From 54d56d6ce0833e723fbe20b03b41deae51c4a9ec Mon Sep 17 00:00:00 2001 From: Ziqing Yang Date: Thu, 16 Dec 2021 23:09:48 +0800 Subject: [PATCH] init commit --- .gitignore | 1 + LICENSE | 223 +- README.md | 449 +- README_EN.md | 450 + examples/classification_utils/__init__.py | 0 .../classification_utils/dataloader_script.py | 272 + examples/classification_utils/my_dataset.py | 258 + .../classification_utils/predict_function.py | 94 + examples/configurations/gc.json | 5 + examples/configurations/tc-iterative.json | 11 + examples/configurations/tc-masks.json | 4 + examples/configurations/vc.json | 5 + examples/datasets/pawsx/dev-en.tsv | 2000 + examples/datasets/pawsx/dev-zh.tsv | 2000 + examples/datasets/pawsx/test-en.tsv | 2000 + examples/datasets/pawsx/test-zh.tsv | 2000 + .../datasets/pawsx/translate-train/en.tsv | 49401 +++++++ examples/datasets/xnli/en.tsv | 100000 +++++++++++++++ examples/models/xlmr_pawsx/README.md | 1 + examples/pipeline_pruning/README.md | 31 + .../pipeline_pruning/measure_performance.py | 29 + examples/pipeline_pruning/pipeline_pruning.py | 56 + examples/pipeline_pruning/pipeline_pruning.sh | 8 + examples/transformer_pruning/README.md | 39 + .../measure_performance.py | 29 + .../transformer_pruning.py | 43 + .../transformer_pruning.sh | 8 + .../transformer_pruning_with_masks.py | 28 + .../MaskedLM_vocabulary_pruning.py | 45 + examples/vocabulary_pruning/README.md | 43 + .../vocabulary_pruning/measure_performance.py | 29 + .../vocabulary_pruning/vocabulary_pruning.py | 47 + .../vocabulary_pruning/vocabulary_pruning.sh | 7 + pics/.gitignore | 0 pics/PruningModes.png | Bin 0 -> 48920 bytes pics/banner.png | Bin 0 -> 90676 bytes pics/hfl_qrcode.jpg | Bin 0 -> 26503 bytes pics/nav_banner.png | Bin 0 -> 90826 bytes setup.py | 66 + src/textpruner/__init__.py | 5 + src/textpruner/commands/__init__.py | 0 src/textpruner/commands/functions.py | 61 + src/textpruner/commands/textpruner_cli.py | 50 + src/textpruner/commands/utils.py | 94 + src/textpruner/configurations.py | 127 + src/textpruner/model_map.py | 25 + src/textpruner/model_utils/__init__.py | 5 + src/textpruner/model_utils/albert.py | 27 + src/textpruner/model_utils/bert.py | 27 + src/textpruner/model_utils/electra.py | 27 + src/textpruner/model_utils/model_structure.py | 185 + src/textpruner/model_utils/roberta.py | 27 + src/textpruner/model_utils/utils.py | 75 + src/textpruner/model_utils/xlm_roberta.py | 27 + src/textpruner/pruners/__init__.py | 3 + src/textpruner/pruners/pipeline_pruner.py | 140 + src/textpruner/pruners/transformer_pruner.py | 446 + src/textpruner/pruners/utils.py | 100 + src/textpruner/pruners/vocabulary_pruner.py | 113 + src/textpruner/tokenizer_utils/__init__.py | 4 + .../tokenizer_utils/roberta_gpt2_tokenizer.py | 54 + .../tokenizer_utils/sp_tokenizer.py | 64 + .../tokenizer_utils/subword_tokenizer.py | 31 + src/textpruner/tokenizer_utils/utils.py | 33 + .../tokenizer_utils/xlmr_sp_tokenizer.py | 70 + src/textpruner/utils.py | 216 + 66 files changed, 161695 insertions(+), 23 deletions(-) create mode 100644 README_EN.md create mode 100644 examples/classification_utils/__init__.py create mode 100644 examples/classification_utils/dataloader_script.py create mode 100644 examples/classification_utils/my_dataset.py create mode 100644 examples/classification_utils/predict_function.py create mode 100644 examples/configurations/gc.json create mode 100644 examples/configurations/tc-iterative.json create mode 100644 examples/configurations/tc-masks.json create mode 100644 examples/configurations/vc.json create mode 100644 examples/datasets/pawsx/dev-en.tsv create mode 100644 examples/datasets/pawsx/dev-zh.tsv create mode 100644 examples/datasets/pawsx/test-en.tsv create mode 100644 examples/datasets/pawsx/test-zh.tsv create mode 100644 examples/datasets/pawsx/translate-train/en.tsv create mode 100644 examples/datasets/xnli/en.tsv create mode 100644 examples/models/xlmr_pawsx/README.md create mode 100644 examples/pipeline_pruning/README.md create mode 100644 examples/pipeline_pruning/measure_performance.py create mode 100644 examples/pipeline_pruning/pipeline_pruning.py create mode 100644 examples/pipeline_pruning/pipeline_pruning.sh create mode 100644 examples/transformer_pruning/README.md create mode 100644 examples/transformer_pruning/measure_performance.py create mode 100644 examples/transformer_pruning/transformer_pruning.py create mode 100644 examples/transformer_pruning/transformer_pruning.sh create mode 100644 examples/transformer_pruning/transformer_pruning_with_masks.py create mode 100644 examples/vocabulary_pruning/MaskedLM_vocabulary_pruning.py create mode 100644 examples/vocabulary_pruning/README.md create mode 100644 examples/vocabulary_pruning/measure_performance.py create mode 100644 examples/vocabulary_pruning/vocabulary_pruning.py create mode 100644 examples/vocabulary_pruning/vocabulary_pruning.sh create mode 100644 pics/.gitignore create mode 100644 pics/PruningModes.png create mode 100644 pics/banner.png create mode 100644 pics/hfl_qrcode.jpg create mode 100644 pics/nav_banner.png create mode 100644 setup.py create mode 100644 src/textpruner/__init__.py create mode 100644 src/textpruner/commands/__init__.py create mode 100644 src/textpruner/commands/functions.py create mode 100644 src/textpruner/commands/textpruner_cli.py create mode 100644 src/textpruner/commands/utils.py create mode 100644 src/textpruner/configurations.py create mode 100644 src/textpruner/model_map.py create mode 100644 src/textpruner/model_utils/__init__.py create mode 100644 src/textpruner/model_utils/albert.py create mode 100644 src/textpruner/model_utils/bert.py create mode 100644 src/textpruner/model_utils/electra.py create mode 100644 src/textpruner/model_utils/model_structure.py create mode 100644 src/textpruner/model_utils/roberta.py create mode 100644 src/textpruner/model_utils/utils.py create mode 100644 src/textpruner/model_utils/xlm_roberta.py create mode 100644 src/textpruner/pruners/__init__.py create mode 100644 src/textpruner/pruners/pipeline_pruner.py create mode 100644 src/textpruner/pruners/transformer_pruner.py create mode 100644 src/textpruner/pruners/utils.py create mode 100644 src/textpruner/pruners/vocabulary_pruner.py create mode 100644 src/textpruner/tokenizer_utils/__init__.py create mode 100644 src/textpruner/tokenizer_utils/roberta_gpt2_tokenizer.py create mode 100644 src/textpruner/tokenizer_utils/sp_tokenizer.py create mode 100644 src/textpruner/tokenizer_utils/subword_tokenizer.py create mode 100644 src/textpruner/tokenizer_utils/utils.py create mode 100644 src/textpruner/tokenizer_utils/xlmr_sp_tokenizer.py create mode 100644 src/textpruner/utils.py diff --git a/.gitignore b/.gitignore index e8789d2..0f2a383 100644 --- a/.gitignore +++ b/.gitignore @@ -1,3 +1,4 @@ +build/ __pycache__/ docs/build .vscode diff --git a/LICENSE b/LICENSE index 1a49aae..efa302e 100644 --- a/LICENSE +++ b/LICENSE @@ -1,21 +1,202 @@ -MIT License - -Copyright (c) 2021 Ziqing Yang - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE -SOFTWARE. + + Apache License + Version 2.0, January 2004 + http://www.apache.org/licenses/ + + TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + + 1. Definitions. + + "License" shall mean the terms and conditions for use, reproduction, + and distribution as defined by Sections 1 through 9 of this document. + + "Licensor" shall mean the copyright owner or entity authorized by + the copyright owner that is granting the License. + + "Legal Entity" shall mean the union of the acting entity and all + other entities that control, are controlled by, or are under common + control with that entity. For the purposes of this definition, + "control" means (i) the power, direct or indirect, to cause the + direction or management of such entity, whether by contract or + otherwise, or (ii) ownership of fifty percent (50%) or more of the + outstanding shares, or (iii) beneficial ownership of such entity. + + "You" (or "Your") shall mean an individual or Legal Entity + exercising permissions granted by this License. + + "Source" form shall mean the preferred form for making modifications, + including but not limited to software source code, documentation + source, and configuration files. + + "Object" form shall mean any form resulting from mechanical + transformation or translation of a Source form, including but + not limited to compiled object code, generated documentation, + and conversions to other media types. + + "Work" shall mean the work of authorship, whether in Source or + Object form, made available under the License, as indicated by a + copyright notice that is included in or attached to the work + (an example is provided in the Appendix below). + + "Derivative Works" shall mean any work, whether in Source or Object + form, that is based on (or derived from) the Work and for which the + editorial revisions, annotations, elaborations, or other modifications + represent, as a whole, an original work of authorship. For the purposes + of this License, Derivative Works shall not include works that remain + separable from, or merely link (or bind by name) to the interfaces of, + the Work and Derivative Works thereof. + + "Contribution" shall mean any work of authorship, including + the original version of the Work and any modifications or additions + to that Work or Derivative Works thereof, that is intentionally + submitted to Licensor for inclusion in the Work by the copyright owner + or by an individual or Legal Entity authorized to submit on behalf of + the copyright owner. For the purposes of this definition, "submitted" + means any form of electronic, verbal, or written communication sent + to the Licensor or its representatives, including but not limited to + communication on electronic mailing lists, source code control systems, + and issue tracking systems that are managed by, or on behalf of, the + Licensor for the purpose of discussing and improving the Work, but + excluding communication that is conspicuously marked or otherwise + designated in writing by the copyright owner as "Not a Contribution." + + "Contributor" shall mean Licensor and any individual or Legal Entity + on behalf of whom a Contribution has been received by Licensor and + subsequently incorporated within the Work. + + 2. Grant of Copyright License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + copyright license to reproduce, prepare Derivative Works of, + publicly display, publicly perform, sublicense, and distribute the + Work and such Derivative Works in Source or Object form. + + 3. Grant of Patent License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + (except as stated in this section) patent license to make, have made, + use, offer to sell, sell, import, and otherwise transfer the Work, + where such license applies only to those patent claims licensable + by such Contributor that are necessarily infringed by their + Contribution(s) alone or by combination of their Contribution(s) + with the Work to which such Contribution(s) was submitted. If You + institute patent litigation against any entity (including a + cross-claim or counterclaim in a lawsuit) alleging that the Work + or a Contribution incorporated within the Work constitutes direct + or contributory patent infringement, then any patent licenses + granted to You under this License for that Work shall terminate + as of the date such litigation is filed. + + 4. Redistribution. You may reproduce and distribute copies of the + Work or Derivative Works thereof in any medium, with or without + modifications, and in Source or Object form, provided that You + meet the following conditions: + + (a) You must give any other recipients of the Work or + Derivative Works a copy of this License; and + + (b) You must cause any modified files to carry prominent notices + stating that You changed the files; and + + (c) You must retain, in the Source form of any Derivative Works + that You distribute, all copyright, patent, trademark, and + attribution notices from the Source form of the Work, + excluding those notices that do not pertain to any part of + the Derivative Works; and + + (d) If the Work includes a "NOTICE" text file as part of its + distribution, then any Derivative Works that You distribute must + include a readable copy of the attribution notices contained + within such NOTICE file, excluding those notices that do not + pertain to any part of the Derivative Works, in at least one + of the following places: within a NOTICE text file distributed + as part of the Derivative Works; within the Source form or + documentation, if provided along with the Derivative Works; or, + within a display generated by the Derivative Works, if and + wherever such third-party notices normally appear. The contents + of the NOTICE file are for informational purposes only and + do not modify the License. You may add Your own attribution + notices within Derivative Works that You distribute, alongside + or as an addendum to the NOTICE text from the Work, provided + that such additional attribution notices cannot be construed + as modifying the License. + + You may add Your own copyright statement to Your modifications and + may provide additional or different license terms and conditions + for use, reproduction, or distribution of Your modifications, or + for any such Derivative Works as a whole, provided Your use, + reproduction, and distribution of the Work otherwise complies with + the conditions stated in this License. + + 5. Submission of Contributions. Unless You explicitly state otherwise, + any Contribution intentionally submitted for inclusion in the Work + by You to the Licensor shall be under the terms and conditions of + this License, without any additional terms or conditions. + Notwithstanding the above, nothing herein shall supersede or modify + the terms of any separate license agreement you may have executed + with Licensor regarding such Contributions. + + 6. Trademarks. This License does not grant permission to use the trade + names, trademarks, service marks, or product names of the Licensor, + except as required for reasonable and customary use in describing the + origin of the Work and reproducing the content of the NOTICE file. + + 7. Disclaimer of Warranty. Unless required by applicable law or + agreed to in writing, Licensor provides the Work (and each + Contributor provides its Contributions) on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or + implied, including, without limitation, any warranties or conditions + of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A + PARTICULAR PURPOSE. You are solely responsible for determining the + appropriateness of using or redistributing the Work and assume any + risks associated with Your exercise of permissions under this License. + + 8. Limitation of Liability. In no event and under no legal theory, + whether in tort (including negligence), contract, or otherwise, + unless required by applicable law (such as deliberate and grossly + negligent acts) or agreed to in writing, shall any Contributor be + liable to You for damages, including any direct, indirect, special, + incidental, or consequential damages of any character arising as a + result of this License or out of the use or inability to use the + Work (including but not limited to damages for loss of goodwill, + work stoppage, computer failure or malfunction, or any and all + other commercial damages or losses), even if such Contributor + has been advised of the possibility of such damages. + + 9. Accepting Warranty or Additional Liability. While redistributing + the Work or Derivative Works thereof, You may choose to offer, + and charge a fee for, acceptance of support, warranty, indemnity, + or other liability obligations and/or rights consistent with this + License. However, in accepting such obligations, You may act only + on Your own behalf and on Your sole responsibility, not on behalf + of any other Contributor, and only if You agree to indemnify, + defend, and hold each Contributor harmless for any liability + incurred by, or claims asserted against, such Contributor by reason + of your accepting any such warranty or additional liability. + + END OF TERMS AND CONDITIONS + + APPENDIX: How to apply the Apache License to your work. + + To apply the Apache License to your work, attach the following + boilerplate notice, with the fields enclosed by brackets "[]" + replaced with your own identifying information. (Don't include + the brackets!) The text should be enclosed in the appropriate + comment syntax for the file format. We also recommend that a + file or class name and description of purpose be included on the + same "printed page" as the copyright notice for easier + identification within third-party archives. + + Copyright 2021 Ziqing Yang + + Licensed under the Apache License, Version 2.0 (the "License"); + you may not use this file except in compliance with the License. + You may obtain a copy of the License at + + http://www.apache.org/licenses/LICENSE-2.0 + + Unless required by applicable law or agreed to in writing, software + distributed under the License is distributed on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + See the License for the specific language governing permissions and + limitations under the License. \ No newline at end of file diff --git a/README.md b/README.md index 08cf8aa..700d125 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,448 @@ -# TextPruner + [**English**](README_EN.md) | [**中文说明**](README.md) -Under construction +

+
+ +
+

+

+

+ + GitHub + + + Documentation + + + PyPI + + + GitHub release + +

+ +**TextPruner**是一个为预训练语言模型设计的模型裁剪工具包,通过轻量、快速的裁剪方法对模型进行结构化剪枝,从而实现压缩模型体积、提升模型速度。 + +其他相关资源: + +- 知识蒸馏工具TextBrewer:https://github.com/airaria/TextBrewer +- 中文MacBERT预训练模型:https://github.com/ymcui/MacBERT +- 中文ELECTRA预训练模型:https://github.com/ymcui/Chinese-ELECTRA +- 中文XLNet预训练模型:https://github.com/ymcui/Chinese-XLNet +- 少数民族语言预训练模型CINO:https://github.com/ymcui/Chinese-Minority-PLM + + +## 目录 + + + +| 章节 | 内容 | +|-|-| +| [简介](#简介) | TextPruner介绍 | +| [安装](#安装) | 安装要求与方法 | +| [裁剪模式](#裁剪模式) | 三种裁剪模式说明 | +| [使用方法](#使用方法) | TextPruner快速上手 | +| [实验结果](#实验结果) | 典型任务上的裁剪效果 | +| [常见问题](#常见问题) | 常见问题 | +| [关注我们](#关注我们) | - | + +## 简介 + +**TextPruner**是一个为预训练语言模型设计,基于PyTorch实现的模型裁剪工具包。它提供了针对预训练模型的结构化裁剪功能,通过识别并移除模型结构中不重要的结构与神经元,达到压缩模型大小、提升模型推理速度的目的。 + +TextPruner的主要特点包括: + +* **功能通用**: TextPruner适配多种预训练模型,并适用于多种NLU任务。除了标准预训练模型外,用户也可使用TextPruner裁剪基于标准预训练模型开发的自定义模型 +* **灵活便捷**: TextPruner即可作为Python包在Python脚本中使用,也提供了单独命令行工具。 +* **运行高效**: TextPruner使用无训练的结构化裁剪方法,运行迅速,快于知识蒸馏等基于训练的方法。 + +TextPruner目前支持词表裁剪和transformer裁剪,参见[裁剪模式](#裁剪模式)。 + +要使用TextPruner,用户可以在python脚本中导入TextPruner或直接在命令行运行TextPruner命令行工具,参见[使用方法](#使用方法)。 + +TextPruner在典型任务上的实验效果,参见[实验结果](#实验)。 + +TextPruner目前支持[Transformers](https://github.com/huggingface/transformers)库中的如下预训练模型: +* BERT +* Albert +* Electra +* RoBERTa +* XLM-RoBERTa + +在线文档将于近期推出。 + +## 安装 + +* 安装要求 + + * Python >= 3.7 + * torch >= 1.7 + * transformers >= 4.0 + * sentencepiece + * protobuf + +* 使用pip安装 + + ```bash + pip install textpruner + ``` + +* 从源代码安装 + + ```bash + git clone https://github.com/airaria/TextPruner.git + pip install ./textpruner + ``` + +### 裁剪模式 + +TextPruner提供了3种裁剪模式,分别为**词表裁剪(Vocabulary Pruning)**,**Transformer裁剪(Transformer Pruning)**和**流水线裁剪(Pipeline Pruning)**。 + + +![](pics/PruningModes.png) + +#### 词表裁剪 + +预训练模型通常包含对具体任务来说冗余的词表。通过移除词表中未在具体任务未出现的token,可以实现减小模型体积,提升MLM等任务训练速度的效果。 + +#### Transformer裁剪 + +另一种裁剪方式是裁剪每个transformer模块的大小。一些研究表明transformer中的注意力头(attention heads)并不是同等重要,移除不重要的注意力头并不会显著降低模型性能。TextPruner找到并移除每个transformer中“不重要”的注意力头和全连接层神经元,从而在减小模型体积的同时把对模型性能的影响尽可能降到最低。 + +#### 流水线裁剪 + +在该模式中,TextPruner对给定模型依次分别进行Transformer裁剪和词表裁剪,对模型体积做全面的压缩。 + + +## 使用方法 + +**Pruners**执行具体的裁剪过程,**configurations**设置裁剪参数。它们名称的含义是不言自明的: +* Pruners + * `textpruner.VocabularyPruner` + * `textpruner.TransformerPruner` + * `textpruner.PipelinePruner` +* Configurations + * `textpruner.GeneralConfig` + * `textpruner.VocabularyPruningConfig` + * `textpruner.TransformerPruningConfig` + + +下面展示它们的基本用法。Pruners和configurations的各个参数的详细含义请参见它们的文档字符串(docstring)。 +Configurations的进一步说明参见[Configurations](#configurations)。 + + +### 词表裁剪 + +要进行词表裁剪,用户应提供一个文本文件或字符串列表(list of strings)。TextPruner将从model和tokenizer中移除未在文本文件或列表中出现过的token。 + +具体的例子参见[examples/vocabulary_pruning](examples/vocabulary_pruning) + +#### 在脚本中使用 + +词表裁剪仅需3行代码: + +```python +from textpruner import VocabularyPruner +pruner = VocabularyPruner(model, tokenizer) +pruner.prune(dataiter=texts) +``` + +* `model`和`tokenizer`是要裁剪的模型和对应的分词器 +* `texts`是字符串列表(list of strings),一般为任务相关数据的文本,用以确定裁剪后的词表大小。TextPruner将从model和tokenizer中移除未在其中出现过的token。 + + + +#### 使用命令行工具 + +```bash +textpruner-cli \ + --pruning_mode vocabulary \ + --configurations gc.json vc.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path /path/to/model/and/config/directory \ + --vocabulary /path/to/a/text/file +``` +* `configurations`:JSON格式的配置文件。 +* `model_class` : 模型的完整类名,要求该类在当前目录下可访问。例如`model_class`是`modeling.ModelClassName`,那么当前目录下应存在`modeling.py`。如果`model_class` 中无模块名,那么TextPruner会试图从transformers库中导入`model_class`,如上面的例子。 +* `tokenizer_class` : tokenizer的完整类名。要求该类在当前目录下可访问。如果`tokenizer_class` 中无模块名,那么TextPruner会试图从transformers库中导入`tokenizer_class`。 +* `model_path`:模型、tokenizer和相关配置文件存放目录。 +* `vocabulary` : 用于定义新词表的文本文件。TextPruner将从model和tokenizer中移除未在其中出现过的token。 + + +### Transformer裁剪 + +* 要在一个数据集上进行transformer裁剪,需要一个`dataloader`对象。每次迭代`dataloader`应返回一个batch,batch的格式应与训练模型时相同:包括inputs和labels(batch内容本身不必用和训练时相同)。 +* TextPruner需要模型返回的loss用以计算神经元的重要性指标。TextPruner会尝试猜测模型输出中的哪个元素是loss。**如以下皆不成立**: + * 模型只返回一个元素,那个元素就是loss + * 模型返回一个list或tuple。loss是其中第一个元素 + * loss可以通过`output['loss']`或`output.loss`得到,其中`output`是模型的输出 + + 那么用户应提供一个`adaptor`函数(以模型的输出为输入,返回loss)给`TransformerPruner`。 + +具体的例子参见[examples/transformer_pruning](examples/transformer_pruning) + +#### 在脚本中使用 + +裁剪一个12层预训练模型,每层的注意力头目标数为8,全连接层的目标维数为2048,通过4次迭代裁剪到目标大小: +```python +from textpruner import TransformerPruner, TransformerPruningConfig +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size=2048, + target_num_of_heads=8, + pruning_method='iterative', + n_iters=4) +pruner = TransformerPruner(model,transformer_pruning_config=transformer_pruning_config) +pruner.prune(dataloader=dataloader, save_model=True) +``` + +* transformer_pruning_config设置了具体的裁剪参数。 +* `dataloader`用于向pruner提供数据用于计算各个注意力头的神经元的重要性,从而决定裁剪顺序。 + +#### 使用命令行工具 + +```bash +textpruner-cli \ + --pruning_mode transformer \ + --configurations gc.json tc.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path ../models/xlmr_pawsx \ + --dataloader_and_adaptor dataloader_script +``` +* `configurations`:JSON格式的配置文件。 +* `model_class` : 模型的完整类名,要求该类在当前目录下可访问。例如`model_class`是`modeling.ModelClassName`,那么当前目录下应存在`modeling.py`。如果`model_class` 中无模块名,那么TextPruner会试图从transformers库中导入`model_class`,如上面的例子。 +* `tokenizer_class` : tokenizer的完整类名。要求该类在当前目录下可访问。如果`tokenizer_class` 中无模块名,那么TextPruner会试图从transformers库中导入`tokenizer_class`。 +* `model_path`:模型、tokenizer和相关配置文件存放目录。 +* `dataloader_and_adaptor` : Python脚本文件,其中定义并初始化了dataloader和adaptor(adaptor可选)。 + + + +### 流水线裁剪 + +流水线裁剪结合了transformer裁剪和词表裁剪。 + +具体的例子参见[examples/pipeline_pruning](examples/pipeline_pruning) + +#### 在脚本中使用 + +```python +from textpruner import PipelinePruner, TransformerPruningConfig +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size=2048, target_num_of_heads=8, + pruning_method='iterative',n_iters=4) +pruner = PipelinePruner(model, tokenizer, transformer_pruning_config=transformer_pruning_config) +pruner.prune(dataloader=dataloader, dataiter=texts, save_model=True) +``` + +#### 使用命令行工具 + +```bash +textpruner-cli \ + --pruning_mode pipeline \ + --configurations gc.json tc.json vc.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path ../models/xlmr_pawsx \ + --vocabulary /path/to/a/text/file \ + --dataloader_and_adaptor dataloader_script +``` + +### Configurations + +裁剪过程受配置对象(configuration objects)控制: + +* `GeneralConfig`:设置使用的device和输出目录。 +* `VocabularyPruningConfig`:设置裁剪的阈值(token的词频低于此阈值将被裁减),以及是否裁剪`lm_head`。 +* `TransformerPruningConfig`:Transformer裁剪过程参数的各种配置。 + +它们用于不同的裁剪模式: + +* 词表裁剪可接受`GeneralConfig` and `VocabularyPruningConfig` + + ```python + VocabularyPruner(vocabulary_pruning_config= ..., general_config = ...) + ``` + +* Transformer裁剪可接受`GeneralConfig` and `TransformerPruningConfig` + ```python + TransformerPruner(transformer_pruning_config= ..., general_config = ...) + ``` + +* 流水线裁剪可接受全部3种Config: + ```python + TransformerPruner(transformer_pruning_config= ..., vocabulary_pruning_config= ..., general_config = ...) + ``` + +在Python脚本中,配置对象是dataclass对象;在命令行中,配置对象是JSON文件。 +如果未向pruner提供相应的配置对象,TextPruner将使用默认配置。 +配置对象的各个参数详细意义请参见`GeneralConfig`,`VocabularyPruningConfig`和`TransformerPruningConfig` 的文档字符串。 + + +在Python脚本定义: + +```python +from textpruner import GeneralConfig, VocabularyPruningConfig, TransformerPruningConfig +from textpruner import VocabularyPruner, TransformerPruner, PipelinePruner + +#GeneralConfig +general_config = GeneralConfig(device='auto',output_dir='./pruned_models') + +#VocabularyPruningConfig +vocabulary_pruning_config = VocabularyPruningConfig(min_count=1,prune_lm_head='auto') + +#TransformerPruningConfig +#Pruning with the given masks +transformer_pruning_config = TransformerPruningConfig(pruning_method = 'masks') + +#TransformerPruningConfig +#Pruning on labeled dataset iteratively +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size = 2048, + target_num_of_heads = 8, + pruning_method = 'iterative', + ffn_even_masking = True, + head_even_masking = True, + n_iters = 1, + multiple_of = 1 +) +``` + +作为JSON文件: + +* `GeneralConfig`:[gc.json](examples/configurations/gc.json) +* `VocabularyPruningConfig`:[vc.json](examples/configurations/vc.json) +* `TransformerPruningConfig`: + * 使用给定的masks进行裁剪:[tc-masks.json](examples/configurations/tc-masks.json) + * 在给定数据集上迭代裁剪:[tc-iterative.json](examples/configurations/tc-iterative.json) + +### 辅助函数 + +* `textpruner.summary`:显示模型参数摘要。 +* `textpruner.inference_time`:测量与显示模型的推理耗时。 + +例子: + +```python +from transformers import BertForMaskedLM +import textpruner +import torch + +model = BertForMaskedLM.from_pretrained('bert-base-uncased') +print("Model summary:") +print(textpruner.summary(model,max_level=3)) + +dummy_inputs = [torch.randint(low=0,high=10000,size=(32,512))] +print("Inference time:") +textpruner.inference_time(model.to('cuda'),dummy_inputs) +``` + +Outputs: + +``` +Model summary: +LAYER NAME #PARAMS RATIO MEM(MB) +--model: 109,514,810 100.00% 417.77 + --bert: 108,892,160 99.43% 415.39 + --embeddings: 23,837,696 21.77% 90.94 + --position_ids: 512 0.00% 0.00 + --word_embeddings: 23,440,896 21.40% 89.42 + --position_embeddings: 393,216 0.36% 1.50 + --token_type_embeddings: 1,536 0.00% 0.01 + --LayerNorm: 1,536 0.00% 0.01 + --encoder + --layer: 85,054,464 77.66% 324.46 + --cls + --predictions(partially shared): 622,650 0.57% 2.38 + --bias: 30,522 0.03% 0.12 + --transform: 592,128 0.54% 2.26 + --decoder(shared): 0 0.00% 0.00 + +Inference time: +Device: cuda:0 +Mean inference time: 1214.41ms +Standard deviation: 2.39ms +``` + + +## 实验结果 + +使用基于[XLM-RoBERTa-base](https://github.com/facebookresearch/XLM)的分类模型,我们在多语言NLI任务[PAWS-X](https://github.com/google-research-datasets/paws/tree/master/pawsx)的英文数据集上训练与测试,并使用TextPruner对训练好的模型进行裁剪。 + +### 词表裁剪 + +我们从[XNLI英文训练集](https://github.com/facebookresearch/XNLI)中采样[10万条样本](examples/datasets/xnli/en.tsv)作为词表,将XLM-RoBERTa模型的词表大小裁剪至这10万条样本的范围内,裁剪前后模型对比如下所示。 + +| Model | Total size (MB) | Vocab size | Acc on en (%)| +| :-------------------- | :---------------: | :----------: | :------------: | +| XLM-RoBERTa-base | 1060 (100%) | 250002 | 94.65 | +| + Vocabulary Pruning | 398 (37.5%) | 23936 | 94.20 | + +XLM-RoBERTa作为多语言模型,词表占了模型的很大一部分。通过只保留相关任务和语言的词表,可以显著减小模型体积,并且对模型准确率只有微弱影响。 + +### Transfomer裁剪 + +使用(H,F)指示模型结构,其中H是平均每层注意力头数量,F是全连接层的维数(intermediate hidden size)。原始的XLM-RoBERTa-base模型可记为(12, 3072)。我们考虑裁剪到另外两种结构(8,2048)和(6,1536)。 + +#### 推理时间 + +使用长度512,batch size 32的数据作为输入测量推理时间: + +| Model | Total size (MB) | Encoder size (MB) | Inference time (ms) | Speed up | +| :---------- | :---------------: | :-----------------: | :-------------------: | :--------: | +| (12, 3072) | 1060 | 324 | 1012 | 1.0x | +| (8, 2048) | 952 | 216 | 666 | 1.5x | +| (6, 1536) | 899 | 162 | 504 | 2.0x | + + +#### 任务性能 + +我们尝试使用不同的迭代次数进行transformer裁剪,各个模型的准确率变化如下表所示: + +| Model | n_iters=1 | n_iters=2 | n_iters=4 | n_iters=8 | n_iters=16 | +| :------------ | :-----------: | :-----------: | :-----------: | :-----------: | :------------: | +| (12, 3072) | 94.65 | - | - | - | - | +| (8, 2048) | 93.30 | 93.60 | 93.60 | 93.85 | 93.95 | +| (8, 2048) with uneven heads | 92.95 | 93.50 | 93.95 | 94.05 | **94.25** | +| (6, 1536) | 85.15 | 89.10 | 90.90 | 90.60 | 90.85 | +| (6, 1536) with uneven heads | 45.35 | 86.45 | 90.55 | 90.90 | **91.95** | + +表中的uneven heads指允许模型在不同层有不同的注意力头数。 +可以看到,随着迭代次数的增加,裁剪后的模型的性能也随之提升。 + +### 流水线裁剪 + +最后,我们用PipelinePruner同时裁剪词表和transformer: + +| Model | Total size (MB) | Speed up | Acc on en (%) | +| :----------------------------------------------- | :-------------: | -------- | ------------- | +| XLM-RoBERTa-base | 1060 (100%) | 1.0x | 94.65 | +| + Pipeline pruning to (8, 2048) with uneven heads | 227 (22%) | 1.5x | 93.75 | + +Transformer裁剪过程使用了16次迭代,词表裁剪过程使用XNLI英文训练集中采样的10万条样本作为词表。整个裁剪过程在单张T4 GPU上耗时10分钟。 + +## 常见问题 + +**Q: TextPruner 是否支持 Tensorflow 2 ?** + +A: 不支持。 + +**Q: 对于知识蒸馏和模型裁剪,能否给一些使用建议 ?** + +A: 知识蒸馏与模型裁剪都是减小模型体积的主流手段: + +* 知识蒸馏通常可以获得更好的模型效果和更高的压缩率,但是蒸馏过程较消耗算力与时间;为了获得好的蒸馏效果,对大量数据的访问也是必不可少的。 + +* 在相同目标模型体积下,结构化无训练裁剪方法的性能通常低于知识蒸馏,但其优点是快速与轻量。裁剪过程最短可以在数分钟内完成,并且只需要少量标注数据进行指导。 + +(还有一类包含训练过程的裁剪方法,它们在保证模型性能的同时也可以取得很好的压缩效果。) + +如果你对知识蒸馏感兴趣,可以参见我们的知识蒸馏工具包[TextBrewer](http://textbrewer.hfl-rc.com)。 + +如果你想取得最好的模型压缩效果,或许可以尝试同时采用蒸馏与裁剪这两种手段。 + +## 关注我们 + +欢迎关注哈工大讯飞联合实验室官方微信公众号,了解最新的技术动态 + +![](pics/hfl_qrcode.jpg) \ No newline at end of file diff --git a/README_EN.md b/README_EN.md new file mode 100644 index 0000000..091ec9c --- /dev/null +++ b/README_EN.md @@ -0,0 +1,450 @@ + [**English**](README_EN.md) | [**中文说明**](README.md) + +

+
+ +
+

+

+

+ + GitHub + + + Documentation + + + PyPI + + + GitHub release + +

+ +**TextPruner** is a model pruning toolkit for pre-trained language models. +It provides **low-cost** and **training-free** methods to reduces your model size and speed up your model inference speed by removing reduandant neurons. + +You may also be interested in, + +- Knowledge Distillation Toolkit - TextBrewer: https://github.com/airaria/TextBrewer +- Chinese MacBERT: https://github.com/ymcui/MacBERT +- Chinese ELECTRA: https://github.com/ymcui/Chinese-ELECTRA +- Chinese XLNet: https://github.com/ymcui/Chinese-XLNet +- CINO: https://github.com/ymcui/Chinese-Minority-PLM + + +## Table of Contents + + + +| Section | Contents | +|-|-| +| [Introduction](#introduction) | Introduction to TextPruner | +| [Installation](#installation) | Requirements and how to install | +| [Pruning Modes](#pruning-modes) | A brief introduction to the three pruning modes | +| [Usage](#usage) | A quick guide on how to use TextPruner | +| [Experiments](#experiments) | Pruning experiments on typical tasks | +| [FAQ](#faq) | Frequently asked questions | +| [Follow Us](#follow-us) | - | + +## Introduction + +**TextPruner** is a toolkit for pruning pre-trained transformer-based language models written in PyTorch. It offers structured training-free pruning methods and a user-friendly interface. + +The main features of TexPruner include: + +* **Compatibility**: TextPruner is compatible with different NLU pre-trained models. You can use it to prune your own models for vairious NLP tasks as long as they are built on the standard pre-trained models. +* **Usability**: TextPruner can be used as an package or a CLI tool. They are both easy to use. +* **Efficiency**: TextPruner reduces the models size in a simple and fast way. TextPruner uses structured training-free methods to prune models. It is much faster than distillation and other pruning methods than involve training. + +TextPruner currently supports vocabulary pruning and transformer pruning. For the explaination of the pruning modes, see [Pruning Modes](#pruning-modes). + +To use TextPruner, users can either import TextPruner into the python scripts or run the TextPruner command line tool. See the examples in [Usage](#usage). + +For the performance of the pruned model on typical tasks, see [Experiments](#experiments). + + +TextPruner currently supports the following pre-trained models in [transformers](https://github.com/huggingface/transformers): +* BERT +* Albert +* Electra +* RoBERTa +* XLM-RoBERTa + +The online documentation will be comming soon. + +## Installation + +* Requirements + + * Python >= 3.7 + * torch >= 1.7 + * transformers >= 4.0 + * sentencepiece + * protobuf + +* Install with pip + + ```bash + pip install textpruner + ``` + +* Install from the source + + ```bash + git clone https://github.com/airaria/TextPruner.git + pip install ./textpruner + ``` + +### Pruning Modes + +In TextPruner, there are three pruning modes : **vocabulary pruning**, **transformer pruning** and **pipeline pruning**. + + +![](pics/PruningModes.png) + +#### Vocabulary Pruning + +The pre-trained models usually have large vocabulary, but some tokens are rarely appeared in the datasets of the downstream tasks. These tokens can be removed to reduce model size and accelerate MLM pre-training. + +#### Transformer Pruning + + +Another approach is pruning the transformer blocks. Some studies have shown that not all attention heads are equally important in the transformers. TextPruner reduces the model size and keep the model performance as high as possible by locating and removing the unimportant attention heads and the feed-forward networks neurons. + +#### Pipeline Pruning + + +In the pipeline pruning, TextPruner performs transformer pruning and vocabulary pruning successively to fully reduce the model size. + + +## Usage + +The **pruners** perform the pruning process. The **configurations** set their behaviors. There names are self-explained: +* Pruners + * `textpruner.VocabularyPruner` + * `textpruner.TransformerPruner` + * `textpruner.PipelinePruner` +* Configurations + * `textpruner.GeneralConfig` + * `textpruner.VocabularyPruningConfig` + * `textpruner.TransformerPruningConfig` + +We demostrate the basic usage below. See the docstrings of pruners and configurations for the detailed explanation of each argument. + +### Vocabulary Pruning + +To perform vocabulary pruning, users should provide a text file or a list of strings. The tokens that do not appear in the texts are removed from the model and the tokenizer. + +See the examples at [examples/vocabulary_pruning](examples/vocabulary_pruning). + +#### Use TextPruner as a package + +Pruning the vocabulary in 3 lines of code: + +```python +from textpruner import VocabularyPruner +pruner = VocabularyPruner(model, tokenizer) +pruner.prune(dataiter=texts) +``` + +* `model` is the pre-trained model for the MLM task or for other NLP tasks. +* `tokenizer` is the corresponding tokenizer. +* `texts` is a list of strings. The tokens that do not appear in the texts are removed from the model and the tokenizer. + + +`VocabularyPruner` accepts `GeneralConfig` and `VocabularyPruningConfig` for fine control. By default we could omit them. See [Configurations](#configurations) and the docstring of `VocabularyPruner` for details. + + +#### Use TextPruner-CLI tool + +```bash +textpruner-cli \ + --pruning_mode vocabulary \ + --configurations gc.json vc.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path /path/to/model/and/config/directory \ + --vocabulary /path/to/a/text/file +``` +* `configurations` : configuration files in the JSON format. See [Configurations](#configurations) for details. +* `model_class` : The classname of the model. It must be accessible from the current directory. For example, if `model_class` is `modeling.ModelClassName`, there should be a `modeling.py` in the current directory. If there is no module name in `model_class`, TextPruner will try to import the `model_class` from the transformers library, as shown above. +* `tokenizer_class` : The classname of the tokenizer. It must be accessible from the current directory. If there is no module name in `tokenizer_class`, TextPruner will try to import the `tokenizer_class` from the transformers library. +* `model_path` : The directory that contains weight and the configurations for the model and the tokenizer. +* `vocabulary` : A text file that is used for generating new vocabulary. The tokens that do not appear in the vocabulary are removed from the model and the tokenizer. + + +### Transformer Pruning + +* To perform transformer pruning on a dataset, a `dataloader` of the dataset should be provided. The `dataloader` should return both the inputs and the labels. +* TextPruner needs the loss return by the model to calcuate neuron importance scores. TextPruner will try to guess which element in the model output is the loss. If none of the following is true: + * the model return a single element, which is the loss; + * the model output is a list or a tuple. Loss is its first element; + * the loss of can be accessed by `output['loss'] ` or `output.loss` where `output` is the model output + + users should provide an `adaptor` function (which takes the output of the model and return the loss) to the `TransformerPruner`. + +See the examples at [examples/transformer_pruning](examples/transformer_pruning). + +#### Use TextPruner as a package + +```python +from textpruner import TransformerPruner, TransformerPruningConfig +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size=2048, + target_num_of_heads=8, + pruning_method='iterative', + n_iters=4) +pruner = TransformerPruner(model,transformer_pruning_config=transformer_pruning_config) +pruner.prune(dataloader=dataloader, save_model=True) +``` + +* `transformer_pruning_config` set the mean target size per layer (`target_ffn_size` and `target_num_of_heads`) and the number of iterations (`n_iters`) of pruning. +* `dataloader` is a PyTorch dataloader they provides inputs and labels of the dataset. + +`TransformerPruner` accepts `GeneralConfig` and `TransformerPruningConfig` for fine control. See [Configurations](#configurations) and the docstring of `TransformerPruner` for details. + + +#### Use TextPruner-CLI tool + +```bash +textpruner-cli \ + --pruning_mode transformer \ + --configurations gc.json tc.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path ../models/xlmr_pawsx \ + --dataloader_and_adaptor dataloader_script +``` +* `configurations` : configuration files in the JSON format. See [Configurations](#configurations) for details. +* `model_class` : The classname of the model. It must be accessible from the current directory. For example, if `model_class` is `modeling.ModelClassName`, there should be a `modeling.py` in the current directory. If there is no module name in `model_class`, TextPruner will try to import the `model_class` from the transformers library, as shown above. +* `tokenizer_class` : The classname of the tokenizer. It must be accessible from the current directory. If there is no module name in `tokenizer_class`, TextPruner will try to import the `tokenizer_class` from the transformers library. +* `model_path` : The directory contains weight and the configurations for the model and the tokenizer. +* `dataloader_and_adaptor` : The python script that contains the dataloader and the adaptor (the adaptor is optional). + + + +### Pipeline Pruning + +Pipeline pruning combine transformer pruning and vocabulary pruning into a single call. + +See the examples at [examples/pipeline_pruning](examples/pipeline_pruning). + +#### Use TextPruner as a package + +```python +from textpruner import PipelinePruner, TransformerPruningConfig +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size=2048, target_num_of_heads=8, + pruning_method='iterative',n_iters=4) +pruner = PipelinePruner(model, tokenizer, transformer_pruning_config=transformer_pruning_config) +pruner.prune(dataloader=dataloader, dataiter=texts, save_model=True) +``` + +`PipelinePruner` accepts `GeneralConfig`, `VocabularyPruningConfig` and `TransformerPruningConfig` for fine control. See [Configurations](#configurations) and the docstring of `PipelinePruner` for details. + +#### Use TextPruner-CLI tool + +```bash +textpruner-cli \ + --pruning_mode pipeline \ + --configurations gc.json tc.json vc.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path ../models/xlmr_pawsx \ + --vocabulary /path/to/a/text/file \ + --dataloader_and_adaptor dataloader_script +``` + +### Configurations + +The pruning process is configured by the configuration objects: + +* `GeneralConfig` : sets the device and the output directory. +* `VocabularyPruningConfig` : sets the token pruning threshold and whether pruning the `lm_head`. +* `TransformerPruningConfig` : sets various options on how to perform the transformer pruning process. + +They are used in different pruning modes: + +* Vocabulary pruning accepts `GeneralConfig` and `VocabularyPruningConfig` + + ```python + VocabularyPruner(vocabulary_pruning_config= ..., general_config = ...) + ``` + +* Transformer pruning accepts `GeneralConfig` and `TransformerPruningConfig` + ```python + TransformerPruner(transformer_pruning_config= ..., general_config = ...) + ``` + +* Pipeline pruning accepts all the configurations + ```python + TransformerPruner(transformer_pruning_config= ..., vocabulary_pruning_config= ..., general_config = ...) + ``` + +The configurations are dataclass objects (used in the python scripts) or json files (used in the command line). +If no configurations are provided, TextPruner will use the default configurations. +See the docstrings of `GeneralConfig`, `VocabularyPruningConfig` and `TransformerPruningConfig` for details. + + +
+ + Click here to see examples + +In the python script: + +```python +from textpruner import GeneralConfig, VocabularyPruningConfig, TransformerPruningConfig +from textpruner import VocabularyPruner, TransformerPruner, PipelinePruner + +#GeneralConfig +general_config = GeneralConfig(device='auto',output_dir='./pruned_models') + +#VocabularyPruningConfig +vocabulary_pruning_config = VocabularyPruningConfig(min_count=1,prune_lm_head='auto') + +#TransformerPruningConfig +#Pruning with the given masks +transformer_pruning_config = TransformerPruningConfig(pruning_method = 'masks') + +#TransformerPruningConfig +#Pruning on labeled dataset iteratively +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size = 2048, + target_num_of_heads = 8, + pruning_method = 'iterative', + ffn_even_masking = True, + head_even_masking = True, + n_iters = 1, + multiple_of = 1 +) +``` + +As json files: + +* `GeneralConfig` : [gc.json](examples/configurations/gc.json) +* `VocabularyPruningConfig` : [vc.json](examples/configurations/vc.json) +* `TransformerPruningConfig` : + * Pruning with the given masks : [tc-masks.json](examples/configurations/tc-masks.json) + * Pruning on labeled dataset iteratively : [tc-iterative.json](examples/configurations/tc-iterative.json) + +
+ +### Helper functions + +* `textpruner.summary` : show the summary of model parameters. +* `textpruner.inference_time` : measure and print the inference time of the model. + +Example: + +```python +from transformers import BertForMaskedLM +import textpruner +import torch + +model = BertForMaskedLM.from_pretrained('bert-base-uncased') +print("Model summary:") +print(textpruner.summary(model,max_level=3)) + +dummy_inputs = [torch.randint(low=0,high=10000,size=(32,512))] +print("Inference time:") +textpruner.inference_time(model.to('cuda'),dummy_inputs) +``` + +Outputs: + +``` +Model summary: +LAYER NAME #PARAMS RATIO MEM(MB) +--model: 109,514,810 100.00% 417.77 + --bert: 108,892,160 99.43% 415.39 + --embeddings: 23,837,696 21.77% 90.94 + --position_ids: 512 0.00% 0.00 + --word_embeddings: 23,440,896 21.40% 89.42 + --position_embeddings: 393,216 0.36% 1.50 + --token_type_embeddings: 1,536 0.00% 0.01 + --LayerNorm: 1,536 0.00% 0.01 + --encoder + --layer: 85,054,464 77.66% 324.46 + --cls + --predictions(partially shared): 622,650 0.57% 2.38 + --bias: 30,522 0.03% 0.12 + --transform: 592,128 0.54% 2.26 + --decoder(shared): 0 0.00% 0.00 + +Inference time: +Device: cuda:0 +Mean inference time: 1214.41ms +Standard deviation: 2.39ms +``` + + +## Experiments + + +We prune a [XLM-RoBERTa-base](https://github.com/facebookresearch/XLM) classification model trained on the Multilingual Natural Language Inference (NLI) task [PAWS-X](https://github.com/google-research-datasets/paws/tree/master/pawsx). The model is fine-tuned and evaluated on the Egnlish dataset. + +### Vocabulary Pruning +We use a [100k-lines subset](examples/datasets/xnli/en.tsv) of [XNLI](https://github.com/facebookresearch/XNLI) English training set as the vocabulary file. The pruning results is listed below. + +| Model | Total size (MB) | Vocab size | Acc on en (%)| +| :-------------------- | :---------------: | :----------: | :------------: | +| XLM-RoBERTa-base | 1060 (100%) | 250002 | 94.65 | +| + Vocabulary Pruning | 398 (37.5%) | 23936 | 94.20 | + +### Transfomer Pruning + +We denote the model structure as `(H,F)` where `H` is the average number of attention heads per layer, `F` is the average FFN hidden size per layer. With this notation, `(12,3072)` stands for the original XLM-RoBERTa model. In addition we consider (8, 2048) and (6, 1536). + +#### Inference time + +The speed is measured on inputs of length 512 and batch size 32. +Each layer of the model has the same number of attention heads and FFN hiden size. + +| Model | Total size (MB) | Encoder size (MB) | Inference time (ms) | Speed up | +| :---------- | :---------------: | :-----------------: | :-------------------: | :--------: | +| (12, 3072) | 1060 | 324 | 1012 | 1.0x | +| (8, 2048) | 952 | 216 | 666 | 1.5x | +| (6, 1536) | 899 | 162 | 504 | 2.0x | + + +#### Performance + +We prune the model with diffrent number of iterations (`n_iters`). The accuracies are listed below: + +| Model | n_iters=1 | n_iters=2 | n_iters=4 | n_iters=8 | n_iters=16 | +| :------------ | :-----------: | :-----------: | :-----------: | :-----------: | :------------: | +| (12, 3072) | 94.65 | - | - | - | - | +| (8, 2048) | 93.30 | 93.60 | 93.60 | 93.85 | 93.95 | +| (8, 2048) with uneven heads | 92.95 | 93.50 | 93.95 | 94.05 | **94.25** | +| (6, 1536) | 85.15 | 89.10 | 90.90 | 90.60 | 90.85 | +| (6, 1536) with uneven heads | 45.35 | 86.45 | 90.55 | 90.90 | **91.95** | + +`uneven heads` means the number of attention heads may various from layer to layer. +With the same model structure, the performance increases as we increase the number of iterations `n_iters`. + +## FAQ + +**Q: Does TextPruner support Tensorflow 2 ?** + +A: No. + +**Q: Can you compare the knowledge distillation and model pruning? Which one should I use ?** + +A: Both model pruning and knowledge distillation are popular approaches for reducing model size and accelerating model speed. + +* Knowledge distillation usually achieves better performance and a higher compression ratio, but the distillation process is computational expensive and time costing. It requires accessing to a large amount of data for training. + +* The structured training-free pruning usually leads to a lower performance than knowledge distillation, but the method is fast and light. The pruning process can be finished within minutes, and only requires a small amount of data for guiding the pruning process. + +(There are some pruning methods involves training can also achieve a high compression ratio) + +If you are interested in applying knowledge distillation , please refer to our [TextBrewer](http://textbrewer.hfl-rc.com). + +if you want achieve the best performance, you may consider applying both the distillation and pruning. + + +## Follow Us +Follow our official WeChat account to keep updated with our latest technologies! + +![](pics/hfl_qrcode.jpg) diff --git a/examples/classification_utils/__init__.py b/examples/classification_utils/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/examples/classification_utils/dataloader_script.py b/examples/classification_utils/dataloader_script.py new file mode 100644 index 0000000..52119e3 --- /dev/null +++ b/examples/classification_utils/dataloader_script.py @@ -0,0 +1,272 @@ +import logging +logger = logging.getLogger(__name__) + +from torch.utils.data import SequentialSampler, DataLoader +from transformers import XLMRobertaTokenizer + +import os +import torch +from torch.utils.data import TensorDataset, Dataset, ConcatDataset +from typing import List +import csv, json +from io import open +from dataclasses import dataclass +import dataclasses +from typing import List,Optional,Union + + +class MultilingualNLIDataset(Dataset): + def __init__(self, task: str, data_dir: str, split: str, prefix: str, max_seq_length: int, langs: List[str], local_rank=-1, tokenizer=None, reuse_cache=False): + print("Init NLIDataset") + self.split = split + self.processor = processors[task]() + self.output_mode = output_modes[task] + self.cached_features_files = {lang : os.path.join(data_dir, f'{prefix}_{split}_{max_seq_length}_{lang}.tensor') for lang in langs} + self.lang_datasets = {} + + + for lang, cached_features_file in self.cached_features_files.items(): + if os.path.exists(cached_features_file) and reuse_cache is True: + logger.info("Loading features from cached file %s", cached_features_file) + features_tensor = torch.load(cached_features_file) + else: + logger.info("Creating features from dataset file at %s", cached_features_file) + label_list = self.processor.get_labels() + examples = self.processor.get_examples(data_dir, split,lang=lang) + features_tensor = convert_examples_to_features(examples, label_list, max_seq_length, tokenizer, self.output_mode) + if local_rank in [-1, 0]: + logger.info("Saving features into cached file %s", cached_features_file) + torch.save(features_tensor, cached_features_file) + features_tensor = features_tensor[:-1] + (features_tensor[-1].long(),) + self.lang_datasets[lang] = TensorDataset(*features_tensor) + self.all_dataset = ConcatDataset(list(self.lang_datasets.values())) + + def __getitem__(self, index): + example = self.all_dataset[index] + input_ids, attention_mask, token_type_ids, labels = example + return {'input_ids':input_ids, 'attention_mask':attention_mask, + 'token_type_ids':token_type_ids, 'labels':labels} + + def __len__(self): + return len(self.all_dataset) + +class InputExample(object): + + def __init__(self, guid, text_a, text_b=None, label=None): + + self.guid = guid + self.text_a = text_a + self.text_b = text_b + self.label = label + +class DataProcessor(object): + """Base class for data converters for sequence classification data sets.""" + + def get_examples(self, data_dir, split, **kwargs): + if split=='train': + return self.get_train_examples(data_dir=data_dir, **kwargs) + elif split=='dev': + return self.get_dev_examples(data_dir=data_dir, **kwargs) + elif split=='test': + return self.get_test_examples(data_dir=data_dir, **kwargs) + else: + raise ValueError + + def get_train_examples(self, data_dir): + """Gets a collection of `InputExample`s for the train set.""" + raise NotImplementedError() + + def get_dev_examples(self, data_dir): + """Gets a collection of `InputExample`s for the dev set.""" + raise NotImplementedError() + + def get_labels(self): + """Gets the list of labels for this data set.""" + raise NotImplementedError() + + @classmethod + def _read_tsv(cls, input_file, quotechar=None): + """Reads a tab separated value file.""" + with open(input_file, "r", encoding="utf-8-sig") as f: + reader = csv.reader(f, delimiter="\t", quotechar=quotechar) + lines = [] + for line in reader: + lines.append(line) + return lines + +class XnliProcessor(DataProcessor): + + def get_dev_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,'xnli.dev.jsonl') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + raw_example = json.loads(line) + if raw_example['language'] != lang: + continue + else: + text_a = raw_example['sentence1'] + text_b = raw_example['sentence2'] + label = raw_example['gold_label'] + guid = f"dev-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_labels(self): + """See base class.""" + return ["contradiction", "entailment", "neutral"] + + def get_train_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,f'multinli.train.{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + if index == 0: + continue + line = line.strip().split('\t') + guid = f"train-{index}" + text_a = line[0] + text_b = line[1] + label = line[2] + if label=='contradictory': + label = 'contradiction' + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_test_examples(self, lang, data_dir): + """See base class.""" + lines = self._read_tsv(os.path.join(data_dir, "xnli.test.tsv")) + examples = [] + for (i, line) in enumerate(lines): + if i == 0: + continue + language = line[0] + if language != lang: + continue + guid = "%s-%s" % ("test", i) + text_a = line[6] + text_b = line[7] + label = line[1] + assert isinstance(text_a, str) and isinstance(text_b, str) and isinstance(label, str) + examples.append(InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + +class PawsxProcessor(DataProcessor): + + def get_dev_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,f'dev-{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + text_a,text_b, label = line.strip().split('\t') + guid = f"dev-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_test_examples(self,lang,data_dir): + examples = [] + input_file = os.path.join(data_dir,f'test-{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + text_a,text_b, label = line.strip().split('\t') + guid = f"test-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_labels(self): + """See base class.""" + return ["0","1"] + + def get_train_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,f'translate-train/{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + line = line.strip().split('\t') + if len(line)==5: + text_a = line[2] + text_b = line[3] + label = line[4] + elif len(line)==3: + text_a = line[0] + text_b = line[1] + label = line[2] + else: + raise ValueError + guid = f"train-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + + +@dataclass(frozen=True) +class InputFeatures: + input_ids: List[int] + attention_mask: Optional[List[int]] = None + token_type_ids: Optional[List[int]] = None + label: Optional[Union[int, float]] = None + + def to_json_string(self): + return json.dumps(dataclasses.asdict(self)) + "\n" + + +def convert_examples_to_features(examples, label_list, max_length, + tokenizer, output_mode): + if max_length is None: + max_length = tokenizer.max_len + + label_map = {label: i for i, label in enumerate(label_list)} + + def label_from_example(example: InputExample): + if example.label is None: + return None + if output_mode == "classification": + return label_map[example.label] + elif output_mode == "regression": + return float(example.label) + raise KeyError(output_mode) + + labels = [label_from_example(example) for example in examples] + + batch_encoding = tokenizer( + [(example.text_a, example.text_b) for example in examples], + max_length=max_length, + padding="max_length", + truncation=True, + return_token_type_ids=True, + return_tensors='pt' + ) + label_ids = torch.tensor(labels, dtype=torch.long) + + features_tensors = (batch_encoding['input_ids'], batch_encoding['attention_mask'], + batch_encoding['token_type_ids'], label_ids) + return features_tensors + +processors = { + "xnli": XnliProcessor, + "pawsx": PawsxProcessor +} + +output_modes = { + "xnli": "classification", + "pawsx":"classification", +} + + +taskname = 'pawsx' +data_dir = '../datasets/pawsx' +split = 'test' +max_seq_length=128 +eval_langs = ['en'] +batch_size=32 +tokenizer = XLMRobertaTokenizer.from_pretrained('../models/xlmr_pawsx') +eval_dataset = MultilingualNLIDataset( + task=taskname, data_dir=data_dir, split=split, prefix='xlmr', + max_seq_length=max_seq_length, langs=eval_langs, local_rank=-1, tokenizer=tokenizer) +eval_sampler = SequentialSampler(eval_dataset) +dataloader = DataLoader(eval_dataset, sampler=eval_sampler, batch_size=batch_size) \ No newline at end of file diff --git a/examples/classification_utils/my_dataset.py b/examples/classification_utils/my_dataset.py new file mode 100644 index 0000000..16f1b09 --- /dev/null +++ b/examples/classification_utils/my_dataset.py @@ -0,0 +1,258 @@ +import logging +logger = logging.getLogger(__name__) + +from torch.utils.data import SequentialSampler, DataLoader +from transformers import XLMRobertaTokenizer + +import os +import torch +from torch.utils.data import TensorDataset, Dataset, ConcatDataset +from typing import List +import csv, json +from io import open +from dataclasses import dataclass +import dataclasses +from typing import List,Optional,Union + + +class MultilingualNLIDataset(Dataset): + def __init__(self, task: str, data_dir: str, split: str, prefix: str, max_seq_length: int, langs: List[str], local_rank=-1, tokenizer=None, reuse_cache=False): + print("Init NLIDataset") + self.split = split + self.processor = processors[task]() + self.output_mode = output_modes[task] + self.cached_features_files = {lang : os.path.join(data_dir, f'{prefix}_{split}_{max_seq_length}_{lang}.tensor') for lang in langs} + self.lang_datasets = {} + + + for lang, cached_features_file in self.cached_features_files.items(): + if os.path.exists(cached_features_file) and reuse_cache is True: + logger.info("Loading features from cached file %s", cached_features_file) + features_tensor = torch.load(cached_features_file) + else: + logger.info("Creating features from dataset file at %s", cached_features_file) + label_list = self.processor.get_labels() + examples = self.processor.get_examples(data_dir, split,lang=lang) + features_tensor = convert_examples_to_features(examples, label_list, max_seq_length, tokenizer, self.output_mode) + if local_rank in [-1, 0]: + logger.info("Saving features into cached file %s", cached_features_file) + torch.save(features_tensor, cached_features_file) + features_tensor = features_tensor[:-1] + (features_tensor[-1].long(),) + self.lang_datasets[lang] = TensorDataset(*features_tensor) + self.all_dataset = ConcatDataset(list(self.lang_datasets.values())) + + def __getitem__(self, index): + example = self.all_dataset[index] + input_ids, attention_mask, token_type_ids, labels = example + return {'input_ids':input_ids, 'attention_mask':attention_mask, + 'token_type_ids':token_type_ids, 'labels':labels} + + def __len__(self): + return len(self.all_dataset) + +class InputExample(object): + + def __init__(self, guid, text_a, text_b=None, label=None): + + self.guid = guid + self.text_a = text_a + self.text_b = text_b + self.label = label + +class DataProcessor(object): + """Base class for data converters for sequence classification data sets.""" + + def get_examples(self, data_dir, split, **kwargs): + if split=='train': + return self.get_train_examples(data_dir=data_dir, **kwargs) + elif split=='dev': + return self.get_dev_examples(data_dir=data_dir, **kwargs) + elif split=='test': + return self.get_test_examples(data_dir=data_dir, **kwargs) + else: + raise ValueError + + def get_train_examples(self, data_dir): + """Gets a collection of `InputExample`s for the train set.""" + raise NotImplementedError() + + def get_dev_examples(self, data_dir): + """Gets a collection of `InputExample`s for the dev set.""" + raise NotImplementedError() + + def get_labels(self): + """Gets the list of labels for this data set.""" + raise NotImplementedError() + + @classmethod + def _read_tsv(cls, input_file, quotechar=None): + """Reads a tab separated value file.""" + with open(input_file, "r", encoding="utf-8-sig") as f: + reader = csv.reader(f, delimiter="\t", quotechar=quotechar) + lines = [] + for line in reader: + lines.append(line) + return lines + +class XnliProcessor(DataProcessor): + + def get_dev_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,'xnli.dev.jsonl') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + raw_example = json.loads(line) + if raw_example['language'] != lang: + continue + else: + text_a = raw_example['sentence1'] + text_b = raw_example['sentence2'] + label = raw_example['gold_label'] + guid = f"dev-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_labels(self): + """See base class.""" + return ["contradiction", "entailment", "neutral"] + + def get_train_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,f'multinli.train.{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + if index == 0: + continue + line = line.strip().split('\t') + guid = f"train-{index}" + text_a = line[0] + text_b = line[1] + label = line[2] + if label=='contradictory': + label = 'contradiction' + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_test_examples(self, lang, data_dir): + """See base class.""" + lines = self._read_tsv(os.path.join(data_dir, "xnli.test.tsv")) + examples = [] + for (i, line) in enumerate(lines): + if i == 0: + continue + language = line[0] + if language != lang: + continue + guid = "%s-%s" % ("test", i) + text_a = line[6] + text_b = line[7] + label = line[1] + assert isinstance(text_a, str) and isinstance(text_b, str) and isinstance(label, str) + examples.append(InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + +class PawsxProcessor(DataProcessor): + + def get_dev_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,f'dev-{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + text_a,text_b, label = line.strip().split('\t') + guid = f"dev-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_test_examples(self,lang,data_dir): + examples = [] + input_file = os.path.join(data_dir,f'test-{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + text_a,text_b, label = line.strip().split('\t') + guid = f"test-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + def get_labels(self): + """See base class.""" + return ["0","1"] + + def get_train_examples(self, lang, data_dir): + examples = [] + input_file = os.path.join(data_dir,f'translate-train/{lang}.tsv') + with open(input_file,'r',encoding='utf-8-sig') as f: + for index,line in enumerate(f): + line = line.strip().split('\t') + if len(line)==5: + text_a = line[2] + text_b = line[3] + label = line[4] + elif len(line)==3: + text_a = line[0] + text_b = line[1] + label = line[2] + else: + raise ValueError + guid = f"train-{index}" + examples.append( + InputExample(guid=guid, text_a=text_a, text_b=text_b, label=label)) + return examples + + + +@dataclass(frozen=True) +class InputFeatures: + input_ids: List[int] + attention_mask: Optional[List[int]] = None + token_type_ids: Optional[List[int]] = None + label: Optional[Union[int, float]] = None + + def to_json_string(self): + return json.dumps(dataclasses.asdict(self)) + "\n" + + +def convert_examples_to_features(examples, label_list, max_length, + tokenizer, output_mode): + if max_length is None: + max_length = tokenizer.max_len + + label_map = {label: i for i, label in enumerate(label_list)} + + def label_from_example(example: InputExample): + if example.label is None: + return None + if output_mode == "classification": + return label_map[example.label] + elif output_mode == "regression": + return float(example.label) + raise KeyError(output_mode) + + labels = [label_from_example(example) for example in examples] + + batch_encoding = tokenizer( + [(example.text_a, example.text_b) for example in examples], + max_length=max_length, + padding="max_length", + truncation=True, + return_token_type_ids=True, + return_tensors='pt' + ) + label_ids = torch.tensor(labels, dtype=torch.long) + + features_tensors = (batch_encoding['input_ids'], batch_encoding['attention_mask'], + batch_encoding['token_type_ids'], label_ids) + return features_tensors + +processors = { + "xnli": XnliProcessor, + "pawsx": PawsxProcessor +} + +output_modes = { + "xnli": "classification", + "pawsx":"classification", +} \ No newline at end of file diff --git a/examples/classification_utils/predict_function.py b/examples/classification_utils/predict_function.py new file mode 100644 index 0000000..6e068db --- /dev/null +++ b/examples/classification_utils/predict_function.py @@ -0,0 +1,94 @@ +import numpy as np +import os +import torch +from torch.utils.data import SequentialSampler,DataLoader +from tqdm import tqdm +import logging +logger = logging.getLogger(__name__) + +def compute_metrics(metric, preds, labels): + assert len(preds) == len(labels) + if metric == "acc": + return {"acc": (preds == labels).mean()} + else: + raise KeyError(metric) + +def predict(model,eval_datasets, eval_langs, device, predict_batch_size=16, output_dir='./'): + lang_results = {} + for lang,eval_dataset in zip(eval_langs, eval_datasets): + logger.info("Predicting...") + logger.info("***** Running predictions *****") + logger.info(" lang : %s", lang) + logger.info(" Num examples = %d", len(eval_dataset)) + eval_sampler = SequentialSampler(eval_dataset) + eval_dataloader = DataLoader(eval_dataset, sampler=eval_sampler, batch_size=predict_batch_size) + model.eval() + + pred_logits = [] + label_ids = [] + for batch in tqdm(eval_dataloader, desc="Evaluating"): + input_ids, attention_mask, token_type_ids, labels = batch + input_ids = input_ids.to(device) + attention_mask = attention_mask.to(device) + token_type_ids = token_type_ids.to(device) + inputs={'input_ids':input_ids, 'attention_mask':attention_mask, + 'token_type_ids':token_type_ids} + with torch.no_grad(): + outputs = model(**inputs) + if isinstance(outputs, tuple): + logits = outputs[0] + elif hasattr(outputs,'logits'): + logits = outputs.logits + else: + logits = outputs + pred_logits.append(logits.detach().cpu()) + label_ids.append(labels) + pred_logits = np.array(torch.cat(pred_logits),dtype=np.float32) + label_ids = np.array(torch.cat(label_ids),dtype=np.int64) + + preds = np.argmax(pred_logits, axis=1) + results = compute_metrics("acc", preds, label_ids) + + logger.info(f"***** Eval results Lang {lang} *****") + for key in sorted(results.keys()): + logger.info(f"{lang} {key} = {results[key]:.5f}") + lang_results[lang] = results + + #output_eval_file = os.path.join(eval_output_dir, "eval_results.txt") + #write_results(output_eval_file,step,lang_results, eval_langs, in_lang=in_lang) + model.train() + print (f"Performance: {lang_results}") + return lang_results + + +def write_results(output_eval_file,step,lang_results, eval_langs, in_lang): + if in_lang is None: + in_lang = [] + with open(output_eval_file, "a") as writer: + writer.write(f"step: {step:<8d} ") + line = "Acc:" + + in_acc = zs_acc = all_acc = 0 + in_count = zs_count = all_count =0 + + #avg_acc = 0 + for lang in eval_langs: + acc = lang_results[lang]['acc'] + #avg_acc += acc + all_acc += acc + all_count += 1 + if lang in in_lang: + in_acc += acc + in_count += 1 + else: + zs_acc += acc + zs_count += 1 + line += f"{lang}={acc:.5f} " + #avg_acc /= len(eval_langs) + all_acc /= all_count + if in_count > 0: + in_acc /= in_count + if zs_count > 0: + zs_acc /= zs_count + line += f"IN/ZS/All={in_acc:.5f} {zs_acc:.5f} {all_acc:.5f}\n" + writer.write(line) \ No newline at end of file diff --git a/examples/configurations/gc.json b/examples/configurations/gc.json new file mode 100644 index 0000000..e13a30b --- /dev/null +++ b/examples/configurations/gc.json @@ -0,0 +1,5 @@ +{ + "use_device": "auto", + "output_dir": "./pruned_models", + "config_class": "GeneralConfig" +} \ No newline at end of file diff --git a/examples/configurations/tc-iterative.json b/examples/configurations/tc-iterative.json new file mode 100644 index 0000000..24940ad --- /dev/null +++ b/examples/configurations/tc-iterative.json @@ -0,0 +1,11 @@ +{ + "target_ffn_size": 2048, + "target_num_of_heads": 8, + "pruning_method": "iterative", + "ffn_even_masking": true, + "head_even_masking": true, + "n_iters": 1, + "multiple_of": 1, + "pruning_order": null, + "config_class": "TransformerPruningConfig" +} diff --git a/examples/configurations/tc-masks.json b/examples/configurations/tc-masks.json new file mode 100644 index 0000000..65c52c7 --- /dev/null +++ b/examples/configurations/tc-masks.json @@ -0,0 +1,4 @@ +{ + "pruning_method": "masks", + "config_class": "TransformerPruningConfig" +} diff --git a/examples/configurations/vc.json b/examples/configurations/vc.json new file mode 100644 index 0000000..3f6b57a --- /dev/null +++ b/examples/configurations/vc.json @@ -0,0 +1,5 @@ +{ + "min_count": 1, + "prune_lm_head": "auto", + "config_class": "VocabularyPruningConfig" +} \ No newline at end of file diff --git a/examples/datasets/pawsx/dev-en.tsv b/examples/datasets/pawsx/dev-en.tsv new file mode 100644 index 0000000..000c08e --- /dev/null +++ b/examples/datasets/pawsx/dev-en.tsv @@ -0,0 +1,2000 @@ +From the merger of the Four Rivers Council and the Audubon Council , the Shawnee Trails Council was born . Shawnee Trails Council was formed from the merger of the Four Rivers Council and the Audubon Council . 1 +Kathy and her husband Pete Beale ( Peter Dean ) are stable financially . Kathy and her husband Peter Dean ( Pete Beale ) are financially stable . 1 +Timora diarhoda is a species of moth of the Noctuidae family . It is found in Africa , including South Africa . Diarhoda is a kind of moth of the Noctuidae family . It is found in South Africa including Africa . 1 +Joe R. Campa Jr. is a former sailor of the United States Navy , who served as the eleventh Master Chief Petty Officer of the U.S. Navy . Joe R. Campa Jr. is a former U.S. Navy Matrose who served as the 11th Master Chief Petty Officer of the United States Navy . 1 +Cook Pond , also known as the South Watuppa Pond , is located south east of Laurel Lake and west of the Taunton River . Cook Pond , also formerly known as Laurel Lake , is located south east of the Taunton River and west of the South Watuppa Pond . 0 +The family moved to Camp Hill in 1972 , where he attended Trinity High School in Harrisburg , Pennsylvania . In 1972 , the family moved to Camp Hill , where he visited the Trinity High School in Harrisburg , Pennsylvania . 1 +Components of elastic potential systems store mechanical energy if they are deformed when forces are applied to the system . Components of elastic potential systems store mechanical energy if they are deformed to the system when applied to forces . 1 +In mathematical astronomy , his fame is due to the introduction of the astronomical globe , and his early contributions to understanding the movement of the planets . His fame is due in mathematical astronomy to the introduction of the astronomical globe and to his early contributions to the understanding of the movement of the planets . 1 +The Hudson County , New Jersey , also spelled as `` Macpelah Cemetery '' , or `` Macphelah Cemetery '' , is a cemetery in Machpelah Cemetery . The Machpelah Cemetery , also spelled as '' Macpelah Cemetery `` or '' Macphelah Cemetery `` , is a graveyard in Hudson County , New Jersey . 0 +Aamir Khan has agreed to play immediately after reading Mehra 's script in `` Rang De Basanti '' . Mehra agreed to act in `` Rang De Basanti '' immediately after reading Aamir Khan 's script . 0 +In the reviews below will be the highest rating for the show in red , and the lowest evaluation for the show will be in blue episode . In the reviews below will be the lowest rating for the show in red , and the highest rating for the show will be in blue sequence . 0 +A multiverse is a collection of alternative universes with a similar nature and universal hierarchy . A multiverse is a collection of alternative universes with universal nature and a similar hierarchy . 0 +Lucas Dumbrell Motorsport replaced Aaren Russell with Alex Davison for this event and the following . Lucas Dumbrell Motorsport replaced Alex Davison with Aaren Russell for this and the following event . 0 +Was born Martins Pena in Rio de Janeiro , João Martins Pena and Francisca de Paula Julieta Pena . João Martins Pena and Francisca de Paula Julieta Pena was born in Rio de Janeiro , to Martins Pena . 0 +The following is a list of fouls established by the states that regulate MMA , as outlined by the Nevada State Athletic Commission . The following is a list of fouls defined by the states that regulate MMA as outlined by the Nevada State Athletic Commission . 1 +Example milestones are beating a World Series champion team , beating historical teams and playing other players head to head . Example milestones are beating a World Series Champion team , playing historic teams and beating other players head to head . 0 +The racial Rubber Bowl was used by the National Guard of the United States as a base during the historical Wooster Avenue Riots of 1968 . The historic Rubber Bowl was used by the National Guard of the United States as the base during the racist Wooster Avenue Riots of 1968 . 0 +Among them are Marie Teresa Rios , a composer of Boleros , Julita Ross , author , and Sylvia Rexach , a singer . Among them are Marie Teresa Rios , a composer of boleros , Julita Ross , an author , and Sylvia Rexach , a singer . 1 +When it opened , the Director of BBC television was David Nixon , and the first programme broadcast was `` First Night '' with Gerald Beadle in Studio Three . When it was opened was the director of the BBC - TV Gerald Beadle , and the first broadcast was '' First Night `` with David Nixon in Studio Three . 0 +Bob and Ted were brothers . Ted is John 's son . Bob and Ted were brothers , and Ted is John 's son . 1 +Earl St Vincent was a British ship that was captured in 1803 and became a French trade man . Earl St Vincent was a French ship that was captured in 1803 and became a British trade man . 0 +It was released on 22 December 2011 and was announced in February 2012 . It was published on 22 December 2011 and was announced in February 2012 . 1 +Sir Robert was the son of the first of Jenkinson 's Baronets of Hawkesbury , Gloucestershire . Sir Robert 's son Anthony was the father of the first of the Jenkinson Baronets of Hawkesbury , Gloucestershire . 0 +Probuccinum tenerum is a species of sea snail , a true gastropod mollusc in the Buccinidae family , the whelks marine . Probuccinum tenerum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +The Loyang team defeated the Raffles Institution in the opening round and the Xinmin Secondary School in the quarter-finals before losing to the Hwa Chong Institution in the semi-finals . Loyang 's team defeated Raffles Institution in the opening round and Xinmin Secondary School in the quarter-finals , before losing to Hwa Chong Institution in the semi-finals . 1 +Three days Jonas spent in the belly of fish , Jesus will spend three days in the grave . Jesus spent three days in the belly of the fish ; Jonah will spend three days in the grave . 0 +He then taught school in Toledo , OH , and was the deputy superintendent of the schools in Cleveland from 1856-1859 . He then taught school in Cleveland , OH and was the deputy superintendent from 1856-1859 of the schools in Toledo . 0 +However , in order to defeat Slovak , Derek must become a vampire attacker . However , in order to become Slovak , Derek must defeat a vampire assassin . 0 +Flavia Gleske , better known as Flavia Alejandra Gleske Fajin ( born 15 May 1978 ) is a Venezuelan actress . Flavia Alejandra Gleske Fajin , better known as Flavia Gleske ( born 15 May 1978 ) is a Venezuelan actress and model . 0 +Huyghe was born in 1962 in Paris , he lives and works in Chile and New York . Huyghe was born in 1962 in Chile and New York and lives and works in Paris . 0 +Finale is a city in the Mopani District Municipality in the province of Limpopo , South Africa . Finale is a city in South Africa , located in the province of Limpopo Mopani District Municipality . 0 +He was born in Carter County , Tennessee and was later moved to Arkansas . He was born in Carter County , Tennessee and later moved to Arkansas . 1 +In 1876 , he moved to San Diego , California , and in 1887 to Dallas , Texas . He moved to San Diego , California in 1876 , and to Dallas , Texas in 1887 . 1 +Dénes wrote the first Hungarian biography of Sigmund Freud . She knew prominent figures of her time such as Rainer Maria Rilke and poet Vladimir Lenin . She wrote the first Hungarian biography of Vladimir Lenin , well-known figures of her time , such as Sigmund Freud and poet Rainer Maria Rilke . 0 +Her work has also been linked to the Scottish school and the popular fiction of Annie S. Swan . Her work has also been linked to the popular kailyard school and the Scottish fiction of Annie S. Swan . 0 +Rõuge Valgjärv is a lake in the southeastern county of Voru in Estonia , close to the border with Latvia . Rõuge Valgjärv is a lake in Estonia 's southeastern county of Voru , close to the border with Latvia . 1 +It was part of the Hanover Township , then Chatham Township , before being recorded in 1899 as Florham Park . It was part of Hanover Township , then Chatham Township before being incorporated as Florham Park in 1899 . 1 +The loyalists had camped on the west side of the Catawba River , while the army of General Charles Cornwalli camped on the east side . The loyalists were camped on the west side of Catawba River , while the army of General Charles Cornwallis camped on the eastern side . 1 +Mohammad Shafiq ( variants : Mohammed , Muhammad , Shafik , Shafeek , Shafeeq , Shafique , Shafic , Chafic ) can refer to Mohammad Shafiq ( variants : Mohammed , Muhammad , Shafik , Shafeek , Shafeeq , Shafique , Shafic , Chafic ) may refer to 1 +`` T '' is similar to a matrix whose canonical entries are on the superdiagonal , by the Jordan only non-zero form . `` T '' is similar to a matrix whose canonical entries are on the superdiagonal form of the Jordan non-zero . 1 +Although interchangeable , the body pieces on the 2 cars are not similar . Although similar , the body parts are not interchangeable on the 2 cars . 0 +Fanwood is located in the 22nd Congressional District and is part of the 12th New Jersey Legislative District . Fanwood is located in the 22nd Congressional District and is part of New Jersey 's 12th state legislative district . 1 +After Independence , the institution was sanctioned by the new government and gained its current name . After independence , the institution was sanctioned by the current government and received its new name . 0 +The manuscript was added to the list of manuscripts of the New Testament by Caspar René Gregory ( 278 ) and Frederick Henry Ambrose Scrivener ( Number 329 ) . The manuscript was added to the list of New Testament manuscripts by Frederick Henry Ambrose Scrivener ( 278 ) and Caspar René Gregory ( number 329 ) . 0 +A UK tour started in May 1983 , featuring additional guitarist Robin George for live performances . In May 1983 , a UK tour with the live guitarist Robin George started for additional performances . 0 +ACVM is headquartered in Edinburgh and has offices in Glasgow , Aberdeen , Newcastle , Manchester and Milton Keynes . ACVM is based in Glasgow and has subsidiaries in Edinburgh , Aberdeen , Newcastle , Manchester and Milton Keynes . 0 +Ned Lambton and McEwen divorced in 1995 . She has since married the musician Jools Holland . Ned Lambton and McEwen divorced in 1995 , and since then she has married the musician Jools Holland . 1 +Cordell Crockett played the bass on 5 songs , with Ugly Kid Joe bassist Nathan Slade playing bass on the rest . Nathan Slade played the bass on five songs , with Ugly Kid Joe Bassist Cordell Crockett on the rest bass . 0 +Podkriváň is a village and municipality in the region Banská Bystrica , in the district of Detva in Central Slovakia . Podkriváň is a village and municipality in Banská Bystrica Region , in the Detva District of central Slovakia . 1 +Callum O 'brien ( born November 4 , 1982 in Cambridge , New Zealand ) is a professional squash player . Callum O'brien ( born 4 November 1982 in Cambridge ) is a New Zealand professional squash player . 1 +She is praised by Richard Gibson and the court painter Peter Lely and is considered as successful as Joan Carlile . Praised by Richard Gibson and the court painter Joan Carlile , she is considered to be as successful as Peter Lely . 0 +The East Coast episode was filmed on site in Nova Scotia , including Peggys Cove and the highlands of Cape Breton , along the Cabot Trail . The Cabot Trail episode was filmed on location in Cape Breton , including Peggys Cove and the highlands of Nova Scotia , along the East Coast . 0 +Meyers has been making large , site-specific wall drawings in museums and galleries since 2000 . Since 2000 , Meyers has been making specific , large-format wall drawings in museums and galleries . 0 +His brothers were Mark Hayford , a doctor , and the priest Ernest Hayford , a minister . His brothers were Ernest Hayford , a doctor , and the Reverend Mark Hayford , a minister . 0 +Phase transition from a ferromagnet to a paramagnet is continuous and has a second order . A phase transition from a ferromagnet to a paramagnetic is the second and is of continuous order . 0 +Erginus galkini is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . Erginus galkini is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the Marinelimpets families . 0 +Archbishop Seóighe was appointed on 16 May 1485 and consecrated in 1487 . He died on either the 20 or 20 December 1501 . Archbishop Seóighe was appointed on May 16 , 1485 and consecrated in 1487 , died either on December 20 or 20 , 1501 . 1 +Anderson was born in Oakland , California in 1943 and is from Redondo Beach , California . Anderson was born in 1943 in Redondo Beach , California and is from Oakland , California . 0 +Fishman holds a bachelor 's degree from Columbia University and a master 's degree in economics from Brown University . Fishman holds a Bachelor 's degree from Columbia University and a Master 's degree in Brown University economics . 1 +Judith was daughter of his sister Eliza who had died in about 1748 . Eliza was the daughter of his sister Judith , who had died about 1748 . 0 +He was born on May 5 , 1940 in Constantinople ( Istanbul ) and died of cancer in Athens on November 19 , 2011 . He was born on 5 May 1940 in Constantinople ( Athens ) and died of cancer in Istanbul on 19 November 2011 . 0 +Hoppkorv was the last album of the American blues rock band Hot Tuna , and her seventh studio album was recorded as Grunt BFL1-1920 for Grunt Records . Hoppkorv was the seventh album by the American blues rock band Hot Tuna , and their last studio album recorded for Grunt Records , as Grunt BFL1-1920 . 0 +Katz was born in Sweden in 1947 and moved to New York City at the age of 1 . Katz was born in 1947 in Sweden and moved to New York at the age of one . 1 +Lusaghbyur ( formerly romanised as Lusakhpyur ; Svanverdi and Svan ) is a village in the Shirak province of Armenia . Lusaghbyur ( also known as the Lusakhpyur romanized ; formerly Svanverdi and Svan ) is a village in the province of Shirak of Armenia . 0 +It is limited to three very native areas in Santa Cruz , Monterey Peninsula and San Luis Obispo Counties . It is limited to three very native areas located in Santa Cruz , Monterey Peninsula , and San Luis Obispo Counties . 1 +Because of these transaction mechanisms , unreliable transport protocols such as the User Datagram Protocol ( UDP ) for the SIP operation are sufficient . Because of these unreliable mechanisms , transactional transport protocols such as the User Datagram Protocol ( UDP ) , are sufficient for SIP operation . 0 +The species are members of various ecological groups , including tropical shrubs , lianas and trees , xerophytic plants , mycoheterotrophs , as well as different herbaceous representatives . The species are members of different ecological groups , including tropical shrubs , lianas and trees , xerophytic plants , mycoheterotrophic as well as various herbal representatives . 1 +The studios , opened in 2008 , were designed by Martin Pilchner and supervised by chief engineer Zach Hancock . Opened in 2008 , the studios were designed by Martin Pilchner and are overseen by chief engineer Zach Hancock . 1 +12 January 1978 : Cambridge United manager Ron Atkinson is appointed as manager of West Bromwich Albion . 12 January 1978 : Ron Atkinson , the manager of West Bromwich Albion , is appointed manager of Cambridge United . 0 +On May 8 , 2015 , Tapia lost to Michel Soro . On 8 May 2015 , Tapia lost Michel Soro . 1 +He is the half-brother of Lord Clarence Paget , Lord Alfred Paget , and Lord George Paget . He was the half-brother of Lord Alfred Paget , Lord George Paget and Lord Clarence Paget . 1 +In 1835 , Campbell married Frances Owen , who had seven children : Mary , Margaret , Fanny , William , Joseph , John Owen , and Lemuel . In 1835 , Campbell married John Owen , with seven children : Mary , Frances Owen , Fanny , William , Joseph , Margaret , and Lemuel . 0 +On November 13 , 2016 , David Machado was murdered in Fox Grove Park near the city of Hughson by Dennis Wallace . On November 13 , 2016 , Deputy David Machado was murdered in Fox Grove Park near the City of Hughson by Dennis Wallace . 1 +Immediately after reading Aamir Khan 's script , Mehra agreed to play in `` Rang De Basanti '' . Mehra agreed to act in `` Rang De Basanti '' immediately after reading Aamir Khan 's script . 1 +In 2018 , Farrell was appointed by Pope Francis as a new bishop of Ossory . In 2018 Pope Francis was appointed as the new Bishop of Ossory by Farrell . 0 +The tracks were produced by Tommy Lee and by Michael Beinhorn on drums . The tracks were produced by Michael Beinhorn and have Tommy Lee on drums . 0 +Flavia Gleske , better known as Flavia Alejandra Gleske Fajin ( born May 15 , 1978 ) is a Venezuelan actress . Flavia Gleske , better known as Flavia Alejandra Gleske Fajin ( born 15 May 1978 ) is a Venezuelan actress and model . 1 +It 's also worth noting that the following code would work without ADL ( it is applied to it anyway ) . It is also worth noting that the following code would work without ADL ( it will be applied anyway to it ) . 1 +In 1291 , Mahaut married Otto IV , Count of Burgundy . She married the mother of three children , including two girls who became kings of France . In 1291 , Mahaut married the count de Burgundy , Otto IV , who became mother of three children , including two girls who married kings of France . 0 +On August 17 , 1865 , the 13th New York Volunteer Cavalry with the 16th New York Volunteer Cavalry was merged into the 3rd New York Provisional Cavalry . On August 17 , 1865 , the 3rd New York Volunteer Cavalry was consolidated with the 16th New York Volunteer Cavalry to form the 13th New York Provisional Cavalry . 0 +An international independent group of experts examined the impact of the accident and concluded that no one was killed or poisoned as a result of the accident . An international independent group of experts studied the impact of the accident and concluded that no one was killed or poisoned as a result of the accident . 1 +This album was recorded in Los Angeles , California by Aníbal Kerpel , mixed in `` La Casa '' studies in Los Angeles . The album was recorded in Los Angeles by Aníbal Kerpel and mixed in `` La Casa '' studies in Los Angeles , California . 1 +It is located to the east of Nanuet , south of Chestnut Ridge , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . It is east of Chestnut Ridge , south of Nanuet , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . 0 +Abies lasiocarpa , generally called the subalpine fir or Rocky mountain fir tree , is a western North American fir . Abies lasiocarpa , commonly known as the western North American fir or Rocky Mountain fir , is a subalpine fir tree . 0 +Mount DeVoe is a mountain located on Vancouver Island , British Columbia , Canada , southeast of Gold River and south of Rambler Peak . Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , located southeast of Rambler Peak and south of Gold River . 0 +There is also an isolated narrow gauge railway on the Eyre Peninsula from Ceduna to Port Lincoln . There is also an isolated narrow gauge railway operating on the Eyre Peninsula from Ceduna to Port Lincoln . 1 +It is centered on a stretch of Main Street , roughly between Depot Street and Brook Road . It is centered on a stretch of the main road , roughly between Depot Street and Brook Road . 1 +On 13 November 2016 , David Machado murdered Dennis Wallace in Fox Grove Park near the city of Hughson . On November 13 , 2016 , Deputy David Machado was murdered in Fox Grove Park near the City of Hughson by Dennis Wallace . 0 +On 9 August Lloyd was selected with 51.1 % of the vote . Andy Burnham placed second with 29.1 % . Lloyd was elected on 9 August with 51.1 % of the vote , Andy Burnham second with 29.1 % . 1 +The uvular ejective is a type of consonantal sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is . The uvular ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents that sound . 1 +Buccinum pulchellum is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . Buccinum pulchellum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +The merger of the Four Rivers Council and the Audubon Council formed the Shawnee Trails Council . Audubon Council was formed from the association of the Shawnee Trails Council and the Four Rivers Council . 0 +In Luzon the provinces of Catanduanes , Albay , Sorsogon , Masbate , Burias Island and Ticao Island were extended to No . In Luzon , the provinces of Catanduanes , Albay , Sorsogon , Masbate , Burias Island , and Ticao Island were upgraded to No . 1 +If villagers do not accept a poon - choi - feast , this means , for example , that a village does not approve or hold a particular marriage . If villagers do not accept a Poon choi feast , it means , for example , that a village does not approve of or hold a particular marriage . 1 +In years two and three they specialize in a major : humanities , behavioural & social sciences , economics & business , or life sciences . In the years two and three they specialize in a major subject : humanities , behavioural social sciences , economics , business or life sciences . 1 +The police also questioned singer Rimi Tomy and actor Kavya Madhavan , both close friends of Siddique and his wife Dileep , as part of the ongoing investigation . The police also questioned singer Rimi Tomy and the actor Siddique , both close friends of Dileep and his wife Kavya Madhavan , as part of the ongoing investigation . 0 +Navarro is a partido in the northeast of Buenos Aires Province in Argentina . Navarro is a partido in northeastern Argentina in the province of Buenos Aires . 0 +A character in `` Detection Unlimited '' , a mystery novel written by Armstrong , is compared to Georgette Heyer . In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a figure is compared to Armstrong . 0 +The chief editor is Herbert Wessels ( since 2009 ) , second editor is Markus Ermert ( since 2002 ) . Second editor is Herbert Wessels ( since 2009 ) , Chief Editor is Markus Ermert ( since 2002 ) . 0 +The line-up is mainly focused on indie music and alternative music . The cast is focused mainly on alternative music and indie music . 1 +His best positions in the competition were eighth in 1960 , and in 1968 tenth . His best positions in competition were eighth in 1960 and tenth in 1968 . 1 +vidas distintas , is a 1969 Mexican telenovela transmitted by Televisa and originally produced by Telesistema Mexicano . Tres vidas distintas , is a 1969 Mexican telenovela transmitted by Televisa and originally produced by Telesistema Mexicano . 0 +In the last 100 years , the number of Thai elephants has been reduced from 100,000 to 2,000 -- 3,000 wild elephants and 2,700 domesticated elephants . The number of Thai elephants has been reduced from 100,000 to 2,000 -3,000 domesticated elephants and about 2,700 wild elephants over the past 100 years . 0 +It is based in Luxembourg - city , south of Mondercange . It is based in Mondercange , south of Luxembourg City . 0 +The Jidanul River is a tributary of the River Jiul de Vest , Romania . The Jiul de Vest river is a tributary of the River Jidanul in Romania . 0 +His wife was Ferenc Wathay , and their son Klára Csabi was also a famous commander and author of the `` Songbook of Ferenc Wathay '' . His wife was Klára Csabi , and her son Ferenc Wathay was also a famous commander and author of the `` songbook of Ferenc Wathay '' . 0 +In early astronomy , his fame is due to the introduction of the mathematical globe and to his astronomical contributions to understanding the movement of the planets . His fame is attributable in mathematical astronomy to the introduction of the astronomical globe and to his early contributions to understanding the motion of the planets . 0 +On June 25 , 1866 , he was appointed titular bishop of `` Nisa in Lycia , and the Bishop of Velletri . He was appointed as titular bishop of `` Nisa in Lycia '' and auxiliary bishop of Velletri on 25 June 1866 . 1 +Phones with WVGA such display - resolution have become common This is a list of mobile phones with native displays . Mobile phones with WVGA such display resolution have become common . This is a list of phones that have native displays . 1 +Eamonn Andrews was the subject of a `` This Is Your Life '' TV programme in 1961 , when he was surprised by Herbert . In 1961 , Herbert Herbert was the subject of a `` This Is Your Life '' TV program when he was surprised by Eamonn Andrews . 0 +William Llewelyn Williams , better known as Llewelyn Williams ( March 10 , 1867 - April 22 , 1922 ) , was a radical journalist , lawyer and Welsh liberal party politician . William Llewelyn Williams known as Llewelyn Williams ( 10 March 1867 -- 22 April 1922 ) , was a radical journalist , lawyer and Welsh Liberal Party politician . 1 +In 284 BC , King Qi met King Zhao of Qin in western Zhou to form an alliance against Xi . In 284 BC , King Xi met with King Zhao of Qin in Western Zhou to form an alliance against Qi . 0 +Pennmakkal is an Indian Malayalam film produced by J. Sasikumar and directed by KP Kottarakkara in 1966 . Pennmakkal is a 1966 Indian Malayalam film , directed by J. Sasikumar and produced by KP Kottarakkara . 0 +The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FK Borac Čačak and the Russian FC Terek Grozny . The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FC Terek Grozny and the Russian FK Borac Čačak . 0 +Siebenberg described the song as his favourite on the album `` because it is so pure and so personal . Siebenberg has described the song as his favourite on the album `` because it 's so pure and so personal . '' 1 +In 1933 , Cattell wrote that of all the Nordic races , `` was the European race in the intelligence and stability of temperament the most developed '' . In 1933 Cattell wrote that , of all the European races , the `` Nordic race was the most evolved in intelligence and stability of temperament . '' 0 +Both daughters died before he did , in Tosca in 1976 and in Janear 1981 . Both daughters died before he did , Tosca in 1976 and Janear in 1981 . 1 +According to the United States Census Bureau , Southport is a total surface area of which has land and , or 0.91 % , is water . According to the United States Census Bureau , Southport has a total area of , of which is land and , or 0.91 % , is water . 1 +Somatherapy ( or Soma ) was created by the Freire in the 1970s as a group therapy , based on the research of the psychoanalyst Wilhelm Reich . Somatherapy ( or Soma ) was created in the 1970s by the Freire as a group therapy based on the researches of the psychoanalyst Wilhelm Reich . 1 +In December 1969 , 49th Army Division became 29th Army Division . In December 1969 the 49th Army Division 29th Army Division became . 1 +Indonesian official representative in Rome was established in March 1952 , while the Italian Republic had established its official representative in Jakarta on October 1952 . The official Indonesian representative in Rome was established in March 1952 , while in October 1952 the Italian Republic established its official representative in Jakarta . 1 +The American pioneer John Sutter ( 1803 -- 1880 ) arrived in August 1839 together with other euros - Swiss settlers in Alta California . The Swiss pioneer John Sutter ( 1803 - 1880 ) was in August 1839 with other euro-American settlers in Alta California . 0 +More recently , the black triangle has been taken over as a symbol in lesbian culture and by disabled activists . More recently the black triangle has been adopted as a symbol in disabled culture and by lesbian activists . 0 +Rainbach im Innkreis is a municipality in the district of Upper Austria of the Austrian state of Schärding . Rainbach im Innkreis is a municipality in the district of Upper Austria in the Austrian state of Schärding . 1 +The last line of the third verse was modified during the reign of Alexander I of Yugoslavia in `` Kralja Aleksandra , Bože hrani '' . The third line of the last verse was modified during the reign of Alexander I of Yugoslavia in `` Kralja Aleksandra , Bože hrani '' . 0 +Shawnee Trails Council was formed from the merger of the Four Rivers Council and the Audubon Council . The merger of the Four Rivers Council and the Audubon Council formed the Shawnee Trails Council . 1 +If a surface has a constant developable curvature of zero , then it is an euclidean surface and the geometry of the surface is a Gaussian geometry . When a surface has a constant Gaussian curvature of zero , it is a developable surface and the geometry of the surface is Euclidean geometry . 0 +Michael Kelly Smith was previously in an early version of fellow Philadelphia band Tony Destra until his dismissal , and later Cinderella also played with them . Michael Kelly Smith was previously until his release in an early version of the Philadelphia band Cinderella , and later Tony Destra also played with them . 0 +The single was released on 31 October 2015 and was announced on 13 November 2015 . The single was announced on October 31 , 2015 , and was published on November 13 , 2015 . 0 +It was designed in 1983 by architects Philip Johnson ( alumnus of the University ) and John Burgee . It was designed in 1983 by the architects Philip Johnson ( University Alumnus ) and John Burgee . 1 +Lehman College was originally Hunter College 's uptown campus . Hunter College originally was Lehman College Uptown Campus . 0 +During its presence at DTM the Audi V8 competed with much smaller and about lighter Mercedes 190 , BMW M3 , and slightly smaller Opel Omega 3000 . The Audi V8 competed with significantly smaller and lighter Mercedes 190 , BMW M3 and slightly smaller Opel Omega 3000 during its DTM presence . 1 +The cap color varies from brown to yellow , often with a brown spot on the cap at ripeness . The cap color varies from brown to brown , often with a yellow spot on the cap at maturity . 0 +The abandoned methodist chapel is one of the few brick buildings in Upsall . The built Methodist chapel is one of the few brick-abandoned buildings in Upsall . 0 +In 1963 , Roy joined the Communist Party of India and led trade union movements in the Kolkata area of Bansdroni . In 1963 , Roy joined the Communist Party of India and led trade union movements in Bansdroni in Kolkata . 0 +He later used it as a symbol for the Nazi party and placed it on a red circle and a white background to use it as a flag . He later used it as a symbol for the Nazi Party , and placed it on a red circle and white background for use as a flag . 1 +Huyghe was born in 1962 in Chile and New York , he lives and works in Paris . Huyghe was born in Paris in 1962 and lives and works in Chile and New York . 0 +The single was sent to radio airplay on October 12 , 2012 in Italy and was released worldwide on December 3 , 2012 . The single was released on Radio Airplay in Italy on October 12 , 2012 , and was shipped worldwide on December 3 , 2012 . 0 +Nearby is the Lostine River , a tributary of the Wallowa River , east of the Wallowa Mountains of northeastern Oregon . The Wallowa River , a tributary of the Lostine River , east of the Wallowa Mountains in the northeast of Oregon , is nearby . 0 +The Gegenbauer polynomials appear naturally as extensions of Legendre polynomials in the context of potential theory and harmonic analysis . The Gegenbauer - polynomials appear as extensions of legend - polynomials in the context of potential theory and harmonic analysis . 1 +On May 23 , 1928 , the Fleagle Gang arrived in Colorado after being robbed of the First National Bank of Lamar , Dighton . On May 23 , 1928 , the Fleagle Gang arrived in Dighton after robbing the First National Bank of Lamar , Colorado . 0 +The mass production of electronic and digital films was directly linked to the mainstream film industry until the emergence of pornographic video technology . Until the advent of pornographic video technology , the mass production of electronic and digital films was tied directly to the mainstream film industry . 1 +Air transportation is provided locally by smaller aircraft in East Taunton , Berkley , and the regional airport in New Bedford . The air transportation is provided locally by smaller aircraft in New Bedford , Berkley , and the regional airport in East Taunton . 0 +The Nashua Silver Knights , part of a summer collegiate league , is today 's team in the city . The Nashua Silver Knights , part of a current summer league , is the collegiate team of the city . 0 +In 1999 and 2003 he became an indoor champion , with Jarno Jokihaara and Marko Ritola , in 2003 he became Finnish champion . In 1999 and 2003 he became Finnish master , with Jarno Jokihaara and Marko Ritola , in 2003 he became Indoor - Champion . 0 +As reward for his loyalty to Henry , he acquired many lands and lucrative offices in South Wales . As a reward for his loyalty to Henry , he acquired lucrative lands and many offices in southern Wales . 0 +Evonne Goolagong defeated Françoise Dürr by 6 -- 4 , 6 - 2 . Evonne Goolagong defeated Françoise Dürr 6 -- 4 , 6 -- 2 . 1 +The driest year was 1983 with and the wettest year was 1976 . The wettest year was 1983 with and the dryest year was with 1976 . 0 +For conventional warfare , three brigades ( 11 battalions ) were set up , a large guerrilla force ( estimated at 100,000 ) was trained . Three brigades ( 11 Battalions ) were raised for conventional warfare ; a large guerrilla force ( estimated at 100,000 ) was trained . 1 +In 1922 , John Henry Kilbuck died in Akiak , Alaska and Edith in 1933 . Edith died in 1922 in Akiak , Alaska . John Henry Kilbuck died in 1933 . 0 +She was raised by the Germans and sunk by Allied bombers twice in 1943 -- 1944 , and finally scrapped in 1946 -- 1947 . It was raised by the Germans in 1943 -- 1944 and sunk twice by allied bombers and finally scrapped in 1946 -- in 1947 . 1 +The number of fires reported at the beginning of February was 73 with 26 out of control and expected time to control in order to be another month of fires . The number of reported fires in early February was out of control at 73 with 26 and expected time to control another month of fire . 1 +It is 20 miles northwest of Roanoke , Virginia and about two miles southeast of Glasgow , Virginia . It is 20 miles northwest of Roanoke , Virginia and about two miles southeast from Glasgow , Virginia . 1 +The satraps of Achaemenid times , however , ruled smaller territories and perhaps had less prestige and influence than their Parthian predecessors . However , the satraps of Achaemenid times governed smaller territories , and perhaps had less prestige and influence than their Parthian predecessors . 1 +The BBC College of Journalism was opened as an e-learning course series in June 2005 , with Vin Ray as Executive Editor . Its first Director was Kevin Marsh . In June 2005 , the BBC College of Journalism was opened as an e-learning series with Vin Ray as Executive Editor , whose first director was Kevin Marsh . 1 +He died in Milwaukee , Wisconsin , where he retired on May 5 , 1903 . He retired in Milwaukee , Wisconsin , where he died on 5 May 1903 . 0 +The Velar - Ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet that represents that sound . The velar ejective is a type of consonantal sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is . 1 +Many bus lines depart from the adjacent Eddy Avenue or from nearby Elizabeth Street or Railway Square . Many bus services depart from the adjacent Eddy Avenue or from the nearby Elizabeth Street or Railway Square . 1 +The Barons de Longueuil have lived not in Canada for several generations , but lived in Scotland and France and in the 1970s in Luzon , Philippines . The Barons de Longueuil have not lived in Scotland for several generations ; they lived in Canada and France and in the 1970s in Luzon , Philippines . 0 +He played with the A-level Portland Sea Dogs in 1993 and the AA Kane County Cougars . He played in 1993 with the A - Level Portland Sea Dogs and the AA Kane County Cougars . 1 +According to the United States Census Bureau , Southport has a total area of which is land and , or 0.91 % , is water . According to the United States Census Bureau , Southport is a total area of , which has land and , or 0.91 % , is water . 1 +Roy joined the Communist Party of India in 1963 and led trade union movements in Bansdroni in Kolkata . In 1963 , Roy joined the Communist Party of India and led trade union movements in the Kolkata area of Bansdroni . 0 +To develop the map for Hoth , the designers have received as much source material as possible from `` The Empire Strikes Back '' to create an authentic reproduction . To develop the map for Hoth , the designers obtained as much source material from `` The Empire Strikes Back '' as possible so to create an authentic reproduction . 1 +The color of the shell is whitish , under a very thin , smooth , yellowish brown epidermis . The colour of the shell is smooth , under a very thin , whitish , yellowish brown epidermis . 0 +Andesite was the mafic lava - type with some samples that were dominant enough to be classified as basaltic andesite . Andesite was the dominant lava type with some samples that were enough to be classified as basaltic andesite . 0 +His father died during his youth , and his mother , Catherine A. Fagan , married Samuel Adams in 1842 , who later became Governor of Arkansas two years later . His father died during his youth and his mother , Samuel Adams , in 1842 married Catherine A. Fagan , who became Governor of Arkansas two years later . 0 +Until the advent of electronic and digital video technology , the mass production of pornographic films was tied directly to the mainstream film industry . The mass production of electronic and digital films was linked directly to the established film industry until the advent of pornographic video technology . 0 +Almost everywhere the series converges then . The series then converges almost everywhere . 1 +She was born in Mexico , but soon moved with her family to San Juan , Puerto Rico , to be born with heterochromia iridum . Carmine was born in Mexico but soon moved with her family to San Juan , Puerto Rico . She was born with Heterochromia iridum . 1 +When Kangxi ( Hawick Lau ) was sixteen , he eliminated the Betrayer , Oboi , and his allies . When Kangxi ( Hawick Lau ) was sixteen , he eliminated the traitor , Oboi , and his allies . 1 +Its approximate boundaries were Pearl Street to Grier Avenue and South Broad Street to what is now US 1 '9 . Its approximate borders were Pearl Street to Grier Avenue and South Broad Street to what is now US 1 & 9 . 1 +In 2014 the site launched iOS and Android applications for product search ; product features include live video product reviews with interactive question-and-answer sessions . In 2014 , the site launched iOS and Android applications for product search , product features include live - video - product - reviews with interactive questions and answers - sessions . 1 +Claudia is the female form of Claudia and may refer to : Claudia is the female form of Claudius and may refer to : 0 +Dodge County , Minnesota , United States is a township in Vernon Township . Dodge County , Minnesota , United States is a community in Vernon Township . 1 +The road continues west through 5th Street as Delphos . The road continues as Delphos further west through 5th Street . 1 +In 1291 , Mahaut married the Count of Burgundy , Otto IV , who was mother of three children , including two girls who married kings of France . In 1291 , Mahaut married Otto IV , Count of Burgundy . She became the mother of three children , including two girls who married kings of France . 1 +The river Bradu is a tributary of the Hudeasa River in Romania . The Bradu River is a tributary of the Hudeasa River in Romania . 1 +It was Easipower that said : It said that Easipower was , 0 +The series then converges almost everywhere . Almost everywhere , the series then converges . 1 +In 2010 , New York University defeated Harvard University 3-1-1 in order to win its first National Championship . In 2010 , Harvard University defeated New York University 3-1-1 to win its first National Championship . 0 +President was Mayer Sulzberger , and Abraham Hart was Secretary of the Trustees . Abraham Hart was president , and Mayer Sulzberger Secretary , the board of trustees . 0 +Scherer was investor at the Thunderbird Hotel , at the Las Vegas Club and in the Sahara Hotel . Scherer was an investor in the Thunderbird Hotel , the Las Vegas Club and the Sahara Hotel . 1 +In Alcamo the 12 verses are alternated in this way : one is sung , the other is said . In Alcamo the 12 verses are sung in this way : one is alternated , the other said . 0 +He was born in Arkansas and later moved to Carter County , Tennessee . He was born in Arkansas and moved to Carter County , Tennessee . 1 +The typical Merganian ( `` Mergus octosetaceus '' ) is a duck in the Brazilian genus Merganser . The typical merganser ( `` Mergus octosetaceus '' ) is a duck in the Brazilian merganser genus . 1 +Following his death in 1946 , his papers on this project were still in a uniformly rough state . Following his death in 1946 , his papers on this project were uniformly in a still rough state . 0 +The film was produced by Alena Kruchkova and cut by Andrei Litvinov . The film was produced by Alena Kruchkova and edited by Andrei Litvinov . 1 +The degree of distinction between Protestant and Catholic tendencies within the specific Anglican tradition is routinely a matter of debate both within the Anglican churches and throughout the Anglican community . The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a matter of debate both within specific Anglican churches and throughout the Anglican Communion . 0 +Some members of the crew were killed in Golden Bay and there was no local contact with other Māori . Some of the crew were killed in Golden Bay and there was no other contact with local Māori . 0 +It is unknown whether it is effective against other supernatural beings , although it is useless against angels . It is unknown if it is effective against other supernatural beings , although it is useless against angels . 1 +Oaklyn is located in the 6th Congressional District and is part of the 1st State Legislative District in New Jersey . Oaklyn is located in the 6th Congressional District and is part of New Jersey 's 1st state legislative district . 1 +In 2011 , a new amusement park called CC Joyland was opened in Taihuwan , near the Taihu Lake in Wujin district in the south of Changzhou . In 2011 , a new amusement park called CC Joyland was opened in Taihuwan near the Taihu Lake in Changzhou in the south of the Wujin district . 0 +On 17 August 1865 , the 3rd New York Volunteer - Cavalry with the 16th New York Volunteer Cavalry was consolidated into the 13th New York Provisional Cavalry . On August 17 , 1865 , the 3rd New York Volunteer Cavalry was consolidated with the 16th New York Volunteer Cavalry to form the 13th New York Provisional Cavalry . 1 +After the death of Muaviyah , Ali came to power and established a dynasty . After the death of Ali Muaviyah came to power and established a dynasty . 0 +Elachista menura is a moth of the Elachistidae family that is found in the mountainous areas and coastal areas of New South Wales and Queensland . Elachista menura is a mother of the Elachistidae family , which is found in the coastal areas and mountainous areas of New South Wales and Queensland . 1 +Dakota City is part of the Sioux City , IA -- NE -- SD Metropolitan Statistical Area . Dakota City is part of the Metropolitan Statistical Area of Sioux City , IA - NE , SD . 1 +The album was recorded in Los Angeles by Aníbal Kerpel . Mixed in `` La Casa '' studies in Los Angeles , California . The album was recorded in Los Angeles , California by Anibal Kerpel , mixed in `` La Casa '' studies in Los Angeles . 1 +Norman Bel Geddes , born Norman Melancton Geddes , ( April 27 , 1893 -- May 8 , 1958 ) was an American theatrical and industrial designer . Norman Melancton Geddes , born Norman Bel Geddes ( 27 April 1893 - 8 May 1958 ) , was an American theatre and industrial designer . 0 +In 2003 , he moved to London and lived there for sixteen months before returning to South Africa in September 2004 . He moved to South Africa in 2003 and lived there 16 months before returning to London in September 2004 . 0 +On 21 June 2016 , Debbie Matenopoulos replaced Cristina Ferrare as his new Cohost . On June 21 , 2016 , Debbie Matenopoulos replaced Cristina Ferrare as his new cohost . 1 +Massé was born in Holland , Michigan , grew up in Westchester County , New York , and lived during her youth in Europe . Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived during her youth in Europe . 0 +John Henry Kilbuck died in 1922 in Akiak , Alaska . Edith died in 1933 . John Henry Kilbuck died in Akiak , Alaska and Edith in 1933 in 1922 . 0 +Somers was the son of Richard Eliot , the 1st Baron Somers and Charles Cocks , the daughter of Elizabeth . Somers was the son of Richard Eliot , 1st Baron Somers , and Charles Cocks , daughter of Elizabeth . 1 +It discussed the most important art producing communities and illustrated the work of 23 of the best known artists . It discussed the major art producing communities and illustrated the work of 23 of the best known artists . 1 +Robbins was born on 21 September 1933 in Coventry , with his twin David , the eighth and ninth child of the twelve of Charles and Jessamine Robbins . David was born on September 21 , 1933 in Coventry with his twin father Charles and Jessamine Robbins , the eighth and ninth child of twelve of Robbins . 0 +de Ruiter , who was born in Leiden , played for FC Utrecht , FC Den Bosch , Excelsior , the RKC Waalwijk and FC Emmen . de Ruiter , born in Leiden , performed for RKC Waalwijk , FC Den Bosch , Excelsior , FC Utrecht and FC Emmen . 1 +The family moved to Harrisburg , Pennsylvania in 1972 , where he attended Trinity High School in Camp Hill . In 1972 , the family moved to Camp Hill , where he visited the Trinity High School in Harrisburg , Pennsylvania . 0 +The number of reported fires at the beginning of February was 73 with 26 out of control and expected time to control in order to be another month of fires . The number of reported fires in early February was at 73 with 26 out of control , and expected time to be to control another month of fires . 1 +A Khap is a clan or group of related clans , mainly under the western Uttar Pradesh and eastern Haryana jats . A Khap is a clan , or a group of related clans , mainly under the jats of the eastern Uttar Pradesh and Western Haryana . 0 +The airline was developed by Irelandia , which has also created five other airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . The airline was formed by Irelandia , which has also developed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . 0 +A new molecular entity ( NME ) contains a drug that is an active moiety that has never been approved by the FDA or marketed in the US . A new molecular unit ( NME ) contains a medicine that is an active entity that has never been approved by the FDA or marketed in the US . 0 +`` Aku Ankka '' is published by Sanoma Media ( formerly Sanoma ) , which is part of Sanoma Magazines . `` Aku Ankka '' is published by Sanoma Media ( formerly known as Sanoma Magazines ) , which is part of Sanoma . 0 +`` Shatterer '' was published on 13 June 1987 in Japan , where it was distributed by Toho . `` Shatterer '' was released in Japan on 13 June 1987 where it was distributed by Toho . 1 +Early in the season , he was part of the `` Moving Company '' alliance , along with Nick , Jeremy , McCrae , and Howard . Together with Nick , Jeremy , McCrae and Howard he was part of the `` Moving Company '' Alliance early in the season . 1 +Craig has two children and was married to Sara Tetro , the former model , television presenter and judge on New Zealand 's Next Top Model . Craig has two children and was married to former model , television host and judge on New Zealand 's Next Top Model , Sara Tetro . 1 +Murex spectabilis is a species of large predatory sea snail , a marine gastropod mollusk in the family Muricidae , the rock snails or murex snails . Murex spectabilis is a type of marine sea snail , a large predatory gastropod mollusk in the Muricidae family , the rock snails or the murex snails . 0 +Whereas '' G `` Newton 's quantum indicates and the Formula 4 is the constant state of matter fields . Where `` G '' indicates Newton 's quantum and formula _ 4 is the constant state of the matter fields . 1 +Rabbi was ordained by his own José B. Hanina and Yochanan Bar Nafcha as Rabbi . Jose b. Hanina was ordained as a Rabbi by his own Rabbi -- Yochanan bar Nafcha . 0 +In 1895 , southern Gyeongsang was replaced by the districts of Jinju in the west and Dongnae ( now Busan ) to the east . In 1895 , southern Gyeongsang was replaced by the districts of Jinju in the west and Dongnae ( modern-day Busan ) in the east . 1 +Laramie Potts is an American geophysicist at Ohio State University who , in collaboration with Ralph R. B. von Frese , identified the mass concentration of Wilke 's land in Antarctica . Ralph R. B. von Frese is an American geophysicist at the Ohio State University who identified the Wilkes Land mass concentration in Antarctica in collaboration with Laramie Potts . 0 +After returning to Paramaribo in 1954 , he settled in Surinam as a lawyer . After returning to Suriname in 1954 , he settled down as a lawyer in Paramaribo . 0 +Flavia Gleske , better known as Flavia Alejandra Gleske Fajin ( born 15 May 1978 ) is a Venezuelan actress and model . Flavia Gleske , better known as Flavia Alejandra Gleske Fajin ( born 15 May 1978 ) is a Venezuelan actress . 1 +His father died during his youth , and his mother , Catherine A. Fagan , married Samuel Adams in 1842 , who later became Governor of Arkansas two years later . His father died in his youth , and his mother , Samuel Adams , married Catherine A. Fagan in 1842 , who two years later became the governor of Arkansas . 0 +Jonas Björkman and Fabrice Santoro won 6-2 , 6-4 against Martin Damm and Radek Štěpánek in the finals . Martin Damm and Radek Štěpánek won against Jonas Björkman and Fabrice Santoro at 6 : 2 , 6 : 4 in the final . 0 +Azusa Pacific University 's Azusa Campus is located in San Gabriel Valley , northeast of Los Angeles . Azusa Pacific University 's Azusa campus is situated in the San Gabriel Valley , located northeast of Los Angeles . 1 +Around Sami is a Sami language spoken in Sweden and ( formerly ) in Norway . Ume Sami is a Sami language spoken in Sweden and ( formerly ) in Norway . 1 +The film Stars Jembie Almazan as Mary , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Alex . The film stars Jembie Almazan as Alex , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Maria . 0 +The kit consisted of a green jersey with a blue collar , blue shorts and white socks . The jersey consisted of a green jersey with blue collar , blue shorts and white socks . 0 +The Cancer Genome Project was launched by Peter Campbell in 2000 , and Michael Stratton is now the group leader of the project . The Cancer Genome - project was launched by Michael Stratton in 2000 , and Peter Campbell is now the leader of the project . 0 +In 1781 , Virginia promoted governor Thomas Jefferson Clark to the brigadier general and gave him the order of all militia in the counties of Kentucky and Illinois . In 1781 , Illinois governor Thomas Jefferson promoted Clark to brigadier general and gave him command of the entire militia in the counties of Kentucky and Virginia . 0 +In 1096 it returned to Arnulf de Montgomery , but in 1102 went over to the Aumales , who held it until 1221 . In 1096 it returned to Arnulf de Montgomery , but passed to the Aumales in 1102 , who held it until 1221 . 1 +Road R205 is a regional road in Ireland from road R199 in the county of Leitrim to the Northern Ireland border in the county of Fermanagh , mostly in county Cavan . The R205 road is a regional road in Ireland from the R199 road in County Cavan to the Northern Ireland border at County Leitrim , mostly in County Fermanagh . 0 +Vermont South is bordered to the north by Mitcham , to the west by Nunawading and Forest Hill , to the south of Vermont and to the east by Wantirna and Ringwood . Vermont South is bordered by Mitcham to the north , Nunawading and Forest Hill to the west , Vermont to the south and Wantirna and Ringwood to the east . 1 +Audubon Council was formed from the merger of the Shawnee Trails Council and the Four Rivers Council . Audubon Council was formed from the association of the Shawnee Trails Council and the Four Rivers Council . 1 +Swayam 's evil plans to harm Sujal and frame the Garewals are foiled . Swayam 's evil plans to harm Sujal and frame the garewalls are foiled . 1 +There remain two small independent leagues with only a handful of members : the Highland Alliance League and the Grampian Alliance League . Two small independent leagues remain with only a few members : the Grampian Alliance League and the Highland Alliance League . 1 +Fiat Ferroviaria was the main contractor , with Siemens AG and ADtranz as subcontractors . The prime contractor was Siemens AG with Fiat Ferroviaria and ADtranz as subcontractors . 0 +The film was photographed by A. Sreekar Prasad and was edited by Rajiv Menon . The film was photographed by A. Sreekar Prasad and edited by Rajiv Menon . 1 +Fishman holds a Bachelor 's degree from Columbia University and a Master 's degree in Brown University economics . Fishman holds a Bachelor 's degree from Brown University and a Master 's degree in Columbia University Economics . 0 +It is located east of Nanuet , south of Chestnut Ridge , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . It is located to the east of Nanuet , south of Chestnut Ridge , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . 1 +She added that the rape occurred shortly after the incident . She added that the rape occurred shortly after the said incident happened . 1 +The Nashua Silver Knights , part of a summer collegiate league , is today 's team in the city . The Nashua Silver Knights , part of a summer collegiate league , is the city 's current team . 1 +The capital since 1983 is Abidjan ; however , Yamoussoukro remains the administrative center . The capital is Yamoussoukro since 1983 , but Abidjan remains the administrative center . 0 +McMillan spent two years at the Royal Medical Corp. in Tidworth -- and later at Didcot , where he operated an MRS for soldiers injured in Korean War . McMillan spent two years in the Royal Medical Corp. at Tidworth -- and later at Didcot , where he ran an MRS for soldiers injured in the Korean War . 1 +As soon as Takayama explains the story , Asakawa believes him and insists on seeing the tape . As soon as Takayama explains the story , Asakawa believes him and insists on seeing the band . 1 +The Roman - Catholic diocese of Lugazi is a diocese in the city of Lugazi in the church province of Kampala , Uganda . The Roman Catholic Diocese of Lugazi is a diocese , located in the city of Lugazi in the Ecclesiastical province of Uganda in Kampala . 0 +Loveland occupied the first floor as his mercantile and the second floor served as the Masonic temple . The loveland occupied the first floor as his mercantile and the second floor served as a Masonic temple . 1 +His father died during his youth and his mother , Samuel Adams , in 1842 married Catherine A. Fagan , who became Governor of Arkansas two years later . His father died in his youth , and his mother , Catherine A. Fagan , married Samuel Adams in 1842 , who two years later became the governor of Arkansas . 0 +After medical treatment , Strozzi started taking private acting lessons from Dimitrija Demeter , as recommended by Josip Freudenreich . Strozzi started taking private acting lessons with Dimitrija Demeter after a medical treatment , as recommended by Josip Freudenreich . 1 +The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 30th in the National Hockey League and the 14th as Colorado Avalanche . The 2008 -- 09 Colorado Avalanche season was the franchise 's 37th season , 14th in the National Hockey League , and 30th as the Colorado Avalanche . 0 +The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 30th in the National Hockey League and the 14th as Colorado Avalanche . The 2008 -- 09 Colorado Avalanche season was the franchise 's 37th season , 30th in the National Hockey League , and 14th as the Colorado Avalanche . 1 +After returning to Paramaribo in 1954 , he settled down as a lawyer in Suriname . After returning to Suriname in 1954 , he settled as a lawyer in Paramaribo . 0 +These were rare in the United Kingdom , but relatively frequent in Europe , at least for large locomotives . These were rare in the United Kingdom , but relatively common in Europe , at least for large locomotives . 1 +The Măgheruş River is a tributary of the Giuroc River in Romania . The Măgherus River is a tributary of the Giuroc River in Romania . 1 +It is found in Indonesia on the island Salawati and on the bird cop peninsula in the province of Papua , Indonesia . It is found in Indonesia on the island of Salawati and on the Vogelkop Peninsula in Papua Province , Indonesia . 1 +This is a list of programming languages optimized for sound production , algorithmic composition , and sound synthesis . This is a list of programming languages that are optimized for sound production , algorithmic composition , and sound synthesis . 1 +A parish church was founded in 1591 , but with an influx of Catholics in the 18th century a Catholic majority was established . A parish church was built in 1591 , however with an influx of Catholics in the 18th century , a Catholic majority was established . 0 +The music was written by Shyam and the lyrics by Sreekumaran Thampi and Sathyan Anthikkad composed . The music was composed by Shyam and lyrics was written by Sreekumaran Thampi and Sathyan Anthikkad . 0 +She has been married twice : first to Doctor Mark Soroko and later to banker Jim Hays . She has twice been married : first to doctor Jim Hays , and later to banker Mark Soroko . 0 +However , Ronald Himes ( 1997 ) recognizes 2 dialects for Itneg , namely Binongan ( eastern ) and Inlaod ( western ) . Ronald Himes ( 1997 ) , however , recognizes two dialects for Itneg , namely Binongan ( Western ) and Inlaod ( eastern ) . 0 +He then taught school in Toledo , OH and was the acting superintendent of schools in Cleveland from 1856-1859 . He then taught school in Toledo , OH , and from 1856-1859 was the theater of schools in Cleveland . 0 +She was scrapped from the Navy Vessel register on April 1 , 1971 and beaten in the same year . She was scrapped from the Navy Vessel Register on 1 April 1971 and struck in the same year . 1 +Born was born in Germany to Jewish parents , the son of Max Born and the scientist Hedwig Ehrenberg . Born in Germany was born to Jewish parent , the son of Max Born and scientist Hedwig Ehrenberg . 1 +Directed by George Fitzmaurice , it is based on a play `` Tiger Rose '' by Willard Mack in 1917 . It was directed by Willard Mack and is based on a 1917 play , `` Tiger Rose '' , by George Fitzmaurice . 0 +The `` IPA '' consists of 500 supplementary , 300 basic and 200 additional symbols . The `` IPA '' consists of 500 complementary , 300 basic and 200 supplementary symbols . 1 +Silver azide is still used very rarely , but sometimes due to its high price . Silver Azid is sometimes still used , but very rarely due to its high price . 1 +In 1999 and 2003 he became an indoor champion , with Jarno Jokihaara and Marko Ritola , in 2003 he became Finnish champion . He became indoor champion in 1999 and 2003 , rivalling with Jarno Jokihaara and Marko Ritola . He also became Finnish champion in 2003 . 1 +Among them are Sylvia Rexach , a composer of boleros , Marie Teresa Rios , an author , and Julita Ross , a singer . Among them are Marie Teresa Rios , a composer of Boleros , Julita Ross , author , and Sylvia Rexach , a singer . 0 +The original version , however , was skipped in favour of the mild edition . The milder version , however , was skipped in favor of the original edition . 0 +Adamsville is bordered by Coleman to the west , Lake County to the east , Wildwood to the north , and Sumterville to the south . Adamsville is bordered to the west by Coleman , to the east by Lake County , to the north by Wildwood and to the south by Sumterville . 1 +The tracks were produced by Tommy Lee , and feature Michael Beinhorn on drums . The tracks were produced by Tommy Lee and by Michael Beinhorn on drums . 1 +It serves the southeasternmost Melbourne suburb of Edithvale opening on 20 September 1919 . It serves the south-eastern Edithvale suburb of Melbourne opening on 20 September 1919 . 0 +The series then converges almost everywhere . Then the series converges almost everywhere . 1 +The film was photographed by A. Sreekar Prasad and was edited by Rajiv Menon . The movie was photographed by Rajiv Menon and edited by A. Sreekar Prasad . 0 +Alston was born on December 21 , 1965 in Oxon Hill , Maryland . He attended Oxon Hill High School in New Haven , Connecticut . He was born on 21 December 1965 in Oxon Hill , Maryland , and attended Oxon Hill High School in New Haven , Connecticut . 1 +However , in current continuity , Superman meets the true Zod for the first time in `` Last Son '' . In real continuity , Superman in `` Last Son '' meets the current Zod for the first time . 0 +Meadows , in the Yosemite valley near Bridalveil Falls , is also named for George Monroe . Monroe Meadows , in Bridalveil Falls near Yosemite Valley , is also named for George Monroe . 0 +His brother was the author Claudio Achillini , and his grandnephew , Giovanni Filoteo Achillini ( 1572-1640 ) , was a lawyer . His brother was the author Giovanni Filoteo Achillini , and his great nephew , Claudio Achillini ( 1572-1640 ) , was a lawyer . 0 +This title was created in 1790 for James Grimston , a Hertfordshire politician , who later revived Earl of Verulam , a title that was still held by his descendants . This title was revived in 1790 for James Grimston , a Hertfordshire politician . He was later made Earl of Verulam , a title still held by his descendants . 0 +It was composed of keyboardist Leon Russell and guitarist Marc Benno . It was composed by keyboardist Leon Russell and guitarist Marc Benno . 1 +The gate was planned during the reign of Az-Zahir Ghazi and was built by his son Mohammed as Bab al-Qanat ( the Aqueduct Gate ) . The gate was built during the reign of Az-Zahir Ghazi and was planned by his son Mohammed as Bab al-Qanat ( the Aqueduct Gate ) . 0 +This station is part of the LaSalle Street Station Metra line , running between Joliet and the Rock Island District in the Chicago Loop . This station is part of the LaSalle Street Station Metra line that runs between Joliet and the Rock Island District in the Chicago Loop . 1 +The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a debate both within specific Anglican churches and throughout the Anglican community . The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a matter of debate both within specific Anglican churches and throughout the Anglican Communion . 1 +An atoll in France , Polynesia Niau is called after Greig Aleksey Greig . An atoll in French Polynesia Niau is named Greig after Aleksey Greig . 0 +Vempati Chinna Satyam ( October 15 , 1929 -- July 29 , 2012 ) was an Indian dancer and a guru of Kuchipudi - dance form . Vempati Chinna Satyam ( October 15 , 1929 -- July 29 , 2012 ) was a Kuchipudi dancer and a guru of the Indian dance form . 0 +The linguistic goal of A Mesa is to fight the main policy of the People 's Party of Galicia , especially through the Queremos Galego movement . The main goal of A Mesa is to fight against the linguistic policy of the People 's Party of Galicia , especially through the movement Queremos Galego . 0 +João Martins Pena and Francisca de Paula Julieta Pena was born to Martins Pena in Rio de Janeiro . Martins Pena was born in Rio de Janeiro , to João Martins Pena and Francisca de Paula Julieta Pena . 0 +In 2009 , Coolidge took a dramatic role in `` as Genevieve McDonagh . In 2009 , Genevieve McDonagh took on a dramatic role as Coolidge . 0 +Because of these transaction mechanisms , unreliable transport protocols such as the User Datagram Protocol ( UDP ) for the SIP operation are sufficient . Because of these transactional mechanisms , unreliable transport protocols , such as the User Datagram Protocol ( UDP ) , are sufficient for SIP operation . 1 +The season began on January 6 , 1984 in Falun , Sweden , and ended on March 11 , 1984 in Lygna , Norway . The season began on 6 January 1984 in Falun , Norway , and ended in Lygna , Sweden on 11 March 1984 . 0 +The biography has now been published in Great Britain , the USA ( St Martins 2013 ) , Poland ( Swiat Ksiazki , 2013 ) , Hungary and China . The biography has now been published in Britain , the USA ( St Martin 's 2013 ) , Hungary ( Swiat Ksiazki , 2013 ) , Poland and China . 0 +The Sydney Water Board had taken over the water supply for Sydney from the City Council in 1888 . In 1888 , the town council had taken over the water supply for Sydney from the Sydney Water Board . 0 +Françoise Dürr defeated Evonne Goolagong 6 -- 4 , 6 -- 2 Françoise Dürr defeated Goolagong Evonne 6 : 4 , 6 : 2 1 +July is , on average , the coldest month , the hottest in January . July is the hottest month on average , the coldest in January . 0 +In 1993 , when Platzer opened his second restaurant in Allentown , he changed the name to P. J. Whelihan 's in honor of his grandfather , Peter Joseph Whelihan . When Peter Joseph Whelihan opened his second restaurant in Allentown in 1993 , he changed the name to P. J. Whelihan 's to honor his grandfather , Platzer . 0 +If we have an alternating Turing machine , we use the resource ATIME . When we have an alternating turing machine , we use the resource ATIME . 1 +The normalization factor makes the absolute over all space of the square of the integral value equal to 1 . The normalization factor makes absolute over the entire space of the square of the integral value equal to 1 . 1 +The cap color varies from brown to yellow , often with a brown spot on the cap at maturity . The cap color varies from brown to yellow , often with a brown spot on the cap at ripeness . 1 +Three days Jesus spent in the belly of the fish , Jonas will spend three days in the grave . Three days Jonas spent in the belly of fish , Jesus will spend three days in the grave . 0 +Agbo played for the Belgrade clubs FK Rad and FK Obilić in FR Yugoslavia before moving to clubs to France and Turkey . Agbo played for the Belgrade clubs FK Rad and FK Obilić in FR Yugoslavia before moving to clubs in France and Turkey . 1 +Another member of the group was Sir Thomas Giffard , whose sister married George Throckmorton . Another member of that group was Sir Thomas Giffard , whose sister George Throckmorton married . 1 +Alice Anna Catherine , the second daughter of Octavius Warre Malet , married Thomas at the British Consulate in Cologne on June 24 , 1852 . Thomas Anne 's second daughter , Alice Anna Catherine , married Octavius Warre Malet in the British Consulate in Cologne on June 24 , 1852 . 0 +Georgetown is also a source of drinking water for Lake Georgetown and the nearby city of Round Rock . Georgetown is also a source of drinking water for Lake Georgetown and the nearby Round Rock city . 1 +With high temperature and high hydrogen partial pressure , hydrogen can diffuse into carbon steel alloys . At high temperature and partial hydrogen high pressure , hydrogen can diffuse into carbon steel alloys . 0 +The President of the Council was Henry Henry Wrixon , chairman of the committees was Frederick Brown . Frederick Brown was President of the Council ; Henry Wrixon was Chairman of Committees . 0 +Besides the monster types you can raise from the beginning , there are many more which you can unlock . Besides the monster types you can unlock from the beginning , there are many more that you can raise . 0 +He played with the A-level Kane County Cougars in 1993 and the AA Portland Sea Dogs . He played with the A - Level Portland Sea Dogs and the AA Kane County Cougars in 1993 . 0 +Green took over Park 's No . Park Green took over No . 0 +An EP named Dido Live , with three of the seventeen live tracks on the DVD , was digitally released exclusively through the iTunes Store on 21 June 2005 . An EP called Dido Live with three of the seventeen live tracks on the DVD was digitally released exclusively on the iTunes Store on June 21 , 2005 . 0 +He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of the ship 's magnate Thomas Fearnley and landowner N. O . Young Fearnley . He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of shipping magnate Thomas Fearnley and landowner N. O . Young Fearnley . 1 +The Petkeljärvi National Park is a national park in the Ilomantsi region of Northern Karelia in Finland . Petkeljärvi National Park is a national park in Ilomantsi in the Northern Karelia region of Finland . 0 +He is the uncle of musician Tal Bachman and father of Ryder Bachman . He is the uncle of musician Ryder Bachman and father to Tal Bachman . 0 +The `` Astrud '' track on Basia Trzetrzelewska 's 1987 album , `` Time and Tide '' , is a tribute to Gilberto . The `` Astrud '' track on Basia Trzetrzelewska 's album `` Time and Tide '' of 1987 is a tribute to Gilberto . 1 +The Cabot Trail episode was filmed on location in Cape Breton , including Peggys Cove and the highlands of Nova Scotia , along the East Coast . The East Coast episode was shot along the Cabot Trail in Nova Scotia , including Peggys Cove and the highlands of Cape Breton . 0 +Michael Jackson , Prince and Madonna were , however , influences on the album . Madonna , Prince and Michael Jackson were , however , influences on the album . 1 +The temple serves as a cultural and religious centre for South Asian Hindus and immigrants from the Korean countries . The temple serves as the cultural and religious center for South Asian Hindus and immigrants from Korean countries . 1 +In Korea , the draft was used to present Daoism in Joseon and to express the hope for harmony of Yin and Yang . In Joseon , the design was used to represent Daoism in Korea and to express the hope for harmony of yin and yang . 0 +In 2009 , Antonio Antonio became third player in Asia - Continental - Chess - Championship and was the first player in the history of the Philippines to qualify for the World Cup later in 2009 . Antonio finished third in the 2009 Asia Continental Chess Championship and became the first player in the Philippines ' history to qualify for the World Cup later in 2009 . 1 +In Matanzas its cultivation was introduced in 1880 , by Fernando Heydrich in Cuba . Its cultivation was introduced by Fernando Heydrich in Cuba in 1880 . 1 +Ali migrated to Medina shortly after Muhammad . Shortly after Ali , Muhammad migrated to Medina . 0 +Cape Don was named after him in 1818 by George Don as a compliment to General Sir Phillip Parker King , the lieutenant of Gibraltar . Cape Don was named by Phillip Parker King in 1818 , as a compliment to General Sir George Don , the Lieutenant-Governor of Gibraltar . 0 +In films , school stories of manners and comic situations within educational frames fit well into the satires on Confucianism from earlier writings . In films , school stories of customs and educational situations within comic frames fit well into the satires of Confucianism from earlier writings . 0 +Their music is considered by many as an alternative metal with rap metal and industrial metal influences , which according to previous interviews call themselves '' murder - rock `` . Their music is considered by many as an industrial metal with rap metal and alternative metal influences , which according to previous interviews call themselves '' murder - rock `` . 0 +Furthermore , a triple threat match for the United States Championship was between Champion Jack Swagger , The Miz and Kofi Kingston . Next was a Triple Threat match for the United States Championship between champion Jack Swagger , The Miz and Kofi Kingston . 1 +`` gravityWall '' was used as the second opening motif for the Anime television series , while `` sh0ut '' was used as the first opening motif . `` gravityWall '' was used as the second opening theme for the anime television series , while `` sh0ut '' was used as the first opening theme . 1 +The `` Astrud '' track on Basia Trzetrzelewska 's 1987 album , `` Time and Tide '' , is a tribute to Gilberto . The `` Astrud '' track on Gilberto 's ; s 1987 album `` Time and Tide '' is a tribute to Basia Trzetrzelewska . 0 +Agbo played for the Belgrade clubs FK Rad and FK Obilić in FR Yugoslavia before moving to clubs to France and Turkey . Agbo played for the FR Yugoslavia clubs , FK Rad and FK Obilić in Belgrade before moving to clubs in France and Turkey . 0 +The private Claiborne Academy is located in Claiborne Parish , not near Haynesville . The private Claiborne Academy is located in unincorporated Claiborne Parish , near Haynesville . 1 +AleX is an Italian television series . The series was produced by Giorgio Schottler , Guglielmo Duccoli and Alfredo Castelli and written by Videotime . AleX is an Italian television series , written by Alfredo Castelli , Guglielmo Duccoli and Giorgio Schottler , produced by videotime . 0 +In August 2017 , Aluri Chakrapani also joined the team to play the role of producer Prakash Raj as well . Aluri Chakrapani also joined the team in August 2017 , to allegedly play the role of producer Prakash Raj . 1 +The Bradu River is a tributary of the River Hudeasa in Romania . The Hudeasa River is the tributary of the Bradu River in Romania . 0 +He published and wrote the prefaces to the editions of Tommaso Campanella ( 1934 ) , Thomas More ( 1935 ) and Robert Owen ( 1950 ) . He published and wrote the prefaces to editions of Robert Owen ( 1934 ) , Thomas More ( 1935 ) and Tommaso Campanella ( 1950 ) . 0 +The Lost Boys is a 1978 docudrama mini-series produced by the BBC , written by Andrew Birkin , and directed by Rodney Bennett . The Lost Boys is a docudrama miniseries produced by the BBC in 1978 , written by Rodney Bennett and directed by Andrew Birkin . 0 +It is threatened in Massachusetts and New Hampshire , threatened in Vermont , as in Rhode Island and as in Connecticut . It is endangered in Massachusetts and New Hampshire , threatened in Vermont , as historical in Rhode Island , and as threatened in Connecticut . 1 +Write anywhere , run once Write anywhere , once run 1 +A CD of themes from fourteen of his films was produced in 2008 by Philip Powers and released by 1M1 Records . A CD with themes from 14 of his films was released in 2008 by Philip Powers and produced by 1M1 records . 0 +Next appeared Iyer in the Kannada - film `` Jaggu Dada '' with the actor Darshan . Iyer next appeared in the Kannada film `` Jaggu Dada '' with actor Darshan . 1 +Laurie is a unisex given name . Among males , it can be a short form ( hypocorism ) of Lawrence or Laurence . Laurie is a unisex name that can be a short form ( hypocorism ) of Lawrence or Laurence among males . 1 +Bellman died on December 8 , 1931 in Louisville and is interred at Calvary Cemetery in Louisville , Kentucky . Bellman died in Louisville on December 8 , 1931 , and is buried at the Calvary Cemetery in Louisville , Kentucky . 1 +The Canal Street was opened in 1790 and the street was named Oxford Canal around 1870 . Canal Street was opened in 1790 and the street was named after the 1870 Oxford Canal . 1 +`` Everything But You '' is a song of 1945 , composed by Don George , written by Duke Ellington and Harry James . `` Everything But You '' is a 1945 song composed by Don George with lyrics written by Duke Ellington and Harry James . 1 +In 1980 , the Pope proposed a solution which was accepted by Chile and rejected by Argentina . The Pope proposed in 1980 a solution that was accepted by Chile and rejected by Argentina . 1 +The remains of two partially destroyed Armenian churches were still preserved at the end of the Soviet era . The remains of two still preserved Armenian churches were partly destroyed at the end of the Soviet period . 0 +On 22 September 1918 , the first wireless telegraph communication was sent to Snowdonia from Australia . On September 22 , 1918 the first wireless telegraph message to Australia was sent from Snowdonia . 0 +The Giuroc River is a tributary of the Măgheruş River in Romania . The Măgherus River is a tributary of the Giuroc River in Romania . 0 +The Bresnic River is a tributary of the Slatina River in Romania . The Bresnic River is a tributary of the River Slatina in Romania . 1 +In 2003 , he moved to South Africa and lived there for sixteen months before returning to London in September 2004 . He moved to London in 2003 and lived there 16 months before returning to South Africa in September 2004 . 0 +The JoyKey has no moving parts , no corks that can wear or springs that can break . The JoyKey has no moving parts , no corks that can break , or springs that can be worn . 0 +Retzius was born in Stockholm , the son of the anatomist Anders Jahan Retzius ( and grandson of naturalist and chemist Anders Retzius ) . Retzius was born in Stockholm , the son of anatomist Anders Retzius ( and grandson of the naturalist and chemist Anders Jahan Retzius ) . 0 +They are overlaid with colourless music played live , and consist of vague , almost deliberately sparse orchestral sounds . They are overlaid with scarce , live played orchestral music and consist of vague , almost deliberately colourless sounds . 0 +Depending on the seasons , the populations of cabbage in North America migrate from Canada to Mexico . Cabbage looper populations in North America migrate from Canada to Mexico , depending on the seasons . 1 +In 1880 the cultivation was introduced in Cuba by Fernando Heydrich in Matanzas . Its cultivation was introduced by Fernando Heydrich in 1880 in Cuba . 0 +Cornelius Olatunji Adebayo is a former Senator of Nigeria , who was a state governor , and later became head of the Nigerian Federal Ministry of Communications . Cornelius Olatunji Adebayo is a former senator of Nigeria , who became a governor , and was later head of the Nigerian Federal Ministry of Communications . 1 +A UK tour started in May 1983 , featuring live guitarist Robin George for additional performances . In May 1983 , a UK tour with the additional guitarist Robin George started for live performances . 0 +The Cancer Genome - project was launched by Peter Campbell in 2000 , and Michael Stratton is now the leader of the project . The Cancer Genome - project was launched by Michael Stratton in 2000 , and Peter Campbell is now the leader of the project . 0 +Zingone played football club for Lito . Lito played football club for Zingone . 0 +Sheffield Wednesday and Huddersfield Town defeated Stoke before losing Peterborough United in the fourth round . Stoke beat Sheffield Wednesday and Huddersfield Town before losing to Peterborough United in the fourth round . 0 +The medals were presented by Barbara Kendall , IOC member , New Zealand and Carlo Croce , President of World Sailing . The medals were handed over by Carlo Croce , IOC - Member , New Zealand , and Barbara Kendall , President of World Sailing . 1 +Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived in Europe during her teens . Massé was born in Holland , Michigan , and grew up in Westchester County , New York , and lived in Europe during her youth . 0 +The BBC College of Journalism was opened in June 2005 as an E-Learning series with Kevin Marsh as Executive Editor , the first director of which was Vin Ray . The BBC College of Journalism was opened as an e-learning course series in June 2005 , with Kevin Marsh as Executive Editor . Its first Director was Vin Ray . 1 +In November 1989 , Delaney became a member of the New York Stock Exchange and became a senior managing director at Henderson Brothers , Inc. , and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and was a Senior Managing Director at Henderson Brothers , Inc. , and Bear Wagner . 0 +The film was a commercial hit , and one of Sergio Sollima 's more political films , and less successful than the director 's earlier Spaghetti Westerns . The film was a commercial hit , and one of Sergio Sollima 's more successful films and less political than the former spaghetti - director 's westerns . 0 +The script was written by William Hale and led by James Costigan ( as Billy Hale ) . The script was written by James Costigan and directed by William Hale ( credited as Billy Hale ) . 0 +The above examples for the possessive theme `` -m '' were singular to the first person . The above examples of the singular theme `` -m '' were possessive for the first person . 0 +If the 1983 local elections had been a parliamentary election , the Socialist Left would have received 8 seats in Parliament . If the parliamentary election in 1983 had been a local election , the Socialist Left would have received 8 seats in Parliament . 0 +He was born the posthumous child of Sir Henry Thrale , 1st Baronet ; his mother was the sister of the brewer John Lade . He was born as a child of Sir Henry Thrale , 1st Baronet , his mother was the sister of the brewer John Lade . 1 +Fishman holds a bachelor 's degree from Columbia University and a master 's degree in economics from Brown University . Fishman holds a Bachelor 's degree from Brown University and a Masters degree in Columbia University 's economics . 0 +A new religious idea of a triple goddess is central to Wicca 's modern movement . A new religious idea of a Triple Goddess is central to the modern movement of Wicca . 1 +Kapp and MCA were the labels with which Cher had more success in the seventies and she remained with them until 1974 . Capp and MCA were the labels with which Cher had more success in the seventies and remained with them until 1974 . 1 +Paula Mohamed Mostafa Shafiq ( born January 3 , 1938 , Nadia Lutfi ) is an Egyptian retired actress . Nadia Lutfi ( born January 3 , 1938 in Paula Mohamed Mostafa Shafiq ) is a retired Egyptian actress . 0 +Peter DuConge ( 1903 -1967 ) was an early jazz reedist , active in the American New Orleans jazz scene . Peter DuConge ( 1903 - 1967 ) was an early Jazz - Reedist , active in the American jazz scene in New Orleans . 1 +Xenophanes was a mystic poet whose view of philosophical unity was related to religion . Xenophanes was a philosophical poet whose view of mystical unity was related to religion . 0 +County Road 540 is just a few miles south of State Road 540 in Highland City and runs west from US 98 to County Road 37B . County Road 540 is a few miles west of State Road 540 in Highland City and runs south from US 98 to County Road 37B . 0 +Saragyugh ( formerly romanized as Saragyukh ; also Darakoy , Darakey and Daragyukh ) is a village in the province of Shirak of Armenia . Saragyugh ( also Romanized as Saragyukh ; formerly , Darakoy , Darakey , and Daragyukh ) is a village in the Shirak Province of Armenia . 0 +Towanda Creek is located in the southwestern part of Bradford County ( 41.655805 , -76.850706 ) , in the canton valley . Towanda Creek is located in southwestern Bradford County at ( 41.655805 , -76.850706 ) , in the valley of Canton . 1 +Luk or Loke is the Cantonese romanization of several ( but not all ) Chinese surnames that are romanized as Lu in Mandarin . Luk or Loke is the Cantonese romanization of several ( but not all ) Chinese surnames , which are romanized as Lu in Mandarin . 1 +His subsequent work in agriculture was mainly in Norfolk , but he also proposed extensive embankments in Lincolnshire , which were carried out successfully . His subsequent work in agriculture was mainly in Lincolnshire , but he also suggested extensive embankments in Norfolk , which were successfully carried out . 0 +Ruby died in Woodland Hills , California and was interred at the Chapel of the Pines in Los Angeles . Ruby died in Los Angeles and was buried in the Chapel of the Pines , Woodland Hills , California . 0 +McCarthy was born in Auckland , but moved to San Francisco , California at the age of four years with his parents . McCarthy was born in San Francisco , California , but at the age of four he moved to Auckland with his family . 0 +He also wrote a large number of vocal arrangements and orchestral accompaniments for varieties . He also wrote a large number of orchestral arrangements and accompaniments for varieties . 0 +In 1924 he was an invited spokesperson for the ICM in Toronto , in 1932 in Zurich and in Oslo in 1936 . In 1924 he was an invited spokesman for the ICM in Toronto , in Oslo in 1932 and in Zurich in 1936 . 0 +The Continental League was the last serious attempt to create a new league of third major clubs . The continental league was the last serious attempt to create a third major league comprising new clubs . 0 +The 2008 -- 09 Colorado Avalanche season was the franchise 's 37th season , 30th in the National Hockey League , and 14th as the Colorado Avalanche . The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 30th at the National Hockey League and 14th as the Colorado Avalanche . 1 +McCarthy was born in Auckland , but moved with his parents to San Francisco , California at the age of four . McCarthy was born in Auckland , but moved to San Francisco , California at the age of four years with his parents . 1 +Three years later he won a silver medal in the same competition at the European Championships in Hahnenklee for western Germany . Three years later , he won a silver medal in the same event for Hahnenklee at the European championships in West Germany . 0 +The resort has 7 red , 3 blue , 2 black and one green pistes . The resort has 7 blue pistes , 3 red pistes , 2 black pistes and one green piste . 0 +Because of these unreliable mechanisms , transactional transport protocols such as the User Datagram Protocol ( UDP ) , are sufficient for SIP operation . Because of these unreliable mechanisms , transaction protocols such as the User Datagram Protocol ( UDP ) for SIP operation are sufficient . 1 +33.7 % were born in Virginia , which is categorized by the Census Bureau as part of the southern United States together with neighboring Maryland and Washington , D.C . 33.7 % were born in Maryland , which is categorized as part of the Southern United States along with neighboring Virginia and Washington , D.C. by the Census Bureau . 0 +Chandler regarded the computer as a tool for learning , but he rejected a prevailing objectivism that recognized data as information and information as knowledge . Chandler recognized the computer as a tool for learning , but he rejected a predominant objectivism that viewed data as information and information as knowledge . 0 +It is also the fifth highest building in Russia , the sixth highest in Europe and one of the 90 Supertall skyscrapers in the world . It is also the fifth tallest building in Russia , the sixth tallest in Europe and one of the 90 supertall skyscrapers in the world . 1 +The Holbrook station closed in 1962 , so the nearest access to the line is at the Ronkonkoma station or Medford station . The Holbrook station was closed in 1962 , so the nearest access to the line is at Ronkonkoma Station or Medford Station . 1 +Two were flown in 1934 , but there were no more produced . Two were produced in 1934 , but no more were flown . 0 +Abies lasiocarpa , commonly called the subalpine fir or Rocky Mountain fir , is a western North American fir tree . Abies lasiocarpa , generally called the subalpine fir or Rocky mountain fir tree , is a western North American fir . 1 +Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Abu Halifa district of the Al Ahmadi governorate in the south of Kuwait . Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Kuwait of the Al Ahmadi Governorate in southern Abu Halifa District . 0 +Of this population , 87.91 % are ethnic Romanians , 7.53 % ethnic Hungarians and 4.43 % ethnic Romani . Of this population , 87.91 % are ethnic Hungarians , 7.53 % are ethnic Romanians and 4.43 % ethnic Romani . 0 +Pauline says yes , but Frannie is still suspicious . Yes , Pauline says , but Frannie is still suspicious . 1 +Casely Hayford was also deeply involved in the African movement for political emancipation . Casely Hayford was also heavily involved in the political movement for African emancipation . 0 +For higher values of Formula 2 the previous average is more important . The previous average is more high for important values of formula _ 2 . 0 +Massé was born in Holland , Michigan , grew up in Westchester County , New York , and lived during her youth in Europe . Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived in Europe during her teens . 0 +Among those who worked there were professor Wlodzimierz Zonn , doctor Jan Gadomski , and professor Eugeniusz Rybka . Among those who worked there were Professor Eugeniusz Rybka , Dr. Jan Gadomski and Professor Wlodzimierz Zonn . 1 +The agency has its headquarters in Paris , France , and its overseas office - Operations - Office in Arlington , Virginia . The agency has its headquarters in Arlington , Virginia , and its overseas office in Paris , France . 0 +The new leader of Gerakan Tiga Daerah was Sarjiyo , who became the primary regent of Pekalongan . The main leader of `` Gerakan Tiga Daerah '' was Sarjiyo , who became the new regent of Pekalongan . 0 +Holmes described Moriarty as follows : Moriarty described Holmes as follows : 0 +Duncan McIntyre was born on 6 October 1899 in Kent , England , the son of Captain Ivor Ewing McIntyre . Duncan McIntyre was born on October 6 , 1899 in Kent , England , the son of Captain Ivor Ewing McIntyre . 1 +Margaret arrived in Lyon on 2 November 1631 , having sailed on the `` New England '' , and was admitted to Boston church as member # 111 . Margaret arrived in New England on November 2 , 1631 , sailed on the `` Lyon '' and was admitted to the Boston Church as a member # 111 . 0 +Ukhrul is also a tourist hotspot of Manipur state . Manipur is also a tourist hotspot in the state of Ukhrul . 0 +It is located east of Chestnut Ridge , south of Nanuet , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . It is located to the east of Nanuet , south of Chestnut Ridge , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . 0 +In 1993 , when Platzer opened his second restaurant in Allentown , he changed the name to P. J. Whelihan to honor his grandfather Peter Joseph Whelihan . When Peter Joseph Whelihan opened his second restaurant in Allentown in 1993 , he changed the name to P. J. Whelihan 's to honor his grandfather , Platzer . 0 +Pennmakkal is a 1966 Indian Malayalam film , produced by J. Sasikumar and directed by KP Kottarakkara . Pennmakkal is a Indian Malayalam film staged by J. Sasikumar and produced by KP Kottarakkara . 0 +He published and wrote the prefaces to the editions of Tommaso Campanella ( 1934 ) , Thomas More ( 1935 ) and Robert Owen ( 1950 ) . He published and wrote the prefaces to the editions of Robert Owen ( 1934 ) , Thomas More ( 1935 ) and Tommaso Campanella ( 1950 ) . 0 +He learns that his body wears the Shinra Banshou , a scroll that contains the most powerful secret art in the Ninja world of Nabari . He learns that his body holds the Shinra Banshou , a scroll that bears the most powerful secret art in the Ninja world of Nabari . 1 +It is a famous pilgrimage centre located 78 kilometres from Dharwad and 37 kilometres from Belgaum . It is a celebrated pilgrimage centre located 78 kilometers from Belgaum and 37 kilometres from Dharwad . 0 +Raja was a general of Pazhayamviden Chandu , whose betrayal led to the death of his Pazhassi Raja and to the British victory in the Cotiote War . Pazhayamviden Chandu was a general of Pazhassi Raja whose betrayal led to death of his Raja and British victory in Cotiote War . 0 +In 1933 Cattell wrote that , of all the Nordic races , `` the European race was the most evolved in intelligence and stability of temperament '' . In 1933 , Cattell wrote that , of all European races , the `` Nordic race was the most developed intelligence and stability in temperament . 0 +He served as a missionary for the HLT church in Czechoslovakia and was a bishop in Nevada . He served as a missionary for the LDS Church in Czechoslovakia and was a bishop in Nevada . 0 +Irina Spîrlea defeated Brenda Schultz 6 -- 4 , 1 -- 6 , 7 -- 6 6 -- 4 , 1 -- 6 , 7 -- 6 defeated Brenda Schultz 0 +Adam Surat ( `` Inner Strength '' ) is a documentary film directed by Tareque Masud in 1989 about the Bangladeshi painter Sheikh Mohammed Sultan . Adam Surat ( `` The Inner Strength '' ) is a 1989 Bangladeshi documentary film about the Bangladeshi painter Sheikh Mohammed Sultan , directed by Tareque Masud . 1 +The airline was developed by Irelandia , which has also created five other airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . The airline was established by Irelandia , which has also developed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . 0 +The group toured extensively and was famous in Israel and even played in New York City in 2007 . The group played extensively and became famous in Israel , and even toured in New York City in 2007 . 0 +Emily Ann Morelli ( born March 27 , 1984 in Emily Ann Lloyd ) is an American American actress . Emily Ann Lloyd ( born Emily Ann Morelli ; March 27 , 1984 ) is an American actress . 0 +The loyalists had camped on the west side of the Catawba River , while the army of General Charles Cornwalli camped on the east side . The Loyalists had camped on the west side of the Catawba River while General Charles Cornwalli 's army were camped on the east side . 1 +This list contains words in Croatian language with at least 10 letters . Some of words in this list come from Latin and Greek language . This list contains words in Greek with at least 10 letters , some of which come from Latin and Croatian in this list . 0 +Born in Bayonne , New Jersey , Longo attended Marist High School in Jersey City , New Jersey and the University of Rhode Island . Longo , born in Bayonne , New Jersey , visited the Marist High School in Jersey City , New Jersey and the University of Rhode Island . 1 +Around the World in 80 Minutes with Douglas Fairbanks is a 1931 American Pre-Code documentary film directed by Douglas Fairbanks and Victor Fleming and written by Robert E. Sherwood . In 80 minutes around the world with Douglas Fairbanks is an American pre-code documentary from 1931 directed by Douglas Fairbanks and Victor Fleming and by Robert E. Sherwood . 1 +Ali came to power after the death of Muawiyah and established a dynasty . After the death of Ali Muaviyah came to power and established a dynasty . 0 +It was written by Billy Gierhart and directed by Seth Hoffman . It was written by Billy Gierhart and was directed by Seth Hoffman . 1 +The film received negative reviews , but after release on VHS and DVD , it became a cult favorite with favorable comments on Amazon and IMDB . The film received negative reviews , but after the release on VHS and DVD , he became a cult favorite with favorable comments on Amazon and IMDB . 1 +He is the half-brother of Lord Clarence Paget , Lord Alfred Paget , and Lord George Paget . He was the half-brother of Lord Clarence Paget , Lord Alfred Paget and Lord George Paget . 1 +Components of elastic potential systems store mechanical energy if they are deformed when forces are applied to the system . Components of mechanical systems store elastic potential energy if they are deformed on the system when applied forces . 0 +It said that Easipower was , It is said that Easipower was , 1 +The cultivation was introduced in 1880 by Fernando Heydrich in Matanzas in Cuba . In Cuba its cultivation was introduced in 1880 , by Fernando Heydrich in Matanzas . 1 +This was the first of three third-class hotels to be built in the central business district . This was the first of three third-class hotels built in the central business district . 1 +Alexandra Coppinger played the role of Hazel , the youngest sister , in the new TV series `` Dead Gorgeous '' . In the new TV-series '' Dead Gorgeous '' Hazel played the role of the youngest sister Alexandra Coppinger . 0 +Ibn Amira was born in Alzira , the province of Valencia . Ibn Amira was born in the province of Alzira in Valencia . 0 +Lusaghbyur ( formerly romanised as Lusakhpyur ; Svanverdi and Svan ) is a village in the Shirak province of Armenia . Lusaghbyur ( also romanized as the Lusakhpyur ; formerly Svanverdi and Svan ) is a village in the Shirak province of Armenia . 0 +He was interested particularly in the secondary effect of his images , composed of stylised figures in long cloaks or with decorative gestures ; narrative content was affected . He was particularly interested in the decorative effect of his images , which were composed of stylized figures in long cloaks or gestures affected , narrative content was secondary . 0 +`` Dawn '' is the thirty-ninth episode ( production # 213 ) of the TV series '' , the thirteenth season of the second season . `` Dawn '' is the thirty-ninth episode ( production # 213 ) of the television series `` , the thirteenth of the second season . 1 +On 20 February 1959 , Prime Minister John Diefenbaker completed the project and the five arrows were completed . On February 20 , 1959 , Prime Minister John Diefenbaker terminated the project and the five completed Arrows were dismantled . 0 +This film is about Rafael , a new singer in the Malayalam film industry . This film is about Rafael , a Malayalam singer in the new film industry . 0 +In 2014 the site launched iOS and Android applications for product search ; product features include interactive video product reviews with live question-and-answer sessions . In 2014 , the site launched iOS and Android applications for product search , product features include interactive video - product - reviews with live - questions and answers - sessions . 1 +At the age of 19 she moved to New York , 2011 to Stockholm . She moved to Stockholm at the age of 19 , and moved to New York in 2011 . 0 +Depending on the seasons , the populations of cabbage in North America migrate from Canada to Mexico . Cabbage looper populations in North America migrate from Mexico to Canada , depending on the seasons . 0 +It features major league style dugouts and locker rooms and a modern training facility , making it one of the most complete facilities in NCAA Division II college baseball . It features spacious league style Dugouts and changing rooms and a modern training facility , making it one of the most complete facilities in NCAA Division II College Baseball . 0 +An EP called Dido Live with three of the seventeen live tracks on the DVD was digitally released exclusively on the iTunes Store on June 21 , 2005 . An EP named Dido Live , with three of the seventeen live tracks on the DVD , was exclusively released digitally through the iTunes Store on 21 June 2005 . 1 +Dusty Baker became the first black manager to participate in and attend a World Series since Cito Gaston for Toronto . Cito Gaston was the first black manager to participate in a World Series since Dusty Baker for Toronto , and 0 +In 1977 , Rob Taylor travelled with Barber to Scotland and Norway to climb waterfalls . In 1977 , with Rob Taylor , Barber traveled to Scotland and Norway to climb waterfalls . 0 +An atoll in France , Polynesia Niau is called after Greig Aleksey Greig . One atoll in French - Polynesia Niau is named after Aleksey Greig Greig . 0 +A sister event was held at Albert Park Lake in Melbourne and sponsored by Fox FM ( Melbourne , Australia ) . One sister event was held at the Albert Park Lake in Melbourne and sponsored by Fox FM ( Melbourne , Australia ) . 1 +With these innovations , the maximum achieved capacity of a BRT system has been increased to 35,000 passengers per hour . These innovations increased the maximum achieved capacity of a BRT system to 35,000 passengers per hour . 1 +Eugene D. Engley was born April 5 , 1851 in Attleborough , Massachusetts , the son of James Henry Engley and his wife , the former Mary Kaley . James Henry Engley was born on April 5 , 1851 in Attleborough , Massachusetts , as the son of Eugene D. Engley and his wife , former Mary Kaley . 0 +Although the Rugby - Union in Slovenia was the main centre for sport in the former Yugoslavia - a lot of rugby was still being played in Croatia . Although rugby union in Slovenia was the main centre for the sport in the former Yugoslavia , there was still quite a bit of rugby played in Croatia . 0 +Swayam 's evil plans to frame Sujal and harm the Garewals are foiled . Swayam 's evil plans to harm Sujal and frame the garewalls are foiled . 0 +Sterling Brown was best known for his authentic southern black dialect . Sterling Brown was most known for his authentic southern black dialect . 1 +It is the widow of Bruce Paltrow and the mother of actress Gwyneth Paltrow and director Jake Paltrow . She is the widow of Jake Paltrow and the mother of actress Gwyneth Paltrow and director Bruce Paltrow . 0 +Pearson 's strict stance against racial and political egalitarianism also manifested in a consistent opposition to Marxism and socialism . Pearson 's racial and political stance against strict egalitarianism was also manifested in a consistent opposition to Marxism and socialism . 0 +Taylor remained active until his death as a scout for the Chicago White Sox and the Milwaukee and Atlanta Braves in the baseball . Taylor remained active in baseball as a scout for the Atlanta Braves and the Milwaukee and Chicago White Sox until his death . 1 +The season began on 6 January 1984 in Falun ( Sweden ) and ended in Lygna ( Norway ) on 11 March 1984 . The season started on 6 January 1984 in Falun , Norway , and ended on 11 March 1984 in Lygna , Sweden . 0 +Today , the castle houses changing museum exhibits and accommodates several ethnographic collections . Today the castle hosts changing museum exhibits , and houses several ethnographic collections . 1 +Longo was born in Bayonne , New Jersey , and attended the Marist High School in Jersey City , New Jersey and at the University of Rhode Island . Longo was born in Jersey City , New Jersey , and attended the Marist High School in Bayonne , New Jersey , and at the University of Rhode Island . 0 +When Platzer opened his second restaurant in Allentown in 1993 , he changed the name to P. J. Whelihan 's to honor his grandfather , Peter Joseph Whelihan . In 1993 , when Peter Joseph Whelihan opened his second restaurant in Allentown , he changed the name to P. J. Whelihan 's in honor of his grandfather , Platzer . 0 +His father , Alfie Byrne , was a representative , senator and lord mayor of Dublin , another brother Patrick Byrne was also TD . His father , Patrick Byrne , was a delegate , senator and lord mayor of Dublin , another brother Alfie Byrne was also TD . 0 +Later he moved to Switzerland and then to Italy , where he met Shelley and Byron . He then moved to Switzerland and later Italy where he met Shelley and Byron . 0 +His best positions in competition were tenth in 1960 and eighth in 1968 . His best positions in the competition were eighth in 1960 , and in 1968 tenth . 0 +Wright moved to New York from Chapel Hill , NC . Wright moved from New York to Chapel Hill in NC . 0 +Holly Holly was influenced by Elton John musically . Elton John was influenced musically by Holly . 0 +Eliza was the daughter of his sister Judith , who had died about 1748 . Eliza was daughter of his sister Judith who had died in about 1748 . 1 +His parents were Jogaila `` the Iron '' and his wife Helen of Lithuania , a niece of King John II of Poland . His parents were John the `` Iron '' and his wife Helen of Lithuania , a niece of King Jogaila of Poland . 0 +The mass production of electronic and digital films was directly linked to the mainstream film industry until the emergence of pornographic video technology . Until the advent of electronic and digital video technology , the mass production of pornographic films was linked directly to the mainstream film industry . 0 +Praised by Richard Gibson and court painter Peter Lely , it is considered as successful as Joan Carlile . She is praised by Richard Gibson and the court painter Joan Carlile as as successful as Peter Lely . 0 +Later , during the attack on Andrew , Count of Angoulême , Richard would be Adhemar 's troops . Later , Andrew would be Richard 's forces during the attack on Adhemar , count of Angoulême . 0 +Brough and Shatton is a civil parish in Hope Valley in the High Peak district of Derbyshire , England . Brough and Shatton is a municipality in Hope Valley in the Derbyshire High Peak district of England . 1 +Soto was born in Fort Worth , but moved at the age of one year to Monterrey in Mexico . Soto was born in Fort Worth , but moved to Monterrey , Mexico , at the age of one . 1 +Neville married Edith Cranstoun Macnamara , eldest daughter of Mr. H. T. J. Macnamara , who was at one time a Judge of County Courts and a Railway Commissioner . Neville married Edith Cranstoun Macnamara , the eldest daughter of Mr. H. T. J. Macnamara , who was a judge of the County Courts and a railroad commissioner at one time . 1 +The team responded to the changes in the next game the same evening on February 19 . The team responded to the changes in the same game that next February 19 evening . 0 +Robbins was born in Coventry on 21 September 1933 , with his twin David , the eighth and ninth children of twelve by Charles and Jessamine Robbins . David was born on September 21 , 1933 in Coventry with his twin father Charles and Jessamine Robbins , the eighth and ninth child of twelve of Robbins . 0 +When a surface has a constant zero developable curvature , then it is a Euclidean surface and the geometry of the surface is Gaussian geometry . When a surface has a constant Gaussian curvature of zero , it is a developable surface and the geometry of the surface is Euclidean geometry . 0 +Its status as a satellite town of Kuala Lumpur is tied to its location in the heart of Klang Valley in Malaysia . Its status as a satellite town of the Klang Valley is connected to its location in the heart of Kuala Lumpur , Malaysia . 0 +Emily Ann Morelli ( born Emily Ann Lloyd ; March 27 , 1984 ) is an American actress . Emily Ann Lloyd ( born Emily Ann Morelli on March 27 , 1984 ) is an American actress . 0 +Shook was an independently produced British music magazine based in London which covered various forms of black music and electronical music . Shook was an electronic music magazine produced underground in London that covered various forms of British music and black music . 0 +Piper City was designed by Samuel Cross of New York and William A. Piper of Philadelphia in 1867 ( March 5 , 1820 - July 6 , 1896 ) . Piper City was laid out in 1867 by Samuel Cross of New York and William A. Piper ( 5 March 1820 -- 6 July 1896 ) of Philadelphia . 1 +At the time of his death , David Cardinal Beaton was Lord Chancellor of St Andrews , Archbishop of Scotland , and Cardinal Legate in Scotland . David Cardinal Beaton was Lord Chancellor of Scotland at the time of his death , Archbishop of St. Andrews and Cardinal Legate of Scotland . 0 +Navarro is a partido in the northeast of Argentina in Buenos Aires Province . Navarro is a partido in the northeast of Argentina in the province of Buenos Aires . 1 +Born in Brazil , he lived in South Korea for 9 years since 2002 and played football there for 5 years . He started his professional career in 2007 . Born in South Korea , he lived since 2002 for 9 years in Brazil , played there 5 years of football and started his career in 2007 . 0 +Nichols is located ( 41.479113 , -91.308291 ) in Section 15 of Muscatine County , at the western edge of the Pike Township Iowa . Nichols is located at ( 41.479113 , -91.308291 ) in section 15 of Muscatine County , situated in the western edge of Iowa 's Pike Township . 1 +Among the more popular trains are : Simanta Express and Rupsha Express to Khulna , Titumir Express to Rajshahi , Nilesagar Express to Dhaka and Lalmoni Express to Dhaka . Among the more popular trains are : Simanta Express and Rupsha Express to Dhaka , Titumir Express to Dhaka , Nilsagar Express to Rajshahi and Lalmoni Express to Khulna . 0 +Cher and MCA were the labels with which Kapp had more success in the 1970s and remained with them until 1974 . Capp and MCA were the labels with which Cher had more success in the seventies and remained with them until 1974 . 0 +Born in Australia , Lang moved to Israel as a young man and settled there in 1961 . Lang was born in Israel , migrated to Australia as a young man and settled there in 1961 . 0 +Cai Feng also had a son , Cai Mao . Also Cai Mao had a son , Cai Feng . 0 +Then he moved to Switzerland and later to Italy , where he met with Shelley and Byron . He later moved to Switzerland and then Italy where he met Shelley and Byron . 0 +Lloyd founded and led his business to start selling toys and gifts , and he expanded the House of Lloyd , based in Grandview , Missouri , while the gift business grew . Lloyd founded and led his business to begin selling toys and gifts , and he expanded the Grandview , Missouri based House of Lloyd as the gift business grew . 1 +The river Neajlovel is a tributary of the River Neajlov in Romania . The river Neajlov is a tributary of the River Neajlovel in Romania . 0 +Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , to the southeast of Rambler Peak and south of Gold River . Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , located southeast of Gold River and south of Rambler Peak . 0 +João Martins Pena and Francisca de Paula Julieta Pena was born in Rio de Janeiro , to Martins Pena . Martins Pena was born in Rio de Janeiro to Pena João Martins and Francisca de Paula Julieta Pena . 0 +The history of the 188th Rocket Division starts from April 29 , 1941 , when the formation of the 46th Rifle Division was completed in Kaunas . The history of the 46th rocket division begins on April 29 , 1941 , when the formation of the 188th Rifle Division was completed in Kaunas . 0 +Azusa Pacific University 's Azusa Campus is located in San Gabriel Valley , northeast of Los Angeles . The Azusa Campus at Azusa Pacific University is located in San Gabriel Valley , northeast of Los Angeles . 1 +Buccinum pulchellum is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Buccinum pulchellum is a species of the sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . 1 +The following table compares the performance of the LOD - capable rendering and a brute - detail method ( full force ) . The following table compares the performance of LOD aware rendering and a full detail ( `` brute force '' ) method . 0 +He died on 19 September 1891 in Gallatin , Tennessee , and received a Masonic in Gallatin . Bunting died on September 19 , 1891 in Gallatin , Tennessee . He received a Masonic funeral in Gallatin . 1 +During this first year , Larco Hoyle received some advice from his uncle , Victor Larco Herrera , founder of the same museum in Lima . During that same year , Larco Hoyle received some advice from his uncle , Victor Larco Herrera , a founder of the first museum in Lima . 0 +He was trained by John Velazquez and ridden in his most important races by jockey Dale Romans . He was trained by Dale Romans and ridden by Jockey John Velazquez during his most important races . 0 +On June 25 , 1866 , he was appointed bishop of `` Nisa in Lycia and titular bishop of Velletri . He was appointed as auxiliary bishop of `` Nisa in Lycia '' and titular bishop of Velletri on 25 June 1866 . 1 +They achieved some success , live shows in Melbourne , Geelong and Shepparton . They achieved some success by playing live shows in Shepparton , Geelong and Melbourne . 1 +The younger brother of Tim Tim , Tod Leiweke , is currently Chief Operating Officer of the National Football League since 2015 . Tim , the younger brother of Tod Leiweke , is currently Chief Operating Officer of the National Football League since 2015 . 0 +Joey Shamah was replaced by Tarang P. Amin , who `` has been appointed president , chief executive officer and director of E.l.f . Tarang P. Amin has been replaced by Joey Shamah , who is President , Chief Executive Officer and Director of E.l.f . 0 +California was a Japanese agrarian community in Livingston , Yamato Colony , California . Yamato Colony , California was a Japanese agricultural community located in Livingston , California . 0 +His father , Alfie Byrne , was a deputy , TD , senator , and lord mayor of Dublin , and another brother , Patrick Byrne , was also TD . His father Patrick Byrne was an MP , TD , Senator and Lord Mayor of Dublin . Another brother Alfie Byrne was also a TD . 0 +Jonas Björkman and Fabrice Santoro won against Martin Damm and Radek Štěpánek in the finals with 6-2 , 6-4 . Martin Damm and Radek Štěpánek won in the final 6 -- 2 , 6 -- 4 , against Jonas Björkman and Fabrice Santoro . 0 +Steam can also be used and need not be pumped . Steam can also be pumped and need not be used . 0 +Michael Liebel Sr. was 14 years old when his parents came to Germany from Erie to Pennsylvania . Michael Michael Liebel Sr. was 14 years old when his parents came from Erie to Pennsylvania in Germany . 1 +A new religious idea of a triple goddess is central to Wicca 's modern movement . A modern idea of a triple goddess is central to Wicca 's new religious movement . 0 +If the 1983 local elections had been a parliamentary election , the Socialist Left would have received 8 seats in Parliament . If the 1983 parliamentary election had been a local election , the Socialist Left would have received 8 seats in parliament . 0 +It is a famous pilgrimage centre located 78 kilometres from Dharwad and 37 kilometres from Belgaum . It is a celebrated pilgrimage centre located 78 kilometres from Belgaum and 37 kilometres from Dharwad . 0 +The island is rocky with steep sides and has little soil . The island is steep with rocky sides and has very little ground . 0 +A phase transition from a ferromagnet to a paramagnet is continuous and is of second order . Phase transition from a ferromagnet to a paramagnet is continuous and has a second order . 1 +He performed as a glassmaker and worked on various musical instruments with many different bands . He appeared as a glassmaker and worked with many different bands on various musical instruments . 1 +He collaborated with contemporary architects such as Francesco Grimaldi , Bartolomeo Picchiatti and Giovan Giacomo Di Conforto . He worked together with contemporary architects such as Francesco Grimaldi , Bartolomeo Picchiatti and Giovan Giacomo Di Conforto . 1 +Just 10 days later he was traded together with Aaron Heilman to the Seattle Mariners for Ronny Cedeño . Just 10 days later , he was traded along with Aaron Heilman to the Seattle Mariners for Ronny Cedeño . 1 +According to the United States Census Bureau , Southport has a total area of which is land and , or 0.91 % , is water . According to the United States Census Bureau , Southport has a total area of land and , or 0.91 % , is water . 1 +Imperial Russia was an autonomous Grand Duchy before its independence within Finland . Before its independence , Finland was an autonomous grand duchy inside Imperial Russia . 0 +Lloyd founded and conducted his business to begin selling toys and gifts , and he expanded the House of Lloyd , based in Grandview , Missouri , when the gift business grew . Lloyd expanded his business to begin selling toys and gifts , and he founded and directed the House of Lloyd , based in Grandview , Missouri , when the gift business grew . 0 +`` Taunton Castle '' was at Penang on 1 August and Rio de Janeiro on 31 October . `` Taunton Castle '' was on 1 August in Rio de Janeiro and on October 31 in Penang . 0 +The administrative region of Chenzhou in the Tang dynasty is under the administration of modern Zhoukou in eastern Henan : The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Henan in the east of Zhoukou : 0 +An analysis of millions of public RSA keys from the Internet was announced in 2012 by Augier , Hughes , Lenstra , Bos , Kleinjung and Wachter . An analysis of millions of public RSA keys collected from the Internet was announced by Lenstra , Hughes , Augier , Bos , Kleinjung and Wachter in 2012 . 1 +Roger Mortimer 's first wife was Joan Mortimer , the daughter of James 2nd Baron Audley . Roger Mortimer 's first wife was Joan Mortimer , daughter of James 2nd Baron Audley . 1 +Dusty Baker became the first black manager to participate in and attend a World Series since Cito Gaston for Toronto . Cito Gaston became the first black manager to participate in a World Series since Dusty Baker for Toronto in and 0 +Huyghe was born in 1962 in Chile and New York and lives and works in Paris . Born in Paris in 1962 , Huyghe lives and works in Chile and New York . 0 +He also donated $ 34,000 to Ted Cruz and US $ 7,000 to Mitt Romney , including his 2016 presidential campaign . He also donated US $ 34,000 to Ted Cruz and US $ 7,000 to Mitt Romney , including his 2016 presidential campaign . 1 +Rami Nieminen ( born February 25 , 1966 ) is a Finnish footballer . Rami Nieminen ( born 25 February 1966 ) is a former Finnish footballer . 1 +Olivia Loe took up rowing in 2004 , and Jessica Loe followed her in 2006 . In 2004 , Olivia Loe took the rowing , and Jessica Loe followed her in 2006 . 1 +Former Las Vegas showgirl Margaret Whitton ( Rachel Phelps ) inherits the Cleveland Indians baseball team from her deceased husband , Donald . The former Las Vegas showgirl Margaret Whitton ( Rachel Phelps ) inherits the Cleveland Indians baseball team from her deceased husband , Donald . 1 +Jools Holland and McEwen were divorced in 1995 and since then she has married the musician Ned Lambton . Jools Holland and McEwen divorced in 1995 . She has since married the musician , Ned Lambton . 1 +Loveland occupied the first floor as his mercantile and the second floor served as the Masonic temple . The loveland occupied the second floor as his mercantile and the first floor served as a Masonic temple . 0 +These were rare in the United Kingdom , but relatively frequent in Europe , at least for large locomotives . These were common in the United Kingdom , but relatively rare in Europe , at least for large locomotives . 0 +Sir Thomas Dutton ( 1 August 1421 -- 23 September 1459 ) was a medieval English knight . He was the son of Sir John Dutton and Margaret Savage Sir Thomas Dutton ( August 1 , 1421 - September 23 , 1459 ) was an English medieval knight who was the son of Sir John Dutton and Margaret Savage . 1 +Suggestions from Met to extend from Paddington to South Kensington and east from Moorgate to Tower Hill to the south were accepted on 29 July 1864 and received the royal approval . Proposals from the Met to extend south from Paddington to South Kensington and east from Moorgate to Tower Hill were accepted and received royal assent on 29 July 1864 . 1 +Rashidi was not charged , but he was repatriated by Moroccan authorities , when he was detained . Rashidi was not charged , but he was repatriated by the Moroccan authorities when he was arrested . 1 +Previous secretaries were John MacKay , who received an MBE for Scottish Horticulture services , Alison Murison , Tom Mabbott , and Dr. John MacLennan . Previous secretaries include John MacKay , who received an MBE for services to Scottish Horticulture , Alison Murison , Tom Mabbott and Dr. John MacLennan . 1 +The largest mosque , Al Farooq Masjid of Midtown Atlanta , is located on the 14th road in Atlanta . The largest mosque , Al Farooq Masjid of Midtown Atlanta , is located on 14th Street in Atlanta . 1 +Born in 1920 in Laguna , California , he graduated from the Choate School in Connecticut and visited Pomona College and the University of Southern California . Utley was born in Laguna , California in 1920 . He graduated from the Choate School in Connecticut , and attended Pomona College and the University of Southern California . 1 +The manga has a video game for the Sega Mega Drive in Japan and Asia with the same name . The manga has a videogame for the Sega Mega Drive with the same name in Asia and Japan . 1 +`` In 80 minutes around the world '' with Robert E. Sherwood , is an American pre-code - documentary film by director Douglas Fairbanks from 1931 and by Douglas Fairbanks and Victor Fleming written . In 80 minutes around the world with Douglas Fairbanks , an American pre-code documentary from 1931 is directed by Douglas Fairbanks and Victor Fleming and by Robert E. Sherwood . 0 +He was the cousin of the Czech national player Jaroslav Hlinka and son of former player Miroslav Hlinka sr . He was the cousin of the Czech national player Miroslav Hlinka and son of former player Jaroslav Hlinka sr . 0 +They have 13 anal soft spines , 11 to 13 dorsal soft rays , 2 back spines and 11 to 13 anal rays . They have 13 anal soft spines , 11 to 13 dorsal soft rays , 2 dorsal spines , and 11 to 13 anal rays . 1 +Under the dirt and partially discovered impressive paintings , Baroque Mediaeval paintings were completed . Under the dirt and partially discovered impressive paintings , baroque medieval paintings were completed . 1 +Until the end of the Second World War , the largest number of Roman Catholics was in the territory of the Yugoslav banat of German origin . Until the end of Second World War , the largest number of Roman Catholics in the territory of German Banat was of Yugoslav ethnicity . 0 +The Briquet Griffon Vendéen has a short head , low ears and a bushy double coat . The Briquet Griffon Vendéen has a bushy double head , low-seated ears and a short coat . 0 +It is east of Chestnut Ridge , south of Nanuet , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . It is located east of Chestnut Ridge , south of Nanuet , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . 1 +However , in true continuity , Superman meets the current Zod for the first time in `` Last Son '' . In real continuity , Superman in `` Last Son '' meets the current Zod for the first time . 1 +An atoll in France , Polynesia Niau is called after Greig Aleksey Greig . An atoll in France , Polynesia Niau is named Aleksey Greig after Greig . 1 +Wright moved from Chapel Hill , NC to New York . Wright moved from New York to Chapel Hill in NC . 0 +It was announced on 22 December 2011 and was released in February 2012 . It was registered on 22 December 2011 and was released in February 2012 . 1 +The Houston Main Building ( HMB ) formerly known as the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . The Prudential Building ( HMB ) formerly the Houston Main Building , was a skyscraper in the Texas Medical Center , Houston , Texas . 0 +A house becomes charged with angry energy and gives shape to the necromantic spirit within . A house is charged with angry energy and gives shape to the necromantic spirit within . 1 +The 2007 championships took place between January 21 and 28 in Spokane , Washington , at the Spokane Convention Center and the Spokane Arena . The 2007 championship took place between 21 and 28 January in Spokane , Washington , in the Spokane Arena and the Spokane Convention Center . 1 +Jonas Björkman and Fabrice Santoro won in the final 6 - 2 , 6 - 4 , against Martin Damm and Radek Štěpánek . Martin Damm and Radek Štěpánek won against Jonas Björkman and Fabrice Santoro at 6 : 2 , 6 : 4 in the final . 0 +The Armenian Patriarch of Jerusalem , Nourhan Manougian , said that Armenians are being treated as '' third-class citizens . Nourhan Manougian , the third Patriarch of Jerusalem , stated that Armenians are treated as `` Armenian-class citizens . '' 0 +Hugh L. Scott had handpicked Lieutenant Carpenter to organize and command Troop L ( composed of Kiowa , Comanche , and Apache Indians ) for the 7th Cavalry . Hugh L. Scott had handpicked Lieutenant Carpenter to organize and command Troop L ( consisting of Kiowa , Comanche , and Apache - Indians ) for the 7th Cavalry . 1 +They also published the second track on the album , `` Vices '' , as the 5th single from the album on June 13th . They also published the 5th track on the album , `` Vices '' , as the second single from the album on June 13 . 0 +This species is now in the family of lizards , known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the currently invalid family , polychrotidae . This genus is now in the family of lizards known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the presently invalid family , Polychrotidae . 1 +He lives in Maribor and Ljubljana , Slovenia and directs mostly in Slovenia and Croatia . He lives in Maribor and Ljubljana , Slovenia , and directs in Slovenia and Croatia . 1 +The ships of the Siegfried class were long overall at the waterline and long . The ships of the Siegfried class were overall long and long on the waterline . 1 +Where `` e '' the magnetic charge of the particle and A is the electrical vector potential of the electromagnetic field . Where `` e '' is the electric charge of the particle and A the magnetic vector potential of the electromagnetic field . 0 +It is also worth noting that the following code would work without ADL ( it will be applied to it anyway ) . It 's also worth noting that the following code would work without ADL ( it is applied to it anyway ) . 1 +The nations Macedonia , Kenya , Azerbaijan , Uruguay and Venezuela participated in their first Winter Olympic Games . The nations of Azerbaijan , Kenya , Macedonia , Uruguay and Venezuela participated in their first Olympic Winter Games . 1 +Finale is a town in South Africa in the Limpopo province of Mopani District Municipality . Finale is a city in the Mopani District Municipality in the province of Limpopo , South Africa . 0 +João Martins Pena and Francisca de Paula Julieta Pena was born in Rio de Janeiro to Pena Martins . Was born Martins Pena in Rio de Janeiro , João Martins Pena and Francisca de Paula Julieta Pena . 0 +Suggestions from Met to extend from Paddington to South Kensington and east from Moorgate to Tower Hill to the south were accepted on 29 July 1864 and received the royal approval . Proposals from the Met to extend east from Paddington to South Kensington and south from Moorgate to Tower Hill were accepted and received royal assent on 29 July 1864 . 0 +An international independent group of experts studied the impact of the accident and concluded that no one was killed or poisoned as a result of the accident . An international independent group of experts examined the impact of the accident and concluded that no one was poisoned or killed as a result of the accident . 1 +The `` Fallbeil '' was last used in East Germany in 1949 , in 1966 in West Germany . The `` Fallbeil '' was last used in West Germany in 1949 , in 1966 in East Germany . 0 +Both daughters died before he did , Tosca in 1976 and Janear in 1981 . Both daughters , before he died , did Tosca in 1976 and Janear 1981 . 0 +Erginus galkini is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marinelimpets . Erginus galkini is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 1 +Proposals from Met to extend from Paddington to South Kensington and south from Moorgate to Tower Hill to the south were accepted and received royal consent on 29 July 1864 . Proposals from the Met to extend east from Paddington to South Kensington and south from Moorgate to Tower Hill were accepted and received royal assent on 29 July 1864 . 0 +Zingone played club football for Lito . Zingone played for Lito 's club football . 1 +The fourth was in the caused by the resignation of Joseph Hemphill sometime after May , 1826 , filled by Thomas Kittera . The fourth was caused by the resignation of Joseph Hemphill sometime after May 1826 , which was filled in by Thomas Kittera . 1 +Ivor Ewing McIntyre was born on 6 October 1899 in Kent , England , as son of Captain Duncan McIntyre . Duncan McIntyre was born in Kent , England on October 6 , 1899 , the son of Captain Ivor Ewing McIntyre . 0 +Hoppkorv was the last album by the American blues rock band Hot Tuna , and their seventh studio album recorded for Grunt Records , as Grunt BFL1-1920 . Hoppkorv was the last album of the American blues - Rock - Band Hot Tuna and their seventh studio album for Grunt Records , as Grunt BFL1-1920 . 1 +The movement is in extended time although there are common sections in 3/4 . The movement is in extended time , although there are in 324 common sections . 0 +Malcolm Fraser , who had defeated Whitlam in a landslide at the federal election in December 1975 , offered Egerton the knighthood for serving the trade union movement . Whitlam , who had defeated Malcolm Fraser in a landslide at the federal election in December 1975 , offered Egerton the knighthood for serving the trade union movement . 0 +In 1924 he was an invited spokesman for the ICM in Toronto , in Oslo in 1932 and in 1936 in Zurich . He was an Invited Speaker of the ICM in Toronto in 1924 , in 1932 in Oslo , and in 1936 in Zurich . 1 +Cook Pond , also formerly known as Laurel Lake , is located south east of the Taunton River and west of the South Watuppa Pond . In the south end , Cook Pond , also formerly known as Laurel Lake , is located east of the Taunton River and west of the South Watuppa Pond . 1 +His father , Alfie Byrne , was a representative , senator and lord mayor of Dublin , another brother Patrick Byrne was also TD . His father Alfie Byrne was an MP , TD , Senator and Lord Mayor of Dublin . Another brother Patrick Byrne was also a TD . 1 +In August , after the end of the war in June 1902 , Higgins Southampton left the `` SSBavarian '' and returned to Cape Town the following month . After the end of the war in June 1902 , Higgins Cape Town left the `` SSBavarian '' in August and returned the following month to Southampton . 0 +After the wedding ceremony in his hometown of Barcelona , Spain , the married couple flew to Sakarya . After the wedding ceremony in his hometown Sakarya , the couple flew to Barcelona , Spain . 0 +Tindi is a northeast Caucasian language spoken in the Russian Republic of Dagestan . Tindi is an Northeast Caucasian language spoken in the Russian republic of Dagestan . 1 +Early in the season , he was part of the `` Moving Company '' alliance , along with Howard , Jeremy , McCrae , and Nick . Together with Nick , Jeremy , McCrae and Howard he was part of the `` Moving Company '' Alliance early in the season . 1 +In his Berlin study three figures hung on the wall : Schopenhauer , Maxwell , Faraday . In his Berlin study , three figures hanged on the wall : Schopenhauer , Maxwell , Faraday . 1 +On November 29 , 1171 , Gonzalo Ruiz de Bureba signed a certificate for the first time as '' Gonzalo . On 29 November 1171 , Gonzalo signed a charter as `` Gonzalo Ruiz de Bureba '' for the first time . 0 +The New Ways to Work Foundation was founded in 1972 and is a non-profit organization funded by the San Francisco Bay Area . In 1972 the New Ways to Work Foundation was funded , it is a non-profit organization founded in the San Francisco Bay area . 0 +In 1994 , the volume `` Aspects of Religion '' , published by Peter Masefield and Donald Wiebe , was edited in his honour . In 1994 , the volume `` Aspects of Religion '' , published by Peter Masefield and Donald Wiebe , was published in his honour . 1 +Cher and MCA were the labels with which Kapp had more success in the seventies and she remained with them until 1974 . Kapp and MCA were the labels that Cher had more success with in the seventies and remained with them until 1974 . 0 +Bala stands on a high and snowy plain , summers are hot , winters are cold . Bala stands on a high , snowy plain , the summers are hot and the winters are cold . 1 +In 1997 , she appeared as Sheila Dixon in `` Coronation Street '' and Naomi Russell in 1998 . In 1997 , she appeared as Naomi Russell in `` Coronation Street '' and in 1998 as Sheila Dixon . 0 +`` Dream '' was performed at the Royal Opera House , Covent Garden , in 1961 , produced by John Gielgud and conducted by Georg Solti . `` Dream '' was performed in 1961 in the Royal Opera House in Covent Garden , produced by John Gielgud and conducted by Georg Solti . 1 +At the time of his death , David Cardinal Beaton was Lord Chancellor of Scotland , Archbishop of St Andrews , and Cardinal Legate in Scotland . At the time of his death , David was Cardinal Beaton Lord Chancellor of St. Andrews , Archbishop of Scotland , and Cardinal Legate of Scotland . 0 +John Byron married Mary Byron , daughter of Sir Lucas of Newstead in Nottinghamshire . John Byron married Mary Byron , daughter of Sir Lucas of Newstead , Nottinghamshire . 1 +Director Hayao Miyazaki and his longtime colleague Isao Takahata were allowed to create their own studio under the direction of former `` Animage '' editor Toshio Suzuki . It also allowed director Hayao Miyazaki and his long time colleague Toshio Suzuki to create their own studio under the supervision of former `` Animage '' editor , Isao Takahata . 0 +The Boia Mică River is a tributary of the River Valea Sterminoasă in Romania . The Valea Sterminoasă River is a tributary of the Boia Mică River in Romania . 0 +Hunter immediately tell his father , Zac MacGuire ( Charlie Clausen ) , and Evie . Tell him immediately his father , Charlie Clausen ( Zac MacGuire ) and Evie . 1 +Where `` e '' the magnetic charge of the particle and A is the electrical vector potential of the electromagnetic field . Whereas '' e `` the electric charge of the particle and A is the magnetic vector potential of the electromagnetic field . 0 +He played senior inter-county football with his local club Adrigole and was a member of the Cork Gaelic team in the 1960s and 1970s . He played Senior Intercounty Football with his local club Adrigole and was a member of the Cork Gaelic team in the 1960s and 1970s . 1 +An analysis of millions of public RSA keys from the Internet was announced by Augier , Hughes , Lenstra , Bos , Kleinjung and Wachter in 2012 . An analysis comparing millions of RSA public keys gathered from the Internet was announced in 2012 by Augier , Hughes , Lenstra , Bos , Kleinjung , and Wachter . 1 +When a stress is applied to a viscoelastic material such as a polymer , parts of the long polymer chain change positions . When a voltage is applied to a viscoelastic material such as a polymer , parts of the long polymer chain change . 0 +For two years , McMillan spent at the Royal Medical Corp. in Didcot -- and later in Tidworth , where he run an MRS for soldiers injured in the Korean War . McMillan spent two years at the Royal Medical Corp. in Tidworth -- and later at Didcot , where he operated an MRS for soldiers injured in Korean War . 0 +Two lines operate daily on the Dearne Valley line to York and Sheffield . Two services daily operate on the Dearne Valley line to York and Sheffield . 1 +Astronomer and UFO researcher Edward Weiler and the director of Goddard Space Flight Center Jacques Vallee also attended TGS . Astronomer and UFO researcher Jacques Vallee and director of the Goddard Space Flight Center Edward Weiler also attended TGS . 0 +At the time of his death , David Cardinal Beaton was Lord Chancellor of St Andrews , Archbishop of Scotland , and Cardinal Legate in Scotland . David Cardinal Beaton was Lord Chancellor of Scotland , Archbishop of St. Andrews and Cardinal Legate of Scotland at the time of his death . 0 +Both daughters , before he died , did Tosca in 1976 and Janear 1981 . Both daughters died before he did , in Tosca in 1976 and in Janear 1981 . 0 +During his campaign , he debated McCain twice , once in Tucson and once in Flagstaff . During his election campaign , he twice debated McCain , once in Tucson , and once in Flagstaff . 1 +While the 33d Fighter Group was inactive , it was merged with the 33d Tactical Group as a 33d Tactical Fighter Group . While the 33d Fighter Group was inactive , it was consolidated with the 33d Tactical Group as the 33d Tactical Fighter Group . 1 +The Pope proposed a solution in 1980 that was rejected by Chile and approved by Argentina . The Pope proposed in 1980 a solution that was accepted by Chile and rejected by Argentina . 0 +Dakota City is part of the Sioux City , IA -- NE -- SD Metropolitan Statistical Area . Dakota City is a part of Metropolitan Statistical Area NE - Sioux City , IA -- SD . 0 +Vermont is bordered by Mitcham to the north , Nunawading and Forest Hill to the west , Vermont South to the south and Wantirna and Ringwood to the east . Vermont South is bordered to the north of Mitcham , to the west by Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . 0 +Mark Knowles and Daniel Nestor won the title , defeating Jonathan Erlich and Andy Ram 5 : 3 , 5 : 4 in the final . Jonathan Erlich and Andy Ram won the title , defeating Mark Knowles and Daniel Nestor 5 -- 3 , 5 -- 4 in the final . 0 +The stars Lilie Rabe , Timothée Chalamet , Lili Reinhart , Anthony Quintal , Oscar Nunez and Rob Huebel . The film stars Oscar Nunez , Rob Huebel , Timothée Chalamet , Lily Rabe , Anthony Quintal , and Lili Reinhart . 1 +Nozomu Sasaki is expressed in the original series by Mackie in Japanese and Frank Trimble in English . Mackie is voiced by Nozomu Sasaki in Japanese and Frank Trimble in English in the original series . 0 +On November 13 , 2016 , Deputy Dennis Wallace was murdered in Fox Grove Park near the City of Hughson by David Machado . On 13 November 2016 , David Machado murdered Dennis Wallace in Fox Grove Park near the city of Hughson . 1 +A Peri whose force appears in her hair is in Elizabeth Ann Scarborough 's novel of 1984 , `` The Harem of Aman Akbar '' . A peri , whose power is in her hair , appears in Elizabeth Ann Scarborough 's 1984 novel `` The Harem of Aman Akbar '' . 0 +The school has well maintained classrooms and an intelligent faculty , most of the classes are good classes . The school has well maintained classrooms and good faculty . Most of the classes are smart classes . 0 +Later he moved to Switzerland and then to Italy , where he met Shelley and Byron . He then moved to Switzerland and later to Italy , where he met Shelley and Byron . 0 +In 1920 and 1921 in Venice the Italians won -- no other nation entered in 1920 , and in 1921 the French did not start . In 1920 and 1921 in Venice , the Italians joined -- no other nation won in 1920 , and in 1921 the French entry did not start . 0 +The series debuted on April 18 , 2009 in New Zealand via Nickelodeon ( Australia and New Zealand ) . The series debuted in New Zealand April 18 , 2009 on Nickelodeon ( Australia and New Zealand ) . 1 +For example , 32W000 in DuPage County is 32 miles west of State St. , 38000 in Lake County would be 38 miles north of Madison Street . For example , 32W000 in DuPage County is 32 miles to the west of State St. , 38000 in Lake County would be 38 miles north of Madison Street . 1 +Long was born in Israel , migrated as a young man to Australia and settled there in 1961 . Born in Israel , Lang migrated to Australia as a young man and settled there in 1961 . 1 +The 1927 local elections in Zagreb were held on 4 September , 7 days before the parliamentary elections . The parliamentary elections in Zagreb in 1927 were held on 4 September 7 days before the local elections . 0 +The river Arieşul Mare is a tributary of the Válcea river in Romania . The Vălcea river is a tributary of the River Arieşul Mare in Romania . 0 +In 1955 , the new parish was merged with another , and the Church of the Holy Trinity on Prince Consort Road became the Anglican parish church . In 1955 , the Anglican community was merged with another , and the Church of the Holy Trinity at Prince Consort Road became the new parish church . 0 +The resort has 7 red pistes , 3 blue pistes , 2 black pistes and one green piste . The resort has 7 red , 3 blue , 2 black and one green pistes . 1 +In 1966 , he started his own gallery at Cork Street in London , Leslie Waddington had the support of Alex Bernstein , a member of the media dynasty Granada . In 1966 , started his own gallery in London 's Cork Street , Leslie Waddington had the backing of Alex Bernstein , a member of the Granada media dynasty . 1 +On September 22 , 1918 , the first wireless telegraph communication was sent to Snowdonia from Australia . On 22 September 1918 , Snowdonia sent the first wireless telegraph message to Australia . 0 +Hardwick appeared in `` Coronation Street '' in 1997 as Naomi Russell and in 1998 as Sheila Dixon . In 1997 , she appeared as Naomi Russell in `` Coronation Street '' and in 1998 as Sheila Dixon . 1 +His son , Aloka Liyanage , is married to the daughter of actor Jackson Anthony , the father of Saumya Liyanage and Indrachapa Liyanage . His son Aloka Liyanage is married to the daughter of actor Jackson Anthony . He also is the father of Saumya Liyanage and Indrachapa Liyanage . 1 +The regiment left Philadelphia in October 1777 to join the main army of General George Washington outside Boston . The regiment left Boston in October 1777 to join the main army of General George Washington outside Philadelphia . 0 +English cooking dominated early colonial cooking ; but as new immigrants arrived from other countries , other national soups gained popularity . Cooking dominated early colonial cuisine , but other national soups gained popularity as new immigrants arrived from other countries . 1 +Three brigades ( 11 Battalions ) were trained for conventional warfare ; a large guerrilla force ( estimated at 100,000 ) was raised . For conventional warfare , three brigades ( 11 battalions ) were set up , a large guerrilla force ( estimated at 100,000 ) was trained . 0 +A character in `` Detection Unlimited '' , a mystery novel written by Armstrong , is compared to Georgette Heyer . In `` Detection Unlimited '' , a mystery novel written by Armstrong , a character is compared to Georgette Heyer . 1 +The province of Badakhshan is one of 28 districts of the Ishkashim district in eastern Afghanistan . Ishkashim District is one of the 28 districts of Badakhshan Province in eastern Afghanistan . 0 +In 1888 , the Sydney Water Board took over the water supply for Sydney from the city council . In 1888 , the town council had taken over the water supply for Sydney from the Sydney Water Board . 0 +He died in Milwaukee , Wisconsin , where on 5 May 1903 he retired . He withdrew in Wisconsin , Milwaukee , where he died on 5 May 1903 . 0 +Although interchangeable , the body parts are not similar on the 2 cars . Although similar , the body pieces on the 2 cars are not interchangeable . 0 +Billie Jean König defeated Rosalyn Fairbank 6 -- 2 , 6 -- 1 Billie Jean King defeated Rosalyn Fairbank 6 -- 2 , 6 -- 1 1 +In 1933 , Cattell wrote that , of all European races , the `` Nordic race was the most developed intelligence and stability in temperament . In 1933 , Cattell wrote that of all the Nordic races , `` was the European race in the intelligence and stability of temperament the most developed '' . 0 +There was some violence against paramilitary Jews in the early years of the Weimar Republic , and it was led by the German Freikorps . In the early years of the Weimar Republic , there was violence against paramilitary Jews , led by the German Freikorps . 1 +Rainbach im Innkreis is a municipality in the district of Schärding in the state of Upper Austria . Rainbach im Innkreis is a municipality in the district of Upper Austria in the Austrian state of Schärding . 0 +Propilidium pelseneeri is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lepetidae family , one of the families of true limpets . Propilidium pelseneeri is a species of sea snail , a true limpet , an appropriate gastropod mollusk in the Lepetidae family , one of the families of marine limpets . 0 +The Oxford Canal was opened in 1790 and the road was named Canal Street around 1870 . Canal Street was opened in 1790 and the street was named after the 1870 Oxford Canal . 0 +The image on the page is a two-dimensional image as opposed to pre-rendered 3D . The image on the side is a two-pre-rendered image as opposed to dimensional 3D . 0 +`` T '' is similar to a matrix whose only nonzero entries are on the superdiagonal , by the Jordan canonical form . `` T '' is similar to a matrix whose canonical entries are on the superdiagonal form of the Jordan non-zero . 0 +In 1966 , he started his own gallery at Cork Street in London , Leslie Waddington had the support of Alex Bernstein , a member of the media dynasty Granada . In 1966 , started his own gallery in London 's Cork Street , Alex Bernstein had the backing of Leslie Waddington , a member of the Granada media dynasty . 0 +The next release was created by Ron 's brother Robert Fuller in 1986 . The next release was created in 1986 by Robert Fuller 's brother Ron . 0 +The Roman Catholic Diocese of Bungoma is a diocese located in the city of Kisumu in the Ecclesiastical province of Bungoma in Kenya . The Roman - Catholic diocese of Bungoma is a diocese in the town of Kisumu in the ecclesiastical province of Bungoma in Kenya . 1 +The film has many elements of a musical , with lengthy opera sequences , and has been criticized for being more musical than horrific . The film has many elements of a musical , with long opera sequences , and has been criticized for being more musical than terrible . 1 +Prosipho crassicostatus is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Prosipho crassicostatus is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . 1 +Santa Cruz is situated on the shores of the Santa Cruz River , which flows into the eastern part of the Laguna de Bay . Laguna de Bay is located on the banks of the river Santa Cruz , which flows into the eastern part of Santa Cruz . 0 +A Peri whose power is in her hair appears in Elizabeth Ann Scarborough ’ s novel `` The Harem of Aman Akbar '' from 1984 . A peri , whose power appears in her hair , is in Elizabeth Ann Scarborough 's 1984 novel , `` The Harem of Aman Akbar '' . 0 +Stephen Pearl Andrews was an individualist anarchist and close partner of Josiah Warren . Josiah Warren was an individualist anarchist and close ally of Stephen Pearl Andrews . 0 +However the initials in the text combine Carolingian elements with animal forms in inventive fashion . The initials in the text , however , combine inventive elements with animal forms in Carolingian way . 0 +Thomas Bryn represented Råbyggelaget Amt ( Even Aust-Agder ) at the Norwegian Constituent Assembly in 1814 , together with now Torkildsen Lande and Ole Knudsen Tvedten . Together with Even Torkildsen Lande and Ole Knudsen Tvedten , Thomas Bryn represented the Råbyggelaget Amt ( now Aust- Adder ) at the Norwegian Constituent Assembly in 1814 . 0 +He was survived by his wife , former Barbara Crutchley , his sons Norman F. Boas and Donald P. Boas and his daughter , Helen Tuthill Sisson . He was survived by his wife , the former Barbara Crutchley , his sons Norman F. Boas and Donald P. Boas , and his daughter Helen Tuthill Sisson . 1 +The play was printed in 1631 under its subtitle , `` The School of Complement '' , in a quarto published by Elizabeth Allde for the bookseller Francis Constable . The play was published in 1631 under the subtitle `` The School of Complement '' in a Quarto printed by Elizabeth Allde for bookseller Francis Constable . 0 +Migvan ( Colourful `` lit '' ) is a small urban kibbutz located in the city of Sderot in the northwestern Negev desert in Israel . Migvan ( Colourful `` lit '' ) is a small city kibbutz in the town of Sderot in the northwestern desert of Negev in Israel . 1 +de Ruiter , born in Leiden , has played for FC Utrecht , FC Den Bosch , Excelsior , RKC Waalwijk and FC Emmen . Born in Leiden , de Ruiter has played for RKC Waalwijk , FC Den Bosch , Excelsior , FC Utrecht and FC Emmen . 1 +In 2014 , the site launched iOS and Android applications for product search , product features include interactive video - product - reviews with live - questions and answers - sessions . In 2014 the site launched iOS and Android applications for product search ; product features include live video product reviews with interactive question-and-answer sessions . 0 +Ely was a grandson of Crabb Robinson , who was an early friend of John Towill Rutt . Talfourd Ely was a grandson of Crabb Robinson , who was an early friend of John Towill Rutt . 1 +Upstream is the decommissioned Michigan Central Railway Bridge , which competed with its predecessor , the Rapids Bridge whirlpool , with the Niagara Cantilever Bridge for rail transport . Just upstream is the disused Michigan Central Railway Bridge which with its predecessor the Whirlpool Rapids Bridge competed for rail traffic with the Niagara Cantilever Bridge . 0 +The screenplay was written by Dhawan 's longtime collaborator Anees Bazmee and Rumi Jaffery . The script was written by Dhawan 's longtime collaborator Anees Bazmee and Rumi Jaffery . 1 +An EP called Dido Live with three of the seventeen live tracks on the DVD was released exclusively via the iTunes Store digitally on June 21 , 2005 . An EP called Dido Live with three of the seventeen live tracks on the DVD was digitally released exclusively on the iTunes Store on June 21 , 2005 . 0 +Dharmendra Yadav of RJD defeated Poonam Devi representing JDU in 2000 . Poonam Devi of RJD defeated Dharmendra Yadav in 2000 as JDU . 0 +Historically , CIMMYT has received funding from the Rockefeller Foundation and the European Commission . Historically , CIMMYT received funding from the European Commission and the Rockefeller Foundation . 1 +Defeated Jiří Veselý , Oliver Oliver Golding , 5 -- 7 , 6 - 3 , 6 -- 4 Oliver Golding defeated Jiří Veselý , 5 -- 7 , 6 -- 3 , 6 -- 4 0 +In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a character is compared with Armstrong . In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a character is compared to Armstrong . 1 +His name , Afolabi , means `` Born into wealth `` . His nickname in Nigeria is Robocop because of his stiff movements . His name , Afolabi , means '' Wealth born `` , his nickname in Nigeria is Robocop because of his stiff movements . 1 +It was published on 28 January 2008 in the United States by Angular Recording Corporation and on March 18 , 2008 in the United Kingdom by Domino Records . It was published on January 28 , 2008 in the United Kingdom by the Angular Recording Corporation and on 18 March 2008 in the United States on Domino Records . 0 +Gokal Pur is a North East census in the Indian state of Delhi Gokal Pur is a census town in Delhi district in the Indian state of North East . 0 +The ABC published the recording on March 27 , 1997 and broadcast it as a video and DVD . The ABC broadcast the recording on 27 March 1997 , and released it as a video and DVD . 0 +Following his death in 1946 , his papers on this project were still in a uniformly rough state . On his death in 1946 , his papers on this project were uniformly in a still rough state . 0 +After Finch returned to the main camp , Mitchell arrived with tragic news . After Finch had returned to the main camp , Mitchell arrived with tragic news . 1 +Pennmakkal is a Indian Malayalam film staged by J. Sasikumar and produced by KP Kottarakkara . Pennmakkal is an Indian Malayalam film from 1966 , produced by J. Sasikumar and directed by KP Kottarakkara . 0 +65 soldiers have been killed during the mission : 34 Nigerians , 28 Chadians , 2 Togolese and 1 Burkinabé . During the mission , 65 soldiers were killed : 34 Chadians , 28 Nigerians , 2 Togolese and 1 Burkinabé . 0 +The differential operator introduced by William Rowan Hamilton , written ∇ and called del or nabla , is symbolically defined in the form of a vector , The differential operator , written by William Rowan Hamilton and called del or nabla , is symbolically defined in the form of a vector . 0 +Cordell Crockett played the bass on 5 songs , with Ugly Kid Joe bassist Nathan Slade playing bass on the rest . Nathan Slade played the bass on 5 songs , using Ugly Kid Joe Bassist Cordell Crockett on the rest bass . 0 +It now features modern high-rise buildings , new shopping areas , a large contemporary Metra train station , and several new retail and service facilities . It now features modern high-rise buildings , large contemporary shopping streets , a new metra train station , and several new retail and service facilities . 0 +The Italian television series AleX was written by Alfredo Castelli , Guglielmo Duccoli and Giorgio Schottler and produced by videotime . The Italian television series AleX was produced by Giorgio Schottler , Guglielmo Duccoli and Alfredo Castelli and written by videotime . 0 +In 1979 , Simon Simon was born to Charlie and Megan Pace and lived in Manchester , England . Charlie was born in 1979 to Simon and Megan Pace , and lived in Manchester , England . 0 +After John of Austria died in 1578 , Philip II allowed her to choose her own residence . After Philip II died of Austria in 1578 , John allowed her to choose his own residence . 0 +The Milcov River is a river tributary of the Dilcov River in Romania . The Dilcov River is a right tributary of the Milcov River in Romania . 0 +The occupants of the aircraft were Lieutenant Colonel Gerald K. Hannaford , Captain Donald Grant Millard and Captain John F. Lorraine . The occupants of the aircraft were Colonel Gerald K. Hannaford , Captain Donald Grant Millard and Captain John F. Lorraine . 1 +The last track , `` Every Morning '' is the acoustic guitar version of the first track `` Morning '' . The first track , `` Every Morning '' , is the acoustic version of the last guitar version of `` Morning '' . 0 +He was the cousin of the Czech national player Miroslav Hlinka and son of former player Jaroslav Hlinka sr . He was the cousin of Czech national player Jaroslav Hlinka and the son of former player Miroslav Hlinka sr . 0 +After his service Lockhart lived in Florida but recently moved to Texas . After his service , Lockhart lived in Florida , but moved recently to Texas . 1 +The first three hotels were built in Israel in the 1980s followed by the `` Patio Eilat Resort Hotel '' in France . The first three hotels were built in the 1980s in Israel , followed by `` Patio Eilat Resort Hotel '' in France . 1 +The series converges almost everywhere . Then the series converges almost everywhere . 1 +Yazva is a river in Perm Krai , Russia , a left tributary of the Molmys River . Yazva River is a river in Perm Krai , Russia , a left tributary of the Molmys River . 1 +Elton John was musically influenced by Holly . Holly Holly was influenced musically by Elton John . 0 +Megan Young of China PR crowned her successor Yu Wenxia of the Philippines at the end of the event . At the end of the event , Yu Wenxia of China PR crowned her successor Megan Young of the Philippines . 0 +It was bought in 1834 by C. R. Gregory in the monastery of Saba and saw by Robert Curzon in 1883 . It was bought by Robert Curzon in 1834 in the monastery of Saba . C. R. Gregory saw it in 1883 . 0 +Frederick Brown was President of the Council ; Henry Wrixon was Chairman of Committees . President of the Council was Henry Henry Wrixon , the chairman of the committees was Frederick Brown . 0 +The final won by Jonathan Dasnières de Veigy with 7-6 , 7-6 against Andrey Kuznetsov . Andrey Kuznetsov won the final 7 -- 6 , 7 -- 6 against Jonathan Dasnières de Veigy . 0 +Canal Street was opened in 1790 and the street was called Oxford Canal around 1870 . The Oxford Canal was opened in 1790 and the road was named Canal Street around 1870 . 0 +In contrast , a profit `` gross '' can be assigned or otherwise transferred by its owner . In contrast , a profit `` gross '' can be transferred by its owner or otherwise assigned . 0 +Like many ethnic communities in Uganda , including the Langi , Acholi , and Alur , the Luo do not practice the ritual circumcision of males as initiation . Like many ethnic communities in Uganda , including the Langi , Acholi , and Alur , the Luo do not practice the ritual circumcision of men as initiative . 1 +In 1974 Lao PDR established the Stage II fund with the help of the World Bank , the United Nations , and the Asian Development Bank . In 1974 , with the support of the World Bank , the United Nations , and the Asian Development Bank , Lao PDR founded the Stage II Fund . 1 +A week later he was transferred to the Polyclinic in the same city , where she was operated with heart and had recovered favorably . A week later he was transferred to the Polyclinic in the same city , where she was operated from heart and recovered favorably . 1 +The aggressive leadership demonstrated South Korean hopes of reunification and an escalation of the conflict . The South Korean leadership demonstrated aggressive hopes for reunification and an escalation of the conflict . 0 +Pete Sampras won 6 -- 7 , 6 -- 4 , 7 -- 6 against Tim Henman in the finals . Tim Tim Henman won against Pete Sampras in the final 6 -- 7 , 6 -- 4 , 7 -- 6 . 0 +Lloyd expanded his business to begin selling toys and gifts , and he founded and directed the House of Lloyd , based in Grandview , Missouri , when the gift business grew . Lloyd founded and led his business to begin selling toys and gifts , and he expanded the Grandview , Missouri based House of Lloyd as the gift business grew . 0 +He was born in Constantinople ( Istanbul ) on 5 May 1940 , and died in Athens on 19 November 2011 from cancer . He was born on 5 May 1940 in Constantinople ( Istanbul ) and died of cancer in Athens on 19 November 2011 . 1 +In 2009 , Coolidge took on a dramatic role in `` as Genevieve McDonagh . In 2009 , Genevieve McDonagh took on a dramatic role as Coolidge . 0 +In early July , Steve Whitley , the criminal father of Harper Whitley and Garrett Whitley , and brother of Benny Cameron . In early July , Garrett Whitley , who is the criminal father of Harper Whitley and Steve Whitley , and the brother of Benny Cameron , appeared . 0 +Bahrawal is a village in the Bhopal district of Madhya Pradesh , India . It is in the Berasia tehsil . Bahrawal is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +That I have lost that I left . That I left that I have lost . 1 +The music performed as Blackadder courts `` Bob '' is Vaughan Williams ' `` Fantasia on Greensleeves '' . The music performed as Bob `` Blackadder '' is '' Fantasia on Greensleeves '' by Vaughan Williams . 0 +They have 13 dorsal spines , 11 to 13 dorsale soft rays , 2 anal spines and 11 to 13 anal soft rays . They have 13 dorsal spines , 11 to 13 dorsal soft rays , 2 anal spines , and 11 to 13 anal soft rays . 1 +The completed fence is located mainly in New Mexico , Arizona and California , with the construction in Texas . The completed fence is located mainly in Texas , with the construction in New Mexico , Arizona and California . 0 +Among the singers in the band were Dorothy Crane , Jerry Lang , Betty Griffin , Bernie 's brother Walter Cummins and Scottee Marsh , who later sang with Tommy Dorsey . The singers in the band included Dorothy Crane , Walter Cummins , Betty Griffin , Jerry Lang ’ s brother Bernie and Scottee Marsh , who later sang with Tommy Dorsey . 0 +A CD with themes from 14 of his films was released in 2008 by Philip Powers and produced by 1M1 records . A CD with themes from fourteen of his films was produced by Philip Powers in 2008 and published by 1M1 Records . 0 +In 1911 , the town hall was reconstructed , in 1945 partially destroyed , and subsequently restored in the 1960s . In 1911 the town hall was rebuilt , partially destroyed in 1945 and restored in the 1960s . 1 +He was born in Copenhagen and died in Frederiksberg . He was born in Frederiksberg and has died in Copenhagen . 0 +Worcester is a town and county city of Worcestershire in England . Worcestershire is a city and county town of Worcester in England . 0 +Mei Shigenobu is the mother of Japanese national Fusako Shigenobu , a journalist . Fusako Shigenobu is the mother of Japanese citizen Mei Shigenobu , a journalist . 0 +Azusa Pacific University 's Azusa Campus is located in San Gabriel Valley , northeast of Los Angeles . Azusa Pacific University 's Azusa campus is located in the San Gabriel Valley , situated northeast of Los Angeles . 1 +During his campaign , he debated McCain twice , once in Flagstaff and once in Tucson . During his campaign , he debated McCain twice , once in the flagstaff , and once in Tucson . 1 +The conventional approach to this requirement is the use of solar panels in a solar aircraft . The solar approach to this requirement is the use of solar panels in a conventionally powered aircraft . 0 +Lobethal Bierhaus is a regional brewery with influences of German style . Lobethal Bierhaus is a German brewery with regional style influences . 0 +He was appointed Prosecutor for Seneca County in 1824 , for Williams County in 1826 , and Sandusky County in 1827 . He was appointed accuser attorney in 1824 for Williams County , 1826 for Seneca County , and Sandusky County in 1827 . 0 +In November 1989 , Delaney was a member of the New York Stock Exchange and became Senior Managing Director at Henderson Brothers , Inc. and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and was senior managing director with Henderson Brothers , Inc. and Bear Wagner . 0 +The largest mosque , Al Farooq Masjid of Atlanta , is located on 14th Street in Midtown Atlanta . The largest mosque , Al Farooq Masjid of Midtown Atlanta , is located on the 14th road in Atlanta . 0 +The Măgheruş River is a tributary of the River Giuroc in Romania . The Măgheruş River is a tributary of the Giuroc River in Romania . 1 +An epigram is a short poem with a clever twist , or a concise and funny statement . An epigram is a concise and witty poem with a clever twist , or a short statement . 0 +In other articles , it applauded the economic ideas underlying the Schuman plan and praised the expansion of the common European market . In other articles it praised the economic ideas underlying the Schuman Plan and applauded the expansion of the European Common Market . 1 +The Petkeljärvi National Park is a national park in Finland in the region of Ilomantsi in North Karelia . Petkeljärvi National Park is a national park in Finland in the Ilomantsi region of North Karelia . 1 +Steve Whitley first appeared in early July . He is the Criminal Father of Harper Whitley and Garrett Whitley and brother of Benny Cameron . In early July , Steve Whitley , the criminal father of Harper Whitley and Garrett Whitley , and brother of Benny Cameron . 1 +This is the Zen style of serving and eating meals practiced in formal temples . This is the formal way of serving and eating meals practiced in Zen - temples . 0 +Pete Sampras won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 against Tim Henman . Tim Tim Henman won against Pete Sampras in the final 6 -- 7 , 6 -- 4 , 7 -- 6 . 0 +The single was published on October 31 , 2015 and was announced on November 13 , 2015 . The single was announced on October 31 , 2015 and will be released on November 13 , 2015 . 0 +Casely Hayford was also deeply engaged in the political movement for African emancipation . Casely Hayford was also deeply involved in the African movement for political emancipation . 0 +In May 1983 , a UK tour started with the additional guitarist Robin George for live performances . A UK tour started in May 1983 , featuring live guitarist Robin George for additional performances . 0 +Oakham Ales is an English brewery now based in Peterborough , Cambridgeshire , but first established in Oakham , Rutland . Oakham Ales is an English brewery , first based in Oakham , Rutland , but was now founded in Peterborough , Cambridgeshire . 0 +Sher Mohammed Akhundzada ( also known as Sher Ahmed Akhundzada ) is a tribal leader who from 2001 to 2005 was Governor of Helmand in Afghanistan . Sher Ahmed Akhundzada ( also known as Sher Mohammed Akhundzada ) is a tribal leader who was the governor of Helmand in Afghanistan from 2001 to 2005 . 1 +With his aid the Aquilonian army is defeated by that of the rival kingdom of Nemedia and occupied . With his help , the Aquilonian army is defeated and occupied by that of the rival kingdom of Nemedia . 1 +Tres vidas distintas , is a 1969 Mexican telenovela produced by Televisa and originally transmitted by Telesistema Mexicano . vidas distintas is a Mexican telenovela , produced by Televisa in 1969 and originally transmitted by Telesistema Mexicano . 1 +He learned binding in Caen and typography in Paris . He learned binding in Paris and in Caen typography . 0 +`` Trust in Me '' is a song that was written by Ned Wever , Milton Ager and Jean Schwartz . `` Trust in Me '' is a song by Jean Schwartz , Milton Ager and Ned Wever written . 1 +The Dilcov River is a right tributary of the Milcov River in Romania . The Dilcov River is a tributary of the River Milcov in Romania . 1 +The river Tabaci is a tributary of the River Leurda in Romania . The river Leurda is a tributary of the River Tabaci in Romania . 0 +In 1924 he was an invited spokesman for the ICM in Toronto , in Oslo in 1932 and in Zurich in 1936 . He was an invited spokesman for the ICM in Toronto in 1924 , in Zurich in 1932 and in Oslo in 1936 . 0 +A Khap is a clan , or a group of related clans , mainly among the Jats of eastern Uttar Pradesh and western Haryana . A A Khap is a clan or group of related clans , mainly under the jats of the eastern Uttar Pradesh and Western Haryana . 1 +Cebu City includes the islands Cebu , Central Visayas and the eastern half of Negros , the regional center is Siquijor and Bohol . Cebu City includes the islands of Cebu , Central Visayas and the eastern half of Negros . The regional center is Siquijor and Bohol . Its provinces are : 1 +Utley was born in Connecticut in 1920 . He graduated from the Choate School in Laguna , California , and attended Pomona College and the University of Southern California . Born in 1920 in Connecticut , he graduated from the Choate School in Laguna , California , and attended Pomona College and the University of Southern California . 1 +In July 2017 , Elmer McCurdy was the theme of an episode of `` The Memory Palace '' with Nate DiMeo . In July 2017 , Elmer McCurdy was the subject of an episode of `` The Memory Palace '' with Nate DiMeo . 1 +The lighting in the Louvre - painting is warmer and appears softer , but this can be the result of the sound of the varnish on the surface . The lighting in the Louvre - painting is softer and seems warmer , but this can be the result of the tone of the varnish on the surface . 0 +A CD with themes from 14 of his films was released in 2008 by Philip Powers and produced by 1M1 records . A CD of themes from fourteen of his films was released in 2008 by Philip Powers and produced by 1M1 Records . 1 +County Road 540 is just a few miles south of State Road 540 in Highland City and runs west from US 98 to County Road 37B . County Road 540 is a few miles west of State Road 540 in Highland City and runs south from US 98 to the County Road 37B . 0 +From her second marriage with businessman Vasilis has a son , Babis Lazaridis . From her second marriage to businessman Babis Lazaridis has a son , Vasilis . 0 +In 2008 , Folayan won the Inspiring Award for `` Precious Leader within the Workplace '' . In 2008 , Folayan won the Precious Award for `` Inspiring Leader in the Workplace '' . 0 +Using the analytical hypotheses the linguist can form new sentences and create a translation manual . The linguist can use the analytical hypotheses to form new sentences and create a translation manual . 1 +Ahmet Delia became active early during the Albanian war of resistance against the invading Serb army in 1912 . Ahmet Delia was early active during the Albanian war of resistance against the invading Serb army in 1912 . 1 +Utley was born in Laguna , California in 1920 . He graduated from the Choate School in Connecticut , and attended Pomona College and the University of Southern California . Born in 1920 in Connecticut , he graduated from the Choate School in Laguna , California , and attended Pomona College and the University of Southern California . 0 +Kapp and MCA were the labels that Cher had more success with in the seventies and remained with them until 1974 . Cher and MCA were the labels Kapp had more success with in the seventies and remained with them until 1974 . 0 +These were common in the United Kingdom , but relatively rare in Europe , at least for large locomotives . These were common in the United Kingdom , but in Europe , at least for large locomotives , they are relatively rare . 1 +The 1894 -- 95 season was Manchester City F.C . 's fourth season of league football and third season in the Football League . The season 1894 -- 95 was Manchester City F.C . the third season of league football and the fourth season in the football league . 0 +Leigh Court Barn is a cruck framed tithe barn at Pershore Abbey , built in the early fourteenth century to store produce for Leigh , Worcestershire , England . Leigh Court Barn is a cruck framed tithe barn at the Pershore Abbey , built in the early fourteenth century to store products for Leigh , Worcestershire , England . 1 +Brewarrina Shire and the villages of Gongolgon , Angledool , Goodooga and the ghost town of Tarcoon . Brewarrina includes Brewarrina Shire and the villages of Gongolgon , Angledool and Goodooga and the ghost town of Tarcoon . 1 +It empties into Peachtree Creek , which then flows into the Chattahoochee River , south of Vinings and Paces . It flows into Peachtree Creek , which then flows into the Chattahoochee River south of Vinings and Paces . 0 +The movement is in extended time , although there are common sections in 3x4 . The movement is in extended time although there are common sections in 3/4 . 0 +This genus is now classified in the family of lizards , known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the current invalid family , polychrotidae . This genus is currently classified in the family of lizards , known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the now invalid family , polychrotidae . 1 +Although traditionally attributed to Fu Xi , Shao Yung 's binary or lexicographical order first appears in the eleventh century AD : Although first attributed to Fu Xi , Shao Yung appears the binary or lexicographical order traditionally in the eleventh century AD . 0 +Olivella miriadina is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . Olivella miriadina is a species of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 0 +In the late 1990s it was widely spread in convenience stores and supermarkets in Seattle and is available in several cafes in Minneapolis . In the late 1990s , it was widely available at convenience stores and supermarkets in Minneapolis and is available in several cafes in Seattle . 0 +The River Boia Mică is a tributary of the River Valea Sterminoasă in Romania . The Valea Sterminoasă River is a tributary of the Boia Mică River in Romania . 0 +In addition , they are physically active , free to learn and eager to explore . In addition , they are actively physically active , free to learn and eager to explore . 1 +The tournament was won by Gabriel Medina ( BRA ) , who struck in the final Joel Parkinson ( AUS ) . The tournament was won by Joel Parkinson ( BRA ) , who beat Gabriel Medina ( AUS ) in final . 0 +On 14 September 2006 , Lang was signed by the Washington Wizards and released by the Wizards in July 2017 . On September 14 , 2006 , Lang was signed by the Washington Wizards . In July 2017 , Lang was released by the Wizards . 1 +Wright moved from Chapel Hill , NC to New York City . Wright moved from Chapel Hill , NC to New York . 1 +In 2012 , Adrian Belew released `` Treehouse '' , his sixth solo record , produced in Nashville Tennessee by musician Ned Evett . In 2012 , Adrian Belew `` Treehouse '' released his sixth solo record , produced in Nashville Tennessee by musician Ned Evett . 1 +He was the son of Thomas Cairnes and his wife , Jane Scott , the daughter of John Scott . He was the son of Thomas Cairnes and his wife Jane Scott , daughter of John Scott . 1 +During its presence at DTM the Audi V8 competed with much smaller and about smaller Mercedes 190 , BMW M3 , and slightly lighter Opel Omega 3000 . The Audi V8 competed during its presence in the DTM with much smaller and roughly smaller Mercedes 190 , BMW M3 and slightly lighter Opel Omega 3000 . 1 +Frank James joined a local company recruited for the secessionist Drew Lobbs Army , and fought at the Battle of Wilson 's Creek in August 1861 . Frank James joined a secessionist company , recruited for the local Drew Lobbs Army , and fought in August 1861 in the Battle of Wilson 's Creek . 0 +An analysis comparing millions of RSA public keys gathered from the Internet was announced in 2012 by Lenstra , Hughes , Augier , Bos , Kleinjung , and Wachter . An analysis of millions of public RSA keys collected from the Internet was announced in 2012 by Lenstra , Hughes , Augier , Bos , Kleinjung and Wachter . 1 +In the first film , Count Dracula had to break up a dispute between them and Murray , Wayne and Frank over the entertainment dispute . In the first film , Count Dracula had to break up a fight between them and Murray , Wayne and Frank over the entertainment dispute . 1 +In 1938 he became the Government Anthropologist of the Anglo-Egyptian Sudan and conducted fieldwork with the Nuba . In 1938 he became anthropologist of the anglo-Egyptian Sudan to the government and led fieldwork with the Nuba . 1 +Furthermore , a triple threat match for the United States Championship was between Champion Jack Swagger , The Miz and Kofi Kingston . Furthermore , a triple threat match for the United States Championship was between Champion Kofi Kingston , The Miz and Jack Swagger . 0 +In the summer of 1924 he went to Smackover in South - Arkansas to work on the oil boom in an office in Norphlet near Union County . In the summer of 1924 , he went to Smackover in south Arkansas to work in the oil boom in an office at Norphlet near Union County . 1 +The remains of two partially destroyed Armenian churches were still preserved at the end of the Soviet period . The remains of two partially destroyed Armenian churches were still preserved at the end of the Soviet era . 1 +The historical order of true development was almost exactly the opposite . The historical order of true development was almost the opposite . 1 +The racial Rubber Bowl was used by the National Guard of the United States as a base during the historic Wooster Avenue Riots of 1968 . The historic Rubber Bowl was used by the National Guard of the United States as the base during the racist Wooster Avenue Riots of 1968 . 0 +In 1977 , Rob Taylor traveled to Scotland and Norway with Barber to climb waterfalls . In 1977 , with Rob Taylor , Barber traveled to Scotland and Norway to climb waterfalls . 0 +Between 1940 and 1945 he served as Canada 's first High Commissioner to Australia . Between 1940 and 1945 , he served as Australia 's first High Commissioner for Canada . 0 +In January 2013 , it was announced that after the closure of Disney Interactive , Warren Spector had left the Junction Point Studios . In January 2013 , it was announced that Warren Spector had left Junction Point Studios following the closure of Disney Interactive . 1 +It is found in California , Arizona , Nevada and Utah , where it has been recorded from North America . It is found in North America , where it was recorded from California , Arizona , Nevada and Utah . 0 +Long was born in Israel , migrated as a young man to Australia and settled there in 1961 . Born in Australia , Lang moved to Israel as a young man and settled there in 1961 . 0 +It was bought by Robert Curzon in 1834 in the monastery of Saba . C. R. Gregory saw it in 1883 . It was bought in 1834 by C. R. Gregory in the monastery of Saba , in 1883 by Robert Curzon . 0 +According to the United States Census Bureau , Southport has a total area of which is land and , or 0.91 % , is water . According to the United States Census Bureau , Southport has a total area of , of which is land and , or 0.91 % , is water . 1 +Malcolm Fraser , who had defeated Whitlam in a landslide at the December 1975 federal election , offered the knighthood to Egerton for service to the trade union movement . Malcolm Fraser , who had defeated Whitlam in a landslide at the federal election in December 1975 , offered Egerton the knighthood for serving the trade union movement . 1 +He was a son of Richard Byfield by his second wife , and Nicholas Byfield was his elder half-brother . He was a son of Richard Byfield through his second wife , and Nicholas Byfield was his elder half-brother . 1 +A Peri whose power is in her hair appears in Elizabeth Ann Scarborough ’ s novel `` The Harem of Aman Akbar '' from 1984 . A Peri whose force appears in her hair is in Elizabeth Ann Scarborough 's novel of 1984 , `` The Harem of Aman Akbar '' . 0 +Next was a Triple Threat match for the United States Championship between champion Kofi Kingston , The Miz and Jack Swagger . Furthermore , a triple threat match for the United States Championship was between Champion Jack Swagger , The Miz and Kofi Kingston . 0 +Arumadura Lawrence Romelo Duminda Silva , also known as Duminda Silva and R. Dumindha Silva , is a politician from Sri Lanka and a former Member of Parliament . Dumuma Silva , also known as Arumadura Lawrence Romelo Duminda Silva and R. Dumindha Silva , is a Sri Lankan politician and former Member of the Parliament . 1 +The Măgherus River is a tributary of the Giuroc River in Romania . The River Giuroc is a tributary of the Măgheru River in Romania . 0 +She moved with her parents from Estonia to Finland at the age of 3 years and is currently living in Helsinki . She moved with her parents from Finland to Estonia at the age of 3 years and is currently living in Helsinki . 0 +ZipSIP-ZipSIP is a paperless service that helps investors invest in Mutual Funds in a few minutes , with new processes . ZipSIP-ZipSIP is a new service that helps investors with paperless processes to invest in investment funds in a few minutes . 0 +The band formed in 1999 in Dunwoody , Georgia after guitarist Ben Eberbaugh and bassist Jared Swilley left the Renegades , and guitarist Cole Alexander left the Reruns . The band , founded in 1999 in Dunwoody , Georgia , after guitarist Ben Eberbaugh and bassist Jared Swilley left the Renegades , and guitarist Cole Alexander left the Reruns . 1 +All celebrated commemorations down on June 5 fixed by Orthodox churches on the old calendar . All celebrated commemorations below fixed on June 5 by Orthodox Churches on the Old Calendar . 1 +The film was a commercial hit , and one of Sergio Sollima 's more political films , and less successful than the former spaghetti - director 's westerns . The film was a commercial hit , and one of Sergio Sollima 's more political films , and less successful than the director 's earlier Spaghetti Westerns . 1 +Benjamin Hough was to married Elizabeth Core on August 29 , 1806 , by Stephen Ford , justice of the Peace , in Jefferson County . Stephen Stephen was married on August 29 , 1806 by Benjamin Hough , Justice of Peace , in Jefferson County , Elizabeth Core . 0 +The Communists discreetly believed that the Central Intelligence Agency financially and otherwise strongly supported these protests . The communists strongly believed that the Central Intelligence Agency discreetly supported these protests , financially and otherwise . 0 +The lighting in the Louvre - painting is softer and seems warmer , but this can be the result of the tone of the varnish on the surface . The lighting in the Louvre - painting is warmer and appears softer , but this can be the result of the tone of the paint on the surface . 0 +The meeting is interrupted by the arrival of many messengers from various powerful or influential Mardukans in the city with various invitations to dinner for the Prince . The meeting is interrupted by the arrival of various messengers from various powerful or influential Mardukans in the city with many invitations for dinner for the Prince . 1 +It is a brilliant rendering of purple lights and dramatic sunshine . It is a brilliant rendition of purple lights and dramatic sunshine . 1 +Westlake is a city in Louisiana , United States , in western Calcasieu Parish , and is part of the Lake Charles Metropolitan Statistical Area . Westlake is a city in Louisiana , USA , in the western Calcasieu Parish , and is part of Lake Charles Metropolitan Statistical Area . 1 +`` Shatterer '' was distributed on June 13 , 1987 in Japan , where it was published by Toho . `` Shatterer '' was published on June 13 , 1987 in Japan , where it was distributed by Toho . 0 +This was recorded in two separate inscriptions from his corpse hill Medinet Habu , which are physically long and somewhat different from one another . This was recorded in two long inscriptions from his Medinet Habu mortuary temple , which are physically separate and somewhat different from one another . 0 +The Brunau rises in the vicinity of Nindorf , flows initially northeast to the south of Hetendorf . The Brunau flows in the vicinity of Nindorf , rises initially northeast to south of Hetendorf . 0 +The abandoned methodist chapel is one of the few brick buildings in Upsall . The abandoned Methodist chapel is one of the few brick-built buildings in Upsall . 1 +This is a list of historical conflicts in which the Hungarian armed forces have participated or took place on Hungary 's military territory . This is a list of military conflicts in which the Hungarian armed forces participated or took place in the historic territory of Hungary . 0 +He ministered first in Poundridge , in Herkimer County , New York , then in Westchester County , New York . He served first in Poundridge , Westchester County , New York , then in Herkimer County , New York . 0 +The group played extensively , became famous in Israel and even toured in New York City in 2007 . The group toured extensively and became famous in Israel , and even played in New York City in 2007 . 0 +In November 1989 , Delaney became a member of the New York Stock Exchange and was senior managing director with Henderson Brothers , Inc. and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and was a Senior Managing Director at Henderson Brothers , Inc. , and Bear Wagner . 1 +Siebenberg described the song as his favourite on the album `` because it is so pure and so personal . Siebenberg has described the song as his favourite on the album `` because it 's so personal and so pure . '' 1 +Mark Machin was the CEO of the Canada Pension Plan Investment Board . He was replaced by Mark Wiseman in June 2016 . Mark Machin was CEO of the Canada Pension Plan Investment Board , which was replaced in June 2016 by Mark Wiseman . 1 +Azusa Pacific University 's Azusa Campus is located in San Gabriel Valley , northeast of Los Angeles . The Azusa campus of Azusa Pacific University is located in San Gabriel Valley , northeast of Los Angeles . 1 +January 12 , 1978 : Cambridge United - Manager Ron Atkinson is appointed manager of West Bromwich Albion . 12 January , 1978 : West Bromwich Albion manager Ron Atkinson is appointed as manager of Cambridge United . 0 +Asked how to say his name , he told `` The Literary Digest '' My name is pronounced as if `` ear ' ; en-house '' spelled . Asked how to say his name , he told `` The Literary Digest `` My name is pronounced as if spelled '' ear'en-house `` . '' 1 +Blagoy Ivanov challenged Mehmen for the WSOF Heavyweight Championship on October 17 , 2015 . Mehmen challenged Blagoy Ivanov for the WSOF Heavyweight Championship at on October 17 , 2015 . 0 +The species are members of various ecological groups , including xerophytic shrubs , lianas and trees , tropical plants , mycoheterotrophs , as well as different herbaceous representatives . The species are members of different ecological groups , including xerophytic shrubs , lianas and trees , tropical plants , mycoheterotrophy , as well as various herbal representatives . 1 +Two years later , on 25 July 1947 , the 709th was redesignated the Heavy Bombardment Squadron , Very 709th . Two years later , on July 25 , 1947 , the 709th was renamed Heavy Bombardment Squadron , very 709th . 1 +Maritsa Lazari was born in London in October 1943 and emigrated with her family to Cyprus at the age of 16 years . Maritsa Lazari was born in Cyprus in October 1943 and emigrated with her family to London , England at the age of 16 . 0 +The Swedish ice hockey championship in 1932 was the 11th season of the Swedish ice hockey championship , Sweden 's national championship , and Hammarby IF won the championship . The 1932 Swedish Ice Hockey Championship was the 11th season of the Swedish Ice Hockey Championship , the national championship of Sweden . Hammarby IF won the championship . 1 +Peter DuConge ( 1903 - 1967 ) was an early Jazz - Reedist , active in the American New Orleans jazz scene . Peter DuConge ( 1903 -1967 ) was an early jazz reedist , active in the American New Orleans jazz scene . 1 +After promoting reinforcements from North Africa , on August 18 , she returned to Oran to prepare for the invasion of Italy , for which she sailed on September 5 . After ferrying reinforcements from North Africa , she returned to Oran 18 August to prepare for the invasion of Italy itself , for which she sailed 5 September . 1 +John Byron married Mary Byron , daughter of Sir Lucas of Newstead in Nottinghamshire . Lucas married Mary Byron , daughter of Sir John Byron of Newstead , Nottinghamshire . 0 +The season 1894 -- 95 was Manchester City F.C . fourth season of Liga football and the third season in the football league . The 1894 -- 95 season was Manchester City F.C . 's third season of league football and fourth season in the Football League . 0 +At the same time , Pope Francis asked Tong to remain Bishop of Hong Kong for three more years . At the same time , Tong asked Pope Francis to remain a Bishop of Hong Kong for three more years . 0 +Megan Ellison was born in Santa Clara County , California as the daughter of the billionaire Oracle Corporation - Chairman Larry Ellison and his Ex - Wife Barbara Boothe Ellison . Megan Ellison was born in Santa Clara County , California , the daughter of billionaire Oracle Corporation chairman Larry Ellison and his ex-wife , Barbara Boothe Ellison . 1 +Upstream of the inflow of Little Flat Brook , the brook is known as Big Flat Brook . Upstream of the inflow of Little Flat Brook , the stream is known as Big Flat Brook . 1 +Fanwood is located in the 12th Congressional District and is part of the 22nd State Legislative District in New Jersey . Fanwood is located in the 22nd Congressional District and is part of the 12th New Jersey Legislative District . 0 +He was selected by the Philadelphia 76ers in the 77th round ( 7th pick overall ) of the 1967 NBA Draft . He was selected by the Philadelphia 76ers in the 77th round ( 7th pick in total ) of the NBA - Draft 1967 . 1 +He was born in Constantinople ( Athens ) on 5 May 1940 , and died in Istanbul on 19 November 2011 from cancer . He was born on May 5 , 1940 in Constantinople ( Istanbul ) and died of cancer in Athens on November 19 , 2011 . 0 +Greenspace in Hernals is 59.6 % , of which Hernals covers the 3rd greenest district . Greenspace in Hernals covers 59.6 % , by which Hernals is the 3rd greenest district . 0 +There is a Cornelius Grinnell bay offshore island , located in Baffin Island . It is a Cornelius Grinnell Bay offshore island located in Baffin Island . 1 +The Chicago Bears fell on the Giants 27 -- 21 and for the first time since 1976 they were 0 - 6 . The Giants fell to the Chicago Bears 27 -- 21 and for the first time since 1976 were 0-6 . 0 +She was observed as '' has a very great potential and great talent and will grow in the future to a unique musical personality . She was observed as `` has a very great potential and a huge talent and will grow to an unique musical personality in future '' . 1 +Emma Townshend is represented at the DGA Associates by David Godwin . David Godwin is represented by Emma Townshend at DGA Associates . 0 +Talent manager Melody Jones ( Robyn Arthur ) approaches Nina and asks them to sign with her . Talent manager Melody Jones ( Robyn Arthur ) approaches Nina and asks her to sign with her . 1 +According to the United States Census Bureau , Southport has a total area of , of which is land and , or 0.91 % , is water . According to the United States Census Bureau , Southport has a total area of which land is and , or 0.91 % , is water . 1 +In addition to various metal plates , concrete and sandbags were used for improvised tanks in some cases . In addition to various metal plates , concrete and sandbags were used in some cases for improvised armoured trains . 1 +Immigrated from England to Milford , Connecticut in 1653 , Elizabeth Prudden married Elizabeth Prudden , immigrated from England to Milford , Connecticut in 1653 ; married Roger Pritchard 0 +Loustau was with Ghislaine Marianne , with whom he had three children : Ethnie Bottrill , Dominique Henriette and Marcel Jean married . Loustau was married to Ethnie Bottrill , with whom he had three children : Marcel Jean , Dominique Henriette and Ghislaine Marianne . 0 +This was the third of three first-class hotels to be built in the central business district . This was the third of three first-class hotels built in the central business district . 1 +Chandler regarded the computer as a tool for learning , but he rejected a prevailing objectivism that recognized data as information and information as knowledge . Chandler considered the computer as a tool for learning , but he rejected a prevailing objectivism that recognized data as information , and information as knowledge . 1 +In his Berlin study three figures hung on the wall : Schopenhauer , Maxwell , Faraday . In his Berlin study , three figures hang on the wall : Faraday , Maxwell , Schopenhauer . 1 +William Llewelyn Williams known as Llewelyn Williams ( 10 March 1867 -- 22 April 1922 ) , was a radical journalist , lawyer and Welsh Liberal Party politician . William Williams , known as Llewelyn Williams ( March 10 , 1867 -- April 22 , 1922 ) , was a Welsh journalist , lawyer , and radical Liberal party politician . 0 +This station is part of the LaSalle Street Station Metra line , running between Joliet and the Rock Island District in the Chicago Loop . This station is part of the Rock Island District Metra line that runs between Joliet and LaSalle Street Station in the Chicago Loop . 0 +Zinovjev 's works have been so far performed by Oulu Symphony Orchestra , Lahti Symphony Orchestra , Kymi Sinfonietta , Finnish Radio Symphony Orchestra and Avanti ! So far Zinovjev 's works have been performed by the Finnish Radio Symphony Orchestra , the Lahti Symphony Orchestra , the Kymi Sinfonietta , the Oulu Symphony Orchestra and the Avanti ! 1 +Praised by Richard Gibson and court painter Joan Carlile , she is considered as successful as Peter Lely . Praised by Richard Gibson and court painter Peter Lely , it is considered as successful as Joan Carlile . 0 +Bonnie Bedelia Culkin ( born March 25 , 1948 in Bonnie Bedelia ) is an American American actress . Bonnie Bedelia ( born March 25 , 1948 in Bonnie , Bedelia ) is an American actress . 0 +In 1937 , Gerald Heard moved to Hollywood with his wife Maria , son Huxley , and friend Matthew Huxley . In 1937 , Gerald Heard moved to Hollywood with his wife Maria , his son Huxley and his friend Matthew Huxley . 1 +Leigh Court Barn is a cruck framed tithe barn at Leigh , Worcestershire , England , built in the early fourteenth century to store produce for Pershore Abbey . Leigh Court Barn is a cruck framed tithe barn at the Pershore Abbey , built in the early fourteenth century to store products for Leigh , Worcestershire , England . 0 +Hirasea goniobasis is a species of small air-breathable snail , a terrestrial pulmonate gastropod mollusk in the family Endodontidae . Hirasea goniobasis is a species of terrestrial pulmonate air-breathing snail , a small gastropod mollusk in the Endodontidae family . 0 +Slough High School was a selective girls ' school in Berkshire , now Slough , Buckinghamshire . Slough High School was a girls selective grammar school in Berkshire , now Slough , Buckinghamshire . 1 +In Sri Lanka the title of the Chartered Accountant ( CA Sri Lanka ) can only be used by members of the Institute of Sri Lankan Accountants . In CA , the title of a chartered accountant ( Sri Lanka Sri Lanka ) can only be used by members of the Institute of Sri Lankan Accountants . 0 +It is endangered in Connecticut , threatened in Vermont , as historical in Rhode Island , and as threatened in Massachusetts and New Hampshire . It is threatened in Connecticut , threatened in Vermont , as is threatened in Rhode Island and as in Massachusetts and New Hampshire . 0 +Finale is a city in the Mopani District Municipality in the province of Limpopo , South Africa . Finale is a town in Mopani District Municipality in the Limpopo province of South Africa . 1 +The BBC College of Journalism was opened as an e-learning course series in June 2005 , with Kevin Marsh as Executive Editor . Its first Director was Vin Ray . In June 2005 , the BBC College of Journalism was opened as an e-learning course with Vin Ray as Executive Editor , the first director of which was Kevin Marsh . 0 +Cordell Crockett played the bass on 5 songs , with Ugly Kid Joe bassist Nathan Slade playing bass on the rest . Cordell Crockett played the bass on 5 songs , using Ugly Kid Joe Bassist Nathan Slade on the rest bass . 1 +Scott was born in Loudoun , Ayr , to Robert Hepburn and Jean ( nèe Carmichael ) Scott . Robert Hepburn was born in Loudoun , Ayr , to Scott and Jean ( née Carmichael ) Scott . 0 +The engine weighs and is 54 inches tall , 29 inches wide and 41 inches long . The engine weighs and is 54 inches long , 29 inches wide and 41 inches high . 0 +The name `` Alpha '' was used later in 2005 , but it was used for a tropical storm after the standard list of names was exhausted . The name `` Alpha '' was later used in 2005 , but it was used for a tropical storm after the standard list of names became exhausted . 1 +Following her success , Jane Campion hired Jones for a television miniseries that turned into the film Angel at my Table , an adaptation of Janet Frame 's autobiography . Following her success , Jane Campion Jones was an adaptation of Janet Frame 's autobiography for a television miniseries that turned into the movie Angel at my Table . 1 +Somers was the son of Charles Cocks , 1st Baron Somers , and Elizabeth , the daughter of Richard Eliot . Somers was the son of Charles Cocks , 1st Baron Somers , and Elizabeth , daughter of Richard Eliot . 1 +The Milcov River is a right tributary of the Dilcov River in Romania . The Dilcov River is a tributary of the Milcov River in Romania . 0 +Dotty was born in Boston in 1923 and died in Gloucester in 2014 . Dotty was born in 1923 in Boston and died in Gloucester in 2014 . 1 +Iselin died on 5 January 1971 in Falmouth , Massachusetts . His funeral took place in Vineyard Haven , Massachusetts on Marthas Vineyard . Iselin died on January 5 , 1971 in Falmouth , Massachusetts . His funeral took place in Vineyard Haven , Massachusetts on Martha 's Vineyard . 1 +Jonas Björkman and Fabrice Santoro won 6-2 , 6-4 against Martin Damm and Radek Štěpánek in the finals . Martin Damm and Radek Štěpánek won against Jonas Björkman and Fabrice Santoro in the finals 6 : 2 , 6 : 4 . 0 +In 2014 , the site launched iOS and Android applications for product search , product features include interactive video - product - reviews with live - questions and answers - sessions . In 2014 , the site launched iOS and Android applications for product search , product features include live - video - product - reviews with interactive questions and answers - sessions . 0 +The son of Raymond Rickman in the film was played by Rose 's real son Carol . Rose 's son in the film was played by Carol 's real son Raymond Rickman . 0 +The Ponoru River is a tributary of the Horezu River in Romania . The Ponoru River is a tributary of the Horezu in Romania . 1 +A parish church was established in 1591 , however with an influx of Catholics in the 18th century , a Catholic majority was built . A parish church was founded in 1591 , but with an influx of Catholics in the 18th century a Catholic majority was established . 1 +Lieutenant John Gedge commissioned her in May 1805 for the North Sea . Lieutenant Robert Ramsey replaced him in 1806 . Lieutenant Robert Ramsey commissioned them for the North Sea in May 1805 , and Lieutenant John Gedge replaced him in 1806 . 0 +Cai Mao also had a son , Cai Feng . Cai Mao had also a son , Cai Feng . 1 +The AR5 provides an update of knowledge on the scientific , technical and socio-economic aspects of climate change . The AR5 provides an update of knowledge about the scientific , technical and socio-economic aspects of climate change . 1 +Later , during the attack on Andrew , Count of Angoulême , Richard would be Adhemar 's troops . Later , Richard would be Adhemar 's forces during the attack on Andrew , count of Angoulême . 1 +In 2012 , Gil became part of the TV - Remake of the Salvador - Royales - Films '' Mundo Man ay Magunaw `` as Jennifer la Pena . In 2012 , Jennifer la Pena became part of the TV - Remake of the Salvador Royales movie `` Mundo Man ay Magunaw '' as Gil . 0 +Although Xenon is rare and relatively expensive to extract the Earth 's atmosphere , it has a number of applications . Although xenon is rare and relatively expensive to extract from the Earth 's atmosphere , it has a number of applications . 1 +The Segheș River is a tributary of the Olt River in Romania . The River Olt is a tributary of the Seghes River in Romania . 0 +The preparation was invented by Dr. Patrick Page and his team and patented by Genkyotex in 2007 . The compound was invented by Dr. Patrick Page and his team , and was patented in 2007 by Genkyotex . 1 +Robbins was born in Coventry on 21 September 1933 , with his twin David , the eighth and ninth children of twelve by Charles and Jessamine Robbins . Robbins was born on 21 September 1933 in Coventry , with his twin David , the eighth and ninth child of the twelve of Charles and Jessamine Robbins . 1 +Its status as a satellite town of Klang Valley is tied to its location in the heart of Kuala Lumpur in Malaysia . Its status as a satellite town of the Klang Valley is connected to its location in the heart of Kuala Lumpur , Malaysia . 1 +Ukhrul is also a tourist hotspot of Manipur state . Ukhrul is also a tourist hotspot in the state of Manipur . 1 +He was replaced by Murtala Mohammed ( in 1975 ) and Olusegun Obasanjo ( in 1976 ) in successive coups . He was replaced in successive coups by Olusegun Obasanjo ( 1975 ) and Murtala Mohammed ( 1976 ) . 0 +Arthur tries to be affected , to be more considerate towards Gwen ( offering to make dinner , etc . Affected , Gwen tries to be more considerate towards Arthur ( offering to make dinner etc ) . 0 +After his service , Lockhart lived in Florida , but moved to Texas recently . After his service , Lockhart lived in Texas , but moved to Florida recently . 0 +Hazel played the role of younger sister Alexandra Coppinger in the new TV series '' Dead Gorgeous '' . In the new TV-series '' Dead Gorgeous '' , Alexandra Coppinger played the role of the youngest sister Hazel . 0 +The ethnicity of Hilltown is 93 % mainly white , 3 % is Asian and 1 % are Chinese . The ethnicity of Hilltown is 93 % mainly white , 3 % are Chinese and 1 % are Asians . 0 +It is owned by Chemins de Fer Luxembourgeois , the government-owned railway company . It is operated by the Chemins de Fer Luxembourgeois state-run railway company . 0 +McGee Creek Lake is east of Atoka ; west of Antlers and north of Farris , Oklahoma Atoka is situated east of McGee Creek Lake , west of Antlers and north of Farris , Oklahoma . 0 +Waseem Abbas , son of the famous singer and actor Inayat Hussain Bhatti , began his career as a TV actor in Lahore . Inayat Hussain Bhatti is the son of famous singer and actor Waseem Abbas . He started his career as a TV actor in Lahore . 0 +From her second marriage with businessman Babis Lazaridis has a son , Vasilis . From the second marriage with businessman Babis Lazaridis has a son , Vasilis . 1 +McMillan spent two years at the Royal Medical Corp. in Tidworth -- and later at Didcot , where he led an MRS for soldiers who were injured in the Korean War . For two years , McMillan spent at the Royal Medical Corp. in Didcot -- and later in Tidworth , where he run an MRS for soldiers injured in the Korean War . 0 +According to Prior , Oliver Goldsmith the grandfather of the poet , playwright and novelist Robert Goldsmith was the first of the family to settle at Ballyoughter . According to Robert Prior , Robert Goldsmith was the grandfather of the poet , playwright , and writer , Oliver Goldsmith , the first of the family to settle with Ballyoughter . 0 +The lighting in the Louvre - painting is softer and seems warmer , but this can be the result of the tone of the varnish on the surface . The lighting in the Louvre painting is softer and appears warmer , but this may be the result of the tone of the varnish on the surface . 1 +James Henry Engley was born on April 5 , 1851 in Attleborough , Massachusetts , as the son of Eugene D. Engley and his wife , former Mary Kaley . Eugene D. Engley was born on 5 April 1851 in Attleborough , Massachusetts , as the son of James Henry Engley and his wife , former Mary Kaley . 0 +Robbins was born on September 21 , 1933 in Coventry , with his twin David , the eighth and ninth child of twelve of Charles and Jessamine Robbins . Robbins was born in Coventry on 21 September 1933 , with his twin David , the eighth and ninth children of twelve by Charles and Jessamine Robbins . 1 +Callum O 'brien ( born November 4 , 1982 in New Zealand ) is a professional Cambridge squash player . Callum O'brien ( born 4 November 1982 in New Zealand ) is a Cambridge professional squash player . 1 +Schliemann recognized five shafts and cleared them as the graves mentioned by Pausanias . Schliemann detected five shafts and cleared them as the graves mentioned by Pausanias . 1 +Known and often written songs include `` The Hartlepool Monkey '' , requested by Alan Wilkinson , an early member of the band . Well known , and often written songs include `` The Hartlepool Monkey '' requested by Alan Wilkinson , an early member of the band . 1 +It is sometimes used as reductio ad absurdum of the well-known argument of design , which runs as follows : It is sometimes known as a reductio ad absurdum of the well-used argument from design , which runs as follows : 0 +The Lost Boys is a 1978 docudrama mini-series produced by the BBC , written by Rodney Bennett , and directed by Andrew Birkin . The Lost Boys is a docudrama miniseries produced by the BBC in 1978 , written by Rodney Bennett and directed by Andrew Birkin . 1 +Robert White and Joshua Soule Zimmerman served alongside Kuykendall as a Chancery Commissioner for Hampshire County . Alongside Robert White and Joshua Soule Zimmerman , he served as Chancery Commissioner for Hampshire County . 0 +She was the mother of Val , Boris and Rosalind Lorwin , and her daughter became a psychology professor . She became mother of Val , Boris and Rosalind Lorwin , her daughter was a psychology professor . 0 +The event was attended by Boutique @ hs Ambassador , Teresa Palmer Michala Banas and Australian actress Kyly Clarke . The event was visited by Boutique @ hs - Ambassador Kyly Clarke , Australian actress Teresa Palmer and Michala Banas . 0 +A biography of Mick Middles was written by Manchester author Chris Sievey and was released in November 2014 . A biography of Chris Sievey was written by Manchester author Mick Middles , and was published in November 2014 . 0 +The French constituency of Finistère is a 1st constituency in the Finistère `` département '' . The French legislative constituency of Finistère is a 1st constituency in the Finistère `` département '' . 1 +The Bresnic River is a tributary of the River Slatina in Romania . The Slatina River is a tributary of the Bresnic River in Romania . 0 +This was recorded in two long inscriptions from his corpse hort Medinet Habu , which are physically separate and somewhat different from one another . This was recorded in two separate inscriptions from his Medinet Habu mortuary temple , which are physically long and somewhat different from one another . 0 +The Velar - Ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which is this sound . The velar ejective is a type of consonantal sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is . 1 +Birkenhead Wharf is close to the Birkenhead Point Factory Outlet Centre and next to Iron Cove Bridge , which is about a minute 's walk away . Birkenhead Wharf is next to Iron Cove Bridge and close to the Birkenhead Point Factory Outlet Centre , which is about a minute 's walk away . 0 +It was part of Hanover Township , then Florham Park , before being recorded in 1899 as Chatham Township . It was part of the Hanover Township , then Chatham Township , before being recorded in 1899 as Florham Park . 0 +Her son Samuel Provoost was the father of John ( 1742 -- 1815 ) , the first Protestant Episcopal Bishop of New York . Her son John was the father of Samuel Provoost ( 1742 -- 1815 ) , the first Protestant bishop bishop of New York . 0 +The police also questioned singer Rimi Tomy and actor Siddique , both close friends of Dileep and his wife Kavya Madhavan , as part of the ongoing investigation . The police also interviewed singer Rimi Tomy and the actor Kavya Madhavan , both close friends of Siddique and his wife Dileep , as part of the current investigation . 0 +The Jiul de Vest river is a tributary of the River Jidanul in Romania . The Jidanul River is a tributary of the Jiul de Vest River in Romania . 0 +Vembannur is a village in the Aruvikkara Taluk of the Nedumangad Taluk in Kerala , India . Vembannur comes under the Nedumangad Panchayat of the Thiruvananthapuram District . Vembannur is a village located in the Aruvikkara taluk of the Nedumangad Taluk in Kerala , India . Vembannur comes under the Nedumangad panchayat of the Thiruvananthapuram District . 1 +Anyone who watches should have the impression that the school is a continuous body , a single row . Anyone watching should have the impression that the school is a continuous body , a single row . 1 +The cast was all-male and consisted of six Sydney actors and one Melbourne actor ( Gordon Glenwright ) . The cast was completely male and consisted of six Melbourne actors and one Sydney actor ( Gordon Glenwright ) . 0 +Callum O 'brien ( born November 4 , 1982 in New Zealand ) is a professional Cambridge squash player . Callum O'brien ( born 4 November 1982 in Cambridge ) is a New Zealand professional squash player . 0 +A sister event was held at Albert Park Lake in Melbourne and was sponsored by Fox FM ( Melbourne , Australia ) . A sister event was held at Albert Park Lake in Melbourne and sponsored by Fox FM ( Melbourne , Australia ) . 1 +He was the son of John Scott and his wife , Jane Scott , who was the daughter of Thomas Cairnes . He was the son of John Scott and his wife Jane Scott , daughter of Thomas Cairnes . 1 +Dr. Hector , Cody and Christie find Dr. Christie , who takes Forrest hostage . Hector , Cody , and Christie find Dr. Forrest who takes Christie hostage . 0 +Westlake is a city in Calcasieu Parish , located in western Louisiana , USA , and is part of the Lake Charles Metropolitan Statistical Area . Westlake is a city in Louisiana , USA , in the western Calcasieu Parish , and is part of Lake Charles Metropolitan Statistical Area . 0 +Most of the releases of the album outside North America had the same audio content , but the track markers were located depending on which label the CD released . Most releases of the album outside of North America had the same audio content , but located the track markers differently depending on which label released the CD . 1 +In 2009 he moved back to Philadelphia and lives today in New York City . He moved back to New York City in 2009 and now lives in Philadelphia . 0 +David David Godwin is represented by Emma Townshend at DGA Associates . Emma Townshend is represented at the DGA Associates by David Godwin . 0 +It is a celebrated pilgrimage centre located 78 kilometres from Dharwad and 37 kilometres from Belgaum . It is a celebrated pilgrimage centre located 78 kilometers from Belgaum and 37 kilometres from Dharwad . 0 +João Martins Pena and Francisca de Paula Julieta Pena was born to Martins Pena in Rio de Janeiro . João Martins Pena and Francisca de Paula Julieta Pena was born in Rio de Janeiro , to Martins Pena . 1 +Zinovjev 's works have been so far performed by Oulu Symphony Orchestra , Lahti Symphony Orchestra , Kymi Sinfonietta , Finnish Radio Symphony Orchestra and Avanti ! So far Zinovjev ’ s works have been performed by the Oulu Symphony Orchestra , Lahti Symphony Orchestra , Kymi Sinfonietta , Finnish Radio Symphony Orchestra and Avanti ! 1 +He was selected by the Philadelphia 76ers in the 7th round ( 77th pick in total ) of the 1967 NBA Draft . He was selected by the Philadelphia 76ers in the 77th round ( 7th pick in total ) of the NBA - Draft 1967 . 0 +Frank James joined a secessionist company recruited for the local Drew Lobbs Army , and fought at the Battle of Wilson 's Creek in August 1861 . Frank James joined a secessionist company , recruited for the local Drew Lobbs Army and fought in the Battle of Wilson 's Creek in August 1861 . 1 +The uvular ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which is this sound . The consonantal ejective is a type of uvular sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is 0 +Among the prominent women of Suriname are Jennifer Simons , Marijke Djwalapersad , Elisabeth Samson , Cynthia McLeod , and Ruth Wijdenbosch . Among Suriname 's prominent women are Jennifer Simons , Marijke Djwalapersad , Elisabeth Samson , Cynthia McLeod and Ruth Wijdenbosch . 1 +Before the return of Albanian refugees in 1999 , Serb families left the village . Before the return of Serb refugees in 1999 , Albanian families left the village . 0 +Another way to control the population of deers is to regulate the birth rate . Another way to regulate the population of deer is to control the fertility rate . 1 +Soto was born in Fort Worth , but at the age of one year moved to Monterrey in Mexico . Soto was born in Monterrey , Mexico , but moved to Fort Worth , at the age of one . 0 +Although similar , the body parts are not interchangeable on the 2 cars . Although interchangeable , the body parts are not similar on the 2 cars . 0 +An analysis comparing millions of RSA public keys gathered from the Internet was announced in 2012 by Augier , Hughes , Lenstra , Bos , Kleinjung , and Wachter . An analysis of millions of public RSA keys collected from the Internet was announced by Lenstra , Hughes , Augier , Bos , Kleinjung and Wachter in 2012 . 1 +Jonathan Dasnières de Veigy won the final 7 - 6 , 7 - 6 against Andrey Kuznetsov . Jonathan Dasnières de Veigy won the final with 7-6 , 7-6 against Andrey Kuznetsov . 1 +Nvidia officially announced the NVIDIA TITAN V on December 7 , 2017 . The NVIDIA TITAN V was officially announced by Nvidia on 7 December 2017 . 1 +Also , The new year , the spring , the wine and the joyful are beloved . The new year , the spring , the wine and the lover are also joyful . 0 +Where `` e '' is the magnetic charge of the particle and A the electric vector potential of the electromagnetic field . Where `` e '' the electrical charge of the particle and A is the magnetic vector potential of the electromagnetic field . 0 +Tarapacá Department was a department of Tarapacá Province from 1883 to 1928 . It was part of Chile . Tarapacá department was a department of Chile from 1883 to 1928 , it was part of the province Tarapacá . 0 +The music hall was first imported to London from Paris in 1862 , and became enormously popular , with dancers , singers , acrobats , magicians trained animals . The music hall was first imported from Paris to London in 1862 and became enormously popular , with dancers , singers , acrobats , and mage-trained animals . 1 +Sitomania and 1870s differed with the term `` Anorexia nervosa '' and replaced the disorder . and 1870s distinguished sitomania with the term `` anorexia nervosa '' and replaced the disorder . 1 +`` Dawn '' is the thirty-second episode ( production # 213 ) of the television series , the thirteenth of the ninth season . `` Dawn '' is the thirty-ninth episode ( production # 213 ) of the TV series '' , the thirteenth season of the second season . 0 +This in turn created defensive holes in the line and seams in the natural secondary zone . That in turn created defensive holes in the line and seams in the natural secondary . 1 +Taisuke Sawachika worked with the guitarist and longtime collaborator Kudo on song `` Dose Nara '' . Taisuke Sawachika worked with guitarist and longtime collaborator Kudo on the song `` Dōse Nara '' . 1 +It was bought by Robert Curzon in 1834 in the monastery of Saba and saw in 1883 by C. R. Gregory . It was bought in 1834 by C. R. Gregory in the monastery of Saba , in 1883 by Robert Curzon . 0 +The Australian government issued recommendations for British awards in 1983 , and the last two Australian state governments ended recommendations in 1989 . The Australian Government ceased recommendations for Australian awards in 1983 and the last two British state governments ceased recommendations in 1989 . 0 +It will be long , with a high wall and a capacity . It will be high with a long wall and capacity . 0 +While discussing the matter should go to his deputy , and can not resume prsidência while discussing matters that are proposed to discuss . While discussing the matter should go over to his deputy and can not discuss prsidência while discussing matters that are proposed to resume . 0 +Wa Kyun is an island in the Andaman Sea , right off the coast of Mon State , in the southern area of Burma . Wa Kyun is an island in the Andaman Sea , just off the coast of the State of Mon , in the southern area of Burma . 1 +The Communists firmly believed that the Central Intelligence Agency supported these protests discreetly financially and otherwise . The communists discreetly believed that the Central Intelligence Agency strongly supported these protests , financially and otherwise . 0 +Katz was born in 1947 in Sweden and moved to New York at the age of one . Katz was born in New York City in 1947 and moved to Sweden at the age of 1 . 0 +Describe the areas with low pollen levels first , instead of the areas with high pollen levels . First , describe the areas with high pollen values instead of the areas with low pollen . 0 +Retzius was born in Stockholm , the son of the anatomist Anders Retzius ( and grandson of naturalist and chemist Anders Jahan Retzius ) . Retzius was born in Stockholm , son of the anatomist Anders Jahan Retzius ( and grandson of the naturalist and chemist Anders Retzius ) . 0 +Lobethal Bierhaus is a regional brewery with German influences on style . Lobethal Bierhaus is a German beer brewery , with regional style influences . 0 +However , when the new government changed political sides , Cerdà 's plan was rejected and when the local government held a project competition , which Cerdà lost . However , when the new government changed political sides , Cerdà 's plan was discarded and as the local government held a project competition which Cerdà lost . 1 +Omitting the jet engines and their fuel would reduce complexity and increase payload . Omitting the engines and their fuel would increase complexity and reduce payload . 0 +The Elder House of Welf was a Frankish noble dynasty of European rulers documented since the 9th century . Since the 9th century , the Elder House of Welf was a Franconian noble dynasty of European rulers . 1 +He was born in Melbourne , and migrated with his family to New Zealand when he was 10 . He was born in New Zealand and migrated with his family to Melbourne when he was ten . 0 +The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a debate both within specific Anglican churches and throughout the Anglican community . The degree of distinction between Protestant and Catholic tendencies within the specific Anglican tradition is routinely a matter of debate both within Anglican churches and throughout the Anglican Communion . 0 +Lobethal Bierhaus is a regional beer brewery , with German style influences . Lobethal Bierhaus is a German brewery with regional style influences . 0 +This festival also gives the participants an opportunity to renew hopes and share with tradition , in an area shared harmoniously by Tamils from both countries . This festival also gives participants the opportunity to renew hopes and to share tradition , in an area that is harmoniously shared by Tamils from both countries . 1 +Michael Liebel Sr. was 14 years old when his parents came to Erie , Pennsylvania from Germany . Michael Michael Liebel Sen was 14 years old when his parents came from Erie to Pennsylvania to Germany . 0 +Talent manager Melody Jones ( Robyn Arthur ) approaches Nina and asks them to sign with her . Talent manager Robyn Arthur ( Melody Jones ) approaches Nina and asks her to sign with her . 1 +`` Everything But You '' is a song of 1945 , composed by Don George , written by Duke Ellington and Harry James . `` Everything But You '' is a 1945 song composed by Duke Ellington and Harry James with lyrics written by Don George . 0 +The season began on 6 January 1984 in Falun , Norway , and ended in Lygna , Sweden on 11 March 1984 . The season started on 6 January 1984 in Falun , Norway , and ended on 11 March 1984 in Lygna , Sweden . 1 +Andy sees Robert and Katie together and tells it Daz . Andy sees Robert and Katie together and tells Daz . 1 +The Hollinwood Branch Canal was a canal near Hollinwood , in Oldham , England . The Hollinwood Branch Canal was a canal near Oldham in England . 0 +He married Mary , the daughter of Brooke of Selston , Nottingham , and was succeeded by his eldest son , Richard . He married Mary , the daughter of Timothy Pusey of Selston , Nottingham , and was succeeded by his eldest son , Richard . 0 +The first Foreman of Signals course was in 1951 and the current courses are the 86th and 87th running of the course . The first Foreman of Signals course was in 1951 and the current courses are the 86th and 87th running of the track . 1 +In 284 BC , King Xi met with King Zhao of Qin in Western Zhou to form an alliance against Qi . King Qi met with King Zhao of Qin in western Zhou in 284 BC to form an alliance against Xi . 0 +Components of mechanical systems store elastic potential energy if they are deformed on the system when applied forces . Components of elastic potential systems store mechanical energy if they are deformed on the system when forces are applied . 0 +It was captured after New Orleans was sunk and was sold for scrap metal in 1868 . It was captured after New Orleans was scuttled and in 1868 was sold for scrap . 1 +Tim Tim Henman won 6 -- 7 , 6 -- 4 , 7 -- 6 against Pete Sampras in the finals . Pete Sampras won 6 -- 7 , 6 -- 4 , 7 -- 6 against Tim Henman in the finals . 0 +The Machpelah Cemetery , also written as '' Macpelah Cemetery `` or '' Macphelah Cemetery `` , is a cemetery in Hudson County , New Jersey . The Machpelah Cemetery , also spelled as `` Macpelah Cemetery '' , or `` Macphelah Cemetery '' , is a cemetery in Hudson County , New Jersey . 1 +His children were Carolyn and Cynthia ( died 1970 ) , Brennan , Matt Pelosi , Laurence ( born 1971 ) and Andrew ( born in 1981 ) . His children were Carolyn and Cynthia ( died 1970 ) , Brennan , Matt Pelosi , Laurence ( born 1971 ) and Andrew ( born 1981 ) . 1 +On May 8 , 2015 , Tapia lost to Michel Soro . On 8 May 2015 , Michel Soro Tapia lost . 0 +The second daughter of Octavius Warre Malet , Alice Anna Catherine , married Thomas at the British Consulate in Cologne on 24 June 1852 . Thomas Anne 's second daughter , Alice Anna Catherine , married Octavius Warre Malet in the British Consulate in Cologne on June 24 , 1852 . 0 +Components of mechanical systems store elastic potential energy if they are deformed when forces are applied to the system . Components of elastic potential systems store mechanical energy if they are deformed to the system when applied to forces . 0 +The 40-minute film was written by Annaud with Alain Godard . The 40-minute film was written by Annaud along with Alain Godard . 1 +The police also interviewed singer Rimi Tomy and the actor Kavya Madhavan , both close friends of Siddique and his wife Dileep , as part of the current investigation . The police also questioned singer Rimi Tomy and actor Kavya Madhavan , both close friends of Siddique and his wife Dileep , as part of the ongoing investigation . 1 +One of these tornadoes traveled over northern sections of the Brown County and southern sections of Johnson County . One of these tornadoes traveled across northern sections of Johnson County and southern sections of Brown County . 0 +Cancellopollia gracilis is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Cancellopollia gracilis is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +She sailed on 12 September 1943 from Galveston , Texas , and met on 16 September in Key West . She sailed from Key West on 12 September 1943 and arrived in Galveston , Texas on 16 September . 0 +The `` IPA '' consists of 500 supplementary , 300 ground and 200 complementary symbols . The `` IPA '' consists of 500 complementary , 300 basic and 200 supplementary symbols . 1 +He is sometimes known as James Gordon , to distinguish him from James Gordon Huntly ( 1553 -- 1641 ) , another Jesuit . He is sometimes known as James Gordon to distinguish him from James Gordon Huntly ( 1553 - 1641 ) , another Jesuit . 1 +From her second marriage to businessman Babis Lazaridis has a son , Vasilis . From her second marriage with businessman Babis Lazaridis has a son , Vasilis . 1 +In 1938 he became the Government Anthropologist of the Egyptian-Anglo Sudan and conducted fieldwork with the Nuba . In 1938 he became anthropologist of the anglo-Egyptian Sudan to the government and led fieldwork with the Nuba . 0 +Polynesia Niau is an atoll in France , named Aleksey Greig to Greig . An atoll in French Polynesia Niau is named Greig after Aleksey Greig . 0 +Warren Haynes joined the touring and recording band by David Allan Coe in 1980 , when he was 20 years old . David Allan Coe joined Warren Haynes 's touring and recording band in 1980 , when he was 20 years old . 0 +The Bradu River is a tributary of the Hudeasa River in Romania . The river Hudeasa is a tributary of the Bradu River in Romania . 0 +Later , Andrew would be Richard 's forces during the attack on Adhemar , count of Angoulême . Later , during the attack on Adhemar , Count of Angoulême , Andrew was to be Richard 's forces . 1 +It was the sixth issue of the tournament and the third stop of the 2013 -- 14 IRB Sevens World Series . It was the sixth edition of the tournament and the third stop of the 2013 -- 14 IRB Sevens World Series . 1 +The natural `` e '' is the base of the constant logarithm . The `` e '' constant is the base of the natural logarithm . 0 +He served as a missionary for the LDS Church in Nevada and was a bishop in Czechoslovakia . He served as a missionary for the HLT church in Nevada and was a bishop in Czechoslovakia . 0 +In his Berlin study , three figures hanged on the wall : Schopenhauer , Maxwell , Faraday . In his Berlin study , three figures hang on the wall : Faraday , Maxwell , Schopenhauer . 1 +The music performed as Bob courts `` Blackadder '' is Vaughan Williams ' `` Fantasia on Greensleeves '' . The music performed as Bob `` Blackadder '' is '' Fantasia on Greensleeves '' by Vaughan Williams . 1 +The owner of the land at the time was a Mr Johnson , and he agreed a 99-year lease with a Mr Leslie Vernon Calcutt . At that time , the owner of the country was Mr Leslie Vernon Calcutt , and he agreed a 99-year rent with Mr Johnson . 0 +The French centre had also advanced . The Russian cavalry withdrew behind the main line , exposing the French to artillery fire from the Russian batteries . The Russian cavalry withdrew behind the main line and exposed the French to the artillery fire from Russian batteries . 0 +Field greens and root plants were generally not cultivated and were gathered seasonally when they grew in the wild . Field greens and root plants were generally not cultivated and grew seasonally when they were in the wild . 0 +Married is Mercedes Martinez , who is Cuban - Mexican , and with whom he has a son , Sebastian Weitz and one daughter , Athena Weitz . Weitz is married to Sebastian Weitz , who is Cuban Mexican , and with whom he has one son , Mercedes Martinez and a daughter , Athena Weitz . 0 +This enlarged the area of conflict between Rhode Island and the Province of Massachusetts . This widened the area of conflict between Rhode Island and the province of Massachusetts . 1 +Alexandra Coppinger played the role of the youngest sister Hazel in the new TV-series '' Dead Gorgeous '' . Hazel played the role of Alexandra Coppinger , the youngest sister , in the new TV series `` Dead Gorgeous '' . 0 +The song was written and composed by Gala by Filippo Andrea Carmeni and Maurizio Molella produced . The song was written and produced by Gala composed by Filippo Andrea Carmeni and Maurizio Molella . 0 +The Prudential Building ( HMB ) , formerly the Houston Main Building , was a skyscraper at the Texas Medical Center , Houston , Texas . The Houston Main Building ( HMB ) formerly known as the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . 0 +A biblical doom is , in its most negative sense , a formal blessing . A biblical doom is a negative blessing in its most formal sense . 0 +In 1960 , John T. Driscoll and Patrick F. McDonough ran for Treasurer and Receiver - General of Massachusetts , he was third in the democratic primary behind Kennedy . In 1960 , John T. Driscoll and Patrick F. McDonough ran for Treasurer and Receiver-General of Massachusetts . He finished third in the Democratic primary behind Kennedy . 1 +Nicole Pratt defeated Kristin Godridge 6 -- 4 , 6 -- 3 Nicole Nicole Pratt defeated Kristin Godridge 6 -- 4 , 6 - 3 1 +In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a character is compared with Armstrong . A character in `` Detection Unlimited '' , a mystery novel written by Armstrong , is compared to Georgette Heyer . 0 +Another member of the group was Sir George Throckmorton , whose sister married Thomas Giffard . Another member of that group was Sir Thomas Giffard , whose sister George Throckmorton married . 0 +Sikhism is a religion that began in India in the first century with the fifteenth guru , known as Guru Nanak Dev Ji ( 1469-1539 CE ) . Sikhism is a religion that began in India in the mid-fifteenth century with the first Guru , known as Guru Nanak Dev Ji ( 1469-1539 C.E . ) . 0 +The event was visited by Boutique @ hs - Ambassador Kyly Clarke , Australian actress Teresa Palmer and Michala Banas . The event was attended by Boutique @ hs Ambassador , Teresa Palmer Michala Banas and the Australian actress Kyly Clarke . 0 +He was trained by John Velazquez and ridden in his most important races by jockey Dale Romans . He was trained by John Velazquez and ridden during his most important races by Jockey Dale Romans . 1 +The Roman Catholic Diocese of Lugazi is a diocese , located in the city of Lugazi in the Ecclesiastical province of Uganda in Kampala . The Roman - Catholic diocese of Lugazi is a diocese located in the city of Lugazi in the province of Uganda in Kampala . 1 +The 2007 championship took place between 21 and 28 January in Spokane , Washington , in the Spokane Arena and the Spokane Convention Center . The 2007 championships took place from 21 to 28 January in Spokane , Washington in the Spokane Convention Center and the Spokane Arena . 1 +The species was first formally described by the botanist Johann Georg Christian Lehmann in 1846 as part of Stephan Endlicher 's work `` Irideae . Plantae Preissianae '' . The species was first formally described in 1846 by the botanist Stephan Endlicher as part of the work `` Irideae Plantae Preissianae '' by Johann Georg Christian Lehmann . 0 +Pearson 's racial and political stance against strict egalitarianism also manifested in a consistent opposition to Marxism and socialism . Pearson 's strict stance against racial and political egalitarianism also manifested himself in a consistent opposition to Marxism and socialism . 0 +The fourth was in the caused by the resignation of Thomas Kittera sometime after May , 1826 , filled by Joseph Hemphill . The fourth was filled by the resignation of Thomas Kittera sometime after May 1826 by Joseph Hemphill . 1 +The energetic space in relation to the operator formula 26 is then the Sobolev space formula 96 We see that motivated the elastic energy of the string that motivated this study The elastic space in respect to the operator formula _ 26 is then the Sobolev space formula _ 96 . We see that the energetic energy of the string which motivated this study is 0 +Whitlam , who had defeated Malcolm Fraser in a landslide at the federal election in December 1975 , offered Egerton the knighthood for serving the trade union movement . Malcolm Fraser , who had defeated Whitlam in a landslide at the federal election in December 1975 , offered Egerton the knighthood to serve the trade union movement . 0 +Andrew McLennan Andrew Snoid is a New Zealand musician , singer and songwriter . Andrew McLennan born Andrew Snoid is a New Zealand musician , singer , and songwriter . 0 +Finland was an autonomous Grand Duchy before its independence within Imperial Russia . Imperial Russia was an autonomous Grand Duchy before its independence within Finland . 0 +The music hall was first imported from London in 1862 to Paris and became enormously popular with dancers , singers , acrobats and wizards trained animals . The music hall was first imported to London from Paris in 1862 , and became enormously popular , with dancers , singers , acrobats , magicians trained animals . 0 +Sinjin Van Cleef ( Michael Eric Reid ) another student at Hollywood Arts falls into the jacuzzi when a surfing machine malfunctions . Sinjin Van Cleef ( Michael Eric Reid ) , another student at Hollywood Arts , falls into the Jacuzzi when a surfing machine fails . 1 +He was then replaced by Heraclius , a first cousin of Nicetas and forced to take monastic vows . He was then replaced by Nicetas , a first cousin of Heraclius , and was forced to take monastic vows . 0 +It serves the south-eastern Melbourne suburb of Edithvale opening on September 20 , 1919 . It serves to the south-eastern Edithvale suburb of Melbourne opening on 20 September 1919 . 0 +Hawker ( postcode : 2614 ) is a suburb of the Canberra district of Belconnen , located within the Australian Capital Territory , Australia . Hawker ( PLZ : 2614 ) is a suburb of the Belconnen district of Canberra , located within the Australian Capital Territory , Australia . 0 +In November 1989 , Delaney became a member of the New York Stock Exchange and became a senior managing director at Henderson Brothers , Inc. , and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and was senior managing director with Henderson Brothers , Inc. and Bear Wagner . 0 +In 1645 during the English Civil War a Parliamentarian force from Newport Pagnell surprised a platoon of eighteen Royalists stationed in Finmere . During the English Civil War , a parliamentary force from Newport Pagnell surprised a train of eighteen royalists stationed in Finmere in 1645 . 0 +It is also the sixth tallest building in Russia , the fifth tallest in Europe and one of the 90 supertall skyscrapers in the world . It is also the fifth highest building in Russia , the sixth highest in Europe and one of the 90 Supertall skyscrapers in the world . 0 +A phase transition from a ferromagnet to a paramagnetic is the second and is of continuous order . A phase transition from a ferromagnet to a paramagnet is continuous and is the second order . 0 +Sikhism is a religion that began with the first guru in India in the mid-15th century , known as Guru Nanak Dev Ji ( 1469-1539 C.E . ) . Sikhism is a religion that began in India in the first century with the fifteenth guru , known as Guru Nanak Dev Ji ( 1469-1539 CE ) . 0 +ZipSIP-ZipSIP is a new service that helps investors invest in Mutual Funds in a few minutes , with paperless processes . ZipSIP-ZipSIP is a paperless service that helps investors invest in investment funds with new processes in a few minutes . 0 +The campus was located in Wan Chai and Sai Kung and moved to its new site in Kennedy Town in August 2013 . The campus was located in Wan Chai and Sai Kung . In August 2013 the school moved to its new permanent site in Kennedy Town . 1 +The episode was written by Chuck Tatham and directed by Fred Savage . The consequence was written by Fred Savage and directed by Chuck Tatham . 0 +The R205 road is a regional road in Ireland from the R199 road in County Leitrim to the Northern Ireland border at County Fermanagh , mostly in County Cavan . Road R205 is a regional road in Ireland from road R199 in the county of Leitrim to the Northern Ireland border in the county of Fermanagh , mostly in county Cavan . 1 +The 40-minute film was written by Annaud with Alain Godard . The 40-minute film was written by Alain Godard along with Annaud . 0 +The poem is preserved in four fragmentary manuscripts , one of which is contemporary . The poem is preserved in four contemporary manuscripts , one of which is fragmented : 0 +He is co-recipient with Lucas ( Martin Hansen ) of the prestigious Carnegie Scholarship for mathematics . He is co-recipient of the renowned Carnegie Scholarship for Mathematics with Lucas ( Martin Hansen ) . 1 +The score was composed by composer William Whitener , with choreography by Maury Yeston , artistic director of the Kansas City Ballet ' ; . The score was by composer Maury Yeston , with choreography by William Whitener , artistic director of the Kansas City Ballet . 0 +Frank James joined a local society recruited for the secessionist Drew Lobbs Army , and fought in August 1861 at the Battle of Wilson 's Creek . Frank James joined a secessionist company , recruited for the local Drew Lobbs Army , and fought in August 1861 in the Battle of Wilson 's Creek . 0 +In May 1983 , a UK tour with the live guitarist Robin George started for additional performances . In May 1983 , a UK tour started with the additional guitarist Robin George for live performances . 0 +The SPB has a constant height size ( distance from inner plaque to outer plaque ) for about 150 nm , but its diameter changes during the cell cycle , z . The SPB has constant height size ( the inner plaque to outer plaque distance ) for about 150 nm , but its diameter changes during cell cycle , e.g . 1 +After leaving Belgium , he signed for three years with Bristol City in Australia , but had to return to England due to visa problems . After leaving Belgium he signed with Bristol City for three years in Australia but had to return to England due to work visa issues . 1 +In 2012 , Jennifer la Pena became part of the TV - Remake of the Salvador Royales movie `` Mundo Man ay Magunaw '' as Gil . In 2012 , Gil became part of the TV remake of the Salvador Royales film `` Mundo Man ay Magunaw '' as Jennifer la Pena . 0 +Roy joined in Communist Party of India in 1963 and led trade union movements in Kolkata area of Bansdroni . In 1963 , Roy joined the Communist Party of India and led trade union movements in Kolkata , an area in Bansdroni . 1 +Early advisory board members included Alistair Cooke , Saul Bellow , Walter Cronkite , Norman Cousins , Gore Vidal , Norman Podhoretz . Early advisory members included Alistair Cooke , Saul Bellow , Walter Cronkite , Norman Cousins , Gore Vidal , Norman Podhoretz . 1 +Decipium was the isolated name for a new chemical element proposed by Marc Delafontaine from the mineral samarskite . Decipium was the isolated term for a new chemical element proposed by Marc Delafontaine from the Mineral Samarskite . 1 +He began to count from Simeon , and included Benjamin , and continued the count from the beginning . He began to count Simeon , and included Benjamin and continued the count from the beginning . 1 +Alston was born on December 21 , 1965 in New Haven , Connecticut . He attended Oxon Hill High School in Oxon Hill , Maryland . He was born on 21 December 1965 in New Haven , Connecticut , and attended the Oxon Hill High School in Oxon Hill , Maryland . 1 +She is the widow of Jake Paltrow and the mother to actress Gwyneth Paltrow and director Bruce Paltrow . She is the widow of Jake Paltrow and the mother of actress Gwyneth Paltrow and director Bruce Paltrow . 1 +Many of the demons in Solomon 's encounters are of Greek , Egyptian , Jewish , Christian , Arabic , and other traditions . Many of the demons in Solomon 's encounters are Greek , Egyptian , Jewish , Christian , Arabic , and other traditions . 1 +Louise Gade ( born 15 June , 1972 , in Aarhus ) is a Danish cand.jur. , president of Thyborøn VIA University College and former mayor of Aarhus , Denmark . Louise Gade ( born June 15 , 1972 in Thyborøn ) is a Danish candidate , president of Aarhus VIA University and a former mayor of Aarhus , Denmark . 0 +The character and casting was revealed on 20 November , when Fotiou was released in a behind the scenes video seen by `` Neighbours '' on their YouTube channel . The character and cast was revealed on November 20 , when Fotiou was released on her YouTube channel in a video seen by the `` Neighbours '' behind the scenes . 1 +The game received praise for its comfortable environment , a wide and interactive control scheme and innovative gameplay . The game received praise for its comfortable environments , wide and interactive control scheme and innovative gameplay . 1 +William Harris was the second son of William Harris , his elder brother Christopher Harris was MP for Okehampton . Harris was the second son of William Harris . His elder brother , Christopher Harris , was MP for Okehampton . 1 +Frank James joined a local society recruited for the secessionist Drew Lobbs Army , and fought in August 1861 at the Battle of Wilson 's Creek . Frank James joined a secessionist company recruited for the local Drew Lobbs Army , and fought at the Battle of Wilson 's Creek in August 1861 . 0 +It is based in the city of Luxembourg , south of Mondercange . It is based in Mondercange , to the south of Luxembourg City . 0 +In February 2014 , Network Ten announced that Danielle would replace Isdale Hugh Riminton as a presenter , and Victoria Murphy would become the sports presenter . In February 2014 , Network Ten announced that Danielle Isdale would replace Hugh Riminton as presenter , and Victoria Murphy would become the sports presenter . 0 +In 1966 , started his own gallery in London 's Cork Street , Leslie Waddington had the backing of Alex Bernstein , a member of the Granada media dynasty . In 1966 , his own gallery began in London 's Cork Street , Alex Bernstein had the support of Leslie Waddington , a member of the media dynasty Granada . 0 +In contrast , a profit `` gross '' can be assigned or otherwise transferred by its owner . By contrast , a profit `` in gross '' can be assigned or otherwise transferred by its owner . 1 +A Khap is a clan , or a group of related clans , mainly among the Jats of western Uttar Pradesh and eastern Haryana . A A Khap is a clan or group of related clans , mainly under the jats of the eastern Uttar Pradesh and Western Haryana . 0 +Josiah Warren was an individualist anarchist and close associate of Stephen Pearl Andrews . Stephen Pearl Andrews was an individualist anarchist and close partner of Josiah Warren . 0 +Battlepug is a webcomic by Mike Norton , colored by Allen Passalaqua and written by Chris Crank . Battlepug is a webcomic written and illustrated by Mike Norton , colored by Allen Passalaqua , and lettered by Chris Crank . 0 +He started again in 1960 on the continent and drove the Tour de France . He rode on the continent again in 1960 and started the Tour de France . 0 +In 1933 Cattell wrote that , of all the European races , the `` Nordic race was the most evolved in intelligence and stability of temperament . '' In 1933 , Cattell wrote that , of all European races , the `` Nordic race was the most developed intelligence and stability in temperament . 1 +Ibn Amira was born in Valencia , the province of Alzira . Ibn Amira was born at Valencia in the province of Alzira . 1 +Some crew members were killed in the Golden Bay and there was no local contact with other Māori . Some of the crew were killed in Golden Bay and there was no other contact with local Māori . 0 +The complementary solution is formed using the procedure variation of parameters by multiplying the particular solution with an unknown function C ( x ) : Using the method variation of parameters , the particular solution is formed by multiplying the complementary solution by an unknown function C ( x ) : 0 +According to the United States Census Bureau , Southport has a total area of , of which is land and , or 0.91 % , is water . According to the United States Census Bureau , Southport has a total area of land and , or 0.91 % , is water . 1 +Santa Cruz Sky Park was an airport located in Scotts Valley , California , within Santa Cruz County . Santa Cruz County was an airport in Scotts Valley , California , within Santa Cruz Sky Park . 0 +The Tabaci River is a tributary of the River Leurda in Romania . The river Leurda is a tributary of the River Tabaci in Romania . 0 +His father died in his youth , and his mother , Catherine A. Fagan , married Samuel Adams in 1842 , who two years later became the governor of Arkansas . His father died during his youth , and his mother , Samuel Adams , married Catherine A. Fagan in 1842 , who later became Governor of Arkansas two years later . 0 +She was executed on 3 May 1947 , 24 minutes after Elisabeth Marschall , by Albert Pierrepoint in the prison of Hameln for her crimes at 9 : 55 . She was executed on 3 May 1947 , 24 minutes after Albert Pierrepoint , by Elisabeth Marschall in Hameln prison for her crimes . 0 +In 284 BC , King Qi met King Zhao of Qin in western Zhou to form an alliance against Xi . In 284 BC , King Qi met with King Zhao of Qin in Western Zhou to form an alliance against Xi . 1 +The meeting is interrupted by the arrival of various messengers from various powerful or influential Mardukans in the city with many dinner invitations for the Prince . The meeting is interrupted by the arrival of various messengers from various powerful or influential Mardukans in the city with many invitations for dinner for the Prince . 1 +`` Cosmic Explorer '' was published in four different formats by Universal Music Japan , Universal J and Parfum Records on April 6 , 2016 . `` Cosmic Explorer '' was released on April 6 , 2016 , by Universal J Japan , Universal Music , and Perfume Records in four different formats . 0 +He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of the leading politician Christian Homann Schweigaard and Aunt of later Prime Minister Anton Martin Schweigaard . He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of leading politician Anton Martin Schweigaard and aunt of later Prime Minister Christian Homann Schweigaard . 0 +William Llewelyn Williams known as Llewelyn Williams ( 10 March 1867 -- 22 April 1922 ) , was a Welsh journalist , lawyer and radical Liberal Party politician . William Williams , known as Llewelyn Williams ( March 10 , 1867 -- April 22 , 1922 ) , was a Welsh journalist , lawyer , and radical Liberal party politician . 1 +He was an unsuccessful candidate for South Bend City Judge in 1947 , and in 1948 for the prosecutor ’ s office of Saint Joseph County . He was an unsuccessful candidate in 1947 for South Bend city judge and in 1948 for prosecutor of Saint Joseph County . 1 +His father was the illegitimate son of William Skipwith , a Member of Parliament for Lincolnshire , and Anne Tothby . His father was the illegitimate son of William Skipwith , a Lincolnshire member of parliament , and Anne Tothby . 1 +In 1291 , Mahaut married the count de Burgundy Otto IV , married the mother of three children , including two girls who became kings of France . In 1291 , Mahaut married Otto IV , Count of Burgundy . She became the mother of three children , including two girls who married kings of France . 0 +It is well known from the United States ( Maine , Oregon , California ) and British Columbia ( Canada ) . It is known from the United States ( Maine , Oregon , California ) and British Columbia ( Canada ) . 1 +Maurice Cossmann , full name Alexandre Édouard Maurice Cossmann ( 18 September 1850 -- 17 May 1924 ) was a French paleontologist and malacologist . Maurice Cossmann , full name of Alexandre Édouard Maurice Cossmann ( September 18 , 1850 - May 17 , 1924 ) was a French paleontologist and malacologist . 1 +In 2012 , Adrian Belew released `` Treehouse '' , his sixth solo record , produced in Nashville Tennessee by musician Ned Evett . In 2012 , Ned Evett `` Treehouse '' released his sixth solo record , produced in Nashville Tennessee by musician Adrian Belew . 0 +Strozzi started taking private acting lessons with Dimitrija Demeter after a medical treatment , as recommended by Josip Freudenreich . After medical treatment , Strozzi started private acting lessons with Josip Freudenreich , as recommended by Dimitrija Demeter . 0 +It is near Lough Corrib , on the N59 road to Oughterard and Clifden , in Connemara . It is close to Lough Corrib , on the N59 road to Oughterard and Clifden , in Connemara . 1 +Dora Rangelova is the Bulgarian captain of the current Fed Cup team and mother of the tennis player Dimitar Kuzmanov . Dora Rangelova is the current captain of the Bulgarian Fed Cup team . She 's also the mother of tennis player Dimitar Kuzmanov . 0 +In 1963 , Roy joined the Communist Party of India and led trade union movements in Kolkata , an area in Bansdroni . Roy joined in Communist Party of India in 1963 and led trade union movements in Bansdroni area of Kolkata . 0 +With the support of the United Nations , the Asian Development Bank and the World Bank , Lao PDR founded the Stage II fund in 1974 . In 1974 Lao PDR established the Stage II fund with the help of the World Bank , the United Nations , and the Asian Development Bank . 1 +The Arieşul Mare River is a tributary of the Vâlcea River in Romania . The Arieşul Mare River is a tributary of the river Vâlcea in Romania . 1 +Second editor is Herbert Wessels ( since 2009 ) , Chief Editor is Markus Ermert ( since 2002 ) . The second editor is Herbert Wessels ( since 2009 ) , chief editor is Markus Ermert ( since 2002 ) . 1 +The rudiments of the system theories can be seen in Julian Steward 's '' Seasonal Variation of Eskimo `` , which was later repeated in Marcel Mauss ' work . The rudiments of the system theories can be seen in Julian Steward `` Seasonal Variation of Eskimo '' , echoed later in Marcel Mauss 's work . 1 +The last track , `` Every Morning '' is the acoustic guitar version of the first track `` Morning '' . The first Every Morning `` track is the acoustic guitar version of the last track '' Morning `` . 0 +You were produced by Hans Olsson ( Universal Poplab , Timo Räisänen ) and Peppe Carlsson . You were produced by Peppe Carlsson ( Universal Poplab , Timo Räisänen ) and Hans Olsson . 0 +Garrett Whitley first appeared in early July . He is the Criminal Father of Harper Whitley and Steve Whitley and brother of Benny Cameron . In early July , Garrett Whitley , who is the criminal father of Harper Whitley and Steve Whitley , and the brother of Benny Cameron , appeared . 1 +In 1924 he was an invited spokesperson for the ICM in Toronto , in 1932 in Zurich and in Oslo in 1936 . He was an Invited Speaker of the ICM in Toronto in 1924 , in 1932 in Oslo , and in 1936 in Zurich . 0 +McCarthy was born in Auckland , but moved to San Francisco , California at the age of four years with his parents . McCarthy was born in San Francisco , California , but moved to Auckland with his parents at age four . 0 +Mats Wilander defeats Anders Järryd , 6 -- 4 , 3 -- 6 , 7 - 5 . Mats Wilander defeats Anders Järryd , 6 -- 4 , 3 -- 6 , 7 -- 5 . 1 +Navarro is a partido in the northeast of the province of Buenos Aires in Argentina . Navarro is a partido in the northeast of Buenos Aires Province in Argentina . 1 +Lusaghbyur ( formerly romanised as Lusakhpyur ; Svanverdi and Svan ) is a village in the Shirak province of Armenia . Lusaghbyur ( also Romanized as Lusakhpyur ; formerly , Svanverdi and Svan ) is a village in the Shirak Province of Armenia . 0 +Lang was born in Australia , migrated to Israel as a young man and settled there in 1961 . Born in Australia , Lang migrated to Israel as a young man and settled there in 1961 . 1 +She became the mother of Val , Boris and Rosalind Lorwin , her daughter was professor of psychology . She became the mother of Val , Boris and Rosalind Lorwin . Her daughter was a psychology professor . 1 +The majority of them live today in Greece , some still in Bulgaria . The majority of them live in Bulgaria today , some are still in Greece . 0 +He has played professionally in Greece , Russia , Italy , France , Puerto Rico , Portugal , and Indonesia , winning national championships in Indonesia and Greece . Lee has played professionally in Italy , Russia , Greece , France , Indonesia and Greece . He has won national championships in Puerto Rico , Portugal and Indonesia . 0 +Sir Edward I swore loyalty to Michael Wemyss of England in 1296 , but then changed his faithfulness to Robert the Bruce . In 1296 , Sir Michael Wemyss swore Edward I of England , but then changed his faithfulness to Robert the Bruce . 0 +However , Madonna , Prince , and Michael Jackson were influences on the album . Madonna , Prince and Michael Jackson , however , were influenced on the album . 1 +The tournament was played by 42 clubs , divided into six pools of seven clubs . The tournament was divided by 42 clubs played in six pools of seven clubs . 0 +Andrey Kuznetsov won the final 7 -- 6 , 7 -- 6 against Jonathan Dasnières de Veigy . Jonathan Dasnières de Veigy won the final with 7-6 , 7-6 against Andrey Kuznetsov . 0 +Siemens AG was the main contractor , with Fiat Ferroviaria and ADtranz as subcontractors . The prime contractor was Siemens AG with Fiat Ferroviaria and ADtranz as subcontractors . 1 +This was the first of three third-class hotels to be built in the central business district . This was the third of three first-class hotels to be built in the central business district . 0 +They also released the second track on the album , `` Vices '' , as the 5th single from the album on June 13 . They also released the 5th track on the album , `` Vices , '' on June 13 as the second single from the album . 0 +Two years later , on 25 July 1947 , the 709th was redesignated the 709th Bombardment Squadron , Very Heavy . Two years later , on July 25 , 1947 , the 709th was renamed Heavy Bombardment Squadron , very 709th . 0 +After returning to Suriname in 1954 , he settled in Paramaribo as a lawyer . After returning to Paramaribo in 1954 , he settled down as a lawyer in Suriname . 0 +Norman Melancton Geddes , born Norman Bel Geddes ( April 27 , 1893 - May 8 , 1958 ) , was an American American theatre and industrial designer . Norman Melancton Geddes , born Norman Bel Geddes , ( April 27 , 1893 -- May 8 , 1958 ) was an American theatrical and industrial designer . 1 +Although first attributed to Fu Xi , Shao Yung 's binary or lexicographical order traditionally appears in the eleventh century AD . Although first attributed to Fu Xi , Shao Yung appears the binary or lexicographical order traditionally in the eleventh century AD . 1 +Vision in these patients can be light to hand movements or normal perception only . In these patients , vision can only be normal on hand movements or light perception . 0 +That I left , that I lost . That I left that I have lost . 1 +Describe the areas with high pollen levels first , instead of the areas with low pollen levels . First , describe the areas with high pollen values instead of the areas with low pollen . 1 +Dharmendra Yadav of RJD defeated Poonam Devi representing JDU in 2000 . In 2000 , Dharmendra Yadav of RJD Poonam Devi defeated the JDU . 0 +In May , Spencer McLaren arrived as Kieran Fletcher , a love interest for the established character Sally Fletcher ( Kate Ritchie ) . In May Kate Ritchie came as Sally Fletcher , a love interest for established character Kieran Fletcher ( Spencer McLaren ) . 0 +In May 1983 , a UK tour with the additional guitarist Robin George started for live performances . In May 1983 , a UK tour started with live guitarist Robin George for additional performances . 0 +Mark Machin was CEO of the Canada Pension Plan Investment Board , which was replaced in June 2016 by Mark Wiseman . Mark Wiseman was the CEO of the Canada Pension Plan Investment Board . He was replaced by Mark Machin in June 2016 . 0 +The consonantal ejective is a type of velar sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is . The Velar - Ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet that represents that sound . 0 +It was created with the redistribution in 1972 and replaced the abolished Toowoomba East . It was abolished with the redistribution of 1972 and replaced the Toowoomba East created . 0 +Malet married Mary Aldworth , the widow of Thomas White of Letcombe Regis , Berkshire and daughter of John Aldworth by Fyfield Berkshire until 1664 . Malet married Mary Aldworth , the widow of John Aldworth of Letcombe Regis , Berkshire and daughter of Thomas White by Fyfield Berkshire until 1664 . 0 +The `` Astrud '' track on Gilberto 's ; s 1987 album `` Time and Tide '' is a tribute to Basia Trzetrzelewska . The `` Astrud '' track on Basia Trzetrzelewska 's album `` Time and Tide '' from 1987 is a homage to Gilberto . 0 +Holly Holly was influenced by Elton John musically . Elton John was musically influenced by Holly . 0 +Dotty was born in Gloucester in 1923 and died in Boston in 2014 . Dotty was born in 1923 in Boston and died in Gloucester in 2014 . 0 +The breed standard describes the dog as a strong temperament and a sharp individuality , distrustful of strangers . The breed standard describes the dog as a sharp temperament and strong individuality , suspicious of strangers . 0 +He raised Chiyonofuji , then a `` makuuchi '' wrestler , to the great `` yokozuna '' he became . He became Chiyonofuji , then a `` Makuuchi '' Wrestler , to the great `` Yokozuna '' , which he raised . 0 +Danyal is a variant spelling of Daniel . Danyal is a variant of Daniel 's spelling . 1 +In 1934 , two of them were produced , but no more were flown . Two were flown in 1934 but no more were produced . 0 +It is situated near Lough Corrib , on the N59 road to Oughterard and Clifden , in Connemara . It is near Oughterard and Clifden , on the N59 road to Lough Corrib , in Connemara . 0 +On October 15 , 1914 , Ruth married Marie Brinkmeyer of Indianapolis Ruth . Joe married Ruth Marie Brinkmeyer of Indianapolis on October 15 , 1914 . 0 +At the same time , Tong asked Pope Francis to remain a Bishop of Hong Kong for three more years . At the same time , Tong asked Pope Francis to remain Bishop of Hong Kong for three more years . 1 +He was an unsuccessful candidate in 1947 for Saint Joseph County city judge and in 1948 for prosecutor of South Bend . He was an unsuccessful candidate in 1947 for Saint Joseph County City Councilor , and in 1948 for prosecutor of South Bend . 1 +Flavia Alejandra Gleske Fajin , better known as Flavia Gleske ( born May 15 , 1978 ) is a Venezuelan actress and model . Flavia Alejandra Gleske Fajin , better known as Flavia Gleske ( born 15 May 1978 ) is a Venezuelan actress and model . 1 +The station was established by the British Falkland Islands Dependencies Survey as Station F , or `` Winter Island '' , on Argentine Islands in 1947 . The station was established in 1947 by the British Falkland Islands Dependencies Survey as Station F or `` Winter Island '' in the Argentine islands . 1 +To create the map for Hoth , the designers received as much source material as possible from `` The Empire beats back '' to develop an authentic reproduction . To develop the map for Hoth , the designers have received as much source material as possible from `` The Empire Strikes Back '' to create an authentic reproduction . 0 +Among the most prominent women of Suriname are Jennifer Simons , Marijke Djwalapersad , Elisabeth Samson , Cynthia McLeod and Ruth Wijdenbosch . Among the prominent women of Suriname are Elisabeth Samson , Cynthia McLeod , Marijke Djwalapersad , Jennifer Simons , and Ruth Wijdenbosch . 1 +Nearby is the Wallowa River , a tributary of the Lostine River , east of the Wallowa Mountains in the northeast of Oregon . Nearby is the Wallowa River , a tributary of the Lostine River , east of the Wallowa Mountains of northeastern Oregon . 1 +Ján Sokol ( born October 9 , 1933 ) is a former bishop of Trnava and a Slovak Archbishop . Ján Sokol ( born 9 October 1933 ) is a Slovak bishop and former Archbishop of Trnava . 0 +After his retirement , he remained in Krzemieniec and died there . After his retirement he died and remained in Krzemieniec . 0 +Lovey and Dude Romeo of Green Bay Wisconsin have published extensively online and in YouTube - Videos Puli PrayingOriginally from Pittsburgh Pennsylvania . Lovey and Dude Romeo of Green Bay Wisconsin have appeared extensively online and in YouTube videos Puli PrayingOriginally from Pittsburgh Pennsylvania . 1 +Finale is a city in the Mopani District Municipality in the province of Limpopo , South Africa . Finale is a city in South Africa in the province of Mopani District Municipality , Limpopo . 0 +Two were produced in 1934 , but no more were flown . In 1934 , two of them were produced , but no more were flown . 1 +He first appeared on 5 March 2010 and last appeared on 14 May 2010 . He appeared on March 5 , 2010 and last on May 14 , 2010 . 1 +Slough High School was a selective girls ' school in Berkshire , now Slough , Buckinghamshire . Slough High School was a selective school for girls in Slough , Buckinghamshire , now Berkshire . 0 +He was born the posthumous child of Sir Henry Thrale , 1st Baronet ; his mother was the sister of the brewer John Lade . He was the posthumous child of Sir Henry Thrale , 1st Baronet , his mother was the sister of the brewer John Lade . 1 +In 1914 , Mr. Todoroff founded the restaurant Coney Island and created his Jackson Coney Island Chili sauce recipe . In 1914 , Mr. Todoroff founded the Coney Island restaurant and created his Jackson Coney Island chili sauce recipe . 1 +vidas distintas is a Mexican telenovela from 1969 transmitted by Televisa and originally produced by Telesistema Mexicano . vidas distintas is a Mexican telenovela , produced in 1969 by Televisa and originally transmitted by Telesistema Mexicano . 0 +`` The above statistics are current as of January 1 , 2018 , and an Em dash ( -- ) indicates that the category is not applicable . `` Statistics above are applicable as of January 1 , 2018 . An em dash ( -- ) indicates that the category is not current . '' 0 +Spanish Florida was defended by a few hundred Spanish troops , and the regular policy was to pacify the Indians in their territory and not to provide them with weapons . Spanish Florida was defended by a few hundred Spanish troops ; regular policy was to pacify the Indians in their territory and not to provide them with weapons . 1 +Angela Warren refers to Shakespeare and cites John Milton `` Comus '' : '' Under the glassy , cool , translucent wave `` . John Milton refers to Shakespeare and quotes Angela Warren `` Comus '' : '' Under the glassy , cool , light-translated wave `` . 0 +has three daughters : Jennifer Salwender and Caitlin and Sarah Haynes , and two grandchildren , Joshua and Annika Salwender . Haynes ' has three daughters : Jennifer Salwender and Caitlin and Sarah Haynes , and two grandchildren , Joshua and Annika Salwender . 1 +43 people were saved , 40 were rescued in the lifeboats and three by the `` Delaware '' . 43 people were rescued , 40 in the lifeboats and three saved by the `` Delaware '' . 1 +It was abolished with the redistribution of 1972 and replaced the Toowoomba East created . It was abolished with the 1972 redistribution , and replaced the created Toowoomba East . 1 +The weather is warm and rainy during summer and cool during the winter season . Its weather is cool during the summer and warm and rainy during the winter season . 0 +Electroencephalographic changes are mediated by sugar endorphins , but the mechanism for this remains unknown , it does not seem to be reduced . Electroencephalographic changes are reduced by sugar , but the mechanism for this remains unknown ; it does not seem to be endorphin mediated . 0 +`` Aku Ankka '' is published by Sanoma Media ( formerly Sanoma Magazines ) , which is part of Sanoma . `` Aku Ankka '' is published by Sanoma Media ( formerly known as Sanoma Magazines ) , which is part of Sanoma . 1 +Born in Germany was born to Jewish parent , the son of Max Born and scientist Hedwig Ehrenberg . Born in Germany was born to Jewish parents , son of Hedwig Ehrenberg and the scientist Max Born . 0 +Malcolm Fraser , who had defeated Whitlam in a landslide at the federal election in December 1975 , offered Egerton the knighthood for serving the trade union movement . Whitlam , who had defeated Malcolm Fraser in a landslide at the December 1975 federal election , offered the knighthood to Egerton for service to the trade union movement . 0 +They are overlaid with sparse orchestral music played live , and consist of vague , almost deliberately colourless sounds . They are overlaid with colourless , live played music and consist of vague , almost consciously sparse orchestral sounds . 0 +The typical owls are small to large solitary birds of prey . The typical owls are small to large solitary nocturnal birds of prey . 1 +Kerala zone of KSRTC is now the second most revenue generating zone in Kollam . The Kollam zone of KSRTC is now the second most common revenue generating zone in Kerala . 0 +The band formed in 1999 in Dunwoody , Georgia after guitarist Cole Alexander and bassist Jared Swilley left the Renegades , and guitarist Ben Eberbaugh left the Reruns . The band , founded in 1999 in Dunwoody , Georgia , after guitarist Ben Eberbaugh and bassist Jared Swilley left the Renegades , and guitarist Cole Alexander left the Reruns . 0 +Ashte is a village in the Palghar district of Maharashtra , India It is located in Dahanu Taluka . Ashte is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . 1 +In 2012 , Gil became part of the TV - Remake of the Salvador - Royales - Films '' Mundo Man ay Magunaw `` as Jennifer la Pena . In 2012 , Gil became part of the TV remake of the Salvador Royales film `` Mundo Man ay Magunaw '' as Jennifer la Pena . 1 +This is the formal style of serving and eating meals practiced in Zen temples . This is the formal style of serving and dining meals practiced in Zen Temples . 1 +June 22 , 2012 Decree of Russian President Titov appointed Vladimir Putin authorized under the President of the Russian Federation to protect the rights of entrepreneurs . 22 June 2012 Russian President Vladimir Putin 's decree appointed Titov under the president of Russia to protect the rights of entrepreneurs . 0 +Greenspace in Hernals is 59.6 % , of which Hernals covers the 3rd greenest district . Greenspace in Hernals is 59.6 % , by which Hernals covers the 3rd greenest district . 1 +When Peter Joseph Whelihan opened his second restaurant in Allentown in 1993 , he changed the name to P. J. Whelihan 's to honor his grandfather , Platzer . In 1993 , when Peter Joseph Whelihan opened his second restaurant in Allentown , he changed the name to P. J. Whelihan 's in honor of his grandfather , Platzer . 1 +Schwarzau im Gebirge is a town in the district of Lower Austria in the Austrian state of Neunkirchen . Schwarzau im Gebirge is a town in the Austrian province of Neunkirchen in the district of Lower Austria . 1 +They are overlaid with scarce , live played orchestral music and consist of vague , almost deliberately colourless sounds . They are overlaid with colour-free , live played music and consist of vague , almost deliberately sparse orchestral sounds . 0 +Britten returned to England in April 1942 . Soon after his return , he asked Montagu Slater to be his librettist for `` Peter Grimes '' . In April 1942 , Britten returned to England , and soon after returning he asked Montagu Slater to be his librettist for Peter Grimes . 1 +Cancellopollia gracilis is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Cancellopollia gracilis is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . 0 +InMoment 's GoRecommend product provides customers with a positive feedback outlet at the end of a social experience , then measures the effectiveness of this review or recommendation . At the end of a positive experience , InMoment 's GoRecommend product offers customers social feedback and then measures the effectiveness of this review or a recommendation . 0 +A proposed Mandovi River ( Mahadayi River ) water redirect and project of the hyroelectric power plant would result in immersion of some or all Gavali . A proposed Mandovi River ( Mahadayi River ) water diversion and hyroelectric power plant project would result in the submersion of some or all of Gavali . 1 +In 1781 , Virginia Governor Thomas Jefferson promoted Clark to brigadier general and gave him command of all the militia in the Kentucky and Illinois counties . In 1781 , Virginia governor Thomas Jefferson promoted Clark to brigadier general and gave him the orders for all militias in the counties of Kentucky and Illinois . 1 +He was appointed prosecuting attorney for Williams County in 1824 , for Seneca County in 1826 and for Sandusky County in 1827 . He was appointed accuser attorney in 1824 for Seneca County , Williams County in 1826 , and Sandusky County in 1827 . 0 +Navarro is a partido in the northeast of the province of Buenos Aires in Argentina . Navarro is a partido in the northeast of Argentina in Buenos Aires Province . 0 +In the reviews below will be the highest evaluation for the show in red , and the lowest rating for the show will be in blue episode . In the ratings below , the highest rating for the show will be in red , and the lowest rating for the show will be in blue episode . 1 +Nadia Lutfi ( born January 3 , 1938 in Paula Mohamed Mostafa Shafiq ) is a retired Egyptian actress . Paula Mohamed Mostafa Shafiq ( born Nadia Lutfi ; 3 January 1938 ) is a retired Egyptian actress . 0 +Its cultivation was introduced by Fernando Heydrich in 1880 in Cuba . In Cuba its cultivation was introduced in 1880 , by Fernando Heydrich in Matanzas . 0 +He finished two strokes behind Bubba Watson and Louis Oosthuizen and bemoaned his putting performance as the reason he did not win the tournament . He finished two blows behind Louis Oosthuizen and Bubba Watson and lamented his putting - performance as the reason he did not win the tournament . 1 +Massachusetts voted for Harry S. Truman in 1928 , for Al Smith four times in the 1930s and 1940s , and for Franklin D. Roosevelt in 1948 . In the 1930s and 1940s , he was elected for Al Smith in 1928 , four times for Franklin D. Roosevelt and in 1948 for Harry S. Truman . 0 +The Cabot Trail - Episode was filmed on site in Cape Breton , including Peggys Cove and the highlands of Nova Scotia , along the east coast . The East Coast episode was filmed on site in Nova Scotia , including Peggys Cove and the highlands of Cape Breton , along the Cabot Trail . 0 +Until the advent of pornographic video technology , the mass production of electronic and digital films was tied directly to the mainstream film industry . The mass production of electronic and digital films was linked directly to the established film industry until the advent of pornographic video technology . 1 +During its presence at DTM the Audi V8 competed with much smaller and about lighter Mercedes 190 , BMW M3 , and slightly smaller Opel Omega 3000 . The Audi V8 competed with much smaller and lighter Mercedes 190 , BMW M3 and somewhat smaller Opel Omega 3000 during its DTM presence . 1 +Lovey and Dude Romeo of Green Bay Wisconsin have appeared extensively online and in YouTube videos Puli PrayingOriginally from Pittsburgh Pennsylvania . Lovey and Dude Romeo from Pittsburgh Pennsylvania have published extensively online and in YouTube - Videos Puli PrayingOriginally by Green Bay Wisconsin . 0 +Bilinsky also claims that Dmytro is a father of Daniil Ostrogski who is also known as `` Danylo Dmytrovych '' . Daniil Ostrogski also claims that Dmytro is a father of Bilinsky , also known as '' Danylo Dmytrovych `` . 0 +Ahmet Delia became active early during the Serb war of resistance against the invading Albanian army in 1912 . Ahmet Delia became early active during the Albanian war of resistance against the invading Serbian army in 1912 . 0 +Vempati Chinna Satyam ( October 15 , 1929 -- July 29 , 2012 ) was an Indian dancer and a guru of the Kuchipudi dance form . Vempati Chinna Satyam ( 15 October 1929 -- 29 July 2012 ) was a Kuchipudi dancer and a guru of Indian dance . 0 +Martins Pena was born in Rio de Janeiro , to João Martins Pena and Francisca de Paula Julieta Pena . Martins Pena was born in Rio de Janeiro to Pena João Martins and Francisca de Paula Julieta Pena . 1 +She married Sir Edward Hulton , son of Sir Edward George Hulton Warris , 1st Baronet . She married Sir Edward George Hulton Warris , son of Sir Edward Hulton , 1st Baronet . 0 +Alexander Baumgartner ( born June 27 , 1841 in Luxembourg , Germany ; died 1910 in St. Gallen , Switzerland ) was a poet and writer on the history of literature . Alexander Baumgartner ( born June 27 , 1841 in St. Gallen , Switzerland ; died in 1910 in Luxembourg ) was a poet and writer on the history of literature . 0 +In 1960 , Kennedy ran for Treasurer and Receiver-General of Massachusetts . He finished third in the Democratic primary behind John T. Driscoll and Patrick F. McDonough . In 1960 , John T. Driscoll and Patrick F. McDonough ran for Treasurer and Receiver - General of Massachusetts , he was third in the democratic primary behind Kennedy . 0 +After returning to Paramaribo in 1954 , he settled in Surinam as a lawyer . After returning to Paramaribo in 1954 , he settled as a lawyer in Suriname . 1 +In 1781 , Virginia Governor Thomas Jefferson promoted Clark to brigadier general and gave him command of all the militia in the Kentucky and Illinois counties . In 1781 , Illinois governor Thomas Jefferson promoted Clark to brigadier general and gave him command of the entire militia in the counties of Kentucky and Virginia . 0 +Nadia Lutfi ( born January 3 , 1938 in Paula Mohamed Mostafa Shafiq ) is a retired Egyptian actress . Nadia Lutfi ( born Paula Mohamed Mostafa Shafiq ; 3 January 1938 ) is a retired Egyptian actress . 1 +His best positions in the competition were in tenth in 1960 and 1968 in eighth place . His best positions in the competition were eighth in 1960 , and in 1968 tenth . 0 +Michael Jackson , Prince and Madonna , however , were influenced on the album . Madonna , Prince and Michael Jackson , however , were influenced on the album . 1 +Kapp and MCA were the labels that Cher had more success with in the seventies and remained with them until 1974 . Kapp and MCA were the labels with which Cher had more success in the seventies and she remained with them until 1974 . 1 +Other difficulties included James Newton Howard 's decision to change composers from Howard Shore to Peter Jackson seven weeks before the film opened . Other difficulties included James Newton Howard 's decision to switch Howard Shore composers to Peter Jackson seven weeks before the change of film . 0 +Many of the demons in Solomon 's encounters are Greek , Christian , Jewish , Egyptian , Arab , and other traditions . Many of the demons in Solomon 's encounters are of Greek , Egyptian , Jewish , Christian , Arabic , and other traditions . 1 +The single was announced on October 31 , 2015 , and was published on November 13 , 2015 . The single was published on October 31 , 2015 and was announced on November 13 , 2015 . 0 +The `` Astrud '' track on Gilberto 's album `` Time and Tide '' from 1987 is a tribute to Basia Trzetrzelewska . The `` Astrud '' track on Basia Trzetrzelewska 's 1987 album , `` Time and Tide '' , is a tribute to Gilberto . 0 +3 October : Phil Tufnell defeated James Hewitt ( winning Dart Double 1 ) 3 October : Phil Tufnell beat James Hewitt ( winning dart double 1 ) 1 +Clovis Kalyebara was born in the `` Kabarole District '' , Kichwamba Sub County , in the village of Harugongo , Western Uganda . Clovis Kalyebara was born in `` Kabarole District '' , Kichwamba Sub County , in Harugongo Village , Western Uganda . 1 +There are a number of modern variations that make up the modern Suikinkutsu `` , and the list below shows some of the possibilities for traditional '' Suikinkutsu `` . There are a number of modern variations that form the modern `` suikinkutsu '' . The list below shows some of the possibilities for traditional `` suikinkutsu '' . 1 +During his campaign , he debated McCain twice , once in Tucson and once in Flagstaff . During his election campaign , he debated McCain twice , once in Tucson , and once in Flagstaff . 1 +He has collaborated with contemporary architects such as Francesco Grimaldi , Bartolomeo Picchiatti and Giovan Giacomo Di Conforto . He has collaborated with contemporary architects such as Giovan Giacomo Di Conforto , Bartolomeo Picchiatti and Francesco Grimaldi . 1 +In July 2017 , Nate DiMeo was the subject of an episode `` The Memory Palace '' with Elmer McCurdy . In July 2017 , Nate DiMeo was the subject of an episode of `` The Memory Palace '' with Elmer McCurdy . 1 +McMillan spent two years in the Royal Medical Corp. at Didcot -- and later at Tidworth , where he ran an MRS for soldiers injured in the Korean War . For two years , McMillan spent at the Royal Medical Corp. in Didcot -- and later in Tidworth , where he run an MRS for soldiers injured in the Korean War . 1 +`` Shatterer '' was distributed on June 13 , 1987 in Japan , where it was published by Toho . `` Shatterer '' was released in Japan on 13 June 1987 where it was distributed by Toho . 0 +Don Driggs was born in 1907 in Driggs , Idaho , to Junius , who founded the city , and May Jerusha Robison . Junius was born in Driggs , Idaho , in 1907 to Don Carlos Driggs who founded the town , and May Jerusha Robison . 0 +Huyghe was born in 1962 in Paris , he lives and works in Chile and New York . Huyghe was born in Paris in 1962 and lives and works in Chile and New York . 1 +In the summer of 1924 he went to Smackover in South - Arkansas to work on the oil boom in an office in Norphlet near Union County . In the summer of 1924 , he went to Union County in south Arkansas to work in the oil boom in an office at Norphlet near Smackover . 0 +`` Dream '' was performed in 1961 at the Royal Opera House in Covent Garden , produced by John Gielgud and directed by Georg Solti . `` Dream '' was performed at the Royal Opera House , Covent Garden , in 1961 , conducted by John Gielgud and produced by Georg Solti . 0 +At that time , the owner of the country was Leslie Vernon Calcutt , and he agreed to a 99-year lease with Mr Johnson . The owner of the land at that time was Mr Leslie Vernon Calcutt , and he agreed a 99-year lease with Mr Johnson . 1 +The ships of the Siegfried class were overall long and long on the waterline . The ships of the `` Siegfried '' class were long at the waterline and long overall . 0 +In Alcamo the 12 verses are sung in this way : one is alternated , the other said . In Alcamo the 12 verses are alternated in this way : one is sung , the other said . 0 +Worcester is a town and county city of Worcestershire in England . Worcestershire is a town and county city of Worcester in England . 0 +It is home to three very limited areas in Santa Cruz , Monterey Peninsula and San Luis Obispo Counties . It is native to three very limited areas located in Santa Cruz , Monterey Peninsula , and San Luis Obispo Counties . 1 +This requires continuous monitoring of actual partial pressures with time and for maximum effectiveness requires real-time computer processing by the diver 's decompression computer . This requires continuous monitoring of the actual partial pressures over time and requires real-time computer processing by the diver 's decompression computer for the maximum effectiveness . 1 +He also donated $ 34,000 to Ted Cruz and US $ 7,000 to Mitt Romney , including his 2016 presidential campaign . He also donated $ 34,000 to Mitt Romney and $ 7,000 to Ted Cruz , including his 2016 presidential campaign . 0 +Hoppkorv was the last album of the American blues - Rock - Band Hot Tuna and their seventh studio album for Grunt Records , as Grunt BFL1-1920 . Hoppkorv was the seventh album by the American blues rock band Hot Tuna , and their last studio album recorded for Grunt Records , as Grunt BFL1-1920 . 0 +While performing producer , Richard Jasek , commented that Mason `` is a good boy '' who has a bad heart . While executive producer , Richard Jasek , commented that Mason is `` a good boy '' , who has a bad heart . 1 +The official Indonesian representative in Rome was established in March 1952 , while in October 1952 the Italian Republic established its official representative in Jakarta . Indonesian official representative in Jakarta was established in March 1952 , while the Italian Republic had established its official representative in Rome on October 1952 . 0 +The compound was patented by Dr. Patrick Page and his team , and was invented in 2007 by Genkyotex . The preparation was patented by Dr. Patrick Page and his team and invented by Genkyotex in 2007 . 1 +Students are served by Peyton School District 23JT in the Peyton area and by Falcon School District 49 in the Colorado Springs area and nearby areas of Falcon . The students are served by the Peyton School District 23JT in the Peyton area and the Falcon School District 49 in the Colorado Springs area and the nearby areas of Falcon . 1 +The `` case '' was used for the last time in 1949 in East Germany , 1966 in West Germany . The `` Fallbeil '' was used for the last time in West Germany in 1949 , in East Germany in 1966 . 0 +Doris , Dūris , or Dûris , approximately Duris and also known by its French spelling Douris , is a village located formally . approximately Doris , Duris , or Dûris , about Duris and also known by its French spelling Douris , is a village formally located . 1 +A CD with themes from 14 of his films was released in 2008 by Philip Powers and produced by 1M1 records . A CD of themes from 14 of his films was produced in 2008 by Philip Powers and published by 1M1 Records . 0 +Before its independence , Imperial Russia was an autonomous grand duchy inside Finland . Imperial Russia was an autonomous Grand Duchy before its independence within Finland . 1 +In 2011 he also published the biography of singer Madonna entitled `` Mad for Madonna , Queen of Pop '' , wrote Castelvecchi Publisher . In 2011 he also wrote the biography of the singer Madonna entitled `` Mad for Madonna The Queen of Pop '' , Castelvecchi publisher published . 0 +Worcestershire is a city and county town of Worcester , England . Worcester is a city and county town of Worcestershire in England . 0 +Schliemann cleared five shafts and recognized them as the graves mentioned by Pausanias . Schliemann cleared five shafts and recognized them as the graves mentioned by Pausania . 1 +On July 29 , 1791 , Sarah married Lea Thomas Wright Hill ( 1765 -- 1842 ) at St. Martin 's Church in Birmingham and had 8 children . Sarah Lea married Thomas Wright Hill ( 1765 -- 1842 ) on 29 July , 1791 , at St Martin 's Church , Birmingham and had 8 children . 1 +David Cardinal Beaton was Lord Chancellor of Scotland at the time of his death , Archbishop of St. Andrews and Cardinal Legate of Scotland . At the time of his death , David Cardinal Beaton was Lord Chancellor of St Andrews , Archbishop of Scotland , and Cardinal Legate of Scotland . 0 +Eucalyptus Stock Exchange , commonly known as Bald Island Marlock or small Yate , is a bushy tree or mallee native to the southern coast of Western Australia . Eucalyptus conferruminata , commonly known as Bald Island marlock or small yate , is a bushy tree or mallee native to the south coast of Western Australia . 0 +1i Productions is an American board game publisher . It was founded in 2004 by Colin Byrne , William and Jenna . It was founded in 2004 by Colin Byrne , William and Jenna and is an American board game publisher . 1 +This station is part of the LaSalle Street Station Metra line , running between Joliet and the Rock Island District in the Chicago Loop . This station is part of the Rock Island District Metra line that runs between Joliet and the LaSalle Street Station in the Chicago Loop . 0 +The preparation was invented by Dr. Patrick Page and his team and patented by Genkyotex in 2007 . The compound was patented by Dr. Patrick Page and his team , and was invented in 2007 by Genkyotex . 0 +Gyula is named after the medieval Hungarian ruler Gyula III , who was also a title among the Hungarian tribes and was still a popular first name for boys . Gyula is named after the Hungarian ruler Gyula III . Gyula was still a title among the Medieval Hungarian tribes and also a popular given name for boys . 0 +Where `` G '' Newton 's quantum indicates and the Formula 4 is the constant state of the material fields . Where `` G '' is Newton 's constant and formula _ 4 indicates the quantum state of the matter fields . 0 +In the reviews below will be the lowest rating for the show in red , and the highest rating for the show will be in blue sequence . In the reviews below will be the highest evaluation for the show in red , and the lowest rating for the show will be in blue episode . 0 +The third line of the last verse was changed during the reign of Alexander I of Yugoslavia to Kralja Aleksandra , Bože hrani . The last line of the third verse was changed to `` Kralja Aleksandra , Bože hrani , '' during the reign of Alexander I of Yugoslavia . 0 +1i Productions is an American board game publisher . It was founded in 2004 by Jenna , William and Colin Byrne . 1i Productions is an American board game , founded by Jenna , William and Colin Byrne in 2004 . 0 +After the death of Muaviyah , Ali came to power and established a dynasty . Muawiyah came to power after the death of Ali and established a dynasty . 0 +Although the Village of Friendship Heights is not an established municipality , it was established in 1914 as a special tax district . Although not an established municipality , the Village of Friendship Heights was incorporated as a Special Tax District in 1914 . 1 +In 2009 , Coolidge took on a dramatic role in `` as Genevieve McDonagh . In 2009 , Coolidge took a dramatic role in `` as Genevieve McDonagh . 1 +Similar demands for punishment were expressed by historian Nicolae Iorga and by the poet and fascist politician Octavian Goga . Similar demands for punishment were expressed by the historian Octavian Goga and by the poet and fascist politician Nicolae Iorga . 0 +In 2014 , the site launched iOS and Android applications for product search , product features include live - video - product - reviews with interactive questions and answers - sessions . In 2014 launched the site iOS and Android - applications for product search , product features include interactive video - product - reviews with live - questions and answers - sessions . 0 +He was the cousin of Czech national team player Miroslav Hlinka and the son of former player Jaroslav Hlinka sr . He was the cousin of Czech national player Jaroslav Hlinka and the son of former player Miroslav Hlinka sr . 0 +Whereas '' e `` the magnetic charge of the particle and A is the electric vector potential of the electromagnetic field . Where `` e '' is the electric charge of the particle and A the magnetic vector potential of the electromagnetic field . 0 +She was born in Cochabamba , Bolivia . In the 1990 's , she moved to Los Angeles and later to Mexico City . She was born in Cochabamba , Bolivia , and moved to Mexico City in the 1990s and later to Los Angeles . 0 +They were there for us to pray , and they were there to enjoy us . They were there for us to enjoy and they were there for us to pray . 1 +Bonnie Bedelia Culkin ( born March 25 , 1948 in Bonnie Bedelia ) is an American American actress . Bonnie Bedelia ( born Bonnie Bedelia Culkin , March 25 , 1948 ) is an American actress . 0 +Beginning in 1830 , James was influenced by the abolitionism of some members of the American Colonization Society ( ACS ) and writings by Arthur Tappan . Arthur Tappan was influenced from 1830 by the abolitionism of some members of the American Colonization Society ( ACS ) and writings by James . 0 +The next version was created in 1986 by Ron 's brother Robert Fuller . The next release was created in 1986 by Robert Fuller 's brother Ron . 0 +Katz was born in 1947 in Sweden and moved to New York City at the age of 1 years . Katz was born in New York City in 1947 and moved to Sweden at the age of 1 . 0 +Sahib Khan was born in the Tiwana family of Shahpur , son of Ahmad Yar Khan . Sahib Khan was born into the Tiwana family of Shahpur , the son of Ahmad Yar Khan . 1 +In 2010 , another woman became a Pritzker Prize winner , Ryue Nishizawa from Japan , in partnership with Kazuyo Sejima . In 2010 , another woman Pritzker Prize winner , Ryue Nishizawa from Japan , was in partnership with Kazuyo Sejima . 1 +With a primary listing on the Nigerian stock exchange , it is the first African company to have a cross-border , internal listing on the Johannesburg Stock Exchange . With a primary listing on the Nigerian Stock Exchange , it 's the first African company to have a cross-border inward listing on the Johannesburg Stock Exchange . 1 +After ferrying reinforcements from North Africa , she sailed to Oran on 18th August to prepare for the invasion of Italy itself , for which she returned on 5th September . After promoting reinforcements from North Africa , she returned to Oran on August 18 to prepare for the invasion of Italy , for which she sailed on September 5 . 0 +The private Claiborne Academy is located in unincorporated Haynesville , near Claiborne Parish . The private Claiborne Academy is located in Haynesville , near the Parish Claiborne . 1 +Following the 1939 , invasion of Poland by Nazi Germany and the Soviet Union , Osterwa became active in the underground education but also was ill . Following the invasion of Poland by Nazi - Germany and the Soviet Union in 1939 , Osterwa became active in underground education , but was also sick . 1 +The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Henan in eastern Zhoukou : The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Zhoukou in eastern Henan : 0 +Bradd Crellin also represented BARLA Great Britain on a tour of Australia on a tour of Australia with 6 other players representing Cumbria . Bradd Crellin represented BARLA Great Britain on a tour of Australia with 6 other players representing Cumbria , also on a tour of Australia . 1 +The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Zhoukou in eastern Henan : The administrative region of Chenzhou in the Tang dynasty is under the administration of modern Henan in eastern Zhoukou : 0 +He was trained by Dale Romans and ridden in his most important races by jockey John Velazquez . He was trained by Dale Romans and was ridden by Jockey John Velazquez in his most important race . 1 +In 284 BC , King Qi met King Zhao of Qin in western Zhou to form an alliance against Xi . In 284 BCE , King Xi met with King Zhao of Qin in western Zhou to form an alliance against Qi . 0 +In 2009 he moved back to Philadelphia and lives today in New York City . In 2009 he moved back to New York City and today lives in Philadelphia . 0 +On April 4 , 1892 , the second ship , `` Missouri , delivered 2,500 tons of grain and corn flowers to Liepaja . The second ship , `` Missouri '' , delivered 2,500 tons of grain and corn flower to Liepaja on April 4 , 1892 . 1 +Peter Burgess is married to Karen Lieve Ria Hostens , cooperation delegate to the International Committee of the Red Cross , and father of three children . Ria Hostens is married to J. Peter Burgess , cooperation delegate of the International Committee of the Red Cross , and father to three children . 0 +In August 2017 , Aluri Chakrapani joined the team to supposedly play the role of producer Prakash Raj . Aluri Chakrapani also joined the team in August 2017 , to allegedly play the role of producer Prakash Raj . 1 +This is followed by Dallas Frazier 's `` True Love Travels on a Gravel Road '' and Chuck Jackson 's 1962 hit , `` Any Day Now '' . This is followed by Chuck Jackson `` True Love Travels on a Gravel Road '' and Dallas Frazier of 1962 - Hit `` Any Day Now '' . 0 +He lives in Maribor and Ljubljana , Slovenia , and directs in Slovenia and Croatia . He directs in Maribor and Ljubljana , Slovenia and lives mostly in Slovenia and Croatia . 0 +Mark Allen won the final 1 -- 0 ( 104 -- 0 ) against Martin Gould . Mark Allen won the final against Martin Gould with 1 : 0 ( 104 -- 0 ) . 1 +The abandoned methodist chapel is one of the few brick buildings in Upsall . The built methodist chapel is one of the few brick buildings in Upsall . 0 +Land Basie Land is a 1964 studio album of Billy Byers and his orchestra , composed and arranged by Count Basie . Basie Land is a 1964 studio album by Count Basie and his orchestra , of music composed and arranged by Billy Byers . 0 +The film Stars Jembie Almazan as Mary , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Alex . The film stars Jembie Almazan as Maria , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Alex . 1 +After short fighting , Sultan Mohammad Khan Hari Singh Nalwa forced to evacuate the city . After brief fighting Sultan Mohammad Khan forced Hari Singh Nalwa to evacuate the city . 0 +At the age of 19 she moved to Stockholm , where she moved to New York in 2011 . At the age of 19 she moved to New York , 2011 to Stockholm . 0 +Taylor remained active in baseball until his death as a scout for the Atlanta Braves and Milwaukee and Chicago White Sox . Taylor remained active until his death as a scout for the Chicago White Sox and the Milwaukee and Atlanta Braves in the baseball . 1 +The port of Tubarão is a port at Espírito Santo , near the city of Vitória in Brazil . The port of Tubarão is a port in Brazil , near the city of Vitória in the Espírito Santo . 0 +Madu Kalas is a village and union council of Jhelum Tehsil in the Punjab Province of Pakistan . It is part of Jhelum District . Madu Kalas is a village and union council of Jhelum Tehsil in Pakistan 's Punjab province and is part of the Jhelum district . 1 +On February 20 , 1959 , Prime Minister John Diefenbaker terminated the project and the five dismantled Arrows were completed . On February 20 , 1959 , Prime Minister John Diefenbaker finished the project and the five dismantled arrows were completed . 1 +Tarang P. Amin was replaced by Joey Shamah , who has been appointed as president , chief executive officer and director of E.l.f . Tarang P. Amin has been replaced by Joey Shamah , who is President , Chief Executive Officer and Director of E.l.f . 1 +During his election campaign , he twice debated McCain , once in Tucson , and once in Flagstaff . During his campaign , he debated McCain twice , once in the flagstaff , and once in Tucson . 1 +In the south end , Cook Pond , also formerly known as South Watuppa Pond , is located east of the Laurel Lake and west of the Taunton River . Cook Pond , also formerly known as Laurel Lake , is located south east of the Taunton River and west of the South Watuppa Pond . 0 +The most commonly used animal fiber is wool harvested from sheep . For hand knitting and hobby knitting , thick , wool and acrylic yarns are frequently spun . The most frequently spun animal fibre is wool harvested from sheep . For hand knitting and hobby knitting , thick wool and acrylic yarns are often used . 0 +His postmodernist history of Australian philosophy , `` Corrupting the Youth '' ( 2003 ) , praised the Australian realistic tradition in philosophy and attacked polemical and relativist currents . His polemical history of Australian philosophy , `` Corrupting the Youth '' ( 2003 ) , praised the Australian realist tradition in philosophy and attacked postmodernist and relativist trends . 0 +Shirley Jones was offered the role of Laurey , who went to Joanne Woodward ( who had previously performed in a stage production by Oklahoma ! ) . Joanne Woodward was offered the role of Laurey , who went to Shirley Jones ( who had previously performed in a stage production by Oklahoma ! ) . 0 +Retzius was born in Stockholm , the son of anatomist Anders Jahan Retzius ( and grandson of the naturalist and chemist Anders Retzius ) . Retzius was born in Stockholm , the son of anatomist Anders Retzius ( and grandson of the naturalist and chemist Anders Jahan Retzius ) . 0 +For example , Cerberus is expressed in the anterior visceral endoderm in amphibians and in mice in the anterior dorsal endoderm . For example , in amphibians Cerberus is expressed in the anterior visceral endoderm and in mice it is expressed in the anterior dorsal endoderm . 1 +On December 7 , 2017 NVIDIA officially announced the Nvidia TITAN V . The NVIDIA TITAN V was officially announced by Nvidia on 7 December 2017 . 1 +To become Slovak , however , Derek must defeat a vampire assassin . In order to defeat Slovak , however , Derek must become a vampire attacker . 0 +It was bought in 1834 by C. R. Gregory in the monastery of Saba and saw by Robert Curzon in 1883 . It was bought in 1834 by Robert Curzon in the monastery of Saba and saw in 1883 by C. R. Gregory . 0 +Until the advent of electronic and digital video technology , the mass production of pornographic films was tied directly to the mainstream film industry . Until the advent of electronic and digital video technology , the mass production of pornographic films was directly tied to the main film industry . 1 +Malet married Mary Aldworth , the widow of John Aldworth by Letcombe Regis , Berkshire and daughter of Thomas White of Fyfield Berkshire until 1664 . Malet married Mary Aldworth , the widow of Thomas White of Letcombe Regis , Berkshire and daughter of John Aldworth by Fyfield Berkshire until 1664 . 0 +`` Taunton Castle '' was at Penang on 1 August and Rio de Janeiro on 31 October . `` Taunton Castle '' was in Penang on August 1 and on October 31 in Rio de Janeiro . 1 +The Lost Boys is a docudrama miniseries produced by the BBC in 1978 , written by Rodney Bennett and directed by Andrew Birkin . The Lost Boys is a docudrama miniseries produced by the BBC in 1978 , written by Andrew Birkin and directed by Rodney Bennett . 0 +The Jamestown Windmill is a smock mill in Weeden Lane within the Windmill Hill Historic District on North Road north of Jamestown , Rhode Island . The Jamestown Windmill is a smock mill in Jamestown , Rhode Island , in the Windmill Hill Historic District on North Road north of Weeden Lane . 0 +This festival also gives participants the opportunity to renew hopes and divide them with tradition , in an area harmoniously shared by Tamils from both countries . This festival also gives the participants an opportunity to renew hopes and share with tradition , in an area shared harmoniously by Tamils from both countries . 1 +His father died during his youth and his mother , Catherine A. Fagan , in 1842 married Samuel Adams , who became Governor of Arkansas two years later . His father died in his youth , and his mother , Catherine A. Fagan , married Samuel Adams in 1842 , who two years later became the governor of Arkansas . 1 +Anderson was born in Oakland , California in 1943 and is from Redondo Beach , California . Anderson was born in Redondo Beach , California in 1943 , and comes from Oakland , California . 0 +The medals were presented by Barbara Kendall , IOC member , New Zealand and Carlo Croce , President of World Sailing . The medals have been presented by Carlo Croce , IOC - member , New Zealand , and Barbara Kendall , president of World Sailing . 1 +It is also possible to run malicious code containing desktop files ( which are used to run applications ) . It is also possible to launch malicious code containing . desktop files ( which are used to run applications ) . 1 +The above examples for the possessive theme `` -m '' were for the first person singular . The above examples for the possessive theme `` -m '' were singular to the first person . 1 +In 1781 , Illinois - Governor Thomas Jefferson Clark promoted Brigadier General and gave him command of the entire militia in the counties of Kentucky and Virginia . In 1781 , Virginia promoted governor Thomas Jefferson Clark to the brigadier general and gave him the order of all militia in the counties of Kentucky and Illinois . 0 +Their children were Barbara , who married Deirdre Howley , Gladys Eisenstadt , Ira Eisenstadt , who married Herbert Cohen and Ellen Eisenstadt , married Marvin Eisenstadt . Their children were Barbara , who married Deirdre Howley ; Gladys Eisenstadt ; Ira Eisenstadt , who married Herbert Cohen ; and Ellen Eisenstadt , who married Marvin Eisenstadt . 1 +Its status as a satellite town of Kuala Lumpur is linked to its location in the heart of the Klang Valley in Malaysia . Its status as a satellite town of Klang Valley is tied to its location in the heart of Kuala Lumpur in Malaysia . 0 +In contrast , a gross '' profit can be assigned or otherwise transferred by its owner . By contrast , a profit `` in gross '' can be transferred or otherwise assigned by its owner . 0 +The Swiss pioneer John Sutter ( 1803 - 1880 ) arrived in Alta California in August 1839 together with other euro-American settlers . The American pioneer John Sutter ( 1803 -- 1880 ) arrived in Alta California with other Euro-Swiss settlers in August 1839 . 0 +The wrestler then jumps around and swings forward to fall backwards and drop the opponent 's head into the mat . The wrestler then jumps around and swings forward to fall back and let the opponent 's head drop into the mat . 1 +Oliver Goldsmith , the grandfather of the poet , playwright and writer Robert Goldsmith , was , according to Prior , the first of the family to settle in Ballyoughter . According to Prior , Oliver Goldsmith the grandfather of the poet , playwright and novelist Robert Goldsmith was the first of the family to settle at Ballyoughter . 1 +III . Mary , married April 26 , 1646 , Claude Simon Brancion , daughter of Beaufort , Lord of S. Quentin whom he had . Mary , married on April 26 , 1646 , Claude Simon Brancion , daughter of Beaufort , Lord of S. Quentin , whom he had . 1 +While the exclusion of African players was not a written rule , since 1933 no black American had played in the National Football League . While the exclusion of black players was not a written rule , no African-American had played in the National Football League since 1933 . 0 +David David Hayes Prophater served as announcer , and Jeff Scott led the audience in an A cappella singing . David Hayes Prophater served as the announcer and Jeff Scott led the audience in a cappella singing . 1 +Worcestershire is a town and county city of Worcester in England . Worcestershire is a city and county town of Worcester in England . 1 +Mats Wilander defeats Anders Järryd , 6 -- 4 , 3 - 6 , 7 -- 5 . Anders Järryd def . Mats Wilander , 6 -- 4 , 3 -- 6 , 7 -- 5 0 +In May , Spencer McLaren arrived as Kieran Fletcher , a love interest for the established character Sally Fletcher ( Kate Ritchie ) . In May , Spencer McLaren arrived as Kieran Fletcher , a love interest for established character Sally Fletcher ( Kate Ritchie ) . 1 +It was replaced by the Classic 80 's Alternative channel on Sirius Radio 1st Wave . It was replaced by the alternative 80 ' ; s Classic - Channel on Sirius Radio 1st Wave . 0 +All productions are designed by Graham Spicer and written by Carlo Orlandi . All our productions are written by Graham Spicer and designed by Carlo Orlandi . 0 +The island is rocky with steep sides and has very little soil . The island is rocky with steep sides and has little soil . 1 +The recent biographer of David I. Walsh writes : `` The campaign to destroy Walsh worked because he could not defend himself ... David I. Walsh was gay . Walsh 's most recent biographer writes that `` The campaign to destroy David I. Walsh worked because he could not defend himself ... David I. Walsh was gay . '' 0 +His father , Patrick Byrne , was a delegate , senator and lord mayor of Dublin , another brother Alfie Byrne was also TD . His father Alfie Byrne was an MP , TD , Senator and Lord Mayor of Dublin . Another brother Patrick Byrne was also a TD . 0 +`` Around the World in 80 Minutes '' with Robert E. Sherwood , is a 1931 American Pre-Code documentary film directed by Douglas Fairbanks and written by Douglas Fairbanks and Victor Fleming . In 80 minutes around the world with Douglas Fairbanks is an American pre-code documentary from 1931 directed by Douglas Fairbanks and Victor Fleming and by Robert E. Sherwood . 0 +Sammy Downs was born in the native community of his mother , Effie , in Rapides Parish , south of Avoyelles Parish . Sammy Downs was himself born in his mother 's native community of Effie in Avoyelles Parish , south of Rapides Parish . 0 +Emma Townshend is represented by David Godwin at DGA Associates . Emma Townshend is represented by David Godwin at the DGA Associates . 1 +Premalignant lesions are morphologically atypical tissue that appears abnormal in microscopic examination and in which cancer is more likely to occur than its seemingly normal counterpart . Premalignant lesions are apparently a typical tissue , which appears abnormal in microscopic examinations and in which cancer is more likely than its morphologically normal counterpart . 0 +Two services daily operate on the Dearne Valley line to York and Sheffield . Two lines operate on the Dearne Valley Line daily to York and Sheffield . 1 +He also helped establish meditation centers throughout Europe as well as in northern , central and south America . He also helped to establish meditation centers throughout North , Central and South America as well as in Europe . 0 +Within five days , this cold air mass stretched from the southern marianas to the northern Philippine islands . Within five days , this cold air mass extended from the southern Philippine Islands to the northern Marianas . 0 +Alaja , , is a small populated place in Balkan Province in western Turkmenistan on the Caspian Sea . Alaja , is a small populated place in the Balkan province in western Turkmenistan on the Caspian Sea . 1 +Pennmakkal is a 1966 Indian Malayalam film directed by J. Sasikumar , produced by KP Kottarakkara . Pennmakkal is an Indian Malayalam film from 1966 , produced by J. Sasikumar and directed by KP Kottarakkara . 0 +Where `` G '' is Newton 's constant and formula _ 4 indicates the quantum state of the matter fields . Whereas '' G `` Newton 's quantum indicates and the Formula 4 is the constant state of matter fields . 0 +Captain Cassin died in Washington , D.C . He was buried in Washington , but later moved to the Arlington National Cemetery . Captain Cassin died in Washington , D.C.. He was buried in Washington , but later moved to Arlington National Cemetery . 1 +The normalization factor makes the integral over all space of the square of the absolute value equal to 1 . The normalization factor makes the integral equal to 1 over the entire space of the square of the absolute value . 1 +In Scottish football , semi-professional teams are performing below the Scottish premiership at all levels , with most teams below the Scottish championship being semi-professional . In semi-professional football , Scottish teams appear below the Scottish premiership at all levels , with most of the teams below the Scottish championship being semi-professional . 0 +The younger brother of Thompson , Julia , was born in Charles Martin Hall , Geauga County , Ohio in 1863 . Thompson 's younger brother , Julia , was born in 1863 in Charles Martin Hall , Geauga County , Ohio . 1 +Lieutenant Robert Ramsey commissioned them for the North Sea in May 1805 , and Lieutenant John Gedge replaced him in 1806 . Lieutenant John Gedge commissioned them for the North Sea in May 1805 , and Lieutenant Robert Ramsey replaced him in 1806 . 0 +Like many ethnic communities in Uganda , including the Langi , Acholi , and Alur , the Luo do not practice the ritual circumcision of males as initiation . Like many ethnic communities in Uganda , including the Langi , Acholi and Alur , the Luo do not practice the ritual circumcision of males as an initiation . 1 +In July 2016 , she appeared as Joseph Conrad in `` The Secret Agent '' , based on the same novel by Winnie Verloc . In July 2016 , she appeared as Joseph Conrad in `` The Secret Agent '' , based on the eponymous novel by Winnie Verloc . 1 +Buccinum pulchellum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Buccinum pulchellum is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true well horn screws . 0 +Brenda Schultz defeated Irina Spîrlea 6 -- 4 , 1 -- 6 , 7 -- 6 . Brenda Schultz defeated Irina Spîrlea with 6 -- 4 , 1 -- 6 , 7 -- 6 . 1 +The Keita dynasty ruled Mali from the 12th to the early 17th century , pre-imperial and imperial . The Keita dynasty ruled Mali from the early 17th to the 12th century , pre-imperial and imperial . 0 +E is first class merit and An is the second merit : Chinese means E is friendly , On is luck and peaceful . E is first class merit and An is the second merit ; Chinese meant E is friendly , An is luck and peaceful . 1 +There are about 90,000 Catholics in Guyana-around 12 % of the total population , the lowest of any South American nation . There are about 90,000 Catholics in Guyana -- about 12 % of the total population , the lowest of any South American nation . 1 +She won three medals at national level with the senior citizen - relay team at the International Athletics Competitions . She won three medals , to senior level , with the national relay team at the International athletics competitions . 0 +Obstruent gradation is a grammatical process that affects Estonian consonant consonants at the end of the stressed syllable of a word . Obstruent gradation is a grammatical process that affects the Estonian consonants at the end of the emphasized syllable of a word . 1 +On 29 November 1171 , Gonzalo signed for the first time a certificate as the Gonzalo Ruiz de Bureba `` . On 29 November 1171 , Gonzalo Ruiz de Bureba signed a charter as `` Gonzalo '' for the first time . 0 +Thornwood Common is a village on the B1393 road , in the civil parish of North Weald Bassett and the Epping Forest district of Essex , England . Thornwood Common is a village on the B1393 road , in the commune of North Weald Bassett and the Epping Forest district of Essex , England . 1 +The racial makeup of the village was 98.8 % White , 0.6 % Native American , 0.2 % Asian , and 0.4 % from two or more races . The racial constitution of the village was 98.8 % white , 0.6 % Asian , 0.2 % Native American and 0.4 % of two or more races . 0 +The Continental League was the last serious attempt to create a third large league of new clubs . The Continental League was the last serious attempt to create a new league consisting of third major clubs . 0 +On September 17 , Arreola will perform at the Staples Center in Los Angeles , California , against Alfonso Gomez at the undercard of Juan Sandoval vs. Saul Alvarez . On September 17 , Arreola will face Alfonso Gomez on the undercard of Juan Sandoval vs. Saul Alvarez at the Staples Center in Los Angeles , California . 1 +Siemens AG was the main contractor , with Fiat Ferroviaria and ADtranz as subcontractors . The main contractor was Siemens AG with Fiat Ferroviaria and ADtranz as subcontractor . 1 +Ungarala Rambabu is a Telugu film , written and managed by Paruchuri Kiriti and produced by Kranthi Madhav . Ungarala Rambabu is a Telugu film , written and staged by Kranthi Madhav and produced by Paruchuri Kiriti . 0 +Malet married Mary Aldworth , widow of John Aldworth of Letcombe Regis , Berkshire and daughter of Thomas White of Fyfield Berkshire by 1664 . Malet married Mary Aldworth , the widow of John Aldworth by Letcombe Regis , Berkshire and daughter of Thomas White of Fyfield Berkshire until 1664 . 1 +The Houston Main Building ( HMB ) formerly the Prudential Building , was a skyscraper in the Texas Medical Center , Houston , Texas . The Prudential Building ( HMB ) , formerly the Houston Main Building , was a skyscraper at the Texas Medical Center , Houston , Texas . 0 +ACVM is based in Glasgow and has offices in Edinburgh , Aberdeen , Newcastle , Manchester and Milton Keynes . ACVM is located in Glasgow and has offices in Edinburgh , Aberdeen , Newcastle , Manchester and Milton Keynes . 1 +Diboll and G. A. Chamblin of New Orleans were the architects and Owen of Mobile was the contractor . The architects were Diboll and Owen of New Orleans , and G. A. Chamblin from Mobile was the contractor . 0 +These were common in the United Kingdom , but relatively rare in Europe , at least for large locomotives . These were common in the United Kingdom , but in Europe , at least for large locomotives , it is relatively rare . 1 +In 2018 Farrell was appointed as the new Bishop of Ossory by Pope Francis . In 2018 , Farrell was appointed by Pope Francis as a new bishop of Ossory . 1 +Rıza Maksut İşman ( 1915 in İzmir -- December 30 , 2004 , in Istanbul ) was a Turkish athlete . Rıza Maksut Isman ( 1915 in Izmir -- December 30 , 2004 , Istanbul ) was a Turkish athlete . 1 +The township includes nine cemeteries : Kelley , Owens , Calvertville , Goodwin , Bucher , Snyder , Stalcup , Wall and Walnut Grove . The township contains nine cemeteries : Kelley , Owens , Calvertville , Goodwin , Bucher , Snyder , Stalcup , Wall and Walnut Grove . 1 +Categories I , II , IV and V are controlled `` uncontrolled '' and Category III is '' indicates '' . Categories I , II , IV and V are controlled `` uncontrolled '' and category III is `` termed '' . 1 +It serves the south-eastern Edithvale suburb of Melbourne opening on September 20 , 1919 . It serves the south-eastern Edithvale suburb of Melbourne opening on 20 September 1919 . 1 +A multiverse is the collection of alternate universes , with a similar nature and a universal hierarchy . A multiverse is a collection of alternative universes with similar nature and a universal hierarchy . 1 +However , in order to defeat Slovak , Derek must become a vampire assassin . However , in order to defeat Slovak , Derek must become a vampire attacker . 1 +Michael Kelly Smith was previously in an early version of the Philadelphia band Tony Destra until his release and later Cinderella also played with them . Michael Kelly Smith was previously until his dismissal in an early version of the Philadelphia - band Cinderella and later Tony Destra played with them as well . 0 +The species was first formally described by the botanist Stephan Endlicher in 1846 as part of the work `` Irideae Plantae Preissianae '' by Johann Georg Christian Lehmann . The species was first formally described by the botanist Stephan Endlicher in 1846 as part of Johann Georg Christian Lehmann 's work `` Irideae . Plantae Preissianae '' . 1 +In 1955 , the Anglican parish was merged with another , and the Church of the Holy Trinity on Prince Consort Road became the new parish church . In 1955 the new parish was merged with another , and the Church of the Holy Trinity on the Prince Consort Road became the Anglican parish church . 0 +Born in Vancouver , British Columbia , she grew up in the neighboring city of North Vancouver . Born in Vancouver , British Columbia , she grew up in the neighboring town of North Vancouver . 1 +He eventually made , in `` Western Republican '' , one of the first botanical collections published in Ohio by a professional botanist . He eventually made , in the `` Western Republican '' , one of the first botanical collections published in Ohio by a professional botanist . 1 +In the ratings below , the highest rating for the show will be in red , and the lowest rating for the show will be in blue episode . In the reviews below will be the lowest rating for the show in red , and the highest rating for the show will be in blue sequence . 0 +Cancellopollia gracilis is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Cancellopollia gracilis is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . 1 +Following the death of Ali , Muawiyah came to power and established a dynasty . Ali came to power after the death of Muawiyah and established a dynasty . 0 +In 1953 , Timothy Detudamo died after a long illness , and was replaced by Raymond Gadabu as a head chief . In 1953 Raymond Gadabu died after a long illness , and was succeeded as Head Chief by Timothy Detudamo . 0 +Malcolm Fraser , who had defeated Whitlam in a landslide at the federal election in December 1975 , offered Egerton the knighthood to serve the trade union movement . Whitlam , who had defeated Malcolm Fraser in a landslide at the December 1975 federal election , offered the knighthood to Egerton for service to the trade union movement . 0 +Baron Audley 's first wife was Joan Mortimer , daughter of Roger Mortimer . James 2nd Baron Audley 's first wife was Joan Mortimer , daughter of Roger Mortimer . 1 +Previous secretaries were John MacKay , who received an MBE for Scottish Horticulture services , Alison Murison , Tom Mabbott , and Dr. John MacLennan . Previous secretaries include Alison Murison , Tom Mabbott , who received an MBE for services to Scottish Horticulture , John MacLennan , and Dr. John MacKay . 0 +Then he moved to Switzerland and later to Italy , where he met with Shelley and Byron . Later he moved to Switzerland and then to Italy , where he met Shelley and Byron . 0 +João Martins Pena and Francisca de Paula Julieta Pena was born in Rio de Janeiro , to Martins Pena . João Martins Pena and Francisca de Paula Julieta Pena was born in Rio de Janeiro to Pena Martins . 1 +Sher Ahmed Akhundzada ( also known as Sher Mohammed Akhundzada ) is a tribal leader who from 2001 to 2005 was Governor of Helmand in Afghanistan . Sher Mohammed Akhundzada ( also known as Sher Ahmed Akhundzada ) is a tribal leader who was the governor of Helmand in Afghanistan from 2001 to 2005 . 1 +Emily Ann Morelli ( born March 27 , 1984 in Emily Ann Lloyd ) is an American American actress . Emily Ann Lloyd ( born Emily Ann Morelli on March 27 , 1984 ) is an American actress . 0 +Although not an established municipality , the Village of Friendship Heights was incorporated as a Special Tax District in 1914 . Although the Village of Friendship Heights is not an established community , it was incorporated in 1914 as a special tax district . 0 +McNair retired in 1884 and died in 1885 . He is buried in Lakewood Cemetery in Minneapolis . He died in 1884 and retired in 1885 , buried in Lakewood Cemetery in Minneapolis . 0 +When Jack Nitzsche first heard `` Stubborn Kind of Fellow '' he was so excited he lost control of his car while driving down Sunset Boulevard with Phil Spector . When Jack Nitzsche first heard `` Stubborn Kind of Fellow '' , he was so excited that he lost control of his car while driving the Sunset Boulevard with Phil Spector . 1 +He has played professionally in Italy , Russia , Greece , France , Indonesia , and Greece , winning national championships in Puerto Rico , Portugal , and Indonesia . He has played professionally in Greece , Russia , Italy , France , Puerto Rico , Portugal , and Indonesia , winning national championships in Indonesia and Greece . 0 +Hoppkorv was the seventh album of the American blues - Rock - Band Hot Tuna and their last studio album for Grunt Records recorded as Grunt BFL1-1920 . Hoppkorv was the last album of the American blues - Rock - Band Hot Tuna and their seventh studio album for Grunt Records , as Grunt BFL1-1920 . 0 +In November 1973 , Roger Sunny cut off the track with Roger Greenaway , while Chris Gunning provided and conducted the arrangement . Sunny provided the track in November 1973 with Roger Greenaway producing while Chris Gunning cut the arrangement and conducted . 0 +Apollonia corresponds to modern Sozopol , in Bulgaria , and Selymbria is Silivri , on the Marmara coast . Apollonia corresponds to the modern Sozopol in Bulgaria , and Selymbria is Silivri on the Marmara coast . 1 +An international independent group of experts examined the impact of the accident and concluded that no one was killed or poisoned as a result of the accident . An international independent group of experts studied the impact of the accident and concluded that no one was poisoned or killed as a result of the accident . 1 +Birkenhead Wharf is close to the Birkenhead Point Factory Outlet Centre and next to Iron Cove Bridge , which is about a minute 's walk away . Birkenhead Wharf is located adjacent to the Iron Cove Bridge and close to Birkenhead Point Factory Outlet Centre , which is about a minute walk away . 0 +The guitar was mastered by Bettencourt and Chris Gehringer played it at the Sterling Sound Studios in New York City . Bettencourt played the guitar and was mastered by Chris Gehringer at the Sterling Sound Studios in New York City . 0 +Martin Damm and Radek Štěpánek won against Jonas Björkman and Fabrice Santoro in the finals 6 : 2 , 6 : 4 . Jonas Björkman and Fabrice Santoro won against Martin Damm and Radek Štěpánek in the finals with 6-2 , 6-4 . 0 +At the age of 19 she moved to Stockholm , where she moved to New York in 2011 . She moved to New York at the age of 19 , and moved to Stockholm in 2011 . 0 +The Sydney Water Board had taken over the water supply for Sydney from the City Council in 1888 . In 1888 , the city council took over the water supply for Sydney from the Sydney Water Board . 0 +Massé was born in Holland , Michigan , grew up in Westchester County , New York , and lived during her youth in Europe . Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived in Europe during her teenage years . 0 +In 1991 before 1995 he was a master ( together with Dzhigarkhanyan Armen ) acting course at VGIK , he taught at GITIS . In 1991 before 1995 he taught a master ( together with Armen Dzhigarkhanyan ) acting course at VGIK , he was at GITIS . 0 +So , God performed special poojas and offered his prayers to Malayadhwaja Pandian . Thus , Malayadhwaja Pandian performed special poojas and offered to God his prayers . 0 +Antonio finished third in the 2009 Asia Continental Chess Championship and became the first player in the Philippines ' history to qualify for the World Cup later in 2009 . In Asia - Continental - Chess - Championship 2009 , he finished first and became the third player in the history of the Philippines to qualify for the 2009 World Cup in 2009 . 0 +While the 33d Fighter Group was inactive , it was consolidated as 33d Tactical Fighter Group with the 33d Tactical Group . While the 33d Fighter Group was inactive , it was consolidated with the 33d Tactical Group as the 33d Tactical Fighter Group . 1 +The 1932 Swedish Ice Hockey Championship won the 11th season of the Swedish Ice Hockey Championship , the national championship of Sweden . Hammarby IF was the championship . The Swedish ice hockey championship in 1932 was the 11th season of the Swedish ice hockey championship , Sweden 's national championship , and Hammarby IF won the championship . 0 +`` Angel Eyes '' is a 1946 popular song composed by Earl Brent , with lyrics by Matt Dennis . `` Angel Eyes '' is a popular song of 1946 , composed by Earl Brent , with texts by Matt Dennis . 1 +`` Shatterer '' was published on June 13 , 1987 in Japan , where it was distributed by Toho . `` Shatterer '' was distributed in Japan on 13 June 1987 where it was released by Toho . 0 +This ignited the first of four wars he was supposed to lead against Carthage . This ignited the first of four wars he was to lead against Carthage . 1 +These sites are considered marginal to poor habitats , with ratings of 56 and 96 respectively . These regions are considered poor to marginal habitats , with ratings of 56 and 96 respectively . 0 +It is bordered by Sheshequin Township to the east , Rome Township to the east and south , Athens Township to the south , and Windham Township to the west . It is limited by Sheshequin Township to the east , Rome Township to the east and south , Athens Township to the south and Windham Township to the West . 1 +The 2007 championship took place between 21 and 28 January in Spokane , Washington , in the Spokane Arena and the Spokane Convention Center . The 2007 Championships took place between January 21 and 28 in Spokane , Washington in the Spokane Convention Center and the Spokane Arena . 1 +It is found in North America , where it has been recorded from Newfoundland and Labrador west to British Columbia , north to Alaska and the Yukon . It is found in North America , where it has been recorded from Newfoundland and Labrador to the west to British Columbia , north to Alaska and the Yukon . 1 +A third radio version was played by the BBC with Wilton as Beth and the author Duff in May 2008 . A third radio version was broadcast by the BBC in May 2008 with Wilton as Duff and the author who plays Beth . 0 +Celestin III became the center of a new and stricter branch of the Cistercian order , approved by Fiore in 1198 . Fiore became the center of a new and stricter branch of the Cistercian order , approved by Celestine III in 1198 . 0 +A biblical doom is , in its most negative sense , a formal blessing . A biblical doom is , in its most formal sense , a negative blessing . 0 +It is also worth noting that the following code would work without ADL ( it will be applied anyway to it ) . It is also worth noting that the following code would work without ADL ( it is anyway applied to it ) . 1 +They achieved some success , playing live shows in Melbourne , Geelong and Shepparton . They achieved some success by playing live shows in Shepparton , Geelong and Melbourne . 1 +The number of fires reported at the beginning of February was 73 with 26 out of control and expected time to control in order to be another month of fires . The number of reported fires in early February was at 73 with 26 out of control , and expected time to control to be another month of fires . 1 +The music hall was first imported from Paris to London in 1862 and became enormously popular , with dancers , singers , acrobats , animals trained with sorcerers . The music hall was first imported from London to Paris in 1862 and became enormously popular with dancers , singers , acrobats and wizards trained animals . 0 +Their music is considered by many as an alternative metal with rap metal and industrial metal influences , which according to previous interviews call themselves '' murder - rock `` . Their music is considered by many as industrial metal with rap metal and alternative metal influences . According to previous interviews , they consider themselves `` murder rock '' . 0 +The cast is focused mainly on alternative music and indie music . The cast is focused mainly on indie - music and alternative music . 1 +Melodie Crittenden left the group in 2004 to pursue a solo career , and for most of 2005 Nicol sang with the group . Melodie Crittenden left the group in 2004 to follow a solo career , and for most of the year 2005 Nicol sang with . 1 +Ganj Basoda is a town in the Indian state of Madhya Pradesh near Udaipur . Ganj Basoda is a city in the Indian state of Madhya Pradesh near Udaipur . 1 +After the war , he played twice for the Royal Navy against the Army , in 1948 and 1949 , and against Cambridge University in 1949 . After the war , he played twice for the Royal Navy against the army , in 1948 and in 1949 , and against Cambridge University in 1949 . 1 +Superstar Jackie Shroff 's driver Alok Nath was not able to do his job so he was replaced by his son Deepak ( Rahul Roy ) . Alok Nath , the driver of superstar Jackie Shroff , was not able to do his job so that he was replaced by his son Deepak ( Rahul Roy ) . 1 +After the stop in Schüptitz had been discontinued in 2011 , it was restored after civil protests in 2012 . After the stop in Schüptitz was restored in 2011 , it had been discontinued after citizens protests in 2012 . 0 +After the wedding in his hometown Sakarya the couple flew to Barcelona , Spain . After the wedding ceremony in his hometown Sakarya , the couple flew to Barcelona , Spain . 1 +Yes , Pauline says , but Frannie is still suspicious . Frannie says yes , but Pauline is still suspicious . 0 +Celestin III became the center of a new and stricter branch of the Cistercian order , approved by Fiore in 1198 . Fiore became the center of a new and stricter branch of the Cistercian order , the 1198 by Celestine III . 0 +The historic Rubber Bowl was used by the National Guard of the United States as a base during the racial Wooster Avenue Riots of 1968 . The racial Rubber Bowl was used by the National Guard of the United States as a base during the historical Wooster Avenue Riots of 1968 . 0 +Fanwood is located in the 22nd Congressional District and is part of New Jersey 's 12th state legislative district . Fanwood is located in the 12th Congressional District and is part of the 22nd State Legislative District in New Jersey . 0 +The ninth season became Comedy Central 's second highest rated program . The ninth season became the second highest rated Comedy Central program . 1 +Cabbage looper populations in North America migrate from Canada to Mexico , depending on the seasons . Depending on the seasons , cabbage populations in North America migrate from Mexico to Canada . 0 +AleX is an Italian television series . The series was produced by Giorgio Schottler , Guglielmo Duccoli and Alfredo Castelli and written by Videotime . The Italian television series AleX was produced by Giorgio Schottler , Guglielmo Duccoli and Alfredo Castelli and written by videotime . 1 +Lieutenant Robert Ramsey commissioned her to the North Sea in May 1805 , and Lieutenant John Gedge replaced him in 1806 . Lieutenant John Gedge commissioned her in May 1805 for the North Sea . Lieutenant Robert Ramsey replaced him in 1806 . 0 +Nozomu Sasaki is pronounced by Mackie in Japanese and by Frank Trimble in English in the original series . Mackie is voiced by Nozomu Sasaki in Japanese and Frank Trimble in English in the original series . 0 +In Sri Lanka , the title of an accountant ( CA Sri Lanka ) can only be used by members of the Institute of Accountants in Sri Lanka . In CA , the title of the accountant ( Sri Lanka Sri Lanka ) can only be used by members of the Institute of Accountants in Sri Lanka . 0 +The loveland occupied the second floor as its mercantile and the first floor served as a Masonic temple . The loveland occupied the first floor as its mercantile and the second floor served as a Masonic temple . 0 +He was survived by his wife , Viola , the daughter Carol Ober and four grandchildren . He was survived by his wife Carol Ober , his daughter Viola and four grandchildren . 0 +The Porte de Vincennes is located where the southeast corner of the 20th arrondissement meets the north-east corner of the 12th arrondissement of Paris . The Porte de Vincennes is located where the north-eastern corner of the 12th arrondissement meets the south-eastern corner of the 20th arrondissement of Paris . 0 +The play was published in 1631 under the subtitle `` The School of Complement '' in a Quarto printed by Elizabeth Allde for bookseller Francis Constable . The piece was printed in 1631 under the subtitle `` The School of Complement '' in a Quarto published by Elizabeth Allde for bookseller Francis Constable . 0 +After the mid 1970s , he turned to seemingly traditional landscapes and deconstructed the conventions of romantic painting . After the mid 1970s he turned to seemingly traditional landscapes , deconstructing the conventions of romantic painting . 1 +During Vietnam war , the Triad was eliminated in the South but in the North . The Triad was eliminated in the north during the Vietnam War , but in the south . 0 +Erginus galkini is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . Erginus galkini is a species of sea snail , a true limpet , a marine gastropodemollusk in the Lottiidae family , one of the families of the true limpets . 1 +The aggregate division 1 junior winners are presented with the James Delahunt Cup . The winners of Junior Division 1 are presented with the James Delahunt Cup . 0 +Robert Goldsborough was born in Chicago on October 3 , 1937 , as the son of Robert Vincent Goldsborough and Wilma ( Janak ) Goldsborough architect . Vincent Goldsborough was born in Chicago on October 3 , 1937 , the son of architect Robert Goldsborough and Wilma ( Janak ) Goldsborough . 0 +It is also the fifth tallest building in Russia , the sixth tallest in Europe and one of the 90 supertall skyscrapers in the world . It is also the sixth highest building in Russia , the fifth highest in Europe and one of the 90 Supertall skyscrapers in the world . 0 +Next Iyer appeared in Kannada - movie `` Darshan '' with the actor Jaggu Dada . Iyer next appeared in the Kannada film `` Darshan '' with actor Jaggu Dada . 1 +The port of Tubarão is a port in Brazil , near the city of Vitória in the Espírito Santo . The Port of Tubarão is a port in Espírito Santo , near the city of Vitória in Brazil . 0 +The breed standard describes the dog as having a strong temperament and sharp individuality , distrustful of strangers . The breed standard describes the dog as a strong temperament and a sharp individuality , distrustful of strangers . 1 +This incident was later celebrated and is now celebrated in Egypt as the National Police Day on 25 January every year . This incident was later celebrated and is now commemorated in Egypt on 25 January of every year as National Police Day . 0 +The first Foreman of Signals course was in 1951 and the 86th and 87th courses are the current running course . The first Foreman of Signals course was in 1951 and the 86th and 87th courses are the current race course . 1 +He was born in Brooklyn , New York , died in Tiburon , California . He was born in Tiburon , California , and died in Brooklyn , New York . 0 +Jose b. Hanina was ordained as a Rabbi by his own Rabbi -- Yochanan bar Nafcha . Rabbi was ordained a Rabbi by his own Jose B. Hanina and Yochanan bar Nafcha . 0 +The Neajlov River is a tributary of the Neajlovel River in Romania . The river Neajlov is a tributary of the River Neajlovel in Romania . 1 +Also the groups '' Air `` , Howie B , Mars IV , Les Négresses Vertes and FFF and Manu Chao attended the album . Cassius , the groups `` Air '' , Howie B , Mars IV , Les Négresses Vertes and FFF , and Manu Chao also participated in the album . 1 +Megan Young of China PR crowned her successor Yu Wenxia of the Philippines at the end of the event . At the end of the event , Yu Wenxia of the VR China crowned her successor Megan Young of the Philippines . 0 +As a small composer in the French school , he made outstanding contributions to Impressionist church music as a conductor . A minor composer in the French school , as a conductor he made outstanding contributions to Impressionist church music . 1 +Octavius Warre Malet 's second daughter , Alice Anna Catherine , married Thomas on 24 June 1852 at the British Consulate , Cologne . Thomas Anne 's second daughter , Alice Anna Catherine , married Octavius Warre Malet in the British Consulate in Cologne on 24 June 1852 . 0 +When Platzer opened his second restaurant in Allentown in 1993 , he changed the name to P. J. Whelihan 's to honor his grandfather , Peter Joseph Whelihan . In 1993 , when Platzer opened his second restaurant in Allentown , he changed the name to P. J. Whelihan 's in honor of his grandfather , Peter Joseph Whelihan . 1 +Recommends written financial contracts with reliable witnesses , although there is a dispute about equality of female witness . Recommends written financial contracts with reliable witnesses , although there is dispute about equality of female testimony . 1 +Cher and MCA were the labels with which Kapp had more success in the 1970s and remained with them until 1974 . Cher and MCA were the labels with which Kapp had more success in the seventies and she remained with them until 1974 . 1 +Tom Tom drives to Tuscany and confronts William and Hélène with the news that Marianne told him . Tom goes to Tuscany and confronts William and Marianne with the news that Hélène told him . 0 +In 1924 he was an invited spokesperson for the ICM in Toronto , in 1932 in Zurich and in Oslo in 1936 . He was an Invited Speaker of the ICM in Toronto in 1924 , in 1932 in Zurich , and in 1936 in Oslo . 1 +His large sculptures can be seen in public spaces in Wanaka , from New Zealand to Kaitaia and many localities in between . His large sculptures can be seen in public spaces in New Zealand , from Kaitaia to Wanaka and many places in between . 0 +Many major league players spent time with the team , including seven-year old Veteran Jack Remsen and ten-year old veteran John Kerins . Many major league players spent time with the team , including seven-year veteran John Kerins and ten-year veteran Jack Remsen . 0 +The Loyang team defeated the Raffles Institution in the opening round and the Xinmin Secondary School in the quarter-finals before losing to the Hwa Chong Institution in the semi-finals . The Loyang team defeated the Xinmin Secondary School in the opening round and the Raffles Institution in the quarter-finals before losing to the Hwa Chong Institution in the semi-finals . 0 +At the time of his death , David was Cardinal Beaton Lord Chancellor of St. Andrews , Archbishop of Scotland , and Cardinal Legate of Scotland . David Cardinal Beaton was Lord Chancellor of Scotland , Archbishop of St. Andrews and Cardinal Legate of Scotland at the time of his death . 0 +Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Kuwait of the Al Ahmadi Governorate in southern Abu Halifa District . Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Abu Halifa district of Al Ahmadi governorate in southern Kuwait . 0 +Upstream of the inflow of Big Flat Brook , the brook is known as Little Flat Brook . Upstream of the inflow of Little Flat Brook , the stream is known as Big Flat Brook . 0 +The forewings are dirty straw yellow with three dark point in the form of a triangle . The forewings are dirty straw dark with three yellow tips in the form of a triangle . 0 +In the summer of 1924 he went to Smackover in South - Arkansas to work on the oil boom in an office in Norphlet near Union County . In the summer of 1924 he went to Union County in southern Arkansas to work in an office in Norphlet near Smackover in the oil boom . 0 +KPN belongs to the Dutch telecommunications group Simyo , after acquisition of the remainder of E-Plus on March 14 . Following the acquisition of the remainder of E-Plus on 14 March , Simyo belongs to the Dutch telecommunications group KPN . 0 +For the scenes in Connecticut the filming took place in Cape Town , South Africa . Filming took place in Cape Town , South Africa for the scenes set in Connecticut . 1 +Mabvuku High School , is a secondary school in the Harare , Zimbabwe , suburb of Mabvuku . Mabvuku High School , is a high school in the Mabvuku suburb of Harare , Zimbabwe . 0 +The completed fence is located mainly in New Mexico , Arizona and California , with the construction in Texas . The completed fence is mainly in New Mexico , Arizona , and California , with construction underway in Texas . 1 +Madison District Public Schools is a school district serving the south end of Greater Detroit in Madison Heights , Michigan . Madison District Public Schools is a school district to the south of Greater Detroit in Madison Heights , Michigan . 1 +Northamptonshire was a county constituency in North Northamptonshire , represented at the House of Commons of the United Kingdom Parliament . Northamptonshire was a county constituency in North Northamptonshire , represented in the House of Commons of the Parliament of the United Kingdom . 1 +It has been found in California , Arizona , Nevada and Utah , where it was recorded from North America . It is found in California , Arizona , Nevada and Utah , where it has been recorded from North America . 1 +On June 13 , 1987 , `` Shatterer '' was distributed to Japan , where it was released by Toho . `` Shatterer '' was published on 13 June 1987 in Japan , where it was distributed by Toho . 0 +Heydarov speaks Azerbaijani , English , Russian and Turkish . Heydarov speaks Russian , English , Azerbaijani , Turkish . 1 +The 2007 Championships took place between January 21 and 28 in Spokane , Washington in the Spokane Arena and the Spokane Convention Center . The 2007 championships took place between January 21 and 28 in Spokane , Washington , at the Spokane Convention Center and the Spokane Arena . 1 +It traveled from San Francisco , California to Manhattan , New York . It has traveled from San Francisco , California to Manhattan , New York . 1 +The Khan advanced with an escort , Tsitsianov rode with two other men and was shot dead . The Khan rode out with an escort , Tsitsianov moved with two other men and was shot dead . 0 +The fastest was Nico Rosberg , ahead of Williams ' ; Valtteri Bottas and Lewis Hamilton . Nico Rosberg was fastest , ahead of Williams ' Valtteri Bottas and Lewis Hamilton . 1 +Daniil Ostrogski also claims that Dmytro is a father of Bilinsky who is also known as `` Danylo Dmytrovych '' . Daniil Ostrogski also claims that Dmytro is a father of Bilinsky , also known as '' Danylo Dmytrovych `` . 1 +Robert Goldsborough was born October 3 , 1937 , in Chicago , the son of architect Robert Vincent Goldsborough and Wilma ( Janak ) Goldsborough . Vincent Goldsborough was born in Chicago on October 3 , 1937 , the son of architect Robert Goldsborough and Wilma ( Janak ) Goldsborough . 0 +He collaborated with contemporary architects such as Giovan Giacomo Di Conforto , Bartolomeo Picchiatti and Francesco Grimaldi . He has collaborated with contemporary architects such as Francesco Grimaldi , Bartolomeo Picchiatti and Giovan Giacomo Di Conforto . 1 +He recorded with Billy Eckstine 's band and played the Lionel Hampton band in 1946 . He recorded with Billy Eckstine 's band and in 1946 , he played with the Lionel Hampton band . 1 +It was replaced by the channel of alternative 80 's Classic on Sirius Radio 1st Wave . It was replaced by the Classic 80 's Alternative channel on Sirius Radio 1st Wave . 0 +According to the United States Census Bureau , the town has a total area of , of which is land and , or 33.45 % , is water . According to the United States Census Bureau , the city is a total surface area of which has land and or 33.45 % , is water . 1 +The studios , opened in 2008 , were designed by Martin Pilchner and supervised by chief engineer Zach Hancock . The studios , opened in 2008 , were designed by Zach Hancock and are maintained by chief engineer Martin Pilchner . 0 +Pennmakkal is a 1966 Indian Malayalam film , directed by J. Sasikumar and produced by KP Kottarakkara . Pennmakkal is a 1966 Indian Malayalam film directed by J. Sasikumar , produced by KP Kottarakkara . 1 +His children were Carolyn and Cynthia ( died 1970 ) , Brennan , Matt Pelosi , Laurence ( born 1971 ) and Andrew ( born 1981 ) . His children were Carolyn , Brennan , Matt Pelosi , Laurence ( d. 1970 ) , Andrew ( born 1971 ) and Cynthia ( born in 1981 ) . 0 +Mabvuku High School is a high school in the suburb of Mabvuku Harare in Zimbabwe . Mabvuku High School , is a high school in the Harare , Zimbabwe , suburb of Mabvuku . 0 +Although the Rugby - Union in Croatia was the main centre for sport in the former Yugoslavia - a lot of rugby was still being played in Slovenia . Although the Rugby - Union in Slovenia was the main centre for sport in the former Yugoslavia - a great deal of rugby was still played in Croatia . 0 +Three days Jesus spent in the belly of the fish , Jonas will spend three days in the grave . Jonah spent three days in the belly of the fish ; Jesus will spend three days in the grave . 0 +Vempati Chinna Satyam ( 15 October 1929 -- 29 July 2012 ) was a Kuchipudi dancer and a guru of Indian dance . Vempati Chinna Satyam ( October 15 , 1929 -- July 29 , 2012 ) was an Indian dancer and a guru of Kuchipudi - dance form . 0 +Hazel played the role of younger sister Alexandra Coppinger in the new TV series '' Dead Gorgeous '' . Alexandra Coppinger played the role of Hazel , the youngest sister , in the new TV series `` Dead Gorgeous '' . 0 +McCarthy was born in Auckland , but moved with his parents to San Francisco , California at the age of four . McCarthy was born in San Francisco , California , but moved to Auckland with his parents at age four . 0 +Clark had a son , Rishi , born on April 3 , 2007 . A Socks and Sandals EP on Microcosm Music was named for him , Rishi Saturn . Rishi had a son , Clark , born April 3 , 2007 . A Socks and Sandals EP on microcosmos - music was named for him , Rishi Saturn . 0 +There can be no progress towards the simultaneous development of individuals without the complete development of all humanity in the spirit of solidarity . Without the simultaneous development of the whole of humanity in a spirit of solidarity , there can be no progress towards the complete development of individuals . 0 +Thus , the oceanographic productivity of the area may change depending on biological conditions . Thus , the biological productivity of the area can change depending on oceanographic conditions . 0 +Decoupling protein 1 was cloned in 1978 and was first discovered in 1988 . Uncoupling protein 1 was discovered in 1978 and was first cloned in 1988 . 0 +Alfaro was the third woman sentenced to death in the gas chamber and , at the time of her sentencing , she was the first woman on death row in California . Alfaro was the third woman sentenced to death in the gas chamber , and at the time of sentencing , was the first woman on death row in California . 1 +The `` Astrud '' track on Basia Trzetrzelewska 's album `` Time and Tide '' from 1987 is a homage to Gilberto . The `` Astrud '' track on Gilberto 's album `` Time and Tide '' from 1987 is a tribute to Basia Trzetrzelewska . 0 +In 1964 , the diocese was nominally restored as titular see of the lowest ( episcopal ) rank . In 1964 , the diocese was nominally restored as a titular citizen of the lowest ( episcopal ) rank . 1 +Vempati Chinna Satyam ( 15 October 1929 - 29 July 2012 ) was an Indian dancer and guru of the Kuchipudi dance form . Vempati Chinna Satyam ( October 15 , 1929 -- July 29 , 2012 ) was a Kuchipudi dancer and a guru of the Indian dance form . 0 +Peter Burgess is married to Karen Lieve Ria Hostens , cooperation delegate to the International Committee of the Red Cross , and father of three children . Karen Lieve Ria Hostens is married to J. Peter Burgess , Cooperation Delegate for the International Committee of the Red Cross , and father to three children . 0 +In 1876 , he moved to San Diego , California , and in 1887 to Dallas , Texas . In 1876 , he moved to Dallas , Texas , and to San Diego , California in 1887 . 0 +The uvular ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents that sound . The consonantal ejective is a type of uvular sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is 0 +Malet married Mary Aldworth , the widow of Thomas White of Letcombe Regis , Berkshire and daughter of John Aldworth by Fyfield Berkshire until 1664 . Malet married Mary Aldworth , widow of John Aldworth of Letcombe Regis , Berkshire and daughter of Thomas White of Fyfield Berkshire by 1664 . 0 +The airline was established by Irelandia , which has also developed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . The airline was developed by Irelandia , which has also formed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . 0 +After medical treatment , Strozzi started taking private acting lessons from Josip Freudenreich , as recommended by Dimitrija Demeter . After medical treatment , Strozzi started private acting lessons with Josip Freudenreich , as recommended by Dimitrija Demeter . 1 +Martin Damm and Radek Štěpánek won against Jonas Björkman and Fabrice Santoro in the finals 6 : 2 , 6 : 4 . Jonas Björkman and Fabrice Santoro won in the final 6 - 2 , 6 - 4 , against Martin Damm and Radek Štěpánek . 0 +He played with the band of Lionel Hampton and in 1946 he recorded with the band Billy Eckstine . He recorded with the band of Billy Eckstine and in 1946 he played with Lionel Hampton . 0 +It was published by Angular Recording Corporation on January 28 , 2008 in the United Kingdom and Domino Records on 18 March 2008 in the United States . It was released on 28 January 2008 in the United States by Angular Recording Corporation and on 18 March 2008 in the United Kingdom through Domino Records . 0 +Oaklyn is located in the 1st Congressional District and is part of the 6th State Legislative District of New Jersey . Oaklyn is located in the 6th Congressional District and is part of the 1st State Legislative District in New Jersey . 0 +In order to show respect , the individuals support their left forearms with their right hand . In order to show respect , individuals support their left forearms with their right hand . 1 +Cai Mao also had a son , Cai Feng . Also Cai Mao had a son , Cai Feng . 1 +Michael Jackson , Prince and Madonna were , however , influences on the album . However , Michael Jackson , Prince , and Madonna were influences on the album . 1 +Qikiqtaaluk Region is one of the many uninhabited Canadian islands in Kudlago Island , Nunavut . Kudlago Island is one of the many uninhabited Canadian islands in Qikiqtaaluk Region , Nunavut . 0 +With Jean Coralli Achille Deveria drew Adèle Dumilâtre . Achille Deveria drew Adèle Dumilâtre with Jean Coralli . 1 +The facility was renovated in 1996 , and then was completed on 2011 . The facility was completed in 1996 and was then renovated in 2011 . 0 +He died of gastric cancer in Claremore , Oklahoma , New York City on June 30 , 1954 , and is home to Lynn Riggs Memorial . He died on June 30 , 1954 , of stomach cancer in New York City . Claremore , Oklahoma is home to the Lynn Riggs Memorial . 0 +James Henry Engley was born on April 5 , 1851 in Attleborough , Massachusetts , as the son of Eugene D. Engley and his wife , former Mary Kaley . James Henry Engley was born April 5 , 1851 in Attleborough , Massachusetts , the son of Eugene D. Engley and his wife , the former Mary Kaley . 1 +Born in Germany was born to Jewish parent , the son of Hedwig Ehrenberg and scientist Max Born . Born in Germany was born to Jewish parent , the son of Max Born and scientist Hedwig Ehrenberg . 0 +Cornelius Olatunji Adebayo is a former Senator of Nigeria , who became a state governor , and later was head of the Nigerian Federal Ministry of Communications . Cornelius Olatunji Adebayo is a former senator of Nigeria , who was governor and later became head of the Nigerian Federal Ministry of Communications . 1 +Maritsa Lazari was born in Cyprus in October 1943 and emigrated with her family to London , England at the age of 16 . Maritsa Lazari was born in London in October 1943 and has emigrated to Cyprus with her family at the age of 16 . 0 +Nine different architects contributed designs to the district , including Ottumwa Architect George M. Kerns , New York architect F.R . Nine different architects contributed designs to the district including New York City architect George M. Kerns , Ottumwa architect F.R . 0 +Mohnia blakei is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Mohnia blakei is a sea snail species , a true gastropod mollusk in the Buccinidae family , the navy whelks . 0 +He has professionally played in Italy , Russia , Greece , France , Indonesia and Greece and won national championships in Puerto Rico , Portugal and Indonesia . He played professionally in Greece , Russia , Italy , France , Puerto Rico , Portugal and Indonesia and won national championships in Indonesia and Greece . 0 +In the new TV-series '' Dead Gorgeous '' , Alexandra Coppinger played the role of the youngest sister Hazel . Alexandra Coppinger played the role of Hazel , the youngest sister , in the new TV series `` Dead Gorgeous '' . 1 +Fair Oaks is located between Sacramento and Folsom ( 38.651254 , -121.259279 ) . Sacramento is located at ( 38.651254 , -121.259279 ) , between Fair Oaks and Folsom . 0 +He was survived by his wife , the former Helen Tuthill Sisson , his sons Norman F. Boas and Donald P. Boas , and his daughter Barbara Crutchley . He was survived by his wife , former Barbara Crutchley , his sons Norman F. Boas and Donald P. Boas and his daughter , Helen Tuthill Sisson . 0 +Regulation is the second ordination of a cleric whose original ordination is questionable . Reordination is the second ordination of a cleric whose original ordination is questionable . 1 +Baldingen is a municipality in the district of Zurzach in canton of Aargau in Switzerland . It is located only 2 km south of the border with Germany . Baldingen is a municipality in the district of Zurzach in the canton of Aargau in Germany , located only 2 km south of the border with Switzerland . 0 +On June 3rd , 1961 , Emile Griffith lost to Gaspar , the bout would be his first shot at a World Championship . On June 3 , 1961 , Gaspar lost to Emile Griffith , the struggle would be his first shot at a World Championship . 0 +The Kanpur - Delhi section is a railway line connecting Kanpur Central and Delhi . The Kanpur - Kanpur Central and Delhi section is a railway line connecting Delhi . 0 +The reservoir was the first of two reservoirs in the Goyt Valley , the other was Errwood reservoir . The reservoir was the first of two reservoirs built in the Errwood Reservoir , the other being Goyt Valley . 0 +He worked together with contemporary architects such as Francesco Grimaldi , Bartolomeo Picchiatti and Giovan Giacomo Di Conforto . He has collaborated with contemporary architects such as Giovan Giacomo Di Conforto , Bartolomeo Picchiatti and Francesco Grimaldi . 1 +After medical treatment , Strozzi started taking private acting lessons from Dimitrija Demeter , as recommended by Josip Freudenreich . After medical treatment , Strozzi started private acting lessons with Josip Freudenreich , as recommended by Dimitrija Demeter . 0 +The school has well maintained classrooms and an intelligent faculty , most of the classes are good classes . The school has well maintained classrooms and smart faculty . Most of the classes are good classes . 1 +On December 19 , 2014 , Marlins Eovaldi , Garrett Jones , and Domingo Germán traded to Yankees for New York against Martín Prado and David Phelps . On December 19 , 2014 , the Marlins traded Eovaldi , Garrett Jones , and Domingo Germán to the New York Yankees for Martín Prado and David Phelps . 0 +The effective medium can be characterized by simple cross-sections of absorption and emission at frequencies of Formula 2 and Formula 3 . The effective medium can be characterized with simple cross-sections of absorption and emission at frequencies formula _ 2 and formula _ 3 . 1 +Nadège du Bospertus is a French model and former judge on `` Italia 's Next Top Model '' . She was the muse of Giorgio Armani and Gianni Versace . Nadège du Bospertus was a former model and French judge of `` Italia 's Next Top Model '' , the muse by Giorgio Armani and Gianni Versace . 0 +Since 1984 , Blake has been married to Patricia Meyer and has two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . Blake has been married to Patricia Meyer since 1984 and together they have two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . 1 +Armando Santiago ( born 18 June 1932 ) is a Canadian composer , conductor , music educator , and university administrator of Portuguese birth . Armando Santiago ( born June 18 , 1932 ) is a Canadian composer , conductor , music educator and university administrator of Portuguese descent . 1 +Brewarrina Shire comprises Brewarrina and the villages of Gongolgon , Angledool and Goodooga and the ghost town of Tarcoon . Brewarrina Shire and the villages of Gongolgon , Angledool , Goodooga and the ghost town of Tarcoon . 0 +Warren Haynes joined the touring and recording band by David Allan Coe in 1980 , when he was 20 years old . In 1980 , when he was 20 years old , David David Allan joined Warren Haynes ' touring and recording band . 0 +It is also possible to run malicious code containing . desktop files ( which are used to launch applications ) . It is also possible to run malicious code containing desktop files ( which are used to run applications ) . 0 +The most frequently spun animal fibre is wool harvested from sheep . For hand knitting and hobby knitting , thick wool and acrylic yarns are often used . The most commonly spun animal fiber is wool harvested from sheep . For hand knitting and hobby knitting , thick , wool and acrylic yarns are frequently used . 1 +Members included Eugène Schneider , Léon Talabot , Henri Barbet and Jules Hochet . Its members included Henri Barbet , Léon Talabot , Eugène Schneider , and Jules Hochet . 1 +She added that the rape occurred shortly after the said incident happened . She added that the rape happened shortly after the incident . 1 +After the stop in Schüptitz had been discontinued in 2011 , it was restored after citizens protests in 2012 . After the stop in Schüptitz had been discontinued in 2011 , it was restored after civil protests in 2012 . 1 +In April 1942 , Montagu Slater returned to England and asked Britten to be his librettist for `` Peter Grimes '' shortly after his return . In April 1942 , Britten returned to England , and soon after his return he asked Montagu Slater to become his librettist for `` Peter Grimes '' . 0 +An analysis comparing millions of RSA public keys gathered from the Internet was announced in 2012 by Augier , Hughes , Lenstra , Bos , Kleinjung , and Wachter . An analysis of millions of public RSA keys from the Internet was announced in 2012 by Augier , Hughes , Lenstra , Bos , Kleinjung and Wachter . 1 +Rakai is the headquarters of Uganda , which was the epicenter in the early 1980s and was the first to be affected by the AIDS epidemic in the Rakai district . Rakai is the headquarters of the Rakai district , which was the epicenter in the early 1980s and was first affected by the AIDS epidemic in Uganda . 0 +The singers in the band included Dorothy Crane , Walter Cummins , Betty Griffin , Jerry Lang ’ s brother Bernie and Scottee Marsh , who later sang with Tommy Dorsey . The band 's singers included Dorothy Crane , Jerry Lang , Betty Griffin , Bernies brother Walter Cummins , and Scottee Marsh , who later sang with Tommy Dorsey . 0 +However , Madonna , Prince , and Michael Jackson were influences on the album . Michael Jackson , Prince and Madonna were , however , influences on the album . 1 +`` 2 '' Benjamin Hough was married on August 29 , 1806 by Stephen Ford , Justice of Peace , in Jefferson County with Elizabeth Core . Benjamin Hough was to married Elizabeth Core on August 29 , 1806 , by Stephen Ford , justice of the Peace , in Jefferson County . 1 +Bayezid II married Gülbahar Hatun , who was the mother of Bayezid II. , Selim I , and nephew of Sitti Mükrime Hatun . Selim I married Gülbahar Hatun , who was the mother of Bayezid II 's successor , Bayezid II and nephew of Sitti Mükrime Hatun . 0 +Her work has also been linked to the Scottish school and the popular fiction of Annie S. Swan . Her work has also been linked to the Scottish kailyard school and the popular fiction of Annie S. Swan . 1 +He moved to San Diego , California in 1876 , and to Dallas , Texas in 1887 . In 1876 , he moved to Dallas , Texas , and to San Diego , California in 1887 . 0 +The Swiss pioneer John Sutter ( 1803 - 1880 ) arrived in Alta California in August 1839 together with other euro-American settlers . The Swiss pioneer John Sutter ( 1803 -- 1880 ) arrived in Alta California with other Euro-American settlers in August 1839 . 1 +The first Foreman of Signals course was in 1951 and the 86th and 87th courses are the current race course . The first Foreman of Signals course was in 1951 and the current courses are the 86th and 87th running of the track . 1 +She is the daughter of Henri Queffélec and sister of Yann Queffélec , both noted writers . She is the daughter of Yann Queffélec and a sister of Henri Queffélec , both well-known writers . 0 +Jesus spent three days in the belly of the fish ; Jonah will spend three days in the grave . Jesus spent three days in the belly of the fish , and Jonah would spend three days in the grave . 1 +Sacramento is located in ( 38.651254 , -121.259279 ) , between Fair Oaks and Folsom . Fair Oaks ( 38.651254 , -121.259279 ) is located between Sacramento and Folsom . 0 +In 1912 , Indian National Congress held its 27th session at Bankipore under the Presidency of Rao Bahadur Raghunath Narasinha Mudholkar from Amravati of Central Provinces and Berar . In 1912 , the Indian National Congress held its 27th session at Bankipore , under the presidency of Rao Bahadur Raghunath Narasinha Mudholkar from the central provinces of Amravati and Berar . 0 +In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a character is compared to Armstrong . A character in `` Detection Unlimited '' , a mystery novel written by Armstrong , is compared to Georgette Heyer . 0 +Fair Oaks ( 38.651254 , -121.259279 ) is located between Sacramento and Folsom . Sacramento is located between Fair Oaks and Folsom ( 38.651254 , -121.259279 ) . 0 +Robert Vincent Goldsborough was born October 3 , 1937 , in Chicago , the son of architect Robert Goldsborough and Wilma ( Janak ) Goldsborough . Vincent Goldsborough was born in Chicago on October 3 , 1937 , the son of architect Robert Goldsborough and Wilma ( Janak ) Goldsborough . 1 +The third line of the last verse was modified during the reign of Alexander I of Yugoslavia in `` Kralja Aleksandra , Bože hrani '' . The last line of the third verse was changed to `` Kralja Aleksandra , Bože hrani , '' during the reign of Alexander I of Yugoslavia . 0 +During that first year , Larco Hoyle received some advice from his uncle , Victor Larco Herrera , a founder of the same museum in Lima . During this first year , Larco Hoyle received some advice from his uncle , Victor Larco Herrera , founder of the same museum in Lima . 1 +He eventually made , in the `` Western Republican '' , one of the first botanical collections published in Ohio by a professional botanist . Finally , in the `` Western Republican '' , he published one of the first botanical collections to be made in Ohio by a professional botanist . 0 +They also published the 5th track on the album , `` Vices '' , as the second single from the album on June 13 . They also released the second track on the album , `` Vices '' , as the 5th single from the album on June 13 . 0 +The R205 road is a regional road in Ireland from the R199 road in County Cavan to the Northern Ireland border at County Leitrim , mostly in County Fermanagh . Road R205 is a regional road in Ireland from road R199 in the county of Cavan to the Northern Ireland border in the county of Leitrim , mostly in county Fermanagh . 1 +It was raised in 1943 -- in 1944 by the Germans and sunk twice by allied bombers and finally scrapped in 1946 -- in 1947 . She was raised by the Germans and sunk by Allied bombers twice in 1943 -- 1944 , and finally scrapped in 1946 -- 1947 . 1 +Hirasea goniobasis is a species of small air-breathable snail , a terrestrial pulmonate gastropod mollusk in the family Endodontidae . Hirasea goniobasis is a species of small air-breathing land snail , a terrestrial pulmonate gastropod mollusk in the family Endodontidae . 1 +He was born in Carter County , Tennessee and later moved to Arkansas . He was born in Carter County , Tennessee and moved to Arkansas later . 1 +`` Hymenaea stiginocarpa '' occurs in northern , central and eastern Paraguay and in Brazil . `` Hymenaea stiginocarpa '' comes in northern , central and eastern Paraguay and in Brazil . 1 +The Dubai Waterfront would form the first phase of the larger Arabian Canal . Arabian Canal would form the first phase of the larger Dubai Waterfront . 0 +Armando Santiago ( born June 18 , 1932 ) is a Portuguese composer , conductor , music educator and Canadian university administrator . Armando Santiago ( born June 18 , 1932 ) is a Canadian composer , conductor , music educator and university administrator of Portuguese descent . 0 +Elysia pusilla is a species of small sea snail , a marine gastropod mollusk in the Plakobranchidae family . Elysia pusilla is a species of marine sea slug , a small gastropod mollusk in the family Plakobranchidae . 0 +A week later he was transferred to the Polyclinic in the same city , where she was operated with heart and had recovered favorably . A week later he was transferred to the Polyclinic in the same city , where she was recovered from heart and operated favorably . 0 +The regiment lost 1 officer , 4 men captured or mortally wounded,12 men wounded and 65 men killed or missing . The regiment lost 1 officer and 4 men killed or fatally wounded , 1 officer and 12 men wounded and 1 officer and 65 men captured or missing . 0 +Mark Wiseman was the CEO of the Canada Pension Plan Investment Board . He was replaced by Mark Machin in June 2016 . Mark Wiseman was the CEO of the Canada Pension Plan Investment Board , which was replaced in June 2016 by Mark Machin . 1 +However , the mild version was skipped in favor of the original edition . The original version , however , was skipped in favor of the mild output . 0 +Luk or Loke is the Chinese romanization of several ( but not all ) Cantonese surnames that are romanized in Mandarin as Lu . Luk or Loke is the Cantonese romanization of several ( but not all ) Chinese surnames that are romanized as Lu in Mandarin . 0 +Over 12 million people live along the Melbourne -- Sydney rail corridor . Over 12 million people live along the Melbourne - Sydney rail corridor . 1 +Mandarin Chinese has discriminatory terms and certain euphemisms for specific races and ethnicities , and some racial slurs against representatives from different governments and backgrounds . Mandarin - Chinese has specific terms and racial euphemisms for different races and ethnicities , and some discriminatory attacks against representatives of certain governments and backgrounds . 0 +Towanda Creek is located in the southwestern Bradford County ( 41.655805 , -76.850706 ) , in the valley of Canton . Canton is located in southwestern Bradford County at ( 41.655805 , -76.850706 ) , in the valley of Towanda Creek . 0 +These three maternal dynasties governed the kingdom of Waalo with the paternal family Mbooj . These three paternal dynasties ruled the kingdom of Waalo with the Mbooj maternal family . 0 +Both the European version and the North American version are in English language . Both the North American version and the European version are in English . 1 +Michael Eric Reid ( Sinjin Van Cleef ) , another student at Hollywood Arts , falls into the jacuzzi , when a surfing machine malfunctions . Sinjin Van Cleef ( Michael Eric Reid ) , another student at Hollywood Arts , falls into the Jacuzzi when a surfing machine fails . 1 +She was the mother of Val , Boris and Rosalind Lorwin . Her daughter became a psychology professor . She became mother of Val , Boris and Rosalind Lorwin , her daughter was a psychology professor . 0 +Alexander Baumgartner ( born June 27 , 1841 in St. Gallen , Switzerland ; died in 1910 in Luxembourg ) was a poet and writer on the history of literature . Alexander Baumgartner ( born in St. Gall , Switzerland , 27 June 1841 ; died Luxembourg , 1910 ) was a poet and writer on the history of literature . 1 +In the nineteenth century , critique went even further : the baroque critic John Ruskin declared that British sculpture was not only bad , but also morally corrupt . In the 19th century , criticism went even further ; the baroque critic John Ruskin declared that British sculpture was not only bad , but also morally corrupt . 1 +Khedi is a village in Bhopal - district of Madhya Pradesh , India . It is located in Berasia tehsil . Khedi is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal Tehsil . 0 +The Audi V8 competed during its presence in the DTM with much smaller and roughly smaller Mercedes 190 , BMW M3 and slightly lighter Opel Omega 3000 . During its presence at DTM the Audi V8 competed with much smaller and about lighter Mercedes 190 , BMW M3 , and slightly smaller Opel Omega 3000 . 0 +He also donated US $ 34,000 to Mitt Romney and $ 7,000 to Ted Cruz , including his presidential campaign in 2016 . He also donated US $ 34,000 to Ted Cruz and US $ 7,000 to Mitt Romney , including his 2016 presidential campaign . 0 +Air transportation is provided locally by smaller aircraft in New Bedford , Berkley , and the regional airport in East Taunton . Air transport is provided locally by smaller aircraft in East Taunton , Berkley , and the regional airport in New Bedford . 0 +But the Red Bulls lost the 1st round of the playoffs . The Red Bulls made but lost the 1st round of the playoffs . 1 +He died in 1884 and retired in 1885 , buried in Lakewood Cemetery in Minneapolis . McNair died in 1884 and retired in 1885 . He is buried in Lakewood Cemetery in Minneapolis . 1 +The line-up is mainly focused on alternative music and indie music . The cast is focused mainly on indie - music and alternative music . 1 +Wright moved from Chapel Hill , NC to New York City . Wright moved from New York to Chapel Hill in NC . 0 +Its approximate borders were South Broad Street to Grier Avenue and Pearl Street to what is now US 1 & 9 . Its approximate borders were Pearl Street to Grier Avenue and South Broad Street to what is now U.S. 1 '9 . 0 +Many major league players spent time with the team , including seven-year veteran John Kerins and ten-year veteran Jack Remsen . Many major league players spent time with the team , including seven-year old Veteran Jack Remsen and a ten-year-old veteran John Kerins . 0 +This title was made in 1790 for James Grimston , a Hertfordshire politician . He was later revived Earl of Verulam , a title still held by his descendants . This title was created in 1790 for James Grimston , a Hertfordshire politician , who later revived Earl of Verulam , a title that was still held by his descendants . 1 +July is the hottest month on average , the coldest in January . July is the coldest month on average , the hottest in January . 0 +The station was founded by the British Falkland Islands Dependencies Survey in 1947 as Station F or Argentine Islands '' on Winter Island . The station was established by the British Falkland Islands Dependencies Survey as Station F , or `` Argentine Islands '' , on Winter Island in 1947 . 1 +Jonas Björkman and Fabrice Santoro won 6-2 , 6-4 against Martin Damm and Radek Štěpánek in the finals . Jonas Björkman and Fabrice Santoro won in the final 6 - 2 , 6 - 4 , against Martin Damm and Radek Štěpánek . 1 +Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Kuwait of Al Ahmadi governorate in the southern Abu Halifa District . Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Abu Halifa district of the Al Ahmadi governorate in the south of Kuwait . 0 +The cast is focused mainly on indie - music and alternative music . The line-up is mainly focused on indie music and alternative music . 1 +After Philip II of Austria died in 1578 , John allowed her to choose her own residence . After Philip II died of Austria in 1578 , John allowed her to choose his own residence . 1 +Praised by Richard Gibson and court painter Peter Lely , she is considered as successful as Joan Carlile . She is praised by Richard Gibson and the court painter Peter Lely and is considered as successful as Joan Carlile . 1 +Some historians say that the ruling class in Holland wanted Holland to integrate with the Flemish legal system and adopt Flemish economic institutions . Some historians say that the ruling class in Holland wanted Holland to integrate into the Flemish legal system and adopt Flemish economic institutions . 1 +Apollonia corresponds to modern Bulgaria , in Sozopol , and Selymbria is Silivri , on the Marmara coast . Apollonia corresponds to modern Bulgaria , Sozopol , and Selymbria is Silivri , on the Marmara coast . 1 +Often `` Colpoda '' is a kidney-shaped ciliate representative in organic , rich conditions . `` Colpoda '' , a kidney-shaped ciliate representative in organic rich conditions , is common . 1 +It was sunk in 1943 -- in 1944 by the Germans and scrapped twice by allied bombers and finally raised in 1946 -- in 1947 . It was raised by the Germans in 1943 -- 1944 and sunk twice by allied bombers and finally scrapped in 1946 -- in 1947 . 0 +Until 1991 , it offered the only public stage in Tehama County and was the only cinema until 1993 . It provided the only public stage in Tehama County until 1991 , and was the only cinema until 1993 . 1 +The playground is modern with new fitness equipment for children . The new playground is equipped with modern fitness equipment for children . 0 +The owner of the land at that time was Mr Leslie Vernon Calcutt , and he agreed a 99-year lease with Mr Johnson . At that time , the owner of the country was Mr Leslie Vernon Calcutt , and he agreed a 99-year rent with Mr Johnson . 1 +When Kangxi ( Oboi ) was sixteen , he eliminated the traitor , Hawick Lau , and his allies . When Kangxi ( Hawick Lau ) was sixteen , he removed the traitor , Oboi , and his allies . 0 +Llyn Dinas is a lake near Beddgelert , Gwynedd in north Wales . It is formed by the River Glaslyn . Llyn Dinas is a lake near Beddgelert , Gwynedd in North Wales , and is formed by the river Glaslyn . 1 +A sister event was held at Albert Park Lake in Melbourne , Australia and sponsored by Fox FM ( Melbourne ) . One sister event was held at the Albert Park Lake in Melbourne , Australia and sponsored by Fox FM ( Melbourne ) . 1 +The Pope proposed in 1980 a solution that was accepted by Chile and rejected by Argentina . The Pope proposed a solution accepted by Chile in 1980 and rejected by Argentina . 1 +In a quiet time for Trinity , she won only one Yorkshire Cup ( 1924 -- 25 against Batley ) and lost four Yorkshire Cups . In a quiet time for Trinity , they lost only one Yorkshire Cup ( in 1924 -- 25 against Batley ) and won four Yorkshire Cups . 0 +Azusa Pacific University 's Azusa campus is located in the San Gabriel Valley , situated northeast of Los Angeles . The Azusa campus of Azusa Pacific University is located in San Gabriel Valley , northeast of Los Angeles . 1 +Ibn Amira was born in Alzira , the province of Valencia . Ibn Amira was born at Alzira in the province of Valencia . 1 +When Jack Nitzsche first heard `` Stubborn Kind of Fellow '' , he was so excited that he lost control of his car while driving the Sunset Boulevard with Phil Spector . When Phil Spector first listened to `` Stubborn Kind of Fellow '' , he was so excited that he lost control of his car while driving down the Sunset Boulevard with Jack Nitzsche . 0 +He is co-recipient of the renowned Carnegie Scholarship for Mathematics with Lucas ( Martin Hansen ) . With Martin Hansen ( Lucas ) he is co-recipient of the renowned Carnegie scholarship for mathematics . 1 +Dr. Lisa Moya has been superintendent since June 1 , 2017 . Chief Academic Officer is Marshall Scott III . Chief Technology Officer is Josh Solis . Marshall Scott III has been a superintendent since June 1 , 2017 , Chief Academic Officer is Lisa Moya , Chief Technology Officer is Josh Solis . 0 +In early 2016 , Senator Bob Hackett was appointed to the Ohio Senate to succeed Senator Chris Widener , who resigned . In early 2016 , Senator Chris Widener was appointed to the Senate of Ohio in order to succeed Senator Bob Hackett , who resigned . 0 +The station was furnished in 1947 by the British Falkland Islands Dependencies Survey as Station F or `` Winter Island '' on the Argentine islands . The station was established by the British Falkland Islands Dependencies Survey as Station F , or `` Winter Island '' , on Argentine Islands in 1947 . 1 +The manga has a video game for the Sega Mega Drive in Japan and Asia with the same name . The manga has a video game for the Sega Mega Drive in Asia and Japan with the same name . 1 +Elizabeth Elizabeth Prudden , immigrated from England in 1653 to Milford , Connecticut , married Roger Pritchard Immigrated from England to Milford , Connecticut in 1653 , Elizabeth Prudden married 0 +The River Breaza is a tributary of the River Geamărtălui in Romania . The Geamărtălui River is a tributary of the Breaza River in Romania . 0 +In early 2016 , Senator Chris Widener was appointed to the Ohio Senate to succeed Senator Bob Hackett , who resigned . In early 2016 , Senator Chris Widener was appointed to the Senate of Ohio in order to succeed Senator Bob Hackett , who resigned . 1 +Its leaves are arranged alternately along the branches and are lance-shaped , egg-shaped or almost circular and have a stalk long . Its leaves are arranged alternately along the branches and are lance-shaped , egg-shaped or almost circular and have a long stem . 1 +A much anticipated feature of a theory of quantum gravity is that it will not feature singularities or event horizons and thus black holes would not be real artifacts . A much anticipated feature of a theory of quantum gravity is that it will have no singularities or event horizons , and thus black holes would not be real artifacts . 1 +A typical Royal Air Force flying station ( not training ) will have the following integrated wing-based structure : A typical training station of the Royal Air Force ( not flying ) will have the following integrated wing-based structure : 0 +The station was heard in Sweden , southern Finland and parts of eastern Europe . The station was heard in Sweden , in southern Finland and parts of Eastern Europe . 1 +The poem is preserved in four fragmentary manuscripts , of which one is contemporary . The poem is stored in four contemporary manuscripts , one of which is fragmentary : 0 +In 1937 , Huxley moved to Hollywood with his wife Maria , son Matthew Huxley , and boyfriend Gerald Heard . In 1937 , Gerald Heard moved to Hollywood with his wife Maria , his son Huxley and his friend Matthew Huxley . 0 +Acting Boss -- Rene Piccarreto -- son of Loren Piccarreto arrested 1988 released in 1994 . Acting Boss -- Rene Piccarreto -- Son of Loren Piccarreto arrested in 1988 in 1994 released . 1 +An EP called Dido Live with three of the seventeen live tracks on the DVD was released digitally on June 21 , 2005 exclusively via the iTunes Store . An EP called Dido Live with three of the seventeen live tracks on the DVD was digitally released exclusively on the iTunes Store on June 21 , 2005 . 0 +It is well known from the United States ( Maine , Oregon , California ) and British Columbia ( Canada ) . It is known from the United States ( Maine , Oregon , California ) and Canada ( British Columbia ) . 1 +A Khap is a clan , or a group of related clans , mainly under the jats of the eastern Uttar Pradesh and Western Haryana . A Khap is a clan , or a group of related clans , mainly among the Jats of western Uttar Pradesh and eastern Haryana . 0 +The first three hotels were built in the 1980s in France , followed by `` Patio Eilat Resort Hotel '' in Israel . The first three hotels were built in France in the 1980s followed by the `` Patio Eilat Resort Hotel '' in Israel . 1 +Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , located southeast of Gold River and south of Rambler Peak . Mount DeVoe is a mountain located on Vancouver Island , British Columbia , Canada , southeast of Gold River and south of Rambler Peak . 1 +Shortly after its activation , the 99th supported Operation Urgent Fury , which replaced the Stalinist regime in Grenada . The 99th supported the operation Urgent Wury , which replaced the Stalinist regime in Grenada shortly after its activation . 1 +In 1972 , the family moved to Camp Hill , where he visited the Trinity High School in Harrisburg , Pennsylvania . In 1972 , the family moved to Harrisburg , Pennsylvania , where he visited the Trinity High School in Camp Hill . 0 +Albanian families left the village before the return of Serbian refugees in 1999 . Before the return of Serbian refugees in 1999 , Albanian families left the town . 1 +In early July , Steve Whitley , the criminal father of Harper Whitley and Garrett Whitley , and brother of Benny Cameron . In early July , Garrett Whitley , the criminal father of Harper Whitley and Steve Whitley , and brother of Benny Cameron . 0 +The back figure shows the estimated second probability `` p '' ( diabetes = 1 glu ) . The posterior figure shows the estimated second probability `` p '' ( diabetes = 1 glu ) . 1 +His father was the illegitimate son of William Skipwith , a Member of Parliament for Lincolnshire , and Anne Tothby . His father was the illegitimate son of Anne Tothby , a deputy for Lincolnshire , and of William Skipwith . 0 +Most modern student ghettos arose from the rise in post-secondary enrollment after World War II . Most modern student ghettos arose from the rise in post-secondary training after World War II . 1 +`` Ras '' Abbi Addi advanced to Kassa and joined up with `` Ras '' Seyoum in the center . `` Ras '' Abbi Addi advanced to Kassa and joined with '' Ras '' Seyoum in the center . 1 +It is operated by the national railway company Chemins de Fer Luxembourgeois . It is operated by Chemins de Fer Luxembourgeois , the state-owned railway company . 1 +Ashte is a village in Palghar - district of Maharashtra , India It is located in the Dahanu - Taluka . Ashte is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . 0 +Its large sculptures can be seen in public spaces in Wanaka , from New Zealand to Kaitaia and many places in between . Its large sculptures can be seen in public spaces in New Zealand , from Kaitaia to Wanaka and many places in between . 0 +While the 33d Tactical Group was inactive , it was consolidated with the 33d Fighter Group as the 33d Tactical Fighter Group . While the 33d Fighter Group was inactive , it was consolidated as 33d Tactical Fighter Group with the 33d Tactical Group . 0 +Tim Henman won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 against Pete Sampras . Tim Tim Henman won 6 -- 7 , 6 -- 4 , 7 -- 6 against Pete Sampras in the finals . 1 +At the age of nineteen she moved to New York and in 2011 to Stockholm . She moved to Stockholm at the age of 19 , and moved to New York in 2011 . 0 +Barshi , is an earth dam on the local river near Pathari Dam , Solapur district in the state of Maharashtra in India . Barshi , is an earthfill dam on local river near Pathari Dam , Solapur district in the state of Maharashtra in India . 1 +But the Red Bulls lost the 1st round of the playoffs . The Red Bulls lost but made the 1st round of the playoffs . 0 +In Joseon , the design was used to represent Daoism in Korea and to express the hope for harmony of yin and yang . The draft was used in Joseon to represent Daoism in Korea and express the hope for the harmony of Yin and Yang . 1 +In 1924 he was an invited spokesman for the ICM in Toronto , in Oslo in 1932 and in 1936 in Zurich . He was an invited spokesman for the ICM in Toronto in 1924 , in Zurich in 1932 and in Oslo in 1936 . 0 +The species are members of various ecological groups , including tropical shrubs , lianas and trees , xerophytic plants , mycoheterotrophs , as well as different herbaceous representatives . The species are members of different ecological groups , including xerophytic shrubs , lianas and trees , tropical plants , mycoheterotrophy , as well as various herbal representatives . 0 +In order to become Slovak , however , Derek must defeat a vampire - murderer . However , in order to defeat Slovak , Derek must become a vampire assassin . 0 +The band formed in 1999 in Dunwoody , Georgia after guitarist Cole Alexander and bassist Jared Swilley left the Renegades , and guitarist Ben Eberbaugh left the Reruns . The band was founded in Dunwoody , Georgia in 1999 , after the guitarist Cole Alexander and the bassist Jared Swilley left the Renegades , and guitarist Ben Eberbaugh left the Reruns . 1 +`` gravityWall '' was used as the second opening motif for the Anime television series , while `` sh0ut '' was used as the first opening motif . `` gravityWall '' was used as the first opening topic for the Anime - TV series '' , while `` sh0ut '' was used as the second opening theme . 0 +Condition 1 implies that the functions are smooth and globally defined , and condition 2 means that the kinetic energy of the solution is globally limited . Condition 1 implies that the functions are smooth and globally defined and condition 2 means that the kinetic energy of the solution is globally bounded . 1 +The song is a repetitive and somewhat chained series of notes . The song is a concatenated and somewhat repetitive series of notes . 0 +It was the only public stage in Tehama County until 1991 and until 1993 was the only cinema . Until 1991 , it was the only stage in Tehama County and until 1993 it offered the only public cinema . 0 +Though xiangqi endgames require remarkable skill to be played well , there are a number of widely known book wins and book draws . Although Xiangqi - endgames require remarkable skill to be played well , there are a number of widely known book wins and book draws . 1 +The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 14th at the National Hockey League and 30th as the Colorado Avalanche . The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 30th at the National Hockey League and 14th as the Colorado Avalanche . 0 +He played in Scotland early in his career , but moved to Australia to play in the Victorian State League for Frankston City . He played in Scotland early in his career but moved to Australia to play for Frankston City in the Victorian State League . 1 +It was bought by Robert Curzon in 1834 in the monastery of Saba and saw in 1883 by C. R. Gregory . It was bought by Robert Curzon in 1834 in the monastery of Saba . C. R. Gregory saw it in 1883 . 1 +The Horezu River is a tributary of the Ponoru River in Romania . The River Horezu is a tributary of the River Ponoru in Romania . 1 +43 people were saved ; 40 in the lifeboats and three rescued by the `` Delaware '' . 43 people were saved , 40 were rescued in the lifeboats and three by the `` Delaware '' . 1 +He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of shipping magnate N. O . Young Fearnley and landowner Thomas Fearnley . He was married to Elisabeth Young ( 1854 - 1932 ) and was the father of the shipping magnate Thomas Fearnley and the landowner N. O . Young Fearnley . 0 +Stretch steals the cocaine from a reality television star , who then procures the limo . Stretch steals the cocaine from a reality television star , who then procures the limousine . 1 +While the exclusion of black players was not a written rule , since 1933 no African - American had been played in the National Football League . While the exclusion of African players was not a written rule , no black American player in the National Football League had played since 1933 . 0 +where the star denotes the algebraic dual group . Moreover when `` G '' is finite , there is an unnatural isomorphism Where the star calls the algebraic dual group , there is an unnatural isomorphism when `` G '' is finite . 1 +Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , located southeast from Rambler Peak and south of Gold River . Mount DeVoe is a mountain located on Vancouver Island , British Columbia , Canada , southeast of Gold River and south of Rambler Peak . 0 +The Jidanul River is a tributary of the Jiul de Vest River in Romania . The Jidanul River is a tributary of the River Jiul de Vest , Romania . 1 +Yamato Colony , California was a Japanese agricultural community located in Livingston , California . California was a Japanese agricultural community in Livingston , Yamato Colony , California . 0 +Holmes described Moriarty as follows : Moriarty described Holmes as follows : 0 +Diboll and G. A. Chamblin of New Orleans were the architects and Owen of Mobile was the contractor . The architects were Diboll and Owen of New Orleans and the contractor was G.A . Chamblin of Mobile . 0 +Sahib Khan was born in the Tiwana family of Shahpur , son of Ahmad Yar Khan . Ahmad Yar Khan was born into the Tiwana family of Shahpur , the son of Sahib Khan . 0 +This reservation was always regarded by His Majesty 's government as the Vilayet of Jerusalem and the independent Sanjak of Beirut . This reservation has always been regarded by His Majesty 's Government as covering the vilayet of Beirut and the independent Sanjak of Jerusalem . 0 +With Terry as Ophelia and Portia he enlivened `` Hamlet '' and produced `` The Merchant of Venice '' ( 1879 ) . With Terry as Ophelia and Portia , he produced `` Hamlet '' and revived `` The Merchant of Venice '' ( 1879 ) . 0 +They are overlaid with sparse live orchestral music and consist of vague , almost deliberately colorless sounds . They are overlaid with sparse orchestral music played live , and consist of vague , almost deliberately colourless sounds . 1 +The passengers of the aircraft were Colonel Lieutenant Donald Grant Millard , Captain Gerald K. Hannaford and Captain John F. Lorraine . The occupants of the aircraft were Colonel Gerald K. Hannaford , Captain Donald Grant Millard and Captain John F. Lorraine . 0 +This is a list of historical conflicts in which the Hungarian armed forces have participated or took place on Hungary 's military territory . This is a list of military conflicts in which Hungarian armed forces participated in or took place on the historical territory of Hungary . 0 +`` gravityWall '' was used as the first opening theme for the anime television series `` , while `` sh0ut '' was used as the second opening theme . `` gravityWall '' was used as the second opening motif for the Anime television series , while `` sh0ut '' was used as the first opening motif . 0 +The river Hudeasa is a tributary of the Bradu River in Romania . The river Bradu is a tributary of the Hudeasa River in Romania . 0 +The Houston Main Building ( HMB ) formerly known as the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . The Houston Main Building ( HMB ) formerly the Prudential Building , was a skyscraper in the Texas Medical Center , Houston , Texas . 1 +A biography by Chris Sievey was written by Manchester author Mick Middles and was published in November 2014 . A biography of Mick Middles was written by Manchester author Chris Sievey and was released in November 2014 . 0 +The historic Rubber Bowl was used by the United States National Guard as a base during the racist Wooster Avenue Riots of 1968 . The race rubber dish was used by the National Guard of the United States as a base during the historic Wooster Avenue Riots of 1968 . 0 +It was later released to be confirmed as a single for the album on October 15 in the UK , and October 23 in the US . It was later released to be confirmed as a single for the album on 15 October in the UK and on 23 October in the USA . 1 +Eugene D. Engley was born on the 5th of April 1851 in Attleborough , Massachusetts , the son of James Henry Engley and his wife , former Mary Kaley . Eugene D. Engley was born April 5 , 1851 in Attleborough , Massachusetts , the son of James Henry Engley and his wife , the former Mary Kaley . 1 +Rory Jennings , who plays Tommy Connolly , plays teenager Davros in the Big Finish Productions . Tommy Connolly , who plays Rory Jennings , plays the teenage Davros in Big Finish Productions . 0 +The biography has now been published in Great Britain , the USA ( St. Martin 2013 ) , Hungary ( Swiat Ksiazki , 2013 ) , Poland and China . The biography has now been published in Britain , the USA ( St Martin 's 2013 ) , Poland ( Swiat Ksiazki , 2013 ) , Hungary and China . 0 +Propilidium pelseneeri is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lepetidae , one of the families of marine limpets . Propilidium pelseneeri is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lepetidae family , one of the families of true limpets . 0 +and 1870s replaced sitomania with the term `` anorexia nervosa '' and distinguished the disorder Sitomania and 1870s differed with the term `` Anorexia nervosa '' and replaced the disorder . 0 +The Colegio Humboldt Puebla was established in 1911 with 10 German students and a primary school teacher . The Colegio Humboldt Puebla was first established with 10 German students and a primary teacher in 1911 . 1 +It was created with the 1972 redistribution , and replaced the abolished Toowoomba East . It was abolished with the redistribution of 1972 and replaced the Toowoomba East created . 0 +Gunnar Hansen commented : `` The reason he wore a mask was according to Tobe and Kim , that the mask really determined his personality . Gunnar Hansen commented : `` The reason he wore a mask , according to Tobe and Kim , was that the mask really determined his personality . 1 +He also wrote a large number of orchestral arrangements and vocal accompaniments for varieties . He also wrote a large number of vocal arrangements and orchestral accompaniments to varieties . 0 +In 1291 , Mahaut married the count de Burgundy Otto IV , married the mother of three children , including two girls who became kings of France . In 1291 , Mahaut married Otto IV , Count of Burgundy . She married the mother of three children , including two girls who became kings of France . 1 +Adamsville is bordered to the west by Coleman , to the east of Sumterville , to the north of Wildwood and to the south by Lake County . Adamsville is bordered to the west by Coleman , to the east by Lake County , to the north by Wildwood and to the south by Sumterville . 0 +Field greens and root plants were generally not cultivated and grew seasonally when they were in the wild . Field greens and root plants were generally not cultivated and grew gathered seasonally when they were in the wild . 1 +`` Stopped '' light , in the context of an EIT medium , refers to the `` quantum '' transfer of photons to the coherent system and back again . `` Stopped '' Light refers in the context of an EIT medium to the `` quantum '' transmission of photons to the coherent system and back . 1 +Melodie Crittenden left the group in 2004 to watch a solo career , and for most of 2005 Nicol sang with the group . Nicol left the group in 2004 to pursue a solo career , and for most of 2005 Melodie Crittenden sang with the group . 0 +For a fixed measurable function formula 18 , Formula 19 is a medium variable with random formula 20 and variance formula 21 . For a fixed measurable function formula _ 18 , formula _ 19 is a mean variable with random formula _ 20 and variance formula _ 21 . 1 +Born in Brooklyn , New York , he died in Tiburon , California . He was born in Tiburon , California , and died in Brooklyn , New York . 0 +Pennmakkal is a 1966 Indian Malayalam film directed by J. Sasikumar , produced by KP Kottarakkara . Pennmakkal is a 1966 Indian Malayalam film , produced by J. Sasikumar and directed by KP Kottarakkara . 0 +The Giants fell on the Chicago Bears 27 -- 21 and were for the first time since 1976 with 0 - 6 . The Giants fell to the Chicago Bears 27 -- 21 , and were 0 -- 6 for the first time since 1976 . 1 +He first appeared on 5 March 2010 and last appeared on 14 May 2010 . He last appeared on March 5 , 2010 and first on May 14 , 2010 . 0 +Andrew McLennan born Andrew Snoid is a New Zealand musician , singer , and songwriter . Andrew McLennan Andrew Snoid is a New Zealand musician , songwriter and singer . 1 +The first track , `` Every Morning '' is the acoustic guitar version of the last track `` Morning '' . The first Every Morning `` track is the acoustic guitar version of the last track '' Morning `` . 1 +Following the 1939 invasion of Poland by Nazi Germany and the Soviet Union , Osterwa was active in the underground education but also became ill . After the invasion of Poland by Nazi - Germany and the Soviet Union in 1939 , Osterwa was active in underground education , but also became ill . 1 +Until the advent of electronic and digital video technology , the mass production of pornographic films was tied directly to the mainstream film industry . The mass production of electronic and digital films was directly linked to the mainstream film industry until the emergence of pornographic video technology . 0 +Hoppkorv was the seventh album of American blues - Rock - Band Hot Tuna , and their last studio album was recorded as Grunt BFL1-1920 for Grunt Records . Hoppkorv was the seventh album by the American blues rock band Hot Tuna , and their last studio album recorded for Grunt Records , as Grunt BFL1-1920 . 1 +Katuwana Divisional Secretariat is a Divisional Secretariat of the Southern Province of Hambantota District , Sri Lanka . Katuwana Divisional Secretariat is a Divisional Secretariat of Hambantota District , of Southern Province , Sri Lanka . 1 +After 2014 , more Ukrainians from eastern Ukraine , more men , and more younger Ukrainians have been working in Poland . After 2014 , more Ukrainians from eastern Ukraine , more younger men and more Ukrainians were working in Poland . 0 +Enkor merged with the Siberian Airlines in 2001 . In 2001 , the Siberian Airlines merged with Enkor . 0 +He worked in Geneva during the First World War , where he studied with Willi Münzenberg . During the First World War , he studied in Geneva , where he worked with Willi Münzenberg . 0 +The first track , `` Every Morning '' is the acoustic guitar version of the last track `` Morning '' . The first track , `` Every Morning '' , is the acoustic version of the last guitar version of `` Morning '' . 1 +Erginus galkini is a sea snail species , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of true limpets . Erginus galkini is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the Marinelimpets families . 0 +`` Lupinus bicolor '' has a short , hairy stem and thin , palmately-arranged leaves . `` Lupinus bicolor '' has a thin stem and short , hairy , palm-like leaves . 0 +The next release was created in 1986 by Robert Fuller 's brother Ron . The next version was created by Ron 's brother Robert Fuller in 1986 . 0 +The tournament was won by Gabriel Medina ( BRA ) , who beat Joel Parkinson ( AUS ) in final . The tournament was won by Joel Parkinson ( BRA ) , who struck in the final Gabriel Medina ( AUS ) . 0 +Through their family company Divine Foods , 85 % of the Dali Foods Group own their wife Xu Shihui and his daughter , Xu Yangyang . Xu Shihui , his wife Chen Liling and daughter Xu Yangyang have their family company Divine Foods 85 % of the Dali Foods Group . 0 +Elizabeth Elizabeth Prudden , immigrated from England to Milford in 1653 , Connecticut , married Roger Pritchard Roger Roger Pritchard , immigrated from England in 1653 to Milford , Connecticut , married Elizabeth Prudden 0 +This category is for Israeli footballers who currently play or have played in one of the non-Israeli leagues . This category is for non-Israeli footballers who currently play or have played in any of the Israeli leagues . 0 +Vermont is bordered to the north of Mitcham , to the west by Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . Vermont is bordered by Mitcham to the north , Nunawading and Forest Hill to the west , Vermont South to the south and Wantirna and Ringwood to the east . 1 +He began his career in the Football League with Scunthorpe United before joining Sheffield United in the fourth division in June 1961 . He began his career in the Football League with Sheffield United , before joining Scunthorpe United of the Fourth Division in June 1961 . 0 +While the 33d Tactical Group was inactive , it was consolidated with the 33d Fighter Group as the 33d Tactical Fighter Group . While the 33d Fighter Group was inactive , it was merged with the 33d Tactical Group as a 33d Tactical Fighter Group . 0 +The river Valea Sterminoasă is a tributary of the Boia Micăa River in Romania . The Boia Mică River is a tributary of the Valea Sterminoasă River in Romania . 0 +Then he moved to Switzerland and later to Italy , where he met with Shelley and Byron . He then moved to Switzerland and later Italy where he met Shelley and Byron . 1 +In 1955 , the Anglican community was merged with another , and the Church of the Holy Trinity at Prince Consort Road became the new parish church . In 1955 the new parish was merged with another , and the Church of the Holy Trinity on the Prince Consort Road became the Anglican parish church . 0 +Archbishop Seóighe was consecrated on 16 May 1485 and appointed in 1487 , died on 20 or 28 December 1501 . Archbishop Seóighe was consecrated on 16 May 1485 and appointed in 1487 . He died on either the 20 or 28 December 1501 . 1 +The younger brother of Tim Tim , Tod Leiweke , is currently Chief Operating Officer of the National Football League since 2015 . Tim 's younger brother , Tod Leiweke , is currently the chief operating officer of the National Football League since 2015 . 1 +There remain two small independent leagues with only a handful of members : the Highland Alliance League and the Grampian Alliance League . There remain two small independent leagues with only a handful of members : the Grampian Alliance League and the Highland Alliance League . 1 +In 2012 , the city flipped and was won by incumbent Democrat Barack Obama , who took 51 % of the vote to Republican Mitt Romney of 48 % . In 2012 , the borough flipped and was won by incumbent Republican Mitt Romney , who took 51 % of the vote to Democrat Barack Obama 's 48 % . 0 +The American pioneer John Sutter ( 1803 -- 1880 ) arrived in Alta California with other Euro-Swiss settlers in August 1839 . The American pioneer John Sutter ( 1803 -- 1880 ) arrived in August 1839 together with other euros - Swiss settlers in Alta California . 1 +With a primary listing on the Nigerian Stock Exchange , it 's the first African company to have a cross-border inward listing on the Johannesburg Stock Exchange . With a primary listing on the Nigerian stock exchange , it is the first African company to have a cross-border - Inward quotation on the Johannesburg Stock Exchange . 1 +Sher Ahmed Akhundzada ( also known as Sher Mohammed Akhundzada ) is a tribal leader who was the Governor of Helmand in Afghanistan between 2001 and 2005 . Sher Mohammed Akhundzada ( also known as Sher Ahmed Akhundzada ) is a tribal leader who from 2001 to 2005 was Governor of Helmand in Afghanistan . 1 +He was the cousin of the Czech national player Jaroslav Hlinka and son of former player Miroslav Hlinka sr . He was the cousin of Czech national team player Miroslav Hlinka and the son of former player Jaroslav Hlinka sr . 0 +While the 33d Fighter Group was inactive , it was merged with the 33d Tactical Group as a 33d Tactical Fighter Group . While the 33d Tactical Group was inactive , it was consolidated with the 33d Fighter Group as 33d Tactical Fighter Group . 0 +The 1973 -- 74 UEFA Cup was won by Tottenham Hotspur over Feyenoord Rotterdam 4 -- 2 on aggregate . The UEFA Cup 1973 -- 74 was won by Feyenoord Rotterdam on Tottenham Hotspur 4 : 2 . 0 +He played with the A - Level Portland Sea Dogs and the AA Kane County Cougars in 1993 . In 1993 , he played with the A - Level Kane County Cougars and the AA Portland Sea Dogs . 0 +His father was the illegitimate son of William Skipwith , a Member of Parliament for Lincolnshire , and Anne Tothby . His father was the illegitimate son of Anne Tothby , a member of the Lincolnshire Parliament , and William Skipwith . 0 +Where `` e '' the electrical charge of the particle and A is the magnetic vector potential of the electromagnetic field . Where `` e '' the magnetic charge of the particle and A is the electrical vector potential of the electromagnetic field . 0 +In leaves , the spongy bundles are located among the vascular mesophyll . The vascular bundles between the spongy mesophyll are located in leaves . 0 +The song was written and produced by Gala composed by Filippo Andrea Carmeni and Maurizio Molella . This song was written and composed by the gala produced by Filippo Andrea Carmeni and Maurizio Molella . 0 +The pc1000 and pc1500 platforms were described in 2006 , using the VIA C3 processors . The pc3500 was introduced in August 2007 using the VIA C7 . The pc1000 and pc1500 platforms were described in 2006 with the VIA C3 processors and the pc3500 was introduced in August 2007 with the VIA C7 . 1 +The group played extensively and became famous in Israel and even toured in 2007 in New York City . The group toured extensively and became famous in Israel , and even played in New York City in 2007 . 0 +They were developed by CyberConnect2 and published by Namco Bandai starting with `` Naruto : Ultimate Ninja '' in 2005 . They were developed by Namco Bandai and published by CyberConnect2 , beginning with `` Naruto : Ultimate Ninja '' in 2005 . 0 +On December 19 , 2014 , Marlins Eovaldi , Garrett Jones , and Domingo Germán traded with the New York Yankees for Martín Prado and David Phelps . On December 19 , 2014 , the Marlins traded Eovaldi , Garrett Jones , and Domingo Germán to the New York Yankees for Martín Prado and David Phelps . 0 +It was the only stage in Tehama County until 1991 , and provided the only public cinema until 1993 . Until 1991 , it was the only stage in Tehama County and until 1993 it offered the only public cinema . 1 +It is endemic to Hawaii , where it is now limited to the island of Hawaii and has been extirpated from Kauai and Maui . It is endemic to Hawaii , where it is now limited to the island of Hawaii and has been exterminated by Kauai and Maui . 1 +Ashte is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Ashte is a village in Dahanu - District of Maharashtra , India It is located in the Palghar Taluka . 0 +In 1977 , Rob Taylor traveled to Scotland and Norway with Barber to climb waterfalls . In 1977 , Barber travelled with Rob Taylor to Scotland and Norway to climb waterfalls . 0 +The Italian television series AleX was written by Alfredo Castelli , Guglielmo Duccoli and Giorgio Schottler and produced by videotime . AleX is an Italian television series . The series was produced by Giorgio Schottler , Guglielmo Duccoli and Alfredo Castelli and written by Videotime . 0 +They achieved some success , live shows in Melbourne , Geelong and Shepparton . They achieved some success , playing live shows in Melbourne , Geelong and Shepparton . 1 +He was replaced in successive coups by Murtala Mohammed ( 1975 ) and Olusegun Obasanjo ( 1976 ) . He was replaced by Murtala Mohammed ( in 1975 ) and Olusegun Obasanjo ( in 1976 ) in successive coups . 1 +A sister event was held at Albert Park Lake in Melbourne and was sponsored by Fox FM ( Melbourne , Australia ) . One sister event was held at the Albert Park Lake in Melbourne , Australia and sponsored by Fox FM ( Melbourne ) . 1 +It was captured after New Orleans was scuttled and in 1868 was sold for scrap . It was sunk after New Orleans was captured and was sold for scrap in 1868 . 0 +The biography has now been published in Britain , the USA ( St Martin 's 2013 ) , Poland ( Swiat Ksiazki , 2013 ) , Hungary and China . The biography has now been published in Great Britain , the USA ( St Martins 2013 ) , Poland ( Swiat Ksiazki , 2013 ) , Hungary and China . 1 +Emily Ann Lloyd ( born Emily Ann Morelli on March 27 , 1984 ) is an American actress . Emily Ann Lloyd ( born Emily Ann Morelli ; March 27 , 1984 ) is an American actress . 1 +The exception was between late 2005 and 2009 , when he played Carlstad United BK in Sweden , Serbia with FK Borac Čačak and the Russian FC Terek Grozny . The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FC Terek Grozny and the Russian FK Borac Čačak . 0 +In 2006 , Judge Dee D. Drell declared the Rapides Parish schools racially consistent and closed the long-term litigation . In 2006 , Judge Dee D. Drell declared the Rapides Parish schools finally unitary and racially closed the long-term litigation . 0 +The station was founded by the British Falkland Islands Dependencies Survey in 1947 as Station F or Argentine Islands '' on Winter Island . The station was established by the British Falkland Islands Dependencies Survey as Station F , or `` Winter Island '' , on Argentine Islands in 1947 . 0 +The driest year was 1983 with and the wettest year was 1976 . The wettest year was 1983 with and the driest year was 1976 with . 0 +The first section , from Hokitika to Ruatapu , was completed on 9 November 1906 , and on 1 April 1909 the complete line on Ross was opened . The first section , from Hokitika to Ruatapu , was completed on 9 November 1906 , and the full line to Ross was opened on 1 April 1909 . 1 +The Italian television series AleX was produced by Giorgio Schottler , Guglielmo Duccoli and Alfredo Castelli and written by videotime . AleX is an Italian television series . The series was written by Alfredo Castelli , Guglielmo Duccoli and Giorgio Schottler and produced by Videotime . 0 +Strozzi started taking private acting lessons with Dimitrija Demeter after a medical treatment , as recommended by Josip Freudenreich . After medical treatment , Strozzi started taking private acting lessons from Josip Freudenreich , as recommended by Dimitrija Demeter . 0 +Cai Mao had also a son , Cai Feng . Cai Feng also had a son , Cai Mao . 0 +In 1328 , Mary married King Alfonso XI , who gave her Guadalajara , Talavera de la Reina and Olmedo as part of the Dower king Alfonso . In 1328 , Maria married King Alfonso XI . As part of the dower , King Alfonso gave her Guadalajara , Talavera de la Reina and Olmedo . 0 +He died in Milwaukee , Wisconsin , where he retired on May 5 , 1903 . He withdrew in Wisconsin , Milwaukee , where he died on 5 May 1903 . 0 +David David Godwin is represented at DGA Associates by Emma Townshend . David Godwin is represented by Emma Townshend at DGA Associates . 1 +The Cross Bronx Westbound serves Tremont Park south of Third Avenue , exit 3 . Passing south of Tremont Park , the Cross Bronx westbound serves exit 3 , which serves Third Avenue . 0 +Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , located southeast of the Gold River and south of Rambler Peak . Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , to the southeast of Rambler Peak and south of Gold River . 0 +Vermont South is bordered to the north by Mitcham , to the west by Nunawading and Forest Hill , to the south of Vermont and to the east by Wantirna and Ringwood . Vermont is bordered by Mitcham to the north , Nunawading and Forest Hill to the west , Vermont South to the south and Wantirna and Ringwood to the east . 0 +The following table compares the performance of the LOD - capable rendering and a brute - detail method ( full force ) . The following table compares the performance of LOD aware rendering and a brute detail ( full force ) method . 1 +The New Ways to Work Foundation was founded in 1972 and is a non-profit organization funded by the San Francisco Bay Area . In 1972 , the New Ways to Work Foundation was founded , it is a non-profit organization funded in the San Francisco Bay area . 1 +The museum is centrally located in Jiangbeizui CBD , near the confluence of the Jialing River and the Yangtze River . The museum is centrally located in Jiangbeizui CBD , near the confluence of the river Jialing and the river Yangtze . 1 +`` Acoustic and Live : Pure '' was released in early 2003 . `` Acoustic and Live : Pure '' was released early in 2003 . 1 +The Porte de Vincennes is located where the southeast corner of the 20th arrondissement meets the north-east corner of the 12th arrondissement of Paris . The Porte de Vincennes is located where the north-east corner of the 12th arrondissement meets the southeast corner of the 20th arrondissement of Paris . 0 +On 9 August Andy Burnham was selected with 51.1 % of the vote . Lloyd placed second with 29.1 % . Lloyd was elected on 9 August with 51.1 % of the vote , Andy Burnham second with 29.1 % . 0 +Prudential Building ( HMB ) formerly called the Houston Main Building , was a skyscraper in Texas Medical Center , Houston , Texas . The Houston Main Building ( HMB ) formerly known as the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . 0 +Reordination is the original ordination of a cleric whose second ordination is questionable . Regulation is the second ordination of a cleric whose original ordination is questionable . 0 +He was appointed accuser attorney in 1824 for Williams County , 1826 for Seneca County , and Sandusky County in 1827 . He was appointed prosecuting attorney for Williams County in 1824 , for Seneca County in 1826 and for Sandusky County in 1827 . 1 +Heinz Kohut saw the normal self as a fixation on a grandiose childhood phase , while other post-Freudians explored the role of fixation in aggression and criminality . Heinz Kohut saw the normal self as a fixation upon a grandiose childhood stage , while other post-Freudians explored the role of fixation in aggression and criminality . 1 +Ethenon tends to spontaneously polymerize , contact with hydrogen peroxide leads to an explosive reaction and can form an explosive mixture with air . Ethenone tends to spontaneously form . Contact with hydrogen peroxide leads to an explosive reaction . It can polymerize an explosive mixture with air . 0 +In 1937 , Donald became co-owner of the baseball team of Toronto Maple Leafs , his son Ross became club president . In 1937 , Donald became co-owner of the Toronto Maple Leafs baseball team . His son , Ross became club president . 1 +Education in Alabama consists of public and private schools in Alabama , including the University of Alabama , private universities and secondary and primary schools . Education in Alabama consists of secondary schools - and primary schools in Alabama , including the University of Alabama , private universities , and public and private schools . 0 +Roger Pritchard , immigrated from England to Milford , Connecticut in 1653 ; married Elizabeth Prudden Immigrated from England to Milford , Connecticut in 1653 , Elizabeth Prudden married 1 +David I. Walsh 's most recent biographer writes that `` The campaign to destroy Walsh worked because he could not defend himself ... David I. Walsh was gay . '' The recent biographer of David I. Walsh writes : `` The campaign to destroy Walsh worked because he could not defend himself ... David I. Walsh was gay . 1 +William Williams , known as Llewelyn Williams ( March 10 , 1867 - April 22 , 1922 ) , was a radical journalist , lawyer and politician of the Welsh Liberal Party . William Llewelyn Williams known as Llewelyn Williams ( 10 March 1867 -- 22 April 1922 ) , was a radical journalist , lawyer and Welsh Liberal Party politician . 1 +Battlepug is a webcomic by Mike Norton , written by Allen Passalaqua , written and illustrated by Chris Crank . Battlepug is a webcomic colored by Mike Norton , lettered by Allen Passalaqua , written and illustrated by Chris Crank . 1 +As reward for his loyalty to Henry , he acquired lucrative lands and many offices in South Wales . As a reward for his loyalty to Henry , he acquired many lands and lucrative offices in South Wales . 0 +The NVIDIA TITAN V was officially announced by Nvidia on 7 December 2017 . NVIDIA officially announced the Nvidia TITAN V on December 7 , 2017 . 1 +Suggestions from Met to extend from Paddington to South Kensington and east from Moorgate to Tower Hill to the south were accepted and received royal consent on July 29 , 1864 . Proposals from the Met to extend east from Paddington to South Kensington and south from Moorgate to Tower Hill were accepted and received royal assent on 29 July 1864 . 0 +As with the generative model , the target distribution is weighted by mixing the emission probabilities of each context state obtained by the similarity . As with the generative model , target distribution is weighted by mixing the emission probabilities of each context state obtained by the similarity . 1 +Propilidium pelseneeri is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lepetidae , one of the families of true limpets . Propilidium pelseneeri is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lepetidae family , one of the families of true limpets . 1 +The Asian activities became part of Ebel while the European activities were sold to Hong Kong entrepreneur Joseph Wong and are now part of Stelux Holdings . The European activities became part of Ebel , while Asian activities were sold to the Hong Kong entrepreneur Joseph Wong and now belong to Stelux Holdings . 0 +It is located east of Nanuet , south of Chestnut Ridge , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . It is east of Chestnut Ridge , south of Nanuet , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . 0 +It then crosses the Washita River Arm of the Texoma Lake . It then crosses over the Lake Texoma arm of Washita River . 0 +An atoll in France , Polynesia Niau is named Aleksey Greig after Greig . One atoll in French - Polynesia Niau is named after Aleksey Greig Greig . 0 +The Vâlcea River is a tributary of the Arieşul Mare River in Romania . The Vălcea river is a tributary of the River Arieşul Mare in Romania . 1 +Pam meets in New York with his brothers Jim ( Blake Robbins ) and Pete ( Tug Coker ) to lunch . Tom meets Pam in New York for lunch with his brothers , Jim ( Blake Robbins ) and Pete ( Tug Coker ) . 0 +Some historians say that the ruling class in Holland wanted Holland to integrate with the Flemish economic system and adopt Flemish legal institutions . Some historians say that the ruling class in Holland wanted Holland to integrate with the Flemish legal system and take over the Flemish economic institutions . 0 +Maritsa Lazari was born in October 1943 in London , UK . She emigrated with her family to Cyprus at the age of 16 . Maritsa Lazari was born in London in October 1943 and emigrated with her family to Cyprus at the age of 16 years . 1 +Molmys River is a river in Perm Krai , Russia , a tributary of the Yazva River on the left . Yazva River is a river in Perm Krai , Russia , a left tributary of the Molmys River . 0 +The Gegenbauer - polynomials appear as extensions of legend - polynomials in the context of potential theory and harmonic analysis . The Gegenbauer polynomials appear naturally as extensions of Legendre polynomials in the context of harmonic theory and potential analysis . 0 +Pennmakkal is an Indian Malayalam film produced by J. Sasikumar and directed by KP Kottarakkara in 1966 . Pennmakkal is a 1966 Indian Malayalam film directed by J. Sasikumar , produced by KP Kottarakkara . 0 +In 1920 and 1921 in Venice the Italians won -- no other nation entered in 1920 , and in 1921 the French did not start . In 1920 and 1921 at Venice the Italians won -- in 1920 no other nation entered and in 1921 the French entry did not start . 1 +In practice , Mesquite `` modules '' Java - classes are usually concrete subclasses of abstract class definitions . In practice , Mesquite `` modules '' Java - classes are usually abstract subclasses of concrete class definitions . 0 +A UK tour started in May 1983 , featuring additional guitarist Robin George for live performances . In May 1983 , a UK tour started with live guitarist Robin George for additional performances . 0 +Callum O 'brien ( born November 4 , 1982 in New Zealand ) is a professional Cambridge squash player . Callum O 'brien ( born November 4 , 1982 in Cambridge , New Zealand ) is a professional squash player . 0 +Until 1991 , it was the only stage in Tehama County and until 1993 it offered the only public cinema . Until 1991 , it offered the only public stage in Tehama County and was the only cinema until 1993 . 0 +Born was born in Germany to Jewish parents , the son of Max Born and the scientist Hedwig Ehrenberg . Born in Germany was born to Jewish parent , the son of Hedwig Ehrenberg and scientist Max Born . 0 +He finally made one of the first botanical collections in the `` Western Republican '' , which were published in Ohio by a professional botanist . Finally , in `` Western Republican '' , he published one of the first botanical collections made by a professional botanist in Ohio . 0 +Malcolm Fraser , who had defeated Whitlam in a landslide at the federal election in December 1975 , offered Egerton the knighthood for serving the trade union movement . Whitlam , who had defeated Malcolm Fraser in a landslide at the federal election in December 1975 , offered Egerton the knighthood to serve the trade union movement . 0 +Both the European version and the North American version are in English . The North American version and the European version are available in English . 1 +The Roman - Catholic diocese of Lugazi is a diocese in the city of Lugazi in the church province of Kampala , Uganda . The Roman Catholic Diocese of Lugazi is a diocese located in the city of Lugazi in the Ecclesiastical province of Kampala in Uganda . 1 +This made him the first 994nd grader to play for the roosters . This made him the 994th first grader to play for the Roosters . 0 +Atoka is east of McGee Creek Lake ; west of Antlers and north of Farris , Oklahoma . Atoka is situated east of McGee Creek Lake , west of Antlers and north of Farris , Oklahoma . 1 +The music hall hall was first imported to Paris from London in 1862 , and became enormously popular , with dancers , singers , acrobats , magicians trained animals . The music hall was first imported from London to Paris in 1862 and became enormously popular with dancers , singers , acrobats and wizards trained animals . 1 +After the first round of the duel , Heine Totland beat the Skanksters to meet Gaute Ormåsen in the second round , who defeated Bjørn Johan Muri . After the first round of the duels , Bjørn Johan Muri defeated the skanksters to meet in the second round at Gaute Ormåsen , who beat Heine Totland . 0 +It was later confirmed to be published as a single for the album on 15 October in the UK and 23 October in the USA . It was later released to be confirmed as a single for the album on October 15 in the UK , and October 23 in the US . 0 +Saragyugh ( formerly romanized as Saragyukh ; also Darakoy , Darakey and Daragyukh ) is a village in the province of Shirak of Armenia . Saragyukh ( also known as Saragyukh Romanized ; formerly Darakoy , Darakey and Daragyukh ) is a village in the Shirak province of Armenia . 0 +At the age of 19 she moved to Stockholm , 2011 to New York . At the age of 19 she moved to New York , 2011 to Stockholm . 0 +Lito played football club for Zingone . Zingone played for Lito 's club football . 0 +The Swedish Ice Hockey Championship of 1932 was the 11th season of the Swedish Ice Hockey Championship , the Swedish National Championship , Hammarby IF won the championship . The Swedish Ice Hockey World Championship in 1932 won the 11th season of the Swedish Ice Hockey Championship , Sweden 's National Championship , Hammarby IF was the championship . 0 +He would travel to the station that night , located west of Tecumseh , and then return to Violet Springs with another horse before his neighbors could be suspicious . He would return that night to the station located west of Tecumseh , then ride to Violet Springs with another horse before his neighbors could become suspicious . 0 +Mark Knowles and Daniel Nestor won the title , defeating Jonathan Erlich and Andy Ram 5 -- 3 , 5 -- 4 in the final . Jonathan Erlich and Andy Ram won the title and defeated Mark Knowles and Daniel Nestor 5 -- 3 , 5 -- 4 in the final . 0 +Today , the majority of them do live in Greece , with some still in Bulgaria . The majority of them live today in Greece , some still in Bulgaria . 1 +Casely Hayford was also deeply involved in the political movement for African emancipation . Casely Hayford was also heavily involved in the political movement for African emancipation . 1 +Mark Allen won the final against Martin Gould with 1 : 0 ( 104 -- 0 ) . Martin Gould won the final 1 -- 0 ( 104 -- 0 ) against Mark Allen . 0 +Grady Howard was elected first mayor on this date , and was officially named the interim mayor of Spring Lake on June 5 , 1951 . On this date , Grady Howard was elected the first mayor and officially appointed Mayor of Spring Lake on June 5 , 1951 . 0 +The fourth was caused by the resignation of Joseph Hemphill sometime after May 1826 , which was filled in by Thomas Kittera . The fourth was in the caused by the resignation of Thomas Kittera sometime after May , 1826 , filled by Joseph Hemphill . 0 +There is also an isolated narrow gauge railway on the Eyre Peninsula from Ceduna to Port Lincoln . There is also an isolated narrow-gauge railway operating from Port Lincoln to Ceduna on the Eyre Peninsula . 0 +Bostryx turritus is a species of tropical air-breathing snail , a pulmonate gastropod mollusk in the Bulimulidae family . Bostryx turritus is a species of pulmonate air-breathing land snail , a tropical gastropod mollusk in the family Bulimulidae . 0 +When it was opened , the director of the BBC - television David Nixon and the first programme was '' First Night `` with Gerald Beadle in Studio Three . When it opened , the Director of BBC television was Gerald Beadle , and the first programme broadcast was `` First Night '' with David Nixon in Studio Three . 0 +From the west end of the bridge , Pennsylvania Route 268 leads south to Parker and north to Emlenton . The Pennsylvania Route 268 leads from the west end of the bridge to the north to Parker and south to Emlenton . 0 +Zervodexios is a form of a Greek folk dance from Greece and Thrace , Macedonia . Zervodexios is a form of a Greek folk dance from Macedonia and Thrace . 0 +Nourhan Manougian , the Armenian Patriarch of Jerusalem , stated that Armenians are treated as `` third-class citizens . '' The Armenian Patriarch of Jerusalem , Nourhan Manougian , said that Armenians are being treated as '' third-class citizens . 1 +The lighting in the Louvre painting is softer and appears warmer , but this may be the result of the tone of the varnish on the surface . The lighting in the Louvre - painting is warmer and appears softer , but this can be the result of the sound of the varnish on the surface . 0 +Wyoming Highway 330 is a fairly short east-west Wyoming State Road located in northwestern Sheridan County that serves the central part of Sheridan . Wyoming Highway 330 is a fairly short east - West Wyoming State Road in northwestern Sheridan County that serves the central part of Sheridan . 1 +He also donated $ 34,000 to Mitt Romney and $ 7,000 to Ted Cruz , including his 2016 presidential campaign . He also donated US $ 34,000 to Ted Cruz and US $ 7,000 to Mitt Romney , including his 2016 presidential campaign . 0 +He left Texas by train and was settled in Kansas to recover from his wounds . He left Kansas by train and settled in Texas to recover from his wounds . 0 +It is a celebrated pilgrimage centre located 78 kilometers from Dharwad and 37 kilometres from Belgaum . It is a celebrated pilgrimage centre located 78 kilometers from Belgaum and 37 kilometres from Dharwad . 0 +The first , Kai-sung , was Jin-Qua 's daughter , the mother of Dirk Struan by Gordon Chen . The first Kai-sung was Jin-Qua 's daughter . She was the mother by Gordon Chen of Dirk Struan . 0 +McMillan spent two years at the Royal Medical Corp. in Tidworth -- and later at Didcot , where he led an MRS for soldiers who were injured in the Korean War . McMillan spent two years in the Royal Medical Corp. at Tidworth -- and later at Didcot , where he ran an MRS for soldiers injured in the Korean War . 1 +Colonel Lieutenant Donald Grant Millard , Captain Gerald K. Hannaford and Captain John F. Lorraine were the passengers of the aircraft . The occupants of the aircraft were Colonel Gerald K. Hannaford , Captain Donald Grant Millard and Captain John F. Lorraine . 0 +The episode was addressed by Tony Goldwyn and written by Matt Byrne and Mark Fish . The episode was written by Matt Byrne and Mark Fish and directed by Tony Goldwyn . 1 +There remain two small independent leagues with only a handful of members : the Grampian Alliance League and the Highland Alliance League . Two small independent leagues remain , with only a handful of members : the Grampian Alliance League and the Highland Alliance League . 1 +When a higher number of different IEs is required , this often results in more capacity planning problems and inherently leads to a non-delivery of the IP . When a higher number of different IEs are required , it often results in more planning problems in capacity and inherently leads to a non-delivery of the IP . 1 +He was born in Carter County , Tennessee and was later moved to Arkansas . He was born in Arkansas and later moved to Carter County , Tennessee . 0 +Dotty was born in 1923 in Gloucester and died in 2014 in Boston . Dotty was born in 1923 in Boston and died in Gloucester in 2014 . 0 +The Audi V8 competed during its presence in the DTM with much smaller and roughly smaller Mercedes 190 , BMW M3 and slightly lighter Opel Omega 3000 . The Audi V8 competed with significantly smaller and lighter Mercedes 190 , BMW M3 and slightly smaller Opel Omega 3000 during its DTM presence . 0 +Steve Steve began a relationship with Karen Phillips , played by Suranne Jones . Karen Phillips began a relationship with Steve played by Suranne Jones . 0 +There are no emergency services at Macquarie Hospital , and the nearest emergency departments are located at Ryde Hospital , Concord Hospital or Royal North Shore Hospital . There are no emergency services at Concord Hospital , or Royal North Shore Hospital . The nearest Emergency Departments are at Ryde Hospital , Macquarie Hospital . 0 +Debelets is a town in northern Veliko Tarnovo Municipality , Veliko Tarnovo Province , part of Bulgaria . Debelets is a city in northern Bulgaria , part of the municipality Veliko Tarnovo , province Veliko Tarnovo . 0 +Dr. Hector , Cody and Christie find Dr. Christie , who takes Forrest hostage . Hector , Cody , and Christie find Dr. Christie who takes Forrest hostage . 1 +The howitzer regiment had been removed and the original artillery regiment retained the number of the standard light regiment . The peak regiment had been removed , and the original artillery regiment retained the number of the standard light regiment . 0 +Some unfinished ancient pieces , such as the Kouros of Apollonas or the two Kouroi of Flerio , are found in these quarries . Some unfinished ancient pieces , like the Kouros of Apollonas or the two Kouroi of Flerio are found in these quarries . 1 +The loyalists had camped on the west side of the Catawba River , while the army of General Charles Cornwalli camped on the east side . The Loyalists were camped on the west side of the Catawba River while General Charles Cornwallis ' army had camped on the east side . 1 +The cards are dealt as shown in the bridge hand diagram ; North is the dealer and starts the auction which proceeds as shown in the bidding table . The cards are shown as in the Bridge Hand diagram , North is the dealer and executes the auction that starts as dealt in the bidding table . 0 +Start-up funds came from the Bill & Melinda Gates Foundation , financier Edward W. Scott , and technology entrepreneur George Soros . The funds came from the Bill Melinda Gates Foundation , financier Edward W. Scott , and technology entrepreneur George Soros . 1 +Prominent space is given in Mallock 's '' The Conservative Mind `` . Russell Kirk is given prominent space in Mallock 's `` The Conservative Mind '' . 0 +The first section , from Hokitika to Ruatapu , was opened on November 9 , 1906 , and the full line to Ross was completed on April 1 , 1909 . The first section , from Hokitika to Ruatapu , was completed on 9 November 1906 , and on 1 April 1909 the complete line on Ross was opened . 0 +The next town hall was built in the Baroque style in 1627 and was damaged in 1650 , 1653 , 1735 and 1779 . The next town hall damaged in 1627 , in a Baroque architectural style , and was built in 1650 , 1653 , 1735 , and 1779 . 0 +Within five days , this cold air mass extended from the southern Marianas to the northern Philippine Islands . Within five days , this cold air mass stretched from the southern marianas to the northern Philippine islands . 1 +Two were produced in 1934 , but no more were flown . Two were flown in in 1934 , but no more were produced . 0 +With Terry as Ophelia and Portia he has revived `` Hamlet '' and `` The merchant of Venice '' ( 1879 ) produced . With Terry as Ophelia and Portia , he produced `` Hamlet '' and revived `` The Merchant of Venice '' ( 1879 ) . 0 +`` Historia Plantarum Rariorum '' shows plants from the Chelsea Physic Garden and the Cambridge Botanic Garden . `` Historia Plantarum Rariorum '' depicted plants from the Cambridge Botanic Garden and the Chelsea Physic Garden . 1 +She was born in Mexico , but soon moved with her family to San Juan , Puerto Rico , to be born with heterochromia iridum . Carmine was born in San Juan , Puerto Rico but soon moved with her family to Mexico . She was born with Heterochromia iridum . 0 +It was granted in 1544 to John Sone , who immediately passed it on to Henry Audeley and John Cordall . It was granted in 1544 to John Sone who at once passed it on to Henry Audeley and John Cordall . 1 +He featured in five consecutive games from Round 1 ( Wakefield Trinity Wildcats ) to Round 5 ( Huddersfield Giants ) . He played in five consecutive games from round 1 ( Huddersfield Giants ) to round 5 ( Wakefield Trinity Wildcats ) . 0 +The film plays Jembie Almazan as Alex , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Maria . The film stars Jembie Almazan as Alex , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Maria . 1 +Neither Anna 's previous engagement to Dostoyevsky nor Dostoyevsky 's strong political differences with the Jaclards prevented cordial and regular contact between them . Neither Dostoyevsky 's previous engagement with Dostoyevsky nor Anna 's strong political differences with the Jaclards prevented warm and regular contact between them . 0 +The poem is preserved in four contemporary manuscripts , one of which is fragmentary : The poem is preserved in four fragmentary manuscripts , of which a contemporary one . 0 +On 17 August 1865 , the 3rd New York Volunteer - Cavalry with the 16th New York Volunteer Cavalry was consolidated into the 13th New York Provisional Cavalry . On 17 August 1865 , the 13th New York Volunteer Cavalry with the 16th New York Volunteer Cavalry was merged into the 3rd New York Provisional Cavalry . 0 +Since 1984 Blake is married to Patricia Meyer and they have two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . Since 1984 Patricia Dale is married to Patricia Meyer and together they have two sons : Ryan ( born 1988 ) and Blake ( born 1992 ) . 0 +His first screen appearance as Glockner during the episode was broadcast on 22 February 2013 . Mason made his first screen appearance as Glockner during the episode broadcast on 22 February , 2013 . 1 +Llyn Dinas is a lake near Beddgelert , Gwynedd in North Wales and is formed by the Glaslyn River . Beddgelert is a lake near Llyn Dinas , Gwynedd in north Wales . It is formed by the River Glaslyn . 0 +This requires continuous monitoring of the actual partial pressures over time and requires real-time computer processing by the diver 's decompression computer for the maximum effectiveness . This requires continuous monitoring of real pressures with time and for maximum effectiveness requires actual partial-time computer processing by the diver 's decompression computer . 0 +In ruminants , neurological disease is also present , and animals may refuse to eat , appear lethargic , and also develop respiratory signs . There is also a respiratory disease in ruminants , and animals may refuse to eat , appear lethargic and also develop neurological signs . 0 +If in a sentence there are several grammatical categories , only the plural bears the first marker . Ex . : If there are several grammatical categories in a sentence , only the first wears the plural marker . 0 +Kathy and her husband Pete Beale ( Peter Dean ) are financially stable . Kathy Kathy and her husband Peter Dean ( Pete Beale ) are stable financially . 1 +The manga has a videogame for the Sega Mega Drive with the same name in Japan and Asia . The manga has a video game for the Sega Mega Drive in Japan and Asia with the same name . 1 +The compound was developed by Dr. Patrick Page and his team and was patented by Genkyotex in 2007 . The compound was patented by Dr. Patrick Page and his team , and was invented in 2007 by Genkyotex . 0 +In leaves , the vascular bundles are located among the spongy mesophyll . The vascular bundles between the spongy mesophyll are located in leaves . 1 +Azusa Pacific University 's Azusa Campus is located in San Gabriel Valley , northeast of Los Angeles . Azusa Pacific University 's Azusa campus is situated in the San Gabriel Valley , located northeast of Los Angeles . 1 +The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FC Terek Grozny and the Russian FK Borac Čačak . The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FC Terek Grozny and Russian FK Borac Čačak . 1 +The first series was recorded by critics better than the second . The second series was better received by critics than the first . 0 +According to the United States Census Bureau , Kennesaw has a total surface area of which land and , or 1.08 % , is water . According to the United States Census Bureau , Kennesaw is a total area of , of which is land and or 1.08 % , has water . 1 +The township contains nine cemeteries : Bucher , Calvertville , Goodwin , Kelley , Owens , Snyder , Stalcup , Wall and Walnut Grove . The township includes nine cemeteries : Kelley , Owens , Calvertville , Goodwin , Bucher , Snyder , Stalcup , Wall and Walnut Grove . 1 +Acheson 's mother Alice was a painter , and his maternal grandparents were Louis Stanley , a railroad lawyer and Jane C. Stanley , was a watercolorist . Acheson 's mother Alice was a painter and his grandparents maternal was Jane C. Stanley , a railroad lawyer and Louis Stanley , a watercolor list . 0 +On 1 January 2012 , the district population was 62,500 , of which 9.6 % were urban dwellers and 90.4 % rural population . 1 January 2012 the district population was 62,500 of which 9.6 % urban and 90.4 % rural population . 1 +On 17 August 1865 , the 13th New York Volunteer Cavalry with the 16th New York Volunteer Cavalry was merged into the 3rd New York Provisional Cavalry . On August 17 , 1865 , the 3rd New York Volunteer Cavalry was consolidated with the 16th New York Volunteer Cavalry to form the 13th New York Provisional Cavalry . 0 +In practice , Mesquite `` modules '' are Java classes , usually concrete sub-classes of abstract class definitions . In practice are mesquite `` modules '' Java - classes , usually abstract subclasses of concrete class definitions . 0 +The `` Fallbeil '' was used for the last time in East Germany in 1949 , in West Germany in 1966 . The `` case '' was used for the last time in 1949 in East Germany , 1966 in West Germany . 1 +The 1973 -- 74 UEFA Cup was won by Feyenoord Rotterdam over Tottenham Hotspur 4 -- 2 on aggregate . The UEFA Cup 1973 -- 74 was won by Tottenham Hotspur over Feyenoord Rotterdam 4 : 2 . 0 +The Boulder Dushanbe Tea House was a gift from mayor Maksud Ikramov from Dushanbe to the city of Boulder , Colorado . The Boulder Dushanbe Tea House was a gift from Mayor Maksud Ikramov of Dushanbe to the city of Boulder , Colorado . 1 +The above examples for the possessive theme `` -m '' were singular to the first person . The above examples for the singular theme `` -m '' were for the first person possessive . 0 +In a 1985 episode of `` The Tonight Show with Johnny Carson '' Johnny mentions the story and tells the plot Sidekick Ed McMahon . In a 1985 episode of `` The Tonight Show Starring Johnny Carson '' , Ed McMahon mentions the story and tells sidekick Johnny the plot . 0 +Jürgen Melzer won the title after defeating Michał Przysiężny in the final with 6 : 4 , 6 : 3 . Jürgen Melzer won the title after defeating Michał Przysiężny 6 -- 4 , 6 -- 3 in the final . 1 +The distance between Kampala 's central business district and Kawempe is approximately . The road distance between Kampala 's central business district and Kawempe is approximately . 1 +It is a celebrated pilgrimage centre located 78 kilometres from Dharwad and 37 kilometres from Belgaum . It is a famous pilgrimage centre located 78 kilometres from Dharwad and 37 kilometres from Belgaum . 1 +Maritsa Lazari was born in October 1943 in London , UK . She emigrated with her family to Cyprus at the age of 16 . Maritsa Lazari was born in Cyprus in October 1943 and emigrated with her family to London , England at the age of 16 . 0 +Nicole Nicole Pratt defeated Kristin Godridge 6 -- 4 , 6 - 3 Kristin Godridge defeated Nicole Pratt 6 -- 4 , 6 -- 3 . 0 +He recorded with the band of Billy Eckstine and in 1946 he played with Lionel Hampton . He recorded with Billy Eckstine 's band and in 1946 , he played with the Lionel Hampton band . 1 +His father , Patrick Byrne , was a delegate , senator and lord mayor of Dublin , another brother Alfie Byrne was also TD . His father , Alfie Byrne , was a deputy , TD , senator , and lord mayor of Dublin , and another brother , Patrick Byrne , was also TD . 0 +So far Zinovjev ’ s works have been performed by Oulu Symphony Orchestra , Lahti Symphony Orchestra , Kymi Sinfonietta , the Finnish Radio Symphony Orchestra and Avanti ! Zinovjev 's works have been so far performed by Finnish Radio Symphony Orchestra , Lahti Symphony Orchestra , Kymi Sinfonietta , Oulu Symphony Orchestra and Avanti ! 1 +Its effects can include biochemical reactions , central nervous system responses , and physiological changes . Its effects may include biochemical responses , central nervous system reactions , and physiological changes . 1 +Premalignant lesions are apparently a typical tissue that appears abnormal in microscopic examination and in which cancer is more likely than its morphologically normal counterpart . Premalignant lesions are morphologically atypical tissue which appears abnormal under microscopic examination , and in which cancer is more likely to occur than in its apparently normal counterpart . 0 +It flows into Peachtree Creek , which will then flow into the Chattahoochee River south of Vinings and Paces . It empties into Peachtree Creek , which then flows into the Chattahoochee River , south of Vinings and Paces . 0 +The music was composed by Vijayan and the lyrics by K. J. Yesudas and K. Raghavan were written . The music was composed by K. J. Yesudas and K. Raghavan and lyrics was written by Vijayan . 0 +In 1911 the town hall was destroyed , partially restored in 1945 and rebuilt in the 1960s . In 1911 , the town hall was reconstructed , in 1945 partially destroyed , and subsequently restored in the 1960s . 0 +Just upstream is the disused Michigan Central Railway Bridge which with its predecessor the Whirlpool Rapids Bridge competed for rail traffic with the Niagara Cantilever Bridge . Upstream is the decommissioned Michigan Central Railway Bridge , which with its predecessor , the Niagara Cantilever Bridge , competed with the Rapids Bridge whirlpool for rail transport . 0 +A solo retreat is a dark retreat in a space that is completely absent of light . A dark retreat is a solo place of retreat in a space that is completely without light . 0 +Brown is married to Brown and resides in Lehi , Utah , the Carol Ewer are parents of eight children . Brown is married to Brown and resides in Lehi , Utah . The Carol Ewer are the parents of eight children . 1 +The team responded to the changes in the same game that next February 19 evening . The team responded to the changes in the same game that took place next February evening . 1 +Notoficula signeyensis is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the navy . Notoficula signeyensis is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 0 +In June 2005 , the BBC College of Journalism was opened as an E-Learning course with Kevin Marsh as Executive Editor , the first director of which was Vin Ray . The BBC College of Journalism was opened as an e-learning course series in June 2005 , with Vin Ray as Executive Editor . Its first Director was Kevin Marsh . 0 +Another way to regulate the population of deer is to control the birth rate . Another way to regulate the population of deer is to control the fertility rate . 1 +Soulié de Morant worked several years in the French diplomatic corps in China , where he served as French consul in several Chinese cities . Soulié de Morant served for several years in the French diplomatic corps in China , where he worked as a French consul in several Chinese cities . 1 +Dakota City is part of the metropolitan region Sioux City , IA -- NE -- SD . Dakota City is part of the NE -- Sioux City , IA -- SD Metropolitan Statistical Area . 0 +He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of the senior politician Anton Martin Schweigaard and Tante of later prime minister Christian Homann Schweigaard . He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of leading politician Christian Homann Schweigaard and aunt of later Prime Minister Anton Martin Schweigaard . 0 +The mass production of electronic and digital films was directly linked to the mainstream film industry until the emergence of pornographic video technology . Until the advent of electronic and digital video technology , the mass production of pornographic films was directly tied to the main film industry . 0 +On June 25 , 1866 , he was appointed bishop of `` Nisa in Lycia and titular bishop of Velletri . On June 25 , 1866 , he was appointed titular bishop of `` Nisa in Lycia , and the Bishop of Velletri . 0 +The movie was photographed by Rajiv Menon and edited by A. Sreekar Prasad . The film was photographed by Rajiv Menon and edited by A. Sreekar Prasad . 1 +He was a prominent member of the core team during the early years of the Indian Institute of Management in Calcutta , the first Indian Institute of Management . He was a core member of the initial team during the first years of the Indian Institute of Management Calcutta , the prominent Indian Institute of Management . 0 +The UIF was formed in 2008 by a fusion between the Indoor Football League ( IFL ) and the United Intense Football League . The UIF was formed in 2008 through a merger between the Indoor Football League ( IFL ) and the United Intense Football league . 1 +The number of reported fires at the beginning of February was 73 with 26 out of control and expected time to control in order to be another month of fires . The number of reported fires in early February was out of control at 73 with 26 and expected time to control another month of fire . 1 +This is the main railway station of Nabadwip town of Nadia District in the state of West Bengal . This is the main railway station of Nabadwip City of Nadia District in the state of West Bengal . 1 +The manuscript was added to the list of manuscripts of the New Testament by Caspar René Gregory ( 278 ) and Frederick Henry Ambrose Scrivener ( Number 329 ) . The manuscript was added to the list of manuscripts in the New Testament by Frederick Henry Ambrose Scrivener ( 278 ) and Caspar René Gregory ( number 329 ) . 0 +Enigmaticolus Monnieri is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . Enigmaticolus monnieri is a species of sea snail , a true gastropod mollusc in the family Buccinidae , the marine whelks . 1 +He was an Invited Speaker of the ICM in Toronto in 1924 , in 1932 in Zurich , and in 1936 in Oslo . In 1924 he was an invited spokesman for the ICM in Toronto , in Oslo in 1932 and in Zurich in 1936 . 0 +Cavally was born in Cincinnati , Ohio and grew up in Denver , Colorado . Born in Denver , Colorado , Cavally grew up in Cincinnati , Ohio . 0 +33.7 % were born in Maryland , which is categorized as part of the Southern United States together with neighboring Virginia and Washington , D.C. from the Census Bureau . 33.7 % were born in Virginia , which is categorized by the Census Bureau as part of the southern United States together with neighboring Maryland and Washington , D.C . 0 +Depending on the seasons , the populations of cabbage migrate from Canada to Mexico in North America . Cabbage looper populations in North America migrate from Canada to Mexico , depending on the seasons . 0 +The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a matter of debate within both specific Anglican churches and throughout the Anglican community . The degree of distinction between Protestant and Catholic tendencies within the specific Anglican tradition is routinely a matter of debate both within the Anglican churches and throughout the Anglican community . 0 +The French constituency of Finistère is a 1st constituency in the Finistère `` département '' . The 1st constituency of Finistère is a French constituency in the Finistère `` département '' . 0 +The character and cast was revealed on November 20 , when Fotiou was published behind the scenes in a video seen by the `` Neighbours '' on their YouTube channel . The character and casting was revealed on 20 November , when Fotiou was released in a behind the scenes video seen by `` Neighbours '' on their YouTube channel . 1 +Of this population , 87.91 % are ethnic Romanians , 7.53 % ethnic Hungarians and 4.43 % ethnic Romani . Of this population , 87.91 % are ethnic Hungarians , 7.53 % ethnic Romanians and 4.43 % ethnic Romani . 0 +Field greens and root plants were generally not cultivated and grew gathered seasonally when they were in the wild . Field greens and root plants were generally not cultivated and , when they were in the wilderness , grew seasonally . 1 +Farmer defeated Armstrong - candidate Wesley Lobb with 180 votes and was retained in office after the election . Armstrong defeated Farmer candidate Wesley Lobb by 180 votes , and was retained in office after the election . 0 +In February 2014 , Network Ten announced that Danielle would replace Isdale Hugh Riminton as the moderator , and Victoria Murphy would become a presenter . In February 2014 , Network Ten announced that Danielle Isdale would replace Hugh Riminton as presenter , and Victoria Murphy would become the sports presenter . 0 +Siebenberg described the song as his favourite on the album `` because it is so pure and so personal . Siebenberg described the song as his favourite on the album `` because it is so personal and so pure . 1 +Madison District Public Schools is a school district serving the south end of Madison Heights , Michigan in Greater Detroit . Madison District Public Schools is a school district to the south of Greater Detroit in Madison Heights , Michigan . 0 +The Cancer Genome Project was launched by Michael Stratton in 2000 , and Peter Campbell is now the group leader of the project . The Cancer Genome - project was launched by Peter Campbell in 2000 , and Michael Stratton is now the leader of the project . 0 +Fishman holds a bachelor 's degree from Brown University and a master 's degree in economics from Columbia University . Fishman holds a Bachelor 's degree from Brown University and a Master 's degree in Columbia University Economics . 1 +The river Valea lui Lambă or `` unk '' imon river is a tributary of the River Lom in Romania . The Valea lui Lambă River or Lom River is a tributary of the Șimon River in Romania . 0 +He became Finnish champion in 1999 and 2003 , rivalling with Jarno Jokihaara and Marko Ritola . He also became indoor champion in 2003 . In 1999 and 2003 he became Finnish master , with Jarno Jokihaara and Marko Ritola , in 2003 he became Indoor - Champion . 1 +Some important committees sign the Finance Committee , the Ritual Committee and the Social Action Committee . Some important committees include the Ritual Committee , the Social Action Committee , and the Finance Committee . 1 +The second season became Comedy Central 's ninth highest rated program . The ninth season became the second highest rated Comedy Central program . 0 +Adam Surat ( `` Inner Strength '' ) is a documentary film directed by Sheikh Mohammed Sultan in 1989 about the Bangladeshi painter Tareque Masud . Adam Surat ( `` Inner Strength '' ) is a documentary film directed by Tareque Masud in 1989 about the Bangladeshi painter Sheikh Mohammed Sultan . 0 +Shook was an electronic music magazine , based in London , which covered various forms of British and black music underground . Shook was an independently produced British music magazine based in London which covered various forms of black music and electronical music . 0 +The empirical observation of GLA 's anti-inflammatory effects argues that the actual effects of DGLA dominate . The empirical observation of GLA 's anti-inflammatory effects argues that DGLA 's actual effects dominate . 1 +The Axouchoi were a prominent family of Turkish origin , which was closely connected with the Komnenian dynasty and provided a number of prestigious generals . The Axouchoi were a prominent family of Turkish origin , which was closely associated with the Komnenian dynasty and provided a number of distinguished generals . 1 +Schwarzau im Gebirge is a town in the district of Neunkirchen in the Austrian province of Lower Austria . Schwarzau im Gebirge is a town in the Austrian province of Neunkirchen in the district of Lower Austria . 0 +`` Lupinus bicolor '' has a thin stem and short , hairy , palmately-arranged leaves . `` Lupinus bicolor '' has a thin stem and short , hairy , palm-like leaves . 1 +It was raised in 1943 -- in 1944 by the Germans and sunk twice by allied bombers and finally scrapped in 1946 -- in 1947 . She was sunk by the Germans and scrapped by Allied bombers twice in 1943 -- 1944 and finally raised in 1946 -- 1947 . 0 +His best positions in the competition were in tenth in 1960 and 1968 in eighth place . His best positions in competition were eighth in 1960 and tenth in 1968 . 0 +Tell his father , Charlie Clausen ( Zac MacGuire ) and Evie immediately . Hunter immediately tell his father , Zac MacGuire ( Charlie Clausen ) , and Evie . 0 +She was observed as '' has a very great potential and great talent and will grow in the future to a unique musical personality . She was observed as `` has a very huge potential and a great talent , and will grow to an unique musical personality in future . '' 1 +His name , Afolabi , means `` Born into wealth `` . His nickname in Nigeria is Robocop because of his stiff movements . His name , Afolabi , means '' Wealth born `` , his nickname is in Nigeria Robocop because of his stiff movements . 1 +Karen Phillips began a relationship with Steve of Suranne Jones played . Karen Phillips began a relationship with Steve played by Suranne Jones . 1 +With her I have been able to fulfill some of my musical dreams with early styles and this new style is really big , fresh and naturally fluent . With her I 've been able to fulfill some of my musical dreams with early styles and this new style is really big , fresh and naturally flowing . 1 +With Vinny Testaverde considered the starter , Zolak was competing against Ray Lucas for a backup job . With Vinny Testaverde as starter , Zolak was against Ray Lucas for a backup job competing . 1 +Jason Thornton is the orchestra 's Artistic Director , Peter Donohoe the Principal Guest Conductor and Gavin Carr the Associate Conductor . Gavin Carr is the artistic director of the orchestra , Peter Donohoe , the principal guest conductor and Jason Thornton , the Associate Conductor . 0 +The peak regiment had been removed , and the standard artillery - regiment retained the number of the original light regiment . The howitzer regiment had been removed , and the standard artillery regiment retained the number of the original light regiment . 1 +He also wrote a large number of orchestral arrangements and accompaniments for varieties . He also wrote a large number of vocal arrangements and orchestral accompaniments to varieties . 0 +Lee has played professionally in Italy , Russia , Greece , France , Indonesia and Greece . He has won national championships in Puerto Rico , Portugal and Indonesia . He played professionally in Greece , Russia , Italy , France , Puerto Rico , Portugal and Indonesia and won national championships in Indonesia and Greece . 0 +Round Island is currently uninhabited and is owned by the U.S. Forest Service in its entirety , and is managed as part of the Hiawatha National Forest . Round Island is currently uninhabited and is administered in its entirety by the U.S. Forest Service , and is part of the Hiawatha National Forest . 0 +She is praised by Richard Gibson and the court painter Peter Lely and is considered as successful as Joan Carlile . She is praised by Richard Gibson and the court painter Joan Carlile as as successful as Peter Lely . 0 +The JoyKey has no moving parts , no corks that can break , or feathers that can wear out . The JoyKey has no moving parts , no corks that can wear or springs that can break . 0 +In 2002 , the song was released by British producer Vincent Stormfield and covered as `` Sweet Harmony 02 '' by Independiente . In 2002 , the song was published by the British producer Vincent Stormfield and covered by Independiente as '' Sweet Harmony 02 `` . 1 diff --git a/examples/datasets/pawsx/dev-zh.tsv b/examples/datasets/pawsx/dev-zh.tsv new file mode 100644 index 0000000..ea8fbd3 --- /dev/null +++ b/examples/datasets/pawsx/dev-zh.tsv @@ -0,0 +1,2000 @@ +Four Rivers 委员会与 Audubon 委员会合并后,Shawnee Trails 委员会得以问世。 肖尼小径委员会由合并四河委员会和奥杜邦委员会成立。 1 +凯西和她的丈夫皮特·比尔(彼得·迪恩)经济状况稳定。 凯西和她的丈夫彼得·迪恩(皮特·比尔)经济状况稳定。 1 +Timora diarhoda 是夜蛾科的一种蛾类。它被发现于非洲,包括南非。 Diarhoda 是夜蛾科的一种蛾类。它被发现于南非,包括非洲。 1 +小乔·R·坎帕是前美国海军水手,曾任美国海军第十一任军士长。 小乔·R·坎帕是前美国海军水手,曾任美国海军第十一任军士长。 1 +库克池也称为南瓦图帕池,位于劳雷尔湖东南面和汤顿河西面。 库克池之前也称为劳雷尔湖,位于汤顿河东南部和南瓦图帕池西部。 0 +1972 年,他举家搬至营山,并就读于宾西法尼亚州哈里斯堡的崔尼迪高中。 1972 年,全家搬至希尔营,他在那里参观了宾西法尼亚州哈里斯堡的三一高中。 1 +如果弹性电位系统的组件在系统受力时发生变形,则它们会存储机械能。 如果弹性势能系统的组件在受力时发生变形,则它们存储机械能。 1 +在数学天文学领域,他的声誉归功于天文球体的提出,以及他对理解行星运动的早期贡献。 他在数学天文学方面享有盛誉是因为他引入了天文地球仪,并对理解行星运动作出了早期贡献。 1 +新泽西州哈德逊县也被拼作“Macpelah 墓地”或“Macphelah 墓地”,是位于 Machpelah 墓地的一块墓地。 Machpelah 墓园是新泽西州哈德逊县的一处墓地,亦拼作“Macpelah 墓园”或“Macphelah 墓园”。 0 +阿米尔·汗在读完梅赫拉的《巴萨提的颜色》剧本后立即同意出演。 读完阿米尔·汗的剧本后,梅赫拉立即同意出演“巴萨提的颜色”。 0 +在以下评论中,对节目的最高评价以红色表示,对节目的最低评价为蓝色剧集。 在以下评论中,对节目的最低评价将以红色表示,对节目的最高评价以蓝色序列表示。 0 +多元宇宙是具有相似性质和宇宙等级的平行宇宙的集合。 多元宇宙是一组具有宇宙特性和相似等级的平行宇宙的集合。 0 +为了本次及后续活动,Lucas Dumbrell Motorsport 用亚历克斯·戴维森接替了阿隆·罗素。 Lucas Dumbrell Motorsport 在本场及后续活动中将亚历克斯·戴维森替换为阿伦·拉塞尔。 0 +马丁斯·佩纳出生于里约热内卢,他的父母是若奥·马丁斯·佩纳和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳。 若奥·马丁斯·佩纳和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳出生于里约热内卢,父亲是马丁斯·佩纳。 0 +以下是监管综合格斗的各州确定的犯规清单,内华达州体育委员会已作出概述。 以下是监管综合格斗的各州确定的犯规清单,内华达州体育委员会已作出概述。 1 +里程碑的例子包括击败世界大赛冠军队、击败历史悠久的队伍以及与其他队员正面交锋。 里程碑的例子包括击败世界大赛冠军队、与历史悠久的队伍比赛以及在正面交锋中击败其他队员。 0 +在 1968 年的历史性伍斯特大道暴乱中,种族性的橡胶碗体育馆被美国国民警卫队用作基地。 历史悠久的橡胶碗曾在 1968 年种族主义伍斯特大街暴动中作为美国国民警卫队的基地。 0 +她们中有波莱罗舞曲作曲家玛丽·特蕾莎·里奥斯、作家尤莉塔·罗斯,以及歌手西尔维娅·雷克萨奇。 她们中有波列罗舞作曲家玛丽·特里萨·里奥斯、作家茱利塔·罗斯和歌手希薇亚·雷萨赫。 1 +当它开播时,BBC 电视台台长是大卫·尼克森,而第一个广播的节目是由杰拉德·比德尔在第三演播室主持的《第一夜》。 当它开放时,杰拉德·比德尔担任 BBC 电视频道的总监,而第一个广播节目是由大卫·尼克森在三号演播室主持的《第一夜》。 0 +鲍勃和泰德是兄弟。泰德是约翰的儿子。 鲍伯和泰德是兄弟,泰德是约翰的儿子。 1 +圣文森特伯爵号是一艘英国船只,在 1803 年被捕获后成为了法国商船。 厄尔·圣·文森特是一艘法国的船只,1803 年被俘获后成为了英国商人。 0 +它在 2011 年 12 月 22 日发行并在 2012 年 2 月揭晓。 它于 2011 年 12 月 22 日出版并于 2012 年 2 月公布。 1 +罗伯特爵士是格洛斯特郡霍克斯伯里首代詹金森从男爵的儿子。 罗伯特爵士的儿子安东尼是格洛斯特郡霍克斯伯里第一位詹金森从男爵的父亲。 0 +Probuccinum tenerum 是一种海螺,是属于蛾螺科的真正腹足软体动物,是海生蛾螺。 Probuccinum tenerum 是一种海螺,属于蛾螺科的海生腹足软体动物,是真正的蛾螺。 0 +洛阳队在首轮击败莱佛士书院,并在四分之一决赛中击败新民中学,之后在半决赛中输给了华侨中学。 洛阳队在首轮击败莱佛士书院,并在四分之一决赛中击败新民中学,之后在半决赛中输给了华侨中学。 1 +约拿在鱼腹中度过三日,耶稣将在坟墓中度过三日。 耶稣在鱼腹中度过三日;约拿将在坟墓中度过三日。 0 +他之后在俄亥俄州托莱多任教,1856-1859 年间在克利夫兰担任学校的副教育学监。 他随后在俄亥俄州克利夫兰任教并于 1856 至 1859 年间担任托莱多学校的副校长。 0 +但为击败斯洛伐克,德里克必须成为吸血鬼攻击者。 然而,为了成为斯洛伐克人,德里克必须击败吸血鬼刺客。 0 +Flavia Gleske,以 Flavia Alejandra Gleske Fajin(1978 年 5 月 15 日出生)更为人熟知,是一名委内瑞拉女演员。 弗拉维亚·亚历杭德拉·格莱斯克·法金是一位委内瑞拉女演员和模特,其更广为人知的名字是弗拉维亚·格莱斯克(生于 1978 年 5 月 15 日)。 0 +于热于 1962 年出生于巴黎,他在智利和纽约生活与工作。 Huyghe 1962 年出生于智利和纽约,并在巴黎生活和工作。 0 +Finale 是南非林波波省 Mopani 区自治市的一座城市。 菲纳莱是南非的一个城市,位于林波波省的默帕尼区自治市。 0 +他出生于田纳西州的卡特县,之后移居阿肯色州。 他在田纳西州卡特县出生,后来搬到阿肯色州。 1 +1876 年,他移居加利福尼亚州的圣地亚哥,并于 1887 年搬至德克萨斯州的达拉斯。 他于 1876 年搬到加利福尼亚州圣地亚哥,于 1887 年搬到得克萨斯州达拉斯。 1 +Dénes 撰写了西格蒙德·弗洛伊德的第一部匈牙利语传记。她认识她那个时代的杰出人物,比如莱纳·玛利亚·里尔克和诗人弗拉基米尔·列宁。 她撰写弗拉基米尔·列宁以及她那个时代的著名人物的首部匈牙利语传记,比如西格蒙德·弗洛伊德和诗人莱纳·玛利亚·里尔克。 0 +她的作品还与苏格兰学派和安妮·S·斯旺的热门小说联系在一起。 此外,她的作品还与流行的菜园派和安妮·S·斯万所著的苏格兰小说建立起了联系。 0 +Rõuge Valgjärv 是爱沙尼亚沃鲁东南部的一个湖泊,靠近拉脱维亚边境。 Rõuge Valgjärv 湖位于爱沙尼亚东南部的沃鲁县,靠近拉脱维亚边境。 1 +它是汉诺威镇的一部分,之后并入查塔姆镇,再之后于 1899 年被记录为弗洛勒姆帕克。 它是汉诺威镇的一部分,之后并入查塔姆镇,再之后于 1899 年被并入弗洛勒姆帕克。 1 +保皇派在卡托巴河西侧扎营,查尔斯·康沃利将军的军队驻扎在东侧。 保皇派在卡托巴河西侧扎营,查尔斯·康沃利斯将军的军队驻扎在东侧。 1 +Mohammad Shafiq(变体:Mohammed、Muhammad、Shafik、Shafeek、Shafeeq、Shafique、Shafic、Chafic)可能指 Mohammad Shafiq(变体:Mohammed、Muhammad、Shafik、Shafeek、Shafeeq、Shafique、Shafic、Chafic)可能指 1 +根据若尔当仅限非零则式,“T”类似于典型条目位于超对角线上的矩阵。 “T”类似于一个矩阵,其标准条目均采用若尔当非零超对角形式。 1 +虽然两车车身部件可互换,却并不相似。 尽管具有相似性,但 2 台车的车身部件无法互换。 0 +凡伍德位于第 22 国会选区,也是新泽西州第 12 立法选区的组成部分。 凡伍德位于第 22 个国会选区内,也是新泽西州第 12 个州立法选区的一部分。 1 +独立后,该机构被新政府制裁并获得现在的名称。 独立后,该机构得到了当前政府的认可,并获得了新的名称。 0 +卡斯帕·雷内·格里高利 (278) 和弗雷德里克·亨利·安布罗斯·斯科里夫纳(第 329 号)将该手稿添加至《新约全书》的手稿清单。 手稿曾被弗雷德里克·亨利·安布罗斯·斯克里夫纳 (278) 和卡斯帕·勒内·格雷戈里(编号 329)添加至《新约全书》手稿清单中。 0 +英国巡演于 1983 年 5 月开始,有另一位吉他手罗宾·乔治参加现场演出。 1983 年 5 月,由现场吉他手罗宾·乔治参加的英国巡演开始进行追加表演。 0 +ACVM 总部位于爱丁堡,在格拉斯哥、阿伯丁、纽卡斯尔、曼彻斯特和米尔顿凯恩斯均设有办事处。 ACVM 将总部设在格拉斯哥,并且在爱丁堡、亚伯丁、纽卡斯尔、曼彻斯特和米尔顿凯恩斯设立子公司。 0 +内德·兰布顿和麦克尤恩于 1995 年离婚。后来,她嫁给了音乐家朱斯·霍兰德。 内德·兰布顿和麦克尤恩 1995 年离婚,自那以后她嫁给了音乐家朱斯·霍兰德。 1 +科德尔·克罗基特用贝斯演奏了 5 首歌曲,而丑小子乔贝斯手内森·斯莱德在贝斯上演奏了其余歌曲。 内森·斯莱德演奏五首歌的贝斯,亚格力·基德·乔的贝斯手柯代尔·克罗克特演奏剩下的贝斯曲。 0 +Podkriváň 是一个地处班斯卡.比斯特理查地区的村庄和直辖村,位于斯洛伐克中部代特瓦区。 Podkriván 是斯洛伐克中部代特瓦区班斯卡-比斯特里察地区的一个村庄和自治市。 1 +卡勒姆·奥布莱恩(1982 年 11 月 4 日出生于新西兰剑桥)是一位职业壁球运动员。 卡勒姆·奥布莱恩(1982 年 11 月 4 日出生于剑桥)是新西兰一位职业壁球选手。 1 +她得到理查德·吉布森和宫廷画师彼得·莱利的称赞,被认为成就堪比琼·卡莉。 她受到理查德·吉布森和宫廷画家琼·卡莉的赞赏,被认为与彼得·莱利一样成功。 0 +《东海岸》一集在新斯科舍实景拍摄,包括佩吉湾和卡博特之路沿线的布列塔尼角上的高地。 《卡伯特公路》这一集是在布雷顿角岛拍摄而成,包括东海岸新斯科舍省的佩吉湾和高地。 0 +自 2000 年起,迈耶斯一直在博物馆和美术馆制作因地制宜的大型壁画。 自 2000 年起,迈耶斯便在博物馆和美术馆绘制特定的大幅面壁画。 0 +他的兄弟是医生马克·海福特和牧师欧内斯特·海福特。 他的兄弟是医生欧内斯特·海福德和牧师大人马克·海福德。 0 +从铁磁体到顺磁体的相变是连续性的并具有二阶。 从铁磁物质到顺磁物质的相变是第二个,并且呈连续阶数。 0 +Erginus galkini 是一种海螺,是真正的帽贝,属于莲花青螺科海生腹足软体动物,莲花青螺科是真正帽贝科之一。 Erginus galkini 是一种海螺,是真正的帽贝,隶属于莲花青螺科的真正海洋腹足纲软体动物,也是海洋帽贝科的一种。 0 +Seóighe 大主教于 1485 年 5 月 16 日受到任命,1487 年正式宣告为主教。他在 1501 年 12 月 20 日或 20 日去世。 Seóighe 大主教于 1485 年 5 月 16 日受到任命,1487 年正式宣告为主教,1501 年 12 月 20 日或 20 日去世。 1 +安德森于 1943 年出生在加利福尼亚州奥克兰,来自加利福尼亚州雷东多海滩。 安德森于 1943 年出生于加利福尼亚州雷东多海滩,来自加利福尼亚州奥克兰。 0 +菲什曼拥有哥伦比亚大学的学士学位和布朗大学的经济学硕士学位。 菲什曼持有哥伦比亚大学学士学位和布朗大学经济学硕士学位。 1 +茱蒂丝是他姐姐伊莉莎的女儿,他姐姐于 1748 年左右去世。 伊丽莎是他姐姐朱迪思的女儿,后者约在 1748 年去世。 0 +他于 1940 年 5 月 5 日出生于君士坦丁堡(伊斯坦布尔)并于 2011 年 11 月 19 日因癌症在雅典去世。 他 1940 年 5 月 5 日出生于君士坦丁堡(雅典),2011 年 11 月 19 日因癌症在伊斯坦布尔去世。 0 +《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的最后一张专辑,他们的第七张录音室专辑是为 Grunt Records 录制的 Grunt BFL1-1920。 《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的第七张专辑,他们最后一张录音室专辑是为 Grunt Records 录制,名为 Grunt BFL1-1920。 0 +卡茨于 1947 年出生于瑞典并于 1 岁时移居纽约市。 卡茨 1947 年出生于瑞典,后在一岁时移居纽约。 1 +Lusaghbyur(之前罗马化为 Lusakhpyur;Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 Lusaghbyur(也称为罗马化的 Lusakhpyur;以前叫做 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 0 +仅限圣克鲁斯、蒙特利半岛和圣路易斯奥比斯波县三个非常原始的地区。 它限制为三个位于圣克鲁兹、蒙特瑞半岛和圣路易斯奥比斯波县的非常本土的地区。 1 +由于存在这些事务处理机制,针对 SIP 操作的用户数据报协议 (UDP) 等不可靠传输协议已足够。 因为这些机制不可靠,用户数据报协议 (UDP ) 等交易传输协议足以用于进行 SIP 操作。 0 +这些物种属于不同的生态种群,包括热带灌木、藤本植物和树木、旱生植物、分枝异养生物以及不同的草本植物。 该物种是不同生态群的成员,包括热带灌木、藤本植物和树木、旱生植物、菌异养以及各种草本植物代表。 1 +工作室于 2008 年开业,由马丁·皮尔彻设计,由总工程师扎克·汉考克监建。 这些工作室在 2008 年开业,由马丁·皮尔彻设计并由总工程师扎克·汉考克监督。 1 +1978 年 1 月 12 日:剑桥联足球俱乐部经理罗恩·阿特金森被任命为西布罗姆维奇足球俱乐部经理。 1978 年 1 月 12 日:西布罗姆维奇足球俱乐部经理罗恩·阿特金森被任命为剑桥联队经理。 0 +2015 年 5 月 8 日,塔皮亚败给迈克尔·索罗。 2015 年 5 月 8 日,塔皮亚失去了米歇尔·索罗。 1 +他是克拉伦斯·佩吉特上将、阿尔弗雷德·佩吉特上将和乔治·佩吉特上将的异姓兄弟。 他是阿尔弗雷德·佩吉特勋爵、乔治·佩吉特勋爵和克拉伦斯·佩吉特勋爵同父异母的兄弟。 1 +1835 年,坎贝尔与弗朗西斯·欧文结婚,育有七个孩子:玛丽、玛格丽特、范妮、威廉、约瑟夫、约翰·欧文和勒穆埃尔。 1835 年,坎贝尔与约翰·欧文结婚,二人育有七个孩子:玛丽、弗朗西丝·欧文、范妮、威廉、约瑟夫、玛格丽特和莱缪尔。 0 +2016 年 11 月 13 日,丹尼斯·华莱士在晓臣市附近的福克斯·格罗夫公园谋杀了大卫·马查多。 2016 年 11 月 13 日,丹尼斯·华莱士在晓臣市附近的福克斯·格罗夫公园谋杀了副手大卫·马查多。 1 +看完阿米尔·汗的剧本后,梅赫拉当即同意参演“芭萨提的颜色”。 读完阿米尔·汗的剧本后,梅赫拉立即同意出演“巴萨提的颜色”。 1 +2018 年,法雷尔被教皇弗朗西斯任命为奥索里的新主教。 2018 年弗朗西斯教皇被法瑞任命为 Ossory 的主教。 0 +这些歌曲由汤米·李和鼓手迈克尔·拜因霍恩制作。 这些歌曲由迈克尔·拜因霍恩制作,并由汤米·李担任鼓手。 0 +弗拉维亚·格莱斯克,被更多人称作弗拉维亚·亚历杭德·拉格莱斯克·法金(1978 年 5 月 15 日出生),是一名委内瑞拉女演员。 弗拉维亚·格莱斯克,更广为人知的名字是弗拉维亚·亚历杭德拉·格莱斯克·法金(1978 年 5 月 15 日出生),是一名委内瑞拉女演员和模特。 1 +同样值得注意的是,以下代码在无 ADL 的情况下仍会起作用(无论如何均对其适用)。 还值得注意的是,以下代码可在没有 ADL 的条件下工作(它无论如何也将应用于它)。 1 +1291 年,马奥与勃艮第伯爵奥托四世结婚。她娶了三个孩子的母亲,其中包括两个成为法国国王的女孩。 1291 年,马奥嫁给勃艮第伯爵奥托四世,育有三个子女,其中两位女孩嫁给法国的国王。 0 +1865 年 8 月 17 日,第 13 纽约志愿骑兵队与第 16 纽约志愿骑兵队合并为第 3 纽约暂编骑兵队。 1865 年 8 月 17 日,第 3 纽约志愿骑兵队与第 16 纽约志愿骑兵队合并,组成第 13 纽约暂编骑兵队。 0 +一个独立的国际专家团队调查了事故影响并得出结论,没有人死于此次事故或因此中毒。 一个国际独立的专家团队研究了该事件的影响并得出结论:该事件没有导致任何人死亡或中毒。 1 +此专辑由阿尼瓦尔·科佩尔在加利福尼亚州的洛杉矶录制,并在洛杉矶的“La Casa”工作室进行了混音。 "该专辑由阿尼贝尔·科佩尔在洛杉矶录制,并且在加利福尼亚州罗山的 ""La Casa"" 书房中混合。" 1 +它位于纳纽埃特东面、栗树岭南面、纽约布劳维尔特西面、新泽西州蒙特威尔和欧德塔潘北面。 它东临切斯纳特岭,南临纳纽埃特,西临纽约的布劳威尔特,北临新泽西州的蒙特威尔和旧塔潘。 0 +Abies lasiocarpa 一般称为亚高山冷杉或洛基山冷杉,是一种生长在北美洲西部的冷杉。 落蒺山冷杉通常被称为北美西部枞树或落基山冷杉,是一种亚高山冷杉。 0 +德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在戈尔德河东南面和兰布勒峰南面。 德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在兰布勒峰东南面和戈尔德河南面。 0 +艾尔半岛上还有一条孤零零的窄轨铁路,连接塞杜纳和林肯港。 艾尔半岛上还运行一条单独的窄轨铁路,连接塞杜纳和林肯港。 1 +它以主街的一大片区域为中心,大概在德波特街和布鲁克路之间。 它集中在主干道的延伸处,大致在德波特街和布鲁克路之间。 1 +2016 年 11 月 13 日,大卫·马查多在晓臣市附近的福克斯·格罗夫公园谋杀了丹尼斯·华莱士。 2016 年 11 月 13 日,副手大卫·马查多在晓臣市附近的福克斯格罗夫公园被丹尼斯·华莱士杀害。 0 +8 月 9 日,洛依德以 51.1 % 的投票率当选。安迪·伯纳姆以 29.1 % 位居第二。 劳埃德于 8 月 9 日以 51.1% 的得票率当选,而安迪·伯罕姆以 29.1% 的得票率位居第二。 1 +小舌挤喉音是一种辅音,在一些口语中使用。在国际音标表中代表这个音的符号是。 小舌挤喉音是一种辅音,在一些口语中使用。 国际音标表中的符号便是这种声音。 1 +Cancellopollia gracilis 是一种海螺、真正的蛾螺科腹足类软体动物,也属海洋蛾螺。 Buccinum pulchellum 是一种海螺,属于蛾螺科海生腹足软体动物,是真正的蛾螺。 0 +四河委员会和奥杜邦委员会合并形成肖尼小径委员会。 奥杜邦委员会由肖尼小径委员会和四河委员会协会联合组成。 0 +在吕宋岛,卡坦瑞内斯省、阿尔拜省、索索贡省、马斯巴特省、布里亚斯岛和蒂考岛均扩大到第 在吕宋岛,卡坦瑞内斯省、阿尔拜省、索索贡省、马斯巴特省、布里亚斯岛和蒂考岛均升级至第 1 +例如,如果村民不接受盆菜宴席,这意味着该村不批准也不举办特定的婚姻。 举例来说,如果村民不接受盆菜宴,这意味着整个村庄不同意或不举行专门的婚礼。 1 +在第二年和第三年他们将主攻一个专业:人文、行为和社会科学、经济与商业,或者生命科学。 在第二和第三年,他们专攻一个专业:人文学科、行为社会科学、经济学、商学或生命科学。 1 +在此次调查过程中,警方还询问了歌手里米·汤米和演员凯维雅·马达范,二者都是西迪基及他的妻子迪利普的好朋友。 作为持续进行的调查的一部分,警察还询问了歌手 Rimi Tomy 和演员西迪基,二人都是迪利普和他的妻子 Kavya Madhavan 的好友。 0 +纳瓦罗是位于阿根廷布宜诺斯艾利斯省东北部的一个城市。 纳瓦罗是阿根廷东北部布宜诺斯艾利斯省的一个地区。 0 +阿姆斯特朗所著悬疑小说《侦察无限》中的一位人物被比作乔吉特•海尔。 《无限侦查》这部由乔治特·海耶所著的悬疑小说将一个人物比作阿姆斯特朗。 0 +总编辑是赫伯特·韦塞尔斯(自 2009 年起),第二编辑是马库斯·埃尔默特(自 2002 年起)。 第二编辑是赫伯特·韦塞尔斯(自 2009 年起),总编辑是马库斯·埃默特(自 2002 年起)。 0 +节目安排以独立音乐和另类音乐为主。 Cast 主要从事另类音乐和独立音乐。 1 +他在比赛中的最好名次是 1960 年的第八名和 1968 年的第十名。 他的最佳排名分别是 1960 年的第 8 名和 1968 年的第 10 名。 1 +《vidas distintas》是一部 1969 年墨西哥浪漫电视剧,通过 Televisa 播放,最初由 Telesistema Mexicano 制作。 《三种不同的生活》是一部 1969 年由 Televisa 播出的墨西哥电视剧,最初由 Telesistema Mexicano 制作。 0 +在过去 100 年间,泰国象的数量已经从 100,000 头减少到 2,000 - 3,000 头野生大象和 2,700 头驯养大象。 在过去 100 年间,泰国象的数量已经从 100,000 头减少到 2,000 - 3,000 头驯养大象和大约 2,700 头野生大象。 0 +它的总部位于蒙代康日南部的卢森堡市。 它的总部设在摩德查格,位于卢森堡市南面。 0 +Jidanul 河是罗马尼亚 Jiul de Vest 河的一条支流。 Jiul de Vest 河是罗马尼亚 Jidanul 河的一条支流。 0 +他的妻子是 Ferenc Wathay,他们的儿子 Klára Csabi 也是著名指挥家并且是“Songbook of Ferenc Wathay”的作者。 他的妻子是卡拉·卡萨比,而他的儿子费伦茨·沃兹不仅是著名的指挥家,也是《费伦茨·沃兹歌集》的作者。 0 +在早期天文学领域,他因引入数学地球仪和对理解行星运动所作出的天文学贡献而名声大噪。 他在数学天文学方面的声誉可以归功于天文球体的提出以及他对理解行星运动的早期贡献。 0 +1866 年 6 月 25 日,他被任命为利西亚尼萨的挂名主教和韦莱特里的主教。 他于 1866 年 6 月 25 日被任命为“利西亚的尼萨”的领衔主教和韦莱特里的辅理主教。 1 +具有 WVGA 级显示分辨率的手机已十分常见 此处是带有原生显示的手机清单。 具有 WVGA 级显示分辨率的手机已十分常见。此处展示了带有原生显示的手机清单。 1 +1961 年,埃蒙·安德鲁斯成为“这是你的生活”电视节目的主题嘉宾,当时赫伯特让他大吃一惊。 1961 年,在伊蒙·安德鲁斯制造的意外惊喜中,赫伯特·赫伯特成为电视节目《这是你的生活》的主题。 0 +威廉·卢埃林·威廉姆斯,更为人熟知的名字是卢埃林·威廉姆斯(1867 年 3 月 10 日 - 1922 年 4 月 22 日),是一位激进的记者、律师和威尔士自由派政治家。 威廉·卢埃林·威廉斯,又被称为卢埃林·威廉斯(1867 年 3 月 10 日至 1922 年 4 月 22 日),是一名激进的记者、律师和威尔士自由党政治家。 1 +公元前 284 年,齐王与秦昭襄王在西周会面,以建立联盟共抗僖王。 公元前 284 年,僖王与秦昭王在西周会面,以建立联盟共同抗齐。 0 +《Pennmakkal》为1966年出品的印度马拉雅拉姆语电影,由 J. Sasikumar 监制、KP Kottarakkara 指导。 《佩恩玛卡》是一部 1966 年的印度马拉雅拉姆语电影,由 J·萨库玛执导,由 KP 科他拉卡拉制作。 0 +2005 年末至 2009 年期间是例外,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的查查克足球俱乐部和俄罗斯的格罗兹尼特里克足球俱乐部。 例外情况出现在 2005 年年底至 2009 年期间,在此期间,他为 Carlstad United BK 俱乐部在瑞典踢球 , 为 FC Terek Grozny 俱乐部和俄罗斯 FK Borac Čačak 俱乐部在塞尔维亚踢球。 0 +锡贝伯格称,这首歌是他在此专辑中的最爱,“因为它是如此纯粹,而又如此个人化。 锡贝伯格称,这首歌是他在此专辑中的最爱,“因为它是如此纯粹,而又如此个人化。” 1 +1933 年,卡特尔写道,在所有北欧种族中,“欧洲种族拥有开发最好的智力和性情稳定性”。 卡特尔在 1933 年写道,在欧洲的所有人种中,“北欧人种的智力发育水平最高,性情最为平稳”。 0 +两个女儿都比他早去世,分别于 1976 年逝于托斯卡和 1981 年逝于贾尼尔。 两个女儿都比他先离开人世,托斯卡在 1976 年去世,Janear 在 1981 年去世。 1 +美国人口调查局的资料显示,绍斯波特的总表面面积为,其中陆地面积占,或者 0.91% 是水域面积。 美国人口调查局的资料显示,绍斯波特的总面积为,其中陆地面积和 占,或水域面积占 0.91%。 1 +Somatherapy(或 Soma)是一种由弗莱雷根据精神分析学家威廉·赖希的研究于二十世纪七十年代创立的群体疗法。 20 世纪 70 年代,弗莱雷基于精神分析学家威廉·赖希的研究成果,创制了一种集体疗法 Somatherapy(或 Soma)。 1 +1969 年 12 月,第 49 军师成为了第 29 军师。 1969 年 12 月,第 49 军师第 29 军师成为。 1 +印度尼西亚驻罗马官方代表处于 1952 年 3 月设立,而意大利共和国于 1952 年 10 月在雅加达设立官方代表处。 印度尼西亚在罗马的官方代表处设立于 1952 年 3 月,而意大利共和国在雅加达的官方代表处设立于 1952 年 10 月。 1 +美国先驱约翰·萨特 (1803-1880) 和其他欧洲瑞士定居者于 1839 年 8 月一起抵达上加利福尼亚。 瑞士先驱约翰·萨特(1803 - 1880 年)与其他欧裔美国移民于 1839 年 8 月一起在上加利福尼亚省。 0 +最近,黑三角已被残障激进人士视作女同性恋文化的一个标志。 最近,黑色三角形被视为残疾人文化的象征,并被激进的女同性恋者使用。 0 +因克赖斯地区赖因巴赫是奥地利上奥地利州谢尔丁地区的自治市。 因克赖斯地区赖因巴赫是奥地利谢尔丁州上奥地利区的自治市。 1 +歌曲第三段的最后一句在南斯拉夫亚历山大一世统治时期被修改为“Kralja Aleksandra , Bože hrani”。 在南斯拉夫亚历山大一世统治期间,最后一篇诗歌的第三行“Kralja Aleksandra , Bože hrani”被进行了修改。 0 +肖尼小径委员会由四河委员会和奥杜邦委员会合并而成。 四河委员会和奥杜邦委员会的合并形成了肖尼小径委员会。 1 +如果某个平面的可展曲率为常量 0,则该平面为欧几里得平面且其几何为高斯几何。 当一个曲面的恒定高斯曲率为零时,它便是可展曲面,并且该曲面的几何形状为欧几里得几何。 0 +在退出前,迈克尔·凯利·史密斯曾是早期同行费城乐队 Tony Destra 的成员,之后辛德瑞拉也加入其中。 在退出之前,迈克尔·凯利·史密斯曾是早期费城乐队灰姑娘的成员,随后 Tony Destra 也加入其中。 0 +该单曲于 2015 年 10 月 31 日发行,并于 2015 年 11 月 13 日公布。 单曲于 2015 年 10 月 31 日发布,于 2015 年 11 月 13 日发行。 0 +它由建筑师菲力普·强生(大学校友)和约翰·伯奇于 1983 年设计而成。 它由建筑师菲力普·强生(大学校友)和约翰·伯奇于 1983 年设计而成。 1 +雷曼学院最初是亨特学院的上城校区。 亨特学院最初是雷曼学院上城校区。 0 +在德国房车大师赛亮相期间,奥迪 V8 与更为小巧轻便的梅赛德斯 190、宝马 M3 以及稍显小巧的欧宝 Omega 3000 展开了竞争。 在德国房车大师赛亮相期间,奥迪 V8 与更为小巧轻便的梅赛德斯 190、宝马 M3 以及稍显小巧的欧宝 Omega 3000 展开了竞争。 1 +冠处颜色从棕色到黄色变化,成熟时冠上常伴有棕色斑点。 冠处颜色从棕色到棕色变化,成熟时冠上常伴有黄色斑点。 0 +废弃的循道宗教堂是亚普索尔村为数不多的砖砌建筑之一。 这个建成的卫理公会礼拜堂是 Upsall 为数不多的非砖砌建筑之一。 0 +1963 年,罗伊加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 1963 年,罗伊加入印度共产党,并领导加尔各答 Bansdroni 的工会运动。 0 +他后来把它用作纳粹党的标志,而且将其放在红色圆圈和白色背景下作为旗帜使用。 后来,他将它用作纳粹党的标志,并将其置于红色圆圈和白色背景之上,以此作为旗帜。 1 +于热于 1962 出生在智利和纽约,并在巴黎生活和工作。 惠更斯于 1962 年出生于巴黎,并在智利和纽约生活与工作。 0 +这首单曲于 2012 年 10 月 12 日在意大利送到电台播放并于 2012 年 12 月 3 日全球发行。 单曲于 2012 年 10 月 12 日在意大利的 Radio Airplay 发行,并于 2012 年 12 月 3 日开始全球发售。 0 +附近是洛斯廷河,该河为瓦洛厄河的一条支流,位于俄勒冈州东北部瓦洛厄山脉以东。 瓦洛厄河是洛斯汀河的一条支流,位于俄勒冈州东北部的瓦洛厄山脉以东,就在附近。 0 +盖根鲍尔多项式在位势论和调和分析中会自然地表现为勒让德多项式的扩展。 盖根鲍尔多项式作为勒让德多项式的扩展出现在位势论和调和分析中。 1 +1928 年 5 月 23 日,在戴顿拉马尔的第一国家银行被抢劫后,弗利格尔团伙来到了科罗拉多州。 1928 年 5 月 23 日,在抢劫科罗拉多州拉马尔的第一国家银行后,弗利格尔团伙来到了戴顿。 0 +在色情视频技术出现前,电子和数字电影的大量制作与主流电影业有直接联系。 在色情视频技术出现之前,电子和数字电影的大规模制作与主流电影业存在直接联系。 1 +伯克利东汤顿的小型飞机和新贝德福德地区机场为当地提供航运服务。 伯克利新贝德福德的小型飞机和东汤顿地区机场为当地提供航运服务。 0 +纳舒厄白银骑士队(属于夏季大学联盟的一部分)如今是该市的球队。 Nashua Silver Knights 参加了本届夏季联赛,是该市的大学生队。 0 +1999 年和 2003 年,他搭档 Jarno Jokihaara 和 Marko Ritola 成为了室内锦标赛冠军,2003 年,他成为了芬兰冠军。 1999 年和 2003 年,他成为芬兰大师,与雅诺·乔基哈拉和马尔科·里托拉比肩,2003 年,他成为室内比赛冠军。 0 +由于对亨利忠心耿耿,作为奖赏,他获得了南威尔士的许多土地和利润丰厚的店面。 为了奖励他对亨利的忠诚,他在威尔士南部获得了大量土地和许多办事机构。 0 +弗朗索瓦丝·杜尔以 6-4 和 6-2 击败伊文·古拉贡。 伊文·古拉贡以 6 比 4 和 6 比 2 的比分击败了法兰柯丝·杜尔。 1 +最干旱年份是 1983 年,最湿润年份是 1976 年。 最潮湿的年份是 1983 年,最干燥的年份是 1976 年。 0 +在常规战争中建立了三个旅(11 个营),并训练了一支大型游击队(估计有 100,000 人)。 为常规战争筹集了三个旅(11 个营); 训练了一支大型游击队(预计有 100,000 人)。 1 +1922 年,约翰·亨利·基尔巴克于阿拉斯加州阿基亚克去世,而伊蒂丝则于 1933 年去世。 伊蒂丝于 1922 年在阿拉斯加州的阿基亚克去世。约翰·亨利·基尔巴克于 1933 年去世。 0 +她由德国人打捞起,并于 1943 至 1944 年间被盟军轰炸机击沉两次,最终于 1946 至 1947 年间报废。 它在 1943 至 1944 年间由德国人打捞起,被盟军轰炸机击沉两次,最终在 1946 至 1947 年间报废。 1 +二月初所报道的火灾数为 73 起,其中 26 起失控,预计控制时间以应对下一个月的火灾。 二月初所报道的火灾数为 73 起,其中 26 起失控,而控制下一个月火灾的预计时间。 1 +它距弗吉尼亚州罗阿诺克市西北部 20 英里,弗吉尼亚州格拉斯哥市东南部约两英里。 它位于弗吉尼亚州罗阿诺克西北 20 英里处,坐落于弗吉尼亚州格拉斯哥东南方 2 英里处。 1 +但是, 阿契美尼德时期的总督掌管着较小的疆域,拥有的权利和影响力可能比不上他们的帕提亚前辈。 然而,阿契美尼德时代的总督们统治的疆域更小,也许他们的声望和影响力还比不上前代的帕提亚帝国。 1 +电子学习课程系列 BBC 新闻学学院于 2005 年 6 月开设,文·雷担任执行编辑。它的首任主任是凯文·马什。 2005 年 6 月,BBC 新闻学院作为电子学习系列开设,由文·雷担任执行编辑,第一任总监为凯文·马什。 1 +他于 1903 年 5 月 5 日在自己的退休地威斯康星州密尔沃基逝世。 他在威斯康星州密尔沃基退休,并于 1903 年 5 月 5 日在此地去世。 0 +软颚爆破音是一种辅音,在多种口语中使用。国际音标表中的符号代表这种发音。 软颚挤喉音为偏辅音发音,在一些口语中使用。国际音标中用于表示此声音的符号为。 1 +许多公交线路从邻近的埃迪大道或从附近的伊丽莎白大街或火车站广场出发。 许多公共汽车服务从邻近的埃迪大道或从附近的伊丽莎白大街或火车站广场出发。 1 +男爵德朗奎尔在苏格兰和法国居住了好几代的时间,并不是在加拿大,并且二十世纪七十年代还曾在菲律宾的吕宋岛生活。 Barons de Longueuil 已经有几代人没有在苏格兰生活;他们居住在加拿大和法国,1970 年代时生活在菲律宾吕宋岛。 0 +他于 1993 年效力于 A 级波特兰海狗队和 AA 级凯恩县美洲狮队。 1993 年,他曾为 A 级波特兰海狗队和 2A 级凯恩县美洲狮队效力。 1 +NS 美国人口调查局的资料现实,绍斯波特的总面积为,其中是陆地面积,或 0.91% 是水域面积。 0 +罗伊于 1963 年加入印度共产党,领导了加尔各答 Bansdroni 的工会运动。 1963 年,罗伊加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 0 +为开发霍斯的地图,设计师从“帝国反击战”中获取尽可能多的原始资料,以创建真实的复制品。 为开发霍斯地图,设计师们从“帝国反击战”中获得了尽可能多的原始素材,以便真实再现相关场景。 1 +壳的颜色发白,位于非常薄的光滑黄棕色表皮下。 贝壳的颜色很光滑,在一层非常薄的泛白的黄棕色表皮之下。 0 +安山岩是镁铁质熔岩—输入一些显性特性足以分类为玄武安山岩的样本。 安山岩是主要的火山岩类型,拥有若干岩石样本,足以归类为玄武安山岩。 0 +他的父亲在他青年时期去世,他的母亲凯瑟琳·A·费根于 1842 年嫁给塞缪尔·亚当斯,后者在两年后成为阿肯色州州长。 他的父亲在他年少时就去世了,他的母亲塞缪尔·亚当斯于 1842 年嫁给凯瑟琳·A·费根,后者两年后成为阿肯色州州长。 0 +在电子和数字视频技术出现之前,色情电影的大规模制作直接与主流电影业相关联。 在色情视频技术出现之前,电子和数字电影的大规模制作直接与成熟的电影业相关联。 0 +然而系列几乎在每个地方汇聚。 然后该系列几乎在每个地方汇集。 1 +她出生于墨西哥,但很快跟随家人搬到波多黎各圣胡安,她一出生就患有虹膜异色症。 卡迈恩出生于墨西哥,但不久便举家移居至波多黎各的圣胡安。她生来便患有虹膜异色症。 1 +康熙(刘恺威饰)16 岁时铲除叛贼鳌拜及其党羽。 在康熙(刘恺威饰)16 岁时,他铲除了叛贼鳌拜及其党羽。 1 +它的大概边界曾是珍珠街到格里尔大道和布罗德南街到现在的美国 1/9 号公路。 它的大致边界是 Grier 大道的 Pearl 街以及现为 US 1 & 9 的南大街。 1 +2014 年,该站推出 iOS 和安卓应用程序,用于产品搜索,产品功能包括直播视频产品评论,并且提供交互式问答会话。 2014 年,该网站推出 iOS 和安卓应用程序用于产品搜索,产品功能包括直播 - 视频 - 产品 - 互动问答评论 - 会话。 1 +Claudia 是 Claudia 的阴性形式,可能指: Claudia 是 Claudius 的阴性形式,可能指: 0 +美国明尼苏达州道奇县是弗农镇的一个镇。 美国明尼苏达州道奇县是弗农镇的一个社区。 1 +该道路作为德尔弗斯继续向西穿过第 5 街道。 随着德尔弗斯进一步向西穿过第五大街,该道路继续延伸。 1 +1291 年,Mahaut 与勃艮第伯爵奥托四世结婚,后者是三个孩子的母亲,其中有两个女孩嫁给法国国王。 1291 年,Mahaut 与奥托四世勃艮第伯爵结婚。她成为三个孩子的母亲,其中有两个女孩都嫁给了法国国王。 1 +布拉杜河是罗马尼亚胡达萨河的一条支流。 胡达萨河是罗马尼亚布拉杜河的支流。 1 +Easipower 表示: 据说 Easipower 曾是, 0 +该系列之后几乎会在各处汇聚。 然后该级数在几乎所有地方收敛。 1 +2010 年,纽约大学以 3-1-1 的成绩击败了哈佛大学,旨在赢得首个全国冠军。 2010 年,哈佛大学以 3-1-1 的成绩击败纽约大学赢得了首个全国冠军。 0 +校长是迈耶·苏兹贝格,亚伯拉罕·哈特是董事会秘书。 亚伯拉罕·哈特是校长,迈耶·苏兹贝格是董事会秘书。 0 +谢勒是雷鸟酒店、拉斯维加斯俱乐部和撒哈拉酒店的投资人。 谢雷尔是雷鸟酒店、拉斯维加斯俱乐部和撒哈拉酒店的投资人。 1 +在阿尔卡莫,12 节诗以此方式交替呈现:一节唱,另一节说。 在阿尔卡莫,十二行诗以这种方式吟诵:一行交替,另一行说出。 0 +他出生于阿肯色州,后来搬到田纳西州卡特县。 他出生于阿肯色州,之后搬到了田纳西州的卡特县。 1 +典型的秋沙鸭(“Mergus octosetaceus”)是一种属于巴西秋沙鸭属的鸭子。 这种典型的秋沙鸭(“普通秋沙鸭”)是巴西秋沙鸭属的一种鸭子。 1 +在他 1946 年去世之后,他在这一项目上的所有论文都处于杂乱状态。 1946 年他逝世后,他就该项目撰写的论文仍全部是草稿状态。 0 +电影由 Alena Kruchkova 担任制片人,并由安德烈·李维诺夫剪辑。 影片制作人为艾蕾娜·克鲁其科瓦,剪辑师为安德雷·利特维诺夫。 1 +圣公会教会之间和整个圣公会界对圣公会特定传统中出现的新教和天主教趋势的差别程度一直争论不休。 圣公会传统中新教和天主教倾向之间的差异程度通常在特定圣公会教会和整个圣公宗都是一个存在争议的问题。 0 +有些船员在戈尔登湾被杀,而且没有其他毛利人的当地联系人。 有些船员在戈尔登湾被杀,而且没有当地毛利人的其他联系人。 0 +尽管它对天使无用,但对其他超自然生物是否有效目前尚不清楚。 虽然它对天使不起作用,但它对其他超自然生物是否有效尚不可知。 1 +Oaklyn 位于第六国会选区,也是新泽西州第一州立法选区的组成部分。 Oaklyn 位于第六国会选区,也是新泽西州第一州立法选区的组成部分。 1 +2011 年,常州南部武进区太湖附近的太湖湾新开设了一个名为嬉戏谷的游乐园。 2011 年, 一座名为嬉戏谷的全新游乐园在常州武进区南部太湖附近的太湖湾开放。 0 +1865 年 8 月 17 日,纽约第三志愿者骑兵队和纽约第十六志愿者骑兵队合并为纽约第十三临时骑兵队。 1865 年 8 月 17 日,第 3 纽约志愿骑兵团与第 16 纽约志愿骑兵团合并,成为第 13 纽约临时骑兵团。 1 +阿里在穆阿威亚逝世后掌权并建立王朝。 阿里死后,穆阿威亚掌权并建立了一个王朝。 0 +Elachista menura 是草潜蛾科的一种蛾,发现于新南威尔士州和昆士兰州的山区和沿海地区。 Elachista menura 是草潜蛾科的母系,分布在新兰威尔士和昆士兰的沿海地区和山区。 1 +达科他城属于 IA -- NE -- SD 大都市统计区苏城。 达科他城是苏城大都市统计区的一部分,IA - NE,SD。 1 +这张唱片由 Aníbal Kerpel 在洛杉矶录制,并在加利福尼亚州洛杉矶的“La Casa”工作室进行混音。 此专辑由阿尼瓦尔·科佩尔在加利福尼亚州的洛杉矶录制,并在洛杉矶的“La Casa”工作室进行了混音。 1 +诺曼·贝尔·格兹本名为诺曼·梅兰克顿·格兹(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一名美国戏剧和工业设计师。 诺曼·梅兰克顿·格迪斯,本名诺曼·贝尔·格迪斯(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一位美国剧场和工业设计师。 0 +2003 年,他搬去伦敦并在此生活了 16 个月,然后在 2004 年 9 月回到了南非。 他于 2003 年搬到了南非并在那里生活了 16 个月,然后于 2004 年 9 月回到了伦敦。 0 +2016 年 6 月 21 日,黛比·马蒂诺普洛斯取代克里斯蒂娜·费拉尔成为他的新共同主持人。 2016 年 6 月 21 日,德比·马滕波洛斯取代克里斯蒂娜·费拉尔成为他的新搭档主持人。 1 +马斯出生于密西根州霍兰德,在纽约州维斯切斯特县长大,青年时期住在欧洲。 马斯出生在纽约州的威彻斯特郡,在密歇根州的荷兰小镇长大,并在欧洲度过青年时期。 0 +约翰·亨利·凯巴克于 1922 年在阿拉斯加的阿基亚克去世。伊迪丝于 1933 年去世。 NS 0 +萨默斯是首代萨默斯男爵理查·艾略特的儿子,而查尔斯·科克斯是伊丽莎白的女儿。 萨默斯是首代萨默斯男爵理查·艾略特的儿子,而查尔斯·科克斯是伊丽莎白的女儿。 1 +它讨论了最重要的艺术创作社区并列出了最知名的画家中的二十三位的作品。 它介绍了主要的艺术品生产社区,并举例说明了 23 幅最著名艺术家的作品。 1 +罗宾斯和他的双胞胎兄弟大卫于 1933 年 9 月 21 日出生于考文垂,他们是查尔斯和贾丝明·罗宾斯的十二个孩子中的第八和第九个孩子。 NS 0 +德·鲁伊特出生于莱顿,曾先后效力于乌德勒支足球俱乐部、邓伯什足球俱乐部、精英职业足球基金会、瓦尔韦克足球俱乐部和埃门足球俱乐部。 德鲁伊特出生于莱顿,曾为 RKC 瓦尔韦克足球俱乐部、邓伯什足球俱乐部、精英职业足球基金会、乌德勒支足球会和安曼足球会效力。 1 +这家人于 1972 年搬到了宾夕法尼亚州的哈里斯堡,他在那里就读于希尔营的 Trinity High School。 1972 年,全家搬到了露营山,在那里他参观了宾夕法尼亚州哈里斯堡市的三一高中。 0 +2 月初接到火情报告 73 起,其中 26 起火情失控,预期控制时间以便于另一个月的火情。 二月初所报道的火灾数为 73 起,其中 26 起失控,预计控制时间以应对下一个月的火灾。 1 +一个 Khap 村是一个部落或相关部落的集群,主要由西部北方邦和东部哈雅纳省的嘉特人管理。 一个 Khap 村是一个部落,或相关部落的集群,主要由东部北方邦和西部哈雅纳省的嘉特人管理。 0 +该航空公司由 Irelandia 创立,它还开创了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中客车航空和澳洲虎航。 该航空公司由 Irelandia 创立,它还开创了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中巴士航空和澳洲虎航。 0 +一种新分子实体 (NME) 包含一种药物,这种药物是从未获得 FDA 批准也无法在美国上市销售的活性部分。 新的分子单位 ( NME ) 中包含一种药物,这是一种从未经过 FDA 批准或在美国销售的活性实体。 0 +《Aku Ankka》由萨诺玛杂志社旗下的萨诺玛传媒(前称 Sanoma)发表。 “Aku Ankka”由 Sanoma 旗下公司 Sanoma Media(前称 Sanoma Magazines)出版。 0 +“粉碎者”于 1987 年 6 月 13 日在日本出版,并由东宝株式会社发行。 《粉碎者》于 1987 年 6 月 13 日在日本发布并由东宝发行。 1 +在这一季的前几集中,他与尼克、杰里米、麦克雷和霍华德都是“搬家公司”联盟的成员。 季初,他与尼克、杰里米、麦克雷和霍华德共同组成了“搬家公司”联盟。 1 +克雷格有两个孩子,曾与萨拉·泰特罗结婚,后者为前模特、电视节目主持人并担任“新西兰超级模特新秀大赛”评委。 克雷格有两个孩子,妻子是前模特、电视主持人及《新西兰超级模特儿新秀大赛》的评委莎拉·泰特罗。 1 +Murex spectabilis 是一种大型掠食性海螺,属于骨螺科海生腹足类软体动物,是岩螺或骨螺。 骨螺 spectabilis 是一种海洋海螺,属于骨螺科的一种大型食肉腹足类软体动物,即岩螺或骨螺。 0 +但牛顿量子中指明的“G”和公式 4 是物质场的恒定常态。 其中“G”表明牛顿的量子和公式 _ 4 是物质场的恒定常态。 1 +拉比被他自己的何塞·B·哈尼纳和约哈南·巴·纳夫查任命为拉比。 何塞·b·哈尼纳被他自己的拉比——约哈南·巴·纳夫查任命为拉比。 0 +1895 年,庆尚道南部被位于其西部的晋州市的地区和位于其东部的东莱区(现在的釜山)所取代。 1895 年,庆尚道南部被位于其西部的晋州市的地区和位于其东部的东莱区(当代的釜山)所取代。 1 +拉勒米·波茨是美国俄亥俄州立大学的一名地球物理学家,其与拉尔夫·R·B·冯·弗雷泽共同发现了南极洲威尔克之地的质量瘤。 拉尔夫·R·B·冯·弗雷斯是俄亥俄州立大学的一位美国地球物理学家,他与拉勒米·波茨共同发现南极洲威尔克斯地质量浓度。 0 +在 1954 年回到帕拉马里博后,他作为一名律师在苏里南安定了下来。 在 1954 年回到苏里南后,他作为一名律师在帕拉马里博安定了下来。 0 +弗拉维亚·格莱斯克,更广为人知的名字是弗拉维亚·亚历杭德拉·格莱斯克·法金(1978 年 5 月 15 日出生),是一名委内瑞拉女演员和模特。 弗拉维亚·格莱斯克,更广为人知的姓名是弗拉维亚·亚历杭德拉·格莱斯克·法金(出生于 1978 年 5 月 15 日),是一位委内瑞拉女演员。 1 +他的父亲在他年幼时去世,而他的母亲凯瑟琳·A·费根于 1842 年嫁给塞缪尔·亚当斯,后者在两年后成为阿肯色州州长。 他自幼丧父,其母赛谬尔·亚当斯在 1842 年与两年后成为阿肯色州州长的凯瑟琳·A·费根成婚。 0 +约纳斯·比约克曼和法布里斯·桑托罗在决赛中以 6-2 和 6-4 打败了马丁·达姆和拉德克·斯泰潘内克。 马丁·达姆和拉德克·斯泰潘內克在决赛中以 6:2、6:4 打败了约纳斯·比约克曼和法布里斯·桑托罗。 0 +阿苏萨太平洋大学的阿苏萨校区坐落于圣盖博谷,位于洛杉矶东北部。 阿苏萨太平洋大学的阿苏萨校区坐落于圣盖博谷,位于洛杉矶东北部。 1 +在萨米周围,是瑞典和挪威(之前)说的一种萨米语。 乌美萨米语是在瑞典和挪威(以前)使用的萨米语。 1 +电影明星珍比·艾尔马赞饰演玛丽,伯纳多·加尼卡· 科鲁兹饰演大卫,乔纳森·迪亚兹·安古洛饰演亚历克斯。 电影明星洁穆碧·埃尔玛桑饰演亚历克斯,伯纳多·加尼西亚·克鲁兹饰演大卫,乔纳森·迪亚兹·昂古洛饰演玛利亚。 0 +套装由蓝色衣领的绿色运动衫、蓝色短裤和白色短袜组成。 此运动套衫由蓝色衣领的绿色运动衫、蓝色短裤和白色短袜组成。 0 +癌症基因组项目由彼得·坎贝尔于 2000 年启动,目前该项目的团队领导是迈克尔·斯特拉顿。 癌症基因组项目由迈克尔·斯特拉顿于 2000 年发起,皮特·坎贝尔现为该项目领导者。 0 +1781 年,弗吉尼亚将州长托马斯·杰斐逊·克拉克提拔为准将,并任命他为肯塔基州和伊利诺伊州各县所有民兵组织的指挥官。 1781 年,伊利诺斯州州长托马斯·杰弗逊提升克拉克为准将,并且赋予他对肯塔基州和弗吉尼亚州各县整个民兵组织的指挥权。 0 +它于 1096 年回到了阿纳夫·代·蒙哥马利手中,但在 1102 年被 Aumales 夺走,在 1221 年以前一直归后者所有。 1096 年,它归还给阿鲁夫·德·蒙哥马利,但是在 1102 年传给欧玛勒家族,该家族一直持有它至 1221 年。 1 +R205 公路是爱尔兰的一条区域公路,自利特里姆郡的 R199 公路延伸至北爱尔兰边境的弗马纳郡,主要位于卡文郡。 R205 号公路是爱尔兰的一条区域性公路,从卡文县的 R199 号公路延伸至利特里姆郡的爱尔兰北部边境,大部分路段位于弗马纳郡。 0 +南佛蒙特在北面与米查姆接壤,在西面与鲁纳沃丁和森林山接壤,在南面与佛蒙特接壤,在东面与万提纳和林伍德接壤。 南佛蒙特北与米彻姆接壤,西与纽纳瓦丁和福里斯特希尔为邻,南与佛蒙特交界,东与万提那及令伍特邻接。 1 +Audubon 委员会的形成源于 Shawnee Trails 委员会和 Four Rivers 委员会的合并。 Audubon 委员会由 Shawnee Trails 委员会和 Four Rivers 委员会合并而成。 1 +斯旺那布残害苏嘉尔和构陷加瑞瓦尔斯的邪恶计划被挫败。 斯瓦亚姆伤害苏吉尔和陷害 garewall 的邪恶计划被粉碎了。 1 +目前仍有两个成员为数不多的小规模独立联赛:高地联盟联赛和格兰坪联盟联赛。 目前仍有两个成员为数不多的小型独立联赛:格兰坪联盟联赛和高地联盟联赛。 1 +Fiat Ferroviaria 是主承包商,西门子股份有限公司和 ADtranz 是分包商。 主承包商是 Siemens AG,分包商是 Fiat Ferroviaria 和 ADtranz。 0 +影片由 A·斯里卡尔·普拉萨德拍摄,拉吉夫·梅农剪辑。 这部影片由 A. 史瑞卡·普拉萨德拍摄,由拉吉夫·梅农剪辑。 1 +菲什曼持有哥伦比亚大学的学士学位和布朗大学经济学的硕士学位。 菲什曼拥有布朗大学的学士学位和哥伦比亚大学经济学硕士学位。 0 +它位于纳纽埃特东面、栗树岭南面、纽约布劳维尔特西面、新泽西州蒙特威尔和欧德塔潘北面。 它位于纽约的纳纽埃特以东、切斯纳特岭以南、布劳威尔特以西,以及新泽西州的蒙特威尔和旧塔潘以北。 1 +她补充说强奸在事故不久后便发生了。 她补充说强奸事件发生在这起事件发生后不久。 1 +夏季大学联赛成员“纳舒厄银骑士”是今天城市中的队伍。 纳舒厄白银骑士团队是夏季大学联盟的成员,是本市的现役球队。 1 +首都自 1983 年起是阿比让;但是亚穆苏克罗仍是行政中心。 自 1983 年起,首都是亚穆苏克罗,但阿比让仍为行政中心。 0 +麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 1 +高山一解释这个故事,浅川就相信他并且坚持要看录像带。 高山一讲这个故事,浅川就相信了他,并且坚持要看带子。 1 +卢加济罗马天主教教区是乌干达坎帕拉教省卢加济市的一个教区。 卢加济的罗马天主教教区是一个教区,位于坎帕拉乌干达教会省的卢加济市。 0 +拉夫兰将一楼用作其商业区,并将二楼作为共济会会所。 拉夫兰占据一楼作为他的商品,二楼用作共济会会堂。 1 +他的父亲在他年少时去世了,他的母亲塞缪尔·亚当斯于 1842 年嫁给凯瑟琳·A·费根,后者在两年后成为阿肯色州州长。 他的父亲在他年少时去世了,而他的母亲凯瑟琳·A·费根于 1842 年嫁给塞缪尔·亚当斯, 后者在两年后成为阿肯色州州长。 0 +经过医学治疗后,斯特罗齐在约瑟普·弗罗伊登赖希的推荐下,开始上迪米特里加·德米特的私人表演课。 在约瑟普·弗罗伊登赖希的推荐下,斯特罗齐在经过医学治疗后开始上迪米特里加·德米特的私人表演课。 1 +2008 到 2009 赛季是科罗拉多雪崩队这一职业运动队的第 37 个赛季,国家冰球联盟的第 30 个赛季,也是该队成为科罗拉多雪崩队的第 14 个赛季。 2008 -- 2009 科罗拉多雪崩赛季是这支球队的第 37 个赛季,同时也是在国家冰球联盟的第 14 个赛季、 科罗拉多雪崩的第 30 个赛季。 0 +科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 30 个赛季和作为科罗拉多雪崩队的第 14 个赛季。 科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 30 个赛季和作为科罗拉多雪崩队的第 14 个赛季。 1 +1954 年回到帕拉马里博后,他在苏里南定居并成为一名律师。 1954 年回到苏里南后,他便定居在帕拉马里博做一名律师。 0 +这些在英国很罕见,但是在欧洲相对常见,至少对大型铁路机车来说是如此。 至少对于大型机车而言,这些在英国较为稀有,但在欧洲却相对常见。 1 +Măgheruş 河是罗马尼亚 Giuroc 河的一条支流。 Măgherus 河是罗马尼亚 Giuroc 河的支流。 1 +它被发现于印度尼西亚的萨拉瓦蒂岛和印度尼西亚巴布亚省的鸟警察半岛。 它被发现于印度尼西亚的萨拉瓦蒂岛,以及印度尼西亚巴布亚省的多贝拉伊半岛。 1 +这是一系列针对声音制作、算法作曲和声音合成而进行了优化的编程语言。 此列表中的编程语言针对声音制作、算法作曲和声音合成进行了优化。 1 +教区教堂成立于 1591 年,但随着天主教徒在 18 世纪涌入,天主教徒成为了多数。 教区教堂建于 1591 年,然而随着 18 世纪天主教徒的涌入,形成了一个天主教徒聚集区。 0 +音乐由希亚姆编写,歌词由斯列库伯兰·坦皮和 Sathyan Anthikkad 创作。 乐曲由希亚姆谱曲,斯里库马兰·塔姆佩和萨斯闫·安西卡德填词。 0 +她结过两次婚,第一任丈夫是马克·所罗科医生,第二任丈夫是银行家吉姆·海斯。 她有过两段婚姻:第一段婚姻与医生吉姆·海耶斯度过,后嫁给银行家马克·索罗科。 0 +但是,罗纳德·海姆斯 ( 1997 ) 认识 2 种 Itneg 方言,即 Binongan(东部)和 Inlaod(西部)。 然而,罗纳德·海姆斯(1997 年)规定了 Itneg 的两种方言,即 Binongan(西部)和 Inlaod(东部)。 0 +然后,他在俄亥俄州托莱多教学,并于 1856 年至 1859 年担任克利夫兰学校的代理校长。 然后他在俄亥俄州托莱多的学校授课,从 1856 年到 1859 年他在克利夫兰多家学校执教。 0 +1971 年 4 月 1 日她被海军舰艇登记册除名,并于同年饱经风霜。 1971 年 4 月 1 日,它从海军舰艇登记册中除名,并在同年遭受攻击。 1 +伯恩出生于德国,他的父母是犹太人,是马克斯·伯恩和科学家海德薇格·埃伦伯格的儿子。 出生于德国,父母均为犹太人,是马克思·玻恩和科学家海德薇·埃伦伯格之子。 1 +由乔治·菲兹莫里斯执导,改编自威拉德·麦克 1917 年的戏剧《老虎玫瑰》。 它由威拉德•马克执导,根据 1917 年乔治•菲兹毛莱斯的剧本《老虎玫瑰》改编。 0 +“IPA”由 500 个补充符号、300 个基本符号和 200 个新增符号构成。 “ IPA”包括 500 个补充符号、300 个基本符号和 200 个辅助符号。 1 +叠氮化银仍然很少使用,但有时是因为其价格高昂。 有时仍会使用叠氮化银,但由于其价格高昂,这种情况非常罕见。 1 +在 1999 年和 2003 年,他搭档 Jarno Jokihaara 和马科·里托拉成为了一名室内锦标赛冠军,2003 年,他成为了芬兰冠军。 他在 1999 年和 2003 年成为室内比赛冠军,对战雅诺·乔基哈拉和马可·里托拉。他还在 2003 年成为芬兰冠军。 1 +其中有西尔维娅·雷克萨奇,波列罗舞曲作曲家,玛丽·特瑞沙·瑞欧斯,作家,以及朱莉塔·罗斯,歌手。 其中包括《博莱罗》的作曲家玛丽·特里萨·里奥斯,作家朱莉·塔罗斯和歌手希薇亚·雷萨赫。 0 +然而,为支持温和版,原版已被跳过。 然而,为照顾原版,其温和版被略过。 0 +亚当斯维尔在西面与科尔曼接壤,在东面与莱克县接壤,在北面与怀尔德伍德接壤,在南面与萨莫特维尔接壤。 亚当斯维尔在西面与科尔曼接壤,在东面与莱克县接壤,在北面与怀尔德伍德接壤,在南面与萨姆特维尔接壤。 1 +这些歌曲由托米·李制作,并由迈克尔·拜因霍恩担任鼓手。 这些歌曲由汤米·李和鼓手迈克尔·拜因霍恩制作。 1 +它服务于墨尔本最东南端的伊迪斯维尔郊区,在 1919 年 9 月 20 日开放。 它为墨尔本东南部的伊迪斯韦尔郊区服务,并在 1919 年 9 月 20 日开放。 0 +然后该级数在几乎所有地方收敛。 然后级数在几乎所有地方收敛。 1 +影片由 A. Sreekar Prasad 担纲摄影, Rajiv Menon 负责剪辑。 电影由拉吉夫·梅农拍摄,由 A·斯里卡尔·普拉萨德剪辑。 0 +奥尔斯顿于 1965 年 12 月 21 日出生在马里兰州奥克森山。他就读康涅狄格州纽黑文市奥克森山中学。 他于 1965 年 12 月 21 日出生在马里兰州奥克森岗,并在康涅狄格州纽黑文市的奥克森岗高中就读。 1 +然而,在目前的衔接中,超人会在《最后之子》中第一次见到真正的萨德。 在真正的分镜剧本中,超人在“最后的儿子”中第一次遇到了现在的佐德。 0 +位于约塞米蒂谷布赖德韦尔瀑布附近的一片草场也被命名为乔治·芒罗。 芒罗草场,位于约塞米蒂谷布赖德韦尔瀑布,也因乔治·芒罗得名。 0 +他的兄弟是作家克劳迪奧·阿希利尼,而他的侄孙乔凡尼·菲洛特奥·阿基里尼(1572-1640 年)是一名律师。 他的哥哥是作家乔凡尼·菲洛特奥·阿基里尼,他的曾侄孙克劳迪奥·阿基里尼 (1572-1640) 是一位律师。 0 +这个头衔在 1790 年为赫兹福德郡的一名政治家詹姆斯·格里姆斯顿所创立,后来他恢复了维鲁拉姆伯爵头衔,而这个头衔仍由他的后代拥有。 1790 年为詹姆斯·格里姆斯顿获得此头衔,他是赫特福德郡的一位从政人员。他后来成为韦鲁勒姆伯爵,这个头衔仍由他的后裔持有。 0 +它由键盘手利昂·拉塞尔和吉他手马克·本诺组成。 它由键盘手利昂·罗素和吉他手马克·本诺作曲。 1 +这道门在札希尔·加齐统治期间便已规划,由他的儿子默罕默德建成,称为 Bab al-Qanat(渡槽门)。 该大门建造于 Az-Zahir Ghazi 执政时期,被他的儿子穆罕默德规划为 Bab al-Qanat (the Aqueduct Gate)。 0 +该站属于拉萨尔街站梅特拉线的一部分,在芝加哥环线中的乔利埃特和洛克岛区之间运行。 该车站是拉塞尔街车站 Metra 线的一部分,这条线在乔利埃特和芝加哥卢普区的岩岛区之间运行。 1 +圣公会传统中新教和天主教倾向之间的差异程度通常在特定圣公会教会和整个圣公会社区都存在争议。 圣公会传统中新教倾向与天主教倾向的区分度一直是特定圣公会教会内以及整个圣公会中争论不休的问题。 1 +波利尼西亚尼奥环礁位于法国,以格雷格·阿列克谢·格雷格命名。 法国玻里尼西亚尼奥的一处环礁名为 Greig ,是以 Aleksey Greig 命名。 0 +文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日至 2012 年 7 月 29 日)是一位印度舞者兼库契普迪舞(一种舞蹈形式)大师。 文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日至 2012 年 7 月 29 日)是一位库契普迪舞者及印度舞蹈形式的大师。 0 +A Mesa 的主要目标是与加利西亚人民党的语言政策作斗争,尤其是借助 Queremos Galego 运动的力量。 “台地”的主要目的为抗击加利西亚人民党的语言政策,特别是通过“我们要加利西亚语”运动。 0 +若昂·马汀斯·佩纳和弗朗西斯科·德·保拉·胡利叶塔·佩纳出生于里约热内卢,父亲是马汀斯·佩纳。 马丁斯·佩纳在里约热内卢出生,父母是若奥·马丁斯·佩纳和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳。 0 +2009 年,库里奇在“中扮演了一位戏剧性角色:吉纳维芙·麦克多纳。 2009 年,吉纳维芙·麦克多纳扮演戏剧角色柯立芝。 0 +因为这些事务机制,用户数据报协议 (UDP ) 等不可靠的传输协议足以用于进行 SIP 操作。 因为这些事务机制,用户数据报协议 (UDP) 等不可靠的传输协议足以用于进行 SIP 操作。 1 +该赛季于 1984 年 1 月 6 日在瑞典法伦开始,并于 1984 年 3 月 11 日在挪威莱格纳结束。 该赛季于 1984 年 1 月 6 日在挪威法伦开始,并于 1984 年 3 月 11 日在瑞典莱格纳结束。 0 +这本传记现已在大不列颠、美国(圣马丁 2013)、波兰(Swiat Ksiazki,2013)、匈牙利和中国出版。 该传记现已在英国、美国(St Martin's,2013)、匈牙利(Swiat Ksiazki,2013)、波兰和中国出版。 0 +悉尼水务委员会于 1888 年从市议会接管悉尼的水供应事务。 1888 年,镇议会从悉尼水务局接管悉尼的供水事务。 0 +弗朗索瓦丝·杜尔以 6-4 和 6-2 击败伊文·古拉贡 弗朗索瓦丝·杜尔以 6-4 和 6-2 击败古拉贡·伊文 1 +平均而言,7 月最冷,1 月最热。 七月是平均最热的月份,最冷的月份则是一月。 0 +1993 年普拉兹尔在艾伦镇开了自己的第二家餐厅,他把名字改为 P. J. 威利安,以纪念自己的祖父皮特·约瑟夫·威利安。 1993 年,当彼得·约瑟夫·韦利汉在阿伦敦开第二家餐厅时,他将餐厅名称改为 P. J. Whelihan 's,以纪念其祖父普拉策尔。 0 +如果我们有交替式图灵机,我们就会使用 ATIME 资源。 当我们拥有一台交替式图灵机时,我们便会使用资源 ATIME。 1 +归一化因数使得积分值平方所有空间中的绝对值等于 1。 归一化因数使得积分值平方完整空间中的绝对值等于 1。 1 +菌盖颜色从棕色到黄色各不相同,成熟时菌盖通常有棕色斑点。 顶部颜色从棕色到黄色不等,成熟时顶部通常会出现棕色斑点。 1 +耶稣在鱼腹中度过了三日,约拿将在墓穴中度过三日。 约拿在鱼腹中度过三日,而耶稣将在墓穴中度过三日。 0 +在前往法国和土耳其的俱乐部之前,阿格博曾为南斯拉夫联邦共和国的贝尔格莱德拉德足球俱乐部和奥比利奇足球俱乐部效力。 在前往法国和土耳其的俱乐部之前,阿格博曾为南斯拉夫联盟共和国的贝尔格莱德拉德足球俱乐部和奥比利奇足球俱乐部效力。 1 +小组的另一位成员是托马斯·吉法德爵士,他的姐姐嫁给乔治·思罗克莫顿。 小组的另一位成员是托马斯•吉法德爵士,他的姐妹乔治•罗克莫顿已结婚。 1 +屋大维·沃尔·马莱特的二女儿爱丽丝·安娜·凯瑟琳在 1852 年 6 月 24 日与托马斯在英国驻克隆领事馆完婚。 托马斯·安妮的二女儿爱丽丝·安娜·凯瑟琳 1852 年 6 月 24 日在科隆的英国领事馆与奥克塔维厄斯·瓦瑞·马雷特完婚。 0 +乔治城也是乔治城湖和附近城市圆石市的饮用水来源。 乔治敦也是乔治敦湖和附近朗德罗克市的饮用水水源。 1 +在高温和高氢气分压下,氢气能够扩散至碳钢合金。 在高温和部分氢高压条件下,氢气可扩散至碳钢合金中。 0 +委员会主席是亨利·亨利·瑞克森,而委员会的主席是弗雷德里克·布朗。 弗雷德里克·布朗是理事会主席;而亨利·里克森是委员会主席。 0 +除了您刚开始就培养的怪物类型,还有更多怪物等待解锁。 除您从一开始就能够解锁的怪物类型外,您还可以饲养许多其他怪物。 0 +1993 年,他与 A 级凯恩县美洲狮队和 AA 波特兰海豹队比赛。 1993 年,他与 A 级波特兰海狗队以及 AA 级坎恩县美洲狮队比赛。 0 +格林接管了帕克的第 帕克·格林接管第 0 +名称为 Dido Live 的 EP(含有 DVD 上 17 首现场演唱歌曲中的 3 首)于 2005 年 6 月 21 日仅通过 iTunes Store 以数字形式发行。 此 DVD 收录 17 首现场歌曲,而包含其中三首的 EP《蒂朵现场版》已于 2005 年 6 月 21 日通过数字形式在 iTunes Store 上独家发行。 0 +他娶了伊丽莎白·杨 (1854-1932 年),并且是轮船大亨托马斯·费恩利和地主 N·O·杨·费恩利的父亲。 他娶了伊丽莎白·杨 (1854-1932),是航运巨头托马斯·费恩雷和地主 N·O·费恩雷的父亲。 1 +佩特克尔湖国家公园是位于芬兰北卡累利阿区伊洛曼齐的一处国家公园。 佩特克尔湖国家公园是芬兰北卡累利阿区伊洛曼齐的一个国家公园。 0 +他是音乐家塔尔·巴克曼的叔叔、赖德·巴克曼的父亲。 他是音乐家赖德·巴赫曼的叔叔和塔尔·巴赫曼的父亲。 0 +Basia Trzetrzelewska 在 1987 年推出的《时代和浪潮》专辑中的歌曲《Astrud》是对吉尔伯托的致敬。 Basia Trzetrzelewska 在 1987 年推出的《时代和浪潮》专辑中的歌曲《Astrud》是对吉尔伯托的致敬。 1 +《卡波特小径》这一集的拍摄地是布雷顿角,包括佩吉湾和沿东海岸延伸的新斯科舍高地。 《东海岸》一集在新斯科舍卡博特之路沿线拍摄,包括佩吉斯洞穴和布雷顿角的高地。 0 +然而,迈克尔·杰克逊、普林斯和麦当娜都对这张专辑产生了影响。 然而,麦当娜、王子和迈克尔·杰克逊都对这张专辑产生影响。 1 +该庙是南亚印度教徒和韩国移民的文化及宗教中心。 该寺庙充当南亚印度教徒和朝鲜国家移民的文化与宗教中心。 1 +在韩国,草案被用来展现朝鲜的道教,并表达对阴阳和谐的希望。 在朝鲜王朝,该设计用于表现朝鲜的道教主义,并表达对阴阳和谐的希望。 0 +2009 年,安东尼奥 安东尼奥成为亚洲国际象棋锦标赛的第三位棋手,也是菲律宾史上首位获得 2009 年下半年世界杯参赛资格的棋手。 安东尼奥在 2009 年亚洲国际象棋锦标赛中名列第三,成为菲律宾史上首位荣获 2009 年下半年世界杯参赛资格的棋手。 1 +古巴的费尔南多·海德里希于 1880 年在马坦萨斯引入它的栽培技术。 费尔南多·海德里希于 1880 年在古巴引入它的栽培技术。 1 +继穆罕默德不久后阿里迁徙到麦地那。 在阿里后不久,穆罕默德迁徙到麦地那。 0 +开普唐于 1818 年由乔治·唐以他的姓名命名,作为对担任直布罗陀中尉的将军菲利普·帕克·金爵士的赞美。 1818 年,菲利普·帕克·金为 Cape Don 命名,以此作为对直布罗陀省督乔治·顿将军阁下的赞颂之词。 0 +在电影中,教育框架内的学校礼仪故事和喜剧情境与早期著作中对儒家思想的讽刺不谋而合。 影片中,关于习俗和教育状况的校园故事充满喜剧色彩,非常契合之前的文学作品中对儒家的讽刺。 0 +许多人将他们的音乐视为混有饶舌金属和工业金属影响的另类金属乐,其在之前的访谈中自称是“谋杀式摇滚”。 许多人将他们的音乐视为混有饶舌金属和另类金属影响的工业金属乐,其在之前的访谈中自称是“谋杀式摇滚”。 0 +此外,为争夺美国冠军,冠军杰克·史威格、米兹和科菲·京斯顿展开了一场三重威胁赛。 接下来,美国锦标赛的三重威胁赛在冠军杰克·史威格、米兹和科菲·京斯顿之间上演。 1 +“gravityWall”用作日本动漫电视连续剧的第二个开篇图案,而“sh0ut”用作第一个开篇图案。 《gravityWall》作为日本动漫电视连续剧的第二首片头主题曲,而《Sh0ut》作为第一首片头主题曲。 1 +Basia Trzetrzelewska 1987 年的专辑《时光与潮汐》中的歌曲《阿斯特鲁德》是对吉尔伯托的致敬。 吉尔伯托 1987 年发行的《时代和浪潮》专辑中的歌曲《Astrud》是对 Basia Trzetrzelewska 的致敬。 0 +在转入法国和土耳其的俱乐部前,阿格鲍为南斯拉夫社会主义联邦共和国的 FK Rad 和 FK Obilić 这两家贝尔格莱德俱乐部踢球。 在加入法国和土耳其的俱乐部前,阿格博曾效力于南斯拉夫联邦共和国的俱乐部、拉德足球俱乐部和贝尔格莱德的奥比利奇足球俱乐部。 0 +私立克莱本学院位于克莱本教区,不在海恩斯维尔附近。 私立克莱本学院位于非法人克莱本教区内,海恩斯维尔附近。 1 +《AleX》是一部意大利电视连续剧。该剧由乔尔乔·舍特勒尔、古列尔莫·杜科利和阿尔弗雷多·卡斯泰利制作,并由 Videotime 编剧。 意大利电视连续剧《Alex》由阿尔弗雷多·卡斯特里、古格列尔莫·杜科利和希奥尔希奥·斯科特勒担任编剧,并由 videotime 制作。 0 +2017 年 8 月,阿卢里·查克拉帕尼也加入该团队,扮演制片人普拉喀什·拉吉一角。 Aluri Chakrapani 也于 2017 年 8 月加入团队,据称将扮演制作人 Prakash Raj 的角色。 1 +布拉杜河是罗马尼亚 Hudeasa 河的一条支流。 Hudeasa 河是罗马尼亚 Bradu River 河的支流。 0 +他出版并撰写了托马索·康帕内拉(1934 年)、托马斯·莫尔(1935 年)和罗伯特·欧文(1950 年)的版本的序言。 他发表并撰写了《罗伯特·欧文》( 1934 )、《托马斯·莫尔》( 1935 ) 和《托马索·康帕内拉》(1950) 的序言。 0 +《迷失男孩》是 BBC 于 1978 年制作的一部文献纪录片迷你剧,由安德鲁·伯金编剧,罗德尼·巴内特执导。 《迷失男孩》是 BBC 于 1978 年制作的一部文献纪录片迷你剧,由罗德尼·本尼特编剧,并由安德鲁·伯金执导。 0 +它在马萨诸塞州、新罕布什尔州和佛蒙特州受到威胁,一如在罗德岛州和康涅狄格州。 它在马萨诸塞州和新罕布什尔州濒临灭绝,在佛蒙特州和康涅狄格州受到威胁,但在罗得岛历史悠久。 1 +写在任何地方,运行一次 随处书写,一旦运行 1 +2008 年,菲利普·鲍尔斯制作了一张收录他 14 首电影主题曲的 CD,由 1M1 Records 发行。 2008 年,菲利普·鲍尔斯发行了一张以他的 14 部电影为主题的 CD, 并由 1M1 Records 制作。 0 +接下来,耶尔与演员 Darshan 一起出现在卡纳达语电影《Jaggu Dada》中。 耶尔接下来与演员达尔尚一同出演了卡纳达语影片 `` Jaggu Dada '' 。 1 +劳里是一个男女通用的名字。在男性名字中,它可以是罗伦斯或劳伦斯的简称(爱称)。 劳里是一个男女通用的名字,在男性名字中,它可以是罗伦斯或劳伦斯的简称(爱称)。 1 +贝尔曼于 1931 年 12 月 8 日在路易斯维尔去世,并于肯塔基州路易斯维尔的耶稣受难像墓园下葬。 贝尔曼于 1931 年 12 月 8 日在路易斯维尔去世,并于肯塔基州路易斯维尔的耶稣受难像墓园下葬。 1 +运河街在 1790 年开放,该街道于 1870 年左右被命名为牛津运河。 运河街于 1790 年开放,并以 1870 年的牛津运河命名。 1 +《Everything But You》是一首 1945 年的歌曲,由多恩·乔治作曲,艾灵顿公爵和哈里·詹姆斯填词。 《Everything But You》是一首 1945 年的歌曲,由多恩·乔治作曲、艾灵顿公爵和哈里·詹姆斯填词。 1 +1980 年,教皇提出的解决方案被智利接受,但遭到阿根廷拒绝。 教皇在 1980 年提出的解决方案被智利接受,但遭到阿根廷拒绝。 1 +在苏维埃时代结束时,两座遭到部分破坏的亚美尼亚教堂遗址仍被保留下来。 两座仍保存的亚美尼亚教堂的遗迹在苏联时期结束时遭到部分损毁。 0 +1918 年 9 月 22 日,第一封无线电报从澳大利亚发往斯洛当尼亚。 1918 年 9 月 22 日,第一条无线电报消息从斯诺登尼亚发往澳大利亚。 0 +Giuroc 河是罗马尼亚 Măgheruş 河的支流。 Măgherus 河是罗马尼亚 Giuroc 河的支流。 0 +Bresnic 河是罗马尼亚斯拉蒂纳河的一条支流。 布雷辛克河是罗马尼亚斯拉提纳河的一条支流。 1 +2003 年,他移居南非并在那里生活了 16 个月,然后于 2004 年 9 月回到了伦敦。 他在 2003 年搬到了伦敦,并在那里待了 16 个月,然后于 2004 年 9 月返回南非。 0 +JoyKey 并无任何活动部件,也没有会磨损的软木或容易断裂的弹簧。 JoyKey 并无活动部件,没有可以损坏的软木,也没有容易老化的弹簧。 0 +雷丘斯在斯德哥尔摩出生,是解剖学家安德斯·贾汗·雷丘斯的儿子(和博物学者兼化学家安德斯·雷丘斯的孙子)。 雷济厄斯出生于斯德哥尔摩,是解剖学家安德斯·贾汉·雷济厄斯的儿子(也是博物学家和化学家安德斯·雷济厄斯的孙子)。 0 +他们被现场演绎的苍白音乐包裹着,那些由模糊而几乎是刻意断断续续管弦乐组成的音乐。 它们被现场演奏的稀拉管弦乐盖过,并由近乎刻意平淡的模糊声音构成。 0 +根据季节的不同,北美洲的卷心菜种群从加拿大迁移到墨西哥。 根据季节不同,北美洲的粉纹夜蛾种群会从加拿大迁徙至墨西哥。 1 +1880 年,费尔南多·海德里希在马坦萨斯将栽培法引入了古巴。 古巴的费尔南多·海德里希于 1880 年引入它的栽培技术。 0 +科尼利厄斯·奥拉通吉·阿德巴约是尼日利亚前参议员,曾任州长,后又成为尼日利亚联邦交通部部长。 科尼利厄斯·奥拉通吉·阿德巴约是尼日利亚前参议员,曾成为州长,后又担任尼日利亚联邦交通部部长。 1 +1983 年 5 月,英国巡演启动,现场吉他手罗宾·乔治参与了额外演出。 1983 年 5 月,英国巡演在多一位吉他手罗宾·乔治的情况下开始现场演出。 0 +癌症基因组项目是由皮特·坎贝尔于 2000 年发起的,如今该项目的带头人为迈克尔·斯特拉顿。 癌症基因组项目由迈克尔·斯特拉顿于 2000 年发起,皮特·坎贝尔现为该项目领导者。 0 +Zingone 为 Lito 踢了足球俱乐部。 Lito 为津戈内踢了足球俱乐部。 0 +在第四轮中负于彼得伯勒联前,谢菲尔德周三和哈德斯菲尔德击败了斯托克城。 在第四回合中负于彼得伯勒联前,斯托克城击败了谢菲尔德周三和哈德斯菲尔德。 0 +奖牌由新西兰国际奥委会委员芭芭拉·肯德尔和国际帆船总会主席卡洛·克罗塞授予。 奖牌由新西兰国际奥林匹克委员会成员卡洛·克罗斯和世界帆船总裁芭芭拉·肯德尔颁发。 1 +Massé 出生于纽约州威斯特彻斯特县,在密歇根州荷兰镇长大,而后在欧洲度过了青少年时期。 Massé 出生于密歇根州荷兰,在纽约州威斯特彻斯特县长大,青少年时期生活在欧洲。 0 +BBC 新闻学院作为一项网络学习系列开办于 2005 年 6 月,凯文·马什时任执行主编,学院首任主任为温·雷。 BBC 新闻学院以在线学习课程系列的形式于 2005 年 6 月开设,凯文·马什担任执行编辑。它的首任院长是文·雷。 1 +1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级董事总经理。 1989 年 11 月,德莱尼成为纽约证券交易所的一员,并担任 Henderson Brother,Inc. 和 Bear Wagner 的高级董事总经理。 0 +该影片在商业上取得巨大成功,也是塞尔乔·索利马政治元素较多的电影之一,但不如该导演早期的意大利式西部片成功。 该电影在商业上取得巨大成功,是塞尔乔·索利马更多成功电影之一,但政治元素比该导演之前的意大利式西部片要少。 0 +剧本由威廉·海尔编写,由詹姆斯·科斯蒂根(作为比利·海尔)领导。 剧本由詹姆斯·科斯蒂根所写,导演为威廉·黑尔(被称为比利·黑尔)。 0 +所有格主题“-m”的上述例子对第一人称来说是单数。 "单数主题 ""-m"" 的上述示例时第一人称的所有格。" 0 +如果 1983 年的地方性选举是一场国会选举,那么社会主义左翼党会获得国会的八个席位。 如果 1983 年的国会选举是一场地方性选举,那么社会主义左翼党会获得国会的八个席位。 0 +他是第一代男爵亨瑞·史瑞尔爵士的遗腹子;他的母亲是酿酒人约翰·雷德的姐妹。 他是第一准男爵亨利·斯雷尔爵士的遗腹子,他的母亲是酿酒商约翰·拉德的妹妹。 1 +菲什曼拥有哥伦比亚大学的学士学位和布朗大学的经济学硕士学位。 菲什曼持有布朗大学学士学位和哥伦比亚大学经济学硕士学位。 0 +三性女神的全新宗教观念是巫术宗教的现代运动的核心。 三相女神这一新的宗教理念是威卡教现代运动的中心。 1 +七十年代,她在 Kapp 和 MCA 这两个品牌旗下取得更多成功,而且她一直为它们效力到 1974 年。 Cher 依靠 Capp 和 MCA 公司在七十年代取得较大成功,并且为他们效力直到 1974 年。 1 +Paula Mohamed Mostafa Shafiq(1938 年 1 月 3 日出生,Nadia Lutfi)是一名已经息影的埃及女演员。 纳迪娅· 卢特菲(1938 年 1 月 3 日出生于 Paula Mohamed Mostafa Shafiq)是一位退休的埃及女演员。 0 +彼得·杜康 (1903-1967) 是早期的爵士乐簧管演奏家,活跃在美国新奥尔良爵士音乐界。 彼得·杜康 (1903-1967) 是早期的爵士乐簧管演奏家,活跃在新奥尔良的美式爵士乐界。 1 +色诺芬尼是一位神秘主义诗人,其哲学统一的观点与宗教相关联。 色诺芬尼是一位哲学诗人,他的神性统一观点与宗教有关。 0 +540 号县道距离高地市 540 号州道南部仅数英里,从美国 98 号公路向西延伸至 37B 县道。 540 号县道位于海兰市 540 国道以西几英里处,从 US 98 向南延伸至 37B 县道。 0 +Saragyugh(之前罗马化为 Saragyukh;也称为 Darakoy、Darakey 和 Daragyukh)是位于亚美尼亚希拉克省的一个村庄。 Saragyugh(罗马文也称作 Saragyukh;曾用名 Darakoy、Darakey 和 Daragyukh)是亚美尼亚希拉克省的一个村庄。 0 +托旺达溪位于布莱德福特郡西南方 ( 41.655805 , -76.850706 ) 的坎顿峡谷内。 托万达溪位于布拉德福德县西南部,在 (41.655805 , -76.850706),在坎顿谷。 1 +Luk 或 Loke 是多个(但并非所有)中文姓氏的粤语罗马拼音,普通话拼音是 Lu。 Luk 或 Loke 是几个(但并非所有)中文姓氏的粤语罗马拼音,其普通话的罗马拼音为 Lu。 1 +他后续在农业领域的工作主要都在诺福克展开,但他还曾提议在林肯郡大规模修建路堤,这项提议也得以成功实施。 他随后在农业领域的工作主要在林肯郡开展,但他还建议在诺福克广泛筑堤,而这项工作得到顺利开展。 0 +卢比在洛杉矶伍德兰希尔斯逝世,葬于洛杉矶松树教堂。 鲁比在洛杉矶去世,葬于加利福利亚州伍德兰希尔斯的松树教堂。 0 +麦卡锡出生于奥克兰,但在四岁时与父母一起搬到了加利福尼亚州的旧金山。 麦卡锡出生在加利福尼亚州的旧金山,但在四岁时随家人搬到了奥克兰。 0 +他还为变奏曲创作了大量声乐编曲和管弦乐伴奏。 他还编写了大量管弦乐曲和多种伴奏曲。 0 +1924 年,他受邀在多伦多担任 ICM 发言人,1932 年在苏黎世和 1936 年在奥斯陆也相继担任发言人。 1924 年,他曾作为特邀演讲人参加在多伦多举行的 ICM,之后参加过 1932 年在奥斯陆举行以及 1936 年在苏黎世举行的 ICM。 0 +欧陆联赛是成立第三类主要俱乐部的新联赛的最后一次认真尝试。 大陆联盟是为创建包括新俱乐部在内的第三大联盟所做的最后一次重要尝试。 0 +科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 30 个赛季和作为科罗拉多雪崩队的第 14 个赛季。 2008-09 科罗拉多雪崩队赛季是职业运动队的第 37 个赛季,国家冰球联盟的第 30 个赛季,科罗拉多雪崩队的第 14 个赛季。 1 +麦卡锡在奥克兰出生,但在四岁时与他的父母一起搬到了加利福尼亚州旧金山。 麦卡锡出生于奥克兰,但在四岁时与父母一起搬到了加利福尼亚州的旧金山。 1 +三年后,他在德国西部 Hahnenklee 举办的欧洲锦标赛的同一场竞赛中赢得银牌。 三年后,在西德举行的欧洲锦标赛上,他代表哈嫩克利在相同的赛事中夺得银牌。 0 +该度假村拥有 7 个红色、3 个蓝色、2 个黑色和一个绿色雪道。 该度假村有 7 条蓝色雪道、3 条红色雪道、2 条黑色雪道和一条绿色雪道。 0 +由于这些不可靠的机制,事务传输协议,例如用户数据报协议 (UDP) 足以进行会话发起协议操作。 由于这些不可靠的机制,用户数据报协议 ( UDP ) 等事务协议足以进行 SIP 操作。 1 +33.7% 出生于弗吉尼亚州,人口调查局将其与邻近的马里兰州和华盛顿特区归类为美国南部的一部分。 33.7 % 出生于马里兰州,人口调查局将其与邻近的弗吉尼亚州和华盛顿特区归类为美国南部的一部分。 0 +钱德勒认为计算机是一种学习工具,但是他反对将数据视为信息、将信息视为知识的普遍客观理念。 钱德勒将计算机视为学习的工具,但他拒绝盛行的客观主义将数据视为信息将信息视为知识。 0 +它也是俄罗斯第五高、欧洲第六高的建筑,同时也是全球 90 座超高摩天大楼之一。 它还是俄罗斯第五高的建筑、欧洲第六高的建筑以及全球 90 座超高摩天大厦之一。 1 +霍尔布鲁克站于 1962 年关闭,所以该路线的最近入口在朗肯科玛站或梅德福德站。 霍尔布鲁克站于 1962 年关闭,所以该线路的最近入口在朗康科玛站或梅德福德站。 1 +两架于 1934 年飞行,但没有再生产。 两架于 1934 年制造,但没有再飞行。 0 +落矶山冷杉通常称为亚高山冷杉或落基山冷杉,是北美西部的一种枞树。 Abies lasiocarpa 一般称为亚高山冷杉或洛基山冷杉,是一种生长在北美洲西部的冷杉。 1 +Abu Halifa 是科威特南部艾哈迈迪省 Abu Halifa 区的一个小镇,也称为 Abu Hulayfah、Abu Huleifa 或 Abu Haleifah。 Abu Halifa(或 Abu Hulayfah 或 Abu Huleifa 或 Abu Haleifah)是科威特艾哈迈迪省 Abu Halifa 区南部的一个小镇。 0 +在此人群中,87.91 % 是罗马尼亚人,7.53 % 是匈牙利人,而 4.43 % 是罗姆人。 在这个人口中,87.91% 是少数民族匈牙利人,7.53% 是少数民族罗马尼亚人和 4.43 % 是少数民族罗姆人。 0 +波林说“是的”,但佛兰妮仍旧怀疑。 波林说“是的”,但佛兰妮仍旧怀疑。 1 +卡兹里·黑佛得为寻求政治解放也深入参与了非洲运动。 凯斯利•海福德还积极投身于解放非洲的政治运动。 0 +对公式 2 的较高值而言,之前的平均值更加重要。 对于 formula-2 的重要值,之前的平均值较高。 0 +马斯出生在密歇根州的荷兰,在纽约州的威彻斯特县长大,并于青年时期在欧洲居住过。 马斯出生于纽约州威斯敏斯特郡,在密歇根州的荷兰小镇长大,又在欧洲度过了青年时期。 0 +在那里工作的人包括沃兹米尔兹·索恩教授、让·加多姆斯基博士和尤金纽什·雷布卡教授。 在那里工作的人包括尤金纽什·雷布卡教授、让·加多姆斯基博士和沃齐米日·索恩教授。 1 +该机构的总部位于法国巴黎,其海外办事处的运营办事处位于弗吉尼亚州的阿林顿。 该机构总部位于弗吉尼亚州阿灵顿,其海外办事处设于法国巴黎。 0 +Gerakan Tiga Daerah 的新任领导是 Sarjiyo,后面成为北加浪岸的主要摄政王。 “Gerakan Tiga Daerah”的主要领导人是 Sarjiyo,他成为了北加浪岸的新统治者。 0 +福尔摩斯这样描述莫里亚蒂: 莫里亚蒂对福尔摩斯的描述如下: 0 +邓肯·麦金太尔于 1899 年 10 月 6 日出生于英格兰肯特郡,为艾弗·尤因·麦金太尔上尉之子。 邓肯·麦克林泰尔于 1899 年 10 月 6 日出生在英格兰肯特,他是艾弗·尤因·麦克林泰尔的儿子。 1 +玛格丽特乘坐“新英格兰”号航行并于 1631 年 11 月 2 日抵达里昂,随后被录取为波士顿教堂的第 111 号成员。 玛格丽特于 1631 年 11 月 2 日抵达新英格兰,搭乘“里昂”号航行并被波士顿教堂接受成为第 111 位成员。 0 +乌克鲁尔也是曼尼普尔区的一个热门旅游胜地。 曼尼普尔邦也是乌克如州的一个热门旅游胜地。 0 +它位于栗树岭以东,纳纽埃特以南,纽约州布劳维尔特以西,新泽西州蒙特威尔和旧塔潘以北。 它位于纳纽埃特以东,切斯特桥以南,纽约州布劳费得以西,以及新泽西州蒙特威尔和旧塔潘以北。 0 +1993 年,当普拉策在艾伦镇开设其第二家餐厅时,他将名称更改为 P. J. Whelihan 以纪念他的祖父彼得·约瑟夫·韦利汉。 1993 年,当彼得·约瑟夫·韦利汉在阿伦敦开第二家餐厅时,他将餐厅名称改为 P. J. Whelihan 's,以纪念其祖父普拉策尔。 0 +《Pennmakkal》是一部 1966 年的印度马拉雅拉姆语电影,由 J. Sasikumar 制作,由 KP Kottarakkara 执导。 Pennmakkal 是一部印度马拉雅拉姆语电影,由 J. Sasikumar 执导,由 K. P. Kottarakkara 制作。 0 +他出版并撰写了托马索·康帕内拉 (1934)、托马斯·莫尔 (1935) 和罗伯特·欧文 (1950) 版本的序言。 他出版并撰写了罗伯特·欧文(1934 年)、托马斯·莫尔(1935 年)和托马索·康帕内拉(1950 年)的版本序言。 0 +他得知他身上带着 Shinra Banshou,一个包含忍者的世界隐世最强秘术的卷轴。 他得知自己的身体持有“森罗万象”,它是记载名张忍者世界最强大的秘密忍术的密卷。 1 +它是著名的朝圣中心,距离达尔瓦德 78 公里,贝尔高姆 37 公里。 它是著名的朝圣中心,距离贝尔高姆 78 公里,距离达尔瓦德 37 公里。 0 +Raja 是 Pazhayamviden Chandu 麾下的一名将军,他的背叛导致了 Pazhassi Raja 的死亡和英国在 Cotiote 战争中的胜利。 Pazhayamviden Chandu 是 Pazhassi 亲王手下的一位将军,他的背叛害死了亲王,导致英国在 Cotiote 战争中获胜。 0 +1933 年,卡特尔写道,在所有北欧种族中,“欧洲种族拥有进化最高的智力和性情稳定性”。 1933 年,卡特尔写道,在所有的欧洲种族中,“北欧人种在智力与气质稳定性方面进化得最为完善。” 0 +他曾担任捷克斯洛伐克 HLT 教会的传教士,也曾在内华达州担任主教。 他曾担任捷克斯洛伐克 LDS 教会的传教士,也曾担任内华达的主教。 0 +伊丽娜·斯皮尔利亚以 6-4、1-6 和 7-6 的成绩击败布兰达·舒尔茨 以 6-4、1-6 和 7-6 的比分击败布兰达·舒尔茨 0 +《亚当·苏拉特》(“内心的力量”)是一部由塔尔克·马苏德在 1989 年执导的关于孟加拉国画家谢赫·莫罕默德·苏尔丹的纪录片。 《Adam Surat》(“内在力量”)是 1989 年一部有关孟加拉国画家 Sheikh Mohammed Sultan 的纪录片,由塔尔克·马苏德执导。 1 +该航空公司由 Irelandia 创立,它还开创了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中客车航空和澳洲虎航。 该航空公司由爱尔兰航空发展公司成立,该公司旗下还成立了其他五家航空公司,即 VivaColombia、Ryanair、Allegiant Air、VivaAerobus 和 Tigerair。 0 +该团体广泛巡演,在以色列广为人知,甚至于 2007 年在纽约市演出。 该团体广泛开展演出并在以色列成名,甚至还于 2007 年在纽约市巡演。 0 +艾米莉·安·莫雷利(1984 年 3 月 27 日出生在艾米莉·安·劳埃德)是一位美洲裔美国女演员。 艾米丽·安·劳埃德(本名艾米丽·安·莫雷利;1984 年 3 月 27 日)是一位美国女演员。 0 +效忠派在卡托巴河的西侧扎营,而查尔斯·康沃利将军的军队在东侧扎营。 保皇派在卡托巴河西侧扎营,而查尔斯·康沃利将军的军队驻扎在东侧。 1 +该清单包含至少 10 个字母的克罗地亚语词语。此清单中的部分词语源自拉丁语和希腊语。 该清单包含有至少 10 个字母的希腊语词语,其中有些来自拉丁语和该清单中的克罗地亚语。 0 +隆戈在新泽西州贝永出生,曾就读于新泽西州泽西市的马里斯特高中和罗德岛大学。 隆戈在新泽西州贝永出生,曾访问过新泽西州泽西市的马里斯特高中和罗德岛大学。 1 +《与道格拉斯·费尔班克斯环游世界八十分钟》是一部 1931 年美国法典前纪录片,由道格拉斯·费尔班克斯和维克托·弗莱明执导,并由罗伯特·E 谢伍德编写。 《与道格拉斯·费尔班克斯环游世界八十分钟》是一部 1931 年美国法典前纪录片,由道格拉斯·费尔班克斯和维克托·弗莱明及罗伯特·E·谢伍德执导。 1 +阿里在穆阿威亚死后开始上台,并建立了一个王朝。 Ali Muaviyah 死后,掌权并建立了一个王朝。 0 +它由比利·吉尔哈特编写,并由塞斯·霍夫曼执导。 它由比利·吉尔哈特编写并由塞思·霍夫曼执导。 1 +电影收到了负面评价,但后来发行了 VHS 和 DVD,成为了小众电影爱好者的最爱,在亚马逊和 IMDB 上都得到了好评。 影评界对该影片的评价较为负面,但录像带和 DVD 发布后,他备受邪典电影迷推崇,并在亚马逊和 IMDB 上收获大量好评。 1 +他是克拉伦斯·佩吉特勋爵、阿尔弗雷德·佩吉特勋爵以及乔治·佩吉特勋爵同父异母的兄弟。 他是克拉伦斯·佩吉特勋爵、阿尔弗雷德·佩吉特勋爵和乔治·佩吉特勋爵的同父异母兄弟。 1 +弹性势系统的组件如果在系统受力时变形则储存机械能。 机械系统的组件在受到外力作用时发生变形后会存储弹性势能。 0 +据说 Easipower 曾是, 据说 Easipower 是, 1 +费尔南多·海德里希于 1880 年在古巴马坦萨斯引进栽培技术。 马坦萨斯的费尔南多·海德里希于 1880 年在古巴引入它的栽培技术。 1 +这是三家建在中央商务区的三级酒店中的第一家。 在中央商务区所建造的三家三等酒店中,这是第一家。 1 +亚历山德拉·柯平格纳在新的电视连续剧《Dead Gorgeous》中扮演最小的妹妹黑兹尔。 在新的电视剧“华丽死亡”中,黑兹尔饰演了最小的妹妹亚历山德拉·科平杰。 0 +伊本·阿米拉出生于巴伦西亚省的阿尔西拉。 伊本·阿米拉出生于瓦伦西亚阿尔西拉省。 0 +Lusaghbyur(之前的罗马名为 Lusakhpyur;也叫做 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 Lusaghbyur (也可罗马化为 Lusakhpyur;之前名为 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 0 +他对图片的继发效应尤其感兴趣,图片中有身披长斗篷的时髦人物,或是具有装饰性的姿势;叙述性内容受到影响。 他对他的图片的装饰效果尤其感兴趣,图片中有身披长斗篷的时髦人物,或是受到影响的姿势,叙述性内容是次要的。 0 +“黎明”是电视连续剧“的第三十九集(制作 # 213),也是第二季的第十三季。 NS 0 +1959 年 2 月 20 日,总理约翰·迪芬贝克终止该项目,五个“箭头”已完工。 1959 年 2 月 20 日,总理约翰·迪芬贝克终止该项目,五个已经完工的“箭头”遭拆除。 0 +这部电影讲述的是马拉雅拉姆影业的新晋歌手拉斐尔。 这部电影与新电影业的一位马拉雅拉姆语歌手拉斐尔有关。 0 +2014 年,该网站推出 iOS 和安卓应用程序,用于产品搜索;产品功能包括提供现场问答式会话的交互式视频产品评论。 2014 年,该网站推出了 iOS 和 Android 应用程序用于产品搜索,产品功能包括交互式视频 - 产品 - 评论与实时 - 问答 - 会话。 1 +19 岁时,她搬到纽约,2011 年搬到斯德哥尔摩。 她在 19 岁时移居斯德哥尔摩,并于 2011 年移居纽约。 0 +根据季节不同,北美洲的卷心菜种群会从加拿大迁移至墨西哥。 根据季节不同,北美洲的粉纹夜蛾种群会从墨西哥迁徙至加拿大。 0 +它设有体现联赛风格的主要休息席、更衣室和现代设施,使其成为 NCAA 第二赛区大学棒球赛中配备最齐全的设施之一。 它设有体现联赛风格的宽敞球员休息席、更衣室和现代训练设施,这使其成为 NCAA 第二级别大学棒球赛中配备最齐全的设施之一。 0 +此 DVD 收录 17 首现场歌曲,而包含其中三首的 EP《蒂朵现场版》已于 2005 年 6 月 21 日通过数字形式在 iTunes Store 上独家发行。 一个称为《蒂朵现场版》的 EP 于 2005 年 6 月 21 日通过 iTunes Store 以数字形式独家发布,其中包括此 DVD 上 17 首现场歌曲中的三首 。 1 +继多伦多的西图·盖森之后,达斯蒂·巴克尔成为参加世界职业棒球大赛的首位黑人经理。 西托·加斯东是自多伦多的达斯帝·贝克后首位参加世界大赛的黑人经理,并且 0 +1977 年,罗布·泰勒与巴伯前往苏格兰和挪威攀登瀑布。 1977 年,巴伯与罗伯·泰勒前往苏格兰和挪威攀登瀑布。 0 +波利尼西亚尼奥环礁位于法国,以格雷格·阿列克谢·格雷格命名。 法属波利尼西亚的一个环礁以阿列克谢·格雷格格雷格的名字命名。 0 +墨尔本亚伯特公园湖泊举行姐妹活动,由 Fox FM(澳大利亚墨尔本)赞助。 墨尔本的阿尔伯特公园湖举办了一场姊妹活动并由 Fox FM(澳大利亚墨尔本)赞助。 1 +借助这些创新,BRT 系统的最大可实现运力已提升为每小时 35,000 位乘客。 这些创新将 BRT 系统的最大可实现运力提升为每小时 35,000 位乘客。 1 +尤金·D·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿特尔伯勒,是詹姆斯·亨利·恩格利及其妻子玛丽·凯莉(婚前姓)之子。 詹姆斯·亨利·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿特尔伯勒,是尤金·D·恩格利及其妻子玛丽·凯莉(婚前姓)之子。 0 +尽管斯洛文尼亚的联合式橄榄球是该运动在前南斯拉夫的主要中心,但克罗地亚仍在举办众多橄榄球比赛。 尽管斯洛文尼亚的联合式橄榄球是该运动在前南斯拉夫的主要中心,克罗地亚仍会举办相当多的橄榄球比赛。 0 +Swayam 意图诬告 Sujal 及伤害 Garewals 的邪恶计划遭到挫败。 Swayam 想要伤害 Sujal 和陷害 Garewalls 的邪恶计划受到了挫败。 0 +斯特灵·布朗最为知名的是其纯正的南方黑人方言。 斯特林·布朗以他纯正的南方黑人方言最为出名。 1 +她是布鲁斯·帕特罗的遗孀,也是女演员格温妮丝·帕特罗和导演杰克·帕特罗的母亲。 她是杰克·帕特洛的遗孀,女演员格温妮丝·帕特洛和导演布鲁斯·帕特洛的母亲。 0 +皮尔逊对种族和政治平等主义的严肃立场同样体现在对马克思主义和社会主义的一贯反对。 皮尔森十分激进,他反对严格平均主义。他同样反对马克思主义和社会主义,这也政治立场印证了他的政治立场。 0 +泰勒一直保持活跃,直到他作为芝加哥白袜队和棒球队密尔沃基雄鹿队和亚特兰大勇士队的球探去世。 泰勒继续活跃在棒球界,担任亚特兰大勇士队及密尔沃基和芝加哥白袜队的球探直到去世。 1 +本季从 1984 年 1 月 6 日在法伦(瑞典)开始,于 1984 年 3 月 11 日在利格纳(挪威)结束。 该赛季于 1984 年 1 月 6 日在挪威法伦开始,于 1984 年 3 月 11 日在瑞典灵纳结束。 0 +现在,这座城堡收藏不断变化的博物馆展品,还存放着一些民族志藏品。 今天城堡举办了改变博物馆的展览,展出了几件人种学藏品。 1 +朗戈出生在新泽西州的巴约尼,曾经就读于新泽西州泽西城的曼利斯特高中高中和罗德岛大学。 朗格出生于新泽西州纽约市,曾在新泽西州巴约讷的玛丽斯特高中,以及罗德岛大学就读。 0 +1993 年,当普拉策尔在阿伦敦开第二家餐厅时,他将名称改为 P. J. Whelihan 's,以纪念其祖父彼得·约瑟夫·韦利汉。 1993 年,当彼得·约瑟夫·韦利汉在阿伦敦开第二家餐厅时,他将餐厅名称改为 P. J. Whelihan 's,以纪念其祖父普拉策尔。 0 +他的父亲阿尔菲·伯恩是一位代表、参议员兼都柏林市市长大人,另一位兄弟帕特里克·伯恩也是下议院议员。 他的父亲帕特里克·伯恩是都柏林的代表、参议员和市长大人,另一位哥哥阿尔菲·伯恩也是 TD。 0 +后来他搬去了瑞士,然后搬去了意大利,他在那儿认识了谢莉和拜伦。 他随后搬去了瑞士,再之后搬去了意大利,他在那儿认识了谢莉和拜伦。 0 +他在比赛中取得的最佳名次是 1960 年的第十名和 1968 年的第八名。 他在比赛中的最佳排名是 1960 年的第八名和 1968 年的第十名。 0 +怀特从纽约教堂山移居纽约。 赖特从纽约搬至北卡罗来纳州的教堂山。 0 +霍利 霍利在音乐上受到了艾尔顿·约翰的影响。 埃尔顿·约翰在音乐上受到霍利的影响。 0 +伊丽莎是他的姐妹朱迪思的女儿,朱迪斯大约在 1748 年去世。 伊莉莎是他姐姐朱迪斯之女,朱迪斯于1748年逝世。 1 +他的父亲是“铁人”约盖拉,母亲是立陶宛的海伦,她是波兰国王约翰二世的侄女。 他的父母是“钢铁”约翰,他的妻子是立陶宛的海伦,波兰约盖拉国王的侄女。 0 +在色情视频技术出现之前,电子和数字电影的大规模制作直接与主流电影业相关联。 在电子和数字视频技术出现之前,色情电影的大规模制作直接与主流电影业关联。 0 +受到理查德·吉布森和宫廷画家彼得·乐利的表扬之后,可视作与乔安·卡利瑟同样成功。 理查德·吉布森和宫廷画师琼·卡莱尔对她赞赏有加,而她也被视为与彼得·莱利一样成功。 0 +后来,在攻击昂古莱姆伯爵安德鲁期间,理查德将成为阿德玛的军队。 后来,安德鲁在袭击昂古莱姆伯爵阿德赫马尔期间,加入了理查德的部队。 0 +布拉夫和肖东是希望谷的民间教区,位于英格兰德贝郡的海皮克区。 布拉夫和沙顿是英格兰德比郡高峰区希望谷的一座自治市。 1 +索托出生在沃斯堡,但一岁时搬到了墨西哥的蒙特雷。 索托出生于沃斯堡,但在一岁时搬到了墨西哥蒙特雷。 1 +内维尔娶了 Edith Cranstoun Macnamara,H. T. J. Macnamara 的长女,她曾担任郡法院的法官和铁路某部门部长。 内维尔与艾迪斯·卡兰斯顿·麦克楠麦拉结婚,她是曾兼任郡法院法官和铁道部长的 H. T. J. 麦克楠麦拉先生的长女。 1 +球队对 2 月 19 日晚的下一场比赛中的变化进行回应。 团队回应了第二年 2 月 19 日晚上同一场比赛的变化。 0 +罗宾斯于 1933 年 9 月 21 日出生于考文垂,他的孪生兄弟叫大卫,在查尔斯和贾斯明·罗宾斯所生的 12 个孩子中他们分别排行第八和第九。 大卫于 1933 年 9 月 21 日出生在考文垂,他的父亲是查尔斯·罗宾斯,他的父亲还有一个孪生妹妹贾思敏·罗宾斯,他们在罗宾斯家族十二个孩子中排行第八和第九。 0 +当一个曲面的可展曲率为常数零时,它便是欧几里德曲面,并且该曲面的几何形状为高斯几何。 当一个曲面的高斯曲率为常数零时,它便是可展曲面,并且该曲面的几何形状为欧几里德几何。 0 +它作为吉隆坡卫星城的地位与其地处马来西亚巴生谷中心位置有关。 它作为巴生谷卫星镇的地位与其位于马来西亚吉隆坡心脏地带的位置息息相关 0 +艾米莉·安·莫雷利(原名艾米莉·安·劳埃德;1984 年 3 月 27 日)是一位美国女演员。 艾米莉·安·劳埃德(于 1984 年 3 月 27 日出生为艾米莉·安·莫雷利)是一位美国女演员。 0 +Shook 是一家总部位于伦敦的独立英国音乐杂志社,主要介绍各种类型的黑人音乐和电子音乐。 《Shook》是一本在伦敦地下制作的电子音乐杂志,涵盖各种形式的英国音乐和黑人音乐。 0 +皮蓬城由来自纽约的塞缪尔·克罗斯和来自费城的威廉 A ·皮蓬在 1867(1820 年 3 月 5 日 - 1986 年 7 月 6 日)设计。 Piper City 于 1867 年由纽约的塞缪尔·克罗斯和费城的威廉·A·派珀(1820 年 3 月 5 日至 1896 年 7 月 6 日)布局。 1 +在他去世时,大卫·卡迪纳尔·比顿是苏格兰大主教圣安德鲁斯的大法官和苏格兰红衣主教的使节。 大卫·卡迪纳尔·比顿在去世时是苏格兰大法官、圣安德鲁斯大主教和苏格兰红衣主教使节。 0 +纳瓦罗是阿根廷东北部布宜诺斯艾利斯省的一个 partido。 纳瓦罗是阿根廷东北部布宜诺斯艾利斯省的一个 partido。 1 +他在巴西出生,自 2002 年起在韩国居住了 9 年并在那里踢了 5 年足球。他在 2007 年开始了自己的职业生涯。 他在韩国出生,自 2002 年起在巴西居住了 9 年,在那里踢了 5 年足球,然后在 2007 年开始他的职业生涯。 0 +尼科尔斯坐落于马斯卡廷郡 15 区的 ( 41.479113 , -91.308291) ,地处爱荷华州派克小镇的西部边缘地带。 尼科尔斯 ( 41.479113 , -91.308291 ) 位于马斯卡廷郡 15 区,坐落于爱荷华州派克小镇的西部边缘地带。 1 +比较受欢迎的列车包括:开往库尔纳市的斯曼塔快车和卢普夏快车、开往拉杰沙希市的提图米尔快车、开往达卡的尼勒萨加快车和开往达卡的拉尔莫尼快车。 较受欢迎的列车包括:开往达卡的 Simanta Express 和 Rupsha Express、开往达卡的 Titumir Express、开往拉杰沙希的 Nilsagar Express 和开往库尔纳的 Lalmoni Express。 0 +Kapp 依靠 Cher 和 MCA 这两个品牌在二十世纪七十年代取得较大成功,并且一直为它们效力到 1974 年。 Cher 依靠 Capp 和 MCA 这两个品牌在七十年代取得较大成功,并且一直为它们效力到 1974 年。 0 +朗出生于澳大利亚,年轻时移居以色列,并于 1961 年定居于此。 朗出生于以色列,年轻时移居澳大利亚,并于 1961 年在此定居。 0 +蔡峰还有一个儿子,叫做蔡茂。 蔡瑁还有个儿子,名叫蔡讽。 0 +之后,他相继前往瑞士和意大利,并在那里遇到了雪莱和拜伦。 后来,他先后前往瑞士和意大利,并遇到了雪莱和拜伦。 0 +劳埃德成立并带领其公司开始销售玩具和礼品,而且随着礼品业务发展壮大,他扩展了总部位于密苏里州格兰德维尤的 House of Lloyd。 劳埃德成立并带领其公司开始销售玩具和礼品,而且随着礼品业务发展壮大,他扩展了总部位于密苏里州格兰德维尤的 House of Lloyd。 1 +Neajlovel 河是罗马尼亚 Neajlov 河的一条支流。 内亚罗夫河是罗马尼亚 Neajlovel 河的一条支流。 0 +德沃山是加拿大不列颠哥伦比亚温哥华岛的一座山,位于兰布勒峰东南面和戈尔德河南面。 DeVoe 山是加拿大不列颠哥伦比亚省温哥华岛上的一座山,位于金河东南部和漫步者峰南部。 0 +若奥·马丁斯·佩纳和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳出生于里约热内卢,他们的父亲是马丁斯·佩纳。 马丁斯·佩纳出生于里约热内卢,父母是佩纳·若奥·马丁斯和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳。 0 +第 188 火箭师于 1941 年 4 月 29 日创立,当时第 46 步兵师已于考纳斯完成组建。 第 46 火箭师的历史始于 1941 年 4 月 29 日,当时第 188 步枪师已在考那斯完成编队。 0 +阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 1 +Buccinum pulchellum 是一种海螺,属于真正的蛾螺科腹足软体动物,是海中的蛾螺。 Buccinum pulchellum 是一种海螺、真正的蛾螺科腹足类软体动物,也属海洋蛾螺。 1 +NS 下表对比了 LOD 感知渲染以及细节详尽(“蛮力”)方法的表现。 0 +他于 1891 年 9 月 19 日在田纳西州加拉廷去世,并在加拉廷收到了一个共济会。 邦廷于 1891 年 9 月 19 日在田纳西州的加拉廷去世。 他在加拉廷接受了共济会的葬礼。 1 +第一年,拉尔科·霍伊尔从叔叔维克多·拉尔科·埃雷拉那里获得一些建议,后者在利马成立了一些博物馆。 同年,拉科•霍伊尔从叔叔维克多•拉科•埃雷拉那里获得一些建议,后者是利马第一家博物馆的创始人。 0 +他由约翰·委拉斯开兹训练,并由骑师戴尔·罗曼斯指导参加了人生中最重要的骑马比赛。 他由戴尔·罗曼斯训练,并作为骑师约翰·委拉斯开兹的坐骑参加了他最重要的比赛。 0 +1866 年 6 月 25 日,他被任命为“吕基亚尼萨的主教和韦莱特里的领衔主教。 1866 年 6 月 25 日,他被任命为“吕基亚尼萨”的辅理主教和韦莱特里的领衔主教。 1 +他们的现场表演在墨尔本、基隆和谢珀顿取得了一些成功。 他们通过在谢珀顿、吉朗和墨尔本的现场表演取得了一些成功。 1 +蒂姆·蒂姆的弟弟陶德·莱韦克自 2015 年起担任国家橄榄球联盟的首席运营官。 托德·莱韦克的弟弟蒂姆自 2015 年起至今一直担任国家橄榄球联盟的首席运营官。 0 +Joey Shamah 已由被任命为 E.l.f 总裁、首席执行官兼董事的 Tarang P. Amin 接替。 Tarang P. Amin 已由 E.l.f 的总裁、首席执行官兼董事 Joey Shamah 接替。 0 +加利福尼亚是加利福尼亚州大和殖民地利文斯顿的日本农业社区。 加利福尼亚州的 Yamato Colony 是位于加利福尼亚州利文斯顿的日本农业社区。 0 +他的父亲阿尔菲·伯恩是议员、下议院议员、参议员兼都柏林市市长大人,另一位哥哥帕特里克·伯恩也是下议院议员。 他的父亲帕特里克·伯恩是国会议员、下议院议员、参议员兼都柏林市市长大人。另一位哥哥阿尔菲·伯恩也是下议院议员。 0 +约纳斯·比约克曼和法布里斯·桑托罗在决赛中以 6 - 2 和 6 - 4 击败了马丁·达姆和拉德克·斯泰潘内克。 马丁·达姆和拉德克·斯泰潘內克在决赛中以 6 -- 2、6 -- 4 的比分战胜了约纳斯·比约克曼和法布里斯·桑托罗。 0 +也可使用蒸汽而无需泵送。 蒸汽也可以泵送,不需要使用。 0 +迈克尔·利贝尔 14 岁时,他的父母从宾夕法尼亚州伊利市来到德国。 老迈克尔·迈克尔·利贝尔在 14 岁时随父母从伊利来到德国的宾夕法尼亚州。 1 +三相女神的新宗教观念是巫术现代运动的核心。 三性女神的现代观念是巫术宗教新宗教运动的核心。 0 +如果 1983 年的地方选举是议会选举,社会主义左派将在议会中赢得 8 个席位。 如果 1983 年议会选举是地方选举,社会主义左派将在议会中赢得 8 个席位。 0 +它是一个著名的朝圣中心,距离达尔瓦德 78 公里,距离贝尔高姆 37 公里。 它是著名的朝圣中心,距贝尔高姆 78 公里,距达尔瓦德 37 公里。 0 +此岛岩石陡峭,土壤贫瘠。 岛上陡峭,边缘多岩,少有平地。 0 +从铁磁物质到顺磁物质的相变是持续的,并且呈二级阶数。 从铁磁性到顺磁性的相变是连续的且具有二阶。 1 +他作为一名玻璃工人表演,与很多不同的乐队合作演奏过不同的乐器。 他曾是一名玻璃工匠,与众多品牌合作制作各种乐器。 1 +他曾与弗朗西斯科·格里马尔迪、Bartolomeo Picchiatti 及 Giovan Giacomo Di Conforto 等当代建筑师有过合作。 他曾与弗朗西斯科·格里马尔迪、Bartolomeo Picchiatti 和 Giovan Giacomo Di Conforto 等当代建筑师合作。 1 +仅仅 10 天后,他和艾伦·海尔曼一同转入西雅图水手队,换来罗尼·塞德尼奥。 仅 10 天过后,他便和阿伦·希尔曼一同被转会到西雅图水手队,以交换罗尼·塞丹诺。 1 +据美国人口调查局称,绍斯波特总面积为,其中陆地占,水域占 0.91%。 据美国人口调查局的数据显示,绍斯波特的总土地面积或 0.91% 是水域。 1 +在芬兰境内获得独立前,俄罗斯帝国是一个自治的大公国。 在独立前,芬兰是俄罗斯帝国境内的自治大公国。 0 +劳埃德成立并指导其公司开始销售玩具和礼品,而且随着礼品业务发展壮大,他扩展了总部位于密苏里州格兰德维尤的 House of Lloyd。 劳埃德拓展了他的业务并开始出售玩具和礼品,随着礼品业务的发展壮大,他又在密苏里州格兰德维尤创立了 House of Lloyd 并担任管理者。 0 +“汤顿城堡”于 8 月 1 日在槟城,于 10 月 31 日在里约热内卢。 8 月 1 日,《汤顿城堡》在里约热内卢开播,10 月 31 日在槟城开播。 0 +唐朝的陈州行政区现属于周口的辖区,位于河南东部: 唐朝的陈州行政区现属于河南的辖区,位于周口东部: 0 +2012 年,奥吉埃、休斯、伦斯特拉、博斯、克莱因荣格和瓦赫特公布了对来自互联网的数百万个公开 RSA 密钥的分析。 2012 年,伦斯特拉、休斯、奥吉埃、博斯、克莱因荣格和瓦赫特公布了对从互联网收集的数百万个公开 RSA 密钥的分析。 1 +罗杰·莫蒂默的第一任妻子是琼·莫蒂默,她是奥德利男爵的女儿。 罗杰·莫蒂默的第一任妻子是詹姆斯二世奥德利男爵的女儿琼·莫蒂默。 1 +达斯帝·贝克成为了自多伦多的西托·加斯东之后首个参加和出席世界大赛的黑人经理。 西托·加斯东成为了自多伦多的达斯帝·贝克后首位参加世界大赛的黑人经理,并且 0 +于热 1962 年出生于智利和纽约,在巴黎生活和工作。 Huyghe 1962 年生于巴黎,在智利和纽约生活和工作。 0 +他还向特德·克鲁兹捐赠 34,000 美元,向米特·罗德尼捐赠 7,000 美元,包括其 2016 年总统竞选。 他还向特德·克鲁兹捐赠 34,000 美元,并向米特·罗姆尼捐赠 7,000 美元,包括他在 2016 年的总统竞选。 1 +拉米·奈米纳恩(生于 1966 年 2 月 25 日)是一名芬兰足球运动员。 拉米·涅米宁(生于 1966 年 2 月 25 日)是前芬兰足球运动员。 1 +奥利维亚·罗于 2004 年开始从事划船运动,而杰西卡·罗于 2006 年跟随她的步伐。 2004 年,奥利维亚·洛参加了划艇运动,随后杰西卡·洛也在 2006 年追随了她的脚步。 1 +前拉斯维加斯表演女郎玛格丽特·惠顿(瑞秋·菲尔普斯)继承了已故丈夫唐纳德留下的克利夫兰印第安人棒球队。 拉斯维加斯前歌舞女郎玛格丽特· 惠顿(瑞秋·菲尔普斯)从她去世的丈夫唐纳德手里继承了克利夫兰印第安人棒球队。 1 +朱尔斯·霍兰德和麦克尤恩于 1995 年离婚,之后她与音乐人内德·兰布顿结婚。 朱斯·霍兰德和麦克尤恩于 1995 年离婚。后来,她嫁给了音乐家内德·兰布顿。 1 +拉夫兰将一楼用作其商业区,并将二楼作为共济会会所。 拉夫兰占据二楼作为他的商品,而一楼用作共济会会堂。 0 +这些在英国很少见,但在欧洲相对常见,至少对于大型机车来说是这样。 这些在英国十分常见,但在欧洲相对少见,对于大型机车至少是如此。 0 +托马斯·达顿爵士(1421 年 8 月 1 日 -- 1459 年 9 月 23 日)是一位中世纪的英国骑士。他是约翰·达顿爵士和玛格丽特·萨维奇的儿子 托马斯·达顿爵士(1421 年 8 月 1 日至 1459 年 9 月 23 日)是一位中世纪英国骑士,为约翰·达顿和玛格丽特·萨维奇之子。 1 +梅特提出的从帕丁顿延伸到南肯辛顿,向东从穆尔盖特延伸到陶尔希尔再到南部的建议在 1864 年 7 月 29 日得到采纳并获得皇家批准。 梅特提出的从帕丁顿向南延伸至南肯辛顿,从穆尔盖特向东延伸至陶尔希尔的提议在 1864 年 7 月 29 日得到采纳并获得皇家批准。 1 +拉希迪没有被指控,但当他被拘留时,他被摩洛哥当局遣返回国。 拉希迪未被指控,但是当他被捕时,他被摩洛哥当局遣返。 1 +前任秘书包括曾获苏格兰园艺服务员佐勋章的约翰·麦凯、艾利森·缪里森、汤姆·马博特和约翰·麦克伦南博士。 历任秘书包括约翰·麦基(因其对苏格兰园艺学会的服务而获得大英帝国最优秀勋章)、艾莉森·缪里森、汤姆·马博特和约翰·麦克伦南博士。 1 +最大的清真寺是亚特兰大中城区的埃尔法鲁克侵清真寺,坐落在亚特兰大第 14 号大道。 亚特兰大中城区埃尔法鲁克清真寺,位于亚特兰大第 14 号公路,是最大的清真寺。 1 +他于 1920 年出生于加利福尼亚州拉古纳,毕业于康涅狄格州乔特学院,并访问过波莫纳学院和南加州大学。 1920 年,阿特利出生于加利福尼亚州的拉古纳。他毕业于康涅狄格州的乔特学校,并就读于波莫纳学院和南加州大学。 1 +芒加在日本和亚洲同时推出了一款为世嘉五代而设计的同名电子游戏。 该漫画在亚洲和日本针对世嘉 Mega Drive 推出同名电子游戏。 1 +《与罗伯特·E·谢伍德环游世界八十分钟》是一部美国法典前纪录片,由导演道格拉斯·费尔班克斯于 1931 年执导并由道格拉斯·费尔班克斯和维克托·弗莱明编剧。 《与道格拉斯·费尔班克斯环游世界八十分钟》是一部 1931 年法典前纪录片,由道格拉斯·费尔班克斯和维克托·弗莱明及罗伯特·E.·谢伍德执导。 0 +他是捷克国家运动员雅罗斯拉夫·希林卡的堂兄,也是前运动员小米罗斯拉夫·希林卡的儿子。 他是捷克国家运动员米罗斯拉夫·赫林卡的堂兄,也是前运动员小雅罗斯拉夫·赫林卡的儿子。 0 +它们有 13 根臀鳍软刺、11 到 13 根背鳍软刺、2 根背刺和 11 到 13 根臀鳍刺。 他们有 13 根臀软刺,11 至 13 根背部软鳍,2 根背刺,以及 11 至 13 根臀鳍条。 1 +在尘土下面和部分被发现的令人惊叹的画作,巴洛克中世纪绘画完成了。 在尘土和部分发现的杰出画作下,巴洛克式中世纪绘画得以完成。 1 +第二次世界大战结束前,人数最多的罗马天主教徒在具有德国血统的南斯拉夫巴纳特区境内。 到第二次世界大战结束为止,德国巴纳特领土上人口最多的罗马天主教徒均属南斯拉夫种族。 0 +布里吉特格里芬犬头短耳低,拥有浓密的双层被毛。 布里克·格里芬·旺代犬有毛茸茸的双头,低垂的耳朵和一身短毛。 0 +它位于栗树岭东面,纳纽埃特南面、纽约州布劳维尔特西面,新泽西州蒙特威尔和旧塔潘北面。 它位于纽约的切斯纳特岭以东、纳纽埃特以南、布劳威尔特以西,以及新泽西州的蒙特威尔和旧塔潘以北。 1 +然而,在真实的连载中,超人在《最后的氪星之子》中首次遇见现在的萨德。 在实际连载中,超人在《最后的氪星之子》中首次遇见现在的萨德。 1 +玻里尼西亚的尼奥是法国的一处环礁,以 Aleksey Greig to Greig 命名。 法属波利尼西亚尼奥的一处环礁以格雷格的名字命名,称为阿勒克塞·格雷格。 1 +莱特从北卡罗来纳州教堂山搬到纽约。 赖特从纽约搬至北卡罗来纳州的教堂山。 0 +它于 2011 年 12 月 22 日宣布并于 2012 年 2 月发行。 它注册于 2011 年 12 月 22 日,发布于 2012 年 2 月。 1 +Houston Main Building (HMB) 之前被称为保诚大厦,是德克萨斯州休斯顿德克萨斯医疗中心的一栋摩天大楼。 保诚大厦 (HMB) 的前身为 Houston Main Building,是德克萨斯州休斯顿德克萨斯医疗中心的一栋摩天大楼。 0 +房子充满了愤怒的能量并产生了房中的死灵。 一座房子内充满了愤怒的能量,并于此造就出招魂精神。 1 +2007 年锦标赛于 1 月 21 日至 28 日,在华盛顿州斯波坎的斯波坎会议中心和斯波坎竞技场举行。 2007 年锦标赛于 1 月 21 日至 28 日,在华盛顿斯波坎的斯波坎竞技场和斯波坎会议中心举行。 1 +约纳斯·比约克曼和法布里斯·桑托罗以 6 - 2 和 6 - 4 击败马丁·达姆和拉德克·斯泰潘内克,进而在决赛中获胜。 马丁·达姆和拉德克·斯泰潘内克在决赛中以 6:2 和 6:4 击败乔纳斯·比约克曼和法布利斯·桑托罗。 0 +耶路撒冷的亚美尼亚族长诺汉·马努吉安表示,罗马尼亚人正被看作“三等公民。 耶路撒冷第三任族长 Nourhan Manougian 表示,亚美尼亚人享受“亚美尼亚级公民”待遇。 0 +休·L·斯科特亲自挑选中尉卡朋特来组织和指挥第 7 骑兵团的 L 军队(由基奥瓦族、卡曼其族和阿帕奇族组成)。 休· L ·斯科特亲自挑选卡彭特中尉来组建和指挥第 7 骑兵团 L(由基奥瓦、科曼奇和阿帕奇印第安人组成)。 1 +他们还于 6 月 13 日发布专辑《Vices》中的第二首歌曲,作为该专辑的第五首单曲。 6 月 13 日,他们还在专辑“恶行”中发行了第 5 首曲目,以作为该专辑的第二首单曲。 0 +此物种现在属于蜥蜴科,又称鬣蜥科、安乐蜥亚科,不再属于当前无效的安乐蜥科。 这个属现在属于称为美洲鬣蜥科的蜥蜴科,安乐蜥亚科,而且不再分类至现已无效的变色蜥科。 1 +他住在马里博尔和斯洛文尼亚卢布尔雅那,主要在斯洛文尼亚和克罗地亚执导。 他住在马里博尔和斯洛文尼亚卢布尔雅那,在斯洛文尼亚和克罗地亚执导。 1 +吃水线上的齐格弗里德级船只全部是长长的。 吃水线上的齐格弗里德级船只全部是长长的。 1 +其中“e”是粒子的磁荷,而 A 是电磁场的电矢势。 其中“e”是粒子的电荷,而 A 是电磁场的磁矢势。 0 +同样值得注意的是,以下代码可在缺乏 ADL 时运行(任何情况下均适用)。 同样值得注意的是,以下代码在无 ADL 的情况下仍会起作用(无论如何均对其适用)。 1 +马其顿、肯尼亚、阿塞拜疆、乌拉圭和委内瑞拉等国家第一次参加冬季奥林匹克运动会。 阿塞拜疆、肯尼亚、马其顿、乌拉圭和委内瑞拉等国家第一次参加冬季奥林匹克运动会。 1 +Finale 是南非的一个小镇,位于默帕尼区自治市的林波波省。 菲纳利是一座位于南非林波波省莫帕尼区自治市的城市。 0 +若昂·马丁斯·佩纳和弗朗西斯科·德·保拉·胡列塔·佩纳出生于里约热内卢,他们的父亲是佩纳·马丁斯。 WL 0 +梅特提出从帕丁顿延伸到南肯辛顿并向东从沼泽门延伸到塔丘再到南部的建议,在 1864 年 7 月 29 日得到采纳并获御准。 梅特提出的从帕丁顿向东延伸至南肯辛顿,从穆尔盖特向南延伸至陶尔希尔的提议在 1864 年 7 月 29 日得到采纳并获得皇家批准。 0 +一个国际独立专家小组调查了事故的影响,并得出结论,此事故未导致人员死亡或中毒。 一个独立的国际专家团队调查了事故的影响并得出结论,没有人因为这起事故中毒或身亡。 1 +“Fallbeil”于 1949 年最后一次在西德使用,并于 1966 年在东德使用。 ``断头台'' 在西德最后一次使用是在 1949 年,在东德是在 1966 年。 0 +两个女儿都比他早去世,托斯卡于 1976 年去世,贾尼尔于 1981 年去世。 在他去世前,两位女儿均去世,托斯卡逝于 1976 年,詹妮尔逝于 1981 年。 0 +Erginus galkini 是一种海螺,一种真正的帽贝,一种属于莲花青螺科的真正腹足软体动物,而莲花青螺科是多个海生帽贝科之一。 Erginus galkini 是一种海螺,一种真正的帽贝,一种属于莲花青螺科的真正腹足软体动物,莲花青螺科是多个海生帽贝科之一。 1 +梅特提出的从帕丁顿延伸到南肯辛顿以及向南从穆尔盖特延伸至陶尔希尔再到南部的提议被接受并在 1864 年 7 月 29 日获得皇家同意。 1864 年 7 月 29 日,梅特提出从帕丁顿向东延伸至南肯辛顿并从沼泽门向南延伸至塔丘的方案被接受并获得御准。 0 +津戈内效力于 Lito 的足球俱乐部。 津戈内为利托的俱乐部足球队踢球。 1 +第四个加入因约瑟夫·亨普希尔在 1826 年 5 月后的某个时候辞职导致并由托马斯·基特拉填补。 第四个因约瑟夫·亨普希尔在 1826 年 5 月后的某个时候辞职而形成并由托马斯·基特拉填补。 1 +依弗尔·尤因·麦坎迪尔于 1899 年 10 月 6 日出生于英格兰肯特,他的父亲是船长邓肯·麦坎迪尔。 邓肯·麦金太尔出生于英格兰肯特郡, 于 1899 年 10 月 6 日出生,是上尉艾弗·尤因·麦金太尔的儿子。 0 +Hoppkorv 是美国蓝调摇滚乐热鲔鱼乐队的最后一张专辑, 是他们为 Grunt Records 录制的第七张专辑,称作 Grunt BFL1-1920。 《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的最后一张专辑,也是他们为 Grunt Records 录制的第七张录音室专辑,名为 Grunt BFL1-1920。 1 +尽管 3/4 中有共同部分,但该运动仍在延长的时间内。 尽管有 324 个共同部分,但该运动仍在延长的时间内。 0 +马尔科姆·弗雷泽在 1975 年 12 月的联邦大选中以压倒性优势击败惠特拉姆,他授予埃格顿爵士头衔,以表彰他为工会运动提供的服务。 1975 年 12 月,惠特拉姆在联邦大选中以压倒性优势击败马尔科姆·弗雷泽,他向埃格顿授予骑士称号以表彰其在工会运动中的贡献。 0 +他于 1924 年在多伦多、1932 年在奥斯陆以及 1936 年在苏黎世担任国际数学家大会的特邀发言人。 他于 1924 年在多伦多担任 ICM 的受邀发言人,1932 年在奥斯陆和 1936 年在苏黎世也相继担任发言人。 1 +Cook Pond 之前也称为 Laurel 湖,位于汤顿河东南方,South Watuppa Pond 以西。 南端的 Cook Pond 之前也称为 Laurel 湖,位于汤顿河以东,South Watuppa Pond 以西。 1 +他的父亲阿尔菲·伯恩是都柏林的代表、参议员和市长大人,另一位兄弟帕特里克·伯恩也是 TD。 他的父亲阿尔菲·伯恩是国会议员、下议院议员、参议员兼都柏林市市长大人。另一位哥哥帕特里克·伯恩也是下议院议员。 1 +八月,在 1902 年 6 月战争结束后, 希金斯·南安普顿离开“SSBavarian”并于次月返回开普敦。 在 1902 年 6 月战争结束后,希金斯开普敦于八月离开“SSBavarian”,并于次月返回南安普顿。 0 +在他的家乡西班牙巴塞罗那举行完婚礼后,这对新婚夫妇便飞往了萨卡里亚。 在他的家乡萨卡里亚举办婚礼后,这对夫妇便飞往西班牙的巴塞罗那。 0 +Tindi 是俄罗斯达吉斯坦共和国使用的一种东北高加索语言。 廷迪语属东北高加索语系,分布于俄罗斯的达吉斯坦共和国。 1 +在该赛季初期,他是“搬家公司”联盟的一部分,同时还有霍华德、杰瑞米、麦克雷和尼克。 季初,他与尼克、杰里米、麦克雷和霍华德共同组成了“搬家公司”联盟。 1 +在他位于柏林的书房中,墙上挂着三幅画像:叔本华、马克斯韦尔、法拉第。 在他的柏林书房中,墙上挂着三幅人物画像:叔本华、麦克斯韦和法拉第。 1 +1171 年 11 月 29 日,贡萨洛·鲁伊斯·德·布伦巴首次作为“冈萨洛”签署了证书。 1171 年 11 月 29 日, 贡萨洛首次签署了宪章“Gonzalo Ruiz de Bureba”。 0 +New Ways to Work 基金会成立于 1972 年,是一家由旧金山湾区资助的非营利组织。 1972 年,新工作方式基金会得到了资助,这是在旧金山湾区成立的一个非盈利组织。 0 +1994 年,由彼得·梅斯菲尔德和唐纳德·韦博出版的“宗教的方方面面”这一卷是为了纪念他而编辑。 1994 年,彼得·玛斯费尔德和唐纳德·维贝为了纪念他出版了《宗教的方方面面》。 1 +卡普凭借雪儿和 MCA 的标签在 70 年代取得巨大成功,因此她们的合作关系保持到 1974 年。 Cher 依靠 Kapp 和 MCA 公司在七十年代取得较大成功,并且为他们效力直到 1974 年。 0 +巴拉矗立在覆有雪的高平原上,夏季炎热,冬季寒冷。 巴拉矗立在覆有雪的高平原上,夏季炎热,冬季寒冷。 1 +1997 年,她饰演《加冕街》中的希拉·迪克逊,1998 年饰演内奥米·拉塞尔。 1997 年,她在“加冕街”中饰演内奥米·罗素,1998 年饰演希拉‧迪克森。 0 +《梦》于1961 年在伦敦柯芬园的皇家歌剧院上演,由约翰•吉尔古德担任指挥,乔治•索尔蒂担纲指挥。 `` 梦'' 于 1961 年在伦敦柯芬园的皇家歌剧院上演,由约翰•吉尔古德担任制作人,乔治•索尔蒂担纲指挥。 1 +在他去世时,大卫红衣主教比顿是苏格兰的大法官、圣安德鲁斯的大主教以及苏格兰的红衣主教使节。 在他去世时,大卫是红衣主教比顿圣安德鲁斯大法官、苏格兰大主教和苏格兰红衣主教使节。 0 +约翰·拜伦娶了玛丽·拜伦,后者是诺丁汉郡纽斯特德卢卡斯爵士的女儿。 约翰·拜伦与玛丽·拜伦结婚,后者是诺丁汉郡纽斯特德卢卡斯爵士的女儿。 1 +导演宫崎骏及其长期同事高畑勋被允许在《Animage》前编辑铃木敏夫的指导下成立他们自己的工作室。 它还允许导演宫崎骏及其老同事铃木敏夫在《Animage》前编辑高畑勋的监督下成立他们自己的工作室。 0 +Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的一条支流。 Valea Sterminoasă 河是罗马尼亚 Boia Mică 河的一条支流。 0 +亨特立即告诉他的父亲扎克·麦克格威尔(查利·克劳森)和埃薇。 立刻告诉他,他的父亲查理·克劳森(扎克·麦克圭尔)和伊维。 1 +但“e”是粒子的磁荷,而 A 是电磁场的电矢势。 "鉴于 ""e"" 是粒子的电荷,A 是电磁场的磁矢势。" 0 +他在当地俱乐部 Adrigole 参加老年人县际足球活动,而且在 20 世纪 60 年代和 20 世纪70 年代曾是科克盖尔人球队的一员。 他在当地俱乐部 Addigole 打高级县际足球,并在 20 世纪 60 至 70 年代成为科克盖尔队队员。 1 +2012 年,奥吉埃、休斯、伦斯特拉、博斯、克莱因荣格和瓦赫特宣布对从互联网收集的数百万个公开 RSA 密钥的分析。 2012 年,Augier、Hughes、Lenstra、Bos、Kleinjung 和 Wachter 发布了一篇分析,比较了从互联网收集的数百万个 RSA 公钥。 1 +在对聚合物等粘弹性材料施加应力时,长聚合物链的部分位置发生变化。 在对聚合物等粘弹性材料施加电压时,长聚合物链的部分会发生变化。 0 +麦克米兰在迪德科特和后来在蒂德沃斯的皇家医疗队度过了两年,在那里他为在朝鲜战争中国受伤的士兵进行磁共振波谱分析。 麦克米兰在蒂德沃思的 Royal Medical Corp. 工作了两年——之后在迪德科特工作,为朝鲜战争中受伤的士兵进行 MRS。 0 +通向约克郡和谢菲尔德的德恩谷线每天运营两条线路。 通往约克和谢菲尔德的迪恩河谷线路每日提供两项服务。 1 +天文学家和 UFO 研究者爱德华·维勒和戈达德太空飞行中心主任雅克·瓦莱也出席 TGS。 天文学家和 UFO 研究员雅克·法兰及戈达德太空飞行中心总监爱德华·韦勒也参加了 TGS。 0 +在他去世时,红衣主教大卫·比顿是圣安德鲁斯的大法官、苏格兰大主教和苏格兰红衣主教的时节。 红衣主教大卫·比顿在逝世时是苏格兰大法官、圣安德鲁斯大主教和苏格兰教皇使节红衣主教 0 +他的两个女儿都早于他去世了,Tosca 是 1976 年去世的而 Janear 是 1981 年去世的。 他的两个女儿分别于 1976 年在托斯卡、1981 年在加尼尔先他而去。 0 +在竞选期间,他与麦凯恩辩论过两次,一次是在图森,另一次是在弗拉格斯塔夫。 在竞选期间,他与麦凯恩辩论过两次,一次是在图森,另一次是在弗拉格斯塔夫。 1 +33d 战斗团在不活跃时,与 33d 战术团整合为 33d 战术战斗团。 33d 战斗团在不活跃时,与 33d 战术团整合为 33d 战术战斗团。 1 +教皇在 1980 年提出了一个方案,该方案被智利拒绝,在阿根廷获得了批准。 教皇于 1980 年提出了一项被智利接受但被阿根廷驳回的解决方案。 0 +达科他城是 IA -- NE -- SD 大都市统计区苏城的一部分。 达科他市是内布拉斯加州至苏城、爱荷华州至南达科他州都市统计区域的一部分。 0 +佛蒙特在北面与米查姆接壤,在西面与鲁纳沃丁和森林山接壤,在南面与南佛蒙特接壤,在东面与万提纳和灵伍德接壤。 佛蒙特南与米查姆北部接壤,西面与鲁纳沃丁和森林山接壤,南面与佛蒙特接壤,东面与旺加拉塔和灵伍德接壤。 0 +马克·诺尔斯和丹尼尔·内斯特夺冠,在决赛中以 5:3 和 5:4 击败乔纳森·埃利希和安迪·拉姆。 乔纳森·埃利希和安迪·拉姆在决赛中以 5 - 3 和 5 - 4 击败马克·诺尔斯和丹尼尔·内斯特,夺得冠军。 0 +明星莉莉·拉贝、蒂莫西·柴勒梅德、丽丽·莱因哈特、安东尼·昆塔尔、奥斯卡·努恩斯和罗伯·许伯尔。 出演电影的明星有奥斯卡·努涅斯、罗布·休伊贝尔、蒂莫西·查拉梅特、莉莉·拉贝、安东尼·昆塔尔和莉莉·莱因哈特。 1 +在原系列中,佐佐木望的日语配音是麦凯,英文配音是弗兰克·特林伯。 在原系列中,麦凯的日语配音是佐佐木望,英文配音是弗兰克·特林布尔。 0 +2016 年 11 月 13 日,大卫·马查多在晓臣市附近的福克斯·格罗夫公园谋杀了副手丹尼斯·华莱士。 2016 年 11 月 13 日,大卫·马查多在晓臣市附近的福克斯·格罗夫公园谋杀了丹尼斯·华莱士。 1 +伊丽莎白·安·斯卡伯勒 1984 年的小说“阿曼·阿克巴的妻妾”中有一位头发散发着力量的仙女。 伊丽莎白·安·斯卡伯勒的 1984 年的小说《哈曼·阿克巴的后宫》中出现一位力量藏在秀发里的仙女。 0 +学校的教室设施完备,师资力量雄厚,大多数班级都很优秀。 该学校拥有完备的教室设备和良好的师资。大多数课程为智能课程。 0 +后来他搬到瑞士,然后搬到意大利,在那里他遇见了雪莱和拜伦。 他随后搬去了瑞士,再之后搬去了意大利,他在那儿认识了谢莉和拜伦。 0 +1920 和 1921 年,意大利人在威尼斯获胜——1920 年无其他参赛国,1921 年法国人未开始。 1920 和 1921 年,意大利队在威尼斯加入,1920 年其他国家均未获胜,而在 1921 年法国尚未开始参加。 0 +该系列于 2009 年 4 月 18 日在新西兰尼克罗顿国际儿童频道首次开播(澳大利亚和新西兰)。 该系列于 2009 年 4 月 18 日在新西兰尼克罗顿国际儿童频道首次开播(澳大利亚和新西兰)。 1 +例如,杜佩奇县的 32W000 指的是 State St. 以西 32 英里处,而莱克县的 38000 将是 Madison Street 以北 38 英里处。 . 例如,杜佩奇县 32W000 位于州大街以西 32 英里,莱克县 38000 位于麦迪逊街以北 38 英里。 1 +朗出生于以色列,年轻时移居澳大利亚,并于 1961 年起定居此处。 朗出生于以色列,年轻时移居澳大利亚,并于 1961 年在此定居。 1 +萨格勒布 1927 年地方选举于 9 月 4 日举行,比议会选举提前 7 天。 萨格勒布 1927 年议会选举于 9 月 4 日举行,比地方选举提前 7 天。 0 +Arieşul Mare 河是罗马尼亚 Válcea 河的一条支流。 Vălcea 河是罗马尼亚 Arieşul Mare 河的一条支流。 0 +1955 年,这片新教区与另一处教区合并,王子妃大街圣三一教堂成为圣公会教区教堂。 1955 年,圣公会社区与其他社区合并,王子妃大道上的圣三一教堂成为新的教区教堂。 0 +度假村内拥有 7 条红色滑道、3 条蓝色滑道、2 条黑色滑道和 1 条绿色滑道。 度假村有 7 条红色、3 条蓝色、2 条黑色和 1 条绿色滑雪道。 1 +1966 年,莱斯利·沃丁顿在伦敦科克街开设自己的画廊,他得到亚历克斯·伯恩斯坦的支持,而亚历克斯·伯恩斯坦是格拉纳达媒体王朝的一员。 1966 年,莱斯利·沃丁顿在伦敦的科克街开设了自己的画廊,他得到了亚历克斯·伯恩斯坦的支持,而后者是格拉纳达传媒家族的一员。 1 +1918 年 9 月 22 日,第一封无线电报从澳大利亚发往斯诺登尼亚。 1918 年 9 月 22 日,史诺多尼亚向澳大利亚发送了首个无线电报消息。 0 +哈德威克 1997 年出演“加冕街”,饰演娜奥美·拉塞尔,1998 年再度出演,饰演希拉·迪克森。 1997 年,她在《加冕街》中饰演内奥米·罗素,1998 年饰演希拉·迪克森。 1 +他的儿子阿洛卡·利亚纳盖娶了演员杰克逊·安东尼的女儿,他是沙姆亚·利亚纳盖和尹德拉察帕·利亚纳盖的父亲。 他的儿子阿洛卡·利亚纳盖迎娶了演员杰克逊·安东尼之女。他还有索姆亚·利亚纳盖和尹德拉察帕·利亚纳盖两个子女。 1 +该团于 1777 年 10 月离开费城,加入波士顿城外乔治·华盛顿将军的主力部队。 该军团于 1777 年 10 月离开波士顿并加入费城外面的乔治·华盛顿将军的主力军队。 0 +英式烹饪在早期殖民地居民的烹调风格中占据统治地位,但随着来自其他国家的新移民涌入,其他国家的汤也流行起来。 烹饪在早期殖民地居民的烹调风格中占据统治地位,但随着来自其他国家的新移民涌入,其他国家的汤也流行起来。 1 +针对常规战训练出三个旅(11 个营);还招募了一支庞大的游击队(估计为 100,000 人)。 在常规战争中建立了三个旅(11 个营),并训练了一支大型游击队(估计有 100,000 人)。 0 +阿姆斯特朗写的悬疑小说《Detection Unlimited》中的一个角色被拿来与乔洁·黑尔进行比较。 《无限侦查》这部由阿姆斯特朗所著的悬疑小说将一个角色与乔治特·海耶相提并论。 1 +巴达赫尚省是阿富汗东部伊什卡希姆区的 28 个区之一。 伊什卡希姆区是阿富汗东部巴达赫尚省的 28 个区之一。 0 +1888 年,悉尼水务局从市议会接管悉尼的供水事务。 1888 年,镇议会从悉尼水务局接管悉尼的供水事务。 0 +1903 年 5 月 5 日,他在自己的退休地威斯康星州的密尔沃基逝世。 他在密尔沃基威斯康星退休,于 1903 年 5 月 5 日在此逝世。 0 +虽然可以互换,但这两款车的车身部件并不相似。 虽然 2 辆车上的车身部件很相似,但不可互换。 0 +比利·金·科尼希以 6 - 2 和 6 - 1 击败罗莎琳·费尔班克 比莉·简·金以 6-2 和 6-1 的成绩击败罗萨琳·费尔班克 1 +卡特尔在 1933 年写道,在欧洲的所有人种中,“北欧人种的智力发育水平最高,性情最为平稳”。 1933 年,卡特尔写道所有北欧民族“都是智力和气质稳定性最发达的欧洲民族”。 0 +魏玛共和国初期有一些反对准军事犹太人的暴力行为,这种行为由德国自由军团领导。 在魏玛共和国的早期年代,发生了一场由德国自由军团领导的针对犹太人准军事部队的暴乱。 1 +Rainbach im Innkreis 是上奥地利州沙丁区的一个自治县。 因克赖斯地区赖因巴赫是奥地利谢尔丁州上奥地利区的一个自治市。 0 +Propilidium pelseneeri 是一种海螺、真正的帽贝,属于海洋无鳃笠螺科腹足类软体动物,也是真正的帽贝科的一员。 Propilidium pelseneeri 是一种海螺、真正的帽贝,属于真正的无鳃笠螺科腹足类软体动物,也是海洋帽贝科的一员。 0 +牛津运河于 1790 年开放,这条路在 1870 年左右被命名为运河街。 运河街于 1790 年开放,并以 1870 年的牛津运河命名。 0 +页面上的图像为二维图像,而非预渲染 3D 图像。 这一侧的图像是两个预渲染图像,与空间三维完全相反。 0 +根据若尔当标准型,“T”与唯一非零项在超对角线上的矩阵相似。 “T”类似于一个矩阵,其标准条目均采用若尔当非零超对角形式。 0 +1966 年,他在伦敦的科克街开设了自己的画廊,莱斯利·沃丁顿得到了亚历克斯·伯恩斯坦的支持,而后者是格拉纳达传媒家族的一员。 1966 年,亚历克斯·伯恩斯坦在伦敦的科克街开设了自己的画廊,他得到莱斯利·沃丁顿的支持,而后者是格拉纳达传媒家族的一员。 0 +下一个版本由罗恩的兄弟罗伯特·富勒于 1986 年创作。 下一个版本是由罗伯特·富勒的兄弟罗恩于 1986 年创建的。 0 +奔古马天主教主教教区是一个主教教区,位于肯尼亚奔古马总教区的基苏木市。 邦果马罗马天主教教区位于肯尼亚邦果马教省内的基苏木镇。 1 +该影片具有大量音乐剧元素和冗长的歌剧续唱,已因更像音乐片而非惊恐片受到批评。 该电影拥有大量音乐元素和冗长的歌剧续唱,并因更像音乐片而非惊恐片受到批评。 1 +Prosipho crassicostatus 是一种海螺、真正的蛾螺科腹足类软体动物,也属海洋蛾螺。 Prosipho crassicostatus 是一种海螺、真正的蛾螺科腹足类软体动物,也属海洋蛾螺。 1 +圣克鲁斯位于圣克鲁斯河河岸,该河流入贝湖东部。 贝湖位于流入圣克鲁斯东部的圣克鲁斯河河畔。 0 +伊丽莎白·安·斯卡伯勒 1984 年的小说“阿曼·阿克巴尔的后宫”中出现一位头发中蕴含力量的仙女。 伊丽莎白·安·斯卡伯勒 1984 年的小说“阿曼·阿克巴的妻妾”中有一位头发散发着力量的仙女。 0 +史蒂芬·皮尔·安德鲁斯是个人主义无政府主义者,也是约书亚·沃伦的亲密伙伴。 约书亚·沃伦是一位个人无政府主义者,也是史蒂芬·皮尔·安德罗斯的亲密伙伴。 0 +但是,文字中的首字母以创新的方式将加洛林元素与动物形态相结合。 不过,这些文字中的首字母将创意元素与动物形式以卡洛林艺术风格相结合。 0 +托马斯·布莱恩与现在的托基尔德森· 兰德和奥利·克努森·提维德腾在 1814 年的挪威宪法大会上代表 Råbyggelaget Amt(甚至是东阿格德尔郡)。 1814 年,托马斯·布瑞恩与 Even Torkildsen Lande 及 Ole Knudsen Tvedten 一起代表 Råbyggelaget Amt(现为 Aust- Adder)参加挪威制宪会议。 0 +他死后留下了妻子芭芭拉·克拉奇利(婚前姓)、儿子诺曼·F·博厄斯和唐纳德·P·博厄斯,以及女儿海伦·塔特希尔·西森。 他死后留下前妻芭芭拉·克拉奇利、他的儿子诺曼·F·博厄斯与唐纳德·P·博厄斯,以及他的女儿海伦·塔希尔·希森。 1 +该剧本于 1631 年以其副标题《The School of Complement》印刷,由伊丽莎白·奥德为书商弗朗西斯·康斯特布尔以四开本出版。 该戏剧于 1631 年以副标题“补充学派”出版,伊丽莎白·奥得为书商弗朗西斯·康斯特布尔印刷了四开本。 0 +Migvan(绚丽多彩的“lit”)是以色列内盖夫沙漠西北部斯德洛特市的一个小型城市基布兹。 Migvan(多彩的“lit”)是位于以色列内盖夫沙漠西北部斯德洛特镇的一个小型城市基布兹。 1 +de Ruiter 在莱顿出生,曾效力于乌德勒支足球俱乐部、邓伯什足球俱乐部、精英队、瓦尔韦克和埃门足球俱乐部。 代·鲁特出生于莱顿,为 RKC 瓦尔韦克、邓伯什足球俱乐部、精英队、乌德勒支足球俱乐部和埃门足球俱乐部效力过。 1 +2014 年,该网站推出 iOS 和安卓应用程序用于产品搜索,产品功能包括互动视频 - 产品 - 直播评论 - 问答 - 会话。 2014 年,该网站推出 iOS 和安卓应用程序,用于产品搜索;产品功能包括提供交互式问答会话的视频直播产品评论。 0 +伊利的祖父是柯拉博·罗宾逊,他是约翰·陶威尔·拉特的老友。 塔尔福德·埃利是克拉布·罗宾森的孙子,克拉布·罗宾森是约翰·托维尔·鲁特早年的一位朋友。 1 +上游是退役的密歇根中央铁路大桥,曾与其前身 Rapids Bridge whirlpool 竞争,而 Niagara Cantilever Bridge 用于铁路运输。 上游是废弃的密歇根中央铁路桥,其前身是与漩涡急流大桥竞争铁路交通的尼亚加拉悬臂桥。 0 +剧本由达万的老搭档安尼斯·巴兹梅和卢米·加佛理编写。 剧本由达万的老搭档安尼斯·巴兹梅和卢米·加佛理编写。 1 +此 DVD 收录 17 首现场歌曲,而包含其中三首的 EP《蒂朵现场版》已于 2005 年 6 月 21 日通过数字形式在 iTunes Store 上独家发行。 此 DVD 收录 17 首现场歌曲,而包含其中三首的 EP《蒂朵现场版》已于 2005 年 6 月 21 日通过数字形式在 iTunes Store 上独家发行。 0 +全国人民党的德尔门德拉·亚达夫于 2000 年击败了人民党联合派代表普那姆·德维。 2000 年,民族人民党的普尼亚姆·德维击败了联合人民党的达曼德拉·雅达夫。 0 +在历史上,国际玉米小麦改良中心从洛克菲勒基金会和欧洲委员会获得了资助。 在历史上,国际玉米小麦改良中心从欧洲委员会和洛克菲勒基金会获得了资助。 1 +击败吉利·维斯利、奥利佛·奥利佛·戈尔丁,5-7、6-3 和 6-4 奥利弗·戈尔丁战胜了吉力·维斯利,比分为:5 -- 7、6 -- 3、6 -- 4 0 +在乔洁·黑尔写的悬疑小说《Detection Unlimited》中,一个角色被拿来与阿姆斯特朗进行比较。 在乔吉特·海尔创作的神秘小说《无限侦查》中,有个角色被比作阿姆斯特朗。 1 +他的名字阿福拉比意味着“天生富贵”。因为他僵硬的动作,他在尼日利亚的绰号是机械战警。 他的名字阿福拉比的意思是“出生富贵”,他在尼日利亚的绰号是机械战警,因为他的动作很僵硬。 1 +它于 2008 年 1 月 28 日在美国由 Angular Recording Corporation 发布,于 2008 年 3 月 18 日在英国由 Domino Records 发布。 它于 2008 年 1 月 28 日由 Angular Recording Corporation 在英国发行,并于 2008 年 3 月 18 日由 Domino Records 在美国发行。 0 +戈卡尔普尔是印度德里州东北部的一个人口大镇 戈卡尔普尔是印度德里东北区的人口普查镇。 0 +ABC 于 1997 年 3 月 27 日公布了这段录音,并以视频和 DVD 的形式播放。 美国广播公司于 1997 年 3 月 27 日播放了这段录音,并以视频和 DVD 的形式发行。 0 +当他在 1946 年去世后,他有关这个项目的论文仍然处于全面粗糙的状态。 当他于 1946 年逝世时,他关于该项目的论文仍然无一例外地处于草稿状态。 0 +芬奇回到主营地后,米歇尔抵达时带来了悲剧消息。 芬奇回到主营区后,米切尔带来了悲惨的消息。 1 +《Pennmakkal》是由 J·萨西库马尔筹划并由 KP Kottarakkara 制作的印度马拉雅拉姆电影。 《Pennmakkal》是一部拍摄于 1966 年的印度马拉雅拉姆语电影,由 J·萨斯库马尔制作,由 K·P·科塔拉克拉执导。 0 +本次任务中有 65 士兵被杀:34 名尼日利亚人、28 名乍得人、2 名 多哥人和 1 名布基纳法索人。 在这次任务期间,有 65 名士兵丧生:34 名乍得人,28 名尼日利亚人,2 名多哥人和 1 名布基纳法索人。 0 +威廉·卢云·哈密顿提出的微分算子写作 ∇ 并称为 del 或 nabla,同时采用向量形式作为符号定义, 威廉·卢云·哈密顿编写的微分算子叫作 del 或 nabla,采用向量形式作为符号定义。 0 +科德尔·克罗基特用贝斯演奏了 5 首歌曲,而丑小子乔贝斯手内森·斯莱德在贝斯上演奏了其余歌曲。 内森·斯莱德用贝斯弹奏 5 首歌曲,由 Ugly Kid Joe 乐队的贝斯手柯德尔·克罗克特弹奏剩余贝斯曲目。 0 +它现在建有现代化高楼大厦、全新购物区、大型当代地铁站以及多个全新零售和服务设施。 现在,这里拥有现代化的高楼大厦、大型的现代购物街、全新地铁站以及众多全新的零售和服务设施。 0 +意大利电视连续剧《AleX》由阿尔弗雷多·卡斯特里、古格列尔莫·杜科利和希奥尔希奥·斯科特勒编剧,并由 videotime 制作。 意大利电视连续剧《AleX》由希奥尔希奥·斯科特勒、古格列尔莫·杜克力和阿尔弗雷多·卡斯特里制作,由 videotime 编剧。 0 +西蒙 西蒙出生于 1979 年,父母分别为查理和梅根·佩斯,居住地位于英格兰曼彻斯特。 查理出生于 1979 年,父母分别为西蒙和梅根·佩斯,居住地位于英格兰曼彻斯特。 0 +在奥地利的唐胡安于 1578 年逝世后,菲利普二世允许她选择自己的宅邸。 在菲利普二世于 1578 年在奥地利去世后,约翰允许她选择他自己的住所。 0 +米尔科夫河是罗马尼亚迪尔科夫河的一条支流。 Dilcov 河是罗马尼亚米尔科夫河的一条右支流。 0 +这架飞机上的乘客是杰拉尔德·K·汉纳福德中校、唐纳德·格兰特·米勒德上尉和约翰·F·洛林上尉。 飞机上的乘员包括上校杰拉尔德·K·汉纳福德、机长唐纳德·格兰特·米勒德和机长约翰·F·洛林。 1 +上一首歌曲“每个早晨”是第一首曲目“早晨”的原音吉他版。 第一首歌曲“每个早晨”是上一首吉他版“早晨”的原音版。 0 +他是捷克国家队球员米罗斯拉夫·赫林卡的堂兄弟和前球员老雅罗斯拉夫·赫林卡的儿子。 他是捷克国家运动员雅罗斯拉夫·赫林卡的堂兄,也是前运动员小米罗斯拉夫·赫林卡的儿子。 0 +在服役后,洛克哈特住在佛罗里达州,但是最近搬到了德克萨斯州。 在服务完毕后,洛克哈特住在了佛罗里达州,但最近搬到了德克萨斯州。 1 +最初的三家酒店于 20 世纪 80 年代建于以色列,随后是法国的“Patio Eilat 度假酒店”。 最早的三家酒店于二十世纪八十年代在以色列修建,随后是法国的“Patio Eilat 度假酒店”。 1 +该系列几乎会在各处汇聚。 然后级数在几乎所有地方收敛。 1 +亚济瓦河是俄罗斯彼尔姆边疆区的一条河流,也是莫尔麦斯河的左侧支流。 亚济瓦河是俄罗斯彼尔姆边疆区的一条河流,也是莫尔麦斯河的左侧支流。 1 +埃尔顿·约翰在音乐上受到霍利的影响。 霍利 霍利在音乐上受到了艾尔顿·约翰的影响。 0 +来自中国的梅根·扬在活动最后为她的继任者来自菲律宾的于文霞加冕。 活动结束时,中华人民共和国的于文霞为她的继任者,菲律宾的梅根·杨带上王冠。 0 +1834 年,它由 C·R·格里高利在塞巴修道院购得,并在 1883 年被罗伯特·寇松看见。 1834 年,它由罗伯特·寇松在塞巴修道院购得,C·R·格里高利在 1883 年看到了它。 0 +弗雷德里克·布朗是理事会主席;亨利·赖克森是委员会主席。 议会主席是亨利·亨利·瑞克森,多个委员会的主席是弗雷德里克·布朗。 0 +乔纳森·达斯涅雷斯·德伟吉以 7-6 和 7-6 的比分击败安德烈·库兹涅佐夫而赢得决赛。 安德烈·库兹涅佐夫以 7-6 和 7-6 击败乔纳森·达斯尼雷斯·德维吉而赢得决赛。 0 +运河街在 1790 年开放,该街道于 1870 年左右被命名为牛津运河。 牛津运河于 1790 年开放,这条路在 1870 年左右命名为运河大街。 0 +相反,“总”利润可由其所有者分配或以其他方式转让。 相反,“总”利润可由其所有者转让或以其他方式分配。 0 +正如乌干达的许多民族社区,比如兰戈族、阿乔利族和阿卢尔族,络族并不将男子割礼仪式作为成年仪式。 就像乌干达的许多民族社区一样(包括兰戈族、阿乔利族和阿卢尔族),卢奥族并不会主动举行男子割礼仪式。 1 +1974 年,在世界银行、联合国和亚洲开发银行的帮助下,老挝人民民主共和国成立了二期基金。 1974 年,在世界银行、联合国和亚洲开发银行的支持下,老挝人民民主共和国成立了“二期基金”。 1 +一周后,她转入同城的一家综合医院,在那里接受心脏手术并顺利恢复。 一周后,他被转移到同城的综合医院,在那里进行了心脏手术并且术后恢复良好。 1 +积极进取的领导风格表明韩国有望重新统一和冲突升级。 韩国领导人表现出了对统一和扩大冲突的积极希望。 0 +皮特·桑普拉斯在多场决赛中以 6-7、6-4 和 7-6 的成绩战胜蒂姆·亨曼。 蒂姆蒂姆·亨曼在决赛中以 6-7、6-4 和 7-6 战胜皮特·桑普拉斯。 0 +劳埃德扩大其业务,开始销售玩具和礼品,并且在礼品业务发展后,成立并管理 House of Lloyd,其总部设在密苏里州格兰德维尤。 劳埃德成立并带领其公司开始销售玩具和礼品,而且随着礼品业务发展壮大,他扩展了总部位于密苏里州格兰德维尤的 House of Lloyd。 0 +他于 1940 年 5 月 5 日出生于君士坦丁堡(伊斯坦布尔),2011 年 11 月 19 日因癌症在雅典去世。 他于 1940 年 5 月 5 日生于君士坦丁堡(伊斯坦布尔)并于 2011 年 11 月 19 日因癌症在雅典去世。 1 +2009 年,库里奇扮演了戏剧角色“吉纳维芙·麦克多纳。 2009 年,吉纳维芙·麦克多纳扮演了戏剧角色柯立芝。 0 +七月初,带领哈珀·惠特利和加雷特·惠特利走上犯罪道路的史蒂夫·惠特利,也是本尼·卡梅隆的哥哥。 7 月初,加勒特·威特利现身了,他是哈勃·威特利和史蒂夫·威特利已犯下罪行的父亲,是本尼·卡麦隆的兄弟。 0 +Bahrawal 是印度中央邦博帕尔县内的一个村庄。它位于贝拉夏乡。 Bahrawal 是印度中央邦贝拉夏区的一个村庄。它位于博帕尔乡。 0 +我丢失了那个,而那个是我留下的。 我留下了已经失去的东西。 1 +黑爵士向“鲍勃”献殷勤时播放的音乐是沃恩·威廉斯的《绿袖子幻想曲》。 作为“黑爵士”鲍勃演奏的音乐是沃恩·威廉斯所作的“绿袖子幻想曲”。 0 +它们有 13 个脊柱、11 至 13 条背部软鳍条、2 根尾刺以及 11 至 13 条尾部软鳍条。 它们有 13 根背鳍硬棘、11 至 13 根背鳍软条、2 根臀鳍硬棘和 11 至 13 根臀鳍软条。 1 +完成的围栏主要位于新墨西哥州、亚利桑那州和加利福尼亚州,德克萨斯州还在建设。 完工的围栏主要位于德克萨斯,修建工作主要集中在新墨西哥、亚利桑那和加利福尼亚。 0 +乐队的歌手包括多萝西·克兰、杰瑞·朗、贝蒂·格里芬、伯尼的哥哥沃尔特·康明斯和斯科蒂·马什,后者后来与汤米·多尔西一起演唱。 该乐队歌手包括多萝西·克兰、沃尔特·卡明斯、贝蒂·格里芬、杰瑞·朗的兄弟伯尼和 Scottee Marsh,他们之后又与汤米·多尔西一起演唱。 0 +2008 年,菲利普·鲍尔斯发行了一张以他的 14 部电影为主题的 CD, 并由 1M1 Records 制作。 2008 年,菲利普·鲍尔斯制作了一张以他的 14 部电影为主题的 CD, 并由 1M1 Records 发行。 0 +该镇政厅于 1911 年重建 ,于 1945 年被部分损毁,后来在二十世纪六十年代修复。 市政厅在 1911 年进行重建,1945 年遭到部分损毁,之后在 20 世纪 60 年代得以修复。 1 +他出生于哥本哈根,死于弗莱德里克堡。 他于腓特烈堡出生,在哥本哈根去世。 0 +伍斯特是英格兰伍斯特郡的郡治和城市。 乌斯特郡是一座位于英格兰乌斯特的城市和郡首府。 0 +重信五月是日本国民重信房子的母亲,重信房子是一名记者。 重信房子是日本公民重信五月的母亲,重信五月是一名记者。 0 +阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 1 +他在竞选中击败麦凯恩两次,一次在弗拉格斯塔夫,另一次在图森。 在竞选期间,他与麦凯恩辩论过两次,一次是在弗拉格斯塔夫,另一次是在图森。 1 +应对这种要求的传统方法是在太阳能飞机中使用太阳能电池板。 针对该要求执行的太阳能方案是在常规动力飞机中使用太阳能电池板。 0 +Lobethal Bierhaus 是一家受德国风格影响的区域性啤酒厂。 Lobethal Bierhaus 是一家受地域风格影响的德国啤酒厂。 0 +他在 1824 年、1826 年和 1827 年分别被任命为塞内卡县、威廉姆斯县和桑达斯基县的检察官。 他在 1824、1826 和 1827 年分别被任命为威廉姆斯县、瑟内萨县和桑达斯基县的原告律师。 0 +1989 年 11 月,德莱尼成为纽约证券交易所的成员,并成为 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级董事总经理。 0 +最大的清真寺是亚特兰大的 Al Farooq Masjid,位于亚特兰大市中心区的第 14 街。 最大的清真寺是位于亚特兰大第 14 号公路上的亚特兰大中城区埃尔法鲁克清真寺。 0 +TMăgheruş 河是罗马尼亚 Giuroc 河的一条支流。 Măgheruş 河是罗马尼亚 Giuroc 河的一条支流。 1 +隽语是指短诗中聪明的转折,或者一种简洁而有趣的叙述。 隽语是一首简洁而诙谐的诗,包含一个聪明的转折或一句简短的陈述。 0 +在其他文章中,它赞同舒曼计划背后的经济思想,并称赞欧洲共同市场的扩张。 在其他文章中,它赞扬了舒曼计划的基本经济思想,并对欧洲共同市场的扩张表示赞赏。 1 +佩特克尔湖国家公园是芬兰北卡累利阿伊洛曼齐区的一个国家公园。 Petkeljärvi 国家公园是位于芬兰北卡累利阿的伊洛曼齐地区的一个国家公园。 1 +史蒂夫·惠特利 7 月首次出场。他带领哈珀·惠特利和加雷特·惠特利走上犯罪道路,本尼·卡梅隆是他的哥哥。 7 月初,史蒂夫·惠特利,哈珀·惠特利和加勒特·惠特利的罪犯父亲,以及本尼·卡梅伦的兄弟。 1 +这是在正规寺庙中充满禅意的膳食供应和用膳风格。 这是在禅宗寺上菜和吃饭的正式方式。 0 +皮特·森柏斯以 6 -- 7、6 -- 4、7 -- 6 的比分在决赛中打败了蒂姆·亨曼。 蒂姆•蒂姆•亨曼在决赛中以 6 -- 7、6 -- 4、7 -- 6 的比分战胜了皮特·森柏斯。 0 +该单曲于 2015 年 10 月 31 日发行,并于 2015 年 11 月 13 日公布。 这首单曲于 2015 年 10 月 31 日公布,并将于 2015 年 11 月 13 日发行。 0 +卡利·海福德还曾深度参与非洲解放政治运动。 科瑟力·海福德还深入参与非洲政治解放运动。 0 +1983 年 5 月,英国巡演开始,另一位吉他手罗宾·乔治参与了现场表演。 英国巡演于 1983 年 5 月开始,其中现场吉他手罗宾·乔治进行了追加表演。 0 +Oakham Ales 是一家英国啤酒厂,总部现位于剑桥郡彼得伯勒,但创立地点最初位于拉特兰奥克姆。 Oakham Ales 是一家英国啤酒厂,最初设在拉特兰郡奥克汉,但是目前设在剑桥郡彼得伯勒。 0 +谢尔·默罕默德·阿洪扎达(又名谢尔·艾哈迈德·阿洪扎达)是一位部落首领,于 2001 至 2005 年间担任阿富汗赫尔曼德省省长。 Sher Ahmed Akhundzada(也被称为 Sher Mohammed Akhundzada)是一名部落首领,在 2001 年至 2005 年担任阿富汗赫尔曼德省的省长。 1 +在他的帮助下,敌对王国 Nemedia 的军队击败并制服了 Aquilonian 的军队。 在他的帮助下,阿奎洛尼亚军队被对手 Nemedia 王国的军队打败并沦为俘虏。 1 +《Tres vidas distintas》是 1969 年的一部墨西哥浪漫电视肥皂剧,由 Televisa 制作,最初由 Telesistema Mexicano 传播。 vidas distintas 是墨西哥的浪漫电视肥皂剧,由 Televisa 集团于 1969 年制作,最初由 Telesistema Mexicano 传播。 1 +他在康城学习了书本装订,在巴黎学习了排版。 他在巴黎学会装订,在卡昂学会排印。 0 +歌曲《相信我》由内德·威夫、弥尔顿·阿格尔和珍·史华兹创作而成。 《相信我》是由珍·史瓦茲、弥尔顿·阿格尔和内德·威夫共同创作的一首歌曲。 1 +迪尔科夫河是罗马尼亚米尔科夫河的右支流。 迪尔科夫河是罗马尼亚米尔科夫河的一条支流。 1 +塔巴奇河是罗马尼亚列乌尔达河的一条支流。 Leurda 河是罗马尼亚境内 Tabaci 河的一条支流。 0 +他于 1924 年在多伦多、1932 年在奥斯陆以及 1936 年在苏黎世担任 ICM 的特邀发言人。 他于 1924 年在多伦多、1932 年在苏黎世以及 1936 年在奥斯陆担任 ICM 的特邀发言人。 0 +Khap 是指一个氏族或相关氏族的族群,主要分布在北方邦东部和哈里亚纳邦西部的贾特人中。 Khap 是指一个氏族或相关氏族的族群,主要分布在北方邦东部和哈里亚纳邦西部的贾特人中。 1 +宿雾市包括宿雾岛、中米沙鄢和内格罗斯岛东半部,地区中心为锡基霍尔和保和。 宿务市包括宿务岛、中米沙鄢和内格罗斯岛的东半部分。其区域中心在保和省和锡基霍尔省。该市包括以下省份: 1 +1920 年,阿特利出生于康涅狄格州。他毕业于加利福尼亚州拉古纳的乔特学校,并就读于波莫纳学院和南加州大学。 他于 1920 年出生于康涅狄格州,毕业于加利福尼亚州拉古纳的乔特中学,后就读于波莫纳学院和南加州大学。 1 +2017 年 7 月,埃尔默·麦柯迪成为内特·迪梅奥主持的“记忆宫殿”的单集主题。 2017 年 7 月,埃尔默·麦柯迪是内特·迪梅奥的“记忆宫殿”中某一集的主题。 1 +卢浮宫的照明——绘画更加温暖,而且看似更加柔和,但是这可能是表面清漆产生的声音的结果。 卢浮宫绘画的光线更加柔和,而且看起来更加温暖,但这可能是表面清漆的色调产生的效果。 0 +2008 年,菲利普·鲍尔斯发行了一张以他的 14 部电影为主题的 CD 并由 1M1 Records 制作而成。 体现他其中 14 部电影的主题的 CD 于 2008 年由菲利普·鲍尔斯发行并由 1M1 Records 制作。 1 +540 号县道与海兰市 540 号州道南部仅相隔数英里,并且从 US 98 向西延伸至 37B 县道。 540 县道距离高地县的 540 国道西段仅几英里远,从美国 98 号公路向南延伸至 37B 县道。 0 +她在与商人瓦西利斯的第二段婚姻中生了下儿子巴比斯·拉扎里迪斯。 在她与商人巴比斯·拉扎里迪斯的第二段婚姻中,她生了下儿子瓦西利斯。 0 +2008 年,佛拉严因“职场中宝贵的领导者”而荣获激励奖。 2008 年,佛拉杨获得“工作场所激励型领导”的珍贵大奖。 0 +利用分析性假设,该语言学家能够形成新句并制定翻译手册。 语言学家可以利用分析假设形成新句并制定翻译手册。 1 +在 1912 年阿尔巴尼亚抵抗塞尔维亚军队入侵的战争期间,艾哈迈德·迪莉娅很早就活跃其中。 在 1912 年抵抗塞尔维亚入侵的阿尔巴尼亚战争期间,艾哈迈德·迪莉娅很早就积极地参战。 1 +1920 年,阿特利出生于加利福尼亚州拉古纳。他毕业于康涅狄格州的乔特学校,并就读于波莫纳学院和南加州大学。 他于 1920 年出生于康涅狄格州,毕业于加利福尼亚州拉古纳的乔特中学,后就读于波莫纳学院和南加州大学。 0 +七十年代,Cher 在 Kapp 和 MCA 这两个品牌旗下取得更大的成功,并且一直为它们效力到 1974 年。 Kapp 依靠 Cher 和 MCA 公司在七十年代取得较大成功,并且为他们效力直到 1974 年。 0 +这些在英国十分常见,但在欧洲相对少见,对于大型机车至少是如此。 这些在英国很常见,但至少对于大型机车而言,他们在欧洲相对稀有。 1 +1894-95 赛季是曼彻斯特城足球俱乐部的第四个足球联赛季和在足球联盟的第三个赛季。 1894-1895 年赛季是曼城足球会在足球联赛的三个赛季和第四个赛季。 0 +利镇法院谷仓是位于阿比市裴肖勒镇曲的木支架谷仓,于十四世纪早期建成,用于储藏英格兰伍斯特郡利镇的农产品。 Leigh Court Barn 是 Pershore Abbey 中的曲木结构式什一税谷仓,建于十四世纪早期,用于存储英格兰伍斯特郡 Leigh 的产品。 1 +布雷沃里纳郡、贡戈贡村、安格尔杜尔村、古多加村和塔孔的鬼城。 布雷沃里纳包括布雷沃里纳夏尔和贡戈尔根、Angledool 和古杜加的乡村以及鬼镇 Tarcoon。 1 +它汇入桃树溪,之后流入文宁斯和佩赛斯以南的查特胡奇河。 它流入桃树溪,后者然后流入维宁斯和帕希斯以南的查特胡奇河。 0 +尽管 3x4 中有共同部分,但该运动仍在延长的时间内。 尽管在 3/4 中存在公共部分,但运动时间有所延长。 0 +该属现归类至蜥蜴科,称为鬣蜥,属于安乐蜥亚科,不再归类至目前已经无效的安乐蜥科。 该属目前归类为蜥蜴科,即美洲鬣蜥科、安乐蜥亚科,且已不再归入现已无效的变色蜥科。 1 +尽管传统认为起源于伏羲,但邵雍的二进制或字典顺序首次出现在公元 11 世纪: NS 0 +Olivella miriadina 是一种小型海螺,属于小榧螺科的海生腹足软体动物,也称为小弹头螺。 小榧螺 miriadina 是一种矮小的海螺、Olivellidae 科的小型腹足类软体动物,也属海洋榧螺。 0 +在 1990 年代后期,它在西雅图的便利店和超市广泛传播,并在明尼阿波利斯的多家咖啡厅有售。 20 世纪 90 年代末,它在明尼阿波里斯市的便利店和超市里随处可见,也在西雅图的一些咖啡店内有售。 0 +Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的支流。 Valea Sterminoasă 河是罗马尼亚 Boia Mică 河的支流。 0 +此外,他们积极锻炼、自由学习并渴望探索。 此外,他们还积极锻炼身体、自由自在地学习,并且渴望探索。 1 +加布里埃尔·梅迪纳(巴西)在决赛中击败乔尔·帕金森(澳大利亚),从而赢得锦标赛。 霍埃尔·帕金森 (BRA) 赢得该锦标赛,他在决赛中击败加布里埃尔·梅迪纳 (AUS)。 0 +2006 年 9 月 14 日,华盛顿奇才队签下朗并于 2017 年 7 月与该球员解约。 2006 年 9 月 14 日,华盛顿奇才签下朗。2017 年 7 月,奇才与朗解约。 1 +莱特从北卡罗来纳州教堂山搬到纽约市。 莱特从北卡罗来纳州教堂山搬到纽约。 1 +2012 年,亚德里安·比劳发行《树屋》,这是他的第六张单曲唱片,在田纳西州纳什维尔由音乐家内德·埃维特制作。 2012 年,亚德里安·比劳“树屋”发行他的第六张单曲唱片,该唱片由音乐家内德·埃维特在田纳西州纳什维尔制作。 1 +他是托马斯·凯恩斯及其妻子简·斯科特(约翰·斯科特之女)的儿子。 他是托马斯·凯恩斯的儿子,他的妻子是约翰·斯科特的女儿简·斯科特。 1 +在参加德国房车大师赛期间,奥迪 V8 与小很多和较小的梅赛德斯 190、宝马 M3 和略微较轻的欧宝欧美佳 3000 展开角逐。 在德国房车大师赛亮相期间,奥迪 V8 与颇为小巧的梅赛德斯 190、宝马 M3 以及稍显轻便的欧宝 Omega 3000 展开了竞争。 1 +弗兰克·詹姆斯加入为分离主义的德鲁·洛博斯军队招募的本地联队,并且在 1861 年 8 月的威尔逊溪战役中参战。 弗兰克·詹姆斯加入为当地德鲁·洛布斯军队招募的分离主义者连队,并于 1861 年 8 月在威尔逊克里克战役中参加作战。 0 +2012 年,Lenstra、Hughes、Augier、Bos、Kleinjung 和 Wachter 发布了一篇分析,比较了从互联网收集的数百万 RSA 公钥。 2012 年,Lenstra、Hughes、Augier、Bos、Kleinjung 和 Wachter 公布了一项分析结果,它们从互联网上收集数百万个公共 RSA 密钥进行分析。 1 +在第一部电影中,德古拉伯爵必须结束他们与默里、韦恩和弗兰克之间关于娱乐纠纷的争吵。 在第一部电影中,德古拉伯爵必须结束他们与默里、韦恩和弗兰克之间关于娱乐纠纷的争吵。 1 +1938 年,他成为英埃苏丹的政府人类学家,并对努巴开展实地考察。 1938 年,他成为英埃苏丹政府的人类学家并领导在努巴的实地考察。 1 +此外,美国三重威胁冠军赛之间的角逐在现役冠军杰克·斯瓦格、米兹和科菲·京斯顿之间激烈上演。 而且,美国冠军赛的三重威胁赛的比赛各方是冠军科菲·京斯顿、米兹和杰克·斯瓦格。 0 +1924 年夏季,他前往阿肯色州南部的斯马科弗,在犹尼昂县附近诺夫利特的一间办公室从事繁荣的石油事业。 1924 年夏季,他前往阿肯色州南部的斯马科弗,在犹尼昂县附近诺夫利特的一间办公室从事繁荣的石油事业。 1 +在苏维埃时期结束时,两座部分被毁的亚美尼亚教堂残骸仍被保存了下来。 在苏维埃时代结束时,两座遭到部分破坏的美国教堂遗址仍被保留下来。 1 +真正的历史发展顺序几乎完全相反。 真正发展的历史顺序几乎相反。 1 +在 1968 年的历史性伍斯特大道暴乱中,种族性的橡胶碗体育馆被美国国民警卫队用作基地。 在 1968 年的种族主义者伍斯特大道暴乱中,历史性的橡胶碗体育馆被美国国民警卫队用作基地。 0 +1977 年,罗伯·泰勒和巴尔伯一起前往苏格兰和挪威攀爬瀑布。 1977 年,巴尔伯和罗伯·泰勒一起前往苏格兰和挪威攀爬瀑布。 0 +1940 至 1945 年间,他担任加拿大驻澳大利亚首任高级专员。 1940 至 1945 年间,他担任澳大利亚驻加拿大首任高级专员。 0 +据宣布,2013 年 1 月,华伦·史佩特在迪士尼互动关闭后便离开了 Junction Point Studios。 据宣布,2013 年 1 月,华伦·史佩特在迪士尼互动关闭后便离开了 Junction Point Studios。 1 +北美有关于它的记录,加利福利亚州、亚利桑那州、内华达州和犹他州都发现了它的踪迹。 它在北美被发现,在加利福利亚州、亚利桑那州、内华达州和犹他州都有记录可循。 0 +朗出生于以色列,年轻时移居澳大利亚,并于 1961 年起定居此处。 朗出生于澳大利亚,年轻时搬到以色列,于 1961 年在那里定居。 0 +它由罗伯特·寇松 1834 年在 Saba . C. R. 修道院购得。格利高里 1883 年看到了它。 1834 年,它由 C·R·格里高利在塞巴修道院购得, 1883 年又被罗伯特·寇松购得。 0 +NS 根据美国人口调查局的数据,南港的总面积为,其中陆地面积占,即,0.91% 的地区是水域。 0 +马尔科姆·弗雷泽在 1975 年 12 月的联邦选举中以压倒性优势击败了惠特拉姆,并因埃格顿对工会运动的服务授予了其骑士爵位。 马尔科姆·弗雷泽在 1975 年 12 月的联邦大选中以压倒性优势击败惠特拉姆,为埃格顿在工会运动中的贡献授予骑士勋章。 1 +他是理查德·拜菲尔德与第二任妻子所生之子,尼古拉斯·拜菲尔德是他同父异母的哥哥。 他是理查德·拜菲尔德和他第二任妻子所生的儿子,尼古拉斯·拜菲尔德是比他年长的异姓兄弟。 1 +阿·佩里(力量在她的头发里)出现在 1984 年的伊丽莎白·安·斯卡伯勒的小说《哈曼·阿克巴的后宫》。 伊丽莎白·安·斯卡伯勒 1984 年的小说《阿曼·阿克巴的后宫》中有一位头发散发着力量的仙女。 0 +接下来,美国锦标赛的三重威胁赛在冠军科菲·京斯顿、米兹和杰克·史威格之间上演。 此外,美国锦标赛的三重威胁赛在冠军杰克·史威格、米兹和科菲·京斯顿之间上演。 0 +Arumadura Lawrence Romelo Duminda Silva,也被称为 Duminda Silva 和 R. Dumindha Silva,是斯里兰卡政治家及前国会议员。 Dumuma Silva,也被称为 Arumadura Lawrence Romelo Duminda Silva 和 R. Dumindha Silva,是斯里兰卡政治家及前国会议员。 1 +Măgherus 河是罗马尼亚 Giuroc 河的一条支流。 Giuroc 河是罗马尼亚 Măgheru 河的支流。 0 +她在 3 岁时与父母从爱沙尼亚搬到芬兰,现居住在赫尔辛基。 她在三岁时随父母从芬兰搬到爱沙尼亚,目前住在赫尔辛基。 0 +ZipSIP-ZipSIP 是一项无纸化服务,可帮助投资者在数分钟内通过新流程完成对共同基金的投资。 ZipSIP-ZipSIP 是一项新服务,可借助无纸化流程帮助投资者在几分钟内对投资基金进行投资。 0 +在吉他手本·艾伯保和贝斯手贾尔德·史威利离开 Renegades,以及吉他手科尔·亚历山大离开 Reruns 后,该乐队于 1999 年在乔治亚州的邓伍迪成立。 在吉他手本·埃伯保和贝斯手杰瑞德·斯威利离开 Renegades,以及吉他手科尔·亚历山大离开 Reruns 后,该乐队于 1999 年在佐治亚州邓伍迪成立。 1 +所有著名的纪念会都在旧历的 6 月 5 日举行,由东正教教会固定。 下述所有著名纪念活动都由东正教会确定在旧历的 6 月 5 日举行。 1 +该影片在商业上取得巨大的成功,是塞尔乔·索利玛比较具有政治特色的影片之一,不如该导演以前的意大利式西部片成功。 该影片在商业上取得巨大成功,也是塞尔乔·索利马政治元素较多的电影之一,但不如该导演早期的意大利式西部片成功。 1 +本杰明·霍夫定于 1806 年 8 月 29 日与伊丽莎白·科尔结婚,由杰弗逊县治安法官史蒂芬·福特证婚。 史蒂芬 史蒂芬于 1806 年 8 月 29 日与伊丽莎白·科尔在杰斐逊县完婚,并由太平绅士本杰明·霍夫担任主婚人。 0 +共产党人谨慎地认为,中央情报局在财政及其他方面大力支持这些抗议活动。 共产党员坚信,中央情报局在经济上和其他方面谨慎地为这些抗议活动提供支持。 0 +卢浮宫的照明——绘画更加柔和,而且似乎更加温暖,但这可能是表面清漆色调产生的效果。 卢浮宫绘画中的光线更温暖,而且显得更柔和,这可能是由表面颜料的色调所造成的。 0 +会议因许多信使的到来而中断,他们由这座城市里拥有权势或影响力的不同马杜克人派遣,带来为王子所设晚宴的不同邀请函。 该市具有权势或影响力的不同马尔杜克人派遣的不同信使的到来打断了会议,他们带来了许多邀请王子赴宴的请帖。 1 +它是紫色灯光和强烈阳光的绝妙渲染。 它是紫色灯光和绚烂阳光的精彩演绎。 1 +韦斯特莱克是一座位于美国路易斯安那州的城市,坐落在卡尔克苏教区西部,属于莱克查尔斯都会统计区的一部分。 韦斯特莱克是一座位于美国路易斯安那州的城市,坐落在卡尔克苏县西部,是莱克查尔斯大都会统计区的一部分。 1 +“粉碎者”于 1987 年 6 月 13 日在日本发行,并由东宝株式会社出版。 “粉碎者”于 1987 年 6 月 13 日在日本发布,由东宝发行。 0 +这记录在两份来自他的遗体山哈布城的独立铭文中,这两份铭文像身体那么长,而且彼此略有不同。 这记录在两份出自他的哈布城祭庙的长长铭文中,这两份铭文彼此分开,并且彼此略有不同。 0 +Brunau 在 Nindorf 附近水面上升,最初从东北方向流向 Hetzendorf 的南方。 布鲁瑙河流经宁多夫附近地区,发源于 Hetendorf 东北方向。 0 +废弃的循道宗教堂是 Upsall 村为数不多的砖砌建筑之一。 已被废弃的卫理公会教堂是阿普索尔为数不多的砖砌建筑之一。 1 +这是匈牙利武装部队曾经参与或曾在匈牙利军事领土上发生的历史冲突的列表。 这是一份列出匈牙利武装部队曾经参加或在匈牙利历史领土上发生的军事冲突的清单。 0 +他最早在纽约州赫基默县庞德里奇担任牧师,后来在纽约州维斯切斯特县担任牧师。 他先是在纽约州维斯切斯特县的 Poundridge 任职 ,然后在纽约州的 Herkimer 县任职。 0 +这个团队到处演出,在以色列名声大振,甚至还在 2007 年在纽约市举办过巡演。 团队的足迹遍布各地,在以色列成名,甚至 2007 年到了纽约市演出。 0 +1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级董事总经理。 1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级董事总经理。 1 +西本伯格认为这是专辑中他最爱的歌曲,“因为如此纯粹而又个性十足。 锡贝伯格称,这首歌是他在此专辑中的最爱,“因为它是如此亲密和纯粹。” 1 +马克·马金是加拿大退休金计划投资委员会的首席执行官。他于 2016 年 6 月被马克·怀斯曼取代。 马克·马金是加拿大退休金计划投资委员会的首席执行官并于 2016 年 6 月被马克·怀斯曼取代。 1 +阿苏萨太平洋大学的阿苏萨校区坐落于圣盖博谷,位于洛杉矶东北部。 阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 1 +1978 年 1 月 12 日:剑桥联队经理罗恩·阿特金森被任命为西布罗姆维奇足球俱乐部经理。 1978 年 1 月 12 日:西布罗姆维奇足球俱乐部经理罗恩·阿特金森被任命为剑桥联队经理。 0 +在被问到如何念他的名字时,他告诉“文学文摘”,我的名字读起来和“ear'; en-house” 的拼读发音类似。 当被问起他的名字怎么念时,他告诉《文学文摘》,“我名字的发音就好像是被写做‘ear'en-house’。” 1 +2015 年 10 月 17 日,布莱格·伊万诺夫在世界格斗联赛重量级冠军赛中对战梅蒙。 2015 年 10 月 17 日,梅门挑战布拉戈·伊万诺夫争夺 WSOF 重量级拳击锦标赛的冠军。 0 +此物种是各种生态群的成员,包括旱生灌木、藤本植物与树木、热带植物、菌异养型植物以及不同的草木代表。 该物种是不同生态群的成员,包括旱生灌木、藤本植物和树木、热带植物、菌异养以及各类草本植物代表。 1 +两年后,在 1947 年 7 月 25 日,709 队被命名为重型轰炸中队,典型的 709 队特色。 两年后,即 1947 年 7 月 25 日,第 709 队更名为重型轰炸中队,带有明显的第 709 队特征。 1 +马里查·拉扎里于 1943 年 10 月出生于伦敦,并在 16 岁时与家人移居至塞浦路斯。 马里查·拉扎里于 1943 年 10 月出生在塞浦路斯,16 岁时跟随她的家人移居到英格兰伦敦。 0 +1932 年的瑞典冰球锦标赛是瑞典冰球锦标赛的第 11 个赛季,是瑞典的全国冠军赛,由哈马比体育会赢得了冠军。 1932 年瑞典冰球锦标赛是瑞典冰球锦标赛的第 11 个赛季,这是瑞典的全国冠军赛。Hammarby IF 赢得了冠军。 1 +彼得·达孔杰(1903 - 1967 年)是一位早期爵士乐的簧片演奏家,活跃于美国新奥尔良的爵士乐坛。 彼得·达孔杰(1903 -1967 年)是一位早期爵士乐的簧片演奏家,活跃于美国新奥尔良的爵士乐坛。 1 +在促进来自北非的增援后,8 月 18 日,她返回奥兰为意大利的侵略做准备,并为此于 9 月 5 日启航。 在从北非运送完增援部队后,她于 8 月 18 日返回奥兰准备亲自入侵意大利,为此已于 9 月 5 日起航。 1 +约翰·拜伦迎娶了玛丽·拜伦,她是诺丁汉郡纽斯特德卢卡斯爵士的女儿。 卢卡斯娶了诺丁汉郡纽斯特德的约翰·拜伦爵士的女儿玛丽·拜伦。 0 +1894-95 赛季是曼切斯特城足球俱乐部在西班牙足球甲级联赛的第四个赛季,也是在足球联赛的第三个赛季。 1894-95 赛季为曼切斯特城足球俱乐部加入联赛的第三赛季,还是加入足球联盟的第四个赛季。 0 +与此同时,教皇方济各要求汤再担任香港主教三年。 与此同时,汤要求教皇方济各再担任香港主教三年。 0 +梅根·艾利森生于加利福尼亚州圣克拉拉县,她是甲骨文公司主席、亿万富翁拉里·埃里森,与其前妻芭拉·布思·埃里森之女。 梅根·埃里森出生于加利福尼亚州圣克拉拉县,她是甲骨文公司董事长、亿万富翁拉里·埃里森和前妻芭芭拉·布思·埃里森的女儿。 1 +在小平溪入口的上游,有一条名叫大平溪的小溪。 该溪流称为大平溪,是小平溪水源的上游。 1 +凡伍德位于第 12 国会选区,也是新泽西州第 22 州立法选区的组成部分。 范伍德位于第 22 国会选区,是新泽西州第 12 立法选区的一部分。 0 +在 1967 年的 NBA 选秀大会上,他在第 77 轮(以第 7 顺位)被费城 76 人队选中。 他在 1967 年 NBA 选秀的第 77 轮(共有 7 轮甄选)被费城 76 人队选中。 1 +他于 1940 年 5 月 5 日出生于君士坦丁堡(伊斯坦布尔)并于 2011 年 11 月 19 日因癌症在雅典去世。 他于 1940 年 5 月 5 日出生于君士坦丁堡(伊斯坦布尔)并于 2011 年 11 月 19 日因癌症在雅典去世。 0 +黑尔纳尔斯的绿地覆盖率为 59.6%,其中,黑尔纳尔斯占据了第三大绿地区。 黑尔纳尔斯的绿地覆盖率为 59.6 %,其中黑尔纳尔斯是第三大绿地区。 0 +有一个 Cornelius Grinnell 湾近海岛屿,位于巴芬岛上。 它是位于巴芬岛的一处 Cornelius Grinnell 湾近海岛屿。 1 +芝加哥熊队以 27-21 击败巨人队,这是他们自 1976 年以来首次取得 0-6 的成绩。 巨人队以 27-21 落败于芝加哥熊队,这是 1976 以来第一次,当时是 0-6。 0 +根据观察,她“拥有非常巨大的潜力,而且才华横溢,未来将成长为具有音乐个性的人”。 根据观察,她“拥有巨大的潜力,而且才华横溢,未来将成长为具有独特音乐个性的人”。 1 +艾玛·唐森德在 DGA Associates 由大卫·戈德文代表。 大卫·戈德文在 DGA Associates 由艾玛·唐森德代表。 0 +人才经理梅洛迪·琼斯(罗宾·亚瑟)找到尼娜,并要求他们与她签约。 人力经理梅洛迪·琼斯(萝宾·亚瑟)接近妮娜并邀请她与其签约。 1 +根据美国人口调查局的数据,南港的总面积为,其中陆地面积占,即,0.91% 的地区是水域。 根据美国人口调查局的数据,南港的总面积为,其中陆地面积为,即,或 0.91% 是水域。 1 +除了各种金属板,有时混凝土和沙袋也会用于简易坦克。 除各种金属板外,在某些情况下,混凝土和沙袋也会用于临时拼凑的装甲列车。 1 +1653 年从英格兰移民至康涅狄格州的米尔福德,伊丽莎白·普鲁登结婚了 伊丽莎白·普鲁登于 1653 年从英格兰移入康涅狄格州米尔福德;她嫁给了罗杰·普里查德 0 +卢斯达乌与吉莱纳·玛丽安结合,两人孕育了三个子女:埃斯妮·珀翠娥、多米尼克·亨丽特和马塞尔·吉恩。 洛斯陶与 Ethnie Bottrill 结了婚,然后与她生育了三个子女:马塞尔·吉恩、多米尼克·亨瑞特和吉丝莲·玛丽安。 0 +这是即将于中央商务区建造的三家一流酒店中的第三家。 这是建于中央商务区的三家一流酒店中的第三家。 1 +钱德勒视计算机为学习工具,但是他反对盛行的客观主义,它视数据为信息,视信息为知识。 钱德勒将计算机视为学习的工具,但他拒绝盛行的客观主义将数据视为信息,将信息视为知识。 1 +他在柏林书房的墙上挂着三幅人物像:叔本华、麦克斯韦、法拉第。 他在柏林书房的墙上挂着三位人物像:法拉第、麦克斯韦、叔本华。 1 +威廉·卢埃林·威廉姆斯,称为卢埃林·威廉姆斯(1867 年 3 月 10 日至 1922 年 4 月 22 日),是一位激进记者、律师和威尔士自由党从政人员。 威廉·威廉姆斯,又名卢埃林·威廉姆斯(1867 年 3 月 10 日 - 1922 年 4 月 22 日),是一名威尔士记者、律师和激进的自由党政治家。 0 +该车站是拉塞尔街车站 Metra 线的一部分,在芝加哥卢普区的乔利埃特和岩岛区之间运行。 该车站是岩岛区 Metra 线的一部分,在乔利埃特和芝加哥卢普区的拉塞尔街车站之间运行。 0 +Zinovjev 的作品至今已被奥卢交响乐团、拉赫蒂交响乐团、凯米小交响乐团、芬兰广播交响乐团和阿凡提乐团演奏! 到目前为止,季诺维也夫的作品已经由芬兰广播交响乐团、拉提交响乐团、Kymi Sinfonietta 乐团、奥卢交响乐团和 Avanti 乐团演出! 1 +她受到理查德·吉布森和宫廷画家琼·卡莉的赞赏,被认为与彼得·莱利一样成功。 她被理查德·吉布森和宫廷画家彼得·莱利称赞过,它被视为与琼·卡莉一样成功。 0 +邦妮·比蒂丽娅·卡尔金(1948 年 3 月 25 日出生于邦妮·比蒂丽娅)是一名美国裔美国女演员。 邦妮·比蒂丽娅(1948 年 3 月 25 日出生在比蒂丽娅邦妮 ) 是一名美国女演员。 0 +1937 年,杰拉德·赫德与妻子玛丽亚、儿子赫胥黎及朋友修·赫胥黎一起搬往好莱坞。 1937 年,杰拉尔德·赫德与他的妻子马丽亚、他的儿子赫胥黎以及他的朋友马修·赫胥黎一起搬到了好莱坞。 1 +利宫廷谷仓是一座位于英格兰伍斯特郡利的曲木框架谷仓,用于储存什一税农产品,建于十四世纪初,旨在为珀肖尔修道院储存农产品。 利庭谷仓位于珀肖尔修道院,为曲木框架什一谷仓,始建于十四世纪早期,用于储存英格兰乌斯特郡利市的物品。 0 +陆地基角螺是一种呼吸空气的小型蜗牛,是内齿蜗牛科的陆栖有肺类腹足软体动物。 Hirasea goniobasis 是一种陆地肺螺类吸气蜗牛,内齿蜗牛科的一种小型腹足纲软体动物。 0 +斯劳中学是一所位于伯克郡(现在为白金汉郡斯劳)的女子精英学校。 斯劳高中是伯克郡的一所女子精英文法学校,现为白金汉郡斯劳。 1 +在斯里兰卡,会计师(斯里兰卡特许会计师)这一名称仅限斯里兰卡会计师协会会员使用。 在 CA,特许会计师的头衔(斯里兰卡斯里兰卡)只能由斯里兰卡会计师学会的成员使用。 0 +它在康涅狄格州已濒临灭绝,在佛蒙特州面临威胁,在罗德岛已成为历史,在马萨诸塞州和新罕布什尔州也面临着威胁。 它在康涅狄格州、佛蒙特州受到威胁,一如在罗德岛州、马萨诸塞州和新罕布什尔州。 0 +菲纳莱是南非林波波省莫帕尼市的一个城镇。 法内尔是一座位于南非林波波省莫帕尼区自治市的小镇。 1 +BBC 新闻学院开办于 2005 年 6 月,当时为一项网络学习课程系列,凯文·马什时任执行主编。学院首任主任为温·雷。 2005 年 6 月,BBC 新闻学院作为电子学习课程开放,由文·雷担任执行编辑,凯文·马什担任首任编辑。 0 +柯德尔•克罗基特演奏了 5 首贝斯曲目,随后与丑小子乔乐队的贝斯手内森•斯莱德一起演奏了剩下的曲目。 NS 0 +斯科特出生于艾尔市劳顿县,父母是罗伯特·赫伯恩和琴(娘家姓:卡迈克尔)·斯科特。 罗伯特·赫本出生于劳顿·埃尔,父亲是斯科特,母亲是吉恩·斯科特(原名吉恩·卡迈克尔)。 0 +该引擎重,高 54 英寸,宽 29 英寸,长 41 英寸。 这台发动机重,54 英寸长、29 英寸宽,41 英寸高。 0 +“阿尔法”这个名称后来在 2005 年使用,但在标准名称清单用完后,它被用于命名热带风暴。 “阿尔法”这个名称后来在 2005 年使用,但在标准名称清单用完后,它被用于命名热带风暴。 1 +在取得成功后,简·坎皮恩聘请琼斯制作后来拍成电影《天使与我同桌》的迷你电视连续剧,该电影改编自珍妮特·法兰姆的自传。 继获成功后,简·坎皮恩·琼斯成为珍妮特·弗雷姆自传迷你电视剧的改编版,该剧后又拍成电影《天使与我同桌》。 1 +萨默斯是第一代萨默斯男爵查尔斯·科克斯和伊丽莎白的儿子,后者是理查德·艾略特的女儿。 萨默斯是首代萨默斯男爵查尔斯·科尔斯的儿子,而伊丽莎白是理查德·艾略特的女儿。 1 +米尔科夫河是罗马尼亚迪尔科夫河的右支流。 迪尔科夫河是罗马尼亚米尔科夫河的一条支流。 0 +Dotty 1923 年出生于波士顿,2014 年在格洛斯特去世。 多迪于 1923 年出生在波士顿,2014 年在格洛斯特逝世。 1 +伊瑟林 1971 年 1 月 5 日在马萨诸塞州法尔茅斯逝世。他的葬礼在马萨诸塞州葡萄园港的玛莎葡萄园岛举行。 伊瑟林于 1971 年 1 月 5 日在马萨诸塞州法尔茅斯逝世。他的葬礼在马萨诸塞州马萨葡萄园岛上的玛莎葡萄园举办。 1 +约纳斯·比约克曼和法布里斯·桑托罗在决赛中分别以 6-2 和 6-4 战胜马丁·达姆和拉德克·斯泰潘内克。 马丁·达姆和拉德克·斯泰潘内克在决赛中分别以 6-2 和 6-4 战胜约纳斯·比约克曼和法布里斯·桑托罗。 0 +2014 年,该网站推出 iOS 和安卓应用程序用于产品搜索,产品功能包括互动视频 - 产品 - 直播评论 - 问答 - 会话。 2014 年,该站推出 iOS 和安卓应用程序,用于产品搜索,产品功能包括直播 - 视频 - 产品- 评论,并且提供交互式问答会话。 0 +电影中雷蒙德·里克曼的儿子由罗丝真正的儿子卡罗尔饰演。 露丝在影片中的儿子由卡罗尔现实生活中的儿子雷蒙德·里克曼饰演。 0 +Ponoru 河是罗马尼亚境内霍雷祖河的一条支流。 Ponoru 河是罗马尼亚 Horezu 的支流。 1 +教区教堂建于 1591 年,但随着 18 世纪天主教徒的涌入,形成了一个天主教徒聚集区。 教区教堂成立于 1591 年,但随着 18 世纪天主教徒的涌入,天主教徒占多数的局面已经形成。 1 +1805 年 5 月,约翰·盖奇中尉将其派往北海服役,罗伯特·拉姆齐中尉在 1806 年将其召回。 罗伯特·拉姆西中尉于 1805 年 5 月将他们派去北海,1806 年约翰·格奇中尉顶替了他的位置。 0 +蔡茂还有一个儿子,叫做蔡峰。 蔡茂还有一个儿子,叫做蔡峰。 1 +AR5 提供有关气候变化的科学、技术和社会经济方面的最新知识。 AR5 提供有关气候变化的科学、技术和社会经济方面的知识更新。 1 +之后,在昂古莱姆伯爵查理遇袭期间,理查德加入了阿德玛麾下。 后来,在袭击昂古莱姆伯爵安德鲁期间,理查德将加入阿德赫马尔的部队。 1 +2012 年,吉尔扮演詹妮佛·拉·佩纳,成为萨尔瓦多·罗亚尔斯翻拍电视剧的电影《Mundo Man ay Magunaw》的一部分。 2012 年,詹妮弗·拉佩尼亚在 Salvador Royales 的影片“Mundo Man ay Magunaw”的电视翻拍版中出演吉尔一角。 0 +虽然氙气很稀有,而且从地球大气中提取氙气相对昂贵,但是它有许多用途。 尽管氙较为罕见,从地球大气层中提取的费用也相对高昂,但它却有很多用途。 1 +Segheș 河是罗马尼亚奥尔特河的一条支流。 奥尔特河是罗马尼亚 Seghes 河的一条支流。 0 +制剂由帕特里克·佩奇博士及其团队发明,并由 Genkyotex 公司于 2007 年取得专利。 派翠克·佩吉博士和他的团队发明了这种化合物,并在 2007 年获得 Genkyotex 专利。 1 +罗宾斯于 1993 年 9 月 21 日出生于考文垂,他的父母查尔斯·罗宾斯和杰西敏·罗宾斯共生育了 12 个孩子,罗宾斯和他的双胞胎兄弟大卫·罗宾斯分别排名第八和第九。 罗宾斯和他的双胞胎兄弟大卫于 1933 年 9 月 21 日出生于考文垂,他们是查尔斯和贾丝明·罗宾斯的十二个孩子中的第八和第九个孩子。 1 +它作为巴生谷卫星城的地位与其地处马来西亚吉隆坡中心位置有关。 它作为巴生谷卫星城的地位与其地处马来西亚吉隆坡中心位置有关。 1 +乌鲁克尔也是曼尼普尔州的热门旅游胜地。 乌克鲁尔也是曼尼普尔州的一个热门旅游胜地。 1 +穆塔拉·默罕默德(1975 年)和奥卢塞贡·奥巴桑乔(1976 年)接连发动政变,将其取而代之。 在接二连三的政变行动中,他被奥卢塞贡·奥巴桑乔(1975 年)和穆尔塔拉·穆罕默德(1976 年)取代。 0 +亚瑟努力深受感染,更加体贴地对待格温(主动做晚餐等)。 在深受影响下,格温努力更加体贴地对待亚瑟(主动做晚餐等)。 0 +退役后,洛克哈特定居于佛罗里达州,但近期移居德克萨斯州。 洛克哈特服完兵役后生活在德克萨斯州,但近期搬到了佛罗里达州。 0 +黑泽尔在新电视剧“致命美丽”中饰演年幼的妹妹亚历桑德拉·科平格一角。 在新电视剧《Dead Gorgeous》中,亚历山德拉·科普林格饰演最小的妹妹黑泽尔。 0 +Hilltown 种族中主要为白人,占比 93 % ,而亚洲人占 3 %,中国人占 1 %。 希尔敦的种族的 93% 主要是白人,3% 是华人,1% 是亚洲人。 0 +它的所有人是国有铁路公司 Chemins de Fer Luxembourgeois。 它由国营铁路公司卢森堡国家铁路公司运营。 0 +麦吉溪湖位于阿托卡以东、安特勒斯以西,以及俄克拉荷马州法里斯以北 阿托卡位于麦吉溪水库以东、安特勒斯以西和俄克拉荷马州法里斯以北。 0 +知名歌手及男演员 Inayat Hussain Bhatti 之子 Waseem Abbas 以电视男演员的身份在拉合尔出道。 伊纳亚特·侯赛因·巴蒂是著名歌手兼演员瓦西姆·阿巴斯之子。他的电视演员生涯始于拉合尔。 0 +在与商人巴比什的第二段婚姻中,拉扎里迪斯生下一子瓦西利斯。 在与商人巴比斯·拉扎里迪斯的第二段婚姻中育有一子瓦斯利斯。 1 +麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 两年来,麦克米伦都在位于迪德科特的皇家医疗队工作,之后在蒂德沃思工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 0 +据普赖尔称,诗人、剧作家和小说家罗伯特·戈德史密斯的祖父奥利佛·戈德史密斯是这个家族中第一位在巴利杨特定居的人。 据罗伯特·普赖尔称,罗伯特·戈德史密斯是诗人、剧作家和作家奥利佛·戈德史密斯的祖父,也是该家族第一个在巴利杨特定居的人。 0 +卢浮宫绘画的光线更加柔和,而且看起来更加温暖,但这可能是表面清漆的色调产生的效果。 卢浮宫画作中的光线更为柔和,看起来也更加温暖,但这有可能是画作表面清漆的色调造成的效果。 1 +詹姆斯·亨利·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿特尔伯勒,是尤金·D·恩格利及其妻子玛丽·凯莉(婚前姓)之子。 尤金·D·恩格利于 1851 年 4 月 5 日出生在马萨诸塞州阿托巴罗夫,他的父母是詹姆斯·亨利·恩格利及其前任妻子玛丽·凯利。 0 +罗宾斯于 1933 年 9 月 21 日出生在考文垂,他还有一个双胞胎弟弟大卫,两人在查尔斯和贾思敏·罗宾斯的十二个孩子中排行第八和第九。 罗宾斯 1933 年 9 月 21 日与他的双胞胎兄弟大卫一同在考文垂出生,他们在查尔斯和佳思敏·罗宾斯十二个孩子中排行第八和第九。 1 +卡勒姆·奥布赖恩(于 1982 年 11 月 4 日出生在新西兰)是一名剑桥职业壁球运动员。 卡勒姆·奥布莱恩(1982 年 11 月 4 日出生于新西兰)是一名剑桥职业壁球运动员。 1 +施利曼认出五个竖井并清理它们为鲍桑尼亚提到的坟墓。 施利曼检测到五口竖井,并将它们作为鲍桑尼亚所提到的坟墓进行清理。 1 +应此乐队早期成员艾伦·威尔金森的要求,经常创作的知名歌曲包括“哈特尔普的猴子”。 广为人知,而且经常应乐队早期成员艾伦·威尔金森的请求谱写歌曲,包括《哈特尔普尔猴》。 1 +它有时被用作著名设计论证的归谬法,其运作方式如下: 它有时被称为设计中常用参数的归谬法,其运行方式如下: 0 +《迷失男孩》是 BBC 于 1978 年制作的一部文献纪录片迷你剧,由罗德尼·本尼特编剧,并由安德鲁·伯金执导。 《失落的男孩》是 BBC 于 1978 年制作的一部纪实迷你剧,由罗德尼·本尼特担任编剧并由安德鲁·柏金执导。 1 +罗伯特·怀特和约书亚·苏尔·齐默尔曼与凯肯德尔一起担任汉普郡的档案馆专员。 他与罗伯特·怀特和约书亚·索尔·齐默曼 一起担任汉普夏县的衡平法院专员。 0 +她是瓦尔、鲍里斯和罗莎琳德·洛温的母亲,她的女儿成为了一名心理学教授。 她成了瓦尔、鲍里斯和罗莎琳德·洛温的母亲,她的女儿是一位心理学教授。 0 +Boutique @ hs 的形象大使泰瑞莎·帕默尔·米盖拉·巴那斯和澳大利亚女演员凯莉·克拉克出席了此次活动。 Boutique @ hs 的形象大使凯莉·克拉克、澳大利亚女演员泰瑞莎·帕默尔和米盖拉·巴那斯出席了此次活动。 0 +米克·米德尔斯的传记由曼彻斯特作家克里斯·西维所著,2014 年 11 月出版 。 克里斯·西维的传记由曼彻斯特作家米克·米德尔斯编写,并于 2014 年 11 月出版。 0 +法国非尼斯泰尔选区是非尼斯泰尔“省”的第一个选区。 法国立法选区非尼斯泰尔是非尼斯泰尔“省”的第一个选区。 1 +Bresnic 河是罗马尼亚斯拉蒂纳河的一条支流。 斯拉蒂纳河是罗马尼亚 Bresnic 河的一条支流。 0 +在他的尸体 hort 哈布城的两行长铭文中记载了此内容,这两行铭文实际是分开的,彼此稍有不同。 这记录在他的 Medinet Habu 祭庙内两处单独的铭文中,这些铭文不仅篇幅很长而且彼此有些许不同。 0 +软腭挤喉音是一种辅音,在有些口头语言中使用。国际音标中的音标,就是这个发音。 软颚挤喉音是一种辅音,用于某些口语中。国际音标表中代表这种声音的符号是。 1 +Birkenhead Wharf 毗邻 Birkenhead Point 工厂奥特莱斯中心并紧挨着铁湾桥,步行约一分钟就能到达这座桥。 伯肯黑德码头与铁湾大桥相邻,位于伯肯黑德中心工厂折扣店中心附近,步行路程大约一分钟。 0 +在 1899 年被记录为查塔姆区前,它是汉诺威区的一部分,然后是弗洛勒姆帕克的一部分。 它是汉诺威镇的一部分,之后并入查塔姆镇,再之后于 1899 年被记录为弗洛勒姆帕克。 0 +她的儿子塞缪尔·普罗沃斯特是约翰(1742 - 1815)的父亲,也是纽约的新教圣公会主教。 她的儿子约翰是纽约第一位新教徒主教萨缪尔·普罗伍斯特(1742 -- 1815 年)的父亲。 0 +随着调查继续进行,警察还询问了歌手 Rimi Tomy 和演员西迪基,二人都是迪利普和他的妻子 Kavya Madhavan 的好友。 在目前的调查中,警察还询问了歌手 Rimi Tomy 和演员 Kavya Madhavan,两人都是 Siddique 及妻子 Dileep的密友。 0 +Jiul de Vest 河是罗马尼亚 Jidanul 河的支流。 Jidanul 河是罗马尼亚 Jiul de Vest 河的一条支流。 0 +维班内是印度喀拉拉邦内杜芒格阿德乡的阿鲁维卡拉乡下的一个村庄。维班内隶属于蒂鲁文南特布勒姆区的内杜芒格阿德潘查雅特。 Vembannur 是一个村庄,位于印度喀拉拉邦 Nedumangad 税收分区下的 Aruvikkara 税收分区。 Vembannur 归提鲁瓦南塔普拉姆县的 Nedumangad 村务委员会管辖。 1 +任何看过的人都会觉得这所学校是一个连续体,一个单排建筑。 凡是看到此景象的人,都会感到学校是一个连续的整体、是单独一排。 1 +演员均为男性,包括六位悉尼男演员和一位墨尔本男演员(戈登·格伦莱特)。 演员都为男性,其中包括六位墨尔本演员和一位悉尼演员(戈登·格伦赖特)。 0 +卡勒姆·奥布莱恩(1982 年 11 月 4 日出生于新西兰)是剑桥的一位专业壁球运动员。 卡勒姆·奥布赖恩(于 1982 年 11 月 4 日出生在剑桥)是一名新西兰职业壁球运动员。 0 +墨尔本艾伯特公园湖还举办了姐妹活动,赞助商为澳大利亚墨尔本福克斯电台。 墨尔本的阿尔伯特公园湖举办了一场姊妹活动,由 Fox FM(澳大利亚墨尔本)赞助。 1 +他是约翰·斯科特和妻子,托马斯·凯恩斯的女儿,简·斯科特的儿子。 他是约翰·斯科特及其妻子即托马斯·凯恩斯的女儿简·斯科特的儿子。 1 +赫克托博士、科迪和克里斯蒂找到将福里斯特扣押为人质的克里斯蒂博士。 赫克托、科迪和克里斯蒂找到了劫持克里斯蒂作人质的佛里斯特博士。 0 +韦斯特莱克是卡尔克苏教区的一座城市,位于美国路易斯安那州西部,属于莱克查尔斯都会统计区的一部分。 韦斯特莱克是一座位于美国路易斯安那州的城市,坐落在卡尔克苏教区西部,属于莱克查尔斯都会统计区的一部分。 0 +此专辑在北美境外的大部分版本均有相同的音频内容,但音轨标记的位置取决于发行 CD 的公司。 北美以外地区发行的大多数专辑音频内容都相同,但曲目标记位置会因 CD 发行公司而异。 1 +2009 年他回到了费城,现在他在纽约市生活。 他 2009 年搬回了纽约市,现在住在费城。 0 +大卫 大卫·戈德温由 DGA Associates 的艾玛·汤斯亨德代表。 大卫·戈德温是艾玛·汤思罕在 DGA 协会的代表。 0 +这是一个著名的朝圣中心,距离达尔瓦德 78 公里,距离贝尔高姆 37 公里。 这是一个著名的朝圣中心,距离贝尔高姆 78 公里,距离达尔瓦德 37 公里。 0 +若奥·马丁斯·佩纳和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳在里约热内卢出生,是马丁斯·佩纳的孩子。 若昂·马丁斯·佩纳和弗朗西斯卡·德·保拉·胡列塔·佩纳出生在里约热内卢,他们的父亲是马丁斯·佩纳。 1 +迄今为止,奥卢交响乐团、拉赫蒂交响乐团、凯米小交响乐团、芬兰广播交响乐团和 Avanti 均演奏过季诺维耶夫的作品! 到目前为止,季诺维也夫的作品已经由奥卢交响乐团、拉提交响乐团、Kymi Sinfonietta 交响乐团、芬兰广播交响乐团和 Avanti 乐团演出! 1 +他在 1967 年 NBA 选秀的第 7 轮(共有 77 轮甄选)被费城 76 人队选中。 他在 1967 年 NBA 选秀的第 77 轮(共有 7 轮)被费城 76 人队选中。 0 +弗兰克·詹姆斯加入了为当地德鲁·洛布斯军队招募的分离主义连队,并于 1861 年 8 月参加了威尔逊之战。 弗兰克·詹姆斯加入为当地德鲁·洛布斯军队招募的分离主义者连队,并于 1861 年 8 月在威尔逊克里克战役中参加作战。 1 +小舌挤喉音是一种辅音,在一些口语中使用。 国际音标表中的符号便是这种声音。 挤喉音是一种小舌音,在一些口语中使用。在国际音标表中代表该发音的符号是 0 +来自苏里南的杰出女性有詹妮弗·西蒙斯、Marijke Djwalapersad、伊丽莎白·萨姆森、辛西雅·麦克劳德和 Ruth Wijdenbosch。 詹妮弗·西蒙斯、玛丽克·迪瓦拉佩萨德、伊丽莎白·萨姆森、辛西娅·麦克劳德和露丝·维登博施都是苏里南的杰出女性。 1 +阿尔巴尼亚难民于 1999 年返回之前,塞尔维亚家族已离开该村。 塞尔维亚难民于 1999 年返回之前,阿尔巴尼亚家族已离开该村。 0 +控制鹿数量的另一种方法是调控出生率。 调节鹿群数量的另一条途径是控制出生率。 1 +索托出生在沃斯堡市,但一岁时搬到了墨西哥的蒙特雷。 索托出生于墨西哥蒙特雷,但在一岁时移居沃斯堡。 0 +尽管这两辆车非常相似,但车身零件无法互换。 虽然可以互换,但两辆车上的车身零部件并不相同。 0 +2012 年,Augier、Hughes、Lenstra、Bos、Kleinjung 和 Wachter 发布了一篇分析,比较了从互联网收集的数百万 RSA 公钥。 2012 年,伦斯特拉、休斯、奥吉埃、博斯、克莱因荣格和瓦赫特公布了对从互联网收集的数百万个公开 RSA 密钥的分析。 1 +若纳唐·达斯涅雷斯·德韦吉以 7 - 6、7 - 6 战胜安德烈·库兹涅佐夫赢得了决赛。 若纳唐·达斯涅雷斯·德韦吉以 7-6 和 7-6 击败安德烈·库兹涅佐夫而赢得决赛。 1 +英伟达于 2017 年 12 月 7 日正式发布 NVIDIA TITAN V。 NVIDIA TITAN V 由 Nvidia 于 2017 年 12 月 7 日正式发布。 1 +此外,新年、春天、葡萄酒和心爱的人都让人心生愉快。 新年、春天、美酒和爱人也都令人欢欣。 0 +其中“e”是该粒子的磁荷而 A 是该电磁场的矢量电势。 其中“e”是粒子的电荷,而 A 是电磁场的磁矢势。 0 +塔拉巴萨区从 1883 年至 1928 年是塔拉巴萨省的一个区。它属于智利。 从 1883 年至 1928 年,塔拉帕拉省是智利的一个省,隶属塔拉帕拉省。 0 +1862 年,歌舞杂耍表演首次从巴黎传入伦敦并变得非常受欢迎,其中有舞者、歌手、杂技演员和经魔术师训练的动物。 杂耍戏院于 1862 年首次从巴黎引入伦敦,并受到舞者、歌手、杂技演员和法师训练动物的极大欢迎。 1 +贪食症和 1870 年代对术语“神经性厌食症”有不同看法,并取代了紊乱一词。 和 1870 年代,将贪食症与术语“神经性厌食症”区分开来,并替代了这种失调症。 1 +《黎明》是该电视连续剧的第三十二集(作品编号 213),也是第九季的第十三集。 “黎明”是电视连续剧“的第三十九集(制作 # 213),也是第二季的第十三季。 0 +这反过来在阵线上形成防守漏洞,也在天然第二线区域形成裂缝。 那反过来在阵线上形成防守漏洞,也在天然二线上形成裂缝。 1 +泽近泰辅与吉他手兼长期合作伙伴工藤共同创作出歌曲“Dose Nara”。 Taisuke Sawachika 与吉他手兼长期合作者 Kudo 共同创作了“Dōse Nara”这首歌。 1 +它被罗伯特·屈尔宗于 1834 年在修道院购得,在 1883 年被 C·R·格里高利看见。 1834 年,它由在塞巴修道院 C·R·格里高利购得,并在 1883 年由罗伯特·寇松购买。 0 +澳大利亚政府于 1983 年对英国表彰提出建议,而最后两届澳大利亚州政府于 1989 年结束推荐。 澳大利亚政府于 1983 年停止为澳大利亚奖作出推荐,最后两个英国州政府则是在 1989 年停止推荐。 0 +它将会很长,而且有高高的墙壁和容量。 它将会很高,而且有长长的墙壁和容量。 0 +讨论该事宜时应找他的代理人,并且在讨论提议讨论的事宜时无法重新开始 prsidência。 然而,讨论此事项应该找他的副手,并且不能同时讨论提议恢复的事项和 prsidência。 0 +Wa Kyun 是安达曼海的一座岛屿,位于缅甸南部区域孟邦海岸附近。 Wa Kyun 是安达曼海中的一个岛屿,位于缅甸南部地区的孟邦海岸附近。 1 +共产党人坚信中央情报局暗中对这些抗议活动提供了经济及其他形式的支持。 共产党人暗中认为中央情报局通过经济和其他形式对这些抗议活动提供了大力的支持。 0 +卡茨于 1947 年出生于瑞典,并在一岁时移居纽约。 卡茨于 1947 年出生于纽约市,一岁时搬到瑞典。 0 +首先描述花粉量低的区域,而非花粉量高的区域。 首先,请描述具有高花粉值的区域而非低花粉区域。 0 +雷济厄斯出生于斯德哥尔摩,他是解剖学家安德斯·雷济厄斯的儿子(也是自然学家和化学家安德斯·贾汉·雷济厄斯的孙子)。 雷济厄斯出生于斯德哥尔摩,是解剖学家安德斯·贾汉·雷济厄斯的儿子(也是博物学家和化学家安德斯·雷济厄斯的孙子)。 0 +Lobethal Bierhaus 是一家具有德国风味的本地啤酒厂。 Lobethal Bierhaus 是一家德国啤酒厂,受到了地域风格的影响。 0 +但是,当新政府改变政治立场后,Cerdà 的计划被拒,而当地政府举办项目竞赛中 Cerdà 也落选了。 然而,新政府改变政治立场后,塞尔达的计划被废弃,而在当地政府举办的项目竞赛中,塞尔达也以失败告终。 1 +省去喷气发动机及其燃油会减少复杂性和提高有效载荷。 省掉发动机及其燃料将会增加复杂性并降低有效负载。 0 +Elder House of Welf 是自 9 世纪以来记录的欧洲统治者的法兰克贵族王朝。 自 9 世纪开始,老韦尔夫家族就是欧洲统治者的法兰克贵族王朝。 1 +他出生于墨尔本,在 10 岁时和家人一起搬到新西兰。 他出生在新西兰,十岁时跟随家人迁徙到墨尔本。 0 +圣公会传统中新教和天主教倾向之间的差异程度通常在特定圣公会教会和整个圣公会社区都存在争议。 圣公会教会之间和整个圣公会对英国圣公会特定传统中出现的新教趋势和天主教趋势的相异程度一直争论不休。 0 +Lobethal Bierhaus 是一家地区性啤酒酿酒厂,受到德国风格的影响。 Lobethal Bierhaus 是一家受地域风格影响的德国啤酒厂。 0 +两国泰米尔族和谐共享该地区,这里举办的节日还让参与者们有机会重燃希望、分享传统。 这一节日还让参与者有机会重燃希望和分享传统,在由这两个地区的泰米尔人和谐共处的地区举办。 1 +小迈克尔·利贝尔在其父母从德国来到宾夕法尼亚州伊利时为 14 岁。 当他的父母从伊利来到宾西法尼亚州,再到德国时,迈克尔迈克尔·利贝尔·森 14 岁。 0 +人才经理梅洛迪·琼斯(罗宾·亚瑟)找到尼娜,并要求他们与她签约。 人才经理罗宾·亚瑟(梅洛迪·琼斯)联系尼娜并要求她与她签约。 1 +“除了你的一切”是 1945 年的一首歌曲,由唐·乔治作曲、爱灵顿公爵和哈利·詹姆斯作词。 《除你之外的一切》是 1945 年的一首歌曲,由艾灵顿公爵和哈利·詹姆斯谱曲,由唐·乔治写词。 0 +该赛季于 1984 年 1 月 6 日在挪威法伦开始,于 1984 年 3 月 11 日在瑞典 Lygna 结束。 该赛季于 1984 年 1 月 6 日在挪威法伦开始,于 1984 年 3 月 11 日在瑞典莱格纳结束。 1 +安迪看到罗伯特和凯蒂在一起并将此事告诉了达兹。 安迪看到罗伯特和卡蒂在一起,并告诉了达兹。 1 +霍林伍德支渠是英国奥尔德姆的霍林伍德附近的一条水渠。 霍林伍德支渠是英国奥尔德姆附近的一条水渠。 0 +他迎娶了玛丽,诺丁汉塞尔斯顿的布鲁克之女,长子理查德是他的继承人。 他娶了玛丽,诺丁汉塞尔斯顿的蒂莫西·普西的女儿,并由他的长子理查德继任。 0 +第一个信号官课程于 1951 年开设,而当前的课程为该课程的第 86 和第 87 次进行。 第一期信号官课程于 1951 年开设,而当前课程已是第 86 和 87 次开课。 1 +公元前 284 年,僖王与秦昭王在西周会面,以建立联盟共同抗齐。 公元前 284 年,齐王与秦昭襄王在西周会面,以建立联盟共抗僖王。 0 +如果机械系统的组件在系统受力时发生变形,则它们会储存弹性势能。 如果弹性势能系统的组件在系统受力时发生变形,则它们存储机械能。 0 +它在新奥尔良号沉没后遭俘获并于1868 年作为废金属出售。 它在新奥尔良号被凿沉后遭俘获并于 1868 年作为废品出售。 1 +蒂姆 蒂姆·亨曼在决赛中以 6-7、6-4 和 7-6 的成绩击败皮特·桑普拉斯而赢得比赛。 皮特·山普拉斯在决赛中以 6-7、6-4 和 7-6 战胜蒂姆·亨曼。 0 +Machpelah 墓园是新泽西州哈德逊县的一处墓园,亦拼作“Macpelah 墓园”或“Macphelah 墓园”。 Machpelah 墓地,也可写作“Macpelah 墓地”或“Macphelah 墓地”,是新泽西州哈德逊郡`的一个公墓。 1 +他的子女是卡洛琳和辛西娅(1970 年逝世)、布伦南、马特·佩洛西、劳伦斯(生于 1971 年)和安德鲁(生于 1981 年)。 他的孩子们包括卡洛琳和辛西雅 (1970 年去世)、 布伦南、马特·佩洛西、劳伦斯(1971 年出生)和安德鲁(1981 年出生)。 1 +2015 年 5 月 8 日,塔皮亚败给迈克尔·索罗。 2018 年 5 月 8 日,迈克尔·索罗·塔比亚失踪了。 0 +屋大维·沃尔·马莱特的二女儿爱丽丝·安娜·凯瑟琳在 1852 年 6 月 24 日与托马斯在科隆的英国领事馆完婚。 托马斯·安妮的二女儿爱丽丝·安娜·凯瑟琳 1852 年 6 月 24 日在科隆的英国领事馆与奥克塔维厄斯·瓦瑞·马雷特完婚。 0 +如果机械系统的组件在系统受力时发生变形,则它们会存储弹性势能。 如果弹性电位系统的组件在系统受力时发生变形,则它们会存储机械能。 0 +这部 40 分钟的影片由阿诺和阿兰·戈达德共同编写。 这部 40 分钟的电影的编剧是 阿诺和阿兰·高德。 1 +作为当前调查的一部分,警察还与歌手梨美·托米和演员卡薇雅·马德哈万进行面谈,两人均为西迪基及其妻子迪利普的密友。 在目前进行的调查中,警方还询问了歌手 Rimi Tomy 和演员 Kavya Madhavan,他们都是西迪基和他妻子迪利普的好朋友。 1 +其中一场龙卷风席卷了布朗县北部和约翰逊县南部。 其中一场龙卷风席卷了约翰逊县北部和布朗县南部。 0 +Cancellopollia gracilis 是一种海螺,是 Buccinidae 即蛾螺科中的一种海洋腹足类软体动物。 Cancellopollia gracilis 是一种海螺,蛾螺科中真正的腹足软体动物,海洋蛾螺。 0 +她于 1943 年 9 月 12 日从得克萨斯州加尔维斯顿起航,并于 9 月 16 日在基韦斯特会合。 她于 1943 年 9 月 12 日从基韦斯特起航,并于 9 月 16 日抵达得克萨斯州加尔维斯顿。 0 +“IPA”由 500 个补充符号、300 个基本符号和 200 个互补符号构成。 “国际音标”包含 500 个互补符号、300 个基本符号和 200 个补充符号。 1 +他有时被称为詹姆斯·戈登,以区别于另一位耶稣会信徒詹姆斯·戈登·亨特利 (1553-1641)。 他有时也被称为詹姆斯·戈登,用以与另一位耶稣会会士詹姆斯·戈登·亨特利(1553 至 1641 年)进行区分。 1 +她在与商人巴比斯·拉扎里迪斯的第二段婚姻中育有一子瓦西利斯。 在与商人巴比什的第二段婚姻中,拉扎里迪斯生下一子瓦西利斯。 1 +1938 年,他成为埃及-盎格鲁苏丹的政府人类学家,与努巴人共同开展实地考察工作。 1938 年,他成为英埃苏丹政府的人类学家并领导在努巴的实地考察。 0 +玻里尼西亚的尼奥是法国的一处环礁,名为 Aleksey Greig to Greig。 法属波利尼西亚的尼奥环礁名为格雷格,取自阿列克谢·格雷格。 0 +沃伦·海恩斯于 1980 年加入了戴维·阿伦·科的巡演和录音乐队,那一年他 20 岁。 1980 年,戴维·阿伦·科在 20 岁时加入了沃伦·海恩斯的巡演和录音乐队。 0 +布拉杜河是罗马尼亚的胡达萨河的支流。 胡达萨河是罗马尼亚布拉杜河的支流。 0 +后来,安德鲁在袭击昂古莱姆伯爵阿德赫马尔期间,加入了理查德的部队。 后来,在袭击昂古莱姆伯爵阿德赫马尔期间,安德鲁加入了理查德的部队。 1 +它是该锦标赛的第六个问题,也是 2013-2014 年国际橄榄球理事会世界七人制橄榄球系列赛的第三站。 这是第六届锦标赛,也是 2013 至 2014 IRB 世界七人榄球系列赛的第三站。 1 +自然数“e”是常数对数的底数。 常数“e”是自然对数的基础。 0 +他曾担任内华达州 LDS 教会的传教士,也曾担任捷克斯洛伐克的主教。 他曾担任内华达州 HLT 教会的传教士,也曾担任捷克斯洛伐克的主教。 0 +他在柏林的书房墙上挂着三幅人物像:叔本华、麦克斯韦、法拉第。 在他柏林的书房墙上挂着三位人物像:法拉第、麦克斯韦、叔本华。 1 +当鲍勃向“黑爵士”献殷勤时就使用了沃恩·威廉斯的《绿袖子幻想曲》。 作为“黑爵士”鲍勃演奏的音乐是沃恩·威廉斯所作的“绿袖子幻想曲”。 1 +当时,这片土地的所有者是一位叫约翰逊的先生,他同意与一位叫 Leslie Vernon Calcutt 的先生签订 99 年的租约。 当时,这个国家的主人是莱斯利·弗农·卡尔卡特先生,他与约翰逊先生签订了 99 年的租约。 0 +法军中军也向前进军。俄军骑兵退至主线后,将法军暴露在俄军炮阵火力之下。 俄军骑兵撤退到主线之后,使法国暴露在俄军炮台的炮火射程之内。 0 +田野绿植和根类植物一般不栽培,并且在野生状态下会随季节集中生长。 田野绿植和根类植物一般不栽培,而是在野生状态下随季节生长。 0 +与古巴裔墨西哥人梅赛德斯·马丁内斯结婚,并与其育有一子塞巴斯蒂安·韦茨和一女雅典娜·韦茨。 韦茨与古巴裔墨西哥人塞巴斯蒂安·韦茨结婚,并与其育有一子梅赛德斯·马丁内斯,和一女雅典娜·韦茨。 0 +这扩大了罗德岛与马萨诸塞州之间的冲突区域。 这扩大了罗德岛和马萨诸塞州的这一省份的冲突地区。 1 +亚历山德拉·柯平格纳在新的电视连续剧《Dead Gorgeous》中扮演最小的妹妹黑兹尔。 黑泽尔在最新电视剧“致命美丽”中饰演最年幼的妹妹亚历山德拉·科平格一角。 0 +这首歌曲由加拉创作并编曲,菲利波·安德烈·卡梅尼和毛里齐奥·莫雷拉共同制作。 这首歌曲由加拉写词和制作,由菲利波·安德烈·卡梅尼和毛里西奥·莫勒拉谱曲。 0 +慎行大厦 (HMB) 的前身为休斯顿主楼,是德克萨斯州休斯顿德克萨斯医疗中心的一座摩天大楼。 休斯顿主楼 (HMB) 之前称为慎行大厦,是位于得克萨斯州休斯顿的得克萨斯医学中心的一栋摩天大楼。 0 +从最负面的意义上讲,圣经中的厄运是一种正式的赐福。 就最正式的意义而言,圣经中的厄运是一种负面赐福。 0 +1960 年,约翰·T·德里斯科尔和帕特里克·F·麦克多诺竞选马萨诸塞州的财务主管和接管人,他在民主党初选中位列第三,仅次于肯尼迪。 1960 年,约翰·T·德里斯科尔和帕特里克·F·麦克多诺竞选马萨诸塞州财务总管和税收局长。他在民主党初选中位列第三,仅次于肯尼迪。 1 +妮科尔·普拉特以 6 - 4 和 6 - 3 击败了克丽斯廷·戈德里奇 妮科尔 妮科尔·普拉特以 6-4 和 6-3 击败了克莉丝汀·戈德里奇。 1 +乔洁·黑尔写的悬疑小说《Detection Unlimited》中的一个角色被拿来与阿姆斯特朗进行比较。 阿姆斯特朗写的悬疑小说《Detection Unlimited》中的一个角色被拿来与乔洁·黑尔进行比较。 0 +该团体的另一位成员是乔治·思罗克莫顿爵士,他的姐姐嫁给了托马斯·吉法德。 那个团体的另一位成员是托马斯·吉法德爵士,他的妹妹嫁给乔治·特罗克莫顿。 0 +锡克教是一门发源于印度的宗教,由第 15 位古鲁,古鲁那纳克·德夫(公元 1469 - 1539 年)于一世纪创建。 锡克教是一种于十五世纪中期发源于印度的宗教,第一位宗师被称为古鲁那纳克(基督纪元 1469-1539 )。 0 +Boutique @ hs - 大使吉莉·克拉克,澳大利亚女演员特瑞沙·帕默和米卡拉·巴纳斯参加了活动。 Boutique @ hs 的形象大使泰瑞莎·帕默尔·米盖拉·巴那斯和澳大利亚女演员凯莉·克拉克出席了此次活动。 0 +他由约翰·委拉斯开兹训练,并由骑师戴尔·罗曼斯指导参加了人生中最重要的骑马比赛。 他由约翰·委拉斯凯兹训练,在他最重要的比赛中,他的骑师是乔基·戴尔·罗曼斯。 1 +卢伽兹罗马天主教主教教区是一个主教教区,位于乌干达坎帕拉教省卢伽兹市。 罗马天主教卢加齐教区位于乌干达坎帕拉省卢加齐市。 1 +2007 年锦标赛于 1 月 21 日至 28 日,在华盛顿斯波坎的斯波坎竞技场和斯波坎会议中心举行。 2007 年的锦标赛于 1 月 21 至 28 日在华盛顿州斯波坎市斯波坎会议中心和斯波坎体育场举行。 1 +1846 年,植物学家约翰·克里斯汀·格奥尔·莱曼首次对该物种作出正式描述,并被记录在斯特凡·恩德利歇的著作“银杏藻属,Plantae Preissianae”中。 植物学家斯特凡·恩德利歇于 1846 年对该物种进行正式描述,作为约翰·格奥尔格·克里斯汀·莱曼创作的作品《Irideae Plantae Preissianae》的一部分。 0 +皮尔森对马克思主义和社会主义的一贯反对也表明了他反对严格平等主义的种族和政治立场。 皮尔森反对种族和政治平等主义的严格立场也证明了他反对马克思主义和社会主义的一贯主张。 0 +第四次是由托马斯·基特拉在 1826 年 5 月后某天辞职所造成,后来由约瑟夫·亨普希尔填补。 第四次由托马斯·基特拉在约瑟夫·亨普希尔 1826 年 5 月后某天辞职所填补。 1 +与运算公式 26 相关的能量空间便是索伯列夫空间公式 96 我们看到这激发了弦的弹性能量,进而推动了该项研究 那么,涉及运算公式 _ 26 的弹性空间便是索伯列夫空间公式 _ 96。我们发现,推动此研究的弦的充沛能量是 0 +在 1975 年 12 月的联邦选举中以压倒性优势击败马尔科姆·弗雷泽后,惠特兰授予埃格顿爵士头衔,以此表彰他为工会运动所做的贡献。 在 1975 年 12 月的联邦选举中以压倒性优势击败惠特兰后,马尔科姆·弗雷泽授予埃格顿爵士头衔,以此表彰他为工会运动所做的贡献。 0 +安德鲁·麦克伦南 安德鲁·斯诺伊德是新西兰音乐家、歌手和词曲作者。 安德鲁·麦克伦南本名安德鲁·斯诺伊德,是新西兰音乐家、歌手和词曲作者。 0 +芬兰在独立前是俄罗斯帝国境内的自治大公国。 在芬兰境内获得独立前,俄罗斯帝国是一个自治的大公国。 0 +1862 年,音乐厅首次从伦敦传入巴黎,并且在舞者、歌手、杂技演员和经过驯兽师训练的动物中广受欢迎。 音乐厅最早于1862年由巴黎引进至伦敦,随即因舞蹈、歌唱、杂技、魔术和马戏表演而大受欢迎。 0 +另一名好莱坞艺术学院的学生 Sinjin Van Cleef(迈克尔·埃里克·里德)在冲浪机出现故障时掉进了按摩池。 辛金·万·克里夫(迈克尔·埃里克·里德)是另一位在好莱坞艺术学校就读的学生,他在冲浪机出现故障时落入按摩浴缸。 1 +他之后被希拉克略所取代,后者是尼西塔斯的表兄妹,并被迫修道。 他后来被赫拉克利乌斯堂兄尼西塔斯取代并被迫发下隐修誓言。 0 +它为墨尔本东南部的伊迪斯韦尔郊区服务,并于 1919 年 9 月 20 日开放。 它为墨尔本东南部的伊迪斯韦尔郊区服务,并于 1919 年 9 月 20 日开放。 0 +霍克(邮编:2614)是贝尔康纳堪培拉区的郊区,位于澳大利亚的澳大利亚首都直辖区内。 霍克 ( PLZ : 2614 ) 是堪培拉贝尔康纳区的一个郊区,位于澳大利亚首都领地内。 0 +1989 年 11 月,德莱尼成为纽约证券交易所的一员,并担任 Henderson Brother,Inc. 和 Bear Wagner 的高级董事总经理。 1989 年 11 月,德莱尼成为纽约证券交易所的会员,并担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级董事。 0 +在 1645 年英国内战期间,来自纽波特帕格内尔的一支国会军向驻扎在芬米尔且包含 18 位保皇派的一个排发起突袭。 英国内战期间,来自纽波特帕格内尔的一支国会军于 1645 年向驻扎在芬米尔且由 18 名保皇派组成的小队发起突袭。 0 +它还是俄罗斯第六高楼、欧洲第五高楼、世界 90 幢大超高摩天大厦之一。 这是俄罗斯第五高楼、欧洲第六高楼,还是世界 90 大超高摩天大楼之一。 0 +从铁磁物质到顺磁物质的相变是第二个,并且呈连续阶数。 从铁磁物质到顺磁物质的相变是持续不断的,而且是二级相变。 0 +锡克教是印度第一位古鲁,即那纳克·德夫·吉古鲁(公元 1469-1539 年)在 15 世纪中期创建的宗教。 锡克教于第一个世纪起源于印度,由第十五位上师创立,人称那纳克·德夫·吉(公元 1469-1539 年)。 0 +ZipSIP-ZipSIP 是一项新服务,可帮助投资者在数分钟内通过无纸化流程完成对共同基金的投资。 ZipSIP-ZipSIP 是一项无纸化服务,可通过新流程帮助投资者在几分钟内对投资资金进行投资。 0 +校区过去位于湾柴和西贡,之后于 2013 年 8 月搬至坚尼地城的新地址。 学校位于湾仔和西贡。2013 年 8 月,学校搬迁到位于坚尼地的永久场址。 1 +该集由查克·泰瑟姆编剧,弗莱德·萨维奇导演。 这个结局是由弗莱德·萨维奇编剧查克·塔瑟姆导演的。 0 +第 R205 号公路是一条位于爱尔兰的区域性公路,从利特里姆郡的第 R199 号公路延伸至弗马纳郡的北爱尔兰边境,大部分在卡文郡。 R205 公路是爱尔兰的一条区域公路,自利特里姆郡的 R199 公路延伸至北爱尔兰边境的弗马纳郡,主要位于卡文郡。 1 +这部 40 分钟的影片由阿诺和阿兰·戈达德共同编写。 这部 40 分钟的电影由艾伦·戈达和阿诺编剧。 0 +这首诗被保存在四本残缺手稿中,其中一本存于当代。 这首诗被保存在四本当代手稿中,其中之一是残本: 0 +他和卢卡斯(马丁·汉森)共同获得知名的卡内基数学奖学金。 他与卢卡斯(马丁·汉森)一同获得了知名的卡内基数学奖学金。 1 +该乐谱由作曲家威廉·怀特纳谱曲,并由堪萨斯城芭蕾舞团艺术总监莫里·叶斯顿编舞';。 由作曲家莫里·耶士顿配乐,威廉·怀特纳编舞,堪萨斯州城市芭蕾舞团进行艺术指导。 0 +弗兰克·詹姆斯加入了为分离派 Drew Lobbs 军队招募的当地社团,并于 1861 年 8 月参加威尔逊溪战役。 弗兰克·詹姆斯加入为当地德鲁·洛布斯军队招募的分离主义者连队,并于 1861 年 8 月在威尔逊克里克战役中参加作战。 0 +1983 年 5 月,由现场吉他手罗宾·乔治参加的英国巡演开始进行追加表演。 1983 年 5 月,一场英国巡演在另一名吉他手罗宾·乔治加入后开始进行现场表演。 0 +SPB 拥有恒定的高度尺寸(从内斑块到外斑块的距离),约为 150 纳米,但是它的直径在细胞周期中发生变化,z。 SPB 拥有约 150 纳米的恒定高度尺寸(从内斑到外斑的距离),但其直径会在细胞周期过程中发生变化,例如。 1 +离开比利时后,他与澳大利亚的布里斯托尔市签订了三年合同,但由于签证问题不得不返回英国。 离开比利时后,他与澳大利亚的布里斯托尔城足球俱乐部签约三年,但因工作签证问题不得不返回英格兰。 1 +2012 年,詹妮弗·拉佩尼亚在 Salvador Royales 的影片“Mundo Man ay Magunaw”的电视翻拍版中出演吉尔一角。 2012 年,吉尔加入了萨尔瓦多·罗亚莱斯电影《Mundo Man ay Magunaw》的电视剧翻拍版,饰演詹妮弗·拉·佩纳。 0 +罗伊于 1963 年加入印度共产党,领导了班斯卓尼加尔各答地区的工会运动。 1963 年,罗伊加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 1 +早期的顾问委员会成员包括阿拉斯泰尔·库克、索尔·贝洛、沃尔特·克朗凯特、诺曼·卡森斯、戈尔·维达尔、诺曼·波德里茨。 早期的顾问团成员包括阿拉斯泰尔·库克、索尔·贝洛、沃尔特·克朗凯特、诺曼·卡森斯、戈尔·维达尔、诺曼·波德里茨。 1 +Decipium 为一种新化学元素的名称,该元素由马克·德拉方丹从铌钇矿中发现并命名。 NS 0 +他从西米恩开始计数,并将本杰明包括在内,然后继续从头开始计数。 他开始数西米恩,并将本杰明包含在内,然后继续从头开始数。 1 +阿尔斯通于 1965 年 12 月 21 日出生在康涅狄格州纽黑文市。他在马里兰州奥克森山的奥克森山高中上学。 他于 1965 年 12 月 21 日出生在康涅狄格州纽黑文,并就读于马里兰州奥克森山的奥克森山高中。 1 +她是杰克·帕特罗的遗孀,也是女演员格温妮丝·帕特罗和导演布鲁斯·帕特罗的母亲。 她是杰克·帕特罗的遗孀,也是女演员格温妮斯·帕特罗和导演布鲁斯·帕特罗的母亲。 1 +所罗门遇到的许多恶魔都是希腊人、埃及人、犹太人、基督徒、阿拉伯人和其他传统民族。 所罗门遇到的恶魔中有许多是希腊人、埃及人、犹太人、基督徒、阿拉伯人和信奉其他传统的人。 1 +路易斯·盖德(1972 年 6 月 15 日出生于奥尔胡斯)是丹麦 cand,jur、曲博伦 VIA 大学校长兼丹麦奥尔胡斯市前市长。 路易斯·盖德(1972 年 6 月 15 日出生于特伯朗)是丹麦候选人、奥尔胡斯 VIA 大学校长兼丹麦奥尔胡斯市前市长。 0 +11 月 20 日,当 Fotiou 被“邻居们”在他们的 YouTube 频道上看到的一段幕后视频发布时,人物和演员阵容被曝光。 角色和演员阵容于 11 月 20 日曝光,当时 Fotiou 在她的 YouTube 频道上被曝光的一则视频,“邻居”在后台观看了该视频。 1 +该游戏因其舒适的环境、广泛的交互式控制方案和创新游戏玩法受到好评。 该游戏因其舒适的环境、广泛的交互式控制方案和创新游戏玩法受到好评。 1 +威廉·哈里斯是威廉·哈里斯的第二个儿子,他的哥哥克里斯托弗·哈里斯是奥克汉普顿的国会议员。 哈里斯是威廉·哈里斯的次子。他的哥哥克里斯托弗·哈里斯,是奥克汉普顿的国会议员。 1 +弗兰克·詹姆斯加入了为分离主义者德鲁·洛布斯军队招募的当地社团,并于 1861 年 8 月在威尔逊里克战役中参与作战。 弗兰克·詹姆斯加入为当地德鲁·洛布斯军队招募的分离主义者连队,并于 1861 年 8 月在威尔逊里克战役中参加作战。 0 +它的总部设在卢森堡市,位于摩德查格南部。 它的总部设在摩德查格,位于卢森堡市南面。 0 +2014 年 2 月,十号电视网宣布丹妮尔将取代 Isdale Hugh Riminton 担任主持人,而维多利亚·墨菲将成为体育节目主持人。 2014 年 2 月,Network Ten 宣布丹妮尔·伊斯戴尔取代休·芮敏顿担任主持人,而维多利亚·墨菲担任体育节目主持人。 0 +1966 年,莱斯利·沃丁顿在伦敦的科克街开设了自己的画廊,他得到了亚历克斯·伯恩斯坦的支持,而后者是格拉纳达传媒家族的一员。 1966 年,阿列克斯·伯恩斯坦自己的画廊在伦敦的科克街开幕,他得到传媒家族格拉纳达成员莱斯利·沃丁顿的支持。 0 +相反,“总”利润可由其所有者分配或以其他方式转让。 相反,利润“总额”可由其所有者分配或以其他方式转让。 1 +一个 Khap 村是一个部落,或相关部落的集群,主要属于西部北方邦和东部哈雅纳省的嘉特人。 A A Khap 是指相关宗族组成的族群或部落,主要受北方邦东部和哈里亚纳邦西部的贾特人管理。 0 +约书亚·沃伦是一位个人无政府主义者,也是史蒂芬·皮尔·安德鲁斯的亲密伙伴。 史蒂芬·皮尔·安德鲁斯是一位个人无政府主义者,也是约书亚·沃伦的亲密合作伙伴。 0 +《Battlepug》是一部出自麦克·诺顿之手的网络漫画,由亚伦·巴萨拉夸上色和克里斯·柯兰克撰写。 《战斗八哥》是由迈克·诺顿编写及添加插图、艾伦·帕萨拉卡填色并由克里斯·克兰克书写的一部网络漫画。 0 +1960 年,他在这片大陆上重新开始,征战环法自行车赛。 他于 1960 年再次在该大陆骑行并开始了环法自行车赛。 0 +1933 年,卡特尔写道,在所有的欧洲种族中,“北欧人种在智力与气质稳定性方面进化得最为完善。” 卡特尔在 1933 年写道,在欧洲的所有人种中,“北欧人种的智力发育水平最高,性情最为平稳”。 1 +伊本·阿米拉出生于巴伦西亚省阿尔西拉。 伊本·阿米拉出生于巴伦西亚阿尔西拉省。 1 +一些船员在金湾遇害,而与当地毛利人没有其他联系人。 一些船员在金湾遇害,而与当地毛利人没有其他联系人。 0 +互补解是利用参数的程序变化并通过乘以特解和未知函数 C (x) 而形成的: 利用参数变化法,将互补解与未知函数 C ( x ) 相乘便可得到特解: 0 +据美国人口调查局,绍斯波特的总面积为,其中陆地面积和 占, 或 0.91% 为水域面积。 据美国人口调查局的数据显示,绍斯波特的总土地面积,或 0.91% 是水域。 1 +圣克鲁斯空中花园是位于加利福尼亚州斯科茨谷圣克鲁斯县境内的一个机场。 圣克鲁斯县是加利福尼亚州斯科茨谷的一座机场,位于圣克鲁斯天空公园内。 0 +Tabaci 河是罗马尼亚 Leurda 河的支流。 列乌尔达河是罗马尼亚塔巴奇河的支流。 0 +他的父亲在他年轻时离世,他的母亲凯瑟琳• A •费根在 1842 年与塞缪尔•亚当斯结婚,后者在两年后成为阿肯色州州长。 他的父亲在他年轻时去世,他的母亲塞谬尔·亚当斯 1842 年与凯瑟琳·A·法甘结婚,后者在结婚后两年成了阿肯色州州长。 0 +她在 1947 年 5 月 3 日 9:55 因其罪行在哈尔莫恩的狱中被亚伯特·皮埃尔波因特处决,比伊丽莎白·马绍尔晚 24 分钟。 1947 年 5 月 3 日,她在哈默尔恩监狱因其罪行被伊丽莎白·马绍尔处死,比亚伯特·皮埃尔柏恩特晚 24 分钟。 0 +公元前 284 年,齐王与秦昭襄王在西周会面,以建立联盟共抗僖王。 公元前 284 年,齐王与秦昭襄王在西周会面,以建立联盟共抗僖王。 1 +该市许多有权有势、极具影响力的马尔杜克人,纷纷派信使前来,递上邀请王子赴宴的请帖,打断了会议的进程。 会议因不同信使的到来而中断,他们由这座城市里拥有权势或影响力的不同马杜克人派遣,带来为王子所设晚宴的许多邀请函。 1 +《星际探险家》于 2016 年 4 月 6 日由 Universal Music Japan、Universal J 和 Parfum Records 采用四种不同的格式发行。 2016 年 4 月 6 日,日本 Universal J、Universal Music 和 Perfume Records 以四种不同格式发行“星际探险家”。 0 +他迎娶了玛丽·玛格达莱妮·施威加德,她是特雷弗·达尔·施威加德之女,政界要员克里斯汀·奥曼·施威加德是其叔父,其侄子安东·马丁·施威加德后来担任首相。 他娶了玛丽·玛格达莱妮·施威加德,她是特雷弗·达尔·施威加德的女儿,政界要员安东·马丁·施威加德的侄女,并且是后来担任首相的克里斯汀·奥曼·施威加德的阿姨。 0 +威廉·卢埃林·威廉斯又称为卢埃林·威廉斯(1867 年 3 月 10 日至 1922 年 4 月 22 日),是一名威尔士记者、律师和激进的自由党政治家。 威廉·威廉姆斯,也称为卢埃林·威廉姆斯(1867 年 3 月 10 日至 1922 年 4 月 22 日),是一名威尔士记者、律师和激进的自由党政治家。 1 +他在 1947 年竞选南本德市法官,在 1948 年竞选圣约瑟夫县检察官,均以失败告终。 他在 1947 年的南本德市法官竞选和 1948 年的圣约瑟夫县检察官竞选中落败。 1 +他的父亲是林肯郡下院议员威廉·斯基普威思和安妮·托斯比的私生子。 他的父亲是林肯郡国会议员威廉·斯基普威思和 Anne Tothby 的私生子。 1 +1291 年,Mahaut 与奥托四世勃艮第伯爵结婚,与三个孩子的母亲成婚,其中有两个女孩成为法国国王。 1291 年,Mahaut 与奥托四世勃艮第伯爵结婚。她成为三个孩子的母亲,其中有两个女孩嫁给法国国王。 0 +它在美国(缅因州、俄勒冈州、加利福利亚州)和不列颠哥伦比亚(加拿大)都很出名。 它从美国(缅因州、俄勒冈州和加利福尼亚州)和不列颠哥伦比亚省(加拿大)广为人知。 1 +莫里斯·科斯曼,全名亚历山大·爱德华·莫里斯·科斯曼(1850 年 9 月 18 日至 1924 年 5 月 17 日)是一位法国古生物学家和软体动物学家。 莫里斯·科斯曼,全名亚历山大·爱德华·莫里斯·科斯曼(1850 年 9 月 18 日至 1924 年 5 月 17 日),是一位法国古生物学家和软体动物学家。 1 +2012 年,亚德里安·比劳发行《树屋》,这是他的第六张单曲唱片,在田纳西州纳什维尔由音乐家内德·埃维特制作。 2012 年,内德·埃弗特“树屋”发行了他的第六张单曲专辑,该专辑由音乐人阿德里安·贝卢在田纳西州的纳什维尔制作。 0 +在约瑟普·弗罗伊登赖希的推荐下,斯特罗齐在经过医学治疗后开始上迪米特里加·德米特的私人表演课。 在迪米特里加·德米特的推荐下,斯特罗齐在经过医学治疗后开始上约瑟普·弗罗伊登赖希的私人表演课。 0 +它靠近通向康尼马拉的乌特拉德和克利夫登第 N59 号公路上的克利伯湖。 它位于康尼玛拉,地处通往乌特拉德和克利夫登的 N59 公路上,临近克里布湖。 1 +朵拉·朗格洛瓦是目前联邦杯队的保加利亚队长,也是网球运动员迪米塔·库兹曼诺夫的母亲。 Dora Rangelova 是保加利亚联合会杯队的现任队长。她还是网球选手迪米塔尔·库兹马诺夫的母亲。 0 +1963 年,罗伊加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 罗伊在 1963 年加入印度共产党,并且领导了加尔各答班斯德罗尼地区的工会运动。 0 +在联合国、亚洲开发银行和世界银行的支持下,老挝人民民主共和国在 1974 年创立了 Stage II 基金。 1974 年,在世界银行、联合国和亚洲开发银行的帮助下,老挝人民民主共和国建立了第二阶段的基金。 1 +Arieşul Mare 河是罗马尼亚 Vâlcea 河的支流。 Arieşul Mare 河是罗马尼亚沃尔恰河的一条支流。 1 +副编辑是赫伯特·韦塞尔斯(自 2009 年起),总编辑是马库斯·埃尔默特(自 2002 年起)。 副主编是赫伯特·维塞尔斯(自 2009 年起),主编是 Markus Ermert(自 2002 年起)。 1 +朱利安·斯图尔特的《爱斯基摩人的季节性变动》提到系统理论的基本原理,而这种原理后来在马瑟·牟斯的作品中反复出现。 朱利安·斯图尔特的“爱斯基摩人的季节性变动”提到系统理论的基本原理,而这种原理后来在马瑟·牟斯的作品中也曾重复出现。 1 +最后一首《每个清晨》是第一首歌《清晨》的原声吉他版本。 第一首曲目“每日清晨”是最后一首曲目“清晨”的原声吉他版。 0 +您由汉斯·奥尔森(Universal Poplab,Timo Räisänen)和佩佩·卡尔森制作。 您由佩佩·卡尔森(Universal Poplab,Timo Räisänen)和汉斯·奥尔森制作。 0 +加勒特·惠特利在 7 月初首次亮相。他是哈珀·惠特利和史蒂夫·惠特利的罪犯父亲,也是本尼·卡梅隆的兄弟。 7月初,加勒特·惠特利出现了,这个罪犯是哈珀·惠特利和史蒂夫·惠特利的父亲,也是本尼·卡梅伦的兄弟。 1 +他是 1924 年多伦多 ICM 的特邀发言人,1932 年在苏黎世、1936 年在奥斯陆召开。 他曾于 1924 年、1932 年和 1936 年先后在多伦多、奥斯陆和苏黎世担任 ICM 的特邀发言人。 0 +麦卡锡出生于奥克兰,但在四岁时随父母搬到加利福尼亚州旧金山。 麦卡锡出生在加利福尼亚州旧金山,但在四岁时随父母搬到奥克兰。 0 +马特·维兰德以 6 -- 4、3 -- 6、7 - 5 的比分击败安德斯·杰里德。 马茨·韦兰德以 6:4、3:6 和 7:5 的比分击败安德斯·雅瑞德。 1 +纳瓦罗是阿根廷布宜诺斯艾利斯省东北部的一个地区。 纳瓦罗是阿根廷北部布宜诺斯艾利斯省的一个地区。 1 +Lusaghbyur(之前罗马化为 Lusakhpyur;Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 Lusaghbyur(罗马拼写为:Lusakhpyur;之前也被称为 Svanverdi 或 Svan)是亚美尼亚希拉克省的一个村庄。 0 +朗出生在澳大利亚,年轻时迁徙到以色列并于 1961 年在那里定居。 兰出生于澳大利亚,年轻时移居至以色列并在 1961 年定居在那里。 1 +她成了瓦尔、鲍里斯和罗莎琳德·洛温的母亲,她的女儿是心理学教授。 她成为了瓦尔、鲍里斯和罗莎琳德·洛温的母亲。她的女儿是一位心理学教授。 1 +他们中的大多数人现在在希腊生活,还有一部分仍然住在保加利亚。 他们中的大多数目前在保加利亚生活,一部分人仍在希腊。 0 +他曾作为专业选手出战希腊、俄罗斯、意大利、法国、波多黎各、葡萄牙和印度尼西亚,并且在印度尼西亚和希腊夺得全国锦标赛冠军。 李作为专业运动员出战意大利、俄罗斯、希腊、法国、印度尼西亚和希腊。他在波多黎各、葡萄牙和印度尼西亚夺得全国锦标赛冠军。 0 +1296 年,爱德华一世爵士宣誓效忠英格兰的迈克尔·威姆斯,但随后转而效忠罗伯特·布鲁斯。 1296 年,迈克尔·威姆斯宣誓就任英格兰爱德华一世,但是后来改变了他对罗伯特·布鲁斯的忠诚。 0 +不过,麦当娜、普林斯和迈克尔·杰克逊都对该专辑产生了影响。 不过,麦当娜、普林斯和迈克尔·杰克逊都对该专辑产生了影响。 1 +42 家俱乐部参加此次锦标赛,分为六组,每组七支俱乐部队。 该锦标赛由 42 个俱乐部参加并在七个俱乐部中的六个池子中进行比拼。 0 +安德烈·库兹涅佐夫以 7-6 和 7-6 击败乔纳森·达斯尼雷斯·德维吉而赢得决赛。 乔纳森·达斯尼雷斯·德维吉以 7-6 和 7-6 的比分击败安德烈·库兹涅佐夫而赢得决赛。 0 +Siemens AG 是主要承包商,而 Fiat Ferroviaria 和 ADtranz 是分包商。 主要承包商是 Siemens AG,分包商是 Fiat Ferroviaria 和 ADtranz。 1 +在中央商务区所建造的三家三等酒店中,这是第一家。 在中央商务区所建造的三家一级酒店中,这是第三家。 0 +他们还于 6 月 13 日发布专辑《Vices》中的第二首歌曲,作为该专辑的第五首单曲。 他们还在 6 月 13 日发行了专辑《恶习》中的第五首曲目,同时也是专辑中的第二首单曲。 0 +两年后,1947 年 7 月 25 日,第 709 对被重新命名为第 709 超重型轰炸中队。 两年后,即 1947 年 7 月 25 日,第 709 队更名为重型轰炸中队,带有明显的第 709 队特征。 0 +1954 年回到苏里南后,他在帕拉马里博定居并成为了一名律师。 1954 年回到帕拉马里博后,他在苏里南定居并成为了一名律师。 0 +诺曼·梅朗克顿·盖德斯,出生时姓名为诺曼·贝尔·盖德斯(1893 年 4 月 27 日至 1958 年 5 月 8 日),美洲裔美国剧院和工业设计师。 诺曼·梅兰克顿·格兹本名为诺曼·贝尔·格兹(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一名美国戏剧和工业设计师。 1 +虽然最初归功于伏羲,但邵雍于公元十一世纪首次推出了二元或词典式顺序。 虽然最初归功于伏羲,但邵雍于公元十一世纪首次推出了二元或词典式顺序。 1 +这些患者的视力可以感光到手部运动或仅是正常感知。 在这些患者中,视力仅可正常看到手部运动或正常感光。 0 +我离开了,我迷失了。 我留下了已经失去的东西。 1 +首先描述花粉量高的区域,而非花粉量低的区域。 首先,描述具有高花粉价值而非低花粉价值的区域。 1 +RJD 的 Dharmendra Yadav 在 2000 年击败了代表 JDU 的 Poonam Devi。 2000 年, RJD 普南的达摩德拉亚·达夫击败了 JDU。 0 +五月,斯潘塞·麦克拉伦抵达并饰演基兰·弗莱彻,该角色是已经确立的角色莎莉·弗莱彻(凯特·里奇)的爱慕对象。 五月,凯特·里奇抵达并饰演莎莉·弗莱彻,该角色是已经确立的角色基兰·弗莱彻(斯潘塞·麦克拉伦)的爱慕对象。 0 +1983 年 5 月,英国巡演开始现场表演,还有另一名吉他手罗宾·乔治参加演出。 NS 0 +马克·马金是加拿大退休金计划投资委员会的首席执行官,他于 2016 年 6 月被马克·怀斯曼取代。 马克·怀斯曼是加拿大退休金计划投资委员会的首席执行官。他于 2016 年 6 月被马克·马金取代。 0 +挤喉音是一种软腭音,在有些口头语言中使用。国际音标中代表这个发音的音标是。 软颚挤喉音是一些口头语言中使用的一种辅音发音。国际音标中代表该发音的符号 。 0 +它是在 1972 年通过再分配建立的,取代了废除的图文巴东。 继 1972 年重新分配后,它被废除,并取代了所建立的图文巴东。 0 +马莱特娶了伯克郡 Letcombe Regis 的托马斯·怀特的遗孀、1664 年以前在伯克郡费尔菲尔德的约翰·奥尔沃思的女儿玛丽·奥尔德沃思。 马莱特娶了玛丽·阿尔德沃斯,一直到 1664 年,她是伯克郡 Letcombe Regis 的约翰·阿尔德沃斯的遗孀和伯克郡 Fyfield 的托马斯·怀特的女儿。 0 +吉尔伯托 1987 年专辑“时光与潮汐”中的歌曲“阿斯特鲁德”是对 Basia Trzetrzelewska 的致敬。 Basia Trzetrzelewska 1987 年专辑“时间与潮汐”中的歌曲“阿斯特鲁德”是对吉尔伯托的致敬。 0 +霍利·霍利在音乐上受埃尔顿·约翰影响。 埃尔顿·约翰在音乐上受到霍利的影响。 0 +多蒂于 1923 年出生于格洛斯特,于 2014 年在波士顿逝世。 多迪 1923 年出生在波士顿,2014 年在格洛斯特逝世。 0 +根据犬种标准,这种狗脾气暴躁、个性鲜明、不信任陌生人。 品种标准将狗描述为具有敏锐的性情和强烈的个性,并对陌生人持怀疑态度。 0 +他将千代富士贡从“幕内”相扑手培养成伟大的“横纲”力士。 他成为千代富士,之后成为“幕内”摔跤手,后晋升为伟大的“横纲”。 0 +Danyal 是 Daniel 的另一种拼写形式。 Danyal 是 Daniel 的拼写变体。 1 +1934 年生产出其中两架,但再也没飞过。 两架在 1934 年飞行,但没有再生产。 0 +它靠近克里博湖,位于通向乌特拉德和克利夫登的第 N59 号公路上,坐落在康尼马拉。 它靠近乌特拉德和克利夫登,位于康尼马拉通向 Lough Corrib 的 N59 公路上。 0 +1914 年 10 月 15 日,露丝嫁给印第安那波利斯路得的玛丽·布林克迈尔。 1914 年 10 月 15 日,乔与印第安纳波利斯的 Ruth Marie Brinkmeyer 结婚。 0 +与此同时,唐要求弗朗西斯教皇在未来三年内继续担任香港主教。 与此同时,汤要求教宗方济各再担任香港主教三年。 1 +他在 1947 年的圣约瑟夫县市法官竞选和 1948 年的南本德检察官竞选中落败。 1947 年他竞选圣若瑟县市议员落选,1948 年竞选南本德的检查官也落选了。 1 +弗拉维亚·亚历杭德拉·格莱斯克·法金,更广为人知的姓名是弗拉维亚·格莱斯克(出生于 1978 年 5 月 15 日),是一位委内瑞拉女演员和模特。 弗拉维亚·亚历杭德拉·格莱斯克·法金,更广为人知的姓名是弗拉维亚·格莱斯克(出生于 1978 年 5 月 15 日),是一位委内瑞拉女演员和模特。 1 +该站由英国福克兰群岛属地调查队于 1947 年在阿根廷群岛上设立为 F 站或“温特岛”。 该站由英国福克兰群岛属地调查队于 1947 年在阿根廷群岛设立为 F 站或“温特岛”。 1 +为了制作霍斯的地图,设计师们从“帝国反击战”中获取了尽可能多的源材料,用以制作逼真的复制品。 为了画出霍斯的地图 , 设计者们尽可能从《帝国反击战》中获取原材料以实现真实还原。 0 +苏里南最杰出的女性包括詹妮佛·西蒙斯、Marijke Djwalapersad、伊丽莎白·桑松、辛西娅·麦克劳德和露丝·韦登博斯。 苏里南的杰出女性包括伊丽莎白·参孙、辛西娅·麦克劳德、Marijke Djwalapersad、詹妮弗·西蒙斯和 Ruth Wijdenbosch。 1 +附近是 Wallowa 河,这是 Lostine 河的一条支流,位于俄勒冈州东北部的瓦洛厄山脉以东。 附近是洛斯廷河,该河为瓦洛厄河的一条支流,位于俄勒冈州东北部瓦洛厄山脉以东。 1 +简·索科尔(生于 1933 年 10 月 9 日),原特尔纳瓦主教,现斯洛伐克大主教。 简·索科尔(生于 1933 年 10 月 9 日)是斯洛伐克主教,原特尔纳瓦大主教。 0 +退休后,他一直呆在克列梅涅茨直至去世。 退休后他留在克列梅涅茨并在那里去世。 0 +来自威斯康星州绿湾的“亲爱的罗密欧”在网上和 YouTube 发布了大量视频 - 《祈祷的波利》,最初来自宾夕法尼亚匹兹堡。 来自威斯康辛州绿湾的洛维和杜德·罗密欧在网上和 YouTube 视频《最初来自宾夕法尼亚州匹兹堡的祈祷波利犬》中频频亮相。 1 +Finale 是南非林波波省莫帕尼区的一座城市。 菲纳利是南非的一座城市,位于林波波省莫帕尼区直辖市。 0 +两架于 1934 年制造,但没有再飞行。 其中两架在 1934 年生产,但没有再飞行。 1 +他于 2010 年 3 月 5 日首次现身,最后一次出现是在 2010 年 5 月 14 日。 他于 2010 年 3 月 5 日亮相,最后一次出现是在 2010 年 5 月 14 日。 1 +斯劳高中是伯克郡的一所精英女子学校,现在位于白金汉郡的斯劳。 斯劳中学是一所位于白金汉郡斯劳(现为伯克郡)的女子精英学校。 0 +他是第一代准男爵亨利·斯雷尔爵士的遗腹子;他的母亲是啤酒酿造师约翰·拉德的姐姐。 他是第一准男爵亨利·斯雷尔爵士的遗腹子,他的母亲是酿酒师约翰·拉德的妹妹。 1 +1914 年托多罗夫先生在科尼岛设立了餐厅,并设计了他的杰克逊科尼岛辣椒酱食谱。 1914 年,托多罗夫先生成立科尼岛餐厅并创立自己的 Jackson Coney Island 辣椒酱秘方。 1 +《vidas distintas》是 1969 年由 Televisa 播送、最初由 Telesistema Mexicano 制作的墨西哥电视连续剧。 vidas distintas 是 Televisa 于 1969 年制作的一部墨西哥拉美电视剧,最初由 Telesistema Mexicano 传播。 0 +“上述统计数据截止于 2018 年 1 月 1 日是最新数据,长破折号(——)表示该类别不适用。 “上方的统计数据适用于截至 2018 年 1 月 1 日的情况。 破折号 (--) 表示该分类不是最新的。” 0 +数百支西班牙军队守卫着西班牙佛罗里达,一般政策是平定他们领土上的印第安人,而非为其提供武器。 西班牙佛罗里达州领地由数百名西班牙士兵防卫;常规政策是平定其领地内的印第安人,并禁止向他们提供武器。 1 +安吉拉·华伦提到莎士比亚,并引用约翰·弥尔顿“酒神之假面舞会”中的话:“在闪亮凉爽的澄澈海浪之下”。 约翰·弥尔顿提到莎士比亚,并引用安吉拉·华伦“酒神之假面舞会”中的话:“在闪亮凉爽且波光粼粼的海浪之下”。 0 +有三个女儿:Jennifer Salwender、凯特琳和萨拉·海恩斯,以及两个孙女,约书亚和 Annika Salwender。 海恩斯有三个女儿:詹妮佛·萨尔文德和凯特琳·海恩斯和莎拉·海恩斯,以及两个孙子女约书亚·萨尔文德和安妮卡·萨尔文德。 1 +43 人得救,救生艇救出 40 人,“特拉华”救出 3 人。 43 人获救,40 人在救生艇上,3 人被“特拉华号”救起。 1 +继 1972 年重新分配后,它被废除,并取代了所建立的图文巴东。 它在 1972 年执行再分配时遭到废除,并取代了所建立的东图文巴。 1 +夏季天气温暖多雨,冬季天气凉爽。 夏季天气凉爽,冬季温暖多雨。 0 +糖内啡肽减弱了脑电图变化,但这种情况的原理仍无人知晓,似乎并未被减少。 糖导致脑电图仪变化减少,但这种情况的原理仍无人知晓;似乎不是内啡肽减轻的。 0 +“Aku Ankka”由 Sanoma 旗下公司 Sanoma Media(前身为 Sanoma Magazines)出版。 “Aku Ankka”由 Sanoma 旗下公司 Sanoma Media(前称 Sanoma Magazines)出版。 1 +出生于德国,是马克思·玻恩和科学家海德薇·埃伦伯格之子,父母均为犹太人。 伯恩出生于德国,父母是犹太人,他是海德薇格·埃伦伯格和科学家马克斯·伯恩的儿子。 0 +1975 年 12 月,马尔科姆·弗雷泽在联邦大选中以压倒性优势击败惠特拉姆,他向埃格顿授予骑士称号以表彰其在工会运动中的贡献。 在 1975 年 12 月的联邦选举中以压倒性优势击败马尔科姆·弗雷泽后,惠特兰授予埃格顿爵士头衔,以表彰他为工会运动提供的服务。 0 +它们被现场播放的稀疏管弦乐声音覆盖,而且由模糊不清和几乎故意无色的声音构成。 它们被无色的现场播放的音乐覆盖,并且由模糊不清、几乎故意稀疏的管弦乐声音构成。 0 +典型的猫头鹰从小到大都是独居猛禽。 典型的猫头鹰从小到大都是孤独的夜行性猛禽。 1 +卡纳塔克邦公路运输公司下辖的喀拉拉邦地区,现已成为奎隆产生收益第二高的地区。 KSRTC 的奎隆区现已成为喀拉拉邦第二最常见收入创收区。 0 +在吉他手科尔·亚历山大和贝斯手杰瑞德·斯威利离开 Renegades,以及吉他手 Ben Eberbaugh 离开 Reruns 后,该乐队于 1999 年在佐治亚州邓伍迪成立。 在吉他手本·艾伯保和贝斯手贾尔德·史威利离开 Renegades,以及吉他手科尔·亚历山大离开 Reruns 后,该乐队于 1999 年在乔治亚州的邓伍迪成立。 0 +Ashte 是印度马哈拉施特拉邦帕尔加尔区的一座村庄。其位于达哈努乡。 阿什特是印度马哈拉施特拉邦巴尔克尔区的一座村庄。它位于 Dahanu taluka 。 1 +2012 年,吉尔出演了翻拍自萨尔瓦多·罗亚尔电影的电视剧“Mundo Man ay Maguna”,在其中饰演詹妮弗·拉佩纳。 2012 年,吉尔在 Salvador Royales 的影片“Mundo Man ay Magunaw”的电视翻拍版中出演詹妮弗·拉佩尼亚一角。 1 +这是禅寺中践行的正式的上餐与用餐风格。 这是禅寺供应和享用餐食的正式方式。 1 +2012 年 6 月 22 日,俄罗斯总统季托夫颁布法令,以俄罗斯联邦总统的名义授权并委任弗拉基米尔·普京保护企业家的权利。 2012 年 6 月 22 日,俄罗斯总统弗拉基米尔·普京颁布法令,以俄罗斯总统的名义委任季托夫保护企业家的权利。 0 +黑尔纳尔斯的绿地覆盖率为 59.6 %,其中黑尔纳尔斯占据了第三大绿地区。 黑尔纳尔斯的绿化空间率达到 59.6%,它也因此覆盖绿化程度第三高的区域。 1 +彼得·约瑟夫·威利汉于 1993 年在阿伦敦开第二家餐厅时,他将餐厅改名为 P. J. Whelihan's 以纪念他的祖父普拉策。 1993 年,彼得·约瑟夫·惠尔利汉在阿伦敦开了第二家餐厅,为了纪念他的祖父普拉策,他将餐厅名字改成 P. J. Whelihan's。 1 +山区施瓦尔曹是诺因基兴奥地利州下奥地利区的一个城镇。 施瓦尔曹山区是下奥地利区奥地利诺因基省的一个小镇。 1 +它们被现场演奏的罕见管弦乐盖过,并由近乎刻意平淡的模糊声音构成。 它们被无色的现场播放的音乐覆盖,并且由模糊不清、几乎故意稀疏的管弦乐声音构成。 0 +布里顿于 1942 年 4 月返回英格兰。回去后不久,他便邀请蒙塔古·斯莱特为“彼得·格赖姆斯”编写剧本。 1942 年,布里顿返回英格兰,而且他回去后不久就邀请蒙塔古·斯莱特担任其《彼得·格赖姆斯》的剧作者。 1 +Cancellopollia gracilis 是一种海螺,属于蛾螺科海生腹足类软体动物,是真正的蛾螺。 Cancellopollia gracilis 是一种海螺、真正的蛾螺科腹足类软体动物,也属海洋蛾螺。 0 +InMoment 的 GoRecommend 产品可在社交体验结束时为顾客提供积极的反馈渠道,然后衡量此评论或推荐的有效性。 在一次积极的体验结束时,InMoment 的 GoRecommend 产品会向客户提供社会反馈,然后衡量此评估或推荐的有效性。 0 +拟议的曼杜比河(Mahadayi 河)河水改道和水力发电厂项目将导致 Gavali 部分或全部地区被淹。 拟建的曼杜比河(马哈达伊河)引水和水利发电厂项目会导致噶瓦力的部分或全部地区被水淹没。 1 +1781 年,弗吉尼亚州州长托马斯·杰斐逊提拔克拉克为准将,并委任他指挥肯塔基州和伊利诺伊州的所有民兵。 1781 年,弗吉尼亚州州长托马斯·杰斐逊将克拉克提拔为准将并让他指挥肯塔基州和伊利诺伊州的所有郡县的民兵。 1 +他在 1824 年被任命为威廉姆斯县的检察官,在 1826 年被任命为塞内卡县的检察官,在 1827 年被任命为桑达斯基县的检察官。 他在 1824 年、1826 年和 1827 年分别被任命为塞内卡县、威廉姆斯县和桑达斯基县的原告律师。 0 +纳瓦罗是阿根廷布宜诺斯艾利斯省东北部的一个 partido。 纳瓦罗是阿根廷东北部布宜诺斯艾利斯省的一个 partido。 0 +在下方评论中,该节目的最高评价为红色,而该节目的最低评分为蓝色剧集。 在以下评论中,对节目的最高评分以红色表示,对节目的最低评分为蓝色剧集。 1 +纳迪亚·卢特菲(于 1938 年 1 月 3 日出生于保拉默罕穆德穆斯塔法夏菲克)是一位已息影的埃及女演员。 保拉·穆罕默德·穆斯塔法·沙菲克(出生时为纳迪亚·卢特菲;1938 年 1 月 3 日)是一位已息影的埃及女演员。 0 +费尔南多·海德里希于 1880 年在古巴引进它的栽培技术。 马坦萨斯的费尔南多·海德里希于 1880 年在古巴引入它的栽培技术。 0 +他以落后巴巴·沃森和路易·乌修仁两杆的成绩结束了比赛,叹息他的推杆表现导致他未能赢得比赛。 他以落后路易·乌修仁和巴巴·沃森两杆的成绩完赛,还抱怨其置球表现导致他没能赢下竞标赛。 1 +马塞诸塞州 1928 年投票支持哈里·S·杜鲁门,在 1930 年代和 1940 年代四次为阿尔·史密斯投票,1948 年投票支持富兰克林·罗斯福。 20 世纪 30 年代和 40 年代,他在 1928 年为艾尔·史密斯当选,为弗兰克·D·罗斯福当选四次,在 1948 年为哈里·S·杜鲁门当选。 0 +《卡伯特公路》剧集是在布雷顿角岛拍摄而成,包括东海岸新斯科舍省的佩吉湾和高地。 “东海岸”这一集在新斯科舍省现场拍摄,包括卡伯特公路沿路的佩姬湾与布雷顿角高地。 0 +在色情视频技术出现之前,电子和数字电影的大规模生产直接与主流电影行业相关联。 在色情视频技术出现之前,电子和数字电影的大规模与成熟的电影业存在直接联系。 1 +在参加德国房车大师赛期间,奥迪 V8 与小很多和较轻的梅赛德斯 190、宝马 M3 和略微较轻的欧宝欧美佳 3000 展开角逐。 在德国房车大师赛参赛期间,奥迪 V8 的竞争对手包括更小、更轻型的梅赛德斯 190、宝马 M3 和体积略小的欧宝 Omega 3000。 1 +威斯康星州格林贝的 Lovey and Dude Romeo 在网上和来自宾夕法尼亚州匹兹堡的 YouTube 视频 Puli PrayingOriginally 中广泛出现。 来自宾夕法尼亚州匹兹堡的 Lovey and Dude Romeo 已在网上和 YouTube 上广泛发布——视频 Puli PrayingOriginally 来自威斯康星州绿湾。 0 +比林斯基还声称,德米特里是 Daniil Ostrogski 的父亲,亦叫做“Danylo Dmytrovych”。 Daniil Ostrogski 还声称德米特罗是比林斯基的父亲,其也被称为“Danylo Dmytrovych”。 0 +在 1912 年塞尔维亚抵抗阿尔巴尼亚军队入侵的战争期间,艾哈迈德·迪莉娅很早就活跃其中。 在 1912 年抵抗入侵的塞尔维亚军队的阿尔巴尼亚战争期间,艾哈迈德·迪莉娅很早就活跃其中。 0 +Vempati Chinna Satyam(1929 年 10 月 15 日至 2012 年 7 月 29 日)是印度舞蹈家和酷奇普地舞蹈形式大师。 Vempati Chinna Satyam(1929 年 10 月 15 日—2012 年 7 月 29 日)是一位库西普迪舞蹈家及印度舞大师。 0 +马丁斯·佩纳出生于里约热内卢,父母是若昂·马丁斯·佩纳和弗朗西斯科·德·保拉·胡列塔·佩纳。 马丁斯·佩纳出生于里约热内卢,他的父母是佩纳·若奥·马丁斯和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳。 1 +她与第一代从男爵爱德华·乔治·赫尔顿·沃里斯爵士的儿子爱德华·赫尔顿爵士结婚。 她嫁给了爱德华·乔治·赫顿·沃里斯爵士,也就是第一代从男爵爱德华·赫尔顿爵士的儿子。 0 +亚历山大·鲍姆加特纳(1841 年 6 月 27 日出生于德国卢森堡;1910 年于瑞士圣加伦去世)是文学史上的一位诗人和作家。 亚历山大·鲍姆加特纳(1841 年 6 月 27 日生于瑞士圣加伦,1910 年于卢森堡去世)是诗人和文学史作家。 0 +1960 年,肯尼迪竞选马萨诸塞州财务总管和税收局长。他在民主党初选中位列第三,仅次于约翰·T·德里斯科尔和帕特里克·F·麦克多诺。 1960 年,约翰·T·德里斯科尔和帕特里克·F·麦克多诺竞选马萨诸塞州财务总管和税收局长,他在民主党初选中位列第三,仅次于肯尼迪。 0 +1954 年回到帕拉马里博后,他在苏里南定居并成为一名律师。 于 1954 年回到帕拉马里博后,他作为一名律师在苏里南安定了下来。 1 +1781 年,弗吉尼亚州州长托马斯·杰斐逊将克拉克提拔为准将,并任命他为肯塔基州和伊利诺伊州所有民兵组织的指挥官。 1781 年,伊利诺斯州州长托马斯·杰斐逊提拔克拉克为准将,并给予他对肯塔基州和弗吉尼亚州各县全部民兵组织的指挥权。 0 +纳迪亚·卢特菲(生于 1938 年 1 月 3 日,保拉·穆罕默德·穆斯塔法·沙菲克)是一位已息影的埃及女演员。 纳迪亚·卢特菲(原名保拉·穆罕默德·穆斯塔法·沙菲克;1938 年 1 月 3 日)是一位已息影的埃及女演员。 1 +他在比赛中的最佳排名是 1960 年的第十名和 1968 年的第八名。 他在比赛中的最佳排名是 1960 年的第八名和 1968 年的第十名。 0 +不过,迈克尔·杰克逊、普林斯和麦当娜都对该专辑产生了影响。 但是,麦当娜、普林斯和迈克尔·杰克逊受到了这张专辑的影响。 1 +Kapp 和 MCA 是在 70 年代为雪儿带来更大成功的公司,她在 1974 年之前一直与其保持合作。 Cher 依靠 Kapp 和 MCA 公司在七十年代取得较大成功,并且为他们效力直到 1974 年。 1 +其他困难还包括詹姆斯·纽顿·霍华德在电影上映前七周决定将负责电影配乐的霍华德·肖更换为彼得·杰克逊。 其他困难包括,在影片变更前七周,詹姆斯·纽顿·霍华决定将作曲家从霍华德·肖替换为彼得·杰克逊。 0 +所罗门遇到的许多恶魔都是希腊、基督教、犹太人、埃及、阿拉伯和其他传统的恶魔。 在所罗门的遭遇中,许多恶魔都来自希腊、埃及、犹太教、基督教、阿拉伯及其他传统。 1 +该单曲于 2015 年 10 月 31 日公布,并于 2015 年 11 月 13 日发行。 该单曲于 2015 年 10 月 31 日发行,并于 2015 年 11 月 13 日公布。 0 +吉尔伯托 1987 年发行的《时代和浪潮》专辑中的歌曲《Astrud》是对 Basia Trzetrzelewska 的致敬。 Basia Trzetrzelewska 1987 年发行的“时代和浪潮”专辑中的歌曲“Astrud”是对吉尔伯托的致敬。 0 +10 月 3 日:菲尔·图夫尼尔击败詹姆斯·休伊特(命中飞镖双倍区 1 分位置) 10 月 3 日:菲尔·塔夫内尔击败詹姆斯·休伊特(命中飞镖双倍区 1 分位置) 1 +克洛维斯·卡列巴拉出生于乌干达西部 Harugongo 村 Kichwamba Sub 县的“卡巴罗莱区”。 Clovis Kalyebara 出生于乌干达西部“卡巴罗莱区” Kichwamba 次级县 Harugongo 村。 1 +目前,许多现代变体构成了当代“水琴窟”,而以下列表展示了传统“水琴窟”的一些可能形式。 形成现代“水琴窟”的现代样式有很多。下方列表显示了一些传统“水琴窟”的样式。 1 +在他的活动期间,他与麦凯恩展开了两场辩论,一场在土桑市,一场在旗杆市。 在竞选期间,他与麦凯恩进行了两次辩论,一次在图森,一次在弗拉格斯塔夫。 1 +他与当代建筑师合作,例如,弗朗西斯科·格里马尔迪、巴托洛梅奥·皮基奥蒂和焦万·贾科莫·迪·孔福尔托。 他与当代建筑师合作过,如乔瓦尼·贾科莫·迪·康福尔托、Bartolomeo Picchiatti 和弗朗西斯科·格里马尔迪。 1 +2017 年 7 月,内特·迪迷奥与埃尔默·麦科迪一起演出了一集《回忆的宫殿》,成为了这一集的主题。 2017 年 7 月,纳特·狄米欧是讲述埃尔默·麦科迪的《记忆宫殿》一集的主题。 1 +麦克米兰在迪德科特和后来在蒂德沃斯的皇家医疗队度过了两年,在那里他为在朝鲜战争中受伤的士兵进行磁共振波普分析。 两年间,麦克米兰先在迪德科特的皇家陆军医疗队工作,之后去了蒂德沃思,并在那里为朝鲜战争中受伤的士兵开设了 MRS。 1 +“粉碎者”于 1987 年 6 月 13 日在日本发行,并由东宝株式会社出版。 《粉碎者》于 1987 年 6 月 13 日在日本发布并由东宝发行。 0 +1907 年,Don Driggs 出生在爱达荷州的德里格斯,他的父亲朱尼厄斯建立了这座城市,他的母亲是梅·洁鲁夏·罗宾逊。 1907 年,朱尼厄斯出生于爱达荷州德里格斯,是该镇建立者唐·卡洛斯·德里格斯和梅·洁鲁夏·罗比森之子。 0 +于热于 1962 年出生于巴黎,他在智利和纽约生活与工作。 惠更斯于 1962 年出生于巴黎,现在在智利和纽约生活与工作。 1 +1924 年夏季,他前往阿肯色州南部的斯马科弗,在犹尼昂县附近诺夫利特的一间办公室从事繁荣的石油事业。 1924 年夏天,他前往阿肯色州南部的尤宁县,在临近斯马科弗的诺夫利特的一间办公室内从事拦油栅工作。 0 +“Dream”于 1961 年登上科文特花园的皇家歌剧院,该作品由约翰·吉尔古德制片并由乔治·索尔蒂执导。 《 梦》于1961 年在伦敦柯芬园的皇家歌剧院上演,由约翰•吉尔古德担任指挥,乔治•索尔蒂担纲制作人。 0 +那时,该国的所有者是莱斯利·弗农·卡尔卡特,他同意与约翰逊先生签订 99 年的租约。 当时这片土地的所有者是莱斯利·弗农·加尔各答先生,他与约翰逊先生达成 99 年的租约。 1 +齐格弗里德级船只的总船身长,吃水线长。 “齐格弗里德级”舰船在吃水线上很长,并且总体都很长。 0 +在阿尔卡莫,12 节诗以此方式交替吟唱:一节交替,另一节说。 在阿尔卡莫,12 节诗文以如下方式交替出现:一节唱,另一节说。 0 +伍斯特是英格兰伍斯特郡的一座城市和郡首府。 伍斯特郡是英格兰伍斯特的一个镇和县级市。 0 +它是三个位于圣克鲁兹县、蒙特利半岛和圣路易斯奥比斯保县范围非常有限的地区的所在地。 它原产于位于圣克鲁斯、蒙特雷半岛和圣路易斯-奥比斯波县的三个面积非常小的地区。 1 +这需要根据时间持续监控实际分压,而且为了获取最大效果,需通过潜水员的减压计算机进行实时计算机处理。 这需要持续监测实际分压随时间的变化,并需要潜水员的减压计算机进行实时计算机处理,从而获得最大效果。 1 +他还向特德·克鲁兹捐赠 34,000 美元,并向米特·罗姆尼捐赠 7,000 美元,包括他在 2016 年的总统竞选。 他还向米特·罗德尼捐赠 34,000 美元,向特德·克鲁兹捐赠 7,000 美元,包括其 2016 年总统竞选。 0 +《Hoppkorv》是美国布鲁斯摇滚乐队 Hot Tuna 的最后一张专辑,也是他们为 Grunt Records 录制的第七张录音室专辑,作为 Grunt BFL1-1920。 《Hoppkorv》是美国蓝调摇滚乐队“热金枪鱼”的第七张专辑,也是他们为Grunt Records 录制的最后一张录音室专辑, 编号 Grunt BFL1-1920。 0 +而执行制片人理查德·亚塞克表示,梅森是一个用心不良的“好男孩”。 而执行制片人理查德·亚塞克表示,梅森是一个用心不良的“好男孩”。 1 +印度尼西亚在罗马的官方代表处设立于 1952 年 3 月,而意大利共和国在雅加达的官方代表处设立于 1952 年 10 月。 印度尼西亚在雅加达的官方代表处设立于 1952 年 3 月,而意大利共和国于 1952 年 10 月在罗马设立其官方代表处。 0 +该化合物由帕特里克·佩奇博士及其团队获得专利,并由 Genkyotex 于 2007 年创制。 该药剂由帕特里克·佩奇博士及其团队获得专利,并于 2007 年由 Genkyotex 创制。 1 +学生在佩顿区由佩顿第 23JT 学区提供服务,在科罗拉多斯普林斯和福尔肯的周边地区由福尔肯第 49 学区提供服务。 佩顿地区的学生由佩顿学区 23JT 以及科罗拉多斯普林斯地区和法尔孔邻近地区的法尔孔 49 学区提供服务。 1 +此“案例”于 1949 年最后一次用于东德,1966 年用于西德。 “Fallbeil”于 1949 年最后一次在西德使用,并于 1966 年在东德使用。 0 +Doris、Dūris 或 Dûris 近似于 Duris,同时也以其法语拼写 Douris 著称,它是一座正式坐落的村庄。 大约是 Doris 、Duris 或 Dûris,大概是 Duris,也有法语拼写名称 Douris,是一个村庄,正式位置是。 1 +他 14 部电影的主题 CD 由菲利普·鲍尔斯于 2008 年发行,并由 1M1 唱片公司制作。 他 14 部电影的主题 CD 由菲利普·鲍尔斯于 2008 年制作,并由 1M1 Records 发行。 0 +俄罗斯帝国独立之前是芬兰境内的一个自治大公国。 在芬兰境内获得独立前,俄罗斯帝国是一个自治的大公国。 1 +2011 年,他还出版了歌手麦当娜的传记“狂迷流行乐天后:麦当娜”,撰写了 Castelvecchi 出版社。 2011 年,他还撰写了歌手麦当娜的传记“狂迷流行乐天后:麦当娜”,并由 Castelvecchi 出版社出版。 0 +伍斯特郡是英格兰伍斯特的一座城市和郡治。 伍斯特是英格兰伍斯特郡的一座城市和郡首府。 0 +施利曼清理出五个竖井并认出它们是鲍桑尼亚提到的坟墓。 施利曼清理出五口竖井,并认出它们就是鲍桑尼亚所提到的坟墓。 1 +1791 年 7 月 29 日,莎拉与莱亚·托马斯·莱特·希尔(1765 -- 1842 年)在伯明翰圣马丁教堂结婚,他们生育了 8 个孩子。 1791 年 7 月 29 日,萨拉·李在伯明翰的圣马丁教堂与托马斯·莱特·希尔 ( 1765 -- 1842 ) 结婚,两人共生育 8 个孩子。 1 +大卫·卡迪纳尔·比顿去世时是苏格兰大法官、圣安德鲁斯大主教和苏格兰红衣主教使节。 在他去世时,大卫红衣主教比顿是圣安德鲁斯的大法官,苏格兰大主教以及苏格兰红衣主教使节。 0 +桉树证券交易所俗称伯尔德岛 Marlock 或小桉树,是一种原产于西澳大利亚南部海岸的丛生树或小桉树。 Eucalyptus conferruminata 通常称为巴尔德岛 matlock 或小橡胶树,它是在西澳大利亚州南海岸土生土长的矮树或小桉树。 0 +1i Productions 是一家美国棋盘游戏发行商。它于 2004 年由科林·伯恩、威廉和詹娜创立。 它由科林·伯恩、威廉和珍娜创立于 2004 年,是一家美国棋盘游戏发行商。 1 +该站属于拉萨尔街站梅特拉线的一部分,在芝加哥环线中的乔利埃特和洛克岛区之间运行。 该站是岩岛区 Metra 线的一部分,该线路在乔利埃特和芝加哥卢普区的拉塞尔街车站之间运行。 0 +制剂由帕特里克·佩奇博士及其团队发明,并由 Genkyotex 公司于 2007 年取得专利。 该化合物由帕特里克·佩吉博士及其团队获得专利,由 Genkyotex 于 2007 年发明。 0 +古拉的名字取自中世纪匈牙利统治者古拉三世,这也是匈牙利部落的一个头衔,现在仍然是受欢迎的男孩名字。 古拉这个名字取自匈牙利统治者古拉三世。古拉也是中世纪匈牙利部落的一个头衔,现在仍然是受欢迎的男孩名字。 0 +其中,牛顿量子中指明的“G”和公式 4 是物质场的恒定常态。 其中“G”是牛顿的常数,而公式 _ 4 表示物质场的量子态。 0 +在以下评论中,对节目的最低评分以红色表示,而对节目的最高评价为蓝色序列。 在下方评论中,该节目的最高评价为红色,而该节目的最低评分为蓝色剧集。 0 +第三节的最后一行在南斯拉夫的亚历山大一世统治时期被改为 Kralja Aleksandra , Bože hrani。 第三节的最后一行在南斯拉夫亚历山大一世统治时期更改为“Kralja Aleksandra , Bože hrani“。 0 +1i Productions 是一家美国的桌游发行商。于 2004 年由詹娜、威廉和科林·伯恩共同创立。 1i Productions 是一个美国棋类游戏,由珍娜、威廉和科林·伯恩于 2004 年创建。 0 +在穆阿威亚逝世后,阿里掌权并建立了一个王朝。 穆阿威亚在阿里逝世后掌权并建立王朝。 0 +尽管友谊高地村不是一座成熟的自治市,但它在 1914 年既已确立为特别税区。 尽管友谊高地村并非已确立的自治市,但于 1914 年被纳为特别税区。 1 +2009 年,柯立芝在“作为吉纳维芙·麦克多纳中扮演戏剧角色。 2009 年,库里奇扮演了戏剧角色“吉纳维芙·麦克多纳。 1 +历史学家尼古拉·约尔加和法西斯主义政治家屋大维·高加表达了相似的惩罚要求。 历史学家 Octavian Goga 和诗人兼法西斯政治家尼古拉·约尔加表达了相似的惩罚要求。 0 +2014 年,该网站推出了用于产品搜索的 iOS 和 Android 应用程序,产品功能包括实时视频、带交互式问答的产品评价、会话。 2014 年,该网站推出 iOS 和安卓应用程序,用于产品搜索,产品功能包括提供现场问答式会话的交互式视频产品评论。 0 +他是捷克国家队队员 Miroslav Hlinka 的表兄弟,也是前队员 Jaroslav Hlinka sr 之子。 他是捷克国家运动员雅罗斯拉夫·赫林卡的堂兄,也是前运动员小米罗斯拉夫·赫林卡的儿子。 0 +但“e”是粒子的磁荷,而 A 是电磁场的电矢势。 其中“e”是粒子的电荷,而 A 是电磁场的磁矢势。 0 +她出生在玻利维亚的科恰班巴。在 20 世纪 90 年代前往洛杉矶,后来又搬到墨西哥城。 她出生于玻利维亚科恰班巴,20世纪90年代移居墨西哥城,后移居洛杉矶。 0 +他们在那里等着我们祈祷,他们在那里享受我们。 他们在那里等着我们享受,他们在那里等着我们祈祷。 1 +邦妮·比蒂丽娅·卡尔金(出生于 1948 年 3 月 25 日,邦妮·比蒂丽娅)是一位美国美国女演员。 邦妮·贝德莉娅(本名邦妮·贝德莉娅·卡尔金,1948 年 3 月 25 日)是一位美国女演员。 0 +詹姆斯从 1830 年开始受到美国殖民协会 (ACS) 部分成员的废奴主义和阿瑟·泰潘的作品的影响。 亚瑟·塔潘自 1830 年起受到美国殖民协会 (ACS) 部分会员的废奴主义和詹姆斯著作的影响。 0 +罗恩的弟弟罗伯特·富勒在 1986 年创造了新版本。 下一个版本由罗伯特·富勒的哥哥罗恩创建于 1986 年。 0 +卡茨 1947 年在瑞典出生,后在 1 岁时移居纽约市。 卡茨 1947 年出生于纽约市,1 岁搬到了瑞典。 0 +Sahib Khan 出生在沙赫布尔的提瓦那家族,是 Ahmad Yar Khan 的儿子。 Sahib Khan 出生于斯哈赫普尔的提瓦纳家族,是 Ahmad Yar Khan 的儿子。 1 +2010 年,另一位女性成为了普利兹克奖得主,来自日本的西泽立卫,其与妹岛和世共同获奖。 2010 年,另一位女性普利兹克奖获得者即来自日本的西泽立卫与妹岛和世结成了合作伙伴。 1 +该公司首先在尼日利亚证券交易所第一上市,后成为约翰内斯堡证券交易所首支跨境在国内上市的非洲公司。 该公司首先在尼日利亚证券交易所第一上市,后成为约翰内斯堡证券交易所首支跨境对内上市的非洲公司。 1 +自北非起对渡船进行加固后,她于 8 月 18 日航行至奥兰省,为闯入意大利做准备,之后她于 9 月 5 日返航。 从北非增加了援兵后,她于 8 月 18 日返回瓦赫兰,准备对意大利的入侵行动,为此她于 9 月 5 日启航。 0 +私立克莱本学院位于克莱本教区附近未并入的海恩斯维尔。 这座私立克莱本学院位于海恩斯维尔,靠近克莱本教区。 1 +继 1939 年纳粹德国和苏联入侵波兰后,Osterwa 便积极投身地下教育但同时也抱病在身。 在纳粹德国和苏联于 1939 年入侵波兰后,欧斯特瓦便积极参与地下教育,但同时也染上疾病。 1 +唐朝的陈州行政区现属于河南的辖区,位于周口东部: 唐代的陈州行政区现隶属于河南东部的周口市: 0 +在澳大利亚巡回赛上,布拉德·克雷林也代表大不列颠 BARLA,其他六位选手代表坎布里亚。 Bradd Crellin 代表英国业余橄榄球联盟协会参加澳大利亚巡回赛,还有其他 6 位队员代表坎布里亚参加澳大利亚巡回赛。 1 +唐代的郴州行政区由今天河南省东部的周口管理: 唐朝郴州的行政区域目前在河南省周口东部的管辖范围内: 0 +他由戴尔·罗曼斯训练,并由骑师约翰·委拉斯开兹指导参加了人生中最重要的骑马比赛。 他由约翰·委拉斯凯兹训练,在他最重要的比赛中,他的骑师是乔基·戴尔·罗曼斯。 1 +公元前 284 年,齐王与秦昭襄王在西周会面,以建立联盟共抗僖王。 公元前 284 年,僖王与秦昭王在西周会面,以建立联盟共同抗齐。 0 +他于 2009 年搬回费城,现居纽约市。 2009 年他搬回了纽约市,现在住在费城。 0 +第二艘船“密苏里号”在 1892 年 4 月 4 日运送 2,500 吨谷物和矢车菊至利耶帕亚。 第二艘船“密苏里号”在 1892 年 4 月 4 日运送 2,500 吨谷物和矢车菊至利耶帕亚。 1 +彼得·伯吉斯娶了凯伦·丽芙·里亚·奥斯唐为妻,他是国际红十字委员会的合作代表,也是三个孩子的父亲。 里亚·侯斯坦嫁给了 J·彼得·伯吉斯,他是红十字国际委员会的合作代表,也是三个孩子的父亲。 0 +阿卢尼·查克拉帕尼也于 2017 年 8 月加入团队,担任制作人普拉卡什·拉贾的角色。 Aluri Chakrapani 也于 2017 年 8 月加入该团队,据称其将扮演制作人 Prakash Raj 一角。 1 +这之后出现了达拉斯·弗雷齐尔的《True Love Travels on a Gravel Road》和查克·杰克逊的 1962 年的热单《 Any Day Now》 。 接下来是查克·杰克逊的《在碎石路上前行的真爱》和达拉斯·弗拉泽尔 1962 年的热门单曲 《爱若此时》。 0 +他住在马里博尔和斯洛文尼亚卢布尔雅那,在斯洛文尼亚和克罗地亚执导。 他在斯洛文尼亚的马里博尔和卢布尔雅那担任指挥,大部分时间住在斯洛文尼亚和克罗地亚。 0 +马克·艾伦以 1-0 (104-0) 战胜马丁·古尔德而赢得决赛。 马克·亚伦以 1:0 (104-0) 的比分击败马丁·古尔德而赢得决赛。 1 +这座废弃的卫理公会教堂是 Upsall 为数不多的砖砌建筑之一。 所建的这所卫理公会教堂是 Upsall 为数不多的砖砌建筑之一。 0 +《土地贝西之地》是比利·拜尔斯及其管弦乐队 1964 年的录音室专辑,由贝西伯爵编曲和改编。 《贝西之地》是贝西伯爵及其管弦乐队 1964 年的录音室专辑,由比利·拜尔斯编曲和改编。 0 +该影片由 Jembie Almazan 主演玛丽,Bernardo Garnica Cruz 饰演大卫,并由乔纳森·迪亚斯·安古洛饰演亚历克斯。 在该影片中,珍碧·埃尔玛桑饰演玛利亚,伯纳多·加尔尼卡·克鲁兹饰演大卫,乔纳森·迪亚兹·昂古洛饰演亚历克斯。 1 +短暂的战斗后,穆罕默德·汗·哈里·辛格·纳尔瓦苏丹被迫撤离城市。 在短暂的战斗后,苏丹·穆罕默德·汗迫使哈里·辛格·纳尔瓦撤离了该市。 0 +她在 19 岁时搬到斯德哥尔摩,并于 2011 年从该地搬到纽约。 她在 19 岁时搬到纽约,在 2011 年搬到斯德哥尔摩。 0 +泰勒仍旧活跃于棒球界,直至去世前一直为亚特兰大勇士队、密尔瓦基队和芝加哥白袜队担任球探。 泰勒生前仍然积极地担任芝加哥白袜队、密尔沃基棒球队和亚特兰大勇者队的球探。 1 +图巴朗港口是圣埃斯皮里图的一个港口,靠近巴西维多利亚市。 图巴朗港是巴西的一个港口,邻近圣埃斯皮里图州的维多利亚市。 0 +马都卡拉是巴基斯坦旁遮普省杰赫勒姆县的一个乡和联合委员会。隶属杰赫勒姆地区。 Madu Kalas 是巴基斯坦旁遮普省 Jhelum Tehsil 的一个村庄和联盟理事会,也是杰赫勒姆区的一部分。 1 +1959 年 2 月 20 日,总理约翰·迪芬贝克终止该项目,五个已经拆除的“箭头”已完工。 1959 年 2 月 20 日,首相约翰·迪芬贝克完成此项目并拆除了 5 个箭头。 1 +乔伊·萨玛取代 Tarang P. Amin,被任命为 E.l.f 的总裁、首席执行官兼董事。 Tarang P. Amin 已由 E.l.f 的总裁、首席执行官兼董事 Joey Shamah 接替。 1 +在竞选活动中,他两次击败麦凯恩,一次在图森,另一次在弗拉格斯塔夫。 在活动期间,他两次与麦凯恩辩论,一次是在弗拉格斯塔夫,一次是在图森。 1 +南端的 Cook Pond 之前也称为 South Watuppa Pond,位于 Laurel 湖以东,汤顿河以西。 库克池,旧时也称为洛雷尔湖,位于汤顿河东南部和南 Watuppad 池西部。 0 +最常用的动物纤维是从绵羊身上获得的羊毛。对于手工编织和编织爱好来说,厚实的羊毛和腈纶纱线也经常用于纺线。 最常被纺成线的动物纤维是从绵羊身上获得的羊毛。对于手工编织和编织爱好来说,厚实的羊毛和腈纶纱线也经常用到。 0 +他在其后现代主义澳大利亚哲学史书《腐败青年》(2003 年)一书中赞扬了澳大利亚哲学的现实主义传统并抨击了争辩性和相对主义的趋势。 他在澳大利亚哲学辩论史“腐化青年”(2003) 中赞扬了澳大利亚的现实主义哲学传统,并抨击了后现代主义和相对主义趋势。 0 +雪莉·琼斯获得了饰演洛雷的机会,后来这个角色由乔安娜·华德(之前曾在俄克拉荷马的舞台剧中出演过!)接演。 乔安娜·伍德沃德起初受邀参演洛雷一角,但该角色后由雪莉·琼斯扮演(她之前曾参演《俄克拉荷马!》舞台剧)。 0 +雷济厄斯出生于斯德哥尔摩,他是解剖学家安德斯·贾汉·雷济厄斯的儿子(也是自然学家和化学家安德斯·雷济厄斯的孙子)。 雷济厄斯出生于斯德哥尔摩,是解剖学家安德斯·雷济厄斯的儿子(也是博物学家和化学家安德斯·贾汉·雷济厄斯的孙子)。 0 +例如,在两栖动物中,Cerberus 在前端内脏内胚层中表达,而在鼠类中,它在前背内胚层中表达。 例如,在两栖动物中,Cerberus 在前端内脏内胚层中表现出来,而在鼠类中,它在前背内胚层中表现出来。 1 +NVIDIA 于 2017 年 12 月 7 日正式公布 Nvidia TITAN V。 Nvidia 于 2017 年 12 月 7 日正式公布 NVIDIA TITAN V。 1 +但为变成斯洛伐克,德里克必须击败吸血鬼刺客。 但为击败斯洛伐克,德里克必须成为吸血鬼攻击者。 0 +1834 年,它由 C·R·格里高利在塞巴修道院购得,并在 1883 年罗伯特·寇松被看见。 1834 年,它由罗伯特·寇松在塞巴修道院购得,并在 1883 年被 C·R·格里高利看见。 0 +在电子和数字视频技术出现前,色情电影的大批量制作与主流电影业直接关联。 直至电子和数字视频技术的出现,成人影片的大批量生产才与主要电影行业有了直接的关联。 1 +直到 1664 年,马利特才与玛丽·奥德沃斯结婚,她是伯克郡 Letcombe Regis 约翰·奥德沃斯的遗孀,也是 Fyfield 伯克郡托马斯·怀特的女儿。 马莱特娶了玛丽·阿尔德沃斯,一直到 1664 年,她是伯克郡雷特康比瑞吉斯的托马斯·怀特的遗孀和约翰·阿尔德沃斯与法菲尔德·伯克谢尔的女儿。 0 +“陶顿城堡号”于 8 月 1 日在槟城,于 10 月 31 日在里约热内卢。 “陶顿城堡号”于 8 月 1 日在槟城,于 10 月 31 日在里约热内卢。 1 +迷失男孩是一部 BBC 于 1978 年制作的文献纪录片迷你剧,由罗德尼·巴内特编剧和安德鲁·伯金执导。 《迷失男孩》是 BBC 于 1978 年制作的一部文献纪录片迷你剧,由安德鲁·伯金编剧,并由罗德尼·本尼特执导。 0 +詹姆斯敦风车是位于罗德岛詹姆斯墩北部北街上的一座八角型风车,坐落于风车山历史区内的威登大道上。 詹姆斯敦风车是位于罗德岛詹姆斯敦的磨坊风车,位于 Weeden Lane 以北北路的风车山历史区内。 0 +该节日还能让参与者有机会在两国泰米尔人和谐共享的地区重新燃起希望,并根据传统进行划分。 该节日也让参加者有机会在来自两个国家的泰米尔人和睦共享的区域内重新燃起希望和共享传统。 1 +他的父亲在他年轻时去世了,他的母亲凯瑟琳·A·法根于 1842 年与两年后成为了阿肯色州州长的塞缪尔·亚当斯结为了夫妻。 他的父亲在他年少时去世了,而他的母亲凯瑟琳·A·费根于 1842 年嫁给塞缪尔·亚当斯,后者在两年后成为阿肯色州州长。 1 +安德森于 1943 年出生在加利福尼亚州奥克兰,来自加利福尼亚州的雷东多海滩。 安德森于 1943 年出生于加利福尼亚州雷东多海滩,祖籍为加利福尼亚州奥克兰。 0 +奖牌由新西兰国际奥委会成员芭芭拉·肯德尔和国际帆船总会主席卡洛·克罗齐授予。 由新西兰国际奥委会成员卡洛·克罗斯与国际帆船总会主席芭芭拉·肯达尔颁发奖牌。 1 +还有可能运行包含桌面文件(用于运行应用程序)的恶意代码。 也可启动包含桌面文件(用于运行应用程序)的恶意代码。 1 +所有格词干“-m”的以上例子用于第一人称单数。 所有格主题“-m”的上述例子为第一人称单数。 1 +1781 年,伊利诺伊州州长托马斯·杰斐逊·克拉克提拔准将,并给予他对肯塔基州和弗吉尼亚州各县全部民兵组织的指挥权。 1781 年,弗吉尼亚州提拔州长托马斯·杰斐逊·克拉克为准将,并给予他对肯塔基州和伊利诺伊州各县全部民兵组织的指挥权。 0 +他们的孩子有芭芭拉,其配偶为迪尔德丽·豪利;格拉迪斯·艾森斯塔特;伊拉·艾森斯塔特,配偶为赫伯特·科恩;以及埃伦·艾森斯塔特,配偶为马文·艾森斯塔特。 他们的孩子分别是与戴尔德利·豪利结婚的芭芭拉;格拉蒂丝·艾森斯塔特;与赫伯特·科恩结婚的艾拉·艾森斯塔特;以及与马文·艾森斯塔特结婚的艾伦·艾森斯塔特。 1 +这里作为吉隆坡卫星城的地位,与其位于马来西亚巴生谷中心的地理位置有关。 它作为巴生谷卫星城的地位与其位于马来西亚吉隆坡市中心的位置密不可分。 0 +相反,总“利润可由其所有者分配或以其他方式转移。 相反,“总”利润可由其所有者转移或以其他方式分配。 0 +瑞士拓荒者约翰·萨特(1803 - 1880 年)与其他欧美裔移居者一起于 1839 年 8 月抵达加利福尼亚州阿尔塔。 美国先驱者约翰·萨特(1803-1880 年)和其他欧洲瑞士定居者于 1839 年 8 月一起抵达上加利福尼亚。 0 +然后摔跤手跳起来向前摆动,随后向后倒下,并将对手的头部摔入垫子。 然后摔跤手跳来跳去并向前旋转以后退,并且让对手的头部落在垫子上。 1 +奥立佛·高德史密斯是诗人、剧作家和作家罗伯特·高德史密斯的祖父,据普里奥尔所说,他是这个家族第一个在 Ballyoughter 定居的人。 据普赖尔所说,诗人、剧作家和小说家罗伯特·戈德史密斯的祖父奥利弗·戈德史密斯,是这个家族中首个于 Ballyyoughter 定居的人。 1 +III . 玛丽在 1646 年 4 月 26 日嫁给了 S. Quentin 勋爵博福特的女儿克劳德·西蒙·布朗雄,并与他生下了 。 玛丽在 1646 年 4 月 26 日嫁给了克劳德·西蒙·布朗雄,S. Quentin 勋爵博福特的女儿,他 。 1 +尽管并没有明文规定不允许非洲球员参赛,自 1933 年以来从未有过一位美国黑人参加过全国橄榄球联赛。 虽然没有明文规定排除黑人球员,但自 1933 年以来,非裔美国人未在国家橄榄球联盟打过球。 0 +David David Hayes Prophater 担任报幕员,而杰夫·斯科特带领观众欣赏无乐器伴奏的歌唱。 大卫·海耶斯·普罗菲特担任播音员,杰夫·斯科特引导听众进行清唱。 1 +伍斯特郡是英格兰伍斯特的一个镇和县级城市。 伍斯特郡是英格兰伍斯特的一座城市和郡首府。 1 +马茨·维兰德以 6 -- 4、3 -- 6、7 -- 5 的比分打败了安德斯·雅瑞德。 安德斯·亚利德以 6-4、3-6、7-5 击败了马茨·维兰德。 0 +五月,斯潘塞·麦克拉伦抵达并饰演基兰·弗莱彻,该角色是已经确立的角色莎莉·弗莱彻(凯特·里奇)的爱慕对象。 五月,斯宾塞·麦克拉伦以基兰·弗莱彻的身份抵达,后者是已确立角色莎莉·弗莱彻(凯特·里奇)的爱慕对象。 1 +它被 Sirius Radio 1st Wave 上经典 80 年代的另类频道替换。 它被 Sirius Radio 1st Wave 上另类的 80 年代经典频道替换。 0 +所有作品均由格雷厄姆·斯派塞设计,卡尔罗·奥兰迪编写。 我们的所有作品均由格雷厄姆·斯派塞创作,由卡洛·奥兰迪设计。 0 +此岛岩石陡峭,土壤贫瘠。 这个岛屿岩石密布,峭壁林立,土地很少。 1 +大卫 I. 沃尔什最近的传记作者写到:“摧毁沃尔什的运动起了作用,因为他无法为自己辩护... 大卫 I· 沃尔什是同性恋。 沃尔什最近的传记作者写道:“摧毁大卫·I·沃尔什的活动起了作用,因为他无法为自己辩护……大卫·I·沃尔什是同性恋者。” 0 +他的父亲帕特里克·伯恩是都柏林的代表、参议员和市长大人,另一位兄弟阿尔菲·伯恩也是下议院议员。 他的父亲阿尔菲·伯恩是 MP、TD、都柏林参议员和市长。另一位哥哥帕特里克·伯恩也是 TD。 0 +《与罗伯特·E 谢伍德环游世界八十分钟》是一部 1931 年美国 Pre-code 时期制作的纪录片,由道格拉斯·费尔班克斯执导,并由道格拉斯·费尔班克斯和维克托·弗莱明编写。 《与道格拉斯·费尔班克斯环游世界八十分钟》是一部 1931 年美国法典前纪录片,由道格拉斯·费尔班克斯和维克托·弗莱明及罗伯特·E·谢伍德执导。 0 +萨米·唐斯出生于阿沃耶尔堂区以南的拉皮德堂区,他的母亲艾菲就成长于这里。 萨米·唐斯出生于阿沃耶尔堂区以南的拉皮德堂区,他的母亲艾菲就成长于这里。 0 +艾玛·汤思罕由 DGA Associates 的大卫·高德文代表。 艾玛·汤思罕由 DGA Associates 的大卫·高德文代表。 1 +癌前病变是一种形态学上的非典型组织,在显微镜检查中表现异常,在此处发生癌变的可能性大于其看似正常的对应组织。 癌前病变明显是一种典型组织,在用显微镜检查时其会呈现异常,而且在此处发生癌变的可能性大于其形态正常的对应组织。 0 +通向约克郡和谢菲尔德的德恩谷线每天运营两条线路。 Dearne Valley Line 每天运营两班列车分别前往约克和谢菲尔德。 1 +他还帮助在欧洲,以及北美、中美和南美建立冥想中心。 他还帮助在北美洲、中美洲和南美洲以及欧洲设立静修中心。 0 +五天之内,这股冷气团从马里亚纳群岛南部扩散至菲律宾群岛北部。 该冷气团在五天内通菲律宾群岛南部扩展到马里亚纳群岛北部。 0 +Alaja 是一个小型人口聚居地,位于里海上土库曼斯坦西部的巴尔坎州。 Alaja 是里海土库曼斯坦西部巴尔干省的一个人口稠密的小地方。 1 +《Pennmakkal》是 1966 年由 J·萨西库马尔执导并由 KP Kottarakkara 制作的印度马拉雅拉姆电影。 《Pennmakkal》是 1966 年由 J·萨西库马尔制作并由 KP Kottarakkara 执导的印度马拉雅拉姆电影。 0 +其中“G”为牛顿常数,formula _ 4 表示物质场的量子态。 其中,牛顿量子中指明的“G”和公式 4 是物质场的恒定常态。 0 +卡辛船长在华盛顿特区逝世。他被埋葬在华盛顿,但后来被移往阿灵顿国家公墓。 卡辛船长在华盛顿特区逝世。他被埋葬在华盛顿,但后来被移至阿灵顿国家公墓。 1 +归一化因数使得整个空间的绝对值平方的积分等于 1。 归一化因数使得积分在绝对值平方的完整空间上等于 1。 1 +在苏格兰足球界,半职业球队水平低于苏格兰超级联赛各个层级,其中大多数低于苏格兰冠军联赛水平的球队均为半职业球队。 在半职业足球赛中,苏格兰各队似乎低于苏格兰足球超级联赛各个级别,其中大多数低于苏格兰足球冠军联赛水平的球队均为半职业球队。 0 +汤普森的弟弟朱莉娅于 1863 年出生于俄亥俄州吉奥格县的查尔斯马丁霍尔。 汤普森的弟弟朱莉娅于 1863 年出生在俄亥俄州吉奥格县的查尔斯·马丁·霍尔。 1 +罗伯特·莱米塞中尉委派他们于 1805 年 5 月前往北海,约翰·盖奇中尉 1806 年取代了他。 约翰·盖奇中尉于 1805 年 5 月批准它们在北海服役,罗伯特·拉姆齐中尉于 1806 年取代了他。 0 +与乌干达的许多民族社区一样(包括兰戈族、阿乔利族和阿卢尔族),卢奥族也不会举行男子割礼仪式并将之作为开端。 就像乌干达的许多民族社区一样(包括兰戈族、阿乔利族和阿卢尔族),卢奥族也不会举行男子割礼仪式并将之作为开端。 1 +2016 年 7 月,她在“秘密特工”中扮演约瑟夫·康拉德,该片基于温妮·维洛克所著的同一部小说。 2016 年 7 月,他在根据薇尼·维罗克同名小说改编的“秘密特工”中饰演约瑟夫·康拉德。 1 +Buccinum pulchellum 是一种海螺,属于蛾螺科海生腹足软体动物,是真正的蛾螺。 Buccinum pulchellum 是一种海螺,属于峨螺科的海洋腹足类软体动物,也是真正的井角螺。 0 +布伦达·舒尔茨分别以 6 -- 4、1 -- 6、7 -- 6 的成绩击败艾琳娜·斯皮尔利亚。 布伦达·舒尔茨以 6 -- 4 、1 -- 6、7 -- 6 的比分击败了伊丽娜·斯皮尔利亚。 1 +自 12 世纪至 17 世纪初,凯塔王朝一直在统治帝国之前及帝国时期的马里。 自 17 世纪初至 12 世纪,凯塔王朝一直在统治帝国之前和帝国时期的马里。 0 +E 是指一级优等成绩,An 是指二级优等成绩:中文意思是 E 表示友好,On 表示好运和平静。 E 是最高级优待,An 是第二级优待;中国人认为 E 代表友好,An 代表运气和平安。 1 +圭亚那约有 90,000 名天主教徒 - 占总人口的 12%,在南美洲各国中比例最低。 圭亚那约有 90,000 名天主教徒 -- 占总人口的 12%,在南美洲国家中占比最低。 1 +在国际田径比赛上,她在老年接力队中夺得三枚国家级奖牌。 在国际田径比赛上,她在全国接力队中赢得三枚老年人级别的奖牌。 0 +阻塞音分级是一个语法过程,它影响爱沙尼亚语单词重读音节结尾的辅音。 阻塞音的渐变是一个语法过程,它会在单词重读音节的末尾影响爱沙尼亚语辅音。 1 +1171 年 11 月 29 日,冈萨洛第一次以 Gonzalo Ruiz de Bureba 的身份签署了证书“。 1171 年 11 月 29 日,贡萨洛·鲁伊斯·德·布伦巴第一次作为“贡萨洛“签署了宪章。 0 +Thornwood Common 是 B1393 路上的一个村庄 ,地处诺思维艾德巴赛特民政教区和英格兰艾塞克斯郡艾坪林区。 Thornwood Common 是位于 B1393 公路的一座村庄 ,位于英格兰诺斯维艾德巴塞特市镇和艾塞克斯郡艾坪林。 1 +该村镇种族构成为:98.8 % 白人、0.6 % 美洲原住民、0.2 % 亚裔、0.4 % 两个或以上种族混血。 该村的种族构成为:白人占 98.8%、亚洲人占 0.6%、美洲原住民占 0.2% 以及混血占 0.4%。 0 +大陆联盟是为创建新俱乐部的第三个大联盟所作的最后一次重大尝试。 大陆联盟是为创建包括第三个大型俱乐部在内的新联盟所作的最后一次重要尝试。 0 +9 月 17 日,阿雷奥拉将在加利福尼亚州洛杉矶斯台普斯中心于胡安·桑多瓦尔对战索尔·阿尔瓦雷斯的赛前小赛中对战阿尔弗雷多·戈麦斯。 9 月 17 日,阿雷奥拉将在于加利福尼亚州洛杉矶斯台普斯中心举行的胡安·桑多瓦尔与索尔·阿尔瓦雷斯的对战副赛上迎战阿方索·戈麦斯。 1 +Siemens AG 是主承包商,Fiat Ferroviaria 和 ADtranz 是分包商。 主承包商是西门子股份有限公司,分包商是菲亚特铁路和 ADtranz。 1 +《Ungarala Rambabu》是一部泰卢固语电影,由 Paruchuri Kiriti 编剧和管理,由 Kranthi Madhav 制作。 Ungarala Rambabu 是一部泰卢固语电影,由克兰第·马德哈瓦编写和筹划并由 Paruchuri Kiriti 制作。 0 +马莱特娶了玛丽·阿尔德沃斯,一直到 1664 年,她是伯克郡雷特康比·瑞吉斯的约翰·阿尔德沃斯的遗孀和法菲尔德伯克郡的托马斯·怀特的女儿。 马利特娶了玛丽·奥德沃思,后者是伯克郡 Letcombe Regis 约翰·奥德沃思的遗孀,也是伯克郡 Fyfield 托马斯·怀特的女儿(1664 年之前)。 1 +休斯敦主楼 (HMB) 之前称为慎行大厦,是位于得克萨斯州休斯敦市得克萨斯医疗中心的一座摩天大楼。 慎行大厦 (HMB) 之前称为休斯敦主楼,是位于得克萨斯州休斯敦市得克萨斯医疗中心的一座摩天大楼。 0 +ACVM 总部位于格拉斯哥,并在爱丁堡、阿伯丁、纽卡斯尔、曼彻斯特和米尔顿凯恩斯设有办事处。 ACVM 位于格拉斯哥,并在爱丁堡、阿伯丁、纽卡斯尔、曼彻斯特和米尔顿凯恩斯设有办事处。 1 +迪伯尔和新奥尔良的 G·A·钱布林是建筑师,莫比尔的欧文是承包商。 建筑师是新奥尔良的迪博尔和欧文,承包人是来自 Mobile 的 G. A. Chamblin。 0 +这些在英国很常见,但在欧洲比较少见,至少大型机车如此。 这些在英国十分常见,但在欧洲,至少对于大型机车而言,它相对少见。 1 +2018 年,法瑞尔被弗朗西斯教皇任命为 Ossory 的新主教。 2018 年,教宗方济各任命法雷尔担任奥索里教区的新主教。 1 +Rıza Maksut İşman(1915 年出生于伊兹密尔,2004 年 12 月 30 日死于伊斯坦布尔)是一位土耳其运动员。 Rıza Maksut Isman(1915 年在伊兹密尔 -- 2004 年 12 月 30 日,伊斯坦布尔)是一名土耳其运动员。 1 +这个镇子有九个公墓:Kelley、Owens、Calvertville、Goodwin、Bucher、Snyder、Stalcup、Wall 和 Walnut Grove。 此行政镇区有九座墓地:凯利、欧文斯、Calvertville、古德温、布赫、斯奈德、Stalcup、沃尔和沃尔纳特·格鲁夫。 1 +将类别 I、II、IV 和 V 控制为“不受控制”,类别 III 控制为“表明”。 I、II、IV 和 V 类被限制为“无控制”,而 III 类则是“已命名”。 1 +它为墨尔本东南部的伊迪斯韦尔郊区服务,并在 1919 年 9 月 20 日开放。 它为墨尔本东南部艾迪斯威尔郊区服务,于 1919 年 9 月 20 日开放。 1 +多元宇宙是具有相似性质和宇宙等级的平行宇宙的集合。 多元宇宙是具有相似性质和宇宙等级的平行宇宙的集合。 1 +然而,为了击败斯洛伐克,德里克必须成为吸血鬼刺客。 然而,为了打败 Slovak,德雷克必须成为吸血鬼。 1 +迈克尔·凯利·史密斯是费城乐队托尼·尼德斯特拉的早期成员,他退出后,“灰姑娘”加入了该乐队。 在退出之前,迈克尔·凯利·史密斯曾是早期费城乐队灰姑娘的成员,随后 Tony Destra 也加入其中。 0 +该物种最初于 1846 年由植物学家斯特凡·恩德利歇将其作为约翰·格奥尔·克里斯汀·莱曼的著作`` Irideae Plantae Preissianae '' 的部分内容做出正式描述。 1846 年,植物学家斯蒂芬·恩德利歇在引用约翰·克里斯汀·格奥尔·莱曼的著作《Irideae. Plantae Preissianae》时首次正式介绍了这一物种。 1 +1955 年,圣公会教区与另一处教区合并,王子妃大街圣三一教堂成为教区教堂。 1955 年,这片新教区与另一处教区合并,王子妃大街圣三一教堂成为圣公会教区教堂。 0 +她出生于不列颠哥伦比亚温哥华,在附近小镇北温哥华长大。 她出生于不列颠哥伦比亚温哥华,在附近小镇北温哥华长大。 1 +最终,他在“西方共和党人”中,出版了由专业植物学家在俄亥俄州制做的第一批植物集。 NS 0 +在以下评分中,该剧集的最高分显示为红色,最低分显示为蓝色剧集。 下方评论为对节目的最低评分,显示为红色。节目最高评分在蓝色列中显示。 0 +Cancellopollia gracilis 是一种海螺、真正的蛾螺科腹足类软体动物,也属海洋蛾螺。 Cancellopollia gracilis 是一种海洋蜗牛,是蛾螺科即 Buccinidae 中真正的腹足类软体动物。 1 +穆阿威亚在阿里逝世后掌权并建立王朝。 阿里在穆阿威亚逝世后掌权并建立王朝。 0 +1953 年,蒂莫西·德图达莫在久病不愈后去世,并由雷蒙德·加达布接替他担任首席执政官。 1953 年,雷蒙德·加达布在久病不愈后逝世,蒂莫西·德图达莫接替他担任首席执政官。 0 +马尔科姆·弗雷泽在 1975 年 12 月的联邦大选中以压倒性优势击败惠特拉姆,为埃格顿授予公会运动骑士勋章。 惠特拉姆在 1975 年 12 月的联邦选举中以压倒性优势战胜了马尔科姆•弗雷泽,并向埃杰顿授予了骑士爵位,以表彰其在工会运动中的贡献。 0 +奥德利男爵的第一任妻子是琼·莫蒂默,她是罗杰·莫蒂默的女儿。 奥德利第二男爵詹姆斯的第一任妻子是琼·莫蒂默,她是罗杰·莫蒂默的女儿。 1 +前任秘书包括曾获苏格兰园艺服务员佐勋章的约翰·麦凯、艾利森·缪里森、汤姆·马博特和约翰·麦克伦南博士。 历任秘书包括艾莉森·缪里森、汤姆·马博特(因其对苏格兰园艺学会的服务而获得大英帝国最优秀勋章)、约翰·麦克伦南和约翰·麦基博士。 0 +然后他搬去了瑞士,再之后搬去了意大利,他在那儿认识了谢莉和拜伦。 然后他搬去了瑞士,后来又搬去了意大利,他在那里遇到了雪莱和拜伦。 0 +若昂·马丁斯·佩纳和弗朗西斯科·德·保拉·胡列塔·佩纳出生于里约热内卢,父亲是马丁斯·佩纳。 João Martins Pena 和 Francisca de Paula Julieta Pena 出生在里约热内卢的佩纳·马丁斯家。 1 +谢尔·艾哈迈德·阿洪扎达(也被称为谢尔·穆罕默德·阿洪扎达)是一位部落首领,曾于 2001 至 2005 年间担任阿富汗赫尔曼德省省长。 谢赫·默罕默德·阿洪扎达(又名谢赫·艾哈迈德·阿洪扎达)是一名部落首领,曾在 2001 年至 2005 年间担任阿富汗赫尔曼德省省长。 1 +艾米丽·安·莫雷利(出生于 1984 年 3 月 27 日,艾米丽·安·劳埃德)是一位美国美国女演员。 艾米莉·安·劳埃德(于 1984 年 3 月 27 日出生为艾米莉·安·莫雷利)是一位美国女演员。 0 +尽管友谊高地村并非已确立的自治市,但其于 1914 年被纳为特别税区。 尽管友谊高地村不是已确立的社区,但其于 1914 年被纳为特别税区。 0 +麦克内尔于 1884 年退休,于 1885 年去世。他葬在明尼阿波利斯的莱克伍德墓园。 他于 1884 年去世并于 1885 年退休,被葬在明尼阿波利斯的莱克伍德公墓。 0 +当杰克·尼采第一次听到《顽固的家伙》时正和菲尔·斯佩克特一同驾车行驶在日落大道上,歌声让他激动万分,没有控制住汽车。 当杰克·尼切第一次听到“固执的家伙”时,他正与菲尔·斯佩克特驾车行驶在日落大道上,他太过激动以至于失去了对车的控制。 1 +他作为专业运动员出战意大利、俄罗斯、希腊、法国、印度尼西亚和希腊,在波多黎各、葡萄牙和印度尼西亚夺得全国锦标赛冠军。 他曾在希腊、俄罗斯、意大利、法国、波多黎各、葡萄牙和印度尼西亚打过职业比赛,并在印度尼西亚和希腊赢得全国冠军。 0 +《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的第七张专辑,他们最后一张录音室专辑是为 Grunt Records 录制,名为 Grunt BFL1-1920。 Hoppkorv 是美国蓝调摇滚乐队热鲔鱼的最后一张专辑,也是他们为 Grunt Records 录制的第七张录音室专辑,称作 Grunt BFL1-1920。 0 +1973 年 11 月,罗杰·桑尼切断与罗杰·格林纳威的联系,而克里斯·冈宁提供和进行安排。 1973 年 11 月,在 Chris Gunning 进行安排和指挥以及 Roger Greenaway 的制作下,Sunny 完成了这首歌曲。 0 +阿波罗尼亚相当于现在的保加利亚索佐波尔,而西利布里亚则是马尔马拉海岸上的锡利夫里。 阿波罗尼亚现相当于保加利亚的索佐波尔,而塞林布里亚则为马尔马拉海岸的锡利夫里。 1 +国际独立专家小组在调查事故的影响后得出结论称,无人因这场事故遇难或中毒。 一个国际独立专家小组研究了事故的影响并得出结论,没有人因事故而中毒或死亡。 1 +别根海特码头邻近别根海特波因特工厂直销店中心,紧挨着铁湾大桥,步行大约一分钟即到。 伯肯黑德码头邻近铁湾大桥并靠近伯肯黑德角工厂名品折扣中心,步行大约一分钟即到。 0 +吉他的原主人是贝特恩考特,克里斯·格林德在纽约市的斯特林录音室演奏了它。 贝滕科特演奏了吉他并将母带交给纽约市 Sterling Sound 工作室的克里斯·格里杰处理。 0 +马丁·达姆和拉德克·斯泰潘内克在决赛中分别以 6-2 和 6-4 战胜约纳斯·比约克曼和法布里斯·桑托罗。 约纳斯·比约克曼和法布里斯·桑托罗在决赛中以 6-2 和 6-4 打败了马丁·达姆和拉德克·斯泰潘内克。 0 +她在 19 岁时搬去了斯德哥尔摩,然后在 2011 年从这里搬去了纽约。 她 19岁时搬到纽约,2011 年搬到斯德哥尔摩。 0 +悉尼水务委员会于 1888 年从市议会接管悉尼的水供应事务。 市议会会于 1888 年从悉尼水务委员接管悉尼的水供应事务。 0 +Massé 出生于密歇根州荷兰,在纽约州威斯特彻斯特县长大,青少年时期生活在欧洲。 Massé 出生于纽约州威斯特彻斯特县,在密歇根州荷兰长大,青少年时期生活在欧洲。 0 +1991 至 1995 年间,他(与 Dzhigarkhanyan Armen 一道)在格拉西莫夫电影学院教授大师表演课,并在国立卢那察尔斯基戏剧学院任教。 在 1995 年之前,在 1991 年,他在苏联国立电影学院(和艾门·蒂兹盖汉扬共同)教授表演专业硕士课程,当时他在俄罗斯莫斯科戏剧学院。 0 +于是,神做了特别的礼拜并向马拉亚德瓦加·潘地亚祈祷。 因此,马来亚德瓦·潘雅进行了特殊的礼拜并向上帝献上了他的祷告。 0 +安东尼奥在 2009 年亚洲国际象棋锦标赛中名列第三,成为菲律宾史上首位荣获 2009 年下半年世界杯参赛资格的棋手。 在 2009 年亚洲国际象棋锦标赛中,他名列第一并成为菲律宾史上第三位荣获 2009 年 2009 世界杯参赛资格的棋手。 0 +33d 战斗团在不活跃时,与 33d 战术团整合为 33d 战术战斗团。 33d 战斗团在不活跃时,与 33d 战术团整合为 33d 战术战斗团。 1 +1932 年瑞典冰球锦标赛在瑞典冰球锦标赛的第 11 个赛季获胜,这是瑞典的全国锦标赛。Hammarby IF 赢得了冠军。 1932 年瑞典冰球锦标赛是瑞典冰球锦标赛的第 11 个赛季,这是瑞典的全国冠军赛。Hammarby IF 赢得了冠军。 0 +“天使眼眸”是一首创作于 1946 年的流行歌曲,由厄尔·布伦特作曲,马特·丹尼斯作词。 《天使之眼》是 1946 年的热门歌曲,由厄尔·布伦特作曲,马特·丹尼斯作词。 1 +1987 年 6 月 13 日,“毁灭者”在日本发布,由东宝发行。 1987 年 6 月 13 日,“粉碎者”于日本发行,由东宝发布。 0 +这点燃了他本打算向迦太基发起的四场战争中的第一场。 这点燃了他即将向迦太基发起的四场战争中的第一场。 1 +这些地点被视为贫瘠栖息地的边缘,评分分别为 56 和 96。 这些地区被视为边缘栖息地的贫瘠地点,评分分别为 56 和 96。 0 +它与 Sheshequin 镇东部,罗姆镇东部和南部,雅典镇南部,以及温德汉姆镇西部接壤。 它受限于东部的 Sheshequin 镇、东南部的罗马镇、南部的雅典镇和西部的温德姆镇。 1 +1 月 21 日至 28 日,2007 年锦标赛于华盛顿斯波坎的斯波坎运动场和斯波坎会议中心举行。 2007 年锦标赛于 1 月 21 日至 28 日,在华盛顿斯波坎的斯波坎会议中心和斯波坎竞技场举行。 1 +它被发现于北美洲,据记载其在此地从纽芬兰和拉布拉多向西延伸至不列颠哥伦比亚,向北延伸至阿拉斯加州和育空。 它于北美被发现,从纽芬兰和拉布拉多西至不列颠哥伦比亚省,北至阿拉斯加州和育空地区均有记录。 1 +BBC 于 2008 年 5 月播放第三个广播版本,威尔顿饰演贝丝和作者达夫。 BBC 于 2008 年 5 月播出了第三部广播版,其中威尔顿扮演达夫,作者扮演贝丝。 0 +1198 年经菲奥里的批准,塞莱斯廷三世成为更严格的西多会新分会的中心。 菲奥雷成了西多会中更严格的一个新分支的中心,在 1198 年经塞莱斯廷三世批准。 0 +从最负面的意义上讲,圣经中的厄运是一种正式的赐福。 从最正式的意义上来讲,圣经的厄运是一种消极的祝福。 0 +同样值得注意的是,以下代码可在缺乏 ADL 时运行(任何情况下均适用)。 还有一点值得注意的是,下列代码没有 ADL 也能运行(不论如何均可应用在它身上)。 1 +他们多少取得成功,在墨尔本、基隆和谢伯顿举行现场演出。 他们通过在谢珀顿、吉朗和墨尔本的现场表演取得了一些成功。 1 +二月初接到的火警报案为 73 起,其中 26 起火情失控,预计还需要一个月的时间才能控制火情。 二月初所报道的火灾数为 73 起,其中 26 起失控,而控制下一个月火灾的预计时间。 1 +1862 年,歌舞杂耍表演首次从巴黎传入伦敦并变得非常受欢迎,其中有舞者、歌手、杂技演员和经魔术师训练的动物。 音乐厅最初于 1862 年从伦敦引进巴黎,并且深受舞者、歌手、杂技演员和术士训练的动物欢迎。 0 +许多人将他们的音乐视为受说唱金属与工业金属影响的另类金属,根据之前的采访,他们将自己称为“谋杀 - 摇滚”。 许多人将他们的音乐视为混有饶舌金属和另类金属影响的工业金属乐。根据之前的访谈,他们自认为是“谋杀式摇滚”。 0 +Cast 主要从事另类音乐和独立音乐。 演员主要关注独立音乐和另类音乐。 1 +梅洛迪·克里滕登于 2004 年离开该团体单飞,而妮可在 2005 年的大部分时间在该团体演唱。 梅洛迪·克里滕登于 2004 年离开乐队,开始了独唱生涯,在 2005 年的大部分时间他都与尼科尔一起演唱。 1 +巴索达是印度中央邦乌代浦附近的小镇。 Ganj Basoda 是印度中央邦的一个城市,靠近乌代布尔。 1 +战后,他分别在 1948 年和 1949 年为皇家海军队对战陆军队两次,并且在 1949 年对战剑桥大学队。 战后,他分别于 1948 和 1949 年两度为皇家海军对阵军队,并于 1949 年对阵剑桥大学。 1 +超级巨星杰克·史洛夫的司机阿洛克·南斯无法完成他的工作,因此被他的儿子迪派克(拉胡尔·罗伊)取代。 阿洛克·纳特是超级巨星杰基·史洛夫的司机,他无法做好自己的工作,所以他被他儿子迪帕克(拉胡尔·罗伊)取代。 1 +2011 年停运后,Schüptitz 车站在 2012 年的民众抗议后恢复了运行。 在 2011 年恢复运作后,Schüptitz 车站已于 2012 年的民众抗议后停运。 0 +这对夫妻在家乡萨卡里亚省举行婚礼后,就立即飞往西班牙巴塞罗那。 在他的家乡萨卡里亚举办婚礼后,这对夫妇便飞往西班牙的巴塞罗那。 1 +波林说“是的”,但佛兰妮仍旧怀疑。 弗兰妮表示同意,但是波琳仍然表示怀疑。 0 +塞莱斯廷三世成为费奥雷于 1198 年批准的西多会全新和更加严格的支派的中心。 1198 年随着雷定三世的首肯,费欧瑞成为熙笃会更严格的新分支的中心。 0 +1968 年 Wooster Avenue 种族暴动期间,美国国民警卫队使用具有历史意义的 Rubber Bowl 作为基地。 在 1968 年伍斯特大街骚乱的历史时期,具有种族背景的 Rubber Bowl 被美国国民警卫队征用为基地。 0 +凡伍德位于第 22 国会选区,也是新泽西州第 12 州立法选区的组成部分。 范伍德位于第 12 国会选区,是新泽西州第 22 州立法选区的一部分。 0 +第九季成为喜剧中心评分第二高的节目。 第九季成为喜剧中心频道排名第二的电视剧。 1 +根据季节不同,北美洲的粉纹夜蛾种群会从加拿大迁徙至墨西哥。 根据不同季节,北美的卷心菜群会从墨西哥迁移至加拿大。 0 +《AleX》是一部意大利电视连续剧。该剧由乔尔乔·舍特勒尔、古列尔莫·杜科利和阿尔弗雷多·卡斯泰利制作,并由 Videotime 编剧。 意大利电视连续剧《AleX》由希奥尔希奥·斯科特勒、古格列尔莫·杜科利和阿尔弗雷多·卡斯特里制作,并由 videotime 编剧。 1 +罗伯特·拉姆西中尉于 1805 年 5 月将她派去北海,1806 年约翰·格奇中尉顶替了他的位置。 约翰·盖奇中尉于 1805 年 5 月委派她前往北海。罗伯特·莱米塞中尉在 1806 年取代了他。 0 +在原来的系列中,佐佐木望的日语配音员是麦凯,英语配音员是弗兰克·特林布。 在最初的系列中,麦凯的日语配音员是佐佐木望,英语配音员是弗兰克· 特林布。 0 +在斯里兰卡,会计师(斯里兰卡特许会计师)这一名称仅限斯里兰卡会计师协会会员使用。 在 CA,只有斯里兰卡会计师协会的成员才能使用会计师的头衔(斯里兰卡 斯里兰卡)。 0 +Loveland 占用了第二层作为其商业区,第一层则作为共济会教堂。 Loveland 将一楼用作商业场所,二楼作为共济会会所。 0 +他因自己的妻子、女儿卡罗尔·欧博和四个孙子女而存活下来。 他的妻子卡罗尔·欧博、女儿薇奥拉和四个孙子都比他活得长。 0 +文森门站位于巴黎第 20 区东南角与第 12 取东北角的交汇处。 文森门站位于巴黎 12 区东北角与巴黎 20 区东南角的交汇处。 0 +该剧本于 1631 年以其副标题《The School of Complement》印刷,由伊丽莎白·奥德为书商弗朗西斯·康斯特布尔以四开本出版。 作品的四开本在 1631 年以“补充学院”为副标题开印,由伊丽莎白·奥得为书商弗朗西斯·康斯特博出版。 0 +20 世纪 70 年代后,他转向表面上更为传统的风景画,并结构了浪漫绘画的传统。 在 1970 年代中期之后,他转向看似传统的风景,解构浪漫绘画的惯例。 1 +越南战争期间,三合会在南方但是在北方被清除。 越南战争期间,三合会在北方遭到根除,但在南方并非如此。 0 +Erginus galkini 是一种海螺,是真正的帽贝,属于莲花青螺科海生腹足软体动物,莲花青螺科是真正帽贝科之一。 Erginus galkini 是一种海螺,一种真帽贝,是莲花青螺科的海洋腹足纲软体动物,属于真帽贝的一科。 1 +初级甲组总冠军将被授予 James Delahunt 杯。 初级甲组获胜者将被授予 James Delahunt 杯。 0 +勒罗伯特·戈尔兹伯勒于 1937 年 10 月 3 日出生于芝加哥,为罗伯特·文森特·戈尔兹伯勒和建筑师威尔玛·(亚纳克)戈尔兹伯勒之子。 文森特·戈尔兹伯勒于 1937 年 10 月 3 日出生在芝加哥,他是建筑师罗伯特·戈尔兹伯勒和威尔玛(贾娜克)戈尔兹伯勒的儿子。 0 +它也是俄罗斯第五高的建筑、欧洲第六高的建筑和世界上 90 座超高摩天大楼之一。 它也是俄罗斯第六高大楼,欧洲第五高大楼和世界 90 栋超高层摩天大楼之一。 0 +接下来,耶尔与演员 Jaggu Dada 一起出现在卡纳达语电影《Darshan》中。 耶尔接下来与演员 Jaggu Dada 一起出现在卡纳达语电影《Darshan》中。 1 +图巴朗港是巴西的一个港口,邻近圣埃斯皮里图州的维多利亚市。 图巴朗港是位于圣埃斯皮里图州的港口,临近巴西的维多利亚市。 0 +犬种标准对这类狗的描述是,拥有坚韧的性格与敏锐的个性,不相信陌生人。 根据犬种标准的描述,这种狗有坚韧的气质和鲜明的个性,不相信陌生人。 1 +后来,人们庆祝了这一事件,现在埃及将每年的 1 月 25 日作为国家警察日庆祝。 这一事件后来被人们庆祝并且现在每年 1 月 25 日作为国家警察日在埃及庆祝。 0 +第一期信号官课程于 1951 年开设,而当前所教授的课程已是第 86 和 87 期。 第一个信号官课程于 1951 年开设,而第 86 和第 87 个课程为当前的比赛课程。 1 +他在纽约州的布鲁克林出生,在加利福尼亚州的蒂伯龙去世。 他在加利福尼亚州的蒂伯龙出生,并在纽约州的布鲁克林去世。 0 +何塞·B·哈尼纳被他自己的拉比约哈南·巴·纳夫查任命为拉比。 拉比被他自己的何塞·B·哈尼纳和约哈南·巴·纳夫查任命为拉比。 0 +内亚罗夫河是罗马尼亚 Neajlovel 河的一条支流。 内亚罗夫河是罗马尼亚 Neajlovel 河的一条支流。 1 +“Air”、Howie B、Mars IV、Les Négresses Vertes 和 FFF 等乐队以及曼吕·乔也参与了此专辑。 Cassius、“Air”、Howie B、Mars IV、Les Négresses Vertes 和 FFF 等乐队以及曼吕·乔也参与了此专辑。 1 +活动结束时,中国 PR 的梅根·杨为她的继任者菲律宾的于文霞带上王冠。 比赛最后,中国的于文霞为其继任者—来自菲律宾的梅根·杨—戴上后冠。 0 +作为这所法国学校的小作曲家,他以指挥家的身份为印象派教会音乐作出了杰出贡献。 虽然他是法语学校微不足道的作曲者,但是作为指挥家,他为印象主义教堂音乐做出了杰出的贡献。 1 +奥克塔维厄斯·瓦尔·马莱特的次女爱丽丝·安娜·凯瑟琳于 1852 年 6 月 24 日在科隆英国领事馆嫁给托马斯。 托马斯·安妮的第二个女儿,艾莉丝·安娜·凯瑟琳于 1852 年 6 月 24 日在科隆的英国领事馆与奥克塔维厄斯·沃尔·马利特结婚。 0 +1993 年,当普拉策尔在艾伦镇开第二家餐厅时,他将名称改为 P. J. Whelihan 's,以纪念他的祖父彼得·约瑟夫·韦利汉。 1993 年,当 Platzer 在艾伦镇开设他的第二家餐厅时,他更名为 P. J. 惠尔利汉,以纪念他的祖父皮特·约瑟夫·惠尔利汉。 1 +建议与可靠的证人签订书面财务合同,尽管存在关于女性证人平等性的争议。 建议在可靠证人的见证下签署书面金融合同,尽管对于女性证词的平等性存在争议。 1 +二十世纪七十年代,Kapp 在 Cher 和 MCA 这两个品牌旗下取得更大的成功,并且一直为它们效力到 1974 年。 Kapp 依靠 Cher 和 MCA 公司在七十年代取得较大成功,并且为他们效力直到 1974 年。 1 +汤姆 汤姆开车前往托斯卡纳区,带着玛丽安告诉他的消息面对威廉和海伦娜。 汤姆前往托斯卡纳区,带着海伦娜告诉他的消息面对威廉和玛丽安。 0 +他于 1924 年在多伦多、1932 年在苏黎世以及 1936 年在奥斯陆担任 ICM 的特邀发言人。 他于 1924 年在多伦多、1932 年在苏黎世以及 1936 年在奥斯陆担任 ICM 的特邀发言人。 1 +他的大型雕塑可以在瓦纳卡的公共场所看到,从新西兰到凯塔亚以及二者之间的许多地方均是如此。 他的大型雕塑可以在新西兰的公共场所看到,从凯塔亚到瓦纳卡以及二者之间的许多地方均是如此。 0 +联赛的许多主力选手都曾效力于该队,包括拥有七年职业生涯的老运动员杰克·雷姆森和从业十年的老运动员约翰·凯林斯。 联赛的许多主力选手都曾效力于该队,包括拥有七年职业生涯的老运动员约翰·凯林斯和从业十年的老运动员杰克·雷姆森。 0 +洛阳中学队在首轮比赛中击败莱佛士书院,在四分之一决赛中击败新民中学,在半决赛中败给华侨中学。 Loyang 队在首轮战胜了新民中学并在四分之一决赛中战胜了莱佛士书院,但在半决赛中输给了南洋华侨中学。 0 +在他去世时,大卫是红衣主教比顿圣安德鲁斯大法官、苏格兰大主教和苏格兰红衣主教使节。 红衣主教大卫·比顿在去世前身兼苏格兰大法官、圣安德鲁斯大主教和苏格兰红衣主教使节。 0 +阿布哈利法(Abu Halifa、Abu Hulayfah、Abu Huleifa 或 Abu Haleifah) 是位于阿布哈利法地区南部艾哈迈迪省科威特的一个小镇。 Abu Halifa 又名 Abu Hulayfah、 Abu Huleifa 或 Abu Haleifah,是科威特南部艾哈迈迪省 Abu Halifa 区的一个小镇。 0 +该溪流称为小平溪,是大平溪水源的上游。 该溪流称为大平溪,是小平溪水源的上游。 0 +前翼是暗淡的草黄色,还有三个以三角形排列的深色尖端。 前翼是暗淡的草黄色,还有三个以三角形排列的黄色尖端。 0 +1924 年夏季,他前往阿肯色州南部的斯马科弗,在犹尼昂县附近诺夫利特的一间办公室从事繁荣的石油事业。 1924 年夏季,他前往阿肯色州南部的犹尼昂县,在斯马科弗附近诺夫利特的一间办公室从事繁荣的石油事业。 0 +自余下的 E-Plus 于 3 月 14 日遭到收购后,KPN 便归于荷兰电信集团 Simyo 旗下。 在 3 月 14 日对 E-Plus 剩余部分的收购完成后,Simyo 属于荷兰电信集团 KPN。 0 +至于康涅狄格州的场景,在南非开普敦摄制。 康涅狄格州的场景在南非开普敦摄制。 1 +Mabvuku 高中是一所位于津巴布韦哈拉雷 Mabvuku 郊区的中学。 Mabvuku 高中是一所位于津巴布韦哈拉雷 Mabvuku 郊区的高中。 0 +完成的围栏主要位于新墨西哥州、亚利桑那州和加利福尼亚州,德克萨斯州还在建设。 已完工的围墙主要位于新墨西哥州、亚利桑那州和加利福尼亚州,得克萨斯州的围墙人在施工中。 1 +麦迪逊区公立学校区是服务于密歇根州麦迪逊海茨大底特律区南端的学区。 麦迪逊区公立学校区是一个位于密歇根州麦迪逊高地大底特律区南部的校区。 1 +北安普敦郡是北安普敦郡的一个县选区,代表英国议会的下议院。 北安普敦郡是北安普敦郡北部的一个郡级选区,属于英国国会下议院。 1 +它在加利福尼亚州、亚利桑那州、内华达州和犹他州被发现,对它的记录是从北美开始的。 它在加利福尼亚州、亚利桑那州、内华达州和犹他州被人发现,在北美有关于它的记载。 1 +1987 年 6 月 13 日,“粉碎者”分发至日本,并由东宝株式会社发行。 “毁灭者”于 1987 年 6 月 13 日在日本发布,由东宝发行。 0 +Heydarov 会说阿塞拜疆语、英语、俄语和土耳其语。 海达罗夫讲俄语、英语、阿塞拜疆语、土耳其语。 1 +2007 年的锦标赛于 1 月 21 日至 28 日在华盛顿州斯波坎市的斯波坎体育馆和斯波坎会议中心举行。 2007 年冠军赛于 1 月 21 日至 28 日期间在华盛顿斯波坎的斯波坎会展中心 和斯波坎体育馆举行。 1 +它从加利福尼亚州旧金山旅行到纽约州曼哈顿。 它已经从加利福尼亚州旧金山前往纽约曼哈顿。 1 +可汗与护卫前行,齐贾诺夫与另外两名男子驾马前行,并遭枪击身亡。 可汗带着随从骑马出发,齐齐阿诺夫跟着另外两个人移动并被击毙。 0 +最快的是尼科·罗斯伯格,领先于威廉姆斯、瓦尔特利·博塔斯和路易斯·汉密尔顿。 尼科·罗斯伯格最快,超越威廉姆斯的瓦尔特利·博塔斯和路易斯·汉密尔顿。 1 +Daniil Ostrogski 还声称,德米特罗是 Bilinsky 的父亲,亦叫做“Danylo Dmytrovych”。 丹尼尔·奥斯特洛斯基还宣称,德米特罗是比林斯基的父亲,也被称为“丹尼洛·德米特罗维奇”。 1 +罗伯特·戈尔兹巴罗 1937 年 10 月 3 日生于芝加哥,他是建筑师罗伯特·文森特·戈尔兹巴罗和威尔玛(杰娜可)·戈尔兹巴罗的儿子。 文森特·戈尔兹伯勒于 1937 年 10 月 3 日出生在芝加哥,他是建筑师罗伯特·戈尔兹伯勒和威尔玛(贾娜克)戈尔兹伯勒的儿子。 0 +他与当代建筑师合作,例如,焦万·贾科莫·迪·孔福尔托、巴托洛梅奥·皮基奥蒂和弗朗西斯科·格里马尔迪。 他与当代建筑师合作,例如,弗朗西斯科·格里马尔迪、巴托洛梅奥·皮基奥蒂和焦万·贾科莫·迪·孔福尔托。 1 +他曾在比利·艾克斯廷的乐队录制唱片,并于 1946 年加入莱昂内尔·汉普顿乐队。 他与比利·艾克斯汀的乐队一同录制,并于 1946 年与莱昂内尔·汉普顿乐队共同演奏。 1 +它被 Sirius Radio 1st Wave 上经典 80 年代的另类频道替换。 它被 Sirius Radio 1st Wave 上经典 80 年代的另类频道替换。 0 +据美国人口调查局的数据显示,这个镇子的总面积为,其中陆地占,水域占 33.45%。 根据美国人口调查局的数据,该城市的土地总面积或 33.45% 是水。 1 +工作室于 2008 年开业,由马丁·皮尔彻设计,由总工程师扎克·汉考克监建。 工作室于 2008 年开业,由扎克·汉考克设计,并由总工程师马丁·皮尔彻负责维护。 0 +《Pennmakkal》为1966年出品的印度马拉雅拉姆语电影,由J. Sasikumar监制、KP Kottarakkara指导。 《Pennmakkal》是一部 1966 年的印度马拉雅拉姆语电影,由 J·萨斯库马尔执导,由 KP·科塔拉克拉制作。 1 +他的子女是卡洛琳和辛西娅(1970 年逝世) 、布伦南、马特·佩洛西、劳伦斯(生于 1971 年)和安德鲁(生于 1981 年)。 他的孩子有卡罗琳、布伦南、马特·佩洛西、劳伦斯(死于 1970 年)、安德鲁(生于 1971 年)和辛西娅(生于 1981 年)。 0 +Mabvuku 高中是位于津巴布韦 Mabvuku Harare 郊区的一所高中。 Mabvuku 高中是位于津巴布韦哈拉雷 Mabvuku 郊区的一所高中。 0 +虽然克罗地亚英式橄榄球联合会是前南斯拉夫的主要体育中心,但是斯洛文尼亚仍然盛行英式橄榄球。 虽然斯洛文尼亚的英式橄榄球联合会是前南斯拉夫的主要体育中心,但是克罗地亚仍然盛行英式橄榄球。 0 +耶稣在鱼腹中度过了三日,约拿将在墓穴中度过三日。 约拿在鱼肚子里待了三天;耶稣将在墓穴里待三天时间。 0 +文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日至 2012 年 7 月 29 日)是一位库契普迪舞舞者和印度舞蹈大师。 文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日至 2012 年 7 月 29 日)是一位印度舞蹈家和库契普迪舞(一种舞蹈形式)大师。 0 +黑兹尔在新的电视连续剧“华丽死亡”中饰演了最小的妹妹亚历山德拉·科平杰。 亚历山德拉·柯平格纳在新的电视剧“Dead Gorgeous”中扮演最小的妹妹黑兹尔。 0 +麦卡锡出生在奥克兰,但在 4 岁时随父母搬往加利福利亚州旧金山。 麦卡锡出生于加利福利亚州旧金山市,但四岁时和父母一起搬到了奥克兰。 0 +克拉克有一个叫里希的儿子,于 2007 年 4 月 3 日出生。Socks and Sandals 的一张微宇宙音乐 EP《Rishi Saturn》便以其命名。 Rishi 有个儿子名叫克拉克,出生于 2007 年 4 月 3 日。其在 Microcosmos Music 上发行的 EP《袜子和凉鞋》即以他的名字 Rishi Saturn 命名。 0 +没有全人类以团结一致的精神共同发展,个人的同时发展就不可能取得任何进展。 没有在团结精神下全体人类的同步发展,个人的全面发展也不会取得进步。 0 +因此,该地区的海洋生产力可能会根据生物条件而改变。 因此,该地区的生物生产力可能根据海洋条件而发生改变。 0 +去耦蛋白1于1978年克隆,并于1988年首次发现。 解偶联蛋白 1 在 1978 年被发现,于 1988 年首次被克隆。 0 +阿尔法罗是第三位被判处在毒气室接受死刑的妇女,而在判决她时,她是加利福尼亚州的第一位死囚妇女。 阿尔法罗是毒气室中被处死的第三名女性,在宣判时,她是加州死刑犯中的第一位女性。 1 +Basia Trzetrzelewska 在 1987 年推出的《时代和浪潮》专辑中的歌曲《Astrud》是对吉尔伯托的致敬。 吉尔伯托 1987 年发行的《时代和浪潮》专辑中的歌曲《Astrud》是对 Basia Trzetrzelewska 的致敬。 0 +1964 年,主教辖区在名义上恢复为最低(主教)级的领衔教区。 1964 年,主教教区名义上恢复为最低(主教)等级的名义市民。 1 +文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日 - 2012 年 7 月 29 日)是一位印度舞蹈家和库契普迪舞蹈形式大师。 Vempati Chinna Satyam(1929 年 10 月 15 日--2012 年 7 月 29 日)是一位库契普迪舞者,也是一位印度舞大师。 0 +彼得·伯吉斯与凯伦·丽芙·里亚·奥斯唐结婚 , 他不仅是红十字国际委员会的合作代表,也是三个孩子的父亲。 凯伦·丽芙·里亚·奥斯唐与红十字国际委员会合作代表 J. 彼得·伯吉斯结婚,养育了三个孩子。 0 +1876 年,她搬至加利福尼亚州圣地亚哥,后于 1887 年搬至得克萨斯州达拉斯。 1876 年,他移居德克萨斯州的达拉斯,并于 1887 年搬至加利福尼亚州的圣地亚哥。 0 +小舌挤喉音是一种辅音,在多种口语中使用。国际音标表中的符号代表这种发音。 辅音紧喉音是某些口语中所用的一类小舌音。国际音标中用于表示此声音的符号为 0 +马雷娶了玛丽·奥德沃斯,巴克夏郡 Letcombe Regis 村托马斯·怀特的寡妇,约翰·奥德沃斯的女儿,她 1664 年以前一直住在巴克夏郡 Fyfield 村。 马莱特与玛丽·阿尔德沃斯结为了夫妻,一直生活到 1664 年,她是伯克郡 Letcombe Regis 的约翰·阿尔德沃斯的遗孀和伯克郡 Fyfield 的托马斯·怀特的女儿。 0 +该航空公司由 Irelandia 创立,Irelandia 还开发其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中巴士航空和澳洲虎航。 该航空公司由 Irelandia 创立,它还成立了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中巴士航空和澳洲虎航。 0 +在迪米特里加·德米特的推荐下,斯特罗齐在治疗后开始上约瑟普·佛罗伊登赖希的私人表演课程。 在迪米特里加·德米特的推荐下,斯特罗齐在治疗后开始上约瑟普·弗罗伊登赖希的私人表演课程。 1 +马丁·达姆和拉德克·斯泰潘内克在决赛中分别以 6-2 和 6-4 战胜约纳斯·比约克曼和法布里斯·桑托罗。 约纳斯·比约克曼和法布里斯·桑托罗以 6-2 和 6-4 的成绩击败马丁·达姆和拉德克·斯泰潘内克而赢得决赛。 0 +他与莱昂内尔·汉普顿乐队合作过,并于 1946 年与乐队比伊·埃克斯蒂娜一起录制了专辑。 他与比利·埃克斯蒂娜的乐队一起录制了专辑,并在 1946 年与莱昂内尔·汉普顿合作过。 0 +它由 Angular Recording Corporation 于 2008 年 1 月 28 日在英国发行,并由 Domino Records 于 2008 年 3 月 18 日在美国发行。 它由 Angular Recording Corporation 于 2008 年 1 月 28 日在美国发行,并由 Domino Records 于 2008 年 3 月 18 日在英国发行。 0 +欧克林位于第一国会选区,也是新泽西州第六州立法选区的一部分。 欧克林位于第六国会选区,也是新泽西州第一州立法选区的一部分。 0 +为了表示尊重,这些人用右手支撑着他们的左前臂。 为表尊重,每个人用右手支起自己的左前臂。 1 +蔡瑁还有一个儿子,叫蔡峰。 蔡瑁还有个儿子,名叫蔡讽。 1 +不过,迈克尔·杰克逊、普林斯和麦当娜都对该专辑产生了影响。 然而,迈克尔·杰克逊、普林斯和麦当娜都对这张专辑产生了影响。 1 +基吉柯塔鲁克区是努纳武特区库德拉戈岛众多加拿大无人岛之一。 Kudlago 岛是众多无人居住的加拿大岛屿之一,位于努纳武特奇基塔鲁克地区。 0 +与让·科拉利·阿希尔·德维里亚一起描绘阿黛勒·杜米拉特尔的画像。 阿西尔·德维利亚曾与让·科拉利一同描绘阿黛尔·杜米拉特雷。 1 +该设施在 1996 年翻新,然后在 2011 年竣工。 该场所于 1996 年竣工,然后在 2011 年翻新。 0 +1954 年 6 月 30 日,他在纽约市俄克拉荷马克莱尔莫尔死于胃癌,这里是林恩·里格斯纪念馆的所在地。 他于 1954 年 6 月 30 日因胃癌在纽约逝世。俄克拉荷马州的克莱尔莫尔建有林恩·瑞格斯纪念馆。 0 +詹姆斯·亨利·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿托巴罗夫,他的父母是尤金·D·恩格利及其妻子,婚前名玛丽·凯利。 1851 年 4 月 5 日,詹姆斯·亨利·英格利出生于马萨诸塞州的阿特伯勒,他的父亲是尤金 D·英格利,而母亲是玛丽·卡丽。 1 +在德国出生,父亲是犹太人,是海德薇格·埃伦伯格和科学家马克思·伯恩的儿子。 出生于德国,是马克斯·玻恩和科学家海德维希·埃伦伯格的儿子,父母均为犹太人。 0 +科尔内利乌斯·欧拉屯吉·阿德巴约是尼日利亚的前参议员,她成为州长,后来担任尼日利亚联邦交通部部长。 Cornelius Olatunji Adebayo 是尼日利亚的前参议员,曾任州长,之后成为尼日利亚联邦通讯部部长。 1 +马里查·拉扎里 1943 年 10 月出生于塞浦路斯,16 岁时随家人移居英国伦敦。 马里查·拉扎里于 1943 年 10 月出生于伦敦,16 岁时随家人移居塞浦路斯。 0 +九个不同的建筑师为该地区贡献了设计,包括奥塔姆瓦建筑师乔治·M·克恩,纽约建筑师 F.R。 九位建筑师为该区的设计出谋划策,包括纽约市建筑师乔治·M·科恩斯、奥塔姆瓦建筑师 F·R。 0 +Mohnia blakei 是一种海螺,属于蛾螺科海生腹足软体动物,是真正的蛾螺。 Mohnia blakei 属于海螺种,是一种属于蛾螺科的真正腹足软体动物——深蓝色蛾螺。 0 +他曾在意大利、俄罗斯、希腊、法国、印度尼西亚和希腊参加过职业比赛,并在波多黎各、葡萄牙和印度尼西亚获得过全国冠军。 他作为专业运动员出战希腊、俄罗斯、意大利、法国、波多黎各、葡萄牙和印度尼西亚并在印度尼西亚和希腊夺得全国锦标赛冠军。 0 +在新的电视连续剧《Dead Gorgeous》中,亚历桑德拉·柯平杰扮演幺妹哈泽尔一角。 亚历桑德拉·柯平杰在新电视连续剧《Dead Gorgeous》中饰演幺妹哈泽尔一角。 1 +费尔奥克斯座落于萨克拉门托和佛森之间 ( 38.651254 , -121.259279 ) 。 萨克拉门托位于 ( 38.651254 , -121.259279 ) , 费尔奥克斯和佛森之间。 0 +他死后留下妻子,婚前名为海伦·塔希尔·希森、他的儿子诺曼·F·博厄斯和唐纳德·P·博厄斯,以及他的女儿芭芭拉·克拉奇利。 他死后留下了妻子芭芭拉·克拉奇利(婚前姓)、儿子诺曼·F·博厄斯和唐纳德·P·博厄斯,以及女儿海伦·塔特希尔·西森。 0 +监管是神职人员的第二次任命,其首次任命还未确定。 重新委任是对第二次委任出现可疑问题的牧师进行初始委任。 1 +巴尔丁根是位于瑞士阿尔高州楚尔察赫区的一个自治市。它距离与德国接壤的南部边境仅 2 公里。 巴尔丁根是德国阿尔高州楚尔察赫区的一个自治市,距离与瑞士接壤的南部边境仅 2 公里。 0 +1961 年 6 月 3 日,埃米尔·格利菲斯败给了加斯帕,这一场较量本是他进军世界冠军赛的首次尝试。 1961 年 6 月 3 日,加斯帕尔输给了埃米尔·格里菲思,这次比赛是他在世界锦标赛的第一枪。, 0 +坎普尔至德里段是连接坎普尔中央火车站和德里的一条铁路线。 坎普尔 - 坎普尔中央站和德里段是连接德里的铁路线。 0 +Goyt 山谷中有两座水库,该水库是其中之一,另一座则是 Errwood 水库。 Errwood 水库中建有两座水库,该水库是其中之一,另一座是 Goyt 山谷。 0 +他与当代建筑师合作,例如弗朗西斯科·格里马尔迪、巴托洛梅奥·皮基亚蒂和焦万·贾科莫·迪·孔福托。 他与 Giovan Giacomo Di Conforto、Bartolomeo Picchiatti 和 Francesco Grimaldi 等当代建筑师展开合作。 1 +医学治疗结束后,斯特罗齐根据约瑟普·弗罗伊登赖希的建议,开始向迪米特里加·德米特学习私人表演课程。 医学治疗结束后,斯特罗齐根据迪米特里加·德米特的建议,开始向约瑟普·弗罗伊登赖希学习私人表演课程。 0 +学校拥有设施完善的教室和高素质师资队伍,大部分班级都很好。 学校拥有设施完善的教室和高素质师资队伍,大部分班级都很好。 1 +2014 年 12 月 19 日,马林鱼队的艾尔瓦迪、加勒特·琼斯和多明戈·日尔曼被交换至纽约洋基队以对抗马丁·普拉多和大卫·菲尔普斯。 2014 年 12 月 19 日,马林鱼队用艾尔瓦迪、加勒特·琼斯和多明戈·日尔曼换来了纽约洋基队的马丁·普拉多和大卫·费尔普斯。 0 +有效介质的特征是具有简单吸收截面,放射频率达到公式 2 和公式 3。 等效介质可以通过简单的吸收横截面积和在频率公式 2 和公式 3 时的排放情况为特征。 1 +Nadège du Bospertus 是一名法国模特及“印度超级模特儿新秀大赛”的前任评委。她是乔治·亚曼尼和詹尼·范思哲的缪斯。 Nadège du Bospertus 是一位前模特,曾担任“意大利超级模特新秀大赛”法国评委,也是乔治·阿玛尼和詹尼·范思哲的缪斯女神。 0 +自 1984 年起,布莱克与帕特里夏·迈耶结婚,并有两个儿子:瑞恩(1988 年出生)和戴尔(1992 年出生)。 自 1984 年起,布莱克与帕特里夏·迈耶结婚,并共同育有两个儿子:瑞恩(1988 年出生)和戴尔(1992 年出生)。 1 +阿曼多·圣地亚哥(1932 年 6 月 18 日出生)是一位加拿大作曲家、指挥家、音乐教育家及葡萄牙裔大学管理人员。 阿曼多·圣地亚哥(生于 1932 年 6 月 18 日)是一位加拿大作曲家、指挥家、音乐教育家和葡萄牙裔大学管理人员。 1 +布雷沃里纳郡包括布雷沃里纳和贡戈尔根村、安格杜尔村、古杜加村及已废弃的小镇塔昆。 布雷沃里纳郡和贡戈尔根村、盎格鲁杜尔村、古杜加村,以及废弃村镇塔昆。 0 +沃伦·海恩斯于 1980 年加入了戴维·阿伦·科带领的巡演和录音乐队,那一年他 20 岁。 1980 年,在他 20 岁时,戴维·阿伦·科加入了沃伦·海恩斯的巡演和录音乐队。 0 +也可运行包含桌面文件(用于启动应用程序)的恶意代码。 也可运行包含桌面文件(用于运行应用程序)的恶意代码。 0 +最常被纺成线的动物纤维是从绵羊身上获得的羊毛。对于手工编织和编织爱好来说,厚实的羊毛和腈纶纱线也经常用到。 最常被纺成线的动物纤维是从绵羊身上获得的羊毛。对于手工编织和针织爱好来说,厚实的羊毛和腈纶纱线也经常用到。 1 +成员包括欧仁·施奈德、莱昂·塔拉伯特、亨利·巴贝特和朱尔斯·奥切特。 其成员包括亨利·巴贝特、莱昂·塔拉伯特、欧仁·施奈德和朱尔斯·奥切特。 1 +她补充道,上述事件发生不久后就发生了强奸。 她补充道,事故后不久便发生了这次强奸。 1 +Schüptitz 的站点在 2011 年停止使用,在市民抗议后于 2012 年恢复使用。 自 Schüptitz 站于 2011 年终止使用后,2012 年的民众抗议使其得以恢复常态。 1 +1942 年 4 月,蒙塔古·斯莱特回到英格兰,并在回来后不久便要求布里顿担任他的《彼得·格赖姆斯》的编剧。 1942 年 4 月,布里顿回到英格兰,并在回去后不久便邀请蒙塔古·斯莱特担任他的《彼得·格赖姆斯》的剧作者。 0 +2012 年,在对从互联网收集的数百万 RSA 公开密钥进行比较分析后,奥吉尔、休斯、伦斯特拉、博斯、Kleinjung 和瓦赫特公布了一项分析结果。 2012 年,奥吉埃、休斯、伦斯特拉、克莱因荣格和瓦赫特宣布对来自互联网数百万个公开 RSA 密钥的分析。 1 +拉卡伊是乌干达的总部,它是二十世纪八十年代的中心地带,也是拉卡伊区第一个被艾滋病疫情波及的地方。 拉卡伊是拉卡伊区的总部,该地区在 20 世纪 80 年代初是中心,并首先受到乌干达艾滋病流行的影响。 0 +乐队中的歌手包括多萝西·克雷恩、沃特尔·康明斯、贝蒂·格里芬、杰瑞·朗的兄弟伯尼和斯科地·马尔什,后者后来与托米·多尔西一同演唱。 乐队成员包括多萝西·克兰、杰瑞·朗、贝蒂·格里芬、伯尼的哥哥沃尔特·康明斯和斯科蒂·马什,后者后来与汤米·多尔西一起演唱。 0 +不过,麦当娜、普林斯和迈克尔·杰克逊都对该专辑产生了影响。 不过,迈克尔·杰克逊、普林斯和麦当娜都对该专辑产生了影响。 1 +“2”在太平绅士史蒂芬·福特的主婚下,本杰明·霍夫于 1806 年 8 月 29 日在杰佛逊县与伊丽莎白·科尔完婚。 本杰明·霍夫定于 1806 年 8 月 29 日与伊丽莎白·科尔结婚,由杰弗逊县治安法官史蒂芬·福特证婚。 1 +巴耶济德二世与居尔巴哈尔·可敦成婚,后者是巴耶济德二世和塞利姆一世的母亲,也是 Sitti Mükrime Hatun 的侄女。 塞利姆一世娶居尔巴哈尔·可敦,她是巴耶济德二世的继任者、巴耶济德二世和 Sitti Mükrime Hatun 的外甥的母亲。 0 +她的作品也与苏格兰学校和安妮·S·斯万的热门小说有关。 她的作品还与苏格兰菜园派和安妮·S·斯旺的热门小说联系在一起。 1 +他于 1876 年搬去加利福尼亚州圣地亚哥,又于 1887 年搬去德克萨斯州达拉斯。 1876 年,他搬去了德克萨斯州达拉斯,又于 1887 年搬去加利福尼亚州圣地亚哥。 0 +瑞士先驱者约翰·萨特 (1803-1880) 和其他欧洲裔美国定居者于 1839 年 8 月一起抵达上加利福尼亚州。 瑞士先驱约翰·萨特(1803 - 1880 年)与其他欧裔美国移民于 1839 年 8 月一起在上加利福尼亚省。 1 +第一个 Foreman of Signals 赛马场于 1951 年建成,第 86 和 87 个马场是目前正在使用中的赛马场。 1951 年开设了第一次信号官课程,当前的课程为第 86 届和 87 期课程。 1 +她是 Henri Queffélec 的女儿,也是 Yann Queffélec 的姐妹,两者都是著名作家。 她是 Yann Queffélec 的女儿,Henri Queffélec 的姐妹,两人都是知名作家。 0 +耶稣在鱼腹中度过了三日;约拿将在墓穴中度过三日。 耶稣在鱼腹中度过了三日,而约拿会在墓穴中度过三日。 1 +萨克拉门托 ( 38.651254 , -121.259279 ) 位于费尔奥克斯和福尔瑟姆之间。 费尔奥克斯 (38.651254 , -121.259279) 位于萨克拉门托和福尔松之间。 0 +Rao Bahadur Raghunath Narasinha Mudholkar 主席来自中央省和贝拉尔的阿姆劳蒂,在其领导下,印度国民大会党于 1912 年在班基波举行第 27 届会议。 1912 年,在来自阿姆劳蒂和贝拉尔中部省份的拉奥·巴哈杜尔·拉古纳特·那拉西纳·马霍尔卡尔的主持下,印度国民大会党在班基波举行了第 27 届会议。 0 +在乔洁特·海耶撰写的神秘小说《无限侦查》中,有个角色被比作阿姆斯特朗。 阿姆斯特朗所著推理小说“Detection Unlimited”一书中的一个角色被比作乔洁·黑尔。 0 +费尔奥克斯 (38.651254 , -121.259279) 位于萨克拉门托和佛森之间。 萨克拉门托位于费尔奥克斯和佛森 (38.651254 , -121.259279) 之间。 0 +罗伯特·文森特·戈尔兹伯勒于 1937 年 10 月 3 日出生于芝加哥,为建筑师罗伯特·戈尔兹伯勒和威尔玛·(亚纳克)戈尔兹伯勒之子。 1937 年 10 月 3 日,文森特·戈尔兹伯勒出生于芝加哥,他是建筑师罗伯特·戈尔兹伯勒和威玛(贾纳克)戈尔兹伯勒的儿子。 1 +歌曲第三段的最后一句在南斯拉夫亚历山大一世统治时期被修改为“Kralja Aleksandra , Bože hrani”。 歌曲第三段的最后一句在南斯拉夫亚历山大一世统治时期被修改为“Kralja Aleksandra , Bože hrani”。 0 +在第一年里,拉尔科·霍伊尔收到了叔叔维克多·拉尔科·埃雷拉给出的一些建议,他在利马建立了相同的博物馆。 在第一年里,拉科·霍伊尔从他的叔叔维克多·拉科·埃雷拉处获得了一些建议,后者正是利马同一家博物馆的创始人。 1 +他终于在“西方共和党派”促使专业植物学家在俄亥俄州出版首批植物学作品集之一。 最终在“西方共和党人”中,他出版了由专业植物学家在俄亥俄州制做的第一批植物集。 0 +他们也发表了专辑的第 5 首歌,“恶”,作为 6 月 13 日专辑的第二首单曲。 他们还于 6 月 13 日发布专辑《Vices》中的第二首歌曲,作为该专辑的第五首单曲。 0 +R205 号公路是爱尔兰的一条区域公路,自卡文郡的 R199 号公路起延伸至利特里姆郡的爱尔兰北部边境,公路大部分位于弗玛纳郡内。 R205 公路是爱尔兰的一条区域道路,从卡文郡的 R199 公路延伸到利特里姆郡的北爱尔兰边境,其中大部分位于弗马纳郡。 1 +它在 1943 年和 1944 年由德国人打捞起来,被盟军轰炸机击沉两次,最终在 1946 年和 1947 年报废。 她被德国人打捞起来,在 1943 年和 1944 年被盟军轰炸机击沉两次,最终在 1946 年和 1947 年报废。 1 +Hirasea goniobasis 是一种呼吸空气的小型蜗牛,是属于内齿蜗牛科的陆生有肺腹足软体动物。 Hirasea goniobasis 是一种会呼吸空气的小型陆地蜗牛,属于肉齿螺科陆生肺类腹足类软体动物。 1 +他在田纳西州卡特县出生,后来搬到阿肯色州。 他在田纳西州卡特县出生,后来搬到阿肯色州。 1 +“Hymenaea stiginocarpa”多生长在巴拉圭北部、中部和东部以及巴西。 “塞拉多栾叶豆”生长在巴拉圭北部、中部和东部及巴西。 1 +阿拉伯运河将迪拜滨水区作为起点。 阿拉伯运河将构成大迪拜滨水城区的第一阶段。 0 +阿曼多·圣地亚哥(生于 1932 年 6 月 18 日)是葡萄牙作曲家、指挥家、音乐教育家和加拿大大学管理人员。 阿曼多·圣地亚哥(生于 1932 年 6 月 18 日)是一位加拿大作曲家、指挥家、音乐教育家和葡萄牙裔大学管理人员。 0 +微小平鳃海天牛是一种小海螺,属于海天牛科海生腹足类软体动物。 微小平鰓海天牛是一种海蛞蝓,属于海天牛科腹足纲软体小分支。 0 +一周后他被转至同市的综合医院,在此她接受了心脏手术并顺利康复。 一周后他被转至同市另一家综合医院,在此她心脏恢复,手术成功。 0 +该团失去 1 名军官,4 人被俘或遭受致命伤害,12 人受伤且有 65 人丧生或失踪。 该团损失 1 名军官、4 人丧生或受致命伤、1 名军官和 12 人负伤,以及 1 名军官和 65 人被俘或下落不明。 0 +马克·怀斯曼是加拿大退休金计划投资委员会的首席执行官。他于 2016 年 6 月被马克·马金取代。 马克·怀斯曼是加拿大退休金计划投资委员会的首席执行官,于 2016 年 6 月被马克·马金取代。 1 +然而,为支持原版,温和版已被跳过。 然而,为了支持温和输出,原版已被跳过。 0 +卢克或洛克是几个(并非全部)在普通话中罗马化为 Lu 的中文姓氏的粤语罗马化拼音。 Luk 或 Loke 是几个(但并非全部)中文姓氏的粤语罗马拼音,其普通话的罗马拼音为 Lu。 0 +超过 1200 万人住在墨尔本-悉尼铁路走廊。 超过 1200 万人沿墨尔本-悉尼铁路线居住。 1 +普通话对特定种族和民族会使用歧视性的术语和某些委婉语,对一些来自不同政府和背景的代表也会使用种族辱称。 汉语普通话拥有适用于不同人种和民族的特定术语和种族委婉语,以及一些针对某些政府和背景的代表的歧视性攻击。 0 +Towanda Creek 位于布拉福县西南部( 41.655805,-76.850706),地处 Canton 谷。 Canton 地处布拉福县西南部(41.655805,-76.850706),位于 Towanda Creek 山谷。 0 +这三个母系王朝曾统治由 Mbooj 父系家族掌管的 Waalo 王国。 这三大父系王朝统治着 Mbooj 母系家族所在的瓦罗王国。 0 +欧洲版和北美版均为英文版。 北美版和欧洲版均为英文版。 1 +迈克尔·埃里克·雷德(森金·范·克里夫),好莱坞艺术学院的另一名学生,在冲浪设备故障时掉进了浴缸。 辛金·万·克里夫(迈克尔·埃里克·里德)是另一位在好莱坞艺术学校就读的学生,他在冲浪机出现故障时落入按摩浴缸。 1 +她是瓦尔、鲍里斯和罗莎琳德的母亲。她的女儿成为了一名心理学教授。 她成为了瓦尔、伯瑞斯和罗莎琳德·罗尔文的母亲,他的女儿是一名心理学教授。 0 +亚历山大·鲍姆加特纳(1841 年 6 月 27 日生于瑞士圣加伦,1910 年于卢森堡去世)是诗人和文学史作家。 亚历山大·鲍姆加特纳(1841 年 6 月 27 日出生于瑞士圣加仑;1910 年在卢森堡去世)是文学史上的一位诗人和作家。 1 +19 世纪,批判更为激烈:巴洛克式评论家约翰·罗斯金声称英国雕塑不仅拙劣,而且败坏道德。 19 世纪,批判更为激烈;巴洛克式评论家约翰·罗斯金声称英国雕塑不仅拙劣,而且败坏道德。 1 +Khedi 是印度中央邦博帕尔的一座村庄。其位于贝拉夏镇。 克哈迪是位于印度中央邦的一个村庄。它坐落在博帕尔区。 0 +当奥迪 V8 亮相 DTM 赛事,它需要与更为轻巧和稍显轻巧的梅赛德斯 190、宝马 M3 和稍轻的欧宝 Omega 3000 同场竞争。 在德国大师赛上,奥迪 V8 与体型和重量小很多的梅赛德斯 190 和宝马 M3 以及体型较小的欧宝欧米茄 3000 一较高下。 0 +他还向米特·罗姆尼捐赠了 34,000 美元,向泰德·克鲁兹捐赠了 7,000 美元,包括资助他 2016 年的总统竞选活动。 他还向特德·克鲁兹捐赠了 34,000 美元,并向米特·罗姆尼捐赠了 7,000 美元,包括支持他 2016 年的总统竞选活动。 0 +航空运输由伯克利新贝德福德在当地使用小型飞机提供以及在东汤顿地区性机场提供。 航空运输在伯克利东陶顿本地由较小型飞机提供,也在新贝德福德的地区机场提供。 0 +但红牛队在季后赛首轮便落败。 红牛队获得了胜利,但在季后赛首轮便落败。 1 +他于 1884 年去世,1885 年退休,葬于明尼阿波利斯的莱克伍德墓园。 麦克内尔于 1884 年去世并于 1885 年退休。他被葬在明尼阿波利斯市的莱克伍德公墓。 1 +这个团队主要研究另类音乐和独立音乐。 该演员主要关注独立音乐和另类音乐。 1 +莱特从北卡罗来纳州教堂山搬到纽约市。 莱特从纽约搬到了北卡罗来纳的教堂山。 0 +它的大致边界是 South Broad Street 到 Grier Avenue 以及 Pearl Street 到现在的美国 1/9 号公路的位置。 它的大概边界是珍珠街到格里尔大道和布罗德南街道现在的美国 1/9 号公路。 0 +许多大联盟运动员都曾为球队效力,包括有七年运动经验的约翰·凯林斯和十年经验的杰克·雷姆森。 很多大联盟选手都与球队在一起,包括七年球龄的老将杰克·瑞姆森和十年球龄的老将约翰·科瑞恩斯。 0 +该头衔于 1790 年为赫特福德郡政治家詹姆斯·格里姆斯顿设立。他后来被封为韦鲁勒姆伯爵,而该头衔目前仍由他的后代承袭。 该头衔于 1790 年为赫特福德郡政治家詹姆斯·格里姆斯顿设立,他在后来恢复了韦鲁勒姆伯爵名号,且他的后代仍承袭该头衔。 1 +平均而言,7 月最热,而 1 月最冷。 七月是平均最冷的月份,最热的月份则是一月。 0 +该站由英国福克兰群岛属地调查队于 1947 年在温特岛创立为 F 站或阿根廷群岛”。 该站由英国福克兰群岛属地调查队于 1947 年在温特岛设立为 F 站或“阿根廷群岛”。 1 +约纳斯·比约克曼和法布里斯·桑托罗在决赛中分别以 6-2 和 6-4 战胜马丁·达姆和拉德克·斯泰潘内克。 约纳斯·比约克曼和法布里斯·桑托罗在决赛中以 6 - 2 和 6 - 4 击败马丁·达姆和拉德克·斯泰潘内克。 1 +Abu Halifa 或 Abu Hulayfah 或 Abu Huleifa 或 Abu Haleifah 是位于科威特埃尔艾哈迈德省 Abu Halifa 区南部的一个小镇。 Abu Halifa (或 Abu Hulayfah 或 Abu Huleifa 或 Abu Haleifah 是位于科威特南部埃尔艾哈迈德省 Abu Halifa 的一个小镇。 0 +此次阵容主要关注独立音乐和另类音乐。 该节目侧重于独立音乐和另类音乐。 1 +在奥地利的菲利普二世于 1578 年去世后,约翰允许她选择自己的住所。 在菲利普二世于 1578 年因奥地利去世后,约翰允许她选择他自己的住所。 1 +她受到理查德·吉布森和宫廷画家彼得·莱利的称赞,被认为像琼·卡莱尔一样成功。 理查德·吉布森和宫廷画师彼得·莱利对她赞赏有加,而她也被视为与琼·卡莱尔一样成功。 1 +一些历史学家说荷兰的统治阶级希望荷兰与佛拉芒法律体系整合并且采用佛拉芒经济制度。 一些历史学家说荷兰的统治阶级希望荷兰融入弗拉芒法律体系并采用弗拉芒经济制度。 1 +阿波罗尼亚相当于索佐波尔的现代保加利亚,而塞林布里亚则是马尔马拉海岸的锡利夫里。 阿波罗尼亚相当于现代保加利亚的索佐波尔,而塞林布里亚则是马尔马拉海岸的锡利夫里。 1 +“肾形虫”通常是肾形纤毛虫在有机、丰富条件下的代表虫属。 “肾形虫”是一种肾脏形状的常见纤毛虫,是有机物丰富的环境中的代表性虫类。 1 +它于 1943/1944 年被德国人击沉,之后盟军轰炸机对其进行两次摧毁,最终于 1946 年/1947 年被打捞上岸。 它在 1943 年和 1944 年被德国人打捞起来,被盟军轰炸机击沉两次,最终在 1946 年和 1947 年报废。 0 +在 1991 年之前,这里是德哈马县唯一的公共舞台,而在 1993 年之前,这里还是仅有的一家电影院。 1991 年以前,它是蒂黑马县唯一的公共舞台,1993 年以前,是唯一的电影院。 1 +该操场较为现代,并配备全新儿童健身器材。 新操场配备了现代化的儿童健身器材。 0 +当时土地的所有人是莱斯利· 弗农·凯尔卡特先生,他与约翰逊先生签订了 99 年的租约。 当时,国家的所有者是莱斯利·弗农·凯尔卡特先生,他与约翰逊先生达成 99 年的租约。 1 +在康熙(鳌拜)16 岁时,他铲除了叛贼刘恺威及其党羽。 当康熙(刘恺威饰)16 岁时,他铲除了叛徒鳌拜和他的盟友。 0 +Llyn Dinas 是威尔士北部格温内斯郡贝德盖勒特附近的一个湖泊。它由格拉斯林河形成。 Llyn Dinas 是威尔士北部格温内斯郡贝德盖勒特附近的一个湖泊,由格拉斯林河形成。 1 +姐妹活动在澳大利亚墨尔本亚伯特公园湖泊举行,由 Fox FM(墨尔本)赞助。 澳大利亚墨尔本的阿尔伯特公园湖举办了一场姐妹活动,并由 Fox FM(墨尔本)提供赞助。 1 +教皇在 1980 年提出的解决方案被智利接受,遭到阿根廷拒绝。 教皇提出的解决方案于 1980 年被智利接受,但遭到阿根廷拒绝。 1 +在 Trinity 的安静时间,她只赢得一次约克郡杯(1924-1925 年对战巴特利),有四次与约克郡杯失之交臂。 在 Trinity 的安静时间,他们只输掉一次约克郡杯(1924 至 1925 年对战巴特利)并四次赢得约克郡杯。 0 +阿苏萨太平洋大学的阿苏萨校区位于地处洛杉矶东北部的圣盖博谷。 阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 1 +伊本·阿米拉出生于巴伦西亚省阿尔西拉。 Ibn Amira 出生在巴伦西亚省的阿尔齐拉。 1 +杰克·尼切第一次听到“Stubborn Kind of Fellow”时,他非常激动以至于在与菲尔·斯佩克特驾车行驶在日落大道时他的车失控了。 菲尔·斯佩克特第一次听到“顽固的家伙”这首歌时,他正驾车带着杰克·尼采行驶在日落大道,当时他激动异常,以至于车子都失去了控制。 0 +他和卢卡斯(马丁·汉森)共同获得著名的卡内基数学奖学金。 他与马丁·汉森(卢卡斯)共同获得了著名的卡耐基数学奖学金。 1 +莉萨·莫亚博士自 2017 年 6 月 1 日任督学。首席学术官为马歇尔·斯科特三世。首席技术官为乔什·索利斯。 马歇尔·斯科特三世自2007年6月1日任督导,首席学术官为莉萨·莫亚,首席技术官为乔什·索利斯。 0 +2016 年初,参议员鲍勃·哈克特被任命为俄亥俄州参议员,以接替已辞职的参议员克里斯·怀德纳。 2016 年年初,参议员克里斯·怀德纳被任命为俄亥俄州参议院,以接任辞职的参议院鲍勃·哈克特。 0 +1947 年英国福克兰群岛属岛调查团布置该驻地,将其作为阿根廷群岛上的 F 驻地或“冬岛”。 该站点由英国福克兰群岛属地调查局于 1947 年在阿根廷群岛上建立,称作 F 站。 1 +该漫画在日本和亚洲针对世嘉 Mega Drive 推出同名电子游戏。 该漫画在亚洲和日本针对世嘉 Mega Drive 推出同名电子游戏。 1 +伊丽莎白 伊丽莎白·普鲁登于 1653 年从英格兰移民至康涅狄格州米尔福德,嫁给罗杰·普里查德 伊丽莎白·普鲁登于 1653 年从英格兰移民至康涅狄格州米尔福德,嫁给 0 +布雷亚扎河是罗马尼亚 Geamărtălui 河的一条支流。 Geamărtălui 河是罗马尼亚布雷亚扎河的支流。 0 +2016 年年初,参议员克里斯·怀德纳被任命为俄亥俄州参议员,以接任辞职的参议员鲍勃·哈克特。 2016 年初,参议员克里斯·威德纳被任命前往俄亥俄州参议院就职,接替辞去职务的参议员鲍勃·哈克特。 1 +它的叶子沿树枝交替排列,呈现长矛状、蛋状或近乎圆形,并拥有茎长。 它的叶子沿着树枝交替排列,呈长矛状、卵状或几乎呈圆形,而且有长茎。 1 +量子引力理论有一个备受期待的特点,即,它不会出现奇点或事件视界,因此黑洞也并不真实存在。 量子重力理论的一个备受瞩目的特点是它没有任何引力奇点或事件视界,所以黑洞不会是真正的人为现象。 1 +典型的英国皇家空军空军基地(非训练)拥有以下基于一体化联队的架构: 皇家空军的典型训练台(非飞行)将具备以下集成机翼结构: 0 +该站的声音在瑞典、芬兰南部和东欧的部分地方听得到。 在瑞典、芬兰南部和东欧部分地区都曾听说过这一站。 1 +这首诗被保存在四本残缺手稿中,其中一本存于当代。 这篇诗歌收录在四篇当代手稿中,其中一篇残缺不全: 0 +1937 年,赫胥黎及其妻子玛利亚、儿子马修·赫胥黎和男朋友杰拉德·赫德搬到好莱坞。 1937 年,杰拉尔德·赫德与妻子玛丽亚、儿子赫胥黎以及好友马修·赫胥黎一道搬至好莱坞。 0 +代理头目 - 雷内·皮卡雷塔 - 洛伦·皮卡雷塔之子,于 1988 年被捕,1994 年获释。 老大 Rene Piccarreto 是 Loren Piccarreto 的儿子,他于 1988 年被捕并于 1994 年获释。 1 +2005 年 6 月 21 日,一个称为《蒂朵现场版》的 EP 通过 iTunes Store 以数字化方式独家发行,其中有 DVD 上 17 首现场歌曲中的 3 首。 2005 年 6 月 21 日,一个称为《蒂朵现场版》的 EP 通过 iTunes 商店以数字化方式独家发布,这上面有 DVD 上 17 首现场歌曲中的 3 首。 0 +它从美国(缅因州、俄勒冈州和加利福尼亚州)和不列颠哥伦比亚省(加拿大)广为人知。 它从美国(缅因州、俄勒冈州和加利福尼亚州)和加拿大(不列颠哥伦比亚省)广为人知。 1 +Khap 是指一个氏族,或相关氏族的族群,主要分布在北方邦东部和哈里亚纳邦西部的贾特人中。 Khap 是指一个氏族或相关氏族的族群,主要分布在北方邦西部和哈里亚纳邦东部的贾特人中。 0 +前三家酒店均建于 20 世纪 80 年代的法国,其次是以色列的“埃拉特 Patio 度假酒店”。 最初的三家酒店于 20 世纪 80 年代建于法国,随后是以色列的“Patio Eilat 度假酒店”。 1 +德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在戈尔德河南面和兰布勒峰东南面。 德沃山是一座位于加拿大不列颠哥伦比亚省温哥华岛的山峦,位于戈德河东南面和兰布勒峰南面。 1 +启用后不久,第 99 便开始支援紧急狂暴行动,该行动取代了格林纳达的斯大林主义政权。 第 99 届支持”紧急狂暴行动“ ,该行动在启动不久后便取代了格林纳达的斯大林政权。 1 +1972 年,全家搬至营山,他在那里参观了宾夕法尼亚州哈里斯堡的崔尼迪高中。 1972 年,他举家搬至宾夕法尼亚州哈里斯堡,并就读于营山的三一高中。 0 +在塞尔维亚难民于 1999 年返回之前,阿尔巴尼亚族人离开了这个村庄。 1999 年塞尔维亚难民回归前,阿尔巴尼亚家庭离开了城镇。 1 +7 月初,史蒂夫·惠特利,哈珀·惠特利和加勒特·惠特利的罪犯父亲,也是本尼·卡梅伦的兄弟。 在七月初,加勒特·惠特利,哈珀·惠特利和史蒂夫·惠特利的罪犯父亲,本尼·卡梅伦的兄弟。 0 +后面的图形显示了估计的第二概率“p”(糖尿病 = 1 葡萄糖)。 后图显示估计的第二概率“p”(糖尿病 = 1 葡萄糖)。 1 +他的父亲是林肯郡议员威廉·斯基普威思和安妮·托斯比的私生子。 他的父亲是安妮·托特比(林肯郡代表)和威廉·史基普维斯的私生子。 0 +二战后中专录取率的攀升,是大多数现代学生聚居区出现的原因。 二战后中学后培训的崛起,是大多数现代学生聚居区出现的原因。 1 +"""Ras"" Abbi Addi 前进至卡萨岛,与中心的""Ras"" Seyoum 汇合。" “拉斯”艾比·阿迪前进到了卡萨并与“拉斯”塞尤姆在中心汇合。 1 +它由国家铁路公司卢森堡国家铁路公司运营。 它由国有铁路公司卢森堡国家铁路公司运营。 1 +Ashte 是印度马哈拉施特拉邦帕尔加尔区的一座村庄。其位于达哈努乡。 Ashte 是印度马哈拉施特拉邦达哈努区的一个村庄。它位于 Palghar taluka。 0 +它的大型雕塑可以在瓦纳卡的公共场所看到,从新西兰到凯塔亚以及二者之间的许多地方均是如此。 它的大型雕像可以在新西兰的公共空间看到,从凯塔亚到瓦纳卡及二者之间的许多地方均是如此。 0 +33d 战术团在不活跃时,与 33d 战斗团整合为 33d 战术战斗团。 33d 战斗团在不活跃时,与 33d 战术团整合为 33d 战术战斗团。 0 +蒂姆·亨曼以 6-7、6-4 和 7-6 战胜皮特·桑普拉斯而赢得决赛。 蒂姆 蒂姆·亨曼在多场决赛中以 6-7/6-4 和 7-6 的比分击败皮特·桑普拉斯而获胜。 1 +她在 19 岁时搬至纽约,而后在 2011 年搬至斯德哥尔摩。 她在 19 岁时搬至斯德哥尔摩,而后在 2011 年搬至纽约。 0 +巴尔斯希是当地河流上的一个土坝,靠近印度马哈拉施特拉邦索拉普区的帕塔利大坝。 巴尔斯希是当地河流上的一个土坝,靠近印度马哈拉施特拉邦索拉普区的帕塔利大坝。 1 +但红牛队在季后赛首轮落败。 红牛队失利了,但在季后赛第一轮出线。 0 +在朝鲜王朝,该设计用于表现朝鲜的道教主义,并表达对阴阳和谐的希望。 该草案在朝鲜王朝用于代表朝鲜的道家思想,并表达了对阴阳和谐的希望。 1 +他曾于 1924 年、1932 年和 1936 年先后在多伦多、奥斯陆和苏黎世担任 ICM 的特邀发言人。 他于 1924 年在多伦多、1932 年在苏黎世以及 1936 年在奥斯陆担任国际数学家大会的特邀发言人。 0 +这些物种属于不同的生态群,包括热带灌木、藤本植物和树木、旱生植物、菌异养植物以及具有代表性的不同草本植物。 此物种是各种生态群的成员,包括旱生灌木、藤本植物与树木、热带植物、菌异养型植物以及不同的草木代表。 0 +但为成为斯洛伐克,德里克必须击败吸血鬼谋杀者。 然而,为了击败斯洛伐克,德里克必须成为吸血鬼刺客。 0 +在吉他手科尔·亚历山大和贝斯手贾尔德·史威利离开 Renegades,以及吉他手本·艾伯保离开 Reruns 后,该乐队于 1999 年在乔治亚州的邓伍迪成立。 在吉他手科尔·亚历山大和贝斯手杰瑞德·斯威利离开 Renegades,吉他手本·埃伯保离开 Rerun 后,该乐队于 1999 年在佐治亚州邓伍迪成立。 1 +《gravityWall》用作日本动漫电视连续剧的第二片头曲,而《sh0ut》用作第一片头曲。 《gravityWall》为动漫电视连续剧的第一片头主题曲,而《Sh0ut》是第二片头主题曲。 0 +条件 1 表明函数为光滑函数并可进行全局定义,条件 2 则表示解的动能全局受限。 条件 1 表明函数为光滑函数并可进行全局定义,条件 2 则表示解的动能全局有界。 1 +该歌曲由一系列重复且稍稍链接的音符组成。 这首歌曲是串连起来的并且像是音符不断重复。 0 +在 1991 年之前,它是德哈马县唯一的公共舞台,而在 1993 年之前,它是唯一的一家电影院。 1991 年之前,它是蒂黑马县唯一一个舞台,直至 1993 年才提供唯一一座公共影院。 0 +虽然象棋的残局需要非常出色的技巧才能玩好,但也有许多广为人知的获胜和平局棋谱。 虽然象棋残局需要非凡的技能才能下好,但是有许多广为人知的胜局和平局。 1 +科罗拉多雪崩队 2008 至 2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 14 个赛季以及作为科罗拉多雪崩队的第 30 个赛季。 科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 30 个赛季和作为科罗拉多雪崩队的第 14 个赛季。 0 +在职业生涯的早期,他曾在苏格兰踢球,但后来移居澳大利亚,在维多利亚州国家联盟中为弗兰克斯顿市效力。 他在职业生涯早期曾在苏格兰打比赛,但后来移居澳大利亚,在维多利亚州联赛中为弗兰克斯顿市效力。 1 +1834 年,它由罗伯特·寇松在塞巴修道院购得,并在 1883 年被 C·R·格里高利看见。 罗伯特·寇松于 1834 年在萨巴的修道院买下了它。C·R·格雷戈里于 1883 年看见了它。 1 +霍雷祖河是罗马尼亚 Ponoru 河的一条支流。 Horezu 河是罗马尼亚 Ponoru 河的一条支流。 1 +43 人得救;救生艇救出 40 人,“特拉华”救出 3 人。 43 人得救,其中 40 人在救生艇中获救,3 人被“特拉华”救起。 1 +他娶了伊丽莎白·杨(1854 -- 1932 年),并且是轮船大亨 N·O·杨·费恩利和地主托马斯·费恩利的父亲。 他娶了伊丽莎白·杨(1854 至 1932 年),并且是轮船大亨托马斯·费恩利和地主 N·O·杨·费恩利的父亲。 0 +斯特雷奇从一位真人秀明星那里偷窃可卡因,该明星然后获得豪华轿车。 斯特雷奇偷走了真人秀明星的可卡因,随后获得了豪华轿车。 1 +尽管并没有明文规定不允许非洲球员参赛,自 1933 年以来从未有过一位美国黑人参加过全国橄榄球联赛。 虽然将非洲球员排除在外不是一条成文规则,但自 1933 年以来,国家橄榄球联盟中没有一位美国黑人球员参赛。 0 +其中星号表示代数对偶群。而且当“G”有限时,会出现非自然同构 在星号调用代数对偶群的地方,当“G”有限时,便会出现一种反常的同构。 1 +德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在兰布勒峰东南面和戈尔德河南面。 德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在戈尔德河东南面和兰布勒峰南面。 0 +吉达努河是罗马尼亚吉尔德韦斯特河的一条支流。 Jidanul 河是罗马尼亚 Jiul de Vest 河的支流。 1 +加利福尼亚大和社区是位于加利福尼亚州利文斯顿的一家日本农业社区。 加利福利亚州是位于加利福利亚州 Yamato Colony 利文斯顿的日本农业社区。 0 +福尔摩斯对莫里亚蒂的描述如下: 莫里亚蒂对福尔摩斯的描述如下: 0 +新奥尔良的迪博尔和 G·A·钱布林是建筑师,而莫比尔的欧文是承包方。 建筑师是新奥尔良的迪伯尔和欧文,承包商是 Mobile 的 G.A . Chamblin。 0 +Sahib Khan 出生于 Shahpur 的 Tiwana 家族,是 Ahmad Yar Khan 之子。 Ahmad Yar Khan 出生于斯哈赫普尔的提瓦纳家族,是 Sahib Khan 的儿子。 0 +陛下之政府将此保留地视为耶路撒冷省、贝鲁特独立区。 这片保留地一直被国王陛下政府视为覆盖贝鲁特大行政区和耶路撒冷独立县。 0 +有了泰瑞扮演奥菲利亚和波西娅,他为“哈姆雷特”注入活力,成为“威尼斯商人”的制作人(1879 年)。 由泰莉饰演奥菲莉亚和波西亚,他出演了《哈姆雷特》并重现《威尼斯商人》 ( 1879 ) . 0 +它们被现场演奏的稀疏管弦乐盖过,并由近乎刻意平淡的模糊声音构成。 他们被现场演绎的断断续续的管弦乐声包裹,这样的音乐由模糊且几乎刻意乏味的声音的组成。 1 +当时机上乘客有唐纳德·格兰特·米勒德中校、杰拉德·K·汉纳福德上尉和约翰·F·洛林上尉。 当时机上乘客有杰拉尔德·K·汉纳福德上校、唐纳德·格兰特·米勒德上尉和约翰·F·洛林上尉上尉。 0 +这是一份匈牙利武装部队曾参与或在匈牙利军事领土上发生的历史冲突的列表。 这是匈牙利武装部队曾参加或在匈牙利历史领土上发生的军事冲突清单。 0 +《gravityWall》用作日本动漫电视连续剧的第一首片头曲,而 `` sh0ut '' 用作第二首片头曲。 动漫电视连续剧的第二个开场主题是“gravityWall” ,第一个开场主题是“sh0ut ”。 0 +胡达萨河是罗马尼亚布拉杜河的支流。 布拉杜河是罗马尼亚胡达萨河的一条支流。 0 +Houston Main Building ( HMB ) ,之前名为慎行大厦,是位于德克萨斯州休斯顿市德克萨斯医疗中心的一栋摩天大楼。 休斯敦主楼 (HMB) 之前称为慎行大厦,是位于得克萨斯州休斯敦市得克萨斯医疗中心的一座摩天大楼。 1 +克里斯·锡维的传记由曼彻斯特作家米克·米德尔斯撰写,于 2014 年 11 月出版。 米克·米德尔斯的传记由曼彻斯特作家克里斯·西维撰写,并于 2014 年 11 月出版。 0 +在 1968 年的种族主义者伍斯特大道暴乱中,历史性的橡胶碗体育馆被美国国民警卫队用作基地。 在 1968 年的历史性伍斯特大道暴乱中,种族性的橡胶碗体育馆被美国国民警卫队用作基地。 0 +随后宣布它已确定作为专辑的一首单曲,该专辑将于 10 月 15 日在英国上市,10 月 23 日在美国上市。 后来歌曲于 10 月 15 日在英国发布,并于 10 月 23 日在美国发布,证实了歌曲为专辑中的单曲。 1 +尤金·D·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿特尔伯勒,是詹姆斯·亨利·恩格利及其妻子玛丽·凯莉(婚前姓)之子。 尤金·D·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿特尔伯勒,是詹姆斯·亨利·恩格利及其妻子玛丽·凯莉(婚前姓)之子。 1 +汤米·康诺利的扮演者罗里·詹宁斯在 Big Finish Productions 中饰演少年达沃诺斯。 汤米·康诺利扮演罗里·詹宁斯,他在 Big Finish Productions 中扮演青年戴沃斯。 0 +该传记现已在英国、美国(圣马丁 2013 年)、匈牙利(Swiat Ksiazk,2013 年)、波兰和中国出版。 该传记目前已在英国、美国(St Martin's,2013)、波兰(Swiat Ksiazki,2013)、匈牙利和中国出版。 0 +Propilidium pelseneeri 是一种海螺,真正的帽贝,是属于无腮笠螺科的真正腹足软体动物,无腮笠螺科是海生帽贝科之一。 Propilidium pelseneeri 是一种海螺、真正的帽贝,属于海洋无鳃笠螺科腹足类软体动物,也是真正的帽贝科的一员。 0 +在 19 世纪 70 年代,贪食症被“神经性厌食症”一词取代,并将这种障碍区分开来 贪食症和 1870 年代与术语“神经性厌食症”不同,并取代了这种失调症。 0 +普埃布拉洪保德学校成立于 1911 年,成立时有 10 位德国学生和一位小学教师。 普埃布拉洪堡特学校最初于 1911 年成立,成立时有 10 名德国学生和一名初级教师。 1 +它是通过 1972 年的再分配建立的,取代了废除的图文巴东。 继 1972 年重新分配后,它被废除,并取代了所建立的图文巴东。 0 +贡纳·汉森表示:“根据托比和金姆的说法,他佩戴面具的原因在于这个面具确实决定他的性格。 贡纳·汉森评论说:“根据托比和金姆的说法,他戴面具的原因是面具真的决定了他的个性。 1 +他还为多样化写了大量的管弦乐编曲和声乐伴奏。 他还为多种场合编写了大量声部排列和管弦乐伴奏。 0 +1291 年,Mahaut 与奥托四世勃艮第伯爵结婚,与三个孩子的母亲成婚,其中有两个女孩成为法国国王。 1291 年,马奥与勃艮第伯爵奥托四世结婚。她娶了三个孩子的母亲,其中包括两个成为法国国王的女孩。 1 +亚当斯维尔西部与科尔曼接壤、东部与萨姆特维尔接壤、北部与怀尔德伍德接壤,南部与莱克县接壤。 亚当斯维尔西部与科尔曼接壤、东部与莱克县接壤、北部与怀尔德伍德接壤以及南部与 Sumterville 接壤。 0 +田野绿植和根类植物一般不栽培,并且在野生状态下随季节生长。 田野绿植和根类植物一般不栽培,并且在野生状态下季节性地聚集生长。 1 +“静止”光在电磁诱导透明介质情境中是指光子到相干系统的“量子”往返传输。 “静止”光在电磁诱导透明介质情境中是指光子到相干系统的“量子”往返传输。 1 +梅洛迪·克里滕登于 2004 年离开团体开始单飞事业,2005 年的大部分时间是由妮可与团体一起演唱。 尼科尔于 2004 年离开乐队单飞, 2005 年的大部分时间都是梅洛迪·克里滕登与乐队一起演唱。 0 +对于固定可测函数公式 18,公式 19 是中间变量,并且带有随机公式 20 和方差公式 21。 对于固定可测函数公式 _ 18,公式 _ 19 是中间变量,并且带有随机公式 _ 20 和方差公式 _ 21。 1 +他出生于纽约布鲁克林,在加利福尼亚州蒂伯龙去世。 他在加利福尼亚州的蒂伯龙出生,在纽约州的布鲁克林去世。 0 +Pennmakkal 是一部 1966 年的印度马拉雅拉姆语电影,由 J. Sasikumar 执导,KP Kottarakkara 担任制片人。 《Pennmakkal》为1966年出品的印度马拉雅拉姆语电影,由 J. Sasikumar 监制、KP Kottarakkara 指导。 0 +巨人队以 21 比 27 的比分输给芝加哥熊队,并且是自 1976 年以来第一次打出 0 比 6 的比分。 巨人队以 21 比 27 的比分输给芝加哥熊队,并且是自 1976 年以来第一次打出 0 比 6 的比分。 1 +他于 2010 年 3 月 5 日首次亮相,最后一次出现是在 2010 年 5 月 14 日。 他于 2010 年 3 月 5 日最后一次现身,第一次出现是在 2010 年 5 月 14 日。 0 +安德鲁·麦克伦南(出生时为安德鲁·斯诺伊德)是新西兰音乐家、歌唱家和词曲作家。 安德鲁·麦克伦南安德鲁·斯奈德是一名新西兰音乐家、作曲家和歌手。 1 +第一首歌曲“每个清晨”是上一首歌曲“清晨”的原音吉他版。 第一首歌曲“每个早晨”是上一首曲目“早晨”的原音吉他版。 1 +在纳粹德国和苏联于 1939 年入侵波兰之后,奥斯特瓦积极参与地下教育,但也生病了。 在纳粹德国和前苏联于 1939 年入侵波兰后,奥斯特瓦积极参与地下教育,但也病倒了。 1 +在电子和数字视频技术出现之前,色情电影的大量制作与主流电影业直接相关。 在色情视频技术出现前,电子和数字电影的大量制作与主流电影业直接相关。 0 +《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的第七张专辑,他们最后一张录音室专辑是为 Grunt Records 录制的 Grunt BFL1-1920。 《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的第七张专辑,他们最后一张录音室专辑是为 Grunt Records 录制,名为 Grunt BFL1-1920。 1 +卡图瓦纳分区秘书处是位于斯里兰卡南部汉班托塔省的分区秘书处。 卡图瓦纳分区秘书处是斯里兰卡南部省汉班托特区的一个分区秘书处。 1 +2014 年之后,更多来自乌克兰东部的乌克兰人、更多男性以及更多更年轻的乌克兰人都在波兰工作。 2014 之后,更多来自乌克兰东部的乌克兰人、更多更年轻的男性以及更多乌克兰人都在波兰工作。 0 +恩科在 2001 年与 S7 航空公司合并。 2001 年,西伯利亚人航空公司与 Enkor 合并。 0 +第一次世界大战期间,他在日内瓦工作并在那里和威利·明岑贝格一起学习。 第一次世界大战期间,他在日内瓦学习,并在那里与威利·明岑贝格共事。 0 +第一个声带《每个清晨》是上一个声带《清晨》的原声吉他版。 第一首曲目“每个早晨”是“早晨”最后一个吉他版的不插电版本。 1 +Erginus galkini 是一种海螺、真正的帽贝,属于海洋莲花青螺科腹足类软体动物,也是真正的帽贝科的一员。 Erginus galkini 是一种海螺,一种真正的帽贝,一种属于莲花青螺科的真正腹足软体动物,而莲花青螺科是多个海生帽贝科之一。 0 +“双色羽扇豆”有短小、多毛的茎和细细的按掌状排列的叶子。 “双色羽扇豆”有细茎和短小、多毛的掌状叶子。 0 +下一个版本由罗伯特·富勒的弟弟罗恩于 1986 年创建。 下一个版本由罗恩的兄弟罗伯特·福勒在 1986 年创作完成。 0 +加布里埃尔·梅迪纳(巴西)在决赛中击败乔尔·帕金森(澳大利亚),从而赢得锦标赛。 霍埃尔·帕金森 (BRA) 赢得该锦标赛,他在决赛中击败加布里埃尔·梅迪纳 (AUS)。 0 +通过其家族企业 Divine Foods,许世辉的妻子及其女儿许阳阳拥有达利食品集团 85% 的股份。 许世辉及其夫人陈丽玲和女儿许阳阳的家族企业 Divine Foods 持有达利食品集团 85 % 的股份。 0 +伊丽莎白 伊丽莎白·普鲁登于 1653 年嫁给了罗杰·普里查德 ,并从英格兰移居到康涅狄格州米尔福德。 罗杰·罗杰·普理查德于 1653 年从英格兰移居康涅狄格州米尔福特,与伊丽莎白·普鲁登结婚 0 +该类别适用于目前或曾经参加其中一场非以色列联赛的以色列足球运动员。 此类别适用于目前或已在任何以色列联赛中打比赛的非以色列足球运动员。 0 +佛蒙特在北面与米查姆接壤,在西面与鲁纳沃丁和森林山接壤,在南面与佛蒙特接壤,在东面与万提纳和林伍德接壤。 佛蒙特在北面与米查姆接壤,在西面与鲁纳沃丁和森林山接壤,在南面与南佛蒙特接壤,在东面与万提纳和林伍德接壤。 1 +他在斯坎索普联队的足球联赛中开始了自己的职业生涯,之后于 1961 年 6 月加入谢菲尔德联队参加丁级联赛。 他从效力谢菲尔德联队开始其在足球联赛的职业生涯,然后于 1961 年 6 月加入丙组斯坎索普联。 0 +虽然 33d 战术组不活跃,但它与 33d 战斗机组合并为 33d 战术战斗机组。 虽然 33d 战斗机组不活跃,但它与 33d 战术组合并为 33d 战术战斗机组。 0 +Valea Sterminoasă 河是罗马尼亚 Boia Micăa 河的支流。 Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的支流。 0 +然后他搬去了瑞士,之后又去了意大利,在那里他遇到了雪莱和拜伦。 然后他搬到瑞士,后来搬到意大利,他在那里遇见了雪莱和拜伦。 1 +1955年,圣公会社区与另一个社区合并,位于 Prince Consort Road 的圣三一教堂成为了新的教区教堂。 1955 年,这片新教区与另一处教区合并,王子妃大街圣三一教堂成为圣公会教区教堂。 0 +大主教 Seóighe 于 1485 年 5 月 16 日被授予这一圣职,1487 年接受任命,1501 年 12 月 20 日或 28 日去世。 大主教 Seóighe 于 1485 年 5 月 16 日就任圣职,于 1487 年获得任命。他于 1501 年 12 月 20 日或 28 日逝世。 1 +蒂姆·蒂姆的弟弟陶德·莱韦克自 2015 年起担任国家橄榄球联盟的首席运营官。 蒂姆的弟弟托德·莱维克自 2015 年以来担任国家美式橄榄球联盟的首席运营官。 1 +目前仍有两个成员为数不多的小规模独立联赛:高地联盟联赛和格兰偏联盟联赛。 目前仍有两个只有少数成员的独立联赛:格兰偏联盟联赛和高地联盟联赛。 1 +2012 年,该市选情翻转,被在任者民主党人巴拉克·奥巴马一举拿下,他赢得 51% 的选票,而共和党人米特·罗姆尼赢得 48% 的选票。 2012 年,该自治市出现反转,被共和党在任者米特·罗姆尼一举拿下,他赢得 51% 的选票,而民主党人巴拉克·奥巴马赢得 48% 的选票。 0 +美国先驱者约翰·萨特 (1803-1880) 和其他欧洲瑞士定居者于 1839 年 8 月一起抵达上加利福尼亚。 美国先驱约翰·苏特(1803--1880 年)与其他欧洲瑞士移民于 1839 年 8 月一起抵达上加利福尼亚省。 1 +作为尼日利亚证券交易所的第一上市公司,它是第一家在约翰内斯堡证券交易所跨境内部上市的非洲公司。 它将尼日利亚证券交易所作为第一上市地,成为非洲第一家在约翰内斯堡证券交易所进行跨境对内报价的公司。 1 +Sher Ahmed Akhundzada(也称为 Sher Mohammed Akhundzada)是一名部落领袖,曾在 2001 至 2005 年间担任阿富汗赫尔曼德的省长。 谢尔·穆罕默德·阿洪扎达(也被称为谢尔·艾哈迈德·阿洪扎达)是一位部落首领,曾于 2001 至 2005 年间担任阿富汗赫尔曼德省省长。 1 +他是捷克国家运动员雅罗斯拉夫·赫林卡的堂兄,前运动员老米罗斯拉夫·赫林卡是他的父亲。 他是捷克国家队球员米罗斯拉夫·赫林卡的侄子,前队员老雅罗斯拉夫·赫林卡的儿子。 0 +当第 33 战斗机大队撤编后,它与第 33 战术大队合编为第 33 战术战斗机大队。 33d 战术团在不活跃时,与 33d 战斗团整合为 33d 战术战斗团。 0 +托特纳姆热刺队以总比分 4-2 击败费耶诺德鹿特丹队,从而赢得 1973-74 欧洲联盟杯。 费耶诺德鹿特丹以 4:2 战胜托特纳姆热刺,获得 1973 至 1974 年的欧洲联盟杯冠军 。 0 +他于 1993 年效力于 A 级波特兰海狗队和 AA 级凯恩县美洲狮队。 1993 年 , 他效力于 A 级凯恩县美洲狮队和 AA 级波特兰海狗队。 0 +他的父亲是林肯郡国会议员威廉·斯基普维特和 Anne Tothby 的私生子。 他的父亲是安妮·托特比(林肯郡议会的成员)和威廉·斯基普维斯的私生子。 0 +其中“e”是粒子的电荷,而 A 是电磁场的磁矢势。 其中“e”是粒子的磁荷,而 A 是电磁场的电矢势。 0 +树叶中的海绵束分布在维管叶肉细胞之间。 海绵状叶肉之间的维管束位于叶子中。 0 +这首歌曲由加拉写词和制作,由菲利波·安德烈·卡梅尼和毛里西奥·莫勒拉谱曲。 这首歌曲由演出作词和谱曲并由菲利普·安德里亚·卡梅尼和莫里吉奥·莫勒拉制作。 0 +2006 年,使用 VIA C3 处理器描述了 pc1000 和 pc1500 平台。2007 年 8 月,pc3500 使用 VIA C7 推出。 2006 年使用 VIA C3 处理器描述了 pc1000 和 pc1500 平台,2007 年 8 月推出了采用 VIA C7 的 pc3500。 1 +该团体在以色列各地进行了大量演出并逐渐成名,甚至 2007 年还在纽约市进行了巡回演出。 团队在四处频繁巡演,在以色列声名鹊起,2007 年甚至还在纽约市演出过。 0 +它们由 CyberConnect2 开发、由万代南梦宫娱乐发行,并以 2005 年的“火影忍者:究极忍者”为起点。 它们由万代南梦宫娱乐开发并由 CyberConnect2 发行,2005 年从“火影忍者:究极忍者”开始。 0 +2014 年 12 月 19 日,马林鱼队艾尔瓦迪、加勒特·琼斯和多明戈·日尔曼与纽约洋基队作交换以换取马丁·普拉多和大卫·菲尔普斯。 2014 年 12 月 19 日,马林鱼用艾尔瓦迪、加勒特·琼斯和多明哥·赫曼换来了纽约洋基的马丁·普拉多和大卫·菲尔普斯。 0 +1991 年以前,这里是特哈玛县唯一的舞台,1993 年以前一直用作唯一一家公共戏院。 1991 年以前,它是特哈玛县的唯一舞台,1993 年以前 ,这里提供了唯一的公共戏院。 1 +它是夏威夷流行的地方病,在那里它已被限制在夏威夷岛,并且已经从考艾岛和毛伊岛根除。 这是夏威夷的区域性流行疾病,目前疫情控制在夏威夷岛内,而考艾岛和毛伊岛已经根除。 1 +阿什特是印度马哈拉施特拉邦巴尔克尔区的一座村庄。它位于 Dahanu taluka 。 阿什特是印度马哈拉施特拉邦达哈努区的一个村庄,位于帕乐·塔卢卡。 0 +1977 年,罗布·泰勒前往苏格兰和挪威与巴伯攀登瀑布。 1977 年,巴尔伯于罗勃·泰勒一起前往苏格兰和挪威以攀登瀑布。 0 +意大利电视连续剧《Alex》由阿尔弗雷多·卡斯特里、古格列尔莫·杜科利和希奥尔希奥·斯科特勒编剧,并由 videotime 制作。 《AleX》是一部意大利电视连续剧。该连续剧由希奥尔希奥·斯科特勒、古格列尔莫·杜克力和阿尔弗雷多·卡斯特里制作,由 Videotime 编剧。 0 +他们的现场表演在墨尔本、基隆和谢珀顿取得了一些成功。 他们在墨尔本、吉朗和谢珀顿进行了现场表演,取得了一些成功。 1 +他在穆尔塔拉·穆罕默德(1975 年)和奥卢塞贡·奥巴桑乔(1976 年)接连发起的政变被取 穆塔拉·默罕默德(1975 年)和奥卢塞贡·奥巴桑乔(1976 年)接连发动政变,将其取而代之。 1 +墨尔本的阿尔伯特公园湖举办了一场姊妹活动,由 Fox FM(澳大利亚墨尔本)赞助。 一场姐妹活动在澳大利亚墨尔本亚伯特公园湖泊的湖畔举行,由 Fox FM(墨尔本)赞助。 1 +它在新奥尔良号被凿沉后遭俘获并于 1868 年作为废品出售。 它在新奥尔良号被俘获后便沉没了并于 1868 年作为废品出售。 0 +该传记现已在英国、美国(St Martin's,2013 年)、波兰(Swiat Ksiazki,2013 年)、匈牙利和中国出版。 这本传记现已在大不列颠、美国(圣马丁 2013)、波兰(Swiat Ksiazki,2013)、匈牙利和中国出版。 1 +艾米丽·安·劳埃德(于 1984 年 3 月 27 日出生,本名为艾米丽·安·莫雷利)是一名美国女演员。 艾米丽·安·劳埃德(本名艾米丽·安·莫雷利;1984 年 3 月 27 日)是一位美国女演员。 1 +2005 年末至 2009 年期间是例外,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的查查克足球俱乐部和俄罗斯的格罗兹尼特里克足球俱乐部。 2005 年末至 2009 年期间是例外,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的格罗兹尼特里克足球俱乐部和俄罗斯的查查克足球俱乐部。 0 +2006 年,法官迪·D·德瑞尔判定 Rapides 教区中学符合种族规定,结束了长期诉讼。 2006 年,迪伊·D·德雷尔法官宣布,拉皮德县各家学校终于统一和从种族上结束长期的诉讼。 0 +该站于 1947 年由英国福克兰群岛属地调查局在温特岛上建立,称为 F 站或阿根廷群岛‘’。 该站由英国福克兰群岛属地调查队于 1947 年在阿根廷群岛上设立为 F 站或“温特岛”。 0 +最干燥的年份是 1983 年,而最湿润的年份是 1976 年。 最涝的一年是 1983 年,而最旱的一年是 1976 年。 0 +从霍基蒂卡到鲁阿塔普为第一部分线路,于 1906 年 11 月 9 日完工,而 1909 年 4 月 1 日全线贯通前往罗斯的线路。 第一部分,从霍基蒂卡到鲁阿塔普,于 1906 年 11 月 9 日完工,而前往罗斯的完整路线于 1909 年 4 月 1 日开放。 1 +意大利电视连续剧《AleX》由希奥尔希奥·斯科特勒、古格列尔莫·杜科利和阿尔弗雷多·卡斯特里制作,并由 videotime 编剧。 《AleX》是一部意大利电视连续剧。该连续剧由阿尔弗雷多·卡斯特里、古格列尔莫·杜科利和希奥尔希奥·斯科特勒担任编剧,并由 Videotime 制作。 0 +在约瑟普·弗罗伊登赖希的推荐下,斯特罗齐在经过医学治疗后开始上迪米特里加·德米特的私人表演课。 医学治疗结束后,斯特罗齐根据迪米特里加·德米特的建议,开始向约瑟普·弗罗伊登赖希学习私人表演课程。 0 +蔡瑁还有一个儿子,名叫蔡讽。 蔡峰还有一个儿子,叫做蔡茂。 0 +1328 年,玛丽嫁给国王阿方索十一世 , 后者给她瓜达拉哈拉、塔拉韦拉德拉雷纳和奥尔梅多,作为阿方索国王的亡夫遗产的一部分。 1328 年,玛丽嫁给了国王阿方索十一世。作为嫁妆,国王阿方索将瓜达拉哈拉、塔拉韦拉-德拉雷纳和奥尔梅多赐予她。 0 +1903 年 5 月 5 日,他在威斯康星州密尔沃基退休,并在该地去世。 他在密尔沃基的威斯康星州退出,并于 1903 年 5 月 5 日在此去世。 0 +大卫 大卫·戈德文在 DGA Associates 由艾玛·唐森德代表。 大卫·戈德文在 DGA Associates 由艾玛·唐森德代表。 1 +西向 Cross Bronx 通向 Tremont Park,位于第三大道南部,3 出口。 向南穿过特里蒙特公园后,跨布朗克斯公路西行从 3 号出口离开,该出口对接第三大道。 0 +德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在戈尔德河东南面和兰布勒峰南面。 德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在兰布勒峰东南面和戈尔德河南面。 0 +南佛蒙特在北面与米查姆接壤,在西面与鲁纳沃丁和森林山接壤,在南面与佛蒙特接壤,在东面与万提纳和林伍德接壤。 佛蒙特在北面与米查姆接壤,在西面与鲁纳沃丁和森林山接壤,在南面与南佛蒙特接壤,在东面与万提纳和灵伍德接壤。 0 +NS 下表对比了 LOD 感知渲染以及笨拙且详尽的(全力)方法的表现。 0 +“New Ways to Work”基金会成立于 1972 年,是一间由旧金山湾区资助的非营利组织。 New Ways to Work Foundation 成立于 1972 年,它是一家非营利组织,在旧金山湾区筹集资金。 1 +这家博物馆位于江北嘴中央商务区的中心地带,邻近嘉陵江和长江的汇流点。 这家博物馆位于江北嘴中央商务区的中心地带,邻近嘉陵江和长江的汇流点。 1 +《Acoustic and Live : Pure》 于 2003 年初发行。 《原声和现场:纯粹》于 2003 年初发布。 1 +文森门站位于巴黎 20 区东南角与 12 区东北角的交汇处。 文森门站位于巴黎 12 区东北角与 20 区东南角的交汇处。 0 +8 月 9 日,安迪·伯纳姆以 51.1% 的选票当选,劳埃德以 29.1% 位居第二名。 劳埃德于 8 月 9 日以 51.1% 的选票当选,安迪·伯纳姆以 29.1% 的成绩位居第二名。 0 +慎行大厦 (HMB) 以前名为休斯敦主楼,是位于德克萨斯州休斯敦市德克萨斯医疗中心的一座摩天大楼。 休斯敦主楼 (HMB),原名保诚大厦,曾是德克萨斯州休斯顿德克萨斯州医疗中心的一栋摩天大楼。 0 +重新委任是对第二次委任出现可疑问题的牧师进行初始委任。 监管是神职人员的第二次任命,其首次任命还未确定。 0 +他分别于 1824 年、1826 年和 1827 年依次被任命为威廉姆斯县、塞内卡县和桑达斯基县的原告律师。 他在 1824 年、1826 年和 1827 年分别被任命为威廉姆斯县、塞尼卡县和桑达斯基县的检察官。 1 +海因茨·科胡特将正常的自体视为对浮夸的童年阶段的痴迷,而其他后弗洛伊德主义的支持者探索了痴迷在攻击和犯罪行为中发挥的作用。 海因茨·科胡特将正常的自我视为对自大的童年阶段的固恋,而其他后弗洛伊德学派则探讨了固恋在侵略和犯罪中的作用。 1 +乙烯酮总是自发聚合,与过氧化氢接触会导致爆炸反应并且可以与空气形成爆炸性混合物。 乙烯酮总是自发形成。与过氧化氢接触会导致爆炸性反应。它可以用空气聚合爆炸性混合物。 0 +1937 年,唐纳德成为多伦多枫叶棒球队的共同所有人,他的儿子罗斯担任俱乐部主席。 1937 年,唐纳德成为多伦多枫叶棒球队的共同所有人。他的儿子罗斯成为俱乐部总裁。 1 +阿拉巴马州的教育由阿拉巴马州的公立和私立学校组成,包括阿拉巴马大学、私立大学以及中学和小学。 阿拉巴马州的教育由阿拉巴马州的中学和小学组成,包括阿拉巴马大学、私立大学以及公立和私立学校。 0 +罗杰·普理查德于 1653 年从英格兰移民至康涅狄格州米尔福特;与伊丽莎白·普鲁登结婚 1653 年,伊丽莎白·普鲁登从英格兰移民到康涅狄格州的米尔福德并嫁给 1 +大卫·I·沃尔什最近的传记作者写道:“摧毁沃尔什的活动起了作用,因为他无法为自己辩护……大卫·I·沃尔什是同性恋者。” 大卫·I·沃尔什最近的传记作者写道:“摧毁沃尔什的活动起了作用,因为他无法为自己辩护……大卫·I·沃尔什是同性恋者。 1 +威廉·威廉姆斯,也称为卢埃林·威廉姆斯(1867 年 3 月 10 日至 1922 年 4 月 22 日),是一名威尔士自由党派的激进记者、律师和政治家。 威廉·卢埃林·威廉姆斯以卢埃林·威廉姆斯(1867 年 3 月 10 日 -- 1922 年 4 月 22 日)这个名字为人所知,他是一位激进的记者、律师和威尔士自由党政治家。 1 +Battlepug 是出自麦克·诺顿的一部网络漫画,由阿伦·帕萨拉奎撰写,由克里斯·柯兰克撰写和作画。 Battlepug 是一部网络漫画,由迈克·诺顿上色,由艾伦·帕萨拉夸绘字,并由克里斯·柯兰克撰写和绘画。 1 +他获得南威尔士大片利润丰厚的土地和许多办公室,以表彰他对亨利的忠诚。 为奖励他对亨利的忠诚,他在南威尔士收购了很多土地和利润丰厚的办事处。 0 +英伟达于 2017 年 12 月 7 日正式公布 NVIDIA TITAN V。 英伟达于 2017 年 12 月 7 日正式公布 Nvidia TITAN V。 1 +梅特提出从帕丁顿延伸到南肯辛顿并向东从沼泽门延伸到塔丘再到南部的建议在 1864 年 7 月 29 日得到采纳并获御准。 梅特提出从帕丁顿向东延伸至南肯辛顿并从沼泽门向南延伸至塔丘的方案,在 1864 年 7 月 29 日得到采纳并获御准。 0 +正如生成模型一样,目标分布通过混合每种由相似性获得的背景状态的输出概率加权而成。 正如生成模型一样,目标分布通过混合每种由相似性获得的背景状态的输出概率加权而成。 1 +Propilidium pelseneeri 是一种海螺、真正的帽贝,属于海洋无鳃笠螺科腹足类软体动物,也是真正的帽贝科的一员。 Propilidium pelseneeri 是一种海螺、真正的帽贝,属于海洋无鳃笠螺科腹足类软体动物,也是真正的帽贝科的一员。 1 +亚洲业务成为 Ebel 的一部分,而欧洲业务出售给香港企业家王永平,现已成为宝光实业的一部分。 欧洲业务归至玉宝旗下,亚洲业务被香港企业家王永平收购,现归属宝光实业。 0 +它位于纳纽埃特以东、栗树岭以南、纽约州布劳维尔特以西以及新泽西州蒙特威尔和旧塔潘以北。 它位于切斯特桥以东,纳纽埃特以南,纽约州劳维特以西,以及新泽西州蒙特威尔和旧塔潘以北。 0 +它之后穿过特克索马湖沃希托河的河汊。 然后它穿过沃希托河的特克索马湖支流。 0 +法属波利尼西亚尼奥的一处环礁以格雷格的名字命名,称为阿勒克塞·格雷格。 法属波利尼西亚的一个环礁以阿列克谢·格雷格格雷格的名字命名。 0 +Vâlcea 河是罗马尼亚 Arieşul Mare 和的一条支流。 Vălcea 河是罗马尼亚 Arieşul Mare 河的一条支流。 1 +帕姆与他的兄弟吉姆(布雷克·罗宾斯)和皮特(塔格·科克尔)在纽约见面,共进午餐。 汤姆和他的兄弟吉姆(布莱克·罗宾斯)和皮特(塔格·科克)在纽约与帕姆共聚午餐。 0 +一些历史学家说荷兰的统治阶级希望荷兰与佛兰德的经济体系成为一体,并采用佛兰德的法律制度。 一些历史学家称,荷兰统治阶级希望荷兰同化佛兰德的司法系统,并接管佛兰德的经济机构。 0 +马里查·拉扎里于 1943 年 10 月出生于英国伦敦。她在 16 岁时与家人移居至塞浦路斯。 马里查·拉扎里于 1943 年 10 月出生于伦敦,16 岁时跟随家人移居到塞浦路斯。 1 +莫尔麦斯河是俄罗斯彼尔姆边疆区的一条河流,也是亚济瓦河的左侧支流。 Yazva 河是俄罗斯彼尔姆边疆区的一条河流,也是莫尔梅斯河的左支流。 0 +盖根堡多项式在位势理论和调和分析上下文中表现为勒让德多项式的延伸。 盖根鲍尔多项式在位势论和调和分析中会自然地表现为勒让德多项式的扩展。 0 +《Pennmakkal》 是一部印度电影,由 J. Sasikumar 制作,由 KP Kottarakkara 于 1966 年执导。 《Pennmakkal》是一部拍摄于 1966 年的印度马拉雅拉姆语电影,由 J·萨斯库马尔执导,由 K·P·科塔拉克拉制作。 0 +1920 和 1921 年,意大利人在威尼斯获胜——1920 年其他国家还未进入,而 1921 年法国还未开始。 1920 和 1921 年,意大利队在威尼斯获胜,1920 年其他国家均未参赛,而在 1921 年法国尚未开始参加。 1 +在实践中,麦斯奎特“模块”Java 类别通常是具有抽象类别定义的子类别。 实际上,Mesquite“模块”Java 类通常为具体类定义的抽象子类。 0 +英国巡演于 1983 年 5 月开始, 另一名吉他手罗宾·乔治进行了现场演出。 1983 年 5 月,英国巡演由现场吉他手罗宾·乔治的追加表演作为开场。 0 +卡勒姆·奥布赖恩(于 1982 年 11 月 4 日出生在新西兰)是一名剑桥职业壁球运动员。 卡勒姆·奥布莱恩(1982 年 11 月 4 日出生于新西兰剑桥)是一位专业壁球运动员。 0 +1991 年之前,它是蒂黑马县唯一一个舞台,直至 1993 年才提供唯一一座公共影院。 在 1991 年之前,它是德哈马县唯一的公共舞台,而在 1993 年之前,它是唯一的一家电影院。 0 +伯恩出生于德国,父母是犹太人,他是马克斯·伯恩和科学家海德薇格·埃伦伯格的儿子。 在德国出生,父亲是犹太人,是海德薇格·埃伦伯格和科学家马克思·伯恩的儿子。 0 +他最终完成了“西部共和党人”中的首批植物集,并由专业植物学家在俄亥俄州发表。 最后,他在“西部共和者”上发布了一位俄亥俄州专业植物学家收集的首批植物藏品中的一件藏品。 0 +马尔科尔姆•弗雷泽在 1975 年 12 月的联邦大选中以压倒性票数击败惠特•拉姆之后,授予埃杰顿爵士头衔,以表彰其在工会运动中所做工作。 惠特拉姆在 1975 年 12 月的联邦大选中以压倒性票数击败马尔科尔姆·弗雷泽后,授予埃杰顿爵士头衔,以表彰其在工会运动中所做工作。 0 +欧洲版与北美版皆为英文版。 北美版和欧洲版均能以英文版提供。 1 +罗马天主教卢加齐教区位于乌干达坎帕拉省卢加齐市。 卢加济的罗马天主教教区是一个教区,位于乌干达教会省坎帕拉的卢加济市。 1 +NS 这让他成为雄鸡队的第 994 名新人队员。 0 +阿托卡位于麦吉克里克湖以东;安特勒斯以西和俄克拉荷马法里斯以北。 阿托卡位于麦吉溪水库以东、安特勒斯以西和俄克拉荷马州法里斯以北。 1 +1862 年,歌舞杂耍表演首次从伦敦传入巴黎,并变得非常流行,其中有舞者、歌手、杂技演员和经魔术师训练的动物。 1862 年,歌舞杂耍表演首次从伦敦传入巴黎并变得非常流行,其中有舞者、歌手、杂技演员和经魔术师训练的动物。 1 +在第一轮对决后,海涅·托特兰德击败斯坎克斯特斯,在第二回合对战 Gaute Ormåsen,后者击败了 Bjørn Johan Muri。 在第一轮对决后,Bjørn Johan Muri 击败斯坎克斯特斯,在第二回合对战 Gaute Ormåsen,后者击败了海涅·托特兰德。 0 +后来确认将作为专辑的单曲分别于 10 月 15 日和 10 月 23 日在英国和美国发行。 之后确认它将作为该专辑的单曲于 10 月 15 日在英国发行,并于 10 月 23 日在美国发行。 0 +Saragyugh(之前罗马化为 Saragyukh;也称为 Darakoy、Darakey 和 Daragyukh)是位于亚美尼亚希拉克省的一个村庄。 Saragyukh(罗马化后也称为 Saragyukh;之前为 Darakoy、Darakey 和 Daragyukh)是位于亚美尼亚希拉克省的一个村庄。 0 +19 岁时,她移居斯德哥尔摩,后于 2011 年来到纽约。 19 岁时,她搬到纽约,2011 年搬到斯德哥尔摩。 0 +利东为 Zingone 的足球俱乐部踢球。 津戈内为利托的俱乐部足球队效力。 0 +1932 年瑞典冰球锦标赛是瑞典冰球锦标赛(瑞典全国锦标赛)的第 11 个赛季,哈马比体育会夺得冠军。 1932 年瑞典冰球锦标赛在瑞典冰球锦标赛的第 11 个赛季获胜,这是瑞典的全国锦标赛。Hammarby IF 赢得了冠军。 0 +他那天晚上去位于特库姆塞西部的车站,然后赶在邻居起疑前带着另一匹马回到维奥莱特斯普林斯。 那天晚上他将返回位于 Tecumseh 以西的驻地,然后在他的邻居产生怀疑之前,乘坐另一匹马前往 Violet Springs。 0 +马克·诺尔斯和丹尼尔·内斯特在决赛中分别以 5-3 和 5-4 击败乔纳森·埃利希和安迪·拉姆,从而夺冠。 乔纳森·埃利希和安迪·拉姆在决赛中分别以 5-3 和 5-4 击败马克·诺尔斯和丹尼尔·内斯特,从而夺冠。 0 +如今,他们中的大多数生活在希腊,还有一些仍然在保加利亚。 他们中的大多数现在住在希腊,有的还住在保加利亚。 1 +科瑟利·海福德也深入参与了非洲解放的政治运动。 凯瑟利·海福德也深入参与到非洲解放的政治运动中。 1 +马克·亚伦以 1:0 (104-0) 的比分击败马丁·古尔德而赢得决赛。 马丁·古尔德在决赛中以 1 -- 0 ( 104 -- 0 ) 战胜马克·艾伦。 0 +格兰迪·霍华德在这个日期当选为第一任市长,在 1951 年 6 月 5 日被正式任命为斯普林莱克的代理市长。 格雷迪·霍华德在这一天被选为第一任市长,并于 1951 年 6 月 5 日被正式任命为斯普林莱克的市长。 0 +第四个因约瑟夫·亨普希尔在 1826 年 5 月后的某个时候辞职而形成并由托马斯·基特拉填补。 第四个是托马斯·基特拉于 1826 年 5 月后某日的辞职所造成的,由约瑟夫·亨普希尔填补空缺。 0 +艾尔半岛上还有一条窄轨铁路连接塞杜纳和林肯港。 还有一条隔离的窄轨铁路从林肯港连接到艾尔半岛的塞杜纳。 0 +Bostryx turritus 是一种会呼吸空气的热带蜗牛,属于彩虹蜗牛科有肺腹足类软体动物。 Bostryx turritus 是一种会呼吸空气的有肺类陆生蜗牛,属于彩虹蜗牛科热带腹足类软体动物。 0 +在它开放后,英国 BBC 电视总监是大卫·尼克松,其第一档节目“第一夜”邀请了杰拉尔德·比德尔,并在第三演播室进行录制。 当它开业时,BBC 电视台的台长是杰拉尔德·比德尔,而且第一个节目是《第一夜》,由大卫·尼克森在第三演播室广播。 0 +从这座桥的西端开始, 宾夕法尼亚州 268 号公路向南连接帕克,向北连接埃姆伦顿。 宾夕法尼亚州 268 号公路起于大桥西端,北至帕克市,南至埃姆伦顿市。 0 +Zervodexios 是一种来自希腊和马其顿色雷斯的希腊民间舞蹈。 Zervodexios 是一种源自马其顿和色雷斯的希腊民间舞蹈。 0 +耶路撒冷亚美尼亚教长努尔汗•马努吉安表示,亚美尼亚人被视为“三等公民”。 亚美尼亚耶路撒冷主教诺汉·马努吉安说,亚美尼亚人被视为“三等公民”。 1 +卢浮宫绘画中的光线更柔和,而且显得更温暖,这可能是由表面颜料的色调所造成的。 卢浮宫的照明——绘画更加温暖,而且似乎更加柔和,但这可能是表面清漆色调产生的效果。 0 +怀俄明州 330 号高速公路是一条相当短的东西向州际公路,位于谢里敦县的西北部,为谢里敦市中部地区服务。 怀俄明州 330 号高速公路是一条很短的东西向怀俄明州道路,位于谢里登县西北部,服务于谢里丹的中部。 1 +他还向米特·罗姆尼捐赠 34,000 美元,并向特德·克鲁兹捐赠 7,000 美元,包括他在 2016 年的总统竞选。 他还向特德·克鲁兹捐赠了 34,000 美元,向米特·罗德尼捐赠了 7,000 美元,包括他的 2016 年总统竞选。 0 +他乘坐火车离开了德克萨斯,然后留在了堪萨斯养伤。 他乘火车离开了堪萨斯州,并搬到德克萨斯州养伤。 0 +它是一处著名的朝圣中心,距达尔瓦德 78 千米,距贝尔高姆 37 千米。 它是著名的朝圣中心,距离贝尔高姆 78 公里,距离达尔瓦德 37 公里。 0 +第一个是 Kai-sung,她是 Jin-Qua 的女儿,并与 Gordon Chen 生下 Dirk Struan。 第一位 Kai-sung 是 Jin-Qua 的女儿。她与 Gordon Chen 育有一子德克·斯特卢安。 0 +麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他负责为在朝鲜战争中受伤的士兵做磁共振波谱分析。 麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 1 +中校 Donald Grant Millard、上尉 Gerald K. Hannaford 和上尉 John F. Lorraine 当时也都是那辆飞机上的乘客。 舱内人员包括杰拉尔德 K ·汉纳福德上校、唐纳德·格兰特·米勒德上尉和约翰 F ·洛林上尉。 0 +该集由由托尼·戈德温处理,编剧是马特·拜伦和马克·费什。 该集的编剧是马特·拜伦和马克·费什,由托尼·戈德温执导。 1 +目前仍有两个只有少数成员的独立联赛:格兰偏联盟联赛和高地联盟联赛。 还有两个成员很少的小规模独立联赛:格兰坪联盟联赛和高地联盟联赛。 1 +当需要更多不同 IE 时,这通常会导致更多的容量规划问题,并会在本质上导致无法交付 IP。 当需要更多数量的不同 IE 时,它通常导致更多容量规划问题,并且在内在上导致 IP 无交付。 1 +他在田纳西州卡特县出生,后来搬到阿肯色州。 他出生于阿肯色州,后来搬到移居田纳西州卡特县。 0 +多迪于 1923 年出生在格洛斯特,2014 年在波士顿逝世。 1923 年,多蒂在波士顿出生,并于 2014 年在格罗斯特去世。 0 +在德国房车大师赛亮相期间,奥迪 V8 与更为小巧的梅赛德斯 190、宝马 M3 以及稍显轻便的欧宝 Omega 3000 展开了竞争。 在德国房车大师赛亮相期间,奥迪 V8 与颇为小巧轻便的梅赛德斯 190、宝马 M3 以及稍显小巧的欧宝 Omega 3000 展开了竞争。 0 +史蒂夫 史蒂夫开始与苏兰·琼斯扮演的凯伦·菲利普斯恋爱。 凯伦·菲利普斯开始与苏兰·琼斯扮演的史蒂夫恋爱。 0 +麦觉理医院没有急救服务,最近的急诊科位于赖德医院、康科德医院或皇家北岸医院。 康科德医院或皇家北岸医院不提供紧急服务。最近的急诊科是在莱德医院、麦格理医院。 0 +代贝莱茨是大特尔诺沃州大特尔诺沃市北部的一个城镇,属于保加利亚。 代贝莱茨是一座位于保加利亚北部的城市,属于大特尔诺沃省大特尔诺沃自治市的一部分。 0 +赫克托博士、寇迪和克里斯蒂找到了将佛利斯特扣为人质的克里斯蒂博士。 赫克托、科迪和克里斯蒂找到将福里斯特扣押为人质的克里斯蒂博士。 1 +榴弹炮兵团已被撤除,而最初的炮兵团保留标准轻兵团的编号。 登峰团已经撤销,而最初的炮兵团保留标准轻兵团的人数。 0 +在这些采石场中发现一些尚未完工的古代作品,比如阿波罗纳斯巨像或两个弗雷里奥巨像。 在这些采石场发现了一些未完成的古代作品,如阿波罗纳斯的青年雕像或 Flerio 的两尊青年雕像。 1 +当查尔斯·康沃利斯将军的军队在东侧扎营时,保皇派已驻扎在卡托巴河的西岸。 保皇派在卡托巴河西侧扎营,查尔斯·康沃利斯将军的军队驻扎在东侧。 1 +纸牌按桥牌图所示方法进行处理;北方表示发牌员,其会按叫牌桌所示流程开始拍卖。 纸牌如桥牌图所示,北为发牌人,按竞价表中的协定进行竞价。 0 +启动资金来自比尔及梅琳达·盖茨基金会、金融家爱德华·W·斯科特,以及科技企业家乔治·索罗斯。 资金由比尔及梅琳达·盖茨基金会、金融家爱德华·W·斯科特和技术企业家乔治·索罗斯提供。 1 +马洛克的“保守主义思想”中给予了突出地位。 罗素·柯克在马洛克的“保守主义的心灵”中占有重要地位。 0 +第一段是从霍基蒂卡到鲁阿塔普,这段于 1906 年 11 月 9 日开通,到罗斯的完整线路于 1909 年 4 月 1 日完工。 首个路段是从霍基蒂卡到鲁阿塔普,该路段于 1906 年 11 月 9 日完工,而 Ross 完整线路于 1909 年 4 月 1 日 开放。 0 +下一个市政厅建于 1627 年,采用巴洛克风格,并在 1650 年、1653 年、1735 年和 1779 年遭到破坏。 下一个镇政厅在 1627 年遭到损坏,它采用巴洛克建筑风格,并在 1650 年、1653 年、1735 年和 1779 年建成。 0 +五天之内,这股冷气团便从马里亚纳群岛南部扩散至菲律宾群岛北部。 该冷气团在五天内从马里亚纳群岛南部扩展至菲律宾群岛北部。 1 +两架于 1934 年制造,但没有再飞行。 有两架飞机在 1934 年投入使用,但之后停产。 0 +特里饰演奥菲莉亚和波西亚,重新上演了制作的《哈姆雷特》和《威尼斯商人》(1879 年)。 有了特里扮演奥菲莉娅和鲍西娅,他制作了《哈姆雷特》,并让《威尼斯商人》 (1879) 重焕生机。 0 +《珍稀植物史》展示出自切尔西药草园和剑桥植物园的植物。 “Historia Plantarum Rariorum”描绘了剑桥植物园和切尔西草药园中的植物。 1 +她出生在墨西哥,但不久后与家人一起搬到了波多黎各的圣胡安,她出生时就患有虹膜异色症。 卡迈恩出生在波多黎各的圣胡安,但很快就和家人一起搬到了墨西哥。她出生时患有虹膜异色症。 0 +于 1544 年授予给约翰·索恩,之后又立即传位给亨利·奥德利和约翰·科多尔。 它在 1544 年被授予给了约翰·宋尼,他又立即传给了亨利·奥迪雷和约翰·科多尔。 1 +他从第一轮 (Wakefield Trinity Wildcats) 到第五轮 (Huddersfield Giants ) 连续参加五场比赛。 他连续出场五次,参加了从第 1 轮(对战哈斯菲尔德巨人队)到第 5 轮(对战韦克菲尔德三一野猫队)的比赛。 0 +影片由占比·阿尔马让饰演艾利克斯,贝尔纳多·格尔尼卡·克鲁兹饰演大卫以及乔纳森·迪亚兹·安古洛饰演玛利亚。 在此部影片中,由杰比·埃尔玛桑饰演亚历克斯,伯纳多·加尼卡·克鲁兹饰演大卫,乔纳森·迪亚兹·安古洛饰演玛丽亚。 1 +安娜之前与陀思妥耶夫斯基的订婚和陀思妥耶夫斯基与雅克拉德之间激烈的政治分歧都没有阻止他们之间亲密频繁的接触。 陀思妥耶夫斯基之前与陀思妥耶夫斯基订过婚和安娜与雅克拉尔家族之间巨大的政治分歧都阻止不了他们之间热情而定期的联系。 0 +这首诗保存在四部当代手稿中,其中有一部并不完整。 这首诗被保存在四本残缺手稿中,其中一本存于当代。 0 +1865 年 8 月 17 日,纽约第三志愿者骑兵队和纽约第十六志愿者骑兵队合并为纽约第十三临时骑兵队。 1865 年 8 月 17 日,纽约第十三志愿者骑兵队与纽约第十六志愿者骑兵队合并成纽约第三临时骑兵队。 0 +自 1984 年以来,布莱克与帕特丽夏·迈耶共结连理并育有两子:莱恩(出生于 1988 年)和戴尔(出生于 1992)年。 自 1984 年起,帕特丽夏·戴尔与帕特丽夏·迈耶喜结连理并育有二子:莱恩(出生于 1988 年)和布莱克(出生于 1992 年)。 0 +他在剧集中出演格洛克纳的荧屏首秀已于 2013 年 2 月 22 日播出。 在 2013 年 2 月 22 日播出的那一集中,梅森以格洛克纳的身份首次出现在屏幕上。 1 +Llyn Dinas 是威尔士北部格温内斯郡 Beddgelert 附近的一个湖泊,由格拉斯林河形成。 贝德盖勒特是邻近威尔士北部格温内斯 Llyn Dinas 的一个湖泊。它由 Glaslyn 河形成。 0 +这需要持续监测实际分压随时间的变化,并需要潜水员的减压计算机进行实时计算机处理,以获得最大效果。 这需要根据时间持续监控实际压力,而且为了获取最大效果,需通过潜水员的减压计算机进行实际分时计算机处理。 0 +反刍动物也会患上神经疾病,动物可能会拒绝进食,显得嗜睡,也会出现呼吸方面的症状。 反刍动物也会患上呼吸疾病,动物可能会拒绝进食、显得昏昏欲睡,也会出现神经方面的症状。 0 +如果一个句子中存在多个语法类型,则只有复数才具有首个标记。例如: 如果句子中存在多个语法类别,则仅有第一个类别带复数标记。 0 +凯西和她的丈夫皮特·比尔(彼得·迪恩)经济状况稳定。 凯西 凯西和她的丈夫彼得·迪恩(皮特·比尔)经济状况稳定。 1 +该漫画在日本和亚洲针对世嘉 Mega Drive 推出同名电子游戏。 该漫画在日本和亚洲针对世嘉 Mega Drive 推出同名电子游戏。 1 +该化合物由帕特里克·佩奇博士及其团队创制,并于 2007 年由 Genkyotex 获得专利。 该化合物由帕特里克·佩奇博士及其团队获得专利,并由 Genkyotex 于 2007 年创制。 0 +在叶片中,维管束位于海绵叶肉之间。 海绵组织间的维管束位于叶片中。 1 +阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 1 +例外期间是 2005 年年底至 2009 年,在此期间他在瑞典为 Carlstad United BK 效力,在塞尔维亚为 FC Terek Grozny 和俄罗斯 FK Borac Čačak 效力。 2005 年末至 2009 年是例外,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的格罗兹尼特里克足球俱乐部和俄罗斯的查查克足球俱乐部。 1 +评论家对第一个系列的记录优于第二个。 第二个系列比第一个系列更受评论家好评。 0 +NS 据美国人口普查局,肯尼索市的总表面积为,其中 或 1.08% 为陆地, 有水。 0 +该镇有九个墓园:Bucher、Calvertville、Goodwin、Kelley、Owens、Snyder、Stalcup、Wall 和 Walnut Grove。 此行政镇区有九座墓地:凯利、欧文斯、Calvertville、古德温、布赫、斯奈德、Stalcup、沃尔和沃尔纳特·格鲁夫。 1 +艾奇逊的母亲爱丽丝是一位画家,他的外祖父母路易斯·斯坦利和简·C·斯坦利分别是铁路律师和水彩画家。 艾奇逊的母亲爱丽丝是一位画家,他的外祖父母简·C·斯坦利和路易斯·斯坦利分别是铁路律师和水彩画家。 0 +2012 年 1 月 1 日,该地区的人口是 62,500,其中 9.6% 为城市居民,90.4% 为农村人口。 2012 年 1 月 1 日,该区的人口达到 62,500,其中 9.6 % 城镇人口,90.4 % 农村人口。 1 +1865 年 8 月 17 日,纽约第十三志愿者骑兵队与纽约第十六志愿者骑兵队合并成纽约第三临时骑兵队。 1865 年 8 月 17 日,第 3 纽约志愿骑兵队与第 16 纽约志愿骑兵队合并,组成第 13 纽约暂编骑兵队。 0 +实际上,Mesquite“模块”是 Java 类,通常为抽象类定义的具体子类。 实际是 Mesquite“模块”Java 类,通常为具体类定义的抽象子类。 0 +“断头台”最后一次在东德使用是在 1949 年,最后一次在西德使用是在 1966 年。 这个“箱子”1949 年最后一次在东德使用,1966 年最后一次在西德使用。 1 +费耶诺德鹿特丹队以总比分 4-2 击败托特纳姆热刺队,从而赢得 1973-74 欧洲联盟杯。 托特纳姆热刺队以 4:2 击败费耶诺德鹿特丹队,从而赢得 1973 - 74 欧洲联盟杯。 0 +博尔德杜尚别茶馆是杜尚别市长马克苏德·艾克拉莫夫赠与科罗拉多州博尔德市的礼物。 博尔德杜尚别茶馆是杜尚别市长 Maksud Ikramov 送给科罗拉多州博尔德市的礼物。 1 +以上所有格主题案例“-m”为第一人称单数。 以上单数主题`` -m '' 的示例用于第一人称所有格。 0 +在 1985 年的一期“约翰尼·卡森今夜秀”中,约翰尼提到了这个故事并向老朋友埃德·麦克马洪讲述了情节。 在 1985 年的一集《约翰尼·卡森今夜秀》中,艾德·麦克马洪提到了这个故事并将情节告诉了伙伴约翰尼。 0 +于尔根·梅尔泽在决赛中以 6 : 4 、6 : 3 的成绩战胜了米哈乌·柏兹西兹尼赢得了冠军。 于尔根·梅尔泽在决赛中以 6 -- 4、6 -- 3 的比分击败米哈乌·柏兹西兹尼后获得冠军。 1 +坎帕拉中央商务区距离卡文佩大约。 坎帕拉中央商务区与卡文佩之间的道路距离约为。 1 +它是著名的朝圣中心,距离达尔瓦德 78 公里,距离贝尔高姆 37 公里。 它是一个著名的朝圣中心,距离达尔瓦德县 78 公里,距离贝尔高姆 37 公里。 1 +马里查·拉扎里于 1943 年 10 月出生于英国伦敦。她在 16 岁时跟随她的家人移居到了塞浦路斯。 马里查·拉扎里于 1943 年 10 月出生于塞浦路斯,并在 16 岁时与其家人移居至英格兰的伦敦。 0 +妮科尔 妮科尔·普拉特以 6 - 4 和 6 - 3 击败了克丽斯廷·戈德里奇 克莉丝汀·戈德里奇以 6-4 和 6-3 击败妮科尔·普拉特。 0 +他曾在比利·艾克斯廷的乐队录制唱片,并于 1946 年与莱昂内尔·汉普顿一起演奏。 他与比利·埃克斯提的乐队一起录音,并于 1946 年与莱昂内尔·汉普顿的乐队同台演出。 1 +他的父亲帕特里克·伯恩是都柏林的代表、参议员兼市长,另一位兄弟阿尔菲·伯恩也是 TD。 他的父亲阿尔菲·伯恩是议员、下议院议员、参议员兼都柏林市市长大人,另一位哥哥帕特里克·伯恩也是下议院议员。 0 +到目前为止,季诺维也夫的作品已经由奥卢交响乐团、拉提交响乐团、Kymi Sinfonietta 交响乐团、芬兰广播交响乐团和 Avanti 乐团演出! Zinovjev 的作品目前一直由芬兰广播交响乐团、拉蒂交响乐团、Kymi Sinfonietta 管弦乐队、奥卢交响乐团和阿万蒂室内乐团演奏! 1 +其效果包括生物化学反应、中枢神经系统反应和生理变化。 其影响可能包括生化反应、中枢神经系统反应和生理变化。 1 +癌前病变是一种在显微镜检查中表现异常的典型组织,相比形态正常的细胞更容易发生癌症。 癌前病变是形态上非典型组织,在显微镜检查中看起来不正常,而且在这种组织中比显然正常的组织更有可能发生癌症。 0 +它流入桃树溪,而桃树溪然后流入位于维宁斯和佩西斯南面的查塔胡奇河。 它流入 Peachtree 溪,之后再流向维宁斯和 Paces 以南的查特胡奇河。 0 +这首音乐由维贾扬作曲、K·J·耶斯达斯作词并编写了 K·拉格万。 该音乐由 K. J. Yesudas 和 K. Raghavan 作曲并由 Vijayan 作词。 0 +市政厅在 1911 年被毁,于 1945 年部分修复,且在 20 世纪 60 年代重建。 该镇政厅于 1911 年重建 ,于 1945 年被部分损毁,后来在二十世纪六十年代修复。 0 +上游是废弃的密歇根中央铁路大桥,它与其前身漩涡激流大桥与尼亚加拉悬臂桥竞争过铁路交通。 上游是停止使用的密西根中央铁路大桥,它及其前身尼亚加拉悬臂桥,与急流桥旋涡竞争铁路运输。 0 +独自闭关是在完全没有光线的空间内闭黑关。 黑暗静修所是指完全无光的空间中独自静修的地方。 0 +布朗嫁给了布朗,定居于犹他州李海。卡罗·尤尔夫妇养育了八个子女。 布朗嫁给布朗,定居于犹他州李海。卡罗·尤尔是八个孩子的母亲。 1 +团队回应了第二年 2 月 19 日晚上同一场比赛的变化。 团队回应了次年二月夜晚进行的同一场比赛中的变化。 1 +Notoficula signeyensis 是一种海螺,属于峨螺科的真正腹足类软体动物,海军。 Notoficula signeyensis 是一种海螺,是峨螺科真正的腹足类软体动物,属于海螺。 0 +2005 年 6 月,BBC 新闻学院作为电子学习课程开设,由凯文·马什担任执行编辑,第一任总监为文·雷。 BBC 新闻学院于 2005 年 6 月作为电子学习课程系列开设,由文·雷担任执行编辑。其第一任总监为凯文·马什。 0 +调节鹿群数量的另一条途径是控制出生率。 调控鹿的数量的另一个方法是控制生育率。 1 +苏利耶·德·莫朗在驻中国的法国外交使团中工作了多年,期间曾在中国的多个城市担任法国领事。 苏利耶·德·莫朗在驻中国的法国外交使团中工作了多年,期间曾在中国的多个城市担任法国领事。 1 +达科他城属于苏城大都会区,IA -- NE -- SD。 达科他市是内布拉斯加州 - 艾奥瓦州苏城 - 南达科他州大都市统计区的一部分。 0 +他迎娶了玛丽·玛格达莱妮·施韦高,她是泰勒夫·达尔·施韦高的女儿,资深政治家安东·马丁·施韦高的侄女,也是后来的总理克里斯蒂安·霍曼·施韦高的姑姑。 他娶了玛丽·玛格达莱妮·施伟高,她是泰勒夫·达尔·施伟高的女儿,政界要员克里斯汀·霍楠·施伟高的侄女,之后担任首相的安东·马丁·施伟高的姑母。 0 +在色情视频技术出现前,电子和数字电影的大量制作与主流电影业直接联系在一起。 在电子和数字视频技术出现前,色情电影的大量制作与主要的电影业直接相关。 0 +1866 年 6 月 25 日,他被任命为“吕基亚尼萨的主教和韦莱特里的领衔主教。 1866 年 6 月 25 日,他被任命为“吕基亚尼萨的主教和韦莱特里的领衔主教。 0 +这部影片由拉杰夫·梅农拍摄,由 A·斯里卡尔·普拉萨德剪辑。 这部电影由拉吉夫·梅诺担任摄影并由 A. Sreekar Prasad 担任剪辑。 1 +他是印度管理研究所加尔各答分校成立初期核心团队的重要成员,该分校是第一所印度管理学院。 在著名的印度管理学院印度管理学院加尔各答分校成立的头几年,他是初始团队的核心成员。 0 +UIF 由 2008 年合并室内足球联赛 (IFL) 和联合激烈足球联赛而成立。 UIF 在 2008 年由室内足球联盟 (IFL) 和联合激烈足球联赛合并而成。 1 +NS NS 0 +这是西孟加拉邦纳迪亚县纳巴德维普镇的主要火车站。 这是西孟加拉邦纳迪亚区纳巴德维普的火车总站。 1 +该手稿由卡斯珀·勒内·格雷戈里 (278) 和弗雷德里克·斯克里夫纳(第 329 号)加入新约手稿清单。 该手稿由弗雷德里克·斯克里夫纳 (278) 和卡斯珀·勒内·格雷戈里(第 329 号)加入新约手稿清单。 0 +Enigmaticolus Monnieri 是一种海螺,是属于蛾螺科的真正腹足软体动物,是海生蛾螺。 Enigmaticolus monnieri 是一种海螺,属于峨螺科真正的腹足类软体动物,也是海洋海螺。 1 +他于 1924 年在多伦多、1932 年和 1936 年分别在苏黎世和奥斯陆担任 ICM 特邀发言人。 他于 1924 年在多伦多、1932 年在奥斯陆以及 1936 年在苏黎世担任 ICM 的特邀发言人。 0 +卡瓦利出生于俄亥俄州辛辛那提,在科罗拉多州丹佛长大。 卡瓦利出生于科罗拉多州丹佛,在俄亥俄州辛辛那提长大。 0 +33.7% 出生在马里兰州,该州与邻州弗吉尼亚州和华盛顿特区一起被人口统计局归类为美国南部的一部分。 33.7% 出生于弗吉尼亚州,人口调查局将其与邻近的马里兰州和华盛顿特区归类为美国南部的一部分。 0 +根据季节不同,卷心菜种群会从北美洲的加拿大迁移至墨西哥。 根据季节不同,北美洲的粉纹夜蛾种群会从加拿大迁徙至墨西哥。 0 +圣公会传统中新教和天主教倾向之间的差异程度通常在特定圣公会教会和整个圣公会界都存在争议。 圣公会教会之间和整个圣公会界对圣公会特定传统中出现的新教和天主教趋势的差别程度一直争论不休。 0 +法国非尼斯泰尔选区是非尼斯泰尔“省”的第一个选区。 非尼斯泰尔省第 1 选区为法国非尼斯泰尔“省”的一个选区。 0 +NS 角色和演员阵容于 11 月 20 日曝光,当时“邻居”在他们的 YouTube 频道上观看了 Fotiou 被曝光的幕后视频。 0 +这些人口中,87.91 % 为罗马尼亚人,7.53 % 为匈牙利人且 4.43 % 为罗姆人。 在该群体中,87.91 % 是匈牙利人,7.53 % 是罗马尼亚人,以及 4.43 % 是罗姆人。 0 +田野绿植和根类植物一般不栽培,并且在野生状态下季节性聚集生长。 田野绿植和根类植物一般不栽培,并且在野生状态下季节性生长。 1 +农民打败了阿姆斯特朗——候选人卫斯理·罗布获得 180 张选票,选举后得以留任。 阿姆斯特朗以 180 张选票的优势战胜了农民候选人韦斯利·洛伯,并在选举后执政。 0 +2014 年 2 月,十号电视网宣布丹妮尔将取代 Isdale Hugh Riminton 担任主持人,维多利亚·墨菲也将成为主持人。 2014 年 2 月,十号电视网宣布丹妮尔·伊斯戴尔将取代 Hugh Riminton 担任主持人,维多利亚·墨菲也将成为主持人。 0 +锡贝伯格说这首歌是他在整张专辑中最喜欢的,因为它很纯粹,很符合他的个人经历。 锡贝伯格称,这首歌是他在此专辑中的最爱,“因为它是如此纯粹,而又如此个人化。 1 +麦迪逊区公立学校是为密歇根州麦迪逊高地南端大底特律区服务的学区。 麦迪逊区公立学校学区是服务于密歇根州麦迪逊海茨大底特律南部的学区。 0 +癌症基因组项目由迈克尔·斯特拉顿于 2000 年启动,彼得·坎贝尔现在是该项目的组长。 癌症基因组项目由彼得·坎贝尔于 2000 年启动,目前该项目的负责人是迈克尔·斯特拉顿。 0 +菲什曼持有布朗大学学士学位和哥伦比亚大学经济学硕士学位。 菲什曼持有布朗大学学士学位和哥伦比亚大学经济学硕士学位。 1 +"Valea lui Lambă 河,又称 ""unk"" imon 河,是罗马尼亚洛姆河的一条支流。" Valea lui Lambă 河或洛姆河是罗马尼亚西蒙河的支流。 0 +他在 1999 年和 2003 年分别打败 Jarno Jokihaara 和 Marko Ritola 成为了芬兰冠军。他还在 2003 年成为了室内锦标赛的冠军。 1999 年和 2003 年,他与贾尔诺·约基哈拉和马科尔·里托拉一起成为了芬兰大师,并在 2003 年成为了室内赛冠军。 1 +一些重要的委员会签署了“金融委员会”、“仪式委员会”和“社会行动委员会”。 一些重要的委员会包括仪式委员会、社会行动委员会和财务委员会。 1 +第二季成为喜剧中心第九个评分最高的节目。 第九季成为喜剧中心评分第二高的节目。 0 +《亚当·苏拉特》(“内心的力量”)是一部由塔尔克·马苏德在 1989 年执导的关于孟加拉国画家谢赫·莫罕默德·苏尔丹的纪录片。 《亚当·苏拉特》(“内心的力量”)是一部关于孟加拉国画家谢赫·莫罕默德·苏尔丹的纪录片,由塔尔克·马苏德于 1989 年执导。 0 +《震撼》是一家总部位于伦敦的电子音乐杂志,涵盖不同形式的英国和黑人地下音乐。 《Shook》是一本伦敦的独立制作的英国音乐杂志,涵盖各种形式的黑人音乐和电子音乐。 0 +针对 GLA 抗炎效果的经验观察显示,DGLA 的实际效果占绝对优势。 针对 GLA 抗炎效果的经验观察显示,DGLA 的实际效果占绝对优势。 1 +Axouchoi 是来自土耳其的一个显赫家族,它与科穆宁王朝关系密切,并且培养出众多著名将领。 Axouchoi 是来自土耳其的一个显赫家族,它与科穆宁王朝关系密切,并且培养出众多著名将领。 1 +山区施瓦尔曹是奥地利下奥地利省诺因基兴区的一个城镇。 山区施瓦尔曹是下奥地利区诺因基兴奥地利省的一个城镇。 0 +“双色羽扇豆”有细茎和短小、多毛并按掌状排列的叶子。 “双色羽扇豆”拥有一条细茎和短小多毛的掌状叶子。 1 +它在 1943 年和 1944 年被德国人打捞起来,被盟军的轰炸机击沉两次,最终在 1946 年和 1947 年报废。 她被德国人击沉并于 1943 至 1944 年间被盟军轰炸机废弃两次,最终于 1946 至 1947 年间被打捞起。 0 +他在比赛中的最佳排名是 1960 年的第十名和 1968 年的第八名。 他在比赛中的最佳排名是 1960 年的第八名和 1968 年的第十名。 0 +立即告诉他的父亲查利·克劳森(萨克·麦圭雷)和伊维。 亨特立即告诉了他的父亲萨克·麦圭雷(查利·克劳森)和伊维。 0 +根据观察,她“拥有非常大的潜力,而且才华横溢,未来将成长为具有独特音乐个性的人。 根据观察,她“拥有非常巨大的潜力,而且才华横溢,未来将成长为具有独特音乐个性的人”。 1 +他的名字阿福拉比的意思是“生于财富”。他在尼日利亚的昵称是机械战警,原因在于他僵硬的动作。 他的名字是阿弗拉比,意为“天生富贵”,由于动作僵硬,他的绰号是尼日利亚机械战警。 1 +凯伦·菲利普斯开始与苏兰·琼斯饰演的史蒂夫恋爱。 凯伦·菲利普斯与苏兰·琼斯扮演的史蒂夫展开了一段恋情。 1 +和她一起,我能够以早期风格实现我的一些音乐梦想,而且这种新风格真的非常宽广、清新和自然流畅。 与她一起,我便能实现一些具有早期风格的音乐梦,这种新风格恢弘清新、自然流畅。 1 +由于维尼·提斯塔维德被视为先发球员,佐拉克与雷·卢卡斯竞争替补球员机会。 由于维尼·提斯塔维德是先发球员,佐拉克与瑞伊·卢卡争夺替补位。 1 +杰森·桑顿是该管弦乐队的艺术总监,彼得·多诺赫是首席客座指挥而加文·卡尔为副指挥。 加文·凯尔是管弦乐队的艺术指导,彼得·多诺霍担任首席客座指挥,杰森·桑顿担任副指挥。 0 +登峰团已经撤销,而标准炮兵团保留最初轻兵团的人数。 榴弹炮兵团已经撤走,标准炮兵团保留了原来轻型兵团的人数。 1 +他还编写了大量管弦乐曲和多种伴奏曲。 他还编写了大量的声乐编排和种类多样的管弦乐伴唱。 0 +李参加过意大利、俄罗斯、希腊、法国、印度尼西亚和希腊的职业比赛。他曾在波多黎各、葡萄牙和印度尼西亚获得全国冠军。 他曾在希腊、俄罗斯、意大利、法国、波多黎各、葡萄牙和印度尼西亚打过职业比赛,并在印度尼西亚和希腊赢得全国冠军。 0 +朗德岛目前无人居住,由美国林务局整体拥有,作为海华沙国家森林的一部分进行管理。 郎德岛目前无人居住,由美国国家森林局全面管理,是海华沙国家森林的一部分。 0 +她得到理查德·吉布森和宫廷画师彼得·雷利的称赞,她被公认为成就堪比琼·卡莱尔。 她受到理查德·吉布森和宫廷画家琼·卡莱尔的称赞,被认为像彼得·莱利一样成功。 0 +JoyKey 没有活动部件,也没有会破裂的软木塞,或会磨损的羽毛。 JoyKey 没有活动部件,也没有会磨损的软木塞或可能断裂的弹簧。 0 +2002 年,英国制作人文森特·斯托姆菲尔德发行此首歌曲,而后 Independiente 将其报道为“甜蜜而和谐 02”。 2002 年,这首歌由英国制作人 Vincent Stormfield 发行,并由 Independiente 翻唱为“甜蜜和谐 02”。 1 diff --git a/examples/datasets/pawsx/test-en.tsv b/examples/datasets/pawsx/test-en.tsv new file mode 100644 index 0000000..26c7eed --- /dev/null +++ b/examples/datasets/pawsx/test-en.tsv @@ -0,0 +1,2000 @@ +The exception was between late 2005 and 2009 when he played in Sweden with Carlstad United BK , Serbia with FK Borac Čačak and Russian FC Terek Grozny . The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FK Borac Čačak and the Russian FC Terek Grozny . 1 +The Tabaci River is a tributary of the River Leurda in Romania . The Leurda River is a tributary of the River Tabaci in Romania . 0 +He played with the A-level Kane County Cougars in 1993 and the AA Portland Sea Dogs . He played in 1993 with the A - Level Portland Sea Dogs and the AA Kane County Cougars . 0 +Winarsky is a member of the IEEE , Phi Beta Kappa , the ACM and Sigma Xi . Winarsky is a member of ACM , the IEEE , the Phi Beta Kappa and the Sigma Xi . 1 +In 1938 he became the government anthropologist of the anglo-Egyptian Sudan and led fieldwork with the Nuba . In 1938 he became the Government Anthropologist of the Egyptian-Anglo Sudan and conducted fieldwork with the Nuba . 0 +Billy Billy Batson appeared in the first four issues of `` Black Adam '' , published between late 2008 and early 2009 . Black Adam appeared in the first four issues of `` Billy Batson '' , published between late 2008 and early 2009 . 0 +The solar approach to this requirement is the use of solar panels in a conventional-powered aircraft . The solar approach to this requirement is the use of solar panels in a conventionally powered aircraft . 1 +The police also questioned singer Rimi Tomy and the actor Kavya Madhavan , both close friends of Siddique and his wife Dileep , as part of the ongoing investigation . The police also questioned singer Rimi Tomy and actor Kavya Madhavan , both close friends of Siddique and his wife Dileep , as part of the ongoing investigation . 1 +They are overlaid with sparse live orchestral music and consist of vague , almost deliberately colorless sounds . They are overlaid with colour-free , live played music and consist of vague , almost deliberately sparse orchestral sounds . 0 +Holly was musically influenced by Elton John . Holly Holly was influenced musically by Elton John . 1 +The team responded to the changes in the next game the same evening on 19 February . The team responded to the changes in the same game that next February 19 evening . 0 +The Nashua Silver Knights , part of a current summer league , is the collegiate team of the city . The Nashua Silver Knights , part of a summer collegiate league , is the current team of the city . 0 +The `` Fallbeil '' was used for the last time in West Germany in 1949 , in East Germany in 1966 . The `` Fall Beil '' was used for the last time in West Germany in 1949 , in 1966 in East Germany . 1 +The canal is one of the oldest navigable canals in Europe and in Belgium . The canal is one of the oldest navigable canals in Belgium and indeed in Europe . 0 +In 2009 he moved back to Philadelphia and lives in New York City today . He moved back to Philadelphia in 2009 and now lives in New York City . 1 +He died of stomach cancer in Claremore , Oklahoma , New York City , where the Lynn Riggs Memorial is located on June 30 , 1954 . He died on June 30 , 1954 , of stomach cancer in New York City . Claremore , Oklahoma is home to the Lynn Riggs Memorial . 0 +Stipsits was born in Korneuburg , Germany and spent his childhood in Stammersdorf , Vienna . Stipsits was born in Korneuburg , and spent his childhood in Stammersdorf , Vienna . 1 +The Keita dynasty ruled pre-imperial and imperial Mali from the 12th century into the early 17th century . The Keita dynasty ruled Mali from the 12th to the early 17th century , pre-imperial and imperial . 1 +`` Angel Eyes '' is a 1946 popular song composed by Matt Dennis , with lyrics by Earl Brent . `` Angel Eyes '' is a popular song composed by Earl Brent in 1946 , with texts by Matt Dennis . 0 +The music was written by Shyam and lyrics was composed by Sreekumaran Thampi and Sathyan Anthikkad . The music was written by Shyam and the lyrics by Sreekumaran Thampi and Sathyan Anthikkad composed . 1 +The film was a commercial hit , and one of Sergio Sollima 's more successful films and less political than the former spaghetti - director 's westerns . The film was a commercial hit , and one of Sergio Sollima 's more political films , and less successful than the former spaghetti - director 's westerns . 0 +Kabir asks Sarika to reveal his plan to end Ranvir 's game . Kabir asks Sarika to reveal his plan to end Ranvir 's game to him . 1 +The team responded to the changes in the next game the same evening on 19 February . The team responded to the changes in the same game that took place next February evening . 0 +Lieutenant John Gedge commissioned them for the North Sea in May 1805 , and Lieutenant Robert Ramsey replaced him in 1806 . Lieutenant Robert Ramsey commissioned her to the North Sea in May 1805 , and Lieutenant John Gedge replaced him in 1806 . 0 +Emma Townshend is represented by David Godwin at DGA Associates . David David Godwin is represented at DGA Associates by Emma Townshend . 0 +The Nashua Silver Knights , part of a summer collegiate league , is the current team of the city . The Nashua Silver Knights , part of a current summer league , are the city 's collegiate team . 0 +From the west end of the bridge , Pennsylvania Route 268 leads south to Parker and north to Emlenton . The Pennsylvania Route 268 leads from the west end of the bridge south to Parker and to the north to Emlenton . 1 +These were common in the United Kingdom , but in Europe , at least for large locomotives , it is relatively rare . These were rare in the United Kingdom , but in Europe , at least for large locomotives , they are relatively common . 0 +Alston was born on December 21 , 1965 in Oxon Hill , Maryland . He attended Oxon Hill High School in New Haven , Connecticut . He was born on December 21 , 1965 in Oxon Hill , Maryland , and attended High School in New Haven , Connecticut . 1 +Total US casualties were 28 killed , while Viet Cong losses were 345 killed and a further 192 estimated killed . In total , 28 US victims were killed , while Viet Cong losses were killed 345 and a further 192 estimated killed . 1 +In CA , the title of a chartered accountant ( Sri Lanka Sri Lanka ) can only be used by members of the Institute of Sri Lankan Accountants . In CA , the title of Chartered Accountant ( Sri Lanka Sri Lanka ) can be used by only members of the Institute of Chartered Accountants of Sri Lanka . 1 +Simyo belongs to the Dutch telecommunications group KPN , after acquisition of the remainder of E-Plus on March 14 . Following the acquisition of the remainder of E-Plus on 14 March , Simyo belongs to the Dutch telecommunications group KPN . 1 +Besides Kuykendall , Robert White and Joshua Soule Zimmerman served as Chancery Commissioner for Hampshire County . Robert White and Joshua Soule Zimmerman served alongside Kuykendall as a Chancery Commissioner for Hampshire County . 1 +These views were often expressed during the emergence of Protestant , Puritan and Evangelical movements . These views were often expressed during the emergence of evangelical , puritanical , and protestant movements . 1 +The UEFA Cup 1973 -- 74 was won by Feyenoord Rotterdam on Tottenham Hotspur 4 : 2 . The 1973 -- 74 UEFA Cup was won by Feyenoord Rotterdam over Tottenham Hotspur 4 -- 2 on aggregate . 1 +Talfourd Ely was the grandson of John Towill Rutt , who was an early friend of Crabb Robinson . Talfourd Ely was a grandson of Crabb Robinson , who was an early friend of John Towill Rutt . 0 +His father died in his youth , and his mother , Samuel Adams , married Catherine A. Fagan in 1842 , who two years later became the governor of Arkansas . His father died during his youth and his mother , Catherine A. Fagan , in 1842 married Samuel Adams , who became Governor of Arkansas two years later . 0 +They also released the second track on the album , `` Vices '' , as the 5th single from the album on June 13 . They also released the second track on the album , `` Vices '' , on 13th June as the 5th single from the album . 1 +The Sydney Water Board had taken over the water supply for Sydney from the City Council in 1888 . In 1888 , the Sydney Water Board took over the water supply for Sydney from the city council . 1 +Also Cai Feng had a son , Cai Mao . Cai Mao also had a son , Cai Feng . 0 +Its leaves are shaped alternately along the branches and have lance-arranged , egg-shaped or almost circular and are a stalk long . Its leaves are arranged alternately along the branches and are lance-shaped , egg-shaped or almost circular and have a long stem . 0 +This expanded the area of conflict between Massachusetts and the province of Rhode Island . This widened the area of conflict between Rhode Island and the province of Massachusetts . 0 +Slough High School was a girls selective grammar school in Berkshire , now Slough , Buckinghamshire . Slough High School was a selective girls ' grammar school in Slough , Buckinghamshire , now Berkshire . 0 +It is close to Lough Corrib , on the N59 road to Oughterard and Clifden , in Connemara . It is near Oughterard and Clifden , on the N59 road to Lough Corrib , in Connemara . 0 +While the exclusion of black players was not a written rule , no African-American had played in the National Football League since 1933 . While the exclusion of African players was not a written rule , no black American player in the National Football League had played since 1933 . 0 +Muawiyah came to power after the death of Ali and established a dynasty . After the death of Muawiyah , Ali came to power and founded a dynasty . 0 +In 1994 , Rodrigo Leão left the band to start a solo career , being replaced by Carlos Maria Trindade ( keyboard synthesizer ) . In 1994 , Rodrigo Leão left the band to start a solo career , replaced by Carlos Maria Trindade ( keyboard synthesizer ) . 1 +In 1933 Cattell wrote that , of all the Nordic races , `` the European race was the most evolved in intelligence and stability of temperament '' . In 1933 , Cattell wrote that of all the Nordic races , `` the European race in intelligence and stability of temperament was most developed '' . 1 +Abies lasiocarpa , commonly called the western North American fir or Rocky Mountain fir , is a subalpine fir tree . Abies lasiocarpa , commonly known as the western North American fir or Rocky Mountain fir , is a subalpine fir tree . 1 +American Motors provided only technical support in the form of limited aid . American Motors provided only technical support in the form of limited help . 1 +The Houston Main Building ( HMB ) earlier the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . The Houston Main Building ( HMB ) formerly the Prudential Building , was a skyscraper in the Texas Medical Center , Houston , Texas . 1 +After returning to Paramaribo in 1954 , he settled as a lawyer in Suriname . After returning to Suriname in 1954 , he settled in Paramaribo as a lawyer . 0 +The crash of Aerosucre Flight 4544 was the first aviation incident involving Aerosucre , the second being the crash of another Boeing 727 on November 18 , 2006 . The crash of Aerosucre Flight 4544 was the second flight incident involving Aerosucre , the first being the crash of another Boeing 727 on November 18 , 2006 . 0 +The Cabot Trail - Episode was filmed on site in Cape Breton , including Peggys Cove and the highlands of Nova Scotia , along the east coast . The East Coast episode was filmed on location in Nova Scotia , including Peggys Cove and the highlands of Cape Breton , along the Cabot Trail . 0 +Another way to regulate the population of deer is to control the birth rate . Another way to regulate deer population is to control the birth rate . 1 +The poem is preserved in four fragmentary manuscripts , one of which is contemporary . The poem is stored in four contemporary manuscripts , one of which is fragmentary : 0 +Manu Chao , the groups `` Air '' , Cassius , Mars IV , Les Négresses Vertes , and FFF , and Howie B also participated in the album . The groups '' Air `` , Howie B , Mars IV , Les Négresses Vertes and FFF and Manu Chao also participated in the album . 0 +The Hudeasa River is a tributary of the Bradu River in Romania . The Hudeasa River is the tributary of the Bradu River in Romania . 1 +While the exclusion of African players was not a written rule , no black American player in the National Football League had played since 1933 . While the exclusion of black players was not a written rule , since 1933 no Afro-American had played in the National Football League . 0 +His father Patrick Byrne was an MP , TD , Senator and Lord Mayor of Dublin . Another brother Alfie Byrne was also a TD . His father , Patrick Byrne , was a delegate , senator and lord mayor of Dublin , another brother Alfie Byrne was also TD . 1 +The first series was better received by critics than the second . The second series was well received by the critics better than the first . 0 +Fanwood is located in the 12th Congressional District and is part of New Jersey 's 22nd Legislative District . Fanwood is located in the 22nd Congressional District and is part of New Jersey 's 12th state legislative district . 0 +Santa Cruz is situated on the banks of the Santa Cruz River which flows into the eastern part of Laguna de Bay . Laguna de Bay is located on the banks of the river Santa Cruz , which flows into the eastern part of Santa Cruz . 0 +The Porte de Vincennes is located where the southeast corner of the 20th arrondissement meets the northeast corner of the 12th arrondissement of Paris . The Porte de Vincennes is located where the north-eastern corner of the 12th arrondissement meets the south-eastern corner of the 20th arrondissement of Paris . 0 +On March 5 , 2011 , MTV Hive posted a streaming link to Anni Rossi , performing Rihannas '' Rude Boy `` . On March 5 , 2011 , MTV Hive posted a streaming link to Rihanna , performing Anni Rossi `` Rude Boy '' . 0 +King Qi met with King Zhao of Qin in western Zhou in 284 BC to form an alliance against Xi . In 284 BC , King Qi met with King Zhao of Qin in Western Zhou to form an alliance against Xi . 1 +The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Henan in the east of Zhoukou : The administrative region of Chenzhou in the Tang dynasty is under the administration of modern Henan in eastern Zhoukou : 1 +`` Pure '' very means simply , and `` Belter '' or `` Belta '' means great or good . `` Pure '' means simply very and `` Belter '' or `` Belta '' means good or big . 0 +Stephen Stephen was married on August 29 , 1806 by Benjamin Hough , Justice of Peace , in Jefferson County , Elizabeth Core . `` 2 '' Benjamin Hough was married on 29 August 1806 by Stephen Ford , Justice of Peace , in Jefferson County with Elizabeth Core . 0 +The species was first formally described by the botanist Stephan Endlicher in 1846 as part of Johann Georg Christian Lehmann 's work `` Irideae . Plantae Preissianae '' . The species was first formally described in 1846 by the botanist Stephan Endlicher as part of the work `` Irideae Plantae Preissianae '' by Johann Georg Christian Lehmann . 1 +In 1912 , the Indian National Congress held its 27th session in Bankipore under the presidency of Rao Bahadur Raghunath Narasinha Mudholkar from Amravati , Central Provinces and Berar . In 1912 , Indian National Congress held its 27th session at Bankipore , under the Presidency of Rao Bahadur Raghunath Narasinha Mudholkar from Central Provinces of Amravati and Berar . 0 +The most commonly used animal fiber is wool harvested from sheep . For hand knitting and hobby knitting , thick , wool and acrylic yarns are frequently spun . The most frequently spun animal fiber is wool harvested from sheep . For hand knits and hobby knitting , thick wool and acrylic yarns are often used . 0 +Tipico Co. Ltd and Tipico Casino Ltd were founded in 2004 as international trading companies in the commercial register of the Malta Financial Services Authority . Tipico Co. Ltd and Tipico Casino Ltd were established in 2004 as international trading companies in the Commercial Register of the Malta Financial Services Authority . 1 +It is close to Lough Corrib , on the N59 road to Oughterard and Clifden , in Connemara . It is located near Oughterard and Clifden , on the N59 road to Lough Corrib , in Connemara . 0 +On September 14 , 2006 , Lang was signed by the Washington Wizards and released by the Wizards in July 2017 . On September 14 , 2006 , Lang was signed by the Washington Wizards . In July 2017 , Lang was released by the Wizards . 1 +The single was released on Radio Airplay in Italy on October 12 , 2012 , and was shipped worldwide on 3 December 2012 . The single was sent to radio airplay on October 12 , 2012 in Italy and was released worldwide on December 3 , 2012 . 0 +After his service Lockhart lived in Texas but recently moved to Florida . After his service , Lockhart lived in Florida , but moved recently to Texas . 0 +It is found in North America , where it was recorded from Newfoundland and Labrador west to British Columbia , north to Alaska and the Yukon . It is found in North America , where it has been recorded from Newfoundland and Labrador west to British Columbia , north to Alaska and the Yukon . 1 +This western Randallstown district includes Woodlawn , Milford Mill , and Baltimore County . This western randallstown district comprises Woodlawn , Milford Mill and Baltimore County . 1 +He was trained by John Velazquez and ridden by Jockey Dale Romans in his most important race . He was trained by Dale Romans and ridden by Jockey John Velazquez during his most important races . 0 +During his time in Savannah , Charles Celestine learned from a newspaper that his son , Sherman , had died during the Savannah campaign , the general had never seen the child . While in Savannah , Charles Celestine learned from a newspaper that his infant son Sherman had died during the Savannah Campaign ; the general had never seen the child . 1 +The cover was designed by the heraldic artist John Pasche and the single `` Steel Monkey '' has designed the cover of Art Director Andrew Stewart Jamieson . The cover was designed by the heraldic artist Andrew Stewart Jamieson , the single `` Steel Monkey '' has designed the cover of Art Director John Pasche . 0 +The MacCormack method is a widely used discretization scheme for the numerical solution of partial hyperbolic differential equations . In computational fluid dynamics , the MacCormack method is a widely used discretization scheme for the hyperbolic partial differential solution of numerical equations . 0 +Wright moved from Chapel Hill , NC to New York . Wright moved to New York from Chapel Hill , NC . 1 +The Consonant - Ejective is a kind of velar sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents this sound . The Velar - Ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which is this sound . 0 +European activities became part of Ebel , while the Asian activities were sold to the Hong Kong entrepreneur Joseph Wong and now belong to Stelux Holdings . The European activities became part of Ebel while the Asian activities were sold to Hong Kong entrepreneur Joseph Wong and are now part of Stelux Holdings . 1 +Early advisory board members included Alistair Cooke , Saul Bellow , Walter Cronkite , Norman Cousins , Gore Vidal , Norman Podhoretz . Early advisory members included Walter Cronkite , Norman Vetter , Gore Vidal , Norman Podhoretz , Saul Bellow , and Alistair Cooke . 1 +Petkeljärvi National Park is a national park in Ilomantsi in the Northern Karelia region of Finland . The Petkeljärvi National Park is a national park in Finland in the region of Ilomantsi in North Karelia . 0 +They also published the 5th track on the album , `` Vices '' , as the second single from the album on June 13 . They also released the 5th track on the album , `` Vices , '' on June 13 as the second single from the album . 1 +Stoke beat Sheffield Wednesday and Huddersfield Town before losing to Peterborough United in the fourth round . Stoke beat Peterborough United and Huddersfield Town before losing in the fourth round against Sheffield Wednesday . 0 +Asked how to say his name , he told `` The Literary Digest '' My name is pronounced as if `` ear ' ; en-house '' spelled . Asked how to say his name , he told `` The Literary Digest '' My name is spelled as if pronounced , ear 'apos ; enhouse `` . 0 +The cultivation was introduced in 1880 by Fernando Heydrich in Matanzas in Cuba . In Matanzas its cultivation was introduced in 1880 , by Fernando Heydrich in Cuba . 0 +If there are several grammatical categories in a sentence , only the first wears the plural marker . If there are several grammatical categories in a sentence , only the plural wears the first marker . 0 +The regime left Philadelphia in October 1777 to join General George Washington 's main army outside of Boston . The regiment left Philadelphia in October 1777 to join General George Washington 's Main Army outside Boston . 1 +In 1974 Lao PDR established the Stage II fund with the help of the World Bank , the United Nations , and the Asian Development Bank . With the support of the World Bank , the United Nations , and the Asian Development Bank , Lao PDR founded the Stage II fund in 1974 . 1 +He later used it as a symbol for the Nazi party and placed it on a white circle and a red background to use it as a flag . He later used it as a symbol for the Nazi party and placed it on a red circle and a white background to use it as a flag . 0 +To develop the map for Hoth , the designers have received as much source material as possible from `` The Empire Strikes Back '' to create an authentic reproduction . To create the map for Hoth , the designers obtained as much source material from `` The Empire Strikes Back '' as possible so to develop an authentic reproduction . 0 +He is married to Elizabeth `` Betsy '' Katz . He is the father of Adam , Nathaniel and Sara Hundt . He is married to Elizabeth `` Betsy '' Katz , father of Adam , Nathaniel and Sara Hundt . 1 +A house is charged with angry energy and gives shape to the necromantic spirit within . A house becomes charged with necromantic energy and gives shape to the angry spirit within . 0 +While Oros worked under Walker on Ford car and truck designs , Engel concentrated on Lincoln and Mercury vehicles . While Oros worked on Ford 's car and truck designs under Walker , Engel focused on Lincoln and Mercury vehicles . 1 +Hirasea goniobasis is a species of terrestrial pulmonate air-breathing land snail , a small gastropod mollusk in the family Endodontidae . Hirasea goniobasis is a species of small air-breathable snail , a terrestrial pulmonate gastropod mollusk in the family Endodontidae . 0 +Premalignant lesions are apparently a typical tissue which appears abnormal under microscopic examination , and in which cancer is more likely to occur than in its morphologically normal counterpart . Premalignant lesions are apparently a typical tissue , which appears abnormal in microscopic examinations and in which cancer is more likely than its morphologically normal counterpart . 1 +Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Kuwait of Al Ahmadi governorate in the southern Abu Halifa District . Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Kuwait of the Al Ahmadi Governorate in southern Abu Halifa District . 1 +Israel is an album by American jazz trombonists Kai Winding and J. J. Johnson featuring performances released in 1968 and recorded on the C Israel is an album by the American jazz trombonists Kai Winding and J. J. Johnson with performances published in 1968 and recorded on C . 1 +In 2014 , Adam wrote a Gothic Trilogy revisions of classic stories Frankenstein , The Corruption of Dorian Gray and Jekyll Hyde Corpus Delicti In 2014 Adam wrote a Gothic Trilogy reworkings of classic stories Frankenstein , The Corruption Of Dorian Gray and Jekyll & Hyde Corpus Delicti 1 +Mrs. Glad had worked in Ovamboland in 1901 -- 1919 and 1926 -- in 1936 and was there as the first inspector of schools . Mrs. Glad had worked in Ovamboland in 1901 -- 1919 and 1926 -- 1936 , and had acted there as the first inspector of schools . 1 +He describes this as a new discovery of fiction - writing and considers it a mytho-realism of Chinese literature . He considers this a `` new discovery '' of fiction writing , and designates it a `` Mytho-realism '' ) of Chinese literature . 0 +In 1953 , the team also toured in Australia and in Asia in August 1959 . The team also toured in Australia in 1953 and Asia in August 1959 . 1 +Ronnie Fields did not play a single game in the NBA or in the NCAA . Ronnie Fields did not play a single game in the NCAA or in the NBA . 1 +The new playground is equipped with modern fitness equipment for children . The playground is modern with new fitness equipment for the children . 0 +Probuccinum tenerum is a type of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Probuccinum tenerum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +Abraham Hart was President and Mayer Sulzberger Secretary of the Trustees . President was Mayer Sulzberger , and Abraham Hart was Secretary of the Trustees . 0 +Juhi Chawla has two children with wife Jahnavi Mehta , a girl , Mehta ( born 2001 ) and a boy , Arjun Mehta ( born 2003 ) . Mehta has two children with wife Juhi Chawla , a girl , Jahnavi Mehta ( born in 2001 ) and a boy , Arjun Mehta ( born 2003 ) . 0 +The degree of distinction between Protestant and Catholic tendencies within the specific Anglican tradition is routinely a matter of debate both within Anglican churches and throughout the Anglican Communion . The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a matter of debate within both specific Anglican churches and throughout the Anglican community . 0 +Slough High School was a selective school for girls in Slough , Buckinghamshire , now Berkshire . Slough High School was a girls selective grammar school in Slough , Buckinghamshire , now Berkshire . 1 +Lobethal Bierhaus is a regional brewery with influences of German style . Lobethal Bierhaus is a regional beer brewery , with German style influences . 1 +Long was born in Israel , migrated as a young man to Australia and settled there in 1961 . Lang was born in Australia , migrated to Israel as a young man and settled there in 1961 . 0 +He retired in Milwaukee , Wisconsin , where he died on 5 May 1903 . He died in Wisconsin , Milwaukee , where he retired on 5 May 1903 . 0 +The cap colour varies from brown to brown , often with a yellow spot on the cap at the maturity . The cap color varies from brown to yellow , often with a brown spot on the cap at maturity . 0 +The river Valea lui Lambă or `` unk '' imon river is a tributary of the River Lom in Romania . The Valea lui Lambă River or Șimon River is a tributary of the Lom River in Romania . 1 +The completed fence is located mainly in Texas , with the construction in New Mexico , Arizona and California . The completed fence is mainly in Texas , with construction underway in New Mexico , Arizona , and California . 1 +Buccinum pulchellum is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true whell-horn scrolls . Buccinum pulchellum is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 0 +On 30 April 1983 , a C - 311 assigned to NAS Guantanamo Bay , Cuba , crashed at NAS Jacksonville with the loss of 13 human lives . On April 30 , 1983 , a C-311 that was assigned to NAS Jacksonville , Cuba , at NAS Guantanamo Bay crashed with the loss of 13 lives . 0 +As a reward for his loyalty to Henry , he acquired lucrative lands and many offices in southern Wales . As a reward for his loyalty to Henry , he acquired many lands and lucrative offices in South Wales . 0 +In 2010 , New York University defeated Harvard University 3-1-1 in order to win its first National Championship . In 2010 , New York University defeated Harvard University 3-1-1 to win its first National Championship . 1 +The river Neajlovel is a tributary of the River Neajlov in Romania . Neajlov River is a tributary of the Neajlovel River in Romania . 0 +The agency has its headquarters in Arlington , Virginia , and its overseas office in Paris , France . The agency has its headquarters in Arlington , Virginia , and its Overseas Operations Office in Paris , France . 1 +The Neajlov River is a tributary of the Neajlovel River in Romania . The river Neajlovel is a tributary of the River Neajlov in Romania . 0 +Ahmad Yar Khan was born into the Tiwana family of Shahpur , son of Sahib Khan . Sahib Khan was born into the Tiwana family of Shahpur , the son of Ahmad Yar Khan . 0 +Born in Brooklyn , New York , he died in Tiburon , California . It was born in Tiburon , California , and died in Brooklyn , New York . 0 +Proposals from Met to extend from Paddington to South Kensington and south from Moorgate to Tower Hill to the south were accepted and received royal consent on July 29 , 1864 . Suggestions from Met to extend from Paddington to South Kensington and east from Moorgate to Tower Hill to the south were accepted and received royal consent on July 29 , 1864 . 0 +The poem is preserved in four fragmentary manuscripts , of which a contemporary one . The poem is preserved in four contemporary manuscripts , one of which is fragmented : 0 +Webster Grove 's city council consisted of members of the council Greg Mueller , Ken Burns , Kathy Hart , Debi Salberg , Toni Hunt and Anne Tolan . The Webster Groves City Council consisted of council members Greg Mueller , Ken Burns , Kathy Hart , Debi Salberg , Toni Hunt , and Anne Tolan . 1 +Therefore , the falling melting and boiling points of the alkali metals indicate that the strength of the metallic bonds of the alkali metals decreases down the group . Therefore , the falling melting and boiling points of the alkali metals indicate that the strength of the metallic bonds of the alkali metals in the group decreases . 1 +Scrivener dates the manuscript to the 13th century , C. R. Gregory to the 12th century , currently the manuscript is dated to the 12th century by INTF . Scrivener dated the manuscript to the 12th century , C. R. Gregory to the 13th century . Currently the manuscript is dated by the INTF to the 12th century . 0 +County Road 540 is a few miles west of State Road 540 in Highland City and runs south from US 98 to the County Road 37B . County Road 540 is a few miles south of State Road 540 in Highland City and runs west from US 98 to County Road 37B . 0 +The SPB has a constant height size ( distance from inner plaque to outer plaque ) for about 150 nm , but its diameter changes during the cell cycle , z . The SPB has inner height size ( the outer plaque to constant plaque distance ) for about 150 nm , but its diameter changes during cell cycle , e.g . 0 +Rami Nieminen ( born 25 February 1966 ) is a Finnish former footballer . Rami Nieminen ( born February 25 , 1966 ) is a Finnish footballer . 1 +He was the cousin of the Czech national player Miroslav Hlinka and son of former player Jaroslav Hlinka sr . He was the cousin of Czech national team player Miroslav Hlinka and the son of former player Jaroslav Hlinka sr . 1 +They were there to pray for us and they were there to enjoy us . They were there for us to pray and they were there for us to enjoy . 1 +William Llewelyn Williams , better known as Llewelyn Williams ( March 10 , 1867 - April 22 , 1922 ) , was a radical journalist , lawyer and Welsh liberal party politician . William Williams , known as Llewelyn Williams ( March 10 , 1867 -- April 22 , 1922 ) , was a Welsh journalist , lawyer , and radical Liberal party politician . 0 +The Giant Plane is the third largest and oldest tree in Poland and the country 's thickest London plane . The Giant Plane is the third largest and oldest tree in Poland , and the thickest London plane in the country . 1 +Molmys River is a river in Perm Krai , Russia , a tributary of the Yazva River on the left . Yazva is a river in Perm Krai , Russia , a left tributary of the Molmys River . 0 +Sarika asks Kabir to end his plan to reveal him Ranvir 's game . Kabir asks Sarika to reveal his plan to end Ranvir 's game . 0 +Until the advent of electronic and digital video technology , the mass production of pornographic films was linked directly to the mainstream film industry . The mass production of electronic and digital films was linked directly to the established film industry until the advent of pornographic video technology . 0 +While the 33d Fighter Group was inactive , it was consolidated with the 33d Tactical Group as the 33d Tactical Fighter Group . While the 33d Tactical Group was inactive , it was consolidated as 33d Tactical Fighter Group with the 33d Fighter Group . 0 +It serves to the south-eastern Edithvale suburb of Melbourne opening on 20 September 1919 . It serves the south-eastern Melbourne suburb of Edithvale opening on 20 September 1919 . 0 +Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived in Europe during her teens . Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived in Europe during her teenage years . 1 +Fishman holds a bachelor 's degree from Columbia University and a master 's degree in economics from Brown University . Fishman holds a Bachelor 's degree from Brown University and a Master 's degree in Columbia University Economics . 0 +Following her success , Jane Campion hired Jones for a television miniseries that turned into the film Angel at my Table , an adaptation of Janet Frame 's autobiography . Following her success , Jane Campion Jones was an adaptation of Janet Frame ’ s autobiography for a television miniseries that turned into the film Angel at my Table . 0 +Stipsits was born in Vienna , and spent his childhood in Stammersdorf , Korneuburg . Stipsits was born in Vienna and spent his childhood at Stammersdorf , Korneuburg . 1 +Navarro is a partido in the northeast of Buenos Aires Province in Argentina . Navarro is a partido in the northeast of Argentina in the province of Buenos Aires . 0 +Upstream is the decommissioned Michigan Central Railway Bridge , which with its predecessor , the Niagara Cantilever Bridge , competed with the Rapids Bridge whirlpool for rail transport . Upstream is the decommissioned Michigan Central Railway Bridge , which competed with its predecessor , the Rapids Bridge whirlpool , with the Niagara Cantilever Bridge for railway traffic . 0 +The song was written and produced by the gala , which was composed by Filippo Andrea Carmeni and Maurizio Molella . The song was written and composed by Gala produced by Filippo Andrea Carmeni and Maurizio Molella . 0 +Retzius was born in Stockholm , son of the anatomist Anders Jahan Retzius ( and grandson of the naturalist and chemist Anders Retzius ) . Retzius was born in Stockholm , the son of anatomist Anders Retzius ( and grandson of the naturalist and chemist Anders Jahan Retzius ) . 0 +At the 2011 census , 78.8 % of inhabitants were Romanians , 17 % Roma , 2.7 % Hungarians and 1.4 % Germans . In the 2011 census , 78.8 % of the inhabitants were Roma , 17 % Hungarians , 2.7 % Romanians and 1.4 % Germans . 0 +The museum is centrally located in Jiangbeizui CBD , near the confluence of the Jialing River and the Yangtze River . The museum is centrally located in Jiangbeizui CBD , near the confluence of the Jialing River and the river Yangtze . 1 +Robbins was born in Coventry on 21 September 1933 , with his twin David , the eighth and ninth children of twelve by Charles and Jessamine Robbins . David was born on 21 September 1933 in Coventry with his twin father Charles and Jessamine Robbins , the eighth and ninth child of twelve of Robbins . 0 +The battalion is maintained by the Queen 's York Rangers ( 1st American Regiment ) ( RCAC ) . The battalion is perpetuated by The Queen 's York Rangers ( RCAC ) ( 1st American Regiment ) . 1 +Katz was born in 1947 in Sweden and moved to New York at the age of one . Katz was born in New York City in 1947 and moved to Sweden at the age of 1 years . 0 +The image on the page is a two-dimensional image as opposed to pre-rendered 3D . The image on the side is a two-dimensional image as opposed to pre-rendered 3D . 1 +`` Stopped '' light , in the context of an EIT medium , refers to the `` quantum '' transfer of photons to the coherent system and back again . `` Stopped '' Light refers in the context of an EIT medium to the `` quantum '' transfer of photons to the coherent system and return . 1 +The previous average is more important for high values of formula _ 2 . For high values of Formula 2 the current average is more important . 0 +Among the prominent women of Suriname are Jennifer Simons , Marijke Djwalapersad , Elisabeth Samson , Cynthia McLeod , and Ruth Wijdenbosch . Among the most prominent women of Suriname are Jennifer Simons , Marijke Djwalapersad , Elisabeth Samson , Cynthia McLeod and Ruth Wijdenbosch . 1 +In 1924 he was an invited spokesman for the ICM in Toronto , in Oslo in 1932 and in 1936 in Zurich . In 1924 he was an invited spokesperson for the ICM in Toronto , in 1932 in Zurich and in Oslo in 1936 . 0 +The BBC World Service also broadcast a version called `` Animal , Vegetable and Mineral '' , chaired by Michael Flanders with a panel including Terry Wogan . The BBC World Service also exhibited a version called `` Animal , Vegetable and Mineral '' , chaired by Michael Flanders , with a panel with Terry Wogan . 1 +Thompson 's younger brother , Julia , was born in 1863 in Charles Martin Hall , Geauga County , Ohio . Julia ’ s younger brother , Charles Martin Hall , was born in Thompson , Geauga County , Ohio , in 1863 . 0 +The Horezu River is a tributary of the Ponoru River in Romania . The Ponoru River is a tributary of the Horezu in Romania . 0 +In 2002 , the song was published by the British producer Vincent Stormfield and covered by Independiente as '' Sweet Harmony 02 `` . In 2002 , the song was covered by British producer Vincent Stormfield and released as `` Sweet Harmony '02 '' by Independiente . 0 +David was born on 21 September 1933 in Coventry with his twin father Charles and Jessamine Robbins , the eighth and ninth child of twelve of Robbins . Robbins was born on 21 September 1933 in Coventry , with his twin David , the eighth and ninth child of the twelve of Charles and Jessamine Robbins . 0 +The regiment left Boston in October 1777 to join General George Washington 's Main Army outside Philadelphia . The regime left Philadelphia in October 1777 to join General George Washington 's main army outside of Boston . 0 +The compound was developed by Dr. Patrick Page and his team and was patented by Genkyotex in 2007 . The compound was patented by Dr. Patrick Page and his team and was invented by Genkyotex in 2007 . 0 +The `` case '' was used for the last time in 1949 in East Germany , 1966 in West Germany . The `` Fallbeil '' was last used in West Germany in 1949 , in 1966 in East Germany . 0 +Ringo Sheena is the leader of the Saito Neko Quartet , and is known for his many collaborations with musician Saito . Saito is the head of the Saito Neko Quartet and is well known for his many collaborations with the musician Ringo Sheena . 0 +Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Abu Halifa district of Al Ahmadi governorate in southern Kuwait . Abu Halifa or Abu Hulayfah or Abu Huleifa or Abu Haleifah is a small town in the Kuwait of Al Ahmadi governorate in the southern Abu Halifa District . 0 +His father was the illegitimate son of Anne Tothby , a Member of Parliament for Lincolnshire , and William Skipwith . His father was the illegitimate son of Anne Tothby , a member of the Lincolnshire Parliament , and William Skipwith . 1 +Among them are Marie Teresa Rios , a composer of boleros , Julita Ross , an author , and Sylvia Rexach , a singer . Among them are Sylvia Rexach , a composer of Boleros , Marie Teresa Rios , author , and Julita Ross , a singer . 0 +He was survived by his wife Carol Ober , daughter Viola and four grandchildren . He was survived by his wife Carol Ober , his daughter Viola and four grandchildren . 1 +He would return to the station to the west of Tecumseh that night , and then ride with another horse to Violet Springs before his neighbors could become suspicious . He would travel to the station that night , located west of Tecumseh , and then return to Violet Springs with another horse before his neighbors could be suspicious . 0 +The agency has its headquarters in Paris , France , and its overseas office - Operations - Office in Arlington , Virginia . The agency has its headquarters in Arlington , Virginia , and its Overseas Operations Office in Paris , France . 0 +In 1964 , the diocese was nominally restored as a titular citizen of the lowest ( episcopal ) rank . In 1964 , the diocese was nominally restored as episcopal see of the lowest ( titular ) rank . 0 +His subsequent work in agriculture was mainly in Lincolnshire , but he also suggested extensive embankments in Norfolk , which were successfully carried out . His future work in agriculture was mainly in Norfolk , but he also proposed extensive embankments in Lincolnshire , which were successfully carried out . 0 +When Jack Nitzsche first heard `` Stubborn Kind of Fellow '' he was so excited he lost control of his car while driving down Sunset Boulevard with Phil Spector . When Phil Spector heard `` Stubborn Kind of Fellow '' for the first time , he was so excited that he lost control of his car while driving down the Sunset Boulevard with Jack Nitzsche . 0 +The Communists firmly believed that the Central Intelligence Agency supported these protests discreetly financially and otherwise . The Communists discreetly believed that the Central Intelligence Agency financially and otherwise strongly supported these protests . 0 +The species are members of different ecological groups , including xerophytic shrubs , lianas and trees , tropical plants , mycoheterotrophy , as well as various herbal representatives . The species are members of different ecological groups , including tropical shrubs , lianas and trees , xerophytic plants , mycoheterotrophic as well as various herbal representatives . 0 +The khan advanced out with an escort , Tsitsianov rode with two other men and was shot dead . The Khan advanced with an escort , Tsitsianov rode with two other men and was shot dead . 1 +Sculcoates has a library , a post office , a swimming bath called Beverley Road Baths , a high school and two primary schools . Sculcoates has a library , post office , a swimming pool called Beverley Road Baths , a high school and two primary schools . 1 +He was born in Melbourne and migrated to New Zealand with his family when he was 10 years old . He was born in New Zealand , and migrated with his family to Melbourne when he was 10 . 0 +In the history of such devices , it preceded `` The Turk '' and succeeded `` Mephisto '' . In the history of such devices '' The Turk `` has succeeded and '' Mephisto `` preceded . 0 +Agranat was born in Louisville , Kentucky , in 1906 , to a Jewish-Zionist family . Agranat was born to a Zionist-Jewish family in Louisville , Kentucky in 1906 . 1 +Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived in Europe during her teenage years . Massé was born in Holland , Michigan , grew up in Westchester County , New York , and lived in Europe during her teens . 0 +These three maternal dynasties ruled the kingdom of Waalo with the paternal family of the Mbooj . These three maternal dynasties ruled the kingdom of Waalo with the Mbooj paternal family . 1 +The BAC presents three yearly performances of the Minnesota Orchestra and has recently commissioned works by Diavolo and Merce Cunningham Dance Company . The BAC has three annual performances by the Minnesota Orchestra and presents recently commissioned works by Diavolo and Merce Cunningham Dance Company . 0 +Monroe Meadows , in Yosemite valley near Bridalveil Falls , is also named after George Monroe . Monroe Meadows , in Bridalveil case near Yosemite Valley , is also named for George Monroe . 0 +Andesite was the dominant lava type with some samples mafic enough to be classified as basaltic andesite . Andesite was the dominant lava type with some samples that were enough to be classified as basaltic andesite . 1 +In early 2016 , Senator Bob Hackett was appointed to the Senate of Ohio in order to succeed Senator Chris Widener , who resigned . In early 2016 , Senator Chris Widener was appointed to the Ohio Senate to succeed Senator Bob Hackett , who resigned . 0 +In practice are mesquite `` modules '' Java - classes , usually abstract subclasses of concrete class definitions . In practice , Mesquite `` modules '' Java - classes are usually concrete subclasses of abstract class definitions . 0 +The Pope proposed a solution in 1980 that was rejected by Chile and approved by Argentina . The Pope proposed a solution accepted by Chile in 1980 and rejected by Argentina . 0 +In the 1930s and 1940s , he was elected four times for Al Smith in 1928 for Franklin D. Roosevelt and for Harry S. Truman in 1948 . Massachusetts voted for Al Smith in 1928 , for Franklin D. Roosevelt four times in the 1930s and 1940s , and for Harry S. Truman in 1948 . 1 +The music performed as Bob courts `` Blackadder '' is Vaughan Williams ' `` Fantasia on Greensleeves '' . The music that is performed as Blackadder courts '' Bob `` is '' Fantasia on greensleeves '' by Vaughan Williams . 0 +It is also worth noting that the following code would work without ADL ( it will be applied to it anyway ) . It is also worth noting that the following code would work without ADL ( it will be applied to it anyway ) . 1 +It then meets the Snoqualmie River to form the Snohomish River at Monroe . It then meets the Snoqualmie River to form the Snohomish River in Monroe . 1 +During his campaign , he debated McCain twice , once in Tucson and once in Flagstaff . During his campaign , he twice debated McCain , once in Flagstaff and once in Tucson . 1 +It was finished by his wife , Stella Gemmell , following his death on July 28 , 2006 and released under the joint authorship of David and Stella Gemmell . It was published by his wife Stella Gemmell following his death on 28 July 2006 and finished under the joint authorship of David and Stella Gemmell . 0 +The Central Baptist Association is an association of churches from South Carolina to Indiana , with the most churches in eastern Tennessee and south-western Virginia . The Central Baptist Association is an association of churches located from South Carolina to Virginia , with most of the churches being in eastern Tennessee and southwestern Indiana . 0 +Karen Phillips began a relationship with Steve of Suranne Jones played . Steve began a relationship with Karen Phillips played by Suranne Jones . 0 +vidas distintas is a Mexican telenovela from 1969 transmitted by Televisa and originally produced by Telesistema Mexicano . Tres vidas distintas , is a 1969 Mexican telenovela transmitted by Televisa and originally produced by Telesistema Mexicano . 1 +Chandler considered the computer as a tool for learning , but he rejected a prevailing objectivism that recognized data as information , and information as knowledge . Chandler recognized the computer as a tool for learning , but he rejected a prevailing objectivism , which viewed data as information and information as knowledge . 0 +A phase transition from a ferromagnet to a paramagnet is second and is of continuous order . Phase transition from a ferromagnet to a paramagnet is continuous and has a second order . 0 +Albanian families left the village before the return of Serbian refugees in 1999 . Before the return of Serb refugees in 1999 , Albanian families left the village . 1 +However , the original version was skipped in favor of the mild edition . The mild version was , however , skipped in favor of the original version . 0 +In 1864 , the United Presbyterian Missionary Society of Scotland sent its agents to China . The United Presbyterian Missionary Society of China sent its agents to Scotland in 1864 . 0 +After ten years stay in Paris , Houdon returned to Italy . After ten years in Paris , Houdon returned to Italy . 1 +She was sunk by the Germans and scrapped by Allied bombers twice in 1943 -- 1944 and finally raised in 1946 -- 1947 . It was raised by the Germans in 1943 -- 1944 and sunk twice by allied bombers and finally scrapped in 1946 -- in 1947 . 0 +In 1864 , the United Presbyterian Missionary Society of China sent its agents into Scotland . The United Presbyterian Missionary Society of China sent its agents to Scotland in 1864 . 1 +The film stars Lily Rabe , Timothée Chalamet , Lili Reinhart , Anthony Quintal , Oscar Nunez , and Rob Huebel . The stars Lilie Rabe , Timothée Chalamet , Lili Reinhart , Anthony Quintal , Oscar Nunez and Rob Huebel . 1 +Dakota City is part of the metropolitan region Sioux City , IA -- NE -- SD . Dakota City is part of the Sioux City , IA -- NE -- SD Metropolitan Statistical Area . 1 +Grant Connell and Glenn Michibata won the title , defeating Wayne Ferreira and Jim Grabb 6 : 4 , 6 : 3 in the finals . Wayne Ferreira and Jim Grabb won the title , defeating Grant Connell and Glenn Michibata 6 -- 4 , 6 -- 3 in the final . 0 +The parliamentary elections in Zagreb in 1927 were held on 4 September 7 days before the local elections . The 1927 parliamentary elections in Zagreb were held on 4 September , 7 days before the local elections . 1 +Probuccinum tenerum is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Probuccinum tenerum is a species of sea snail , a true gastropod mollusc in the Buccinidae family , the whelks marine . 1 +The Valea lui Lambă River or Lom River is a tributary of the Șimon River in Romania . The river Valea lui Lambă or Lom River is a tributary of the `` unk '' imon river in Romania . 0 +This genus is now classified in the family of lizards , known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the current invalid family , polychrotidae . This genus is now in the family of lizards known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the presently invalid family , Polychrotidae . 1 +In 2012 , the city flipped and was won by incumbent Democrat Barack Obama , who took 51 % of the vote to Republican Mitt Romney of 48 % . In 2012 , the borough flipped and was won by incumbent Democrat Barack Obama , who took 51 % of the vote to Republican Mitt Romney 's 48 % . 1 +With her I have been able to fulfill some of my musical dreams with early styles and this new style is really big , fresh and naturally fluent . With her I 've been able to fulfill some of my early dreams with musical styles and this new style is really big , fresh and naturally flowing . 0 +Grady Howard was elected first mayor on this date , and was officially named the interim mayor of Spring Lake on June 5 , 1951 . Grady Howard was elected the first mayor on this date and officially appointed Mayor of Spring Lake on June 5 , 1951 . 0 +Ballouhey exists mainly in Isère in Paris as well as in France and South Africa . Ballouhey exists mainly in France in Isère and in Paris , as well as in South Africa . 0 +It will be high with a long wall and capacity . It will be high , with a long wall and a capacity . 1 +Education in Alabama consists of secondary and primary schools in Alabama , including the University of Alabama , private colleges , and public and private schools . Education in Alabama consists of public and private schools in Alabama , including the University of Alabama , private universities and secondary and primary schools . 0 +The series debuted on April 18th , 2009 in Australia on Nickelodeon ( New Zealand and New Zealand ) . On April 18 , 2009 , the series debuted in New Zealand on Nickelodeon ( Australia and New Zealand ) . 0 +It was directed by George Fitzmaurice and is based on a 1917 play , `` Tiger Rose '' , by Willard Mack . Directed by George Fitzmaurice , it is based on a 1917 play `` Tiger Rose '' by Willard Mack . 1 +The version of Mahabharata written by the Odia - poet Sarala Dasa tells the legend of Navagunjara , no other has the story . The version of the Mahabharata , written by the Odia poet Sarala Dasa , has the legend of Navagunjara . No other version narrates the story . 0 +Vempati Chinna Satyam ( October 15 , 1929 -- July 29 , 2012 ) was an Indian dancer and a guru of the Kuchipudi dance form . Vempati Chinna Satyam ( 15 October 1929 - 29 July 2012 ) was an Indian dancer and guru of the Kuchipudi dance form . 1 +Lee Hi is a South Korean singer under YG Entertainment . Korean singer Lee Hi is a South Korean singer under YG Entertainment . 1 +Variants of this method produce good numerical approximations for the many exponents when critical terms are included , in both two and three dimensions . Variants of this procedure produce good numerical approximations for the critical exponents when many terms are included in both two and three dimensions . 0 +The lid was only removed by privileged viewers , so these scenes might have been more intimate . The lid was removed only by privileged viewers , so these scenes might have been more intimate . 1 +It serves Chandimandir Cantonment area of Panchkula city . It serves Panchkula area of the city Chandimandir Cantonment . 0 +Slough High School was a girls selective grammar school in Slough , Buckinghamshire , now Berkshire . Slough High School was a selective girls ' grammar school in Slough , Buckinghamshire , now Berkshire . 1 +Eugene D. Engley was born on 5 April 1851 in Attleborough , Massachusetts , as the son of James Henry Engley and his wife , former Mary Kaley . James Henry Engley was born on 5 April 1851 in Attleborough , Massachusetts , the son of Eugene D. Engley and his wife , former Mary Kaley . 0 +Maritsa Lazari was born in Cyprus in October 1943 and emigrated with her family at the age of 16 to London , England . Maritsa Lazari was born in London in October 1943 and has emigrated to Cyprus with her family at the age of 16 . 0 +On March 5 , 2011 , MTV Hive posted a streaming link to Anni Rossi performing Rihanna 's `` Rude Boy '' . On March 5 , 2011 , MTV Hive posted a streaming link to Rihanna , performing Anni Rossi `` Rude Boy '' . 0 +The Machpelah Cemetery , also spelled as '' Macpelah Cemetery `` or '' Macphelah Cemetery `` , is a graveyard in Hudson County , New Jersey . The Machpelah Cemetery , also spelled as `` Macpelah Cemetery '' , or `` Macphelah Cemetery '' , is a cemetery in Hudson County , New Jersey . 1 +The song was written and composed by Gala by Filippo Andrea Carmeni and Maurizio Molella produced . The song was written and produced by the gala , which was composed by Filippo Andrea Carmeni and Maurizio Molella . 0 +According to Prior , Robert Goldsmith the grandfather of the poet , playwright and novelist Oliver Goldsmith was the first of the family to settle at Ballyoughter . According to Robert Prior , Robert Goldsmith was the grandfather of the poet , playwright , and writer , Oliver Goldsmith , the first of the family to settle with Ballyoughter . 1 +Omitting the engines and their fuel would reduce complexity and increase payload . Omitting the engines and their fuel would increase complexity and reduce payload . 0 +According to Tobe and Gunnar Hansen , the reason why he wore a mask was that the mask really determined his personality . Gunnar Hansen commented : `` The reason he wore a mask , according to Tobe and Kim , was that the mask really determined his personality . 0 +The private Claiborne Academy is located in Haynesville , near the Parish Claiborne . The private Claiborne Academy is located in Claiborne Parish , not near Haynesville . 0 +The NVIDIA TITAN V was officially announced by Nvidia on December 7 , 2017 . On December 7 , 2017 NVIDIA officially announced the Nvidia TITAN V . 1 +He did medical training at the Middlesex Hospital in London , and qualified as a clinical doctor in 1943 . He made clinical training at the Middlesex Hospital in London and qualified as a doctor in 1943 . 0 +He performed as a glassmaker and worked with many different bands on different musical instruments . He worked as a glassmaker and performed on various musical instruments with many different bands . 0 +Components of mechanical systems store elastic potential energy if they are deformed on the system when applied forces . Components of mechanical systems store elastic potential energy if they are deformed when forces are applied to the system . 1 +William Llewelyn Williams known as Llewelyn Williams ( 10 March 1867 -- 22 April 1922 ) , was a Welsh journalist , lawyer and radical Liberal Party politician . William Williams , known as Llewelyn Williams ( 10 March 1867 - 22 April 1922 ) , was a Welsh journalist , lawyer and radical liberal party politician . 1 +Blagoy Ivanov challenged Mehmen for the WSOF Heavyweight Championship at on October 17 , 2015 . Blagoy Ivanov challenged Mehmen for the WSOF Heavyweight Championship on October 17 , 2015 . 1 +It was established by Richard Creed , built by George Edwards , designed by Collins and Geoffrey of Monmouth . It was designed by Richard Creed , built by Collins and Geoffrey and equipped by George Edwards of Monmouth . 0 +Sacramento is located in ( 38.651254 , -121.259279 ) , between Fair Oaks and Folsom . Fair Oaks is located between Sacramento and Folsom ( 38.651254 , -121.259279 ) . 0 +The `` Astrud '' track on Gilberto 's 1987 album , `` Time and Tide '' , is a tribute to Basia Trzetrzelewska . The `` Astrud '' track on Basia Trzetrzelewska 's album `` Time and Tide '' from 1987 is a homage to Gilberto . 0 +Clark had a son , Rishi , born on April 3 , 2007 . A Socks and Sandals EP on Microcosm Music was named for him , Rishi Saturn . Rishi had a son , Clark , born on April 3 , 2007 . A Socks and Sandals EP on Microcosm Music was named after him , Rishi Saturn . 0 +Melodie Crittenden left the group in 2004 to pursue a solo career , and for most of 2005 Nicol sang with the group . Melodie Crittenden left the group in 2004 to watch a solo career , and for most of 2005 Nicol sang with the group . 1 +In semi-professional football , Scottish teams compete at all levels below the Scottish Premiership , with most teams below the Scottish Championship being semi-professional . In Scottish football , the semi-professional teams at all levels appear below the Scottish premiership , with most teams below the Scottish championship being semi-professional . 0 +Diboll and Owen of New Orleans were the architects and G. A. Chamblin of Mobile was the contractor . The architects were Diboll and Owen of New Orleans and the contractor was G.A . Chamblin of Mobile . 1 +In malignant hypertension , these hyperplastic changes are often accompanied by arterial necrosis of the fibrinoid intima and media . In malignant hypertension , these hyperplastic changes are often accompanied by a fibrinoid necrosis of arterial intima and media . 0 +The team toured in Australia in 1953 and Asia in August 1959 . In 1953 the team toured in Asia and in Australia in August 1959 . 0 +This film is about Rafael , a Malayalam singer in the new film industry . The film is about Rafael , a new singer in Malayalam film industry . 0 +In 1864 , the United Presbyterian Missionary Society of China sent its representatives to Scotland . The United Presbyterian Missionary Society of China sent its agents to Scotland in 1864 . 1 +The initial vector space formula _ 13 is called `` initial object '' or `` topological structure '' with respect to the given data . The initial vector space Formula 13 is called an initial object `` or '' topological structure with respect to the given data . 1 +These three maternal dynasties ruled the kingdom of Waalo with the paternal family of the Mbooj . These three paternal dynasties governed the Kingdom of Waalo with the maternal family Mbooj . 0 +The film plays Jembie Almazan as Alex , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Maria . The film Stars Jembie Almazan as Mary , Bernardo Garnica Cruz as David and Jonathan Diaz Angulo as Alex . 0 +While the exclusion of black players was not a written rule , since 1933 no Afro-American had played in the National Football League . While the exclusion of black players was not a written rule , no African-American had played in the National Football League since 1933 . 1 +Dale has been married to Patricia Meyer since 1984 and together they have two sons : Ryan ( born 1988 ) and Blake ( born 1992 ) . Since 1984 , Blake has been married to Patricia Meyer and has two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . 0 +When Platzer opened his second restaurant in Allentown in 1993 , he changed the name to P. J. Whelihan 's to honor his grandfather , Peter Joseph Whelihan . In 1993 , when Platzer opened his second restaurant in Allentown , he changed the name to P. J. Whelihan to honor his grandfather Peter Joseph Whelihan . 1 +During the mission , 65 soldiers were killed : 34 Nigerians , 28 Chadians , 2 Togolese and 1 Burkinabé . During the mission , 65 soldiers were killed : 34 Chadians , 28 Nigerians , 2 Togolese and 1 Burkinabé . 0 +In December 1969 became the 49th Army - Division 29th Army - Division . In December 1969 became the 29th Army - Division 49th Army - Division . 0 +Scapes are mostly absent or very short . Scapes are very short or are mostly absent . 1 +She was observed as '' has very great potential and a great talent , and will grow in the future to a unique musical personality . She was observed as `` has a very huge potential and a great talent , and will grow to an unique musical personality in future . '' 1 +In January 2013 , it was announced that Warren Spector Disney Interactive had left after the closure of the Junction Point Studios . In January 2013 , it was announced that Warren Spector had left Junction Point Studios following the closure of Disney Interactive . 0 +Air transportation is provided locally by smaller aircraft in New Bedford , Berkley , and the regional airport in East Taunton . Air transportation is provided locally through smaller aircraft in East Taunton , Berkley , and the regional airport in New Bedford . 0 +When we use an alternating turing machine , we have the ATIME resource . If we have an alternating Turing machine , we use the resource ATIME . 0 +He finished two blows behind Bubba Watson and Louis Oosthuizen and lamented his putting - performance as the reason he did not win the tournament . He finished two strokes behind Louis Oosthuizen and Bubba Watson and bemoaned his putting performance as the reason he did not win the tournament . 1 +Previous host cities of the Sirius Decisions Summit include Orlando ( 2014 ) , Scottsdale ( 2013 ) and San Diego ( 2012 ) . The former host cities of the SiriusDecisions Summit include Orlando ( 2014 ) , San Diego ( 2013 ) , and Scottsdale ( 2012 ) . 0 +The lighting in the Louvre - painting is warmer and appears softer , but this can be the result of the sound of the varnish on the surface . The lighting in the Louvre painting is warmer and appears softer , but this may be the result of the tone of the varnish on the surface . 1 +Molmys River is a river in Perm Krai , Russia , a left tributary of the Yazva River . Yazva is a river in Perm Krai , Russia , a left tributary of the Molmys River . 0 +On August 1 , 1699 , William Blackett handed over his copyhold lands in Chirton to Sir Archibald Campbell , who sold the Bickerstaffe , 1st Duke of Argyll Hall . On August 1 , 1699 , William Blackett surrendered his copyhold lands in Chirton to Sir Archibald Campbell , who sold the hall to Bickerstaffe , 1st Duke of Argyll . 1 +Big Band Specials is a 1962 album by Bob Cooper , with tracks arranged by Bill Holman , Shorty Rogers and husband June Christy . Big Band Specials is a 1962 album by Bob Cooper , with tracks by Bill Holman , Shorty Rogers and husband June Christy arranged . 1 +In addition to various metal plates , concrete and sandbags were used for improvised tanks in some cases . In addition to improvised armoured metal plates , concrete and sandbags were used in some cases for various trains . 0 +Barbara Boothe Ellison was born in Santa Clara County , California , the daughter of billionaire Oracle Corporation chairman Larry Ellison and his ex-wife , Megan Ellison . Megan Ellison was born in Santa Clara County , California as the daughter of the billionaire Oracle Corporation - Chairman Larry Ellison and his Ex - Wife Barbara Boothe Ellison . 0 +Guillermo Coria defeated Alberto Martín 6 -- 3 , 3 -- 6 , 6 -- 2 6 Alberto Martín defeated Guillermo Coria 6 -- 3 , 3 -- 6 , 6 -- 2 0 +The Red Bulls lost but made the 1st round of the playoffs . The Red Bulls lost , but made the 1st round of playoffs . 1 +12 January 1978 : Cambridge United manager Ron Atkinson is appointed as manager of West Bromwich Albion . January 12 , 1978 : Cambridge United - Manager Ron Atkinson is appointed manager of West Bromwich Albion . 1 +In 1979 he had his best year on tour , making a quarter-finals in Atlanta , Johannesburg and Tel Aviv . In 1979 he had his best year on tour , a quarterfinal in Tel Aviv , Johannesburg and Atlanta . 1 +The next version was created by Robert Fuller 's brother Ron in 1986 . The next release was created in 1986 by Robert Fuller 's brother Ron . 1 +The temple serves as a cultural and religious centre for Korean Hindus and immigrants from the South Asian countries . The temple serves as the cultural and religious center for South Asian Hindus and immigrants from Korean countries . 0 +The clubhouse was built by Curtis , for the then sum of $ 60,000 , and rented it for a large charge to the club . The clubhouse was built by Curtis , for the then-nominal sum of $ 60,000 , and rented it to the club for a large fee . 1 +Mitsuhisa Ishikawa and Tomohiko Ishii from Production I.G , Danny Choo , Kaname , and Tasha with Miyuko from Korea were special guests for the event . Tasha from production I.G , Danny Choo , Kaname , Mitsuhisa Ishikawa and Tomohiko Ishii with Miyuko from Korea were special guests for the event . 0 +Vempati Chinna Satyam ( 15 October 1929 - 29 July 2012 ) was an Indian dancer and guru of the Kuchipudi dance form . Vempati Chinna Satyam ( 15 October 1929 -- 29 July 2012 ) was a Kuchipudi dancer and a guru of Indian dance . 0 +This incident was later celebrated and is now commemorated in Egypt on 25 January of every year as National Police Day . This incident was later celebrated and is now being commemorated in Egypt as the National Police Day on 25 January of each year . 1 +Udaipur is a town in the Indian state of Madhya Pradesh near Ganj Basoda . Ganj Basoda is a city in the Indian state of Madhya Pradesh near Udaipur . 0 +He was then replaced by Heraclius , a first cousin of Nicetas , and was forced to take monastic vows . He was then replaced by Nicetas , a first cousin of Heraclius , and forced to take monastic vows . 0 +First , describe the areas with high pollen values instead of the areas with low pollen . First , describe the areas with low pollen value instead of the areas with high pollen . 0 +So far Zinovjev 's works have been performed by the Finnish Radio Symphony Orchestra , the Lahti Symphony Orchestra , the Kymi Sinfonietta , the Oulu Symphony Orchestra and the Avanti ! So far Zinovjev ’ s works have been performed by the Oulu Symphony Orchestra , Lahti Symphony Orchestra , Kymi Sinfonietta , Finnish Radio Symphony Orchestra and Avanti ! 1 +It was designed by Richard Creed , built by Collins and Geoffrey and equipped by George Edwards of Monmouth . It was Furnished by Richard Creed , built by George Edwards and designed by Collins and Geoffrey of Monmouth . 0 +McCall and Lesiuk left the band in the summer of 2007 , with McCall being replaced by Steven Tosh on drums and Jamie Macleod took over the bass tasks . McCall and Lesiuk left the band in the summer of 2007 with McCall being replaced by Steven Tosh on drums and Jamie Macleod taking over bass duties . 1 +In 1886 , Miles replaced General George Crook as commander of the armed forces fighting Geronimo , a Chiricahua Apache leader , in the Department of Arizona . In 1886 , Miles replaced General George Crook as commander of forces fighting against Geronimo , a Chiricahua Apache leader , in the Department of Arizona . 1 +Barshi , is an earth dam on the local river near Pathari Dam , Solapur district in the state of Maharashtra in India . Pathari Dam , is an earthfill dam on local river near Barshi , Solapur district in the state of Maharashtra in India . 0 +He married Mary , the daughter of Brooke of Selston , Nottingham , and was succeeded by his eldest son , Richard . Brooke married Mary , the daughter of Timothy Pusey of Selston , Nottingham . He was succeeded by his eldest son , Richard . 0 +Luk or Loke is the Chinese romanization of several ( but not all ) Cantonese surnames that are romanized as Lu in Mandarin . Luk or Loke is the Chinese romanization of several ( but not all ) Cantonese surnames , which are romanized as Lu in Mandarin . 1 +The correct rotations of the cube , which can be characterized by permutations of the body diagonals , are also described by conjugation in `` S '' . The proper rotations of the cube , which can be described by permutations of the body diagonals , are also characterized by conjugation in `` S '' . 0 +For example , in amphibians Cerberus is expressed in the anterior dorsal endoderm and in mice it is expressed in the anterior visceral endoderm . For example , Cerberus is expressed in the anterior dorsal endoderm in amphibians and in mice in the anterior visceral endoderm . 1 +He did clinical training at the Middlesex Hospital in London , and qualified as a medical doctor in 1943 . He made clinical training at the Middlesex Hospital in London and qualified as a doctor in 1943 . 1 +Sunny cut the track in November 1973 with Roger Greenaway producing while Chris Gunning provided the arrangement and conducted . In November 1973 , Roger Sunny cut off the track with Roger Greenaway , while Chris Gunning provided and conducted the arrangement . 1 +Damon Knight ( quoted by James Blish ) said about the interpretation of Knight 's story : James Blish ( quoted by Damon Knight ) said about Knight 's interpretation of his story : 0 +The film is about Rafael , a new singer in Malayalam film industry . This film is about Rafael , a new singer in the Malayalam film industry . 1 +It was the third season broadcast more than two years after the family edition and more than three years after the first celebrity edition . It was the third season to air more than two years after the family edition and more than three years after the first celebrity edition . 1 +He died on 19 September 1891 in Gallatin , Tennessee , and received a Masonic in Gallatin . Bunting died on September 19 , 1891 in Gallatin . He received a Masonic funeral in Gallatin , Tennessee . 1 +The wrestler then jumps around and swings forward to fall back and let the opponent 's head drop into the mat . The wrestler then jumps forward and swings around to fall backwards and let the opponent 's head drop in the mat . 0 +She moved with her parents from Finland to Estonia at the age of 3 years and is currently living in Helsinki . She moved from Estonia to Finland with her parents at the age of 3 and currently resides in Helsinki . 0 +The town is situated at the western end of the `` Horta de València '' , on the right bank of the river Turia . The town is situated on the right bank of the `` Horta de València '' , on the western shore of the River Turia . 0 +Many of the demons in Solomon 's encounters are of Greek , Christian , Jewish , Egyptian , Arabic , and other traditions . Many of the demons in Solomon 's encounters are Greek , Christian , Jewish , Egyptian , Arab , and other traditions . 1 +The administrative region of Chenzhou in the Tang dynasty is under the administration of modern Zhoukou in eastern Henan : The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Henan in eastern Zhoukou : 0 +The test is the following : `` First you notice the pranganglionic fiber and stimulate the response that appears . The test is the following : First stimulate the preganglionic fiber and notice the response that appears . 0 +Ukhrul is also a tourist hotspot in the state of Manipur . Manipur is also a tourist hotspot of Ukhrul state . 0 +Caspar Peucer ( pronounced , January 6 , 1525 -- September 25 , 1602 ) was a Sorbian reformer , physician , and scholar of German origin . Caspar Peucer ( pronounced January 6 , 1525 - September 25 , 1602 ) was a Sorbian reformer , doctor and scholar of German origin . 1 +Cornelius Olatunji Adebayo is a former senator of Nigeria , who was governor and later became head of the Nigerian Federal Ministry of Communications . Cornelius Olatunji Adebayo is a former senator of Nigeria , who became a governor , and was later head of the Nigerian Federal Ministry of Communications . 1 +Massachusetts voted for Harry S. Truman in 1928 , for Al Smith four times in the 1930s and 1940s , and for Franklin D. Roosevelt in 1948 . In the 1930s and 1940s , he was elected four times for Al Smith in 1928 for Franklin D. Roosevelt and for Harry S. Truman in 1948 . 0 +Ibn Amira was born at Alzira in the province of Valencia . Ibn Amira was born in Valencia , the province of Alzira . 0 +If we use an alternating Turing machine , we have the resource ATIME . When we have an alternating turing machine , we use the resource ATIME . 0 +On November 13 , 2016 , David Machado was murdered in Fox Grove Park near the city of Hughson by Dennis Wallace . On 13 November 2016 , David Machado 's Deputy Dennis Wallace was murdered at Fox Grove Park near the city of Hughson . 0 +On his death in 1946 , his papers on this project were uniformly in a still rough state . Following his death in 1946 , his papers on this project were uniformly in a still rough state . 1 +Alexander Baumgartner ( born June 27 , 1841 in Luxembourg , Germany ; died 1910 in St. Gallen , Switzerland ) was a poet and writer on the history of literature . Alexander Baumgartner ( born in St. Gall , Switzerland , 27 June 1841 ; died Luxembourg , 1910 ) was a poet and writer on the history of literature . 0 +Researchers at the Geological Survey of Canada have modeled natural arsenic variation in the relative hazard potential for the province of New Brunswick . Researchers at the Geological Survey of Canada have modeled natural arsenic variation in relative hazard potential for the province of New Brunswick . 1 +The airline was developed by Irelandia , which also formed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . The airline was formed by Irelandia , which has also developed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . 0 +The river Geamărtălui is a tributary of the River Breaza in Romania . The River Breaza is a tributary of the River Geamărtălui in Romania . 0 +It was bought by C. R. Gregory in 1834 in the monastery of Saba . Robert Curzon saw it in 1883 . It was bought in 1834 by C. R. Gregory in the monastery of Saba , in 1883 by Robert Curzon . 1 +Prabhupada was pleased when Gopal Krishna presented him the first copies of Srimad Bhagavatam , translated into Hindi . Gopal Krishna was pleased when Prabhupada presented him the first copies of the Srimad Bhagavatam translated into Hindi . 0 +St.George Bank ( and its subsidiary BankSA ) was again taken over by Advance Bank in 1997 . In return , the Advance Bank ( and its subsidiary BankSA ) was taken over by St.George Bank in 1997 . 0 +He then taught school in Cleveland , OH , and from 1856-1859 was the actress ’ superintendent of schools in Toledo . He then taught school in Cleveland , OH and was the acting superintendent of schools in Toledo from 1856-1859 . 0 +The poem is preserved in four contemporary manuscripts , one of which is fragmentary : The poem is preserved in four contemporary manuscripts , one of which is fragmented : 1 +Other difficulties included James Newton Howard 's decision to switch Howard Shore composers to Peter Jackson seven weeks before the film change . Other difficulties included James Newton Howard 's decision to change composers from Howard Shore to Peter Jackson seven weeks before the film opened . 0 +Dusty Baker became the first black manager to participate in a World Series since Cito Gaston for Toronto in and . Dusty Baker became the first black manager to join and participate in a World Series since Cito Gaston for Toronto . 1 +Sukumar 's friend Stephen ( Murugan ) helps them in the hour of crisis , and lovers unite in marriage . Murugan 's friend Stephen ( Sukumar ) helps them in their hour of crisis and the lovers unite in marriage . 0 +Dr. Adams left Miss Sarah Hunt , with whom he married a daughter , married B. Hyatt in 1788 , esq . Dr. Adams married Miss Sarah Hunt , by whom he left a daughter , married , in 1788 , to B. Hyatt , esq . 0 +It is sometimes used as reductio ad absurdum of the well-known argument of design , which runs as follows : It is sometimes used as a reductio ad absurdum of the well-known argument from design , which runs as follows : 1 +Kudawa is a village and village development committee in the Narayani zone in the Bara - district of south-east Nepal . Kudawa is a village and Village Development Committee in Narayani Zone in the Bara District of south-eastern Nepal . 1 +After the Battle of Coral Sea , `` Barnett transported 1,360 survivors from the USS Lexington ( CV-2 ) from San Diego to Nouméa . After the Battle of Coral Sea , `` Barnett transported 1,360 survivors from the USS Lexington ( CV-2 ) from Nouméa to San Diego . 0 +Road R205 is a regional road in Ireland from road R199 in the county of Cavan to the Northern Ireland border in the county of Leitrim , mostly in county Fermanagh . The R205 road is a regional road in Ireland from the R199 road in County Leitrim to the Northern Ireland border at County Fermanagh , mostly in County Cavan . 0 +Schliemann detected five shafts and cleared them as the graves mentioned by Pausanias . Schliemann cleared five shafts and recognized them as the graves mentioned by Pausania . 0 +The first , Kai-sung , was Jin-Qua 's daughter , the mother of Dirk Struan by Gordon Chen . The first , Kai-sung , was Jin-Qua 's daughter . She was the mother by Dirk Struan of Gordon Chen . 1 +In 1974 the urban district was merged with Repton Rural District and part of South East Derbyshire Rural District to form the present South Derbyshire District . In 1974 , the present district was merged with Repton Rural District and part of the South East Derbyshire Rural District to form the urban South Derbyshire District . 0 +For example , Cerberus is expressed in amphibians in the anterior visceral endoderm , and in mice it is expressed in the anterior dorsal endoderm . For example , Cerberus is expressed in the anterior dorsal endoderm in amphibians and in mice in the anterior visceral endoderm . 0 +Abraham Hart was president , and Mayer Sulzberger secretary , of the board of trustees . Abraham Hart was president , and Mayer Sulzberger Secretary , the board of trustees . 1 +He collaborated with contemporary architects such as Giovan Giacomo Di Conforto , Bartolomeo Picchiatti and Francesco Grimaldi . He has collaborated with contemporary architects such as Giovan Giacomo Di Conforto , Bartolomeo Picchiatti and Francesco Grimaldi . 1 +Born in Cochabamba , Bolivia , she moved to Mexico City in the 1990s and later to Los Angeles . She was born in Cochabamba , Bolivia . In the 1990s , she moved to Mexico City and later to Los Angeles . 1 +Born in Leiden , de Ruiter has played for FC Utrecht , FC Den Bosch , Excelsior , RKC Waalwijk and FC Emmen . de Ruiter was born in Leiden and played for RKC Waalwijk , FC Den Bosch , Excelsior , FC Utrecht and FC Emmen . 1 +Vermont is bordered by Mitcham to the north , Nunawading and Forest Hill to the west , Vermont South to the south and Wantirna and Ringwood to the east . Vermont is bordered to the north by Mitcham , to the west of Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . 1 +Dr. Julio Square Junqueira was the first to be built in Arapongas , was named after Dr. Julio Junqueira named after the first mayor of Arapongas . Julio Junqueira was the first to be built in Arapongas , and was named after Dr. Julio Square Junqueira , named after the first mayor of Araponga . 0 +Prakash Raj also joined the team in August 2017 to allegedly play the role of producer Aluri Chakrapani . In August 2017 , Aluri Chakrapani also joined the team to play the role of producer Prakash Raj as well . 0 +Meridian consists of the residents of Daykin , Alexandria , Western , Fairbury and Tobias , creating the 303 Nebraska School District . Meridian consist of the residents of Daykin , Fairbury , Western , Alexandria , and Tobias , creating the 303 Nebraska School District . 1 +July is , on average , the coldest month , the hottest in January . July is the hottest month on average and January is the coldest . 0 +Another way to regulate the population of deer is to control the fertility rate . Another way to control the population of deer is to regulate the fertility rate . 1 +The first round took place in the weekend of 23 - 25 September 2011 in Slovakia ( Prievidza ) The first round took place on the weekend of September 23-25 , 2011 in Slovakia ( Prievidza ) . 1 +He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of the leading politician Anton Martin Schweigaard and Aunt of later Prime Minister Christian Homann Schweigaard . He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of leading politician Christian Homann Schweigaard and aunt of later Prime Minister Anton Martin Schweigaard . 0 +It can be reached from Formia from east , and Maranola , a `` frazione '' of Spigno Saturnia , from the west . It can be reached from Formia from east , and Maranola , a `` frazione '' of Spigno Saturnia , from west . 1 +When Phil Spector heard `` Stubborn Kind of Fellow '' for the first time , he was so excited that he lost control of his car while driving down the Sunset Boulevard with Jack Nitzsche . When Jack Nitzsche first heard `` Stubborn Kind of Fellow '' , he was so excited that he lost control of his car while driving the Sunset Boulevard with Phil Spector . 0 +Some crew members were killed in the Golden Bay and there was no local contact with other Māori . Some of the crew members were killed in the Golden Bay and there was no other contact with local Māori . 0 +The single was announced on 31 October 2015 and was released on 13 November 2015 . The single was announced on October 31 , 2015 , and was published on November 13 , 2015 . 1 +In the new TV-series '' Dead Gorgeous '' Hazel played the role of the youngest sister Alexandra Coppinger . Hazel played the role of Alexandra Coppinger , the youngest sister , in the new TV series `` Dead Gorgeous '' . 1 +Some of them are described here and some of them are linked under `` External links '' below . Some of them are described below and some of them are linked to `` External Links '' here . 0 +In Scottish football , semi-professional teams compete at all levels below the Scottish Premiership , with most teams below the Scottish Championship being semi-professional . In Scottish football , semi-professional teams are performing below the Scottish premiership at all levels , with most teams below the Scottish championship being semi-professional . 1 +The song is a hook sample in single `` design in Malice '' of the American hip-hop group Jedi Mind Tricks . The song is a hook sample in `` Design in Malice '' American by single hip-hop group Jedi Mind Tricks . 0 +where , formula 5 is one of Horn 's finite functions with two variables and convergent for all confluent hypergeometric values of formula 6 and formula 7 . It is given by : Formula 5 is one of Horn 's confluent hypergeometric functions with two variables and convergent for all finite values of Formula 6 and Formula 7 . It is given by : 0 +In 1830 , James was influenced by the abolitionism of some members of the American Colonization Society ( ACS ) and writings by Arthur Tappan . Beginning in 1830 , James was influenced by the abolitionism of some members of the American Colonization Society ( ACS ) and writings by Arthur Tappan . 1 +They were developed by Namco Bandai and published by CyberConnect2 , beginning with `` Naruto : Ultimate Ninja '' in 2005 . They were developed by CyberConnect2 and published by Namco Bandai , starting with `` Naruto : Ultimate Ninja '' 2005 . 0 +The highway was cancelled on October 18 , 1954 , when FM 1241 was extended . The highway was cancelled on 18 October 1954 , when the FM 1241 was extended . 1 +The solar approach to this requirement is the use of solar panels in a conventional-powered aircraft . The conventional approach to this requirement is the use of solar panels in a solar aircraft . 0 +She was the mother of Val , Boris and Rosalind Lorwin , and her daughter became a psychology professor . She became the mother of Val , Boris and Rosalind Lorwin , her daughter was professor of psychology . 0 +Indirect evidence of dark matter comes from its gravitational influence on dark matter , as no other particles of matter have been observed in laboratories . Indirect evidence for dark matter comes from its gravitational influence on other matter , as no dark matter particles have been observed in laboratories . 0 +He was replaced in successive coups by Olusegun Obasanjo ( 1975 ) and Murtala Mohammed ( 1976 ) . He was replaced by Olusegun Obasanjo ( in 1975 ) and Murtala Mohammed ( in 1976 ) in successive coups . 1 +McMillan spent two years in the Royal Medical Corp. at Tidworth -- and later at Didcot , where he ran an MRS for soldiers injured in the Korean War . For two years , McMillan spent at the Royal Medical Corp. in Didcot -- and later in Tidworth , where he run an MRS for soldiers injured in the Korean War . 0 +`` Aku Ankka '' is published by Sanoma Media ( formerly Sanoma ) , which is part of Sanoma Magazines . `` Aku Ankka '' is published by Sanoma Media ( formerly Sanoma Magazines ) , who is part of Sanoma . 0 +Rakai is the headquarters of Uganda , which in the early 1980s , was the epicenter and first distinct in Rakai District to be affected by the AIDS epidemic . Rakai is the headquarters of the Rakai district , which was the epicenter in the early 1980s and was first affected by the AIDS epidemic in Uganda . 0 +The Asian activities became part of Ebel while the European activities were sold to Hong Kong entrepreneur Joseph Wong and are now part of Stelux Holdings . Asian activities became part of Ebel , while the European activities were sold to the Hong Kong entrepreneur Joseph Wong and now belong to Stelux Holdings . 1 +The funds came from the Bill Melinda Gates Foundation , financier George Soros , and technology entrepreneur Edward W. Scott . Start-up funds came from the Bill & Melinda Gates Foundation , financier George Soros , and technology entrepreneur Edward W. Scott . 1 +Finale is a city in South Africa in the province of Mopani District Municipality , Limpopo . Finale is a town in Mopani District Municipality in the Limpopo province of South Africa . 0 +Rashidi was not charged , but he was detained by Moroccan authorities , when he was repatriated . Rashidi was not charged , but he was repatriated by the Moroccan authorities when he was arrested . 0 +He was appointed prosecuting attorney for Seneca County in 1824 , for Williams County in 1826 , and for Sandusky County in 1827 . He was appointed Prosecutor for Williams County in 1824 , for Seneca County in 1826 , and Sandusky County in 1827 . 0 +Lake Georgetown is also a source of drinking water for Georgetown and the nearby town of Round Rock . Lake Georgetown is also a source of drinking water for Georgetown and the nearby city of Round Rock . 1 +Holly was musically influenced by Elton John . Elton John was influenced by Holly musically . 0 +At the time of his death , David Cardinal Beaton was Lord Chancellor of Scotland , Archbishop of St Andrews , and Cardinal Legate in Scotland . David Cardinal Beaton was Lord Chancellor of Scotland at the time of his death , Archbishop of St. Andrews and Cardinal Legate of Scotland . 1 +Kjeld Deichmann died suddenly in 1963 and Erica closed the studio and gave up pottery . In 1963 Kjeld Deichmann died suddenly and Erica closed the studio and gave up the pottery art . 1 +However , Michael Jackson , Prince , and Madonna were influences on the album . Madonna , Prince and Michael Jackson were , however , influences on the album . 1 +The only tram depot is at Miraflores . Termini are San Antonio , and Oriente . The only tram depot is in San Antonio , Termini are Miraflores and Oriente . 0 +He also helped to establish meditation centers throughout North , Central and South America as well as in Europe . He also helped establish meditation centers all over Europe as well as in North , Central and South America . 0 +In Sri Lanka , the title of Chartered Accountant ( CA Sri Lanka ) can be used by only members of the Institute of Chartered Accountants of Sri Lanka . In CA , the title of the accountant ( Sri Lanka Sri Lanka ) can only be used by members of the Institute of Accountants in Sri Lanka . 0 +Brown also formed the Solomon Episcopal Conference Center at Robert , Louisiana . Robert also founded the Solomon Episcopal Conference Center at Brown , Louisiana . 0 +Lobethal Bierhaus is a regional beer brewery , with German style influences . Lobethal Bierhaus is a regional brewery with German influences on style . 1 +Financial regulators sometimes share the worldview of their regulated entities through sectoral regulation . With sectoral regulation , financial regulators sometimes share the worldview of their regulated entities . 1 +In April 1942 , Montagu Slater returned to England and , shortly after his return , asked Britten to be his librettist for `` Peter Grimes '' . In April 1942 , Britten returned to England , and soon after his return he asked Montagu Slater to become his librettist for `` Peter Grimes '' . 0 +Three years later he won a silver medal in the same competition at the European Championship in Hahnenklee for West Germany . Three years later , he won a silver medal in the same event for West Germany at the European championships in Hahnenklee . 1 +The band was founded in Dunwoody , Georgia in 1999 , after the guitarist Cole Alexander and the bassist Jared Swilley left the Renegades , and guitarist Ben Eberbaugh left the Reruns . The band , founded in 1999 in Dunwoody , Georgia , after guitarist Ben Eberbaugh and bassist Jared Swilley left the Renegades , and guitarist Cole Alexander left the Reruns . 0 +Some of them are described here and some of them are linked under `` External links '' below . Some of them are described below and some of them are linked here under `` External Links '' . 0 +The second editor is Herbert Wessels ( since 2009 ) , editor in chief is Markus Ermert ( since 2002 ) . The second editor is Herbert Wessels ( since 2009 ) , chief editor is Markus Ermert ( since 2002 ) . 1 +Ochrosis ventralis is a species of leaf beetle native to North Africa and parts of Europe . Ochrosis ventralis is a native species of leaf beetle in Europe and parts of North Africa . 0 +Some members of the crew were killed in Golden Bay and there was no local contact with other Māori . Some of the crew were killed in Golden Bay and there was no local contact with other Māori . 1 +These three paternal dynasties governed the Kingdom of Waalo with the maternal family Mbooj . These three maternal dynasties governed the kingdom of Waalo with the paternal family Mbooj . 0 +In the early 1950s , Fiaminghi began creating works that were abstract art and incorporated elements of constructive art . In the early 1950s , Fiaminghi began creating works that were abstract art , incorporating elements of constructive art . 1 +The Pennsylvania Route 268 leads from the west end of the bridge south to Parker and to the north to Emlenton . The Pennsylvania Route 268 leads from the western end of the bridge north to Parker and south to Emlenton . 0 +His name , Afolabi , is `` Born into wealth `` . His nickname in Nigeria means Robocop because of his stiff movements . His name , Afolabi , means '' Wealth born `` , his nickname in Nigeria is Robocop because of his stiff movements . 0 +In April 1942 , Britten returned to England , and soon after his return he asked Montagu Slater to become his librettist for `` Peter Grimes '' . Montagu Slater returned to England in April 1942 . Soon after his return , he asked Britten to be his librettist for `` Peter Grimes '' . 0 +He was born the posthumous child of Sir John Lade , 1st Baronet , his mother was the sister of brewer Henry Thrale . He was born as a child of Sir Henry Thrale , 1st Baronet , his mother was the sister of the brewer John Lade . 0 +The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FC Terek Grozny and the Russian FK Borac Čačak . The exception was between late 2005 and 2009 when he played in Sweden with Carlstad United BK , Serbia with FK Borac Čačak and Russian FC Terek Grozny . 0 +The episode was written by Chuck Tatham and directed by Fred Savage . The episode was written by Chuck Tatham and led by Fred Savage . 1 +The meeting is interrupted by the arrival of various messengers from various powerful or influential Mardukans in the city with many dinner invitations for the Prince . The meeting is interrupted by the arrival of many messengers from various powerful or influential Mardukans in the city with various invitations to dinner for the Prince . 1 +Beximco produces textiles , basic chemicals , pharmaceuticals , jute and marine food , and the company also has real estate and land development interests . Beximco produces textiles , basic chemicals , pharmaceuticals , jute and marine foods ; the company also has real estate and land development interests . 1 +`` The Rider 's Digest '' is now a monthly magazine published with two versions : the Retail - Version and the 60 - page free edition . `` The Rider 's Digest '' is now a monthly magazine with two versions published : the free edition , and the 60 page retail edition . 0 +His wife was Klára Csabi , and their son Ferenc Wathay was also a famous commander and author of the `` Songbook of Ferenc Wathay '' . His wife was Klára Csabi , and her son Ferenc Wathay was also a famous commander and author of the `` songbook of Ferenc Wathay '' . 1 +A ratio of 2.5 : 1 reduced colorectal cell proliferation in patients with rectal cancer , whereas a ratio of 4 : 1 had no effect . A 2.5 : 1 ratio reduced colorectal cell proliferation in patients with rectangular cancer , whereas a 4 : 1 ratio had no effect . 0 +He was born Charles Wyndham Standing in London , England and died in Los Angeles , California . He was born in London , England , and died in Los Angeles , California , Charles Wyndham . 1 +Berks County , Pennsylvania , United States is a community in Robeson Township . Berks County , Pennsylvania , United States is a township in Robeson Township . 1 +Vermont is bordered to the north by Mitcham , to the west of Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . Vermont South is bordered to the north by Mitcham , to the west by Nunawading and Forest Hill , to the south of Vermont and to the east by Wantirna and Ringwood . 0 +Cook Pond , also known as the South Watuppa Pond , is located south east of Laurel Lake and west of the Taunton River . Cook Pond , also formerly known as Laurel Lake , is located at the southern end of the Taunton River and west of the South Watuppa Pond . 0 +Only Ronnie Fields did not play a single game in the NCAA or the NBA . Ronnie Fields did not play a single game in the NBA or in the NCAA . 1 +Duncan McIntyre was born on October 6 , 1899 in Kent , England , the son of Captain Ivor Ewing McIntyre . Ivor Ewing McIntyre was born on 6 October 1899 in Kent , England , as son of Captain Duncan McIntyre . 0 +There is also a respiratory disease in ruminants , and animals may refuse to eat , appear lethargic and also develop neurological signs . In ruminants , respiratory disease is also present , and animals may refuse to eat , appear lethargic , and also develop neurological signs . 1 +The score was made by composer Maury Yeston , with choreography by William Whitener , artistic director of the Kansas City Ballet . The score was by composer William Whitener , with choreography by Maury Yeston , artistic director of the Kansas 'City Ballet ' . 0 +`` Dream '' was performed at the Royal Opera House , Covent Garden , in 1961 , produced by John Gielgud and conducted by Georg Solti . `` Dream '' was performed in 1961 at the Royal Opera House in Covent Garden , produced by John Gielgud and directed by Georg Solti . 1 +On September 22 , 1918 the first wireless telegraph message to Snowdonia was sent from Australia . On September 22 , 1918 , the first wireless telegraph communication was sent to Snowdonia from Australia . 1 +Cook Pond , also known as the South Watuppa Pond , is located south east of Laurel Lake and west of the Taunton River . In the south end , Cook Pond , also formerly known as South Watuppa Pond , is located east of the Laurel Lake and west of the Taunton River . 1 +They have 13 anal soft spines , 11 to 13 dorsale soft rays , 2 dorsal spines and 11 to 13 anal rays . They have 13 dorsal spines , 11 to 13 dorsal soft rays , 2 anal spines , and 11 to 13 anal soft rays . 0 +The combined potential and total energy is called kinetic energy or `` energy package '' . The combined potential and kinetic energy is called the total energy , or `` energy package '' . 0 +They were there for us to pray , and they were there to enjoy us . They were there for us to pray and they were there for us to enjoy . 1 +Premalignant lesions are apparently a typical tissue that appears abnormal in microscopic examination and in which cancer is more likely than its morphologically normal counterpart . Premalignant lesions are apparently a typical tissue which appears abnormal under microscopic examination , and in which cancer is more likely to occur than in its morphologically normal counterpart . 1 +`` R. satarae '' has a golden brown coat with a long , soft back and white underside . `` R. satarae '' has a golden brown coat with a long , soft back and a white underside . 1 +There remain two small independent leagues with only a handful of members : the Highland Alliance League and the Grampian Alliance League . Two small independent leagues remain , with only a handful of members : the Grampian Alliance League and the Highland Alliance League . 1 +The `` Fall Beil '' was used for the last time in West Germany in 1949 , in 1966 in East Germany . The `` case '' was used for the last time in 1949 in East Germany , 1966 in West Germany . 0 +Annette Amelia Crum married Bryant , the daughter of Samuel Crum , on September 29 , 1874 . They had one daughter . On September 29 , 1874 , Annette Amelia married Crum Bryant , the daughter of Samuel Crum , and they had a daughter . 0 +Furthermore , a triple threat match for the United States Championship between Champion Jack Swagger , The Miz and Kofi Kingston was . Next was a Triple Threat match for the United States Championship between champion Kofi Kingston , The Miz and Jack Swagger . 0 +The song was presented in the sixth promo for the second season of `` Sons of Anarchy '' , a television series FX network . The song was featured in the sixth promo for the second season of `` Sons of Anarchy '' , a FX network television series . 1 +He played in Australia early in his career but moved to Scotland to play for Frankston City in the Victorian State League . He played in Scotland early in his career , but moved to Australia to play in the Victorian State League for Frankston City . 0 +The latest track `` Every Morning '' is the acoustic guitar version of the first track `` Morning '' . The last track , `` Every Morning '' is the acoustic guitar version of the first track `` Morning '' . 1 +The grated Brushturkey or brown - collared Brushturkey ( `` Talegalla jobiensis '' ) is a species of bird in the Megapodiidae family . The collared brushturkey or brown-collared brushturkey ( `` Talegalla jobiensis '' ) is a species of bird in the family Megapodiidae . 1 +Duncan McIntyre was born on October 6 , 1899 in Kent , England , the son of Captain Ivor Ewing McIntyre . Ivor Ewing McIntyre was born on October 6 , 1899 in Kent , England , the son of the captain Duncan McIntyre . 0 +The history of the 46th Rocket Division starts from April 29 , 1941 , when the formation of the 188th Rifle Division was completed in Kaunas . The history of the 46th rocket division begins on April 29 , 1941 , when the formation of the 188th Rifle Division was completed in Kaunas . 1 +Whitlam , who had defeated Malcolm Fraser in a landslide at the December 1975 federal election , offered the knighthood to Egerton for service to the trade union movement . Whitlam , who had defeated Malcolm Fraser in a landslide at the federal election in December 1975 , offered Egerton the knighthood for serving the trade union movement . 1 +These regions are considered poor to marginal habitats , with ratings of 56 and 96 respectively . These sites are considered peripheral regions to poor habitats with ratings of 56 and 96 respectively . 0 +The JoyKey has no movable parts , no corks that can wear , or springs that can break . The JoyKey has no moving parts , no corks that can break , or springs that can be worn . 0 +In the new TV-series '' Dead Gorgeous '' Hazel played the role of the youngest sister Alexandra Coppinger . Alexandra Coppinger played the role of the youngest sister Hazel in the new TV-series '' Dead Gorgeous '' . 0 +Components of elastic potential systems store mechanical energy if they are deformed to the system when applied to forces . Components of mechanical systems store elastic potential energy if they are deformed on the system when applied forces . 0 +Ochrosis ventralis is a native species of leaf beetle in Europe and parts of North Africa . Ochrosis ventralis is a species of leaf beetle native to Europe and parts of North Africa 1 +The season started on 6 January 1984 in Falun , Sweden , and ended on 11 March 1984 in Lygna , Norway . The season began on January 6 , 1984 in Falun , Sweden , and ended on March 11 , 1984 in Lygna , Norway . 1 +de Ruiter , who was born in Leiden , played for FC Utrecht , FC Den Bosch , Excelsior , the RKC Waalwijk and FC Emmen . Born in Leiden , de Ruiter has played for FC Utrecht , FC Den Bosch , Excelsior , RKC Waalwijk and FC Emmen . 1 +The second syllable structures are V , CV , or CCV where the possible consonant is . The possible syllable structures are V , CV or CCV , whereas the second consonant is . 0 +Painter/novelist Paul Bowles first heard music from the area with American writer Brion Gysin at a festival in Sidi Kacem in 1950 . Paul Bowles heard music from the area at a festival in Sidi Kacem in 1950 , together with the American writer Brion Gysin . 0 +Farrell counters with Gabriel 's hacks , while McClane eliminates his men . Farrell counters Gabriel 's hacks , while McClane eliminates his men . 1 +It is found throughout most of the South Island and from Westland to central Banks Peninsula in the North Island . It is found in most of the north island and from the banks Peninsula to the central Westland on the South Island . 0 +The Assaf dynasty ( also called Banu Assaf ) were a Sunni Muslim and ethnic Turkmen dynasty of chieftains based in the Mount Lebanon region of Keserwan . The Assaf dynasty ( also called Banu Assaf ) was a Sunni Muslim and ethnic - Turkmen dynasty of chieftains based in the Keserwan region of Lebanon - mountainous . 0 +The single was released on Radio Airplay in Italy on October 12 , 2012 , and was shipped worldwide on 3 December 2012 . The single was released to radio airplay on October 12 , 2012 in Italy and was sent worldwide on December 3 , 2012 . 1 +The second daughter of Octavius Warre Malet , Alice Anna Catherine , married Thomas at the British Consulate in Cologne on 24 June 1852 . Octavius Warre Malet 's second daughter , Alice Anna Catherine , married Thomas on 24 June 1852 at the British Consulate , Cologne . 1 +Probuccinum tenerum is a type of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Probuccinum tenerum is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +David David Godwin is represented by Emma Townshend at DGA Associates . David Godwin is represented by Emma Townshend at DGA Associates . 1 +He also donated US $ 34,000 to Mitt Romney and US $ 7,000 to Ted Cruz , including his 2016 presidential campaign . He also donated $ 34,000 to Ted Cruz and US $ 7,000 to Mitt Romney , including his 2016 presidential campaign . 0 +The simple medium can be characterized with effective cross-sections of absorption and emission at frequencies formula _ 2 and formula _ 3 . The simple medium can be characterized by effective cross-sections of absorption and emission at the frequencies Formula 2 and Formula 3 . 1 +The ethnicity of Hilltown is 93 % mainly white , 3 % are Chinese and 1 % are Asians . The ethnicity of Hilltown is mainly White at 93 % ; 3 % are Asian and 1 % are Chinese . 0 +de Ruiter , who was born in Leiden , played for FC Utrecht , FC Den Bosch , Excelsior , the RKC Waalwijk and FC Emmen . Born in Leiden , de Ruiter has played for RKC Waalwijk , FC Den Bosch , Excelsior , FC Utrecht and FC Emmen . 1 +The primacy of the arithmetic operators has been criticized , conceptually and 'are bitwise logical operators like and + . The precedence of the arithmetic operators has been criticized . Conceptually , & and are bitwise logical operators like and + . 1 +In 1974 , with the support of the United Nations , the Asian Development Bank and the World Bank , Lao PDR founded the Stage II Fund . With the support of the World Bank , the United Nations , and the Asian Development Bank , Lao PDR founded the Stage II fund in 1974 . 1 +The second series was recorded by critics better than the first . The first series was recorded by critics better than the second . 0 +The `` Fall Beil '' was used for the last time in West Germany in 1949 , in 1966 in East Germany . The `` Fallbeil '' was last used in East Germany in 1949 , in 1966 in West Germany . 0 +There is also an isolated narrow gauge railway on the Eyre Peninsula from Ceduna to Port Lincoln . There is also an isolated narrow gauge railway on the Eyre Peninsula from Port Lincoln to Ceduna . 0 +The Webster Groves City Council consisted of council members Debi Salberg , Kathy Hart , Greg Mueller , Ken Burns , Toni Hunt , and Anne Tolan . The Webster Groves City Council consisted of councillors Greg Mueller , Ken Burns , Kathy Hart , Debi Salberg , Toni Hunt and Anne Tolan . 1 +The group played extensively and became famous in Israel , and even toured in New York City in 2007 . The group toured extensively and became famous in Israel , even playing in 2007 in New York City . 0 +Elton John was influenced by Holly musically . Elton John was musically influenced by Holly . 1 +He recorded with Billy Eckstine 's band and in 1946 , he played with the Lionel Hampton band . He played with the band of Lionel Hampton and in 1946 he recorded with the band Billy Eckstine . 0 +Their music is considered by many as alternative metal with rap metal and industrial metal influences . According to previous interviews , they consider themselves `` murder rock '' . Their music is considered by many as an alternative metal with rap metal and industrial metal influences , which according to previous interviews call themselves '' murder - rock `` . 1 +Sir Robert 's son Anthony was the father of the first of the Jenkinson Baronets of Hawkesbury , Gloucestershire . Sir Robert , son of Anthony Anthony , was the father of the first Jenkinson Baronets of Hawkesbury , Gloucestershire . 0 +Chandler viewed the computer as a tool for learning , but he rejected a dominant objectivism that recognized data as information and information as knowledge . Chandler recognized the computer as a tool for learning , but he rejected a prevailing objectivism , which viewed data as information and information as knowledge . 0 +It then crosses over the Lake Texoma arm of Washita River . Then it crosses the Lake Texoma arm of the Washita River . 1 +Georgetown is also a source of drinking water for Lake Georgetown and the nearby city of Round Rock . Lake Georgetown is also the source of drinking water for Georgetown and the nearby city of Round Rock . 0 +The following table compares the performance of the LOD -capable rendering and a full detail method ( `` brute - force '' ) . The following table compares the performance of LOD aware rendering and a full detail ( `` brute force '' ) method . 1 +The Volare Group has its head office in Thiene , Milan and its commercial management and charter management in Italy . Volare Group had its head office in Thiene , Milan and its commercial management and charter management in Italy . 1 +He would return that night to the station located west of Tecumseh , then ride to Violet Springs with another horse before his neighbors could become suspicious . He would go to the station that night , west of Tecumseh , and then return to Violet Springs with another horse before his neighbors could become suspicious . 0 +The new leader of Gerakan Tiga Daerah became Sarjiyo , who became the main regent of Pekalongan . The main leader of `` Gerakan Tiga Daerah '' was Sarjiyo , who became the new regent of Pekalongan . 0 +On June 25 , 1866 , he was appointed titular bishop of `` Nisa in Lycia , and the Bishop of Velletri . He was appointed as auxiliary bishop of `` Nisa in Lycia '' and titular bishop of Velletri on 25 June 1866 . 0 +Cher and MCA were the labels with which Kapp had more success in the 1970s and remained with them until 1974 . Kapp and MCA were the labels with which Cher had more success in the seventies and she remained with them until 1974 . 0 +It 's also worth noting that the following code would work without ADL ( it is applied to it anyway ) . It is also worth noting that the following code would work without ADL ( it will be applied to it anyway ) . 1 +They were developed by CyberConnect2 and published by Namco Bandai starting with `` Naruto : Ultimate Ninja '' in 2005 . They were developed by CyberConnect2 and published by Namco Bandai beginning in 2005 with `` Naruto : Ultimate Ninja '' . 1 +John Milton refers to Shakespeare and quotes Angela Warren `` Comus '' : '' Under the glassy , cool , light-translated wave `` . Angela Warren refers to Shakespeare and quotes John Milton 's `` Comus '' : `` Under the glassy , cool , translucent wave '' . 0 +AleX is an Italian television series . The series was written by Alfredo Castelli , Guglielmo Duccoli and Giorgio Schottler and produced by Videotime . The Italian television series AleX was written by Alfredo Castelli , Guglielmo Duccoli and Giorgio Schottler and produced by videotime . 1 +Enoteche extended to Austria north of the Alps under the German name `` Vinothek '' and from Germany to Austria . Enoteche have spread north of the Alps to Austria under the German name `` Vinothek '' and from Germany to Austria . 1 +Maharajganj is an assembly constituency in the district of Siwan in the Indian state of Bihar . Siwan is an assembly constituency in Maharajganj district in the Indian state of Bihar . 0 +Smartass is a film directed by Jena Serbu and starring Joey King . Smartass is a film by Jena Serbu and Joey King . 1 +65 soldiers have been killed during the mission : 34 Nigerians , 28 Chadians , 2 Togolese and 1 Burkinabé . During the mission , 65 soldiers were killed : 34 Nigerians , 28 Chadians , 2 Togolese and 1 Burkinabé . 1 +In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a character is compared with Armstrong . In `` Detection Unlimited '' , a mystery novel written by Armstrong , a character is compared to Georgette Heyer . 0 +The division was destroyed in the battle in Normandy , with the last elements being lost because of the fall of Cherbourg . The division was destroyed in the Battle of Normandy , with its last elements lost in the fall of Cherbourg . 1 +Vempati Chinna Satyam ( 15 October 1929 -- 29 July 2012 ) was a Kuchipudi dancer and a guru of Indian dance . Vempati Chinna Satyam ( October 15 , 1929 -- July 29 , 2012 ) was a Kuchipudi dancer and a guru of the Indian dance form . 1 +Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived during her youth in Europe . Massé was born in Holland , Michigan , and grew up in Westchester County , New York , and lived in Europe during her youth . 0 +A multiverse is a collection of alternative universes with universal nature and a similar hierarchy . A multiverse is a collection of alternative universes with similar nature and a universal hierarchy . 0 +The Jidanul River is a tributary of the River Jiul de Vest , Romania . The Jiul de Vest River is a tributary of the Jidanul River in Romania . 0 +Shook was an underground independently produced electronic music magazine , based in London , which covered various forms of British music and black music . Shook was a British music magazine based in London which covered various forms of black music and electronic music underground . 0 +The engine weighs and is 54 inches long , 29 inches wide and 41 inches high . The engine weighs and is 54 inches , 29 inches wide and 41 inches long . 0 +In 1977 , Barber traveled to Scotland and Norway with Rob Taylor to climb waterfalls . In 1977 , Rob Taylor traveled to Scotland and Norway with Barber to climb waterfalls . 0 +Basie Land is a 1964 studio album by Billy Byers and his orchestra , of music composed and arranged by Count Basie . Bas Basie Land is a studio album by Count Basie and his 1964 orchestra , whose music was composed and arranged by Billy Byers . 0 +For a fixed measurable function formula 18 , Formula 19 is a medium variable with random formula 20 and variance formula 21 . For a fixed measurable function formula 18 , Formula 19 is a random variable with the middle formula 20 and the variance formula 21 . 0 +“ Cosmic Explorer ” was released in four different formats by Universal J Japan , Universal Music and Perfume Records on 6 April 2016 . `` Cosmic Explorer '' was released on April 6 , 2016 by Universal Music Japan , Universal J , and Perfume Records in four different formats . 0 +He died in Milwaukee , Wisconsin , where he retired on May 5 , 1903 . He died in Milwaukee , Wisconsin , where on 5 May 1903 he retired . 1 +Bettencourt played the guitar and was mastered by Chris Gehringer at the Sterling Sound Studios in New York City . Bettencourt mastered the guitar and Chris Gehringer played it at the Sterling Sound Studios in New York City . 0 +He was born in Tiburon , California , and died in Brooklyn , New York . It was born in Tiburon , California , and died in Brooklyn , New York . 1 +After his service , Lockhart lived in Florida , but moved to Texas recently . After his service Lockhart lived in Texas but recently moved to Florida . 0 +The lid was only removed by intimate viewers , so these scenes might have been more privileged . The lid was only removed from privileged viewers , so these scenes might have been more intimate . 0 +Humes was born in Bethesda , Maryland , and spent his childhood in Canada as well as in several other countries , including Mexico , Nigeria and Morocco , and Chile . Humes was born in Mexico and spent his childhood in Canada as well as several other countries including Chile , Nigeria , Morocco , Bethesda and Maryland . 0 +The 2008 -- 09 Colorado Avalanche season was the franchise 's 37th season , 14th in the National Hockey League , and 30th as the Colorado Avalanche . The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 30th at the National Hockey League and 14th as the Colorado Avalanche . 0 +The series debuted on April 18th , 2009 in Australia on Nickelodeon ( New Zealand and New Zealand ) . The series debuted in Australia April 18 , 2009 on Nickelodeon ( New Zealand and New Zealand ) . 1 +Petkeljärvi National Park is a national park in Ilomantsi in the Northern Karelia region of Finland . Petkeljärvi National Park is a national park in Finland in the Ilomantsi region of North Karelia . 0 +This is the Zen style of serving and eating meals practiced in formal temples . This is the Zen - style of serving and eating practiced in formal temples . 1 +On March 5 , 2011 , MTV Hive posted a streaming link to Anni Rossi , performing Rihannas '' Rude Boy `` . On March 5 , 2011 , MTV Hive posted a streaming link to Rihanna performing Anni Rossi 's `` Rude Boy '' . 0 +The new leader of Gerakan Tiga Daerah was Sarjiyo , who became the main regent of Pekalongan . The new leader of Gerakan Tiga Daerah was Sarjiyo , who became the primary regent of Pekalongan . 1 +Maritsa Lazari was born in October 1943 in Cyprus . She emigrated with her family to London , UK at the age of 16 . Maritsa Lazari was born in London in October 1943 and has emigrated to Cyprus with her family at the age of 16 . 0 +During his campaign , he debated McCain twice , once in the flagstaff , and once in Tucson . During his election campaign , he debated McCain twice , once in Tucson , and once in Flagstaff . 1 +In May 1983 , a UK tour started with the additional guitarist Robin George for live performances . In May 1983 , a UK tour started with live guitarist Robin George for additional performances . 0 +The Property Manager is a term widely used in the United Kingdom to describe the constant differences in relative terms from cheaper to more expensive housing . The Property Manager is a term widely used in the United Kingdom to describe the relative differences in constant terms from cheaper to more expensive housing . 0 +The junior division 1 aggregate winners are presented with the James Delahunt Cup . The winners of Junior Division 1 are presented with the James Delahunt Cup . 1 +Serbian families left the village before the return of Albanian refugees in 1999 . Before the return of Serbian refugees in 1999 , Albanian families left the town . 0 +The JoyKey has no movable parts , no corks that can wear , or springs that can break . The JoyKey has no moving parts , no corks that can break , or feathers that can wear out . 0 +It was published on 22 December 2011 and was announced in February 2012 . It was registered on 22 December 2011 and was released in February 2012 . 0 +They were developed by CyberConnect2 and published by Namco Bandai , starting with `` Naruto : Ultimate Ninja '' 2005 . They were developed by Namco Bandai and published by CyberConnect2 starting with `` Naruto : Ultimate Ninja '' in 2005 . 0 +The kit consisted of green jersey with white collar , blue shorts and blue socks . The kit consisted of a green jersey with a white collar , blue shorts and blue socks . 1 +The event was attended by Boutique @ hs Ambassador , Teresa Palmer Michala Banas and Australian actress Kyly Clarke . The event was attended by Boutique @ hs Ambassador , Teresa Palmer Michala Banas and the Australian actress Kyly Clarke . 1 +Duminda Silva , also known as Arumadura Lawrence Romelo Duminda Silva and R. Dumindha Silva , is a Sri Lankan politician and a former Member of Parliament . Arumadura Lawrence Romelo Duminda Silva , also known as Duminda Silva and R. Dumindha Silva , is a Sri Lankan politician and former representative of Parliament . 1 +It serves to the south-eastern Edithvale suburb of Melbourne opening on 20 September 1919 . It serves the south-eastern Edithvale suburb of Melbourne opening on 20 September 1919 . 1 +In practice , Mesquite `` modules '' are Java classes , usually abstract sub-classes of concrete class definitions . In practice , Mesquite `` modules '' Java - classes are usually concrete subclasses of abstract class definitions . 0 +In September 11 , 1814 John Peter DeWint married Caroline Smith , granddaughter of John Adams . Caroline Smith married John Peter DeWint , granddaughter of John Adams in September 1814 . 0 +At such dinners , quality wine is often consumed , usually with champagne or similar sparkling wines . Quality wine is usually consumed at such dinners , often with champagne or similar sparkling wines as a conclusion . 1 +According to the United States Census Bureau , Kennesaw has a total surface area of which land and , or 1.08 % , is water . According to the United States Census Bureau , Kennesaw is a total area of which is land and 1.08 % has water . 1 +Joe R. Campa Jr. is a former U.S. Navy sailor , who served as the 11th Master Chief Petty Officer of the United States Navy . Joe R. Campa Jr. is a former sailor of the United States Navy , who served as the eleventh Master Chief Petty Officer of the U.S. Navy . 1 +Poonam Devi of RJD defeated Dharmendra Yadav in 2000 as JDU . Poonam Devi of RJD defeated Dharmendra Yadav representing JDU in 2000 . 1 +Mark Knowles and Daniel Nestor won the title , defeating Jonathan Erlich and Andy Ram in the final with 5 : 3 , 5 : 4 . Mark Knowles and Daniel Nestor won the title , defeating Jonathan Erlich and Andy Ram 5 -- 3 , 5 -- 4 in the final . 1 +With Terry as Ophelia and Portia he enlivened `` Hamlet '' and produced `` The Merchant of Venice '' ( 1879 ) . With Terry as Ophelia and Portia , he revived `` Hamlet '' and produced `` The Merchant of Venice '' ( 1879 ) . 1 +He also helped establish meditation centers throughout Europe as well as in North , Central and South America . He also helped establish meditation centers throughout Europe as well as in northern , central and south America . 1 +The highway was cancelled on October 18 , 1954 , when FM 1241 was extended . The motorway was cancelled on October 18 , 1954 , when FM 1241 was extended . 1 +Fanwood is located in the 22nd Congressional District and is part of the 12th New Jersey Legislative District . Fanwood is located in the 12th Congressional District and is part of New Jersey 's 22nd state legislative district . 0 +`` Taunton Castle '' was on August 1 in Rio de Janeiro and on October 31 in Penang . `` Taunton Castle '' was in Penang on August 1 and on October 31 in Rio de Janeiro . 0 +Bonnie Bedelia Culkin ( born March 25 , 1948 ) is an American actress . Bonnie Bedelia ( born Bonnie Bedelia Culkin , March 25 , 1948 ) is an American actress . 0 +Madiun is on the main road to Yogyakarta and Jakarta . Yogyakarta and Jakarta is situated on the main road to Madiun . 0 +During his time in Savannah , Charles Celestine learned from a newspaper that his son , Sherman , had died during the Savannah campaign , the general had never seen the child . While in Savannah , Sherman learned from a newspaper that his infant son Charles Celestine had died during the Savannah Campaign ; the general had never seen the child . 0 +McCarthy was born in Auckland , but moved with his parents to San Francisco , California at the age of four . McCarthy was born in Auckland , but moved to San Francisco , California with his parents at the age of four years . 1 +Scrivener dated the manuscript to the 12th century , C. R. Gregory to the 13th century . Currently the manuscript is dated by the INTF to the 12th century . Scrivener dates the manuscript to the 13th century , C. R. Gregory to the 12th century , the manuscript is currently dated to the 12th century by INTF . 0 +Phnom Penh -- Vietnam 's friendship monument in Cambodia , the capital of Cambodia , is a large concrete monument that recalls the former alliance between Vietnam and Cambodia . The Phnom Penh -- Vietnam Friendship Monument in Cambodia , capital of Cambodia , is a large concrete monument commemorating the former alliance between Vietnam and Cambodia . 1 +Brewarrina Shire includes Brewarrina and the villages of Gongolgon , Angledool and Goodooga and the ghost town of Tarcoon . Brewarrina Shire and the villages of Gongolgon , Angledool , Goodooga and the ghost town of Tarcoon . 0 +On August 1 , 1699 , Bickerstaffe surrendered his copyhold lands in Chirton to Sir William Blackett who sold the hall to Archibald Campbell , 1st Duke of Argyll . On August 1 , 1699 , William Blackett handed over his copyhold lands in Chirton to Sir Archibald Campbell , who sold the hall to the 1st Duke of Argyll , Bickerstaffe . 0 +Sher Ahmed Akhundzada ( also known as Sher Mohammed Akhundzada ) is a tribal leader who was the governor of Helmand in Afghanistan from 2001 to 2005 . Sher Ahmed Akhundzada ( also known as Sher Mohammed Akhundzada ) is a tribal leader who from 2001 to 2005 was Governor of Helmand in Afghanistan . 1 +Rakai is the headquarters of the Rakai district , which was the epicenter in the early 1980s and was first affected by the AIDS epidemic in Uganda . Rakai is the headquarters of Rakai District , which in the early 1980s , was the epicenter and first distinct in Uganda to be affected by the AIDS epidemic . 1 +Her great-grandson was the actor Alexander Molchanoff ( born Richard Marner ) . Her great-grandson was actor Richard Marner ( born Alexander Molchanoff ) . 0 +In addition to national parks , there are ten state parks , five municipal facilities , and several other gardens and arboretums in the area . In addition to the municipal parks , there are ten state parks , five national facilities and several other gardens and arborets in the area . 0 +It is based in Mondercange , to the south of Luxembourg City . It is based in Luxembourg - city , south of Mondercange . 0 +In ruminants , there is also a neurological disease , and the animals may refuse to eat , appear lethargic and also develop respiratory signs . There is also a respiratory disease in ruminants , and animals may refuse to eat , appear lethargic and also develop neurological signs . 0 +The BBC College of Journalism was opened in June 2005 as an E-Learning series with Kevin Marsh as Executive Editor , the first director of which was Vin Ray . In June 2005 , the BBC College of Journalism was opened as an e-learning series with Vin Ray as Executive Editor , whose first director was Kevin Marsh . 0 +Explicit costs are taken into account along with economic ones when considering implicit profit . When considering the implicit profit , the explicit costs are taken into account along with the economic ones . 1 +Rami Nieminen ( born February 25 , 1966 ) is a Finnish footballer . Rami Nieminen ( born February 25 , 1966 ) is a Finnish footballer . 1 +Prang Ku is a district ( `` Amphoe '' ) in the western part of the province of Sisaket , in northeastern Thailand . Prang Ku is a district ( `` amphoe '' ) in the western part of Sisaket Province , northeastern Thailand . 1 +The 14th , 16th , and 117th Line each had two battalions in the fight . The 14th , 16th and 117th lines had two battalions in the fight each . 1 +Mount DeVoe is a mountain located on Vancouver Island , British Columbia , Canada , southeast of Gold River and south of Rambler Peak . Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , to the southeast of Rambler Peak and south of Gold River . 0 +The Olt River is a tributary of the River Seghes in Romania . The Segheș River is a tributary of the Olt River in Romania . 0 +The Montreal Montreal Stars won the Clarkson Cup by defeating 3 -- 1 of Minnesota Whitecaps ( WWHL ) . Montreal Stars won the Clarkson Cup by defeating 3 -- 1 the Minnesota Whitecaps ( WWHL ) 1 +where the star denotes the unnatural group . Moreover when `` G '' is finite , there is an algebraic dual isomorphism . Where the star calls the algebraic dual group , there is an unnatural isomorphism when `` G '' is finite . 0 +After retirement , he remained in Krzemieniec and died there . After his retirement , he died in Krzemieniec and remained there . 0 +It is also worth noting that the following code would work without ADL ( it will be applied to it anyway ) . It is also worth noting that the following code would work without ADL ( it 's applied to it anyway ) . 1 +The airline was formed by Irelandia , which has also developed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . The airline was established by Irelandia , which has also developed other five airlines , namely VivaColombia , Ryanair , Allegiant Air , VivaAerobus and Tigerair . 1 +The Roman Catholic Diocese of Bungoma is a diocese located in the city of Kisumu in the Ecclesiastical province of Bungoma in Kenya . The Roman - Catholic diocese of Bungoma is a diocese in the city of Kisumu in the church province of Bungoma , Kenya . 1 +On Sundays , there is an hourly service to Glasgow , but there is no service to Edinburgh and Dunblane . On Sundays there is an hourly service to Edinburgh and Dunblane but no service to Glasgow . 0 +Buccinum pulchellum is a species of the sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Buccinum pulchellum is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true whell-horn scrolls . 0 +Martin Damm and Radek Štěpánek won in the final 6 -- 2 , 6 -- 4 , against Jonas Björkman and Fabrice Santoro . Martin Damm and Radek Štěpánek won against Jonas Björkman and Fabrice Santoro in the finals 6 : 2 , 6 : 4 . 1 +He was born on December 21 , 1965 in Oxon Hill , Maryland , and attended High School in New Haven , Connecticut . Alston was born on December 21 , 1965 in New Haven , Connecticut . He attended Oxon Hill High School in Oxon Hill , Maryland . 0 +The first Every Morning `` track is the acoustic guitar version of the last track '' Morning `` . The latest track `` Every Morning '' is the acoustic guitar version of the first track `` Morning '' . 0 +He played in Australia early in his career but moved to Scotland to play for Frankston City in the Victorian State League . He played early in his career in Australia , but moved to Scotland to play for Frankston City in the Victorian State League . 1 +When a surface has a constant Gaussian curvature of zero , it is a developable surface and the geometry of the surface is Euclidean geometry . When a surface has a constant zero Gaussian curvature , then it is a developable surface and the geometry of the surface is Euclidean geometry . 1 +Despite Soni Sori 's statement to a court that she feared for her safety , she was transferred to the custody of Chhattisgarh state police in Dantewada . Despite Soni Sori 's statement in a court that she feared for her safety , she was transferred to the prison of the Chhattisgarh State Police in Dantewada . 1 +It then crosses over the Washita River arm of Lake Texoma . It crosses then the Lake Texoma arm of the Washita River . 0 +Kudawa is a village and village development committee in the Narayani zone in the Bara - district in south-eastern Nepal . Kudawa is a village and Village Development Committee in Narayani Zone in the Bara District of south-eastern Nepal . 1 +Santa Cruz County was an airport located in Scotts Valley , California , within Santa Cruz Sky Park . Santa Cruz Sky Park was an airport in Scotts Valley , California , within Santa Cruz County . 0 +A CD with themes from fourteen of his films was published by Philip Powers in 2008 and produced by 1M1 records . A CD of themes from 14 of his films was produced in 2008 by Philip Powers and published by 1M1 Records . 0 +The score was made by composer Maury Yeston , with choreography by William Whitener , artistic director of the Kansas City Ballet . The score was by composer Maury Yeston , with choreography by William Whitener , artistic director of the Kansas City Ballet . 1 +Chuck Rainey ( first bassist for Aretha Franklin and Marvin Gaye ) was BIT 's electric director . Chuck Rainey ( first bassist for Aretha Franklin and Marvin Gaye ) was the electric director of BIT . 1 +Dotty was born in Boston in 1923 and died in Gloucester in 2014 . Dotty was born in 1923 in Gloucester and died in 2014 in Boston . 0 +When it was opened , the director of the BBC - television David Nixon and the first programme was '' First Night `` with Gerald Beadle in Studio Three . When it was opened was the director of the BBC - TV Gerald Beadle , and the first broadcast was '' First Night `` with David Nixon in Studio Three . 0 +Farmer defeated Armstrong - candidate Wesley Lobb with 180 votes and was retained in office after the election . Farmer defeated Armstrong candidate Wesley Lobb by 180 votes , and was retained in office after the election . 1 +They achieved some success by playing live shows in Shepparton , Geelong and Melbourne . They achieved some success , playing live shows in Shepparton , Geelong and Melbourne . 1 +In the reviews below will be the highest rating for the show in red , and the lowest evaluation for the show will be in blue episode . In the ratings below , the highest rating for the show will be in red , and the lowest rating for the show will be in blue episode . 1 +He was selected by the Philadelphia 76ers in the 7th round ( 77th pick overall ) of the 1967 NBA Draft . He was selected by the Philadelphia 76ers in the 7th round ( 77th pick in total ) of the 1967 NBA Draft . 1 +It was released on 28 January 2008 in the United Kingdom by Angular Recording Corporation and on 18 March 2008 in the United States through Domino Records . It was published by Angular Recording Corporation on January 28 , 2008 in the United Kingdom and Domino Records on 18 March 2008 in the United States . 1 +Longo was born in Bayonne , New Jersey , and attended the Marist High School in Jersey City , New Jersey and at the University of Rhode Island . Born in Jersey City , New Jersey , Longo attended Marist High School in Bayonne , New Jersey and the University of Rhode Island . 0 +J. Chlor - Radical -- Free chlorine in the atmosphere also reacts with methane . J. Chlorine radical -- Free chlorine in the atmosphere also reacts with methane . 1 +Finally , in the `` Western Republican '' , he published one of the first botanical collections to be made in Ohio by a professional botanist . He eventually published , in the `` Western Republican `` , '' one of the first botanical collections made in Ohio by a professional botanist . 1 +Lee has played professionally in Italy , Russia , Greece , France , Indonesia and Greece . He has won national championships in Puerto Rico , Portugal and Indonesia . He has professionally played in Italy , Russia , Greece , France , Indonesia and Greece and won national championships in Puerto Rico , Portugal and Indonesia . 1 +On 30 April 1983 , a C-131 assigned to NAS Jacksonville , Cuba crashed at NAS Guantanamo Bay with the loss of 13 lives . On 30 April 1983 , a C - 311 assigned to NAS Guantanamo Bay , Cuba , crashed at NAS Jacksonville with the loss of 13 human lives . 0 +The Neajlov River is a tributary of the Neajlovel River in Romania . Neajlov River is a tributary of the Neajlovel River in Romania . 1 +The plant may have some medical properties and has been used in traditional medicine in South Asia and in traditional Chinese medicine . The plant can have some medical properties and has been used in traditional Chinese medicine in South Asia and traditional medicine . 0 +The Milcov River is a right tributary of the Dilcov River in Romania . The Milcov River is a river tributary of the Dilcov River in Romania . 1 +The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FK Borac Čačak and the Russian FC Terek Grozny . The exception was between late 2005 and 2009 , when he played in Sweden with Carlstad United BK , Serbia with FC Terek Grozny and Russian FK Borac Čačak . 0 +Cape Don was named by George Don in 1818 , as a compliment to General Sir Phillip Parker King , the Lieutenant-Governor of Gibraltar . Cape Don was named in 1818 by Phillip Parker King as a compliment to General Sir George Don , lieutenant governor of Gibraltar . 0 +Three years later he won a silver medal in the same competition at the European Championship in Hahnenklee for West Germany . Three years later , he won a silver medal in the same event for Hahnenklee at the European championships in West Germany . 0 +They also released the second track on the album , `` Vices '' , on 13th June as the 5th single from the album . They also released the 5th track on the album , `` Vices '' , as the second single of the album on June 13 . 0 +The Cabot Trail episode was filmed on location in Cape Breton , including Peggys Cove and the highlands of Nova Scotia , along the East Coast . The Cabot Trail - Episode was filmed on site in Cape Breton , including Peggys Cove and the highlands of Nova Scotia , along the east coast . 1 +Vincent Goldsborough was born on October 3 , 1937 in Chicago , the son of architect Robert Goldsborough and Wilma ( Janak ) in Goldsborough . Robert Goldsborough was born in Chicago on October 3 , 1937 , as the son of Robert Vincent Goldsborough and Wilma ( Janak ) Goldsborough architect . 0 +Johan Ludvig was the son of Johan Georg Holstein , who was to become himself Danish Prime Minister , and Ida Frederikke Joachime of the Bülow family . Johan Ludvig was the son of Johan Georg Holstein , who would himself become Danish prime minister , and Ida Frederikke Joachime of the Bülow family . 1 +It was designed in 1983 by the architects John Burgee ( University Alumnus ) and Philip Johnson . It was designed in 1983 by architects Philip Johnson ( alumnus of the University ) and John Burgee . 0 +The 99th supported the Urgent Wury operation , which replaced the Stalinist regime in Grenada shortly after its activation . Shortly after its activation , the 99th supported Operation Urgent Fury , which replaced the Stalinist regime in Grenada . 1 +Alfaro was the third woman sentenced to death in the gas chamber and , at the time of her sentencing , she was the first woman on death row in California . Alfaro was the first woman sentenced to death in the gas chamber , and at the time of sentencing was the third woman on death row in California . 0 +As reward for his loyalty to Henry , he acquired lucrative lands and many offices in South Wales . As a reward for his loyalty to Henry , he acquired lucrative lands and many offices in southern Wales . 1 +A new religious idea of a triple goddess is of central importance to the modern movement of Wicca . A modern idea of a triple goddess is central to the new Wicca religious movement . 0 +McCarthy was born in San Francisco , California , but moved with his parents to Auckland at the age of four . McCarthy was born in Auckland , but moved to San Francisco , California at the age of four years with his parents . 0 +Members included Henri Barbet , Léon Talabot , Eugène Schneider and Jules Hochet . Members were Eugène Schneider , Léon Talabot , Henri Barbet and Jules Hochet . 1 +The team toured in Australia in 1953 and Asia in August 1959 . The team toured also in Asia in 1953 and Australia in August 1959 . 0 +A phase transition from a ferromagnet to a paramagnet is continuous and is the second order . A phase transition from a ferromagnet to a paramagnet is second and is of continuous order . 0 +It is an offshore island Baffin - island located in Cornelius Grinnell Bay . It is a Baffin Island offshore island located in Cornelius Grinnell Bay . 1 +The Valea lui Lambă River or Șimon River is a tributary of the Lom River in Romania . The river Valea lui Lambă or `` unk '' imon river is a tributary of the Lom river in Romania . 0 +Frank James joined a secessionist company recruited for the local Drew Lobbs Army , and fought at the Battle of Wilson 's Creek in August 1861 . Frank James joined a secessionist company , recruited for the local Drew Lobbs Army , and fought in August 1861 in the Battle of Wilson 's Creek . 1 +From 1958 , Melkus was a professor of violin , historical violin , viola , and baroque performance practice at the Vienna Academy of Music . From 1958 , Melkus was a professor of violin , historical violin , viola and baroque performance at the Vienna Academy of Music . 1 +Director Hayao Miyazaki and his longtime colleague Isao Takahata were allowed to create their own studio under the direction of former `` Animage '' editor Toshio Suzuki . It also allowed director Hayao Miyazaki and his longtime colleague Isao Takahata to create their own studio under the supervision of former `` Animage '' editor Toshio Suzuki . 1 +Previous secretaries include Alison Murison , Tom Mabbott , who received an MBE for services to Scottish Horticulture , John MacLennan , and Dr. John MacKay . Previous secretaries were John MacKay , who received an MBE for services to Scottish Horticulture , Alison Murison , Tom Mabbott , and Dr. John MacLennan . 0 +This genus is currently classified in the family of lizards , known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the now invalid family , polychrotidae . This species is now in the family of lizards , known as Iguanidae , subfamily Polychrotinae , and is no longer classified in the currently invalid family , polychrotidae . 1 +May 1976 : `` It is a lemon '' , written and compiled by Bob Austin , directed by Bob Austin `` Colin Williams '' . May 1976 : `` It 's a Lemon '' , written & compiled by Bob Austin & Colin Williams , directed by Bob Austin 0 +After the move to Ogden Utah in the 1920s and then to Salt Lake City , Robertson and his family settled in Mapleton Utah in 1937 . After moving to Salt Lake City in the 1920s and then setting up Ogden Utah , Robertson and his family in Mapleton Utah in 1937 . 0 +He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of the leading politician Anton Martin Schweigaard and Aunt of later Prime Minister Christian Homann Schweigaard . He married Marie Magdalene Schweigaard , daughter of Tellef Dahll Schweigaard , niece of the leading politician Christian Homann Schweigaard and Aunt of later Prime Minister Anton Martin Schweigaard . 0 +The nexct owner was Steen Brahe , brother of the astronomer Tyge Brahe . The nexct owner was Steen Brahe , a brother of the astronomer Tyge Brahe . 1 +The river Seghe `` is a tributary of the Olt river in Romania . The Olt River is a tributary of the River Seghes in Romania . 0 +The air transportation is provided locally by smaller aircraft in New Bedford , Berkley , and the regional airport in East Taunton . Air transportation is provided locally by smaller aircraft in New Bedford , Berkley , and the regional airport in East Taunton . 1 +The Earth 2 version of Connor Hawke in the New 52 resembles Roy Harper more than his pre- `` Flashpoint '' counterpart , with light skin and red hair . The Earth 2 version of Connor Hawke in the New 52 resembles Roy Harper more than his predecessor `` Flashpoint '' , with light skin and red hair . 0 +It serves Panchkula area of the city Chandimandir Cantonment . It serves Panchkula area of Chandimandir Cantonment city . 1 +It was sold over to Lord Cromwell in 1605 and made to Sir Francis Blundell in 1636 . It was sold to Lord Cromwell in 1605 and was handed over to Sir Francis Blundell in 1636 . 1 +Innovations made by Iranian women are not restricted to Western classical music . For instance , Lily Afshar is working on a combination of Persian and Persian music . Innovations made by Iranian women are not confined to classical Western music , so Lily Afshar is working on a combination of Persian and Persian music . 1 +The fossils , frequently found in St. Louis , include the Bryozoan - corals '' Lithostrotion `` and '' Lithostrotionella `` and the Rugosan '' Fenestrellina `` . Fossils frequently found in St. Louis include the rugosan corals '' Lithostrotion `` and '' Lithostrotionella `` and the Bryozoan '' Fenestrellina `` . 0 +Tell his father , Zac MacGuire ( Charlie Clausen ) and Evie immediately . Tell him immediately his father , Charlie Clausen ( Zac MacGuire ) and Evie . 1 +The river Seghe `` is a tributary of the Olt river in Romania . The Olt River is a tributary of the Seghes River in Romania . 0 +Autism Speaks sponsors and distributes the short film `` Autism Every Day '' , produced by Lauren Thierry and Eric Solomon . Autism Speaks sponsored and distributes the short film `` Autism Every Day '' , produced by Lauren Thierry and Eric Solomon . 1 +Earl St Vincent was a British ship that was captured in 1803 and became a French trade man . Earl St Vincent was a French ship that was captured and became a British merchantman in 1803 . 0 +The 1962 U.S. United States Senate election was held on November 6 , 1962 to select the South Carolina . The U.S. Senate election of 1962 was held on November 6 , 1962 to select the South Carolina . 1 +The next version was created by Ron 's brother Robert Fuller in 1986 . The next version was created in 1986 by Ron 's brother Robert Fuller . 1 +This group was more vocal in its adherence to the Socialist Labour League , and to the line led by Gerry Healy and the British International Committee . This group was more appropriate in its accession to the International Committee and to the line led by Gerry Healy and the British Socialist Labour League . 0 +Michael Kelly Smith was previously until his release in an early version of the Philadelphia band Cinderella , and later Tony Destra also played with them . Michael Kelly Smith was previously in an early version of the Philadelphia band Tony Destra until his release and later Cinderella also played with them . 0 +The series was produced by Daniel Petrie , Jack Donohue , and Richard Irving and directed by Donald Davis and his wife Dorothy Matthews and Rene Williams . The series was directed by Daniel Petrie , Jack Donohue and Richard Irving and was produced by Donald Davis and his wife Dorothy Matthews and Rene Williams . 0 +The ecclesiastical prelate of Itaituba is a territorial prelature in the city of Itaituba in the Roman - Catholic territorial province of Belém do Pará in Brazil . The Territorial Prelature of Itaituba is a Roman Catholic territorial prelature located in the city of Itaituba in the Ecclesiastical province of Belém do Pará in Brazil . 0 +He moved back to Philadelphia in 2009 and now lives in New York City . In 2009 he moved back to New York City and lives today in Philadelphia . 0 +Before its independence , Finland was an autonomous grand duchy inside Imperial Russia . Finland was an autonomous Grand Duchy of Imperial Russia before its independence . 1 +He made his full debut in the A PFG with Botev Plovdiv in a match against Spartak Varna on March 1 , 2008 , playing official 90 minutes . His official debut in A PFG was with Botev Plovdiv in a match against Spartak Varna on 1 March 2008 , he played full 90 minutes . 0 +A proposed Mahadayi River ( Mandovi River ) water diversion and project of the hyroelectric power plant would result in the immersion of some or all Gavali . A proposed Mandovi River ( Mahadayi River ) water redirect and project of the hyroelectric power plant would result in immersion of some or all Gavali . 1 +In computer fluid dynamics , the MacCormack method is a commonly used discretization scheme for the hyperbolic partial differential solution of numerical equations . In computational fluid dynamics , the MacCormack method is a widely used discretization scheme for the hyperbolic partial differential solution of numerical equations . 1 +He played the Cuban tres rather than the Spanish guitar , and he developed his own technique for this Cuban guitar . He played the Cuban tres rather than Cuban guitar and developed his own technique for this Spanish guitar . 0 +Podkriváň is a village and municipality in Detva District , in the Banská Bystrica Region of central Slovakia . Podkriváň is a village and municipality in the region Banská Bystrica , in the Detva district of Central Slovakia . 0 +If the parliamentary election in 1983 had been a local election , the Socialist Left would have received 8 seats in Parliament . If the 1983 local election had been a parliamentary election , the Socialist Left would have received 8 seats in parliament . 0 +Malta is a bay on the northeast coast of Balluta Bay within St. Julian 's . Malta is a bay on the northeast coast of Balluta Bay within St. Julian . 1 +After his primary and secondary education in Isparta , he completed the Pertevniyal High School in Istanbul . After his primary and secondary education in İstanbul he completed Pertevniyal High School in Isparta . 0 +He died on 6 January 1976 in Alicante and was buried in the Church of the Church of Madrid . He died on 6 January 1976 in Madrid and was buried in the church of Alicante . 0 +Dave Tomar is the pseudonym of Ed Dante , a graduate of Rutgers , now a freelance writer living in Philadelphia . Ed Dante is the pseudonym of Dave Tomar , a graduate of Rutgers , who now lives as a freelance writer in Philadelphia . 0 +In May 1983 , a UK tour with the live guitarist Robin George started for additional performances . In May 1983 , a UK tour with the additional guitarist Robin George started for live performances . 0 +These innovations increased the maximum achieved capacity of a BRT system to 35,000 passengers per hour . With these innovations , the maximum capacity of a BRT system was increased to 35,000 passengers per hour . 1 +His postmodernist history of Australian philosophy , `` Corrupting the Youth '' ( 2003 ) , praised the Australian realist tradition in philosophy and attacked polemical and relativist trends . His postmodernist history of Australian philosophy , `` Corrupting the Youth '' ( 2003 ) , praised the Australian realistic tradition in philosophy and attacked polemical and relativist currents . 1 +Duminda Silva , also known as Arumadura Lawrence Romelo Duminda Silva and R. Dumindha Silva , is a Sri Lankan politician and a former Member of Parliament . Arumadura Lawrence Romelo Duminda Silva , also known as Duminda Silva and R. Dumindha Silva , is a politician from Sri Lanka and a former Member of Parliament . 1 +As part of Shaw Communications ' offer to take over Canwest 's television stations , Shaw promised to launch local morning news on several global channels , including CKMI . As part of Shaw Communications 's offer to take over Canwest 's television assets , Shaw promised to launch local morning newscasts on several Global stations , including CKMI . 1 +The series then converges almost everywhere . The series converges almost everywhere . 1 +In 1963 , Roy joined the Communist Party of India and led trade union movements in Bansdroni in Kolkata . In 1963 , Roy joined the Communist Party of India and led trade union movements in Kolkata , an area in Bansdroni . 0 +Rõuge Valgjärv is a lake in Latvia 's southeastern county of Voru , close to the border with Estonia . Rõuge Valgjärv is a lake in the southeastern county of Voru in Estonia , close to the border with Latvia . 0 +It was published by his wife Stella Gemmell following his death on 28 July 2006 and finished under the joint authorship of David and Stella Gemmell . It was finished by his wife Stella Gemmell after his death on July 28 , 2006 and was published under the joint authorship of David and Stella Gemmell . 0 +The Houston Main Building ( HMB ) earlier the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . Prudential Building ( HMB ) formerly called the Houston Main Building , was a skyscraper in Texas Medical Center , Houston , Texas . 0 +Cai Feng had also a son , Cai Mao . Also Cai Mao had a son , Cai Feng . 0 +Using the analytical hypotheses the linguist can form new sentences and create a translation manual . The linguist can use the new hypotheses to form analytical sentences and create a translation manual . 0 +Sarah Paulson praised the series and called Marcia Clark 's portrayal of her `` phenomenal . '' Sarah Paulson praised the series and called Marcia Clark 's presentation of her `` phenomenal '' . 1 +According to Tobe and Gunnar Hansen , the reason why he wore a mask was that the mask really determined his personality . Kim commented : `` The reason he wore a mask , according to Tobe and Gunnar Hansen , was that the mask really determined his personality '' . 1 +Lang was born in Australia , migrated to Israel as a young man and settled there in 1961 . Lang was born in Israel , migrated to Australia as a young man and settled there in 1961 . 0 +Kathy Kathy and her husband Peter Dean ( Pete Beale ) are stable financially . Kathy and her husband Peter Dean ( Pete Beale ) are financially stable . 1 +ACVM is based in Edinburgh and has offices in Glasgow , Aberdeen , Newcastle , Manchester and Milton Keynes . ACVM is headquartered in Edinburgh and has offices in Glasgow , Aberdeen , Newcastle , Manchester and Milton Keynes . 1 +With Terry as Ophelia and Portia , he revived `` Hamlet '' and produced `` The Merchant of Venice '' ( 1879 ) . With Terry as Ophelia and Portia he has revived `` Hamlet '' and `` The merchant of Venice '' ( 1879 ) produced . 1 +The lighting in the Louvre - painting is softer and seems warmer , but this can be the result of the tone of the varnish on the surface . The lighting in the Louvre painting is warmer and appears softer , but this may be the result of the tone of the varnish on the surface . 0 +The lid was removed only by privileged viewers , so these scenes might have been more intimate . The lid was only removed by intimate viewers , so these scenes might have been more privileged . 0 +Like other Opels of the time , the 2-liter was designed and developed by the manufacturer 's parent company , General Motors , in North America for Opel . Like other Opels of the period the 2-litre was designed and developed for Opel by the manufacturer 's parent company , General Motors , in North America . 1 +The passengers of the aircraft were Colonel Lieutenant Donald Grant Millard , Captain Gerald K. Hannaford and Captain John F. Lorraine . The occupants of the aircraft were Lieutenant Colonel Gerald K. Hannaford , Captain Donald Grant Millard and Captain John F. Lorraine . 0 +Then compared to a WB program with a similar plot , `` Do Over '' , `` That Was Often '' was cancelled after only two episodes . Then was compared to a WB program with a similar plot `` Do Over '' , `` That was often '' after just two episodes aborted . 1 +The first series was recorded by critics better than the second . The first series was better received by critics than the second . 1 +The building dates back to the second half of the first century or at least fifty years after the foundation of Caesarodunum ( Tours ) . The construction dates back to the second half of the first century , or at least fifty years after the founding of Caesarodunum ( Tours ) . 1 +On 20 February 1959 , Prime Minister John Diefenbaker completed the project and the five arrows were completed . On February 20 , 1959 , Prime Minister John Diefenbaker terminated the project and the five dismantled Arrows were completed . 1 +His father died during his youth , and his mother , Samuel Adams , married Catherine A. Fagan in 1842 , who later became Governor of Arkansas two years later . His father died during his youth and his mother , Samuel Adams , in 1842 married Catherine A. Fagan , who became Governor of Arkansas two years later . 1 +As one of the best trained and equipped units of the Italian Army the Alpini Paracadutisti have recently served in Afghanistan and one company is constantly deployed to Iraq . As one of the best trained and equipped units of the Italian army , the Alpini Paracadutisti have recently served in Iraq and a company is constantly sent to Afghanistan . 0 +The Spain women 's international squash team represents Spain in national squash team competitions , and is governed by the Real Federación Española de Squash . The Spanish women 's national team represents Spain in international squash team competitions and is governed by the Real Federación Española de Squash . 0 +Where `` G '' indicates Newton 's quantum and formula _ 4 is the constant state of the matter fields . Where `` G '' Newton 's quantum indicates and the Formula 4 is the constant state of the material fields . 1 +On April 30 , 1983 , a C-311 that was assigned to NAS Jacksonville , Cuba , at NAS Guantanamo Bay crashed with the loss of 13 lives . On 30 April 1983 , a C-131 assigned to NAS Jacksonville , Cuba crashed at NAS Guantanamo Bay with the loss of 13 lives . 1 +The title defenders were Brian Gottfried and Raúl Ramirez and won in the final with 6 -- 3 , 6 -- 3 against Tian Viljoen and Danie Visser . Brian Gottfried and Raúl Ramirez were the defending champions and won in the final 6 -- 3 , 6 -- 3 against Tian Viljoen and Danie Visser . 1 +Dharmendra Yadav of RJD defeated Poonam Devi representing JDU in 2000 . 2000 defeated Dharmendra Yadav of RJD Poonam Devi , representing JDU . 0 +She became mother of Val , Boris and Rosalind Lorwin , her daughter was a psychology professor . She became the mother of Val , Boris and Rosalind Lorwin . Her daughter was a psychology professor . 1 +The album was recorded in Los Angeles , California by Aníbal Kerpel . Mixed in `` La Casa '' studies in Los Angeles . This album was recorded in Los Angeles , California by Aníbal Kerpel , mixed in `` La Casa '' studies in Los Angeles . 1 +The single was released on Radio Airplay in Italy on October 12 , 2012 , and was shipped worldwide on 3 December 2012 . The single was sent to Radio Airplay on 12 October 2012 in Italy and published on 3 December 2012 worldwide . 0 +The town is situated at the western end of the `` Horta de València '' , on the right bank of the river Turia . The town is located at the right bank of the `` Horta de València '' , on the western shore of the River Turia . 0 +On September 22 , 1918 the first wireless telegraph message to Snowdonia was sent from Australia . On September 22 , 1918 , Snowdonia sent the first wireless telegraph message to Australia . 0 +Martin Gould won the final 1 -- 0 ( 104 -- 0 ) against Mark Allen . Mark Allen won the 1 : 0 ( 104 : 0 ) Final against Martin Gould . 0 +In 1982 , it moved its main activities to Chicago and to Los Angeles in 1995 . In 1982 , it moved its principal activities to Chicago and in 1995 to Los Angeles . 1 +She was the mother of Val , Boris and Rosalind Lorwin . Her daughter became a psychology professor . She was the mother of Val , Boris and Rosalind Lorwin , her daughter became a professor of psychology . 1 +She sailed from Galveston , Texas on 12 September 1943 and arrived in Key West on 16 September . She sailed from Key West on 12 September 1943 and arrived on 16 September in Galveston , Texas . 0 +She was executed for her crimes at 9 : 55 am on 3 May 1947 , 24 minutes after Elisabeth Marschall , by Albert Pierrepoint in Hameln prison . She was executed on 3 May 1947 , 24 minutes after Elisabeth Marschall , by Albert Pierrepoint in the prison of Hameln for her crimes at 9 : 55 . 1 +The same `` king George '' can have been the first ship as one or the fourth or both of the other two . The same `` King George '' may have been the first vessel as one or the fourth , or both , of the other two . 1 +After the first round of the duel , Heine Totland beat the Skanksters to meet Gaute Ormåsen in the second round , who defeated Bjørn Johan Muri . After the first round of duels Bjørn Johan Muri defeated the Skanksters to meet Gaute Ormåsen , who beat Heine Totland , in the second round . 0 +The Brazilian merganser ( `` Mergus octosetaceus '' ) is a duck in the typical merganser genus . The Brazilian Merganser ( `` Mergus octosetaceus '' ) is a duck in the typical Merganian genus . 1 +Aamir Khan agreed to act immediately after reading Mehra 's screenplay in `` Rang De Basanti '' . Mehra immediately agreed to trade in `` Rang De Basanti '' after reading Aamir Khan 's script . 0 +Adamsville is bordered to the west of Coleman , to the east by Lake County , to the north of Wildwood and to the south by Sumterville . Adamsville is bordered to the west by Coleman , to the east of Sumterville , to the north of Wildwood and to the south by Lake County . 0 +In real continuity , Superman in `` Last Son '' meets the current Zod for the first time . In the current continuity , Superman in `` Last Son '' meets the true Zod for the first time . 0 +The key command and influence cohesive factors , are : The cohesive command and influence are key factors : 0 +The typical Merganian ( `` Mergus octosetaceus '' ) is a duck in the Brazilian genus Merganser . The Brazilian Merganser ( `` Mergus octosetaceus '' ) is a duck in the typical Merganian genus . 0 +Since 1984 Blake is married to Patricia Meyer and they have two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . Dale has been married to Patricia Meyer since 1984 and together they have two sons : Ryan ( born 1988 ) and Blake ( born 1992 ) . 0 +It was the third season broadcast more than two years after the family edition and more than three years after the first celebrity edition . It was the first season to air more than two years after the family edition and more than three years after the third celebrity edition . 0 +Previous secretaries were John MacKay , who received an MBE for services to Scottish Horticulture , Alison Murison , Tom Mabbott , and Dr. John MacLennan . Previous secretaries include John MacKay , who received an MBE for services to Scottish Horticulture , Alison Murison , Tom Mabbott and Dr. John MacLennan . 1 +Audio is transcribed with direct digital recording ( so audio quality is maintained ) . Audio is maintained with direct digital recording ( so the audio quality is transcribed ) . 0 +The Bresnic River is a tributary of the Slatina River in Romania . The river Slatina is a tributary of the Bresnic River in Romania . 0 +Françoise Dürr defeated Goolagong Evonne 6 : 4 , 6 : 2 Evonne Goolagong defeated Françoise Dürr by 6 -- 4 , 6 - 2 . 0 +Dakota City is part of the Metropolitan Statistical Area of Sioux City , IA - NE , SD . Dakota City is part of the NE -- Sioux City , IA -- SD Metropolitan Statistical Area . 0 +From 1863 to 1866 , Dunedin and Suburbs North were a parliamentary electorate in the city of Dunedin , Otago , New Zealand , and was a multi-member electorate . Otago , New Zealand and Suburbs North was a parliamentary electorate in the city of Dunedin in Dunedin from 1863 to 1866 . It was a multi-member electorate . 0 +A biblical doom is a negative blessing in its most formal sense . A biblical damnation , in its most formal sense , is a negative blessing . 1 +In 2011 he also published the biography of the singer Madonna entitled `` Mad for Madonna . The queen of pop '' , wrote Castelvecchi Publisher . In 2011 he also wrote the biography of singer Madonna entitled `` Mad for Madonna The Queen of Pop '' , published by Castelvecchi Publisher . 0 +Lito played for Zingone club football . Zingone played club football for Lito . 0 +The kit consisted of a green jersey with a blue collar , blue shorts and white socks . The kit consisted of green jersey with white collar , blue shorts and blue socks . 0 +The lid was only removed by privileged viewers , so these scenes might have been more intimate . The lid was only removed from privileged viewers , so these scenes might have been more intimate . 1 +They were developed by Namco Bandai and published by CyberConnect2 , beginning with `` Naruto : Ultimate Ninja '' in 2005 . They were developed by Namco Bandai and published by CyberConnect2 starting with `` Naruto : Ultimate Ninja '' in 2005 . 1 +The racial constitution of the village was 98.8 % white , 0.6 % Asian , 0.2 % Native American and 0.4 % of two or more races . The racial makeup of the village was 98.8 % White , 0.6 % Asian , 0.2 % Native American , and 0.4 % from two or more races . 1 +The status of the South Kurdufan region of Nuba Mountains and Blue Nile is less clear as ethnic data is more complex . The status of the South Kordofan region of the Nuba - Mountains and the Blue Nile is less clear , as ethnic data is more complex . 1 +The series debuted on April 18 , 2009 in New Zealand via Nickelodeon ( Australia and New Zealand ) . The series debuted in Australia on 18th April 2009 via Nickelodeon ( New Zealand and New Zealand ) . 0 +The single was announced on October 31 , 2015 and will be released on November 13 , 2015 . The single was announced on 31 October 2015 and was released on 13 November 2015 . 1 +He would ride that night to the station located west of Tecumseh , then return to Violet Springs with another horse before his neighbors could become suspicious . He would return to the station to the west of Tecumseh that night , and then ride with another horse to Violet Springs before his neighbors could become suspicious . 0 +Alexander Alexander was the 1978 and 1992 Track Champion at the historic Nashville International Raceway , now known as Fairgrounds Speedway . Alexander was the 1978 and 1992 track champion at the historic Fairgrounds Speedway , now known as Nashville International Raceway . 0 +McCall and Lesiuk left the band in the summer of 2007 , with McCall being replaced by Steven Tosh on drums and Jamie Macleod took over the bass tasks . McCall and Lesiuk left the band in the summer of 2007 with McCall being replaced by Jamie Macleod on drums and Steven Tosh taking over bass duties . 0 +The `` Astrud '' track on Gilberto 's ; s 1987 album `` Time and Tide '' is a tribute to Basia Trzetrzelewska . The `` Astrud '' track on Gilberto 's 1987 album , `` Time and Tide '' , is a tribute to Basia Trzetrzelewska . 1 +Alexandra Coppinger played the role of the youngest sister Hazel in the new TV-series '' Dead Gorgeous '' . Hazel played the role of younger sister Alexandra Coppinger in the new TV series '' Dead Gorgeous '' . 0 +Propilidium pelseneeri is a species of sea snail , a true limpet , a true gastropod mollusk in the Lepetidae family , one of the families of the marine limpets . Propilidium pelseneeri is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lepetidae , one of the families of true limpets . 0 +Bradd Crellin represented BARLA Cumbria on a tour of Australia with 6 other players representing Britain , also on a tour of Australia . Bradd Crellin also represented BARLA Great Britain on a tour of Australia on a tour of Australia with 6 other players representing Cumbria . 0 +It was released on 22 December 2011 and was announced in February 2012 . It was registered on 22 December 2011 and was released in February 2012 . 0 +The character and casting was revealed on 20 November , when Fotiou was seen in a behind the scenes video released by `` Neighbours '' on their YouTube channel . The character and cast was revealed on November 20 , when Fotiou was released on her YouTube channel in a video seen by the `` Neighbours '' behind the scenes . 0 +While the exclusion of black players was not a written rule , since 1933 no African - American had been played in the National Football League . While the exclusion of African players was not a written rule , since 1933 no black American had played in the National Football League . 0 +The original team was produced by the writer Sal Buscema and artist Roy Thomas in `` The Avengers '' # 71 ( December 1969 ) . The original team was created by the writer Roy Thomas and artist Sal Buscema in `` The Avengers '' # 71 ( December 1969 ) . 0 +There are a number of modern variations form the traditional `` suikinkutsu '' . the list below shows some of the possibilities for modern `` suikinkutsu '' . There are a number of modern variations that form the modern `` Suikinkutsu '' : the following list shows some of the possibilities for the traditional `` Suikinkutsu '' . 0 +Beddgelert is a lake near Llyn Dinas , Gwynedd in north Wales . It is formed by the River Glaslyn . Llyn Dinas is a lake near Beddgelert , Gwynedd in North Wales , and is formed by the river Glaslyn . 0 +It was designed by architects Philip Johnson ( alumnus of the University ) and John Burgee in 1983 . It was designed in 1983 by the architects John Burgee ( University Alumnus ) and Philip Johnson . 0 +The first section , from Hokitika to Ruatapu , was completed on 9 November 1906 , and on 1 April 1909 the complete line was opened for Ross . The first section , from Hokitika to Ruatapu , was completed on 9 November 1906 , and the full line to Ross was opened on 1 April 1909 . 1 +In 1781 , Illinois - Governor Thomas Jefferson Clark promoted Brigadier General and gave him command of the entire militia in the counties of Kentucky and Virginia . In 1781 , Virginia Governor Thomas Jefferson promoted Clark to brigadier general and gave him command of all the militia in the Kentucky and Illinois counties . 0 +He remained in Krzemieniec after his retirement and died there . After his retirement , he remained in Krzemieniec and died there . 1 +Cabo Cassiporé is a wide promontory to the east of the low river . Cabo Cassiporé is a wide promontory about east of the low entrance to the river . 0 +Octavius Warre Malet 's second daughter , Alice Anna Catherine , married Thomas on 24 June 1852 at the British Consulate , Cologne . Alice Anna Catherine , the second daughter of Octavius Warre Malet , married Thomas at the British Consulate in Cologne on June 24 , 1852 . 1 +Lee has played professionally in Greece , Russia , Italy , France , Puerto Rico , Portugal and Indonesia . He has won national championships in Indonesia and Greece . He has played professionally in Italy , Russia , Greece , France , Indonesia , and Greece , winning national championships in Puerto Rico , Portugal , and Indonesia . 0 +This is the formal style of serving and eating meals practiced in Zen temples . This is the formal way of serving and eating meals practiced in Zen - temples . 1 +He is co-recipient , with Martin Hansen ( Lucas ) , of the prestigious Carnegie Scholarship for mathematics . With Martin Hansen ( Lucas ) he is co-founder of the prestigious Carnegie Scholarship for Mathematics . 1 +Canal Street was opened in 1790 and the street was named after the 1870 Oxford Canal . The Oxford Canal was opened in 1790 and the street was named Canal Street around 1870 . 0 +This is the formal style of serving and eating meals practiced in Zen temples . This is the Zen - style of serving and eating practiced in formal temples . 0 +In 1999 and 2003 he became an indoor champion , with Jarno Jokihaara and Marko Ritola , in 2003 he became Finnish champion . He became Finnish champion in 1999 and 2003 , rivalling with Jarno Jokihaara and Marko Ritola . He also became indoor champion in 2003 . 0 +The journalistic director is Héctor Cossio López and the deputy director is Iván Weissman . The journalistic director is Iván Weissman and he is the deputy director of Héctor Cossio López . 0 +The motorway was cancelled on October 18 , 1954 , when FM 1241 was extended . The highway was extended on October 18 , 1954 , when FM 1241 was cancelled . 0 +Two lines operate on the Dearne Valley Line daily to York and Sheffield . Two services daily operate on the Sheffield line to York and Dearne Valley . 0 +The given variance based on formula _ 7 intraday returns is defined by formula _ 8 where the intraday returns may be realized by The realized variance based on Formula 7 Intraday - Returns is given by Formula 8 , with the Intraday - Returns defined by 0 +Roman merchants from the province of Nanjing , visited Nanyue in 166 , Syria in 226 , and Luoyang in 284 . Nanyue visited 166 Roman merchants from the province of Nanjing , 226 Syria and 284 Luoyang . 1 +Similar demands for punishment were expressed by historian Nicolae Iorga and by the poet and fascist politician Octavian Goga . Similar demands for punishment were voiced by historian Octavian Goga , and by the poet and fascist politician Nicolae Iorga . 0 +In Alcamo the 12 verses are alternated in this way : one is sung , the other said . In Alcamo the 12 verses are alternated in this way : one is sung , the other is said . 1 +Taylor remained active until his death as a scout for the Chicago White Sox and the Milwaukee and Atlanta Braves in the baseball . Taylor remained active in baseball as a scout for the Chicago White Sox and the Milwaukee and Atlanta Braves until his death . 1 +Ján Sokol ( born 9 October , 1933 ) is a former bishop and Slovak Archbishop of Trnava . Ján Sokol ( born October 9 , 1933 ) is a Slovak bishop and former archbishop of Trnava . 0 +The Continental League was the last serious attempt to create a new league of third major clubs . The Continental League was the last serious attempt to create a third major league consisting of new clubs . 0 +In 1884 , she married Robert William Foster Welch , who moved to Southampton in 1903 before marrying Philip Braham ( a doctor ) a year later . In 1884 she married Robert William Foster Welch . She moved to Southampton in 1903 before marrying Philip Braham ( a doctor ) a year later . 1 +Páll Pálsson was employed in Iceland in 1867 , and Icelandic deaf children attend a school in Copenhagen . Páll Pálsson , was employed in Copenhagen in 1867 . Icelandic deaf children attended a school in Iceland . 0 +The NVIDIA TITAN V was officially announced by Nvidia on December 7 , 2017 . On 7 December 2017 , NVIDIA has officially announced the Nvidia TITAN V . 1 +It is limited by Sheshequin Township to the east , Rome Township to the east and south , Athens Township to the south and Windham Township to the West . It is limited by Windham Township to the east , Rome Township to the east and south , Sheshequin Township in the South and Athens Township to the West . 0 +The owner of the land at that time was Mr Leslie Vernon Calcutt , and he agreed a 99-year lease with Mr Johnson . At the time , the owner of the country was Mr Johnson , and he agreed to a 99-year lease with a Mr Leslie Vernon Calcutt . 0 +The Măgheruş River is a tributary of the River Giuroc in Romania . The River Giuroc is a tributary of the Măgheru River in Romania . 0 +Sumavalli 's daughter is in love with Gopalan . Nair 's daughter Sumavalli is in love with Gopalan . 0 +On September 22 , 1918 the first wireless telegraph message to Australia was sent from Snowdonia . On September 22 , 1918 , the first wireless telegraph communication was sent to Snowdonia from Australia . 0 +Rainbach im Innkreis is a municipality in the district of Schärding in the Austrian state of Upper Austria . Rainbach im Innkreis is a municipality in the district of Schärding in the state of Upper Austria . 1 +Fusako Shigenobu is the mother of Japanese national Mei Shigenobu , a journalist . Fusako Shigenobu is the mother of Japanese citizen Mei Shigenobu , a journalist . 1 +Saragyugh ( also Romanized as Saragyukh ; formerly , Darakoy , Darakey , and Daragyukh ) is a village in the Shirak Province of Armenia . Saragyukh ( also known as Saragyukh Romanized ; formerly Darakoy , Darakey and Daragyukh ) is a village in the Shirak province of Armenia . 1 +In Catanduanes , Albay , the provinces of Luzon , Sorsogon , Masbate , Burias Island and Ticao Island have been upgraded to No . In Catanduanes , Albay , the provinces of Luzon , Sorsogon , Masbate , Burias Island , and Ticao Island were upgraded to No . 1 +He is the uncle of musician Tal Bachman and father of Ryder Bachman . He is the uncle of musician Tal Bachman and father to Ryder Bachman . 1 +Longo was born in Jersey City , New Jersey , and attended the Marist High School in Bayonne , New Jersey , and at the University of Rhode Island . Longo , born in Bayonne , New Jersey , visited the Marist High School in Jersey City , New Jersey and the University of Rhode Island . 0 +She also performed alongside Billy Wilder in William Holden 's romantic drama `` Fedora '' 1978 . She also acted alongside Billy Wilder in William Holden 's 1978 romantic drama `` Fedora '' . 1 +This was the third of three first-class hotels built in the central business district . This was the first of three third-class hotels to be built in the central business district . 0 +The dam is approximately 110 meters long and its tip is about 5 meters wide . The dam is approximately 110 meters long and its top is about 5 meters wide . 1 +Mrs. Glad had worked in Ovamboland in 1901 -- 1919 and 1926 -- in 1936 and was there as the first inspector of schools . Mrs. Glad had acted in Ovamboland in 1901 -- 1919 and 1926 -- 1936 , and had worked there as the first inspector of schools . 0 +It was Furnished by Richard Creed , built by George Edwards and designed by Collins and Geoffrey of Monmouth . It was built by Richard Creed , George Edwards and designed by Collins and Geoffrey of Monmouth . 0 +Later , during the attack on Andrew , Count of Angoulême , Richard would be Adhemar 's troops . Later , Andrew Richard ’ s forces would be during the attack on Adhemar , Count of Angoulême . 0 +The UIF was created in 2008 by a merger between the Indoor Football League ( IFL ) and the United Intense Football League . The IFL was formed in 2008 through a merger between the Intense Football League and the United Indoor Football ( UIF ) league . 0 +In 1781 , Illinois governor Thomas Jefferson promoted Clark to brigadier general and gave him command of the entire militia in the counties of Kentucky and Virginia . In 1781 , Virginia governor Thomas Jefferson promoted Clark to brigadier general and gave him the orders for all militias in the counties of Kentucky and Illinois . 0 +In the context of an EIT medium `` stopped light refers to '' coherent `` transmission of photons to the quantum system and back . `` Stopped '' light , in the context of an EIT medium , refers to the `` quantum '' transfer of photons to the coherent system and back again . 0 +Around the World in 80 Minutes with Douglas Fairbanks is a 1931 American Pre-Code documentary film directed by Douglas Fairbanks and Victor Fleming and written by Robert E. Sherwood . In 80 minutes around the world with Douglas Fairbanks , an American pre-code documentary from 1931 is directed by Douglas Fairbanks and Victor Fleming and by Robert E. Sherwood . 1 +Páll Pálsson , was employed in Copenhagen in 1867 . Icelandic deaf children attended a school in Iceland . Páll Pálsson , employed in Iceland in 1867 , Icelandic deaf attended a school in Copenhagen . 0 +Njan Piranna Nattil is a 1985 Indian Malayalam film , produced by P Chandrakumar and directed by P Chandrakumar . Njan Piranna Nattil is an Indian Malayalam film from 1985 , produced by P Chandrakumar and directed by P Chandrakumar . 1 +On 8 May 2015 , Michel Soro Tapia lost . On 8 May 2015 , Tapia lost Michel Soro . 0 +Voters voted Sevier as governor , the newly elected legislature voted for Blount and Andrew Jackson as senators , and William Cocke as a congressman . The voters chose Sevier as governor . The newly elected legislature voted for Blount and William Cocke as Senators , and Andrew Jackson as Congressman . 0 +In 1997 , she appeared as Sheila Dixon in `` Coronation Street , and in 1998 as Naomi Russell . Hardwick appeared in `` Coronation Street '' in 1997 as Sheila Dixon and in 1998 as Naomi Russell . 1 +It was published on 22 December 2011 and was announced in February 2012 . It was announced on 22 December 2011 and was released in February 2012 . 0 +For higher values of Formula 2 the previous average is more important . The previous average is more important for high values of formula _ 2 . 1 +This is a list of programming languages that are optimized for sound production , algorithmic composition , and sound synthesis . This is a list of programming languages that are optimized for sound production , sound composition , and algorithmic synthesis . 0 +In addition , they are actively physically active , free to learn and eager to explore . In addition , they are physically active , free to explore and eager to learn . 0 +In 1933 , Cattell wrote that of all the Nordic races , `` was the European race in the intelligence and stability of temperament the most developed '' . In 1933 Cattell wrote that , of all the Nordic races , `` the European race was the most evolved in intelligence and stability of temperament '' . 1 +Sammy Downs was himself born in his mother 's native community of Effie in Avoyelles Parish , south of Rapides Parish . Sammy Downs was born in the native community of Effie his mother in Avoyelles Parish , south of Rapides Parish . 1 +Eugene D. Engley was born April 5 , 1851 in Attleborough , Massachusetts , the son of James Henry Engley and his wife , the former Mary Kaley . James Henry Engley was born on 5 April 1851 in Attleborough , Massachusetts , the son of Eugene D. Engley and his wife , former Mary Kaley . 0 +McCarthy was born in San Francisco , California , but moved with his parents to Auckland at the age of four . McCarthy was born in San Francisco , California , but moved to Auckland with his parents at age four . 1 +Big Band Specials is a 1962 album by June Christy , with tracks arranged by Bill Holman , Shorty Rogers and husband Bob Cooper . Big Band Specials is a 1962 album by Bob Cooper , whose tracks were arranged by Bill Holman , Shorty Rogers and her husband June Christy . 0 +Talfourd Ely was the grandson of John Towill Rutt , who was an early friend of Crabb Robinson . Talfourd Ely was a grandson of John Towill Rutt , who was an early friend of Crabb Robinson . 1 +The Boia Mică River is a tributary of the River Valea Sterminoasă in Romania . The river Valea Sterminoasă is a tributary of the Boia Micăa River in Romania . 0 +The Prudential Building ( HMB ) formerly the Houston Main Building , was a skyscraper in the Texas Medical Center , Houston , Texas . The Houston Main Building ( HMB ) earlier the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . 0 +The first category is monovalent verbs , where there is only one semantic argument and it consists of both unergative verbs and unaccusative verbs . The first category is unergative verbs , where there is only one unaccountable argument and consists of both semantic verbs and monovalent verbs . 0 +After SIDB went bankrupt in 1985 , Hobson and Canobbio left the CompuBox program and founded CompuBox Inc. , Hobson later renamed the company in 2002 . After SIDB went bankrupt in 1985 , Hobson and Canobbio renamed the program CompuBox and founded CompuBox Inc. Hobson later left the company in 2002 . 0 +In 1974 , with the support of the World Bank , the United Nations , and the Asian Development Bank , Lao PDR founded the Stage II Fund . In 1974 , with the support of the United Nations , the Asian Development Bank and the World Bank , Lao PDR founded the Stage II Fund . 1 +Robert Vincent Goldsborough was born October 3 , 1937 , in Chicago , the son of architect Robert Goldsborough and Wilma ( Janak ) Goldsborough . Robert Goldsborough was born in Chicago on October 3 , 1937 , as the son of Robert Vincent Goldsborough and Wilma ( Janak ) Goldsborough architect . 0 +He moved to Connersville and settled in Indiana and continued the practice of law . He moved to Connersville and settled in Indiana and continued his practice of law . 1 +The species was first formally described by the botanist Stephan Endlicher in 1846 as part of the work `` Irideae Plantae Preissianae '' by Johann Georg Christian Lehmann . The species was first formally described by the botanist Johann Georg Christian Lehmann in 1846 as part of Stephan Endlicher 's work `` Irideae . Plantae Preissianae '' . 0 +However , an accident leaves Lucas with amnesia , which Sami uses to his advantage . However , Sami leaves an accident with amnesia , which Lucas uses to his advantage . 0 +The cast was completely male and consisted of six Melbourne actors and one Sydney actor ( Gordon Glenwright ) . The cast was all-male and consisted of six Melbourne actors and one Sydney actor ( Gordon Glenwright ) . 1 +Andesite was the mafic lava - type with some samples that were dominant enough to be classified as basaltic andesite . Andesite was the mafic lava type with some samples dominant enough to be classified as basaltic andesite . 1 +In 1997 , she appeared as Naomi Russell in `` Coronation Street '' and in 1998 as Sheila Dixon . Hardwick appeared in `` Coronation Street '' in 1997 as Sheila Dixon and in 1998 as Naomi Russell . 0 +A third radio version was broadcast by the BBC in May 2008 with Wilton again as Beth and the author playing Duff . A third radio version was broadcast by the BBC in May 2008 with Wilton as Duff and the author who plays Beth . 0 +In the late 1990s , it was widely available at convenience stores and supermarkets in Seattle and is available in several cafes in Minneapolis . In the late 1990s it was widely spread in convenience stores and supermarkets in Seattle and is available in several cafes in Minneapolis . 1 +Bayezid II married Gülbahar Hatun , who was the mother of Bayezid II 's successor , Selim I and nephew of Sitti Mükrime Hatun . Bayezid II married Gülbahar Hatun , who was the mother of Bayezid II. , Selim I , and nephew of Sitti Mükrime Hatun . 1 +Bunting died on September 19 , 1891 in Gallatin , Tennessee . He received a Masonic funeral in Gallatin . He died on September 19 , 1891 in Gallatin , Tennessee , and received a Masonic in Gallatin . 1 +On 25 June 1866 he was appointed bishop of `` Nisa in Lycia and bishop of Titular Velletri . On June 25 , 1866 , he was appointed titular bishop of `` Nisa in Lycia , and the Bishop of Velletri . 0 +In 1997 , she appeared as Sheila Dixon in `` Coronation Street , and in 1998 as Naomi Russell . Hardwick appeared in `` Coronation Street '' in 1997 as Naomi Russell and in 1998 as Sheila Dixon . 0 +Another way to control the population of deer is to regulate the fertility rate . Another way to control the population of deer is to regulate the birth rate . 1 +Premalignant lesions are apparently a typical tissue that appears abnormal in microscopic examination and in which cancer is more likely than its morphologically normal counterpart . Premalignant lesions are morphologically atypical tissue that appears abnormal in microscopic examination and in which cancer is more likely to occur than its seemingly normal counterpart . 0 +He was born Charles Wyndham Standing in Los Angeles , California and died in London , England . He was born in London , England , Charles Wyndham , and died in Los Angeles , California . 0 +It surrounded the older ditch , which was built in the early 16th century by Aloisio the New , who delimited Bely Gorod . It surrounded the older moat built by Aloisio the New in the early 16th century which delimited Bely Gorod . 1 +A biography of Mick Middles was written by Manchester author Chris Sievey , and was published in November 2014 . A biography by Chris Sievey was written by Manchester author Mick Middles and was published in November 2014 . 0 +It was granted to Henry Audeley and John Cordall in 1544 , who immediately passed it on to John Sone . It was granted to John Sone in 1544 , who immediately passed it on to Henry Audeley and John Cordall . 0 +Where `` e '' the electrical charge of the particle and A is the magnetic vector potential of the electromagnetic field . Whereas '' e `` the magnetic charge of the particle and A is the electric vector potential of the electromagnetic field . 0 +In 2011 , a new amusement park called CC Joyland opened in Taihuwan near Taihu lake in Changzhou in the south of Wujin District . In 2011 , a new amusement park called CC Joyland was opened in Taihuwan , near the Taihu Lake in Wujin district in the south of Changzhou . 0 +The reniform stigma is outlined in yellow and black . The reniform stigma is yellow and black outlined . 1 +Lieutenant John Gedge commissioned her to the North Sea in May 1805 , and Lieutenant Robert Ramsey replaced him in 1806 . Lieutenant Robert Ramsey commissioned her in May 1805 for the North Sea . Lieutenant John Gedge replaced him in 1806 . 0 +Sepahua is a district in the southern province of Atalaya in Peru . Sepahua is a district in southern Peru in Atalaya Province . 0 +In 1886 , Miles replaced General George Crook as commander of the armed forces fighting Geronimo , a Chiricahua Apache leader , in the Department of Arizona . In 1886 , George Crook replaced General Miles as commander of forces fighting against Geronimo , a Chiricahua Apache leader , in the Department of Arizona . 0 +Vincent Goldsborough was born on October 3 , 1937 in Chicago , the son of architect Robert Goldsborough and Wilma ( Janak ) in Goldsborough . Robert Goldsborough was born October 3 , 1937 , in Chicago , the son of architect Robert Vincent Goldsborough and Wilma ( Janak ) Goldsborough . 0 +Furthermore , a triple threat match for the United States Championship between Champion Jack Swagger , The Miz and Kofi Kingston was . Next was a Triple Threat match for the United States Championship between champion Jack Swagger , The Miz and Kofi Kingston . 1 +It was directed by Willard Mack and is based on a 1917 theatre play `` Tiger Rose '' , by George Fitzmaurice . Directed by George Fitzmaurice , it is based on a 1917 play `` Tiger Rose '' by Willard Mack . 0 +She is the widow of Bruce Paltrow and the mother of actress Gwyneth Paltrow and director Jake Paltrow . She is the widow of Jake Paltrow and the mother to actress Gwyneth Paltrow and director Bruce Paltrow . 0 +In 2018 Farrell was appointed as the new Bishop of Ossory by Pope Francis . In 2018 , Pope Francis was appointed by Farrell as a new bishop of Ossory . 0 +Billy Batson appeared in the first four issues of `` Black Adam '' , published between late 2008 and early 2009 . Billy Billy Batson appeared in the first four issues of `` Black Adam '' , published between late 2008 and early 2009 . 1 +Until September 1942 , the Vulcans had taken over the service and the Midlands were scrapped and then withdrawn . By September 1942 , the Vulcans had fully taken over the service and the Midlands were scrapped and then withdrawn . 1 +Phoebe and Nelson traveled with four oxen ( Tom , Jerry and Holden -- Berry and Buck ) and one cow . Phoebe and Holden traveled with four oxen ( Tom , Jerry , and Nelson 's -- Berry and Buck ) and a cow . 0 +In May 2011 he wrote , directed , and produced his first feature . Produced in May 2011 , he directed and wrote his first feature film . 1 +Some members of the crew were killed in Golden Bay and there was no local contact with other Māori . Some of the crew members were killed in the Golden Bay and there was no other contact with local Māori . 0 +This is the Zen - style of serving and eating practiced in formal temples . This is the formal style of serving and dining meals practiced in Zen Temples . 0 +Acting Boss -- Rene Piccarreto -- Son of Loren Piccarreto arrested in 1988 released in 1994 . Acting Boss -- Loren Piccarreto -- son of Rene Piccarreto ; arrested 1988 ; released in 1994 0 +He was selected by the Philadelphia 76ers in the 77th round ( 7th pick in total ) of the NBA - Draft 1967 . He was selected by the Philadelphia 76ers in the 7th round ( 77th pick overall ) of the 1967 NBA Draft . 0 +A biblical doom is a formal blessing in its most negative sense . A biblical damnation , in its most negative sense , is a formal blessing . 1 +He was replaced by Olusegun Obasanjo ( 1975 ) and Murtala Mohammed ( 1976 ) in successive coups . He was replaced by Olusegun Obasanjo ( in 1975 ) and Murtala Mohammed ( in 1976 ) in successive coups . 1 +A modern idea of a triple goddess is central to the new Wicca religious movement . A modern idea of a Triple Goddess is central to the new religious movement of Wicca . 1 +Kudawa is a village and Village Development Committee in Bara District in the Narayani Zone of south-eastern Nepal . Kudawa is a village and village development committee in the Narayani zone in the Bara - district of south-east Nepal . 1 +1i Productions is an American board game publisher . It was founded in 2004 by Jenna , William and Colin Byrne . 1i Productions is an American board game . It was founded in 2004 by Jenna , William and Colin Byrne . 1 +Chandler recognized the computer as a tool for learning , but he rejected a prevailing objectivism that considered data as information , and information as knowledge . Chandler recognized the computer as a tool for learning , but he rejected a predominant objectivism that viewed data as information and information as knowledge . 1 +On Sundays , there is an hourly service to Glasgow , but no service to Edinburgh and Dunblane . On Sundays , there is an hourly service to Glasgow , but there is no service to Edinburgh and Dunblane . 1 +Seiders was born in Winchester , Massachusetts and grew up in Derry , New Hampshire . Seiders was born in Derry , New Hampshire . He grew up in Winchester , Massachusetts . 0 +The Tabaci River is a tributary of the River Leurda in Romania . The Leurda River is a tributary of the Tabaci River in Romania . 0 +He died of gastric cancer in Claremore , Oklahoma , New York City on June 30 , 1954 , and is home to Lynn Riggs Memorial . He died on June 30 , 1954 , of stomach cancer in Claremore , Oklahoma . New York City is home to the Lynn Riggs Memorial . 1 +Born in Tiburon , California , he died in Brooklyn , New York . He was born in Tiburon , California , and died in Brooklyn , New York . 1 +A phase transition from a ferromagnet to a paramagnet is continuous and is the second order . A phase transition from a ferromagnet to a paramagnet is continuous and is of second order . 1 +He died of gastric cancer in New York on June 30 , 1954 , and Claremore , Oklahoma is home to the Lynn Riggs Memorial . He died of gastric cancer in Claremore , Oklahoma , New York City on June 30 , 1954 , and is home to Lynn Riggs Memorial . 0 +Players can play up to three opponents in both competitive and ranking casual games over Xbox Live . Players can play in both casual and ranked competitive games over Xbox Live against up to three opponents . 0 +She was executed for her crimes at 9 : 55 am on 3 May 1947 , 24 minutes after Albert Pierrepoint , by Elisabeth Marschall in Hameln prison . She was executed on 3 May 1947 , 24 minutes after Elisabeth Marschall , by Albert Pierrepoint in Hameln prison for her crimes . 0 +The original team was produced by the writer Sal Buscema and artist Roy Thomas in `` The Avengers '' # 71 ( December 1969 ) . The original team was created by writer Sal Buscema and artist Roy Thomas in `` The Avengers '' # 71 ( December 1969 ) . 1 +On 30 April 1983 , a C - 311 assigned to NAS Guantanamo Bay , Cuba , crashed at NAS Jacksonville with the loss of 13 human lives . On 30 April 1983 , a C-131 assigned to NAS Guantanamo Bay , Cuba crashed at NAS Jacksonville with the loss of 13 lives . 1 +He began his career in the Football League with Scunthorpe United before moving to Sheffield United of the Fourth Division in June 1961 . He began his career in the Football League with Sheffield United , before joining Scunthorpe United of the Fourth Division in June 1961 . 0 +The campus was located in Wan Chai and Kennedy Town . In August 2013 the school moved to its new permanent site in Sai Kung . The campus was located in Wan Chai and Kennedy Town and was moved to its new permanent site in Sai Kung in August 2013 . 1 +A multiverse is a collection of alternative universes with a similar nature and universal hierarchy . A multiverse is the collection of alternate universes , with a universal nature and a similar hierarchy . 0 +This was recorded in two separate inscriptions from his corpse hill Medinet Habu , which are physically long and somewhat different from one another . This was recorded in two long inscriptions from his corpse hort Medinet Habu , which are physically separate and somewhat different from one another . 0 +However , Sami leaves an accident with amnesia , which Lucas uses to his advantage . However , an accident leaves Sami with amnesia , which Lucas uses to his advantage . 1 +The Azusa Campus at Azusa Pacific University is located in San Gabriel Valley , northeast of Los Angeles . Azusa Pacific University 's Azusa campus is located in the San Gabriel Valley , situated northeast of Los Angeles . 1 +The Hudeasa River is the tributary of the Bradu River in Romania . The river Bradu is a tributary of the Hudeasa River in Romania . 0 +He was married to Elisabeth Young ( 1854 - 1932 ) and was the father of the shipping magnate N. O . Young Fearnley and landowner Thomas Fearnley . He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of shipping magnate N. O . Young Fearnley and landowner Thomas Fearnley . 1 +Talfourd Ely was a grandson of John Towill Rutt , who was an early friend of Crabb Robinson . Talfourd Ely was a grandson of John Towill Rutt , an early Crabb Robinson friend . 1 +The piece was published in 1631 under the subtitle “ The School of Complement ” in a Quarto printed by Elizabeth Allde for bookseller Francis Constable . The piece was printed in 1631 under the subtitle `` The School of Complement '' in a Quarto published by Elizabeth Allde for bookseller Francis Constable . 0 +Norman Melancton Geddes , born Norman Bel Geddes ( 27 April 1893 - 8 May 1958 ) , was an American theatre and industrial designer . Norman Bel Geddes , born Norman Melancton Geddes ( April 27 , 1893 - May 8 , 1958 ) , was an American theatrical and industrial designer . 0 +Two years later , on 25 July 1947 , the 709th was redesignated the Heavy Bombardment Squadron , Very 709th . Two years later , on 25 July 1947 , the 709th was renamed the Heavy Bombardment Squadron , very 709th . 1 +His best positions in the competition were in tenth in 1960 and 1968 in eighth place . His best positions in competition were tenth in 1960 and eighth in 1968 . 1 +The Swiss pioneer John Sutter ( 1803 -- 1880 ) arrived in Alta California with other Euro-American settlers in August 1839 . The Swiss pioneer John Sutter ( 1803 - 1880 ) was in August 1839 with other euro-American settlers in Alta California . 1 +David Cardinal Beaton was Lord Chancellor of Scotland , Archbishop of St. Andrews and Cardinal Legate of Scotland at the time of his death . At the time of his death , David Cardinal Beaton was Lord Chancellor of Scotland , Archbishop of St Andrews , and Cardinal Legate in Scotland . 1 +The Dilcov River is a tributary of the Milcov River in Romania . The Milcov River is a river tributary of the Dilcov River in Romania . 0 +In semi-professional football , Scottish teams are performing below the Scottish premiership at all levels , with most teams below the Scottish championship being semi-professional . In Scottish football , the semi-professional teams at all levels appear below the Scottish premiership , with most teams below the Scottish championship being semi-professional . 0 +Westlake is a city in Louisiana , United States , in western Calcasieu Parish , and is part of the Lake Charles Metropolitan Statistical Area . Westlake is a city in Calcasieu Parish , located in western Louisiana , USA , and is part of the Lake Charles Metropolitan Statistical Area . 0 +In 2012 , Adrian Belew `` Treehouse '' released his sixth solo record , produced in Nashville Tennessee by musician Ned Evett . In 2012 , Ned Evett released `` Treehouse '' , his sixth solo record , produced in Nashville Tennessee by musician Adrian Belew . 0 +For example , 32W000 in DuPage County is 32 miles north of State St. , 38000 in Lake County would be 38 miles west of Madison Street . For example , 32W000 in DuPage County is 32 miles to the west of State St. , 38000 in Lake County would be 38 miles north of Madison Street . 0 +County Road 540 is a few miles south of State Road 540 in Highland City and runs west from US 98 to County Road 37B . County Road 540 is just a few miles south of State Road 540 in Highland City and runs west from US 98 to County Road 37B . 1 +The driest year was 1983 with and the wettest year was 1976 with . The wettest year was 1983 with and the dryest year was with 1976 . 0 +The average salary for assistant professors at Caltech is $ 111,300 , associate professor $ 121,300 and full professors $ 172,800 . The average salary for assistant professors at Caltech is $ 111,300 , associate professors $ 121,300 , and full professors $ 172,800 . 1 +The linguistic goal of A Mesa is to fight against the main policy of the People 's Party of Galicia , especially through the movement Queremos Galego . The linguistic goal of A Mesa is to fight the main policy of the People 's Party of Galicia , especially through the Queremos Galego movement . 1 +The rudiments of the system theories can be seen in Marcel Mauss ' `` Seasonal Variation of Eskimo '' , echoed later in Julian Steward 's work . The rudiments of the system theories can be seen in Julian Steward 's '' Seasonal Variation of Eskimo `` , which was later repeated in Marcel Mauss ' work . 0 +The Zion square has been described as '' always crowded , always crazy `` . Zion Square has been described as `` always crowded , always crazy '' . 1 +1i Productions is an American board game , founded by Jenna , William and Colin Byrne in 2004 . It was founded in 2004 by Colin Byrne , William and Jenna and is an American board game publisher . 0 +Neither Dostoyevsky 's previous engagement to Dostoyevsky nor Anna 's strong political differences with the Jaclards prevented cordial and regular contact between them . Neither Dostoyevsky 's previous engagement with Dostoyevsky nor Anna 's strong political differences with the Jaclards prevented warm and regular contact between them . 1 +She moved from Finland to Estonia with her parents at the age of 3 and currently resides in Helsinki . She moved to Estonia from Finland with her parents at the age of 3 years and is currently living in Helsinki . 1 +The next town hall was built in the Baroque style in 1627 and was damaged in 1650 , 1653 , 1735 and 1779 . The next town hall built in 1627 , in a Baroque architectural style , and was damaged in 1650 , 1653 , 1735 , and 1779 . 1 +On 20 February 1959 , Prime Minister John Diefenbaker completed the project and the five finished arrows were dismantled . On 20 February 1959 , Prime Minister John Diefenbaker completed the project and the five arrows were completed . 0 +Zedtwitz was president of the American Contract Bridge League in 1932 , one of the organizations whose merger founded the American Bridge League in 1937 . Von Zedtwitz was 1932 president of the American Contract Bridge League , one of the organizations whose merger established the American Bridge League in 1937 . 1 +He was born Charles Wyndham Standing in London , England and died in Los Angeles , California . He was born in London , England , Charles Wyndham , and died in Los Angeles , California . 1 +Wornell married Mildred Rideout ; the couple had one daughter . Wornell married Mildred Rideout and the couple had one daughter . 1 +The Houston Main Building ( HMB ) earlier the Prudential Building was a skyscraper at the Texas Medical Center in Houston , Texas . The Prudential Building ( HMB ) , formerly the Houston Main Building , was a skyscraper at the Texas Medical Center , Houston , Texas . 0 +Tell immediately his father , Zac MacGuire ( Charlie Clausen ) , and Evie . Hunter immediately tell his father , Charlie Clausen ( Zac MacGuire ) , and Evie . 1 +The classical woodwork shows touches of fashionable rococo design . The fashionable rococo woodwork shows touches of the classical design . 0 +Field greens and root plants were generally not cultivated and were gathered seasonally when they grew in the wild . Field greens and root plants were generally not cultivated and , when they were in the wilderness , grew seasonally . 0 +Two Rotavirus vaccines against Rotavirus A infection are safe and effective in children : Rotarix by GlaxoSmithKline and RotaTeq from Merck . Two rotavirus vaccines against Rotavirus A infection are safe and effective in children : Rotarix by Merck and RotaTeq by GlaxoSmithKline . 0 +The latest track `` Every Morning '' is the acoustic guitar version of the first track `` Morning '' . The first track , `` Every Morning '' , is the acoustic version of the last guitar version of `` Morning '' . 0 +The Pennsylvania Route 268 leads from the west end of the bridge south to Parker and to the north to Emlenton . From the west end of the bridge , Pennsylvania Route 268 leads north to Parker and south to Emlenton . 0 +One of these tornadoes traveled across northern sections of Johnson County and southern sections of Brown County . One of these tornadoes traveled over northern sections of Johnson County and southern sections of Brown County . 1 +Around Sami is a Sami language spoken in Sweden and ( formerly ) in Norway . Ume Sami is a Sami language spoken in Norway and ( formerly ) in Sweden . 0 +A new religious idea of a triple goddess is of central importance to the modern movement of Wicca . A modern idea of a Triple Goddess is central to the new religious movement of Wicca . 0 +The UEFA Cup 1973 -- 74 was won by Tottenham Hotspur over Feyenoord Rotterdam 4 : 2 . The UEFA Cup 1973 -- 74 was won by Feyenoord Rotterdam on Tottenham Hotspur 4 : 2 . 0 +A Peri whose power is in her hair appears in Elizabeth Ann Scarborough 's novel `` The Harem of Aman Akbar '' of 1984 . A Peri whose force appears in her hair is in Elizabeth Ann Scarborough 's novel of 1984 , `` The Harem of Aman Akbar '' . 0 +She moved to Stockholm at the age of 19 , and moved to New York in 2011 . At the age of 19 she moved to Stockholm , 2011 to New York . 1 +In practice are mesquite `` modules '' Java - classes , usually abstract subclasses of concrete class definitions . In practice , Mesquite `` modules '' are Java classes , usually abstract sub-classes of concrete class definitions . 1 +In early astronomy , his fame is due to the introduction of the mathematical globe and to his astronomical contributions to understanding the movement of the planets . In mathematical astronomy , his fame is due to the introduction of the astronomical globe , and his early contributions to understanding the movement of the planets . 0 +The streamers of its several sub-units , the immediate moiras or brigades , should also have their own color . Also the streamers of its immediate sub-units , the several Moiras or Brigades , should have its own color . 0 +Polynesia Niau is an atoll in France , named Aleksey Greig to Greig . An atoll in France , Polynesia Niau is named Aleksey Greig after Greig . 1 +A fourth daughter , Leonora , was the step-great-grandmother of astronomer and astrophysicist Cecilia Payne-Gaposchkin . A fourth daughter , Leonora , was the stepmother of astronomer and astrophysicist Cecilia Payne-Gaposchkin . 0 +Ruth Marie Brinkmeyer married Joe of Indianapolis on October 15 , 1914 . Ruth Marie Brinkmeyer married Joe von Indianapolis on 15 October 1914 . 1 +Vempati Chinna Satyam ( 15 October 1929 - 29 July 2012 ) was an Indian dancer and guru of the Kuchipudi dance form . Vempati Chinna Satyam ( October 15 , 1929 - July 29 , 2012 ) was a Kuchipudi dancer and a guru of the Indian dance form . 0 +It was first confirmed in the 1240s and was dissolved during the Reformation in 1524 . It was first attested in the 1240s and was dissolved during the Reformation , in 1524 . 1 +This was recorded in two separate inscriptions from his corpse hill Medinet Habu , which are physically long and somewhat different from one another . This was recorded in two long inscriptions from his body horde Medinet Habu , which are physically separate and somewhat different from one another . 0 +Neither Dostoyevsky 's previous commitment to Dostoyevsky nor Anna 's strong political differences with the Jaclards prevented cordial and regular contact between them . Neither Anna 's previous engagement to Dostoyevsky nor Dostoyevsky 's strong political differences with the Jaclards prevented cordial and regular contact between them . 0 +A A Khap is a clan or group of related clans , mainly under the jats of the western Uttar Pradesh and eastern Haryana . A Khap is a clan , or a group of related clans , mainly among the Jats of eastern Uttar Pradesh and western Haryana . 0 +For example , Cerberus is expressed in amphibians in the anterior visceral endoderm , and in mice it is expressed in the anterior dorsal endoderm . For example , in amphibians Cerberus is expressed in the anterior dorsal endoderm and in mice it is expressed in the anterior visceral endoderm . 0 +During this process , he felt Emily Blunt and found her to be the ideal Tamsin . During this process , he finally felt Emily Blunt , and found her to be the ideal Tamsin . 1 +The capital is Abidjan since 1983 , but Yamoussoukro remains the administrative center . The capital since 1983 is Abidjan ; however , Yamoussoukro remains the administrative center . 1 +`` 2 '' Benjamin Hough was married on 29 August 1806 by Stephen Ford , Justice of Peace , in Jefferson County with Elizabeth Core . Stephen Stephen was married on August 29 , 1806 in Jefferson County , Elizabeth Core , by Benjamin Hough , Justice of Peace . 0 +Huyghe was born in 1962 in Paris , he lives and works in Chile and New York . Huyghe was born in Chile and New York in 1962 . Huyghe lives and works in Paris . 0 +Norman Melancton Geddes , born Norman Bel Geddes , ( April 27 , 1893 -- May 8 , 1958 ) was an American theatrical and industrial designer . Norman Bel Geddes , born Norman Melancton Geddes ( April 27 , 1893 - May 8 , 1958 ) , was an American theatrical and industrial designer . 0 +The Spanish women 's national team represents Spain in international squash team competitions and is governed by the Real Federación Española de Squash . The Spain women 's national squash team represents Spain in international squash team competitions , and is governed by the Real Federación Española de Squash . 1 +In the south end , Cook Pond , also formerly known as South Watuppa Pond , is located east of the Laurel Lake and west of the Taunton River . Cook Pond , also formerly known as Laurel Lake , is located at the southern end of the Taunton River and west of the South Watuppa Pond . 0 +Her children were Marvin Eisenstadt , who married Barbara , Gladys Eisenstadt , Ira Eisenstadt , who married Deirdre Howley , and Ellen Eisenstadt , who married Herbert Cohen . Their children were Barbara , who married Deirdre Howley , Gladys Eisenstadt , Ira Eisenstadt , who married Herbert Cohen and Ellen Eisenstadt , married Marvin Eisenstadt . 0 +Air transportation is provided locally through smaller aircraft in East Taunton , Berkley , and the regional airport in New Bedford . Air transportation is provided locally by smaller aircraft in East Taunton , Berkley , and the regional airport in New Bedford . 1 +Aamir Khan has agreed to play immediately after reading Mehra 's script in `` Rang De Basanti '' . Immediately after reading Aamir Khan 's script , Mehra agreed to play in `` Rang De Basanti '' . 0 +The station was furnished in 1947 by the British Falkland Islands Dependencies Survey as Station F or `` Winter Island '' on the Argentine islands . The station was established by the British Falkland Islands Dependencies Survey as Station F , or `` Argentine Islands '' , on Winter Island in 1947 . 0 +A new molecular entity ( NME ) contains a drug that is an active moiety that has never been approved by the FDA or marketed in the US . A New Molecular Entity ( NME ) is a medicine that contains an active component that has never been approved by the FDA or marketed in the US . 0 +Indirect evidence for dark matter comes from its gravitational influence on dark matter , as no other matter particles have been observed in laboratories . Indirect evidence of dark matter comes from its gravitational influence on dark matter , as no other particles of matter have been observed in laboratories . 1 +Nearby is the Wallowa River , a tributary of the Lostine River , east of the Wallowa Mountains in the northeast of Oregon . Nearby is the Lostine River , a tributary of the Wallowa River , east of the Wallowa Mountains of northeastern Oregon . 0 +The first , or `` narrow '' , system consists of red lines of ( O III ) and other ionized elements at a redshift of z = 0.712 . The first or `` narrow '' system consists of red lines of ( O III ) and other ionized elements at a redshift of z = 0,712 . 1 +In early July , Steve Whitley , the criminal father of Harper Whitley and Garrett Whitley , and brother of Benny Cameron . Garrett Whitley first appeared in early July . He is the Criminal Father of Harper Whitley and Steve Whitley and brother of Benny Cameron . 0 +Inspired by the Nisbett and Wilson paper , Petter Johansson and colleagues investigated subjects ' insight into their own preferences using a new technique . Petter Johansson and his colleagues , inspired by Nisbett and Wilson paper , examined the subjects ' insight into their own preferences using a new technique . 1 +The album contains a remix of the material that was originally mixed by Nurse With Wound and was released in 2007 as a Disconnected . The album contains remixes of the material that was originally released by Nurse With Wound and was mixed as Disconnected in 2007 . 0 +Scherer was an investor in Thunderbird Hotel , the Las Vegas Club and the Sahara Hotel . Scherer was an investor in the Thunderbird Hotel , the Las Vegas Club and the Sahara Hotel . 1 +Proposals from Met to extend from Paddington to South Kensington and south from Moorgate to Tower Hill to the south were accepted and received royal consent on July 29 , 1864 . Proposals from the Met to extend south from Paddington to South Kensington and east from Moorgate to Tower Hill were accepted and received royal assent on 29 July 1864 . 0 +Archery in this context is also known as one of the `` Impalement Arts '' , a category that sometimes includes knife throwing and shooting - demonstrations . Archery in this context is also known as one of the `` impalement arts '' , a category which sometimes includes knife throwing and sharpshooting demonstrations . 1 +A dark retreat is a solo place of retreat in a space that is completely without light . A dark retreat is a solo retreat in a space that is completely absent of light . 1 +In the early 1950s , Fiaminghi began creating works that were abstract art and incorporated elements of constructive art . In the early 1950s , Fiaminghi began creating works that were constructive art , incorporating elements of abstract art . 0 +The Continental League was the last serious attempt to create a new league consisting of third major clubs . The Continental League was the last serious attempt to create a new league of third major clubs . 1 +It was the sixth edition of the tournament and the third stop of the 2013 -- 14 IRB Sevens World Series . It was the sixth edition of the tournament and the third station of the 2013 -- 14 IRB Sevens World Series . 1 +This station is part of the Rock Island District Metra line that runs between Joliet and LaSalle Street Station in the Chicago Loop . This station is part of the LaSalle Street Station Metra line that runs between Joliet and the Rock Island District in the Chicago Loop . 0 +The topological vector space formula 13 is called `` beginning object '' or `` initial structure with respect to the given data . The initial vector space Formula 13 is called an initial object `` or '' topological structure with respect to the given data . 0 +It is the widow of Bruce Paltrow and the mother of actress Gwyneth Paltrow and director Jake Paltrow . She is the widow of Bruce Paltrow and the mother of actress Gwyneth Paltrow and director Jake Paltrow . 1 +Diboll and Owen of New Orleans were the architects and G. A. Chamblin of Mobile was the contractor . The architects were Diboll and Owen of New Orleans , and G. A. Chamblin from Mobile was the contractor . 1 +The Breaza River is a tributary of the Geamărtălui River in Romania . The River Breaza is a tributary of the River Geamărtălui in Romania . 1 +The second editor is Herbert Wessels ( since 2009 ) , chief editor is Markus Ermert ( since 2002 ) . The chief editor is Herbert Wessels ( since 2009 ) , the second editor is Markus Ermert ( since 2002 ) . 0 +On 17 August 1865 , the 3rd New York Volunteer - Cavalry with the 16th New York Volunteer Cavalry was consolidated into the 13th New York Provisional Cavalry . On August 17 , 1865 , the 13th New York Volunteer Cavalry was consolidated with the 16th New York Volunteer Cavalry to form the 3rd New York Provisional Cavalry . 0 +Today , the majority of them do live in Bulgaria , some still in Greece . The majority of them live today in Greece , some still in Bulgaria . 0 +In 1937 , Gerald Heard moved to Hollywood with his wife Maria , son Huxley , and friend Matthew Huxley . In 1937 , Gerald Heard moved with his wife , Maria , son Huxley , and friend Matthew Huxley to Hollywood . 1 +In the summer of 1924 he went to Union County in southern Arkansas to work in an office in Norphlet near Smackover in the oil boom . In the summer of 1924 , he went to Union County in south Arkansas to work in the oil boom in an office at Norphlet near Smackover . 1 +Yamato Colony , California was a Japanese agricultural community in Livingston , California . California was a Japanese agrarian community in Livingston , Yamato Colony , California . 0 +Soto was born in Fort Worth , but moved at the age of one year to Monterrey in Mexico . Soto was born in Monterrey , Mexico , but moved to Fort Worth , at the age of one . 0 +In November 1989 , Delaney was a member of the New York Stock Exchange and became a Senior Managing Director at Henderson Brothers , Inc. , and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and became a senior managing director at Henderson Brothers , Inc. , and Bear Wagner . 1 +In other articles it applauded the economic ideas underlying the Schuman Plan and praised the expansion of the European Common Market . In other articles , it praised the economic ideas underlying the Schuman plan and applauded the expansion of the common European market . 1 +She added that the rape occurred shortly after the incident . She added that the rape happened shortly after the said incident occurred . 1 +Other official World Championships began as follows : Brazilian draughts , in 1985 ; Russian draughts , in 1993 ; Turkish draughts , in 2014 . Other official world championships began as follows : in 1985 Brazilian , in 1993 Turkish , in 2014 Russian . 0 +The meeting is interrupted by the arrival of many messengers from various powerful or influential Mardukans in the city with various dinner invitations for the Prince . The meeting is interrupted by the arrival of various messengers from various powerful or influential Mardukans in the city with many invitations for dinner for the Prince . 1 +Wilhelm Keppler joined Cuno in 1932 to consult Adolf Hitler economically . In 1932 , Cuno joined Wilhelm Keppler to advise Adolf Hitler economically . 0 +The dance was one of the inspirations for the Exodus song `` The Fabulous Waltz '' , from their 1989 album `` Toxic Disaster '' . The dance was one of the inspirations for the exodus - song `` The Toxic Waltz '' from her album `` Fabulous Disaster '' from 1989 . 0 +The number of reported fires in early February was at 73 with 26 out of control , and expected time to be to control another month of fires . The number of fires reported at the beginning of February was 73 with 26 out of control and expected to be time to control another month of fires . 1 +The Valea lui Lambă River or Lom River is a tributary of the Șimon River in Romania . The river Valea lui Lambă or Lom River is a tributary of the river `` unk '' imon in Romania . 1 +In 2015 , Florida Department of Education announced Commissioner Pam Stewart the nomination of Madeline Pumariega as Chancellor of the Florida College System . In 2015 , Florida Department of Education Commissioner Pam Stewart announced the appointment of Madeline Pumariega as Chancellor of the Florida College System . 1 +In 1993 , when Platzer opened his second restaurant in Allentown , he changed the name to P. J. Whelihan to honor his grandfather Peter Joseph Whelihan . In 1993 , when Peter Joseph Whelihan opened his second restaurant in Allentown , he changed the name to P. J. Whelihan 's in honor of his grandfather , Platzer . 0 +Following the Battle of the Coral Sea , `` Barnett '' transported 1,360 survivors from USS Lexington ( CV-2 ) from Nouméa to San Diego . After the Battle of Coral Sea , `` Barnett transported 1,360 survivors from the USS Lexington ( CV-2 ) from Nouméa to San Diego . 1 +The preparation was patented by Dr. Patrick Page and his team and invented by Genkyotex in 2007 . The compound was invented by Dr. Patrick Page and his team , and was patented in 2007 by Genkyotex . 0 +Fossils commonly found in the St. Louis include the bryozoan corals `` Lithostrotion '' and `` Lithostrotionella '' and the rugosan `` Fenestrellina '' . Fossils frequently found in St. Louis include the rugosan corals '' Lithostrotion `` and '' Lithostrotionella `` and the Bryozoan '' Fenestrellina `` . 0 +Propilidium pelseneeri is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lepetidae , one of the families of true limpets . Propilidium pelseneeri is a species of sea snail , a true limpet , an appropriate gastropod mollusk in the Lepetidae family , one of the families of marine limpets . 0 +Spectrum Aeronautical is a business jet developer based in Carlsbad , California , with a development center in Spanish Fork , Utah . Spectrum Aeronautical is a business jet developer based in Carlsbad , California with its development center located in Spanish Fork , Utah . 1 +Born in Tiburon , California , he died in Brooklyn , New York . He was born in Brooklyn , New York , died in Tiburon , California . 0 +The play was printed in 1631 under its subtitle , `` The School of Complement '' , in a quarto published by Elizabeth Allde for the bookseller Francis Constable . The piece was printed in 1631 under its subtitle `` The School of Complement '' in a Quarto published by Elizabeth Allde for the bookseller Francis Constable . 0 +Cape Don was named after him in 1818 by George Don as a compliment to General Sir Phillip Parker King , the lieutenant of Gibraltar . Cape Don was named in 1818 by Phillip Parker King as a compliment to General Sir George Don , lieutenant governor of Gibraltar . 0 +She sailed from Galveston , Texas on 12 September 1943 and arrived in Key West on 16 September . She sailed from Key West on September 12 , 1943 , and arrived on September 16 in Galveston , Texas . 0 +It is operated by Chemins de Fer Luxembourgeois , the state-owned railway company . It is owned by Chemins de Fer Luxembourgeois , the government-owned railway company . 0 +Mason made his first screen appearance as Glockner during the episode broadcast on 22 February , 2013 . His first screen appearance as Glockner during the episode was broadcast on February 22 , 2013 . 1 +After moving to Salt Lake City in the 1920s and then Ogden Utah , Robertson and his family settled in Mapleton Utah in 1937 . After the move to Ogden Utah in the 1920s and then to Salt Lake City , Robertson and his family settled in Mapleton Utah in 1937 . 0 +On September 29 , 1874 , Annette married Amelia Crum Bryant , the daughter of Samuel Crum , and they had a daughter . Annette Amelia Crum married Bryant , the daughter of Samuel Crum , on September 29 , 1874 . They had one daughter . 0 +The town is situated at the right end of the `` Horta de València '' , on the western bank of the river Turia . The town is located at the right bank of the `` Horta de València '' , on the western shore of the River Turia . 1 +These innovations achieved the maximum increased capacity of a BRT system to 35,000 passengers per hour . With these innovations , the maximum capacity of a BRT system was increased to 35,000 passengers per hour . 0 +The next town hall was built in the Baroque style in 1627 and was damaged in 1650 , 1653 , 1735 and 1779 . The next town hall was damaged in baroque style in 1627 and constructed in 1650 , 1653 , 1735 and 1779 . 0 +The episode was written by Chuck Tatham and led by Fred Savage . The consequence was written by Fred Savage and directed by Chuck Tatham . 0 +The river Hudeasa is a tributary of the Bradu River in Romania . The Hudeasa River is a tributary of the Bradu River in Romania . 1 +Israel is an album by American jazz trombonists Kai Winding and J. J. Johnson featuring performances recorded in 1968 and released on the CTI label . Israel is an album by the American jazz trombonists Kai Winding and J. J. Johnson with performances published in 1968 and recorded on C . 0 +Nvidia officially announced the NVIDIA TITAN V on December 7 , 2017 . The NVIDIA TITAN V was officially announced by Nvidia on December 7 , 2017 . 1 +The ancient Greek historian Thucydides wrote that the Thracian tribe of Agrianes lives in the Terme of Pernik . The ancient Greek historian Thucydides wrote that in the theritory of Pernik lives Thracian tribe of Agrianes . 1 +Joshua Pim beat Wilfred Baddeley , 6 -- 4 , 1 -- 6 , 7 -- 5 , 6 -- 0 . Wilfred Baddeley defeated Joshua Pim , 6 -- 4 , 1 -- 6 , 7 -- 5 , 6 -- 0 0 +Bahrawal is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Bahrawal is a village in the Bhopal district of Madhya Pradesh , India . It is in the Berasia tehsil . 1 +At high temperature and high hydrogen partial pressure , hydrogen can diffuse into carbon steel alloys . With high temperature and high hydrogen partial pressure , hydrogen can diffuse into carbon steel alloys . 1 +The Jiul de Vest River is a tributary of the Jidanul River in Romania . The river Jiul de Vest is a tributary of the Jidanul River in Romania . 1 +The remains of two still preserved Armenian churches were partially destroyed at the end of the Soviet period . The remains of two still preserved Armenian churches were partly destroyed at the end of the Soviet period . 1 +The song was featured in the second promo for the sixth season of `` Sons of Anarchy '' , a FX network television series . The song was presented in the sixth promo for the second season of `` Sons of Anarchy '' , a television series FX network . 0 +Marshall Scott III is a superintendent since June 1 , 2017 , Chief Academic Officer is Lisa Moya , Chief Technology Officer , Josh Solis Dr. Marshall Scott III has been superintendent since June 1 , 2017 . Chief Academic Officer is Lisa Moya . Chief Technology Officer is Josh Solis . 1 +Michael Liebel Sr. was 14 years old when his parents came to Germany from Erie to Pennsylvania . Michael Michael Liebel Sen was 14 years old when his parents came from Erie to Pennsylvania to Germany . 1 +The Pope proposed in 1980 a solution that was accepted by Chile and rejected by Argentina . In 1980 , the Pope proposed a solution which was rejected by Chile and accepted by Argentina . 0 +From the merger of the Four Rivers Council and the Audubon Council , the Shawnee Trails Council was born . Audubon Council was formed from the association of the Shawnee Trails Council and the Four Rivers Council . 0 +In practice are mesquite `` modules '' Java - classes , usually concrete subclasses of abstract class definitions . In practice are mesquite `` modules '' Java - classes , usually abstract subclasses of concrete class definitions . 0 +The property ladder is a term widely used in the United Kingdom to describe the relative differences in constant terms from cheaper to more expensive housing . The Property Manager is a term widely used in the United Kingdom to describe the relative differences in constant terms from cheaper to more expensive housing . 1 +Wenceslaus did not enjoy his victory for long . He died on 23 September 1253 and Ottokar II succeeded him . Wenceslaus did not long enjoy his victory , he died on 23 September 1253 and Ottokar II . 0 +Santa Cruz Sky Park was an airport in Scotts Valley , California , within Santa Cruz County . Santa Cruz County was an airport in Scotts Valley , California , within Santa Cruz Sky Park . 0 +Fishman holds a Bachelor 's degree from Columbia University and a Master 's degree from Brown University in Economics . Fishman holds a bachelor 's degree from Brown University and a master 's degree in economics from Columbia University . 0 +After the Battle of Coral Sea , `` Barnett transported 1,360 survivors from the USS Lexington ( CV-2 ) from Nouméa to San Diego . Following the Battle of the Coral Sea , `` Barnett '' transported 1,360 survivors from USS Lexington ( CV-2 ) from San Diego to Nouméa . 0 +Rastogi was the 9th Secretary General of former Lok Sabha and 10th Lok Sabha and Lok Sabha Secretariat , Parliament of India . Rastogi was 9th Secretary-General of former Lok Sabha and 10th Lok Sabha and Lok Sabha Secretariat , Parliament of India . 1 +Their music is considered by many as industrial metal with rap metal and alternative metal influences . According to previous interviews , they consider themselves `` murder rock '' . Their music is considered by many as an industrial metal with rap metal and alternative metal influences , according to previous interviews they consider themselves '' murder - rock `` . 1 +Today , the majority of them do live in Bulgaria , some still in Greece . The majority of them live in Bulgaria today , some are still in Greece . 1 +Thornwood Common is a village on B1393 road , in the municipality of Epping Forest and the North Weald Bassett District of Essex , England . Thornwood Common is a village on the B1393 road , in the civil parish of North Weald Bassett and the Epping Forest district of Essex , England . 0 +Finale is a city in South Africa , located in the province of Limpopo Mopani District Municipality . Finale is a town in South Africa in the Limpopo province of Mopani District Municipality . 1 +Another way to regulate the population of deer is to control the fertility rate . Another way to control the population of deer is to regulate the birth rate . 1 +It is a celebrated pilgrimage centre located 78 kilometres from Belgaum and 37 kilometres from Dharwad . It is a celebrated pilgrimage centre located 78 kilometers from Dharwad and 37 kilometres from Belgaum . 0 +In 1966 , his own gallery started at London 's Cork Street , Alex Bernstein had the support of Leslie Waddington , a member of the media dynasty of Granada . In 1966 , he started his own gallery at Cork Street in London , Leslie Waddington had the support of Alex Bernstein , a member of the media dynasty Granada . 0 +He moved to San Diego , California in 1876 , and to Dallas , Texas in 1887 . He moved to Dallas , Texas in 1876 , and in 1887 to San Diego , California . 0 +The axis was drawn by an alley terminated on the plateau of Trivaux . The axis was drawn by an alley on the plateau of Trivaux . 1 +In November 1989 , Delaney was a member of the New York Stock Exchange and became a Senior Managing Director at Henderson Brothers , Inc. , and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and was a senior managing director at Henderson Brothers , Inc. , and Bear Wagner . 0 +Lusaghbyur ( also romanized as the Lusakhpyur ; formerly Svanverdi and Svan ) is a village in the Shirak province of Armenia . Lusaghbyur ( formerly Romanized as Lusakhpyur ; also , Svanverdi and Svan ) is a village in the Shirak Province of Armenia . 0 +The dam is about 110 meters long and its top is about 5 meters wide . The dam is approximately 110 meters long and its top is about 5 meters wide . 1 +After moving to Salt Lake City in the 1920 ’ s and then Ogden Utah , Robertson and his family settled in Mapleton Utah in 1937 . After moving to Ogden Utah in the 1920s and then Salt Lake City , Robertson and his family settled in Mapleton Utah in 1937 . 0 +Xenophanes was a philosophical poet whose view of mystic unity was related to religion . Xenophanes was a philosophical poet whose view of mystical unity was related to religion . 1 +The political status of Alsace has been heavily influenced by historical decisions , wars , and strategic politics . The historical status of Alsace was heavily influenced by strategic decisions , wars , and political politics . 0 +Even there are up to three different beta-stable isobars , which are experimentally known , for example , and are all beta-stable . For even , there are up to three different beta-stable isobars experimentally known ; for example , , , and are all beta-stable . 1 +Monroe Meadows , in Bridalveil Falls near Yosemite Valley , is also named for George Monroe . Monroe Meadows , in Yosemite valley near Bridalveil Falls , is also named after George Monroe . 0 +The first or `` narrow '' system consists of red lines of ( O III ) and other ionized elements at a redshift of z = 0,712 . The first or `` red '' system consists of narrow lines of ( O III ) and other ionized elements with a redshift of z = 0.712 . 0 +Lito played for Zingone club football . Zingone played for Lito 's club football . 0 +`` Everything But You '' is a song of 1945 , composed by Duke Ellington and Harry James written with texts by Don George . `` Everything But You '' is a song of 1945 , composed by Don George , written by Duke Ellington and Harry James . 0 +He was trained by John Velazquez and ridden by Jockey Dale Romans in his most important race . He was trained by Dale Romans and was ridden by Jockey John Velazquez in his most important race . 0 +The loyalists were camped on the west side of Catawba River , while the army of General Charles Cornwallis camped on the eastern side . The Loyalists were camped on the west side of the Catawba River while General Charles Cornwallis ' army had camped on the east side . 1 +The dominant - Clearbody - Gene is located on one of the other chromosomes , and there is no known linkage of this gene with an autosomal mutation . The Dominant Clearbody gene is located on one of the other chromosomes . There is no known linkage of this gene with any autosomal mutation . 1 +In his first game for LSU , he grabbed 32 rebounds against Tulane University . In his very first game for LSU , he grabbed 32 rebounds against Tulane University . 1 +In 1911 the town hall was rebuilt , partially destroyed in 1945 and restored in the 1960s . In 1911 the town hall was destroyed , partially restored in 1945 and rebuilt in the 1960s . 0 +The manga has a videogame for the Sega Mega Drive with the same name in Japan and Asia . The manga has a video game for the Sega Mega Drive in Asia and Japan with the same name . 1 +Since 1984 Patricia Dale has been married to Patricia Meyer and together they have two sons : Ryan ( born 1988 ) and Blake ( born in 1992 ) . Since 1984 , Blake has been married to Patricia Meyer and has two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . 0 +The primacy of the arithmetic operators has been criticized , conceptually and 'are bitwise logical operators like and + . The precedence of the bitwise logical operators has been criticized . Conceptually , & and are arithmetic operators like and + . 0 +In a 1985 episode of `` The Tonight Show Starring Johnny Carson '' , Johnny mentions the story and tells sidekick Ed McMahon the plot . In a 1985 episode of `` The Tonight Show with Johnny Carson '' Johnny mentions the story and tells the plot Sidekick Ed McMahon . 1 +Scapes are very short or mostly absent . Scapes are very short or are mostly absent . 1 +At the age of nineteen she moved to New York and in 2011 to Stockholm . At the age of 19 she moved to Stockholm , where she moved to New York in 2011 . 0 +The river Neajlovel is a tributary of the River Neajlov in Romania . The Neajlovel River is a tributary of the Neajlov River in Romania . 1 +His son Aloka Liyanage is married to the daughter of the actor Saumya Liyanage and Indrachapa Liyanage and father of Jackson Anthony . His son Aloka Liyanage is married to the daughter of actor Jackson Anthony . He also is the father of Saumya Liyanage and Indrachapa Liyanage . 0 +The species was first formally described by the botanist Stephan Endlicher in 1846 as part of Johann Georg Christian Lehmann 's work `` Irideae . Plantae Preissianae '' . The species was first formally described in 1846 by the botanist Johann Georg Christian Lehmann within the framework of Stephan Endlicher 's work `` Irideae Plantae Preissianae '' . 0 +The next version was produced in 1986 by Robert Fuller 's brother Ron . The next version was created in 1986 by Ron 's brother Robert Fuller . 0 +The play was published in 1631 under its subtitle , `` The School of Complement '' , in a quarto printed by Elizabeth Allde for the bookseller Francis Constable . The piece was printed in 1631 under the subtitle `` The School of Complement '' in a Quarto published by Elizabeth Allde for bookseller Francis Constable . 0 +Somers was the son of Richard Eliot , the 1st Baron Somers and Charles Cocks , the daughter of Elizabeth . Somers was the son of Charles Cocks , 1st Baron Somers , and Elizabeth , the daughter of Richard Eliot . 0 +Slough High School was a selective school for girls in Berkshire , now Slough , Buckinghamshire . Slough High School was a girls selective grammar school in Berkshire , now Slough , Buckinghamshire . 1 +On 13 November 2016 , David Machado murdered Dennis Wallace in Fox Grove Park near the city of Hughson . On November 13 , 2016 , David Machado was murdered in Fox Grove Park near the city of Hughson by Dennis Wallace . 0 +Abies lasiocarpa , commonly called the western North American fir or Rocky Mountain fir tree , is a subalpine fir tree . Abies lasiocarpa , generally called the subalpine fir or Rocky mountain fir tree , is a western North American fir . 0 +Michael Liebel Sr. was 14 years old when his parents came to Germany from Erie to Pennsylvania . Michael Liebel Sr. was 14 years of age when his parents came from Germany to Erie , Pennsylvania . 0 +The crash of Aerosucre Flight 4544 was the first aviation incident involving Aerosucre , the second being the crash of another Boeing 727 on November 18 , 2006 . The crash of Aerosucre Flight 4544 was the second aviation incident with Aerosucre , the first being the crash of another Boeing 727 on November 18 , 2006 . 0 +Acheson 's mother Alice was a painter , and his grandparents maternal were Jane C. Stanley , a railroad lawyer and Louis Stanley , was an aquarellist . Acheson 's mother Alice was a painter , and his maternal grandparents were Jane C. Stanley , a railroad lawyer and Louis Stanley , was a watercolorist . 1 +The next town hall was damaged in baroque style in 1627 and constructed in 1650 , 1653 , 1735 and 1779 . The next town hall built in 1627 , in a Baroque architectural style , and was damaged in 1650 , 1653 , 1735 , and 1779 . 0 +Slough High School was a selective school for girls in Berkshire , now Slough , Buckinghamshire . Slough High School was a selective school for girls in Slough , Buckinghamshire , now Berkshire . 0 +This song was written and produced by the gala composed by Filippo Andrea Carmeni and Maurizio Molella . The song was written and composed by Gala by Filippo Andrea Carmeni and Maurizio Molella produced . 0 +Saragyugh ( formerly romanized as Saragyukh ; also Darakoy , Darakey and Daragyukh ) is a village in the province of Shirak of Armenia . Saragyugh ( formerly Romanized as Saragyukh ; also , Darakoy , Darakey , and Daragyukh ) is a village in the Shirak Province of Armenia . 1 +Fusako Shigenobu is the mother of Japanese journalist Mei Shigenobu . Fusako Shigenobu is the mother of Japanese national Mei Shigenobu , a journalist . 1 +He continued his relationship with ESPN to turn two more films for the network , `` Wendell Scott '' and `` Herschel '' . He continued his relationship with ESPN directing two more films for the network , `` Herschel '' and `` Wendell Scott '' . 1 +Iyer next appeared in the Kannada film `` Jaggu Dada '' with actor Darshan . Next Iyer appeared in Kannada - movie `` Darshan '' with the actor Jaggu Dada . 0 +The regiment left Philadelphia in October 1777 to join the main army of General George Washington outside Boston . The regiment left Philadelphia in October 1777 to join General George Washington 's Main Army outside Boston . 1 +He was replaced in successive coups by Murtala Mohammed ( 1975 ) and Olusegun Obasanjo ( 1976 ) . He was replaced by Olusegun Obasanjo ( in 1975 ) and Murtala Mohammed ( in 1976 ) in successive coups . 0 +Amongst the more popular trains are : Simanta Express and Rupsha Express to Dhaka , Titumir Express to Dhaka , Nilsagar Express to Rajshahi and Lalmoni Express to Khulna . Among the more popular trains are : Simanta Express and Rupsha Express to Dhaka , Titumir Express to Dhaka , Nilsagar Express to Rajshahi and Lalmoni Express to Khulna . 1 +In 1937 , Huxley moved to Hollywood with his wife Maria , son Matthew Huxley , and friend Gerald Heard . In 1937 , Huxley moved to Hollywood with his wife Maria , son Matthew Huxley , and boyfriend Gerald Heard . 1 +The species was first formally described by the botanist Stephan Endlicher in 1846 as part of Johann Georg Christian Lehmann 's work `` Irideae . Plantae Preissianae '' . The species was first formally described in 1846 by the botanist Johann Georg Christian Lehmann in the context of Stephan Endlicher 's work `` Irideae Plantae Preissianae '' . 0 +Director Hayao Miyazaki and his longtime colleague Isao Takahata were allowed to create their own studio under the direction of former `` Animage '' editor Toshio Suzuki . It also allowed director Hayao Miyazaki and his long-time colleague Toshio Suzuki to create their own studio under the direction of former `` Animage '' editor Isao Takahata . 0 +His son married Mary O. Kennedy ( from California ) and died in 1883 in San Francisco . His son married Mary O. Kennedy ( of California ) and he died in San Francisco in 1883 . 1 +The 1932 Swedish Ice Hockey Championship won the 11th season of the Swedish Ice Hockey Championship , the national championship of Sweden . Hammarby IF was the championship . The Swedish Ice Hockey Championship of 1932 won the 11th season of the Swedish Ice Hockey Championship , the Swedish National Championship , Hammarby IF was the championship . 1 +In 2011 he also wrote the biography of the singer Madonna entitled `` Mad for Madonna The Queen of Pop '' , Castelvecchi publisher published . In 2011 he also published the biography of the singer Madonna entitled `` Mad for Madonna . The queen of pop '' , wrote Castelvecchi Publisher . 0 +The dimeric phenanthrenoid 8,8 '- bidehydrojuncusol and the monomeric juncusol and dehydrojuncusol can be isolated from `` J. acutus '' . The dimer Phenanthrenoid 8,8 ' ; - bidehydrojuncusol and the monomeric Juncusol and Dehydrojuncusol can be isolated from `` J. acutus '' . 1 +In December 1969 , 49th Army Division became 29th Army Division . In December 1969 became the 29th Army - Division 49th Army - Division . 0 +He was born at Hempstead , Norfolk and died at Weston , Bath , Somerset . He was born in Hempstead , Norfolk , and died at Weston , Bath , Somerset . 1 +The plant may have some medicinal properties and has been used in traditional medicine in South Asia and traditional Chinese medicine . The plant may have some medical characteristics and has been used in traditional Chinese medicine in South Asia and traditional medicine . 0 +The biography has now been published in Great Britain , the USA ( St. Martin 2013 ) , Hungary ( Swiat Ksiazki , 2013 ) , Poland and China . The biography has now been published in Great Britain , the USA ( St Martins 2013 ) , Poland ( Swiat Ksiazki , 2013 ) , Hungary and China . 0 +The original team was created by the writer Roy Thomas and artist Sal Buscema in `` The Avengers '' # 71 ( December 1969 ) . The original team was created by writer Sal Buscema and artist Roy Thomas in `` The Avengers '' # 71 ( December 1969 ) . 0 +The album contains remixes of the material that was originally mixed by Nurse With Wound and published in 2007 as Disconnected . The album contains remixes of the material that was originally released by Nurse With Wound and was mixed as Disconnected in 2007 . 0 +Tindi is a northeast Caucasian language spoken in the Russian Republic of Dagestan . Tindi is a northeast Russian language spoken in the Caucasian Republic of Dagestan . 0 +The season began on 6 January 1984 in Falun ( Sweden ) and ended in Lygna ( Norway ) on 11 March 1984 . The season began on 6 January 1984 in Falun , Norway , and ended in Lygna , Sweden on 11 March 1984 . 0 +It was the first season to air more than two years after the family edition and more than three years after the third celebrity edition . It was the first season broadcast more than two years after the family edition and more than three years after the third celebrity edition . 1 +Sirohi is a city in southern India in the western state of Rajasthan . Sirohi is a city in southern Rajasthan state in western India . 0 +The Petkeljärvi National Park is a national park in the Ilomantsi region of Northern Karelia in Finland . Petkeljärvi National Park is a national park in Finland in the Ilomantsi region of North Karelia . 1 +A sister event was held in Albert Park Lake , Melbourne , Australia and sponsored by Fox FM ( Melbourne ) . A sister event was held at Albert Park Lake in Melbourne and sponsored by Fox FM ( Melbourne , Australia ) . 1 +J. Chlorine Free -- radical chlorine in the atmosphere also reacts with methane . J. Chlor - Radical -- Free chlorine in the atmosphere also reacts with methane . 0 +Wilfred Baddeley defeated Joshua Pim , 6 -- 4 , 1 -- 6 , 7 - 5 , 6 - - 0 Joshua Pim defeated Wilfred Baddeley , 6 -- 4 , 1 -- 6 , 7 -- 5 , 6 -- 0 . 0 +In 1920 and 1921 at Venice the Italians won -- in 1920 no other nation entered and in 1921 the French entry did not start . In 1920 and 1921 in Venice , the Italians joined -- no other nation won in 1920 , and in 1921 the French entry did not start . 0 +The tracks were produced by Tommy Lee and by Michael Beinhorn on drums . The tracks were produced by Michael Beinhorn , and feature Tommy Lee on drums . 0 +In 2016 `` Forbes '' ranked California Maritime Academy as the 516th best university in the nation and 95th in the West . In 2016 , `` Forbes '' California Maritime Academy ranks as the 95th best university in the nation and 516th in the west . 0 +The group released `` Itunes Session -- EP '' on August 23 , containing four alternative songs and an acoustic version of `` Fold Your Hands Child '' . On August 23 , the group released the `` Itunes Session -- EP '' with four alternative songs and an acoustic version of `` Fold Your Hands Child '' . 1 +The cover was designed by heraldic artist Andrew Stewart Jamieson . The single `` Steel Monkey '' has the cover designed by art director John Pasche . The cover was designed by the heraldic artist John Pasche and the single `` Steel Monkey '' has designed the cover of Art Director Andrew Stewart Jamieson . 0 +Aman decides to join Aman 's class , and Jarnail falls in love with him eventually . Aman decides to join Aman 's class , and Jarnail eventually falls in love with him . 1 +Henry Wrixon was President of the Council ; Frederick Brown was Chairman of Committees . President of the Council was Henry Henry Wrixon , the chairman of the committees was Frederick Brown . 1 +Married is Mercedes Martinez , who is Cuban - Mexican , and with whom he has a son , Sebastian Weitz and one daughter , Athena Weitz . Married is Sebastian Weitz , who is Cuban - Mexican and with whom he has a son , Mercedes Martinez and one daughter , Athena Weitz . 0 +Liu Xuan had two sons : Liu Yin and Liu Ji . Liu Cheng 's son was Liu Yong . Liu Li 's grandson was Liu Yin . Liu Li had two sons : Liu Yin and Liu Ji , Liu Yin 's son was Liu Cheng and Liu Yong 's grandson was Liu Xuan . 0 +By contrast , a profit `` in gross '' can be transferred or otherwise assigned by its owner . In contrast , a profit `` gross '' can be transferred by its owner or otherwise assigned . 1 +In November 1989 , Delaney became a member of the New York Stock Exchange and was a senior managing director at Henderson Brothers , Inc. , and Bear Wagner . In November 1989 , Delaney was a member of the New York Stock Exchange and became Senior Managing Director at Henderson Brothers , Inc. and Bear Wagner . 0 +The Porte de Vincennes is located where the north-east corner of the 12th arrondissement meets the southeast corner of the 20th arrondissement of Paris . The Porte de Vincennes is located where the northeast corner of the 12th arrondissement meets the southeast corner of the 20th arrondissement of Paris . 1 +Gabrielle admitted her love to Chris and the two succumbed to an affair . Gabrielle admitted her love for Chris and the two succumbed to an affair . 1 +Only 10 days later he was traded with Aaron Heilman for Ronny Cedeño to the Seattle Mariners . Just 10 days later , he was traded along with Aaron Heilman to the Seattle Mariners for Ronny Cedeño . 1 +His large sculptures can be seen in public spaces in Wanaka , from New Zealand to Kaitaia and many places in between . His large sculptures can be seen in public spaces in Wanaka , from New Zealand to Kaitaia and many localities in between . 1 +It is shorter and much lighter in length -- a necessary design parameter given its placement in the compact cars . It is shorter and much lighter in length -- a necessary design parameter considering its placement in compact cars . 1 +The River Boia Mică is a tributary of the River Valea Sterminoasă in Romania . The Boia Mică River is a tributary of the Valea Sterminoasă River in Romania . 1 +Battlepug is a webcomic written and illustrated by Mike Norton , colored by Allen Passalaqua , and lettered by Chris Crank . Battlepug is a webcomic by Mike Norton , written by Allen Passalaqua , written by Chris Crank and illustrated . 0 +In 1914 , Mr. Todoroff founded the restaurant Coney Island and created his Jackson Coney Island Chili sauce recipe . In 1914 , Mr. Todoroff founded the Jackson Coney Island restaurant and created his Coney Island chili sauce recipe . 0 +He also helped establish meditation centers throughout Europe as well as in North , Central and South America . He also helped establish meditation centers all over Europe as well as in North , Central and South America . 1 +Joe R. Campa Jr. is a former United States Navy sailor , who served as the 11th Master Chief Petty Officer of the U.S. Navy . Joe R. Campa Jr. is a former U.S. Navy Matrose who served as the 11th Master Chief Petty Officer of the United States Navy . 1 +It is represented in the eastern half of the counties of Norfolk and Suffolk and openings in Essex and Hertfordshire . It outcrops in the eastern half of the counties of Norfolk and Suffolk , and is also represented in Essex and Hertfordshire . 0 +The limousine was launched in Europe on July 5 , 2003 and North America in October 2003 , and the estate was introduced in late 2004 . The sedan was launched on July 5 , 2003 in Europe and in October 2003 in North America . In late 2004 , the estate was introduced . 1 +Smartass is a film by Jena Serbu and Joey King . Smartass is a film directed by Joey King and starring Jena Serbu . 0 +Soma therapy ( or Soma ) was created in the 1970s by Freire as a group therapy based on the research of the psychoanalyst Wilhelm Reich . Somatherapy ( or Soma ) was founded in the 1970s as a group therapy by Wilhelm Reich , based on the research of the psychoanalyst Freire . 0 +The next town hall built in 1627 , in a Baroque architectural style , and was damaged in 1650 , 1653 , 1735 , and 1779 . The next town hall was damaged in the Baroque style in 1627 and was built in 1650 , 1653 , 1735 and 1779 . 0 +The single was released on 31 October 2015 and was announced on 13 November 2015 . The single was published on October 31 , 2015 and was announced on November 13 , 2015 . 1 +His future work in agriculture was mainly in Norfolk , but he also proposed extensive embankments in Lincolnshire , which were successfully carried out . His subsequent work in agriculture was mainly in Norfolk , but he also suggested extensive embankments in Lincolnshire , which were successfully carried out . 1 +The driest year was 1983 with and the wettest year was 1976 . The driest year was 1983 with and the wettest year was 1976 with . 1 +In Brazilian music , the Dorian mode from the Mixolydian mode is formed by the lowering of the former and is thus a small version of the third . In Brazilian music , the Dorian mode is formed from the Mixolydian mode , by the lowering of the third , thus being a minor version of the former . 0 +She appeared in July 2016 as Joseph Conrad in `` The Secret Agent '' , based on the same novel by Winnie Verloc . In July 2016 , she appeared as Joseph Conrad in `` The Secret Agent '' , based on the eponymous novel by Winnie Verloc . 1 +Wright moved from New York to Chapel Hill , NC . Wright moved from Chapel Hill , NC to New York City . 0 +The early encounter with the Colonial masters drastically transformed the traditional society . The traditional encounter with the colonial masters changed the early society drastically . 0 +The gate was planned during the reign of Az-Zahir Ghazi and built by his son Mohammed as Bab al-Qanat ( the Aqueduct Gate ) . The gate was built during the reign of Az-Zahir Ghazi and was planned by his son Mohammed as Bab al-Qanat ( the Aqueduct Gate ) . 0 +William Heyer 's parents are William J. and Merlyn M. Heyer , she attended California Lutheran University and then Moorpark College . Heyer 's parents are William J. and Merlyn M. Heyer . She attended Moorpark College , and then California Lutheran University . 0 +A Peri whose power is in her hair appears in Elizabeth Ann Scarborough 's novel `` The Harem of Aman Akbar '' of 1984 . A Peri whose power appears in her hair is in Elizabeth Ann Scarborough ’ s novel from 1984 , `` The Harem of Aman Akbar '' . 0 +It was the third season to air more than two years after the family edition and more than three years after the first celebrity edition . It was the first season broadcast more than two years after the family edition and more than three years after the third celebrity edition . 0 +Frank James joined a local company recruited for the secessionist Drew Lobbs Army , and fought at the Battle of Wilson 's Creek in August 1861 . Frank James joined a local society recruited for the secessionist Drew Lobbs Army and fought at the Battle of Wilson 's Creek in August 1861 . 1 +The Divine Word College of Urdaneta opened its pre-elementary department in 2003 and its elementary department in 2005 . The Divine Word College of Urdaneta opened its preparatory department in 2003 and in 2005 its elementary department . 1 +Junius was born in Driggs , Idaho , in 1907 to Don Carlos Driggs who founded the town , and May Jerusha Robison . Junius was born in 1907 in Driggs , Idaho , to create Don Carlos Driggs , who founded the city , and May Jerusha Robison . 1 +The Audi V8 competed with much smaller and lighter Mercedes 190 , BMW M3 and somewhat smaller Opel Omega 3000 during its DTM presence . The Audi V8 competed with much smaller and smaller Mercedes 190 , BMW M3 and slightly lighter Opel Omega 3000 during its presence in the DTM . 0 +Film stars Oscar Nunez , Rob Huebel , Timothée Chalamet , Lily Rabe , Anthony Quintal and Lili Reinhart . Film stars Lily Rabe , Timothée Chalamet , Lili Reinhart , Anthony Quintal , Oscar Nunez and Rob Huebel . 1 +The dam is approximately 110 meters long and its top is about 5 meters wide . The dam is approximately 110 meters long and its tip is about 5 meters wide . 1 +The company was founded in 2007 by David Tisch , the grandson of the entrepreneur Laurence A. Tisch , and Adam Rothenberg . The company was founded in 2007 by Laurence A. Tisch and Adam Rothenberg , grandson of the entrepreneur David Tisch . 0 +Pennmakkal is an Indian Malayalam film from 1966 , produced by J. Sasikumar and directed by KP Kottarakkara . Pennmakkal is a 1966 Indian Malayalam film , directed by J. Sasikumar and produced by KP Kottarakkara . 0 +After Mitchell had returned to the main camp , Finch arrived with tragic news . After Finch had returned to the main camp , Mitchell arrived with tragic news . 0 +Lieutenant John Gedge commissioned her in May 1805 for the North Sea . Lieutenant Robert Ramsey replaced him in 1806 . Lieutenant John Gedge commissioned her to the North Sea in May 1805 , and Lieutenant Robert Ramsey replaced him in 1806 . 1 +It was first dissolved in the 1240s and was attested during the Reformation , in 1524 . It was first confirmed in the 1240s and was dissolved during the Reformation in 1524 . 0 +Madiun is situated on the main road to Yogyakarta and Jakarta . Yogyakarta and Jakarta is on the main road to Madiun . 0 +Lloyd expanded his business to begin selling toys and gifts , and he founded and directed the House of Lloyd , based in Grandview , Missouri , when the gift business grew . Lloyd founded and led his business to start selling toys and gifts , and he expanded the House of Lloyd , based in Grandview , Missouri , while the gift business grew . 0 +Most releases of the album outside of North America had the same audio content , but released the track markers differently depending on which label located the CD . Most of the releases of the album outside North America had the same audio content , but the track markers were located depending on which label the CD released . 0 +On March 5 , 2011 , MTV Hive posted a streaming link to Rihanna , performing Anni Rossi `` Rude Boy '' . On March 5 , 2011 , MTV Hive posted a streaming link to Rihanna performing Anni Rossi 's `` Rude Boy '' . 1 +If villagers do not accept a poon - choi - feast , this means , for example , that a village does not approve or hold a particular marriage . If villagers do not hold a Poon choi feast , it means , for example , that a village does not approve of or accept a particular marriage . 0 +Sparrow was a right-handed player and played 4 innings in 2 first-class matches with an average of 18.75 and a top rating of 64 . Sparrow was a right-first batsman and played 4 innings in 2 handed-class matches with an average of 18.75 and a top score of 64 . 0 +There are about 90,000 Catholics in Guyana -- about 12 % of the total population , the lowest of any South American nation . There are around 90,000 Catholics in Guyana-about 12 % of the total population , the lowest of any South American nation . 1 +The racial Rubber Bowl was used by the National Guard of the United States as a base during the historical Wooster Avenue Riots of 1968 . The racial Rubber Bowl was used by the National Guard of the United States as a base during the historic Wooster Avenue Riots of 1968 . 1 +On 29 November 1171 , Gonzalo signed for the first time a certificate as the Gonzalo Ruiz de Bureba `` . On November 29 , 1171 , Gonzalo Ruiz de Bureba signed a certificate for the first time as '' Gonzalo . 0 +He moved back to New York City in 2009 and now lives in Philadelphia . In 2009 he moved back to New York City and today lives in Philadelphia . 1 +Very few , possibly 20 , of the 75s were made before the track was cancelled . Very few , possibly 20 , of the 75s were made before the range was cancelled . 1 +Her son John was the father of Samuel Provoost ( 1742 -- 1815 ) , the first Protestant bishop bishop of New York . Her son John was the father of Samuel Provoost ( 1742 -- 1815 ) , the first Protestant Episcopal Bishop of New York . 1 +He learns that his body carries the Shinra Banshou , a scroll that holds the most powerful secret art in the ninja world of Nabari . He learns that his body holds the Shinra Banshou , a scroll that bears the most powerful secret art in the Ninja world of Nabari . 1 +Mei Shigenobu is the mother of the Japanese national Fusako Shigenobu , a journalist . Fusako Shigenobu is the mother of Japanese national Mei Shigenobu , a journalist . 0 +Roger Mortimer 's first wife was Joan Mortimer , the daughter of James 2nd Baron Audley . Baron Audley 's first wife was Joan Mortimer , daughter of Roger Mortimer . 0 +Bala stands on a high and snowy plain , the summers are hot , the winters are cold . Bala stands on a high and snowy plain , summers are hot , winters are cold . 1 +He continued his relationship with ESPN to turn two more films for the network , `` Wendell Scott '' and `` Herschel '' . He continued his relationship with ESPN to lead two more films for the network , `` Herschel '' and `` Wendell Scott '' . 1 +It was granted to Henry Audeley and John Cordall in 1544 , who immediately passed it on to John Sone . It was granted in 1544 to John Sone who at once passed it on to Henry Audeley and John Cordall . 0 +The film was photographed by A. Sreekar Prasad and edited by Rajiv Menon . The movie was photographed by Rajiv Menon and edited by A. Sreekar Prasad . 0 +It is limited by Sheshequin Township to the east , Rome Township to the east and south , Athens Township to the south and Windham Township to the West . It is bordered by Windham Township to the east , Rome Township to the east and south , Sheshequin Township to the south and Athens Township to the west . 0 +Sergei Prokofiev wrote a `` Fantasia on Scheherazade '' for piano , which he recorded on piano roll . Sergei Prokofiev wrote a `` Fantasia on Scheherazade '' for piano , which he recorded on a piano role . 0 +The chief editor is Herbert Wessels ( since 2009 ) , the second editor is Markus Ermert ( since 2002 ) . The second editor is Herbert Wessels ( since 2009 ) , editor in chief is Markus Ermert ( since 2002 ) . 0 +The Arieşul Mare River is a tributary of the river Vâlcea in Romania . The Vălcea river is a tributary of the River Arieşul Mare in Romania . 0 +For a fixed measurable function formula _ 18 , formula _ 19 is a random variable with mean formula _ 20 and variance formula _ 21 . For a fixed measurable function formula 18 , Formula 19 is a random variable with the middle formula 20 and the variance formula 21 . 1 +The team responded to the changes in the same game that took place next February evening . The team responded to the changes in the next game the same evening on February 19 . 0 +The song was written and composed by Gala produced by Filippo Andrea Carmeni and Maurizio Molella . This song was written and composed by the gala produced by Filippo Andrea Carmeni and Maurizio Molella . 1 +In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a figure is compared to Armstrong . In `` Detection Unlimited '' , a mystery novel written by Georgette Heyer , a character is compared to Armstrong . 1 +For the Windows platform , Dyalog APL offers tight integration with .NET , plus limited integration with the Microsoft Visual Studio development platform . For the Windows platform , Dyalog APL offers close integration with .NET and limited integration with the development platform Microsoft Visual Studio . 1 +Michael Michael Liebel senior was 14 years old when his parents came from Germany to Erie , Pennsylvania . Michael Michael Liebel Sr. was 14 years old when his parents came from Erie to Pennsylvania in Germany . 0 +Taylor remained active in baseball as a scout for the Atlanta Braves and the Milwaukee and Chicago White Sox until his death . Taylor remained active in baseball until his death as a scout for the Atlanta Braves and Milwaukee and Chicago White Sox . 1 +It is located east of Nanuet , south of Chestnut Ridge , to the west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . It is located east of Chestnut Ridge , south of Nanuet , west of Blauvelt , New York , and north of Montvale and Old Tappan , New Jersey . 0 +He was equally successful at the admiralty , but was not very fortunate , after he became Secretary of State for the Southern Department in February 1748 . He was very successful in the admiralty , but was not equally happy after he became Secretary of State for the Southern Department in February 1748 . 0 +Vermont South is bordered to the north of Mitcham , to the west by Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . Vermont is bordered to the north of Mitcham , to the west by Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . 0 +However , in current continuity , Superman meets the true Zod for the first time in `` Last Son '' . In the current continuity , Superman in `` Last Son '' meets the true Zod for the first time . 1 +He moved to Dallas , Texas in 1876 , and in 1887 to San Diego , California . He moved to Dallas , Texas in 1876 , and to San Diego , California in 1887 . 1 +33.7 % were born in Maryland , which is categorized as part of the Southern United States along with neighboring Virginia and Washington , D.C. by the Census Bureau . 33.7 % were born in Maryland , which is categorized as part of the Southern United States together with neighboring Virginia and Washington , D.C. from the Census Bureau . 1 +The Cugir River is a tributary of the Ghiaag River in Romania . The Cugir River is a tributary of the Ghișag River in Romania . 1 +He became Chiyonofuji , then a `` Makuuchi '' Wrestler , to the great `` Yokozuna '' , which he raised . He became Chiyonofuji , then a `` makuuchi '' wrestler , to the great `` yokozuna '' he raised . 1 +A Peri whose power is in her hair appears in Elizabeth Ann Scarborough 's novel `` The Harem of Aman Akbar '' of 1984 . A peri , whose power appears in her hair , is in Elizabeth Ann Scarborough 's 1984 novel , `` The Harem of Aman Akbar '' . 0 +In 284 BC , King Qi met with King Zhao of Qin in Western Zhou to form an alliance against Xi . In 284 BC , King Xi met with King Zhao of Qin in West - Zhou to form an alliance against Qi . 0 +This fact seems to be part of the `` plan '' of the cylons that the hybrid colonies with a new generation of people want to repopulate . This fact seems to be part of the `` plan '' of the Cylons who want to repopulate the human colonies with a new generation of hybrid beings . 0 +Flowers are yellow with brown spots . The flowers are brown with yellow spots . 0 +Tim Henman won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 against Pete Sampras . Pete Sampras won 6 -- 7 , 6 -- 4 , 7 -- 6 against Tim Henman in the finals . 0 +This film is about Rafael , a Malayalam singer in the new film industry . The film is about Rafael , a new singer in the film industry in Malayalam . 0 +Martins Pena was born in Rio de Janeiro , to João Martins Pena and Francisca de Paula Julieta Pena . João Martins Pena and Francisca de Paula Julieta Pena was born in Rio de Janeiro to Pena Martins . 0 +The fourth was in the caused by the resignation of Joseph Hemphill sometime after May , 1826 , filled by Thomas Kittera . The fourth was caused by the resignation of Thomas Kittera sometime after May 1826 , which was filled in by Joseph Hemphill . 0 +The 2016 Meiji Yasuda J3 League is the 20th season of the third tier in Japanese football , and the 3rd season of the professional J3 League . The 2016 Meiji Yasuda J3 League is the 20th season of the 3rd stage in professional football and the third season of the Japanese J3 League . 0 +The peripheral bay of the navaranga is a larger square than the central eight around it . The central bay of Navaranga is a bigger square than the peripheral eight around it . 0 +Zingone played football club for Lito . Zingone played club football for Lito . 1 +The weather is warm and rainy during summer and cool during the winter season . Its weather is warm and rainy during the summer and cool during the winter season . 1 +A A Khap is a clan or group of related clans , mainly under the jats of the eastern Uttar Pradesh and Western Haryana . A Khap is a clan or group of related clans , mainly under the western Uttar Pradesh and eastern Haryana jats . 0 +Anderson was born in 1943 in Redondo Beach , California and is from Oakland , California . In 1943 , Anderson was born in Redondo Beach , California , and comes from Oakland , California . 1 +In 1783 , his father was mentioned in the events surrounding the Charles Bourne and Sir James Wallace court case . In 1783 his father is mentioned in the events surrounding the court case involving Charles Bourne and Sir James Wallace . 1 +He played in 1993 with the A - Level Kane County Cougars and the AA Portland Sea Dogs . He played with the A - Level Portland Sea Dogs and the AA Kane County Cougars in 1993 . 0 +The river Vălcea is a tributary of the River Arieşul Mare in Romania . The Vâlcea River is a tributary of the Arieşul Mare River in Romania . 1 +The family moved to Camp Hill in 1972 , where he attended Trinity High School in Harrisburg , Pennsylvania . The family moved in 1972 to Harrisburg , Pennsylvania , where he visited the Trinity High School in Camp Hill . 0 +`` gravityWall '' was used as the first opening theme for the anime television series `` , while `` sh0ut '' was used as the second opening theme . `` gravityWall '' was used as the first opening topic for the Anime - TV series '' , while `` sh0ut '' was used as the second opening theme . 1 +In 1963 , Roy joined the Communist Party of India and led trade union movements in Bansdroni in Kolkata . Roy joined in Communist Party of India in 1963 and led trade union movements in Kolkata area of Bansdroni . 0 +When Edward I succeeded his father , Edward II , on July 7 , 1307 , the attitude of his subjects was generally one of good intentions toward her new king . When Edward I succeeded his father Edward II on 7 July 1307 , the attitude of his subjects was generally one of goodwill toward their new king . 1 +The film received negative criticisms , but after its release on VHS and DVD , it became a cult - favorite with favorable comments on Amazon and IMDB . The film received negative reviews , but after release on VHS and DVD , it became a cult favorite with favorable comments on Amazon and IMDB . 1 +Dave Tomar is the pseudonym of Ed Dante , a graduate of Rutgers , now a freelance author in Philadelphia . Ed Dante is the pseudonym of Dave Tomar , a graduate of Rutgers now a freelance writer living in Philadelphia . 0 +Madonna , Prince and Michael Jackson were , however , influences on the album . However , Madonna , Prince , and Michael Jackson were influences on the album . 1 +He was born on December 21 , 1965 in New Haven , Connecticut , and visited Oxon Hill High School in Oxon Hill , Maryland . He was born on 21 December 1965 in Oxon Hill , Maryland , and attended Oxon Hill High School in New Haven , Connecticut . 0 +If in a sentence there are several grammatical categories , only the plural bears the first marker . Ex . : If there are several grammatical categories in one sentence , only the plural bears the first marker . 1 +Following the invasion of Poland by Nazi - Germany and the Soviet Union in 1939 , Osterwa became active in underground education , but was also sick . After the invasion of Poland by Nazi - Germany and the Soviet Union in 1939 , Osterwa was active in underground education , but also became ill . 0 +Peter DuConge ( 1903 - 1967 ) was an early Jazz - Reedist , active in the American New Orleans jazz scene . Peter DuConge ( 1903 ? -1967 ? ) was an American jazz reedist , active in the early New Orleans jazz scene . 0 +At the same time , Pope Francis asked Tong to remain Bishop of Hong Kong for three more years . At the same time , Pope Francis Tong , asked for three years to remain Bishop of Hong Kong . 0 +The fact that this was a first translation means that minor misunderstandings were practically inevitable . The fact that this was a minor translation means that first misunderstandings were practically unavoidable . 0 +From her second marriage with businessman Babis Lazaridis has a son , Vasilis . From her second marriage with the businessman Vasilis has a son , Babis Lazaridis . 0 +Start-up funds came from the Bill & Melinda Gates Foundation , financier George Soros , and technology entrepreneur Edward W. Scott . The funds came from the Bill Melinda Gates Foundation , financier Edward W. Scott , and technology entrepreneur George Soros . 0 +Cheese and cheese products ( especially bryndza , korbáčik , oštiepok , parenica , and tvaroh cheeses ) , žinčica are traditional Slovak specialties . Cheese and cheese products ( especially Tvaroh , korbáčik , oštiepok , parenica and bryndza ) , žinčica are traditional Slovak specialties . 1 +Norman Melancton Geddes , born Norman Bel Geddes ( 27 April 1893 - 8 May 1958 ) , was an American theatre and industrial designer . Norman Melancton Geddes , born Norman Bel Geddes , ( April 27 , 1893 -- May 8 , 1958 ) was an American theatrical and industrial designer . 1 +The typical merganser ( `` Mergus octosetaceus '' ) is a duck in the Brazilian merganser genus . The Brazilian Merganser ( `` Mergus octosetaceus '' ) is a duck in the typical Merganian genus . 0 +However , in current continuity , Superman meets the true Zod for the first time in `` Last Son '' . In the current continuity , Superman meets the true Zod in `` Last Son '' for the first time . 1 +Hawker ( postcode : 2614 ) is a suburb of the Belconnen district of Canberra , located within the Australian Capital Territory , Australia . Hawker ( PLZ : 2614 ) is a suburb of the Belconnen district of Canberra , located within the Australian Capital Territory , Australia . 1 +Lobethal Bierhaus is a regional brewery with German influences on style . Lobethal Bierhaus is a German brewery with regional influences of style . 0 +The Nashua Silver Knights , part of a current summer league , are the city 's collegiate team . The Nashua Silver Knights , part of a summer current league , is the city 's collegiate team . 1 +It is lighter and in the length much shorter -- a necessary design parameter given its placement in the compact cars . It is shorter and much lighter in length -- a necessary design parameter given its placement in the compact cars . 0 +They also published the second track on the album , `` Vices '' , as the 5th single from the album on June 13th . They also released the 5th track on the album , `` Vices '' , as the second single of the album on June 13 . 0 +Wyoming Highway 330 is a fairly short east-west Wyoming State Road located in central Sheridan County that serves the northwestern part of Sheridan . Wyoming Highway 330 is a fairly short east - West Wyoming State Road in northwestern Sheridan County that serves the central part of Sheridan . 0 +Mark Knowles and Max Mirnyi won against O ' , Brien and Palmer in the final 6 -- 3 , 6 -- 4 . O'Brien and Palmer won in the final 6 -- 3 , 6 -- 4 , against Mark Knowles and Max Mirnyi . 0 +When a higher number of different IEs is required , this inherently leads to more capacity planning problems and often results in a non-delivery of the IP . When a higher number of different IEs is required , this often results in more capacity planning problems and inherently leads to a non-delivery of the IP . 0 +Madonna , Prince and Michael Jackson were , however , influences on the album . Michael Jackson , Prince and Madonna , however , were influenced on the album . 1 +They were able to establish local governments , institutionalze active and free Kurdish political parties , and manage a Kurdish parliament . They were able to manage local governments , establish free and active Kurdish political parties , and institutionalize a Kurdish parliament . 0 +In the ratings below , the lowest rating for the show will be in red , and the highest rating for the show will be in blue episode . In the reviews below will be the highest evaluation for the show in red , and the lowest rating for the show will be in blue episode . 0 +The guitar was mastered by Bettencourt and Chris Gehringer played it at the Sterling Sound Studios in New York City . Bettencourt played the guitar and Chris Gehringer mastered it at the Sterling Sound Studios in New York City . 0 +`` Ras '' Abbi Addi advanced to Kassa and joined with '' Ras '' Seyoum in the center . `` Ras '' Kassa advanced to Abbi Addi and joined up with `` Ras '' Seyoum in the center . 0 +In 1974 , with the support of the United Nations , the Asian Development Bank and the World Bank , Lao PDR founded the Stage II Fund . In 1974 Lao PDR established the Stage II fund with the help of the World Bank , the United Nations , and the Asian Development Bank . 1 +The episode was later postponed , but was skipped in rotation order and eventually stopped . The episode was later postponed , but was skipped in rotation order and eventually discontinued . 1 +Oaklyn is located in the 1st Congressional District and is part of New Jersey 's 6th state legislative district . Oaklyn is located in the 1st Congressional District and is part of the sixth state of New Jersey 's Legislative District . 1 +In July 2017 , Nate DiMeo was the subject of an episode of `` The Memory Palace '' with Elmer McCurdy . In July 2017 , Elmer McCurdy was the theme of an episode of `` The Memory Palace '' with Nate DiMeo . 0 +The number of fires reported at the beginning of February was 73 with 26 out of control and expected to be time to control another month of fires . The number of reported fires at the beginning of February was 73 with 26 out of control and expected time to control in order to be another month of fires . 1 +Using the method variation of parameters , the complementary solution is formed by multiplying the particular solution by an unknown function C ( x ) : The complementary solution is formed using the procedure variation of parameters by multiplying the particular solution with an unknown function C ( x ) : 1 +Among them are Sylvia Rexach , a composer of Boleros , Marie Teresa Rios , author , and Julita Ross , a singer . Among them are Marie Teresa Rios , a composer of Boleros , Julita Ross , author , and Sylvia Rexach , a singer . 0 +Dotty was born in 1923 in Gloucester and died in Boston in 2014 . Dotty was born in 1923 in Boston and died in Gloucester in 2014 . 0 +In 1994 , Rodrigo Leão left the band to start a solo career , replaced by Carlos Maria Trindade ( keyboard synthesizer ) . In 1994 , Carlos Maria Trindade left the band to start a solo career , being replaced by Rodrigo Leão ( keyboard synthesizer ) . 0 +Massé was born in Westchester County , New York , grew up in Holland , Michigan , and lived during her youth in Europe . Massé was born in Holland , Michigan , grew up in Westchester County , New York , and lived in Europe during her teens . 0 +These efforts would prove to be forward-looking , as the population of nearby Silicon Valley exploded , and the boom in Tri-Valley would dramatically increase land prices . These efforts would prove to be prescient as the population of the nearby Silicon Valley exploded and the boom of Tri-Valley would dramatically increase land prices . 0 +Longo was born in Jersey City , New Jersey , and attended the Marist High School in Bayonne , New Jersey , and at the University of Rhode Island . Born in Jersey City , New Jersey , Longo attended Marist High School in Bayonne , New Jersey and the University of Rhode Island . 1 +In semi-professional football , Scottish teams are performing below the Scottish premiership at all levels , with most teams below the Scottish championship being semi-professional . In Scottish football , semi-professional teams compete at all levels below the Scottish Premiership , with most teams below the Scottish Championship being semi-professional . 0 +The film received favorable reviews , but after release on VHS and DVD , it became a cult favorite with negative comments on Amazon and IMDB . The film received negative criticisms , but after its release on VHS and DVD , it became a cult - favorite with favorable comments on Amazon and IMDB . 0 +Praised by Richard Gibson and the court painter Joan Carlile , she is considered to be as successful as Peter Lely . Praised by Richard Gibson and court painter Peter Lely , she is considered as successful as Joan Carlile . 0 +From the west end of the bridge , Pennsylvania Route 268 leads north to Parker and south to Emlenton . The Pennsylvania Route 268 leads from the western end of the bridge north to Parker and south to Emlenton . 1 +Valtteri Bottas and Lewis Hamilton was fastest , ahead of Williams ' Nico Rosberg . The fastest was Nico Rosberg , ahead of Williams ' ; Valtteri Bottas and Lewis Hamilton . 0 +He then taught school in Toledo , OH and was the acting superintendent of schools in Cleveland from 1856-1859 . He then taught school in Toledo , OH , and was the deputy superintendent of the schools in Cleveland from 1856-1859 . 1 +In April 1942 , Montagu Slater returned to England and , shortly after his return , asked Britten to be his librettist for `` Peter Grimes '' . In April 1942 , Britten returned to England , and soon after returning he asked Montagu Slater to be his librettist for Peter Grimes . 0 +In Sri Lanka , the title of an accountant ( CA Sri Lanka ) can only be used by members of the Institute of Accountants in Sri Lanka . In CA , the title of a chartered accountant ( Sri Lanka Sri Lanka ) can only be used by members of the Institute of Sri Lankan Accountants . 0 +Mark Knowles and Max Mirnyi won in the final 6 -- 3 , 6 -- 4 , against O'Brien and Palmer . Mark Knowles and Max Mirnyi won against O ' , Brien and Palmer in the final 6 -- 3 , 6 -- 4 . 1 +David Allan Coe joined Warren Haynes 's touring and recording band in 1980 , when he was 20 years old . In 1980 , when he was 20 years old , David Allan Coe joined Warren Haynes ' tour and recording band . 1 +He also donated US $ 34,000 to Mitt Romney and $ 7,000 to Ted Cruz , including his presidential campaign in 2016 . He also donated $ 34,000 to Ted Cruz and US $ 7,000 to Mitt Romney , including his 2016 presidential campaign . 0 +Beginning in 1830 , Arthur Tappan was influenced by the abolitionism of some members of the American Colonization Society ( ACS ) and writings by James . Arthur Tappan was influenced from 1830 by the abolitionism of some members of the American Colonization Society ( ACS ) and writings by James . 1 +Until the advent of pornographic video technology , the mass production of electronic and digital films was tied directly to the mainstream film industry . Until the advent of electronic and digital video technology , the mass production of pornographic films was directly tied to the main film industry . 0 +Bradd Crellin represented BARLA Cumbria on a tour of Australia with 6 other players representing Great Britain , also on a tour of Australia . Bradd Crellin also represented BARLA Great Britain on a tour through Australia on a tour through Australia with 6 other players representing Cumbria . 0 +Katz was born in Sweden in 1947 and moved to New York City at the age of 1 . Katz was born in 1947 in Sweden and moved to New York City at the age of 1 years . 1 +The Mitchell Nimbus is a series of American , high-seat , single-wing gliders that was designed by Don Mitchell in the 1950s . The Mitchell Nimbus is a series of American , high-seat , single-wing gliders designed by Don Mitchell in the 1950s . 1 +The first or `` narrow '' system consists of red lines of ( O III ) and other ionized elements at a redshift of z = 0,712 . The first or `` red '' system consists of narrow lines of ( O III ) and other ionized elements at redshift z = 0.712 . 0 +Malcolm Fraser , who had defeated Whitlam in a landslide at the federal election in December 1975 , offered Egerton the knighthood to serve the trade union movement . Whitlam , who had defeated Malcolm Fraser in a landslide at the federal election in December 1975 , offered Egerton the knighthood to serve the trade union movement . 0 +In this respect , Ionescu made , in one of his early papers , a significant and rather prophetic statement : In this respect , Ionescu made a significant and rather prophetic statement in one of his early publications : 1 +The team also toured in Australia in 1953 and Asia in August 1959 . The team toured in Australia in 1953 and Asia in August 1959 . 1 +Among the singers in the band were Dorothy Crane , Jerry Lang , Betty Griffin , Bernie 's brother Walter Cummins and Scottee Marsh , who later sang with Tommy Dorsey . Singers in the band included Dorothy Crane , Jerry Lang , Betty Griffin , Bernie 's brother Walter Cummins and Scottee Marsh , who sang later with Tommy Dorsey . 1 +Early advisory members included Walter Cronkite , Norman Vetter , Gore Vidal , Norman Podhoretz , Saul Bellow , and Alistair Cooke . Early advisory members included Alistair Cooke , Saul Bellow , Walter Cronkite , Norman Cousins , Gore Vidal , Norman Podhoretz . 1 +This was recorded in two long inscriptions from his Medinet Habu mortuary temple , which are physically separate and somewhat different from one another . This was recorded in two long inscriptions from his corpse hort Medinet Habu , which are physically separate and somewhat different from one another . 1 +The music hall was first imported from Paris to London in 1862 and became enormously popular , with dancers , singers , acrobats , and mage-trained animals . The music hall hall was first imported to Paris from London in 1862 , and became enormously popular , with dancers , singers , acrobats , magicians trained animals . 0 +Bob and Ted were brothers . John is Ted 's son . Bob and Ted were brothers , and Ted is John 's son . 0 +On September 17 , Arreola will perform at the Staples Center in Los Angeles , California , against Alfonso Gomez at the undercard of Juan Sandoval vs. Saul Alvarez . On September 17 , Arreola will face Juan Sandoval on the undercard of Saul Alvarez vs. Alfonso Gomez at the Staples Center in Los Angeles , California . 0 +This depth compares with the maximum depths of Lake Michigan and Lake Huron . This depth compares with the maximum depths of in Lake Michigan and in Lake Huron . 1 +Just upstream is the disused Michigan Central Railway Bridge which with its predecessor the Whirlpool Rapids Bridge competed for rail traffic with the Niagara Cantilever Bridge . Upstream is the decommissioned Michigan Central Railway Bridge , which competed with its predecessor , the Rapids Bridge whirlpool , with the Niagara Cantilever Bridge for railway traffic . 1 +In August 2017 , Team Prakash Raj joined the team to play the role of producer Aluri Chakrapani . Aluri Chakrapani also joined the team in August 2017 , to allegedly play the role of producer Prakash Raj . 0 +He was born in Carter County , Tennessee and later moved to Arkansas . He was born in Arkansas and moved to Carter County , Tennessee . 0 +During the First World War , he studied in Geneva , where he worked with Willi Münzenberg . During the First World War he worked in Geneva , where he studied with Willy Münzenberg . 0 +Beximco produces textiles , basic chemicals , pharmaceuticals , jute and marine food , and the company also has real estate and land development interests . Beximco produces textiles , marine chemicals , pharmaceuticals , jute and basic foods , the company also has real estate and land development interests . 0 +Debelets is a town in northern Bulgaria , part of Veliko Tarnovo Municipality , Veliko Tarnovo Province . Debelets is a town in northern Bulgaria , part of the municipality of Veliko Tarnovo , province of Veliko Tarnovo . 1 +This limits the complexity within the group nodes and hides their coupling with other nodes outside of the group . This limits complexity inside of the group nodes , and hides their coupling with other nodes outside the group . 1 +The Petkeljärvi National Park is a national park in the Ilomantsi region of Northern Karelia in Finland . Petkeljärvi National Park is a national park in Ilomantsi in the North Karelia region of Finland . 0 +Of this population , 87.91 % are ethnic Hungarians , 7.53 % ethnic Romanians and 4.43 % ethnic Romani . Of this population , 87.91 % are ethnic Romanians , 7.53 % are ethnic Hungarians and 4.43 % are ethnic Roma . 0 +He was selected by the Philadelphia 76ers in the 7th round ( 77th pick in total ) of the NBA Draft 1967 . He was selected by the Philadelphia 76ers in the 7th round ( 77th pick overall ) of the 1967 NBA Draft . 1 +Tina Gray ( 1885 -- 1985 ) was a medical pioneer and the sister of'Glasgow Girl 'Norah Neilson Gray . Norah Neilson Gray ( 1885 -- 1985 ) was a medical pioneer and sister of the ' ; Glasgow Girl 'apos ; Tina Gray . 0 +Chandler considered the computer as a tool for learning , but he rejected a prevailing objectivism that recognized data as information , and information as knowledge . Chandler viewed the computer as a tool for learning , but he rejected a dominant objectivism that recognized data as information and information as knowledge . 1 +These same movement forms of communication come from the facial areas of the brain . These forms of communication in the facial movement come from the same areas of the brain . 0 +These sites are considered peripheral regions to poor habitats with ratings of 56 and 96 respectively . These sites are considered poor to marginal habitats , with ratings of 56 and 96 respectively . 0 +Meridian consist of the residents of Daykin , Alexandria , Western , Fairbury , and Tobias , creating the 303 Nebraska School District . Meridian consists of the residents of Daykin , Alexandria , Western , Fairbury and Tobias , creating the 303 Nebraska School District . 1 +John John Milton refers to Shakespeare and quotes Angela Warren `` Comus '' : '' Under the glassy , cool , light translucent wave `` . Angela Warren refers to Shakespeare and quotes John Milton 's '' Comus '' : `` Under the glassy , cool , light-transmissible wave '' . 0 +Of this population , 87.91 % are ethnic Hungarians , 7.53 % ethnic Romanians and 4.43 % ethnic Romani . Of this population , 87.91 % are ethnic Hungarians , 7.53 % are ethnic Romanians and 4.43 % ethnic Romani . 1 +She moved with her parents at the age of 3 years from Estonia to Finland and is currently living in Helsinki . She moved with her parents from Finland to Estonia at the age of 3 years and is currently living in Helsinki . 0 +When the PPC is temporarily disrupted , especially the PPC of the right hemisphere , memory across saccades is significantly weakened . When the PPC is temporarily disrupted , especially the PPC on the right , memory of saccades is significantly weakened . 1 +Joshua Pim defeated Wilfred Baddeley , 6 -- 4 , 1 -- 6 , 7 -- 5 , 6 -- 0 . Joshua Pim beat Wilfred Baddeley , 6 -- 4 , 1 -- 6 , 7 -- 5 , 6 -- 0 . 1 +Shulman 's sound features elements of `` glitch '' and displays a large IDM influence . Shulman 's sound has elements of `` glitch '' and displays a large IDM influence . 1 +When a higher number of different IEs is required , this often results in more capacity planning problems and inherently leads to a non-delivery of the IP . When a higher number of different IEs are required , it inherently results in more planning problems in capacity and often leads to a non-delivery of the IP . 0 +It is 20 miles northwest of Glasgow , Virginia and about two miles southeast of Roanoke , Virginia . It is 20 miles north-west of Roanoke , Virginia and about two miles southeast of Glasgow , Virginia . 0 +The team also toured in Asia in 1953 and Australia in August 1959 . In 1953 the team toured in Asia and in Australia in August 1959 . 1 +Warren Haynes joined David Allan Coe 's touring and recording band in 1980 when he was 20 years old . In 1980 , when he was 20 years old , David David Allan joined Warren Haynes ' touring and recording band . 0 +In 1961 , Herbert Herbert was the subject of a `` This Is Your Life '' TV program when he was surprised by Eamonn Andrews . Herbert was the subject of a `` This Is Your Life '' TV programme in 1961 when he was surprised by Eamonn Andrews . 1 +The `` Fallbeil '' was last used in West Germany in 1949 , in 1966 in East Germany . The `` Fallbeil '' was used for the last time in West Germany in 1949 , in East Germany in 1966 . 1 +Worcestershire is a city and county town of Worcester , England . Worcester is a town and county city of Worcestershire in England . 0 +He later used it as a symbol for the Nazi party and placed it on a white circle and a red background to use it as a flag . He later used it as a symbol for the Nazi Party , and placed it on a red circle and white background for use as a flag . 0 +Khedi is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Khedi is a village in Bhopal - district of Madhya Pradesh , India . It is located in Berasia tehsil . 1 +Recommends written financial contracts with reliable witnesses , although there is a dispute about equality of female witness . Recommends written financial contracts with female witnesses , although there is dispute about equality of reliable testimony . 0 +Autism Speaks sponsors and distributes the short film `` Autism Every Day '' , produced by Lauren Thierry and Eric Solomon . Autism Speaks produced and distributes the short film `` Autism Every Day '' , sponsored by Lauren Thierry and Eric Solomon . 0 +Huyghe was born in Paris in 1962 and lives and works in Chile and New York . Huyghe was born in Chile and New York in 1962 . Huyghe lives and works in Paris . 0 +This climatic region is characterized by great seasonal temperature differences , with warm to hot ( and often humid ) summers and mild winters . This climatic region is typified by large seasonal temperature differences , with warm to humid ( and often hot ) summers and mild winters . 0 +He died on June 30 , 1954 , of stomach cancer in Claremore , Oklahoma . New York City is home to the Lynn Riggs Memorial . He died of stomach cancer in New York on 30 June 1954 , and Claremore , Oklahoma is home to the Lynn Riggs Memorial . 0 +Tipico Co. Ltd and Tipico Casino Ltd were founded in 2004 as trading companies in the international register of the Malta Financial Services Authority . Tipico Co. Ltd and Tipico Casino Ltd were founded in 2004 as international trading companies in the Malta Financial Services Authority Commercial Register . 0 +This category is for Israeli footballers who currently play or have played in one of the non-Israeli leagues . This category is for Israeli footballers who currently play or have played in any of the non-Israeli leagues . 1 +`` Everything But You '' is a song of 1945 , composed by Duke Ellington and Harry James written with texts by Don George . `` Everything But You '' is a 1945 song composed by Duke Ellington and Harry James with lyrics written by Don George . 1 +The next version was created by Robert Fuller 's brother Ron in 1986 . The next version was produced in 1986 by Robert Fuller 's brother Ron . 1 +The Consonant - Ejective is a kind of uvular sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents this sound , The consonantal ejective is a type of uvular sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is 1 +Earl St Vincent was a French ship that was captured and became a British merchantman in 1803 . Earl St Vincent was a French ship that was captured in 1803 and became a British trade man . 1 +He was an Invited Speaker of the ICM in Toronto in 1924 , in 1932 in Zurich , and in 1936 in Oslo . He was an invited spokesman for the ICM in Toronto in 1924 , in Zurich in 1932 and in Oslo in 1936 . 1 +The couple 's first daughter is Mohammad Javad Golpayegani , married with Boshra , son of Mohammad Golpayegan , Khamenei 's chief of staff . The couple 's first daughter is Mohammad Javad Golpayegani , married to Boshra , son of Mohammad Golpayegan , Khamenei Chief of Staff . 1 +The company provides a Full trial for its services for assessment purposes and also has experts setting up Service Level Agreements for free-time Equivalent projects . The company provides a free trial version for its services for evaluation purposes and also has experts setting up service level agreements for full-time equivalent projects . 0 +He moved to San Diego , California in 1876 , and to Dallas , Texas in 1887 . In 1876 , he moved to San Diego , California , and to Dallas , Texas in 1887 . 1 +The Nashua Silver Knights , part of a summer collegiate league , is today 's team in the city . The Nashua Silver Knights , part of a summer current league , is the city 's collegiate team . 0 +Stipsits was born in Korneuburg , and spent his childhood in Stammersdorf , Vienna . Stipsits was born in Vienna and spent his childhood at Stammersdorf , Korneuburg . 0 +In 1972 , the New Ways to Work Foundation was founded , it is a non-profit organization funded in the San Francisco Bay area . In 1972 , the New Ways to Work Foundation was funded , a non-profit organization founded in the San Francisco Bay area . 0 +Fishman holds a bachelor 's degree from Brown University and a master 's degree in economics from Columbia University . Fishman holds a Bachelor 's degree from Brown University and a Masters degree in Columbia University 's economics . 1 +Born in South Korea , he lived in Brazil for 9 years since 2002 , played football for 5 years and began his career in 2007 . Born in South Korea , he lived in Brazil for 9 years since 2002 and played football there for 5 years . He started his professional career in 2007 . 1 +Clubs with 10 or more players listed are represented . Clubs with 10 or more listed players are represented . 1 +The Porte de Vincennes is located where the southeast corner of the 20th arrondissement meets the north-east corner of the 12th arrondissement of Paris . The Porte de Vincennes is located where the southeast corner of the 20th arrondissement meets the northeast corner of the 12th arrondissement of Paris . 1 +The Hudeasa River is a tributary of the Bradu River in Romania . The Bradu River is a tributary of the River Hudeasa in Romania . 0 +Both daughters died before he did , in Tosca in 1976 and in Janear 1981 . Both daughters did before he died , Tosca in 1976 and Janear in 1981 . 0 +The team responded to the changes in the next game that same February 19 evening . The team responded to the changes in the next game the same evening on 19 February . 1 +In 2001 Enkor merged with Siberian Airlines . In 2001 , the Siberian Airlines merged with Enkor . 0 +Sikhism is a religion that began in India in the first century with the center of the fifteenth guru , known as Guru Nanak Dev Ji ( 1469-1539 C.E . ) . Sikhism is a religion that began in India in the first century with the mid-fifteenth Guru , known as Guru Nanak Dev Ji ( 1469-1539 C.E . ) . 1 +It illustrated the most important art producing communities and discussed the work of 23 of the best known artists . It discussed the most important art producing communities and illustrated the work of 23 of the best known artists . 0 +Bostryx turritus is a species of tropical air-breathing land snail , a pulmonate gastropod mollusk in the family Bulimulidae . Bostryx turritus is a species of tropical air-breathing snail , a pulmonate gastropod mollusk in the Bulimulidae family . 1 +Joey Shamah was replaced by Tarang P. Amin , who `` has been appointed president , chief executive officer and director of E.l.f . It was replaced by Tarang P. Amin , who has been appointed President , Chief Executive Officer and Director of E.l.f . 1 +Paul Tassi of `` Forbes '' claimed that Nintendo could have handled the change more efficiently by drawing lessons from the conversion from Microsoft and Sony to HD graphics . Paul Tassi of `` Forbes '' claimed that Nintendo could have handled the change more efficiently by drawing lessons from Microsoft and Sony 's transition to HD graphics . 1 +European activities became part of Ebel , while the Asian activities were sold to the Hong Kong entrepreneur Joseph Wong and now belong to Stelux Holdings . The Asian activities became part of Ebel , while European activities were sold to the Hong Kong entrepreneur Joseph Wong and now belong to Stelux Holdings . 0 +Alaja , is a small populated place in the Balkan province in western Turkmenistan on the Caspian Sea . Alaja , is a small populated place in Turkmenistan in western Balkan Province on the Caspian Sea . 0 +In April 1942 , Britten returned to England , and soon after his return he asked Montagu Slater to become his librettist for `` Peter Grimes '' . Britten returned to England in April 1942 . Soon after his return , he asked Montagu Slater to be his librettist for `` Peter Grimes '' . 1 +The preparation was invented by Dr. Patrick Page and his team and patented by Genkyotex in 2007 . The preparation was patented by Dr. Patrick Page and his team and invented by Genkyotex in 2007 . 0 +Maritsa Lazari was born in October 1943 in Cyprus . She emigrated with her family to London , UK at the age of 16 . Maritsa Lazari was born in Cyprus in October 1943 and emigrated with her family to London , England at the age of 16 . 1 +The Pennsylvania Route 268 leads from the western end of the bridge north to Parker and south to Emlenton . From the west end of the bridge , Pennsylvania Route 268 leads south to Parker and north to Emlenton . 0 +When the transaction was first finalized in 1994 , Classicomm had 102,000 subscribers ; when it was announced the following year , the company had 105,000 subscribers . When the transaction was first announced in 1994 , Classicomm had 102,000 subscribers when it was completed the following year , and the company had 105,000 subscribers . 0 +Valgjärv is a lake in the southeastern county of Voru Latvia , close to the border with Estonia . Rõuge Valgjärv is a lake in Latvia 's southeastern county of Voru , close to the border with Estonia . 1 +Adamsville is bordered to the west of Coleman , to the east by Lake County , to the north of Wildwood and to the south by Sumterville . Adamsville is bordered by Coleman to the west , Sumterville to the east , Wildwood to the north , and Lake County to the south . 0 +The 1992 ceremony was hosted by Vince Neil , which included En Vogue , Ugly Kid Joe , Arrested Development and Dennis Miller . The 1992 ceremony was hosted by Vince Neil . Performers included En Vogue , Ugly Kid Joe , Arrested Development and Dennis Miller . 1 +Previous secretaries include Alison Murison , Tom Mabbott , who received an MBE for services to Scottish Horticulture , John MacLennan , and Dr. John MacKay . Previous secretaries include Alison Murison , Tom Mabbott , who received an MBE for services to Scottish gardening , John MacLennan and Dr. John MacKay . 1 +The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a matter of debate within both specific Anglican churches and throughout the Anglican community . The degree of distinction between Protestant and Catholic tendencies within the Anglican tradition is routinely a matter of debate both within specific Anglican churches and throughout the Anglican Communion . 1 +Madonna , Prince and Michael Jackson , however , were influenced on the album . However , Michael Jackson , Prince , and Madonna were influences on the album . 1 +According to the United States Census Bureau , Southport is a total surface area of which has land and , or 0.91 % , is water . According to the United States Census Bureau , Southport is a total area of , which has land and , or 0.91 % , is water . 1 +In 1886 , George Crook replaced General Miles as commander of the armed forces fighting against Geronimo , a Chiricahua - Apache leader , in the Department of Arizona . In 1886 , George Crook replaced General Miles as commander of forces fighting against Geronimo , a Chiricahua Apache leader , in the Department of Arizona . 1 +Premalignant lesions are morphologically atypical tissue that appears abnormal in microscopic examination and in which cancer is more likely than its apparently normal counterpart . Premalignant lesions are morphologically atypical tissue which appears abnormal under microscopic examination , and in which cancer is more likely to occur than in its apparently normal counterpart . 1 +Sulz is a municipality in the district of Vorarlberg in the Austrian province of Feldkirch . Sulz is a municipality in the district of Feldkirch in the Austrian state of Vorarlberg . 0 +In November 1989 , Delaney was a member of the New York Stock Exchange and became Senior Managing Director at Henderson Brothers , Inc. and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and was a Senior Managing Director at Henderson Brothers , Inc. , and Bear Wagner . 0 +It was added by Gregor ( number 202 ) to the list of manuscripts of the New Testament , Scrivener saw it in 1883 . It was added to the list of New Testament manuscripts by Gregory ( number 202 ) . Scrivener saw it in 1883 . 1 +Since 2000 , Meyers has been manufacturing large , site-specific wall drawings in museums and galleries . Meyers has been making large , site-specific wall drawings in museums and galleries since 2000 . 1 +A multiverse is a collection of alternative universes with universal nature and a similar hierarchy . A multiverse is the collection of alternate universes , with a similar nature and a universal hierarchy . 0 +It was later released to be confirmed as a single for the album on 15 October in the UK and on 23 October in the USA . It was later confirmed to be released as a single for the album on October 15 in the UK , and October 23 in the US . 0 +The simple medium can be characterized with effective cross-sections of absorption and emission at the Formula 2 and Formula 3 frequencies . The effective medium can be characterized with simple cross-sections of absorption and emission at frequencies formula _ 2 and formula _ 3 . 0 +The album was recorded in Los Angeles by Aníbal Kerpel and mixed in `` La Casa '' studies in Los Angeles , California . The album was recorded in Los Angeles , California by Aníbal Kerpel . Mixed in `` La Casa '' studies in Los Angeles . 1 +Madison District Public Schools is a school district serving the south end of Greater Detroit in Madison Heights , Michigan . Madison District Public Schools is a school district in the south of Greater Detroit , Madison Heights , Michigan . 1 +Later , during the attack on Andrew , count de Angoulême , Richard would be Adhemar 's forces . Later , Andrew Richard ’ s forces would be during the attack on Adhemar , Count of Angoulême . 0 +Colonel Lieutenant Donald Grant Millard , Captain Gerald K. Hannaford and Captain John F. Lorraine were the passengers of the aircraft . The occupants of the aircraft were Lieutenant Colonel Gerald K. Hannaford , Captain Donald Grant Millard and Captain John F. Lorraine . 0 +Bonnie Bedelia ( born Bonnie Bedelia Culkin , 25 March 1948 ) is an American actress . Bonnie Bedelia Culkin ( born March 25 , 1948 in Bonnie Bedelia ) is an American American actress . 0 +In 1914 , Mr. Todoroff founded the Jackson Coney Island restaurant and created his Coney Island chili sauce recipe . In 1914 , Mr. Todoroff founded the restaurant Jackson Coney Island and created his recipe for Coney Island Chili sauce . 1 +Bellman died on December 8 , 1931 in Louisville , Kentucky and is interred at Calvary Cemetery in Louisville . Bellman died in Louisville on December 8 , 1931 , and is buried at the Calvary Cemetery in Louisville , Kentucky . 0 +The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 30th in the National Hockey League and the 14th as Colorado Avalanche . The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 14th at the National Hockey League and 30th as the Colorado Avalanche . 0 +In 1994 , the volume `` Aspects of Religion '' , published by Peter Masefield and Donald Wiebe , was published in his honour . In 1994 , the volume `` Aspects of Religion '' , edited by Peter Masefield and Donald Wiebe , was published in his honour . 0 +He died of stomach cancer in Claremore , Oklahoma , New York City , where the Lynn Riggs Memorial is located on June 30 , 1954 . He died on June 30 , 1954 , of stomach cancer in Claremore , Oklahoma . New York City is home to the Lynn Riggs Memorial . 1 +The game received praise for its wide and interactive environments , comfortable control scheme , and innovative gameplay . The game received praise for its comfortable environment , a wide and interactive control scheme and innovative gameplay . 0 +The music was composed by A. T. Ummer and the lyrics were written by P. Bhaskaran . The music was written by A. T. Ummer and the texts by P. Bhaskaran composed . 0 +Karen Lieve Ria Hostens is married to J. Peter Burgess , Cooperation Delegate for the International Committee of the Red Cross , and father to three children . Ria Hostens is married to J. Peter Burgess , cooperation delegate of the International Committee of the Red Cross , and father to three children . 1 +He was born on May 5 , 1940 in Constantinople ( Athens ) and died of cancer in Istanbul on 19 November 2011 . He was born on May 5 , 1940 in Constantinople ( Istanbul ) and died of cancer in Athens on November 19 , 2011 . 0 +Walcott is a civil village and small municipality in the North Kesteven district of Lincolnshire , England . Walcott is a civil village and small parish in the North Kesteven district of Lincolnshire , England . 1 +`` Cosmic Explorer '' was published in four different formats by Universal Music Japan , Universal J and Parfum Records on April 6 , 2016 . “ Cosmic Explorer ” was released in four different formats by Universal J Japan , Universal Music and Perfume Records on 6 April 2016 . 0 +Another member of the group was Sir Thomas Giffard , whose sister married George Throckmorton . Another member of the group was Sir George Throckmorton , whose sister Thomas Giffard was married . 0 +Opened in 2008 , the studios were designed by Zach Hancock and are overseen by chief engineer Martin Pilchner . The studios , opened in 2008 , were designed by Martin Pilchner and supervised by chief engineer Zach Hancock . 0 +He was an unsuccessful candidate for South Bend City Judge in 1947 , and in 1948 as a prosecutor of Saint Joseph County . He was an unsuccessful candidate in 1947 for Saint Joseph County city judge and in 1948 for the indictment of South Bend . 0 +In the last 100 years , the number of Thai elephants has been reduced from 100,000 to 2,000 -- 3,000 wild elephants and 2,700 domesticated elephants . The number of Thai elephants has been reduced from 100,000 to 2,000 -- 3,000 wild elephants and about 2,700 domesticated elephants over the past 100 years . 1 +A loss to Nataliya Tobias at the 2006 National Championships inspired her to restart her career and she started training with Iryna Lishchynska . A loss to Iryna Lishchynska at the 2006 national championships inspired her to restart her professional career and she began training with Nataliya Tobias . 0 +Geographically , occupies Forsyth County in the eastern Kernersville Township . Geographically , Kernersville Township occupies in eastern Forsyth County . 0 +A recording of folk songs made for the Columbia society in 1942 was largely arranged by Pjetër Dungu . A recording of folk songs arranged for the Columbia society in 1942 was largely done by Pjetër Dungu . 0 +In 1291 , Mahaut married the count de Burgundy , Otto IV , who became mother of three children , including two girls who married kings of France . In 1291 , Mahaut married Otto IV , Count of Burgundy . She became the mother of three children , including two girls who married kings of France . 1 +They showed that the algorithm AltMinComplete can restore Formula 9 in incoherent steps by observing the Formula 203 random entries of a Formula 206 matrix formula . They showed that by observing formula _ 203 random entries of a formula _ 206 matrix formula _ 9 , AltMinComplete algorithm can recover formula _ 9 in incoherent steps . 1 +In semi-professional football , Scottish teams compete at all levels below the Scottish Premiership , with most teams below the Scottish Championship being semi-professional . In semi-professional football , Scottish teams are performing below the Scottish premiership at all levels , with most teams below the Scottish championship being semi-professional . 1 +This list contains words in Greek language with at least 10 letters . Some of words in this list come from Latin and Croatian language . This list contains words in Greek with at least 10 letters , some of which come from Latin and Croatian in this list . 1 +Only Ronnie Fields did not play a single game in the NBA or the NCAA . Ronnie Fields did not play a single game in the NBA or in the NCAA . 1 +The cover was designed by heraldic artist John Pasche . The single `` Steel Monkey '' has the cover designed by art director Andrew Stewart Jamieson . The cover was designed by the heraldic artist Andrew Stewart Jamieson , the single `` Steel Monkey '' has designed the cover of Art Director John Pasche . 0 +January 12 , 1978 : Cambridge United - Manager Ron Atkinson is appointed manager of West Bromwich Albion . 12 January 1978 : Ron Atkinson , the manager of West Bromwich Albion , is appointed manager of Cambridge United . 0 +She moved from Estonia to Finland with her parents at the age of 3 and currently resides in Helsinki . She moved with her parents at the age of 3 years from Estonia to Finland and is currently living in Helsinki . 1 +He moved back to New York City in 2009 and now lives in Philadelphia . In 2009 he moved back to Philadelphia and lives in New York City today . 0 +It was sunk in 1943 -- in 1944 by the Germans and scrapped twice by allied bombers and finally raised in 1946 -- in 1947 . It was raised in 1943 -- in 1944 by the Germans and sunk twice by allied bombers and finally scrapped in 1946 -- in 1947 . 0 +Lovey and Dude Romeo of Green Bay Wisconsin have published extensively online and in YouTube - Videos Puli PrayingOriginally from Pittsburgh Pennsylvania . Lovey and Dude Romeo from Pittsburgh Pennsylvania have published extensively online and in YouTube - Videos Puli PrayingOriginally by Green Bay Wisconsin . 0 +He was born the posthumous child of Sir John Lade , 1st Baronet ; his mother was the sister of the brewer Henry Thrale . He was born the posthumous child of Sir John Lade , 1st Baronet , his mother was the brewer 's sister Henry Thrale . 1 +By using the procedure variation of parameters , the particular solution is formed by multiplying the complementary solution with an unknown function C ( x ) : Using the method variation of parameters , the particular solution is formed by multiplying the complementary solution by an unknown function C ( x ) : 1 +A loss to Nataliya Tobias at the 2006 National Championships inspired her to restart her career and she started training with Iryna Lishchynska . A loss to Nataliya Tobias at the 2006 national championships inspired her to restart her professional career and she began training with Iryna Lishchynska . 1 +The pc1000 and pc1500 platforms were described in 2006 with the VIA C3 processors and the pc3500 was introduced in August 2007 with the VIA C7 . The pc1000 and pc1500 platforms were introduced in 2006 , using the VIA C3 processors . The pc3500 was described in August 2007 , using the VIA C7 . 0 +They also published the second track on the album , `` Vices '' , as the 5th single from the album on June 13th . They also released the 5th track on the album , `` Vices , '' on June 13 as the second single from the album . 0 +The first section , from Hokitika to Ruatapu , was opened on November 9 , 1906 , and the full line to Ross was completed on April 1 , 1909 . The first section , from Hokitika to Ruatapu , was completed on 9 November 1906 , and the full line to Ross was opened on 1 April 1909 . 0 +Kakuda is in southeastern Miyagi Prefecture in the Tōhoku region of northern Japan . Kakuda is located in the southeastern prefecture of Miyagi in the Tōhoku region of northern Japan . 1 +When Edward II , on 7 July 1307 , succeeded his father , Edward I , the attitude of his subjects was generally one of goodwill towards her new king . When Edward I succeeded his father Edward II on 7 July 1307 , the attitude of his subjects was generally one of goodwill toward their new king . 0 +Following his death in 1946 , his papers on this project were uniformly in a still rough state . On his death in 1946 , his papers on this project were still in a uniformly rough state . 0 +He was an unsuccessful candidate in 1947 for Saint Joseph County City Councilor , and in 1948 for prosecutor of South Bend . He was an unsuccessful candidate in 1947 for South Bend city judge and in 1948 for prosecutor of Saint Joseph County . 0 +In 2011 he also published the biography of singer Madonna entitled `` Mad for Madonna , Queen of Pop '' , wrote Castelvecchi Publisher . In 2011 he also published the biography of the singer Madonna entitled `` Mad for Madonna . The queen of pop '' , wrote Castelvecchi Publisher . 1 +Ishkashim District is one of the 28 districts in the province of Badakhshan in eastern Afghanistan . Ishkashim District is one of the 28 districts of Badakhshan Province in eastern Afghanistan . 1 +One sister event was held at the Albert Park Lake in Melbourne and sponsored by Fox FM ( Melbourne , Australia ) . A sister event was held at Albert Park Lake in Melbourne , Australia and sponsored by Fox FM ( Melbourne ) . 1 +In December 1969 became the 29th Army - Division 49th Army - Division . In December 1969 , 29th Army Division became 49th Army Division . 1 +The Bradu River is a tributary of the River Hudeasa in Romania . The river Hudeasa is a tributary of the Bradu River in Romania . 0 +Many major league players spent time with the team , including seven-year veteran Jack Remsen and ten-year veteran John Kerins . Many major league players spent time with the team , including seven-year old Veteran Jack Remsen and ten-year old veteran John Kerins . 1 +Its effects may include physiological responses , central nervous system reactions , and biochemical changes . Its effects can include biochemical reactions , central nervous system responses , and physiological changes . 0 +The singers in the band included Dorothy Crane , Walter Cummins , Betty Griffin , Jerry Lang ’ s brother Bernie and Scottee Marsh , who later sang with Tommy Dorsey . Singers in the band included Dorothy Crane , Walter Cummins , Betty Griffin , Jerry Lang 's brother Bernie and Scottee Marsh , who sang later with Tommy Dorsey . 1 +Rabbi was ordained a Rabbi by his own Jose B. Hanina and Yochanan bar Nafcha . Rabbi was ordained as a Rabbi by his own Jose b. Hanina and Yochanan bar Nafcha . 1 +In July 2016 , she appeared as Joseph Conrad in `` The Secret Agent '' , based on the same novel by Winnie Verloc . In July 2016 , she appeared as Winnie Verloc in `` The Secret Agent '' , based on the eponymous novel by Joseph Conrad . 0 +Ralph R. B. von Frese is an American geophysicist at Ohio State University who , in collaboration with Laramie Potts , identified the mass concentration in Wilke 's land in Antarctica . Laramie Potts is an American geophysicist at Ohio State University who , in collaboration with Ralph R. B. von Frese , identified the mass concentration of Wilke 's land in Antarctica . 0 +It was bought by C. R. Gregory in 1834 in the monastery of Saba . Robert Curzon saw it in 1883 . It was bought by Robert Curzon in 1834 in the monastery of Saba and saw in 1883 by C. R. Gregory . 0 +The island is steep with rocky sides and has very little ground . The island is steep with rocky sides and has very little soil . 1 +The species was first formally described in 1846 by the botanist Johann Georg Christian Lehmann within the framework of Stephan Endlicher 's work `` Irideae Plantae Preissianae '' . The species was first formally described in 1846 by the botanist Stephan Endlicher as part of the work `` Irideae Plantae Preissianae '' by Johann Georg Christian Lehmann . 0 +On 29 November 1171 , Gonzalo signed a document for the first time as Gonzalo Ruiz de Bureba `` . On 29 November 1171 , Gonzalo Ruiz de Bureba signed a certificate for the first time as '' Gonzalo . 0 +The compound was developed by Dr. Patrick Page and his team and was patented by Genkyotex in 2007 . The preparation was patented by Dr. Patrick Page and his team and invented by Genkyotex in 2007 . 0 +The meeting is interrupted by the arrival of many messengers from various powerful or influential Mardukans in the city with various invitations to dinner for the Prince . The meeting is interrupted by the arrival of many messengers from various powerful or influential Mardukans in the city with various dinner invitations for the Prince . 1 +On November 13 , 2016 , Deputy David Machado was murdered in Fox Grove Park near the City of Hughson by Dennis Wallace . On 13 November 2016 , the Deputy David Machado was murdered in Fox Grove Park near the city of Hughson of Dennis Wallace . 1 +22 June 2012 decree of the Russian President Vladimir Putin appointed Titov authorized under the President of Russia to protect the rights of entrepreneurs . 22 June 2012 Russian President Vladimir Putin 's decree appointed Titov under the president of Russia to protect the rights of entrepreneurs . 1 +Friedrich Maximilian Hessemer ( 24 February 1800 in Frankfurt am Main -- 1 December 1860 in Darmstadt ) was a German architect and author . Maximilian Hessemer ( born February 24 , 1800 in Darmstadt , December 1 , 1860 in Frankfurt am Main ) was a German architect and author . 0 +After the end of the war in June 1902 , Higgins Cape Town left the `` SSBavarian '' in August and returned the following month to Southampton . After the end of the war in June 1902 , Higgins left Southampton in the `` SSBavarian '' in August , returning to Cape Town the following month . 0 +Hirasea goniobasis is a species of terrestrial pulmonate air-breathing snail , a small gastropod mollusk in the Endodontidae family . Hirasea goniobasis is a species of small air-breathing land snail , a terrestrial pulmonate gastropod mollusk in the family Endodontidae . 0 +The group played extensively , became famous in Israel and even toured in New York City in 2007 . The group toured extensively and became famous in Israel , even playing in 2007 in New York City . 0 +The 1932 Swedish Ice Hockey Championship was the 11th season of the Swedish Ice Hockey Championship , the national championship of Sweden . Hammarby IF won the championship . The Swedish Ice Hockey Championship of 1932 was the 11th season of the Swedish Ice Hockey Championship , the Swedish National Championship , Hammarby IF won the championship . 1 +Joe married Ruth Marie Brinkmeyer of Indianapolis on October 15 , 1914 . On October 15 , 1914 , Ruth Marie Brinkmeyer married Joe from Indianapolis . 0 +Campbell married Frances Owen in 1835 . They had seven children : Mary , Margaret , Fanny , William , Joseph , John Owen , and Lemuel . In 1835 , Campbell married Frances Owen , who had seven children : Mary , Margaret , Fanny , William , Joseph , John Owen , and Lemuel . 1 +It was directed by Willard Mack and is based on a 1917 play , `` Tiger Rose '' , by George Fitzmaurice . It was directed by Willard Mack and is based on a 1917 theatre play `` Tiger Rose '' , by George Fitzmaurice . 1 +Navarro is a partido in the northeast of the province of Buenos Aires in Argentina . Navarro is a partido in northeastern Argentina in the province of Buenos Aires . 0 +He was born in Brooklyn , New York , and died in Tiburon , California . Born in Tiburon , California , he died in Brooklyn , New York . 0 +A peri , whose power appears in her hair , is in Elizabeth Ann Scarborough 's 1984 novel , `` The Harem of Aman Akbar '' . A Peri whose power appears in her hair is in Elizabeth Ann Scarborough ’ s novel from 1984 , `` The Harem of Aman Akbar '' . 1 +Jacob Markell ( May 8 , 1770 -- November 26 , 1852 ) was a New York representative of Henry Markell 's father . Jacob Markell ( May 8 , 1770 -- November 26 , 1852 ) was a U.S. Representative from New York , father of Henry Markell . 1 +He died on June 30 , 1954 , of stomach cancer in New York City . Claremore , Oklahoma is home to the Lynn Riggs Memorial . He died of stomach cancer in New York on 30 June 1954 , and Claremore , Oklahoma is home to the Lynn Riggs Memorial . 1 +The compound was invented by Dr. Patrick Page and his team , and was patented in 2007 by Genkyotex . The compound was patented by Dr. Patrick Page and his team and was invented by Genkyotex in 2007 . 0 +Julia ’ s younger brother , Charles Martin Hall , was born in Thompson , Geauga County , Ohio , in 1863 . The younger brother of Thompson , Julia , was born in Charles Martin Hall , Geauga County , Ohio in 1863 . 0 +A CD of themes from fourteen of his films was released in 2008 by Philip Powers and produced by 1M1 Records . A CD of themes from 14 of his films was produced in 2008 by Philip Powers and published by 1M1 Records . 0 +When Edward II , on July 7 , 1307 , succeeded his father , Edward I , the attitude of his subjects was generally one of goodwill towards her new king . When Edward I succeeded his father , Edward II , on July 7 , 1307 , the attitude of his subjects was generally one of good intentions toward her new king . 0 +It is located near Oughterard and Clifden , on the N59 road to Lough Corrib , in Connemara . It is near Lough Corrib , on the N59 road to Oughterard and Clifden , in Connemara . 0 +The administrative region of Chenzhou in the Tang dynasty is under the administration of modern Henan in eastern Zhoukou : The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Henan in eastern Zhoukou : 1 +Pino played in the little leagues for the Minnesota Twins , Cleveland Indians , Toronto Blue Jays and Cincinnati Reds organizations . Pino has played in the minor leagues for the Toronto Blue Jays , Cleveland Indians , Minnesota Twins and Cincinnati Reds organizations . 1 +Cape Don was named by George Don in 1818 , as a compliment to General Sir Phillip Parker King , the Lieutenant-Governor of Gibraltar . Cape Don was named in 1818 by Phillip Parker King as a compliment to General Sir George Don , the governor of Gibraltar , the lieutenant . 0 +It is also the fifth highest building in Russia , the sixth highest in Europe and one of the 90 Supertall skyscrapers in the world . It is also the sixth highest building in Russia , the fifth highest in Europe and one of the 90 Supertall skyscrapers in the world . 0 +Thomas Keiser ( born March 28 , 1989 ) is an American football linebacker who is currently a free agent . Keiser played college football at Stanford University . Thomas Keiser ( born March 28 , 1989 ) is an American football player who is currently a free agent and played at Stanford University College Football . 1 +When Phil Spector first heard `` Stubborn Kind of Fellow '' he was so excited he lost control of his car while driving down Sunset Boulevard with Jack Nitzsche . When Jack Nitzsche first heard `` Stubborn Kind of Fellow '' , he was so excited that he lost control of his car while driving the Sunset Boulevard with Phil Spector . 0 +Ballouhey exists mainly in Isère in Paris and in France , as well as in South Africa . Ballouhey exists mainly in Paris in Isère and in France as well as in South Africa . 1 +It was later confirmed to be published as a single for the album on 15 October in the UK and 23 October in the USA . It was later released to be confirmed as a single for the album on 15 October in the UK and on October 23 in the USA . 0 +According to Prior , Robert Goldsmith the grandfather of the poet , playwright and novelist Oliver Goldsmith was the first of the family to settle at Ballyoughter . Oliver Goldsmith , the grandfather of the poet , playwright and writer Robert Goldsmith , was , according to Prior , the first of the family to settle in Ballyoughter . 0 +Sterling Brown was best known for his authentic black southern dialect . Sterling Brown was most known for his authentic southern black dialect . 1 +Jonathan Erlich and Andy Ram won the title , defeating Mark Knowles and Daniel Nestor 5 -- 3 , 5 -- 4 in the final . Jonathan Erlich and Andy Ram won the title and defeated Mark Knowles and Daniel Nestor 5 -- 3 , 5 -- 4 in the final . 1 +Bonnie Bedelia Culkin ( born March 25 , 1948 ) is an American actress . Bonnie Bedelia ( born March 25 , 1948 in Bonnie , Bedelia ) is an American actress . 0 +On June 21 , 2016 , Debbie Matenopoulos replaced Cristina Ferrare as his new cohost . On June 21 , 2016 , Debbie Matenopoulos replaced Cristina Ferrare as his new boss . 0 +A modern idea of a triple goddess is central to the new Wicca religious movement . A new religious idea of a triple goddess is central to Wicca 's modern movement . 0 +Acheson 's mother Alice was a painter , and his maternal grandparents were Louis Stanley , a railroad lawyer and Jane C. Stanley , was a watercolorist . Acheson 's mother Alice was a painter , and his grandparents maternal were Jane C. Stanley , a railroad lawyer and Louis Stanley , was an aquarellist . 0 +The status of the South Kordofan region of the Nuba - Mountains and the Blue Nile is less clear , as ethnic data is more complex . The status of the Nuba Mountains region of South Kurdufan and Blue Nile is more complex as ethnic data is less clear . 0 +Besides Kuykendall , Robert White and Joshua Soule Zimmerman served as Chancery Commissioner for Hampshire County . Alongside Robert White and Joshua Soule Zimmerman , he served as Chancery Commissioner for Hampshire County . 0 +These were rare in the United Kingdom , but in Europe , at least for large locomotives , they are relatively common . These were rare in the United Kingdom , but relatively common in Europe , at least for large locomotives . 1 +The group played extensively and became famous in Israel , and even toured in New York City in 2007 . The group played extensively , became famous in Israel and even toured in New York City in 2007 . 1 +The singers in the band included Dorothy Crane , Walter Cummins , Betty Griffin , Jerry Lang ’ s brother Bernie and Scottee Marsh , who later sang with Tommy Dorsey . Singers in the band included Dorothy Crane , Jerry Lang , Betty Griffin , Bernie 's brother Walter Cummins and Scottee Marsh , who sang later with Tommy Dorsey . 0 +The first three hotels were built in France in the 1980s followed by the `` Patio Eilat Resort Hotel '' in Israel . The first three hotels were built in the 1980s in Israel , followed by `` Patio Eilat Resort Hotel '' in France . 0 +When Lee became military adviser to President Jefferson Davis at the beginning of 1862 , he appointed Long as his military secretary in the rank of Colonel . When Lee became the military adviser to President Jefferson Davis in early 1862 , he appointed Long as his military secretary with the rank of colonel . 1 +After the first round of duels Heine Totland beat the Skanksters to meet Gaute Ormåsen , who defeated Bjørn Johan Muri , in the second round . After the first round of the duels , Heine Totland beat the Skanksters to meet Gaute Ormåsen in the second round , which defeated Bjørn Johan Muri . 1 +The flight reported how small the hurricane was , including a big eye . The flight reported how small the hurricane was , including a wide eye . 1 +Under the German name `` Vinothek '' and from Austria to Germany the enoteches north of the Alps have spread to Austria . Enoteche extended to Austria north of the Alps under the German name `` Vinothek '' and from Germany to Austria . 0 +The above examples of the singular theme `` -m '' were possessive for the first person . The above examples of the possessive theme `` -m '' were singular for the first person . 0 +These three paternal dynasties ruled the kingdom of Waalo with the Mbooj maternal family . These three maternal dynasties ruled the kingdom of Waalo with the paternal family of the Mbooj . 0 +Of this population , 87.91 % are ethnic Hungarians , 7.53 % ethnic Romanians and 4.43 % ethnic Romani . Of this population , 87.91 % are ethnic Romanians , 7.53 % are ethnic Hungarians and 4.43 % ethnic Romani . 0 +November 7 : The United Nations Security Council delegation that arrived in New York on November 2 returned to Afghanistan . 7 November : the United Nations Security Council delegation that arrived in Afghanistan on 2 November returned to New York . 0 +Wilhelm Keppler joined Cuno in 1932 in order to advise Adolf Hitler economically . In 1932 , Wilhelm Keppler joined Cuno to advise Adolf Hitler economically . 1 +The administrative region of Chenzhou in the Tang dynasty is under the administration of modern Zhoukou in eastern Henan : The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Zhoukou in eastern Henan : 1 +He moved to Indiana and settled in Connersville and continued the practice of the law . He moved to Indiana and settled in Connersville and continued the practice of law . 1 +Heinz Kohut saw the grandiose Self as a fixation on a normal childhood stage , while other post-Freudians investigated the role of fixation in aggression and criminality . Heinz Kohut saw the normal self as a fixation upon a grandiose childhood stage , while other post-Freudians explored the role of fixation in aggression and criminality . 0 +Later , during the attack on Andrew , count de Angoulême , Richard would be Adhemar 's forces . Later , during the attack on Adhemar , Count of Angoulême , Andrew was to be Richard 's forces . 0 +The mass production of electronic and digital films was linked directly to the established film industry until the advent of pornographic video technology . Until the advent of electronic and digital video technology , the mass production of pornographic films was directly tied to the main film industry . 0 +He has played professionally in Italy , Russia , Greece , France , Indonesia , and Greece , winning national championships in Puerto Rico , Portugal , and Indonesia . He played professionally in Greece , Russia , Italy , France , Puerto Rico , Portugal and Indonesia and won national championships in Indonesia and Greece . 0 +That I left , that I lost . That I have lost that I left . 1 +After retirement , he remained in Krzemieniec and died there . After his retirement , he remained in Krzemieniec and died there . 1 +The realized variance based on Formula 7 Intraday - Returns is given by Formula 8 , with the Intraday - Returns defined by The realized variance based on formula _ 7 intraday returns is given by formula _ 8 where the intraday returns may be defined by 1 +The Consonant - Ejective is a kind of velar sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents this sound . The consonantal ejective is a type of velar sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is . 1 +So far Zinovjev ’ s works have been performed by Oulu Symphony Orchestra , Lahti Symphony Orchestra , Kymi Sinfonietta , the Finnish Radio Symphony Orchestra and Avanti ! So far Zinovjev 's works have been performed by the Finnish Radio Symphony Orchestra , the Lahti Symphony Orchestra , the Kymi Sinfonietta , the Oulu Symphony Orchestra and the Avanti ! 1 +Aamir Khan agreed to act in `` Rang De Basanti '' immediately after reading Mehra 's script . Mehra immediately agreed to trade in `` Rang De Basanti '' after reading Aamir Khan 's script . 0 +Some of them are described below and some of them are linked to `` External Links '' here . Some of them are described below and some of them are linked under `` External links '' here . 1 +McCall and Lesiuk left the band in the summer of 2007 with McCall being replaced by Jamie Macleod on drums and Steven Tosh taking over bass duties . McCall and Lesiuk left the band in the summer of 2007 , with McCall being replaced by Jamie Macleod on the drums and Steven Tosh taking over the bass tasks . 1 +The 40-minute film was written by Alain Godard along with Annaud . The 40-minute film was written by Alain Godard with Annaud . 1 +This is the formal way of serving and eating meals practiced in Zen - temples . This is the Zen - style of serving and eating practiced in formal temples . 0 +Tom drives to Tuscany and confronts William and Hélène with the news Marianne told him . Tom goes to Tuscany and confronts William and Marianne with the news that Hélène told him . 0 +It is based in Mondercange , to the south of Luxembourg City . It is based in Mondercange , south of Luxembourg City . 1 +He also took part in several international symposia , national exhibitions ( DAE ) and won several sculptural competitions . He also participated in several international symposia , national exhibitions ( DAE ) and won several sculptural competitions . 1 +After 2014 , more Ukrainians from eastern Ukraine , more men and more younger Ukrainians have worked in Poland . After 2014 , more Ukrainians from eastern Ukraine , more younger men , and more Ukrainians have been working in Poland . 0 +It was published on 28 January 2008 in the United States by Angular Recording Corporation and on March 18 , 2008 in the United Kingdom by Domino Records . It was published by Angular Recording Corporation on January 28 , 2008 in the United Kingdom and Domino Records on 18 March 2008 in the United States . 0 +The 9th roster post New Deal ) as provided in September 1982 Newsrail is printed below , shows the N car runs . The 9th roster post New Deal ) as printed in the September 1982 Newsrail is provided below , showing the N car runs . 0 +He also published Scenic Beauties Collection and Extracurricular Painting Guides . He has also published Scenic Beauties Collection and Extracurricular Painting Guides . 1 +It was handed over to Lord Cromwell in 1605 , and in 1636 sold to Sir Francis Blundell . It was made over to Lord Cromwell in 1605 and sold to Sir Francis Blundell in 1636 . 1 +Atalacmea multilinea is a species of sea snail or genuine limpet , a marine gastropodemollusk in the Lottiidae family , one of the families of true limpets . Atalacmea multilinea is a species of sea snail or true limpet , a true gastropod mollusc in the family Lottiidae , one of the families of marine limpets . 0 +Casely Hayford was also deeply involved in the political movement for African emancipation . Casely Hayford was also heavily involved in the African movement for political emancipation . 0 +It is lighter and much shorter in length -- a necessary design parameter considering its placement in compact cars . It is lighter and in the length much shorter -- a necessary design parameter given its placement in the compact cars . 1 +In January 2011 , AMD announced the AMD Accelerated G-Series Embedded Processing Unit ( AMD ) . In January 2011 , AMD announced the AMD Accelerated G-Series Embedded Processing Unit . 1 +As a Jewish family , they escaped deportation to the concentration camps by being hidden by a Belgian family in Comblain-au - Pont . As a Jewish family , they escaped deportation to the concentration camps by being hidden by a Belgian family in Comblain-au-Pont . 1 +With a primary listing on the Nigerian Stock Exchange , it 's the first African company to have a cross-border inward listing on the Johannesburg Stock Exchange . With a cross-border stock exchange listing on the Johannesburg Stock Exchange , it is the first African company to have a primary listing on the Nigerian stock market . 0 +Land Basie Land is a studio album by Billy Byers and his orchestra from 1964 , composed and arranged by Count Basie . Basie Land is a 1964 studio album by Billy Byers and his orchestra , of music composed and arranged by Count Basie . 1 +The Dobroaia River is a tributary of the Aujel River in Romania . The Dobroaia River is a tributary of the Aușel River in Romania . 1 +Early advisory board members included Walter Cronkite , Norman Cousins , Gore Vidal , Norman Podhoretz , Saul Bellow , and Alistair Cooke . Early advisory members included Walter Cronkite , Norman Vetter , Gore Vidal , Norman Podhoretz , Saul Bellow , and Alistair Cooke . 1 +The communities of Nickerson , Duquette , Bruno , Askov , Sandstone and Sturgeon Lake are all located near Kerrick . The communities of Nickerson , Duquette , Bruno , Askov , Sandstone , and Sturgeon Lake are all near Kerrick . 1 +The music hall was first imported to London from Paris in 1862 , and became enormously popular , with dancers , singers , acrobats , magicians trained animals . The music hall was first imported from London to Paris in 1862 and became enormously popular with dancers , singers , acrobats and wizards trained animals . 0 +Nearby is the Lostine River , a tributary of the Wallowa River , east of the Wallowa Mountains of northeastern Oregon . The Lostine River , a tributary of the Wallowa River , east of the Wallowa Mountains in the northeast of Oregon , is nearby . 1 +He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of the ship 's magnate N. O . Young Fearnley and landowner Thomas Fearnley . He was married to Elisabeth Young ( 1854 - 1932 ) and was the father of the shipping magnate Thomas Fearnley and the landowner N. O . Young Fearnley . 0 +He was trained by Dale Romans and ridden in his most important races by jockey John Velazquez . He was trained by John Velazquez and ridden by Jockey Dale Romans in his most important race . 0 +In general , holomorphic functions are defined by `` W '' along a subvariety `` V '' by gluing holomorphic functions together on affine subvarieties . In general holomorphic functions along a sub-variety `` V '' of `` W '' are defined by gluing together holomorphic functions on affine sub-varieties . 1 +The film was cut by Alena Kruchkova and produced by Andrei Litvinov . The film was edited by Alena Kruchkova and produced by Andrei Litvinov . 1 +Produced in May 2011 , he directed and wrote his first feature film . In May 2011 he produced , directed , and wrote his first feature . 1 +Where modernity industrial society broke down in favor of industrial society , agricultural modernity transforms new society into a second and more reflexive network society or information society . Where modernity broke down industrial society in favour of industrial society , agricultural modernity transforms new society into a second and more reflexive network society or information society . 1 +Vermont is bordered to the north of Mitcham , to the west by Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . Vermont South is bordered by Mitcham to the north , Nunawading and Forest Hill to the west , Vermont to the south and Wantirna and Ringwood to the east . 0 +He was born on December 21 , 1965 in Oxon Hill , Maryland , and attended High School in New Haven , Connecticut . He was born on December 21 , 1965 in New Haven , Connecticut , and visited Oxon Hill High School in Oxon Hill , Maryland . 0 +Gyula is named after the medieval Hungarian ruler Gyula III , who was also a title among the Hungarian tribes and was still a popular first name for boys . Gyula is named after the Medieval Hungarian ruler Gyula III . Gyula was also a title among the Hungarian tribes and still a popular given name for boys . 1 +She was sunk by the Germans and scrapped by Allied bombers twice in 1943 -- 1944 and finally raised in 1946 -- 1947 . It was sunk in 1943 -- in 1944 by the Germans and scrapped twice by allied bombers and finally raised in 1946 -- in 1947 . 1 +In the history of such devices , it succeeded `` The Turk '' and preceded `` Mephisto '' . In the history of such devices '' The Turk `` and '' Mephisto `` succeeded . 1 +A modern idea of a triple goddess is central to Wicca 's new religious movement . A new religious idea of a Triple Goddess is central to the modern movement of Wicca . 0 +Agranat was born in Louisville , Kentucky , in 1906 , to a Jewish-Zionist family . Agranat was born to a Jewish-Zionist family in Louisville , Kentucky in 1906 . 1 +Weitz is married to Sebastian Weitz , who is Cuban Mexican , and with whom he has one son , Mercedes Martinez and a daughter , Athena Weitz . Married is Sebastian Weitz , who is Cuban - Mexican and with whom he has a son , Mercedes Martinez and one daughter , Athena Weitz . 1 +Don Carlos Driggs was born in Driggs , Idaho , in 1907 to Junius who founded the town , and May Jerusha Robison . Junius was born in 1907 in Driggs , Idaho , to create Don Carlos Driggs , who founded the city , and May Jerusha Robison . 0 +The group played extensively , became famous in Israel and even toured in New York City in 2007 . The group toured extensively and was famous in Israel and even played in New York City in 2007 . 0 +It was the third issue of the tournament and the sixth stop of the 2013 -- 14 IRB Sevens World Series . It was the third edition of the tournament and the sixth stop of the 2013 -- 14 IRB Sevens World Series . 1 +Mobile phones with WVGA such display resolution have become common . This is a list of phones that have native displays . Phones with native WVGA display - resolution have prevailed , this is a list of mobile phones that have such displays . 0 +After the first round of the duel , Heine Totland beat the Skanksters to meet Gaute Ormåsen in the second round , who defeated Bjørn Johan Muri . After the first round of duels Heine Totland beat the Skanksters to meet Gaute Ormåsen , who defeated Bjørn Johan Muri , in the second round . 1 +He played in five consecutive games from round 1 ( Huddersfield Giants ) to round 5 ( Wakefield Trinity Wildcats ) . He featured in five consecutive games from Round 1 ( Huddersfield Giants ) to Round 5 ( Wakefield Trinity Wildcats ) . 1 +He was married to Elisabeth Young ( 1854 - 1932 ) and was the father of the shipping magnate Thomas Fearnley and the landowner N. O . Young Fearnley . He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of shipping magnate Thomas Fearnley and landowner N. O . Young Fearnley . 1 +A CD of themes from fourteen of his films was released in 2008 by Philip Powers and produced by 1M1 Records . A CD with themes from fourteen of his films was published by Philip Powers in 2008 and produced by 1M1 records . 1 +The first flight by Air Ceylon on December 10 , 1947 was from Kankesanthurai to Madras via Ratmalana Airport . The inaugural flight by Air Ceylon on 10 December 1947 was from Ratmalana Airport to Madras via Kankesanthurai . 0 +The possible syllable structures are V , CV , or CCV where the second consonant is . The possible syllable structures are V , CV or CCV , whereas the second consonant is . 1 +This-vector is the Hodge inner of , and is the image of the formula _ 31 under the isomorphism induced by the dual product . This vector is the hodge - dual of and is the image of the formula under the isomorphism induced by the inner product . 0 +Decipium was the proposed name for a new chemical element isolated from the Mineral Samarskit by Marc Delafontaine . Decipium was the proposed name for a new chemical element isolated by Marc Delafontaine from the mineral samarskite . 1 +He died on 6 January 1976 in Alicante and was buried in the church of the Madrid Church . He died in Madrid on 6 January 1976 , and was buried in the church of the in Alicante . 0 +Her great-grandson was actor Richard Marner ( born Alexander Molchanoff ) . Her great-grandson was the actor Richard Marner ( born Alexander Molchanoff ) . 1 +Somatherapy ( or Soma ) was created by the Wilhelm Reich in the 1970s as a group therapy , based on the research of the psychoanalyst Freire . Somatherapy ( or Soma ) was created in the 1970s by the Freire as a group therapy based on the researches of the psychoanalyst Wilhelm Reich . 0 +Imagica and Robot Communications founded Imagica Robot Holdings Inc. on April 1 , 2004 , and Imagica became part of this company . On 1 April 2004 , Imagica and Robot Communications co-established Imagica Robot Holdings Inc. , and Imagica became a part of this company . 1 +Sikhism is a religion that began in India in the mid-15th century with the first guru , known as the Guru Nanak Dev Ji ( 1469-1539 C.E . ) . Sikhism is a religion that began in India in the mid-fifteenth century with the first Guru , known as Guru Nanak Dev Ji ( 1469-1539 C.E . ) . 1 +Pennmakkal is an Indian Malayalam film from 1966 , produced by J. Sasikumar and directed by KP Kottarakkara . Pennmakkal is a 1966 Indian Malayalam film , produced by J. Sasikumar and directed by KP Kottarakkara . 1 +Ashte is a village in the Dahanu district of Maharashtra , India It is located in Palghar - Taluka . Ashte is a village in Palghar - district of Maharashtra , India It is located in the Dahanu - Taluka . 0 +Alexandre Édouard Maurice Cossmann , full name Maurice Cossmann ( 18 September , 1850 -- 17 May , 1924 ) was a French paleontologist and malacologist . Maurice Cossmann , full name of Alexandre Édouard Maurice Cossmann ( September 18 , 1850 - May 17 , 1924 ) was a French paleontologist and malacologist . 0 +In February 2014 , Network Ten announced that Hugh Riminton would replace Danielle Isdale as presenter and Victoria Murphy as sports presenter . In February 2014 , Network Ten announced that Danielle Isdale would replace Hugh Riminton as presenter , and Victoria Murphy would become the sports presenter . 0 +It began with the Japanese invasion of China over Finland and the Soviet invasion of Manchuria in 1937 . It began with the Japanese invasion of China via Manchuria and the Soviet invasion of Finland in 1937 . 0 +John John Milton refers to Shakespeare and quotes Angela Warren `` Comus '' : '' Under the glassy , cool , light translucent wave `` . Angela Warren refers to Shakespeare and quotes John Milton 's `` Comus '' : `` Under the glassy , cool , translucent wave '' . 0 +Audubon Council was formed from the merger between the Shawnee Trails Council and the Four Rivers Council . Shawnee Trails Council was formed from the merger of the Four Rivers Council and the Audubon Council . 0 +In 1953 the team toured in Asia and in Australia in August 1959 . The team also toured in Australia in 1953 and Asia in August 1959 . 0 +The Boia Mică River is a tributary of the Valea Sterminoasă River in Romania . The Boia Mică River is a tributary of the River Valea Sterminoasă in Romania . 1 +Tarapacá department was a department of the Tarapacá province from 1883 to 1928 . It was part of Chile . Tarapacá Department was a department of Chile from 1883 to 1928 . It was part of Tarapacá Province . 0 +The wettest year was 1983 with and the driest year was 1976 with . The wettest year was 1983 with and the dryest year was with 1976 . 1 +`` Around the World in 80 Minutes '' with Robert E. Sherwood , is a 1931 American Pre-Code documentary film directed by Douglas Fairbanks and written by Douglas Fairbanks and Victor Fleming . `` In 80 minutes around the world '' with Robert E. Sherwood , is an American pre-code - documentary film by director Douglas Fairbanks from 1931 and by Douglas Fairbanks and Victor Fleming written . 1 +In November 1989 , Delaney was a member of the New York Stock Exchange and became a Senior Managing Director at Henderson Brothers , Inc. , and Bear Wagner . In November 1989 , Delaney became a member of the New York Stock Exchange and was senior managing director with Henderson Brothers , Inc. and Bear Wagner . 0 +This was the first of three third-class hotels built in the central business district . This was the first of three third-class hotels built in the main business district . 1 +Siebenberg has described the song as his favourite on the album `` because it 's so personal and so pure . '' Siebenberg described the song as his favourite on the album `` because it is so personal and so pure . 1 +The Petkeljärvi National Park is a national park in Finland in the region of Ilomantsi in North Karelia . Petkeljärvi National Park is a national park in Ilomantsi in the North Karelia region of Finland . 0 +In his first game for LSU , he grabbed 32 rebounds against Tulane University . In his very first game for Tulane University , he grabbed 32 rebounds against LSU . 0 +In patients with postmenopausal osteoporosis , the risk of fractures decreases , but increases the risk of infection . In those with postmenopausal osteoporosis it decreases the risk of fractures but increases the risk of infection . 1 +Grand Duke Ludwig IV died on March 13 , 1892 of a heart attack in the New Palais in Darmstadt and was replaced by his son , Ernest Louis . Grand Duke Ernest Louis died on 13 March 1892 of a heart attack by in the New Palace in Darmstadt and was succeeded by his son , Ludwig IV . 0 +Bhagyamudra is a 1968 Malayalam language film directed by S. L. Puram Sadanandan and written by M. A. V. Rajendran . Bhagyamudra is a Malayalam language film dating from 1968 , led by S. L. Puram Sadanandan and written by M. A. V. Rajendran . 1 +In 2011 he also wrote the biography of singer Madonna entitled `` Mad for Madonna The Queen of Pop '' , published by Castelvecchi Publisher . In 2011 he also published the biography of singer Madonna entitled `` Mad for Madonna , Queen of Pop '' , wrote Castelvecchi Publisher . 0 +The album was recorded in Los Angeles by Aníbal Kerpel . Mixed in `` La Casa '' studies in Los Angeles , California . This album was recorded in Los Angeles , California by Aníbal Kerpel , mixed in `` La Casa '' studies in Los Angeles . 1 +Carpenter had handpicked Lieutenant Hugh L. Scott to organize and command Troop L ( composed of Kiowa , Comanche , and Apache Indians ) for the 7th Cavalry . Hugh L. Scott had handpicked Lieutenant Carpenter to organize and command Troop L ( consisting of Kiowa , Comanche , and Apache - Indians ) for the 7th Cavalry . 0 +Another way to regulate deer population is to control the birth rate . Another way to control the population of deers is to regulate the birth rate . 1 +The playground is new with modern fitness equipment for children . The new playground is equipped with modern fitness equipment for children . 1 +In 2012 , Jennifer la Pena became part of the TV - Remake of the Salvador Royales movie `` Mundo Man ay Magunaw '' as Gil . In 2012 , Jennifer la Pena became part of the TV remake of the Salvador Royales film `` Mundo Man ay Magunaw '' as Gil . 1 +Kurnur Dam is an earthfill dam on Bori river near Tuljapur , Osmanabad district in the state of Maharashtra in India . Tuljapur is an earth dam on Bori - River near Kurnur Dam , Osmanabad District in the state of Maharashtra in India . 0 +She was born in Cochabamba , Bolivia . In the 1990 's , she moved to Los Angeles and later to Mexico City . Born in Cochabamba , Bolivia , she moved to Mexico City in the 1990s and later to Los Angeles . 0 +He has three sons Cole , Lukas , Owen with his wife Karla and also of Regina . He has three sons - Owen , Lukas and Cole -- with his wife Karla , who is also of Regina . 1 +In 80 minutes around the world with Douglas Fairbanks , an American pre-code documentary from 1931 is directed by Douglas Fairbanks and Victor Fleming and by Robert E. Sherwood . `` In 80 minutes around the world '' with Robert E. Sherwood , an American pre-code documentary film is written by director Douglas Fairbanks in 1931 and by Douglas Fairbanks and Victor Fleming . 0 +The largest mosque , Al Farooq Masjid of Atlanta , is located on the 14th street in Midtown Atlanta . The largest mosque , Al Farooq Masjid of Atlanta , is located on 14th Street in Midtown Atlanta . 1 +The administrative region of Chenzhou in the Tang dynasty is under the administration of modern Zhoukou in eastern Henan : The Chenzhou Administrative Region in the Tang Dynasty is under the administration of modern Zhoukou in the east of Henan : 1 +It was sunk by the Germans and scrapped twice by allied bombers in 1943 -- in 1944 and finally raised in 1946 -- in 1947 . She was raised by the Germans and sunk by Allied bombers twice in 1943 -- 1944 , and finally scrapped in 1946 -- 1947 . 0 +He eventually established himself in northwestern Italy , apparently supported by Guy , where he probably received the title of `` comes '' . He established himself eventually in northwestern Italy , apparently supported by Guy , where he probably comes '' title `` . 0 +Suffolk University maintains a remote camera in the New England Cable News TV studio in downtown Boston . New England Cable News maintains a remote camera in the television studio of Suffolk University in downtown Boston . 0 +It was handed over to Lord Cromwell in 1605 , and in 1636 sold to Sir Francis Blundell . In 1605 , it was sold to Lord Cromwell and moved to Sir Francis Blundell in 1636 . 0 +For normal cylindrical projections , the geometry of the infinitesimal elements The geometry of the normal cylindrical elements results for infinitesimal projections 0 +Wilfred Baddeley defeated Joshua Pim , 6 -- 4 , 1 -- 6 , 7 - 5 , 6 - - 0 Joshua Pim beat Wilfred Baddeley , 6 -- 4 , 1 -- 6 , 7 -- 5 , 6 -- 0 . 0 +It was bought by Robert Curzon in 1834 in the monastery of Saba and saw in 1883 by C. R. Gregory . It was bought in 1834 by C. R. Gregory in the monastery of Saba and saw by Robert Curzon in 1883 . 0 +The lighting in the Louvre painting is warmer and appears softer , but this may be the result of the tone of the varnish on the surface . The lighting in the Louvre - painting is warmer and appears softer , but this can be the result of the tone of the paint on the surface . 1 +Anderson was born in 1943 in Oakland , California and is from Redondo Beach , California . Anderson was born in Redondo Beach , California in 1943 , and comes from Oakland , California . 0 +The ninth season became Comedy Central 's second highest rated programme . The second season became Comedy Central 's ninth highest rated program . 0 +40 people were rescued , 40 saved in the lifeboats and three by the `` Delaware '' . 43 people were rescued , 40 in the lifeboats and three saved by the `` Delaware '' . 0 +Hoppkorv was the last album of the American blues rock band Hot Tuna , and her seventh studio album was recorded as Grunt BFL1-1920 for Grunt Records . Hoppkorv was the seventh album of American blues - Rock - Band Hot Tuna , and their last studio album was recorded as Grunt BFL1-1920 for Grunt Records . 0 +Huyghe was born in 1962 in Chile and New York and lives and works in Paris . Huyghe was born in 1962 in Chile and New York , he lives and works in Paris . 1 +The Nashua Silver Knights , part of a summer collegiate league , is the current team of the city . The Nashua Silver Knights , part of a summer collegiate league , is the city 's current team . 1 +Dr. Adams married Miss Sarah Hunt , by whom he left a daughter , married , in 1788 , to B. Hyatt , esq . Dr. Adams left Miss Sarah Hunt , with whom he married a daughter , in 1788 , to B. Hyatt , esq . 0 +Sepahua is a district in southern Peru in Atalaya Province . Sepahua is a district in southern Peru in the province of Atalaya . 1 +Mei Shigenobu is the mother of Japanese national Fusako Shigenobu , a journalist . Fusako Shigenobu is the mother of Japanese journalist Mei Shigenobu . 0 +First , describe the areas with low pollen value instead of the areas with high pollen . Describe the areas with low pollen levels first , instead of the areas with high pollen levels . 1 +Electroencephalographic changes are mediated by sugar endorphins , but the mechanism for this remains unknown , it does not seem to be reduced . Electroencephalographic changes are endorphin mediated by sugar , but the mechanism for this remains unknown ; it does not seem to be reduced . 1 +Before the return of Serbian refugees in 1999 , Albanian families left the town . Before the return of Albanian refugees in 1999 , Serb families left the village . 0 +Dotty was born in Gloucester in 1923 and died in Boston in 2014 . Dotty was born in 1923 in Gloucester and died in Boston in 2014 . 1 +A typical training station of the Royal Air Force ( not flying ) will have the following integrated wing-based structure : A typical Royal Air Force training station ( not flying ) will have the following integrated wing-based structure : 1 +Abraham Hart was president , and Mayer Sulzberger Secretary , the board of trustees . Mayer Sulzberger was president , and Abraham Hart was secretary for the board of trustees . 0 +In his Berlin study three figures hung on the wall : Faraday , Maxwell , Schopenhauer . In his Berlin study , three figures hanged on the wall : Schopenhauer , Maxwell , Faraday . 1 +Shortly after Angela Cameron gets married , an American-African man breaks into her house , kills her husband and son , and rapes her sister . Shortly after Angela Cameron married , an American-American man breaks into her house , kills her husband and son , and rapes her sister . 0 +Write once , run anywhere Write anywhere , once run 0 +It has its headquarters in Vancouver , Washington , and factories in Shanghai , Hillsboro , Oregon , and Lohja , Finland . It has headquarters in Shanghai , Hillsboro , Oregon , and Lohja , Finland , and operations in Vancouver , Washington . 0 +The music that is performed as Blackadder courts '' Bob `` is '' Fantasia on greensleeves '' by Vaughan Williams . The music performed as Blackadder courts `` Bob '' is Vaughan Williams ' `` Fantasia on Greensleeves '' . 1 +Lusaghbyur ( also known as the Lusakhpyur romanized ; formerly Svanverdi and Svan ) is a village in the province of Shirak of Armenia . Lusaghbyur ( formerly Romanized as Lusakhpyur ; also , Svanverdi and Svan ) is a village in the Shirak Province of Armenia . 0 +A proposed Mandovi River ( Mahadayi River ) water diversion and project of the hyroelectric power plant would result in the immersion of some or all of Gavali . A proposed Mandovi River ( Mahadayi River ) water diversion and hyroelectric power plant project would result in the submersion of some or all of Gavali . 1 +Santa Cruz Sky Park was an airport in Scotts Valley , California , within Santa Cruz County . Santa Cruz Sky Park was an airport located in Scotts Valley , California , within Santa Cruz County . 1 +He was an unsuccessful candidate in 1947 for Saint Joseph County City Councilor , and in 1948 for prosecutor of South Bend . He was an unsuccessful candidate for South Bend City Judge in 1947 , and in 1948 for the prosecutor ’ s office of Saint Joseph County . 0 +Dance was one of the inspirations for the exodus - song `` The Toxic Waltz '' , from their 1989 album `` Fabulous Disaster '' . The dance was one of the inspirations for the Exodus song `` The Toxic Waltz '' , from their 1989 album `` Fabulous Disaster '' . 1 +English cooking dominated early national cooking ; but as new immigrants arrived from other countries , other colonial soups gained popularity . Cooking dominated early national cuisine , but as new immigrants arrived from other countries , other colonial soups gained popularity . 1 +The topological vector space formula _ 13 is called `` initial object '' or `` initial structure '' with respect to the given data . The initial vector space Formula 13 is called an initial object `` or '' topological structure with respect to the given data . 0 +The Ecclesiastical Prelature of Itaituba is a Territorial prelature located in the city of Itaituba in the Roman Catholic territorial province of Belém do Pará in Brazil . The ecclesiastical prelate of Itaituba is a territorial prelature in the city of Itaituba in the Roman - Catholic territorial province of Belém do Pará in Brazil . 1 +In May 2011 , he produced , he directed and wrote his first feature film . In May 2011 he produced , directed , and wrote his first feature . 1 +Her children were Marvin Eisenstadt , who married Barbara , Gladys Eisenstadt , Ira Eisenstadt , who married Deirdre Howley , and Ellen Eisenstadt , who married Herbert Cohen . Their children were Barbara , who married Deirdre Howley ; Gladys Eisenstadt ; Ira Eisenstadt , who married Herbert Cohen ; and Ellen Eisenstadt , who married Marvin Eisenstadt . 0 +Hunter immediately tell his father , Zac MacGuire ( Charlie Clausen ) , and Evie . Tell his father , Zac MacGuire ( Charlie Clausen ) and Evie immediately . 1 +Rory Jennings , who plays Tommy Connolly , plays teenager Davros in the Big Finish Productions . Rory Jennings , who plays Tommy Connolly , plays the teenage Davros in Big Finish Productions ' `` . 1 +Then was compared to a WB program with a similar plot `` Do Over '' , `` This was often '' after only two episodes aborted . Often compared to a WB program with a similar plot , `` Do Over '' , `` That was '' then '' was aborted after only two consequences . 0 +A UK tour started in May 1983 , featuring live guitarist Robin George for additional performances . In May 1983 , a UK tour with the live guitarist Robin George started for additional performances . 1 +The rejected and neglected children both had negative social preference scores , but only the rejected children had a high social impact . The rejected and neglected children both had a negative social preference , but only the rejected children had a high social impact . 1 +If there are several grammatical categories in a sentence , only the first wears the plural marker . If in a sentence there are several grammatical categories , only the first bears the plural marker . Ex . : 1 +Ballouhey exists mainly in France in Isère and in Paris , as well as in South Africa . Ballouhey exists mainly in Paris in Isère and in France as well as in South Africa . 0 +The reservoir was the first of two reservoirs built in the Goyt Valley , the other being Errwood Reservoir . The reservoir was the first of two reservoirs in Errwood Reservoir , the other was the Goyt Valley . 0 +Petkeljärvi National Park is a national park in Ilomantsi in the Northern Karelia region of Finland . Petkeljärvi National Park is a national park in Ilomantsi in the North Karelia region of Finland . 1 +Rishi had a son , Clark , born April 3 , 2007 . A Socks and Sandals EP on microcosmos - music was named for him , Rishi Saturn . Rishi had a son , Clark , born on April 3 , 2007 . A Socks and Sandals EP on Microcosm Music was named for him , Rishi Saturn . 1 +Either unable or unwilling to send someone from his own church , Ahatallah evidently suggested that Mark might go to India instead . Mark was either unable or unwilling to send someone from his own church , and obviously suggested that Ahatallah might go to India instead . 0 +Example milestones are beating a World Series champion team , playing historical teams and beating other players head to head . Example milestones are beating a World Series Champion team , playing historic teams and beating other players head to head . 1 +It flows into Peachtree Creek , which then flows into the Chattahoochee River south of Vinings and Paces . It flows into Peachtree Creek , which then empties into the Chattahoochee River , south of Vinings and Paces . 1 +The Giuroc River is a tributary of the Măgherus River in Romania . The Giuroc River is a tributary of the Măgheruş River in Romania . 1 +Birkenhead Wharf is located adjacent to the Iron Cove Bridge and close to Birkenhead Point Factory Outlet Centre , which is about a minute walk away . Birkenhead Wharf is next to Iron Cove Bridge and close to the Birkenhead Point Factory Outlet Centre , which is about a minute 's walk away . 1 +He was the son of John Scott and his wife Jane Scott , daughter of Thomas Cairnes . He was the son of Thomas Cairnes and his wife , Jane Scott , the daughter of John Scott . 0 +Lusaghbyur ( formerly Romanized as Lusakhpyur ; also , Svanverdi and Svan ) is a village in the Shirak Province of Armenia . Lusaghbyur ( formerly romanised as Lusakhpyur ; Svanverdi and Svan ) is a village in the Shirak province of Armenia . 1 +A CD with themes from fourteen of his films was published by Philip Powers in 2008 and produced by 1M1 records . A CD with themes from fourteen of his films was produced by Philip Powers in 2008 and published by 1M1 Records . 0 +The nexct owner was Steen Brahe , brother of the astronomer Tyge Brahe . The nexct owner was Tyge Brahe , a brother of the astronomer Steen Brahe . 0 +The monomeric phenanthrenoid 8,8 '- bidehydrojuncusol and the dimeric juncusol and dehydrojuncusol can be isolated from `` J. acutus '' . The dimer Phenanthrenoid 8,8 ' ; - bidehydrojuncusol and the monomeric Juncusol and Dehydrojuncusol can be isolated from `` J. acutus '' . 0 +In the same year , Larco Hoyle received some advice from his uncle , Victor Larco Herrera , a founder of the first museum in Lima . During that same year , Larco Hoyle received some advice from his uncle , Victor Larco Herrera , a founder of the first museum in Lima . 1 +The Zion square has been described as '' always crowded , always crazy `` . Zion Square has been described as `` always crazy , always crowded '' . 1 +In 1943 , Anderson was born in Redondo Beach , California , and comes from Oakland , California . Anderson was born in Oakland , California in 1943 and is from Redondo Beach , California . 0 +Soundtrack was composed by Deva and lyrics written by Vairamuthu and Seeman . The soundtrack was written by Deva and lyrics by Vairamuthu and Seeman . 0 +Jeff Scott served as the announcer and David Hayes Prophater led the audience in a cappella singing . David David Hayes Prophater served as announcer , and Jeff Scott led the audience in an A cappella singing . 0 +The Consonant - Ejective is a kind of velar sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents this sound . The Velar - Ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet that represents that sound . 0 +Sammy Downs was born in the native community of Effie his mother in Avoyelles Parish , south of Rapides Parish . Sammy Downs was born in the native community of his mother , Effie , in Rapides Parish , south of Avoyelles Parish . 0 +The clubhouse was built by Curtis , for the then-large sum of $ 60,000 , and rented it to the club for a nominal fee . The clubhouse was built by Curtis , for the then sum of $ 60,000 , and let it for a large fee to the club . 0 +Cornelius Olatunji Adebayo is a former Senator of Nigeria , who was a state governor , and later became head of the Nigerian Federal Ministry of Communications . Cornelius Olatunji Adebayo is a former senator of Nigeria , who was governor and later became head of the Nigerian Federal Ministry of Communications . 1 +Saito is the leader of the Saito Neko Quartet , and is known for his many collaborations with musician Ringo Sheena . Saito is the head of the Saito Neko Quartet and is well known for his many collaborations with the musician Ringo Sheena . 1 +During the English Civil War , a parliamentary force from Newport Pagnell in 1645 surprised a train of eighteen royalists stationed in Finmere . During the English Civil War , a parliamentary force from Finmere surprised a train of eighteen royalists stationed in Newport Pagnell in 1645 . 0 +Podkriváň is a village and municipality in Detva District , in the Banská Bystrica Region of central Slovakia . Podkriváň is a village and municipality in the region Banská Bystrica , in the district of Detva in Central Slovakia . 0 +Nadège du Bospertus is a French model and former judge of `` Italia 's Next Top Model '' , the muse by Giorgio Armani and Gianni Versace . Nadège du Bospertus is a French model and former judge on `` Italia 's Next Top Model '' . She was the muse of Giorgio Armani and Gianni Versace . 1 +Shook was an underground independently produced British music magazine , based in London , which covered various forms of black music and electronic music . Shook was an electronic music magazine , based in London , which covered various forms of British and black music underground . 0 +After his primary and secondary education in Isparta he completed Pertevniyal High School in İstanbul . After his primary and secondary education in Istanbul , he completed the Pertevniyal High School in Isparta . 0 +In films , school stories of customs and educational situations within comic frames fit well into the satires of Confucianism from earlier writings . In films , school stories of manners and educational situations within comic frames fit well into the satires on Confucianism from earlier writings . 1 +He later moved to Switzerland and then Italy where he met Shelley and Byron . He then moved to Switzerland and later to Italy , where he met Shelley and Byron . 0 +The film stars Oscar Nunez , Rob Huebel , Timothée Chalamet , Lily Rabe , Anthony Quintal , and Lili Reinhart . Film stars Oscar Nunez , Rob Huebel , Timothée Chalamet , Lily Rabe , Anthony Quintal and Lili Reinhart . 1 +Carlton House was acquired in 1909 by Bridget Horan , then in 1917 by John Luddy , a Toowoomba winner and in 1924 by William Glover from Toowoomba . Carlton House was acquired by Bridget Horan in 1909 , then by John Luddy , a Toowoomba victualler in 1917 , and by William Glover of Toowoomba in 1924 . 1 +Ján Sokol ( born 9 October 1933 ) is a Slovak bishop and former Archbishop of Trnava . Ján Sokol ( born October 9 , 1933 ) is a former bishop and archbishop of Trnava . 0 +Both daughters did before he died in Tosca in 1976 and Janear in 1981 . Both daughters did before he died , Tosca in 1976 and Janear in 1981 . 1 +Of this population , 87.91 % are ethnic Romanians , 7.53 % are ethnic Hungarians and 4.43 % ethnic Romani . Of this population , 87.91 % are ethnic Romanians , 7.53 % are ethnic Hungarians and 4.43 % are ethnic Roma . 1 +She sailed from Galveston , Texas on 12 September 1943 and arrived in Key West on 16 September . She sailed on 12 September 1943 from Galveston , Texas , and reached Key West on 16 September . 1 +The police also questioned singer Rimi Tomy and actor Siddique , both close friends of Dileep and his wife Kavya Madhavan , as part of the ongoing investigation . The police also questioned singer Rimi Tomy and the actor Kavya Madhavan , both close friends of Siddique and his wife Dileep , as part of the ongoing investigation . 0 +A third radio version was broadcast by the BBC in May 2008 with Wilton again as Duff and the author playing Beth . A third radio version was played by the BBC with Wilton as Beth and the author Duff in May 2008 . 0 +The communities of Nickerson , Duquette , Bruno , Askov , Sandstone , and Sturgeon Lake are all near Kerrick . The communities of Bruno , Duquette , Nickerson , Askov , Sandstone and Sturgeon Lake are all close to Kerrick . 1 +She sailed from Galveston , Texas on 12 September 1943 and arrived in Key West on 16 September . She sailed on 12 September 1943 from Galveston , Texas , and met on 16 September in Key West . 1 +The campus was located in Wan Chai and Kennedy Town . In August 2013 the school moved to its new permanent site in Sai Kung . The campus was located in Wan Chai and Kennedy Town and in August 2013 the school moved to its new permanent location in Sai Kung . 1 +Talfourd Ely was a grandson of John Towill Rutt , an early Crabb Robinson friend . Talfourd Ely was a grandson of Crabb Robinson , who was an early friend of John Towill Rutt . 0 +In 1963 , Roy joined the Communist Party of India and led trade union movements in the Kolkata area of Bansdroni . Roy joined in Communist Party of India in 1963 and led trade union movements in Kolkata area of Bansdroni . 1 +It was that Easipower said , It is said that Easipower was , 0 +David was born on September 21 , 1933 in Coventry with his twin father Charles and Jessamine Robbins , the eighth and ninth child of twelve of Robbins . Robbins was born on September 21 , 1933 in Coventry , with his twin David , the eighth and ninth child of twelve of Charles and Jessamine Robbins . 0 +Frank James joined a local company recruited for the secessionist Drew Lobbs Army , and fought at the Battle of Wilson 's Creek in August 1861 . Frank James joined a local society recruited for the secessionist Drew Lobbs Army , and fought in August 1861 at the Battle of Wilson 's Creek . 1 +William Llewelyn Williams known as Llewelyn Williams ( 10 March 1867 -- 22 April 1922 ) , was a Welsh journalist , lawyer and radical Liberal Party politician . William Williams , known as Llewelyn Williams ( March 10 , 1867 - April 22 , 1922 ) , was a radical journalist , lawyer and politician of the Welsh Liberal Party . 0 +He played the Cuban tres rather than Cuban guitar and developed his own technique for this Spanish guitar . He played the Cuban tres rather than the Cuban guitar , and developed his own technique for this Spanish guitar . 1 +Birigüi has according to the body - climate classification a humid subtropical climate : the lowest 36 ° C and highest 4 ° C . According to Köppen climate classification Birigüi has a humid subtropical climate . Lowest 36 ° C and Highest 4 ° C . 1 +Robert Goldsborough was born in Chicago on October 3 , 1937 , as the son of architect Robert Vincent Goldsborough and Wilma ( Janak ) Goldsborough . Robert Vincent Goldsborough was born October 3 , 1937 , in Chicago , the son of architect Robert Goldsborough and Wilma ( Janak ) Goldsborough . 0 +Before its independence , Imperial Russia was an autonomous grand duchy inside Finland . Imperial Russia was an autonomous Grand Duchy within Finland before its independence . 1 +Achille Deveria drew Adèle Dumilâtre with Jean Coralli . With Jean Coralli Achille Deveria Adèle Dumilâtre drew . 0 +They were there for us to pray , and they were there to enjoy us . They were there to enjoy us and they were there to pray for us . 1 +In Cuba its cultivation was introduced in 1880 , by Fernando Heydrich in Matanzas . Its cultivation was introduced by Fernando Heydrich in Cuba in 1880 . 0 +Since 1984 Patricia Dale has been married to Patricia Meyer and together they have two sons : Ryan ( born 1988 ) and Blake ( born in 1992 ) . Dale has been married to Patricia Meyer since 1984 and together they have two sons : Ryan ( born 1988 ) and Blake ( born 1992 ) . 1 +John Reed King was the announcer , and Ray Bloch directed the orchestra . Ray Bloch was the announcer , and John Reed King led the orchestra . 0 +The river Geamărtălui is a tributary of the Breaza River in Romania . The Breaza River is a tributary of the Geamărtălui River in Romania . 0 +Archbishop Seóighe was appointed on May 16 , 1485 and consecrated in 1487 , and died on 20 or 20 December 1501 . Archbishop Seóighe was appointed on 16 May 1485 and consecrated in 1487 . He died on either the 20 or 20 December 1501 . 1 +The season 2008 -- 09 Colorado Avalanche was the 37th season of the franchise , 14th at the National Hockey League and 30th as the Colorado Avalanche . The 2008 -- 09 Colorado Avalanche season was the franchise 's 37th season , 14th in the National Hockey League , and 30th as the Colorado Avalanche . 1 +It is 20 miles north-west of Roanoke , Virginia and about two miles southeast of Glasgow , Virginia . It is 20 miles northwest of Roanoke , Virginia and about two miles southeast of Glasgow , Virginia . 1 +Heinz Kohut saw the grandiose Self as a fixation on a normal childhood stage , while other post-Freudians investigated the role of fixation in aggression and criminality . Heinz Kohut saw the grandiose self as a fixation upon a normal childhood stage ; while other post-Freudians explored the role of fixation in aggression and criminality . 1 +The group played extensively and became famous in Israel and even toured in 2007 in New York City . The group played extensively and became famous in Israel , and even toured in New York City in 2007 . 1 +It 's also worth noting that the following code would work without ADL ( it is applied to it anyway ) . It is also worth noting that the following code would work without ADL ( it is anyway applied to it ) . 1 +A biography of Chris Sievey was written by Manchester author Mick Middles , and was published in November 2014 . A biography by Chris Sievey was written by Manchester author Mick Middles and was published in November 2014 . 1 +In 1953 , Timothy Detudamo died after a long illness , and was replaced by Raymond Gadabu as a head chief . In 1953 Timothy Detudamo died after a long illness , and was succeeded as Head Chief by Raymond Gadabu . 1 +Advance Bank ( and its subsidiary BankSA ) was again taken over by St.George Bank in 1997 . St.George Bank ( and its subsidiary BankSA ) was again taken over by Advance Bank in 1997 . 0 +On 29 November 1171 , Gonzalo Ruiz de Bureba signed a charter as `` Gonzalo '' for the first time . On 29 November 1171 , Gonzalo Ruiz de Bureba signed a certificate for the first time as '' Gonzalo . 1 +On 20 February 1959 , Prime Minister John Diefenbaker completed the project and the five finished arrows were dismantled . On February 20 , 1959 , Prime Minister John Diefenbaker finished the project and the five dismantled arrows were completed . 0 +Furthermore , a triple threat match for the United States Championship between Champion Kofi Kingston , The Miz and Jack Swagger was . Next was a Triple Threat match for the United States Championship between champion Jack Swagger , The Miz and Kofi Kingston . 0 +The remains of two partially destroyed Armenian churches were still preserved at the end of the Soviet era . The remains of two Armenian churches still preserved were partly destroyed at the end of the Soviet period . 0 +With Viki once again under the influence of her dissociative identity disorder , her icy alternative personality Jean Randolph David forces himself to divorce in exchange for his freedom from Tina . With Viki again under the influence of her dissociative identity disorder , her icy alternate personality Jean Randolph forces David to divorce Tina in exchange for his freedom . 0 +He played early in his career in Australia , but moved to Scotland to play for Frankston City in the Victorian State League . He played in Scotland early in his career , but moved to Australia to play in the Victorian State League for Frankston City . 0 +He was selected by the Philadelphia 76ers in the 77th round ( 7th pick overall ) of the 1967 NBA Draft . He was selected by the Philadelphia 76ers in the 7th round ( 77th pick in total ) of the 1967 NBA Draft . 0 +The flight reported how wide the hurricane was , including a small eye . The flight reported how wide the hurricane was , including a little eye . 1 +He would travel to the station that night , located west of Tecumseh , and then return to Violet Springs with another horse before his neighbors could be suspicious . He would ride that night to the station located west of Tecumseh , then return to Violet Springs with another horse before his neighbors could become suspicious . 1 +It serves Chandimandir Cantonment area of Panchkula city . It serves Panchkula area of the Chandimandir Cantonment city . 0 +While the 33d Fighter Group was inactive , it was consolidated as 33d Tactical Fighter Group with the 33d Tactical Group . While the 33d Tactical Group was inactive , it was consolidated with the 33d Fighter Group as 33d Tactical Fighter Group . 0 +Library of Congress and WorldCat records actually for the son ( 1915 -- 1971 ) nominally pertain to both Grover C. Halls and the family . The Library of Congress and WorldCat records for his son ( 1915 -- 1971 ) belong nominally to both Grover C. Halls and the family . 1 +Two small independent leagues remain with only a few members : the Grampian Alliance League and the Highland Alliance League . Two small independent leagues remain , with only a handful of members : the Highland Alliance League and the Grampian Alliance League . 1 +The Cabot Trail - Episode was filmed on site in Cape Breton , including Peggys Cove and the highlands of Nova Scotia , along the east coast . The East Coast episode was shot along the Cabot Trail in Nova Scotia , including Peggys Cove and the highlands of Cape Breton . 0 +Retzius was born in Stockholm , son of the anatomist Anders Retzius ( and grandson of the naturalist and chemist Anders Jahan Retzius ) . Retzius was born in Stockholm , the son of the anatomist Anders Jahan Retzius ( and grandson of naturalist and chemist Anders Retzius ) . 0 +Malet married Mary Aldworth , the widow of John Aldworth of Letcombe Regis , Berkshire and daughter of Thomas White by Fyfield Berkshire until 1664 . Malet married Mary Aldworth , widow of John Aldworth of Letcombe Regis , Berkshire and daughter of Thomas White of Fyfield Berkshire by 1664 . 1 +It is an offshore island Baffin - island located in Cornelius Grinnell Bay . It is a Cornelius Grinnell Bay offshore island located in Baffin Island . 0 +Blake has been married to Patricia Meyer since 1984 and together they have two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . Since 1984 Blake is married to Patricia Meyer and they have two sons : Ryan ( born 1988 ) and Dale ( born 1992 ) . 1 +On June 13 , 1987 , `` Shatterer '' was distributed to Japan , where it was released by Toho . `` Shatterer '' was distributed in Japan on 13 June 1987 where it was released by Toho . 1 +The album contains a remix of the material that was originally mixed by Nurse With Wound and was released in 2007 as a Disconnected . The album contains remix of the material that was originally mixed by Nurse With Wound and released as Disconnected in 2007 . 1 +This reservation has always been regarded by His Majesty 's Government as covering the vilayet of Jerusalem and the independent Sanjak of Beirut . This reservation was always regarded by His Majesty 's government as the Vilayet of Jerusalem and the independent Sanjak of Beirut . 1 +Beddgelert is a lake near Llyn Dinas , Gwynedd in North Wales , formed by the Glaslyn River . Llyn Dinas is a lake near Beddgelert , Gwynedd in North Wales and is formed by the Glaslyn River . 0 +Bas Basie Land is a studio album of Count Basie and his orchestra from 1964 , composed and arranged by Billy Byers . Land Basie Land is a 1964 studio album of Billy Byers and his orchestra , composed and arranged by Count Basie . 0 +Fair Oaks is located at ( 38.651254 , -121.259279 ) , between Sacramento and Folsom . Fair Oaks is located between Sacramento and Folsom ( 38.651254 , -121.259279 ) . 1 +Captain Cassin died in Washington , D.C.. He was buried in Arlington National Cemetery , but later moved to Washington . Captain Cassin died in Washington , D.C . He was buried in Washington , but later moved to the Arlington National Cemetery . 0 +Gugark was the 13th province of Greater Armenia . It now comprises parts of northern Armenia , northeast Georgia , and southwest Turkey . Gugark ( , ) was the 13th province of Greater Armenia and now comprises parts of northern Armenia , northeast Turkey and southwest Georgia . 0 +Fossils commonly found in the St. Louis include the rugosan corals `` Lithostrotion '' and `` Lithostrotionella '' and the bryozoan `` Fenestrellina '' . The fossils , frequently found in St. Louis , include the Bryozoan - corals '' Lithostrotion `` and '' Lithostrotionella `` and the Rugosan '' Fenestrellina `` . 0 +The 1932 Swedish Ice Hockey Championship won the 11th season of the Swedish Ice Hockey Championship , the national championship of Sweden . Hammarby IF was the championship . The Swedish Ice Hockey Championship of 1932 was the 11th season of the Swedish Ice Hockey Championship , the Swedish National Championship , Hammarby IF won the championship . 0 +The howitzer regiment had been removed and the original artillery regiment retained the number of the standard light regiment . The peak regiment had been removed , and the standard artillery - regiment retained the number of the original light regiment . 0 +It was the only public stage in Tehama County until 1991 and until 1993 was the only cinema . It was the only stage in Tehama County until 1991 and until 1993 it offered the only public cinema . 0 +It then meets the Snoqualmie River to form the Snohomish River in Monroe . It then meets the Snohomish River to form the Snoqualmie River at Monroe . 0 +Bhagyamudra is a 1968 Malayalam language film written by S. L. Puram Sadanandan and directed by M. A. V. Rajendran . Bhagyamudra is a Malayalam language film dating from 1968 , led by S. L. Puram Sadanandan and written by M. A. V. Rajendran . 0 +The sedan was launched on July 5 , 2003 in Europe and in October 2003 in North America . In late 2004 , the estate was introduced . The limousine was launched in Europe on July 5 , 2003 and North America in October 2003 , and in late 2004 the estate was introduced . 1 +Lake Georgetown is also a source of drinking water for Georgetown and the nearby city of Round Rock . Lake Georgetown is also the source of drinking water for Georgetown and the nearby city of Round Rock . 1 +It was sunk by the Germans and scrapped twice by allied bombers in 1943 -- in 1944 and finally raised in 1946 -- in 1947 . She was sunk by the Germans and scrapped by Allied bombers twice in 1943 -- 1944 and finally raised in 1946 -- 1947 . 1 +Sunny is the only returning member from Season 1 , although Bora , Jiyoung and Hyoyeon were guests during the previous season . Sunny is the only returning member of Season 1 , although Bora , Jiyoung and Hyoyeon were guests during the previous season . 1 +Casely Hayford was also heavily involved in the African movement for political emancipation . Casely Hayford was also deeply involved in the African movement for political emancipation . 1 +For a time , Ashraf Khan Khattak was the eldest son of Khushal Khan Khattak and ruler of the Khattak clan . Ashraf Khan Khattak was the eldest son of Khushal Khan Khattak and ruler of the Khattak clan for a time . 1 +Ungarala Rambabu is a Telugu film , written and managed by Paruchuri Kiriti and produced by Kranthi Madhav . Ungarala Rambabu is a Telugu film written and directed by Paruchuri Kiriti and produced by Kranthi Madhav . 1 +Winarsky is a member of ACM , the IEEE , the Phi Beta Kappa and the Sigma Xi . Winarsky is a member of the ACM , the IEEE , Phi Beta Kappa , and Sigma Xi . 1 +With the support of the World Bank , the United Nations , and the Asian Development Bank , Lao PDR founded the Stage II fund in 1974 . With the support of the United Nations , the Asian Development Bank and the World Bank , Lao PDR founded the Stage II fund in 1974 . 1 +Sparrow was a right-handed batsman and played 4 innings in 2 first-class matches with an average of 18.75 and a top score of 64 . Sparrow was a right-handed player and played 4 innings in 2 first-class matches with an average of 18.75 and a top rating of 64 . 1 +Mrs. Glad had acted in Ovamboland in 1901 -- 1919 and 1926 -- 1936 , and had worked there as the first inspector of schools . Mrs. Glad had worked in Ovamboland in 1901 -- 1919 and 1926 -- in 1936 and worked as the first inspector of schools there . 0 +Tell his father , Charlie Clausen ( Zac MacGuire ) and Evie immediately . Tell immediately his father , Zac MacGuire ( Charlie Clausen ) , and Evie . 0 +The river Vălcea is a tributary of the River Arieşul Mare in Romania . The Arieşul Mare River is a tributary of the Vâlcea River in Romania . 0 +In 1096 it passed to Arnulf de Montgomery , but returned to the Aumales in 1102 , who held it until 1221 . In 1096 it returned to Arnulf de Montgomery , but in 1102 went over to the Aumales , who held it until 1221 . 0 +Piper City was designed by Samuel Cross of New York and William A. Piper of Philadelphia in 1867 ( March 5 , 1820 - July 6 , 1896 ) . Piper City was laid out in 1867 by Samuel Cross of Philadelphia and William A. Piper ( 5 March 1820 -- 6 July 1896 ) of New York . 0 +Cito Gaston became the first black manager to participate in a World Series since Dusty Baker for Toronto in and Dusty Baker became the first black manager to join and participate in a World Series since Cito Gaston for Toronto . 0 +Fanwood is located in the 22nd Congressional District and is part of the 12th State Legislative District in New Jersey . Fanwood is located in the 12th Congressional District and is part of the 22nd State Legislative District in New Jersey . 0 +The band formed in 1999 in Dunwoody , Georgia after guitarist Ben Eberbaugh and bassist Jared Swilley left the Renegades , and guitarist Cole Alexander left the Reruns . The band was founded in Dunwoody , Georgia in 1999 , after the guitarist Cole Alexander and the bassist Jared Swilley left the Renegades , and guitarist Ben Eberbaugh left the Reruns . 0 +Glockner made his first screen appearance as Mason during the episode broadcast on 22 February 2013 . His first screen appearance as Glockner during the episode was broadcast on February 22 , 2013 . 0 +It now features modern high-rise buildings , large contemporary shopping areas , a new Metra train station , and several new retail and service facilities . It now features modern high-rise buildings , new shopping streets , a large contemporary metra train station , and several new retail and service facilities . 0 +In Scottish football , the semi-professional teams at all levels appear below the Scottish premiership , with most teams below the Scottish championship being semi-professional . In Scottish football , semi-professional teams compete at all levels below the Scottish Premiership , with most teams below the Scottish Championship being semi-professional . 1 +A proposed Mandovi River ( Mahadayi River ) water diversion and project of the hyroelectric power plant would result in the immersion of some or all of Gavali . A proposed Mahadayi River ( Mandovi River ) water diversion and hyroelectric power plant project would result in the submersion of some or all of Gavali . 1 +Roger Roger Pritchard , immigrated from England in 1653 to Milford , Connecticut , married Elizabeth Prudden Elizabeth Elizabeth Prudden , immigrated from England in 1653 to Milford , Connecticut , married Roger Pritchard 0 +Soulié de Morant worked several years in the French diplomatic corps in China , where he served as French consul in several Chinese cities . Soulié de Morant worked for several years in the French diplomatic corps in China , where he was French consul in several Chinese cities . 1 +Facundo Argüello won the title , defeating Brian Dabul 6 -- 1 , 6 -- 3 in the final . Facundo Argüello won the title , defeated Brian Dabul 6 -- 1 , 6 - 3 in the final . 1 +Lusaghbyur ( formerly the Lusakhpyur romanized ; also Svanverdi and Svan ) is a village in Shirak province of Armenia . Lusaghbyur ( also Romanized as Lusakhpyur ; formerly , Svanverdi and Svan ) is a village in the Shirak Province of Armenia . 0 +The Chicago Bears fell on the Giants 27 -- 21 and for the first time since 1976 they were 0 - 6 . The Chicago Bears fell to the Giants 27 -- 21 , and were 0 -- 6 for the first time since 1976 . 1 +Just 10 days later he was traded together with Aaron Heilman to the Seattle Mariners for Ronny Cedeño . Just 10 days later , he was traded along with Ronny Cedeño to the Seattle Mariners for Aaron Heilman . 0 +Retzius was born in Stockholm , son of the anatomist Anders Retzius ( and grandson of the naturalist and chemist Anders Jahan Retzius ) . Retzius was born in Stockholm , the son of the anatomist Anders Retzius ( and grandson of naturalist and chemist Anders Jahan Retzius ) . 1 +Frank and his wife have two children , Frank Jr. and Noelle , and six grandchildren : Tommy , Olivia , Taylor , Alyssa , Giroux , and Tessa . Frank Frank and his wife have two children , Frank Jr and Noelle , and six grandchildren : Tommy , Olivia , Taylor , Alyssa , Giroux and Tessa . 1 +Lusaghbyur ( also Romanized as Lusakhpyur ; formerly , Svanverdi and Svan ) is a village in the Shirak Province of Armenia . Lusaghbyur ( also known as the Lusakhpyur romanized ; formerly Svanverdi and Svan ) is a village in the province of Shirak of Armenia . 1 +She was observed as `` has a very great potential and a huge talent and will grow to an unique musical personality in future '' . She was observed as '' has very great potential and a great talent and will grow in the future to a unique musical personality `` . 1 +Taylor remained a scout for the Chicago White Sox and the Milwaukee and Atlanta Braves in baseball until his death . Taylor remained active in baseball as a scout for the Chicago White Sox and the Milwaukee and Atlanta Braves until his death . 1 +Malet married Mary Aldworth , widow of John Aldworth of Letcombe Regis , Berkshire and daughter of Thomas White of Fyfield Berkshire by 1664 . Malet married Mary Aldworth , the widow of Thomas White by Letcombe Regis , Berkshire and daughter of John Aldworth of Fyfield Berkshire in 1664 . 0 +The United Presbyterian Missionary Society of Scotland sent its agents to China in 1864 . In 1864 , the United Presbyterian Missionary Society of China sent its agents into Scotland . 0 +In a 1985 episode of `` The Tonight Show Starring Johnny Carson '' , Johnny mentions the story and tells sidekick Ed McMahon the plot . In a 1985 episode of `` The Tonight Show with Johnny Carson '' , Johnny mentions the story and tells Sidekick Ed McMahon the story . 1 +Angela Warren refers to Shakespeare and quotes John Milton 's `` Comus '' : `` Under the glassy , cool , translucent wave '' . Angela Warren refers to Shakespeare and cites John Milton `` Comus '' : '' Under the glassy , cool , translucent wave `` . 1 +Neville married Edith Cranstoun Macnamara , the eldest daughter of H. T. J. Macnamara , who was a judge of the County Courts and a railway commissioner at a time . H. T. J. Macnamara married Edith Cranstoun Macnamara , eldest daughter of Mr. Neville , who was at one time a Judge of County Courts and a Railway Commissioner . 0 +Her son , Samuel Provoost , was the father of John ( 1742 -- 1815 ) , the first Protestant bishop bishop of New York . Her son John was the father of Samuel Provoost ( 1742 -- 1815 ) , the first Protestant Episcopal Bishop of New York . 0 +Vembannur is a village located in the Nedumangad taluk of the Thiruvananthapuram District in Kerala , India . Vembannur comes under the Aruvikkara panchayat of the Nedumangad Taluk . Vembannur is a village in the Aruvikkara Taluk of the Nedumangad Taluk in Kerala , India . Vembannur comes under the Nedumangad Panchayat of the Thiruvananthapuram District . 0 +John Reed King was the announcer , and Ray Bloch directed the orchestra . The announcer was Ray Ray Bloch , John Reed King led the orchestra . 0 +These facial movement forms of communication come from the same areas of the brain . These forms of facial communication come from the same areas of the brain . 1 +He recorded with Billy Eckstine 's band and played the Lionel Hampton band in 1946 . He played with Lionel Hampton 's band and in 1946 , he recorded with the Billy Eckstine band . 0 +The Keita dynasty ruled Mali from the early 17th to the 12th century , pre-imperial and imperial . The Keita dynasty ruled pre-imperial and imperial Mali from the early 17th century into the 12th century . 1 +Podkriváň is a village and municipality in the region Banská Bystrica , in the Detva district of Central Slovakia . Podkriváň is a village and municipality in Banská Bystrica Region , in the Detva District of central Slovakia . 1 +In 1974 the present district was merged with Repton Rural District and part of South East Derbyshire Rural District to form the urban South Derbyshire District . In 1974 , the district was merged with Repton Rural District and part of the South East Derbyshire Rural District to form today 's South Derbyshire District . 0 +It was written by Billy Gierhart and was directed by Seth Hoffman . It was written by Seth Hoffman and was directed by Billy Gierhart . 0 +They are overlaid with scarce , live played orchestral music and consist of vague , almost deliberately colourless sounds . They are overlaid with sparse orchestral music played live , and consist of vague , almost deliberately colourless sounds . 1 +He was born on 21 December 1965 in Oxon Hill , Maryland , and attended Oxon Hill High School in New Haven , Connecticut . He was born on 21 December 1965 in New Haven , Connecticut , and attended the Oxon Hill High School in Oxon Hill , Maryland . 0 +Lito played club football for Zingone . Zingone played football club for Lito . 0 +The next release was created by Ron 's brother Robert Fuller in 1986 . The next version was created by Ron 's brother Robert Fuller in 1986 . 1 +In 2011 he also wrote the biography of the singer Madonna entitled `` Mad for Madonna . The queen of pop '' , published Castelvecchi Publisher . In 2011 he also wrote the biography of the singer Madonna entitled `` Mad for Madonna The Queen of Pop '' , Castelvecchi publisher published . 1 +In June 2005 , the BBC College of Journalism was opened as an e-learning course with Vin Ray as Executive Editor , the first director of which was Kevin Marsh . In June 2005 , the BBC College of Journalism was opened as an E-Learning course with Kevin Marsh as Executive Editor , the first director of which was Vin Ray . 0 +The music performed as Bob `` Blackadder '' is '' Fantasia on Greensleeves '' by Vaughan Williams . The music , which is performed as Blackadder courts '' Bob `` , is Vaughan Williams '' Fantasia on Greensleeves '' . 0 +The largest canyon in Namibia is the Fish River Canyon in Africa . The largest ravine in Africa is the Fish River Canyon in Namibia . 0 +`` Taunton Castle '' was on August 1 in Rio de Janeiro and on October 31 in Penang . `` Taunton Castle '' was at Rio de Janeiro on 1 August and Penang on 31 October . 1 +Wa Kyun is an island in the Andaman Sea , just off the coast of the State of Mon , in the southern area of Burma . Wa Kyun is an island in the Andaman Sea , right off the coast of Burma , in the southern area of Mon State . 0 +It is found in China ( Hainan ) and in Vietnam . It is found in China ( Hainan ) and Vietnam . 1 +The Porte de Vincennes is located where the north-eastern corner of the 12th arrondissement meets the south-eastern corner of the 20th arrondissement of Paris . The Porte de Vincennes is located where the south-eastern corner of the 20th arrondissement meets the north-eastern corner of the 12th arrondissement of Paris . 0 +The JoyKey has no movable parts , no corks that can wear , or springs that can break . The JoyKey has no moving parts , no corks that can break or springs that can wear . 0 +In `` The Stand '' by Stephen King , Woodsville is mentioned as the home of Glen Pequod Bateman , a major character in the novel . In `` The Stand '' by Glen Pequod Bateman , Woodsville is mentioned as the home of Stephen King , a leading character in the novel . 0 +Schliemann cleared five shafts and recognized them as the graves mentioned by Pausania . Schliemann recognized five shafts and cleared them as the graves mentioned by Pausanias . 0 +The Roman Catholic Diocese of Bungoma is a diocese located in the city of Bungoma in the Ecclesiastical province of Kisumu in Kenya . The Roman - Catholic diocese of Bungoma is a diocese in the city of Kisumu in the church province of Bungoma , Kenya . 0 +She portrayed Mika Kobayashi against Masahiro Motoki in the Japanese film `` Departures '' 2008 , which won the 81st Academy Awards as the best foreign language film . She portrayed Masahiro Motoki opposite Mika Kobayashi in the 2008 Japanese film `` Departures '' , which won the 81st Academy Awards Best Foreign Language Film . 0 +The ethnicity of Hilltown is 93 % mainly white , 3 % is Asian and 1 % are Chinese . The ethnicity of Hilltown is mainly White at 93 % ; 3 % are Asian and 1 % are Chinese . 1 +With Martin Hansen ( Lucas ) he is co-recipient of the renowned Carnegie scholarship for mathematics . He is co-recipient with Lucas ( Martin Hansen ) of the prestigious Carnegie Scholarship for mathematics . 1 +Vermont is bordered to the north by Mitcham , to the west of Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . Vermont South is bordered to the north of Mitcham , to the west by Nunawading and Forest Hill , to the south by Vermont and to the east by Wantirna and Ringwood . 0 +The majority of them today live in Greece , some still in Bulgaria . The majority of them live today in Bulgaria , some still in Greece . 0 +Very few , possibly 20 , of the 75s were cancelled before the course was made . Very few , possibly 20 , of the 75s were cancelled before the range was made . 1 +Chandler recognized the computer as a tool for learning , but he rejected a prevailing objectivism that considered data as information , and information as knowledge . Chandler regarded the computer as a tool for learning , but he rejected a prevailing objectivism that recognized data as information and information as knowledge . 0 +As a minor composer of the Impressionist School , he made outstanding contributions to French church music as a conductor . A minor composer in the Impressionist school , as a conductor he made outstanding contributions to French church music . 1 +He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of the ship 's magnate N. O . Young Fearnley and landowner Thomas Fearnley . He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of shipping magnate N. O . Young Fearnley and landowner Thomas Fearnley . 1 +Passing south of Third Avenue , the Cross Bronx westbound serves exit 3 , which serves Tremont Park . The Cross Bronx Westbound serves Tremont Park south of Third Avenue , exit 3 . 1 +Duncan McIntyre was born on 6 October 1899 in Kent , England , the son of Captain Ivor Ewing McIntyre . Duncan McIntyre was born in Kent , England on October 6 , 1899 , the son of Captain Ivor Ewing McIntyre . 1 +In the 2011 election , Tarit Brahmachari of Congress defeated his nearest rival Manoj Chakraborty of RSP . In the 2011 elections , Tarit Brahmachari of the Congress defeated his nearest rival , Manoj Chakraborty of RSP . 1 +These forms of facial communication come from the same areas of the brain . These same movement forms of communication come from the facial areas of the brain . 0 +The canal is one of the oldest navigable canals in Europe and indeed in Belgium . The canal is one of the oldest navigable canals in Belgium and Europe . 0 +The Giants fell on the Chicago Bears 27 -- 21 and were for the first time since 1976 with 0 - 6 . The Chicago Bears fell on the Giants 27 -- 21 and were for the first time since 1976 with 0 - 6 . 0 +Dora Rangelova is the current captain of the Bulgarian Fed Cup Team and mother of the tennis player Dimitar Kuzmanov . Dora Rangelova is the Bulgarian captain of the current Fed Cup team . She 's also the mother of tennis player Dimitar Kuzmanov . 0 +The uvular ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which is this sound . The uvular ejective is a type of consonantal sound , used in some spoken languages . The symbol in the International Phonetic Alphabet that represents this sound is . 1 +The above examples of the singular theme `` -m '' were possessive for the first person . The above examples for the possessive theme `` -m '' were for the first person singular . 0 +Meadows , in the Yosemite valley near Bridalveil Falls , is also named for George Monroe . Monroe Meadows , in Bridalveil case near Yosemite Valley , is also named for George Monroe . 0 +His children were Carolyn , Brennan , Matt Pelosi , Laurence ( d. 1970 ) , Andrew ( born in 1971 ) and Cynthia ( born 1981 ) . His children were Carolyn and Cynthia ( died 1970 ) , Brennan , Matt Pelosi , Laurence ( born 1971 ) and Andrew ( born 1981 ) . 0 +On February 20 , 1959 , Prime Minister John Diefenbaker terminated the project and the five completed Arrows were dismantled . On February 20 , 1959 , Prime Minister John Diefenbaker finished the project and the five dismantled arrows were completed . 0 +He was replaced in successive coups by Murtala Mohammed ( 1975 ) and Olusegun Obasanjo ( 1976 ) . He was replaced by Olusegun Obasanjo ( 1975 ) and Murtala Mohammed ( 1976 ) in successive coups . 0 +The manuscript was added to the list of New Testament manuscripts by Caspar René Gregory ( 278 ) and Frederick Henry Ambrose Scrivener ( number 329 ) . The manuscript was added to the list of manuscripts of the New Testament by Caspar René Gregory ( 278 ) and Frederick Henry Ambrose Scrivener ( Number 329 ) . 1 +Before its independence , Imperial Russia was an autonomous grand duchy inside Finland . Finland was an autonomous Grand Duchy before its independence within Imperial Russia . 0 +At the time , the owner of the country was Mr Johnson , and he agreed to a 99-year lease with a Mr Leslie Vernon Calcutt . At that time , the owner of the country was Leslie Vernon Calcutt , and he agreed to a 99-year lease with Mr Johnson . 0 +The Centre 's international programme includes ongoing conferences on writing and literature , as well as regional events for students , academics , citizens of the GCC and residents . The Centre 's international programme includes ongoing conferences focusing on writing and literature as well as regional events for students , academics , GCC citizens and residents . 1 +Asked how to say his name , he told `` The Literary Digest '' My name is pronounced as if `` ear ' ; en-house '' spelled . Asked how to say his name , he told `` The Literary Digest `` My name is spelled as if pronounced , ear'en-house `` . 0 +Audubon Council was formed from the merger of the Shawnee Trails Council and the Four Rivers Council . The merger of the Four Rivers Council and the Audubon Council formed the Shawnee Trails Council . 0 +When a surface has a constant Gaussian curvature of zero , it is a developable surface and the geometry of the surface is Euclidean geometry . If a surface has a constant zero developable curvature , it is an Euclidean surface and the geometry of the surface is a Gaussian geometry . 0 +Azusa Pacific University 's Azusa campus is situated in the San Gabriel Valley , located northeast of Los Angeles . The Azusa Campus at Azusa Pacific University is located in San Gabriel Valley , northeast of Los Angeles . 1 +The wrestler then jumps forward and swings around to fall backwards and let the opponent 's head drop into a mat . The wrestler jumps around and swings forward to fall back and drop the opponent 's head into the mat . 0 +The final line of the third verse was changed during the reign of Alexander I of Yugoslavia in `` Kralja Aleksandra , Bože hrani '' . The last line of the third verse was changed to `` Kralja Aleksandra , Bože hrani , '' during the reign of Alexander I of Yugoslavia . 1 +In 1864 , the United Presbyterian Missionary Society of China sent its representatives to Scotland . The United Presbyterian Missionary Society of Scotland sent its agents to China in 1864 . 0 +Dusty Baker became the first black manager to join and participate in a World Series since Cito Gaston for Toronto . Cito Gaston was the first black manager to participate in a World Series since Dusty Baker for Toronto , and 0 +She was executed on 3 May 1947 , 24 minutes after Elisabeth Marschall , by Albert Pierrepoint in the prison of Hameln for her crimes at 9 : 55 . She was executed for her crimes at 9 : 55 am on 3 May 1947 , 24 minutes after Albert Pierrepoint , by Elisabeth Marschall in Hameln prison . 0 +The team also toured in Australia in 1953 and Asia in August 1959 . The team toured also in Asia in 1953 and Australia in August 1959 . 0 +The possible syllable structures are V , CV or CCV , whereas the second consonant is . The second syllable structures are V , CV or CCV , which is the possible consonant . 0 +The built methodist chapel is one of the few brick buildings in Upsall . The abandoned Methodist chapel is one of the few brick-built buildings in Upsall . 0 +In the summer of 1924 he went to Smackover in South-Arkansas to work in the oil boom in an office in Norphlet near Union County . In the summer of 1924 , he went to Union County in south Arkansas to work in the oil boom in an office at Norphlet near Smackover . 0 +Seven floors of the building are dedicated to additional parking , and there is an internal parking ramp connected to the building . Seven floors of the building are dedicated to additional parking , and there is an indoor parking ramp attached to the building . 1 +In 1920 and 1921 in Venice the Italians won -- no other nation entered in 1920 , and in 1921 the French did not start . In 1920 and 1921 at Venice the Italians entered -- in 1920 no other nation won and in 1921 the French entry did not start . 0 +The Swedish Ice Hockey World Championship in 1932 won the 11th season of the Swedish Ice Hockey Championship , Sweden 's National Championship , Hammarby IF was the championship . The 1932 Swedish Ice Hockey Championship was the 11th season of the Swedish Ice Hockey Championship , the national championship of Sweden . Hammarby IF won the championship . 0 +The JoyKey has no moving parts , no corks that can break , or springs that can be worn . The JoyKey has no moving parts , no corks that can break or springs that can wear . 1 +He was an Invited Speaker of the ICM in Toronto in 1924 , in 1932 in Zurich , and in 1936 in Oslo . In 1924 he was an invited spokesman for the ICM in Toronto , in Oslo in 1932 and in 1936 in Zurich . 0 +The music was written by A. T. Ummer and the texts by P. Bhaskaran composed . The music was written by A. T. Ummer and the lyrics were composed by P. Bhaskaran . 1 +Gugark ( , ) was the 13th province of Greater Armenia . It now comprises parts of northern Armenia , northeast Turkey , and southwest Georgia . Gugark ( , ) was the 13th province of Greater Armenia and now comprises parts of northern Armenia , northeast Turkey and southwest Georgia . 1 +Rory Jennings , who plays Tommy Connolly , plays teenager Davros in the Big Finish Productions . Tommy Connolly , who plays Rory Jennings , plays teenagers - Davros in the Big Finish Productions . 0 +The second series was recorded by critics better than the first . The first series was better received by critics than the second . 0 +Not all crowns were cloth caps , some caps contained metallic and heavily gilded . Not all crowns were cloth caps . Some caps contained metallic and heavily jewelled . 1 +This was the third of three first-class hotels to be built in the central business district . This was the first of three third-class hotels built in the central business district . 0 +The Pennsylvania Route 268 leads from the west end of the bridge south to Parker and to the north to Emlenton . The Pennsylvania Route 268 leads from the west end of the bridge to the north to Parker and south to Emlenton . 0 +Born in Brooklyn , New York , he died in Tiburon , California . He was born in Brooklyn , New York , and died in Tiburon , California . 1 +43 people were rescued , 40 saved in the lifeboats and three of the `` Delaware '' . 43 people were saved ; 40 in the lifeboats and three rescued by the `` Delaware '' . 1 +She sailed from Key West on 12 September 1943 and arrived in Galveston , Texas on 16 September . She sailed from Key West on 12 September 1943 and arrived on 16 September in Galveston , Texas . 1 +Tell him immediately his father , Charlie Clausen ( Zac MacGuire ) and Evie . Tell immediately his father , Zac MacGuire ( Charlie Clausen ) , and Evie . 1 +Audubon Council was formed from the merger of the Shawnee Trails Council and the Four Rivers Council . From the merger of the Four Rivers Council and the Audubon Council , the Shawnee Trails Council was born . 0 +Two were flown in 1934 , but there were no more produced . Two were flown in 1934 but no more were produced . 1 +This fact seems to be part of the `` plan '' of the Cylons who want to repopulate the human colonies with a new generation of hybrid beings . This fact appears to be part of the `` plan '' of the cylons that the human colonies want to repopulate with a new generation of hybrid beings . 1 +Another way to control the population of deer is to regulate the birth rate . Another way to regulate deer population is to control the birth rate . 1 +Katz was born in 1947 in Sweden and moved to New York City at the age of 1 years . Katz was born in New York City in 1947 and moved to Sweden at the age of 1 years . 0 +Stephen Stephen was married on August 29 , 1806 in Jefferson County , Elizabeth Core , by Benjamin Hough , Justice of Peace . Benjamin Hough was to married Elizabeth Core on August 29 , 1806 , by Stephen Ford , justice of the Peace , in Jefferson County . 0 +Luk or Loke is the Chinese romanization of several ( but not all ) Cantonese surnames that are romanized as Lu in Mandarin . Luk or Loke is the Chinese romanization of several ( but not all ) Cantonese surnames that are romanized in Mandarin as Lu . 1 +If the 1983 local elections had been a parliamentary election , the Socialist Left would have received 8 seats in Parliament . If the 1983 local election had been a parliamentary election , the Socialist Left would have received 8 seats in parliament . 1 +After moving to Salt Lake City in the 1920 ’ s and then Ogden Utah , Robertson and his family settled in Mapleton Utah in 1937 . After the move to Ogden Utah in the 1920s and then to Salt Lake City , Robertson and his family settled in Mapleton Utah in 1937 . 0 +Bettencourt played the guitar and Chris Gehringer mastered it at the Sterling Sound Studios in New York City . Bettencourt played the guitar and was mastered by Chris Gehringer at the Sterling Sound Studios in New York City . 1 +In 2000 , Poonam Devi defeated Devi of RJD Dharmendra Yadav , representing JDU . Poonam Devi of RJD defeated Dharmendra Yadav representing JDU in 2000 . 0 +Fair Oaks is located at ( 38.651254 , -121.259279 ) , between Sacramento and Folsom . Sacramento is located between Fair Oaks and Folsom ( 38.651254 , -121.259279 ) . 0 +In 2011 he also wrote the biography of singer Madonna entitled `` Mad for Madonna The Queen of Pop '' , published by Castelvecchi Publisher . In 2011 he also wrote the biography of the singer Madonna entitled `` Mad for Madonna . The queen of pop '' , published Castelvecchi Publisher . 1 +The series debuted on April 18th , 2009 in Australia on Nickelodeon ( New Zealand and New Zealand ) . The series debuted in New Zealand April 18 , 2009 on Nickelodeon ( Australia and New Zealand ) . 0 +Kjeld Deichmann died suddenly in 1963 and Erica closed the studio and gave up pottery . In 1963 , Erica died suddenly and Kjeld Deichmann closed the studio and gave up the pottery art . 0 +He attended Seton Hall Preparatory School in nearby West Orange ( now located in South Orange , New Jersey ) . He attended Seton Hall Preparatory School in the nearby South Orange , New Jersey ( now in West Orange ) . 0 +Desborough hundred comprised the following medieval parishes and hamlets , ( formerly ancient vills ) : Desborough hundred comprised the following ancient parishes and hamlets ( formerly medieval daughters ) : 0 +Until September 1942 , the Vulcans had taken over the service and the Midlands were scrapped and then withdrawn . By September 1942 , the Vulcans had fully taken over the service and the Midlands were withdrawn and then scrapped . 0 +Jonathan Erlich and Andy Ram won the title , defeating Mark Knowles and Daniel Nestor with 5 : 3 , 5 : 4 in the final . Mark Knowles and Daniel Nestor won the title , defeating Jonathan Erlich and Andy Ram 5 : 3 , 5 : 4 in the final . 0 +Frank James joined a secessionist company , recruited for the local Drew Lobbs Army , and fought in August 1861 in the Battle of Wilson 's Creek . Frank James joined a local society recruited for the secessionist Drew Lobbs Army and fought at the Battle of Wilson 's Creek in August 1861 . 0 +New England Cable News maintains a remote camera in the television studio of Suffolk University in downtown Boston . Suffolk University maintains a remote camera in the New England Cable News television studio in the centre of Boston . 0 +It was the only public stage in Tehama County until 1991 and until 1993 was the only cinema . It provided the only public stage in Tehama County until 1991 , and was the only cinema until 1993 . 1 +At the time of its acquisition by the Royal Liver Group in 2011 , The Royal London Group consisted of : At the time of its acquisition by the Royal London Group in 2011 , The Royal Liver Group was : 0 +He established himself eventually in the northwest of Italy , apparently supported by Guy , where he probably comes '' title `` . He eventually established himself in northwestern Italy , apparently supported by Guy , where he probably received the title of `` comes '' . 0 +Born in Australia , Lang migrated to Israel as a young man and settled there in 1961 . Born in Australia , Lang moved to Israel as a young man and settled there in 1961 . 1 +On July 29 , 1791 , Sarah married Lea Thomas Wright Hill ( 1765 -- 1842 ) at St. Martin 's Church in Birmingham and had 8 children . Thomas Wright Hill married Sarah Lea ( 1765 -- 1842 ) on 29 July 1791 at St Martin 's Church , Birmingham and had 8 children : 1 +During its presence at DTM the Audi V8 competed with much smaller and about smaller Mercedes 190 , BMW M3 , and slightly lighter Opel Omega 3000 . The Audi V8 competed with much smaller and smaller Mercedes 190 , BMW M3 and slightly lighter Opel Omega 3000 during its presence in the DTM . 1 +Cape Don was named by Phillip Parker King in 1818 , as a compliment to General Sir George Don , the Lieutenant-Governor of Gibraltar . Cape Don was named in 1818 by George Don as a compliment to General Sir Phillip Parker King , lieutenant governor of Gibraltar . 0 +David was born on 21 September 1933 in Coventry with his twin father Charles and Jessamine Robbins , the eighth and ninth child of twelve of Robbins . David was born in Coventry on 21 September 1933 , with his twin Charles and Jessamine Robbins , the eighth and ninth children of twelve by Robbins . 1 +Lloyd expanded his business to begin selling toys and gifts , and he founded and led the Grandview , Missouri based House of Lloyd as the gift business grew . Lloyd founded and conducted his business to begin selling toys and gifts , and he expanded the House of Lloyd , based in Grandview , Missouri , when the gift business grew . 0 +The Khan rode out with an escort , Tsitsianov moved with two other men and was shot dead . The khan advanced out with an escort , Tsitsianov rode with two other men and was shot dead . 0 +Superstar Jackie Shroff 's driver Rahul Roy was not able to do his job so , he was replaced by his son Deepak ( Alok Nath ) . Alok Nath , the driver of superstar Jackie Shroff , was not able to do his job so that he was replaced by his son Deepak ( Rahul Roy ) . 0 +William Heyer 's parents are William J. and Merlyn M. Heyer , she attended Moorpark College and then California Lutheran University . William Heyer 's parents are William J. and Merlyn M. Heyer , she attended California Lutheran University and then Moorpark College . 0 +He played Gaelic football with his local club Adrigole and was a member of the Cork senior inter-county team in the 1960s and 1970s . He played Senior Intercounty Football with his local club Adrigole and was a member of the Cork Gaelic team in the 1960s and 1970s . 0 +Mark Machin was CEO of the Canada Pension Plan Investment Board , which was replaced in June 2016 by Mark Wiseman . Mark Wiseman was the CEO of the Canada Pension Plan Investment Board , which was replaced in June 2016 by Mark Machin . 0 +Consider a market with formula _ 119 correlated stocks formula _ 120 with riskless returns formula _ 121 , formula _ 122 and a stochastic bond with Consider a market with Formula 119 correlated shares Formula 120 with riskless returns Formula 121 , Formula 122 and a stochastic binding with 0 +Selim married Gülbahar Hatun , who was the mother of Bayezid II , successor to Bayezid II and nephew of Sitti Mükrime Hatun . Bayezid II married Gülbahar Hatun , who was the mother of Bayezid II 's successor , Selim I and nephew of Sitti Mükrime Hatun . 0 +Siebenberg has described the song as his favourite on the album `` because it 's so personal and so pure . '' Siebenberg described the song as his favorite on the album `` because it 's so pure and so personal . 1 +Octavius Warre Malet 's second daughter , Alice Anna Catherine , married Thomas on 24 June 1852 at the British Consulate , Cologne . Thomas Anne 's second daughter , Alice Anna Catherine , married Octavius Warre Malet in the British Consulate in Cologne on June 24 , 1852 . 0 +Praised by Richard Gibson and court painter Joan Carlile , she is considered as successful as Peter Lely . She is praised by Richard Gibson and the court painter Joan Carlile as as successful as Peter Lely . 1 +From 1958 , Melkus was a professor of violin , historical violin , viola and baroque performance at the Vienna Academy of Music . From 1958 , Melkus was a professor of violin , baroque violin , viola , and historical performance practice at the Vienna Academy of Music . 0 +Tod Leiweke 's younger brother , Tim , is currently the chief operating officer of the National Football League since 2015 . Tim , the younger brother of Tod Leiweke , is currently Chief Operating Officer of the National Football League since 2015 . 1 +The first would be a sample in the Tulagi , the second would be the occupation and occupation of Fiji - Islands and Guadalcanal ( Operation Watchtower ) . The first would be a rehearsal in the Tulagi ; the second would be the seizure and occupation of Fiji Islands and Guadalcanal ( Operation Watchtower ) . 1 +North Abaco is one of the districts of the Bahamas , on the Abaco Islands . It has a population of 9,578 . ( 2010 census ) It is one of the districts of the Bahamas , on the Abaco islands and has a population of 9,578 ( census of 2010 ) . 1 +The next town hall was built in 1627 in the Baroque style and damaged in 1650 , 1653 , 1735 and 1779 . The next town hall was damaged in baroque style in 1627 and constructed in 1650 , 1653 , 1735 and 1779 . 0 +Brewer works in creative and collaborative community outreach and uses her insight to encourage others in the artistic process . Brewer works in artistic community outreach , using her insight to encourage others in the creative and collaborative process . 0 +The Giants fell to the Chicago Bears 27 -- 21 and for the first time since 1976 were 0-6 . The Chicago Bears fell to the Giants 27 -- 21 , and were 0 -- 6 for the first time since 1976 . 0 +Heshan is a city located in the county of Changle , Fuzhou City , Fujian province , China . Heshan is a town located in the county-level city of Changle , Fuzhou City , Fujian Province , China . 1 +He would go to the station that night , west of Tecumseh , and then return to Violet Springs with another horse before his neighbors could become suspicious . He would return to the station to the west of Tecumseh that night , and then ride with another horse to Violet Springs before his neighbors could become suspicious . 0 +Pete Sampras won 6 : 7 , 6 : 4 , 7 : 6 against Tim Henman in the final . Tim Tim Henman won against Pete Sampras in the final 6 -- 7 , 6 -- 4 , 7 -- 6 . 0 +The uvular ejective is a kind of consonantal sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents that sound . The Consonant - Ejective is a kind of uvular sound that is used in some spoken languages The symbol in the International Phonetic Alphabet , which represents this sound , 0 +The Swedish Ice Hockey Championship of 1932 won the 11th season of the Swedish Ice Hockey Championship , the Swedish National Championship , Hammarby IF was the championship . The Swedish Ice Hockey Championship of 1932 was the 11th season of the Swedish Ice Hockey Championship , the Swedish National Championship , Hammarby IF won the championship . 0 +McCarthy was born in San Francisco , California , but at the age of four he moved to Auckland with his family . McCarthy was born in San Francisco , California , but moved with his parents to Auckland at the age of four . 1 +The BBC World Service also broadcasted a version called `` Animal , Vegetable and Mineral '' , chaired by Michael Flanders , with a panel including Terry Wogan . The BBC World Service also broadcast a version called `` Animal , Vegetable and Mineral '' , chaired by Michael Flanders with a panel including Terry Wogan . 1 +This beetle was described in 1988 as a non-functioning species ; it is about long , has new wings and can not fly . This beetle was described as a nonfunctional species in 1988 . It is about long , it has new wings and can not fly . 1 +Mehta has two children with wife Juhi Chawla , a girl , Jahnavi Mehta ( born 2001 ) and a boy , Arjun Mehta ( born 2003 ) . Mehta has two children with wife Juhi Chawla , a girl , Jahnavi Mehta ( born in 2001 ) and a boy , Arjun Mehta ( born 2003 ) . 1 +She became mother of Val , Boris and Rosalind Lorwin , her daughter was a psychology professor . She was the mother of Val , Boris and Rosalind Lorwin , her daughter became a professor of psychology . 0 +Armando Santiago ( born June 18 , 1932 ) is a Portuguese composer , conductor , music teacher and university administrator of Canadian birth . Armando Santiago ( born 18 June 1932 ) is a Canadian composer , conductor , music educator , and university administrator of Portuguese birth . 0 +In early astronomy , his fame is due to the introduction of the mathematical globe , and his astronomical contributions to understanding the movement of the planets . His fame is due in mathematical astronomy to the introduction of the astronomical globe and to his early contributions to the understanding of the movement of the planets . 0 +The idea of performing geographic routing using coordinates in a virtual space , instead of using physical coordinates , is due to Rao et al . The idea of performing geographic routes in a virtual space using coordinates instead of using physical coordinates is Rao et al . 1 +He was particularly interested in the decorative effect of his images , which were composed of stylized figures in long cloaks or gestures affected , narrative content was secondary . He was interested particularly in the decorative effect of his images , composed of stylised figures in long cloaks or with affected gestures ; narrative content was secondary . 1 +The Keita dynasty ruled Mali , pre-imperial and imperial , from the early 17th to the 12th century . The Keita dynasty ruled pre-imperial and imperial Mali from the 12th century into the early 17th century . 0 +In 1979 , he had his best year on tour , making a quarter-finals in Tel Aviv , Johannesburg and Atlanta . In 1979 he had his best year on tour , a quarterfinal in Tel Aviv , Johannesburg and Atlanta . 1 +Acting Boss -- Rene Piccarreto -- son of Loren Piccarreto arrested 1988 released in 1994 . Acting Boss -- Rene Piccarreto -- Son of Loren Piccarreto arrested in 1988 released in 1994 . 1 +Shook was an underground independently produced electronic music magazine , based in London , which covered various forms of British music and black music . Shook was an electronic music magazine produced underground in London that covered various forms of British music and black music . 1 +He then taught school in Toledo , OH and was the acting superintendent of schools in Cleveland from 1856-1859 . He then taught school in Cleveland , OH and was the deputy superintendent from 1856-1859 of the schools in Toledo . 0 +There are regular , resp . irregular , essential contributions from groups formula _ 11 with abelianizations formula _ 285 of the types There are regular , or irregular , essential contributions from groups in the formula 11 with Abelianizations Formula 285 of types 1 +`` Cosmic Explorer '' was released on April 6 , 2016 , by Universal J Japan , Universal Music , and Perfume Records in four different formats . “ Cosmic Explorer ” was released in four different formats by Universal J Japan , Universal Music and Perfume Records on 6 April 2016 . 1 +The river Arieşul Mare is a tributary of the Válcea river in Romania . The river Vălcea is a tributary of the River Arieşul Mare in Romania . 0 +El Hatillo offers free public education , with a total of seventeen primary education schools ; eleven are private and six are public . El Hatillo provides free public education with a total of seventeen primary schools , eleven are private and six are public . 1 +In 1953 , Timothy Detudamo died after a long illness , and was replaced by Raymond Gadabu as a head chief . In 1953 , Raymond Gadabu died after a long illness and was succeeded by Timothy Detudamo as Chief Chief . 0 +After the war , he played twice for the Army against the Royal Navy , in 1948 and 1949 , and against Cambridge University in 1949 . After the war , he played twice for the army against the Royal Navy , 1948 and 1949 , and against Cambridge University in 1949 . 1 +Audio is maintained with direct digital recording ( so audio quality is transcribed ) . Audio is transcribed with direct digital recording ( the audio quality is maintained ) . 0 +The chief editor is Herbert Wessels ( since 2009 ) , second editor is Markus Ermert ( since 2002 ) . The second editor is Herbert Wessels ( since 2009 ) , editor in chief is Markus Ermert ( since 2002 ) . 0 +The song was written and composed by Gala produced by Filippo Andrea Carmeni and Maurizio Molella . The song was written and composed by Gala by Filippo Andrea Carmeni and Maurizio Molella produced . 1 +de Ruiter , born in Leiden , has played for FC Utrecht , FC Den Bosch , Excelsior , RKC Waalwijk and FC Emmen . Born in Leiden , de Ruiter has played for FC Utrecht , FC Den Bosch , Excelsior , RKC Waalwijk and FC Emmen . 1 +Also Cai Feng had a son , Cai Mao . Cai Feng also had a son , Cai Mao . 1 +The Cancer Genome - project was launched by Peter Campbell in 2000 , and Michael Stratton is now the project 's group leader . The Cancer Genome Project was launched by Peter Campbell in 2000 , and Michael Stratton is now the group leader of the project . 1 +Jessica Loe took up rowing in 2004 , and Olivia Loe followed her in 2006 . In 2004 , Olivia Loe took the rowing , and Jessica Loe followed her in 2006 . 0 +The poem is preserved in four contemporary manuscripts , one of which is fragmentary : The poem is stored in four contemporary manuscripts , one of which is fragmentary : 1 +Enigmaticolus Monnieri is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . Enigmaticolus monnieri is a species of sea snail , a marine gastropod mollusc in the family Buccinidae , the true whelks . 0 +Propilidium pelseneeri is a species of sea snail , a true limpet , a true gastropod mollusk in the Lepetidae family , one of the families of the marine limpets . Propilidium pelseneeri is a species of sea snail , a true limpet , a marine gastropod mollusk in the Lepetidae family , one of the families of the true limpets . 0 +Simon Simon was born in Charlie and Megan Pace in 1979 and lived in Manchester , England . Simon was born in 1979 to Charlie and Megan Pace , and lived in Manchester , England . 1 +According to the United States Census Bureau , Kennesaw is a total area of which is land and 1.08 % has water . According to the United States Census Bureau , Kennesaw has a total area of , of which is land and , or 1.08 % , is water . 1 +There is also an isolated narrow gauge railway on the Eyre Peninsula from Port Lincoln to Ceduna . There is also an isolated narrow gauge railway operating on the Eyre Peninsula from Port Lincoln to Ceduna . 1 +It is known from the United States ( Maine , Oregon , California ) and British Columbia ( Canada ) . It is famous from the United States ( Maine , Oregon , California ) and Canada ( British Columbia ) . 1 +The only other Jennings township is in Putnam County . Statewide , the only other Jennings Township is located in Putnam County . 1 +He was appointed prosecuting attorney for Seneca County in 1824 , for Williams County in 1826 , and for Sandusky County in 1827 . He was appointed accuser attorney in 1824 for Williams County , 1826 for Seneca County , and Sandusky County in 1827 . 0 +Explicit costs are taken into account along with implicit ones when considering economic profit . When considering the implicit profit , the explicit costs are taken into account along with the economic ones . 0 +Jesus spent three days in the belly of the fish , and Jonah would spend three days in the grave . Jonah spent three days in the belly of the fish ; Jesus will spend three days in the grave . 0 +The chief editor is Herbert Wessels ( since 2009 ) , the second editor is Markus Ermert ( since 2002 ) . The chief editor is Herbert Wessels ( since 2009 ) , second editor is Markus Ermert ( since 2002 ) . 1 +Guillermo Coria defeated Alberto Martín 6 -- 3 , 3 -- 6 , 6 -- 2 Defeated Guillermo Coria Alberto Martín 6 -- 3 , 3 -- 6 , 6 -- 2 0 +The colour of the shell is smooth , under a very thin , whitish , yellowish brown epidermis . The color of the shell is smooth , under a very thin , whitish , yellowish brown epidermis . 1 +`` Trust in Me '' is a song that was written by Ned Wever , Milton Ager and Jean Schwartz . `` Trust in Me '' is a song written by Jean Schwartz , Milton Ager , and Ned Wever . 1 +The `` Fallbeil '' was used for the last time in West Germany in 1949 , in East Germany in 1966 . The `` Fallbeil '' was last used in East Germany in 1949 , in 1966 in West Germany . 0 +It serves the south-eastern Melbourne suburb of Edithvale opening on 20 September 1919 . It serves the southeasternmost Melbourne suburb of Edithvale opening on 20 September 1919 . 1 +Other difficulties included Peter Jackson 's decision to change composers from Howard Shore to James Newton Howard seven weeks before the film opened . Other difficulties included Peter Jackson 's decision to switch Howard Shore composers to James Newton Howard seven weeks before the film change . 0 +Its status as a satellite town of Kuala Lumpur is tied to its location in the heart of Klang Valley in Malaysia . Its status as a satellite town of Kuala Lumpur is linked to its location in the heart of the Klang Valley in Malaysia . 1 +Statesboro -- Bulloch County Airport is the home of the U.S. Auxiliary 's Air Force ; Statesboro `` Eagle '' Composite Squadron ( GA451 ) of Civil Air Patrol . www.statesborocap.com . Statesboro -- Bulloch County Airport is home to the U.S. Air Force Auxiliary 's Statesboro `` Eagle '' Composite Squadron ( GA451 ) of the Civil Air Patrol . www.statesborocap.com 1 +The Chicago Bears fell to the Giants 27 -- 21 , and were 0 -- 6 for the first time since 1976 . The Chicago Bears fell on the Giants 27 -- 21 and were for the first time since 1976 with 0 - 6 . 1 +He died in Alicante on 6 January 1976 , and was buried in the church of the in Madrid . He died on 6 January 1976 in Madrid and was buried in the church of Alicante . 0 +He belonged to the Jewish section of the Prewar Association of Writers and Composers in Warsaw . He belonged to the Jewish Section of the prewar Association of Theatrical Authors And Composers in Warsaw . 1 +Hoppkorv was the seventh album by the American blues rock band Hot Tuna , and their last studio album recorded for Grunt Records , as Grunt BFL1-1920 . Hoppkorv was the seventh album of the American blues - Rock - Band Hot Tuna and their last studio album for Grunt Records recorded as Grunt BFL1-1920 . 1 +At the time of his death , David Cardinal Beaton was Lord Chancellor of St Andrews , Archbishop of Scotland , and Cardinal Legate of Scotland . At the time of his death , David Cardinal Beaton was Lord Chancellor of Scotland , Archbishop of St Andrews , and Cardinal Legate in Scotland . 0 +Somers was the son of Charles Cocks , 1st Baron Somers , and Elizabeth , daughter of Richard Eliot . Somers was the son of Richard Eliot , the 1st Baron Somers and Charles Cocks , the daughter of Elizabeth . 0 +He designates this a new discovery of fiction writing , and considers it a Mytho-realism of Chinese literature . He describes this as a new discovery of fiction - writing and considers it a mytho-realism of Chinese literature . 1 +The Barons de Longueuil have lived not in Canada for several generations , but lived in Scotland and France and in the 1970s in Luzon , Philippines . The Barons de Longueuil have not lived in Scotland for several generations , having lived in Canada and France and , in the 1970s , in Luzon , Philippines . 0 +Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , located southeast of Rambler Peak and south of Gold River . Mount DeVoe is a mountain on Vancouver Island , British Columbia , Canada , located southeast of the Gold River and south of Rambler Peak . 0 +Somatherapy ( or Soma ) was created by the Wilhelm Reich in the 1970s as a group therapy , based on the research of the psychoanalyst Freire . Somatherapy ( or Soma ) was founded in the 1970s as a group therapy by Wilhelm Reich , based on the research of the psychoanalyst Freire . 1 +It is found in western and central Europe and southern Asia . It is available in southern Europe and Western and Central Asia . 0 +It serves Chandimandir Cantonment area of the city Panchkula . It serves Chandimandir Cantonment area of Panchkula city . 1 +During Vietnam war , the Triad was eliminated in the North but in the South . The Triad was eliminated in the north during the Vietnam War , but in the south . 1 +The film was edited by Alena Kruchkova and produced by Andrei Litvinov . The film was produced by Alena Kruchkova and cut by Andrei Litvinov . 0 +In Sri Lanka , the title of Chartered Accountant ( CA Sri Lanka ) can be used by only members of the Institute of Chartered Accountants of Sri Lanka . In Sri Lanka the title of the Chartered Accountant ( CA Sri Lanka ) can only be used by members of the Institute of Sri Lankan Accountants . 1 +Zingone played club football for Lito . Lito played football club for Zingone . 0 +After his primary and secondary education in Isparta he completed Pertevniyal High School in İstanbul . After his primary and secondary education in Isparta , he completed the Pertevniyal High School in Istanbul . 1 +McMillan spent two years in the Royal Medical Corp. at Didcot -- and later at Tidworth , where he ran an MRS for soldiers injured in the Korean War . McMillan spent two years at the Royal Medical Corp. in Tidworth -- and later at Didcot , where he operated an MRS for soldiers injured in Korean War . 0 +Jacob Markell ( May 8 , 1770 -- November 26 , 1852 ) was a U.S. Representative from New York , father of Henry Markell . Jacob Markell ( May 8 , 1770 -- November 26 , 1852 ) was a representative of New York , father of Henry Markell . 1 +His subsequent work in agriculture was mainly in Norfolk , but he also suggested extensive embankments in Lincolnshire , which were successfully carried out . His subsequent work in agriculture was primarily in Lincolnshire , but he also proposed extensive embankments in Norfolk , which were successfully carried out . 0 +According to the United States Census Bureau , the city is a total surface area of which land and / or 33.45 % has , is water . According to the United States Census Bureau , the town is a total area of , of which has land and or 33.45 % , is water . 1 +It was directed by George Fitzmaurice and is based on a 1917 play , `` Tiger Rose '' , by Willard Mack . Directed by George Fitzmaurice , it is based on a play `` Tiger Rose '' by Willard Mack in 1917 . 1 +There is also an isolated narrow gauge railway operating on the Eyre Peninsula from Ceduna to Port Lincoln . There is also an isolated narrow gauge railway on the Eyre Peninsula from Port Lincoln to Ceduna . 0 +In addition to municipal parks , there are ten state parks , five national facilities , and several other gardens and arboretums in the area . In addition to city parks , there are ten state parks , five national facilities and several other gardens and arboretums in the area . 1 +Battlepug is a webcomic written and illustrated by Mike Norton , colored by Allen Passalaqua , and lettered by Chris Crank . Battlepug is a webcomic by Mike Norton , written by Allen Passalaqua , written and illustrated by Chris Crank . 0 +It was later released to be confirmed as a single for the album on 15 October in the UK and on October 23 in the USA . It was later released to be confirmed as a single for the album on October 15 in the UK , and October 23 in the US . 1 +He was married to Elisabeth Young ( 1854 - 1932 ) and was the father of the shipping magnate N. O . Young Fearnley and landowner Thomas Fearnley . He was married to Elisabeth Young ( 1854 -- 1932 ) and was the father of shipping magnate Thomas Fearnley and landowner N. O . Young Fearnley . 0 +He continued his relationship with ESPN directing two more films for the network , `` Wendell Scott '' and `` Herschel '' . He continued his relationship with ESPN to lead two more films for the network , `` Herschel '' and `` Wendell Scott '' . 1 +In 2001 Siberian Airlines merged with Enkor . In 2001 , the Siberian Airlines merged with Enkor . 1 +On 29 November 1171 , Gonzalo signed a charter as `` Gonzalo Ruiz de Bureba '' for the first time . On 29 November 1171 , Gonzalo Ruiz de Bureba signed a certificate for the first time as '' Gonzalo . 0 +Until the advent of electronic and digital video technology , the mass production of pornographic films was linked directly to the mainstream film industry . Until the advent of electronic and digital video technology , the mass production of pornographic films was tied directly to the mainstream film industry . 1 +He published and wrote the prefaces to the editions of Robert Owen ( 1934 ) , Thomas More ( 1935 ) and Tommaso Campanella ( 1950 ) . He published and wrote the prefaces to editions of Tommaso Campanella ( 1934 ) , Thomas More ( 1935 ) and Robert Owen ( 1950 ) . 0 +Lang was born in Israel , migrated to Australia as a young man and settled there in 1961 . Born in Israel , Lang migrated to Australia as a young man and settled there in 1961 . 1 +The Roman - Catholic diocese of Bungoma is a diocese in the town of Kisumu in the ecclesiastical province of Bungoma in Kenya . The Roman Catholic Diocese of Bungoma is a diocese located in the city of Bungoma in the Ecclesiastical province of Kisumu in Kenya . 0 +Nozomu Sasaki is expressed in the original series by Mackie in Japanese and Frank Trimble in English . Nozomu Sasaki is voiced by Mackie in Japanese and Frank Trimble in English in the original series . 1 +Three brigades ( 11 Battalions ) were raised for conventional warfare ; a large guerrilla force ( estimated at 100,000 ) was trained . Three brigades ( 11 battalions ) were trained for conventional warfare , a large guerrilla force ( estimated at 100,000 ) was set up . 0 +In Korea , the design was used to represent Daoism in Joseon and to express the hope for harmony of yin and yang . In Korea , the draft was used to present Daoism in Joseon and to express the hope for harmony of Yin and Yang . 1 +He is co-recipient of the renowned Carnegie Scholarship for Mathematics with Lucas ( Martin Hansen ) . He is co-recipient , with Martin Hansen ( Lucas ) , of the prestigious Carnegie Scholarship for mathematics . 1 +The 2007 championships took place from 21 to 28 January in Spokane , Washington in the Spokane Convention Center and the Spokane Arena . The 2007 Championships took place between January 21 and 28 in Spokane , Washington in the Spokane Arena and the Spokane Convention Center . 1 +Zedtwitz was president of the American Bridge League in 1932 , one of the organizations whose merger founded the American Contract Bridge League in 1937 . Von Zedtwitz was 1932 president of the American Contract Bridge League , one of the organizations whose merger established the American Bridge League in 1937 . 0 +They have 13 dorsal spines , 11 to 13 dorsal soft rays , 2 anal spines , and 11 to 13 anal soft rays . They have 13 anal soft spines , 11 to 13 dorsal soft rays , 2 back spines and 11 to 13 anal rays . 0 +With Vinny Testaverde considered the starter , Ray Lucas was competing against Zolak for a backup job . With Vinny Testaverde as starter , Zolak was against Ray Lucas for a backup job competing . 0 +This was recorded in two long inscriptions from his Medinet Habu mortuary temple , which are physically separate and somewhat different from one another . This was recorded in two long inscriptions from his body horde Medinet Habu , which are physically separate and somewhat different from one another . 1 +In other articles it applauded the economic ideas underlying the Schuman Plan and praised the expansion of the European Common Market . In other articles , it praised the economic ideas underlying the Schuman plan and applauded for the expansion of the European common market . 1 +`` 2 '' Benjamin Hough was married on August 29 , 1806 by Stephen Ford , Justice of Peace , in Jefferson County with Elizabeth Core . Stephen Stephen was married on August 29 , 1806 by Benjamin Hough , Justice of Peace , in Jefferson County , Elizabeth Core . 0 +In practice , Mesquite `` modules '' are Java classes , usually abstract sub-classes of concrete class definitions . In practice , Mesquite `` modules '' Java - classes are usually abstract subclasses of concrete class definitions . 1 +In European lithostratigraphy , rocks of this Middle Jurassic age are called the Dogger . In the middle Jura - lithostratigraphy , rocks of this European age are called Dogger . 0 +The empirical observation of GLA 's actual effects argues that DGLA 's anti-inflammatory effects dominate . The empirical observation of GLA 's anti-inflammatory effects argues that the actual effects of DGLA dominate . 0 +This song was written and composed by the gala produced by Filippo Andrea Carmeni and Maurizio Molella . The song was written and produced by the gala , which was composed by Filippo Andrea Carmeni and Maurizio Molella . 0 +In May , Spencer McLaren arrived as Kieran Fletcher , a love interest for the established character Sally Fletcher ( Kate Ritchie ) . In May , Kate Ritchie arrived as Sally Fletcher , a love interest for established character Kieran Fletcher ( Spencer McLaren ) . 0 +Mehta has two children with wife Juhi Chawla , a girl , Jahnavi Mehta ( born 2001 ) and a boy , Arjun Mehta ( born 2003 ) . Mehta has two children with wife Juhi Chawla , a girl , Jahnavi Mehta ( born 2001 ) and a boy Arjun Mehta ( born in 2003 ) . 1 +Sculcoates has a library , post office , a swimming pool called Beverley Road Baths , a high school and two primary schools . Sculcoates has a library , a post office , a swimming bath called Beverley Road Baths , a primary school and two high schools . 0 +Ungarala Rambabu is a Telugu film , written and staged by Kranthi Madhav and produced by Paruchuri Kiriti . Ungarala Rambabu is a Telugu film written and directed by Paruchuri Kiriti and produced by Kranthi Madhav . 0 +He attended Seton Hall Preparatory School in the nearby South Orange , New Jersey ( now in West Orange ) . He attended Seton Hall Preparatory School in nearby South Orange , New Jersey ( now located in West Orange ) . 1 +The only tram depot is in San Antonio , Termini are Miraflores and Oriente . The only tram depot is at San Antonio . Termini are Miraflores and Oriente . 1 +Amongst the more popular trains are : Simanta Express and Rupsha Express to Khulna , Titumir Express to Rajshahi , Nilsagar Express to Dhaka and Lalmoni Express to Dhaka . Among the more popular trains are : Simanta Express and Rupsha Express to Khulna , Titumir Express to Rajshahi , Nilesagar Express to Dhaka and Lalmoni Express to Dhaka . 1 +Andesite was the mafic lava type with some samples dominant enough to be classified as basaltic andesite . Andesite was the dominant lava type with some samples that were enough to be classified as basaltic andesite . 0 +The Nashua Silver Knights , part of a summer current league , is the city 's collegiate team . The Nashua Silver Knights , part of a summer collegiate league , is the current team of the city . 0 +County Road 540 is just a few miles south of State Road 540 in Highland City and runs west from US 98 to County Road 37B . County Road 540 is a few miles west of State Road 540 in Highland City and runs south from the US 98 to County Road 37B . 0 +The first would be a rehearsal in the Fiji Islands ; the second would be the seizure and occupation of Tulagi and Guadalcanal ( Operation Watchtower ) . The first would be a sample in the Tulagi , the second would be the occupation and occupation of Fiji - Islands and Guadalcanal ( Operation Watchtower ) . 0 +The Cambodia -- Vietnam Friendship Monument in Phnom Penh , capital of Cambodia , is a large concrete monument commemorating the former alliance between Vietnam and Cambodia . Phnom Penh -- Vietnam 's friendship monument in Cambodia , the capital of Cambodia , is a large concrete monument that recalls the former alliance between Vietnam and Cambodia . 0 +III . Claude Simon Brancion , married April 26 , 1646 , Mary , daughter of Beaufort , Lord of S. Quentin whom he had : III Claude Simon Brancion , married on April 26 , 1646 , Mary , daughter of Beaufort , the Lord of S. Quentin , whom he had : 1 +There are 43 permanent teachers and most teachers are the outstanding artists of the country . There are 43 permanent teachers and most of the teachers are eminent artists of the country . 1 +A biblical damnation , in its most formal sense , is a negative blessing . A biblical doom is , in its most negative sense , a formal blessing . 0 +A biblical doom is a negative blessing in its most formal sense . A biblical doom is a formal blessing in its most negative sense . 0 +It is found in southern Europe and western and central Asia . It is available in southern Europe and Western and Central Asia . 1 +On 25 June 1866 he was appointed bishop of `` Nisa in Lycia and bishop of Titular Velletri . He was appointed as auxiliary bishop of `` Nisa in Lycia '' and titular bishop of Velletri on 25 June 1866 . 1 +The historic Rubber Bowl was used by the National Guard of the United States as a base during the racial Wooster Avenue Riots of 1968 . The historic Rubber Bowl was used by the United States National Guard as a base during the racist Wooster Avenue Riots of 1968 . 1 +Tasha from production I.G , Danny Choo , Kaname , Mitsuhisa Ishikawa and Tomohiko Ishii with Miyuko from Korea were special guests for the event . Tasha from Production I.G , Danny Choo , Kaname , and Mitsuhisa Ishikawa and Tomohiko Ishii with Miyuko from Korea were special guests for the event . 1 +At that time , it comprised ships from Italy , France , Germany , Pakistan , Canada , the United Kingdom and the United States . At the time , it comprised ships of Canada , France , Germany , Pakistan , Italy , the United Kingdom and United States . 1 +His son married Mary O. Kennedy ( from San Francisco ) and died in 1883 in California . His son married Mary O. Kennedy ( of California ) and he died in San Francisco in 1883 . 0 +Note also that `` not NFL '' implies overall that algorithms are inequivalent only by `` some '' measure of performance . Note also that `` not NFL '' only implies that algorithms are inequivalent by `` some '' performance dimensions overall . 0 +European activities became part of Ebel , while the Asian activities were sold to the Hong Kong entrepreneur Joseph Wong and now belong to Stelux Holdings . Asian activities became part of Ebel , while the European activities were sold to the Hong Kong entrepreneur Joseph Wong and now belong to Stelux Holdings . 0 +Mr. Ross : I will prove that Prior Curry has shot and that Hoffman has offered a pound to the first person who would do it . Mr. Hoffman : I will prove that Prior shot Curry , and that Ross offered a pound to the first one who would do it . 0 +Li Bian took over when his father Li Jing died in 943 . Li Li took over when his father died Li Jing in 943 . 0 +After retirement , he remained in Krzemieniec and died there . After his retirement he died and remained in Krzemieniec . 0 +This made him the first 994nd grader to play for the roosters . This made him the first 994th grader to play for the Roosters . 1 +H. T. J. Macnamara married Edith Cranstoun Macnamara , eldest daughter of Mr. Neville , who was at one time a Judge of County Courts and a Railway Commissioner . Neville married Edith Cranstoun Macnamara , the eldest daughter of Mr. H. T. J. Macnamara , who was a judge of the County Courts and a railroad commissioner at one time . 0 +Bonnie Bedelia Culkin ( born Bonnie Bedelia , March 25 , 1948 ) is an American actress . Bonnie Bedelia Culkin ( born March 25 , 1948 in Bonnie Bedelia ) is an American American actress . 1 +Using the new hypotheses the linguist can form analytical sentences and create a translation manual . The linguist can use the new hypotheses to form analytical sentences and create a translation manual . 1 +In April 1942 , Montagu Slater returned to England and , shortly after his return , asked Britten to be his librettist for `` Peter Grimes '' . Britten returned to England in April 1942 . Soon after his return , he asked Montagu Slater to be his librettist for `` Peter Grimes '' . 0 +However , Madonna , Prince , and Michael Jackson were influences on the album . Michael Jackson , Prince and Madonna , however , were influenced on the album . 1 +In 1781 , Illinois Governor Thomas Jefferson promoted Clark to brigadier general and gave him command of all the militia in the Kentucky and Virginia counties . In 1781 , Illinois - Governor Thomas Jefferson Clark promoted Brigadier General and gave him command of the entire militia in the counties of Kentucky and Virginia . 1 +The campus was located in Wan Chai and Sai Kung and moved to its new site in Kennedy Town in August 2013 . The campus was located in Wan Chai and Kennedy Town and in August 2013 the school moved to its new permanent location in Sai Kung . 0 +She has been married twice : first to Doctor Mark Soroko and later to banker Jim Hays . She has twice been married : first to doctor Mark Soroko , and later to banker Jim Hays . 1 +She sailed from Key West on 12 September 1943 and arrived on 16 September in Galveston , Texas . She sailed on 12 September 1943 from Galveston , Texas , and reached Key West on 16 September . 0 +In 1977 , with Rob Taylor , Barber traveled to Scotland and Norway to climb waterfalls . In 1977 , Barber travelled with Rob Taylor to Scotland and Norway to climb waterfalls . 1 +Jiří Veselý defeated Oliver Golding , 5 -- 7 , 6 -- 3 , 6 -- 4 . Defeated Jiří Veselý Oliver Golding , 5 -- 7 , 6 -- 3 , 6 - 4 . 0 +Juhi Chawla has two children with wife Jahnavi Mehta , a girl , Mehta ( born 2001 ) and a boy , Arjun Mehta ( born 2003 ) . Juhi Chawla has two children with the wife Jahnavi Mehta , a girl , Mehta ( born in 2001 ) and a boy , Arjun Mehta ( born 2003 ) . 1 +In 2002 , the song was released by British producer Vincent Stormfield and covered by independiente with `` Sweet Harmony 02 '' . In 2002 , the song was covered by the British producer Vincent Stormfield and was released by Independiente as '' Sweet Harmony '02 `` . 0 +Elizabeth Prudden , immigrated from England to Milford , Connecticut in 1653 ; married Roger Pritchard Elizabeth Elizabeth Prudden , immigrated from England to Milford in 1653 , Connecticut , married Roger Pritchard 1 +Notable recordings when the song was new were made by such artists as Paul Whiteman , Van & Schenck , Marion Harris and the American Quartet . Remarkable shots were made by artists such as Paul Whiteman , Van Schenck , Marion Harris and the American Quartet , when the song was new . 1 +He was awarded in his senior yearbook entitled `` Most Humorous '' and '' Most Talented `` . He was awarded `` Most Humorous '' and `` Most Talented '' in his senior yearbook . 1 +The interviews typically run for the first hour of the program , with occasional half-hourly interviews during the second hour . The interviews typically run for the first hour of the program , with occasional half-hour interviews during the second hour . 1 +Affected , Arthur tries to be more considerate towards Gwen ( offering to make dinner etc . Arthur tries to be affected , to be more considerate towards Gwen ( offering to make dinner , etc . 1 +Bas Basie Land is a studio album by Count Basie and his 1964 orchestra , whose music was composed and arranged by Billy Byers . Land Basie Land is a studio album by Billy Byers and his orchestra from 1964 , composed and arranged by Count Basie . 0 +Their mission is to guard various space outposts from hordes of incoming enemy ships . Their mission is to guard various outposts from hordes of enemy ships . 0 +On his mother , Elizabeth 's side were Sir William Mordaunt , chancellor of the Duchy of Cornwall , and John Mordaunt , chief Prothonotary of the Common Pleas . On his mother 's side were Elizabeth William Mordaunt , Chancellor of the Duchy of Cornwall , and John Mordaunt , Chief Prothonotary of the Common Pleas . 0 +In 2014 the site launched iOS and Android applications for product search ; product features include interactive video product reviews with live question-and-answer sessions . In 2014 launched the site iOS and Android - applications for product search , product features include interactive video - product - reviews with live - questions and answers - sessions . 1 +In the other direction , suppose that `` m `` is powerful with primary factorization In the other direction , suppose that `` m '' is prime , with powerful factorization . 0 diff --git a/examples/datasets/pawsx/test-zh.tsv b/examples/datasets/pawsx/test-zh.tsv new file mode 100644 index 0000000..4c1e0fd --- /dev/null +++ b/examples/datasets/pawsx/test-zh.tsv @@ -0,0 +1,2000 @@ +2005 年末至 2009 年期间是例外,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的查查克足球俱乐部和俄罗斯的格罗兹尼特里克足球俱乐部。 例外情况发生于 2005 年末至 2009 年期间,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的查查克足球俱乐部和俄罗斯的格罗兹尼艾卡马特足球俱乐部。 1 +Tabaci 河是罗马尼亚 Leurda 河的支流。 Leurda 河是罗马尼亚境内 Tabaci 河的一条支流。 0 +1993 年,他为 A 级的坎恩郡美洲狮队和 AA 级的波特兰海狗队效力。 1993 年,他为 A 级球队波特兰海狗队和 AA 级球队凯恩县美洲狮队效力。 0 +Winarsky 是 IEEE、Phi Beta Kappa、ACM 和 Sigma Xi 的成员。 温那斯基是 ACM、IEEE、Phi Beta Kappa 和 Sigma Xi 的成员。 1 +1938 年,他成为英埃苏丹的政府人类学家,并领导对努巴的实地考察工作。 1938 年,他成为英埃苏丹政府的人类学家,并与努巴一起从事野外工作。 0 +比利·比利·贝特森出现在 2008 年末至 2009 年初出版的前四期《黑亚当》中。 黑亚当出现在 2008 年末至 2009 年初出版的前四期《比利·贝特森》中。 0 +利用太阳能满足此项要求的方法是在常规动力飞机上使用太阳能板。 利用太阳能满足此项要求的方法是在常规动力飞机上使用太阳能板。 1 +在调查进行期间,警察还质询了歌手梨美·托米和演员卡薇雅·马德哈万,两人均为西迪基及其妻子迪利普的好友。 作为持续进行的调查的一部分,警察还询问了歌手 Rimi Tomy 和演员 Kavya Madhavan,二人都是西迪基和他的妻子迪利普的好友。 1 +它们被稀疏的现场管弦乐覆盖,并由模糊不清和几乎故意平淡的声音构成。 它们被毫无音色的现场播放的音乐覆盖,并且由模糊不清、几乎故意稀疏的管弦乐声音构成。 0 +霍利在音乐上受到了埃尔顿·约翰的影响。 霍利 霍利在音乐上受到艾尔顿·约翰的影响。 1 +球队在 2 月 19 日当晚对下一场比赛的变化作出了回应。 该队在第二天(2 月 19 日)晚上的同一场比赛中应对变化。 0 +Nashua Silver Knights 队是当前夏季联赛的一部分,也是该市的大学体育队。 纳舒厄白银骑士团队加入了夏季大学联盟,是本市的现役球队。 0 +“断头台” 1949 年最后一次在西德使用,1966 年最后一次在东德使用。 "Fall Beil" 于 1949 年最后一次在西德使用并于 1966 年在东德使用。 1 +此运河为比利时,乃至欧洲,历史最为悠久的可通航运河之一。 这条运河是比利时(确切来说是欧洲)最古老的通航运河之一。 0 +他在 2009 年搬回了费城,现在住在纽约市。 他于 2009 年搬回费城,现居住在纽约市。 1 +1954 年 6 月 30 日,他因胃癌于俄克拉荷马州克莱摩尔病逝,而林恩·瑞格斯纪念馆则位于纽约市。 1954 年 6 月 30 日,他因胃癌于纽约市病逝。而林恩·瑞格斯纪念馆则位于俄克拉荷马州克莱摩尔。 0 +什蒂普西奇出生于德国科恩堡,在维也纳斯塔莫斯多夫度过了他的童年。 Stipsits 出生于科尔新堡,并在维也纳施塔莫斯多夫度过了他的童年。 1 +凯塔王朝从 12 世纪至 17 世纪初一直统治着前帝国及帝国时期的马里。 凯塔王朝在 12 世纪至 17 世纪统治了马里,在帝国成立前和帝国成立后都统治了。 1 +“天使之眼”是 1946 年的一首流行歌曲,由马特·丹尼斯作曲,厄尔·布伦特作词。 《Angel Eyes》是 1946 年的一首由 Earl Brent 作曲 Matt Dennis 作词的流行歌曲。 0 +作曲人是茜娅姆,作词人是 Sreekumaran Thampi 和 Sathyan Anthikkad。 音乐由希亚姆编写,歌词由斯列库伯兰·坦皮和 Sathyan Anthikkad 创作。 1 +该影片在商业上取得巨大成功,也是塞尔乔·索利马较为成功的电影之一,且政治元素比该导演之前的意大利式西部片要少。 该影片在商业上取得巨大成功,也是塞尔乔·索利马政治元素较多的电影之一,但不如该导演早期的意大利式西部片成功。 0 +迦比尔要求莎莉卡揭露其终止兰威尔比赛的计划。 卡比尔请求萨利卡向他透露结束兰维尔的游戏的计划。 1 +团队回应了 2 月 19 日同一个晚上的下一场比赛的变化。 团队回应了在第二年 2 月的晚上进行的同一场比赛中的变化。 0 +中卫约翰·盖奇在 1805 年 5 月为北海使用了它们,中尉罗伯特·拉姆齐在 1806 年取代了他。 1805 年 5 月,罗伯特·拉姆齐中尉将她派往北海,约翰·盖奇中尉于 1806 年接替了他。 0 +艾玛·汤森德由 DGA Associates 的大卫·戈德温代表。 艾玛·汤森是大卫·戈德温在 DGA Associates 的代表。 0 +纳舒厄白银骑士队属于夏季大学联盟,目前是该市的球队。 Nashua Silver Knights 参加了本届夏季联赛,是该市的大学球队。 0 +从大桥的西端开始,宾夕法尼亚州 268 号公路往南延伸至帕克,往北与埃姆伦顿相接。 268 号宾夕法尼亚大道从帕克以南的大桥西端向北延伸至埃姆伦顿。 1 +这些在英国十分常见,但在欧洲其他地方相对少见,至少对于大型铁路机车来说是如此。 这在英国很罕见,但在欧洲,至少对于大型机车来说,它们相对常见。 0 +阿尔斯通于 1965 年 12 月 21 日出生在马里兰州奥克森山。他就读于康涅狄格州纽黑文市的奥克森山高中。 他于 1965 年 12 月 21 日出生于马里兰州奥克森山,并在康涅狄格州纽黑文上高中。 1 +美国总伤亡人数为 28 人,而越共的损失为 345 人死亡,另有 192 人估计死亡。 共有 28 名美国受害人遇害,而越南南方民族解放阵线遇害人数为 345 人,估计另有 192 人死亡。 1 +在 CA,特许会计师的头衔(斯里兰卡斯里兰卡)只能由斯里兰卡会计师学会的成员使用。 在 CA,特许会计师的职称(斯里兰卡斯里兰卡)仅限斯里兰卡特许会计师协会会员使用。 1 +在于 3 月 14 日收购了 E-Plus 剩余的股份后,Simyo 属于荷兰电信集团 KPN。 在 3 月 14 日收购 E-Plus 的剩余部分后,Simyo 属于荷兰电信集团 KPN。 1 +除凯肯德尔外,罗伯特·怀特和约书亚·苏尔·齐默尔曼也担任了汉普夏县的档案馆专员。 罗伯特·怀特和乔舒亚·索尔·齐默曼在旁协助担任汉普夏郡大法官法庭专员的库金德尔。 1 +新教派、清教派和福音派的运动兴起期间经常有人表达这种观点。 福音派、清教派和新教派的运动兴起期间经常有人表达这种观点。 1 +费耶诺德鹿特丹队以 4 : 2 击败托特纳姆热刺足球俱乐部,从而赢得了 1973-74 欧洲联盟杯。 在 1973 年至 1974 年的欧足联欧洲联赛上,费耶诺德鹿特丹队以 4 比 2 的总比分战胜了托特纳姆热刺队。 1 +塔尔福尔德·伊利是克拉布·罗宾逊早期好友约翰·陶威尔·拉特的孙子。 塔尔福尔德·伊利是克拉布·鲁滨逊的孙子,后者是约翰·陶威尔·拉特早年的一位朋友。 0 +他的父亲在他年少时就去世了,他的母亲塞缪尔·亚当斯于 1842 年嫁给凯瑟琳·A·费根,后者两年后成为阿肯色州州长。 他的父亲在他年少时去世了,而他的母亲凯瑟琳·A·费根于 1842 年嫁给塞缪尔·亚当斯, 后者在两年后成为阿肯色州州长。 0 +他们还发行了专辑《Vices》的第 2 首歌曲,作为 6 月 13 日发行的专辑第五首单曲。 他们还于 6 月 13 日发行了专辑《Vices》的第二首歌曲,作为该专辑的第五首单曲。 1 +悉尼水务局于 1888 年从市议会手上接管了悉尼的供水。 1888 年,悉尼水务局从市议会那里接管了悉尼供水事务。 1 +蔡讽还有一个儿子,叫蔡瑁。 Cai Mao 也有一个儿子,他叫 Cai Feng。 0 +NS 它的叶子沿着树枝交替排列,呈长矛状、卵状或几乎呈圆形,而且有长茎。 0 +这扩大了马萨诸塞州和罗德岛省之间的冲突地区。 这扩大了罗德岛和马萨诸塞省之间的冲突地区。 0 +斯劳高中是伯克郡的一所精英女子语法学校,现在位于白金汉郡的斯劳。 斯劳中学是一所位于白金汉郡斯劳(现在为伯克郡)的女子精英学校。 0 +它邻近 Lough Corrib,位于康尼马拉的通往 Oughterard 和 Clifden 的 N59 公路。 它距离奥格特拉德和克里夫登不远,位于康尼马拉前往科里布湖方向的 N59 号公路上的。 0 +虽然排除黑人球员并非一项书面规定,但自 1933 年以来还没有非裔美国人曾为国家橄榄球联盟效力。 虽然排除非洲球员并非明文规定,但是自 1933 年以来国家橄榄球联盟中没有任何非洲裔美国球员上场踢球。 0 +在阿里死后,穆阿维耶上台执政,建立了一个王朝。 在穆阿威亚逝世后,阿里掌权并建立王朝。 0 +1994 年,Rodrigo Leão 离开乐队开始单飞生涯,被卡洛斯·玛丽亚·特林达德(键盘合成手)所取代。 1994 年,罗德里戈·里奥离开乐队单飞,由卡洛斯·玛利亚·特林达德(键盘合成器)替代。 1 +1933 年,卡特尔写道,在所有的北欧人种中,“欧洲人种的智力发育水平最高,性情最为稳定”。 卡特尔在 1933 年写道,在北欧的所有人种中,“欧洲人种的智力发育水平最高,性情最为平稳”。 1 +亚高山冷杉通常被称为北美西部冷杉或落基山冷杉,是一种亚高山带的冷杉树。 落蒺山冷杉通常被称为北美西部枞树或落基山冷杉,是一种亚高山冷杉。 1 +美国汽车公司仅以有限援助的形式提供技术支持。 American Motors 仅以有限帮助的形式提供技术支持。 1 +休斯顿主楼 (HMB),之前名为慎行大厦,是位于德克萨斯州休斯顿市德克萨斯医疗中心的一栋摩天大楼。 休斯顿主楼 (HMB) 之前称为慎行大厦,是位于得克萨斯州休斯顿的得克萨斯医学中心的一栋摩天大楼。 1 +于 1954 年回到帕拉马里博后,他作为一名律师在苏里南安定了下来。 1954 年回到苏里南后,他在帕拉马里博定居并成为了一名律师。 0 +Aerosucre 4544 航班飞机坠毁是第一次涉及 Aerosucre 的航空事故,第二次则是 2006 年 11 月 18 日波音 727 飞机坠毁。 Aerosucre 航班 4544 的坠毁是 Aerosucre 的第二起飞行事故,第一起是 2006 年 11 月 18 日另一架波音 727 的坠毁。 0 +《卡伯特公路》剧集是在布雷顿角岛现场拍摄而成,包括东海岸新斯科舍省的佩吉湾和高地。 《东海岸》这一集在新斯科舍省现场拍摄,包括卡伯特公路沿路的佩姬湾与布雷顿角高地。 0 +控制鹿群数量的另一个方法是控制出生率。 调节鹿群数量的另一条途径是控制出生率。 1 +这首诗被保存于四份残缺的手稿中,其中一份是当代手稿。 这首诗被保存在四本当代手稿中,其中一本是残本: 0 +Manu Chao、组合 “Air”、Cassius、Mars IV、Les Négresses Vertes 和 FFF 以及 Howie B 也参与了这张专辑。 乐队'' Air ``、Howie B、Mars IV、 Les Négresses Vertes 和 FFF 以及曼纽·潮也参与了这张专辑。 0 +胡达萨河是罗马尼亚布拉杜河的一条支流。 胡达萨河是罗马尼亚布拉杜河的支流。 1 +尽管将非洲球员排除在外并不是一条成文的规定,但从 1933 年以来,还没有美国黑人球员曾为国家橄榄球联盟效力。 虽然排除黑人球员并非明文规定,但是自 1933 年以来没有任何非洲裔美国人在国家橄榄球联盟中上场踢过球。 0 +他的父亲帕特里克·伯恩是国会议员、下议院议员、参议员兼都柏林市市长。另一位哥哥阿尔菲·伯恩也是下议院议员。 他的父亲帕特里克·伯恩是都柏林的代表、下议院议员和市长大人,另一位哥哥阿尔菲·伯恩也是下议院议员。 1 +第一季比第二季更受评论家的喜爱。 第二季比第一季更受评论家的喜爱。 0 +凡伍德位于第 12 个国会选区内,也是新泽西州第 22 个立法选区的一部分。 范伍德位于第 22 国会选区,是新泽西州第 12 州立法选区的一部分。 0 +圣克鲁兹座落于圣克鲁兹河畔,河水汇入贝湖东部。 贝湖位于流入圣克鲁斯东部的圣克鲁斯河河畔。 0 +文森门站位于巴黎 20 区东南角与 12 区东北角的交汇处。 文森门站位于巴黎第 12 区的东北角与第 20 区的东南角的交汇处。 0 +2011 年 3 月 5 日,MTV Hive 发布了安妮·罗西演唱蕾哈娜的《无礼男孩》的流媒体链接。 2011 年 3 月 5 日,MTV Hive 发布了一条关于蕾哈娜的流媒体链接,她在表演安妮·罗西的《粗鲁男孩》。 0 +公元前 284 年,齐王与秦昭襄王在西周会面,以建立联盟共抗僖王。 公元前 284 年,齐王与赵王在西周会晤,组成联盟对抗西国。 1 +唐朝的陈州行政区现属于河南的辖区,位于周口东部: 唐朝的陈州行政区现属于河南的辖区,位于周口东部: 1 +"Pure" 的意思是简单地,而 "Belter" 或 "Belta" 的意思是很棒或很好。 “Pure”仅意为“非常”,而“Belter”或“Belta”意为“好”或“大”。 0 +史蒂芬·史蒂芬于 1806 年 8 月 29 日,在治安法官本杰明·霍夫的征婚下,与伊丽莎白·科尔在杰斐逊县完婚。 “2”1806 年 8 月 29 日,本杰明·霍夫与伊丽莎白·科尔结婚,由杰斐逊县治安法官史蒂芬·福特证婚。 0 +植物学家斯特凡·恩德利歇于 1846 年首次对该物种进行正式描述,作为约翰·格奥尔格·克里斯汀·莱曼创作的作品《Irideae . Plantae Preissianae》的一部分。 1846 年,该物种作为约翰·格奥尔格·克里斯蒂安·莱曼的成果 “Irideae Plantae Preissianae” 的一部分由史蒂芬·恩德利希尔首次正式描述。 1 +1912 年,在来自阿姆劳蒂、中央省和贝拉尔的 Rao Bahadur Raghunath Narasinha Mudholkar 主席的领导下,印度国民大会党在班基波举行了第 27 届会议。 1912 年,在来自阿姆劳蒂和贝拉尔中部省份的拉奥·巴哈杜尔·拉古纳特·那拉西纳·马霍尔卡尔的主持下,印度国民大会党在班基波举行了第 27 届会议。 0 +最常使用的动物纤维是从绵羊身上获得的羊毛。对于手工编织和针织爱好来说,厚实的羊毛和腈纶纱线也经常被纺成线。 最常用的纺织用动物纤维是从绵羊身上收割下来的羊毛。厚羊毛和腈纶纱经常被用于手工编织和编织爱好当中。 0 +Tipico Co. Ltd 和 Tipico Casino Ltd 于 2004 年成立,是马耳他金融服务局商业登记处的国际贸易公司。 Tipico Co. Ltd 和 Tipico Casino Ltd 成立于 2004 年,是马耳他金融服务局商业登记处的国际贸易公司。 1 +它靠近克里布湖,位于通往乌克特拉德和克利夫登的 N59 公路上,地处康尼马拉。 它位于康尼马拉通往科里布湖方向的 N59 号公路上的奥格特拉德和克里夫登附近。 0 +2006 年 9 月 14 日,华盛顿奇才队签下了朗,2017 年 7 月,朗被奇才队裁掉。 2006 年 9 月 14 日,华盛顿奇才队签下了朗。2017 年 7 月,朗被奇才队裁掉。 1 +这首单曲于 2012 年 10 月 12 日在意大利 Radio Airplay 上发行并于 2012 年 12 月 3 日在全球发布。 这首单曲于 2012 年 10 月 12 日在意大利送到电台播放并于 2012 年 12 月 3 日全球发行。 0 +退役后洛哈特在得克萨斯州生活,但近期他搬到了佛罗里达州。 在服务完毕后,洛克哈特住在了佛罗里达州,但最近搬到了德克萨斯州。 0 +它在北美洲被发现,据记载其在此地从纽芬兰和拉布拉多向西延伸至不列颠哥伦比亚,向北延伸至阿拉斯加州和育空。 它是在北美洲被发现的,据记载其在此地从纽芬兰和拉布拉多向西延伸至不列颠哥伦比亚,向北延伸至阿拉斯加州和育空。 1 +这个西部的兰德尔斯敦区包括伍德劳恩、米尔福德米尔和巴尔的摩县。 这个 randallstown 西区包括 Woodlawn、Milford Mill 和 Baltimore County。 1 +他由约翰·委拉斯开兹训练,在他最重要的比赛中,他的骑师是乔基·戴尔·罗曼斯。 他由戴尔·罗曼斯训练,并由骑师约翰·委拉斯开兹指导参加了人生中最重要的骑马比赛。 0 +查尔斯·塞莱斯汀在萨瓦纳的时候,从一家报纸上了解到他的儿子谢尔曼在萨凡纳运动期间去世,将军从来没有见过这个孩子。 在萨凡纳的时候,查尔斯·塞莱斯廷从报纸上得知他年幼的儿子谢尔曼在萨凡纳运动中丧生;而将军从未见过这孩子。 1 +NS 封面由纹章艺术家安德鲁·斯图尔特设计,单曲《Steel Monkey》设计了艺术总监约翰·帕奇的封面。 0 +麦克马克方式是一种广泛使用的离散化方案,以获得双曲型偏微分方程的数值解决方案。 在计算流体动力学中,MacCormack 方法是一种广泛应用于数值方程双曲型偏微分解的离散格式。 0 +莱特从北卡罗来纳州查伯山搬到了纽约市。 莱特从北卡罗来纳州教堂山搬到纽约。 1 +挤喉音是一些口头语言中使用的一种软颚音 国际音标中代表该发音的符号。 软颚挤喉音是一些口头语言中使用的一种辅音。国际音标中的这一符号,即代表该发音 。 0 +欧洲业务归至玉宝旗下,亚洲业务被香港企业家王永平收购,现归属宝光实业。 欧洲业务归于玉宝旗下,而亚洲业务则卖给了香港企业家黄创增,现在隶属于宝光实业。 1 +早期咨询委员会成员包括阿利斯泰尔·库克、索尔·贝洛、沃尔特·克朗凯特、诺曼·卡森斯、戈尔·维达尔、诺曼·波德霍雷茨。 早期顾问成员包括沃尔特·克朗凯特、诺尔曼·维特、戈尔·维达尔、诺尔曼·波德霍雷茨、索尔·贝洛和阿利斯泰尔·库克。 1 +佩特克尔湖国家公园是位于芬兰北卡累利阿的伊洛曼齐的国家公园。 佩特克尔湖国家公园是芬兰的国家公园,位于北卡累利阿的伊洛曼齐地区。 0 +6 月 13 日,他们还在专辑《恶习》中发行第 5 首曲目,作为该专辑的第二首单曲。 他们还在 6 月 13 日发行了专辑“罪恶”中的第 5 首曲目,也是专辑中的第二首单曲。 1 +斯托克城足球俱乐部击败谢菲尔德周三足球俱乐部和哈德斯菲尔德足球俱乐部,后来在第四轮败给彼得伯勒联足球俱乐部。 斯托克城队击败了彼得堡联队和哈德斯菲尔德队,但在第四轮比赛中输给了谢菲尔德星期三队。 0 +被问及他的名字怎么读时,他告诉 The Literary Digest:“我的名字和‘ear ' ; en-house’的读音很像。” 被问道如何说他的名字时,他告诉“文学摘要”“我的名字在拼写时像这样的读音:ear 'apos ; enhouse”。 0 +费尔南多·海德里希于 1880 年在古巴马坦萨斯引进栽培技术。 在马坦萨斯,它的栽培技术由古巴的费尔南多·海德里希于 1880 年引入。 0 +如果句子中存在多个语法类别,则仅有第一个类别带复数标记。 如果一个句子中有多个语法类别,只有复数形式会带有第一个标记。 0 +该政权在 1777 年 10 月离开费城,加入了乔治·华盛顿将军在波士顿城外的主力部队。 1777 年 10 月,军团离开了费城,在波士顿城外加入了乔治·华盛顿将军的主力部队。 1 +1974 年,老挝人民民主共和国在世界银行、联合国和亚洲发展银行的帮助下设立第二阶段基金。 在世界银行、联合国和亚洲开发银行的支持下,老挝人民民主共和国于 1974 年设立了第二期基金。 1 +后来,他将它用作纳粹党的标志,并将其置于白色圆圈和红色背景之上,以此作为旗帜。 后来他把它作为纳粹党的象征,把它放在一个红色圆圈和一个黑色背景上,然后将它用作一面旗帜。 0 +为了画出霍斯的地图 , 设计者们尽可能从《帝国反击战》中获取原材料以实现真实还原。 为了制作霍斯的地图,设计师们从《帝国反击战》中获取了尽可能多的原始材料,以便真实再现场景。 0 +他娶了伊丽莎白·“贝琪”·卡茨。他是亚当·洪特、纳撒尼尔·洪特和萨拉·洪特的父亲。 他娶了伊丽莎白·“贝琪”·卡茨,他是亚当、纳撒尼尔和莎拉·亨德的父亲。 1 +一座房子内充满了愤怒的能量,并于此造就出招魂精神。 一幢房子充满了魔力,还将屋中愤怒的魂灵赋予了形体。 0 +奥罗斯在沃克手下负责福特汽车和卡车的设计工作,恩格尔则专注于林肯和水星汽车。 当奥罗斯在沃克的带领下致力于福特汽车与卡车的设计时,恩格尔将精力主要放在林肯和水星汽车上。 1 +Hirasea goniobasis 是一种会呼吸空气的陆生肺螺类陆地蜗牛,是内齿蜗牛科的一种小型腹足纲软体动物。 Hirasea goniobasis 是一种呼吸空气的小型蜗牛,是属于内齿蜗牛科的陆生有肺腹足软体动物。 0 +癌前病变明显是典型的组织,在显微检镜查中看起来异常,并且相比其在形态上正常的对应物,癌症更有可能出现在其中。 癌前病变明显是一种典型组织,在用显微镜检查时其会呈现异常,而且在此处发生癌变的可能性大于其形态正常的对应组织。 1 +Abu Halifa 或 Abu Hulayfah 或 Abu Huleifa 或 Abu Haleifah 是 Abu Halifa 区南部艾哈迈迪省科威特的一个小镇。 Abu Halifa,又称 Abu Hulayfah、Abu Huleifa 或 Abu Haleifah,是科威特艾哈迈迪省 Abu Halifa 区南部的一个小镇。 1 +《以色列》是美国爵士乐长号手 Kai Winding 和 J. J. ·约翰逊出的专辑,内容是 1968 年发行并在 C 上录制的演出 NS 0 +2014 年,亚当撰写了经典故事《科学怪人》、《道林·格林的堕落》和《哲基尔·海德的犯罪事实》的哥特式三部曲版本。 2014 年,亚当将经典故事《科学怪人》、《道林·格雷的堕落》和《变身怪医犯罪事实》改编为哥特式三部曲 1 +1901 年至 1919 年间,以及 1926 年至 1936 年间,格拉德夫人在欧瓦姆伯地区工作,是当地学校的第一位巡视员。 格拉德夫人于 1901-1919 年和 1926-1936 年期间在奥万博兰德工作并在那里担任多家学校的第一个稽查员。 1 +他将此描述为小说创作的新发现,并将其视为中国文学的神话现实主义。 他认为这是小说创作的“新发现”,并称其为中国文学的“神话现实主义”)。 0 +该队还于 1953 年参加澳大利亚的巡回比赛,于 1959 年参加亚洲的巡回比赛。 该队还于 1953 年进行澳大利亚巡演,并于 1959 年 8 月进行亚洲巡演。 1 +罗尼·菲尔兹没有在 NBA 或 NCAA 打过一场比赛。 罗尼·菲尔兹未在 NCAA 或 NBA 打过一场球。 1 +新游乐园配备现代儿童健康设备。 该操场较为现代,并配备全新的儿童健身器材。 0 +Probuccinum tenerum 是一种海螺,一种属于蛾螺科的真正腹足软体动物,即海生蛾螺。 Probuccinum tenerum 是一种海螺,属于蛾螺科的海生腹足软体动物,是真正的蛾螺。 0 +亚伯拉罕·哈特担任受托人主席,梅耶尔·苏兹伯格担任受托人秘书。 董事长是迈耶·苏兹贝格,亚伯拉罕·哈特是董事会秘书。 0 +Juhi Chawla 和妻子 Jahnavi Mehta 育有一对儿女,女儿叫 Mehta(生于 2001 年) ,儿子叫 Arjun Mehta(生于 2003 年)。 梅塔和妻子菊希·曹拉生了两个孩子,分别是一个女孩 Jahnavi Mehta(2001 年出生)和一个男孩 Arjun Mehta(2003 年出生)。 0 +在圣公会教会内部和整个普世圣公宗范围内,常常会对圣公会具体传统中新教和天主教倾向之间的差异程度进行争论。 圣公会教会之间和整个圣公会对英国圣公会特定传统中出现的新教趋势和天主教趋势的相异程度一直争论不休。 0 +斯劳高中是一所位于白金汉郡(现为伯克郡)斯劳的精英女子学校。 斯劳高中是白金汉郡斯劳的一所女子精英文法学校,现位于伯克郡。 1 +Lobethal Bierhaus 是一家地区性啤酒酿酒厂,受到德国风格的影响。 Lobethal Bierhaus 是一家地区性啤酒厂,受到德国风格的影响。 1 +龙在以色列出生,于 1961 年作为一名年轻人移居到澳大利亚并在那里定居。 朗出生于澳大利亚,年轻时移居以色列,并于 1961 年在此定居。 0 +他在威斯康星州密尔沃基退休,并于 1903 年 5 月 5 日在该地去世。 他在密尔沃基威斯康星去世,他于 1903 年 5 月 5 日在这里退休。 0 +菌盖的颜色从深棕到浅棕不等,在成熟后盖上通常带有黄色斑点。 菌盖颜色从棕色到黄色各不相同,成熟时菌盖通常有棕色斑点。 0 +Valea lui Lambă 河或“unk”imon 河是罗马尼亚 Lom 河的支流。 Valea lui Lambă 河或 Șimon 河是罗马尼亚 Lom 河的一条支流。 1 +完工的围栏主要位于德克萨斯州,建设在新墨西哥州、亚利桑那州和加利福尼亚州进行。 完工的围墙主要位于德克萨斯州,新墨西哥州、亚利桑那州和加利福尼亚州正在施工当中。 1 +Buccinum pulchellum 是一种海螺,属于蛾螺科海生腹足类软体动物,也是真正的 whell-horn scrolls。 Buccinum pulchellum 是一种海螺,是真正的蛾螺科海生腹足类软体动物,属于海生蛾螺。 0 +1983 年 4 月 30 日,一架派往古巴关塔那摩湾海军航空基地的 C-311 在杰克逊维尔海军航空基地坠毁,造成 13 人死亡。 1983 年 4 月 30 日,一架被派往古巴杰克逊维尔航空站的 C-311 飞机在关塔那摩湾坠毁,造成 13 人死亡。 0 +他获得了威尔士南部利润丰厚的土地和许多办事处,这是对他效忠亨利的奖励。 为奖励他对亨利的忠诚,他在南威尔士获得了很多土地和利润丰厚的办事处。 0 +2010 年,纽约大学以 3-1-1 战胜哈佛大学,赢得了首个全国冠军。 2010 年,纽约大学以 3-1-1 的成绩击败了哈佛大学,赢得首个全国冠军。 1 +Neajlovel 河是罗马尼亚 Neajlov 河的一条支流。 内亚罗夫河是罗马尼亚境内 Neajlovel 河的一条支流。 0 +该机构的总部设在弗吉尼亚州阿灵顿,海外办事处设在法国巴黎。 该机构的总部在弗吉尼亚州的阿灵顿,它的海外业务办公室在法国巴黎。 1 +内亚日洛夫河是罗马尼亚 Neajlovel 河的一条支流。 Neajlovel 河是罗马尼亚内亚日洛夫河的支流。 0 +艾哈迈德·亚尔·可汗出生于斯哈赫普尔的提瓦纳家族,是萨希卜·可汗之子。 萨希布·卡恩诞生于沙赫布尔的蒂瓦纳家族,是艾哈迈德·亚尔·卡恩之子。 0 +他出生于纽约布鲁克林,在加利福尼亚州蒂伯龙去世。 它出生于加利福尼亚蒂伯龙,在纽约布鲁克林去世。 0 +大都会铁路提出的从帕丁顿向南延伸至南肯辛顿,从穆尔盖特向南延伸至陶尔希尔的提议在 1864 年 7 月 29 日得到采纳并获得皇家批准。 梅特提出从帕丁顿延伸到南肯辛顿并向东从沼泽门延伸到塔丘再到南部的建议,在 1864 年 7 月 29 日得到采纳并获御准。 0 +这首诗保存在四本残缺手稿中,其中一本留存于现代。 这篇诗歌收录在四篇当代手稿中,其中一篇残缺不全: 0 +韦伯斯特格罗夫的市议会成员包括格雷格·穆勒、肯·伯恩斯、凯西·哈特、黛比·索尔伯格、托尼·亨特和安妮·托朗。 韦伯斯特格罗夫斯市议会由以下议会成员组成:格雷格·穆勒、肯·伯恩斯、凯西·哈特、德比·索尔伯格、托尼·亨特和安妮·托兰。 1 +因此,碱金属的熔点和沸点下降表明碱金属的金属键强度在该组中有所减弱。 因此,碱金属熔点和沸点的降低表明该组中碱金属的金属键强度下降。 1 +斯科里夫纳将手稿的年代认定为 13 世纪,C·R·格雷戈里认定为 12 世纪,而目前,INTF 将其认定为 12 世纪。 Scrivener 将手稿的日期定为 12 世纪,C. R. Gregory 将其定为 13 世纪。目前,该手稿的日期由 INTF 定为 12 世纪。 0 +540 县道位于高地城市 540 州道以西几英里,南起美国 98 号公路,一直延伸至 37B 县道。 540 县道距离高地市的 540 国道南段仅几英里远,从美国 98 号公路向西延伸至 37B 县道。 0 +SPB 拥有恒定的高度尺寸(从内斑块到外斑块的距离),约为 150 纳米,但其直径会在细胞周期中发生变化,z。 SPB 的内高度尺寸(从外斑块到恒定斑块的距离)约为 150 纳米,但其直径会在细胞周期中发生变化,例如 0 +拉米·涅米宁(出生于 1966 年 2 月 25 日)是一名芬兰前足球运动员。 拉米·涅米宁(出生于 1966 年 2 月 25 日)是一位芬兰足球运动员。 1 +他是捷克国家队队员 Miroslav Hlinka 的表兄弟,也是前队员 Jaroslav Hlinka sr 之子。 他是捷克国家运动员米罗斯拉夫·赫林卡的堂兄,也是前运动员小雅罗斯拉夫·赫林卡的儿子。 1 +它们在那里为我们祈祷,它们在那里欣赏我们。 它们在那里等着我们祈祷,它们在那里等着我们欣赏。 1 +威廉·卢埃林·威廉姆斯,更为人熟知的称呼为卢埃林·威廉姆斯(1867 年 3 月 10 日至 1922 年 4 月 22 日),是激进的记者、律师和威尔士自由党政客。 威廉·威廉姆斯以卢埃林·威廉姆斯(1867 年 3 月 10 日 -- 1922 年 4 月 22 日)的名字为人所知,是威尔士的一名记者、律师和激进的自由党政治家。 0 +Giant Plane 是波兰第三大和最古老的树,也是该国最粗的英国梧桐树。 Giant Plane 是波兰第三大,也是最古老的树,同时还是该国最粗的英国梧桐。 1 +Molmys 河是俄罗斯彼尔姆边疆区的一条河流,也是Yazva 河流向左侧的一条支流。 Yazva 是俄罗斯彼尔姆边疆区的一条河流,是 Molmys 河的左支流。 0 +莎莉卡要求迦比尔揭露其终止兰威尔比赛的计划。 卡比尔要求萨里卡透露他结束兰维尔的比赛的计划。 0 +在电子和数字视频技术出现前,色情电影的大规模制作直接与主流电影业相关。 在色情视频技术出现前,电子和数字电影的大量制作与成熟的电影业有直接联系。 0 +当第 33 战斗机大队撤编后,它与第 33 战术大队合并为第 33 战术战斗机大队。 33d 战术团在不活跃时,与 33d 战斗团整合为 33d 战术战斗团。 0 +它为墨尔本东南部的伊迪斯韦尔郊区服务,并在 1919 年 9 月 20 日开放。 它为墨尔本东南部的伊迪斯韦尔郊区服务,并于 1919 年 9 月 20 日开放。 0 +马斯出生于纽约州威斯敏斯特郡,在密歇根州的荷兰小镇长大,又在欧洲度过了青年时期。 Massé 在纽约州威斯特彻斯特出生,在密歇根州霍兰德长大,青少年时期生活在欧洲。 1 +菲什曼拥有哥伦比亚大学的学士学位和布朗大学的经济学硕士学位。 Fishman 拥有布朗大学的学士学位和哥伦比亚大学经济学的硕士学位。 0 +在取得成功后,简·坎皮恩聘请琼斯制作后来拍成电影《天使与我同桌》的迷你电视连续剧,该电影改编自珍妮特·法兰姆的自传。 继获成功后,简·坎皮恩·琼斯成为珍妮特·弗雷姆自传迷你电视剧的改编版,该剧后又拍成电影《天使与我同桌》。 0 +什蒂普西奇出生于维也纳,在科恩堡斯塔莫斯多夫度过了他的童年。 Stipsits 出生于维也纳,并在科尔新堡 Stammersdorf 度过了他的童年。 1 +纳瓦罗是位于阿根廷布宜诺斯艾利斯省东北部的一个城市。 纳瓦罗是阿根廷东北部布宜诺斯艾利斯省的一个党派。 0 +上游是废弃的密歇根中央铁路桥,其前身是尼亚加拉悬臂桥,与旋涡激流大桥争夺铁路运输。 上游是废弃的密歇根中央铁路桥,其前身是旋涡激流大桥,与尼亚加拉悬臂桥争夺铁路运输。 0 +这首歌曲由加拉作词和制作,并由菲利波·安德烈·卡梅尼和毛里西奥·莫勒拉作曲。 这首歌曲由加拉作词和谱曲,并由菲利波·安德烈·卡梅尼和毛里西奥·莫勒拉制作。 0 +雷济厄斯出生于斯德哥尔摩,是解剖学家安德斯·贾汉·雷济厄斯的儿子(也是博物学家和化学家安德斯·雷济厄斯的孙子)。 雷济厄斯出生于斯德哥尔摩,是解剖学家安德斯·雷济厄斯的儿子(也是博物学家和化学家安德斯·贾汉·雷济厄斯的孙子)。 0 +在 2011 年的人口普查中,78.8% 的居民是罗马尼亚人,17% 是罗马人,2.7% 是匈牙利人,1.4% 是德国人。 依据 2011 年的人口普查结果,78.8% 的居民是罗姆人,17% 是匈牙利人,2.7% 是罗马尼亚人,以及 1.4% 是德国人。 0 +该博物馆位于江北嘴中央商务区核心区,靠近嘉陵江与长江的交汇处。 这家博物馆位于江北嘴中央商务区的中心地带,邻近嘉陵江和长江的汇流点。 1 +1933 年 9 月 21 日,罗宾斯与他的孪生兄弟大卫出生于考文垂,他们在查尔斯·罗宾斯和杰萨曼·罗宾斯的十二个孩子中排行第八和第九。 大卫于 1933 年 9 月 21 日出生在考文垂,同日出生的还有他的双胞胎父亲查尔斯·罗宾斯和杰萨明·罗宾斯,二人在罗宾斯家 12 个孩子中排行第八和第九。 0 +该团由女王约克卫队(第一美国军团)(RCAC) 管理。 该军营由 The Queen 's York Rangers ( RCAC )(美国第一骑兵团)延续了下来。 1 +卡茨于 1947 年出生于瑞典,并在一岁时移居纽约。 卡茨 1947 年在纽约市出生并在 1 岁时搬去了瑞典。 0 +与预渲染的三维相反,页面上的图像是二维图像。 侧面的图像是一张二维图像,而非预渲染的 3D。 1 +“停止的”光,在 EIT 介质语境中,指的是将光子在连贯系统中来回往返的“量子”传输。 “停止的光”在 EIT 介质的背景下指的是将光子“连贯地”传输到量子系统并传回。 1 +上一个平均值比公式 _2 的高值更重要。 对于公式 2 的高值,当前平均更为重要。 0 +苏里南的杰出女性包括詹妮弗·西蒙斯、玛丽耶克·迪瓦拉佩萨德、伊丽莎白·萨姆森、辛西娅·麦克劳德和露丝·维登博斯。 苏里南最杰出的女性包括詹妮弗·西蒙斯、玛丽耶克·迪瓦拉佩萨德、伊丽莎白·萨姆森、辛西娅·麦克劳德和露丝·维登博斯。 1 +1924 年,他曾作为特邀演讲人参加在多伦多举行的 ICM,之后参加过 1932 年在奥斯陆举行以及 1936 年在苏黎世举行的 ICM。 1924 年,他曾作为特邀演讲人参加在多伦多举行的 ICM,之后参加过 1932 年在苏黎世举行以及 1936 年在奥斯陆举行的 ICM。 0 +英国广播公司国际频道还广播了一个叫“动物、植物和矿物”的版本,由迈克尔·弗兰德斯主持,泰里·沃根担任专家组成员。 英国广播公司国际台也播出了一档名为“动物、植物和矿物”的节目,由迈克尔·弗兰德斯主持,泰里·沃根担任嘉宾。 1 +汤普森的弟弟朱莉娅于 1863 年出生于俄亥俄州吉奥格县的查尔斯·马丁·霍尔。 朱莉娅的弟弟查尔斯·马丁·霍尔于 1863 年出生于俄亥俄州吉奥格县的汤普森。 0 +霍雷祖河是罗马尼亚 Ponoru 河的一条支流。 Ponoru 河是罗马尼亚的 Horezu 的一条支流。 0 +2002 年,这首歌由英国制作人文森特·索菲尔德发行,由 Independiente 将其作为《甜蜜和声 02》进行伴奏。 2002 年,这首歌由英国制作人文森特·斯托姆菲尔德翻唱并由 Independiente 发行为《甜蜜和谐 02》。 0 +大卫于 1933 年 9 月 21 日在考文垂出生,他的双胞胎父亲查尔斯和杰西敏·罗宾斯是罗宾斯的十二个孩子中的第八个和第九个孩子。 1933 年 9 月 21 日,罗宾斯出生于考文垂,在查尔斯和杰萨曼·罗宾斯的 12 个孩子中,他与双胞胎兄弟大卫排行第 8 和第 9。 0 +该军团于 1777 年 10 月离开波士顿,在费城外加入乔治·华盛顿将军的主力部队。 该政权在 1777 年 10 月离开费城,加入了乔治·华盛顿将军在波士顿城外的主力部队。 0 +该化合物由帕特里克·佩奇博士及其团队开发,于 2007 年由 Genkyotex 授予专利。 该化合物由帕特里克·佩奇博士及其团队授予专利,于 2007 年由 Genkyotex 发明。 0 +“箱子”最后一次在东德使用是在 1949 年,最后一次在西德使用是在 1966 年。 “Fallbeil”于 1949 年最后一次在西德使用,并于 1966 年最后一次在东德使用。 0 +椎名林檎是 Saito Neko Quartet 的领队,他因与音乐家斋藤多次合作而广为人知。 齐藤是 Saito Neko 四重奏乐团的负责人,因与音乐人林戈·希娜的多次合作而闻名。 0 +Abu Halifa 或 Abu Hulayfah 或 Abu Huleifa 或 Abu Haleifah 是科威特南部艾哈迈迪省 Abu Halifa 区的一个小镇。 Abu Halifa,又称作 Abu Hulayfah、Abu Huleifa 或 Abu Haleifah,是科威特艾哈迈迪省 Abu Halifa 区南部的一个小镇。 0 +他的父亲是林肯郡下院议员安妮·托斯比和威廉·斯基普威思的私生子。 他的父亲是林肯郡议会议员安妮·托斯比与威廉·斯基普维斯的私生子。 1 +他们当中包括博莱罗作曲家玛丽·特蕾莎·里奥斯、作家尤莉塔·罗斯和歌手西尔维娅·雷克萨奇。 他们之中有西尔维娅·雷克萨奇,波列罗舞曲作曲家,玛丽·特瑞沙·瑞欧斯,作家,以及朱莉塔·罗斯,歌手。 0 +他比他的妻子卡罗尔·奥伯、女儿维奥拉和四个孙辈先去世。 在妻子卡罗尔·奥贝尔、女儿微奥拉和四个孙子孙女的帮助下,他活了下来。 1 +那天晚上,他会回到特库姆塞西部的车站,然后在邻居产生怀疑前骑另一匹马前往紫罗兰泉。 那天晚上,他会去特库姆塞西边的车站,然后在他的邻居们起疑心前,骑另一匹马回到 Violet Springs。 0 +该机构的总部位于法国巴黎,其海外办事处的运营办事处位于弗吉尼亚州的阿林顿。 该机构的总部设在弗吉尼亚州阿灵顿,海外业务办事处设在法国巴黎。 0 +1964 年,该主教教区名义上被恢复为最低(主教)级别的名义公民。 1964 年,这个教区名义上恢复为最低(名义上的)级别的主教辖区。 0 +他在农业方面的后续工作主要在林肯郡进行,但他也建议了在诺福克大规模修建堤坝,这些项目已成功实施。 他未来在农业领域的工作主要都在诺福克展开,但他还曾提议在林肯郡大规模修建路堤,这项提议也得以成功实施。 0 +杰克·尼奇第一次听到“固执的伙计”时,他非常兴奋,在与菲尔·斯派特一同开车行驶在日落大道上时,失去了对车辆的控制。 当菲尔·斯派克第一次听到“Stubborn Kind of Fellow”时,他太兴奋了,以至于没控制住汽车,当时他和杰克·尼采正行驶在日落大道上。 0 +共产党人坚定地认为中央情报局在经济上和其他方面谨慎地为这些抗议活动提供支持。 共产党人谨慎地认为,中央情报局在财政及其他方面大力支持这些抗议活动。 0 +这些物种是不同生态类群的成员,包括旱生灌木、藤本植物、树木、热带植物、菌异养以及不同的草本植物代表。 该物种是不同生态群的成员,包括热带灌木、藤本植物和树木、旱生植物、菌异养以及各类草本植物代表。 0 +可汗带着随从前进,齐齐阿诺和另外两名男子骑着马并被击毙。 可汗带着随从前进,齐齐阿诺和另外两名男子骑着马并被击毙。 1 +斯考尔科茨设有一个图书馆、一间邮局、一个称为比弗利路游泳池的室内游泳池、一家中学和两家小学。 Sculcoates 有一间图书馆、一间邮局、一个名为 Beverley Road Baths 的游泳池、一所高中和两所小学。 1 +他出生在墨尔本,在 10 岁时随他的家人移居新西兰。 他出生于新西兰,10 岁时跟随家人移居到墨尔本。 0 +在这类装置的历史上,它出现在“土耳其行棋傀儡”之前以及“Mephisto”之后。 在这类装置的历史上,“土耳其行棋傀儡”后出现,“Mephisto”先出现。 0 +1906 年,阿格拉纳特在肯塔基州路易斯维尔出生在犹太复国主义者家庭。 1906 年,阿格拉纳特在肯塔基州路易斯维尔出生在犹太复国主义者家庭。 1 +Massé 在纽约州威斯特彻斯特出生,在密歇根州霍兰德长大,青少年时期生活在欧洲。 Massé 出生于密歇根州霍兰,在纽约威斯特徹斯特县长大,并在欧洲度过了青少年时期。 0 +这三个母系朝代与 Mbooj 父系家族共同统治瓦罗王国。 这三个母系王朝统治着 Mbooj 父系家族掌管的 Waalo 王国。 1 +BAC 会举办三场明尼苏达管弦乐团的年度演出,最近委托了 Diavolo 和 Merce Cunningham Dance Company 进行创作。 BAC 举办了由明尼苏达管弦乐团带来的三场年度演出,还展出了 Diavolo 和 Merce Cunningham Dance Company 最近创作的委托作品。 0 +Monroe Meadows 位于新娘面纱瀑布附近的优胜美地谷,也是以乔治·门罗命名的。 Monroe Meadows 位于 Bridalveil case 国家公园,靠近约塞米蒂山谷,也以乔治·门罗的名字命名。 0 +安山岩是主要熔岩类型,有一些样本中的镁铁质足以被归类为玄武安山岩。 安山岩是主要的熔岩类型,有一些样品足以被归类为玄武安山岩。 1 +2016 年初,参议员鲍勃·哈克特被任命为俄亥俄州参议员来接替辞职的参议员克里斯·韦德纳。 2016 年年初,参议员克里斯·怀德纳经任命到俄亥俄州参议院任职,以接替已辞职的鲍勃·哈克特。 0 +NS 在实际操作中,Mesquite “模块” Java—类通常是抽象类定义的具体子类。 0 +教皇在 1980 年提出的解决方案被智利接受,但遭到阿根廷拒绝。 教皇提出了一项在 1980 年被智利接受但被阿根廷驳回的解决方案。 0 +NS 马萨诸塞州在 1928 年投票选举埃尔·史密斯,在 20 世纪 30 年代和 40 年代投票选举富兰克林·D·罗斯福四次,在 1948 年投票选举哈里·S·杜鲁门。 0 +鲍勃·考兹《黑爵士》中演奏的音乐是沃恩·威廉斯的《绿袖子幻想曲》。 黑爵士向“鲍勃”献殷勤时播放的音乐是沃恩·威廉斯的《绿袖子幻想曲》。 0 +同样值得注意的是,下列代码没有 ADL 也能运行(任何情况下均适用)。 同样值得注意的是,以下代码会在无 ADL 的情况下工作(无论如何都会应用于它)。 1 +然后它与斯诺夸尔米河在门罗汇流而成斯诺霍米什河。 它随后与斯诺夸尔米河相遇,共同汇聚成门罗的诺夸米须河。 1 +在他的活动期间,他与麦凯恩展开了两场辩论,一场在土桑市,一场在弗拉格斯塔夫。 在他的活动期间,他与麦凯恩展开了两场辩论,一场在弗拉格斯塔夫,一场在图森。 1 +这由他的妻子斯特拉·盖梅尔在他于 2006 年 7 月 28 日去世后完成,并作为大卫和斯特拉·盖梅尔的合著作品发行。 它由他的妻子史黛拉·戈梅尔在他去世后于 2006 年 7 月 28 日出版,由 大卫和史黛拉·戈梅尔联合著作完成。 0 +中央浸礼会协会是一个由南卡罗来纳州到印第安纳州的教堂组成的协会,其中的大多数教堂位于田纳西州东部和弗吉尼亚州西南部。 中央浸礼协进会是一个由从南卡罗来纳州到弗吉尼亚州的教会组成的协会,其中大部分教会位于田纳西州东部和印第安纳州西南部。 0 +凯伦·菲利普斯与苏兰·琼斯扮演的的史蒂夫开始了一段恋情。 史蒂夫与苏兰·琼斯扮演的凯伦·菲利普斯展开了一段恋情。 0 +《vidas distintas》是 1969 年的一部墨西哥浪漫电视肥皂剧,由 Televisa 传播,最初由 Telesistema Mexicano 制作。 《Tres vidas distintas》是 1969 年的一部墨西哥浪漫电视肥皂剧,由 Televisa 传播,最初由 Telesistema Mexicano 制作。 1 +钱德勒认为计算机是一种学习工具,但他排斥将数据视作信息和将信息视作知识的这种流行的客观主义。 钱德勒认为计算机是一种学习工具,但是他反对将数据视为信息、将信息视为知识的普遍客观理念。 0 +从铁磁体到顺磁体的相变是第二次相变,且属于连续相变。 从铁磁体到顺次体的相变是一种连续二级相变。 0 +阿尔巴尼亚家庭在 1999 年塞尔维亚难民返回前离开村庄。 在塞尔维亚难民于 1999 年返回之前,阿尔巴尼亚家庭便离开了村庄。 1 +但是,为了轻微的编辑跳过了原版本。 然而,为支持原版,温和版已被跳过。 0 +1864 年,苏格兰长老会传教士联合协会派代表来华。 1864 年,中国联合长老宣道会派代理人前往苏格兰。 0 +在巴黎呆了十年后,乌东回到了意大利。 在巴黎十年后,乌东回到了意大利。 1 +她被德国人击沉并于 1943 至 1944 年间被盟军轰炸机废弃两次,最终于 1946 至 1947 年间被打捞起。 它在 1943 年至 1944 年被德国人升起,然后被盟军的轰炸机击沉两次,1946 年至 1947 年,它终于被炸毁。 0 +1864 年,中国联合长老会传教会派其代理人前往苏格兰。 中华长老传教联合会曾在 1864 年向苏格兰派出过代理人。 1 +电影明星莉莉·拉贝、提莫西·查拉梅、莉莉·莱茵哈特、安东尼·昆特尔、奥斯卡·努纳兹和罗伯·休伯尔。 明星阵容包括:莉莉·拉贝、提莫西·查拉梅、莉莉·莱因哈特、安东尼·昆塔尔、奥斯卡·努内斯和罗伯·休贝尔 1 +达科他城隶属于爱荷华州、内布拉斯加州和南达科他州大都市圈的苏城。 达科他城是 IA -- NE -- SD 大都市统计区苏城的一部分。 1 +格兰特·康奈尔和格伦·米希巴塔在决赛中以 6 : 4 和 6 : 3 击败韦恩·费雷拉和吉姆·格拉布,赢得了冠军。 韦恩·费雷拉和吉姆·格拉柏在决赛中以 6 -- 4 和 6 -- 3 击败葛兰特·康乃尔和格兰·米奇巴塔夺得冠军。 0 +1927 年的萨格勒布议会选举于 9 月 4 日举行,比地方选举早 7 天。 萨格勒布 1927 年议会选举于 9 月 4 日举行,比地方选举提前 7 天。 1 +Probuccinum tenerum 是一种海洋蜗牛,是峨螺科 Buccinidae 中真正的腹足类软体动物。 Probuccinum tenerum 是一种海螺,是峨螺科真正的腹足类软体动物,属于海螺。 1 +Valea lui Lambă 河,又称罗姆河,是罗马尼亚境内 Șimon 河的一条支流。 Valea lui Lambă 河或 Lom 河是罗马尼亚“unk”imon 河的支流。 0 +该属目前归类为蜥蜴科,即美洲鬣蜥科,属于安乐蜥亚科,且已不再归入现已无效的变色蜥科。 该属目前归类为蜥蜴科,即美洲鬣蜥科,属于安乐蜥亚科,且已不再归入现已无效的变色蜥科。 1 +2012 年,该市选情翻转,被在任者民主党人巴拉克·奥巴马一举拿下,他赢得 51% 的选票,而共和党人米特·罗姆尼赢得 48% 的选票。 2012 年,该自治市的选情反转,被在任民主党人巴拉克·奥巴马一举拿下,他赢得 51% 的选票,而共和党人米特·罗姆尼赢得 48% 的选票。 1 +与她一起,我能够实现一些具有早期风格的音乐梦想,这种新风格恢弘清新、自然流畅。 与她一起,我能够实现早期的一些音乐风格梦想,这种新风格恢弘清新、自然流畅。 0 +格雷迪·霍华德在这一天被选为第一任市长,并于 1951 年 6 月 5 日被正式任命为斯普林莱克的临时市长。 格雷迪·霍华德在这一天被选为第一任市长,并于 1951 年 6 月 5 日被正式任命为斯普林莱克的市长。 0 +Ballouhey 主要存在于伊泽尔省、巴黎以及法国和南非。 Ballouhey 主要存在于法国、伊泽尔省、巴黎,以及南非。 0 +它将会很高,并带有一堵长墙和容量。 它将会很长,而且有高高的墙壁和容量。 1 +阿拉巴马州的教育由阿拉巴马州的中学和小学组成,包括阿拉巴马大学、私立大学以及公立和私立学校。 阿拉巴马的教育由阿拉巴马的公立和私立学校组成,包括阿拉巴马大学、私立大学和中学及小学。 0 +该系列于 2009 年 4 月 18 日在澳大利亚的尼克儿童频道(新西兰和新西兰)首播。 2009 年 4 月 18 日,该系列在新西兰尼克国际儿童频道首次播放(澳大利亚和新西兰)。 0 +它由乔治·菲茨莫里斯执导,是根据 1917 年威拉德·麦克创作的一部戏剧“老虎玫瑰”改编而来。 该片由乔治·菲茨莫里斯执导,改编自威拉德·麦克 1917 年的戏剧《猛虎与玫瑰》。 1 +奥里雅语诗人萨拉拉·达萨创作的摩诃婆罗多版本讲述了 Navagunjara 的传说,这是其他人从不知晓的故事。 奥迪亚诗人萨拉拉·达萨撰写的《摩诃婆罗多》版本讲述 Navagunjara 的传奇故事。任何其他版本都没有讲述这个故事。 0 +温帕蒂·钦那·萨蒂扬(1929 年 10 月 15 日 - 2012 年 7 月 29 日) 是一位印度舞者,还是一位库契普迪舞大师。 文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日至 2012 年 7 月 29 日)是一位印度舞者和库契普迪舞(一种舞蹈形式)大师。 1 +李遐怡是 YG Entertainment 旗下的一位韩国歌手。 韩国歌手李遐怡是 YG 娱乐旗下的韩国歌手。 1 +在包含临界项时,这种方法的变体在二维和三维中产生许多指数的理想数值逼近。 在二维和三维中包含许多术语时,这种程序的变体会产生关键指数的理想数值逼近。 0 +只有享有特权的观众才能揭开盖子,因此这些场景可能还会更私密。 仅享有特权的观众才能揭开盖子,所以这些场景可能更为私密。 1 +它作为潘切库拉市的 Chandimandir Cantonment 区域。 NS 0 +斯劳高中是白金汉郡斯劳的一所女子精英文法学校,现位于伯克郡。 斯劳中学是一所位于白金汉郡斯劳(现在为伯克郡)的女子精英学校。 1 +尤金·D·恩格利于 1851 年 4 月 5 日出生在马萨诸塞州阿托巴罗夫,他的父母是詹姆斯·亨利·恩格利及其前任妻子玛丽·凯利。 詹姆斯·亨利·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿特尔伯勒,是尤金·D·恩格利及其妻子玛丽·凯莉(婚前姓)之子。 0 +马里查·拉扎里于 1943 年 10 月出生于塞浦路斯,16 岁时跟随她的家人移居到英国伦敦。 马里查·拉扎里于 1943 年 10 月出生于伦敦,16 岁时跟随家人移居到塞浦路斯。 0 +2011 年 3 月 5 日,MTV Hive 发布了一条安妮·罗西表演蕾哈娜的《粗鲁男孩》的流媒体链接。 2011 年 3 月 5 日,MTV Hive 发布了一条蕾哈娜表演安妮·罗西的《粗鲁男孩》的流媒体链接。 0 +Machpelah 墓地也写作“Macpelah 墓地”或“Macphelah 墓地”,是新泽西州哈德逊县的一个公墓。 Machpelah 墓园是新泽西州哈德逊县的一处墓地,亦拼作“Macpelah 墓园”或“Macphelah 墓园”。 1 +这首歌由加拉和菲利普·安德里亚·卡门尼作词作曲,由莫里吉奥· 莫莱拉制作。 这首歌曲由加拉作词和制作,并由菲利波·安德烈·卡梅尼和毛里西奥·莫勒拉作曲。 0 +据普里奥尔所说,诗人、剧作家兼小说家奥利弗·戈德史密斯的祖父罗伯特·戈德史密斯是家族中第一个在 Ballyoughter 定居的人。 据罗伯特·普雷尔的介绍,罗伯特·戈德史密斯是诗人、剧作家和作家奥利佛·戈德史密斯的祖父,也是该家族第一个在巴利杨特定居的人。 1 +省略发动机及其燃料将降低复杂程度并增加有效载荷。 省略发动机及其燃料会提高复杂程度并降低有效载荷。 0 +据托布和贡纳·汉森说,他戴面具的原因是面具真的能决定他的性格。 贡纳·汉森评论道:“据托布和金姆说,他戴面具的原因是面具真的能决定他的性格。 0 +私立克莱本学院位于克莱本教区附近的海恩斯维尔。 私立克莱本学院位于克莱本县,与海恩斯维尔相隔甚远。 0 +英伟达于 2017 年 12 月 7 日正式公布 NVIDIA TITAN V。 2017 年 12 月 7 日,NVIDIA 正式宣布推出 Nvidia TITAN V。 1 +他在伦敦的米德尔塞克斯医院参加了临床训练,并于 1943 年获得临床医师执业资格。 1943 年,他在伦敦米德尔塞克斯医院接受临床培训,并取得了医生资格。 0 +他是一名玻璃工人,与很多不同的乐队合作制作过不同的乐器。 他曾是一名玻璃工人,与许多不同品牌合作演奏过各种乐器。 0 +如果机械系统的部件在系统受力时发生变形,则它们会存储弹性势能。 如果机械系统的组件在系统受力时发生变形,则它们会储存弹性势能。 1 +威廉·卢埃林·威廉,人称卢埃林·威廉(1867 年 3 月 10 日 — 1922 年 4 月 22 日)是一名威尔士记者、律师,也是一位激进的自由党政客。 威廉·威廉姆斯被称为卢埃林·威廉姆斯(1867 年 3 月 10 日 - 1922 年 4 月 22 日),是一名威尔士记者、律师和激进的自由党政治家。 1 +布莱格·伊万诺夫在 2015 年 10 月 17 日向 Mehmen 发起了 WSOF 重量级冠军赛的挑战。 2015 年 10 月 17 日,布莱格·伊万诺夫在世界格斗联赛重量级冠军赛中对战梅蒙。 1 +它是由理查德·克里德设立,乔治·爱德华修建,柯林斯和蒙茅斯的杰弗里设计。 它由理查德·克里德设计,由柯林斯和杰弗里建造,并由蒙茅斯的乔治·爱德华兹进行布置。 0 +萨克拉门托位于 (38.651254 , -121.259279),在费尔奥克斯和福尔松之间。 费尔奥克斯座落于萨克拉门托和佛森 (38.651254 , -121.259279) 之间。 0 +吉尔伯托 1987 年的专辑《时代和浪潮》中的歌曲《Astrud》是对 Basia Trzetrzelewska 的致敬。 Basia Trzetrzelewska 1987 年专辑“时间与潮汐”中的歌曲“阿斯特鲁德”是对吉尔伯托的致敬。 0 +克拉克有一个儿子名叫 Rishi,出生于 2007 年 4 月 3 日。一张微宇宙音乐的 Socks and Sandals EP 便是为他命名,即 Rishi Saturn。 里希有个儿子叫克拉克,生于 2007 年 4 月 3 日。Microcosm Music 发行的一首 Socks and Sandals EP《Rishi Saturn》便以其命名。 0 +梅洛迪·克里滕登于 2004 年离开该团体单飞,而在 2005 年的大部分时间里,尼科尔都在该团体演唱。 梅洛迪·克里滕登于 2004 年离开该团体单飞,而妮可在 2005 年的大部分时间在该团体演唱。 1 +在半职业足球赛中,苏格兰球队在各个级别的表现均不如苏格兰足球超级联赛,其中大多数表现不如苏格兰足球冠军联赛的球队均为半职业球队。 在苏格兰足球中,所有级别的半职业球队出现在苏格兰超级联赛以下,苏格兰锦标赛以下的大多数球队都是半职业球队。 0 +建筑师是来自新奥尔良的迪博尔和欧文,承包商是 Mobile 的 G.A . 钱布林。 新奥尔良的迪博尔和欧文是建筑师,而莫比尔的 G·A·钱布林是承包商。 1 +当患有恶性高血压时,这些增生性变化通常伴有动脉内膜纤维蛋白样坏死和动脉中层坏死。 在恶性高血压中,这些增生性变化常伴有动脉内膜和中膜的纤维素样坏死。 0 +该团队在 1953 年游历了澳大利亚,并在 1959 年 8 月访问了亚洲。 团队于 1953 年在亚洲巡回演出,于 1959 年 8 月在澳大利亚巡回演出。 0 +这部电影讲述的是新电影业的马拉雅拉姆歌手拉斐尔。 这部电影讲述的是马拉雅拉姆语电影产业的新晋歌手拉斐尔。 0 +1864 年,中国联合长老宣道会派遣代表前往苏格兰。 中华长老传教联合会曾在 1864 年向苏格兰派出过代理人。 1 +根据给出的数据,初始向量空间公式 13 被称为“初始对象”或“拓扑结构”。 根据给出的数据,初始向量空间公式 13 调用初始对象“or”拓扑结构。 1 +这三个母系王朝统治着 Mbooj 父系家族掌管的 Waalo 王国。 这三个父系王朝统治着 Mbooj 母系家族掌管的 Waalo 王国。 0 +电影演员阵容包括:洁穆碧·埃尔玛桑饰演亚历克斯,伯纳多·加尼西亚·克鲁兹饰演大卫,乔纳森·迪亚兹·昂古洛饰演玛利亚。 该片由杰比·阿尔马桑饰演玛丽、伯纳多·加尼卡·克鲁兹饰演大卫,乔纳森·迪亚兹·安古洛饰演亚历克斯。 0 +虽然没有明文规定要排除黑人球员,但自 1933 年起,再也没有非裔美国球员参加美国国家橄榄球联盟比赛。 尽管将黑人球员排除在外并不是一条成文的规定,但从 1933 年以来,还没有美国黑人曾为国家橄榄球联盟效力。 1 +自 1984 年起,戴尔与帕特丽夏·迈耶喜结连理,他们共育有二子:莱恩(出生于 1988 年)和布莱克(出生于 1992 年)。 自 1984 年起,布莱克与帕特丽夏·迈耶结婚,并育有二子:莱恩(出生于 1988 年)和戴尔(出生于 1992 年)。 0 +1993 年,当普拉策在艾伦镇开设第二家餐厅时,他将名称改为 P. J. Whelihan 以纪念他的祖父彼得·约瑟夫·韦利汉。 1993 年,当普拉策在艾伦镇开设第二家餐厅时,他将名称改为 P. J. Whelihan 以纪念他的祖父彼得·约瑟夫·韦利汉。 1 +在这次任务期间,有 65 名士兵丧生:34 名尼日利亚人、28 名乍得人、2 名多哥人和 1 名布基纳法索人。 在执行任务时,65 名士兵被杀:包括 34 名乍得人、28 名尼日利亚人、2 名多哥人和 1 名布基纳法索人。 0 +1969 年 12 月成为第 49 师——改自第 29 师。 在 1969 年 12 月成为第 29 军师 第 49 军师。 0 +几乎没有花茎或花茎很短。 花茎很短或几乎没有花茎。 1 +根据观察,她“拥有非常巨大的潜力,而且才华横溢,未来将成长为具有独特音乐个性的人”。 根据观察,她“拥有非常巨大的潜力,而且才华横溢,未来将成长为具有独特音乐个性的人”。 1 +据宣布,2013 年 1 月,迪士尼互动的华伦·史佩特在 Junction Point Studios 关闭后离开了。 2013 年 1 月,据宣布,华伦·史佩特在迪士尼互动关闭后便离开了 Junction Point Studios。 0 +伯克利新贝德福德的小型飞机和东汤顿地区机场在当地提供航运服务。 伯克利新贝德福德的小型飞机和东汤顿地区机场为当地提供航运服务。 0 +当使用一台交替图灵机时,我们会用资源 ATIME。 如果我们有一台交替使用的图灵机,我们会使用资源 ATIME。 0 +他以落后巴巴·沃森和路易·乌修仁两击的成绩结束比赛,他对自己的推杆表现表示遗憾,认为这是他没有赢得比赛的原因。 他以落后路易·乌修仁和巴巴·沃森两杆的成绩结束了比赛,叹息他的推杆表现导致他未能赢得比赛。 1 +SiriusDecisions 峰会之前的主办城市包括奥兰多(2014 年)、斯科茨代尔(2013 年)和圣地亚哥(2012 年)。 先前举办 SiriusDecisions 峰会的城市包括奥兰多(2014 年)、圣地亚哥(2013 年)和斯科茨代尔(2012 年)。 0 +卢浮宫的照明——绘画更加温暖,而且似乎更加柔和,但这可能是表面清漆色调产生的效果。 卢浮宫绘画的光线更加温暖,而且看起来更加柔和,但这可能是表面清漆的色调产生的效果。 1 +Molmys 河是俄罗斯彼尔姆的一条河流,是 Yazva 河的左支流。 亚济瓦河归俄罗斯彼尔姆边疆区管辖,是莫尔米斯河的左支流。 0 +1699 年 8 月 1 日,威廉·布莱克特将他在 Chirton 登记在册的土地移交给了阿奇博尔德·坎贝尔爵士,后者出售给了第一代阿盖尔公爵比克斯塔夫。 1699 年 8 月 1 日,威廉·布莱克特将他在 Chirton 注册登记的土地让与了阿奇博尔德·坎贝尔爵士,而后者将大厅卖给了阿盖尔第一公爵比克斯塔夫。 1 +《Big Band Specials》是鲍勃·库珀于 1962 年发行的专辑,由比尔·霍尔曼、肖蒂·罗杰斯和丈夫琼·克里斯蒂编曲。 《Big Band Specials》是鲍勃·库珀在 1962 年的一张专辑,里面有比尔·霍尔曼、肖尔蒂·罗杰斯和丈夫琼·克里斯蒂改编的曲目。 1 +除了各种金属板外,在某些情况下混凝土和沙袋也被用于简易坦克。 除简易装甲金属板外,在某些情况下也使用混凝土和沙袋来各种列车。 0 +巴尔巴拉·布西·埃里森出生在加利福尼亚州圣克拉拉县,是亿万富翁甲骨文公司董事长拉里·埃里森与前妻梅根·埃里森所生的女儿。 梅根·艾利森生于加利福尼亚州圣克拉拉县,她是甲骨文公司主席、亿万富翁拉里·埃里森,与其前妻芭拉·布思·埃里森之女。 0 +吉列尔莫·科里亚以 6-3、3-6、6-2 击败阿尔贝托·马丁。 6 阿尔伯托·马丁以 6-3、3-6 和 6-2 的比分击败吉列尔莫·科里亚 0 +红牛队输了但是打进了季后赛的第一轮。 红牛队输了,但在季后赛第一轮出线。 1 +1978 年 1 月 12 日:剑桥联的经理罗恩·阿特金森被任命为西布罗姆维奇的经理。 1978 年 1 月 12 日:剑桥联队经理罗恩·阿特金森被任命为西布罗姆维奇队经理。 1 +1979 年,他在巡回赛中取得了最佳战绩,在亚特兰大、约翰内斯堡和特拉维夫打进四分之一决赛。 1979 年,他在特拉维夫、约翰内斯堡和亚特兰大进入四分之一决赛,这是他表现最好的一年。 1 +下一个版本由罗伯特·富勒的哥哥罗恩于 1986 年创建。 下一个版本由罗伯特·富勒的兄弟罗恩于 1986 年创作。 1 +这座寺庙是韩国印度教徒和来自南亚国家的移民的一个文化和宗教中心。 这座寺庙是南亚印度教徒和韩国移民的文化及宗教中心。 0 +柯蒂斯以 60,000 美元建立了这个俱乐部会所,并以高昂的费用将其租给了俱乐部。 当时,柯蒂斯以区区的 60,000 美元建造了这家会所,后来又以高价租给了俱乐部。 1 +来自 Production I.G 的石川光久和石井朋彦、丹尼·周、Kaname、塔莎,以及来自韩国的 Miyuko 是此次活动的特别嘉宾。 来自 Production I.G 的塔莎、丹尼·周、Kaname、石川光久和石井朋彦,以及来自韩国的 Miyuko 是此次活动的特别嘉宾。 0 +文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日--2012 年 7 月 29 日)是一位印度舞者,也是一位库契普迪舞蹈形式的大师。 Vempati Chinna Satyam(1929 年 10 月 15 日 -- 2012 年 7 月 29 日)是一名库契普迪舞者,也是印度舞蹈大师。 0 +这一事件后来被人们庆祝并且现在每年 1 月 25 日作为国家警察日在埃及庆祝。 后来人们对这一事件进行了庆祝,为纪念这一事件,现在埃及将每年的 1 月 25 日定为警察日。 1 +乌代浦是印度中央邦的一个小镇,靠近巴索达。 甘吉巴索达是印度中央邦的一个城市,在乌代浦附近。 0 +他后来被尼西塔斯的堂兄弟赫拉克利乌斯取代,并被迫立下隐修誓言。 他随后被赫拉克利乌斯的嫡亲堂兄尼西塔斯取代,被迫宣誓出家修行。 0 +首先,描述具有高花粉值的区域而不是具有低花粉值的区域。 首先,请描述具有低花粉值的区域而非高花粉区域。 0 +截至目前,Zinovjev 的作品一直由芬兰广播交响乐团、拉蒂交响乐团、Kymi Sinfonietta 管弦乐队、奥卢交响乐团和阿万蒂室内乐团演奏! 截至目前,Zinovjev 的作品一直由奥卢交响乐团、拉蒂交响乐团、Kymi Sinfonietta 管弦乐队、芬兰广播交响乐团和阿万蒂室内乐团演奏! 1 +它由理查德·克里德设计,由柯林斯和杰弗里建造,并由蒙茅斯的乔治·爱德华兹进行布置。 它由理查德·克里德进行家具布置、由乔治·爱德华建造、由科林斯和蒙茅斯的杰弗里设计。 0 +麦考尔和莱西乌克在 2007 年夏天离开了乐队,史蒂文·托什接替了麦考尔的鼓手位置,杰米·麦克劳德则接替贝斯手一职。 麦考尔和莱西乌克于 2007 年离开了乐队,之后史蒂夫‧托什接替麦考尔担任鼓手而詹米‧麦克劳德接替了贝斯手的空缺。 1 +1886 年,迈尔斯接替乔治‧克劳克上将作为武装部队的指挥官与杰罗尼莫作战,后者是亚利桑那部门的一位 Chiricahua Apache 领导。 1886 年,迈尔斯取代了乔治·克鲁克将军,成为对战亚利桑那州 Chiricahua Apache 领导人 Geronimo 的部队的指挥官。 1 +巴尔斯希是当地河流上的一个土坝,靠近印度马哈拉施特拉邦索拉普区的帕塔利大坝。 帕塔利大坝是当地河流上的一个土坝,靠近印度马哈拉施特拉邦索拉普区的巴尔斯希。 0 +他迎娶了玛丽,诺丁汉塞尔斯顿的布鲁克之女,长子理查德是他的继承人。 布鲁克娶了玛丽,诺丁汉塞尔斯顿的蒂莫西·普西的女儿,并由他的长子理查德继任。 0 +卢克或洛克是几个(并非全部)在普通话中罗马化为 Lu 的中文姓氏的粤语罗马化拼音。 Luk 或 Loke 是几个(但不是所有)粤语姓氏的罗马化中文,在普通话中被罗马化为 Lu。 1 +立方体的正确旋转,可以用体对角线的排列来描述,也可以用“S”中的共轭来描述。 立方体的真旋转,可以用体对角线的排列来描述,也可以用“S”中的共轭来描述。 0 +例如,刻耳柏洛斯在两栖动物的前背内胚层中被表达,而其在鼠类的前内脏内胚层中被表达。 例如,在两栖动物中,Cerberus 在前端内脏内胚层中表达,而在鼠类中,它在前背内胚层中表达。 1 +他在伦敦的 Middlesex 医院参加了临床训练,并于 1943 年获得医师执业资格。 1943 年,他在伦敦米德尔塞克斯医院接受临床培训,并取得了医生资格。 1 +1973 年 11 月,桑尼与制作人罗杰·格林纳威共同切分音轨,而克里斯·冈宁促成了这种安排,并进行指挥。 1973 年 11 月,罗杰·森尼与罗杰·格林韦一起切断了道路,而克里斯托弗·冈宁则提议并执行了这项安排。 1 +达蒙·奈特(被 James Blish 引用)讲述了有关奈特故事的解读: 詹姆斯·布里什(引自戴蒙·耐特)说耐特对于其故事的解读: 0 +这部电影讲述的是马拉雅拉姆电影业的新晋歌手拉斐尔。 这部电影讲述的是马拉雅拉姆影业的新晋歌手拉斐尔。 1 +这是家庭版两年多以后和第一个名人版三年多以后的的第三季播出。 它是家庭版播出两年多后以及首个名人版播出三年多后播出的第三季。 1 +他于 1891 年 9 月 19 日死于田纳西州的加勒廷并在加勒廷获得了一个与共济会有关之物。 邦廷于 1891 年 9 月 19 日在加拉廷去世。他在田纳西州加拉廷得到了一场共济会葬礼。 1 +然后,摔跤手跳来跳去,前摆后倒,将对手的头压到垫子上。 摔跤手随后跳向前方,晃一圈倒向后方,然后把对手的头砸在垫子上。 0 +她在三岁时随父母从芬兰搬到爱沙尼亚,目前住在赫尔辛基。 她三岁时随父母从爱沙尼亚搬到芬兰,目前住在赫尔辛基。 0 +这座小镇位于“Horta de València”的西端,图里亚河的右岸。 这座小镇位于“Horta de València”的右岸,图里亚河的西岸。 0 +所罗门遇到的许多魔鬼都是希腊人、基督徒、犹太人、埃及人、阿拉伯人以及来自其他传说。 所罗门遇到的许多恶魔都是希腊人、基督徒、犹太人、埃及人、阿拉伯人以及其他传说人物。 1 +唐朝的陈州行政区现隶属于河南东部的周口市: 唐朝的陈州行政区现属于河南的辖区,位于周口东部: 0 +测试如下:“首先,您选择神经节前纤维并模仿出现的反应。 测试如下:先刺激节前纤维并注意出现的反应。 0 +乌克鲁尔也是曼尼普尔邦的一个热门旅游地。 曼尼普尔邦也是乌鲁克尔州的一个热门旅游胜地。 0 +卡斯帕·波伊瑟(发音,1525 年 1 月 6 日至 1602 年 9 月 25 日)是一名索布族改革家、医生及德裔学者。 卡斯帕·波伊瑟(发音 1525 年 1 月 6 日-1602 年 9 月 25 日)是一位德裔索布族改革家、医生和学者。 1 +科尔内利乌斯·欧拉屯吉·阿德巴约是尼日利亚前参议员,后来成为州长,再后来成为尼日利亚联邦通信部的负责人。 科尔内利乌斯·欧拉屯吉·阿德巴约是尼日利亚前参议员,后来成为州长,再后来成为尼日利亚联邦通信部的负责人。 1 +马萨诸塞州在 1928 年将票投给了哈里·S·杜鲁门,在 20 世纪 30 年代和 40 年代四次将票投给了艾尔·史密斯,在 1948 年则投给了富兰克林·D·罗斯福。 NS 0 +伊本·阿米拉出生于巴伦西亚省阿尔齐拉。 伊本·阿米拉出生于阿尔齐拉省巴伦西亚。 0 +如果我们使用一台交替的图灵机,我们会拥有资源 ATIME。 当我们拥有一台交替式图灵机时,我们便会使用资源 ATIME。 0 +2016 年 11 月 13 日,大卫·马查多在晓臣市附近的福克斯格罗夫公园被丹尼斯·华莱士杀害。 2016 年 11 月 13 日,大卫·马查多的副手丹尼斯·华莱士在晓臣市附近的福克斯·格罗夫公园被谋杀。 0 +1946 年逝世时,他就该项目撰写的论文仍全部是草稿状态。 自他在 1946 年去世后,他有关这个项目的论文仍然全面处于草稿状态。 1 +亚历山大·鲍姆加特纳(1841 年 6 月 27 日生于德国卢森堡;1910 年在瑞士圣加仑去世)是文学史上的一位诗人和作家。 亚历山大·鲍姆加特纳(1841 年 6 月 27 日出生于瑞士圣加仑;1910 年在卢森堡去世)是文学史上的一位诗人和作家。 0 +加拿大地质调查局的研究员已经模拟了新不伦瑞克省存在相对潜在危害性的天然砷变异。 加拿大地质调查局的研究员已经为新不伦瑞克省模拟了具有相对潜在危害的天然砷变异。 1 +该航空公司由 Irelandia 创立,Irelandia 还创立了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中客车航空和澳洲虎航。 该航空公司由 Irelandia 创立,Irelandia 还打造了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、VivaAerobus 和台湾虎航。 0 +Geamărtălui 河是罗马尼亚布雷亚扎河的一条支流。 布雷亚扎河是罗马尼亚 Geamărtălui 河的一条支流。 0 +它由 C·R·格里高利于 1934 年在塞巴修道院购得。罗伯特·寇松在 1883 年发现它。 它在 1834 年被 C. R. Gregory 在 Saba 修道院购买,后于 1883 年被罗伯特·柯松购买。 1 +当戈帕尔·克里希纳向帕布帕德赠送第一版翻译成印地语的《圣典博伽瓦谭》时,帕布帕德非常高兴。 当戈帕尔·克里希纳看到帕布帕德向其展示的翻译为印地语的《Srimad Bhagavatam》首部印本时,他很高兴。 0 +圣乔治银行(及其分行 BankSA)在 1997 年再次被前进银行接管。 作为回报,Advance Bank(及其子公司南澳银行)于 1997 年被圣乔治银行接管。 0 +然后他在俄亥俄州克利夫兰教书,1856 到 1859 年间,他在托莱多学校担任女演员的负责人。 他后于俄亥俄州克利夫兰任教,并于 1856 至 1859 年间任托莱多学校代理督学。 0 +这首诗被保存在四本当代手稿中,其中一本是残本: 这首诗被保存在四本当代手稿中,其中之一是残本: 1 +其他困难还包括詹姆斯·纽顿·霍华德在电影更换前七周决定将作曲家霍华德·肖更换为彼得·杰克逊。 其他困难还包括詹姆斯·纽顿·霍华德在电影上映前七周决定将负责电影配乐的霍华德·肖更换为彼得·杰克逊。 0 +达斯蒂·贝克成为继西托·加斯东之后第一位为多伦多参加世界职业棒球大赛的黑人经理,并且 。 达斯蒂·贝克成为继斯图·加斯顿之后首位参加世界职业棒球大赛的黑人经理。 1 +苏库马尔的朋友斯蒂芬(穆卢干)在危机时刻向他们伸出援助之手,使得有情人终成眷属。 穆卢干的朋友史蒂芬(苏库马尔)在他们的危机时刻伸出援手,而这对恋人则携手走进了婚姻殿堂。 0 +亚当斯离开了与他结婚的萨拉·亨特小姐,他们的女儿在 1788 年嫁给了 B.哈耶特先生。 亚当斯医生与萨拉·亨特小姐结了婚,他为其留下了一个女儿,1788 年嫁给了 B. 哈耶特先生。 0 +它有时被用作设计中著名参数的归谬法,其运行方式如下: 它有时被用作设计中著名参数的归谬法,其运行方式如下: 1 +Kudawa 是纳拉亚尼区域的一个村庄和村庄发展委员会,位于尼泊尔东南部的巴拉区。 Kudawa 是位于尼泊尔东南部巴拉区纳拉亚尼专区的乡村和乡村发展委员会。 1 +在珊瑚海战役后,“巴奈特将 1,360 名列星顿号航空母舰 (CV-2) 的幸存者从圣地亚哥运送到了努美阿。 珊瑚海海战结束后,“巴内特将列克星敦号 (CV-2) 上的 1,360 名幸存者从努美阿送往圣地亚哥。 0 +R205 号公路是爱尔兰的一条区域公路,自卡文郡的 R199 号公路起延伸至利特里姆郡的爱尔兰北部边境,大部分位于弗玛纳郡内。 第 R205 号公路是一条位于爱尔兰的区域性公路,从利特里姆郡的第 R199 号公路延伸至弗马纳郡的北爱尔兰边境,大部分在卡文郡。 0 +施利曼发现了五个竖井并将它们清理干净,正如鲍桑尼亚提到的坟墓。 施利曼清理了五个竖井,发现他们就是鲍桑尼亚提到过的墓穴。 0 +第一位是 Kai-sung,她是 Jin-Qua 的女儿。她与 Gordon Chen 育有一子德克·斯特卢安。 第一个 Kai-sung 是 Jin-Qua 的女儿。她是 Gordon Chen 的母亲,由 Dirk Struan 饰演。 1 +1974 年,市区与雷普顿农村地区和德比郡东南部农村地区的一部分合并,形成现在的德比郡南部地区。 1974 年,现在的区与利普顿郊区以及德比郡东南部郊区的一部分合并,形成德比郡南部城区。 0 +例如,Cerberus 表现在两栖动物的前内脏内胚层和小鼠的前背内胚层。 例如,Cerberus 表现在两栖动物的前背内胚层和小鼠的前内脏内胚层。 0 +亚伯拉罕·哈特是总裁,迈耶·苏兹贝格是董事会秘书。 亚伯拉罕·哈特是总裁,迈耶·苏兹贝格是董事会秘书。 1 +他曾与焦万·贾科莫·迪·孔福尔托、巴托洛梅奥·皮基奥蒂和弗朗西斯科·格里马尔迪等当代建筑师合作过。 他已与 Giovan Giacomo Di Conforto、Bartolomeo Picchiatti 和弗朗西斯科·格里马尔迪等当代建筑师展开合作。 1 +她出生于玻利维亚科恰班巴,在 20 世纪 90 年嗲搬到墨西哥城,后来搬到洛杉矶。 她出生于玻利维亚科恰班巴。20 世纪 90 年代,她搬到了墨西哥城,随后又搬到了洛杉矶。 1 +德瑞特出生于莱顿,曾为 FC 乌得勒支、FC 丹博斯治、精英队、RKC 瓦尔韦克和 FC 安曼等球队效力。 代·鲁特出生于莱顿,为 RKC 瓦尔韦克、邓伯什足球俱乐部、精英队、乌德勒支足球俱乐部和埃门足球俱乐部效力过。 1 +佛蒙特北边与米查姆接壤,西边与鲁纳沃丁和森林山接壤,南边与佛蒙特南部接壤,东边与瓦特尔纳和灵伍德接壤。 佛蒙特北面与米查姆接壤,西面与鲁纳沃丁和森林山接壤,南面与佛蒙特接壤,东面与万提纳和林伍德接壤。 1 +胡里奥胡恩奎拉博士广场是阿拉蓬加斯首个建成,并以阿拉蓬加斯第一任市长胡里奥·胡恩奎拉博士的名字命名的广场。 胡里奥胡恩奎拉是建在阿拉蓬加斯的第一个,并以胡里奥·斯凯尔·胡恩奎拉博士命名,以阿拉蓬加斯的第一位市长命名。 0 +普拉卡什·拉吉也于 2017 年 8 月加入了团队,据称扮演的角色是制作人阿路里·查可帕尼。 2017 年 8 月,Aluri Chakrapani 也加入了团队担任制片人普拉卡什·拉杰的角色。 0 +Meridian 包含 Daykin、亚历山德里亚、Western、费尔伯里和托比亚斯的居民,组成了 303 内布拉斯加学区。 Meridian 由 Daykin、Fairbury、Western、Alexandria 和 Tobias 的居民组成,构成了 303 内布拉斯加州学区。 1 +平均而言,七月是最冷的月份,最热的月份则是一月。 7 月是平均气温最高的月份,1 月最冷。 0 +调节鹿群数量的另一条途径是控制出生率。 控制鹿的数量的另一个方法是调节生育率。 1 +第一轮于 2011 年 9 月 23 日至 25 日期间的周末在斯洛伐克(普列维扎)举行 第一轮于 2011 年 9 月 23 日至 25 日(周末),在斯洛伐克(普列维扎)举行。 1 +他娶了玛丽·玛格达莱妮·施韦高,她是泰勒夫·达尔·施韦高的女儿、政界要员安东·马丁·施韦高的侄女及后来的总理克里斯蒂安·霍曼·施韦高的姑姑。 他娶了玛丽·玛格达莱妮·施伟高,她是泰勒夫·达尔·施伟高的女儿,政界要员克里斯汀·霍楠·施伟高的侄女,之后担任首相的安东·马丁·施伟高的姑母。 0 +它可以由福尔米亚从东边抵达,由马纳罗拉,斯皮尼奥萨图尔尼亚的“frazione”,从西边抵达。 从东边的福尔米亚和西边斯皮尼奥萨图尔尼亚的“属地”马拉诺拉可以到达这里。 1 +当菲尔·斯佩克特第一次听到"顽固的家伙”时,他太兴奋了,以致在与杰克·尼切一起驾车行驶在日落大道上时,他的车失控了。 杰克·尼切第一次听到《Stubborn Kind of Fellow》时,他非常激动以至于在与菲尔·斯佩克特驾车行驶在日落大道时他的车失控了。 0 +一些船员在黄金湾被害,在当地与其他毛利人也没有了任何接触。 一些船员在金海湾遇难,与当地毛利人也没有其他联系。 0 +该单曲在 2015 年 10 月 31 日公布,在 2015 年 11 月 13 日发行。 单曲于 2015 年 10 月 31 日公布,于 2015 年 11 月 13 日发行。 1 +在新电视剧《Dead Gorgeous》中,黑泽尔饰演最小的妹妹亚历山德拉·科普林格。 黑兹尔在新的电视连续剧《华丽死亡》中饰演最小的妹妹亚历山德拉·科平杰。 1 +它们中的一部分在此处进行描述,一部分与下方的“外部链接”关联。 它们当中的一些描述如下,有些链接至这里的“外部链接”。 0 +在苏格兰足球中,半职业球队在低于苏格兰足球冠军联赛的各个级别角逐,其中大多数低于苏格兰足球冠军联赛水平的球队均为半职业球队。 在苏格兰足球中,半职业球队在苏格兰超级联赛以下的所有级别比赛,苏格兰锦标赛以下的大多数球队都是半职业球队。 1 +这首歌是美国嘻哈乐队 Jedi Mind Tricks 的单曲《恶意设计》中的副歌样本。 这首歌是美国单人嘻哈乐队 Jedi Mind Tricks 的单曲《恶意设计》中的副歌样本。 0 +在此情况下,公式 5 是霍恩带两个变量的有限函数之一,并且针对公式 6 和公式 7的所有合流超几何数值收敛。它由以下方法得出: 公式 5 是霍恩的双变量合流超几何函数之一,收敛于公式 6 和公式 7 的所有有限值。它是由此给出的: 0 +1830 年,詹姆斯受到了美国殖民协会 (ACS) 一些成员的废奴主义思想以及亚瑟·塔潘的著作的影响。 从 1830 年开始,詹姆斯受到美国殖民协会 (ACS) 一些成员的废奴主义和亚瑟·塔潘著作的影响。 1 +它们由万代南梦宫开发并由 CyberConnect2 发布,从 2005 年的《火影忍者:究极忍者》开始。 它们由 CyberConnect2 开发,由万代南梦宫娱乐发行,并以 2005 年的《火影忍者:究极忍者》为起点。 0 +该高速公路在 1954 年 10 月 18 日被取消,而 FM 1241 则得到了延长。 该高速公路于 1954 年 10 月 18 日被取消,同时 FM 1241 得到了延长。 1 +利用太阳能满足此项要求的方法是在常规动力飞机上使用太阳能面板。 针对该要求执行的常规方案是在太阳能飞机中使用太阳能电池板。 0 +她是瓦尔、鲍里斯和罗莎琳德·洛里温的母亲,她的女儿成为了一名心理学教授。 她成为了瓦尔、鲍里斯和罗莎琳德·洛里温的母亲,她的女儿是一名心理学教授。 0 +暗物质存在的间接证据来自暗物质的引力影响,因为在实验室中没有观察到其他物质颗粒。 暗物质的间接证据来自它对其他物质的引力作用,因为在实验室中没有观察到暗物质粒子。 0 +他在奥卢塞贡·奥巴桑乔(1975 年)和穆尔塔拉·穆罕默德(1976 年)先后发起的政变中被取代。 在接二连三的政变中,他被奥卢塞贡·奥巴桑乔(1975 年)和穆尔塔拉·穆罕默德(1976 年)相继取代。 1 +麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 麦克米兰在迪德科特的皇家医疗队工作了两年,之后在蒂德沃斯工作,在那里为朝鲜战争中受伤的士兵做核磁共振波谱分析。 0 +《Aku Ankka》由萨诺玛媒体公司(原名萨诺玛)出版,后者隶属于萨诺玛杂志社。 《Aku Ankka》由 Sanoma 旗下公司 Sanoma Media(前身为 Sanoma Magazines)出版。 0 +拉卡伊是乌干达的总部,它是二十世纪八十年代的初期中心地带,也是拉卡伊区第一个被艾滋病疫情波及的地方。 拉卡伊是拉卡伊区的首府,这在 1980 年代初是中心位置,在乌干达最先受到艾滋病流行的影响。 0 +亚洲业务已收归 Ebel,而欧洲业务则出售给香港企业家约瑟夫·王,现属于宝光实业旗下产业。 亚洲业务成为 Ebel 的一部分,而欧洲业务则出售给香港企业家王永平,现已成为宝光实业的一部分。 1 +资金来自比尔和梅琳达·盖茨基金会、金融家乔治·索罗斯和科技企业家爱德华·W·斯科特。 启动资金来自比尔及梅琳达·盖茨基金会、金融家乔治·索罗斯和科技企业家爱德华·W·斯科特。 1 +Finale 是位于南非林波波省 Mopani 区的一个城市。 法内尔是一座位于南非林波波省莫帕尼区自治市的小镇。 0 +拉什迪没有受到指控,但他在被遣送回国时被摩洛哥当局拘留。 拉希迪在被捕后没有受到指控,但被摩洛哥当局遣返回国。 0 +他分别于 1824 年、1826 年和 1827 年先后被任命为塞内卡县、威廉姆斯县和桑达斯基县的检察官。 他分别于 1824 年、1826 年和 1827 年被任命为威廉斯县、瑟内萨县和桑达斯基县的检察官。 0 +乔治城湖也是乔治城和附近朗德罗克镇的饮用水源。 乔治城湖也是乔治城和附近朗德罗克市的饮用水源。 1 +霍利在音乐上受到了艾尔顿·约翰的影响。 埃尔顿·约翰在音乐上受到霍利的影响。 0 +在他去世时,大卫红衣主教比顿是苏格兰的大法官、圣安德鲁斯的大主教以及苏格兰的特使大主教。 大卫·卡迪纳尔·比顿在去世时是苏格兰大法官、圣安德鲁斯大主教和苏格兰红衣主教使节。 1 +1963 年,基尔德·戴希曼突然离世,埃丽卡关闭了工作室并放弃了陶艺。 1963 年,Kjeld Deichmann 突然去世,埃里卡关闭了工作室并放弃了陶瓷艺术。 1 +不过,麦当娜、普林斯和迈克尔·杰克逊都对该专辑产生了影响。 但是,麦当娜、普林斯和迈克尔·杰克逊都对这张专辑产生了影响。 1 +唯一的有轨电车站位于米拉弗洛雷斯,终点站是圣安东尼奥和奥连蒂。 唯一的有轨电车站位于圣安东尼奥,终点站是米拉弗洛雷斯和奥连蒂。 0 +他还帮助建立了遍布北美州、中美州和南美洲以及欧洲各地的禅修中心。 他还帮助在欧洲各地以及北美州、中美州和南美州建立了禅修中心。 0 +在斯里兰卡,特许会计师(斯里兰卡特许会计师)这一头衔仅限斯里兰卡特许会计师协会会员使用。 在 CA,会计师的职称(斯里兰卡斯里兰卡)只能由斯里兰卡会计师协会的会员使用。 0 +布朗还在路易斯安那州罗伯特设立了所罗门主教会议中心。 罗伯特还在路易斯安那州布朗设立所罗门主教会议中心。 0 +Lobethal Bierhaus 是一家地区性啤酒厂,受到德国风格的影响。 Lobethal Bierhaus 是一家区域性的啤酒厂,风格受到了德国的影响。 1 +金融监管机构有时候会通过部门监管分享对其受监管实体的世界观。 凭借部门监管,金融监管机构有时候会分享对其受监管实体的世界观。 1 +1942 年,蒙塔古·斯莱特返回英格兰,而且他回去后不久就邀请布里顿担任其《彼得·格赖姆斯》的剧作者。 1942 年 4 月,布立顿返回了英国,回去后不久,他便邀请蒙塔古·斯莱特担任“彼得·格赖姆斯”的剧本作者。 0 +三年后,他在哈因克莱举行的欧洲杯的相同比赛中,为西德赢得了一枚银牌。 三年后,他在哈嫩举办的欧洲锦标赛的同一个活动中为西德摘得一银。 1 +在吉他手科尔·亚历山大和贝斯手贾尔德·史威利离开 Renegades,吉他手本·艾伯保离开 Reruns 后,该乐队于 1999 年在乔治亚州的邓伍迪成立。 1999 年,该乐队在佐治亚州邓伍迪成立,彼时吉他手本·埃伯保和贝斯手杰瑞德·斯威利已离开 Renegades,吉他手科尔·亚历山大也离开了 Reruns。 0 +这里描述了其中一些,下面的“外部链接”下则列出了另外一些的链接。 下面描述了其中一些,这里的“外部链接”下面则列出了另外一些的链接。 0 +副主编是赫伯特·维塞尔斯(自 2009 年起),总编辑是马库斯·埃尔默特(自 2002 年起)。 第二编辑是赫伯特·韦塞尔斯(自 2009 年起),总编是马库斯·埃尔默特(自 2002 年起)。 1 +Ochrosis ventralis 是一种生长在北非及欧洲部分地区的叶甲虫。 Ochrosis ventralis 是欧洲和北非部分区地的本土叶甲虫品种。 0 +有些船员在戈尔登湾被杀,而且没有其他毛利人的当地联系人。 有些船员在戈尔登湾被杀,而且没有当地毛利人的其他联系人。 1 +这三个父系王朝与 Mbooj 母系家族共同统治瓦罗王国。 这三个母系王朝曾统治 Mbooj 父系家族所在的瓦罗王国。 0 +20 世纪 50 年代初,Fiaminghi 开始创作抽象艺术作品,并将建构艺术元素融入其中。 20 世纪 50 年代初,Fiaminghi 开始创作抽象艺术作品,并将建构艺术元素融入其中。 1 +宾夕法尼亚州 268 号公路从大桥西端往南延伸至帕克,往北与埃姆伦顿相接。 宾夕法尼亚州 268 号公路从桥的西端往北通向帕克,往南通向埃姆桑顿。 0 +他的名字阿福拉比是指“天生富贵”。因为他僵硬的动作,他在尼日利亚的绰号的意思是机械战警。 他的名字是阿弗拉比,意为“天生富贵”,他在尼日利亚的绰号是“机械战警”,因为他动作僵硬。 0 +1942 年 4 月,布里顿返回英格兰,回去后不久他便邀请蒙塔古·斯莱特为《彼得·格赖姆斯》编写剧本。 蒙塔古·斯莱特于 1942 年 4 月回到英格兰。他在回来后不久便要求布里顿担任他的《彼得·格赖姆斯》的剧作者。 0 +他是第一准男爵约翰·拉德爵士的遗腹子,他的母亲是酿酒师亨利·斯雷尔的妹妹。 他作为第一从男爵亨利·特雷尔爵士的孩子出生,他的母亲是酿酒师约翰·拉德的妹妹。 0 +2005 年末至 2009 年期间是例外,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的格罗兹尼特里克足球俱乐部和俄罗斯的查查克足球俱乐部。 例外出现在 2005 年年底至 2009 年,当时他在瑞典为卡斯塔得联效力,在塞尔维亚为查查克足球俱乐部和俄罗斯格罗兹尼艾卡马特足球俱乐部效力。 0 +这一集由查克·塔瑟姆编剧,并由弗莱德·萨维奇执导。 这一集由查克·塔瑟姆编写,由弗莱德·萨维奇领衔主演。 1 +会议因许多信使的到来而中断,他们由这座城市里拥有权势或影响力的不同马杜克人派遣,带来为王子所设晚宴的大量邀请函。 会议因众多信使的到来而中断,派遣他们的是城中各路颇有权势的马杜克人,为的是带来给王子的各种晚宴请帖。 1 +Beximco 生产纺织品、基础化学品、药物、黄麻和海产品,该公司还是涉足房地产和土地开发领域。 Beximco 生产纺织品、基础化学品、药品、黄麻和海产品;该公司还从事房地产和土地开发。 1 +“骑手文摘”现在按月刊发行,有两个版本:零售版本和 60 页的免费版本。 《The Rider 's Digest》现在是一类月刊,出版两种版本:免费版和 60 页的零售版。 0 +他的妻子是 Klára Csabi,他们的儿子 Ferenc Wathay 也是一名著名的指挥官以及《Ferenc Wathay 歌集》的作者。 他的妻子是 Klára Csabi,她的儿子 Ferenc Wathay 也是一位著名的指挥家和《songbook of Ferenc Wathay '》的作者。 1 +直肠癌患者的结肠细胞增殖减少的比例为 2.5:1,而没有效果的比例是 4:1。 2.5 : 1 的比例降低了矩形结直肠癌患者癌细胞的增殖活性,而 4:1 的比例无效。 0 +他作为查尔斯·温德姆·斯坦丁出生于英国伦敦,在加利福尼亚州洛杉矶去世。 查尔斯·温德姆出生于英国伦敦,死于加利福尼亚州洛杉矶。 1 +美国宾夕法尼亚州伯克斯县是罗伯逊镇区内的一个城镇。 美国宾夕法尼亚州伯克斯县是罗伯逊镇区内的一个城镇。 1 +佛蒙特北部与米查姆接壤,与鲁纳沃丁和森林山西部接壤,南部与佛蒙特接壤,东部与旺加拉塔和灵伍德接壤。 南佛蒙特州北接米查姆,西接与努纳瓦丁和森林山,南接佛蒙特州,东接万蒂纳和林伍德。 0 +库克塘,又称南瓦图帕塘,位于劳雷尔湖东南、陶顿河以西。 库克池之前也称为劳雷尔湖,位于汤顿河南端和南瓦图帕池西部。 0 +只有罗尼·菲尔茨未在国家大学体育协会或 NBA 打过任何一场比赛。 罗尼·菲尔兹没有在 NBA 或 NCAA 打过一场比赛。 1 +邓肯·麦金太尔 于 1899 年 10 月 6 日出生于英格兰肯特郡,是上尉艾弗·尤因·麦金太尔的儿子。 艾弗·尤因·麦金泰尔于 1899 年 10 月 6 日出生在英国肯特,他是上尉邓肯·麦金泰尔的儿子。 0 +反刍动物中还存在一种呼吸系统疾病,动物可能拒绝进食、显得无精打采并且表现出神经系统症状。 反刍动物也会患呼吸道疾病,患病动物可能拒绝进食、嗜睡,还会出现神经系统症状。 1 +该配乐由作曲家莫里·耶斯顿谱曲,并由堪萨斯市立芭蕾舞团艺术总监威廉·怀特纳编舞。 该配乐由作曲家威廉·怀特纳谱曲,并由堪萨斯“市立芭蕾舞团”艺术总监莫里·耶斯顿编舞。 0 +“梦”于 1961 年在柯芬园的皇家歌剧院上演,由约翰·吉尔古德担任制作人,乔治·索尔蒂担纲指挥。 “Dream”于 1961 年登上科文特花园的皇家歌剧院,该作品由约翰·吉尔古德制片并由乔治·索尔蒂执导。 1 +1918 年 9 月 22 日,第一则发往斯诺登尼的无线电报消息从澳大利亚发出。 1918 年 9 月 22 日,首个无线电报通信从澳大利亚被发送至史诺多尼亚。 1 +库克塘,也被称为南沃图帕塘,位于劳雷尔湖的东南方向,汤顿河的西边。 南端的库克池之前也称作南瓦图帕池,位于劳雷尔湖东面和汤顿河西面。 1 +它们有 13 根臀软刺、11 至 13 根背部软鳍、2 根背刺以及 11 至 13 根臀鳍。 它们有 13 根背鳍硬棘、11 至 13 根背鳍软条、2 根臀鳍硬棘和 11 至 13 根臀鳍软条。 0 +潜能加总能量之和被称为动能或“能量包”。 潜能加动能之和被称为总能量,或“能量包”。 0 +他们在那里供我们祈祷,他们在那里喜爱着我们。 他们在为我们祈祷,他们在为我们欢乐。 1 +癌前病变明显是一种典型组织,在用显微镜检查时其会呈现异常,而且在此处发生癌变的可能性大于其形态正常的对应组织。 癌前病变明显是一种典型组织,在显微镜检查中表现异常,而在此处,发生癌变的可能性大于其形态学上正常的对应组织。 1 +“R. satarae”有一件金棕色外套,后背面料又长又软,底边为白色。 “R. satarae”有一件金棕色外套,后背面料又长又软,底边为白色底。 1 +目前仍有两个只有少数成员的小型独立联赛:高地联盟联赛和格兰偏联盟联赛。 目前仍有两个只有少数成员的独立联赛:格兰偏联盟联赛和高地联盟联赛。 1 +"Fall Beil" 于 1949 年最后一次在西德使用并于 1966 年在东德使用。 此“案例”于 1949 年最后一次用于东德,1966 年用于西德。 0 +安妮特·阿米莉亚·克拉姆在 1874 年 9 月 29 日与塞缪尔·克拉姆的女儿布莱恩特结婚。他们有一个女儿。 1874 年 9 月 29 日,安妮特·阿米莉亚与塞缪尔·克拉姆的女儿克拉姆·布赖恩特结婚,育有一个女儿。 0 +此外,冠军杰克·斯瓦格、米兹和科菲·京斯顿之间的美国三重威胁冠军赛是。 接下来,美国锦标赛的三重威胁赛在冠军科菲·京斯顿、米兹和杰克·史威格之间上演。 0 +这首歌出现在 FX 电视网的电视连续剧《混乱之子》第二季的第六个广告中。 这首歌曲在 FX 网络电视连续剧《混乱之子》第二季的第六部广告短片中播放。 1 +在职业生涯早期,他在澳大利亚踢球,但是搬到苏格兰在维多利亚州联盟为弗兰克斯顿市效力。 在职业生涯的早期,他曾在苏格兰踢球,但后来移居澳大利亚,在维多利亚州国家联盟中为弗兰克斯顿市效力。 0 +最新单曲《每个清晨》是第一首单曲《清晨》的原声吉他版。 最后一首歌曲《每天清晨》是第一首歌曲《清晨》的原声吉他版本。 1 +发出吱吱声的 Brushturkey 或棕颈 Brushturkey(“Talegalla jobiensis”)是冢雉科的一种鸟类。 带领的灌丛火鸡或褐领灌丛火鸡(“Talegalla jobiensis”)是塚雉科中的一种鸟类。 1 +邓肯·麦克林泰尔于 1899 年 10 月 6 日出生在英格兰肯特,他是艾弗·尤因·麦克林泰尔的儿子。 艾弗·尤因·麦金太尔于 1899 年 10 月 6 日出生在英格兰肯特郡,是邓肯·麦金太尔上尉的儿子。 0 +第 46 火箭师于 1941 年 4 月 29 日创立,当时第 188 步兵师已于考纳斯完成组建。 第 46 火箭师的历史始于 1941 年 4 月 29 日,当时第 188 步枪师在考纳斯组建完成。 1 +惠特拉姆在 1975 年 12 月的联邦大选中以压倒性票数击败马尔科尔姆·弗雷泽之后,授予埃杰顿爵士头衔,以表彰其在工会运动中所做的工作。 惠特拉姆在 1975 年 12 月的联邦选举中以压倒性优势击败了马尔科姆·弗雷泽,并因埃格顿对工会运动的贡献授予了其骑士爵位。 1 +这些地区被视为贫瘠至边缘生境,评分分别为 56 分和 96 分。 这些地点被认为是贫瘠栖息地的外围地区,其评分分别为 56 和 96。 0 +JoyKey 没有可移动的零件,没有会磨损的软木塞,也没有会断裂的弹簧。 JoyKey 没有活动部件,也没有会破裂的软木塞,或会磨损的弹簧。 0 +在新电视剧《Dead Gorgeous》中,黑泽尔饰演最小的妹妹亚历山德拉·科普林格。 亚历山德拉·柯平杰在新的电视连续剧《华丽死亡》中饰演幺妹黑泽尔。 0 +如果弹性势能系统的组件在受力时发生变形,则它们存储机械能。 如果机械系统的组件在系统受力时发生变形,则它们会存储弹性势能。 0 +Ochrosis ventralis 是一种原产于欧洲和北非部分地区的叶甲虫。 Ochrosis ventralis 是一种原产于欧洲和北非部分地区的金花虫科昆虫 1 +该赛季于 1984 年 1 月 6 日在瑞典法伦开始,于 1984 年 3 月 11 日在挪威利格纳结束。 该赛季于 1984 年 1 月 6 日在瑞典法伦开始,于 1984 年 3 月 11 日在挪威 Lygna 结束。 1 +德·鲁伊特,出生于莱顿,曾为乌德勒支足球俱乐部、邓伯什足球俱乐部、Excelsior 球队、RKC 韦瓦尔克足球俱乐部和埃门足球俱乐部效力。 代·鲁特出生于莱顿,为乌德勒支足球俱乐部、邓伯什足球俱乐部、精英队、RKC 瓦尔韦克和埃门足球俱乐部效力过。 1 +第二个音节结构为 V、CV 或 CVV,其中可能的辅音是。 可能的音节结构是 V、CV 或 CCV,但第二个辅音是。 0 +画家/小说家保罗·鲍尔斯是和美国作家布莱恩·吉森在 1950 年西迪卡塞姆的一个节日中第一次听到这个地区的音乐的。 1950 年,保罗·鲍尔斯与美国作家布里昂·基辛一起在西迪卡塞姆的一个音乐节上听到了该地区的音乐。 0 +法雷尔反击加布里埃尔的入侵,但麦克莱恩消灭了他的人。 法瑞尔反击了加布里埃尔的猛踢,而麦克莱恩则消灭了他的手下。 1 +它分布于南岛的大部分区域,以及北岛从韦斯特兰到班克斯半岛中部地区的整个地带。 它被发现于北岛的大部分地区以及从班克斯半岛到南岛上的韦斯特兰中部区域。 0 +阿萨夫王朝(也称 Banu Assaf)是逊尼派穆斯林和土库曼族酋长王朝,位于凯斯莱旺黎巴嫩山地区。 Assaf 王朝(也称为 Banu Assa)是指活动于黎巴嫩多山的凯斯莱旺县的素尼派和土库曼族酋长王朝。 0 +单曲于 2012 年 10 月 12 日在意大利的 Radio Airplay 发行,并于 2012 年 12 月 3 日在全球发售。 单曲于 2012 年 10 月 12 日在意大利的 Radio Airplay 发行,并于 2012 年 12 月 3 日发送到全球。 1 +奥克塔维厄斯·沃尔·马利特的第二个女儿爱丽丝·安娜凯·瑟琳于 1852 年 6 月 24 日在英国驻科隆领事馆嫁给了托马斯 。 Octavius Warre Malet 的二女儿爱丽丝·安娜·凯瑟琳于 1852 年 6 月 24 日在英国驻科隆领事馆与托马斯完婚。 1 +Probuccinum tenerum 是一种海螺,属于真正的蛾螺科腹足类软体动物,即海螺。 Probuccinum tenerum 是一种海螺,一种属于蛾螺科的真正腹足软体动物,是海生蛾螺。 1 +大卫 大卫·戈德温由 DGA Associates 的艾玛·汤森德代表。 大卫·戈德温在 DGA 学会由艾玛·汤曾德代表。 1 +他还向米特·罗姆尼捐赠了 34,000 美元,并向特德·克鲁兹捐赠了 7,000 美元,包括支持他 2016 年的总统竞选活动。 他还向特德·克鲁兹捐赠 34,000 美元,并向米特·罗姆尼捐赠 7,000 美元,包括他在 2016 年的总统竞选。 0 +简单介质的特征可以是在频率公式_2 和公式_3 处存在有效的吸收和发射横截面。 简单介质的特征在于公式 2 和公式 3 的频率下的吸收和发射的有效横截面。 1 +希尔敦的种族构成为: 93% 主要是白人,3% 是华人,1% 是亚洲人。 希尔敦的族群主要是白人,占 93%;3% 为亚裔,1% 为华裔。 0 +德鲁伊特出生于莱顿,曾为乌得勒支队、登波士队、精英队、瓦尔韦克队和埃门队效力。 德瑞特出生于莱顿,曾为 RKC 瓦尔韦克、FC 丹博斯治、精英队、FC 乌得勒支以及 FC 安曼效力。 1 +算术运算符至上的观念受到了批评,被称“是像‘和 (+)’ 一样的按位逻辑运算符。 算术运算符的优先级受到了批评。从概念上说,“& 和 and”是与“and 和 +”类似的按位逻辑运算符。 1 +1974 年,老挝人民民主共和国在联合国、亚洲发展银行和世界银行的帮助下设立第二阶段基金。 在世界银行、联合国和亚洲开发银行的支持下,老挝人民民主共和国于 1974 年成立了 Stage II 基金会。 1 +第二个系列被评论家评价为比第一个好。 评论家对第一个系列的记录优于第二个。 0 +"Fall Beil" 于 1949 年最后一次在西德使用并于 1966 年在东德使用。 “断头台”最后一次在东德使用的时间是 1949 年,西德是 1966 年。 0 +艾尔半岛上还有一条孤零零的窄轨铁路,从塞杜纳通往林肯港。 艾尔半岛上还有一条从林肯港通往塞杜纳的偏僻的窄轨铁路。 0 +韦伯斯特格罗夫市议会成员包括黛比·索尔伯格、凯西·哈特、格雷格·穆勒、肯·伯恩斯、托尼·亨特和安妮·托朗。 韦伯斯特格罗夫市议会由议员格雷格·穆勒、肯·伯恩斯、凯西·哈特、黛比·索尔伯格、托尼·亨特和安妮·托朗组成。 1 +该团体广泛演出并在以色列一举成名,甚至于 2007 年在纽约市巡演。 该乐队进行大量巡演并在以色列成名,甚至还于 2007 年在纽约市演出。 0 +埃尔顿·约翰在音乐上受到霍利的影响。 埃尔顿·约翰在音乐上受到霍利的影响。 1 +他与比利·艾克斯汀的乐队一同录制,并于 1946 年与莱昂内尔·汉普顿乐队共同演奏。 他曾与莱昂内尔·汉普顿的乐队一起演奏,在 1946 年与比利·埃克斯坦乐队共同录制音乐。 0 +很多人将他们的音乐视为受到说唱金属和工业金属影响的另类金属。根据之前的采访,他们认为自己是“谋杀摇滚”。 许多人认为他们的音乐是受到说唱金属和工业金属影响的非主流金属,根据之前的采访,他们称自己为“murder - rock”。 1 +罗伯特爵士的儿子安东尼是首代格洛斯特郡霍克斯伯里詹金森从男爵的父亲。 安东尼·安东尼之子罗伯特爵士,是格洛斯特郡霍克斯布里的第一位詹金森从男爵。 0 +钱德勒认为计算机是一种学习工具,但他排斥占主导地位的将数据视作信息以及将信息视作知识的客观主义。 钱德勒承认计算机是一种学习工具,但他排斥占主导地位的将数据视作信息以及将信息视作知识的客观主义。 0 +然后,它穿过沃希托河的特克索马湖河湾。 然后,它穿过沃希托河的特克索马湖河湾。 1 +乔治城也是乔治城湖和附近朗德罗克市的饮用水源。 乔治敦湖也是乔治敦和附近圆石市的饮用水源地。 0 +下列表格比较具有细节层次能力的渲染和全细节方法(“强力攻击”)的表现。 下列表格比较考虑细节层次的渲染和全细节方法(“强力攻击”)的表现。 1 +沃拉尔集团在特耶内和米兰设有总公司,并在意大利设有其商业管理和特许管理。 沃拉尔集团在特耶内和米兰设有总公司,并在意大利设有其商业管理和特许管理。 1 +他那天晚上会回到位于特库姆塞西部的车站,然后在邻居起疑前骑着另一匹马去维奥莱特斯普林斯。 那天晚上,他会前往特库姆塞西边的车站,然后在他的邻居们起疑心前,骑另一匹马回到 Violet Springs。 0 +Gerakan Tiga Daerah 的新领导成为 Sarjiyo,他成为 Pekalongan 的主要摄政王。 “杰拉坎·蒂加·达安拉 ”的主要领导人是萨吉约,他成为了北加浪岸的新摄政王。 0 +1866 年 6 月 25 日,他被任命为“利西亚尼萨”的领衔主教和韦莱特里的主教。 1866 年 6 月 25 日,他被任命为“吕基亚尼萨”的辅理主教和韦莱特里的领衔主教。 0 +凯普在雪儿和 MCA 两家唱片公司下于二十世纪七十年代取得了更大的成功,并一直与它们合作到 1974 年。 Cher 依靠 Kapp 和 MCA 公司在七十年代取得较大成功,并且为他们效力直到 1974 年。 0 +还值得注意的是,以下代码可在没有 ADL 的条件下工作(它无论如何也将应用于它)。 还值得注意的是,以下代码无需 ADL 也可以工作(但它无论如何都会被应用)。 1 +从 2005 年的《火影忍者:究级忍者》开始,它们由 CyberConnect2 开发并由万代南梦宫娱乐发行。 它们由 CyberConnect2 开发、由万代南梦宫娱乐发行,并以 2005 年的《火影忍者:究极忍者》为起点。 1 +约翰·米尔顿提到莎士比亚并引用安吉拉·沃伦的“Comus”:“在玻璃般透亮、清爽、光线转变而成的波浪下”。 安吉拉·华伦提到莎士比亚,并引用约翰·弥尔顿“酒神之假面舞会”中的话:“在闪亮凉爽的澄澈海浪之下”。 0 +《艾利克斯》是一部意大利电视连续剧。该连续剧由阿尔弗雷多·卡斯特里、古格列尔莫·杜科利和希奥尔希奥·斯科特勒担任编剧,由 Videotime 制作。 意大利电视连续剧《艾利克斯》由阿尔弗雷多·卡斯特里、古格列尔莫·杜科利和希奥尔希奥·斯科特勒编剧,并由 videotime 制作。 1 +Enoteche 以德语名“Vinothek”延伸到阿尔卑斯山以北的奥地利,从德国传播到了奥地利。 Enoteche 已经以德语名称“Vinothek”从阿尔卑斯山北部传播到了奥地利,也从德国传播到了奥地利。 1 +马哈拉吉甘杰是印度比哈尔邦锡万县的一个议会选区。 锡万是印度比哈尔邦马哈拉吉甘杰地区的一个议会选区。 0 +《Smartass》是由 Jena Serbu 执导并由乔伊·金主演的一部电影。 聪明小鬼是由杰娜·索布和乔伊·金饰演的一部电影。 1 +65 名士兵在执行任务时被杀,包括 34 名尼日利亚人、28 名乍得人、2 名多哥人和 1 名布基纳法索人。 在此次任务中,有 65 士兵被杀害,其中包括 34 名尼日利亚人、28 名乍得人、2 名多哥人和 1 名布基纳法索人。 1 +乔治·黑尔写的悬疑小说《Detection Unlimited》中的一个人物被拿来与阿姆斯特朗进行比较。 在阿姆斯特朗创作的神秘小说《探索无限》中,有一个角色被暗指是乔洁·黑尔。 0 +该师在诺曼底战役中遭到摧毁,而且最后元素因瑟堡陷落而丢失。 该师在诺曼底战役中遭到摧毁,而且它的最后元素在瑟堡陷落时丢失。 1 +文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日至 2012 年 7 月 29 日)是一位库契普迪舞舞者,也是印度舞蹈大师。 Vempati Chinna Satyam(1929 年 10 月 15 日——2012 年 7 月 29 日) 是一位酷奇普地舞者,还是一位印度舞大师。 1 +Massé 出生于纽约州威斯特彻斯特县,在密歇根州霍兰德长大,青少年时期生活在欧洲。 Massé 出生于密歇根州霍兰德,在纽约州威斯特彻斯特县长大,青少年时期生活在欧洲。 0 +多元宇宙是一组具有宇宙特性和相似等级的平行宇宙的集合。 多元宇宙是具有相似性质和宇宙等级的平行宇宙的集合。 0 +Jidanul 河是罗马尼亚 Jiul de Vest 河的一条支流。 Jiul de Vest 河是罗马尼亚 Jidanul 河的一条支流。 0 +Shook 是一家总部位于伦敦的地下独立创作电子音乐杂志社,主要介绍各种类型的英国音乐和黑人音乐。 Shook 是一家位于伦敦的英国音乐杂志,各种形式的地下黑人音乐和电子音乐都有涉及。 0 +发动机的重量,以及长 54 英寸,宽 29 英寸,高 41 英寸。 该发动机重,尺寸为 54 英寸,宽 29 英寸以及长 41 英寸。 0 +1977 年,巴尔伯和罗伯·泰勒一起前往苏格兰和挪威攀爬瀑布。 1977 年,罗伯·泰勒与巴伯前往苏格兰和挪威攀登瀑布。 0 +《贝西之地》是由比利·拜尔斯及其管弦乐队于 1964 年制作的录音室专辑,作曲和编曲均由考特·贝西完成。 《Bas Basie Land》是 Count Basie 和 1964 年他的交响乐队推出的录音室专辑,他们的音乐由比利·拜耶尔斯作曲并演奏。 0 +对于固定可测函数公式 18,公式 19 是中间变量,并且带有随机公式 20 和方差公式 21。 对于固定可测函数公式 18,公式 19 是随机变量,并且带有中间公式 20 和方差公式 21。 0 +“星际探险家”于 2016 年 4 月 6 日由日本 Universal J、环球唱片和 Perfume Records 采用四种不同的格式发行。 2016 年 4 月 6 日,日本环球音乐公司、Universal J 和 Perfume Records 采用四种不同的格式发行了《星际探险家》。 0 +他在威斯康星州密尔沃基去世,这里也是他于 1903 年 5 月 5 日退休的地方。 1903 年 5 月 5 日,他在威斯康星州密尔沃基退休,并在此去世。 1 +贝特恩考特在纽约市的斯特林录音室演奏了吉他,吉他的原主人是克里斯·格林德。 贝当古负责吉他演奏,克里斯·格林德在纽约市 Sterling Sound Studios 完成演绎。 0 +他出生于加利福尼亚州蒂伯龙,在纽约布鲁克林去世。 它出生于加利福尼亚州蒂伯龙,在纽约布鲁克林去世。 1 +退役后洛克哈特在佛罗里达州生活,但近期他搬到了得克萨斯州。 在服务完毕后,洛克哈特住在了德克萨斯州,但最近搬到了佛罗里达州。 0 +只有亲密的人才能揭开盖子,所以这些场景可能具有更高的权限。 仅享有特权的观众揭开了盖子,所以这些场景可能更为私密。 0 +休姆斯出生于马里兰州贝塞斯达,他的童年是在加拿大和其他几个国家度过的,包括墨西哥、尼日利亚、摩洛哥和智利。 休姆斯在墨西哥出生,童年时在加拿大和多个其他国家生活过,包括智利、尼日利亚、摩洛哥、贝塞斯达和马里兰。 0 +科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,国家冰球联盟的第 30 个赛季,以及作为科罗拉多雪崩队的第 14 个赛季。 科罗拉多雪崩队 2008 - 09 赛季是球队第 37 个赛季,全国冰球联盟的第 30 个赛季,也是作为科罗拉多雪崩队的第 14 个赛季。 0 +该系列于 2009 年 4 月 18 日在澳大利亚的尼克儿童频道首播(新西兰和新西兰)。 该电视剧于 2009 年 4 月 18 日首次在澳大利亚尼克儿童频道(新西兰和新西兰)播出。 1 +佩特克尔湖国家公园是位于芬兰北卡累利阿区的伊洛曼齐的国家公园。 佩特克尔湖国家公园是芬兰北卡累利阿地区伊洛曼齐的一个国家公园。 0 +这是正式寺庙中采用的禅宗式上菜和用餐方式。 这是在正式禅寺供应和享用餐食的方式。 1 +2011 年 3 月 5 日,MTV Hive 发布了安妮·罗西演唱蕾哈娜的《无礼男孩》的流媒体链接。 2011 年 3 月 5 日,MTV Hive 发布了一条蕾哈娜表演安妮·罗西的《粗鲁男孩》的流媒体链接。 0 +Gerakan Tiga Daerah 的新领导人是 Sarjiyo,他成为了北加浪岸的主要统治者。 Gerakan Tiga Daerah 的新任领导是 Sarjiyo,后面成为北加浪岸的主要摄政王。 1 +马里查·拉扎里于 1943 年 10 月出生于塞浦路斯。16 岁时跟随家人移居到英国伦敦。 马利查·拉扎里在 1943 年 10 月出生于伦敦,在她 16 岁时随家人移居到塞浦路斯。 0 +在他竞选期间,他与麦凯恩辩论过两次,一次是在旗杆市,一次是在图森。 在竞选活动中,他与麦凯恩辩论过两次,一次在图森,另一次在弗拉格斯塔夫。 1 +1983 年 5 月,英国巡演开始,另一位吉他手罗宾·乔治参与了现场表演。 1983 年 5 月,英国巡演在吉他手罗宾·乔治的现场额外表演下开始。 0 +物业经理是在英国广泛使用的一个术语,用于描述房屋价格从低到高的相对持续变化。 物业经理是在英国广泛使用的术语,用于描述从较便宜的住房到较昂贵的住房在恒定条件下的相对差异。 0 +初级甲组总冠军将被授予 James Delahunt 杯。 少年 1 组的获胜者将被授予詹姆斯·德拉亨特杯。 1 +1999 年,在阿尔巴尼亚难民返回前,塞尔维亚家族就离开了这座村庄。 塞尔维亚难民于 1999 年返回之前,阿尔巴尼亚家族已离开该村。 0 +JoyKey 没有活动部件,没有会磨损的软木塞,也没有会断裂的弹簧。 JoyKey 没有活动零件,没有会破裂的软木塞,也没有会磨损的羽毛。 0 +它于 2011 年 12 月 22 日发行,于 2012 年 2 月公布。 它于 2011 年 12 月 22 日注册,并于 2012 年 2 月发布。 0 +它们由 CyberConnect2 开发、由万代南梦宫娱乐发行,并以 2005 年的“火影忍者:究极忍者”为起点。 它们由万代南梦宫娱乐开发并由 CyberConnect2 发行,并以 2005 年的《火影忍者:究极忍者》为起点。 0 +该套装包括白色衣领的绿色橄榄球衫、蓝色短裤和蓝色短袜。 套装包括白色衣领的绿色运动衫、蓝色短裤和蓝色短袜。 1 +Boutique @ hs 的大使泰瑞莎·帕默尔·米盖拉·巴那斯和澳大利亚女演员凯莉·克拉克出席了此次活动。 Boutique @ hs 大使泰瑞莎·帕默尔·迈克尔拉·巴纳斯和澳大利亚女演员凯利·克拉克出席了活动。 1 +Dumuma Silva,也被称为 Arumadura Lawrence Romelo Duminda Silva 和 R. Dumindha Silva,是斯里兰卡政治家及前国会议员。 Arumadura Lawrence Romelo Duminda Silva 也被称为 Duminda Silva 和 R. Dumindha Silva,是斯里兰卡政治家和前国会代表。 1 +它服务于墨尔本东南部的 Edithvale 郊区,于 1919 年 9 月 20 日开放。 它服务于墨尔本 Edithvale 郊区的东南部,于 1919 年 9 月 20 日开放。 1 +实际上,Mesquite“模块”是 Java 类,通常为具体类定义的抽象子类。 在实践中,Mesquite“模块” Java 类别通常是抽象类别定义的具体子类别。 0 +1814 年 9 月 11 日,约翰·彼得·德温特与约翰·亚当斯的孙女卡洛琳·史密斯完婚。 1814 年 9 月,卡洛琳·史密斯与约翰·亚当斯的孙女约翰·彼得·德温特结婚。 0 +在这样的晚餐上,人们通常饮用优质葡萄酒,并且经常搭配香槟酒或类似的起泡酒。 高档葡萄酒通常在这样的晚宴上饮用,同时往往以香槟或类似起泡酒作为餐后酒。 1 +NS NS 0 +小乔·R·坎帕是前美国海军水手,曾担任美国海军第 11 任总军士长。 小乔·R·坎帕是前美国海军水手,曾担任美国海军第 11 任总军士长。 1 +2000 年,民族人民党的普尼亚姆·德维击败了联合人民党的达曼德拉·雅达夫。 代表全国人民党的普尼亚姆·德维的在 2000 年击败了代表联合人民党的 Dharmendra Yadav。 1 +马克·诺尔斯和丹尼尔·内斯特在决赛中以 5 : 3 和 5 : 4 击败乔纳森·埃利希和安迪·拉姆夺得冠军。 马克·诺尔斯和丹尼尔·内斯特在决赛中分别以 5-3 和 5-4 击败乔纳森·埃利希和安迪·拉姆,从而夺冠。 1 +随着特里饰演奥菲莉亚和波西亚,他重新上演了《哈姆雷特》并制作了《威尼斯商人》(1879 年)。 由特里出演奥菲丽娅和波西亚,他重现了《哈姆雷特》并担任《威尼斯商人》(1879 年)的制片人。 1 +他还帮助在整个欧洲以及北美洲、中美洲和南美洲成立静修中心。 他还帮助在整个欧洲和北美洲、中美洲以及南美洲建立了冥想中心。 1 +1954 年 10 月 18 日,这条高速公路被取消,而当时 FM 1241 则被延长。 1954 年 10 月 18 日,这条高速公路被取消,而当时 FM 1241 则被延长。 1 +凡伍德位于第 22 国会选区,也是新泽西州第 12 州立法选区的组成部分。 范伍德位于第 12 国会选区,是新泽西州第 22 州立法选区的一部分。 0 +“陶顿城堡号”于 8 月 1 日在里约热内卢,于 10 月 31 日在槟城。 “汤顿城堡号”8 月 1 日在槟城,10 月 31 日在里约热内卢。 0 +邦妮·贝德莉娅·卡尔金(生于 1948 年 3 月 25 日)是一名美国女演员。 邦妮·比蒂丽娅(本名邦妮·比蒂丽娅·克金,1948 年 3 月 25 日出生 ) 是一名美国女演员。 0 +茉莉芬位于通往日惹市和雅加达的主要道路上。 日惹市和雅加达位于通向茉莉芬的主道路上。 0 +在萨凡纳期间,查尔斯·塞莱斯廷从报纸上得知,他的儿子谢尔曼在萨凡纳战役中死亡,而将军从未见过这个孩子。 在萨凡纳时,谢尔曼在一份报纸上看到他襁褓中的儿子查尔斯·塞莱斯廷在萨凡纳战役去世;将军还没有见过这个孩子。 0 +麦卡锡出生于奥克兰,但四岁时随他的父母搬到了加利福尼亚州旧金山。 麦卡锡出生于奥克兰,但在四岁时随父母搬到了加利福尼亚州的旧金山。 1 +斯克里夫纳将手稿的年代定在 12 世纪,C. R. 格雷戈里将其定在 13 世纪。目前,INTF 将这份手稿定为 12 世纪。 斯克里夫纳将手稿的日期定为 13 世纪,C. R. Gregory 将其定为 12 世纪,该手稿的日期目前被 INTF 定为 12 世纪。 0 +金边越南友谊纪念碑位于柬埔寨首都,是一座大型混凝土纪念碑,用于纪念早期越南和柬埔寨之间的联盟。 位于柬埔寨首都柬埔寨的柬越友谊纪念碑是一座巨大的混凝土纪念碑,用来纪念越南与柬埔寨在过去的联盟。 1 +布雷沃里纳郡包括布雷沃里纳与贡戈尔根、恩杰尔达尔及古杜加的村庄以及塔库恩的鬼镇。 布雷沃里纳郡和贡戈尔根、恩杰尔达尔及古杜加的村庄以及塔库恩的鬼镇。 0 +1699 年 8 月 1 日,Bickerstaffe 将他在 Chirton 经登记的土地让与威廉·布莱克特爵士,后者将门厅卖给了第一代阿盖尔公爵阿奇博尔德·坎贝尔。 1699 年 8 月 1 日,威廉·布莱克特将他在 Chirton 经登记的土地交给了阿奇博尔德·坎贝尔爵士,后者将门厅卖给了 Bickerstaffe 的第一代阿盖尔公爵。 0 +谢尔·艾哈迈德·阿洪扎达(又名谢尔·穆罕默德·阿洪扎达)是一位部落首领,曾于 2001 至 2005 年间担任阿富汗赫尔曼德省省长。 谢尔·艾哈迈德·阿克洪德泽德(也称作谢尔·穆罕默德·阿克洪德泽德)是一名部落领袖,2001 年至 2005 年在阿富汗担任赫尔曼德省省长。 1 +拉卡伊是拉卡伊区的总部、1980 年代早期的疾病爆发中心,也是乌干达第一个受到流行的艾滋病影响的地区。 拉卡伊是拉卡伊区的首府,在 20 世纪 80 年代初,它是中心地带,也是乌干达第一个受到艾滋病疫情影响的地区。 1 +她的曾孙是演员亚历山大·莫尔查诺夫(本名理查德·马纳)。 她的曾孙是演员理查德·马纳(本名亚历山大·莫尔查诺夫)。 0 +除了国家公园外,该地区还有十个州立公园、五个公共设施,以及其他几个花园和植物园。 除了市政公园,这一地区还有十座州立公园、五座国家设施和若干其他花园和灌木。 0 +它的总部设在卢森堡市南部的摩德查格。 它位于摩德查格以南的卢森堡市。 0 +反刍动物也会患上神经疾病,动物可能会拒绝进食,显得嗜睡,也会出现呼吸方面的症状。 反刍动物也会患上呼吸疾病,动物可能会拒绝进食、显得昏昏欲睡,也会出现神经方面的症状。 0 +电子学习课程系列 BBC 新闻学学院于 2005 年 6 月开设,凯文·马什担任执行编辑。它的首任主任是文·雷。 2005 年 6 月,BBC 新闻学院作为电子学习系列开设,由文·雷担任执行编辑,第一任总监为凯文·马什。 0 +在考虑隐形利润时,一并考虑显性成本和经济成本。 在考虑隐性利润时,显性成本和经济成本都要考虑在内。 1 +拉米·奈米纳恩(生于 1966 年 2 月 25 日)是一名芬兰足球运动员。 拉米·涅米宁(1966 年 2 月 25 日出生)是一名芬兰足球运动员。 1 +Prang Ku 是位于泰国东北部四色菊府西部的一个区(“县”)。 班固是泰国东北部西萨菊省西部的一个区(“amphoe”)。 1 +第 14、16 和 117 条战线各自有两个营在进行战斗。 第 14、16 和 117 线在战斗中各有两支部队。 1 +德沃山是加拿大不列颠哥伦比亚省温哥华岛上的一座山,位于戈尔德河东南面和兰布勒峰南面。 德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在兰布勒峰东南面和戈尔德河南面。 0 +奥尔特河是罗马尼亚 Segheș 河的一条支流。 Segheș 河是罗马尼亚奥尔特河的一条支流。 0 +蒙特利尔的蒙特利尔之星以 3 -- 1 击败明尼苏达州白帽队 (WWHL) 赢得了克拉克森杯。 蒙特利尔群星队以 3-1 的比分击败明尼苏达州白帽队 (WWHL),从而赢得克拉克森杯 1 +其中星号表示非自然群体。此外,当“G”是有限的时候,存在代数对偶同构。 如果星号调用代数对偶群,当 “G” 有限时,便会出现一种反常的同构。 0 +退休后,他仍留在克雷门内次并在那里逝世。 他退休后,逝世于克雷门内次,并安葬于那里。 0 +同样值得注意的是,以下代码会在无 ADL 的情况下工作(无论如何都会应用于它)。 同样值得注意的是,以下代码会在无 ADL 的情况下工作(无论如何都会应用于它)。 1 +该航空公司由 Irelandia 创立,它还开创了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中巴士航空和澳洲虎航。 该航空公司由 Irelandia 成立,该公司还发展了其他五家航空公司,即哥伦比亚愉快航空、瑞安航空、忠实航空、愉快空中巴士航空和澳洲虎航。 1 +天主教奔古马教区是位于肯亚奔古马教省基苏木市的一个总教区。 邦戈马的罗马天主教教区是肯尼亚圣公宗教省邦戈马基苏姆市的一个教区。 1 +每逢星期天,每小时都有开往格拉斯哥的列车,但没有开往爱丁堡和邓布兰的列车。 周日每小时有一次前往爱丁堡和邓布兰的服务,但没有前往格拉斯哥的服务。 0 +Buccinum pulchellum 是一种海螺,属于真正的蛾螺科腹足类软体动物,是海蛾螺。 Buccinum pulchellum 是一种海螺,属于蛾螺科海生腹足类软体动物,是真正的 whell-horn 卷。 0 +马丁·达姆和拉德克·斯泰潘内克在决赛中以 6 - 2 和 6 - 4 击败约纳斯·比约克曼和法布里斯·桑托罗。 马丁·达姆和拉德克·斯泰潘内克在决赛中分别以 6 : 2 和 6 : 4 战胜了约纳斯·比约克曼和法布里斯·桑托罗。 1 +他于 1965 年 12 月 21 日出生在马里兰州奥克森岗,并在康涅狄格州纽黑文市的高中就读。 奥尔斯顿于 1965 年 12 月 21 日出生在康涅狄格州纽黑文市。他就读于马里兰州奥克森山奥克森山中学。 0 +第一首曲目《Every Morning》是最后一首曲目《Morning》的原声吉他版。 新曲目"每天清晨"是第一首曲目"清晨"的原声吉他版。 0 +职业生涯初期,他在澳大利亚踢球,但是他移居到苏格兰并在维多利亚州联盟中为弗兰克斯顿效力。 他在职业生涯的早期在澳大利亚比赛,但后来移居苏格兰,在维多利亚州联赛中为弗兰克斯顿市效力。 1 +当一个曲面的恒定高斯曲率为零时,它便是可展曲面,并且该曲面的几何形状为欧几里德几何。 当一个表面高斯曲率始终为零,那么该表面为可展开表面,表面的几何为欧几里德几何。 1 +尽管索尼·索利在法庭上声明她担心自己的安全,但她还是被移交给了位于丹特瓦达的切蒂斯格尔邦警方看管。 虽然索尼·索里在法庭陈述中表示她担心自己的安全,但她还是被转移丹德瓦达恰蒂斯加尔邦警方监狱。 1 +然后它穿过特克斯马克湖的沃希托河湾。 然后它穿过沃希托河的特克索马湖支流。 0 +Kudawa 是位于尼泊尔东南部巴拉区纳拉亚尼专区的乡村和乡村发展委员会。 Kudawa 是位于尼泊尔东南部巴拉区纳拉亚尼专区的乡村和乡村发展委员会。 1 +圣克鲁斯县是加利福尼亚州斯科茨谷的一座机场,位于圣克鲁斯天空公园内。 圣克鲁兹天空之园是一个位于加利福尼亚州斯科茨山谷的机场,在圣克鲁兹县境内。 0 +体现他 14 部电影主题的 CD 于 2008 年由菲利普·鲍尔斯发行并由 1M1 Records 制作。 他 14 部电影的主题 CD 由菲利普·鲍尔斯于 2008 年制作,并由 1M1 Records 发行。 0 +该配乐由作曲家摩利•耶斯顿制作,舞蹈动作由 Kansas City Ballet 的艺术总监威廉•怀特纳设计。 由作曲家莫里·耶士顿配乐,威廉·怀特纳编舞,堪萨斯州城市芭蕾舞团进行艺术指导。 1 +查克·雷尼(艾瑞莎·弗兰克林和马文·盖伊的第一位贝斯手)是 BIT 的电子总监。 查克·雷尼(艾瑞莎·弗兰克林和马文·盖伊的第一位贝斯手)是 BIT 的电子总监。 1 +多蒂 1923 年出生于波士顿,2014 年在格洛斯特去世。 多迪于 1923 年在格洛斯特出生,2014 年在波士顿去世。 0 +当它开启后,英国广播公司电视部主管大卫·尼克斯和第一个频道是杰拉尔德·比德尔在三号演播厅拍摄的《第一夜》。 当它开播时,杰拉德·比德尔担任 BBC 电视频道的总监,而第一个广播节目是由大卫·尼克森在三号演播室主持的《第一夜》。 0 +农民击败阿姆斯特朗——候选人韦斯利·洛布获得 180 票,并在大选后留任。 法玛尔以 180 票的优势,打败了阿姆斯特朗候选人卫斯理·罗布,选举后得以留任。 1 +他们通过在谢珀顿、吉朗和墨尔本进行现场表演取得了一些成就。 他们通过在谢珀顿、吉朗和墨尔本进行现场表演,取得了一些成绩。 1 +在下方的评价中,该节目的最高评分为红色,对节目的最低评价为蓝色剧集。 在以下评论中,对节目的最高评分以红色表示,对节目的最低评分为蓝色剧集。 1 +在 1967 年的 NBA 选秀大会上,他在第 7 轮(以第 77 顺位)被费城 76 人队选中。 他在 1967 年 NBA 选秀的第 7 轮(共有 77 轮甄选)被费城 76 人队选中。 1 +它于 2008 年 1 月 28 日由 Angular Recording Corporation 在英国发行,并于 2008 年 3 月 18 日通过 Domino Records 在美国发行。 它于 2008 年 1 月 28 日由 Angular Recording Corporation 在英国发布,2008 年 3 月 18 日由 Domino Records 在美国发布。 1 +隆戈在新泽西州贝永出生,曾就读于新泽西州泽西市的马里斯特高中和罗德岛大学。 隆戈在新泽西州泽西市出生,曾就读于新泽西州贝永的马里斯特高中和罗德岛大学。 0 +J. Chlor - Radical——大气中的游离氯也会与甲烷发生反应。 J. 氯自由基——大气中的游离氯也会与甲烷发生反应。 1 +最后,在《西部共和党人》中,他发表了第一批植物收藏中的一个收藏,该收藏将在俄亥俄州由一名专业植物学家制作。 他终于在“西方共和党人”出版了第一批由专业植物学家在俄亥俄州编制的植物学作品集之一。 1 +李作为专业运动员出战意大利、俄罗斯、希腊、法国、印度尼西亚和希腊。他在波多黎各、葡萄牙和印度尼西亚夺得全国锦标赛冠军。 他曾在意大利、俄罗斯、希腊、法国、印度尼西亚和希腊打过职业赛,并在波多黎各、葡萄牙和印度尼西亚赢得过全国冠军。 1 +1983 年 4 月 30 日,被派往古巴杰克逊维尔海军基地的 C-131 飞机在关塔那摩湾海军基地坠毁,13 人丧生。 1983 年 4 月 30 日,被派往古巴关塔那摩湾海军基地的 C-311 飞机在杰克逊维尔海军基地坠毁,13 人丧生。 0 +Neajlov 河是罗马尼亚 Neajlovel 河的一条支流。 内亚日洛夫河是罗马尼亚 Neajlovel 河的支流。 1 +该植物可能具有一定的药性,已在南亚传统医学和中国传统中药中得到使用。 该植物可能具有一定的药性, 已在南亚传统中药和传统医学中得到使用。 0 +米尔科夫河是罗马尼亚迪尔科夫河的右支流。 Milcov 河是罗马尼亚 Dilcov 河的一条支流。 1 +2005 年末至 2009 年期间是例外,当时他效力于瑞典的卡斯塔德联队、塞尔维亚的查查克足球俱乐部和俄罗斯的格罗兹尼特里克足球俱乐部。 2005 年末至 2009 年期间是例外,当时他效力于瑞典的卡斯塔德连队、塞尔维亚的格罗兹尼特里克足球俱乐部和俄罗斯的查查克足球俱乐部。 0 +Cape Don 在 1818 年由乔治·多恩命名,作为对直布罗陀副总督菲利普·帕克·金将军的赞美。 1818 年,菲利普·帕克·金将这里命名为开普顿,意在向直布罗陀副总督乔治·顿将军致敬。 0 +三年后,他在哈嫩欧洲锦标赛的同一场比赛中为西德赢得了银牌。 三年后,在西德举行的欧洲锦标赛上,他代表哈嫩克利在相同的赛事中夺得银牌。 0 +他们还于 6 月 13 日发布专辑《Vices》中的第二首歌曲,作为该专辑的第五首单曲。 他们还在专辑《Vices》中发行了第 5 首歌曲,作为 6 月 13 日发行的专辑第二首单曲。 0 +《卡伯特公路》剧集是在布雷顿角岛拍摄而成,包括东海岸新斯科舍省的佩吉湾和高地。 Cabot Trail - Episode 在东海岸的布雷顿角现场拍摄,场景包括 Peggys Cove 和新斯科舍的高地。 1 +文森特·戈尔兹伯勒于 1937 年 10 月 3 日出生在芝加哥,他是建筑师罗伯特·戈尔兹伯勒和戈尔兹伯勒的威尔玛(贾娜克)的儿子。 罗伯特·戈德斯伯勒于 1937 年 10 月 3 日出生于芝加哥,是罗伯特·文森特·戈德斯伯勒和建筑师威尔玛(贾纳克)·戈德斯伯勒的儿子。 0 +约翰·卢德维格是约翰·格奥尔格·荷斯坦之子,后者自己将要成为丹麦首相,以及布洛家族的艾达·弗雷德里克·乔基姆。 约翰·路德维格是约翰·乔治·霍斯坦之子,他本人将成为丹麦首相,以及 Bülow 家族的 Ida Frederikke Joachime。 1 +它由建筑师约翰·伯奇(大学校友)和菲力普·约翰逊于 1983 年设计。 它由建筑师菲力普·强生(大学校友)和约翰·伯奇于 1983 年设计而成。 0 +第 99 中队支持“紧急狂暴”行动,该行动在启动不久后便取代了格林纳达的斯大林政权。 启用后不久,第 99 队便开始支援“紧急狂暴行动”,该行动取代了格林纳达的斯大林主义政权。 1 +阿尔法罗是第三位被判处在毒气室接受死刑的女性,在被判刑时,她成为加利福尼亚州首位被判死刑的女性。 Alfaro 是第一位被判在毒气室处死的女性,也是加利福尼亚州第三位被处死刑的女性。 0 +为奖励他对亨利的忠诚,他在南威尔士收购了利润丰厚的地皮和很多办事处。 作为他对亨利的忠诚的奖励,他获得了利润丰厚的土地和威尔士南部的许多办公室。 1 +三相女神的全新宗教理念对威卡教的现代运动至关重要。 三相女神的现代观点是新巫术崇拜宗教运动的核心所在。 0 +麦卡锡在加利福尼亚州的旧金山出生,但四岁时随父母搬到了奥克兰。 麦卡锡出生于奥卡兰,但四岁时随他的父母搬到了加利福尼亚州旧金山。 0 +成员包括亨利·巴贝特、莱昂·塔拉博特、尤金·施耐德和朱尔斯·奥谢。 成员包括尤金·施耐德、莱昂·塔拉博特、亨利·巴贝特和朱尔斯·奥谢。 1 +该团队在 1953 年游历了澳大利亚,并在 1959 年 8 月访问了亚洲。 团队还于 1953 年在亚洲巡回演出,并于 1959 年 8 月在澳大利亚巡回演出。 0 +从铁磁体到顺磁体的相变是连续性的并且是二阶。 从铁磁物质到顺磁物质的相变是二级相变,而且是持续不断的。 0 +它是位于科尼利厄斯格林奈尔湾的近海岛屿巴芬岛。 它是位于科尼利厄斯格林奈尔湾的巴芬岛近海岛屿。 1 +Valea lui Lambă 河(或称为 Șimon 河)是罗马尼亚洛姆河的支流。 Valea lui Lambă 河或“unk”imon 河是罗马尼亚 Lom 河的支流。 0 +弗兰克·詹姆斯加入了为当地德鲁·洛布斯军队招募的分离主义连队,并于 1861 年 8 月参加了威尔逊之战。 弗兰克·詹姆斯加入为当地德鲁·洛布斯军队招募的分离主义者连队,并于 1861 年 8 月在威尔逊克里克战役中参加作战。 1 +从 1958 年起,梅尔库斯在维也纳音乐学院担任小提琴、小提琴历史、中提琴和巴洛克表演实践的教授。 从 1958 年起,梅尔库斯在维也纳音乐学院担任小提琴、小提琴历史、中提琴和巴洛克表演的教授。 1 +在《Animage》前编辑 Toshio Suzuki 的指导下,导演 Hayao Miyazaki 和他长期的同事 Isao Takahata 获许创立了他们自己的工作室。 它还让导演宫崎骏和他多年的同事高畑勋在前《Animage》编辑铃木敏夫的指导下创建自己的工作室。 1 +之前的秘书包括艾莉森·穆里森、因对苏格兰园艺的服务而获得了大英帝国勋章的汤姆·马博特、约翰·麦克伦南和约翰·麦基博士。 前任秘书有约翰·麦凯,曾因服务于苏格兰园艺学会而获得 MBE,艾莉森·穆里森、汤姆·马波特、约翰·麦克伦南博士。 0 +该属目前归类为蜥蜴科,称为美洲鬣蜥,属于安乐蜥亚科,且已不再归入现已无效的变色蜥科。 该物种现在属于蜥蜴科,称为鬣蜥科、安乐蜥亚科,且已不再归入现已无效的变色蜥科。 1 +1976 年 5 月:《这是个柠檬》,由鲍勃·奥斯汀编剧,鲍勃·奥斯汀指导“科林·威廉姆斯”。 1976 年 5 月:《It 's a Lemon》,由鲍勃·奥斯丁和科林·威廉姆斯编写和编剧,鲍勃·奥斯丁执导 0 +在于 20 世纪 20 年代搬到犹他州奥格登,然后搬到盐湖城后,罗伯森及其家人于 1937 年在犹他州梅尔普顿定居下来。 罗伯森及其家人在 20 世纪 20 年代搬到盐湖城后,然后定居犹他州奥格登,1937 年时在犹他州梅普尔顿。 0 +他娶了玛丽·玛格达莱妮·施韦高,她是特勒夫·达霍尔·施韦高的女儿、卓越政治家安东·马丁·施韦高的侄女和已故首相克里斯蒂安·霍曼·施韦高的姑母。 他娶了玛丽·玛格达莲·施韦加德,她是特勒夫·达霍尔·施韦加德的女儿、卓越政治家克里斯蒂安·霍曼施韦加德的侄女和已故首相安东·马丁·施韦加德的姑母。 0 +下一个拥有者是史甸·布拉赫,即天文学家第谷·布拉赫的兄弟。 Nexct 所有者是施特恩·布拉赫,他是天文学家第谷·布拉赫的哥哥。 1 +Seghe 河“是罗马尼亚奥尔特河的一条支流。 奥尔特河是罗马尼亚 River Seghes 的支流。 0 +空运由伯克利新贝德福德以及东陶顿区域机场的当地小型飞机提供。 伯克利新贝德福德的小型飞机和东汤顿地区机场在当地提供航运服务。 1 +新 52 中,地球 2 版本中康纳·霍克拥有白色皮肤和红发,比其前辈“闪点”更像罗伊·哈珀。 在《新 52》中,《地球脉动 2》版本的康纳·霍克拥有浅色皮肤和红发,比其前辈“闪点”更像罗伊·哈珀。 0 +它服务于 Chandimandir Cantonment 市的潘切库拉地区。 它为潘切库拉区的 Chandimandir Cantonment 市提供服务。 1 +1605 年,它被卖给克伦威尔勋爵,1636 年被转给弗朗西斯·布伦德尔爵士。 它于 1605 年被卖给了克伦威尔勋爵,并于 1636 年转交给弗朗西斯·布隆德尔爵士。 1 +伊朗女性的创新不只局限在西方经典音乐上。例如,莉莉·阿霞正在进行波斯人和波斯音乐的组合创作。 伊朗女性的创新并不局限于古典西方音乐,因此丽莉·阿夫沙尔正在研究波斯与波斯音乐的结合。 1 +这种化石经常在圣路易斯被发现,包括苔藓虫类珊瑚“Lithostrotion”和“Lithostrotionella”以及 Rugosan“小窗格苔藓虫”。 经常在圣路易斯发现的化石包括四射珊瑚“Lithostrotion”和“Lithostrotionella”以及外肛动物化石“小窗格苔藓虫”。 0 +马上告诉他的父亲扎克·马克圭尔(查理·克劳森)和伊维。 立即告诉他,他的父亲查利·克劳森(萨克·麦圭雷)和伊维。 1 +Seghe 河“是罗马尼亚奥尔特河的一条支流。 奥尔特河是罗马尼亚 Seghes 河的一条支流。 0 +自闭症之声赞助并发行了由劳伦·蒂埃里和埃里克·所罗门制作的短片《Autism Every Day》。 Autism Speaks 赞助和发行劳伦·蒂埃里和埃里克·所罗门制作的短片电影《自闭症的每一天》。 1 +圣文森特伯爵是一艘于 1803 年被俘虏的英国船只,后来成为了一位法国生意人。 厄尔·圣·文森特是一艘来自法国的船只,1803 年被俘获后成为了英国商船。 0 +1962 年美国参议院选举于 1962 年 11 月 6 日举行,旨在选出南卡罗来纳州的代表。 1962 年美国参议院选举于 1962 年 11 月 6 日在南卡罗来纳州举行。 1 +下一个版本是由罗恩的兄弟罗伯特·富勒在 1986 年创作的。 下一个版本由罗恩的哥哥罗伯特·富勒于 1986 年创建。 1 +在对社会主义劳动联盟和由格里·希利与英国国际委员会领导的阵线的坚持方面,这个团体更加直言不讳。 该团队更适合加入该国际委员会以及格里·希利领导的线和英国社会主义劳工联盟。 0 +在退出前,迈克尔·凯利·史密斯曾是早期费城乐队灰姑娘的成员,后来托尼·德斯特拉也加入其中。 在退出前,迈克尔·凯利·史密斯曾是早期费城乐队 Tony Destra 的成员,之后辛德瑞拉也加入该乐队。 0 +该剧由丹尼尔·皮特里、杰克·多诺霍和理查德·欧文制作,唐纳德·戴维斯及其妻子多丽丝·马修斯以及雷内·威廉姆斯执导。 该系列由丹尼尔·皮特里、杰克·多诺休和理查德·欧文执导,由唐纳德·戴维斯、其妻子多萝西·马修斯以及雷内·威廉姆斯制作。 0 +伊太图巴的教会主教是巴西罗马天主教会省贝伦杜帕拉伊太图巴市的地方主教。 伊泰图巴自治监督区是位于巴西贝伦教省伊泰图巴市的罗马天主教自治监督区。 0 +他在 2009 年搬回费城,现在住在纽约市。 2009 年,他回到纽约市,今天居住于费城。 0 +芬兰在独立前是俄罗斯帝国境内的自治大公国。 芬兰在独立前是俄罗斯帝国的自治大公国。 1 +2008 年 3 月 1 日,他以博特夫足球俱乐部身份在保加利亚足球甲级联赛初登球场对战代尔纳,踢完 90 分钟比赛。 2008 年 3 月 1 日,他正式亮相保加利亚足球甲级联赛,代表博特夫足球俱乐对战代尔纳,踢满 90 分钟比赛。 0 +所提议的 Mahadayi 河(曼杜比河)调水和水力发电站项目将导致 Gavali 部分或全部地区淹没。 拟建的曼杜比河(马哈达伊河)河水改道和水利发电厂项目将导致噶瓦力的部分或全部地区被淹没。 1 +在计算机流体动力学中,MacCormack 方法是常用于数值方程的双曲偏微分解的离散方法。 在计算流体动力学中,MacCormack 方法是一种广泛用于数字方程双曲型偏微分求解的离散化方法。 1 +他弹的是古巴三弦吉他,而不是西班牙吉他,他自学的这种古巴吉他。 他弹的是古巴三弦吉他而不是古巴吉他, 并练就了弹奏这种西班牙吉他的技巧。 0 +Podkriváň 是代特瓦区的一座村庄和自治市,位于斯洛伐克中部班斯卡比斯特里察地区。 Podkriváň 是一座位于斯洛伐克中部代特瓦区班斯卡比斯特里察地区的村庄和自治市。 0 +如果 1983 年的国会选举是一场地方性选举,那么社会主义左翼党可能获得了国会的 8 个席位。 如果 1983 年的当地选举是议会选举,则社会主义左翼党会在议会中获得 8 个席位。 0 +马耳他是位于圣朱利安斯地区内巴鲁塔湾东北海岸的一个海湾。 马耳他是圣胡安巴鲁塔湾东北海岸的一处海湾。 1 +在伊斯帕尔塔完成小学和初中教育后,他在伊斯坦布尔上完了 Pertevniyal 高中。 在伊斯坦布尔完成小学和初中教育后,他在伊斯帕尔塔上完了 Pertevniyal High School。 0 +他于 1976 年 1 月 6 日在阿里坎特去世,葬在马德里教堂。 他于 1976 年 1 月 6 日在马德里逝世并葬在阿里坎特的一个教堂内。 0 +戴夫·托马尔是埃德·但丁的笔名,他毕业于罗格斯大学,现居费城,是一名自由撰稿人。 埃德·丹特是戴夫·托马尔的笔名,他是罗格斯大学的研究生,现在作为一名自由作家居住在费城。 0 +1983 年 5 月,英国巡演在吉他手罗宾·乔治的现场助阵下开始进行追加表演。 1983 年 5 月,一场英国巡演带着新增的吉他手罗宾·乔治开始现场表演。 0 +这些创新提高了 BRT 系统的最高载客量至每小时 35,000 名乘客。 借助这些创新,快速公交系统的最大载客量增加至每小时 35,000 名乘客。 1 +他在其后现代主义澳大利亚哲学史书《腐败青年》(2003 年)中,赞扬了澳大利亚哲学的现实主义传统并抨击了争辩性和相对主义趋势。 他的后现代主义澳大利亚哲学史书《腐败青年》(2003 年)一书中赞扬了澳大利亚哲学的现实主义传统并抨击了争辩性和相对主义的趋势。 1 +Duminda Silva,也被人称作 Arumadura Lawrence Romelo Duminda Silva 和 R. Dumindha Silva,是斯里兰卡政治家和前下院议员。 Arumadura Lawrence Romelo Duminda Silva,也称为 Duminda Silva 和 R. Dumindha Silva,是斯里兰卡政治家及前国会议员。 1 +作为萧式通讯公司收购 Canwest 的电视台条件的一部分,萧式承诺会在包括 CKMI 在内的多个全球频道播出当地早间新闻。 作为萧氏通讯接管 Canwest 电视资产的要约的一部分,萧氏承诺在多个全球电视台启动当地晨间新闻广播,包括 CKMI。 1 +然后该级数几乎处处收敛。 该级数在几乎所有地方收敛。 1 +1963 年,罗伊加入印度共产党并领导了加尔各答 Bansdroni 的工会运动。 罗伊在 1963 年加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 0 +Rõuge Valgjärv 是拉脱维亚东南部沃鲁县的一个湖泊,靠近爱沙尼亚边境。 Rõuge Valgjärv 是一个位于爱沙尼亚沃鲁东南部一个县的湖泊,邻近该国与拉脱维亚的边境。 0 +它由他的妻子史黛拉·戈梅尔在他去世后于 2006 年 7 月 28 日出版,由 大卫和史黛拉·戈梅尔联合著作完成。 在他于 2006 年 7 月 28 日逝世后,其妻斯特拉·基梅尔将其完成,并把它作为大卫和斯特拉·基梅尔的共同著作进行发表。 0 +休斯顿主楼 (HMB) 之前称为慎行大厦,是位于得克萨斯州休斯顿的得克萨斯医学中心的一栋摩天大楼。 保诚大厦 (HMB) 之前叫做 Houston Main Building,是德克萨斯州休斯顿德克萨斯医疗中心的一栋摩天大楼。 0 +蔡峰也有一个儿子,叫做蔡茂。 蔡茂也有一个儿子,叫做蔡峰。 0 +语言学家可以利用分析假设形成新句并制定翻译手册。 语言学家可以使用新假说来组织分析语句并创作翻译手册。 0 +莎拉·保尔森表扬了这一系列,并称马西娅·克拉克对她的描绘“非常出色”。 莎拉·保尔森对这部电视剧赞不绝口,称玛西亚·克拉克对她的演绎“精彩绝伦”。 1 +根据托比和贡纳·汉森的说法,他戴面具的原因是这个面具确实决定了他的性格。 金姆评论说:“根据托比和贡纳·汉森的说法,他戴面具的原因是面具真的决定了他的个性。” 1 +朗出生在澳大利亚,年轻时迁徙到以色列并于 1961 年在那里定居。 朗出生于以色列,年轻时移居澳大利亚并于 1961 年定居于此。 0 +凯西 凯西和她的丈夫彼得·迪恩(皮特·比尔)经济状况稳定。 凯西和她的丈夫彼得·迪恩(皮特·比尔)经济状况稳定。 1 +ACVM 总部设于爱丁堡,并在格拉斯哥、亚伯丁、纽卡斯尔、曼彻斯特和米尔顿凯恩斯均设有办事处。 ACVM 将总部设于爱丁堡,并且在格拉斯哥、亚伯丁、纽卡斯尔、曼彻斯特和米尔顿凯恩斯均设有办事处。 1 +由特里出演奥菲丽娅和波西亚,他重现了《哈姆雷特》并担任《威尼斯商人》(1879 年)的制片人。 由特里出演奥菲丽娅和波西亚,他重现了《哈姆雷特》并担任《威尼斯商人》(1879 年)的制片人。 1 +卢浮宫的照明—画作看上去更柔软,暖色调好像更明显了,不过也可能是表面清漆色调的效果。 卢浮宫这幅画的光线更加温暖,而且看起来更加柔和,但这可能是表面清漆色调所产生的效果。 0 +仅享有特权的观众才能揭开盖子,所以这些场景可能更为私密。 只有亲密的观看者可以移开瓶盖,因此这些场景仅供更受优待的群体欣赏。 0 +与同期的其他欧宝车型一样,2 升的车型是由制造商位于北美的母公司通用汽车设计和开发的。 与同期的其他欧宝车型一样,2 升的车型是由制造商位于北美的母公司通用汽车设计和开发的。 1 +当时机上乘客有唐纳德·格兰特·米勒德中校、杰拉德·K·汉纳福德上尉和约翰·F·洛林上尉。 这架飞机上的乘客是杰拉尔德·K·汉纳福德中校、唐纳德·格兰特·米勒德上尉和约翰·F·洛林上尉。 0 +然后与具有类似情节的华纳兄弟项目“假死新人生”相比,“That Was Often”仅在播出两集之后便被取消。 之后,被拿来与 WB 节目《Do Over》做比较,两者剧情相似。《This was often》仅播出两集后便停播。 1 +第一个系列比第二个系列更受评论家好评。 第一个系列比第二个系列更受评论家好评。 1 +这栋建筑可以追溯到一世纪下半叶或者至少在凯撒奥杜努姆(图尔)建立 50 年后。 建造日期可回溯至第一世纪下半叶,也就是恺撒奥顿(今法国图尔)建立至少五十年后。 1 +1959 年 2 月 20 日,总理约翰·迪芬贝克完成了这个项目,制作了五支箭。 1959 年 2 月 20 日,总理约翰·迪芬贝克终止了该项目,而且五架已拆除的飞箭已完工。 1 +他的父亲在他年轻时去世,他的母亲塞缪尔·亚当斯在 1842 年与 Catherine A. Fagan 结婚,后者在两年后成为了阿肯色州州长。 他的父亲在他年少时去世了,他的母亲塞缪尔·亚当斯于 1842 年嫁给凯瑟琳·A·费根,后者在两年后成为阿肯色州州长。 1 +作为意大利陆军最训练有素和装备精良的单位,阿尔皮尼伞兵军团近期在阿富汗服役,其中一个连经常部署到伊拉克。 作为意大利军队中接受过最佳训练和装备最精良的部队之一,阿尔皮尼·帕拉库蒂什蒂最近在伊拉克服役,一群士兵持续不断地被派往阿富汗。 0 +西班牙国际女子壁球队代表西班牙参加国家壁球队比赛,并受 Real Federación Española de Squash 管理。 西班牙女子国家队代表西班牙出战国际壁球队比赛,并由 Real Federación Española de Squash 负责管理。 0 +其中“G”表明牛顿的量子和公式 _ 4 是物质场的恒定常态。 其中“万有引力常数”牛顿的量子指示,并且公式 4 是物质场的恒定状态。 1 +1983 年 4 月 30 日,一架被派往古巴杰克逊维尔航空站的 C-311 飞机在关塔那摩湾坠毁,造成 13 人死亡。 1983 年 4 月 30 日,一架被派往古巴杰克逊维尔海军航空基地的 C-131 坠毁在关塔那摩湾的海军航空基地,造成 13 人死亡。 1 +卫冕者是布莱恩·戈特弗里德和劳尔·拉米雷斯,并且以 6-3 和6-3 的比分击败田·维尔容和丹尼·维瑟而赢得决赛。 布莱恩·戈特弗里德和劳尔·拉米雷斯是卫冕冠军,在决赛中以 6 - 3、6 - 3 的成绩战胜了田·维尔容和丹妮·维瑟。 1 +RJD 的莫德哈·亚达夫于 2000 年击败了代表 JDU 的普南·戴维。 2000 击败了代表联合人民党的全国人民党普尼亚姆·德维的 Dharmendra Yadav。 0 +她成为了瓦尔、伯瑞斯和罗莎琳德·罗尔文的母亲,她的女儿是一名心理学教授。 她成为了瓦尔、鲍里斯和罗莎琳德·洛温的母亲。她的女儿是一位心理学教授。 1 +该专辑由安尼伯·科佩尔在加利福尼亚州的洛杉矶录制。在洛杉矶的“La Casa”书房中混音。 这张专辑由 Aníbal Kerpel 在加利福尼亚洛杉矶录制,在洛杉矶的“La Casa”书房中混合。 1 +这首单曲于 2012 年 10 月 12 日在意大利国际广播电台播出,并于 2012 年 12 月 3 日在全球发行。 这首单曲于 2012 年 10 月 12 日发送给 Radio Airplay 并于 2012 年 12 月 3 日在全球发行。 0 +这座小镇位于“Horta de València”的西端,图里亚河的右岸。 小镇位于“Horta de València”的右岸,突利亚河西岸。 0 +1918 年 9 月 22 日,第一封无线电报消息从斯洛当尼亚发往澳大利亚。 1918 年 9 月 22 日,斯诺登尼亚向澳大利亚发送了第一封无线电报。 0 +马丁·古尔德在决赛中以 1 - 0 (104 - 0) 的成绩战胜马克·艾伦。 马克·艾伦以 1 : 0 (104 : 0) 击败马丁·古尔德而赢得决赛。 0 +1982 年,它将其主要活动转移至芝加哥,1995 年又转移至洛杉矶。 1982 年,它将主要活动移至芝加哥,并于 1995 年移至洛杉矶。 1 +她是瓦尔、鲍里斯和罗莎琳德·洛温的母亲。她的女儿成为了一名心理学教授。 她是瓦尔、鲍里斯和罗莎琳德·洛温的母亲,她的女儿成了心理学教授。 1 +她于 1943 年 9 月 12 日从德克萨斯州的加尔维斯顿出发,于 9 月 16 日抵达基韦斯特。 1943 年 9 月 12 日,她从基韦斯特起航,并于 9 月 16 日抵达德克萨斯州加尔维斯顿。 0 +1947 年 5 月 3 日上午 9 点 55 分,在伊丽莎白·马沙尔被处决 24 分钟后,她在哈默尔恩监狱因其罪行被亚伯特·皮埃尔柏恩特执行了死刑。 1947 年 5 月 3 日,她于 9:55 在哈默尔恩监狱因其罪行被艾伯特·皮埃尔波因特处死,比伊丽莎白·马沙尔晚 24 分钟。 1 +NS NS 0 +在第一轮对决后,海涅·托特兰德击败斯坎克斯特斯,在第二回合对战 Gaute Ormåsen,后者击败了 Bjørn Johan Muri。 在第一轮对决后,比约恩·乔汉·穆里击败斯了坎克斯特斯,迎战哥特·阿曼森,后者在第二回合击败了海涅·托特兰德。 0 +巴西秋沙鸭(“Mergus octosetaceus”)是一种属于秋沙鸭属的鸭子。 巴西秋沙鸭(“Mergus octosetaceus”)是一种属于秋沙鸭属的鸭子。 1 +阿米尔·汗在读过梅赫拉的《芭萨提的颜色》的剧本后立即同意出演。 看完阿米尔·汗的剧本后,梅赫拉当即同意在《芭萨提的颜色》中交易。 0 +亚当斯维尔与 Coleman 西部、莱克县东部、Wildwood 北部和 Sumterville 南部接壤。 亚当斯维尔西面与科尔曼接壤,东面与萨姆特维尔接壤,北边与怀尔德伍德接壤,南边与莱克县接壤。 0 +作为真正的连续性,《最后的儿子》中的超人第一次遇见了现在的萨德将军。 在当前的连环画中,《Last Son》中的超人第一次遇到了真正的佐德。 0 +关键的指挥与影响力凝聚性因素是: 有凝聚力的命令和影响是关键因素: 0 +典型的秋沙鸭(“Mergus octosetaceus”)是一种属于巴西秋沙鸭属的鸭子。 巴西秋沙鸭(“秋沙鸭属 octosetaceus”)是典型秋沙鸭属的一种鸭子。 0 +自 1984 年以来,布莱克与帕特丽夏·迈耶共结连理并育有二子:莱恩(出生于 1988 年)和戴尔(出生于 1992 年)。 自 1984 年起,布莱克与帕特丽夏·迈耶结婚,并育有二子:莱恩(出生于 1988 年)和戴尔(出生于 1992 年)。 0 +这是继两年多前播出的家庭版之后的第三季,距离第一个名人版有三年多时间。 这是家庭特辑两年多后、第三个明星特辑三年多后的首次季播。 0 +历任秘书有:曾因苏格兰园艺服务荣获英帝国勋章的约翰·麦凯、艾利森·缪里森、汤姆·马博特和约翰·麦克伦南博士。 历任秘书包括因服务于苏格兰园艺学会而获得大英帝国最优秀勋章的约翰·麦基、艾莉森·缪里森、汤姆·马博特和约翰·麦克伦南博士。 1 +音频使用直接数字录音专录(因此音频质量得以保存)。 音频是通过直接数字录音来维护的(因此音频质量是转录的)。 0 +Bresnic 河是罗马尼亚 Slatina 河的一条支流。 Slatina 河是罗马尼亚境内 Bresnic 河的一条支流。 0 +弗朗索瓦兹·杜尔以 6 : 4 和 6 : 2 的比分击败了古拉贡·伊旺 伊文·古拉贡以 6-4 和 6-2 的比分击败弗朗索瓦丝·杜尔。 0 +达科他城属于 IA - NE SD 大都市统计区苏城。 达科他城是内布拉斯加州 -- 艾奥瓦州苏城 -- 南达科他州大都会统计区的一部分。 0 +从 1863 年至 1866 年间,但尼丁和北部郊区是新西兰奥塔哥但尼丁城的议会选区,这里是一个多成员选区。 新西兰奥塔哥和北部郊区在 1863 年至 1866 年间是但尼丁的但尼丁城议会选区。它是一个多成员选区。 0 +圣经的厄运在最正式的意义上是一种负面的祝福。 从最正式的意义上讲,圣经中的厄运是一负面的赐福。 1 +2011 年,他还出版了歌手麦当娜的传记,名为《为流行女王麦当娜疯狂》,作者是 Castelvecchi Publisher。 2011 年,他还撰写了歌手麦当娜的传记《狂迷流行音乐天后麦当娜》,并由 Castelvecchi 出版社出版。 0 +Lito 为津戈内踢了俱乐部足球。 津戈内效力于 Lito 的足球俱乐部。 0 +此套装包括一件蓝色衣领的绿色运动衫、蓝色短裤和白色袜子。 此套装包括一件白色衣领的绿色运动衫、蓝色短裤和蓝色袜子。 0 +只有特权观众才能取下盖子,所以这些场景可能更亲密。 NS 0 +它们由万代南梦宫开发,由 CyberConnect2 发行,并以 2005 年的《火影忍者:究极忍者》为起点。 它们由万代南梦宫娱乐开发并由 CyberConnect2 发行,并以 2005 年的《火影忍者:究极忍者》为起点。 1 +此村庄的种族结构为白人占 98.8%,亚裔占 0.6%,美洲原住民占 0.2%,以及其他两种或以上的种族占 0.4%。 该村镇种族构成为:98.8 % 白人、0.6 % 亚裔、0.2 % 美洲原住民、0.4 % 两个或以上种族混血。 1 +努巴山脉和青尼罗河所在的南科尔多凡州地区状况更不明确,因为种族数据更为复杂。 努巴山区的南科尔多凡州地区和青尼罗州的情况不太清楚,因为种族数据更加复杂。 1 +该电视剧于 2009 年 4 月 18 日首次在新西兰通过尼克儿童频道(澳大利亚和新西兰)播出。 该剧于 2009 年 4 月 18 日在澳大利亚尼克罗顿国际儿童频道(新西兰和新西兰)首次开播。 0 +该单曲于 2015 年 10 月 31 日公布,并且将在 2015 年 11 月 13 日发行。 该单曲在 2015 年 10 月 31 日公布,在 2015 年 11 月 13 日发行。 1 +那天晚上,他会骑马前往特库姆塞西边的车站,然后在他的邻居们起疑心前,骑另一匹马回到 Violet Springs。 当晚,他会返回特库姆塞西部的车站,在邻居们产生怀疑之前,骑上另一匹马前往紫罗兰泉。 0 +亚历山大·亚历山大是 1978 年和 1992 年在历史性的纳什维尔国际赛道举行的赛车比赛的冠军,该赛道现被称为游乐场高速赛道。 亚历山大在 1978 年和 1992 年取得了历史悠久的 Fairgrounds Speedway 赛道即现在的纳什维尔国际赛道的赛道冠军。 0 +麦考尔和勒修克于 2007 年夏天离开乐队,史蒂芬·托什取代麦考尔担任鼓手,杰米·麦克里奥德接手贝斯手任务。 麦考尔和莱西乌克于 2007 年离开了乐队,之后詹米‧麦克劳德接替麦考尔担任鼓手而史蒂夫‧托什接替了贝斯手的空缺。 0 +吉尔伯托 1987 年发行的《时代和浪潮》专辑中的歌曲《Astrud》是对 Basia Trzetrzelewska 的致敬。 吉尔伯托在 1987 年推出的《时代和浪潮》专辑中的歌曲《Astrud》是对 Basia Trzetrzelewska 的致敬。 1 +亚历山德拉·柯平格纳在新的电视连续剧《Dead Gorgeous》中扮演最小的妹妹黑兹尔。 黑泽尔在新电视剧《Dead Gorgeous》中饰演妹妹亚历山德拉·科普林格一角。 0 +Propilidium pelseneeri 是一种海螺,真正的帽贝,属于真正的无鳃笠螺科腹足类软体动物,也是海洋帽贝科的一员。 Propilidium pelseneeri 是一种海螺,真正的帽贝,属于无鳃笠螺科海洋腹足类软体动物,也是真正的帽贝科的一员。 0 +布拉德·克雷林代表坎布里亚业余橄榄球联盟协会参加澳大利亚巡回赛,还有其他 6 名球员代表英国参加澳大利亚巡回赛。 在澳大利亚巡回赛上,布拉德·克雷林还代表大不列颠 BARLA,其他六位选手代表坎布里亚。 0 +它于 2011 年 12 月 22 日发行,于 2012 年 2 月公布。 它于 2011 年 12 月 22 日注册,并于 2012 年 2 月发布。 0 +角色和演员阵容于 11 月 20 日曝光,当时 Fotiou 出现在一个幕后视频中,该视频由“邻居”在他们的 YouTube 频道发布。 角色和演员阵容于 11 月 20 日曝光,当时 Fotiou 在她的 YouTube 频道上的一则视频被曝光,“邻居”在后台观看了该视频。 0 +尽管并没有明文规定不允许非洲球员参赛,自 1933 年以来从未有过一位美国黑人参加过全国橄榄球联赛。 尽管将非洲球员排除在外并不是一条成文的规定,但从 1933 年以来,还没有美国黑人曾为国家橄榄球联盟效力。 0 +最初的团队由作家萨尔·布谢马和艺术家罗伊·托马斯在《复仇者联盟》#71 中共同打造(1969 年 12 月)。 最初的团队是由作家罗伊·托马斯和艺术家萨尔·巴思马在《复仇者联盟》71 期(1969 年 12 月)中创造的。 0 +形成现代“水琴窟”的现代样式有很多。下方列表显示了一些现代“水琴窟”的样式。 现代的“水琴窟” 有很多现代样式:以下是传统“水琴窟”可能有的样式。 0 +Beddgelert 是威尔士北部格温内斯郡 Llyn Dinas 附近的一个湖泊。它由格拉斯林河形成。 Llyn Dinas 是威尔士北部格温内斯郡贝德盖勒特附近的一个湖泊,由格拉斯林河形成。 0 +它由建筑师菲利普·约翰逊(大学校友)和约翰·伯奇在 1983 年设计。 它由建筑师约翰·伯奇(大学校友)和菲利普·约翰逊于 1983 年设计。 0 +从霍基蒂卡到鲁阿塔普的第一段路于 1906 年 11 月 9 日完工,1909 年 4 月 1 日整条线路为罗斯开放。 第一部分是从霍基蒂卡到鲁阿塔普,于 1906 年 11 月 9 日完工,而前往罗斯的完整路线于 1909 年 4 月 1 日开放。 1 +1781 年,伊利诺伊州州长托马斯·杰斐逊·克拉克提拔准将,命其接管针对肯塔基州和弗吉尼亚州各县全部民兵组织的指挥权。 1781 年,弗吉尼亚州州长托马斯·杰斐逊将克拉克提拔为准将,并任命他为肯塔基州和伊利诺伊州各县所有民兵组织的指挥官。 0 +他退休后便留在克列梅涅茨,并在此逝世。 在他退休后,他留在了克雷门内次并在此去世。 1 +Cabo Cassiporé 是一个位于低位河流以东的宽阔海角。 Cabo Cassiporé 是一个大约位于这条河流低入口以东的宽阔海角。 0 +奥克塔维厄斯·瓦瑞·马雷特的二女儿爱丽丝·安娜·凯瑟琳 1852 年 6 月 24 日在科隆的英国领事馆与托马斯完婚。 奥克塔维厄斯·沃尔·马莱特的二女儿爱丽丝·安娜·凯瑟琳于 1852 年 6 月 24 日与托马斯在英国驻科隆领事馆完婚。 1 +李作为专业运动员出战意大利、俄罗斯、希腊、法国、印度尼西亚和希腊。他在波多黎各、葡萄牙和印度尼西亚夺得全国锦标赛冠军。 他参加过意大利、俄罗斯、希腊、法国、印度尼西亚和希腊的职业比赛,并在波多黎各、葡萄牙和印度尼西亚夺得全国冠军。 0 +这是禅寺内供应和享用餐食的正式做法。 这是禅寺供应和享用餐食的正式方式。 1 +他与马丁·汉森(卢卡斯)共同获得了著名的卡耐基数学奖学金。 他与马丁·汉森(卢卡斯)一起共同创办了著名的卡内基数学奖学金。 1 +运河街于 1790 年开放,并以 1870 年的牛津运河命名。 牛津运河于 1790 年开通,1870 年左右这条街被命名为运河街。 0 +这是禅寺内供应和享用餐食的正式做法。 这是正式寺庙中采用的禅宗式上菜和饮食方式。 0 +1999 年和 2003 年,他与 Jarno Jokihaara 和 Marko Ritola 一同成为室内冠军,2003 年他成为芬兰冠军。 他在 1999 年和 2003 年同亚尔诺·亚奇哈拉以及马尔可夫·里托拉展开竞争,成为了芬兰的冠军。他还在 2003 年成为了室内冠军。 0 +新闻主任是 Héctor Cossio López,副主任是 Iván Weissman。 新闻主任是 Iván Weissman,他是 Héctor Cossio López 的副局长。 0 +1954 年 10 月 18 日,这条高速公路被取消,而当时 FM 1241 则被延长。 这条高速公路于 1954 年 10 月 18 日延长,当时 FM 1241 被取消。 0 +Dearne Valley Line 有两条线路每天前往约克和谢菲尔德。 谢菲尔德线每天有两班车前往约克和德恩谷。 0 +基于公式 _ 7 日内回报的已知方差由公式 _ 7 定义,公式 _ 8 中的日内回报可以被实现,通过 NS 0 +来自南京省的罗马商人在 166 年访问了南越,226 年访问了叙利亚,284 年访问了洛阳。 南越拜访了 166 位来自南京省的罗马商人、226 位叙利亚人和 284 位洛阳人。 1 +历史学家尼古拉·约尔加和诗人、法西斯主义政治家奥克塔维安·戈加也表达了类似的惩罚要求。 历史学家屋大维·高噶以及诗人兼法西斯政治家尼古拉·约尔加提出了类似的惩罚要求。 0 +在阿尔卡莫,12 节诗文以如下方式交替出现:一节唱,另一节说。 在阿尔卡莫,十二行诗以这种方式交替呈现:一节吟唱,另一节诵读。 1 +泰勒一直保持活跃,直到他去世前,一直是棒球队芝加哥白袜队、密尔沃基和亚特兰大勇士队的球探。 泰勒一直作为芝加哥白袜队、密尔沃基队和亚特兰大勇士队的球探活跃在棒球界,直到去世。 1 +扬·索科尔(生于 1933 年 10 月 9 日)是前主教,也是特尔纳瓦的斯洛伐克大主教。 扬·索科尔(出生于 1933 年 10 月 9 日)目前是斯洛伐克的一位主教,曾担任特尔纳瓦的大主教。 0 +大陆联盟是为创建第三类大俱乐部的新联盟所作的最后一次重大尝试。 大陆联盟是为创建包括新俱乐部在内的第三大联盟所做的最后一次重大尝试。 0 +1884 年,她嫁给了罗伯特·威廉·福斯特·韦尔奇,而他于 1903 年移居南安普顿,并于一年与菲利普·布拉汉姆(一位医生)结婚。 1884 年,她嫁给了罗伯特·威廉·福斯特·韦尔奇。她于 1903 年移居南安普顿,并于一年与菲利普·布拉汉姆(一位医生)结婚。 1 +1867 年,颇尔·帕尔森在冰岛工作,而冰岛的失聪儿童在哥本哈根的一所学校就读。 帕尔·帕尔森 1867 年在哥本哈根工作。冰岛失聪儿童在冰岛一所学校上学。 0 +NVIDIA TITAN V 由 Nvidia 于 2017 年 12 月 7 日正式发布。 2017 年 12 月 7 日,英伟达正式宣布推出英伟达 TITAN V 显卡。 1 +东邻 Sheshequin 镇,东南接罗马镇,南连雅典镇,西接温德姆镇。 东邻温德姆镇,东南接罗马镇,南连 Sheshequin 镇,西接雅典镇。 0 +当时这片土地的所有者是莱斯利·弗农·加尔各答先生,他与约翰逊先生达成了 99 年的租约。 那时,该国的所有者是约翰逊先生,他同意与莱斯利·弗农·卡尔卡特签订 99 年的租约。 0 +Măgheruş 河是罗马尼亚境内 Giuroc 河的一条支流。 Giuroc 河是罗马米亚 Măgheru 河的一条支流。 0 +Sumavalli 的女儿爱上了戈帕兰。 奈尔的女儿 Sumavalli 爱上了戈帕兰。 0 +1918 年 9 月 22 日,发往澳大利亚的第一封无线电报从斯诺登尼亚发出。 1918 年 9 月 22 日,第一次无线电报通信自澳大利亚发往史诺多尼亚。 0 +因克莱斯地区赖茵巴赫是奥地利州上奥地利谢尔丁区的一个自治市。 因克莱斯地区赖茵巴赫是上奥地利州谢尔丁区的一个自治市。 1 +重信房子是日本国民兼记者重信五月的母亲。 重信房子是日本公民重信五月的母亲,重信五月是一名记者。 1 +Saragyugh(罗马文也称作 Saragyukh;之前叫做 Darakoy、Darakey 和 Daragyukh)是亚美尼亚希拉克省的一个村庄。 Saragyukh(也称为 Saragyukh Romanized;原 Darakoy、Darakey 和 Daragyukh)是亚美尼亚希拉克省的一个村庄。 1 +在卡坦瑞内斯省、阿尔拜省,吕宋省、索索贡省、马斯巴特省、布里亚斯岛和蒂考岛均升级至第。 在卡坦端內斯省,阿尔拜省、吕宋岛、索索贡省、马斯巴特省、布里亚斯岛和蒂考岛岛被升级为 No。 1 +他是音乐家塔尔·巴赫曼的叔叔和 Ryder Bachman 的父亲。 他是音乐家塔尔·巴赫曼的叔叔和 Ryder Bachman 的父亲。 1 +朗戈出生于新泽西州泽西市,并先后在新泽西州巴约讷的玛利斯特高中和罗德岛大学就读。 出生于新泽西州巴约讷的郎戈参观了位于新泽西州泽西市的玛利斯特高中以及罗德岛大学。 0 +她还与比利·维尔德共同出演了威廉·霍尔登 1978 的浪漫剧《费奥多拉》。 她还与比利·维尔德共同出演了威廉·霍尔登 1978 的浪漫剧《费多拉》。 1 +这是三家建在中央商务区的一流酒店中的第三家。 在中央商务区建造的三家一流酒店中,这是第三家。 0 +大坝长约 110 米,坝顶宽约 5 米。 该水坝长约 110 米,顶部宽约 5 米。 1 +格拉德夫人于 1901 年至 1919 年期间、1926 年和 1936 年在奥凡波兰工作,并且那里担任第一位督学。 格拉德夫人于 1901-1919 年和 1926-1936 年期间在奥万博兰德做事并在那里担任多家学校的首任督学。 0 +它由理查德·奎迪提供家具、由乔治·爱德华建造、由柯林斯和蒙茅斯的杰弗里设计。 它由理查德·克里德和乔治·爱德华兹建造,由蒙茅斯的柯林斯和杰弗里设计。 0 +后来,在攻击昂古莱姆伯爵安德鲁期间,理查德将成为阿德玛的军队。 之后,安德鲁·理查德的部队会参与对昂古莱姆伯爵安德玛的攻击。 0 +UIF 由室内足球联盟 (IFL) 和 United Intense Football League 在 2008 年合并而成。 2008 年,“激烈足球联盟”和“联合室内足球(UIF)”合并后组建了 IFL。 0 +1781 年,伊利诺斯州州长托马斯·杰斐逊提拔克拉克为准将,并给予他对肯塔基州和弗吉尼亚州各县全部民兵组织的指挥权。 1781 年,弗吉尼亚州州长托马斯·杰裴逊提拔克拉克为准将,并任命他为肯塔基州和伊利诺伊州各县全部民兵组织的指挥官。 0 +在 EIT 介质的背景下,“停止的光”指的是“连贯的”光子传输到量子系统并传回。 “停止的”光,在 EIT 介质语境中,指的是将光子在连贯系统中来回往返的“量子”传输。 0 +《与道格拉斯·费尔班克斯环游世界八十分钟》是一部在 1931 年美国 Pre-code 时期制作的纪录片,由道格拉斯·费尔班克斯和维克托·弗莱明执导,罗伯特·E·谢伍德编写。 在道格拉斯·费尔班克斯的环游世界 80 分钟中,一部 1931 年的美国预编码纪录片由道格拉斯·费尔班克斯和维克多·弗莱明以及罗伯特·E·舍伍德执导。 1 +颇尔·帕尔森于 1867 年在哥本哈根工作。冰岛的失聪儿童在冰岛的一所学校就读。 帕尔·帕尔森 1867 年在冰岛工作,冰岛聋人在哥本哈根的一所学校上学。 0 +《Njan Piranna Nattil》是 1985 年的一部印度马拉雅拉姆语电影,由 P Chandrakumar 制作,并由 P Chandrakumar 执导。 《Njan Piranna Nattil》是一部 1985 年的印度马拉雅拉姆电影,由 P Chandrakumar 制作,P Chandrakumar 执导。 1 +2018 年 5 月 8 日,迈克尔·索罗·塔比亚失踪了。 2015 年 5 月 8 日,塔皮亚失去了米歇尔·索罗。 0 +选民们选举塞维尔为州长。新任立法机构投票选举布朗特和安德鲁·杰克为参议员,威廉·科克逊为众议员。 选民们选举塞维尔为州长。新任立法机构投票选举布朗特和威廉·科克为参议员,安德鲁·杰克逊为众议员。 0 +1997 年,她在《加冕街》中饰演希拉·迪克森,在 1998 年饰演内奥米·罗素。 哈德维克在 1997 年作为希拉·迪臣、在 1998 年作为内奥米·罗素出现在《加冕街》中。 1 +它于 2011 年 12 月 22 日出版并于 2012 年 2 月公布。 它在 2011 年 12 月 22 日公布并在 2012 年 2 月发行。 0 +如果要得到公式 2 的较高值,上一个平均值更重要。 前一个平均值对公式_ 2 的高值来说更加重要。 1 +此列表中的编程语言针对声音制作、算法作曲和声音合成进行了优化。 这是针对声音制作、声音合成和算法综合进行了优化的编程语言列表。 0 +此外,他们还积极锻炼身体、自由自在地学习,并且渴望探索。 此外,他们精力旺盛,乐于探索并且渴望学习。 0 +卡特尔在 1933 年写道,在北欧的所有人种中,“欧洲人种的智力发育水平最高,性情最为平稳”。 卡特尔在 1933 年写道,在所有北欧种族中,“欧洲种族在智力和性情的稳定性上的进化程度最高”。 1 +萨米·唐斯本人出生在他母亲位于拉皮德县以南的阿沃耶尔县的 Effie 土著社区。 萨米·唐斯出生于他母亲的家乡,位于 Rapides 教区以南的 Avoyelles 教区的埃菲社区。 1 +尤金·D·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿托巴罗夫,他是詹姆斯·亨利·恩格利及其婚前名叫玛丽·凯利的妻子的儿子。 詹姆斯·亨利·恩格利于 1851 年 4 月 5 日出生于马萨诸塞州阿特尔伯勒,是尤金·D·恩格利及其妻子玛丽·凯莉(婚前姓)之子。 0 +麦卡锡出生于加利福尼亚州旧金山,但是四岁时随父母搬到奥克兰。 麦卡锡出生于加利福尼亚州的旧金山,但在四岁时便随其父母搬至奥克兰。 1 +《大乐队特辑》是朱·克里斯缇 1962 年的一张专辑,专辑的歌曲由比尔·霍尔曼、沙提·罗杰斯和其丈夫鲍勃·库伯编排。 《Big Band Specials 》是 Bob Cooper 于 1962 年推出的专辑,其歌曲曾被 Bill Holman、Shorty Rogers 和她丈夫 June Christy 改编过。 0 +塔尔福尔德·伊利是克拉布·罗宾逊早期好友约翰·陶威尔·拉特的孙子。 塔尔福德·埃利是约翰·托威尔·拉特的孙子,他是克拉布·罗宾逊早年间的朋友。 1 +Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的一条支流。 Valea Sterminoasă 河是罗马尼亚 Boia Micăa 河的支流。 0 +保诚大厦 (HMB) 的前身为 Houston Main Building,是德克萨斯州休斯顿德克萨斯医疗中心的一栋摩天大楼。 休斯敦主楼 (HMB),之前称为慎行大厦,是位于德克萨斯州休斯顿市德克萨斯医疗中心的一栋摩天大楼。 0 +第一类是单价动词,该类动词仅有一个语义参数,包括非作格动词和非宾格动词。 第一类为非作格动词,其中仅有一个难以理解的参数且由语义动词和一价动词组成。 0 +在 SIDB 于 1985 年破产后,霍布森和卡诺比奥退出了 CompuBox 项目并成立了 CompuBox Inc.,霍布森后来在 2002 年将公司改名。 1985 年 SIDB 破产后,霍布森和卡诺比奥将该项目重命名为 CompuBox 并创立了 CompuBox Inc.。霍布森之后于 2002 年离开了该公司。 0 +1974 年,在世界银行、联合国和亚洲开发银行的支持下,老挝人民民主共和国设立了第二阶段基金。 1974 年,在联合国、亚洲开发银行和世界银行的支持下,老挝人民民主共和国设立了第二期基金。 1 +罗伯特·文森特·戈尔兹伯勒于 1937 年 10 月 3 日出生于芝加哥,为建筑师罗伯特·戈尔兹伯勒和威尔玛·(亚纳克)戈尔兹伯勒之子。 罗伯特·戈德斯伯勒于 1937 年 10 月 3 日出生于芝加哥,是罗伯特·文森特·戈德斯伯勒和建筑师威尔玛(贾纳克)·戈德斯伯勒的儿子。 0 +他搬到康纳斯维尔,在印第安纳州定居并继续从事律师事业。 他搬到康纳斯维尔,在印第安纳州定居并继续从事律师事业。 1 +1846 年,植物学家斯蒂芬·恩德利歇首次对该物种作出正式描述,并被记录在约翰·格奥尔格·克里斯汀·莱曼的作品《Irideae Plantae Preissianae》中。 1846 年,该物种首次由植物学家约翰·格奥尔格·克里斯汀·莱曼作出正式描述,并被记录在斯特凡·恩德利歇的著作《Irideae Plantae Preissianae》中。 0 +但是,一场事故后卢卡斯失忆了,萨米利用了这件事。 然而,萨米因为一场意外患上了失忆症,而卢卡斯利用了这一点。 0 +演员均为男性,包括六位墨尔本男演员和一位悉尼男演员(戈登·格伦莱特)。 演员全为男性,由六位墨尔本演员和一位悉尼演员(戈登·格伦威特)组成。 1 +安山岩是的镁铁质熔岩种类,其中一些样品成分比重大的足以被归类为玄武安山岩。 安山岩是的镁铁质熔岩种类,其中一些样品成分比重大的足以被归类为玄武安山岩。 1 +1997 年,她在《加冕街》中饰演内奥米·罗素,1998 年饰演希拉·迪克逊。 哈德威克于 1997 年在《加冕街》中饰演希拉·迪克森,1998 年饰演内奥米·拉塞尔。 0 +BBC 于 2008 年 5 月播出了第三部广播版,其中威尔顿再次扮演贝丝,作者扮演达夫。 2008 年 5 月,BBC 播出了第三个电台版本,其中威尔顿饰演达夫,作者饰演贝丝。 0 +1990 年代末,它是西雅图多家便利店和超市中的畅销产品,并在明尼阿波利斯的几家咖啡店内出售。 20 世纪 90 年代末,它在西雅图的便利店和超市得到了广泛推广,在明尼阿波利斯的几家咖啡馆也能买到。 1 +巴耶济德二世与 Gülbahar Hatun 结婚,她是巴耶济德二世继任者塞利姆一世的母亲,也是 Sitti Mükrime Hatun 的侄子。 巴耶济德二世与 Gülbahar Hatun 结婚,后者是巴耶济德二世的母亲塞利姆一世,也是 Sitti Mükrime Hatun 的侄子。 1 +邦廷于 1891 年 9 月 19 日在田纳西州加勒廷去世。他的共济会葬礼在加勒廷举行。 他于 1891 年 9 月 19 日在田纳西州加拉廷去世,并在加拉廷获得共济会会员资格。 1 +1866 年 6 月 25 日,他被任命为“利西亚尼萨的主教和韦莱特里的领衔主教。 1866 年 6 月 25 日,他被任命为利西亚尼萨的挂名主教和韦莱特里的主教。 0 +她于 1997 年在《加冕街》中饰演希拉·迪克森,1998 年饰演内奥米·拉塞尔。 哈德威克于 1997 年在《加冕街》中饰演内奥米·拉塞尔,1998 年饰演希拉·迪克森。 0 +调控鹿的数量的另一个方法是控制出生率。 另一种控制鹿群的方法是调节出生率。 1 +癌前病变明显是一种典型组织,在用显微镜检查时会呈现异常,而且在此处发生癌变的可能性大于其形态正常的对应组织。 癌前病变在形态上是非典型的组织,在显微镜检查中看起来异常,并且相比其看似正常的对应物,更有可能出现癌症。 0 +他生来就是查尔斯·温德姆·斯坦丁,在加利福尼亚州洛杉矶出生,在英国伦敦去世。 他出生于查尔斯温德姆英格兰伦敦,逝于加利福尼亚州洛杉矶。 0 +它被更古老的沟渠围绕,这些沟渠是 16 世纪初 Aloisio the New 建造的,他为 Bely Gorod 划定了界限。 它环绕着 Aloisio the New 于 16 世纪初期建造的较老护城河,该护城河划定白城的界限。 1 +曼彻斯特作家克里斯·西维撰写了米克·米德尔斯的传记,该书于 2014 年 11 月出版。 克里斯·西维的传记由曼切斯特作者米克·米德尔斯撰写,并于 2014 年 11 月出版。 0 +它于 1544 年被授予亨利·奥德利和约翰·科德尔,他们立即将其传给约翰·索恩。 它于 1544 年被授予给约翰·索内,其立即将它传给了亨利·奥德利和约翰·科达尔。 0 +其中“e”是粒子的电荷,而 A 是电磁场的磁矢势。 然而,“e”是粒子的磁荷,A 是电磁场的电矢势。 0 +在 2011 年,一座名为嬉戏谷的游乐场在常州武进区南部太湖附近的太湖湾全新开幕。 2011 年,常州南部武进区太湖附近的太湖湾开放了一个名为嬉戏谷的新游乐园。 0 +肾形斑用黄色和黑色勾出轮廓。 肾形斑以黄色和黑色勾勒。 1 +1805 年 5 月,约翰·盖奇中尉将她派往北海,然后 1806 年罗伯特·拉姆齐中尉取代了他。 罗伯特·拉姆齐中尉在 1805 年 5 月为北海使用了她。1806 年,中尉约翰·盖奇取代了他。 0 +塞帕瓦区位于秘鲁南部阿塔拉亚省。 塞帕瓦区位于秘鲁南部阿塔拉亚省。 0 +1886 年,迈尔斯取代乔治·克鲁克将军,成为与亚利桑那部奇里卡瓦阿帕奇族首领杰罗尼莫作战的武装部队指挥官。 1886 年,乔治·克鲁克取代迈尔斯将军成为对抗杰罗尼莫的部队的指挥官,杰罗尼莫是亚利桑那州分部中奇里卡华阿帕切族首领。 0 +NS 罗伯特·戈尔兹伯勒于 1937 年 10 月 3 日出生在芝加哥,他是建筑师罗伯特·文森特·戈尔兹伯勒和威尔玛·(贾娜克)戈尔兹伯勒的儿子。 0 +此外,冠军杰克·斯瓦格、米兹和科菲·京斯顿之间的美国三重威胁冠军赛是。 接下来,美国锦标赛的三重威胁赛在冠军杰克·史威格、米兹和科菲·京斯顿之间上演。 1 +它由威拉德·麦克执导,改编自乔治·菲茨莫里斯撰写的 1917 年剧本《老虎玫瑰》。 它由乔治·菲茨莫里斯执导,改编自威拉德·麦克 1917 年的戏剧《猛虎蔷薇》。 0 +她是布鲁斯·帕特洛的遗孀,女演员格温妮丝·帕特洛和导演杰克·帕特洛的母亲。 她是杰克·帕特洛的遗孀,也是女演员格温妮丝·帕特洛和导演布鲁斯·帕特洛的母亲。 0 +2018 年,法雷尔被教皇方济各任命为新的奥索里主教。 2018 年,法雷尔任命方济各教皇为新任奥索里主教。 0 +比利·巴特森于 2008 年末与 2009 年初之间出版的《黑亚当》前四期中亮相。 比利 比利·巴特森出现在 2008 年末至 2009 年初出版的《黑亚当》的前四期中。 1 +1942 年 9 月前,Vulcans 接管服务,Midlands 予以报废和撤回。 1942 年 9 月,“火神”完全接管服务,“米德兰”废弃后撤出。 1 +菲比和纳尔逊带着四头公牛(汤姆、杰里和霍尔顿的贝瑞和巴克)和一头奶牛一起旅行。 菲比和霍尔顿带着四头公牛(汤姆、杰里和纳尔逊的贝瑞和巴克)和一头奶牛一起旅行。 0 +2011 年 5 月,他为他的首部故事片创作了剧本,并担任导演和制片人。 他执导并编写了自己的第一部长片,该片于 2011 年 5 月完成制片。 1 +一些船员在金海湾遇难,与当地其他毛利人也没有联系。 一些船员在黄金湾被害,与当地毛利人再没有其他任何接触。 0 +这是在正规寺庙中充满禅意的上餐和用餐风格。 这是禅宗寺庙中采用的正式的上菜和饮食方式。 0 +代理老大 Rene Piccarreto 是 Loren Piccarreto 之子,于 1988 年被捕,1994 年获释。 执行老板——Loren Piccarreto -- Rene Piccarreto 的儿子;1988 年被捕;1994 年获释。 0 +他在 1967 年 NBA 第 77 轮选秀(共有 7 轮)中被费城 76 人队选中。 在 1967 年 NBA 选秀的第 7 轮(总共 77 轮甄选)中,他被费城 76 人队选中。 0 +从最负面的意义上讲,圣经中的厄运是一种正式的赐福。 从最消极的意义上讲,圣经中的诅咒是一种正式的祝福。 1 +他在连续的政变中被奥卢塞贡·奥巴桑乔(1975 年)和穆塔拉·穆罕默德(1976 年)所取代。 他随后的政变中被奥卢塞贡·奥巴桑乔(1975 年)和穆塔拉·穆罕默德(1976 年)所取代。 1 +现代三相女神理念对新威卡教宗教运动非常重要。 三相女神的现代理念是威卡教新宗教运动的核心。 1 +Kudawa 是位于尼泊尔东南部纳拉亚尼专区巴拉区的乡村和乡村发展委员会。 Kudawa 是尼泊尔东南部巴拉区纳拉亚尼地区的村庄和村庄发展委员会。 1 +1i Productions 是美国棋盘游戏发行商。该公司由珍娜、威廉和科林·伯恩于 2004 年创立。 1i Productions 是美国棋盘游戏。其由珍娜、威廉和科林·伯恩于 2004 年创立。 1 +钱德勒承认计算机是一种学习工具,但他拒绝接受盛行的一种客观主义,即认为数据等于信息,信息等于知识。 钱德勒承认计算机是一种学习工具,但他否认将数据视作信息和将信息视作知识这一占主导地位的客观主义。 1 +周日每小时有一次前往格拉斯哥的服务,但没有前往爱丁堡和邓布兰的服务。 周日每小时有一次前往格拉斯哥的服务,但没有前往爱丁堡和邓布兰的服务。 1 +塞德丝出生于马萨诸塞州温彻斯特,在新罕布什尔州德里长大。 塞德斯出生于新罕布什尔州的德里。他在马萨诸塞州的温彻斯特长大。 0 +Tabaci 河是罗马尼亚 Leurda 河的一条支流。 Leurda 河是罗马尼亚境内 Tabaci 河的一条支流。 0 +他因胃癌在 1954 年 6 月 30 日死于纽约市俄克拉荷马州的克莱尔摩尔,是林恩·里格斯纪念馆的所在地。 1954 年 6 月 30 日,他因胃癌于俄克拉荷马州克莱摩尔病逝。而林恩·瑞格斯纪念馆则位于纽约市。 1 +他在加利福尼亚州蒂伯龙出生,在纽约州布鲁克林去世。 他出生于加利福尼亚州的蒂伯龙,并在纽约的布鲁克林去世。 1 +从铁磁体到顺磁体的相变是连续相变和二级相变。 从铁磁物质到顺磁物质的相变是持续不断的,而且是二级相变。 1 +他在 1954 年 6 月 30 日因胃癌在纽约去世,而俄克拉荷马州克莱尔莫尔是林恩·里格斯纪念馆的所在地。 他于 1954 年 6 月 30 日在纽约市俄克拉荷马州克莱尔莫尔因胃癌逝世,这里也是是林恩·里格斯纪念馆的所在地。 0 +通过 Xbox Live,玩家在比赛和排名休闲游戏中都能和最多三名对手一起游戏。 玩家可以通过 Xbox Live 在休闲和排名比赛游戏中与最多三名对手一起玩游戏。 0 +1947 年 5 月 3 日上午 9 点 55 分,在艾伯特·皮埃尔波因特被处决 24 分钟后,她也因自己的罪行在哈默尔恩监狱被伊丽莎白·马莎尔处以死刑。 1947 年 5 月 3 日,在伊丽莎白·马莎尔被处决 24 分钟后,她也因自己犯下的罪行在哈默尔恩监狱被艾伯特·皮特里伯恩特执行死刑。 0 +最初的团队由作家索尔·比施马和艺术家罗伊·托马斯在《复仇者》#71(1969 年 12 月)zhong创造。 最初的团队由作家索尔·比施马和艺术家罗伊·托马斯在《复仇者联盟》# 71(1969 年 12 月)中创建。 1 +1983 年 4 月 30 日,一架受命飞往古巴关塔那摩湾海军基地的 C-311 在杰克逊维尔海军基地坠毁,造成 13 人死亡。 在 1983 年 4 月 30 日,一架飞往古巴关塔那摩湾海军航空基地的 C-131 坠毁于杰克逊维尔,造成 13 人死亡。 1 +他在斯坎索普联队的足球联赛中开始了自己的职业生涯,之后于 1961 年 6 月转入谢菲尔德联队参加丁级联赛。 他从效力谢菲尔德联队开始其在足球联赛的职业生涯,然后于 1961 年 6 月加入谢菲尔德联队参加丁级联赛。 0 +该校区过去位于湾仔和坚尼地城。2013 年 8 月,该学校搬至西贡的新永久地址。 该校区位于湾仔和坚尼地城,于 2013 年 8 月搬迁至位于西贡区的永久性新址。 1 +多元宇宙是一组具有相似性质和宇宙等级的平行宇宙的集合。 多元宇宙是平行宇宙的集合,具有普遍特征和类似的层次结构。 0 +此项内容记录在他的 Medinet Habu 祭庙内两处单独的铭文中,这些铭文不仅篇幅很长而且彼此略有不同。 在拉美西斯三世葬祭殿中,有两行长铭文记载了此内容,这两行铭文实际是分开的,彼此稍有不同。 0 +然而,萨米因为一场意外患上了失忆症,而卢卡斯利用了这一点。 然而,一场意外事故夺去了萨米的记忆,卢卡斯则趁机从中获利。 1 +阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 阿苏萨太平洋大学的阿苏萨校区位于地处洛杉矶东北部的圣盖博谷。 1 +Hudeasa 河是罗马尼亚 Bradu 河的一条支流。 布拉杜河是罗马尼亚境内 Hudeasa 河的一条支流。 0 +他娶了伊丽莎白·杨(1854 - 1932 年),并且是航运巨头 N. O. 杨·弗恩利和地主托马斯·弗恩利的父亲。 他娶了伊丽莎白·杨(1854 - 1932 年),并且是航运巨头 N. O. 杨·弗恩利和地主托马斯·弗恩利的父亲。 1 +塔尔福尔德·伊利是约翰·陶威尔·拉特的孙子,他是克拉布·罗宾逊的旧日朋友。 塔尔福尔德·伊利是约翰·陶威尔·拉特的孙子,后者是克拉布·鲁滨逊早年的一位朋友。 1 +该作品于 1631 年在由伊丽莎白·阿尔德为书商弗朗西斯·康斯特布尔打印的四开本中以《The School of Complement》为标题出版。 这篇文章于 1631 年以副标题《The School of Complement》出版,伊丽莎白·奥得为书商弗朗西斯·康斯特布尔印刷了四开本。 0 +诺曼·梅兰克顿·格迪斯,本名诺曼·贝尔·格迪斯(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一位美国剧场和工业设计师。 诺曼·贝尔·格迪斯,本名诺曼·梅兰克顿·格迪斯(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一位美国舞台和工业设计师。 0 +两年后,在 1947 年 7 月 25 日,709 队被命名为重型轰炸中队,典型的 709 队特色。 两年后,在 1947 年 7 月 25 日,709 队被重命名为重型轰炸中队,典型的 709 队特色。 1 +他在比赛中取得的最好成绩是 1960 年的第十名和 1968 年的第八名。 他在比赛中的最好名次是 1960 年的第十名和 1968 年的第八名。 1 +瑞士先驱约翰·苏特尔(1803-1880 年)与其他欧裔美国移民于 1839 年 8 月到达上加利福尼亚省。 瑞士先驱约翰·萨特(1803 - 1880 年)于 1839 年 8 月与其他欧裔美国定居者一起在上加利福尼亚省。 1 +红衣主教大卫·比顿去世时是苏格兰大法官、圣安德鲁斯大主教和苏格兰红衣主教使节。 在他去世时,大卫红衣主教比顿是的苏格兰大法官,圣安德鲁斯大主教以及苏格兰红衣主教使节。 1 +Dilcov 河是罗马尼亚米尔科夫河的一条支流。 米尔科夫河是罗马尼亚迪尔科夫河的一条支流。 0 +在半职业足球赛中,苏格兰球队在各个级别的表现均不如苏格兰足球超级联赛,其中大多数表现不如苏格兰足球冠军联赛的球队均为半职业球队。 在苏格兰足球界,半职业球队各个等级的水平都低于苏格兰超级联赛,其中大多数低于苏格兰冠军联赛水平的球队均为半职业球队。 0 +韦斯特莱克是美国路易斯安那州卡尔克苏堂区西部的一个城市,也是查尔斯湖大都会统计区的一部分。 韦斯特莱克是卡尔克苏教区的一座城市,位于美国路易斯安那州西部,属于莱克查尔斯都会统计区的一部分。 0 +2012 年,亚德里安·比劳“树屋”发行他的第六张单曲唱片,该唱片由音乐家内德·埃维特在田纳西州纳什维尔制作。 2012 年,内德·埃维特发行《树屋》,这是他的第六张单曲唱片,该唱片由亚德里安·比劳在田纳西州纳什维尔制作。 0 +例如,杜佩奇县的 32W000 指的是 State St. 以北 32 英里处,而莱克县的 38000 将是 Madison Street 以西 38 英里处。 例如,杜佩奇县的 32W000 位于 State St. 以西 32 英里处,莱克县的 38000 位于麦迪逊街以北 38 英里处。 0 +540 县道位于高地城市 540 州道以南几英里,西起美国 98 号公路,一直延伸至 37B 县道。 County Road 540 位于海兰市 540 国道以南几英里处,从 US 98 向西延伸至 37B 县道。 1 +最干燥的年份是 1983 年,为,最潮湿的年份是 1976 年,为。 最潮湿的年份是 1983 年,最干燥的年份是 1976 年。 0 +在加州理工学院,助理教授的平均薪水为 111,300 美元,副教授为 121,300 美元,而正教授则为 172,800 美元。 加州理工学院助理教授的平均工资为 111,300 美元,副教授为 121,300 美元,教授为 172,800 美元。 1 +A Mesa 的语言目标是对抗加利西亚人民党的主要政策,尤其是通过 Queremos Galego 运动。 A Mesa 的语言目标是与加利西亚人民党的主要政策作斗争,特别是通过 Queremos Galego 运动。 1 +马瑟·牟斯的“爱斯基摩人的季候变化”提到了系统理论的基础知识,这些基础知识后来也曾在朱利安·斯图尔特的作品中也重复出现。 朱利安·斯图尔特的“爱斯基摩人的季节性变化”提到系统理论的基本原理,而这种原理后来在马瑟·牟斯的作品中也曾重复出现。 0 +在他人的描述中,锡安广场“永远拥挤,永远疯狂”。 锡安广场被形容为“总是拥挤不堪,总是让人疯狂”。 1 +1i Productions 是由珍娜、威廉和科林·伯恩于 2004 年开创的一款美式桌游。 它在 2004 年由科林·伯恩、威廉和珍娜创立,是一家美国棋盘游戏发行商。 0 +陀思妥耶夫斯基与陀思妥耶夫斯基订过婚和安娜与雅克拉尔家族的巨大政治分歧都阻止不了他们之间亲切和定期的联系。 无论是陀思妥耶夫斯基之前与陀思妥耶夫斯基的婚约,还是安娜与杰克拉德夫妇在政治上的强烈分歧,都没有阻止他们彼此友好而定期的联系。 1 +她在三岁时随父母从芬兰移居爱沙尼亚,目前住在赫尔辛基。 她在三岁时随父母从芬兰搬到爱沙尼亚,目前住在赫尔辛基。 1 +下一个市政厅于 1627 年修建,采用巴洛克建筑风格,并在 1650 年、1653 年、1735 年和 1779 年遭到破坏。 下一个市政厅建于 1627 年,采用巴洛克建筑风格,并在 1650 年、1653 年、1735 年和 1779 年遭到破坏。 1 +1959 年 2 月 20 日,总理约翰·迪芬贝克完成了这个项目,拆卸了五支完工的箭。 1959 年 2 月 20 日,总理约翰·迪芬贝克完成该项目,五个“箭头”已完工。 0 +耶茨怀滋于 1932 年担任北美定约桥牌协会主席,该协会是 1937 年合并加入美国桥牌联盟的组织之一。 冯·泽德维茨是 1932 年北美定约桥牌协会的主席,该组织在 1937 年与其他组织合并成立了美国桥牌协会。 1 +他出生于英国伦敦,本名查尔斯·温德姆·斯坦丁,在加利福尼亚州洛杉矶去世。 他出生于查尔斯·温德姆的英国伦敦,逝世于加利福尼亚州的洛杉矶。 1 +沃内尔与 Mildred Rideout 结婚了;这对夫妇有一个女儿。 Wornell 与穆得莉·赖德奥特结了婚,这对夫妻育有一个女儿。 1 +休斯顿主楼 (HMB) 之前称为慎行大厦,是位于得克萨斯州休斯顿的得克萨斯医学中心的一栋摩天大楼。 慎行大厦 (HMB) 之前称为休斯顿主楼,是位于德克萨斯州休斯顿市德克萨斯医疗中心的一座摩天大楼。 0 +立即告诉他的父亲萨克·麦圭雷(查利·克劳森)和伊维。 亨特立刻告诉他的父亲查理·克劳森(扎克·马克圭尔)和伊维。 1 +经典木制品展现时尚洛可可设计的元素。 时尚的洛可可木制品展现了经典设计的风格。 0 +田野绿植和根类植物一般不栽培,并且在野生状态下季节性地聚集生长。 田野绿植和根类植物一般不栽培,并且在野生状态下季节性生长。 0 +两种预防甲型轮状病毒的轮状病毒疫苗对儿童安全且有效:葛兰素史克的 Rotarix 和默克公司的 RotaTeq。 两种针对 A 组轮状病毒感染的轮状病毒疫苗对儿童是安全有效的:默克公司的 Rotarix 和葛兰素史克公司的 RotaTeq。 0 +新曲目"每天清晨"是第一首曲目"清晨"的原声吉他版。 第一首曲目《每日清晨》是最后一首吉他版《清晨》的不插电版本。 0 +268 号宾西法尼亚州道从桥的西端开始,南通帕克,北至埃姆伦顿。 宾夕法尼亚州 268 号公以从桥的西端为起点,往北通向帕克,往南通向埃姆桑顿。 0 +其中一场龙卷风席卷了约翰逊县北部和布朗县南部。 其中一场龙卷风席卷了约翰逊县北部和布朗县南部。 1 +在萨米周围,是瑞典和挪威(之前)说的一种萨米语。 乌美萨米语是一种在挪威和(以前)瑞典使用的萨米语。 0 +三相女神的新宗教观念是威卡教现代运动的核心。 三相女神的现代理念是威卡教新宗教运动的核心。 0 +托特纳姆热刺队以 4:2 击败费耶诺德鹿特丹队,赢得 1973-74 年欧洲联盟杯。 1973 年至 1974 年的欧足联欧洲联赛由费耶诺德鹿特丹以 4:2 打败托特纳姆热刺足球俱乐部赢得冠军。 0 +一个将魔力藏于头发中的妖精出现在伊丽莎白·安·斯卡伯勒 1984 年的小说《The Harem of Aman Akbar》中。 阿·佩里(力量在她的头发里)出现在 1984 年的伊丽莎白·安·斯卡伯勒的小说《哈曼·阿克巴的后宫》。 0 +19 岁时,她搬到斯德哥尔摩,2011 年搬到纽约。 她在 19 岁时搬至斯德哥尔摩,并于 2011 年搬至纽约。 1 +在实践中是 Mesquite“模块”Java - 类别,通常是具体类定义的抽象子类。 在实践中,麦斯奎特“模块”Java 类,通常是具有具体类定义的抽象子类。 1 +在早期天文学领域,他因引入数学地球仪和对理解行星运动所作出的天文学贡献而名声大噪。 在数学天文学领域,他的声誉归功于天文球体的提出,以及他对理解行星运动的早期贡献。 0 +它的若干子部队(直接 moiras 或旅)的飘带应当也有其自己的颜色。 它的直接次级单位的飘带,即几个 Moiras 或旅的飘带也应该有自己的颜色。 0 +玻里尼西亚的尼奥是法国的一处环礁,名为 Aleksey Greig to Greig。 法属波利尼西亚尼奥的一处环礁以格雷格的名字命名,称为阿列克谢·格雷格。 1 +第四个女儿利奥诺拉是天文学家和天体物理学家塞西莉亚·佩恩-加波什金的继祖母。 里奥诺拉是其四女儿,她还是天文学家、天体物理学塞西莉亚·佩恩·加波施金的继母。 0 +1914 年 10 月 15 日,Ruth Marie Brinkmeyer 与印第安纳波利斯的乔结婚。 1914 年 10 月 15 日,露丝·玛丽·布林克梅尔嫁给了乔·冯·印第安纳波利斯。 1 +文帕蒂·钦纳·萨提亚姆(1929 年 10 月 15 日 - 2012 年 7 月 29 日)是印度舞蹈家和库契普迪舞蹈风格的大师。 Vempati Chinna Satyam(1929 年 10 月 15 日 - 2012 年 7 月 29 日)是库契普迪舞舞蹈家及印度舞大师。 0 +它在 1240 年代第一次被确认,在 1524 年的革新期间被解除。 它在 1240 年代首次被确立,并在 1524 年的宗教改革中被废除。 1 +这些内容记录在他的尸体山哈布城的两行分开的铭文中,这两行铭文实际很长,彼此稍有不同。 这些内容记录在哈布城部落的他尸体内的两处长铭文中,这些铭文实际上是分开的,彼此稍有不同。 0 +无论是陀思妥耶夫斯基先前对陀思妥耶夫斯基的承诺,还是安娜与雅克拉德的巨大政治分歧,均未阻止他们之间经常进行的亲密联系。 无论是安娜之前与陀思妥耶夫斯基的婚约还是陀思妥耶夫斯基与雅克拉德强烈的政治分歧都没能阻止他们热切的定期见面。 0 +Khap 是一个氏族,或相关氏族的族群,主要由西部北方邦和东部哈雅纳省的贾特人管理。 Khap 是指一个氏族,或相关氏族的族群,主要分布在北方邦东部和哈里亚纳邦西部的贾特人中。 0 +例如,在两栖动物中,Cerberus 在前端内脏内胚层中表现出来,而在鼠类中,它在前背内胚层中表现出来。 例如,在两栖动物中,Cerberus 在前背内胚层中表现出来,而在鼠类中,它在前端内脏内胚层中表现出来。 0 +在这个过程中,他感觉到了艾米莉·布朗特,并发现她是塔姆辛的理想人选。 在这个过程中,他最后感觉到了 Emily Blunt,并发现她是理想的 Tamsin。 1 +自 1983 年起,阿比让一直是首都,但亚穆苏克罗仍为行政中心。 首都自 1983 年起是阿比让;但是亚穆苏克罗仍是行政中心。 1 +“2”在治安法官史蒂芬·福特的主婚下,本杰明·霍夫于 1806 年 8 月 29 日与伊丽莎白·科尔在杰斐逊县完婚。 1806 年 8 月 29 日,在治安法官本杰明·霍夫主婚下,史蒂芬·史蒂芬在杰弗逊县与伊丽莎白·科尔完婚。 0 +于热于 1962 年出生于巴黎,他在智利和纽约生活与工作。 Huyghe 1962 年出生于智利和纽约。Huyghe 在巴黎生活和工作。 0 +诺曼·梅兰克顿·格兹本名为诺曼·贝尔·格兹(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一名美国戏剧和工业设计师。 诺曼·贝尔·格迪斯,本名诺曼·梅兰克顿·格迪斯(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一位美国舞台和工业设计师。 0 +西班牙女子国家队代表西班牙参加国际壁球团体赛,并由 Real Federación Española de Squash 管理。 西班牙国家女子壁球队代表西班牙参加国际壁球团体赛,并由 Real Federación Española de Squash 管理。 1 +南端的 Cook Pond 之前也称为 South Watuppa Pond,位于 Laurel 湖以东,汤顿河以西。 库克池之前也称为劳雷尔湖,位于汤顿河南端和南瓦图帕池西侧。 0 +她的孩子有马文·艾森斯塔特,其配偶为芭芭拉;;格拉迪斯·艾森斯塔特;伊拉·艾森斯塔特,配偶为迪尔德丽·豪利;以及埃伦·艾森斯塔特,配偶为赫伯特·科恩。 他们的孩子包括:芭芭拉,配偶为迪尔德丽·豪利;格拉迪斯·艾森斯塔特;伊拉·艾森斯塔特,配偶为赫伯特·科恩;以及埃伦·艾森斯塔特,配偶为马文·艾森斯塔特。 0 +通过东汤顿、伯克利和新贝德福德地区机场的小飞机在当地提供空运服务。 航运服务由伯克利东汤顿地区本地的小型飞机和新贝德福德的区域性机场提供。 1 +阿米尔·汗在读完梅赫拉的《巴萨提的颜色》剧本后立即同意出演。 看完阿米尔·汗的剧本后,梅赫拉当即同意参演“芭萨提的颜色”。 0 +1947 年,该站点由英国福克兰群岛属地调查局布置妥当,做为阿根廷群岛上的 F 站或“冬季岛”。 该站由英国福克兰群岛属地调查队于 1947 年在温特岛设立为 F 站或“阿根廷群岛”。 0 +一种新分子实体 (NME) 含有一种药物,它是从未获得 FDA 批准也无法在美国上市销售的活性成分。 新分子实体 (NME) 是一种药物,含有从未获得 FDA 批准也未在美国上市销售的活性成分。 0 +有关暗物质的间接证据来自于它对暗物质的引力作用,因为实验室尚未观测到其他物质粒子。 暗物质的间接证据来它自对暗物质的引力影响,因为在实验室未观察到任何其他物质微粒。 1 +附近是瓦洛瓦河,它是洛斯廷河的一条支流,位于俄勒冈州东北部的瓦洛瓦山脉以东。 洛斯廷河位于附近,这条河流是瓦洛厄河的一条支流,位于俄勒冈州东北部瓦洛厄山脉以东。 0 +第一个或“窄的”系统由 (O III) 的红线和红移 z = 0.712 的其他电离元素组成。 首个或“窄”系统包括 (O III) 的红线和红移达到 z = 0,712 的其他电离元素。 1 +7 月初,史蒂夫·惠特利,哈珀·惠特利和加勒特·惠特利的罪犯父亲,以及本尼·卡梅伦的兄弟。 加勒特·惠特利于七月初首次亮相。他是哈珀·惠特利和史蒂夫·惠特利的罪犯父亲,也是班尼·卡梅伦的兄弟。 0 +在尼斯贝特和威尔逊论文的启发下,皮特·约翰逊及同事使用一种新技术调查了受试者对他们自己的偏好的观点。 彼得·约翰森及其同事们受尼斯贝特和威尔逊的论文的启发,用新技巧考察了研究对象对自身偏好的想法。 1 +这张专辑包含了由 Nurse With Wound 独创性混合的混音素材,并在 2007 年以《Disconnected》进行发行。 这张专辑包含了由 Nurse With Wound 首个发行的混合素材,并于 2007 年作为 Disconnected 混合。 0 +Scherer 是雷鸟酒店、Las Vegas Club 和撒哈拉酒店的投资人。 谢雷尔是雷鸟酒店、Las Vegas Club 以及撒哈拉酒店的投资者。 1 +梅特提出从帕丁顿延伸到南肯辛顿并向南从沼泽门延伸到塔丘再到南部的建议,这个建议在 1864 年 7 月 29 日得到采纳并获御准。 梅特提出的从帕丁顿向南延伸至南肯辛顿,从穆尔盖特向东延伸至陶尔希尔的提议在 1864 年 7 月 29 日得到采纳并获得皇家批准。 0 +在这样的背景之下,射箭也被称作一种“刺穿艺术”,这个艺术类别有时还包括飞刀投掷和射击示范。 在这样的背景之下,射箭也被称作一种“刺穿艺术”,这个艺术类别有时还包括飞刀投掷和精准射击示范。 1 +黑暗隐居处是一个完全没有光线的空间里的一个单独的隐居处。 闭黑关是在完全没有光线的空间内独自闭关。 1 +1950 年代早期,Fiaminghi 开始创作抽象艺术作品,并在其中融入了构成艺术元素。 20 世纪 50 年代初期,Fiaminghi 开始创作构成艺术的作品,融合抽象艺术的元素。 0 +欧陆联赛是为创建包括第三个大型俱乐部在内的新联盟所作的最后一次重要尝试。 大陆联盟是为创建第三大俱乐部的新联盟所作的最后一次重大尝试。 1 +这是第六届锦标赛,也是 2013 至 2014 IRB 世界七人榄球系列赛的第三站。 这是第六届锦标赛,也是 2013 至 2014 IRB 世界七人榄球系列赛的第三站。 1 +该车站是岩岛区 Metra 线的一部分,在乔利埃特和芝加哥卢普区的拉塞尔街车站之间运行。 该车站是拉塞尔街车站 Metra 线的一部分,该线路在芝加哥卢普区的乔利埃特和岩岛区之间运行。 0 +对于给定数据,拓扑向量空间公式 13 被称为“初始对象”或“初始结构”。 对于给定数据,初始向量空间公式 13 调用初始对象“或”拓扑结构。 0 +它是布鲁斯·帕特洛的遗孀以及演员格温妮丝·帕特洛和导演杰克·帕特洛的母亲。 她是布鲁斯·帕特洛的遗孀,女演员格温妮丝·帕特洛和导演杰克·帕特洛的母亲。 1 +新奥尔良的迪博尔和欧文是建筑师,Mobile 的 G. A. Chamblin 是承包商。 建筑师是新奥尔良的迪博尔和欧文,承包人是来自 Mobile 的 G. A. Chamblin。 1 +布雷扎河是罗马尼亚 Geamărtălui 河的支流。 布雷亚扎河是罗马尼亚 Geamărtălui 河的一条支流。 1 +副主编是赫伯特·维塞尔斯(自 2009 年起),主编是马库斯·埃尔默特(自 2002 年起)。 总编辑是赫伯特·韦塞尔斯(自 2009 年起),第二编辑是马库斯·埃尔默特(自 2002 年起)。 0 +1865 年 8 月 17 日,第 3 纽约志愿骑兵队与第 16 纽约志愿骑兵队合并为第 13 纽约暂编骑兵队。 1865 年 8 月 17 日,纽约第十三志愿者骑兵队与纽约第十六志愿者骑兵队合并为纽约第三临时骑兵队。 0 +今天,他们中的大多数人住在保加利亚,有些人仍然住在希腊。 他们中的大多数人目前生活在希腊,有一些人仍留在保加利亚。 0 +1937 年,杰拉尔德·黑尔德与妻子玛丽亚、儿子赫胥黎以及朋友马修·赫胥黎一同搬去了好莱坞。 1937 年,杰拉尔德·黑尔德与妻子玛丽亚、儿子赫胥黎以及朋友马修·赫胥黎一同搬去了好莱坞。 1 +1924 年夏季,他前往阿肯色州南部的犹尼昂县,在斯马科弗附近诺夫利特的一间办公室从事繁荣的石油事业。 1924 年夏季,他前往阿肯色州南部的犹尼昂县,在斯马科弗附近诺夫利特的一间办公室从事繁荣的石油事业。 1 +加利福利亚州 Yamato Colony 是位于加利福利亚州利文斯顿的一个日本农业社区。 加利福尼亚是位于加利福尼亚州大和区利文斯顿的一家日本农业社区。 0 +索托出生在沃斯堡市,但一岁时搬到了墨西哥的蒙特雷。 索托出生于墨西哥蒙特雷,但在一岁时搬到了沃斯堡。 0 +1989 年 11 月,德莱尼成为纽约证券交易所的成员,并成为 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 1 +在其他文章中,它赞扬了舒曼计划背后的经济思想,并对欧洲共同市场的扩张表示赞赏。 在其他文章中,它赞扬了舒曼计划背后的经济思想,并对欧洲共同市场的扩张表示赞同。 1 +她补充说强奸发生在这起事件后不久。 她补充说强奸发生在之前提到的事件发生后不久。 1 +其他正式的世界锦标赛以如下次序开始:1985 年巴西跳棋;1993 年俄罗斯跳棋;2014 年土耳其跳棋。 其他的官方世界杯开赛情况如下所示: 1985年的巴西人,1993 年的土耳其人,2014 年的俄罗斯人。 0 +会议因许多信使的到来而中断,他们由这座城市里各类拥有权势或影响力的马杜克人派遣,为王子带来不同晚宴邀请函。 会议因众多信使的到来而中断,派遣他们的是城中各路颇有权势和影响力的马杜克人,为的是带来给王子的各种晚宴请帖。 1 +威廉·克普勒于 1932 年加入 Cuno 以担任阿道夫·希特勒的财务顾问。 1932 年,库诺加入威廉·开普勒尔 , 为阿道夫·希特勒提供经济方面的建议。 0 +该舞蹈是出埃及乐队的歌曲《美妙华尔兹》的灵感来源之一,这首歌曲出自他们的 1989 年专辑《毒性灾害》。 这支舞是她 1989 年的专辑《Fabulous Disaster》中的歌曲《The Toxic Waltz》的灵感之一。 0 +二月初所报道的火灾数为 73 起,其中 26 起失控,预计时间为控制下一个月火灾。 2 月初,共有 73 个火灾报告,其中共有 26 场火灾失去控制,预计是控制另一个月的火灾的时候了。 1 +Valea lui Lambă 河或 Lom 河是罗马尼亚的 Șimon 河的支流。 Valea lui Lambă 河或洛姆河是罗马尼亚河流 `` unk '' imon 的支流。 1 +2015 年,佛罗里达州教育部宣布,帕姆·斯图尔特委员为马德琳·帕玛里加的提名人选,担任佛罗里达州大学系统校长。 2015 年,佛罗里达州教育部委员帕姆·斯图尔特宣布任命马德琳·普马瑞里加为佛罗里达州大学系统的校长。 1 +1993 年,普拉兹尔在艾伦镇开了自己的第二家餐厅,他把名字改为 P. J. 威利安,以纪念自己的祖父皮特·约瑟夫·威利安。 1993 年,当皮特·约瑟夫·惠尔利汉在艾伦镇开设他的第二家餐厅时,他更名为 P. J. 惠尔利汉,以纪念他的祖父 Platzer。 0 +在珊瑚海海战之后,“巴内特”从努美阿向圣地亚哥运送了来自列克星敦号航空母舰 (CV-2) 的 1,360 名幸存者。 珊瑚海海战结束后,“巴内特将列星顿号航空母舰 (CV-2) 上的 1,360 名幸存者从努美阿送往圣地亚哥。 1 +制剂由帕特里克·佩奇博士及其团队取得专利,并由 Genkyotex 公司于 2007 年发明。 该化合物由帕特里克·佩奇博士及其团队发明,在 2007 年由 Genkyotex 授予专利。 0 +在圣路易斯常见的化石包括苔藓动物珊瑚 “Lithostrotion” 和 “Lithostrotionella” 还有皱纹珊瑚 “Fenestrellina”。 频频在圣路易斯发现的化石包括四射珊瑚 "Lithostrotion" 和 "Lithostrotionella" 以及苔藓虫 "Fenestrellina"。 0 +Propilidium pelseneeri 是一种海螺、真正的帽贝、无鳃笠螺科的海生腹足类软体动物,也是真正的帽贝科之一。 Propilidium pelseneeri 是一种海螺,真正的帽贝,是属于无腮笠螺科的恰当腹足软体动物,无腮笠螺科是海生帽贝科之一。 0 +Spectrum Aeronautical 是一家位于加利福尼亚州卡尔斯巴德的公务机开发商,在犹他州西班牙福克市设有一座开发中心。 Spectrum Aeronautical 是位于加利福尼亚州尔卡斯巴德的公务机开发商,其开发中心位于犹他州西班牙福克。 1 +他出生于加利福尼亚州蒂伯龙,在纽约布鲁克林去世。 他出生于纽约布鲁克林,去世于加利福尼亚州蒂伯龙。 0 +这部戏剧于 1631 年以副标题《The School of Complement》出版,伊丽莎白·奥得为书商弗朗西斯·康斯特布尔印刷了四开本。 作品的四开本在 1631 年以“补充学院”为副标题开印,由伊丽莎白·奥得为书商弗朗西斯·康斯特博出版。 0 +Cape Don 在 1818 年由乔治·多恩以他命名,作为对直布罗陀副总督菲利普·帕克·金将军的赞美。 1818 年,菲利普·帕克·金为 Cape Don 命名,以此作为对直布罗陀副总督乔治·顿将军阁下的赞颂之词。 0 +她于 1943 年 9 月 12 日从德克萨斯州的加尔维斯顿扬帆起航,并于 9 月 16 日抵达西礁岛。 1943 年 9 月 12 日,她从基韦斯特起航,并于 9 月 16 日抵达德克萨斯州加尔维斯顿。 0 +它由国营铁路公司 Chemins de Fer Luxembourgeois 运营。 它由国有铁路公司 Chemins de Fer Luxembourgeois 拥有。 0 +梅森在 2013 年 2 月 22 日的剧集中首次作为格洛克纳亮相屏幕。 他在该剧集中扮演格洛克纳的银幕首秀于 2013 年 2 月 22 日播出。 1 +继 1920 年代搬到盐湖城,随后又搬到犹他州奥格登后,罗伯逊和他的家人于 1937 年在犹他州梅普尔顿定居了下来。 在于 20 世纪 20 年代搬到犹他州奥格登,然后搬到盐湖城后,罗伯森及其家人于 1937 年在犹他州梅普尔顿定居下来。 0 +1874 年 9 月 29 日,安妮特与塞缪尔·克朗姆的女儿阿美利亚·克朗姆·布莱恩特结婚,他们育有一女。 安妮特·阿米莉亚·克拉姆在 1874 年 9 月 29 日与塞缪尔·克拉姆的女儿布莱恩特结婚。他们有一个女儿。 0 +这座小镇位于“Horta de València”的右端,图里亚河的西岸。 小镇位于“Horta de València”的右岸,突利亚河西岸。 1 +这些创新使 BRT 系统的容量增加到了每小时 35,000 名乘客的最大值。 这些创新将 BRT 系统的最大运力提升为每小时 35,000 位乘客。 0 +下一个市政厅采用巴洛克风格,建于 1627 年,先后在 1650 年、1653 年、1735 年和 1779 年遭到破坏。 下一个市政厅采用巴洛克风格,于 1627 年遭到损坏,并在 1650 年、1653 年、1735 年和 1779 年建造。 0 +该集由查克·泰瑟姆编剧,弗莱德·萨维奇导演。 后果由弗雷德·萨维奇撰写,查克·塔瑟姆执导。 0 +Hudeasa 河是罗马尼亚境内布拉杜河的一条支流。 胡达萨河是罗马尼亚布拉杜河的一条支流。 1 +《以色列》是美国爵士乐长号手凯·温汀和 J·J·约翰逊录制的专辑,里面收录了 1968 年的演出,并在 CTI 旗下发行。 《以色列》是美国爵士乐长号手 Kai Winding 和 J. J·约翰逊的专辑,其中包含 1968 年发行并在 C 上录制的演出。 0 +Nvidia 于 2017 年 12 月 7 日正式公布 NVIDIA TITAN V。 NVIDIA TITAN V 由 Nvidia 于 2017 年 12 月 7 日正式发布。 1 +古希腊历史学家修西得底斯曾写道,Agrianes 的色雷斯人部落生活在贝尔尼克外缘。 古希腊历史学家修西狄底斯写道,在佩尔尼克地界内生活着阿格里安人的色雷斯部落。 1 +约书亚·皮姆以 6-4、1-6、7-5、6-0 击败了威尔弗雷德·巴德利。 威尔弗雷德·巴德利以 6 - 4、1 - 6、7 - 5、6 - 0 的成绩打败了约书亚·皮姆 0 +Bahrawal 是印度中央邦博帕尔区的一个村庄。它位于 Berasia tehsil。 Bahrawal 是印度中央邦博帕尔区的一个村庄。它位于贝拉夏区。 1 +在高温和高氢分压条件下,氢气能够扩散进入碳钢合金中。 在高温和高氢气分压下,氢气能够扩散至碳钢合金。 1 +Jiul de Vest 河是罗马尼亚境内 Jidanul 河的一条支流。 Jiul de Vest 河是罗马尼亚境内 Jidanul 河的一条支流。 1 +在苏维埃时期结束时,两座仍保存下来的亚美尼亚教堂的遗迹被部分摧毁。 两座仍保存的亚美尼亚教堂的遗迹在苏联时期结束时遭到部分损毁。 1 +这首歌出现在 FX 电视台的电视剧《混乱之子》第六季的第二条宣传片中。 这首歌出现在 FX 电视网《混乱之子》电视剧第二季的第六集预告片中。 0 +马绍尔·斯科特三世自 2017 年 6 月 1 日起担任教育主管,首席学术官是丽莎·莫亚,首席技术官是乔什·索利斯 马歇尔·斯科特三世博士自 2017 年 6 月 1 日任督导,首席学术官为莉萨·莫亚,首席技术官为乔什·索利斯。 1 +当他的父母从伊利来到德国宾夕法尼亚时,老迈克·迈克·利贝尔 14 岁。 当他的父母从伊利来到宾西法尼亚州,再到德国时,迈克尔 迈克尔·利贝尔·森 14 岁。 1 +教皇在 1980 年提出了一项解决方案,该解决方案被智利接受,但被阿根廷驳回。 教皇于 1980 年提出了一项被智利拒绝但被阿根廷接受的解决方案。 0 +随着 Four Rivers 委员会与 Audubon 委员会合并,Shawnee Trails 委员会诞生。 肖尼小径委员会与四河委员会合并后形成了奥杜邦委员会。 0 +实际上是 mesquite `` modules '' Java - 类,通常是抽象类定义的具体子类。 实际上是 mesquite“模块”Java - 类,通常是具体类定义的抽象子类。 0 +房产阶梯是在英国广泛使用的术语,用于描述从较便宜的住房到较昂贵的住房在恒定条件下的相对差异。 物业经理是在英国广泛使用的一个术语,用于描述房屋价格以固定价格计算的从低到高相对变化。 1 +温瑟斯劳斯享受胜利的时间并不长。他于 1253 年 9 月 23 日去世,鄂图卡二世成为他的继承者。 温瑟斯劳斯享受胜利的时间并不长,他于 1253 年 9 月 23 日去世,鄂图卡二世。 0 +圣克鲁兹天空之园是一座位于加利福尼亚州斯科茨山谷的机场,位于圣克鲁兹县境内。 圣克鲁斯县是加利福尼亚州斯科茨谷的一座机场,位于圣克鲁斯天空公园内。 0 +Fishman 持有哥伦比亚大学的学士学位和布朗大学经济学的硕士学位。 菲什曼持有布朗大学学士学位和哥伦比亚大学经济学硕士学位。 0 +在珊瑚海海战之后,“巴内特从努美阿向圣地亚哥运送了来自列克星敦号航空母舰 (CV-2) 的 1,360 名幸存者。 在珊瑚海战役后,“巴奈特”将 1,360 名列克星敦号 (CV-2) 的幸存者从圣地亚哥运送到了努美阿。 0 +拉斯托吉是前人民院、第 10 人民院和印度议会人民院秘书处的第 9 任秘书长。 拉斯托吉是印度议会前国会下院和第十届国会下院秘书处的第九任秘书长。 1 +许多人将他们的音乐视为受饶舌金属和另类金属影响的工业金属乐,根据之前的采访,他们将自己称为“谋杀摇滚”。 许多人认为他们的音乐属于工业金属乐,但受到受饶舌金属和另类金属影响。而根据之前的采访,他们认为自己的音乐是“谋杀摇滚”。 1 +今天,他们中的大多数人确实生活在保加利亚,有些还住在希腊。 他们中的大多数现在住在保加利亚,有一些仍然住在希腊。 1 +索伍德康姆是 B1393 公路上的一个村庄,位于英格兰埃塞克斯郡的艾坪森林自治市和诺斯维艾德巴塞特区。 Thornwood Common 是位于 B1393 公路的一座村庄 ,位于诺斯维艾德巴塞特地方行政区和英格兰艾塞克斯郡艾坪林区。 0 +菲纳利是南非的一座城市,位于林波波莫帕尼区自治市。 Finale 是南非林波波省 Mopani 区自治市的一个市镇。 1 +调节鹿群数量的另一条途径是控制出生率。 控制鹿种群数量的另一种方法是调节出生率。 1 +它是一处著名的朝圣中心,距贝尔高姆 78 千米,距达尔瓦德 37 千米。 它是著名的朝圣中心,距离达尔瓦德 78 公里,贝尔高姆 37 公里。 0 +1966 年,他自己的画廊在伦敦的科克街开业,亚历克斯·伯恩斯坦得到了格拉纳达媒体王朝的成员莱斯利·瓦丁顿的支持。 1966 年,他在伦敦的科克街开设了自己的画廊,莱斯利·沃丁顿得到了亚历克斯·伯恩斯坦的支持,而后者是格拉纳达传媒家族的一员。 0 +1876 年,他搬到了加利福尼亚州圣地亚哥,并于 1887 年搬至德克萨斯州达拉斯。 他在 1876 年搬去德克萨斯州达拉斯,又于 1887 年搬去加利福尼亚州圣地亚哥。 0 +该轴线由终止在 Trivaux 高原上的小路绘制。 这条轴线由 Trivaux 高原上的一条小路绘制。 1 +1989 年 11 月,德莱尼成为纽约证券交易所会员,并成为 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级董事总经理。 0 +Lusaghbyur (也可罗马化为 Lusakhpyur;之前名为 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 Lusaghbyur(之前被罗马化为 Lusakhpyur;也叫做 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 0 +大坝约 110 米长,其顶部约 5 米宽。 大坝长约 110 米,顶部宽约 5 米。 1 +在于 20 世纪 20 年代搬到盐湖城,然后搬到犹他州奥格登后,罗伯森及其家人于 1937 年在犹他州梅尔普顿定居下来。 继 1920 年代搬到犹他州奥格登,随后又搬到盐湖城后,罗伯逊和他的家人于 1937 年在犹他州梅普尔顿定居了下来。 0 +色诺芬尼是一位哲学诗人,他对神秘统一的观点与宗教相关。 色诺芬尼是一位哲学诗人,他的神秘统一观与宗教有关。 1 +阿尔萨斯的政治地位深受历史决策、战争和战略政治的影响。 阿尔萨斯的历史地位在很大程度上受到战略决策、战争和政治的影响。 0 +虽然实验已知最多三个不同的贝他稳定同重素,例如,和均为贝他稳定。 对于偶,实验已知最多三种不同的贝他稳定同位素;例如……和均为贝他稳定。 1 +位于约塞米蒂谷附近布赖德韦尔瀑布的门罗草地也以乔治·门罗命名。 位于新娘面纱瀑布附近的优胜美地山谷中的门罗草原也同样以乔治·门罗的名字命名。 0 +第一个或“窄”系统由红线 (O III) 和其他电离元素组成,红移 z = 0,712。 首个或“红色”系统由 (O III) 窄线及其他电离元素组成,z 的红移 = 0.712。 0 +利托效力于津戈内足球俱乐部。 津戈内效力于 Lito 的足球俱乐部。 0 +《Everything But You》是 1945 年的一首歌,由艾灵顿公爵和哈里·詹姆斯使用唐·乔治的词写成。 “除了你的一切”是 1945 年的一首歌曲,由唐·乔治作曲,爱灵顿公爵和哈利·詹姆斯作词。 0 +他由约翰·委拉斯开兹训练,并由骑师戴尔·罗曼斯骑着参加了他人生中最重要的比赛。 他由戴尔·罗曼斯训练,在他最重要的比赛中,他的骑师是约翰·维拉斯克斯。 0 +保皇派在卡托巴河西侧扎营,查尔斯·康沃利斯将军的军队驻扎在东侧。 效忠派在卡托巴河的西侧扎营,而查尔斯·康沃利将军的军队在东侧扎营。 1 +显性——Clearbody ——基因位于其他染色体之一上,并且该基因与常染色体突变之间没有已知关联。 显性 Clearbody 基因位于其他染色体之一上。该基因与常染色体突变之间没有已知关联。 1 +在他代表 LSU 对阵杜兰大学的首场比赛中,他抢下了 32 个篮板。 在他为路易斯安那州立大学上场的第一场比赛中,他在与杜兰大学的比赛中抢到了 32 个篮板。 1 +该市政厅于 1911 年重建,1945 年被部分损毁,之后在 20 世纪 60 年代修复。 该镇政厅在 1911 年遭到损坏,1945 年进行了部分修复,后来在 1960 年代进行了重建。 0 +该漫画在日本和亚洲针对世嘉 Mega Drive 推出同名电子游戏。 该漫画在日本和亚洲针对世嘉 Mega Drive 推出同名电子游戏。 1 +自 1984 年起,帕特丽夏·戴尔与帕特丽夏·迈耶喜结连理,他们共育有二子:莱恩(出生于 1988 年)和布莱克(出生于 1992 年)。 自 1984 年以来,布雷克一直与帕特里夏·迈耶保持着婚姻关系并育有两子:莱安(生于 1988 年)和戴尔(生于 1992 年)。 0 +算术运算符的首要性受到了批评,从概念上讲,and ' 与 and + 一样,都是位逻辑运算符 。 位逻辑运算符的优先级受到了批评。从概念上讲,& and 是算术运算符,例如 and +。 0 +1985 年《约翰尼·卡森今夜秀》的一集中,约翰尼提到了这个故事并把情节告诉了他助手艾德·麦马汉。 在 1985 年播出的一集《约翰尼·卡森今夜秀》中,约翰尼提到这个故事并讲述了剧情搭档埃德·麦马汉。 1 +花茎都很短或大部分缺失。 花茎非常短或者几乎不存在。 1 +她在 19 岁时搬到纽约,又在 2011 年搬到斯德哥尔摩。 19 岁时,她搬到斯德哥尔摩,2011 年搬到纽约。 0 +Neajlovel 河是罗马尼亚 Neajlov 河的一条支流。 Neajlovel 河是罗马尼亚境内内亚罗夫河的一条支流。 1 +他儿子阿洛卡·利亚尼奇娶了男演员索姆亚·利亚尼奇和英德拉查帕·利亚尼奇的女儿,是杰克逊·安东尼的父亲。 他儿子阿洛卡·利亚尼奇娶了男演员杰克逊·安东尼的女儿。他还是索姆亚·利亚尼奇和英德拉查帕·利亚尼奇的父亲。 0 +1846 年,该物种作为约翰·格奥尔格·克里斯蒂安·莱曼的成果 “Irideae . Plantae Preissianae” 的一部分由植物学家斯蒂芬·恩德利希尔首次正式描述。 1846 年,植物学家约翰·克里斯汀·格奥尔·莱曼在斯特凡·恩德利歇的作品《Irideae Plantae Preissianae》的框架内首次正式描述了这个物种。 0 +下一个版本是由罗伯特·富勒的兄弟罗恩在 1986 年创作的。 下一个版本是由罗恩的兄弟罗伯特·富勒在 1986 年创作的。 0 +这部戏剧于 1631 年以副标题《The School of Complement》出版,伊丽莎白·奥得为书商弗朗西斯·康斯特布尔印刷了四开本。 该书于 1631 年以副标题“补充学派”印刷,并由伊丽莎白·奥德为书商弗朗西斯·康斯特布尔以四开本出版。 0 +萨默斯是首代萨默斯男爵理查·艾略特的儿子,而查尔斯·科克斯是伊丽莎白的女儿。 萨默斯是首代萨默斯男爵查尔斯·科克斯的儿子,而伊丽莎白是理查德·艾略特的女儿。 0 +斯劳高中是伯克郡的一所女子精英学校,现为白金汉郡斯劳。 斯劳高中是伯克郡的一所女子精英文法学校,现位于白金汉郡斯劳。 1 +2016 年 11 月 13 日,大卫·马查多在休斯市附近的福克斯格罗夫公园杀害了丹尼斯·华莱士。 2016 年 11 月 13 日,丹尼斯·华莱士在晓臣市附近的福克斯·格罗夫公园谋杀了大卫·马查多。 0 +落蒺山冷杉通常被叫做北美西部枞树或落基山冷杉,是一种亚高山冷杉。 Abies lasiocarpa 通常称为亚高山冷杉或落基山冷杉,是北美西部的一种冷杉。 0 +当他的父母从伊利到宾夕法尼亚再到德国时,小迈克尔·利贝尔 14 岁。 当他的父母从德国来到宾夕法尼亚州伊利时,老迈克尔·利贝尔 14 岁。 0 +Aerosucre 4544 航班飞机坠毁是第一起涉及 Aerosucre 的航空事故,第二起是另一架波音 727 飞机在 2006 年 11 月 18 日坠毁。 Aerosucre 4544 航班的坠毁是该航空公司发生的第二次航空事故,第一次是另一架波音 727 飞机在 2006 年 11 月 18 日发生坠毁。 0 +艾奇逊的母亲爱丽丝是一位画家,他的外祖父母简·C·斯坦利和路易斯·斯坦利分别是铁路律师和水彩画家。 艾奇逊的母亲爱丽丝是画家,而他的外祖父母分别是铁路律师简·C·斯坦利以及透明水彩画家路易斯·斯坦利。 1 +下一个市政厅采用巴洛克风格,于 1627 年损坏,并于 1650 年、1653 年、1735 年和 1779 年建造。 下一个市政厅建于 1627 年,采用巴洛克建筑风格,并在 1650 年、1653 年、1735 年和 1779 年遭到破坏。 0 +斯劳高中是伯克郡的一所女子精英学校,现位于白金汉郡斯劳。 斯劳中学是一所位于白金汉郡斯劳(现在为伯克郡)的女子精英学校。 0 +这首歌由加拉谱写和制作,由菲利波·安德烈·卡门尼和毛里齐奥·莫勒拉作曲。 这首歌由加拉和菲利波·安德烈·卡门尼谱写和作曲,由毛里齐奥·莫勒拉制作。 0 +Saragyugh(之前罗马化为 Saragyukh;也称为 Darakoy、Darakey 和 Daragyukh)是位于亚美尼亚希拉克省的一个村庄。 Saragyugh ( 曾被罗马化为 Saragyukh;也被称为Darakoy、Darakey 以及 Daragyukh)是亚美尼亚 Shirak 省的一个村庄。 1 +Fusako Shigenobu 是日本记者 Mei Shigenobu 的母亲。 重信房子是日本国民重信五月的母亲,重信五月是一名记者。 1 +他继续与 ESPN 合作,为该电视网制作了另外两部电影《Wendell Scott》和《Herschel》。 他继续了与 ESPN 的关系,为网络执导另外两部电影,《Herschel》和《温德尔·斯科特》。 1 +耶尔接下来与演员 Darshan 一起出现在卡纳达语电影《Jaggu Dada》中。 接下来,耶尔与男演员贾古·达达共同出演卡纳达语电影《达山》。 0 +该军团于 1777 年 10 月离开费城,在波士顿外加入乔治·华盛顿将军的主力部队。 1777 年 10 月,军团离开了费城,在波士顿城外加入了乔治·华盛顿将军的主力部队。 1 +他在连续的政变中被穆塔拉·穆罕默德(1975 年)和奥卢塞贡·奥巴桑乔(1976 年)所取代。 他在连续的政变中被奥卢塞贡·奥巴桑乔(1975 年)和穆塔拉·穆罕默德(1976 年)所取代。 0 +较受欢迎的列车包括:开往达卡的 Simanta Express 和 Rupsha Express、开往达卡的 Titumir Express、开往拉杰沙希的 Nilsagar Express 和开往库尔纳的 Lalmoni Express。 最受欢迎的列车有:开往达卡的 Simanta 特快列车和 Rupsha 特快列车、开往达卡的 Titumir 特快列车、开往 Rajshahi 的 Nilsagar 特快列车以及开往库尔纳的 Lalmoni 特快列车。 1 +1937 年,赫胥黎与妻子玛丽亚、儿子马修·赫胥黎以及朋友杰拉尔德·黑尔德一同搬去了好莱坞。 1937 年,赫胥黎及其妻子玛利亚、儿子马修·赫胥黎和男友杰拉尔德·赫德搬到好莱坞。 1 +1846 年,植物学家斯特凡·恩德利歇在约翰·克里斯汀·格奥尔·莱曼的作品《Irideae . Plantae Preissianae》中首次正式描述了这个物种。 1846 年,植物学家约翰·格奥尔格·克里斯汀·莱曼在斯特凡·恩德利歇的著作《Irideae Plantae Preissianae》中首次对该物种作出正式描述。 0 +导演宫崎骏和他的老同事高畑勋被允许在“Animage”前编辑铃木敏夫的指导下成立他们自己的工作室。 它还让导演宫崎骏和他多年的同事铃木敏夫在前《Animage》编辑高畑勋的指导下创建自己的工作室。 0 +他的儿子与玛丽·O·肯尼迪(来自加利福尼亚州)结婚,并于 1883 年在旧金山去世。 他的儿子娶了玛丽·O·肯尼迪(加利福尼亚),他于 1883 年在旧金山逝世。 1 +1932 年瑞典冰球锦标赛赢得了第 11 季瑞典国家级锦标赛—瑞典冰球锦标赛的冠军。哈马比足球会夺得了冠军。 1932 年的瑞典冰球锦标赛是瑞典冰球锦标赛的第 11 个赛季,是瑞典全国冠军赛,冠军是哈马比体育会。 1 +2011 年,他还撰写了歌手麦当娜的传记“狂迷流行音乐天后麦当娜”,并由 Castelvecchi 出版社出版。 2011 年,他还出版了歌手麦当娜的传记“狂迷流行乐天后:麦当娜”,Castelvecchi 出版社如此写道。 0 +菲类二聚体 8,8-双去氢灯心草酚、单分子灯心草酚和去氢-6-甲基灯心草二酚可以从灯心草提取出来。 菲类二聚体 8,8-双去氢灯心草酚、单体灯心草酚和去氢灯心草酚可以从“ J. acutus”中分离出来。 1 +1969 年 12 月,第 49 军师成为了第 29 军师。 在 1969 年 12 月成为第 29 军师 第 49 军师。 0 +他在诺福克郡的亨普斯特德出生,并于萨默塞特郡的韦斯顿巴斯逝世。 他出生于诺福克郡亨普斯特德,死于萨默塞特郡巴斯的韦斯顿。 1 +该植物可能有一些药用特性,已被使用在南亚的传统医学和中药中。 这种植物可能有一些医学特征,被用于南亚传统中药和传统医药。 0 +该传记现已在英国、美国(2013 年圣马丁)、匈牙利(2013 年 Swiat Ksiazki)、波兰和中国发行。 这本传记现已在英国、美国(St Martins,2013 年)、波兰(Swiat Ksiazki,2013 年)、匈牙利和中国出版。 0 +最初的团队是由作家罗伊·托马斯和艺术家萨尔·巴思马在《复仇者联盟》71 期(1969 年 12 月)中创造的。 最初的团队由作家索尔·比施马和艺术家罗伊·托马斯在《复仇者》#71(1969 年 12 月)中创造。 0 +该专辑包含最初由 Nurse With Wound 混合的混音素材并于 2007 年作为《断线》发行。 这张专辑包含了由 Nurse With Wound 首个发行的混合素材,并于 2007 年作为 Disconnected 混合。 0 +廷迪语是在俄罗斯达吉斯坦共和国使用的东北高加索语言。 Tindi 是达吉斯坦共和国高加索使用的一种东北俄罗斯语言。 0 +该赛季于 1984 年 1 月 6 日在法伦(瑞典)开始,并于 1984 年 3 月 11 日在灵纳(挪威)结束。 该赛季于 1984 年 1 月 6 日在挪威法轮开始,并于 1984 年 3 月 11 日在瑞典莱格纳结束。 0 +它是距家庭版两年多后播出的第一季,距明星版第三版已有超过三年之久。 这是家庭版两年多以后和第三个名人版三年多以后的的第一季播出。 1 +西罗希是印度南部拉贾斯坦邦西部的一个城市。 西罗希是印度西部拉贾斯坦邦南部的一个城市。 0 +佩特科尔湖国家公园是芬兰北卡累利阿区伊洛曼齐的一个国家公园。 佩特克尔湖国家公园是北卡累利阿伊洛曼齐区的芬兰国家公园。 1 +姐妹活动在澳大利亚墨尔本亚伯特公园湖举行,由 Fox FM(墨尔本)赞助。 墨尔本的阿尔伯特公园湖举办了一场姊妹活动并由 Fox FM(澳大利亚墨尔本)赞助。 1 +脱 J 氯- 大气中的氯自由基同样与甲烷反应。 J. 氯自由基——大气中的游离氯也会与甲烷发生反应。 0 +威尔弗雷德·巴德利以 6 - 4、1 - 6、7 - 5、6 - 0 的成绩打败了约书亚·皮姆 约书亚·皮姆以 6-4、1-6、7-5、6-0 击败了威尔弗雷德·巴德利。 0 +1920 和 1921 年,意大利队在威尼斯获胜,1920 年其他国家均未参赛,而在 1921 年法国尚未开始参加。 1920 和 1921 年,意大利队在威尼斯加入,1920 年其他国家均未获胜,而在 1921 年法国尚未开始参加。 0 +这些歌曲由托米·李制作并由迈克尔·拜因霍恩担任鼓手。 这些歌曲由迈克尔·拜因霍恩制作,并由汤米·李担任鼓手。 0 +2016 年,《福布斯》将加利福尼亚海事学院评为全国最佳大学第 516 名以及西部地区第 95 名。 2016 年,在《福布斯》最佳大学排名榜上,加利福尼亚海事学院位列全美第 95 名,在西方位列第 516 名。 0 +乐团在 8 月 23 日发行了《Itunes Session -- EP》,其中包含四首另类歌曲和一首《Fold Your Hands Child》的不插电版。 8 月 23 日,团队发表了“Itunes Session 版本 EP”,有四首备选歌曲和一首原音版的“握住手,孩子”。 1 +该封面由纹章艺术家安德鲁·斯图尔特·贾米森设计。单曲《钢铁猴子》的封面由艺术总监约翰·帕沙设计。 该封面由纹章艺术家约翰·帕沙设计,并且单曲《钢铁猴子》设计了艺术总监安德鲁·斯图尔特·贾米森的封面。 0 +阿曼决定参加阿曼的课程,而贾奈尔最终爱上了他。 阿曼决定加入阿曼的班级,并且 Jarnail 最终爱上了他。 1 +亨利·里克森是理事会主席;弗雷德里克·布朗是委员会主席。 理事会的主席是亨利·亨利·瑞克森,而委员会的主席是弗雷德里克·布朗。 1 +结婚的是古巴裔墨西哥人梅赛德斯·马丁内斯,并与其育有一子塞巴斯蒂安·威茨和一女雅典娜·威茨。 与古巴裔墨西哥人塞巴斯蒂安·韦茨内斯结婚,并与其育有一子梅赛德斯·马丁内斯和一女雅典娜·韦茨。 0 +刘玄有两子:刘婴和刘基。刘承之子为刘勇。刘立之孙为刘胤。 Liu Li 有两个儿子:Liu Yin 和 Liu Ji,Liu Yin 的儿子是 Liu Cheng,Liu Yong 的孙子是 Liu Xuan。 0 +相反,“毛”利润可被其所有者转让或以其他方式分配。 相反,总“利润可由其所有者转移或以其他方式转让。 1 +1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级董事总经理。 1989 年 11 月,德莱尼成为纽约证券交易所会员,并成为 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 0 +文森门站位于巴黎 12 区东北角与 20 区东南角的交汇处。 文森门站位于巴黎 12 区东北角与 20 区东南角的交汇处。 1 +加布里埃尔承认了她对克里斯的爱,两人最后还是有了婚外情。 加布里埃尔承认了她对克里斯的爱,两人最后还是有了婚外情。 1 +仅仅 10 天后,为了换取罗尼·塞德尼奥加入西雅图水手队,他与艾尔伦·海尔曼进行了交换。 仅仅 10 天后,他就和埃伦·埃尔曼一起被交换到西雅图水手队,以换取罗尼·瑟淡尼欧。 1 +他的大型雕塑可以在瓦纳卡的公共空间看到,从新西兰到凯塔亚以及两地之间的许多地方。 瓦纳卡的许多公共场所都能看到他的大型雕塑,从新西兰到凯塔亚以及二者之间的许多地点随处可见。 1 +它的长度更短,也更轻——考虑到它在小型汽车中的位置,这是一个必要的设计参数。 它的长度更短,也更轻——考虑到它在小型汽车中的位置,这是一个必要的设计参数。 1 +Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的一条支流。 Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的一条支流。 1 +Battlepug 是一部网络漫画,由迈克·诺顿绘画,由艾伦·帕萨拉夸上色,并由克里斯·柯兰克绘字。 《Battlepug》是出自麦克·诺顿的一部网络漫画,由亚伦·巴萨拉奎撰写,由克里斯·柯兰克撰写并添加插图。 0 +1914 年,托德洛夫先生创立了 Coney Island 餐厅,发明了他的杰克逊科尼岛辣酱食谱。 1914 年,托多洛夫先生创办了 Jackson Coney Island 餐厅并创立了自己的 Coney Island 辣椒酱配方。 0 +他还帮助在整个欧洲以及北美洲、中美洲和南美洲建立了冥想中心。 他还帮助在欧洲各地以及北美地区、中美洲和南美洲都建立了冥想中心。 1 +小乔·R·坎帕以前是一名美国海军水手,曾担任美国海军第 11 任军士长。 小乔·R·坎帕是前美国海军水手,曾担任美国海军第 11 任总军士长。 1 +它出现在诺福克郡和萨福克郡的东半部,开口位于埃塞克斯郡和赫特福德郡。 它在诺福克和萨福克郡的东半部露头,也分布在埃塞克斯和赫特福德郡。 0 +这辆豪华轿车于 2003 年 7 月 5 日在欧洲和 2003 年 10 月在北美推出, estate 款于 2004 年底推出。 厢式轿车于 2003 年 7 月 5 日在欧洲推出,于 2003 年 10 月在北美洲推出,旅行车于 2004 年年底推出。 1 +《聪明的驴子》是珍娜·塞尔布和乔伊·金指导的一部电影。 《Smartass》是一部由乔伊·金执导的电影并由 Jena Serbu 主演的电影。 0 +Soma 疗法(或 Soma)是在 1970 年代弗莱雷基于精神分析学家威廉里奇的研究当作一种团体治疗方法所发明出来的。 Somatherapy(或 Soma)是一种由威廉海姆·赖希根据精神分析学家弗莱雷的研究于二十世纪七十年代创立的集体疗法。 0 +下一个市政厅于 1627 年修建,采用巴洛克建筑风格,并在 1650 年、1653 年、1735 年和 1779 年遭到破坏。 下一个市政厅在 1627 年遭到破坏,采用巴洛克建筑风格,并在 1650 年、1653 年、1735 年和 1779 年建成。 0 +该单曲在 2015 年 10 月 31 日发行,并在 2015 年 11 月 13 日公布。 该单曲于 2015 年 10 月 31 日发行,于 2015 年 11 月 13 日公布。 1 +他未来主要在诺福克开展农业方面的工作,但也在林肯郡提出了要建立大规模的路堤,并成功得到了落实。 他随后在农业领域的工作主要在诺福克开展,但他还建议在林肯郡广泛筑堤,而这项工作得到顺利开展。 已启用屏幕阅读器支持。 1 +最干燥的一年是 1983 年,最潮湿的一年是 1976 年。 最干燥的年份是 1983 年,为,最潮湿的年份是 1976 年,为。 1 +在巴西音乐中,来自混合利底亚调式的多利亚调式是通过降低前者形成的,因此是第三个小调。 在巴西音乐中,多利安调式由混合利底亚调式通过降低第三调式形成,因此后者是前者的小版本。 0 +2016 年 7 月,她在根据温妮·维洛克的同名小说改编的《秘密间谍》中饰演约瑟夫·康拉德。 2016 年 7 月,她在根据薇尼·维罗克同名小说改编的“秘密特工”中饰演约瑟夫·康拉德。 1 +赖特从纽约搬到了北卡罗来纳州的教堂山。 莱特从北卡罗来纳州教堂山搬至纽约市。 0 +早期遭遇殖民统治者让这个传统社会发生了翻天覆地的变化。 与殖民主人的传统邂逅使早期社会发生了剧烈的变化。 0 +阿兹萨希尔·加齐在位时策划修建了该门,其子穆罕默德将该门修建完成并将其命名为 Bab al-Qanat(坎儿井门)。 该大门建造于 Az-Zahir Ghazi 执政时期,被他的儿子穆罕默德规划为 Bab al-Qanat (the Aqueduct Gate)。 0 +威廉·海耶的父母分别是威廉·J 和默林·M·海耶,她先后就读了加利福尼亚路德大学和 Moorpark 学院。 耶尔的父母是威廉·J 和梅林·M·耶尔。她先后就读于墨尔帕克学院和加利福尼亚州路德大学。 0 +伊丽莎白·安·斯卡伯勒 1984 年的小说《阿曼·阿克巴尔的后宫》中有一位头发中蕴含力量的仙女。 伊丽莎白·安·斯卡伯勒 1984 年的小说《阿曼·阿克巴的后宫》中有一位头发蕴含着力量的仙女。 0 +它是家庭版播出两年多后以及首个名人版播出三年多后播出的第三季。 这是家庭特辑两年多后、第三个明星特辑三年多后的首次季播。 0 +弗兰克·詹姆斯加入为分离主义的德鲁·洛博斯军队招募的本地联队,并且在 1861 年 8 月的威尔逊溪战役中参战。 弗兰克·詹姆斯加入为分离主义的德鲁·洛博斯军队招募的本地联队,并且在 1861 年 8 月的威尔逊溪战役中参战。 1 +位于乌达内塔的圣言学院于 2003 年开设了学前部,并于 2005 年开设了小学部。 乌尔达内塔圣言学院于 2003 年开设预科部,2005 年开设基础部。 1 +1907 年,朱尼厄斯出生于爱达荷州德里格斯,是该镇建立者唐·卡洛斯·德里格斯和梅·洁鲁夏·罗比森之子。 在 1907 年出生于爱达荷州德里格斯的朱尼厄斯的目的是创造建立了这座城市的唐·卡洛斯·德里格斯和梅·杰茹莎·罗宾逊。 1 +奥迪 V8 在其 DTM 展示期间与更小且更轻的梅赛德斯 190、宝马 M3 和更小的欧宝 Omega 3000 竞争。 在德国房车大师赛亮相期间,奥迪 V8 与更为小巧的梅赛德斯 190、宝马 M3 以及稍显轻便的欧宝 Omega 3000 展开了竞争。 0 +电影由奥斯卡·努涅斯、罗布·许贝尔、蒂莫西·查拉梅特、莉莉·拉贝、安东尼·昆塔尔以及莉莉·莱因哈特出演。 电影由莉莉·拉贝、蒂莫西·查拉梅特、莉莉·莱因哈特、安东尼·昆塔尔、奥斯卡·努涅斯和罗布·许贝尔出演。 1 +大坝长约 110 米,坝顶宽约 5 米。 该水坝约长 110 米,它的尖端约宽 5 米。 1 +该公司由大卫·蒂施于 2007 年创办,大卫·蒂施是企业家劳伦斯·A·蒂施和亚当·罗森伯格的孙子。 该公司于 2007 年由劳伦斯·A·蒂施和亚当·罗滕伯格(企业家大卫·蒂施的孙子)创立。 0 +《Pennmakkal》是一部 1966 年的印度马拉雅拉姆语电影,由 J. Sasikumar 制作、KP Kottarakkara 执导。 《Pennmakkal》是 1966 年由 J·萨西库马尔执导并由 KP Kottarakkara 制作的印度马拉雅拉姆语电影。 0 +米歇尔回到主营区后,芬奇带来了悲惨的消息。 芬奇回到主营区后,米切尔带回了令人悲伤的消息。 0 +中尉约翰·盖奇于 1805 年 5 月委任她负责北海。罗伯特·拉姆齐于 1806 年取代他。 1805 年 5 月,约翰·盖奇中尉将她派往北海,然后 1806 年罗伯特·拉姆齐中尉取代了他。 1 +它于 1240 年代首次解散,随后在 1524 年的宗教改革期间获得认证。 它在 1240 年代第一次被确认,在 1524 年的革新期间被解除。 0 +茉莉芬位于通往日惹和雅加达的主要道路上。 日惹市和雅加达位于通往茉莉芬的主要道路上。 0 +劳埃德扩大自己的业务并开始销售玩具和礼品,而且随着礼品业务发展壮大,他成立并指导了 House of Lloyd(总部位于密苏里州格兰德维尤)。 劳埃德成立并带领其公司开始销售玩具和礼品,而且随着礼品业务发展壮大,他扩展了位于密苏里州格兰德维尤的 House of Lloyd。 0 +北美以外地区发行的大多数专辑音频内容都相同,但发行的曲目标记会因 CD 发行公司而异。 此专辑在北美境外的大部分版本均有相同的音频内容,但音轨标记的位置取决于发行 CD 的公司。 0 +2011 年 3 月 5 日,MTV Hive 发布了一条关于蕾哈娜的流媒体链接,她在表演安妮·罗西的《粗鲁男孩》。 2011 年 3 月 5 日,MTV Hive 发布了一条蕾哈娜表演安妮·罗西的《粗鲁男孩》的流媒体链接。 1 +如果村民们不出席盆菜宴,这意味着,例如,村子不认可或支持某桩婚事。 举例来说,如果村民不举办盆菜宴,这意味着整个村庄不认可或不接受某桩婚事。 0 +斯帕罗是右撇子运动员,在 2 场顶级比赛中打了 4 局,平均得分为 18.75,最高分为 64。 Sparrow 是一名惯用右手的击球手,在 2 场手控级比赛中打了 4 局比赛,平均得分为 18.75,最高得分为 64。 0 +圭亚那大约有 90,000 名天主教徒,约占其总人口的 12%,在所有南美洲国家中该占比最低。 圭亚那大约有 90,000 名天主教徒,约占总人口的 12%,是南美国家中比例最低的。 1 +在 1968 年历史上著名的伍斯特大道暴乱中,种族性的橡胶碗体育馆被美国国民警卫队用作基地。 在 1968 年的历史性伍斯特大道暴乱中,种族性的橡胶碗体育馆被美国国民警卫队用作基地。 1 +1171 年 11 月 29 日,冈萨洛首次以“冈萨洛·鲁伊斯·德·布雷巴”的身份签署了证书。 1171 年 11 月 29 日,贡萨洛·鲁伊斯·德·布伦巴首次作为“冈萨洛”签署了证书。 0 +他于 2009 年搬回纽约市,现在住在费城。 2009 年,他搬回纽约市,现居住在费城。 1 +在取消这条轨道之前,只有很少的 75s,可能有 20 个,被制造出来。 75s 只生产了极少数,约 20 台,然后该系列即被取消。 1 +她的儿子约翰是塞缪尔·普罗沃斯特(1742 - 1815 年)的父亲,后者是纽约第一位新教主教主教。 她的儿子约翰是纽约新教圣公会首任主教塞缪尔·普罗沃斯特(1742-1815 年)的父亲。 1 +他了解到他的体内承载着“森罗万象”卷轴,里面收录了隐王的忍者世界中最强大的秘术。 他发现他的身体带有 Shinra Banshou,一张包含隐王忍者世界最强大的秘术的卷轴。 1 +重信梅是日本记者重信房子的母亲。 NS 0 +罗杰·莫蒂默的第一任妻子是琼·莫蒂默,她是奥德利第二男爵詹姆斯的女儿。 奥德利男爵的首任妻子是琼·莫蒂默,她是罗杰·莫蒂默的女儿。 0 +巴拉矗立在覆有雪的高平原上,夏季炎热,冬季寒冷。 巴拉矗立在覆有雪的高平原上,夏季炎热,冬季寒冷。 1 +他继续了他与 ESPN 的关系,为网络产出了另外两部电影,《赫歇尔》和《温德尔·斯科特》。 他继续了他与 ESPN 的关系,为网络领衔另外两部电影,《Herschel》和《温德尔·斯科特》。 1 +它于 1544 年被授予给亨利·奥德利和约翰·科德,他们马上将其传给了约翰·索恩。 它在 1544 年被授予约翰·索恩,然后约翰·索恩立刻将其传给了 Henry Audeley 和 John Cordall。 0 +这部电影由 A·斯里卡尔·普拉萨德摄影,由拉吉夫·门农编辑。 这部电影由拉吉夫·梅诺担任摄影并由 A. Sreekar Prasad 担任剪辑。 0 +它与 Sheshequin 镇东部,罗姆镇东部和南部,雅典镇南部,以及温德汉姆镇西部接壤。 东邻温德姆镇,东南接罗马镇,南连 Sheshequin 镇,西接雅典镇。 0 +Sergei Prokofiev 写了一首名为“Fantasia on Scheherazad”的钢琴曲,并把曲子记录在钢琴卷帘上。 谢尔盖·普罗科菲耶夫谱写钢琴曲《谢赫拉莎德幻想曲》并以钢琴录制此曲。 0 +主编是赫伯特·韦塞尔斯(始于 2009 年),副主编是马库斯·埃尔默特(始于 2002 年)。 第二编辑是赫伯特·韦塞尔斯(自 2009 年起),总编辑是马库斯·埃默特(自 2002 年起)。 0 +Arieşul Mare River 河是罗马尼亚沃尔恰河的支流。 Vălcea 河是罗马尼亚 Arieşul Mare 河的支流。 0 +对于固定可测函数公式 _ 18,公式 _ 19 是中间变量,并且带有随机公式 _ 20 和方差公式 _ 21。 对于固定可测函数公式 18,公式 19 是随机变量,并且带有中间公式 20 和方差公式 21。 1 +团队回应了在第二年 2 月的晚上进行的同一场比赛中的变化。 球队在 2 月 19 日当晚对下一场比赛的变化作出了回应。 0 +这首歌由加拉作词作曲,由菲利普·安德里亚·卡门尼和莫里吉奥·莫莱拉制作。 这首歌按照菲利普·安德里亚·卡梅尼和莫里吉奥·莫勒拉制作的盛会作词和谱曲。 1 +在乔吉特·海尔的推理小说《Detection Unlimited》中,一个人物被拿来与阿姆斯特朗相比。 在乔洁特·海耶撰写的神秘小说《无限侦查》中,有个角色被比作阿姆斯特朗。 1 +针对 Windows 平台,Dyalog APL 与 .NET 紧密整合,另外还与 Microsoft Visual Studio 开发平台有限整合 对于 Windows 平台,Dyalog APL 提供与 .NET 的高度集成以及与微软 Visual Studio 开发平台的有限集成。 1 +老迈克尔·迈克尔·利贝尔的父母从德国搬到宾夕法尼亚州伊利市时,他才 14 岁。 当他的父母从伊利来到德国的宾夕法尼亚时,老迈克·迈克·利贝尔 14 岁。 0 +泰勒一直作为亚特兰大勇士队和芝加哥白袜队的球探活跃在棒球界,直到他逝世。 泰勒以亚特兰大勇士队、密尔沃基队和芝加哥白袜队球探的身份继续活跃在棒球界,直到去世。 1 +它位于纳努埃特以东,切斯纳特岭以南,纽约州布劳维特以西,新泽西州蒙特威尔和旧塔潘以北。 它位于栗树岭以东,纳纽埃特以南,纽约州布劳埃尔特以西,新泽西州蒙特威尔和旧塔潘以北。 0 +他在海军部也取得了同样的成功,但在 1748 年 2 月成为南方部内阁大臣后就没那么幸运了。 他在海军部十分成功,但其开心程度,还不及 1748 年担任南方事务部秘书长。 0 +南佛蒙特北接米查姆,西靠鲁纳沃丁和森林山,南连佛蒙特,东接旺加拉塔和灵伍德。 佛蒙特与米查姆北部接壤,西部与鲁纳沃丁和森林山接壤,南部与佛蒙特接壤,东部与旺加拉塔和灵伍德接壤。 0 +然而,在目前的修订中,超人会在“最后之子”中第一次见到真正的萨德。 在当前的衔接中,《最后的儿子》中的超人第一次遇到了真正的佐德。 1 +1876 年,他搬到了德克萨斯州达拉斯,1887 年又搬到了加利福尼亚州圣地亚哥。 他于 1876 年搬去德克萨斯州达拉斯,又于 1887 年搬去加利福尼亚州圣地亚哥。 1 +33.7 % 出生于马里兰州,人口调查局将其与邻近的弗吉尼亚州和华盛顿特区归类为美国南部的一部分。 根据人口调查局的资料,33.7% 出生于马里兰州,它与邻近的弗吉尼亚州和华盛顿特区一起归类为美国南部的一部分。 1 +库吉尔河是罗马尼亚境内 Ghiaag 河的一条支流。 Cugir 河是罗马尼亚 Ghișag 河的一条支流。 1 +他成为了千代富士,之后是“幕内”摔跤手,再成长为出色的“横纲”。 他成为了千代之富士贡,然后成为了一名“makuuchi”摔跤手,一直到成长为“横纲”。 1 +伊丽莎白·安·斯卡伯勒 1984 年的小说《阿曼·阿克巴的后宫》中有一位头发散发着力量的仙女。 一个用头发来施展魔力的妖精出现在伊丽莎白·安·斯卡伯勒 1984 年的小说《The Harem of Aman Akbar》中。 0 +公元前 284 年,齐王与秦昭王在西周会面,以建立联盟共抗僖王。 公元前 284 年,僖王与秦昭王在西周会面,以建立联盟共同抗齐。 0 +这个事实似乎属于赛昂人的“计划”,即混合殖民地想要利用新一代人重新繁衍。 这个事实似乎属于赛昂人的“计划”,他们想利用新一代混血人种重新在人类殖民地上繁衍。 0 +花朵是黄色的并带有褐色斑点。 这些花朵是棕色,带有黄点。 0 +蒂姆·亨曼在决赛中以 6-7、6-4、7-6 战胜皮特·桑普拉斯。 皮特·桑普拉斯在决赛中以 6-7、6-4 和 7-6 的比分击败蒂姆·亨曼。 0 +这部电影与新电影业的一位马拉雅拉姆语歌手拉斐尔有关。 该电影关于拉斐尔——电影业中的新马拉雅拉姆语歌手。 0 +马丁斯·佩纳在里约热内卢出生,父母是若奥·马丁斯·佩纳和弗朗西斯卡·德·保拉·胡丽叶塔·佩纳。 若昂·马丁斯·佩纳和弗朗西斯科·德·保拉·胡列塔·佩纳出生于里约热内卢,父亲是佩纳·马丁斯。 0 +第四个是约瑟夫·亨普希尔于 1826 年 5 月后某日辞职所造成的,由托马斯·基特拉填补空缺。 第四次是由于托马斯·基特拉在 1826 年 5 月后某个时间辞职造成,并由约瑟夫·亨普希尔填补了空缺。 0 +2016 年明治安田生命 J3 联赛是日本足球丙级联赛的第 20 个赛季,也是职业 J3 联赛的第 3 个赛季。 2016 年明治安田 J3 联赛是职业足球第 3 阶段的第 20 个赛季,也是日本 J3 联赛的第 3 个赛季。 0 +柱殿外周的广场比周围的 8 个中央广场都要大。 柱殿中间的广场比外围的 8 个广场都要大。 0 +Zingone 为 Lito 踢了足球俱乐部。 津戈内代表 Lito 出战俱乐部足球。 1 +夏季天气温暖多雨,冬季凉爽。 夏季天气温暖多雨,冬季天气寒冷。 1 +Khap 是指一个氏族或相关氏族的族群,主要分布在北方邦东部和哈里亚纳邦西部的贾特人中。 Khap 是指一个氏族或相关氏族的族群,主要由北方邦东部和哈里亚纳邦西部的贾特人管理。 0 +安德森于 1943 年出生在加利福尼亚州的雷东多海滩,来自加利福尼亚州奥克兰。 1943 年,安德森出生于加利福尼亚州雷纳多海滩,并且来自加利福尼亚州奥克兰。 1 +1783 年,在围绕查尔斯·伯恩和爵士詹姆斯·华莱士诉讼案件的活动中提到了他的父亲。 1783 年,他的父亲在涉及查尔斯·伯恩和詹姆斯·华莱士爵士诉讼案件的相关事件中被提及。 1 +1993 年,他为 A 级凯恩县美洲狮队和 AA 级波特兰海豹队效力。 1993 年,他与 A 级波特兰海狗队和 AA 级凯恩县美洲狮队打过比赛。 0 +Válcea 河是罗马尼亚 Arieşul Mare 河的一条支流。 Vâlcea 河是罗马尼亚境内 Arieşul Mare 河的一条支流。 1 +1972 年,他举家搬至营山,在那里他就读于宾夕法尼亚州哈里斯堡的崔尼迪高中。 1972 年,他举家搬至宾夕法尼亚州哈里斯堡,并且访问营山的崔尼迪高中。 0 +《gravityWall》作为日本动漫电视连续剧的第一首片头主题曲,而《Sh0ut》作为第二首片头主题曲。 《gravityWall》被用作日本动画电视连续剧的第一首片头曲,而《sh0ut》被用作第二首片头曲。 1 +1963 年,罗伊加入印度共产党,领导在加尔各答班斯特罗尼开展的工会运动。 罗伊在 1963 年加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 0 +当爱德华一世于 1307 年 7 月 7 日继承父亲爱德华二世的王位时,他的臣民们对她的新国王的态度普遍是友好的。 当爱德华一世在 1307 年 7 月 7 日接替他的父亲爱德华二世时,他的臣民对新国王的态度普遍是充满善意的。 1 +电影遭到了差评,不过在 VHS 录影带版和 DVD 版发布后,该片成为了邪典电影爱好者的最爱,在亚马逊和 IMDB 上受到好评。 电影收到了负面评价,但后来发行了 VHS 和 DVD,成为了小众电影爱好者的最爱,在亚马逊和 IMDB 上都得到了好评。 1 +戴夫·托马尔是埃德·丹特的笔名,他毕业于罗格斯大学,目前是费城的一位自由作家。 埃德·但丁是戴夫·托马尔的笔名,他毕业于罗格斯大学,现居费城,是一名自由撰稿人。 0 +然而,麦当娜、王子和迈克尔·杰克逊都对该专辑产生了影响。 不过,麦当娜、普林斯和迈克尔·杰克逊都对该专辑产生了影响。 1 +他于 1965 年 12 月 21 日出生在康涅狄格州纽黑文,访问了马里兰州奥克森山的奥克森山高中。 他于 1965 年 12 月 21 日在马里兰州的奥克森山出生,就读过康涅狄格州纽黑文的奥克森山高中。 0 +如果一个句子中有多个语法类别,只有复数会带有第一个标记。例如: 如果一个句子中有多个语法类别,只有复数会带有第一个标记。 1 +在纳粹德国和苏联于 1939 年入侵波兰后,欧斯特瓦便积极参与地下教育,但同时也染上疾病。 在 1939 年纳粹德国和苏联入侵波兰后,奥斯特瓦积极开展地下教育活动,但也患上了疾病。 0 +彼得·达孔杰(1903 - 1967)是一位早期爵士乐的簧片演奏家,活跃于美国新奥尔良的爵士乐坛。 彼得·杜康(1903 年 ?—1967 年 ?)是一位活跃于早期新奥尔良爵士乐坛上的美国爵士乐簧乐器演奏家。 0 +与此同时,教皇方济各要求唐再担任香港主教三年。 与此同时,教皇 Francis Tong 要求继续连任香港主教三年。 0 +事实上,初译实际上会存在一些不可避免的小误解。 这是一个小翻译的事实表明,第一处误解几乎是无法避免的。 0 +她在与商人巴比斯·拉扎里迪斯的第二段婚姻中生了下儿子瓦西利斯。 她在与商人瓦西利斯的第二段婚姻中育有一子巴比斯·拉扎里迪斯。 0 +启动资金来自比尔及梅琳达·盖茨基金会、金融家乔治·索罗斯,以及科技企业家爱德华·W·斯科特。 这些资金来自比尔及梅琳达·盖茨基金会、金融家爱德华·W·斯科特,以及科技企业家乔治·索罗斯。 0 +奶酪和奶酪产品(尤其 bryndza、korbáčik、oštiepok、parenica 和 tvaroh 奶酪), žinčica 是斯洛伐克传统特产。 奶酪和奶酪制品(尤其是 Tvaroh、korbáčik、oštiepok、parenica 和 bryndza),žinčica 是斯洛伐克传统特色食品。 1 +诺曼·梅兰克顿·格迪斯,本名诺曼·贝尔·格迪斯(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一位美国剧场和工业设计师。 诺曼·梅兰克顿·格迪斯,本名诺曼·贝尔·格迪斯(1893 年 4 月 27 日至 1958 年 5 月 8 日),是一位美国剧院和工业设计师。 1 +典型的秋沙鸭(“Mergus octosetaceus”)是一种属于巴西秋沙鸭属的鸭子。 巴西秋沙鸭(“褐秋沙鸭”)是一种典型的秋沙鸭属鸭子。 0 +然而,在当前的连环画中,超人在《Last Son》中第一次遇到了真正的佐德。 在当前的续集中,超人在“最后之子”中第一次遇到了真正的萨德。 1 +霍克(邮编:2614)是堪培拉贝尔康纳区的郊区,位于澳大利亚澳大利亚首都直辖区内。 霍克 ( PLZ : 2614 ) 是堪培拉贝尔康纳区的一个郊区,位于澳大利亚首都领地内。 1 +Lobethal Bierhaus 是一家区域性的啤酒厂,在风格上受到了德国的影响。 Lobethal Bierhaus 是一家德国啤酒厂,受到了地区风格的影响。 0 +纳舒厄白银骑士团队是夏季大学联盟的成员,是本市的现役球队。 Nashua Silver Knights 队是当前夏季联赛的一部分,也是该市的大学体育队。 1 +重量更轻,长度更短——考虑到它安装在紧凑型汽车上,这些是必要的设计参数。 它的长度更短,也更轻——考虑到它在小型汽车中的位置,这是一个必要的设计参数。 0 +他们还于 6 月 13 日发布专辑《Vices》中的第二首歌曲,作为该专辑的第五首单曲。 他们还于 6 月 13 日发行专辑《Vices》的第五首歌曲,作为该专辑的第二首单曲。 0 +怀俄明州 330 号公路是一条相当短的东西向的怀俄明州道路,位于谢里敦县中部,服务于谢里敦的西北部。 怀俄明州 330 号高速公路是一条相当短的东西向州际公路,位于谢里敦县的西北部,为谢里敦市中部地区服务。 0 +马克·诺尔斯和马克斯·米尔内在决赛中以 6:3 和 6: 4 的比分战胜了奥布赖恩和帕尔默。 奥布莱恩和帕尔默在决赛中以 6-3 和 6-4 击败了马克·诺尔斯和马克斯·米尔内。 0 +当需要更多数量的不同 IE 时,这必然会带来更多的容量规划问题并且通常会导致 IP 无法交付。 当需要更多不同 IE 时,这通常会导致更多的容量规划问题,并会在本质上导致无法交付 IP。 0 +然而,麦当娜、王子和迈克尔·杰克逊都对该专辑产生了影响。 然而,迈克尔·杰克逊、王子和麦当娜都受到这张专辑的影响。 1 +他们有能力成立当地政府、将活跃自由的库尔德政党制度化以及管理库尔德议会。 他们能够管理当地政府,建立自由活跃的库尔德政治党派,并使库尔德议会制度化。 0 +在下方的评分中,对节目的最低评分会显示成红色,对节目的最高评分会显示成蓝色剧集。 在以下评论中,最高评分以红色表示,对节目的最低评分为蓝色剧集。 0 +贝滕科特精通吉他,而克里斯·格里杰在纽约市 Sterling Sound Studios 演奏这把吉他。 贝特恩考特演奏了吉他,克里斯·格林德在纽约市的斯特林录音室征服了它。 0 +“Ras” Abbi Addi 朝 Kassa 进发并在中心与“Ras” Seyoum 会合。 Ras Kassa 朝 Abbi Addi 进发并在中心与 Ras Seyoum 会合。 0 +1974 年,在联合国、亚洲开发银行和世界银行的支持下,老挝人民民主共和国创建了第二阶段基金。 1974 年,老挝人民民主共和国在世界银行、联合国和亚洲开发银行的帮助下,设立了第二阶段基金。 1 +这一集后来被推迟了,但被按顺序跳过并且最终停播了。 这一集后来被推迟了,但被按顺序跳过并且最终被停播。 1 +欧克林位于第一国会选区,隶属于新泽西州第六州立法选区。 欧克林位于第一国会选区,也是新泽西立法选区第六州的一部分。 1 +2017 年 7 月,内特·迪迷奥是与埃尔默·麦科迪一起出演的一集《回忆的宫殿》的主题。 2017 年 7 月,埃尔默·麦柯迪成为内特·迪梅奥主持的“记忆宫殿”的单集主题。 0 +二月初报告的火灾数量为 73 起,其中 26 起情火失控,并且预计是时候控制另一个月的火灾。 二月初所报道的火灾数量为 73 起,其中 26 起失控,应制定预期控制下一个月火灾的时间。 1 +利用参数变化法,将特解与未知函数 C (x) 相乘便可得到互补解: 通过将特解与未知函数 C (x) 相乘,利用参数变化法得到互补解: 1 +其中包括波列罗舞作曲家西尔维娅·雷克萨奇、作家玛丽·特里萨·里奥斯以及歌唱家尤莉塔·罗斯。 他们中包括波莱罗作曲家玛丽·特蕾莎·里奥斯、作家朱莉塔·罗斯和歌手西尔维亚·雷克萨克。 0 +多蒂于 1923 年在格洛斯特出生,于 2014 年在波士顿去世。 多迪于 1923 年出生在波士顿,于 2014 年在格洛斯特逝世。 0 +1994 年,罗德里戈·里奥离开乐队单飞,由卡洛斯·玛利亚·特林达德(键盘合成器)替代。 1994 年,卡洛斯·玛丽亚·特林达德离开乐队开始单飞生涯,被 Rodrigo Leão(键盘合成手)所取代。 0 +马斯出生在纽约州的威彻斯特郡,在密歇根州的荷兰小镇长大,并在欧洲度过青年时期。 Massé 出生于密歇根州霍兰,在纽约威斯特徹斯特县长大,并在欧洲度过了青少年时期。 0 +这些努力会向世人证明其具有前瞻性,因为附近硅谷的人口激增,而三谷地区的繁荣发展会显著降低土地价格。 随着附近硅谷人口的快速增长和三谷地区的日益繁华,土地价格将大幅提高,这些举措将被证实具有先见之明。 0 +隆戈出生于新泽西州的泽西市,曾就读于新泽西州巴约讷的马瑞斯特高中和罗德岛大学。 隆戈在新泽西州泽西市出生,曾就读于新泽西州贝永的马里斯特高中和罗德岛大学。 1 +在半职业足球赛中,苏格兰各队在低于苏格兰足球冠军联赛的各个级别参赛,其中大多数低于苏格兰足球冠军联赛水平的球队均为半职业球队。 在苏格兰足球中,半职业球队会参加苏格兰超级联赛以下的各级比赛,苏格兰职业锦标赛下的大多数球队都是半职业球队。 0 +这部电影获得了好评,但在 VHS 上映和发行 DVD 后,它成为最受推崇的邪典电影,在亚马逊和 IMDB 资料库上也有负面评论。 电影遭到了负面评价,不过在 VHS 和 DVD 版发布后,该片成为了邪典电影爱好者的最爱,在亚马逊和 IMDB 上受到好评。 0 +她受到理查德·吉布森和宫廷画家琼·卡莉的赞赏,被认为与彼得·莱利一样成功。 她受到理查德·吉布森和宫廷画家彼得·莱利的赞赏,被认为与琼·卡莉一样成功。 0 +从这座桥的西端开始, 宾夕法尼亚州 268 号公路向北连接帕克,向南连接埃姆伦顿。 宾夕法尼亚州 268 号公路从桥的西端往北通向帕克,往南通向埃姆桑顿。 1 +瓦尔特利·博塔斯和路易斯·汉密尔顿最快,领先于威廉姆斯的尼科·罗斯伯格。 最快的是尼科·罗斯伯格,领先于威廉姆斯、瓦尔特利·博塔斯和路易斯·汉密尔顿。 0 +他后于俄亥俄州托莱多任教,并于 1856 至 1859 年间任克利夫兰学校代理督学。 他之后在俄亥俄州托莱多的学校教课,在 1856 年至 1859 年间担任克利夫兰地区学校副主管。 1 +1942 年 4 月,蒙塔古·斯莱特回到英格兰,并在回来后不久便要求布里顿为他的《彼得·格赖姆斯》担任编剧。 1942 年,布里顿返回英格兰,而且他回去后不久就邀请蒙塔古·斯莱特担任其《彼得·格赖姆斯》的剧作者。 0 +在斯里兰卡,会计师(斯里兰卡特许会计师)这一名称仅限斯里兰卡会计师协会会员使用。 在 CA,特许会计师(斯里兰卡斯里兰卡)的头衔仅可由斯里兰卡会计师协会的会员使用。 0 +马克·诺尔斯和马克斯·米尔内在决赛中以 6-3 和 6-4 击败了奥布莱恩和帕尔默。 马克·诺尔斯和马克斯·米尔内在决赛中以 6:3 和 6: 4 的比分战胜了奥布赖恩和帕尔默。 1 +1980 年,20 岁的大卫·艾伦·科埃加入了沃伦·海恩斯的巡演和录音乐队。 1980 年,在他 20 岁时,戴维·阿伦·科加入了沃伦·海恩斯的巡演和录音乐队。 1 +他还向米特·罗姆尼捐赠 34,000 美元,并向特德·克鲁兹捐赠 7,000 美元,包括他在 2016 年的总统竞选。 他还向特德·克鲁兹捐赠了 34,000 美元,并向米特·罗姆尼捐赠了 7,000 美元,包括支持他 2016 年的总统竞选活动。 0 +亚瑟·塔潘从 1830 年开始受到美国殖民协会 (ACS) 部分成员的废奴主义和詹姆斯的作品的影响。 从 1830 年开始,亚瑟·塔潘受到美国殖民协会 (ACS) 一些成员的废奴主义和詹姆斯著作的影响。 1 +在色情视频技术出现前,电子和数字电影的大量制作与主流电影业有直接联系。 在电子和数字视频技术出现前,色情电影的大批量制作与主流电影业直接关联。 0 +Bradd Crellin 代表 BARLA Cumbria 参加了澳大利亚巡回赛,其他 6 名球员代表英国,也参加了澳大利亚巡回赛。 在澳大利亚巡回赛上,布拉德·克雷林还代表大不列颠 BARLA,其他六位选手代表坎布里亚。 0 +卡茨于 1947 年出生于瑞典,一岁时移居纽约市。 卡茨于 1947 年出生于瑞典,一岁时移居纽约市。 1 +Mitchell Nimbus 是一系列美国高座椅、单翼滑翔机,它于二十世纪五十年代由 Don Mitchell 设计而成。 Mitchell Nimbus 是多恩·米切尔在 20 世纪 50 年代设计的一个美国高座位单翼滑翔机系列。 1 +首个或“狭窄”系统由 (O III) 红线及其他电离元素组成,z 的红移 = 0,712。 第一个或“红色”系统由 (O III) 的窄线和红移 z = 0.712 的其他电离元素组成。 0 +马尔科姆·弗雷泽在 1975 年 12 月的联邦大选中以压倒性优势击败惠特拉姆,他授予埃格顿爵士头衔,以表彰他为工会运动提供的服务。 在 1975 年 12 月的联邦选举中以压倒性的优势击败了马尔科姆·弗雷泽的惠特拉姆授予了埃格顿爵士称号,以此推动工会运动。 0 +在这个方面,约内斯库在其早期的论文中作出了意义重大且深具先见之明的陈述: 在这个方面,约内斯库在其早期出版物中,作出了意义重大且深具先见之明的陈述: 1 +该队还于 1953 年进行澳大利亚巡演,并于 1959 年 8 月进行亚洲巡演。 该队于 1953 年参加澳大利亚巡回比赛,于 1959 年参加亚洲巡回比赛。 1 +乐队中的歌手包括多萝西·克雷恩、杰瑞·朗、贝蒂·格里芬、伯尼的兄弟沃特尔·康明斯和斯科地·马尔什,后者后来与托米·多尔西一同演唱。 乐队的歌手包括多萝西·克兰、杰瑞·朗、贝蒂·格里芬、伯尼的兄弟沃尔特·康明斯和斯科蒂·马什,后者后来又与汤米·多尔西一起演唱。 1 +早期顾问成员包括沃尔特·克朗凯特、诺尔曼·维特、戈尔·维达尔、诺尔曼·波德霍雷茨、索尔·贝洛和阿利斯泰尔·库克。 早期顾问团的成员包括阿利斯泰尔·库克、索尔·贝罗、沃尔特·克朗凯特、诺曼·库辛斯、戈尔·维达尔、诺曼·波德霍雷茨。 1 +这记录在他的 Medinet Habu 祭庙内两处较长的铭文中,这些铭文不仅篇幅独立而且彼此有些许不同。 在他的尸体 hort Medinet Habu 的两行长铭文中记载了此内容,这两行铭文实际是分开的,彼此稍有不同。 1 +音乐厅最初于 1862 年从巴黎引进伦敦并深受欢迎,其中有舞者、歌手、杂技演员和经魔术师训练的动物。 1862 年,歌舞杂耍表演与各种舞者、歌手、杂技演员、魔术师和驯养的动物们一起首次从伦敦传入巴黎,颇受欢迎。 0 +鲍勃和特德是兄弟。约翰是特德的儿子。 鲍勃和泰德是兄弟,泰德是约翰的儿子。 0 +9 月 17 日,阿雷奥拉将在加利福尼亚州洛杉矶的斯台普斯中心对阵阿方索·戈麦斯,为胡安·桑多瓦与苏尔·阿尔瓦雷兹的对决暖场。 在 9 月 17 日,在加利福尼亚州洛杉矶的斯台普斯中心展开的索尔·阿尔瓦雷斯对抗阿方索·戈麦斯的垫底赛中,阿雷奥拉将会对战胡安·桑多瓦尔。 0 +该深度可与密歇根湖和休伦湖的最大深度相比。 这一深度是与密歇根湖和休伦湖的最大深度相比较。 1 +上游是废弃的密歇根中央铁路大桥,它与其前身漩涡激流大桥与尼亚加拉悬臂桥竞争过铁路交通。 上游是废弃的密歇根中央铁路桥,其前身是旋涡激流大桥,与尼亚加拉悬臂桥争夺铁路运输。 1 +2017 年 8 月,团队普拉卡什·拉杰加入剧组,扮演制片人阿卢里·查克拉帕尼一角。 Aluri Chakrapani 也于 2017 年 8 月加入团队,据称是扮演制片人 Prakash Raj。 0 +他出生在田纳西州卡特县,后来搬到了阿肯色州。 他出生于阿肯色州,之后搬到了田纳西州的卡特县。 0 +在第一次世界大战期间,他在日内瓦学习过,并在那儿与威利·明岑贝格一起工作过。 第一次世界大战期间,他在日内瓦工作并在那里与威利·明岑贝格一起学习。 0 +Beximco 制造纺织品、基础化学品、药品、黄麻纤维及海产品,该公司还拥有房地产和土地开发业务。 Beximco 生产纺织品、海洋化学用品、药品、黄麻纤维及大宗食物,该公司还拥有房地产和土地开发业务。 0 +代贝莱茨是一座位于保加利亚北部的小镇,隶属于大特尔诺沃省大特尔诺沃自治市。 德博莱茨是保加利亚北部的一个城镇,隶属于大塔尔诺沃省大塔尔诺沃市。 1 +这限制了组节点内的复杂性,并隐藏了它们与组外其他节点的耦合。 这限制了组节点内部的复杂性,并隐藏了它们与组外部其它节点的耦合。 1 +佩特克尔湖国家公园是芬兰北卡累利阿地区伊洛曼齐的一个国家公园。 佩特克尔湖国家公园是芬兰北卡累利地区阿伊洛曼齐的一个国家公园。 0 +其中 87.91% 是匈牙利人,7.53% 是罗马尼亚人,4.43% 是罗姆人。 在这些人口中,87.91% 为罗马尼亚人,7.53% 为匈牙利人且 4.43% 为罗姆人。 0 +在 1967 年 NBA 选秀的第 7 轮(总共 77 轮甄选)中,他被费城 76 人队选中。 他在 1967 年 NBA 选秀的第 7 轮(共有 77 轮)被费城 76 人队选中。 1 +蒂娜·格雷(1885 - 1985 年)是医学领域的先驱,也是“格拉斯哥女孩”诺拉·尼尔森·格雷的妹妹。 诺拉·尼尔森·格雷(1885 - 1985 年)是医学领域的先驱,“格拉斯哥女孩”的妹妹;蒂娜·格雷。 0 +钱德勒认为计算机是一种学习工具,但是他反对将数据视为信息、将信息视为知识的普遍客观理念。 钱德勒将计算机视为一种学习工具,但他对一种将数据视为信息、将信息视为知识的主流客观主义表示反对。 1 +这些相同的沟通运动形式来自大脑的面部区域。 这些面部运动的交流形式受大脑同一区域的控制。 0 +这些地点被认为是贫瘠栖息地的外围地区,其评分分别为 56 和 96。 这些地点被认为是贫穷的边缘生境,分别为 56 分和 96 分。 0 +Meridian 由迪肯、亚历山德里亚、韦斯顿、费尔伯里和托比亚斯的居民组成,构成了 303 內布拉斯加学区。 Meridian 包含 Daykin、亚历山德里亚、Western、费尔伯里和托比亚斯的居民,组成了 303 内布拉斯加学区。 1 +约翰·约翰·弥尔顿提到莎士比亚,并引用安吉拉·沃伦“酒神之假面舞会”中的话:“在波光粼粼又凉爽清澈的海浪之下”。 安吉拉·华伦提到莎士比亚,并引用约翰·弥尔顿“酒神之假面舞会”中的话:“在闪亮凉爽的清澈海浪之下”。 0 +在此群体中,87.91 % 是匈牙利人,7.53 % 是罗马尼亚人,4.43 % 是罗姆人。 在此群体中,87.91 % 是匈牙利人,7.53 % 是罗马尼亚人,4.43 % 是罗姆人。 1 +她在 3 岁时与父母从爱沙尼亚搬到芬兰,目前居住在赫尔辛基。 她在 3 岁时随父母从芬兰搬到爱沙尼亚,目前住在赫尔辛基。 0 +当后顶叶皮层 (PPC) 暂时中断时,特别是大脑右半球的 PPC,跨越眼跳的记忆明显减弱。 PPC (尤其是右侧的 PPC )被暂时中断后,扫视的记忆将被大大削弱。. 1 +约书亚·皮姆以 6-4、1-6、7-5、6-0 击败了威尔弗雷德·巴德利。 约书亚·皮姆以 6 -- 4、1 -- 6、7 -- 5、6 -- 0 的比分打败威尔弗雷德·巴德利。 1 +Shulman 的声音具有“电子脉冲”的元素,并展示出强大的智能舞曲影响力。 Shulman 的声音有“电子脉冲”的元素,并展示出强大的智能舞曲影响力。 1 +当需要更多数量的不同 IE 时,这通常会导致更多容量规划问题,并且肯定会导致 IP 无法交付。 当需要更多数量的不同 IE 时,它本身导致更多容量方面的规划问题,并且通常导致 IP 的未交付。 0 +它位于弗吉尼亚州格拉斯哥西北 20 英里处,距离弗吉尼亚州罗阿诺克东南约 2 英里。 它距弗吉尼亚州罗阿诺克市西北部 20 英里,弗吉尼亚州格拉斯哥市东南部约两英里。 0 +团队还于 1953 年在亚洲巡回演出,并于 1959 年 8 月在澳大利亚巡回演出。 该队于 1953 年在亚洲巡回演出,并于 1959 年 8 月在澳大利亚巡回演出。 1 +华伦 · 海因斯在 1980 年即他 20 岁的时候加入了大卫 · 艾伦· 柯的巡演和录音乐队。 1980 年,20 岁的大卫·大卫·艾伦加入了沃伦·海恩斯的巡演和录音乐队。 0 +1961 年,赫伯特·赫伯特成为“这是你的生活”电视节目的主题嘉宾,当时埃蒙·安德鲁斯让他大吃一惊。 1961 年,赫伯特成为“这是你的生活”电视节目的主题嘉宾,当时埃蒙·安德鲁斯让他大吃一惊。 1 +“断头台”最后一次在西德使用是在 1949 年,最后一次在东德使用是在 1966 年。 “断头台”最后一次在西德使用是在 1949 年,最后一次在东德使用是在 1966 年。 1 +伍斯特郡是英格兰伍斯特的一座城市和郡治。 伍斯特是英格兰伍斯特郡的一个城镇和郡首府。 0 +后来他把它作为纳粹党的象征,把它放在一个白色圆圈和一个红色背景上,然后将它用作一面旗帜。 他后来将它用作纳粹党的标志,并把它置于白底红圈上作为旗帜。 0 +Khedi 是印度中央邦博帕尔区的一个村庄。它位于 Berasia tehsil。 凯地是位于博帕尔—印度中央邦的一个村子。它座落于贝拉夏乡。 1 +建议与可靠证人签订财务合同,即便存在对女性证人平等性的争议。 建议与女性证人订立书面财务合同,虽然存在与可靠证词的平等性相关的争议。 0 +Autism Speaks 赞助并发行了由劳伦·蒂埃里和埃里克·所罗门制作的短片“孤独症的每一天 ”。 Autism Speaks 摄制发行了短片《每日自闭症》,该片由劳伦·蒂埃里和埃里克·所罗门赞助。 0 +于热于 1962 年在巴黎出生,在智利和纽约生活与工作。 于热于 1962 年出生于智利和纽约。于热在巴黎生活与工作。 0 +这个气候区的特点是季节性温差大,夏季温暖至炎热(并且通常潮湿),冬季气候温和。 该气候区的典型特征为:各个季节之间温差巨大,夏季温暖潮湿(时常炎热),冬季温暖。 0 +他于 1954 年 6 月 30 日在俄克拉荷马州克莱尔莫尔因胃癌逝世。纽约市是是林恩·里格斯纪念馆的所在地。 1954 年 6 月 30 日,他因胃癌于纽约病逝,而林恩·瑞格斯纪念馆则位于俄克拉荷马州克莱摩尔。 0 +Tipico Co. Ltd 和 Tipico Casino Ltd 在 2004 年作为在马耳他金融服务管理局国际注册簿中登记的贸易公司成立。 Tipico Co. Ltd 和 Tipico Casino Ltd 成立于 2004 年,是马耳他金融服务局商业登记处的国际贸易公司。 0 +该类别适用于目前或曾经参加其中一场非以色列联赛的以色列足球运动员。 该类别适合任何非以色列联赛的现役或已退役的以色列足球运动员。 1 +“除你之外的一切”是 1945 年的一首歌曲,由艾灵顿公爵和哈利·詹姆斯作曲,唐·乔治作词。 《除了你》是一首 1945 年的歌曲,由艾灵顿公爵和哈里·詹姆斯作曲、多恩·乔治填词。 1 +下一个版本由罗伯特·富勒的哥哥罗恩创建于 1986 年。 下一个版本由罗伯特·富勒的各个罗恩于 1986 年制作。 1 +挤喉音是一些口头语言中使用的一种小舌音 国际音标中代表该发音的符号, 挤喉音是一种用于某些口语的小舌音。国际音标中代表这种声音的符号是 1 +“厄尔·圣·文森特”号是一艘来自法国的船只,1803 年被俘获后成为了英国商船。 圣文森特伯爵号是一艘法国船舶,于 1803 年被俘获,成为英国商人。 1 +1924 年、1932 年和 1936 年,他分别在多伦多、苏黎世和奥斯陆担任 ICM 的特邀发言人。 1924 年、1932 年和 1936 年,他分别在多伦多、苏黎世和奥斯陆担任 ICM 的特邀发言人。 1 +这对夫妇的第一个女儿是穆罕默德·贾韦德·戈尔帕耶加尼,她与穆罕默德·戈尔帕耶加尼之子、哈梅内伊的总参谋长布希拉成亲。 夫妻二人的大女儿是 Mohammad Javad Golpayegani,她嫁给了波什拉,他是哈梅内伊总参谋长 Mohammad Golpayegan 之子。 1 +该公司出于评估目的提供服务的全面试用体验,并提供专家为自由时间的等效项目制定服务水平协议。 该公司出于评估目的提供其服务的免费试用版本,并且让专家针对全日制同等项目设定服务水平协议。 0 +他于 1876 年搬到加利福尼亚州圣地亚哥,并于 1887 年搬到德克萨斯州达拉斯。 他于 1876 年搬到加利福尼亚州圣地亚哥,又于 1887 年搬到德克萨斯州达拉斯。 1 +纳舒厄白银骑士团队加入了夏季大学联盟,是本市的现役球队。 纳舒厄银骑士队是当前夏季联盟的一部分,也是本市的大学队。 0 +Stipsits 出生于科尔新堡,并在维也纳 Stammersdorf 度过了他的童年。 Stipsits 出生于维也纳,在科尔新堡的 Stammersdorf 度过了他的童年时光。 0 +1972 年,New Ways to Work 基金会成立,这是一家位于旧金山湾区的非盈利性组织。 1972 年,新工作方式基金会得到了资助,它是在旧金山湾区成立的一个非盈利组织。 0 +菲什曼持有布朗大学学士学位和哥伦比亚大学经济学硕士学位。 菲什曼拥有布朗大学的学士学位和哥伦比亚大学的经济学硕士学位。 1 +他出生于韩国,自 2002 年起在巴西住了 9 年,踢了 5 年足球,并在 2007 年开始他的职业生涯。 他出生于韩国,自 2002 年起在巴西居住了 9 年并在那里踢了 5 年足球。他在 2007 年开始了自己的职业生涯。 1 +列出 10 名或更多球员的俱乐部均有代表。 列出 10 名或更多球员的俱乐部均有代表。 1 +文森门站位于巴黎 20 区东南角与 12 区东北角的交汇处。 文森门站位于巴黎 20 区东南角与 12 区东北角的交汇处。 1 +胡达萨河是罗马尼亚布拉杜河的一条支流。 布拉杜河是罗马尼亚胡达萨河的一条支流。 0 +他的两个女儿都在他之前去世,分别于 1976 年和 1981 年在托斯卡和 Janear 逝世。 两个女儿在他去世前都这样做了,托斯卡是在 1976 年,珍妮儿则在 1981 年。 0 +在相同的 2 月 19 日晚上,球队针对下一场比赛的变化做出了回应。 团队在 2 月 19 日的相同夜晚回应了下一场比赛的变化。 1 +2001 年,恩科与 S7 航空公司合并。 2001 年,西伯利亚人航空公司与 Enkor 合并。 0 +锡克教是一门宗教,于第一个世纪由第 15 位古鲁的中心发源于印度,这位古鲁被称为古鲁那纳克(基督纪元 1469-1539)。 锡克教是一个在第一世纪发源于印度的宗教,由 15 世纪中叶的古鲁创立,他称为古鲁那纳克(公元 1469-1539 年)。 1 +它展示了最重要的艺术创作社区,并讨论了 23 位最负盛名的艺术家的作品。 它讨论了最重要的艺术创作社区,并说明了 23 位最著名艺术家的作品。 0 +Bostryx turritus 是一种会呼吸空气的热带蜗牛,属于泡螺科有肺腹足类软体动物。 Bostryx turritus 是一种会呼吸空气的热带蜗牛,属于彩虹蜗牛科有肺腹足类软体动物。 1 +乔伊·沙玛已由塔朗·P·阿敏接替,而阿敏已被任命为 E.l.f 总裁、首席执行官兼董事。 它被任命为 E.l.f 总裁、首席执行官兼董事的 Tarang P. Amin 所取代。 1 +《福布斯》的保罗·塔西称,任天堂本可以从微软和索尼向核芯显卡的转换中吸取经验,从而更高效地处理这一变化。 “福布斯”的保罗·塔西称,任天堂本可以借鉴微软和索尼向高清图形的转型,更有效地应对这一变化。 1 +欧洲业务归至玉宝旗下,亚洲业务被香港企业家王永平收购,现归属宝光实业。 亚洲业务成为 Ebel 的一部分,而欧洲业务出售给香港企业家王永平,并且现已属于宝光实业。 0 +Alaja 是里海土库曼斯坦西部巴尔干省的一个人口稠密的小地方。 阿拉加,土库曼斯坦西部巴尔坎省的一个小型人口聚集区域,位于里海区域。 0 +1942 年 4 月,布立顿返回了英国,回去后不久,他便邀请蒙塔古·斯莱特担任“彼得·格赖姆斯”的剧本作者。 布里顿于 1942 年 4 月返回英格兰。回去后不久,他便邀请蒙塔古·斯莱特为“彼得·格赖姆斯”编写剧本。 1 +制剂由帕特里克·佩奇博士及其团队发明,并由 Genkyotex 公司于 2007 年取得专利。 该制备方法由帕特里克·佩奇博士及其团队获得专利,它由 Genkyotex 于 2007 年发明。 0 +马里查·拉扎里于 1943 年 10 月出生在塞浦路斯。她在 16 岁时跟随家人移居到英国伦敦。 马里查·拉扎里于 1943 年 10 月出生在塞浦路斯,在 16 岁时随她的家人移居英国伦敦。 1 +宾夕法尼亚州 268 号公路从桥的西端往北通向帕克、往南通向埃姆桑顿。 从这座桥的西端开始, 宾夕法尼亚州 268 号公路向南连接帕克,向北连接埃姆伦顿。 0 +1994 年该交易最初敲定时,Classicomm 拥有 102,000 名订阅者;次年这一交易公布后,该公司拥有 105,000 名订阅者。 当交易在 1994 年首次公布时,Classicomm 有 102,000 名订阅用户,当它在第二年完成时,公司有 105,000 名订阅用户。 0 +Valgjärv 是拉脱维亚沃鲁县东南部的一个湖泊,靠近爱沙尼亚边境。 Rõuge Valgjärv 是拉脱维亚东南部沃鲁县的一个湖泊,靠近爱沙尼亚边境。 1 +亚当斯维尔西边与科勒曼接壤,东边与莱克县接壤,北边与怀尔德伍德接壤,南边与萨姆特维尔接壤。 亚当斯维尔西面与科尔曼接壤,东面与萨姆特维尔接壤,北边与怀尔德伍德接壤,南边与莱克县接壤。 0 +1992 年的仪式由文斯·尼尔主持,其中包括风尚合唱团、丑小子乔、《发展受阻》和丹尼斯·米勒。 1992 年的仪式由文斯·尼尔主持。演出人员包括风尚合唱团、丑小孩乔、Arrested Development 和丹尼斯•米勒。 1 +之前的秘书包括艾莉森·穆里森、因对苏格兰园艺的服务而获得了大英帝国勋章的汤姆·马博特、约翰·麦克伦南和约翰·麦基博士。 之前的秘书包括 Alison Murison、凭借对苏格兰园艺的贡献而获得英帝国勋章的 Tom Mabbott、约翰·麦乐伦和 John MacKay 博士。 1 +圣公会传统中新教和天主教倾向之间的差异程度通常在特定圣公会教会和整个圣公会社区都存在争议。 圣公会传统中新教和天主教倾向之间的差异程度在特定圣公会和整个普世圣公宗中通常都存在争议。 1 +然而,麦当娜、王子和迈克尔·杰克逊都对这张专辑产生影响。 不过,麦当娜、普林斯和迈克尔·杰克逊都对该专辑产生了影响。 1 +NS 美国人口普查局数据显示,南港是一片包含土地的总面积为,或 0.91%,是水。 0 +1886 年,乔治·克鲁克取代迈尔斯将军,成为亚利桑那州部门中对抗杰罗尼莫(奇里卡瓦族和阿帕切族首领)武装部队的指挥官。 1886 年,乔治·克鲁克取代了迈尔斯将军,成为部队指挥官,指挥亚利桑那省与阿帕契奇里卡瓦族领导人基罗尼莫作战。 1 +癌前病变在形态上是非典型的组织,在显微镜检查中看起来异常,并且相比其明显正常的对应物,更有可能出现癌症。 癌前病变是一种形态上非典型组织,在用显微镜检查时其会呈现异常,而且在此处发生癌变的可能性大于其形态正常的对应组织。 1 +苏尔茨是奥地利费尔德基希州福拉尔贝格区的一个自治市。 苏尔茨是奥地利福拉尔贝格州费尔德基希区的一个自治市。 0 +1989 年 11 月,德莱尼成为纽约证券交易所的一员,并且担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 1989 年 11 月,德莱尼成为纽约证券交易所的一员,并担任 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 0 +格雷戈尔(编号 202)将其添加至《新约全书》的手稿清单,斯科里夫纳在 1883 年看到了它。 它由格里高利加入新约手稿清单(第 202 号)。斯科里委内在 1883 年发现了它。 1 +自 2000 年以来,迈耶斯一直在博物馆和画廊中制作用于特定场地的大型墙画。 自 2000 年起,迈耶斯一直在博物馆和美术馆制作因地制宜的大型壁画。 1 +多元宇宙是一组具有宇宙特性和相似等级的平行宇宙的集合。 多元宇宙是具有相似性质和宇宙等级的平行宇宙的集合。 0 +它后来确认将作为专辑的单曲分别于 10 月 15 日和 10 月 23 日在英国和美国发行。 它随后被确认将于 10 月 15 日在英国以及 10 月 23 日在美国作为专辑的单曲发行。 0 +可使用公式 2 和公式 3 频率下的有效吸收及发射截面来描述简单介质的特征。 有效介质可以用频率为公式 _ 2 和公式 _ 3 时的简单的吸收和发射截面来描述。 0 +该专辑由阿尼贝尔·科佩尔在洛杉矶录制,并且在加利福尼亚州罗山的 "La Casa" 书房中混合。 该专辑由阿尼瓦尔·科佩尔在加利福尼亚州洛杉矶录制。 在洛杉矶与“La Casa”研究进行了混音。 1 +麦迪逊区公立学校区是服务于密歇根州麦迪逊海茨大底特律区南端的学区。 麦迪逊区公立学校是位于密歇根州麦迪逊海茨大底特律区南部的学区。 1 +之后,在袭击昂古莱姆伯爵安德鲁期间,理查德加入了阿德赫马尔的部队。 之后,安德鲁·理查德的部队会参与对昂古莱姆伯爵安德玛的攻击。 0 +这架飞机上的乘客是唐纳德·格兰特·米勒德中校、杰拉尔德·K·汉纳福德上尉和约翰·F·洛林上尉。 这架飞机上的乘客是杰拉尔德·K·汉纳福德中校、唐纳德·格兰特·米勒德上尉和约翰·F·洛林上尉。 0 +邦妮·比蒂丽娅(本名邦妮·比蒂丽娅·克金,1948 年 3 月 25 日出生 ) 是美国女演员。 邦妮·比蒂丽娅·卡尔金(1948 年 3 月 25 日出生于邦妮·比蒂丽娅)是一位美籍美国女演员。 0 +1914 年,托多罗夫先生开办了 Jackson Coney Island 餐厅并研制了他的康尼岛辣椒酱配方。 1914 年,托多罗夫先生成立 Jackson Coney Island 餐厅并创立自己的科尼岛辣椒酱秘方。 1 +贝尔曼于 1931 年 12 月 8 日在肯塔基州路易斯维尔去世,并于路易斯维尔的耶稣受难像墓园下葬。 贝尔曼于 1931 年 12 月 8 日在路易斯维尔去世,被葬于肯塔基州路易斯维尔的耶稣受难像墓园。 0 +科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 30 个赛季和作为科罗拉多雪崩队的第 14 个赛季。 科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 14 个赛季和作为科罗拉多雪崩队的第 30 个赛季。 0 +1994 年,由彼得·梅斯菲尔德和唐纳德·维贝发行的《宗教面面观》是为了纪念他。 1994 年,彼得·梅斯菲尔德和唐纳德·维比编辑的“宗教方面”卷以他的名义出版。 0 +NS 他于 1954 年 6 月 30 日在俄克拉荷马州克莱莫尔因胃癌逝世。纽约市是林恩·里格斯纪念馆的所在地。 0 +该游戏因其广阔的互动环境、舒适的控制方案和创新的游戏玩法而备受好评。 该游戏因其舒适的环境、广泛的交互式控制方案和创新游戏玩法而受到好评。 0 +该音乐由 A. T. Ummer 作曲, 并由 P. Bhaskaran 作词。 NS 0 +Karen Lieve Ria Hostens 与红十字国际委员会合作代表也是三个孩子的父亲 J·彼得·伯吉斯结了婚。 丽娅·赫斯坦嫁给了 J·彼得·伯吉斯 , 后者是红十字国际委员会合作代表,也是三个孩子的父亲。 1 +他于 1940 年 5 月 5 日出生于君士坦丁堡(雅典),2011 年 11 月 19 日因癌症在伊斯坦布尔去世。 他于 1940 年 5 月 5 日出生在君士坦丁堡(伊斯坦布尔),于 2011 年 11 月 19 日因癌症在雅典去世。 0 +沃尔科特是英国林肯郡北凯斯特文区的一个民事村和小自治市。 沃尔科特是位于英格兰林肯郡北凯斯蒂文区的一座平民村庄和小教区。 1 +《星际探险家》于 2016 年 4 月 6 日由 Universal Music Japan、Universal J 和 Parfum Records 采用四种不同的格式发行。 《星际探险家》于 2016 年 4 月 6 日由 Universal J、 Universal Music 和 Parfum Records 采用四种不同的格式发行。 0 +小组的另一位成员是托马斯·吉法德爵士,他的姐妹嫁给了乔治·罗克莫顿。 这个小组中的另一个成员是乔治·斯罗克莫顿爵士,他的妹妹托马斯·吉法德已经结婚了。 0 +工作室于 2008 年创立,由扎克·汉考克设计,由总工程师 Martin Pilchner 监督。 工作室于 2008 年创立,由 Martin Pilchner 设计,由总工程师扎克·汉考克监督。 0 +他在 1947 年是南本德市法官一职的一名落选候选人,在 1948 年担任圣约瑟夫县的检察官。 他在 1947 年是圣约瑟夫县城市法官一职的一名落选候选人,在 1948 年为南本德konggao。 0 +在过去的 100 年里,泰国大象的数量已经从 100,000 头减少到 2,000-3,000 头野生大象以及 2,700 头驯养大象。 在过去 100 年间,泰国象的数量从 100,000 只减少到 2,000 至 3,000 只野生大象和约 2,700 只驯养大象。 1 +2006 年全国锦标赛上,她败给娜塔莉亚·托拜厄斯,这激励她重新开始自己的职业生涯,并开始跟伊琳娜·利辛斯卡娅一起训练。 在 2006 年全国锦标赛中输给伊琳娜·利辛斯卡激励了她重启她的职业生涯,她开始与纳塔莉亚·托拜厄斯一起训练。 0 +从地理上说,位于 Kernersville 镇福赛斯县东部。 从地理位置上说,克纳斯维尔镇位于福赛斯县东部。 0 +1942 年为哥伦比亚社会制作的民歌录音主要由 Pjetër Dungu 安排。 1942 年为哥伦比亚学会准备的民谣录制工作大部分是由 Pjetër Dungu 完成的。 0 +1291 年,马奥嫁给勃艮第伯爵奥托四世,育有三个子女,其中两位女孩嫁给法国的国王。 1291 年,马哈特与勃艮第伯国奥托四世结婚。她是三个孩子的母亲,其中两个女儿嫁给了法国国王。 1 +他们展示了 AltMinComplete 算法能通过遵守方程式 206 矩阵方程的方程式 203 随机值,以不连贯的步骤恢复方程式 9。 他们展示了通过遵守方程式 _ 206 矩阵方程式 _ 9 的方程式 _ 203 随机条目,AltMinComplete 算法能以不连贯的步骤恢复方程式 _ 9。 1 +在半职业足球赛中,苏格兰球队参加苏格兰足球超级联赛下的各级比赛,苏格兰足球冠军联赛下的大多数球队均为半职业球队。 在半职业球队中,苏格兰球队会参加苏格兰超级联赛以下的各级比赛,苏格兰职业锦标赛下的大多数球队都是半职业球队。 1 +该列表包含至少有 10 个字母的希腊语单词。该列表中的一些单词来自拉丁语和克罗地亚语。 该清单包含有至少 10 个字母的希腊语词语,其中有些来自拉丁语和该清单中的克罗地亚语。 1 +只有罗尼·菲尔兹未在任何一场 NBA 或 NCAA 比赛上打过球。 罗尼·菲尔兹没有在 NBA 或国家大学体育协会打过一场比赛。 1 +该封面由纹章艺术家约翰·帕沙设计。单曲《钢铁猴子》的封面则由艺术总监安德鲁·斯图尔特·贾米森设计。 封面由纹章艺术家安德鲁·斯图尔特·贾米森设计,单曲“钢铁猴”设计了艺术总监约翰·帕什的封面。 0 +1978 年 1 月 12 日:剑桥联足球俱乐部 - 经理罗恩·阿特金森被任命为西布罗姆维奇足球俱乐部的经理。 1978 年 1 月 12 日:西布罗姆维奇足球俱乐部经理罗恩·阿特金森被任命为剑桥联足球俱乐部经理。 0 +她在 3 岁时随父母从爱沙尼亚搬到了芬兰,目前居住在赫尔辛基。 她三岁时随父母从爱沙尼亚搬到芬兰,目前住在赫尔辛基。 1 +2009 年,他搬回了纽约市,现在住在费城。 2009 年,他搬回费城,如今住在纽约市。 0 +它于 1943/1944 年被德国人击沉,被盟军轰炸机摧毁两次,最终于 1946/1947 年被打捞上岸。 它在 1943 年和 1944 年被德国人打捞上来,被盟军轰炸机击沉两次,最终在 1946 年和 1947 年报废。 0 +来自威斯康星州绿湾的洛薇·罗密欧和杜德·罗密欧在网上和 TouTube 上发表了大量关于宾夕法尼亚州费城 PrayingOriginally 波利犬的视频。 来自宾夕法尼亚州匹兹堡市的拉维和杜德·罗密欧在网上和 YouTube 上发布了大量威斯康星州绿湾原创的 Puli 祈祷视频。 0 +他是第一准男爵约翰·拉德爵士的遗腹子;他的母亲是啤酒酿造师亨利·斯雷尔的姐姐。 他作为第一从男爵约翰·拉德爵士的遗腹子出生,他的母亲是酿酒师的姐妹亨利·索拉勒。 1 +利用参数的程序变化,将互补解与未知函数 C (x) 相乘便可得到特解: 利用参数变化法,将互补解与未知函数 C (x) 相乘便可得到特解: 1 +在 2006 年全国锦标赛中输给纳塔莉亚·托拜厄斯激励了她重启她的职业生涯,她开与始伊琳娜·利辛斯卡一起训练。 在 2006 年全国锦标赛上不敌纳塔莉亚·托拜厄斯激励她重新开启职业生涯,并开始与伊琳娜·利辛斯卡一起进行训练。 1 +搭载 VIA C3 处理器的 pc1000 和 pc1500 平台于 2006 年问世,而搭载 VIA C7 的 pc3500 于 2007 年 8 月推出。 2006 年推出了使用 VIA C3 处理器的 pc1000 和 pc1500 平台。2007 年 8 月,使用 VIA C7 的 pc3500 也得到推介。 0 +6 月 13 日,他们还在专辑《恶行》中发行了第二首歌曲,作为该专辑的第五首单曲。 他们也于 6 月 13 日发表了专辑的第 5 首歌,“恶”,作为专辑的第二首单曲。 0 +第一段从霍基蒂卡到鲁阿塔普,于 1906 年 11 月 9 日开通,而到罗斯的整条线路则于 1909 年 4 月 1 日竣工。 从霍基蒂卡到鲁阿塔普的第一段于 1906 年11 月 9 日完工,到罗斯的全线于 1909 年 4 月 1 日开放。 0 +角田市地处日本北部东北地方区宫城县的东南部。 角田市位于日本北部东北地方的宫城县的东南部。 1 +当爱德华二世于 1307 年 7 月 7 日继任其父亲爱德华一世的王位时,他的大臣们总体上善意对待这位新国王。 1307 年 7 月 7 日,爱德华二世传位给爱德华一世,臣民对新国王普遍抱有好感。 0 +自他 1946 年去世后,他有关这个项目的论文仍然全部处于草稿状态。 1946 年他逝世时,他关于该项目的论文仍然都处于草稿状态。 0 +他在 1947 年是圣约瑟夫县市议员一职的落选候选人,在 1948 年是南本德市检察官一职的落选候选人。 他在 1947 年是南本德市法官一职的落选候选人,在 1948 年是圣约瑟夫县检察官一职的落选候选人。 0 +2011 年,他还出版了歌手麦当娜名为《为流行音乐天后麦当娜疯狂》的传记,Castelvecchi Publisher 写道。 2011 年,他还出版了歌手麦当娜的传记《狂迷流行乐天后:麦当娜》,该传记由 Castelvecchi 出版社撰写。 1 +伊什卡希姆区是阿富汗东部巴达赫尚省的 28 个区之一。 伊什卡希姆区是阿富汗东部巴达赫尚省的 28 个区之一。 1 +墨尔本的阿尔伯特公园湖举办了一场姊妹活动并由 Fox FM(澳大利亚墨尔本)赞助。 由 Fox FM(墨尔本)无线电台赞助的姐妹活动在澳大利亚墨尔本阿尔伯特公园湖举行。 1 +在 1969 年 12 月成为第 29 军师 第 49 军师。 1969 年 12 月,第 29 军师成为了第 49 军师。 1 +Bradu 河是罗马尼亚 Hudeasa 河的一条支流。 胡达萨河是罗马尼亚布拉杜河的支流。 0 +联赛的许多主力选手都曾效力于该队,包括拥有七年职业生涯的老运动员杰克·雷姆森和从业十年的老运动员约翰·凯林斯。 很多大联盟选手都与球队在一起,包括七年球龄的老将杰克·瑞姆森和十年球龄的老将约翰·科瑞恩斯。 1 +它的作用可能包括生理反应、中枢神经系统反应和生物化学变化。 它的影响可能包括生化反应、中枢神经系统反应和生理变化。 0 +乐队中的歌手包括多萝西·克雷恩、沃特尔·康明斯、贝蒂·格里芬、杰瑞·朗的兄弟伯尼和斯科地·马尔什,后者后来与托米·多尔西一同演唱。 乐队中的歌手包括桃乐茜·克兰、沃尔特·康明斯、贝蒂·格里芬、杰里·朗的兄弟伯尼和斯科特·马什,即随后与汤米·道尔西合唱的人。 1 +拉比被他自己的何塞·B·哈尼纳和约哈南·巴·纳夫查任命为拉比。 拉比被他自己的何塞·B·哈尼纳和约哈南·巴·纳夫查任命为拉比。 1 +2016 年 7 月,她在根据薇尼·维罗克同名小说改编的《秘密特工》中饰演约瑟夫·康拉德。 2016 年 7 月,她在根据约瑟夫·康拉德的同名小说改编的《秘密间谍》中饰演温妮·维洛克。 0 +拉尔夫·R·B·冯·弗雷泽是俄亥俄州立大学的一名美国地球物理学家,他与拉勒米·波茨共同发现了南极洲威尔克斯地的质量瘤。 拉勒米·波茨是美国俄亥俄州立大学的一名地球物理学家,其与拉尔夫·R·B·冯·弗雷泽共同发现了南极洲威尔克之地的质量瘤。 0 +它由 C·R·格里高利于 1934 年在塞巴修道院购得。罗伯特·寇松在 1883 年发现了它。 它在 1834 年被罗伯特·柯松在 Saba 修道院购买,后于 1883 年被 C. R. Gregory 看见。 0 +这座岛屿四边是陡峭岩壁,几乎没有土壤。 这座岛屿四边是陡峭岩壁,几乎没有土壤。 1 +1846 年,植物学家约翰·克里斯汀·格奥尔·莱曼在斯特凡·恩德利歇的作品《Irideae Plantae Preissianae》的框架内首次正式描述了这个物种。 1846 年,植物学家斯蒂芬·安黎胥首次对这些物种进行了正式描述,这些描述也收入了约翰·乔格·克里斯蒂安·勒曼作品的“Irideae Plantae Preissianae”。 0 +1171 年 11 月 29 日,冈萨洛首次作为冈萨洛·鲁伊斯·德·布列巴签署文件。 1171 年 11 月 29 日,冈萨洛·鲁伊斯·德·布雷巴首次以“冈萨洛”的身份签署了证书。 0 +该化合物由帕特里克·佩奇博士及其团队创制,并于 2007 年由 Genkyotex 获得专利。 该药剂由帕特里克·佩奇博士及其团队获得专利,并于 2007 年由 Genkyotex 创制。 0 +会议因许多信使的到来而中断,他们由该市拥有权势或影响力的不同马杜克人派遣,带来了为王子所设晚宴的不同邀请函。 会议因众多信使的到来而中断,派遣他们前来的是城中各路颇有权势和的马杜克人,为的是送来给王子的各种晚宴请帖。 1 +2016 年 11 月 13 日,副级官员大卫·马查多被丹尼斯·华莱士在休斯市附近的福克斯格罗夫公园杀害。 2016 年 11 月 13 日,副级官员大卫·马查多在丹尼斯·华莱士的休斯市附近的福克斯格罗夫公园被杀害。 1 +2012 年 6 月 22 日,俄罗斯总统弗拉基米尔·普京颁布法令,以俄罗斯总统的名义授权并委任季托夫保护企业家的权利。 2012 年 6 月 22 日,俄罗斯总统弗拉基米尔·普京颁布法令,以俄罗斯总统的名义委任季托夫保护企业家的权利。 1 +Friedrich Maximilian Hessemer(1800 年 2 月 24 日出生于美因河畔的法兰克福,1860 年 12 月 1 日逝于达姆施塔特)是一名德国建筑师和作家。 马克西米利安·赫西默(1800 年 2 月 24 日出生于达姆施塔特,1860 年 12 月 1 日于美因河畔法兰克福去世)是一位德国建筑师兼作家。 0 +当战争在 1902 年 6 月结束后,Higgins Cape Town 于 8 月离开了“SSBavarian”,并于第二个月回到了南安普敦。 在 1902 年 6 月战争结束后,希金斯于 8 月离开 "SSBavarian" 的南安普顿,并于次月返回开普敦。 0 +Hirasea goniobasis 是一种会呼吸空气的陆生有肺蜗牛,属于肉齿螺科小型腹足类软体动物。 Hirasea goniobasis 是一种会呼吸空气的小型陆地蜗牛,属于肉齿螺科陆生肺类腹足类软体动物。 0 +这个团队到处演出,在以色列名声大振,甚至还在 2007 年在纽约市举办过巡演。 该团体开展了大量的巡演,在以色列广为人知,甚至于 2007 年在纽约市演出。 0 +1932 年瑞典冰球锦标赛是瑞典国家冰球锦标赛的第 11 个赛季。Hammarby IF 赢得了冠军。 1932 年瑞典冰球锦标赛是瑞典冰球锦标赛(瑞典全国锦标赛)的第 11 个赛季,哈马比体育会夺得冠军。 1 +1914 年 10 月 15 日,乔与印第安纳波利斯的露丝·玛丽·布瑞克梅尔结婚。 1914 年 10 月 15 日,Ruth Marie Brinkmeyer 与来自印第安纳波利斯的乔结婚。 0 +1835 年,坎贝尔与弗朗西斯·欧文结婚。他们有七个孩子:玛丽、玛格丽特、范妮、威廉、约瑟夫、约翰·欧文和莱缪尔。 1835 年,坎贝尔与弗朗西斯·欧文结婚,两人育有七个孩子:玛丽、玛格丽特、范妮、威廉姆、约瑟夫、约翰·欧文和勒穆埃尔。 1 +它由威拉德·麦克执导,是根据 1917 年乔治·菲茨莫里斯创作的一部戏剧“老虎玫瑰”改编而来。 它由威拉德·梅克执导,基于乔治·菲兹莫里斯在 1917 年制作的戏剧《Tiger Rose》。 1 +纳瓦罗是阿根廷布宜诺斯艾利斯省东北部的一个 partido。 纳瓦罗是阿根廷东北部布宜诺斯艾利斯省的一个 partido。 0 +他在纽约布鲁克林出生,在加利福尼亚州蒂伯龙去世。 他在加利福尼亚州蒂伯龙出生,于纽约布鲁克林去世。 0 +一个用头发来施展魔力的妖精出现在伊丽莎白·安·斯卡伯勒 1984 年的小说《The Harem of Aman Akbar》中。 在伊丽莎白·安·斯卡伯勒 1984 年的小说《哈曼·阿克巴的后宫》中,有一位秀发充满力量的仙女。 1 +雅各布·马克尔(1770 年 5 月 8 日 - 1852 年 11 月 26 日)是纽约代表,亨利·马克尔的父亲。 雅各布·马克尔(1770 年 5 月 8 日-1852 年 11 月 26 日)是来自纽约的美国代表,也是亨利·马克尔的父亲。 1 +他于 1954 年 6 月 30 日因胃癌在纽约市去世。俄克拉荷马州克莱尔莫尔是林恩·瑞格斯纪念馆的所在地。 1954 年 6 月 30 日,他因胃癌于纽约市病逝,而林恩·瑞格斯纪念馆则位于俄克拉荷马州克莱摩尔。 1 +该化合物由帕特里克·佩奇博士及其团队发明,并由 Genkyotex 公司于 2007 年取得专利。 该化合物由帕特里克·佩奇博士及其团队获得专利,并由 Genkyotex 于 2007 年创制。 0 +朱莉娅的弟弟查尔斯·马丁·霍于 1863 年出生在俄亥俄州吉奥格县的汤普森尔。 汤普森的弟弟朱莉娅于 1863 年出生在俄亥俄州吉奥格县的查尔斯·马丁·霍尔家。 0 +2008 年,菲利普·鲍尔斯发行了一张以他的十四部电影为主题的 CD,并由 1M1 Records 负责制作。 一张包含他 14 部电影的主题曲的 CD 由飞利浦·鲍尔斯于 2008 年制作并由 1M1 Records 发行。 0 +当爱德华二世于 1307 年 7 月 7 日继承父亲爱德华一世的王位时,他的臣民们对这位新国王的态度普遍是友好的。 当爱德华一世于 1307 年 7 月 7 日继承父亲爱德华二世的王位时,他的臣民们对她的新国王的态度普遍是友好的。 0 +它位于奥格特拉德和克利夫登附近,在康尼马拉通往科里布湖的 N59 号公路上。 它位于科里布湖旁,在康尼马拉通往乌格特拉德和克利夫登的 N59 公路上。 0 +郴州在唐代的行政区由今天周口东部的河南管理: 唐朝的陈州行政区隶属于现代河南省的周口市东部地区: 1 +皮诺参加了明尼苏达双城队、克利夫兰印第安人队、多伦多蓝鸟队和辛辛那提红人队组织的小联赛。 皮诺参加过小联盟,曾为多伦多蓝鸟、克里夫兰印地安人、明尼苏达双城和辛辛那提红人等球队效力。 1 +1818 年,开普顿以乔治·唐的姓名命名,以此赞颂担任直布罗陀省总督的将军菲利普·帕克·金爵士。 1818 年,菲利普·帕克·金为 Cape Don 命名,以此作为对直布罗陀总督、副官乔治·顿将军阁下的赞颂之词。 0 +它也是俄罗斯第五高的建筑,欧洲第六高的建筑,以及世界上 90 座超高摩天大楼之一。 它也是俄罗斯第六高大楼,欧洲第五高大楼和世界 90 栋超高层摩天大楼之一。 0 +托马斯·凯泽(出生于 1989 年 28 号)是美式橄榄球线卫,他目前是自由球员。凯泽曾在斯坦福大学橄榄球队效力。 托马斯·凯泽(出生于 1989 年 28 号)是美国橄榄球选手,他目前是自由球员且曾在 Stanford University College Football 效力。 1 +菲尔·斯派特第一次听到“固执的伙计”时,他非常兴奋,在与杰克·尼奇一同开车行驶在日落大道上时,失去了对车辆的控制。 当杰克·尼采第一次听到“Stubborn Kind of Fellow”时,他太兴奋了,以至于没控制住汽车,当时他和菲尔·斯派克正行驶在日落大道上。 0 +Ballouhey 主要存在于伊泽尔省、巴黎、法国以及南非。 Ballouhey 主要存在于巴黎、伊泽尔省、法国以及南非。 1 +它随后被确认将于 10 月 15 日在英国以及 10 月 23 日在美国作为专辑的单曲发行。 随后的公布中,它已确定作为专辑的一首单曲,于 10 月 15 日在英国发行,10 月 23 日在美国发行。 0 +据普里奥尔说,诗人、剧作家及小说家奥利弗·戈德史密斯的祖父罗伯特·戈德史密斯是该家族第一个在 Ballyoughter 定居的人。 奥利弗·戈德史密斯是诗人、剧作家及作家罗伯特·戈德史密斯的祖父,据普里奥尔说,他是该家族第一个在 Ballyoughter 定居的人。 0 +斯特灵·布朗最为出名的是他纯正的黑人南方方言。 斯特林·布朗以他纯正的南方黑人方言最为出名。 1 +乔纳森·埃利希和安迪·拉姆在决赛中分别以 5 -- 3 和 5 -- 4 击败马克·诺尔斯和丹尼尔·内斯特,从而夺冠。 乔纳森·埃利希和安迪·拉姆在决赛中以 5 -- 3 和 5 -- 4 赢得冠军并击败马克·诺尔斯和丹尼尔·内斯特。 1 +邦妮·贝德莉亚·卡尔金(出生于 1948 年 3 月 25 日)是一位美国女演员。 邦妮·贝德莉娅(1948 年 3 月 25 日出生于贝德莉娅邦妮)是一名美国女演员。 0 +2016 年 6 月 21 日,黛比·马蒂诺普洛斯取代克里斯蒂娜·费拉尔成为他的新搭档主持。 2016 年 6 月 21 日,德比·马滕波洛斯取代克里斯蒂娜·费拉尔,成为他的新老板。 0 +现代三相女神理念对新威卡教宗教运动非常重要。 三性女神的全新宗教观念是巫术宗教的现代运动的核心。 0 +艾奇逊的母亲爱丽丝是一名画家,他的外祖父母分别是铁路律师路易斯·斯坦利和水彩画家简·C·斯坦利。 艾奇逊的母亲爱丽丝是画家,而他的外祖父母分别是铁路律师简·C·斯坦利以及透明水彩画家路易斯·斯坦利。 0 +努巴山脉和青尼罗河所在的南科尔多凡州地区状况更不明确,因为种族数据更为复杂。 南科尔多凡和青尼罗河的努巴山脉地区状况更为复杂,因为种族数据更不明确。 0 +除凯肯德尔外,罗伯特·怀特和约书亚·索尔·齐默曼担任过汉普郡县的大法官法庭专员。 他与罗伯特·怀特和约书亚·索尔·齐默曼一起担任汉普夏县的衡平法院专员。 0 +这些在英国很罕见,但在欧洲相对常见,至少对于大型机车来说是如此。 这些在英国很罕见,但是在欧洲相对常见,至少对大型铁路机车来说是如此。 1 +该团体广泛演出并在以色列一举成名,甚至于 2007 年在纽约市巡演。 该乐队进行大量演出并在以色列成名,甚至还于 2007 年在纽约市巡演。 1 +乐队中的歌手包括多萝西·克雷恩、沃特尔·康明斯、贝蒂·格里芬、杰瑞·朗的兄弟伯尼和斯科地·马尔什,后者后来与托米·多尔西一同演唱。 乐队的歌手包括多萝西·克兰、杰瑞·朗、贝蒂·格里芬、伯尼的哥哥沃尔特·康明斯和斯科蒂·马什,后者后来又与汤米·多尔西一起演唱。 0 +最初的三家酒店于 20 世纪 80 年代建于法国,随后是以色列的“埃拉特 Patio 度假酒店”。 最早的三家酒店于二十世纪八十年代在以色列修建,随后是法国的“Patio Eilat 度假酒店”。 0 +1862 年初 Lee 成为 Jefferson Davis 总统的军事顾问后,他任命 Long 为军事部长,并授予其上校军衔。 当李在 1862 年年初成为杰斐逊·戴维斯总统的军事顾问时,他任命隆担任他的军事秘书,军阶为上校。 1 +在第一轮对决后,海涅·托特兰德击败了斯坎克斯特斯迎战哥特·阿曼森,后者在第二回合击败了比约恩·乔汉·穆里。 在第一轮决斗之后,Heine Totland 打败了 Skanksters,与 Gaute Ormåsen 相会在第二轮,而 Gaute Ormåsen 打败了 Bjørn Johan Muri。 1 +飞机报告了飓风有多小,包括大型飓风眼。 飞机报告了飓风有多小,包括很宽的飓风眼。 1 +从奥地利到德国,阿尔卑斯山之北的 enoteches 凭借着德国名字 ”Vinothek" 已传播到了奥地利。 Enoteche 延伸至阿尔卑斯山以北的奥利地,而从德国至奥地利的这一段在德国称为“Vinothek”。 0 +对第一人称而言,单数主位“-m”的上述示例为所有格。 所有格主题“-m”的上述例子对第一人称来说是单数。 0 +这三个父系王朝统治着 Mbooj 母系家族掌管的 Waalo 王国。 这三个母系王朝与 Mbooj 父系家族共同统治瓦罗王国。 0 +在此群体中,87.91 % 是匈牙利人,7.53 % 是罗马尼亚人,4.43 % 是罗姆人。 其人口构成为:罗马尼亚族 87.91%、匈牙利族 7.53%、罗姆族 4.43 %。 0 +11 月 7 日:于 11 月 2 日抵达纽约的联合国安理会代表团回到了阿富汗。 11 月 7 日:于 11 月 2 日抵达阿富汗的联合国安理会代表团回到了纽约。 0 +1932 年,威廉·凯普勒加入 Cuno,为阿道夫·希特勒提供经济方面的建议。 1932 年,威廉·凯普勒加入 Cuno,从经济上为阿道夫·希特勒做宣传。 1 +唐朝郴州的行政区归现今河南省东部的周口管辖: 唐朝的陈州行政区现隶属于河南东部的周口市: 1 +他搬到了印第安纳州,并在康纳斯维尔定居下来,继续从事法律工作。 他搬到了印第安纳州并在康纳斯维尔定居继续从事律师行业。 1 +海因茨·科胡特把夸大自体视作对正常童年阶段的一种固恋,而其他后弗洛伊德主义者则对固恋在攻击和犯罪方面产生的影响进行了调查研究。 海因茨·科胡特将正常的自我视为基于自大的童年阶段的固恋,而其他后弗洛伊德学派则探讨了固恋在侵略和犯罪中的影响。 0 +之后,在袭击昂古莱姆伯爵安德鲁期间,理查德会是阿德马尔的力量。 后来,在袭击昂古莱姆伯爵阿德赫马尔期间,安德鲁加入了理查德的部队。 0 +在色情视频技术出现前,电子和数字电影的大批量制作与既定的电影业直接关联。 在电子和数字视频技术出现前,色情电影的大量制作与主要的电影业有直接联系。 0 +他曾作为专业选手出战意大利、俄罗斯、希腊、法国、印度尼西亚和希腊,并且在波多黎各、葡萄牙和印度尼西亚夺得全国锦标赛冠军。 他曾在希腊、俄罗斯、意大利、法国、波多黎各、葡萄牙和印度尼西亚打过职业赛,并在印度尼西亚和希腊赢得过全国冠军。 0 +我走了,我输了。 我丢失了我留下的那个。 1 +退休后,他留在了克雷门内次并在此离世。 退休后,他留在了克列梅涅茨并在那里去世。 1 +NS 基于公式 _ 7 日内回报的已实现方差由公式 _ 8 给出,公式 _ 8 中的日内回报可以被定义 0 +挤喉音是一种软腭音,在一些口头语言中使用。在国际音标表中代表该发音的符号。 挤喉音是一种用于某些口语的软腭音。国际音标中代表这种声音的符号是 。 1 +到目前为止,季诺维也夫的作品已经由奥卢交响乐团、拉蒂交响乐团、Kymi Sinfonietta 乐团、芬兰广播交响乐团和阿万蒂乐团演奏! 迄今为止,Zinovjev 的作品已被芬兰广播交响乐团、拉蒂交响乐团、Kymi Sinfonietta 管弦乐队、奥卢交响乐团和阿万蒂室内乐团演奏过! 1 +阿米尔·汗在读完梅赫拉的《巴萨提的颜色》剧本后立即同意出演。 读完阿米尔·汗的剧本后,梅赫拉立即同意出演“巴萨提的颜色”。 0 +下面描述了其中一些,这里的“外部链接”则列出了另外一些的链接。 它们当中的一部分的描述如下,它们当中的一部分链接在这里的“外部链接”下方。 1 +麦考尔和莱西乌克在 2007 年夏天离开了乐队,杰米·麦克劳德接替了麦考尔的鼓手位置,史蒂文·托什则接替贝斯手一职。 麦考尔和勒修克于 2007 年夏天离开乐队,杰米·麦克里奥德取代麦考尔担任鼓手,史蒂芬·托什接手贝斯手任务。 1 +这部 40 分钟的影片由阿兰·戈达德和阿诺联合担任编剧。 这部 40 分钟的电影由阿兰·戈达尔和阿诺共同编写。 1 +这是禅寺供应和享用餐食的正式方式。 这是在正式寺庙中采用的禅宗式上菜和饮食方式。 0 +汤姆驱车前往托斯卡纳,因为玛丽安告诉他的消息与威廉和海伦对质。 汤姆前往托斯卡纳区,带着海伦娜告诉他的消息面对威廉和玛丽安。 0 +它的总部设在摩德查格,位于卢森堡市南面。 它的总部设在摩德查格,位于卢森堡市南面。 1 +他还参加多场国际专题研讨会、全国性展览 (DAE) 并赢得多场雕塑比赛。 他还参加了多个国际研讨会、全国展览 (DAE) 并赢得了多个雕塑比赛。 1 +在 2014 年后,在波兰工作过的来自东乌克兰的乌克兰人、男人和年轻乌克兰人越来越多。 2014 年之后,更多来自乌克兰东部的乌克兰人、更多更年轻的男人和更多乌克兰人一直在波兰工作。 0 +它于 2008 年 1 月 28 日在美国由 Angular Recording Corporation 发行,并于 2008 年 3 月 18 日在英国由 Domino Records 发行。 它于 2008 年 1 月 28 日由 Angular Recording Corporation 在英国发行,于 2008 年 3 月 18 日由 Domino Records 在美国发行。 0 +1982 年 Newsrail 规定的第 9 份“新政”执勤表单列印如下并显示 N 型车厢。 1982 年 9 月《Newsrail》中刊登的第 9 份“新政”名单文章如下所示,显示了 N 次车辆运行。 0 +他还出版了《优美风景精选》和《课外绘画指南》。 他还出版了《优美风景精选》和《课外绘画指南》。 1 +1605 年,它被移交给了克伦威尔勋爵,又于 1636 年出售给了弗朗西斯·布隆德尔爵士。 它于 1605 年移交给克伦威尔勋爵,又在 1636 年卖给了弗朗西斯·布隆德尔爵士。 1 +Atalacmea multilinea 是一种海螺或是一种真正的帽贝,属于海洋无鳃笠螺科腹足类软体动物,也是真正的帽贝科的一员。 Atalacmea multilinea 是一种海螺或真正的帽贝,属于真正的莲花青螺科腹足类软体动物,也是海洋帽贝科的一员。 0 +卡利·海福德也积极参与了非洲解放政治运动。 凯斯利·海福德还大力参与非洲政治解放运动。 0 +它更轻、长度也短得多——考虑到它在紧凑型汽车中的位置,它是一个必要的设计参数。 它更轻,而且长度短得多——由于它需放置于紧凑型汽车中,所以这是必要的设计参数。 1 +2011 年 1 月,AMD 推出 AMD G 系列嵌入式加速处理器 (AMD)。 2011 年 1 月,AMD 宣布发布 AMD G 系列嵌入式加速处理器。 1 +作为一个犹太家庭,他们被孔布兰欧蓬的一户人家藏了起来,没有被驱逐到集中营。 作为一个犹太家庭,他们被 Comblain-au - Pont 的一户人家藏了起来,没有被驱逐到集中营。 1 +它以尼日利亚证券交易所为第一上市地,是第一家在约翰内斯堡证券交易所实现内资跨境上市的非洲公司。 随着跨境证券交易所在约翰内斯堡证券交易所上市,它成为了首家在尼日利亚证券交易所第一上市的非洲公司。 0 +《Land Basie Land》是比利·拜尔斯及其管弦乐队 1964 年发行的录音室专辑,由贝西伯爵创作和编曲。 《贝西之地》是由比利·拜尔斯及其管弦乐队于 1964 年制作的录音室专辑,作曲和编曲均由考特·贝西完成。 1 +多布罗亚河是罗马尼亚 Aujel 河的一条支流。 多布罗亚河是罗马尼亚 Aușel 河的一条支流。 1 +早期的顾问委员会成员包括沃尔特·克朗凯特、诺曼·卡森斯、戈尔·维达尔、诺曼·波德霍雷茨、索尔·贝洛和阿利斯泰尔·库克。 早期顾问成员包括沃尔特·克朗凯特、诺尔曼·维特、戈尔·维达尔、诺尔曼·波德霍雷茨、索尔·贝洛和阿利斯泰尔·库克。 1 +Nickerson、Duquette、Bruno、Askov、Sandstone 和 Sturgeon Lake 社区都在克里克附近。 Nickerson、Duquette、Bruno、Askov、Sandstone 和 Sturgeon Lake 社区都在克里克附近。 1 +1862 年,音乐厅与各种舞者、歌手、杂技演员、驯兽魔术师一起首次从伦敦传入巴黎,颇受欢迎。 音乐厅于 1862 年首次从伦敦引入巴黎,在舞者、歌手、技演员和术士训练的动物之间备受欢迎。 0 +附近是瓦洛厄河的支流洛斯廷河,位于俄勒冈州东北部的瓦洛瓦山脉以东。 附近的洛斯廷河是瓦洛厄河的一条支流,位于俄勒冈州东北部的瓦洛厄山脉以东。 1 +他娶了伊丽莎白·杨 (1854-1932),并且是轮船大亨 N·O·杨·费恩利和地主托马斯·费恩利的父亲。 他与伊丽莎白·杨(1854-1932 年)结婚,是船业大王托马斯·费恩利和地主 N·O·杨·费恩利的父亲。 0 +他由戴尔·罗曼斯训练,在他最重要的比赛中,他的骑师是约翰·委拉斯凯兹。 他由约翰·委拉斯开兹训练,并由骑师戴尔·罗曼斯骑着参加了他人生中最重要的比赛。 0 +一般而言,全纯函数通过“W”和子簇“V”将全纯函数在仿射子簇上聚合来进行定义。 通常,沿着“W”的子簇“V”的全纯函数是通过将仿射子簇上的全纯函数粘接在一起来定义的。 1 +电影由阿莱娜·库卢齐科娃担任制片人,并由安德烈·李维诺夫剪辑。 该电影由 Alena Kruchkova 担任剪辑并由 Andrei Litvinov 担任制片。 1 +他执导并编写了自己的第一部故事片,该片于 2011 年 5 月完成制片。 2011 年 5 月,他制作、执导和编写了他的首部故事片。 1 +现代工业社会土崩瓦解有利于工业社会,而农业现代化将新社会转型为第二个且更具有反思性的网络社会或信息社会。 现代性打破了工业社会,这有利于工业社会,而农业现代性将新社会转变为第二个更具反射性的网络社会或信息社会。 1 +佛蒙特与米查姆北部接壤,西部与鲁纳沃丁和森林山接壤,南部与佛蒙特接壤,东部与万提纳和林伍德接壤。 南佛蒙特北部与米查姆接壤,西部与努纳瓦丁和森林山接壤,南部与佛蒙特州接壤,东部与万蒂纳和林伍德接壤。 0 +他于 1965 年 12 月 21 日出生在马里兰州的奥克斯山,就读于康涅狄格州纽黑文的高中。 他于 1965 年 12 月 21 日出生在康涅狄格州纽黑文,访问了马里兰州奥克森山的奥克森山高中。 0 +古拉的名字取自中世纪匈牙利统治者古拉三世,这也是匈牙利部落的一个头衔,现在仍然是受欢迎的男孩名字。 儒略以中世纪的匈牙利统治者儒略三世命名。 儒略也是匈牙利部落的名称并且仍然是受欢迎的男孩名字。 1 +她被德国人击沉并于 1943 至 1944 年间被盟军轰炸机废弃两次,最终于 1946 至 1947 年间被打捞起。 它在 1943 年和 1944 年被德国人击沉,被盟军轰炸机报废两次,最终在 1946 年和 1947 年被打捞起来。 1 +在这类装置的历史上,它出现在“土耳其行棋傀儡”之后,“Mephisto”之前。 在这类设备的历史中,“土耳其行棋傀儡”和“Mephisto”大获成功。 1 +三相女神的现代观念是巫术新宗教运动的核心。 三女神的新宗教观念是现代巫术崇拜运动的核心所在。 0 +1906 年,阿格拉纳特在肯塔基州路易斯维尔出生在犹太复国主义者家庭。 阿格拉纳特于 1906 年出生在肯塔基州路易斯维尔的一个犹太锡安主义家庭。 1 +韦茨与古巴裔墨西哥人塞巴斯蒂安·韦茨结婚,并与其育有一子梅赛德斯·马丁内斯和一女雅典娜·韦茨。 与古巴裔墨西哥人塞巴斯蒂安·韦茨结婚,并与其育有一子梅赛德斯·马丁内斯和一女雅典娜·韦茨。 1 +1907 年,唐·卡洛斯·德里格斯出生于爱达荷州德里格斯,是该镇建立者朱尼厄斯和梅·洁鲁夏·罗宾逊之子。 1907 年,朱尼厄斯出生于爱达荷州德里格士,他创造了该市的建立者唐·卡洛斯·德里格斯和梅·洁鲁夏·罗比森。 0 +该团体给出了精彩纷呈的表演,在以色列一举成名,甚至 2007 年在纽约市进行了巡回演出。 团队频繁巡演,在以色列很出名,2007 年甚至还在纽约市演出过。 0 +这是第三届锦标赛,也是 2013 至 2014 IRB 世界七人榄球系列赛的第三站。 这是锦标赛的第三版和 2013-14 赛季 IRB Sevens 世界系列赛的第六站。 1 +此类屏幕分辨率已经在带有 WVGA 的手机中普及。这个列表列出了带有原生屏幕的手机。 具有原生 WVGA 级显示分辨率的手机已经很流行,此处是带有此类显示的手机清单。 0 +在第一轮对决后,海涅·托特兰德击败了斯坎克斯特斯,在第二回合迎战哥特·奥曼森,后者击败了 比约恩·乔汉·穆里。 在第一轮对决后,海涅·托特兰德击败斯了坎克斯特斯,在第二回合迎战哥特·阿曼森,后者击败了比约恩·乔汉·穆里。 1 +从第 1 轮(哈德斯菲尔德巨人队)到第 5 轮(威克菲尔德三一野猫队),他连续打了五场比赛。 从第 1 轮(哈德斯菲尔德巨人队)到第 5 轮(威克菲尔德三一野猫队),他连续参加了五场比赛。 1 +他娶了伊丽莎白·杨(1854 - 1932 年),是航运业巨头托马斯·费恩利和土地拥有者 N. O . Young Fearnley 的父亲。 他娶了伊丽莎白·杨(1854 至 1932 年)并且是轮船大亨托马斯·费恩利和地主 N·O·杨·费恩利的父亲。 1 +2008 年,菲利普·鲍尔斯发行了一张以他的十四部电影为主题的 CD,并由 1M1 Records 负责制作。 体现他 14 部电影主题的 CD 于 2008 年由菲利普·鲍尔斯发行并由 1M1 Records 制作。 1 +锡兰航空在 1947 年 12 月 10 日的第一趟航班是从坎凯桑图赖由 Ratmalana 机场飞往钦奈。 锡兰航空在 1947 年 12 月 10 日的第一趟航班是从 Ratmalana 机场经由坎凯桑图赖飞往马德拉斯。 0 +可能的音节结构是 V、CV 或 CCV,其中第二个辅音是。 可能的音节结构为 V 、CV 或 CCV,然而第二个辅音是。 1 +这一向量是内部的霍奇,是在双乘积产生的同构作用下公式 _ 31 的映像。 这个向量是由内积诱导的同构下的公式的霍奇对偶和图像。 0 +Decipium 是马克·德拉方丹从矿物质铌钇矿中分离出来的新化学元素的拟用名称。 Decipium 是由马克·德拉方丹从矿物质铌钇矿中分离出的新化学元素的提议名称。 1 +他于 1976 年在阿利坎特逝世,葬在马德里教堂的教堂内。 他于 1976 年 1 月 6 日在马德里逝世并葬在阿里坎特的一个教堂内。 0 +她的曾孙是演员理查德·马纳(本名亚历山大·莫尔查诺夫)。 她的曾孙是演员理查德·马纳(出生时名为亚历山大·莫尔查诺夫)。 1 +Somatherapy(或 Soma)由威廉·赖希在 20 世纪 70 年代作为一种群体疗法创立,其根据是精神分学析家弗莱雷的研究。 Somatherapy(或 Soma)是一种由弗莱雷根据精神分析学家威廉海姆·赖希的研究于二十世纪七十年代创立的集体疗法。 0 +Imagica 和 Robot Communications 于 2004 年 4 月 1 日成立了 Imagica Robot Holdings Inc.,而 Imagica 归属新公司旗下。 2004 年 4 月 1 日,Imagica 和 Robot Communications 联合成立了 Imagica Robot Holdings Inc.,Imagica 归属新公司旗下。 1 +锡克教是一门宗教,于 15 世纪中期由第一位古鲁发源于印度,这位古鲁被称为古鲁那纳克(基督纪元 1469-1539)。 锡克教是十五世纪中叶起源于印度的一种宗教,第一位宗师为古鲁那纳克(基督纪元 1469-1539)。 1 +《Pennmakkal》是 1966 年由 J·萨西库马尔制作并由 KP Kottarakkara 执导的印度马拉雅拉姆语电影。 Pennmakkal 是一部 1966 年的印度马拉雅拉姆电影,由 J. Sasikumar 制作,KP Kottarakkara 执导。 1 +Ashte 是印度马哈拉施特拉邦达哈努区的一个村庄。它位于 Palghar taluka。 Ashte 是印度马哈拉施特拉邦帕尔加尔区的一座村庄 其位于达哈努乡。 0 +Alexandre Édouard Maurice Cossmann,全名 Maurice Cossmann(1850 年 9 月 18 日 -- 1924 年 5 月 17 日),是法国古生物学家和软体动物学家。 Maurice Cossmann 是 Alexandre Édouard Maurice Cossmann(1850 年 9 月 18 日 - 1924 年 5 月 17 日)的全名,他是法国古生物学家和马克思主义者。 0 +2014 年 2 月,十号电视网宣布休·芮敏顿将取代丹尼尔·伊斯德拉的主持人职位和维多利亚·墨菲的体育主持人职位。 2014 年 2 月,十号电视网宣布 Danielle Isdale 将取代 Hugh Riminton 担任主持人,Victoria Murphy 将成为体育节目主持人。 0 +这始于 1937 年日本越过芬兰侵略中国以及苏联入侵满洲。 它从 1937 年日本通过满洲里入侵中国和苏联入侵芬兰开始。 0 +约翰·约翰·米尔顿提到莎士比亚并引用安吉拉·沃伦的“Comus”:“在玻璃般透亮、清爽、轻盈的半透明波浪下”。 安吉拉·沃伦提到莎士比亚,并引用约翰·弥尔顿《酒神之假面舞会》中的话:“在波光粼粼又凉爽清澈的海浪之下”。 0 +Audubon 委员会由 Shawnee Trails 委员会和 Four Rivers 委员会合并而成。 Shawnee Trails 委员会由 Four Rivers 委员会和 Audubon 委员会合并而成。 0 +该团队于 1953 年在亚洲巡演并于 1959 年在澳大利亚巡演。 该队还于 1953 年进行澳大利亚巡演,并于 1959 年 8 月进行亚洲巡演。 0 +Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的一条支流。 Boia Mică 河是罗马尼亚 Valea Sterminoasă 河的支流。 1 +Tarapacá 部门是 Tarapacá 省在 1883 到 1928 年间的一个部门。它是智利的一部分。 塔拉帕卡大区在 1883 年至 1928 年期间是智利的一个大区。它由塔拉帕卡省管辖。 0 +最多雨的一年是 1983 年,而最干旱的一年是 1976 年。 最多雨的一年是 1983 年,而最旱的一年是 1976 年。 1 +罗伯特·E·舍伍德的作品“80 分钟环游世界”是一部 1931 年的美国 Pre-Code 时代纪录片,由道格拉斯·菲尔班克斯执导,并由道格拉斯·菲尔班克斯和维克多·弗莱明担任编剧。 罗伯特·E·舍伍德的作品“80 分钟环游世界”是一部 1931 年的美国 Pre-Code 时代纪录片,由道格拉斯·菲尔班克斯执导,并由道格拉斯·菲尔班克斯和维克多·弗莱明担任编剧。 1 +1989 年 11 月,德莱尼成为纽约证券交易所会员,并成为 Henderson Brothers , Inc. 和 Bear Wagner 的高级常务董事。 1989 年 11 月,德莱尼成为纽约证券交易所的一员,并担任 Henderson Brothers, Inc. 和 Bear Wagner 的高级董事总经理。 0 +这是在中央商业区修建的三间三流酒店中的第一间。 这是三家建造在主要商业区的三级酒店中的第一家。 1 +锡贝伯格说这首歌是他在这张专辑中最喜欢的,“因为它很符合我的个人经历而且很纯粹。” 锡贝伯格称,这首歌是他在此专辑中的最爱,“因为它是如此纯粹,而又如此个人化。 1 +佩特克尔湖国家公园是芬兰北卡累利阿伊洛曼齐区的一个国家公园。 佩特克尔湖国家公园是芬兰北卡累利阿区伊洛曼齐的一个国家公园。 0 +在效力于路易斯安那州立大学的首场比赛中,他从杜兰大学手中抢下 32 个篮板。 在与路易斯安那州立大学的对战中,他首次登场并为杜兰大学抢下 32 个篮板球。 0 +在患有绝经后骨质疏松症的患者中,骨折的风险降低,但感染的风险上升。 在患有绝经后骨质疏松症的人群中,骨折的风险降低,但感染的风险上升。 1 +路德维希四世大公于 1892 年 3 月 13 日在 Darmstadt 的 New Palais 死于心脏病,他的儿子 Ernest Louis 继位。 大公恩斯特·路德维希于 1892 年 3 月 13 日在达姆施塔特新皇宫因心脏病去世,其子路德维希四世继承了他的爵位。 0 +Bhagyamudra 是 1968 年由 S. L. Puram Sadanandan 执导以及 M. A. V. Rajendran 编剧的马拉雅拉姆语电影。 《Bhagyamudra》是 1968 年的一部马拉雅拉姆语电影,由 S. L. Puram Sadanandan 执导,并由 M. A. V. Rajendran 编剧。 1 +2011 年,他还撰写了歌手麦当娜的传记《狂迷流行乐天后麦当娜》,并由 Castelvecchi 出版社出版。 2011 年,他还出版了歌手麦当娜的传记《狂迷流行乐天后:麦当娜》,该传记由 Castelvecchi 出版社撰写。 0 +该专辑由安尼伯·科佩尔在洛杉矶录制。在加利福尼亚州洛杉矶的“La Casa”书房中完成混音。 这张专辑由 Aníbal Kerpel 在加利福尼亚洛杉矶录制,在洛杉矶的“La Casa”书房中混合。 1 +卡彭特为第 7 骑兵队精心挑选了休·L·斯科特中尉来组织和指挥 L 部队(由基奥瓦人、卡曼其人和阿帕奇印第安人组成)。 休·L·斯科特精心挑选卡朋特中尉来组织并指挥第七装甲兵部队的 L 军队(由印第安人的基奥瓦人、科曼奇族人和阿帕切族人组成)。 0 +调节鹿种群数量的另一种方法是控制出生率。 控制鹿群数量的另一条途径是调节出生率。 1 +操场是全新的,配备现代化的儿童健身器材。 新游乐园配备现代儿童健康设备。 1 +2012 年,詹妮弗·拉佩尼亚在 Salvador Royales 的影片“Mundo Man ay Magunaw”的电视翻拍版中出演吉尔一角。 2012 年,詹妮弗·拉佩纳在 Salvador Royales 的影片《Mundo Man ay Magunaw》的电视翻拍版中出演吉尔一角。 1 +Kurnur 大坝是印度马哈拉施特拉邦奥斯马纳巴德区图尔贾普尔附近博里河上的一座土坝。 Tuljapur 是邻近 Kurnur Dam 的 Bori 河上的一个土坝,隶属印度马哈拉施特拉邦区奥斯马纳巴德县。 0 +她出生在玻利维亚的科恰班巴。在 20 世纪 90 年代前往洛杉矶,后来又搬到墨西哥城。 她出生于玻利维亚科恰班巴,于 20 世纪 90 年代搬到墨西哥城,后来搬到洛杉矶。 0 +他和他的妻子卡拉还有瑞吉娜有三个儿子,分别是科勒、卢卡斯、欧文。 他和他的妻子卡拉还有瑞吉娜有三个儿子,分别是欧文、卢卡斯、科勒。 1 +《与道格拉斯·费尔班克斯环游世界八十分钟》是一部来自 1931 年的美国前法典时期的纪录片,由道格拉斯·费尔班克斯和维克托·弗莱明以及罗伯特·E 谢伍德执导。 在罗伯特·E·舍伍德的“环游世界 80 分钟”中,一部美国预编码纪录片由导演道格拉斯·费尔班克斯在 1931 年编写,并由道格拉斯·费尔班克斯和维克多·弗莱明编写。 0 +最大的清真寺是亚特兰大的 Al Farooq Masjid,位于亚特兰大中城区第 14 街。 最大的清真寺是亚特兰大的 Al Farooq Masjid,位于亚特兰大中城区第 14 街。 1 +唐朝陈州行政区隶属于今河南省东部地区的周口市: 唐朝的陈州行政区现隶属于河南东部的周口: 1 +在 1943 年至 1944 年,它被德国人击沉并被盟军的轰炸机炸毁两次,1946 年至 1947 年,它终于被升起。 她由德国人打捞起,并于 1943 至 1944 年间被盟军轰炸机击沉两次,最终于 1946 至 1947 年间报废。 0 +他最终在意大利西北部安顿了下来,他显然得到了盖伊的支持,他可能会在那里获得头衔“comes”。 他最终在意大利西北部安顿了下来,他显然得到了盖伊的支持,他可能会在那里获得“头衔”。 0 +萨福克大学在波士顿市中心的 New England Cable News 电视演播室里保管着一台远程摄像机。 New England Cable News 在波士顿市中心萨福克大学的电视演播室里保管着一台远程摄像机。 0 +1605 年,它被移交给了克伦威尔勋爵,又于 1636 年出售给了弗朗西斯·布隆德尔爵士。 1605 年,它被出售给克伦威尔勋爵,又于 1636 年移交给弗朗西斯·布隆德尔爵士。 0 +对于正圆柱投影,无穷小元素的几何学 正轴圆柱体元素的几何形状导致无穷小的投影 0 +威尔弗雷德·巴德利击败了约书亚·皮姆,6 - 4 , 1 - 6 , 7 - 5 , 6 - 0 约书亚·皮姆以 6 - 4、1 - 6、7 - 5、6 - 0 击败了威尔弗雷德·巴德利。 0 +它由罗伯特·寇松于 1834 年在塞巴修道院购得,C·R·格里高利在 1883 年发现它。 C. R. 格雷戈里于 1834 年在萨巴的修道院买下了它,罗伯特·寇松于 1883 年看见了它。 0 +卢浮宫这幅画的光线更加温暖,而且看起来更加柔和,但这可能是表面清漆色调所产生的效果。 卢浮宫绘画中的光线更温暖,而且显得更柔和,这可能是由表面颜料的色调所造成的。 1 +安德森 1943 年出生于加利福尼亚州奥克兰,祖籍为加利福尼亚州雷东多海滩。 安德森于 1943 年出生于加利福尼亚州雷东多海滩,来自加利福尼亚州奥克兰。 0 +第九季成为喜剧中心评分第二高的节目。 第二季成为喜剧中心第九个评分最高的节目。 0 +40 人获救;救生艇救出 40 人,“特拉华”救出 3 人。 43 人得救,40 人在救生艇上,3 人是被“Delaware”救下。 0 +《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团最后一张专辑,她的第七张录音室专辑是为 Grunt Records 录制的 Grunt BFL1-1920。 《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的第七张专辑,他们最后一张录音室专辑是为 Grunt Records 录制的 Grunt BFL1-1920。 0 +于热 1962 年在智利和纽约出生,在巴黎生活和工作。 于热于 1962 年出生于智利和纽约,并在巴黎生活与工作。 1 +纳舒厄白银骑士团队加入了夏季大学联盟,是本市的现役球队。 Nashua Silver Knights 队是夏季大学联赛的一部分,也是该市现有的球队。 1 +亚当医生与莎拉·亨特女士结了婚,他给她留下一个女儿,女儿于 1788 年嫁给了 B. Hyatt 先生。 NS 0 +塞帕瓦是秘鲁南部阿塔拉亚省的一个区。 塞帕瓦是秘鲁南部的阿塔拉亚省的一个区。 1 +重信五月是日本国民重信房子(记者)的母亲。 重信房子是日本记者重信五月的母亲。 0 +首先,说明花粉值低的区域,而不是花粉值高的区域。 首先描述花粉量低的区域,而非花粉量高的区域。 1 +糖内啡肽会减弱脑电图变化,但其原理无人知晓,似乎没有减弱。 脑电图仪变化是糖介导的脑内啡,但是但这种情况的原理仍无人知晓,而且似乎并未减少。 1 +在塞尔维亚难民于 1999 年返回之前,阿尔巴尼亚家庭离开了镇上。 阿尔巴尼亚难民于 1999 年返回之前,塞尔维亚家族已离开该村。 0 +多蒂于 1923 年出生于格洛斯特,于 2014 年在波士顿逝世。 多迪于 1923 年出生在格洛斯特,于 2014 年在波士顿逝世。 1 +NS 典型的皇家空军训练基地(非飞行基地)将采用以下以联队为基础的整合结构: 0 +亚伯拉罕·哈特担任理事会主席,梅耶尔·苏兹伯格担任理事会秘书。 迈耶·苏兹贝格曾任总裁,而亚伯拉罕·哈特曾任董事会秘书。 0 +在他柏林的书房墙上挂着三幅人物像:法拉第、麦克斯韦、叔本华。 在他柏林的书房墙上挂着三幅人物像:叔本华、麦克斯韦、法拉第。 1 +安吉拉·卡梅伦结婚后不久,一名非裔美国男子闯入她家,杀死了她的丈夫和儿子,并强奸了她的姐妹。 安吉拉·卡梅伦结婚后不久,有个美洲裔美国人闯入她家,杀死了她的丈夫和儿子,还强奸了她的妹妹。 0 +一次编写,到处运行 编写一次,随处运行 0 +它在温哥华、华盛顿均设有总部,在上海、俄勒冈希尔斯伯勒和芬兰洛赫亚设有工厂。 其总部设在上海、俄勒冈州希尔斯伯勒、芬兰洛赫亚,并在华盛顿州温哥华设有办事处。 0 +作为“黑爵士”鲍勃演奏的音乐是沃恩·威廉斯所作的“绿袖子幻想曲”。 黑爵士向“鲍勃”求爱时演奏的音乐是沃恩·威廉姆斯的“绿袖子上的幻想曲”。 1 +Lusaghbyur(罗马字母写作“Lusakhpyur”,以前称为 Svanverdi 和 Svan)是位于亚美尼亚希拉克省的一个村庄。 Lusaghbyur(之前的罗马语为 Lusakhpyur;也称 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 0 +所提议的曼杜比河(Mahadayi 河)调水和水力发电站项目将导致 Gavali 部分或全部地区淹没。 提议的曼多维河的(Mahadayi 河)河水改道工程和水力发电站项目将导致 Gavali 被部分或全部淹没。 1 +圣克鲁斯空中花园是位于加利福尼亚州斯科茨谷圣克鲁斯县境内的一个机场。 圣克鲁兹天空之园是一座位于加利福尼亚州斯科茨山谷的机场,位于圣克鲁兹县境内。 1 +1947 年他竞选圣若瑟县市议员落选,1948 年竞选南本德的检查官也落选了。 1947 年,他竞选南本德市法官失败,1948 年竞选圣约瑟夫县检察官办公室失败。 0 +舞蹈是 Exodus 的歌曲《The Toxic Waltz》的灵感来源之一,这首歌出自他们 1989 年的专辑《Fabulous Disaster》。 舞蹈是 Exodus 乐队歌曲《有毒的华尔兹》的灵感来源之一,这首歌出自他们 1989 年的专辑《绝妙灾难》。 1 +英式烹饪早期是全国烹饪的主流;但随着其他国家新移民的涌入,其他殖民地的汤羹菜式也开始流行起来。 烹饪主导了早期的民族美食,但随着来自其他国家的新移民的到来,其他殖民地汤类也得到了普及。 1 +拓扑向量空间公式 _ 13 相对于给定数据被称为“初始对象”或“初始结构”。 根据给出的数据,初始向量空间公式 13 调用初始对象“or”拓扑结构。 0 +伊泰图巴的教会主教是巴西贝伦杜帕拉罗马天主教地方省伊泰图巴市的一名地方主教。 伊太图巴的教会主教是巴西罗马天主教会省贝伦杜帕拉伊太图巴市的地方主教。 1 +2011 年 5 月,他制作和导演了他的第一部故事片并为其创作了剧本。 2011 年 5 月,他制作和导演了他的第一部长片并为其创作了剧本。 1 +她的孩子有与芭芭拉结婚的马文·艾森斯塔特、葛蕾蒂丝·艾森斯塔特、与迪尔德丽·豪利结婚的伊拉·艾森斯塔特以及与赫伯特·科恩结婚的埃伦·艾森斯塔特。 他们的孩子包括:芭芭拉,配偶为迪尔德丽·豪利;格拉迪斯·艾森斯塔特;伊拉·艾森斯塔特,配偶为赫伯特·科恩;以及埃伦·艾森斯塔特,配偶为马文·艾森斯塔特。 0 +亨特马上告诉他的父亲扎克·马克圭尔(查理·克劳森)和伊维。 马上告诉他的父亲扎克·马克圭尔(查理·克劳森)和伊维。 1 +扮演汤米·康诺利的罗里·詹宁斯在 Big Finish Productions 中饰演少年 Davros。 曾出演过汤米·康诺利的罗里·詹宁斯在 Big Finish Productions 中出演少年时期的达沃斯。 1 +之后,被拿来与 WB 节目《Do Over》做比较,两者剧情相似。《This was often》仅播出两集后便停播。 通常与具有类似情节的华纳兄弟项目“假死新人生”相比,也就是“然后''仅在出现两种后果后就中止。 0 +一场英国巡演于 1983 年 5 月开始,现场吉他手罗宾·乔治为加演参与其中。 1983 年 5 月,一场有现场吉他手罗宾·乔治的英国巡回演出开始了加演。 1 +被拒绝儿童和被忽视儿童的社会偏好得分均为负,但只有被拒绝儿童具有很高的社会影响。 被遗弃和被忽视的儿童均有负面社会偏好,但是只有被遗弃儿童产生强烈的社会影响。 1 +如果一个句子中有多个语法类别,第一个语法类别带有复数标记。 如果句子中存在多个语法类别,则仅有第一个类别带复数标记。例如: 1 +Ballouhey 主要存在于法国、伊泽尔、巴黎以及南非。 Ballouhey 主要存在于巴黎、伊泽尔、法国以及南非。 0 +Goyt 山谷中有两座水库,该水库是其中之一,另一座则是 Errwood 水库。 Errwood 水库中建有两座水库,该水库是其中之一,另一座是 Goyt 山谷。 0 +佩特克尔湖国家公园是一座位于芬兰北卡累利阿地区伊洛曼齐的国家公园。 Petkeljärvi 国家公园是芬兰北卡勒里阿地区伊洛曼齐的一座国家公园。 1 +里希有一个儿子,名叫克拉克,于 2007 年 4 月 3 日出生。Socks and Sandals 的一张微宇宙音乐 EP《Rishi Saturn》便以其命名。 里希有一个叫克拉克的儿子,于 2007 年 4 月 3 日出生。Socks and Sandals 的一张微宇宙音乐 EP《Rishi Saturn》便以其命名。 1 +由于不能、或不愿从自己的教堂派人前往,阿塔拉明确建议马克可以前往印度作为替代。 马克由于不能、或不愿从自己的教堂派人前往,所以他明确建议阿塔拉可以前往印度作为替代。 0 +里程碑的例子有击败世界大赛冠军队、与历史悠久的队伍比赛以及在正面交锋中击败其他队员。 里程碑的例子包括击败世界大赛冠军队、与历史悠久的队伍比赛以及在正面交锋中击败其他队员。 1 +它流入 Peachtree 溪,Peachtree 溪再流入维宁斯和 Paces 以南的查特胡奇河。 它流入桃树溪,后者然后流入维宁斯和帕希斯以南的查特胡奇河。 1 +Giuroc 河是罗马尼亚 Măgherus 河的一条支流。 Giuroc 河是罗马尼亚 Măgheruş 河的一条支流。 1 +伯肯黑德码头与铁湾大桥相邻,位于伯肯黑德中心工厂折扣店中心附近,步行路程大约一分钟。 伯肯黑德码头与铁湾大桥相邻,位于伯肯黑德中心工厂折扣店中心附近,步行路程大约一分钟。 1 +他是约翰·斯柯特与其妻简·斯科特,托马斯·凯恩斯之女,的儿子。 他是托马斯·凯恩斯的儿子,他的妻子简·斯科特是约翰·斯科特之女。 0 +Lusaghbyur(之前被罗马化为 Lusakhpyur;也叫做 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 Lusaghbyur(之前的罗马语为 Lusakhpyur;Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 1 +菲利普·鲍尔斯于 2008 年发行了一张以他的十四部电影为主题的 CD,由 1M1 Records 担任制作人。 主题取材于自己的十四部电影的 CD 由菲利普·鲍尔斯于 2008 年制作完成,并由 1M1 Records 发行。 0 +下一个主人是天文学家泰格·布拉赫的兄弟斯蒂恩·布拉赫。 下一个拥有者是第谷·布拉赫,即天文学家史甸·布拉赫的兄弟。 0 +monomeric phenanthrenoid 8,8 '- bidehydrojuncusol 和 dimeric juncusol 以及 dehydrojuncusol 可从 "J. acutus" 分离出来。 二聚体 Phenanthrenoid 8,8 ' ; - bidehydrojuncusol 和单体 6-甲基灯心草二酚及去氢-6-甲基灯心草二酚可从“J. acutus”中分离得到。 0 +同年,拉科·霍伊尔从他的叔叔维克多·拉科·埃雷拉处获得了一些建议,后者正是利马第一家博物馆的创始人。 拉克·霍伊尔的舅舅维克多·拉克·埃雷拉,利马第一座博物馆的一位创馆人,在同年给了他一些建议。 1 +锡安广场被形容为“总是拥挤不堪,总是让人疯狂”。 锡安广场被描述为“总是疯狂,总是拥挤”。 1 +1943 年,安德森出生于加利福尼亚州的雷东多海滩,来自加利福尼亚州的奥克兰。 安德森于 1943 年出生于加利福尼亚州奥克兰,来自加利福尼亚州雷东多海滩。 0 +配乐由德瓦作曲,Vairamuthu 和塞曼作词。 这首配乐由 Deva 编写并由 Vairamuthu 和 Seeman 填词。 0 +杰夫·斯科特担任播音员,David Hayes Prophater 在无伴奏清唱中指挥观众。 大卫 大卫·海耶·普罗法特斯担任报幕员,而杰夫·斯科特带领观众欣赏无乐器伴奏的演唱。 0 +挤喉音是一些口头语言中使用的一种软腭音。国际音标中代表该发音的符号。 软颚挤喉音是在一些口语中使用的辅音发音 国际音标中表示这一发音的符号 。 0 +萨米·唐斯出生于他母亲的家乡,位于 Rapides 教区南部的 Avoyelles 教区的埃菲社区。 萨米·唐斯出生于他母亲的家乡,位于 Avoyelles 教区以南的 Rapides 教区的埃菲社区。 0 +柯蒂斯以 60,000 美元建立了这个俱乐部会所,这在当时是一笔巨款,并以象征性的费用将其租给了俱乐部。 该俱乐部会所由柯蒂斯打造,当时的总金额为60,000 美元,并以大笔费用将其租给了俱乐部。 0 +Cornelius Olatunji Adebayo 是尼日利亚的前参议员,曾任州长,之后成为尼日利亚联邦通讯部主任。 科尔内利乌斯·欧拉屯吉·阿德巴约是尼日利亚前参议员,后来成为州长,后又成为尼日利亚联邦通信部的负责人。 1 +Saito 是 Saito Neko 四重奏的领奏,以他与音乐家椎名林檎的许多合作而闻名。 齐藤是 Saito Neko 四重奏乐团的负责人,因与音乐家林戈·希娜的多次合作而闻名。 1 +英国内战期间,来自纽波特帕格内尔的一支国会军于 1645 年向驻扎在芬米尔且由 18 名保皇派组成的小队发起突袭。 在英国内战期间,1645 年,来自芬米尔的一支国会部队突袭了驻扎在纽波特帕格内尔的一支由十八名保皇派组成的部队。 0 +博基万是座落于斯洛伐克中部班斯卡比斯特里察地区的代特瓦区的一个镇子,也是一个自治市。 Podkriván 是斯洛伐克中部代特瓦区班斯卡-比斯特里察地区的一个村庄和自治市。 0 +Nadège du Bospertus 是一名法国模特及“印度超级模特新秀大赛”的前任评委,也是乔治·阿玛尼和詹尼·范思哲的缪斯。 Nadège du Bospertus 是一名法国模特,曾担任“意大利超级模特新秀大赛”评委。她是 Giorgio Armani 和 Gianni Versace 的缪斯。 1 +《Shook》是一本地下独立制作的英国音乐杂志,总部设在伦敦,涵盖各种形式的黑人音乐和电子音乐。 《摇动》是一本电子音乐杂志,总部设在伦敦,报道各种不同形式的英国和黑人地下音乐。 0 +在伊斯帕尔塔完成小学和初中教育后,他在伊斯坦布尔上完了 Pertevniyal High School。 在伊斯坦布尔完成小学和初中教育后,他在伊斯帕尔塔上完了 Pertevniyal 高中。 0 +在电影中,喜剧框架内的学校礼仪故事和教育情境与早期著作中对儒家思想的讽刺不谋而合。 在电影中,喜剧框架内的学校礼仪故事和教育情境与早期著作中对儒家思想的讽刺不谋而合。 1 +他后来搬到瑞士,然后搬到意大利并在那里遇见雪莱和拜伦。 然后他搬到了瑞士,后来又搬到了意大利,在那里,他遇到了雪莱和拜伦。 0 +这部影片由奥斯卡·努内兹、罗布·许贝尔、提莫西·查拉梅、莉莉·拉贝、安东尼·坎塔尔和莉莉·莱因哈特主演。 电影明星奥斯卡·努内兹、罗布·许贝尔、提莫西·查拉梅、莉莉·拉贝、安东尼·坎塔尔和莉莉·莱因哈特。 1 +卡尔顿公馆在 1909 年被布丽吉特·霍兰买下,后来在 1917 年被图文巴冠军约翰·乐迪买下,随后于 1924 年被图文巴的威廉·格洛弗买下。 卡尔顿公馆在 1909 年被布丽吉特·霍兰买下,后来在 1917 年被图文巴客栈老板约翰·乐迪买下,随后于 1924 年被图文巴的威廉·格洛弗买下。 1 +Ján Sokol(1933 年 10 月 9 日出生)是斯洛伐克主教和前特尔纳瓦大主教。 扬·索克尔(1933 年 10 月 9 日出生)是特尔纳瓦的前主教和大主教。 0 +两个女儿在他去世前都这样做了,托斯卡是在 1976 年,珍妮儿则在 1981 年。 两个女儿都比他先去世,托斯卡在 1976 年去世,加尼尔在 1981 年去世。 1 +该人口中 87.91% 是罗马尼亚人,7.53% 是匈牙利人,4.43% 是吉普赛人。 在这些人口中,87.91% 为罗马尼亚人,7.53% 为匈牙利人且 4.43% 为罗姆人。 1 +1943 年 9 月 12 日,她从德克萨斯州加尔维斯顿起航,并于 9 月 16 日抵达基韦斯特。 她于 1943 年 9 月 12 日从德克萨斯州的加尔维斯扬帆起航,并于 9 月 16 日抵达西礁岛。 1 +在正在进行的调查中,警察还询问了歌手 Rimi Tomy 和演员西迪基,两人都是迪利普及其妻子 Kavya Madhavan 的密友。 在调查进行期间,警察还质询了歌手梨美·托米和演员卡薇雅·马德哈万,两人均为西迪基及其妻子迪利普的好友。 0 +第三个电台版本在 2008 年 5 月由英国广播公司播出,威尔顿再次饰演达夫,作者饰演贝丝。 2008 年 5 月,BBC 播出了第三个电台版本,其中威尔顿饰演贝丝,作者饰演达夫。 0 +Nickerson、Duquette、Bruno、Askov、Sandstone 和 Sturgeon Lake 社区都在克里克附近。 布鲁诺、度凯特、尼克森、阿斯科夫、桑德斯东和特金莱克社区都离克里克很近。 1 +1943 年 9 月 12 日,她从德克萨斯州加尔维斯顿起航,并于 9 月 16 日抵达基韦斯特。 1943 年 9 月 12 日,她从德克萨斯州加尔维斯顿起航,并于 9 月 16 日在基韦斯特会面。 1 +校区之前坐落于湾仔和坚尼地城。 2013 年 8 月,学校永久性迁至位于西贡的新地址。 校园位于湾仔和坚尼地城,学校在 2013 年 8 月永久搬迁到位于西贡的新地点。 1 +塔尔福尔德·伊利是克拉布·罗宾逊早期好友约翰·陶威尔·拉特的孙子。 Talfourd Ely 是 Crabb Robinson 的孙子之一,后者是 John Towill Rutt 的旧日朋友。 0 +1963 年,罗伊加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 1963 年,罗伊加入印度共产党,并领导 Bansdroni 加尔各答地区的工会运动。 1 +这是那个 Easipower 说的, 据说 Easipower 曾是, 0 +大卫于 1933 年 9 月 21 日在考文垂出生,他的双胞胎父亲查尔斯和杰西敏·罗宾斯是罗宾斯的十二个孩子中的第八个和第九个孩子。 罗宾斯于 1933 年 9 月 21 日出生于考文垂,他的孪生兄弟叫大卫,在查尔斯和贾斯明·罗宾斯所生的 12 个孩子中他们分别排行第八和第九。 0 +弗兰克·詹姆斯加入为分离主义的德鲁·洛博斯军队招募的本地联队,并且在 1861 年 8 月的威尔逊溪战役中参战。 弗兰克·詹姆斯加入为分离主义德鲁·洛博斯军队招募的本地社团,并于 1861 年 8 月参加威尔逊溪战役。 1 +威廉·卢埃林·威廉姆斯,又称卢埃林·威廉姆斯(1867 年 3 月 10 日--1922 年 4 月 22 日),是威尔士记者、律师和激进的自由党政客。 威廉姆·威廉姆斯,又名罗埃林·威廉姆斯(1867 年 3 月 10 日 - 1922 年 4 月 22 日),是威尔士自由党的激进派记者、律师和政治家。 0 +他演奏古巴三弦吉他而非古巴吉他,并且为这把西班牙吉他形成自己的演奏技巧。 他弹的是古巴三弦吉他,而不是古巴吉他,他自学的这种西班牙吉他。 1 +根据人体气候分类,比里吉属亚热带湿润气候:最低气温 36 ° C,最高 4 ° C。 根据柯本气候分类,比里圭有着潮湿的亚热带气候。最低 36 ° C,最高 4 ° C。 1 +罗伯特·戈尔兹伯勒于 1937 年 10 月 3 日出生于芝加哥,他是建筑师罗伯特·文森特·戈尔兹伯勒和威尔玛(贾娜克)·戈尔兹伯勒的儿子。 罗伯特·文森特·戈尔兹伯勒于 1937 年 10 月 3 日在芝加哥出生,是建筑师罗伯特·戈尔兹伯勒和威尔玛(贾纳克)·戈尔兹伯勒的儿子。 0 +在独立之前,俄罗斯帝国是芬兰境内的自治大公国。 俄罗斯帝国独立之前是芬兰境内的一个自治大公国。 1 +阿西尔·德维利亚曾与让·科拉利一同描绘阿黛尔·杜米拉特雷。 阿希尔·德微理亚·阿黛尔•杜米娜特与让·科拉利一起作画。 0 +他们到那里为我们祈祷,也想让我们过得开心。 他们曾在那里享受我们并为我们祈祷。 1 +在古巴,其栽培技术是在 1880 年由费尔南多·海德里希在马坦萨斯引入。 其栽培技术由古巴的费尔南多·海德里希在 1880 年引入。 0 +自 1984 年起,帕特丽夏·戴尔与帕特丽夏·迈耶喜结连理,他们共育有二子:莱恩(出生于 1988 年)和布莱克(出生于 1992 年)。 黛尔与帕特里夏·迈耶自从在 1984 年结婚后一直在一起,他们有两个儿子:瑞恩(1988 年出生)和布莱克(1992 年出生)。 1 +约翰·里德·金是报幕员,雷·布洛赫是管弦乐队的指挥。 播音员是雷·布洛赫,而管弦乐队由约翰·里德·金指挥。 0 +Geamărtălui 河是罗马尼亚布雷亚扎河的支流。 布雷扎河是罗马尼亚 Geamărtălui 河的支流。 0 +Seóighe 大主教于 1485 年 5 月 16 日上任并于1487 年称圣,后于 1501 年 12 月 20 日 或 20 日去世。 大主教 Seóighe 于 1485 年 5 月 16 日被授予这一圣职,1487 年接受任命,1501 年 12 月 20 日或 20 日去世。 1 +科罗拉多雪崩队 2008-2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 14 个赛季和作为科罗拉多雪崩队的第 30 个赛季。 科罗拉多雪崩队 2008 至 2009 赛季是该职业运动队的第 37 个赛季,也是国家冰球联盟的第 14 个赛季以及作为科罗拉多雪崩队的第 30 个赛季。 1 +它位于弗吉尼亚州罗阿诺克西北 20 英里处,坐落于弗吉尼亚州格拉斯哥东南方 2 英里处。 它位于弗吉尼亚州罗诺克西北 20 英里、弗吉尼亚州格拉斯哥东南约 2 英里处。 1 +海因茨·科胡特把夸大自体视作对正常童年阶段的一种固恋,而其他后弗洛伊德主义者则对固恋在攻击和犯罪方面产生的影响进行了调查研究。 海因茨·科胡特将夸大自体视为基于正常的童年阶段的固恋;而其他后弗洛伊德学派则探讨了固恋在侵略和犯罪中的影响。 1 +该团队广泛演出,并在以色列出名,甚至于 2007 年在纽约市进行过巡演。 这个团队到处演出,在以色列名声大振,甚至还在 2007 年在纽约市举办过巡演。 1 +同样值得注意的是,以下代码会在无 ADL 的情况下工作(无论如何都会应用于它)。 还有一点值得注意的是,下列代码没有 ADL 也能运行(不论如何均可应用在它身上)。 1 +Chris Sievey 的自传由曼彻斯特作家编写,于 2014 年 11 年出版。 克里斯·锡维的传记由曼彻斯特作家米克·米德尔斯撰写,于 2014 年 11 月出版。 1 +1953 年,蒂莫西·德图达莫在久病不愈后去世,雷蒙德·加达布接替他担任首席执政官。 1953 年,蒂莫西·德图达莫在久病不愈后去世,其首席执政官的职位由雷蒙德·加达布接任。 1 +Advance Bank(及其子公司南澳银行)于 1997 年再次被圣乔治银行接管。 St.George Bank(及其子公司 BankSA)于 1997 年再次被 Advance Bank 接管。 0 +1171 年 11 月 29 日,贡萨洛·鲁伊斯·德·布列巴首次以“贡萨洛”的名字签署了一份宪章。 1171 年 11 月 29 日,冈萨洛·鲁伊斯·德·布列巴首次作为冈萨洛签署文件。 1 +1959 年 2 月 20 日,总理约翰·迪芬贝克完成了这个项目,拆卸了五支完工的箭。 1959 年 2 月 20 日,总理约翰·迪芬贝克完成了这个项目,五支已被拆解的箭得以完工。 0 +此外,冠军科菲·京斯顿、米兹和杰克·斯瓦格之间的美国三重威胁冠军赛是。 接下来是冠军杰克·斯瓦格、米兹和科菲·金斯顿争夺美国冠军的三重威胁赛。 0 +在苏维埃时代结束时,两座遭到部分破坏的亚美尼亚教堂遗址仍被保留下来。 这两座在苏联时代末期遭受部分损毁的亚美尼亚教堂的遗骸仍然保存至今。 0 +由于维基再次受到她的分离性身份识别障碍的影响,她冰冷的交替人格让·伦道夫·大卫强迫自己离婚,以换取从蒂娜那里得到自由。 由于维基再次受到其分离性身份识别障碍的影响,她的冰冷交替人格珍·伦道夫迫使大卫于蒂娜离婚以换取他的自由。 0 +在职业生涯的早期,他曾在澳大利亚踢球,但后来移居苏格兰,在维多利亚州联赛中为弗兰克斯顿市效力。 在职业生涯的早期,他曾在苏格兰踢球,但后来移居澳大利亚,在维多利亚州国家联盟中为弗兰克斯顿市效力。 0 +他在 1967 年 NBA 选秀的第 77 轮(共有 7 轮)被费城 76 人队选中。 他在 1967 年 NBA 第 7 轮选秀(共有 77 轮)中被费城 76 人队选中。 0 +飞机报告了飓风的波及范围,包括有一个小风眼。 飞机报告了飓风的范围,包括小型风眼。 1 +当晚,他会返回特库姆塞西部的车站,在邻居们产生怀疑之前,骑上另一匹马前往紫罗兰泉。 那天晚上,他骑马前往位于特库姆塞西部的车站,然后在邻居们起疑前带着另一匹马返回维奥莱特·斯普林斯。 1 +它服务于潘切库拉市的 Chandimandir Cantonment 地区。 它为潘切库拉区的 Chandimandir Cantonment 市提供服务。 0 +33d 战斗机大队在不活跃时,与 33d 战术战斗机大队整合为 33d 战术空军大队。 虽然第 33 战术大队被撤编,但它与第 33 战斗机大队合编为第 33 战术战斗机大队。 0 +美国国会图书馆和 WorldCat 记录实际上是为儿子(1915 - 1971 年),名义上属于格罗弗 C. 霍尔斯和他的家庭。 美国国会图书馆和 WorldCat 为他的儿子(1915 - 1971 年)做记录,名义上属于格罗弗 C. 霍尔斯和他的家庭。 1 +目前仍有两个成员为数不多的小规模独立联赛:格兰偏联盟联赛和高地联盟联赛。 目前仍有两个成员为数不多的小型独立联赛:高地联盟联赛和格兰坪联盟联赛。 1 +《卡伯特公路》剧集在布雷顿角岛现场拍摄,包括东海岸新斯科舍省的佩吉湾和高地。 “东海岸”这一集是在新斯科舍省卡伯特公路沿路拍摄的,其中包括佩姬湾与布雷顿角高地。 0 +雷特兹奥斯出生于斯德哥尔摩,是解剖学家安德尔斯·雷特兹奥斯的儿子(和自然科学家兼化学家安德尔斯·雅罕·雷特兹奥斯的孙子)。 雷丘斯出生于斯德哥尔摩,他是解剖学家安德斯·贾汗·雷丘斯之子(也是博物学家兼化学家安德斯·雷丘斯的孙子)。 0 +马利特与玛丽·艾华思结为了夫妻并且一直到 1664 年,后者是伯克郡 Letcombe Regis 约翰·奥德沃斯的遗孀,也是伯克郡 Fyfield 托马斯·怀特的女儿。 马莱特娶了伯克郡 Letcombe Regis 的约翰·奥尔沃思的遗孀玛丽·奥尔德沃思,她是托马斯·怀特的女儿,后者于 1664 年以前在伯克郡费尔菲尔德。 1 +它是位于巴芬的近海岛屿——该岛屿位于 Cornelius Grinnell 湾。 它是位于巴芬岛上 Cornelius Grinnell 海湾的一处近海岛屿。 0 +布雷克在 1984 年与帕特里夏梅耶结婚,两人育有两子:瑞安(生于 1988 年)和戴尔(生于 1992 年)。 自从 1984 年布莱克与帕特里夏·迈耶结婚以来,他们生了两个儿子:瑞安(1988 年出生)和戴尔(1992 年出生)。 1 +1987 年 6 月 13 日,《粉碎者》在日本发布,并由东宝发行。 1987 年 6 月 13 日,“粉碎者”于日本发行,发行方是东宝。 1 +专辑包含对 Nurse With Wound 乐队原创混音素材的重新编曲,2007 年作为歌曲《支离破碎》发表。 该专辑包含最初由 Nurse With Wound 混音的曲目的混音版并于 2007 年以名称“Disconnected”发行。 1 +这片保留地一直被国王陛下政府视作覆盖了耶路撒冷维拉耶和独立贝鲁特桑贾克的地区。 国王陛下政府一直认为这片保留地是耶路撒冷省和独立的贝鲁特区。 1 +贝德格勒特是由格拉斯林河形成的一个湖泊,位于北威尔士格温内斯的丽茵迪纳斯附近。 Llyn Dinas 是威尔士北部格温内斯贝德盖勒特附近的一个湖泊,由 Glaslyn 河组成。 0 +《巴斯贝西之地》是贝西伯爵及其管弦乐队 1964 年的录音室专辑,由比伊·拜尔斯作曲和改编。 《土地贝西之地》是比利·拜尔斯及其管弦乐队 1964 年的录音室专辑,由贝西伯爵编作曲和改编。 0 +费尔奥克斯位于 (38.651254 , -121.259279) ,在萨克拉门托和佛森之间。 费尔奥克斯位于萨克拉门托在和福尔松 (38.651254 , -121.259279) 之间。 1 +卡森上尉在华盛顿哥伦比亚特区去世。他被葬在阿灵顿国家公墓,之后被转移到了华盛顿。 卡辛船长在华盛顿特区逝世。他的遗体葬在华盛顿,后来迁移到阿灵顿国家公墓。 0 +古加克是大亚美尼亚的第 13 个省。它现在包括亚美尼亚北部、格鲁吉亚东北部和土耳其西南部的部分地区。 古加尔克 ( , ) 曾是大亚美尼亚的第 13 个省,现在包含亚美尼亚北部地区、土耳其东北部地区以及格鲁吉亚西南部地区。 0 +通常在圣路易斯发现的化石包括四射珊瑚“Lithostrotion”和“Lithostrotionella”以及外肛动物化石“小窗格苔藓虫”。 经常在圣路易斯发现的化石有藓苔虫-珊瑚“石柱珊瑚属”、“小石柱珊瑚属”,以及皱珊瑚目“小窗格苔藓虫”。 0 +1932 年的瑞典冰球锦标赛赢得瑞典的全国锦标赛瑞典冰球锦标赛的第 11 个赛季。哈马比体育会夺得冠军。 1932 年的瑞典冰球锦标赛是第 11 季瑞典冰球锦标赛,它是瑞典的全国锦标赛,哈马比 IF 冰球俱乐部赢得了冠军。 0 +榴弹炮兵团已经撤走,原来炮兵团保留了标准轻型兵团的人数。 巅峰军团已被撤销,而标准炮兵团保留了最初轻型炮兵团的人数。 0 +直到 1991 年,它一直是蒂黑马县唯一的公共舞台,直到 1993 年,它一直是唯一的影院。 在 1991 年之前,它是蒂黑马县唯一的舞台,而直到 1993 年它才提供了唯一的一家公共电影院。 0 +然后它与斯诺夸尔米河在门罗汇流而成斯诺霍米什河。 它然后与斯诺霍密什河汇聚,在门罗形成斯诺夸尔米河。 0 +《Bhagyamudra》是一部 1968 年的马拉雅拉姆语电影,由 S. L. Puram Sadanandan 担任编剧,由 M. A. V. Rajendran 执导。 《Bhagyamudra》是 1968 年的一部马拉雅拉姆语电影,,由 S. L. Puram Sadanandan 执导,并由 M. A. V. Rajendran 编剧。 0 +这款轿车于 2003 年 7 月 5 日在欧洲推出,于 2003 年 10 月在北美推出。2004 年末,该车还推出了旅行车。 这款豪华轿车于 2003 年 7 月 5 日在欧洲推出,于 2003 年 10 月在北美推出,并于 2004 年末推出旅行车。 1 +乔治城湖也是乔治城和附近朗德罗克市的饮用水源。 乔治敦湖也是乔治敦和附近圆石市的饮用水源地。 1 +它在 1943 年和 1944 年被德国人击沉,并被盟军轰炸机报废两次,最终在 1946 年和 1947 年被打捞起。 她被德国人击沉并于 1943 至 1944 年间被盟军轰炸机废弃两次,最终于 1946 至 1947 年间被打捞起。 1 +尽管宝拉、知英和孝渊是上一季的嘉宾,但珊妮是唯一回归的第一季成员。 尽管宝拉、知英和孝渊是上一季的嘉宾,但珊妮是唯一回归的第一季成员。 1 +凯瑟利·海福德也积极参与了非洲的政治解放运动。 卡利·海福德也积极参与了非洲政治解放运动。 1 +阿什拉夫·汗·哈塔克一度是胡沙尔·汗·哈塔克的长子,也是哈塔克族的统治者。 阿什拉夫·坎·哈特克是克赫肖尔·坎·哈特克的长子,曾一度是哈特克氏族的统治者。 1 +《Ungarala Rambabu》是一部泰卢固语电影,由 Paruchuri Kiriti 编剧,Kranthi Madhav 制作。 Ungarala Rambabu 是由 Paruchuri Kiriti 编剧和执导并由 Kranthi Madhav 制作的泰卢固语电影。 1 +温拿斯凯是美国计算机协会、美国电气和电子工程师协会、美国大学优等生荣誉学会和 Sigma Xi 科学研究学会的会员。 温那斯基是计算机协会、电气电子工程师学会、美国大学优等生荣誉学会以及科研荣誉协会的会员。 1 +在世界银行、联合国和亚洲开发银行的支持下,老挝人民民主共和国于 1974 年成立了第 II 阶段基金。 在联合国、亚洲开发银行和世界银行的支持下,老挝人民民主共和国于 1974 年成立了第二阶段基金。 1 +Sparrow 是一名惯用右手的击球手,在 2 场一流的比赛中打了 4 个回合,平均得分为 18.75,最高评分为 64。 Sparrow 是一名惯用右手的选手,在 2 场一流的比赛中打了 4 个回合,平均得分为 18.75,最高评分为 64。 1 +格拉德夫人于 1901 年至 1919 年期间、1926 年至 1936 年期间在奥凡波兰行使职能,并且那里担任第一位督学。 格拉德夫人曾于 1901 年至 1919 年和 1926 年至 1936 年在奥万博兰工作,并在那里担任学校的第一位检查员。 0 +立即告诉他的父亲查利·克劳森(萨克·麦圭雷)和伊维。 立即告诉他的父亲萨克·麦圭雷(查利·克劳森)和伊维。 0 +Vălcea 河是罗马尼亚 Arieşul Mare 河的支流。 Arieşul Mare 河是罗马尼亚 Vâlcea 河的一条支流。 0 +它于 1096 年传给了阿尔努尔夫·德·蒙哥马利,但 1102 年又回到了奥马尔斯手上,被其保留到 1221 年。 1096 年它回到了阿努尔夫•德•蒙哥马利手中,但在 1102 年又被转手给了 Aumales,直到 1221 年。 0 +Piper City 由纽约的塞缪尔·克罗斯和费城的威廉·A·皮珀在 1867 年设计(1820 年 3 月 5 日至 1896 年 7 月 6 日)。 Piper City 于 1867 年由费城的塞缪尔·克罗斯和纽约的威廉·A·派珀(1896 年 3 月 5 日至 1896 年 7 月 6 日)布局。 0 +继多伦多的达斯蒂·巴克尔之后,奇托·加斯顿成为参加世界系列赛的第一位黑人教练。 达斯蒂·贝克成为自西托·加斯东以来第一位为多伦多加入球队和参加世界大赛的黑人球队经理。 0 +范伍德市位于第 22 国会选区内,隶属新泽西第 12 州立法区。 凡伍德位于第 12 国会选区,也是新泽西州第 22 州立法选区的组成部分。 0 +在吉他手本·艾伯保和贝斯手贾尔德·史威利离开 Renegades,以及吉他手科尔·亚历山大离开 Reruns 后,该乐队于 1999 年在乔治亚州的邓伍迪成立。 在吉他手科尔·亚历山大和贝斯手贾尔德·史威利离开 Renegades,以及吉他手本·艾伯保离开 Reruns 后,该乐队于 1999 年在乔治亚州的邓伍迪成立。 0 +梅森的扮演者格洛克纳在 2013 年 2 月 22 日播出的剧集中完成了自己的荧幕首秀。 在 2013 年 2 月 22 日播出的剧集中,他作为格洛克纳首次亮相荧屏。 0 +现在,这里拥有现代化的高楼大厦、大型的现代购物街、全新地铁站以及众多全新的零售和服务设施。 现在,这里拥有现代化的高楼大厦、全新购物街、大型现代化地铁站,以及众多全新的零售和服务设施。 0 +在苏格兰足球界,各级半职业球队都无法参加苏格兰超级足球联赛,并且大部分半职业球队也无法参加苏格兰足球冠军联赛。 在苏格兰足球中,半职业球队在低于苏格兰足球冠军联赛的各个级别角逐,其中大多数低于苏格兰足球冠军联赛水平的球队均为半职业球队。 1 +拟建的曼杜比河(马哈达伊河)河水改道和水利发电厂项目将导致噶瓦力的部分或全部地区被淹没。 拟议的 Mahadayi 河(曼杜比河)引水和水力发电厂项目将导致 Gavali 部分或全部地区被淹。 1 +罗杰·罗杰·普里查德于 1653 年从英格兰移入康涅狄格州米尔福德,他娶了伊丽莎白·普鲁登 伊丽莎白·伊丽莎白·普鲁登于 1653 年从英格兰移民到康涅狄格州米尔福德,与罗杰·普里查德结了婚 0 +苏利耶·德·莫兰特曾在法国驻华使团工作多年,并在中国多个城市担任法国领事。 Soulié de Morant 在中国的法国外交使团任职数年,并在中国的几个城市担任法国领事。 1 +法昆多·阿圭略在决赛中以 6 - 1、6 - 3 的比分打败了布莱恩·达布尔,赢得了冠军。 法昆多·阿奎略赢得了冠军,凭借 6 - 1 , 6 - 3 的比分在决赛中打败了布赖恩·达布尔。 1 +Lusaghbyur(前罗马语为 Lusakhpyur;也称为 Svanverdi 和 Svan)是亚美尼亚希拉克省的一个村庄。 Lusaghbyur(罗马字母写作“Lusakhpyur”,以前称为 Svanverdi 和 Svan)是位于亚美尼亚希拉克省的一个村庄。 0 +芝加哥熊队以 27 比 21 的比分输给巨人队,并且是自 1976 年以来第一次打出 0 比 6 的比分。 芝加哥熊队以 27-21 落败于巨人队,这是他们自 1976 年以来首次遭遇 0-6 的成绩。 1 +仅仅 10 天后,他和艾伦·海尔曼一同转入西雅图水手队,换来罗尼·塞德尼奥。 仅仅 10 天后,他和塞丹尼欧一起被交易到西雅图水手队,换回了亚伦·海尔曼。 0 +雷济厄斯出生于斯德哥尔摩,是解剖学家安德斯·雷济厄斯的儿子(也是博物学家和化学家安德斯·贾汉·雷济厄斯的孙子)。 雷济厄斯出生于斯德哥尔摩,是解剖学家安德斯·雷济厄斯的儿子(也是博物学家和化学家安德斯·贾汉·雷济厄斯的孙子)。 1 +弗兰克和他的妻子有小弗兰克和诺埃尔这两个孩子,以及六个孙子:汤米、奥利维亚、泰勒、艾莉莎、吉鲁克斯和泰莎。 弗兰克和他的妻子拥有小弗兰克和诺埃尔这两个孩子,以及六个孙子:汤米、奥利维亚、泰勒、艾丽莎、吉鲁和泰莎。 1 +Lusaghbyur(罗马语称 Lusakhpyur;旧称 Svanverdi and Svan)是亚美尼亚 Shirak 省的一个村庄。 Lusaghbyur(也称为罗马字母拼写的 Lusakhpyur;旧称 Svanverdi 和 Svan)是位于亚美尼亚施拉克省的一座村庄。 1 +根据观察,她“拥有巨大的潜力,而且才华横溢,未来将成长为具有独特音乐个性的人”。 根据观察,她“拥有非常巨大的潜力,而且才华横溢,未来将成长为具有独特音乐个性的人”。 1 +泰勒生前仍然担任芝加哥白袜队、密尔沃基棒球队和亚特兰大勇者队的球探。 泰勒仍然积极地担任芝加哥白袜队、密尔沃基棒球队和亚特兰大勇者队的球探,直至其去世。 1 +马利特娶了玛丽·阿尔德沃斯,一直到 1664 年,她都是伯克郡雷特康比·瑞吉斯的约翰·阿尔德沃斯的遗孀和法菲尔德伯克郡的托马斯·怀特的女儿。 1664 年,马利特与玛丽·奥德沃斯结婚,玛丽·奥德沃斯是伯克郡 Letcombe Regis 托马斯·怀特的遗孀,伯克郡费菲尔德约翰·奥德沃斯的女儿。 0 +苏格兰联合长老会传教会在 1864 年派代理人前往中国。 1864 年,中国联合长老会传教协会派遣代理到苏格兰。 0 +I在 1985 年的“强尼·卡森主演的一集今夜脱口秀”中,强尼提到了这个故事,并告诉了搭档埃德·麦克马洪整个故事情节。 在 1985 年播出的一集《约翰尼·卡森今夜秀》中,约翰尼提到这个故事并告诉了搭档埃德·麦马汉这个故事。 1 +安吉拉·沃伦提到莎士比亚,并且引用约翰·弥尔顿在《酒神之假面舞会》中说的话:“在波光粼粼、凉爽清澈的波浪下。” 安吉拉·沃伦提到莎士比亚并引用约翰·米尔顿的 《酒神之假面舞会》:“在闪亮凉爽且波光粼粼的海浪之下”。 1 +内维尔娶了 H. T. J. 麦克纳马拉的长女伊迪丝·克兰斯顿·麦克纳马拉,H. T. J. 麦克纳马拉曾任郡法院法官和铁路专员。 H·T·J·麦克纳马拉娶了伊迪斯·克兰斯顿·麦克纳马拉,她是内维尔先生的长女,内维尔先生曾担任考茨县的法官和铁道专员。 0 +她的儿子塞缪尔·普罗沃斯特是约翰(1742 年 -- 1815 年) 的父亲,也是纽约的第一位新教徒主教主教。 她的儿子约翰是纽约新教圣公会首任主教塞缪尔·普罗沃斯特(1742-1815 年)的父亲。 0 +Vembannur 是位于印度喀拉拉邦特里凡得琅县内杜芒格阿德的一个村庄。Vembannur 归入内杜芒格阿德的内杜芒格阿德 Aruvikkara 村务委员会。 Vembannur 是印度喀拉拉邦内杜芒格阿德乡 Aruvikkara 乡的一个村庄。Vembannur 采用提鲁瓦南塔普拉姆区的内杜芒格阿德潘查亚特。 0 +播音员是约翰·里德·金,而管弦乐队由雷·布洛赫指挥。 播音员是雷·雷·布洛赫,乐队指挥是约翰·里德·金。 0 +交流的这些面部运动形式来自大脑的相同区域。 这些形式的面部通信来自大脑的相同区域。 1 +他曾与比利·埃克斯坦的乐队共同录制音乐,并在 1946 年演奏过莱昂内尔·汉普顿乐队。 他与莱昂内尔·汉普顿的乐队同台演出,并于 1946 年与比利·埃克斯提的乐队一起录制音乐。 0 +自 17 世纪初至 12 世纪,凯塔王朝一直在统治帝国之前和帝国时期的马里。 从 17 世纪初至 12 世纪,凯塔王朝一直统治着前帝国及帝国时期的马里。 1 +Podkriváň 是一座位于斯洛伐克中部代特瓦区班斯卡比斯特里察地区的村庄和自治市。 Podkriváň 是斯洛伐克中部代特瓦区班斯卡-比斯特里察地区的一个村庄及自治市。 1 +1974 年,现在的地区与雷普顿农村地和德比郡东南部农村地区的一部分合并,形成德比郡南部城市地区。 1974 年,该地区与雷普顿农村地区和德比郡东南部农村地区的一部分合并,形成了今天的德比郡南部地区。 0 +它由比利·吉尔哈特编写,由塞思·霍夫曼执导。 它由塞思·霍夫曼编写,由比利·吉尔哈特执导。 0 +它们被现场演奏的罕见管弦乐盖过,并由近乎刻意平淡的模糊声音构成。 它们被现场演奏的稀疏管弦乐声音覆盖,而且由模糊不清和几乎故意平淡的声音构成。 1 +他于 1965 年 12 月 21 日出生在在马里兰州奥克森岗,就读过康涅狄格州纽黑文市的奥克森岗高中。 他于 1965 年 12 月 21 日出生在康涅狄格州纽黑文市,并在马里兰州奥克森岗的奥克森岗高中就读。 0 +利托曾效力于津戈内的足球俱乐部。 津戈内为利托效力于足球俱乐部。 0 +下一个版本由罗恩的兄弟罗伯特·富勒于 1986 年制作。 下一个版本是由罗恩的兄弟罗伯特·富勒在 1986 年创作的。 1 +2011 年,他还撰写了歌手麦当娜的传记《狂迷流行乐天后:麦当娜》,并由 Castelvecchi 出版社出版。 2011 年,他还撰写了歌手麦当娜的传记《狂迷流行乐天后:麦当娜》,该书由 Castelvecchi 出版社出版。 1 +2005 年 6 月,BBC 新闻学院作为电子学习课程开设,由文·雷担任执行编辑,第一任总监为凯文·马什。 2005 年 6 月,BBC 新闻学院作为电子学习课程开设,由凯文·马什担任执行编辑,第一任主任为文·雷。 0 +作为鲍勃“黑爵士”表演的音乐是沃恩·威廉姆斯的“绿袖子上的幻想曲”。 黑爵士向“鲍勃”求爱时演奏的音乐是沃恩·威廉姆斯的“绿袖子上的幻想曲”。 0 +纳米比亚最大的峡谷是非洲的鱼河峡谷。 非洲最大的峡谷是纳米比亚的鱼河峡谷。 0 +8 月 1 日,“汤顿城堡号”在里约热内卢,10 月 31 日在槟城。 “汤顿城堡号”于 8 月 1 日和 10 月 31 日分别抵达里约热内卢和槟城。 1 +Wa Kyun 是安达曼海中的一座岛屿,位于缅甸南部地区的孟邦海岸附近。 Wa Kyun 是安达曼海的一座岛屿,位于孟邦南部区域缅甸海岸附近。 0 +它在中国(海南)和越南被发现。 它生活在中国(海南)和越南。 1 +文森门站位于巴黎 12 区东北角与 20 区东南角的交汇处。 文森门站位于巴黎 20 区东南角与 12 区东北角的交汇处。 0 +JoyKey 没有活动部件,没有会磨损的软木塞,也没有会断裂的弹簧。 JoyKey 没有活动部件,没有会断裂的软木塞,也没有会磨损的弹簧。 0 +伍德维尔被指是斯蒂芬·金小说“立场”中主角格伦·佩克德·贝特曼的家。 在格伦·佩克德·贝特曼的小说《立场》中,伍德维尔被称为主角斯蒂芬·金的家。 0 +施利曼清理出五口竖井,并认出它们就是鲍桑尼亚所提到的坟墓。 施利曼认出五口竖井,并表它明们是就鲍桑尼亚所提到的坟墓。 0 +奔戈马的罗马天主教教区是一个主教教区,位于肯尼亚基苏木教省奔戈马市。 罗马天主教奔戈马教区是肯尼亚奔戈马教堂省基苏木市的一个教区。 0 +她在 2008 年日本电影《入殓师》中饰演小林美佳,与本木雅弘上演对手戏,该片获得了第 81 届奥斯卡金像奖的最佳外语片奖。 她在 2008 年日本电影《分离》中饰演与小林未郁演对手戏的本木雅弘,这部电影获得第 81 节奥斯卡最佳外语片奖。 0 +Hilltown 种族中主要为白人,占比 93 % ,而亚洲人占 3 %,中国人占 1 %。 Hilltown 的种族主要为白人,占比 93% ,而亚洲人占 3%,中国人占 1%。 1 +他与马丁·汉森(卢卡斯)共同获得了著名的卡耐基数学奖学金。 他和卢卡斯(马丁·汉森)共同获得了有声望的卡内基数学奖学金。 1 +佛蒙特北边与米查姆接壤,西边与鲁纳沃丁和森林山接壤,南边与佛蒙特接壤,东边与瓦特尔纳和灵伍德接壤。 南佛蒙特在北面与米查姆接壤,在西面与鲁纳沃丁和森林山接壤,在南面与佛蒙特接壤,在东面与万提纳和林伍德接壤。 0 +他们中的大多数人目前生活在希腊,还有一些人仍留在保加利亚。 他们中的大多数人现居住在保加利亚,有些仍住在希腊。 0 +NS 在制造该系列之前,很少 75s,可能有 20 个,被取消。 0 +钱德勒同意计算机是一种学习工具,但他反对盛行的将数据视为信息、将信息视为知识的客观主义。 钱德勒认为计算机是一种学习工具,但他反对一种流行的客观主义,即将数据视为信息,将信息视为知识。 0 +作为印象派的二流作曲家,他作为指挥家为法国教堂音乐作出了杰出贡献。 虽然他是印象派一位微不足道的作曲者,但是作为指挥家,他对法国教会音乐做出了杰出的贡献。 1 +他娶了伊丽莎白·杨 (1854-1932),并且是轮船大亨 N·O·杨·费恩利和地主托马斯·费恩利的父亲。 他娶了伊丽莎白·杨(1854 - 1932 年),是航运业巨头 N. O . Young Fearnley 和土地拥有者托马斯·费恩利的父亲。 1 +向南穿过第三大道后,跨布朗克斯公路西行从 3 号出口离开,该出口对接特里蒙特公园。 跨布朗克斯公路西行的第 3 出口对接第三大道以南的特里蒙特公园。 1 +邓肯·麦克林泰尔于 1899 年 10 月 6 日出生在英格兰肯特,他是艾弗·尤因·麦克林泰尔的儿子。 邓肯·麦金太尔 1899 年 10 月 6 日出生于英国肯特,是艾弗·尤因·麦金太尔船长的儿子。 1 +2011 年选举期间,国会的 Tarit Brahmachari 战胜了与他最接近的对手,RSP 的 Manoj Chakraborty。 在 2011 年的大选中,国大党塔利特·波罗摩恰立击败了与他差距最小的对手革命社会党 Manoj Chakraborty。 1 +这些面部沟通的形式来自大脑的相同区域。 这些相同的动作形式的交流来自大脑的面部区域。 0 +这条运河是欧洲最古老的通航运河之一,事实上是在比利时。 该运河是比利时乃至欧洲最古老的通航运河之一。 0 +巨人队以 27-21 落败于芝加哥熊队,这是他们自 1976 年以来首次遭遇 0-6 的成绩。 芝加哥熊队以 27-21 落败于巨人队,这是他们自 1976 年以来首次取得 0-6 的成绩。 0 +Dora Rangelova 是保加利亚 Fed Cup Team 的现任队长,也是网球运动员 Dimitar Kuzmanov 的母亲。 Dora Rangelova 是当前 Fed Cup Team 的保加利亚队长。她也是网球运动员 Dimitar Kuzmanov 的母亲。 0 +小舌挤喉音是一些口头语言中使用的一种辅音发音 国际音标中该发音的符号。 小舌喷音是一些口头语言中使用的一种辅音。国际音标中代表该发音的符号是 。 1 +上述有关单数主题 “-m” 的示例对第一人称来说是所有格。 所有格主题“-m”的上述例子适用于第一人称单数。 0 +草原位于约塞米蒂山谷,靠近布里达尔维尔瀑布,也以乔治·门罗的名字命名。 芒罗草场,位于约塞米蒂谷附近的布赖德韦尔,也因乔治·芒罗得名。 0 +他的孩子有卡罗琳、布伦南、马特·佩洛西、劳伦斯(死于 1970 年)、安德鲁(生于 1971 年)和辛西娅(生于 1981 年)。 他的子女是卡洛琳和辛西娅(1970 年逝世)、布伦南、马特·佩洛西、劳伦斯(生于 1971 年)和安德鲁(生于 1981 年)。 0 +1959 年 2 月 20 日,总理约翰·迪芬贝克终止该项目,并拆除五架已完工的飞箭。 1959 年 2 月 20 日,总理约翰·迪芬贝克完成了这个项目,五支被拆卸的箭完工。 0 +在接二连三的政变行动中,他被穆尔塔拉·穆罕默德(1975 年)和奥卢塞贡·奥巴桑乔(1976 年)相继取代。 他在连续的政变中被奥卢塞贡·奥巴桑乔(1975 年)和穆塔拉·穆罕穆德(1976 年)所取代。 0 +卡斯帕·雷内·格里高利 (278) 和弗雷德里克·亨利·安布罗斯·斯科里夫纳(第 329 号)将该手稿添加至《新约全书》的手稿清单。 卡斯帕·雷内·格里高利 (278) 和弗雷德里克·亨利·安布罗斯·斯科里夫纳(第 329 号)将该手稿添加至《新约全书》的手稿清单。 1 +独立之前,俄罗斯帝国是芬兰境内的一个自治大公国。 芬兰在独立前是俄罗斯帝国境内的自治大公国。 0 +那时,该国的所有者是约翰逊先生,他同意与莱斯利·弗农·卡尔卡特签订 99 年的租约。 当时该国的所有者是莱斯利·弗农·加尔各答,他同意与约翰逊先生签订一份 99 年的租约。 0 +该中心的国际项目包括持续进行的关于写作和文学的会议,以及为学生、学者、GCC 公民和居民开展的区域性活动。 该中心的国际项目包括专注于写作和文学的持续召开的会议以及为学生、学者、GCC 公民和居民举办的区域性活动。 1 +当被问及如何称呼他的名字时,他告诉《文学文摘》“我的名字读起来像“ear”;拼为 en-house”。 在被问到如何念他的名字时,他告诉《文学摘要》,“我的名字拼起来和 ear'en-house”的发音一样。 0 +Audubon Council 由 Shawnee Trails Council 和 Four Rivers Council 合并而成。 肖尼小径委员会由合并四河委员会和奥杜邦委员会成立。 0 +当一个曲面的高斯曲率为常数零时,它便是可展曲面,并且该曲面的几何形状为欧几里德几何。 如果一个曲面有常数零可展曲率,它便是欧几里得曲面,并且该曲面的几何形状为高斯几何。 0 +阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 阿苏萨太平洋大学的阿苏萨校区位于洛杉矶东北部的圣盖博谷。 1 +然后摔跤手向前跳,接着调转方向向后倒,让对手的头陷进了垫子里。 摔跤手来回跳跃,猛然向前倾,再往后退,将对手的头摔到垫子上。 0 +第三节的最后一行在南斯拉夫的亚历山大一世统治时期被改为“Kralja Aleksandra , Bože hrani”。 在南斯拉夫亚历山大一世统治期间,第三篇诗歌的最后一行“Kralja Aleksandra , Bože hrani”被进行了修改。 1 +1864 年,中国联合长老会传教会派其代表前往苏格兰。 1864 年,苏格兰长老会传教士联合协会派代表来华。 0 +达斯蒂·贝克成为自西托·加斯东以来第一位为多伦多加入球队和参加世界大赛的黑人球队经理。 奇托·加斯顿是自达斯蒂·巴克尔任职多伦多蓝鸟队后,第一位参与世界大赛的黑人经理,以及 0 +她在 1947 年 5 月 3 日 9:55 因其罪行在哈尔莫恩的狱中被亚伯特·皮埃尔波因特处决,比伊丽莎白·马绍尔晚 24 分钟。 1947 年 5 月 3 日上午 9 点 55 分,在艾伯特·皮埃尔波因特被处决 24 分钟后,她也因自己的罪行在哈默尔恩监狱被伊丽莎白·马莎尔处以死刑。 0 +该队还于 1953 年进行澳大利亚巡演,并于 1959 年 8 月进行亚洲巡演。 团队还于 1953 年在亚洲巡回演出,并于 1959 年 8 月在澳大利亚巡回演出。 0 +第二个辅音所在位置的音节结构可能为 V、CV、CCV。 NS 0 +建造的卫理公会教堂是 Upsall 为数不多的砖砌建筑之一。 已被废弃的卫理公会教堂是阿普索尔为数不多的砖砌建筑之一。 0 +1924 年夏季,他前往阿肯色州南部的斯马科弗,在犹尼昂县附近诺夫利特的一间办公室中从事繁荣的石油事业。 1924 年夏季,他前往阿肯色州南部的犹尼昂县,在斯马科弗附近诺夫利特的一间办公室从事繁荣的石油事业。 0 +大楼的七层楼专用于额外停车,并且有一个连接到该大楼的内部停车坡道。 这栋大楼的七层楼专门用作额外停车空间,而且这栋大楼附设室内停车场。 1 +1920 年和 1921 年,意大利人在威尼斯获胜——1920 年没有其他国家参赛,1021 年,法国没有开始。 1920 和 1921 年,意大利人进驻威尼斯——1920年,无其他国家胜利,1921 年,法军尚未开始进驻。 0 +1932 年的瑞典冰球世界锦标赛在瑞典冰球锦标赛的第 11 个赛季获胜,这是瑞典的全国锦标赛,哈马比体育会是冠军。 1932 年瑞典冰上曲棍球锦标赛是第 11 季瑞典冰上曲棍球锦标赛,也是瑞典国家冠军联赛。哈马比足球俱乐部赢得了冠军。 0 +JoyKey 没有活动部件,没有会磨损的软木塞,也没有会断裂的弹簧。 JoyKey 没有活动部件,没有会断裂的软木塞,也没有会磨损的弹簧。 1 +他受邀于 1924 年在多伦多担任 ICM 发言人,1932 年在苏黎世和 1936 年在奥斯陆也相继担任发言人。 1924 年、1932 年和 1936 年,他分别在多伦多、奥斯陆和苏黎世担任 ICM 的特邀发言人。 0 +音乐由 A. T. Ummer 创作,文本由 P. Bhaskaran 撰写。 这首音乐由 A·T·Ummer 编写,歌词由 P·巴斯卡兰创作。 1 +Gugark(,)是大亚美尼亚的第 13 个省。现在,该省包括亚美尼亚北部、土耳其东北部和格鲁吉亚西南部的部分地区。 古加克 ( , ) 是大亚美尼亚的第 13 个省,现在包括亚美尼亚北部、土耳其东北部和格鲁吉亚西南部的部分地区。 1 +曾出演过汤米·康诺利的罗里·詹宁斯在 Big Finish Productions 中出演少年时期的达沃斯。 汤米·康纳利扮演洛里·詹宁斯和 Big Finish Productions 中的少年戴沃斯。 0 +据评论家记载,第二个系列比第一个系列要好。 第一个系列比第二个系列更受评论家好评。 0 +并非所有王冠都是布帽,有些帽子上饰有金属和大量镀金元素。 并非所有王冠都是布帽。有些帽子上饰有金属和大量珠宝。 1 +在中央商务区建造的三家一流酒店中,这是第三家。 这是在中央商业区修建的三间三流酒店中的第一间。 0 +宾夕法尼亚州第 268 号公路从帕克以南的大桥西端延伸至埃姆伦顿北面。 宾夕法尼亚州 268 号公路从大桥西端延伸,与帕克北部和埃姆伦顿南部相接。 0 +他出生于纽约布鲁克林,在加利福尼亚州蒂伯龙去世。 他出生于纽约布鲁克林,逝于加利福尼亚州蒂伯龙。 1 +43 人得救,其中 40 人在救生船上获救,三人来自“特拉华”。 43 人得救;其中 40 人在救生船上,三人由“Delaware”救下。 1 +1943 年 9 月 12 日,她从基韦斯特起航,并于 9 月 16 日抵达德克萨斯州加尔维斯顿。 1943 年 9 月 12 日,她从基韦斯特起航,并于 9 月 16 日抵达德克萨斯州加尔维斯顿。 1 +立刻告诉他、他的父亲查理·克劳森(扎克·麦克圭尔)和伊维。 立即告诉他的父亲萨克·麦圭雷(查利·克劳森)和伊维。 1 +Audubon Council 由 Shawnee Trails Council 和 Four Rivers Council 合并而成。 随着 Four Rivers 委员会与 Audubon 委员会合并,Shawnee Trails 委员会诞生了。 0 +两架在 1934 年飞行,但没有再生产。 两架在 1934 年飞行,但没有再生产。 1 +这个事实似乎属于赛昂人的“计划”,他们想利用新一代混血人种重新在人类殖民地上繁衍。 这个事实似乎是人类殖民地希望与新一代混合生物繁殖的赛昂人“计划”的一部分。 1 +另一种控制鹿群的方法是调节出生率。 控制鹿群数量的另一种方法是控制出生率。 1 +卡茨于 1947 年在瑞典出生,在 1 岁时搬去了纽约市。 卡茨 1947 年在纽约市出生,随后于 1 岁时移居瑞典。 0 +1806 年 8 月 29 日,在治安法官本杰明·霍夫的主婚下,史蒂芬·史蒂芬在杰弗逊县与伊丽莎白·科尔完婚。 本杰明·霍夫将于 1806 年 8 月 29 日在杰斐逊县治安法官斯蒂芬·福特的见证下与伊丽莎白·科尔结婚。 0 +Luk 或 Loke 是几个(但并非所有)粤语姓氏的中文罗马拼音,其普通话罗马拼音是 Lu。 卢克或洛克是几个(并非全部)在普通话中罗马化为 Lu 的中文姓氏的粤语罗马化拼音。 1 +如果 1983 年的地方性选举是一场国会选举,那么社会主义左翼党会获得国会的八个席位。 如果 1983 年的地方性选举是一场国会选举,那么社会主义左翼党会获得议会的八个席位。 1 +在于 20 世纪 20 年代搬到盐湖城,然后搬到犹他州奥格登后,罗伯森及其家人于 1937 年在犹他州梅尔普顿定居下来。 继 1920 年代搬到犹他州奥格登,随后又搬到盐湖城后,罗伯逊和他的家人于 1937 年在犹他州梅普尔顿定居了下来。 0 +贝当古演奏吉他,并由克里斯·格里杰在纽约市 Sterling Sound Studios 对它进行母带处理。 贝滕科特演奏吉他,并由克里斯·格里杰在纽约市 Sterling Sound Studios 进行母带处理。 1 +2000 年,普尼亚姆·德维击败了代表联合人民党的全国人民党德尔门德拉·亚达夫的德维。 全国人民党的普那姆·德维于 2000 年击败了人民党联合派代表德尔门德拉·亚达夫。 0 +费尔奥克斯 ( 38.651254 , -121.259279 ) 位于萨克拉门托和福尔瑟姆之间。 萨克拉门托位于费尔奥克斯和佛森之间 ( 38.651254 , -121.259279 )。 0 +2011 年,他还撰写了歌手麦当娜的传记《狂迷流行音乐天后麦当娜》,并由 Castelvecchi 出版社出版。 2011 年,他还撰写了歌手麦当娜的传记《狂迷流行乐天后:麦当娜》,并由 Castelvecchi 出版社出版。 1 +该系列于 2009 年 4 月 18 日在澳大利亚在 Nickelodeon 上首次发行(新西兰和新西兰)。 该系列于 2009 年 4 月 18 日在新西兰尼克罗顿国际儿童频道首次开播(澳大利亚和新西兰)。 0 +Kjeld Deichmann 于 1963 年骤然离世,埃里卡关闭工作室并放弃陶艺。 1963 年,艾丽卡突然去世,Kjeld Deichman 关闭了工作室并放弃了陶艺。 0 +他就读于西奥兰治附近的塞顿霍尔预备中学(现位于新泽西州南奥兰治)。 他曾就读于新泽西州南奥兰治附近的 Seton Hall Preparatory School(现在位于西奥兰治)。 0 +Desborough Hundred 由以下中世纪教区和村庄组成(旧称古代村邑): Desborough Hundred 由以下古老的教区和村庄组成(旧称中世纪女儿): 0 +直到 1942 年 9 月,瓦肯接管了服务,米德兰兹被废弃并在随后被撤回。 到 1942 年 9 月,瓦肯人已完全接管此服务,中部地区则被收回,之后便废弃了。 0 +乔纳森·埃利希和安迪·拉姆在决赛中分别以 5 : 3 和 5 : 4 击败马克·诺尔斯和丹尼尔·内斯特,从而夺冠。 马克·诺尔斯和丹尼尔·内斯特夺冠,在决赛中以 5:3 和 5:4 击败乔纳森·埃利希和安迪·拉姆。 0 +弗兰克·詹姆斯加入为当地德鲁·洛布斯军队招募的分离主义者连队,并于 1861 年 8 月在威尔逊克里克战役中参加作战。 弗兰克·詹姆斯加入为奉行分离主义的德鲁·洛博斯军队招募的本地联队,并且在 1861 年 8 月的威尔逊克里克战役中参战。 0 +“新英格兰有线新闻”在波士顿市中心萨福克大学的电视演播室里保管着一台远程摄像机。 萨福克大学在波士顿中心的新英格兰有线新闻电视演播厅中维护着一台远程摄影机。 0 +在 1991 年之前,它是德哈马县唯一的公共舞台,而在 1993 年之前,它是唯一的一家电影院。 它提供了特哈玛县在 1991 年以前的唯一一个公共舞台,是 1993 年以前的唯一一家戏院。 1 +当 2011 年被 Royal Liver 集团收购时,Royal London 集团包括: 当在 2011 年被 Royal London 集团收购时,Royal Liver 集团是: 0 +他最终在意大利西北部站稳了脚跟,显然是得到了盖伊的支持,在那里他可能获得了“头衔”。 他最终在意大利西北部安顿了下来,他显然得到了盖伊的支持,他可能在那里获得了“comes”的头衔。 0 +朗出生在澳大利亚,年轻时迁徙到以色列并于 1961 年在那里定居。 朗出生于澳大利亚,年轻时移居以色列,并于 1961 年在此定居。 1 +1791 年 7 月 29 日,莎拉与莱亚·托马斯·赖特·希尔( 1765——1842 )在伯明翰的圣马丁教堂结婚,育有 8 个孩子。 1791 年 7 月 29 日,托马斯·莱特·希尔与莎拉·莱亚(1765 -- 1842 年)在伯明翰圣马丁教堂结婚,他们生育了 8 个孩子: 1 +在德国房车大师赛亮相期间,奥迪 V8 与更为小巧的梅赛德斯 190、宝马 M3 以及稍显轻便的欧宝 Omega 3000 展开角逐。 在德国房车大师赛上亮相期间, Audi V8 与比它小得多的 Mercedes 190、BMW M3 以及稍轻的 Opel Omega 3000 展开了竞争。 1 +Cape Don 在 1818 年由菲利普·帕克·金命名,作为对直布罗陀副总督乔治·多恩将军的赞美。 1818 年,开普顿以乔治·唐的姓名命名,以此赞颂担任直布罗陀省总督的将军菲利普·帕克·金爵士。 0 +NS 大卫于 1933 年 9 月 21 日在考文垂出生,一起出生的还有他的双胞胎兄弟姐妹查尔斯和杰西敏·罗宾斯,罗宾斯的十二个孩子中的第八个和第九个孩子 0 +劳埃德扩大了自己的业务并开始销售玩具和礼品,随着礼品业务发展壮大,他成立并领导了总部位于密苏里州格兰德维尤的 House of Lloyd。 劳埃德创立并开展了他的业务,开始销售玩具和礼品,当礼品业务得到发展壮大后,他扩展了总部位于密苏里州格兰德维尤的 House of Lloyd。 0 +卡恩与一名护卫开车离去,齐齐阿诺夫与其他两人一同离开,被枪击身亡。 卡恩随一名护卫突出重围,齐齐阿诺夫与其他两人坐车离开,被枪击身亡。 0 +超级明星杰基·史洛夫的司机拉胡尔·罗伊未能完成他的工作,所以他被他的儿子迪帕克(阿洛克·纳特)取代了。 超级巨星杰基·史洛夫的司机阿洛克·纳特无法做自己的工作,所以他被自己的儿子迪帕克(拉胡尔·罗伊)取代。 0 +威廉·耶尔的父母是威廉·J 和梅林·M·耶尔,她先后就读于墨尔帕克学院和加利福尼亚州路德大学。 William Heyer 的双亲为 William J. 和 Merlyn M. Heyer , 她先后就读于加利福尼亚路德大学和穆尔帕克学院。 0 +他代表当地俱乐部阿德里戈尔出战爱尔兰式橄榄球,20 世纪 60 和 70 年代,他还是科克郡高级跨县域队成员。 他为当地的阿德里戈尔俱乐部效力,参加了高级县际足球赛,在 1960 年代和 1970 年代是科克盖尔队的一员。 0 +马克·马金是加拿大退休金计划投资委员会的首席执行官,于 2016 年 6 月被马克·怀斯曼取代。 马克·怀斯曼是加拿大退休金计划投资委员会的首席执行官,2016 年 6 月马克·马金接替了他的职位。 0 +NS 使用公式 119 考虑一个市场 相关股票公式 120 与无风险回报公式 121,公式 122 和随机绑定 0 +塞利姆娶了居尔巴哈尔·可敦,她是巴耶济德二世、巴耶济德二世的继任者和 Sitti Mükrime Hatun 的外甥的母亲。 巴耶济德二世与 Gülbahar Hatun 结婚, 后者是巴耶济德二世的继任者塞利姆一世的母亲,也是 Sitti Mükrime Hatun 的侄子。 0 +锡贝伯格称,这首歌是他在此专辑中的最爱,“因为它是如此纯粹,而又如此个人化”。 锡贝伯格说这首歌是他在专辑中最喜欢的,因为它很纯粹,很符合他的个人经历。 1 +奥克塔维厄斯·沃尔·马莱的二女儿爱丽丝·安娜·凯瑟琳于 1852 年 6 月 24 日在英国驻科隆领事馆与托马斯完婚。 托马斯·安妮的二女儿,爱丽丝·安娜·凯瑟琳,于 1852 年 6 月 24 日在英国驻科隆领事馆嫁给奥克塔维厄斯·沃尔·马利特。 0 +她受到理查德·吉布森和宫廷画家琼·卡莉的赞赏,被认为与彼得·莱利一样成功。 她被理查德·吉布森和宫廷画家琼·卡莉称赞为“与彼得·莱利一样成功”。 1 +从 1958 年起,梅尔库斯在维也纳音乐学院担任小提琴、小提琴历史、中提琴和巴洛克表演的教授。 从 1958 年起,梅尔库斯在维也纳音乐学院担任小提琴、巴洛克小提琴、中提琴和历史表演实践的教授。 0 +托德·雷维克的弟弟蒂姆目前担任国家橄榄球联盟的首席营运官(自 2015 年起)。 托德·莱韦克的弟弟蒂姆自 2015 年起至今一直担任国家橄榄球联盟的首席运营官。 1 +第一个是图拉吉岛的样本,第二个是占领斐济群岛和瓜达康纳尔岛(瞭望塔行动)。 第一个是在图拉吉岛进行的演练;第二个是夺取和占领斐济群岛和瓜达尔卡纳尔岛(瞭望台行动)。 1 +北阿巴科是巴哈马群岛的一个区,位于阿巴科群岛。其人口为 9578.(2010 年人口普查数据) 它是巴哈马国的一个行政区,位于阿巴科群岛上,人口为 9,578 人(2010 年人口普查数据)。 1 +下一个市政厅建于 1627 年,采用巴洛克风格,并于 1650 年、1653 年、1735 年和 1779 年遭到损坏。 下一个市政厅采用巴洛克风格,于 1627 年遭到毁坏,并于 1650 年、1653 年、1735 年和 1779 年建成。 0 +布鲁尔致力于创意及协作社群外展服务,运用她的见解去鼓舞那些处于艺术创作过程中的人们。 布鲁尔从事艺术社区外展服务,利用自己的见在创造性和协作性过程中鼓励他人。 0 +巨人队以 27-21 落败于芝加哥熊队,这是 1976 年以来首次比分为 0-6。 芝加哥熊队以 27-21 落败于巨人队,并且自 1976 年以来首次取得 0-6 的成绩。 0 +鹤山是一座位于中国福建省福州市长乐县的城市。 鹤上是一座位于中国福建省福州市县级市长乐市的小镇。 1 +那天晚上,他会前往特库姆塞西边的车站,然后在他的邻居们起疑心前,骑另一匹马回到 Violet Springs。 那天晚上,他会回到特库姆塞西边的车站,然后在他的邻居们起疑心前,骑另一匹马前往 Violet Springs。 0 +皮特·森柏斯在决赛中以 6 : 7、6 : 4、7 : 6 的比分击败了蒂姆·亨曼。 蒂姆 蒂姆·亨曼在决赛中以 6 - 7、6 - 4、7 - 6 的成绩击败皮特·桑普拉斯。 0 +uvular ejective 是一种用于某些口语的辅音 国际音标中的符号,代表那种声音。 挤喉音是一种用于某些口语的小舌音 国际音标中代表这种声音的符号, 0 +1932 年的瑞典冰上曲棍球锦标赛赢得了第 11 季瑞典冰上曲棍球锦标赛、瑞典国家冠军联赛的胜利,哈马比足球俱乐部是冠军。 1932 年的瑞典冰球锦标赛是第 11 季瑞典冰球锦标赛,它是瑞典的全国锦标赛,哈马比足球俱乐部赢得了冠军。 0 +麦卡锡出生在加利福尼亚州旧金山,但在四岁时随家人搬到了奥克兰。 麦卡锡出生于加利福尼亚州旧金山,但在四岁时便随父母搬至奥克兰。 1 +英国广播公司国际频道也播出了一个称为“动物、蔬菜和矿物质”的节目,由迈克尔·佛兰德主持,小组成员包括泰利·霍根。 英国广播公司国际频道也播出了一个称为“动物、蔬菜和矿物”的节目,由米高·夫兰达斯主持,小组成员包括特里·沃根。 1 +这种甲虫在 1988 年被描述为“非功能性种类”。它还算比较长,拥有新的翅膀,但不能飞。 这种甲虫在 1988 年被描述为“非功能性种类”。它还算比较长,拥有新的翅膀,但不能飞。 1 +梅赫塔和妻子玖熹·查瓦拉拥有一双儿女,女孩亚维·梅赫塔(2001 年出生)和男孩阿尔琼·梅赫塔(2003 年出生)。 梅赫达与妻子菊希·曹拉育有两个子女,一个女孩嘉和纳薇·梅赫达(生于 2001 年)和一个男孩阿尔君·梅赫达(生于 2003 年)。 1 +她成为瓦尔·洛温、波利斯·洛温和罗莎琳德·洛温的母亲,她的女儿是一位心理学教授。 她是瓦尔、鲍里斯和罗莎琳德·洛温的母亲,她的女儿成为了心理学教授。 0 +阿曼多·圣地亚哥(生于 1932 年 6 月 18 日)是加拿大出生的葡萄牙裔作曲家、指挥家、音乐教育家和大学管理人员。 阿曼多·圣地亚哥(生于 1932 年 6 月 18 日)是葡萄牙出生的加拿大裔作曲家、指挥家、音乐教育家和大学管理人员。 0 +在早期天文学领域,他因引入数学地球仪和对理解行星运动所作出的天文学贡献而名声大噪。 天文球体的提出,以及对行星运动研究的早期贡献,令他在数学天文学方面享有很高的声誉。 0 +使用虚拟空间的坐标而非物理坐标执行地理路由的想法归功于 Rao 等人 拉奥等人提出使用坐标而非使用虚拟坐标在虚拟空间执行地理路线的概念。 1 +他对自己图像的装饰效果尤其感兴趣,这些图像由穿着长斗篷的非写实人物或受到影响的姿态构成,叙述性内容是次要的。 他对他的图片的装饰效果尤其感兴趣,图片中有身披长斗篷的时髦人物,或是受到影响的姿势;叙述性内容是次要的。 1 +自 17 世纪初至 12 世纪,凯塔王朝一直在统治帝国之前及帝国时期的马里。 从 12 世纪到 17 世纪初,凯塔王朝一直统治着帝国前和帝国时期的马里。 0 +1979 年,他在巡回赛中取得了最佳战绩,在特拉维夫、约翰内斯堡和亚特兰大打进四分之一决赛。 1979 年是他在巡回比赛上表现最佳的一年,在特拉维夫、约翰内斯堡和亚特兰大进入四分之一决赛。 1 +代理老板 Rene Piccarreto——Loren Piccarreto 的儿子——于 1988 年被逮捕,于 1994 年被释放。 代理老板—雷内·皮卡雷达—洛伦·皮卡雷达之子,于 1988 年被逮捕,于 1994 年被释放。 1 +《Shook》是一本独立制作的地下电子音乐杂志,大本营位于伦敦,涵盖各种形式的英国音乐和黑人音乐。 Shook 是一家伦敦的地下制作电子音乐杂志社,主要介绍各种类型的英国音乐和黑人音乐。 1 +然后,他在俄亥俄州托莱多教学并于 1856 至 1859 年间担任克利夫兰学校的代理负责人。 他随后在俄亥俄州克利夫兰任教,并于 1856 年至 1859 年担任托雷多学校的副校长。 0 +NS 有来自公式 11 中的群体的定期或不定期基本贡献,带有类型的 Abelianizations 公式 285 0 +《星际探险家》由 Universal J Japan、环球唱片和 Perfume Records 在 2016 年 4 月 6 日以四种不同的格式发行。 《星际探险家》于 2016 年 4 月 6 日由日本 Universal J、环球音乐和 Perfume Records 采用四种不同的格式发行。 1 +Arieşul Mare 河是罗马尼亚 Válcea 河的一条支流。 沃尔恰河是罗马尼亚境内 Arieşul Mare 河的一条支流。 0 +埃尔阿蒂约提供免费的公共教育,共有 17 所小学;11 所是私立小学,6 所是公立小学。 埃尔阿蒂约市免费提供公共教育,共有 17 所小学,其中 11 所是私立学校,6 所是公立学校。 1 +1953 年,蒂莫西·德图达莫在久病不愈后去世,雷蒙德·加达布接替他担任首席执政官。 1953 年,雷蒙德·加达武久病而逝,由 Timothy Detudamo 继任 Chief Chief 一职。 0 +战后,他在 1948 年和 1949 年分别为陆军队与皇家海军队对战两次,并且在 1949 年对战剑桥大学队。 战争结束后,他分别在 1948 年和 1949 年为与皇家海军对战的军队效力过两次,并在 1949 年对战剑桥大学。 1 +音频是通过直接数字录音来维护的(因此音频质量是转录的)。 音频通过直接数字录制进行转录(音频质量得以保持)。 0 +总编辑是赫伯特·韦塞尔斯(自 2009 年起),副编辑是马库斯·埃尔默特(自 2002 年起)。 第二编辑是赫伯特·韦塞尔斯(自 2009 年起),主编是马库斯·艾莫特(自 2002 年起)。 0 +这首歌由加拉作词和作曲,并由菲利波·安德里亚·卡梅尼和毛里西奥·莫勒拉制作。 这首歌由加拉作词和作曲,由 Filippo Andrea Carmeni 和 Maurizio Molella 制作。 1 +德·鲁伊特,出生于莱顿,曾为乌德勒支足球俱乐部、邓伯什足球俱乐部、Excelsior 球队、RKC 韦瓦尔克足球俱乐部和埃门足球俱乐部效力。 德·鲁伊特出生于莱顿,曾先后效力于乌德勒支足球俱乐部、邓伯什足球俱乐部、精英职业足球基金会、瓦尔韦克足球俱乐部和埃门足球俱乐部。 1 +蔡讽还有一子,名叫蔡瑁。 蔡讽还有一个儿子,叫蔡瑁。 1 +癌症基因组项目由彼得·坎贝尔于 2000 年启动,迈克尔·斯特拉顿现在是该项目的组长。 癌症基因组项目由彼得·坎贝尔于 2000 年启动,目前该项目的团队领导是迈克尔·斯特拉顿。 1 +杰西卡·罗在 2004 年开始划船,奥利维亚·罗在 2006 年跟随她划船。 2004 年,奥利维亚·洛开始划船,杰西卡·洛在 2006 年追随她。 0 +这篇诗歌收录在四篇当代手稿中,其中一篇残缺不全: 这首诗歌存储在四份当代手稿中,其中一份残缺不全: 1 +Buccinum pulchellum 是一种海螺,属于真正的蛾螺科腹足类软体动物,是海蛾螺。 Enigmaticolus monnieri 是一种海洋蜗牛,是真鲨科 Buccinidae 中的一种海洋腹足软体动物。 0 +Propilidium pelseneeri 是一种海螺、真正的帽贝,属于真正的无鳃笠螺科腹足类软体动物,也是海洋帽贝科的一员。 Propilidium pelseneeri 是一种海螺、真正的帽贝,属于海洋无鳃笠螺科腹足类软体动物,也是真正的帽贝科的一员。 0 +西蒙 西蒙于 1979 年出生于查理和梅根·佩斯,并居住在英格兰曼彻斯特。 西蒙出生于 1979 年,父母分别为查理和梅根·佩斯,在英格兰曼彻斯特生活。 1 +根据美国人口普查局的统计,肯尼索的总面积是土地,只有 1.08% 有水。 美国人口调查局的资料显示,绍斯波特的总面积为,其中陆地面积占,或水域面积占 1.08%。 1 +艾尔半岛上还有一条单独的窄轨铁路连接着林肯港和塞杜纳。 艾尔半岛上还有一条从林肯港到塞杜纳的孤立的窄轨铁路。 1 +它从美国(缅因州、俄勒冈州和加利福尼亚州)和不列颠哥伦比亚省(加拿大)广人所知。 它从美国(缅因州、俄勒冈州、加利福尼亚州)和加拿大(不列颠哥伦比亚省)开始出名。 1 +普特南县仅有的另一个詹宁斯镇。 全州范围内,仅有的另外一个詹宁斯镇区位于普特南县。 1 +他在 1824 年被任命为塞内卡县的检察官,1826 年被任命为威廉姆斯县的检察官,1827 年被任命为桑达斯基县的检察官。 他在 1824、1826 和 1827 年先后受命担任威廉斯县、瑟内萨县和桑达斯基县的原告律师。 0 +在考虑经济利润时,一并考虑显性成本和隐性成本。 在考虑隐性利润时,一并考虑显性成本和经济成本。 0 +耶稣在鱼腹中度过了三日,而约拿将在墓穴中度过三日。 约拿在鱼腹中度过了三日;耶稣将在墓穴中度过三日。 0 +总编辑是赫伯特·韦塞尔(2009 年开始),第二编辑是 Markus Ermert(2002 年开始)。 总编是赫伯特·韦塞尔斯(自 2009 年起),第二编辑是马库斯·埃尔默特(自 2002 年起)。 1 +吉列尔莫·科里亚以 6-3、3-6 和 6-2 的比分击败阿尔贝托·马丁 以 6-3、3-6 和 6-2 的比分击败吉列尔莫·科里亚·阿尔伯托·马丁 0 +贝壳的颜色很光滑,在一层非常薄的泛白的黄棕色表皮之下。 贝壳的颜色很光滑,在一层非常薄的泛白的黄棕色表皮之下。 1 +《相信我》是一首由内德·韦弗、米尔顿·阿格和吉恩·施瓦茨谱写的歌曲。 《相信我》是由珍·史瓦茲、弥尔顿·阿格尔和内德·威夫共同创作的一首歌曲。 1 +“断头台”最后一次在西德使用的时间是 1949 年,东德是 1966 年。 “Fallbeil”于 1949 年最后一次在西德使用,并于 1966 年在东德使用。 0 +它服务于艾迪瓦力的墨尔本东南部郊区,在 1919 年 9 月 20 日开放。 它服务于艾迪瓦力最东南端的墨尔本郊区,在 1919 年 9 月 20 日开放。 1 +其他困难包括在电影上映前七周,彼得·杰克逊决定将作曲人从霍华德·肖更换为詹姆斯·纽顿·霍华德。 其他困难还包括彼得·杰克逊在电影更换前七周决定将作曲家霍华德·肖更换为詹姆斯·纽顿·霍华德。 0 +它作为吉隆坡卫星城的地位与其地处马来西亚巴生谷的中心位置有关。 它作为吉隆坡卫星城的地位与其地处马来西亚巴生谷中心位置有关。 1 +斯泰茨伯勒-布洛克县机场是美国空军后备队,即民防巡逻队的斯泰茨伯勒“雄鹰”联合飞行中队 ( GA451 ) 的总部。www.statesborocap.com . 斯泰茨伯勒-布洛克县机场是美国空军后备队的斯泰茨伯勒“雄鹰”民防巡逻机联合飞行中队 (GA451) 的总部。www.statesborocap.com 1 +芝加哥熊队以 27-21 落败于巨人队,这是他们自 1976 年以来首次遭遇 0-6 的成绩。 芝加哥熊队以 27-21 落败于巨人队,这是他们自 1976 年以来首次取得 0-6 的成绩。 1 +他于 1976 年 1 月 6 日在阿利坎特去世,被葬在马德里的教堂。 他于 1976 年 1 月 6 日在马德里去世,葬在阿利坎特教堂。 0 +他是华沙作家和作曲家战前联盟犹太人支部的成员。 他是华沙作家和作曲家战前联盟犹太人支部的成员。 1 +《Hoppkorv》是美国布鲁斯摇滚乐队金枪鱼合唱团的第七张专辑,他们最后一张录音室专辑是为 Grunt Records 录制,名为 Grunt BFL1-1920。 《Hoppkorv》是美国布鲁斯-摇滚乐队 Hot Tuna 的第七张专辑,也是他们为 Grunt 唱片公司录制的最后一张录音室专辑,专辑名为《Grunt BFL1-1920》。 1 +大卫·卡迪纳尔·比顿去世时是圣安德鲁斯大法官、苏格兰大主教和苏格兰红衣主教使节。 大卫·卡迪纳尔·比顿去世时是苏格兰大法官、圣安德鲁斯大主教和苏格兰红衣主教使节。 0 +萨默斯是首代萨默斯男爵查尔斯·科克斯的儿子,而伊丽莎白是理查·艾略特的女儿。 萨默斯是第一萨默斯男爵理查德·艾略特和伊丽莎白之女查尔斯·科克斯之子。 0 +他将此称作小说创作的新发现,将其视作中国文学的神话现实主义。 他将此描述为小说创作的新发现,并将其视为中国文学的神话现实主义。 1 +Barons de Longueuil 已经有好几代没有在加拿大生活,但在苏格兰和法国生活过,并在 1970 年代生活在菲律宾吕宋岛。 Barons de Longueuil 已经有好几代没有在苏格兰生活,他们在加拿大和法国生活过,并于 1970 年代生活在菲律宾吕宋岛。 0 +德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在兰布勒峰东南面和戈尔德河南面。 德沃山是位于加拿大不列颠哥伦比亚省温哥华岛的一座山,坐落在戈尔德河东南面和兰布勒峰南面。 0 +Somatherapy(或 Soma)是一种群体疗法,由威廉·赖希在 20 世纪 70 年代根据精神分析学家弗莱雷的研究创立。 Somatherapy(或 Soma)是 20 世纪 70 年代由威尔海姆·赖希根据精神分析学家弗莱雷的研究创立的团体治疗。 1 +在西欧和中欧地区以及南亚都发现了它。 它可以在欧洲南部和西亚与中亚获得。 0 +它为潘切库拉市的 Chandimandir Cantonment 区提供服务。 它为潘切库拉的 Chandimandir Cantonment 地区服务。 1 +在越南战争期间,北方的三合会被消灭了,但在南方。 越南战争期间,三合会在北方遭到根除,但在南方并非如此。 1 +这部电影由 Alena Kruchkova 编辑并由 Andrei Litvinov 制作。 这部电影由 Alena Kruchkova 制作,由 Andrei Litvinov 剪辑。 0 +在斯里兰卡,只有斯里兰卡特许会计师协会的会员才能使用特许会计师(即斯里兰卡 CA)这一头衔。 在斯里兰卡,只有斯里兰卡会计师协会的会员才能使用特许会计师(斯里兰卡 CA)这一头衔。 1 +津戈内为 Lito 踢了俱乐部足球。 利托效力于津戈内足球俱乐部。 0 +在伊斯帕尔塔完成小学和初中的学习后,他在伊斯坦布尔完成了 Pertevniyal High School 的学业。 在伊斯帕尔塔完成小学和初中的学习后,他在伊斯坦布尔完成了 Pertevniyal High School 的学业。 1 +麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 麦克米伦在位于蒂德沃思的皇家医疗队工作了两年,之后在迪德科特工作,在那里他为在朝鲜战争中受伤的士兵做磁共振波谱分析。 0 +雅各布·马克尔(1770 年 5 月 8 日 - 1852 年 11 月 26 日)是来自纽约的美国代表,亨利·马克尔的父亲。 雅各布·马克尔(1770 年 5 月 8 日 - 1852 年 11 月 26 日)是纽约的一位代表,也是亨利·马克尔的父亲。 1 +他随后在农业领域的工作主要在诺福克开展,但他还建议在林肯郡广泛筑堤,而这项工作得到顺利开展。 他随后在农业领域的工作主要在林肯郡开展,但他还建议在诺福克广泛筑堤,而这项工作得到顺利开展。 0 +NS NS 0 +它由乔治·菲茨莫里斯执导,改编自维乐德·马克 1917 年的戏剧《猛虎蔷薇》。 它改编自 1917 年威拉德·麦克执导的一部戏剧“老虎玫瑰”,由乔治·菲茨莫里斯执导。 1 +艾尔半岛上还有一条单独的窄轨铁路连接着塞杜纳和林肯港。 艾尔半岛上还有一条单独的窄轨铁路连接着林肯港和塞杜纳。 0 +该地区除拥有多座城市公园,还有十座州立公园、五座国家设施,还有其他几座公园和植物园。 除市政公园外,该区域还有十座州立公园、五座国家场馆和其他几座公园和植物园。 1 +《Battlepug》是一部网络漫画,由迈克·诺顿编写和画插图,由艾伦·帕塞尔拉奎着色,由克瑞斯·柯兰克写字母。 《Battlepug》是一部出自麦克·诺顿之手的网络漫画,由亚伦·巴萨拉夸撰写并由克里斯·柯兰克绘画。 0 +经确认,它将在未来作为这张专辑的一首单曲分别于 10 月 15 日和 10 月 23 日在英国和美国发行。 随后,它被确认将于 10 月 15 日在英国以及 10 月 23 日在美国作为专辑的单曲发行。 1 +他娶了伊丽莎白·杨(1854 - 1932 年),并且是航运巨头 N. O. 杨·弗恩利和地主托马斯·弗恩利的父亲。 他娶了伊丽莎白·杨(1854 - 1932 年),是航运业巨头托马斯·费恩利和土地拥有者 N. O . Young Fearnley 的父亲。 0 +他继续与 ESPN 合作,为该电视网导演了另外两部电影《Wendell Scott》和《Herschel》。 他继续与 ESPN 合作,为该网络又执导了两部电影《赫歇尔》和《温德尔·斯科特》。 1 +2001 年,西伯利亚航空与 Enkor 合并。 2001 年,西伯利亚航空公司与吴哥航空公司合并。 1 +1171 年 11 月 29 日,冈萨洛首次以“贡萨洛·鲁伊斯·德·布伦巴”的身份签署了宪章。 1171 年 11 月 29 日,Gonzalo Ruiz de Bureba 第一次作为“Gonzalo”签署了一份证书。 0 +在电子和数字视频技术出现前,色情电影的大规模制作直接与主流电影业相关。 在电子和数字视频技术出现之前,色情电影的大规模生产直接与主流电影业相关联。 1 +他出版并撰写了罗伯特·欧文(1934 年)、托马斯·莫尔(1935 年)和托马索·康帕内拉(1950 年)版本的序言。 他出版并撰写了托马索·康帕内拉(1934 年)、托马斯·莫尔(1935 年)和罗伯特·欧文(1950 年)版本的序言。 0 +朗出生于以色列,年轻时移居澳大利亚,并于 1961 年在此定居。 朗出生于以色列,年轻时移居至澳大利亚并于 1961 年在那里定居。 1 +邦戈马的罗马天主教教区是位于肯尼亚教区会邦戈马基苏木镇的一个教区。 卢伽兹罗马天主教主教教区是一个主教教区,位于肯尼亚基苏木教省奔戈马市。 0 +在原系列中,佐佐木望的日语配音员是麦凯,英文配音员是弗兰克·特林伯。 佐佐木望的日语配音由麦凯担纲,在原版电视剧中的英文配音是弗兰克·特林布尔。 1 +针对常规战招募了三个旅(11 个营);还训练出一支庞大的游击队(估计为 100,000 人)。 针对常规战训练出三个旅(11 个营);还招募了一支庞大的游击队(估计为 100,000 人)。 0 +在韩国,这种设计用于代表朝鲜王朝的道家思想和表达对阴阳和谐的希望。 在韩国,这个图案被用来表示朝鲜道教,以及表达对阴阳和谐的希望。 1 +他和卢卡斯(马丁·汉森)共同获得了著名的卡内基数学奖学金。 他和马丁·汉森(卢卡斯)共同获得了著名的卡内基数学奖学金。 1 +2007 年锦标赛于 1 月 21 日至 28 日在华盛顿州斯波坎的斯波坎会展中心和斯波坎体育馆举行。 2007 年锦标赛于 1 月 21 日至 28 日在华盛顿州斯波坎市的斯波坎退伍军人纪念竞技场和斯波坎会议中心举行。 1 +Zedtwitz 在 1932 年担任美国桥牌联盟的主席,该组织与其他组织在 1937 年合并后成立了美国合同桥牌联盟。 冯·泽德维茨是 1932 年 American Contract Bridge League 的主席,该组织在 1937 年与其他组织合并成立了 American Bridge League。 0 +它们有 13 根背刺、11 至 13 根背部软鳍、2 根臀刺,以及 11 至 13 根臀软鳍。 它们有 13 根臀软刺、11 至 13 根背部软鳍2 根背刺,以及 11 至 13 根臀鳍条。 0 +鉴于 Vinny Testaverde 被认为是首发成员,雷·卢卡斯正在与佐拉克竞争候补席位。 由于温尼·特施塔弗代担任发球员,佐拉克与雷·卢卡斯竞争替补球员的位置。 0 +在他 Medinet Habu 祭庙的两行长铭文中记载了此内容,这两行铭文实际是分开的,彼此稍有不同。 这记录在他的肉身哈布神殿内两处很长的铭文中,这些铭文彼此独立并且略有不同。 1 +在其他文章中,它赞同舒曼计划背后的经济思想,并称赞欧洲共同市场的扩张。 在其他文章中,它赞同舒曼计划背后的经济思想,并且对欧洲共同市场的扩张表示赞赏。 1 +"2" 1806 年 8 月 29 日,在治安法官史蒂芬·福特主婚下,本杰明·霍夫在杰弗逊县与伊丽莎白·科尔完婚。 1806 年 8 月 29 日,在太平绅士本杰明·霍夫的主持之下,史蒂芬·史蒂芬与伊丽莎白·科尔在杰斐逊县完婚。 0 +在实践中,Mesquite“模块”是 Java 类别,通常是具体类定义的抽象子类。 在实践中,Mesquite“模块”Java 类别库通常是具体类定义的抽象子类。 1 +在欧洲的岩石地层学中,这种中侏罗世时期的岩石被称为 Dogger。 在侏罗统中部地层 - 岩相层序,这一欧洲时代的岩石被称为 Dogger。 0 +GLA 实际效果的经验观测值证明 DGLA 的抗炎作用占有优势。 对 GLA 抗炎作用的经验观测值证明 DGLA 的实际效果占有优势。 0 +这首歌曲按照菲利普·安德里亚·卡梅尼和莫里吉奥·莫勒拉制作的演出作词和谱曲。 这首由菲利普·安德里亚·卡门尼和莫里吉奥·莫莱拉作曲的歌是由加拉作词及制作的。 0 +五月,斯潘塞·麦克拉伦抵达并饰演基兰·弗莱彻,该角色是已经确定的角色莎莉·弗莱彻(凯特·里奇)的爱慕对象。 五月,凯特·里奇作为莎莉·弗莱彻抵达,该角色是已经确定的角色基兰·弗莱彻(斯潘塞·麦克拉伦)的爱慕对象。 0 +Mehta 和妻子 Juhi Chawla 拥有一双儿女,女孩 Jahnavi Mehta(2001 年出生)和男孩 Arjun Mehta(2003 年出生)。 菊希·曹拉与妻子嘉和纳薇·梅赫达育有两个子女,一个女孩梅赫达(生于 2001 年)和一个男孩阿尔君·梅赫达(生于 2003 年)。 1 +Sculcoates 拥有一座图书馆、邮局、一个名为 Beverley Road Baths 的游泳池、一所高中以及两所小学。 Sculcoates 有一间图书馆、一间邮局、一个叫做 Beverley Road Baths 的游泳浴池、一所小学和两所高中。 0 +《Ungarala Rambabu》是一部泰卢固语电影,由 Kranthi Madhav 编剧和执导,并由 Paruchuri Kiriti 制作。 Ungarala Rambabu 是由 Paruchuri Kiriti 编剧和执导并由 Kranthi Madhav 制作的泰卢固语电影。 0 +他就读过附近的新泽西州南奥兰治的 Seton Hall 预备学校(现在位于西奥兰治)。 他就读于塞顿霍尔预备中学,该学校位于新泽西州南奥兰治(现在的西奥兰治)附近。 1 +唯一的有轨电车车站设在圣安东尼奥,终点站为米拉弗洛雷斯和奥连蒂。 唯一的有轨电车站位于圣安东尼奥。终点站是米拉弗洛雷斯和奥连蒂。 1 +较受欢迎的列车包括:开往库尔纳的 Simanta Express 和 Rupsha Express、开往拉杰沙希的 Titumir Express、开往达卡的 Nilsagar Express 和开往达卡的 Lalmoni Express。 更受欢迎的列车有:到 Khulna 的 Simanta 高速列车和 Rupsha 高速列车,到 Rajshahi 的 Titumir 高速列车,以及到 Dhaka 的 Nilesagar 高速列车和 Lalmoni 高速列车。 1 +安山岩为镁铁质熔岩,以部分岩样为主,以至于可划分为玄武岩型安山岩。 安山岩是主要的熔岩种类,其中一些样品足以被归类为玄武安山岩。 0 +纳舒厄白银骑士队属于夏季当前的联盟,是该市的大学生球队。 Nashua Silver Knights 参加了夏季联赛,是该市当前的球队。 0 +540 县道距离高地县的 540 国道南段仅几英里远,从美国 98 号公路向西延伸至 37B 县道。 540 县道位于高地城市 540 州道以西几英里,南起美国 98 号公路,一直延伸至 37B 县道。 0 +首先是在斐济群岛进行演习;其次是夺取并占领图拉吉岛和瓜达尔卡纳尔岛(瞭望塔行动)。 第一应是对图拉吉岛的踩点,第二是对斐济群岛和瓜达尔卡纳尔岛的占领和占领(瞭望台行动)。 0 +柬越友谊纪念碑位于柬埔寨首都金边,是一座大型混凝土纪念碑,用于纪念早期越南和柬埔寨之间的联盟。 位于柬埔寨首都柬埔寨的柬越友谊纪念碑是一座巨大的混凝土纪念碑,让人回想起越南与柬埔寨在过去的联盟。 0 +III . 克劳德·西蒙·布兰西昂于 1646 年 4 月 26 日娶 S. Quentin 公爵波弗特之女玛丽为妻,他: III 克劳德·西蒙·布兰西翁,1646 年 4 月 26 日结婚;玛丽,博福特的女儿、圣康坦的领主,对于她,他曾经: 1 +现有长期教师 43 人,其中大多数教师是国家优秀艺术家。 有 43 名常任教师,而且大多数教师都是该国著名的艺术家。 1 +从最正式的意义上讲,圣经中的厄运是一负面的赐福。 从最负面的意义上讲,圣经中的厄运是一种正式的赐福。 0 +就最正式的意义而言,圣经中的厄运是一种负面赐福。 从最负面的意义上讲,圣经中的厄运是一种正式的赐福。 0 +南欧、西欧和中亚都发现了它。 它在南欧、西亚和中亚均有提供。 1 +1866 年 6 月 25 日,他被任命为“吕基亚尼萨的主教和韦莱特里的领衔主教。 1866 年 6 月 25 日,他被任命为“利西亚的 Nisa”的辅理主教和韦莱特里的领衔主教。 1 +在 1968 年的伍斯特大道种族暴乱中,历史上著名的橡胶碗体育馆被美国国民警卫队用作基地。 在 1968 年的种族主义者伍斯特大道暴乱中,历史悠久的橡胶碗体育馆被美国国民警卫队用作基地。 1 +来自 Production I.G 的塔莎、丹尼·周、Kaname、石川光久和石井朋彦,以及来自韩国的 Miyuko 是此次活动的特别嘉宾。 本次活动的特别来宾有:来自 Production I.G 的泰莎、丹妮·周、 Kaname,以及 Mitsuhisa Ishikawa 和 Tomohiko Ishii,还有来自韩国的 Miyuko。 1 +当时,它由来自意大利、法国、德国、巴基斯坦、加拿大、英国和美国的船只组成。 当时,它由加拿大、法国、德国、巴基斯坦、意大利、英国和美国的船舰组成。 1 +他的儿子娶了 Mary O. Kennedy(来自旧金山)并于 1883 年在加利福尼亚州去世。 他的儿子与玛丽·O·肯尼迪(加利福尼亚州)结婚,他于 1883 年在旧金山去世。 0 +还需注意的是,“非 NFL”表示总体上算法仅在“一些”性能指标上存在不等量的问题。 另外请注意,“非 NFL”只表示算法总体上在“某些”绩效维度不相等。 0 +欧洲业务已收归 Ebel,而亚洲业务则出售给香港企业家约瑟夫·王,现属于宝光实业旗下产业。 亚洲业务成为 Ebel 的一部分,而欧洲业务则出售给香港企业家王永平,现已成为宝光实业的一部分。 0 +罗斯先生:我会证明 Prior Curry 开了枪,并且霍夫曼提出过给第一个这样做的人一英镑。 霍夫曼先生:我会证明之前的投篮是库里投的,而且罗斯给第一个投篮的人一英镑。 0 +当父亲李靖于 943 年去世后,李昪接管了政权。 李丽在父亲李靖 943 年去世后接管了一切。 0 +退休后,他一直留在克列梅涅茨直至去世。 在他退休后,他去世并留在了克雷门内次。 0 +这使他成为了第一个效力雄鸡队的 994nd 评分者。 这让他成为首个效力雄鸡队的 994 年级学生。 1 +H. T. Macnamara 娶了内维尔先生的长女 Edith Cranstoun Macnamara,他曾是郡法院的一名法官和一名铁路官员。 内维尔与艾迪斯·卡兰斯顿·麦克楠麦拉结婚,她是曾兼任郡法院法官和铁道部长的 H. T. J. 麦克楠麦拉先生的长女。 0 +邦妮·比蒂丽娅·克金(本名邦妮·比蒂丽娅,1948 年 3 月 25 日出生)是美国女演员。 邦尼·贝德莉娅·卡尔金(1948 年 3 月 25 日出生于邦尼·贝德莉娅)是一位美籍美国女演员。 1 +利用这一新假设,该语言学家能够形成分析性语句并制定翻译手册。 语言学家可以利用新的假设形成分析语句并制定翻译手册。 1 +1942 年 4 月,蒙塔古·斯莱特返回英格兰,回去后不久,他便邀请布里顿担任其歌剧《彼得·格赖姆斯》的剧作者。 布里顿于 1942 年 4 月返回英格兰。回去后不久,他便邀请蒙塔古·斯莱特为“彼得·格赖姆斯”编写剧本。 0 +但是,麦当娜、普林斯和迈克尔·杰克逊都影响了这一张专辑。 然而,迈克尔·杰克逊、王子和麦当娜都受到这张专辑的影响。 1 +1781 年,伊利诺伊州州长托马斯·杰弗逊将克拉克提拔为准将,并授予其肯塔基和弗吉尼亚各县所有民兵的指挥权。 1781 年,伊利诺伊州州长托马斯·杰斐逊·克拉克提拔准将,并给予他对肯塔基州和弗吉尼亚州各县全部民兵组织的指挥权。 1 +校区过去位于湾柴和西贡,之后于 2013 年 8 月搬至坚尼地城的新地址。 该校区位于湾仔和坚尼地城,2013 年 8 月,该校迁至其位于西贡的新永久地点。 0 +她结了两次婚:第一次是和医生 Mark Soroko,第二次是和银行家吉姆·海斯。 她有过两次婚姻:第一任丈夫是医生马克·索罗科,之后是银行家吉姆·海斯。 1 +1943 年 9 月 12 日,她从基韦斯特起航,并于 9 月 16 日抵达德克萨斯州加尔维斯顿。 1943 年 9 月 12 日,她从德克萨斯州加尔维斯顿起航,并于 9 月 16 日抵达基韦斯特。 0 +1977 年,巴伯与罗伯·泰勒前往苏格兰和挪威攀登瀑布。 1977 年,巴伯和罗勃·泰勒前往苏格兰和挪威攀登瀑布。 1 +吉利·维斯利以 5-7、6-3 和 6-4 击败了奥利佛·戈尔丁。 奥利弗·戈尔丁击败了吉力·维斯利,比分:5 -- 7、 6 -- 3、 6 - 4。 0 +菊希·曹拉与妻子嘉和纳薇·梅赫达育有两个子女,一个女孩梅赫达(生于 2001 年)和一个男孩阿尔君·梅赫达(生于 2003 年)。 菊希·曹拉与妻子嘉和纳薇·梅赫达育有两个子女,一个女孩梅赫达(生于 2001 年)和一个男孩阿尔君·梅赫达(生于 2003 年)。 1 +2002 年,这首歌由英国制作人文森特·斯托菲尔德发行,并由 independiente 使用“Sweet Harmony 02”制作和声。 2002 年,这首歌由英国制作人文森特·斯托姆菲尔德翻唱,并由 Independiente 以“甜蜜和谐 02”发行。 0 +伊丽莎白·普鲁登于 1653 年从英国移民到康涅狄格州的米尔福德,嫁给了罗杰·普里查德 伊丽莎白 伊丽莎白·普鲁登于 1653 年从英格兰移民至康涅狄格州米尔福德,嫁给罗杰·普里查德 1 +当这首歌新推出的时候,保罗·怀特曼、范和申克、马里恩·哈里斯和美国四重奏乐队等艺术家都录制了非常棒的唱片。 在这首歌刚推出时,保罗·怀特曼、范·申克、马里昂·哈里斯和 American Quartet 等艺术家拍摄了非凡的照片。 1 +他在自己的高中毕业生年鉴中荣获了“最幽默”和“最具天赋”两个头衔。 他在毕业纪念册上被评为“最幽默”和“最有才华”。 1 +访谈通常在节目的第一个小时进行,偶尔在第二个小时进行半小时的访谈。 采访通常在节目的前一个小时进行,在第二个小时偶尔会进行半小时的采访。 1 +受到影响的亚瑟尝试对格温更加体贴(主动提出做晚饭等。 亚瑟努力深受感染,更加体贴地对待格温(主动做晚餐等)。 1 +《土地贝西之地》是贝西伯爵及其 1964 年管弦乐队的录音室专辑,该专辑的音乐由比利·拜尔斯编曲和改编。 《土地贝西之地》是比利·拜尔斯及其管弦乐队在 1964 年录制的录音室专辑,由贝西伯爵作曲和编曲。 0 +他们的任务是保护各种太空前哨不受敌舰群的攻击。 他们的使命是保护各个前哨免受敌人舰队的攻击。 0 +他的母亲伊丽莎白这边有康沃尔公国大法官威廉·莫当特爵士,以及民事诉讼法院首席书记约翰·莫当特。 他的母亲这边有康沃尔公国大法官伊丽莎白·威廉·莫当特爵士,以及民事诉讼法院首席书记约翰·莫当特。 0 +2014 年,该网站推出了用于搜索产品的 iOS 和 Android 应用程序;产品特色包括带有现场问答环节的互动式视频产品评论。 2014 年推出网站 iOS 和安卓应用程序,用于产品搜索,产品功能包括交互式视频 - 产品 - 评论,并且提供现场问答会话。 1 +在另一个方向上,假设 "m" 通过准素分解是最强大的 在另一个方向,假设“m”是质数,具有强大的因子分解。 0 diff --git a/examples/datasets/pawsx/translate-train/en.tsv b/examples/datasets/pawsx/translate-train/en.tsv new file mode 100644 index 0000000..502bc6a --- /dev/null +++ b/examples/datasets/pawsx/translate-train/en.tsv @@ -0,0 +1,49401 @@ +In Paris , in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to England through Scotland . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to Scotland through England . 0 +The NBA season of 1975 -- 76 was the 30th season of the National Basketball Association . The 1975 -- 76 season of the National Basketball Association was the 30th season of the NBA . 1 +There are also specific discussions , public profile debates and project discussions . There are also public discussions , profile specific discussions , and project discussions . 0 +When comparable rates of flow can be maintained , the results are high . The results are high when comparable flow rates can be maintained . 1 +It is the seat of Zerendi District in Akmola Region . It is the seat of the district of Zerendi in Akmola region . 1 +William Henry Henry Harman was born on 17 February 1828 in Waynesboro , Virginia , where his parents were Lewis and Sally ( Garber ) Harman . William Henry Harman was born in Waynesboro , Virginia on February 17 , 1828 . His parents were Lewis and Sally ( Garber ) Harman . 1 +Bullion Express - concept is being introduced new store in Dallas , Texas in Preston Center opened . 2011-DGSE Bullion Express concept is introduced , new store opened in Preston Center in Dallas , Texas 0 +With a discrete amount of probabilities Formula 1 with the condition formula 2 and Formula 3 any real number , the Tsallis is defined as entropy as Given a discrete set of probabilities formula _ 1 with the condition formula _ 2 , and formula _ 3 any real number , the Tsallis entropy is defined as 1 +The Soviet Union maintained an embassy in Oslo and a consulate in Barentsburg , while Norway maintained a message in Moscow . The Soviet Union maintained an embassy in Moscow and a consulate in Barentsburg , while Norway maintained a message in Oslo . 0 +Vocabulary even went to Brazil through leaving Portuguese settlers with some Macanese and Chinese settlers . Vocabulary even went to Brazil by leaving Macanese and Chinese settlers with some Portuguese settlers . 0 +Kabir Suman recorded several albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . Suman Chatterjee , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Kabir Suman . 0 +He was a scholar in Metaphysical Literature , Theology and Classical sciences . He was a scholar in metaphysical literature , theology , and classical science . 1 +The city sits at the confluence of the Snake River with the great Weiser River , which marks the border with Oregon . The city lies at the confluence of the Snake River and the Great Weiser River , which marks the border with Oregon . 1 +He has been trained by his grandfather , Nick Dakin , and is now trained by Geoff Barraclough . He has been trained by his grandfather , Geoff Barraclough , and is now coached by Nick Dakin . 0 +The Austrian school assumes that the subjective choices of individuals , including individual knowledge , time , expectations , and other subjective factors , cause all economic phenomena . The Austrian school assumes that the subjective choices of individuals , including subjective knowledge , time , expectation , and other individual factors , cause all economic phenomena . 0 +Werder 's forces invested Belfort and reached the city on 3 November . Werder 's troops invested Belfort and reached the city on November 3 . 1 +The kBox facilitates both isometric and concentric contractions as well as eccentric training . The kBox facilitates eccentric as well as concentric contractions and isometric training . 0 +The first five weapons were delivered in the first half of 1916 , with a total of 57 barrels and 56 cars completed by the end of the war . The first five weapons were delivered in the first half of 1916 . A total of 57 barrels and 56 carriages were completed by the end of the war . 1 +Elizabeth II was an ancestor of Queens Edzard II and Beatrix of the Netherlands . Edzard II was an ancestor of the Queens Elizabeth II and the Beatrix of the Netherlands . 0 +The friendship between him and Duncan ended at a club meeting in 1951 when the two disagreed at an annual meeting and Duncan reported that Greaves said : The friendship between him and Duncan ended in 1951 at a club meeting , when the two did not agree at an annual meeting , and Duncan reported that Greaves said : 1 +"Pluto was classified as the planet when the Grand Tour was proposed and was launched at the time "" New Horizons "" ." "Note : Pluto was classified as a planet when the Grand Tour was launched and at the time "" New Horizons "" was proposed ." 0 +For their performances in the game , quarterback Jameis Winston and defensive back P. J. Williams were named the game 's most valuable players . Quarterback P. J. Williams and Defensive Back Jameis Winston were named the most valuable players of the game for their performances in the game . 0 +Shaffer Creek is a tributary of the Raystown Branch Juniata River ( Brush Creek ) in Bedford County , Pennsylvania , United States . Shaffer Creek is an tributary of Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania in the United States . 1 +Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) starred in a 2009 revival at The Old Vic in London . Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) played in a resume in 2009 at the Old Vic London . 0 +Briggs later met Briggs at the 1967 Monterey Pop Festival , where Ravi Shankar was also performing , with Eric Burdon and The Animals . Briggs met Briggs later at the Monterey Pop Festival of 1967 , where Ravi Shankar also performed with Eric Burdon and The Animals . 1 +Laura Myntti was born in Salt Lake City and lived in Sioux City , Iowa and San Diego before settling in Minnesota in 1968 . Born in Minnesota , Laura Myntti lived in Sioux City , Iowa and San Diego , before settling in Salt Lake City in 1968 . 0 +"The female lead role was played by Cortez in "" Ali Baba and the Sacred Crown "" , directed by Erminio Salvi ." "Cortez played the female lead in "" Ali Baba and the Sacred Crown "" , directed by Erminio Salvi ." 1 +She worked and lived in Stuttgart , Berlin ( Germany ) and in Vienna ( Austria ) . She worked and lived in Germany ( Stuttgart , Berlin ) and in Vienna ( Austria ) . 1 +Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a natural monument ( Ulyanovsk Oblast protected areas ) Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a natural monument ( Protected areas of Ulyanovsk Oblast ) 1 +The Little Jocko River flows across the Saint Lawrence River and the Ottawa River to the Jocko River . The Little Jocko River flows via the Saint Lawrence River and the Ottawa River to the Jocko River . 1 +In 1951 , he died and retired in 1956 . He died in 1951 and retired in 1956 . 1 +WORHP , also referred to as eNLP ( European NLP Solver ) , is a mathematical software library for numerically solving continuous , nonlinear optimization problems on a large scale . WORHP , also referred to as eNLP ( European NLP solver ) by ESA , is a mathematical software library for solving continuous large scale nonlinear optimization problems numerically . 1 +On January 17 , 2000 , there were reports of the RSS and some BJP - hardliners threatening to restart the party . On 17 January 2000 , there were reports of the BJP and some RSS hard-liners threatening to restart the party . 0 +The leaves are generally 1.5-4 mm long and 0.2-0.7 mm wide . The leaves are usually 1.5-4 mm long and 0.2-0.7 mm wide . 1 +BA transferred the former BCal routes to Heathrow to Tokyo and Saudi Arabia . BA relocated the former BCal routes to Tokyo and Saudi Arabia to Heathrow . 0 +In addition to Michael Boddicker , and Patrick Moraz , the album includes musical contributions from Diana Hubbard , John Goodsall , Chick Corea , Stanley Clarke . In addition to Diana Hubbard , the album contains musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker and Patrick Moraz . 0 +These geographically correspond to the traditional Glasgow District , South , Edinburgh District , and North and Midlands districts . These geographically roughly correspond to the traditional districts of Glasgow District , South , Edinburgh District and North and Midlands . 1 +Quintus Caecilius Metellus Macedonicus was the second son of Roman politician and general Lucius Caecilius Metellus Diadematus . Quintus Caecilius Metellus Macedonicus was the second son of the Roman politician , General Lucius Caecilius Metellus Diadematus . 1 +He is trained by Andre Rozier and shares a gym with the former World Champion Daniel Jacobs . He is trained by Daniel Jacobs and shares a gym with former world champion Andre Rozier . 0 +Here we view pseudo-differential operators as a generalization of differential operators . We consider pseudo-differential operators here as a generalization of differential operators . 1 +Although there are overwhelming social implications , there also seem to be regional financial patterns that can perpetuate this trend . Although there are regional financial implications , there also seem to be overwhelming social patterns that perpetuate this trend . 0 +The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classical image of the foyer . The museum building retains its classic style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . 0 +Based on the city of Baltimore , only mentioned , never visited in the show . Based on the city of Baltimore , only mentioned , has never visited in the show . 1 +"Debbie Downer is a name of a fictional "" Saturday Night Live "" character that was debuted in 2004 and portrayed by Rachel Dratch ." "Debbie Downer is a name of a fictional "" Saturday Night Live "" character who debuted in 2004 , and who was portrayed by Rachel Dratch ." 1 +Taieri is a former parliamentary electorate in the Otago region of New Zealand , from 1866 to 1911 . Taieri is a former parliamentary electorate in the New Zealand region of Otago , from 1866 to 1911 . 1 +This work caused him to trigger important reflections on the practices of molecular genetics and genomics at a time when this was not considered ethical . This work led him to trigger ethical reflections on the practices of molecular genetics and genomics at a time when this was not considered important . 0 +Brockton is approximately 25 miles northeast of Providence , Rhode Island , and 30 miles south of Boston . Brockton is located approximately 25 miles northeast of Providence , Rhode Island and 30 miles south of Boston . 1 +Seb Janiak is a French photographer and video director of Polish origin . Seb Janiak is the French photographer and video director of Polish origin . 1 +Singer Angélique Kidjo and actor Djimon Hounsou were born in Cotonou , Benin . Singer Djimon Hounsou and actor Angélique Kidjo were born in Cotonou in Benin . 0 +In the 2015 regional elections , after Tosi was excluded by the Federal Party , Gidoni was elected to the Veneto Regional Council in the province of Belluno . In the 2015 federal election , after Tosi was sidelined by the regional party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . 0 +Ashley was born on 1 November 1986 and is a contemporary dancer from Los Angeles who originally grew up in Arizona . Born on November 1 , 1986 , Ashley is a contemporary dancer from Los Angeles who was originally raised in Arizona . 1 +These include replicas at Ramat Shlomo in Israel and in Kfar Chabad in Jerusalem . These include replicas in Ramat Shlomo in Jerusalem and in Kfar Chabad , Israel . 0 +Dorothy Kate Richmond , Frances Hodgkins , and Gwen Knight was a contemporary of Stewart . Dorothy Kate Richmond , Frances Hodgkins and Gwen Knight was a Stewart contemporary . 1 +Hastings Ndlovu was buried with Hector Pieterson at Avalon Cemetery in Johannesburg . Hastings Ndlovu , together with Hector Pieterson , was buried at the Avalon cemetery in Johannesburg . 1 +Davidson is a statue created by Will Rogers , which unveiled two versions in 1938 . Will Rogers is a statue created by Jo Davidson , two versions of which were unveiled in 1938 . 0 +Other car manufacturers that have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . Other car manufacturers which have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . 1 +The first main bridge was completed in 1857 and the positioned bridge opened on 2 May 1859 by Prince Albert . The first main span was positioned in 1857 and the completed bridge was opened by Prince Albert on 2 May 1859 . 0 +"English also has many words , such as "" zillion "" , used informally to mean indefinite and fictitious but unspecified amounts ; see large numbers ." "English also has many words , such as "" zillion "" , which are used informally to mean large but unspecified amounts , see indefinite and fictitious figures ." 0 +His family moved from Brooklyn to Manhattan later on 110th Street and Amsterdam Avenue . Later , his family moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . 0 +In 1991 he left Italy to work in the palliative care of cancer patients in Germany as well as in various countries of the Third World . He left Germany in 1991 to work in the palliative care of cancer patients in Italy as well as in various Third World countries . 0 +When Mustafa marched to Murad in Anatolia , Junayd was persuaded to confront him . When Mustafa marched to confront Murad in Anatolia , Junayd was persuaded to desert him . 0 +"The progress teacher Jürgen Reichen ( Swiss Education ) founded this method "" Writing to read "" 1982 ." "The Swiss teacher Jürgen Reichen ( progressive education ) founded this "" writing to read "" method 1982 ." 0 +After their departure from the Spear family in 1954 , Speer stopped singing and moved to Nashville in 1968 and back to Ohio after her husband had died . After her departure from the Speer Family in 1954 , Speer stopped singing and moved to Ohio and back to Nashville in 1968 after her husband died . 0 +"She has taken part in the second season of the most popular non - fiction controversial bengali reality show "" Bigg Boss Bangla "" ." "She has participated in the second season of the most controversial non fiction popular bengali reality show "" Bigg Boss Bangla "" ." 0 +It is covered with a natural vegetation of grassland of less fertile red clay bases , and Saltbush bushland on more fertile earths . It is covered with a natural vegetation of grassland of less fertile red clay soils , and saltbush shrubland on more fertile earths . 1 +Jonté Buhl ( born April 4 , 1982 ) is a former Canadian professional football player who played for four years at the Edmonton Eskimos of the Canadian Football League . Jonté Buhl ( born April 4 , 1982 ) is a Canadian former professional football cornerback who played four seasons for the Edmonton Eskimos of the Canadian Football League . 1 +The continuous power density is determined by the product 's continuous torque density and the constant torque speed range of the electric machine . The constant power density is determined by the product of the continuous torque density and the continuous torque speed range of the electric machine . 0 +She plays for Naisten Liiga of Åland United . She plays for Naisten Liiga of the Åland United . 1 +Smaller small cross circuit pylons may have two single arms on one side and one on the other . Smaller small cross pylons may have two single arms on one side and one on the other . 1 +""" The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment released it in Germany on October 6 , 2015 ." "On February 27 , 2015 , "" The Timber "" was released in North America , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." 1 +Although five issues of the series were printed , the project was finished without any of them being aborted . Although five issues of the series were printed , the project was finished without any of them being cancelled . 1 +As a songwriter , Lars Ankerstjerne has written songs for Nik & Jay , Burhan G and Rasmus Seebach . Lars Ankerstjerne has written as songwriter for Nik 'Jay , Burhan G and Rasmus Seebach songs . 1 +This is also a shearing effect : when the focal length is larger , the shear effect is smaller . This is also a shearing effect : when the focal length is smaller , the shearing effect is greater . 0 +In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . In 1968 , the boardwalk Bowl followed Tangerine Bowl , and the Pecan Bowl moved from Abilene to Texas within Arlington . 0 +Concord is of imperfective type in the ergative aspect but perfective in the nominative aspect . Concord is in the imperfective aspect of the nominative type , but supplementary in the perfective aspect . 0 +The Soviet cosmonaut was Yuri Gagarin 's first air force pilot , also the first man in space . The first cosmonaut was the Soviet air force pilot Yuri Gagarin , also the first person in space . 0 +On May 6 , 2016 it was announced that Palafox signed to National Premier Soccer League B of the New York Cosmos . On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League after New York Cosmos B . 0 +On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the Blue Jackets organization . On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Kris Russell . He joined his brother Michael Blunden with the Blue Jackets organization . 1 +A boy who survived the attack said that Oliveira selectively shot to kill girls while shooting boys only to immobilize them . A boy who survived the attack said that Oliveira shot selectively to immobilize girls while shot boys simply to kill them . 0 +The second board revision has true JAMMA and also has a switch to select between JAMMA output as well as MVS output , which is stereo sound . The second board revision is real JAMMA and also has a switch to select between JAMMA output as well as MVS output , which has stereo sound . 0 +Born in Dublin about 1582 , he was second but third surviving son of Arland Ussher and his wife Margaret . Born in Dublin in 1582 , he was the third but second surviving son of Arland Ussher and his wife Margaret . 0 +Another memorable ruler was Max Franz ( founded in 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( reg . 1784 - 1794 ) , who founded the university and the spa quarter of Bad Godesberg . 0 +For example , to enter a vertical line of 4 cm in length , it is sufficient to draw : For example , in order to draw a vertical line of 4 cm length , it is sufficient to type : 0 +In 2014 , when Santa Anita Park was closed the race moved to Hollywood Park Racetrack . In 2014 , when Hollywood Park Racetrack was closed the race in Santa Anita Park was moved . 0 +( Don Wyatt had been in the penguins in 1956 , and both Eddie and Ray had been with Ray in the later Colts / Fortunes . ) ( Don Wyatt had been in the Penguins in 1956 and both Eddie and Ray had been in the later Colts/Fortunes with Ray . ) 1 +This circuit is said to have appeared in the earliest evolution of the reptilian brain and corresponds to the triune brain of invertebrate brain theory . This circuit is supposed to have appeared in the earliest evolution of the invertebrate brain and corresponds to the reptile brain of the triune - brain theory . 0 +Lemmings , by contrast , are conspicuously colored and behave aggressively towards predators and even human observers . By contrast , the lemmings are strikingly colored and behave aggressively towards predators and even human observers . 1 +It is located in Shawnee Township and adjacent to Duchouquet Township in Allen County . It is located in Shawnee Township and is adjacent to Duchouquet Township in Allen County . 1 +"He was asked for his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." "He was asked about his opinions on the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." 0 +The eastern part of Fenghuang Mountain is home to a mountain that has been called Chaoyang since ancient times . The eastern part of Chaoyang is home to a mountain that has been called the Fenghuang Mountain since the ancient times . 0 +Guillermo Pérez Roldán defeated Andrés Gómez with 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 - 6 , 6 - 2 . Andrés Gómez defeated Guillermo Pérez Roldán 6 -- 0 , 7 -- 6 , 3 - 6 , 0 - 6 , 6 - 2 0 +The 2007 -- 08 Kansas State Wildcats Men 's Basketball Team represents Kansas State University at the 2007 -- 08 College - Basketball - Season . The 2007 -- 08 Kansas State Wildcats men 's basketball team represented Kansas State University in the 2007 -- 08 college basketball season . 1 +This was the last AFL Championship to end the season ; the first Super Bowl followed the 1966 season . This was the last AFL Championship to complete the season , the first Super Bowl followed in the 1966 season . 1 +Higher is the fifth album , and the fourth studio album , by Ezio , released in 2000 . Higher is the fourth album and the fifth studio album of Ezio , released in 2000 . 0 +Finsch 's monitor was only known by Blanche Bay , Ralum and Massawa in New Britain . The Finsch monitor was known only from Blanche Bay , Ralum and New Britain in Massawa . 0 +After his dismissal , he moved from Germany to New Mexico and then to Los Angeles , then to San Francisco . After his discharge he moved from Germany to New Mexico and then to Los Angeles then to San Francisco . 1 +The bones of Zrinski and Frankopan were found in Austria in 1907 and brought to Zagreb in 1919 , where they were reburied in the Zagreb Cathedral . The bones of Zrinski and Frankopan were found in 1907 in Austria and brought to Zagreb in 1919 , where they were rebuilt in the Zagreb Cathedral . 1 +Morrow can either mean the next day in particular , or the future in general . Morrow can mean either the next day in general or the future in particular . 0 +"Your character was later killed in the fourth episode of the second season , "" First Down "" ." "The character was later killed off in the second episode of the fourth season , "" First Down "" ." 0 +"Below is the early version of the album with all the original segues and "" The Sacrifice of Victor "" is slightly longer in the early configuration ." "Below is the early version of the album with all the original segues . Also , "" The Sacrifice of Victor "" is slightly longer on the early configuration ." 1 +As a compliant team with a senior citizen stadium , you are entitled to enter the Scottish Cup . As a senior citizen with a compliant stadium , they are entitled to enter the Scottish Cup . 0 +The Crump family had a home in Bristol , while Phil was walking in the British League , which he began with the Crewe Kings in 1971 . The Crump family had a home in Bristol while Phil started racing in the British League , which he was doing in 1971 with the Crewe Kings . 0 +It was created by Eddie Mort and Lili Chin and produced by Warner Bros.. It was produced by Eddie Mort and Lili Chin and created by Warner Bros.. 0 +""" The Day the Violence Died "" is the eighteenth episode of "" The Simpsons "" seventh season ." """ The day on which violence died "" is the seventh episode of "" The Simpsons "" of the eighteenth season ." 0 +"He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Large Profile "" ( 1940 ) ." "He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan ( 1940 ) in "" The Great Profile "" ." 0 +Oberst Acker died on 6 September 1879 in Kalamazoo , Michigan , and is buried in Union City in the state of Michigan , USA . Colonel Acker died on 6 September 1879 in Union City and is buried in Kalamazoo , Michigan , in the State of Michigan . 0 +Phasael and Antipater began their careers under their father Herod , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . Both Phasael and Herod , began their careers under her father , Antipater , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . 0 +Disputes with leaders of Marble Hill persuaded the railroad to move their route through Lutesville instead . Disputes with leaders of Lutesville convinced the railroad to relocate their route through Marble Hill instead . 0 +"As Smith Sounds , Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "As Greg Smith Sounds , Smith released two solo plates : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 0 +Several animatronic characters were also created ... a giant goose ( Galaga ) and an animatronic head for the puppeteered Cernos . There were also several animatronic characters created ... a giant goose ( Galaga ) and an animatronic head for the doll 's cernos . 1 +This was more common in regional Australia and southern Australia , but has been common for decades in urban Australia . This was more common in urban Australia but has been in common usage in regional Australia and South Australia for decades . 0 +The complex of the Trabzon World Trade Center is close to Trabzon Airport . The complex of World Trade Center Trabzon is situated close to Trabzon Airport . 1 +It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until most of them left the country . It was originally developed by groups of Chinese and Russian scholars in the Soviet Union and used by Chinese immigrants there until the majority of them left the country . 0 +In 1862 , Jane died and in 1864 Breck married Sarah Stiles , and three years later he moved to Benicia , California , to build two more institutions . In 1862 , Sarah died , and in 1864 Breck married Jane Breck , and three years later he moved to Benicia , California , to build two more institutions . 0 +Laetitia Pujol was a shadowy presence as Le Homme ; Karl Paquette was his strong , melancholy double ; and Mathieu Ganio portrayed La Femme . Laetitia Pujol was a shady presence as Le Homme , Karl Paquette was his strong , melancholy double , and Mathieu Ganio portrayed La Femme . 1 +The film was produced by Columbia Pictures and Imagine Entertainment by Brian Grazer , daughter and father , as well as Bryce Dallas Howard and Ron Howard . The film was produced through Columbia Pictures and Imagine Entertainment by daughter and father Bryce Dallas Howard and Ron Howard , as well as Brian Grazer . 0 +Chris Egan ( Nick Smith ) settles down with his family in Summer Bay , and he and Duncan quickly become friends and get into various crises . Nick Smith ( Chris Egan ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . 1 +Since 2009 , no highly significant agonists or antagonists have been discovered for the M receptor , but several non-selective Muscarian agonists and antagonists have selective affinity for M . No highly selective agonists or antagonists for the M receptor have been discovered as of 2009 , but several non-selective muscarinic agonists and antagonists have significant affinity for M . 0 +He has previously played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Lincoln City , Northampton Town , Chesterfield and Gateshead . He formerly played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Chesterfield , Northampton Town , Lincoln City and Gateshead . 1 +Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he has made false statements and attributed forged works to Lewis . Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he has made false statements and attributed false works . 1 +An attempt to sign full-back Chris Charsley from Middlesbrough Ironopolis was unsuccessful , and the club offered the services of goalkeeper Jack Oliver to Aston Villa . An attempt to sign the defender Jack Oliver of Middlesbrough Ironopolis was unsuccessful , and the club offered the services of goalkeeper Chris Charsley to Aston Villa . 0 +On July 5 , 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-grandmother of Friedrich Nicolai . On July 5 , 1846 , he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and urgent subsidiary of Bernhard Klein . 0 +Gimnasia y Esgrima ( LP ) won 3 -- 2 and stayed in the Primera División . Gimnasia y Esgrima ( LP ) won with 3 -- 2 and stayed in the Primera División . 1 +He spent the childhood of Berkeley in Warwickshire , where he was a pupil of the translator Philemon Holland of Coventry and Henry Ashwood . Berkeley 's childhood was spent in Coventry , where he was a pupil of the translator , Philemon Holland of Warwickshire , and of Henry Ashwood . 0 +He graduated from the Galatasaray High School in Shumen in 1858 and became a teacher in Istanbul , where he remained until 1864 . In 1858 he graduated from the Galatasaray School in Schumen and became a teacher in Istanbul , where he remained until 1864 . 1 +A child , Michelle Zonee Barksdale Hurston , born in 1957 , had Lawes . Michelle Zonee had one child , Lawes Barksdale Hurston , born in 1957 . 0 +On 31 October 2012 , Watson acquired Actavis and took the Actavis name . On October 31 , 2012 , Watson took Actavis for and acquired the Actavis name . 0 +He joined Janata Dal ( United ) and left the Bharatiya Janata Party in February 2008 . He left the Janata Dal ( United ) and joined the Bharatiya Janata Party in February , 2008 . 0 +Earlier in 209 , Sun Quan Sun married Quan ’ s younger sister , Lady Sun , to strengthen the alliance between him and Liu Bei . Earlier in 209 , Sun Quan married Sun Quan 's younger sister Lady Sun to strengthen the alliance between him and Liu Bei . 1 +The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Germany , Belgium , and Vichy - France in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Vichy , France , Belgium , and Germany in 1945 . 1 +It was acquired in 1930 by AVCO American Airlines . In 1930 , it was acquired by AVCO to become American Airlines . 0 +During their relationship the pair lived in Los Angeles , though Seymour spent more time in London and Los Angeles for her work . Throughout her relationship , the couple lived in Los Angeles , though Seymour spent more time in London and Los Angeles for their work . 1 +The North Downs Way crosses the Medway Viaduct at the eastern end of the Medway Valley Walk or motorway bridge . The North Downs Way crosses the Medway viaduct at the eastern end of Medway Valley Walk or the Autobahn bridge . 1 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentinean physicist who has done most of his work in Argentina . Miguel Ángel Virasoro ( ; born 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . 0 +He gained popularity also by replacing Archie Kao and Adam Rodriguez . He also gained popularity by replacing Archie Kao with Adam Rodriguez . 1 +His parents are Ernie Gordon , who grew up with Yankees - fan in Hyde Park , New York , and Wendy Abrahamsen . His parents are Wendy Abrahamsen , who grew up a Yankees fan in Hyde Park , New York , and Ernie Gordon . 0 +According to the United States Census Bureau , the city is a total surface area of which has land and , or 1.35 % , is water . According to the United States Census Bureau , the town has a total area of , of which is land and , or 1.35 % , is water . 1 +It is located to the north of New Square and New Hempstead , east of Viola , south of Spring Valley and west of New City . It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley , and west of New City . 1 +If maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . When toxic concentrations are achieved , there may be a delay of one or two days before the maximum toxicity occurs . 0 +Pelmus has been exhibited in museums in Romania , France , Germany , Israel , Canada , Austria , Chile and Brazil , including five solo exhibitions . Pelmus has been exhibited in museums of Romania , France , Germany , Israel , Canada , Austria , Chile and Brazil , including five solo exhibitions . 1 +"Owen believed his utopian community would create a "" social environment "" based on his ideals of superior social , intellectual and physical reform ." "Owen believed that his utopian community would create a "" social environment , based on his ideals of superior social , intellectual , and physical reform ." 1 +Upon the death of Louis XIV in 1661 , Cardinal Mazarin , who had nominally been king since 1643 , began to rule France in his own right . After the death of Cardinal Mazarin in 1661 , Louis XIV , who had been nominally king since 1643 , began to rule France in his own direction . 0 +Fish species of the parks rivers and lakes are Sperchios Barbel , Macedonian Döbel , Sperchios Spirlin , Greek trout and probably the endangered Marathon Minnow . Fish species of the parks rivers and lakes are Sperchios Barbel , Greek Dobel , Sperchios spirlin , Macedonian trout and probably the endangered Marathon Minnow . 0 +The Giro 's mountainous stage 20 ended on the slopes of Les Deux Alpes , and the penultimate stage began on the mountain the next day . The mountainous stage 20 of the Giro started on the slopes of Les Deux Alpes , and the penultimate stage ended the next day on the mountain . 0 +The school is connected with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . 1 +By adding sufficient oxygen to compensate for the metabolic usage , rebreathing the carbon dioxide and removing the gas , most of the volume is conserved . By adding sufficient oxygen to compensate for the metabolic consumption , removing the carbon dioxide and reinhaling the gas , most of the volume is conserved . 0 +The SR 164 was commissioned from Youngstown to Salineville in 1923 . SR 164 was commissioned in 1923 , routed from Youngstown to Salineville . 1 +On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the final website of the ATP World Tour . On 10 November 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . 1 +After the death of her first husband , Katharina Dalton married Tom Dalton , who passed away in 1992 . After the death of her first husband , Tom Dalton married Katharina Dalton , who passed away in 1992 . 0 +In 1923 , there were 568 wz.1902 guns in the Polish inventory . In 1923 , 568 Polish guns were in the inventory of wz.1902 . 0 +For a few years Daniel went to the same school as Björn Dixgård ; at the age of fifteen he founded a band called Butler together with Björn . For a few years Björn went to the same school with Daniel and founded a band called Butler with Björn Dixgård at the age of fifteen . 0 +British Regional Airlines can trace its history back to March 1991 , when Manx Airlines created Manx Airlines Europe in order to expand and fly routes within Britain . British Manx Airlines can trace its history back to March 1991 when Manx Airlines created Regional Airlines Europe in order to expand and fly routes within the United Kingdom . 0 +Chicago Public School is a DeWitt Clinton School on the north side of Chicago , Illinois . Chicago Public School is a DeWitt Clinton School on the northern side of Chicago , Illinois . 1 +In 2010 , Buick launched a new version of the Shanghai GM GL8 Luxury Business Edition . In 2010 , Shanghai GM introduced a new version of the Buick GL8 Luxury Business Edition . 0 +In this way , the Nestorian faith in the East was established under tragic omens . In this way , under Nestorian auspices , the tragic faith was established in the East . 0 +Neyab ( also Romanized as Neyab ) is a village in Esfarayen County , North Khorasan Province , Iran , Bam and Safiabad District , Safiabad Rural District . Neyab ( also romanized as Neyab ) is a village in the district of Esfarayen , North - Khorasan - Province , Iran , Bam and Safiabad District , Safiabad County . 0 +The system required the user to encode the quasi-phonetic spelling first into a default rendering . The system required the user to encode the default spelling first into a quasi-phonetic rendering . 0 +The company was then acquired the St. Louis and Cairo Railroad , the narrow gauge . The company then was the St. Louis and Cairo Railroad , which acquired narrow gauge . 1 +His parents are Don Luis Toranzos , himself a prominent artist , and Angelina Miers from Argentina . His parents are Don Luis Toranzos , a prominent artist himself , and Angelina Miers , of Argentina . 1 +Most pre- 1976 series produced by CBS or distributed by CBS Films were later distributed by Viacom and Paramount Television . Most of the series produced by CBS before 1976 or distributed by CBS films were later distributed by Viacom and Paramount Television . 1 +Marsh Creek is a long tributary of Portneuf River in Bannock County , Idaho . Portneuf River is a long tributary of the Marsh Creek in Bannock County , Idaho . 0 +It is used as a measure of absorbed dose , kinetic energy ( released ) , and kerma ( an acronym for specific energy imparted per unit mass ) . It is used as a measure for absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per unit of mass ) . 0 +There were also 58 liaison aircraft but 20 of these were only used for messengers . There were also 58 connecting aircraft , but 20 of these were used for messengers only . 1 +It located in Himachal Pradesh ( Tattapani ) , at the altitude of 650mts , perfect temperature for the healing treatments . It is located in Tattapani ( Himachal Pradesh ) , at an altitude of 650mts , the perfect temperature for the treatments . 1 +Amish Mennonites of Swiss descent from Galicia settled near Dubno in 1815 . Amish Mennonites from Galicia with Swiss descent settled in 1815 near Dubno . 1 +At the police station , they learn that Devayani 's brother had the money , but Jayaraman is charged with murder . At the police station , they learn that Jayaraman 's brother had the money , but Devayani is charged with murder . 0 +Juan Carlos Ferrero won against Guillermo Cañas in the last 7-6 , 6-2 . Guillermo Cañas won in the final 7 -- 6 , 6 -- 2 , against Juan Carlos Ferrero . 0 +He became third in 1958 and 1967 at his table , but in 1962 he won the 1st place . He won first place at his table in 1958 and 1967 , but was the third in 1962 . 0 +"It has a high school ( "" Cornway Junior College "" ) and a nursery school ( "" Cornway Senior College "" ) ." "It has a high school ( "" Cornway Junior College "" ) and a preparatory school ( "" Cornway Senior College "" ) ." 1 +Bailey was replaced by Henry Cole as caretaker of Breakheart Hill . Bailey was succeeded as caretaker of Breakheart Hill by Henry Cole . 1 +This is a list of caves in the United Kingdom , including information about the largest and deepest caves in the UK . This is a list of caves in the United Kingdom , including information on the largest and deepest caves in the UK . 1 +In February 2016 , Souray married the former WWE - professional - wrestler Barbara Blank , better known as Kelly Kelly , who separated in October 2017 . Souray married former WWE professional wrestler Barbara Blank , better known as Kelly Kelly in February 2016 . They have separated in October 2017 . 1 +On April 21 , 2018 , Edson Barboza is expected to meet at UFC Fight Night 128 . Edson Barboza is expected to face Lee on April 21 , 2018 , at UFC Fight Night 128 . 0 +Mitch Clarke faced Iaquinta at UFC 173 on May 24 , 2014 . Iaquinta confronted Mitch Clarke on 24 May 2014 at UFC 173 . 0 +Abdul Rahman said Raouf will only survive if he goes into exile . Abdul Rahman will survive only if he goes into exile . 0 +The light novels are written by Dojyomaru and are illustrated by Fuyuyuki and published by Overlap Bunko . The light novels are written by Dojyomaru and illustrated by Fuyuyuki , and are published by Overlap Bunko . 1 +In December 1883 he moved for two years to Fresno and Los Angeles . In December 1883 he moved to Los Angeles and then for two years to Fresno . 0 +The river Oraciu or Orociu is a tributary of the River Pustnic in Romania . The Oraciu River or Orociu River is a tributary of the Pustnic River in Romania . 1 +"Of the twelve stories that are included , six were previously published in the author 's first collection , "" evening news "" ." "Of the twelve stories included , six were previously published in the author 's first collection , "" The Evening News "" ." 1 +The work is dedicated to Sikorski and is published by Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis . The work is dedicated to Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis and is published by Sikorski . 0 +He moved to Quebec in 1685 and lived for some time in New - France . He moved to Quebec around 1685 and lived in New France for some time . 1 +Grégoire was born in Lunéville near Vého as the son of a tailor . Grégoire was born in Vého near Lunéville , the son of a tailor . 0 +The department of dramatic speaking and public arts was originally headed by T. Earl Pardoe . The Dramatic and Public Arts Department was originally headed by T. Earl Pardoe . 1 +It is developed by Beautiful Glitch and is published by those Awesome Guys . It is developed by Awesome Glitch and published by Those Beautiful Guys . 0 +Sussex and Lancing Colleges are recorded as having played a football match in November 1860 , the first by public schools in Brighton . Sussex and Lancing Colleges , which played a football match in November 1860 , are recorded as the first of public schools in Brighton . 1 +""" Bonne Citoyenne "" had the misfortune to become damaged in a storm and to be separated from the rest of the French squadron ." """ Bonne Citoyenne "" had the misfortune to be damaged in a storm and separated from the rest of the French squadron ." 1 +He spent several more years in New York City as a computer consultant and software engineer , then moved to Atlanta in 1998 . He spent several years in New York City as a computer consultant and software engineer and moved to Atlanta in 1998 . 1 +For many years , Ian Weatherhead lived in Somerset , before moving to Cheltenham . Ian Weatherhead lived many years in Cheltenham before moving to Somerset . 0 +Kevin Lepage started third , Terry Labonte as fourth and Robby Gordon qualified as fifth . Kevin Lepage started third , Terry Labonte fourth , and Robby Gordon qualified fifth . 1 +"In December 2006 , Muspratt was named "" Chicagoan of the Year by John von Rhein and the staff of the "" Chicago Tribune "" in the Classic ." "In December 2006 , Muspratt was named "" Chicagoan of the Year "" in classical music by John von Rhein and the staff of the "" Chicago Tribune "" ." 1 +French players playing for either the Spanish or the Basque team dominate international competitions . The Basque players , either for the Spanish or French teams , dominate international competitions . 0 +"He won the first Prix de Rome for painting in 1813 and the second Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." "He won the first Prix de Rome for painting in 1813 and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagoras "" ." 1 +Leyendecker is buried beside parents and brother Frank at the Woodlawn cemetery in Bronx , New York City . Frank is buried alongside parents and brother Leyendecker at Woodlawn Cemetery in The Bronx , New York City . 0 +Contempo Magazine is a monthly print and daily online American magazine published in McAllen , Texas . Contempo Magazine is a monthly American print and online magazine in McAllen , Texas . 1 +In Käru , the politician and entrepreneur Kuno Pajula ( 1885 - 1942 ) and former archbishop Juhan Kukk ( 1924 - 2012 ) were born . Politician and entrepreneur Juhan Kukk ( 1885 -- 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . 0 +The hurricane killed one person directly and two indirectly in the state . The hurricane indirectly killed one person and directly killed two in the state . 0 +Delaware County is a city in and the county town of Delaware , Ohio , United States . Delaware is a city in and the county seat of Delaware County , Ohio , United States . 0 +Both Phasael and Herod , began their careers under her father , Antipater , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . Both Phasael and Antipater began their careers under their father , Herod , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . 0 +The isodynamic conjugates of Fermat - points are the isogonal points and vice versa . The isodynamic conjugates of the Fermat points are the isogonal points and vice versa . 1 +The original route started at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . The original route started at US 410 in Eureka and led north to Touchet and east to SSH 3E to the west of Prescott . 0 +Nirimba is a rural locality in the Shire of Murray in the South Yunderup of the Peel Region , just south of the Austin Cove development in Western Australia . Nirimba is a rural locality in the Shire of Murray in the Peel Region of Western Australia , located directly south of the Austin Cove development in South Yunderup . 0 +The branch codice 2 is updated daily , the branch codice 3 is updated every 6 months . The codice 2 branch is updated daily , and the branch codice 3 is updated every 6 months . 1 +The costal Tetra is found around south-eastern Brazil and Paraná river basin in yellow rivers . The yellow tetra is found around southeastern Brazil and Paraná River basin in costal rivers . 0 +The Richford is located in Ellerslie Rugby Park . The Ellerslie Rugby Park is in Richford . 0 +The compact device used a simplified drive mechanism for tape transport . The simplified styled device used a compact drive mechanism for tape transport . 0 +The house was purchased in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst from Lymm , Cheshire in 1864 . The house was purchased by Sir David Dundas of Dunira in 1858 , who sold it on to George Dewhurst of Lymm , Cheshire , in 1864 . 1 +Cobian Backup was a free , donation-written backup software for Microsoft Windows . It is supported in Delphi by Luis Cobian of Umeå University . Cob Cobian Backup was a free , donation-supported backup software for Microsoft Windows , written by Luis Cobian of Umeå University , Delphi . 0 +Jieţ is a tributary of the Slivei River in Romania . The Jieţ is a tributary of the Slivei River in Romania . 1 +"Togdheer ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer River region in the eastern part of Somaliland ." "Togdheer ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer River region of eastern Somaliland ." 1 +On 9 June 2017 , Barkchi appointed Mubin Ergashev as their manager after Vitaliy Levchenko joined the coaching staff of Krylia Sovetov . On 9 June 2017 , Barkchi Mubin Ergashev appointed her manager after Vitaliy Levchenko joined the Krylia Sovetov coaching staff . 1 +This would last the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . This would fade the element but stop when the 80 % effect is complete ( with an opacity of 20 % ) . 0 +Fothergill also served as a member of the executive committee of the Scottish Liberal Party and chairman of the Scottish Liberal Agriculture Committee . Fothergill also served as a member of the executive committee of the Scottish Liberal Agriculture Committee and as chairman of the Scottish Liberal Party . 0 +Alycia Moulton defeated Billie Jean King at 6 -- 0 , 7 -- 5 . Alycia Moulton defeated Billie Jean King 6 -- 0 , 7 -- 5 . 1 +In the following year , Butcher returned and was eliminated in round by Ian Rotten . Butcher returned the following year and was eliminated in round two by Ian Rotten . 1 +He began playing the AA Frisco RoughRiders of the Texas League in 2014 and was appointed to the AAA Round Rock Express of the Pacific Coast League . He began 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . 0 +Mark Williams is played in the TV series by Olaf Petersen . Olaf Petersen is played by Mark Williams in the television series . 0 +St John married Elizabeth Crowley ( daughter of Ambrose Crowley ) of Greenwich on March 6 , 1725 . Their children were : St John married Elizabeth Crowley ( the daughter of Ambrose Crowley ) of Greenwich on 6 March 1725 . Their children included : 1 +Malhar Joshi should not be confused with the author Waman Gopal Joshi , they were contemporaries . Vaman Malhar Joshi should not be confused with the writer Waman Gopal Joshi . They were contemporaries . 1 +Tynion followed up the series with an additional horror comic for Thrillbent , The House In The Wall , drawn by Noah J. Yuenkel and co-written by Eryk Donovan . Tynion followed the series with an additional horror comic for Thrillbent , The House In The Wall , co-written by Noah J. Yuenkel and drawn by Eryk Donovan . 0 +The film was filmed in Red Rock Canyon State Park ( California ) in Cantil , California . The film was shot in California ( Red Rock Canyon State Park ) in Cantil , California . 1 +The Tweenies consist of Bella , Milo , Fizz , Jake , Doodles , Izzles , Max , Judy , and are sometimes joined by Max 's sister Polly . The tweenies consist of Bella , Milo , Fizz , Jake , Scribbles , Izzles , Max , Judy and are sometimes joined by Max 'apos ; Sister Polly . 1 +Under Portuguese rule , this province was renamed Moçambique , but with independence the name Mozambique was named for its capital throughout the country and province . Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed the entire country and province for its capital . 0 +Hector Crawford was the brother of 3DB manager and administrator Curteis Crawford , and also brother to Dorothy Crawford . Hector Crawford was brother of 3DB manager and administrator Curteis Crawford , and also brother of Dorothy Crawford . 1 +Chad Ochocinco ( born 1978 ; formerly Chad Johnson ) is an American football wide receiver . Chad Ochocinco ( born 1978 ; formerly Chad Johnson ) is an American - American - football receiver . 1 +The tsunami was observed along the Pacific coast of Japan from the Izu peninsula to Kyushu and recorded by tides from Hawaii to Alaska . The tsunami was observed along the Pacific coast of Japan from Izu Peninsula to Kyushu , and recorded by tide gauges from Hawaii to Alaska . 1 +The photoelectric records were made by a partial reversal of the Tri-Ergon process , which was used to encode the audio track in the first place . The Tri-Ergon records were made by a partial reversal of the photoelectric process used to encode the sound track in the first place . 0 +The world 's first laser was developed in 1960 by the American scientists Nikolay Basov and Alexander Prokhorov and the Russian scientist Charles H. Townes . In 1960 , the world 's first laser was developed by American scientists Nikolay Basov and Alexander Prokhorov , and Russian scientist Charles H. Townes . 1 +Glauco Sansovini is together with Marco Conti captain Regent of San Marino for the semester from 1 April 2010 to 1 October 2010 . Marco Conti is Captain Regent of San Marino together with Glauco Sansovini for the semester from April 1 , 2010 to October 1 , 2010 . 0 +This is a list of the etymology of street names in the Covent Garden district of London . This is a list of the etymology of street names in the district Covent Garden in London . 1 +Toronto Maple Leafs founder Conn Smythe , team owner Harold Ballard and wrestler Whipper Billy Watson helped Rumball to raise the $ 7.6 million to open the centre . Harold Ballard , the founder of Toronto Maple Leafs , team owner Conn Smythe , and Wrestler Whipper Billy Watson helped Rumball raise the $ 7.6 million to open the center . 0 +The music was composed by A. T. Ummer and lyrics was written by Koorkkancheri Sugathan and Poovachal Khader . The music was composed by A. T. Ummer and lyrics were written by Koorkkancheri Sugathan and Poovachal Khader . 1 +They entered Aparan , Kotayk , and gradually emerged , captured Yerevan on April 2 . They entered Aparan , Kotayk and gradually emerging , captured Yerevan on April 2 . 1 +According to the 2002 census of the National Statistics Institute , Toltén has an area of and spans 11,216 inhabitants ( 5,827 men and 5,389 women ) . According to the 2002 census of the National Statistics Institute , Toltén has an area of 11,216 inhabitants ( 5,827 men and 5,389 women ) . 1 +As part of the established logistics support system for the major platforms , ST Kinetics has integrated MRO services under its Kinetics Integrated Services ( KIS ) arm . As part of the integrated logistics support system for the major platforms , ST Kinetics has established the MRO services under its Kinetics Integrated Services ( KIS ) arm . 0 +Another series was played in Havana between the Cincinnati Reds and the Boston Red Sox . In Havana , another series was played between Cincinnati Reds and the Boston Red Sox . 1 +He graduated in 1976 from Kansas Newman College and from the Washburn Law School in 1979 . He graduated from Washburn Law School in 1976 and in 1979 from Kansas Newman College . 0 +SDUU currently has branches in Stockholm , Gothenburg , Halmstad , Kalmar , Skåne , Örebro , Umeå , Skellefteå and Piteå . SDUU currently has local branches in Skåne , Örebro , Umeå , Halmstad , Kalmar , Stockholm , Göteborg , Skellefteå and Piteå . 1 +Fowler married Sarah Sloane , daughter of Hans Sloane and niece of Sir William Sloane , who had two sons and a daughter . Fowler married Sarah Sloane , daughter of William Sloane and niece of Sir Hans Sloane . They had two sons and a daughter : 0 +The Banach -- Mackey topology and the weak Arens space topology are relatively rarely used . The Arens - Mackey - Topology and the weak Banach - space topology are used relatively rarely . 0 +In 2012 , Duncan appeared next to Romola Garai in Scrubber , a film by Amanda Hale written and directed . In 2012 Duncan appeared alongside Amanda Hale in Scrubber , a film written and directed by Romola Garai . 0 +Until 1798 , he studied in Dresden before settling in Copenhagen . He studied in Copenhagen until 1798 , before settling in Dresden . 0 +South Arm Township is located in the southern Charlevoix County and is bordered to the south and west by Antrim County . South Arm Township is located in southern Charlevoix County and is bordered by Antrim County to the south and west . 1 +Container glass has a higher content of magnesium oxide and sodium oxide as flat glass and a lower content of silica , calcium oxide and aluminum oxide . Container glass has a higher magnesium oxide and sodium oxide content than flat glass , and a lower Silica , Calcium oxide , and Aluminum oxide content . 1 +Rock Lake is a lake in Lyon County , in the U.S. state of Minnesota . Lyon County is a lake in Rock Lake , in the US state of Minnesota . 0 +Now Hawkgirl is 100 % Kendra Saunders . Now Kendra Saunders is 100 % Hawkgirl . 0 +"He was named "" Thomas "" for the friend of Henry David Thoreau , Thomas Cholmondeley , and "" Parker "" for Theodore Parker ." "He was named "" Thomas "" for Henry David Thoreau 's friend , Thomas Cholmondeley and "" Parker "" for Theodore Parker ." 1 +Roxburgh Junction railway station served on the Kelso Line , and was the village of Roxburgh , Scottish Borders , from 1850 to 1964 . The Roxburgh Junction station was on the Kelso Line and served from 1850 to 1964 the village of Roxburgh , Scottish Borders . 0 +Cornelis van Cleve painted primarily mythological paintings and , to a lesser extent , religious scenes and portraits . Cornelis van Cleve painted mainly religious paintings and , to a lesser extent , mythological scenes and portraits . 0 +Their skin also secretes chemicals that are poisonous and sometimes harmful to predators . Also , their skin secretes chemicals that are distasteful , and sometimes poisonous , to predators . 0 +Now resolve the indifference bid price for Formula 31 to solve . Now to solve the indifference bid price find for formula _ 31 . 1 +The static component is the entire soil resistance minus the dynamic component . The dynamic component is the total resistance of the soil minus the static component . 0 +In rats , it also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin . It also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin in rats . 0 +"In other words , "" die "" or "" remember that you will remember "" ." "In other words , "" die death "" or "" remember that you will remember "" ." 1 +On Roger 's death , his son -- William de Roumare , Earl of Lincoln -- inherited the manor . After Roger 's death , his son inherited -- William de Roumare , Earl of Lincoln -- the manor house . 1 +These changes include blebbing , cell shrinkage , nuclear fragmentation , chromatin condensation , chromosomal DNA fragmentation , and global mRNA decay . These changes include vesicular education , cell shrinkage , chromosomal fragmentation , chromatin condensation , nuclear DNA - fragmentation , and global mRNA - decay . 0 +The old high school became the Upper School , while the new building became lower school . The old grammar school became the Upper School while the new building became the Lower School . 1 +The festival 's main partners are UBS , Manor , Heineken , Vaudoise Assurances and Parmigiani Fleurier . The main partners of this festival are Parmigiani Fleurier , Manor , Heineken , Vaudoise and UBS . 1 +On 19 March 1975 , the NFL awarded the Super Bowl XI to Pasadena , California at the ownership meetings held in Honolulu . The NFL awarded Super Bowl XI to Pasadena , California on March 19 , 1975 at the owners ' meetings held in Honolulu . 1 +Elena Dementieva won in the final 6 -- 3 , 6 -- 2 , against Alisa Kleybanova . Alisa Kleybanova won against Elena Dementieva with 6 - 3 , 6 -- 2 in the final . 0 +RCMP referred the Senate to all 30 cases . The Senate referred all 30 cases to the RCMP . 0 +Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American Football Wide Receiver from the NFL and the American Football League . Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American football receiver in the American Football League and the NFL . 1 +Ballarat has a healthy environment in comparison to Melbourne ; however , as a growing regional city there are issues including pollution , waterway health and invasive species . Melbourne has a healthy environment in comparison to Ballarat , but as a growing regional city there are issues such as pollution , waterway health and invasive species . 0 +Belson as an audio director programmed live kinetic visuals and Jacobs programmed electronic music and visual experiments . Belson as audio director programmed kinetic live visuals , and Jacobs programmed electronic music and visual experiments . 1 +The director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated film . A film director Larysa Malyukova and film critic Amir Yatsiv discussed the rare genre of the animated documentary . 1 +Dhonoura is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Dhonoura is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . 0 +It was launched on July 28 , 1941 and completed in August . She was launched on 28 July 1941 and completed in August . 1 +It was climbed freely and named after Bill House when he first climbed it in 1938 . It was free climbed and named after Bill House , when he first climbed it in 1938 . 1 +Both in the stage and in the film version of Hedwig and The Angry Inch , the character of Hedwig draws to East Germany after leaving Junction City . In both the stage and film version of Hedwig and the Angry Inch , the character of Hedwig moves to East Germany after leaving Junction City . 1 +It is found in the Zimbabwe , the central province of Midlands . It is found is the Midlands Province , in the central Zimbabwe . 0 +"He is a sculptor who has created several monumental sculptures , including the award-winning "" Sentinel "" ." "He is a sculptor who has designed several monumental sculptures , including the award-winning "" Sentinel "" ." 1 +"English also has many words , such as "" zillion "" , which are informally used to mean indefinite and fictitious but unspecified amounts , see large numbers ." "English also has many words , such as "" zillion "" , used informally to mean indefinite and fictitious but unspecified amounts ; see large numbers ." 1 +Ryan Sweeting won in the final 6 -- 4 , 6 -- 3 , against Evans . Ryan Sweeting won against Evans in the final 6 -- 4 , 6 - 3 . 1 +Afterwards she taught at secondary schools in Derbyshire and then in Yorkshire . Afterwards she taught at secondary schools in Yorkshire and then in Derbyshire . 0 +It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Barcelona , Catalonia , Spain . It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain . 1 +Kelly Shane Brooks ( born March 18 , 1974 , Breckenridge , Texas ) is a former American country music artist who recorded under the name Shane Stockton . Shane Stockton ( born March 18 , 1974 in Breckenridge , Texas ) is a former American country music artist and recorded under the name of Kelly Shane Brooks . 0 +The Italian church St. Giovanni Bosco is named after St. John Bosco . The Italian St. Giovanni Bosco Church is named after St. John Bosco . 1 +Castlebrae Community High School is a secondary school in the Edinburgh area of Greendykes . Castlebrae Community High School is a secondary school located in the area of Greendykes in Edinburgh . 1 +Then Scott and Short traveled overland to the Kentucky River to claim the land that they would investigate later . Scott and Short then traveled overland to the Kentucky River to investigate the land that they would claim later . 0 +"Wollstonecraft arrived in Grenada on board the ship "" Sydney "" on 31 August 1819 ." "Wollstonecraft arrived on August 31 , 1819 on board the ship "" Sydney "" in Grenada ." 1 +In many provinces , mosques were bombed and Hui was slaughtered or destroyed by Japanese troops . Mosques were bombed and in many provinces Hui were slaughtered by Japanese troops or destroyed . 1 +Pat Cash and Patrick Rafter won 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth in the finals . Jan Apell and Brent Haygarth won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Pat Cash and Patrick Rafter . 0 +Turing had an older brother , John Dermot Turing ( the father of Sir John , 12th Baronet of Turing Baronets ) . Turing had an elder brother , John Dermot Turing ( the father of Sir John , 12th Baronet of the Turing baronets ) . 1 +The network previously operated a translator in Waterbury , W12BH ( channel 12 ) , which directly repeated WEDY . The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which repeated WEDY directly . 1 +Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington National in 32 matches . Edward J. McKenna was a professional baseball player who played in 32 games for the Washington National Association of Union in 1884 . 0 +Nick Frangos ( born Atlantic City , New Jersey ) is a professional poker player who plays in White Plains , New York . Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays out of Atlantic City , New Jersey . 0 +The Blauvelt family first arrived in Rockland County in 1638 , and first arrived in America in 1683 . The Blauvelt family arrived in Rockland County for the first time in 1638 and first arrived in America in 1683 . 1 +His second wife was Anna Williams , sister of his first wife . His first wife was Anna Williams , the sister of his second wife . 0 +He was ordered to New Mexico Territory in 1860 and promoted to the rank of captain on December 20 at the 4th Infantry . He was promoted to New Mexico Territory in 1860 , and was ordered to the rank of captain in the 4th Infantry on December 20 . 0 +Buccinum parvulum is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Buccinum parvulum is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +It was directed by Nicholas Paleologos and produced by Joanna Lipper . Joanna Lipper was directed and produced by Nicholas Paleologos . 0 +ISPS Handa promotes disabled golf and blind golf and offers worldwide management and financial support for a number of tournaments in cooperation with local golf associations . ISPS Handa promotes blind golf and disabled golf , and provides management and financial support to a number of tournaments in cooperation with the local golf associations worldwide . 1 +The brother of Dinesh Gunawardena and the eldest son of Philip Gunawardena , he was educated at the Royal College in Colombo . The brother of Dinesh Gunawardena and the eldest son of Philip Gunawardena , he was educated at the Royal College , Colombo . 1 +Morton was the son of John Morton , a Member of Parliament for Shaftesbury , and the nephew of William Morton , the Archbishop of Canterbury . Morton was son of John Morton , Member of Parliament for Shaftesbury , and the nephew of William Morton , the Archbishop of Canterbury . 1 +For example , the spin case also allows a magnetic dipole , but for spin 1 particles electric quadrupoles and magnetic dipoles are only possible . For example , the spin case allows only one magnetic dipole , but for spin - 1 particles magnetic quadrupoles and electrical dipoles are also possible . 0 +See : 33rd Canadian parliament then 32nd Canadian parliament See the 32nd Canadian Parliament , then 33rd Canadian Parliament 0 +"Since the 19th century , artificial beings are common in fiction , as in Karel Čapek 's "" Frankenstein "" or Mary Shelley 's "" R.U.R "" ." "Since the 19th century , artificial beings have been common in fiction , as in Mary Shelley 's "" Frankenstein "" or Karel Čapek 's "" R.U.R ." 0 +In 1872 , Sir James married John Nairne Forman ( December 20 , 1929 ) , daughter of Helen Margaret von Staffa , WS . Sir James married , in 1872 , John Nairne Forman ( d. 20 December 1929 ) , daughter of Helen Margaret of Staffa , WS . 1 +Thrasamund died in 523 and was succeeded by his cousin Hilderic , the firstborn son of Huneric . In 523 , Thrasamund died and was replaced by his cousin Huneric , the firstborn son of Hilderic . 0 +Formally , Bridgeville was part of Rock Hill . Bridgeville was formally part of Rock Hill . 1 +The village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River with effect from 1 July 2000 . Effective July 1 , 2000 , the village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River . 1 +Blackedge was collaborating with Brad Nessler and Sideline Reporter Erin Andrews for the 2009 season , while Patrick collaborated with Craig James and Sideline Reporter Heather Cox . Blackedge was teamed with Craig James and sideline reporter Brad Nessler for the 2009 season , while Patrick is teamed with Heather Cox and sideline reporter Erin Andrews . 0 +Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver from Overbury , Worcestershire . 1 +Most of the municipalities are located on the islands in the Sulu Archipelago . Two of them , Mapun , and Turtle Islands lie within the Sulu Sea . Most municipalities are located on the islands of the Sulu sea , two of them , Mapun and the Turtle Islands , located in the Sulu archipelago . 0 +Angelique Kerber won the title , defeating Karolína Plíšková in the final , 6 -- 3 , 5 -- 7 , 6 -- 4 . Karolína Plíšková won the title and defeated in the final Angelique Kerber , 6 -- 3 , 5 -- 7 , 6 -- 4 . 0 +He later joined the 25th Regiment of Foot , 8th Husaren , and ended his military career with the rank of a major in the 11th husaren in 1865 . He later joined the 25th Regiment of Foot , 8th Hussars and ended his military career , in 1865 , with the rank of major in the 11th Hussars . 1 +"First Bharathiraja was presented in the film "" Alaigal Oivathillai "" by Karthik ." "was introduced first by Bharathiraja in the film "" Alaigal Oivathillai "" ." 0 +The body is black , the limbs and fingers are long and the tail is white . The body is white , limbs and fingers are black and the tail is long . 0 +Webmention was originally published in the IndieWebCamp community and was developed as a W3C Working Draft on January 12 , 2016 . Webmention was originally developed in the IndieWebCamp community and published as W3C Working Draft on January 12 , 2016 . 0 +The mouth of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . The mouth of Batten Kill is in Easton , New York , and the source of the river is at East Dorset , Vermont . 0 +Abolitionists rose to the defense of Ellen and William Craft in 1850 , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . 0 +Chittoor District , is a district of Andhra Pradesh region of the Indian state of Rayalaseema . Chittoor District , is a district in the Rayalaseema region of the Indian state of Andhra Pradesh . 0 +These airlines connect more than 80 cities across India and also operate overseas routes after the liberalisation of Indian aviation . These airlines connect more than 80 cities across India and also operate overseas routes following the liberalisation of Indian aviation . 1 +Google allows business owners to check their own business data and has also recruited volunteers to verify and correct soil foreclosure data . Google allows business owners to check their own business data , and has also recruited volunteers to verify and correct ground truth data . 1 +Born in 1935 in Mansfield , Nottinghamshire , Curry died in 1990 at the age of 54 in Longbenton , Northumberland . Curry was born in Longbenton , Northumberland in 1935 and died in 1990 at the age of 54 in Mansfield , Nottinghamshire . 0 +"He received a formal koan in 1988 - studied with Yamada Koun and completed the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." "He finished a formal Koan study with Yamada Koun in 1988 and received the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." 0 +Moreover , many Angika speakers have emigrated to the Persian Gulf , the United States , Canada , the United Kingdom and other countries . Moreover , many Angika speakers in the Persian Gulf have emigrated to the United Kingdom , the United States , Canada , and other countries . 1 +"On 24 July 2013 , John Hodgman appeared on the Maximum Fun Podcast "" Judge Brother Ali "" as "" Expert Witness "" ." "On July 24 , 2013 , Brother Ali appeared as "" Expert Witness "" at the Maximum Fun Podcast "" Judge John Hodgman "" ." 0 +Lukaszuk has two daughters , one with his previous wife , news anchor Stacey Brotzel CTV Edmonton and one with his current wife . Lukaszuk has two daughters , one with his current wife , news speaker Stacey Brotzel CTV Edmonton and one with his previous wife . 0 +She sailed over Sydney and arrived on 14 September in Rio de Janeiro . She sailed over Rio de Janeiro and arrived in Sydney on 14 September . 0 +Planned are new exhibitions in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . Planned are new exhibitions in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . 0 +The music was composed by Darsan Raman and the lyrics written by Mariamma Philip . The music was composed by Darsan Raman and lyrics was written by Mariamma Philip . 1 +Searching a specific search tree for a binary key can be programmed recursively or iteratively . Searching a specific search tree according to a binary key can be recursively or iteratively programmed . 1 +After conferences between Leonard and Griffith in New York , Griffith flew to Los Angeles and filmed the episode . Following conferences between Leonard and Griffith in New York , Griffith flew to Los Angeles and filmed the episode . 1 +Steve was the father of Ted and Tom . The father of Ted and Steve was Tom Tom . 0 +Major General Francis Okello replaced Major General Nathan Mugisha as commander of AMISOM on 7 July 2009 . On July 7 , 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . 1 +Ricky decides to fight for Nate and confirms his love for her . Ricky decides to fight for Nate and confirmed his love for her . 1 +Kathy Rinaldi defeated Bonnie Gadusek at 6 -- 1 , 6 -- 3 . Kathy Rinaldi defeated Bonnie Gadusek 6 -- 1 , 6 -- 3 . 1 +""" Volta "" was refloated and scrapped on 24 November 1943 and bombed and sunk in 1948 ." """ Volta "" was bombed and sunk on 24 November 1943 and later refloated and scrapped in 1948 ." 0 +Separate lists are provided for the 61 listed properties and historical districts in Evanston and the more than 350 listed properties and districts in Chicago . Separate lists are provided for the 61 listed real estate and historic districts in Chicago and more than 350 listed properties and districts in Evanston . 0 +The 1979 -- 80 National Basketball Association season was the 34th season of the NBA . The NBA season between 1979 and 80 was the 34th season of the National Basketball Association . 1 +Casper is expressed in the second season by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser . Casper is expressed in the film by Devon Werkheiser , in the first season of Robbie sublett and in the second season of Matthew Géczy . 0 +Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Aramaic abbreviations or in the list of Hebrew abbreviations . Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . 1 +This series was exclusive to Wal-Mart Canada , but was sold online in the Spawn Store . This series was exclusive to Wal-Mart Canada but was eventually sold in the Spawn Store online . 1 +In May 2013 , the title track was a single - five - top on the Texas Music - Chart . The title track was a top-five single on the Texas Music chart in May 2013 . 0 +"A semilinear transformation is a transformation which is linear "" up to a twist "" , meaning "" up to a field automorphism under scalar multiplication "" ." "A semilinear transformation is a transformation that is "" up to a twist "" linear , which means "" to a field automorphism under scalar multiplication "" ." 1 +He married them and rejected his current wife for money , so he could rebuild the family business . He rejected them and married his current wife for money so that he could rebuild the family business . 0 +"Aguiari described it as "" a beautiful action alone in the middle of traffic , but up there with a Zen statue "" ." "Aguiari described it as "" a nice action in the middle of traffic alone , but up there with a Zen - statue "" ." 1 +More recently , the band has combined Extra Life Aspects of Old Music with the modern genre of Math Rock . More recently , the band has combined Extra Life aspects of modern music with the early genre of mathematics rock . 0 +Leonard and Madonna had added Spanish phrases in the chorus , over the trumpets of the second verse , and also in the added instrumental break in the middle . Leonard and Madonna had added Spanish phrases in the chorus , about the trumpets of the second verse and also in the added instrumental fracture in the middle . 1 +The son of Olin M. Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . The son of Olin M. Jeffords , who served as Chief Justice of the Vermont Supreme Court , James Jeffords was born in Rutland , Vermont . 1 +His current research investigates the influence of Jewish ideas and stories on Islamic sources . His current research explores the influence of Jewish ideas and stories on Islamic sources . 1 +It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , because it was first shown in Borneo . It was shown on 30 September 2012 at the Borneo Eco Film Festival as it was the first time premiered in Borneo . 0 +In 1308 , Alauddin ordered Alp Khan to support Malik Kafur during the invasion of Devagiri . Alauddin Alp Khan ordered Alp Khan in 1308 to support Malik Kafur during the invasion of Devagiri . 0 +An electronic signature is intended to provide the signatory with a seamless identification method to provide a safe and accurate transaction . An electronic signature is intended to provide a secure and accurate identification method for the signatory to provide a seamless transaction . 0 +You were under the mentorship of Coach Norman Black and Coach Glenn Capacio . They were under the auspices of Coach Glenn Capacio and Coach Norman Black . 0 +"The term "" non-hereditary spherocytosis is rarely , albeit occasionally , used ." "The term "" non-hereditary spherocytosis "" is rarely used , albeit occasionally ." 1 +Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man and Tingvoll in Scotland bear names of the same root and significance . Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man , and Tingvoll in Scotland bear names of the same root and meaning . 1 +He rejected them and married his current wife for money so that he could rebuild the family business . He married her and rejected his current wife for money , so that he could rebuild the family business . 0 +On September 20 , 2011 , Shelley was suspended for the remainder of the pre-season and 5 games of the regular season for boarding Darryl Boyce . On September 20 , 2011 , Darryl Boyce was suspended for the remainder of the preseason and 5 regular season games for boarding Shelley . 0 +Meanwhile , the young Ben Cameron idolizes a picture of Elsie Stoneman . Meanwhile , young Elsie Stoneman idolizes a picture of Ben Cameron . 0 +The 1970s saw a new studio facility in 1970 , new professional equipment ( in 1974 ) and the entrance of Diego León Rábago as director . In the 1970s , a new professional studio facility , new equipment ( 1974 ) and the entrance of Diego León Rábago were opened as a director in 1970 . 0 +Elegia southi is a kind of moth of the Pyralidae family , which was found in 1932 by Reginald James West and is described in Taiwan . Elegia southi is a species of moth of the family Pyralidae . It was described by Reginald James West in 1932 and is found in Taiwan . 0 +Jequié is rich in iron ore so that it is very hot during the day and cold at night . Jequié is rich in iron ore , so it is very cold during the day and hot at night . 0 +Horace W Webb , a native of Oklahoma , settled south of Graniola , Missouri in 1910 . Horace W , Webb , a native of Missouri , settled just south of Graniola , Oklahoma in 1910 . 0 +The Americas Minor had invited four teams , three teams from the South American qualifier and a team from the North American qualifier . The Americas Minor had invited four teams , three teams from the North American qualifier and a team from the South American qualifier . 0 +The company was then acquired the St. Louis and Cairo Railroad , the narrow gauge . The company then acquired the St. Louis and Cairo Railroad , which was narrow gauge . 0 +This is a list of the various heads of local government organisations that have served London , England . This is a list of the various heads of the local governmental organisations that have served London , England . 1 +However , in 1805 he left Sheffield to study theology at Manchester College in York . He left York in 1805 to study theology at Manchester College , Sheffield . 0 +The single was produced overseas in the United States and was created and recorded by Howard Benson . The single was created and recorded overseas , in the United States , and produced by Howard Benson . 0 +They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . 0 +The eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia from 1866 until 1928 , when the patriarchal seat was moved to Beirut , Lebanon . From 1866 to 1928 , eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia until the patriarchal seat of Beirut was moved to Lebanon . 1 +In 1612 he was the governor of Texcoco and in 1613 the governor of Tlalmanalco . In 1612 , he was governor of Tlalmanalco , and in 1613 , governor of Texcoco . 0 +Limestone from the quarry of TexaStone in Garden City was donated in 2004 for establishment of the Stonehenge replica in Odessa , Texas . Limestone from the quarry of TexaStone in Odessa , Texas , was donated in 2004 for the establishment of the Stonehenge replica in Garden City . 0 +The festival was founded in 2007 and debuted in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . The festival originated in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . 1 +He died on August 16 , 1850 in Clarkstown ( now New City ) , New York City . He died on 16 August 1850 in New City ( now Clarkstown ) , New York City . 0 +He began working with the AA Frisco RoughRiders of the Pacific Coast League in 2014 and was transported to the AAA Round Rock Express of the Texas League . He began working with the Texas League AA Frisco RoughRiders in 2014 and was promoted to the AAA Round Rock Express of the Pacific Coast League . 0 +Previous editors include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet and Raymond Aron . Past editors include Raymond Aron , Georges Dumézil , François Jacob , Michel Foucault , Emanuel Le Roy Ladurie , François Furet , and Jacques Le Goff . 1 +The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to form the Lucknow -- Bareilly Railway on 1 January 1891 . The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to the Lucknow -- Bareilly railway on 1 January 1891 . 1 +On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further first team experience . On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was lent to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . 0 +"On October 1 , 1974 , Streisand and Columbia Records released ButterFly as their sixteenth studio album , months after "" The Way We Were "" ." "Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as their sixteenth studio album total , months after "" The Way We Were "" released ." 0 +A specialized sensory chain fiber is a nuclear organ contained in a muscle . A specialized sensory chain fiber is a nuclear organ contained within a muscle . 1 +After two years away , Byrd reunited with Brown in 1970 . After two years , Byrd reunited with Brown in 1970 . 1 +The mounting is a tripod , but the front leg has a steering wheel . The mounting has a tripod , but the front leg is a wheel . 0 +Celestine V identifies a persistent tradition as the mysterious figure Dante Alighieri sees among those in the anteroom of hell , in the nameless verses : Celestine V identifies a persistent tradition as the nameless figure Dante Alighieri sees among those in the anteroom of hell , in the mysterious verses : 0 +Assuming that the causal relationships are linear , this background knowledge can be expressed in the following structural equation model ( SEM ) specification . Assuming that the causal relationships are linear , this background knowledge can be expressed in the following SEM specification ( Structural Equalization Model ) . 1 +Sympatric predators include the mountain lion , American black bear and grizzly bear . Sympatric - predators include the mountain lion , the American black bear and the grizzly bear . 1 +Parsora is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Parsora is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . 0 +"He was presented by Golda Meir in the television film A Woman Called Golda "" ( 1982 ) , opposite Robert Loggia as Ingrid Bergman ." "He was portrayed by Robert Loggia in the television film A Woman Called Golda "" ( 1982 ) as Ingrid Bergman as Golda Meir ." 0 +While the RFA serves the Royal Navy fleet around the world , RFA crews are eligible for civilians and thus not for Royal Navy awards and decorations . While the RFA services the fleet of the RFA around the world , Royal Navy crews are civilians and thus not eligible for Royal Navy awards and decorations . 0 +The Bank of the People was founded in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph in 1835 . The Bank of the People was created in 1835 in Toronto by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . 0 +The government of He County is located in Liyang Town . The government of the town of Liyang is located in He County . 0 +Much of the eastern half of the city is relatively rural , while the western part of the city ( roughly from Woodbury Point east ) is more urbanized . Most of the eastern half of the city is relatively rural , while the western part of the city is more urbanized ( for example , from Woodbury Point east ) . 1 +John took Logan as his first apprentice . Logan took John on as his first apprentice . 0 +He was elected in 1977 and was re-elected in April 1978 to the newly created Court of Appeal 1 . In 1977 , he was re-elected and elected to the newly created Court of Appeals District 1 in April 1978 . 0 +In the summer of 1956 , Mike Barnett took over the role of Frank Lovejoy until the series ' end that same year . In the summer of 1956 , Mike Barnett took over the role of Frank Lovejoy until the end of the series in that same year . 1 +This version was released on August 18 , 2016 in Europe and Australia and on January 5th , 2017 in North America . This version was published on August 18 , 2016 in North America and on January 5 , 2017 in Europe and Australia . 0 +Grose Wold is a suburb of Sydney , in the state of New South Wales , Australia . It is located in the city of Hawkesbury . Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney , in the city of Hawkesbury . 0 +Two weeks before the invasion , the corps was pulled from the Third Army and placed in the First Army of Omar Bradley . Two weeks before the invasion , the corps was pulled out of the First Army and placed in Omar Bradley 's Third Army . 0 +"There are a number of notable works in Afghan literature that discuss the Muslims during the "" Australian period "" ( 1860-1900 ) ." "There are a number of remarkable works in the Australian literature that Muslims discuss during the "" Afghan period "" ( 1860-1900 ) ." 0 +Hans Jürgen Kallmann was painted by Konrad Adenauer in 1963 . In 1963 , Konrad Adenauer was painted by Hans Jürgen Kallmann . 0 +The enlarged pleopod of the female is greatly enlarged and almost encloses the first tank . The first pleopod of the female is greatly enlarged and almost encloses the enlarged carapace . 0 +In JavaScript , for example , the factor function can be defined via anonymous recursion as such : In JavaScript , for example , the factorial function can be defined as anonymous using such a recursion : 0 +Just north of South Huntington , NY 110 enters an at-grade intersection with NY 25 ( West Jericho Turnpike ) in the hamlet of Walt Whitman Shops . North of South Huntington , NY 110 enters an at-grade crossing with NY 25 ( West Jericho Turnpike ) in the hamlet of Walt Whitman Shops . 1 +It is roughly southeast of Moosehead Lake , 2 miles southwest of Baker Mountain and 5 km west of White Cap Mountain . It is located southeast of White Cap Mountain , 2 miles southwest of Baker Mountain and 5 miles west of Moosehead Lake . 0 +Tabda , also known as Tabto , is a town in the southern Jubbada Hoose ( Lower Juba ) region of Somalia . Tabda , also known as Tabto , is a city in the southern Jubbada Hoose ( Lower Juba ) region of Somalia . 1 +He was assigned in 1866 to the Portsmouth Navy Yard , then in 1868 to the Pensacola Navy Yard . It was assigned to the Portsmouth Navy Yard in 1866 , and then to the Pensacola Navy Yard in 1868 . 1 +He left the Janata Dal ( United ) and entered the Bharatiya Janata Party in February of 2008 . He left the Janata Dal ( United ) and joined the Bharatiya Janata Party in February , 2008 . 1 +Strathairn attended the Redwood High School in Larkspur , California , and graduated in 1970 from Williams College , Williamstown , Massachusetts . Strathairn attended Williams College in Williamstown , Massachusetts , and graduated from Redwood High School in Larkspur , California , in 1970 . 0 +A small-medium Macedonian Jewish community has a very long presence in the Mediterranean coast , especially in Northern Israel and in the Gush Dan . A small-medium Macedonian Jewish community has a very long presence on the Mediterranean coast , especially in Gush Dan and northern Israel . 1 +The Yarkand River is a river in Xinjiang Uyghur Autonomous Region Western China . The autonomous region Xinjiang Uyghur is a river in the Yarkand River in Western China . 0 +The river Bota Mare is a tributary of the Zăbrătău River in Romania . The Bota Mare River is a tributary of the Zăbrătău River in Romania . 1 +He was sentenced on April 28 , 1794 , when he was guillotined at the same time as his elder brother . He was guillotined on 28 April 1794 , when he was convicted at the same time as his elder brother . 0 +The 1883 American Association finished fourth in the New York Metropolitan with a record 54-42 . The 1883 New York Metropolitans finished fourth in the American Association with a 54 - 42 record . 0 +Nick Smith ( Chris Egan ) settles with his family in Summer Bay , and he and Duncan quickly get friends and get into various crises . Chris Egan ( Nick Smith ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different scratches . 1 +They were equipped with a white leather apron , long stulp gloves and an axe with a handle mounted on a brass . They were equipped with a white leather apron , long gauntlet gloves , and an axe with a brass mounted handle . 1 +Queen Peak is a mountain located on Vancouver Island , British Columbia , Canada , north of Gold River and east of Victoria Peak . Queen Peak is a mountain on Victoria Peak , located north of Gold River and east of Vancouver Island , British Columbia , Canada . 0 +In 1994 , Texas - Democrat Jamie Whitten was defeated by Steve Stockman in the year he was expected to follow with Jack Brooks as Dean . In 1994 , Texas Democrat Jack Brooks was defeated by Steve Stockman in the year he was expected to succeed Jamie Whitten as Dean . 0 +Through the 2017 season , the Cornell Big Red have won 649 games , tied 529 games , and lost 33 regular season games . Throughout the 2017 season , the Cornell Big Red have won 649 games , 529 games bound and 33 regular season games lost . 1 +"Andrea Bocelli called her rehearsal performance "" very nice "" , and David Foster called her voice spectacular ." "Andrea Andrea Bocelli called her sample performance "" very nice "" , and David Foster called her voice spectacular ." 1 +The name Edith has four name days : 14 May in Estonia , 31 October in Sweden , 5 July in Latvia and 16 September in France . The name Edith has four name days : May 14 in Estonia , October 31 in Latvia , July 5 in Sweden , and September 16 in France . 0 +McSweeney was born in Northern Ireland , moved to London . McSweeney was born in Northern Ireland but moved to London . 1 +In November , the Royals CF Coco Crisp acquired from Boston Red Sox in exchange for RP Ramón Ramírez . In November , the Royals acquired CF Coco Crisp from the Boston Red Sox in exchange for RP Ramón Ramírez . 1 +In Portage township there are two villages : a part of the Jerry City in the south and part of Portage in the northwest . In Portage there are two villages : a part of Jerry City in the south and part of the Portage township in the northwest . 0 +In March they returned to Jason Sanderson 's studio to record their first material with latest member Reid . In March , they returned to Reid 's studio to record their first material with Jason Sanderson . 0 +This work led him to trigger important reflections on the practices of molecular genetics and genomics at a time when this was not considered ethical . This work caused him to trigger important reflections on the practices of molecular genetics and genomics at a time when this was not considered ethical . 1 +For example , in JavaScript , the factor function can be defined as anonymous via such a recursion : For example , in JavaScript the factorial function can be defined via such recursion as anonymous : 1 +In 1900 , Elizabeth married Waller Cowles , and her daughter Harriet was born in 1912 . Elizabeth Waller married Cowles in 1900 , and their daughter Harriet was born in 1912 . 0 +The Viennese ice revue toured through most European countries , including Germany , Italy , the Netherlands , Switzerland , Hungary , Czechoslovakia , Belgium , France and Spain . The Vienna Ice Revue toured through most European countries including Germany , Italy , the Netherlands , Switzerland , Hungary , Czechoslovakia , Belgium , France and Spain . 1 +In 1971 , a new campus was completed in 33 MacDonnell Road for primary school . In 1971 , a main campus was completed in 33 MacDonnell Road for the new school . 0 +Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who has never been seen during the day . Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman who was never seen during the day . 0 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the district of Aurangabad in the district of Ahmednagar . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in the district of Aurangabad and then in Shrirampur Taluka in the district of Ahmednagar . 0 +In 1406 he had added the Juliana Anicia Codex of Dioscurides , rebound and a table of contents and Minuskel scholia in Byzantine Greek extensively restored . In 1406 he had the Juliana Anicia Codex of Dioscurides added , rebound , and a table of contents and minuscule scholia restored in Byzantine Greek extensive . 1 +In August 1927 , Mao ended his marriage with Yang ; and , in early 1928 , he began a relationship with He Zizhen . In August 1927 , Mao ended his marriage with Yang and started a relationship with He Zizhen in early 1928 . 1 +He finished his NFL career in dividing the season between the New York Giants and the Seattle Seahawks . He finished his NFL career in , splitting the season between the New York Giants and the Seattle Seahawks . 1 +Neptunea alexeyevi is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks navy . Neptunea alexeyevi is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +"It was their third hit with the first "" Peach "" , Linda Greene ." "It was their third hit with the first "" Peaches "" , Linda Greene ." 1 +When Patrick Logan arrives in Wisteria Lane , he runs over Nick . When Patrick Logan arrives to Wisteria Lane , he runs Nick over . 1 +He has two sons : older Maharana Mahendra Singh and younger Arvind Singh . He has two sons : elder Maharana Mahendra Singh and younger Arvind Singh . 1 +Virgil Weigel is Democratic member of the Kansas House of Representatives , representing the 56th district ( Shawnee County , Kansas in Topeka , Kansas ) . Virgil Weigel is democratic member of the House of Representatives of Kansas and represents the 56th district ( Shawnee County , Kansas in Topeka , Kansas ) . 1 +This species can be found in Papua New Guinea , Bismarck Archipelago : New Britain ; Woodlark Island ; West Papua ; Aru Islands . This species can be found in New - Britannia , Bismarck - archipelago : Woodlark Island , Papua - New Guinea , West Papua and Aru - Islands . 1 +Kublai built schools for Chinese scholars , spent paper money , revived Confucian rituals , and supported policies that stimulated agricultural and commercial growth . Kublai built schools for Chinese scholars , issued paper money , revived Confucian rituals , and endorsed policies that stimulated agricultural and commercial growth . 1 +There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more prominent in Scotland than it is in Ireland . There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Ireland than in Scotland . 0 +He studied at the Ravenshaw College in Odisha and Allahabad University and earned his law degree from M. S. Law College , Utkal University in Cuttack . He studied at Ravenshaw College in Cuttack and Allahabad University and holds a degree in law from the M. S. Law College of Utkal University , Odisha . 0 +""" Rockingham "" reached Whampoa on 23 May , and arrived at Bombay on 21 September ." """ Rockingham "" reached Whampoa on May 23 and arrived in Bombay on September 21 ." 1 +After completing his university education at Cardiff University and in Harrogate , North Yorkshire , he worked in Rouen , France from 1996 to 1999 . After completing his initial university education at Cardiff University , and in Harrogate , North Yorkshire , he was from 1996 to 1999 based in Rouen , France . 1 +I 've created Francis Bacon figures in a Sidney Nolan landscape , inspired with stunts by Jean Cocteau . "I created Francis Bacon figures in a Sidney Nolan landscape , with stunts inspired by Jean Cocteau. """ 1 +They could instead have been relatives , perhaps members of a family bonded by blood to serve Dracula . They could have been relatives instead , perhaps members of a family connected by blood to serve Dracula . 1 +The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College , were merged to Keysborough Secondary College with Springvale Secondary College and Chandler Secondary College . The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College have been merged with Springvale Secondary College and Chandler Secondary College into Keysborough Secondary College . 1 +In codice _ 4 the second file is codice _ 8 and in codice _ 5 the second file is codice _ 10 . In codice 4 is the second file codice 8 and codice 5 is the second file codice 10 . 1 +He was trained in Weimar , later until 1865 in Dresden and went to New York after a short stay in Leipzig with Franz Liszt in 1869 . He was trained in Dresden , later until 1865 in Leipzig , and after a short stay in Weimar went to New York with Franz Liszt in 1869 . 0 +The vaults are Mesopotamian in design and Coptic and Byzantine elements appear in the decorative carving . The vaults are in Mesopotamian design , and decorative elements appear in the Coptic and Byzantine carving . 0 +""" Pogonodon "" was described by Edward Drinker Cope in 1880 , and two species are known : "" P. davisi "" and "" P. platycopis "" ." """ Pogonodon "" was described in 1880 by Edward Drinker Cope . Two species are recognized , "" P. davisi "" and "" P. platycopis "" ." 1 +From Ridgecrest , California State Route 178 leads northeast into Death Valley National Park . From Death Valley National Park , California State Route 178 leads northeast to Ridgecrest . 0 +A tribute to Jamie Parker and Claire Martin , the American actor Seth MacFarlane was the singer , Frank Sinatra . A tribute to Frank Sinatra . American actor Seth MacFarlane was the lead singer , with Jamie Parker and Claire Martin . 0 +The optical polarization results microscopically from quantum mechanical transitions between different states of the material system . Microscopically , the optical polarization arises from quantum mechanical transitions between different states of the material system . 1 +The remaining two cars were delivered by the Estonian defence league and they were ordered in 1927 . The remaining two cars were delivered by the Estonian Defence League and these were ordered in 1927 . 1 +He also appeared in music films and later in life , in comedic roles . He also appeared in musical films and later in life , in comedic roles . 1 +After the death of Fred Miller in 1998 and John Paul Miller in 2000 , Mary Miller continued living in the house , located south of Cleveland . Following the death of Fred Miller in 1998 and John Paul Miller in 2000 , Mary Miller continued to live in the house located south of Cleveland . 1 +Glen Sheil was born in Sydney and moved to Queensland in a young age . Glen Sheil was born in Sydney and moved to Queensland at a young age . 1 +The show aired simultaneously on Fox8 in Australia , Sky TV in New Zealand , and on Channel O in South Africa . The show was broadcasted simultaneously on Fox8 in Australia , Sky TV in New Zealand and on Channel O in South Africa . 1 +Lyman Glacier was named after William Denison Lyman by Claude Ewing Rusk , because Lyman was one of the first to describe some of the features and history of Mount Adam . Lyman Glacier was named after William Denison Lyman by Claude Ewing Rusk because Lyman was one of the first to describe some of Mount Adams ' features and history . 1 +Younessi has a child , a son named Dariyan Rodin Younessi , who started his racing career at Karting at the age of four . Dariyan Rodin Younessi has a child , a son called Younessi , who started his racing career with Karting at the age of four . 0 +The friend of Dantès , Fernand Mondego ( Sidney Blackmer ) , accompanies him to the jail . Dantès ' friend Sidney Blackmer ( Fernand Mondego ) accompanies him to the jail . 1 +Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a certain quantile . The Expected Exposure ( EE ) is defined similar to the PFE , except that the average is used instead of a certain quantile . 0 +"Bathyporeia elegans is a species of amphipod crustacean in the genus "" Bathyporeia "" . It is unpigmented , and grows up to long ." "Bathyporeia elegans is a kind of amphipod crustacean in the genus "" Bathyporeia "" . It is long and grows up to unpigmented ." 0 +The original Murdoc , Michael Des Barres , portrayed Nicolas Helmans Mentor Murdoc in the 2016 series . The original Murdoc , Michael Des Barres , portrayed Murdoc 's mentor , Nicolas Helman , in the 2016 Series . 0 +"The "" Super Deluxx Edition "" was developed by 9th Level Games , but is published by Dork Storm Press ." "The "" Super Deluxx Edition "" was published by 9th Level Games , but is designed by Dork Storm Press ." 0 +These dioceses had indirect election of four members , direct election of three members . These dioceses had the direct election of four members , the indirect election of three members : 0 +He attended the Rusk School in Nashville and the Fisk University in Huntsville . He attended Rusk School in Huntsville and Fisk University in Nashville . 0 +He visits Fred and makes him his new partner , then goes to the Cratchit house where he rehires Bob and increases his wages . He repeats Fred and makes him his new partner , then goes to the cratchit house , where he visits Bob and increases his remuneration . 0 +He was the first sculler in the province ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first to win the Wingfield Sculls . He was the first sculler ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first provincial to win the Wingfield Sculls . 0 +"Ingham wrote that in December 1872 the college newspaper , the "" Algona Collegian "" , reported the following tuition fees :" "Ingham wrote that in December , 1872 the college newspaper , the "" Algona Collegian "" reported the following tuition :" 1 +She was heavily attracted to him and tried to seduce him into a sexual relationship , but Hanuvant Singh was religious in thought and did not go to incest . She grew heavily attracted to him and tried to seduce him into a sexual relationship , but Hanuvant Singh was religious in thought and did not go for incest . 1 +"It is the fourth track and third single from their breakthrough "" Smash "" ( 1994 ) ." "It is the fourth track and third single from their breakthrough album "" Smash "" ( 1994 ) ." 1 +He was admitted to the New York bar in 1949 and commenced practice in New York City . In 1949 , he was admitted to the New York City Bar Association and began practice in New York . 1 +As an official Soviet artist , his work was well received and exhibited widely . As an official Soviet artist , his work was widely exhibited and well received . 1 +The Sâmbăta River is a tributary of the Piatra Caprei River in Romania . The Sâmbăta river is a tributary of the River Piatra Caprei in Romania . 1 +The Gill family closed the mill in 1968 , and the new owners sold it in 1980 . The Gill family closed the mill in 1968 and sold them to the new owners in 1980 . 1 +The City of Oklahoma City has designated the Santa Fe station as the location for intermodal transit services for the city and metropolitan area . The city of Oklahoma City has designated Santa Fe railway station as the location for intermodal transit for the city and the greater area . 1 +Lebilaango is a town in the central region of Somalia of Hiran . Lebilaango is a town in the central Hiran region of Somalia . 0 +They defeated Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing to Gloucestershire in the quarter-finals 58 -- 10 . They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . 0 +He took night classes on the English language at the Chinese-Anglo School . At the Anglo-Chinese School he took night lessons on the English language . 1 +There is a National Highway connecting Washim , Kanergaon , Akola , Amrawati , Hingoli and Nanded . There is a national motorway connecting Washim , Kanergaon , Nanded , Amrawati , Hingoli and Akola . 1 +He was elected President of the Assam Football Association and the Assam Sports Council for several terms , and he was also Vice-President of the Assam Cricket Association . He was elected President of the Assam Football Association and the Assam Sports Council for several terms ; he was also the Vice-President of the Assam Cricket Association . 1 +In 1996 , Fleet acquired the British branch network ( in New York and New Jersey ) from the US National Westminster Bank . In 1996 , Fleet acquired the US branch network ( New York and New Jersey ) of the British National Westminster Bank . 0 +The city of Cortland , close to the western border of the county , is surrounded by the town of Cortlandville . The city of Cortlandville , near the western border of the county , is surrounded by the town of Cortland . 0 +Rattlesnake Island is a small island on Okanagan Lake , located just east of Peachland , British Columbia , Canada . Peachland , British Columbia , Canada is a small island on Rattlesnake Island located directly east of Okanagan Lake . 0 +Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and attended Lew Wallace Highschool in Gary , Indiana . 0 +The Fădimac River is a tributary of the Bega River in Romania . The river Fădimac is a tributary of the River Bega in Romania . 1 +The first thing in racing that you learn is to win a race , first you have to finish . The first thing to learn in racing is to finish a race , first you have to win . 0 +Bertlmann was a close friend and collaborator of the late Walter Thirring and worked together with John Stewart Bell . Bertlmann was close friend and collaborator of the late Walter Thirring and worked with John Stewart Bell . 1 +Younessi has a child , a son named Dariyan Rodin Younessi , who started his racing career at Karting at the age of four . Dariyan Rodin Younessi has a child , a son named Younessi , who began his racing career with Karting at the age of four . 0 +The music of the film was composed by Vijaya Bhaskar and written lyrics for the soundtrack of Chi Udaya Shankar and Vijaya Narasimha . The music of the film was composed by Vijaya Bhaskar and lyrics for the soundtrack written by Chi . Udaya Shankar and Vijaya Narasimha . 1 +Part of the neighborhood has been annexed to Santa Clara County , while the rest consists of unincorporated areas of San Jose . Part of the neighborhood has been connected to Santa Clara County , while the rest consists of non-registered areas of San Jose . 1 +The work on this manuscript was started in 1426 at the order of Baysonghor Mirza , the Timurid prince , and was completed on 1430 , four years later . The work on this manuscript was started in 1426 on the orders of the Timurid Prince Baysonghor Mirza and completed four years later , in 1430 . 1 +Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1st . The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1 . 1 +They played in the 2015 China Amateur Football League won the 3rd place and finished the promotion until 2016 China League Two . They played in the 2015 China Amateur Football League finished 3rd and won the ascent to the China League Two 2016 . 0 +Defeated Ruxandra Dragomir , 6 -- 2 , 6 -- 3 Monica Seles defeated Ruxandra Dragomir , 6 -- 2 , 6 -- 3 0 +Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the section called Black River . Crocker moved from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and crossed toward the lower Ouachita in the section called the Black River . 1 +Nar-Dos developed the Armenian critical trend of psychological realism displaying refined Armenian language . Nar-Dos developed the critical Armenian trend of psychological realism by displaying refined Armenian language . 1 +She was married to Edmund Ashfield and Richard Glanville after his death . She married Edmund Ashfield and after his death Richard Glanville . 1 +The definition of Kali in Ayyavazhi is focused as the materialized life . The definition of the potash in Ayyavazhi is focused as materialized life . 0 +A Kepler triangle is a right-angled triangle with edge lengths in geometric progression , whereby the ratio of the edges of a Kepler triangle is bound to the golden ratio . A Kepler triangle is a golden triangle with edge lengths in geometric progression , whereby the ratio of the edges of a Kepler triangle is connected to the right ratio . 0 +During the five days of the journey he brought with him some books about Elba , which he studied from Fontainebleau . During the five days of the journey , he brought some books about Elba which he studied from Fontainebleau . 1 +On Sunday there is a free street market in the centre of the village , near the small car park . On Sunday there is a small street market held in the centre of the village , close to the free car park . 0 +Two days later , at their annual game , Army beat Navy , 6-4 . Two days later , in their annual game , Army Navy beat , 6-4 . 0 +In the American series , Benjamin was Michael Evans 's double . In the American series , Benjamin Michael Evans was double . 0 +Due to the results obtained in the previous round , Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results of the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 0 +The functional structure of the Suhrkamp publishing house is located in the Lindenstraße , the literary reputation of the residence corresponds in reverse to its architectural importance . The functional structure of the Suhrkamp publishing house is located in Lindenstraße , the architectural reputation of the residence corresponds inversely to its literary importance . 0 +According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , TNA gave the promos to Anarquia . According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave the promos to Anarquia . 0 +The elevation of the island has , and it is a coastline of length . The elevation of the island is , and it has a coastline of length . 0 +Helena Township is a civil community of Antrim County in the U.S. state of Michigan . Antrim County is a bourgeois township of Helena Township in the U.S. state of Michigan . 0 +Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent on the plain of New Mexico . Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the plains of Oklahoma . 0 +Also , use the codice 13 attribute to mark the codice 6 elements as non-translatable . Note also the use of the codice _ 6 attribute to mark the codice _ 13 elements as non-translatable . 0 +This prayer and the following are said in a concelebrated fair by individual concelebrants . In a said Mass , this prayer and the following are concelebrated by individual concelebrants . 0 +Locus is a racing game developed by GT Interactive Software Corp and published by Zombie LLC , North America . Locus is a racing game developed by Zombie LLC and released in North America by GT Interactive Software Corp . 0 +Sparrow convinces Turner that Elizabeth can be freed with the magic compass to find the chest . Sparrow convinces Turner that Elizabeth can be freed by using the magic compass to find the chest . 1 +La Unión is a city in Ezeiza Partido , in the Greater Buenos Aires , Argentina . La Unión is a town in Ezeiza Partido , in the Greater Buenos Aires , Argentina . 1 +Independent member John Archibald Maharg served as leader of the opposition in 1923 and Harris Turner , also independent , served as opposition leader in 1924 and 1925 . In 1923 , John Archibald Maharg was an independent member of the opposition leader , and Harris Turner , also independent , served as opposition leader in 1924 and 1925 . 1 +The joint management of the memorial by the United States Navy and the National Park Service was founded on 9 September 1980 . The joint administration of the memorial by the National Park Service and the United States Navy was established on September 9 , 1980 . 1 +In the same year , technologyreview.com won second place at MPA Digital Awards for the best business or news website and third place for the best online video or the best video series . That same year , technologyreview.com won third place in the MPA Digital Awards for best business or news Website and second place for best online video or video series . 0 +Pérez also practiced with Telemundo , where she anchored and produced an entertainment segment for Telemundo Internacional . Pérez also interned with Telemundo where she produced and anchored an entertainment segment for Telemundo Internacional . 1 +These ancient rites are rarely performed in contemporary Sri Lanka , but the conserved songs are still performed by folk musicians . These ancient rites are still performed in contemporary Sri Lanka , but the preserved songs are rarely performed by folk musicians . 0 +After extensive travels through Asia and a piece of Africa and Europe , the couple settled in New York City , New York . After extensive traveling through Asia and a bit of Africa and Europe , the couple settled in New York City , New York . 1 +"The "" Friends of the School of Art and Design of Putney "" promotes the school and protects the interests of the current students ." "The "" Friends of the School of Art and Design of Putney "" protects the school and promotes the interests of the current students ." 0 +Mouhoun is one of the 45 provinces of Boucle du Mouhoun Region and is in Burkina Faso . The capital of Mouhoun is Dédougou . Mouhoun is one of 45 provinces in the Boucle du Mouhoun region and is located in Burkina Faso , the capital of Mouhoun is Dédougou . 1 +Abel Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Ruben Aganbegyan . Ruben Aganbegyan ( born in 1972 , Novosibirsk ) is a Russian economist , president of Micex , son of the famous Soviet economist Abel Aganbegyan . 0 +Birleffi was of Protestant ethnicity and Roman Catholic in a predominantly Italian state . Birleffi was of Italian descent and Roman - Catholic in a predominantly Protestant state . 0 +It is found on quartzite hills in the Moora region of Western Australia near Wheatbelt , where it grows in sandy soils often with gravel . It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it is often grown with gravel in sandy soils . 1 +Another Marston company product line started in 1931 , with marine outboard engines first marketed as Marston Seagull , later known as British Seagull . Another Marston Company product line started in 1931 , with Marine - outboard engines first as Marston Seagull , later marketed as British Seagull . 0 +The village has three schools -- a primary school and two secondary schools . The village has three schools -- a primary and two secondary schools . 1 +In February 2016 , Daniel Pollack announced that Argentina had reached agreement with Paul Singer . Daniel Pollack announced in February 2016 that Argentina had reached an agreement with Paul Singer . 1 +Treatment included progressive muscle relaxation , cognitive exposure therapy with interoceptive restructuring , or a combination of both . The treatment included progressive muscle relaxation , cognitive exposure therapy with interoceptive restructuring , or a combination of both . 1 +"The Charge Spear is a large spear that can be "" charged to form a sharpened organic blade that can be used to strike enemies ." "The Charge Spear is a large spear that can be "" charged "" to form a sharpened organic blade that can be used to stab foes ." 1 +Impressive essays by Dawkins ... , Marilynne Robinson and H. Allen Orr , set out to tell Terry Eagleton how false he is . Impressive essays by ... Marilynne Robinson ... Terry Eagleton and ... H. H. Allen Orr set out to tell Dawkins how wrong he is . 0 +It is located adjacent to the hamlet of Hickstead , to the west of Burgess Hill and next to the main A23 road from London to Brighton . It is located next to the hamlet of Hickstead , to the west of Burgess Hill and adjacent to the main road A23 from London to Brighton . 1 +"In "" Home Alone "" , Kate McCallister traveled through Dallas/Fort Worth from Paris on her way to Chicago ." "In "" Home Alone "" Kate McCallister traveled from Chicago through Paris on her way to Dallas / Fort Worth ." 0 +This allowed Capcom to translate the basic expressions from Lee and use them Wayne in game . This allowed Capcom to use the basic expressions of Lee and translate them in the game to Wayne . 0 +Born in Seville , Hidalgo played for Badajoz and Celta de Vigo . Hidalgo was born in Seville , who played for Badajoz and Celta de Vigo . 1 +Hardin Independent School District is a public school district based in Hardin , Texas ( USA ) . Hardin Independent School District is a public school district located in Hardin , USA ( Texas ) . 1 +The Bazga River is a tributary of the Bohotin River in Romania . The river Bazga is a tributary of the Bohotin River in Romania . 1 +This quote is often described as “ Philadelphia in the East , Pittsburgh in the West , and Alabama in the Middle . ” "This quotation is often paraphrased as "" Alabama in the East , Pittsburgh in the West and Philadelphia in the middle "" ." 0 +In this way , it was possible to combine literally dozens of separate tracks and record them into finished recordings of great complexity . In this way it was possible to literally record dozens of separate tracks and combine them into finished recordings with great complexity . 0 +The western extension of the congestion charge in London was withdrawn in 2007 ( and introduced on 1 January 2011 ) . The western extension of the London congestion charge was introduced in 2007 ( and withdrawn on January 1 , 2011 ) . 0 +The conclusions are that we are all perfect spiritual ideas of the one divine Mind , and manifest Spirit , not a material body . The conclusions are that we are all perfect spiritual notions of one divine spirit and manifest the spirit , not a material body . 1 +Lea Lea Antonoplis and Cammy MacGregor won 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson in the finals . Ann Henricksson and Julie Richardson won 6 -- 3 , 3 -- 6 , 7-5 against Lea Antonoplis and Cammy MacGregor in the final . 0 +Taizhou Station ( Zhejiang province ) is a train station of Yongtaiwen Railway in Taizhou , Zhejiang , People 's Republic of China . Taizhou railway station ( Zhejiang Province ) is a railway station of Yongtaiwen Railway located in Taizhou , Zhejiang , People 's Republic of China . 1 +The indigenous people of Chichigalpa were of Toltec origin , the Niquiranos and Chorotegas . Of native origin , the Toltec people of Chichigalpa were the Niquiranos and Chorotegas . 0 +The aircraft was on a domestic flight from Goma to Kisangani via Ndjili . The aircraft was located on a domestic flight from Goma to Ndjili via Kisangani . 0 +The awards have often bypassed the great Try scorer , winner - captain or international top player . The awards have often bypassed the great try scorer , winning captain or top International player . 1 +Internal mass migration also took place when 2 million Americans migrated to Los Angeles , of which 1.2 million settled in California . Internal mass migration also took place when 2 million Americans migrated to California , 1.2 million of which were located in Los Angeles . 0 +"The Handbook of the Birds of India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist S. Dillon Ripley , written together with Salim Ali ." "The Handbook of the Birds of India and Pakistan is the "" magnum opus "" of Indian ornithologist S. Dillon Ripley , written along with Salim Ali ." 1 +"so on the interval to the right , "" f "" is greater than formula _ 61 and if formula _ 62 then :" "Then , on the interval to right "" f "" is greater than Formula 61 and if Formula 62 so :" 0 +"The Moai statues of Chile ( Easter Island ) appear in several "" gradius "" plays as enemies ." "The moai statues of Chile ( Easter Island ) appear as enemies in several "" Gradius "" games ." 1 +Younger brother of Petri Walli was Hasse Walli of Kingston Wall . Hasse Walli 's younger brother was Petri Walli of Kingston Wall . 0 +This method requires manual arrangement and is not statistically pure since arbitrary adjustments can be made . This procedure requires a manual arrangement and is not pure statistically , since arbitrary adjustments can be made . 1 +From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . From 1898 to 1902 , some 1,300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . 0 +While prostitution in Canada is illegal , most activities relating to prostitution are legal . While prostitution is legal in Canada , most activities related to prostitution are illegal . 0 +For scalar spectral fluctuations , formula _ 9 is referred to as the scalar index , with formula _ 10 corresponding to scale invariant fluctuations . For scalar fluctuations , Formula 9 is referred to as the scalar spectral index , with the formula 10 corresponding to scalar invariant fluctuations . 0 +In 2009 , he joined San Diego Sockers of the Professional Arena Soccer League . In 2009 , he joined the Professional Arena Soccer League of the San Diego Sockers . 0 +She finds new hope and friendship in Enzo , the replacement guitarist who inspires her to reach new creative heights . In Enzo , the replacement guitarist who inspired her to new creative heights , she finds new hope and friendship . 1 +Creswell is served by the daily Roanoke Beacon newspaper from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC is operated by Creswell . 0 +He bought homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . He acquired homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . 0 +"Arriving Philadelphia 16 October , "" Jarvis "" entered 24 October and decommissioned the Atlantic Reserve Fleet ." "Arriving in Philadelphia October 16 , "" Jarvis "" decommissioned on October 24 and entered the Atlantic Reserve fleet ." 0 +The GPO vehicles were special order vehicles , and not quite the same as the commercial Morris Minor LCVs . GPO vehicles were commercial commercial vehicles , and not quite the same as the special Morris Minor LCVs . 0 +This night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . That night , Emperor Li Zhan died , and Muzong took over the throne ( as Jingzong Emperor ) . 0 +Dean Mero died in 2014 and the Company is now headed-up by his son , Barry Mero . In 2014 , Barry Mero died , and the company is now run by his son Dean Mero . 0 +Almost the entire range is part of the Sandia Mountain Wilderness area , including the Cibola National Forest . Almost the whole area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . 1 +In the same year , he was appointed General Vicar for the region of Quebec of the Diocese of Mississippi and Illinois . The same year , he was appointed Vicar General for the Mississippi and Illinois region of the Diocese of Quebec . 0 +""" Town Without Pity "" is a song written by the composer Dimitri Tiomkin and the lyricist Ned Washington ." """ Town Without Pity "" is a song written by the composer Ned Washington and lyricist Dimitri Tiomkin ." 0 +Basque players , playing for either the Spanish or the French teams , dominate international competitions . French players playing for either the Spanish or the Basque team dominate international competitions . 0 +The park is 65 km west of Fianarantsoa and 139 km northeast of Mananjary in the regions of Haute Matsiatra and Vatovavy-Fitovinany . The park is located 65 km north-east of Fianarantsoa and 139 km west of Mananjary in the regions Haute Matsiatra and Vatovavy-Fitovinany . 0 +He was the only Australian and the only architect within the group . He was the only and the only Australian Architect in the group . 1 +Another Dutch silversmith who worked in an auricular style was Thomas Bogaert . Another Dutch silversmith who worked in the auricular style was Thomas Bogaert . 1 +After serving in various headquarters and troops , in 1951 General Major , Lieutenant in 1955 and was promoted to the rank of General in 1959 . After serving in various headquarters and troops , major-general in 1951 , lieutenant in 1955 and was promoted to the rank of general in 1959 . 1 +The team is coached by Tristan Gray ( former coach of Premiership side RHC Cougars ) and is currently captained by Emily Cotterill . The team is managed by Tristan Gray ( former premiership coach of RHC Cougars ) and is currently being coached by Emily Cotterill . 0 +Match 1 : Naoki Sano defeats Masahito Kakihara ( leg submission ) Match 1 : Naoki Sano defeats Masahito Kakihara ( submission ) 1 +He later joined Outfit United SC in Kolkata and played in the Calcutta Football League . He later joined the Calcutta Football League and played in Kolkata - Klub United SC . 0 +In the first film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the third film . In the third film , the fat lady of Elizabeth Spriggs and Dawn French is played in the first film . 0 +Based on the city of Baltimore , only mentioned , has never visited in the show . Based on the city of Baltimore , never visited , only mentioned in the show . 1 +The expansion of China Airlines ' political presence has long been limited by Taiwan 's international status . The expansion of China Airlines political presence has long been limited by the international status of Taiwan . 1 +Brighton Beach Railway Station is located on the Sandringham line in Victoria , Australia , and serves the south-eastern Melbourne suburbs of Brighton . Brighton Beach railway station is located on the Sandringham line in Victoria , Australia , and serves the south-eastern Melbourne suburb of Brighton . 1 +"In 1942 , "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national savings campaign of the warship - week "" ." "During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civilian savings campaign of the warship - week "" ." 0 +After May 4 , 2012 , Gordon M. Snow was replaced with a limited formal announcement by Michael S. Welch and then Joseph M. Demarest . After May 4 , 2012 , Gordon M. Snow was replaced by Joseph M. Demarest and then Michael S. Welch with limited formal announcement . 0 +Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included in the project . Writers for the project included Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston . 1 +Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi David Tebele Scheuer . David Tebele Scheuer was born in 1753 as son of his father Rabbi Abraham Naftali Hertz Scheuer in Frankfurt am Main . 0 +His son , Ii Naomasa , was adopted by Naotora and , under Tokugawa Ieyasu , became a dreaded general , who is considered one of his four guardians . His son Ii Naomasa was adopted by Naotora , and became a feared general under Tokugawa Ieyasu who is considered one of his Four Guardians . 1 +Capitán Jorge Osvaldo García successfully recovered but was not ejected . Jorge Osvaldo García recovered successfully , but was not ejected . 1 +That same year , technologyreview.com won second place in the MPA Digital Awards for best business or news Website and third place for best online video or video series . In the same year , technologyreview.com won second place at MPA Digital Awards for the best business or news website and third place for the best online video or the best video series . 1 +The event was played on outdoor grass courts and held from September 27 through October 5 , 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was held on outdoor grass courts and was played in the Philadelphia Cricket Club in Wissahickon , Philadelphia from 27 September to 5 October 1887 . 0 +According to the Indian Census 2011 , the population of Samdari is 25012 , where male population is 12805 and female population is 12207 . According to the Indian census 2011 , the population is of Samdari 25012 , where the male population is 12805 and female population is 12207 . 1 +Mendota is a former settlement in Fresno County , California . It was located north of Warsaw near the site of Pueblo de las Juntas . Mendota is a former settlement located in Fresno County , California , north of Warsaw , near the Pueblo de las Juntas . 1 +Sometimes already assigned codes were reused or the x00 codes assigned previously were spared . Sometimes already assigned codes were reused or the previously allocated x00 codes were spared . 1 +Asserson was active in the church in Norway and was married to Eivind Saxlund . Eivind Saxlund was active in the Church of Norway and was married to Asserson . 0 +The Lotriorul River is a tributary of the River Priporul in Romania . The Priporul River is a tributary of the Lotriorul River in Romania . 0 +Now Shiva Manivasagam and his men must face to win the love between him and Bharati . Now Shiva has to face Manivasagam and his men to win the love between him and Bharati . 1 +This is caused by a combination of adiabatic ( friction ) heating and kinetic compression . This is caused by a combination of kinetic heating ( friction ) and adiabatic compression . 0 +The 2015 -- 16 Barangay Ginebra San Miguel season is the 37th season of the franchise in the Philippine Basketball Association ( PBA ) . The PBA - Season 2015 -- 16 is the 37th season of the franchise at the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . 0 +Small mammals , including bats , are sometimes eaten but insects are caught only very rarely . Sometimes , small mammals , including bats , are caught , but insects are only very seldom eaten . 0 +The river Cârlibaba is a tributary of the River Tătarca in Romania . The Tătarca River is a tributary of the Cârlibaba River in Romania . 0 +They appeared at the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , in the Beachland Ballroom in Cleveland . They entered the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery in Chicago . 0 +Mahoning Creek is a tributary of the Lehigh River in the Schuylkill and Carbon - County , Pennsylvania , in the United States . Lehigh River is a tributary of the Mahoning Creek in the Schuylkill and Carbon Counties , Pennsylvania , in the United States . 0 +Lukaszuk has two daughters , one with his current wife , news anchor Stacey Brotzel CTV Edmonton and one with his previous wife . Lukaszuk has two daughters , one with his current wife , news spokesperson Stacey Brotzel CTV Edmonton and one with his former wife . 1 +A historical figure is a famous person in history , such as Katharina the Great , Napoleon , Washington , or Abraham Lincoln . A historical figure is a famous person in history , such as Catherine the Great , Napoleon , Washington , or Abraham Lincoln . 1 +This species is present in Switzerland , in France and in Italy . This species is present in Italy , France and in Switzerland . 1 +The last three were on CBS and the first was in the Blue Network . The first three were on CBS , and the last was on the Blue Network . 0 +In 1941 , Armand L. Jeanne married Ruth Stuber . Ruth Stuber married Armand L. Jeanne ( b . 1941 ) . 1 +"In the 2015 documentary film "" The Gettysburg Address "" , Edward Everett is portrayed by actor Ed Asner ." "In the documentary "" The Gettysburg Address "" of 2015 , Edward Everett is portrayed by the actor Ed Asner ." 1 +"The singer debuted at the Metropolitan Opera in 1993 as Hans Foltz in "" Die Meistersinger von Nürnberg "" by Richard Wagner ." "The singer debuted in 1993 at the Metropolitan Opera as Hans Foltz in "" Die Meistersinger von Nürnberg "" by Richard Wagner ." 1 +The scenes in the marshes were also shot in Gillingham , Kent 's Riverside Country Park . The scenes in the marshes were also shot in Kent , Gillingham 's Riverside Country Park . 0 +Miles started playing football for the Vikings , a Pop Warner football team that L.V . coached . Miles started playing football for the Vikings , a Pop Warner football team , L.V . 0 +The Marseille Provence Airport is located in Marignane . The Marignane is located at Marseille Airport in Provence . 0 +Mohsin Zaidi lived in Lucknow for nearly four decades before settling down in Delhi after retirement . For almost four decades , Mohsin Zaidi lived in Lucknow before settling after retirement in Delhi . 1 +The Dunăreana River is a tributary of the Galbena River in Romania . The Galbena River is a tributary of the River Dunăreana in Romania . 0 +With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports increased and employment rose . 1 +It was first described by William Walter Smith in 1889 , using samples from George Hudson . It was first described by William Walter Smith in 1889 using specimens obtained from George Hudson . 1 +A multi-region - DVD of the entire series was published by Warner Archive on 4 February 2015 and announced on February 10 , 2015 . A multi region - DVD of the entire series was announced by Warner Archive on 4 February 2015 and released on February 10 , 2015 . 0 +Other studies have also been submitted to the Federal Power Commission by the Congress and the Power Authority of New York . Other studies were also presented to the Congress by the Federal Power Commission and the Power Authority of New York . 0 +The river Scridoasa is a tributary of the River Botizu in Romania . The Botizu River is the tributary of the Scridoasa River in Romania . 0 +The Irish Aviation Authority has constructed a new control tower 1 km from the main terminal to the west of the old runway . The Irish Aviation Authority completed a new control tower 1 km from the old terminal to the west of the main runway . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam quieted and French interest in Europe was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became quieter and the French interest in Vietnam was revived . 0 +2015 Played 4 Won 1 ( Canberra , Gold Coast ) , Lost 3 ( Melbourne , Penrith ) Played 4 Won 1 ( Melbourne ) , 3 lost ( Canberra , Gold Coast , Penrith ) 0 +Both John Kerry in 2001 and Mark Warner lost counties in 2004 to Loudoun and Prince William . Both in 2001 Mark Warner and John Kerry in 2004 lost Loudoun and Prince William counties . 0 +Kayalar is a village connected to the Tirebolu district of the province of Giresun . Kayalar is a village connected to the Giresun district of the province of Tirebolu . 0 +In the 9th minute , Xabi Alonso opened the leadership , followed by Lewandowski four minutes later . Lewandowski opened the scoring in the 9th minute , followed by Xabi Alonso four minutes later . 0 +The Croatian variant is played counter-clockwise , while in Montenegro the order is used clockwise . The Croatian variant is played clockwise , while in Montenegro the order is used counter-clockwise . 0 +Daryle Lamonica ran for three touchdowns , while Roger Hagberg and Hewritt Dixon threw for one touchdown each . Daryle Lamonica ran for three touchdowns , while Roger Hagberg and Hewritt Dixon threw one touchdown for each . 1 +1938 : The for-profit Saint Francis Hospital Company becomes the non-profit Saint Francis Hospital Association . 1938 : The non-profit Saint Francis Hospital Company becomes the nonprofit Saint Francis Hospital Association . 0 +In November 2015 , Bensebaini was called up to the Tanzania national team for the first time for a pair of 2018 FIFA World Cup qualifiers against Algeria . In November 2015 , Bensebaini was appointed for the first time to the national team of Algeria for a pair of FIFA World Cup qualifiers in 2018 against Tanzania . 0 +Ivy Vujic married Jenkins on 2 April 2011 . Jenkins married Ivy Vujic on 2 April 2011 . 1 +The Potiskum Emirate was subjugated by the Ngizim people , who had organized the Karakare people . The Potiscum - Emirate was organized by the Ngizim people who had subjugated the Karakare people . 0 +The station was built in 1915 by the New York , New Haven and Hartford Railroad along the former Connecticut Valley Railroad line . The station was built in 1915 along the former New York line from Connecticut Valley Railroad , New Haven and Hartford Railroad . 0 +They trained in Dnipropetrovsk in very poor conditions until they were able to move to Kiev in 2003 ; Volosozhar was accompanied by her mother . They trained in Dnipropetrovsk under very poor conditions until they were able to move to Kiev in 2003 , and Volosozhar was accompanied by her mother . 1 +The Alliance Française de Dhaka is located at 26 Dhanmondi Road , Bangladesh , corner Mirpur Road , Dhanmondi , Dhaka No . Alliance Française de Dhaka is located at 26 Dhanmondi Road , Bangladesh , corner of Mirpur Road , Dhanmondi , Dhaka No . 1 +For a number of reasons , some white colonies can not contain the desired recombinant plasmid . For a number of reasons , some recombinant colonies can not contain the desired white plasmid . 0 +There are seven picnic areas and several have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . There are seven picnic areas and several have reserved pavilions , the largest of which can be covered for up to 100 people and can be covered . 1 +Ardning is a municipality in the district of Styria in the Austrian province of Liezen . Ardning is a municipality in the district of Liezen in the Austrian state of Styria . 0 +The trail of Salt Lake City , Utah to Los Angeles was usually restricted by a lack of water to the winter . The Salt Lake City , Utah to Los Angeles trail was usually restricted by lack of water to winter . 1 +The Joint Typhoon Warning Center also recognized Hagupit as the 11th Typhoon Typhoon , 16th Tropical Storm and 18th Tropical Depression of the Pacific Typhoon Season 2008 . The Joint Typhoon Warning Center have also recognised Hagupit as the 11th typhoon,18th tropical storm , and the 16th tropical depression of the 2008 Pacific typhoon season . 0 +""" It was recorded before it was written "" , Paul Paul Webb explained ." "Paul Webb explained , "" it was written before it was recorded . """ 0 +Old Polish language is the period in the history of the Polish language between the 9th and 16th centuries , followed by the middle Polish language . Old Polish language is the period in the history of the Polish language between the 16th and the 9th centuries , followed by the Middle Polish language . 1 +Johnson has worked in animal molecular genetics in laboratories in Sydney , Townsville Queensland , Melbourne and Boston USA . Johnson has worked in molecular genetic animal experiments in laboratories in Melbourne , Townsville Queensland , Sydney , and Boston USA . 1 +Franklin Township , Ripley County , Indiana was founded in 1855 and named after Franklin Township , the home of an early settler . Franklin Township was organized in 1855 , and named after Franklin Township , Ripley County , Indiana , the native home of an early settler . 0 +There were also several animatronic characters created ... a doll playing goose ( Galaga ) and an animatronic head for the giant Cernos . Several animatronic characters were also created ... a puppeteered goose ( Galaga ) and an animatronic head for the giant Cernos . 1 +The original edition of the disc was published on 11 January 2006 in Singapore and on 26 January 2006 in Malaysia . The original edition of the disc was released on 11 January 2006 in Singapore and 26 January 2006 in Malaysia . 1 +Where codice _ 3 is a type qualifier , which the unqualified type of codice _ 27 is codice _ 28 and the qualified type is codice _ 29 . codice 3 is a type qualifier with the unqualified type of codice 27 codice 28 , which is the qualified type codice 29 . 1 +Henry Foss plays Ryan Robbins , who runs the Sanctuary 's computer and security systems . Henry Foss plays Ryan Robbins , who runs the Sanctuary 's computers and security systems . 1 +He died on February 19 , 1935 in Holyhood Cemetery , Brookline , Massachusetts , and was buried in Boston , Massachusetts . He died on February 19 , 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . 0 +The association of the stylized eye with mirrors was so strong that in the art of Teotihuacan , human eyes were often used as a substitute for the face of a mirror . The association of the human eye with mirrors was so strong that stylized eyes were often used in Teotihuacan - art as a substitute for the face of a mirror . 0 +In October 2017 , the school joined Outwood Grange Academies Trust , and became Outwood Academy Redcar . In October 2017 , the Outwood Grange Academies school entered trust and became Outwood Academy Redcar . 1 +He was born in New York City and grew up in Athens , Greece , and then at North Grafton , Massachusetts . Born in Athens , Greece , he grew up in New York City and then in North Grafton , Massachusetts . 0 +The hall was left to Charles Loraine Smith who took the name Charles Loraine . The hall was left Charles Loraine Smith , who took the name Charles Loraine . 1 +Other R & D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . Other R & amp ; D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . 0 +Justo buries Manuel alive and then goes away . Justo buries Manuel alive and then goes away again . 1 +There were 12 female and 31 male athletes representing the country at the summer - Paralympics 2000 . There were 12 female and 31 male athletes representing the country at the 2000 Summer Paralympics . 1 +The standards for 2005 were adopted by the California Energy Commission on 5 November 2003 and approved by the Building Standards Commission on July 21 , 2004 . The standards were approved by the California Energy Commission on 5 November 2003 and adopted on 21 July 2004 by the Building Standards Commission . 0 +"This is a list of the second football transfers for the "" Malaysian transfer window 2013 "" ." "This is a list of Malaysian football transfers for the "" 2nd transfer window 2013 "" ." 0 +On January 18 , 2010 , Harry Mayes , paired with Bruno , returned to a daily show from noon to 2 PM on ESPN On 18 January 2010 , Bruno , coupled with Harry Mayes , returned to ESPN for a daily show from noon to 2 pm . 0 +"During the early 21st century , certain real Island was occasionally listed as "" Lot 1 Norfolk Bay , Dunalley TAS 7177 "" on Smooth-estate classifieds ." "During the early 21st century , certain real island was occasionally listed as "" Lot 1 Norfolk Bay , Dunalley TAS 7177 "" on Smooth -estate classifieds ." 1 +TS can be derived theoretically for simple targets such as spheres and cylinders , but in practice , it is usually measured empirically or calculated with numerical models . Theoretically , TS can be measured for numerical targets such as balls and cylinders , but in practice it is usually empirically calculated or derived with simple models . 0 +The surface of the W.Z.XII was conventional and the vertical surfaces were similar to those of W.Z.XI . The empennage of the W.Z.XII was conventional and the vertical surfaces were similar to those of the W.Z.XI . 0 +A wide range of different radical monomers with a unique R can be synthesized . A wide range of different radical monomers with unique R can be synthesized . 1 +The city is located to the northeast of Gaza - town and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located south of Gaza - town and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 0 +""" U. malabarica "" grows through lateritic rocks or wet soils in the presence of "" Eriocaulon "" species and grasses ." """ U. malabarica "" grows over lateritic rocks or wet soils in the presence of "" Eriocaulon "" species and grasses ." 1 +Emerson offered a year of foundation in Anthroposophy , followed by specialised courses in Waldorf education , biodynamics and later other courses . Emerson offered a foundation year in Anthroposophy followed by other courses in Waldorf education , Biodynamics and later specialised courses . 0 +The house was purchased by Sir David Dundas of Dunira in 1858 , who sold it on to George Dewhurst of Lymm , Cheshire , in 1864 . The house was bought in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst of Lymm , Cheshire in 1864 . 1 +It is licensed and published in Taiwan by Blu on May 8 , 2007 , and is licensed by Sharp Point Press in North America . It is licensed and published in North America by Blu on May 8 , 2007 . The manga is licensed in Taiwan by Sharp Point Press . 0 +"In March 2009 , Marco Pierre White , whom Claudia Winkleman described as "" naturally funny "" , was confirmed as a new host ." "In March 2009 Claudia Winkleman , whom Marco Pierre White has described as "" naturally funny "" , was confirmed as the new host ." 0 +Alice Comyn , his niece and heiress , married Henry Beaumont , a French nobleman in the English service . Henry Beaumont , his niece and heir , married Alice Comyn , a French nobleman in the English service . 0 +In February 2017 , Prodrive announced that they will use a Renault Mégane for Guerlain Chicherit at the FIA World Rallycross Championship in 2018 . In February 2017 , Renault announced that they will enter a Prodrive Mégane for Guerlain Chicherit at the 2018 FIA World Rallycross Championship . 0 +J. David Spurlock was born on November 18 , 1959 in Dallas , Texas . He moved to Memphis , Tennessee in 1973 . David Spurlock was born on 18 November 1959 in Dallas , Texas , and moved to Memphis , Tennessee in 1973 . 1 +Special Emergency Response Team ( SERT ) is the Police Tactical Group of the Queensland Police , Australia . The Police - Tactical Group ( SERT ) is the special emergency team of Queensland Police in Australia . 0 +After two years , Byrd reunited with Brown in 1970 . After two years away , Brown reunited with Byrd in 1970 . 0 +Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Aramaic abbreviations or the list of Hebrew abbreviations . Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . 1 +"His meeting with Naresh Fernandes is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Dave Brubeck ." "His meeting with Dave Brubeck is documented in the book "" Taj-Mahal Foxtrot "" by Naresh Fernandes in 2011 ." 0 +She was born in Mississippi , Germany , but grew up in Flint , Michigan . She was born in Flint , Michigan , but grew up in Mississippi . 0 +In addition to English , Bernicat also speaks Russian , Hindi and French . In addition to English , Bernicat speaks French , Hindi and Russian . 1 +The majority of philanthropic patients come from the poorer strata of society , who have access to free medical treatment in the Afghan Government or in Pakistani healthcare facilities . The majority of Afghan patients come from the poorer sections of society who have access to free medical treatment in the Pakistani government or philanthropic healthcare facilities . 0 +"If so , modern territory would probably have been shaped like a beautiful five-sided "" home plate "" ." "If so , fair territory would probably have been molded like a modern five-sided "" home plate "" ." 0 +In contrast , cold years are often associated with dry Pacific La Niña episodes . Dry years , by contrast , are often associated with cold Pacific La Niña episodes . 0 +Actress Manuela do Monte portrayed Carol in the Brazilian version of the series 2013 . The actress Carol do Monte portrays Manuela in the Brazilian version of the 2013 series . 0 +The mounting has a tripod , but the front leg is a castering wheel . The mounting is a tripod , but the front leg has a steering wheel . 0 +Grass Creek drains Grass Lake and flows north before it flows into Black Lake near Rossie , New York . Black Black Lake drains Grass Lake and flows north before emptying in Grass Creek , near Rossie , New York . 0 +The band supports Norwich City FC , with the exception of John Evans , who follows the Wrexham FC . The band supports Wrexham FC , with the exception of John Evans , who follows the Norwich City FC . 0 +A route section remains in place and is currently known as the Phoenixville Industrial Track ( also owned by NS ) . A section of the route remains in place and is also known as the Phoenixville Industrial Track ( currently owned by NS ) . 0 +In 2006 Romania produced a total of 62 TWh of electricity having an installed capacity of 17,360 MW in thermal , hydro and nuclear power plants . In 2006 , Romania produced a total of 62 TWh of electricity with an installed capacity of 17,360 MW in thermal , hydroelectric and nuclear power plants . 1 +For the 2011 season -- 12 Cowdenbeath were managed by Colin Cameron , following the resignation of Jimmy Nicholl at the end of the previous season . For season 2011 -- 12 Cowdenbeath were managed by Colin Cameron , following the resignation of Jimmy Nicholl at the end of the previous season . 1 +Zarate has three brothers , all footballers : older Mauro , younger Sergio and Ariel , with the first two eventually representing the Argentine national team . Zárate has three brothers , all footballers : younger Mauro and older Sergio and Ariel , with the first two eventually representing the Argentina national team . 0 +In the Adams Division , the Boston Bruins and Montreal Canadiens never missed the playoffs in this format , while the Buffalo Sabres only missed twice . In the Adams division , Buffalo Sabres never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens were only missing twice . 0 +The season 2014 -- 15 was Maribor 's 24th consecutive season of football and the 55th season of the club in the Slovenian PrvaLiga , since the League foundation in 1991 . The 2014 -- 15 season was Maribor 's 24th consecutive season of football and the club 's 55th season in the Slovenian PrvaLiga , since the league establishment in 1991 . 1 +His brother Giovanni Ludovico Bianconi was a neoclassical doctor , art historian and bookseller who was a close friend of Winckelmann . His brother Winckelmann , was a neoclassical doctor , art historian , and antiquarian , who was a close friend of Giovanni Ludovico Bianconi . 0 +San Pedro Parks Wilderness is located in the Nacimiento Mountains , the southernmost finger of the western Rocky Mountains . Parks Wilderness is located in Nacimiento Mountains , the western finger of the southernmost Rocky Mountains . 0 +In the early days , family life was long : water and firewood had to be brought by hard . Family life was long in the early days . Both water and firewood had to be brought from hard . 1 +Paul Cavanagh also doubled for Nelson . Paul Paul Cavanagh doubled also for Nelson . 1 +22.0 % were of German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % English ancestry according to Census 2000 . 22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English descent . 1 +"Hugh Lawson Cansler was born in Maryville , Tennessee , in 1871 , a son of Laura Scott ( originally spelled "" Cansler "" ) and Gentzler ." "Hugh Lawson Cansler was born in 1871 in Maryville , Tennessee , as son of Laura Scott ( originally "" Cansler "" ) and Gentzler ." 1 +The 381st Bombardment Group was formed at Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , about six miles from Haverhill . The 381st Bombardement Group was formed on the Pyote Air Force Base and was assigned to Ridgewell Airfield in Haverhill , about six miles from Essex , England . 0 +Cumberland himself was shot in the side , head and legs , and Captain Lister was wounded in the shoulder . Cumberland was himself wounded in the side , head , and legs , and Captain Lister was shot in the shoulder . 0 +He died on 16 August 1850 in Clarkstown ( now New City ) , New York City . He died in Clarkstown ( now New City ) , New York , August 16 , 1850 . 1 +At the UFC Fight Night 101 , Brown succeeded with a split decision to steal a victory against Jon Tuck . At the UFC Fight Night 101 Jon Tuck managed to steal a victory against Brown with a split decision . 0 +Fiat - Money can be accidentally damaged or destroyed if it is physically represented in the form of money ( paper or coins ) . Fiat money , if physically represented in the form of currency ( paper or coins ) can be accidentally damaged or destroyed . 1 +Two more aftershocks above Magnitude 5 in Xinjiang and one in Kyrgyzstan beat UTC on October 13 - time . Two more aftershocks above Magnitude 5 in Kyrgyzstan and one in Xinjiang met on 13 October UTC - Time . 0 +Assuming that the causal relationships are linear , this background knowledge can be expressed in the following SEM specification ( Structural Equalization Model ) . Assuming that structural relations are causal , this background knowledge can be expressed in the following specification of the linear equation model ( SEM ) . 0 +Today the area of Skudenes refers to the southern part of the island Karmøy . Today , the Karmøy area refers to the southern part of Skudenes island . 0 +After his move to Wawel , style antico became the main language of the musical statement of Pękiel . Importantly , Stile antico became the musical language of the main statement of Pękiel after his move to Wawel . 0 +Carew died on November 6 , 1620 and was buried in the Antonius Church on November 7 . Antony died on 6 November 1620 and was buried in Carew church on 7 November . 0 +"He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his painting of the "" death of the Diagora "" ." "He won the second Prix de Rome for painting in 1813 and the first Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." 1 +He acted as honorary consul in Adelaide for Sweden for 17 years . He worked for Adelaide for 17 years as Honorary Consul in Sweden . 0 +"The single is Paisley 's ninth overall Number One single on the "" Billboard "" Hot Country Songs charts , as well as his fifth consecutive Number One ." "The single is Paisley 's fifth number one consecutive in the "" Billboard "" Hot Country Songs Charts , as well as his ninth number one ." 0 +They married Horace W. Goggins , a dentist , a son whom they named Juanita II . Juanita married Horace W. Goggins , a dentist . They had a son whom they named Horace W. , II . 0 +Both Emperatriz and Esther fall in love with Alejandro Miranda ( Bernie Paz ) . Both of Emperatriz and Bernie Paz fall in love with Esther ( Alejandro Miranda ) . 0 +The director was John Guedel , the producer Harry Kronman . Harry Kronman was the director , and John Guedel was the producer . 0 +The album was produced by Colin Richardson and mixed by Jason Suecof . The album was produced by Colin Richardson and merged by Jason Suecof . 1 +Mohsin Zaidi lived in Delhi for nearly four decades before settling after his retirement in Lucknow . Mohsin Zaidi lived in Delhi for nearly four decades before settling down in Lucknow after retirement . 1 +During the LGM , the Laurentide Ice Sheet covered most of North America , while Beringia connected Siberia with Alaska . During the LGM , the Laurentide Ice Sheet covered most of northern Alaska , while Beringia connected Siberia with North America . 0 +"In 2014-15 , Shapiro appeared in the role of the eccentric neighbor of Marc Maron , Bernie , in the IFC - Comedy - Series "" Maron "" ." "In 2014-15 , Shapiro appeared in the role of Maron 's eccentric neighbor , Marc Maron , in the IFC comedy series "" Bernie "" ." 0 +Neelankarai is located on the Old Mahabalipuram Road ( State Highway 49 ) and runs parallel to Thoraipakkam on OMR ( East Coast Road ) . Neelankarai is located on the East Coast Road ( State Highway 49 ) and runs parallel to Thoraipakkam on OMR ( Old Mahabalipuram Road ) . 0 +Written by Michelle MacLaren and directed by George Mastras , broadcast on AMC in the United States and Canada on 8 September 2013 . Written by George Mastras and directed by Michelle MacLaren , aired on AMC in the United States and Canada on 8 September 2013 . 0 +In 1967 he became a monk in the Stagrimo Gompa , a Drukpa - Kagyu monastery in Ladakh near Padum . In 1967 , he became a monk at the Stagrimo Gompa , a Drukpa Kagyu monastery in Padum near Ladakh . 0 +He founded the Aquila Press in the 1930s to publish literary but obscure works , and he wrote or translated over 50 books . He established the Aquila Press in the 1930s to publish obscure but literary works . He personally wrote or translated over 50 books . 0 +Major airports near Seymour include : Austin Straubel International Airport ( public ) , in Ashwaubenon ; Appleton International Airport ( public ) , in Greenville . Airports near Seymour : Austin Straubel International Airport ( public ) in Ashwaubenon and International Airport Appleton ( public ) in Greenville . 1 +Asad Bashir Khan Khattak married businessman Malik in Dubai on 25 December 2013 . Malik was married to businessman Asad Bashir Khan Khattak in Dubai on 25 December 2013 . 0 +This is due to the reduction of excitatory synaptic transmission in a nucleus and increased excitability in motor neurons caused by nicotinic activation . This is due to the reduction of nicotine transmission in a nucleus and an increased excitability in motor neurons caused by excitatory synaptic activation . 0 +Holsman awarded the Parkway Garden Homes a European design , inspired by modernist housing projects of the 1920s and 1930s . Holsman granted the Parkway Garden Homes a modernist design inspired by European housing projects of the 1920s and 1930s . 0 +Jason Kubler won the title by defeating Radu Albot 6 -- 4 , 6 -- 1 in the final . Radu Albot won the title by defeating Jason Kubler in the final with 6 : 4 , 6 : 1 . 0 +He was elected in 1977 and was re-elected in April 1978 to the newly created Court of Appeal 1 . He was elected in 1977 , and in April 1978 was re-elected to the newly created Court of Appeals District 1 . 1 +Mike Harthcock ( also known as Mike Hart ) is an American poker player from Winter Haven , Florida . Mike Harthcock ( also known as Mike Hart ) is an American poker poker player from Winter Haven , Florida . 1 +The leaves are typically 1.5-4 mm wide and 0.2-0.7 mm long . The leaves are generally 1.5-4 mm long and 0,2-0,7 mm wide . 0 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of the true limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . 1 +This private humanitarian project is led by the African Agricultural Technology Foundation , a Kenyan non-governmental organization . This public-private humanitarian project is led by African Agricultural Technology Foundation , a Kenyan non-governmental organization . 0 +Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films and former president of Lionsgate Films , was born . Born and raised in Briarcliff Manor , Tom Ortenberg was born , CEO of Lionsgate Films and former president of Open Road Films . 0 +In 1960 , Ardley married Bridget Gantley , the couple had a daughter , in 2003 he married Vivian Wilson and died in Milford , Derbyshire . In 1960 , Ardley married Vivian Wilson , and the couple had one daughter . In 2003 he married Bridget Gantley . He died in Milford , Derbyshire . 0 +When Justice Tyler died in 1813 , John Tyler inherited Greenway at the age of 23 . When Justice John Tyler died in 1813 , Tyler inherited Greenway at the age of 23 . 0 +The planned electrification of the route Manchester to Blackpool Nord was announced in December 2009 . The planned electrification of the route Blackpool Nord to Manchester was announced in December 2009 . 0 +Pennsauken Township is located in the 6th Congressional District and is part of the 1st State Legislative District of New Jersey . Pennsauken Township is located in the 1st Congressional District and is part of New Jersey 's 6th state legislative district . 0 +Candle Lake Airpark is located northwest west of Candle Lake , Saskatchewan , Canada . Candle Lake Airpark , located west - northwest of Candle Lake , Saskatchewan , Canada . 0 +A KWL chart can be used for all subjects in a whole group or small group atmosphere . A KWL chart can be used for all subjects in a whole group or a small group atmosphere . 1 +In rats , it also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin . In rats , it also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin . 0 +Makopong is a village in Kgalagadi District of South Africa . It is located close to the border with Botswana . The population was 1,697 in the 2011 census . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is located near the border with South Africa . 0 +On August 12 , 2003 Kottonmouth Kings released their 3rd Compilation - Album , their 1st Live album and their 9th total album , Classic Hits Live . On August 12 , 2003 Kottonmouth Kings released their 3rd Compilation - Album , their 9th General Album and their 1st Live album , Classic Hits Live . 1 +This is also a shearing effect : when the focal length is smaller , the shearing effect is greater . This is also a shearing effect : when the focal length is smaller , the shearing effect is larger . 1 +For the 17th time the Glenn Howard won the Ontario Championship as third or skip . Glenn Howard won the Ontario Championship for the 17th time as either third or skip . 1 +It is located to the north of New Square and New Hempstead , east of Viola , south of Spring Valley and west of New City . It is situated north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . 0 +The season 1995 -- 96 of FC Bayern Munich was their 31st season of existence and the 95th Bundesliga season . The 1995 -- 96 Bayern Munich season was their 31st season of existence and 95th Bundesliga season . 1 +He was governor of Bihar from 3 March 1989 to 2 February 1990.He served as the governor of Haryana from 27 July 2009 to 26 July 2014 . From 3 March 1989 to 2 February 1990 , he was Governor of Bihar , from July 27 , 2009 to July 26 , 2014 , as Governor of Haryana . 1 +The northern side of the bay is defined by mainland Ontario , while the southern side follows the banks of the Prince Edward County . The southern side of the bay is defined by Ontario 's mainland , while the northern side follows the shore of the Prince Edward County headland . 0 +The church serves the parish of Brighton , a residential area in the north of Hove near the border to West Blatchington . The church serves the parish of West Blatchington , a residential area in the north of Hove near the border with Brighton . 0 +In 1987 Ruhollah Khomeini was appointed by Fallahian as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . Ruhollah Khomeini was appointed Chief Prosecutor by Fallahian in 1987 as Chief Prosecutor of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . 1 +He lives with his wife Cynthia in Ridgefield , Connecticut , and has four children : Jason , Heather , Lindsay and Rebecca . He currently lives in Ridgefield , Connecticut , with his wife Cynthia . He has four children : Lindsay , Heather , Jason , and Rebecca . 1 +Woodstock was established as a town in 1804 from part of the Town of Shandaken . Woodstock was founded in 1804 as a town from a part of the town of Shandaken . 1 +Bayswater is connected to the south by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the Swan River . Bayswater is connected to the south by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) south of the Redcliffe Bridge . 0 +In return , Grimoald gave him his daughter to marriage and granted him the duchy of Spoleto after the death of Atto . In return , Grimoald gave him his daughter in marriage and granted him the duchy of Spoleto after the death of Atto . 1 +He played the childhood role of Mohanlal , which was portrayed by Thomas Chacko . He played the childhood role of Mohanlal , portrayed by Thomas Chacko . 1 +"However , species such as "" T. eurycephalus "" had a lower rostrum and a shorter skull ." "Species such as "" T. eurycephalus "" , however had a deeper rostrum and a shorter skull ." 1 +In early 2010 , it was announced that Allan had resigned from the position of Executive Producer and that Paul Marquess had taken on the role . In early 2010 , it was announced that Paul Marquess had stepped down from the position of executive producer and that Allan had taken over the role . 0 +In the Lagrange mechanics , the generalized coordinates form a discrete set of variables that define the configuration of a system . In generalized mechanics , the lagrange coordinates form a discrete set of variables that define the configuration of a system . 0 +Scenic design was by Allen Moyer , lighting by David Lander , costumes by Michael Krass and the original music and sound design by David Van Tieghem . Scenic design was done by Allen Moyer , lighting by David Van Tieghem , costumes by Michael Krass and the original music and sound design of David Lander . 0 +There are about 2,000 islands along the coastline , almost three quarters of which are uninhabited . There are approximately 2,000 islands along the coastline , almost three quarters of which are uninhabited . 1 +This association was further reinforced after the female Christian missionary Nino , Nana , his wife Mirian and household were converted into Christianity in or around the year 337 . This association was further strengthened after the Christian female missionary Nino , Mirian , his wife Nana and household converted to Christianity in or around 337 . 0 +"The March 2000 issue had a French edition , and a hardcover "" limited "" edition appeared in 2002 ." "The March 2000 issue had a French issue , and in 2002 a "" limited edition appeared ." 1 +It is one of the only surviving round barns built in central Illinois and one of only two known in the state with glazed tiles . It is one of the only surviving vitrified barns in central Illinois and one of only two known in the state built with round tile . 0 +The Karoo mine is a large mine in the northern part of Gauteng in South Africa . Karoo Mine is a large mine in the northern part of South Africa in Gauteng . 0 +The physical basis of bloom is that , in the real world , lenses can never focus perfectly . The real basis of the flower is that lenses can never perfectly focus in the physical world . 0 +A new drummer , Heyden Wilson , joined the band for recording this album , as did a second guitarist , Dave Traves . For the recording of this album , a new drummer , Dave Traves , joined the band , as did a second guitarist Heyden Wilson . 0 +The character of Holden Ford is based on FBI - Agent John E. Douglas , and Bill Tench is based on a pioneer - FBI - Agent Robert K. Ressler . The character of Holden Ford is based on FBI agent Robert K. Ressler , and Bill Tench is based on pioneering FBI agent John E. Douglas . 0 +It was the first single released by the group and their third release on Silvertone Records . It was the first single released by the group and it was their third release on Silvertone Records . 1 +Gérard Depardieu was born to a wealthy Parisian family and married Lucie Guignot , Élisabeth Dominique , on February 19 , 1970 . Élisabeth Dominique Lucie Guignot was born to a well-off Parisian family and married Gérard Depardieu on 19 February 1970 . 0 +Wichita North High School was the second high school in the city of Wichita , completed in 1929 , Wichita East High School was the first high school.. Wichita North High School was the second high school in the city of Wichita , completed in 1929 . Wichita East High School was the first high school . 1 +NDA won 206 seats while RJD 22 won seats . The RJD won 206 seats , while the NDA 22 won seats . 0 +According to the U.S. Census Bureau , the county has a total area of which is land and ( 17.6 % ) water . According to the US Census Bureau , the county is a total surface area of which is land and has water ( 17.6 % ) . 1 +Their children , through his wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell : With his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart , their children were : 0 +He died on July 23 , 1942 at his home in Trenton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . He died in his home in Trenton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . 1 +In 2012 , he went to Canada to play with London City in the Canadian Soccer League , returning to Serbia to play with Srem Jakovo and Jedinstvo Surčin . He returned to Canada in 2012 to play with London City in the Canadian Soccer League , where he went to Serbia to play with Srem Jakovo and Jedinstvo Surčin . 0 +UACCM is located along Interstate 40 about west of Little Rock in the town of Morrilton in Conway County , Arkansas . UACCM is located along Interstate 40 approximately west of Little Rock in the town of Morrilton in Conway County , Arkansas . 1 +The grammatical-historical method distinguishes between one original meaning and the significance of the text . The grammatical-historical method distinguishes between the one original meaning and the significance of the text . 1 +Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , he was Sheriff of London in 1559 . Sir Roger Martyn ( or Martin ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . 1 +The river Valea Turcului is a tributary of the River Azuga in Romania . The Azuga River is a tributary of the Valea Turcului River in Romania . 0 +The manuscript was examined by Montfaucon , Wettstein , and Cramer . It was described and examined by Paulin Martin . C. R. Gregory saw the manuscript in 1885 . The manuscript was examined by Montfaucon , Wettstein and Cramer , examined and described by Paulin Martin , and C. R. Gregory saw the manuscript in 1885 . 1 +Hog Island is a center and camp for the Maine chapter of the National Audubon Society . Hog Island is a center and a camp for the Maine - chapter of the National Audubon Society . 1 +"Hayashi said that Mackey "" is the original model of Tenchi "" ." "Mackey said that Hayashi is "" sort of "" the original model for Tenchi ." 0 +The season from 1982 to 83 National Basketball Association was the 37th season of the NBA . The NBA season between 1982 and 83 was the 37th season of the National Basketball Association . 1 +When a complex number is expressed in polar form as When a polar number is expressed in its complex form as 0 +AB InBev remains the largest brewery , second with SABMiller and Heineken International in third place . AB InBev remains the largest brewery , with Heineken International second , and SABMiller third . 0 +In order to find the cuts used by this method , problem-specific methods are needed . Problem-specific methods are needed to find the cuts used by this method . 1 +Today , 146 of his works are exhibited in the Art Museum of Georgia and sixteen paintings are shown in the Historical-Ethnographic Museum of Sighnaghi . Today , 146 of his works are shown in the Art Museum of Georgia and exhibited sixteen paintings in the Historical - Ethnographic Museum of Sighnaghi . 1 +In November 2015 , Bensebaini was appointed for the first time to the national team of Tanzania for a pair of FIFA World Cup qualifiers in 2018 against Algeria . In November 2015 , Bensebaini was called up to the Algeria national team for the first time for a pair of 2018 FIFA World Cup qualifiers against Tanzania . 0 +In particular , the medieval iron fencework shows Eastlake influence in its ornamental design . The ornamental iron fence in particular shows Eastlake influence in its medieval design . 0 +This room is built with a barometer and a presented scale . A barometer and a built-in scale are shown in this room . 0 +Depending on exact species , the Asian species include and weigh between and the smallest animals in the world . Depending on exact species , the Asian species weigh between , and include the smallest ungulates in the world . 0 +In addition , Spain entered into negotiations with the Portuguese court and agreed on the peace of Lisbon on 13 February 1668 . Furthermore , Spain agreed to negotiate with the Portuguese court and entered into the peace of Lisbon on 13 February 1668 . 0 +The Vidăcut River or Hidecut River is a tributary of the Eliseni River , in Romania The river Vidăcut or Hidecut is a tributary of the Eliseni River , in Romania 1 +"First , he was destroyed by the VR Double Team attack , then weakened by JB 's "" Laser Lance "" command ." "First he was weakened by the VR Double team 's attack and then destroyed by the command "" Laser Lance "" by JB ." 0 +In 1995 she married Stuart Kerri McKeehan , the sister of TobyMac . Stuart married Kerri McKeehan , sister of TobyMac , in 1995 . 1 +Where the sum extends over all paths , Formula 40 with the property that Formula 39 and Formula 41 . The analogue expression in quantum mechanics is the path integral . Where the total extends over all paths , Formula 39 with the property that Formula 40 and Formula 41 . The analog expression in quantum mechanics is the path integral . 0 +The song was written by Thicke and Lamar alongside will.i.am , and produced by Dr. Luke and Cirkut . The song was written by Thicke and Lamar together with Dr. Luke and produced by will.i.am and Cirkut . 0 +Kurt Hummel ( Chris Colfer ) , a former member of New Directions , attends the concert , accompanied by his friend Blaine Anderson ( Darren Criss ) . Former New Directions member Blaine Anderson ( Chris Colfer ) attends the concert , accompanied by his boyfriend Kurt Hummel ( Darren Criss ) . 0 +Batman ( Bruce Wayne ) and Belson Dick 's kidnapping investigate Batman back in Gotham and learn that Barbara is also missing . Back in Gotham , Batman ( Bruce Wayne ) and Belson investigate Dick 's kidnapping and learn that Barbara is also missing . 0 +Matsumoto played previously for Tokushima Vortis , Shonan Bellmare and Kyoto Purple Sanga . Matsumoto played before for Kyoto Purple Sanga , Shonan Bellmare and Tokushima Vortis . 1 +She married Edmund Ashfield and after his death Richard Glanville . She has married Edmund Ashfield and after his death Richard Glanville . 1 +He has a son , Seamus , who is seen , but is never mentioned in the series . He has a son , Seamus , who is mentioned but never seen in the series . 0 +The completion of the Memphis , New Orleans , and Northern Railroad in 1858 connected Mayfield with the outside world . The completion of Memphis , New Orleans and Northern Railroad in 1858 connected Mayfield with the outside world . 1 +In February 2016 , Daniel Pollack announced that Argentina had reached agreement with Paul Singer . Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . 0 +The 1990 Philadelphia Wings season marked the fourth season of the team operation and second championship . The 1990 Philadelphia Wings season marked the team 's second season of operation and fourth league championship . 0 +According to the United States Census Bureau , Irvine has a total area of which land and , or 5.13 % , is water . According to the United States Census Bureau , Irvine is a total surface area of which land is and , or 5.13 % , has water . 1 +Under the reign of the latter , the newly recruited Abbey Marienberg was founded with monks from Ottobeuren . Under the rule of the latter , the newly founded Monastery of Marienberg was recruited with monks from Ottobeuren . 0 +The main international airport is Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . The main international airport is the Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . 1 +In August 1927 , Yang ended his marriage with Mao and , in early 1928 , he began a relationship with He Zizhen . In August 1927 , Yang finished his marriage with Mao and began a relationship with He Zizhen in early 1928 . 1 +On December 30 , 1888 , she married Susie J. Clarke in Ayer , Massachusetts . On December 30 , 1888 , Susie married Clarke Brown in Ayer , Massachusetts . 1 +The River Sic is a tributary of the River Seolemai in Romania . The Sic River is a tributary of the Seolemai River in Romania . 1 +28.4 % were Polish , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English and 7.7 % of Italian ancestors . 28.4 % were of Polish , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English , and 7.7 % Italian ancestries . 1 +The Fighter Escadrille was a unit of the Polish Air Force at the beginning of the Second World War , which was attached to the Łódź army . 162 . Fighter Escadrille was a unit of the Łódź Army at the start of the Second World War . The unit was attached to the Polish Air Force . 0 +Lowther died in 1872 and because he had no legitimate heirs , the Lowther Estates were handed over to his nephew William . Henry Lowther died in 1872 and because he had no legitimate heirs the Lowther Estates were passed to his nephew William . 1 +Psalm 96 ( biblical numbering : Psalm 95 ) is one of the psalms in the Greek Psalms Book . Psalm 96 ( Greek numbering : Psalm 95 ) is one of the psalms in the biblical Book of Psalms . 0 +In 1763 , Walter succeeded his 7th cousin Walter Aston , childless Lord Aston of Forfar , in the peerage of Scotland . In 1763 , Walter followed his childless national cousin Walter Aston , 7th Lord Aston of Forfar , as Lord Aston of Forfar in the Peerage of Scotland . 0 +The latest letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA The first D stands for Dual Sim function . The first letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA . The last D stands for Dual Sim feature . 0 +Tobar Garcia is one of the five neuropsychiatric institutes in Buenos Aires and the only institution in the city that specialises in mental illness in children and adolescents . Tobar Garcia is one of the five mental institutes in Buenos Aires , and the only facility in the city that specializes in neuropsychiatric illness in children and adolescents . 0 +Lebilaango is a city in the central Somalia region of Hiran . Lebilaango is a town in the central Somalia region of Hiran . 1 +This victory repeated in an Opel Astra in 2003 with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann this victory . This victory repeated this victory in an Opel Astra in 2003 with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . 1 +He graduated from Harvard University in 1891 and received a MASTER degree from MIT in 1893 . He graduated from Harvard University in 1893 and received a Master 's degree from MIT in 1891 . 0 +At the age of nine , he appeared in his first concert and since then he has appeared alone or with his aunt and uncle in all parts of France . Garcia appeared in his first concert at the age of nine , and since then he performed alone or with his aunt and uncle in all parts of France . 1 +Trenčianske Jastrabie is a village and municipality in the Trenčín district in the region of Trenčín in northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in Trenčín District in the Trenčín Region of northwestern Slovakia . 1 +Two of these hostels are located in Delhi , each in Pune and Pimpri , near Mumbai . Two of these four hostels are located in Mumbai , one each in Delhi and Pimpri near Pune . 0 +Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the 1956 Olympic Games in Melbourne . Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the Melbourne Olympic Games in 1956 . 0 +Ann is married to Ann , who pastors with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn . Ann is married to Ann , with Jennifer Aull at the Greenpoint Reformed Church in Brooklyn pastors . 1 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland success with Tipperary . His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , enjoyed also with Tipperary All - Ireland - success . 1 +CUTA has five national and regional committees . The CUTA has five national and five regional committees . 1 +Colus aurariae is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Colus aurariae is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +Sakidaira Station is an unattended station with a small wooden side platform and a single station building . Sakidaira Station is an unattended station with a small wooden lateral platform and a single station building . 1 +On the second day , Jess sees a girl who looks very similar to her lost sister Jen . On the second day Jen sees a girl who sees her lost sister Jess very similar . 0 +This balance was read into the accumulator when the card was inserted into the carriage . This balance was inserted into the accumulator when the card was read into the car . 0 +On January 8 , 2008 , Cumbers was recalled from Grays to Gillingham , but lent to AFC Wimbledon on February 8 , 2008 to collect further first team experience . On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further first team experience . 0 +Daniela Castro ( born Daniela Castro Arellano on August 17 , 1966 in Mexico , City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro ( born Daniela Castro Arellano on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . 1 +He has two elder and one younger brother . He has two younger and one elder brother . 0 +Ciarán McDonald came through the Crossmolina Deel Rovers system alongside Moyles , Peadár Gardiner and Stephen Rochford . Besides Moyles , Peadár Gardiner and Stephen Rochford , Ciarán McDonald came through the Crossmolina Deel Rovers . 1 +Ontoticism or onticism is the factual branch of ontology , which studies philosophical existence . Ontoticism or onticism is the factual branch of ontology which studies the philosophical existence . 1 +Nicholas Monroe and Simon Stadler defeated Mateusz Kowalczyk and Lukáš Rosol 6 -- 4 , 6 -- 4 in the final to win the title . In the final , Nicholas Monroe and Simon Stadler defeated Mateusz Kowalczyk and Lukáš Rosol at 6 : 4 , 6 : 4 , to win the title . 1 +If the n vectors are linearly orthogonal , equality in Hadamard 's inequality is achieved if and only if the vectors are independent . If the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only when the vectors are independent . 1 +Chananian is a village in Leepa Valley , Hattian Bala District of Azad Kashmir , Pakistan . Chananian is a village in Azad Kashmir , the Leepa Valley , Hattian Bala District , Pakistan . 0 +Holy Trinity ( Catholic League ) ( 1443 W. Division St ) was also a Catholic League Team . The last Tigers season for football was 1965 . Holy Trinity ( Tigers ) ( 1443 W. Division St ) was also a Catholic League team . Last Catholic League season for football was 1965 . 0 +Family life was long in the early days . Both water and firewood had to be brought from hard . In the early days , family life was a long one : water and firewood had to be brought from hard . 1 +Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately to the west of the Bedeque community . Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately west of the community of Bedeque . 1 +"Such a modified peptide , or "" distorted key "" , will automatically become an inhibitor candidate against HIV protease ." "Such a modified peptide or "" distorted key "" becomes an inhibitor candidate against HIV protease automatically ." 1 +The Borcut River was a tributary of the Colnici River in Romania . The River Colnici is a tributary of the River Borcut in Romania . 0 +He held various positions at IBM before joining Wang Laboratories in 1981 . He held various positions at Wang Laboratories before joining IBM in 1981 . 0 +The 2010 European national road cycling championships began in January in Australia and New Zealand . Most of the national championships take place in June . The national road cycling championships 2010 began in January in Australia and New Zealand , most of the European championships will take place in June . 0 +There are currently twenty-one churches in seven states ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia . ) There are currently twenty-one churches in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia and West Virginia ) . 1 +The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a historical kingdom of the mighty subcontinent . The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a mighty kingdom of the historical subcontinent . 0 +There is little in Schell 's book that is available , but his careful assembly of the new evidence will scare most readers . There is little in Schell 's book that is available , but his careful assembly of the new evidence will scare the pants off most readers . 1 +He grew up in Nashville , Tennessee , before his family settled at Bonnyville , Alberta . He grew up in Bonnyville , Alberta before his family settled in Nashville , Tennessee . 0 +The following condition applies : Prefix of the string formula 22 of length formula 10 corresponds to the prefix of Formula 24 of length formula 10 implies Formula 26 . Following condition implies : Prefix of the string formula _ 22 of length formula _ 10 holds the prefix of the formula _ 24 of length formula _ 10 equals formula _ 26 . 0 +"Bowman grew up in Quincy , Massachusetts , and started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Boston ." "Bowman grew up in Boston . He started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Quincy , Massachusetts ." 0 +The following night , Delirious put aside his problems with Danielson in order to challenge Pearce . The following night , Delirious set aside his problems with Pearce to challenge Danielson . 0 +In 1828 , Yeoman married Laetitia Snyder of Albany , with whom he had two daughters and three sons . In 1828 , Laetitia Snyder married Yeoman of Albany , with whom he had two daughters and three sons . 0 +It will be convenient to set the acceleration vector as formula _ 26 and also to write . It will be convenient to write and set the acceleration vector as Formula 26 . 0 +Guido Reni , also known as the Marchino di Marco Bandinelli , was an Italian baroque painter . Marco Marco Bandinelli , also known as Marchino di Guido Reni , was an Italian painter of the Baroque . 0 +Steve Davis won 9 -- 8 against Terry Griffiths in the finals . Terry Griffiths won against Steve Davis with 9 : 8 in the final . 0 +The band 's first DVD recording , released at the Y Theatre in Leicester in March 2010 , was filmed in January 2011 . The band 's first recording , published in March 2010 at Y Theatre in Leicester , was filmed in January 2011 . 1 +The trip begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . The trip begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . 0 +Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player who plays for the Melbourne Vixens in the ANZ Championship . Chelsey Nash ( also known as Chelsey Tregear ) is an Australian netball player in the ANZ Championship , playing for the Melbourne Vixens . 1 +Brockton is situated about 25 miles south of Boston and 30 miles northeast of Providence , Rhode Island . Brockton is located approximately 25 miles northeast of Providence , Rhode Island and 30 miles south of Boston . 0 +The white Pontiac , a last model year 2010 G6 4 - doory limousine , was built in January 2010 at the Orion Township assembly line . The last Pontiac , a white 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . 0 +"Bowman grew up in Quincy , Massachusetts . He started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Boston ." "Bowman grew up in Boston and started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Quincy , Massachusetts ." 0 +Other frequenters of the colony were the writer Adolf Wolff and the sculptor Alfred Kreymborg . Other visitors of the colony were the writer Adolf Wolff and the sculptor Alfred Kreymborg . 1 +During their relationship the pair lived in London and Los Angeles , though Seymour spent more time in Los Angeles for her work . The couple lived in London and Los Angeles during their relationship , though Seymour spent more time in Los Angeles for their work . 1 +As a candy , they are often red with licorice flavor or black and strawberry or cherry flavored . As a candy , they are often red with liquorice or black and strawberry or cherry flavor . 1 +"There was later an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and also produced by Grundy ." "There was also an Australian version "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." 0 +"English also has many words , such as "" zillion "" , which are informally used to mean indefinite and fictitious but unspecified amounts , see large numbers ." "English also has many words , such as "" zillion "" , which are used informally to mean large but unspecified amounts , see indefinite and fictitious figures ." 0 +In 1977 , after Robert Child had died , Hortense married Eldred G. Smith . Hortense married Robert Child in 1977 , after Eldred G. Smith died . 0 +The station was opened on 1 July 1903 on the Donegal Railway Company railway from Stranorlar to Glenties . The station was opened on 1 July 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . 0 +The problem of testing whether a given polynomial is a permutation polynomial through a finite field can be resolved in polynomial time . The problem of testing whether a given polynomial is a permutation polynomial over a polynomial field can be resolved in time . 0 +The province of Varna is also the seat of the municipality of Devnya ( part of Devnya ) , which includes the following 2 villages : Varna Province is also the seat of Devnya municipality ( part of Devnya ) , which includes the following 2 villages : 1 +In addition , it damaged 340 houses and destroyed 12 , most of them in Collier County . In addition , it destroyed 340 houses and damaged 12 , most of which were in Collier County . 0 +In the summer of 1893 , the Czech composer Josef Jan Kovařík spent in Spillville , where his friend Antonín Dvořák had relatives . The Czech composer Antonín Dvořák spent summer 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . 0 +"Santiago is the Galician evolution of the vulgar Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is the vulgar evolution of the Latin Galician Sanctu Iacobu , "" Saint James "" ." 0 +Burton Creek State Park is a state park of California , USA , located in Placer County near Truckee . Truckee is a state park of Burton Creek State Park , in Placer County , near California . 0 +"Sestri Ponente is an industrial suburb of Genoa in northwest Italy and is part of the Medio Ponente "" Municipio "" of Genoa ." "Genoa is an industrial suburb of Genoa in northwest Italy . It is part of the Medio Ponente "" municipio "" of Sestri Ponente ." 0 +Stevens was a Republican when the party was founded , and was a delegate to the Republican National Conventions in 1860 and 1868 . Stevens was a Republican when the party was formed , and became a delegate to the Republican National Conventions in 1860 and 1868 . 0 +Lauretta was married to Johnny Dorelli , the couple had a son , Gianluca Guidi actor . Married to Gianluca Guidi , had the couple a son , actor Johnny Dorelli . 0 +The Olt River or Pârâul Sec is a tributary of the Seaca River in Romania . The River Seaca or Pârâul Sec is a tributary of the River Olt in Romania . 0 +The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance , and serves Rolling Hills . The Los Angeles County Department of Health Services operates the Torrance Health Center in Torrance , near Harbor Gateway , Los Angeles and serving Rolling Hills . 0 +"The "" Houston Chronicle "" is the citywide newspaper , "" Midtown Paper "" is a local newspaper ." "The "" Houston Chronicle "" is the citywide newspaper . The "" Midtown Paper "" is a local area newspaper ." 1 +In 2010 , Hatherley joined the band by Sam Lewis , playing lead guitar and replacing KT Tunstall . In 2010 , Hatherley joined the band of KT Tunstall , playing lead guitar and replacing Sam Lewis . 0 +The rivalry between Tanahashi and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Devitt was victorious . The rivalry between Tanahashi and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Devitt victorious . 1 +On the album charts the album reached number 1 in Norway and number 16 in Sweden . The album reached number 1 on the album charts in Sweden and number 16 in Norway . 0 +Several branches of the Castor River , a tributary of the South Nation River , flow through the township . Multiple branches of the Castor River , a tributary of the South Nation River , flow through the township . 1 +She studied journalism for three years in New York City and holds an MA in mass media at a university in London . She studied journalism in London for three years and has an MA in Mass Media from a university in New York City . 0 +Sambora and lead singer Jon Bon Jovi formed the main - songwriting - unit of the band . Jon Bon Jovi and lead singer Sambora formed the most important songwriting - unit for the band . 0 +""" During all my school years , I was in a white environment , with racist people ." During my entire school years I was in a white environment , with racist people . 1 +With its grey , furry leaves and masses of orange-red flowers , this is one of the most attractive eremophilas . With its grey , furry leaves and mass orange-red flowers , this is one of the most attractive Eremophilas . 1 +The nearest station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , in Shimanto . The nearest train station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Shimanto . 1 +He finished his career while playing for various teams in European leagues . He finished his career playing for various teams in European leagues . 1 +Jean – Garcia is the only daughter of Jennica Garcia and Jigo Garcia . Jennica Garcia is the only daughter of Jean Garcia and Jigo Garcia . 0 +There is a small weekly street market on Saturdays , around where the covered daily market is . On Saturdays there is a street market daily , around the covered small weekly market . 0 +"Pidoux appeared as cellist Pablo Larraín in "" Jackie "" by Pablo Casals ." "Pidoux appeared as cellist Pablo Casals in Pablo Larraín 's "" Jackie "" ." 0 +They moved later to Whitefish Bay , Wisconsin , and then to New York City . They later moved to New York City and then to Whitefish Bay , Wisconsin . 0 +In the evening , finally a bowl came with a small soup with a thin piece of bread . In the evening , a bowl of thin soup came with a piece of bread . 0 +"Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription in 1987 ." "In 1987 , Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" ." 0 +In April 472 , Olybrius Ricimer appointed Emperor as opposed to Anthemius , who was besieged with his family in Rome . In April 472 , Olybrius appointed Ricimer as Emperor , in opposition to Anthemius , who , together with his family , was besieged in Rome . 0 +His son Sir John Everard ( 1550 -- 1624 ) was an barrister , politician and judge . John 's son Richard was the first of the Everard baronets . His son Sir John Everard ( 1550 -- 1624 ) was a lawyer , politician and judge , John 's son Richard was the first of the Everard - Baronets . 1 +On 30 August 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , Stephen Champlin , was married to a partner of John B. Cook in Minnesota . On 30 August 1853 , the daughter of Stephen Champlin , Eliza Ellen Champlin , John B. Cook , married a partner of Minnesota Alexander Ramsey . 0 +Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , the president of Micex , son of the famous Soviet economist Ruben Aganbegyan . Ruben Aganbegyan ( born in 1972 , Novosibirsk ) is a Russian economist , president of Micex , son of the famous Soviet economist Abel Aganbegyan . 0 +Another series was played between the Boston Red Sox and the Cincinnati Reds in Havana . In Havana , another series between Cincinnati Reds and Boston Red Sox was played . 1 +The station was opened on July 1 , 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . The station opened on 1 July 1903 on the Donegal Railway Company line from Glenties to Stranorlar . 1 +Edward J. McKenna was a professional baseball player who played for the Washington National Association of Union in 1884 in 32 games . Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington National in 32 matches . 0 +Gandini was born on May 19 , 1906 in Parma to Ernesto Gandini and Diomira Di Centa of Venice . Gandini was born on 19 May 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . 0 +""" Crawdaddy Simone "" is a cover of The Syndicats ( with Ray Fenwick ) of 1965 single , produced by Joe Meek ." """ Crawdaddy Simone "" is a cover of The Syndicats ( featuring Joe Meek ) 1965 single , produced by Ray Fenwick ." 0 +Nationalist parties , however , said , together with other liberal groups , that they would boycott the July elections . Other liberal parties , however , said , along with nationalist groups , that they would boycott the July elections . 0 +Guruzeta 's father , Xabier , was also a footballer . A central defender , he mainly represented Real Sociedad during his career . Also the father of Guruzeta , Xabier , was a footballer , as a central defender he mainly represented Real Sociedad during his career . 1 +Gonzalo advises his son , Paola always to forget . Gonzalo advises his son to always forget Paola . 0 +In Confederate Ireland , the rebel Irish Catholics formed their own government -- Ireland with the intention of helping the Royalists in return for religious toleration and political autonomy . In Ireland , the rebel Irish Catholics formed their own government -- confederate Ireland , with the intention of helping the Royalists in return for religious tolerance and political autonomy . 0 +These dolls had their English or Spanish names covered by a sticker with the German name or sometimes nothing at all . These dolls had covered their English or Spanish names with a sticker with the German name or sometimes nothing . 1 +Although there are overwhelming social implications , there also seem to be regional financial patterns that perpetuate this trend . Although there are regional financial implications , there also seem to be overwhelming social patterns that continue this trend . 0 +"It contains remixes and acoustic versions of previously released singles , as well as the non-album B-page "" From a Desert to a Beach "" ." "It contains remixes and non-album versions of previously released singles , as well as the acoustic B-side "" From a Desert to a Beach "" ." 0 +Subsequently , Air New Zealand certified the General Electric FANS-1 package , and United Airlines certified the Pratt & Whitney FANS-1 package . Air New Zealand then certified the General Electric FANS-1 package and certified the Pratt & amp ; Whitney FANS-1 package to United Airlines . 1 +In Lima , the musical was released on June 16 , 2012 starring Tati Alcántara , Denisse Dibós , and Marco Zunino in Teatro Municipal ( Perú ) . The musical was published in Perú on June 16 , 2012 with Tati Alcántara , Denisse Dibós and Marco Zunino in Teatro Municipal ( Lima ) . 0 +After all , the global stiffness matrix is constructed by adding together the individual expanded element matrices . Finally , the global stiffness matrix is constructed by adding the individual expanded element matrices together . 1 +Paniqui is from Manila and is from the province capital Tarlac City . Paniqui is from Tarlac City and is from the provincial capital of Manila . 0 +This temple is supposed to be the second of its kind in Thiruvananthapuram , the first being the famous temple in Kerala . This temple is supposedly the second of its kind in Kerala , the first being the famous temple in Thiruvananthapuram . 0 +He was born in Rome in 1944 , his father was Lithuanian - Jewish , his French mother was the daughter of a Catholic father and an Austrian mother . In 1944 , he was born in Rome , his father was Lithuanian - Jewish , his Catholic mother was the daughter of a French father and one Austrian mother . 0 +He lived near Croydon in Addiscombe until his death on July 11 , 1851 at the age of seventy years . He lived near Addiscombe , in Croydon , until his death on July 11 , 1851 at the age of seventy years . 0 +He was born on 23 January 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London , England . He died on 29 January 1984 in London . 1 +The new matrix representation for the symmetrical bilinear form is now given by Now the symmetric bilinear matrix representation for the new form is given by 0 +"The hyperbolic case is similar , given to the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic level by" "The hyperbolic case is similar , with the area of a disk of the hyperbolic radius "" R "" at the constant level ( intrinsic curvature formula 83 ) given by" 0 +EPZ is a Thana located under the Chittagong Division , Bangladesh in the Chittagong District . EPZ is a thana under the Chittagong Division , Bangladesh in Chittagong District . 1 +If it was necessary , as I believe now , it was right and moral . If it was right and moral , as I now believe , it was necessary . 0 +Ayeza Khan ( born 15 January 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . Ayeza Khan ( born Aiza Khan on 15 January ,1991 ) , also known as Kinza Khan , is a Pakistani television actress and model . 1 +In March 1904 , his brother was kidnapped for ransom in Mexico and taken to West Texas across the border . In March 1904 , his brother was kidnapped for ransom in Westtexas and taken to Mexico across the border . 0 +The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell and future world record label John Anderson of Washington in 1928 . The field also included 1928 Olympian ( and 1932 Olympic champion ) John Anderson of Cornell , and future world record holder Paul Jessup of Washington . 0 +At the 2011 census , 86.4 % of inhabitants were Roma , 5.9 % Hungarians , 5.2 % Romanians and 0.7 % Germans . In the 2011 census , 86.4 % of inhabitants were Roma , 5.9 % Hungarians , 5.2 % Romanians and 0.7 % Germans . 1 +He was drafted by the Chicago Cardinals and also played for the Washington Redskins and the Philadelphia Eagles . He was drafted by the Chicago Cardinals and played for the Washington Redskins and the Philadelphia Eagles . 1 +It is clear that as in Scotland , the playing of current variation sets on the fiddle was extended in Northumberland at the time . It is clear that , as in Scotland , the playing of extended variation sets at the violin in Northumberland was current at the time . 0 +Cirja # 7 passed 2 TD Scramble and also achieved 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . Paul Cirja # 7 scored 2 TD scramble and also passed 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . 0 +At the same time , Klaus meets Elena and Stefan and asks Elena to go with him so they can start the ritual that will break the curse . At the same time , Klaus meets Elena and Stefan and asks Elena to go with him so that they can start the ritual that will break the curse . 1 +Their recording of the song was produced and arranged by Richard Carpenter and performed by Ray Gerhardt . Their recording of the song was produced and arranged by Ray Gerhardt , and engineered by Richard Carpenter . 0 +In 2012 , approved Solanco School District Homestead residents received $ 79 . In 2012 , Solanco School District approved homestead residents received $ 79 . 1 +She moved to Germany in 1989 and settled in Luxembourg two years later , where her husband , Tommy Danielsson , is her coach and training partner . She moved to Luxembourg in 1989 and settled down in Germany two years later . Her husband Tommy Danielsson , is her coach and training partner . 0 +Other car manufacturers which have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . Other car manufacturers that have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . 1 +The river Madicea is a tributary of the River Olt in Romania . The river Olt is a tributary of the river Madicea in Romania . 0 +In February 2014 , the opening ceremony for the monument for the victims of the Khojaly massacre was held in Uşak . In February 2014 , the opening ceremony for the monument to victims of the Uşak massacre was held in Khojaly . 0 +They also display aspects of the physical discipline Parkour , while jumping over buildings and climbing from staircases . They also show aspects of the physical discipline Parkour , while jumping over buildings and climbing staircases . 1 +The river Valea Negrenilor or Negreni River is a tributary of the river Amaradia . The river Amaradia or the river Negreni is a tributary of the river Valea Negrenilor . 0 +In the 2007 Hong Kong Chief Executive election , Alan Leong from the Civic Party successfully entered the race against the incumbent Donald Tsang . In the Hong Kong Chief Executive election , 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . 0 +Borjigin Vanchinbalyn Gularans ; ( 1820-1851 ) was a famous poet , and the elder brother of the Mongolian poet , novelist and translator Vanchinbalyn Injinash . Borjigin Vanchinbalyn Gularans ( 1820-1851 ) was a famous poet and elder brother of the Mongolian poet , writer and translator Vanchinbalyn Injinash . 1 +The Crişul Mic River is a tributary of the Doba River in Romania . The Doba River is a tributary of the River Crişul Mic in Romania . 0 +There are 22 species in the genera , 17 species have a sinistral shell and 5 species are dextral . There are 22 species in the genus . 17 species have a dextral shell and 5 species are sinistral . 0 +After leaving the East India Company College Frere was appointed a writer in the Bombay ( now Mumbai ) civil service in 1834 . In 1834 , after leaving the East India Company College , Frere was appointed a civil servant writer in the Bombay ( today Mumbai ) . 1 +Łąg Południowy is a PKP railway station in Łąg ( Pomeranian Voivodship ) , Poland . Łąg Południowy is a PKP railway station in Łąg ( Pomeranian Voivodeship ) , Poland . 1 +Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park north of Hetch Hetchy Valley . Lake Vernon is situated in Tiltill Valley in the northern sector of the Hetch Hetchy Valley north of Yosemite National Park . 0 +Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Music Academy in Budapest . Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt Music Academy in Budapest . 1 +The areas south of the governorate were controlled by the Ottoman Empire , and the southern border was not defined . The territories to the south of the governorate were controlled by the Ottoman Empire and the southern border was not defined . 1 +The Beatles ' biographer , Charles Sutcliffe , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . Philip Norman , the Beatles ’ biographer , wrote that Charles Sutcliffe was a strong drinker and physically cruel to his wife , which the young Sutcliffe had observed . 0 +The Bhutanese language is national ( Dzongkha ) , one of 53 languages in the Tibetan language family . The Bhutanese language is national ( Dzongkha ) , one of the 53 languages of the Tibetan language family . 1 +The quantum mechanical polarization results microscopically from optical transitions between different states of the material system . Microscopically , the optical polarization arises from quantum mechanical transitions between different states of the material system . 0 +The series will be published in Japan by VIZ Media and in the United States by Shogakukan in English . The series is published in Japan by Shogakukan and in the United States in English by VIZ Media . 0 +Sissi units have fewer crew served weapons and more sniper rifles than regular infantry . Sissi units have more weapons served by the crew and fewer sniper rifles than regular infantry . 0 +Nikolay Davydenko won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Marat Safin . Marat Safin won against Nikolay Davydenko in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . 0 +His partner was Diego Milito , who was acquired like the midfielder Thiago Motta from Genoa . His partner was Diego Milito , acquired from Genoa , like the midfielder Thiago Motta . 1 +The town was founded in 1899 by George Dewey and named after Admiral Jacob A. Bartles . The town was founded in 1899 by Jacob A. Bartles and named after Admiral George Dewey . 0 +A historic figure is a famous person in history , such as Catherine the Great , Abraham Lincoln , Washington , or Napoleon . A historical figure is a famous person in history , such as Catherine the Great , Napoleon , Washington , or Abraham Lincoln . 1 +In January 2001 , he married Mayer Damian Smith . Damian Smith married Mayer in January 2001 . 0 +In 1736 , Mackay 's widow sold the islands to Charles Pinckney , the father of General Charles Cotesworth Pinckney . In 1736 , Mackay 's widow sold the islands to Charles Cotesworth Pinckney , father of General Charles Pinckney . 0 +Make Me Rich , Make Me Famous Make me famous , Make me 0 +"However , the Georgian language uses the singular form when the quantity is specified , so in practice the plural of "" tetri "" is just "" tetri . """ "The Georgian language , however , uses the singular form when the number is specified , so in practice the plural of "" tetri "" is only "" tetri "" ." 1 +"It was located around a pond in Tokunoshima of Isen Town , after which "" kamuiyaki "" was named ." "It was located around a pond in Isen city of Tokunoshima , after which "" kamuiyaki "" was named ." 0 +Sir James married John Nairne Forman in 1872 ( December 20 , 1929 ) , daughter of Helen Margaret von Staffa , WS . Sir James married , in 1872 , Helen Margaret ( d. 20 December 1929 ) , daughter of John Nairne Forman of Staffa , WS . 0 +Vonberg studied at Imperial College then joined the Cavendish Laboratory in 1945 where he worked with Martin Ryle . Vonberg studied at Imperial College and joined the Cavendish Laboratory where he worked with Martin Ryle in 1945 . 1 +William Wilberforce Nadiope succeeded the late Sir Muloki as Kyabazinga . William Wilberforce Nadiope was succeeded as Kyabazinga by the late Sir Muloki . 1 +WORHP , also referred to by ESA as eNLP ( European NLP Solver ) , is a non-linear software library for numerically solving continuous mathematical optimization problems . WORHP , also referred to as eNLP ( European NLP solver ) by ESA , is a nonlinear software library for solving continuous large scale mathematical optimization problems numerically . 1 +Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the quantity of water . Ristretto is traditionally , a short shot of espresso extracted with the normal amount of ground coffee , but made with about half the amount of water . 1 +The first amber tournament was held in Monaco in 2011 , as were the 20th Amber Tournament . The 20th Amber Tournament was held in Monaco in 2011 , as well as the first amber tournament . 0 +He moved to Ottawa and settled down in Illinois in 1891 . He moved to Ottawa and settled in Illinois in 1891 . 1 +The team has played teams in recent years such as Iowa , Rutgers , Hawaii , State of Mississippi , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . The team has played teams like Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in recent years in 2011 . 1 +Prahlad Kakar grew up in Pakistan , and his father was an army colonel in Mumbai . Prahlad Kakar grew up in Mumbai and his father was an army colonel based in Pakistan . 0 +Swami Brahmananda ( 1863 -- 1922 ) , whose original name was Rakhal Chandra Ghosh , was the son of a cemindary in the Basirhat area . Rakhal Chandra Ghosh ( 1863 -- 1922 ) , whose original name was Swami Brahmananda , was the son of a Zamindar in the Basirhat . 0 +Robert Boyd was the son of Alexander , Lord Boyd . Robert Boyd was the son of Alexander , 3rd Lord Boyd . 1 +He wrote the script in cooperation with Bianca Olsen , Laurie Aubanel and Cyril Rambour . He wrote the screenplay in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . 1 +The first cosmonaut was the Soviet air force pilot Yuri Gagarin , also the first person in space . The Soviet cosmonaut was first Air Force pilot Yuri Gagarin , also the first person in space . 0 +Born in Hartford , Wisconsin , Barney attended public schools and Lombard College , Galesburg , Illinois . Barney was born in Hartford , Wisconsin , and attended the public schools and Lombard College , Galesburg , Illinois . 1 +John M. Work was born January 3 , 1869 , in rural Washington County in Southeastern Iowa , the son of John H. Work , a farmer . John M. Work was born on January 3 , 1869 in rural Iowa in southeastern Washington County , the son of John H. Work , a farmer . 0 +Ruben Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Abel Aganbegyan . Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , the president of Micex , son of the famous Soviet economist Ruben Aganbegyan . 0 +It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It was found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +The wingspan is . The moth flies from July to August depending on the location . The wingspan is sized , the moth flies depending on the location from July to August . 1 +The total number of electrons and electron density is much greater than in the positive corona in question . The corresponding positive number of electrons , and electron density is much greater than in the total corona . 0 +In 1976 Peraza was Miss Venezuela , but she resigned on 24 May 1976 because she married two days after her crowning . Peraza was Miss Venezuela 1976 , but she resigned on May 24 , 1976 , because she married two days after her coronation . 1 +He was also suspected of having bludgeoned to death a Russian dancer , Anya Sosoyeva , as well as having assaulted the young actress Delia Bogard , who survived . He was also suspected of having caught a young dancer , Anya Sosoyeva , to death , as well as attacking the Russian actress Delia Bogard , who survived . 0 +Kawahigashi Station is served by the Suigun Line and is located 122.2 km from the official starting point of the line at Mito Station . Kawahigashi Station is served by the Suigun Line , and is located 122.2 rail kilometers from the official starting point of the line at Mito Station . 1 +Face of Evil is a 1996 TV movie with Jeanelle Polk as Shawnee Smith , Perry King as Russell Polk and Darcy Palmer as his daughter Tracey Gold . Face of Evil is a 1996 TV film with Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as his daughter Jeanelle Polk . 0 +Stevens was a Republican when the party was founded , and became a Delegate to the Republican National Conventions in 1860 and 1868 . Stevens was a Republican when the party was formed , and became a delegate to the Republican National Conventions in 1860 and 1868 . 1 +Giuseppe Anatrelli ( 3 January 1925 - 29 November 1981 ) , also known as Geppino Anatrelli , was an Italian film , stage and television actor . Giuseppe Anatrelli ( January 3 , 1925-November 29 , 1981 ) , also known as Geppino Anatrelli , was an Italian film , stage and television actor . 1 +The show was broadcast on MBC 2 with a big prize $ 100 000 , not won because of the cancellation . The show was aired on MBC 2 with a big prize $ 100 000 , not won because of the cancellation . 1 +Creswell is served by the daily Roanoke Beacon from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . Creswell is served by the daily Roanoke Beacon newspaper from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . 1 +The same year , he was appointed Vicar General for the Quebec region of the Diocese of Mississippi and Illinois . In the same year he was appointed General Vicar for the region of Mississippi and Illinois of the diocese of Quebec . 0 +It is roughly southeast of Moosehead Lake , 2 miles southwest of Baker Mountain and 5 km west of White Cap Mountain . It is about southeast of Moosehead Lake , 2 miles southwest of Baker Mountain , and 5 miles west of White Cap Mountain . 1 +However , the new algorithm would divide the original interval in step 4 into a larger and a smaller partial interval . The original algorithm , however , would divide the new interval into a smaller and a larger subinterval in Step 4 . 0 +All of these will have half the symmetry ( double the regular domain sizes ) of the fundamental apeirogon . All of these have half the symmetry ( double the fundamental domain size ) of the regular Apeirogon . 0 +In collaboration with Cyril Rambour , Laurie Aubanel and Bianca Olsen , he wrote the script . He wrote the script in cooperation with Bianca Olsen , Laurie Aubanel and Cyril Rambour . 1 +In August 1927 , shortly after her engagement with the Berlin jurist and later Hamburg senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . In August 1927 , shortly after her commitment to the Hamburg lawyer and later Berlin senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . 0 +The white Pontiac , a last model year 2010 G6 4 - doory limousine , was built in January 2010 at the Orion Township assembly line . The white Pontiac , a last 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . 1 +He died in 1879 in Oxford , Idaho . Jefferson Hunt is buried at the Red Rock Cemetery in Bannock County , Idaho , US . He died in Bannock County in 1879 , Idaho , USA Jefferson Hunt was buried at the Red Rock Cemetery in Oxford , Idaho . 0 +The Dublin Council of Unions is the Trade Union Council for the Dublin County in Ireland . The Dublin Council of Trade Unions is the trades council for County Dublin in Ireland . 1 +Axocomanitla is a municipality in south-eastern Tlaxcala in Mexico . San Lorenzo Axocomanitla is a municipality in Tlaxcala in south-eastern Mexico . 0 +Mahoning Creek is a tributary of the Lehigh River in the Schuylkill and Carbon - County , Pennsylvania , in the United States . Mahoning Creek is a tributary of the Lehigh River in Schuylkill and Carbon counties , Pennsylvania , in the United States . 1 +For Amtrak service the nearest stations are West in Framingham , east of Boston at Back Bay and South Station and south in Route 128 station in Westwood . For Amtrak - Service are the nearest stations east in Boston , west of Framingham at route 128 station and south in Back Bay and South Station in Westwood . 0 +In order to limit the number of seats won by the Communists and the Gaullists , an electoral reform was passed . In order to limit the number of seats obtained by the Gaullists and the Communists , electoral reform was passed . 1 +Band moves to Williamsburg , Brooklyn ( NY ) . Band moves to Brooklyn ( Williamsburg ) , NY . 0 +His son , Ii Naomasa , was adopted by Naotora and , under Tokugawa Ieyasu , became a dreaded general , who is considered one of his four guardians . His son Tokugawa Ieyasu was adopted by Naotora , and became a feared general under Ii Naomasa , who is considered one of his Four Guardians . 0 +The character of Holden Ford is based on FBI - Agent John E. Douglas , and Bill Tench is based on the ground-breaking FBI agent Robert K. Ressler . The character of Holden Ford is based on FBI agent John E. Douglas , and Bill Tench is based on pioneering FBI agent Robert K. Ressler . 1 +Polali is a village in Bantwal taluk , in the Dakshina Kannada ( South Canara ) district of Karnataka state in India . Polali is a village in Bantwal Taluk , in the Dakshina Kannada district ( South - Canara ) of the state of Karnataka in India . 1 +It was first recorded in November 1961 by Allen Toussaint , and produced by Irma Thomas . It was initially recorded by Irma Thomas in November 1961 and produced by Allen Toussaint . 0 +During that time , Cousin also played as a session musician on two songs by Mice , a band of Regan , which existed between 1995 and 1997 . During this time , Regan also played as a session musician on two songs by Mice , a band created by Cousin that existed between 1995 and 1997 . 0 +Nigel Melville is the Chief Executive Officer and President of Rugby - Operations for USA Rugby , while Les Cusworth is the Director of Rugby in Argentina . Nigel Melville is the chief executive officer and president of rugby operations for USA Rugby while Les Cusworth is Argentina 's Director of Rugby . 1 +Compared to the narrow waters of a mill pond , the broad current is fast and powerful . Compared to the broad waters of a mill pond , the narrow current is swift and powerful . 0 +There is a removable water tank and a fuel tank with a folding hatch for cleaning . There is a collapsible water tank and a fuel tank with removable hatch for cleaning . 0 +From 1888 to 1913 , he was chairman of the Highfields Divisional Board and , from 1915 to 1917 , Chairman of the Highfields Shire Council . Munro was chairman of the Highfields Divisional Board from 1888 to 1913 , and of the Highfields Shire Council from 1915 to 1917 . 1 +There is a standard technique ( see for example ) to calculate the change of variables to formal coordinates , at a point as a normal Taylor series expansion . There is a standard technique ( see for example ) for calculating the change of variables to normal coordinates , at a point as a formal Taylor series expansion . 0 +Hu Cheng and his men meet Li Kui on their way to Song Jiang 's camp . Hu Cheng and his men meet Li Kui on his way to Song Jiang 's camp . 1 +He was trained at the Remonstrant seminary of Amsterdam and first served in Emden 1733-1736 before moving to Haarlem . He was trained at the Remonstrant Seminary of Amsterdam and served first in Emden 1733-1736 before moving to Haarlem . 1 +Brusio is a municipality located in the canton of Switzerland in the Bernina region of Graubünden . Brusio is a municipality in the Bernina region of the Canton Graubünden , Switzerland . 0 +While rosary was waiting in Ecuador for a ship to Havana , Cuba , the Japanese attacked Pearl Harbor . While Rosenkranz was waiting in Havana , Cuba for a ship to Ecuador , the Japanese attacked Pearl Harbor . 0 +"In 51 BC , Julius Caesar returned to Gallia , where he was again "" Legatus "" for Vatinius ." "In 51 BC Vatinius returned to Gallia , where he was again "" Legatus "" for Julius Caesar ." 0 +Here 's an example in Smalltalk of a rotten accessor method to return the value of a variable using typical initialization . Here is an example in Smalltalk , of a typical accessor method to return the value of a variable using lazy initialization . 0 +Steckborn is a municipality in Frauenfeld District in the canton of Thurgau in Switzerland . Steckborn is a municipality in the Frauenfeld district of the Canton Thurgau in Switzerland . 1 +He died in 1879 in Bannock County , Idaho , US . Jefferson Hunt is buried at the Red Rock Cemetery in Oxford , Idaho . He died in 1879 in Oxford , Idaho , Jefferson Hunt was buried at the Red Rock Cemetery in Bannock County , Idaho , USA . 0 +Vincent van Gogh gave Agostina Segatori 's first exhibition in her Café Tambourin . Agostina Segatori gave Vincent van Gogh 's first exhibition at her Café Tambourin . 0 +National Bolshevism ( Nazbol ) as a political movement combines elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . As a political movement , national Bolshevism ( Nazbol ) brings together elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . 0 +The museum building maintains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . The museum building retains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . 1 +This species occurs in the demersal zone of the Pacific Ocean from Costa Rica to Nicaragua . This species comes from Costa Rica to Nicaragua in the demersal zone of the Pacific Ocean . 1 +Daniela Castro Arellano ( born Daniela Castro on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico , born Daniela Castro ) is a Mexican - Irish actress and vocalist . 1 +The music for the film is composed by Bijibal and by Nadirsha as a background score . The music for the film is composed by Bijibal , and background score by Nadirsha . 1 +These include replicas at Ramat Shlomo in Jerusalem and in Kfar Chabad in Israel . These include replicas in Ramat Shlomo in Jerusalem and Kfar Chabad in Israel . 1 +The auxiliary service of the Archdiocese of Naples is Cardinal Crescenzio Sepe , Lucio Lemmo and Gennaro Acampa are current ordinars . The auxiliary of the Archdiocese of Naples is Cardinal Crescenzio Sepe . Lucio Lemmo and Gennaro Acampa are current ordinary . 1 +The imaginary sign indicates that the minus portion of the impedance is negative . The imaginary sign indicates that the minus part of the impedance is negative . 1 +Staunton answered that he needed more time to prepare , and Morphy wrote to him again : Staunton replied that he needed more time to prepare , and Morphy wrote to him again : 1 +It also has representation at the local and regional level . It has also representation at local and regional level . 1 +The dam is operated by the United States Bureau of Reclamation , which it built , and is owned by the Elephant Butte irrigation area . The dam is operated by the United States Bureau of Reclamation , which built it , and is owned by the Elephant Butte Irrigation District . 1 +He has acquired houses in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . He acquired homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . 0 +Eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia from 1866 to 1928 , when the Armenian seat was moved to Beirut in Lebanon . From 1866 to 1928 , eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia until the patriarchal seat of Beirut was moved to Lebanon . 0 +While the building is wide , it is not more than a long . While the building is wide , it is not more than long . 1 +The Mill Brook runs north from the Black Forest Colony , through the Pond Eddy Mulde , to the Delaware at Mill Brook Inn . The Mill Brook runs north-south from the Black Forest Colony , through Pond Eddy hollow , to the Delaware at the Mill Brook Inn . 0 +The region is famous for trade fairs like Expozebu in Uberaba , Fenamilho in Uberlândia and Feniub in Patos de Minas . The region is famous for fairs like Expozebu in Uberaba , Fenamilho in Uberlândia and Feniub in Patos de Minas . 1 +This species can be found in the Caribbean Sea and the Gulf of Mexico , in the Atlantic Ocean from South Carolina to Brazil . This type can be found in the Atlantic and in the Gulf of Mexico , in the Caribbean from South Carolina to Brazil . 0 +Soon after , Styles qualified by forcing Abyss after having pinned him through a table with his spiral tap maneuver . Soon after , Styles qualified by forcing Abyss after pinning him through a table with his Spiral Tap maneuver . 1 +Both sailed from Quebec to London . From Quebec , both sailed on to London . 1 +He played in 2007 in Chicago Lollapalooza , and in 2008 at Los Angeles at the FuckYeah Festival . He played in 2007 in Los Angeles Lollapalooza and 2008 at the FuckYeah Festival in Chicago . 0 +Viktor Aronovich Bely , also Viktor Arkadevich Bely ( January 14 , 1904 -- March 6 , 1983 ) , was a Russian composer and social activist . Viktor Aronovich Bely , also Viktor Arkadyevich Bely ( 14 January 1904 -- 6 March 1983 ) , was a Russian composer and social activist . 1 +In the circulated materials such as the Red Bus Airplay Calculation , Gold Label Entertainment is still referred as EMI . EMI is still called Gold Label Entertainment in the circulated materials such as the Red Bus Airplay calculation . 0 +""" Baie St. Paul "" has a load capacity of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." """ Baie St. Paul "" has a gross tonnage of 24,430 tons and a deadweight tonnage of 37,690 tons according to the Miramar Ship Index ." 0 +The Luzley White Horse near Mossley , cut in 1981 , was lost in 1992 after its creator died , but was not completely neglected for some time . The Luzley White Horse , near Mossley , cut in 1981 , was neglected in 1992 , after its creator had died , but was not completely lost for some time . 0 +It consists of two parts , Zemendorf and Stöttera , both upstream of Pöttelsdorf and downstream from Antau on the Wulka . It consists of two parts , Zemendorf and Stöttera , which are both downstream from Pöttelsdorf and upstream of Antau on the Wulka . 0 +In Nairobi , there are large occupying communities , such as Kibera in Kenya . In Kenya , there are large occupying communities , such as Kibera in Nairobi . 0 +Searching a specific search tree according to a binary key can be recursively or iteratively programmed . Searching a binary search tree for a specific key can be programmed recursively or iteratively . 0 +He is buried in the Jewish cemetery in Nova Gorica , Slovenia near Rožna Dolina . He is buried at the Jewish cemetery in Rožna Dolina , near Nova Gorica , Slovenia . 0 +Christine became hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . Christine Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . 0 +"Susan 's husband said : "" Stanton stirred the puddings , Susan stirred up Susan , and then Elizabeth shaked the world !" "Stanton 's husband said , "" Susan stirred the puddings , Elizabeth stirred up Susan , and then Susan stirs up the world ! """ 0 +More recent research has found a connection between the Xionites and Göbl 's first wave of Iranian Huns . Recent research has found a connection between the Xionites and Göbl 's first wave of the Iranian Huns . 1 +The Eastern Australian Football League is an Australian rule football contest in the eastern United States of America and a division of the United States Australian Football League . The United States Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the Eastern Australian Football League . 0 +"He sang in Europe at Le Lido in Paris and joined Betty Grable in the London West End Musical "" Belle Starr "" ." "In Europe he appeared in Le Lido in Paris and sang with Betty Grable in the London West End Musical "" Belle Starr "" ." 0 +Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Wisconsin State Senate . Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . 0 +Famous Armenian writer and poet Khachik Dashtents wrote a poem about his teachers , among whom was Christophor Araratov : The famous Armenian writer and poet Khachik Dashtents wrote a poem about his teachers , among whom was Christophor Araratov : 1 +Born in 1949 , Lars Elinderson is a Swedish politician from the Moderate Party . Lars Elinderson , born in 1949 , is a Moderate politician of the Swedish Party . 0 +The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first Theakson 's pub , where the first Theakston 's beers were brewed ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed ." 1 +Another important route that crossed the Palmyra area included the road that led from the settlement Bindnagle to Campbelltown , which is now the PA 117 . Another important route that crossed the Campbelltown territory included the road that led from the Bindnagle settlement to Palmyra , which is now PA 117 . 0 +The difference between neutralizing antibodies and binding antibodies is that neutralizing antibodies neutralize the biological effects of antigen , while the antibodies bind the antigens . The difference between neutralizing antibodies and binding antibodies is that binding antibodies neutralize the biological effects of antigen , while the antibodies neutralize antigens . 0 +Since he had taken Johnny 's shot for him , it is the turn of Brad now . Since he had taken Johnny 's shot for him , it is now Brad 's turn . 1 +The nationalists , led by volunteers from the RSS and the AGD , took advantage of the opportunity and captured Piparia . The nationalists led by volunteers of the RSS and the AGD captured the opportunity and took Piparia . 0 +"In October 1989 , Langland performed in the same theatre 's "" Nuts ( Homage to Freud ) . """ "In October 1989 , Freud performed in the same theatre "" Nuts ( Homage to Langland ) "" ." 0 +It aims to appeal to those who love wood and varnish , or the look and feeling of well-built and well-drawn boats . It aims to appeal to those who love wood and varnish , or the look and feel of well-built and well-drawn boats . 1 +The Indus cities are renowned for their elaborate planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are renowned for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and collections of large non-residential buildings . 0 +The French law is codified and is based on Albanian law . Albanian law is codified and based on the French law . 0 +Keenan played as a 197 cm ruckman and was a solid marker of the ball as well as having a good drop punt . Keenan played as 197 cm Ruckman and was a solid marker of the ball as well as a good drop - punt . 1 +It is bordered by Pembina County , North Dakota . The nearest American community to Gretna is Neche , North Dakota . It is bounded by North Dakota . The nearest American community to Gretna is Neche , Pembina County and North Dakota . 0 +In third place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso with 1,362 votes ( 4.9 % ) the second place . In third place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso placed second with 1,362 votes ( 4.9 % ) . 1 +When it was printed commercially , illustrations were added by J. Augustus Knapp . When it was added commercially , illustrations by J. Augustus Knapp were printed . 0 +Amun comes closest to Venus and passes by in 1964 , 2034 and 2103 within 10 Gm . Amun comes closest to Venus , and in 1964 , 2034 , and 2103 passes within 10 Gm of it . 1 +Born in New York City , he grew up in Athens , Greece , and then in North Grafton , Massachusetts . Born in Athens , Greece , he grew up in New York City and then in North Grafton , Massachusetts . 0 +The river Vidăcut or Hidecut is a tributary of the River Eliseni , in Romania The Vidăcut River or Hidecut River is a tributary of the Eliseni River , in Romania 1 +She was the nineteenth out of twenty-three of her father 's children , and the last of her mother 's children . She was the nineteenth out of twenty-three children of her father and the last of her children . 0 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs free energy ( Α G ) to the number of non-hydrogen atoms of the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs - nonhydrogen energy ( Î G ) to the number of free atoms of the connection . 0 +Alfred Barton Brady was a government architect and Thomas Pye , deputy government architect . Alfred Barton Brady was Government Architect and Thomas Pye , Deputy Government Architect . 1 +The structural art and the style of this idol is unique and is in perfect proportion to it . The unique art and style of this idol is structural and is in perfect proportion to it . 0 +Bingaman was born in 1926 , in McKenzie , Indiana , moved to Tennessee , and attended Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and visited the Lew Wallace High School in Gary , Indiana . 1 +The Geamărtălui River is a tributary of the Strâmba River in Romania . The river Geamărtălui is a tributary of the River Strâmba in Romania . 1 +On 25 August 2014 , Palmer had her first appearance as Lucy . Lucy made her first appearance as a palmer on 25 August 2014 . 0 +Small populations have also been found in the western Illinois and eastern Oklahoma . Small populations have also been found in western Oklahoma and eastern Illinois . 0 +The geological party leader was his old mentor , Mike Morton . The old party leader was his geological mentor , Mike Morton . 0 +Included Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne Von Rey , Jenny Shimizu , Catherine Opie , Michele Mills . Daphne from Rey , Jenny Shimizu , Catherine Opie , Sheree Rose , Ron Athey , Vaginal Davis , Bob Flanagan and Michele Mills . 1 +When Labour formed a government after the , McGuigan appointed Norman Kirk as Minister of Railways , and Minister of Electricity . When Labour formed a government , Norman Kirk McGuigan appointed the Minister of Railways and Minister of Electricity . 0 +The Americas Minor had invited four teams , three teams from the South American qualifier and a team from the North American qualifier . The Americas Minor had four teams invited , three teams from the North American qualifier , and one team from the South American qualifier . 0 +There are no secondary schools in the island . The nearest are Thurstable School in Tiptree and Thomas Lord Audley School in Colchester . There are no secondary schools on the island , the nearest are Thurstable School in Tiptree and Thomas Lord Audley School in Colchester . 1 +Polali is a village in Bantwal Taluk , in the Dakshina Kannada district ( South - Canara ) of the state of Karnataka in India . Polali is a village in Dakshina Kannada Taluk , in the south - Canara ( Bantwal ) district of the state of Karnataka in India . 0 +In these he already shows an adaptation to the Roman style , especially that of Michelangelo , whose ceiling had just been completed the Sistine Chapel . In these he already shows an adaption to Roman style , especially that of Michelangelo , whose Sistine Chapel ceiling had just been completed . 1 +Some of the Dalit writings published by the magazine were considered concerned by the middle class and even led to calls to ban the inflammation issues . Some of the Dalit writings published by the magazine were considered to be inflammatory by the middle class and even led to calls to ban the concerned issues . 0 +On the north side are two windows similar to those on the south side . On the south side there are two windows similar to those on the north . 0 +Google allows business owners to check their own business data and has also recruited volunteers to verify and correct soil foreclosure data . Google allows business owners to check their own business data , and has also recruited volunteers to verify and correct truth data . 1 +Ceravolo studied writing with Kenneth Koch at the New School for Social Research . Ceravolo studied at the New School for Social Research with Kenneth Koch Schrift . 1 +Jones lives in London with his wife , Cheryl , his son , Nathan , and his three daughters , Holly , Coral and Ella . Jones lives with his wife Cheryl , his son Nathan , and the three daughters Holly , Coral and Ella in London . 1 +The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on protecting the main roads and controlling the governor and government centre . The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on controlling the main roads and protecting the governor and government centre . 0 +Brian Cutillo worked with his MIT classmate , Dr. Alan Gevins , in the Brian Cutillo worked with his MIT classmate , Dr. Alan Gevins , in : 1 +In July 1962 , the 4364th Support Squadron was activated at Mountain Home and assigned to the division , but attached to the 9th wing . In July 1962 , the 4364th support squadron was activated in Mountain Home and allocated to the division , but assigned to the 9th wing . 1 +The Democratic Party nominates and elects the House Democratic Caucus leadership in the United States House of Representatives . The House Democratic Caucus nominates and elects the Democratic Party leadership in the House of Representatives of the United States . 0 +Its unusually muscular tail is used for balance , and its thighs are long , dark brown . Its unusually muscular cock is used for balance , and its thighs are long , dark brown . 1 +The manuscript was transferred to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . The manuscript was presented by Eduard Reuss , Bishop of Imbro , to Nicephorus Glykas . 1 +Strathairn attended Williams College in Williamstown , Massachusetts , and graduated from Redwood High School in Larkspur , California , in 1970 . Strathairn visited the Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts in 1970 . 0 +In 2015 Trinity Mirror bought Local World 's newspapers and online services . In 2015 , Local World bought newspapers and online services from Trinity Mirror . 0 +Kayalar is a village connected to the Tirebolu district of the province of Giresun . Kayalar is a village connected to the Giresun district of Tirebolu province . 0 +Two days later , in their annual game , Navy Army beat , 6-4 . Two days later , at their annual game , Navy beat Army , 6-4 . 1 +However , a few families were permitted to live in two villages , Endingen and Lengnau , in Switzerland which became the Jewish ghetto in Aargau . However , a few families were allowed to live in two villages , Endingen and Lengnau , in the Aargau , which became the Jewish ghetto in Switzerland . 0 +In 1914 , the Sunset Hotel closed and the Oceanic Hotel was purchased by John Barber . In 1914 the Sunset Hotel was closed and the Oceanic Hotel bought by John Barber . 1 +After the 2015 season , Seoul FC Martyrs left the league , but three new teams Buyeo FC , Siheung Citizen and Yangpyeong FC joined the league . After 2015 season Seoul FC Martyrs left the league , but three new teams Buyeo FC , Siheung Citizen , and Yangpyeong FC joined it . 1 +The shortest remaining time is short because advantageous processes are handled very quickly . The shortest time remaining is advantageous because short processes are handled very quickly . 0 +During the reign of Ali Adil Shah II of Bijapur Sultanat , Afzal Khan was a leading figure of the court . Ali Adil Shah II was a leading hoffigur during the reign of the Bijapur Sultanate of Afzal Khan . 0 +Much of the work uses words in the local Geordie dialect . For translations , see Geordie dialect words . Much of the work uses words in Geordie Geordie Dialect , for translations , see local dialect words . 0 +The album received a largely positive critical response compared to bands of the 60s , such as The Velvet Underground and The Grateful Dead . The album received a largely positive critical response , being much compared to bands of the 1960s , such as The Velvet Underground and The Grateful Dead . 1 +If an Autonumber is a random integer , the property codice 3 determines whether it is the start + increment or long form . If an Autonumber is a long integer , the property codice 3 determines whether it is from the start + increment or random form . 0 +For the 2012 CPAC conference , the John Birch Society board voted to not invite GOProud or the ACU to the 2012 conference . For the CPAC - Conference 2012 , the Board of the John Birch Society agreed not to invite GOProud or the ACU to the 2012 conference . 1 +Similarly , the northern populations annually migrate between regions west of the Rocky Mountains , including Western Canada , and overwintering areas on the California coast . Similarly , the northern populations migrate annually between regions west of the Rocky Mountains , including western Canada and overwintering sites on the coast of California . 1 +Horace W. married Horace W. Goggins , a dentist . They had a son whom they named Juanita , II . They married Horace W. Goggins , a dentist , a son whom they named Juanita II . 1 +Collera is one of nine parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadesella , northern Spain . Collera is one of nine parishes ( administrative divisions ) in Ribadesella , a municipality within the province and autonomous community of Asturias , in northern Spain . 0 +""" Gynacantha rosenbergi "" appears greater than "" Gynacantha dobsoni "" , which is quite similar in many ways ." """ Gynacantha rosenbergi "" appears larger than "" Gynacantha dobsoni "" , which in many ways is quite similar ." 1 +It was released on April 6 , 2010 as a digital download and added to Modern Rock radio in the United States on May 5th , 2010 . It was added on 6 April 2010 as a digital download and published on Modern Rock radio in the United States on May 5th , 2010 . 0 +He married Peter Dobree ( 1770 -- 1845 ) , youngest daughter of Elizabeth of Beauregarde , Guernsey . He married Peter Dobree ( 1770 - 1845 ) , youngest daughter of Elizabeth of Beauregarde , Guernsey . 1 +According to the Syrian state news agency PressTV , a survey by The Doha Debates showed that 55 % of Iranian respondents did not want Assad to resign . According to Syrian state news agency PressTV , a poll conducted by The Doha Debates showed that 55 % of Iranian respondents did not want Assad to resign . 1 +Under the leadership of Horace Trumbauer , the current 16th Street Clubhouse was built by architect George D. Widener . The current 16th Street Clubhouse was built under the direction of George D. Widener by the architect Horace Trumbauer . 0 +In March , they begin to feed on green plant vegetation , and these fresh greens form 90-99 % of their stomach composition from April to September . In March , they begin to feed themselves on fresh plant vegetation , and these green greens form 90-99 % of their stomach composition from April to September . 0 +He acquired buildings in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . He bought homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . 0 +Born in Bedford , Gavin Plumley was educated at Monmouth School and read music at Keble College , Oxford . He lives in Dundee . Gavin Plumley was born in Dundee , studied at Monmouth School and read at Keble College , Oxford , where he lives in Bedford . 0 +He left London in 1854 and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . Cooper left Australia in 1854 and returned to London , where he , a confirmed bachelor , lived until his death at the age of ninety . 0 +Regular polygon is thus a tangential polygon . A tangential polygon is thus a regular polygon . 0 +Born in 1783 in Sheffield as second son of Isabella and Thomas Beilby , the family moved to Birmingham in 1783 . Born in Birmingham in 1783 as the second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . 0 +Brett Steven won the tournament , beating Thomas Enqvist in the final , 4 -- 6 , 6 -- 3 , 7 -- 6 ( 0 ) . Brett Steven won the tournament and struck Thomas Enqvist in the final , 4 -- 6 , 6 -- 3 , 7 - 6 ( 0 ) . 1 +Originally called Columbia Road this trail became Ridge Road . Originally called Columbia Road , this Trail Ridge Road became . 1 +The wingspan is . The moth flies from July to August depending on the location . The wingspan flies , the moth comes depending on the location from July to August . 0 +Harun fled Libya immediately for Italy , where he was arrested on June 24 , 2011 . Immediately Harun fled Italy to Libya , where he was arrested on 24 June 2011 . 0 +The 1912 - 13 season was Manchester United 's sixth season in the Football League and 21st in the First Division . The 1912-13 season was the sixth season of Manchester United in the Football League and the 21st in the First Division . 1 +""" Point Blank 1.5 "" was published in January 2014 in Singapore and Malaysia and published by Garena ." """ Point Blank 1.5 "" was published in Singapore and Malaysia in January 2014 , released by Garena ." 1 +As a senior team with a compliant stadium , they are entitled to enter the Scottish Cup . As a senior citizen with a compliant stadium , they are entitled to enter the Scottish Cup . 1 +In 1806 Louis Napoleon assigned his brother Louis Bonaparte , a Catholic , to the throne of the Netherlands . In 1806 , Louis Bonaparte ordered his brother Louis Napoleon , a Catholic , to the throne of the Netherlands . 0 +The analytic functions are , in some sense , the antitheses of the flat functions . In a sense , the flat functions are the antitheses of the analytic functions . 0 +Born in Alpheton , Suffolk in 1794 , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . Born in 1794 in Alpheton in Suffolk , Thomas Clark joined William Debenham in a partnership to manage a draper 's store at 44 Wigmore Street in London . 1 +Ann is married to Jennifer Aull , who works with Ann in the Greenpoint Reformed Church in Brooklyn as pastors . Ann is married to Ann , who pastors with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn . 0 +"He sang in Europe at Le Lido in Paris and joined Betty Grable in the London West End Musical "" Belle Starr "" ." "In Europe , he sang at Le Lido in Paris and appeared with Betty Grable in the London West End musical "" Belle Starr "" ." 1 +The station was built by the New Yorker , New Haven and Hartford Railroad in 1915 along the former Connecticut Valley Railroad line . The station was built in 1915 by the New York , New Haven and Hartford Railroad along the former Connecticut Valley Railroad line . 1 +In 1930 , it was acquired by AVCO to become American Airlines . In 1930 , it was purchased by American Airlines to become AVCO . 0 +The PBA season of 2002 was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . The FedEx Express season 2002 was the first franchise season in the Philippine Basketball Association ( PBA ) . 0 +She was to become the mother of Akbar 's oldest surviving son and successor , Jehangir . She was to become the mother of Akbar 's eldest surviving son and successor , Jehangir . 1 +The Stroe River is a tributary of the River Nechitu in Romania . The Stroe River is a tributary of the Nechitu River in Romania . 1 +Nadia Petrova defeated Agnieszka Radwańska , 6 -- 4 , 6 -- 7 , 6 -- 4 . Nadia Petrova defeated Agnieszka Radwańska , 6 -- 4 , 6 - 7 , 6 -- 4 . 1 +On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground train station Filderstadt . Deutsche Bahn opened a new underground tunnel to the new Filderstadt railway station on 29 September 2001 . 0 +During the competition , they lost 50-25 to Zimbabwe , 84-16 to Tanzania , 58-24 to South Africa . They lost 50-25 to Zimbabwe during the competition , 84-16 to Tanzania , 58-24 to South Africa . 1 +Since it is only about 100 miles from New York City , WHCN uses a co-channel antenna to avoid directional interferences with WQXR-FM . Because it is only about 100 miles from New York City , WHCN uses a co-channel antenna to avoid directional interference with WQXR-FM . 1 +The system connects the city of Caracas with the capital city of Los Teques . The system connects the city of Caracas with the capital of Los Teques . 1 +Rubenstein has two honorary doctorates : Doctor of Hebrew Letters ( Jewish Theological Seminary ) and Doctor of Humane Letters ( Grand Valley State University ) . Rubenstein has two honorary doctorates : Doctor of Hebrew Letters ( Grand Valley State University ) and Doctor of Human Letters ( Jewish Theological Seminary ) . 0 +He served in Salem from 1982 to 1983 as a superintendent of the police and in Dharmapuri from 1983 to 1985 . As Superintendent of Police , he served in Dharmapuri from 1982 to 1983 and Salem from 1983 to 1985 . 0 +Noam Galai ( born September 9 , 1984 in Jerusalem ) is a New York City based Israeli photographer . Noam Galai ( born September 9 , 1984 in New York City ) is an Israeli photographer based in Jerusalem . 0 +He moved to New York City after a short stay in New Orleans with his cousin . He moved to New Orleans after a short stay in New York City with his cousin . 0 +"Early charges used the term "" obscenity "" as well as after "" Miller v. California "" , though the term "" pornography "" remained as a reference entry :" "Early charges used the term "" obscenity "" as well as "" Miller v. California "" , though the term "" pornography "" remained as a reference entry :" 1 +The citizens rejected the Burgundian bishop and the new influence that led to the Liège wars was exiled to Maastricht by Louis . The citizens rejected the new bishop and the Burgundian influence , which led to the Liège Wars . Louis was exiled to Maastricht . 0 +Strathairn attended Williams College in Williamstown , Massachusetts , and graduated from Redwood High School in Larkspur , California , in 1970 . Strathairn attended Williams College , Williamstown , Massachusetts , and graduated from the Redwood High School in Larkspur , California in 1970 . 1 +""" Opson "" is therefore Banchan in Japanese and Okazu in Korean cuisine equivalent ." """ Opson "" is therefore Banchan in Korean cuisine and Okazu in Japanese cuisine equivalent ." 0 +They refused and Findlay declared the team and disqualified Montreal the winners . They refused and thus Findlay declared the team and disqualified Montreal the winners . 1 +Comics sold on newsstands were distributed on the basis that unsold copies were returned to the publisher . The comics distributed on kiosks were sold on the basis that unsold copies were returned to the publisher . 0 +Several streets are named after him , including the roads in Ballarat , Melton , Buninyong , Geelong West , Brighton . Several streets are named after him including streets in Ballarat , Melton , Buninyong , Geelong West , Brighton . 1 +The following players played a representative first match in 2018 . The following players have played a first grade representative match in 2018 . 0 +He served at the end of his era under Trujillo , and later Duvalier ruled in Haiti . He served under Trujillo during the end of his era , and later ruled Duvalier in Haiti . 1 +Panchakule is a town and Village Development Committee in Dang Deokhuri District in the Rapti Zone of south-western Nepal . Panchakule is a town and village development committee in Nepal , in the Rapti zone of the southwestern Dang Deokhuri District . 0 +Article 4 is immutable and the Council of Guardians ensures that all articles of the Constitution as well other laws are based on Islamic criteria . Article 4 is Islamic , and the Council of Guardians ensures that all articles of the Constitution and other laws are based on immutable criteria . 0 +In November of 2005 , Mitchell sold the weekly to Robert Israel Plotkin from Bolinas , California . In November 2005 , Robert Israel Plotkin sold the weekly to Mitchell of Bolinas , California . 0 +Antillophos bahamensis is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Antillophos bahamensis is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +Tousignant served in the 31st and 32nd Canadian Parliaments before beating the Progressive Conservative Party in the 1984 election by Gabriel Desjardins . Tousignant served in the 31st and 32nd Canadian Parliaments before being defeated in the 1984 election by Gabriel Desjardins of the Progressive Conservative party . 1 +The initial intention of creating a non-private radio sector was to create an alternative to the business interests of the private radio sector . The initial intention of creating a non-private sector of radio was to create an alternative to the corporate interests of the private radio sector . 1 +The idea of the ensemble is further discussed in the article Mathematical Ensemble ( Statistical Physics ) . The idea of the ensemble is discussed further in the article Statistical ensemble ( mathematical physics ) . 0 +The retroflex fricatives and palatal fricatives represent dialectally different pronunciations of the same sound , not separate phonemes . The separate fricatives and retroflex - fricatives dialectally represent different pronunciations of the same sound , not palatal phonemes . 0 +From 1969 , the family lived in rented houses in California , close to the recording studios in Los Angeles . From 1969 onwards the family lived in rented houses in Los Angeles , close to California recording studios . 0 +It was held by John Richard Fitz Gilbert . It was held by John from Richard Fitz Gilbert . 0 +A few years later , after Obasanjo died and General Abdulsalami Abubakar took power , General Abacha was released and pardoned . A few years later , General Obasanjo was released and pardoned after Abacha died and after General Abdulsalami Abubakar took over power . 0 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and performed at the Los Angeles Sunset Junction Festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and co-headlined Los Angeles ' Sunset Junction festival . 0 +The Council 's weak legislative design , however , makes it only a very functional review mechanism . However , the Council 's weak legislative approach only makes it a very functional review mechanism . 1 +This radioactive heavier isotope can be new ( stable or unstable ) depending on the chemical element involved . This heavier radioactive isotope may be new depending on the chemical element ( stable or unstable ) . 1 +In March 1298 , he received official Mongolian recognition as the ruler of Burma . He received Mongol official recognition as the ruler of Burma in March 1298 . 1 +It turns to the north on the side of the Mont Rouge du Giétro and then west between Le Pleureur and Mont Rouge . It curves to the north on the side of Mont Rouge du Giétro and then descends to the west between Le Pleureur and Mont Rouge . 1 +""" Town Without Pity "" is a song written by composer Ned Washington and lyricist Dimitri Tiomkin ." """ Town Without Pity "" is a song written by the composer Ned Washington and lyricist Dimitri Tiomkin ." 1 +The destroyer was ordered inactivated in 1922 ; and , on 12 April , entered the Philadelphia Navy Yard where she was decommissioned on 17 July 1922 . The destroyer was defeated in 1922 and entered on 12 April in the Philadelphia Navy Yard , where she was inactivated on 17 July 1922 . 0 +"The seven "" Doctor "" films were developed from the books , directed by Ralph Thomas and produced by Betty Box ." "The seven "" Doctor "" films were developed from books produced by Ralph Thomas and directed by Betty Box ." 0 +Cheetham , born on 30 January 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . Cheetham , born on 30 January 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . 0 +Portrayed by Soichiro Akizuki , Kantaro Suga is . Soichiro Akizuki is portrayed by Kantaro Suga . 0 +The application allows players to track their physical map collection , play a virtual version of the TCG , and view the monsters in augmented reality . The application allows players to track their physical card collection , play a virtual version of the TCG , and view the monsters in augmented reality . 1 +Internal mass migration also took place when 2 million Americans migrated to California , 1.2 million of which were located in Los Angeles . Internal mass migration also took place when 2 million Americans migrated to California , of which 1.2 million settled in Los Angeles . 1 +He left Italy in 1991 to work in the field of palliative care for cancer patients in Germany as well as in various countries in the Third World . He left Germany in 1991 to work in the palliative care of cancer patients in Italy as well as in various Third World countries . 0 +He performed at the festivals of Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . He has performed at the Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach festivals . 1 +However , it can be used to control VST instruments which you can then record . However , it can be used to control VST instruments , which you can record . 1 +Gelechia hetaeria is a moth of the Gelechiidae family . It is found in Mexico ( Veracruz ) . Gelechia hetaeria is a moth from the family of gelechiidae , which is found in Mexico ( Veracruz ) . 1 +The music was written by Mariamma Philip and the lyrics by Darsan Raman composed . The music was composed by Darsan Raman and lyrics was written by Mariamma Philip . 0 +Needs are also defined according to the existential categories of being , having , doing and interacting , and from these dimensions , a 36 cell matrix is developed Needs are also defined according to the existential categories of being , having , action and interaction , and from these dimensions a 36 - cell matrix is developed . 1 +This leads him to question further the reality of his very life , providing the existential element . This leads him to question the reality of his existential life further by delivering the very element . 0 +In Western Australia it is found along water courses and in seasonally sandy sites throughout the Kimberley region where it grows in wet alluvium . In Western Australia , it is found along water courses and seasonally humid sites throughout the Kimberley region , where it grows in sandy alluvium . 0 +There are 18 or 20 early schools in the old texts . In the early texts , 18 or 20 old schools are mentioned . 0 +On the album charts , the album peaked at number 1 in Norway and number 16 in Sweden . On the album charts the album reached number 1 in Norway and number 16 in Sweden . 1 +Chananian is a village in Azad Kashmir of Leepa Valley , Hattian Bala District , Pakistan . Chananian is a village in the Leepa Valley , Hattian Bala district of Azad Kashmir , Pakistan . 0 +Henderson married Richard Henderson , with whom he had a son , Vera Cameron Price Fitz Randolph , on August 23 , 1923 . Henderson married Richard Henderson on August 23 , 1923 , with whom he had one son , Vera Cameron Price Fitz Randolph . 1 +Monks Bay is situated on the southern coast of the Isle of Wight , England , to the east of the village of Bonchurch . is situated on the southern coast of the Isle of Wight , England , east of the village of Monks Bay . 0 +The cast list indicates a date of first performance after Taylor joined the company in the Spring of 1619 , and before Tooley 's death in June 1623 . The casting list indicates a first performance date after Taylor joined the company in the spring of 1619 and before the death of Tooley in June 1623 . 1 +This North American East Hour series was broadcast from 22 May to 10 July 1966 on Sundays at 3 : 00 p.m. ( half time ) . This half-hour series was broadcast from 22 May to 10 July 1966 on Sundays at 3 p.m. ( East North American Time ) . 0 +"On 9th July , during her first line period , LCDR John B. Nichols claimed "" Ticonderoga 's "" fifth MiG kill ." "On July 9 , during their fifth line period , LCDR John B. Nichols "" Ticonderoga "" first MiG - Kill claimed ." 0 +Later tetrodes and pentodes such as 817 and ( direct military ) 813 were also used in large numbers in ( especially heated ) radio transmitters Later , tetrodes and pentodes such as 817 and 813 ( direct military ) were also used in large quantities in ( especially heated ) radio transmitters . 1 +"The "" Ruby Cup "" of the newspaper "" Molod Ukrayiny "" ( for most gates ) was received by SKA Kiev ." "The "" Ruby Cup "" of "" Molod Ukrayiny "" newspaper ( for the most received goals ) was scored by SKA Kiev ." 0 +Diamonds and Batts lost the match after Sabin Batts held him , and he did not join the diamond . Diamond and Batts lost the match after Sabin pinned Batts , and he did not join the Diamonds . 1 +Discretization is also related to granular mathematics , and is an important component of discrete computing . Discretization is also linked to discrete mathematics and is an important component of granular computing . 0 +Basque folk music Bambuco has Colombian roots . Bambuco , a Colombian folk music , has Basque roots . 0 +The cynical manipulation of Stavely 's easily corruptible islanders was interpreted as an indictment of American imperialism and the cultural tyranny of Western missionaries . Stavely 's cynical manipulation of the easily corruptible islanders has been interpreted as an indictment of American imperialism and the cultural tyranny of Western missionaries . 1 +The trophy was designed by Montse Ribé and inspired by the fireplaces of Antoni Gaudi 's la Pedrera . The trophy was designed by Antoni Gaudi and is inspired by the chimneys of Montse Ribé 's la Pedrera . 0 +On 23 January 2006 , Ericsson acquired a majority stake in the parent company of Marconi Communications , Marconi Corporation plc . The rest of Marconi Corporation plc was renamed Telent plc . On 23 January 2006 , Ericsson acquired a majority of Marconi Communications ' parent company , Marconi Corporation plc . The remainder of Marconi Corporation plc was renamed Telent plc . 1 +Barrallier Island is a very small uninhabited island that is located northwest of French Island in Victoria , Australia . French Island is a very small uninhabited island situated northwest of Barrallier Island in Victoria , Australia . 0 +Nationalism is nationalism , which claims that Romanians are a nation and promotes the cultural unity of the Romanians . Romanian nationalism promotes nationalism , which claims that Romanians are a nation and the cultural unity of the Romanians . 0 +"If "" f "" is in the Hardy - Space "" H "" , then it has a factorization" "If "" f "" is in Hardy space "" H "" , then it has a factorization" 1 +Julio Peralta and Horacio Zeballos won the title and defeated Sergio Galdós and Luis David Martínez 6 -- 2 , 6 - 2 in the final . Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 : 2 , 6 : 2 in the final . 0 +""" m "" is the number of edges and "" n "" represents the number of corners ." """ m "" is the number of edges and "" n "" represents the number of vertices ." 1 +For shopping there is Pakistani Market and a similar Russian Market in Russian blocks . There is a Russian market for shopping and a similar Russian market in Pakistani blocks . 0 +Jalari is one of the villages of Hamirpur , Nadaun , India . Jalari is one of the villages in the Nadaun of Hamirpur , India . 0 +During the Vietnam War , the 12th Field Battery also served with the 104th Field Regiment -- to which the 161st Field Battery RNZA was also attached . During the Vietnam War , the 104th field battery also served with the 12th field regiment , which was also assigned to the 161th field battery RNZA . 0 +After the massacre , they left the corpses and brought them to the swamps of the Rayer - Bazaar . After the massacre they brought the corpses and left them into the swamps of Rayer Bazaar . 0 +The Blauvelt family first arrived in Rockland County in 1638 , and first arrived in America in 1683 . The Blauvelt family arrived in America in 1638 and first arrived in 1683 in Rockland County . 0 +Janković was the third seed at Wimbledon , but in the fourth round he lost finalist Marion Bartoli to the surprise . Janković was the fourth seed at Wimbledon , but lost in the third round to the surprising finalist Marion Bartoli . 0 +Then Scott and Short traveled overland to the Kentucky River to claim the land that they would later investigate . Scott and Short then traveled overland to the Kentucky River to claim the land they would later examine . 1 +The music was composed by K. Ayyappa Panicker and Kavalam Narayana Panicker and the lyrics by M. B. Sreenivasan were written . The music was composed by K. Ayyappa Panicker and Kavalam Narayana Panicker and lyrics was written by M. B. Sreenivasan . 1 +It was also distributed in Japan , the United States ( where it was first banned , then published in a highly cut version ) , England and France . It was also banned in Japan , the United States ( where it was first released , then cut in a heavily distributed version ) , England and France . 0 +The host wafts incense over the table , then lifts and breaks the bread . The host spills incense over the table , then lifts and breaks the bread . 1 +It has not been held since the 2008 event , and there are no plans for it to be reimplemented yet . It has not yet been held since the 2008 event , and there are no plans currently for it to be held again . 0 +He was an atheist in early life but converted into a believer in the later stages . He was an atheist in early life , but transformed into a believer in the later stages . 1 +""" The Brute Man "" was the second episode of the seventh season , broadcast on February 10 , 1996 in Comedy Central ." """ The Brute Man "" was the seventh episode of the second season that was broadcast on February 10 , 1996 in Comedy Central ." 0 +Note : The article in architecture in 1790 states that the house was completed in 1790 and built by Don Santiago Lorreins . NOTE : The 1790 in architecture article states that the house was finished in 1790 and was built by Don Santiago Lorreins . 1 +The following table lists all the games that the Brazilian national football team played in official competitions and friendly matches during 1983 . The following table lists all the games played by the Brazil national football team in official competitions and friendly matches during 1983 . 1 +The tributaries of the Cascapédia upstream are ( in a significant order ) : The significant tributaries of the Cascapédia River are ( in upstream order ) : 0 +"In 1654 , Oliver Cromwell , the Irish parliament , gave a free hand to banish the British "" undesirables ." "In 1654 the Irish parliament gave Oliver Cromwell a free hand to banish British "" undesirables "" ." 1 +"The "" overall binding energy per nucleon "" would be this value divided by "" A "" ." "The total energy binding per nucleon "" would be this value divided by "" A "" ." 0 +Finally , we say that if Formula 11 is regular , a distribution is concave . Finally , we say that the distribution is regular if Formula 11 is concave . 0 +The Mundy family owned the Manor of Allestree from 1516 until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . In 1516 , the Mundy family owned the manor house of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . 0 +Its villages include Dry Tavern , Normal Square ( also in the West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . Its villages include Dry Tavern , Jamestown , Mahoning Valley ( also in West Penn Township , Schuylkill County ) , Neu Mahoning , Normal Square , and Packerton . 0 +Local intradermal injection of botulinum toxin in focal neuropathies is helpful and chronically painful . Local intradermal injection of botulinum toxin is helpful in chronic focal painful neuropathies . 0 +"If "" A "" and "" B "" Banach are rooms , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B "" are Banach spaces the algebraic tensor product of "" A "" and "" B "" means the tensor product of" 1 +She was scrapped and sold on 19 July 1973 . On 19 July 1973 she was sold and scrapped . 0 +Sometimes the term is used in exclusive reference to Mexico & Guatemala . The term is sometimes used in exclusive reference to Guatemala and Mexico . 1 +He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he changed to CBS Sports . He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to CBS Sports . 1 +District Viñac is one of thirty-three districts in the province of Yauyos in the region Lima in Peru . Viñac District is one of thirty-three districts of the Lima Region in the Yauyos Province of Peru . 0 +The Curtis Museum in Alton , is a local history museum in Hampshire , England . The Curtis Museum in Hampshire , England , is a local museum in Alton . 0 +( MD 625 ) continues to the north through Hughesville on Old Leonardtown Road . Continue to the north through Hughesville on Old Leonardtown Road ( MD 625 ) . 1 +Taungya also meant that after a few years the British or their agents would return to the previously cut off areas to harvest the newly planted teak wood . Taungya also meant that the British or their agents would return to the previously cut areas after some years to harvest the newly planted teak . 1 +It was formed by Astrid M. , Robert N. and Olaf K. in 1998 . It was formed in 1998 by Astrid M. , Robert N. and Olaf K . 1 +In August , their joint team lifted the Merdeka Cup in Malaysia , while their junior team was national masters in Asian youth football . In August , their joint team had lifted the Merdeka cup in Malaysia , while their junior team was national champions in Asian Youth football . 1 +Via the Appomattox River and the Bush River , it is part of the James River watershed . Via the Appomattox River and the Bush River , it is part of the watershed of the James River . 1 +Prince Saud married a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman in 2010 , who is a great grandson of Muhammed bin Abdul Rahman . In 2010 , Muhammed bin Abdul Rahman married a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman , who is a great-grandson of Saud . 0 +In 2011 George Maguire appeared as Richard Loeb in Thrill Me , first at the Charing Cross Theatre in London and then at the Tristan Bates Theatre . In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first in the Tristan Bates Theatre in London , and then in the Charing Cross Theatre . 0 +Allie sails from England to Australia alone after her father 's death . After her father 's death , Allie sails alone from England to Australia . 1 +If the price is above the Senkou spread , the first line serves as the top support level , while the second line serves as the bottom support level . If the price is above the Senkou span , the top line serves as the first support level while the bottom line serves as the second support level . 0 +William Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of John Franklin Armstrong and Mary W. I. Monroe . John Franklin Armstrong was born on 14 November 1819 at Lincoln County , Tennessee , the son of William Armstrong and Mary W. I. Monroe . 0 +Healey left the role in series eight in August 2012 and played the role once again , on 27 September 2012 . Healey played the role in series production in August 2012 and left the role again on September 27 , 2012 . 0 +Antonio recently appeared in Ireland with the singer Donovan and the special guest Chris De Burgh and with Eoin Dillon ( Kila ) in Ireland . Recently Antonio appeared in Ireland in duo with singer Chris De Burgh and special guest Eoin Dillon , and with Donovan ( Kila ) . 0 +They refused and thus Findlay disqualified the team and declared Montreal the winners . They refused and Findlay declared the team and disqualified Montreal the winners . 0 +Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 - 6 , against Andrew Castle and Roberto Saad . Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Gary Donnelly and Jim Grabb . 0 +Aimee Semple McPherson engaged Brook Hawkins from the Winter Construction Company , the architect of the Culver Hotel , the Metropolitan Theatre des Grauman and the Pasadena Playhouse . Aimee Semple McPherson hired Brook Hawkins from Winter Construction Company , the architect of the Pasadena Playhouse , the Grauman 's Metropolitan Theatre and the Culver Hotel . 0 +Thus divisible groups are injective modules in the category of abelian groups , and conversely , every injective abelian group is divisible ( Baer 's criterion ) . Thus , injective Abelian groups in the category of Abelian groups are divisible modules , and vice versa , every injective group is divisible ( baer - criterion ) . 0 +In rats , it also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin . It also inhibits the peripheral , though not central secretion of oxytocin and vasopressin in rats . 1 +While prostitution in Canada is illegal , most of the activities related to prostitution are legal . While prostitution in Canada is legal , most activities relating to prostitution are illegal . 0 +Nick Bolen ( formerly Dominic ; Jeffrey Nordling ) is the manipulative husband of Angie Bolen . Nick Bolen ( formerly known as Dominic ; Jeffrey Nordling ) is the manipulative husband of Angie Bolen . 1 +We find the following local item , which was telegraphed to the Republican fayette from Cedar Rapids , March 6 , 1885 . """ We find the following local item telegraphed to the Fayette Republican from Cedar Rapids , March 6 , 1885 ." 1 +John 's mother Sinclair T. Chitty married his father Thomas Kincaid Blake Jr. at the age of 15 . Sinclair T. Chitty , his mother , married at the age of 15 his father Thomas Kincaid Blake Jr.. 1 +Christina is shocked and does not believe Wilhelmina . Christina is shocked and Wilhelmina does not believe . 1 +Alison Teresa Thiessen ( born October 19 , 1992 in Edmonton , Alberta , Alison Kotylak ) is a Canadian curler . Alison Teresa Thiessen ( born October 19 , 1992 in Edmonton , Alberta as Alison Kotylak ) is a Canadian curler . 1 +It is distributed from China to Siberia and found in rocky slopes or dry places . It is distributed from China to Siberia and found growing in dry slopes or rocky places . 0 +In 1975 he moved to Odibo , and in 1977 returned to Windhoek . In 1975 he moved to Odibo and returned to Windhoek in 1977 . 1 +Route 130 leads north to Olney and east to Grayville , while Route 15 leads to the west of Fairfield and south to Mount Carmel . Route 130 leads north to Olney and south to Grayville , while Route 15 to the east leads to Mount Carmel and west to Fairfield . 0 +The river Buzăiel is a tributary of the River Tătaru in Romania . The Tătaru River is a tributary of the Buzăiel River in Romania . 0 +"Three of these joints are true anatomic joints , while two physiological ( "" false "" ) joints are ." "Three of these joints are incorrect joints , while two true anatomical ( "" physiological "" ) joints are ." 0 +Sam has a much younger brother named Hank Bennett who is not much older than Sam 's eldest son . Sam has a much younger brother called Hank Bennett , who is not much older than Sam 's eldest son . 1 +A. R. Christensen ( December 17 , 1906 - January 27 , 1967 ) was a Christian newspaper . Norwegian A. R. Christensen ( 17 December 1906 -- 27 January 1967 ) was a Christian newspaper editor . 0 +According to Bryan , Muftić was a true scientist in every way ( who ) always looked for psychological explanations of physical and chemical problems . According to Bryan , Muftić was , in every respect , a true scientist who always looked for physical and chemical explanations for psychological problems . 0 +Another memorable ruler was Max Franz ( ruled 1784 -- 1794 ) , who founded the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who dominated the university and spa quarter of Bad Godesberg . 0 +For the first history of northern India , the inscription is therefore of linguistic significance . The inscription is , therefore , of linguistic importance for the first history of northern India . 1 +The Kelso High School provides primary education and upper secondary education is provided by Edenside Primary and Broomlands Primary . Kelso High School provides primary education to the town , and secondary education is provided by Edenside Primary and Broomlands Primary . 1 +Geographically , the NDP campaign focused on targeting seats in Toronto in Ottawa , Hamilton , Scarborough , and Etobicoke and North Ontario . Geographically , the NDP campaign focused on targeting seats in Scarborough and Etobicoke in Toronto , Hamilton , Ottawa and Northern Ontario . 0 +There is a collapsible water tank and a fuel tank with a removable hat for cleaning . There is a collapsible water tank and a fuel tank with removable hatch for cleaning . 1 +Minervén Sport Club , formerly known as Minervén Bolívar Fútbol Club , is a Venezuelan football club . Minervén Sport Club , formerly Minervén Bolívar Fútbol Club , usually known as Minervén , is a Venezuelan football ( soccer ) club . 1 +Baden Powell was a student at the Naval Academy after reading a book by Mimi Sodré called Scouting for Boys , when he was interested in the scouting . Mimi Sodré was a student at the Naval Academy when he was interested in scouting after reading a book by Baden Powell called Scouting for Boys . 0 +Theodosius died 395 in Milan and was buried in Constantinople . Theodosius died 395 in Constantinople and was buried in Milan . 0 +In 2006 , Silverlake Partners sold to Goldman Sachs for $ 800 million . Goldman Sachs sold the company to Silverlake Partners in 2006 for $ 800 million . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Burkina Faso and currently Ghana 's Ambassador to Ghana . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso . He is currently Ghana 's ambassador to Ghana . 1 +According to the dictionary of the National Biography of 1885 , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his supporters . According to the 1885 Dictionary of National Biography , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . 0 +It is used as measure of absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per mass unit ) . It is used as a measure of absorbed dose , kinetic energy ( released ) , and kerma ( an acronym for specific energy imparted per unit mass ) . 0 +A Chinese version , the T28sc was published in China with support for reading and entering special characters . A Chinese version , the T28sc was released in China with support for reading and entering special characters . 1 +The white spur is curved upwards and cylindrical , longer than the ovary . The cylindrical spur is curved upwards and white , longer than the ovary . 0 +Burton Creek State Park is a State Park of California , USA , in Placer County near Truckee . Truckee is a state park of Burton Creek State Park , in Placer County , near California . 0 +Dragon Dragon Wars is a fantasy role-playing game developed by Rebecca Heineman and published in 1989 by Interplay Productions and distributed by Activision . Dragon Dragon Wars is a fantasy role-playing videogame developed by Rebecca Heineman and published in 1989 by Activision and distributed by Interplay Productions . 0 +"Daughter Mary W. ( "" May "" ) Baldwin ( 1871 - 1961 ) married Duncan Bell Murdoch ( 1860 -- 1964 ) ." "Daughter Duncan Bell Murdoch ( "" May "" ) Baldwin ( 1871 -- 1961 ) married Mary W. ( 1860 -- 1964 ) ." 0 +Moore was survived by his wife Lillian and their daughter Marjorie Ann Snave . Moore was survived by his wife Lillian , and daughter Marjorie Ann Snave . 1 +"Garcia played the first base umpire in the 1999 movie "" For Love of the Game "" , starring Kevin Costner and Kelly Preston ." "Kevin Costner and Kelly Preston played the first base referee in the 1999 movie "" For Love of the Game "" ." 0 +The 1945 San Diego State Aztecs football team represents San Diego State College during the College - Football - Season 1945 . The 1945 San Diego State College football team represented San Diego State Aztecs during the 1945 college football season . 0 +He was a member of the Louisiana State Fair Board , chairman of the State Fair Stadium Commission , and a commissioner of the Louisiana Superdome in New Orleans . He was a member of the Louisiana State Fair Board , Chairman of the State Fair Stadium Commission and Commissioner of the Louisiana Superdome in New Orleans . 1 +By the middle of the 7th century , alchemy was an almost mystical discipline . By the middle of the 7th century , alchemy was an almost mystical discipline . 0 +Cory S. Sheffield described the species in 2013 , naming the specific name in honor of Noam Chomsky . Noam Chomsky described the species in 2013 and named the specific name in honor of Cory S. Sheffield . 0 +Brokenstraw Creek is a tributary of Coffee Creek in Warren County , Pennsylvania in the United States . Coffee Creek is a tributary of the Brokenstraw Creek at Warren County , Pennsylvania , in the United States . 0 +Although the ruins were investigated by Samuel Alejandro Lafone Quevedo in 1888 , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were discovered by Samuel Alejandro Lafone Quevedo in 1888 , they were first investigated in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +High fuel consumption led to poor range characteristics , especially sensitive for use as a reconnaissance vehicle . High fuel consumption led to a sensitive range characteristic , especially poor for use as a reconnaissance vehicle . 0 +The fortress was besieged again from 22 December 1813 until 14 April 1814 by French troops under the command of General Zoller before the Bavarian garrison surrendered . The fortress was once again besieged by Bavarian troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the French garrison capitulated . 0 +In early 1999 , he was instrumental in removing the then opposition leader , Steve Bracks , and electing his successor , John Brumby . In early 1999 , he was instrumental in removing then Opposition Leader Steve Bracks and electing his successor John Brumby . 1 +Combinatorial placement later outperformed Quadratic solutions , in both quality and stability . Quadratic placement later exceeded combinatorial solutions in both quality and stability . 0 +He attended primary and secondary school , and studied preparatory architecture at the ( IAVA ) . He attended the preparatory school and studied primary and secondary architecture at the ( IAVA ) . 0 +Edgar died young in the early 1860s , shortly after Smith 's birth . In the early 1860s , shortly after Edgar 's birth , Young Smith died young . 0 +Shensari is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . Shensari is a village in the Dahanu district of Maharashtra , India . It is located in Palghar Taluka . 1 +"The team , founded in 1906 , won the first American "" double "" when it brought the National Association Football League and American Cup titles in 1912 ." "The team , founded in 1906 , took the first American "" double "" when it won the National Association Football League and the American Cup title in 1912 ." 0 +The position was filled from 2007 , until 13th October 2014 by Mitchel McLaughlin , but has since been succeeded by William Hay . The position was occupied by William Hay from 2007 until 13 October 2014 , but has since been replaced by Mitchel McLaughlin . 0 +The western town line is the border of Steuben County , and the southern town line is the border of Ontario County . The west town line is the border of Ontario County , and the south town line is the border of Steuben County . 0 +Anastasia Myskina won 6-2 , 6-3 against Jelena Dokić in the finals . Jelena Dokić won in the final 6 -- 2 , 6 -- 3 against Anastasia Myskina . 0 +Azem Bejta ( 1889 -- 1924 ) , commonly known as Azem Galica , was an Albanian nationalist and rebel fighting for the unification of Kosovo with Albania . Azem Bejta ( 1889 -- 1924 ) , commonly known as Azem Galica , was an Albanian nationalist and rebel who fought for the unification of Kosovo with Albania . 1 +Along the southern Australian coast , it is found from Shark Bay in Western Australia to Maroochydore in Queensland , including Tasmania . It is found along the southern Australian coast from Shark Bay in Western Australia to Maroochydore in Queensland , including Tasmania . 1 +Mishima is voiced by Sean Chiplock in Japanese and Daisuke Sakaguchi in English . Mishima is spoken in Japanese and Daisuke Sakaguchi in English by Sean Chiplock . 1 +She returned to Brisbane to replenish , and on August 16 sailed on her seventh war patrol . She sailed to Brisbane to replenish , and on 16th August returned on her seventh war patrol . 0 +Desha married his wife , Natasha Hastings , in 1995 . He is the cousin of American sprint athlete Hislop . Hislop married his wife Desha in 1995 , and is the cousin of American sprint athlete Natasha Hastings . 0 +The town of Cortlandville , close to the western border of the county , is surrounded by the city of Cortland . The city of Cortland , near the western border of the county , is surrounded by the town of Cortlandville . 0 +Yanqing Prison is a prison in Beijing in the municipality of Yanqing County , China . Yanqing imprisonment is a prison in Beijing in the municipality of Yanqing County , China . 1 +More advanced research has included harmonic techniques such as Multiphoton microscopy , Second-optical imaging microscopy , Photoacoustic tomography , nonlinear Raman spectroscopy , and diffuse optical spectroscopy . More advanced research included optical techniques such as multiphoton microscopy , secondharmonic imaging microscopy , photoacoustic tomography , nonlinear raman spectroscopy , and diffuse optical spectroscopy . 0 +In 2009 , he joined San Diego Sockers of the Professional Arena Soccer League . In 2009 , he joined the San Diego Sockers of the Professional Arena Soccer League . 1 +It is equivalent to the rank of rear admiral in the United States Navy and the rank of a rear admiral ( upper half ) in the Royal Navy . It is equivalent to the rank of rear admiral in the United States Navy and the rank of rear admiral ( upper half ) in the Royal Navy . 1 +Point Marsden was discovered by William Marsden on March 21 , 1802 , and named after Matthew Flinders , Secretary of the Admiralty . Point Marsden was discovered by William Marsden on 21 March 1802 and named after Matthew Flinders , Second Secretary to the Admiralty . 0 +The New York and Erie Railroad completed its line between Piermont and Dunkirk , New York via Hornell and Salamanca in 1851 . The New York and Erie Railroad completed its route between Piermont and Dunkirk in 1851 , New York via Hornell and Salamanca . 1 +The nearest airport is Devi Aahilya Bai Holkar Airport , Indore . The nearest railway station is Ujjain . The nearest airport is Ujjain , the nearest is Devi Aahilya Airport Bai Holkar , Indore . 0 +Fothergill also served as a member of the executive committee of the Scottish Liberal Agriculture Committee and as chairman of the Scottish Liberal Party . Fothergill also served as a member of the executive committee of the Scottish Liberal Party and as sometime Chairman of the Scottish Liberal Agricultural Committee . 0 +For the simple mirror shown on the diagram , typical values of Formula 8 result in a current match of 1 % or better . For the simple mirror shown in the diagram , typical values of formula _ 8 will yield a current match of 1 % or better . 1 +The album was released on May 2 , 2006 under Vinnie Paul 's own label Big Vin Records , posthumously after Dimebag 's assassination in December 2004 . The album was released on May 2 , 2006 , under Vinnie Paul 's own label Big Vin Records , posthumously after Dimebag 's murder in December 2004 . 1 +The corps was first formed as the 137th Rifle Corps in late 1945 and became the 43rd Rifle Corps ( Second Formation ) in 1955 . The corps was first formed in 1945 as the 43rd rifle corps and became the 137th Gun Corps ( Second Formation ) in 1955 . 0 +Stefan informs Caroline that Alaric ( Paul Wesley ) stopped looking for a way to bring back Damon and Bonnie . Stefan informs Caroline that Alaric ( Paul Wesley ) has stopped looking for a way to get Damon and Bonnie back . 1 +Johannes Vares Barbarus ( -- November 29 , 1946 ) , commonly known as John Vares , was an Estonian poet , doctor , and politician . Johannes Vares Barbarus ( -- 29 November 1946 ) , commonly known as Johannes Vares , was an Estonian poet , medical doctor , and politician . 1 +From 1915 to 1928 Fuller represented Wollondilly for the Nationalist Party and , from 1916 , the Liberal Party . From 1915 to 1928 , Fuller Wollondilly represented the Nationalist Party and the Liberal Party since 1916 . 0 +The Seaborne landings were first proposed by Michael Collins and then taken over by Emmet Dalton . Seaborne landings were first proposed by Emmet Dalton and then adopted by Michael Collins . 0 +He is married with Gordana , with whom he has a son , Daniella ( born 1990 ) and daughter , Dejan ( born 1996 ) . He is married to Gordana , with whom he has a son , Dejan ( born 1990 ) and daughter , Daniella ( born 1996 ) . 0 +The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was finalized in 3D and manufactured in the post-production . The freighter , who in the first episode brought Jaime to Canada from Ponta Delgada , was CGI : the design was made in 3D and finalized in the post-production . 0 +Kennedy is married to his wife Nicole Kennedy ( née MacDonald ) , and they have two daughters . MacDonald is married to his wife Nicole Kennedy ( nee Kennedy ) , and they have two daughters . 0 +For the season in 1951 the circuit merged with the Arizona - Southwest - International League to form the Texas League . For the 1951 season , the circuit merged with the Arizona - Texas League to form the Southwest International League . 0 +Grant holds multiple records in several categories for Utah , including many all-time records , such as : Grant holds several records in multiple categories for Utah , including many all-time records , such as : 1 +Markovac is a village in the Croatia region of Slavonia , located east of Daruvar . The population is 80 ( census 2011 ) . The population is 80 ( census 2011 ) is a village in the Croatian region of Slavonia , located east of Daruvar . 1 +This victory repeated in an Opel Astra in 2003 this victory with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . This victory repeated in an Opel Astra in 2003 this victory with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . 1 +From 1996 to September 2010 he was Ambassador of Belgium to Liechtenstein . From 1996 to September 2010 he was ambassador of Belgium near Liechtenstein . 1 +"The Handbook of the Birds of India and Pakistan is the "" magnum opus "" of Indian ornithologist S. Dillon Ripley , written along with Salim Ali ." "The Birds Handbook in India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist S. Dillon Ripley , written with Salim Ali ." 1 +"In March 1799 Captain David Lloyd replaced Boyle , and sailed "" Hyaena "" for the Mediterranean on 4 March ." "In March 1799 , Captain David Lloyd replaced Boyle and sailed on 4 March with "" Hyaena "" towards the Mediterranean ." 1 +"Though not called "" Norrington "" , it resembles Lieutenant James Norrington and Commodore Norrington from "" ." "Though not called "" James Norrington "" , it closely resembles Lieutenant Norrington and Commodore Norrington from "" ." 0 +Despite the clear separation between the two confederations , both tournaments have a tradition to invite countries outside the region . Both tournaments know , despite the clear separation between the two confederations , a tradition to invite countries outside the region . 0 +"Hartman created the recording board for the sessions produced by Johnny Winter , on which the album "" I 'm Ready "" was ran ." "Hartman ran the recording board for the sessions , produced by Johnny Winter , which created the album "" I 'm Ready "" ." 0 +A funnel is a pipe with a conical mouth , good for feeding , often wide mouth and a narrow stem . A funnel is a pipe with a wide mouth , good for feeding , often conical and a narrow stem . 0 +Stavely 's cynical manipulation of the easily corruptible islanders has been interpreted as an indictment of Western imperialism and the cultural tyranny of American missionaries . The cynical manipulation of Stavely 's easily corruptible islanders was interpreted as an indictment of American imperialism and the cultural tyranny of Western missionaries . 0 +A tower was designed by Barry in 1841 , but it was never built . A spire was designed by Barry in 1841 , but it was never built . 1 +Despite the high employment rate and low unemployment , the community has a low poverty rate . The community has a low poverty rate despite the low participation rate and high unemployment . 0 +The station signal could be heard from Vancouver to Vancouver , British Columbia , Washington . The station signal could be heard from Vancouver to Vancouver , British Columbia , Washington , DC . 1 +Arabic Supplement is a Unicode block that encodes old letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and Arabic Persian . Arabic Supplement is a Unicode block that encodes old letter variants used for writing non-Arabic languages , including the languages of Pakistan and Africa , and Arabic Persian . 1 +The dam is operated by the United States Bureau of Reclamation , which has built it , and is owned by the Elephant Butte Irrigation District . The dam is operated by the United States Bureau of Reclamation , which built it , and is owned by the Elephant Butte Irrigation District . 1 +Temuka was a parliamentary electorate in the Canterbury region of New Zealand from 1911 to 1946 . The electorate was represented by four Members of Parliament . From 1911 to 1946 , Temuka was a parliamentary electorate in the Canterbury region of New Zealand and was represented by four Members of Parliament . 1 +He fought Mike Donovan in a struggle led by a young 21-year-old Wyatt Earp on 4 July 1868 or 1869 in Cheyenne , Wyoming . He fought Wyatt Earp in a bout refereed by a young 21-year-old Mike Donovan on July 4 , 1868 or 1869 in Cheyenne , Wyoming . 0 +"In the United States , where the show is produced , "" Caso Cerrado "" is broadcasted exclusively by Telemundo ." "In the United States , where the show is broadcast , "" Caso Cerrado "" is produced exclusively by Telemundo ." 0 +It is Aarne -- Type 707 Thompson named after him : the dancing water , the speaking apple and the singing bird . It is Aarne -- Type 707 Thompson , named after him : the dancing water , the singing apple and the speaking bird . 0 +Brayshaw ended his career and started with his Club Claremont in the West Australian Football League . Brayshaw began his career and ended his with Claremont Football Club in the West Australian Football League . 0 +He became Professor of Inorganic Chemistry in 1891 and Professor of Analytical and General Chemistry in 1903 . He became professor of general and analytical chemistry in 1891 and professor of inorganic chemistry in 1903 . 0 +The river Lotriorul is a tributary of the River Priporul in Romania . The Priporul is a tributary of the Lotriorul in Romania . 0 +Born in St. Andrews , Scott was raised in Edinburgh and attended the University of St. Andrews , where he studied geology . Scott was born in Edinburgh , grew up in St Andrews and attended the University of St Andrews , where he studied geology . 0 +The Dodgers got their only runs on solo homers by Bill Buckner in the eighth and Willie Crawford in the ninth . The Dodgers received their only runs on Solo - Homers by Willie Crawford in the Eighth and Bill Buckner in the ninth . 0 +Cunningham Elementary School was recognized in 2003 by Governor Jim McGreevey as one of 25 schools selected nationwide for the first annual governor of the School of Excellence Award . Cunningham Elementary School was recognized by Governor Jim McGreevey in 2003 as one of 25 schools selected statewide for the First Annual Governor 's School of Excellence award . 1 +Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Birmingham . Born in Birmingham in 1783 as the second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . 0 +Political movements in other provinces have also tried to use the provincial government as a force to safeguard provincial autonomy and build local identity . Political movements in other provinces have also tried to use the provincial government as a force to build up provincial autonomy and secure local identity . 0 +He became Professor of Inorganic Chemistry in 1891 and Professor of Analytical and General Chemistry in 1903 . In 1891 he became Professor of General and Analytical Chemistry and in 1903 a Professor of Inorganic Chemistry . 0 +Top Gear Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Kemco and published by Snowblind Studios . Hyper Bike is a motorcycle racing game for the Nintendo 64 , which was developed by Snowblind Studios and published by Kemco . 0 +Lucy made her first appearance as Palmer on 25 August 2014 . On 25 August 2014 , Palmer had her first appearance as Lucy . 0 +Yarde sometimes improvised , often while listening to jazz . Yarde sometimes improvised , often while listening to the jazz . 1 +Steve Reicher ( Stephen D Reicher ) is a Professor of Social Psychology and former Head of the School of Psychology at the University of St Andrews . Stephen D. Reicher ( Steve Reicher ) is a Professor of Social Psychology and a former head of the School of Psychology at the University of St Andrews . 1 +A practicing member of the Presbyterian faith , White was a Mason in the Clinton Lodge of Romney , where he had served as a Master . Romney , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in White , where he had served as a master . 0 +In the ninth century BC it became part of Assyria and remained so until the late seventh century BC . In the ninth century BC it became part of Assyria and remained in it until the late seventh century BC . 1 +In 1236 , Magnus , the son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Haakon Haakonsson . In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Haakon Haakonsson . 1 +Jalajala is politically subdivided into eleven barangays ( three rural , eight urban ) . Politically , Jalajala is divided into eleven barangays ( three rural , eight urban ) . 1 +AMBIT is a symbolic programming language , introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for historical calculation . AMBIT is a historical programming language that was introduced by Carlos Christensen of Massachusetts Computer Associates in 1964 for symbolic computation . 0 +The museum building maintains its European style of oriental modern architecture through the standing bricks on the south-eastern corner of the building and the classical image of the foyer . The museum building maintains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . 0 +"Nuuluk Island ( old spelling : "" Nûluk "" ) is an uninhabited island in the Qaasuitsup municipality in northwest Greenland ." "Qaasuitsup ( old spelling : "" Nûluk "" ) is an uninhabited island in the Nuuluk Island municipality in northwestern Greenland ." 0 +The son of Robert Edward Turner , Ted Turner , inherited the company when the elder Turner died in 1963 . Turner 's son , Robert Edward Turner inherited the company when the elder Ted Turner died in 1963 . 0 +Following the Allies ' May 1945 victory , the Soviets effectively occupied Central and Eastern Europe , while strong US and Western allied forces remained in Western Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Eastern Europe , while strong US and Western allies remained in Western Europe . 1 +The building on the north side of the field followed by Emivest Aerospace Corp. , owned and operated by Sino Swearingen Aircraft Corp. Is now owned by Acer Tech . The building on the north side of the field previously owned by Sino Swearingen Aircraft Corp. followed by Emivest Aerospace Corp. is now owned and operated by Acer Tech . 0 +Another auricular silversmith , who worked in the Dutch style was Thomas Bogaert . Another Dutch silversmith who worked in an auricular style was Thomas Bogaert . 0 +Roger Kirk was born in Norfolk and brought up and trained in East London . Roger Kirk was born in Norfolk and brought up and educated in East London . 1 +The Argintărie River is a tributary of the Ciunget River in Romania . The Argintărie River is a tributary of Ciunget River in Romania . 1 +This was more common in urban Australia , but has been common for decades in regional Australia and southern Australia . This was more common in urban Australia but has been in common usage in regional Australia and South Australia for decades . 1 +Ferguson had two sisters ( one older and one younger ) and one younger brother . Ferguson has two sisters ( one older and one younger ) and one younger brother . 1 +King was against Ann Haydon-Jones , 4 -- 0 against Christine Truman Janes and 1 -- 1 against Virginia Wade at the singles with 6 -- 1 . In singles , King was 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Virginia Wade , and 1 -- 1 against Christine Truman Janes . 0 +If three variables , formula _ 26 , formula _ 27 and formula _ 28 are bound by the condition formula _ 29 for some differentiable function formula _ 30 , then the following total differentials exist If three variables , Formula 26 , Formula 27 and Formula 28 , are bound for a total function formula 30 by condition formula 29 , the following differentials exist . 0 +Stävlö or Stäflö is a castle in Kalmar Municipality of Sweden . Stävlö or Stäflö is a castle in the municipality of Kalmar in Sweden . 0 +The 1963 San Francisco State Gators football team represented College Division during the 1963 San Francisco State College football season . The 1963 San Francisco State Gators football team represents San Francisco State College during the 1963 Football College Division season . 0 +Born as Doris Miles in Fredericksburg , Virginia , she married George J. Disney in 1936 and died in Glastonbury , Connecticut . She was born Doris Miles in Fredericksburg , Virginia , and married George J. Disney in 1936 . She died in Glastonbury , Connecticut . 1 +The R335 is a regional road in Somerset East , which connects Port Elizabeth from the south to South Africa via Addo to the north . The R335 is a Regional Route in South Africa that connects Port Elizabeth in the south to Somerset East to the north via Addo . 0 +"The show 's title song was "" Life Goes On "" , written by Billy Vera and performed by John Bettis and George Tipton ." "The show 's theme song was "" Life Goes On "" , written by John Bettis and George Tipton and performed by Billy Vera ." 0 +Bosch improved used social navigation systems for driving , real navigation to reduce driving time on the road . Improved real navigation systems from Bosch for driving , used social navigation to reduce travel time on the road . 0 +Pingding County is a county in the Shanxi Province , People 's Republic of China under the jurisdiction of Yangquan City . Pingding County is a county in Yangquan , People 's Republic of China under the jurisdiction of the city of Shanxi Province . 0 +Lord Chancellor , a post in the British Government , is responsible for relations between the Channel Islands and the government . The Lord Chancellor , a post in the UK Government , is responsible for relations between the government and the Channel Islands . 1 +"An article by Dina Cappiello in the "" Houston Chronicle "" , published on December 18 , 2005 , stated Richard Prum 's position as follows :" "An article by Richard Prum in the "" Houston Chronicle "" published 18 December 2005 presented Dina Cappiello 's position as follows :" 0 +Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Gary Donnelly and Jim Grabb . Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 - 6 against Gary Donnelly and Jim Grabb . 1 +Geographically , Belews Creek occupies township in the central Forsyth County . Geographically , Forsyth County occupies in central Belews Creek Township . 0 +Former recurring players from the show include Mujibur Rahman and Sirajul Islam ( employees of a nearby gift shop , which has since been moved ) , Calvert DeForest ( a.k.a . Former recurring players from the show include Mujibur Rahman and Sirajul Islam ( employees of a nearby gift store which has since relocated ) , Calvert DeForest ( a.k.a . 1 +San Pedro Springs Park is located in the city of Bexar County San Antonio in the US state of Texas . San Pedro Springs Park is located in the San Antonio city of Bexar County in the U.S. state of Texas . 0 +The president remains the main legal authority that ratifies the key documents in the IT sector and directs ICT policy in the country . The President remains the main legal authority that ratifies the key documents in the IT sector and leads the ICT policy in the country . 1 +They were planning to play in three Texan cities , Dallas , Tyler and San Antonio , which was cancelled due to an illness . They were scheduled to play in three Texas cities , Dallas , Tyler , and San Antonio , which was cancelled due to an illness . 1 +In addition to her own dowry , Katherine brought her new husband the station of her daughter , Cecily , who , together with William Hastings and Katherine , had six children : In addition to her own dowry , Cecily brought the wardship of her daughter Katherine to her new husband . Together William Hastings and Katherine had six children : 0 +Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was detected in London on 29 March . Warrington died in London on 10 February 1906 , and his will was proven on 29 March in Brentford , Middlesex . 0 +Most of the series produced by CBS films before 1976 or distributed by Paramount Television were later distributed by Viacom and CBS . Most of the series produced by CBS or distributed by CBS films before 1976 were later distributed by Viacom and Paramount Television . 0 +The Sonata was premiered in 1919 by Billy Reed in the Aeolian Hall , London , with Landon Ronald at the piano . The Sonata was premiered at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed on the piano . 0 +Separate lists are provided for the 61 listed properties and historical districts in Chicago and more than 350 listed properties and districts in Evanston . Separate lists are provided for the 61 listed properties and historic districts in Chicago and more than 350 listed properties and districts in Evanston . 1 +"He received formal koan study in 1988 with Yamada Koun and completed the dharma name Tetsu-un , "" Wisdom Cloud "" ." "He received a formal koan in 1988 - studied with Yamada Koun and completed the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." 1 +Joseph Medwick Park on the banks of the Rahway River in Woodbridge Township and Carteret in Middlesex County , New Jersey is named as his honor . Joseph Medwick Park along the banks of the Rahway River in Middlesex County , New Jersey in Woodbridge Township and Carteret is named in his honor . 0 +Red Bank is located on the 11th Congressional District and is part of the 4th State Legislative District in New Jersey . Red Bank is located in the 4th Congressional District and is part of New Jersey 's 11th state legislative district . 0 +From 1990 to 1992 , Walt Harris had the same positions at Division I-A ( now Division I FBS ) Pacific under White . From 1990 to 1992 , Walt Harris had the same positions at Division I - A ( now Division I FBS ) Pacific under White . 1 +Owobale was born in the Netherlands to a Nigerian father and a Dutch mother . Owobale was born in the Netherlands to be a Nigerian father and a Dutch mother . 1 +From 1976 to 1979 , he was also employed as a regional CBS NFL and CBS NBA announcer at NBC , after which he switched to CBS Sports . He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to CBS Sports . 1 +The film was produced by Columbia Pictures and Imagine Entertainment by Daughter and Father Brian Grazer , as well as Bryce Dallas Howard and Ron Howard . The film was produced through Columbia Pictures and Imagine Entertainment by daughter and father Bryce Dallas Howard and Ron Howard , as well as Brian Grazer . 0 +His positions at Columbia University and the American Museum of Natural History were used to develop and train several generations of students . Boas used his positions at Columbia University and the American Museum of Natural History to develop and train multiple generations of students . 1 +"Lars Rosing plays the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" , Lars Rosing lives near Montreal , Canada ." "Lars Rosing plays the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" . Lars Rosing lives near Montreal in Canada ." 1 +There are 22 species in the genus , 17 species have a dextral bowl and 5 species are sinistral . There are 22 species in the genera , 17 species have a sinistral shell and 5 species are dextral . 0 +Whether modern users know that they are classical or not does not matter . It does not much matter whether modern users know that they are classical or not . 1 +In 2016 , Naver 's webtoon service entered the Chinese market as XOY and the Japanese market as Dongman Manhua . In 2016 , Naver 's Webtoon service has entered the Japanese market as XOY and when Dongman Manhua joined the Chinese market . 0 +In December 1945 , the Soviets presented Kim as chairman of the Korean branch of the North Korean Communist Party . In December 1945 , the Soviets installed Kim as chairman of the North Korean branch of the Korean Communist Party . 0 +Sébastien Fournier ( born 27 June 1971 ) is a former football manager , most recently for FC Sion , and Swiss football player . Sébastien Fournier ( born June 27 , 1971 ) is a Swiss football manager , most recently for FC Sion , and a former football player . 0 +In 2006 , the team added a second car for Thed Bjork and was replaced by Richard Göransson in 2009 . The team added a second car for Thed Björk in 2006 , and was replaced by Richard Göransson in 2009 . 1 +The story was begun in England as Lawson 's first novel , but was broken off and eventually completed after his return to Australia . The story was started in Australia as Lawson 's first novel , but was broken off and finally completed after his return to England . 0 +Glenn Howard won the Ontario Championship for the third time as either 17th or skip . For the third time , Glenn Glenn Howard won the Ontario Championship either as 17th or as a skip . 1 +The primitive heart or tube-shaped heart tube is the earliest stage of heart development . The primitive heart or tubular heart tube is the earliest stage of heart development . 1 +"In 1997 , he made a cameo appearance in episode 164 of Wings ( 8th episode of the 16th season ) entitled "" Escape from New York "" ." "In 1997 , he made a cameo appearance in the episode 164 of Wings ( 8th episode of the 16th season ) entitled "" Flight from New York "" ." 1 +"Debbie Posner is the "" teacher and programme for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of primary school Hebrew and Jewish studies "" ." "Debbi Benn is the "" Hebrew and Jewish Studies Teacher and Program "" and Debbie Posner is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." 0 +In June it was reported that Burke had signed a record deal with RCA Records and the album will be jointly handled by the Syco and RCA Records . It was reported in June that Burke had signed a record deal with Syco and the album is handled jointly by RCA Records and RCA Records . 0 +Wu Xiang ( d. 1644 ) was a general of the Ming Dynasty and the father of Wu Sangui . Wu Sangui ( died 1644 ) was a general of the Ming Dynasty and the father of Wu Xiang . 0 +The album was recorded at Brian Elliot Studios in North Hollywood , California , together with engineer Jay Lansford and Co - producer David Hines . The album was recorded in Brian Elliot Studios in North Hollywood , California , with the engineer David Hines and co-producer Jay Lansford . 0 +The project was the creation of Mute Records - founder Daniel Miller , with Frank Tovey as a fictional frontman of the band . The project was the creation of Mute Records founder Daniel Miller , with Frank Tovey acting as the band 's fictional frontman . 1 +Euglandina jacksoni is a kind of predatory air-breathing snail , a terrestrial pulmonate gastropod mollusk in the Spiraxidae family . Euglandina jacksoni is a species of terrestrial pulmonate air-breathing snail , a predatory gastropod mollusk in the Spiraxidae family . 0 +She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on January 21 , 1751 . She married twice . The first time with Prince Antoni Lubomirski in 1749 , and the second time with Prince Kazimierz Poniatowski on 21 January 1751 . 0 +"However , species such as "" T. eurycephalus "" had a lower rostrum and a shorter skull ." "Species such as "" T. eurycephalus "" however had a shorter rostrum and a deeper skull ." 0 +"Encouraged by the use of fresh voices in "" Roja "" , Rahman approached Srinivas ." "Srinivas approached Rahman , who was encouraged by the use of fresh voices in "" Roja "" ." 0 +Passengers travel to Maynooth to transfer from Dublin to Sligo Intercity - service . Passengers travel to Maynooth to transfer to Sligo to Dublin intercity service . 0 +The family is very religious and , at the age of 12 , Géneviève joined the junior choir of her Protestant church . The family is very religious and at the age of 12 Géneviève joined her protestant church 's junior choir . 1 +Hangars 1 -- 4 were built on the north side of the administration building , while hangars 5 -- 8 were built on the south side . On the northern side of the administration building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . 1 +In 2007 , he drove as a Toyota test driver and also continued for GP2 team Trident Racing . In 2007 he drove as a Toyota test driver and also continued the GP2 - Team Trident Racing . 1 +The results of the national championships were used to select the Austrian teams for the 2004 World Figure Skating Championships and the European Figure Skating Championships in 2004 . The results of the national championships were used to choose the Austrian teams to the 2004 World Figure Skating Championships and the 2004 European Figure Skating Championships . 1 +"In 1948 , B & amp ; H Publications produced through the camera "" in cooperation with Cousin Harold White "" George Bernard Shaw ." "In collaboration with cousin Harold White , B & H Publications produced "" George Bernard Shaw Through The Camera "" in 1948 ." 1 +""" Town Without Pity "" is a song written by the composer Dimitri Tiomkin and the lyricist Ned Washington ." """ Town Without Pity "" is a song written by composer Ned Washington and lyricist Dimitri Tiomkin ." 0 +On the runway , she has walked for Lacoste , Michael Kors , Valentino , Fendi , Alexander Wang , Altuzarra , and Jason Wu among others . On the runway she went among others for Lacoste , Michael Kors , Valentino , Fendi , Alexander Wang , Altuzarra and Jason Wu . 1 +That night , Emperor Li Zhan died , and Muzong took up the throne ( as Emperor Jingzong ) . That night , Emperor Li Zhan died , and Muzong took the throne ( as Emperor Jingzong ) . 1 +Belbin and White became engaged in June 2014 and were married on April 25 , 2015 . Belbin and White were engaged in June 2014 and married on 25 April 2015 . 1 +Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Gary Donnelly and Jim Grabb . Gary Donnelly and Jim Grabb won 6 : 7 , 6 : 4 , 7 : 6 against Andrew Castle and Roberto Saad in the final . 0 +Eastman owned the Pine Bluff Golf Course and Country Club in Moore , Georgia . Owned by Pine Bluff Golf Course and Country Club in Moore , Georgia , Eastman . 0 +After harvesting bamboo it still changes size and shape , so it must rest for to 3 years after cutting it before it can be used . After harvesting bamboo it still changes in size and shape so that after cutting it has to rest for 3 years before it can be used . 1 +During the American Civil War , Corydon was the place of the battle of Corydon , the only official battle in Indiana . During the American Civil War , Corydon was the site of the Battle of Corydon , the only official pitched battle waged in Indiana . 1 +The company currently manages multi-strategy funds , specialised credit funds , including opportunistic credit funds and institutional credit strategies - products , real estate funds and other alternative investment forms . The Company currently manages opportunistic funds , dedicated credit funds , including multi-strategy credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . 0 +A Franconian army under Winigis and Hildebrand , duke of Spoleto , defeated Grimoald and joined Adelchis shortly after his landing on the coast . A Frankish army under Winigis and Hildebrand , Duke of Spoleto , joined Grimoald and defeated Adelchis on the coast soon after his landing . 0 +He left Tunis for Egypt where he met Mahmud al-Kurdi of the Khalwati order in Cairo . He left Egypt to Cairo , where he met in Tunis Mahmud al-Kurdi of the Khalwati Order . 0 +"Quetzalcoatl 's father Zolton was murdered , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father , Apanecatl , Mixcoatl and Cuilton were "" ." "Quetzalcoatl 's father Zolton was murdered ; Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Mixcoatl , and Cuilton "" ." 1 +Faiyaz Ali Khan was born in 1851 to Sir Muhammad Faiz Ali Khan . Muhammad Faiz Ali Khan was to Sir Faiyaz Ali Khan in 1851 . 0 +Nick Smith ( Chris Egan ) settles with his family in Summer Bay , and he and Duncan quickly get friends and get into various crises . Chris Egan ( Nick Smith ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . 1 +Robert Wilson was born on 24 June 1766 to George Wilson , a shipbuilder , and Mary Finlay in Newcastle . Robert Wilson was born on June 24 , 1766 in Newcastle , George Wilson , a shipbuilder , and Mary Finlay . 1 +Outraged that Mehmet Gega escaped retribution , Janevski 's group took position to continue the protest . Outraged that Mehmet Gega escaped retribution , the group took position of Janevski to continue the protest . 1 +Coronets and supporters were also reserved for the nobility , but they were used formally by a number of others , without any protests from the public authorities . The Coronets and the supporters were formally reserved for the nobility , but were also used by a number of others without protests from the public authorities . 0 +"The goal of the learning procedure is then to maximize the error rate ( minimize the correctness ) on a "" typical "" test set ." "The goal of the learning process is to maximize the error rate on a "" typical "" test set ( to minimize the correctness ) ." 1 +Derlis Aníbal Cardozo ( born 16 June 1981 , in Pedro Juan Caballero ) is a Paraguayan football defender . Annbal Cardozo ( born June 16 , 1981 in Pedro Juan Caballero ) is a Paraguayan football defender . 1 +"Mayer was the author of a provocative feature for "" The New York Times "" entitled "" Dead Composers , Live Audiences "" ." "Mayer was the author of a provocative feature film for the "" New York Times "" entitled "" Live Composers , Dead Audiences "" ." 0 +It was described in 1874 by Alpheus Spring Packard and found in North America . It was found by Alpheus Spring Packard in 1874 and is described in North America . 0 +They were the parents of agricultural educator Alfred Charles True and zoologist Frederick William True . They were the parents of the agricultural educator Frederick William True and zoologist Alfred Charles True . 0 +Founded in 1959 by Sérgio Britto , it has featured actors such as Fernanda Montenegro , Gianni Ratto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . Founded in 1959 by Sérgio Britto , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . 1 +The Putna River is a left tributary of the River Deju in Romania . The Deju River is a left tributary of the Putna River in Romania . 0 +Born in Retford , Nottinghamshire , he moved to the south as a boy to Wiseton Estate , close to Gosforth , Northumberland , when his father found work there . Born in Gosforth , Northumberland , he moved to the south as a boy to Wiseton Estate , near Retford , Nottinghamshire , when his father found jobs there . 0 +After receiving a second Nobel Prize in 1903 with her husband , Pierre , Marie Curie won a Nobel Prize in Chemistry in 1911 . After receiving a joint Nobel Prize with her husband Pierre in 1903 , Marie Curie won a second Nobel Prize for Chemistry in 1911 . 0 +This scene was cut , although its opening recitative in rewritten form was present in the first production . This scene was cut even though its opening recitative was present in rewritten form in the first production . 1 +Saladas Department is a department of Argentina in the Corrientes province . Saladas Department is a department of Argentina in Corrientes Province . 1 +Wernstein am Inn is a municipality in the district of Schärding in the Austrian state of Upper Austria . Upper Austria is a municipality in the district of Wernstein am Inn in the Austrian federal state of Schärding . 0 +He debuted only one appearance in 2012 and then played 4 times the following year . He played in 2012 making only 1 appearance and then debuted 4 times the following year . 0 +John Rabe and the Japanese committee however manage to have the Nanking Safety Zone recognized by the international authorities . However , John Rabe and the international committee manage to have the Nanking Safety Zone recognised by the Japanese authorities . 0 +It is located north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley and to the west of New City . 0 +In South Carolina , the law applies only to minors under 16 and in Delaware to minors under 17 years of age . In Delaware the law only applies to minors under 16 , and in South Carolina to minors under 17 . 0 +Vassiliki Kydonaki ( born 26 March 1993 ) , commonly known also as Vasso Kydonaki , is a Greek footballer . Vassiliki Kydonaki ( born March 26 , 1993 ) , known as Vasso Kydonaki , is a Greek footballer . 1 +Yoruba published literature begins with the formation of its grammar written in 1843 . The published literature of Yoruba begins with the formation of its grammar written in 1843 . 1 +During the era between 1836 and 1846 , when Mexico was a province of independent Napa County , the following 13 ranchos were granted in California : During the period between 1836 and 1846 , when Mexico was a province of independent Napa County , the following 13 ranchos were given in California : 1 +The traditional clothing of the Ruska Roma is based on traditional and Russian calderash - clothing and is actively used by singers and dancers . The Ruska Roma traditional clothing is based on traditional and Kalderash Russian clothing , and is used actively by singers and dancers . 1 +Olaf Petersen is played by Mark Williams in the television series . Olaf Petersen is played in the television series of Mark Williams . 1 +A Jill Day Comic stripe , drawn by Denis Gifford , was released in Star Comics ( 1954 ) , published by Gifford and Bob Monkhouse . A Jill Day comic strip drawn by Denis Gifford was published in Star Comics ( 1954 ) , edited by Gifford and Bob Monkhouse . 1 +His wife Eddy was the one who made the most of the dates with the great artists for Tania G. Novarro . His wife Eddy was the one who made most of the appointments with the great artists for Tania G. Novarro . 1 +In the action they suffered five men wounded ; the British had no casualties . In the action they suffered five wounded men , the British had no loss . 1 +Scientists believe that amber was deposited during the Upper Eocene and Lower Oligocene in a delta of a prehistoric river , in a shallow part of a marine basin . Scientists believe that amber was deposited in a flat part of a prehistoric basin in a delta of a marine river during the Upper Eocene and the Lower Oligocene . 0 +On 31 December 2015 , Melvin returned to Purdue University as Defensive Line Coach for Darrell Hazell . On December 31 , 2015 , Melvin returned to Purdue University as the defensive line coach for Darrell Hazell . 1 +In the provinces of Hainan , Guangdong , and Guangxi , Russ has killed at least 74 people and injured another 726 people . Russ killed at least 74 people in Hainan , Guangdong and Guangxi Provinces and injured another 726 people . 1 +Maredudd married Margaret ferch Dafydd , the daughter of Dafydd Fychan , Lord of Anglesey , and his wife , Nest ferch Ieuan . Maredudd married Margaret Ferch Dafydd , Ieuan 's daughter , Lord of Anglesey , and his wife Nest ferch Dafydd Fychan . 0 +Kabir Suman adopted a number of albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . Suman Chatterjee recorded several albums between 1992 and 1999 under the name of Suman Chattopaddhyay or Kabir Suman . 0 +In 1968 , Catherine Gillies , granddaughter of Barbara Myers , learned of Charles Manson from the Myers Ranch . In 1968 , Charles Manson learned about the Myers Ranch from Catherine Gillies , the granddaughter of Barbara Myers . 0 +"Young Fathers ' third studio album "" Cocoa Sugar "" was announced with single "" In My View "" on the 17th January 2018 ." "The third studio album "" Cocoa Sugar "" was announced on January 17th , 2018 with the single "" In My View "" ." 0 +After the death of her first husband , Tom Dalton remarried Katharina Dalton , who passed away in 1992 . After the death of her first husband , Tom Dalton married Katharina Dalton , who passed away in 1992 . 1 +The Franciscan is the literary magazine , with events , annual articles , submissions by students and staff and photographs . The Franciscan is the literary magazine , with events , annual articles , submissions from students and from staff , and photographs . 1 +The last surviving independent local company , Wright & Son , ran a service from Penycae to Wrexham via Rhos , and also via Ponciau later . The last surviving independent local company , Wright Son , provided a service from Penycae to Wrexham via Rhos and later also via Ponciau . 1 +By contrast , cold years are often associated with dry Pacific La Niña episodes . In contrast , cold years are often associated with dry Pacific La Niña episodes . 1 +""" Welcome to my Living Room "" was filmed in Sydney , Australia in August 2005 , with additional footage filmed in Temecula , California in November 2006 ." """ Welcome to my Living Room "" was filmed in August 2005 in Temecula , California and filmed in November 2006 in Sydney , Australia ." 0 +"Ciji Ware is the focus of Jane Maxwell Gordon 's 1989 novel "" Island of the Swans "" ." "Ciji Ware is the focus of Jane Maxwell Gordon 's novel "" Island of the Swans "" from 1989 ." 1 +He is the son of Malaysia 's third prime minister , Najib Razak , and the cousin of the sixth and current prime minister , Hussein Onn . He is the son of Malaysia ’ s third prime minister , Najib Razak , and the cousin of the sixth and current prime minister , Hussein Onn . 1 +After Izumi had drawn some early character designs for Hibiki , Maeda wanted to continue the story and start a manga with Izumi as artist . After Izumi drew some early character designs for Hibiki , Izumi wanted to continue the story and start a manga with Maeda as an artist . 0 +While Beattyville is served by Kentucky Utilities , much of Lee County is served by Jackson Energy , based in McKee , Kentucky . Beattyville is served by Kentucky Utilities , while much of Kentucky is served by Jackson Energy , based in McKee , Lee County that serves south-central Kentucky . 0 +For scalar fluctuations , Formula 9 is referred to as the scalar spectral index , with the formula 10 corresponding to scalar invariant fluctuations . For scalar fluctuations , formula _ 9 is referred to as the scalar spectral index , with formula _ 10 corresponding to scale invariant fluctuations . 1 +Xhemal Pasha Zogu was an hereditary governor of Mati , father of Xhelal Pasha Zogolli and grandfather of King Zog I . Xhelal Pasha Zogolli was an hereditary governor of Mati , father of Xhemal Pasha Zogu and grandfather of king Zog I . 0 +A few years later , Hyman became pianist Goodman himself . A few years later , Goodman became Hyman 's pianist himself . 0 +Under his direction , the choir also gave concert tours in Australia ( 1987 ) , Israel ( 1988 ) and Estonia ( 1989 , 1990 ) . The choir also gave concert tours in Israel ( 1987 ) , Australia ( 1988 ) , and Estonia ( 1989 , 1990 ) under his leadership . 0 +The nasal opening for the North American species is triangular , unlike that of the Eurasian race , which is square . The nasal opening for North American species is triangular , unlike that of the Eurasian race , which is square . 1 +He also worked as translator for national media journalists and a Swedish newspaper . He also worked as a translator for national media journalists and a Swedish newspaper . 1 +The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Mumbai near Bharuch , or Vasai about 290 kilometers south of Bhārukaccha . The port of Suppāraka is either the modern Sopara near Bhārukacha or the modern Bharuch or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . 0 +The new format is currently for the 2010 season and consists of three stages . The current format is new for the 2010 season and consists of three levels . 0 +In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by the Broad Lane and Mays Hill by Frog Lane . In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Westerleigh by Broad Lane and to Mays Hill by Frog Lane . 1 +It was reopened with new coaches in 2010 and upgraded in early 2011 . It was upgraded with new buses in 2010 and reopened in early 2011 . 0 +The former was merged with another Piedmontese bank Cassa di Risparmio di Biella in 1994 . The Piedmontese was brought together in 1994 with another former bank Cassa di Risparmio di Biella . 0 +After the War the College returned to Hellenikon , where it remained until it moved to its new campus in Aghia Paraskevi , a suburb of Athens . After the war , the college returned to Hellenikon , where it remained until it moved to the new campus in Aghia Paraskevi , a suburb of Athens . 1 +The 1883 American Association finished with a 54 - 42 record , fourth place in the New York Metropolitans . The 1883 New York Metropolitans finished fourth in the American Association with a 54 - 42 record . 0 +"Unterberger comments on the recording : "" The delicacy of the execution is exquisite , the sensual images are more tangible , the sense of desire and fulfillment explicit ." "Unterberger comments on the recording : "" The delicacy of the execution is exquisite , the sensual imagery more explicit , the sense of desire and fulfillment tangible . """ 0 +Until recently , Nimar was known as Khandwa . Khandwa was known as East Nimar until recently . 0 +Most of our information about Cicero 's life and career comes from the contents of Murena 's speech . Most of our information about Murena 's life and career comes from the content of Cicero 's speech . 0 +For a few years Björn went to the same school as Daniel ; at the age of fifteen he founded a band called Butler together with Björn Dixgård . For a few years Björn went to the same school with Daniel and founded a band called Butler with Björn Dixgård at the age of fifteen . 1 +The camp was sold to the former Kenosha Council in 1951 , and it was given when Racine and Kenosha Councils merged in 1971 . The camp was sold in 1951 to the former Kenosha Council , and it was given when Racine and Kenosha - Council merged in 1971 . 1 +"The Georgian tribe was later ruled by a prince known locally as "" mamasakhlisi "" ( "" father of household "" in Mtskheta ) ." "The Mtskheta tribe was later ruled by a prince locally known as "" mamasakhlisi "" ( "" father of the household "" in Georgian ) ." 0 +"The progressive teacher Jürgen Reichen ( Swiss education ) founded this "" writing to read "" method 1982 ." "In 1982 , the Swiss teacher Jürgen Reichen ( progressive education ) founded this method "" Writing to read "" ." 0 +The river Izvoarele is a tributary of the River Podriga in Romania . The Podriga River is a tributary of the River Izvoarele in Romania . 0 +"She was the "" Ashantian "" -- the first ship to bear this name , the second was sold in 1932 ." "She was the "" Ashantian "" -- the first ship to bear this name ; the second having been sold in 1932 ." 1 +The executive branch of the government consisted of the president , the prime minister , a number of deputy prime ministers , and federal ministers . The executive branch of the government consisted of the president , the prime minister , a number of federal ministers , and deputy prime ministers . 1 +Recorded at Görväln House in Uppland in August 2011 . Louise Hoffsten replaced Maria Lundqvist who could not attend . Recorded in August 2011 at the House of Görväln in Uppland , Maria Lundqvist replaced Louise Hoffsten , who could not attend . 0 +Makopong is a village in Kgalagadi District of Botswana . It is located close to the border with South Africa . The population was 1,697 in the 2011 census . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa It is located near the border with Botswana . 0 +Or should they be further dereferenced to int and used this version instead ? Or should they be used further to int and that version dereferenced instead ? 0 +The South / Kazai government was supported by another Belgian mining company , which received concessions from the new state in return for financial support . The South Kasai government was supported by , another Belgian mining company , which received concessions from the new state in return for financial support . 1 +In its inside also were studied many frescoes found in 1907 , by Josep Puig i Cadafalch . In its interior , many frescoes were found , studied by Josep Puig i Cadafalch in 1907 . 0 +Burton Creek State Park is a State Park of California , USA , in Placer County near Truckee . Burton Creek State Park is a state park of California , USA , located in Placer County near Truckee . 1 +Field 's is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . The Field Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . 1 +The 2013 Texas A & M Aggies football team represented Texas A & M University in the 2013 NCAA Division I FBS football season . They played their home games at Kyle Field . The 2013 Texas A 'M Aggies Football Team represented Texas A ' M University in the NCAA Division I FBS Football - Season 2013 , where they played their home games at Kyle Field . 1 +Theodore was flogged and banished together with ten other monks to Thessaloniki , while Plato was imprisoned in Constantinople . Theodore was flogged , and , together with ten other monks , banished to Thessaloniki , while Platon was imprisoned in Constantinople . 1 +On October 11 , 2007 , Naito defeated Daiki Kameda by unanimous decision for the first defense of his WBC and lineal titles . On October 11 , 2007 , Naito defeated Daiki cameda by unanimous decision for the first defense of his WBC and lineal title . 1 +"The album was produced by Peter Sullivan and was run by Mike Leander and Reg Guest "" ." "The album was produced by Mike Leander and staged by Peter Sullivan and Reg Guest "" ." 0 +He died on July 23 , 1942 at his home in Bridgeton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Trenton . He died in his home in Trenton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . 0 +According to the definition above , two relations with different graphs but different domains or different codomains are considered identical . According to the definition above , two relations with identical graphs , but different domains or different codomans are considered different . 0 +Dennis is arrested and sentenced to die with Hugh and Barnaby . Hugh and Dennis are pardoned . Barnaby , through the efforts of Gabriel Varden , is hanged . Dennis is arrested and convicted to die with Hugh and Barnaby , Hugh and Dennis are pardoned , and Barnaby is hanged by the efforts of Gabriel Varden . 1 +That is , Lisp means homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of the language itself . This means that Lisp is homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of the language itself . 0 +The school was founded in Ireland and then pioneered in Australia in 1903 . The school was established in Australia and then pioneered in 1903 in Ireland . 0 +The London Reefs are located between and in the South China Sea of Spratly Islands . The London Reefs are located between and ( and ) in the Spratly Islands of the South China Sea . 0 +Dhundalwadi is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Dhundalwadi is a village in the Dahanu district of Maharashtra , India . It is located in Palghar Taluka . 0 +On December 30 , 1888 , she married in Ayer , Massachusetts , Susie J. Clarke . Susie J. Clarke married Brown in Ayer , Massachusetts , on December 30 , 1888 . 1 +In the second round she beat Olga Govortsova , then defeated the 17th place Julia Görges in the third . In the second round she beat Julia Görges , then defeated 17th seed Olga Govortsova in the third . 0 +While at Wunderman , Espuelas worked on the American Express , General Foods Gevalia and Weight Watchers accounts . While at Wunderman , Espuelas worked in the accounts of American Express , General Foods Gevalia and Weight Watchers . 1 +PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station , and west to Journal Square and Hoboken Terminal . PATH - Service from the Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . 1 +The brooch is a hammered disc made of large silver sheet with black Niello and has a diameter of . The brooch is a large disc made of hammered sheet silver inlaid with black niello and with a diameter of . 0 +The expressway continues for another mile and crosses several buildings in short tunnels before crossing the Harlem River into the Bronx via the Alexander Hamilton Bridge . The expressway continues another mile , crossing under several buildings in short tunnels , before crossing the Harlem River via the Alexander Hamilton Bridge into the Bronx . 1 +See the 32nd Canadian Parliament , then 33rd Canadian Parliament See : 32nd Canadian parliament then 33rd Canadian parliament 1 +Greyhound hosting venues include Wentworth Park in Sydney , Cannington Raceway in Perth , Greyhound Park in Adelaide , Albion Park in Brisbane , and Sandown Greyhound in Melbourne . Major greyhound racing venues include Wentworth Park in Brisbane , Cannington Raceway in Adelaide , Albion Park in Perth , Greyhound Park in Sydney and Sandown Greyhounds in Melbourne . 0 +Chad Ochocinco ( born 1978 ; formerly Chad Johnson ) is an American - American - football receiver . Chad Johnson ( born 1978 ; formerly Chad Ochocinco ) is an American - American - football receiver . 0 +The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the second stage began the next day on the mountain . The mountainous stage 20 of the Giro started on the slopes of Les Deux Alpes , and the penultimate stage ended the next day on the mountain . 0 +"It was also produced by TV9 before they broadcast their own Berita TV9 "" news programmes ." "It was also produced by TV9 before their broadcast their own news programmes "" Berita TV9 "" respectively ." 1 +The Eastern Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the United States Australian Football League . The United States Australian Football League is an Australian football competition rule in the eastern United States of America and a division of the Eastern Australian Football League . 0 +On 8 January 2008 , Cumbers was borrowed from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience in the first team . On January 8 , 2008 , Cumbers was recalled from Grays to Gillingham , but lent to AFC Wimbledon on February 8 , 2008 to collect further first team experience . 0 +On 11 August 2005 , after the resignation of Yoshinobu Shimamura , Iwanaga became Minister of Agriculture . On August 11 , 2005 , Iwanaga became Minister of Agriculture following the resignation of Yoshinobu Shimamura . 1 +In 1816 , Thomas Worthington married Sarah Worthington , second daughter of Governor King . In 1816 , Thomas Worthington married Sarah Worthington , second daughter of the Governor King . 1 +They finished the season 10 -- 2 overall and 7 -- 0 in OVC play to win the conference championship . They finished the season 10 -- 2 total and 7 -- 0 play in OVC to win the conference championship . 1 +At the State election in November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the session of 1857 . In the November 1856 state elections , 81 Republicans , 31 Democrats , and 8 Americans were elected to the Assembly for the 1857 session . 0 +EPZ is a Thana under the district of Chittagong in the division Chittagong , Bangladesh . EPZ is a thana under the Chittagong District in Chittagong Division , Bangladesh . 1 +This article is the Electoral history of Alexander Mackenzie , the second Prime Minister of Canada . This article is the second history of Alexander Mackenzie , the Prime Minister of Canada . 0 +The third and final series started in May 2011 . Javone Prince and a returning Marek Larwood appeared in the new series . The third and final series started in May 2011 . In the new series , Marek Larwood and a recurring Javone Prince appeared . 0 +"He is mentioned twice in James Hinton 's novel "" Moonchild "" , the first mention being mistakenly called his father , Aleister Crowley ." "He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" , who mistakenly calls his father James Hinton in the first mention ." 0 +Besides seating for Hone and Sir Joshua Reynolds several times , she may have been painted by Philip Mercier , James Northcote and Richard Purcell , among others . Besides sitting multiple times for Hone and Sir Richard Purcell , she may have been painted by Joshua Reynolds , James Northcote , and Philip Mercier , among others . 0 +The remaining aircraft were only used in large army maneuvers when they were piloted by pilots of the Air Force . The remaining aircraft were only used in large Air Force maneuvers , when they were piloted by Army pilots . 0 +Its maximum annual temperature is and its minimal annual temperature is May to October the hottest season . Its maximum annual temperature is and its minimum annual temperature is , with May to October the hottest season . 1 +In May 2012 , Broun decided he would not challenge Collins . In May 2012 , Collins decided that he would not challenge Broun . 0 +Chris Blackwell , the mother of Blackwell , was one of the greatest landowners in Saint Mary at the turn of the 20th century . One of the largest landowners in Saint Mary at the turn of the twentieth century was Blanche Blackwell , mother of Chris Blackwell . 0 +Carmen Aub Romero ( born October 24 , 1989 in Mexico City , D.F. , Mexico ) is a Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico City , DF , Mexico ) is a Mexican actress . 1 +Born in Guadalajara , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Monterrey . Mora was born in Guadalajara and played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . 1 +During the hearings , it was revealed that neither Lewis nor Forbes knew that Claude had feathered the No . It was revealed during the hearings that neither Claude nor Forbes knew that Lewis had feathered the number . 0 +However , the generic Lorentz-invariant form of the matrix element for electromagnetic current interaction is known , However , the generic Lorentz-electromagnetic current form of the matrix element for the invariant interaction is known , 0 +Aaron played youth football in the same league his brother Jason did Humble Area Football League HAF Aaron played youth football in the same league his brother Jason did Humble Area Football League HAFL 1 +The resolution was signed by almost all PBS ( Parti Bersatu Sabah ) representatives in Sri Gaya . The resolution was signed by almost all the Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . 1 +Daniel Glimmenvall ( born September 10 , 1974 ) is a Swedish professional ice hockey player . He was formerly known as Daniel Johansson until 2009 . Daniel Johansson ( born September 10 , 1974 ) is a Swedish ice hockey professional who was known as Daniel Glimmenvall until 2009 . 0 +12242 Amritsar Chandigarh Superfast Express leaves Amritsar Junction on a daily basis at 05 : 15 hrs IST and reaches Chandigarh at 09 : 10 hrs IST the same day . 12242 Amritsar Chandigarh Superfast Express reaches Amritsar Junction daily at 05 : 15 IST and leaves Chandigarh at 09 : 10 IST on the same day . 0 +The developers then introduced Holocrons which would inform the player of the first , then after completion second master class required . The developers then introduced Holocrons , which would inform the player about the first , then second master class after completion . 1 +From 1999 to 2002 she attended the Scott Middle School and the Lincoln Southwest High School from 2002 to 2005 . She attended Scott Middle School from 1999 to 2002 and attended Lincoln Southwest High School from 2002 to 2005 . 1 +Most of the other common birth countries were China 14.7 % , the Philippines 7.0 % , India 5.1 % , Nepal 2.6 % , and England 1.9 % . Most other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % and England 1.9 % . 0 +Sarvesh Singh was also very close to the leader Amer Singh Amer Singh was very close to the leader , Sarvesh Singh . 0 +The Major A Premiership is currently being held by the Major League in Pine Hills Lightning and Runcorn Indians in the Pacific League . The Major A Premiership is currently held in the Pacific League by the Pine Hills Lightning in the Major League and Runcorn Indians . 0 +People with toxic or sick arthritis usually look septic clinically . People with toxic or sick arthritis usually look clinically septic . 1 +Li Kui and his men meet Song Jiang on their way to Hu Cheng 's camp . Hu Cheng and his men meet Li Kui on his way to Song Jiang 's camp . 0 +In 1908 , Galen Seaman died and the newspaper was bought by Jolley . Galen Seemann died in 1908 and the newspaper was bought by Jolley . 1 +The COBOL programming language , for example , supports a total of five zoned numeric formats , each one encoding the decimal sign in a different way : For example , the COBOL programming language supports a total of five numeric formats with zones , each encoding the decimal sign in a different way : 1 +The newspaper reports on business , politics , developments in corporate and labour law , commercial news and features . The paper reports on business , politics , developments in commercial and labour law , corporate news and features . 0 +Ambassador G. McMurtrie Godley and his successor William Sullivan , however , continued to supervise the air strikes in Laos . Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee the air strikes in Laos . 0 +It was reported in June that Burke had signed a record deal with Syco and the album is handled jointly by RCA Records and RCA Records . It was reported in June that Burke has signed a record contract with RCA Records and the album will be handled jointly by Syco and RCA Records . 0 +He was born in Røyken as a son of farmer Berthe Marie Kristiansen ( 1850 -- 1930 ) and Edvard Jensen ( 1883 -- 1961 ) . He was born in Røyken as son of the farmer Edvard Jensen ( 1850 - 1930 ) and Berthe Marie Kristiansen ( 1883 - 1961 ) . 0 +From 1976 to 1979 , he was also employed as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he joined NBC . From 1976 to 1979 , he was also employed as a regional CBS NFL and CBS NBA announcer at NBC , after which he switched to CBS Sports . 0 +In 1281 , Simon de Beaulieu of Pope Martin IV ( Simon de Brion ) was appointed Archbishop of Bourges . In 1281 Simon de Brion was appointed by Pope Martin IV ( Simon de Beaulieu ) as Archbishop of Bourges . 0 +She sang some jingles and published several successful music videos . She sang several jingles and published some successful music videos . 0 +The lyrics were written by the Lebanese singer Majida El Roumi and the music was rearranged by Kadim Al Sahir . The lyrics were rearranged by the Lebanese singer Majida El Roumi and music was written by Kadim Al Sahir . 0 +Chris Egan ( Nick Smith ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . Nick Smith ( Chris Egan ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different situations . 1 +"was played by Pruitt Taylor Vince in 1991 in the film "" JFK "" ." "Pruitt Taylor Vince was played by actor Bowers in the film "" JFK "" from 1991 ." 0 +He was born in San Francisco , California and died in Brooklyn , New York , at the age of 81 . He was born in San Francisco , California , and died at the age of 81 in Brooklyn , NY . 1 +It includes all of Douglas County , which includes Sarpy County , and the western areas of suburban Omaha . It includes all the Douglas county , which includes Sarpy County , and the western areas of the suburban county of Omaha . 1 +Bristly Peaks include the Messent Peak and the Brodie Peak . The Bristly Peaks include the Messent Peak and the Brodie Peak . 1 +The 1921 Stanford football team represented Stanford University at the College - Football - Season 1921 . The 1921 Stanford University Football team represents Stanford in the College - Football - Season 1921 . 0 +One of the main advantages of this approach is that routers are very simple . They become just a sensor , pulse reshaper and a transmitter . One of the main advantages of this approach is that routers are very simple : they just become a sensor , a pulse - reshaper and a transmitter . 1 +Of Scotland , His father had been a blacksmith and an inventor , and had worked with iron rope in California . His father had been a blacksmith and inventor and had worked in California with iron rope . 1 +The Bank of the People was founded in 1835 by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . The Bank of the People was created by radical Reform politicians John Rolph , James Hervey Price , and Dr James Lesslie in Toronto in 1835 . 1 +""" Full Circle "" was produced by Paul Rodger , the manager of Birtles Shorrock Goble , and mixed by long-time supporter and friend Michael Costa at the Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Birtles Shorrock Goble 's manager Michael Costa and mixed by long-time supporter and friend , Paul Rodger at Stream AV Studios in Melbourne ." 0 +Shimla is a suburb of the city of Sanjauli , in the Shimla district of Himachal Pradesh , India . Sanjauli is a main suburb of the city of Shimla , in the Shimla district of Himachal Pradesh , India . 0 +Three times married and has four children , Amy , Alex and James Firth from his first marriage , Rory Firth from his second . Firth has been married three times and has four children ; Amy , Alex and James Firth , from his first marriage , Rory Firth from his second . 1 +Wine Country is located in the Cloverdale , as part of the Alexander Valley AVA . Cloverdale is located in the Wine Country , being part of the Alexander Valley AVA . 0 +Former recurring players from the show include Mujibur Rahman and Sirajul Islam ( employees of a nearby gift store which has since relocated ) , Calvert DeForest ( a.k.a . Former recurring players from the show include Mujibur Rahman and Sirajul Islam ( employees of a nearby gift shop , which has been relocated since then ) , Calvert DeForest ( a.k.a . 1 +Lord Hartington , who had refused to serve under Gladstone because of his Irish policy , became leader of liberal Unionists . Lord Hartington , who had refused to serve under Gladstone because of his Liberal policies , became leader of the Irish Unionists . 0 +In 2001 , two large new sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . In 2001 , two large new sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . 1 +Friedrich Wilhelm had two brothers : Friedrich Heinrich Albrecht ( 1874 - 1940 ) and Joachim ( 1880 - 1925 ) . Joachim had two brothers : Friedrich Heinrich Albrecht ( 1874 -- 1940 ) and Friedrich Wilhelm ( 1880 -- 1925 ) . 0 +July 2013 to be announced . announced to be created July 2013 . 1 +"As of September 2015 , Goodyear is again the president of "" Goodyear Investment Company "" and "" Goodyear Capital Corporation "" ." "In September 2015 , Goodyear is again the president of "" Goodyear Investment Company "" and "" Goodyear Capital Corporation "" ." 1 +Gaines came from New York to Ephraim Fletcher in 1836 and settled in Van Vleet Road ( Section 16 ) . In 1836 , Ephraim Fletcher came to Gaines from New York and settled in Van Vleet Road ( Section 16 ) . 0 +The Moldova - River or Izvorul Giumalăului River is a tributary of the River Colbu in Romania . The Moldova River or Izvorul Giumalăului River is a tributary of the Colbu River in Romania . 1 +He was a mediator with the United States Olympic Committee and was an arbitration panel member with the United States Postal Service . He was an intermediary with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . 0 +ProxmapSearch uses the proxMap array , generated by a previously sorted ProxmapSort to find keys in the done array A2 in constant time . ProxmapSearch uses the proxMap array generated by a previously created ProxmapSort to find keys in the sorted array A2 in constant time . 0 +Sunnyside Railway Station was once located at the crossroads of King Street , Queen Street West and Roncesvalles Avenue in Toronto , Ontario , Canada . Sunnyside railway station was formerly located at the intersection of King Street , Queen Street West and Roncesvalles Avenue in Toronto , Ontario , Canada . 1 +Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Mitchell Melich . Her father , Mitchell Melich , served in the Senate of Utah and ran unsuccessfully in 1964 for the governor of Utah against the democrat Calvin L. Rampton . 0 +The specification is a method of describing teaching strategies ( educational models ) and pedagogical goals . The specification is a method for describing teaching strategies ( educational models ) and pedagogical goals . 1 +"For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." "For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." 0 +The River Colnici is a tributary of the Borcut River in Romania . The Colnici River is a tributary of the Borcut River in Romania . 1 +His parents were William Henry Harman and Sally ( Garber ) Harman , who was born in Waynesboro , Virginia , February 17 , 1828 . William Henry Harman was born in Waynesboro , Virginia on February 17 , 1828 . His parents were Lewis and Sally ( Garber ) Harman . 0 +The river Urechioiu is a tributary of the River Sitna in Romania . The Urechioiu River is a tributary of the Sitna River in Romania . 1 +To find out the last two letters , the group found two portraits of a hermit , and although they looked identical , they had some differences . To find out the last two letters the group found two portraits of a hermit and although they appeared identical , they had several differences . 1 +The River Seaca or Pârâul Sec is a tributary of the River Olt in Romania . The River Olt or Pârâul Sec is a tributary of the River Seaca in Romania . 0 +Given an undirected tree constructed as a set of edges , the Euler tour representation ( ETR ) can be presented in parallel as follows : The Euler - Tour - Representation ( ETR ) can be presented in parallel with an undirected tree constructed as a set of edges : 1 +The total number of electrons , and electron density is much greater than in the corresponding positive corona . The total number of electrons and the electron density is much greater than in the corresponding positive corona . 1 +"If "" f "" in Hardy has room "" H "" , then it is a factorization" "If "" f "" is in the Hardy - Space "" H "" , then it has a factorization" 0 +In Brazil , the IPHONE brand was registered in the year 2000 by Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . In Brazil the brand IPHONE was in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . 0 +The main father and spiritual initiator of the wine school was Immanuel Dornfeld . The main father and spiritual initiator of this wine school was Immanuel Dornfeld . 1 +"On his 1990 album "" You Oughta Be Here with Me "" , he recorded the song as "" Somebody Always Paints the Wall "" ." "George Jones recorded the song as "" Somebody Here Paints the Wall "" on his 1990 album "" You Oughta Be Always with Me "" ." 0 +Cornelis van Cleve painted predominantly mythological paintings and to a lesser extent religious scenes and portraits . Cornelis van Cleve painted primarily mythological paintings and , to a lesser extent , religious scenes and portraits . 1 +Dr. Carter worked in Africa for several months and remains at the AIDS clinic in Kem . Dr. Carter remains in Africa for several months and works in the AIDS clinic in Kem . 0 +Garentiyadangi is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Garentiyadangi is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . 0 +The story is about Matthias , a priest of an extremely advanced and highly ancient race of beings , who inhabit a cold and dying universe . The story is about Matthias , a priest of an extremely advanced and very ancient breed of beings who inhabit a cold and dying universe . 1 +Ram Hill was known as Nutridge Hill in the Mudge Map in 1815 and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by the Broad Lane and Mays Hill by Frog Lane . 0 +"Occasionally , albeit rarely , the term "" is used non-hereditary spherocytosis "" ." "The term "" non-hereditary spherocytosis "" is rarely used , albeit occasionally ." 0 +Most of the mosque 's polychrome work has gone under restortation , however , the mihrab contains remains of the original marble of the era . Most of the original work of the mosque has gone under lift , however , the Mihrab contains remains of polychrome marble from the era . 0 +He and his wife Anne ( a weaver ) had two children , Julian ( born in 1947 ) and Mary ( born 1952 ) . He and his wife Mary ( a weaver ) had two children , Anne ( born 1947 ) and Julian ( born in 1952 ) . 0 +"Ashok was then selected to replace Deepan Chakravarthy in C. V. Kumar 's psychological thriller , a second film in Vaibhav Reddy 's "" Pizza "" franchise ." "Ashok was then selected to replace Vaibhav Reddy in Deepan Chakravarthy 's psychological thriller "" , a second movie in C. V. Kumar ' ; s "" Pizza "" franchise ." 0 +As a Dr. Pepper salesman , Bob knew all the local grocery owners and they would save the overripe bananas for Jimmy . As a Dr. Pepper salesman , Bob knew all of the local grocery store owners and they would save the overripe bananas for Jimmy . 1 +Mhasad is a village in the Palghar region of Maharashtra , India . It is located in Dahanu Taluka . Mhasad is a village in Dahanu - district of Maharashtra , India . It is located in the Palghar Taluka . 0 +Rabbi Levi showed that on the night described in God taught Jacob all the signs . Rabbi Levi showed that in the night Jacob described in God has taught all the signs . 1 +The series is written by Chris Roberson and drawn by Robert Adler . The series was written by Robert Adler and is drawn by Chris Roberson . 0 +""" Pokarekare Ana "" was used in the popular culture as the title song for the 2005 South Korean film "" Crying Fist "" ." "In South Korean culture , "" Pokarekare Ana "" was used as the theme song for the 2005 popular film "" Crying Fist "" ." 0 +Nicolaas Johannes Roosenboom was born in Schellingwoude now in Amsterdam . He studied painting with Andreas Schelfhout , a leading Romantic landscape painter . Nicolaas Johannes Roosenboom was born in Schellingwoude in Amsterdam and studied painting with Andreas Schelfhout , a leading romantic landscape painter . 1 +Pupi Avati , better known as Giuseppe Avati ( born November 3 , 1938 ) , is an Italian film director , producer and screenwriter . Pupi Avati , better known as Giuseppe Avati ( born 3 November 1938 ) , is an Italian film director , producer , and screenwriter . 1 +His son Tokugawa Ieyasu was adopted by Naotora and became under Ii Naomasa a dreaded general , who is considered one of his four guards . His son Ii Naomasa was adopted by Naotora , and became a feared general under Tokugawa Ieyasu who is considered one of his Four Guardians . 0 +The bones of Zrinski and Frankopan were found in Austria in 1907 and brought to Zagreb in 1919 , where they were reburied in the Zagreb Cathedral . The bones of Zrinski and Frankopan were found in Austria in 1907 and brought to Zagreb in 1919 , where they were rebuilt in the Zagreb Cathedral . 0 +The most preferred treatment method at the time was active medication . The preferred method of treatment at the time was active medication . 1 +The cumulative distribution function ( cdf ) of the standard distribution is The standard distribution function ( cdf ) of cumulative distribution is : 0 +Bit 4 is set if the K register is affected . Bit 5 is set if the J register is affected . Bit 4 is affected if the K register is affected , bit 5 is set when the J register is set . 0 +Research in military physiology began in 1950 through a small group of scientists and medical physiologists at Defence Science Laboratory , Delhi . Research into military physiology began in 1950 by a small group of scientists and medical physiologists at the Defence Science Laboratory in Delhi . 1 +When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him in Peshawar hospital . When Khadr was injured in a battle in Kabul in 1995 , Mohamad Elzahabi visited him at Peshawar Hospital . 0 +The test above does not distinguish between more complex distributions , such as quantum and classical , or between fermionic and bosonic statistics . The above test does not distinguish between more complex distributions , such as quantum and classical , or between fermionic and bosonic statistics . 1 +The river Izvorul is a tributary of the Jiu River in Romania . The Jiu River is a tributary of the River Izvorul in Romania . 0 +Kürbitz is a former municipality located in the district of Vogtlandkreis in Saxony , near Plauen , Germany . Kürbitz is a former municipality in the district of Vogtlandkreis in Saxony at Plauen located near Germany . 1 +In Singapore , ADCs who are officers of the Singapore Armed Forces and the Singapore Civil Defence Force wear gold aiguillettes and police officers wear silver aiguillettes . In Singapore , ADCs , officers of the Singapore Civil Defence Force and the Singapore Armed Forces are wearing gold - Aiguillettes , and police officers wearing silver Aiguillettes . 1 +Leopold II introduced a liberal constitution in Tuscany and sanctioned a liberal ministry . In Tuscany , Leopold II instituted a liberal constitution and sanctioned a liberal ministry . 1 +Originally , Tom Watson was supposed to defend his middleweight championship against Frank Trigg . Frank Trigg was originally set to defend his Middleweight Championship against Tom Watson . 0 +Hine was born in New Westminster , British Columbia in 1936 and grew up in Burnaby . Hine was born in 1936 in Burnaby and grew up in New Westminster , British Colombia . 0 +Abbott would see action in 24 games for the Athletics that fall , and was traded to the Florida Marlins after the season in exchange for Kerwin Moore . Abbott would see action in 24 games for the track athletics that fall , and was traded to the Florida - Marlins after the season in exchange for Kerwin Moore . 1 +Notoacmea parviconoidea is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . Notoacmea parviconoidea is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 0 +Former segments of the State Road 52 include Roth Lane , in Dade City , and North 21st Street and Lock Street in Saint Leo . Former State Road 52 segments have included Roth Lane , Saint Leo , North 21st Street and Lock Street in Dade City . 0 +The countries currently on the list are Iran , North Korea , Sudan , and Syria . Currently , the countries on the list are Iran , North Korea , Sudan and Syria . 1 +There is also a large number of mixed European and Chinese Liverpudlians of Chinese descent , descendants of the former generations of Chinese settlers in the city . There is also a large number of mixed European and Chinese Liverpudlians of Chinese ethnicity , descendants of the earlier generations of Chinese settlers in the city . 1 +Teachers College graduates are awarded Columbia University degrees . Graduates from Columbia University are awarded teachers - college degrees . 0 +She also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and closed for Prada , Costume National and Louis Vuitton . It also closed for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen and opened for Prada , Costume National and Louis Vuitton . 0 +The Cleja River is a tributary of the Iminog River in Romania . The River Iminog is a tributary of the Cleja River in Romania . 0 +For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just human action , but social action . However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply social action , but rather human action . 0 +He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and from 1946 a stepson of Gyda Christensen . He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and from 1946 Stepson of Gyda Christensen . 1 +Doyle became CO of the squadron on 9 July and asked Crowe to join him as 'A Flight commander ' . "On July 9 , Doyle CO became the squadron and asked Crowe to join him as "" A Flight Commander "" ." 1 +The JieT is a tributary of the River Mija Mică in Romania . The Mija Mică River is a tributary of the River Jieţ in Romania . 0 +He formed a beautiful library and kept it open to scholars , wrote to himself and supported writers . He formed a fine library and kept it open to scholars , supported himself and wrote writers . 0 +There are about 2,000 islands along the coastline , almost three quarters of which are uninhabited . Along the coast there are almost 2,000 islands , about three quarters of which are uninhabited . 1 +There is a daily street market on Saturdays , around where the covered small weekly market is . On Saturdays there is a daily street market around which the covered small weekly market is located . 1 +There are essentially four types of databases : curated databases , inclusive databases , literature databases and predictive databases . Essentially , there are four types of databases : curated databases , predictive databases , literature databases and integrative databases 1 +Thaksin countered by saying that Sondhi was trying to silence the press . Sondhi countered that Thaksin was trying to silence the press . 0 +Grant holds several records in multiple categories for Utah , including many all-time records , such as : Grant holds several rows in many categories for Utah , including multiple all-time records , such as : 1 +Alexander Seton also commissioned the tomb of his friend , the architect William Schaw , at the Dunfermline Abbey . William Schaw also commissioned the tomb of his friend the architect Alexander Seton at Dunfermline Abbey . 0 +Written by John Sanborn , it was directed by Michael Kaplan . It was written by John Sanborn and directed by Michael Kaplan . 1 +His best World Cup finish was fifth twice with one in 2008 in Sweden and the other in 2009 in Canada . His best World Cup graduation became twice fifth with one in Sweden in 2008 and the other in Canada in 2009 . 0 +In 1923 , John Archibald Maharg was an independent member of the opposition leader , and Harris Turner , also independent , served as opposition leader in 1924 and 1925 . Independent member Harris Turner served as leader of the opposition in 1923 and John Archibald Maharg , also independent , served as opposition leader in 1924 and 1925 . 0 +There he participated in Non-Combatant Evacuation Operations in Cambodia ( Operation Eagle Pull ) and in South Vietnam ( Operation Frequent Wind ) . There he participated in non-combatant evacuation operations in Cambodia ( Operation Eagle Pull ) and in southern Vietnam ( Operation Frequent Wind ) . 1 +Art Eggleton narrowly defeated incumbent John Sewell to become Mayor of Toronto , and Mel Lastman was re-elected as Mayor of North York . John John Sewell defeated incumbent Mel Lastman to become the mayor of Toronto , and Art Eggleton was re-elected as Mayor of North York . 0 +The music was composed by G. Ramanathan , while the lyrics were written by T. K. Sundara Vathiyar and Rajagopala Iyer . Music was composed by G. Ramanathan while the lyrics were penned by T. K. Sundara Vathiyar and Rajagopala Iyer . 1 +The band appears in the video alongside British comic actors Matt Lucas and Sara Stockbridge and model Jo Guest . The band appears in the video next to the British comic actors Jo Guest and Sara Stockbridge and Model Matt Lucas . 0 +In 2009 he joined the San Diego Sockers Professional Arena Soccer League . In 2009 , he joined the San Diego Sockers of the Professional Arena Soccer League . 0 +EPZ is a Thana located under the Chittagong Division , Bangladesh in the Chittagong District . EPZ is a thana under the Chittagong District in Chittagong Division , Bangladesh . 0 +The station opened on 1 May 1934 on the Finn Valley Railway line from Strabane to Stranorlar . The station was opened on 1 May 1934 on the Finn valley - the railway line from Strabane to Stranorlar . 1 +101 confirmed cases after seven cases in British Columbia , three in Alberta , two in Nova Scotia and Ontario , and one in Quebec were confirmed . After seven cases in British Columbia , three in Alberta , two in Nova Scotia and Ontario and another in Quebec , seven confirmed cases were confirmed . 0 +Treen Cliff SSSI stretches from Porthcurno Beach in the west to Penberth Cove in the east . Treen Cliff SSSI extends from Penberth Cove beach in the west to Porthcurno in the east . 0 +In 2013 Peter married Anna Barattin while Julia is married to Nicholas Furiuele , both are members of the band Shantih Shantih . Peter Anna Barattin married in 2013 while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . 1 +LA ( Inglewood , CA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a subsidiary of the Los Angeles Campus . The LA ( Inglewood , CA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a branch of the Los Angeles Campus . 1 +Posen is a composer , born in 1944 in Poland ( Zdzisław Wysocki ) Poznań . Posen is a composer , born 1944 in Poland ( Zdzisław Wysocki ) Poznań . 1 +These canons were later rejected in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . These canons were later approved by the Eastern Council in Trullo in 692 but rejected by Pope Constantine . 0 +Pemberton Township is located in the 3rd Congressional District and is part of the 8th State Legislative District in New Jersey . Pemberton Township is located in the 8th Congressional District and is part of New Jersey 's 3rd state legislative district . 0 +The Soviet Union maintained an embassy in Oslo and a consulate in Barentsburg , while Norway maintained a message in Moscow . The Soviet Union maintained embassy in Moscow and a consulate in Barentsburg , while Norway maintained an embassy in Oslo . 0 +South Deerfield is drained by the Deerfield and Connecticut rivers . South Deerfield is drained by the rivers Deerfield and Connecticut . 1 +The main level of the prefecture is the plain of Pozar in the north and the vast plain of Giannitsà in the southeastern part of the county . The vast plains of the prefecture is plain of Pozar in the north and the main plain of Giannitsà in the southeastern part of the county . 0 +The Grand Marquis LSE , introduced in the spring of 2001 , had a rear air suspension , the higher rear axle translation and the 4.6 litre dual exhaust engine . Introduced in the Spring of 2001 , the Grand Marquis LSE had rear air suspension , the higher rear axle ratio and the dual exhaust 4.6 L engine . 1 +An online VMS system has access to one or more operating disks , each of which contains a complete , independent file system . An operational VMS system has access to one or more online disks , each of which contains a complete , independent file system . 0 +"In 1917 Johnson managed "" Jack Johnson 's Topeka Giants , "" a team that played at least one game against the All Nations base ball club ." "In 1917 , Jack Johnson headed Johnson 's Topeka Giants "" , a team that played at least one game against the All Nations Base Ball Club ." 0 +This is a list of city and regional parks in British Columbia including national parks , provincial parks , urban and regional parks . This is a list of municipal and regional parks in British Columbia including national parks , provincial parks , municipal and regional parks . 1 +Phaecadophora fimbriata is a moth of the Tortricidae family . It is found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . Phaecadophora fimbriata is a moth of the Tortricidae family , which is found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . 1 +""" But when morning shook , still the war flag broke out its folds in the foggy dew """ """ But when the morning trembled , the war flag still broke its folds in foggy dew ," 1 +It is used as a measure of absorbed dose , specific energy ( imparted ) , and kerma ( an acronym for kinetic energy released per unit mass ) . It is used as a measure of absorbed dose , kinetic energy ( released ) and kerma ( acronym for specific energy transmitted per mass unit ) . 0 +"He is , also , the second cousin of Georgina Hagen , who played Lauren Waters in "" Britannia High "" ." "He is also the second cousin of Lauren Waters , playing in "" Britannia High "" Georgina Hagen ." 0 +In 1956 , she worked with the orchestras of Christo Vuchkov and Dimitar Ganev for Big Orchestra Concert Directorate conductors of which were Boris Simeonov and Emil Georgiev . In 1956 , she worked with the orchestras of Boris Simeonov and Emil Georgiev for Big Orchestra Concert Directorate conductors , who were Christo Vuchkov and Dimitar Ganev . 0 +On 26 February 1976 , the Royal Thai Government officially handed over Korat to the USAF . The Royal Thai Government officially turned Korat over to the USAF on 26 February 1976 . 1 +Ratheesh lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega . He lives together with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega in Thrissur . 1 +In November 2010 , she was rated as the fifth highest player in the world . In November 2010 she was ranked as the fifth highest rated under-20 female player in the world . 0 +He played for the Chicago Cubs for ten games during the 1991 Kansas City Royals season and four games during the 1992 Kansas City Royals season . He played for the Kansas City Royals for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Chicago Cubs . 0 +Her series of illustrated crossword puzzles for children was published in several newspapers in 1925 . In 1925 , her series of syndicated crossword puzzles for children was shown in several newspapers . 0 +In April 2016 , Ahmed Ali Riaz Malik 's son , Malik Riaz Hussain , was named in the Panama Papers . In April 2016 , the son of Malik Riaz Hussain , Ahmed Ali Riaz Malik , was named in the Panama Papers . 0 +"Religious institute -- "" a society in which members ... pronounce public vows ... and lead a life of brothers or sisters in common "" ." "Religious Institute -- "" a society in which members ... take off public vows ... and lead a common life of brothers or sisters "" ." 1 +Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on a free transfer on 12 July , 2002 , as backup to Evans . Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on July 12 , 2002 with a free transfer to backup Evans . 1 +Recently , Sexson lived with his wife Kerry in Ridgefield , Washington , and since 2014 has been a baseball trainer at the Summit High School in Bend , Oregon . Sexson recently lived in Ridgefield , Washington with his wife Kerry . Since 2014 , he has been a baseball coach at Summit High School in Bend , Oregon . 1 +It grows in sandy well drained soils , often over limestone , in sunny positions . It grows in sunny positions in sandy and well drained soils , often over limestone . 1 +"José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California called "" Felipe Calderón "" on 11 October 2012 ." "On 11th October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , called "" Felipe Calderón "" ." 1 +The current 16th Street Clubhouse was constructed under the leadership of Horace Trumbauer by architect George D. Widener . Under the leadership of George D. Widener , the current 16th Street Clubhouse was built by architect Horace Trumbauer . 0 +Petersfield Museum is a local museum in the small town of Petersfield in the English county of Hampshire . Petersfield Museum is a small museum located in the local town of Petersfield in the English county of Hampshire . 0 +The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharge . The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharge . 0 +Quoted 35 mm equivalent focal lengths typically ignore depth of field ( DOF ) , which depends on both focal length and aperture . Specified equivalent focal lengths of 35 mm typically ignore the depth of field ( DOF ) , which depends on both focal length and aperture . 1 +Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and the younger sister of Alessandra De Rossi . Alessandra De Rossi ( born Alessandra Schiavone ; 19 July 1984 ) is a Filipina actress , and the younger sister of actress Assunta De Rossi . 0 +If an AutoNumber is a random integer , the codice _ 3 property determines whether it is of the start + increment or long form . If an Autonumber is a random integer , the property codice 3 determines whether it is the start + increment or long form . 1 +Various authors explored the Soweto riots in novels , including Miriam Tlali , Mothobi Mutloatse and Mbulelo Mzamane . Various authors explored the Soweto uprisings in novels , including Mbulelo Mzamane , Mothobi Mutloatse , and Miriam Tlali . 1 +Aburao 's school friend Dilip Prabhavalkar ( Gunawant ) , who has now become a minister , attends his show . Once Aburao 's school friend Gunawant ( Dilip Prabhavalkar ) , who has now become a minister , attends his show . 1 +As a Dr. Pepper salesman , Bob knew all of the local grocery store owners and they would save the overripe bananas for Jimmy . As Dr. Pepper salesman Jimmy knew all the local grocery store owners and they would save the overripe bananas for Bob . 0 +This model is based on the social-cognitive framework of Bandura ( 1986 ) and Goffman 's work on the management of identity . This model is based on Bandura 's ( 1986 ) social-cognitive framework and Goffman 's work on the management of identity . 1 +It was designed by Frederick William Webb and produced by local monumental masonry firm Philip Oliver Ellard Hawkes . It was designed by Philip Oliver Ellard Hawkes and produced by the local monumental masonry company Frederick William Webb . 0 +A complete association scheme can be visualized as a symmetric graph with labeled edges . A symmetric association scheme can be visualised as a complete graph with labeled edges . 0 +It is now a recreation reserve managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . It is now a recovery reserve managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . 1 +In February 2016 , it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich as President . In February 2016 , it was announced that John Kasich Governor Ohio ’ s Kasich joined National Co Chairman and California State Chairman for Steve Poizner as President . 0 +He married Liane Maria , and had three sons : , Federal Judge of Rio Grande do Norte , Maria José Costa and Ângelo Augusto . He married Maria José Costa and had three sons : Federal judge of Rio Grande do Norte , Liane Maria and Augusto . 0 +The church formerly contains an organ now in the Central Methodist Church , Saltergate , Chesterfield . The church formerly contains an organ in the Central Methodist Church , Saltergate , Chesterfield . 1 +Michele Emmer was the father of mathematician , writer and director Luciano Emmer . Michele Michele Emmer was the father of mathematician , writer and director Luciano Emmer . 1 +"He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." "He supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." 1 +The RJD won 206 seats , while the NDA 22 seats won . NDA won 206 seats , while RJD 22 seats won . 0 +Lewis was also a member of the Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguars , Cleveland Browns and Virginia Destroyers . Lewis was also a member of the Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguare , Cleveland Browns , and Virginia Destroyers . 1 +Ernest Renan visited Chalaaboun during his mission to Lebanon and described what he found in his book Mission de Phénicie ( 1865-1874 ) . Ernest Renan visited Chalaaboun during his mission to the Lebanon and described what he found in his book Mission de Phénicie ( 1865-1874 ) . 1 +The Valea Voenilor River is a tributary of the Pascu River . The river Pascu is a tributary of the Valea Voenilor river . 0 +Stony Point railway station is on the Tyabb line in Victoria , Australia . The railway station of Tyabb is located on the Stony Point line in Victoria , Australia . 0 +It was owned locally by Albert M. Cadwell 's Walter Stiles . It was locally owned by Albert M. Cadwell & Walter Stiles . 0 +Designed by the architect Henry L. Taylor , it was built by O. R. Woodcock . It was built by architect Henry L. Taylor and designed by O. R. Woodcock . 0 +In May 1955 , a new Balkan Express was launched from Bulgaria to Athens and Istanbul via Vienna ( bypassing Graz and Belgrade ) . In May 1955 a new Balkan Express was launched from Bulgaria via Vienna ( avoiding Graz and Belgrade ) to Athens and Istanbul . 1 +"Corey played the part of Carter in Ryan Little 's 2007 film "" House of Fears "" ." "Corey played the role of carter in Ryan Little 's film "" House of Fears "" in 2007 ." 1 +He then became Associate Director of the BPI Capital Corporation 's Strategic Planning Group and Ayala Corporation 's Vice President and Chief Legal Counsel . He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Vice President and Chief Legal Counsel of Ayala Corporation . 1 +In January 2008 KBGY started the simulcasting show of KLCI 106.1 in Elk River , MN , and KDDG 105.5 in Albany , MN . In January 2008 , KBGY started simulcasting the morning show from KLCI 106.1 in Albany , MN , and KDDG 105.5 in Elk River , MN . 0 +Formula 11 , where the intersection point runs through all normal subgroups of the finite index . Formula 11 , where the intersection runs through all finite subgroups of normal index . 0 +Aditya is carried to a magical island where he helps the little locals to defeat the giant Jhamunda . Aditya is worn on a tiny island where he helps the magical locals to defeat the giant Jhamunda . 0 +Ziyrik ( also Zeyrik ) is a town in the Azerbaijan of Lachin Rayon . Ziyrik ( also , Zeyrik ) is a village in the Azerbaijan of Lachin Rayon . 1 +Dominika Cibulková won the tournament beating in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . The finals won Petra Kvitová in the final , Dominika Cibulková , 6 -- 4 , 6 -- 1 . 0 +"Godella is a municipality in the "" Comarca "" of Horta Nord , province Valencia , Spain ." "Godella is a municipality in the "" comarca "" of Horta Nord , province of Valencia , Spain ." 1 +Achieving this will promote the player 's team to a playoff of eight teams that will determine the gold and silver medal recipients . Achieving this target will carry the player 's team to a playoff of eight teams that determine the gold and silver medal recipients . 1 +The energy density of methanol is an order of magnitude higher than even heavily compressed hydrogen and 15 times greater than that of lithium-ion batteries . The energy density of methanol is an order of magnitude higher than even highly compressed hydrogen and 15 times greater than Lithium-ion batteries . 1 +Another unique feature of traditional houses is their special design for the cooling of the interior in summer and heating in winter . Another unique feature of traditional houses is their special design for cooling the interior in summer and heating the interior in winter . 1 +Kalamazoo was the first community to change the name of its street , followed by Jackson and Marshall in 1924 , Battle Creek 1928 and Albion in 1929 . Albion was the first community to change the name of its street , followed by Jackson and Marshall in 1924 , Battle Creek 1928 and Kalamazoo in 1929 . 0 +Due to the results in the last round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results obtained in the previous round , Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . 1 +Albion Township was established in 1837 by a department of Homer Township . Homer Township was established by a division of Albion Township in 1837 . 0 +Cedarbrae Mall is a shopping centre in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping mall in the Toronto , Ontario , Canada area of Scarborough located at the corner of Markham Road and Lawrence Avenue East . 0 +The trail starts at Port Renfrew near Bamfield and runs south to Barkley Sound on Port San Juan Bay . The trail starts in Bamfield near the Barkley Sound and runs south to Port Renfrew at Port San Juan Bay . 0 +They came to Russia from Poland in the 18th century , and their language contains Russian , German and Polish words . They came to Russia in the 18th century from Poland , and their language includes Russian , German , and Polish words . 1 +NDA won 206 seats while RJD won 22 seats . The RJD won 206 seats , while the NDA 22 won seats . 0 +The notes issued by the three commercial banks are printed by Hong Kong Note Printing Limited in Hong Kong . Banknotes printed by the three commercial banks are issued in Hong Kong by Hong Kong Note Printing Limited . 0 +His parents were Anna Hostetter Halderman ( 1822-1866 ) , a local businessman and Müller , and William Halderman ( 1828-1919 ) . His parents were Anna Hostetter Halderman ( 1822-1866 ) , a local businessman and miller , and William Halderman ( 1828-1919 ) . 1 +In a sense , the flat functions are the antitheses of the analytic functions . The flat functions are , in some sense , the antitheses of the analytic functions . 1 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it in North America on October 6 , 2015 ." """ The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." 0 +John Benezet was a native of Philadelphia , the son of Daniel Benezet , a prominent Philadelphia merchant . John Benezet was a native of Philadelphia and the son of Daniel Benezet , a prominent Philadelphia merchant . 1 +The cyclone dissolved on September 24 into a tropical depression and was weakened the next day . The cyclone dissipated into a tropical depression on September 24 and weakened the next day . 1 +The oldest of these are the channels : the Bridgewater Canal , Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . The oldest of these are the canals : the Manchester Ship Canal , the Trent and Mersey Canal , the Weaver Navigation and the Bridgewater Canal . 1 +His son Tokugawa Ieyasu was adopted by Naotora and , under Ii Naomasa , became a dreaded general , who is considered one of his four guardians . His son Ii Naomasa was adopted by Naotora , and became a feared general under Tokugawa Ieyasu who is considered one of his Four Guardians . 0 +BBC South East is the BBC English region serving Kent , West Sussex , part of East Sussex and a small part of Surrey . BBC South East is the English region of the BBC , serving Kent , West Sussex , part of East Sussex and a small part of Surrey . 1 +Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . 0 +He was part of the Danish team that won the silver medal in men 's gymnastics in 1920 , the Swedish system event in 1920 . He was part of the Danish team , which won the silver medal in the men 's gymnastics , Swedish system event in 1920 . 1 +It also adds the personality of the character Audrey Hepburn , played by Holly Golightly . It also adds to the personality of the character Audrey Hepburn , played by Holly Golightly . 1 +Missed used funds by Tilawat Khan and his son Tahir . Missed funds were used by Tahir and his son Tilawat Khan . 0 +The Urdaneta Philippines Temple will be the third LDS temple built in the Philippines , following the Manila ( 1984 ) and Cebu City ( 2010 ) temples . The Urdaneta - Philippines Temple will be the third LDS temple in the Philippines , after the temples of Cebu City ( 1984 ) and Manila ( 2010 ) . 0 +Jarvis Bay is a summer village in Alberta , Canada , located on the eastern shore of Sylvan Lake south of Jarvis Bay Provincial Park . Jarvis Bay is a summer village in Alberta , Canada . It is located on the eastern shore of Sylvan Lake south of Jarvis Bay Provincial Park . 1 +Carew died on November 6 , 1620 and was buried in the Antonius Church on November 7 . Antony died on November 6 , 1620 and was buried in the church of Carew on November 7 . 0 +In 1963 , Vogel founded Bioforce AG in Feusisberg in Thurgau , Switzerland , and died in 1996 at the age of 94 in Roggwil . In 1963 , Vogel founded Bioforce AG in Roggwil in Thurgau , Switzerland , and died in 1996 at the age of 94 in Feusisberg . 0 +Arthur decides not to tell Dick of his purchase . Dick decides to not to tell Arthur of his purchase . 0 +The River Slatina is a tributary of the River Cochirleanca in Romania The river Cochirleanca is a tributary of the River Slatina in Romania . 0 +Sparrow convinces Turner that Elizabeth can be freed with the magic compass to find the chest . Sparrow convinces Elizabeth that Turner can be freed by using the magic compass to find the chest . 0 +Bagraj is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . Bagraj is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +The Los Angeles Recording School is a division of the Los Angeles Film School , accredited by ACCSC , the Career Schools and Colleges Accreditation Commission . The Los Angeles Recording School is a division of The Los Angeles Film School which is accredited by ACCSC , the Accrediting Commission of Career Schools and Colleges . 1 +In 1939 , he joined Larry Clinton 's band and moved to Claude Thornhill in 1941 , to Will Bradley in 1942 . In 1939 , he joined Larry Clinton 's band , moving to Claude Thornhill 's in 1941 , and to Will Bradley 's in 1942 . 1 +Huge fields along the zone were discovered in 1920 by Long Beach Oil Field and Huntington Beach Oil Field in 1921 . Huge fields along the zone were discovered at Huntington Beach Oil Field in 1920 , and the Long Beach Oil Field in 1921 . 0 +The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but from 1919 it developed into a conservative direction . "The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a radical party but from 1919 it evolved into a conservative direction" 1 +First , he worked in public relations for the American Jewish Committee in Boston , and until his retirement for the Combined Jewish Philanthropies of New York . Initially , he worked in public relations for the American Jewish Committee in New York and until his retirement for the combined Jewish philanthropy of Boston . 0 +Jeremy Horn lives in his hometown of Memphis , with his wife Denise and children Judah , Liam and Daisy . Jeremy Horn lives in his hometown of Memphis , with his wife Denise and their children Judah , Liam and Daisy . 1 +As professor of Sociology at ETH Zurich , he worked on evolutionary game theory and agent-based computer simulations of social processes and phenomena . As a professor of sociology at the ETH Zurich , he worked on evolutionary game theory and agent-based computer simulations of social processes and phenomena . 1 +Kuklinski told him , after Hoffman gave him the money , that the deal was a cunning . After Hoffman gave him the money , Kuklinski told him that the deal was a ruse . 1 +"Upland is mentioned in the 2008 Hugh Laurie Film "" Street Kings "" as home to the LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." "Upland is mentioned in the 2008 Keanu Reeves Film "" Street Kings "" as the home of the LAPD Internal Affairs Captain James Biggs ( played by Hugh Laurie ) ." 0 +The vertebral column consisted of ten cervical ( neck ) , twelve dorsal , six fused sacral and an unknown number of caudal ( tail ) vertebrae . The vertebral column consisted of ten caudal ( neck ) , twelve dorsal , six merged sacral and an unknown number of cervical vertebrae ( tail ) . 0 +In 1974 he won the positions of the concertmaster of the Boston Symphony and the Associate Concertmaster of the Boston Pops , where he spent 11 years . In 1974 he won the positions of the Concertmaster of Boston Pops and Associate Concertmaster of the Boston Symphony , where he spent 11 years . 0 +Chronometry refers to mechanical devices , while horology relates to electronic devices . Chronometry applies to electronic devices , while Horology refers to mechanical devices . 0 +The poetic cosmogony of Thales , who made water the first element , can be seen as a natural excess of this pre-socratic thinking . The poetic cosmogony of Thales , who made water the first element , may be seen as a natural outgrowth of this pre-Socratic thinking . 1 +In the first movie , the Fat Lady is played by Elizabeth Spriggs , in the third film by Dawn French . In the third film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the first film . 0 +They translated key Renaissance texts and produced poems using French forms , including sonnets and short sonnets , for narrative , nature description , satire and meditations on love . They translated French Renaissance - texts and produced poems using key forms , including sonnets and short sonnets , for narrative , nature description , satire and meditation on love . 0 +The series was written by Butch Guice by Ed Brubaker and illustrated by Bryan Hitch . The series was inked by Ed Brubaker , written by Butch Guice , and illustrated by Bryan Hitch . 1 +Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former sports shooter . 1 +Nicklas Kulti defeated Yevgeny Kafelnikov 6 -- 7 , 6 -- 3 , 6 -- 4 Nicklas Kulti defeated Yevgeny Kafelnikov 6 -- 7 , 6 - 3 , 6 - 4 1 +"XS also translated "" Shikigami No Shiro II "" and published it under its own name "" Castle Shikigami 2 "" for PlayStation 2 ." Shikigami No Shiro II has also been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . 0 +"In 1960 , Glenville also directed Robert Anderson on Broadway in "" Silent Night , Lonely Night "" by Barbara Bel Geddes and Henry Fonda ." "In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda in "" Silent Night , Lone Night "" by Robert Anderson on Broadway ." 0 +Mudzuri defeated ZANU-PF candidate Amos Midzi in the March 2002 mayoral election by a large margin , receiving 262,275 votes against 56,796 votes for Midzi . Mudzuri defeated ZANU-PF - candidate Amos Midzi in the mayoral election in March 2002 by a large margin and received 262,275 votes against 56,796 votes for Midzi . 1 +It surrounds the modern city of Lakhish and the ancient city of Kiryat Gat . It surrounds the modern city of Lakhish and the old city of Kiryat Gat . 1 +""" A. frondiculus "" is the only member of the genus not found in the Western Indian Ocean or the Red Sea ." """ A. frondiculus "" is the only member of the genus which is not found in the western Red Sea or in the Indian Ocean ." 0 +In the narrative , between the current and the next season , we found out that Guido is dead by a car accident . In the narrative , between the next and the current season , we found out that Guido is dead due to a car accident . 1 +The Noir Bois , a Swiss settlement and the Paleolithic settlement Pré Monsieur are performed as a national heritage of Paleolithic and Medieval significance . The Noir Bois , a Swiss settlement and the Pré Monsieur paleolithic settlement are listed as national heritage site of paleolithic and medieval significance . 1 +"In many cases , the former burgh settlement would become a German suburb of the Slavic town ( "" Wiek "" , "" Wieck "" ) ." "In many cases the former burgh settlement would be a German suburb of the Slavic town ( "" Wiek "" , "" Wieck "" ) ." 1 +The states that took part in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . The states that participated in this study were Aguascalientes , Jalisco , Chihuahua , Durango , Guerrero , Chiapas , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +The San Jose was the second Pueblo ( city ) , created during the Spanish colonization of California ( the first was Pueblo de los Ángeles , in 1777 ) . The Pueblo de los Ángeles was the second pueblo ( town ) created during the Spanish colonization of California ( the first was San Jose , in 1777 ) . 0 +After The Scream , Vince Neil temporarily replaced John Corabi in Mötley Crüe . John Corabi replaced Vince Neil after the scream in Mötley Crüe . 0 +Cashel is a village in County Galway , in the province of Connacht , Ireland . Cashel is a village in County Galway , Connacht province of Ireland . 1 +The River Colnici is a tributary of the Borcut River in Romania . The Borcut River was a tributary of the Colnici River in Romania . 0 +Decker played swimsuit model Rachel , while Peter Jacobson played Alan , her nebbish husband . Rachel played Decker swimwear model , while Peter Jacobson Alan , her nebbish husband , played . 0 +Crash Landed was released in Japan as the second single in July 2009 and Korea as the third single in April 2010 . Crash Landed was published in Korea in July 2009 as the third single and in April 2010 as the second single in Japan . 0 +LaFlare confronted Roan Carneiro at UFC 208 on February 11 , 2017 , when he won the fight by unanimous decision . LaFlare faced Roan Carneiro on February 11 , 2017 at UFC 208 . He won the fight by unanimous decision . 1 +In September 2003 , Marta Hillers ( a German literature editor ) identified the anonymous author as the journalist Jens Bisky , who died in 2001 . In September 2003 , Jens Bisky ( a German literary editor ) identified the anonymous author as journalist Marta Hillers , who had died in 2001 . 0 +Designed by the architect Henry L. Taylor , it was built by O. R. Woodcock . It was designed by architect Henry L. Taylor and built by O. R. Woodcock . 1 +This room is built with a barometer and a presented scale . In this room a barometer and a built-in scale are represented . 0 +The 1955 Los Angeles State Diablos football team represented Los Angeles State during the 1955 college football season . The 1955 Los Angeles State football team represents Los Angeles State Diablos during the College - Football - Season 1955 . 0 +The journey begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora Caves , Nashik and back . The journey starts from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . 1 +He is the son of Juan , has three brothers Danilo Jr. , Antonio , Danilo K. Rapadas and Cerila Matias Rapadas and his sisters Roberta and Christina . He is the son of Danilo K. Rapadas and Cerila Matias Rapadas he has three brothers Danilo Jr. , Antonio , Juan and his sisters Roberta and Christina . 0 +The flag of Kenya of 1963 is similar , but has inserted white lines between colors . The flag of Kenya of 1963 is white , but has similar lines inserted in between the colors . 0 +It is developed by Beautiful Glitch and published by Those Awesome Guys . It is developed by Awesome Glitch and published by Beautiful Guys . 0 +They can often be seen long before they are heard . They can be seen often long before they are heard . 1 +The soundtrack was composed by musician Wajahat Attre , with texts by Hazin Qadri , sung by Noor Jehan and Mehnaz . The soundtrack was composed by the musician Wajahat Attre , with lyrics by Noor Jehan , and Mehnaz and sung by Hazin Qadri . 0 +According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotyped jargon , so gave TNA the promos to Anarquia . According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave its promos to Anarquia . 0 +The LFAC was officially established in 2005 and the first teams were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . The LFAC was officially created in 2005 and the first teams joining were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . 1 +He later joined Outfit United SC in Kolkata and played in the Calcutta Football League . Later he joined the Calcutta Football League and played in Kolkata - Klub United SC . 0 +Specified equivalent focal lengths of 35 mm typically ignore the depth of field ( DOF ) , which depends both on focal length and aperture . Quoted 35 mm focal lengths , typically ignore depth of field ( DOF ) , which depends on both equivalent focal length and aperture . 0 +These medium to large butterflies have red wings with black and yellow spots and a dark brown edge . These middle to large butterflies have red wings with black and yellow spots and a dark brown edge . 1 +It aims to appeal to those who love wood and varnish , or the look and feeling of well-built and well-drawn boats . It aims to appeal to those who love wood and varnish , or the look and feel of well-drawn and well-built boats . 1 +The most other common countries of birth were China 14.7 % , Nepal 7.0 % , India 5.1 % , Philippines 2.6 % and England 1.9 % . Most other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % and England 1.9 % . 1 +On 7 July 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the Blue Jackets organization . 0 +""" Note : not all of the above details are verifiable in available sources , but the primary outline is in Messenger . """ """ Note : Not all of the above details are available in primary sources , but the verifiable organization is in Messenger ." 0 +The 119th squadron of helicopters was formed in May 1968 as part of the 48th transport helicopter regiment at Niš Airport . The 119th Helicopter Squadron was formed at Niš airport in May 1968 as part of 48th Transport Helicopter Regiment . 1 +It allowed users to create mobile-ready projects that adapt to any screen size and orientation . It allowed users to create ready-to-run projects that adapt to any screen size and orientation . 1 +Scenic design was by Allen Moyer , lighting by David Lander , costumes by Michael Krass and the original music and sound design by David Van Tieghem . Scenic design was created by Allen Moyer , lighting by David Van Tieghem , costumes by Michael Krass and the original music and sound design by David Lander . 0 +""" The Evolution of Dance "" is the second interlude and the ninth track on the album ." """ The Evolution of Dance "" is the second interlude and the ninth track for the album ." 1 +Geographically , the NDP campaign focused on seats in Scarborough and Etobicoke in Toronto , Hamilton , Ottawa , and North Ontario . Geographically , the NDP campaign focused on targeting seats in Toronto in Ottawa , Hamilton , Scarborough and Etobicoke and Northern Ontario . 0 +They are exhibited for veneration in the Great Cathedral in summer and in the Old Cathedral in winter . They are exhibited for worship in the Great Cathedral in the summer and in the Old Cathedral in winter . 1 +Moritz Henle ( August 7 , 1850 - August 24 , 1925 ) was an important German composer of liturgical music and a cantor of the Jewish reform movement . Moritz Henle ( 7 August 1850 -- 24 August 1925 ) was a prominent German composer of liturgical music and cantor of the Jewish reform movement . 1 +It was written by Leslie H. Martinson , directed by George Kirgo and was originally broadcast April 5 , 1982 on NBC . It was written by Leslie H. Martinson , addressed by George Kirgo and was originally broadcast on NBC on 5 April 1982 . 1 +Parmenion suggested crossing the river upstream and attacking the next day at dawn , but Alexander immediately attacked . Alexander 's next-in-command , Parmenion , suggested crossing the river upstream and attacking at dawn the second day , but Alexander attacked immediately . 0 +On the prototype the wheels were spatted , but these were removed on production aircraft . The wheels were sprayed on the prototype , but these were removed on production aircraft . 0 +Ovarian diseases can be classified as reproductive disorders or as a disorders of the endocrine system . Ovarian diseases can be classified as endocrine disorders or as disturbances of the reproductive system . 0 +Peoria is part of Peoria County , IL Metropolitan Statistical Area . Peoria County is a part of the Metropolitan Statistical Area of Peoria , IL . 0 +Much of the city 's crime , however , is centralized in most of its scattered neighborhoods and western neighborhoods adjacent to Hartsfield-Jackson International Airport . However , much of the city 's crime is centralized in most dispersed neighborhoods and Western neighborhoods adjacent to Hartsfield-Jackson International Airport . 1 +Various attempts have been made to reconstruct when Sabbatical years actually fell using clues in the Biblical text and events clearly dated in fixed historically understood calendars . Various attempts have been made to reconstruct when sabbatical years actually fell using instructions in the Biblical text and events that were clearly understood in fixed historically dated calendars . 0 +Smith was born in Twiggs County , Georgia and was educated at the Culloden Academy in Monroe County . Smith was born in Monroe County and educated at the Culloden Academy in Twiggs County , Georgia . 0 +The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was constructed in 2003 . The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . 0 +"Triandos was referenced in the second episode of the third season of the HBO original series , "" The Wire "" ." "Triandos was referenced in the second sequence of the third season of the HBO - original series , "" The Wire "" ." 1 +Today , High Point City Lake is located where the original family farmhouse and land was situated . Today , High Point City Lake is situated where the original farmhouse and country was located . 1 +The edible endocarp of mangosteen has the same shape and size in diameter as a mandarin , but is white . The edible endocarp of the mangosteen has the same shape and size as a tangerine in diameter , but is white . 0 +"Director Ray Foley made a documentary about Casal'influences and inspirations during the making of his sixth album in 2001 entitled "" Neal Casal : Anytime Tomorrow "" ." "Director Neal Casal shot a documentary about Casal influences and inspirations during the production of his sixth album in 2001 entitled "" Ray Foley : Anytime Tomorrow "" ." 0 +The magazine is abstracted and indexed by EMBASE , Expanded Serial , Google Scholar and Summon by Academic Solutions . The journal is abstracted and indexed by EMBASE , Expanded Academic , Google Scholar , and Summon by Serial Solutions . 0 +Sussex and Lancing Colleges , which played a football match in November 1860 , are recorded as the first of public schools in Brighton . Brighton and Lancing Colleges are recorded as having played a football match in November 1860 , the first by public schools in Sussex . 0 +He spent his exile in Italy and preached in France to Gareccio , where he preached . He spent his exile in France and preached in Italy to Gareccio , where he preached . 0 +Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan to the sequence of SCSV from Florida . Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Florida with the sequence of SCSV in Taiwan . 0 +The river Cârlibaba is a tributary of the River Tătarca in Romania . Tătarca river is a tributary of the River Cârlibaba in Romania . 0 +The Harrison had held the record since 1993 , a year before Bailey was born . Harrison had held the record since 1993 , a year before Bailey was born . 1 +The tournament requires an import or a pure-foreign player for each team . For each team the tournament requires an import or a foreign player . 1 +The visual color measurement is the usual and conventional form of liquid color measurement . Visual color measurement is the liquid form of conventional and usual color measurement . 0 +"It was released on his album "" From Elvis in Memphis "" and was recorded in American Sound Studio in Memphis on February 18 , 1969 ." "It was recorded on his album "" From Elvis in Memphis "" and was released on 18 February 1969 at the American Sound Studio in Memphis ." 0 +Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relationship between the government and the UK . The Lord Chancellor , a post in the Channel Islands Government , is responsible for relations between the government and the UK . 1 +There are two ligaments in this joint : the articular capsule and the dorsal talonavicular . In this joint there are two bands : the dorsal capsule and the articular talonavicular . 0 +A copy of the letter reached Toulouse by way of Montpellier on April 10 , 1562 . A copy of the letter reached Montpellier by Toulouse on April 10 , 1562 . 0 +Other places are Sultanganj in Bhagalpur and Vaidyanath Jyotirlinga in Deoghar , Jharkhand . Other places are Sultanganj in the Bhagalpur and Vaidyanath Jyotirlinga in Deoghar , Jharkhand . 1 +Her father , the democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully in 1964 for the governor of Utah against Mitchell Meich . Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Mitchell Melich . 1 +Björn Freiberg ( born March 28 , 1970 in Isny , Allgäu ) is a former actor , writer , translator , and German university teacher . Björn Freiberg ( born 28 March 1970 in Isny im Allgäu ) is a German actor , painter , author , translator and former University teacher . 0 +"In 2013 signed beals for the main role of ABC - Drama - Pilot "" Westside "" produced by McG and developed by Ilene Chaiken ." "In 2013 , Beals signed on for the main role of the ABC drama pilot "" Westside "" developed by McG and produced by Ilene Chaiken ." 0 +With Chris Murphy the Farriss - Co-Executive produced the album . Chris Murphy co-executive produced the album with Farriss . 0 +After he retired from hockey , Warwick opened a restaurant in Edmonton . After he retired from the hockey , Edmonton opened a restaurant in Warwick . 0 +He was a member of the general council of Jura for the canton of Beaufort , then municipal councilor in 1877 . He was a member of the Jura Municipal Council for the Canton of Beaufort , then General Council in 1877 . 0 +Redmond , Oregon ( Roberts Field ) is a domestic airport in the Deschutes County , Oregon , owned and operated by Redmond Municipal Airport . Redmond , Oregon ( Roberts Field ) is a domestic airport in Deschutes County , Oregon . It is owned and operated by the city of Redmond Municipal Airport . 1 +The River Iminog is a tributary of the Cleja River in Romania . The river Cleja is a tributary of the Iminog River in Romania . 0 +After four years in Australia , he returned to Paris in 1982 and resumed his professorship at the ANU . In 1982 , after four years , Slatyer returned to Australia and resumed his professorship at the ANU . 0 +He was drafted by the Chicago Cardinals and also played for the Philadelphia Eagles and the Washington Redskins . He was drafted by the Chicago Cardinals and played for the Philadelphia Eagles and Washington Redskins . 1 +""" U. malabarica "" grows through lateritic rocks or wet soils in the presence of "" Eriocaulon "" species and grasses ." """ U. malabarica "" grows over wet rocks or lateritic soils in the presence of "" Eriocaulon "" species and grasses ." 0 +Residing in NYC , he currently is a member of MJ12 , an instrumental group based in New York . He currently lives in NYC and is a member of MJ12 , an instrumental group based in New York . 1 +From 2001 to 2007 it was part of the district Ajdabiya , from 1983 to 1987 it was part of the district of Jalu . From 2001 to 2007 it was part of Ajdabiya District . From 1983 to 1987 it was part of Jalu District . 1 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the Marinelimpets families . 0 +Oscar Bonavena met Ellis in the second round of the tournament . Oscar Bonavena met the second round of the tournament on Ellis . 0 +Taobao is a Chinese online shopping site similar to eBay , Amazon and Alibaba Group , operated by Rakuten in Hangzhou , Zhejiang . Taobao is a Chinese online shopping site similar to eBay , Amazon and Rakuten , which is operated by Alibaba Group in Hangzhou , Zhejiang . 0 +Hasegawa ’ s research also includes the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . Hasegawa 's research also includes the Japanese history of the Russian Revolution of 1917 and Soviet -- political and social relationships . 0 +McIntyre is from Stuart , West Virginia , has 4 children and has attended school in Florida . McIntyre comes from Stuart , Florida , has 4 children and attended school in West Virginia . 0 +Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper-Ghat in winter . Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat in the winter . 0 +He was stranded among the leaders in inherited runners at 51 . He was among the leaders in inherited runners stranded with 51 . 1 +Notre Dame got half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent received the other half . Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and its opponent received the other half . 1 +Garcia de Luna fought on the British side in the Battle of Carabobo , against Simón Bolívar and the Spanish Legions , during Venezuelan War of Independence in 1821 . During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side at the Battle of Carabobo . 1 +Winner effects were shown when established non-experienced chicks were placed against dominant chicks in a study by Drummond . Winners - Effects were shown when established non-experienced chicks were placed in a study by drummond against dominant chicks . 1 +With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports rose and employment increased . 1 +"YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Sr "" unk "" to Todorović and Roze Poze guitarist Ivan Vdović appeared as guests on the EP ." "As guests on the EP appeared YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Srđan Todorović and Roze Poze guitarist Ivan Vdović ." 1 +Because there was a lack of evidence to prove that Jim was not killed in self-defense , Johnson was acquitted and had the right to return home . Because there was a lack of evidence to prove that Johnson was not killed in self-defense , Jim was acquitted and allowed to return to home . 0 +In February 2010 , the newspaper was sold together with other regional and local titles of the Guardian Media Group to competitor Trinity Mirror plc . In February 2010 along with the Guardian Media Group 's other regional and local titles , the newspaper was sold to competitor Trinity Mirror plc . 1 +It contained Tan Yuling 's bedroom , reading room , the family hall , Buddhist chapel and the separate quarters for Empress Wan Rong and the concubine Puyi . It contained Tan Yuling 's bedroom , reading room , family hall , Buddhist chapel and the separate rooms for Empress Wan Rong and the concubine Puyi . 1 +Azem Bejta ( 1889 -- 1924 ) , commonly known as Azem Galica , was an Albanian nationalist and a rebel who fought for the unification of Kosovo with Albania . Azem Bejta ( 1889 -- 1924 ) , commonly known as Azem Galica , was an Albanian nationalist and rebel who fought for the unification of Kosovo with Albania . 1 +"Burton L. "" Burt "" Collins ( March 27 , 1931 , New York City -- February 23 , 2007 , Philadelphia ) was an American jazz trumpeter ." "Burton L. "" Burt "" Collins ( 27 March 1931 , New York City -- February 23 , 2007 , Philadelphia ) was an American trumpeter ." 1 +The presence of ravens all over Tokyo led Ibira to notice the same of cats and conceive the Yurines as catgirls . The presence of ravens all over Tokyo led Ibira to feel the same of cats and to notice the Yurines as catgirls . 0 +Also for Avatamsaka , the historic Buddha Sakyamuni is simply a magical emanation of the cosmic Buddha Vairocana . Also , for the Avatamsaka , the historical Buddha Sakyamuni is simply a magical emanation of the cosmic Buddha Vairocana . 1 +The High School also serves students from four other postings - communities : Alpha , Bloomsbury ( in Greenwich Township and Lopatcong Township ) , Hunterdon County . The high school also serves students from four other sending communities : Alpha , Bloomsbury ( in Greenwich Township and Lopatcong Township ) , Hunterdon County . 1 +Gregory Gregory was born in Sydney and died at the age of 32 in the Darlinghurst region of the same city . Gregory was born in Darlinghurst , he died at the age of 32 in the Sydney region of the same city . 0 +The Repedea River is a tributary of the Groșetu River in Romania . The Repedea River is a tributary of the River Grojetu in Romania . 1 +Together with his team colleague Haris Hajradinović from the Croatian club NK Inter Zaprešić he came to AS Trenčín in summer 2013 . He came to NK Inter Zaprešić in summer 2013 together with his teammate Haris Hajradinović from Croatian club , AS Trenčín . 0 +A macro is used to design variables or procedures , enable code - reuse , or domain-specific languages to define . A macro is used to define variables or procedures , to allow code reuse , or to design domain-specific languages . 0 +He was the son of painter Arturo Petrocelli and the younger brother of Vincenzo . He was the son of painter Vincenzo and the younger brother of Arturo Petrocelli . 0 +Glasson won national hall championships , including nine Australian championships , 19 times . Glasson won national indoor championships 19 times including nine Australian championships . 1 +"Mayer was author of a provocative feature film for the "" New York Times "" entitled "" Dead Composers , Live Audiences "" ." "Mayer was the author of a provocative feature for "" The New York Times "" entitled "" Live Composers , Dead Audiences "" ." 0 +In January 1967 , Daltoni won second place at the first guitar festival of Belgrade . In January 1967 , Daltoni won first place at the second Belgrade Guitar Festival . 0 +"Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston on the ABC soap "" One Life to Live "" in 2007 ." "In 2007 , Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in ABC - Soap "" One Life to Live "" ." 1 +The 1976 New England Patriots season was the 17th season for the team in the National Football League and the seventh season overall . The 1976 New England Patriots season was the 17th season for the team in the National Football League and seventh season overall . 1 +He lived near Addiscombe , at Croydon , until his death on 11 July 1851 , at the age of seventy . He lived near Croydon in Addiscombe until his death on July 11 , 1851 at the age of seventy years . 0 +The bones of Zrinski and Frankopan were found in Zagreb in 1907 and brought to Austria in 1919 , where they were buried in the Zagreb Cathedral . The bones of Zrinski and Frankopan were found in Austria in 1907 and brought to Zagreb in 1919 , where they were reburied in the Zagreb Cathedral . 0 +He was born in Meissen in Alsace and died in Mülhausen , Saxony , Germany . He was born in Mülhausen in Alsace and died in Meissen , Saxony . 0 +Richmond Cricket Club was based in Richmond ( historically part of Surrey and now in London ) and was a leading club during the 18th century . Richmond Richmond Cricket Club was in Richmond ( historically part of Surrey and now in London ) and was a leading club during the 18th century . 1 +"Miranda quotes Voltaire , "" If we do not find something pleasant at least we will find something new , "" and looks longingly at Oscar ." "Miranda quotes Voltaire : "" If we don 't find at least something pleasant , we will find something new "" , and looks longingly at Oscar ." 1 +The above results can be used to show that , unlike the one-dimensional case , there is not always a bound state in a spherical cavity . The above results can be used to show that , contrary to the one-dimensional case , there is not always a spherical state in a bound cavity . 0 +The academy consists of east hall , central wing , west wing and a garden . The academy consists of medium hall , east wing , west wing and a garden . 0 +During the period between 1836 and 1846 , when California was a province of independent Mexico , the following 13 ranchos were granted in Napa County : During the period between 1836 and 1846 , when Mexico was a province of independent Napa County , the following 13 ranchos were given in California : 0 +Thus , the optimal language up to this additive constant is universal . The optimum language up to this universal constant is therefore additive . 0 +In 2003 , RTI International became the new host for GDB , where it continued to be run as a public resource for high-quality genetic and genomic information . In 2003 RTI International became the genetic and genomic host for GDB where it continued to be maintained as a new resource for high quality public information . 0 +In 1236 , Magnus , the son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Haakon Haakonsson . In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded by King Magnus the Jarldom of Orkney . 0 +In August 2017 , Glassman announced as a Republican Party member an exploratory campaign for the 2018 Arizona Corporation Commission race . In August 2017 , Glassman announced an exploratory campaign for the 2018 Republican Party race as a member of the Arizona Corporation Commission . 0 +Upper Austria is a municipality in the Wernstein am Inn district in the Austrian province of Schärding . Wernstein am Inn is a municipality in the district of Schärding in the Austrian state of Upper Austria . 0 +After moving to Turkey as a political refugee in 1988 , he began writing novels about the leftist uprising in Norway . After moving to Turkey in 1988 , as a political refugee , he began writing novels about the leftist revolt in Norway . 1 +Peggy Edenfield testified in the case against her husband George and has also agreed to testify against her son David during his trial . Peggy Edenfield testified against her husband George in that case and also agreed to testify against her son , David , during his trial . 1 +As part of a rationalization campaign , the company reported in January 2017 that it will close three remaining regional kitchens in Atlanta , Landover and Everett . As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Everett , Landover and Atlanta . 0 +John John Magufuli won the presidential election in October 2015 and secured a two-thirds majority in the parliament The Main Party or other party in Tanzania called Chadema . John Magufuli won the October 2015 presidential election and secured a two-thirds majority in parliament . The main party or other party in Tanzania is called Chadema . 1 +David Ferrer won the title and defeated Steve Johnson in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . Steve Johnson won the title and defeated David Ferrer in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . 0 +Antony Worrall Thompson said the pie was intended as a treat for children and was not meant for regular consumption . Antony Worrall Thompson said that the cake was intended as a treat for children and was not meant for regular consumption . 1 +In round 2 . Blair defeated Anthony and Christina defeated Blake . In round 2 defeated Blair Anthony , and Christina defeated Blake . 0 +James Watson and Francis Crick shared the 1962 Nobel Prize for Physiology and Medicine with Rosalind Franklin ; Maurice Wilkins had already died from cancer in 1958 . James Watson and Francis Crick shared the Nobel Prize for Physiology and Medicine with Rosalind Franklin in 1962 , and Maurice Wilkins died from cancer in 1958 . 1 +Produced was directed by Cameron Crain , Richard Shelgren and Kamala Lopez and Kamala Lopez . It was directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . 0 +Methoni is a village and a former municipality in the regional unit of Pieria , Greece . Methoni is a village and a former municipality in Greece regional unit , Pieria . 0 +He returned to Canada in 2012 to play with London City in the Canadian Soccer League , where he went to Serbia to play with Srem Jakovo and Jedinstvo Surčin . In 2012 , he went to Canada to play with London City in the Canadian Soccer League.He returned to Serbia to play with Srem Jakovo , and Jedinstvo Surčin . 0 +It has been claimed that the church was founded in the 12th century by St. Birinus and parts of the church date from the 7th century . It has been claimed that the church was founded in the 7th century by St Birinus , and parts of the church date from the 12th century . 0 +"In 1925 , Percy Hansen and Bryon Hansen bought the "" Jamestown Alert "" by William Kellogg ." "William Kellogg bought the "" Jamestown Alert "" in 1925 from Percy Hansen and Bryon Hansen ." 0 +Mendota is a former settlement located in Fresno County , California , north of Warsaw , near the Pueblo de las Juntas . It is a former settlement in the Fresno county of California you was located north of Mendota near the site of Pueblo de Las Juntas . 0 +The development of Bas 90 began in the 1970s and started implementation in the 1980s . The development of Bas 90 started in the 1970s and began being implemented in the 1980s . 1 +"The musical films "" Mark Twain "" and "" Huckleberry Finn "" , both based on Tom Sawyer 's novels , were partially shot on site ." "The musical films "" Mark Twain "" and "" Huckleberry Finn "" , both based on Tom Sawyer 's novels , were shot partially on location here ." 1 +The standards for 2005 were approved by the California Energy Commission on 5 November 2003 and adopted by the Building Standards Commission on 21 July 2004 . The 2005 Standards were approved by the California Energy Commission on November 5 , 2003 , and adopted by the Building Standards Commission on July 21 , 2004 . 1 +"The municipal district ( "" správní obvod "" ) of the same name consists of administrative districts Prague 17 and Zličín ." "The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." 1 +Donnelly was one of several players born in Ireland who benefited from the FAI 's attempts to establish their entire Nordic influence in Ireland . Donnelly was one of several players born in Ireland who benefited from the FAI 's attempts to establish their all-Northern Ireland influence . 1 +The two main water systems are the Guayas in the north and the Esmeraldas in the south . The two main water systems are the Esmeraldas River in the north and the Guayas to the south . 0 +The new facility was split into four sections : an athletic wing , a student services wing , and two academic wings with classrooms . The new facility was divided into four sections : an academic wing , a student services wing , and two athletic wings with classrooms . 0 +His wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell , were their children : By his wife , Jean , daughter of Sir Jean Stewart , Baronet and Duncan Campbell , their children were : 1 +This revival is directed by Steve Thomas , with choreography by Marc Kimelman and music direction by Marcia Kash . This revival is managed by Marcia Kash , with choreography by Marc Kimelman and music directed by Steve Thomas . 0 +According to the United States Census Bureau , Masontown is a total area of , of which is land and 2.10 % has water . According to the United States Census Bureau , Masontown has a total area of which land is and , or 2.10 % , is water . 1 +Ratcliffe 's son married the scientist W. Grey Walter , and one of his two daughters was the neurophysiologist Nicholas Walter . Francis Ratcliffe was his grandson . His son was the scientist Francis Ratcliffe , and one of his two daughters was married to the neurophysiologist W. Grey Walter , whose grandson Nicholas Walter was . 0 +"He plays poker online at PokerStars under the username "" p10ker "" and at Fulltilt Poker as "" MyimaTsarong "" and at PartyPoker with his own name ." "He plays online poker at PokerStars under the username "" p10ker "" and at PartyPoker as "" MyimaTsarong "" and at Fulltilt Poker with his own name ." 0 +In 1955 , the United Kingdom , Italy followed in 1964 by Hiroshi Tada and Germany in 1965 from Katsuaki Asai . The United Kingdom followed in 1955 ; Germany in 1964 by Katsuaki Asai ; and Italy in 1965 by Hiroshi Tada . 0 +In August 1927 , Yang finished his marriage with Mao and began a relationship with He Zizhen in early 1928 . In August 1927 , Mao ended his marriage with Yang ; and , in early 1928 , he began a relationship with He Zizhen . 0 +Northampton is also home to British Military Fitness in Abington Park , where members can train with service instructors or exemplary fitness teachers up to 7 times a week . Abington Park is also home to British Military Fitness in Northampton where members can train up to 7 times a week with serving or ex-military fitness instructors . 0 +"Maximilien de Robespierre , the winner of the inaugural season of "" X Factor "" in France in 2009 , plays the role of Sébastien Agius ." "Sébastien Agius , the winner of the opening season of "" X Factor "" in France in 2009 , plays the role of Maximilien de Robespierre ." 0 +49.9 % were male and 50.1 % female . 49.9 % were female and 50.1 % were male . 0 +Riverside is located in the 3rd Congressional District and is part of New Jersey 's 7th state legislative district . Riverside is located in the 3rd Congressional District and is part of the 7th State Legislative District of New Jersey . 1 +At first , inscriptions were found in Indian languages , but later inscriptions of Southeast Asian languages were found in writings derived from Indian writings . At first , inscriptions were found in southeast Asian languages , but later inscriptions of Indian languages were found in scripts derived from Indian scripts . 0 +The sixth edition was broadcast from April 17 to April 21 , 2006 ; the fifth edition aired February 25 to March 2 , 2007 . The fifth edition was broadcast from April 17 to April 21 , 2006 , the sixth edition from February 25 to March 2 , 2007 . 0 +Columbia University graduates are awarded Teachers College degrees . Graduates from Columbia University are awarded teachers - college degrees . 1 +The nasal opening for Eurasian species is triangular , unlike that of the North American race , which is square . The nasal opening for North American species is triangular , unlike that of the Eurasian race , which is square . 0 +His wife Eddy was the one who made most of the appointments with the great artists for Tania G. Novarro . His wife Tania G. Novarro was the one who made the most appointments with the great artists for Eddy . 0 +The most common type of dental abscess is a periodontal abscess and the second most common is a periapical abscess . The most common type of dental abscess is a periapical abscess , and the second most common is periodontal abscess . 0 +"If "" x "" is a multiplicative operator , then expresses an invertable Jordan -- Chevalley -- Decomposition "" x "" as a product ." "If "" x "" is an invertible operator , then a multiplicative Jordan -- Chevalley decomposition expresses "" x "" as a product :" 0 +Although sold in Italy , foncies are produced by LU Snack Foods GmbH in Germany . Although sold in Italy , Fonzies are produced in Germany by LU Snack Foods GmbH . 1 +The Samuel J. Tilden House is located on the south side of Gramercy Park , facing the park across Gramercy Park South between Irving Place and Gramercy Park West . Samuel J. Tilden House is located on the south side of Gramercy Park , opposite the park overlooking the Gramercy Park South between Irving Place and Gramercy Park West . 1 +In this way , under tragic auspices , the Nestorian faith was established in the East . In this way , the Nestorian faith was established in the East under tragic signs . 1 +Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Montealegre Clemencia Carazo and Felicia Cohn Montealegre . Felicia Cohn Montealegre was born on 3rd March 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . 0 +Thus , Montgomery was able to accumulate wealth , create a business , and run a personal library . Montgomery was thus able to accumulate wealth , establish a business , and run a personal library . 1 +These algorithmically equivalent sequences can be defined in three accidental ways . These algorithmically random sequences can be defined in three equivalent ways . 0 +The fungus is edible , but due to possible confusion with toxic Amanita species is not recommended . "The fungus is toxic , but due to possible confusion with edible "" Amanita "" species is not recommended ." 0 +Dehgah ( also Romanized as Dehgāh ) is a village in Badranlu Rural District , in the Central District of Bojnord County , North Khorasan Province , Iran . DehgÄh ( also romanized as DehgÄ h ) is a village in Bojnord County , North - Khorasan - Province , Iran , in the Badranlu Rural District of Central District . 0 +Jeppe Tengbjerg ( born December 28 , 1973 ) is a Danish football manager and former football player . Jeppe Tengbjerg ( born 28 December 1973 ) is a former football manager and Danish football player . 0 +"Christie also translated into English the biography of Francisco Sabate Llopart , "" Sabate : An Extraordinary Guerrilla "" , by Antonio Téllez Solá ." "Sabate has also translated the biography of Francisco Sabate Llopart , "" Christie : An extraordinary guerrilla "" , by Antonio Téllez Solá in English ." 0 +In 1922 , Tzipora Meirov married Sharett ( 12 August , 1896 -- 30 September , 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . In 1922 , Sharett married Tzipora Meirov ( 12 August 1896 - 30 September 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . 1 +He attacked the Portuguese territories and forced them back to the Goan coast . He attacked the Goan areas and forced them back to the Portuguese coast . 0 +Atilia Caucidia Tertulla ( flourished 2nd century ) was an aristocratic woman from Ancient Roman society . Atilia Caucidia Tertulla ( flourishing 2nd century ) was an aristocratic woman from ancient Roman society . 1 +The stadium was home to the former Georgia Mustangs and the former women 's football club of the late WUSA league , the Atlanta Beat . The stadium was home to the former Georgia Mustangs and the late WUSA women 's soccer club of the former Atlanta Beat League . 0 +Parallel totally antisymmetric torsion . Totally parallel antisymmetric torsion . 1 +During the 1745 uprising it was again held by Jacobites and visited twice by Bonnie Prince Charlie . During the uprising of 1745 it was again held by Jakobites and visited twice by Bonnie Prince Charlie . 1 +If he saw two black hats , he could have assumed that he was wearing a white hat . If he saw two black hats , he could have deduced that he was wearing a white hat . 1 +Cao Cao 's forces thought there was an ambush in Zhao Yun 's camp , so they withdrew . Cao Cao 's forces thought that there was an ambush inside Zhao Yun 's camp so they withdrew . 1 +The Dublin Council of Unions is the Trade Council for Ireland in Dublin County . The Dublin Council of Unions is the trade council for the county of Dublin in Ireland . 0 +RVD tried to reverse the hold , but the flair rolled into the ropes to break the hold . RVD tried to reverse the hold but Flair rolled into the ropes to break the hold . 1 +The opera debuted at the Royal Opera House , London , on 3 December 1954 directed by Sir Malcolm Sargent , and conducted by George Devine . The opera debuted on December 3 , 1954 at the Royal Opera House in London , led by Sir Malcolm Sargent and directed by George Devine . 0 +The occupation includes Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Savita Prabhune , Ashok Saraf , Vikram Gokhale , Raja Mayekar , Chandu Parkhi , and The cast includes Ashok Saraf , Vikram Gokhale , Savita Prabhune , Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Raja Mayekar , chandu parkhi , 1 +Daniel Pollack announced in February 2016 that Argentina reached an agreement with Paul Singer . Daniel Pollack announced in February 2016 that Argentina had reached an agreement with Paul Singer . 1 +Neelankarai is located on the Old Mahabalipuram Road ( State Highway 49 ) and is parallel to Thoraipakkam on the OMR ( East Coast Road ) . Neelankarai is located on the East Coast Road ( State Highway 49 ) and runs parallel to Thoraipakkam on OMR ( Old Mahabalipuram Road ) . 0 +The Athelas Sinfonietta Copenhagen is a Copenhagen-based , Danish chamber ensemble specializing in performing modern compositions . The Athelas Sinfonietta Copenhagen is a Copenhagen-based , modern chamber ensemble specializing in the performance of Danish compositions . 0 +"At the 2013 South by Southwest Festival , director Brent Hodge and producer Chris Kelly made a retrospective of Nardwuar 's career for "" Time "" ." "At the South by Southwest Festival 2013 , film director Chris Kelly and producer Brent Hodge made a retrospective of Nardwuar 's career for "" Time "" ." 0 +Iphinoé Davvetas ( born August 6 , 1992 ) is a synchronized French swimming competitor who participated in the 2013 World Championships in the Aquatics Competition . Iphinoé Davvetas ( born 6 August 1992 ) is a French competitor in synchronized swimming who competed in the 2013 World Aquatics Championships . 0 +He graduated from the Military School in Sofia and in 1910 from the Military Academy of the General Staff of Nikolaevsk , St. Petersburg , Russia . He graduated from the Military School in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . 0 +Coverage in rural areas is considerably higher than in urban areas . The coverage in rural areas is considerably higher than in urban areas . 1 +"She travelled with John , Marian and Jack in 1912 when they returned to Europe and travelled home with them on the "" Titanic "" ." "She travelled with John , Marian , and Jack in 1912 when they returned to Europe and went home with them on the "" Titanic . """ 1 +The Hunters is a 2011 French crime horror thriller film directed by Chris Briant . The film was produced by Antoine Huet , The Hunters film is a French crime - horror - thriller - film from 2011 by Chris Briant , produced by Antoine Huet , 1 +Nicholas Monroe and Simon Stadler defeated Mateusz Kowalczyk and Lukáš Rosol 6 -- 4 , 6 -- 4 in the final to win the title . Nicholas Monroe and Simon Stadler defeated Mateusz Kowalczyk and Lukáš Rosol at 6 : 4 , 6 : 4 in the final to win the title . 1 +His son , Aimé Boucher , was a politician from Quebec , his daughter Marguerite married Félix Allard , a member of the Canadian House of Commons . His son , Félix Allard , was a Quebec politician . His daughter Marguerite married Aimé Boucher , a member of the Canadian House of Commons . 0 +Indonesian dumplings were influenced and brought by Chinese immigrants to Indonesia . Indonesian dumplings were influenced and brought to Indonesia by Chinese immigrants . 1 +The 1883 New York Metropolitans finished with a 54 -- 42 record , fourth place in the American Association . The 1883 New York Metropolitans finished fourth in the American Association with a 54 - 42 record . 1 +The center of the western hemisphere is located in the Pacific Ocean at the intersection of the 90th Meridian - West and the Equator very close to the Galapagos Islands . The centre of the Galápagos Islands is located in the Pacific Ocean at the intersection of the 90th Meridian West and the Equator very close to the western hemisphere . 0 +The fate of the German prisoners of war in the Soviet Union was little better ; more than half a million died in terrible conditions in the Soviet camps . The fate of the Soviet prisoners of war in the Soviet Union was little better , with more than half a million died in terrible conditions in the German camps . 0 +Holt traveled with St. John Philby and Gerard Leachman on occasion . Gerard Leachman travelled with St. John Philby and Holt on occasion . 0 +""" The Woman King "" is the third episode of the fourteenth season from the Science - Fiction series "" Battlestar Galactica "" ." """ The Woman King "" is the fourteenth episode of the third season from the science fiction television series "" Battlestar Galactica "" ." 0 +The mine is located near Abakan in the south of Russia in Khakassia . The mine is located near Abakan in south Russia in Khakassia . 1 +On November 24 , 2012 , Franscoviak married writer Maggie McGuane . The two live in Livingston , Montana with her children Maisie and Charlie Kirn . On November 24 , 2012 , Franscoviak married the writer Charlie Kirn , who live with their children Maisie and Maggie McGuane in Livingston , Montana . 0 +Carrie played the entertainment manager and Willie Garson 's gay friend Stanford Blatch . Carrie played entertainment manager and Willie Garson 's gay friend Stanford Blatch . 1 +Malek Jaziri won the title , defeating Mischa Zverev 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . Mischa Zverev won the title and beat Malek Jaziri 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . 0 +The first table gives more information than the second table . The second table gives more information than the first . 0 +He was part of the Danish team that won the silver medal in men 's gymnastics in 1920 , the Swedish system event in 1920 . He was part of the Swedish team , which won the silver medal in the men 's gymnastics , Danish system event in 1920 . 0 +Oconto is a village in the Custer County , Nebraska , United States . Custer County , Nebraska , United States of America is a village in Oconto . 0 +In recognition of its history , its administrative importance and its economic success , Cambridge was granted city rights in 1951 . Cambridge was granted its city charter in 1951 in recognition of its history , administrative importance , and economic success . 1 +In 1859 , the executive committee elected Livermore as a member of the American Unitarian Association . The American Unitarian Association elected Livermore in 1859 as a member of the Executive Committee . 0 +In the 2011 election , Subinay Ghosh of the Trinamool Congress defeated his nearest rival Abani Mohan Joardar of CPI ( M ) . In the 2011 election , Subinay Ghosh of Trinamool Congress defeated his nearest rival Abani Mohan Joardar of CPI ( M ) . 1 +On July 26 , 2012 , Gu Kailai was charged with the murder of Neil Heywood . On July 26 , 2012 , Neil Heywood was charged with the murder of Gu Kailai . 0 +Kirk Deighton is operated from Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . Kirk Deighton is served by route 780 , Harrogate to Wetherby , and route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 0 +In 1958 , he spoke throughout East Asia and Western Europe , and in Northern Ghana in 1961 . In 1958 , he spoke throughout East Asia and Ghana , in Northern and Western Europe in 1961 . 0 +He was born in West Point , New York , and attended the Weber State University in Utah . Liparulo was born in West Point , Utah . He attended Weber State University in New York . 0 +The highest elevation is above sea level with the lowest at above sea level . The lowest elevation is above sea level with the highest above sea level . 0 +Varying the assay selected , changes the selective pressure on the cells and therefore can change what properties are used in the transformed cells . If the selected assay varies , the selective pressure changes on the cells and can therefore change what properties are used in the transformed cells . 1 +The office was moved to Delhi Mills and re-established in February 1871 , though the Scio office was renamed in September 1871 . The office was moved to Delhi Mills and renamed in February 1871 , even though the Scio office was rebuilt in September 1871 . 0 +In 1844 , Brookline became a part of Pill Hill when it was annexed from Boston . Pill Hill became part of Brookline in 1844 , when it was annexed from Boston . 0 +They form the majority of the population of the Xié River and the upper Vaupés river above the mouth of the Rio Negro . They form the majority of the population of the river Xié and of the upper Rio Negro above the mouth of the river Vaupés . 0 +It is possible to reverse the tilt sensor to be able to properly play it on a GBA SP . It is possible to play the inclination sensor in order to be able to reverse it on a GBA SP properly . 0 +Classical functionalist theory is generally united by its tendency towards social analogy and notions of biological evolutionism . Classicist functionalist theory is generally united by its tendency towards biological analogy and the notions of social evolutionism . 0 +It is found is the Midlands Province , in the central Zimbabwe . It is found the Midlands Province , in the central Zimbabwe . 1 +It was Seymour and Lowell Worley of the local office of Colombia who persuaded Kessler to have a Ray test record . It was Seymour and Lowell Worley of the local office of Columbia who persuaded Kessler to have a test record made of Ray . 1 +This species can be found from South America to northern Mexico . The species can be found from Mexico to northern South America . 0 +Route 130 leads north to Olney and south to Grayville , while Route 15 leads east to Mount Carmel and west to Fairfield . Route 130 leads north to Olney and east to Grayville , while Route 15 leads to the west of Fairfield and south to Mount Carmel . 0 +He is the brother of Hashim Khan and Azam Khan , the second cousin of Roshan Khan and the uncle of Jahangir Khan and Torsam Khan . He is the brother of Roshan Khan , second cousin of Hashim Khan and Azam Khan , and the uncle of Jahangir Khan and Torsam Khan . 0 +There is also a large number of mixed European and Chinese Liverpudlians of Chinese ethnicity , descendants of the earlier generations of Chinese settlers in the city . There is also a large number of Chinese Liverpudlians of the mixed European and Chinese ethnic groups , descendants of former generations of Chinese settlers in the city . 0 +The 1990 Philadelphia Wings season marked the second season of the team 's operations and fourth league championship . The 1990 season Philadelphia Wings marked the fourth season of the team 's operation and the second championship . 0 +The album was recorded in Brian Elliot Studios in North Hollywood , California , with the engineer David Hines and co-producer Jay Lansford . The album was recorded at Brian Elliot studios in North Hollywood , California , with engineer David Hines and co-producer Jay Lansford . 1 +In 1918 the administrative representation of the parliamentary county of Dublin was increased from two divisions to four . In 1918 , the administrative representation of the parliamentary county of Dublin was raised from two to four divisions . 1 +The Aube has 365 historical monuments , 144 of which are classified and 221 are registered . The Aube has 365 historical monuments of which 144 are classified , and 221 are enrolled . 1 +María Rosario Santos y Navarro was born the second of six children of Winifredo Santos , a physician , and Nora Navarro . María Rosario Santos y Navarro was born as the second of six children of Winifredo Santos , a doctor , and Nora Navarro . 1 +In Gjøvik in Lillehammer and in the Gjøvik Olympic Cavern Hall in Håkons Hall , ice hockey was played in two venues . Ice hockey was played at two venues , in Håkons Hall in Lillehammer and Gjøvik Olympic Cavern Hall in Gjøvik . 0 +There are conditional compilation options to remove the requirement for a 64-bit capable compiler , since many compilers do not support 64-bit arithmetic for microcontrollers and DSPs . Conditional compilation options exist to remove the requirement for a 64-bit capable compiler as many compilers for microcontrollers and DSPs do not support 64-bit arithmetic . 1 +Ueki intended to introduce and explain Buddhism for a daily audience easily with broad concepts or common sense . Ueki intended to easily introduce and explain Buddhism to a broad audience with daily concepts or common sense . 0 +This time the vocals were mastered by Matti Auerkallio and the EP performed by Pirkka Rännäli . This time the vocals were presented by Matti Auerkallio and the EP by Pirkka Rännäli was mastered . 0 +The central part of the watershed of Nescopeck Creek , south of the northernmost hill line , including the mouth of Black Creek , is also located in this area . The northernmost part of the Black Creek watershed , south of the central hill line , including the mouth of Nescopeck Creek , is also in this area . 0 +In the variational case , eigenvalues can be given a Hermitian characterization . In the variation case , eigenvalues can be given a Hermitian characterization . 1 +"During the early years of the HUAC hearings , Howe was blacklisted and moved to Mexico City to protect the "" grey listed "" Babb from further harassment ." "During the early years of the HUAC hearings , Howe was blacklisted , and moved to Mexico City to protect the "" graylisted "" Babb from further harassment ." 1 +Behar is the 32nd annual Jewish parshah or part of the weekly Torah reading cycle . Behar is the 32nd weekly parshah or portion in the annual Jewish cycle of Torah reading . 0 +Edward J. McKenna was a professional baseball player who played in 32 games for the Washington National Association of Union in 1884 . Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington Nationals in 32 games . 0 +The city is situated on the main road between Mogadishu and Jilib , close to Barawa and about 50 miles northeast of Kismayo . The city is located on the main road between Mogadishu and Kismayo , near Barawa and about 50 miles northeast of Jilib . 0 +There is always elastic dispersion of light , with the outgoing light frequency identical to the incoming frequency formula 1 . There is always elastic light scattering , with the incoming light frequency identical to the outgoing frequency formula _ 1 . 0 +The first consonant of each word was then dropped , the distribution of unforeseen leaving . The unpredictable consonant of each word was then dropped , the distribution leaving first . 0 +"It was their third shot with the first "" Peaches "" , Linda Greene ." "It was their first hit with the third "" Peaches "" , Linda Greene ." 0 +The Chief Justice was the Chief Justice of the High Commission territories ( Swaziland , Bechuanaland Protectorate , Basutoland ) , and from 1951 onwards were Chief Justices : The Chief Justice was the Chief Justice of the High Commission ( Basutoland , Bechuanaland Protectorate , Swaziland ) , from 1951 the Chief Justices : 1 +Research and innovation in Europe is financially supported by the programme Horizon 2020 , which is also open to participation worldwide . Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation worldwide . 0 +In the meantime , Mikka was confronted by his former crew : Nick , Vector , Sib , and Pup . In the meantime , Mikka is confronted by his former crew : Nick , Vector , Sib and Pup . 1 +"He has described the "" deep state "" as a "" Shadow Government "" and "" Deep state swamp of Obama holdovers and DC lifers "" ." "He has described the "" Deep State "" as "" Shadow Government "" and the Deep State Swamp of Obama Holdovers and DC Lifers "" ." 1 +""" Billboard "" ranked the song as the fifth best of 2017 and the 77th in their R & B category ." """ Billboard "" ranked the song as the 77th Best of 2017 and fifth in the R & amp ; B category ." 0 +Hitler 's group consisted only in 800 SA men , while Pittinger was present with 30,000 . Hitler 's group consisted only of 800 SA - men , while Pittinger was present with 30,000 troops . 1 +Anastasia Pavlyuchenkova won the title , 6 -- 2 , 6 -- 1 , defeating Serena Williams in the final . Anastasia Pavlyuchenkova won the title , 6 -- 2 , 6 -- 1 , Serena Williams in the final . 0 +The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was finalized in 3D and made in post-production . The freighter , who in the first episode brought Jaime to Canada from Ponta Delgada , was CGI : the design was made in 3D and finalized in the post-production . 0 +"Such a distorted peptide , or "" modified key "" , will automatically become an inhibitor candidate against HIV protease ." "Such a distorted peptide or "" modified key "" becomes an inhibitor candidate against HIV protease automatically ." 1 +"The film was later given the name "" One Direction : This Is Us "" on 19 March 2013 , previously being referred to as "" 1D3D "" ." "On March 19 , 2013 , the film previously received the name "" One Direction : This Is Us "" , which was later referred to as "" 1D3D "" ." 0 +The 40 Watt Uptown was large and professional , and it was a major stop for independent underground music actors in the 1980s . The 40 Watt Uptown was large and professional , and it was a major stop for underground independent music acts in the 1980s . 1 +A close friend and correspondent of Pauline Goldmark was William William James . William James was a close friend and correspondent of Pauline Goldmark . 1 +If he saw two white hats , he could have deduced that he was wearing a black hat . If he saw two white hats , he could conclude that he was wearing a black hat . 1 +Rapper Eminem mentions Dee Barnes in his song Guilty Conscience , in which Dr. Dre is heard . Rapper Eminem mentions Dr. Dre in his song Guilty Conscience , in which Dee Barnes occurs . 0 +An individual of the new species was collected in 2005 , and a second one was found in 2006 . One individual of the new species was found in 2005 , and a second was collected in 2006 . 0 +McLaughlin died in Oshawa in 1921 of colon cancer , and his brother James was a doctor and member of the Ontario Assembly . In 1921 , McLaughlin died of colon cancer in Ontario , his brother James was a doctor and a member of the Oshawa Assembly . 0 +On 26 March 2012 , it was first successfully concluded by a 12-year-old American , Tom Schaar . It was first completed successfully by a 12-year-old American , Tom Schaar , on March 26 , 2012 . 1 +A Bollywood remake of the film was made in the year 2005 named Rog starring Irrfan Khan and Ilene Hamann Directed by Himanshu Brahmbhatt . A Bollywood - remake of the film was made in 2005 with Irrfan Khan and Himanshu Brahmbhatt , directed by Ilene Hamann , named Rog . 0 +Howes married three times in his life : to Lillian Pechin in 1923 , Catherine Tabor in 1932 , and Mary Donovan Howard in 1937 . Howes married three times in his life : in 1923 with Lillian Pechin , in 1932 with Catherine Tabor and in 1937 with Mary Donovan Howard . 1 +Bandra is a neighborhood located in western Mumbai in the state of Maharashtra , India . Many personalities active in Bollywood , cricket and politics reside in Bandra . Bandra is a neighborhood located in western Mumbai in the state of Maharashtra , India Many personalities active in Bollywood , in cricket and politics , live in Bandra . 1 +Most of the other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % , and Britain 1.9 % . The most other common countries of birth were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . 0 +People from all over Lujiang came to China to look at Zhou Yu 's reverence . People from all over China come to Lujiang to look at Zhou Yu 's reverence . 0 +"John Hale is played by Xander Berkeley ( as Magistrate Hale ) in the 2014 TV series "" Salem "" ." "John Hale was played by Xander Berkeley ( as magistrate hale ) in the 2014 TV series "" Salem "" ." 1 +A tribute to Jamie Parker and Claire Martin , the American actor Seth MacFarlane was the singer , Frank Sinatra . A tribute to Jamie Parker and Claire Martin . American actor Seth MacFarlane was the lead singer , with Frank Sinatra . 1 +It flows southwest to meet the Samara Bend of the Sokolyi Mountains near Volga , north of the city of Samara . It flows southwest to meet the Samara Bend of the Volga near Sokolyi Mountains , north of the town of Samara . 0 +In 2013 , the highest teenage birth rate was in Wyoming , and the lowest in Alabama . In 2013 was the highest teenager - birth rate in Alabama and the lowest in Wyoming . 0 +Jack Jack Cross was a comic series written by Warren Ellis and drawn by Gary Erskine . It was first published in 2005 by DC Comics . Jack Jack Cross was a comic series written by Gary Erskine and drawn by Warren Ellis . It was first published by DC Comics in 2005 . 0 +"About the song Billboard wrote : "" You know the beat , now you catch the groove ." "Billboard wrote about the song : "" You know the beat , now catch the groove ." 1 +Others who were born came to America but were interviewed elsewhere . Others who were interviewed came to America , but they were born elsewhere . 0 +Within California it is a Vulnerable species listed on the California Native Plant Society Inventory of Rare and Endangered Plants . Within California , it is a rare and endangered species listed in the inventory of the California Native Plant Society 's vulnerable plants . 0 +He was then traded by the Arizona Diamondbacks with Travis Fryman to the Detroit Tigers for Matt Drews and Joe Randa . He was then traded from the Arizona Diamondbacks to Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . 0 +If in practice a teredo client wants to locate a corresponding node , it must contact the native IPv6 - Teredo - Relay , d . If a Teredo client wants to contact a native IPv6 node , it must in practice locate the corresponding Teredo - Relay , e.g . 0 +Enter through the southern gate , turn left and worship on the east side Ganapathy , Shiva and Ayyappan . Enter through eastern gate , turn left and worship Ganapathy , Shiva and Ayyappan on the southern side . 0 +Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the Virginia border . Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles south of the Virginia border . 0 +In return , Grimoald granted him his daughter in marriage and gave him the duchy of Spoleto following the death of Atto . In return , Grimoald gave him his daughter to marriage and granted him the duchy of Spoleto after the death of Atto . 1 +As with most languages , the written language tends to use a more formal register than the language spoken . As with most languages , written language tends to use a more formal register than spoken language . 1 +Other R 'D officials involved in the development of Bon Air were General Thomas M. Logan , Colonel Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . Other R & D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . 0 +When taken with fatty food , highest plasma concentrations are reached after two hours , and the area under the curve is increased by 40 % . The highest plasma concentrations are reached after two hours when taking them with fatty food , and the area under the curve is increased by 40 % . 1 +The team was formed as the Atlantic Coast Hockey League and played its first season in October 2002 with the Orlando Seals ( ACHL ) . The team was formed as Orlando Seals and played its first season with the Atlantic Coast Hockey League ( ACHL ) from October 2002 . 0 +22.0 % were of German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % English ancestry according to Census 2000 . 22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English descent . 0 +In the 2015 regional elections , after Tosi was excluded by the Federal Party , Gidoni was elected to the Veneto Regional Council in the province of Belluno . In the 2015 regional election , after Tosi was sidelined by the federal party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . 1 +The story is also preserved in two Prakrit translations of Chinese sources . The story is also preserved in two practice translations of Chinese sources . 0 +On the assumption that causal relationships are linear , this background knowledge can be expressed in the following Structural Equation Model ( SEM ) specification . Assuming that the structural relationships are causal , this background knowledge can be expressed in the following linear equation model ( SEM ) specification . 0 +The title track was a single - five - top in May 2013 on the Texas Music - Chart . The title track was a single-five top on the Texas Music chart in May 2013 . 1 +"On March 12 , 1801 , "" Eling was with the British fleet under Admiral Sir Hyde Parker and sailed in the Battle of Copenhagen ( 1801 ) ." "On March 12 , 1801 , "" Eling was sailing with the British fleet under Admiral Sir Hyde Parker and became the Battle of Copenhagen ( 1801 ) ." 0 +LEO XU Projects is a young and international art gallery based in Shanghai exhibiting contemporary artists . LEO XU Projects is a contemporary art gallery based in Shanghai , which exhibits young and international artists . 0 +Iva Majoli won the title by defeating Mary Pierce in the final with 6 : 4 , 6 : 4 . Mary Pierce won the title by victory against Iva Majoli 6 -- 4 , 6 -- 4 in the final . 0 +Samuel Groth won the tournament after defeating Danai Udomchoke 7 -- 6 , 6 -- 3 in the final . The Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . 0 +Note also the use of the codice _ 13 attribute to mark the codice _ 6 elements as non-translatable . Also , use the codice 6 attribute to mark the elements codice 13 as non-translatable . 0 +Chabrian Jattan is a village in the Mirpur Tehsil of Azad Kashmir of Mirpur District , Pakistan . Chabrian Jattan is a village in Mirpur Tehsil by Azad Kashmir in the Mirpur district of Pakistan . 1 +However , Szabo 's method of Sybil-spending protection was vulnerable to double attacks . Szabo 's method of sybilizing protection , however , was vulnerable to double attacks . 1 +Gailes was finally closed in 1978 and the buildings demolished when the Radar station staff moved to Prestwick in Atlantic House . In 1978 , Gailes was finally closed down and the buildings were demolished when the radar station moved to Prestwick in the Atlantic House . 0 +Trenčianske Jastrabie is a village and municipality in Trenčín District in the Trenčín Region of northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in the district of Trenčín in the region of Trenčín in northwestern Slovakia . 1 +Polokce is a village situated in Serbia municipality in Novi Pazar . Polokce is a village in Novi Pazar municipality in Serbia . 0 +During the short 5 year life of Nervous Fellas , many personnel changes took place , and Chris Colt left in late 1987 to be replaced by Mark Twang . Many personnel changes happened during the short Fellas ' Nervous 5 year life . Chris Colt left in late 1987 to be replaced by Mark Twang . 0 +Jérémy Chardy won the title and struck Rubén Ramírez Hidalgo in the Final 6 -- 1 , 6 -- 4 . Jérémy Chardy won the title defeating Rubén Ramírez Hidalgo in the final 6 -- 1 , 6 -- 4 . 1 +Bourke was the son of Joseph Deane , Earl of Mayo and Mary Deane , daughter of John Bourke . Bourke was the son of John Bourke , 1st Earl of Mayo and Mary Deane , daughter of Joseph Deane . 0 +This can be further generalized to bi-anisotropic materials by transposing the full 6 × 6 susceptibility tensor . This can be generalized by transposing the complete 6 × 6 susceptibility tensor to bi-anisotropic materials . 1 +Since the Viking Age , there has been conscription in Denmark , where a physical man of every 10th court had to serve the king . Since the Viking Age , there has been conscription in Denmark , where the 110th man of every physical court had to serve the king . 0 +Psalm 79 ( biblical numbering : Psalm 78 ) is the 79th psalm in the Greek Book of Psalms . Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th Psalm in the Biblical Psalm Book . 0 +In 1996 , he moved from Chennai to Bengaluru to start his own business . He moved from Bengaluru to Chennai in 1996 to begin his own business . 0 +Now you find the bid price indifference solve for Formula 31 Now resolve the indifference bid price for Formula 31 to solve . 0 +Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an Italian artist and an American intellectual . Ippolita Rostagno was born in Florence on December 10 , 1963 and is the daughter of an American artist and an Italian intellectual . 0 +The Comina River is a tributary of the River Slănic in Romania . The Slănic River is a tributary of the River Comina in Romania . 0 +was born in Beijing in 1970 and grew up in the Sichuan province . Tang was born in 1970 in Sichuan Province and grew up in Beijing . 0 +He had been in the state playing for New Town , but moved to Victoria in 1925 and set up for Melbourne . He had been in the state playing for Melbourne but in 1925 moved to Victoria and lined up for New Town . 0 +They had three children ( Gloria , Calixto , Carlos ) and also moved Antonio 's nephew . They had three children ( Gloria , Calixto , Carlos ) and also raised Antonio 's nephew . 0 +Needs are also developed according to the existential categories of being , having , doing and interacting , and from these dimensions a 36 - cells - matrix is defined . Needs are also developed according to the existential categories of being , having , doing and interacting , and from these dimensions , a 36 cell matrix is defined 1 +Dielectric elastomers ( DEs ) are smart material systems that produce large strains . Dielectric elastomers ( DEs ) are smart material systems which produce large strains . 1 +Fersfield is limited to the east and south by the village of Kenninghall , to the west are South Lopham and North Lopham and in the north of Bressingham . Fersfield is bounded on the east and south by the village of Bressingham ; to the west are South Lopham and North Lopham and to the north Kenninghall . 0 +In addition to strictly modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of scientific discoveries . In addition to the strictly modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of the scientific discoveries . 1 +Former AFL players Tarkyn Lockyer ( Collingwood ) and Ryan Brabazon ( Sydney ) , Jason Mandzij ( Gold Coast ) started their football careers playing for the Kangas . The former AFL players Tarkyn Lockyer ( Collingwood ) and Ryan Brabazon ( Sydney ) , Jason Mandzij ( Gold Coast ) , started their football careers and played for the Kangas . 1 +Defeated Ricardo Cano with Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 - 3 , 6 - 4 - Balázs Taróczy defeated Ricardo Cano 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 -- 4 0 +All significant and currently available albums are listed in the discography below , with accreditations as necessary . All significant and currently available albums are delineated in the discography below , with accreditation listed as necessary . 0 +He joined the Canadian Fencibles in Scotland in 1803 and came to Quebec with them in 1805 . He joined the Canadian Fencibles in Scotland in 1803 and joined them in 1805 to Quebec . 1 +She sailed over Rio de Janeiro and arrived in Sydney on September 14 . She sailed over Sydney and arrived on 14 September in Rio de Janeiro . 0 +InFocus M810 is a smartphone marketed by InFocus and manufactured by Foxconn . It was released on July 31 , 2014 . InFocus M810 is a smartphone distributed by InFocus and manufactured by Foxconn . It was released on July 31 , 2014 . 1 +There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr in Ireland is far more than in Scotland . There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more prominent in Scotland than it is in Ireland . 0 +In addition to the generic information described above , military applications include weapons system and sensor data such as : Military applications , in addition to the generic information described above , also include weapon system and sensor data such as : 1 +"In Europe he appeared in Le Lido in Paris and sang with Betty Grable in the London West End Musical "" Belle Starr "" ." "In Europe , he appeared at Le Lido in Paris and sang with Betty Grable in the London West End musical "" Belle Starr "" ." 1 +David Tatuashvili , another Georgian partisan of Soviet origin , described the funeral as follows : Another Georgian Partisan of Soviet origin , David Tatuashvili , described the funeral as follows : 1 +With Apex Marketing , Dracco Company Ltd. created the basic version of the game and established the online universe of Chaotic . Dracco Company Ltd. with Apex Marketing then created the basic version of the game and established the online universe of Chaotic . 1 +The last album was recorded with bassist Nina Souto and drummer Arturo Garcia . """ Sketch "" was the last album recorded with bassist Nina Souto and drummer Arturo Garcia ." 1 +In the week before the first race , Barwa Addax - pilot Josef Král was replaced by Dani Clos , and Brendon Hartley also replaced Jon Lancaster from Ocean Racing Technology . In the week before the first race , Barwa Addax driver Dani Clos was replaced by Josef Král . Brendon Hartley also replaced Ocean Racing Technology 's Jon Lancaster . 0 +On March 31 , 1958 Daley was traded , along with Larry Doby and Don Ferrarese , to the Baltimore Orioles , for Gene Woodling and Dick Williams . On 31 March 1958 , Daley , together with Gene Woodling and Dick Williams , was traded on the Baltimore Orioles for Larry Doby and Don Ferrarese . 0 +He came to NK Inter Zaprešić in summer 2013 together with his teammate Haris Hajradinović from Croatian club , AS Trenčín . He came to AS Trenčín together with his teammate Haris Hajradinović from the Croatian club NK Inter Zaprešić in the summer of 2013 . 0 +Sometimes , small mammals , including bats , are eaten , but insects are rarely caught . Small mammals , including bats , are sometimes caught but insects are eaten only very rarely . 0 +Theoretically , TS can be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numeric models . Theoretically , TS can be measured for numerical targets such as balls and cylinders , but in practice it is usually empirically calculated or derived with simple models . 0 +In the 20th century , the grey suit was largely replaced by the dark blue or black suit . The black suit was largely replaced by the dark blue or grey suit in the 20th century . 0 +"This change of name meant that the NSRL would be placed under the Nazi party "" ." "This name change meant that the Nazi Party would be "" placed under "" the NSRL ." 0 +Pinal de Amoles Municipality is a municipality in Querétaro in central Mexico . Querétaro is a municipality in the municipality of Pinal de Amoles in Central Mexico . 0 +The company got a production structure in Frederikssund in 1958 and later in Houston , United States . The company got a production structure in 1958 in Houston , USA , and later in Frederikssund . 0 +Jacky Jasper and Marc Live joined forces with Kool Keith to release two albums as KHM . Jacky Jasper and Marc Live joined with Kool Keith to release two albums as KHM . 1 +Here gathers mcen 092.2 you have spoken very clearly and you have not accused . mcen 092.2 gathered here have spoken you very clearly and you have not accused . 1 +Initials can be placed either before or after their first name when they are used . Initials , when used , can be placed either before or after their first name . 1 +Ruhollah Khomeini was appointed Chief Public Prosecutor of the Special Court for the Clergy in 1987 by Fallahian and led the trial of Mehdi Hashemi . In 1987 Ruhollah Khomeini was appointed by Fallahian as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . 1 +When water and sewer companies were privatised in England and Wales in 1989 , these services remained public in Northern Ireland and in Scotland . When water and sewerage companies were privatised in 1989 in England and Wales , these services remained public in Northern Ireland and Scotland . 1 +She is a wife of Tania Cagnotto and mother of Giorgio Cagnotto . She is the wife of Tania Cagnotto and mother of Giorgio Cagnotto . 1 +In Golitsyno there is a railway station of the same name on the Moscow Railway Minsk . A railway station of the same name on the Moscow -- Minsk railway is located in Golitsyno . 1 +He has presented papers and the College Art Association conference in New York ( 2007 ) and at the Subtle Technologies Conference in Toronto ( 2002 ) . He has presented lectures and conference of the College Art Association in Toronto ( 2007 ) and at the Subtle Technologies Conference in New York ( 2002 ) . 0 +The Honourable Brian Sully AM QC kindly donated his Judicial Robes and his personal library to the University of Western Sydney . The Honourable Brian Sully AM QC has kindly donated his personal Robes and Judicial Library to the University of Western Sydney . 0 +The group was founded in Las Vegas , and later relocated to Los Angeles . The group was founded in Las Vegas and then relocated to Los Angeles . 1 +"This is the traditional dress of Zomi , the male clothes are "" Puan Laisan "" and the female dresses are "" Puandum "" ." "This is the Zomi traditional dresses . The male dress are "" Puan Laisan "" and the female dress are "" Puandum """ 1 +East Nimar was known as Khandwa until recently . Khandwa was until recently known as the East Nimar . 0 +Lukaszuk has two daughters , one with his former wife , news - anchor Stacey Brotzel CTV Edmonton and one with his current wife . Lukaszuk has two daughters , one with his current wife , news spokesperson Stacey Brotzel CTV Edmonton and one with his former wife . 0 +The river Văcăria is a tributary of the River Pilugul in Romania . The Văcăria River is a tributary of the Pilugul River in Romania . 1 +Suzie Cappetta would work and record with various acts , including Christian hard rock , the R 'B group Stevie 'the Saints and Jimmy Ellis . Stevie would work and record with various acts , including Christian hard rock , the R & amp ; B group Jimmy Ellis ' the Saints and Suzie Cappetta . 0 +SAfm was the first radio station of the SABC and the country 's first public radio station . SAfm was the SABC 's first radio station , and the country 's first public radio station . 1 +They can be used not only in predicative role ( as in the above examples ) , but also in attributive role : They can be used not only in the predicative role ( as in the above examples ) , but also in the attributive role : 1 +Hector Crawford was brother of 3DB manager and administrator Curteis Crawford , and also brother of Dorothy Crawford . Hector Crawford was the brother of 3DB manager and administrator Dorothy Crawford , and also brother to Curteis Crawford . 0 +Guy Stern ( born January 14 , 1922 in Hildesheim ) is a German and comparative literature scholar , primarily German-Jewish . Guy Stern ( born January 14 , 1922 in Hildesheim , Germany ) is a German-Jewish scholar of literature , primarily German and comparative . 0 +He also worked in several houses and monasteries in Belgium , in the castle of Beaulieu ( Ghent ) in Machelen and in Horst Castle . He has also worked in several houses and monasteries in Ghent , in Beaulieu Castle ( Belgium ) in Machelen and in Horst Castle . 0 +"Although Andrew Anthony in "" The Observer "" was more critical and A.A. Gill of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony in "" The Observer "" was more critical and A . A. Gill of "" The Sunday Times "" was unimpressed ." 1 +In its upper reaches in the crystal-clear hills of Piedmont , it flows through a deeply incised channel etched into red rocks . In its upper reaches in the red hills of the Piedmont , it flows through a deeply incised canal etched into crystalline rocks . 0 +This tour was made two weeks after the Australia tour of New Zealand . The Wallabies lost the only test with the All Blacks . This tour was made two weeks after the Australian tour of New Zealand , the Wallabies lost the only test with the All Blacks . 1 +The Eastern Province comprises the former provinces of Kibungo and Umutara , most of Kigali Rural , and part of Byumba . The eastern province comprises the former provinces of Kibungo and Umutara , the majority of Kigali Rural and part of Byumba . 1 +Antillophos bahamensis is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Antillophos bahamensis is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 1 +This name change meant that the Nazi party would be “ placed ” under the NSRL . "This name change meant that the Nazi Party would be "" placed under "" the NSRL ." 1 +He was elected on the American ticket to the 29th United States Congress , holding office from March 4 , 1845 , to March 3 , 1847 . He was elected on the American ticket to the 29th United States Congress , which operates from March 4 , 1845 to March 3 , 1847 . 1 +Born in Sarlat in the province of Dordogne , Tarde studied law at Toulouse and Paris . Tarde was born in Dordogne in the province of Sarlat , and he studied law at Toulouse and Paris . 0 +The region was also open to Algonquian Ojibwa ( now known as the Mississauga ) who came in . The region was now open to the Algonquian Ojibwa ( also known as Mississauga ) , who moved in . 0 +The white Pontiac , the last 2010 model year G6 4 - door limousine , was built in January 2010 at the Orion Township assembly line . The last Pontiac , a white 2010 model year G6 4 - door limousine , was built in January 2010 on the Orion Township assembly line . 0 +It is widespread in Europe but is never as common as L. sponsa . It is widespread in Europe , but it is never as common as L. sponsa . 1 +On September 15 , 2015 , Johnson signed with Romanian team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Polish team Stal Ostrów Wielkopolski . On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed with the Romanian team Stal Ostrów Wielkopolski on July 17 , 2016 . 0 +Thomas was the youngest child of farmers Fred and Elizabeth Goodwill . Fred was the youngest child of the farmers Thomas and Elizabeth Goodwill . 0 +Pixar also studied the Disney Cruise Line and visited Las Vegas , which was helpful for understanding artificial lighting . Pixar also studied the Disney Cruise Line and visited Las Vegas , which was helpful in understanding artificial lighting . 1 +In 1992 , the 14th Air Defence Department and the 10th Air Defence Corps were disbanded . In 1992 the 10th Air Defence Division and the 14th Air Defence Corps were disbanded . 0 +In both cases , he had been selected by Eugenio Scalfari as a critic , first for the daily newspaper and then for the weekly edition . In both cases he had been chosen as critic by Eugenio Scalfari , first for the daily and then for the weekly edition . 1 +He graduated from MIT in 1891 , and then received a master 's degree from Harvard University in 1893 . He graduated from Harvard University in 1891 and received a MASTER degree from MIT in 1893 . 0 +In 2015 , Richard Branson offered Stephen Hawking a seat for free in the spaceship Virgin Galactic . In 2015 , Stephen Hawking offered Richard Branson a seat free of charge on the Virgin Galactic spaceship . 0 +The Staatskapelle Halle is a symphony orchestra based in Halle , Saxony-Anhalt , Germany . The Staatskapelle Halle is a symphony orchestra based in Halle , Saxony-Anhalt . 1 +"In 1994 , Crowden played the role of Professor Pollux in the BBC TV adaptation of the John Hadfield - novel "" Love on a Branch Line "" ." "In 1994 , John Hadfield played the part of Professor Pollux in the BBC TV adaptation of the Crowden novel "" Love on a Branch Line "" ." 0 +Since these laws were opened , many nanobreweries have changed . Since these laws were changed , many nanobreweries have been opened . 0 +Aman is in love with Neha ( Boman Irani ) , daughter of Mr Patel ( Nandana Sen ) , a conventional Gujarati . Aman is in love with Neha ( Nandana Sen ) , the daughter of Mr. Patel ( Boman Irani ) , a conventional Gujarati . 0 +Elizabeth Rebecca Guynn was born in St. Louis , Missouri , the son of a Baptist minister , George L. White Sr. and his wife , White . Rebecca Guynn was born in St. Louis , Missouri , the son of Baptist priest George L. White Sr. and his wife White . 1 +"After "" The Kids "" was recorded with the drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recorded with Derrick except "" The Kids "" ." "After "" The Kids "" were recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks except "" The Kids "" was re-recorded with Derrick ." 1 +He was sent to Rangoon , Burma ( now Yangon , Myanmar ) , for further study and then taught in Thailand . He was sent to Rangoon , Burma ( now Yangon , Myanmar ) and taught in Thailand for further studies . 1 +The Penchala River is a river in Petaling Jaya . It runs from Kampung Sungai Penchala to Klang River near Selangor , Malaysia . The Penchala River is a river in Selangor , Malaysia It runs from Kampung Sungai Penchala to the sound - river near Petaling Jaya . 0 +Deepak Chand Lall who lives in ( New Jersey ) Meena Gupta ( Mumbai ) and Madhuri Jaiswal ( Kolkata ) Deepak Chand Lall lives in ( New Jersey ) Meena Gupta ( Mumbai ) and Madhuri Jaiswal ( Kolkata ) 1 +After the death of her first husband , Katharina Dalton married Tom Dalton , who passed away in 1992 . After the death of her first husband , Katharina Dalton remarried Tom Dalton , who passed away in 1992 . 1 +In August 2017 , Glassman announced an exploratory campaign for the race of the Republican Party in 2018 as a member of the Arizona Corporation Commission . In August 2017 , as a member of the Republican Party , Glassman announced an exploratory campaign for the Arizona Corporation Commission ’ s race of 2018 . 0 +Ottawa County is a civil township of Park Township in the U.S. state of Michigan . Ottawa County is a civil community of Park Township in the U.S. state of Michigan . 1 +We find the following local object telegraphed to the Republican fayette from Cedar Rapids , March 6 , 1885 . """ We find the following local item telegraphed to the Cedar Rapids Republican from Fayette , March 6 , 1885 ." 0 +In 1489 , Juan Ruiz de Medina was confirmed by the King of Spain and selected by Pope Innocent VIII as Bishop of Astorga . In 1489 Juan Ruiz de Medina was confirmed by the King of Spain and elected by Pope Innocent VIII to bishop of Astorga . 1 +The Pălăoaia River is a tributary of the Muereasca River in Romania . The river Pălăoaia is a tributary of the Muereasca River in Romania . 1 +She was heavily attracted by him and tried to seduce him into a sexual relationship , but Hanuvant Singh became religious in thought and did not go to the incest . She was heavily attracted to him and tried to seduce him into a sexual relationship , but Hanuvant Singh was religious in thought and did not go to incest . 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulation Videogame of 2K Sports developed and published by Kush Games . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by 2K Sports and published by Kush Games . 1 +He was born in Quebec around 1760 and settled in Detroit ( then part of Scotland ) in 1782 . He was born in Québec around 1760 and settled in Detroit in 1782 ( then a part of Scotland ) . 1 +The work was performed in 2008 by New Zealand-based London singer Paul Whelan and the NZSO . The work was conducted by the London-based New Zealand singer Paul Whelan and the NZSO in 2008 . 0 +Marc Bergevin ( born August 11 , 1965 ) is a Canadian professional ice hockey executive and former player . Marc Bergevin ( born August 11 , 1965 ) is a former Canadian ice hockey manager and professional player . 0 +In 1920 , he represented Italy at the Oceanographic Congress in Cairo , and in 1924 represented the geographical society at the International Geographical Congress in Madrid . In 1920 he represented Italy at the Oceanographic Congress in Cairo , and in 1924 he represented the geographical society at the International Geographical Congress in Madrid . 1 +In December 2007 , he said that the local majority would present common lists for the 2008 presidential elections . He said in December 2007 that the presidential majority would present joint lists for the 2008 local elections . 0 +Tătarca river is a tributary of the Cârlibaba River in Romania . The Tătarca River is a tributary of the Cârlibaba River in Romania . 1 +The North Indian Ocean cyclone season in 2005 was destructive and deadly for southern India , despite the weak storms . The North Indian Ocean cyclone season in 2005 , despite the destructive and lethal storms , was weak to southern India . 0 +Colleen gets a job in the diner , where she becomes good friends with Leah Poulos ( Ada Nicodemou ) . Colleen gets a job at the Diner where she becomes good friends with Leah Poulos ( Ada Nicodemou ) . 1 +It began on Social Esportiva Vitória , then went to the Fabriciano and was loaned to various clubs and other Ceará , before returning in mid- 2010 to Ceará . It began on Social Esportiva Vitória , then went to the Fabriciano and was borrowed to various clubs and other Ceará before returning to Ceará in mid 2010 . 1 +Wanzhou District is a district in Chongqing , China and the location of a former prefecture . Chongqing is a district in Wanzhou district , China and the location of a former prefecture . 0 +The 2009 - 2010 National Hockey League season was the 17th season of operation ( 16th season of play ) for the Anaheim Ducks franchise . The season 2009-2010 National Hockey League was the 17th season of the operation ( 16th season of the game ) for the Anaheim Ducks franchise . 1 +One of them , Micheál Martin , said that Fianna Fáil - leader Shane Ross had contacted her the previous day and that she would meet the following week . One of these , Micheál Martin , said Fianna Fáil leader Shane Ross had contacted them the previous day and that they would meet the following week . 1 +The second method is written when the number of elements in each row is the same and is known at the time of program use . The second method is written when the number of elements in each row is the same and known at the time the program is used . 1 +In 1951 , the Cogioba Council , based in Bowling Green , merged with the West Kentucky Area Council to form the Audubon Council , which provides a good third of Kentucky . In 1951 , the Cogioba Council , headquartered in Bowling Green merged with the West Kentucky Area Council to form the Audubon Council serving a good third of Kentucky . 1 +The film was aired by Peter Collinson and produced by Harry Alan Towers . The film was directed by Peter Collinson and produced by Harry Alan Towers . 0 +It is also convenient to sometimes define the purely covariant version by It is also convenient to sometimes define a purely covariant version by : 1 +In the compositions of the Camerata members , the theory preceded the practice ; the men decided how the music should sound before they set to compose it . In the compositions of the Camerata members the theory preceded practice : the men determined how the music should sound before they decided to compose them . 0 +The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell and future world record player Paul Jessup of Washington in 1928 . The field also included 1928 Olympian ( and 1932 Olympic champion ) John Anderson of Cornell , and future world record holder Paul Jessup of Washington . 1 +Defeated Jimmy Arias with Andre Andre Agassi 6 -- 2 , 6 -- 2 Jimmy Arias defeated Andre Agassi 6 -- 2 , 6 -- 2 . 0 +On October 19 , Linear Technology ( SHPG ) replaced the Shire PLC ( LLTC ) index . On 19 October , Shire PLC ( SHPG ) Linear Technology ( LLTC ) replaced the index . 0 +In 2014 , founding member Devin Abrams left the band for 15 years and was replaced by Dan McGruer . In 2014 , Dan McGruer , a founding member , left the band for 15 years and was replaced by Devin Abrams . 0 +"In 2001 he founded in Zagreb , Croatia , the publishing house and the graphic workshop "" Petikat "" , most recently he worked on animation films at the Zagreb film ." "In 2001 in Zagreb , Croatia he founded the publishing house and graphic workshop "" Petikat "" . Most recently he worked on animated films at Zagreb Film ." 1 +The Roman - Catholic diocese of Cyangugu is a diocese in the town of Kigali in the ecclesiastical province of Cyangugu , Rwanda . The Roman Catholic Diocese of Cyangugu is a diocese located in the city of Cyangugu in the ecclesiastical province of Kigali in Rwanda . 0 +Tynion followed up the series with an additional horror comic for Thrillbent , The House In The Wall , co-written by Noah J. Yuenkel and drawn by Eryk Donovan . Tynion followed the series with an additional horror comic book for Thrillbent , The House In The Wall , drawn by Noah J. Yuenkel and Eryk Donovan . 0 +Regoul is a Scottish hamlet , located 4.5 miles south of Nairn , in Nairnshire , Scottish Highlands and is in the small rural council area of Highland . Regoul is a small rural hamlet , located 4.5 miles south of Nairn , in Nairnshire , Scotland , and is in the Scottish Council of Highlands . 0 +ABC Books has released seven paperback novels , each based on a particular episode and from the perspective of a single character . ABC Books has released seven paperbacks - novels , each based on a particular episode and from the perspective of a single character . 1 +96 % of people spoke only English at home ; the next most common languages were 1.5 % Samoan , 1 % Vietnamese . 96 % of people spoke at home only English , the second most common languages were 1.5 % Samoan , 1 % Vietnamese . 1 +The mountain was named by Charles Gould in 1863 after geologist Charles Lyell , a supporter of Charles Darwin . The mountain was named after the geologist Charles Gould , a follower of Charles Darwin in 1863 by Charles Lyell . 0 +"In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain at ABC - Soap "" One Life to Live "" ." "In 2007 , Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in ABC - Soap "" One Life to Live "" ." 0 +Seleucus was a wealthy Christian Roman Senator of Greek descent who lived in the first half of the 4th century and second half of the 5th century . Seleucus was a wealthy Christian Roman senator of Greek origin who lived in the first half of the 4th century and the second half of the fifth century . 1 +Yves Préfontaine ( born 1 February , 1937 , in Quebec ) is a Canadian writer based in Montreal , Quebec . Yves Préfontaine ( born February 1 , 1937 in Quebec ) is a Canadian writer in Montreal , Quebec , Canada . 1 +Codice 13 is also a compiler - magic - function of oxygene that is not a conditional function and is rolled back to real statements at compile time . Codice 13 is also a compiler - magic - function of oxygene , but is not a real function and is rolled back to conditional statements at compile time . 0 +The 1883 American Association finished in fourth place in the New York Metropolitan with a 54-42 record . The 1883 New York Metropolitans finished fourth in the American Association with a 54 - 42 record . 0 +The last album was recorded with bassist Arturo Garcia and drummer Nina Souto . """ Sketch "" was the last album recorded with bassist Arturo Garcia and drummer Nina Souto ." 1 +He became a prestigious canon , a regular poet in the Latin language , under the name of Santolius Victorinus writing . He became a regular canon He was a prestigious poet writing in the Latin language , under the name of Santolius Victorinus . 0 +Coalesced hashing , also called coalesced chaining , is a strategy of collision resolution in a hash table that forms a hybrid of separate chaining and open addressing . Coalesced - Hashing , also called Coalesced Chaining , forms a strategy of collision resolution in a hash table that represents a hybrid of separate chaining and open addressing . 0 +Finsch 's monitor was only known by Blanche Bay , Ralum and Massawa in New Britain . Finsch 's monitor was only known from Blanche Bay , Ralum , and Massawa in New Britain . 1 +The Hallets Cove terminal is located in Astoria between the Astoria Houses public housing project and Socrates Sculpture Park . The Astoria Terminal is located in the Hallets Cove between the Astoria Houses project and Socrates Sculpture Park . 0 +He originally played with HC Spartak Moscow in KHL during the 2010 season -- 11 Continental Hockey League . He originally played with HC Spartak Moscow in the KHL during the 2010 -- 11 Kontinental Hockey League season . 1 +The city of Mačvanska Mitrovica includes the town of Sremska Mitrovica , and several villages . The town of Mačvanska Mitrovica includes the city of Sremska Mitrovica and several villages . 1 +The municipality is divided into the barrios of Asunción , Isabel , Realengo and San José . The municipality is divided into Barrios Asunción , Isabel , Realengo and San José . 1 +Swami Brahmananda ( 1863 -- 1922 ) , whose original name was Rakhal Chandra Ghosh , was son of a zemindar in the Basirhat area . Swami Brahmananda ( 1863 -- 1922 ) , whose original name was Rakhal Chandra Ghosh , was the son of a cemindary in the Basirhat area . 1 +His father has called him Ali , and his nickname was Murtaza . His father called him Ali and his nickname was Murtaza . 1 +"He gives his name as Karl Marx , which types a service officer as "" Carl Marx "" ." "He gives his name as Karl Marx , which a duty officer types as "" Carl Marx "" ." 1 +Ambeshetgaon is a village in the Palghar district of Maharashtra , India . It is located in the Talasari taluka . Ambeshetgaon is a village in the Talasari district of Maharashtra , India . It is located in Palghar Taluka . 0 +In 1894 , Kathleen Codner married Kathleen Warner , daughter of Carlos E. Warner , and the couple had three children : John W. , George C. and Kathleen . Carlos E. Warner married Kathleen Warner , daughter of Codd , in 1894 . The couple had three children : John W. , George C. , and Kathleen . 0 +The station is located next to the Kintetsu Nagoya Line , the terminal of Nagoya Railroad , and the Kintetsu Nagoya Station , the Meitetsu Nagoya Station terminal . The station is adjacent to Kintetsu Nagoya Line , the terminal of the Nagoya Railroad , and Kintetsu Nagoya Station , the terminal of the Meitetsu Nagoya Station . 1 +In 2004 SCA acquired the tissue and hygiene products businesses of Carter Holt Harvey from International Paper . In 2004 , SCA acquired from Carter Holt Harvey the International Paper Tissue and Hygiene Products division . 0 +Thus , the optimal language up to this additive constant is universal . Therefore , the optimal language is universal up to this additive constant . 1 +"Alan Dale returned as Tom Morrow , a character who left "" NCIS "" in the third season 's episode "" Kill Ari ( Part I ) "" ." "Alan Dale returned as Tom Morrow , a character who left "" NCIS "" in the episode "" Kill Ari ( Part I ) "" of the third season ." 1 +The most preferred method of treatment at that time was the active medication . The most active treatment method at the time was preferred medication . 0 +The river Nadeş is a tributary of the River Ciortosu in Romania . The Nadeş River is a tributary of the Ciortosu River in Romania . 1 +James James has to deal with the unfriendly Ralph Beamish , an arrogant horse owner who always ignores his advice . Ralph Beamish has to deal with the unfriendly James , an arrogant horse owner who continually ignores his advice . 0 +Two other authors have since managed this -- Peter Carey ( in 1988 and 2001 ) and Hilary Mantel ( in 2009 and 2012 ) . Since then , two other authors have managed this Hilary Mantel ( 1988 and 2001 ) and Peter Carey ( 2009 and 2012 ) . 0 +According to classical authors such as Pliny the Elder , even through the Roman period , Harran maintained an important position in the economic life of Assyria . According to Roman authors such as Pliny the Elder , Harran had an important position in the economic life of Assyria even during the classical period . 0 +Nietzsche admired Wagner 's ability to express his own suffering and misery in large creations . He criticized Wagner 's attempt to produce short musical works . He admired Wagner 's ability to express his own suffering and misery in great creations , and criticized Wagner 's attempt to produce short musical works . 1 +La Vegueta is a village in Tinajo , Las Palmas province in the western part of Lanzarote , in the Canary Islands . La Vegueta is a village in Tinajo , Lanzarote province of western Las Palmas in the Canary Islands . 0 +The CEO of AIG Advisor Group was Valerie Brown . The interim CEO of the independent company , now called Advisor Group , is Erica McGinnis . The CEO of AIG Advisor Group was Erica McGinnis , the interim CEO of the independent company , now called Advisor Group , Valerie Brown . 0 +"Halperin and Jay Velie introduced the song "" I Love You "" by Thompson and Archer ." "Halperin , Thompson and Archer presented the song "" I Love You "" by Jay Velie ." 0 +Villeneuve had no answer to Andretti 's pace and the gap increased rapidly . Villeneuve had no response to Andretti 's pace , and the gap increased rapidly . 1 +The hand kills them and she is forced to kill her , which also attacks the sale . The hand kills her and she is forced to kill it , which also attacks the sale . 1 +In 1858 he completed the Galatasaray High School in Istanbul and became a teacher in Shumen , where he remained until 1864 . In 1858 he graduated from the Galatasaray School in Schumen and became a teacher in Istanbul , where he remained until 1864 . 0 +The body is compact with a large head , long wings and short tail . The body is compact with a large head , short wings and a long tail . 0 +This practice has its roots in the traditions of the Danish students ' black caps . This practice has its roots in the traditions regarding the Danish caps of the black students . 0 +Elizabeth Warren is the senior United States Senator from Massachusetts , a former member of the Republican Party and currently a member of the Democratic Party . Elizabeth Warren is the former US Senator from Massachusetts , a senior member of the Democratic Party and currently a member of the Republican Party . 0 +The northern area contains the Tara mountains and the southern region consists of open plains along the coast and the actual city . The southern area contains the Tara mountains and the northern area consists of open plains along the coast and the actual city . 0 +He lives with a humble and single ambition : to dominate the world ( the whole planet ) . "He lives with a single and "" humble "" ambition : to master the world ( the whole planet ) ." 1 +He spent the final years of his life in France and died in Paris . The last years of his life he spent in France and died in Paris . 1 +Aimee Semple McPherson engaged Brook Hawkins from the Winter Construction Company , the architect of the Culver Hotel , the Metropolitan Theatre des Grauman and the Pasadena Playhouse . Aimee Semple McPherson rented Brook Hawkins from the Winter Construction Company , the architect of the Pasadena Playhouse , the Grauman 's Metropolitan Theatre and the Culver Hotel . 0 +He moved to Attika , Indiana in 1853 , and in 1859 to Bloomington , Illinois . He moved to Bloomington , Illinois in 1853 , and in 1859 to Attika , Indiana . 0 +Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and reached via ( Sarai Kala ) siricote . Ranjit Singh marched to Rawalpindi , from there to Rohtas and via ( Sarai Kala ) until Sirikot . 0 +"The names "" googol "" and "" googolplex "" were invented by Newman 's nephew , Milton Sirotta , and introduced in Kasner and Edward Kasner 's 1940 book ." "The names "" Googol "" and "" Googolplex "" were invented by Newman 's nephew Milton Sirotta and introduced to the book of Kasner and Edward Kasner in 1940 ." 1 +Chongming is Shanghai 's only county and lies north of the Shanghai Peninsula on three inhabited islands in the Yangtze estuary : Chongming , Changxing , and Hengsha . Chongming is the only county in Shanghai north of the Shanghai Peninsula on three inhabited Yangtze islands - Chongming , Changxing and Hengsha . 1 +The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Kerala from Bengal . The movie begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Bengal from Kerala . 0 +Quadratic placement later outperformed combinatorial solutions in both quality and stability . Combinatorial placement later exceeded quadratic solutions , both in quality and stability . 0 +Allen recruited McBride for his band , Christian McBride & Inside Straight . "McBride for his band , Christian McBride "" Inside Straight recruited ." 1 +The first was a four lane studio session and the second six tracks at the Reading Festival . The first was a four track studio session and the second six tracks recorded at the Reading Festival . 1 +A short biography , and brief summaries of Brodsky 's longer fiction and critical reception can be found here : A brief biography and short summaries of Brodsky 's long fiction and critical reception can be found here : 1 +Argento ( born September 20 , 1975 in Argento , Aria Maria Vittoria Rossa Argento ) is an Italian actress , singer , model , activist and director . Asia Argento ( ; born Aria Maria Vittoria Rossa Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . 1 +"In the fourth novel , "" Dead to the World "" , he is bitten repeatedly by a werepanther and becomes a kidnapped and bitten werepanther ." "In the fourth novel "" Dead to the World "" , he is repeatedly bitten by a Werepanther and becomes a kidnapped and bitten Werepanther ." 1 +The station is adjacent to Kintetsu Nagoya Line , the terminal of the Nagoya Railroad , and Kintetsu Nagoya Station , the terminal of the Meitetsu Nagoya Station . The station is located next to the Kintetsu Nagoya line , the Nagoya Railroad terminal , and the Kintetsu Nagoya Station , the terminal of Meitetsu Nagoya Station . 1 +It is located from South 78th Street to Cobbs Creek , east of Lindbergh Boulevard , South 84th Street . It is located from South 78th Street to South 84th Street , east of Cobbs Creek to Lindbergh Boulevard . 0 +There are two pumping stations outside the city limits and a part of the water service provided by York to Toronto : There are two pumping stations located outside of the city limits and part of the water service provided to Toronto by York Region : 1 +"A whole issue of the beautiful Sicilian magazine of musical cultures , "" Avidi Lumi "" , was recently dedicated to Davide Perez ." "Recently a whole issue of the beautiful Sicilian journal of musical cultures , "" Avidi Lumi "" , was dedicated to Davide Perez ." 1 +""" Pantheon and Other Roleplaying Games "" included a total of five different storytelling games or five different competitive scenarios , as they all use the same "" Narrative "" ." """ Pantheon and other role-playing games "" included a total of five different storytelling games or five different competitive scenarios , as they all use the same "" narrative "" ." 1 +Guido Reni , also known as the Marchino di Marco Bandinelli , was an Italian baroque painter . Marco Marco Bandinelli , also known as the Marchino di Guido Reni , was an Italian baroque painter . 0 +One important distinction is clear , though . One important distinction though is clear . 1 +They had five children besides Quintin : Juan , Phillip , Willie , Patrick and Lucy . They had five children alongside Quintin : Lucy , Phillip , Juan , Patrick and Willie . 1 +Melesio Morales ( sometimes written Melisio Morales ) ( 4 December 1838 - 12 May 1908 ) was a Mexican composer . Melesio Morales ( sometimes spelled Melisio Morales ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . 1 +In 1944 , he was born in Rome , his father was Lithuanian - Jewish , his Catholic mother was the daughter of a French father and one Austrian mother . He was born in 1944 in Rome , his father was Lithuanian - Jewish , his French mother was the daughter of a Catholic father and an Austrian mother . 0 +William Debenham , born in Alpheton , Suffolk in 1794 , joined Thomas Clark in a partnership to lead a draper 's store at Wigmore Street 44 in London . Born in 1794 in Alpheton in Suffolk , William Debenham joined Thomas Clark in a partnership to manage a draper 's store at 44 Wigmore Street in London . 1 +On January 15 , 2014 , Douglas was traded to the Boston Celtics in a three-team deal involving the Warriors and the Miami Heat . On 15 January 2014 , Douglas was traded at the Miami Heat in a three-team deal with the Warriors and the Boston Celtics . 0 +The community is located 33 miles northeast of Solon Springs ; 42 miles south of the city of Superior , and 14 miles southwest of Danbury . The village is located 33 miles northeast of Solon Springs , 42 miles south of the city of Superior and 14 miles southwest of Danbury . 1 +It was abandoned in 1446 , and destroyed and rebuilt in 1551 . It was abandoned in 1446 and destroyed in 1551 and rebuilt . 1 +As a child , Beatrice met Campbell on Edie Martyn ( Jonathan Dakers ) . As a child Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) . 1 +Tieto was no 17 on the list and received positive feedback for offering challenging jobs and great atmosphere . Tieto was not on the list 17 and received positive feedback for great jobs and challenging atmosphere . 0 +"The municipal district ( "" správní obvod "" ) of the same name consists of administrative districts Prague 17 and Zličín ." "The administrative district of the same name ( "" správní obvod "" ) consists of municipalities Prague 17 and Zličín ." 0 +""" Continental Celtic "" is a geographic , not a linguistic grouping of ancient Celtic languages ." """ Continental Celtic "" is a geographic , not a linguistic , grouping of the ancient Celtic languages ." 1 +The main international airport is the Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . The main international airport is Douala International Airport and the second international airport at Yaoundé Nsimalen International Airport . 0 +A total lunar eclipse took place on 13 April 1968 , the first of two total darknesses in 1968 , and the second on October 6 . A total eclipse took place on April 13 , 1968 , the second of two total lunar eclipses in 1968 , the first being on October 6 . 0 +Visual color measurement is the conventional and common form of liquid color measurement . Visual color measurement is the liquid form of conventional and usual color measurement . 0 +These are to know the physical world and external qualities These are intended to know the physical world and external qualities . 1 +Mount Darwin ( alternate : Darwin ) is one of seven districts in the Zimbabwe province of Mashonaland Central . Mount Darwin ( alternatively : Darwin ) is one of seven districts in the province of Mashonaland Central in Zimbabwe . 1 +The spokesman was Thomas Bain first , and later James David Edgar . The Speaker was first James David Edgar , and later Thomas Bain . 0 +The minus sign indicates that the imaginary part of the impedance is negative . The imaginary sign indicates that the minus portion of the impedance is negative . 0 +As a senior in 2003 , he rushed for 1,070 yards and threw for 1,291 to earn District 18-4A MVP awards . As a senior in 2003 , he rushed for 1,070 yards and threw for 1,291 to earn District 18-4A MVP honors . 1 +Within California , it is a rare and endangered species listed on the inventory of the vulnerable plants of the California Native Plant Society . Within California it is a Vulnerable species listed on the California Native Plant Society Inventory of Rare and Endangered Plants . 0 +In 1925 her series of illustrated crossword puzzles for children was syndicated in several newspapers . Her series of illustrated crossword puzzles for children was published in several newspapers in 1925 . 1 +The central part of the watershed of Nescopeck Creek , south of the northernmost hill , including the mouth of Black Creek , is also in this series . The central part of the Nescopeck Creek watershed , south of the northernmost line of hills , including the mouth of Black Creek , is also in this range . 1 +The Ojhas are ritual leaders , teachers and members of the highest spiritual rank in the varna system of Hinduism as brahmans . The Ojhas are spiritual guides , teachers and members of the highest ritual rank in the varna system of Hinduism as brahmans . 0 +Potter married in 1945 . He and his wife Mary ( a weaver ) had two children , Anne ( born 1947 ) and Julian ( born 1952 ) . He and his wife Mary ( a weaver ) had two children , Anne ( born 1947 ) and Julian ( born in 1952 ) . 1 +This way , assertions can be evaluated as a framework feature with the method Debug.Assert , which is only provided when the DEBUG constant is defined . This allows assertions to be provided with the Debug.Assert method as a framework feature , which is only evaluated when the DEBUG - Constant is defined . 0 +Hard Candy is the fourth studio album by Counting Crows , published in the United States on June 7 , 2002 and the following day in the United Kingdom . Hard Candy is the fourth studio album by Counting Crows , released in the United States on June 7 , 2002 and the following day in the United Kingdom . 1 +The white endocarp of mangosteen has the same shape and size in diameter as a mandarin , but is edible . The white endocarp of the mangosteen has the same shape and size as a tangerine in diameter , but is edible . 1 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - videogame by Kush Games developed and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by 2K Sports and published by Kush Games . 0 +The data created and maintained by the portal is used by a number of other organisations . The data used by the portal is created and maintained by a range of other organisations . 0 +""" Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of third Kenyan President Mwai Kibaki during the funeral of Khasakhala ." """ Eric was a very good friend and confidante of Thomas Joseph Mboya "" , words of the 3rd Kenyan president , Mwai Kibaki , during Khasakhala 's funeral ." 0 +"His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" from Dave Brubeck in 2011 ." "His meeting with Dave Brubeck is documented in the book 2011 "" Taj-Mahal Foxtrot "" by Naresh Fernandes ." 0 +Indonesian President Suharto visited Syria in October 1977 . Syrian Prime Minister Mahmoud Zubei visited Indonesia in June 1997 , and Syrian Prime Minister Naji Ottri in January 2009 . Indonesia ’ s President Suharto visited Indonesia in October 1977 . Syrian Prime Minister Mahmoud Zubei visited Syria and Syrian Prime Minister Naji Ottri in January 2009 in June 1997 . 0 +Following the assassination of Hosni Mubarak in a referendum in which he was the only candidate , Sadat came to power . Hosni Mubarak came to power after the murder of Sadat in a referendum in which he was the only candidate . 0 +"She became the founder of the Inner Healing Movement and was the author of "" The Healing Light "" ." "She became the founder of the Inner Healing Movement and was author of "" The Healing Light "" ." 1 +It is found from western Mexico in the United States south of Texas . It is found by western Texas in the United States south to Mexico . 0 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith which was recorded in 2001 and released on Tzadik Records . Red Sulphur Sky is a solo album by the American jazz trumpeter Wadada Leo Smith which was released in 2001 and included on Tzadik Records . 0 +In May 1955 , a new Balkan Express was launched from Bulgaria to Athens and Istanbul via Vienna ( bypassing Graz and Belgrade ) . In May 1955 a new Balkan Express was launched from Vienna via Graz and Belgrade ( avoiding Bulgaria ) to Athens and Istanbul . 0 +CLAWS is involved in the qualitative and quantitative research , which is primary and secondary in nature . CLAWS is involved in primary and secondary research which is qualitative and quantitative in nature . 0 +The 2009 -- 10 Anaheim Ducks season was the 17th season of operation ( 16th season of play ) for the National Hockey League franchise . The season 2009-2010 National Hockey League was the 17th season of the operation ( 16th season of the game ) for the Anaheim Ducks franchise . 0 +Its signal covers Cundinamarca , Boyacá , Tolima , Amazonas , Meta , Huila , Casanare , Caquetá , Guaviare , Vaupés , Vichada , Arauca , and Putumayo . Its signal covers Cundinamarca , Boyacá , Tolima , Huila , Casanare , Meta , Vichada , Arauca , Caquetá , Guaviare , Vaupés , Amazon and Putumayo . 1 +In 1932 , Marion Byron married the film actress and comedian Lou Breslow and remained married until her death in 1985 . Lou Breslow married film actress and comedian Marion Byron in 1932 , and remained married until her death in 1985 . 0 +When Jay returned to Shortland Street , Maia announced her love and the two got engaged . When Maia returned to Shortland Street , Jay announced her love and the two engaged . 0 +Herbert J. Krapp was the architect , and Milton J. Kramer was the original owner . The architect was Milton J. Kramer and Herbert J. Krapp was the original owners . 0 +Jack Cross was a comic series written by Warren Ellis and drawn by Gary Erskine . It was first published by DC Comics in 2005 . Jack Cross was a comic book series written by Gary Erskine and drawn by Warren Ellis . It was first published by DC Comics in 2005 . 0 +In Kyle 's body , Parallax captured John Stewart , Guy Gardner , and Hal Jordan and brought them to Qward . Parallax captured John Stewart , Guy Gardner , and Hal Jordan in Kyle ’ s body and brought them to Qward . 1 +The fin is white with black corners . The caudal fin is white with black corners . 1 +Still others add coordinate lines and constellations , other slides , laser ads and photographic images . Still others add coordinate lines and constellations , photographic slides , laser displays , and other images . 0 +Pandabeswar CD Block had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students The Pandabeswar CD Block had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students 1 +"Matt Fishel also created all the artwork for Phillips 's debut album , "" Not Thinking Straight "" , which was released in April 2013 on Young Lust Records ." "Matt Fishel also created the entire artwork for Phillips ’ apos ; debut album "" Not Thinking Straight "" , which was released on Young Lust Records in April 2013 ." 1 +Lake Sammamish enters the Issaquah Creek park . Issaquah Creek enters Lake Sammamish in the park . 0 +When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Teramo Diocese . When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Diocese of Teramo . 0 +Two weeks before the invasion , the corps was pulled from the First Army and placed in the Third Army of Omar Bradley . Two weeks before the invasion , the corps was pulled out of the First Army and placed in Omar Bradley 's Third Army . 1 +He joined the Canadian Fencibles in Quebec in 1803 and came to Scotland with them in 1805 . He joined the Canadian Fencibles in Quebec in 1803 , and joined them in 1805 to Scotland . 1 +Cicimli ( also , Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye , and Dzhidzhimli Vtorye ) is a village in the Lachin Rayon of Azerbaijan . Cicimli ( also Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye and Dzhidzhimli Vtorye ) is a village in Azerbaijan of the Rayon Lachin . 0 +"Because DFAs can be reduced to a "" canonical form "" ( efficient DFAs ) , there are also minimal algorithms to determine :" "Because DFAs can be reduced to "" canonical form "" ( minimal DFAs ) , there are also efficient algorithms to determine :" 0 +In 1991 he left Italy to work in the area of palliative care for cancer patients in Germany as well as in various Third World countries . He left Germany in 1991 to work in the field of palliative care for cancer patients in Italy as well as in various countries in the Third World . 0 +The other members included : AcBel , Toshiba , bpl , Corinex Communications , IBEC , Netgear , PCN Technology , Ambient Corporation , Toyo Network Systems and Junaid . Other members included : AcBel , Toshiba , bpl , Corinex Communications , IBEC , Netgear , PCN Technology , Ambient Corporation , Toyo Network Systems , and Junaid . 1 +It flows southwest to meet the Samara Bend of the Volga near Sokolyi Mountains , north of the town of Samara . It flows southwest to meet the Samara Bend of the Volga near Sokolyi Mountains , north of the city of Samara . 1 +"In 2009 , the Single Signing Framing Hanley received the Silent Majority Group a gold certification for their first "" Lollipop "" ." "In 2009 , the first signing of Silent Majority Group Framing Hanley received a gold certification for their single "" Lollipop "" ." 0 +During the Victorian era , Victorian flowers had different meanings : love - bleeding stood for hopeless love or hopelessness in the specific language of the flowers . During the Victorian era , Victorian flowers had different meanings . Love-lies-bleeding stood for hopeless love or hopelessness in the specific language of flowers . 1 +When the police made the discovery , Latimer admitted responsibility but later denied he had killed her . When the police made the discovery , Latimer denied the responsibility , but later admitted that he had killed her . 0 +"About the song wrote Billboard : "" You know the beat , now you catch the groove ." "About the song Billboard wrote : "" You catch the beat , now you know the groove ." 0 +The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was built in 2003 . The school is connected with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . 0 +The group was founded in Los Angeles and later transferred to Las Vegas . The group was founded in Las Vegas and then relocated to Los Angeles . 0 +William Middleton ( or William de Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . William de Middleton ( or William Middleton , died August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . 1 +Due to volatile prices and high capital costs , few deposits without subsidies can be exploited economically . Due to the volatile prices and high capital costs few deposits can be exploited economically without subsidies . 1 +It is possible to play the tilt sensor to be able to properly reverse it on a GBA SP . It is possible to reverse the inclination sensor to be able to play it properly on a GBA SP . 0 +He died in his home in Bridgeton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . He died in his home in Trenton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . 0 +The Bârnărel River is a tributary of the Stejioara River in Romania . The river Stejioara is a tributary of the river Bârnărel in Romania . 0 +"At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Angelina Love , Christina Von Eerie , and Mia Yim in an eight-woman tag team match ." "At "" Shine 8 "" defeated Valkyrie Amazing Kong , Angelina Love , Christina von Eerie and Mia Yim in an eight-man team - match ." 0 +It is now a recreational reserve managed by the Wellington City Council ( HPPA ) in partnership with the Highland Park Progressive Association ( WCC ) . It is now a recreation reserve managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . 0 +Euthria amorimi is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . Euthria amorimi is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +"It was also produced by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold produced once again by Andrew Loog Oldham in 1970 ." "It was also covered by PP Arnold in 1966 , on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." 0 +Kinetic Compensation : An increase in the preexponential factors tends to compensate for the increase in activation energy : Kinetic compensation : an increase in the pre-exponential factors tends to compensate for the increase in activation energy : 1 +"This is a list of Malaysian football transfers for the "" 2nd transfer window 2013 "" ." "This is a list of the second football transfers for "" 2013 Malaysian transfer window "" ." 0 +"The perfect continuous is made by adding the prefix "" mi- "" to the perfect :" "The perfect is created by adding the "" mi- "" prefix to the perfect continuous ." 0 +Katharina Knie is a German musical by Mischa Spoliansky with a libretto by Robert Gilbert composed . Katharina Knie is a German musical composed by Robert Gilbert with a libretto by Mischa Spoliansky . 0 +"He received formal koan study in 1988 with Yamada Koun and completed the dharma name Tetsu-un , "" Wisdom Cloud "" ." "In 1988 he finished a formal Koan study with Yamada Koun and received the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." 0 +But instead of returning to heaven , Annie decided to join Chris in hell forever . But instead of returning to Heaven , Annie chooses to join Chris forever in Hell . 1 +He studied music history at the University of Vienna under Hans Gál , and studied composition under Guido Adler and Curt Sachs . He studied music history at the University of Vienna under Guido Adler and Curt Sachs and studied composition with Hans Gál . 0 +French Island is a very small uninhabited island located northwest of Barrallier Island in Victoria , Australia . French Island is a very small uninhabited island in the northwest of Barrallier Island , Victoria , Australia . 1 +The Peabody Orlando , near Orlando , Florida opened in 1986 as the second Peabody Hotel . The Peabody Orlando , located near Orlando , Florida , was opened in 1986 as the second Peabody Hotel . 1 +He won New Brunswick 's Saint John -- Lancaster electoral district in the 1974 federal election and served in the 30th Canadian Parliament . He won Lancaster Saint John -- New Brunswick constituency in the 1974 federal election and served in the 30th Canadian Parliament . 0 +He moved to New France in 1685 and lived for some time in Quebec . He moved to Quebec in 1685 and lived for some time in New - France . 0 +When Justice Tyler died in 1813 , John Tyler inherited Greenway at the age of 23 . When Judge Tyler died in 1813 , John Tyler at the age of 23 inherited Greenway . 1 +The idea of the ensemble is discussed further in the article mathematical ensemble ( Statistical physics ) . The idea of the ensemble is further discussed in the article Statistical Ensemble ( Mathematical Physics ) . 0 +It was followed by Jon Morgan ( 2000 -- 2007 ) , Paul Gudgin ( 2007 -- 2008 ) and Kath Mainland ( 2008-2015 ) . She was followed by Jon Morgan ( 2000 -- 2007 ) , Paul Gudgin ( 2007 -- 2008 ) , and Kath Mainland ( 2008-2015 ) . 1 +Specific light wavelengths contained in the observed light from stars can be separated out and related to the quantized transitions in free gas atoms . Specific light wavelengths contained in the observed light from stars can be separated and related to the quantized transitions in free gas atoms . 1 +"The canonical choice for ( "" m "" , "" n "" ) is chosen so that "" n "" is positive and that is ." "The canonical choice for ( ( "" m "" , "" n "" ) ) is chosen so that "" n "" is positive and , i.e ." 1 +The current church , built in June 1885 by the bishop of St. Alban , is not the first to be consecrated in East Hanningfield . The current Church , built by the Bishop of St Albans in June 1885 , is not the first to be consecrated in East Hanningfield . 1 +The Izvoarele River is a tributary of the Podriga River in Romania . The river Izvoarele is a tributary of the River Podriga in Romania . 1 +"It is divided in four "" taulkas "" : Khanpur , Lakhi , Garhi Yasin and Shikarpur ." "It is divided into four "" Taulkas "" : Shikarpur , Lakhi , Garhi Yasin and Khanpur ." 1 +He played only one appearance in 2012 and then debuted 4 times the following year . He debuted only 1 performance in 2012 and then played 4 times the following year . 0 +This concept of the ( visual ) subjective direction is very old . The concept of ( visual ) subjective direction is very old . 1 +The hurricane indirectly killed a person and killed two directly in the state . The hurricane directly killed one person and indirectly killed two in the state . 0 +He was the son of Shmuel Binyamin Sofer ( “ Moses Sofer ” ) and grandson of Ksav Sofer ( the “ Chasam Sofer ” ) . "He was the son of Shmuel Binyamin Sofer ( "" Ksav Sofer "" ) and grandson of Moses Sofer ( the "" Chasam Sofer "" ) ." 0 +Chandos Leigh , 1st Baron Leigh ( June 27 , 1791 - September 27 , 1850 ) was a British poet and landowner . Chandos Leigh , 1st Baron Leigh ( 27 June 1791 -- 27 September 1850 ) was a minor landowner and British poet . 1 +American Express later established its headquarters in a building at the intersection of Jay Street and Hudson Street , and was first called Tribeca section of Manhattan . American Express later established its headquarters in a building at the intersection of Jay Street and Hudson Street , was initially called the Tribeca section of Manhattan . 1 +Some of the company documents were secured by Victor Jaques , the former secretary of Ina Jorgensen , who had fled abroad . Some of the company documents were secured by Ina Jorgensen , the former secretary of Victor Jaques , who had fled abroad . 0 +In addition to the generic information described above , military applications also include weapon system and sensor data such as : In addition to the military information described above , generic applications include weapons system and sensor data such as : 0 +In February 2014 , the opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak . In February 2014 , the opening ceremony for the monument for the victims of the Khojaly massacre was held in Uşak . 1 +"Based on the A3 , the "" A3L "" type developed from aluminum was built ." "So , based on the A3 , the "" A3L "" type built from aluminum was developed ." 0 +It is endemic to Oahu , where it is known only from the northern Koolau Mountains of Hawaii . It is endemic to Oahu , where it is only known by the northern Koolau Mountains of Hawaii . 1 +It is licensed and published in Taiwan by Blu on May 8 , 2007 . The manga is licensed in North America by Sharp Point Press . It is licensed and published in Taiwan by Blu on 8 May 2007 , and is licensed by Sharp Point Press in North America . 1 +The constituency is in Swansea Bay , situated on the right bank of the River Afan , near its mouth in South Wales . The constituency is located in Swansea Bay , on the right bank of the River Afan , near its mouth in South Wales . 1 +Smith was elected the ISCB Senior Scientist Award and awarded ISCB Fellow in 2009 by the International Society for Computational Biology . Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology and received the ISCB Fellow in 2009 . 1 +"The "" Cobblers "" fell to 16th in 1991 -- 92 , before they dropped to 20th place in 1992 -- 93 under Phil Chard ." "The "" Cobblers "" dropped to 16th in 1991 -- 92 , before plummeting to 20th place in 1992 -- 93 under Phil Chard ." 1 +As a Dr. Pepper salesman , Bob knew all the local grocery owners and they would save the overripe bananas for Jimmy . As a seller of Dr. Pepper , Jimmy knew all the local grocery owners and they would save the overripe bananas for Bob . 0 +Helena Township is a civil township of Antrim County in the U.S. state of Michigan . Antrim County is a bourgeois township of Helena Township in the U.S. state of Michigan . 0 +Ashraf Mahmud Linkon ( born 6 June 1990 ) is a Bangladeshi footballer who plays as a Midfielder , Defender for Sheikh Russell and Bangladesh national football team . Sheikh Russell ( born June 6 , 1990 ) is a Bangladeshi footballer who plays as a midfielder , defender for Ashraf Mahmud Linkon and Bangladesh 's national football team . 0 +"In South Korean culture , "" Pokarekare Ana "" was used as title song for the popular film "" Crying Fist "" 2005 ." "In the popular culture "" Pokarekare Ana "" was used as the title song for the South Korean film "" Crying Fist "" 2005 ." 0 +A typical party light organ of the 1970s had three spotlights , red , green and blue , for sounds in bass , medium frequency and high frequency . A typical party light organ of the 1970s had three emitters , red , green and blue , for sounds in bass , medium frequency and high frequency . 1 +Albanian law is codified and based on the French law . The Albanian law is codified and is based on French law . 1 +Gesine Schwan celebrated her second wedding in 2004 with the long-time companion Peter Eigen in Berlin . In 2004 Peter Eigen celebrated her second wedding with the longtime companion Gesine Schwan in Berlin . 0 +Alberto Cortina has three sons with Alicia . Alberto Cortina has three sons , Alicia : 0 +When Robin Hunter retired in 1967 , the administration was reorganized and Stokes became medical director and psychiatrist - Chief . When Robin Hunter retired in 1967 , the administration was reorganized and Stokes became Medical Director and Psychiatrist-in-Chief . 1 +People from all over Lujiang came to China to look at Zhou Yu 's reverence . People from all over the China come to Lujiang to look at with Zhou Yu 's reverence . 0 +She was born in Usera , Spain ( Madrid ) on April 18 , 1976 . It was born on 18 April 1976 in Usera , Spain ( Madrid ) . 1 +The film stars Lyllian Leighton ( billed as Adrienne Kroell , Lillian Leighton ) and Jack Nelson . The film stars Adrienne Kroell , Lillian Leighton ( as Lyllian Leighton charged ) and Jack Nelson . 0 +Joey Ellis was cast in the role of Nathan Bryon , who was introduced from his hometown as a friend of the established character Tiger Dyke . Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of the established character Tiger Dyke from his hometown . 0 +"In Ngapoi , Ngapoi Ngawang Jigme "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." "For example , in Ngapoi Ngawang Jigme , "" Ngapoi "" was his family name and "" Nga-Wang Jigmê "" his personal name ." 0 +San Pedro Springs Park is located in the town of Bexar County San Antonio in the U.S. state of Texas . San Pedro Springs Park is located in the city of San Antonio des Bexar County in the US state of Texas . 0 +The Viennese ice revue toured most European countries , including Switzerland , Hungary , Czechoslovakia , Belgium , the Netherlands , Germany , Italy , France and Spain . The Vienna Ice Revue toured through most European countries including Switzerland , Hungary , Czechoslovakia , Belgium , the Netherlands , Germany , Italy , France and Spain . 1 +Brighton Beach railway station is located on the Sandringham line in Victoria , Australia , and serves the south-eastern Melbourne suburb of Brighton . Sandringham Railway Station is located on Brighton Beach line in Victoria , Brighton , and serves south-eastern Australia , suburbs of Melbourne . 0 +In 1962 , further restoration was carried out for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker . Further restoration was carried out in 1962 for John Bradburne , who had earlier appointed the poet and mystic William Cardinal Godfrey to be caretaker . 0 +"The small marine blennioid blenny ( "" Ecsenius australianus "" ) are Australian fish of the genus "" Ecsenius "" ." "The small marine Blennioids Blenny ( "" Ecsenius australianus "" ) are Australian fish of the genus "" Ecsenius "" ." 1 +The Irish Aviation Authority has completed a new control tower 1 km from the old terminal to the west of the main runway . The Irish Aviation Authority completed a new control tower 1 km from the main terminal to the west of the old runway . 0 +It was assigned to the Portsmouth Navy Yard in 1866 , and then to the Pensacola Navy Yard in 1868 . In 1866 , he was assigned to the Pensacola Navy Yard , then to the Portsmouth Navy Yard in 1868 . 0 +The Agnes River is a perennial river of the South Gippsland catchment , located in the West Gippsland region of the Australian state of Victoria . The Agnes River is a multi-year river of the South Gippsland , in the West Gippsland region of the Australian state of Victoria . 1 +"On 24 July 2013 , John Hodgman appeared on the Maximum Fun Podcast "" Judge Brother Ali "" as "" Expert Witness "" ." "On July 24 , 2013 , John Hodgman appeared on the Maximum Fun podcast "" Judge Brother Ali "" as an "" Expert Witness "" ." 1 +In general , Ireland , with the exception of most of Northern Europe , came under the influence of Protestantism . In general , Ireland came under the influence of Protestantism , with the exception of most of northern Europe . 1 +The father of Ted and Tom was Steve . Steve was the father of Ted and Tom . 1 +"The following night on "" Raw "" , Shawn Michaels interrupted Daivari and Hassan during a promo ." "On the following night on "" Raw "" interrupted Shawn Michaels Daivari and Hassan during a promo ." 0 +""" Hard to Do "" is a song by American singer K. Michelle from her second studio album "" Anybody Wan na Buy a Heart ? """ """ Hard to Buy "" is a song from the American singer K. Michelle from her second studio album "" Anybody Wan na Do a Heart ?" 0 +Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation throughout the world . The promotion of research and innovation in Europe is being supported financially by the Horizon 2020 programme , which is also open to participation worldwide . 0 +The Gradis family was Jewish and was probably moved from Portugal to Bordeaux around 1495 . The Gradis family was Jewish and was probably moved from Bordeaux to Portugal around 1495 . 0 +"Cassandra Peterson also appeared in Peaches Christ 's "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." "Cassandra Peterson also appeared in Peaches Christi "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." 1 +Danielle , Nadine , and Mark have their pictures visible in the school display case . Mark , Nadine and Danielle have visible their pictures in the school case . 1 +In 1864 , the Taiping Rebellion ended with defeat to the Nanjing , and Yang fled to America from Shanghai by ship . In 1864 , the Taiping rebellion ended with the defeat of America , and Yang fled from Nanjing by ship to Shanghai . 0 +New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence in the colony . New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies such as Vermont and a continuing New England influence in the colony . 1 +When water and sewerage companies were privatised in Northern Ireland in 1989 , these services remained public in England and Wales and in Scotland . When water and sewer companies were privatised in Northern Ireland in 1989 , these services remained public in England and Wales and in Scotland . 1 +The region is famous for trade fairs like Expozebu in Uberaba , Fenamilho in Uberlândia and Feniub in Patos de Minas . The region is famous for fairs like Expozebu in Uberaba , Fenamilho in Patos de Minas and Feniub in Uberlândia . 0 +Together with Sean Kandel and Jeffrey Heer , Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and co-founder . Sean Kandel , along with Joseph M. Hellerstein and Jeffrey Heer , is the Chief Technical Officer and co-founder of Trifacta . 0 +Robert retaliated against the recalcitrant John by sending a troop of soldiers from Brabant to Bangor . Against the recalcitrant John , Robert presented himself by sending a troop of soldiers from Brabant to Bangor . 1 +"The only values from "" n "" to 600000 , for which there are more pythagorean than non-pythagorean odd primes , are for example 26861 and 26862 ." "For example , the only values of "" n "" up to 600000 for which there are more Pythagorean than non-Pythagorean odd primes are 26861 and 26862 ." 1 +He was moved to Macau , joined the Jesuit Order , and died as a martyr in Vietnam in 1737 . He moved to Macao , joined the Jesuit Order and died in 1737 as a martyr in Vietnam . 1 +Viñac District is one of thirty-three districts of the Lima Region in the Yauyos Province of Peru . District Viñac is one of thirty-three districts in the Lima region in the province of Yauyos in Peru . 1 +The Togian endemic-eye , another white bird species , was described in 2008 . The Togian endemic-eye , another white species , was described in 2008 . 0 +It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between Muslim kingdom and the Christian states along the coastal regions . It was the northernmost of several Muslim states in the Horn of Africa , as a buffer between the Muslim kingdom and the Christian states along coastal regions . 1 +Sir Herbert was re-elected to the new seat of Croydon East and was returned in 1951 . Sir Herbert was re-elected in the new Croydon East seat and was returned in 1951 . 1 +On January 18 , a caucus of 64 Bucktail legislators nominated U.S. Vice President Daniel D. Tompkins for Governor and State Senator Benjamin Mooers for Lieutenant Governor . On 18 January , a caucus of 64 Bucktail legislators nominated US Vice President Benjamin Mooers for the Governor and State Senator Daniel D. Tompkins for Vice Governor . 0 +He survived the Soviet leadership changes from Khrushchev to Brezhnev in 1964 . He survived the Soviet leadership transition from Brezhnev to Khrushchev in 1964 . 0 +Karen and Kristoffer have eight children together . Kristoffer had eight known children together with Karen : 1 +InFocus M810 is a smartphone manufactured by InFocus and marketed by Foxconn . It was released on July 31 , 2014 . InFocus M810 is a smartphone manufactured by InFocus and marketed by Foxconn , which was released on July 31 , 2014 . 1 +Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of the established character Tiger Dyke from his hometown . Joey Ellis was cast in the role of Nathan Bryon , who would be introduced as a friend of established character Tiger Dyke from his hometown . 0 +The Indore district consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . Indore district consists of 4 divisions ; Depalpur , Sanwer , Indore and Mhow . 1 +Sandra Klemenschits and Andreja Klepač won the title , defeating Kristina Barrois and Eleni Daniilidou in the final , 6 -- 1 , 6 -- 4 . Sandra Klemenschits and Andreja KlepaÄ won the title and defeated Kristina Barrois and Eleni Daniilidou in the final , 6 -- 1 , 6 -- 4 . 1 +For the US Information Agency ( now the State Department ) , he has lectured in Germany , Czechoslovakia , Portugal , France , Indonesia , Japan , and Spain . For the State Department ( now the U.S. Information Agency ) he has lectured in Germany , Czechoslovakia , Portugal , France , Indonesia , Japan and Spain . 0 +It has 12 torsal soft spines and 15 to 17 dorsal rays . It has 12 dorsal soft spines , and 15 to 17 dorsal rays . 1 +Lukaszuk has two daughters , one with his previous wife , news anchor Stacey Brotzel CTV Edmonton and one with his current wife . Lukaszuk has two daughters , one with his former wife , news - anchor Stacey Brotzel CTV Edmonton and one with his current wife . 1 +He taught physics at a number of universities in Germany , Italy , France , England , Lebanon , and Jordan before joining Birzeit University in 1980 . He taught physics at a number of universities in England , Lebanon , France , Germany , Italy and Jordan before he moved to Birzeit University in 1980 . 1 +"Atari also improved the basic design with the "" 1040ST "" ( later written "" STF "" ) in 1986 ." "Atari later upgraded the basic design in 1986 with the "" 1040ST "" ( also written "" STF "" ) ." 0 +Kelly Nestor replaced Morse in March 2006 . In March 2006 , Kelly Morse replaced Kelly Nestor . 0 +In April 2008 , Mountain Hardwear opened its first retail location in Seattle , opening a retail store in Portland , Oregon , Washington , December 5 , 2008 . Mountain Hardwear opened its first retail location in Portland , Oregon in April 2008 . A Seattle , Washington retail store opened on December 5 , 2008 . 0 +The district also includes some non-contributory buildings , including two modern church complexes , the Harper School and several non-historic houses . The district also includes some non-contributing buildings including two modern church complexes , the Harper School , and several non-historic houses . 1 +In March 1833 , Dearborn Township was renamed Redford and the southern half became Pekin on April 1st . In March 1833 , Dearborn Township was renamed Redford and the southern half became Pekin on April 1 . 1 +The circulatory anastomosis is further divided into arterial and venous anastomosis . Circulatory anastomosis is further divided into arterial and venous anastomosis . 1 +They played in the 2015 China Amateur Football League won the 3rd place and finished promotion to 2016 China League Two . They played 3rd place in the 2015 China Amateur Football League and won the ascent to the 2016 China League Two . 0 +This can be caused by the loss of three additional genes , each of which has different effects , resulting in three types of syndrome . This may be caused by the loss of three different genes , each of which has different additional effects , resulting in three types of syndrome . 0 +The song became the first title song of the main characters , Vincent ( Jay Ryan ) and Catherine ( Kristin Kreuk ) . The song became the first song of the main characters , Catherine ( Kristin Kreuk ) and Vincent ( Jay Ryan ) . 1 +A second portion is exposed to a positive allergy such as pokeweed to serve as universal control . A second portion is exposed to a universal allergen , such as Pokeweed , to serve as a positive control . 0 +The following table lists all the games that the Brazilian national team played in official competitions and friendly games during 2011 . The following table lists all the games played by the Brazilian national team in official competitions and friendly matches during 2011 . 1 +Parsons , together with Marston T. Bogert , was closely involved in establishing a new structure for the ACS . Marston T. Bogert was closely involved , along with Parsons , in establishing a new structure for the ACS . 0 +When initials are used , they can either be placed before or after their first name . Initials , when placed , can be used either before or after their first name . 0 +Thomas John ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tom Patterson Company . Tom Patterson ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tommy John . 0 +The championship was held in Italy in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Austria in 2011 . The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in 2011 in Italy . 0 +The following night , Delirious put his problems with Pearce aside to challenge Danielson . The following night , Delirious set aside his problems with Pearce to challenge Danielson . 1 +"It is important to examine so-called "" human universals "" against the ethnographic record ." "It is important to test so-called "" ethnographic universals "" against the human record ." 0 +The Marquis was a Japanese field marshal and leading figure in the early Japanese imperial army . The Marquis was a leading field marshal and early figure in the Japanese Imperial Japanese Army . 0 +""" Holocaust "" , inaugurated in Lincoln Park in November 1984 , was created by the sculptor George Segal ." """ Holocaust , "" dedicated in November 1984 in Lincoln Park , was created by the sculptor George Segal ." 1 +The local method of identical local inverse tomography is suitable in a situation in which : The local method of identical to local inverse tomography is suitable in a situation in which 1 +Adult birds have black bodies with a white wing patch , a thin dark bill , and red legs and feet . Adult birds have white bodies with a black spot , a thin dark bill and red legs and feet . 0 +Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , known as Enrique Ponce , is a famous Spanish bullfighter . Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Alfonso Enrique Ponce Martínez , a famous Spanish bullfighter . 1 +It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and United Alkali Company to form Imperial Chemical Industries . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and the United Alkali Company in 1926 to found Imperial Chemical Industries . 1 +At the same time Klaus Elena meets and asks Elena and Stefan to go with him so that they can start the ritual that will break the curse . At the same time , Klaus meets Elena and asks Elena and Stefan to go with him so they can start the ritual that will break the curse . 0 +These modern forms are now dominant in modern Western archery ; traditional bows are in a minority . These traditional forms are now dominant in modern archery , modern western arches are in a minority . 0 +Hummer pursued a broadcasting career briefly in 1996 and worked for TVG Network , a horse racing network . Hummer briefly pursued a broadcasting career in 1996 . He first worked for TVG Network , a horse racing network . 1 +She studied three years of journalism in London and holds an MA in mass media from a university in New York City . She studied three years of journalism in New York City and holds an MA in mass media from a university in London . 0 +After this transformation , the Kansa ( sometimes Kaw ) and Osage Nation ( originally Ouasash ) arrived in Kansas in the 17th century . Following this transformation , the Kansa ( originally Kaw ) and Osage Nation ( sometimes Ouasash ) arrived in Kansas in the 17th century . 0 +San Pedro Springs Park is located in the Bexar County city of San Antonio in the U.S. state of Texas . San Pedro Springs Park is located in the city of San Antonio des Bexar County in the US state of Texas . 0 +The Gradis family was Jewish and was probably moved from Portugal to Bordeaux around 1495 . The Gradis family was Jewish , and had probably moved to Bordeaux from Portugal around 1495 . 1 +Kadria then shot Milić Krstić twice and fled . Kadria shot twice Milić Krstić and fled . 1 +The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architect Pietro Bracci and completed by Nicola Salvi . The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architects Nicola Salvi and concluded by Pietro Bracci . 0 +Djamila Amrane became Danièle Minne after marriage in 1964 . In 1964 , Djamila Amrane became after the marriage of Danièle Minne . 0 +Jumping is a parachuting or wingsuit flying from a fixed structure or cliff . Jumping , is flying or wingsuit parachuting from a fixed structure or cliff . 0 +It is then sold in the brewer 's house , which is virtually a pub until all the beer has been drunk . It has been effectively drunk in the house of the brewer , which then becomes a pub until all its beer is sold . 0 +People from all over the China come to Lujiang to look at with Zhou Yu 's reverence . People from all over Lujiang came to China to look at the reverence of Zhou Yu . 0 +It arrived in Australia in August 2006 and debuted in New Zealand in early 2007 . It arrived in August 2006 in Australia and debuted in New Zealand in early 2007 . 1 +Codice _ 13 is also a compiler magic function of Oxygene . It is not a conditional function and is at compile time unrolled to real statements . Codice 13 is also a compiler - magic - function of oxygene that is not a real function and is rolled up to conditional statements at compile time . 0 +These prohibitions are rarely enforced , and viewing private satellite broadcasts in North Korean homes is legal . These prohibitions are rarely enforced and viewing private satellite telecasts in North Korean homes is legal . 1 +They had two children : Mary Eleanor Oliver Bramwell ( c.1876- ? ) and Elsie Dorothy Constant , b. Bramwell ( 1880 -- 1968 ) . They had two children : Elsie Dorothy Constant ( c.1876 - ? ) and Mary Eleanor Oliver Bramwell , née Bramwell ( 1880 -- 1968 ) . 0 +Lauderdale also played in the CBA , China , Venezuela , Cyprus , Lebanon , Saudi Arabia , Iran , Spain , the UK and the United Arab Emirates . Lauderdale also played in the CBA , China , Venezuela , Cyprus , Lebanon , Saudi Arabia , Iran , Spain , England , and the United Arab Emirates . 1 +Jeppe Tengbjerg ( born 28 December 1973 ) is a Danish football manager and former football player . Jeppe Tengbjerg ( born December 28 , 1973 ) is a Danish football manager and former football player . 1 +In 1955 , Johannes Herman Johannes married Annie Marie Gilbertine Amalo . Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . 1 +VLC systems generally apply common coding and modulation techniques to achieve robustness against specific TLM disturbances . VLC systems generally apply common coding and modulation techniques to achieve robustness compared to specific TLM disturbances . 1 +Reidar Smestad ( May 8 , 1888 - June 29 , 1962 ) was a Norwegian industrialist , the son of Carl Smestad and grandson of Jacob Olssøn Smestad . Carl Smestad ( 8 May 1888 -- 29 June 1962 ) was a Norwegian industrialist , the son of Reidar Smestad and grandson of Jacob Olssøn Smestad . 0 +When Peugeot launched the stylish new 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . When Peugeot launched the new all-stylish 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . 1 +The Muslim Students Society of Nigeria ( MSSN ) was cofounded in 1954 by Abdurrahaman Sahid , Babs Fafunwa , Tajudeen Aromashodun , Lateef Adegbite in Lagos . The Muslim Student Society of Nigeria ( MSSN ) was co-founded in 1954 by Abdurrahaman Sahid , Babs Fafunwa , Aromashodun Tajudeen , Lateef Adegbite in Lagos . 1 +Elaine speaks with Merlin at Lancelot and Morgaine 's wedding . Morgaine speaks with Merlin at Lancelot and Elaine 's wedding . 0 +Swiss Mennonites of Amish descent from Galicia settled near Dubno in 1815 . Amish Mennonites with Swiss descent from Galicia settled in 1815 near Dubno . 0 +Hannah Chaplin was born on April 16 , 1889 , as Hannah Harriet Pedlingham Hill ( b. Charles Spencer Chaplin ) and Charles Chaplin Sr . Hannah Chaplin was born on 16 April 1889 to Hannah Harriet Pedlingham Hill ( born Charles Spencer Chaplin ) and Charles Chaplin Sr . 1 +His father , Francis , was a cousin and his mother , Martha , the half-sister to Elizabeth ’ s late mother , Maria . His father Francis was a cousin and his mother Martha the half-sister to Elizabeth 's late mother Maria . 1 +Mewes produced many female protégés and it is said that Ward was the prototype . Ward produced many female protégés and it is said that Mewes was the prototype for these . 0 +Richard Biddle was the brother of the American financier Nicholas Biddle , nephew of Congressman Edward Biddle , and Congressman Charles Biddle 's uncle . Edward Biddle was the brother of the American financier Nicholas Biddle , Congressman Charles John Biddle 's nephew , and the uncle of Congressman Richard Biddle . 0 +He married his first wife , Helie of Semur , around 1033 and dismissed her in 1048 . Robert and Helie had five children : He married his first wife , Helie of Semur , about 1033 , and repudiated her in 1048 . Robert and Helie had five children : 1 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half the amount of water . Ristretto is traditionally , a short shot of espresso extracted with the normal amount of ground coffee , but made with about half the amount of water . 0 +The album was released on May 26 , 2007 by Furious in the UK and 7 Spin Music in the United States . The album was released on May 26 , 2007 by Furious in the US and 7 Spin Music in England . 0 +Many of the cultures of the second age were considered axial-generation societies because they were built on the societies that preceded them . Many of the cultures of the axial age were considered second generation societies because they were built on the societies that preceded them . 0 +Carlos Robacio , BIM5 commander , was awarded to the Argentine nation by the Valour in Combat Medal , and the Bataillon itself was awarded the Argentine Congress in 2002 . Carlos Robacio , BIM5 commander , was decorated the Argentine Nation to the Valour in Combat Medal and the battalion itself was awarded by the Argentine Congress in 2002 . 0 +Surprise Lake is a lake located north of Vancouver Island and south of Amor Lake at Brewster Lake . Surprise Lake is a lake in Vancouver Island , north of Brewster Lake and south of Amor Lake . 0 +The title track was a top-five single on the Texas Music chart in May 2013 . The title track was a top five single on the Texas Music Chart in May 2013 . 1 +It was founded by Metin Üstündağ , Selçuk Erdem , Erdil Yasaroğlu and Bahadır Baruter in 2002 . It was founded in 2002 by Metin Üstündağ , Selçuk Erdem , Erdil Yaşaroğlu and Bahadır Baruter . 1 +The meanings of these words do not always correspond to Germanic relatives , and occasionally the specific meaning of the list is unique in English . The meanings of these words do not always correspond to specific cognates , and occasionally the Germanic meaning in the list is unique to English . 0 +Although the two sections appear in the full text in modern editions , chapter X has also been published separately , both as a separate book and in collections . Although the two sections in the full text appear in separate issues , Chapter X has also been published separately as a modern book and in collections . 0 +They later moved to New York City and then to Whitefish Bay , Wisconsin . They later moved to Whitefish Bay , Wisconsin , and then to New York City . 0 +He was elected by Odisha in Bhubaneswar to the Lok Sabha , the lower house of the Indian Parliament . He was elected from Bhubanesvar in Odisha to Lok Sabha , the lower house of the Indian parliament . 0 +Cedar wood has been exploited over the centuries by the Phoenicians , Egyptians , Assyrians , Babylonians , Persians , Romans , Israelites and Turks . Cedar wood has been exploited over the centuries by the Phoenicians , Persians , Babylonians , Egyptians , Assyrians , Romans , Israelites and Turks . 1 +Any two of the digitised waveforms could be used by the two digital oscillators provided . Any two of the digitalized waveforms could be used by the two digital oscillators provided . 1 +He made 396 performances in the Football League for Swindon Town , Torquay United , Crystal Palace and Plymouth Argyle , before moving with Cambridge City to the Non-League - Football . He made 396 performances in the Football League for Swindon Town , Plymouth Argyle , Crystal Palace and Torquay United , before moving with Cambridge City to the Non-League football . 1 +In mathematics , a Polynomial equation or an algebraic equation is an equation of the In mathematics , an polynomial equation or algebraic equation is an equation of the form 1 +She married Antonio Bourque , and first lived in Moncton before retiring to Villa Providence in Shediac . She married Antonio Bourque and lived in Shediac first before returning to the Villa Providence in Moncton . 0 +Gatewood was signed by the Philadelphia Eagles on August 25 , 2009 . He was released as a final cut on September 5 . Gatewood was signed on August 25 , 2009 by the Philadelphia Eagles and was released on 5 September as Final Cut . 1 +Agrippa then sent Polemon I of Pontus to remove Scribonius and take the throne himself . Then Agrippa Polemon I sent from Pontus to remove Scribonius and take over the throne himself . 0 +In 1856 in their home in Cambridge , Agassiz founded a school for girls from Boston . Agassiz founded a school for girls from Cambridge in her home in Boston in 1856 . 0 +The Eurocup Final Four 2012 was the final stage of the Eurocup season 2011-12 , the second season of the 10th Basketball League in Europe . The 2012 Eurocup Final Four was the concluding stage of the 2011 -- 12 Eurocup season , the 10th season of the second-tier basketball league in Europe . 0 +IROKING has also launched mobile applications for its music application on the iOS , Android , Windows and Symbian ( Nokia ) mobile handsets . IROKING also launched mobile applications for its music application on the mobile phones iOS , Android , Windows and Symbian ( Nokia ) . 1 +"The noble parts of the "" Dalem "" was a building for the other women ." "The other parts of "" Dalem "" was a building for the noble women ." 0 +Suddenly Greg appears and asks Mr. Collins , the knife he holds against Jane , to hand over . Suddenly , Jane appears and asks Mr. Collins to hand over the knife he is holding against Greg . 0 +The 1912 -- 13 season was the 21st season of Manchester United in the Football League and sixth place in the First Division . The 1912-13 season was the sixth season of Manchester United in the Football League and the 21st in the First Division . 0 +American Express later established its headquarters in a building at the intersection of Jay Street and Hudson Street , was initially called the Tribeca section of Manhattan . American Express later established its headquarters in a building at the crossroads of Jay Street and Hudson Street , initially called the Tribeca section of Manhattan . 1 +The participants included TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso , and Michael Roy Jornales . TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales were among the participants . 1 +"Isaac John Calvin McCoy 's son , Isaac , is generally considered the "" father of Kansas City "" after he formally founded the city ." "Isaac 's son John Calvin McCoy is generally considered the "" father of Kansas City "" after he formally founded the town ." 0 +In 1993 , Aviance who was living in Florida at the time was asked to moved down to New York City by Mother Juan . In 1993 , Aviance , who was at the time living in New York , was asked by Mother Juan to move to Florida . 0 +Macedonian Turks speak the Turkish language , and second Albanian in the west and Macedonian in the east . Turkish Turks speak the Macedonian language and secondly Albanian in the west and Macedonian in the east . 0 +A rich heritage of residential structures and architectural styles can be found in the historic district along Norwich Street . A rich heritage of historic structures and architectural styles can be found in the residential area along Norwich Street . 0 +They had a neighborhood allies including the collopys ( Brian Collopy and Phillip Collopy ) . They had a neighborhood allies being the Collopys ( including Brian Collopy and Phillip Collopy ) . 0 +Mundla Chand is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Mundla Chand is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil . 1 +The game resulted in the National League defeating the American League 6 -- 5 . The game resulted in the National League defeating the American League with 6 -- 5 . 1 +The objects in mirror are closer than they appear ( Confrontation Camp Album ) Objects in the Mirror Appear Closer Than They Are ( Confrontation Camp album ) 0 +In the Smythe Division , the Calgary Flames and the Edmonton Oilers made the playoffs every year while the original Winnipeg Jets only missed twice . In the Smythe division , the Calgary Flames and Edmonton Oilers made the playoffs every year , while the original Winnipeg jets only missed twice . 1 +In June 2007 , drummer Leonard Ben Timony left the band and was replaced by Wayne Bennett . In June 2007 , the drummer Wayne Bennett left the band and was replaced by Ben Timony . 0 +They confidently waited while New York barely survived Boston . They waited confidently , while New York Boston barely survived . 0 +The FIFA Manager 10 was developed by Bright Future and published by EA Spore . FIFA Manager 10 was developed by Bright Future and published by EA Spore . 1 +After the Muslim invasions of the seventh century , the original Christians from actual Azerbaijan disappeared almost . After the Muslim invasions of the seventh century the original Christians have nearly disappeared from actual Azerbaijan . 1 +Pingding County is a county located in Yangquan , People 's Republic of China under the jurisdiction of the city of Shanxi . Pingding County is a county in Yangquan , People 's Republic of China under the jurisdiction of the city of Shanxi Province . 1 +Cooper was born in Long Beach , California , and lives his whole life in Los Angeles , California . Cooper was born in Long Beach , California , and has lived in Los Angeles , California his whole life . 1 +Coopers Plains railway station opened in 1885 on the south coast railway ( now the Beenleigh line ) . Coopers Plains railway station on the Beenleigh railway line ( now the South Coast line ) opened in 1885 . 0 +Morris Township is located in the 25th Congressional District and is part of the 11th State Legislative District of New Jersey . Morris Township is located in the 11th Congressional District and is part of New Jersey 's 25th state legislative district . 0 +Husain Mohammad , the father of Latifun Nisan , was the son of Mohammad Jamal ibn Muhammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah of Tijara . The father of Latifun Nisan , Mohammad Jamal ibn Muhammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah was the son of Husain Mohammad of Tijara . 0 +One night , Rick contacts Maddy and informs her of Jill 's sudden death . One night , Rick contacts Jill and informs her about Maddy 's sudden death . 0 +"The Finnish album "" Deathstar Rising "" cracked the new Album Top 10 and reached # 8 in first week of March 2011 ." "The Finnish album "" Deathstar Rising "" cracked the new album Top 10 and reached position 8 in the first week of March 2011 ." 1 +The private foundation operates under independent law with foundation capital from the governments of Germany and the State of North Rhine-Westphalia . The Privatstiftung operates under independent law with foundation capital from the governments of Germany and the state of North Rhine-Westphalia . 1 +On 30 June 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves and was released by the Braves on August 16 , 2016 . On June 30 , 2016 , Infante agreed to a Minor League Deal with the Braves and was released from the Atlanta Braves on August 16 , 2016 . 1 +Independent Des Shadrick won a by-election in Holsworthy with a majority of 66 votes after the death of Liberal Democrat councillor Pam Johns . After the death of Liberal Democrat Councilor Des Shadrick , Pam Johns won a by-election in Holsworthy with a majority of 66 votes . 0 +Empire Zinc Company was a subsidiary of the New Jersey Zinc Company . The Empire Zinc Company was a subsidiary of the New Jersey Zinc Company . 1 +Lemmings , by contrast , are aggressively colored and behave conspicuously towards predators and even human observers . By contrast , lemmings are conspicuously colored , and behave aggressively to predators and even human observers . 0 +In October 2001 he defended his doctorate in psychology at the Free University of Brussels on the subject of human models of cognitive hypertext navigation . He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of cognitive models of human hypertext navigation . 0 +309th Airlift Squadron is part of the 86th Airlift Wing in Air Base Chièvres , Belgium . The 86th Airlift Squadron is part of the 309th Airlift Wing at Chièvres Air Base , Belgium . 0 +It is bordered to the northeast by the Pacific Ocean , to the southeast by Hawaiian Beaches , and to the southwest by Orchidlands Estates and Ainaloa . It is bordered to the northeast by the Pacific Ocean , to the southeast by Orchidlands Estates and to the south-west by Hawaiian beaches and Ainaloa . 0 +"Below is the early version of the album with all early segues , and "" The Sacrifice of Victor "" is also slightly longer in the original configuration ." "Below is the early version of the album with all the original segues and "" The Sacrifice of Victor "" is slightly longer in the early configuration ." 0 +However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . Mumba Malila , however , removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position as Minister of Justice . 0 +Produced by Oscar Hammerstein II , the show by Reginald Hammerstein was choreographed ( the brother of Arthur Hammerstein ) and was led by Danny Dare . Produced by Oscar Hammerstein II the show was choreographed by Reginald Hammerstein ( the brother of Arthur Hammerstein ) and was directed by Danny Dare . 1 +She was born in 1963 in Da Lat , to a French father and a Vietnamese mother . She was born in Da Lat in 1963 , son of a French father and a Vietnamese mother . 1 +The Lavrovo-Nikolaevsky mine is a large copper mine located in the south-west of Russia in Orenburg Oblast . The Lavrovo-Nikolaevsky - Mine is a large copper mine in the south-west of Oblast Orenburg in Russia . 0 +Armand Alexander de Castagny was a Lieutenant in the French siege of Antwerp in 1832 , and later he served in Algiers . As a lieutenant , Armand Alexander de Castagny was at the French siege of Antwerp in 1832 . He later served in Algiers . 1 +Gabriel annihilated Weiss and his troops and attacked them on 14 October . Gabriel destroyed Weiss and his troops and attacked them on 14 October . 1 +"The Sanghar ( are partly called Hindu Sanghar "" Jamotar "" Gujarat and Mumbai Maharashtra India ." "The Sanghar ( are a partly Hindu sanghar also called "" JAMOTAR "" Gujarat and mumbai maharashtra India ." 1 +With the help of bassist Camus Celli , keyboarder Guy Daniel and drummer Pat Schick , guitars and keyboards played on the album . With the help of bassist Pat Schick , keyboarder Guy Daniel and the drummer Camus Celli , Ponti played guitars and keyboards on the album . 0 +The river Scridoasa is a tributary of the Botizu River in Romania . The Scridoasa River is a tributary of the Botizu River in Romania . 1 +In the circulated materials such as the Red Bus Airplay Calculation , EMI is still referred as Gold Label Entertainment . Gold Label Entertainment is still referred to as EMI in the distributed materials such as the Red Bus Airplay calculation . 0 +The Austrian School theorizes that the subjective choices of individuals including individual knowledge , time , expectation , and other subjective factors , cause all economic phenomena . The Austrian school assumes that the subjective choices of individuals , including subjective knowledge , time , expectation , and other individual factors , cause all economic phenomena . 0 +Therefore , on 25 February 1232 , Archbishop Robert of Esztergom placed the Kingdom of Hungary under an interdict and excommunicated some high dignitaries of the king . Archbishop Robert von Esztergom therefore placed the Kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some of the king 's high dignitaries . 1 +The Works Progress Administration of the Federal Theatre Project used unemployed theatre performers and employees to work in 1936 . In 1936 , the Federal Theatre Project of the Works Progress Administration put unemployed theatre performers and employees to work . 0 +Deutschnofen borders the following municipalities : Aldein , Predazzo , Bronzolo , Karneid , Laives , Welschnofen , and municipalities of Bolzano , Tesero and Varena in Trentino . Deutschnofen borders on the following municipalities : Aldein , Bolzano , Bronzolo , Karneid , Leifers , Welschnofen and municipalities of Predazzo , Tesero and Varena in Trentino . 0 +The ceremonial county includes the Isles of Scilly , which are not part of the Administrative county of Cornwall . The ceremonial county includes the Isles of Scilly , which are not part of the administrative district of Cornwall . 1 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogota , and three grandchildren . He is survived by his children Jason Coppola of Brooklyn and Samantha Coppola from Bogota and three grandchildren . 0 +Northgate Arinso sold its Human Resources Management line of business to Convergys in 2010 . In 2010 , Convergys sold its Human Resources Management business to NorthgateArinso . 0 +In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Ministry head of staff . In 1938 , after Ciano was appointed Foreign Minister , Anfuso became Head of Ministry . 0 +During this time the climate was a mixture of two different seasons , a rainy season and a shorter dry season . The climate was during this time a mixture of two different seasons , of a dry season and of a shorter rainy season . 0 +Ruxandra Dragomir defeated Monica Seles , 6 - 2 , 6 -- 3 . Monica Seles defeated Ruxandra Dragomir , 6 -- 2 , 6 -- 3 0 +For example , the National Civic League ( originally the National Municipal League ) promotes effective local government management . For example , the National Civic League ( originally the National Municipal League ) promotes effective municipal management . 1 +In 2004 Bessonova won the Allround - Silver Medal at the European Championships 2004 . At the European Championships in 2004 , Bessonova won the silver medal in 2004 . 1 +Olivella kifos is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . Olivella kifos is a type of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 1 +""" Tuscumbia "" was sold at auction at Mound City to W. K. Adams on 29 November 1865 ." """ Mound City "" was sold to W. K. Adams at an auction in Tuscumbia on November 29 , 1865 ." 0 +Botanist Aaron Davis and gardeners Matt Bishop and John Grimshaw , authors of the works on which these notes are based , also qualify as galanthophiles . As galanthophiles , the authors of the works on which these notes are based also apply , the botanist Aaron Davis and the gardeners Matt Bishop and John Grimshaw . 1 +Methoni is a village and a former municipality in Pieria regional unit , Greece . Methoni is a village and a former municipality in the Pieria regional unit , Greece . 1 +A codice 1 can not be copied as its copy constructor and its assignment operators are explicitly deleted . A codice _ 1 can not be copied because its copy constructor and assignment operators are explicitly deleted . 1 +The London Reefs are located between and around the Spratly Islands in the South China Sea . The London Reefs are located between and in the South China Sea of Spratly Islands . 0 +Later , he met Theodoros Kolokotronis , whom he also wanted to admire . He also met Theodoros Kolokotronis , whom he later came to admire . 0 +December 18 : Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . December 18 : Received Shawn Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . 0 +Provogue is the official clothing sponsor of Rajasthan Royals in the Indian Premier League and the official clothing sponsor of all teams in the Indian Cricket League . Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official clothing sponsor of all teams in the Indian Cricket League . 0 +"Godman was a paramour of the Lou Blonger ( "" né "" John Homer French ) , bookmaker for Jackie French ." """ Godman "" was a paramour of Jackie French "" ( né John Homer French ) , bookmaker of Lou Blonger ." 0 +The pottery is currently being run by Thomas Arthur Jenkins , son of Alun Jenkins . The pottery is currently being run by Alun Jenkins , son of Thomas Arthur Jenkins . 0 +ABC Books has released seven paperback novels , each based on a particular episode and from the perspective of a single character . ABC Books has released seven paperback novels , each based on a specific episode and from the perspective of a single character . 1 +He signed with Bellator with a record of 7 -- 0 and victories over WEC - Veteran Eddie Mendez and Strikeforce - Veteran Fernando Gonzalez . With a record of 7 -- 0 and victories over Strikeforce veteran Eddie Mendez and WEC veteran Fernando Gonzalez , he signed with Bellator . 0 +They showed how to use public key cryptography to implement a secure information extortion attack . They showed how to use secure cryptography to implement a blackmail attack using public key information . 0 +Most of our information about Murena 's life and career comes from the contents of Cicero 's speech . Most of our information about Murena 's life and career comes from the content of Cicero 's speech . 1 +"In the 2014 film "" Get On Up "" , a biography of Josh Hopkins , depicted by James Brown , bass is produced by Bryan Grazer and Mick Jagger ." "In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is depicted as bass ." 0 +"Although A.A. Gill was "" critical in "" The Observer and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony in "" The Observer "" was more critical and A.A. Gill of "" The Sunday Times "" was unimpressed ." 0 +"And big , round eyes , so dark brown they almost look black "" ." And dark brown eyes , so black that they look almost big and round . 0 +The trustees were Mr. Sophie McRoberts , James McRoberts and Glenn Allen , the Sunday School Superintendent was Mrs. Robert Erwin . The trustees were Mr. Sophie McRoberts , Mr. James McRoberts , and Mr. Glenn Allen ; the Sunday School Superintendent was Mrs. Robert Erwin . 1 +Nick Rotteveel ( born January 6 , 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . Nicky Romero ( born 6 January 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . 0 +Colonel Koski died in 1989 and Colonel Lieutenant Ray died on New Year 's Eve 1989 . Colonel Ray died in 1989 and Lieutenant Colonel Koski died on New Year 's Eve in 1989 . 0 +The club is very high in yacht racing and active-performance catamarans have been developed specifically for the lake . The club is very active in yacht racing and high-performance catamarans have been designed specifically for the lake . 0 +Further editions of the book were published as co-authors after the death of D. F. Luckenbill in 1950 by Cressey and Sutherland . Further editions of the book were published after Sutherland 's death in 1950 by Cressey and D. F. Luckenbill as co-authors . 0 +Cum Posey played for Brown 's Grays from 1932 to 1945 . Cum Posey played from 1932 to 1945 for Brown 's Grays . 1 +A screw-shaped camshaft is a type of mechanical variable valve actuation system ( VVA ) . A helical camshaft is a type of mechanical variable valve actuation ( VVA ) system . 1 +He was captured , with 18 other murdered SOE officers , at the Gross-Rosen concentration camp in Lower Silesia in July or August 1944 . In July or August 1944 , he was captured in Lower Silesia with 18 other murdered SOE officers in the Groß-Rosenen concentration camp . 1 +The Salem militia used Charlotte County and White Creek as its bases in 1776 . The Charlotte County and White Creek Militia used Salem in 1776 as the base . 0 +"She also had a supporting role in the 1992 film "" Dolores Perrigrew "" , as Bob Roberts ." "She also had a side role in the film "" Bob Roberts "" , as Dolores Perrigrew in 1992 ." 0 +Recruits : 4 , plus 2 , but not nominated . Recruits : 4 , plus 2 nominated but not enlisted 0 +"Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the 16th "" tlatoani "" and second governor of Tenochtitlan ." "Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the 16th "" tlatoani "" and the second governor of Tenochtitlan ." 1 +The music was composed by S. P. Venkatesh and lyrics was written by Kaithapram . The music was written by S. P. Venkatesh and the lyrics by Kaithapram composed . 0 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( 683 ) and Scrivener ( 868 ) . The manuscript was added to the list of New Testament manuscripts by Scrivener ( 683 ) and Gregory ( 868 ) . 0 +The San Miguel Beermen are a professional basketball team in the PBA ( Philippine Basketball Association ) . The San Miguel Beermen are a professional basketball team at the PBA ( Philippine Basketball Association ) . 1 +Walter Lyhert ( or Walter Hart ; died on 24 May 1472 ) was a medieval bishop of Norwich . Walter Hart ( or Walter Lyhert ; died 24 May 1472 ) was a medieval Bishop of Norwich . 1 +"In the 1983 American television biopic "" Dempsey "" , Estelle Taylor was portrayed by British actress Victoria Tennant ." "In the American television biopia "" Dempsey "" , 1983 , Estelle Taylor was portrayed by the British actress Victoria Tennant ." 1 +Daniel Rinner ( born 11 November 1990 in Vaduz ) is a Liechtenstein cyclist . Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a Liechtenstein cyclist . 1 +The T helper cells then activate the B cells , which are also in the presence of these antigens , causing the production of autoantibodies . The T helper cells then activate B cells , which are also in the presence of these antigens , causing the production of autoantibodies . 1 +Sometimes already assigned codes were re-used or the x00 codes spared previously were allocated . Sometimes already assigned codes were reused or the previously allocated x00 codes were spared . 0 +In 1948 Massey Harris produced the first Italian self-propelled combine harvester , the 1500 , preceded only by Bubba in 1941 . In 1948 , Massey Harris produced the first Italian self-driving combine harvester , the 1500 , which was only preceded by Bubba in 1941 . 1 +"It was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on October 26 , 1943 ." "It was transferred to the Royal Navy and commissioned on October 26 , 1943 as HMS "" Tattoo "" ." 0 +Later he joined the Calcutta Football League and played in Kolkata - Klub United SC . Later he joined Kolkata outfit United SC and played in the Calcutta Football League . 0 +A new remix was created after Diddy had highlighted his intention to find a British emcee to record with him a final version of the song . A final remix was created after Diddy had highlighted his intention to find a British emcee to record with him a new version of the song . 0 +PATH - Service of Exchange Place runs east to the World Trade Center , north to Hoboken Terminal and west to Journal Square and Newark Penn Station . PATH service from Exchange Place runs east to the World Trade Center , north to Hoboken Terminal , and west to Journal Square and Newark Penn Station . 1 +My brother is a dog is a film directed by Peter Timm and Christine Newbauer , Martin Lindow and Maria Ehrich from 2004 . My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Christine Newbauer , Martin Lindow and Maria Ehrich . 0 +He was an intermediary with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . He was a mediator with the United States Olympic Committee and was an arbitration panel member with the United States Postal Service . 1 +B is the usual term between the two premises ( the center term ) , but is never distributed , so this syllogism is invalid . B is the common term between the two premises ( the middle term ) but is never distributed , so this syllogism is invalid . 1 +""" Holocaust , "" dedicated in November 1984 in Lincoln Park , was created by the sculptor George Segal ." """ Holocaust "" , dedicated to Lincoln Park in November 1984 , was created by the sculptor George Segal ." 1 +She finds new creative hope and friendship in Enzo , the replacement guitarist who inspires her to reach new heights . She finds new hope and friendship in Enzo , the replacement guitarist , who inspires her to new creative heights . 0 +In September 2014 , it was announced that a South Korean version and a North American version would be published . In September 2014 , it was announced that a South Korean version and a North American version would be released . 1 +Chanchala is a 1974 Indian Malayalam film , directed by SSabu and produced by Hassan Rasheed . Chanchala is a 1974 Indian Malayalam film staged by SSabu and produced by Hassan Rasheed . 1 +The Chinese family planning policy allows minorities , including Muslims , to have up to two children in urban areas and three to four children in rural areas . The Chinese family planning policy allows minorities , including Muslims , to have up to two children in rural areas and three to four children in urban areas . 0 +The Thirteen Colonies of the original United States were all former British possessions , and Anglo culture became a major foundation for American folk and popular music . The thirteen colonies of the Anglo - United States were all original possessions , and popular culture became a major basis for American folk and former British music . 0 +Norris was survived by his wife , Harlyne Norris ( nee Martin ) and his two children , Dale . Bradley Norris and Dale Norris died in 2008 . was died in 2008 by his wife Harlyne Norris ( born Martin ) and his two children , Dale Bradley Norris and Dale Norris . 0 +A very small part of the southwestern Great Valley borders the town of Red House . A very small part of southwestern Red House borders the town of Great Valley . 0 +On 9 June 2017 , Barkchi Vitaliy Levchenko appointed her manager after Mubin Ergashev joined the Krylia Sovetov coaching staff . On 9 June 2017 , Barkchi appointed Vitaliy Levchenko as their manager after Mubin Ergashev joined the coaching staff of Krylia Sovetov . 1 +Chin was born in Kingston , Jamaica , to a Chinese – Jamaican mother and a Jamaican father . Chin was born in Kingston , Jamaica , into a Jamaican mother and a Chinese Jamaican father . 0 +The original route started at US 410 in Touchet and went north to Eureka and to the east to SSH 3E west of Prescott . The original route started at US 410 in Eureka and led north to Touchet and east to SSH 3E to the west of Prescott . 0 +In 1858 he graduated from the Galatasaray Gymnasium in Shumen and became a teacher in Istanbul , where he remained until 1864 . In 1858 he graduated from the Galatasaray Gymnasium in Istanbul and became a teacher in Shumen , where he remained until 1864 . 0 +Here gathered mcen 092.2 you have spoken very clearly and you have not charged . mcen092.2 gathered here have accused you very clearly and you have not spoken a 0 +The town of Phichit was established in 1058 by Phraya Kotabongthevaraja , and was first part of the Sukhothai Kingdom , and later of Ayutthaya . The city of Phichit was founded by Phraya Kotabongthevaraja in 1058 and was first part of the Sukhothai Kingdom and later of Ayutthaya . 1 +"The album was recorded live with acoustic instruments , instead of the electric instruments used on the previous album , "" Hot Tuna "" ." "The album was recorded live with acoustic instruments instead of the electric instruments used on the predecessor album "" Hot Tuna "" ." 1 +In 1955 , the United Kingdom followed , Katsuaki Asai Germany in 1964 and Hiroshi Tada Italy in 1965 . In 1955 , the United Kingdom , Italy followed in 1964 by Hiroshi Tada and Germany in 1965 from Katsuaki Asai . 0 +The Tigers eventually won the ALDS , but the Red Sox was lost in the American League Championship Series . The Red Sox eventually won the ALDS but lost to the Tigers in the American League Championship Series . 0 +And constructed the rado graph using the BIT predicate as follows : They identified the vein points of the graph with the natural numbers 0 , 1 , 2 , ... And identified the Rado graph using the BIT predicate as follows . They constructed the vertices of the graph with the natural numbers 0 , 1 , 2 , ... 0 +Károli started his school in Nagykároly and finished in Brassó . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . Károli started his school years in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy and ordered the Synod of Gönc in 1566 . 0 +She was selected in the 20th round of the 2012 WNBA Draft ( second total ) by Minnesota Lynx . She was selected in the second round of the 2012 WNBA Draft ( 20th overall ) by the Minnesota Lynx . 0 +The park is located near the foot of Queens Quay , just south of Bay Street . The park is located near the foot of Bay Street , south of Queens Quay . 0 +When he finished his career in Poland , he went to Canada to sign the Toronto Falcons of the National Soccer League . When he finished off his career in Poland he went overseas to Canada to sign with the Toronto Falcons of the National Soccer League . 1 +In 1975 he was appointed Australia 's first General Consul in Papua - New Guinea . In 1975 , he was appointed Australia 's first Consul General in Papua New Guinea . 1 +The Giro 's mountainous stage 20 ended on the slopes of Les Deux Alpes , and the penultimate stage began on the mountain the next day . The mountainous stage 20 of the Giro began on the slopes of Les Deux Alpes , and the second stage ended the next day on the mountain . 0 +He attempted suicide by smashing one of the lenses in his glasses , slitting his wrists with the shards and swallowing them . He attempted suicide by swallowing one of the lenses in his eyeglasses , breaking his wrists with the shards and slitting them . 0 +The Miniş River or Columbu River is a tributary of the Golumbu River in Romania . The Minis River or Columbu River is a tributary of the Golumbu River in Romania . 1 +In Natchez , Ingraham married Phillips Brooks , a cousin of Mary Brooks . Ingraham married to Natchez Phillips Brooks , a cousin of Mary Brooks . 0 +"Bowman grew up in Boston and started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Quincy , Massachusetts ." "Bowman grew up in Boston . He started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Quincy , Massachusetts ." 1 +""" Streptopus lanceolatus "" can be distinguished from Solomon 's seal and false Solomon 's seal by the alternate leaves on a zigzag stem ." """ Streptopus lanceolatus "" can be distinguished from Solomon 's seal and false Solomon 's seal by the alternate leaves on a zigzag trunk ." 1 +Himmatgarh is a village in the named area of Zirakpur in Mohali district in the state of Punjab in India . Himmatgarh is a village in the notified area of Mohali in district Zirakpur in the state of Punjab in India . 0 +Holly begins to suffer from a heart attack and is unable to venture into the concert with Hodges and Jerome , but urges them to press on . Holly begins to suffer a heart attack and is unable to venture into the concert with Hodges and Jerome , but urges them to continue . 1 +During the American Civil War , Indiana was the site of the Battle of Corydon , the only official pitched battle waged in Corydon . During the American Civil War , Corydon was the place of the battle of Corydon , the only official battle in Indiana . 0 +There is a collection of these works in the Deutsche Bank New York City , as well as the Piergoi Flat Files in Brooklyn . There is a collection of these works in Deutsche Bank Brooklyn , as well as the Piergoi Flat Files in New York City . 0 +The national road cycling championships 2010 began in January in Australia and New Zealand , most of the European championships will take place in June . The 2010 national road cycling championships began in January in Australia and New Zealand . Most of the European national championships take place in June . 1 +Mowbray Park , a public riverside park , was until the 1930s , the site of a large swimming pool built into the river . Until the 1930s , the Mowbray Park , a public river park , was the site of a large swimming pool built into the river . 1 +Canada is represented in Cambodia by its UN mission in New York City . Canada is represented in Cambodia through its UN mission in New York City . 1 +Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Service . Union County is included in the Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC Combined Statistical Area . 0 +Also in 1999 , Abdelaziz Bouteflika , who supported Algeria ’ s independence , became president of the Western Sahara . Also in 1999 , Abdelaziz Bouteflika , who supported the independence of Algeria , became president of Western Sahara . 1 +The high ground became Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from Los Angeles , California to St. Augustine , Florida . The high ground was Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . 0 +"The northern Cavefish or southern blindfish , "" Amblyopsis spelaea "" , is found in caves through Indiana and North - Kentucky ." "The northern cavefish or southern blindfish , "" Amblyopsis spelaea "" , is found in caves through Indiana and northern Kentucky ." 1 +Kingsville is surrounded by the restored Jerusalem Mill Village Museum , the Jericho Farm and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls . Kingsville is bordered by the renovated Jericho Farm museum , Jerusalem Mill Village , and the restored Jericho Covered Bridge on the banks of the Little Gunpowder Falls . 0 +"In the 2014 film "" Get On Up "" , a biography of Josh Hopkins , depicted by James Brown , bass is produced by Bryan Grazer and Mick Jagger ." "In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is presented with a bass ." 0 +Lily used her own experiences with Macca to convince Cassie to leave Kyle . Lily uses her own experiences with Macca to convince Cassie to leave Kyle . 1 +The participants were TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales . The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera , and Michael Roy Jornales . 1 +This was the 4th season in the MLS for the Philadelphia and the first full year under manager John Hackworth . This was the first full season in MLS for the Philadelphia and the fourth year under manager John Hackworth . 0 +The title track was composed by V. Harikrishna and is sung by Priya Hemesh with lyrics by Yugabharathi . The title track was composed by V. Harikrishna and is sung with texts by Yugabharathi by Priya Hemesh . 1 +April 9 : RHP Ben Rowen and C Brian Ward traded to Los Angeles Dodgers for RHP Ryan Webb and C Chris O'Brien . April 9 : RHP Ben Rowen and C Brian Ward traded to Los Angeles Dodgers for RHP Ryan Webb and C Chris O 'Brien . 1 +"The electric field is scalar , and hence can be described by a conservative potential , "" V "" ( r ) :" "The electric field is conservative and can therefore be described by a scalar potential "" V "" ( r ) :" 0 +The season 1988 -- 89 NBA was the 43rd season of the National Basketball Association . The 1988 season -- 89 National Basketball Association was the 43rd NBA season . 1 +These airlines operate more than 80 cities across India and , following the liberalisation of Indian aviation , also connect overseas routes . These airlines connect more than 80 cities throughout India and , after the liberalisation of Indian aviation , also operate overseas routes . 0 +Furthermore , in many dietary supplements containing raspberry ketones , manufacturers add unsafe ingredients such as caffeine which may have other effects . In addition , manufacturers in many dietary supplements containing raspberry ketones add unsafe ingredients such as caffeine , which may have other effects . 1 +The song was written by Melanie C and was already recorded in 1999 by Bryan Adams . The song was written by Melanie C and had already been recorded by Bryan Adams in 1999 . 1 +Since 2008 , Hoyer has toured Canada several times , including two times with Michael Rault , once with Sean Nicholas Savage and once with Joe . Hoyer has toured Canada several times since 2008 , including once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . 0 +George Blakely died , and St. Salvador and Robinson took over the command . George Blakely died , and St. Salvador and Robinson took over command . 1 +The legacy of the Aldenata , also known as the Posleen War Series , is the fictitious universe of one of the military science - fiction - series by John Ringo . The Legacy of the Aldenata , also known as the Posleen War Series , is the fictional universe of one of John Ringo 's military science fiction series . 1 +The resulting explosion also destroyed the nuclear vehicle , and then the second SRB initiated its own self-destruction . The resulting explosion then destroyed the nuclear vehicle , and the second SRB initiated its own self-destruction . 1 +The legacy of the Aldenata , also known as the Posley War Series , is the fictional universe of one of the military science - fiction - series by John Ringo . The heritage of the Aldenata , also known as the Posleen War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . 0 +The marble pulpit is instead from 1508 , by Benti and Lorenzo Stagi , while the walls and the ceiling were painted by Luigi Ademollo in 1823-1825 . The marble pulpit dates from 1508 by Benti and Lorenzo Stagi , while the walls and ceiling were painted by Luigi Ademollo in 1823-1825 . 0 +The buildings were drawn in 1937 but were only built postwar for André Jaoul and his son Michel . The buildings were drawn in 1937 , but were only built for André Jaoul and his son Michel post-war period . 1 +It has also received two live-action adaptations ; a TV movie in 1988 and a theatrical film in 1997 . It has also received two theatre adaptations , a TV movie in 1988 and a live film in 1997 . 0 +Joe Root also of Yorkshire and currently England 's rising cricket star , now captain of England , was born and raised in Dore . Born and raised in Dore , Joe Joe Root was also born from Yorkshire and currently England 's rising cricket star , now Captain of England . 1 +In 1720 he returned to Kaufbeuren , but became Prime Minister of Augsburg in 1723 . He returned to Kaufbeuren in 1720 , but became parish minister of Augsburg in 1723 . 0 +In 1862 , Jane died and in 1864 Breck married Sarah Stiles , and three years later he moved to Benicia , California , to build two more institutions . Jane Breck died in 1862 and Breck married Sarah Stiles in 1864 . Three years later he moved to Benicia , California to build another two institutions . 1 +Look to the Lilies was a short Broadway musical with a book by Leonard Spigelgass , lyrics by Jule Styne and music by Sammy Cahn . Look to the Lilies was a short-lived Broadway musical with a book by Leonard Spigelgass , lyrics by Sammy Cahn , and music by Jule Styne . 0 +"Dastan ( "" story "" ) is a genre , known not only in Eastern poetry , but also in Western poetry ( including traditional folk poetry ) ." "Dastan ( "" story "" ) is a genre known not only in Eastern poetry , but also in Western poetry ( including traditional folk songs ) ." 1 +Its villages include Dry Tavern , Jamestown , Mahoning Valley ( also in West Penn Township , Schuylkill County ) , Neu Mahoning , Normal Square , and Packerton . Its villages include Dry Tavern , Jamestown , Mahoning Valley ( also in West Penn Township , Schuylkill County ) , New Mahoning , Normal Square , and Packerton . 1 +Emily is the mother of Redman from her marriage to the actor Robert Glenister . Emily Emily is the mother of Redman from her marriage to the actor Robert Glenister . 1 +The first theater is located around the Mediterranean Sea and the Atlantic Ocean . The first theater is set around the Atlantic Ocean and the Mediterranean Sea . 1 +He was an intermediary with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . He was a mediator with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . 0 +Grégoire was born in Vého near Lunéville , the son of a tailor . Grégoire was born in Vého near Lunéville as the son of a tailor . 1 +In 1989 , the magazine received its present name , and the following year the Jewish Bible Association became the World Jewish Bible Society . The journal received its present name in 1989 , and the following year the Jewish Bible Association became the World Jewish Bible Society . 1 +More than 5 species of Rhizophoraceae grow in Australasia with particularly high biodiversity on the island of New Guinea and northern Australia . More than 5 species of rhizophoraceae grow in Australasia with particularly high biodiversity on the island of Australia and in northern New Guinea . 0 +In 1962 , further restoration was carried out for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker . Further restoration was carried out in 1962 for William Cardinal Godfrey who had earlier appointed the poet and mystic John Bradburne to be caretaker . 1 +In many provinces , mosques were bombed and Hui was slaughtered or destroyed by Japanese troops . Mosques were destroyed , and in many provinces , Hui was slaughtered or bombed by Japanese troops . 0 +After moving to Norway as a political refugee in 1988 , he began to write novels about the leftist revolt in Turkey . After moving to Turkey as a political refugee in 1988 , he began to write novels about the leftist revolt in Norway . 0 +The average low temperature in summer ( December -- January ) is , and the average high temperature in winter ( June -- July ) is . The average maximum temperature is in summer ( December - January ) and the average low temperature is in winter ( June - July ) . 0 +"Godella is a municipality in the "" comarca "" of Horta Nord , province of Valencia , Spain ." Godella is a municipality in the Comarca Valencia , Spain , province of Horta Nord . 0 +Mariano and Zappi were rescued the next day ; the body of Finn Malmgren was not found . The next day Mariano and Zappi were saved , the body of Finn Malmgren was not found . 1 +In 1858 he moved with a group of four members from Downieville to Eagle Valley into the territory that is now known as Nevada . In 1858 , he moved with a group of four members from Downieville to Eagle Valley in the area that is now known as Nevada . 1 +Previously , she played for Åland United , the FC Honka and HJK of the Finnish Naisten Liiga as well as the Danish club Fortuna Hjørring . She previously played for Åland United , FC Honka and HJK of the Finnish Naisten Liiga , as well as for Danish club Fortuna Hjørring . 1 +She explores traditional music as well as contemporary repertoire . She explores contemporary music as well as the traditional repertoire . 0 +Yarde sometimes improvised , often while listening to jazz . Yarde improvised sometimes , often while listening to jazz . 1 +The Portishead Times is a weekly free newspaper delivered to homes in the North Somerset and surrounding villages area of Portishead , England . The Portishead Times is a free weekly newspaper delivered to households in Portishead and the surrounding villages of North Somerset , England . 0 +The area was once served by Edinburgh Waverley railway station which provided direct railway access to Corstorphine . The area was once served by Corstorphine railway station , which provided direct access to the railway to Edinburgh Waverley . 0 +On the other hand , many Democrats welcomed industrialization , the Whigs feared . On the other hand , many democrats welcomed industrialization , feared the whigs . 1 +"The "" medal "" for the golden classes are the 6th and 7th bronze ." "The "" medal "" for the golden classes are 6th and 7th bronze ." 1 +After the takeover of the Nazi regime , he was forced to retire in 1936 , as a citizen of Jewish faith with evangelical ancestors . Following the takeover of the Nazi regime in 1936 , he was forced to withdraw with evangelical ancestors as a citizen of Jewish faith . 1 +Deaton was born in Clayton , Oklahoma and his family lived in a tent on the New Mexico plains for two years . Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent in the plains of New Mexico . 1 +Coifs date from the 14th century , but in the 10th century men fell out of popularity . Coifs date from the 14th century , but fell out of popularity with men in the 10th century . 1 +She is the first female Prime Minister of Mali , and the second Prime Minister of President Amadou Toumani Touré 's second and final term . She is the first female Prime Minister of Mali and the second and final term of President Amadou Toumani Touré . 1 +According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the woods near the house . According to Smith , the Aaronic Priesthood was reproduced to him and Oliver Cowdery somewhere in the woods near the house on May 15 , 1829 . 0 +The mountain was named after the geologist Charles Lyell , a follower of Charles Darwin , in 1863 , by Charles Gould . The mountain was named by Charles Lyell in 1863 after geologist Charles Gould , a supporter of Charles Darwin . 0 +"In the TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." "In the television series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." 1 +The poet and writer Andrija Kačić Miošić and the Franciscan writer Filip Grabovac introduce a special place in the literature of the 18th century . A special place in the literature of the 18th century is held by the poet and writer Filip Grabovac and the Franciscan writer Andrija Kačić Miošić . 0 +It is limited by North Dakota . The nearest American community is Gretna , Neche , Pembina County , North Dakota . It is limited by Pembina County , North Dakota The nearest American community to Gretna is Neche , North Dakota . 0 +Char Hesamaddi is a village in Barisal Division in the Barisal District of southern-central Bangladesh . Char Hesamaddi is a village in the Barisal division of the Barisal district in southern Bangladesh . 1 +"Thin ice is a British drama of the big final productions based on the long-running audio - science - fiction - television series "" Doctor Who "" ." "Thin Ice is a Big Finish Productions audio drama based on the long-running British science fiction television series "" Doctor Who "" ." 0 +He has also played for the Pittsburgh Steelers and was part of the Super Bowl XLV winning team over the Green Bay Packers . He has also played for the Pittsburgh Steelers and was part of the Super Bowl XLV winning team at the Green Bay Packers . 1 +The Bill 's Cathy Stoller Center is home to all intercollegiate athletic teams from the university , sports offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all University athletics teams , the Intercollegiate Athletic Offices and the Department of Exercise Science . 0 +She studied journalism for three years in New York City and holds an MA in mass media at a university in London . For three years she studied journalism in London and holds an MA in mass media at a university in New York City . 0 +On the second day Jess sees a girl who sees her lost sister Jen very similar . On the second day , Jen sees a girl very similar to her lost sister , Jess . 0 +Hassan took over the company after his brother , Abdirazak Ali Hassan died . Abdirazak Ali Hassan took over the company after his brother Hassan had died . 0 +Guy Stern ( born January 14 , 1922 in Hildesheim ) is a German-Jewish literary scholar , primarily German and comparative literature . Guy Stern ( born January 14 , 1922 in Hildesheim , Germany ) is a German and comparative scholar of literature , primarily German-Jewish . 0 +Loiu is a town and municipality located in the province of Basque Country , in the autonomous community of Biscay , northern Spain . Loiu is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , in northern Spain . 1 +Adele died in 1896 and Elizabeth in 1910 , and both were buried behind the house in the family graveyard . Lives . Elizabeth died in 1896 and Adele in 1910 , and both were buried in the family graveyard behind the home . 0 +Williams , ( 1892-1962 ) , was the first president of Yr Academi Gymreig ( Welsh Academy ) . Williams , the first president of the Welsh Academy , was Yr Academi Gymreig . 1 +He said in December 2007 , that the local majority would present joint lists for the 2008 presidential elections . In December 2007 , he said that the presidential majority would present common lists for the local elections in 2008 . 0 +The North Downs Way crosses the Medway Valley Walk at the eastern end of Medway Viaduct or the motorway bridge . The North Downs Way crosses the Medway Valley Walk at the eastern end of the Medway Viaduct or motorway bridge . 1 +The company is one of the oldest still active Brazilian companies , founded in 1880 by the German brothers Bruno and Hermann Hering . The company is one of the oldest Brazilian companies still in activity , founded by German brothers Bruno and Hermann Hering , in 1880 . 1 +The Mach number is used to evaluate whether the incompressibility can be assumed , otherwise the effects of compressibility must be included . The Mach number is used to evaluate whether the incompressibility can be included , otherwise the effects of compressibility must be accepted . 0 +"Pidoux appeared as Cellist Pablo Casals in Pablo Larrain 's "" Jackie "" ." "Pidoux appeared as cellist Pablo Casals in Pablo Larraín 's "" Jackie "" ." 1 +It was also recorded by the Royal Canadians and His Guy Lombardo orchestra and the vocal group The Three Suns in the United States . It was also accepted by the Royal Canadians and his Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . 1 +Louisa Catherine had an illegitimate daughter , Sarah , on 22 March 1839 . On March 22 , 1839 , Sarah born an illegitimate daughter , Louisa Catherine . 0 +On March 31 , 1958 , Daley , together with Gene Woodling and Dick Williams , was traded at the Baltimore Orioles for Larry Doby and Don Ferrarese . On 31 March 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . 0 +""" Darn That Dream "" is a popular song with music by Jimmy Van Heusen and lyrics by Eddie DeLange , published in 1939 ." """ Darn That Dream "" is a popular song with music by Eddie DeLange and texts by Jimmy Van Heusen , published 1939 ." 0 +Malik was married to businessman Asad Bashir Khan Khattak in Dubai on 25 December 2013 . Asad Bashir Khan Khattak married businessman Malik on 25 December 2013 in Dubai . 0 +On April 10 , 1987 , Ricardo Lingan Baccay was dedicated as a priest by Diosdado Aenlle Talamayan . Ricardo Lingan Baccay was ordained a priest on April 10 , 1987 by Diosdado Aenlle Talamayan . 1 +The Berkeley edition was published in February 1985 , the third printing was in June 1985 , and the second printing was in November 1985 . The Berkeley issue was published in February 1985 , the third printing was in June 1985 and the second pressure was in November 1985 . 1 +It is located on the western shore and forms the southern end of Melville Water . It is located on the southern shore and forms the west end of Melville Water . 0 +She became one of Sigmund Freud 's most important patients and , for a short period of time around 1897 , was a psychoanalyst herself . "She was "" one of the most important patients of Sigmund Freud and for a short time around 1897 herself became a psychoanalyst "" ." 0 +It was owned locally by Albert M. Cadwell 's Walter Stiles . It was locally owned by Walter Stiles & Albert M. Cadwell . 0 +Although discovered in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first studied in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were discovered in 1888 by Samuel Alejandro Lafone Quevedo , they were first examined in 1897 by the archaeologist Juan Bautista Ambrosetti . 1 +Refers to the action of the body when turning figures : turning the opposite hip and shoulder in the direction of the moving foot . Refers to the action of the body in moving figures ; turning the opposite hip and shoulder towards the direction of the turning foot . 0 +Alberto Cortina has three sons , Alicia : Alicia has three sons with Alberto Cortina : 1 +"The 1912 Paul England translation is a "" singable translation "" which is compatible with the vocal line Strauss wrote for the German ." "The Paul England translation of 1912 is a "" singable translation "" , which is compatible with the vocal line written by Strauss for the German ." 1 +Berkeley 's childhood was spent in Warwickshire , where he was a pupil of the translator , Philemon Holland of Coventry , and of Henry Ashwood . The childhood of Berkeley was spent in Coventry , where he was a student of the translator Philemon Holland of Warwickshire and Henry Ashwood . 0 +This theory did not explain the observed instability of irreversible dispersions against colloidal aggregation in solutions with high ionic strength . This theory did not explain the observed instability of irreversible dispersions against colloidal aggregation in solutions of high ionic strength . 1 +Kayalar is a village connected to the Giresun district of the province of Tirebolu . Kayalar is a village connected to the district Tirebolu in the province of Giresun . 0 +It is now 11 Alma Road , and is also referred to as the Moorfield Court . It is also number 11 Alma Road , and is now referred to as Moorfield Court . 0 +Somaiya Vidyavihar is an educational campus in Vidyavihar - suburb of Mumbai . Somaiya Vidyavihar is an educational campus located in the Mumbai suburb of Vidyavihar . 1 +The ditch was cut from rock and about 5 m deep and 4 to 5 m wide . The ditch was cut out of rock and about 5 m wide and 4 to 5 m deep . 0 +He was ordered to New Mexico Territory in 1860 and transported to the rank of captain on December 20 in the 4th Infantry . He was promoted to the New Mexico Territory in 1860 and ordered to captain the 4th Infantry on December 20 . 0 +The static component is the total soil resistance minus the dynamic component ) . The dynamic component is the total resistance of the soil minus the static component . 0 +He has a Portuguese mother and a Norwegian father and has spent part of his childhood in Lisbon . He has a Portuguese mother and a Norwegian father and spent a part of his childhood in Lisbon . 1 +Cork Albert Street station was on the Cork , Blackrock and Passage trains in County Cork , Ireland . Cork Albert Street railway station was on the Cork , Blackrock and Passage Railway in County Cork , Ireland . 1 +Stosur then traveled to Fribourg to represent Switzerland in their Fed Cup against Australia . Stosur then traveled to Fribourg to represent Australia in their Fed Cup tie against Switzerland . 0 +The best-known version of the song was recorded by Dick Rowe and produced in 1953 in England by The Stargazers . Probably the best-known version of the song was recorded by Dick Rowe and produced in the UK by The Stargazers in 1953 . 1 +The USAF officially turned Korat over to the Royal Thai Government on 26 February 1976 . On 26 February 1976 , the USAF officially handed over the Korat to the Royal Thai Government . 1 +Yesss was sold to Hutchison Whampoa following the sale of Orange to Mobilkom Austria . Yesss was sold to Mobilkom Austria following the sale of Orange to Hutchison Whampoa . 0 +Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez 6 -- 2 , 6 -- 2 in the final . Julio Peralta and Horacio Zeballos won the title and defeated Sergio Galdós and Luis David Martínez 6 -- 2 , 6 - 2 in the final . 1 +On 4 January 2015 , Soane Patita Paini Mafi announced that on 14 February he would appoint Tonga 's Bishop , Pope Francis , as Cardinal . On 4 January 2015 , Pope Francis announced that on 14 February he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . 0 +There are large squatter communities in Nairobi , such as Kibera in Kenya . In Nairobi there are big squatter communities , such as Kibera in Kenya . 1 +The Greeks decided by a 69.18 % majority against a constitutional monarchy and for a parliamentary republic . By a majority of 69.18 % , the Greeks decided against a constitutional monarchy and for a parliamentary republic . 1 +The journal is indexed by Brill and published in Academic Search Complete and Scopus . The journal is published by Brill and is indexed in Academic Search Complete and Scopus . 0 +Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Service . Spartanburg is included in the Greenville Metropolitan Statistical Area , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Area . 1 +As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and sponsored its development . As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and supported its development . 1 +Between 1937 and 1957 , Squadron was a unit of the British Auxiliary Air Force and later of the Royal Auxiliary Air Force . 615 ( County of Surrey ) Squadron was a unit of the British Royal Auxiliary Air Force and later the Auxiliary Air Force between 1937 and 1957 . 0 +Dielectric elastomers ( DEs ) are smart material systems that produce large strains . Dielectric elastomers ( DEs ) are large material systems that produce smart deformations . 0 +During the short 5 year life of Nervous Fellas , many personnel changes took place , and Chris Colt left in late 1987 to be replaced by Mark Twang . Many personnel changes happened during the Nervous Fellas ' short 5 year life . Chris Colt left in late 1987 to be replaced by Mark Twang . 1 +Furthermore , Spain entered into negotiations with the Portuguese court and agreed to achieve the Lisbon peace on 13 February 1668 . Furthermore , Spain entered into negotiations with the Portuguese court and on 13 February 1668 agreed the Peace of Lisbon . 1 +"While Quine called such logics "" free "" logic they are now referred to as inclusive logic ." "While Quine has referred to such logics as "" including "" logic , they are now called free logic ." 0 +"The ancestors of the "" Mansourasaurus "" would have reached Europe from Africa ." "The ancestors of "" Mansourasaurus "" would have reached Europe from Africa ." 1 +Other finalists closed National Geographic , New York , Vanity Fair , and Wall Street Journal . Other finalists included the Wall Street Journal , New York , Vanity Fair , and National Geographic . 1 +Wolf Burn flows through the district to reach Scrabster Harbour and the Atlantic Ocean , halfway between Thurso town centre to the east and Thurso Bay to the west . Wolf Burn flows through the district to enter Thurso Bay and the Atlantic Ocean , midway between Thurso town centre to the east and Scrabster Harbour to the west . 0 +In December 2007 , he said that the local majority would present common lists for the presidential elections in 2008 . He said in December 2007 , that the local majority would present joint lists for the 2008 presidential elections . 1 +The structural art and the style of this idol is unique and is in perfect proportion to it . The structural art & style of this idol is unique and it is in perfect proportion . 1 +"If so , fair territory would probably have been shaped like a modern five-sided "" home plate "" ." "If so , modern territory would probably have been shaped like a beautiful five-sided "" home plate "" ." 0 +However , there was only one scholarship awardee and Li published two or three more articles than Qian , so Qian was preferred . There was only one scholar , however , and Li published two or three articles more than Qian , so Qian was preferred . 1 +As , he is the and can borrow the Inromaru to become . He is the and can become the Inomaru to borrow . 0 +He is a specialist in contemporary music and Baroque music . He is specialist in contemporary music and baroque music . 1 +He also won popularity by replacing Archie Kao and Adam Rodriguez . "He gained popularity also by replacing Adam Rodriguez on "" , and Archie Kao on "" ." 0 +The Buchan Caves are located about east to the northeast ( or five hours drive ) from Lakes Entrance , along Princes Highway , north of Melbourne . The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Melbourne , along Princes Highway , north of Lakes Entrance . 0 +Former segments of State Road 52 , have included Roth Lane , in Dade City , and North 21st Street and Lock Street in Saint Leo . Former segments of the State Road 52 , including Roth Lane , in Saint Leo , and North 21st Street and Lock Street in Dade City . 0 +The river Lemnia is a tributary of the River Lutoasa in Romania . The Lutoasa River is a tributary of the Lemnia River in Romania . 0 +Johnny Triumph often collaborates with the singer Björk and has performed with The Sugarcubes as Sjón . Johnny Triumph frequently collaborates with the singer Björk and has performed with The Sugarcubes as Sjón . 1 +Mikhail Youzhny defeated 1st seed Mikhail Kukushkin 6 -- 3 , 7 -- 6 to win this tournament . Mikhail Youzhny defeated the 1st seed Mikhail Kukushkin 6 -- 3 , 7 -- 6 to win this tournament . 1 +The township borders Medford Township , Tabernacle Township and Washington Township in Burlington County ; Hammonton in Atlantic County ; and Waterford Township in Camden County . The municipality borders on Medford Township , Tabernacle Township and Washington Township in Burlington County , Hammonton in Atlantic County and Waterford Township in Camden County . 1 +In this way , the Nestorian faith in the East was established under tragic omens . In this way , under tragic auspices , the Nestorian faith was established in the East . 1 +The river Geamărtălui is a tributary of the Strâmba River in Romania . The Strâmba River is a tributary of the River Geamărtălui in Romania . 0 +"Franca Treur ( * 1979 ) is a freelance writer and Dutch journalist for "" NRC Handelsblad "" and "" nrc.next "" ." "Franca Treur ( born 1979 ) is a Dutch writer and a freelance journalist for "" NRC Handelsblad "" and "" nrc.next "" ." 0 +Baba ji spread his different thoughts through Sufi books like Piya Rung Kala , Kajal Kotha , etc . Baba ji has spread his Sufi thoughts through various books like Piya Rung Kala , Kajal Kotha etc . 0 +The response of the dependent Formula 5 to a time-monitoring field formula 10 is The observable Formula 5 response to a time-dependent field formula 10 is : 0 +He lived in Italy for ten years and won the classic Bardolino race in Turin for six years in a row from 2001 to 2006 . Living in Turin , Italy for ten years , he won The Bardolino classic race in Italy for six years in a row , from 2001 to 2006 0 +Zinkyaik Mountain is located in Mon State in the northern part of the Tenasserim coast . Zinkyaik Mountain is situated in Mon State in the northern part of the Tenasserim coast . 1 +Traditionally Drumgoon have always worn a blue jersey , shorts and socks with a yellow trim . Traditionally Drumgoon have always worn a yellow jersey , shorts and socks with a blue trimm . 0 +The black suit was largely replaced by the dark blue or grey suit in the 20th century . The grey suit was largely replaced in the 20th century by the dark blue or black suit . 0 +Great Alne Railway Station was a station in the village Great Alne in Warwickshire on the Great Western Railway - line from Alcester , Warwickshire to Bearley , Warwickshire . Great Western Railway was a station in the village of Great Alne in Warwickshire on the Great Alne Railway Station line from Alcester , Warwickshire to Bearley , Warwickshire . 0 +Sawyer 's authorized biography was published by Huston Smith in 2014 . In 2014 , Huston Smith 's authorized biography was published by Sawyer . 0 +James Addison Cravens ( August 2 , 1802 - December 4 , 1876 ) was a US representative from Indiana , second cousin of James Harrison Cravens . James Harrison Cravens ( August 2 , 1802 - December 4 , 1876 ) was a U.S. representative from Indiana , second cousin of James Addison Cravens . 0 +Carl Gould ( Dwayne Hill 2009 -- 2010 , Dylan Hoerner 2010 -- present ) is a cream rabbit with brown hair and blue glasses . Carl Gould ( Dwayne Hill 2009 -- 2010 , Dylan Hoerner 2010 -- today ) is a cream-coloured rabbit with brown hair and blue glasses . 1 +Following the closure of Santa Anita Park , the race was moved to Hollywood Park in 2014 . Following the closure of Santa Anita Park , the race moved to Hollywood Park in 2014 . 1 +They were formed in January 1961 to replace the Trail Smoke Eaters who traveled to Canada to represent Europe at the 1961 World Ice Hockey Championships . They were founded in January 1961 to replace the Trail Smoke Eaters that traveled to Europe to represent Canada at the 1961 World Ice Hockey Championships . 0 +After the break-up of Cream , Bruce and Brown continued to write songs together . Bruce wrote the lyrics for most of Brown 's solo albums . After the separation of Cream , Bruce and Brown continued to write songs , Bruce wrote the lyrics for most of Brown 's solo albums . 1 +She was born on July 28 , 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . She was born on July 28 , 1992 in Tokyo and married Timothy Koleto in Okayama , Japan in January 2017 . 0 +This species occurs in the Atlantic and the Gulf of Mexico , in the Caribbean Sea and Brazil . This species occurs in the Caribbean Sea and the Gulf of Mexico ; in the Atlantic Ocean off Brazil . 0 +In this situation , the person is active and God plays a more passive role in which they share the power . In this situation the person is active and God plays a more passive role in which they share power . 1 +Scott Wells was also replaced as Lex Luthor by Sherman Howard . Scott Wells was also replaced as Lex Luthor of Sherman Howard . 1 +Bethlehem then passed through the control of the Islamic caliphates of the Abbasids in the 9th century , then the Umayyads in the 8th century . In the 9th century Bethlehem went through control of the Islamic caliphates of the Abbasids , then in the 8th century the Umayyads . 1 +It is licensed and published in North America by Blu on 8 May 2007 , and is licensed by Sharp Point Press in Taiwan . It is licensed and published in North America by Blu on May 8 , 2007 . The manga is licensed in Taiwan by Sharp Point Press . 1 +She arrived on 24 June in Cork and was in the downs on 8 July . She was at Cork on 24 June , and arrived in the Downs on 8 July . 0 +"S ( "" ess "" , plural "" esses "" ) is the language letter in the modern English alphabet and the ISO 19th Latin alphabet ." "S ( named "" ess "" , plural "" esses "" ) is the 19th letter in the Modern English alphabet and the ISO basic Latin alphabet ." 0 +In the 1990s , new teaching campuses were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli . New teaching sites were opened in the 1990s in Ivrea , Mondovì , Biella , Alessandria and Vercelli . 1 +He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on August 5 , 1875 . He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . 1 +In 1845 railroad developers founded the Belpre and Cincinnati Railroad , but the destination was changed to Marietta , with a corresponding name change in 1851 . In 1845 , railway developers founded the Marietta and Cincinnati Railroad , but the destination was changed to Belpre , with a corresponding change in name in 1851 . 0 +Lehigh River is a tributary of the Mahoning Creek in Schuylkill and Carbon counties , Pennsylvania , in the United States . Mahoning Creek is a tributary of the Lehigh River in the Schuylkill and Carbon - County , Pennsylvania , in the United States . 0 +The magistrate of Penghu County is the chief executive of the government of Penghu . The Magistrate of Penghu is the chief executive officer of the Penghu County government . 0 +Easton forms the northeastern corner of Bristol County , where the county cuts with Plymouth County to the east and Norfolk County to the north . Easton is the northeastern corner of Bristol County , where the county crosses with Norfolk County to the east and Plymouth County to the north . 0 +The chapel was also dedicated to Saint John the Baptist and Jacobus , Blessed Christina , all the protectors of the House of Visconti . The Chapel was also dedicated to the Saints John the Baptist and James , Blessed Christina , all protectors of the House of Visconti . 0 +Born and raised in Vancouver , British Columbia , Canada , he has died in Aylesbury , Saskatchewan , Canada . He was born and raised in Vancouver , British Columbia , Canada and died in Aylesbury , Saskatchewan , Canada . 1 +It was written by Leslie H. Martinson , written by George Kirgo , and was originally broadcast on NBC on April 5 , 1982 . It was written by Leslie H. Martinson , directed by George Kirgo and was originally broadcast April 5 , 1982 on NBC . 0 +In a standard - RAID - 01 - configuration , at least four disks are used , however larger arrays are also required . In a standard - RAID - 01 - configuration , at least four disks are required , but larger arrays are also required . 0 +In general , lower temperatures and higher pressures promote the formation of sponge coke . In general , higher temperatures and lower pressures promote the formation of sponge coke . 0 +Sara Varga ( born 14 April 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author and DJ . Sara Varga Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , professionally known as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . 0 +"Debbie Posner is the "" Hebrew and Jewish Studies Teacher and Program "" , and Debbi Benn is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." "Debbie Posner is the "" teacher and the program for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of elementary school for Hebrew and Jewish studies "" ." 1 +From her former marriage , Katy Spencer had a daughter , Ann ( a graduate of Texas Tech in 1962 ) . From her previous marriage , Ann had a daughter , Katy Spencer ( a 1962 graduate of Texas Tech ) . 0 +As a compliant team with a senior stadium , they are entitled to enter the Scottish Cup . As a senior citizen with a compliant stadium , they are entitled to enter the Scottish Cup . 0 +He has also recorded two solo albums under his own name and three albums made in Indonesia under the name Sabah Habas Mustapha . He has also recorded two solo albums under his own name and three albums in Indonesia under the name of Sabah Haba Mustapha . 0 +Many of Friend 's descendants now live in Friendsville , and the Friend Family Association 's headquarters and library are in Garrett County because of this connection . Many of Friend 's descendants now live in Garrett County , and the Friend Family Association 's headquarters and library are in Friendsville because of this connection . 0 +There are two major special cases : ( i ) a simple open chain and ( ii ) a simple closed chain . There are two important special cases : ( i ) a simple closed chain , and ( ii ) a simple open chain . 1 +Ella Hval ( born Ella Signe Quist Kristoffersen ) ( 7 January 1904 , Kristiania -- December 17 , 1994 , Stavanger ) was a Norwegian actress . Ella Hval ( born Ella Signe Quist Kristoffersen ) ( 7 January 1904 , Kristiania -- 17 December 1994 , Stavanger ) was a Norwegian actress . 1 +""" Iti "" usually refers to something abstract , but can also refer to concrete nouns ." """ Iti "" usually refers to something concrete but may also refer to abstract nouns ." 0 +Members of the patent pool G.723.1 are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . Members of the G.723.1 patent pool are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . 1 +Miller was raised for some time in the mountains of Santa Barbara , California , before settling in Tijuana , Mexico . Miller was raised in the outskirt mountains of Santa Barbara , California for some time , before settling down in Tijuana , Mexico . 1 +Sara Varga Madeleine Jonsson ( born 14 April 1982 ) , known professionally as Sara Varga , is a Swedish vispop singer , songwriter , author , and DJ . Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , known professionally as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . 1 +In most countries , a different organisation , a scout group , combines local sections into a single body . In most countries a local organisation , a Scout Group , combines different sections together into a single body . 0 +In religion and mythology , anthropomorphism is the perception of a divine being or divine being in human form or the recognition of human properties in these beings . In religion and mythology , anthropomorphism is the perception of a divine being or beings in human form , or the recognition of human qualities in these beings . 1 +Through the distributor Accapi Group , Kurgo products are also available in Australia and New Zealand , while MasterPet Kurgo products are sold in Europe . Kurgo products are also available in Australia and New Zealand through the distributor Accapi Group , while MasterPet distributes Kurgo products in Europe . 0 +On February 28 , 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion . On February 28 , 2018 GTT Communications announced the acquisition of Interoute for $ 2.3 Billion 1 +Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada . It is located east of Otter Bay . Otter Bay is a natural bay on the island of Coney Bay in the province of Newfoundland and Labrador , Canada . It is east of Newfoundland . 0 +The best friend of Alma Bautista ( Jean García ) is Katrina Alegre ( Eula Valdez ) . Katrina Alegre ( Jean Garcia ) is the best friend of Alma Bautista ( Eula Valdez ) . 0 +"About the song Billboard wrote : "" You catch the beat , now you know the groove ." "Billboard wrote about the song : "" You catch the beat , now know the groove ." 1 +Trujillo incorporated elements of native art and hieratic figures in a very contemporary style in his canvases . Trujillo involved in his canvases elements of contemporary art and native figures in very hieratic style . 0 +When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Teramo Diocese . When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Teramo Diocese . 0 +The evolved essences of High Evolutionary and Hercules were harvested by the Celestials and imprisoned and manipulated for unknown purposes in the Black Galaxy . The developed essences of High Evolutionary and Hercules were harvested by the celestials and captured and manipulated in the Black Galaxy for unknown purposes . 1 +Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , Vogtland and grew up in Rothenkirchen in East Germany . Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , East Germany and grew up in Rothenkirchen in the Vogtland region . 0 +With the notable exception of Pod near Bugojno in the upper valley of the Vrbas River , nothing is known of their settlements . With the remarkable exception of Pod near the river Vrbas in the upper valley of Bugojno , nothing is known about their settlements . 0 +Nodler returned to Houston to found The Catastrophic Theatre with Tamarie Cooper later in that year . Later this year , Nodler returned to Houston to found the Catastrophic Theatre with Tamarie Cooper . 1 +Ippolita Rostagno was born on December 10 , 1963 in Florence and is the daughter of an Italian artist and an American intellectual . Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an Italian artist and an American intellectual . 1 +Mayers showed that ( computationally quantum ) quantum commitment is impossible : an unconditionally unlimited attacker can break any secure commitment protocol . Mayers showed that quantum binding is impossible ( computationally quantum ) : an unconditionally unlimited attacker can break any secure commitment protocol . 1 +It is located on the historic Natchez Trace , at mile marker 180.7 on the modern Natchez Trace Parkway in Mississippi , USA . It is located on the historic Natchez Trace , at Mile 180.7 at the modern Natchez Trace Parkway in Mississippi , USA . 1 +In June 2007 , drummer Leonard Ben Timony left the band and was replaced by Wayne Bennett . In June 2007 , drummer Wayne Bennett left the band and was replaced by Ben Timony . 0 +MRSA - Rates are also now one of the best in the country , with the biggest reduction . MRSA rates are now also amongst the best in the country , with the biggest reduction . 1 +Femi 's musical career began when he started playing in his father 's band , Egypt 80 . Femi 's musical career started when he began playing in his father 's band , Egypt 80 . 1 +Neighboring municipalities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . Neighboring communities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . 0 +Name is the unique marker name , and format string describes the types of remaining arguments . Where name is the marker 's unique name , and format _ string describes the remaining arguments ' types . 1 +By then , three-quarters of the slaves had been liberated in Delaware , and a high proportion of slaves in Maryland . By then , three-quarters of the slaves in Delaware had been freed , and a high proportion of slaves in Maryland . 1 +The A cells produce glucagon , which mobilizes the hepatic glycogen , and the enterochromaffin cells produce serotonin , which stimulates the contraction of the smooth muscles . The A cells produce Glucagon , which mobilizes hepatic glycogen , and the enterochromafin cells produce serotonin , which stimulates the contraction of the smooth muscles . 1 +It seems to be most active in the late morning and early afternoon . In the late morning and early afternoon , it appears to be most active . 1 +The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to the Bareilly -- Bareilly railway on January 1 , 1891 . The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to form the Bareilly -- Bareilly Railway on 1 January 1891 . 1 +In the United Kingdom , mescaline is a class A medicine in cleaned powder form . However , dried cactus can be bought and sold legally . In the United Kingdom , mescaline in dried powder form is a Class A drug . However , purified cactus can be bought and sold legally . 0 +St. George 's Homes in Kodaikanal constructed later had the same purpose as that of Kalimpong homes , but influenced and modeled by Graham 's work in Kalimpong . Later , St. George 's Homes in Kodaikanal had the same purpose as the Kalimpong Homes , but were influenced and modeled by Graham 's work in Kalimpong . 1 +Ackman sold credit-default swaps against MBIA - corporate debt and bought the swaps for a large profit during the 2008 financial crisis . Ackman bought credit default swaps against MBIA corporate debt and sold the swaps for a large profit during the financial crisis of 2008 . 0 +Linna is spoken in the original series by Michie Tomizawa in Japanese and Elizabeth Becks in English , with Rio Natsuki and Kelly Manison in the 2040s series . Linna is spoken in the original series by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English , with Michie Tomizawa in the 2040s . 0 +It was elected in 1977 and re-elected in April 1978 to the newly created Court of Appeals District 1 . He was elected in 1977 , and in April 1978 was re-elected to the newly created Court of Appeals District 1 . 1 +Late in 2016 , Skapetis had tests at several clubs , including Sheffield United , Cardiff City , and Derby County . Late in 2016 , Skapetis had attempts at several clubs , including Derby County , Cardiff City , and Sheffield United . 1 +Norman Nesbitt played Philpott , a geeky man who believes that he has been contacted by UFOs . Phil Philpott played Norman Nesbitt , a geeky man who believes he has been contacted by UFOs . 0 +Empire Zinc Company was a subsidiary of the New Jersey Zinc Company . The New Jersey Zinc Company was a subsidiary of the Empire Zinc Company . 0 +Thillana Thillana is a 2003 Indian Malayalam film , directed by T. S. Saji and produced by M. A. Nishad . Thillana Thillana is a 2003 Indian Malayalam film directed by T. Saji and produced by M. A. Nishad . 1 +William Middleton ( or William de Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . William Middleton ( or William Middleton , died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . 1 +In the late 1970s , Willie Francis worked in England and lived in Canada for a number of years before returning to Jamaica . Willie Francis lived in Canada in the late 1970s , and worked in Jamaica for a number of years before returning to England . 0 +Seon is a municipality in the district of Aargau in the canton of Lenzburg in Switzerland . Seon is a municipality in the Lenzburg district in the canton of Aargau , Switzerland . 0 +Syrian Haitians are Syrian of Haitian descent or a Haitian with Syrian citizenship . A small Syrian community exists in Haiti . Syrian Haitians are Haitians of Syrian descent , or a Syrian with Haitian citizenship . A small Syrian community exists in Haiti . 0 +In many problems , it is more convenient to work with D and the total charges than with E and the free charge . For many problems it is more convenient to work with D and the total cost than with E and the free charge . 1 +From Konstanz , Germany she moved to Italy in 1967 . In 1967 she moved from Italy to Konstanz . 0 +"Togdheer ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer River region of eastern Somaliland ." "Togdheer River ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer region in eastern Somaliland ." 0 +The manuscript was bought in 1819 , by Edward Everett from America to Constantinople , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett from America to Constantinople in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 1 +From Croatia there are many international bus routes to the neighbouring countries ( Slovenia , Bosnia and Herzegovina , Serbia , etc . ) . From Slovenia , there are many international bus routes to the neighboring countries ( Serbia , Bosnia and Herzegovina , Croatia etc . 0 +The resolution was signed by almost all PBS ( Parti Bersatu Sabah ) representatives in Sri Gaya . The resolution has been signed by almost all PBS representatives ( Parti Bersatu Sabah ) in Sri Gaya . 1 +Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 -- 6 , 6 - 3 . Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 defeats Fernando Verdasco defeated 0 +For several years , Rosa taught courses relating both to analytical chemistry and applied domestic chemistry . For several years , Rosa taught courses relating to both domestic chemistry and analytical chemistry . 0 +Simon Skelton won in the final 9-4 , 9-5 against Darren Burnett . Darren Burnett won against Simon Skelton in the last 9-4 , 9-5 . 0 +Penn State has won eight titles , and then both Oklahoma and Iowa State have each won seven championships . The state has won eight titles , and both Oklahoma and Iowa State have won seven championships each . 1 +The tree typically grows to a height of and has rough fibrous bark on the trunk . The tree typically grows to a height and has coarse fibrous bark on the trunk . 1 +"If so , fair territory would probably have been molded like a modern five-sided "" home plate "" ." "If so , fair territory would probably have been shaped like a modern five-sided "" home plate "" ." 1 +The Millersburg Area School District is required to pay the charter school and cyber charter school teaching for residents who attend these public schools . The Millersburg Area School District is required to pay the charter school and public charter school tuition for residents who attend these cyber schools . 0 +"In summer 2007 she performed with the "" Shavnabada Ensemble "" at the Folk Festival in Turkey in Inegol ." "In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at Inegol 's folk festival in Turkey ." 0 +Harvey had been the last to speak to Oates . Oates had been the last to speak to Harvey . 0 +He was likely the son of the painter Girolamo Danti , also from Pesaro , who had married the sister of the painter Giovanni Antonio Pandolfi . Probably he was the son of the painter Girolamo Danti , also from Pesaro who had married the sister of the painter Giovanni Antonio Pandolfi . 1 +Born on November 1 , 1986 , Ashley is a contemporary dancer from Arizona , who was originally raised in Los Angeles . Ashley was born on November 1 , 1986 and is a contemporary dancer from Arizona , who originally grew up in Los Angeles . 1 +Fillon blamed the social unrest in 2017 in French - Guiana on the policies of President Hollande , which , he said , had failed . Fillon blamed the 2017 social unrest in French Guiana on President Hollande 's policies , which he said had failed . 1 +"According to Pier Jaarsma in 2011 , neurodiversity is a "" controversial concept "" that "" regards atypical neurological development as a normal human difference "" ." "According to Pier Jaarsma in 2011 , neurodiversity is a "" controversial concept "" that considers "" atypical neurological development as a normal human difference "" ." 1 +Or should they continue to be used int , and instead dereferenced that version ? Or should they be used further to int and that version dereferenced instead ? 1 +They finished the season 10 -- 2 total and 7 -- 0 play in OVC to win the conference championship . They finished the season 10 -- 2 OVC and 7 -- 0 in total to win the conference championship . 0 +Because of the death of Prime Minister David Thompson , the son-in-law Stuart Stuart was sworn in in 2010 . David Thompson was sworn in , in 2010 because of the death of the Prime Minister Freundel Stuart . 0 +The wingspan flies . The moth is from July to August depending on the location . The wingspan flies , the moth comes depending on the location from July to August . 1 +Herochroma perspicillata is a kind of moth of the family Geometridae It is found in China ( Yunnan ) . Herochroma perspicillata is a species of moth of the family Geometridae . It is found in Yunnan ( China ) . 1 +He received his chance by Brighton Manager Dan Kirkwood and soon established himself in the Brighton attack alongside Charlie Webb . He was given his chance by Brighton manager Charlie Webb and soon established himself in the Brighton attack alongside Dan Kirkwood . 0 +Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Enrique Ponce , is a famous Spanish bullfighter . Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Enrique Ponce , a famous Spanish bullfighter . 1 +To find out the last two letters the group had two portraits of a hermit and although they appeared identical , they found several differences . To find out the last two letters , the group found two portraits of a hermit , and although they looked identical , they had some differences . 0 +Hickman County is part of the Metropolitan Statistical Area Nashville - Davidson - Murfreesboro - Franklin , TN . Murfreesboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . 0 +John M. Work was born January 3 , 1869 , in rural Iowa in Southeastern Washington County , the son of John H. Work , a farmer . John M. Work was born on 3 January 1869 in rural Iowa in southeastern Washington County , son of John H. Work , a farmer . 1 +The system moved west and passed north of Guam near Saipan on October 16 at around 0600 UTC . The system moved on October 16 at 0600 UTC west and happened north of Guam near Saipan . 1 +The process waste water remains hazardous waste Saltcrete is a mixed radioactive waste . The process waste water remains hazardous waste Saltcrete is radioactive waste . 1 +In 1791 Edward Fitzgerald returned to Dublin , where he died . In 1796 he painted Lord Hamilton , the Irish revolutionary . In 1791 , Edward Fitzgerald returned to Dublin , where he died , and in 1796 he painted the Irish revolutionary Lord Hamilton . 1 +The Kettleby Public School serves the community for children of high school age . King City Secondary School is the closest elementary school to the municipality . The Kettleby Public School serves the community for children of high school age , the King City Secondary School is the nearest elementary school . 1 +In San Francisco , Hicks led Dan Hicks and the Hot Licks from 1968 to 1973 , a band that never used electric instruments and rare drums . In San Francisco , Hicks listed Dan Hicks and the hot licks from 1968 to 1973 , a band that rarely used electric instruments and never drums . 0 +The film was written by P. Madhan and co-produced and produced by AR Murugadoss under the banner of Escape Artists Motion Pictures . The film was written by AR Murugadoss and co-produced and produced by P. Madhan under the banner of Escape Artists Motion Pictures . 0 +"The word nanosecond is formed by the prefix "" nano "" and the basic one is second a second unit of time or a sixtieth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the base is a second second time unit or a sixtieth of a second ." 1 +2011-DGSE Bullion Express concept is introduced , new store opened in Dallas , Texas in Preston Center . Bullion Express - concept is being introduced new store in Dallas , Texas in Preston Center opened . 1 +The Stejaru or Zlatcu River is a left tributary of the river Vedea in Romania and flows near Vedea into the Tecuci River . The Stejaru or Zlatcu River is a left tributary of the river Vedea in Romania . It discharges into the Tecuci River near Vedea . 1 +On 19 January 2009 , it was revealed that Henderson would return to the club to replace Dave Hill as manager . On January 19 , 2009 , it was announced that Dave Hill would return to the club to replace Henderson as manager . 0 +In the program for spiritual empowerment of junior youth , various topics are discussed in the youth groups . In the program for the junior authorization of spiritual youth , various topics are discussed in the youth groups . 0 +Ken Royce ( 1920 -- 1997 ) was an English thriller writer who also wrote under the name of Kenneth Royce Gandley and the pseudonym Oliver Jacks . Kenneth Royce Gandley ( 1920 -- 1997 ) was an English thriller writer who also wrote under name Ken Royce , and the pseudonym Oliver Jacks . 0 +In 1958 , the company got a production structure in Frederikssund and later in Houston , USA . The company got a production structure in Houston , United States in 1958 and later in Frederikssund . 0 +( Original description ) The lanceolate long and slender shell has a solid shape . ( Original Description ) The slender , long and solid shell has a lancestic shape . 0 +There is a Orang Asli Museum in Melaka and also in Gombak , about 25 km north of Kuala Lumpur . There is an Orang Asli museum in Gombak , and also in Melaka , about 25 km north of Kuala Lumpur . 0 +"In "" Duel of the Double Crossers ! "" , Batman uses a simulation of Despero to train the Outsiders ." "In "" Duel the Double Cruisers ! "" Batman uses a simulation of Despero to train the outsiders ." 1 +One of them , Shane Ross , said that Fianna Fáil - leader Micheál Martin had contacted her the previous day and that she would meet the following week . One of these , Shane Ross , said Fianna Fáil leader Micheál Martin had contacted them the previous day and that they would meet the following week . 1 +Ashe was voiced by Kari Wahlgren in English and by Mie Sonozaki in Japanese . Ashe was spoken in English by Mie Sonozaki and by Kari Wahlgren in Japanese . 0 +Andrew Reid , then handed over to Dr. Knapman , Coroner for Inner North London , as the Incident Coroner . Then Andrew Reid was handed over to Dr. Knapman , Coroner for Inner North London , as an incident coroner . 1 +Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete from Maringá . Natália Falavigna da Silva ( born 9 May 1984 in Brazil ) is a taekwondo athlete from Maringá . 1 +The hospital had been built in 1852 for 200 patients ... Arthur ( Spencer ) and I were the only consultants , and two assistant doctors completed the staff . The hospital was built in 1852 for 200 patients ... , Spencer ( Arthur ) and I were the only consultants , and two assistant doctors completed the staff . 1 +Itami-go was a part of Arioka Castle , which was ruled by Araki Murashige under Oda Nobunaga . Itami-go was a part of Castle Arioka which Araki Murashige ruled under Oda Nobunaga . 1 +Much of the film was shot in New Brunswick , Gladstone , New Jersey , and the Palisades Park , the home of the producer . Much of the film was shot in Gladstone , New Jersey , New Brunswick , and Palisades Park , the home of the producer . 1 +However , the church we see today was consecrated in 1640 , designed by Agostino Avanzo , and replaced in 1655 . However , the church that we see today was replaced in 1640 , designed by Agostino Avanzo , and consecrated in 1655 . 0 +The reserve is located in the central - Alberta , near Wetaskiwin and south of Maskwacis . The reserve is located in Central Alberta , near Wetaskiwin and south of Maskwacis . 1 +HomeAdvisor currently employs a Chief Economist , Dan DiClerico and Smart Home Strategist and Home Expert , Brad Hunter . Currently HomeAdvisor employs a Chief Economist , Dan DiClerico , and a Smart Home Strategist and Home Expert , Brad Hunter . 1 +The following schools are located in Papakura ( schools at Rosehill , Takanini and Opaheke are excluded ) : The following schools are located at Takanini ( schools in Rosehill , Papakura and Opaheke are excluded ) : 0 +Antrim County is a civil community of the Helena Township in the U.S. state of Michigan . Helena Township is a civil township of Antrim County in the U.S. state of Michigan . 0 +The center of the Western Hemisphere is located in the Pacific Ocean at the intersection of the 90th meridian west and the Equator very close to the Galápagos Islands . The center of the western hemisphere is located in the Pacific Ocean at the intersection of the 90th Meridian - West and the Equator very close to the Galapagos Islands . 1 +"Phon Sai is a district ( "" amphoe "" ) in the northeastern part of Roi Et Province , Southeastern Thailand ." "Phon Sai is a district ( "" Amphoe "" ) in the northeastern part of the province of Roi Et in southeastern Thailand ." 1 +At first , he worked in public relations for the American Jewish Committee in New York and until his retirement for the Combined Jewish Philanthropies of Boston . First , he worked in public relations for the American Jewish Committee in New York , and until his retirement for the Combined Jewish Philanthropies of Boston . 1 +"Maloney said that Agnew often told her during childhood that he had "" won the war . """ Maloney said that Agnew often told her during childhood that he won the war . 1 +It has developed an open and thoroughly evaluated ecosystem with an evaluated execution environment ( TEE ) with accredited laboratories and trustworthy products . It has developed an open and thoroughly evaluated trusted execution environment ( TEE ) ecosystem with accredited laboratories and evaluated products . 0 +The music was written by K. Raghavan and texts by Swathi Thirunal and Edasseri composed . The music was written by K. Raghavan and lyrics was composed by Swathi Thirunal and Edasseri . 1 +There is no railway station and airport in Kadipur , which you can reach from Sultanpur by bus . There is no railway station and airport in Sultanpur , which you can reach from Kadipur by bus . 0 +A section of the line remains in place , and is currently known as the Phoenixville Industrial track ( also owned by NS ) . A section of the route remains in place and is also known as the Phoenixville Industrial Track ( currently owned by NS ) . 0 +Wang Wang wept , but still sent Yuan to Yang Tong , who had executed Yuan . Wang wept , but still sent Yuan to Yang Tong , who executed Yuan . 1 +"The hyperbolic case is similar , with the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic plane given by" "The hyperbolic case is similar , with the area of a disk of hyperbolic radius "" R "" in the ( intrinsic curvature formula _ 83 ) constant plane given by" 0 +Cameron changed his mind when Horner presented him with the song . Cameron changed his mind when Horner presented the song to him . 1 +The National Football League was founded in 1922 in Canton and eventually became the American Professional Football Association . The National Football League was founded in Canton in 1922 , eventually becoming the American Professional Football Association . 1 +On April 30 , 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base in Nevada to his honor . On 30 April 1950 , the Nellis Air Force Base was renamed to Las Vegas Air Force Base in Nevada . 0 +Cashel is a village in County Galway , Connacht province of Ireland . Cashel is a village in the province of Connacht , County Galway , Ireland . 0 +"The music video for "" Desire "" was edited by Claudia Wass and staged by Andy Morahan ." "The music video for "" Desire "" was directed by Andy Morahan and edited by Claudia Wass ." 1 +Würdemann 's most successful patrol ( his second ) led him into the Gulf of Mexico in May 1942 , where he sunk nine ships and damaged three ships . Würdemann 's most successful patrol ( his second ) took him into the Gulf of Mexico in May 1942 , where he damaged nine ships and sank three . 0 +The MR73 was a comparable problem with France 's gendarmerie and some police units , including special weapons and tactics - teams ( RAID , GIGN , and standard units ) . The MR73 was comparable issue with France 's Gendarmerie and in some police units including Special Weapons and Tactics teams ( RAID , GIGN and standard units ) . 1 +Sharifah Aini was born on 2 July 1953 at Hospital Sultanah Aminah , Johor Bahru , Johor , and grew up in the Kampung Melayu Majidee , Johor Bahru . Sharifah Aini was born on 2 July 1953 in Johor Bahru , Campung Melayu Majidee , and grew up in the Sultanah Aminah Hospital , Johor Bahru , Johor . 0 +Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in the House of Representatives of Texas since January 2013 . Republican Drew Springer , Jr. , a businessman from Muenster in Cooke County , has since January 2013 represented Young County in the Texas House of Representatives . 0 +Additionally , a left-handed team played against Marylebone Cricket Club ( MCC ) in two other games . Additionally , a left-handed team played in two other games against MCC ( Marylebone Cricket Club ) . 1 +The show , previously held in the city of Christchurch , moved to Auckland in 2008 to Hagley Park . Previously held in the city of Auckland , the show moved to Christchurch at Hagley Park in 2008 . 0 +The joint management of the memorial by the National Park Service and the United States Navy was founded on 9 September 1980 . The joint management of the memorial by the United States Navy and the National Park Service was founded on 9 September 1980 . 1 +"This name change meant that the NSRL would be "" placed under "" the Nazi Party ." "This change of name meant that the NSRL would be placed under the Nazi party "" ." 1 +She is portrayed by Katherine McNamara in the film of the book and Lily Collins in the television series . She is portrayed by Katherine McNamara in the film adaptation of the book and Lily Collins in the television series . 1 +Fritz Fritz Heider wrote that people tend to regard behavior in one of two ways : the cause of situational factors or dispositional factors . Fritz Heider wrote that people tend to view behavior in one of two ways ; the cause of dispositional factors or of situational factors . 1 +Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , the president of Micex , son of the famous Soviet economist Ruben Aganbegyan . Abel Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Ruben Aganbegyan . 1 +"On this penultimate New 52 Earth is Mars - Manhunter a member of Superman 's repressive authoritarian global tyrants of the Justice League , the "" Justice Lords "" ." "On this penultimate New 52 alternate Earth , the Martian Manhunter is a member of Superman 's repressive authoritarian Justice League global tyrants , the "" Justice Lords "" ." 1 +Sasol , in Sasolburg , operates commercial gasification plants in Secunda , Mpumalanga and in South Africa . Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg in South Africa . 0 +Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo from Brazil . Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete of Maringá . 0 +Wallace also died on campaign two years after Edward 's execution , not in bed at his home . Also , Edward died on campaign two years after Wallace 's execution , not in bed at his home . 0 +In historical times there were Cherokee and Creek villages in the Tennessee Valley west of Sand Mountain and in the Wills Valley in the east . In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Sand Mountain , and in Wills Valley to the east . 1 +Another two goals helped Blyth eliminate North Ferriby United from the FA Trophy , and in the next round he won again against Moor Green . Another two goals helped Blyth eliminate Moor Green from the FA Trophy , and he scored again against North Ferriby United in the next round . 0 +Twenty dated Jacobite metropolitans of Melitene between the ninth and the twelfth centuries are mentioned in the lists of Michael the Syrian . Twenty dated Jacobite metropolitans of Melitene between the twelfth and ninth centuries are mentioned in the lists of Michael the Syrian . 1 +Phase correlation is an approach to estimate the relative translative offset between two similar images ( digital image correlation ) or other data sets . Phase correlation is an approach to estimating the relative translational offset between two similar images ( digital image correlation ) or other data sets . 1 +Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player in the ANZ Championship , playing for the Melbourne Vixens . Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player in the ANZ Championship and playing for the Melbourne Vixens . 1 +After working for the investigation for four years , Starr resigned to protest against Dash 's appearance before the United States House Committee on the Judiciary . After working for the investigation for four years , Starr resigned to protest Dash 's appearance before the United States House Committee on the Judiciary . 1 +"Such a modified peptide , or "" distorted key "" , will automatically become an inhibitor candidate against HIV protease ." "Such a modified peptide or a "" distorted key "" will automatically become an inhibitor candidate against HIV protease ." 1 +Liuget was moved in the first round as Draft Pick 18th by the San Diego Chargers . Liuget was drafted in the first round as the 18th draft pick by the San Diego Chargers . 1 +Mass internal migration also took place when 2 million Americans migrated to California , 1.2 million of which were settled in Los Angeles . Internal mass migration also took place when 2 million Americans migrated to Los Angeles , of which 1.2 million were resident in California . 0 +After writing for Ace Publications , Pablo moved to Gold Star Publications by Rudy Ner Siongco , where he also wrote several comic stories and serialized novels in 1962 . After writing for Ace Publications , Pablo moved to Rudy Ner Siongco 's Gold Star Publications where he also wrote several komiks stories and serialized novels in 1962 . 1 +For Grenville , his grandson , Edward , was elected to the 11th Parliament of Upper Canada . His grandson , Edward , was elected to the 11th Parliament of Upper Canada for Grenville . 1 +The Final FESPIC Games had 18 venues for the games . 9 in Selangor , 7 in Kuala Lumpur and 1 each in Putrajaya and Negeri Sembilan respectively . The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and each 1 in Putrajaya and Negeri Sembilan . 0 +Mount Cobb is a mountain on Mount Filberg , located east of Gold River and southwest of Vancouver Island , British Columbia , Canada . Mount Cobb is a mountain on Vancouver Island , British Columbia , Canada , located east of Gold River and southwest from Mount Filberg . 0 +Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher who has been active on the contemporary dance scene since 1983 . Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher . Since 1983 she has been active in the Canadian dance scene . 0 +Alton is located on the Mississippi River above the mouth of the Missouri River . Alton is located on the Mississippi River above the estuary of the Missouri River . 1 +The following year were studios and offices for Station 1484 Beech Street in Hornell , just outside Hornellsville . The following year , studios and offices for the station were moved to 1484 Beech Street in Hornellsville , just outside Hornell . 0 +He was commissioned on 14 October 1917 in Fort Des Moines first lieutenant , and weeks later a West Medford born , Madeline Mabray Kountze , married . He was appointed First Lieutenant on October 14 , 1917 in West Medford , and weeks later a Fort Des Moines native , Madeline Mabray Kountze , married . 0 +The following day , he forced out Chiyonofuji to surpass Kyokutenhō and stand alone in first place . The following day , he forced Chiyonofuji to surpass Kyokutenho and stand in first place alone . 1 +In 1749 , Boishebert commissioned Acadian Joseph Godin dit Bellefontaine to lead the acadian militia in the St. John region . In 1749 , Boishebert dit Acadian Joseph Godin assigned Bellefontaine to lead the Acadian militia in the St. John Region . 0 +Beaten Guillermo Vilas defeated Björn Borg , 6 -- 1 , 6 -- 1 , 6 - 3 . Guillermo Vilas defeated Björn Borg , 6 -- 1 , 6 -- 1 , 6 -- 3 . 1 +The current 16th Street Clubhouse was built under the direction of George D. Widener by the architect Horace Trumbauer . The current 16th Street Clubhouse was built under the direction of Horace Trumbauer by the architect George D. Widener . 0 +"J. Carter Brown referred to 15th Street as : "" the missing tooth in the smile of Rhodes Tavern "" ." "Carter Brown referred to Rhodes Tavern as "" the missing tooth in the smile of 15th Street "" ." 0 +The House Democratic Caucus nominates and elects the Democratic Party leadership in the United States House of Representatives . The House Democratic Caucus nominates and elects the Democratic Party leadership in the House of Representatives of the United States . 1 +Born in Hungary ( Békésszentandrás ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt - Academy of Music in Budapest . 1 +The river Calova is a tributary of the River Timiş in Romania . The Calova River is a tributary of the Timiş River in Romania . 1 +The River Milotina is a tributary of the river Vânăta in Romania . The Vânăta River is a tributary of the Milotina River in Romania . 0 +It was released as a vinyl LP in a limited edition of 4,200 copies , and produced on April 21 , 2012 , in conjunction with Record Store Day . It was produced in a limited edition of 4,200 copies as a vinyl - LP and was published on April 21 , 2012 in conjunction with the Record Store Day . 0 +The Banu Harith ( or , ) is one of the Jewish tribes of Arabia that once ruled the city of Najran , which is now in southern Saudi Arabia . The Banu Harith ( or , ) is one of the Jewish tribes of Arabia which once governed the city of Najran , now located in southern Saudi Arabia . 1 +"It is widespread in Europe , but it is never as common as "" L. sponsa "" ." "It is widespread in Europe but is never as common as "" L. sponsa "" ." 1 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogota , and three grandchildren . He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogotá , and three grandchildren . 1 +More recently , the band has combined Extra Life aspects of modern music with the early genre of mathematics rock . More recently , the band Extra Life has combined aspects of modern music with the early genre of math rock . 1 +In 2008 , McCarthy received the Distinguished Service Award from the Lee Remmel Sports Awards Banquet at the Green Bay . In 2008 , Lee Remmel received the Distinguished Service Award from the McCarthy Sports Awards Banquet at Green Bay . 0 +In the early days , many wheelchair basketball players saw participation in individual wheelchair sports as supplementary training for their primary interest in basketball . In the early days , many wheelchair basketball players saw participation in individual wheelchair sports as complementary training for their primary interest in basketball . 1 +Due to the slower crystallisation of PDLA , the biodegradation of PDLA is higher than for PLA . Biodegradation of PDLA is higher than for PLA due to the slower crystallinity of PDLA . 1 +The Arena has hosted concerts by many famous artists , including Whitney Houston , André Rieu , TOTO , Trance Energy and Tina Turner . The Arena has hosted concerts by many famous artists , including Whitney Houston , Tina Turner , TOTO , Trance Energy and André Rieu . 1 +It was expanded from Laura to Wilmington in 1910 and finally to the Booleroo Centre in 1915 . It was extended from Laura in 1910 to Wilmington , and finally to Booleroo Centre in 1915 . 1 +Silverlake Partners sold the company to Goldman Sachs in 2006 for $ 800 million . Goldman Sachs sold the company to Silverlake Partners for US $ 800 million in 2006 . 0 +Freeman played for the Eastern Suburbs club in the 1919 season . Wally is the great-grandfather of former coach Phil Gould . In the 1919 season , he played for the club of the eastern suburbs , Wally is the great-grandfather of former coach Phil Gould . 1 +Lyons did not play in his first AFL season , but showed good characters with South Australian National Football League ( SANFL ) page . Lyons did not play in his first AFL season , but showed good signs with SANFL ( South Australian National Football League ) side . 1 +Lemoa is a town and municipality located in the province of Biscay , in the autonomous community of Basque Country , northern Spain . Lemoa is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , Northern Spain . 0 +Similarly , an agent with real valuation formula _ 26 weakly prefers to declare formula _ 26 than to lie and declare formula _ 24 ; hence : Similarly , with the real evaluation formula 26 , an agent prefers to lie weakly and declare Formula 26 than to declare Formula 24 ; 0 +"Bowerman ( 1944 ) shows the street as "" Livermore Road "" , according to the historian Annie Homan ." "Annie Homan ( 1944 ) shows the street as "" Livermore Road "" , according to the historian Bowerman ." 0 +This district 's 8 Talukas are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . The 8 talukas of this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . 1 +New Zealand has similar restrictions contained in its Unsolicited Electronic Messages Act 2007 . New Zealand has similar restrictions in its 2007 Act on Unsolicited Electronic Messages . 1 +After the postal agency closed , the Sultanate of Muscat and Oman assumed British control from 30 April 1966 . From 30 April 1966 , after the British representation was closed , the Sultanate of Muscat and Oman assumed postal control . 0 +The 1978 Daytona 500 , the second race of the event , was the 20th round of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the second running of the event , was the 20th race of the 1978 NASCAR Winston Cup season . 1 +Henry Beaumont , his niece and heir , married Alice Comyn , a French nobleman in the English service . His niece and heir , Henry Henry Beaumont , married Alice Comyn , a French aristocrat in the English service . 1 +Cold Mountain is located about southeast of Asheville and south of Waynesville . Cold Mountain is about southeast of Waynesville and south of Asheville . 0 +Democrat Rob Robb , the incumbent , ran for a third term , but lost to Republican George Allen . Incumbent Democrat Chuck Robb ran for a third term , but lost to Republican George Allen . 1 +It is clear that , as in Scotland , the playing of extended variation sets at the violin in Northumberland was current at the time . It is clear that , as in Scotland , the playing of current variation sets on the violin in Northumberland was extended at that time . 0 +The climate during this period was a mixture of two different seasons , a rainy season and a shorter dry season . During this time the climate was a mixture of two different seasons , a rainy season and a shorter dry season . 1 +Parsons was born in Derbyshire , and educated at Trent College , Bristol . Parsons was born in Bristol and trained at Trent College , Derbyshire . 0 +She departed on 23 October for Monrovia , Liberia , from where she sailed on 25 October for Takoradi , Gold Coast , which was reached on 28 October . She sailed to Gold Coast on 23 October , from where she left for Takoradi , Monrovia , Liberia on 25 October , which was reached on 28 October . 0 +Lewis MacLeod replaced Paul Leyshon for the series 2 . For series 2 , Lewis MacLeod replaced Paul Leyshon . 1 +He died in his home in Trenton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . He died in his home in Bridgeton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . 0 +Minervén Sport Club , formerly known as Minervén Bolívar Fútbol Club , is a Venezuelan football club . Minervén Sport Club , usually Minervén Bolívar Fútbol Club , formerly known as Minervén , is a Venezuelan football club . 0 +Mirambeau is situated on Via Turonensis , the old pilgrimage route from Santiago de Compostela via Tours to Paris . Mirambeau is situated on the Via Turonensis , the ancient pilgrimage route from Santiago de Compostela to Paris via Tours . 1 +With this money he built a beautiful lake with a similar palace , Hirajheel , on the opposite side of the Bhagirathi River . With this money he built a similar lake with a beautiful palace , Hirajheel , on the other side of the Bhagirathi River . 0 +The youngest , Tyler was born in 1860 , when Pearl was 70 years old , she died in 1947 . Pearl , the youngest , was born in 1860 , when Tyler was 70 years old ; she died in 1947 . 0 +According to Oliver Cowdery , the Aaronic priesthood was restored to him and Smith on May 15 , 1829 , somewhere in the woods near the home . According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the woods near the house . 1 +"In 2010 , Derek Miller published his third album "" Miller with Double Trouble "" ." "In 2010 Miller released his third album "" Derek Miller with Double Trouble "" ." 0 +Büyükorhan is a town and a district of Turkey in the Marmara region of the province of Bursa . Büyükorhan is a town and district of Turkey in the Marmara region of Bursa Province . 1 +If formula _ 102 is differentiable and its domain formula _ 107 is convex , then If Formula 102 is differentiatable and its domain formula 107 is convex , then : 1 +Riggs was born in Atlanta , Georgia , the son of Gina Ann ( née Carlton ) and William Riggs . He has a younger brother , Grayson . Riggs was born in Atlanta , Georgia , the son of William Riggs ( nee Carlton ) and Gina Ann , and has a younger brother , Grayson . 0 +Love on the Line is the name of a Crazy Penis album released in 2008 , produced only in Australia . Love on the Line is the name of a Crazy Penis album , which was released in 2008 and was only produced in Australia . 1 +The band consisted of Anders Hector , Claes Bure , Peter Björk , Peter Forbes , Roger Capello and Chino Mariano . The band comprised Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector and Chino Mariano . 1 +""" Thanks to the Facebook generation , anyone by simply mounting a Selfie can become a Harvey Weinstone or a Kevin Spacey "" , he added ." """ Thanks to the Facebook generation , anyone by simply attaching a Selfie , everyone can become Kevin Spacey or a Harvey Winestone "" , he added ." 1 +The Gila Mountains is a mountain range in southwest Arizona east of Yuma , Arizona , northeast of the Muggins Mountains , and east of the Laguna Mountains . The Muggins Mountains is a mountain range in the southwest of Arizona east of Yuma , Arizona , northeast of Gila Mountains and east of the Laguna Mountains . 0 +Kavminvodyavia ( KMV Avia ) was an airline based in Mineralnye Vody in the Caucasus , Russia . Kavminvodyavia ( KMV Avia ) was an airline in Mineralnye Vody in the Caucasus , Russia . 1 +Free Ride is an album by trumpeter Dizzy Gillespie which was composed , arranged and conducted by Lalo Schifrin , recorded in 1977 and released on the Pablo label . Free Ride is an album by Trumpeter Dizzy Gillespie composed , arranged and conducted by Lalo Schifrin , which was recorded in 1977 and published on the label Pablo . 1 +A third album , once again on Dragonfly , was released in 2003 . A third album , then on Dragonfly , was again released in 2003 . 0 +Cerljen was also the international delegate from Sweden at the first final since 2006 , when Josephine Alhanko placed in the Top 20 . At the first final since 2006 , Cerljen was also an international delegate from Sweden when Josephine Alhanko placed himself in the Top 20 . 1 +Martin ( Sebastián ) is a 16-year-old young student who is attracted to his coach , Javier De Pietro . Martin ( Sebastián ) is a 16-year-old young student who is attracted by his coach Javier De Pietro . 1 +"Lars Rosing is playing the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" , Lars Rosing lives near Montreal in Canada ." "Lars Rosing plays the protagonist Lars Rosing in Greenland 's first international feature film "" Nuummioq "" , Malik lives close to Montreal , Canada ." 0 +"Smith has published two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "As Smith Sounds , Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 0 +Diseases associated with this genus include : DCV : increased reproduction potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . Diseases associated with this species include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . 0 +D. The intellectual and moral life of Catholic students through religious education , cultural activities and social participation to promote and develop . D. To foster and develop the intellectual and moral life of Catholic students through religious education , social activity and cultural participation . 0 +D. M. Thomas , known as Donald Michael Thomas ( born 27 January 1935 ) , is a British novelist , poet , playwright and translator . Donald Michael Thomas , known as D. M. Thomas ( born January 27 , 1935 ) , is a British writer , poet , playwright , and translator . 1 +Harry Steger worked as a journalist both in England and in America . Harry Harry Steger worked as a journalist in both America and England . 1 +Chinese family planning policy allows minorities , including Muslims , to have up to two children in urban areas , and three to four children in rural areas . China ’ s family planning policy allows minorities , including Muslims , to have up to two children in rural areas and three to four children in urban areas . 0 +To the north , the region of Virginia continues into central Maryland and southeastern Pennsylvania . To the north , the region continues from Virginia into central Maryland and southeastern Pennsylvania . 1 +The Oltu region ( administered briefly by Georgia in 1920 ) was also claimed by Armenia . The Oltu region ( also claimed by Georgia in 1920 ) was administered by Armenia briefly . 0 +On the album charts the album reached number 1 in Sweden and in Norway number 16 . On the album charts the album reached number 1 in Norway and number 16 in Sweden . 0 +"The title and lyrics refer to the renaissance portrait "" Mona Lisa "" painted by Leonardo da Vinci ." "The title and text refer to the portrait of Renaissance painted by Leonardo da Vinci "" Mona Lisa "" ." 1 +It is south of the regional airport of Evansville and east of the Sunset Memorial Gardens graveyard . It is south of the Evansville Regional Airport and east of the Sunset Memorial Gardens cemetery . 1 +In the meantime Nick is confronted by his former crew : Mikka , Vector , Sib and Pup . In the meantime , Mikka was confronted by his former crew : Nick , Vector , Sib , and Pup . 0 +He was born in Gollnow , Brandenburg , and died in Dahme , Pomerania . He was born in Gollnow , Pomerania , and died in the Brandenburg Dahme . 0 +When comparable flow rates can be maintained , the results are high . When comparable rates of flow can be maintained , the results are high . 1 +During the Vietnam War , the 104th field battery also served the 12th field regiment -- which was also connected to the 161th field battery RNZA . During the Vietnam War , the 12th Field Battery also served with the 104th Field Regiment -- to which the 161st Field Battery RNZA was also attached . 0 +"On October 31 , 1846 , Duke of Roxburgh "" again sailed from Port Phillip and reached Gravesend on March 7 , 1847 ." """ Duke of Roxburgh "" sailed again from Port Phillip on 31 October 1846 and arrived at Gravesend on 7 March 1847 ." 1 +Suman Chatterjee recorded several albums under the name of Suman Chattopaddhyay or Kabir Suman between 1992 and 1999 . Kabir Suman , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Suman Chatterjee . 0 +The RFPs also tend to be dominated by turbulent phenomena and other non-ideal effects . RFPs also tend to be dominated by non-ideal phenomena and turbulent effects . 0 +He married Elizabeth ( 1770 -- 1845 ) , the youngest daughter of Peter Dobree of Beauregarde , Guernsey . He married Peter Dobree ( 1770 - 1845 ) , youngest daughter of Elizabeth of Beauregarde , Guernsey . 0 +Lucy made her first appearance as Palmer on 25 August 2014 . On August 25 , 2014 , Palmer had her first appearance as Lucy . 0 +We hear the laughter , we see the faces , we see the music . We hear laughter , we see the faces , we see the music . 1 +Colonel Kenji Doihara , Lieutenant Colonel Kanji Ishiwara , Colonel Takayoshi Tanaka and Major Seishirō Itagaki had completed plans for the incident by 31 May 1931 . Until May 31 , 1931 , Colonel Seishiro Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident . 0 +Newark returned to the NAFBL , but withdrew at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark withdrew to NAFBL , but returned at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . 0 +In April 2011 , Aa left Akari Saho . Aa Akari Saho left in April 2011 . 0 +It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . 1 +From 1999 to 2002 she attended the Scott Middle School and from 2002 to 2005 the Lincoln Southwest High School . She attended Scott Middle School from 1999 to 2002 and attended Lincoln Southwest High School from 2002 to 2005 . 1 +Note that k is a vector consisting of three real numbers with dimensions of inverse length , while pis a vector of operators ; to be explicit , Note that k is a vector consisting of three real numbers with dimensions of inverse length , while pis is a vector of operators ; 1 +The main ferry ran to 42nd Street and for short time was a component of the transcontinental Lincoln Highway . The transcontinental ferry ran to 42nd Street and was for a short time a part of the main Lincoln Highway . 0 +"Christ himself confirms this opinion by answering : "" Elias will truly come first and restore all things ." "Elias himself confirms this opinion by answering , "" Christ first shall truly come , and restore all things . """ 0 +Hans Jürgen Kallmann was painted by Konrad Adenauer in 1963 . 1963 Hans Jürgen Kallmann was painted by Konrad Adenauer . 1 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was established in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines on Zanzibar . 0 +Due to high prices and volatile capital costs , few deposits without subsidies can be economically exploited . Due to volatile prices and high capital costs , few subsidies can be exploited economically without subsidies . 0 +The Cooke and Wheatstone Telegraph was an early electric telegraph system dating from the 1830s , invented by English inventor William Fothergill Cooke and English scientist Charles Wheatstone . The Cooke and Wheatstone telegraph was an early electrical telegraph system dating from the 1830s invented by English inventor William Fothergill Cooke and English scientist Charles Wheatstone . 1 +""" White Teeth Teens "" was also shown on the show , but was only performed online ." """ White Teeth Teens "" was also performed in the show , but was shown online only ." 0 +Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Ghana , and currently Ghana 's Ambassador to Burkina Faso . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana . He is currently Ghana 's ambassador to Burkina Faso . 1 +After a brief stay in New York City with his cousin , he moved to New Orleans . After a brief stay in New Orleans with his reported cousin , he moved to New York City . 0 +Pittinger 's group consisted only of 800 SA - men , while Hitler was present with 30,000 men . Hitler 's group consisted only of 800 SA - men , while Pittinger was present with 30,000 troops . 0 +"In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain at ABC - Soap "" One Life to Live "" ." "Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in the ABC - Soap "" One Life to Live "" 2007 ." 0 +Carter has two younger brothers : Trevor , who is also a perspective in the Nationals organization , and Spencer , who is playing baseball at the University of Georgia . Spencer has two younger brothers : Carter , who is also a prospect in the Nationals organization , and Trevor , who plays baseball at the University of Georgia . 0 +Stubbs Pass is a north-south pass through the centre of the Joerg peninsula on the east side of the Graham Land . Stubbs Pass is a north-south pass through the middle of Graham Land , on the east side of Joerg Peninsula . 0 +Instead , some theorists think that a state similar to the new hegemon in culture and preferences will take on old hegemon status . Instead , some theorists think , a state similar in culture and preferences to the old hegemon will assume new hegemon status . 0 +Radu Albot won the title by defeating Jason Kubler 6 -- 4 , 6 -- 1 in the final . Radu Albot won the title by defeating Jason Kubler in the finals with 6 -- 4 , 6 -- 1 . 1 +The fact that an array of gases is observed , however , only allows the measurement of averaged sizes . However the fact that an array of gases is averaged only allows the measurement of observed quantities . 0 +Equinox Mountain is a town in northern Bennington County , Vermont , with its village center on the east side of Manchester . Manchester is a city in northern Bennington County , Vermont , with its village center on the east side of the Equinox Mountain . 0 +The property of Kelly was sold , and Wallace lived in retirement at the Seafield Cottage , Greenock . The estate of Wallace was sold , and Kelly lived in retirement at Seafield Cottage , Greenock . 0 +Before Pang Tong arrived , Zhang ordered Fei , who knew that Zhang Fei loved wine , that the wine should be diluted with water . Before Pang Tong arrived , Zhang Fei , who knew that Zhang Fei loved wine , ordered that all wine must be diluted with water . 1 +He graduated in 1976 from Kansas Newman College and in 1979 from the Washburn Law School . He graduated from Kansas Newman College in 1976 and from Washburn Law School in 1979 . 1 +Robert Maass was born in East Orange , New Jersey , to Hedwig and Clara Maass , German immigrants . Clara Maass was born in East Orange , New Jersey , to the German immigrants Hedwig and Robert Maass . 0 +Bobby finds himself left alone with Hank when Peggy decides to spend an evening with the other women of the neighborhood . Bobby finds himself left alone when Peggy decides to spend an evening with the other women of the neighborhood . 1 +The high ground was Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . The high ground was Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from Los Angeles , California to St. Augustine , Florida . 0 +Irvine Park in Orange , Orange County is a park that became the first regional park in California in 1897 . Irvine Park in Orange , California is a park that became Orange County 's first regional park in 1897 . 0 +"Françoise Morhange ( 1915 -- 1984 ) was a French actress . In 1980 , she starred in "" Le Voyage en douce "" under director Michel Deville ." "Michel Deville ( 1915 -- 1984 ) was a French actress who performed in 1980 under director Françoise Morhange in "" Le Voyage en douce "" ." 0 +In 1968 , Charles Manson learned about the Myers Ranch from Catherine Gillies , the granddaughter of Barbara Myers . In 1968 , Catherine Gillies , the granddaughter of Barbara Myers , learned of Charles Manson about Myers Ranch . 1 +Seaside Heights is situated on the Barnegat Peninsula , a long , narrow barrier peninsula that separates Barnegat Bay from the Atlantic Ocean . Seaside Heights is located on the Atlantic Ocean , a long , narrow barrier peninsula that separates Barnegat Bay from the Barnegat Peninsula . 0 +Mount Cline is a mountain in the western part of Alberta , Canada , north of Saskatchewan Crossing , southwest of Nordegg . Mount Cline is a mountain in the western Nordegg , north of Saskatchewan Crossing , southwest of Alberta , Canada . 0 +The manuscript was bought by Edward Everett of Constantinople to America in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought in 1819 by Edward Everett from Constantinople to America , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 1 +Brewster knows Brewster , who was a friend of Peter 's father . Peter knows Brewster , who was a friend of Pete 's father . 0 +In the opera Tamino must win tests imposed by Sarastro , Pamina 's father , if he is to survive them . In the opera , Tamino must win tests imposed by Sarastro , Pamina 's father , if he is to survive her . 1 +The 21st Governor - General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth - Parliament of Australia are among the tenants . Among the tenants are the 21st Governor-General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth Parliament of Australia . 1 +Many of the cultures of the axial age were seen as second-generation societies because they were built on the societies that preceded them . Many of the cultures of the second age were considered axial-generation societies because they were built on the societies that preceded them . 0 +""" Opson "" is therefore Banchan in Japanese and Okazu in Korean cuisine equivalent ." """ Opson "" is therefore equivalent to Banchan in Japanese cuisine and Okazu in Korean cuisine ." 1 +It was believed that popular philosophy could be separated from true wisdom by this method . It was believed that true philosophy could be separated from popular wisdom by this method . 0 +Ambeshetgaon is a village in the Talasari district of Maharashtra , India . It is located in Palghar Taluka . Ambeshetgaon is a village in the Palghar district of Maharashtra , India . It is located in Talasari Taluka . 0 +It took place at the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain , from April 23 through April 29 , 2010 . It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain . 1 +That was composed by Tears for Fears and arainged by Gary Jules and featured the vocals of Michael Andrews . This was composed by Tears for Fears and by Gary Jules arainged and the vocals of Michael Andrews . 1 +In Natchez , Ingraham married Mary Brooks , a cousin of Phillips Brooks . Ingraham married Mary Brooks in Natchez , a cusine of Phillips Brooks . 0 +"Vancouver also had 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Toronto had 7.9 , Montreal had 11.2 and Sarnia had 12.7. """ Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Toronto had 7.9 , Montreal had 11.2 and Sarnia had 12.7 had . 1 +Prenatal hormones , particularly glucocorticoids such as cortisol , are indispensable for the development of the adrenal organs , especially for the maturation of the lungs . Adrenal hormones , particularly glucocorticoids like cortisol , are essential for the prenatal development of organs , especially for the maturation of the lungs . 0 +The music was composed by K. Raghavan and lyrics was written by Swathi Thirunal and Edasseri . Music was composed by K. Raghavan and the text was written by Swathi Thirunal and Edasseri . 1 +"It was originally published and described by Alphonse Pyrame de Candolle in 1844 and placed in its own section , "" Stylotheca "" ." "It was originally placed and published by Alphonse Pyrame de Candolle in 1844 and was described in its own section , "" Stylotheca "" ." 0 +To the east , unlike the western settlement , no carefully observed floors were executed . In the east , unlike the western settlement , no carefully constructed floors were observed . 0 +Chinese cuisine is based on local cuisine , particularly from the provinces of Fujian , Guangdong and Yunnan , with Burmese - Chinese influences . Chinese cuisine is based on local cuisine , particularly from Fujian , Guangdong and Yunnan provinces , with Burmese Chinese influences . 1 +"In Europe , "" Pueraria montana "" grows in warm places in several regions of Switzerland and Italy near Lake Maggiore and Lake Lugano ." """ Pueraria montana "" grows in Europe in warm regions of Switzerland and Italy near Lake Maggiore and Lake Lugano ." 0 +It is followed by a path from Hub Industrial Area to North Karachi and from Nazimabad and Orangi Town . It is a pathway from Hub Industrial Area to Orangi Town and followed by Nazimabad and North Karachi . 0 +The Ceapa is a tributary of the Titimoiu River in Romania . The River Titimoiu is a tributary of the Ceapa River in Romania . 0 +The cylindrical spur is curved upwards and white , longer than the ovary . The cylindrical spur is white and curved upward , longer than the ovary . 1 +STG officers directly support specialist tactical police in incidents , such as sieges , with operational , negotiation , intelligence and command support services . STG officers support tactical police in incidents such as sieges , directly with operational , negotiating , intelligence and command support services . 1 +The homeless football club was also moved to come under the umbrella of Middlesbrough and Teesside Sports Foundation , which then fell within the charity 's remit . The homeless - Football - Club was also under the umbrella of Middlesbrough and Teesside Sports Foundation , which then fell within the charity 's remit . 1 +It is 192 miles south of Lahore and about 120 km east of Bahwalpur . It is 192 miles east of Lahore and about 120 miles south of Bahwalpur . 0 +For the NdFeB magnet we can calculate the magnetomotive force ( MMF ) , the reluctance formula _ 4 and the magnetic flow over that magnet in the same way : For the NdFeB magnet we can calculate the magnetic force ( MMF ) , the reluctance formula 4 and the magnetomotor flow over this magnet in the same way : 0 +The biomass of brook trout was 48.30 kilograms per hectare , including 23.49 kilograms per hectare of brown trout and 24.81 kilograms per hectare of wild trout . The biomass of brown trout was 48.30 kilograms per hectare , which included 23.49 kilograms per hectare of brook trout and 24.81 kilograms per hectare of wild trout . 1 +However , it was a spiritual , and not a legal ceremony . However , it was a legal ceremony and not a spiritual one . 0 +Layla was born in London as a daughter of a Brazilian mother and an Irish and Scottish father of the English ancestors . Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English ancentry . 1 +Aleksey Pavlovich Chapygin ( ; -21 October 1937 ) was a Russian writer , and one of the founders of the Soviet historical novel . Aleksey Pavlovich Chapygin ( October 21 , 1937 ) , was a Soviet historical writer and one of the founders of the Russian novel . 0 +The biquaternions of William Rowan Hamilton ( 1844 ) and the related split-biquaternions and dual quaternions do not form biquaternion algebras in this sense . In this sense , the biquaternions of William Rowan Hamilton ( 1844 ) and the dual Split - biquaternions and related quaternions do not form biquaternion - algebras . 0 +It is endemic to Hawaii , where it is only known from the northern Koolau Mountains of Oahu . It is endemic to Oahu , where it is only known by the northern Koolau Mountains of Hawaii . 0 +The northern border of this municipality is also the southern border of the Lahemaa National Park . The northern border of the municipality is also the southern border of Lahemaa National Park . 1 +Alice Josephine McLellan was born in Marietta , Georgia , as the daughter of Leander and Harriet Tatem McLellan . Alice Josephine McLellan was born in Marietta , Georgia , the daughter of Leander and Harriet Tatem McLellan . 1 +North Williamstown Station is located on the Williamstown line in Victoria , Australia . Williamstown railway station is located on the North Williamstown line in Victoria , Australia . 0 +Andrée Island is an island lying in Recess Cove , Charlotte Bay , off the north coast of Eurydice Peninsula , Danco Coast on the Antarctic Peninsula . Andrée Island is an island in Recess Cove , Charlotte Bay , off the north coast of the Eurydike Peninsula , Danco Coast on the Antarctic Peninsula . 1 +Thus , the MNDF - marine soldiers undergo an annual cycle of amphibious infantry - oriented training , which is generally of rigorous nature . Thus , the MNDF marines undergo an annual cycle of amphibious infantry oriented training which is generally of rigorous nature . 1 +Great Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo of Spain . Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop who was Francisco Javier Mier Campillo of Spain from 1814 to 1818 . 1 +While Rosenkranz was waiting in Ecuador for a ship to Havana , Cuba , the Japanese attacked Pearl Harbor . While rosary in Havana in Cuba was waiting for a ship to Ecuador , the Japanese attacked Pearl Harbor . 0 +Pearland ISD serves most of the city of Silverlake , the city of Pearland , and unincorporated areas in Brazoria County ( including Brookside Village ) . Pearland ISD serves most of the city of Silverlake , the city of Pearland and unregistered territories in Brazoria County ( including Brookside Village ) . 1 +Cardinal Mazarin married Anne Marie Martinozzi , daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the eldest sister of Armand , and had the following children : Armand married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , elder sister of Cardinal Mazarin . They had the following children : 0 +In TV archives only six episodes survive , one from the third and fourth series , two each from the first and one from the last series . Only six episodes survive in television archives , one from the first series , two each from the third and fourth , and one from the final series . 0 +During the era between 1836 and 1846 , when California was a province of independent Mexico , the following 13 ranchos were granted in Napa County : During the period between 1836 and 1846 , when Mexico was a province of independent Napa County , the following 13 ranchos were given in California : 0 +It arrived in Australia in August 2006 and debuted in New Zealand in early 2007 . In August 2006 she debuted in Australia and arrived in New Zealand in early 2007 . 0 +Corendon Airlines is a Turkish leisure airline based in Antalya and is located at Antalya Airport . Corendon Airlines is a Turkish leisure airline headquartered in Antalya and based at Antalya Airport . 0 +The Arlington County Washington Boulevard replaced the line between Bluemont Junction Trail and Bluemont Junction . Arlington County 's Bluemont Junction Trail replaced the line between Washington Boulevard and Bluemont Junction . 0 +In May 1955 a new Balkan Express was launched from Vienna via Graz and Belgrade ( avoiding Bulgaria ) to Athens and Istanbul . In May 1955 , a new Balkan Express was launched from Vienna via Graz and Belgrade ( without Bulgaria ) to Athens and Istanbul . 1 +The 1907 -- 08 Istanbul Football League season was the first season of the league . Moda FC won the league for the fourth time . The Istanbul Football League season 1907 -- 08 was the fourth season of the League , Moda FC won for the first time the league . 0 +In October 2017 , the Outwood Grange Academies school entered trust and became Outwood Academy Redcar . In October 2017 , the Outwood Grange Academies school became trust and joined the Outwood Academy Redcar . 0 +A Bollywood - remake of the film was made in 2005 with Irrfan Khan and Ilene Hamann , directed by Himanshu Brahmbhatt , named Rog . A Bollywood - remake of the film was made in 2005 with Irrfan Khan and Himanshu Brahmbhatt , directed by Ilene Hamann , named Rog . 0 +Queen Peak is a mountain located at Victoria Peak , north of Gold River and east of Vancouver Island , British Columbia , Canada . Queen Peak is a mountain on Victoria Peak , located north of Gold River and east of Vancouver Island , British Columbia , Canada . 1 +Please note that Ionia and Aeolis were not considered separate units by the Persians , while Lycia was included in semi-autonomous Caria and Sparda the offshore islands . Note that Ionia and Aeolis were not considered separate units of the Persians , while Lycia was included in offshore - Caria and Sparda - the semi-autonomous islands . 0 +This association was further enhanced after the female Christian missionary , Nino , converted Nana , his wife Mirian and household into Christianity in or around 337 . This association was further strengthened after the Christian female missionary Nino , Mirian , his wife Nana and household converted to Christianity in or around 337 . 0 +The outer narrator meets with his old friend Grover at Sterling , Colorado , and asks about the murdered agent in the Rodgers station . The outer narrator meets his old friend Rodgers with Sterling , Colorado , and asks about the murdered agent at the Grover station . 0 +The 1962 Cleveland Browns season was the 13th team season with the National Football League . The 1962 National Football League season was the 13th season of the Cleveland Browns team . 0 +In biology , biological specificity is the tendency of a characteristic , such as behavior or biochemical variation , to occur in a particular way . In biology , the biochemical specificity is the tendency of a characteristic , such as behavior or biological variation , in a particular species to occur . 0 +Thomas Pye was Government Architect and Alfred Barton Brady , Deputy Government Architect . Alfred Barton Brady was a government architect and Thomas Pye , deputy government architect . 0 +""" Florida "" was awarded on 4 May 1898 , and ordered to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." "On 4 May 1898 , "" Florida "" was appointed and awarded to Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." 0 +The 8 Talukas of this area are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . The 8 Talukas in this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +He left Sheffield in 1805 to study theology at Manchester College in York . He left York in 1805 to study theology at Manchester College , Sheffield . 0 +Kathy Lloyd was born in Carrickfergus , Northern Ireland , and grew up in Netherton , Bootle , where she attended the Warwick Bolam High School . Kathy Lloyd was born in Carrickfergus , Northern Ireland and grew up in Netherton , Bootle where she attended Warwick Bolam High School . 1 +Antrim County is a bourgeois township of Helena Township in the U.S. state of Michigan . Antrim County is a civil township of Helena Township in the U.S. state of Michigan . 1 +They could instead have been relatives , perhaps members of a family bonded by blood to serve Dracula . They could have been relatives , instead members of a family tied by blood to serve Dracula . 0 +In its upper reaches in the crystalline hills of the Piedmont , it flows through a deeply incised channel etched into red rocks . In its upper reaches in the crystal-clear hills of Piedmont , it flows through a deeply incised channel etched into red rocks . 1 +He was also elected Fellow of the Royal Society in 1749 , and in 1754 as Fellow of the Royal College of Physicians , London . Also in 1749 he was elected a Fellow of the Royal Society and in 1754 was made Fellow of the Royal College of Physicians , London . 1 +After Martha was found , Anna married a man by the name of George I Eisenhauer . After Martha had been found , Anna married a man by the name of George I Eisenhauer . 1 +"In response to the "" white first "" attitude of the organized workers ' movement and the Socialists , Harrison offered a political perspective "" first "" race "" ." "In response to the "" political first "" attitude of the organized labor movement and the Socialists , Harrison provided a "" race first "" white perspective ." 0 +In contrast , cold years are often associated with dry Pacific La Niña episodes . By contrast , dry years are often associated with cold Pacific La Niña episodes . 0 +Surrounding suburbs are ( from north to south ) : Balgownie , West Wollongong , Mount Ousley , Mount Pleasant , Keiraville , Figtree and Mount Kembla . Surrounding suburbs are ( from the north to the south ) : Balgownie , Mount Pleasant , Mount Ousley , Keiraville , West Wollongong , Figtree and Mount Kembla . 1 +He was followed by Larry Kearney from 1995 -- 2003 by Jenny McGhee Edwards in 2003 -- 2007 and by Elic Senter from 2007 -- 2015 . He was followed in office by Larry Kearney from 1995 -- 2003 , Jenny McGhee Edwards from 2003 -- 2007 and Elic Senter from 2007 -- 2015 . 1 +Desjardin led Pierre Belon Lapisse 's other brigade in a flank attack . In a flanking attack , Desjardin Pierre Belon led Lapisse 's other brigade . 0 +Balıklı is a village in the district of Gümüşhacıköy , province Amasya , Turkey . Balıklı is a village in the district Gümüşhacıköy , Turkey , province of Amasya . 1 +A Jewish full fast lasts the following night from sunset to darkness . There are two Jewish full-fasting days : A Jewish full fast takes the following night from sunset to darkness : there are two Jewish full days : 0 +The Turks , Tibetans , Muslim Arabs , and the Tang competed for control of Central Asia until the tang ’ s collapse in the 10th century . The Turks , Tang , Muslim Arabs , and the Tibetans competed for control of Central Asia until the tang ’ s collapse in the 10th century . 1 +According to the US Census Bureau , the county has a total area of which is land and ( 0.2 % ) of water . According to the U.S. Census Bureau , the county is a total area of , which has land and ( 0.2 % ) is water . 1 +David Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of Wladimir Burliuk . Wladimir Burliuk was born in Kharkiv , the younger brother of David Burliuk , on March 15 , 1886 . 0 +Capt Wally Dobchuk , the first officer , Michael McCrae , and maintenance engineer Sebastian Trudel were awarded by the Aviation Week for their heroism . Capt . Wally Dobchuk , first officer Michael McCrae and maintenance engineer Sebastian Trudel were honoured for their heroism by Aviation Week . 1 +The continuous power density is determined by the product from the continuous torque density and the constant torque revolution range of the electric machine . The continuous power density is determined by the product of the continuous torque density and the constant torque speed range of the electric machine . 1 +There are no regional or national franchises in Danbury , only small shops like the Danbury General Store , and local restaurants . In Danbury there are no regional or national franchises , just small shops like the Danbury General Store and local restaurants . 1 +Born in Gosforth , Northumberland , he moved to the south as a boy to Wiseton Estate , near Retford , Nottinghamshire , when his father found jobs there . Born in Retford , Nottinghamshire , as a boy he moved south to the Wiseton Estate , near Gosforth , Northumberland when his father found work there . 0 +In 1871 he moved to Southern California for health reasons , where he settled in Santa Barbara . He moved of health reasons to Santa Barbara in 1871 where he first settled in Southern California . 0 +The music was composed by V. Dakshinamoorthy and lyrics was written by Ravi Vilangan . Music was composed by V. Dakshinamoorthy and the text was written by Ravi Vilangan . 1 +The season 2002 Seattle Seahawks was the 27th season of the team with the national football league . The 2002 National Football League season was the team 's 27th season with the Seattle Seahawks . 0 +Bingaman was born in McKenzie , Tennessee in 1926 , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and visited the Lew Wallace High School in Gary , Indiana . 0 +Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a comparative naturalist , Swiss anatomist and student of Ernst Haeckel , German biologist . Arnold Lang ( 18 June 1855 -- 30 November 1914 ) was a Swiss naturalist , a comparative anatomist and student of German biologist Ernst Haeckel . 0 +A final remix was created after Diddy had highlighted his intention to find a British emcee to record with him a new version of the song . A new remix was created after Diddy highlighted his intent to find a UK emcee to record a final version of the song with him . 0 +Ekrem Boyalı is currently living in Konya for his university education with his two brothers , who are practiced by Ali Sarı . Living currently in Konya for his university education with his two brothers , Ekrem Boyalı is coached by Ali Sarı . 1 +""" Trevis R. Badeaux as "" Agent of Change "" , "" Acadiana Sunday "" , 5 May 2002 honored ." "Bowen , "" Trevis R. Badeaux honored as ' agent of change ' , "" Acadiana Sunday "" , May 5 , 2002 ." 1 +Caroline Hedwall won the individual championship of NCAA Division I under new trainer Annie Young in 2010 . Annie Young won the individual championship of NCAA Division I under new trainer Caroline Hedwall in 2010 . 0 +Anadasmus endochra is a moth of the Depressariidae family . It is found in Brazil ( Amazonas ) . Anadasmus endochra is a moth from the family of Depressariidae , which is found in Brazil ( Amazonas ) . 1 +Holsman awarded the Parkway Garden Homes a European design , inspired by modernist housing projects of the 1920s and 1930s . Holsman gave the Parkway Garden Homes a European design inspired by Modernist housing projects of the 1920s and 1930s . 1 +"She appeared in the 1983 horror film "" House of the Long Shadows "" , which starred Christopher Lee , Vincent Price and Peter Cushing ." "She appeared in 1983 in the horror film "" House of the Long Shadows "" , in which Peter Cushing , Vincent Price and Christopher Lee played ." 1 +They are exhibited in the Old Cathedral in summer and in the winter in the Great Cathedral . They are exhibited for veneration in the Old Cathedral in summer and in the Great Cathedral in winter . 1 +In 1862 , Breck died , and Breck married Sarah Stiles in 1864 , and three years later he moved to Benicia , California , to build two other institutions . Jane Breck died in 1862 and Breck married Sarah Stiles in 1864 . Three years later he moved to Benicia , California to build another two institutions . 1 +Crash Landed was released in July 2009 as the third single in Korea and as the second single to be released in Japan in April 2010 . Crash Landed was released in Japan as the second single in July 2009 and Korea as the third single in April 2010 . 0 +In 2017 , Cetera Co-headliner for the Night of the Proms in Germany and Luxembourg was his first time in Germany for 35 years . In 2017 , Cetera was a co-headliner for the Night of the Proms in Germany , his first time performing in Germany and Luxembourg in 35 years . 0 +In 2004 , Bessonova won the around-all silver medal at the 2004 European Championships . Bessonova won the silver medal at the 2004 European Championships in 2004 . 1 +"The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in 1984 in Luxembourg ." "Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." 0 +In addition to humanist cybernetics and dance , movement therapy and behavioral psychology were named as key sources of kinaesthetics . In addition to humanistic cybernetics and dance , movement therapy and behavioral psychology were named as key sources of kinaesthetics . 1 +They performed at the City Winery in Chicago on November 30 , 2012 , and at the Beachland Ballroom in Cleveland on December 1 , 2012 . They appeared at the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , in the Beachland Ballroom in Cleveland . 1 +Multiplayer video games are those that can either be played cooperatively in electronic sports or competitively , sometimes by using several input devices or by hotseating . Multiplayer video games are those that can be played either cooperatively in Electronic Sports , or competitively , sometimes by using either multiple input devices , or by hotseating . 1 +She was the twin sister of Muhammad , father of Abdullah . She was the twin sister of Muhammad , the father of Abdullah . 1 +Design was created by Jeff Grubb with Andria Hayday , a cover of Jeff Easley and illustrations by Karl Waller . Design was by Jeff Grubb with Andria Hayday , a cover by Karl Waller , and illustrations by Jeff Easley . 0 +"She appeared in 1983 in the horror film "" House of the Long Shadows "" , in which Peter Cushing , Vincent Price and Christopher Lee played ." "She appeared in the 1983 horror film "" House of the Long Shadows "" , which starred Peter Cushing , Vincent Price and Christopher Lee ." 1 +The academy consists of medium hall , east wing , west wing and a garden . The academy consists of eastern hall , central wing , west wing and a garden . 0 +Vassiliki Kydonaki ( born 26 March 1993 ) , also known commonly as Vasso Kydonaki , is a Greek footballer . Vassiliki Kydonaki ( born March 26 , 1993 ) , known as Vasso Kydonaki , is a Greek footballer . 1 +"William died as "" William Adams "" in Brooklyn , NY on 5 December 1895 ." "On December 5 , 1895 , William William died as "" William Adams "" in Brooklyn , NY ." 1 +Most of the Japanese troops are captured in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is killed . Most Japanese troops are captured in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is killed . 1 +Royce Johnson is a recurring character in the Marvel Cinematic Universe 's Netflix shows , where he is portrayed by Brett Mahoney . Royce Johnson is a recurring figure in the Netflix shows at Marvel Cinematic Universe , where he is portrayed by Brett Mahoney . 1 +Nyceryx tacita is a moth of the Sphingidae family , which is found from Mexico , Guatemala , Costa Rica and Panama to Bolivia . Nyceryx tacita is a moth of the family Sphingidae . It is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . 0 +In practice , a teredo client must contact the native IPv6 - Teredo - Relay , if it wants to locate a corresponding node , d . "In practice , when a Teredo client wants to locate a corresponding node , it must contact the native IPv6 Teredo relay , "" i.e ." 1 +Specifically , p63 is expressed within the early keratinocytes and embryonic ectodermal ridge during development . Specifically , p63 is expressed within the embryonic ectodermal keratinocytes and early ridge during development . 0 +"In 2012 he began working on the new 52 series "" Batwing "" with the writer Judd Winick and the artists ChrisCross and Marcus To ." "In 2012 , he began work on The New 52 series "" Batwing "" with writer Judd Winick and artists ChrisCross and Marcus To ." 1 +From behind bars , Dimitri finds out , Maddie is not Erica 's father and helps Edmund to reunite with his daughter . From behind bars , Dimitri finds out , Maddie is not Erica 's father and helps Edmund reunite with his daughter . 1 +The manga is published in French by Pika Edition , in Spanish by Planetacomic , in German and Italian by Panini Comics . The manga is published by Pika Edition in French , from Planetacomic in Spanish , by Panini comics in German and Italian . 1 +Thompson was born Dena Holmes in 1960 in Hendon , North London . She worked for a building society . Thompson was born in 1960 in Hendon , North - London , Dena Holmes and worked for a building society . 1 +"For "" Archives to Eighties "" Mayall recorded new bass and drums tracks played by Bobby Haynes and Joe Yuele ." "Mayall adopted new bass and drums tracks for "" Archives to Eighties - tracks played by Bobby Haynes and Joe Yuele ." 1 +In 1930 the architects Miguel Santos and Mariano Garrigues were commissioned to build the Faculty of Pharmacy and Agustín Aguirre was chosen for the Faculties of Medicine and Dentistry . In 1930 , the architects Agustín Aguirre and Mariano Garrigues were commissioned to build the Faculty of Pharmacy , and Miguel Santos was selected for the Faculties of Medicine and Dentistry . 0 +They had two daughters , Agnes and Elizabeth ( or Isabel ) , and one son and heir , William . They had two daughters , Agnes and Elizabeth ( or Isabel ) , and a son and heir to William . 1 +On 22 September 1904 he joined Bishop Charles and returned to Béni Abbès on 24 January 1905 . On 22 September 1904 he joined the Bishop Guerin and returned to Béni Abbès on 24 January 1905 . 0 +Due to the non-commutative nature of quantum mechanics , the training process of the quantum machine - Boltzmann - machine can become non-trivial . Due to the quantum nature of quantum mechanics , the training process of the non-commutative Boltzmann machine can become nontrivial . 0 +Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) as child . As a child Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) . 1 +On June 1 , 1874 , Cornwall Minerals Railway opened its line from Fowey to St Dennis Junction , where it was connected to the Newquay Railway of Treffry . On June 1 , 1874 , Cornwall Minerals Railway opened its line from St Dennis Junction to Fowey , where it was connected to the Newquay Railway of Treffry . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential real estate and also a number of commercial and industrial areas . Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and a number of residential areas . 0 +Cobian Backup is a free , written backup software for Microsoft Windows , supported by Luis Cobian of Umeå University in Delphi . Cobian Backup was a free , donation-supported backup software for Microsoft Windows . It is written in Delphi by Luis Cobian of Umeå University . 0 +Julio Peralta and Horacio Zeballos won the title and defeated Sergio Galdós and Luis David Martínez 6 -- 2 , 6 - 2 in the final . Sergio Galdós and Luis David Martínez won the title and defeated Julio Peralta and Horacio Zeballos with 6 -- 2 , 6 -- 2 in the final . 0 +Other studies have also been submitted to the Congress by the Federal Power Commission and Power Authority of New York . Other studies have also been submitted to the Federal Power Commission by the Congress and the Power Authority of New York . 0 +The species can be found from South America to northern Mexico . This species can be found from South America to northern Mexico . 1 +It was originally developed by groups of Chinese and Russian scholars in the Soviet Union and used by Chinese immigrants there until the majority of them left the country . It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until the majority left the country . 1 +In 2003 , he was contracted to Terengganu FA in Malaysia and then played for Pahang FA for a year and a half in 2005-2007 . He was signed to Pahang FA in Malaysia in 2003 , and then played for Terengganu FA for a season and a half in 2005-2007 . 0 +Stosur then traveled to Fribourg to represent Switzerland in their Fed Cup against Australia . Stosur then traveled to Fribourg to represent Switzerland in their Fed Cup tie against Australia . 1 +On April 27 , 1763 , a council of several Indian tribes from the Ottawa region heard a speech from the Detroit leader Pontiac . On April 27 , 1763 , a council of several American Indian tribes from the Ottawa region listened to a speech from the Detroit leader Pontiac . 1 +Daniel Rinner ( born 11 November 1990 in Vaduz ) is a Liechtenstein cyclist . Daniel Rinner ( born November 11 , 1990 in Liechtenstein ) is a cyclist from Vaduz , Germany . 0 +It had a wooden pedestrian bridge between the two sheltered platforms , and was electrified on July 26 , 1905 . It had a protected pedestrian bridge between the two wooden platforms and was electrified on July 26 , 1905 . 0 +This time the vocals were mastered by Matti Auerkallio and the EP by Pirkka Rännäli was performed . This time the vocals were presented by Matti Auerkallio and the EP by Pirkka Rännäli was mastered . 0 +""" Your Song "" is a song by Elton John dating from 1970 , backed by a number of artists , including Ellie Goulding in 2010 ." """ Your Song "" is a 1970 song by Ellie Goulding , covered by a number of artists , including Elton John in 2010 ." 0 +"A whole issue of the beautiful Sicilian magazine of musical cultures , "" Avidi Lumi "" , was recently dedicated to Davide Perez ." "Recently a musical issue of the whole journal of beautiful Sicilian cultures , "" Avidi Lumi "" , was dedicated to Davide Perez ." 0 +Steen Township , Knox County , Indiana is a town in Wheatland , United States . Wheatland is a town in Steen Township , Knox County , Indiana , United States of America . 0 +-- Light , camera ... Cut ! -Kid wants to win a contest , so he counts on Big Bang and Horace to help him . 2. lights , camera ... cut ! -Horace wants to win a contest , so he counts on Big Bang and Kid to help him . 0 +Today the railheads for Alma Township Wellsville are friendship . Today the railheads for Wellsville Alma are township and friendship . 0 +From 1973 to 2015 , Marian Schreier was Mayor of Tengen , his successor is Helmut Groß . From 1973 to 2015 , Marian Schreier was the mayor of Tengen . His successor is Helmut Groß . 1 +Unisys Corporation was founded in 1991 by three employees from a software research and development group at TeamQuest . Unisys Corporation was founded in 1991 by three employees of a software research and development group from TeamQuest . 1 +She lives in Bandra , Mumbai , and has a son Aditya Bhattacharya , film director , and two daughters , Chimmu and Anwesha Arya , a writer . She lives in Bandra , Mumbai . She has a son Anwesha Arya , film director , and two daughters , Chimmu and Aditya Bhattacharya , a writer . 0 +Mark Hambourg was born in Voronezh , Russia , as a middle brother of the famous pianist Jan Hambourg . Jan Hambourg was born in Voronezh , Russia , the middle brother between the famous pianist Mark Hambourg ( b . 0 +Powell refused to accept the fact and still believes that gold is in his obviously worthless mine . Powell refused to accept the fact and still believes that there is gold in his obviously worthless mine . 1 +On 30 April 1950 , the Nellis Air Force Base was renamed to Las Vegas Air Force Base in Nevada . On 30 April 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base to his honour in Nevada . 0 +The sunken site contained buildings similar to the new floor buildings of West Stow in England . The sunken place contained buildings similar to the new floor buildings of West Stow in England . 1 +Matrons were almost invariably female -- male nurses were not at all common , especially in senior positions . Matrons were male almost without exception -- female nurses were not common at all , especially in senior positions . 0 +It has also stimulated the use of effective cavalry - forces and offensive military policy by the Han Court . It also stimulated the use of effective cavalry forces and offensive military policies by the Han court . 1 +Pennypacker , born in Pennsylvania , moved shortly after the turn of the twentieth century to New York City before moving to Southampton , New York , on Long Island . Born in Pennsylvania , Pennypacker moved to New York City a little after the turn of the 20th century before moving to Southampton , New York on Long Island . 1 +Currently , the countries on the list are Iran , North Korea , Sudan and Syria . Currently , the countries on the list are Iran , Syria , Sudan and North Korea . 1 +A voltage is registered in these cells , which is induced electronically . In these cells , a voltage is registered that is induced electronically . 1 +Users can create written entries similar to a standard personal journal and can also upload photos from their devices . Users can create written entries similar to a personal standard journal and also upload photos from their devices . 1 +In addition to the strictly scientific work , de Broglie thought and wrote about the philosophy of science , including the value of modern scientific discoveries . In addition to strictly scientific work , de Broglie thought and wrote about the philosophy of science , including the value of modern scientific discoveries . 1 +Helpmann is described in the Margot Fonteyn biography as dark-haired , pale and with large dark eyes . In the Margot Fonteyn biography , Helpmann is described as being dark-haired , pale and having large dark eyes . 1 +This area would largely be transferred to the old 6th district after the 1990 census , while most of the 5th district became the 8th district . According to the 1990 census , this area would be mostly transferred to the old 6th district , while most of the 5th district became the 8th district . 1 +The Valea Negrenilor River or Negreni River is a tributary of the Amaradia River . The river Amaradia or the river Negreni is a tributary of the river Valea Negrenilor . 0 +In 2003 , Peachey was named in the top ten Cronulla Sharks Legends , as nominated by the fans and picked by a panel of rugby league experts . In 2003 , Peachey was included in the Top - Ten - Cronulla Sharks Legends , as selected by the fans and nominated by a panel of rugby league experts . 0 +Some believe that it is moving away from its Belly Dance Roots in the American Tribal Style , and some newer Tribal Fusion dancers have never studied the American Tribal Style Belly Dance . Some feel it is moving away from its Tribal Style Belly Dance Roots , and some newer American Tribal Fusion Dancers have never studied American Tribal Style Belly Dance . 0 +Pterymarchia barclayana is a species of the great predatory sea snails , a marine gastropod mollusk in the Muricidae family , rock snails or murex screws . Pterymarchia barclayana is a species of marine sea snail , a large predatory gastropod mollusk in the family Muricidae , the rock snails or murex snails . 0 +He was also familiar with the 'abbreviated construction ' as described by Leonardo da Vinci and the geometrical construction of shadows , a technique of Alberti . "He was also familiar with the "" shortened construction "" and the geometrical construction of shadows described by Alberti , a technique of Leonardo da Vinci ." 0 +In the late 1920s she was a researcher in America at Illinois State University and later Radcliffe College and McGill University . In the late 1920s , she was researcher at Illinois State University and later at Radcliffe College and McGill University in America . 1 +Abbie Carmichael ( played by Jamie Ross ) replaced Carey Lowell ( Angie Harmon ) of the season 8 in the role of Assistant District Attorney . Abbie Carmichael ( played by Angie Harmon ) replaced season 8 's Jamie Ross ( Carey Lowell ) in the role of Assistant District Attorney . 0 +The album was recorded at Brian Elliot studios in North Hollywood , California , with engineer David Hines and co-producer Jay Lansford . The album was recorded at Brian Elliot Studios in North Hollywood , California , together with engineer David Hines and co-producer Jay Lansford . 1 +Both Alaskans and Hawaiians have o Both Alaskans and Hawaiians have 1 +Neblo is a village in the municipality of Brda in the coastal region of Slovenia on the border with Italy . Neblo is a village in the Municipality of Brda in the Littoral region of Slovenia on the border with Italy . 1 +In these cells , a voltage is induced which is electronically captured . A voltage is induced in these cells , which is registered electronically . 1 +The Nelson River flows into Playgreen Lake from Lake Winnipeg then flows from two channels into Cross Lake . The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows into Cross Lake from two channels . 1 +In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the International Champions Tournament in Charlotte , USA . In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Champions Tournament in Guadalajara , Mexico . 0 +Sequence - Transformations that are not linear are called nonlinear sequences - transformations . Sequence transformations that are not nonlinear are called linear sequence transformations . 0 +He and Sant Dnyaneshwar were the popular sants and both worshiped Lord Vitthal . He and Sant Dnyaneshwar were the popular Sants and both revered Lord Vitthal . 1 +In 2011 George Maguire appeared as Richard Loeb in Thrill Me , first at the Tristan Bates Theatre in London and then at the Charing Cross Theatre . In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first at the Charing Cross Theatre in London , and then at Tristan Bates Theatre . 0 +On August 12 , 2003 Kottonmouth Kings released their 3rd Compilation - Album , their 1st Live album and their 9th total album , Classic Hits Live . On August 12 , 2003 Kottonmouth Kings released their 3rd compilation album , their 9th overall album and their 1st live album titled , Classic Hits Live . 1 +The length of the wings is 3.5-5 mm , adults have been registered in Brazil from November to February and in Argentina in October . The length of the front wings is 3.5 - 5 mm , adults have been recorded in Argentina from November to February and in Brazil in October . 0 +Later Beth switched off the machine and Robbie is shocked but understanding . Later Robbie switched the machine off and Beth is shocked but understanding . 0 +The presence of ravens all over Tokyo led Ibira to conceive the same of cats and notice the Yurines as catgirls . The presence of ravens all over Tokyo led Ibira to feel the same of cats and to notice the Yurines as catgirls . 1 +At the time , Cao Mao was merely a puppet emperor , because the actual power was in the hands of Regent Sima Wang ( Sima Zhaos Cousin ) . At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Wang ( Sima Zhao 's cousin ) . 1 +Lauretta was married to Johnny Dorelli ; the couple had a son , actor Gianluca Guidi . Married to Gianluca Guidi , had the couple a son , actor Johnny Dorelli . 0 +When Khadr was injured in a 1995 battle in Kabul , Mohamad Elzahabi visited him the Peshawar hospital . When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him in Peshawar hospital . 0 +"Burton L. "" Burt "" Collins ( March 27 , 1931 , New York City -- February 23 , 2007 , Philadelphia ) was an American jazz trumpeter ." "Burton L. "" Burt "" Collins ( 27 March 1931 , New York City -- 23 February 2007 , Philadelphia ) was an American jazz trompeter ." 1 +Titus Geganius Macerinus was a Roman statesman who served as a consul with Publius Minucius Augurinus in 492 BCE . Publius Minucius Augurinus was a Roman statesman who served as Consul in 492 BC with Titus Geganius Macerinus . 0 +Until 1971 the Southern Pacific Railroad operated from its Third and Townsend Depot commuter trains to Los Angeles and long distance trains to San Jose . Until 1971 , the Southern Pacific Railroad operated from its Third and Townsend depots public trains to San Jose and long distance trains to Los Angeles . 0 +"Linda Lou was viewed as a cody on 6 October 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." "Cody was seen as Linda Lou in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." 0 +In 1975 , another extended Euclidean fixed polynomial decoder was developed by Yasuo Sugiyama , based on the improved algorithm . In 1975 , Yasuo Sugiyama developed another improved fixed polynomial decoder , based on the extended Euclidean algorithm . 0 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first pub of the Theakson , where the first Theakston 's beers were brewed ." 0 +"Note : "" NA "" -- information was not listed on the cited page ." "Note : "" NA "" -- Information was not listed on the page cited ." 1 +Ordinary plates have black text on a white background . Ordinary plates have white text on black background . 0 +He played Lollapalooza in Chicago in 2007 , and the FuckYeah Festival in Los Angeles in 2008 . He played in 2007 in Los Angeles Lollapalooza and 2008 at the FuckYeah Festival in Chicago . 0 +He wrote other songs and composed orchestrations for larger choral works , stored in Australian libraries . He composed other songs and wrote orchestrations for larger choral works preserved in Australian libraries . 0 +Stävlö or Stäflö is a castle in Sweden in the municipality of Kalmar . Stävlö or Stäflö is a castle in Sweden of Kalmar Municipality . 1 +The 2016 North Carolina Central University soccer team represents North Carolina Central Eagles in the 2016 NCAA Division I FCS football season . The 2016 North Carolina Central Eagles football team represents North Carolina Central University at the 2016 NCAA Division I FCS football season . 0 +"Carpenter would describe the script later as "" too light , too lax ." "Carpenter would later describe the script as "" too campy , too light "" ." 0 +On 14 December 2011 , he was traded with Mark Melancon to the Houston Astros for Reliever Kyle Weiland . On December 14 , 2011 , he was traded along with Mark Melancon to the Houston Astros for reliever Kyle Weiland . 1 +Since a linear combination with integer coefficients of algebraic integers is an algebraic integer , this proves the statement . Because a algebraic combination with integer coefficients of linear integers is again an algebraic integer , this proves the statement . 0 +He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and attended the High School for Reception Arts in Minneapolis , Minnesota . Chrishan was born in Toledo , Ohio and grew up in St. Paul , Minnesota . He attended High School for Recording Arts in Minneapolis , Minnesota . 1 +Typically external Voucher Management Systems are used with Intelligent Network based prepaid systems . Typically , external voucher management systems are used with prepaid systems based on an intelligent network . 1 +He died at the age of 76 in Grahamstown , Cape Province , in South Africa . Smith died in South Africa , in Grahamstown , Cape Province at the age of 76 . 0 +Calibogue Sound is situated between the islands of Daufuskie and Hilton Head and connects Intracoastal Waterway and the Harbour Town Marina with the Atlantic Ocean . Calibogue Sound is between Daufuskie and Hilton Head Islands . It connects the Intracoastal Waterway and the Harbour Town Marina with the Atlantic Ocean . 1 +Beth writes to an author of several lesbian books she has read , Nina Spicer , in New York City , who writes her back . Beth writes to an author of several lesbian books she has been reading , Nina Spicer in New York City , who writes her back . 1 +He married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther ) , in 1881 and his son is the botanist and sketch artist Vagn Petersson . In 1881 he married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther , and his son is the botanist and outliner of Vagn Petersson . 1 +The first stamps used in Tunisia were those of the colonial power of France in 1888 . Stamps specifically issued for Tunisia were issued from 1 July 1888 . The first stamps issued in Tunisia were those of the colonial power , France , from 1888 . Stamps specifically for Tunisia were used from 1 July , 1888 . 0 +On July 30 , 2017 , Miley gave up the 3,000th Adrián Beltré career hit . On July 30 , 2017 , Miley gave up Adrián Beltré 's 3,000th career hit . 1 +The southern half of the village is in the town of Dannemora , while the northern half is in the town of Saranac postal code is 12929 . The southern half of the village is in the town of Dannemora , while the northern half is in the town of Saranac . The ZIP code is 12929 . 1 +Instead of Prince Patrick Island , the island in the film is located due north of Ellesmere Island ( cf . "The island in the film is located north of Ellesmere Island ( cf . "" Prince Patrick Island "" ) ." 1 +John John Braithwaite married Caroline or possibly Caroline Amelia ( 1803-1878 ) and had at least 10 children ( 6 sons and 4 daughters ) : Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and together they had at least 10 children ( 6 sons and 4 daughters ) . 0 +Curtin Township is bordered by Liberty Township in the northeast , Marion Township to the southeast , Clinton County to the southwest and Howard Township to the west . Liberty Township borders Clinton County to the northeast , Marion Township to the southeast , Howard Township to the southwest , and Curtin Township to the West . 0 +Almost all of the people in An Phu had to be evacuated ( mainly to the Cho Moi , Phu Tan district ) . Almost all the people in the Phu Tan district had to be evacuated ( mainly to Cho Moi , An Phu ) . 0 +Polymers of the type of coordination are also atactic and can be isotactic or syndiotactic instead of just stereoregular . Coordination type polymers are also atactic and can be isotactic or syndiotactic , instead of just stereoregular . 1 +Battery was renamed the 5th Battalion , 78th Artillery was assigned to 194th Armored Brigade , later on May 18 , 1970 inactivated . E Battery was assigned as the 194th Battalion , 78th Artillery was re-designated to 5th Armored Brigade , later inactivated on 18 May 1970 . 0 +"On the map of the 18th century "" Irkutsk governorate with the adjacent islands and the west coast of America "" from the Hinka lake follows the river Usuri ." "On the map of the 18th century "" America governorates with the adjacent islands and the west coast of Irkutsk "" from the lake Hinka follows the river Usuri ." 0 +Three LSU scholars described Long as he prepared his first campaign for governor : Three LSU scholars described Long as he prepared his first campaign for the governor : 1 +"Gopalakrishnan was very much impressed when Bhaskar gave music for his movie "" Mathilukal "" which had no songs at all ." "Gopalakrishnan was very impressed when Bhaskar gave music for his film "" Mathilukal "" , which had no songs at all ." 1 +The ring is a region of rampant star formation dominated by young , massive , hot blue stars . The ring is a region of the young , massive , hot blue star formation dominated by rampant stars . 0 +The presence of isolobal analog fragments does not mean that the synthezied structures can be desired . The presence of isolobal - analog fragments does not mean that the desired structures can be synthesized . 0 +"Maffie considered him "" one of the greatest ballad organists "" , and Jesse Crawford also composed music , including the theme for "" House Party "" ." "Maffie considered him "" one of the greatest ballad organists "" . Jesse Crawford also composed music , including the theme for "" House Party "" ." 1 +At least one supersonic and one subsonic ramp is used , but for improved seal multiple supersonic ramps can be used . At least one improved and one supersonic ramp is used , but subsonic ramps can be used for multiple supersonic seals . 0 +Approaches are in principle jointly necessary and individually . In principle , approaches are necessary individually and jointly . 0 +Around 1685 he moved to Neu - France and lived for some time in Quebec . He moved to New France around 1685 and lived in Quebec for some time . 1 +Central Butte is located close to Central Butte Airport , Saskatchewan , Canada . Central Butte Airport is located close to Central Butte , Saskatchewan , Canada . 0 +As an activity , techne is dependent , variable , and context-concrete . Techne is concrete , variable and context-dependent as an activity . 0 +Marcel Danis , ( born October 22 , 1943 ) is a Canadian university administrator , lawyer and former politician . Marcel Danis ( born October 22 , 1943 ) is a Canadian university administrator , lawyer and politician . 1 +In the early morning and late afternoon , it seems most active . It seems to be most active in the early morning and late afternoon . 1 +Since 2003 , Sharon Northe has been the head of the group , since 2017 Heather Weaver has been President . Heather Weaver has been head of the group since 2003 and since 2017 Sharon Northe has been President of the Group . 0 +Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the marine limpets . 0 +The Little Jocko River flows via the St Lawrence River and the Ottawa River to the Jocko River . The Little Jocko River flows across the Jocko River and the Ottawa River to the Saint Lawrence River . 0 +It includes a narrow ilium and long ischium . It includes a long ilium and a narrow ischium . 0 +Riverside is located on the 3rd Congressional District and is part of the 7th State Legislative District in New Jersey . Riverside is located in the 3rd Congressional District and is part of New Jersey 's 7th state legislative district . 1 +Taungya also meant that the British or their agents would return to the previously cut areas after some years to harvest the newly planted teak . The taungya also meant that after a few years the British or their agents would return to the newly planted areas to harvest the previously cut teak wood . 0 +The film also plays stars Lisa Pelikan , Michael Des Barres and Jack Nance and was the film debut of Mariska Hargitay . The film also stars Mariska Hargitay , and was the film debut of Lisa Pelikan , Michael Des Barres and Jack Nance . 0 +The Yanqing Prison is a prison in Beijing in Yanqing County , China . Yanqing Prison is a prison in Beijing in the municipality of Yanqing County , China . 1 +The provisional councils had already begun to operate more or less as national governments of independent countries . The provisional councils had already begun acting more or less as national governments of independent countries . 1 +Stephen Harper was defeated by Paul Martin as Prime Minister of Canada on 23 January 2006 . On January 23 , 2006 , Stephen Harper was defeated by Paul Martin as Prime Minister of Canada . 1 +He died on 24 August 1878 in Wyandotte ( now part of Kansas ) , Kansas City . He died on 24 August 1878 in Wyandotte ( now part of Kansas City ) , Kansas . 1 +Huge fields along the zone were discovered at Long Beach Oil Field in 1920 , and the Huntington Beach Oil Field in 1921 . Huge fields along the zone were discovered in 1920 at Huntington Beach Oil Field and at Long Beach Oil Field in 1921 . 0 +""" The Brute Man "" was the seventh episode of the second season that was broadcast on 10 February 1996 in Comedy Central ." """ The Brute Man "" was the seventh episode of the second season , which was broadcast on Comedy Central on February 10 , 1996 ." 1 +The first main bridge was completed in 1857 and the positioned bridge opened on 2 May 1859 by Prince Albert . The first main span was positioned in 1857 and the finished bridge was opened on May 2 , 1859 by Prince Albert . 0 +About 4-11 sheets per plant are also scattered along the stem and are generally 2.3-4.7 mm wide and 0.3-0.5 mm long . About 4-11 leaves per plant are also scattered along the stem and are generally 2.3-4.7 mm wide and 0.3-0.5 mm long . 1 +On November 10 , 2010 , SoftLayer announced that the merger of The Planet and GI Partners was effective . On November 10th , 2010 , GI Partners announced that the merger of The Planet and SoftLayer was effective . 0 +Clanculus natalensis is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . Clanculus natalensis is a species of sea snail , a top gastropod mollusk in the Trochidae family , the navy snails . 1 +Similarly , northern populations annually migrate between regions to the west of the Rocky Mountains , including Western Canada , and overwintering areas on the California coast . Similarly , Western populations annually migrate between regions to the west of the Rocky Mountains , including northern Canada , and overwintering locations on the California coast . 0 +The central shaft reached a depth of 2980 feet and a southern shaft was sunk in 1928 to reach a depth of 3,600 feet . The central shaft reached a depth of 2980 feet and a south shaft was sunk in 1928 to reach a depth of 3600 feet . 1 +The Latoriţa River is a tributary of the Galbenu River in Romania . The River Galbenu is a tributary of the Latoriţa river in Romania . 0 +The ovarian arteries swell during pregnancy in order to increase uterine blood supply . The ovarian arteries swell during pregnancy , in order to increase the uterine blood supply . 1 +An implementation that computes the probability density function of the Wakeby distribution is included as a scientific WAKPDF in the routine calculation library of Dataplot . An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot scientific computation library , as routine WAKPDF . 0 +This game was released in Japan on 18 February 2010 , North America on 23 February 2010 and Europe on 26 March 2010 . This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . 0 +"The French had injured one man and 13 or 14 men wounded , "" Racoon "" had killed only one man ." "The French had lost one man wounded and 13 or 14 men wounded , "" Racoon "" had only one man killed ." 1 +Bill Kerry Melville Defeated Billie Jean King , 6-3 , 7-5 Kerry Melville defeated Billie Jean King , 6 - 3 , 7 - 5 1 +The costal Tetra is found around south-eastern Brazil and Paraná river basin in yellow rivers . The costal tetra is found around southeastern Brazil and Paraná River basin in yellow rivers . 1 +Alliances with CPU controlled players can only be set at the start of the game . Alliances with CPU - Set players can be controlled only at the beginning of the game . 0 +AMBIT is a symbolic programming language that was introduced by Carlos Christensen of Massachusetts Computer Associates in 1964 for historical computation . AMBIT is a symbolic programming language that was introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for historical calculations . 1 +However , its cargo of 267 tons of solid copper ingots was extensively salvaged in 1917 by Gregory James Busch , and again in 1974 by Benjamin F. Leavitt . Its cargo of 267 tons of solid copper bars was however extensively rescued in 1917 by Benjamin F. Leavitt and in 1974 by Gregory James Busch . 0 +There were only 58 liaison aircraft but 20 of these were also used for messengers . There were also 58 connecting aircraft , but 20 of these were used for messengers only . 0 +These medium to large butterflies have black and yellow wings with dark brown spots and a red edge . These middle to large butterflies have black and yellow wings with dark brown spots and a red edge . 1 +Rachel played swimwear - Model Decker , while Peter Jacobson Alan , her nebbish husband played . Decker played the swimsuit model Rachel , while Peter Jacobson Alan , her nebbish husband , played . 0 +Saavedra ( Santa Cruz ) is a small town in Bolivia . Saavedra ( Bolivia ) is a small town located in Santa Cruz . 0 +Thomas Fothergill was an English academic administrator at the University of Oxford . Thomas Fothergill D.D . was an English academic administrator at the University of Oxford . 1 +Shujaât Khán agreed and Durgádás restored Akbar 's children to the emperor . Shujaât Khán was restored and Durgádás agreed to the emperor of Akbar 's children . 0 +Maximilian II ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian Lieutenant General and War Minister under Bernhard Franz von Hess of Bavaria . Maximilian II ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Bernhard Franz von Hess of Bavaria . 1 +He worked as a school teacher in Tielt , between 1693 and 1717 , in Bruges . Between 1693 and 1717 he worked as a teacher in Tielt , Bruges . 1 +"McClain was one of the pioneers in the introduction of "" Ragtime Minstrelsy "" , which opened a wider range of styles on the eve of the vaudevillized era ." "McClain was one of the pioneers in introducing "" ragtime minstrelsy "" , which opened a wider range of styles on the eve of the vaudevillized era ." 1 +The tubular heart or primitive heart tube is the earliest stage of heart development . The primitive heart or the tubular heart tube is the earliest stage of the heart development . 1 +It was a finalist for the 2002 Sidewise Award for the best alternative history and the John W. Campbell Memorial Award 2003 . It was a finalist for the 2002 Sidewise Award for best alternate-form long history , and the 2003 John W. Campbell Memorial Award . 1 +It stars James Craig and was written by Devon and Richard Devon . It plays Richard Devon stars and was written by Devon and James Craig . 0 +He spent the final years of his life in France and died in Paris . The last years of his life he spent in Paris and died in France . 0 +Music is great with some excellent songs which are etched in everybody 's memory forever . Music is great with some excellent songs , which are etched forever in everyone 's memory . 1 +Brian Meehan fled to Amsterdam with Traynor ( who later escaped to Portugal ) . Brian Meehan fled with Traynor ( who later fled to Portugal ) to Amsterdam . 1 +The inscription is , therefore , of linguistic importance for the first history of northern India . Therefore , the inscription is of linguistic significance for the first history of northern India . 1 +Elizabeth Gordon was the daughter of Adam de Gordon , Lord of Gordon and Elizabeth Keith , daughter of William Keith , Marishal of Scotland . Elizabeth Gordon was the daughter of William Keith , Lord of Gordon , and Elizabeth Keith , the daughter of Adam de Gordon , Marischal of Scotland . 0 +It currently runs from Yonge Street south of Davisville Avenue to the northwest to Allen Road and Eglinton Avenue West . It currently runs from Davisville Avenue , to the south of Yonge Street , northwest of Allen Road and Eglinton Avenue West . 0 +The conclusions are that we are all perfect spiritual ideas of the one divine Mind , and manifest Spirit , not a material body . The conclusions are that we are all manifestations of one perfect spiritual spirit and of the divine mind , not a material body . 0 +The reserve is located in the central - Alberta , near Wetaskiwin and south of Maskwacis . The reserve is located in Central Alberta , near Maskwacis and south of Wetaskiwin . 0 +"From 2009 , the Rotten Tomatoes site had given the film a rating of 90 % with 19 "" rotten "" and 2 "" fresh "" reviews ." "As of 2009 , the website Rotten Tomatoes had given the film a 90 % rating with 19 "" rotten "" and 2 "" fresh "" reviews ." 1 +In the action they had wounded five men , the British suffered no victims . In the action , they had five men wounded ; the British suffered no casualties . 1 +"The "" National Post "" and Kay apologized , retracted the statement , and started with Warman out of court ." "The "" National Post "" and Warman apologized , retracted the statement and started with Kay out of court ." 0 +He was born on March 14 , 1981 in Erdington , West Midlands , and has an elder brother , Che Cartwright , who is also an actor . Che Cartwright was born on 14 March , 1981 in Erdington , West Midlands . He has an older brother , Cartwright , who is also an actor . 0 +The minus sign indicates that the impedance part of the impedance is negative . The minus sign indicates that the imaginary part of the impedance is negative . 0 +Layla was born in London as the daughter of a Brazilian mother and an English father of Irish and Scottish Ancentry . Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English dominance . 0 +Lewis was also a member of the Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguare , Cleveland Browns , and Virginia Destroyers . Lewis was also a member of the Cleveland Browns , Jacksonville Jaguars , Oakland Raiders , Seattle Seahawks , Detroit Lions and Virginia Destroyers . 1 +Except for a small border with Perry Township ( Brookside Estates ) on the west , Worthington is completely surrounded by Columbus . Except for a small border with Perry Township ( Brookside Estates ) in the west , Worthington is completely surrounded by Columbus . 1 +selects the three previous functional analyses and reviews an approach . selects the previous three functional analyses and reviews an approach 1 +Kensuke Tanabe conducted the game , and it was produced by Akiya Sakamoto and Stephen Mortimer . Kensuke Tanabe directed the game , and it was produced by Akiya Sakamoto and Stephen Mortimer . 1 +He was the second son of Gil Aires and wife Leonor Rodrigues was born . He was the second born son of Leonor Rodrigues and wife Gil Aires . 0 +Included Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne Von Rey , Jenny Shimizu , Catherine Opie , Michele Mills . Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne von Rey , Jenny Shimizu , Catherine Opie , Michele Mills are included . 1 +BA transferred the former BCal routes to Tokyo and Saudi Arabia to Heathrow . BA relocated the former BCal routes to Tokyo and Saudi Arabia to Heathrow . 1 +The band then added bassist Duane Cowan , who had recently relocated from Japan to Los Angeles . The band then added bassist Duane Cowan , who moved from Japan to Los Angeles recently . 1 +This gravitational gradiometry is useful because absolute gravity is a weak effect and depends on the local density of the earth , which is quite variable . This gravity gradiometry is useful because absolute gravity is a weak effect and depends on local density of the Earth which is quite variable . 1 +Nate later reluctantly agrees that Ruth can stay for a few days . Later , Ruth reluctantly agrees that Nate can stay a few more days . 0 +"Before working on "" The Big O "" , Yasuhiro Imagawa and other animators worked with Kazuyoshi Katayama on "" ." "Kazuyoshi Katayama and other animators cooperated with Yasuhiro Imagawa before working on "" The Big O "" ." 0 +Kimilili is in academic rivalry with Friends School Kamusinga ( also of Kimilili Constituency ) and Bungoma High School of Bungoma District . Kimilili constituency is in academic rivalry with the friends school Kamusinga ( also of Kimilili ) and Bungoma High School of the Bungoma District . 0 +James the Fat would never return to his native Scotland , he remained in exile until his death in Ireland , his widowed mother and sister remained in Scotland . James the Fat would never return to his native Scotland . He remained an exile in Scotland until his death . His widowed mother and sister remained in Ireland . 0 +African stone tool technologies are divided into the modes outlined by Lawrence Barham and Peter Mitchell in 1969 , and proposed by Grahame Clark as follows : African stone tool technologies are divided into modes , as proposed by Grahame Clark in 1969 , outlined by Lawrence Barham and Peter Mitchell as follows : 0 +Juan Carlos Ferrero won in the final 7-6 , 6-2 , against Guillermo Cañas . Guillermo Cañas won against Juan Carlos Ferrero with 7 : 6 , 6 : 2 in the final . 0 +His early attempt to set up a merchanting business in Virginia was a failure and he returned to Scotland . His early attempt to set up a trade business in Scotland was a failure and he returned to Virginia . 0 +Antony died on 6 November 1620 and was buried on November 7 in the church of Carew . Carew died on November 6 , 1620 and was buried in the Antonius Church on November 7 . 0 +It was developed along the Elk River in the hydrographic basin of the North Saskatchewan River , at the confluence of Brazeau River . It was developed along the Brazeau River , at the confluence with Elk River , in the hydrographic basin of the North Saskatchewan River . 0 +"was introduced by Bharathiraja first in the film "" Alaigal Oivathillai "" ." "Karthik was first introduced by Bharathiraja in the film "" Alaigal Oivathillai "" ." 1 +It is native to southern China ( Guangxi , Hainan , Yunnan ) , Assam , and Indochina ( Thailand , Myanmar , Vietnam ) . It is home to southern China ( Yunnan , Hainan , Guangxi ) , Assam , and Indochina ( Thailand , Myanmar , Vietnam ) . 1 +Shimla is a suburb of the city of Sanjauli , in the district of Shimla by Himachal Pradesh , India . Sanjauli is a main suburb of the city of Shimla , in the Shimla district of Himachal Pradesh , India . 0 +Mimi Sodré was a student at the Naval Academy when he was interested in scouting after reading a book by Baden Powell called Scouting for Boys . Baden Powell was a student at the Naval Academy when he received an interest in scouting after reading a book by Mimi Sodré named Scouting for Boys . 0 +For example , the National Municipal League ( originally the National Civic League ) encourages effective management of local government . For example , the National Civic League ( originally the National Municipal League ) promotes effective local government management . 0 +He died on June 18 , 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . He died in Melbourne , Florida , on June 18 , 1936 . He was buried in Daytona Beach , Florida . 0 +Jayson Scott Musson is an artist who currently lives and works in Bronx , NY . He was born in Brooklyn , NY . Jayson Scott Musson is an artist who currently lives and works in Bronx , NY , born in Brooklyn , NY . 1 +When Vicky had the dream , she did her best to stop it from Barnabas , but in order to keep her pain , Barnabas let her tell him . When Vicky had the dream , she did her best to keep it from Barnabas , but to stop her pain , Barnabas made her tell him . 0 +In 2005 , Christian Dahl sold the Flash Engineering Team to Nilsson and was renamed to Polestar Racing . In 2005 , Christian Dahl sold the Flash Engineering team to Nilsson , and it was renamed Polestar Racing . 1 +The European route E75 runs through the city and connects Chania with the other three cities of Heraklion : Agios Nikolaos , Crete and Rethymno . European route E75 runs through the city and connects Chania with the three other major cities of Heraklion : Agios Nikolaos , Crete , and Rethymno . 1 +The shortest remaining time is short because advantageous processes are handled very quickly . Shortest remaining time is advantageous because short processes are handled very quickly . 0 +Ijagiri is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Ijagiri is a village in the Bhopal district of Madhya Pradesh , India It is in Berasia tehsil . 0 +In other words , at this extremely high temperature , the kinetic energy of the photons would overwhelm the binding energy of strong nuclear power . In other words , at this extremely high temperature , the binding energy of the photons would overwhelm the kinetic energy of strong nuclear power . 0 +Glen Sheil was born in Sydney and moved to Queensland in a young age . Glen Sheil was born in Queensland and moved to Sydney at a young age . 0 +"The time setting of "" Leave It to Beaver "" is contemporary with its production -- in the early 1950s and the late 1960s ." "The time setting of "" Leave It to Beaver "" is contemporary with its production -- the early 1950s and the late 1960s ." 1 +It was shown at the Borneo Eco Film Festival on September 30 , 2012 , when it was first premiered in Borneo . It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , because it was first shown in Borneo . 0 +In 2003 , Geneon Entertainment , formally Pioneer Entertainment , announced the license of Gungrave in North America . In 2003 , Pioneer Entertainment , formally Geneon Entertainment , announced the Gungrave license in North America . 0 +On April 27 , 1763 , a council of several American Indian tribes from the Detroit region listened to a speech from the Ottawa leader Pontiac . On April 27 , 1763 , a council of several Indian tribes from the Ottawa region heard a speech from the Detroit leader Pontiac . 0 +"Emma Watson was Lytton 's double in the film "" Harry Potter and the Chamber of Secrets "" ." "Emma Watson was Lytton 's doppelgänger in the film "" Harry Potter and the Chamber of Secrets "" ." 1 +With the weakening of the Canadian dollar , manufacturing sales and exports increased in November and December 2015 , and employment rose . With the weakening of the Canadian dollar , manufacturing sales and exports and employment increased in November and December 2015 . 1 +Instead , AC3 enables producers to choose the input level over a wide range by representing a measured dialog value , including the required dialog level of the input signal . Instead , AC3 allows producers to choose input level over a wide range , by representing a measured dialnorm value , including the required dialog level of the input signal . 1 +Neustadtl an der Donau is a city in the Amstetten district of Lower Austria in Austria . Neustadtl an der Donau is a town in the district of Lower Austria in Amstetten in Austria . 1 +Guru ( Kay Kay Menon ) and Ganpat ( Dilip Prabhavalkar ) are a car thieves . Guru ( Kay Kay Menon ) and Ganpat ( Dilip Prabhavalkar ) are small-time car thieves . 1 +""" Once in a Lifetime "" was chosen as the national entry at the Estonian final , Eurolaul , on 5 February ." "At the Estonian final Eurolaul on 5 February , "" Once in a Lifetime "" was chosen as the national contribution ." 1 +A second portion is exposed to a positive allergen , such as Pokeweed , to serve as a universal control . A second portion is exposed to a positive allergy such as pokeweed to serve as universal control . 1 +The couple had their first child , Shalk Jr , in August 2012 , and in March 2014 his second son Nicol was born . The couple had their first child , Nicol , in August 2012 , and their second son Schalk Jr. was born in March 2014 . 0 +Geographically , the NDP campaign focused on seats in Scarborough and Etobicoke in Toronto , Hamilton , Ottawa , and North Ontario . Geographically , the NDP campaign focused on targeting seats in Toronto in Ottawa , Hamilton , Scarborough , and Etobicoke and North Ontario . 0 +He spent his exile in France and preached in Italy to Gareccio , where he preached . He spent his exile in Italy and , in France , preached Gareccio , where he preached . 0 +Godella is a municipality in the Comarca Valencia , Spain , Horta Nord province . "Godella is a municipality in the "" comarca "" of Valencia , Spain , province of Horta Nord ." 1 +The Longmen Wang were a cadet line of the Zhou dynasty hailed Taiyuan Wang , and Wang Yan and his grandson Wang Tong descended from his cadet line . The Longmen Wang were a cadet line of the Zhou dynasty that descended from Taiyuan Wang and carried Wang Yan and his grandson Wang Tong out of his cadet line . 0 +In 1964 , Igor married Moskvin Tamara Nikolayevna Bratus . Tamara Nikolayevna Bratus married Igor Moskvin in 1964 . 1 +Lars Ankerstjerne has written songs for Nik 'Jay , Burhan G and Rasmus Seebach as songwriters . As a songwriter , Rasmus Seebach has written songs for Nik & Jay , Burhan G and Lars Ankerstjerne . 0 +Wadsworth became editor in 1944 , when he succeeded Edward Taylor Scott , son of C. P. Scott . Wadsworth became the editor in 1944 when he succeeded C. P. Scott , the son of Edward Taylor Scott . 0 +Nature explains the hardware of cognitive processing , and information processing theory provides the cognitive functioning based on those hardware . Nature explains the hardware of cognitive processing and Information Processing theory provides cognitive functioning based on that hardware . 1 +In Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) , new exhibitions are planned . New exhibitions are planned in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . 1 +Gregory Gregory was born in Sydney and died at the age of 32 in the Darlinghurst region of the same city . Gregory was born in Sydney ; he died at the age of 32 in the Darlinghurst region of the same city . 1 +Sam has a much younger brother named Sam who is not much older than Hank Bennett 's eldest son . Sam has a much younger brother named Hank Bennett , who is not much older than Sam ’ s eldest son . 0 +In the United States , Scion were allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . 1 +John Franklin Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , son of William Armstrong and Mary W. I. Monroe . John Franklin Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of William Armstrong and Mary W. I. Monroe . 1 +On March 29 , 1861 , the Fort Fort Mason was re-occupied by federal troops and evacuated until 1869 after the Civil War . On March 29 , 1861 , the Fort Fort Mason was cleared by federal troops and reoccupied after the Civil War until 1869 . 0 +The visualization of single molecules , single cells , biological tissues and nanomaterials is an important and attractive approach in analytical science . The visualization of individual molecules , single cells , biological tissues and nanomaterials is an important and attractive approach in analytical science . 1 +Guan Yu agreed with Zhao Yan 's view and broke his plan to attack Cao Ren . Guan Yu agreed with Zhao Yan 's view and aborted his plan to attack Cao Ren . 1 +The Nordiques signed Free Agent Tony Currie from Edmonton Oilers , while Blake Wesley , who signed with the Toronto Maple Leafs , lost . The Nordiques signed Free Agent Tony Currie from the Toronto Maple Leafs , while Blake Wesley , who signed with Edmonton Oilers , lost . 0 +Kurgo products are also available in Europe through the distributor Accapi Group , while MasterPet Kurgo distributes products in Australia and New Zealand . Kurgo products are also available through the distributor Accapi Group in Australia and New Zealand , while MasterPet Kurgo products are sold in Europe . 0 +In this episode , Nellie Bertram ( Catherine Tate ) returns to the office to find Andy Bernard ( Ed Helms ) in the manager 's chair . In this episode , Nellie Bertram ( Catherine Tate ) returns to the office to find Andy Bernard ( Ed Helms ) on the manager 's chair . 1 +The white endocarp of the mangosteen has the same shape and size as a mandarin in diameter , but it is edible . The edible endocarp of the mangosteen has the same shape and size as a tangerine in diameter , but is white . 0 +With support from the Rockefeller Foundation and the Carnegie Foundation , Carter contributed . Carter countered with support from the Carnegie Foundation and the Rockefeller Foundation . 1 +The song was composed by Unnikumar , sung by Baburaj Puthur and written by Sidharthan Puranattukara . The song was composed by Unnikumar , singed by Baburaj Puthur and written by Sidharthan Puranattukara . 1 +The transcontinental ferry ran to 42nd Street and was for a short time a part of the main Lincoln Highway . The main ferry ran to 42nd Street and was for a short time part of the transcontinental Lincoln Highway . 0 +Following the death of David Neale in December 2005 , Paul Britton was named Chief Executive . 2006 : David Neale was appointed Chief Executive following the death of Paul Britton in December 2005 . 0 +Vitas Gerulaitis won in the final 4 -- 6 , 6 -- 3 , 6 -- 1 , 7 -- 6 against Guillermo Vilas . Guillermo Vilas won against Vitas Gerulaitis in the finals 4 -- 6 , 6 -- 3 , 6 - 1 , 7 -- 6 . 0 +He has performed at the Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach festivals . He has played at the festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . 1 +The nasal opening for the Eurasian species is triangular , unlike that of the North American race , which is square . The nasal opening for Eurasian species is triangular , unlike that of the North American race , which is square . 1 +The station signal could be heard from Vancouver , British Columbia to Vancouver , Washington , DC . The station signal could be heard from Vancouver , British Columbia to Vancouver , Washington . 1 +On 9 . December 1979 , Otto Müller died as a result of a serious lung complaint in the Carl von Basedow clinic in Merseburg . Otto Müller died on December 9 , 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . 1 +Duporth Holiday Village ( also Duporth ) was on Porthpean Road , just outside St Austell in South - Cornwall , England , UK . Duporth Holiday Village ( also Duporth ) was situated on Porthpean Road , just outside St Austell in south Cornwall , England , UK . 1 +This version of Robert Hammond is a xenobiologist - professor , an old friend of Hal Jordan and the son of Senator of the United States Hector Hammond . This version of Robert Hammond is a xenobiology professor , an old friend of Hal Jordan and the son of United States senator Hector Hammond . 1 +Nicky Romero ( born January 6 , 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . Nicky Romero ( born 6 January 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . 1 +Thomas Thomas Kane 's first memorable encounter with Elizabeth Wood was at the age of six when he was twenty years old . Elizabeth Wood 's first memorable encounter with Thomas Kane was at the age of six when he was twenty years old . 0 +The magazine received its present name in 1989 , and the following year became the World Jewish Bible Society of the Jewish Bible Association . The journal received its present name in 1989 , and the following year the World Jewish Bible Society became the Jewish Bible Association . 0 +Achieving this will determine , the player 's team to a playoff of eight teams that will promote the gold and silver medal recipients . Achieving this target will carry the player 's team to a playoff of eight teams that determine the gold and silver medal recipients . 0 +Deaton was born in Clayton , Oklahoma and his family lived in a tent on the New Mexico plains for two years . Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the Oklahoma plains . 0 +As a result , in 1570 , Sumitada sponsored the port of Nagasaki to the Portuguese and opened its development . As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and supported its development . 0 +He is a specialist in baroque and contemporary music . He is specialist in contemporary music and baroque music . 1 +He was born in Athens , Greece , and grew up in New York City , and then North Grafton , Massachusetts . He was born in Athens , Greece and grew up in New York City and then in North Grafton , Massachusetts . 1 +Zhuge Liang recommended Jiang Wan as his successor and Fei Yi as his successor to Jiang Wan . Zhuge Liang recommended Jiang Wan as his successor and Fei Yi as Jiang Wan 's successor . 1 +Burmese Chinese cuisine is based on Chinese cuisine , particularly from the provinces of Fujian , Guangdong and Yunnan , with local influences . Chinese cuisine is based on local cuisine , particularly from the provinces of Fujian , Guangdong and Yunnan , with Burmese - Chinese influences . 0 +The production was repeated from 8 June 2011 in Amsterdam and from 8 July 2012 in Berlin . Production was repeated in Berlin on 8 June 2011 and from 8 July 2012 in Amsterdam . 0 +Mhasad is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Mhasad is a village in Dahanu - district of Maharashtra , India . It is located in the Palghar Taluka . 0 +He was the father of historian Francis Andrew March and General Peyton C. March who was chief of staff of the United States Army during the First World War . He was the father of historian Francis Andrew March and General Peyton C. March , the chief of staff of the United States Army during World War I . 1 +He attempted suicide by breaking one of the lenses in his eyeglasses , slitting his wrists with the shards and swallowing them . He tried suicide by swallowing one of the lenses in his glasses , breaking his wrists with the shards and slitting them . 0 +Although its conjugate acid is highly reactive , peroxynitrite is stable in basic solutions . Although its conjugatic acid is highly reactive , peroxynitrite is basic in stable solutions . 0 +First run 3200m on the outer oval , then on the inner oval . 3200m races run on the outer oval first , then the inner oval . 1 +"In cooperation with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 through the camera "" ." "In collaboration with cousin Harold White , B & H Publications produced "" George Bernard Shaw Through The Camera "" in 1948 ." 0 +The river is located between the Amazon and the Negro . The river is located between the Negro River and the Amazon River . 1 +Jana Novotná and Jim Pugh won against Elizabeth Smylie and Patrick McEnroe in the finals 7 -- 5 , 6 -- 3 . Jana Novotná and Jim Pugh won in the final 7 -- 5 , 6 -- 3 against Elizabeth Smylie and Patrick McEnroe . 1 +He was signed by Chicago Rush on 14 November 2002 and was released by the Rush on 31 March 2003 . He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on March 31 , 2003 . 0 +The top township , officially the Charter Township of Superior , is a charter township of Washtenaw County in the U.S. state of Michigan . Superior Township , officially the Charter Township of Superior , is a charter township of Washtenaw County in the U.S. state of Michigan . 1 +In the old texts , 18 or 20 early schools are mentioned . In early texts , 18 or 20 old schools are mentioned . 0 +Benzoylfentanyl was banned in Sweden in September 2017 , and in Finland in October 2017 . In Finland , benzoylfentanyl was banned in September 2017 and Sweden in October 2017 . 0 +Multilayered dinosaur eggs are known from , in order of discovery , France , Spain , Mongolia , India , Argentina , Canada , Montana , and Utah . Multilayered dinosaurs - eggs are known in order of discovery from France , Spain , Mongolia , India , Argentina , Canada , Montana and Utah . 1 +The mesoscopic weighting function for the wavelength formula 1 can be written as a weighted sum ; The weighted weighting function at wavelength formula _ 1 can be written as the mesoscopic sum , 0 +"His father was under Louis XVI , an officer in the "" black musketeers "" , the musketeer of the military budget of the King of France ." "Under Louis XVI his father was an officer in the "" black musketeers "" , the musketeers of the military household of the King of France ." 0 +"Ingham wrote that in December 1872 the college newspaper , the "" Algona Collegian "" , reported the following tuition fees :" "Ingham reported that in December , 1872 , the college newspaper , the "" Algona Collegian "" wrote the following tuition :" 0 +The Archdiocese of New York has attempted to replace the structure since the closure with the offer to demolish the structure with affordable housing for the elderly . The Archdiocese of New York has tried to replace the structure with the supply since the closure , to demolish the affordable housing structure for the elderly . 1 +On Victory Road , they introduced their new manager , Voodoo Queen , Christy Hemme , to embarrass Roxxi Laveaux . At Victory Road , they introduced their new manager , the Voodoo Queen , Roxxi Laveaux , to embarrass Christy Hemme . 0 +Adults often remove paper from old nests and recycle it to use it for new ones . Adults often remove paper from old nests and recycle it to use for new ones . 1 +Flanders Expo is the biggest event hall in Flanders and the 40th biggest in Belgium and the second largest exhibition complex in the world . Flanders Expo is the largest event hall in the Flanders region and the 40th biggest in Belgium . It is the second biggest exhibition complex in the world . 1 +Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 , against Rafael Nadal and Bartolomé Salvá-Vidal . Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 against Rafael Nadal and Bartolomé Salva-Vidal . 1 +When Green retired in 1914 , Holt succeeded Chief Inspector . When Green retired in 1914 , Holt succeeded him as Chief Inspector . 0 +The incumbent Democrat Jim Webb ran for re-election to a second term , but lost in a narrow race against the Republican George Allen . Incumbent Democrat Jim Webb ran for re-election to a second term , but lost in a narrow race to Republican George Allen . 1 +Henny Trylesinski , also known as Henny Trayles ( Argentina , 4 June , 1937 ) is a Uruguayan-born German actress and comedian , who lives in Hamburg . Henny Trylesinski , also known as Henny Trayles ( Argentina , June 4 , 1937 ) , is a Uruguayan - born German actress and comedian who lives in Hamburg . 1 +Christine married Julian Popescu in 1956 and had four children , including Charlotte Popescu , who also wrote children 's pony books . In 1956 , Christine Julian Popescu married and had four children , including Charlotte Popescu , who also wrote child pony books . 0 +In August 2009 , CBS Radio sold KUFO to the Portland-based radio conglomerate Alpha Broadcasting . In August 2009 , CBS Radio KUFO sold to the Portland-based radio company Alpha Broadcasting . 0 +Eugene Luening ( sometimes Eugen Luening ) ( 1852 -- 1944 ) was a Milwaukee born musician of German descent . Eugen Luening ( sometimes Eugene Luening ) ( 1852 -- 1944 ) was a musician of German origin born in Milwaukee . 1 +However , it was purchased by McVities and then bought by Murdoch Allan and Sons . However , it was bought by McVities and then purchased by Murdoch Allan and Sons . 1 +Importantly , Stile antico became the main language of the musical statement of Pękiel after his move to Wawel . After his move to Wawel , style antico became the main language of the musical statement of Pękiel . 1 +As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Atlanta , Landover and Everett . As part of a tightening campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Everett , Landover and Atlanta . 1 +He was a member of the State Fair Stadium Commission , chairman of the Louisiana State Fair Board , and a chairman of the Louisiana Superdome in New Orleans . He was a member of the Louisiana State Fair Board , chairman of the State Fair Stadium Commission , and a commissioner of the Louisiana Superdome in New Orleans . 0 +The original squadron 159 was to be dissolved during the First World War , but the idea was formed so that strengthening could be sent to France . The original 159 Squadron was to be formed during the First World War , but the idea was disbanded so that reinforcements could be sent to France . 0 +Towradgi is situated on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . Towradgi is located on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . 1 +The Rockox House is a former residence of the Rockox family and Belgian private museum of KBC Bank in the city of Antwerp , Belgium . The Rockox House is a Belgian private house of the Rockox family and former museum of the KBC Bank in Antwerp , Belgium . 0 +The band is currently led by Pipe Major Gary Nimmo and Drum Sergeant Shaunna Hilder , together with support of Pipe Sergeant Gary Corkin and Pipe Corporal David Hilder . The band is currently led by Pipe Major David Hilder and Drum Sergeant Gary Corkin with the support of Pipe Sergeant Shaunna Hilder and Pipe Corporal Gary Nimmo . 0 +On September 11 , 2017 , a second series of revival began and the fourth series overall . A second series of the revival , and the fourth series overall , started on 11 September 2017 . 1 +Mowbray Park , a large park on the riverside , was the location of a public swimming pool built into the river until the 1930s . Until the 1930s , the Mowbray Park , a public river park , was the site of a large swimming pool built into the river . 0 +Later in the war , Talaat Pasha served as Minister of the Navy in the CUP cabinet of Mahmud Pasha . Later in the war , Mahmud Pasha served as the Minister of the Navy in the CUP cabinet of Talaat Pasha . 0 +The book proposes a political reform for Switzerland which has never been realized because of legal controversies . The book proposes political reform for Switzerland , which has never been realized because of legal controversies . 1 +"After consolidating with the "" Commercial "" in 1877 , the paper was then renamed and was again known as the "" Commercial Gazette "" ." "After the consolidation with the "" Commercial "" in 1877 , the paper was renamed and was then known as "" Commercial Gazette "" ." 0 +It is part of the NE - Sioux City , IA -- SD Metropolitan Statistical Area . It is part of the Sioux City , IA -- NE -- SD Metropolitan Statistical Area . 0 +This all leads to a large cat fight during the big homecoming game . All this leads to a big cat fight during the great homecoming game . 1 +Manuela Maleeva defeated Hana Mandlíková by 6 -- 4 , 6 -- 2 . Hana Mandlíková defeated Manuela Maleeva 6 -- 4 - - 2 0 +Canada is represented in Cambodia through its UN mission in New York City . Canada is represented by its UN mission in New York City in Cambodia . 1 +Then were manufactured at ROF Bishopton and filled with ROF Chorley and later at ROF Glascoed . Naval propellants were then manufactured at ROF Bishopton and filled at ROF Chorley , and later ROF Glascoed . 1 +She was nominated for a Sobey Art Award in 2017 ( nominated for the Prairies and the North ) . In 2017 , she was nominated for a Sobey Art Award ( shortlisted for the Prairies and the North region ) . 0 +"He won the second Prix de Rome for painting in 1813 and the first Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." "He won the first Prix de Rome for painting in 1813 and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagoras "" ." 0 +22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English descent . 22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English origin . 0 +Although neither Maladhar Basu nor Chandidas were Vaishnavas , they should lay the foundation for much of the following Vaishnava poetry in Bengal . Although neither Maladhar Basu nor Chandidas were Vaishnavas , they were to lay the foundation for much of the following Vaishnava poetry in Bengal . 1 +"In Ngapoi Ngawang Jigme , "" Ngapoi "" was , for example , his family name and "" Nga - Wang Jigmê "" his personal name ." "For example , in Ngapoi , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga-Wang Jigmê "" his personal name ." 0 +Mikhail Kukushkin defeated 1st seed Mikhail Youzhny 6 -- 3 , 7 -- 6 to win this tournament . Mikhail Youzhny defeated the 1st seed Mikhail Kukushkin 6 -- 3 , 7 -- 6 to win this tournament . 0 +The city of Ayutthaya was founded by Phraya Kotabongthevaraja in 1058 and was first part of the Sukhothai Kingdom and later of Phichit . The town of Ayutthaya was established in 1058 by Phraya Kotabongthevaraja , and was first part of the Sukhothai Kingdom , and later of Phichit . 1 +"If the programmer does not provide a constructor for an instantiable class , a "" default constructor will be provided in most languages ." "If the programmer does not provide a constructor for an instantiable class , most languages will supply a "" default constructor "" ." 1 +The 1976 season of 2. deild karla was the 11th season of third-tier football in Iceland . The 1976 season of 2. deild karla was the 11th season of third placed football in Iceland . 1 +Moore was survived by his wife Lillian and their daughter Marjorie Ann Snave . Moore was survived by his wife Marjorie Ann Snave , and daughter Lillian . 0 +OPAL is a high-level interface for low - level - physics engines used in games , robotics simulations and other 3D applications . OPAL is a high-level interface for low-level physics engines used in games , robotics simulations , and other 3D applications . 1 +The captain is actually murdered by Mr Cutler Beckett , who is working for Mercer . The captain is actually murdered by Mr. Cutler Beckett who is working for Mercer . 1 +In 2017 she was shortlisted for a Sobey Art Award ( nominated for the Prairies and the North region ) . She was nominated for a Sobey Art Award ( nominated for the Prairies and the North ) in 2017 . 1 +Borchers was born in Šilutė ( German : Heydekrug ) , Region Klaipėda ( German : Memelland ) , Lithuania in a German family , either Prussian - Lithuanian or Memellanderischen family . Borchers was born in Šilutė ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , Lithuania in a German either Prussian Lithuanian or Memellander family . 0 +The sixth studio album was released on February 24 , 2010 in Japan , on March 2 , Canada , on March 3 in Europe and on April 6 in North America . Kalmah 's sixth studio album was released in Japan on 24 February 2010 , Canada on 2 March , Europe on 3 March and North America on 6 April . 1 +Because of the high cost of Stromectol , the lifelong formula Ivomec can be used government programs are needed to help citizens finance veterinary medicines . Because of the high cost of Stromectol , the lifelong formula Ivomec can be used . Government programs are needed to help citizens finance veterinary medication . 1 +The SSSI covers an area of 190,3 hectares , while the SAC has 168.3 hectares . The SSSI has an area of 190.3 ha , while the SAC covers 168.3 hectares . 1 +"In Harry Turtledove 's alternate history novel "" Southern Victory : "" , one of the Freedom Party Guards appears to be Chapman ." "In Harry Turtledove 's alternate history novel "" Southern Victory : "" seems to be one of the Freedom Party Guards Chapman ." 1 +He played in 2007 at Chicago Lollapalooza , and in 2008 at the FuckYeah Festival in Los Angeles . He played in 2007 in Los Angeles Lollapalooza and 2008 in Chicago at the FuckYeah Festival . 0 +Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney . It is in the City of Hawkesbury . Grose Wold is a suburb of Sydney , in the state of New South Wales , Australia . It is located in the city of Hawkesbury . 0 +He attended 2011 training camp with the NHL 's Carolina Hurricanes , but was sent to Charlotte , then to Florida , for training camps . He attended training camps with the NHL Carolina Hurricanes in 2011 , but was sent to Charlotte , then to Florida for training camps . 1 +Webmention was originally developed in the IndieWebCamp community and published as W3C Working Draft on January 12 , 2016 . Webmention was originally published in the IndieWebCamp community and developed as a W3C working draft on January 12 , 2016 . 0 +With 26 of the team 's 41 points Carter started and the All Blacks finished their tour on the highest level . Carter finished with 26 of the team 's 41 points and the All Blacks started off their tour on the highest possible note . 0 +In 1964 , Djamila Amrane became after her marriage to Danièle Minne . In 1964 , Danièle Minne became Djamila Amrane by marriage . 0 +Sakura Spirit was a visual novel developed by Winged Cloud in 2014 and published by Sekai Project . Sakura Spirit is a 2014 visual novel developed by Winged Cloud and developed by Sekai Project . 0 +The Fixer Uppers is a short film from 1935 with Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . The Fixer Uppers is a 1935 short film with Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . 0 +Charles Gowan was born in New York in 1849 or 1850 , and migrated to Wisconsin early in life . Charles Gowan was born in Wisconsin in 1849 or in 1850 and emigrated early to New York . 0 +The 1990 Philadelphia Wings season marked the team 's fourth season of operation and second league championship . The 1990 Philadelphia Wings season marked the second season of the team operation and fourth championship . 0 +The Putna River is a left tributary of the Deju River in Romania . The river Deju is a left tributary of the Putna River in Romania . 0 +Taylor grew up in Mount Duneed just outside the coastal town of Torquay in Victoria . Grown up in Mount Duneed , just outside the coastal town of Torquay in Victoria , Taylor grew up . 1 +""" The library is a dream in architectural beauty and a model in interior "" , according to a newspaper article that tells the affair ." """ The library is a dream in architectural beauty and a model in interior arrangement , "" according to a newspaper article recounting the affair ." 1 +Erikson formed the rock band Spooner in 1974 with two fellow musicians in Madison , Wisconsin . Spooner founded the rock band Erikson with two fellow musicians in Madison , Wisconsin in 1974 . 0 +Every report that was updated in February 2011 contains data for the completed school year . "that was updated in February 2011 . Each report contains data for the previous completed school year. """ 1 +Spinoza 's father was born about a century after this forced conversion in the small Portuguese town of Alentejo , near Beja in Vidigueira . Spinoza 's father was born about a century after this forced conversion in the small Portuguese city of Vidigueira , near Beja in Alentejo . 0 +Sentence elements ( with the exception of verbs ) can be updated by moving to the beginning of the sentence and being marked with raised eyebrows . Sentence elements ( with the exception of verbs ) can be raised by moving to the beginning of the sentence and being marked with themed eyebrows . 0 +On 14 October 1923 , however , they attempted to rob the Eltz family estate in Vinkovci near Ivankovo . On 14 October 1923 , however , they tried to rob the family estate of Eltz in Ivankovo near Vinkovci . 0 +The mouth may be apical or ventral , with more or less prominent associated polykinetids . The mouth may be apical or ventral , with more or less prominent associated polykinetides . 1 +11 ( BA11 ) is one of the most important military airbases in Portugal , northwest of Beja , north of the Algarve . 11 ( BA11 ) is one of the most important military airbases in Algarve , northwest of Beja , north of Portugal . 0 +Jolley died in 1908 and the newspaper was bought by Galen Seaman . In 1908 , Jolley died and the newspaper was bought by Galen Seaman . 1 +The region is famous for its white wines , but also for the sparkling wines ( white , red and rosé ) . The region is renowned for its sparkling wines , but also for its white wines ( white , red and rosé wines ) . 0 +He and his wife Anne ( a weaver ) had two children , Julian ( born in 1947 ) and Mary ( born 1952 ) . Potter married in 1945 . He and his wife Anne ( a weaver ) had two children , Julian ( born 1947 ) and Mary ( born 1952 ) . 1 +The Americas Minor had four teams invited , three teams from the North American qualifier , and one team from the South American qualifier . The Americas Minor had invited four teams , three teams from the North American qualifier and a team from the South American qualifier . 1 +The specification is a method of describing teaching strategies ( educational models ) and pedagogical goals . The specification is a method for describing teaching strategies ( educational models ) and pedagogical goals . 0 +On 1 April 2011 , West Africa - Democracy - Radio ( WADR ) launched a news platform that included Airtime . West Africa Democracy Radio ( WADR ) incorporated a news platform that launched Airtime on April 1 , 2011 . 0 +He performed it again with Josepha Duschek on 12 May 1789 in the Gewandhaussaal in Leipzig on his Berlin journey . He listed it again on 12 May 1789 with Josepha Duschek in the Gewandhaussaal Leipzig on his Berlin journey . 1 +However , most white horses have a pink skin and some have blue eyes . However , most pink horses have white skin and some have blue eyes . 0 +Dunkerton moved to London from Herefordshire at the age of 14 . Dunkerton moved from Herefordshire to London at the age of fourteen . 1 +The manuscript was presented by Nicephorus Glykas , Bishop of Imbro , to Eduard Reuss . The manuscript was presented to the Bishop of Imbro , Nicephorus Glykas , Eduard Reuss . 1 +Varshamov was with Arnold Walfisz ( where he studied Georgian ) in Tbilisi . Varshamov was in Tbilisi with Arnold Walfisz ( where he studied Georgian ) . 1 +WORHP , also referred to by ESA as eNLP ( European NLP Solver ) , is a non-linear software library for numerically solving continuous mathematical optimization problems . WORHP , also referred to as eNLP ( European NLP solver ) by ESA , is a mathematical software library for solving continuous large scale nonlinear optimization problems numerically . 0 +Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic Haskell programming language . Xmonad is a dynamic window manager ( tiling ) for the X Window System , written in the functional programming language Haskell . 0 +Zina Garrison and Sherwood Stewart were the title defenders , but lost to Jana Novotná and Jim Pugh in the second round . Jana Novotná and Jim Pugh were the defending champions but lost in the second round to Zina Garrison and Sherwood Stewart . 0 +Herefordshire has won the Minor Counties Championship once , sharing the title with Norfolk in 2002 . Herefordshire has once won the Minor Counties Championship and shared the title with Norfolk in 2002 . 1 +Her children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Senate of Wisconsin . Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . 0 +Central Italy refers to the areas of Abruzzi e Molise , Marche , Umbria , Lazio and Tuscania . Central Italy refers to the areas Tuscania , Marche , Umbria , Lazio and Abruzzi e Molise . 1 +Lauderdale also played in the CBA , China , Spain , England , Iran , Venezuela , Cyprus , Lebanon , Saudi Arabia , and the United Arab Emirates . Lauderdale also played in the CBA , China , Venezuela , Cyprus , Lebanon , Saudi Arabia , Iran , Spain , the UK and the United Arab Emirates . 1 +Choreographies can be discovered using variational methods , and more recently , planar approaches have been used to attempt a classification in the topological case . Choreographies can be discovered using variation methods , and more recently planar approaches have been used to attempt a classification in the topological case . 1 +Tampa became less important when several digger projects made the port of Tampa accessible to all shipping . Tampa became less important when several dredging projects made the Port of Port Tampa accessible to all shipping . 1 +The main coach of the aviators was Carl Carl Caldwell , and the general manager was Mike McCoy . Carl Caldwell was the head coach of the Aviators , and Mike McCoy was the General Manager . 1 +The wettest calendar year since 1948 has been with and the driest of 1956 since 1965 . The wettest calendar year since 1948 has been 1965 with and the driest 1956 with . 1 +Bobby Osborne worked with the Osborne Brothers until Mosley 's retirement in 2003 and with Sonny and his band , the Rocky Top Express , until 2011 . Bobby Osborne worked with The Osborne Brothers until Mosley 's retirement in 2003 , and then with Sonny and his band , the Rocky Top Express , until 2011 . 1 +After four years it moved to the house of Conte Luigi Ferdinando Marsigli , which had more space , and moved back to the Palazzo of Jacopo Sandri in 1705 . After four years it moved to the house of Jacopo Sandri , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . 0 +The Three Sisters are volcanic peaks that form a complex volcano in the U.S. state of Oregon . The three sisters are complex peaks that form a volcano in the US state of Oregon . 0 +Martha Chardevoyne married Jack Shackelford after his wife was died in 1842 . After his wife had died in 1842 , Jack Shackelford married Martha Chardevoyne . 0 +On September 15 , 2015 , Johnson signed with Polish team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Romanian team Stal Ostrów Wielkopolski . On 15 September 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on 17 July 2016 . 0 +3M agreed the name change to Acquire , and Sackson suggested . 3M agreed to the change of name in Acquire and Sackson suggested . 1 +In the 1970s , W & R Jacob in Dublin merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Tallaght , Ireland . In the 1970s , W R Jacob merged with Bolands Biscuits to Irish Biscuits Ltd. in Dublin and moved to Tallaght , Ireland . 1 +Shiva wanted to see God , but Sati was in the darkness that Rama was a manifestation of Rama . Shiva wanted to see Rama , but Sati in the dark was that Rama was a manifestation of God . 0 +In 2009 , Paddon Crocker defeated Crocker again and took his third victory in 2010 through Emma Gilmour . Paddon defeated Crocker again in 2009 and took his third victory in 2010 over Emma Gilmour . 1 +"The name "" Macaire "" seems to have several claims of origin : it was a male or female name and is currently considered a male name ." "The name "" Macaire "" appears to have several claims to origin : it was a male name and is currently considered a male or female name ." 0 +Carsten Ball and Andre Begemann won the title , defeating Grégoire Burquier and Yannick Mertens 6 -- 2 , 6 -- 4 in the final . Carsten Ball and Andre Begemann won the title and defeated Grégoire Burquier and Yannick Mertens 6 -- 2 , 6 - 4 in the final . 1 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( number 243 ) and Scrivener ( number 218 ) . The manuscript was added to the list of New Testament manuscripts by Scrivener ( number 243 ) and Gregory ( number 218 ) . 0 +In January 1967 , Daltoni won the second place at Belgrade 's first Guitar festival . In January 1967 , Daltoni won first place at the second Belgrade Guitar Festival . 0 +It is native to Central and Southern Europe from the British Isles , Turkey , the East to Portugal , Ukraine and the Baltic States . It is native to central and southern Europe from the British Isles + Portugal east to Turkey + Ukraine + Baltic States . 0 +Seelbach is located on the western edge of the Schuttertal valley in the Black Forest , south-east of Lahr . Seelbach is located on the western edge of the Schutter Valley in the Black Forest , south-east of Lahr . 1 +Justice SAbdul Nazeer ( born 5 January 1958 at Moodbidri near Beluvai ) is a judge of the Supreme Court of India . SAbdul Nazeer ( born January 5 , 1958 in Beluvai near Moodbidri ) is a judge of the Supreme Court of India . 0 +Belson as Visual Director programmed live kinetic visuals and Jacobs programmed electronic music and audio experiments . Belson as audio director programmed kinetic live visuals , and Jacobs programmed electronic music and visual experiments . 0 +Al Hijfar is a village in Jizan Province , in south-western Saudi Arabia . Al Hijfar is a village in Saudi Arabia , in the south-western province of Jizan . 0 +The river Dunăreana is a tributary of the River Galbena in Romania . The river Galbena is a tributary of the Dunăreana river in Romania . 0 +At Wang Laboratories , he held various posts before joining IBM in 1981 . He held various positions at Wang Laboratories before joining IBM in 1981 . 1 +Mark Williams is played by Olaf Petersen in the television series . In the TV series , Mark Williams is played by Olaf Petersen . 1 +Electrical elements such as inductors and capacitors used in non-ideal analog computers had to be carefully manufactured to reduce electrical effects . Electrical elements such as inductors and capacitors used in non-ideal analog computers must be carefully manufactured to reduce electrical effects . 1 +The exterior colors are red , black , silver , cool vanilla and dark titanium . Exterior colors are red , black , silver , dark vanilla , and cool titanium . 0 +Nujoma was succeeded as President of Namibia by Hifikepunye Pohamba in 2005 . Hifikepunye Pohamba was replaced in 2005 by Nujoma as President of Namibia . 0 +Local sustainability strategies will show ways in which the Community ’ s decline is to be reversed and local sustainability is to be created . The local sustainability strategies will state ways in which community decline is to be created and local sustainability is to be reversed . 0 +Hugo Santana Páez ( born September 5 , 1967 ) is a former football manager and Mexican player . Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football manager and previous player . 0 +The Turks , Tibetans , Muslim Arabs , and Tang competed for control of Central Asia until the tang 's collapse in the 10th century . The Turks , Tang , Muslim Arabs , and the Tibetans competed for control of Central Asia until the tang ’ s collapse in the 10th century . 1 +Administratively , this island belongs to the Russian Federation of Oblast Astrakhan . Administratively , the island belongs to the Astrakhan Oblast of the Russian Federation . 0 +Guido died in 1955 , and the company was managed until 1999 by his son Bruno Caloi . In 1955 , Bruno Caloi died and the company was managed until 1999 by his son Guido . 0 +The two main water systems are the Guayas in the North and the Esmeraldas River in the South . The two main water systems are the Guayas in the north and the Esmeraldas in the south . 1 +Many provinces and states organize regional and provincial championship tournaments , and the highest age groups in Canada and the USA also participate in national championships . Many , many provinces and states organise national championship tournaments , and the highest age groups in Canada and the USA also participate in regional and provincial championships . 0 +Pennsauken Township is located in the 6th Congressional District and is part of New Jersey 's 1st state legislative district . Pennsauken Township is located on the 6th Congressional District and is part of the 1st State Legislative District in New Jersey . 1 +He was born April 23 , 1979 in Guayaquil -- Ecuador , under the sign of Taurus , the last of five children . He was born on April 23 , 1979 in Ecuador -- Guayaquil , under the sign of the Taurus , the last of five children . 0 +Romanian nationalism promotes nationalism , which claims that Romanians are a nation and the cultural unity of the Romanians . Nationalism is nationalism , which claims that the Romanians are a nation and promotes the cultural unity of Romanians . 0 +The town of Otisfield , currently in Oxford County , was part of the Cumberland County until 1978 . The city of Otisfield , currently in Cumberland County , was a part of Oxford County until 1978 . 0 +It responds weakly alkaline and gives a deep red color with iron ( III ) chloride . It reacts weakly alkaline and gives with iron ( III ) chloride a deep red color . 1 +A strange dark boy , mistreated by his parents , offers a young rider a play of his meal . A young boy , mistreated by his parents , offers a strange dark rider a piece of his meal . 0 +The Gill family closed the mill in 1968 and sold it to its new owners in 1980 . The Gill family sold the mill in 1968 and was closed by the new owners in 1980 . 0 +He was trained at the Remonstrant seminary of Haarlem and first served in Emden 1733-1736 before moving to Amsterdam . He was trained at the Remonstrant Seminary in Haarlem and first served in Emden from 1733-1736 before moving to Amsterdam . 1 +"The names "" Googol "" and "" Googolplex "" were invented by Newman 's nephew Milton Sirotta and introduced in 1940 to the book of Kasner and Edward Kasner ." "The names "" Googol "" and "" Googolplex "" were invented by Edward Kasner 's nephew Milton Sirotta and introduced into the book by Kasner and Newman in 1940 ;" 0 +Jack Evans won his second Cruiserweight Title by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . Jack Evans won his second Cruiserweight track by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . 1 +"In 1942 , Breton collaborated with the artist Lam on the publication of Breton 's poem "" Fata Morgana "" , illustrated by Wifredo Lam ." "In 1942 , Breton collaborated with the artist Wifredo Lam on the publication of Breton 's poem "" Fata Morgana "" , illustrated by Lam ." 1 +Prior to his arrival in Sweden in 2002 , Mišović was in Serbia where he was involved in organized crime , he left the country to avoid arrest . Prior to his arrival in Serbia in 2002 , Mišović was in Sweden , where he was involved in organized crime , and he left to escape the arrest . 0 +They were built by Electric Boat and were designed by other yards under subcontracts . They were built by Electric Boat and were designed under subcontracts by other shipyards . 1 +Mode 9 was born in Osun State on June 14 , 1975 as the third child of his parents but maintains , ( London ) as his origin . Fashion 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origin . 0 +"Roy Roy Bargy was at the piano "" One "" , and Green and Ramona played the other two pianos ." "Green was at piano "" one , "" and Roy Bargy and Ramona played the other two pianos ." 0 +""" m "" is the number of edges and "" n "" represents the number of vertices ." """ m "" represents the number of edges and "" n "" is the number of corners ." 0 +The banknotes issued by the three commercial banks are printed at Hong Kong Note Printing Limited in Hong Kong . The notes printed by the three commercial banks are issued by Hong Kong Note Printing Limited in Hong Kong . 0 +This leads him to question further the reality of his existential life , providing the very element . This leads him to question the reality of his existential life further by providing the element itself . 1 +Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums with Lou Eagler . Gordon played guitar , Danny Kortchmar played bass and Lou Adler played drums with Charles Larkey producing . 0 +The Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th Psalm in the Biblical Book of Psalms . Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th psalm in the biblical Book of Psalms . 1 +Operation Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator video game developed by Codemasters and published by Bohemia Interactive Studio in 2001 . Operation Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator - videogame developed by Codemasters and published by Bohemia Interactive Studio in 2001 . 1 +The film was produced , directed and edited by Tom Flannery and Lorne Clarke . The soundtrack was composed by Bruce David Janu . The film was produced , staged and edited by Bruce David Janu , the soundtrack was composed by Tom Flannery and Lorne Clarke . 0 +"Thin ice is a British drama of the big final productions based on the long-running audio - science - fiction - television series "" Doctor Who "" ." "Thin Ice is a Big Finish Productions British drama based on the long-running audio science fiction television series "" Doctor Who "" ." 1 +He is trained by Daniel Jacobs and shares a gym with the former World Champion Andre Rozier . He is trained by Andre Rozier and shares a fitness center with former World Champion Daniel Jacobs . 0 +The Moines is included in the Warren County -- West Des Moines , Metropolitan Statistical Area IA . Warren County is included in the Des Moines -- West Des Moines , IA Metropolitan Statistical Area . 0 +In 1912 she met the painter George Bouche , and they had a son , Edmond , in 1915 . Charmy and Bouche married in 1935 . In 1912 she met the painter George Bouche , and in 1915 they had married a son , Edmond , and Charmy and Bouche married in 1935 . 0 +On October 11 , 2007 , Daiki Kameda defeated Naito by unanimous decision for the first defense of his WBC and lineal titles . On October 11 , 2007 , Daiki cameda defeated Naito by unanimous decision for the first defense of his WBC and linear titles . 1 +Mowbray Park , a large riverside park , was until the 1930s , the site of a public swimming pool built into the river . Until the 1930s , the Mowbray Park , a public river park , was the site of a large swimming pool built into the river . 0 +Hannah died in March 1977 , and retired the following year . In March 1977 , Hannah retired and died the following year . 0 +An operational VMS system has access to one or more online media , each of which contains a complete , independent file system . An online VMS system has access to one or more operational disks , each of which contains a complete , independent file system . 0 +"The "" Newsreel "" was the successor to Zepps ' apos ; long weekly comedy - Sketch "" Friday News Review "" , in which Mike Carlton also performed ." "The "" Newsreel "" was the successor to Mike Carlton 's long-running weekly comedy sketch "" Friday News Review "" , which Zepps also performed in ." 0 +Ian Weatherhead lived in Cheltenham many years before moving to Somerset . For many years , Ian Weatherhead lived in Somerset , before moving to Cheltenham . 0 +Clayton Mendel Stromm adorns after calling Tinkerer , who calls him an updated version of his clash suit . After calling Tinkerer who calls him an updated version of his Clash suit , Clayton makes up Mendel Stromm . 0 +( Lech Wałęsa accepted symbols of the pre-war presidency from Ryszard Kaczorowski ) . ( Lech Wałęsa accepted the symbols of Ryszard Kaczorowski 's pre-war presidency ) . 1 +Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong at the Hong Kong Chief Executive elections in 2007 . In the Hong Kong Chief Executive election , 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . 1 +Only the sara of the South was governed effectively , the French presence in the Islamic North and East was nominal . Only the Sara of the south was governed effectively ; nominal presence in the French north and east was Islamic . 0 +In 2008 , Tim Hutten from UC Irvine and Courtney Mathewson from UCLA won the Cutinos . In 2008 , Courtney Mathewson from UC Irvine and Tim Hutten of UCLA won the Cutinos . 0 +In addition , there are indigenous dialects spoken by many other Malay communities , such as Dayak and Iban . In addition , there are many other Malay dialects that are spoken by indigenous communities such as Dayak and Iban . 0 +The 2012 Central Connecticut State University football team represented Central Connecticut Blue Devils in the 2012 NCAA Division I FCS football season . The 2012 Central Connecticut State University football team represent Central Connecticut Blue Devils in the NCAA Division I FCS Football - Season 2012 . 1 +Due to the high prices and volatile capital costs , few deposits can be exploited economically without subsidies . Due to volatile prices and high capital costs , few deposits without subsidies can be exploited economically . 0 +He was born in Frederick Dallas Cairns in Melbourne , Australia and died in London , England , UK . Born in Frederick Dallas Cairns in London , England , UK , he died in Melbourne , Australia . 0 +Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and a German writer . Fritz Hoenig ( 1848 -- 1902 ) was a German officer and military writer . 0 +He was born in Zaandam , died in Almelo . He was born in Almelo and died in Zaandam . 0 +In 2006 , the newspaper celebrated its 90th anniversary and will be celebrating its 100th anniversary in 2016 . In 2006 , the newspaper celebrated its 100th anniversary and will be celebrating its 90th anniversary in 2016 . 0 +On 14 February 1998 , he retired as Bishop of Gibraltar and was replaced by Bishop Charles Caruana on 24 May of the same year . Charles Caruana retired as Bishop of Gibraltar on 14 February,1998 , and was succeeded by Bishop Devlin on 24 May of the same year . 0 +After Matt falls into a magical , coma-like slumber , Elena takes on more responsibility and finally becomes the sheriff of Mystic Falls . After Elena falls into a magical , coma-like slumber , Matt takes on more responsibility and eventually becomes the sheriff of Mystic Falls . 0 +The popular series follows a unique group of West Virginia craftsmen . The unique series follows a popular group of the West Virginia craftsmen . 0 +Libertyville 's water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) in Lake Bluff . The Lake Bluff water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) in Libertyville . 0 +He was born in Sioux City , Iowa , and died in Portland in Oregon . He was born in Portland , Oregon . He died in Sioux City , Iowa . 0 +A famous revival of the Tetraconch formula in the west is Bramante 's first draft for the Basilica of St. Peter , Rome . A tetraconch revival of the first formula in the West is Bramante 's famous design for the Basilica of St. Peter , Rome . 0 +The Communist Party of Pakistan was registered under the Article 17 of the Constitution of Pakistan , 1973 as reported vide . The Communist Party of Pakistan was registered under Article 17 of the Constitution of Pakistan in 1973 , as reported vide . 1 +According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so gave TNA the promos to Anarquia . According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , so TNA gave the promos to Anarquia . 0 +The series ends with Wonder Woman reconciling herself with Cassie , who tells Cassie that she has become her own wife . The series ends with Cassie reconciling with Wonder Woman , whom Cassie tells that she has become her own woman . 0 +KOTC : Live to Fight was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . KOTC : Fight to Live was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . 0 +"Freddy is found guilty of fire at Hotel "" Ter Smissen "" and the dead of Marianne ." "Freddy is found guilty of the fire in hotel "" Ter Smissen "" and the dead of Marianne ." 1 +After four years it moved to Conte Luigi Ferdinando Marsigli 's house , which had more space , and in 1705 moved again to the palazzo of Jacopo Sandri . After four years , it moved to Jacopo Sandris House , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . 0 +"Then he fought mechanic "" Gears "" Garvin and then met Baron Brimstone ." "Then he met mechanic "" Gears "" Garvin , and then fought Baron Brimstone ." 0 +is approximately ten miles from downtown Oklahoma City and borders to the north to the city of Nicoma Park and to the south to the city of Midwest City . Spencer is approximately ten miles from downtown Oklahoma City and borders the City of Nicoma Park to the east and the City of Midwest City to the south . 0 +"Also in Peaches Christ ' ; s "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow appeared Brown Brown ." "Brown also appeared in Peaches Christ 's "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow ." 1 +"In the Marvel Zombies universe , Namor has a cameo as a zombie in the limited "" Marvel Zombies "" original series ." "In the Marvel - Zombies - universe , Namor has a cameo appearance as a zombie in the limited series "" Marvel Zombies "" ." 0 +Clara Louise Janowsky ( 1886 - 1978 ) ( known as Clara Louise Bell ) was an American miniature painter . Clara Louise Bell ( 1886 -- 1978 ) ( known as Clara Louise Janowsky ) was an American miniature painter . 1 +Renée Descartes , the founder of analytical geometry , believed that the natural world is objectively measurable and that the space is infinitely divisible . Renée Descartes , the founder of the analytical geometry , believed that the natural world is objectively divisible and that the space is infinitely measurable . 0 +He also encountered Theodoros Kolokotronis , whom he came to admire later . Later , he met Theodoros Kolokotronis , whom he also wanted to admire . 0 +Original members of the NYL include : Hanford , Roosevelt , Merced , Visalia , Madera , Fresno and Edison . Original members of the NYL are : Fresno , Roosevelt , Merced , Visalia , Madera , Hanford and Edison . 1 +Robert Maass was born in East Orange , New Jersey , to study German immigrants Hedwig and Clara Maass . Clara Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Robert Maass . 0 +Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively divisible and that space is infinitely measurable . Renée Descartes , the founder of analytical geometry , believed that the natural world is objectively measurable and that the space is infinitely divisible . 0 +MiniScribe bought hard drive manufacturer Maxtor in 1990 . In 1990 , MiniScribe bought the hard drive manufacturer Maxtor . 1 +There are professional Barbershop Harmony Society and amateur groups who sing exclusively a cappella . There are professional Barbershop Harmony Society and amateur groups that sing a cappella exclusively . 1 +"It was recorded on his album "" From Elvis in Memphis "" and was released in American Sound Studio in Memphis on February 18 , 1969 ." "It was recorded on his album "" From Elvis in Memphis "" and was released on February 18 , 1969 at the American Sound Studio in Memphis ." 1 +"Bailly 's other works in Washington , D.C. include sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Other works by Benjamin Hallowell in Washington , D.C. , include sculptures of Bailly and Alexander "" Boss "" Shepherd ." 0 +Yesss was sold to Mobilkom Austria following the sale of Orange to Hutchison Whampoa . Yesss was sold to Mobilkom Austria following the sale of Orange to Hutchison Whampoa . 0 +Kuzmice is a village and municipality in the region of Košice in the district of Trebišov in eastern Slovakia . Kuzmice is a village and municipality in the district of Trebišov in the Košice region of Eastern Slovakia . 0 +The second stage was in Plymouth , the first time that the Tour de France was visiting England . The first stage was in Plymouth , the second time that the Tour de France visited England . 0 +Instead , AC3 allows producers to choose the input level over a wide range by including a required dialog value representing the measured dialog level of the input signal . Instead , AC3 enables producers to choose the input level over a wide range by representing a measured dialog value , including the required dialog level of the input signal . 0 +Beaten Guillermo Vilas defeated Björn Borg , 6 -- 1 , 6 -- 1 , 6 - 3 . Björn Borg defeated Guillermo Vilas , 6 -- 1 , 6 - - 1 , 6 - 3 0 +There are five elementary schools , one middle school and one high school . There are five elementary schools , one high school and one high school . 0 +The church serves the parish of West Blatchington , a residential area in the north of Hove , near the Brighton border . The church serves the parish of West Blatchington , a residential area in the north of Hove near the border with Brighton . 1 +Lake Vernon is located in Tiltill Valley , in the northern part of the Hetch Hetchy Valley north of Yosemite National Park . Lake Vernon is located in the Tiltill Valley in the northern sector of Hetch Hetchy Valley just north of Yosemite National Park . 1 +This chapel is blinded by a rib vault and a small composed right window in the Gothic wall . This chapel is blinded by a rib vault and a small right window in the Gothic wall . 1 +His positions at Columbia University and the American Museum of Natural History were used to develop and train several generations of students . Boas used his positions at Columbia University and the American Museum of Natural History to train and develop multiple generations of students . 1 +In 2012 , the airline carried 57,500 passengers per month to 15 domestic flights and 90,000 passengers on international routes ( about 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers to 15 domestic destinations and 90,000 passengers on international routes per month ( apx . 1.77 million passengers per year ) . 1 +Born in Beaumont , Texas , Brian Babin visited the High School in Woodville , TX , where his father was Lucas Mayor . Born in Beaumont , Texas , Lucas attended high school in Woodville TX , where his father , Brian Babin was the town mayor . 0 +Lake Provincial Park is a provincial park in the Canadian province Nova Scotia on the island of Boularderie . Dalem Lake Provincial Park is a provincial park located in the Canadian province of Nova Scotia on Boularderie Island . 1 +Kadria then fled Milić Krstić twice and shot . Then Kadria fled from Milić Krstić twice and shot . 1 +On 4 May 2015 , the UOB opened its branch in Myanmar in Yangon . On 4 May 2015 , the UOB opened its branch in Yangon , Myanmar . 0 +The region of Huánuco is the largest of the eleven provinces of the Province of Puerto Inca in Peru . The Huánuco Region is the largest of eleven provinces of the Puerto Inca Province in Peru . 1 +There were 12 female and 31 male athletes representing the country at the summer - Paralympics 2000 . There were 12 male and 31 female athletes representing the country at the 2000 Summer Paralympics . 0 +In February 2011 , MeadWestvaco sold its Envelope Products business , including the Columbian Brand Envelope , to the Quality Park Envelope Products Group of Cenveo Corporation . In February 2011 , MeadWestvaco sold its Envelope Products Business including the Columbian Brand Envelope to Cenveo Corporation 's Quality Park Envelope Products Group . 1 +The music was written by MS Baburaj and the lyrics by Poovachal Khader , Sreemoolanagaram Vijayan and Bichu Thirumala composed . The music was written by MS Baburaj and lyrics was composed by Poovachal Khader , Sreemoolanagaram Vijayan and Bichu Thirumala . 1 +Fiat - Money can be physically damaged or destroyed if it is accidentally displayed in the form of currency ( paper or coins ) . Fiat - Money can be accidentally damaged or destroyed if it is physically represented in the form of money ( paper or coins ) . 0 +His second wife was Anna Williams , sister of his first wife . His second wife was Anna Williams , his first wife 's sister . 1 +Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man and Tingvoll in Scotland bear names of the same root and significance . Dingwall and Tingwall in Scotland , Thingwall in England , Tynwald on the Isle of Man , and Tingvoll in Norway bear names of the same root and meaning . 0 +As an activity , techne is concrete , variable , and context-dependent . Techne is concrete , variable and context-dependent as an activity . 1 +On 22 June 1941 , the 85th , 56th , and 27th Rifle Divisions were part of the corps , as part of 3rd Army . On 22 June 1941 , the 85th , 56th and 27th rifle divisions were part of the corps as part of the 3rd army . 1 +Cotton gins continued to operate in Carencro until the last 1970s , when the middle two , Cotton Products Co. and Farmer 's Gin Co. , were closed . Until the late 1970s , when the middle two Cotton Products Co. and Farmer 's Gin Co. were closed , Cotton Gins continued to operate in Carencro . 1 +I 've created Francis Bacon figures in a Sidney Nolan landscape with stunts inspired by Jean Cocteau . I created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . 0 +Anna and Jake also start with Tess 's approval . Also , Anna and Jake start dating with Tess 's approval . 0 +He played for TuTo Turku and TPS , playing a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berliner SC . He played for TuTo Turku and Klagenfurter AC , playing a season in Austria for TPS and four seasons in the Bundesliga for the Berliner SC . 0 +He fought Wyatt Earp in a battle led by a young 21-year-old Mike Donovan on 4 July 1868 or 1869 in Cheyenne , Wyoming . He fought Mike Donovan in a bout refereed by a young 21-year-old Wyatt Earp on July 4 , 1868 or 1869 in Cheyenne , Wyoming . 0 +One of the main advantages of this approach is that routers become very simple . They are just a sensor , pulse reshaper and a transmitter . One of the main advantages of this approach is that the routers become very simple : they are just a sensor , a pulse - reshaper and a transmitter . 1 +After passing through Bryson City and the Bryson City Island Park , the Tuckasegee flows southwest for another before flowing into the Little Tennessee River . After passing through Bryson City and flowing around the Little Tennessee River , the Tuckasegee flows southwestward for another before emptying into the Bryson City Island Park . 0 +According to the United States Census Bureau , Waverly Township has a total surface area of which land and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township is a total area of , of which has land and , or 9.21 % , is water . 1 +Gralee is a suburb of Leeton , New South Wales in Leeton Shire . Gralee was a suburb of Leeton , New South Wales in Leeton Shire . 1 +""" Purple Clover "" describes the site as for people who are "" ... still cool , still curious and after all those years are still crazy ." """ Purple Clover "" describes the site as being for people who are "" ... still cool , still curious , and still crazy after all these years . """ 1 +Another series was played in Havana between the Cincinnati Reds and the Boston Red Sox . Another series was played in Havana between Boston Red Sox and Cincinnati Reds . 1 +The song was written by Powderfinger lead singer Bernard Fanning , and influenced by bassist John Collins . The song was written by Powderfinger - singer John Collins and influenced by bassist Bernard Fanning . 0 +It often uses explicit personal pronouns in literary language , but these are generally omitted from the colloquial Estonian language . It often uses explicit personal pronouns in the literary language , but these are generally omitted in colloquial Estonian . 1 +The summers are hot and humid and the winters are mild with cool periods . Summers are hot and humid , and winters are cool with mild periods . 0 +On 25 April 2016 , Jamar Howard was traded for Robinson at the Portland Steel . On April 25 , 2016 , Jamar Howard was traded to the Portland Steel for Robinson . 1 +In addition , there are indigenous dialects spoken by many other Malay communities , such as Dayak and Iban . Moreover , there are indigenous dialects spoken by many other Malay communities , such as Dayak and Iban . 1 +"He was portrayed by Robert Loggia in the 1982 television movie "" A Woman Called Golda "" , opposite Ingrid Bergman as Golda Meir ." "He was presented by Golda Meir in the television film A Woman Called Golda "" ( 1982 ) , opposite Robert Loggia as Ingrid Bergman ." 0 +Natural features include Edge Hill , Poquessing Creek , Neshaminy Falls , and Neshaminy Creek . Natural characteristics include Edge Hill , Poquessing Creek , Neshaminy Falls , and Neshaminy Creek . 1 +Federal University , Lokoja , known as Fulokoja , is a university of the Federal Government in Lokoja , North-Central - Nigeria . The Federal University , Lokoja , popularly known as Fulokoja , is a federal government university in Lokoja , in Nigeria-Central North . 0 +Commander Adama arrives with Billy Keikeya and Chief Galen Tyrol in Kobol . Commander Adama arrives on Kobol with Billy Keikeya and Chief Galen Tyrol . 1 +The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if any ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural second variants ( if any ) : 1 +It is north of Resolution Island and Edgell Island and north-west of Lower Savage Islands . It is north of Resolution Island and Edgell Island , and northwest of Lower Savage Islands . 1 +Valdir Bigode ( born March 15 , 1972 ) , commonly known as Valdir de Moraes Filho , is a former Brazilian footballer who played as a striker . Valdir de Moraes Filho ( born 15 March 1972 ) , commonly known as Valdir Bigode , is a Brazilian former footballer who played as a striker . 0 +Kijevo was captured on 26 August , and subsequently looted and burned . On 26 August , Kijevo was captured and subsequently plundered and burned . 1 +Inception is a science fiction film from 2010 , written , co-produced and staged by Christopher Nolan and co-produced by Emma Thomas . Inception is a 2010 science fiction film written , co-produced , and directed by Christopher Nolan , and co-produced by Emma Thomas . 1 +"Godman was a paramour of the Jackie French "" ( né "" John Homer French ) , bookmaker for Lou Blonger ." "Godman was a paramour of Lou Blonger ( "" né "" John Homer French ) , bookmaker for Jackie French ." 0 +In addition to the official Mexican teaching program , the German language has been taught only as a foreign language . In addition to the German teaching programme , the official Mexican language was only taught as a foreign language . 0 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if exists ) : The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if any ) : 1 +"This first version is called unofficially "" rare version "" ." "This rare version is called "" first version "" unofficially ." 0 +The results are high when comparable flow rates can be maintained . When high rates of flow can be maintained , the results are comparable . 0 +There are seven picnic areas and several have reserved pavilions , the largest of which can be covered for up to 100 people and can be covered . There are seven picnic areas and several have covered pavilions , the largest of which can be reserved for up to 100 people . 0 +The species was named and described in 2013 and discovered in 2015 by Samuel P. Iglésias and Lou Frotté . The species were discovered in 2013 and were named and described by Samuel P. Iglésias and Lou Frotté in 2015 . 0 +The mechanism has also found thermobaric use in the military weapons . The mechanism has also found military use in thermobaric weapons . 0 +Hastings Ndlovu , together with Hector Pieterson , was buried at the Avalon cemetery in Johannesburg . Hector Pieterson was buried with Hastings Ndlovu at Avalon Cemetery in Johannesburg . 0 +The movie was produced by Sy Weintraub and Harvey Hayutin and directed by Robert Day . The film was directed by Robert Day and produced by Sy Weintraub and Harvey Hayutin . 1 +The programming language Squeak is a dialect of Smalltalk , which is object-based , class-oriented and reflective . The Squeak programming language is a dialect of Smalltalk , which is object-oriented , class-based and reflective . 0 +Amélie Mauresmo won the title by defeating Svetlana Kuznetsova 6 -- 4 , 6 -- 0 in the final . Amélie Mauresmo won the title by defeating Svetlana Kuznetsova in the finals with 6 -- 4 , 6 -- 0 . 1 +He moved to Macao , joined the Jesuit Order and died in 1737 as a martyr in Vietnam . He was moved to Vietnam , joined the Jesuit Order , and died as a martyr in Macau in 1737 . 0 +In 1998 , general elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . General elections were held in India in 1998 , after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . 0 +""" Clitarchus hookeri "" is found from Wellington to the region of Northland in the south of the North Island of New Zealand ." """ Clitarchus hookeri "" is found from Northland to the Wellington region in the south of the North Island of New Zealand ." 0 +Berkarat ( formerly known as Berk ’ Arrat , Berqarat and Berkarrat ; also Akhula Romanized ) is a city in the aragatsotn province of Armenia . Berkarat ( also Romanized as Berk ’ arrat , Berqarat , and Berkarrat ; formerly , Akhula ) is a town in the Aragatsotn Province of Armenia . 0 +Serkan Yalçan ( born November 2 , 1982 ) is a Turkish professional footballer who plays in the TFF First League as a defender of Akhisar Belediyespor . Serkan Yalçan ( born November 2 , 1982 ) is a Turkish football professional who plays as a defender for the TFF First League in Akhisar Belediyespor . 0 +The regiment was in the Mexico City campaign and served in the Battle of Contreras , Battle of Churubusco , and Battle of Molino del Rey . The regiment was in the campaign of Mexico City and served in the Battle of Contreras , Battle of Churubusco and Battle of Molino del Rey . 1 +According to Syrian state news agency PressTV , a poll conducted by The Doha Debates showed that 55 % of Iranian respondents did not want Assad to resign . According to the Iranian state news agency PressTV , a survey by The Doha Debates showed that 55 % of Syrian respondents did not want Assad to resign . 0 +""" The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment released it in Germany on October 6 , 2015 ." """ The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." 1 +David Miliband was trained at the Primrose Hill Primary School in Camden and Newlaithes Primary School in Leeds . David Miliband was educated at Primrose Hill Primary School , in Leeds , and Newlaithes Primary School , in Camden . 0 +In the Hong Kong Chief Executive election , 2007 , Alan Leong of the Civic Party successfully entered the race against the incumbent Donald Tsang . At the Hong Kong Chief Executive elections in 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . 0 +The 2013 Alcorn State Braves football team represents Alcorn State University in the 2013 NCAA Division I FCS Football - Season . The 2013 Alcorn State Braves football team represented Alcorn State University in the 2013 NCAA Division I FCS football season . 1 +In Ramadi , the 2nd BCT of the 28th Infantry Division focused on protecting the main roads and controlling the governor and government center . The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on protecting the main roads and controlling the governor and government centre . 1 +After the War the College returned to Hellenikon , where it remained until it moved to its new campus in Athens , a suburb of Aghia Paraskevi . After the war , the college returned to Hellenikon , where it remained until its new campus in Aghia Paraskevi , a suburb of Athens . 0 +"The names "" googol "" and "" googolplex "" were invented by Newman 's nephew , Milton Sirotta , and introduced in Kasner and Edward Kasner 's 1940 book ." "The names "" Googol "" and "" Googolplex "" were invented by Edward Kasner 's nephew Milton Sirotta and introduced into the book by Kasner and Newman in 1940 ;" 0 +"In the Middle Persian sources of the Sassanid period , the river is known as "" Wehrod "" ( Lit . ) ." "In Sassanid sources of the Middle Persian period , the river is known as "" Wehrōd "" ." 0 +In addition , there are many other Malay dialects spoken by indigenous communities , such as Dayak and Iban . Moreover , there are many other Malay dialects spoken by indigenous communities such as Dayak and Iban . 1 +He worked in Shanghai from 1931 until the outbreak of the Second World War in Europe in 1939 . From 1931 to the outbreak of the Second World War in Shanghai in 1939 , he worked in Europe . 0 +"Unlike professional astronomers , for many amateur astronomers , scientific research is usually not the "" main goal "" ." "Scientific research is most often not the "" main "" goal for professional astronomers , unlike many amateur astronomers ." 0 +Hislop married his wife , Desha , in 1995 . He is the cousin of American sprint athlete Natasha Hastings . Hislop married his wife Desha in 1995 , and is the cousin of American sprint athlete Natasha Hastings . 1 +Statue of Ma.Po.Si in Tyagaraya Nagar in 2011 ( T. Nagar , Chennai ) Statue of Ma.Po.Si in Chennai in 2011 ( T. Nagar , Tyagaraya Nagar ) 0 +She graduated from The Glen High School in Grahamstown in 1983 and studied at Rhodes University in Pretoria . In 1983 , she graduated from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . 0 +Jason Dohring also came as a Spencer on board . Spencer also came on board as Jason Dohring . 0 +This book was written by Arthur Laurents , with music by Leonard Bernstein , text by Stephen Sondheim and choreography by Jerome Robbins . The book was written by Arthur Laurents , with music by Leonard Bernstein , lyrics by Stephen Sondheim , and choreography by Jerome Robbins . 1 +Perigea bahamica is a moth in the Noctuidae family Es is found in the Bahamas The species was collected in Monroe County , Florida , in 2012 . Perigea - bahamica is a moth in the family Noctuidae It is collected in the Bahamas The species was found in Monroe County , Florida , in 2012 . 0 +Sorcar married Jayashree , daughter of Sri Aroon Kumar Ghosh and Smt . Jayashree married , daughter of Sri Aroon Kumar Ghosh and Smt . 0 +The wingspan flies . The moth is from July to August depending on the location . The wingspan is located , the moth flies from July to August depending on the location . 0 +In 1981 , Freleng and DePatie Warner Bros. sold Marvel Comics , and Freleng returned to DFE Films Back In 1981 , Freleng and DePatie sold Warner Bros. to Marvel Comics , and Freleng returned to DFE Films 0 +Sharon Northe has been the conductor of the group since 2003 , and Heather Weaver has been President since 2017 . Heather Weaver has been head of the group since 2003 and since 2017 Sharon Northe has been President of the Group . 0 +This method requires a pure arrangement and is not statistically arbitrary , since manual adjustments can be made . This method requires manual arrangement and is not statistically pure since arbitrary adjustments can be made . 0 +The 1978 Daytona 500 , the second running of the event , was the 20th race of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the second round of the event , was the 20th race of the NASCAR Winston Cup season in 1978 . 1 +It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain . It took place at the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain , from April 23 through April 29 , 2010 . 1 +In the first round of the 2012 Presidential election , David Sanakoyev received 42.5 % of the vote to lead Tibilov . In the first round of the presidential election in 2012 , David Sanakoyev received 42.5 % of the vote to lead Tibilov . 1 +This weighs the model of a stone that I have seen lately , it accompanies Mang . This weighs the model of a Stone I have lately seen ; it accompanies Mang . 1 +Anoop also prepared the way for his younger brothers Kalyan ( Kishore Kumar ) and Ashok Kumar . Anoop also paved the way for his younger brothers Kalyan ( Kishore Kumar ) and Ashok Kumar . 1 +Pseudostellaria jamesiana is a species of flowering plant in the pink family known by the common names tuber starwort and sticky starwort . Pseudostellaria jamesiana is a kind of pink flowering plant in the tuber family , known by the general names sticky starwort and pink starwort . 0 +In 2008 , the Warrant Officer rankings of the South African National Defence Force were expanded and the rank of Master Warrant Officer was created . In 2008 the warrant officer ranks of the South African National Defence Force were expanded and the rank of master warrant officer was created . 1 +Synaptic cluster formation refers to the addition of Dendritic spines to a new area where other spines have been added by previous learning . Synaptic clustering refers to the addition of new spines to a dendritic area where other spines have been added by previous learning . 0 +KOTC : Fight to Live was an event held on 14 May 2011 at San Manuel Casino in San Bernardino , California . KOTC : Live to Fight was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . 0 +Phil Testa served under Frank and later Nicky Scarfo . Under Frank and later Nicky Scarfo , Phil Testa served . 1 +"The finished product has been marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X-COM : UFO Defense "" ." "The finished product was marketed as "" UFO : Enemy Unknown "" in Europe and Australia and as "" X-COM : UFO Defense "" in North America ." 1 +"In 1960 , Glenville directed also Robert Anderson on the Broadway in "" Silent Night , Lonely Night "" of Barbara Bel Geddes and Henry Fonda ." "In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda in "" Silent Night , Lone Night "" by Robert Anderson on Broadway ." 0 +This album is the first album with the pianist Orrin Evans , who replaced Ethan Iverson . This album is the first album with pianist Orrin Evans who replaced Ethan Iverson . 1 +Yesss was sold to Mobilkom Austria following the sale of Orange to Hutchison Whampoa . Following the sale of Orange to Hutchison Whampoa , Yesss was sold off to Mobilkom Austria . 0 +There were others who thought I did , but we could not speak . There were others who did as I thought , but we could not speak . 0 +He originally played with HC Spartak Moscow in the Kontinental Hockey League during the 2010 -- 11 KHL season . He originally played with HC Spartak Moscow in KHL during the 2010 season -- 11 Continental Hockey League . 1 +Formal education in England , a city in Sheffield , takes place at the city 's two universities , 141 primary schools and 28 secondary schools . Formal education in England , a city in Sheffield , takes place at the city 's two universities , at 141 primary schools and 28 secondary schools . 1 +In 1828 , Layitia Snyder married Yeomans of Albany , with whom he had two daughters and three sons . Laetitia Snyder married Yeomans of Albany in 1828 , with whom he had two daughters and three sons . 1 +In 2003 the excavation works began on the eastern hill , on the western hill in 2006 . In 2003 the excavation works began on the western hill , on the eastern hill in 2006 . 0 +Air Cortez also conducted international flights from the airport with service to Guaymas , Mexico in Loreto and Mulege . Air Cortez also operated international flights from the airport with service to Guaymas , Mexico in Loreto and Mulege . 1 +"Given the principle of the causal closure of the physical domain , "" M1 "" is excluded ." "Given the principle of the causal completion of the physical domain "" M1 "" is excluded ." 1 +In 2011 , EBSCO Publishing took over H. W. Wilson Company . EBSCO Publishing H. W. Wilson Company took over in 2011 . 1 +CBE ( born December 14 , 1940 ) is a former administrator and Scottish footballer who was a director of Caledonian MacBrayne . Lex Gold , CBE ( born 14 December 1940 ) is a Scottish administrator and former footballer who was a director of Caledonian MacBrayne . 0 +"The Progressive Teacher Jürgen Reichen ( Swiss Education ) established this method "" Writing to read "" 1982 ." "The progressive teacher Jürgen Reichen ( Swiss education ) founded this "" writing to read "" method 1982 ." 1 +The work was completed in its fifth in 2003 , it was released in August the Rush release from the same year . The work was released in its fifth in 2003 , it was completed in August the Rush release from the same year . 0 +Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Aramaic abbreviations or the list of Hebrew abbreviations . Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . 1 +Two revivals were staged that year , one in London , at the Bridewell Theatre , and one in Los Angeles , at the Matrix Theatre . This year , there were two revivals , one in London at the Bridewell Theatre and one in Los Angeles at the Matrix Theatre . 0 +Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) it was built by a crew of 300 over a period of 4 months . Designed by Jess Hobbs , Rebecca Anders and PK ( Peter Kimelman ) , it was built by a team of 300 over a period of 4 months . 0 +"At 10 : 59 , the last marine element of 2nd Battalion 4th Marines left the zone and the last helicopter landed on the USS "" Okinawa "" at 12 : 15 ." "At 10 : 59 AM the last naval element of the 2nd Marine Battalion left the zone and the last helicopter landed at 12 : 15 on the USS "" Okinawa "" ." 1 +There are professional Barbershop Harmony Society and amateur groups that sing a cappella exclusively . There are Amateur Barbershop Harmony Society and occupational groups that sing exclusively a cappella . 0 +VISA Steel 's major competitors include ArcelorMittal , Essar Steel , Jindal Steel and Power , Tata Steel , SAIL and JSW Steel . Major competitors of Tata Steel include ArcelorMittal , Essar Steel , Jindal Steel and Power , JSW Steel , SAIL and VISA Steel . 0 +The lily of the valley was the flower emblem of Finland , and it became the national flower of Yugoslavia in 1967 . Lily of the valley was the floral emblem of Yugoslavia , and it also became the national flower of Finland in 1967 . 0 +Ramot Menashe is located in the Menashe Heights , after which the kibbutz is named . Ramot Menashe is located in the Menashe Heights after which Kibbutz is named . 1 +When Labour formed a government after the , Norman Kirk appointed McGuigan as Minister of Railways , and Minister of Electricity . When Labour formed a government , Norman appointed Kirk McGuigan as the Minister of Railways and Minister for Electricity . 0 +"Bowman grew up in Quincy , Massachusetts , and started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Boston ." "Bowman grew up in Quincy , Massachusetts . He started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Boston ." 1 +If a test function formula 2 is used to obtain the final form , the weak Galerkin formulation is given after integration of parts as follows : If a test function formula _ 2 is used to obtain the weak form , after integration by parts the final Galerkin formulation will be given as follows : 0 +According to the Louis and Clarke Adventures , Salina is considered the Grand Island ( of Nebraska ) of the south . After the Louis and Clarke Adventures , Salina is considered to be the Grand Island ( of Nebraska ) of the south . 1 +In particular , the medieval iron fence in its ornamental design shows Eastlake influence . In particular , the ornamental iron fence shows influence in its medieval design Eastlake . 0 +"Soviet - nationalist Ukrainians saw the book "" as a Ukrainian attempt to paint Mykola Lebed with a wide anti-Semitic brush "" ." "Ukrainian nationalist Mykola Lebed saw the book "" as a Soviet attempt to paint Ukrainians with a broad anti-Semitic brush "" ." 0 +On August 30 , 2017 , the Chicago Red Stars Brian have acquired the Dash for Kristie Mewis . On August 30 , 2017 , the Chicago Red Stars acquired Brian from the Dash for Kristie Mewis . 0 +Iaquinta confronted Mitch Clarke at UFC 173 on 24 May 2014 . Iaquinta faced Mitch Clarke at UFC 173 on May 24 , 2014 . 1 +Utah claims a margin of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . Utah claims a lead of 60 -- 34 -- 4 , while BYU Utah leads claims 57 -- 31 -- 4 . 0 +He was also a mechanic in Freddie Spencer 's team when Spencer won the 500cc World Championship title in 1985 . He was also a mechanic on Spencer 's team when Freddie Spencer won the 500cc World title in 1985 . 1 +Teewurst was invented in Poland , probably in the small Baltic town of Rügenwalde ( now Darłowo , Pomerania ) , in the middle of the 19th century . Teawurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwalde ( today Darłowo , Pomerania ) . 1 +Its base or free edge contains between its layers the round band and the paraumbilical veins . Its base or round edge contains between its layers the free band and the paraumbilical veins . 0 +He won third place at the Parapan American Games in Guadalajara , Mexico in 2011 and another third place at the International Tournament of Champions in Charlotte , USA . In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Tournament of Champions in Mexico ’ s Guadalajara . 0 +PSPs is one form of standard peptide for absolute quantification and Standard of the Expressed Protease ( STEP ) is the other . PSPs is a form of a standard peptide for the absolute quantification and standard of Expressed Protease ( STEP ) is the other . 1 +Finally the Dirk and his son Sean leave the wilderness and discover that there is a war brewing between the British and the Bureau . Finally Sean and his son Dirk leave the wilderness and discover that there is a war between the British and the Bureau . 0 +Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) as a child . Jonathan Dakers met Edie Martyn as a child ( Beatrice Campbell ) . 0 +He is a professor of adult education at Åbo Akademi University in Finland ( Vaasa ) . He is a Professor of Adult Education at Åbo Akademi University in Vaasa , Finland . 1 +For their performances in the game , quarterback P. J. Williams and defensive back Jameis Winston were named the game 's most valuable players . Quarterback Jameis Winston and Defensive Back P. J. Williams were named the most valuable players in the game for their performance . 0 +They form the majority of the population of the River Xié and the upper Vaupés river above the mouth of the Rio Negro . They form the bulk of the population of the Xié River and the upper Vaupés River above the mouth of the Rio Negro . 1 +The river Bohotin is a tributary of the Bazga River in Romania . The Bohotin River is a tributary of the Bazga River in Romania . 1 +The album was produced by Colin Richardson and mixed by Jason Suecof . The album was produced by Jason Suecof and mixed with Colin Richardson . 0 +According to the US Census Bureau , the county is a total surface area of which is land and has water ( 17.6 % ) . According to the U.S. Census Bureau , the county has a total area of , of which is land and ( 17.6 % ) is water . 1 +Examples cited as national myths include Manifest Destiny , The Clash of Civilizations , and political myths . Examples quoted as national myths include Manifest Destiny , The Clash of Civilizations and political myths . 1 +Beth frees herself and confronts her , only to find out that she herself was picked up by her adoptive parents as a baby from this institution . Beth frees herself and confronts her , only to discover that she herself was picked up as a baby from this facility by her adoptive parents . 1 +He was born on 21 May 1897 in Sofia and died in Jambol on 15 June 1945 . He was born on May 21 , 1897 , in Sofia and died on June 15 , 1945 , in Yambol . 1 +"He was presented by Robert Loggia in the television film A Woman Called Golda "" ( 1982 ) , opposite Ingrid Bergman as Golda Meir ." "He was portrayed by Robert Loggia in the 1982 television movie "" A Woman Called Golda "" , opposite Ingrid Bergman as Golda Meir ." 1 +El Elk Township is located in the 2nd Congressional District and is part of the 3rd State Legislative District of New Jersey . Elk Township is located in the 3rd Congressional District and is part of New Jersey 's 2nd state legislative district . 0 +Eight Hornets were also deployed from Williamstown to RAAF Base Pearce in October 2011 to protect the CHOGM meeting in nearby Perth . In October 2011 , eight hornets were sent from Williamstown to the RAAF Base Pearce to protect the CHOGM meeting in nearby Perth . 1 +Newark returned to the NAFBL , but withdrew at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark returned to NAFBL , but withdrew by the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . 1 +Wyoming Highway 377 was a short Wyoming State Road in the central Sweetwater County that served the Point of Rocks and the Jim Bridger Power Plant . Wyoming Highway 377 was a short Sweetwater County state road in central Wyoming that served the community of Point of Rocks and the Jim Bridger Power Plant . 0 +Hill Hill went and wrote some paragraphs about the idea , then he and Giler wrote a full script . Giler wrote some paragraphs about the idea and then he and Hill went out and wrote a full script . 0 +The independent hooper - scholar Kathryn Lindskoog argued that Lewis ' scholarship is not reliable and that he has made false statements and attributed fake works to Lewis . Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he made false statements and attributed counterfeit works to Lewis . 0 +The new school has been placed on the old fields . The old school has been put on the new playing fields . 0 +A game in combinatorial game theory is impartial if it is not partisan . In combinatorial game theory , a game is impartial if it is not partisan . 1 +Indeed , the two terms are also used now in other parts of the country . Indeed , the two terms are now also being used in other parts of the country . 1 +A product of Feilding High School , Northcott followed a well walked path into the Manawatu Turbos Mitre 10 Cup team . A product of Feilding High School , Northcott followed a well-run path into the Manawatu Turbos Mitre 10 Cup team . 1 +The speakers were Caryl - Austrian , President of WHF Washington , and Anita Miller ( then at the Ford Foundation ) . Anita Miller , President of WHF Washington , and Caryl Austrian ( then with the Ford Foundation ) were the speakers . 0 +In June 2011 , the curated by Julian Schabel opened Rosenthal at the Museo Correr in Venice . In June 2011 , Julian Schabel , curated by Rosenthal , opened Museo Correr in Venice . 0 +Joseph M. Hellerstein is the Chief Technical Officer and co-founder of Trifacta , along with Sean Kandel and Jeffrey Heer . Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and Co-founder , along with Sean Kandel and Jeffrey Heer . 1 +Their leaders sought European protection to stabilize their authority and support trade . Their leaders sought European protection in order to support their authority and stabilize trade . 0 +The site was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of Shorter University in Rome , Georgia . The terrain was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of the Shorter University in Rome , Georgia . 1 +It was divided into departments and each department was subdivided into sections entrusted with different tasks . It was subdivided into departments and each department was divided into departments entrusted with different tasks . 1 +The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was completed in 3D and made in the post-production . The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was made in 3D and finalized in post-production . 0 +Each report , which was completed in February 2011 , contains data for the updated school year . that was completed in February 2011 . Each report contains data for the previous updated school year . 1 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Ethel and Mcoy with the other reoccupied by Gaby . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps that Gaby and Mcoy left behind , while the other was reoccupied by Ethel . 0 +She spent the first six years of her childhood in Angeles City before moving on to Manila . The first six years of her childhood spent in Manila before moving to Angeles City . 0 +The 6th Field Artillery Regiment was first activated in 1916 from elements of the 5th , and 8th Field Artillery . The 6th Field Artillery - Regiment was first activated by elements of the 5th and 8th field artillery in 1916 . 1 +The Fighter Escadrille was a unit of the Polish Air Force at the beginning of the Second World War , which was attached to the Łódź army . 162 . Fighter Escadrille was a unit of the Polish Air Force at the start of the Second World War . The unit was attached to the Łódź Army . 1 +Highland English or Highland and Iceland English is the variety of Scottish English spoken by many in the Scottish Highlands and the Hebrides . Highland English or Highland and Island English is the variety of Scottish English spoken by many in the Scottish Highlands and the Hebrides . 0 +The mineral has only been found in the Bon Accord Nickel Deposit in South Africa where it is formed by replacing chromite and rimmed by trevorite . The mineral is only formed in the Bon Accord nickel deposit in South Africa , where it has been found by replacing chromite and by trevorite . 0 +Edward IV 's uncle John made him Earl of Lincoln in 1467 . In 1467 , John John 's uncle Edward IV made him the Earl of Lincoln . 0 +He stopped at all open villages on his route and held small mass meetings . He stopped at all the open villages on his route and held small mass meetings . 1 +Pedestrians and bicycles are not permitted , but can be allowed on a footpath . Pedestrians and bicycles are not permitted , but may be allowed on a footpath . 1 +CBE ( born December 14 , 1940 ) is a Scottish administrator and former footballer who was the director of Caledonian MacBrayne . Lex Gold , CBE ( born 14 December 1940 ) is a former administrator and Scottish footballer who was a director of Caledonian MacBrayne . 0 +Buendía also criticized the role of the US government and the CIA in Mexico , and often published names of American officials involved in secret operations . Buendía often criticized the role of the U.S. government and the CIA in Mexico , and also published names of American officials involved in secret operations . 0 +However , Aramaic remains a spoken , literary , and liturgical language for local Christians and also some Jews . Aramaic , however , remains a spoken , literary and liturgical language for local Christians and also some Jews . 1 +He then returned to the Auckland Rugby League competition and also played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . He then returned to the Auckland Rugby League competition and played for Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . 1 +Helen Tokar , the wife of Lu Lucey , was the sister of Betty Tokar Jankovich , who briefly dated Bob Montana and who was the inspiration for Betty Cooper . Lucey 's wife Helen Tokar was the sister of Betty Tokar Jankovich , who briefly dated Bob Montana and was the inspiration for Betty Cooper . 1 +"In addition , the song "" Calling All Angels "" by Jane Siberry is played in the film and is included on the soundtrack ." "In addition , the song "" Calling All Angels "" is included in the film by Jane Siberry and is played on the audio track ." 0 +They are sometimes consumed with beer and are often a bar snack . They are often consumed with beer and sometimes they are a snack . 0 +Tadiyale is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka , on the shore of Arabian Sea . Tadiyale is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu - Taluka , on the banks of the Arabian Sea . 1 +He was trained in Dresden , later until 1865 in Leipzig , and after a short stay in Weimar went to New York with Franz Liszt in 1869 . He was educated in Weimar , and later in Dresden until 1865 , and after a short residence in Leipzig with Franz Liszt went to New York in 1869 . 0 +Taizhou Railway Station ( province of Zhejiang ) is a train station of Yongtaiwen Railway in Taizhou , Zhejiang , People 's Republic of China . Taizhou , Zhejiang railway station ( Taizhou ) is a railway station of Yongtaiwen Railway located in Zhejiang Province , People 's Republic of China . 0 +The water powered the famous Catrine Wheel which turned the Mill . The water turned the famous Catrine - wheel , which drives the mill . 0 +Zac Posen invested in 2004 in the high-end label Sean John . In 2004 , Sean John invested in the high-end label Zac Posen . 0 +David was outraged at the rebuke and immediately opened negotiations with Michal , who welcomed him on the condition that his wife Abner should be returned to him . Abner was indignant at the rebuke and immediately opened negotiations with David , who welcomed him on the condition that his wife Michal should be returned to him . 0 +La Vegueta is a village in Tinajo , Lanzarote province of western Las Palmas in the Canary Islands . La Vegueta is a village in Tinajo , province of Las Palmas in western Lanzarote , in the Canary Islands . 0 +The first two editions by Cock were not particularly successful but the 1601 Galle edition , on the other hand , was quite successful . The first two editions of Cock were not particularly successful , but the Galle - edition of 1601 was quite successful on the other hand . 1 +Rayon is a village and municipality in the Sabirabad of Azerbaijan , has a population of 3,577 . Sabirabad is a village and municipality in Jalilabad - Rayon of Azerbaijan . It has a population of 3,577 . 0 +NH 2 , 92 km through the district from the north end to the south end . 92 km of NH 2 , passes through the District from the north end to the south end . 1 +The white spur is cylindrical and upward curved , longer than the ovary . The white spur is cylindrical and curved upward , longer than the ovary . 1 +The nearest station to Hayes Knoll is Cricklade , the nearest train station is on the Great Western Main Line . The nearest railway station to Cricklade is Hayes Knoll . The nearest mainline railway station is on the Great Western Main Line . 0 +Barrai is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal Tehsil . Barrai is a village in the Berasia district of Madhya Pradesh , India . It is situated in Bhopal Tehsil . 1 +As in 1955 , the American League beat the national league , this time 6 - 3 . As in 1955 , the National League beat the American League , this time 6 -- 3 . 0 +In 1989 he travelled to South Africa , Johannesburg and Angola , Mozambique on a peace-seeking mission . In 1989 , he traveled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . 1 +In Swindon ( 1921 ) , Wells ( 1922 ) and Coleford ( 1924 ) , further branches were opened after World War I . After World War I , other branches were opened in Wells ( 1921 ) , Swindon ( 1922 ) and Coleford ( 1924 ) . 0 +Without being a great attacker , Garzelli was very constant and , on a good day , he could go with the best climbers . Garzelli was very good without being a permanent attacker and could go on a great day with the best climbers . 0 +Dharmapuram is a village near Srikakulam town in Ponduru Mandal Division in Andhra Pradesh , India . Srikakulam is a village near Dharmapuram Town in the Ponduru Mandal Division in Andhra Pradesh , India . 0 +Colin MacDougall is a married to Richardson . Colin MacDougall is married to Richardson . 1 +There are 4 playable characters , each with a unique ability and also a different combat style . There are 4 playable characters , each with a unique ability and also a different fighting style : 1 +In 1881 , he married Agnes Theodora Walther , daughter of Vagn Petersson , and his son is the botanist and sketch artist Vilhelm Theodor Walther . In 1881 he married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther , and his son is the botanist and outliner of Vagn Petersson . 0 +He is the first son of the Argentine coach Emiliano Garré , the brother of the Argentine footballer Oscar Garré and uncle of Benjamin Garré . He is the first son of the Argentinean coach Oscar Garré , the brother of the Argentine footballer Emiliano Garré and the uncle of Benjamin Garré . 0 +Muagututia was released by the Chicago Rush on November 14 , 2002 . He was signed by the Rush on March 31 , 2003 . He was signed by Chicago Rush on November 14 , 2002 , and was released by the Rush on 31 March 2003 . 0 +"Calcium / calmodulin - dependent 3 ' ; , 5 ' ; -cyclic nucleotide phosphodiesterase 1A is an enzyme that is encoded in humans by the "" PDE1A "" gene ." "Calcium/calmodulin-dependent 3 ' , 5 ' -cyclic nucleotide phosphodiesterase 1A is an enzyme that in humans is encoded by the "" PDE1A "" gene ." 1 +Eastern Cape is an administrative area of the Amatole District of the Mnquma Local Municipality in South Africa . Eastern Cape is an administrative area in the Amatole District of the Mnquma Local Municipality in South Africa . 1 +To sell gold , a country abroad had to accumulate more and more goods than it bought . To accumulate gold , a country always had to sell more goods abroad than it bought . 0 +She married twice . The first time with Prince Kazimierz Poniatowski in 1749 , and the second time with Prince Antoni Lubomirski on 21 January 1751 . She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on the 21 January 1751 . 1 +Rajesh 's best friends are Selva , a good spirited boy , and David , an arrogant sports hero but with a good heart . The best friends of Rajesh are Selva , a good boy and David , an arrogant sports hero , but with a good heart . 1 +In geometry , the dull hexahexagonal tiling has a hyperbolic tiling of the single plane , it is Schläfli - symbol of sr ( 6,6 ) . In geometry , the snub hexahexagonal tiling is a uniform tiling of the hyperbolic plane . It has Schläfli symbol of sr ( 6,6 ) . 0 +In 2014 , the founding member of 15 years of age left Devin Abrams and was replaced by Dan McGruer . Founding member Dan McGruer left the band in 2014 and was replaced by Devin Abrams . 0 +Guillermo Pérez Roldán defeated Andrés Gómez with 6 : 0 , 7 -- 6 , 3 -- 6 , 0 - 6 , 6 -- 2 . Andrés Gómez defeated Guillermo Pérez Roldán 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 -- 6 , 6 -- 2 0 +Of these , 2,088 ( 18.6 % ) lived in rural areas and 9.112 ( 81.4 % ) in urban areas . Of these , 2,088 ( 18.6 % ) lived in urban areas and 9,112 ( 81.4 % ) in rural areas . 0 +The constant term is unphysical in global supersymmetry ( as opposed to supergravity ) . The constant term is non-physical in global supersymmetry ( as opposed to supergravity ) . 1 +In other words , at this extremely high temperature , the binding energy of the photons would overcome the kinetic energy of the strong nuclear force . In other words , at this extremely high temperature , the photons ' kinetic energy would overwhelm the binding energy of the strong nuclear force . 0 +The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and the Radnor Joint Counties , was a psychiatric hospital in the Mid Wales Hospital . The Talgarth , Wales , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Mid Wales Hospital . 1 +The River Urechioiu is a tributary of the Sitna River in Romania . The river Sitna is a tributary of the River Urechioiu in Romania . 0 +They speak a creole termed Baba Malay which is a colloquial form of Malay mixed with Hokkien words . They speak a creole called Baba Malay , which is a colloquial form of Malay words mixed with Hokkien . 1 +"In Europe , "" Pueraria montana "" grows in several places in warm regions of Switzerland and Italy near Lake Maggiore and Lake Lugano ." """ Pueraria montana "" grows in warm regions of Switzerland and Italy in Europe near Lake Maggiore and Lake Lugano ." 1 +Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 in the final against Pat Cash and Patrick Rafter . Pat Cash and Patrick Rafter won 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth in the finals . 0 +Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in Assam ( India ) . Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in India ( Assam ) . 1 +Two more aftershocks above magnitude 5 in Kyrgyzstan and one in Xinjiang struck on October 13 , UTC time . Two more aftershocks above the Magnitude 5 in Xinjiang and one in Kyrgyzstan beat UTC on 13 October - time . 0 +Big Sandy lies between this group and the related but distinct Armstrong Culture who lived along the Ashland . Ashland lies between this group and the related but distinct Armstrong culture that lived along the Big Sandy . 0 +Archdale is a residential area at Starmount ( South Boulevard in Arrowood and South Charlotte ) . Starmount is a residential neighborhood in the South Charlotte ( South Boulevard at Arrowood and Archdale ) area . 0 +Of Scotland , His father had been a blacksmith and an inventor , and had worked with iron rope in California . His father had been a blacksmith and an inventor and had worked in Scotland with the iron rope . 0 +When Hill died in 1936 , Fletcher was appointed to fill the vacancy until a successor could be elected . When Fletcher died in 1936 , Hill was asked to fill the vacancy until a successor could be elected . 0 +He remained in Germany for three years before moving with his family back to Japan . He remained in Japan for three years before moving with his family back to Germany . 0 +There are two important cases : ( i ) a simple closed chain and ( ii ) a simple open chain . There are two important special cases : ( i ) a simple open chain , and ( ii ) a simple closed chain . 1 +In 2012 , the championships were held in Dunakeszi , Hungary , in Pouch , Germany , and in 2014 in Luserna , Italy , in 2013 . In 2012 , the championships were held in Dunakeszi , Hungary , in 2013 in Pouch , Germany , and in 2014 in Luserna ( Italy ) . 0 +In the following month , Bullet Club received its first Japanese member , when Styles joined Yujiro Takahashi helped conquer the IWGP Heavyweight Championship . The following month , Bullet Club received its first Japanese member , when Styles joined and helped Yujiro Takahashi capture the IWGP Heavyweight Championship . 1 +One of the best and most prestigious schools in Aligarh is St Francis inter college , Hathras road . One of Aligarh 's best and most prestigious schools is St Francis Inter College , Hathras Road . 1 +William was deposed in 1776 by the revolutionary government of New Jersey and arrested at the Proprietary House at his home in Perth Amboy and temporarily imprisoned . William was deposed in 1776 by the revolutionary government of Perth Amboy and arrested in his home in New Jersey , Proprietary House , and imprisoned for a time . 0 +His mother , born in Devonshire , was the tenth child of parents emigrating from Kingston to Canada . His mother , born in Devonshire , was the tenth child of parents who emigrated to Canada from Kingston . 1 +In 1944 , it was donated to Santa Maria Valley Railroad and sold to the Travel Town Museum in Los Angeles , California in 1958 . In 1944 it was sold to the Santa Maria Valley Railroad , and in 1958 it was donated to the Travel Town museum in Los Angeles , California . 0 +Alex Brown ( born 30 September 1992 ) is an English footballer who plays as a central or right-sided midfielder for Dartford . Alex Brown ( born September 30 , 1992 ) is an English footballer who plays for Dartford as a midfielder or midfielder . 0 +Brian Meehan fled with Traynor to Portugal ( who later fled to Amsterdam ) . Brian Meehan fled to Portugal with Traynor ( who later escaped to Amsterdam ) . 1 +In 2004 , Barclays took over the sponsorship of the Barclaycard Premier League . Barclaycard took over sponsorship of the Premier League from Barclays in 2004 . 0 +On 28 January 2015 , Watson was brought into the backroom team of John Carver at Newcastle United for the remaining 16 games of the 2014-15 season . On 28 January 2015 , Watson was brought into John Carver 's backroom team at Newcastle United for the remaining 16 games of the 2014/15 season . 1 +The dermal skeleton is organized in three layers : a superficial lamellar layer , a cancellous spongiosa , and a compact basal lamellar layer . The dermal skeleton is organized in three layers : a superficial lamella layer , a spongiosa spongiosa and a compact basal lamellar layer . 1 +There are no regional or national franchises in Danbury , only small shops like the Danbury General Store , and local restaurants . There are no regional or national franchises in Danbury , only local shops such as the Danbury General Store and small restaurants . 0 +The building of the museum was built in 1948 according to designs by Wadsworth , Boston 's Tuttle of Portland . The museum 's building was built in 1948 , with designs by Wadsworth , Portland & Tuttle of Boston . 0 +"The ancestors of "" Mansourasaurus "" would have reached Europe from Africa ." "The ancestors of the "" Mansourasaurus "" would have reached Africa from Europe ." 0 +They were the parents of agricultural educator Alfred Charles True and zoologist Frederick William True . They were the parents of agricultural educationist Frederick William True and zoologist Alfred Charles True . 0 +Shaffer Creek is an tributary of Raystown Branch Juniata River ( Brush Creek ) in Bedford County , Pennsylvania in the United States . Shaffer Creek is a tributary of the Raystown Branch Juniata River ( Brush Creek ) in Bedford County , Pennsylvania , United States . 1 +Before the municipality was called Waling , it was the only municipality in Syangja . Before the Waling municipality was named , it was the only municipality in Syangja . 1 +Donnelly was one of several players born in Ireland who benefited from the FAI 's attempts to establish their all-Northern Ireland influence . Donnelly was one of several players born in Northern Ireland who benefited from the FAI 's attempts to justify their all-Ireland influence . 0 +Winner effects were shown when established non-experienced chicks were placed against dominant chicks in a study by Drummond . Winner - Effects were shown when established unexperienced chicks were placed in a study by Drummond against dominant chicks . 1 +James the Fat would never return to his native Scotland , he remained in exile until his death in Scotland , his widowed mother and sister remained in Ireland . James the Fat would never return to his native Scotland . He remained an exile in Ireland until his death . His widowed mother and sister remained in Scotland . 0 +""" Baie St. Paul "" has a deadweight tonnage of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." """ Baie St. Paul "" has a gross tonnage capacity of 24,430 tons and a capacity of 37,690 tons according to the Miramar Ship Index ." 0 +Probably the best-known version of the song was produced by Dick Rowe and recorded in the UK by The Stargazers in 1953 . The best-known version of the song was recorded by Dick Rowe and produced in 1953 in England by The Stargazers . 0 +Awwad was born in Jerusalem . He graduated from the Arab College in Salfit in 1947 . Awwad was born in Jerusalem and graduated from the Arab College in Salfit in 1947 . 1 +She is initially pink or white before becoming pale brown to reddish brown with whitish spots . It is initially whitish before becoming pale brown to reddish brown with pink or white spots . 0 +Cramer was born in Geneva and grew up in New York City . Born in Geneva , Cramer grew up in New York City . 1 +This creates filter processing , manages the filter chain with the appropriate filters in the correct order and initiates the processing . This manages filter processing and creates the filter chain with the appropriate filters , in the correct order , and initiates processing . 0 +"In 2015 , Bookboon was mentioned in newspapers such as the German ‘ Handelsblatt "" ’ and one of its Swedish books was presented in the Swedish metro ." "In 2015 , Bookboon was featured in newspapers such as the German "" Handelsblatt "" and one of its Swedish books was mentioned in the Swedish Metro ." 1 +On June 30 , 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves , which was released by the Braves on August 16 , 2016 . On 30 June 2016 , Infante agreed to a Minor League Deal with the Braves and was released by the Atlanta Braves on August 16 , 2016 . 1 +Tom Patterson ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tommy John . Tom Patterson ( born 12 February 1979 ) is an American entrepreneur , who founded the Tommy John company in 2008 . 1 +Between 1926 and 1927 Nikolai Malko wrote his symphony No . 9 in e - Moll op . 28 , dedicated to Nikolai Myaskovsky . Between 1926 and 1927 Nikolai Myaskovsky wrote his symphony No . 9 in e - Moll op . 28 , which was dedicated to Nikolai Malko . 0 +These enzymes are capable of enantioselective oxidations of prochiral substrates . These enzymes are capable of performing enantioselective oxidations of prochiral substrates . 1 +This half-hour series was broadcast on Sundays at 3 : 00 p.m. ( North American Eastern time ) from 22 May to 10 July 1966 . This North American East Hour series was broadcast from 22 May to 10 July 1966 on Sundays at 3 : 00 p.m. ( half time ) . 0 +"In 1987 , Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription . """ "Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription in 1987 ." 1 +The 2013 Alcorn State University football team represents Alcorn State Braves in the NCAA Division I FCS football season 2013 . The 2013 Alcorn State University football team represented Alcorn State Braves in the 2013 NCAA Division I FCS football season . 1 +In April 2015 , Schultz left Lundbeck to assume a position as CEO of Novo Nordisk . In April 2015 , Schultz Novo left Nordisk to assume a position as CEO of Lundbeck . 0 +For example , in order to type a vertical line of 4 cm length , it is sufficient to draw : For example , to enter a vertical line of 4 cm in length , it is sufficient to draw : 1 +The returning Carrawell , who played with Sta.Lucia three years ago for the last time , replaces Isaac Fontaine . The returning Carrawell , who last played with Sta.Lucia three years ago , replaces Isaac Fontaine . 1 +is an airport in Moses Point Airport , a city in the Nome Census Area of the U.S. state of Alaska . Elim is an airport located in Moses Point Airport , a city in the Nome Census Area of the U.S. state of Alaska . 0 +Further issues of the book were published as co-authors following Sutherland 's death in 1950 by Cressey and D. F. Luckenbill . Further editions of the book were published by Cressey and Sutherland as co-authors after the death of D. F. Luckenbill in 1950 . 0 +Scott was born in Chester County , Pennsylvania , and was buried in Pennsylvania , Parkesburg . Scott was born in Parkesburg , Pennsylvania , and was buried in Chester County , Pennsylvania . 0 +The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in 2016 in Ottawa . The winning Mike McEwen team represented Ottawa at the 2016 Tim Hortons Brier in Manitoba . 0 +His family later moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . Later , his family moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . 1 +The museum operated the locomotive and leased the North Shore Scenic Railroad # 2719 through its subsidiary . The museum operated the locomotive and leased # 2719 through its affiliate , the North Shore Scenic Railroad . 1 +Viktor Aronovich Bely , also Viktor Arkadevich Bely ( January 14 , 1904 -- March 6 , 1983 ) , was a Russian composer and social activist . Viktor Arkadyevich Bely , also Viktor Aronovich Bely ( January 14 , 1904 - March 6 , 1983 ) , was a Russian composer and social activist . 1 +Ignatius Bonomi began his training in the office of architect Prosser ( 1787-1870 ) in Durham . Prosser began his training in the office of the architect Ignatius Bonomi ( 1787-1870 ) in Durham . 0 +The area was once served by Corstorphine railway station which provided direct railway access to Edinburgh Waverley . The area was once served by Edinburgh Waverley Station , which provided direct access to Corstorphine . 0 +The 1921 Stanford football team represented Stanford University in the 1921 college football season . The 1921 Stanford University Football team represents Stanford in the College - Football - Season 1921 . 0 +Government also issued 70 permits to private operators on local routes in the district . Government has also issued 70 permits to private operators on local routes in the district . 1 +The 1960 San Diego State College football team represents the NCAA College Division , during the 1960 San Diego State Aztecs football season . The 1960 San Diego State College football team represented NCAA College Division , during the 1960 San Diego State Aztecs football season . 1 +Brezovica nad Torysou is a village and municipality in the Sabinov district in the Prešov region of north-eastern Slovakia . Brezovica , fully Brezovica nad Torysou is a village and municipality in Sabinov District in the Prešov Region of north-eastern Slovakia . 1 +Santa Rosa de Lima is a municipality in the department of Guatemala , Santa Rosa . Santa Rosa de Lima is a municipality in the Santa Rosa department of Guatemala . 0 +Brian Meehan fled with Traynor ( who later fled to Amsterdam ) to Portugal . Brian Meehan fled to Portugal with Traynor ( who later escaped to Amsterdam ) . 1 +At the Larne general election , 1929 , Pringle stood as a Local Option candidate in Northern Ireland , but was not elected . In the 1929 general election in Northern Ireland , Pringle stood as a candidate for the local option at Larne , but was not elected . 0 +Washtenaw County , officially the Charter Township of Superior in the U.S. state of Michigan . Superior Township , officially the Charter Township of Superior , is a charter community of Washtenaw County in the US state of Michigan . 0 +At that time , Constantinople was the capital of the Byzantine Empire and the Patriarch of Constantinople was the most influential leader of the Church in the eastern Christian world . At that time , Constantinople was the capital of the Eastern Christian Empire and the Patriarch of Constantinople was the most influential leader of the Church in the Byzantine world . 0 +He and his family moved from Colorado to Wyoming to Oregon until he was about 5 years old when she settled in Silver Spring , Maryland . He and his family moved from Wyoming to Colorado to Oregon until he was around five years old when they settled in Silver Spring , Maryland . 0 +The most common type of dental abscess is a periapical abscess , and the second most common is periodontal abscess . The most common type of dental abscess is a periapical abscess , and the second most common is a periodontal abscess . 1 +The museum building was built in 1948 according to designs by Wadsworth , Portland 's Tuttle of Boston . The museum ’ s building was built in 1948 according to designs by Wadsworth , Boston 's Tuttle of Portland . 0 +A second son of Berkeley John Talbot Levett and his wife Lady Jane was Theophilus Levett , an officer at the Scots Guards . A second son of Theophilus Levett and his wife Lady Jane was Berkeley John Talbot Levett , an officer in the Scots Guards . 0 +In Houngbo 's government , which was included on September 15 , 2008 , Mally was appointed Minister of State for Health . In Houngbo 's government , which was named on 15 September 2008 , Mally was included as Minister of State for Health . 0 +Sheffield Wednesday signed Evans from Huddersfield Town on a free transfer on 12 July 2002 as backup to Kevin Pressman . Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on July 12 , 2002 with a free transfer to backup Evans . 0 +The PGM 500 and PGM 2000 are guided bombs developed by MBDA and now distributed by Alenia Marconi Systems . The PGM 500 and PGM 2000 are guided bombs developed by Alenia Marconi Systems and now marketed by MBDA . 0 +He was born in Rome in 1944 , his father was Lithuanian - Jewish , his French mother was the daughter of a Catholic father and an Austrian mother . Fuksas was born in Rome in 1944 ; his father was Lithuanian Jewish while his Catholic mother was the daughter of a French father and an Austrian mother . 0 +The magazine was located in London , but was published by Gerald Duckworth and Company in Paris . The magazine was located in Paris , but was published by Gerald Duckworth and Company in London . 0 +The New Jersey Zinc Company was a subsidiary of the Empire Zinc Company . The New Jersey Zinc Company was a subsidiary of Empire Zinc Company . 1 +The Nechitu River is a tributary of the Stroe River , Romania . The Stroe River is a tributary of the River Nechitu in Romania . 0 +The MSX2 series features a Yamaha V9938 - video chip that manages a 9-bit RGB palette ( 512 colors ) and has some extended graphics modes . The MSX2 series features a Yamaha V9938 video chip , which has a 9-bit RGB palette ( 512 colors ) and manages some extended graphic modes . 0 +The Assembly sat for the pleasure of the governor of Nova Scotia , Lucius Bentinck Cary , and Jeremiah Dickson became Governor in 1846 . The assembly sat at the pleasure of the Governor of Nova Scotia , Jeremiah Dickson . Lucius Bentinck Cary became governor in 1846 . 0 +Alves lost to Roger Federer in the second round of the US Open in three sets . It was Federer 's 600th career match win . In the second round of the US Open , Roger Federer lost in three sets against Alves , it was Federer 's 600th career . 0 +In 1986 , he joined forces with Erich A. Colhoun to work together on the ANARE expedition , which founded the summer field base of Sir Edgeworth David in the Bunger Hills . In 1986 , he joined Edgeworth David to work together on the ANARE expedition that founded the summer field base of Sir Erich A. Colhoun in the Bunger Hills . 0 +He was born in Frederick Dallas Cairns in Melbourne , Australia and died in London , England , UK . Born in Frederick Dallas Cairns , Melbourne , Australia , he died in London , England , UK . 1 +Evan Lloyd of Dolobran , son , who married Gwenhafar lloyd , daughter of Meredith Lloyd of Meivod . Son Gwenhafar von Dolobran , who married Evan Lloyd lloyd , daughter of Meredith Lloyd of Meivod . 0 +The album was released on May 26 , 2007 by Furious in the UK and 7 Spin Music in the United States . The album was released by Furious in the UK and by 7 Spin Music in the US on May 26 , 2007 . 1 +Gasson was born in Ireland and his registered home at the time of the civil war in New York City . Gasson was born in New York City , and his registered home in Ireland at the time of the Civil War . 0 +The character of Holden Ford is based on FBI agent Robert K. Ressler , and Bill Tench is based on pioneering FBI agent John E. Douglas . The character of Holden Ford is based on FBI - Agent Robert K. Ressler , and Bill Tench is based on a pioneer - FBI - Agent John E. Douglas . 1 +In recent years this has become a reason for students who do not attend state universities to prefer going abroad or study at other institutes and professional bodies . In recent years , this has become a reason for students who do not attend state universities to go abroad or study at other institutes and professional organizations . 1 +4 December 1992 -- Birmingham City Trainer Ian Atkins is appointed manager of Cambridge United . 4 December 1992 -- Cambridge United coach Ian Atkins is appointed as manager of Birmingham City . 0 +Nikolaus sent a telegram to Nicholas , asking for Russian support for the Austrian war against Serbia . Wilhelm sent a telegram to Nicholas asking for Russian support for the Austrian war against Serbia . 0 +A swing is a resonant example of a simple system that most people have practical experience with . A swing set is a simple example of a resonant system with which most people have practical experience . 0 +Curtin Township is limited by Liberty Township to the northeast , Marion Township to the southeast , Clinton County to the southwest and Howard Township to the West . Liberty Township is bordered by Clinton County to the northeast , Marion Township to the southeast , Howard Township to the southwest , and Curtin Township to the west . 0 +Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football manager and previous player . Hugo Santana Páez ( born September 5 , 1967 ) is a former Mexican football manager . 0 +In the following year ( 1641 ) the Qutb Shahi dynasty of Golconda , which observed the disorder , sent a huge force along the east coast . In the following year ( 1641 ) , the Qutb Shahi dynasty of Golconda watching the disorder , sent a huge force along the East Coast . 1 +The Chicago Park District is the largest and one of the oldest park districts in the United States . The Chicago Park District is one of the oldest and one of the largest park districts in the United States . 0 +Gwenhafar of Dolobran , son , who married Evan Lloyd lloyd , daughter of Meredith Lloyd of Meivod . Son Gwenhafar von Dolobran , who married Evan Lloyd lloyd , daughter of Meredith Lloyd of Meivod . 1 +Cooper Cooper has also represented several Hollywood actors , including Lynn Baggett for Murder , Joan Bennett and Shirley Temple in her divorce from John Agar . Lynn Baggett has also represented several Hollywood actors , including Cooper for homicide , Joan Bennett , and Shirley Temple in her divorce from John Agar . 0 +He was promoted to the New Mexico Territory in 1860 and ordered to rank as a captain on December 20 in the 4th Infantry . He was promoted to New Mexico Territory in 1860 , and was ordered to the rank of captain in the 4th Infantry on December 20 . 1 +The 500 Hispanic settlers who had lived near San Antonio had to resettle in Los Adaes in 1773 . The 500 Hispanic settlers who had lived near Los Adaes had to relocate in 1773 in San Antonio . 0 +This sometimes could produce a surprise when from a good stock Dutch Cropper , a perfect Pomeranian Pouter is hatched . This could sometimes cause a surprise when a good Pomeranian pouter is hatched from a perfect Dutch cropper . 0 +Here he was much nerdier , gawkier and scrawnier than his later editions . Here , he was much scrawnier , gawkier , and nerdier than his later versions . 1 +Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the border to Virginia . Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the border with Virginia . 0 +Varying the assay used , changes the selective pressure on the cells and therefore can change what properties are selected in the transformed cells . If the selected assay varies , the selective pressure changes on the cells and can therefore change what properties are used in the transformed cells . 0 +Marta becomes exploited by both the city and Eddie 's brother , Angela . Both Marta and Eddie 's brother Angela are exploited by the city . 0 +During the fight , Steedman was wounded when his horse was shot under him and killed . During the fight , Steedman was shot when his horse was wounded under him . 0 +And procedural knowledge ( steps to make and which decision , when to do ) . And procedural knowledge ( steps to take and what decision when to make ) . 1 +Two new , large sports venues opened in 2001 : the Ralph Engelstad Arena and the Alerus Center . In 2001 , two new large sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . 1 +He worked as a school teacher in Bruges and , between 1693 and 1717 , in Tielt . Between 1693 and 1717 he worked as a teacher in Tielt , Bruges . 0 +Büyükorhan is a town and district of Bursa Province in the Marmara region of Turkey . Büyükorhan is a town and a district of Turkey in the Marmara region of the province of Bursa . 0 +On April 17 at Lockdown , Morgan defeated Hernandez in a steel cage match to win the feud . Hernandez defeated Morgan on April 17 in Lockdown in a steel cage - Match to win the Feud . 0 +The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College have been merged with Springvale Secondary College and Chandler Secondary College into Keysborough Secondary College . The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College , have been merged with Springvale Secondary College and Chandler Secondary College in Keysborough Secondary College . 1 +In 1977 , the US 1 was moved to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River with Alexander Hamilton Bridge . In 1977 , US 1 was moved to Webster Avenue and the Alexander Hamilton Bridge , crossing the Harlem River using the Cross Bronx Expressway . 0 +Kelley began having regular one-man exhibitions at Metro Pictures Gallery in Los Angeles in 1982 , and at Rosamund Felsen Gallery in Manhattan the following year . In 1982 , Kelley began regular solo exhibitions at the Metro Pictures Gallery in Manhattan and the following year at the Rosamund Felsen Gallery in Los Angeles . 0 +The Argintărie River is a tributary of the Ciunget River in Romania . The Argintărie - River is a tributary of the River Ciunget in Romania . 1 +In Stockholm he completed some of the paintings he had outlined on his Finnmark tour in 1832 . In Stockholm , he completed several of the paintings he had outlined on his 1832 Finnmark tour . 1 +The NFL is the only professional football league to successfully compete against the American Football League . The American Football League stands as the only professional football league to successfully compete against the NFL . 0 +Scott was born in Parkesburg , Pennsylvania , and buried in Chester County , Pennsylvania . Scott was born in Chester County , Pennsylvania , and was buried in Pennsylvania , Parkesburg . 0 +The Japanese otter was known as one of the leading carnivores in the aquatic food chain . The water otter was known as one of the top carnivores in the Japanese food chain . 0 +Suncook is located in the southern corner of the town of Pembroke and the western end of the town of Allenstown . Suncook is located in the southern corner of the town of Pembroke and the west end of the city of Allenstown . 1 +In its upper reaches in the crystal-clear hills of Piedmont , it flows through a deeply incised channel etched into red rocks . It flows in its upper reaches in the red hills of Piedmont through a deeply incised canal etched into crystalline rocks . 0 +The unpredictable consonant of each word was then dropped , the distribution leaving first . The unpredictable consonant of each word was then dropped , leaving the distribution of first . 1 +Under Ottoman rule , Avdella was in the kaza of Bitola , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Grevena ) . Under Ottoman rule Avdella was in the Kaza of Grevena , Sanjak von Serfice ( modern Servia ) , Vilayet of Monastir ( modern Bitola ) . 0 +"It is the first entry in the series , the second is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." "It is the first entry in the series , the second being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." 1 +Prince Muhammed bin Abdul Rahman married a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman in 2010 , who is a great grandson of Saud . Muhammed bin Abdul Rahman married in 2010 a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman , who is a grandchild of Saud . 1 +The other European powers were no longer prepared to oppose a new French expansion and were willing to form alliances to accept such a thing . The other European powers were no longer prepared to accept a new French expansion , and were willing to form alliances to resist such a thing . 0 +Martina Navratilova defeated Margaret Court with 6 -- 3 , 3 - 6 , 6 -- 3 . Margaret Court defeated Martina Navratilova 6 -- 3 , 3 -- 6 , 6 -- 3 0 +Anya Verkhovskaya ( Anya Verkhovskaya-Cohen ) is a Moscow-born consultant , chief operating officer , film producer and activist ( about 1969 ) . Anya Verkhovskaya ( Anya Verkhovskaya-Cohen ) is a Moscow-born ( circa 1969 ) consultant , chief operating officer , film producer , and activist . 1 +Other car manufacturers who have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . Other car manufacturers which have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . 1 +Charles Sutcliffe , the Beatles ' biographer , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which was observed by the young Sutcliffe . Philip Norman , the biographer of the Beatles , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had watched . 0 +In his first series on defense as a rookie Drew Bledsoe intercepted a Patterson pass intended for Keyshawn Johnson and returned it for 20 yards . In his first series in defense as a rookie intercepted Patterson intended a Drew Bledsoe pass for Keyshawn Johnson and gave it back for 20 yards . 0 +"McClain was one of the pioneers in introducing "" vaudevillized minstrelsy "" , which opened up a wider range of styles on the eve of the Ragtime era ." "McClain was one of the pioneers in introducing "" vaudevillized minstrelsy "" , which opened a wider range of styles on the eve of the ragtime era ." 1 +Madison is located in the 11th Congressional District and is part of the 27th State Legislative District of New Jersey . Madison is located in the 11th Congressional District and is part of New Jersey 's 27th state legislative district . 1 +"She was the "" Ashantian "" -- the first ship to bear this name , the second was sold in 1932 ." "She was the "" Ashantian "" -- the second ship to bear this name ; the first having been sold in 1932 ." 0 +Tracks 7-17 from the album Let 's Be Up and Make Friendly . Tracks 7-17 from the album Let 's ; s Be Up and Make Friendly . 1 +"Carpenter would later describe the script as "" too light , too campy "" ." "Carpenter would describe the script later as "" too light , too lax ." 0 +In the finals , Estonians won both games against Kalev Tallinn and won the first and last Soviet championship for BC Spartak Saint Petersburg . In the final , the Estonians won both games against Kalev Tallinn and won the first and last Soviet championship for the BC Spartak Saint Petersburg . 1 +The current format for the 2010 season is new and consists of three phases . The new format is current for the season 2010 and consists of three stages . 0 +The team has played teams such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in the last years in 2011 . The team has played teams in recent years such as Iowa , Rutgers , Hawaii , State of Mississippi , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . 1 +He has also made two solo albums under his own name and three albums recorded in Indonesia under the name Sabah Habas Mustapha . He has also recorded two solo albums under his own name and three albums made in Indonesia under the name of Sabah Habas Mustapha . 0 +There are numerous student organizations on the campus , including religious groups , academic groups , and student activity groups . There are numerous student organizations available on campus , including religious groups , academic groups , and student activity groups . 1 +Mary Pierce proposed Sandra Cecchini 6 -- 0 , 6 -- 3 Mary Pierce defeated Sandra Cecchini 6 -- 0 , 6 -- 3 0 +Micklethwait 's younger brother , Sotherton , also played first-class cricket for Cambridge University . Sotherton 's younger brother , Micklethwait , also played first-class cricket at Cambridge University . 0 +The 1913 New Zealand rugby league tour of Australia was a tour by the New Zealand national rugby league team . The New Zealand Rugby - League - Tour of 1913 New Zealand was a tour through the national rugby league - team of Australia . 0 +Many religious groups have different programs for different age groups within Scouting , and some offer different programs or emblems for boys and girls . Many religious groups offer various programs for different age groups within Scouting , and some have separate programs or emblems for boys and girls . 0 +"In 1948 , Weegee 's aesthetic formed the foundation for Hellinger 's film "" The Naked City "" ." "Hellinger 's aesthetics formed the foundation for Weegee 's film "" The Naked City "" in 1948 ." 0 +He has also composed music for films produced outside Sri Lanka ( a thousand flowers ) . He also produced music for films composed outside Sri Lanka ( a thousand flowers ) . 0 +Many people still believe in Dhami and Jhakri and often turn to local practices before seeking allopathic treatment . Many people still believe in Dhami and Jhakri and often resort to local practices before seeking allopathic treatment . 1 +Jalan Padang Temu ( Malaysia State Route M100 ) is a major road in Malacca , Malacca , Malacca . Jalan Padang Temu ( Malacca state route M100 ) is a major road in Malacca state , Malaysia 0 +Shaffer Creek is a tributary of the Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania , United States . Shaffer Creek is an tributary of Raystown Branch Juniata River ( Brush Creek ) in Bedford County , Pennsylvania in the United States . 1 +Their skin also secretes chemicals that are poisonous and sometimes harmful to predators . Also , their skin secretes chemicals that are poisonous , and sometimes distasteful , to predators . 1 +Woodworth ( March 16 , 1807 - February 13 , 1873 ) was a U.S. Representative from New York and member of the William W. Woodworth political family . Woodworth ( March 16 , 1807 - February 13 , 1873 ) was a U.S. representative from New York and member of the political family of William W. Woodworth . 1 +""" A. frondiculus "" is the only member of the genus which is not found in the western Indian Ocean or the Red Sea ." """ A. frondiculus "" is the only member of the genus not found in the Western Indian Ocean or the Red Sea ." 1 +Margaret Craske was born on 26 November 1892 in Norfolk , England , daughter of Edmund and Hannah Craske . Hannah Craske was born on November 26 , 1892 in Norfolk , England , daughter of Edmund and Margaret Craske . 0 +"The "" Ruby Cup "" of "" Molod Ukrayiny "" newspaper ( for the most scored goals ) was received by SKA Kiev ." "The "" Ruby Cup "" of the newspaper "" Molod Ukrayiny "" ( for most gates ) was received by SKA Kiev ." 1 +The brother of Dinesh Gunawardena and the eldest son of Philip Gunawardena , he was educated at the Royal College in Colombo . The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was educated at the Royal College , Colombo . 0 +"In November 2007 , Jaime Nubiola endorsed Joseph Ransdell 's view that "" It is simply a mystery at this point "" ." "In November 2007 , Joseph Ransdell advocated Jaime Nubiola 's view that "" at this point it is simply a mystery "" ." 0 +The first section was open on December 15 , 1907 from Pasco to the west of Cliffs ( near Maryhill ) , a length of , opened . The first section to open was from Pasco west to Cliffs ( near Maryhill ) , a length of , on December 15 , 1907 . 1 +Panchakule is a town and village development committee in Nepal , in the Rapti zone of the southwestern Dang Deokhuri District . Panchakule is a town and Village Development Committee in Nepal in the Rapti Zone of south-western Dang Deokhuri District . 1 +"This is the Zomi male dresses . The traditional dress are "" Puan Laisan "" and the female dress are "" Puandum """ "This is the traditional dress of Zomi , the male clothes are "" Puan Laisan "" and the female dresses are "" Puandum "" ." 0 +He spent the childhood of Berkeley in Warwickshire , where he was a pupil of the translator Philemon Holland of Coventry and Henry Ashwood . Berkeley 's childhood was spent in Warwickshire , where he was a pupil of the translator , Philemon Holland of Coventry , and of Henry Ashwood . 1 +Keenan played as a 197 cm ruckman and was a good marker of the ball as well as having a solid drop punt . Keenan played as 197 cm Ruckman and was a good marker of the ball as well as a solid drop - punt . 1 +Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , Vogtland and grew up in Rothenkirchen , East Germany . Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , East Germany and grew up in Rothenkirchen in Vogtland . 0 +Sunleif Rasmussen is a sought after arranger and has produced albums for Hanus G. , Olavur Jakobsen and Aldubáran . Olavur Jakobsen is a demanded arranger and has produced albums for Hanus G. , Sunleif Rasmussen and Aldubáran . 0 +""" Nobody Does It Better "" is a song composed by Carole Bayer Sager with texts by Marvin Hamlisch ." """ Nobody Does It Better "" is a song composed by Carole Bayer Sager with lyrics by Marvin Hamlisch ." 1 +The BMS Chair is Günter M. Ziegler ( FU ) , and the deputy Chairs are Jürg Kramer ( HU ) and John M. Sullivan ( TU ) . The BMS - Chairman is Jürg Kramer ( FU ) , and the deputy chairpersons are Günter M. Ziegler ( HU ) and John M. Sullivan ( TU ) . 0 +The Georgian Government protested against the allegedly growing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . The Georgian government protested against the allegedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . 0 +In versions of the Renaissance , Ogier travels to the Avalon governed by King Arthur and eventually becomes Morgan le Fay 's Paramour . In versions of the Renaissance , Ogier travels to the Avalon governed by Morgan le Fay and eventually becomes King Arthur 's parade . 0 +The Dâmboviţa River is a tributary of the river Sântinica in Romania . The river Sântinica is a tributary of the river Dâmboviţa in Romania . 0 +Philadelphia Fight defeated Fairfax Eagles 20-12 Philadelphia - Fight Fairfax Eagles 20-12 defeated . 0 +On June 30 , 2016 , Infante agreed to a Minor League Deal with the Braves and was released from the Atlanta Braves on August 16 , 2016 . On June 30 , 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves , which was released by the Braves on August 16 , 2016 . 1 +Syrian Haitians are Haitian of Syrian descent or a Syrian with Haitian citizenship . A small Syrian community exists in Haiti . Syrian Haitians are Syrians of Haitian descent , or a Haitian with Syrian citizenship . A small Syrian community exists in Haiti . 0 +Regressive assimilations are only conditioned by semantic factors while substitutions take into account phonological information . Regressive assimilations are conditioned only by semantic factors , while substitutions take phonological information into consideration . 1 +Carmen Aub Romero ( born October 24 , 1989 in Mexico City , Mexico ) is an Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico City , D.F. , Mexico ) is a Mexican actress . 1 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines on Zanzibar . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania.ZanAir was founded in Zanzibar in 1992 and is one of the most experienced airlines in Tanzania . 0 +The film The Hunters is a French crime - horror - thriller - film from 2011 by Chris Briant , produced by Antoine Huet . The film The Hunters is a French crime - horror - thriller - film from 2011 by Antoine Huet , produced by Chris Briant . 0 +The songs included have changed over the years , as old songs have been removed and new ones have been added . The included special songs have changed over the years as new songs have been added and old ones have been removed . 0 +John Benezet was a native of Philadelphia and the son of Daniel Benezet , a prominent Philadelphia merchant . Daniel Benezet was a native of Philadelphia , the son of John Benezet , a prominent Philadelphia merchant . 0 +The album has been released in Lithuania by Kablio Muzika , in Russia by One Drop and in Finland by Kamaset Levyt on an LP . The album has been released in Lithuania by Kablio Muzika , in Russia by One Drop and in Finland by Kamaset levyt on a LP . 1 +It features a fresh 1814 spin on legendary artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . 0 +In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to Gaming Corporation . In October 2006 , CryptoLogic changed its name to Media Corporation , and sold Casino.co.uk to Gaming Corporation for £3.6m in cash in August 2007 . 1 +Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress and the younger sister of Assunta De Rossi . Alessandra De Rossi ( born Alessandra Schiavone ; 19 July 1984 ) is a Filipina actress , and the younger sister of actress Assunta De Rossi . 1 +She was born Doris Miles in Glastonbury , Connecticut , and married George J. Disney in 1936 . She died in Fredericksburg , Virginia . Born as Doris Miles in Fredericksburg , Virginia , she married George J. Disney in 1936 and died in Glastonbury , Connecticut . 0 +Pill Hill became part of Brookline in 1844 when Boston annexed it . Brookline became part of Pill Hill in 1844 , when it was annexed from Boston . 0 +As a superintendent of the police , he served in Salem from 1982 to 1983 , and from 1983 to 1985 in Dharmapuri . As a superintendent of the police , he served in Dharmapuri from 1982 to 1983 , and from 1983 to 1985 in Salem . 0 +Although the two sections appear in full text in modern editions , Chapter X has also been published separately , both as a separate book and in collections . Although the two sections appear in the full text in separate editions , chapter X has also been published separately , both as a modern book and in collections . 0 +""" Love Hurts "" is the twentieth episode of the first season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." """ Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." 0 +This species comes from southern California to Peru in the Pacific Ocean . This species occurs in the Pacific Ocean from Southern California to Peru . 1 +The princess was received with great fanfare at Pathein ( Bassein ) on September 24 , 1573 . The princess was received with great fanfare at Bassein ( Pathein ) on 24 September 1573 . 1 +Internationally , Alaska has road links with both the lower 48 US states and Canada . Canada has road links with both the lower 48 US states and Alaska . 0 +The series is hosted by Zelda Rubinstein and told by Linda Blair . The series is hosted by Linda Blair , and narrated by Zelda Rubinstein . 0 +There were many people waiting for the Delhi-Tundla passenger train on the platform . On the platform many people waiting for the Tundla-Delhi passenger train were waiting . 0 +Utah claims a margin of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . Utah claims a lead of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . 1 +1 January 2012 , the district population was 89,500 , of which 22.8 % is rural and 77.2 % is urban population . On 1 January 2012 , the district population was 89,500 , of which 22.8 % were urban and 77.2 % rural population . 0 +The band 's first DVD recording shot in March 2010 at the Y Theatre in Leicester was published in January 2011 . The band 's first recording , published in March 2010 at Y Theatre in Leicester , was filmed in January 2011 . 0 +Design by Jeff Grubb with Andria Hayday , a cover by Karl Waller and illustrations by Jeff Easley . Design was created by Jeff Grubb with Andria Hayday , a cover of Jeff Easley and illustrations by Karl Waller . 0 +The Indian stamps were used until 1923 , when they began to be overprinted with KUWAIT . Indian stamps were overprinted until 1923 when they began to be used KUWAIT . 0 +The Patriarch of Bulgaria wears a white epanokamelavkion with small cross . The Patriarch of Romania also wears a white epanokamelavkion . The Patriarch of Romania wears a white epanokamelavkion with a white cross , and the Patriarch of Bulgaria also carries a small epanokamelavkion . 0 +However , Aramaic remains a spoken , literary , and liturgical language for local Christians and also some Jews . However , Aramaic remains a local language for spoken , literary and liturgical Christians and also for some Jews . 0 +The Valea Negrenilor River or Negreni River is a tributary of the Amaradia River . The river Amaradia or the river Negreni is a tributary of the Valea Negrenilor river . 0 +The national championships in road cycling 2010 began in January in Australia and New Zealand , most of the national championships will take place in June . The 2010 national road cycling championships began in January in Australia and New Zealand . Most of the European national championships take place in June . 0 +If Formula 102 is differentiatable and its domain formula 107 is convex , then : If formula 102 is convex and its domain formula 107 is differentiable , then 0 +The physical basis of bloom is that , in the real world , lenses can never focus perfectly . The physical basis of the flower is that lenses can never perfectly focus in the real world . 1 +"The feature was never considered "" unfinished "" , as it ultimately received a user interface ." "The feature was eventually considered "" unfinished "" as it never received a user interface ." 0 +Epigenomics is a molecular diagnostics company headquartered in Seattle , WA with a wholly owned subsidiary , Epigenomics Inc. based in Berlin , Germany . Epigenomics is a molecular diagnostics company based in Berlin , Germany , and a wholly owned subsidiary , Epigenomics Inc. , headquartered in Seattle , WA . 0 +The result of these experiments led to the learning of processes for defining optimism . The result of these experiments led to learning the processes of defining optimism . 1 +Steve Davis reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Stephen Hendry and 8 -- 9 against Jimmy White respectively . In 1991 and 1992 , Steve Davis reached the finals of the tournament , but lost 4 -- 10 against Stephen Hendry and 8 -- 9 against Jimmy White . 1 +The Los Angeles County Department of Health Services operates the Pomona Health Center in Hacienda Heights , serving Pomona . The Los Angeles County Department of Health Services operates the Pomona Health Centre in Hacienda Heights , Pomona . 1 +Bhils has the highest population in the Jhabua district , followed by Dhar , Barwani , and Khargone districts . Bhils have the highest population in Khargone district , followed by Dhar , Barwani and Jhabua . 0 +When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Diocese of Teramo . When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Diocese of Teramo . 0 +She is currently recording and producing music for other artists and also writing solo tracks under the name Tobora . She is currently recording and producing music for other artists and writing solo pieces under the name Tobora . 1 +Catterick Garrison is a major garrison and town south of Richmond in the Richmondshire district of North Yorkshire , England . Catterick Garrison is a large garrison and town south of Richmond in the North Yorkshire district of Richmondshire , England . 0 +The Chinese ambassador to Beijing is the official representative of the government in Apia with the Samoa government . The Chinese ambassador in Apia is the official representative of the Government in Beijing to the Government of Samoa . 0 +In 1220 , a Swedish army , led by King John I of Sweden and Bishop Karl von Linköping Lihula in Rotalia in Western Estonia , conquered the city . In 1220 a Swedish army led by king John I of Sweden and the bishop Karl of Linköping captured Lihula in Rotalia in Western Estonia . 0 +It followed MacPaint and was a competitor to Silicon Beach Software 's SuperPaint . It followed MacPaint and was a competitor to SuperPaint from Silicon Beach Software . 1 +This practice has its roots in the traditions regarding the Danish caps of the black students . This practice has its roots in the traditions concerning the Danish caps of the black students . 1 +Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the twenty-first century constitutional traditional monarchies of Uganda . Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the Uganda of the 21st century . 0 +The bridge starts in Sweden and the tunnel is in Denmark . The bridge starts in Denmark and the tunnel in Sweden . 0 +The northernmost part of the Black Creek watershed , south of the central hill line , including the mouth of Nescopeck Creek , is also in this area . The central part of the watershed of Nescopeck Creek , south of the northernmost hill , including the mouth of Black Creek , is also in this series . 0 +"FAM40A is a protein that is encoded in humans on chromosome 1 and is localized by the "" FAM40A "" gene ." "FAM40A is a protein that is localised in humans on chromosome 1 and is encoded by the "" FAM40A "" gene ." 0 +The 1912 -- 13 season was Manchester United 's 21st season in the Football League and sixth in the First Division . The 1912 -- 13 season was the 21st season of Manchester United in the Football League and sixth place in the First Division . 1 +Ice hockey at the Canada Winter Games 2011 was held in the Halifax and Halifax Forum in New Scotland and at the Halifax Metro Centre in Dartmouth , Dartmouth Sportsplex . Ice hockey at the 2011 Canada Winter Games was held at the Halifax Metro Centre and Halifax Forum in Halifax and the Dartmouth Sportsplex in Dartmouth , Nova Scotia . 0 +Born as Doris Miles in Glastonbury , Connecticut , she married George J. Disney in 1936 and died in Fredericksburg , Virginia . She was born Doris Miles in Glastonbury , Connecticut , and married George J. Disney in 1936 . She died in Fredericksburg , Virginia . 1 +The building , which was commissioned by the City Fathers was designed by William Stark , was opened in 1808 , originally as St. George 's Parish Church . The building , which was opened by the city fathers , was designed by William Stark and was commissioned in 1808 , originally as St. George 's Parish Church . 0 +After the break-up of Cream , Bruce and Brown continued to write songs together . Brown wrote the lyrics for most of Bruce 's solo albums . After the separation of Cream , Bruce and Brown continued to write songs , Bruce wrote the lyrics for most of Brown 's solo albums . 0 +Giulia Grisi was the cousin of the famous soprano singers , the sisters Giuditta and Carlotta Grisi . Giulia Grisi was the cousin of the famous sopranos singers , the sisters Giuditta and Carlotta Grisi . 1 +It follows roughly I - 40 from Canton to Canton and the US Route 74 , also known as Great Smoky Mountains Expressway , from Asheville to Murphy . It follows roughly I - 40 from Asheville to Canton and the US Route 74 , also known as Great Smoky Mountains Expressway , from Canton to Murphy . 0 +Soon , though , Li Longji was overthrown in a coup led by Emperor Zhongzong 's sister Princess Taiping and his nephew Linzi the Prince of Empress Wei . Soon , Empress Wei was overthrown in a coup , led by Emperor Zhongzong 's sister , Princess Taiping , and his nephew Li Longji , the Prince of Linzi . 0 +The journal is indexed by Brill and published in Academic Search Complete and Scopus . The magazine is indexed by Brill and published in Academic Search Complete and Scopus . 1 +Danielle , Nadine and Mark have visible their pictures in the school case . Mark , Nadine and Danielle have visible their pictures in the school case . 1 +"The fungus is toxic , but due to possible confusion with edible "" Amanita "" species is not recommended ." The mushroom is edible , but due to possible confusion with poisonous Amanita species is not recommended . 0 +"In 2008 , Marshall also wrote and directed "" Doomsday "" and 2010 "" Centurion "" ." "Marshall also wrote and directed "" Doomsday "" in 2008 , and directed "" Centurion "" in 2010 ." 1 +The inner lip has a thinnish glaze on the body and columella , whose union is very slightly concave . The inner lip has a concave glaze on the body and Columella , whose union is very slightly thin . 0 +""" Now a Memory Almost "" is a song written by Van Stephenson , Dave Robbins , and Dale Oliver , recorded by American country music band Blackhawk ." """ Almost a Memory Now "" is a song by Van Stephenson , Dave Robbins and Dale Oliver , recorded by American country music - band Blackhawk ." 0 +The complex of World Trade Center Trabzon Airport is situated close to Trabzon . The complex of the Trabzon World Trade Center is close to Trabzon Airport . 0 +"Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish - Finnish soprano ." "Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish-Swedish soprano ." 0 +The Titimoiu River is a tributary of the Ceapa River in Romania . The Ceapa is a tributary of the Titimoiu River in Romania . 0 +To the east , unlike the western settlement , no carefully observed floors were executed . Unlike the western settlement , no carefully executed floors were observed in the east . 0 +Lawler accused Bret Hart of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . In 1995 , Bret Hart accused Lawler of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 0 +This would fade the element but stop when the 80 % effect is complete ( with an opacity of 20 % ) . This would fade the element , but stop when the effect is 80 % complete ( with an opacity of 20 % ) . 1 +The free tetracubes from two complete sets of corresponding tetrominoes can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes . The corresponding tetracubins from two complete sets of free tetrominos can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes : 0 +"Franca Treur ( * 1979 ) is a freelance writer and Dutch journalist for "" NRC Handelsblad "" and "" nrc.next "" ." "Franca Treur ( born 1979 ) is a freelance writer and a Dutch journalist for "" NRC Handelsblad "" and "" nrc.next "" ." 1 +Its signal includes Cundinamarca , Boyacá , Tolima , Amazonas , Meta , Huila , Casanare , Caquetá , Guaviare , Vaupés , Vichada , Arauca and Putumayo . Its signal covers Cundinamarca , Boyacá , Tolima , Huila , Casanare , Meta , Vichada , Arauca , Caquetá , Guaviare , Vaupés , Amazon and Putumayo . 1 +Definition ( global sensitivity ) : The maximum sensitivity of a query formula _ 74 is its neighbouring difference when evaluated on two global datasets formula _ 75 . Definition ( Global Sensitivity ) : The global sensitivity of a query formula 74 is its maximum difference when evaluated in two neighboring datasets - Formula 75 : 0 +Its members are Kena and Nakia Epps , sisters from Boston , and Karen Johnson , of Chicago . Its members are Kena and Nakia Epps , sisters from Boston , and Karen Johnson , Chicago . 1 +The Shadrick won a by-election in Holsworthy with a majority of 66 votes after the death of Liberal Democrat councillor Pam Johns . Independent Des Shadrick won a by-election in Holsworthy with a majority of 66 votes after the death of Liberal Democrat councillor Pam Johns . 1 +Previously held in the city of Auckland , the show moved to Christchurch at Hagley Park in 2008 . The show , which was previously held in the city of Auckland , moved to Christchurch at the Hagley Park in 2008 . 1 +Instead , AC3 allows producers to choose input levels over a wide range by representing a measured dialog value , including the required dialog level of the input signal . Instead , AC3 allows producers to choose input level over a wide range , by including a required dialnorm value representing the measured dialog level of the input signal . 0 +The area is connected to the internal Nevada Test Site ( NTS ) road network , with paved roads leading west to Mercury and south to Yucca Flat . The area is connected to the internal road network of the Nevada Test Site ( NTS ) , with paved roads leading to the west to Mercury and south to Yucca Flat . 1 +It is separated into two parts by the Sarawak district of Limbang . It is separated by the Limbang - district of Sarawak in two parts . 0 +It is one of the only surviving round barns built in central Illinois and one of only two known in the state with glazed tiles . It is one of the only surviving round barns in central Illinois and one of only two known in the state built with vitrified tile . 1 +The eight effects are related to the three traditional shift-share effects from the comparative static model . The eight effects are related to the three comparative static shiftshare effects from the traditional model . 0 +Sentence elements ( with the exception of verbs ) can be updated by moving to the beginning of the sentence and being marked with raised eyebrows . Sentence elements ( with the exception of verbs ) can be topicalised by being moved to the beginning of the sentence and marked with raised eyebrows . 1 +He was the father of painter Emanuel Swedenborg and cousin of the religious leader John Hesselius . He was the father of the painter John Hesselius and cousin of religious leader Emanuel Swedenborg . 0 +It is located in the southern part of Annapolis County on the western shore of the Annapolis Basin . It is situated in the southern part of Annapolis County on the western shore of the Annapolis Basin . 1 +The 86th Airlift Squadron is part of the 309th Airlift Wing at Chièvres Air Base , Belgium . 86th Airlift Squadron is part of the 309th Airlift Wing on Air Base Chièvres , Belgium . 1 +McNair was born in Rio de Janeiro , his forebears having moved in the 1840s to Brazil from Glasgow , where they were prominent in civic and commercial life . McNair was born in Glasgow , his ancestors moved from Brazil to Rio de Janeiro in the 1840s , where they were prominent in civil and commercial life . 0 +The new style was also encouraged by changes in the social order and the economic structure . The new style was also promoted by changes in economic order and the social structure . 0 +The Siruguppa taluk , the Bellary taluk , the Hospet taluk and a small area of the Mallapuram sub-taluk were detached from the Mysore State . The Hospet taluk , the Mallapuram taluk , the Siruguppa taluk and a small area of the Subtaluk Mysore State were detached from the Bellary . 0 +He married Anne Blanche Harriet Proctor ( 1870-1935 ) , a daughter and co-founder of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes in 1901 . He married in 1901 Anne Blanche Harriet Proctor ( 1870-1935 ) , daughter and coheiress of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes . 1 +Lazkao is a town and municipality in the region of Gipuzkoa in the province of Goierri , in the Autonomous Basque Community of northern Spain . Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Autonomous Basque Community of Northern Spain . 0 +The SAS ( Surprise aggregate supply ) curve is in the aggregate run a vertical line called the EAS ( Equilibrium long Supply ) curve . The SAS curve ( Surprise Aggregate Supply ) is , in the long term , a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) . 0 +The North Downs Way crosses the Medway viaduct at the eastern end of Medway Valley Walk or the Autobahn bridge . The North Downs Way crosses the Medway Valley Walk at the eastern end of Medway Viaduct or the motorway bridge . 0 +"The series is based on the book series "" The Mortal Instruments "" from Ed Decter and was developed by Cassandra Clare for television ." "The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed for television by Ed Decter ." 0 +"Born with the addition of Mikey , Turbo returned to the gayo world October 1997 with their aptly titled 3rd album "" Resurrected Again "" ." "Born with the addition of Mikey , Turbo returned to gayo world in October 1997 with the aptly titled third album "" Resurrected Again "" ." 1 +In 1854 Cooper left Australia and returned to London where he lived , a confirmed bachelor , until his death at the age of ninety . Cooper left Australia in 1854 and returned to London , where he , a confirmed bachelor , lived until his death at the age of ninety . 1 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy by Wong Jing produced , written and directed . Men Suddenly in Love is a 2011 Hong Kong romantic comedy film written by , produced by and directed by Wong Jing . 1 +These recommendations were included in the management plan of the sanctuary , but nothing much was done for the management of grasslands in Solapur , Nannaj , Great Indian Bustard Sanctuary . These recommendations were included in management plan of the sanctuary but nothing much was done for the management of grasslands in Great Indian Bustard Sanctuary , Nannaj , Solapur . 1 +His first wife was Anna Williams , his second wife 's sister . His first wife was Anna Williams , sister of his second wife . 1 +VanValkenburgh also criticized the lieutenant of Department of Ohio Commander Ambrose Burnside , General Milo S. Hascall . VanValkenburgh also criticized Department of Ohio commander Milo S. Hascall 's lieutenant , General Ambrose Burnside . 0 +Walter Lyhert ( or Walter Hart ; died 24 May 1472 ) was a medieval Bishop of Norwich . Walter Lyhert ( or Walter Hart ; died on 24 May 1472 ) was a medieval bishop of Norwich . 1 +Walter Hart ( or Walter Lyhert , died May 24 , 1472 ) was a medieval bishop of Norwich . Walter Lyhert ( or Walter Hart ; died on 24 May 1472 ) was a medieval bishop of Norwich . 1 +L. Subramaniam married Dr. Kavita Krishnamurthy in Bengaluru , Karnataka on 11th November , 1999 . On November 11 , 1999 , Kavita Krishnamurthy married Dr. L. Subramaniam of Bengaluru , Karnataka . 0 +The main advantages of the Panzer 38 ( t ) , compared to other tanks of the day , were a high reliability and sustained mobility . The main advantages of tank 38 ( t ) compared to other tanks of the day were high reliability and sustained mobility . 1 +Forward Rob Blake was replaced by defender Patrick Marleau as team captain . Forward Patrick Marleau was replaced by defender Rob Blake as team captain . 0 +In 1968 , Catherine Gillies , the granddaughter of Barbara Myers , learned of Charles Manson about Myers Ranch . In 1968 , Barbara Myers learned about the Myers Ranch from Catherine Gillies , the granddaughter of Charles Manson . 0 +ProxmapSearch uses the proxMap array created by a previously created ProxmapSort to find keys in the sorted A2 array in constant time . ProxmapSearch uses the proxMap array , generated by a previously sorted ProxmapSort to find keys in the done array A2 in constant time . 0 +In 1944 , it was sold to Santa Maria Valley Railroad , and in 1958 it was donated to the Travel Town Museum in Los Angeles , California . In 1944 it was sold to the Santa Maria Valley Railroad , and in 1958 it was donated to the Travel Town museum in Los Angeles , California . 1 +In 1944 , he became editor when he succeeded Edward Taylor Scott , the son of C. P. Scott . Wadsworth became editor in 1944 , when he succeeded Edward Taylor Scott , son of C. P. Scott . 1 +Theodosius died 395 in Milan and was buried in Constantinople . Theodosius died in Milan in 395 , and was buried in Constantinople . 1 +A public elementary school was built in 1850 in the hamlet of Stain and expanded by 100 children in 1858 , the Wesleyans built a school in 1875 . A public elementary school was built in 1850 in the hamlet of Stain and built in 1858 for 100 children . The Wesleyans expanded a school in 1875 . 0 +Other R & amp ; D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son , and Thomas Mann Randolph Talcott . Other R & D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . 1 +Lars Elinderson , born 1949 , is a moderate politician of the Swedish party . Lars Elinderson , born in 1949 , is a Moderate politician of the Swedish Party . 1 +"Holly told "" Inside Soap "" Powles does not like it when she is in her parent 's bad books , so she tries to stay clean ." "Holly told "" Inside Soap "" Powles does not like when she is in her parents ' bad books , so she tries to stay clean ." 1 +"Thakurgaon Stadium is located near the "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." "The Thakurgaon Stadium is located at "" Thakurgaon "" , Thakurgaon Inter District Bus Station , Bangladesh ." 1 +Andre Agassi defeated Jimmy Arias 6 -- 2 , 6 -- 2 Jimmy Arias defeated Andre Agassi by 6 -- 2 , 6 -- 2 . 0 +For non-parametric alternatives in the factorial layout see Sawilowsky , for more discussion see ANOVA on ranks . For nonparametric alternatives in the factorial layout , see Sawilowsky . For more discussion see ANOVA on ranks . 1 +The A cells produce Glucagon , which mobilises hepatic glycogen , and the enterochromaffin cells produce serotonin , which stimulates the contraction of smooth muscles . The A cells produce glucagon , which mobilizes the enterochromaffin glycogen , and the hepatic cells produce serotonin , which stimulates the contraction of the smooth muscles . 0 +In June 1986 , Boeing 767-200ER replaced the DC-10 fleet with a new route to the Montréal -- Mirabel International Airport . In June 1986 , Boeing 767-200ERs replaced the DC-10 fleet , with a new route to Mirabel International Airport , Montréal . 1 +Pepsi Next was established in March 2013 in France and in March 2014 in Finland and Canada . Pepsi Next was first implemented in March 2013 in Finland and Canada , in March 2014 in France . 0 +These actions combine to decrease myocardial oxygen demand and increase myocardial oxygen supply . Combine these actions to increase myocardial oxygen demand and reduce myocardial oxygen supply . 0 +In historical times there were Cherokee and Creek villages in the Tennessee Valley west of Sand Mountain and in the Wills Valley in the east . In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Wills Valley and the Sand Mountain to the east . 0 +He played in 2007 at Chicago Lollapalooza , and in 2008 at the FuckYeah Festival in Los Angeles . He played Lollapalooza in Chicago in 2007 , and the FuckYeah Festival in Los Angeles in 2008 . 1 +Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League from 1957 to 1974 . From 1957 until 1974 , Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League . 1 +During this raid an Egyptian Missile boat was sunk using anti-tank M72 LAW missiles . During this raid , an Egyptian missile boat with anti-tank missiles ( M72 LAW ) was sunk . 1 +"Adele performed the song on "" Friday Night with Jools Holland "" on 8 February 2008 and on "" Saturday Night Live "" during the 18 October 2008 show ." "The song was listed on February 8 , 2008 at "" Friday Night with Jools Holland "" and during the show on 18 October 2008 on "" Saturday Night Live "" ." 0 +All these empirical horopters are in fact corresponding , empirically , to the equal visual direction horopter . All these empirical horopters are in fact empirically equal to the same visual direction , horopter . 1 +Astoria comprises the Clatsop County , OR Micropolitan Statistical Area and is located in Northwest Oregon . Clatsop County comprises the Astoria , OR Micropolitan Statistical Area and is located in the northwest - Oregon . 0 +Bowen Hills and Ferny Grove Station are served by all Beenleigh Line Services stops from Woodridge to Beenleigh . Woodridge station is served by all stops Beenleigh line services from Beenleigh to Bowen Hills and Ferny Grove . 0 +In all the authors , the verb tends to be final in subordinate clauses more often than in main sentences . In all authors , the verb tends to be main , more often in final clauses than in subordinate clauses . 0 +Rabbi Levi taught that on the night described in God showed Jacob all the signs . Rabbi Levi showed that in the night Jacob described in God has taught all the signs . 0 +Crash Landed was published in Korea in July 2009 as the third single and in April 2010 as the second single in Japan . Crash Landed was released in Korea as the third single in July 2009 and the second single in Japan in April 2010 . 1 +"Vancouver also had 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had 11.2 and Sarnia had 12.7. """ Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Toronto had 7.9 , Montreal had 11.2 and Sarnia had 12.7 had . 0 +He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and from 1946 Stepson of Gyda Christensen . He was also a nephew of Gyda Christensen , a brother of Johan Hambro , Carl Joachim and Cato , and from 1946 a stepson of Elise Hambro . 0 +For 1934 , the body was redesignated and redesigned as 452D again and 452E in 1935 . For 1934 , the body was redesigned again and denoted as 452D , and as 452E in 1935 . 0 +From 1800 -- 04 Wright was British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . Wright was from 1800 -- 04 British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . 1 +These dioceses had an indirect election of three members , a direct election of four members : These dioceses had direct election of three members , indirect election of four members : 0 +Irfon defines the northern border of the Builth Wells area between Llanwrtyd Wells and Mynydd Epynt . Irfon defines the northern border of the Mynydd Epynt area between Llanwrtyd Wells and Builth Wells . 0 +On the same day , the Quebec Railway Corporation announced that it is purchasing the Sydney Coal Railway ( SCR ) from Logistec Corporation . On the same day , the Logistec Corporation announced that it was buying the Sydney Coal Railway ( SCR ) from Quebec Railway Corporation . 0 +September 2 : CF Michael Bourn and CF Drew Stubbs activated , C. Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson by AAA Norfolk recalled . September 2 : CF Michael Bourn and CF Drew Stubbs activated ; C Caleb Joseph , LHP Jayson Aquino , and RHP Tyler Wilson recalled from AAA Norfolk . 1 +In 1858 he returned to Great Britain before escorting Queen Victoria to Cherbourg in August 1858 . In 1858 he returned to Cherbourg before escorting Queen Victoria to Great Britain in August 1858 . 0 +The Bishop 's Office at the Rötelen Castle held the city and managed the low court rights . The Bishop 's reeve at Rötelen Castle held the city and managed the low court rights . 1 +""" Tennessee "" was sold to the Burdett Pond of Meriden , Connecticut , September 15 , 1886 ." """ Meriden , Connecticut "" was sold on 15 September 1886 to Burdett Pond of Tennessee ." 0 +The Great Western Railway took over the OW & W in 1862 and enlarged Cheltenham Spa station in the 1900s when it built the railway between and Honeybourne . The Great Western Railway took over OW 'W in 1862 and enlarged Honeybourne Station in the 1900s when it built the railway between and Cheltenham Spa . 0 +Xmonad is a dynamic window manager ( tiling ) for the X Window System written in the functional Haskell programming language . Xmonad is a functional window manager ( tiling ) for the X Window System , written in the Haskell dynamic programming language . 0 +Giedraitis is a Lithuanian language family name . The Polish-language version is Giedroyć . Giedraitis is a Polish family name , the Lithuanian language version is Giedroyć . 0 +The text was written in a form of artificial Attic Greek and shows the Byzantine perception of the Crusades . The text was written in the form of a Byzantine - attic Greek and depicts the artificial perception of the Crusades . 0 +Linkuwa Pokhari is a village and village development committee in the Sagarmatha zone in the Khotang district of eastern Nepal . Linkuwa Pokhari is a village and Village Development Committee in Sagarmatha Zone in the Khotang District of eastern Nepal . 1 +On 5 May 2015 , Kuala Lumpur was selected as the terminus of the Jurong East -- Singapore High Speed Rail route in Singapore . Kuala Lumpur was chosen as the Singapore terminus of the Jurong East -- Singapore High Speed Rail on 5 May 2015 . 1 +Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . 0 +In combination with Estradiol Enanthate , Algestone Acetophenide is used as a combined injectable contraceptive for women in Latin America and Spain once a month . Algestone acetophenide is used in combination with estradiol enanthate as a once-monthly combined injectable contraceptive for women in Latin America and Spain . 1 +Dora Smith is a widow of two own children : Will and Ma Smith . Ma Smith is a widow with two children of her own : Will and Dora Smith . 0 +Since then , several FRC students , alumni and mentors have contributed to the project by providing feedback , creating communication protocols , and documenting Linux packages . Since then , several FRC students , alumni and mentors have contributed to the project by providing feedback , documenting the communication protocols and creating Linux packages . 0 +The Nottawa Creek , also known as Nottawa River , flows through Athens . The Nottawa Creek , also known as the Nottawa River , flows through Athens . 1 +Lottia persona is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . Lottia persona is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . 0 +The stadium was home to the former Georgia Mustangs and the former women 's football club of the late WUSA league , the Atlanta Beat . The stadium was the home to the former Georgia Mustangs and the defunct WUSA women 's soccer club of the former Atlanta Beat league . 0 +""" Symphonic Poem "" had used some details and nuances and was changed as the entire second act as it had been at Symphonic Legends ." """ Symphonic Poem "" had some details and nuances tweaked , and was used as the entire second act like it had been at Symphonic Legends ." 0 +The first president of Antigone was Mauro Palma ( 1991-1999 ) , who were replaced by Stefano Anastasia ( 1999-2005 ) . The first president of Antigone was Mauro Palma ( 1991-1999 ) , who have been replaced by Stefano Anastasia ( 1999-2005 ) . 1 +Marco Conti is Captain Regent of San Marino together with Glauco Sansovini for the semester from April 1 , 2010 to October 1 , 2010 . Marco Conti is Captain Regent of San Marino together with Glauco Sansovini for the semester from 1 April 2010 to 1 October 2010 . 1 +Wladimir Burliuk was born in Kharkiv , the younger brother of David Burliuk , on March 15 , 1886 . Wladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . 1 +Guido Reni , also known as Marchino di Marco Bandinelli , was an Italian painter of the Baroque period . Marco Marco Bandinelli , also known as the Marchino di Guido Reni , was an Italian baroque painter . 0 +The division was part of the 2nd Ukrainian Army of the 53rd Front in May 1945 . In May 1945 , the division was part of the 53rd army of the second Ukrainian Front . 0 +Zomboy cites influences such as Skrillex , Reso , Rusko and Bare Noize . He studied Music Production at the Academy of Contemporary Music in Guildford . He quoted influences such as Rusko , Reso , Zomboy and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . 0 +Sol Lesser , a film producer who had discovered Jackie Coogan , signed Breen at RKO Radio Pictures . Sol Lesser , a film producer who had discovered Breen , signed Jackie Coogan at RKO Radio Pictures . 0 +The first letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA . The last D stands for Dual Sim feature . The final letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA The first D stands for Dual Sim Feature . 0 +There is also a large number of mixed European and Chinese Liverpudlians of Chinese descent , descendants of the former generations of Chinese settlers in the city . There is also a large number of Chinese Liverpudlians of the mixed European and Chinese ethnic groups , descendants of former generations of Chinese settlers in the city . 0 +It was directed by Nicholas Paleologos and produced by Joanna Lipper . It was led by Joanna Lipper and produced by Nicholas Paleologos . 0 +"Professor Azra Meadows and Dr Peter Meadows are the editors of "" The Glasgow Naturalist "" , the annual publication of The Glasgow Natural History Society ." "Peter Meadows and Dr. Azra Meadows are editors of "" The Glasgow Naturalist "" , the annual publication of the Glasgow Natural History Society ." 0 +The album is available in two versions : the Digipack Limited Edition and the Standard Edition . The album is being released in two versions . The standard edition and the digipack limited edition . 1 +This creates filter processing and manages the filter chain with the appropriate filters , in the correct order , and initiates processing . This creates filter processing and manages the filter chain with the appropriate filters in the correct order and processing starts . 1 +"Almost all Basal - Ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae were known ." "Psittacosaurids were known to almost all basal ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae ." 1 +Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the marine limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . 1 +The cast list indicates a date of first performance after Taylor joined the company in the Spring of 1619 , and before Tooley 's death in June 1623 . The cast list indicates the first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . 0 +It was also announced in December 2011 that U-Dip would later make a return , joining a long list of objects dropped on New Year 's Eve at midnight . It was announced later in December 2011 that a U-Dip would also make a return to join a long list of objects that were dropped at midnight on New Year 's Eve . 0 +In 1948 Bubba produced the first Italian self-propelled combine harvester , the 1500 , preceded only by Massey Harris in 1941 . In 1948 , Bubba produced the first Italian self-propelled combine , the 1500 that only Massey Harris preceded in 1941 . 1 +Tartalo was blind , but not yet dead . Tartalo was blind , but not dead yet . 1 +"The glabrezu true tanar ' ; ri also appeared for the planescape - campaign setting in the first "" Planescape Monstrous Compendium Appendix "" ( 1994 ) ." "The glabrezu Monstrous tanar'ri also appeared for the Planescape campaign setting in the first "" Planescape true Compendium Appendix "" ( 1994 ) ." 0 +NUM campaigned successfully in the 1980s for the end of the job reservation system , a system which ensured that the best-paid jobs were allocated to whites . In the 1980s , the NUM successfully campaigned for the end of the job reservation system , a system that ensured that the best-paid jobs were given to whites . 1 +A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who was organist of Blackpool Parish Church from 1918 until 1963 . A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who from 1918 to 1963 was the organist of the Blackpool Parish Church . 0 +Teewurst was invented in Pomerania , probably in the small Baltic town of Rügenwalde ( now Darłowo , Poland ) , in the middle of the 19th century . Teewurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic city of Rügenwalde ( today Darłowo , Poland ) . 1 +The friendship between him and Duncan ended at a club meeting in 1951 , when they disagreed at an annual meeting , and Greaves reported that Duncan said : The friendship between him and Duncan ended in 1951 at a club meeting , when the two did not agree at an annual meeting , and Duncan reported that Greaves said : 0 +Georges Merle died in Paris in 1881 , his son Hugues Merle became a painter as well . Georges Merle died in 1881 in Paris . His son Hugues Merle also became a painter . 1 +Brusio is a municipality in the Bernina Region in the canton of Graubünden in Switzerland . Brusio is a municipality in Graubünden , in the canton of Switzerland , in the Bernina region . 0 +The train station is served by the Asa line and is 8.0 km from the beginning of the line . The station is located by the Asa Line and is served 8.0 km from the beginning of the line at 0 +"In his retirement , MacDonald wrote the "" Macdonald dictionary of Canterbury - Biographies "" , a collection of 12,000 biographies run by the Canterbury museum ." "In his retirement , Macdonald wrote the "" MacDonald dictionary of Canterbury - Biographies "" , a collection of 12,000 biographies run by the Canterbury Museum ." 1 +The series was made by Bones and co-produced by Bandai Entertainment . The series was made by Bones co-produced and made by Bandai Entertainment . 0 +As promised , only 28 % of the predicted amount has been reimbursed since 2015 . As predicted , since 2015 , only 28 % of the promised amount has been reimbursed . 0 +Oscar Bonavena met the second round of the tournament on Ellis . During the second round of the tournament , Ellis met Oscar Bonavena . 0 +In the 9th minute , Lewandowski opened the lead , followed by Xabi Alonso four minutes later . Xabi Alonso opened the scoring in the 9th minute , followed by Lewandowski four minutes later . 0 +In 1975 he returned to Odibo , and in 1977 moved to Windhoek . In 1975 he moved to Odibo and returned to Windhoek in 1977 . 0 +Within a few days , around 7,000 female prisoners were evacuated from Sweden to Denmark and then on to Ravensbrück . Within a few days , around 7,000 female prisoners were evacuated from Sweden to Denmark and then to Ravensbrueck . 1 +He was then traded for the Detroit Tigers for Matt Drews and Joe Randa through the Arizona Diamondbacks with Travis Fryman . He was then traded by the Arizona Diamondbacks with Travis Fryman to the Detroit Tigers for Matt Drews and Joe Randa . 1 +"In 1912 , immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" ." "Immediately after he and Whitehead published PM he wrote his 1912 "" The Problems of Philosophy "" ." 0 +Langdon Hubbard died in 1892 , and William H. Bennett took over the mill . In 1892 , Langdon Hubbard died , and William H. Bennett took over the mill . 1 +It is located in the eastern end of Montgomery County and borders south to the city of Amsterdam , which is it . It is located in the eastern end of Montgomery County and is south of the City of Amsterdam , which it borders . 0 +Laura Myntti was born in Minnesota , and lived in Sioux City , Iowa and San Diego before settling in Salt Lake City in 1968 . Born in Minnesota , Laura Myntti lived in Sioux City , Iowa and San Diego , before settling in Salt Lake City in 1968 . 1 +Bouchier was married to Dorothy Britton , who translated a number of Japanese books into English . He was married to Dorothy Britton , who had translated a number of Japanese books into English . 1 +Spencer also came as Jason Dohring on board . Jason Dohring also came as a Spencer on board . 0 +In his Karachi workshop , he paints in the open air and sketches his ideas on the ground . In his Karachi workshop he paints in the open air and draws his ideas on the ground . 1 +On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on September 5 , 2015 . On July 31 , 2015 , Moore was signed by the Chicago Bears . On September 5 , 2015 , he was released by the Bears . 0 +He was part of the Danish team , which won the silver medal in the men 's gymnastics , Swedish system event in 1920 . He was part of the Swedish team which won the silver medal in men 's gymnastics , Danish system event in 1920 . 0 +This version of Robert Hammond is a xenobiology professor , an old friend of Hal Jordan and the son of United States senator Hector Hammond . This version of Robert Hammond is a Xenobiology - Professor , an old friend of Hal Jordan and the son of US Senator Hector Hammond . 1 +Inorganic liquids include water , magma , inorganic non-aqueous solvents and many acids . Inorganic liquids include water , magma , inorganic nonaqueous solvents and many acids . 1 +There are a total of 107,166 Maonan , mostly living province of Guangxi in northern China . There are a total of 107,166 Maonan , mostly living northern Guangxi province in southern China . 0 +During the campaign in 1943-1945 , there were more than 10,000 marriages between American girls and Italian soldiers . During the 1943-1945 campaign , there were more than 10,000 marriages between Italian girls and American soldiers . 0 +"Guido Crepax is known for publishing the original edition of the "" Codex Seraphinianus "" and some of Ricci 's books ." "Guido Crepax is known for publishing the original edition of "" Codex Seraphinianus "" and some Ricci books ." 1 +Strathairn attended the Redwood High School in Larkspur , California , and graduated in 1970 from Williams College , Williamstown , Massachusetts . Strathairn attended Williams College , Williamstown , Massachusetts , and graduated from the Redwood High School in Larkspur , California in 1970 . 0 +The mare was sent to France , where she was trained in Europe by Maurice Zilber . The filly was sent to Europe where she was trained in France by Maurice Zilber . 0 +Robert Maass was born in East Orange , New Jersey , to Hedwig and Clara Maass , German immigrants . Clara Maass was born in East Orange , New Jersey , to Hedwig and Robert Maass , German immigrants . 0 +Guan Yu agreed with Zhao Yan 's view and broke his plan to attack Cao Ren . Cao Ren agreed with Zhao Yan 's view and aborted his plan to attack Guan Yu . 0 +Funimation licensed the series in North America and released the first Blu-ray and DVD set on January 23 , 2018 . On January 23 , 2018 , Funimation released the series in North America and licensed the first Blu - ray and DVD set . 0 +Kathy Lloyd was born in Bootle and grew up in Netherton , Carrickfergus , Northern Ireland , where she attended Warwick Bolam High School . Born in Carrickfergus , Northern Ireland , Kathy Lloyd grew up in Netherton , Bootle , where she visited Warwick Bolam High School . 0 +On the other hand , many Democrats feared industrialization the Whigs welcomed . On the other hand , many democrats welcomed industrialization , feared the whigs . 0 +WORHP , also referred to as eNLP ( European NLP Solver ) , is a mathematical software library for numerically solving continuous , nonlinear optimization problems . WORHP , also referred to as eNLP ( European NLP solver ) by ESA , is a mathematical software library for solving continuous large scale nonlinear optimization problems numerically . 1 +Gaius Furnius was 17 BC during the reign of Consul Augustus . Gaius Furnius was consul in 17 BC , during the reign of Augustus . 0 +It is important for reaching the quantum regime of the mechanical oscillator where thermal noise effects on the device become negligible . It is important to achieve the thermal regime of the Quantum Oscillator , where mechanical noise effects become negligible on the device . 0 +With a strong start to the season and the new Arise Racing team bringing new cars and new competition to the series it brought 3 great races . With a strong start to the season and the new Arise Racing team , which brought new cars and great competition to the series , it brought three new races . 0 +"J. Augustus Johnston ( "" fl . "" 1870-1890 ) was the American consul in Beirut and replaced G. Augustus Johnson ." "J. Augustus Johnston ( "" fl . "" 1870-1890 ) was American consul in Beirut . He replaced G. Augustus Johnson ." 1 +Hucknall Town was a railway station on the Great Northern Railway from Nottingham to Shirebrook . Hucknall Town was a railway station on the Shirebrook to Nottingham - line of the Great Northern Railway . 0 +He died on December 27 , 1966 in Woodland Hills and was buried at the Oakwood Memorial Park Cemetery in Chatsworth . He died on 27 December 1966 in Chatsworth and was buried at the Oakwood Memorial Park cemetery in Woodland Hills . 0 +The bones of Zrinski and Frankopan were found in Zagreb in 1907 and brought to Austria in 1919 , where they were reburied in the Zagreb Cathedral . The bones of Zrinski and Frankopan were found in 1907 in Austria and brought to Zagreb in 1919 , where they were rebuilt in the Zagreb Cathedral . 0 +For this match against the Dragons , whose colours are also black , Wigan mostly wore red and white jerseys . For this match against the Dragons , whose colours are also red and white , Wigan wore mostly black jerseys . 0 +He has been a Liberal member of the Victorian Legislative Council since October 1992 , representing Koonung Province from 1992 to 2006 and Eastern Metropolitan Region since . Since October 1992 , he has been a liberal member of the Victorian Legislative Council , representing the eastern metropolitan region from 1992 to 2006 , and since then the province of Koonung . 0 +Two of Joest 's apprentices were Barthel Bruyn ( his brother-in-law ) and Joos van Cleve . Two of Joest 's apprentices were Joos van Cleve ( his brother ) , and Barthel Bruyn . 0 +This game was released in Japan on February 18 , 2010 , in North America on February 23 , 2010 and in Europe on March 26 , 2010 . This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . 0 +Robert Wilson was born on 24 June 1766 to George Wilson , a shipbuilder , and Mary Finlay in Newcastle . Robert Wilson was born on 24 June 1766 in Newcastle , George Wilson , a shipbuilder and Mary Finlay . 1 +Stenoma relata is a moth of the Depressariidae family , which is found in Amazonas ( French - Guiana , Brazil ) and in Peru . Stenoma relata is a moth of the Depressariidae family . It is found in Amazonas ( French Guiana , Brazil ) and Peru . 1 +In March , the 1st Photographic Group in Peterson Field , Colorado and the 11th Photographic Group were assigned to the wing in MacDill Field , Florida . In March , the 11th Photographic Group at Peterson Field , Colorado and the 1st Photographic Group at MacDill Field , Florida , were assigned to the wing . 0 +He lived in Italy for ten years and won the classic Bardolino race in Turin for six years in a row from 2001 to 2006 . Living in Italy for ten years , he won The Bardolino classic race in Turin , Italy for six years in a row , from 2001 to 2006 . 1 +Sherwin has also interviewed authors and musicians . Including , his interview with bassist Sean Yseult of White Zombie , author Janet Evanovich , and author Anne Bishop . He has also interviewed authors and musicians , including his interview with bassist Sean Yseult of White Zombie , author Anne Bishop and author Janet Evanovich . 1 +John , the mother of Thomas Kincaid Blake Jr. , married his father Sinclair T. Chitty at the age of 15 . Sinclair T. Chitty , his mother , married his father Thomas Kincaid Blake Jr. at the age of 15 . 0 +Guruzeta 's father , Xabier , was mainly a footballer . A central defender , he also represented Real Sociedad during his career . Also the father of Guruzeta , Xabier , was a footballer , as a central defender he represented mainly Real Sociedad during his career . 0 +John Guedel was the director , and Harry Kronman was the producer . The director was Harry Kronman and producer John Guedel . 0 +With his formula for the producing function for the Betti - numbers of the Hilbert scheme of points on an algebraic surface , Göttsche received international recognition : Göttsche received international acclaim with his formula for the generating function for the Betti numbers of the Hilbert scheme of points on an algebraic surface : 1 +Also in 1749 he was elected a Fellow of the Royal Society and in 1754 was made Fellow of the Royal College of Physicians , London . He was also elected Fellow of the Royal Society in 1749 and the Fellow of the Royal College of Physicians , London in 1754 . 0 +Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a protected monument ( natural area of Ulyanovsk Oblast ) . Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a natural monument ( Protected areas of Ulyanovsk Oblast ) 0 +On May 12 , 2012 , Croucier united with RATT again and performed the band for the first time since 1991 at the M3 Rock Festival . On May 12 , 2012 , Croucier performed with RATT and reunited with the band at the M3 Rock Festival for the first time since 1991 . 0 +In March 2008 , Sophina participated as Level 10 at the Heart of a Champion Invitational , where she won the title . In March 2008 , Sophina participated in the Heart of a Champion Invitational as a Level 10 where she won the around-all title . 1 +Curtin Township is bordered by Liberty Township in the northeast , Marion Township to the southeast , Clinton County to the southwest and Howard Township to the west . Liberty Township is bordered by Clinton County to the northeast , Marion Township to the southeast , Howard Township to the southwest , and Curtin Township to the west . 0 +The Federation is further subdivided into cantons , which are then divided into municipalities . Republika Srpska is divided directly into municipalities . The Federation is further subdivided into cantons , which are then divided into municipalities , Republika Srpska is divided directly into communities . 1 +Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relationship between the government and the UK . Lord Chancellor , a post in the British Government , is responsible for the relations between the government and the Channel Islands . 0 +One of the fine constants is the dimensionless fundamental constant : One of the dimensionless constants is the fine structure constant : 0 +This species occurs in the Caribbean and the Gulf of Mexico , off Brazil in the Atlantic . This species occurs in the Caribbean Sea and the Gulf of Mexico ; in the Atlantic Ocean off Brazil . 1 +The regular radio announcers are Rick Mahorn with play-by-play and Mark Champion with color commentary . The regular radio announcers are Mark Champion with Play - by-Play and Rick Mahorn with color commentary . 0 +After the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 , Crisp was again maintained as a line coach . After the resignation of Drew and the attitude of Jennings B. Whitworth in December 1954 , Crisp was retained as a line coach . 0 +While the RFA services the fleet of the Royal Navy around the world , RFA crews are civilians and thus not eligible for Royal Navy awards and decorations . While the RFA serves the Royal Navy fleet around the world , RFA crews are civilians and thus not suitable for the awards and decorations of the Royal Navy . 1 +The central part of the watershed of Nescopeck Creek , south of the northernmost hill line , including the mouth of Black Creek , is also located in this area . The northernmost part of the Black Creek watershed , south of the central line of hills , including the mouth of Nescopeck Creek , is also in this range . 0 +The country south of Severin was governed for Bulgaria by the despot of Vidin , Michael Shishman , a supporter of Vejtehi . The land to the south of Severin was governed for Bulgaria by the despot of Vidin , Michael Shishman , a supporter of Vejtehi . 1 +"It 's the second entry in the series , the first is "" Fast Racing League "" published on WiiWare for the Wii in 2011 ." "It is the first entry in the series , the second being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." 0 +The requirement for the assembly was dropped in 2004 , but was maintained for those seeking board membership . The requirement for the Assembly was maintained in 2004 , but was dropped for those seeking membership of the Executive Board . 0 +In 1998 , Rituparna Sengupta and Indrani Halder shared the National Film Award for the film as Best Actress , Ghosh won the National Film Award as Best Screenplay . Rituparna Sengupta and Indrani Halder won the National Film Award for Best Actress in 1998 , for the film . Ghosh shared National Film Award for Best Screenplay . 0 +"The other song , "" Hej Clown "" , was written by Lasse Berghagen and later by ABBA - member Benny Andersson ." "The other song "" Hej Clown "" has been written by Benny Andersson and later ABBA - member Lasse Berghagen ." 0 +Turkey is a unitary not a federal system , and the provinces are subordinated to the centre . Turkey is a unitary system , not a federal one , and the provinces are subordinate to the centre . 1 +During their relationship the pair lived in London and Los Angeles , though Seymour spent more time in Los Angeles for her work . Throughout her relationship , the couple lived in London and Los Angeles , though Seymour spent more time in Los Angeles for their work . 1 +His son Ii Naomasa was adopted by Naotora , and became a feared general under Tokugawa Ieyasu who is considered one of his Four Guardians . His son Ii Naomasa was adopted by Naotora and became under Tokugawa Ieyasu a dreaded general , who is considered one of his four watchmen . 1 +Washington Township older than Lycoming County . Lycoming County is older than Washington Township . 0 +In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , they suffered a defeat . In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Wei united to attack Chu but suffered a defeat . 1 +The average net salary of a Croatian worker in January 2017 was 5,895 HRK per month , and the average gross salary was 7,911 HRK per month . In January 2017 , the average gross content of a Croatian worker was 5,895 HRK per month and the average net content was 7,911 HRK per month . 0 +Lea Antonoplis and Cammy MacGregor won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . Lea Lea Antonoplis and Cammy MacGregor won in the final with 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . 1 +"As meant by the Corporation , they are designed to be sensitive ( enough to argue with them ) and have "" defocused temporal perception "" ." "As designed by the Corporation , they are meant to be sentient ( enough to argue with ) and have "" defocused temporal perception "" ." 0 +Sir Richard Wells died on 26 November 1957 and was followed by his son , Sir Charles Maltby Wells , 2nd Baronet ( 1908-1996 ) . Sir Charles Maltby Wells died on 26 November , 1957 , and was succeeded by his son , Sir Richard Wells , 2nd Baronet ( 1908-1996 ) . 0 +Each week , Chunt , Usidore , and Arnie ask magical creatures to present new aspects of the world of Foon to the listener . Every week , Arnie , Usidore , and Chunt interview magical creatures to present new aspects of the world of Foon to the listener . 1 +It has some weak functionality in moving the knee and the ankle , but is generally considered redundant and is often used as a source of tendons for transplants . It has some weak functionality in moving the knee and ankle but is generally considered redundant and is often used as a source of tendon for grafts . 1 +On 31 March 1958 , Daley , together with Gene Woodling and Dick Williams , was traded on the Baltimore Orioles for Larry Doby and Don Ferrarese . On 31 March 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . 0 +The spokesman first was Thomas Bain , and later James David Edgar . The spokesman first was James David Edgar , and later Thomas Bain . 0 +The Ostend was cut off in 1963 to Sheridan Boulevard and in 1967 to Wadsworth Boulevard . The east end was cut off to Sheridan Boulevard in 1963 , and to Wadsworth Boulevard in 1967 . 0 +It is a type of mainly Turkish folkloric dance from where has been adapted from , with the main base and elements of Byzantine music . It is a kind of mainly Byzantine dance , from where , with the main base and the elements of Turkish folkloric music has been adapted . 0 +The organ is also played for Saturday - sunset masses and usually during festivals like Easter and Christmas . The organ is also played for Saturday sunset masses and usually during festivities like Easter and Christmas . 1 +The 1990 season Philadelphia Wings marked the fourth season of the team 's operation and the second championship . The 1990 Philadelphia Wings season marked the team 's second season of operation and fourth league championship . 0 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs free energy ( ΔG ) to the number of non-hydrogen atoms of the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of non-hydrogen energy from gibbs ( Î G ) to the number of free atoms in the connection . 0 +I tried to buy it when Roy Abernethy ( later governor of Michigan ) and George Romney were AMC . I tried to buy it when Roy Abernethy ( later Michigan governor ) and George Romney were running AMC . 1 +Frank Herzberg Trio is a contemporary Brazilian jazz trio , consisting of the bassist Zé Eduardo Nazario , drummer Frank Herzberg and pianist Alexandre Zamith . The Frank Herzberg Trio is a contemporary Brazilian jazz trio that consists of bassist Zé Eduardo Nazario , drummer Frank Herzberg , and pianist Alexandre Zamith . 1 +In the third film , the fat lady of Elizabeth Spriggs and Dawn French is played in the first film . In the third film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the first film . 1 +He was moved to Vietnam , joined the Jesuit Order and died in 1737 as a martyr in Macao . He moved to Macao , joined the Jesuit Order and died in 1737 as a martyr in Vietnam . 0 +"The print was originally engraved in 1761 , with the title "" Enthusiasm Delineated "" , but never published ." "The print was originally published in 1761 with the title "" Enthusiasmus Delineated "" , but never engraved ." 0 +Since 1983 , Ambrosini has played the Nyckelharpa as one of the Baroque musicians since the first full time outside of Sweden . Since 1983 , Ambrosini has played the Nyckelharpa as one of the baroque-time musicians since the first full time outside of Sweden . 1 +In 2006 , Venezuelan Carlos Pena gradually took over as Co-Lead singer , although Beny continued to record with Ska Cubano and occasionally went on tour . In 2006 Venezuelan Carlos Pena gradually took over as co-lead singer , although Beny continued to record and occasionally tour with Ska Cubano . 1 +Cedarbrae Mall is a shopping centre located in the Toronto , Ontario , Canada area of Scarborough on the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre located in the Scarborough area of Toronto , Ontario , Canada on the corner of Markham Road and Lawrence Avenue East . 0 +Mount Cobb is a mountain on Mount Filberg , located east of Gold River and southwest of Vancouver Island , British Columbia , Canada . Mount Cobb is a mountain at Mount Filberg , east of Gold River and southwest of Vancouver Island , British Columbia , Canada . 1 +The transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a transmembrane loop connecting two large cytoplasmatic helices . Transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a transmembrane loop , connecting two large cytoplasmic helices . 1 +Christine became hopeful that after her first interview with Gordon Stewart Northcott , her son Walter could still be alive . Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . 0 +In 1951 Avon Publications published a comic adaptation in Rocket to the Moon , by Walter Gibson ( script ) and Joe Orlando ( art ) . "In 1951 , Avon Publications released a comic film in "" Rocket to the Moon "" by Joe Orlando ( script ) and Walter Gibson ( art ) ." 0 +On the album charts the album reached number 1 in Sweden and in Norway number 16 . On the album charts the album reached number 1 in Norway and in Sweden number 16 . 0 +However , the original flag had a brownish colour instead of green . The original flag , however , had a green color instead of brownish . 0 +The poet and writer Andrija Kačić Miošić and the Franciscan writer Filip Grabovac introduce a special place in the literature of the 18th century . A special place in the literature of the 18th century is held by the poet and writer Andrija Kačić Miošić and the Franciscan writer Filip Grabovac . 1 +"Billboard wrote about the song : "" You catch the beat , now know the groove ." "About the song Billboard wrote : "" You know the beat , now you catch the groove ." 0 +The average gross content of a Croatian worker was 5,895 HRK per month in January 2017 , and the average net content was 7,911 HRK per month . The average gross salary of a Croatian worker in January 2017 was 5,895 HRK per month , and the average net salary was 7,911 HRK per month . 1 +In the 1970s , W R Jacob merged with Bolands Biscuits to Irish Biscuits Ltd. in Dublin and moved to Tallaght , Ireland . In the 1970s , W & R Jacob in Tallaght , Ireland merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Dublin . 0 +Galinoporni is a southern village in Cyprus , located on the Turkish Cypriot side of the Karpas Peninsula . Galinoporni is a southern village situated in Cyprus , on the Turkish - Cypriot side of the Karpas peninsula . 1 +The first thing in racing that you learn is to finish a race , first you have to win . The first thing to learn in racing is to finish a race , first you have to win . 1 +A multi-region DVD of the entire series was announced on February 4 , 2015 by Warner Archive and was released on February 10 , 2015 . A multi-region - DVD of the entire series was published by Warner Archive on February 4 , 2015 and announced on February 10 , 2015 . 0 +The music for the film is composed by Nadirsha , and background music by Bijibal . The music for the film is composed by Nadirsha , and background score by Bijibal . 1 +He said that ordinary Cairenes believed that there was an American conspiracy to attack EgyptAir 990 , and that the Americans covered up the fact . He said that the ordinary Americans believed there was an American conspiracy to attack EgyptAir 990 , and that the Cairenes covered up the fact . 0 +Ruben Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Abel Aganbegyan . Ruben Aganbegyan ( b . 1972 in Novosibirsk ) is a Russian economist , president of Micex , the son of the famous Soviet economist Abel Aganbegyan . 1 +The idea that excessive eating can be recent , is not a bad idea . The idea that excessive eating can be bad is not a new idea . 0 +MarketWatch was owned by CBS at the time . At the time , MarketWatch was owned by CBS . 1 +Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman never seen during the day . Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman that had never been seen during the day . 0 +Veymandoo Kandu is the canal between Laamu Atoll and Thaa Atoll of the Maldives . Veymandoo Kandu is the channel between the Thaa Atoll and Laamu Atoll of the Maldives . 1 +Lauderdale also played in the CBA , in China , Spain , England , Iran , Venezuela , Cyprus , Lebanon , Saudi Arabia and the United Arab Emirates . Lauderdale also played in the CBA , China , Venezuela , Cyprus , Lebanon , Saudi Arabia , Iran , Spain , the UK and the United Arab Emirates . 1 +Newark returned to NAFBL , but withdrew back at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . Newark retreated to NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . 0 +Of the three loco sheds in the Ratlam zone , others are Western Railway and Sabarmati . Of the three loco counters in the Western Railway Zone are others Ratlam and Sabarmati . 0 +The maintenance of the critical project would be the entire duration of the overall path for the project . The lead of the entire project would be the overall duration of the critical path for the project . 0 +General elections were held in India in 1998 , after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . In 1998 , parliamentary elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was called . 0 +His son Henry Wheeler Shaw ( 1818 -- 1885 ) became a well-known humorist under the pen name Josh Billings . Under the pseudonym Henry Wheeler Shaw , his son Josh Billings ( 1818 -- 1885 ) became a well-known humorist . 0 +She is voiced by Kanako Hatori in the Japanese anime and by Tara Platt in the English dub . She is expressed in the Japanese anime by Kanako Hatori and in the English Dub by Tara Platt . 1 +Then membership of primary nodes within periodicity blocks may be tested analytically through the inverse φ function : The membership of primary nodes within periodicity blocks may then be tested analytically by the inverse φ function : 1 +On the morning of the attack , the second was continuously open , so when the second gate opened , the terrorists drove straight through the first gate . On the morning of the attack , the second was continuously open , so when the first gate was opened , the terrorists drove directly through the second gate . 0 +Betul railway station is located between Bhopal and Nagpur station . The railway station of Betul is located between Bhopal and Nagpur station . 1 +"FAM40A is a protein that is chromosome 1 in humans and is encoded by the "" FAM40A "" gene ." "Protein FAM40A is a protein that is encoded on chromosome 1 in humans and is located by the "" FAM40A "" gene ." 0 +He married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther ) , in 1881 and his son is the botanist and sketch artist Vagn Petersson . In 1881 , he married Agnes Theodora Walther , daughter of Vilhelm Theodor Walther , and his son is the botanist and draftsman Vagn Petersson . 1 +Robinson played high school basketball at Memphis Melrose High School , where one of his teammates was his professional college and future teammate , Larry Finch . Robinson played High School Basketball at the Memphis Melrose High School , where one of his teammates was his professional college and future teammate , Larry Finch . 1 +Locus is a racing game developed by the GT Interactive Software Corp and published in North America by Zombie LLC . Locus is a racing game developed by GT Interactive Software Corp and published by Zombie LLC in North America . 1 +It also had a white line and a yellow or white superciliary chin and throat . It also had a white line and a yellow or white chin and throat . 0 +Asserson was active in the church in Norway and was married to Eivind Saxlund . Eivind Saxlund was active in the Church of Norway and married to Asserson . 0 +Originally , the Lafayette Township was called Havana Township and was founded under the latter name in 1857 . Lafayette Township was originally called Havana Township , and under the latter name was organized in 1857 . 1 +On 22 September 1904 he joined Bishop Guerin and returned on 24 January 1905 to Béni Abbès . Charles joined Bishop Guerin on September 22 , 1904 and returned to Béni Abbès on 24 January 1905 . 1 +"Miranda quotes Voltaire : "" If we find nothing new , we will find at least something pleasant "" , and looks longingly at Oscar ." "Miranda quotes Voltaire : "" If we don 't find at least something pleasant , we will find something new "" , and looks longingly at Oscar ." 0 +According to the US Census Bureau , the county is a total surface area of which is land and has water ( 17.6 % ) . According to the US Census Bureau , the county has a total area , of which land and ( 17.6 % ) is water . 1 +He represented Australia at the 1999 FIFA - Youth - World Championship in Nigeria . He represented Nigeria in 1999 at the FIFA - Youth - World Championship in Australia . 0 +The company then acquired the St. Louis and Cairo Railroad , which was narrow gauge . The company acquired the St. Louis and Cairo Railroad , which was narrow gauge . 1 +He was married twice , to Annie Kowalkowski and to Elizabeth Dettlaff , and had three daughters . He was twice married to Annie Kowalkowski and Elizabeth Dettlaff , and had three daughters . 1 +The results are comparable when high flow rates can be maintained . When comparable rates of flow can be maintained , the results are high . 0 +Each line has three points , so in the language of configurations the Hesse configuration contains the notation 912 . Each line contains three points , therefore the Hesse configuration has the notation 912 in the language of the configurations . 1 +The same year , he was appointed Vicar General for the Quebec region of the Diocese of Mississippi and Illinois . In the same year , he was appointed General Vicar for the Quebec region of the Diocese of Mississippi and Illinois . 1 +Chetrit lives in New York City . He teaches Middle Eastern language , literature , culture and Hebrew . He studies at Queens College in Flushing , New York . He lives in New York City , he teaches language , literature , culture and Hebrew and studies at Queens College in Flushing , New York . 1 +Goodlatte , a pilot and Air Force veteran , who made a 2015 primary challenge of State Delegate Chris Head , challenged Harry Griego for the Republican nomination . Goodlatte , a pilot and air force veteran who made a primary challenge of State Delegate Chris Head in 2015 , called for Harry Griego for the Republican nomination . 1 +In the 2006-07 season , Goldwire played with Panellinios from the Greek Basketball League and joined the Spanish Club CB Girona in 2009 . Goldwire played with Panellinios of the Greek basketball league in the 2006-07 season . In 2009 , he joined the Spanish club CB Girona . 1 +The Kettleby Public School serves the municipality for children of elementary school age . King City Secondary School is the closest high school to the community . The Kettleby Public School serves the municipality for children of high school age , the King City Secondary School is the closest primary school in the community . 0 +Angolemi is a village in Morphou , southwest of the district of Nicosia . Angolemi is a village in Morphou , southwest of Nicosia District . 1 +"FAM40A is a protein that is encoded in humans on chromosome 1 and is localized by the "" FAM40A "" gene ." "Protein FAM40A is a protein that is encoded on chromosome 1 in humans and is located by the "" FAM40A "" gene ." 1 +This version was published on August 18 , 2016 in Europe and Australia and on January 5 , 2017 in North America . This version was released on August 18 , 2016 in North America and on January 5th , 2017 in Europe and Australia . 0 +The Curtis Museum in Alton is a local historic museum in Hampshire , England . The Curtis Museum in Hampshire , England , is a local museum in Alton . 0 +When Vicky had the dream , she did her best to stop it from Barnabas , but to keep her pain , Barnabas made her tell him . When Vicky had the dream , she did her best to stop it from Barnabas , but in order to keep her pain , Barnabas let her tell him . 1 +Talks about the marriage of Meena have started , and Chandra has begun looking for a Jodi for Chandra . Talks of Chandra 's marriage have begun , and Meena has started looking for a jodi for Chandra . 0 +Euglandina jacksoni is a species of predatory air-breathable snail , a terrestrial pulmonate gastropod mollusk in the Spiraxidae family . Euglandina jacksoni is a species of predatory air-breathing land snail , a terrestrial pulmonate gastropod mollusk in the family Spiraxidae . 1 +Scientific research in the country is supported by industry , by the network of French universities and by higher education establishments outside the main framework , Grandes écoles . Scientific research in the country is supported by industry , by the network of French universities and by universities outside the main framework , Grandes écoles . 1 +Each process that wants to initiate a snapshot records its local status and sends a marker on each of its outgoing channels . Each process that wants to initiate a snapshot records its outgoing state and sends a marker on each of its local channels . 0 +TS can theoretically be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numerical models . TS can be measured theoretically for numerical targets such as spheres and cylinders , but in practice , it is usually calculated empirically or derived with simple models . 0 +However , in 1805 he left York to study theology at Manchester College in Sheffield . He left York in 1805 to study theology at Manchester College , Sheffield . 1 +Gimnasia y Esgrima ( LP ) won with 3 -- 2 and stayed in the Primera División . Gimnasia y Esgrima ( LP ) stayed 3 -- 2 and won in the Primera División . 0 +"Phillips Brooks preached his last sermon at BHCC and his Christmas song "" O Little Town of Bethlehem "" had his first performance ." "Phillips Brooks preached his first sermon at BHCC and his Christmas song "" O Little Town of Bethlehem "" had his last performance ." 0 +It may also occur in open areas such as hydrophilic willows near oligotrophic water bodies . It may also occur in open areas , such as hydrophilic pastures near oligotrophic water bodies . 1 +In South and Central America , the song reached the top 10 in Colombia , Guatemala , the top 5 in Mexico and Venezuela , and No . 1 in Argentina . In South and Central America the song reached the top 10 in Colombia , Mexico and Venezuela , the top 5 in Guatemala and No . 1 in Argentina . 0 +The current director of Sony Best is Ajay GAjjar who is also a foremost member of WPI . The current director of Sony Best is Ajay Gajjar , who is also a leading member of WPI . 1 +Around 1560 , Wiliam Way was born in the Diocese of Exeter , bishop Richard Challoner said he was born in Cornwall , and former authorities say in Devonshire . Wiliam Way was born in the Diocese of Exeter about c. 1560 . Bishop Richard Challoner said he was born in Devonshire , and earlier authorities say in Cornwall . 0 +Kingspade consists of the rap - Duo Johnny Richter ( Tim McNutt ) and D-Loc ( Dustin Gary Miller ) from Kottonmouth Kings . Kingspade consists of the rap duo Dustin Gary Miller ( Johnny Richter ) and D-Loc ( Tim McNutt ) of Kottonmouth Kings . 0 +Cunningham Elementary School was selected in 2003 by Governor Jim McGreevey as one of 25 schools awarded nationwide for the first annual Governor 's School of Excellence . Cunningham Elementary School was recognized in 2003 by Governor Jim McGreevey as one of 25 schools selected nationwide for the first annual governor of the School of Excellence Award . 0 +Unlike the western settlement , no carefully observed floors were executed in the east . In the east , unlike the western settlement , no carefully constructed floors were observed . 0 +Teversall Manor is a former station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . Teversall Manor is a former station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . 0 +The Indian - Tamil drama film of 1958 is directed by D. Yoganand and produced by V. Govindarajan . Is 1958 black-and-white Indian Tamil drama film directed by D. Yoganand and produced by V. Govindarajan . 1 +For scalar fluctuations , Formula 9 is referred to as a scalar spectral index , with the formula 10 corresponding to scaleninvariant fluctuations . For scalar spectral fluctuations , formula _ 9 is referred to as the scalar index , with formula _ 10 corresponding to scale invariant fluctuations . 0 +The company then was the St. Louis and Cairo Railroad , which acquired narrow gauge . The company acquired the St. Louis and Cairo Railroad , which was narrow gauge . 0 +Peter Strauss played a 1994 - TV adaptation as Ezra Baxter , Jean Smart as Ora Baxter and Philip Seymour Hoffman as Buck . A 1994 television adaptation starred Philip Seymour Hoffman as Ezra Baxter , Jean Smart as Ora Baxter , and Peter Strauss as Buck . 0 +Codice 13 is also a compiler - magic - function of oxygene , but is not a real function and is rolled back to conditional statements at compile time . Codice _ 13 is also a compiler magic function of Oxygene . It is not a real function and is at compile time unrolled to conditional statements . 1 +The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Germany , Belgium and Vichy France in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Germany , Belgium , and Vichy - France in 1945 . 1 +The 123-bed geriatric hospital is located in Burkeville on the site of the former Piedmont Sanatorium . The 123-bed geriatric hospital is located in the sanatorium Piedmont on the site of the former Burkeville . 0 +It was written by Jim Starlin and written by Jim Aparo and Mike DeCarlo . It was written by Jim Starlin and drawn by Jim Aparo and Mike DeCarlo . 0 +"On July 24 , 2013 , Brother Ali appeared as "" Expert Witness "" at the Maximum Fun Podcast "" Judge John Hodgman "" ." "On July 24 , 2013 , Brother Ali appeared on the Maximum Fun podcast "" Judge John Hodgman "" as an "" Expert Witness "" ." 1 +McLaughlin died at Oshawa in 1921 of colon cancer . His brother James was a doctor and member of the Ontario assembly . In 1921 , McLaughlin died of colon cancer in Ontario , his brother James was a doctor and a member of the Oshawa Assembly . 0 +The Eastern Province comprises the former provinces of Kibungo and Umutara , most of Kigali Rural , and part of Byumba . The eastern province includes the former provinces of Byumba and Umutara , most of Kigali Rural and part of Kibungo . 0 +On 1 July 2004 , a police authority for the British transport police force was created . On 1 July 2004 a Police Authority for the British Transport Police was created . 1 +"In the miniseries "" Hemingway "" from 1988 with Stacy Keach , Duff Twysden was played by Fiona Fullerton ." "Duff Twysden was played by Stacy Keach in the miniseries "" Hemingway "" in 1988 with Fiona Fullerton ." 0 +It is based on Ealing in Ealing Broadway , near the Uxbridge Road Station , London , the same address as Transworld . It is based on Ealing in Ealing Broadway near Uxbridge Road station , London , the same address as Transworld . 1 +Maine is a centre and camp for the Hog island chapter of national Audubon society . Hog Island is a center and a camp for the Maine - chapter of the National Audubon Society . 0 +Malden ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) again transferred additional land to Medford . Additional land was transferred by Medford ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) to Malden again . 0 +His descendant of many other people , his father fought at war and decided , when it ended , to stay in Paraguay , like the Brazilian soldiers at the time . Descendant of many other people , his father fought in the war and once it ended , decided to stay in Paraguay , like Brazilian soldiers at the time . 1 +"Six of the twelve published stories were previously included in the first collection of the author , "" The Evening News "" ." "Of the twelve stories that are included , six were previously published in the author 's first collection , "" evening news "" ." 0 +The 13th World Cup season began in Japan in December 1978 and ended in Austria in March 1979 . The 13th World Cup season began in December 1978 in Austria and concluded in March 1979 in Japan . 0 +Burroughs was a native of Mathews County , Virginia , and spent most of his career at the Norfolk Naval Shipyard ( known as Gosport Yard after 1862 ) . Burroughs was a native of Mathews County , Virginia , and spent most of his career on the Yard Gosport ( known as Norfolk Naval Shipyard after 1862 ) . 0 +He was born in New Westminster and worked on the lower Fraser and Yukon River star cyclists before coming to the upper Fraser River in the early 1900s . He was born in New Westminster and worked on the lower Fraser and Fraser River cyclists before coming to the Upper Yukon River in the early 20th century . 0 +Michael Stich defeated Nicklas Kulti 6 -- 3 , 1 -- 6 , 6 -- 2 . Nicklas Kulti defeated Michael Stich 6 -- 3 , 1 -- 6 , 6 - 2 . 0 +The Bega River is a tributary of the Fădimac in Romania . The Bega River is a tributary of the Fădimac River in Romania . 1 +"Peter Sculthorpe released the album "" Tamara Anna Cislowska -- Complete Works for Solo Piano "" in September 2014 ." "In September 2014 Tamara Anna Cislowska published the album "" Peter Sculthorpe -- Complete works for solo - piano "" ." 0 +The Urdaneta Philippines Temple will be the third LDS temple in the Philippines , after the temples of Manila ( 1984 ) and Cebu City ( 2010 ) . The Urdaneta - Philippines Temple will be the third LDS temple in the Philippines , after the temples of Cebu City ( 1984 ) and Manila ( 2010 ) . 0 +The season 1988 -- 89 National Basketball Association was the 43rd NBA season . The season 1988 -- 89 NBA was the 43rd season of the National Basketball Association . 1 +Judge C. Roberts was the first person to open a shop in Cave City and build the second residence . The first person to open a business in Cave City and to build the second residence was Judge C. Roberts . 1 +That same year , technologyreview.com won third place in the MPA Digital Awards for best business or news Website and second place for best online video or video series . In the same year , technologyreview.com won third place at MPA Digital Awards for the best business or news website and second place for the best online video or the best video series . 1 +The next two functions are analogous to the above two functions and are used for base clusters . The next two functions are analogous to the above two and are used for base clusters . 1 +He played for TuTo Turku and TPS , playing a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berliner SC . Lindstrom played for TuTo Turku and Klagenfurter AC . He also played a season in Austria for TPS and four seasons in the Bundesliga for Berliner SC . 0 +The following songs were included in the film , but were not introduced on the soundtrack : The following songs were included in the film but were not featured on the soundtrack : 1 +In 1806 Louis Bonaparte assigned his brother Louis Napoleon , a Catholic , to the throne of the Netherlands . In 1806 , Louis Bonaparte ordered his brother Louis Napoleon , a Catholic , to the throne of the Netherlands . 1 +Thomas Thomas Kane 's first memorable encounter with Elizabeth Wood was at the age of six when he was twenty years old . Thomas Kane 's first memorable encounter with Elizabeth Wood was at six years old , when he was twenty . 1 +The Queen 's exchange is a play from the Caroline era , a tragicomedy written by Richard Brome . The Queen 's exchange is a play by Richard Brome , a tragicomedy written by Caroline . 0 +The society promoted Lithuanian culture , supported Catholic faith , and protected women 's virtues . Society promoted Lithuanian culture , protected Catholic faith and supported the virtues of women . 0 +She and the actor Yakov Fuchs were parents of the famous Polish-American actor Leo Fuchs . She and character Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . 0 +The river Voievodu is a tributary of the River Sterminos in Romania . The River Sterminos is a tributary of the River Voievodu in Romania . 0 +The river Cleja is a tributary of the Iminog River in Romania . The Cleja River is a tributary of the Iminog River in Romania . 1 +With a strong start into the season and the new Arise Racing Team , which brought new cars and great competition to the series , it took 3 new races . With a strong start to the season and the new Arise Racing team , which brought new cars and new competition to the series , it brought 3 great races . 0 +Cypress County is served by the Federal Electoral Division of MHCW and represented in the Canadian House of Commons by the Conservative MEP GLEN MOTZ . Cypress County is served by the Federal Electoral Division of MHCW and represented in the Canadian House of Commons by Conservative MP GLEN MOTZ . 1 +The organization manages the Alvin Fund in cooperation with the Swedish Ornithological Society and the Environmental Protection Agency . The organization manages the Alvin Fund jointly with the Swedish Ornithological Society and the Environmental Protection Agency . 1 +Baarrooble is a city in the central Hiran region of Somalia . Baarrooble is a town in the central region of Somalia of Hiran . 0 +Ansong was his career with Great Olympics and here he signed a contract with Heart of Lions , which later began as a captain in the 2008 season . Ansong began his career by Great Olympics and later he signed a contract with Heart of Lions , here was in the season 2008 named as captain . 0 +It was built by architect Henry L. Taylor and designed by O. R. Woodcock . It was designed by architect Henry L. Taylor and was built by O. R. Woodcock . 0 +The 1963 San Francisco State Gators football team represented College Division during the 1963 San Francisco State College football season . The 1963 San Francisco State Gators football team represents San Francisco State College football season during the 1963 College Division . 0 +David Monro was the first representative from 1861 to 1866 . Arthur Beauchamp won the 1866 election , but resigned in 1867 . Arthur Beauchamp was the first representative from 1861 to 1866 , and David Monro won the 1866 election but resigned in 1867 . 0 +Born Chloe Wang in Chicago , Illinois , Chloe Bennet is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Chloe Wang was born in Chicago , Illinois , Chloe Bennet , the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internal . 0 +Brian Babin , born in Beaumont , Texas , visited the high school in Woodville , TX , where his father Lucas was mayor . Born in Beaumont , Texas , Lucas attended high school in Woodville TX , where his father , Brian Babin was the town mayor . 0 +Sales began in North America in the third quarter of 2008 and in Europe in early 2009 as a model for 2010 . Sales started in the third quarter of 2008 in Europe and early 2009 in North America as a model for 2010 . 0 +Tuckerton is located in the 2nd Congressional District and is part of the ninth state 's legislative district of New Jersey . Tuckerton is located in the 9th Congressional District and is part of New Jersey 's 2nd state legislative district . 0 +The pillow sizes are 80 × 80 cm ( older ) or 40 × 80 cm ( newer ) . German pillow sizes are 80 × 80 cm ( newer ) or 40 × 80 cm ( older ) . 0 +The river Voievodeasa is a tributary of the Suceviţa River in Romania . The river Suceviţa is a tributary of the Voievodeasa River in Romania . 0 +A specialized sensory chain fiber is a nuclear organ contained in a muscle . A nuclear chain fiber is a specialized sensory organ contained within a muscle . 0 +The Romanesque language , Galician ( Galego ) , which is currently used in Galicia , is closely related to the Portuguese language spoken mainly in Brazil and Portugal . The Romance language currently used in Galicia , Galician ( Galego ) is closely related to the Portuguese language spoken mainly in Brazil and Portugal . 1 +He began his career under the care of his father Ustad Ayat Ali Khan and took his elder brother Ustad Bahadur Hossain Khan lessons as a violinist . He began his career under the guardianship of his father Ustad Bahadur Hossain Khan and took lessons with his elder brother Ustad Ayat Ali Khan as violinist . 0 +Tadami Dam is a rock-fill embankment dam on the Tadami River near Tadami in Fukushima Prefecture , Japan . Tadami is a dam on Tadami River near Tadami Dam in the Fukushima prefecture of Japan . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam calmed down , and French interest in Europe was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe quieted and French interest in Vietnam was revived . 0 +( Ray had been in the penguins in 1956 , and both Eddie and Ray had been Don Wyatt in the later Colts / Fortunes . ) ( Don Wyatt had been in the Penguins in 1956 and both Eddie and Ray had been in the later Colts/Fortunes with Ray . ) 0 +Melisio Morales ( sometimes spelled Melesio Morales ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . Melesio Morales ( sometimes Melisio Morales written ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . 1 +The Indonesian translations of the Dutch terms are Aceh Bodoh ( Aceh Pungo ) or Aceh Gila ( Aceh Murder ) . The Dutch translations of the Indonesian terms are Aceh bodoh ( Aceh pungo ) or Aceh gila ( Aceh mord ) . 0 +Restovich was traded on July 27 , 2011 by the Arizona Diamondbacks to Chicago White Sox . On 27 July 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . 0 +In January 2000 , Washington Mutual announced the pending acquisition of the Los Angeles-based Alta Residential Mortgage Trust for $ 23 million . In January 2000 , Alta Residential Mortgage Trust announced the forthcoming acquisition of the Los Angeles-based Washington Mutual for $ 23 million . 0 +The college is situated around 30 km from Thuraiyur and 15 km from Trichy . The college is situated about 30 km from Trichy and 15 km from Thuraiyur . 0 +This kind is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . This species is caught regularly along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . 1 +The states that have participated in this study were Aguascalientes , Jalisco , Chihuahua , Durango , Guerrero , Chiapas , Oaxaca , Sinaloa , Veracruz and Yucatan . The countries that participated in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +The Golumbu River or Columbu River is a tributary of the River Minis in Romania . The Miniş River or Columbu River is a tributary of the Golumbu River in Romania . 0 +With 10 goals , Ishmael Miller was top scorer in all competitions , followed by James Hayter with 8 goals . Nottingham Forest loanee James Hayter was top scorer in all competitions with 10 goals , followed by Ishmael Miller with 8 goals . 0 +All 1 trains skipped Marble Hill -- 225th , 207th , 191st and 145th Streets , while all 9 trains skipped 238th , 215th , Dyckman and 157th Streets . All 1 trains skipped Marble Hill -- 225th , 207th , 191st and 145th Street , while all 9 trains jumped 238th , 215th , Dyckman and 157th Streets . 1 +The R335 is a Regional Route in Somerset East that connects Port Elizabeth from the south to South Africa to the north via Addo . The R335 is a regional route in Somerset East , which links Port Elizabeth from the south to South Africa via Addo to the north . 1 +Cranoe is a civil village and a small municipality in the Harborough district of Leicestershire , England . Cranoe is a small village and civil parish in the Harborough district of Leicestershire , England . 0 +Robert Wilson was born on 24 June 1766 in Newcastle , George Wilson , a shipbuilder and Mary Finlay . George Wilson was born on June 24 , 1766 in Robert Wilson , a shipbuilder , and Mary Finlay , Newcastle . 0 +"None of these songs , with the exception of "" Rise to Live , "" are heard in the film ." "None of these songs , with the exception of "" Rise to Live "" , is heard in the film ." 1 +It conducted services between the following centres : Brisbane , Bundaberg , Gladstone , Rockhampton , Mackay , Townsville , Blackwater , Thangool , Coolangatta and Newcastle . It carried out services between the following centres : Townsville , Bundaberg , Gladstone , Rockhampton , Mackay , Brisbane , Blackwater , Thangool , Coolangatta and Newcastle . 1 +Osman 's son Yafes Osman became the Science and Technology minister of Bangladesh in 2009 . The son of Osman , Yafes Osman , became Minister of Science and Technology in 2009 in Bangladesh . 1 +The effect has been observed mainly in alkaline atoms that have nuclear properties which are particularly suitable for working with traps . The effect has mainly been observed on alkaline atoms which have nuclear properties particularly suitable for working with traps . 1 +Helen Tokar , the wife of Lu Lucey , was the sister of Betty Tokar Jankovich , who briefly dated Bob Montana and who was the inspiration for Betty Cooper . Lucey 's wife Betty Tokar Jankovich was the sister of Helen Tokar , who briefly dated Bob Montana and was the inspiration for Betty Cooper . 0 +He said that the ordinary Cairenes believed that there was an American conspiracy to attack EgyptAir 990 and that the Americans were covering up the fact . He said that ordinary Cairenes believed that there was an American conspiracy to attack EgyptAir 990 , and that the Americans covered up the fact . 1 +It was the first and only Super Bowl in which Warner was involved in order not to be decided on the final game play . It was the first and only Super Bowl in which Warner was involved not to be decided on the final play of the game . 1 +He owned a work by the as-yet-unrecognized Van Gogh , and admired the forgotten El Greco . He owned a work by the unknown Van Gogh and admired the forgotten El Greco . 1 +In life , the rational and intelligent functions of the soul are restricted by bodily senses of pleasure , pain , sight , and sound . In life , the rational and intelligent functions of the soul are restricted by the physical senses of pleasure , pain , sight and sound . 1 +As of 2017 , Capital Group Companies shares are mainly held by institutional investors ( The Vanguard Group , BlackRock , Akamai Technologies and others ) . The shares of Capital Group Companies are mainly held by institutional investors ( The Vanguard Group , BlackRock , Akamai Technologies and others ) from 2017 onwards . 1 +He was born into a family of actors , including his father Cellier and half-sister Antoinette , his grandfather was the Gilbert and Sullivan - conductor François Cellier . Frank was born into a family of actors including his father Cellier and half-sister Antoinette . His grandfather was the Gilbert and Sullivan conductor François Cellier . 1 +The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was taught at the Royal College in Colombo . The brother of Dinesh Gunawardena and the eldest son of Philip Gunawardena , he was educated at the Royal College in Colombo . 0 +"The Jimmy - Perez novels have been dramatized as the TV - Detective - Series "" Vera "" and the Vera - Stanhope - Romane as the series "" Shetland "" ." "The Vera Stanhope novels have been dramatized as the TV detective series "" Vera "" and the Jimmy Perez novels as the series "" Shetland "" ." 0 +Washington Township is older than Lycoming County . Washington Township older than Lycoming County . 1 +Thaw participated in two of the cross-country - Bendix - trophy races , which were introduced in 1931 and held annually to promote the achievements of U.S. aviation . Thaw participated in two of the cross-country Bendix trophy races , which were instituted in 1931 and held annually to promote and encourage the achievements of U.S. aviation . 1 +It was printed in 1985 by Kids Can Press and published by Everbest in Hong Kong . It was printed by Kids Can Press in 1985 and published by Everbest in Hong Kong . 1 +""" It was a fast race , and I had such a crazy Pennzoil Ford , "" said Logano ." """ It was a fast race , and I had such a crazy penn zoil Ford "" , said Logano ." 1 +The second stage was in Plymouth , the first time that the Tour de France visited England . The second stage was in Plymouth , the first time that the Tour de France was visiting England . 1 +Guido Reni , also known as the Marchino di Marco Bandinelli , was an Italian baroque painter . Marco Bandinelli , also known as Marchino di Guido Reni , was an Italian painter of the Baroque period . 0 +Buddy Lazier , Veteran Stan Fox and Gordon Johncock made the race for the first time . Indy - Legend Gordon Johncock , Veteran Stan Fox and Buddy Lazier , who have made the race for the first time . 0 +Trained with César Cielo , coach of American swimmer Bob Bowman , at the University of Michigan . He is a childhood friend of Michael Phelps . Trained by César Cielo , the American swimmer coach Bob Bowman , at the University of Michigan , he is a childhood friend of Michael Phelps . 1 +On May 24 , 2017 , Lajunen signed a 1 year contract with KHL from HC Spartak Moscow . On 24 May 2017 , Lajunen signed a 1-year contract with HC Spartak Moscow from KHL . 0 +"Epigenetic switching in Candida albicans is often used to refer to the opaque white to Phenotypic switching system . "" C. albicans "" needs this switch for sexual mating ." "Epigenetic switching in Candida albicans is often used to refer to the opaque white to the phenotypical interchange system "" C. albicans "" needs this switch for sexual mating ." 1 +Ann Ann Grossman defeated Stephanie Rehe 6 -- 1 , 6 -- 1 . Stephanie Rehe defeated Ann Grossman 6 -- 1 , 6 -- 1 0 +Gatewood was signed on August 25 , 2009 by the Philadelphia Eagles and was released on September 5 as Final Cut . Gatewood was signed by the Philadelphia Eagles on August 25 , 2009 . He was released as a final cut on September 5 . 1 +Faces can be reconstructed with a three-dimensional model or with 2D , which includes sketches or facial reconstructions , similar to digital composites . Faces can be reconstructed with a three-dimensional model or by 2D , which includes sketches or facial reconstructions , similar to digital composites . 1 +Silver became the engine of the Spanish colonial economy , both in New Spain and in Peru . Both in Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +He died in Oneida on 20 February 1930 and was buried at the Glenwood Cemetery in Albany , New York . He died on February 20 , 1930 in Albany , New York . He was buried at the Glenwood Cemetery in Oneida . 0 +When he finished off his career in Canada he went overseas to Poland to sign with the Toronto Falcons of the National Soccer League . When he finished his career in Poland , he went to Canada to sign the Toronto Falcons of the National Soccer League . 0 +During the second year , students will have advanced lectures in clinical science and will spend time learning and perfecting visual processes . During the second year , students will have more advanced lectures in clinical science and spend time learning and perfecting visual procedures . 1 +Methods of cubic geometry provide the following parameterization of Fermat 's algebraic : Methods of algebraic geometry enable the following parameterization of Fermat 's cubic : 0 +In the same year , Dou Gu sent Ban Chao and Guo Xun along with 36 men to go south . In the same year , Dou Gu Ban sent Chao and Guo Xun to the south with 36 men . 0 +The film was produced by Harry Alan Towers and was directed by Peter Collinson . The film was directed by Peter Collinson and produced by Harry Alan Towers . 1 +The music was written by A. T. Ummer and the text was composed by Koorkkancheri Sugathan and Poovachal Khader . The music was written by A. T. Ummer and lyrics was composed by Koorkkancheri Sugathan and Poovachal Khader . 1 +This American fundamental principle of equality is essential to the political and legal convictions of Republicans , Democrats , Liberals , and Conservatives alike . This bedrock American principle of equality is central to the political and legal convictions of Republicans , Democrats , liberals , and conservatives alike . 1 +A short biography and brief summaries of Brodsky ’ s longer fiction and critical reception can be found here : A brief biography , and short summaries of Brodsky 's longer fiction and critical reception can be found here : 0 +Shawn told Shawn that his mother was not dead and his father was still married and on the day of the wedding of Colleen and Santo , Shawn told Colleen . Stefano told Shawn that his mother was not dead and his father was still married and on the day of Colleen and Santo 's wedding , Shawn told Colleen . 1 +At the 2011 census , 86.4 % of inhabitants were Roma , 5.9 % Hungarians , 5.2 % Romanians and 0.7 % Germans . At the 2011 census , 86.4 % of the inhabitants were Romanians , 5.9 % Roma , 5.2 % Hungarians and 0.7 % Germans . 0 +During the five days of the journey , he brought some books about Elba which he studied from Fontainebleau . During the five days of the journey he studied some books about Elba , which he brought with him from Fontainebleau . 0 +The childhood of Berkeley was spent in Coventry , where he was a student of the translator Philemon Holland of Warwickshire and Henry Ashwood . He spent the childhood of Berkeley in Warwickshire , where he was a pupil of the translator Philemon Holland of Coventry and Henry Ashwood . 0 +David was outraged at the rebuke and immediately opened negotiations with Michal , who welcomed him on the condition that his wife Abner should be returned to him . Abner was indignant at the rebuke , and immediately opened negotiations with David , who welcomed him on the condition that his wife Michal should be restored to him . 0 +In 1903 she spoke at the annual conference of the British Labour Party ( later Labour Representation Committee ) and was the first woman to do so . In 1903 she spoke at the annual conference of the Labour Representation Committee ( later to the British Labour Party ) and was the first woman to do so . 0 +His three sisters included Mary Caroline Bulkeley , who married Roland Redmond , Helen C. Bulkeley . His three sisters included Mary Caroline Bulkeley , who married Roland Redmond , Helen C. Bulkeley ( b . 1 +They are often consumed with beer and are sometimes a bar snack . Sometimes they are consumed with beer and are often a snack . 0 +Baba ji has spread his Sufi thoughts through various books such as Piya Rung Kala , Kajal Kotha , etc . Baba ji has spread his various thoughts through Sufi books like Piya Rung Kala , Kajal Kotha etc . 0 +Dragon Dragon Wars is a fantasy role-playing videogame developed by Rebecca Heineman and published in 1989 by Activision and distributed by Interplay Productions . Dragon Wars is a fantasy role-playing video game developed by Rebecca Heineman and published by Interplay Productions in 1989 , and distributed by Activision . 0 +However , much of the city 's crime is centralized in most of Western neighborhoods and scattered neighborhoods adjacent to Hartsfield - Jackson International Airport . Much of the city 's crime , however , is centralized in most of its scattered neighborhoods and western neighborhoods adjacent to Hartsfield-Jackson International Airport . 1 +Bogale Township is a township of Pyapon District in the Ayeyarwady Region of Myanmar ( Burma ) . Bogale Township is a municipality in the Pyapon district of the Ayeyarwady region of Burma ( Myanmar ) . 1 +The film was produced by Bruce David Janu , directed and processed , the soundtrack was composed by Tom Flannery and Lorne Clarke . The film was produced , directed and edited by Tom Flannery and Lorne Clarke , and the soundtrack was written by Bruce David Janu . 0 +Sandringham Railway Station is located on Brighton Beach line in Victoria , Brighton , and serves south-eastern Australia , suburbs of Melbourne . Sandringham railway station is located on the Brighton Beach line in Victoria , Brighton , and serves the south-eastern Australia , suburb of Melbourne . 1 +She was born Doris Miles in Glastonbury , Connecticut , and married George J. Disney in 1936 . She died in Fredericksburg , Virginia . She was born in 1936 in Glastonbury , Connecticut , and married George J. Disney , died in Fredericksburg , Virginia . 1 +After Spencer 's eviction , Candice would be nominated again for three consecutive evictions , but was spared each time at the expense of Judd , Jessie and Helen . According to Candice 's eviction , Spencer was again nominated for three consecutive evictions , but each time spared at the expense of Judd , Jessie and Helen . 0 +The third season was premiered on June 7 , 2010 . Like the fourth season the system of the competition was in mixed couples . The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition in mixed pairs . 0 +Jelena Dokić won 6 -- 2 , 6 - 3 against Anastasia Myskina in the final . Anastasia Myskina won 6-2 , 6-3 against Jelena Dokić in the finals . 0 +He also worked as a translator for Swedish media journalists and as national newspaper . He also worked as a translator for Swedish media journalists and a national newspaper . 1 +In August 1927 , shortly after her engagement to the Hamburg jurist and later Berlin senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . In August 1927 , shortly after her engagement with the Berlin jurist and later Hamburg senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . 0 +Small Business Saturday United Kingdom began in the UK in 2013 after the success of Small Business Saturday in the United States of America . The launch of Small Business Saturday UK began in 2013 in the United Kingdom following the success of Small Business Saturday in the United States of America . 1 +Renzo Furlan won in the final 6 -- 3 , 6 -- 4 against Thomas Johansson . Thomas Johansson won 6 -- 3 , 6 -- 4 against Renzo Furlan in the finals . 0 +The municipality is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. Johns and northeast of Placentia . The community is situated at the southwestern head of Conception Bay in Division 1 . It is located southwest of St. John 's and northeast of Placentia . 1 +The Ciortosu River is a tributary of the River Nadeş , Romania . The river Nadeş is a tributary of the River Ciortosu in Romania . 0 +In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first in the Tristan Bates Theatre in London , and then in the Charing Cross Theatre . In 2011 George Maguire appeared as Richard Loeb in Thrill Me , first at the Tristan Bates Theatre in London and then at the Charing Cross Theatre . 1 +"24 May 1939 , the division "" Sila "" was renamed "" Brescia "" and received a 1st mobile artillery regiment instead of normal infantry artillery regiment ." "May 1939 the division "" Sila "" in "" Brescia "" was renamed and received a 1st mobile artillery - regiment instead of normal infantry - artillery - regiments ." 1 +The lead is played by Cameron Smith and the film is narrated by Gabriella Ethereal . The lead role is played by Gabriella Ethereal and the film by Cameron Smith is told . 0 +The Harana is rooted in the Spanish-Mexican tradition and is based on the rhythmic patterns of the Habanera . The Harana is rooted in the Mexican-Spanish tradition and is based on the rhythmic pattern of the Habanera . 0 +Powell refused to accept the fact and still believes that there is gold in his obviously worthless mine . Powell refused to accept the fact , and still believes that there is gold in his obviously worthless mine . 1 +The manga series was written by Satoru Akahori and represented by Yukimaru Katsura . The manga series was written by Yukimaru Katsura and illustrated by Satoru Akahori . 0 +When the band split from Virginia Beach in 2012 , we moved between Los Angeles and Texas . When the band moved from Virginia Beach in 2012 , we split up from Los Angeles and Texas . 0 +The Voievodu River is a tributary of the Sterminos River in Romania . The Voievodu River is a tributary of the River Sterminos in Romania . 1 +The remaining two cars were ordered from the Estonian defence league and were delivered in 1927 . The remaining two cars were delivered by the Estonian defence league and they were ordered in 1927 . 0 +The first recorded Irish presence in the area of present-day Canada dates from 1536 , when Irish fishermen from Cork traveled to Newfoundland . The first recorded Irish presence in the area of present-day Newfoundland dates back to 1536 , when Irish fishermen from Cork visited Canada . 0 +Alliances with CPU set players can only be controlled at the start of the game . Alliances with CPU controlled players can only be set at the beginning of the game . 0 +"On 20 April 2007 , Stephanie Johnson joined the occupation of "" Days of Our Lives "" in the contract role of Hennig ." "On April 20 , 2007 , Stephanie Johnson joined the cast of "" Days of Our Lives "" in the contract role of Hennig ." 1 +As part of a rationalization campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Atlanta , Landover and Everett . As part of a tightening campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Everett , Landover and Atlanta . 1 +Ambeshetgaon is a village in the Talasari district of Maharashtra , India . It is located in Palghar Taluka . Ambeshetgaon is a village in the Talasari district of Maharashtra , India . It is located in the Palghar taluka . 1 +When Aaron asked him to play the new band guitar , Russ agreed . When Russ asked him to play guitar in the new band , Aaron agreed to . 0 +This work led him to trigger important reflections about the practices of molecular genetics and genomics at a time when this was not considered ethical . This work led him to trigger ethical reflections on the practices of molecular genetics and genomics at a time when this was not considered important . 0 +During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . Garcia de Luna fought on the British side in the Battle of Carabobo , against Simón Bolívar and the Spanish Legions , during Venezuelan War of Independence in 1821 . 0 +This would fade the element but stop when the effect is completed 80 % ( with an opacity of 20 % ) . This would stop the element but fade if the effect is 80 % complete ( with an opacity of 20 % ) . 0 +He met Benny and Zoe 's mother Allison , who knew that Jason had actually been living with Jason , but thought that Allison was aware of this . He met Benny and Jason 's mother Zoe , who knew that Allison had actually lived with Jason , but thought that Allison was aware of it . 0 +A road was built by the government in 1901 from Ruatahuna to Rotorua to end the isolation of Tūhoe by opening the first motorway . One road was built by the government in 1901 from Rotorua to Ruatahuna to end the isolation of Tūhoe by opening the first road . 0 +The last three were on CBS , and the first was on the Blue Network . The last three were on CBS and the first was in the Blue Network . 1 +Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . The Danai Udomchoke won the tournament after defeating Samuel Groth in the final with 7 - 6 , 6 -- 3 . 1 +"Achieved in Australia "" The other man 's grass is greener than 30 , while in South Africa the track reached a peak of # 19 ." "In Australia , "" The Other Man 's Grass Is Always Greener "" reached # 30 while in South Africa the track achieved a # 19 chart peak ." 0 +Later , Nate reluctantly agrees that Ruth can stay for a few more days . Ruth later reluctantly agrees that Nate can stay for a few more days . 0 +After his discharge he moved from Germany to Los Angeles and then to San Francisco then to New Mexico . After his dismissal , he moved from Germany to New Mexico , then to Los Angeles , and then to San Francisco . 0 +"Otto Friedrich wrote in "" The Kingdom of Auschwitz "" about Rudolf Höss about his decision to present the motto at the Auschwitz - entrance so prominently :" "Rudolf Höss wrote in "" The Kingdom of Auschwitz "" about Otto Friedrich about his decision to present the motto so prominently at the entrance Auschwitz ." 0 +In 2010 she won the 10th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 12th Yi Yuksa Poetry Award . In 2010 she won the 12th Nojak Literature Prize , the 57th Hyundae Literary Award in 2011 and the 10th Yi Yuksa Poetry Awards in 2015 . 0 +While rosary was waiting in Ecuador for a ship to Havana , Cuba , the Japanese attacked Pearl Harbor . While rosary in Havana in Cuba was waiting for a ship to Ecuador , the Japanese attacked Pearl Harbor . 0 +The chiral centers in pumiliotoxin 251D can give several stereoisomers of the compound . Only one form of the toxin is present in nature and has toxic properties . The chiral centers in Pumiliotoxin 251D can create several stereoisomers of the connection : only one form of toxin is present in nature and has toxic properties . 1 +Lesley Gray married Anton in September 1994 . Anton Lesley Gray was married in September 1994 . 0 +"In September 2013 , a book by Dore Ashton was published on David Rankin 's work entitled "" David Rankin : The New York Years "" ." "In September 2013 , a book by David Rankin on Dore Ashton 's work titled "" David Rankin : The New York Years "" was released ." 0 +The Ferguson reflex is the vaginal reflex comprising the self-sustaining cycle of neuroendocrine contractions initiated by pressure at the cervix or uterine walls . The Ferguson reflex is the vaginal reflex comprising the self-sustaining cycle of neuroendocrine contractions initiated by pressure on the cervix or the uterine walls . 1 +In 1993 , he graduated from Kuban State University as a philologist and teacher of the Russian language , the same university as a lawyer in 1995 . In 1993 , at Kuban State University , he graduated as a philologist and teacher of the same language , and in 1995 he graduated from the Russian University as a lawyer . 0 +Ferguson stayed in Monrovia until his death in 1916 in Liberia . Ferguson remained in Liberia , Monrovia in 1916 until his death in 1968 . 0 +The river Madicea is a tributary of the River Olt in Romania . The Madicea River is a right tributary of the Olt River in Romania . 1 +""" The Evolution of Dance "" is the second interlude and the ninth bit on the album ." """ The Evolution of Dance "" is the ninth interlude and the second track on the album ." 0 +The 147th units were later reorganized as 147th and 260th Field Artillery - Battalions . The 147th units were later reorganized as the 147th and 260th Field Artillery Battalions . 1 +Jackson Heights is surrounded by a number of light industrial neighbourhoods and residential areas . Jackson Heights is surrounded by a number of residential neighbourhoods and light industrial subdivisions . 0 +A smaller Van Cortlandt Park continues into Yonkers , north of Sedgwick Avenue and east of the Saw Mill River Parkway . A smaller Sedgwick Avenue continues to Yonkers , to the north of Van Cortlandt Park and east of Saw Mill River Parkway . 0 +After studying in Belfast , he sailed to Shanghai in 1933 in order to join his parents . After studying in Shanghai he sailed out to Belfast to join his parents in 1933 . 0 +Lehigh River is a tributary of the Mahoning Creek in Schuylkill and Carbon counties , Pennsylvania , in the United States . Lehigh River is a tributary of the Mahoning Creek in the Schuylkill and Carbon Counties , Pennsylvania , in the United States . 1 +On March 31 , 1958 , Daley , together with Gene Woodling and Dick Williams , was traded at the Baltimore Orioles for Larry Doby and Don Ferrarese . On March 31 , 1958 Daley was traded , along with Gene Woodling and Dick Williams , to the Baltimore Orioles , for Larry Doby and Don Ferrarese . 1 +"The call is a clear , soft "" eeek "" or "" squeaky whistle "" heeh ." "The call is a clear , soft "" eeek "" or "" squirting whistle "" heeh ." 0 +Dolly Parton 's thirteenth solo studio album , produced by Bob Ferguson , is Jolene . Jolene is Dolly Parton 's thirteenth solo studio album , produced by Bob Ferguson . 1 +The show was premiered on 27 March 2012 at Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . The show was staged by Nick Winston on 27 March 2012 at the Theatre Royal in Newcastle and choreographed by Ed Curtis . 0 +Many central government agencies are located in the city of Taipei , owing to the proximity to the capital , New Taipei City . Many central government agencies are located in New Taipei City , because of the proximity to the capital , Taipei City . 0 +However , at the time of the police raid , Kumar and his possible accomplices escaped after the knowledge of other arrests . At the time of the police raid , however , Kumar and his other accomplices escaped after learning of possible arrests . 0 +Arabic Supplement is a Unicode block that encodes old letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and Arabic Persian . Arabic Supplement is a Unicode block encoding old letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and Arabic Persian . 1 +"The American philosopher Stanley Cavell helped to re-introduce the book to modern philosophical readers in his collection "" Must We Say What We Mean ? "" ( 1969 ) ." "The American philosopher Stanley Cavell helped reintroduce the book in his collection "" Must say what we mean "" ( 1969 ) to modern philosophical readers ." 1 +The river Jiul de Vest is a tributary of the De La Hagher river in Romania . The River De La Hagher is a tributary of the River Jiul de Vest in Romania 0 +Finally in 2002 the name of Mersin was replaced with that of İçel . In 2002 the name of Mersin was finally replaced by that of İçel . 1 +Marine losses for the day were 16 killed and 98 captured , while the KPA lost 9 wounded and an estimated 50 killed and 55 wounded . Losses for the day were killed 16 and 98 captured , while the KPA 9 killed injured and estimated 50 and 55 wounded lost . 0 +The brothers who arrived in North America in 1837 and founded the first permanent community of the De La Salle Brothers in Montreal . The Brothers , who arrived in Montreal in 1837 and founded the first permanent community of De La Salle Brothers in North America . 0 +The 2007 -- 08 Kansas State Wildcats Men 's Basketball Team represents Kansas State University at the 2007 -- 08 College - Basketball - Season . The 2007 -- 08 Kansas State University Men 's Basketball - Team represent Kansas State Wildcats in the 2007 -- 08 College - Basketball - Season . 0 +It was initially in second place and consisted of a headquarters and infantry - company and mortar - battery , later in 1940 with a small infantry company expanded . It was initially second and consisted a headquarters , and infantry company and mortar battery , later being expanded with the addition of a small infantry company in 1940 . 1 +The official language is Bhojpuri and its local language is Hindi . The local language is Bhojpuri , while the official language is Hindi . 0 +The first edition of the tournament won by Eduardo Schwank against Ricardo Mello at 6 : 4 , 6 : 2 in the final . Ricardo Mello won the first edition of the tournament against Eduardo Schwank 6 -- 4 , 6 -- 2 in the final . 0 +In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally . This will be distilled in Puerto Rico and bottled in Florida . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally , which will be burned in Florida and bottled in Puerto Rico . 0 +According to the RKD he was the son of the genre painter Abraham Busschop and brother of the bird painter Cornelis Bisschop . According to the RKD he was the son of the genre painter Abraham Busschop and the brother of bird painter Cornelis Bisschop . 1 +After the 1962 season , Green was traded to the New York Mets along with Felix Mantilla in exchange for Tracy Stallard and Al Moran . After the 1962 season , Green was traded with the New York Mets together with Felix Mantilla in exchange for Tracy Stallard and Al Moran . 1 +He died in Daytona Beach , Florida , on June 18 , 1936 . He was buried in Melbourne , Florida . He died on June 18 , 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . 1 +Indore district consists of 4 divisions ; Depalpur , Sanwer , Indore and Mhow . The district of Indore consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . 1 +The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . 1 +""" Has Anyone Here Seen Deirdre Purcell ? "" -Larry" """ Has anyone seen Deirdre Purcell here ?" 1 +The Lenape ranged from the New York metropolitan area and western Long Island , into New Jersey , eastern Pennsylvania along the Delaware River , and Delaware . The Lenape ranged from the New York metropolitan area and eastern Pennsylvania to Long Island , western New Jersey along the Delaware River and Delaware . 0 +This is an original literary work , based on the autobiographical story . This is an autobiographical work that is based on the original literary story . 0 +Since October 1992 , he has been a liberal member of the Victorian Legislative Council , representing the eastern metropolitan region from 1992 to 2006 , and since then the province of Koonung . He has been a liberal member of the Victorian Legislative Council since October 1992 , representing the province of Koonung and since then the Eastern Metropolitan Region from 1992 to 2006 . 0 +Some southern states , such as Chu and Wu , claimed independence from the Zhou , who waged wars against some of them ( Wu and Yue ) . Some southern states , such as Zhou and Wu , claimed independence from the Chu , who were waging wars against some of them ( Wu and Yue ) . 0 +A third Cheetah was built in 1962 and 1963 the second . A second Cheetah was built in 1962 and third in 1963 . 0 +This is a list of caves in the United Kingdom , including information on the largest and deepest caves in the UK . This is a list of caves in the UK , including information about the largest and deepest caves in the United Kingdom . 1 +Philip Seymour Hoffman played a 1994 - TV adaptation as Ezra Baxter , Jean Smart as Ora Baxter and Peter Strauss as Buck . A 1994 television adaptation starred Philip Seymour Hoffman as Ezra Baxter , Jean Smart as Ora Baxter , and Peter Strauss as Buck . 1 +The Wharton Creek flows into the Otego Creek in Laurens , New York . In Laurens , New York , Otego Creek flows into Wharton Creek . 0 +It is bordered by Massapequa to the west and east , South Farmingdale to the northwest , and North Massapequa to the north . It is bordered by Massapequa in the west and east , South Farmingdale in the northwest and North Massapequa to the north . 1 +Wu Sangui ( died 1644 ) was a general of the Ming Dynasty and the father of Wu Xiang . Wu Sangui ( died 1644 ) was a general of the Ming dynasty and father of Wu Xiang . 1 +Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver from Overbury , Worcestershire . Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver from Overbury , Worcestershire . 0 +Wally Masur defeated Bill Scanlon 6 -- 4 , 7 -- 6 to secure the title . Wally Masur defeated Bill Scanlon with 6 -- 4 , 7 -- 6 to secure the title . 1 +Critics praised Gleeson 's performance as Geldof , but wrote that Geldof 's mixed motives and the true toughness of Goldsmith were insufficiently explored . Critics praised Gleeson 's performance as Geldof , but wrote that Geldof 's mixed motives and the true hardship of Goldsmith were insufficiently explored . 1 +It was designed by architect Henry L. Taylor and was built by O. R. Woodcock . Built by the architect Henry L. Taylor , it was designed by O. R. Woodcock . 0 +In July 2011 , ARTC transferred the responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the ARTC to the Country Rail Infrastructure Authority . 1 +The scenes in the marshes were also shot in Kent , Gillingham 's Riverside Country Park . The scenes in the marshes were also shot in Gillingham , at Riverside Country Park in Kent . 0 +"Encouraged by the use of fresh voices in "" Roja "" , Srinivas approached Rahman ." "Encouraged by the use of fresh voices in "" Roja "" , Srinivas Rahman approached ." 0 +Strikingly , both male and female parents were judged as less competent for the job than childless applicants . Strikingly , both male and female parents were judged less competent for the job than childless applicants . 1 +The last Pontiac , a white 2010 model year - G6 4 - Doors - Limousine , was built in January 2010 at the Orion Township assembly line . The last Pontiac , a white 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . 1 +In March 2016 , Cain 's car got stolen , Cain thought it was Charity or Ross . In March 2016 , Cain 's car was stolen , Cain thought it would be charity or ross . 1 +Banaue can be reached by jeepney , bus , or private car from Baguio City . The city of Baguio can be reached from Banaue by jeepney , bus or private car . 0 +It begins first with Dr. Sanjay Mehra ( Rakesh Roshan ) and his wife Sonia ( Rekha ) , who are part of a car accident . It first begins with Dr. Rakesh Roshan ( Sanjay Mehra ) and his wife Sonia ( Rekha ) , who are part of a car-crash . 1 +Ziyrik ( also Zeyrik ) is a town in the Azerbaijan of Lachin Rayon . Ziyrik ( also , Zeyrik ) is a village in the Lachin Rayon of Azerbaijan . 0 +Rattlesnake Island is a small island on Okanagan Lake located directly east of Peachland , British Columbia , Canada . Rattlesnake Island is a small island on Okanagan Lake , located just east of Peachland , British Columbia , Canada . 1 +It has also received two theater adaptations , a TV film in 1988 and a live movie in 1997 . It has also received two theatrical-action adaptations ; a TV movie in 1988 and a live film in 1997 . 1 +Xhemal Pasha Zogu was an hereditary governor of Mati , father of Xhelal Pasha Zogolli and grandfather of King Zog I . Xhelal Pasha Zogolli was hereditary governor of Mati , father of Xhemal Pasha Zogu and grandfather of King Zog I . 0 +In 2008 Rice co-headlined a tour with Maria Taylor of Azure Ray , and played Los Angeles ' Sunset Junction festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and directed the Los Angeles Sunset Junction Festival . 0 +These actions combine to increase myocardial oxygen demand and decrease myocardial oxygen supply . Combine these actions to increase myocardial oxygen demand and reduce myocardial oxygen supply . 1 +"Small Celypha - rufana , small name lakes marble , is a common moth kind of the family Tortricidae , long under the junior - synonym "" C. rosaceana "" known ." "Celypha rufana , common name lakes marble , is a small moth species of the family Tortricidae , long known under the junior synonym "" C. rosaceana "" ." 0 +Serving the city and surrounding communities , the buses originate at the City Park terminal , across from Ridge Street and City Hall . The buses serving the city and the surrounding communities are at the Ridge Street terminal , across from City Park and the City Hall . 0 +The body is black , the links and fingers are long and the tail is white . The body is black , the limbs and fingers are long and the tail is white . 0 +Eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia from 1866 to 1928 , when the Armenian seat was moved to Beirut in Lebanon . Eparchy was the seat of the Armenian - Catholic Patriarchate of Cilicia from 1866 to 1928 until the patriarchal seat of Beirut was moved to Lebanon . 0 +The band then added bassist Duane Cowan , who had recently relocated from Los Angeles to Japan . The band added bassist Duane Cowan , who had recently moved from Japan to Los Angeles . 0 +"Campbell produced the remake of "" The Evil Dead "" , along with Sam Raimi and Rob Tapert ." "Sam Sam Raimi and Rob Tapert produced together with Campbell the remake of "" The Evil Dead "" ." 0 +NOA can also be used in the calculation of the discounted cash flow ( FCF ) and therefore the free cash flow model . NOA can also be used in the calculation of Free cash flow ( FCF ) and therefore the Discounted cash flow model . 0 +Nikita Khrushchev asked for help from Jerome Wiesner and Cyrus Eaton , the latter who lobbied Jelinek . Jerome Wiesner and Cyrus Eaton , who lobbied Jelinek , asked Nikita Khrushchev for help . 0 +In Korea , Korean Chinese-style fried rice is a separate genre of fried rice that differs from the Korean fried rice . In Korea , the Korean Chinese-style fried rice is a separate genre of fried rice that differs from Korean-style fried rice dishes . 1 +Solomons was born in Thorpe Bay and grew up with his four siblings in Orsett , Essex , his mother and father . Solomons was born in Orsett , Essex and brought up with his four siblings in Thorpe Bay by his mother and father . 0 +In order to preserve the neutrality of Malaysia , the Sabres were flown to Singapore via Thailand . In order to preserve Malaysia 's neutrality , the Sabres were flown to Singapore via Thailand . 1 +This album is the first album with the pianist Ethan Iverson , who replaced Orrin Evans . This album is the first album with pianist Orrin Evans who replaced Ethan Iverson . 0 +The completed action plan , published on 3 March 2006 , will be placed by other members of the Task Force directly in the hands of ministerial ministers . The fully completed action plan , published on 3 March 2006 , is placed directly in the hands of ministers by other members of the task force . 1 +The Australia - Rugby - Union - Tour of 1969 was a series played by the national rugby - union - team of Australia between June and September 1969 . The 1969 Australian rugby union tour of Australia , was a series played by the South Africa 's national rugby union team between June and September 1969 . 0 +The Frank Herzberg Trio is a contemporary Brazilian jazz trio which consists of bassist Zé Eduardo Nazario , drummer Frank Herzberg and pianist Alexandre Zamith . The Frank Herzberg Trio is a contemporary Brazilian jazz trio that consists of bassist Zé Eduardo Nazario , drummer Frank Herzberg , and pianist Alexandre Zamith . 1 +Born in Dundee , Gavin Plumley was educated at Monmouth School and read music at Keble College , Oxford . He lives in Bedford . Gavin Plumley was born in Dundee , studied at Monmouth School and read at Keble College , Oxford , where he lives in Bedford . 1 +The Indus cities are renowned for their elaborate planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are noted for their elaborate planning , baked brick houses , urban drainage systems , water supply systems , and clusters of large non-residential buildings . 1 +"Smith has published two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "Smith has released two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 1 +In the 2011 census , Muslims formed 131,116 and accounted for 60.38 % of the population in Karimpur II CD block . In the 2011 census , Muslims formed 131,116 and numbered 60.38 % of the population in Karimpur II CD Block . 1 +He defeated Quentin Gilbert and Pierre Roche , with Gilbert receiving the titles in WRC3 and JWRC not long ago . He defeated Gilbert , with Quentin Gilbert and Pierre Roche the titles in WRC3 and JWRC won not long ago . 0 +The observations of Very Long Baseline Array ( VLBA ) have identified a bright region dominated by two complex central components A and B . Very Long Baseline Array ( VLBA ) observations have identified a bright region that is dominated by two complex central components , A and B . 1 +The album was confirmed by Linkin Park after Shinoda had heard all the remixes of their songs from other producers , and it was released on their official website . The album was confirmed by Linkin Park after Shinoda heard all the remixes of their songs by other producers , and it was released on their official website . 1 +Sparkman High School in Harvest , Alabama , Sparkman School in Somerville , Alabama , Sparkman Drive in Huntsville are all named in his honor . Sparkman High School in Harvest , Alabama , Sparkman School in Somerville , Alabama , Sparkman Drive in Huntsville are all named to his honor . 1 +Cranoe is a civil village and small parish in the Harborough district of Leicestershire , England . Cranoe is a civil village and a small municipality in the Harborough district of Leicestershire , England . 1 +The circumstances of Birinski 's early life are quite indefinite ; different sources offer eight possibilities of his place and date of birth . The circumstances of Birinski 's early life are quite different , indeterminate sources offer eight possibilities of his place of birth and date . 0 +Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road in the Fish Point to the east . Two bridges cross the river to Pental Island , to the west on Fish Point Road and in the east on Swan Hill at Fish Point . 0 +From 1913 to 1962 , the University of Loma Linda taught basic science , but sent its students to Los Angeles for clinical experience . From 1913 to 1962 , the university taught basic sciences in Loma Linda , but sent its students to Los Angeles for clinical experience . 1 +In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , they suffered a defeat . In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Chu united to attack Wei but suffered a defeat . 0 +It was for most of its time next to Naval Air Station Dallas , now known as the Grand Prairie Armed Forces Reserve Complex . It was located for most of its time next to Grand Prairie Armed Forces Reserve Complex , now known as the Naval Air Station Dallas . 0 +Khaset had one of the 20 nomes in Lower Egypt and was district number 6 . Khaset had one of the 20 nomes in Lower Egypt and was a district number 6 . 1 +""" Top Dog "" and "" Wally the Wizard "" were also early Star original comic titles ." """ Top Dog "" and "" Wally the Wizard "" were also original comics - Star - Early titles ." 0 +She lived in Minglanilla , Cebu , before moving to Manila Metro . She lived in Minglanilla , Cebu before moving to Metro Manila . 1 +In the Netherlands , Owobale was born into a Nigerian father and a Dutch mother . Owobale was born in the Netherlands into a Dutch father and a Nigerian mother . 0 +The venue has two stages , a small stage ( capacity of 300 people ) and a main stage ( capacity 1,100 people ) . The venue has two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1,100 people ) . 0 +"So , based on the A3 , the "" A3L "" type developed from aluminum was built ." So , based on the A3 , the type “ A3L ” developed from aluminum was built . 1 +Teversall Manor is a former station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . Teversall Manor is a former railway station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . 0 +Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Autonomous Basque Community of Northern Spain . Lazkao is a city and municipality in the region of Gipuzkoa in the province of Goierri , in the Basque Autonomous Community of northern Spain . 0 +Face of Evil is a 1996 TV movie starring Jeanelle Polk as Shawnee Smith , Perry King as Russell Polk and Darcy Palmer as his daughter Tracey Gold . Face of Evil is a TV movie from 1996 with Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as the daughter Jeanelle Polk . 0 +Her works were widely printed in the photographic press and published in the 1950s in book form through the Swiss publisher La Guilde du Livre . Her work was widely published in the photographic press , and was printed in book form through the Swiss publisher La Guilde du Livre in the 1950 's . 0 +28.4 % were Polish , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English and 7.7 % of Italian ancestors . 28.4 % were of Italian , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English , and 7.7 % Polish ancestries . 0 +He was a regional hero that gave the revolutionary movement in Telangana a new wave . He was a revolutionary hero who gave a new wave to the regional movement in Telangana . 0 +Paul Rosbaud and his brother Hans performed as children with their mother , who teached the piano . As children , Paul Rosbaud and his brother Hans performed with their mother , who taught piano . 1 +TSU students take part in major international events , such as II International Student Forum in Berlin , Germany , and III International Student Forum in Rome , Italy . TSU students take part in major international events such as the III International Student Forum in Rome , Italy , and the 3rd International Student Forum in Berlin . 0 +Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Sarath Babu , Sujatha and Saritha . Nool Veli ( fence of the yarn ) is a 1979 - Tamil film with Sarath Babu , Sujatha and Saritha . 1 +A codice 1 can not be deleted because its copy constructor and assignment operators are explicitly copied . Codice 1 can not be copied because its copy constructor and assignment operator are explicitly deleted . 0 +In 2007 , Mathe Fischer left the band after a one-year stay , and Jens Ramon added . In 2007 Mathe Fischer joined the band after a one-year stay , and Jens Ramon left . 0 +There are 18 or 20 early schools in the old texts . In the old texts , 18 or 20 early schools are mentioned . 1 +Den Dungen is a twin town of Portishead , Somerset in England . Dungen is a twin town of Portishead , Somerset in England . 1 +On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed on 17 July 2016 with the Romanian team Stal Ostrów Wielkopolski . On September 15 , 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on July 17 , 2016 . 0 +Dendrobium tetragonum , the common spider orchid , is a species of the orchid , also known as the rectangular - jagged dendrobium or tree spider orchid . Dendrobium tetragonum , the common spider orchid , is a species of orchid , also known as the rectangular-bulbed dendrobium or tree spider orchid . 1 +Lemmings , by contrast , are aggressively colored and behave conspicuously towards predators and even human observers . By contrast , lemmings are aggressively colored , and behave conspicuously against predators and even human observers . 1 +Also Shikigami No Shiro II has been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . "XS also translated "" Shikigami No Shiro II "" , and released it for the PlayStation 2 under its own name , "" Castle Shikigami 2 "" ." 0 +The series ends with Cassie reconciling with Wonder Woman , who tells Cassie that she has become her own wife . The series ends with Wonder Woman reconciling herself with Cassie , who tells Cassie that she has become her own wife . 0 +However , before he could leave for Texas and his new headquarters , he died in an epidemic of yellow fever that swept through southeast Louisiana . However , before he could leave Louisiana and his new headquarters , he died in an epidemic of the yellow fever that swept through southeast Texas . 0 +Hamilcar had to send part of his army back to Libya to reinforce Carthage . Hamilcar had to send part of his army back to Carthage to reinforce Libya . 0 +Production is mainly dedicated to the professional market , with the Linea Pro industrial products , the DIY market is served by the Linea Blu product range . The production is mainly dedicated to the professional market , with the industrial products Linea Pro , the DIY market , is operated by the Linea Blu product line . 1 +The mine was the subject of a long-running workers ' strike from October 1997 to August 1999 , commemorated in the heritage-listed Lilyvale Stand Monument . From October 1997 to August 1999 , the mine was the subject of a long workers ' strike listed in the listed Lilyvale Stand Monument . 0 +Under the reign of the latter , the newly recruited Abbey Marienberg was founded with monks from Ottobeuren . Under the rule of the latter the newly founded Marienberg Abbey was recruited with monks from Ottobeuren . 0 +The next day , Finn Malmgren was rescued , the corpse of Mariano and Zappi were not found . Mariano and Zappi were rescued the next day ; the body of Finn Malmgren was not found . 0 +""" Opson "" is therefore Banchan in Korean cuisine and Okazu equivalent in Japanese cuisine ." """ Opson "" is therefore equivalent to Banchan in Japanese and Okazu in Korean cuisine ." 0 +"Mayer was the author of a provocative feature film for the "" New York Times "" entitled "" Live Composers , Dead Audiences "" ." "Mayer was the author of a provocative feature for "" The New York Times "" entitled "" Live Composers , Dead Audiences "" ." 1 +The valley itself is made rocky through the river , while the surrounding area is lush and green desert . The valley itself is made lush and green by the river , while the surrounding area is rocky desert . 0 +Point Marsden was discovered by Matthew Flinders on 21 March 1802 and named after William Marsden , Second Secretary to the Admiralty . Point Marsden was discovered on March 21 , 1802 by Matthew Flinders , and named after William Marsden , Secretary of the Admiralty . 1 +In 2013 , Nicholas married Furiuele Julia , while Peter is married to Anna Barattin , both of whom are members of the band Shantih Shantih . Peter Anna married Barattin in 2013 , while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . 0 +"Sportswriter and fellow player Wallace put Jimmy Smith on his 1909 "" All American Team . """ "Sportswriter and player Wallace put Jimmy Smith on his All American team "" from 1909 ." 1 +At the Ponce Grand Prix she drove a personal record of 9 : 39.36 minutes and then took the national title at the USA Outdoor Track and Field Championships 2013 . At the Ponce Grand Prix she ran a national record of 9 : 39.36 minutes then claimed the personal title at the 2013 USA Outdoor Track and Field Championships . 0 +He was appointed by Robert W. Edgar as a member of the Council of the President 's Common Cause . Cohen was appointed by Robert W. Edgar as a member of the President 's Council of Common Cause . 1 +To prevent this , her father cursed her and stabbed Appius Claudius Crassus . To avoid this , her father cursed her and stabbed Appius Claudius Crassus . 1 +North Chinese Quechua is a dialect of the southern Quechua language that is spoken in northern Bolivia on the Peruvian border as well as immigrants in Peru . North Bolivian Quechua is a dialect of the Southern Quechua language , spoken in northern Bolivia on the Peruvian border , as well as by immigrants in Peru . 0 +The tournament requires an import or a foreign-pure player for each team . The tournament requires an import or player for each team . 0 +Originally sponsored by the now deceased Mystic District Planning Coalition , the DC PNO is currently sponsored by the Open Hearth Foundation . Originally sponsored by the now defunct Mystic District Planning Coalition , the DC area PNO is currently sponsored by The Open Hearth Foundation . 1 +At Dagorlad , a great battle took place in which Sauron 's forces were destroyed and the Black Gate stormed . A great battle took place on the Dagorlad in which Sauron 's forces were destroyed and the Black Gate was stormed . 1 +A common condition is established for its subsequent use in the law . A subsequent condition is noted in the law for its general use . 0 +The Buzăiel river is a tributary of the River Tătaru in Romania . The river Tătaru is a tributary of the Buzăiel River in Romania . 0 +The mountain was named after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) by Marie Henri Daniel Gauthier . The mountain was named by Jules de Blosseville , after French naval officer Marie Henri Daniel Gauthier , comte de Rigny ( 1782 -- 1835 ) . 0 +In 1845 , railroad developers founded the Belpre and Cincinnati Railroad , but the destination was changed in Marietta , with a corresponding change of name in 1851 . In 1845 railroad developers founded the Marietta and Cincinnati Railroad , but the destination was changed to Belpre , with a corresponding name change in 1851 . 0 +It was rescued by Lalmani Misra from the oblivion , the playing technique developed and Misrabani created compositions , his son Gopal Shankar Misra made the repertoire universal . It was rescued from oblivion by Lalmani Misra who developed technique of playing and created Misrabani compositions ; his son Gopal Shankar Misra made the repertoire universal . 1 +Huge fields along the zone were discovered at Long Beach Oil Field in 1920 , and the Huntington Beach Oil Field in 1921 . Huge fields along the zone were discovered in 1920 by Long Beach Oil Field and Huntington Beach Oil Field in 1921 . 1 +"In December 2002 , Omar joined the team of the morning radio broadcast "" Ya Párate "" with Facundo and Tamara Vargas ." "In December 2002 , Facundo and Tamara Vargas together with Omar joined the team of the morning radio broadcast "" Ya Párate "" ." 0 +Fiat - Money can be physically damaged or destroyed if it is inadvertently represented in the form of currency ( paper or coins ) . Fiat money , if accidentally represented in the form of currency ( paper or coins ) can be physically damaged or destroyed . 1 +In 1853 he moved to Bloomington , Illinois , and in 1859 to Attika , Indiana . He moved to Attica , Indiana , in 1853 and to Bloomington , Illinois , in 1859 . 0 +Every level , from the national and global levels to the individual and local levels , has its own essential function in a globalised world . Every level , from the individual and local level to the national and global level , has its own essential function in a globalised world . 0 +"She also appears in "" , where a vision of Freddy and Jason causes her to meet with other Freddy survivors ." "She also appears in "" , where a vision of Freddy prompted her to meet with other survivors from Freddy and Jason ." 0 +In 2012 , he was elected Chairman of the Indian National Congress ( Pnachayat District ) of Kolhapur as a candidate of Zilla Parishad . In 2012 , he was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur as a candidate of the Indian National Congress . 0 +"In 1948 , B & amp ; H Publications produced through the camera "" in cooperation with Cousin Harold White "" George Bernard Shaw ." "In collaboration with cousin George Bernard Shaw , B & H Publications produced "" Harold White Through The Camera "" in 1948 ." 0 +Iain Andrew Stirling ( born 27 January 1988 ) is a Scottish comedian , writer and television presenter from Edinburgh now based in London . Iain Andrew Stirling ( born January 27 , 1988 ) is a Scottish comedian , writer , and television host from Edinburgh , now living in London . 1 +The resolution has been signed by almost all PBS representatives ( Parti Bersatu Sabah ) in Sri Gaya . The resolution was signed by almost all Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . 1 +The nearest major city is Shimla . Bhota is east , and Jahu is west of Hamipur , and from Sarkaghat , The next major city is Shimla , Bhota is East , and Jahu is West of Hamipur and Sarkaghat 1 +After his doctorate in 1989 , Betzig was hired by AT ’ T Bell Laboratories in the semiconductor physics department . After receiving his doctorate , Betzig was hired by AT & T Bell Laboratories in the Semiconductor Physics Research Department in 1989 . 1 +Keswick River is an airport in New Brunswick , Canada located near the Weyman Airpark in Sisson Settlement . Keswick River is an airport located in New Brunswick , Canada , near Weyman Airpark in Sisson Settlement . 1 +Hannah retired in March 1977 , and died the following year . In March 1977 , Hannah retired and died the following year . 1 +With the help of the bassist Pat Schick , keyboarder Guy Daniel and drummer Camus Celli , Ponti played guitars and keyboards on the album . Ponti played guitars and keyboards on the album , with the help of bassist Pat Schick , keyboard player Guy Daniel and drummer Camus Celli . 1 +On Saturdays there is a daily street market around which the covered small weekly market is located . There is a small weekly street market on Saturdays , around where the covered daily market is . 0 +Restovich was traded to the Arizona Diamondbacks from the Chicago White Sox on July 27 , 2011 . On July 27 , 2011 , Restovich was traded by Arizona Diamondbacks to the Chicago White Sox . 0 +He has Indigo blue fur and has a dark blue rain cloud with raindrops and hearts as his belly symbol . He has dark blue fur Indigo and has a blue cloud of rain with raindrops and hearts as his abdominal symbol . 0 +Instead , the Melkite church consists of Arab Catholics , and its liturgy of Byzantine rite is celebrated in Arabic . Instead the Melkite Church consists of Byzantine Catholics and its Arab Rite liturgy is celebrated in Arabic . 0 +"The command "" create "" is used to set up a new database , table , index , or stored procedure ." "The "" establish "" command is used to create a new database , table , index , or stored procedure ." 0 +From 1996 to 2005 , Adila Laidi was the first director of the center , and Saheer Turjman is the current administrative director , and Rula Khoury is the current artistic director . Rula Khoury was the current director of the centre from 1996 until 2005 . Saheer Turjman is the first Administrative Director and Adila Laidi is the current Artistic Director . 0 +His father has called him Ali , and his nickname was Murtaza . His father has called him Murtaza , and his nickname was Ali . 0 +Both traced the continuing influence on literary and cultural studies of the kinds of cultural materialism developed by Williams and his successors . Both highlighted the continuing influence of the forms of cultural materialism developed by Williams and his successors on literary and cultural studies . 1 +The five candidates elected were Slovenia , Brazil , Gabon , Gambia , and Bahrain . The five elected candidates became Slovenia , Brazil , Gabon , Gambia and Bahrain . 1 +She studied journalism in London for three years and has an MA in Mass Media from a university in New York City . She studied three years of journalism in London and holds an MA in mass media from a university in New York City . 1 +The castle is used now as a glamorous place near Madrid for fancy weddings , social events , banquets and so on . The castle is now being used as a chic place near Madrid for glamorous weddings , social events , banquets and so on . 0 +The 2015 season -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . The 2015 -- 16 PBA season is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . 0 +Is a short book by Virginia Cary Hudson , first published in 1962 with illustrations by Karla Kuskin . Is a short book by Virginia Cary Hudson , first published illustrations by Karla Kuskin in 1962 . 1 +He was twice married to Elizabeth Dettlaff and Annie Kowalkowski , and had three daughters . He was twice married to Annie Kowalkowski and Elizabeth Dettlaff , and had three daughters . 1 +The following table lists all the games played by the Brazilian national football team in official competitions and friendly matches in 1983 . The following table lists all the games played by the Brazil national football team in friendly competitions and official matches during 1983 . 0 +It is the largest private club in Houston and one of the biggest in the world , with more than 3,300 members . It is the largest private club in Houston and one of the biggest in the world , with more than 3,300 members . 1 +During this time , Cousin also played as a session musician on two songs by Mice , a band created by Regan that existed between 1995 and 1997 . During that time , Cousin also played as a session musician on two songs by Mice , a band of Regan , which existed between 1995 and 1997 . 1 +She married Antonio Bourque and lived in Shediac first before returning to the Villa Providence in Moncton . She married Antonio Bourque and lived in Moncton first before returning to the Villa Providence in Shediac . 0 +Qingyang County Government is located in the town of Rongcheng . The government of the town of Rongcheng is located in Qingyang County . 0 +Turner was born in 1932 and played in the Brisbane Norths competition for Brisbane Rugby League and Redcliffe . He also coached Redcliffe in 1968 and 1969 . Turner was born in 1932 and played in the Brisbane Norths competition for Brisbane Rugby League and Redcliffe and also trained Redcliffe in 1968 and 1969 . 1 +"They considered the two other species from "" Vjushkovia "" to members of the erythrosuchid genus "" Garjainia "" and reclassified "" Y. sinensis "" as a rauisuchid ." "They considered the two other species of "" Vjushkovia "" to members of the erythrosuchid genus "" Garjainia "" , and reclassified "" Y. sinensis "" as a rauisuchid ." 1 +His case was widely publicized in religious , as well as medical publications . His case was widely published in religious as well as medical publications . 1 +The Arbatel de Magia veterum was a ceremonial grimoire of Latin Renaissance magic , which appeared in Switzerland in 1575 . The Arbatel De Magia veterum was a ceremonial grimoire of renaissance Latin magic published in 1575 in Switzerland . 1 +Neustadtl an der Donau is a town in the district of Lower Austria in Amstetten in Austria . Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria , Austria . 0 +"In Jin Yong 's "" Wuxia "" novel "" The Legend of Condor - Heroes "" Guo Sheng is the ancestor of the protagonist Guo Jing ." "In Jin Yong 's "" Wuxia "" novel "" The legend of the Condor hero "" Guo Jing is the ancestor of the protagonist Guo Sheng ." 0 +On 14 February 1998 , he retired as Bishop of Gibraltar and was replaced on 24 May of the same year by Bishop Charles Caruana . Charles Caruana retired as Bishop of Gibraltar on 14 February,1998 , and was succeeded by Bishop Devlin on 24 May of the same year . 0 +The 1927 Colgate University Football team represent Colgate in the 1927 College Football season . The 1927 Colgate University football team represented Colgate in the 1927 college football season . 1 +Has a renowned glass art center , built and run by Osamu and Joel Philip Myers , graduates of Illinois State University , where they studied with Yumiko Noda . Has a renowned glass art centre , built and run by Osamu and Yumiko Noda , graduates of Illinois State University , where they studied with Joel Philip Myers . 0 +Before the unification of Yemen in 1990 , the law set the minimum age of marriage at 16 in South Yemen and 15 in the north . Prior to the unification of Yemen in 1990 , the law set the minimum age of marriage at 16 in South Yemen and 15 in the north . 1 +In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by the Broad Lane and Mays Hill by Frog Lane . In Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . 0 +If long , the reservoir would hold on water , and is full . If long , the reservoir would hold of water , and is full . 1 +"In 2014-15 , Shapiro appeared in the role of Marc Maron 's eccentric neighbor , Bernie , in the IFC comedy series "" Maron "" ." "In 2014-15 , Shapiro appeared in the role of the eccentric neighbor of Marc Maron , Bernie , in the IFC - Comedy - Series "" Maron "" ." 1 +Several local buses and minibuses operating on the state road D400 to East-West stop at the airport intersection , 800 metres north of the airport terminals . Several local buses and minibuses that run east-west on the D400 state road , stop at the Airport intersection , 800 metres north of the airport terminals . 1 +"The Definitive Hardcover "" Single Edition "" was also published ." "Also the single hardcover "" Definitive Edition "" was published :" 0 +Pollution - tolerance value is 6 ( on scale 0 -- 10 ; 0 the best water quality , 10 is the worst water quality ) . The pollution tolerance value is 6 ( on the 0 - - 10 ; 0 scale the worst water quality , 10 is the best water quality ) . 0 +Restovich was traded on July 27 , 2011 by the Arizona Diamondbacks to Chicago White Sox . Restovich was traded to the Arizona Diamondbacks from the Chicago White Sox on July 27 , 2011 . 0 +The lying 10 meter air rifle Mixed SH1 event at the summer - Paralympics 2008 took place on 11 September at the Shooting Range Hall in Beijing . The prone 10 metre air rifle Mixed SH1 event at the 2008 Summer Paralympics took place on September 11 at the Beijing Shooting Range Hall . 1 +The new format is current for the season 2010 and consists of three stages . The new format is current for the 2010 season and consists of three stages . 1 +Bus services on the Luton to Dunstable Busway Route A also connect Parkway to Luton Airport . Bus connections to Dunstable Busway Route A on the Luton also connect Parkway to Luton Airport . 1 +After moving to Norway in 1988 , as a political refugee , he began writing novels about the leftist revolt in Turkey . After moving to Norway as a political refugee in 1988 , he began to write novels about the leftist revolt in Turkey . 1 +The sonata was premiered in 1919 at the Aeolian Hall , London , by Landon Ronald , with Billy Reed at the piano . The Sonata was performed at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed at the piano . 1 +The prone 10 metre air rifle Mixed SH1 event at the 2008 Summer Paralympics took place on September 11 at the Beijing Shooting Range Hall . The lying 10 meter air rifle Mixed SH1 event at the summer - Paralympics 2008 took place on September 11 at the Shooting Range Hall in Beijing . 1 +He was the federal judge in Mexico City and a respected lawyer in Mexico . He was a federal judge in Mexico , and a respected lawyer in Mexico City . 0 +"It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" Format ) and re-released in 2003 on Bridge 9 Records ." "It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and published on Bridge 9 Records in 2003 ." 0 +The magazine was located in Paris , but was published by Gerald Duckworth and Company in London . The magazine was based in Paris but was published in London by Gerald Duckworth and Company . 1 +Families come from a variety of Protestant denominations , including Christian , Coptic , Messianic , Jewish , Orthodox , and Roman - Catholic . Families are drawn from a variety of Christian denominations including Protestant , Coptic , Messianic Jewish , Orthodox , and Roman Catholic . 0 +The floors are not sandy , generally poor with loose granite and quartz pebbles , there are many rocky outcrops and the soil is mostly deep in organic matter . The soils are not sandy , generally poor with loose granite and quartz pebbles . There are many rocky outcrops and the soil is mostly deep in organic matter . 1 +It was initially recorded by Irma Thomas in November 1961 and produced by Allen Toussaint . It was initially recorded by Allen Toussaint in November 1961 and produced by Irma Thomas . 0 +The Berkeley edition was published in February 1985 and the second print was in June 1985 and the third was in November 1985 . The Berkeley issue was published in February 1985 , the third printing was in June 1985 and the second pressure was in November 1985 . 0 +The objective of the game is to score points by touching a variety of shapes and surviving by not destroying them . The objective of the game is to collect points by touching and surviving a variety of forms by not destroying them . 1 +Dr. Carter remains in Africa for several months and works in Kem 's AIDS clinic . Dr. Carter remains in Africa for several months and works in the Kem AIDS clinic . 1 +The mountain was named by Charles Gould in 1863 after geologist Charles Lyell , a supporter of Charles Darwin . The mountain was named in 1863 by Charles Lyell after the geologist Charles Gould , a follower of Charles Darwin . 0 +""" Do whatever you want , be what you are "" was covered in 1979 by The Dramatics ." """ What you are , do what you want "" was covered in 1979 by The Dramatics ." 0 +The SOT23-3 package is very popular and a generic package for transistors and is also used for diodes and voltage regulators . The SOT23-3 package is very popular and a common package for transistors , and is also used for diodes and voltage regulators . 1 +Segura ( also known as Diego ) was a Marcilla and Isabel , a Juan Martinez . Juan Martinez ( also known as the Diego ) was a Marcilla and Isabel a Segura . 0 +In September the squadron began to receive B-24H aircraft , the model of the Liberator they would fly in combat . In September , the squadron B-24H aircraft began to fly , the model of liberators they would receive in combat . 0 +The music was composed by Bharat Vyas with lyrics by Salil Chowdhury . The music was composed by Salil Chowdhury with text by Bharat Vyas . 0 +In September the new large field was expanded and all leagues completed . In September the new large field was expanded and all leagues finished . 1 +Utah claims a lead of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . Utah asserts a lead of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . 0 +The leaves are generally 1.5-4 mm wide and 0.2-0.7 mm long . The leaves are generally 1,5-4 mm wide and 0.2-0.7 mm long . 1 +If the socket was too loose , or the ink too thin , the pen would smear or the ink would leak . If the socket were too loose or the ink were too thin , the pen would smear or the ink would leak . 1 +Borsalino are the sculptures by Moritz Waldemeyer for Flos designed Chapeau Lamp ( 2014 ) and the sculpture The Hatband ( 2016 ) by Philippe Starck . Homage to Borsalino are the Chapeau Lamp ( 2014 ) by Philippe Starck for Flos and the sculpture The Hatband ( 2016 ) by Moritz Waldemeyer . 0 +"Franz Josef Land , Arkhangelsk Oblast , Russia ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in Hall Island ." "Franz Josef Land , Archangelsk Oblast , Russia ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in the Hall - Island ." 1 +John Ikin ( born 1957 in Lower Hutt ) is a furniture designer from New Zealand . Humphrey John Ikin ( born 1957 in Lower Hutt ) is a New Zealand furniture designer . 1 +It seems most active late in the morning and early afternoon . It seems to be most active in the early morning and late afternoon . 0 +Ann is married to Ann who is with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn pastors . Ann is married to Jennifer Aull , who works with Ann in the Greenpoint Reformed Church in Brooklyn as pastors . 0 +Satanic ) murders are committed in Uganda , the USA , Mexico ( Adolfo Constanzo case ) , Brazil ( See Toa Payoh ritual murders ) and Singapore . In Uganda , the USA , Mexico ( Adolfo Constanzo case ) , Brazil ( see Toa Payoh Ritual Murder ) and Singapore are committed murders . 1 +The remaining line from Monte Rio to Point Reyes Station was dismantled in 1930 . The remaining route from Station Point Reyes to Monte Rio was dismantled in 1930 . 0 +His parents were William Halderman ( 1822-1866 ) , a local businessman and Müller , and Anna Hostetter Halderman ( 1828-1919 ) . His parents were Anna Hostetter Halderman ( 1822-1866 ) , a local businessman and miller , and William Halderman ( 1828-1919 ) . 0 +Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Autonomous Basque Community of Northern Spain . Lazkao is a town and municipality located in the Goierri region of the province of Gipuzkoa , in the Basque Autonomous Community in Northern Spain . 1 +Locus is a racing game developed by Zombie LLC and published by GT Interactive Software Corp in North America . Locus is a racing game developed by GT Interactive Software Corp and published by Zombie LLC , North America . 0 +Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a municipal council in Alberta , Canada . Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a municipal councillor in Alberta , Canada . 1 +"Blauburger supplies good yields and is particularly susceptible to "" Botrytis cinerea "" , but is resistant to mildew down ." "Blauburger gives good yields and is particularly resistant to "" Botrytis cinerea "" , but is susceptible to mildew ." 0 +Patrick Walsh is the brother of Carlow footballer Tommy . Patrick Walsh is the brother of Carlow 's footballer Tommy . 1 +The Ibirapuera Park is located in this subprefecture , as well as the main campus of Federal University of São Paulo and the brazilian headquarters of IBM . Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and the headquarters of IBM . 0 +In June 2017 , when Sampaoli was appointed as the new national team boss , Scaloni was again named his assistant . In June 2017 , when Sampaoli was appointed the new national team boss , Scaloni was reappointed as his assistant . 1 +Gabriel destroyed Weiss and his troops and attacked them on 14 October . Gabriel attacked Weiss and his troops and annihilated them on 14 October . 0 +The Lord Chancellor , a post in the UK Government , is responsible for relations between the government and the Channel Islands . Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relations between the government and the United Kingdom . 0 +He was the federal judge in Mexico City and a respected lawyer in Mexico . He was a federal judge in Mexico City , and a respected lawyer in Mexico . 1 +It was produced by Penny Leicester , shortened by Heather Larmour , read with Peter Serafinowicz as the voice of the guide and Stephen Mangan . It was produced by Penny Leicester , abridged by Heather Larmour , with Peter Serafinowicz as the voice of The Guide , and read by Stephen Mangan . 0 +The affine scaling direction can be used to choose a heuristic to adaptively define the centering parameter as The affine scaling direction can be used to choose a heuristic to adaptive the centering parameter as : 1 +Dunkerton moved from Herefordshire to London at the age of fourteen . Dunkerton went from London to Herefordshire at the age of 14 . 0 +It is located north of Altha and east of Blountstown on the west bank of the river Apalachicola . It is located north of Altha and east of Blountstown on the west bank of the Apalachicola River . 1 +"On 17 July 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" "On 17 July 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" 0 +It is the explicit goal of TCI not only to support the leader , but also to enable a group to lead itself ( chair person postulate ) . It is the explicit goal of TCI not only to lead the leader , but also to enable a group to support itself ( Chairman Person Postulate ) . 0 +"Since the 19th century , artificial beings are common in fiction , as in Karel Čapek 's "" Frankenstein "" or Mary Shelley 's "" R.U.R "" ." "Since the 19th century , artificial beings are common in fiction , as in Mary Shelley "" Frankenstein "" or Karel Čapek 's "" R.U.R ." 0 +These dioceses had a direct election of three members , the indirect election of four members : These dioceses had indirect election of three members , direct election of four members : 0 +In June 2011 , Linda married Beecher Finch at Dartmoor National Park . Finch married Linda Beecher on Dartmoor National park in June 2011 . 0 +The journey begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . The trip begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . 1 +"Maviz Central District is a rural district ( "" Dehestan "" ) in the province of Tehran , Shahriar County , County , Iran ." "Maviz Rural District is a rural district ( "" dehestan "" ) in the Central District of Shahriar County , Tehran Province , Iran ." 0 +"The dividends have increased the real "" total "" return on average equity to the double , about 3.2 % ." "The dividends have increased the entire "" real "" return on the average equity to double , about 3.2 % ." 1 +The Georgian Government protested against the supposedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . The Georgian government protested against the allegedly increasing Russian economic and political presence in the region and against the uncontrolled military of the South Ossetian side . 0 +It is located in Guntur Mandal of the Mangalagiri Revenue Division . It is located in Guntur mandal of Mangalagiri revenue division . 1 +The stigmata are black , the first discal large , the subtriangular plicale obliquely beyond the first discal . The stigmata are black , the first discal large , the first plical diagonally beyond the subtriangular discal . 0 +James the Fat would never return to his native Scotland , he would remain in Ireland until his death , his widowed mother and sister remained in Scotland . James the Fat would never return to his native Scotland , he remained in exile in Scotland until his death , his widowed mother and sister in Ireland . 0 +In 2006 , the team added a second car for Richard Göransson and was replaced by Thed Björk in 2009 . The team added a second car for Richard Göransson in 2006 , and was replaced by Thed Björk in 2009 . 1 +The Slovenian ice hockey league in 1993 -- 94 was the third season of the Slovenian ice hockey league . The 1993 -- 94 Slovenian Hockey League was the third season of the Slovenian Ice Hockey League . 1 +Perigea - bahamica is a moth in the family Noctuidae It is collected in the Bahamas The species was found in Monroe County , Florida , in 2012 . Perigea bahamica is a moth in the family Noctuidae It is found in the Bahamas The species was collected in Monroe County , Florida , in 2012 . 0 +"In 2012 , he began work on The New 52 series "" Batwing "" with writer Marcus To and artists ChrisCross and Judd Winick ." "In 2012 he began working on the new 52 series "" Batwing "" with the writer Marcus To and the artists ChrisCross and Judd Winick ." 1 +Sympatric - predators include the mountain lion , the American black bear and the grizzly bear . Sympatric predators include the mountain lion , grizzly bear and American black bear . 1 +""" Purple Clover "" describes the site as being for people who are "" ... still curious , still cool , and still crazy after all these years . """ """ Purple Clover "" describes the site as for people who are "" ... still cool , still curious and after all those years are still crazy ." 1 +The 2004 Army Black Knights football team represented the United States Military Academy during the 2004 NCAA Division I-A football season . The 2004 Army Black Knights football team represented the United States Military Academy during NCAA Division I - A football season 2004 . 1 +"Bathyporeia elegans is a kind of amphipod crustacean in the genus "" Bathyporeia "" . It is long and grows up to unpigmented ." "Bathyporeia elegans is a species of amphipod crustacean in the genus "" Bathyporeia "" . It is long , and grows up to unpigmented ." 1 +It is directed by Yasir Nawaz and written by Rida Bilal . It was written by Yasir Nawaz and is directed by Rida Bilal . 0 +"This is a list of Malaysian football transfers for the "" 2013 second transfer window "" ." "This is a list of the second football transfers for the "" Malaysian transfer window 2013 "" ." 0 +The Hallets Cove Terminal is located in Astoria between the Astoria Houses project and Socrates Sculpture Park . The Hallets Cove terminal is located in Astoria between the Astoria Houses public housing project and Socrates Sculpture Park . 1 +The Stroe River is a tributary of the Nechitu River in Romania . The Nechitu River is a tributary of the Stroe River , Romania . 0 +From her former marriage , Katy Spencer had a daughter , Ann ( a graduate of Texas Tech in 1962 ) . From her previous marriage , Katy Spencer had a daughter , Ann ( a 1962 graduate of Texas Tech ) . 1 +"The Finnish album "" Deathstar Rising "" cracked the new album Top 10 and reached place 8th in the first week of March 2011 ." "The Finnish album "" Deathstar Rising "" cracked the new Album Top 10 and reached # 8 in first week of March 2011 ." 1 +The Geamărtălui River is a tributary of the Strâmba River in Romania . The river Strâmba is a tributary of the River Geamărtălui in Romania . 0 +The remaining peracarida orders are the cryptic and either moderately plentiful , Cumacea and Tanaidacea , or are extremely rare and Relictual , Mictacea , Spelaeogriphacea and Thermosbaenacea . The remaining Peracarida orders are the abundant and either moderately cryptic , Cumacea and Tanaidacea , or are extremely rare and relictual , Mictacea , Spelaeogriphacea , and Thermosbaenacea . 0 +The SOT23-3 package is very popular and a common package for transistors and is also used for diodes and voltage controllers . The SOT23-3 package is very popular and a common package for transistors , and is also used for diodes and voltage regulators . 1 +For some time Texas had proven to be a major market market , and in 1947 a large factory was built in Ennis , Texas . For some time , Texas had proven to be a main market outlet , and in 1947 , a major factory was built in Ennis , Texas . 1 +The river Crişul Mic is a tributary of the Doba River in Romania . The Doba River is a tributary of the Crişul Mic River in Romania . 0 +The last game in which he represented Poland was held in Dublin on November 13 , 1938 ( Ireland - Poland 3-2 ) . The last game in which he represented Ireland was held in Dublin , on November 13 , 1938 ( Poland-Poland 3-2 ) . 0 +Cambodia is represented in Canada through its UN mission in New York City . Cambodia is represented through its UN mission in New York , Canada . 1 +In November , the Royals CF Coco Crisp acquired from Boston Red Sox in exchange for RP Ramón Ramírez . In November , the Royals acquired CF Ramón Ramírez from the Boston Red Sox in exchange for RP Coco Crisp . 0 +The large area of black is first shaded with blue and then with green . The large area of black is shaded with green first and then with blue . 0 +The title track was composed by V. Harikrishna and sung by Priya Hemesh with texts by Yugabharathi . The title track was composed by V. Harikrishna and is sung by Priya Hemesh with lyrics by Yugabharathi . 1 +"Ecologically appropriate , economically sustainable , politically sensitive , and finally , socially just "" , however no references or sources are provided for the data used ." """ Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources of the data used are provided ." 0 +Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he made false statements and attributed counterfeit works to Lewis . Kathryn Lindskoog , an independent Hooper scholar , argued that Lewis 's scholarship is not reliable and that he has made false statements and attributed forged works to Lewis . 0 +Forward Patrick Marleau was replaced by defender Rob Blake as team captain . Forward Rob Blake was replaced as team captain by defenseman Patrick Marleau . 0 +Although he was born in Kingaroy , Ballin grew up in Nanango and visited the Kingaroy State High School , where his father was school leader . Although he was born in Nanango , Ballin grew up in Kingaroy and attended Kingaroy State High School where his father was the school principal . 0 +Barney was born in Hartford , Wisconsin , and attended the public schools and Lombard College , Galesburg , Illinois . Born in Galesburg , Illinois , Barney attended public schools and Lombard College , Hartford , Wisconsin . 0 +The Yarkand River is a river in the Xinjiang Uyghur Autonomous Region of western China . The Yarkand River is a river in Xinjiang Uyghur Autonomous Region Western China . 1 +It was built in the 14th century , and by the 17th century had It was built in the 14th century and had until the 17th century . 1 +Veymandoo Kandu is the channel between Laamu Atoll and Thaa Atoll of the Maldives . Veymandoo Kandu is the canal between Laamu Atoll and Thaa Atoll of the Maldives . 1 +During the Portuguese and Brazilian colonisation , Portuguese influence was also added , and Feijoada was incorporated into the rest of the Guisos . Portuguese influence was also added during Portuguese and Brazilian colonization . Feijoada was incorporated into the rest of the guisos . 1 +The venue has two stages , a small stage ( capacity 300 people ) and a main stage ( capacity 1,100 people ) . The venue has two stages , a small stage ( capacity of 300 people ) and a main stage ( capacity 1,100 people ) . 1 +It walks through Gudivada ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Narsapur to Pamarru on NH 65 . It comes through Narsapur ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Gudivada to Pamarru on the NH 65 . 0 +Archbishop Robert von Esztergom therefore placed the Kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some of the king 's high dignitaries . Therefore , on 25 February 1232 , Archbishop Robert of Esztergom excommunicated the Kingdom of Hungary under an interdict and placed some high dignitaries of the king . 0 +The station was built in 1915 by the New York , New Haven and Hartford Railroad along the former Connecticut Valley Railroad line . The station was built in 1915 along the former Connecticut Valley Railroad line from New York , New Haven and Hartford Railroad . 1 +Trina , better known as the Katrina Laverne Taylor , is a rapper . Katrina Laverne Taylor , better known as Trina , is a rapper . 0 +It was directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and by Kamala Lopez . 0 +Private Aqua Cycling is a fitness concept that combines active workout with underwater balneotherapy in private rooms . Private Aqua Cycling is a fitness concept that combines underwater training with active balneotherapy in private rooms . 0 +In the east , unlike the western settlement , no carefully constructed floors were observed . Unlike the western settlement , no carefully executed floors were observed in the east . 1 +In the early days , many wheelchair basketball players saw the participation in supplementary wheelchair sports as a basic training for their individual interest in basketball . In the early days , many wheelchair basketball players saw participation in individual wheelchair sports as supplementary training for their primary interest in basketball . 0 +Euglandina jacksoni is a species of terrestrial pulmonate air-breathing snail , a predatory gastropod mollusk in the Spiraxidae family . Euglandina jacksoni is a species of predatory air-breathing land snail , a terrestrial pulmonate gastropod mollusk in the family Spiraxidae . 0 +"John Ruskin called it "" the world 's most precious Paul Veronese "" . Henry James wrote in 1882 :" "John Ruskin called it "" the most precious Paul Veronese in the world . "" Henry James wrote in 1882 :" 1 +Eugène Pastré was the son of the shipowner Jean François Pastré ( 1758-1821 ) and his wife Eugénie Sabine Gautier ( 1776-1862 ) . Jean François Pastré was the son of the owner Eugène Pastré ( 1758-1821 ) and his wife Eugénie Sabine Gautier ( 1776-1862 ) . 0 +He can excommunicate non-Catholic kingdoms and call for crusades against the Catholic Kingdoms . He can excommunicate non-catholic kingdoms and call for crusades against catholic kingdoms . 1 +"He was the son of Shmuel Binyamin Sofer ( "" Ksav Sofer "" ) and grandson of the Moses Sofer ( the "" Chasam Sofer "" ) ." "He was the son of Shmuel Binyamin Sofer ( "" Ksav Sofer "" ) and grandson of Moses Sofer ( the "" Chasam Sofer "" ) ." 1 +For many centuries it was a royal , independent royal royal and from 1480 a chapel of the diocese of Lichfield and even the province of Canterbury . For many centuries it was a royal chapel and from 1480 a royal peculiar , independent of the diocese of Lichfield and even of the province of Canterbury . 0 +When the Florentine Republic came in 1530 , Volterra fell under the control of the Medici family and later persecuted the history of the Grand Duchy of Tuscany . When the Florentine Republic fell in 1530 , Volterra came under the control of the Medici family and later followed the history of the Grand Duchy of Tuscany . 0 +It is bordered by Massapequa to the west and east , South Farmingdale to the northwest , and North Massapequa to the north . It is bordered to the west and east by Massapequa , North Massapequa to the northwest , and to the north by South Farmingdale . 0 +""" Cru Bourgeois "" as a term of classification since 1932 , was annulled in 2007 , and reintroduced in 2009 ." """ Cru Bourgeois "" as a classification term since 1932 was cancelled in 2007 and reintroduced in 2009 ." 1 +The Bota Mare River is a tributary of the Zăbrătău River in Romania . The river Zăbrătău is a tributary of the River Bota Mare in Romania . 0 +He said that the ordinary Americans believed that there was an American conspiracy to attack EgyptAir 990 and that the Cairenes were covering up the fact . He said that ordinary Cairenes believed that there was an American conspiracy to attack EgyptAir 990 , and that the Americans covered up the fact . 0 +These membrane proteins have various functions and characteristics and catalyze different chemical reactions . These membrane proteins have different functions and properties and catalyze various chemical reactions . 1 +Volkswagen AG is an automobile manufacturer and a subsidiary of Porsche AG . Porsche is an automobile manufacturer and a subsidiary of Volkswagen AG 0 +Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Ebroin overtook them and had Leudesius murdered . Leudesius and Theuderich III fled to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . 1 +Tadas Langaitis is a Lithuanian politician , member of the Seimas since November 2016 , civic activist , active in social and civil projects in Lithuania . Tadas Langaitis is a Lithuanian politician , from november 2016 member of the Seimas , social and civic activist , active in civic projects in Lithuania . 0 +The mountain railway of Taiping was commissioned in 1920 and connected to the Luodong forest railway in 1924 . Taiping Mountain Forest Railway was commissioned in 1920 and connected to the Luodong Forest Railway in 1924 . 1 +The Commission was first led by Spencer F. Baird , then by Marshall McDonald , George Brown Goode , and finally George Bowers . The Commission was first chaired by George Bowers , then Marshall McDonald , George Brown Goode , and finally Spencer F. Baird . 0 +The area is famous as the site of the Battle of Chausa , in which the forces of Sher Shah Suri defeated Mughal emperor Humayun 's army in 1539 . The area is famous as the site of the Battle of Chausa , where the Humayun forces defeated the army of Mughal - Emperor Sher Shah Suri in 1539 . 0 +Born in 1935 in Longbenton , Northumberland , Curry died in 1990 in Mansfield , Nottinghamshire , at the age of 54 . Curry was born in Mansfield , Nottinghamshire , in 1935 , and died in Longbenton , Northumberland , in 1990 at the age of 54 . 0 +For personal reasons , Rudy Lenners joined the following year and was replaced by Herman Rarebell . The following year , Rudy Lenners resigned for personal reasons and was replaced by Herman Rarebell . 1 +Other collaborators include Paul Cox , Alan Barnes , Dub Syndicate , Art Themen , Pee Wee Ellis , Little Axe and Gypie Mayo . Other collaborators include Paul Cox , Alan Barnes , Dub Syndicate , Art Themes , Pee Wee Ellis , Little Axe and Gypie Mayo . 1 +On August 31 , 1997 , E - Service in Queens began running late during the local nights . On August 31 , 1997 , E service began running late in Queens during local nights . 1 +The first sign refers to the selection of a single language and the adoption of a common script : The first relates to the selection of a single language and the adoption of a common script : 1 +The Măleia River is a tributary of the River Jiul de Est in Romania . The river Jiul de Est is a tributary of the River Măleia in Romania . 0 +Bellingsgate Island , sometimes known as Billingsgate Island , was an island before Cape Cod in Massachusetts in the United States . Billingsgate Island , also known as Bellingsgate Island , was an island off Cape Cod in Massachusetts in the United States . 1 +Argon is produced industrially by the liquid distillation of fractional air . Industrially , argon is produced by the liquid distillation of fractioned air . 1 +The Tuticorin Port is located about 8 kilometers from the station and the nearest airport is the Thoothukudi Airport situated 18 kilometers away . The Thoothukudi port is located about 8 kilometers from the railway station and the nearest airport is the Tuticorin airport , 18 kilometers away . 0 +Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays out of Atlantic City , New Jersey . Nick Frangos ( born White Plains , New York ) is a professional poker player who plays in Atlantic City , New Jersey . 1 +It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as in Turkey , Azerbaijan and Iran . It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , and Turkey , Azerbaijan and Iran . 1 +These sectors were also created when the city was divided : When the city was divided , these sectors were also created : 1 +It was first described by George Hudson in 1889 using specimens obtained from William Walter Smith . It was first described by William Walter Smith in 1889 , using samples from George Hudson . 0 +They played in the 2015 China Amateur Football League won the 3rd place and finished the promotion until 2016 China League Two . They played 3rd place in the 2015 China Amateur Football League and won the ascent to the 2016 China League Two . 0 +Because there was a lack of evidence to prove that Johnson had not been killed in self-defense , Jim was acquitted and was allowed to return home . Because there was a lack of evidence to prove that Jim was not killed in self-defense , Johnson was acquitted and allowed to return home . 0 +In June 2011 , the curated by Julian Schabel opened Rosenthal at the Museo Correr in Venice . In June 2011 , Rosenthal , curated by Julian Schabel , opened at Venice Museo Correr . 1 +In addition to Diana Hubbard , the album contains musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker and Patrick Moraz . In addition to Michael Boddicker and Patrick Moraz , the album includes musical contributions by Diana Hubbard , John Goodsall , Chick Corea , Stanley Clarke . 0 +"Vreeland interpreted this phenomenon for Rowlands in an interview to the book : "" It is because Avedon lasted "" ." "Vreeland interpreted this phenomenon to Rowlands in an interview for the book : "" It 's because Avedon lasted "" ." 1 +The series was created by Robert Palm and was produced by John Ashley and Frank Lupo as an executive . The series was created by John Ashley and Frank Lupo and was produced by Robert Palm as an executive . 0 +Gilberry was also third nationally , first in conference and first on the team with 22 tackles for loss . Gilberry was also nationally first , first in the conference and third on the team with 22 tackles for loss . 0 +Licking County is a ghost town in the U.S. state of Belfast . Licking County is a ghost town in Belfast , in the U.S. state of Ohio . 0 +The popular armed forces for the liberation of Angola ( FAPLA ) and Cuban troops took the city on 1 February 1976 during the Angolan civil war . The People 's Armed Forces for the Liberation of Angola ( FAPLA ) and Angolan troops took the town on 1 February 1976 during the Cuban Civil War . 0 +Now Hawkgirl is 100 % Kendra Saunders . Kendra Saunders is 100 % Hawkgirl now . 0 +However , the original flag had a green colour instead of brownish . The original flag , however , had a brownish color instead of green . 0 +In 1856 in their home in Boston , Agassiz founded a school for girls from Cambridge . In her home in Boston , Agassiz founded a school for girls from Cambridge in 1856 . 1 +After the Indian census 2011 is the population of Samdari 25012 , where the male population is 12805 and female population is 12207 . According to the Indian Census 2011 , the population of Samdari is 25012 , where male population is 12805 and female population is 12207 . 1 +It was released on April 6 , 2010 as a digital download and recorded on May 5 , 2010 in Modern Rock Radio in the United States . It was added as a digital download on April 6 , 2010 , and was released on Modern Rock radio in the United States on May 5 , 2010 . 0 +""" Meriden , Connecticut "" was sold to Burdett Pond in Tennessee on 15 September 1886 ." """ Tennessee "" was sold to the Burdett Pond of Meriden , Connecticut , September 15 , 1886 ." 0 +In the original IBM PC , an NMI was detected if a parity error was reported in system memory , or triggered by an external device . In the original IBM - PC , an NMI was triggered when a parity error in the system 's memory was detected or reported by an external device . 0 +Raumanga is a suburb of Whangarei in the Northland Region of New Zealand . The main campus of Northland Polytechnic is situated in Raumanga . is a suburb of Raumanga in the Northland region of New Zealand . The main campus of the Northland Polytechnic is located in Whangarei . 0 +The previous record was 185 by the Kansas City Royals when they lost to the St. Louis Cardinals in 1985 . The previous record was .185 by the St. Louis Cardinals when they lost to the Kansas City Royals in 1985 . 0 +"In the comic - Thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors , together with Byron , are poisoned ." "In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." 0 +Born in Guadalajara , Mora played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . Mora was born in Monterrey and professionally played for the Universidad de Guadalajara , Cruz Azul and Guadalajara . 0 +Dr. Carter remains in Africa for several months and works in the AIDS clinic in Kem . Dr. Carter remains in Africa for several months and works in Kem 's AIDS clinic . 1 +In 1883 , the first schools in the area were built for 400 black students and 60 white students . In 1883 the first schools in the area were built for 400 black and 60 white students . 1 +She was found in 1874 by Alpheus Spring Packard and is described in North America . It was described by Alpheus Spring Packard in 1874 and is found in North America . 0 +Paddon defeated Crocker 2009 again and took his third victory against Emma Gilmour in 2010 . Crocker defeated Paddon again in 2009 and took his third victory in 2010 over Emma Gilmour . 0 +The Little Jocko River flows via the St Lawrence River and the Ottawa River to the Jocko River . The Little Jocko River flows via the Saint Lawrence River and the Ottawa River to the Jocko River . 1 +It took place at the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain , from April 23 through April 29 , 2010 . It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Catalonia , Barcelona , Spain . 1 +It was directed by Randall Einhorn , his fourth episode of the season and twelfth in the series overall . It was directed by Randall Einhorn , his fourth episode of the season and twelfth in the series . 1 +In 2012 , Duncan appeared alongside Amanda Hale in Scrubber , a film by Romola Garai written and managed . In 2012 Duncan appeared alongside Amanda Hale in Scrubber , a film written and directed by Romola Garai . 1 +A Franconian army under Winigis and Hildebrand , duke of Spoleto , defeated Grimoald and joined soon after his landing Adelchis along the coast . A Franconian army under Winigis and Hildebrand , duke of Spoleto , joined Grimoald and defeated Adelchis shortly after his landing on the coast . 0 +Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County - Spartanburg , SC -- Anderson , SC combined statistics . Union County is included in the Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC Combined Statistical Area . 0 +Central in Staveley Street in Hong Kong is named after him . Staveley Street is named after him in Hong Kong . 1 +Route 136 is a cross-regional service connecting the lower districts of North Shore , Forest and Northern Beaches . Route 136 is a cross-regional service connecting the lower North Shore , Forest and Northern Beaches districts . 1 +For the next thirty years , Kriebel and Bates marketed over 100 Warner Sallman works . Over the next thirty years , Kriebel and Warner Sallman marketed over 100 Bates works . 0 +In both cases , only a limited amount of online programming with the non-local feed is carried out . ) In both cases , only a limited amount of non-local programming is carried on the online feed . ) 0 +It runs along the old Sommer Piano Factory , under Walnut Street and along Main Street . It runs along the old Sohmer Piano Factory , under Main Street , and along Walnut Street . 0 +His father had been a blacksmith and inventor and had worked in Scotland with an iron rope . His father had been a blacksmith and inventor and had worked with an iron rope in California . 0 +In Mexico , assistance programs and social welfare and government prior programs distribute milk in bags ( per bag ) at very low prices . In Mexico , aid programs and previous social and government welfare programs distribute milk in bags ( per bag ) at very low prices . 0 +Robinson died off St. Salvador , and George Blakely took over command . George Blakely died , and St. Salvador and Robinson took over the command . 0 +"The second season introduced Susan Glaspell and his play "" Bound East for Cardiff "" as well as "" Trifles "" by Eugene O ’ Neill ." "The second season presented Eugene O ’ Neill with his play "" Bound East for Cardiff "" as well as "" Trifles "" by Susan Glaspell ." 0 +The music was composed by M. K. Arjunan and the lyrics by KH Khan Sahib and Kanam EJ were written . The music was written by M. K. Arjunan and lyrics was composed by KH Khan Sahib and Kanam EJ . 0 +McNair was born in Glasgow , his ancestors moved from Brazil to Rio de Janeiro in the 1840s , where they were prominent in civil and commercial life . McNair was born in Glasgow , his forebears having moved in the 1840s to Rio de Janeiro from Brazil , where they were prominent in civic and commercial life . 1 +The region is famous for its white wines , but also for the sparkling wines ( white , red and rosé ) . The region is famous for its white wines but also for its sparkling wines ( white , red and rosé ) . 1 +Cherry Jones ' character is the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary played by Katie Holmes . Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , not the daughter of Elizabeth , played by Allison Janney . 0 +On 19 July 1973 she was sold and scrapped . She was scrapped on 19 July 1973 and was sold . 0 +Incumbent Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . The established Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . 1 +Regressive assimilations are only caused by phonological factors , while substitutions take semantic information into account . Regressive assimilations are caused only by semantic factors , while substitutions take phonological information into account . 0 +In Ramadi , the 2nd BCT of the 28th Infantry Division focused on controlling the main roads and protecting the governor and government center . The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on controlling the main roads and protecting the governor and government centre . 1 +The cast list indicates a first performance date after Taylor entered the company in the spring of 1619 and before the death of Tooley in June 1623 . The cast list indicates the first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . 0 +Instead , AC3 allows producers to choose the input level over a wide range by including a required dialog value representing the measured dialog level of the input signal . Instead , AC3 allows producers to choose input level over a wide range , by including a required dialnorm value representing the measured dialog level of the input signal . 1 +Since then various groups have made exchange visits , elementary trainees have been received and there has even been exchanges of craft projects between agricultural students . Since then , various groups have made exchanges , agricultural trainees have been received and there has even been an exchange of craft projects between primary school students . 0 +MacCullagh found that a squared function proportional to the known norm of the displacement field was incompatible with conventional potential properties of light waves . MacCullagh found that a squared function that is proportional to the known norm of the shift field was incompatible with conventional potential properties of light waves . 1 +The city of Oklahoma City has designated Santa Fe railway station as the location for intermodal transit for the city and the greater area . The City of Santa Fe has designated the Oklahoma City station as the location for intermodal transit services for the city and metropolitan area . 0 +In June 2011 , Linda Beecher married Finch at Dartmoor National Park . Finch married Linda Beecher on Dartmoor National park in June 2011 . 1 +The Monroe Free Press is a weekly newspaper serving Monroe , Arkansas , El Dorado , Louisiana area . The Monroe Free Press is a weekly newspaper that serves the Monroe , Louisiana , El Dorado , Arkansas area . 1 +He was a mediator with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . He was a mediator with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . 0 +Elati is a village in the Kozani regional unit , Greece . Elati is a village in regional unit Kozani , Greece . 1 +Andrés Gómez defeated Guillermo Pérez Roldán 6 -- 0 , 7 -- 6 , 3 - 6 , 0 - 6 , 6 - 2 Andrés Gómez defeated Guillermo Pérez Roldán 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 -- 6 , 6 -- 2 1 +The new purpose constructed Keppel Gate section of A18 Snaefell Mountain Road was built in the period from 1864 to 1866 . The new Keppel Gate section of the A18 Snaefell Mountain Road was built in the period from 1864 to 1866 . 1 +He was elected as Distinguished Lecturer by the International Speech Communication Association and the IEEE Signal Processing Society . He was elected a Distinguished Lecturer by the International Speech Communication Association and the IEEE Signal Processing Society . 1 +They played in the 2015 China Amateur Football League finished the 3rd place and won promotion to 2016 China League Two . They played 3rd place in the 2015 China Amateur Football League and won the ascent to the 2016 China League Two . 1 +It was completed when the section of Amersfoort was opened to Zutphen . It was completed when the Amersfoort to Zutphen section was opened . 1 +LaFlare confronted Roan Carneiro on February 11 , 2017 at UFC 208 . He won the fight by unanimous decision . LaFlare faced Roan Carneiro on February 11 , 2017 at UFC 208 . He won the fight by unanimous decision . 1 +""" Rockingham "" reached Whampoa on May 23 and arrived in Bombay on September 21 ." """ Rockingham "" reached Bombay on 23 May , and arrived at Whampoa on 21 September ." 0 +Other car manufacturers who have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . Other automobile manufacturers who have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . 1 +The reserve contains outstanding flora , interesting lichen and moss communities and a wealth of invertebrates . The reserve contains an interesting flora , outstanding lichen and moss communities and a wealth of invertebrates . 0 +In the past , we remember the famous Maran , an other intelligence Indian officer from DHEIVA THAAI of 1964 . In the past , we remember the famous Maran , another Indian intelligence officer of DHEIVA THAAI from 1964 . 1 +The National Ports Authority provides port infrastructure and commercial services in the eight seaports of South Africa . The National Ports Authority provides port infrastructure and commercial services at the eight marine seaports in South Africa . 1 +It was the first album by Carol Emanuel , Bill Frisell , and Kenny Wollesen who would become known as The Gnostic Trio . It was the first album of Carol Emanuel , Bill Frisell and Kenny Wollesen , who had become known as The Gnostic Trio . 1 +The game created a 32 - digit alphanumeric password after successful completion of a level that was also unique for the player name to allow for a later resumption . The game created a 32 - digit unique password after successful completion of a level that was also alphanumeric to the player name to allow for a later continuation . 0 +Radaškovičy is a town in the region Minsk of Maladzyechna Raion , Belarus . Radaškovičy is a town in the Minsk Region of Maladzyechna Raion , Belarus . 1 +Grant holds multiple records in several categories for Utah , including many all-time records , such as : Grant holds several rows in many categories for Utah , including multiple all-time records , such as : 1 +The Marxist element of communism would be intensified in some atheistic movements after his death . After his death , the Marxist element of communism would be strengthened in some atheistic movements . 1 +The southern border of this commune is also the northern border of the Lahemaa National Park . The southern border of the municipality is also the northern border of Lahemaa National Park . 0 +A systematic study of category theory then allows us to prove mathematical results about any of these types of general structures from the axioms of a category . A systematic study of category theory then allows us to prove general results about each of these types of mathematical structures from the axioms of a category . 0 +According to the definition above , two relations with identical graphs , but different domains or different codomans are considered different . According to the above definition , two relations with different graphs , but different domains or different codomans are considered identical . 0 +His sons were Leon C. , Huntley N. and Rolland H. , of whom Huntley and Rolland would serve as governors of New Hampshire . His sons were Leon C. , Huntley N. , and Rolland H. , whom Huntley and Rolland would serve as governors of New Hampshire . 1 +""" Pantheon and Other Roleplaying Games "" included a total of five different competitive storytelling games -- or five different scenarios , as they all use the same "" Narrative" """ Pantheon and other role-playing games "" included a total of five different storytelling games -- or five different scenarios , as they all use the same "" narrative "" style ." 1 +Those Catholics who refused to convert eventually fled to Scotland . Those Catholics who refused to convert eventually fled , generally to Scotland . 1 +It was also recorded by Guy Lombardo and His Royal Canadians Orchestra and the vocal group The Three Suns in the United States . It was also accepted by the Royal Canadians and His Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . 0 +On May 12 , 2012 , Croucier joined RATT again and performed with the band for the first time since 1991 at the M3 Rock Festival . On May 12 , 2012 , Croucier performed with RATT and reunited with the band at the M3 Rock Festival for the first time since 1991 . 0 +Besides Lena Olin , several other actresses have portrayed Irina in the course of the series : Besides Irina , several other actresses portrayed Lena Olin in the course of the series . 0 +Former Vice Rector Jürgen Willer was elected as former rector of the Danube University Krems . The new vice rector Jürgen Willer was elected as former rector of Danube University Krems . 0 +Most pre- 1976 series produced by CBS or distributed by CBS Films were later distributed by Viacom and Paramount Television . Most of the series produced by CBS or distributed by CBS films before 1976 were later distributed by Viacom and Paramount Television . 1 +Danny Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums producing with Lou Adler . Guitar played Gordon , Danny Kortchmar Bass and Lou Adler drums producing with Charles Larkey . 0 +Kabir Suman adopted a number of albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . Suman Chatterjee , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Kabir Suman . 0 +Waye played his earliest football in Willunga and Renmark before arriving in Adelaide and participating in the Port Adelaide Church Association . Waye played his earliest football game in Adelaide before arriving in Willunga and Renmark and joining the Port Adelaide Church Association . 0 +The Mid Wales Hospital , originally the Brecon and the Radnor Joint Counties Lunatic Asylum , was a psychiatric clinic in Talgarth , Wales . The Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum was a psychiatric hospital in Talgarth , Wales . 1 +Compared to the narrow waters of a mill pond , the broad current is swift and powerful . Compared to the narrow waters of a mill pond , the broad current is fast and powerful . 1 +Two miles east of Newton it branches off and travels to the north through Oblong and then to Robinson . Two miles north of Newton it branches off and travels east through Oblong and then to Robinson . 0 +When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy and most of Piedmont . When Francis died , France withdrew from Piedmont , Corsica , Scotland , Brazil , Savoy , and most of Tuscany . 0 +The following books were either written by Prior , or are unpublished collections of journal articles and posthumous papers that he wrote : The following books were either written by Prior or are unpublished collections of periodical articles and posthumous papers he wrote : 1 +In 2015 , Kim was once again chosen for the Korean national team , and became the first man since 1985 twice to win the World Archery Championship . In 2015 , Kim was again selected for the Korean national team , and became the first man since 1985 to win the World Archery Championships twice . 1 +He started his career as a photojournalist , but soon distinguished himself also as an industrial and advertising photographer and visual-audio producer . He started his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and audiovisual producer . 1 +In 1877 he went to Connecticut but soon went back again to California and in the fall of 1879 returned to the Republic of Salvador as State Geologist . He returned to Connecticut in 1877 , but soon returned to California and went to the Republic of Salvador in the fall of 1879 as a state geologist . 0 +In Australia and its state of New South Wales , water has been declared Caltrop as a harmful weed . In Australia , and its state of New South Wales water caltrop has been declared a noxious weed . 0 +Nearly the entire area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . Nearly the entire area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . 0 +On May 6 , 2016 it was announced that Palafox signed to New York Cosmos B of the National Premier Soccer League . On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League B of New York Cosmos . 0 +He was the brother of actor Barry Lupino ( 1882 -- 1962 ) and the father of Ida Lupino . He was the brother of the actor Barry Lupino ( 1882 - 1962 ) and father of Ida Lupino . 1 +It was described by Alpheus Spring Packard in 1874 and found in North America . She was found in 1874 by Alpheus Spring Packard and is described in North America . 0 +"Which is greater than or less than formula _ 16 as "" b "" + "" c "" is greater or less than one ." "What is greater or less than or greater than Formula 16 , as "" b "" + "" c "" is less than one ." 0 +The architecture was made of red brick with a blue brick base . The architecture was of red brick with a blue brick base . 1 +He came to AS Trenčín together with his teammate Haris Hajradinović from the Croatian club NK Inter Zaprešić in the summer of 2013 . He arrived in the summer of 2013 together with his teammate Haris Hajradinović from Croatian club AS Trenčín to NK Inter Zaprešić . 0 +This name refers to either the Little Para River ( which starts at the confluence of the South Para River and the North Para River ) or the Gawler River . This name refers to either the Gawler River ( which starts at the confluence of the South Para River and North Para River ) or the Little Para River . 0 +Calibogue Sound is located between Daufuskie and the Atlantic Ocean and connects the Hilton Head Islands and the Harbour Town Yacht Marina with Intracoastal Waterway . Calibogue Sound is situated between the islands of Daufuskie and Hilton Head and connects Intracoastal Waterway and the Harbour Town Marina with the Atlantic Ocean . 0 +Buchanan accepted the reports of the judges without further investigation , and the new governor was accompanied by troops sent to garrison fortresses in the new non-sectarian area . Buchanan accepted the reports of the judges without any further investigation , and the new governor was accompanied by troops sent to garrison forts in the new non-sectarian territory . 1 +Here were two other sons born : Fred in 1882 and Louis in 1884 . Two other sons were born here : Louis in 1882 and Fred in 1884 . 0 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , Germany , died 17 January 1845 in Ludwigsburg ) . Nikolaus Friedrich von Thouret ( born Stuttgart , 2 June 1767 ; died Ludwigsburg , 17 January 1845 ) . 1 +He was born in Bukan , Iran , but came to Kristiansand , Norway in 1997 . He was born in Kristiansand in Norway , but came to Bukan , Iran in 1997 . 0 +Peter knows Brewster , who was a friend of Pete 's father . Pete knows Brewster , a friend of Peter 's father . 0 +For example , Elizabeth Coffin , the daughter of a wealthy merchant from Nantucket , was the mother of prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr . For example , Elizabeth Coffin , daughter of a prominent merchant from Nantucket , was the mother of the wealthy Massachusetts industrialists Henry Coffin Nevins and David Nevins Jr . 0 +The Pittsburgh Frank Seder was completed in 1913 , but destroyed in 1917 by a fire with a loss of $ 600,000 , and expanded its replacement in 1918 . The Pittsburgh Frank & Seder was expanded in 1913 , but destroyed by fire in 1917 at a loss of $ 600,000 ; its replacement was completed in 1918 . 0 +Eschenz is a municipality in the Frauenfeld district of the Canton Thurgau in Switzerland . Eschenz is a municipality in the Thurgau in the canton of Frauenfeld in Switzerland . 0 +""" Point Blank 1.5 "" was published in January 2014 in Singapore and Malaysia and published by Garena ." """ Point Blank 1.5 "" was released in Singapore and Malaysia in January 2014 , published by Garena ." 0 +Sebastián Decoud and Cristian Villagrán won the title by defeats against Nicolás Lapentti and Eduardo Schwank with 6 -- 4 , 6 -- 0 in the final . Nicolás Lapentti and Eduardo Schwank won the title by defeating Sebastián Decoud and Cristian Villagrán 6 -- 4 , 6 -- 0 in the final . 0 +"Dong Zhao was a "" xiaolian "" and served as a county official in his early years under the warlord Yuan Shao before being promoted to a military adviser ." "Dong Zhao was a "" Xiaolian "" and in his early years served as district official under the warlord Yuan Shao before being promoted to a military consultant ." 1 +Initially Anusree signed into play the lead pair and later Mamta replaced Jayaram and Mamta Mohandas . Initially , Jayaram and Mamta Mohandas brought the lead pair into play and later Anusree Mamta replaced . 0 +It was written by Chris Austin , Gill Bond and Leyga Zendare and directed by Sergio Rezende . It was written by Chris Austin , addressed by Sergio Rezende , Gill Bond and Leyga Zendare . 0 +A very small part of the southwestern Great Valley borders the town of Red House . A very small part of southwestern Great Valley borders the town of Red House . 1 +"She was also featured in an article with her son , Maxwell Minard , for Robert Kennedy 's motivational magazine "" Off the Couch "" ." "She was also presented in an article with her son Maxwell Minard for Robert Kennedy 's motivation magazine "" Off the Couch "" ." 1 +The Gill family closed the mill in 1968 and sold it to its new owners in 1980 . The Gill family sold the mill in 1968 , and the new owners closed it in 1980 . 0 +Three locomotive classes were delivered with type YE tenders . Three new classes were delivered locomotive with Type YE tenders . 0 +"In 1910 , a local reporter described in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." "A Japanese reporter described in a local newspaper in 1910 , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" 0 +106 Herculis is a red giant with a spectral type of M0III . Its surface temperature is about 3,789 K . Herculis is a red giant with a spectral type of M0III , whose surface temperature is about 3,789 K . 1 +"Sabate has also translated the biography of Francisco Sabate Llopart , "" Christie : An extraordinary guerrilla "" , by Antonio Téllez Solá in English ." "Christie has also translated the biography of Francisco Sabate Llopart , "" Sabate : An Extraordinary Guerrilla "" , by Antonio Téllez Solá in English ." 0 +"The name "" rigid analytic cohomology "" comes from its relation to rigid spaces ." "The name "" rigid cohomology "" comes from its relation to rigid analytical spaces ." 0 +If the socket was too loose , or the ink too thin , the pen would leak or the ink would smear . If the socket were too loose or the ink were too thin , the pen would smear or the ink would leak . 0 +Following his defeat in Cardiganshire , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Wales , Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in Cardiganshire in 1868 . 0 +A wealthy doctor 's rich and spoiled son , Johnnie Penrose joins a gang of car thieves in France after being denied a car by his father . Johnnie Penrose , a wealthy son of a rich and pampered doctor , joins a gang of car thieves in France after being denied a car by his father . 0 +Brian Brian Packham has also appeared in Coronation Street as Peter . Peter has also appeared in Coronation Street as Brian Packham , 0 +In one of his works ( epic poem on Skanderbeg ) , Nikola Jurišić was a subordinate topic . In one of his works ( epic poem about Nikola Jurišić ) , Skanderbeg was a subordinate theme . 0 +As assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . As an assistant to Nicolaier in Göttingen , Carl Flügge discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . 1 +Now Shiva Manivasagam and his men must face to win the love between him and Bharati . Now Shiva has to face Bharati and his men to win the love between him and Manivasagam . 0 +There is a juice shop , Which provides all fresh juice . There is a juice shop which provides fresh juice for all . 1 +It was completed when the section from Amersfoort to Zutphen was opened . It was completed when the Amersfoort to Zutphen section was opened . 1 +Ice hockey at the 2011 Canada Winter Games was held at the Halifax Metro Centre and Halifax Forum in Halifax and the Dartmouth Sportsplex in Dartmouth , Nova Scotia . Ice hockey at the Canada Winter Games 2011 was held at the Halifax Metro Centre and Halifax Forum in Halifax and at Dartmouth Sportsplex in Dartmouth , Nova Scotia . 1 +Or should they be dereferenced further to int and that version used instead ? Or should they be further dereferenced to int and used this version instead ? 1 +He died in Munich and is buried at the northern cemetery in Ajaccio , Corsica . "He died in Ajaccio , Corsica , and is buried in the Nordfriedhof ( "" Northern Cemetery "" ) , Munich ." 0 +In 2006 , the newspaper celebrated its 90th anniversary and will be celebrating its 100th anniversary in 2016 . The newspaper celebrated its 90th anniversary in 2006 and will celebrate its 100th anniversary in 2016 . 1 +In 2004 Peter Eigen celebrated her second wedding in Berlin with the long-standing companion Gesine Schwan . Gesine Schwan celebrated her second wedding in 2004 with the long-time companion Peter Eigen in Berlin . 0 +Alma Peter Crane and Connie Chandler were nominated by the Independent Party of Utah , where Crane and Chandler received 1,101 votes . The Independent Party of Utah nominated Alma Peter Crane and Connie Chandler . Crane and Chandler received 1,101 votes . 1 +The station , which is licensed to Sebring , serves the Wauchula , Florida , USA area . Licensed to Wauchula , Florida , USA , the station serves the Sebring area . 0 +The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classical image of the foyer . The museum building maintains its European style of oriental modern architecture through the standing bricks on the south-eastern corner of the building and the classical image of the foyer . 1 +North Western Administration is an administration in the central Zoba Maekel region ( Maekel ) of Eritrea . Administration is an administration in the central Zoba Maekel region ( Maekel ) of Eritrea . 0 +The Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . Samuel Groth won the tournament after defeating Danai Udomchoke with 7 : 6 , 6 : 3 in the final . 0 +In addition to the rental purposes , it is used as a Masonic wedding and banquet hall . In addition to Masonic purposes , it is used as a rental wedding and banquet hall . 0 +It is found in Texas and Nevada , where it has been admitted from Washington to California and West to North America . It is found in North America , where it has been accepted from Washington to California and the West to Texas and Nevada . 0 +Paavo Mikkonen ( born 25 January 1942 ) is a Finnish former sports shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports contactor . 1 +From 1874 Bath was served by Boston , Concord and Montreal and White Mountains ( N.H. ) Railroad . By 1874 , Boston , Concord and Montreal and White Mountains was served by the Bath ( N.H. ) Railroad . 0 +In rats , it also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin . It also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin in rats . 0 +It inhabits rather dry habitat on the border between the Great and Little Karoo of Eastern Northern Cape and the Western Free State Provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of the western Northern Cape and Eastern Free State Provinces , South Africa . 0 +The combination of cold surface waters and warm , deep waters supports a high level of biodiversity . The combination of warm surface waters and cold deeper waters supports a high level of biodiversity . 0 +In addition to the official Mexican teaching program , the German language has been taught only as a foreign language . The official Mexican language was only taught as a foreign language in addition to the German teaching program . 0 +Ila , formerly Ilevolden , is a tram stop located at Trondheim Tramway , in Ila , Trondheim in Trondheim , Norway . Ila , formerly Ilevolden , is a tram stop on the Ila , located at Trondheim Tramway , Trondheim in Trondheim , Norway . 0 +In November 1888 , Laura Clay invited Lucy Stone to present a paper at the AWSA convention in Cincinnati . In November 1888 , Lucy Stone invited Laura Clay to present a speech at the AWSA Convention in Cincinnati . 0 +In this article are the associated simple Lie groups with trivial center listed . In this article the listed trivial Lie groups with simple center are connected . 0 +""" Naalvar "" was shot at the Central Studios , Coimbatore and was produced by M. A. Venu under the banner Sangeetha Pictures ." """ Naalvar "" was shot in the Central Studios , Coimbatore and produced by M. A. Venu under the banner Sangeetha Pictures ." 1 +"He lives with a single and "" modest "" ambition : the world ( the whole planet ) to dominate ." "He lives with a single and "" humble "" ambition : to dominate the world ( the whole planet ) ." 1 +In 1988 , Pat and Yvonne died in 2007 . Pat died in 1988 , and Yvonne died in 2007 . 1 +Kakachiya is a small village in the north east of Lunawada taluka in Panch Mahals District , Gujarat , India 8 km away from Lunawada Town . Kakachiya is a small village in the north-east of Panch Mahals District , Gujarat Taluka in Lunawada , India 8 km from Lunawada Town . 0 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno for Caldara in 1709 . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto from 1709 by Caldara for Apostolo Zeno . 0 +South Africa was under apartheid at the time , but it encouraged trade and investment from Hong Kong and Japan . At the time , Hong Kong was under apartheid , but it encouraged trade and investment from South Africa as well as Japan . 0 +Born in New York City , Cramer grew up in Geneva . Cramer was born in New York City and grew up in Geneva . 1 +"In 1951 , Avon Publications released a comic film in "" Rocket to the Moon "" by Joe Orlando ( script ) and Walter Gibson ( art ) ." In 1951 , Avon Publications published a comic adaptation of Walter Gibson ( screenplay ) and Joe Orlando ( art ) in Rocket to the Moon . 0 +This practice has its roots in the traditions of the Danish students ' black caps . This practice has its roots in the traditions concerning the Danish caps of the black students . 0 +Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports shooter . Paavo Mikkonen ( born 25 January 1942 ) is a former Finnish sports shooter . 1 +The theorem was proved by Chiungtze C. Tsen ( also rendered as Zeng Jiongzhi in English ) in 1933 . Theorem was proved in 1933 by Chiungtze C. Tsen ( also known as Zeng Jiongzhi in English ) . 1 +Annie Marie Gilbertine Amalo married Herman Johannes in 1955 . Johannes Herman Johannes married in 1955 Annie Marie Gilbertine Amalo . 1 +When Portishead Railway was built in 1866 , the ferry became popular with users of the Clifton Bridge railway station . When the Clifton Bridge was built in 1866 , the ferry became popular with the users of Portishead Railway Station . 0 +Aditya is carried to a magical island where he helps the tiny locals defeat the giant Jhamunda . Aditya is carried to a magical island where he helps the little locals to defeat the giant Jhamunda . 1 +It was a public subscription school and was kept open until 1870 , when the private school house was built . It was a private subscription school and was kept open until 1870 when the public school was built . 0 +Denco is a former settlement in Colusa , north of Colusa County , California , on Southern Pacific Railroad . Denco is a former settlement in Colusa County , California , north of Colusa on the Southern Pacific Railroad . 0 +""" Volta "" was refloated and scrapped on 24 November 1943 and later bombed and sunk in 1948 ." """ Volta "" was refloated and scrapped on 24 November 1943 and bombed and sunk in 1948 ." 1 +Ania K , Marcela and Marta are best praised for having portrayed their theme most effectively . Ania K , Marcela , and Marta are praised the most for having portrayed their theme the best . 0 +It was believed by this method true philosophy could be separated from popular wisdom . It was believed that popular philosophy could be separated from true wisdom by this method . 0 +The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to the Lucknow -- Bareilly railway on 1 January 1891 . The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to the Bareilly -- Bareilly Railway on 1 January 1891 . 0 +Polymers of the coordination type are also stereoregular and can be isotactic or syndiotactic instead of atactic . Coordination type polymers are also stereoregular and can be isotactic or syndiotactic instead of just atactic . 1 +The town of Mačvanska Mitrovica includes the city of Sremska Mitrovica and several villages . The town of Sremska Mitrovica includes the city of Mačvanska Mitrovica and several villages . 0 +The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Winnipeg Lake . The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows into Cross Lake from two channels . 0 +The district was created in 1966 from parts of Hastings South , Hastings -- Frontenac , Northumberland and Prince Edward -- Lennox Ridings . The constituency was created in 1966 from parts of the Northumberland -- Frontenac , Hastings South , Hastings and Prince Edward -- Lennox Ridings . 0 +Jarymowycz was a lecturer at the Royal Military College and was a frequent author of letters to the editor . Jarymowycz was a frequent lecturer at the Royal Military College and was a recorder of letters to the editor . 0 +Resettled people were mostly important in the region from Virginia north to New Jersey numerically . Indentured people were numerically important mostly in the region from Virginia north to New Jersey . 1 +The River Colnici is a tributary of the River Borcut in Romania . The Borcut River is a tributary of the Colnici River in Romania . 0 +On 30 June , St. Augustine Governor Farris Bryant announced the creation of a biracial committee to restore interracial communications in Florida . On 30 June , Florida Governor Farris Bryant announced the creation of a biracial committee to restore interracial communication in St. Augustine . 0 +At the first final since 2006 , Cerljen was also an international delegate from Sweden when Josephine Alhanko placed himself in the Top 20 . Cerljen was also the first delegate from Sweden at the international final since 2006 when Josephine Alhanko placed in the Top 20 . 0 +The 1963 San Francisco State Gators football team represents San Francisco State College during the 1963 Football College Division season . The 1963 San Francisco State Gators football team represents College Division during the 1963 San Francisco State College Football season . 0 +Her work is collected and exhibited in London , Tokyo , Takaoka , Isle of Man , New York , San Francisco , Monterey , Toledo and Fort Wayne . Her works are collected and exhibited in New York , San Francisco , Monterey , Toledo and Fort Wayne , Takaoka , Isle of Man , London , Tokyo . 1 +Göttsche received international acclaim with his formula for the generating function for the Hilbert numbers of the Betti scheme of points on an algebraic surface : With his formula for the creating function for the Hilbert - numbers of the betti scheme of points on an algebraic surface , Göttsche received international recognition : 1 +The Flushing Line was opened from 40th Street to Queensboro Plaza -- Corona Plaza on April 21 , 1917 , with a local station at 103rd Street . The Flushing Line was opened on April 21 , 1917 from the 40th street to Queensboro Plaza -- Corona Plaza , with a local train station on 103rd Street . 1 +Among the tenants are the 21st Governor-General of Australia , Bill Hayden , Senator Ron Boswell , and the Commonwealth Parliament of Australia . Among the tenants are the 21st Governor - General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth - Parliament of Australia . 0 +In contrast , cold years are often associated with dry Pacific La Niña episodes . Cold years , by contrast , are often associated with dry Pacific La Niña episodes . 1 +Ijagiri is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Ijagiri is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 0 +Lindstrom played for TuTo Turku and Klagenfurter AC . He also played a season in Austria for TPS and four seasons in the Bundesliga for Berliner SC . He played for TuTo Turku and Klagenfurter AC , played a season in Austria for TPS and four playing times in the Bundesliga for Berliner SC . 1 +Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a Protected monument ( natural areas of Ulyanovsk Oblast ) . Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a natural monument ( protected area of Ulyanovsk Oblast ) . 0 +In the new group , Guy Watson , Love Song , drums and Ernie Earnshaw on the bass took over . Ernie Earnshaw of Love Song took over on drums and Guy Watson on the bass in the new group . 0 +In case of many problems it is more convenient to work with D and the free charges than with E and the total charge . In the case of many problems , it is more convenient to work with D and total fees than with E and the free charge . 0 +Cartwright was born on 14 March 1981 in Erdington , West Midlands . He has an older brother , Che Cartwright , who is also an actor . He was born on March 14 , 1981 in Erdington , West Midlands , and has an elder brother , Che Cartwright , who is also an actor . 1 +The band split shortly after and reformed as a trio with Lucy and Brothers Joel Green ( drums , vocals ) and Matt Green ( guitar ) in 1987 . The band separated shortly afterwards and reformed in 1987 as a trio with Matt Green and Brothers Lucy ( drums , vocals ) and Joel Green ( guitar ) . 0 +Many religious groups offer different programs for different age levels within scouting , and some have separate programs or emblems for boys and girls . Many religious groups offer different programmes for different age groups within Scouting , and some have separate programs or emblems for boys and girls . 1 +The Hamiltonian formula _ 91 is the fractional The Hamiltonian Formula 91 is the Fractional Formula 1 +Philip Norman , the Beatles ’ biographer , wrote that Charles Sutcliffe was a strong drinker and physically cruel to his wife , which the young Sutcliffe had observed . Charles Sutcliffe , the Beatles ’ biographer , wrote that Philip Norman was a strong drinker and physically cruel to his wife , which the young Sutcliffe had experienced . 0 +In the area of present-day Malawi , the British Central Africa - Protectorate existed between 1891 and 1907 . The Malawi Central Africa Protectorate existed between 1891 and 1907 in the area of today 's British . 0 +Marston T. Bogert was closely involved with Parsons in establishing a new structure for the ACS . Parsons , together with Marston T. Bogert , was closely involved in establishing a new structure for the ACS . 0 +At present it is the third most used language in international trade , and the second most used in politics , diplomacy and culture after English and French . At present , it is the second most widely used language in international trade and the third most important in politics , diplomacy and culture in English and French . 0 +This was the beginning for a new international cooperation with a joint testing-and training standard . This was the beginning of a joint cooperation with a new international testing and training standard . 0 +On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base in his honor . On April 30 , 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base in Nevada to his honor . 0 +""" Now a Memory Almost "" is a song written by Van Stephenson , Dave Robbins and Dale Oliver , recorded by the American country music band Blackhawk ." """ Almost a Memory Now "" is a song by Van Stephenson , Dave Robbins and Dale Oliver , recorded by American country music - band Blackhawk ." 0 +Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting her for dinner . Abe Drexler ( Charlie Hofheimer ) calls Peggy ( Elisabeth Moss ) and insists on meeting them for dinner . 1 +The Athelas Sinfonietta Copenhagen is a Copenhagen-based , modern chamber ensemble specializing in the performance of Danish compositions . The Athelas Sinfonietta Copenhagen is a Copenhagen-based Danish chamber ensemble specializing in the performance of modern compositions . 0 +Foley worked with , among others , Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block , and Guy Schwartz . Foley worked together with Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block and Calvin Russell , amongst others . 1 +Valdir de Moraes Filho ( born March 15 , 1972 ) , commonly known as Valdir Bigode , is a former Brazilian footballer who played as a storm . Valdir de Moraes Filho ( born 15 March 1972 ) , commonly known as Valdir Bigode , is a Brazilian former footballer who played as a striker . 0 +Silver became the engine of the Spanish colonial economy , both in New Spain and in Peru . Silver became the motor of the Spanish colonial economy both in Peru and in New Spain . 1 +""" The Day the Violence Died "" is the eighteenth episode of "" The Simpsons "" seventh season ." """ The day when the violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." 1 +Pat died in 1988 , and Yvonne died in 2007 . In 1988 , Yvonne Yvonne died and in 2007 died Pat . 0 +The music of the film was composed by S. A. Rajkumar and written by Sirivennela Sitaramasastri . The music of the film was composed by Sirivennela Sitaramasastri and lyrics penned by S. A. Rajkumar . 0 +Connor betrayed Shield Corporation by telling Neyman the truth about the status of the ozone layer . Neyman betrayed Shield Corporation by telling Connor the truth about the status of the ozone layer . 0 +Somanath is a village in the Dahanu district of Maharashtra , India . It is located in Palghar - Taluka . Somanath is a village in the Palghar district of Maharashtra , India . It is situated in Dahanu Taluka . 0 +If the liquid is incompressible the molar volume is constant , formula _ 23 , and the integral becomes formula _ 24 . Thus , we get If the liquid is incompressible , the constant volume is molar , Formula 23 , and the integral is Formula 24 . Thus , we will 0 +The Edmonton Oilers became the first NHL team in Alberta when they were absorbed by the National Hockey League than the WHA folds . The Edmonton Oilers were the first National Hockey League team in Alberta when they were absorbed by the NHL as the WHA Fold . 1 +Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett at 6 : 3 , 6 : 4 in the final . Wayne Black and Kevin Ullyett won 6 : 3 , 6 : 4 in the finals against Jonas Björkman and Todd Woodbridge . 0 +During the 1745 uprising it was twice visited by Jakobites and held again by Bonnie Prince Charlie . During the 1745 uprising it was twice visited by Jacobites and held again by Bonnie Prince Charlie . 1 +Following the Allies ' May 1945 victory , the Soviets effectively occupied Central and Eastern Europe , while strong US and Western allied forces remained in Western Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Eastern Europe , while strong US remained American and Western allies in Western Europe . 0 +He and his wife Mary ( a weaver ) had two children , Anne ( born in 1947 ) and Julian ( born 1952 ) . Potter married in 1945 . He and his wife Anne ( a weaver ) had two children , Julian ( born 1947 ) and Mary ( born 1952 ) . 0 +Peter Maag ( Ernst Peter Johannes Maag ) ( 10 May 1919 -- 16 April 2001 ) was a Swiss conductor . Peter Maag ( Ernst Peter Johannes Maag ) ( 10 May 1919 - 16 April 2001 ) was a Swiss conductor . 1 +He currently lives with his partner Randi in Odda and has three children , Lothe , Ida and Vetle , from a previous relationship . Lothe currently resides in Odda with his partner , Randi . He has three children , Stian , Ida , and Vetle , from a previous relationship . 0 +RocketBowl Plus ( also known as RocketBowl Plus ) is a sports game developed by LargeAnimal and released by GarageGames , published on November 4 , 2004 for Windows . RocketBowl ( also RocketBowl Plus ) is a sports game developed by LargeAnimal and published by GarageGames , released November 4 , 2004 for Windows . 1 +In 1937 Carla Spletter married Dr Peter Bischoff , who had won a gold medal in sailing at the 1936 Olympic Games . In 1937 , Carla married Spletter Dr. Peter Bischoff , who won a gold medal in sailing at the Olympic Games in 1936 . 0 +The quantum mechanical polarization results microscopically from optical transitions between different states of the material system . Microscopically , the optical polarization originates from quantum mechanical transitions between different states of the material system . 0 +The body is compact with large head , long wings and short tail . The body is compact with a large head , short wings and long tail . 0 +The adult is pale to bright yellow dorsally , with scattered black or blue spots . The adult is scattered black or blue to dorsal pale , with bright yellow spots . 0 +In 2016 , he was called up for the Singapore U19 team facing the Bahrain U19 selection . In 2016 , he was called for the Bahrain U19 team against the Singapore U19 selection . 0 +Thimilarmadam is a small town in Sri Lanka , within the northern province . Thimilarmadam is a small town in Sri Lanka 's northern province . 1 +Pixar also visited the Disney Cruise Line and studied Las Vegas , which was helpful in understanding artificial lighting . Pixar also visited the Disney Cruise Line and studied Las Vegas , which was helpful for understanding artificial lighting . 1 +She was completed on 28 July 1941 and launched in August . It was completed on July 28 , 1941 and launched in August . 1 +Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 against Pat Cash and Patrick Rafter in the final . Jan Apell and Brent Haygarth won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Pat Cash and Patrick Rafter . 1 +It currently serves as the newspaper of record for Galveston , as well as Galveston County . It is currently serving as the newspaper of record for Galveston County , as well as Galveston . 1 +If Tomin is told by a prior to kill them , he refuses , and Mitchell kills the prior , whose powers were blocked by the anti-prior device . When Tomin is ordered by a Prior to kill them , he refuses , and Mitchell kills the Anti-Prior , whose powers were being blocked by the Prior device . 0 +The garden is so called because it was planned around the area where a monumental suspended tank with a circular shaped base was built . The garden is called because it was planned around the area where a monumental hanging tank was built with a circular base . 1 +Elliott Gould was not exactly my idea of Philip Marlowe , but however , we were there . Philip Marlowe was not exactly my idea of Elliott Gould , but anyway there we were . 0 +For the 2007 games , Futsal was added to the Basque programme ( and for the first time since 2011 ) , while Racquetball and only Pelota were dropped . For the 2007 Games Futsal was added to the program for the basque ( and as of 2011 first time ) while racquetball and only pelota were dropped . 1 +They were accompanied or were soon followed by some other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . They were accompanied by some other families or were soon followed by them , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver and Rich . 0 +Javier Moracho Torrente ( born August 18 , 1957 in Spain ) is a former Monzón Huesca hurdler . Javier Moracho Torrente ( born August 18 , 1957 in Spain ) is a retired hurdler from Monzón , Huesca . 1 +"Born with the addition of Mikey , Turbo returned to the gayo world October 1997 with their aptly titled 3rd album "" Resurrected Again "" ." "Born with the addition of Mikey , Turbo returned in October 1997 with the aptly titled third album "" Resurrected Again "" to gayo world ." 1 +Nitin Gadkari is married to Kanchan Gadkari and has three children , Nikhil , Sarang and Ketki , and his eldest son Nikhil is married to Rutuja Pathak . Rutuja Pathak is married to Kanchan Gadkari and they have three children , Nikhil , Sarang and Ketki . His eldest son Nikhil is married to Nitin Gadkari and 0 +Grant holds several records in multiple categories for Utah , including many all-time records , such as : Grant holds several records in many categories for Utah , including multiple all-time rows , such as : 1 +It is found throughout the central Palaearctic Region , from Turkey , Cyprus and Lebanon , east through Pakistan , Iran , Afghanistan and northern Iraq to Kashmir . It is found throughout the central palearctic , from Turkey , Cyprus , and Lebanon , through Pakistan , Iran , Afghanistan , and northern Iraq to Kashmir . 1 +For the Fuzzy - Formula 135 is given the entropy of a finite quantity formula 33 by For finite formula _ 135 the entropy of a fuzzy set formula _ 33 is given by 0 +"The Handbook of the Birds of India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist S. Dillon Ripley , written together with Salim Ali ." "The Handbook of the Birds in India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist Salim Ali , along with S. Dillon Ripley ." 0 +There is a standard technique ( see for example ) for calculating the change of variables to normal coordinates , at a point as a formal Taylor series expansion . There is a standard technique ( see for example ) for computing the change of variables to formal coordinates , at a point as a normal Taylor series expansion . 0 +"The Paul England translation of 1912 is a "" singable translation "" , which is compatible with the vocal line written by Strauss for the German ." "The 1912 Paul England translation is a "" vocal translation "" which is compatible with the singable line Strauss wrote for the German ." 0 +Third Air Force inactivated and 16th Air Force assumed the new role as Warfighting Headquarters for the USAFE . Third Air Force inactivated and Sixteenth Air Force assumed the new role as the Warfighting Headquarters for USAFE . 1 +Haines Township is bordered by Miles Township to the north , Union County to the east , Mifflin County to the south , and Penn Township to the west . Haines - Municipality is bounded by Miles Township to the north , Union County to the east , Mifflin County to the south and Penn Township to the west . 1 +Ogle County , Illinois is located in Mount Morris Township . Ogle County , Illinois is located in the Mount Morris Township . 1 +"The name "" Macaire "" appears to have several claims to origin : it was a male or female name and is currently considered a male name ." "The name "" Macaire "" appears to have several claims of origin . It was a male or female name and currently is considered a male name ." 1 +James Pugh ( born March 4 , 1983 in Wales ) is a Cypriot rugby player who has played for the Cyprus Rugby - Union team since 2007 . James Pugh ( born March 4 , 1983 in Cyprus ) is a Cypriot rugby player who has played for the Welsh Rugby - Union team since 2007 . 0 +In 1981 , when he succeeded Karlheinz Kaske , Plettner became the first Chairman of the Supervisory Board to become a member of the Siemens family . When he was succeeded by Karlheinz Kaske in 1981 , Plettner became the first chairman of the supervisory board not to be a member of the Siemens family . 0 +The ship visited Guam during the second week in September and then spent the rest of the month at Okinawa in the Marianas . The ship attended Okinawa during the second week of September and then spent the rest of the month in Guam in the Marianas . 0 +The ditch was cut out of rock and about 5 m wide and 4 to 5 m deep . The ditch was cut out of rock and about 5 m deep and 4 to 5 m wide . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics are appointed to the parish of Bad Urach in St. Joseph . The members of the United Methodist Church gather in Laichingen , while the Catholics are assigned to the parish of St. Josef in Bad Urach . 0 +The Suceviţa River is a tributary of the Rusca River in Romania . The Suceviţa River is a tributary of the River Rusca in Romania . 1 +It stars James Craig and was written by Devon and Richard Devon . It is playing James Craig stars and was written by Devon and Richard Devon . 1 +"The word for the similar is "" Radulans "" , which is quite rough ." "The word for rough is "" radulans "" , which is quite similar ." 0 +"The figure was killed later in the fourth episode of the second season , "" First Down "" ." "The figure was killed later in the second episode of the fourth season , "" First Down "" ." 0 +It was completed in 1933 in a modernist style for the US federal government and is now used by the United States Postal Service as an office accommodation . It was completed in 1933 in Modernist style for the United States Postal Service , and is now used as office accommodation by the United States Federal Government . 0 +Route 309 is a Connecticut State Highway in the northwestern Hartford suburbs from Canton to Simsbury . Route 309 runs a Canton State Highway in the northwestern Connecticut suburbs from Hartford to Simsbury . 0 +Given an undirected tree presented as a set of edges , the Euler tour representation ( ETR ) can be constructed in parallel as follows : The Euler - Tour - Representation ( ETR ) can be presented in parallel with an undirected tree constructed as a set of edges : 0 +Cowles ( 1911 ) wrote about distinguishing clements between primary succession and secondary succession : About Clements ' distinction between primary succession and secondary succession , Cowles wrote ( 1911 ) : 1 +"About the song wrote Billboard : "" You start the beat , now know the groove ." "Billboard wrote about the song : "" You catch the beat , now know the groove ." 1 +With an army mostly composed of Danish troops and reinforced by German mercenaries , he initially camped at Norrmalm , but later on to Södermalm . With an army , firstly composed of German troops and reinforced by Danish mercenaries , he mostly camped on Norrmalm , but later moved to Södermalm . 0 +He was selected in the 1998 NFL Draft by the St. Louis Rams in the 236th Round ( 7th overall ) with a compensatory pick . He was selected at the NFL Draft in 1998 by the St. Louis Rams in the 236th round ( 7th general ) with a compensatory pick . 1 +LEO XU Projects is a young and international art gallery based in Shanghai that exhibits contemporary artists . LEO XU Projects is a contemporary art gallery based in Shanghai exhibiting young and international artists . 0 +However , he later married Meyna of Westerburg and after his father 's death became the first count of Nassau-Beilstein . He later married Meyna of Westerburg and became the first Count of Nassau-Beilstein after his father 's death . 1 +Mark Williams is played in the TV series by Olaf Petersen . Mark Williams is played by Olaf Petersen in the television series . 1 +In 2005 , Chen was appointed assistant to Toshiaki Imai , then manager of Chinese Taipei national team . In 2005 , Chen was appointed assistant of Toshiaki Imai , then manager of the Chinese national team Taipei . 1 +A complete edition was published 1862 -- 1864 in Edinburgh , in seven volumes , by James Nichol , with a biographical memoir by Alexander Grosart . A complete edition was published in Edinburgh in 1862 -- 1864 , in seven volumes by Alexander Grosart , with a biographical memoir by James Nichol . 0 +It borders on the Bundeskämme of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . It borders on the federal ridings of Edmonton Centre , Edmonton Griesbach , Sherwood Park -- Fort Saskatchewan , Edmonton Mill Woods , and Edmonton Riverbend . 0 +"Batangas is also known for its strong coffee , the special-tasting "" kapeng barako "" ." "Batangas is also known for its strong coffee , the special "" Kapeng Barako "" ." 1 +Cooper was born in Long Beach , California , and lived all his life in Los Angeles , California . Cooper was born in Los Angeles , California , and has lived in Long Beach , California his whole life . 0 +In Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by Broad Lane and Mays Hill by the Frog Lane . 0 +Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , Šilutė in a German either Prussian Lithuanian or Memellander family . Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda ( German : Memelland ) , Šilutė in a German Prussian Lithuanian or Memelland family . 1 +Here were two other sons born : Fred in 1882 and Louis in 1884 . Here , two more sons were born : Louis in 1882 and Fred in 1884 . 0 +She finds new creative hope and friendship in Enzo , the replacement guitarist who inspires her to reach new heights . In Enzo , the replacement guitarist who inspired her to new creative heights , she finds new hope and friendship . 0 +Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately west of the municipality of Bedeque . Lennox Island 6 is located in Fernwood , Bedeque , approximately west of the community of Prince Edward Island . 0 +The Soviet Union maintained an embassy in Oslo and a consulate in Barentsburg , while Norway maintained a message in Moscow . The Soviet Union maintained embassy in Oslo and a consulate in Barentsburg , while Norway maintained an embassy in Moscow . 1 +"Debbie Posner is the "" Hebrew and Jewish Studies Teacher and Program "" , and Debbi Benn is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." "Debbi Benn is the "" teacher and programme for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of primary school Hebrew and Jewish studies "" ." 0 +Howes married three times in his life : in 1923 with Lillian Pechin , with Catherine Tabor in 1932 and in 1937 with Mary Donovan Howard . Howes married three times in his life : to Mary Donovan Howard in 1923 , Catherine Tabor in 1932 , and Lillian Pechin in 1937 . 0 +George George Harrison regarded Mukunda and the others who came to England first to be his lifelong friends . Mukunda considered George Harrison and the others who first came to England to be his lifelong friends . 0 +The northern side of the bay is defined by Ontario 's mainland , while the southern side follows the shore of the Prince Edward County headland . The northern side of the bay is defined by mainland Ontario , while the southern side follows the banks of the Prince Edward County . 1 +Jassie Gift is the music director and Krishna Kumar is the cameraman of the film . Krishna Kumar is the director of music and Jassie Gift is the cameraman of the film . 0 +The Spanish baroque is a strand of baroque architecture that developed in Spain , its provinces and former colonies . Spanish Baroque is a strand of Baroque architecture that evolved in Spain , its provinces , and former colonies . 1 +He instructed Christians to desire and , above all , to do God in all things to recognize the will of God . He directed Christians to recognize God in all things and to desire above all things to do the will of God . 0 +The first introductory vehicle ran from 4 p.m. on June 24 , 1874 , and regular traffic began on the following day . The first introductory vehicle began on 24 June 1874 at 4 p.m. , and the following day regular traffic ran . 0 +In 1871 , a branch office was opened from Earby to Barnoldswick . A branch from Barnoldswick to Earby was opened in 1871 . 0 +Sarah took Danny on a boat . Sarah took Danny out on a boat . 1 +However , Serena decides to keep this truth for a little longer from Dan . Serena , however , decides to keep this truth from Dan a little while longer . 1 +It is known from the United States ( from Massachusetts and south Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . It is known from the United States ( from Massachusetts and southern Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . 1 +Terry was born in Fairfax , Iowa , and died in Cedar Rapids , Iowa . Terry was born at Fairfax , Iowa , and died in Cedar Rapids , Iowa . 1 +"In more solitary areas nests are found in rural areas such as the trunk of a large tree or the underside of a clear "" Heliconia "" leaf ." "In solitary areas , nests are found in rural areas , such as the tribe of a large tree , or the bottom of a clear "" Heliconia "" leaf ." 1 +Suman Chatterjee recorded several albums between 1992 and 1999 under the name of Suman Chattopaddhyay or Kabir Suman . Suman Chatterjee , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Kabir Suman . 1 +In some case , Teruo 's father ( Keizo Kanie ) becomes depression , has slept and Teruo runs the secondhand bookstore instead of his father . In some cases , Teruo 's father ( Keizo Kanie ) becomes depression , has slept and Teruo runs the Secondhand - bookstore instead of his father . 1 +Sharon Northe has been Head of the Group since 2003 , and since 2017 Heather Weaver has been President . Heather Weaver has been head of the group since 2003 and since 2017 Sharon Northe has been President of the Group . 0 +This course will be offered again in 2013 for younger Dunghutti adults , and a Certificate 2 course will be designed for a test run in 2014 . This course will be offered for younger Dunghutti adults in 2013 , and a certificate 2 course will be conceived for a test run in 2014 . 1 +He has a son ( born 2000 ) from a previous relationship with TV presenter Angela Gessmann . In July 2011 Lanz married Birgit Schrowange . He has a son ( vintage 2000 ) from a previous relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . 0 +This point of view is common in northern India and parts of southern India . This view is used in southern India and parts of northern India . 0 +The Rockox House is a Belgian private residence of the Rockox family and former museum of KBC Bank in the city of Antwerp , Belgium . Rockox House is a Belgian private residence of the Rockox family and a former museum of the KBC Bank in the city of Antwerp , Belgium . 1 +The Grand Marquis LSE , introduced in the spring of 2001 , had a rear air suspension , the higher rear axle translation and the 4.6 litre dual exhaust engine . Introduced in the Spring of 2001 , the Grand Marquis LSE had dual air suspension , the higher rear axle ratio and the rear exhaust 4.6 L engine . 0 +Landowski was born in Paris as the son of a Polish refugee father of the January uprising and a French mother . Landowski was born in Paris of a French refugee father of the January Uprising , and a Polish mother . 0 +"The March 2000 issue had a French issue , and in 2002 a "" limited edition appeared ." "The March 2000 edition had a limited edition , and in 2002 a "" French "" edition appeared ." 0 +From there it flows through a minimally developed series of swamps and ponds to the south into the valley , downwards , but further west . From there it flows south into the valley through a minimally developed series of swamps and ponds , downward but trending further to the west . 1 +Mir Jafar , Commander of Alivardi , freed Syed Ahmed and his family . Alivardi 's commander Syed Ahmed freed Mir Jafar and his family . 0 +The station , licensed to Sebring , serves the area of Wauchula , Florida , USA . Licensed to Sebring , the station serves the Wauchula , Florida , USA area . 1 +The 2014 offer is more compact than the 2010 project due to the disappearance of the venues Kitzbühel , St. Johann and Ramsau . The 2014 bid is more compact than the 2010 project due to the elimination of the Kitzbühel , St. Johann and Ramsau venues . 1 +The last years of his life he spent in France and died in Paris . He spent the final years of his life in Paris and died in France . 0 +Cardiff Castle was then owned by Philip Herbert , a moderate Parliamentarian , and the castle was initially held by a pro-Royalist garrison . Cardiff Castle was owned at the time by Philip Herbert , a moderate parliamentarian , and the castle was initially held by a pro-royalist garrison . 1 +The flat functions are , in some sense , the antitheses of the analytic functions . In some sense , the flat functions are the antitheses of the analytical functions . 1 +It has a legendary 1814 shoot on fresh artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . It offers a fresh 1814 spin on legendary artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . 0 +Most Japanese troops are captured in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is killed . Most Japanese troops are killed in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is captured . 0 +Connolly 's final concert was at the Bristol Hippodrome on 5 December 1996 , with Slade II and John Rossall 's Glitter Band Experience . The final concert was held on 5 December 1996 at Bristol Hippodrome with Slade II and Connolly 's Glitter Band Experience . 0 +He had gained CFL - Coaching - experience as a guest - Coach at the Lions in 1984 and with the Saskatchewan Roughriders in 1985 and 1986 . He had gained CFL coaching experience as a guest coach with the Lions in 1984 and with the Saskatchewan Roughriders in 1985 and 1986 . 1 +The tournament was hosted again in 2006 in San Francisco , where it was resumed for two years . The tournament was hosted again in San Francisco in 2006 , where it was continued for two years . 1 +ProxmapSearch uses the proxMap array created by a previously created ProxmapSort to find keys in the sorted A2 array in constant time . ProxmapSearch uses the proxMap array generated by a previously sorted ProxmapSort to find keys in the completed A2 array in constant time . 0 +"If "" A "" and "" B "" are Banach spaces the algebraic tensor product of "" A "" and "" B "" means the tensor product of" "Are "" A "" and "" B "" algebraic rooms , the Banach - tensor product of "" A "" and "" B "" means the tensor product of" 0 +The Sântinica River is a tributary of the Dâmboviţa River in Romania . The river Sântinica is a tributary of the river Dâmboviţa in Romania . 1 +There are almost 2,000 islands along the coastline , about three quarters of which are uninhabited . Along the coast there are almost 2,000 islands , about three quarters of which are uninhabited . 1 +The Greek census of 1951 counted a total of 127 Albanian Muslim chams in Epirus . The Greek census of 1951 counted a total of 127 Muslim Albanian Chams in Epirus . 1 +Hugh was father of Walter Giffard , the Archbishop of York and Chancellor of England . Hugh was father of the Walter Giffard who became Archbishop of York and Chancellor of England . 1 +When Zac and Hannah stopped communicating , Hannah looked through her phone and Zac caught him . When Zac and Hannah stopped communicating , Hannah looked through her cell phone and Zac began him . 1 +1843 : China : Seafarers and marines from the canton were landed at the trading station in St. Louis after a clash between Americans and Chinese . 1843 : China : Sailors and Marines from St. Louis were landed at the trading station in Canton after a clash between Americans and Chinese . 0 +The soundtrack was composed by the musician Wajahat Attre , with lyrics by Hazin Qadri and sung by Noor Jehan , and Mehnaz . The soundtrack was composed by musician Wajahat Attre , with texts by Hazin Qadri , sung by Noor Jehan and Mehnaz . 1 +The two main water systems are in the north of the Esmeraldas and in the south the Guayas . The two main water systems are the Guayas in the north and the Esmeraldas in the south . 0 +The Austrian school assumes that the subjective choices of individuals , including subjective knowledge , time , expectation , and other individual factors , cause all economic phenomena . The Austrian School theorizes that the subjective choices of individuals including subjective knowledge , time , expectation , and other individual factors , cause all economic phenomena . 1 +The volumes 5 and 6 were published by DeVorss ' Co postum from various articles that Spalding had written . The volumes 5 and 6 were written by DeVorss ' Co posthum from various articles that Spalding had published . 0 +Long Island is a Canadian island in Nova Scotia , Digby County . Digby County of Nova Scotia , is a Canadian island in Long Island . 0 +David Stillman is the Head Sales Trainer at Vorsight and Steve Richard is President and CEO of the company . David Stillman is the head sales trainer at Vorsight . Steve Richard is the President and CEO of the company . 1 +Assuming that the causal relationships are linear , this background knowledge can be expressed in the following SEM specification ( Structural Equalization Model ) . Assuming that the structural relationships are causal , this background knowledge can be expressed in the following specification for the linear equation model ( SEM ) . 0 +Local farmers preferred to market products in Liverpool and avoid the sludge of the lower salina . Local farmers preferred to market products in Liverpool and avoid the mud of lower Salina . 1 +"The river , sometimes known as the "" Mauritius "" was also named after the Count ." "The river , sometimes also known as the "" Mauritius "" , was also named after the Count ." 1 +Djan Faridz ( born in Jakarta on 5 August 1950 ) is once a Minister of Public Housing of Indonesia and owner of PT Dizamatra Powerindo . Djan Faridz ( born August 5 , 1950 in Jakarta ) is a former public housing minister of Indonesia and owner of PT Dizamatra Powerindo . 1 +Felipe Francisco Molina y Bedoya was a diplomat born in Guatemala from Costa Rica , the Chancellor of the Federal Republic of Central America . Felipe Francisco Molina y Bedoya was a diplomat from Guatemala , born in the city of Costa Rica . He became Chancellor of the Federal Republic of Central America . 0 +Joanna is located within the electoral Division of Barker , the state federal district of MacKillop , and the local government area of the Naracoorte Lucindale Council . Joanna is located within the federal division of Barker , the state constituency of MacKillop and the local government area of Naracoorte Lucindale Council . 0 +When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Teramo Diocese . When , in 1818 , Ortona was assigned to Lanciano , Campli was joined to the diocese of Teramo . 1 +He returned to Britain in 1858 before escorting Queen Victoria to Cherbourg in August 1858 . In 1858 he returned to Cherbourg before escorting Queen Victoria to Great Britain in August 1858 . 0 +The Minis River or Columbu River is a tributary of the Golumbu River in Romania . The Golumbu River or Columbu River is a tributary of the River Minis in Romania . 0 +Hardie became Secretary of the Party , while Cunninghame Graham was the first treasurer and George Mitchell was the president . Hardie became the party 's Secretary , while Cunninghame Graham was the first Treasurer and George Mitchell was the President . 1 +The Sm ring permanently binds to the snRNAs U1 , U2 , U4 and U5 , which form four of the five snRNPs that form the main spliceosome . The Sm ring permanently binds to the U1 , U2 , U4 and U5 snRNAs which constitute four of the five snRNPs that form the major spliceosome . 1 +The film producer Sol Lesser , who had discovered Jackie Coogan , signed Breen for RKO Radio Pictures . Film producer Sol Lesser , who had discovered Breen , signed Jackie Coogan to RKO Radio Pictures . 0 +The company was re-established as Spacetec registered on December 11 , 1984 . The company was registered as Spacetec , which was re-established on December 11 , 1984 . 0 +The underground library is housed in the main building of the college on the ground floor . The underground library is housed in the central building of the college on the main floor . 1 +Johnny Triumph frequently collaborates with the singer Björk and has performed with The Sugarcubes as Sjón . Johnny Triumph often collaborates with the singer Björk and has performed as Sjón with The Sugarcubes . 1 +""" Holocaust , "" dedicated in November 1984 in Lincoln Park , was created by the sculptor George Segal ." """ Holocaust "" , created in Lincoln Park in November 1984 , was dedicated by sculptor George Segal ." 0 +Ackman bought credit default swaps against MBIA Corporate Debt and sold the swaps for a large profit during the financial crisis in 2008 . Ackman sold credit-default swaps against MBIA - corporate debt and bought the swaps for a large profit during the 2008 financial crisis . 0 +In 1989 , Roxus supported Australian bands Poison and Bon Jovi on their international tours . In 1989 Roxus supported respective Australian bands , Poison and Bon Jovi , on their international tours . 1 +Guitar played Gordon , Danny Kortchmar Bass and Lou Adler drums producing with Charles Larkey . Gordon played guitar , Danny Kortchmar played bass and Lou Adler played drums with Charles Larkey producing . 1 +The Ciortosu River is a tributary of the River Nadeş , Romania . The Nadeş River is a tributary of the Ciortosu River in Romania . 0 +Herbert Hepburn Calvert was born in London on December 30 , 1870 , and was the first son of the journalist Thomas Calvert and his wife Grace ( near Hepburn ) . Thomas Calvert was born in London on December 30 , 1870 , and was the first son of the journalist Herbert Hepburn Calvert and his wife Grace ( nee Hepburn ) . 0 +Griggs received his award from McCartney at a dinner in London . Griggs received his McCartney award at a dinner in London . 0 +The empennage of the W.Z.XII was vertical and the conventional surfaces were similar to those of the W.Z.XI . The surface of the W.Z.XII was vertical and the conventional surfaces were similar to those of the W.Z.XI . 1 +Since 1977 , LAGOS has made more than two million pieces . Steven Lagos estimates that he has created 10,000 pieces and 400 to 500 new designs each year . Since 1977 LAGOS has created more than two million pieces , and Steven Lagos estimates that every year he has produced 10,000 pieces and 400 to 500 new designs . 1 +Egremont is situated southwest of Pittsfield , west of Albany , New York , west of Boston and southeast of Springfield . Egremont is south west of Pittsfield , west of Springfield , west of Boston and southeast of Albany , New York . 0 +The 1879 - 80 Home Nations rugby union matches were a series of national rugby union friendlies held between the England , Ireland and Scotland international rugby union teams . The 1879-80 Home Nations Rugby Union games were held a series of national rugby union friendship games between the international Rugby Union teams England , Ireland and Scotland . 1 +A tribute to Frank Sinatra : the US - American actor Seth MacFarlane was the lead singer with Jamie Parker and Claire Martin . A tribute to Jamie Parker and Claire Martin , the American actor Seth MacFarlane was the singer , Frank Sinatra . 0 +Born in Birmingham in 1783 as the second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . Born in 1783 in Birmingham , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Sheffield . 1 +Goolagong Cawley won five finals between 1971 and 1980 but reached only her first and last finals . Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and last endgame . 1 +After working for the investigation for four years , Dash resigned to protest Starr 's appearance before the United States House Committee on the Judiciary . After working for the investigation for four years , Starr resigned to protest against Dash 's appearance before the United States House Committee on the Judiciary . 0 +The Phoenix Building , also known as the Manhattan Building or the Phoenix-Manhattan Building , is a historic skyscraper in Muskogee , Oklahoma . The Manhattan Building , also known as the Phoenix Building or the Phoenix Manhattan Building , is a historic skyscraper in Muskogee , Oklahoma . 1 +The New Zealand Rugby - League - Tour of 1913 New Zealand was a tour through the national rugby league - team of Australia . The New Zealand Rugby - League - Tour of 1913 Australia was a tour of the New Zealand rugby national team . 0 +The river Amaradia or the river Negreni is a tributary of the river Valea Negrenilor . The Amaradia River or Negreni River is a tributary of the Valea Negrenilor River . 1 +Liddell then replaced Rua in the main event with Liddell , but Rashad Evans was forced to withdraw from the card due to a femoral injury . Rashad Evans then replaced Rua in the main event with Liddell , but Liddell was forced to withdraw from the card due to a hamstring injury . 0 +The problem of testing whether a given polynomial is a permutation polynomial through a finite field can be resolved in polynomial time . The problem of checking whether a given polynomial is a permutation polynomial over a polynomial field can be solved in final time . 0 +The Gill family closed the mill in 1968 and sold it to its new owners in 1980 . The Gill family closed the mill in 1968 , and the new owners sold it in 1980 . 1 +Rasmus Seebach has written songs for Nik 'Jay , Burhan G and Lars Ankerstjerne as songwriters . Lars Ankerstjerne has written songs for Nik 'Jay , Burhan G and Rasmus Seebach as songwriters . 0 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in Tanzania in 1992 and is one of the most experienced airlines in Zanzibar . 0 +Valley Downs is a district of Louisville , Kentucky , USA , along Omar Khayyam Boulevard , south of Johnsontown Road . Valley Downs is a neighborhood of Louisville , Kentucky , USA located along Omar Khayyam Boulevard south of Johnsontown Road . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in India ( Assam ) . Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in India ( Assam ) . 1 +He married Agnes Theodora Walther , the daughter of Vagn Petersson , in 1881 and his son is the botanist and sketch artist Vilhelm Theodor Walther . In 1881 he married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther , and his son is the botanist and outliner of Vagn Petersson . 0 +The Nordiques signed free agent Tony Currie from the Toronto Maple Leafs , while they lost Blake Wesley , who signed with the Edmonton Oilers . The Nordiques signed the Toronto Maple Leafs Free Agent Tony Currie while they lost Blake Wesley , who signed with Edmonton Oilers . 1 +"Two singles , "" Lips to Find You "" and "" Love Me Down Easy "" , were released ." "Two singles , "" Lips to Love You "" and "" Find Me Down Easy "" , were published ." 0 +In Mexico and in Sweden , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . 1 +White served as Chief Justice until his death in 1921 , when he was succeeded by Taft . Taft served until his death in 1921 as Chief Justice when he was followed by White . 0 +In 2012 , the airline carried 57,500 passengers to 15 international destinations and 90,000 passengers on domestic routes per month ( apx . 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 domestic targets and 90,000 passengers on international routes ( around 1.77 million passengers per year ) . 0 +The new style has also been encouraged by changes in economic order and the social structure . The new style was also encouraged by changes in the social order and economic structure . 0 +Damian Smith married Mayer in January 2001 . January 2001 married Damian Smith Mayer . 0 +The ectodermal symptoms of hypohydrotic dysplasia described above are provable not only in the skin of the individuals affected , but also in their phonation and voice production . The hypohydrotic symptoms of ectodermal dysplasia described above are evidenced not only in the skin of affected individuals , but also in their phonation and voice production . 0 +This last solo made the extended transfers live seven minutes or more . This extended solo made the live renditions last seven minutes or more . 0 +Adam Helmer died on April 9 , 1830 , in the town of Brutus in Cayuga County , New York . Adam Helmer died on 9 April 1830 in the city of Brutus at Cayuga County in New York . 1 +Hamilton is widely regarded as the greatest driver of his generation and often considered one of the best formula - 1 - drivers in the history of sports . Hamilton is often considered the best driver of his generation , and widely regarded as one of the greatest Formula One drivers in the history of the sport . 0 +Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on September 11 , 1866 and got 8 children . Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on 11 September 1866 and got 8 children . 1 +According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so gave TNA the promos to Anarquia . According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave the promos to Anarquia . 1 +The theme music was composed by Ronnie Hazlehurst and Hugh Wisdom , conducted by Gaynor Colbourn and arranged by Gaynor Colbourn . The theme music was composed by Ronnie Hazlehurst and Hugh Wisdom , headed by Gaynor Colbourn and arranged by Gaynor Colbourn . 1 +Penn Hills is a home rule municipality , formerly a township , in Allegheny County , Pennsylvania , United States . Penn Hills is a home community , formerly a municipality , in Allegheny County , Pennsylvania , United States . 0 +"Peter declares that Jesus is "" the Christ "" , the Anointed One ." "Peter declares that Jesus "" is the Christ "" , the Anointed ." 1 +Coalesced - Hashing , also called Coalesced Chaining , is a strategy of collision resolution in a hash table that represents a hybrid of separate concatenation and open addressing . Coalesced hashing , also called coalesced chaining , is a strategy of collision resolution in a hash table that forms a hybrid of separate chaining and open addressing . 0 +Tătaru river is a tributary of the river Buzăiel in Romania . The Tătaru River is a tributary of the Buzăiel River in Romania . 1 +Philpott played Norman Nesbitt , a geeky man who believes he has been contacted by UFOs . Norman Nesbitt played Philpott , a geeky man who believes that he has been contacted by UFOs . 0 +Juan Colomer publishes his works on Editions BIM of Switzerland , Editorial Piles , Tritó and Rivera editores in Spain . Juan Colomer publishes his work with Editions BIM of Spain , Editorial Piles , Tritó and Rivera editores in Switzerland . 0 +The bay is centred ( British mapping 1968 , Bulgarian mapping in 1993 and detailed Spanish mapping in 2005 and 2009 ) . The bay is centred at ( British mapping in 1968 , detailed Spanish mapping in 1993 , and Bulgarian mapping in 2005 and 2009 ) . 0 +In 1975 , the then Alan Rees married Eleri Morgan . In 1975 , the then married Alan Rees Eleri Morgan . 0 +"Lars Rosing plays the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" . Lars Rosing lives near Montreal in Canada ." "Lars Rosing plays the protagonist Lars Rosing in Greenland 's first international feature film "" Nuummioq "" , Malik lives close to Montreal , Canada ." 0 +A fourth series of the revival , and the second series overall , started on 11 September 2017 . On September 11 , 2017 , a fourth series of revival began , and the second series overall . 1 +However , the two new Cantons had immediate financial problems and were forced to institute a number of unpopular taxes and laws . The two unpopular cantons , however , had immediate financial problems and were forced to introduce a series of new taxes and laws . 0 +The current 16th Street Clubhouse was built under the direction of George D. Widener by the architect Horace Trumbauer . The current 16th Street Clubhouse was constructed under the leadership of Horace Trumbauer by architect George D. Widener . 0 +This room is built with a barometer and a presented-in scale . This room is built with a barometer and a presented scale . 1 +It was first established as Knopweed Biocontrol in Oregon in the 1980s , and is currently released in the Pacific Northwest . It was first released as a knapweed biocontrol in the 1980s in Oregon , and it is currently established in the Pacific Northwest . 0 +The expansion of the international presence of China Airlines has long been limited by the political status of Taiwan . The expansion of the political presence of China Airlines has long been limited by Taiwan ’ s international status . 0 +When the German invasion began the national gold holding was evacuated from Oslo through Romsdalen to Åndalsnes and Molde , and then by ship to Tromsø . When the German invasion began , the national gold ownership was evacuated from Oslo via Romsdalen to Åndalsnes and Molde and then by ship to Tromsø . 1 +Often , warm packs are prepared ; the heat opens up the pores of the skin , and helps the interaction of the clay with the body . Warm packs are often prepared , the heat opens the pores of the skin and helps in the interaction of clay with the body . 1 +In November , the Royals acquired CF Ramón Ramírez from the Boston Red Sox in exchange for RP Coco Crisp . In November , the Royals CF Ramón Ramírez purchased from Boston Red Sox in exchange for the RP Coco Crisp . 1 +Two of these four hostels are located in Delhi , one each in Pune and Pimpri near Mumbai . Two of these four hostels are located in Delhi , one of them in Pune and Pimpri near Mumbai . 1 +The park is situated 65 km northeast of Fianarantsoa and 139 km west of Mananjary in the regions Haute Matsiatra and Vatovavy-Fitovinany . The park is 65 km northeast of Fianarantsoa and 139 km west of Mananjary in the regions of Haute Matsiatra and Vatovavy-Fitovinany . 1 +In 1948 Massey Harris produced the first Italian self-propelled combine harvester , the 1500 , preceded only by Bubba in 1941 . In 1948 , Bubba produced the first Italian self-propelled combine , the 1500 that only Massey Harris preceded in 1941 . 0 +In 2009 , he became assistant coach of West Adelaide and is the father of West Adelaide player Scott Luders . Scott Luders became an assistant coach of West Adelaide in 2009 , and is the father of West Adelaide player Luders . 0 +Also Shikigami No Shiro II has been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . XS also released Shikigami No Shiro II , and translated it for the PlayStation 2 under its own name , Castle Shikigami 2 . 1 +"The author Christopher Hitchens expressed his admiration for Jessica Mitford and praised "" Hons and Rebels "" ." "The author Jessica Mitford expressed her admiration for Christopher Hitchen and praised "" Hons and Rebels "" ." 0 +Juan Colomer publishes his works with Editions BIM of Spain , Editorial Piles , Tritó and Rivera editores in Switzerland . Juan Colomer publishes his works on Editions BIM of Switzerland , Editorial Piles , Tritó and Rivera editores in Spain . 0 +The River Rusca is a tributary of the Giumalău River in Romania . The Giumalău River is a tributary of the River Rusca in Romania . 0 +Then Scott and Short traveled overland to the Kentucky River to claim the land that they would later investigate . Scott and Short then traveled overland to the Kentucky River to investigate the land they would later claim . 0 +It is in its rare form unhybridized . In its unhybridized form it is rare . 0 +"He first appeared in "" ASAP 09 "" in the D-Lite segment where he performed with Karylle , Toni Gonzaga and Nikki Gil ." "He first appeared in "" ASAP 09 "" in the D -Lite segment , where he performed with Nikki Gil , Toni Gonzaga and Karylle ." 1 +Four ships of the United States Navy have been named Nicholas Biddle , in honor of Captain Biddle . Four ships of the United States Navy were named in honor of Captain Nicholas Biddle Biddle . 0 +Because of the lack of wood , boats were made with bundled papyrus reeds . Because of the lack of wood , boats with papyrus reeds were bundled . 0 +Most pre- 1976 series produced by CBS Films or distributed by Paramount Television were later distributed by Viacom and CBS . Most of the series produced by CBS or distributed by CBS films before 1976 were later distributed by Viacom and Paramount Television . 0 +The music was composed by ONV Kurup and Vayalar Ramavarma and lyrics was written by G. Devarajan . The music was composed by ONV Kurup and Vayalar Ramavarma and the lyrics by G. Devarajan were written . 1 +Ross - Bridge is a historic bridge in the city of Ross in central Tasmania , Australia , completed in July 1836 . It crosses the Macquarie river . Ross Bridge is an historic bridge in the town of Ross in central Tasmania , Australia , completed in July 1836 . It crosses the Macquarie River . 1 +On October 7 , 2009 , David Caplan was named Minister of Health and Long-Term Care to replace Matthews . On 7 October 2009 , David Caplan was appointed Minister of Health and Long-term Care to replace Matthews . 1 +He was subsequently imprisoned for gambling and once enjoyed the affair with pride . He was subsequently imprisoned for gambling and once relished the affair with pride . 1 +She was born in Tokyo on 28 July 1992 and married Timothy Koleto in Okayama , Japan in January 2017 . She was born on July 28 , 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . 0 +For the 2007 Games Futsal was added to the program for the basque ( and as of 2011 first time ) while racquetball and only pelota were dropped . For the 2007 games , Futsal was added to the program for the first ( and only time since 2011 ) , while Racquetball and the Basque Pelota were dropped . 0 +Other villages include Larchmont ( also included in Newtown Township ) and Lawrence Park . Other villages are Larchmont ( also in Lawrence Park ) and Newtown Township . 0 +Residing in New York , he currently is a member of MJ12 , an instrumental group based in NYC . Currently he lives in New York and is a member of MJ12 , an instrumental group based in NYC . 1 +When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him in Peshawar hospital . When Mohamad Elzahabi was injured in a 1995 battle in Kabul , Khadr visited him the Peshawar hospital . 1 +Some Native Americans and European-American settlers began to create a community around the post . Some native Americans and European-American settlers started to create a community around the post . 1 +""" Chuck Versus the Wedding Planner "" was directed by Anton Cropper and is written by Rafe Judkins and Lauren LeFranc ." """ Chuck Versus the Wedding Planner "" was written by Rafe Judkins and Lauren LeFranc and directed by Anton Cropper ." 1 +It is used as a measure of the absorbed dose , kinetic energy ( released ) and kerma ( an acronym for specific energy awarded per mass unit ) . It is used as measure of absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per mass unit ) . 0 +On 22 September 1904 he joined the Bishop Guerin and returned to Béni Abbès on 24 January 1905 . Guerin joined Bishop Charles on September 22 , 1904 and returned to Béni Abbès on 24 January , 1905 . 0 +Spain recognized Irish nobles as Spaniards on an equal footing , and Irish may claim Spanish citizenship . Spain recognized Spanish nobles on equal footing as Spaniards , and Irish could claim Irish citizenship . 0 +Each week , Arnie , Usidore , and Chunt interview magical creatures to introduce the listener to new aspects of the world of Foon . Every week , Chunt , Usidore , and Arnie interview magical creatures to present new aspects of the world of Foon to the listener . 1 +On those rare individuals who have areas without melanin , feathers are orange to yellow . On those rare individuals which have areas without melanin , feathers are yellow to orange . 0 +The tournament requires for each team an import or a foreign player . The tournament requires an import or a foreign-pure player for each team . 0 +A multi-region DVD of the entire series was released on February 4 , 2015 by Warner Archive and was announced on February 10 , 2015 . A multi-region - DVD of the entire series was published by Warner Archive on February 4 , 2015 and announced on February 10 , 2015 . 1 +The languages of the Rai coast are a family of languages in Madang - continent of New Guinea . The Madang languages are a family of languages in New Guinea - condition of the Rai - coast . 0 +He worked in Tielt between 1693 and 1717 as a teacher in Bruges . He worked as a school teacher in Bruges and , between 1693 and 1717 , in Tielt . 0 +He attempted suicide by smashing one of the lenses in his glasses , slitting his wrists with the shards and swallowing them . He tried suicide by swallowing one of the lenses in his glasses , breaking his wrists with the shards and slitting them . 0 +The original algorithm , however , would divide the new interval into a smaller and a larger subinterval in Step 4 . However , the original algorithm would divide the new interval in step 4 into a smaller and a larger partial interval . 1 +EMI is still called Gold Label Entertainment in the circulated materials such as the Red Bus Airplay calculation . In the circulated materials such as the Red Bus Airplay calculation , Gold Label Entertainment is still referred to as EMI . 0 +After Kuklinski gave him the money , Hoffman told him that the deal was a ruse . Kuklinski told him , after Hoffman gave him the money , that the deal was a cunning . 0 +Petra Keppeler ( born March 22 , 1965 ) , born Petra Feucht , is a former professional tennis player from Germany . Petra Keppeler ( born 22 March 1965 ) , born Petra Feucht , is a former professional tennis player from Germany . 1 +Paul Cirja # 7 passed 2 TD scramble and also scored 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . Cirja # 7 passed 2 TD Scramble and also achieved 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . 1 +The unit was armed and equipped by the Imperial Remount department and used by the Natal - volunteer department . The unit was armed and equipped by the Imperial Remount Department and horsed by the Natal Volunteer Department . 0 +Charles Sutcliffe , the Beatles ' biographer , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which was observed by the young Sutcliffe . Philip Norman , the Beatles ’ biographer , wrote that Charles Sutcliffe was a strong drinker and physically cruel to his wife , which the young Sutcliffe had observed . 0 +It is followed by a path from Hub Industrial Area to North Karachi and from Nazimabad and Orangi Town . It is followed by a route from Hub Industrial Area to Orangi Town and from Nazimabad and North Karachi . 0 +The Shadrick won a by-election in Holsworthy with a majority of 66 votes after the death of Liberal Democrat councillor Pam Johns . Independent Pam Johns won a by-election in Holsworthy with a majority of 66 votes after the death of Liberal Democrat councillor Des Shadrick . 0 +Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney , in the city of Hawkesbury . Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney . It is in the City of Hawkesbury . 1 +The Much Wenlock Kalkstein - formation is a series of silurian limestone beds that date back to the Homerian age , the early part of the Wenlock - Epoch . The Much Wenlock Limestone Formation is a series of Silurian limestone beds that date back to the Homerian age , the early part of the Wenlock epoch . 1 +"1946 -- After the Second World War the state of Prussia is abolished , Meppen will become part of the newly created "" Land "" Lower Saxony ." "1946 -- The state of Prussia is abolished after the Second World War . Meppen becomes part of the newly created "" Land "" of Lower Saxony ." 1 +History attracted widespread attention from the mainstream - media and social media . The story attracted widespread attention from social media and mainstream media . 1 +The series was also produced with some success in Italy , where new stories were published in France even after the series ended . The series was also published with some success in France , where new stories were produced even after the end of the series in Italy . 0 +Brayshaw ended his career and began his with Claremont Football Club in the West Australian Football League . Brayshaw finished his career and began with his Club Claremont in the West Australian Football League . 1 +Aleksandra Piłsudska ( Suwałki , December 12 , 1882 -- London , March 31 , 1963 ) , b. Szczerbińska , was the second wife of Józef Piłsudski . Józef Piłsudski ( Suwałki , 12 December 1882 - London , 31 March 1963 ) , née Szczerbińska , was the second wife of Aleksandra Piłsudska . 0 +The Data Definition Facility provides a semantic for persistent artifacts such as collections and indexes in XQuery or JSONiq programs . Data Definition Facility provides a persistent for semantic artifacts such as collections and indexes in XQuery or JSONiq programs . 0 +Some remarkable performers to have shows at Echoplex include The Mars Volta , Beck , NIN , Lorde , the Rolling Stones and Thom Yorke . Some notable performers to have shows at Echoplex include The Mars Volta , Thom Yorke , NIN , Beck , The Rolling Stones and Lorde . 1 +The Nyon Campus offers kindergarten and secondary education services , while Pully Campus offers a kindergarten , primary and primary school . The Nyon campus offers Kindergarten and primary school education services , while the Pully campus offers a Kindergarten , primary and a secondary education . 0 +Dan Ali was confirmed as a Cabinet Minister by the Nigerian Senate in October 2015 and was appointed Minister of Defence by President Muhammadu Buhari in November 2015 . In October 2015 , it was confirmed by the Nigerian Senate as Cabinet Minister , and in November 2015 it was appointed Minister of Defence by President Muhammadu Buhari . 1 +The station signal could be heard from Vancouver to Vancouver , British Columbia , Washington , DC . The station signal could be heard from Vancouver , British Columbia to Vancouver , Washington , DC . 0 +In 1958 and 1967 he won first place at his table , but was the third in 1962 . He won 1st place at his table in 1958 and 1967 but in 1962 he was the third . 1 +The next day after Constantine left , Ashley visits Ryan P. to discuss their feelings . The next day , after Ashley has left , Constantine visits Ryan P. to discuss their feelings . 0 +On 18 January , a caucus of 64 Bucktail legislators nominated US Vice President Benjamin Mooers for the Governor and State Senator Daniel D. Tompkins for Vice Governor . On 18 January , a caucus of 64 Bucktail - legislators US - Vice President Daniel D. Tompkins nominated for governor and senator Benjamin Mooers for Vice Governor . 0 +Natália Falavigna da Silva ( born 9 May 1984 in Brazil ) is a taekwondo athlete from Maringá . Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo athlete from Brazil . 0 +The constant power density is determined by the product resulting from the continuous torque density and the continuous torque - speed range of the electric machine . The constant power density is determined by the product of the continuous torque density and the continuous torque speed range of the electric machine . 1 +"The team , founded in 1906 , won the first American "" double "" when it brought the National Association Football League and American Cup titles in 1912 ." "Founded in 1906 , the team won the first American "" double "" when it took the 1912 National Association Football League and American Cup titles ." 1 +The length of the forewings is 3.5 -- 5 mm . Adults have been recorded from November to February in Argentina and in October in Brazil . The length of the wings is 3.5-5 mm , adults have been registered in Brazil from November to February and in Argentina in October . 0 +He joined the Canadian Fencibles in Quebec in 1803 , and joined them in 1805 to Scotland . He joined the Canadian Fencibles in Scotland in 1803 and joined them in 1805 to Quebec . 0 +In Lima , the musical was released on June 16 , 2012 starring Tati Alcántara , Denisse Dibós , and Marco Zunino in Teatro Municipal ( Perú ) . The musical was published in Perú on 16 June 2012 with Tati Alcántara , Denisse Dibós and Marco Zunino in Teatro Municipal ( Lima ) . 0 +He got married to Sayyida Asma Muthu Beevi from a well-known Sayyid family of Ponnani Vettom Pokkiriyakam . He married Sayyid from a well-known family Sayyida Asma Muthu Beevi of Ponnani Vettom Pokkiriyakam . 0 +Hine was born in 1936 in New Westminster , British Columbia . Hine grew up in Burnaby . Hine was born in Burnaby in 1936 and grew up in New Westminster , British Columbia . 0 +In February 2011 , Cenveo Corporation sold its Envelope Products Business including the Columbian Brand Envelope to MeadWestvaco 's Quality Park Envelope Products Group . In February 2011 , MeadWestvaco sold its envelope products business , including the Colombian brand handling , to Cenveo Corporation 's Quality Park Envelope Products Group . 0 +The light novels are written by Dojyomaru and are illustrated by Fuyuyuki and published by Overlap Bunko . The light novels are written by Dojyomaru and published by Fuyuyuki , and are illustrated by Overlap Bunko . 0 +It is considered the longest and third bloodiest of the failed wars of secession in the Brazilian Empire , after the Cabanagem Revolt and Balaiada Revolt . It is considered to be the bloodiest and third longest of the failed secession wars in the Brazilian Empire , after the Cabanagem insurrection and the Balaiada revolt . 0 +Coxeter defines anti-unitary groups with other constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines anti-unitary groups with other constructions , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . 1 +In 1993 , at Kuban State University , he graduated as a philologist and teacher of the same language , and in 1995 he graduated from the Russian University as a lawyer . In 1993 he graduated from the Kuban State University as a philologist and teacher of the same language , in 1995 , the Russian University as a lawyer . 1 +The election of 1954 South Carolina United States Senate was held on November 2 , 1954 to choose the next U.S . The 1954 U.S. United States Senate election was held on November 2 , 1954 to select the next South Carolina . 0 +"A book by Scott Hallsworth , "" The Japanese Foie Gras Project "" was published in 2007 , and contains a forward by Nobuyuki Matsuhisa ." "A book by Scott Hallsworth , "" The Japanese Foie Gras Project "" was released in 2007 , and contains a talk by Nobuyuki Matsuhisa ." 0 +Pat takes Roy on a tour of Paris and they visit the landmarks below . Roy takes Pat on a tour of Paris and they visit the below landmarks . 0 +Zhu Huan 's army experienced great success initially and destroyed all of Cao Ren 's armies in the field . Cao Ren 's army initially experienced a great success and destroyed all Zhu Huan 's armies in the field . 0 +Field is the second largest shopping centre in Denmark and one of the largest in Scandinavia . Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . 1 +In 1982 , SGA moved its executive bureau from Nashville to New York City . In 1982 , SGA moved its executive office from Nashville to New York City . 1 +The municipality is situated in southern Schuylkill County and is bordered to the southeast by Columbia County . The township is in southern Columbia County and is bordered to the southeast by Schuylkill County . 0 +The novel was read by Kirsty Williams as BBC - Radio - 4 - Bedtime Book , adapted by Toby Stephens and produced by Lu Kemp . The novel was adapted by Lu Kemp as BBC Radio 4 book near Bedtime in 2008 , read by Toby Stephens and produced by Kirsty Williams . 0 +The U.S. Navy returned to the Royal Navy on August 22 , 1945 in Harwich , England . "On August 22 , 1945 , the Royal Navy "" Foley returned to the U.S. Navy in Harwich , England ." 0 +The following month , Bullet Club received its first Japanese member , when Styles joined and Yujiro Takahashi helped win the IWGP Heavyweight Championship . In the following month , Bullet Club received its first Japanese member when Yujiro Takahashi joined and helped Styles conquer the IWGP Heavyweight Championship . 0 +Rockhampton was also the junction of the Central Western line and Emu Park line . Rockhampton was also the intersection of the Central Western Line and Emu Park Line . 1 +Pinneberg is a town in the district of Elmshorn in Schleswig-Holstein , Germany . Pinneberg is a town in the district of Elmshorn in Schleswig-Holstein in Germany . 1 +He performed at festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . He has played at the festivals in Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . 0 +The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the Basketball season 2014 -- 15 NCAA Division I men . The 2014 -- 15 Idaho State University men 's basketball team represented Idaho State Bengals during the 2014 -- 15 NCAA Division I men 's basketball season . 0 +In early 2012 Enrile was the presiding officer of the Impeachment of Chief Justice Renato Corona . In early 2012 , Renato Corona was the presiding officer of the indictment of Chief Justice Enrile . 0 +The shells are formed of aragonite , although the cameral deposits may consist of primary calcite . The shells are made of aragonite , although the primary deposits may consist of cameral calcite . 0 +The two main water systems are the Guayas in the North and the Esmeraldas River in the South . The two main water systems are in the north of the Esmeraldas and in the south the Guayas . 0 +In 1767 , Heathcote published an anonymous letter to Horace Walpole about the dispute between David Hume and Jean-Jacques Rousseau , which was attributed to Walpole himself . In 1767 , Heathcote published an anonymous letter to David Hume on the dispute between Horace Walpole and Jean-Jacques Rousseau , which was attributed to Walpole himself . 0 +In 1875 he moved to Watervliet with his parents who settled in the Berrien County . In 1875 he moved to Berrien with his parents , who settled in Watervliet . 0 +The seeds are white , with a thin shell , a long endosperm and a wing wing . The seeds are white , with a thin shell , a long endosperm , and a vestigial wing . 1 +However , Aramaic remains a spoken , literary , and liturgical language for local Christians and also some Jews . Aramaic remains , however , a spoken , literary and liturgical language for local Christians and also for some Jews . 1 +The government of Punjab , a federal government in the provincial structure of Pakistan , is in Lahore , the capital of the Punjab province . The government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of Punjab province . 0 +Mimi Sodré was a student at the Naval Academy after reading a book by Baden Powell , called Scouting for Boys , when he was interested in scouting . Baden Powell was a student at the Naval Academy after reading a book by Mimi Sodré called Scouting for Boys , when he was interested in the scouting . 0 +Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Belarusian ( until 2000 ) and Ukrainian ( since 2000 ) flight skier . Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Ukrainian cross-country skier ( until 2000 ) and a Belarusian ( since 2000 ) . 0 +In 1963 I met Felix Cavaliere ( a pickup singer on the local R 'B circuit ) and Eddie Brigati ( a classically trained pianist ) . Danelli met Eddie Brigati ( a pickup singer on the local R & B circuit ) , and Felix Cavaliere ( a classically trained pianist ) in 1963 . 0 +( Published by Marysia Lewandowska and Laurel Ptak ) are recent publications , edited by Tensta konsthall together with Sternberg Press , Berlin . New publications edited by Marysia Lewandowska and Laurel Ptak , published by Tensta konsthall together with Sternberg Press , Berlin . 0 +Its organic elements were simultaneously reconstituted , and the battalion was activated on 1 June 1959 with headquarters at Clearfield , Pennsylvania . Its organic elements were reconstituted simultaneously and the battalion was activated on 1 June 1959 , with its headquarters in Clearfield , Pennsylvania . 1 +Andy Pettitte opened the top of the fifth inning with a double and scored on a single to center field by Nick Swisher . Andy Pettitte opened the top of the fifth inning with a double and achieved in a single to center field by Nick Swisher . 1 +There is also a large number of Chinese Liverpudlians of mixed European and Chinese ethnicity , descendants of the earlier generations of Chinese settlers in the city . There is also a large number of mixed European and Chinese Liverpudlians of the Chinese ethnic group , descendants of former generations of Chinese settlers in the city . 0 +The district of Indore consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . District Mhow consists of four divisions : Depalpur , Sanwer , Indore and Indore . 0 +He also won numerous children 's books and illustrated five times the Levstik Award for his illustrations , in 1958 , 1962 , 1967 , 1974 and 1975 . He also illustrated numerous children 's books and won the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . 0 +Towradgi is located at Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . Towradgi is located on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . 1 +Lemoa is a town and municipality located in the province of Biscay , in the autonomous community of Basque Country , northern Spain . Lemoa is a town and municipality in the province of Bizkaia , in the Autonomous Community of Basque Country , in northern Spain . 1 +The static component is the total resistance of the soil minus the dynamic component . The static component is the total soil resistance minus the dynamic component ) . 1 +He also asked Krishna Reddy to come from Chennai to Hyderabad to help him in the shop . He also asked Krishna Reddy to come from Chennai to Hyderabad to help him in the business . 1 +His recorded work with this orchestra was represented on the RCA Victor Red Seal , EMI , Vox Records and Telarc . His recorded work with that orchestra was represented on RCA Victor Red Seal , EMI , Vox Records , and Telarc . 1 +It was designed by Philip Oliver Ellard Hawkes and produced by local monumental masonry firm Frederick William Webb . It was designed by Philip Oliver Ellard Hawkes and produced by the local monumental masonry company Frederick William Webb . 1 +The wife of Techotlalatzin was a princess from Huexotla , Queen Cuauhcihuatzin , mother to his successor Quinatzin , her grandson was Ixtlilxochitl I . Quinatzin 's wife was a Princess from Huexotla , Queen Cuauhcihuatzin , mother of his successor Techotlalatzin . Her grandson was Ixtlilxochitl I . 0 +The 1980 Atlanta Braves season was the 110th season in Atlanta together with the 15th season as a franchise . The 1980 Atlanta Braves season was the 15th season in Atlanta along with the 110th season as a franchise overall . 0 +Joe was born on 27 March 1929 in Quincy , Massachusetts and grew up in Somerville , Massachusetts . Joe was born on 27 March 1929 in Somerville , Massachusetts and grew up in Quincy , Massachusetts . 0 +Sir Roger Martyn ( or Martin ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . Sir Martin ( or Roger Martyn ) was a Mercer and Lord Mayor of London in 1567 , and in 1559 he was Sheriff of London . 1 +The diocese consists of the counties of Lambton , Huron , Middlesex , Elgin , Norfolk , Oxford , Perth , Kent and Essex . The Diocese covers the counties of Lambton , Huron , Middlesex , Elgin , Norfolk , Oxford , Perth , Kent and Essex . 1 +This version was released on August 18 , 2016 in North America and on January 5th , 2017 in Europe and Australia . This version was released in North America on August 18 , 2016 , and Europe and Australia on January 5 , 2017 . 1 +In August 2009 , they published a special collection of eight DVDs of their tours throughout Europe and Los Angeles and published on their official MySpace . In August 2009 they edited a special collection of eight DVDs of their tours around Europe and Los Angeles and published them on their official MySpace . 1 +On July 7 , 1997 , Pathfinder raised the altitude record for solar -- powered aircraft to , which was also the record for propeller -- driven aircraft . On 7 July 1997 , Pathfinder increased the altitude record for solar powered aircraft , which was also the record for propeller aircraft . 0 +Also , all completely regular spaces are regular ( even if not normal ) Sierpinski - space is an example of a normal space that is not normal . Also , all fully regular spaces are regular ( even if not normal ) . Sierpinski space is an example of a normal space that is not normal . 1 +The effect has mainly been observed on nuclear atoms which have alkaline properties particularly suitable for working with traps . The effect has been observed mainly in alkaline atoms that have nuclear properties which are particularly suitable for working with traps . 0 +The Sâmbăta River is a tributary of the Piatra Caprei River in Romania . The River Piatra Caprei is a tributary of the Sâmbăta river in Romania . 0 +Since 2003 , Sharon Northe has been the head of the group , since 2017 Heather Weaver has been President . Since 2003 , Heather Weaver has been head of the group and since 2017 Sharon Northe has been President of the Group . 0 +The company was registered as Spacetec , which was re-established on December 11 , 1984 . The company was registered as Spacetec , which was re-established on 11 December 1984 . 1 +In geometry , the heptagonal tiling is a regular tiling of the hyperbolic plane . In geometry , the hyperbolic tiling is a regular tiling of the seven-section plane . 0 +Instead , AC3 allows producers to choose input level over a wide range , by including a required dialnorm value representing the measured dialog level of the input signal . Instead , AC3 enables producers to choose the input level over a wide range by representing a measured dialog value , including the required dialog level of the input signal . 0 +Nora Navarro was born as the second of six children of the physician Winifredo Santos and María Rosario Santos y Navarro . Nora Navarro was born the second of six children of Winifredo Santos , a physician , and María Rosario Santos y Navarro . 1 +""" Darn That Dream "" is a popular song with music by Jimmy Van Heusen and texts of Eddie DeLange , published in 1939 ." """ Darn That Dream "" is a popular song with music by Jimmy Van Heusen and lyrics by Eddie DeLange , published in 1939 ." 1 +In a relatively simple form , a microcapsule is a uniform ball with a small wall around it . In a relatively simple form , a microcapsule is a small sphere with a uniform wall around it . 0 +A. J. Timlin put up the first store , which was run by T. J. Smith for many years . A. J. Timlin opened the first store which was run for many years by T. J. Smith . 1 +And procedural knowledge ( steps to take and what decision when to do ) . And procedural knowledge ( steps to make and what decision to do when ) . 1 +State producers are RJD2 ( Akron ) and Drama Beats ( Columbus ) . Producers from the state are RJD2 ( Columbus ) and Drama Beats ( Akron ) . 0 +Wenlock Modern School opened in 1953 on the famous site of the original Olympic Games . It later was renamed William Brookes School . The Wenlock Modern School was opened in 1953 on the site of the famous Olympic Games and later renamed William Brookes School . 0 +The River Mouca ( or Moca River ) is a tributary of the Salcia River in Romania . The Mouca River ( or Moca River ) is a tributary of the Salcia River in Romania . 1 +She sailed over Sydney and arrived in Rio de Janeiro on 14 September . She sailed over Rio de Janeiro and arrived in Sydney on September 14 . 0 +In Portage township there are two villages : a part of the Jerry City in the south and part of Portage in the northwest . Two villages are located in Portage : part of Jerry City in the south , and part of Portage Township in the northwest . 0 +Baker was established on the Iowa side of the river , and Buell , the side of Illinois . Baker established himself on the Iowa side of the river , and Buell , the Illinois side . 1 +Restovich was traded to the Chicago White Sox from the Arizona Diamondbacks on July 27 , 2011 . On July 27 , 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . 0 +The Ojhas are ritual leaders , teachers and members of the highest spiritual rank as brahmans in the varna system of Hinduism . The Ojhas are spiritual guides , teachers and members of the highest ritual rank in the varna system of Hinduism as brahmans . 0 +In the team that played the second test , Pakistan made a change : Alimuddin replaced Intikhab Alam . Pakistan made one change in the team that played the Second Test : Alimuddin replaced Intikhab Alam . 1 +Havana Township was originally called Lafayette Township , and under the latter name was organized in 1857 . Originally , the Lafayette Township was called Havana Township , and under the latter name was founded in 1857 . 0 +North Williamstown Station is located on the Williamstown line in Victoria , Australia . North Williamstown railway station is located on the Williamstown line in Victoria , Australia . 1 +"The league has been described as using English and Celtic mythology "" against what is perceived as a politically correct celebration of multicultural southern diversity "" ." The League is perceived as using English and Celtic mythology belligerently against what has been described as a politically correct celebration of multicultural Southern diversity . 0 +"Pidoux appeared as cellist Pablo Larraín in "" Jackie "" by Pablo Casals ." "Pidoux appeared as cellist Pablo Larraín in Pablo Casals 's "" Jackie "" ." 1 +Born in Parkesburg , Pennsylvania , Scott was buried in Chester County , Pennsylvania . Scott was born in Parkesburg , Pennsylvania , and was buried in Chester County , Pennsylvania . 1 +While the reality of such aspects may differ from perceptions , public perceptions are strong enough to achieve huge opposition to certain housing programs ( Tighe 2010 ) . While the reality of such aspects may differ from the perceptions , public perceptions are strong enough to mount formidable opposition to certain housing programs ( Tighe 2010 ) . 1 +Lloyd took over command of the 12th Field Artillery Brigade on 28 November , 1917 and then the 6th Field Artillery Brigade on 7 February , 1918 . On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on February 7 , 1918 the 12th Field - Artillerie - Brigade . 0 +Alan has even tried to be friends with Judith ; however , it was extremely difficult for him to be happy for the woman who ruined his life . Judith even tried to be friends with Alan , but it was extremely difficult for him to rejoice for the woman who has ruined his life . 0 +Pratt left Vickers in 1912 to work for J. Samuel White at Cowes . In 1912 , Vickers had left Pratt to work for J. Samuel White in Cowes . 0 +"Halperin , Thompson and Archer introduced the song "" I Love You "" from Jay Velie ." "Halperin , Thompson and Archer introduced the song "" I Love You "" by Jay Velie ." 1 +64 Democrats and 64 Whigs were declared elected to the New York State Legislature of the 73rd New York State Assembly . 64 Democrats and 64 Whigs were elected to the New York State Assembly of the 73rd New York State Legislature . 0 +According to the 1885 Dictionary of National Biography , Leland is assigned by Ralph Acton and his followers to the first half of the fourteenth century . After the 1885 Dictionary of National Biography , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his followers . 1 +Alfred Gregson ( March 2 , 1889 - March 1968 ) was an English professional football player who played for Grimsby Town and Bury in the Football League . Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English internal football player who played for Grimsby Town and Bury in the Football League . 0 +Beat Delaware 52-0 and Pittsburgh army defeated 34-6 . Navy beat Delaware 52-0 and Pittsburgh defeated Army 34-6 . 0 +Between 1865 and 1876 , Jones spent a large part of his time in New York while retaining Baltimore as his residency . Between 1865 and 1876 Jones spent a large part of his time in New York , while retaining Baltimore as his residence . 1 +Kaamadhenu is an Indian Malayalam film from 1976 , directed by J. Sasikumar and produced by Hassan Rasheed . Kaamadhenu is a 1976 Indian Malayalam film , directed by J. Sasikumar and produced by Hassan Rasheed . 1 +The music was composed by G. Devarajan and text was written by ONV Kurup and Vayalar Ramavarma . The music was composed by ONV Kurup and Vayalar Ramavarma and the lyrics by G. Devarajan were written . 0 +Sarah had an illegitimate daughter , Louisa Catherine , on 22 March 1839 . Sarah was an illegitimate daughter , Louisa Catherine , on March 22 , 1839 . 0 +Moreover , many Angika speakers have emigrated to the Persian Gulf , the United Kingdom , the United States , Canada and other countries . In addition , many Angika speakers in the Persian Gulf have emigrated to the United States , Canada , the United Kingdom and other countries . 1 +The National Ports Authority provides port infrastructure and marine services at the eight commercial seaports in South Africa . The National Ports Authority provides port infrastructure and commercial services in the eight seaports of South Africa . 0 +Diloma radula is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . Diloma radula is a species of sea snail , a top gastropod mollusk in the Trochidae family , the naval snails . 1 +"Lars Rosing is playing the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" , Lars Rosing lives near Montreal in Canada ." "Lars Rosing plays the protagonist Lars Rosing in Greenland 's first international feature film "" Nuummioq "" . Malik lives near Montreal in Canada ." 0 +"While Quine has referred to such logics as "" free "" logic , they are now called inclusive logics ." "While Quine has referred to such logics as "" inclusive "" logics , they are now called free logic ." 0 +Relatively small , it had a round wooden wall and a strong gatehouse as well as watchtowers . Relatively small , it had a strong wall and a circular , wooden gatehouse as well as watchtowers . 0 +The resulting explosion then destroyed the core vehicle , and the second SRB also initiated its own self-destruction . The resulting explosion also destroyed the nuclear vehicle , and then the second SRB initiated its own self-destruction . 1 +Bryant was born in Melbourne and attended Firbank Girls ' apos ; Grammar School in Perth , Western Australia . Bryant was born in Perth , Western Australia and attended Firbank Girls ’ apos ; Grammar School in Melbourne . 0 +Glen Sheil was born in Queensland and moved to Sydney from a young age . Glen Sheil was born in Sydney and moved to Queensland at a younger age . 0 +There were also several animatronic characters created ... a giant goose ( Galaga ) and an animatronic head for the puppet theater Cernos . Several animatronic characters were also created ... a giant goose ( Galaga ) and an animatronic head for the puppeteered Cernos . 1 +Petra Feucht ( born 22 March 1965 ) , born Petra Keppeler , is a former professional tennis player from Germany . Petra Keppeler ( born March 22 , 1965 ) , born Petra Feucht , is a former professional tennis player from Germany . 0 +Cheetham , born on 30 January 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . Born in El Paso , Texas , January 30 , 1928 , Cheetham grew up in Taos , New Mexico , received B.S . 0 +Elizabeth Gordon was the daughter of Adam de Gordon , Lord of Gordon and Elizabeth Keith , daughter of William Keith , Marishal of Scotland . Elizabeth Gordon was the daughter of William Keith , Lord of Gordon and Elizabeth Keith , daughter of Adam de Gordon , Marischal of Scotland . 0 +"( 2 ) Minneapolis Lakers versus ( 3 ) Rochester Royals : "" Lakers Win 2-1 Series" "( 2 ) Rochester Royals vs ( 3 ) Lakers : "" Minneapolis Lakers win 2-1 Series" 0 +The Government of Punjab , a federal government in the provincial structure of Pakistan , is based in Lahore , the capital of the Punjab Province . The government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of Punjab province . 0 +"Kuroń , Modzelewski and Michnik were arrested again , and a majority of the "" Komandosi "" members were imprisoned ." "Kuroń , Modzelewski and Michnik were detained again and a majority of the "" Komandosi "" members were imprisoned ." 1 +The Rădoteasa or Rădocheasa river is a tributary of the Cărbunele River in Romania . The Rădoteasa River or Rădocheasa River is a tributary of the Cărbunele River in Romania . 1 +Lewis was also a member of the Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguare , Cleveland Browns , and Virginia Destroyers . Lewis was also a member of Cleveland Browns , Jacksonville Jaguars , the Oakland Raiders , Seattle Seahawks , Detroit Lions , and Virginia Destroyers . 1 +It only comes in standard black , although a white version has been released worldwide in Japan . It comes in standard black only , although a white version was released in Japan worldwide . 1 +In addition , it damaged 340 houses and destroyed 12 , most of them in Collier County . In addition , it destroyed 340 houses and damaged 12 , most of which are in Collier County . 0 +For some time , Miller Miller was raised in the mountains of Tijuana , Mexico , before settling in Santa Barbara , California . Miller was raised for some time in the mountains of Santa Barbara , California , before settling in Tijuana , Mexico . 0 +"The author Jessica Mitford expressed her admiration for Christopher Hitchens and praised "" Hons and Rebels "" ." "The author Jessica Mitford expressed her admiration for Christopher Hitchen and praised "" Hons and Rebels "" ." 1 +Djokovic has combined more ATP points than Roger Federer No . 2 and Andy Murray no . Djokovic has more ATP points that Roger Federer No . 2 and Andy Murray No . 3 combined . 0 +Secondly , all metabotropic receptors , coupled to G , are proteins that control the production of adrenergic chemical messengers . All adrenergic receptors are metabotropic , coupled to G proteins that control the production of second messengers . 0 +Tupperware Brands Corporation , formerly Tupperware Corporation , is an American multinational direct distribution company . Tupperware Corporation , formerly Tupperware Brands Corporation , is an American multinational direct selling company . 0 +Tombolo is a tombolo in the Balıkesir - province of Turkey It is in the Marmara sea . Belkıs Tombolo is a tombolo in Marmara Sea of Turkey . It is in Balıkesir Province . 0 +Jonathan Dakers met Edie Martyn as a child ( Beatrice Campbell ) . As a child Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) . 1 +It is well known as the place where Friedrich Schiller worked on the second act of Don Carlos and wrote his first edition of the famous Ode to Joy . It is known as the place where Friedrich Schiller worked on the first act of Don Carlos and wrote his second edition of the famous Ode to Joy . 0 +It was opened on 8 April 1994 and was the second bridge over the lower Mekong , and the first on the full course of the Mekong . Opened on April 8 , 1994 , it was the first bridge across the lower Mekong , and the second on the full course of the Mekong . 0 +It was directed by an Australian , Ed Devereaux , with many Australians in the cast including Alan Burke . It was directed by an Australian , Alan Burke , with many Australians , including Ed Devereaux in the occupation . 0 +"First Bharathiraja was presented by Karthik in the film "" Alaigal Oivathillai "" ." "Bharathiraja was first introduced by Karthik in the film "" Alaigal Oivathillai "" ." 1 +William Henry Henry Harman was born on February 17 , 1828 in Waynesboro , Virginia , with his parents Lewis and Sally ( Garber ) Harman . William Henry Harman was born in Waynesboro , Virginia on February 17 , 1828 . His parents were Lewis and Sally ( Garber ) Harman . 1 +In October 2015 , Bennett resigned from the Knesset to allow Shuli Mualem to take over his seat . In October 2015 , Bennett resigned from the Knesset in order to allow Shuli Mualem to take his seat . 1 +Harry , the brother of Ted Cordner , and his cousins Alan Cordner and Larry Cordner also played Senior VFL Football . Ted Cordner 's brother Harry , and his cousins Alan Cordner and Larry Cordner , also played senior VFL football . 1 +Walter Gropius was the great-uncle of architect and Bauhaus founder Martin Gropius . Martin Gropius was the great-uncle of the architect and Bauhaus - founder Walter Gropius . 0 +In September 2015 , Morimoto opened the Pan-Asian restaurant Morimoto Asia at Walt Disney World in Disney Springs in Florida . In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Walt Disney World in Disney Springs , Florida . 1 +The manuscript was bought in 1819 , by Edward Everett from America to Constantinople , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett of Constantinople to America in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +Belkıs Tombolo is a tombolo in Balıkesir Province of Turkey . It is in Marmara Sea . Tombolo is a tombolo in the Balıkesir - province of Turkey It is in the Marmara sea . 1 +The first vector locates the direction of the axis and the second vector identifies its position . The first vector identifies the direction of the axis , and the second locates its position . 0 +Raion Peremyshliany is a raion in western Lviv in the Ukraine . Peremyshliany Raion is a raion in Lviv Oblast in western Ukraine . 0 +Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 1 -- 6 Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 - 1 0 +They opposed both parliamentary democracy and the totalitarian communist , fascist and Nazi regimes . They resisted both parliamentary democracy and the totalitarian Communist , Fascist and Nazi regimes . 1 +Suncook is located in the southern corner of the city of Pembroke and the western end of the town of Allenstown . Suncook is located in the western corner of the town of Allenstown and the southern end of the town of Pembroke . 0 +In the first half of the 9th century the traditions of the second half continued . In the second half of the 9th century , the traditions of the first half have continued . 0 +The film stars Lyllian Leighton ( invoiced as Adrienne Kroell , Lillian Leighton ) and Jack Nelson . The film stars Adrienne Kroell , Lillian Leighton ( billed as Lyllian Leighton ) and Jack Nelson . 0 +In 1848 the Catholic Parish Cooraclare ( Kilmacduane ) was separated from Kilmihil again . In 1848 the Catholic parish of Kilmacduane was separated from Cooraclare again . 0 +The Barmat scandal was later often used in the Nazi - propaganda , both as an electoral strategy and as an appeal to anti-Semitism . The Barmat scandal was later often used in Nazi propaganda as an electoral strategy and as an appeal to anti-Semitism . 0 +An electronic signature is intended to provide the signatory with a seamless identification method to guarantee a secure and accurate transaction . An electronic signature is intended to provide a secure and accurate identification method for the signatory to provide a seamless transaction . 0 +There are 22 species in the genera , 17 species have a dextral shell and 5 species are sinistral . There are 22 species in the genus , 17 species have a sinistral cover and 5 species are dextral . 0 +For the officers of the old army , Dillon assumed noble duties at a very difficult time . Dillon assumed noble duties at a very difficult time for military officers of the old army . 1 +The Youth of the Devil ( Italian : La giovinezza del diavolo ) is a 1921 Italian silent film directed by Francesca Bertini and starring Roberto Roberti . The youth of the devil ( Italian : La giovinezza del diavolo ) is an Italian silent film directed by Roberto Roberti and Francesca Bertini in 1921 . 0 +Kuzmice is a village and municipality in the district of Trebišov in the region of Košice in eastern Slovakia . Kuzmice is a village and municipality in the Košice Region in the Trebišov District of eastern Slovakia . 0 +Liddell then replaced Rua in the main event with Liddell , but Rashad Evans was forced to withdraw from the card due to a hamstring injury . Liddell then replaced Rua in the main event with Liddell , but Rashad Evans was forced to withdraw from the card due to a femoral injury . 1 +It was extended by Laura to the Booleroo Centre in 1910 and finally to Wilmington in 1915 . It was expanded from Laura to Wilmington in 1910 and finally to the Booleroo Centre in 1915 . 0 +French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom in 1890 , which was formally annexed into French West Africa in 1904 . In 1890 , French Colonel Louis Archinard formally conquered the entire territory of the former Kingdom of Kaarta , which was annexed to the French West Africa in 1904 . 0 +Santa Ana Nopalucan is a municipality in Mexico in south-eastern Tlaxcala . Santa Ana Nopalucan is a municipality in southeastern Tlaxcala in Mexico . 1 +Cranoe is a small village and civil community in the district of Harborough Leicestershire , England . Cranoe is a civil village and a small municipality in the Harborough district of Leicestershire , England . 0 +Two of these four hostels are located in Mumbai , one each in Delhi and Pimpri near Pune . Two of these four hostels are located in Delhi , one of them in Pune and Pimpri near Mumbai . 0 +In the second half of the 9th century the traditions of the first half continued . In the second half of the 9th century , the traditions of the first half have continued . 1 +The series was co-written by John Misto and was produced by Misto , Graeme Koetsveld and Ray Kolle . The series was created by John Misto and is written by Misto , Graeme Koetsveld and Ray Kolle . 0 +Little Tramp is a musical with a book by David Pomeranz and music and texts of David Pomeranz and Steven David Horwich . Little Tramp is a musical with a book by David Pomeranz and Steven David Horwich and music and lyrics by David Pomeranz . 0 +The high school also serves students from four other sending communities : Alpha , Bloomsbury ( in Hunterdon County ) , Greenwich Township and Lopatcong Township . The high school school also serves students from four other sending communities : Alpha , Bloomsbury ( in the Greenwich Township and Lopatcong Township ) , Hunterdon County . 0 +The region was the cradle of various ancient civilizations such as Ancient China , ancient Japan , ancient Korea , and the Mongol Empire . The region was the cradle of various ancient civilizations , such as ancient China , old Korea , ancient Japan , and the Mongolian Empire . 1 +Born in Quebec City , Quebec , son of Garon Pratte and Claude Pratte . Cousin of G. Rivard , who is son of Gaston Pratte and Jeannette Verge . Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard , Cousin by Claude Pratte , the son of Gaston Pratte and Jeannette Verge is . 0 +In addition to her own dowry , Cecily brought the wardship of her daughter Katherine to her new husband . Together William Hastings and Katherine had six children : In addition to her own dowry , Cecily brought her new husband the station of her daughter , Katherine , who , together with William Hastings and Katherine , had six children : 1 +It opened in 1955 , shortly after new mayor Norris Poulson ended all new public housing in the city . It ended in 1955 , shortly after the new mayor Norris Poulson opened all new public housing in the city . 0 +Rituximab has been investigated , and in April 2011 approved by the FDA when used in combination with glucocorticoids in adult patients . Rituximab was investigated and approved by the FDA in April 2011 when it has been applied in combination with glucocorticoids in adult patients . 1 +The Cartal River is a tributary of the Casimcea River in Romania . The river Cartal is a tributary of the Casimcea River in Romania . 1 +Holsman granted the Parkway Garden Homes a modernist design inspired by European housing projects of the 1920s and 1930s . Holsman gave the Parkway Garden Homes a European design inspired by Modernist housing projects of the 1920s and 1930s . 0 +It was created by the Constitution of Afghanistan , which was approved on January 4 , 2004 . It was created by the Constitution of Afghanistan , which was adopted on 4 January 2004 . 1 +Castlebrae Community High School is a secondary school in the Edinburgh area of Greendykes . Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . 1 +Diseases associated with this genus include : DCV : increased reproductive potential ; extremely pathogenic when injected with high associated mortality ; CrPV : paralysis and death . Illnesses associated with this genus include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . 0 +In October 2001 , he defended his Ph.D. in Psychology at the Free University of Brussels on the theme of the human models of cognitive hypertext navigation . He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of human models of cognitive hypertext navigation . 1 +The circumstances of Birinski 's early life are quite different ; indefinite sources offer eight possibilities of his place and date of birth . The circumstances of Birinski 's early life are quite different , indeterminate sources offer eight possibilities of his place of birth and date . 1 +Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the traditional constitutional monarchies in the Uganda of the 21st century . Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the Uganda of the 21st century . 0 +Ignjat Job painted colourful landscapes on the island of Braa in a personal Expressionist style . On the island of Brač , Ignjat Job painted colourful landscapes in a personal Expressionist style . 1 +Born and raised in Dallas , was the son of Margot ( born Birmingham ) and Ross Perot . Perot was born and raised in Dallas , the son of Margot ( nee Birmingham ) and Ross Perot . 1 +Curry was born in Longbenton , Northumberland , in 1935 , and died in Mansfield , Nottinghamshire , in 1990 at the age of 54 . Born in 1935 in Mansfield , Nottinghamshire , Curry died at the age of 54 in Longbenton , Northumberland in 1990 . 0 +Aditya is carried to a magical island where he helps the little locals to defeat the giant Jhamunda . Aditya is carried to a tiny island where he helps the magical locals defeat the giant Jhamunda . 0 +The LFAC were officially created in 2005 and the first teams joining was Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . The LFAC was officially established in 2005 and the first teams were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . 1 +The Kam - people mostly live in eastern Guizhou , in western Hunan and in northern Guangxi in China . The Kam people live mostly in eastern Guizhou , western Hunan , and northern Guangxi in China . 1 +Vevey is a city in Switzerland in the canton of Vaud , on the north shore of Lake Geneva , near Lausanne . Vevey is a town in Switzerland in the canton Vaud , on the north shore of Lake Geneva , near Lausanne . 1 +He is a professor in Adult Education at the Åbo Akademi University , Vaasa ( Finland ) . He is a Professor of Adult Education at Åbo Akademi University in Vaasa , Finland . 1 +It was originally developed by groups of Chinese scholars in the Soviet Union , used by Chinese and Russian immigrants there until the majority of them left the country . It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until most of them left the country . 0 +Hardie became Secretary of the Party , while Cunninghame Graham was the first treasurer and George Mitchell was the president . Hardie became the party 's Secretary , while George Mitchell was the first Treasurer and Cunninghame Graham was the President . 0 +Velké Svatoňovice is a small village in Karkonosze , near the Czech Republic , founded in the year 1260 C.E . Velké Svatoňovice is a small village in the Karkonosze , near the Czech Republic , established in 1260 C.E . 1 +After the dough rises , it is torn into flat balls , spread into small rounds and fried in oil . After the dough is risen , it is torn into flat balls , spread into small rounds and fried in oil . 1 +"The screenplay by Leigh Vance is based on Clive Egleton 's novel "" Seven Days to a Killing "" ." "Clive Egleton 's screenplay is based on Leigh Vance 's novel "" Seven Days to a Killing "" ." 0 +""" Thanks to the Facebook generation , anyone by simply mounting a Selfie can become a Harvey Weinstone or a Kevin Spacey "" , he added ." """ Thanks to the Facebook generation , by simply attaching a selfie , anyone can become a Kevin Spacey or a Harvey Weinstein , "" he added ." 1 +""" Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of New Zealand 's North Island ." """ Clitarchus hookeri "" is found from Wellington to the Northland region in the south of the North Island of New Zealand ." 0 +"Small Celypha - rufana , small name lakes marble , is a common moth kind of the Tortricidae family , long under the junior - synonym "" C. rosaceana "" known ." "Celypha rufana , small name lakes marble , is a common moth species of the family Tortricidae , long known under the junior synonym "" C. rosaceana "" ." 1 +The groined vaulting of the roof is visible in the choir and the right transept , while the rest of the church has a wooden roof . In the choir and in the right transept the cross vault of the roof is visible , while the rest of the church has a wooden roof . 0 +Neptunea alexeyevi is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Neptunea alexeyevi is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +The LFAC was officially established in 2005 and the first teams were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . The LFAC was officially established in 2005 and the first teams were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . 1 +It is found from Fennoscandinavia to the Pyrenees , Italy , and Greece and from Great Britain to Russia and Ukraine . It can be found from Fennoscandinavia to the Pyrenees , Great Britain and Greece and from Italy to Russia and Ukraine . 0 +Unlike most liberal protests in the United States , the Tax March focused not on specific issues , but on broad demand . Unlike most liberal protests in the United States , the Tax March did not focus on specific issues , but instead focused on a broad demand . 1 +As assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . As assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . 0 +On 25 April 2016 , Jamar Howard was traded for Robinson at the Portland Steel . On April 25 , 2016 , Robinson was traded for Jamar Howard to Portland Steel . 0 +These include replicas in Ramat Shlomo in Jerusalem and in Kfar Chabad , Israel . These include replicas in the Shlomo Ramat in Israel and Kfar Chabad in Jerusalem . 0 +He studied in Cyprus until high school , and graduated from the American University in Damascus with a major in Political Science . He studied in Damascus until high school and graduated from the American University in Cyprus with a major subject in political sciences . 0 +He played in 2007 in Los Angeles Lollapalooza and 2008 at the FuckYeah Festival in Chicago . He played in 2007 at Chicago Lollapalooza , and in 2008 at the FuckYeah Festival in Los Angeles . 0 +His son Heinrich II ( died before 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I. Lestrange . His son John I Lestrange ( died before 1178 ) , twice Sheriff of Shropshire , held the castles Shrewsbury and Bridgnorth in 1174 for King Henry II . 0 +The gray suit was largely replaced by the dark blue or black suit in the 20th century . The black suit was largely replaced in the 20th century by the dark blue or grey suit . 0 +It was released on November 10 , 1995 in North America and in Japan in 1996 . It was published on 10 November 1995 in Japan and in 1996 in North America . 0 +It was written by Yasir Nawaz and is directed by Rida Bilal . It is written by Yasir Nawaz and directed by Rida Bilal . 1 +The city is located to the south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . The city is located south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 1 +The river Dunăreana is a tributary of the Galbena River in Romania . The Galbena River is a tributary of the Dunăreana River in Romania . 0 +Lottia emydia is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . Lottia emydia is a sea snail species , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 1 +Saunders was born in Dublin , the son of Matthew J. Saunders , of County Wicklow . Saunders was born in the county of Wicklow , the son of Matthew J. Saunders , from Dublin . 0 +Simon Mathews ( * 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Butler . Simon Mathews ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Butler in 1712 . 1 +It serves the port of Baltimore and local shipping companies , Helen Delich Bentley , and connects two railway lines I : CSX Transportation and the Norfolk Southern Railway . It connects the Helen Delich Bentley Port of Baltimore and local shipping companies , and serves with two Class I railroads : CSX Transportation and the Norfolk Southern Railway . 0 +The PIN used to generate a PVV can be generated randomly or selected by the user or even derived by using the IBM method . The PIN used to generate a PVV can be randomly selected or user generated or even derived using the IBM method . 0 +Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married in 1924 to the British aristocrat John F. A. Cecil , a descendant of William Cecil . Cornelia Stuyvesant Vanderbilt ( George and Edith Vanderbilt 's only child ) married British aristocrat , John F. A. Cecil , a descendant of William Cecil in 1924 . 1 +On 19 October , Shire PLC ( SHPG ) Linear Technology ( LLTC ) replaced the index . On October 19 , Shire PLC ( SHPG ) replaced Linear Technology ( LLTC ) in the index . 1 +He was part of the Swedish team that won the silver medal in the gymnastics of the men , Danish system event . He was part of the Danish team that won the silver medal in the gymnastics of the men , Swedish system event . 0 +The River Piatra Caprei is a tributary of the river Sâmbăta in Romania . The Piatra Caprei River is a tributary of the Sâmbăta River in Romania . 1 +"The finished product was marketed as "" UFO : Enemy Unknown "" in Europe and Australia and as "" X-COM : UFO Defense "" in North America ." "The finished product was marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X - COM : UFO Defense "" ." 1 +Whether classical users know that they are modern or not , does not matter . It does not matter match whether classical users know that they are modern or not . 1 +The mounting has a tripod , but the front leg is a wheel . The mounting is a tripod , but the front leg has a castering wheel . 0 +"In "" House of Despair "" Ed Griffin Quentin Collins tells that the people of Collinsport have not forgotten how "" the winter girl "" inexplicably disappeared ." "In "" House of Despair "" Quentin Collins Ed Griffin tells that the people of Collinsport have not forgotten how "" the winter girl disappeared inexplicably ." 0 +In 1855 , the Whig Party and the Anti-Nebraska Party merged in New York to form the Republican Party . In 1855 , the Whig Party and the Anti - Nebraska Party in New York merged to form the Republican Party . 1 +Ueki intended to introduce and explain Buddhism for a broad audience easily with daily concepts or common sense . Ueki intended to imagine and explain Buddhism easily for a broad audience with daily concepts or common sense . 1 +"The cast for the third season of "" California Dreams "" was the same as for the fourth season occupation ." "The cast for the third season of "" California Dreams "" was the same as the cast for the fourth season ." 1 +Nikolai Myaskovsky wrote his Symphony No . 9 in E minor , Op . 28 , between 1926 and 1927 . It was dedicated to Nikolai Malko . Between 1926 and 1927 Nikolai Malko wrote his symphony No . 9 in e - Moll op . 28 , dedicated to Nikolai Myaskovsky . 0 +The standard gauge line followed a new orientation through the Avon valley of Darling Scarp east of Perth . The new gauge line followed a standard alignment through the Avon Valley of the Darling Scarp east of Perth . 0 +The audio companion to the live concert was released on January 29 , 2008 as a digital album with iTunes . The audio companion to the digital concert was released as a live album on iTunes on January 29 , 2008 . 0 +In 2012 , for the Italian progressive group Karnya , Francesca Naccarelli made some violins - arrangements and the singer Claudio Nigris is guest in a song . In 2012 , for the Italian progressive group Karnya , Claudio Nigris made some violins - arrangements and the singer Francesca Naccarelli is guest in a song . 0 +Dowa is a district in the central region of Malawi and is the capital city of Dowa . Dowa is a district in the Central Region of Malawi . The capital is Dowa . 1 +"The Riemann Zeta function is defined by the absolutely convergent infinite row for reelle "" s "" with complex part greater than 1 ." "The Riemann zeta function is defined for real "" s "" with complex part greater than 1 , by the absolutely convergent infinite series ." 1 +Written by George Mastras and directed by Michelle MacLaren , broadcast on AMC in the United States and Canada on September 8 , 2013 . Written by George Mastras and directed by Michelle MacLaren , it aired on AMC in the United States and Canada on September 8 , 2013 . 1 +Other members included : AcBel , Ambient Corporation , bpl , Corinex Communications , IBEC , Netgear , PCN Technology , Toshiba , Toyo Network Systems , and Junaid . The other members included : AcBel , Toshiba , bpl , Corinex Communications , IBEC , Netgear , PCN Technology , Ambient Corporation , Toyo Network Systems and Junaid . 1 +Jack Cross was a comic book series written by Gary Erskine and drawn by Warren Ellis . It was first published by DC Comics in 2005 . Jack Jack Cross was a comic series written by Gary Erskine and drawn by Warren Ellis . It was first published by DC Comics in 2005 . 1 +It was first released as Knopweed Biocontrol in Oregon in the 1980s , and is currently established in the Pacific Northwest . It was first established as a knapweed biocontrol in the 1980s in Oregon , and it is currently released in the Pacific Northwest . 0 +The central mainland of the Shetland Islands is part of the mainland between Hellister , Aith and Voe . The Shetland Islands of the central mainland are part of the mainland , between Hellister , Aith and Voe . 0 +All standard varieties are based on the Ijekavian varieties of the Shtokavian dialect ( non-standard spoken varieties including , beside Ijekavian , also Ikavian Shtokavian ) . All standard varieties are based on the non-standardized spoken varieties of the Shtokavian dialect ( Ijekavian - varieties , including Ijekavian also Ikavian Shtokavian ) . 0 +In 2015 , Stephen Hawking offered Richard Branson a seat on the Virgin Galactic spaceship for free . In 2015 , Richard Branson offered Stephen Hawking a seat for free in the spaceship Virgin Galactic . 0 +Today it is an internationally recognised artistic and educational institution with developed departments , academic degrees , artistic and scientific activities . Today it is an internationally recognizable artistic and educational institution with developed departments , academic degrees , expressed artistic and scientific activities . 1 +In 1914 , the Oceanic Hotel closed and the Sunset Hotel was purchased by John Barber . The Sunset Hotel was closed in 1914 and the Oceanic Hotel was purchased by John Barber . 0 +The estate was then acquired by the Robertson ( sometimes spelt Robinson ) family . The estate was then acquired by the Robertson family ( sometimes also Robinson ) . 1 +The Council votes in one of three ways ; unanimity , qualified majority , or simple majority . The Council votes in three ways : unanimity , qualified majority or simple majority . 1 +Since 2002 , Scotland A has participated in the Amateur Four Nations competition and travelled to Serbia , the Netherlands and Italy . Since 2002 , Scotland A has participated in the Amateur Four Nations competition and toured Italy , the Netherlands , and Serbia . 1 +Writers for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . For this project , Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included . 1 +It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until the majority of them left the country . It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until most of them left the country . 1 +It was this title that John Jervis Brenton inherited ( his older brother Lancelot Brenton having died in 1817 ) . It was this title that Lancelot Brenton inherited ( his elder brother , John Jervis Brenton , died in 1817 ) . 0 +In the past , we remember the famous Maran , another Indian intelligence officer of DHEIVA THAAI from 1964 . In the past , we remember the other Maran , an Indian intelligence famous officer from DHEIVA THAAI of 1964 . 0 +Of the registered voters in the county , 13,474 were Democrats , 12,218 were Republicans and 15,887 were not affiliated with any party . Of the registered voters in the county there were 13,474 Republicans , 12,218 were Democrats , and 15,887 were not associated with any party . 0 +In June 1986 , Boeing 767-200ER replaced the DC-10 fleet with a new route to the Montréal -- Mirabel International Airport . In June 1986 , Boeing 767-200ERs replaced the DC - 10 fleet with a new route to Mirabel International Airport , Montréal . 1 +White was born in St. Louis , Missouri , the son of a Baptist minister , George L. White Sr. and his wife , Elizabeth Rebecca Guynn . Rebecca Guynn was born in St. Louis , Missouri , the son of Baptist priest George L. White Sr. and his wife White . 0 +It is located north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . It is situated north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . 1 +"He also managed several international music commercials , including the European "" Freestyle "" campaign for Nike , which has won many prizes , and commercial videos ." "He has also directed several international music commercials , including the European "" Freestyle "" campaign for Nike , which won many awards , and commercial videos ." 1 +Finally , in the evening , came a bowl of thin soup with a small piece of bread . In the evening , a bowl of thin soup came with a piece of bread . 1 +Poland sent the Grand Master a declaration of war , predated to 22 February . Both sides expected the war to end quickly . Poland sent a declaration of war to the Grand Master , dated February 22 , and both sides expected the war to end quickly . 0 +She was Catholic and he was a Jewish . She was Jewish and was Catholic . 0 +It was built and widened in 1974 , with gravel roads dredged on each side of the canal . It was built and widened in 1974 , dredged with gravel roads on each side of the channel . 1 +Glasson won 19 - times national hall championships , including nine Australian championships . Glasson won 19 times Australian championships , including nine national hall championships . 0 +"On October 1 , 1974 , Streisand and Columbia Records released ButterFly as their sixteenth studio album , months after "" The Way We Were "" ." "Streisand and Columbia Records distributed "" ButterFly "" as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." 0 +The difference between neutralizing antibodies and binding antibodies is that neutralizing antibodies neutralize the biological effects of antigen , while the antibodies bind the antigens . The difference between neutralizing antibodies and binding antibodies is that binding antibodies neutralize the biological effects of the antigen , while neutralizing antibodies flag antigens . 0 +John Monte is the bassist for the new band Evan Seinfeld , The Spyderz . Evan Seinfeld is the bassist for John Monte 's new band , The Spyderz . 0 +In 1945 , Blume was captured in Landsberg Prison by the Americans and brought to Salzburg . In 1945 , Blume was captured by the Americans in the Landsberg prison and taken to Salzburg . 1 +Recker retained the grocery store , and Portner focused on expanding the brewery . The portner kept the grocery store , and Recker focused on expanding the brewery . 0 +In March , they returned to Jason Sanderson 's studio to record their first material with their newest member , Reid . In March they returned to Jason Sanderson 's studio to record their first material with latest member Reid . 1 +Prakash was the international CIO of Avaya , then the Group CIO of iSoft and later the CIO of Sage Group in the UK . Prakash was the International CIO of Avaya , then the Group CIO of Sage Group and later the CIO of iSoft in UK . 0 +The Crişul Repede River is a tributary of the Izbândiș River in Romania . "The Izbândi "" River is a tributary of the River Crişul Repede in Romania . ' ;" 0 +Coronets and supporters were also reserved for the nobility , but they were used formally by a number of others , without any protests from the public authorities . Coronets and supporters were also reserved for the nobility , but were formally used by a number of others without any protests from the public authorities . 1 +The free tetracubes from two complete sets of corresponding tetrominos can also fit into 2 × 4 × 5 and 2 × 2 × 10 boxes . The corresponding tetracubes from two complete sets of free tetrominoes can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes : 0 +She married Uri Ilan and gave birth to her first first-born , Shlomo Ilan in 1935 . She married Uri Ilan and in 1935 gave birth to her first firstborn , Shlomo Ilan . 1 +The Victorian state election of 1945 was held on Saturday , November 10 , 1945 , in the Australian state of Victoria , to elect 65 members of the state ’ s legislative assembly . The Australian state election in 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state legislative assembly . 0 +Red Bank is located in the 4th Congressional District and is part of the 11th State Legislative District of New Jersey . Red Bank is located in the 4th Congressional District and is part of New Jersey 's 11th state legislative district . 1 +Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - Socialist and writer Beatrice Webb . Booth married Mary Macaulay in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Beatrice Webb . 1 +Since 1992 the unit is a full-time dedicated police tactical unit and is now known as the Special Emergency Response Team ( SERT ) . Since 1992 the unit has been a full-time police - tactical unit and is now known as the SERT ( Special Emergency Response Team ) . 1 +Administratively , this island belongs to the Russian Federation of the Astrakhan Oblast . Administratively , this island belongs to the Russian Federation of Oblast Astrakhan . 1 +The couple had their first child , Shalk Jr , in August 2012 , and in March 2014 his second son Nicol was born . The couple had their first child in August 2012 , Nicol , and in March 2014 their second son Shalk Jr. was born . 0 +More recently , the band has combined extra life aspects of early music with the modern genre of mathematics rock . More recently , the band Extra Life has combined aspects of modern music with the early genre of math rock . 0 +The ring is a region of the young , massive , hot blue star formation dominated by rampant stars . The ring is a region of young , massive , hot blue star formation dominated by rampant stars . 1 +He moved to Valencia in 1239/40 ( after the fall of Morocco in 1238 ) and continued to work for the sultan there . He moved 1239 / 40 to Morocco ( after the fall of Valencia in 1238 ) and continued to work for the sultan there . 0 +It is located at 142 South Rexford Drive in Beverly Hills , opposite the First Church of Christ , Scientists , Beverly Hills , California . It is located at 142 South Rexford Drive in Beverly Hills , California . It stands opposite the First Church of Christ , Scientist , Beverly Hills . 1 +It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and United Alkali Company to form Imperial Chemical Industries . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to the United Alkali Company in 1926 . 0 +He also recorded two solo albums under his own name and three albums in Indonesia under the name Sabah Habas Mustapha . He has also made two solo albums under his own name and three albums recorded in Indonesia under the name Sabah Habas Mustapha . 1 +On the April 12 episode of Impact , Waltman , Hall and Nash defeated Team 3D and Jesse Neal in a Street Fight . In the episode of Impact defeated Waltman , Hall and Nash Team 3D and Jesse Neal in a street fight . 0 +Scopula anfractata is a moth of the family Geometridae . It is found in Yunnan ( China ) . Scopula anfractata is a moth of the Geometridae family and is found in Yunnan ( China ) . 1 +Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and imposed some high dignitaries of the king . Therefore , on 25 February 1232 , Archbishop Robert of Esztergom excommunicated the Kingdom of Hungary under an interdict and placed some high dignitaries of the king . 1 +He moved to Illinois in 1891 and settled in Ottawa . He moved to Ottawa and settled in Illinois in 1891 . 0 +The Ciortosu River is a tributary of the Nadeş River in Romania . The Ciortosu River is a tributary of the River Nadeş , Romania . 1 +He was trained at Brunswick House , a preparatory school in Folkestone , and moved to Sutherland House , a similar school in Hove . He was trained at Brunswick House , a preparatory school in Hove , and then moved to Sutherland House , a similar school in Folkestone . 0 +The advent of modern percussion added new dimensions to the a cappella genre and has become very widespread in vocal arrangements . The advent of vocal percussion added new dimensions to the a cappella genre and has become very prevalent in modern arrangements . 0 +The Casimcea River is a tributary of the Valea Lungă River in Romania . The river Valea Lungă is a tributary of the River Casimcea in Romania . 0 +From 1996 to September 2010 he was Ambassador of Liechtenstein to Belgium . From 1996 to September 2010 he was ambassador of Belgium near Liechtenstein . 0 +It is 2 km west of Agios Stefanos and 20 km northeast of Athens city centre . It is located 2 km west of Agios Stefanos and 20 km northeast of the city centre of Athens . 1 +"Reilly made his first appearance on "" Lassie "" in the tenth episode of the last season , "" The Wayfarers "" ( 1964 ) ." "In the first episode of the tenth season , "" The Wayfarers "" ( 1964 ) , he made his last appearance on "" Lassie "" ." 0 +Scientific research in the country is supported by the industry , by the network of the main universities and by higher education institutions outside the French framework , Grandes écoles . Scientific research in the country is supported by industry , by the network of main universities and by higher education establishments outside the French framework , Grandes écoles . 1 +The couple had their first child , Shalk Jr , in August 2012 , and in March 2014 his second son Nicol was born . The couple had their first child , Schalk Jr , in August 2012 , and their second son Nicol was born in March 2014 . 1 +The path was opened in stages , with the most recent section ( from Wellsboro to north of Ansonia ) being completed in 2007 . The trail opened in stages with the most recent section ( from Wellsboro to just north of Ansonia ) being completed in 2007 . 1 +"The Lagrangian of the "" free "" flat metric Wess - Zumino model in four-dimensional spacetime with massless formula 1 is" "The lagrangian of the "" free "" massless Wess -- Zumino -- model in four-dimensional spacetime with flat metric formula 1 :" 0 +Praedora leucophaea is a moth of the Sphingidae family , known from dry bush areas from northern Kenya to South Africa . Praedora leucophaea is a moth of the family Sphingidae . It is known from dry bush areas from northern Kenya to South Africa . 1 +He was born April 23 , 1979 in Guayaquil -- Ecuador , under the sign of Taurus , the last of five children . He was born on 23 April 1979 in Ecuador -- Guayaquil , under the sign of the Taurus , the last of five children . 0 +Rubén Ramírez Hidalgo won the title , defeating Carlos Salamanca 5 -- 7 , 6 -- 2 , 6 -- 1 in the final . In the final , Carlos Salamanca won the title and defeated Rubén Ramírez Hidalgo with 5 -- 7 , 6 -- 2 , 6 -- 1 . 0 +Following the success of the first film , star Robin Jones Gunn and author Niall Matter both confirmed in March 2017 that Hallmark is developing a continuation . Following the success of the first film , star Niall Matter and author Robin Jones Gunn both confirmed in March 2017 that Hallmark were developing a sequel . 0 +The party ’ s secretary became Hardie , while George Mitchell was the first treasurer , and Cunninghame Graham was the president . Hardie became Secretary of the Party , while Cunninghame Graham was the first treasurer and George Mitchell was the president . 0 +From Interstate 5 to Fifth Street in Canyonville , the section overlaps OR 99 . The section from Interstate 5 to Canyonville at Fifth Street overlaps OR 99 . 0 +Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California , USA . Born in Nanjing , he attended the engineering school in Nanhui and spent one year at the University of California . 0 +She worked on processes of chemical extraction of metal complexes and described the chemical and physical properties of solvent types in an organic solvent . It worked on solvent extraction processes of metal complexes and described the chemical and physical properties of chemical species in an organic solvent . 0 +There is a temperate climate on the Werderaner Wachtelberg , which is characterised by the Atlantic climate from the north and west , and from the east by a continental climate . There is a temperate climate on the Werderaner Wachtelberg , affected by the Atlantic climate from the north and west and a continental climate from the east . 1 +On 23 January 2006 , Stephen Harper was defeated as Prime Minister of Canada by Paul Martin . On 23 January 2006 , Paul Martin , Prime Minister of Canada , was defeated by Stephen Harper . 0 +The spokesman first was James David Edgar , and later Thomas Bain . The Speaker was first James David Edgar , and later Thomas Bain . 1 +"Ben Peterson of AllMusic gave the album 4 out of 5 stars and consistently called it imaginative and never predictable "" ." "Ben Peterson of AllMusic gave the album 4 stars out of 5 , calling it "" consistently imaginative and never predictable . """ 1 +The Mino was the smallest of all camcorders , slightly smaller than a MiniDV cassette and wider than most smartphones on the market . The Mino was the smallest of all camcorders , slightly broader than a MiniDV cassette and smaller than most smartphones on the market . 0 +In the original IBM PC , an NMI was triggered if a parity error was detected in system memory , or reported by an external device . In the original IBM - PC , an NMI was detected when a parity error in the system memory was reported or triggered by an external device . 0 +It is bounded by Vigan City and the municipalities of Caoayan , San Vicente , Santa Catalina , Sto . It is bounded by Caoayan and the municipalities Vigan City , San Vicente , Santa Catalina and Sto . 0 +Eupithecia demissa is a moth in the family Geometridae . It is found in Malleco Province ( Chile ) . Eupithecia demissa is a moth in the family Geometridae is found in Chile ( province of Malleco ) . 1 +The 1883 New York Metropolitans finished with a 54 -- 42 record , fourth place in the American Association . The 1883 American Association finished fourth in the New York Metropolitan with a record 54-42 . 0 +He continued in this post then when Winston Churchill came to power in 1940 , and was also Postmaster General under Churchill between 1943 and 1945 . He continued in this post when Winston Churchill came to power in 1940 and was also Churchill 's general postmaster between 1943 and 1945 . 1 +"The decision to use clear contemporary clothing was what Houseman called "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." The decision to use modern clothing was called Houseman as an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . 0 +The port of Suppāraka is either the modern Sopara near Bhārukacha or the modern Bharuch or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . The port of Suppāraka , is either modern Sopara near Bhārukacha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bhārukaccha . 0 +At the time Motorola held the developers and their patents , they had 50 valid patents and overtook 40 waiting for approval . At the time Motorola overtook the developers and their patents , they held 50 valid patents and had waited 40 for authorization . 0 +Bill Pickett , an African-American rodeo performer , also appeared in early western films for the same audience . Also Bill Bill Pickett , an American-African rodeo actor , appeared in early Western films for the same audience . 0 +Roger Kirk was born in Norfolk and brought up and educated in East London . Roger Kirk was born in East London and brought up in Norfolk and educated . 0 +"Kuroń , Modzelewski and Michnik were arrested again , and the majority of "" Komandosi "" members were imprisoned ." "Kuroń , Modzelewski and Michnik were detained again and a majority of the "" Komandosi "" members were imprisoned ." 1 +Neighboring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . Neighbouring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . 1 +He began his studies in 1946 at the Main Reformed Gimnázium in Debrecen , and from 1947 to 1951 , he attended the Madách Gimnázium in Budapest . He began his studies in 1946 at the Reformed Gimnázium in Debrecen and from 1947 to 1951 he visited Madách Gimnázium in Budapest . 1 +In 2008 Rice co-headlined a tour with Maria Taylor of Azure Ray , and played Los Angeles ' Sunset Junction festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and performed at the Los Angeles Sunset Junction Festival . 1 +Sri Parashakthi Kshetra is located almost 30 km from Mangalore International Airport and 20 km from Mangalore Railway Station . Sri Parashakthi Kshetra is almost 30 km from Mangalore International Airport and 20 km from Mangalore Railway Station . 1 +In 1854 , Cooper left Australia and returned to London , where he lived until his death at the age of 90 , a verified bachelor . In 1854 he left London and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . 0 +She left London on January 1 , 1829 via Madras to Sydney . She left Sydney via Madras to London on 1 January 1829 . 0 +He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . 1 +"Kazuyoshi Katayama and other animators cooperated with Yasuhiro Imagawa before working on "" The Big O "" ." "Before working on "" The Big O "" , Kazuyoshi Katayama and other animators worked with Yasuhiro Imagawa on "" ." 1 +The music of the film was composed by Vijaya Narasimha and texts for the soundtrack by Chi , Udaya Shankar and Vijaya Bhaskar . The music of the film was composed by Vijaya Bhaskar and written lyrics for the soundtrack of Chi Udaya Shankar and Vijaya Narasimha . 0 +Filipino and English are also used by the local residents , but are seldom used and understood everyday . Filipino and English are also used by the residents , but seldom used and understood . 1 +It was climbed freely and named after Bill House when he first climbed it in 1938 . It was first climbed and named after Bill House , when he free climbed it in 1938 . 0 +He captained South Africa on 29 August 1891 against the British Isles in Kimberley . He listed South Africa against the British Isles in Kimberley on 29 August 1891 . 1 +It is the largest private club in Houston and one of the biggest in the world , with over 3,300 members . It is the largest private club in Houston and one of the biggest in the world , with more than 3,300 members . 1 +Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films and former president of Lionsgate Films , was born . Tom Ortenberg , CEO of Open Road Films and former president of Lionsgate Films , was born and raised in Briarcliff Manor . 1 +The Georgian government protested against the allegedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . The Georgian Government protested against the allegedly growing uncontrolled presence in the region and against the Russian economic and political military on the South Ossetian side . 1 +The Mine South Deep is a large mine in the northern part of Gauteng in South Africa . The Mine South Deep is a big mine in the northern part of South Africa in Gauteng . 0 +"Some of the details that Peeters quotes are specific to the old English poem , based on "" Daniel "" ." "Some of the details Daniel cites are specific to the Old English poem based on "" Peeters "" ." 0 +Wilhelmina is shocked and does not believe Christina . Wilhelmina is shocked and Christina does not believe . 1 +His system was adopted in private homes , in rural districts , in military camps , in many hospitals , and largely in the British Raj . His system was adopted in private houses , in rural districts , in military camps , in many hospitals , and extensively in the British Raj . 1 +Mabanda is a city located close to the southern tip of Tanzania , near the border with Burundi . Mabanda is a city located near the southernmost tip of Tanzania , close to the Burundi border . 1 +Lydia Lawhead had at least one sibling , a sister , Mrs. Armstrong . Lydia Lawhead had at least one sibling , one sister , Mrs. Armstrong . 1 +Until recently , Nimar was known as Khandwa . East Nimar was known as Khandwa until recently . 1 +""" acting for "" has the same basic meaning as "" Acting "" , except it indicates that the original occupant of the position still formally holds power ." """ Acting for "" has the same basic meaning as "" acting "" , except that it indicates that the original occupant of the position still has power formally ." 1 +Twenty-one churches are currently in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . There are currently twenty-one churches in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas . ) 1 +The Tick - Canyon - Formation is a geological epoch of the Miocene - formation in the Sierra Pelona Mountains in Los Angeles County , California . The Tick Canyon Formation is a Miocene epoch geologic formation in the Sierra Pelona Mountains of Los Angeles County , California . 0 +On August 2 , 2011 , Reeves defeated Billy Hewes . Billy Hewes defeated Reeves on 2 August 2011 . 0 +Amazingly , the first stimulus can , in some cases , actually affect the perception of the second stimulus . Amazingly , the second stimulus can actually influence the perception of the first stimulus in some cases . 0 +"A simpler method suitable for finding the odd letter of the year was discovered in 2010 and is called "" dominical plus 11 "" method ." "A simpler method suitable for finding the year 's odd letter was discovered in 2010 . It is called the "" dominical plus 11 "" method ." 1 +The SSSI covers an area of 190,3 hectares , while the SAC has 168.3 hectares . The SSSI has an area of 190.3 hectares , while the SAC comprises 168.3 hectares . 1 +In January 2006 , he participated in David Di Michele Transfer , which went to Santoni , Simone Pepe and Salvatore Masiello in Udinese Calcio in the Co-Ownership Deal . In January 2006 , he seen in David Di Michele transfer , which involved Santoni , Simone Pepe and Salvatore Masiello went to Udinese Calcio in co-ownership deal . 0 +Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player in the ANZ Championship , playing for the Melbourne Vixens . Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player who plays for the Melbourne Vixens in the ANZ Championship . 1 +It dates from that time , this is the letter Sthat can be seen on its logo . It is from this time that dates the letter Sthat can be seen on its logo . 0 +From the late 1980s to the early 1990s , Cabble was the lead singer in the female rock bands Clinic Q and then Miss B . Haven . From the early 1980s until the late 1990s , Cabble was the lead singer in the female rock bands Clinic Q and then Miss B . Haven . 0 +There are 7 blue running , 21 red runs , 11 green runs and 4 black runs . There are 7 blue runs , 21 red runs , 11 green runs , and 4 black runs . 1 +Now the new matrix representation for the symmetric bilinear form is given by The New Matrix Representation for Symmetric Bilinear Form is Now Given 1 +In a medieval Tamil legend Vikramaditya has 32 marks on his body , a characteristic of universal emperors . In a universal legend , Vikramaditya has 32 marks on his body , a property of the medieval Tamil emperors . 0 +The Flushing Line was opened on April 21 , 1917 by Queensboro Plaza at 103rd Street -- Corona Plaza , with a local station on 40th Street . The Flushing Line was opened from 40th Street to Queensboro Plaza -- Corona Plaza on April 21 , 1917 , with a local station at 103rd Street . 0 +""" See ETA ( separatist group ) for more extensive discussion of ETA ( pm ) and the parallel ETA ( m ) . """ For a more detailed discussion of ETA ( pm ) and the parallel ETA ( m ) see ETA ( separatist group ) . 1 +In the past , when Yue Yi conquered the Qi state , he attacked over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . In the past , when Yue Yi attacked the Qi state , he conquered more than 70 cities in Qi , except Ju and Jimo , over Tian Dan . 0 +On January 16 , 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop to Dallas Mavericks . On January 16 , 2009 , Hollins was traded with DeSagana Diop in exchange for Matt Carroll to Dallas Mavericks . 0 +The park is 65 km west of Fianarantsoa and 139 km northeast of Mananjary in the regions of Haute Matsiatra and Vatovavy-Fitovinany . The park is 65 km west of Fianarantsoa and 139 km northeast of Mananjary in the regions Haute Matsiatra and Vatovavy - Fitovinany . 1 +On October 1 , the army comprised the 2nd rifle - division , 8th rifle - division , 29th rifle - division and the 140th rifle - division . On 1 October , the army included the 2nd Rifle Division , 8th Rifle Division , 29th Rifle Division and the 140th Rifle Division . 1 +The breaker was operated by the Blue Coal Corporation , a subsidiary of the Glen Alden Coal Company . The breaker was operated by the Blue Coal Corporation , a subsidiary of the Glen Alden Coal Coal Company . 1 +He played for the Brooklyn Dodgers in 1942 and for the New York Giants from 1946 to 1948 . He played for the New York Giants in 1942 , and from 1946 to 1948 for the Brooklyn Dodgers . 0 +"Bobby Haynes adopted new bass and drums tracks for "" Archives to Eighties - tracks played by Mayall and Joe Yuele ." "Mayall adopted new bass and drums tracks for "" Archives to Eighties - tracks played by Bobby Haynes and Joe Yuele ." 0 +After testifying in the Till case , Reed moved to Chicago and changed his name to Willie Louis from Willie Reed . After testifying in the Till case , Reed moved to Chicago and changed his name to Willie Louis in Willie Reed . 0 +The princess was received with great fanfare on 24 September 1573 in Bassein ( Pathein ) . The princess was received with great fanfare at Pathein ( Bassein ) on 24 September 1573 . 1 +He died in Westminster in 1821 , had married Elizabeth , the daughter of Charles John , 1st Viscount Sackville , and they had a son , George Germain . He died in Westminster in 1821 . He had married Elizabeth , daughter of George Germain , 1st Viscount Sackville . They had a son , Charles John . 0 +"It was then the capital of a province ( called "" Mauretania Prima "" ) under Byzantine rule and was still a place of strategic importance ." "It was then the capital of a province ( called "" Mauretania Prima "" ) under the Byzantine rule and was still a place of strategic importance ." 1 +From September 1966 to June 1967 , Cozarinsky visited Europe and made a visit to New York City on his return to Buenos Aires . From September 1966 to June 1967 , Cozarinsky visited New York City to visit Buenos Aires on his return to Europe . 0 +"Carpenter would later describe the script as "" too campy , too light "" ." "Carpenter would describe the script later as "" too campy , too light "" ." 1 +Withypool is in the Barle Valley on the River Barle . The village lies on the route of the Two Moors Way and the Celtic Way Exmoor Option . Withypool is located in the Barle Valley on the Barle River . The village lies on the route of the Two Moors Way and the Celtic Way Exmoor option . 1 +The current line-up is Johnny Wilson ( guitar and vocals ) , Forrest Bartosh ( drums ) and Chris Fogal ( bass and background vocals ) . The current line-up is Chris Fogal on guitar and vocals , Forrest Bartosh on drums and Johnny Wilson on bass and background vocals . 0 +In the 9th minute , Lewandowski opened the lead , followed by Xabi Alonso four minutes later . In the 9th minute , Xabi Alonso opened the leadership , followed by Lewandowski four minutes later . 0 +Juliette and her husband Douglas Blaikie opened the doors to Urban Dance Centre in January 2006 . In January 2006 , Juliette and her husband Douglas Blaikie opened the doors of the Urban Dance Centre . 1 +Bulhar is an archaeological site in the northwestern Woqooyi Galbeed region of Somaliland . Bulhar is an archeological site in the northwestern region of Somaliland Woqooyi Galbeed . 0 +"The March 2000 issue had a French edition , and a hardcover "" limited "" edition appeared in 2002 ." "The March 2000 edition had a limited edition , and in 2002 a "" French "" edition appeared ." 0 +Elk Township is located in the 3rd Congressional District and is part of New Jersey 's 2nd state legislative district . El Elk Township is located in the 3rd Congressional District and is part of the 2nd State Legislative District in New Jersey . 1 +"Maviz Central District is a rural district ( "" Dehestan "" ) in the province of Tehran , Shahriar County , County , Iran ." "Maviz Rural District is a rural district ( "" Dehestan "" ) in the county of Shahriar , Tehran , Iran ." 0 +The 114th Battalion recruited to the Haldimand County and the Six Nations Reserve , and was mobilized in Cayuga , Ontario . The 114th Battalion mobilized in Cayuga , Ontario and the Six Nations reserve , and was recruited at Haldimand County . 0 +This scene was rewritten , although its opening recitative in cut form was present in the first production . This scene has been cut , although its opening recitative was present in rewritten form in the first production . 0 +In late 2003 , he told an interviewer that his favorite bassists were Mike Mills ( R.E.M . ) , Johnny Gayden ( Albert Collins Band ) and Charles Mingus . In late 2003 he told an interviewer that his favorite bassists Mike Mills ( R. E. M. ) , Johnny Gayden ( Albert Collins Band ) and Charles Mingus were . 1 +"He now describes his view as "" a non-reductive but comprehensive naturalism "" ." "He now describes his view as "" non-reductive but comprehensive naturalism "" ." 1 +TeamQuest was founded in 1991 by three employees from a software research and development group at Unisys Corporation . Unisys Corporation was founded in 1991 by three employees of a software research and development group from TeamQuest . 0 +He graduated from MIT in 1891 , and then received a master 's degree from Harvard University in 1893 . He graduated from Harvard University in 1891 and received a Master 's degree in 1893 from MIT . 0 +Dr. Carter worked for several months in Africa and remains at the AIDS clinic in Kem . Dr. Carter remains in Africa for several months and works in Kem 's AIDS clinic . 0 +Glen Sheil was born in Sydney and moved to Queensland at a younger age . Glen Sheil was born in Queensland and moved to Sydney at a young age . 0 +Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Montealegre Clemencia Carazo and Felicia Cohn Montealegre . Roy Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . 1 +In its interior , many frescoes were found , studied by Josep Puig i Cadafalch in 1907 . In its inside also were found many frescoes studied in 1907 by Josep Puig i Cadafalch . 1 +Hank finds himself left alone with Bobby when Peggy decides to spend an evening with the other women of the neighborhood . Bobby finds himself left alone when Peggy decides to spend an evening with the other women of the neighborhood . 0 +He spent the final years of his life in Paris and died in France . The last years of his life he spent in Paris and died in France . 1 +The city is connected with Mumbai and Kolkata via Bilaspur , Raipur via National Highway Network . The city is connected with Mumbai and Kolkata via Bilaspur , Raipur through the National Highway network . 1 +She was scrapped and sold on 19 July 1973 . On July 19 , 1973 , she was sold and scrapped . 0 +According to the United States Census Bureau , Harmony Township has a total area of which land is and , or 5.21 % , is water . According to the United States Census Bureau , Harmony Township is a total area of , of which is land and , or 5.21 % , has water . 1 +Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a cyclist from Liechtenstein , Germany . Daniel Rinner ( born 11 November 1990 in Vaduz ) is a Liechtenstein cyclist . 1 +It had also a yellow or white superciliary line and a white chin and a throat . It also had a white line and a yellow or white superciliary chin and throat . 0 +Fred was the youngest child of the Thomas and Elizabeth Goodwill farmers . Thomas Thomas was the youngest child of the farmers Fred and Elizabeth Goodwill . 0 +In 2015 , Stephen Hawking offered Richard Branson a seat for free in the spaceship Virgin Galactic . In 2015 , Stephen Hawking offered Richard Branson a seat on the Virgin Galactic spaceship for free . 1 +He was guillotined on 28 April 1794 , when he was convicted at the same time as his elder brother . He was sentenced on 28 April 1794 , when he was guillotined at the same time as his elder brother . 0 +Much of the work uses words in Geordie Geordie Dialect , for translations , see local dialect words . Much of the work uses words in the Geordie Geordie dialect . For translations , see local dialect words . 1 +"The Allmusic - Review by Michael Erlewine awarded the album with 4 ½ stars and stated : "" Another award-winning album with Sonny Clark and pianist Green "" ." "The Allmusic - Review by Michael Erlewine awarded the album with 4 ½ stars and noted : "" Another excellent album with green and pianist Sonny Clark "" ." 0 +Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada . It is located east of Otter Bay . Otter Bay is a natural bay on the island of Coney Bay in the province of Newfoundland and Labrador , Canada . It is located east of Newfoundland . 0 +Practiced medicine in Brooklyn , New York , until April 1888 . He moved to Pleasant Valley , New York , in 1888 and continued the practice of medicine . Until April 1888 , he practiced medicine at the Pleasant Valley , New York , where he moved to Brooklyn , New York , in 1888 , and continued the practice of medicine . 0 +"It is divided into four "" Taulkas "" : Shikarpur , Lakhi , Garhi Yasin and Khanpur ." "It is divided in four "" taulkas "" : Shikarpur , Lakhi , Garhi Yasin and Khanpur ." 1 +Teawurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic town of Rügenwalde ( today Darłowo , Poland ) . Teawurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwalde ( today Darłowo , Pomerania ) . 0 +The successor rocket , the Falcon 9 , successfully landed its first flight on 22 December 2015 , for the twentieth time , on land . The successor rocket , the Falcon 9 , landed its first stage successfully on land for the first time on its twentieth flight , on December 22 , 2015 . 0 +Among her regular guests were Canning and Castlereagh , John Russell , Sir Walter Scott , Lord Byron , Sir Robert Peel , Theodore Hook and Sydney Smith . Her regular guests included Canning and Castlereagh , John Russell , Sir Walter Scott , Lord Byron , Robert Peel , Theodore Hook , and Sydney Smith . 1 +Later Holly tells that Aaron has tried to kiss him , but she does not believe him . Adam later tells Holly that Aaron tried to kiss him , but she does not believe him . 0 +Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent theory of light in the world . Although Fresnel did not know that light waves are electromagnetic , he managed to construct the world 's first coherent theory of light . 0 +Potrero Hill 's South Slope experienced a significant increase in housing and population as a result . As a result , Potrero Hill experienced a significant increase in housing and population . 0 +The school is in Winter Park , Florida , near Winter Springs and Oviedo , despite its mailing address of Seminole County , which is in Orange County . The school is located in Seminole County , near Winter Springs and Oviedo , despite its postal address of Winter Park , Florida , which is in Orange County . 0 +Through their father , Prince Philip and her sisters were first cousins of Elizabeth , Duke of Edinburgh . Through her father , Elizabeth and her sisters were first cousins of Prince Philip , Duke of Edinburgh . 0 +Toronto Maple Leafs founder Harold Ballard , team owner Conn Smythe and wrestler Whipper Billy Watson helped Rumball to raise the $ 7.6 million to open the centre . Conn Smythe , the founder of Toronto Maple Leafs , team owner Harold Ballard and Wrestler Whipper Billy Watson , helped Rumball raise the $ 7.6 million to open the center . 0 +A month later the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewman were released . A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewman was released . 1 +The project was developed by Murphy and DeSanto in 2003 , and DeSanto wrote a treatment . The Murphy and DeSanto wrote the project in 2003 , and DeSanto developed a treatment . 0 +Following the resignation of Yoshinobu Shimamura , Iwanaga became Agriculture Minister on August 11 , 2005 . On August 11 , 2005 , Yoshinobu Shimamura became Minister of Agriculture following the resignation of Iwanaga . 0 +The woman ( calling herself Esther ) is in the well , and she asks Annie to save her . The woman who calls herself Annie is in the well , and she asks Esther to save her . 0 +Glasnow returned to Altoona after two starts with West Virginia . After two starts with West Virginia , Glasnow returned to Altoona . 1 +"Corey first appeared in DeMille 's novel "" Plum Island , in 1997 . """ "In 1997 , DeMille first appeared in Corey 's novel "" Plum Island "" ." 0 +In the Adams division , Buffalo Sabres never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens were only missing twice . In the Adams Division , the Buffalo Sabres never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens only missed twice . 1 +This leads to a violent fistfight , after which Pullo Eirene leaves and takes the Aventine . This leads to a violent fistfight , after which Pullo leaves Eirene and takes the Aventine . 1 +Shortly after his son , Santha , drowned in a swimming pool in mysterious circumstances , Jagath died of a heart attack on April 11 , 1981 . Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on 11 April 1981 . 0 +In 1836 , Ephraim Fletcher from New York came to Gaines and settled in Van Vleet Road ( Section 16 ) . Gaines came from New York to Ephraim Fletcher in 1836 and settled in Van Vleet Road ( Section 16 ) . 0 +Ammu is a 1965 Indian Malayalam film , produced by NN Pisharady and directed by M Kesavan . Ammu is a 1965 Indian Malayalam film staged by NN Pisharady and produced by M Kesavan . 0 +During Lan Ling Wang 's absence , Han receives many visions of her past , mostly her happy moments with Bing Xin . During Lan Ling Wang 's absence , Han receives multiple visions of her past , mostly her happy moments with Bing Xin . 1 +The expansion of China Airlines political presence has long been limited by the international status of Taiwan . The expansion of the international presence of China Airlines has long been limited by Taiwan 's political status . 0 +Newark withdrew to the NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark returned to NAFBL , but withdrew back at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . 0 +The Carson McCullers Center for Writers and Musicians provides regular programs and offers fellowships . The university also owns the Carson McCullers House in Nyack , NY . The Carson McCullers Center for Writers and Musicians offers regular programs and provides scholarships . The university also owns the Carson McCullers House in Nyack , New York . 1 +Ma Smith is a widow of two own children : Will and Dora Smith . Dora Smith is widow with two of her own children : Will and Ma Smith . 0 +Peter Strauss played a 1994 - TV adaptation as Ezra Baxter , Jean Smart as Ora Baxter and Philip Seymour Hoffman as Buck . A 1994 television adaptation starred Peter Strauss as Ezra Baxter , Jean Smart as Ora Baxter , and Philip Seymour Hoffman as Buck . 1 +"Pagny also covered "" Caruso "" , the hit originally performed by Lucio Dalla ." "Pagny also covered the hit "" Lucio Dalla "" , performed by Caruso ." 0 +Inception is a science fiction film from 2010 , co-produced by Emma Thomas and written , co-produced and staged by Christopher Nolan . Inception is a 2010 science fiction film written , co-produced , and directed by Christopher Nolan , and co-produced by Emma Thomas . 1 +In 2001 , Sir Frank Williams brought Michael to Williams as Senior Operations Engineer . In 2001 , Sir Frank Williams brought Michael Senior Operations Engineer to Williams . 1 +908th Airlift Squadron is part of the 357th Airlift Wing on the Maxwell Air Force Base , Alabama . 357th Airlift Squadron is part of the 908th Airlift Wing in the Maxwell Air Force Base , Alabama . 0 +""" Thanks to the Facebook generation , anyone by simply attaching a Selfie , everyone can become Kevin Spacey or a Harvey Winestone "" , he added ." """ Thanks to the Facebook generation , by simply attaching a selfie , anyone can become a Harvey Weinstein or a Kevin Spacey , "" he added ." 1 +With the activation of the 550th Strategic Missile Squadron , the 310th Strategic Aerospace Wing was renamed 310th on March 1 , 1962 . With the activation of the 310th Strategic Missile Squadron , 310th on March 1 , 1962 was renamed the 550th Strategic Aerospace Wing . 0 +He then left The Star in 1986 and joined The Muslim . He then left the star and joined the Muslim in 1986 . 1 +She grew up in Upper Palatinate ( Cham , Cologne ) and has lived in Germany since 1991 . She grew up in Upper Palatinate ( Cham , Köln ) and since 1991 has lived in Germany . 1 +All the songs written and composed by Nick Feldman except as noted Note that Jack Hues was credited as Nick DeSpig throughout this album . All songs written and composed by Nick Feldman , except as noted . Note that Jack Hues was credited as Nick DeSpig throughout this album . 1 +The new school has been placed on the old playing fields . The old school has been put on the new playing fields . 0 +The inscription is , therefore , of first importance for the linguistic history of northern India . For the first history of northern India , the inscription is therefore of linguistic significance . 0 +"The following people at some point worked at or wrote for the "" Dayton Daily News "" :" "The following people have worked or wrote at the "" Dayton Daily News "" at some point :" 1 +The fifth edition was broadcast from April 17 to April 21 , 2006 ; the sixth edition aired February 25 to March 2 , 2007 . The fifth edition was broadcast from 17 April to 21 April 2006 , the sixth edition from 25 February to 2 March 2007 . 1 +Downieville is a mountain in the Plumas National Forest in Sierra County , California . It is northeast of La Porte and north of Mount Fillmore . Downieville is a mountain in the Plumas National Park in Sierra County , California , northeast of La Porte and north of Mount Fillmore . 1 +By the linear formula _ 26 where formula _ 14 is a solution of the above ODE . Through the Formula 26 above , where Formula 14 is a solution of the linear ODE 0 +The Jiul de Vest River is a tributary of the Furu River in Romania . The river Furu is a tributary of the Jiul de Vest river in Romania . 0 +This can be generalized by transposing the complete 6 × 6 susceptibility tensor to bi-anisotropic materials . This can be generalized by transposing the bi-anisotropes 6 × 6 - susceptibility tensor to full materials . 0 +In 1990 , MiniScribe bought the hard drive manufacturer Maxtor . Maxtor bought hard drive manufacturer MiniScribe in 1990 . 0 +In 1969 , after Sinclair and Atlantic merged Richfield Company , BP bought the plot . In 1969 , after Sinclair and BP merged , Atlantic Richfield Company bought the property . 0 +Commander Adama arrives with Galen Tyrol and Chief Billy Keikeya in Kobol . Commander Adama arrives on Kobol with Billy Keikeya and Chief Galen Tyrol . 0 +For many centuries it was a royal peculiar , independent royal , and from 1480 a chapel of the Diocese of Lichfield and even the Province of Canterbury . For many centuries it was a royal chapel and from 1480 a royal peculiar , independent of the diocese of Lichfield and even of the province of Canterbury . 0 +The real basis of the flower is that lenses can never perfectly focus in the physical world . The physical basis of the flower is that lenses can never perfectly focus in the real world . 0 +The eastern part of Indian Lake is located in western Richland Township . The eastern part of Indian Lake is township in the western Richland . 1 +""" The missionary position "" is the 206th sequence of the ninth season of the American police - procedural drama "" NCIS "" , and the 20th episode overall ." """ The Missionary Position "" is the 206th episode of the ninth season of the American police procedural drama "" NCIS "" , and the 20th episode overall ." 1 +When John III died in 1378 , John II inherited most of these possessions . Johannes III died in 1378 , when John II inherited most of these possessions . 1 +The work is dedicated to Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis and is published by Sikorski . The work is dedicated to Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis . It is published by Sikorski . 1 +Khun Wichitmatra wrote the lyrics of the Thai National Anthem in 1934 , two years after the anthem was first written by Chan Kamwilai . In 1934 , two years after the anthem was first written by Khun Wichitmatra , he wrote the lyrics of the Thai national anthem . 0 +The Valea Mare river is a tributary of the Moldova River in Romania . The Moldova River is a right tributary of the Valea Mare River in Romania . 0 +It also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and closed for Prada , Kostum National and Louis Vuitton . She also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and closed for Prada , Costume National and Louis Vuitton . 1 +He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( later WJPC ) radio station in Chicago . He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( also WJPC ) radio station in Chicago . 0 +They also have cabrous - margins and surface , of which the later is rough . They also have cabrous margins and surface , the later one of which is rough . 1 +At that time Constantinople was the capital of the eastern Christian empire and the patriarch of Constantinople was the most influential Church leader in the Byzantine world . At that time , Constantinople was the capital of the Eastern Christian Empire and the Patriarch of Constantinople was the most influential leader of the Church in the Byzantine world . 1 +He also met Theodoros Kolokotronis , whom he began to admire later . He later met Theodoros Kolokotronis , whom he also came to admire . 0 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who from 1918 to 1963 was the organist of the Blackpool Parish Church . A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was organist of Blackpool Parish Church from 1918 until 1963 . 1 +Celestine V identifies a persistent tradition as the mysterious figure Dante Alighieri sees among those in the anteroom of hell , in the nameless verses : A persistent tradition identifies Celestine V as the enigmatic figure Dante Alighieri sees among those in the antechamber of Hell , in the nameless verses : 1 +Berkeley 's childhood was spent in Coventry , where he was a pupil of the translator , Philemon Holland of Warwickshire , and of Henry Ashwood . He spent the childhood of Berkeley in Coventry , where he was a pupil of the translator Philemon Holland of Warwickshire and Henry Ashwood . 0 +"The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a conservative party but from 1919 it evolved into a radical direction" The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but from 1919 it developed into a conservative direction . 0 +She left Sydney on 1 January 1829 for London via Madras . She left London on 1 January 1829 via Madras to Sydney . 0 +Producer of the second season was Lawrence Kasha , John Thomas Lenox produced the first season . Lawrence Kasha was the producer for the second season ; John Thomas Lenox produced the first season . 1 +It was expanded in 1910 from Laura to the Booleroo Centre and finally to Wilmington in 1915 . It was extended from Laura in 1910 to Wilmington , and finally to Booleroo Centre in 1915 . 0 +Finally , the global stiffness matrix is expanded by adding the individual constructed element matrices together . Finally , the global stiffness matrix is extended by adding together the individual element matrices constructed . 1 +Initially Drummond worked hard to establish his farm , but increasingly this was later taken over by his sons Thomas and James . Initially , Drummond worked hard to build his farm , but increasingly it was later taken over by his sons Thomas and James . 1 +On 1 July , the judge in Madrid , Antonio Pérez , issued a death sentence on Rodrigo de Arce . On 1 July the judge in Madrid , Rodrigo de Arce , issued a death sentence against Antonio Pérez . 0 +Its habitat includes scarce desert and rocky grassland , but it avoids sand . Its habitat includes sparse desert and rocky grassland , but it avoids sand . 1 +Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football manager and former player . Hugo Santana Páez ( born September 5 , 1967 ) is a former Mexican football manager . 0 +Urfa Gate was rebuilt by Kara Arslan , son of Muhammad . The Urfa gate was rebuilt by Kara Arslan , the son of Muhammad . 1 +"Where "" r "" the annual rate , "" i "" is the periodic rate and "" n "" the number of connection periods per year ." "Where "" r "" is the annual rate , "" i "" the periodic rate , and "" n "" the number of compounding periods per year ." 1 +Wu Xiang ( ; died 1644 ) was a general of the Ming Dynasty and the father of Wu Sangui . Wu Xiang ( d. 1644 ) was a general of the Ming Dynasty and the father of Wu Sangui . 1 +There is also a candle and matches in case one forgets , but you can usually leave some when they have too many . There is also a candle and matches in case one forgets , but one can usually leave some if they have too many . 1 +"Khong Chai is a district ( "" Amphoe "" ) in the northeastern part of the Kalasin province , South Thailand ." "Khong Chai is a district ( "" amphoe "" ) in the northeastern part of Kalasin Province , southern Thailand ." 1 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian-born American composer and musician . Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian composer and musician . 0 +Condon said she wanted to give Suzanne a Valentine 's Day card . Suzanne has said that she wanted to give Condon a Valentine 's Day card . 0 +In August 1927 , Yang finished his marriage with Mao and began a relationship with He Zizhen in early 1928 . In August 1927 , Mao ended his marriage with Yang and started a relationship with He Zizhen in early 1928 . 0 +It was published in Japan on 10 November 1995 and in North America in 1996 . It was released on November 10 , 1995 in Japan , and in North America in 1996 . 1 +Born in North Carolina , he grew up in Texas and played for a local Dallas team named C.D . Independiente under the chief coach Jose Antonio Radilla . Gonzalez was born in North Carolina . He grew up in Texas and played for a local Dallas team named C.D . Independiente under head coach Jose Antonio Radilla . 1 +It received a smoother layout with more material -- the second edition under Grier was 48 pages . It received a smoother layout with more material -- the second issue under Grier was 48 pages . 1 +In 1999 , Trinity merged with Mirror Group Newspapers to Trinity Mirror , the country 's largest stable in the newspapers . In 1999 , Trinity merged with Trinity Mirror to Mirror Group Newspapers , the largest stable in the country 's newspapers . 0 +His son Graham Haynes is a cornettist , his son Craig Haynes and his grandson , Marcus Gilmore , are both drummers . His son Craig Haynes is Cornetist , his son Graham Haynes and his grandson , Marcus Gilmore , are both drummers . 0 +In 1893 , Emma V. Lee Robert Kelley married . Robert Kelley married Emma V. Lee in 1893 . 1 +Schools include six primary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets , and one secondary school Montrose Academy . Schools include six primary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets and a secondary school Montrose Academy . 1 +Düzce is a village in the District of Yüreğir , Adana Province , Turkey . Düzce is a village in the district Yüreğir in the province of Adana , Turkey . 1 +In 2016 a group of white students at Wiggins High School put a noose around the neck of a black student . In 2016 , a group of black students of Wiggins High School put a noose around a white student ’ s neck . 0 +He was born in Nanhui , attended engineering school in Nanjing and spent one year at the University of California . Born in Nanjing , he attended the engineering school in Nanhui and spent one year at the University of California . 0 +The sculpture varies in strength in different individuals , usually earlier on the stronger vortexs . The sculpture varies in strength in different individuals ; usually earlier on the stronger whorls . 1 +She is painted red with yellow lining and has painted the number 22 in red on her pages . She is painted red with yellow lining and she has the number 22 painted on her sides in red . 1 +But as he tries to recover it , arrietty and peagreen burn the will , determined to save the house for the lenders and the clocks . But as he tries to burn it , Arrietty and Peagreen recover the will , determined to save the house for both the Lenders and the Clocks . 0 +On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with Matt Carroll in exchange for DeSagana Diop . On January 16 , 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop to Dallas Mavericks . 1 +If the fluid is not incompressible , the general form is the viscous voltage in a Newtonian fluid . If the fluid is not incompressible the general form for the viscous stress in a Newtonian fluid is 1 +He lost against Joey DeJohn , but Vinnie Rossano stopped in five rounds . He lost Vinnie Rossano , but stopped Joey DeJohn in five rounds . 0 +""" Myles C. Fox "" departed Yokosuka on 23 September and reached San Diego on 8 October ." "On 23 September left Myles C. Fox "" Yokosuka and reached San Diego on 8 October ." 1 +Followed his guru and came to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he moved to Gubbi . He followed his guru and came to Siddaganga , for some time lived in one of the caves of the Siddganga hill and then moved to Gubbi . 1 +Russ has injured at least 74 people in the provinces of Hainan , Guangdong , and Guangxi and killed another 726 people . Russ has killed at least 74 people and injured another 726 people in the provinces of Hainan , Guangdong , and Guangxi . 0 +In 1964 , Danièle Minne became Djamila Amrane by marriage . Djamila Amrane became Danièle Minne after marriage in 1964 . 0 +He also helps Nora and Bo Buchanan ( Robert S. Woods ) by defending Bo when he was accused of murdering Georgie Philips ( Jennifer Bransford ) . He also assisted Nora and Bo Buchanan ( Robert S. Woods ) by defending Bo when he was accused of murdering Georgie Philips ( Jennifer Bransford ) . 1 +These were the third championships held in the state of Colorado but the first at Crested Butte . These were the third championships in the state of Colorado , but the first on Crested Butte . 1 +Barry Wagstaff ( born November 26 , 1945 ) was a football professional with Sheffield United , Reading and Rotherham United . Barry Wagstaff , ( born 26 November 1945 ) was a professional footballer with Rotherham United , Reading and Sheffield United . 1 +In these cells , a voltage is registered electronically induced . In these cells , a voltage is induced , which is captured electronically . 0 +The map contains numerous references to mythology as if they were mythical fact , as illustrated by comments about Brutus ' geographical landings in Devon . The map contains numerous references to mythology , as if they were geographical facts , as illustrated by comments on Brutus ' ; mythical landings in Devon . 0 +US 9 heads to the Cape May Lewes Ferry , which leads across the Delaware Bay to Lewes , Delaware . The US 9 leads to Cape May -- Lewes Ferry , which crosses the Delaware Bay to Lewes , Delaware . 1 +In 1955 , the United Kingdom , Italy by Hiroshi Tada in 1964 , and Katsuaki Asai in 1965 , Germany . In 1955 , the United Kingdom followed , in 1964 Katsuaki Asai Germany and in 1965 Hiroshi Tada Italy . 0 +Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009.His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009 . His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 1 +She was followed by Paul Gudgin ( 2000 -- 2007 ) , Jon Morgan ( 2007 -- 2008 ) and Kath Festland ( 2008-2015 ) . She was followed by Paul Gudgin ( 2000 -- 2007 ) , Jon Morgan ( 2007 -- 2008 ) , and Kath Mainland ( 2008-2015 ) . 1 +Landscape is an album by pianist Kenny Barron which was recorded in 1984 and first released on the Japanese Baystate label . Landscape is an album by pianist Kenny Barron , which was recorded in 1984 and was released on the Japanese label Baystate for the first time . 1 +"The primary systems at different airports consist of two secondary radar systems , the "" large "" and the "" sophisticated "" surveillance radar ." "The primary systems at different airports consist of two secondary radar systems , the "" large "" and "" sophisticated "" surveillance radar ." 1 +Be prepared to become online with the hottest downloads on air , downunder and mobile mobbed ! Be prepared to get Mobbed on air , downunder and on mobile with the hottest downloads online ! 1 +With the activation of the 310th Strategic Missile Squadron , 310th on March 1 , 1962 was renamed the 550th Strategic Aerospace Wing . With the activation of the 550th Strategic Missile Squadron , the 310th was redesignated as the 310th Strategic Aerospace Wing on 1 March 1962 . 0 +The Azuga River is a tributary of the River Valea Turcului in Romania . The river Valea Turcului is a tributary of the River Azuga in Romania . 0 +Nicklas Kulti defeated Michael Stich 6 -- 3 , 1 -- 6 , 6 -- 2 Nicklas Kulti defeated Michael Stich 6 -- 3 , 1 -- 6 , 6 - 2 . 1 +He died in Lyon on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Bordeaux . He died in Lyon on 23 July 1963 and was buried at the cemetery of la Chartreuse in Bordeaux . 1 +"Because DFAs can be reduced to "" canonical form "" ( efficient DFAs ) , there are also minimal algorithms to determine :" "Because DFAs can be reduced to a "" canonical form "" ( minimal DFAs ) , there are also efficient algorithms to determine :" 0 +Damien Martyn retired from Test cricket after that series , while Glenn McGrath , Shane Warne and Justin Langer retired during the series . After this series , Damien Martyn withdrew from Test Cricket , while Glenn McGrath , Shane Warne and Justin Langer retired during the series . 1 +Live to Fight was an event held on 14 May 2011 at the San Manuel Casino in San Bernardino , California . KOTC : Fight to Live was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . 0 +Sara Varga ( born April 14 , 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish Vispop singer , songwriter , author and DJ . Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , known professionally as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . 0 +the definition can be extended to standard or non-standard ( arbitrary ) points as follows : The definition can be extended as follows to standard or non-standard points ( any ) : 1 +""" Meriden , Connecticut "" was sold to Burdett Pond von Tennessee on September 15 , 1886 ." """ Tennessee "" was sold on 15 September 1886 to Burdett Pond of Meriden , Connecticut ." 0 +In addition , the Peretz Centre has Yiddish classes , senior citizens ' programmes and Sunday school and regularly hosts secular versions of Jewish holidays . In addition , the Peretz centre has senior classes , secular programs , and Sunday School , and regularly hosts Yiddish versions of Jewish holidays . 0 +Lauderdale also played in the CBA , China , Venezuela , Cyprus , Lebanon , Saudi Arabia , Iran , Spain , England , and the United Arab Emirates . Lauderdale also played in the CBA , in China , Spain , England , Iran , Venezuela , Cyprus , Lebanon , Saudi Arabia and the United Arab Emirates . 1 +Scott was born in St. Andrews and grew up in Edinburgh and attended the University of St. Andrews , where he studied geology . Born in St. Andrews , Scott was raised in Edinburgh and attended the University of St. Andrews , where he studied geology . 1 +Townshend was the son of Lord John Townshend , the younger son of George Townshend , 1st Marquess Townshend . Townshend was the son of Lord George Townshend , Marquess Townshend , younger son of John Townshend . 0 +It was created by Argonaut software and is distributed by Mindscape Group . It was developed by Mindscape Group and distributed by Argonaut Software . 0 +Their founder , who came from China during the Seongjong of Goryeo , was born . Their founder came , who was from China during the Seongjong of Goryeo period . 1 +The 1976 season of 2. deild karla was the 11th season of third placed football in Iceland . The 1976 season of 2. deild karla was the third season of 11th-tier football in Iceland . 0 +Butler County is represented in the U.S. Senate by US Senators Roy Blunt ( Democrat ) and Claire McCaskill ( Republican ) . Butler County is represented in the U.S. Senate by U.S . Senators Roy Blunt ( Democrat ) and Claire McCaskill ( Republican ) . 1 +Zhuge Liang recommended Jiang Wan as his successor and Jiang Wan as Fei Yi 's successor . Liang recommended Jiang Wan as his successor and Jiang Wan as successor to Fei Yi . 1 +Corozal is a town and municipality in the Sucre department of northern Colombia . Corozal is a town and municipality in the Sucre Department , northern Colombia . 1 +The PAC lists on its website several officials who organize operational elements of the campaigns of the PAC and manage the organization 's day-to-day operations . The PAC lists several officers on its website who organize operational elements of the PAC 's campaigns and manage day-to-day operations of the organization . 1 +It was found in Uganda , the Democratic Republic of the Congo , Rwanda and Burundi . It is found in Uganda , the Democratic Republic of the Congo , Rwanda , and Burundi . 1 +Thornton introduced a fibrous structure zone T , which was observed at low argon pressures and characterized by closely packed other grains . Thornton introduced a fibrous structure zone T , which was observed at low argon pressures and characterized by densely packed further grains . 1 +From 1800 -- 04 Wright was British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . From 1800 -- 04 Wright was British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . 1 +Midzi defeated ZANU-PF candidate Amos Midzi in the March 2002 mayoral election by a large margin , receiving 262,275 votes against 56,796 votes for Mudzuri . Mudzuri defeated ZANU-PF - candidate Amos Midzi in the mayoral election in March 2002 by a large margin and received 262,275 votes against 56,796 votes for Midzi . 0 +Each week , Chunt , Usidore , and Arnie interview magical creatures to introduce the listener to new aspects of the world of Foon . Every week , Chunt , Usidore , and Arnie interview magical creatures to present new aspects of the world of Foon to the listener . 1 +In Europe , Lopardo made his debut as Fenton at the Teatro di San Carlo in Naples . In Europe , Lopardo made his debut as Fenton at Teatro di San Carlo in Naples . 1 +In 2010 , Northgate Arinso sold its Human Resources Management business to Convergys . Convergys sold its Human Resources Management line of business to NorthgateArinso in 2010 . 0 +On 26 July 2012 , Neil Heywood was charged with the murder of Gu Kailai . On July 26 , 2012 , Gu Kailai was charged with the murder of Neil Heywood . 0 +Boyd was selected in the 177th round , 6th overall , by the Capitals in the 2011 NHL Entry Draft . In the 6th round , 177th Overall , selected by the capitals in the NHL Entry Draft 2011 . 0 +After three nominations in previous years , WQDR 2011 won Country - Music - Association Großmarkt - Station of the year . After three nominations in previous years , Country Music Association won WQDR large-market station of the year in 2011 . 0 +The Flushing Line was opened on April 21 , 1917 from Queensboro Plaza to 103rd Street -- Corona Plaza with a local station on 40 Street . The Flushing Line was opened on April 21 , 1917 from the 40th street to Queensboro Plaza -- Corona Plaza , with a local train station on 103rd Street . 0 +Former player Gerard was appointed new coach for the Catalan team for two years . The former player Gerard was appointed Catalan coach for the new team for two years . 0 +"The album was produced by Peter Sullivan and "" directed "" by Mike Leander and Reg Guest ." "The album was produced by Mike Leander and staged by Peter Sullivan and Reg Guest "" ." 0 +Trenčianske Jastrabie is a village and municipality in the Trenčín district in the region of Trenčín in northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in the region of Trenčín in the district of Trenčín in northwestern Slovakia . 0 +Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking website that was launched in 2009 and dissolved in 2011 . Indiana was also founder and director of Kerchoonz.com , a social networking site that was launched in 2009 and dissolved in 2011 . 1 +Thus , if we know the probability distribution - Function Formula 35 , we can find the Formula 36 function and calculate the optimal reservation price from it . If we know the probability distribution function formula 35 , we can calculate the function formula 36 and find the optimal reservation price from it . 0 +The Cornell Big Red have won 649 games during the 2017 season , lost 529 games and 33 regular season games bound . Throughout the 2017 season , the Cornell Big Red have won 649 games , 529 games bound and 33 regular season games lost . 0 +Since then , a number of routes have been renamed to North Worcestershire in First Midland Red , along with new routes in competition with Red Diamond 's in Redditch . Since then a number of routes in North Worcestershire have been re-branded as First Midland Red along with new routes in competition with Red Diamond 's in Redditch . 1 +He is estranged from his wife , Barbara , and her daughter , Sarah . He is estranged from his wife , Barbara , and their daughter , Sarah . 1 +Just before his death , Sergei Yushenkov received threats from a high-ranking FSB general , Aleksander Mikhailov , according to Grigory Pasko . Shortly before his death , according to Sergei Yushenkov , Aleksander Mikhailov received threats from a high-ranking FSB - General , Grigory Pasko . 0 +is a molecular derivative of phenol with the brominated formula CHBrO . 2,4-Dibromophenol is a molecular derivative of phenol with the brominated formula CHBrO . 1 +The Republican River is a tributary of North Fork Republican River . The North Fork Republican River is a tributary of the Republican River . 0 +He was an intermediary with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . He was a mediator with the United States Postal Service and was an arbitration panel member with the United States Olympic Committee . 1 +Visual color measurement is the conventional and usual form of liquid color measurement . The visual color measurement is the usual and conventional form of liquid color measurement . 1 +Robert Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Clara Maass . Clara Maass was born in East Orange , New Jersey , to Hedwig and Robert Maass , German immigrants . 0 +"It was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" , in which Mariko Wolverine is primary romantic interest , girlfriend and lover ." "She was portrayed by Mariko in the 2013 film "" The Wolverine "" in which Tao Okamoto is Wolverine 's primary romantic interest , girlfriend , and lover ." 0 +The series was created by John Misto and is written by Misto , Graeme Koetsveld and Ray Kolle . The series was co-written by John Misto and created by Misto , Graeme Koetsveld and Ray Kolle . 0 +According to Bryan , Muftić was , in every respect , a true scientist who always looked for psychological explanations for physical and chemical problems . According to Bryan , Muftić was , in every respect , a true scientist who always looked for physical and chemical explanations for psychological problems . 0 +The Lessos - Kenya border section is jointly funded by the government of Uganda and JICA . The Lessos-Kenya border section is funded jointly by the Government of Uganda and JICA . 1 +In these he just shows an adaption to Roman style , especially that of Michelangelo , whose Sistine Chapel ceiling had already been completed . In these he already shows an adaptation to the Roman style , especially that of Michelangelo , whose ceiling had just been completed the Sistine Chapel . 0 +To the north , the region of Virginia continues into central Maryland and southeastern Pennsylvania . To the north , the region continues from Virginia into southeastern Maryland and central Pennsylvania . 0 +Jossie de Guzman , also known as Josie de Guzman , is an American actress and singer of Puerto Rican descent , known primarily for her work in theatre . Josie de Guzman , also known as Jossie de Guzman , is an American actress and singer of Puerto Rican descent , best known for work in the theatre . 1 +She sat a moment gazed around , She sat around a moment , 0 +Illnesses associated with this genus include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . Diseases associated with this genus include : DCV : increased reproduction potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . 0 +It has not been held since the 2008 event , and there are no plans for it to be reimplemented yet . It has not currently been held since the 2008 event , and there are no plans yet for it to be held again . 1 +As predicted , since 2015 , only 28 % of the promised amount has been reimbursed . As promised , since 2015 , only 28 % of the projected amount has been refunded . 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman , Eric Campbell , who was the first Australian to die in the Iraq War . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in Iraq - war . 0 +Michael van Gerwen lost the first three sets of his quarterfinal against Webster within 20 minutes and was also 4 -- 1 down . Michael van Gerwen lost the first three sets of his quarter-final against Webster inside 20 minutes and was also 4 -- 1 down . 1 +"Stanton 's husband said , "" Susan stirred the puddings , Elizabeth stirred up Susan , and then Susan stirs up the world ! """ "Susan 's husband said : "" Stanton stirred the puddings , Susan touched Susan , and then Elizabeth stirs up the world ! !" 0 +Linkuwa Pokhari is a village and Village Development Committee in Khotang District in the Sagarmatha Zone of eastern Nepal . Linkuwa Pokhari is a village and village development committee in the Khotang district in the Sagarmatha zone in eastern Nepal . 1 +After writing for Ace Publications , Pablo moved to Rudy Ner Siongco 's Gold Star Publications where he also wrote several komiks stories and serialized novels in 1962 . After writing for Ace Publications , Rudy Ner Siongco moved to Pablos Gold Star Publications , where in 1962 he also wrote several comic stories and serialized novels . 0 +Stony Creek 's water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams solved minerals per liter . 1 +The 1916 , Middle Tennessee State University football team presented the Middle Tennessee Blue Raiders during the 1916 College Football season , while the Blue Raiders Team Captain was Cass Miles . The 1916 Middle Tennessee Blue Raiders football team represented Middle Tennessee State University during the College Football season 1916 . The Blue Raiders team - captain was Cass Miles . 0 +Accompanied by bassist Roy Brooks and drummer Sam Jones , Garland is in good form . "Accompanied by bassist Roy Brooks and drummer Sam Jones , Garland is in great form "" ." 1 +Mehdi died in Karachi on 19 May 2008 after suffering from heart and liver disease . Mehdi left behind a wife , a daughter and a son , Farhan . Mehdi died on May 19 , 2008 in Karachi , after suffering from a heart and liver disease , and left behind a woman , a daughter , and a son , Farhan . 1 +The river Valea Arsurii is a tributary of the river Valea Mică in Romania . The Valea Mică River is a tributary of the River Valea Arsurii in Romania . 0 +Jared Harris , the man at the campsite played by Benmont Tench , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . Jared Harris , the man at the campsite , played by Benmont Tench , is named after Benmont Tench , keyboarder of Tom Petty and the Heartbreakers . 1 +Adobe Director ( formerly known as Macromedia Director ) is a multimedia application authorisation platform created by Macromedia and now managed by Adobe Systems . Macromedia Director ( formerly Macromedia Director ) is a multimedia application authorisation platform created by Adobe Systems and now managed by Adobe . 0 +Paniqui is from Manila and is from the province capital Tarlac City . Paniqui is from Tarlac City and is from the provincial capital , Manila . 0 +Early on August 25 , a hurricane warning was issued by Vero Beach to Lake Okeechobee and Florida City . Early on August 25 , a hurricane warning was issued from Florida City to Vero Beach and for Lake Okeechobee . 0 +Nikolai Myaskovsky wrote his Symphony No . 9 in E minor , Op . 28 , between 1926 and 1927 . It was dedicated to Nikolai Malko . Between 1926 and 1927 Nikolai Myaskovsky wrote his symphony No . 9 in e - Moll op . 28 , which was dedicated to Nikolai Malko . 1 +Seychelles is located in the Indian Ocean to the south of the main group Coëtivy Island . The island of Coëtivy is located in the Indian Ocean south of the main Seychelles group . 0 +"Bathyporeia elegans is a type of amphipod crustacean in the genus "" Bathyporeia "" . It is unpigmented and grows up to long ." "Bathyporeia elegans is a species of amphipod crustacean in the genus "" Bathyporeia "" . It is unpigmented , and grows up to long ." 1 +The T helper cells then activate B cells , which are also in the presence of these antigens , causing the production of autoantibodies . The T helper cells also activate B cells , which are then located in the presence of these antigens , causing the production of autoantibodies . 0 +The area was once served by Edinburgh Waverley Railway Station , which provided direct access to the railway to Corstorphine . The area was once served by Edinburgh Waverley railway station which provided direct railway access to Corstorphine . 1 +Bekkefaret is a neighborhood in the city of Stavanger in the Rogaland County , Norway . Bekkefaret is a neighborhood in the city of Rogaland in Stavanger county , Norway . 0 +He married them and rejected his current wife for money , so he could rebuild the family business . He married her and rejected his current wife for money , so that he could rebuild the family business . 1 +The San Jose was the second Pueblo ( city ) , created during the Spanish colonization of California ( the first was Pueblo de los Ángeles , in 1777 ) . The San Jose was the second pueblo ( town ) created during the Spanish colonization of California ( the first was Pueblo de los Ángeles , in 1777 ) . 1 +She won Democrats 64-35 , but lost Sanders 66-33 to Independents . She won Democrats 64-35 , but the Independents lost 66-33 to Sanders . 0 +There are three secondary schools and a number of primary schools in Caringbah . There are three elementary schools in Caringbah and a number of secondary schools . 0 +It was also recorded by the Guy Lombardo and his Royal Canadians orchestra and the singing group The Three Suns in the United States . It was also recorded by the Royal Canadians and His Guy Lombardo orchestra and the vocal group The Three Suns in the United States . 0 +The 1986 Italy Rugby Union Tour through Italy was played a series of games between May and June 1986 in Australia by Australia National Rugby Union team . The 1986 Italy rugby union tour of Australia was a series of matches played between May and June 1986 in Australia by Italy national rugby union team . 0 +Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and reached via ( Sarai Kala ) siricote . Ranjit Singh marched to ( Rohtas ) , from there to ( Rawalpindi ) and via ( Sarai Kala ) reached Sirikot . 1 +"Finally , the published prose history ( "" Bataviae Hollandiaeque Annales "" ) was commissioned in 1601 ." "Finally , in 1601 , the published prose story ( "" Bataviae Hollandiaeque Annales "" ) was commissioned ." 1 +Sears Bay , Sears Crescent and Sears Place in Arbor Creek and Herbert S. Sears Park in Fairhaven were named in his honor . Sears Bay , Sears Crescent and Sears Place in Arbor Creek and Herbert S. Sears Park in Fairhaven were named in his honour . 1 +She reached Sydney on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . She reached Sydney on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Melbourne . 1 +The river Pascu is a tributary of the Valea Voenilor river . The river Valea Voenilor is a tributary of the Pascu River . 0 +"Vreeland interpreted this phenomenon for Rowlands in an interview to the book : "" It is because Avedon lasted "" ." "In an interview for the book , Avedon interpreted this phenomenon for Rowlands : "" It 's because Vreeland lasted ." 0 +"It can either be "" mortal "" or "" venial "" ." "It can be either "" venial "" or "" mortal """ 1 +"The building is designed in a "" U "" plan in brick roof , with the opposite wing being shorter than the western wing ." "The building is designed in a "" U "" plan covered in tile roof , with the western wing shorter than the opposite wing ." 0 +"During this period , two national liberals held cabinet positions , plus one who sat as "" Liberal "" :" "During this period two National Liberals held cabinet rank , plus one who sat as a "" Liberal "" :" 1 +His sound aesthetics are mostly described as aggressive and powerful , yet transparent . His sound aesthetics are usually described as transparent , but aggressive and powerful . 0 +In 2005 , the Virgin Group signed a two-year contract with BH Air for a wet lease contract . In 2005 , BH Air and the Virgin Group signed a two-year contract for a wet lease . 0 +Refers to the effect of the body while turning figures : turning the opposite hip and shoulder in the direction of the moving foot . Refers to the movement of the body in moving figures : turning the opposite hip and shoulder in the direction of the foot turning . 0 +Mushtaq was born in Baihar City Balaghat District of Madhya Pradesh . Mushtaq was born in Baihar town of Balaghat district Madhya Pradesh . 1 +The mineral has only been found in the Bon Accord Nickel Deposit in South Africa where it is formed by replacing chromite and rimmed by trevorite . The mineral was found only in the Bon Accord nickel deposit in South Africa , where it is formed by replacing chromite and by trevorite . 1 +On February 28 , 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion . On February 28 , 2018 Interoute announced the acquisition of GTT Communications for $ 2.3 Billion . 0 +San Pedro Springs Park is located in the town of Bexar County San Antonio in the U.S. state of Texas . San Pedro Springs Park is located in the San Antonio city of Bexar County in the U.S. state of Texas . 0 +Diosdado Aenlle Talamayan was ordained a priest on April 10 , 1987 by Ricardo Lingan Baccay . On April 10 , 1987 , Ricardo Lingan Baccay was dedicated as a priest by Diosdado Aenlle Talamayan . 0 +Aleksey Pavlovich Chapygin ( October 21 , 1937 ) , was a Soviet historical writer and one of the founders of the Russian novel . Aleksey Pavlovich Chapygin ( 21 October 1937 ) ; was a Soviet historical writer , and one of the founders of the Russian novel . 1 +For the Huffington Post Highline , Robert and Rebekah Mercer later wrote about Vicky ’ s influence on the 2016 election . Charlie Rose recently interviewed her on this piece . For the Huffington Post Highline , Vicky recently wrote about Robert and Rebekah Mercer 's influence in the 2016 election . Charlie Rose later interviewed her on this piece . 0 +In the United Kingdom , mescaline in purified powder form is a Class A drug . However , dried cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be bought and sold legally . 0 +This scene was cut , although its opening recitative in rewritten form was present in the first production . This scene was rewritten , although its opening - recitative in cut form was already present in the first production . 0 +"He won the first Prix de Rome for painting in 1813 and the second Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." "He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his painting of the "" death of the Diagora "" ." 0 +Boyd was born in Montgomery , Alabama , daughter of the single mother Dora Lee McClain . Dora Lee McClain was born in Montgomery , Alabama , as the daughter of a single mother Boyd . 0 +He was a member of the Bapounou people , was born in Moussambou and trained in local Catholic schools , then at the secondary school of Lambaréné , public . A member of the Bapounou people , he was born at Moussambou and educated in public secondary schools , then at the local Catholic school of Lambaréné . 0 +The park is located near the foot of Bay Street , just south of Queens Quay . The park is located near the foot of Bay Street , south of Queens Quay . 1 +"Otto Friedrich wrote in "" The Kingdom of Auschwitz "" about Rudolf Höss about his decision to present the motto at the Auschwitz - entrance so prominently :" "In "" The Kingdom of Auschwitz "" , Rudolf Höss wrote about Otto Friedrich , regarding his decision to display the motto so prominently at the Auschwitz entrance ." 0 +Teversall Manor is a former railway station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . Teversall Manor is a former station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . 1 +Dyson died on board a ship while travelling from England to Australia in 1939 and was buried at sea . Dyson died on board a ship when he was travelling to England from Australia in 1939 and was buried at sea . 0 +Andy insists that he likes her and Adam encourages Katie to ask Adam out . Andy insists that he likes it , and Adam encourages Katie to ask Adam out . 1 +""" Arrow "" was built by Walkers Limited at Maryborough , Queensland , launched on 17 February 1968 , and commissioned on 3 July 1968 ." """ Arrow "" was built by Walkers Limited in Maryborough , Queensland , commissioned on February 17 , 1968 and launched on July 3 , 1968 ." 0 +Võhma is a village in Lääneranna Parish , Estonia , in western Pärnu County . Võhma is a village in the parish Lääneranna , Estonia , in western Pärnu County . 1 +It was created on 18 July 1914 for the pharmacist and businessman James Horlick , brother of William Horlick . It was created on July 18th , 1914 for the pharmacist and businessman William Horlick , brother of James Horlick . 0 +He was elected from Bhubanesvar in Odisha to Lok Sabha , the lower house of the Indian parliament . He was elected to the Lok Sabha , the lower house of Indian Parliament from Odisha in Bhubaneswar . 0 +It was dredged and widened in 1974 , with gravel roads built on each side of the canal . It was dredged and extended in 1974 , built with gravel roads on each side of the canal . 1 +is a species of small sea snail , marine gastropod mollusk in the Olivellidae family , the dwarf olives . Olivella esther is a type of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 0 +Sunnyside railway station was formerly located at the intersection of Roncesvalles Avenue , Queen Street West and King Street in Toronto , Ontario , Canada . Sunnyside Railway Station was once located at the crossroads of King Street , Queen Street West and Roncesvalles Avenue in Toronto , Ontario , Canada . 0 +"In 2010 , Derek Miller published his third album "" Miller with Double Trouble "" ." "In 2010 , Miller published his third album "" Derek Miller with Double Trouble "" ." 0 +The museum consists of a main information room , a restoration hangar , the new hangar Texas Flying Legends and the Oswin H. Elker Hangar . The museum consists of a main information room , a restoration hangar , the new Texas Flying Legends hangar , and the Oswin H. Elker Hangar . 1 +He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( later WJPC ) radio station in Chicago . Jones later served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( also WJPC ) in Chicago . 0 +Cerljen was also the international delegate from Sweden at the first final since 2006 , when Josephine Alhanko placed in the Top 20 . Since 2006 , when Josephine Alhanko placed himself in the Top 20 , Cerljen was the first delegate from Sweden to the international final . 0 +Turbonilla garthi has a species of sea snail , a marine gastropod mollusk in the family Pyramidellidae , the pyrams and their allies . It is the genus Turbonilla . Turbonilla garthi has a species of sea snail , a marine gastropod mollusk in the family Pyramidellidae , the pyramids and their allies It is the class Turbonilla . 1 +Summers are hot and humid , and winters are cool with mild periods . Summers are hot and humid and the winters are cool with mild periods . 1 +Neptunea alexeyevi is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Neptunea alexeyevi is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true pustules . 0 +The combination of small size and emphasis on educational excellence , resulting in a district that offers “ public school experience in a private school setting ” . "The combination of small size and emphasis on educational excellence , results in a district that offers a "" public school experience in a private school setting "" ." 1 +He ruled under Trujillo at the end of his era and later served Duvalier in Haiti . He served under Trujillo during the end of his era , and later ruled Duvalier in Haiti . 0 +Midlake opened in Dallas and Oklahoma City and Mudhoney opened for all the shows from Portland to Seattle . Midlake opens in Portland and Mudhoney opened for all shows from Seattle to Dallas and Oklahoma City . 0 +In 2005 , Kinsale became Ireland 's second Fair Trade Town , with Clonakilty being the first . In 2005 , Kinsale became Ireland ’ s second Fair Trade Town , with Clonakilty being the first . 1 +He made numerous expeditions to tropical Africa , with emphasis on Equatorial Guinea . He made numerous expeditions to tropical Equatorial Guinea , with emphasis on Africa . 0 +After Hoffman gave him the money , Kuklinski told him that the deal was a ruse . After Kuklinski gave him the money , Hoffman told him that the deal was a trick . 0 +Finally Pedro ended with many other children in the care of a man named Sebastian . Pedro eventually ended up in the care of a man named Sebastian with many other children . 1 +The Edmonton Oilers became the first National Hockey League team in Alberta as they were absorbed by the NHL when the WHA folded . The Edmonton Oilers were the first National Hockey League team in Alberta when they were absorbed by the NHL as the WHA Fold . 1 +The scenes in the marshes were also shot in Kent , the Riverside Country Park in Gillingham . The scenes in the marshes were also shot in Gillingham at the Riverside Country Park in Kent . 0 +This can be written in explicitly trigonometric and hyperbolic form using the properties of the complex functions . Using the properties of the trigonometric and hyperbolic functions , this may be written in explicitly complex form : 0 +There are 38 public primary schools and 66 secondary schools in Lilongwe with a total of 103,602 students , as well as 29 private schools with 30,795 students . There are 38 private and 66 public primary schools with a total of 103,602 pupils as well as 29 secondary schools with 30,795 students in Lilongwe . 0 +The Edmonton Oilers became the first NHL team in Alberta as they were absorbed by the National Hockey League when the WHA folded . The Edmonton Oilers became the first National Hockey League team in Alberta when they were absorbed by the NHL than the WHA Fold . 1 +Adesokan belongs to the African Literatures Association , African Studies Association , Association of Nigerian Authors , Modern Language Association , Society for Cinema and Media Studies . Adesokan belongs to the African Literatures Association , Modern Language Association , Association of Nigerian Authors , African Studies Association , Society for Cinema and Media . 1 +"His role in "" The Mechanic "" was positively revived by the critics both in the United Kingdom and the United States ." "His role in "" The Mechanic "" was revived positively by critics in both the United Kingdom and the United States ." 1 +Bandelin is approximately 15 km south of Greifswald and about 3 km northwest of Gützkow . Bandelin is located approximately 15 km south of Greifswald and about 3 km northwest of Gützkow . 1 +Then Tommy tells him who Tyrone is . Tyrone then tells him who Tommy is . 0 +Among her regular guests were Canning and Castlereagh , Byron , Sir Walter Scott , Lord John Russell , Sir Robert Peel , Theodore Hook and Sydney Smith . Regular guests included Canning and Castlereagh , Byron , Sir Walter Scott , Lord John Russell , Sir Robert Peel , Theodore Hook , and Sydney Smith , among others . 1 +Antonio Šišić ( born March 29 , 1983 in Zagreb ) is a former Croatian football trainer and goalkeeper . Antonio Šišić ( born 29 March 1983 in Zagreb ) is a former football manager and Croatian football goalkeeper . 0 +After the dictionary of the National Biography of 1885 , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . According to the dictionary of the National Biography of 1885 , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his supporters . 0 +"On 6 December 1805 , Jem Belcher defeated Pierce Egan in a championship decision ( a battle reported in Pearce 's first volume of "" Boxiana "" ) ." "On 6 December 1805 , Pearce defeated Jem Belcher in a Championship decider ( a fight reported in Pierce Egan 's first volume of "" Boxiana "" ) ." 0 +Stephen D Reicher ( Steve Reicher ) is Professor of Social Psychology and former Head of the School of Psychology at the University of St Andrews . Stephen D. Reicher ( Steve Reicher ) is a Professor of Social Psychology and a former head of the School of Psychology at the University of St Andrews . 1 +Ashe was spoken in Japanese by Mie Sonozaki in English and by Kari Wahlgren . Ashe was voiced by Mie Sonozaki in English and by Kari Wahlgren in Japanese . 1 +The Legacy of the Aldenata , also known as the Posleen War Series , is the fictional universe of one of John Ringo 's military science fiction series . The legacy of the Aldenata , also known as the Posley War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . 0 +Ann is married to Ann who is with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn pastors . Ann is married to Ann , who pastors with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn . 1 +At work , Daniel asked Betty to get a new wheelchair that he wanted to use at the event . At work , Daniel asked Betty to pick up a new wheelchair that he wanted to use at the event . 1 +The house is affiliated with : Government of Nunavut , Government of Northwest Territories , and Government of Yukon . The house is connected with : Government of Northwest - Territories , Government of Nunavut and the government of Yukon . 1 +Williams turned around and reformed the British invasion of Magnus by attacking the Eric Young and Orlando Jordan team . Magnus turned around and reformed the British invasion of Williams by attacking the Eric Young and Orlando Jordan team . 0 +Suruga-Tokuyama Station is a manned station with a single island platform and a small wooden station building . Suruga-Tokuyama Station is a small wooden station with a single island platform and a manned railway station building . 0 +The Church was designated as a listed landmark of the City of Santa Barbara on May 17 , 2016 . The church was established on 17 May 2016 as a landmark of the city of Santa Barbara . 1 +It is part of the Panama City Beach -- Lynn Haven - Panama City It is part of the Panama City Beach -- Lynn Haven -- Panama City 1 +He and his family moved from Colorado to Wyoming to Oregon until he was about five years old when they settled in Silver Spring , Maryland . He and his family moved from Wyoming to Colorado to Oregon until he was around five years old when they settled in Silver Spring , Maryland . 0 +Alfred Gregson ( 2 March , 1889 -- March 1968 ) was an inside football English professional left , who played in the Football League for Grimsby Town and Bury . Alfred Gregson ( March 2 , 1889 - March 1968 ) was an internal English football professional who played for Grimsby Town and Bury in the Football League . 1 +Collera is one of nine parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadesella , northern Spain . Collera is one of nine parishes ( administrative districts ) in Ribadesella , a municipality in the province and autonomous community of Asturias , northern Spain . 0 +Her work was widely published in the photographic press , and was printed in book form through the Swiss publisher La Guilde du Livre in the 1950 's . Her works were widely printed in the photographic press and published in book form in the 1950s through the Swiss publisher La Guilde du Livre . 0 +A public elementary school was built in 1850 in the hamlet of Stain and built in 1858 for 100 children . The Wesleyans expanded a school in 1875 . A Public Elementary School was built in the hamlet of Stain in 1850 and built in 1858 to hold 100 children . The Wesleyans enlarged a school in 1875 . 1 +Ieyoshi 's sixth wife was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . The sixth wife of Ieyoshi was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . 1 +Andrea Dovizioso remained with Ducati for the 2015 season with Andrea Iannone coming to the factory team from a Pramac Ducati . Andrea Dovizioso remained with Ducati for the 2015 season , while Andrea Iannone came from a Pramac Ducati to the factory team . 1 +In Kingston , Jamaica , Chin was born to a Chinese Jamaican mother and a Jamaican father . Chin was born in Kingston , Jamaica , to a Chinese Jamaican mother and a Jamaican father . 1 +The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . Bergamo railway station is connected to Milan , Treviglio , Cremona , Lecco , Brescia and Monza with regional trains operated by Trenord . 1 +The PGM 500 and PGM 2000 are guided bombs developed by MBDA and now distributed by Alenia Marconi Systems . The PGM 500 and PGM 2000 are guided bombs developed by Alenia Marconi Systems and are now marketed by MBDA . 0 +As a student , his influences included Carl Ludwig and Gustav von Hüfner at Leipzig , and Robert Bunsen at the University of Heidelberg . His influences as a student included Carl Ludwig and Gustav von Hüfner in Leipzig and Robert Bunsen at the University of Heidelberg . 1 +The square was opened on 2 July 2013 by President Alexander Lukashenko and Laos President Choummaly Sayasone during a ceremony at the square . The Square was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on July 2 , 2013 , during a ceremony on the square . 1 +Houston sells the cow to Mrs. Ike , she buys it with Littlejohn 's money . Houston sells the cow to Mrs. Ike ; she purchases it with Littlejohn 's money . 1 +Announced to be created July 2013 . To be announced July 2013 . 0 +Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent on the plain of New Mexico . Deaton was born in Clayton , Oklahoma and his family lived in a tent on the New Mexico plains for two years . 1 +There I was , and there he went : here and there to my sorrow I find him . There I went forth , and there he was : here and there I find him to my sorrow . 0 +Quarterback Jameis Winston and Defensive Back P. J. Williams were named the most valuable players in the game for their performance . Quarterback P. J. Williams and Defensive Back Jameis Winston were named the most valuable players of the game for their performances in the game . 0 +At the Congress , Toxo was supported by the Basque regional secretary Unai Sordo whom Toxo has replaced as candidate . Toxo was replaced at the congress by the Basque regional secretary Unai Sordo , whom Toxo supported as a candidate . 0 +Thomas Fothergill was an English academic administrator at the University of Oxford . Thomas Fothergill D.D . was an academic English administrator at the University of Oxford . 1 +In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Champions Tournament in Guadalajara , Mexico . He won third place at the Parapan American Games in Charlotte , USA in 2011 and another third place at the International Tournament of Champions in Guadalajara , Mexico . 1 +Each report , which was completed in February 2011 , contains data for the school year that is updated . that was completed in February 2011 . Each report contains data for the previous updated school year . 1 +Jolene is Dolly Parton 's thirteenth solo studio album , produced by Bob Ferguson . Dolly Parton 's thirteenth solo - studio album by Bob Ferguson produced . 0 +Erandio is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , in northern Spain . Erandio is a town and municipality located in the province of Biscay , in the autonomous community of Basque Country , northern Spain . 0 +There is a collection of these works in Deutsche Bank Brooklyn , as well as the Piergoi Flat Files in New York City . There is a collection of these works in the Deutsche Bank Brooklyn , as well as the Piergoi Flat Files in New York City . 1 +It is written by Yasir Nawaz and led by Rida Bilal . It is led by Yasir Nawaz and written by Rida Bilal . 0 +The Valea Botului River is a tributary of the Fruntești River in Romania . The River Frunte ? ti is a tributary of the River Valea Botului in Romania . 0 +Zina Garrison and Sherwood Stewart were the defending champions but lost in the second round to Jana Novotná and Jim Pugh . The title defenders were Jana Novotná and Jim Pugh , but lost to Zina Garrison and Sherwood Stewart in the second round . 0 +"Pierre Bourdieu and Basil Bernstein explore , how the cultural capital of the legitimate classes has been viewed throughout history as the "" most dominant knowledge "" ." "Pierre Bourdieu and Basil Bernstein explore how the cultural capital of the legitimate classes has been considered the "" dominant knowledge "" throughout history ." 1 +Dummer was born in Newbury , Massachusetts , as the second son of Richard Dummer and his first wife , Frances Burr . Dummer was born in Newbury , Massachusetts , the first son of Richard Dummer and his second wife , Frances Burr . 0 +"On 12 March 1801 "" Eling "" sailed with the British fleet under Admiral Sir Hyde Parker and was at the Battle of Copenhagen ( 1801 ) ." "On March 12 , 1801 , "" Eling was sailing with the British fleet under Admiral Sir Hyde Parker and became the Battle of Copenhagen ( 1801 ) ." 1 +In 1923 Jacob Blaustein and his son Louis Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half of their American Oil Company to Pan American in exchange for a guaranteed oil supply . 0 +Furthermore , Spain entered into negotiations with the Portuguese court and agreed to achieve the Lisbon peace on 13 February 1668 . Furthermore , Spain agreed to negotiate with the Portuguese court and entered into the peace of Lisbon on 13 February 1668 . 0 +Lake Arrowhead is an artificial lake in the Mojave River at Little Bear Creek , a tributary of Deep Creek and the San Bernardino Mountains . Lake Arrowhead is an artificial lake located in the San Bernardino Mountains on Little Bear Creek , a tributary of Deep Creek and the Mojave River . 0 +The Expected Exposure ( EE ) is defined similar to the PFE , except that the average is used instead of a certain quantile . Expected Exposure ( EE ) is used similarly to the PFE , except that the average instead of a certain quantile is defined . 0 +The first verse expresses the reason for the second verse : the goodness of the Lord has been experienced in the past , and his faithfulness will last forever . The second verse expresses the reason for the first verse : the goodness of the Lord has been experienced in the past , and his faithfulness will exist forever . 0 +Algestone Acetophenide is used in combination with Estradiol Enanthate as a monthly injectable contraceptive for women in Latin America and Spain . In combination with Estradiol Enanthate , Algestone Acetophenide is used as a combined injectable contraceptive for women in Latin America and Spain once a month . 1 +After entering Trigg County , it then meets Interstate 24 ( I-24 ) at the point , where Caldwell County intersects with Caldwell and Lyon counties . After entering Trigg County , she meets Interstate 24 ( I-24 ) at the point where Caldwell County intersects with Caldwell and Lyon counties . 1 +Katerina Maleeva defeated Audra Celler 7 -- 6 , 6 -- 2 . Audra Keller defeated Katerina Maleeva 7 -- 6 , 6 -- 2 . 0 +Neustadtl an der Donau is a city in the Amstetten district of Lower Austria in Austria . Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria in Austria . 0 +The 2012 Central Connecticut State University football team represent Central Connecticut Blue Devils in the NCAA Division I FCS Football - Season 2012 . The 2012 Central Connecticut Blue Devils football team represented Central Connecticut State University in the 2012 NCAA Division I FCS football season . 0 +The Sultan of Golconda extinguished Mysore and humiliated the Vijayanagara empire and accepted and attacked the kingdom of Mysore . The Sultan of Golconda extinguished Mysore and humbled the Vijayanagara Empire and accepted and attacked the kingdom of Mysore . 1 +"The duo borrowed the title "" Electric Arguments "" from the poem "" St. Louis to Kansas City "" of Allen Ginsberg ." "The duo borrowed the title "" Electric Arguments "" from the poem "" St. Louis to Kansas City "" by Allen Ginsberg ." 1 +A practicing member of the Presbyterian faith , White was a Mason in the Clinton Lodge of Romney , where he had served as a Master . White , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in Romney , where he had served as a master . 1 +An NMI was triggered in the original IBM - PC when a parity error was detected in the system memory or reported by an external device . In the original IBM PC , an NMI was detected if a parity error was reported in system memory , or triggered by an external device . 0 +Portsmouth won 4 -- 1 , with goals by John Anderson , Cliff Parker and two of Bert Barlow . Portsmouth won 4 -- 1 , with goals by Bert Barlow , John Anderson and two by Cliff Parker . 0 +Founded in 1959 by Sérgio Britto , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Gianni Ratto , it has featured actors such as Fernanda Montenegro , Sérgio Britto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . 0 +The electrochemical fluorination of organic compounds is a reactive solvent . HF is a electrochemical solvent in the reactive fluorination of organic compounds . 0 +"The musical films "" Tom Sawyer "" and "" Huckleberry Finn "" , both based on Mark Twain 's novels , were shot partially on location here ." "The musical films "" Mark Twain "" and "" Huckleberry Finn "" , both based on Tom Sawyer 's novels , were partially shot on site ." 0 +Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Andrew E. C. Gaska and illustrated by Daniel Dussault . Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Andrew E. C. Gaska and illustrated by Daniel Dussault 1 +After Veronica calls out her daughter 's name , Drake hides in a corner and exits the room unnoticed . After Veronica calls her daughter 's name , Drake hides in a corner and leaves the room unnoticed . 1 +They appeared at the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery , Chicago . They appeared at the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , in the Beachland Ballroom in Cleveland . 0 +The first president of Antigone was Mauro Palma ( 1991-1999 ) , who have been replaced by Stefano Anastasia ( 1999-2005 ) . The first president of Antigone was Stefano Anastasia ( 1991-1999 ) , who has been replaced by Mauro Palma ( 1999-2005 ) . 0 +The T helper cells also activate B cells , which are then in the presence of these antigens , causing the production of autoantibodies . The T helper cells then activate the B cells , which are also in the presence of these antigens , causing the production of autoantibodies . 0 +There is a national motorway connecting Washim , Kanergaon , Nanded , Amrawati , Hingoli and Akola . There is a national road connecting Washim , Kanergaon , Akola , Amrawati , Hingoli and Nanded . 1 +Kawahigashi Station is served by the Suigun Line and is located 122.2 km from the official starting point of the line at Mito Station . Kawahigashi Station is located by the Suigun Line , and is served 122.2 rail kilometers from the official starting point of the line at Mito Station . 0 +Lombard Middle School was located in Galesburg until 1930 and is now the site of Lombard College . Until 1930 , Lombard College was based in Galesburg and is now the site of the Lombard Middle School . 0 +The absence of annoyance with the law was guaranteed by the secret protection of Préfet de Police Albert Sarraut and Minister Jean Chiappe . The absence of trouble with the law was guaranteed by the secret protection of the Préfet de police Albert Sarraut and Minister Jean Chiappe . 1 +The architect was C. Morgan , Mr. J. Verhoewe the contractor and Mr. J. Dey , Chairman of the Action Committee . Mr. C. Morgan was the architect , Mr. J.D . Verhoewe the contractor and Mr. J. Dey , chairman of the action committee . 1 +It is a type of mainly Byzantine dance , from where has been adapted , with the main base and elements of Turkish folkloric music . It is a kind of mainly Turkish folkloric dance , from where , with the main base and the elements of Byzantine music has been adapted . 0 +"In September 2013 Enfield appeared in the BBC Three comedy series "" Bad Education "" as Jack Whitehall , the father of Martin 's character Alfie ." "In September 2013 , Enfield appeared in the BBC Three Comedy series "" Bad Education "" as Jack Whitehall , the father of Martin ’ s character Alfie ." 1 +The music was written by MS Baburaj and the lyrics by P. Bhaskaran and Yusufali Kechery composed . The music was composed by MS Baburaj and lyrics was written by P. Bhaskaran and Yusufali Kechery . 0 +According to the United States Census Bureau , Masontown has a total area of which land is and , or 2.10 % , is water . According to the United States Census Bureau , Masontown is a total area of which is land and 2.10 % water . 1 +The standard gauge was followed by a new alignment through the Avon valley of the Darling Scarp east of Perth . The new gauge line followed a standard alignment through the Avon Valley of the Darling Scarp east of Perth . 0 +It identifies the blue seventh against the dominant chord that would be in the key of C B and G -- B -- D . It features the blue seventh against the dominant chord , which in the key of C would be B and G -- B -- D . 0 +The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Nick Winston and choreographed by Ed Curtis . The show was staged by Nick Winston on 27 March 2012 at the Theatre Royal in Newcastle and choreographed by Ed Curtis . 1 +The hospital provides therapeutic services in tertiary and quaternary surgery , neurosurgery , inner city health and cardiovascular endoscopy . The hospital provides tertiary and quaternary services in the areas of cardiovascular surgery , neurosurgery , inner city health and therapeutic endoscopy . 0 +Izvoarele River is a tributary of the River Podriga in Romania . The River Podriga is a tributary of the River Izvoarele in Romania . 0 +Ice hockey was played at two venues , in Gjøvik in Lillehammer and Gjøvik Olympic Cavern Hall in Håkons Hall . In Gjøvik in Lillehammer and at the Gjøvik Olympic Cavern Hall in Håkons Hall , ice hockey was played in two places . 1 +"On this penultimate New 52 alternate Earth , the Martian Manhunter is a member of Superman 's global Justice League repressive authoritarian tyrants , the "" Justice Lords "" ." "On this penultimate New 52 Earth is Mars - Manhunter a member of Superman 's repressive authoritarian global tyrants of the Justice League , the "" Justice Lords "" ." 0 +The First Oil Well in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian Territory , though it was not completed until 1888 . The first oil source in Indian territory was drilled in Atoka County , Choctaw Nation , Oklahoma in 1885 , although it was not completed until 1888 . 0 +The Kam people live mostly in northern Hunan , eastern Guizhou , and western Guangxi in China . The Kam - people mostly live in eastern Guizhou , in western Hunan and in northern Guangxi in China . 0 +Taieri is a former parliamentary electorate in the Otago region of New Zealand , from 1866 to 1911 . Taieri is a former parliamentary constituent in the New Zealand region of Otago , from 1866 to 1911 . 0 +The northern border of the municipality is also the southern border of the National Park of Lahemaa . The southern border of the municipality is also the northern border of Lahemaa National Park . 0 +In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was awarded by King Haakon Haakonsson the Jarldom of Orkney . In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded by King Magnus the Jarldom of Orkney . 0 +Mats Wilander defeated Jimmy Arias , 4 -- 6 , 7 -- 5 , 6 -- 1 , 6 -- 3 Jimmy Arias defeated Mats Wilander by 4-6 , 7-5 , 6-1 , 6-3 . 0 +Then he entered the star in 1986 and left The Muslim . In 1986 he left the star and joined the Muslim . 0 +Greg later was thanked by Armstrong . Armstrong was later thanked by Greg . 0 +Jean Alfred Fournier had two brothers , Milenko Žujović , who wrote books on jurisprudence , and Dr. Jevrem Žujović , whose mentor Jovan Žujović was . Jean Alfred Fournier had two brothers , Milenko Žujović , who authored books on jurisprudence , and Dr. Jevrem Žujović , whose mentor was Jovan Žujović . 1 +Malek Jaziri won the title and beat Mischa Zverev 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . Malek Jaziri won the title , defeating Mischa Zverev 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . 1 +Hangars 1 -- 4 were built on the south side of the administration building , while hangars 5 -- 8 were built on the north side . On the south side of the administrative building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . 1 +For the 2007 games , Futsal was added to the Basque programme ( and for the first time since 2011 ) , while Racquetball and only Pelota were dropped . For the 2007 Games Futsal was added to the program for the first ( and as of 2011 only time ) while racquetball and basque pelota were dropped . 0 +Almost all the people in the district of Phu Tan had to be evacuated ( mainly in the Cho Moi , An Phu ) . Almost all of the people in An Phu had to be evacuated ( mainly to Cho Moi , Phu Tan District ) . 0 +Jimmy Wareing was born in 1917 in Cumberland and played the Rugby - Union for Silloth and Silloth before the war . Jimmy Wareing was born in 1917 in Silloth and played the Rugby - Union for Silloth and Cumberland before the war . 0 +It was built in 1974 and widened , dredged with gravel roads on each side of the channel . It was dredged and extended in 1974 , built with gravel roads on each side of the canal . 0 +"Hyman ( 2001 ) says Mayer , "" wrote the definitive work on loyalty tests throughout American history . """ "Mayer ( 2001 ) says Hyman , "" wrote the definitive work on loyalty tests throughout the American history ." 0 +In biology , biological specificity is the tendency of a characteristic such as a behavior or a biochemical variation to occur in a particular species . In biology , biological specificity is the tendency of a characteristic , such as behavior or biochemical variation , in a particular way to occur . 1 +In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in Japan , and in 2006 he became a designer at Woolrich Woolen Mills in America . In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in America , and in 2006 he became designer for Woolrich Woolen Mills in Japan . 0 +"The Riemann zeta function is defined for real "" s "" with complex part greater than 1 , by the absolutely convergent infinite series ." "The Riemann Zeta function is defined by the absolutely convergent infinite row for complex "" s "" with real part larger than 1 ." 0 +Sinan ( also romanized as Sīnān ) is a village in the district of Esfarayen , North - Khorasan - Province , Iran , in the Azari county of the Central District . Sinan ( also Romanized as Sīnān ) is a village in Esfarayen County , North Khorasan Province , Iran , in the Azari Rural District of Central District . 1 +The Berhala Island is a small forested island in the Sandakan Bay in Sandakan , Sabah , Malaysia . The Berhala Island is a small forested island situated in Sandakan Bay in Sandakan , Sabah , Malaysia . 1 +In 1862 , Breck died , and Breck married Sarah Stiles in 1864 , and three years later he moved to Benicia , California , to build two other institutions . In 1862 , Sarah died , and in 1864 Breck married Jane Breck , and three years later he moved to Benicia , California , to build two more institutions . 0 +On July 4 , 1968 , at Smith 's request , Harper resigned from the cabinet . On 4 July 1968 , Harper resigned from the Cabinet at Smith 's request . 1 +The Danakil desert is a desert in southern Ethiopia , in northwestern Djibouti and northeast Eritrea . The Danakil Desert is a desert in southern Ethiopia , northwestern Djibouti , and northeast Eritrea . 1 +Trevor Hunter was not the principal in 2011 as he was Principal at Belmont City College and was replaced in 2012 by Geraldine Hardy . In 2011 , Geraldine Hardy was not the director as he was director at Belmont City College and was replaced by Trevor Hunter in 2012 . 0 +Ashley was born on November 1 , 1986 and is a contemporary dancer from Los Angeles , who originally grew up in Arizona . Ashley was born on November 1 , 1986 and is a contemporary dancer from Arizona , who originally grew up in Los Angeles . 0 +The Wenlock Modern School was opened in 1953 on the site of the famous Olympic Games and later renamed William Brookes School . The Wenlock Modern School was opened in 1953 on the site of the famous Olympic Games and later renamed William Brookes School . 0 +The song is a crossover from Dance ManiaX 2ndMix , composed by Tomosuke Funaki and sung by emi . This song is a crossover from Dance ManiaX 2ndMix , sung by Tomosuke Funaki and composed by emi . 0 +In 2003 RTI International became the new host for GDB where it continued to be maintained as a public resource for high quality genetic and genomic information . In 2003 , RTI International became the new host for GDB , where it continued to be run as a public resource for high-quality genetic and genomic information . 1 +He moved to Wisconsin in 1853 and settled down in the Rock County near Beloit . In 1853 he moved to Rock County and let himself be settled near Beloit in Wisconsin . 0 +"The concept of bass - oboe as an enlarged English horn remained , and in 1889 the "" hautbois baryton "" , redesigned by François Lorée , was introduced ." "The concept of the bass oboe as an enlarged English horn survived , and the "" hautbois baryton , "" redesigned by François Lorée , was introduced in 1889 ." 1 +In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half of their American Oil Company to Pan American in exchange for a guaranteed oil supply . In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a participation in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . 0 +The oldest are the canals : the Bridgewater Canal , Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . The oldest of these are the canals : the Manchester Ship Canal , the Trent and Mersey Canal , the Weaver Navigation and the Bridgewater Canal . 1 +This chapel is composed by a rib vault and a small blinded Gothic window in the right wall . This chapel is blinded by a rib vault and a small right window in the Gothic wall . 0 +La République En Marche is a legislative group in the National Assembly , including representatives of La République En Marche following the 2017 parliamentary elections . The La République En Marche group is a parliamentary group in the National Assembly including representatives of La République En Marche ! after the 2017 legislative elections . 0 +"Kippi first appeared on "" Rechov Sumsum "" in 1983 , and he also appeared on "" Shalom Sesame "" , a bilingual 1986 Israel-US co-production ." "Kippi appeared for the first time in 1983 on "" Rechov Sumsum "" , and he also appeared on "" Shalom Sesame "" , a bilingual Israel-US - co-production from 1986 ." 1 +They showed how to use secure cryptography to implement a blackmail attack with key public information . They showed how to use public key cryptography to implement a secure information extortion attack . 0 +The next day he forced Kyokutenhō to surpass Chiyonofuji and stand in first place alone . The following day he forced out Kyokutenhō to surpass Chiyonofuji and stand alone in first place . 1 +Ardning is a municipality located in the district of Liezen in the Austrian province of Styria . Ardning is a municipality in the district of Styria in the Austrian state of Liezen . 0 +Marcelinho , or simply Marcelo Santos Oliveira ( born March 9 , 1981 in Aracaju ) , is a Brazilian offensive midfielder . Marcelo Santos Oliveira or simply Marcelinho ( born March 9 , 1981 in Aracaju ) , is a Brazilian attacking midfielder . 0 +The equivalence classes of convex ensembles therefore have the structure of a statistical amount under certain conditions . The equivalence classes of statistical ensembles therefore have the structure of a convex quantity under certain conditions . 0 +When Aaron asked him to play guitar in the new band , Russ agreed . When Aaron asked him to play guitar in the band 's new band , Russ agreed . 1 +Renato Sobral was supposed to face Mike Kyle , but was replaced by Rafael Cavalcante after an injury . Renato Sobral was scheduled to face Mike Kyle , but after suffering an injury , was replaced by Rafael Cavalcante . 1 +Caroline Wozniacki won the title by beating Vera Zvonareva in the last 6 - 3 , 3 - - 6 , 6 -- 3 . Vera Zvonareva won the title by beating Caroline Wozniacki in the final with 6 -- 3 , 3 -- 6 , 6 -- 3 . 0 +With the decline of Dutch power , other colonial powers , the Portuguese , British , and Christian organizations , gained influence . With the decline of Portuguese power other colonial powers -- the Dutch and British and Christian organisations -- gained influence . 0 +Ricky Ray completed 22 of 32 passage attempts for 301 Yards Anthony Calvillo was 22 for 37 for 371 Yards . Ricky Ray completed 22 of 32 pass attempts for 301 yards . Anthony Calvillo was 22 for 37 for 371 yards . 1 +""" Life Line "" is the 144th episode from the 24th episode of the series ." """ Life Line "" is the 144th episode from the of "" , the 24th episode overall ." 1 +It inhabits rather dry habitat on the border between the Great and Little Karoo of the western Northern Cape and Eastern Free State Provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of western Northern Cape and eastern Free State provinces , South Africa . 1 +Narayangad is a hill fort near Pune , located 80 km from Pune , 8 km from Narayangaon and 5 km from Khodad village . Narayangad is a fort near Pune , 80 km from Pune , 8 km from Narayangaon and 5 km from Khodad . 1 +Tetraazidomethane is a colorless , highly functional liquid . Its chemical structure consists of a carbon atom substituted with four azide explosive groups . Tetraazidomethane is a colorless , highly functional liquid whose chemical structure consists of a carbon atom substituted with four Azid explosive groups . 1 +Charlotte Popescu married Julian Popescu in 1956 and had four children , including Christine , who also wrote children 's pony books . In 1956 , Christine married Julian Popescu and had four children , including Charlotte Popescu , who also wrote children 's ponybooks . 0 +It is native to western North America from Alaska to California to New Mexico , as far east as Ontario and Michigan . It is home to Western North America , from Alaska through Ontario to New Mexico , as far east as California and Michigan . 0 +Coalesced hashing , also called coalesced chaining , is a strategy of collision resolution in a hash table that forms a hybrid of separate chaining and open addressing . Coalesced - Hashing , also called Coalesced Chaining , is a strategy of collision resolution in a hash table that forms a hybrid of separate concatenation and open addressing . 1 +Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and final finals . Between 1971 and 1980 , Goolagong Cawley reached five finals , but only won her first and final finals . 0 +In 2013 , Williamson left and was replaced by guitarist Keith Tew and later , Boling left and was repalced by Don Hill . In 2013 , Williamson left and was replaced by guitarist Don Hill and later , Boling was left and replaced by Keith Tew . 0 +Ball died in 1978 in Grayson County , Virginia , and is buried in the Corinth Baptist Church at Rugby , Grassy Creek , North Carolina . Ball died in 1978 in Grayson County , Virginia , and is buried at Corinth Baptist Church in Rugby , Grassy Creek , North Carolina . 1 +The Commission , placed under the nominal leadership of Soviet general Rodion Malinovsky ( represented by Vladislav Petrovich Vinogradov ) and was dominated by Red Army leaders . The Commission , under the nominal leadership of the Soviet general Vladislav Petrovich Vinogradov ( represented by Rodion Malinovsky ) , was dominated by Red Army leaders . 0 +Szabo 's method of sybilizing protection , however , was vulnerable to double attacks . However , Szabo 's method of double-spending protection was vulnerable to Sybil attacks . 0 +"It is important to test so-called "" human universals "" against the ethnographic record ." "It is important to test so-called "" ethnographic universals "" against the human file ." 0 +The company was then the St. Louis and Cairo Railroad , the narrow gauge acquired . The company then acquired St. Louis and Cairo Railroad , which was the narrow gauge . 0 +He was born in Scotland around 1760 and settled in Detroit ( then part of Quebec ) in 1782 . He was born in Québec around 1760 and settled in Detroit in 1782 ( then a part of Scotland ) . 0 +The constituency is in Swansea Bay , situated on the right bank of the River Afan , near its mouth in South Wales . The constituency is located in Swansea Bay , on the right bank of the Afan River , near its mouth in South Wales . 1 +Rachmaninoff dedicated the work to his friend the violinist Fritz Kreisler . He wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : He dedicated this work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : 0 +In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then at a studio in Ridgefield . About 1838 Stephenson returned to Manchester and established himself as an historical and landscape engraver in Ridgefield , and then in a studio in St. Ann Street . 0 +Of the nine games played in Warsaw , Legia won six and moved three . Of the nine games in Warsaw , Legia drew six and won three . 0 +Cellier was born into a family of actors including his father Frank and half-sister Antoinette . His grandfather was the Gilbert and Sullivan conductor François Cellier . He was born into a family of actors , including his father Cellier and half-sister Antoinette , his grandfather was the Gilbert and Sullivan - conductor François Cellier . 0 +Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively measurable and that space was infinitely divisible . Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively divisible and that space is infinitely measurable . 0 +Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico ) is a Mexican - Irish actress and singer . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico as Daniela Castro ) is an Irish Mexican actress and singer . 0 +An electronic signature is intended to provide a secure and accurate identification method for the signatory to provide a seamless transaction . An electronic signature is intended to provide the signatory with a secure and accurate identification method for ensuring a seamless transaction . 1 +"The Riemann Zeta function is defined for complex "" s "" with real part greater than 1 by the absolutely convergent infinite row defined ." "The Riemann zeta function is defined for complex "" s "" with real part greater than 1 by the absolutely convergent infinite series" 1 +A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewmen were released . A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewmen were released . 1 +Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . Roy Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . 1 +The central shaft reached a depth of 2980 feet and a south shaft was sunk in 1928 to reach a depth of 3600 feet . The central shaft reached a depth of 2980 feet , and a southern shaft was dumped in 1928 to reach a depth of 3600 feet . 1 +About Clements ' distinction between primary succession and secondary succession , Cowles wrote ( 1911 ) : Cowles ( 1911 ) wrote about clements ' ; the distinction between primary and secondary succession : 1 +The original edition was published by in 1953 in London by Allen & Unwin and in New York by Harper . The original issue was published in 1953 by Allen Unwin in New York and Harper in London . 0 +The Company currently manages multi-strategy funds , dedicated credit funds , including opportunistic credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . The company is currently managing opportunistic funds , special credit funds , including multi-strategy credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . 0 +""" Legend "" was released on DVD and Blu-ray on 25 January 2016 in the USA and on 1 March 2016 in the United Kingdom ." """ Legend "" was released on DVD and Blu-ray in the United Kingdom on 25 January 2016 and in the United States on 1 March 2016 ." 0 +"He also painted in the Certosa di San Martino , where he worked in the "" Coro dei Conversi "" and the Quarto del priori "" ." "He also worked in the Certosa di San Martino , where he painted at "" Coro dei Conversi "" and "" Quarto del priori "" ." 0 +Crash Landed was released in Korea as the third single in July 2009 and the second single in Japan in April 2010 . Crash Landed was released in July 2009 as the third single in Korea and as the second single to be released in Japan in April 2010 . 1 +It serves Mumbai area of Dadar city . It serves Dadar - area of the city Mumbai . 0 +Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former sports shooter . Paavo Mikkonen ( born 25 January 1942 ) is a Finnish former sports shooter . 1 +Further musicians are Simone Mularoni on the guitars , Nik Mazzucconi on the bass and Francesco Jovino ( Primal Fear , Hardline ) on drums . Other musicians are Simone Mularoni on guitars , Nik Mazzucconi on bass and Francesco Jovino ( Primal Fear , Hardline ) on drums . 1 +Azem Bejta ( 1889 -- 1924 ) , commonly known as Azem Galica , was an Albanian nationalist and rebel fighting for the unification of Kosovo with Albania . Azem Galica ( 1889 - 1924 ) , commonly known as Azem Bejta , was an Albanian nationalist and rebel who fought for the unification of Kosovo with Albania . 1 +Vishwasrao was born as the eldest son of Balaji Baji Rao at Supe near Pune ( Supe was the Jagir of Shahaji near Pune . Balaji Baji Rao was born in Supe near Pune as the eldest son of Vishwasrao ( Supe was the Jagir of Shahaji in Pune ) . 0 +Maughan and his wife , the former Lorraine Hannemann of Manhattan , New York , live in Honolulu , Hawaii . Maughan and his wife , the former Lorraine Hannemann of Honolulu , Hawaii , reside in Manhattan , New York . 0 +Week 1 : The teams have to move from Santa Barbara , California to Venice Beach , California . Week 1 : Teams have to move from Santa Barbara , California , to Venice Beach , California . 1 +Somaiya Vidyavihar is an educational campus located in the Vidyavihar suburb of Mumbai . Somaiya Vidyavihar is an educational campus in the suburb of Vidyavihar in Mumbai . 0 +This was more common in regional Australia and southern Australia , but has been common for decades in urban Australia . This was more common in regional Australia and South Australia but has been in common usage in urban Australia for decades . 1 +When he finished off his career in Poland he went overseas to Canada to sign with the Toronto Falcons of the National Soccer League . When he completed his career in Canada , he went to Poland to sign with the Toronto Falcons of the National Soccer League . 0 +Guitar played Gordon , Danny Kortchmar Bass and Lou Adler drums producing with Charles Larkey . Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums with Lou Eagler . 0 +From 1898 to 1902 , some 1,300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . From 1898 to 1902 , around 1,300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . 0 +O'Dea was born in Sydney in 1889 and moved to Armidale with his family as a child . O 'Dea was born in Armidale in 1889 and moved to Sydney as a child with his family . 0 +Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Ebroin overtook them and had Leudesius murdered . Leudesius and Theuderic III escaped to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . 1 +The game created a 32 - digit unique password after successful completion of a level that was also the player name alphanumeric to allow for a later resumption . The game created a 32 digit unique password after a successful completion of a level , which was alphanumeric also to the player name , to allow later resumption . 1 +The Leetonia Exempted Village School District is a public school district serving Salem Township and surrounding Columbiana County in northern Leetonia in the U.S. state of Ohio . The Leetonia Exempted Village school district is a public school district serving Leetonia and the surrounding Salem Township in northern Columbiana County , Ohio , USA . 0 +Their founder , who came from China during the Seongjong of Goryeo , was born . Their founder was , who came from China during the Seongjong of Goryeo period . 1 +As a secretary of the archbishop of Split he went to Hungary , and in 1503 through Zagreb to Venice . As Secretary of the Archbishop of Split , he went to Venice and in 1503 to Hungary through Zagreb . 0 +The origins of the blues are also closely related to the religious music of the Afro-American community , the spirituals . The origins of the blues are also closely linked to the religious music of the afro-American community , the spirituals . 1 +Biswas was married to Aruna Biswas . They had a daughter Jyotsna Biswas . She was married to Jyotsna Biswas , they had a daughter Aruna Biswas . 0 +The choir also gave concert tours in Israel ( 1987 ) , Australia ( 1988 ) , and Estonia ( 1989 , 1990 ) under his leadership . Under his supervision , the choir also gave concert tours in Israel ( 1987 ) , Australia ( 1988 ) and Estonia ( 1989 , 1990 ) . 1 +Greg Rusedski defeated Lars Rehmann 6 -- 4 , 3 -- 1 ( Rehmann retired ) Lars Rehmann defeated Rehman 6 -- 4 , 3 -- 1 ( Retired Greg Rusedski ) 0 +Soon Erko Elblaus and Karl Kallas were replaced by Rasmus Rändvee and Gertrud Luhaoja . Soon Erko Elblaus and Gertrud Luhaoja were replaced by Rasmus Rändvee and Karl Kallas respectively . 0 +Afterwards , a simple black dress was used for formal occasions , while the long black dress could be used for everything else . Thereafter , a long black gown was used for formal occasions , while the simple black dress could be used for everything else . 0 +Stimson Bullitt served as president until Steven A. Clifford took over in 1972 , and Payne was president of King Broadcasting in 1987 . Stimson Bullitt served as president until Payne took over in 1972 , and Steven A. Clifford was appointed President of King Broadcasting in 1987 . 0 +Stephen Maguire won his seventh professional title by conquering Joe Perry 4 : 2 in the final . Joe Perry won his seventh professional title by defeating Stephen Maguire 4 -- 2 in the final . 0 +""" Legend "" was released on DVD and Blu-ray on 25 January 2016 in the USA and on 1 March 2016 in the United Kingdom ." """ Legend "" was released on DVD and Blu-ray in the United States on 25 January 2016 and in the United Kingdom on 1 March 2016 ." 1 +"Eregion should not be pronounced like the English "" region "" , but with a rough r and hard g and stress on the penult ." "Eregion should not be pronounced like the English "" region "" , but , with a trilled r and hard g and stress on the penult ." 0 +"Parr himself has performed two acoustic versions ( "" other "" and "" unplugged "" ) for the film "" The Brothers Solomon "" ." "Parr himself performed two other versions ( "" unplugged "" and "" acoustic "" ) for the film "" The Brothers Solomon "" ." 0 +DJ Logic convinced Martin to use a breakbeat album for DJs and other producers to record and remix . DJ Logic convinced Martin to record and remix a breakbeat album for DJs and other producers . 0 +Typically , prepaid voucher management systems are used with external systems based on an intelligent network . Typically external Voucher Management Systems are used with Intelligent Network based prepaid systems . 0 +In bioinformatics , short indexes are very important in the sequence assembly of inverted fragments of sequenced DNA . In bioinformatics , inverted indices in the sequence assembly of short fragments of sequenced DNA are very important . 0 +The elementary school St. Catherine of Sienna was closed in June 2012 . The private St. Catherine of Sienna elementary school closed in June 2012 . 0 +The song was arranged by Toxey French and Michael Omartian and produced by Jimmie Haskell , Omartian , and Bill Straw . The song was produced by Toxey French and Michael Omartian and was arranged by Jimmie Haskell , Omartian and Bill Straw . 0 +Petina Gappah was born in Zambia in the province of Copperbelt . Petina Gappah was born in Zambia in the province of Copperbelt . 1 +It was built in the 14th century and had until the 17th century . It was built in the 17th century and had in the 14th century . 0 +Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee the air strikes in Laos . However , Ambassador G. McMurtrie Godley , and his successor , William Sullivan , continued to oversee air strikes in Laos . 0 +Dierker is also the first manager in the MLB story to win a Championship division in his sixth season in 1997 for the Astros . Dierker is also the first manager in MLB history to win a division championship in his sixth season for the Astros in 1997 . 1 +Currently , the Western District is administered by Major Dennis Mello , former deputy of Howard Colvin , who was forced into retirement . Currently , the Western District is administered by Major Dennis Mello , former deputy to Howard Colvin , who was forced into retirement . 1 +Nijgh was coached by Ernst van Altena , who had previously translated works by Jacques Brel . Ernst van Altena , who had previously translated works by Jacques Brel , was trained by Ernst Nijgh . 0 +The river Burduja is a tributary of the River Urechioiu in Romania . The Burduja River is a tributary of the Urechioiu River in Romania . 1 +This was the first AFL championship to end the season , the last Super Bowl followed in the 1966 season . This was the first AFL Championship to end the season , the last Super Bowl followed the 1966 season . 1 +In reality , Danny Greene was not present when Nardi was murdered . In reality , Danny Greene was not present when Nardi was assassinated . 1 +The previous record was 185 by the St. Louis Cardinals when in 1985 they lost to the Kansas City Royals . The previous record was 185 by the Kansas City Royals when they lost to the St. Louis Cardinals in 1985 . 0 +In 1964 , he finished ninth in the downhill contest and fourth in the giant slalom competition . In 1964 , he placed ninth in the downhill and fourth in the giant slalom competition . 1 +Unfortunately , Tam has the ability to manipulate and expertly analyze people and situations . Unfortunately , Tam has the ability to manipulate people and situations , and analyze them expertly . 1 +Boyd was born in Montgomery , Alabama , daughter of the single mother Dora Lee McClain . Dora Lee McClain was born in Montgomery , Alabama , the daughter of single mother Boyd . 0 +A new company began production of Indian Chiefs in 2006 in King 's Mountain , North Carolina . A new company began the production of Indian Chiefs in 2006 in King ' ; s Mountain , North Carolina . 1 +In 2012 , he was elected Chairman of the Indian National Congress ( Pnachayat District ) of Kolhapur as a candidate of Zilla Parishad . He was elected as a Chairman of Indian National Congress ( District Pnachayat ) of Kolhapur in 2012 as a Zilla Parishad candidate . 1 +A railway station of the same name on the Golitsyno -- Minsk railway , is located in Moscow . The railway station of the same name is located in Moscow on the Golitsyno -- Minsk railway line . 1 +In their second game , which was their first game in the Puerto Rico , they beat Hofstra 108 -- 63 . In their first game , which was their second game in the Puerto Rico tip-off , they beat Hofstra 108 -- 63 . 0 +In 2016 , a group of white students of the Wiggins High School laid a noose around a black student 's neck . In 2016 a group of black students at Wiggins High School put a noose around the neck of a white student . 0 +"On 31 October 1846 , the "" Duke of Roxburgh "" sailed from Gravesend again and arrived in Port Phillip on 7 March 1847 ." """ Duke of Roxburgh "" sailed again from Gravesend on 31 October 1846 and arrived at Port Phillip on 7 March 1847 ." 1 +In biology , biological specificity is the tendency of a characteristic , such as behavior or biochemical variation , in a particular way to occur . In biology , the biochemical specificity is the tendency of a characteristic , such as behavior or biological variation , in a particular species to occur . 0 +Conditional compilation options exist to remove the requirement for a 64-bit many compiler as capable compilers for microcontrollers and DSPs do not support 64-bit arithmetic . There are conditional compilation options to remove the requirement for a 64-bit capable compiler , since many compilers do not support 64-bit arithmetic for microcontrollers and DSPs . 0 +On 4 May 2015 , the UOB opened its branch in Myanmar in Yangon . UOB opened its Yangon branch in Myanmar on 4 May 2015 . 0 +"This name change meant that the Nazi Party would be "" placed under "" the NSRL ." "This change in name meant that the Nazi party would be "" placed "" under the NSRL ." 1 +The monastery is a Tibetan Buddhist monastery located on the outskirts of Kathmandu . More than 100 Himalayan monks study Buddhist meditative practices and philosophical inquiry at the monastery . The monastery is a Himalayan monastery on the outskirts of Kathmandu , where more than 100 Tibetan Buddhist monks study Buddhist meditative practices and philosophical questions at the monastery . 0 +Two more aftershocks above magnitude 5 in Xinjiang and one in Kyrgyzstan struck on October 13 , UTC time . Two more aftershocks above Magnitude 5 in Kyrgyzstan and one in Xinjiang met on 13 October UTC - Time . 0 +On the Dagorlad , a great battle took place in which Sauron ’ s forces were destroyed and the Black Gate stormed . On the Dagorlad , a great battle took place in which Sauron 's troops were stormed and the Black Gate was destroyed . 0 +In the week before the incident with Coventry fans , 13 men were arrested following clashes between fans from Leicester and Norwich , in which some men suffered minor injuries . The week before the incident with Leicester fans , 13 men were arrested after clashes between fans from Coventry and Norwich in which some men sustained minor injuries . 0 +The citizens rejected the new bishop and the Burgundian influence , which led to the Liège Wars . Louis was exiled to Maastricht . The citizens rejected the new bishop and the Burgundian influence that led to the Liège wars ; Louis was exiled to Maastricht . 1 +Talks of Meena 's marriage have begun , and Chandra has started looking for a jodi for Chandra . Talks about Chandra 's marriage have begun , and Meena has started looking for a Jodi for Chandra . 0 +Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Montealegre Clemencia Carazo and Felicia Cohn Montealegre . 0 +11 . Bidnick , Pianists , Left Handed -- Piano Concertos for the Left hand alone -- The Richard A. who Inspired the Composers . April 2005 . 11 . Bidnick , pianists , left handers -- piano concertos for the left hand alone -- Richard A. , who inspired the composers April 2005 . 1 +She later left WWE in August 2008 to return to the TNA where she remained until 2011 three months later . She later left TNA in August 2008 , to return to WWE three months later , where she remained until 2011 . 0 +"The museum has an interpretative centre with exhibits on prairie history and ecology , as well as an interactive art installation entitled "" Lost landscape "" by the Winnipeg artist Collin Zipp ." "The museum has an interactive centre with displays on prairie history and ecology as well as an interpretative art installation titled "" lost landscape "" by Winnipeg artist Collin Zipp ." 0 +"In 1960 , Glenville also directed Barbara Bel Geddes and Henry Fonda on Broadway in "" Silent Night , Lonely Night "" by Robert Anderson ." "In 1960 , Glenville directed also Robert Anderson on Broadway in "" Silent Night , lone night "" by Barbara Bel Geddes and Henry Fonda ." 0 +The parabolic mirrors are effective at lighting fires while the circular mirrors are not , although they may have been used to produce smoke . The circular mirrors are effective in lighting fires , while the parabolic mirrors are not , although they may have been used to generate smoke . 0 +Chu Ro and Chu Jeok fought with the 5000 soldiers and went over the Yalu River . Chu Ro , and Chu Jeok went with the 5000 soldiers and fought over Yalu River . 0 +The bill passed the Senate 32-8 on April 2 , 2009 and later the house 76-41 . The bill passed the Senate 32-8 on April 2 , 2009 , and later passed the House 76-41 . 1 +The school was founded in Ireland and was pioneered in 1903 in Australia . The school was established in Australia and then pioneered in 1903 in Ireland . 0 +Construction of the new stadium was held for 4 years and on 21 August , 1974 were inaugurated . The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . 1 +On October 31 , 2012 , Watson Actavis took the name Actavis and acquired it . On 31 October 2012 , Watson acquired Actavis and took the name of Actavis . 0 +The Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a specific quantile . The anticipated exposure ( Expected Exposure , EE ) is defined similarly to the PFE , except that the average is used instead of a certain quantile . 0 +In 1938 , he played with Juan Carlos Miranda in an ensemble , including the singer Lucio Demare and two pianos . In 1938 he played with Lucio Demare in an ensemble which included the singer Juan Carlos Miranda and two pianos . 0 +Taft served as Chief Justice until his death in 1921 , when he was succeeded by White . Taft served until his death in 1921 as Chief Justice when he was followed by White . 1 +Soundtrack was composed by Palani Bharathi and lyrics were written by Deva and Vaasan . The soundtrack was composed by Deva and the lyrics by Palani Bharathi and Vaasan were written . 0 +The station is located from Oslo Central Station , south of Moss Station and north of Råde Station . The station is located from Oslo Central Station , south of Moss Station and to the north of Råde Station . 1 +It corresponds to the zodiacal sign of Cancer , and overlaps approximately with later half of July and early half of August in the Gregorian calendar . It corresponds to the zodiacal sign of cancer and later overlaps with about half of July and the early half of August in the Gregorian calendar . 0 +Cooper was born in Long Beach , California , and lives his whole life in Los Angeles , California . Cooper was born in Los Angeles , California , and lives his whole life in Long Beach , California . 0 +Madison is located on the 11th Congressional District and is part of the 27th State Legislative District in New Jersey . Madison is located in the 27th state District and is part of New Jersey 's 11th Congressional legislative district . 0 +On 22 December 2015 , the successor rocket , the Falcon 9 , successfully brought its first stage on its twentieth flight for the first time . The successor rocket , the Falcon 9 , successfully landed its first stage on land on December 22 , 2015 , for the twentieth time . 0 +The series is written by Chris Roberson and drawn by Robert Adler . The series was written by Chris Roberson and drawn by Robert Adler . 1 +Linna is spoken in the original series by Michie Tomizawa in Japanese and Elizabeth Becks in English , with Rio Natsuki and Kelly Manison in the 2040s series . Linna is voiced by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English in the original series , with Michie Tomizawa in the 2040 series . 0 +"Since the 19th century , artificial beings are common in fiction , as in Mary Shelley "" Frankenstein "" or Karel Čapek 's "" R.U.R ." "Since the 19th century , artificial beings are common in fiction , as in Mary Shelley 's "" Frankenstein "" or Karel Čapek 's "" R.U.R ." 1 +It is based on Uxbridge Road in Ealing near Ealing Broadway station , London , the same address as Transworld . It is based on Uxbridge Road in Ealing , close to Ealing Broadway Station , London , the same address as Transworld . 1 +In addition , the Peretz centre has Yiddish classes , senior programs , and Sunday School , and regularly hosts secular versions of Jewish holidays . In addition , the Peretz Centre has Yiddish classes , senior citizens ' programmes and Sunday school and regularly hosts secular versions of Jewish holidays . 1 +Ralph encouraged Maurice in mathematics and chess play . Maurice encouraged Ralph in mathematics and chess . 0 +In Japan it was discovered first and the name was given . In Japan it was first given on and the name was discovered . 0 +This assembly was seen as a semi-democratic statutory counterpart to the divine system that existed during the Third Dynasty of Ur ( 2112 BC -- 2004 BC ) . This assembly was seen as a divine counterpart to the semi-democratic legislative system that existed during the Third Dynasty of Ur ( 2112 BC - 2004 BC ) . 0 +For the CPAC - Conference 2012 , the Board of the John Birch Society agreed not to invite GOProud or the ACU to the 2012 conference . For the CPAC - Conference 2012 , the ACU Executive Board decided not to invite GOProud or the John Birch Society to the 2012 conference . 0 +In 2006 , Bozanga was appointed President of the Council of State by President François Bozizé . In 2006 , Bozanga was appointed by President François Bozizé the chairman of the Council of State . 1 +North Durham County Prison Camp , also known as Durham , Durham County , North Carolina is a historic prison ad sanatorium located at Durham County Tuberculosis Sanatorium . North Durham County Prison - Camp , also known as Durham County Tuberculosis Sanatorium , is a historic prison at the Sanatorium in Durham , Durham County , North Carolina . 0 +Those who miss it thus often completely quote the third and fourth lines . Therefore , those who miss it often quote the third and fourth lines completely . 1 +Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on April 20 , 1895 and implemented in 1899 . The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on April 20 , 1895 and introduced in 1899 . 0 +Eupithecia yunnani is a moth in the Geometridae family It is found in Yunnan ( China ) . Eupithecia yunnani is a moth in the family Geometridae . It is found in Yunnan ( China ) . 1 +An AMO warm phase reduces the summer rain over the Sahel , while a cold phase strengthens it . An AMO warm phase strengthens the summer rainfall over Sahel , while a cold phase reduces it . 0 +"She was commissioned to the Royal Navy and took over as HMS "" Tattoo "" on 26 October 1943 ." "She was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." 0 +North - Bolivian Quechua is a dialect of the southern Quechua language spoken in northern Bolivia on the Peruvian border as well as immigrants in Peru . North Bolivian Quechua is a dialect of the Southern Quechua language , spoken in northern Bolivia on the Peruvian border , as well as by immigrants in Peru . 1 +Conversely , there were at least four members of the opposition who were crossing in favour of the government proposal . Conversely , there were at least four members of the opposition who were in favour of the government proposal . These 4 cross-voted . 0 +"Upland is mentioned in the 2008 Keanu Reeves film "" Street Kings "" as the home of LAPD Internal Affairs Captain James Biggs ( played by Hugh Laurie ) ." "Upland is mentioned in the 2008 Keanu Reeves Film "" Street Kings "" as the home of the LAPD Internal Affairs Captain James Biggs ( played by Hugh Laurie ) ." 1 +He was born in Nanjing , attended the engineering school in Nanhui and spent a year at the University of California . He was born in Nanhui , attended engineering school in Nanjing and spent one year at the University of California . 0 +On June 14 , Jackson served in a duel on behalf of his junior officer Jesse Benton as the second against William Carroll , the brother of Thomas . On June 14 , Jackson served as a second in a duel on behalf of his junior officer William Carroll against Jesse Benton , the brother of Thomas . 0 +At present , the ranks and titles given to members of the Thai sangha are as follows ( from lowest to highest ) : At present , the ranks and titles given to members of the Thai sangha are as follows ( from the lowest to the highest ) : 1 +The following is a list of initial albums , in which the double release of the album includes two ( or more ) LP records or Compact Discs . The following is a list of double albums in which the first release of the album contains two ( or more ) LP records or compact discs . 0 +He learned Western classical music from Sadayandi Bhattar and traditional music from Tanjore A. G. Pichaimuthu Pillai . He learnt traditional music from Sadayandi Bhattar and western classical music from Tanjore A. G. Pichaimuthu pillai . 0 +"The team , founded in 1906 , took the first American "" double "" when it won the National Association Football League and the American Cup title in 1912 ." "The team founded in 1906 won the first American "" double "" when it took the National Association Football League and the American Cup title in 1912 ." 0 +Known brands are Alka-Seltzer in the United Kingdom and Eno in the United States . Well known brands are Alka-Seltzer in the United States , and Eno in the United Kingdom . 0 +Plymouth is situated on Albemarle Sound about seven miles ( 11 km ) upstream from its mouth into the Roanoke River in the North Carolina Inner Banks region . Plymouth is located on the Albemarle Sound about seven miles ( 11 km ) upriver from its mouth into the Roanoke River in North Carolina 's Inner Banks region . 1 +In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side at the Battle of Carabobo . 0 +The musicians on the 7 March recording session included Hal Blaine , drums ; Al Casey , guitar ; Larry Knechtel , bass ; and Don Randi , piano . The musicians of the recording session on 7 March included Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . 0 +Carlos Robacio , BIM5 commander , was awarded to the Argentine nation to the Valour in Combat Medal , and the Battalion itself was awarded in 2002 by the Argentine Congress . Carlos Robacio , BIM5 commander , was awarded the Argentine Nation to the Valour in Combat Medal and the battalion itself was decorated by the Argentine Congress in 2002 1 +"1946 -- The state of Prussia becomes abolished after the Second World War . Meppen is part of the newly created "" Land "" of Lower Saxony ." "1946 -- The state of Prussia is abolished after the Second World War , Meppen becomes part of the newly created "" Land "" Lower Saxony ." 1 +In the hospital , Traci Lords is awakened by a nurse named Barb ( Brooke ) who tells her that Lance has been seriously injured and is operated . At the hospital , Brooke is awakened by a nurse named Barb ( Traci Lords ) who informs her that Lance has been seriously injured and is in surgery . 0 +"The other song , "" Hej Clown "" , was written by Lasse Berghagen and later by ABBA - member Benny Andersson ." "The other song , "" Hej clown "" was written by Benny Andersson and later ABBA member Lasse Berghagen ." 0 +The Bârzava River is a tributary of the River Gorova in Romania . The River Gorova is a tributary of the Bârzava River in Romania . 0 +So , if we know the probability distribution functions formula 35 , we can find the function formula 36 , and from it , calculate the optimal reservation price . If we know the Formula 35 probability distribution functions , we can calculate the functional formula 36 and find the optimal reservation price from it . 0 +Elegia southi is a kind of moth of the Pyralidae family , which was found in 1932 by Reginald James West and is described in Taiwan . Elegia southi is a kind of moth of the Pyralidae family , which was described by Reginald James West in 1932 and which is found in Taiwan . 0 +It now has the Municipal videotheque which houses videos and documentaries on educational and cultural topics , especially designed for students . It now houses the Municipal Video Community , which has designed videos and documentaries on educational and cultural topics , especially for students . 0 +For example Elizabeth Coffin , daughter of a prominent merchant from Nantucket , was mother of the wealthy Massachusetts industrialists Henry Coffin Nevins and David Nevins Jr . For example , Elizabeth Coffin , a daughter of a wealthy merchant from Nantucket , was the mother of the prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr ... 0 +Commander Adama comes with Galen Tyrol and Chief Billy Keikeya on Kobol . Commander Adama arrives on Kobol with Billy Keikeya and Chief Galen Tyrol . 0 +On August 30 , 1853 , the daughter of Stephen Champlin , Eliza Ellen Champlin , John B. Cook , married a partner of Minnesota Alexander Ramsey . On August 30 , 1853 , Stephen Champlin 's daughter , Eliza Ellen Champlin , married John B. Cook , a partner of Minnesota 's Alexander Ramsey . 1 +It is available in areas like Ballymun , Finglas , Cabra , Phibsboro and Castleknock . It is available in areas including Phibsboro and Castleknock , Finglas , Cabra and Ballymun . 1 +Wall Township is located in the 30th Congressional District and is part of New Jersey 's 4th state legislative district . Wall Township is located on the 30th Congressional District and is part of the 4th State Legislative District in New Jersey . 1 +"From January 2003 to December 2004 , Milner was the CEO of "" Neftyanoi "" , owned by Igor Linshits ." "From January 2003 to December 2004 , Milner was the Managing Director of "" Neftyanoi "" , owned by Igor Linshits ." 1 +The fumarate hydratase gene , located on the long arm of chromosome 1 ( 1q42.3-43 ) , has 22 kilobases and spans 10 exons . The fumarate - hydratase - gene which is located on the long arm of chromosome 1 ( 1q42.3-43 ) has 22 kilobases and comprises 10 exons . 1 +Its holding company , Guinness World Records Ltd , was owned by Guinness plc until 2001 , later Diageo . Its holding company , Guinness World Records Ltd , was owned by Guinness plc , subsequently Diageo , until 2001 . 1 +The South Tyrolean People 's Party held a provincial election on 21 April 2013 , to select the party 's head of the primary list . On 21 April 2013 , the South Tyrolean People 's Party held a state election to select the party 's head on the primary list . 1 +The corps was first formed in 1945 as the 137th rifle corps and became the 43rd Gun Corps ( Second Formation ) in 1955 . The corps was first formed as the 137th Rifle Corps in late 1945 and became the 43rd Rifle Corps ( Second Formation ) in 1955 . 1 +Later , a city council ( Parliamentary Commission of Inquiry ) was established in the CPI of the city of Rio de Janeiro . Later , a CPI ( Parliamentary Inquiry Commission ) was installed in the City Council of the City of Rio de Janeiro . 0 +Paul Cirja # 7 obtained 2 TD Scramble and also passed 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . Cirja # 7 passed 2 TD Scramble and also achieved 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . 0 +To be announced July 2013 . July 2013 to be announced . 0 +Negative growth is often accompanied by a negative output gap in an economy ( where actual output exceeds potential demand ) . Negative growth is often accompanied by a negative output gap in an economy ( where potential output exceeds actual demand ) . 0 +Opponents argue that transgender , mutilated , and disabled women who digress from typical female bodies are not liberated when they expose their breasts . Opponents argue that transgender , mutilated , and disabled women who digress from typical female bodies are not liberated when they release their breasts . 1 +He was appointed First Lieutenant on October 14 , 1917 in West Medford , and weeks later a Fort Des Moines native , Madeline Mabray Kountze , married . He was commissioned first lieutenant on October 14 , 1917 at Fort Des Moines , and weeks later married a West Medford native , Madeline Mabray Kountze . 0 +When he finished his career in Poland , he went to Canada to sign the Toronto Falcons of the National Soccer League . When he completed his career in Canada , he went to Poland to sign with the Toronto Falcons of the National Soccer League . 0 +"The Presbyterian teaching is "" reformed "" , and the form of government is "" theological "" ." "The theological teaching is "" reformed "" , and the form of government is "" Presbyterian "" ." 0 +Italy is a national park in the north-east of Stelvio National Park , founded in 1935 . Stelvio National Park ( ; ) is a national park located in the north-east of Italy , founded in 1935 . 0 +Much of the film was shot in Gladstone , New Jersey , New Brunswick , and the Palisades Park , the producer 's home . Much of the film was shot in New Brunswick , Gladstone , New Jersey , and the Palisades Park , the home of the producer . 1 +Adults often remove paper from new nests and use it to recycle old ones . Adults often remove paper from old nests and recycle it to use for new ones . 0 +Nicholson railway station is a Via Rail flag stop station located in the ghost town , Nicholson , Ontario on the Sudbury -- White River train . Nicholson train station is a Via Rail Flag Stop Station in the ghost town of Nicholson , Sudbury on the White River -- Ontario Zug . 0 +Angolemi ( ; ) is a village in the district of Nicosia , southwest of Morphou . Angolemi ( ; ) is a village in Nicosia District , southwest of Morphou . 1 +Jack Cross was a comic series written by Warren Ellis and drawn by Gary Erskine . It was first published by DC Comics in 2005 . Jack Cross was a comic book series written by Warren Ellis and drawn by Gary Erskine . It was first published by DC Comics in 2005 . 1 +In 1988 , the Suncoast Motion Picture Company changed its name to Paramount Pictures . In 1988 , the Paramount Pictures stores changed its name to Suncoast Motion Picture Company . 0 +Later , however , he became Meyna of Westerburg and married the first Count of Nassau-Beilstein after his father ’ s death . However , he later became Meyna of Westerburg and after his father 's death married the first count of Nassau-Beilstein . 1 +On May 24 , 2017 Lajunen signed a 1-year contract with HC Spartak Moscow from KHL . On May 24 , 2017 , Lajunen signed a 1 year contract with KHL from HC Spartak Moscow . 0 +Suffolk county cricket teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket Club in 1864 . Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk in front of the historical formation of Suffolk County Cricket - Club 1864 . 0 +""" Prodigal Daughter "" is the 11th episode of the TV-series , the 161st episode of the series ." """ Prodigal Daughter "" is the 161st episode of the television series "" , the 11th episode of the ." 0 +Dariyan Rodin Younessi has one child , a son named Younessi , who started his racing career at the age of four with Karting . Dariyan Rodin Younessi has a child , a son named Younessi , who began his racing career with Karting at the age of four . 1 +On 5 July 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-granddaughter of Friedrich Nicolai . On July 5 , 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-grandmother of Friedrich Nicolai . 1 +Following the assassination of Hosni Mubarak in a referendum in which he was the only candidate , Sadat came to power . Hosni Mubarak came to power after the assassination of Sadat in a referendum in which he was the only candidate . 0 +She left Sydney on 1 January 1829 for London via Madras . She left Sydney via Madras to London on 1 January 1829 . 1 +"Since 2009 , the Rotten Tomatoes site had given the film a rating of 90 % with 19 "" fresh "" and 2 "" rotten "" reviews ." "As of 2009 , the website Rotten Tomatoes had given the film a 90 % rating with 19 "" fresh "" and 2 "" rotten "" reviews ." 1 +SDUU currently has branches in Stockholm , Gothenburg , Halmstad , Kalmar , Skåne , Örebro , Umeå , Skellefteå and Piteå . Currently , SDUU has branches in Skåne , Örebro , Umeå , Halmstad , Kalmar , Stockholm , Gothenburg , Skellefteå and Piteå . 1 +""" Tennessee "" was sold to Burdett Pond by Meriden , Connecticut , on September 15 , 1886 ." """ Tennessee "" was sold on 15 September 1886 to Burdett Pond of Meriden , Connecticut ." 1 +Communism is a political ideology and movement with the aim of achieving a communist society . Communism is a political ideology and movement with the ultimate aim of achieving a communist society . 1 +These canons were approved later in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . These canons were later rejected by the Eastern Council in Trullo in 692 but approved by Pope Constantine . 0 +In Kyle 's body , Parallax captured Hal Jordan , Guy Gardner , and John Stewart and brought them to Qward . Parallax captured John Stewart , Guy Gardner , and Hal Jordan in Kyle 's body , bringing them to Qward . 1 +Aulla is a municipality in the province of Massa and Carrara , Tuscany ( central Italy ) . "Aulla is a "" comune "" in the province of Massa and Carrara , Tuscany ( central Italy ) ." 1 +The Japanese otter was known as one of the top carnivores in the aquatic food chain . The Japanese otter was known as one of the leading carnivores in the aquatic food chain . 1 +Andrea Dovizioso remained with Ducati for the 2015 season , with Andrea Iannone coming from a Pramac Ducati in the factory . Andrea Iannone remained with Ducati for the 2015 season with Andrea Dovizioso coming to the factory team from a Pramac Ducati . 0 +Ravi Varma won the Special Mention in 1985 Kerala State Film Awards and secured Filmfare Award for his role as Mammootty . In 1985 , Mammootty won the Special Mention Kerala State Film Award and secured the Filmfare Award for his role as Ravi Varma . 0 +In 1963 , Ayliffe married Janet Lloyd and had two children . In 1963 , Janet Lloyd married Ayliffe and had two children . 1 +Most of the mosque 's original work has gone under restortation , however , the mihrab contains remains of the polychrome marble of the era . Most of the original work of the mosque has gone under lift , however , the Mihrab contains remains of polychrome marble from the era . 1 +Malik married businessman Asad Bashir Khan Khattak on 25 December 2013 in Dubai . Asad Bashir Khan Khattak married businessman Malik in Dubai on 25 December 2013 . 0 +Glenn McCoy illustrated the Legend of Spud Murphy by Eoin Colfer which was published in 2004 . Eoin Colfer illustrated the Legend of Spud Murphy by Glenn McCoy , which was released in 2004 . 0 +"In 2016 , Atticus Decker returned in the recurring role of Adam "" Home and Away "" ." "In 2016 , Atticus Decker rejoined "" Home and Away "" in the recurring role of Adam ." 1 +Once again , Sundance is killed by a job when the poet first comes there , and three of Sundance 's men are foiled . Sundance is once again killed on a job by the Poet getting there first , and three of Sundance 's men are foiled . 1 +This association was further reinforced after the female Christian missionary Nino , Nana , his wife Mirian and household were converted into Christianity in or around the year 337 . This association was further enhanced after the female Christian missionary , Nino , converted Mirian , his wife Nana and household into Christianity in or around 337 . 0 +He acquired homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . He bought homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . 1 +Linda insists that Flem is her father , Linda is doubtful . Gavin insists to Linda that Flem is her father ; Linda is doubtful . 0 +In 2006 , the team added a second car for Richard Göransson and was replaced by Thed Björk in 2009 . The team added a second car for Thed Bjork in 2006 and was replaced in 2009 by Richard Göransson . 0 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith , which was recorded in 2001 and published by Tzadik Records . Red Sulphur Sky is a solo album by the American jazz trumpeter Wadada Leo Smith which was released in 2001 and included on Tzadik Records . 0 +"During religious persecutions he came to Serbian Šajkaši in Komárom in 1739 as a renowned speaker ( "" slavni propovednik "" ) ." "In 1739 , during religious persecutions , he came as a renowned speaker ( "" slavni propovednik "" ) to live among the Serbian Šajkaši in Komárom ." 1 +"The "" Friends of Putney School of Art and Design "" protects the School and promotes the interests of current students ." "The "" Friends of the School of Art and Design of Putney "" protects the school and promotes the interests of the current students ." 1 +Regionally connects MD 30 Reisterstown and Baltimore with Hanover , Pennsylvania . Regionally , MD 30 connects Reisterstown and Baltimore with Hanover , Pennsylvania . 1 +Corruption was widespread in Persia , and discipline in the army became dangerously loose . Corruption became widespread in Persia and discipline in the army was dangerously lax . 1 +Born in Peterborough , England , J. Thomas Spriggs immigrated to the United States with his parents , who settled in Whitesboro , New York in 1836 . J. Thomas Spriggs , born in Peterborough , England , migrated to the United States with his parents settled in Whitesboro ( New York ) in 1836 . 1 +Another name of Sports Direct Arena ( Wincham Park ) was hosted in the popular BBC1 TV Show Room 101 by Frank Skinner . Another name of Sports Direct Arena ( Wincham Park ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . 1 +The gallery has given lectures by artists , including Ann Hamilton , Jordan Crandall , Micha Cárdenas , Amy Sara Carroll , Sharon Daniel , Warren Sack and Rita Raley . The Gallery has hosted talks by artists including Rita Raley , Jordan Crandall , Micha Cárdenas , Amy Sara Carroll , Sharon Daniel , Warren Sack and Ann Hamilton . 1 +On July 7 , 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Kris Russell . He joined his brother Michael Blunden with the Blue Jackets organization . 0 +The river Bota Mare is a tributary of the river Zăbrătău in Romania . The Bota Mare River is a tributary of the Zăbrătău River in Romania . 1 +The other origin from this time suggests it was a commentary on the lack of agreement within the Confederate Assembly during the Irish Confederate Wars . The other origin from that period suggests that it was a commentary on the lack of agreement within the Confederate Assembly during the Irish Confederate Wars . 1 +Company sells ice cream , then moves to bake ice cream cones and Headquarters expands to Baltimore . Company sells ice cream , then expands to bake ice cones headquarters moves to Baltimore . 0 +RVD tried to break the hold but Flair rolled into the ropes to reverse the hold . RVD tried to break the hold , but the flair rolled into the ropes to reverse the hold . 1 +A mass ceremony was held that night , and prayers were conducted until dawn . That night a mass ceremony was conducted and prayers were kept until dawn . 0 +Soon , though , Li Longji was overthrown in a coup led by Emperor Zhongzong 's sister Princess Taiping and his nephew Linzi the Prince of Empress Wei . Soon , however , Li Longji was overthrown in a coup led by Emperor Zhongzong 's sister , Princess Taiping , and his nephew Linzi , the prince of Empress Wei . 1 +"Collins refers to Davey in his book "" Hells Gates "" ." "Collins refers to Davey in his "" Hells Gates "" book ." 1 +Gastón Gaudio defeated Fernando González 6 - 3 , 6 -- 4 Gastón Gaudio defeated Fernando González 6 -- 3 , 6 -- 4 1 +This kind of surface is common in Western Europe , but is rare in North America and Eastern Europe . This type of surface is common in Western Europe , but is considered rare in North America and Eastern Europe . 1 +The album was announced on April 30 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31st . The album was released on April 30 as a limited , untitled album with hand drawn covers and signed by Buckethead himself to be announced on May 31 . 0 +Other studies were also presented to the Congress by the Federal Power Commission and the Power Authority of New York . Other studies were also presented to the Federal Power Commission by the Congress and the Power Authority of New York . 0 +The series was written by Robert Adler and is drawn by Chris Roberson . The series was written by Chris Roberson and is drawn by Robert Adler . 0 +Khandwa was until recently known as the East Nimar . Khandwa was known as East Nimar until recently . 1 +The astors settled in North America , appearing for the first time in the eighteenth century with John Jacob Astor , one of the richest people in history , in Germany . The Astors settled in Germany , first appearing in North America in the 18th century with John Jacob Astor , one of the richest people in history . 0 +The local is also defined for a different degree extension of finite fields . The local is also defined for a different extension of finite fields . 0 +The villa is built in the discernible Neo-Classical style , with some Baroque influences here and there . The villa is built in baroque style , here and there with some neo-classical influences . 0 +Two New is an album by jazz pianist Mal Waldron and baritone saxophonist George Haslam recorded in 1995 and released on the English Slam label . New Two is an album by jazz pianist Mal Waldron and baritone saxophonist George Haslam , which was recorded in 1995 and published on the English slam label . 1 +"On October 31 , 1846 , Duke of Roxburgh "" again sailed from Port Phillip and reached Gravesend on March 7 , 1847 ." "On 31 October 1846 , the "" Duke of Roxburgh "" sailed from Gravesend again and arrived in Port Phillip on 7 March 1847 ." 0 +A mass ceremony was held that night , and prayers were prayed until dawn . A mass ceremony was held that night , and prayers were conducted until dawn . 0 +"Thomas Nonhelema 's mother , Thomas McKee , was a Shawnee chief who was nicknamed "" The Grenadier Squaw "" ." "Thomas McKee 's mother , Nonhelema , was a Shawnee chief nicknamed "" The Grenadier Squaw . """ 0 +Following the Allies ' May 1945 victory , the Soviets effectively occupied Central and Western Europe , while strong US and Western allied forces remained in Eastern Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Western Europe , while strong US and Western allies remained in Eastern Europe . 1 +Greenberg was born in Montreal , Quebec , in 1930 and has three brothers , Harvey , Sydney , and Ian . Greenberg was born in 1930 in Montreal , Quebec , and has three brothers , Ian , Sydney and Harvey . 1 +Brokenstraw Creek is a tributary of Coffee Creek at Warren County , Pennsylvania in the United States . Coffee Creek is a tributary of Brokenstraw Creek in Warren County , Pennsylvania , in the United States . 0 +The state has won eight titles , and both Oklahoma and Iowa State have won seven championships each . Iowa State has won eight titles , and then both Oklahoma and Penn State have each won seven championships . 0 +Lord Hartington , who had refused to serve under Gladstone because of his Irish policy , became leader of liberal Unionists . Lord Hartington , who had refused to serve under Gladstone because of his liberal policies , became the leader of the Irish Unionists . 0 +Dry years , by contrast , are often associated with cold Pacific La Niña episodes . Cold years , by contrast , are often associated with dry Pacific La Niña episodes . 0 +"For ( poorly standardized ) terminology such as "" second granduncle "" , see first cousins twice removed ." "For ( poorly standardized ) terminology such as "" Second Granduncle "" , see the first cousins removed twice ." 1 +On the other hand , John McCain lost the state badly to the opponent , Mitt Romney , who won 60 % of the vote . On the other hand , John McCain badly lost the state to opponent Mitt Romney , who gained 60 % of the vote . 1 +Born in Bradford , Chapman performed for Frickley Athletic , Torquay United , Notts County , Mansfield , Exeter City , Bradford City , Darlington and Emley . Born in Bradford , Chapman performed for Frickley Athletic , Bradford City , Notts County , Mansfield , Exeter City , Torquay United , Darlington and Emley . 1 +Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former sports shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former shooter . 1 +The WPB joined the Grand Alliance , but , after the 2014 elections , the party leadership openly questioned the direction of the subsequent 14 party alliance . WPB joined the Party Alliance , however the party leadership openly questioned the direction of the subsequent 14 Grand Alliance after the 2014 elections . 0 +In August 2011 , Lee was selected as a member of the South Korean National Team for the Asian Junior Baseball Championships in Yokohama , Japan . In August 2011 Lee was selected as a member of the national U- 18 South Korean team for the Asian Junior Baseball Championship held in Yokohama , Japan . 1 +The Department of Dramatic Speaking and Public Arts was originally run by T. Earl Pardoe . The department of dramatic speaking and public arts was originally headed by T. Earl Pardoe . 1 +"Note : "" NA "" -- Information was not listed on the page cited ." "Note : "" NA "" -- Information was not quoted on the page listed ." 0 +Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American football wide receiver in the American Football League and the NFL . Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American Football Wide Receiver from the NFL and the American Football League . 1 +Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named to his honor . Sparkman High School in Harvest , Alabama , Sparkman School in Somerville , Alabama , Sparkman Drive in Huntsville are all named to his honor . 0 +Aimee Semple McPherson hired Brook Hawkins from Winter Construction Company , the architect of the Culver Hotel , the Grauman 's Metropolitan Theatre and the Pasadena Playhouse . Aimee Semple McPherson rented Brook Hawkins from the Winter Construction Company , the architect of the Pasadena Playhouse , the Grauman 's Metropolitan Theatre and the Culver Hotel . 0 +57.1 % of these were female and 42.9 % were male . Out of these , 57.1 % were female and 42.9 % were male . 1 +The River Piatra Caprei is a tributary of the Sâmbăta river in Romania . The Sâmbăta river is a tributary of the River Piatra Caprei in Romania . 0 +Lottia emydia is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . Lottia emydia is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 0 +But the targets are not easy -- grandmother , wife of an oligarch , sectarian , feminist and virgin . But the goals are not easy - grandmother , wife of an oligarch , sectarian , feminist and virgin . 1 +In the list below , names of such Goans are included , with the name of the domestic team in parentheses . The names of such goans are included in the following list , with the name of the domestic team standing in parentheses . 1 +Kurgo - products are also available through the distributor Accapi Group in Europe , while MasterPet Kurgo products are distributed in Australia and New Zealand . Kurgo products are also available through the distributor Accapi Group in Australia and New Zealand , while MasterPet Kurgo products are sold in Europe . 0 +In 1979 , he discovered about 30 experimental petroglyphs on Kahoolawe , which strengthened the case against the Hawaiian bombings . In 1979 , he discovered about 30 experimental petroglyphs on Kahoolawe , which strengthened the case against the Hawaiian bomb attacks . 1 +Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee airstrikes in Laos . However , Ambassador William Sullivan , and his successor , G. McMurtrie Godley , continued to oversee air strikes in Laos . 1 +As genetic ablation may lead to cell ablation , it can be used as a synonymous term at appropriate times . As synonymous ablation can lead to cell ablation , it can be used at appropriate times as a genetic term . 0 +It was released as a digital download on April 6 , 2010 , and was added on Modern Rock radio in the United States on May 5 , 2010 . It was released on April 6 , 2010 as a digital download and added to Modern Rock radio in the United States on May 5th , 2010 . 1 +Komatsubara was born on July 28 , 1992 , in Tokyo . She married Timothy Koleto in January 2017 in Okayama , Japan . She was born on 28 July 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . 0 +As children , Hans and his brother Paul Rosbaud performed with their mother , who taught piano . Paul Rosbaud and his brother Hans appeared as children with their mother , who taught the piano . 1 +The trip begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . The journey starts from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back again . 0 +The Phelps moved from Jackson County , Missouri to Far West , Missouri to Nauvoo , Illinois , where Murdock was reunified with his father . The Phelps moved from Jackson County , Missouri to Far West , Missouri to Nauvoo , Illinois , where Murdock was reunited with his father . 1 +The white spur is cylindrical and upward curved , longer than the ovary . The cylindrical spur is curved upwards and white , longer than the ovary . 0 +Lloyd took over the command of the 12th Field Artillery - Brigade on November 28 , 1917 and the 6th Field Artillery - Brigade on February 7 , 1918 . On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on 7 February 1918 the 12th Field - Artillerie - Brigade . 0 +In Kyle 's body , Parallax captured John Stewart , Guy Gardner , and Hal Jordan and brought them to Qward . In Kyle 'apos ; s body , Parallax Hal Jordan , Guy Gardner , and John Stewart captured and brought them to Qward . 0 +The album was released by Furious in the US and by 7 Spin Music in the UK on May 26 , 2007 . The album was released by Furious in the USA and by 7 Spin Music on May 26th , 2007 in the UK . 1 +William William James was a close friend and correspondent of Pauline Goldmark . William James was a close friend and correspondent of Pauline Goldmark . 1 +Schools which do not accept the authority of the Vedas are Nāstika - philosophies , of which four ( heterodox ) schools are prominent : Schools that do not accept the authority of the Vedas are heterodox philosophies , of which four ( nāstika ) schools are prominent . 0 +Schedules were published in the South China Morning Post , in the standard and in Chinese Hong Kong newspapers , including other daily newspapers . The flight schedules were published in the South China Morning Post , in the Standard and in other Hong Kong daily newspapers , including in Chinese newspapers . 0 +He was followed in office by Jenny McGhee Edwards from 1995 -- 2003 , Larry Kearney from 2003 -- 2007 and Elic Senter from 2007 -- 2015 . He was followed by Larry Kearney from 1995 -- 2003 by Jenny McGhee Edwards in 2003 -- 2007 and by Elic Senter from 2007 -- 2015 . 0 +The river Valea Turcului is a tributary of the Azuga River in Romania . The Azuga River is a tributary of the River Valea Turcului in Romania . 0 +Weslandia is a children 's book Newbery Medal winner Paul Fleischman , with illustrations by Kevin Hawkes . Weslandia is a newbery medal winner for children , Paul Fleischman , with illustrations by Kevin Hawkes . 1 +"Santiago is the Galician evolution of the vulgar Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is the Galician evolution of Vulgar Latin Sanctu Iacobu , "" Saint James "" ." 1 +In the midst of the memory flashback , Dr. Briggs makes enough noise to attract Dr. Krane . In the midst of the memory - flashbacks , Dr. Krane makes enough noise to attract Dr. Briggs . 0 +It is situated in the western part of Annapolis County on the southern shore of the Annapolis Basin . It is located in the southern part of the Annapolis County on the western shore of Annapolis Basin . 0 +During the competition , they lost 50-25 to Zimbabwe , 84-16 to Tanzania , 58-24 to South Africa . They lost 50-25 to Tanzania during the competition , 84-16 to South Africa and 58-24 to Zimbabwe . 0 +Karl Michael Denk ( or Michael K. Denk ) is a Professor of chemistry at the University of Guelph , Ontario . Michael Karl ( or Michael K. Denk ) is a Professor of Chemistry at the University of Guelph , Ontario . 1 +Hugh Holland ( 1569 -- 1633 ) , the son of Robert Holland , was born in Denbigh in the north of Wales . Hugh Holland ( 1569 - 1633 ) , the son of Robert Holland , was born in Denbigh in the north of Wales . 1 +Mary Pierce won the title by defeating Iva Majoli 6 -- 4 , 6 -- 4 in the final . Mary Pierce won the title by victory against Iva Majoli 6 -- 4 , 6 -- 4 in the final . 1 +On March 29 , 1861 , the Fort Fort Mason was re-occupied by federal troops and evacuated until 1869 after the Civil War . On March 29 , 1861 it was evacuated by federal troops and reoccupied after the civil war until 1869 . 0 +Sheep are sacrificed and the meat is distributed to relatives and neighbours and given to the poor . The sheep are sacrificed and meat is distributed to relatives and neighbours and distributed to the poor . 1 +"On 31 October 1846 , the "" Duke of Roxburgh "" sailed from Gravesend again and arrived in Port Phillip on 7 March 1847 ." "On 31 October 1846 , Duke of Roxburgh "" sailed again from Port Phillip and reached Gravesend on 7 March 1847 ." 0 +She was the sister of William , who had already been married to David King Udall 's sister Eliza Stewart . She was the sister of David King Udall who was already married to William 's sister Eliza Stewart . 0 +The line to Tel Aviv through Nahariya and Haifa is 24 hours a day on weekdays . The line to Tel Aviv through Nahariya and Haifa operates 24 hours a day on weekdays . 1 +In 1954 , the company interved in Gafsa in Tunisia then participated to the war in Algeria . In 1954 the company participated in Gafsa in Tunisia and then intervened in the war to Algeria . 0 +Todd sacrifices himself in order to give Cillian time to escape . Cillian sacrifices himself to give Todd time to escape . 0 +A swing is a resonant example of a simple system with which most people have practical experience . A swing set is a simple example of a resonant system with which most people have practical experience . 0 +The Meyer Meyer law is often used to relate hardness values based on the fact that if the weight is quartered and the diameter of the indentor is halved . Meyer 's law is often used to relate hardness values based on the fact that if the weight is quartered and the diameter of the indenter is halved . 1 +VirusProtectPro is a rogue - malware program that claims to be a commercial anti-spyware when it is in fact itself adware - advertising . VirusProtectPro is a commercial malware program that claims to be a rogue anti-spyware , when in fact it is , itself , adware-advertised . 0 +The government was led by George Forbes of the United Party , with Gordon Coates of Reform as finance minister . The government was led by Gordon Coates from the United Party , with George Forbes of Reform as finance minister . 0 +In 1973 , she moved to Sydney , and toured with Jimmy Little , performing at popular clubs and pubs around New South Wales . In 1973 she moved to New South Wales , toured with Jimmy Little and performed in popular clubs and pubs around Sydney . 0 +He is estranged from his wife , Sarah , and their daughter , Barbara . He is estranged from his wife , Barbara , and her daughter , Sarah . 0 +Pepsi Next was launched in March 2013 in Finland and Canada and in France in March 2014 . Pepsi Next was first introduced in France in March 2013 , and in Finland and Canada in March 2014 . 0 +His wife Luise Marie Schwaab and their daughters Irma and Gisela M. A. Richter were also art historians . His wife Luise Marie Schwaab and her daughters Irma and Gisela M. A. Richter were also art historians . 0 +The film is produced together by Vishwa and Girish by V San Visions and the music of Arjun Janya . The film is scored jointly by Vishwa and Girish of V San Visions and the music is produced by Arjun Janya . 0 +"The question of how many islanders were "" ashes "" is unknown and remains controversial ." "The question of how many Islanders were "" blackbirded "" remains unknown and is controversial ." 0 +People from all over China come to Lujiang to look at Zhou Yu 's reverence . People from all over Lujiang came to China to look at the reverence of Zhou Yu . 0 +It currently runs from Yonge Street south of Davisville Avenue northwest to the Allen Road and Eglinton Avenue West . It currently runs from Davisville Avenue , to the south of Yonge Street , northwest of Allen Road and Eglinton Avenue West . 0 +"In the documentary "" The Gettysburg Address "" of 2015 , Edward Everett is portrayed by the actor Ed Asner ." "In the documentary "" The Gettysburg Address "" of 2015 , Ed Asner is portrayed by the actor Edward Everett ." 0 +Daniel , another Jesuit from England , joined William Good soon after , although they had a turbulent relationship . William Good , another Jesuit from England , joined Daniel soon after , even though he had a turbulent relationship . 0 +After the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan almost disappeared . After the actual invasions of the seventh century the original Christians have nearly disappeared from Muslim Azerbaijan . 1 +The school is in conjunction with the autistic department of the high school Ysgol Plas Brondyffryn , which was built in the year 2003 . The school is connected with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . 0 +The 1963 San Francisco State Gators football team represents San Francisco State College football season during the 1963 College Division . The 1963 San Francisco State Gators football team represented San Francisco State College during the 1963 College Division football season . 1 +When Samuel Herrick arrived in the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with sections to secure boats . When Arnold arrived in the scene , Samuel Herrick had already been sent to Panton with departments to secure boats to Skenesboro and Asa Douglas . 0 +At this time , the Nova Scotians lived in Western Freetown and the Jamaican Maroons were in Eastern Freetown . At this time , the Nova Scotians lived in Western Freetown and the Jamaican Maroons were situated in Eastern Freetown . 1 +In the American Football League for Washington Redskins and the National Football League for the Los Angeles Chargers , a former American football defensive ended . was a former American football defensive end in the American Football League for the Washington Redskins and in the National Football League for the Los Angeles Chargers . 1 +Belize High School is a high school school in Belize City , Belize . Belize High School is a high school , secondary school in Belize City , Belize . 1 +The second male pleopod has the appendix masculina about as slender , but slightly longer than the appendix interna ; it ends in a number of strong setae . The second male pleopod has the appendix masculina about so lean , but slightly longer than the appendix interna , it ends in a number of strong Setae . 1 +Effective July 1 , 2000 , the village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River . The village of Mineral Hills and the town of Stambaugh were consolidated with the town of Iron River effective July 1 , 2000 . 1 +Soon Erko Elblaus and Karl Kallas were replaced by Rasmus Rändvee and Gertrud Luhaoja respectively . Erko Elblaus and Gertrud Luhaoja were soon replaced by Rasmus Rändvee and Karl Kallas . 0 +On the other hand , General De Gaulle was less impressed , rejected her recommendations , and read most of her reports only half . General De Gaulle on the other hand was less impressed , dismissing her recommendations and only half reading most of her reports . 1 +Other R & D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . Other R & amp ; D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . 1 +The party began as a resistance movement that fought for the independence of East Timor , first from Portugal and then from Indonesia , between 1974 and 1998 . The party began as a resistance movement that fought for East Timor ’ s independence between 1974 and 1998 , first from Portugal and then from Indonesia . 1 +Healey played the role in series production in August 2012 and left the role again on September 27 , 2012 . Healey left the role in series production in August 2012 and played the role once again on 27 September 2012 . 0 +This is a list of national parks in British Columbia , including municipal and regional parks , provincial parks , communal and regional parks . This is a list of municipal and regional parks in British Columbia including national parks , provincial parks , municipal and regional parks . 0 +""" Meriden , Connecticut "" was sold to Burdett Pond in Tennessee on 15 September 1886 ." """ Meriden , Connecticut "" was sold on 15 September 1886 to Burdett Pond of Tennessee ." 1 +Until 1798 , he studied in Dresden before settling in Copenhagen . He studied in Dresden until 1798 , before settling in Copenhagen . 1 +The River Titimoiu is a tributary of the River Ceapa in Romania . The Ceapa is a tributary of the Titimoiu River in Romania . 0 +Ingraham married Mary Brooks , a cusine of Phillips Brooks in Natchez . In Natchez , Ingraham married Mary Brooks , a cousin of Phillips Brooks . 0 +The Voievodeasa River is a tributary of the Suceviţa River in Romania . The river Suceviţa is a tributary of the river Voievodeasa in Romania . 0 +Members of the House Council are elected to their positions by members of their House . Members of the House of Representatives are elected to their positions by members of their house . 1 +Lars Ankerstjerne has written as songwriter for Nik 'Jay , Burhan G and Rasmus Seebach songs . Rasmus Seebach has written songs for Nik 'Jay , Burhan G and Lars Ankerstjerne as songwriters . 0 +In the late 1970s , Willie Francis worked in England and lived in Canada for several years before returning to Jamaica . In the late 1970s , Willie Francis lived in Canada and worked in Jamaica for several years before returning to England . 0 +On the island of Brač , Ignjat Job painted personal landscapes in a colourful Expressionist style . Ignjat Job painted personal landscapes on the island of BraÄ in a colourful expressionistic style . 1 +Antrim County is a civil community of the Helena Township in the U.S. state of Michigan . Antrim County is a civil township of Helena Township in the U.S. state of Michigan . 1 +"In 2017 , Chris Shiflett filled in for "" Cheney "" on the spring tour of "" Me First and the Gim me Gimmes "" ." "In 2017 , Chris Shiflett for "" Cheney "" filled in the spring tour of "" Me First and the Gim me Gimmes "" ." 1 +The cast list indicates the first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . The cast list indicates a date of first performance after Tooley joined the company in the Spring of 1619 , and before Taylor 's death in June 1623 . 1 +In 1977 the new SPD Mayor of Berlin , Dietrich Stobbe , invited Dieter Sauberzweig be become a senator for culture in his cabinet . In 1977 , the new Berlin SPD - Mayor Dietrich Stobbe Dieter Sauberzweig invited him to become a senator for culture in his cabinet . 0 +"According to Jon Uren , Marketing Director of Warner Music Europe , the song had also "" early "" fantastic support across Europe ." "According to Jon Uren , marketing director of Warner Music Europe , the song also had "" fantastic "" early support across Europe ." 1 +Aulla is a municipality in the province of Massa and Carrara , Tuscany ( central Italy ) . "Tuscany is a "" municipality in the province of Massa and Carrara , Aulla ( central Italy ) ." 0 +According to the Freedman Brothers website , Lee Freedman Naturalism was one of the five best horses he has ever trained . According to the Freedman brothers website , Lee Freedman rated Naturalism was one of the five best horses he ever trained . 0 +The manuscript was bought by Edward Everett of Constantinople to America in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett in 1819 , together with six other manuscripts , from America to Constantinople ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +In 1877 he went to Connecticut but soon went back again to California and in the fall of 1879 returned to the Republic of Salvador as State Geologist . He returned to Connecticut in 1877 , but soon went back to California and went to the Republic of Salvador in the autumn of 1879 as a state geologist . 0 +"She called "" an honor "" and "" flattering "" , and added : "" It is new for our society as well ." "She called this "" an honor "" and "" new "" and added , "" It 's flattering for our society , as well "" ." 0 +"An article by Richard Prum in the "" Houston Chronicle "" published 18 December 2005 presented Dina Cappiello 's position as follows :" "In an article by Richard Prum at the "" Houston Chronicle "" on December 18 , 2005 , Dina Cappiello 's position was presented as follows :" 1 +Pittinger 's group consisted only in 800 SA men , while Hitler was present with 30,000 . Hitler 's group consisted only of 800 SA - men , while Pittinger was present with 30,000 troops . 0 +"It was recorded on his album "" From Elvis in Memphis "" and was released on February 18 , 1969 at the American Sound Studio in Memphis ." "It was released on his album "" From Elvis in Memphis "" and was recorded in American Sound Studio in Memphis on February 18 , 1969 ." 0 +The wingspan flies . The moth is from July to August depending on the location . The wingspan flies , the motto is depending on the location from July to August . 1 +In 1989 , London joined the Peace Corps in Malawi and organized a regional program for business development in Africa . In 1989 , London joined the Peace Corps in Africa and organized a regional business development program in Malawi . 0 +The Council 's weak legislative design , however , makes it only a very functional review mechanism . However , the Council 's weak legislative structure makes it only a very functional review mechanism . 1 +The Edmonton Oilers were the first NHL team in Alberta when they were absorbed by the National Hockey League as the WHA folds . The Edmonton Oilers became the first National Hockey League team in Alberta as they were absorbed by the NHL when the WHA folded . 1 +Lee was appointed in 2002 to replace Bishop Brian King . He is the first Anglican bishop in Australia to have a Chinese ethnic background . Brian King was appointed successor to Bishop Lee in 2002 and is the first Anglican bishop in Australia to have a Chinese ethnic background . 0 +The 2002 National Football League season was the 27th season of the team with the Seattle Seahawks . The 2002 Seattle Seahawks season was the team 's 27th season with the National Football League . 0 +Hayes was born in New York City , but raised in North Carolina . Hayes was born in New York City , but was raised in North Carolina . 1 +He lost to Joey DeJohn but stopped Vinnie Rossano in five rounds . He lost Vinnie Rossano , but stopped Joey DeJohn in five rounds . 0 +The Squaw Creek Bridge was located in Harrison Township in rural Boone County , Iowa , United States . The Squaw Creek Bridge was located in Harrison Township in rural Boone County , Iowa , USA . 1 +"Ben Peterson of AllMusic gave the album 4 out of 5 stars and consistently called it imaginative and never predictable "" ." "Ben Peterson of AllMusic gave the album 4 out of 5 stars and described it as "" never imaginative and consistently predictable "" ." 0 +Dummer was born in Newbury , Massachusetts , as the second son of Richard Dummer and his first wife , Frances Burr . Born in Newbury , Massachusetts , the first son of Richard Dummer and his second wife , Frances Burr , was born . 0 +"She was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on 26 October , 1943 ." "She was commissioned to the Royal Navy and took over as HMS "" Tattoo "" on 26 October 1943 ." 1 +"The time setting of "" Leave It to Beaver "" is contemporary with its production -- the early 1950s and the late 1960s ." "The time setting of "" Leave It to Beaver "" is contemporary with its production -- the early 1950s and the late 1960 's ." 1 +"In "" Home Alone "" Kate McCallister traveled from Paris on her way to Chicago through Dallas / Fort Worth ." "In "" Home Alone "" Kate McCallister traveled from Chicago on her way to Dallas / Fort Worth through Paris ." 0 +Music is in his blood because he inherited this art from his grandfather , Ustad Banne Khan , who is himself a singer . Music runs in his blood as he inherited this art from his grandfather Ustad Banne Khan , who is himself a singer . 1 +On June 30 , Florida Governor Farris Bryant announced the formation of a biracial committee to restore interracial communication in St. Augustine . On 30 June , Florida Governor Farris Bryant announced the creation of a biracial committee to restore interracial communication in St. Augustine . 1 +Much of Bear Mountain State Park borders on the Tomkins Cove . Much of the Bear Mountain State Park perimeter borders Tomkins Cove . 1 +"Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." "Anna Maria Lena is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." 1 +After his death , Kellow 's widow Mary Hope Kellow moved to Sydney with her daughter Mary . After his death , the widow of Kellow Mary with her daughter Mary Hope Kellow moved to Sydney . 0 +He moved to Attika , Indiana in 1853 , and in 1859 to Bloomington , Illinois . In 1853 he moved to Bloomington , Illinois , and in 1859 to Attika , Indiana . 0 +It has been found in Western Tasmania , in mines located near Dundas , Tasmania It has been found in Western Tasmania , in Mines near Dundas , Tasmania 1 +Currently Rozova is contracted with Wilhelmina Models in Hong Kong and Style International Management in New York . Rozova is currently signed with Wilhelmina Models in Hong Kong and Style International Management in New York . 1 +In April 1944 , Cozens was appointed Lieutenant-General and was later promoted Assistant Chief to General Ronald Scobie . In April 1944 , Cozen was promoted to Lieutenant-General and was later appointed Assistant Chief General Ronald Scobie . 0 +On December 17 , 2014 , he was one of nine Progressive Conservative MLAs that crossed the floor to join the Wildrose Caucus . On December 17 , 2014 , he was one of nine Progressive Conservative MLAs who crossed the floor to join the Wildrose caucus . 1 +The front row allows characters to perform powerful melee attacks while the back row is for ranged attacks , which may be either arches or spells . The front row allows characters to perform powerful melee attacks , while the back row is for ranged attacks , which can be either bows or magic spells . 1 +The Mija Mică River is a tributary of the Jieţ in Romania . The JieT is a tributary of the River Mija Mică in Romania . 0 +Hamira later on drove out Badna and built a fort here . Later on , Hamira Badna drove out and built a fortress here . 0 +She was born on December 18 , 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . She was born on December 18 , 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . 0 +Without hesitating , Hasan took his squadron into the harbour , burned it and the arsenal , plundered the Umayyad ships anchored there , and returned to Ifriqiya . Hasan took his squadron into the port without hesitation , burned it and the arsenal , plundered the Umayyad ships anchored there , and returned to Ifriqiya . 1 +On 9 June 2017 , Barkchi Mubin Ergashev appointed her manager after Vitaliy Levchenko joined the Krylia Sovetov coaching staff . On 9 June 2017 , Barkchi appointed Vitaliy Levchenko as their manager after Mubin Ergashev joined the coaching staff of Krylia Sovetov . 0 +The first segment runs from Stillwell Avenue to West 11th Street , where the path is hampered by the Marlboro - housing projects . The first segment runs from Stillwell Avenue to West 11th Street , where its path is impeded by the Marlboro housing projects . 1 +In the 2011 census , 88.8 % of the inhabitants were Roma , 6 % Hungarians , 4.2 % Romanians and 1 % Germans . At the 2011 census , 88.8 % of inhabitants were Romanians , 6 % Hungarians , 4.2 % Roma and 1 % Germans . 0 +About 90 % of all tobacco produced in Canada is grown here . About 90 % of all tobacco grown in Canada is manufactured here . 0 +In June 2011 , Julian Schabel , curated by Rosenthal , opened Museo Correr in Venice . In June 2011 , Julian Schabel , curated by Rosenthal , opened at Venice Museo Correr . 1 +The northern border of the municipality is also the southern border of Lahemaa National Park . The southern border of the municipality is also the northern border of the National Park of Lahemaa . 0 +Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and to Sirikot via ( Sarai Kala ) . Ranjit Singh marched to Rawalpindi , from there after ( Rohtas ) and via ( Sarai Kala ) to Sirikot . 0 +From 1996 to 2005 , Adila Laidi was the first director of the center , and Saheer Turjman is the current administrative director , and Rula Khoury is the current artistic director . Adila Laidi was the first director of the centre from 1996 until 2005 . Saheer Turjman is the current Administrative Director and Rula Khoury is the current Artistic Director . 1 +The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . The show was staged by Nick Winston at the Theatre Royal in Newcastle on March 27 , 2012 and choreographed by Ed Curtis . 0 +DRM playback is not possible via Memory Stick as Magic Gate is not available and Windows Media DRM is not currently possible on Memory Sticks . DRM playback is not possible via Memory Stick , as Magic Gate is not possible and Windows Media DRM is currently not available on Memory Sticks . 0 +He is The Creator Spirit , present before the creation of the universe and through his power everything was made in Jesus Christ , by God the Father . He is the Spirit of Creation , currently before the creation of the universe , and through his power everything in Jesus Christ was made by God the Father . 1 +Fothergill also served as a member of the executive committee of the Scottish Liberal Party and chairman of the Scottish Liberal Agriculture Committee . Fothergill also served as a member of the executive committee of the Scottish Liberal Party and as sometime Chairman of the Scottish Liberal Agricultural Committee . 1 +Ma Smith is widow with two of her own children : Will and Dora Smith . Dora Smith is a widow with two children of her own : Will and Ma Smith . 0 +It currently serves as the newspaper of the registration for Galveston County , as well as Galveston . It currently serves as the newspaper for Galveston , as well as Galveston County . 1 +Therefore , the inscription is of linguistic significance for the first history of northern India . The inscription is , therefore , of first importance for the linguistic history of northern India . 0 +From 1969 , the family lived in rented houses in Los Angeles , close to California recording studios . From 1969 , the family lived in rented houses in California , close to the recording studios in Los Angeles . 0 +The uneducated Confederates were totally confused in this situation , and their organization was lost . The confused Confederates were completely untrained in this situation , and their organization was lost . 0 +In 2013 , the highest teenage birth rate was in Alabama , and the lowest in Wyoming . In 2013 was the highest teenager - birth rate in Wyoming and the lowest in Alabama . 0 +On 4 November 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . 0 +Germany ended its support for China in 1938 , under pressure from Japan , and Falkenhausen had to withdraw from China . In 1938 Japan , under pressure from Germany , ended its support for China and Falkenhausen was forced to withdraw from China . 0 +Riggs was born in Atlanta , Georgia , the son of William Riggs ( nee Carlton ) and Gina Ann , and has a younger brother , Grayson . Born in Atlanta , Georgia , the son of Gina Ann ( nee Carlton ) and William Riggs , he has a younger brother , Grayson . 0 +The gate is approximately high , with the still visible grooves in the granite stones for the hinges that are used when opening and closing the access . The gate is still visible with the approximately high grooves in the granite stones for the hinges that are used when opening and closing the access . 0 +The national organisation was organized under Draft Bylaws in March 1979 and was officially founded in March 1980 in Kansas City , Missouri . The national organization was founded in March 1979 under Draft Bylaws . PAS was officially organized in March 1980 in Kansas City , Missouri . 0 +According to Inova 's projects , this is reversed in Manovich : the paradigmatic database is tangible , while the syntagmatic narrative is virtual . In New Media projects , this is reversed according to Manovich . The paradigmatic database is tangible , while the syntagmatic narrative is virtual . 1 +Indentured people were numerically important mostly in the region from Virginia north to New Jersey . Many people were mostly numerically important in the region from New Jersey north to Virginia . 0 +The District Cabinet is led by Anne Marit Mevassvik and has four members , from the Labour Party , the Conservative Party and the Christian Democratic Party . The District Cabinet is led by Anne Marit Mevassvik and has four members , from the Conservative Party , the Labour Party and the Christian Democratic Party . 1 +Kumutrampatti is a small village near Madurai District ( Tor to Kottampatti ) in Tamil Nadu . Kumutrampatti is a small village near Kottampatti ( gateway to the Madurai District ) in Tamil Nadu . 0 +""" Blastfighter "" was theatrically distributed in Italy , where it was released on July 25 , 1984 by Medusa Distribuzione ." """ Blastfighter "" was distributed theatrically in Italy , where it was released by Medusa Distribuzione on 25 July , 1984 ." 1 +Played 4 Won 1 ( Canberra , Gold Coast ) , Lost 3 ( Melbourne , Penrith ) 2015 Played 4 Won 1 ( Canberra , Gold Coast ) , Lost 3 ( Melbourne , Penrith ) 1 +He is a professor in Adult Education at the Åbo Akademi University , Vaasa ( Finland ) . He is a professor of adult education at Åbo Akademi University in Finland ( Vaasa ) . 1 +Johnson wrote the lyrics for the songs composed by Girish Puthenchery . Girish Puthenchery wrote the text for the songs composed by Johnson . 0 +Wilhelmina is shocked and does not believe Christina . Christina is shocked and does not believe in Wilhelmina . 0 +In 1950 there were 71 male religious priests , 4 religious , 310 nuns and sisters in the diocese . In 1950 , there were 71 male religious priests , 4 religious , 310 nuns and sisters ministering in the Diocese . 0 +As part of a rationalization campaign , the company reported in January 2017 that it will close three remaining regional kitchens in Atlanta , Landover and Everett . As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Atlanta , Landover and Everett . 0 +Perkins was the grandson of Charlie Perkins , an Eastern Arrernte elder and a nephew of Hetty Perkins . Perkins is the grandson of Hetty Perkins , an Eastern Arrernte elder , and a nephew of Charlie Perkins . 0 +Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 - October 26 , 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Ceylonese ( Sri Lanka ) judge and lawyer . 1 +"In 2001 he founded in Zagreb , Croatia , the publishing house and the graphic workshop "" Petikat "" , most recently he worked on animation films at the Zagreb film ." "In 2001 in Zagreb , Croatia he founded the publishing house and animated workshop "" Petikat "" . Most recently he worked on graphic films at Zagreb Film ." 0 +Caracase is a city in the southwestern region of Gedo Somalia . Caracase is a town in the southwestern Somalia region of Gedo . 0 +The valley itself is made rocky by the river , while the surroundings is lush and green desert . The valley itself is made through the river and green , while the surrounding area is rocky desert . 0 +In 1922 , Tzipora Meirov married Sharett ( 12 August , 1896 -- 30 September , 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . In 1922 , Sharett married Tzipora Meirov ( August 12 , 1896 - September 30 , 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . 1 +"At the 54th International Film Festival of Locarno , his British English feature , Déjàvu "" , was premiered with international actors ." "His international feature film "" Déjàvu "" with British actors was premiered at the 54th International Film Festival of Locarno ." 0 +Abhishekapuram is a suburb of the town of Tiruchirappalli in Tamil Nadu , India , one of the four zones of the Tiruchirappalli Municipal Corporation . Abhishekapuram is a suburb of the city of Tiruchirappalli in Tamil Nadu , India and forms one of the four zones of the Tiruchirappalli Municipal Corporation . 0 +The poorly visible silk is extremely fine , except when the hand is viewed directly from the side . The poorly visible silk is extremely fine except when the sheet is viewed directly from the side . 0 +The Ecuadorian base Pedro Vicente Maldonado and the Chilean base Arturo Prat are located on the northeast and north coast of the island . The Ecuadorian base Pedro Vicente Maldonado and the Chilean base Arturo Prat are situated on the northeast and north coast of the island respectively . 1 +Russian speaking , he then went to the former USSR to study Igor Moiseyev style Slavic folk dance , Vaganova ballet technique and Soviet repertory . Slavic speaking , he then went to the former USSR to study Igor Moiseyev ’ s style of Soviet folk dance , Vaganova ballet technique and Russian repertory . 0 +"In the 2014 film "" Get On Up "" , a biography of Josh Hopkins , depicted by James Brown , bass is produced by Bryan Grazer and Mick Jagger ." "In the 2014 film "" Get On Up "" , a biography of James Brown produced by Bryan Grazer and Mick Jagger , Bass is portrayed by Josh Hopkins ." 0 +Canada is represented in Cambodia through its UN mission in New York City . Cambodia is represented by its UN mission in New York City in Canada . 0 +Brian Meehan fled with Traynor ( who later fled to Amsterdam ) to Portugal . Brian Meehan fled to Amsterdam with Traynor ( who later escaped to Portugal ) . 0 +Maine is a center and camp for the Hog Island chapter of the National Audubon Society . Maine is a center and warehouse for the Hog Island chapter of the National Audubon Society . 1 +"Uigorlersuaq Island ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the Qaasuitsup municipality in northwest Greenland ." "Uigorlersuaq Island ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the Qaasuitsup municipality in northwestern Greenland ." 1 +He has a Norwegian mother and a Portuguese father and spent a part of his childhood in Lisbon . He has a Portuguese mother and a Norwegian father and has spent part of his childhood in Lisbon . 0 +"The newlyweds serve the guests at the entrance and they meet a glass of champagne while the Lautari sing the "" Marș de intampinare "" ( meeting march ) ." "The young married children serve the guests at the entrance and meet a glass of champagne , while the Lautari sing the "" Marè de intampinare "" ( meeting march ) ." 0 +In the list below , names of domestic Goans are included , with the name of the such team in parentheses . The names of such goans are included in the following list , with the name of the domestic team standing in parentheses . 0 +The first base with known weiferich - prime number with order 3 is 9 , where 2 is a wieferich - prime number to base 9 with order 3 . The wieferich - base with known first prime number at order 3 is 9 , where 2 is a wieferich - prime number to base 9 with order 3 . 0 +In April 2001 , Jungo raised $ 7 million in its second round of financing by venture capital fund TeleSoft Partners and Infineon Ventures and the Intel Capital . In April 2001 , Jungo recruited US $ 7 million in its second round of financing via the venture capital fund TeleSoft Partners and Infineon Ventures and Intel Capital . 1 +Kamallä ( also Kyamally and Kyumaty ) is a village in the Lachin - Rayon of Azerbaijan . Kamallı ( also , Kyamally and Kyumaty ) is a village in the Azerbaijan of Lachin Rayon . 0 +On 28 February 2018 , Interoute announced the acquisition of GTT Communications for $ 2.3 billion . On February 28 , 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion . 0 +CAA is not affiliated with the Dominion Automobile Association or consumer groups such as the Automobile Protection Agency . The CAA is not connected with the Automobile Protection Agency or consumer groups such as the Dominion Automobile Association . 0 +She was the second daughter and the youngest of four children born to Wright and his wife , Mary Weeks ( Bracket ) Philander Montague Wright . She was the second daughter and the youngest of four children born of Philander Montague Wright and his wife , Mary Weeks ( Bracket ) Wright . 0 +The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapters - awards . The Club The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter prizes . 0 +In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Mays Hill by Westerleigh and to Broad Lane by Frog Lane . In Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . 1 +It flows eastward from a source in Dundy County , Nebraska to just north of Hagler in Yuma County , Colorado . It flows east from a source in Dundy County , Nebraska , to north of Hagler in Yuma County , Colorado . 1 +Regressive assimilations are only conditioned by phonological factors while substitutions take into account semantic information . Regressive assimilations are caused only by phonological factors , while substitutions take semantic information into account . 1 +Eric Midkiff replaced Glenn Jones in the band in 1996 and played guitar while Hart moved to bass . In 1996 , Eric Midkiff replaced Glenn Jones in the band and played the guitar , while Hart switched to bass . 1 +Suruga-Tokuyama Station is a small wooden station with a single island platform and a manned railway station building . Suruga-Tokuyama Station is a manned station with a single island platform and small wooden station building . 0 +Her work has been translated into Italian , English , Spanish , and German and has been published in magazines in Cuba , France , Mexico , and Canada . Their work has been translated into Italian , English , Spanish and German and published in magazines in Cuba , France , Mexico and Canada . 1 +The Czech composer Josef Jan Kovařík spent the summer of 1893 in Spillville , where his friend Antonín Dvořák had relatives . The summer of 1893 spent the Czech composer Josef Jan Kovařík in Spillville , where his friend Antonín Dvořák had relatives . 1 +Whittington , England , United Kingdom is a village and rural parish in the county of Gloucestershire in Gloucestershire . Glitting - Whittington , Gloucestershire is a village and rural town in the county of Gloucestershire in England , United Kingdom . 0 +In 1796 , John Taylor acquired the share of Hare and the company took the name of Taylor Walker when Isaac Walker became a partner in 1816 . In 1796 , Isaac Walker took over the share of Hare , and the company acquired the name Taylor Walker in 1816 , when John Taylor became a partner . 0 +Bob Monkhouse - Comic , drawn by Jill Day , was released in Star Comics ( 1954 ) , published by Gifford and Denis Gifford . A Jill Day comic strip drawn by Denis Gifford was published in Star Comics ( 1954 ) , edited by Gifford and Bob Monkhouse . 0 +Retrieving original maps of the city could have been dangerous for Massa himself and fatal for his Russian sources . Finding Russian maps of the city could have been dangerous for Massa himself and fatal for his original sources . 0 +Cunningham Elementary School was recognized by Governor Jim McGreevey in 2003 as one of 25 schools selected statewide for the First Annual Governor 's School of Excellence award . Cunningham Elementary School was recognized in 2003 by Governor Jim McGreevey as one of 25 schools selected nationwide for the first annual Governor 's School of Excellence . 1 +According to the RKD he was the son of the genre painter Cornelis Bisschop and brother of the bird painter Abraham Busschop . According to the RKD he was the son of genre painter Abraham Busschop and the brother of the bird painter Cornelis Bisschop . 0 +He has also small but long ears like a mouse . He also has small but long ears like a mouse . 1 +In the House of Representatives , all of California 's 9th district and portions of its 3rd , 6th , and 7th congressional districts are in the county . In the House of Representatives all 9th district of California and parts of its 3rd , 6th and 7th Congressional Districts in the county are . 1 +The mouth of Batten Kill is situated in East Dorset , Vermont , and the source of the river is in Easton , New York . The mouth of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . 1 +France took a medal in each of the three team events , but won no more gold medals . In each of the three team events France won a medal , but won no more gold medals . 1 +The former has black marble and white stone shivlingas , while the latter has only white marble . The former has white marble and black stone shivlingas , while the latter has just white marble . 0 +The soundtrack theme was composed by John Williams and was performed by Paul McCartney . The soundtrack theme was composed by John Williams and performed by Paul McCartney . 1 +He moved to Rock County in 1853 and settled near Beloit in Wisconsin . He moved to Wisconsin in 1853 and settled down in the Rock County near Beloit . 0 +Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford came Moyles through the Crossmolina Deel Rovers system . Ciarán McDonald came together with Moyles , Peadár Gardiner and Stephen Rochford through the Crossmolina Deel Rovers system . 0 +General De Gaulle on the other hand was less impressed , reading her recommendations and only half dismissing most of her reports . On the other hand , General De Gaulle was less impressed , rejected her recommendations and read only half most of her reports . 0 +James James and his brother were born in Alfreton , Derbyshire , John . John and James brother were born in Alfreton , Derbyshire . 0 +Ybbsitz is a town in the district of Amstetten in Lower Austria in Austria . Ybbsitz is a town in the district of Lower Austria in Amstetten , Austria . 0 +The music of the movie was written by Vijaya Narasimha and texts for the soundtrack composed by Chi , Udaya Shankar and Vijaya Bhaskar . The music of the film was written by Vijaya Narasimha and lyrics for the soundtrack composed by Chi . Udaya Shankar and Vijaya Bhaskar . 1 +He was a revolutionary hero that gave the regional movement in Telangana a new wave . He was a regional hero that gave the revolutionary movement in Telangana a new wave . 0 +Malik was married to businessman Asad Bashir Khan Khattak in Dubai on 25 December 2013 . Malik married businessman Asad Bashir Khan Khattak on 25 December 2013 in Dubai . 1 +Until the 1990s , Burswood developed as two southernmost units -- Burswood Island and a separate part within the suburb of Victoria Park . Burswood developed as two southernmost entities-Burswood Island , and a separate part within the suburb of Victoria Park , until the 1990s . 1 +Holsman gave the Parkway Garden Homes a European design , inspired by modernist residential projects of the 1920s and 1930s . Holsman gave the Parkway Garden Homes a Modernist design inspired by European housing projects of the 1920s and 1930s . 0 +In the same year , technologyreview.com won second place at MPA Digital Awards for the best business or news website and third place for the best online video or the best video series . In the same year , technologyreview.com won third place at MPA Digital Awards for the best business or news website and second place for the best online video or the best video series . 0 +Elmwood Charter Township is a charter township of Leelanau County in the U.S. state of Michigan . Leelanau County is a charter township of Elmwood Charter Township in the US state of Michigan . 0 +In 1999 Trinity merged with Trinity Mirror to become Mirror Group Newspapers , the largest stable of newspapers in the country . In 1999 , Trinity merged with Mirror Group newspapers to Trinity Mirror , the largest stable in the country 's newspapers . 0 +"He also gained popularity by replacing Adam Rodriguez with "" and Archie Kao on "" ." He also won popularity by replacing Archie Kao and Adam Rodriguez . 0 +Ryan Wiik ( born September 23 , 1981 ) , also known as Gunnar Ryan Wiik , is a Norwegian actor and entrepreneur . Ryan Wiik ( born September 23 , 1981 ) is a Norwegian actor and entrepreneur , also known as Gunnar Ryan Wiik . 1 +"The title and lyrics refer to the renaissance portrait "" Mona Lisa "" painted by Leonardo da Vinci ." "The title and text refer to the Renaissance - portrait "" Leonardo da Vinci "" by Mona Lisa ." 0 +"On 12 March 1801 "" Eling "" sailed with the British fleet under Admiral Sir Hyde Parker and was at the Battle of Copenhagen ( 1801 ) ." "On March 12 , 1801 , "" Eling was with the British fleet under Admiral Sir Hyde Parker and sailed in the Battle of Copenhagen ( 1801 ) ." 0 +Barley has been used as animal feed , as a source of fermentable material for beer and various distilled drinks and as a component of certain health foods . Barley has been used as animal fodder , as a source of fermentable material for beer and various distilled beverages , and as a component of certain health foods . 1 +Bayswater is connected to the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the city . Bayswater is connected by Garratt Road Bridge and the Swan River ( Tonkin Highway ) to the south of the Redcliffe Bridge . 0 +In 1915 , Pando and a number of dissatisfied liberals and former conservatives formed the Republican Party . In 1915 , Pando and a number of former Liberals and discontented Conservatives formed the Republican Party . 0 +This species can be found in the Atlantic Ocean and in the Gulf of Mexico ; in the Caribbean Sea from South Carolina to Brazil . This species can be found in the Atlantic Ocean and the Gulf of Mexico , in the Caribbean Sea , from South Carolina to Brazil . 1 +A hotel in Carmarthen ( Wales ) is the Ivy Bush Royal Hotel . A hotel in Wales ( Carmarthen ) is named the Ivy Bush Royal Hotel . 1 +When Roman Pearce was only two months out of the Police Academy , his friend Brian was caught in a garage with eight stolen vehicles . When Roman Pearce was only two months out of the police school , his friend Brian was caught in a garage with eight stolen vehicles . 1 +The municipality is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. Johns and northeast of Placentia . The community is situated at the southwestern head of Conception Bay in Division 1 . It is located southwest of St. John 's and northeast of Placentia . 1 +Chuck is more interested in the man in the picture with Elizabeth -- his face is cut out , but his tattooed arm is still visible . Elizabeth is more interested in the man in the image -- his face is cut out , but his tattooed arm is still visible . 0 +It also shares its advantage that the invertable function formula 26 does not have to be round . It also shares its advantage that the invertible function formula _ 26 does not have to be round . 1 +There are 4 playable characters , each with a different ability and also a unique fighting style . There are 4 playable characters , each with a unique ability and also a different combat style . 0 +In generalized mechanics , the Lagrangian coordinates form a discrete set of variables that define the configuration of a system . In generalized mechanics , the lagrange coordinates form a discrete set of variables that define the configuration of a system . 1 +John Carter lost the third round of the UK Championship against John Higgins in 6 -- 2 . Carter lost in 6 -- 2 the third round of the UK Championship to John Higgins . 1 +It was built in 1988 by Jim Bell and William Feldstein and has been developed by H & amp ; H . It was built in 1988 by Jim Bell and William Feldstein and developed by H & H . 1 +The first European to visit Cornwallis Island was Sir William Edward Parry in 1819 and named after British Royal Navy Admiral Sir William Cornwallis . The first European to visit Cornwallis Island was Sir William Cornwallis in 1819 , and was named after British Royal Navy Admiral Sir William Edward Parry . 0 +The Urfa gate was rebuilt by Kara Arslan , the son of Muhammad . Urfa Gate was rebuilt by Muhammad , son of Kara Arslan . 0 +Coopers Plains train station on the Beenleigh railway line ( now the south coast line ) opened in 1885 . Coopers Plains railway station opened in 1885 on the south coast railway ( now the Beenleigh line ) . 0 +SBS migrated the voice and data traffic of most MCI customers to its terrestrial network . The MCI migrated the voice and data traffic of most SBS customers to its terrestrial network . 0 +In 1992 Perence Shiri was replaced by Tungamirai as Air Force commander . In 1992 , Tungamirai was replaced by Perence Shiri as an air commander . 0 +Jolly 's parents settled in West Bengal in Rajshahi , her elder sister Sharmili Ahmed is actress . Jolly 's parents settled down from Rajshahi in West Bengal , her older sister , Sharmili Ahmed , is an actress . 0 +On 29 September , 2001 , Deutsche Bahn opened a new underground tunnel to the new Filderstadt station . On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new Filderstadt U-Bahn ( underground ) station . 0 +The Ciolanu river is a tributary of the River Albele in Romania . The Ciolanu River is a tributary of the Albele River in Romania . 1 +"In 1991 , Sun Publications acquired the newspaper "" Naperville Sun "" and its parent company , Copley Newspapers ." "In 1991 , Copley Newspapers acquired the "" Naperville Sun "" newspaper and its Sun Publications parent ." 0 +In 1993 it opened in its former site , which was the present site of the National Museum of Korea . In 1993 it opened in its former site , which was the current site of the National Museum of Korea . 1 +There were 65 members in the first year , 91 members at the end of the third year and 106 members for the second year . There were 65 members in the first year , 91 members at the end of the second year and 106 members for the third year . 0 +Anthony Patrick Babington ( 4 April 1920 , London -- 10 May 2004 , County Cork ) was an Anglo-Irish author , judge and Army officer . Anthony Patrick Babington ( 4 April 1920 , County Cork -- May 10 , 2004 , London ) was an English author , judge and army officer . 0 +The first meeting of the BBU in 1932 in Chicago was the final meeting of the GARBC . The first meeting of the BBU in Chicago in 1932 was the last meeting of GARBC . 1 +He was born in 1951 in Mauritius ( Quatre Bornes ) and died in 2002 . Born in Quatre Bornes ( Mauritius ) in 1951 , he died in 2002 . 1 +This practice has its roots in the traditions regarding the Danish caps of the black students . This practice has its roots in the traditions of the black caps of the Danish students . 0 +It extends from the US - Route 95 ( US-95 ) north of Copeland , east to the British Columbia Highway 21 ( BC 21 ) in Porthill . It extends from the US - Route 95 ( US-95 ) east of Copeland , north to British Columbia Highway 21 ( BC 21 ) in Porthill . 0 +Edward Biddle was the brother of American financier Nicholas Biddle , nephew of Congressman Charles John Biddle and uncle of Congressman Richard Biddle . Edward Biddle was the brother of the American financier Nicholas Biddle , Congressman Charles John Biddle 's nephew , and the uncle of Congressman Richard Biddle . 1 +"At 10 : 59 AM the last element of the 2nd Battalion 4th Marines left the zone and the last naval helicopter landed at 12 : 15 on the USS "" Okinawa "" ." "At 10 : 59 , the last element of 2nd Battalion 4th Marines left the zone and the last marine helicopter landed on the USS "" Okinawa "" at 12 : 15 ." 1 +The main village is inhabited mainly by people of East Indian origin , there are Hindu temples and mosques and there is a small church . The small village is inhabited mainly by people of East Indian origin , there are Hindu temples and mosques and there is a main church . 0 +A branch from Earby to Barnoldswick was opened in 1871 . In 1871 , a branch office was opened from Earby to Barnoldswick . 1 +He can excommunicate non-catholic kingdoms and call for crusades against catholic kingdoms . He can excommunicate Catholic kingdoms and call crusades against non-Catholic kingdoms . 0 +The Grewals are the popular family that appeared in the second series of the UK Channel 4 series The Family . The Grewals are the second family that appeared in the popular series The Family of the British Channel 4 series . 0 +The idols are very old and they are made of the locally available stone . The idols are available locally and they are made of very old stone . 0 +"He was asked about his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." "He was asked his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." 0 +He serves as President of the New York Stock Exchange , including the NYSE Group . He serves as the president of the NYSE Group , including the New York Stock Exchange . 1 +In the substantia nigra , DAT is localized to axonal and pre- and post-synaptic ( dendritic ) plasma membranes . In the substantia nigra , DAT is localized to axonal and dendritic ( i.e . pre- and post-synaptic ) plasma membranes . 1 +She won Democrats 64-35 , but lost Independents 66-33 to Sanders . She won Democrats 64-35 , but lost Sanders 66-33 to the Independents . 0 +The medication with the best evidence is lithium , which is an effective treatment for acute manic episodes , preventing relapses , and bipolar depression . The medicine with the best evidence is lithium , which is an effective treatment for bipolar episodes , preventing relapses and acute manic depressions . 0 +Sporting Club Suceava was a professional football club from Suceava , based in Romania . It was founded in 2008 . Sporting Club Suceava was a professional football club from Romania , based in Suceava and founded in 2008 . 0 +It is native to western North America from Alaska to Ontario to New Mexico , as far east as California and Michigan . It is home to Western North America , from Alaska through Ontario to New Mexico , as far east as California and Michigan . 1 +It was approved by the Constitution of Afghanistan , created on 4 January 2004 . It was approved by the Constitution of Afghanistan , which was created on January 4 , 2004 . 1 +Paul Annacone won in the final 6 -- 2 , 6 -- 4 against Andre Agassi . Andre Andre Agassi won against Paul Annacone in the final with 6 -- 2 , 6 -- 4 . 0 +It is currently being represented by Senator Bert Brackett , Republican of Rogerson , Representative Christy Zito , Republican of Hammett , and Representative Megan Blanksma , Republican of Hammett . It is currently represented by Senator Christy Zito , Republican of Rogerson , Representative Megan Blanksma , Republican of Hammett , Representative Bert Brackett and Republican of Hammett . 0 +On 8 March 2017 , Benedi promoted his Spanish La Vida Amiga with a video led by Ivaylo Petkov and announced a new single album in production together with them . On 8 March 2017 , Benedi promoted his Spanish La Vida Amiga with video directed by Ivaylo Petkov and together with that announced a new single album in production . 1 +Tătaru river is a tributary of the river Buzăiel in Romania . The river Buzăiel is a tributary of the River Tătaru in Romania . 0 +Name is the unique marker name , and format string describes the types of remaining arguments . Where name describes the marker 's unique name , and format _ string is the remaining arguments ' types . 0 +The Ati are a Negrito ethnic group in the Visayas , the central portion of the Philippine archipelago . The Ati are a central group in the Visayas , the Negrito ethnic part of the Philippine archipelago . 0 +The party is currently run by Paolo Grimoldi as national secretary and Giacomo Stucchi as national president . The party is currently led by Giacomo Stucchi as national secretary and Paolo Grimoldi as national president . 0 +Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Sarath Babu , Sujatha and Saritha . Nool Veli ( Fence of Yarn ) is a Tamil film with Sarath Babu , Sujatha and Saritha in 1979 . 1 +In 1855 , the Republican Party and the Whig Party merged in New York to found the Anti-Nebraska Party . In 1855 , the Whig Party and the Anti - Nebraska Party in New York merged to form the Republican Party . 0 +The ethnicity was 96.6 % white , 1.1 % mixed , 1.2 % Asian , 0.8 % black and 0.3 % other . The ethnicity was 96.6 % white , 1.1 % mixed race , 1.2 % Asian , 0.8 % black and 0.3 % other . 1 +Proteins that form stable complexes with other molecules are often described as receptors , while their binding partners are called ligands . Proteins that form stable complexes with binding molecules are often referred to as receptors , whereas their other partners are called ligands . 0 +Ramot Menashe is named in the Menashe Heights , after which the kibbutz is located . Ramot Menashe is located in the Menashe Heights after which Kibbutz is named . 0 +Naxalbari has a railway station on the Siliguri -- Katihar line . Naxalbari has a train station on the line Siliguri -- Katihar . 1 +Hidalgo , who was born in Seville , played for Badajoz and Celta de Vigo . Born in Badajoz , Hidalgo played for Seville and Celta de Vigo . 0 +The uterine arteries swell during pregnancy , in order to increase the ovarian blood supply . The uterine arteries swell during pregnancy in order to increase ovarian blood supply . 1 +Swarthmore is represented at the General Assembly of Pennsylvania as the PA 161st Legislative District and the PA 26th Senate District . Swarthmore is represented in the Pennsylvania General Assembly as the PA 26th Legislative District and the PA 161st Senate District . 0 +"It is Tamil Nadu Government Aided Institution run by a society called "" Nadar Mahajana Sangam "" ." "It is operated by Tamil Nadu Government Aided Institution of a society called "" Nadar Mahajana Sangam "" ." 1 +St. James Parish is a member of the Benefice of Culworth with Chipping Wardens and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . St. James parish is a member of the Benefice of Culworth with Chipping Warden and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . 1 +Phil Larder resigned after not being paid and was replaced by player coach Daryl Powell in April 1995 . Daryl Powell resigned after he was not paid and was replaced in April 1995 by player coach Phil Larder . 0 +"He is commonly called Pasa Isageum , "" isageum "" being the early title in royal Silla ." "He is commonly called Pasa Isageum , "" isageum "" is the royal title in early Silla ." 0 +Using dynamic programming languages for sound and graphics , interactive programming is also used as live coding with improvisational playing style , mainly in algorithmic music and video . Using dynamic programming languages for sound and graphics , interactive programming is also used as an improvisational performance style live coding , mainly in algorithmic music and video . 1 +The song became the first theme song of the main characters , Vincent ( Jay Ryan ) and Catherine ( Kristin Kreuk ) . The song became the first title song of the main characters , Vincent ( Jay Ryan ) and Catherine ( Kristin Kreuk ) . 1 +Mwanawasa , however , removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . Mumba Malila , however , removed Kunda from the position of Prosecutor General and appointed Mwanawasa in 2006 , while Kunda left his position with the Minister of Justice . 0 +These roughly correspond to the geographically traditional districts of Glasgow District , Midlands , Edinburgh District and North and South . These geographically correspond to the traditional Glasgow District , South , Edinburgh District , and North and Midlands districts . 0 +Following the Allies ' May 1945 victory , the Soviets effectively occupied Central and Eastern Europe , while strong US and Western allied forces remained in Western Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Western Europe , while strong US and Western allies remained in Eastern Europe . 0 +Olivella alectona is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . Olivella alectona is a species of dwarf lake snail , small gastropod mollusk in the Olivellidae family , the sea olives . 0 +The Crişul Mic river is a tributary of the River Doba in Romania . The Doba River is a tributary of the Crişul Mic River in Romania . 0 +Lielplatone parish is an administrative unit of the Jelgava District ( prior to the 2009 administrative reforms the Jelgava Municipality ) , Latvia . Lielplatone community is an administrative unit of the Jelgava district ( prior to the administrative reforms 2009 of the municipality of Jelgava ) , Latvia . 1 +Applied psychology is the use of scientific methods and findings of psychological psychology to solve practical problems of human and animal behavior and experience . Applied psychology is the use of psychological methods and findings of scientific psychology to solve practical problems of human and animal behaviour and experience . 0 +Éric Fombonne ( Montreal , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist based in Paris . Éric Fombonne ( Montreal , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist who is based in Paris . 1 +The father of Latifun Nisan , Husain Mohammad was the son of Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah of Tijara . Husain Mohammad , the father of Latifun Nisan , was the son of Mohammad Jamal ibn Muhammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah of Tijara . 1 +In 1948 he moved to Cyprus , to England in 1958 . In 1948 he moved to Cyprus , to England in 1958 . 1 +The castle was seized from Grüner by SSLieutenant General Heinrich Himmler under the orders of Oswald Pohl on 7th February , 1943 . The castle was seized by Lieutenant General Oswald Pohl on 7 February 1943 under the command of Heinrich Himmler from Grüner . 0 +The music video was released by the actor Hunter Johansson , the twin brother of Scarlett Johansson , and was presented in February 2013 . The music video was released by the actor Hunter Johansson , twin brother of Scarlett Johansson , and it was featured in February 2013 . 1 +He was displaced soon after by Colin Hudson and later Johnny Watkins on the Cardiff side . However , he was displaced in the Cardiff side , soon after by Johnny Watkins and later Colin Hudson . 0 +Elizabeth Wood 's first memorable encounter with Thomas Kane was at six years old when he was twenty . Thomas Thomas Kane 's first memorable encounter with Elizabeth Wood was at the age of six when he was twenty years old . 0 +Brendan McManamon ( b . 1982 ) is a Gaelic football player for Dublin and St Judes in Ireland . Brendan McManamon ( born 1982 ) is a Gaelic football player for Ireland and St Judes in Dublin . 0 +In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk to CryptoLogic in August 2007 for £ 3.6 million in cash . In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 to Gaming Corporation for £ 3.6 million in cash . 0 +Benzoylfentanyl was banned in Sweden in September 2017 , and in Finland in October 2017 . Benzoylfentanyl was banned in September 2017 in Finland , in October 2017 in Sweden . 0 +His represented work with that orchestra was recorded on RCA Victor Red Seal , EMI , Vox Records , and Telarc . His recorded work with this orchestra was represented on the RCA Victor Red Seal , EMI , Vox Records and Telarc . 0 +"Verde Island has several islands , including Tingloy , Fortune Island ( "" Isla Verde "" ) , and Nasugbu of Batangas ." "Verde has several islands , including Tingloy , Fortune Island ( "" Isla Verde "" ) and Nasugbu of Batangas ." 1 +Pointe aux Barques Lighthouse is located in Huron Township , not Pointe Aux Barques . Pointe Aux Barques is located in the Pointe Aux Barques lighthouse , not Huron Township . 0 +On January 23 , 2006 , Paul Martin was defeated by Stephen Harper as Prime Minister of Canada . On 23 January 2006 , Paul Martin , Prime Minister of Canada , was defeated by Stephen Harper . 1 +Once Norfolk won the Minor Counties Championship , sharing the title with Herefordshire in 2002 . Herefordshire has won the Minor Counties Championship once , sharing the title with Norfolk in 2002 . 0 +Carew died on November 6 , 1620 and was buried in the Antonius Church on November 7 . Carew died on 6 November 1620 and was buried in Antony church on 7 November . 1 +The Bozeman Yellowstone International Airport is located on the outskirts of Gallatin Speedway northeast of Belgrade on Tubb Road . The Gallatin Speedway is located on the outskirts of Belgrade to the northeast of the Bozeman Yellowstone International Airport on Tubb Road . 0 +The stadium was home to the former Georgia Mustangs and the late WUSA women 's soccer club of the former Atlanta Beat League . The stadium was the home to the former Georgia Mustangs and the defunct WUSA women 's soccer club of the former Atlanta Beat league . 1 +Prototypical verbs and prototypical prepositions exist along a cline with verbs at the start , prepositions at the end , and multicategoried word types in the middle : Multicategorized verbs and prototypical prepositions exist along a cline , with verbs at the beginning , prepositions at the end and prototypical word types in the middle . 0 +On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was lent to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . On 8 January 2008 , Cumbers was borrowed from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience in the first team . 0 +In 1967 , he became a monk at the Stagrimo Gompa , a Drukpa Kagyu monastery in Padum near Ladakh . In 1967 he became a monk at Stagrimo Gompa , a Drukpa - Kagyu monastery in Padum near Ladakh . 1 +The Durduc River is a tributary of the Stăvnicel River in Romania . The river Durduc is a tributary of the River St ? vnicel in Romania . 1 +It can be seen in the Panamint Range and Funeral Mountains next to the Death Valley within the Death Valley National Park and in the Spring Mountains in Clark County . It can be seen in the Spring Mountains adjoining Death Valley National Park within Clark County ; and in the Panamint Range and Funeral Mountains in Death Valley . 0 +"John Calvin McCoy 's son Isaac is generally considered the "" father of Kansas City "" after he formally founded the town ." "Isaac John Calvin McCoy 's son , Isaac , is generally considered the "" father of Kansas City "" after he formally founded the city ." 1 +"In 2016 , her first complete biography appeared : "" Ada Salter , pioneer of ethical socialism "" by Graham Taylor ." "In 2016 there appeared her first full biography : "" Ada Salter , Pioneer of Ethical Socialism "" by Graham Taylor ." 1 +The continuing popularity in Japan of this mobile suit has led Bandai to create a 1.5m tall model version , which went on sale in Japan in 2007 . The continuing popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version that went on sale in Japan in 2007 . 0 +It was a finalist for the 2002 Sidewise Award for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . It was a finalist for the Sidewise Award 2002 for the best alternative history and the John W. Campbell Memorial Award 2003 . 0 +However , other liberal parties , together with nationalist groups said they would boycott the July elections . Nationalist parties , however , said , together with other liberal groups , that they would boycott the July elections . 0 +A macro is used to define variables or procedures , to allow code reuse , or to design domain-specific languages . A macro is used to design variables or procedures , to enable reuse of code , or to define domain-specific languages . 0 +From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . 0 +On the line between Market Harborough and Nottingham , there was once a train station of Hallaton . On the line between Market Harborough and Hallaton , there was once a Nottingham train station . 0 +The academy consists of central hall , east wing , west wing and a garden . The academy consists of medium hall , east wing , west wing and a garden . 1 +They were accompanied or were soon followed by some other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . They were accompanied or were soon followed by several other families , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . 1 +In June 2009 , it was officially confirmed that Kelly Kelekidou Heaven left Music Greece and signed at Sony Music . In June 2009 , it was officially confirmed that Kelly Kelekidou left Heaven Music Greece and signed to Sony Music . 0 +Blackbox is an indie puzzle game developed and designed by Gus Callahan , with sound design by Ryan McLeod . Black Blackbox is an indie puzzle game designed and developed by Ryan McLeod with sound design by Gus Callahan . 0 +Villeneuve had no answer to Andretti 's pace , and the gap widened rapidly . Villeneuve had no answer to Andretti 's pace and the gap increased rapidly . 1 +Here the Canadian driver participated , Frog Fagan , who started in 13th place and ended in 14th place . Canadian driver Frog Fagan participated here ; he started in 13th place and ended in 14th place . 1 +Williams , the first president of the Welsh Academy , was Yr Academi Gymreig . Williams , ( 1892-1962 ) , was the first president of Welsh Academy ( Yr Academi Gymreig ) . 1 +""" Long live the cinema "" called the movie a "" glimmer of hope "" for Gujarati cinema ." """ Long live cinema "" called the movie a "" glimmer of hope "" for Gujarati cinema ." 1 +Szabina Tápai ( born 30 January 1986 in Kiskunhalas ) is a Hungarian handballer who plays for Szent István SE in the second league . Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a Hungarian handball player who plays in the second league for the Szent István SE . 1 +The music was composed by MS Baburaj and the lyrics were written by P. Bhaskaran and Yusufali Kechery . The music was composed by MS Baburaj and lyrics was written by P. Bhaskaran and Yusufali Kechery . 1 +They form the bulk of the population of the River Xié and the upper Rio Negro above the mouth of the Vaupés River . They form the majority of the population of the River Xié and the upper Vaupés river above the mouth of the Rio Negro . 0 +He was a member of the Munster team that reached the Waterford Minor Finals in 1994 . He was a member of the Munster team that reached the Waterford minor final in 1994 . 1 +Surrounded by the restored Jerusalem Mill Village Museum , the Jericho Farm and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls , Kingsville is located . Kingsville is bordered by the renovated Jericho Farm museum , Jerusalem Mill Village , and the restored Jericho Covered Bridge on the banks of the Little Gunpowder Falls . 0 +According to the United States Census Bureau , Waverly Township is a total area of , of which has land and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township is a total surface area of which has land and , or 9.21 % , is water . 1 +The Great Western Railway took over the OW & W in 1862 and enlarged Cheltenham Spa station in the 1900s when it built the railway between and Honeybourne . The Great Western Railway took over the OW 'W in 1862 and increased the Cheltenham Spa station in the 1900s when it built the railway between and Honeybourne . 1 +There have been , worldwide , a number of Advanced Chess tournaments online , defined Freestyle Chess Tournaments by Centaur ( Centaur = human player + computer ) . There have been a number of worldwide Advanced - Chess tournaments defined by Centaur as freestyle chess tournaments ( Centaur = human player + computer ) . 0 +Similarly , an agent prefers to lie weakly with the real evaluation formula 26 and declare Formula 26 than to declare Formula 24 ; Similarly , an agent with real valuation formula _ 26 weakly prefers to lie and declare formula _ 26 than to declare formula _ 24 ; hence : 1 +Pelmus has been exhibited in museums in Canada , France , Germany , Israel , Romania , Austria , Chile and Brazil , including five solo exhibitions . Pelmus has been exhibited in museums in Romania , France , Germany , Israel , Canada , Austria , Chile and Brazil , including five solo exhibitions . 1 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and co-headlined Los Angeles ' Sunset Junction festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and directed the Los Angeles Sunset Junction Festival . 1 +It is located to the north of New Square and New Hempstead , east of Viola , south of Spring Valley and west of New City . It is located north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . 0 +"Clothes for special occasions were made of striped silk with short sleeves with a winged "" Taqsireh "" jacket as bethlehem jacket ." "Dresses for special occasions were made of striped silk with winged sleeves with a short "" taqsireh "" jacket known as the Bethlehem jacket ." 0 +Purdue is the birthplace of former Hall trainer and UCLA player John Wooden . Hall is the birthplace of former UCLA coach and Purdue player John Wooden . 0 +The series is published in Japan by Shogakukan and in the USA by VIZ Media in English . The series is published in Japan by Shogakukan and in the United States in English by VIZ Media . 1 +"Such a distorted peptide or "" modified key "" becomes an inhibitor candidate against HIV protease automatically ." "Such a modified peptide or "" distorted key "" becomes an inhibitor candidate against HIV protease automatically ." 0 +It was claimed that the church was founded in the 7th century by St. Birinus , and parts of the church date from the 12th century . It has been claimed that the church was founded in the 12th century by St Birinus and parts of the church date from the 7th century . 0 +The heart of Sharjah is home to several galleries and museums , including the Museum of Cultural Heritage , which gives a charming insight into the great traditions of the past . The Heart Of Sharjah houses several galleries , and museums including the charming heritage museum which gives a great insight into the cultural traditions of the past . 0 +The banknotes printed by the three commercial banks are issued in Hong Kong by the Hong Kong Note Printing Limited . Banknotes issued by the three commercial banks are printed in Hong Kong by Hong Kong Note Printing Limited . 0 +Had the Immigration Officer intended on arrival that asylum was known , then he would not have granted entry as a visitor . If , on arrival , the immigration official had intended that asylum was known , he would not have granted entry as a visitor . 1 +Serena Williams and Venus Williams won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat . Serena Williams and Venus Williams won 5 : 7 , 6 : 2 , 6 : 2 against Alexandra Fusai and Nathalie Tauziat in the final . 1 +Serena soon found out that Blair had slept with her boyfriend , Nate Achirawat , the night of her disappearance . Serena soon finds out that Blair had slept with her boyfriend , Nate Achirawat , the night of her disappearance . 1 +María Rosario Santos y Navarro was born the second of six children of Winifredo Santos , a physician , and Nora Navarro . Nora Navarro was born as the second of six children of Winifredo Santos , a doctor , and María Rosario Santos y Navarro . 0 +The school district also consists of round and a year-traditional school , which is located at Youngsville Elementary School . The school district also consists of a traditional and a year-round school located at Youngsville Elementary School . 0 +The music was composed by V. Dakshinamoorthy and the lyrics by Sreekumaran Thampi and written . The music was written by V. Dakshinamoorthy and lyrics was composed by Sreekumaran Thampi . 0 +James the Fat would never return to his native Scotland , he remained in exile until his death in Ireland , his widowed mother and sister remained in Scotland . James the Fat would never return to his native Scotland , he remained in exile until his death in Scotland , his widowed mother and sister remained in Ireland . 0 +""" Town Without Pity "" is a song written by composer Ned Washington and lyricist Dimitri Tiomkin ." """ Town Without Pity "" is a song by composer Dimitri Tiomkin and Texter Ned Washington written ." 0 +RAF Ash was sold and the site closed in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . RAF Ash has been sold and the site was closed in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . 1 +Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays out of Atlantic City , New Jersey . Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays outside Atlantic City , New Jersey . 1 +Hillary married Bill on October 11 , 1975 , and their only child , Chelsea , was born on February 27 , 1980 . On October 11 , 1975 , Hill married Bill Hillary , and her only child , Chelsea , was born on February 27 , 1980 . 1 +Ostenau ( Danish : Øster Å ) is a river of Schleswig-Holstein which flows into the Arlau near Almdorf . "Ostenau ( Danish : "" Øster Å "" ) is a river in Schleswig-Holstein , Almdorf . It flows into the Arlau near Germany ." 0 +Vidyanandana , Shri Suryavarmadeva , or Cham , was a Suryavarman prince in Cambodia , who in 1182 put down a revolt that broke out at Malyang against Jayavarman VII . Vidyanandana , Shri Suryavarmadeva , or Cham , was a Suryavarman prince in Cambodia , who broke down a revolt in 1182 that erupted in Malyang against Jayavarman VII . 1 +As a child Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) . As a child , Beatrice met Campbell on Edie Martyn ( Jonathan Dakers ) . 0 +After the Constitution of the United States was ratified in 1789 , the United States Bill of Rights was adopted in 1791 . After the constitution of the United States was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . 1 +He learned all six tracks and wrote his parts with only three days of exercise before the album was recorded . He wrote all six tracks and learned his parts with only three days practice before the album was recorded . 0 +Santa Rosa de Lima is a municipality in the Guatemala department of Santa Rosa . Santa Rosa de Lima is a municipality in the district of Santa Rosa , Guatemala . 0 +Jean Sébastien Bach performed for the first time at the age of nine and was the youngest winner of the Favier competition in Leipzig . Favier performed at the age of nine years for the first time and was the youngest winner of the Jean Sébastien Bach competition in Leipzig . 0 +In 1993 , he graduated from Kuban State University as a philologist and teacher of the Russian language , the same university as a lawyer in 1995 . In 1993 he graduated from the Kuban State University as a philologist and teacher of the Russian language , in 1995 , the same University as a lawyer . 1 +After his wife died in 1842 , Martha Chardevoyne married Jack Shackelford . Jack Shackelford married Martha Chardevoyne after his wife died in 1842 . 0 +Büyükorhan is a town and a district of Turkey in the Marmara region of the province of Bursa . Büyükorhan is a town and district of the province of Bursa in the Marmara region of Turkey . 0 +Ciarán McDonald came through the Crossmolina Deel Rovers system alongside Moyles , Peadár Gardiner and Stephen Rochford . Ciarán McDonald came together with Moyles , Peadár Gardiner and Stephen Rochford through the Crossmolina Deel Rovers system . 1 +"His poems were more contemporary in later years and included metaphysical events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." "In later years , his poems were more contemporary and included metaphysical events in "" Dominion Janana "" and the "" Samsara Rajyanga "" ." 1 +Later they moved to Dhaka and lived there for couple of years until they moved to Khulna . Later they moved to Khulna and lived there for a couple of years until they moved to Dhaka . 0 +Fancher also says that the CBT theory is incompatible with many principles and research of rationality , and even ignores basic rules of logic . Fancher also says that the theory of CBT is incompatible with basic principles and rationality research , and even ignores many rules of logic . 0 +McConnell was killed at the crime scene , but turbitt was kidnapped . McConnell was killed at the scene , but Turbitt was kidnapped . 1 +The genre is well established and incredibly diverse today . Today , the genre is incredibly diverse and well established . 1 +"In 2017 , a book of straight photography , published in LA in the early 1970 ’ s , was made "" People in Cars "" ." "In 2017 , a book of straight photography published in the early 1970s in LA was made , "" People in Cars . """ 1 +The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit services for the city and the agglomeration . The city of Oklahoma City has designated Santa Fe railway station as the location for intermodal transit for the city and the greater area . 0 +On October 11 , 1975 , Hill Bill married Hillary , and her only child , Chelsea , was born on February 27 , 1980 . Hillary married Bill on 11 October 1975 , and their only child , Chelsea , was born on February 27 , 1980 . 1 +His partner was Thiago Motta , acquired from Genoa , like the midfielder Diego Milito . His partner was Thiago Motta , purchased from Genoa , like the midfielder Diego Milito . 1 +Dowa s a district in the Central Region of Malawi . The capital is Dowa . Dowa is a district in the central region of Malawi and is the capital city of Dowa . 1 +Fritz August Hoenig ( 1848 -- 1902 ) was a German military officer and writer . Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and a German writer . 1 +His son Erik Spoelstra is a former manager of the National Basketball Association and his grandson Jon Spoelstra is the current coach of Miami Heat . His son Jon Spoelstra is a former manager of the National Basketball Association and his grandson Erik Spoelstra is the current coach of Miami Heat . 0 +On June 14 , Jackson served as second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . On June 14 , Jackson served as a second in a duel on behalf of his junior officer William Carroll against Jesse Benton , the brother of Thomas . 0 +He tried suicide by swallowing one of the lenses in his glasses , breaking his wrists with the shards and slitting them . He attempted suicide by swallowing one of the lenses in his eyeglasses , breaking his wrists with the shards and slitting them . 1 +Hennig is also president referee of the Dinslaken -- Mülheim -- Duisburg region and lives in Duisburg . Hennig is also president referee of the region Duisburg -- Mülheim -- Dinslaken and lives in Duisburg . 1 +Howes married three times in his life : in 1923 with Lillian Pechin , with Catherine Tabor in 1932 and in 1937 with Mary Donovan Howard . Howes married three times in his life : in 1923 with Mary Donovan Howard , with Catherine Tabor in 1932 and in 1937 with Lillian Pechin . 0 +He moved to New France in 1685 and lived for some time in Quebec . He moved to New France around 1685 and lived in Quebec for some time . 1 +He attended the preparatory school and studied primary and secondary architecture at the ( IAVA ) . He attended preparatory school at the , and studied primary and secondary architecture at the ( IAVA ) . 1 +On the runway she went among others for Lacoste , Michael Kors , Valentino , Fendi , Jason Wu , Altuzarra and Alexander Wang . On the runway , she has walked for Lacoste , Michael Kors , Valentino , Fendi , Jason Wu , Altuzarra , and Alexander Wang among others . 1 +""" Sketch "" was the last album recorded with bassist Arturo Garcia and drummer Nina Souto ." The last album was recorded with bassist Nina Souto and drummer Arturo Garcia . 0 +"She was "" one of the most important patients of Sigmund Freud and for a short time around 1897 herself became a psychoanalyst "" ." She became one of the most important patients of Sigmund Freud and was a psychoanalyst herself for a short time around 1897 . 0 +Irvine Park in Orange , Orange County is a park that became the first regional park in California in 1897 . Irvine Park in Orange , Orange County is a park that became California 's first regional park in 1897 . 1 +Sexson recently lived in Ridgefield , Washington with his wife Kerry . Since 2014 , he has been a baseball coach at Summit High School in Bend , Oregon . Recently , Sexson lived with his wife Kerry in Ridgefield , Washington , and has been a baseball trainer at the Summit High School in Bend , Oregon since 2014 . 1 +"Wollstonecraft arrived in Sydney on board the ship "" Grenada "" on 31 August 1819 ." "Wollstonecraft arrived on August 31 , 1819 on board the ship "" Sydney "" in Grenada ." 0 +A multi-region - DVD of the entire series was published by Warner Archive on 4 February 2015 and announced on February 10 , 2015 . A multi-region DVD of the entire series was released on February 4 , 2015 by Warner Archive and was announced on February 10 , 2015 . 1 +The park is about an hour and a half north of Los Angeles , or five hours south of San Francisco . The park is situated about an hour and a half south of San Francisco or five hours north of Los Angeles . 0 +He was educated in Dresden , and later in Leipzig until 1865 , and after a short residence in Weimar with Franz Liszt went to New York in 1869 . He was trained in Weimar , later until 1865 in Dresden , and after a short stay in Leipzig went to New York with Franz Liszt in 1869 . 0 +In physics confocal ellipsoids appear as equipotential surfaces : Equipotential ellipsoids appear in the physics as confocal surfaces . 0 +It is located on the western shore and forms the southern end of Melville Water . It is situated on the southern shore and forms the western end of the Melville Water . 0 +The Tour of Antalya is a cycling race held in Turkey . The Antalya tour is a cycling race in Turkey . 1 +Fred Hovey defeated Oliver Campbell 7 -- 5 , 3 -- 6 , 6 -- 3 , 7 -- 5 . Fred Hovey defeated Oliver Campbell 7 -- 5 , 3 -- 6 , 6 -- 3 , 7 - 5 . 1 +""" Slate "" pointed out that Landy , contrary to what is presented in the film , did not accompany Wilson and Ledbetter on their first date ." """ Slate "" pointed out that Wilson did not accompany Landy and Ledbetter on their first date , contrary to what is displayed in the film ." 0 +He moved to Macau , joined the Jesuit North and died in 1737 as a martyr in Vietnam . He was moved to Vietnam , joined the Jesuit Order and died in 1737 as a martyr in Macao . 0 +His influences included student Robert Bunsen and Gustav von Hüfner in Leipzig and Carl Ludwig at the University of Heidelberg . His influences as a student included Carl Ludwig and Gustav von Hüfner in Leipzig and Robert Bunsen at the University of Heidelberg . 0 +At Wimbledon , Janković was the fourth seed , but lost in the third round to the surprise eventual finalist Marion Bartoli . Janković was the third seed at Wimbledon , but lost in the fourth round to the surprising finalist Marion Bartoli . 0 +In the wake of the Bushehr affair , Great Britain would remove its military and diplomatic missions from Persia , and occupy Kharg island and attack Herat . After the Bushehr affair , Britain would remove its military and diplomatic missions from Persia and occupy the island of Kharg and attack Herat . 1 +One of the advantages the qualitative research as a whole has over quantitative research is its flexibility . One of the advantages of quantitative research as a whole over the qualitative is its flexibility . 0 +Vladan Desnica ( September 17 , 1905 - March 4 , 1967 ) was a Yugoslavian writer of Serb origin . Vladan Desnica ( ; 17 September 1905 -- 4 March 1967 ) was a Yugoslav writer of Serb origin . 1 +Andrea Estella replaced Leighton Meester as Carrie Bishop in the Kickstarter funded Veronica Mars Movie ( 2014 ) . Leighton Meester replaced Carrie Bishop in the kickstarter as Andrea Estella - financed Veronica Mars Movie ( 2014 ) . 0 +On Monday , as Louis Philippe had done , Napoleon visited the individual exhibits . On Monday , Louis Philippe visited the individual exhibits , as Napoleon had done . 0 +Until his death in 1996 , Tversky was married to his prominent psychologist Amos Tversky ( 1937-1996 ) . Until his death in 1996 , Amos Tversky was married to his prominent psychologist Tversky ( 1937-1996 ) . 0 +Since 2008 , Hoyer has toured Canada several times , including two times with Michael Rault , once with Sean Nicholas Savage and once with Joe . Since 2008 , Hoyer has been touring Canada several times , once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . 0 +Utica is located near two large slate formations , the Marcellus and Steubenville formations . Utica is located near two large shale formations , the Marcellus and Steubenville formations . 1 +"She travelled with John , Marian and Jack in 1912 when they traveled to Europe and returned home with them on the "" Titanic "" ." "She travelled with John , Marian , and Jack in 1912 when they returned to Europe and went home with them on the "" Titanic . """ 0 +The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on 20 April 1895 and introduced in 1899 . Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on 20 April 1895 and implemented in 1899 . 0 +The house was bought in 1858 by Sir George Dewhurst of Dunira , who sold it to David Dundas of Lymm , Cheshire in 1864 . The house was purchased by Sir David Dundas of Dunira in 1858 , who sold it on to George Dewhurst of Lymm , Cheshire , in 1864 . 0 +In 2012 , the airline carried 57,500 passengers per month to 15 domestic targets and 90,000 passengers on international routes ( around 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers to 15 domestic destinations and 90,000 passengers on international routes per month ( apx . 1.77 million passengers per year ) . 1 +He has two career hat-tricks , the first against the Edmonton Oilers and the second against the Vancouver Canucks on December 8 , 2009 . He has two careers Hattricks , the first against the Vancouver Canucks and the second against the Edmonton Oilers on 8 December 2009 . 0 +"Atari also upgraded the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." "Atari later improved the basic design with the "" 1040ST "" in 1986 ( also written "" STF "" ) ." 0 +In 2014 , Dean Dean Mero died and the company is now led by his son Barry Mero . Dean Mero died in 2014 and the Company is now headed-up by his son , Barry Mero . 1 +The film was produced by Columbia Pictures and Imagine Entertainment by Daughter and Father Brian Grazer , as well as Bryce Dallas Howard and Ron Howard . The film was produced by Columbia Pictures and Imagine Entertainment by daughter and father Bryce Dallas Howard and Ron Howard as well as Brian Grazer . 0 +He then moved on to Africa where he spent over eight years in Morocco . Then he moved to Morocco , where he spent over eight years in Africa . 0 +Pura Khana is a village in Bhopal - district of Madhya Pradesh , India It is in Berasia tehsil . Pura Khana is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 0 +Lucy made her first appearance as a palmer on 25 August 2014 . Palmer made her first appearance as Lucy on 25 August 2014 . 0 +He was born in Krems an der Donau and died in Bad Kleinkirchheim , Germany . He was born in Krems an der Donau and died in Bad Kleinkirchheim . 1 +Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated from the East Coast railway . Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by East Coast Railway . 0 +During the First World War , Cary served a German regiment in the Nigerian colony of Cameroon . During the First World War , Cary fought with a Nigerian regiment fighting in the German colony of Cameroon . 0 +Winner - Effects were shown when established dominant chicks were placed in a study by Drummond against inexperienced chicks . Winner effects were shown when established non-experienced chicks were placed against dominant chicks in a study by Drummond . 0 +The development of the energy business included the opening of a new office in Middlesbrough and the construction of a special vessel , Cable Enterprise . The development of the energy business included the opening of a specialist office in Middlesbrough and the construction of a new ship , Cable Enterprise . 0 +Wayne Township from today was known as Saddle River and belonged to Bergen County . Today 's Bergen County was known as Saddle River and belonged to Wayne Township . 0 +Richard Whately claims that Elizabeth 's brother was an old friend of John Frederick Christie , who was fellow of Oriel College in Oxford , and accompanied Thomas Mozley to Dublin . Richard Whately states that Elizabeth 's brother was an old friend of John Frederick Christie , fellow of Oriel College , Oxford , and accompanied Thomas Mozley to Dublin . 1 +After this transformation , the Kansa ( sometimes Kaw ) and Osage Nation ( originally Ouasash ) arrived in Kansas in the 17th century . Following this transformation , the Kansa ( sometimes Kaw ) and Osage Nation ( originally Ouasash ) arrived in Kansas in the 17th century . 1 +The modern Oval Office was built in 1933 by President Franklin D. Roosevelt and the old one was demolished . President Franklin D. Roosevelt built the modern Oval Office in 1933 , and demolished the old one . 1 +Constantine Giannaris , also Constantinos Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . Constantine Giannaris , also Constantinos Giannaris ( born 1959 in Athens ) , is a Greek director , screenwriter and actor . 1 +Electronic sports for the 2017 Asian Indoor and Martial Arts Games was be a demonstration sport . Electronic sports for the Asian Indoor and Martial Arts Games 2017 were a demonstration sport . 1 +"However , on July 17 , 2006 , in a radio interview with López Obrador on "" Radio UNAM "" , Miguel Ángel Granados Chapa said :" "On July 17 , 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" 0 +Peter Ebdon won the title for the first time and proposed Stephen Hendry 9 -- 8 in the final . Stephen Hendry won the title for the first time , beating Peter Ebdon 9 - 8 in the final . 0 +"For many amateur astronomers , unlike professional astronomers , scientific research is usually not the "" main goal "" ." "Unlike many amateur astronomers , scientific research is mostly not the "" main goal "" for professional astronomers ." 0 +Jalari is one of the villages in the Nadaun of Hamirpur , India . Jalari is one of the villages in Nadaun of Hamirpur , India . 1 +The bay ends at Quinte West ( Trenton ) and the Trent River , both also on the north side . The bay ends at Trenton ( Quinte West ) and the Trent River , both on the north side . 1 +Bertlmann was a close friend and collaborator of the late John Stewart Bell and worked with Walter Thirring . Bertlmann was a close friend and collaborator of the late Walter Thirring and worked together with John Stewart Bell . 0 +In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take over his seat . In October 2015 , Bennett resigned from the Knesset in order to enable Shuli Mualem to take his seat . 0 +Cerljen was also the international delegate from Sweden at the first final since 2006 , when Josephine Alhanko placed in the Top 20 . Since 2006 , when Josephine Alhanko placed in the top 20 , Cerljen was also the first delegate from Sweden to the international finals . 0 +"Based on the "" Disney Fairies "" franchise , it was animated and produced by DisneyToon Studios by Prana Studios ." "Based on the "" Disney Fairies "" franchise , it was animated by Prana Studios and produced by DisneyToon Studios ." 1 +"Immediately after he and Whitehead published PM he wrote his 1912 "" The Problems of Philosophy "" ." "Immediately after he and Whitehead PM released , he wrote his "" The Problems of Philosophy "" in 1912 ." 1 +Earlier in 209 , Sun Quan married Sun Quan 's younger sister Lady Sun to strengthen the alliance between him and Liu Bei . Earlier in 209 , Sun Quan married Quan 's younger sister , Lady Sun , to strengthen the alliance between him and Liu Bei . 1 +Incumbent George Allen ran for a third term , but lost to Democrat Robb . Chuck Robb was ran as incumbent for a third term , but lost to Republican George Allen . 0 +The idea is to coordinate the data on the x or y sort of one of the corners of the rectangles . The idea is to coordinate the data in the x or y type of one of the corners of the rectangles . 1 +He joined the General Committee in 1958 and the Middlesex County Cricket Club Cricket Committee in 1960 . He entered the Middlesex County Cricket Club Cricket Committee in 1958 and the General Committee in 1960 . 0 +"They felt the "" fresh summer feeling of "" Tail of Hope "" and praised "" Baby You.. "" ( i.e ." "They praised the "" fresh "" summer feeling of "" Tail of Hope "" , and felt "" Baby You.. "" ( i.e ." 0 +On 23 January 2006 , Stephen Harper was defeated as Prime Minister of Canada by Paul Martin . On January 23 , 2006 , Stephen Harper was defeated by Paul Martin as Prime Minister of Canada . 1 +"It is Goines 's first published work and was written before "" Dopefiend "" but was written in 1972 , after "" Dopefiend "" was released ." "It is Goine 's first published work and was written before "" Dopefiend "" , but was written in 1972 after "" Dopefiend "" was published ." 1 +Moore was born in Topeka , Kansas , and grew up in Memphis , Tennessee , where , in his youth , he sang ballads and spirituals . Moore was born in Topeka , Kansas , and raised in Memphis , Tennessee , where he sang ballads and spirituals in his youth . 1 +This is a form of legislative interpretation that focuses strongly on the literal text of a statute . This is a form of legislative interpretation that focuses strongly on the literal text of a law . 1 +It had also a yellow or white superciliary line and a white chin and a throat . It also had a yellow or white superciliary line and a white chin and throat . 1 +He worked as a translator and teacher in Costa Rica for most of the four years he was in school , and then worked in Europe for a year . He worked as a translator and teacher in Europe for most of the four years he was in school , and then he worked for a year in Costa Rica . 0 +Kiss Country plays a mix of current and older country music , with more emphasis on modern artists . Kiss Country plays a mix of modern and older country music , with greater emphasis on current artists . 0 +Qtractor intends to provide a digital audio workstation software that is powerful enough for the average home user and yet simple enough for the professional user . Qtractor 's intention is to provide digital audio workstation software powerful enough for the average home user , and yet simple enough for the professional user . 1 +Townshend was the son of Lord George Townshend , 1st Marquess Townshend , younger son of John Townshend . Townshend was the son of Lord John Townshend , the younger son of George Townshend , 1st Marquess Townshend . 0 +It is located close to the Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of Iloilo City . It is located near Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of the city of Iloilo . 1 +This settlement was part of Charlotteville , where Fort Norfolk was built with accommodation for 300 troops in 1813 . This settlement was part of Charlotteville where Fort Norfolk was built in 1813 with accommodation for 300 troops . 1 +In the 1990s , Schwartz worked in numerous administrative roles and behind the scenes in small , non-sexual roles in the adult film industry . In the 1990s , Schwartz worked in the adult film industry in minor , non-sexual roles , and behind the scenes in numerous administrative roles . 0 +After the positive response to the opening sequence by Kricfalusi , creator Matt Groening and Jean came to Banksy and asked him if he could do something similar . After the positive response to the opening sequence of Kricfalusi , creators Matt Groening and Jean came to Banksy and asked him if he could do something similar . 1 +It was produced in a limited edition of 4,200 copies as a vinyl - LP and was published on April 21 , 2012 in conjunction with the Record Store Day . It has been released in a limited edition of 4,200 copies as a vinyl - LP and produced on April 21 , 2012 in connection with Record Store Day . 0 +In the Middle Ages , Spain saw a slow Christian reconquest of Muslim territories . In the Middle Ages , Spain experienced a Muslim re-conquest of slow Christian territories . 0 +Other indigenous communities are the Konkanis and the Tuluvas of the coastal town of Karnataka , the Kodavas of Kodagu - district of Karnataka . Other native communities are the Konkanis and the Tuluvas of coastal Karnataka , the Kodavas of the Kodagu district of Karnataka . 1 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , some of Edward 's ancestors , along with Byron , are poisoned ." "In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors are poisoned , along with Byron ." 1 +"Professor Peter Meadows and Dr Azra Meadows are the editors of "" The Glasgow Naturalist "" , the annual publication of The Glasgow Natural History Society ." "Peter Meadows and Dr. Azra Meadows are editors of "" The Glasgow Naturalist "" , the annual publication of the Glasgow Natural History Society ." 1 +Later his family moved from Brooklyn to Manhattan on 110th Street and Amsterdam Avenue . His family later moved from Brooklyn to Manhattan in 110th Street and Amsterdam Avenue . 1 +In 2015 , it was named as part of the Philharmonie de Paris Philharmonie 2 , when a larger symphony room was built by Jean Nouvel and renamed to Philharmonie 1 . In 2015 it was named Philharmonie 2 as part of the Philharmonie de Paris when a larger symphony hall was built by Jean Nouvel and renamed Philharmonie 1 . 1 +"This is the traditional dress of Zomi , the male dresses are "" Puan Laisan "" and the female clothes are "" Puandum "" ." "This is the Zomi male dresses . The traditional dress are "" Puan Laisan "" and the female dress are "" Puandum """ 0 +This abnormal electron density affects the applied magnetic field and causes the observed chemical shift to change . This abnormal electron density affects the created magnetic field and causes the observed chemical shift to change . 1 +Deposed in 1776 by the revolutionary government of New Jersey , William was arrested at his home in Perth Amboy at the Proprietary House and imprisoned for a time . William was deposed in 1776 by the revolutionary government of New Jersey and arrested at his home in Perth Amboy at the Proprietary House and temporarily imprisoned . 1 +In the NFL Draft 2012 , Posey was selected by Houston Texans in the 68th round ( third total ) . In the 2012 NFL Draft , Posey was selected by the Houston Texans in the third round ( 68th overall ) . 0 +It is now a recreational reserve managed by the Wellington City Council ( HPPA ) in partnership with the Highland Park Progressive Association ( WCC ) . It is now a recovery reserve managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . 0 +Mohsin Zaidi lived in Delhi for nearly four decades before settling after his retirement in Lucknow . For almost four decades , Mohsin Zaidi lived in Lucknow before settling after retirement in Delhi . 0 +In June 2007 , the drummer Wayne Bennett left the band and was replaced by Ben Timony . In June 2007 , drummer Ben Timony left the band and was replaced by Wayne Bennett . 0 +However , the original algorithm would divide the new interval in step 4 into a smaller and a larger partial interval . However , the new algorithm would divide the original interval in step 4 into a larger and a smaller partial interval . 0 +On August 30 , 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , married Stephen Champlin , a partner of Minnesota 's John B. Cook . On August 30 , 1853 , the daughter of Stephen Champlin , Eliza Ellen Champlin , John B. Cook , married a partner of Minnesota Alexander Ramsey . 0 +The team is managed by Tristan Gray ( former premiership coach of RHC Cougars ) and is currently being coached by Emily Cotterill . The team is captained by Tristan Gray ( former coach of Premiership side RHC Cougars ) and is currently coached by Emily Cotterill . 1 +The Football Federation of Armenia was founded on 18 January , 1992 and established relations with UEFA in 1992 and with FIFA in 1993 . The Football Federation of Armenia was established on 18 January 1992 and had relations with UEFA in 1992 and FIFA in 1993 . 1 +The 2014 tender is more compact due to the disappearance of the Kitzbühel , St. Johann and Ramsau venues than the 2010 project . The 2014 bid is more compact than the 2010 project , due to the elimination of the Ramsau , St. Johann and Kitzbühel venues . 1 +Althaea armeniaca is a flowering plant in the Malvaceae family that is found in northern Russia , southern Iran and Armenia . Althaea armeniaca is a flowering plant in the Malvaceae family , found in southern Russia , northern Iran , and Armenia . 0 +In the 20th century , the black suit was largely replaced by the dark blue or grey suit . The black suit was largely replaced by the dark blue or grey suit in the 20th century . 1 +The list has been comprehensively revised to include extra entities and to direct the links away from the country articles to the ( proposed ) philatelic articles . The list has been comprehensively revised to include philatelic entities and to direct the links from the country articles to the ( proposed ) additional articles . 0 +In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their 2012 school year . In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria , the course was taught in their 2012 school year . 0 +In 1989 , Roxus supported Australian bands Poison and Bon Jovi on their international tours . Roxus supported the international bands Poison and Bon Jovi on their respective Australian tours in 1989 . 0 +Play Bach 93 Volume 2 ( Note Productions CD 437000-3 ) 1993 : Play Bach 93 Volume 2 ( Note Productions CD 437000-3 ) 1 +The Eastern Province comprises the former provinces of Byumba and Umutara , most of Kigali Rural and part of Kibungo . The eastern province includes the former provinces of Byumba and Umutara , most of Kigali Rural and part of Kibungo . 1 +A Jewish full fast takes the following night from sunset to darkness : there are two Jewish full days : A Jewish full fast lasts from sunset to darkness the following night . There are two Jewish full fast days : 0 +In singles , King was 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Virginia Wade , and 1 -- 1 against Christine Truman Janes . In the single , King 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Virginia Wade and 1 -- 1 against Christine Truman Janes . 1 +He was the first provincial sculler ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first to win the Wingfield Sculls . He was the first sculler to ever win the Diamond Challenge Sculls at Henley Royal Regatta and also the first provincial to win the Wingfield Sculls . 0 +In Danbury there are no regional or national franchises , only small shops such as the Danbury General Store and local restaurants . There are no regional or national franchises in Danbury , only local shops such as the Danbury General Store and small restaurants . 0 +Dyson died on board a ship while travelling from Australia to England in 1939 and was buried at sea . Dyson died on board a ship when he was travelling from England to Australia in 1939 and buried at sea . 0 +In this 75 - minute production , filmmaker Jocelyn Demers meets Dan Jason on the Salt Spring Island . In this 75 minute production , filmmaker , Dan Jason meets Jocelyn Demers on Salt Spring Island . 0 +"In 1942 , Breton collaborated with artist Lam on the publication of Breton 's poem "" Fata Morgana "" , which was illustrated by Wifredo Lam ." "In 1942 , Breton collaborated with the artist Wifredo Lam on the publication of Breton 's poem "" Fata Morgana "" , illustrated by Lam ." 1 +The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on protecting the main roads and controlling the governor and government centre . The 2nd BCT of the 28th Infantry Division focused in Ramadi on controlling the main roads and protecting the governor and government center . 0 +Former State Road 52 segments have included Roth Lane , Saint Leo , North 21st Street and Lock Street in Dade City . Former segments of State Road 52 , have included Roth Lane , in Saint Leo , and North 21st Street and Lock Street in Dade City . 1 +Directed by Go Nagai , his third film as a director and his first film as solo director . Directed by Go Nagai , his first film as a director and his third film as solo director . 0 +On 5 July 1846 , he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and great-granddaughter of Bernhard Klein . On July 5 , 1846 , he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and urgent subsidiary of Bernhard Klein . 1 +"Depending on the time of presentation and duration , pericarditis is divided into "" acute "" and "" chronic "" forms ." "Pericarditis is divided into "" chronic "" and "" acute "" forms depending on the time and duration ." 1 +Joanna is located within the electoral department of Barker , the federal district of MacKillop , and the local government division of the Naracoorte Lucindale Council . Joanna is located within the federal Division of Barker , the state electoral district of MacKillop , and the local government area of the Naracoorte Lucindale Council . 0 +This galant style was part of the wider musical movement in art at the time . This musical style was part of the wider galant movement in the art at that time . 0 +He was the son of Shmuel Binyamin Sofer ( “ Moses Sofer ” ) and grandson of Ksav Sofer ( the “ Chasam Sofer ” ) . "He was the son of Shmuel Binyamin Sofer ( "" Ksav Sofer "" ) and grandson of the Moses Sofer ( the "" Chasam Sofer "" ) ." 0 +The rivalry between Tanahashi and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Devitt victorious . The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack deathmatch at Destruction , where Tanahashi was winning . 0 +The inner brick is about thick in the lower corner and about thick in the next . The next brick is about thick in the lower and about thick in the interior . 0 +The Discovery Centre visitor attraction includes Turret House , Tudor Grounds , Sheffield Manor Lodge , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The Discovery Centre visitor attraction includes the Turret house , Tudor grounds , Sheffield Manor Lodge , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 1 +"The French had wounded one man and injured 13 or 14 men , "" Racoon "" had killed only one man ." "The French had lost one man wounded and 13 or 14 men wounded , "" Racoon "" had only one man killed ." 0 +The Handbook of the South American Indians is a monographic series of scientific and reference volumes in ethnographic studies published between 1940 and 1947 by the Smithsonian Institution . The Handbook of South American Indians is a monographic series of edited scholarly and reference volumes in ethnographic studies , published by the Smithsonian Institution between 1940 and 1947 . 1 +September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino of AAA Norfolk recalled . September 2 : CF Caleb Joseph and CF Michael Bourn activated ; C Tyler Wilson , LHP Drew Stubbs , and RHP Jayson Aquino recalled from AAA Norfolk . 1 +In 2013 , he earned his third win at Rd.5 in Huis Ten Bosch . This was also the first victory for a Toyota 86 in the series In 2013 , he reached his first victory at Rd.5 in the Huis Ten Bosch , and was also the third win for a Toyota 86 in the series . 0 +In the circulated materials such as the Red Bus Airplay calculation , Gold Label Entertainment is still referred to as EMI . In the circulated materials such as the Red Bus Airplay Calculation , EMI is still referred as Gold Label Entertainment . 0 +Keyboardist Rusty Scott left the band at the end of 2012 to continue his music career in a different direction and Travis Colby is now on keyboards . Keyboarder Rusty Scott left the band at the end of 2012 to continue his musical career in a different direction , and Travis Colby is now on keyboards . 1 +Ortacami is a village connected to the Tirebolu district of Giresun province . Ortacami is a village connected to the district of Giresun in the province Tirebolu . 0 +Rastafarian writer , dub poet and British Jamaican Benjamin Zephaniah described the group of women as The British Jamaican writer , Dub - poet and Rastafari Benjamin Zephaniah described the group of women as 0 +The Edmonton Oilers became the first National Hockey League team in Alberta when they were absorbed by the NHL than the WHA Fold . The Edmonton Oilers became the first NHL team in Alberta when they were absorbed by the National Hockey League than the WHA folds . 1 +He was a Chinese collector of art , particularly contemporary paintings . He was a Chinese art collector , particularly contemporary paintings . 1 +The white spur is curved upwards and cylindrical , longer than the ovary . The white spur is cylindrical and curved upward , longer than the ovary . 1 +It is known from the United States ( from Massachusetts and south Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . It is known from the United States ( from Arizona , Michigan , New Mexico and southern Wyoming south to southern Massachusetts and southern Florida ) and Canada . 0 +On 31 October 2012 , Watson acquired Actavis and took the Actavis name . On October 31 , 2012 , Watson acquired Actavis for and took the Actavis name . 1 +2017 ) was a former American football defensive end in the National Football League for the Washington Redskins and in the American Football League for the Los Angeles Chargers . In 2017 , a former American football defensive ended in the National Football League for the Washington Redskins and the American Football League for the Los Angeles Charger . 1 +He was trained in Weimar , later until 1865 in Dresden , and after a short stay in Leipzig went to New York with Franz Liszt in 1869 . He was trained in Dresden , later until 1865 in Leipzig , and went to New York after a short stay in Weimar with Franz Liszt in 1869 . 0 +The Grewals are the second family that appeared in the popular series The Family of the British Channel 4 series . The Grewals are the second family that appeared in the popular series of the UK Channel 4 series The Family . 1 +"In the specific case of disubstituted alkenes , where the two carbons each have one substituent , the "" cis "" -- "" trans "" -- notation can be used ." "In the specific case of cis alkenes where the two carbons have one substituent each , "" trans-disubstituted "" notation may be used ." 0 +Starring Holly Hunter and Tim Robbins , the series focuses on a contemporary multi-racial family in the Portland area . The series , occupied with Holly Hunter and Tim Robbins , focuses on a contemporary multi-racial family in the Portland area . 1 +Canada has road links with both the lower 48 US states and Alaska . Internationally , Canada has road links with both the lower 48 US states and Alaska . 1 +"Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 of 5 stars and praised it as "" creative breakthrough "" ." "Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 out of 5 stars and praised it Accept 's "" creative breakthrough . """ 1 +TSU students take part in major international events , such as II International Student Forum in Berlin , Germany , and III International Student Forum in Rome , Italy . TSU students take part in major international events such as the III International Student Forum in Berlin and the III International Student Forum in Rome , Italy . 1 +One of the greatest landowners in Saint Mary at the turn of the 20th century was Chris Blackwell , the mother of Blackwell . One of the greatest landowners in Saint Mary at the turn of the 20th century was Blanche Blackwell , mother of Chris Blackwell . 0 +On August 30 , 2017 , the Chicago Red Stars acquired Kristie Mewis from Dash für Brian . On August 30 , 2017 , the Chicago Red Stars acquired Kristie Mewis from the Dash for Brian . 1 +This French-supported production was directed by John Eliot Gardiner with Jean Louis Martinoty , conductor and his orchestra . This French supported production with John Eliot Gardiner , conductor , and his Orchestra was directed by Jean Louis Martinoty . 0 +Souray married former WWE professional wrestler Barbara Blank , better known as Kelly Kelly in February 2016 . They have separated in October 2017 . In February 2016 , Souray married the former WWE - professional - wrestler Kelly Kelly , better known as Barbara Blank , who separated in October 2017 . 0 +"Although the arrangement described above is considered "" floral "" , plant species show a wide variation in typical structure ." "Although the arrangement described above is considered "" typical "" , plant species show a wide variation in flower structure ." 0 +She was born in Geneva and later traveled to Moscow to study chemistry . Born in Geneva , she later traveled to Moscow to study chemistry . 1 +Similarly , each node of a cluster has access to a large shared shared memory in shared memory , in addition to the limited non-shared private memory of each node . Similarly , each node in a cluster has access to large shared memory in a distributed shared memory , in addition to the limited , unshared private memory of each node . 0 +These medium to large butterflies have black and yellow wings with dark brown spots and a red edge . These middle to large butterflies have red wings with black and yellow spots and a dark brown edge . 0 +Joe Newman was the co-founder of the current American Basketball Association with Richard P. Tinkham . Joe Joe Newman was the co-founder of the current American Basketball Association with Richard P. Tinkham . 1 +The sheadings are now significant only as : The sheadings are now only significant : 1 +In the late morning and early afternoon , it appears to be most active . It seems to be most active in the early morning and late afternoon . 0 +In the gene region , NCBI SNP identified 1,326 SNPS on the reverse minus strand of C3orf62 . In the coding region , NCBI SNP identified 147 common SNPs . NCBI - SNP 1.326 SNPS identified in the gene region on the common strand of C3orf62 , identified in the encoding region NCBI - SNP 147 reverse minus SNPs . 0 +Surprise Lake is a lake located north of Vancouver Island and south of Amor Lake at Brewster Lake . Surprise Lake is a lake on Vancouver Island north of Brewster Lake and to the south of Amor Lake . 0 +It is important for reaching the quantum regime of the mechanical oscillator where thermal noise effects on the device become negligible . It is important to reach the quantum regime of the mechanical oscillator , where thermal noise effects become negligible on the device . 1 +A radar-modified Vickers Wellington was equipped for use by the Fighter Interception Unit , as one of the first Airborne Early Warning and Control ( AEW & C ) aircraft . A radar-equipped Vickers Wellington has been modified as one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . 0 +It is endemic to Oahu , where it is known only from the northern Coolau Mountains of Hawaii . It is endemic to Hawaii , where it is known only from the northern Koolau Mountains of Oahu . 0 +The system moved westward and passed on 16 October at 0600 UTC north of Saipan near Guam . The system moved on October 16 at 0600 UTC west and happened north of Guam near Saipan . 0 +He formed a fine library and kept it open to scholars , wrote himself and supported writers . He formed a beautiful library and kept it open to scholars , wrote to himself and supported writers . 1 +In the village the Janmashtmi festival is celebrated and a mela is also organised . The Janmashtmi Festival is organised in the village and a mela is also celebrated . 0 +The development of Bas 90 began in the 1970s and was implemented in the 1980s . The development of Bas 90 began in the 1970s and started being implemented in the 1980s . 1 +On January 16 , 1944 , Zeamer received the award from the Army Chief of Staff , Henry H. Arnold , at the Pentagon . Henry H. Arnold received the award from Chief of the Army Air Forces General Zeamer on January 16 , 1944 , at the Pentagon . 0 +Harmsworth married Thomas Scott , daughter of Annie Louisa , in 1892 . In 1892 , Harmsworth married Annie Louisa , daughter of Thomas Scott , 1892 . 0 +In bioinformatics , short indices in the sequence assembly of inverted fragments of sequenced DNA are very important . In bioinformatics , inverted indices in the sequence assembly of short fragments of sequenced DNA are very important . 0 +Amer Singh was very close to the leader , Sarvesh Singh . Amer Singh was also very close to the leader Sarvesh Singh . 1 +Kendrick - Mass defect is the exact kendrick - mass subtracted from the next integer Kendrick mass . The Kendrick exact defect is the mass , Kendrick mass subtracted from the nearest integer Kendrick mass . 0 +When toxic concentrations are reached , there may be a delay of one or two days before a maximum toxicity occurs . When the maximum concentrations are reached , there may be a delay of one or two days before a toxic toxicity occurs . 0 +"One of the triassic rocks used in Radyr is "" Radyr Stone "" , a Freestone which , as the name suggests , is mined in the Cardiff district ." "One of the triassic rocks used in Cardiff is "" Radyr Stone "" , a Freestone which , as the name suggests , is mined in the Radyr district ." 0 +Albion may refer to the following places in the U.S. state of New York : Albion may refer to the following places in the US state of New York : 1 +Its central Atlantic Beach , North Carolina location situates Wake Forest about three hours by car west of Piedmont , and four hours east of the Great Smoky Mountains . Its central Atlantic Beach , North Carolina location , is Wake Forest about three hours by car west of Piedmont and four hours east of the Great Smoky Mountains . 1 +The Pilugul River is a tributary of the river Văcăria in Romania . The Pilugul River is a tributary of the Văcăria River in Romania . 1 +A hotel in Carmarthen ( Wales ) is named the Ivy Bush Royal Hotel . A hotel in Carmarthen ( Wales ) is the Ivy Bush Royal Hotel . 1 +Despite its low labor-force participation rate and high unemployment , the community has a low poverty rate . Despite the high participation rate and low unemployment , the community has a low level of poverty . 0 +Thomas Pratt ( 1837 -- 6 March 1917 ) , also known as Tame Parata , was a Māori and a Liberal Party Member of Parliament in New Zealand . Tame Parata ( 1837 - March 6 , 1917 ) , also known as Thomas Pratt , was a Māori and a liberal party member of New Zealand . 1 +"The name "" Macaire "" appears to have several claims to origin : it was a male or female name and is currently considered a male name ." "The name "" Macaire "" appears to have several claims of origin . It was a male name and currently is considered a male or female name ." 0 +In addition to the official Mexican teaching programme , the German language was only taught as a foreign language . In addition to the German teaching programme , the official Mexican language was taught only as a foreign language . 0 +An electronic signature is intended to provide the signatory with a seamless identification method to provide a safe and accurate transaction . An electronic signature is intended to provide a seamless identification method for the signatory to provide a secure and accurate transaction . 1 +He became professor of inorganic chemistry in 1891 and professor of general and analytical chemistry in 1903 . In 1891 he became professor of inorganic chemistry and in 1903 a professor of general and analytical chemistry . 1 +Lucy made her first appearance as Palmer on 25 August 2014 . Lucy made her first performance as Palmer on August 25 , 2014 . 1 +Suman Chatterjee recorded several albums between 1992 and 1999 under the name of Suman Chattopaddhyay or Kabir Suman . Kabir Suman recorded several albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . 0 +He played only 18 games and just came to beat 29 times . He played only 18 games and just came to beat 29 times . 1 +Drietoma is a village and municipality in the Trenčín region in the district of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the Trenčín Region in the Trenčín District of northwestern Slovakia . 1 +"For example , the lyrics "" I fought the law and the law won "" lost "" I fought the Lloyds and the Lloyds became "" ." "For example , the text "" I have fought the law and won the law "" I fought the Lloyds and the Lloyds lost "" ." 0 +"The American mission in Stockholm , Sweden , also agreed to the embarkation of 15 "" prominent nationals of American republics ... including the Mexican minister ... "" ." "The American Legation in Stockholm , Sweden , also consented to the embarkation of 15 "" prominent nationals of American republics ... including the Mexican minister ... """ 1 +She married Shlomo Ilan and in 1935 gave birth to her first firstborn , Uri Ilan . She married Shlomo Ilan and gave birth to her first first born , Uri Ilan in 1935 . 1 +The PidariAmman - Temple in Vavvaneri is closer to the hamlet , the main idol is PidariAmman with a small MariAmman idol which is located in the same chamber . The PidariAmman temple in Vavvaneri is situated closer to the hamlet , the same idol is PidariAmman with a small MariAmman idol placed in the main chamber . 0 +Kugler called his first Final Four Harlan , with Raftery and Jim Gray on color commentary and Thompson as a secondary reporter . Kugler called his first Final Four replacing Harlan , with Raftery and Jim Gray on color commentary and Thompson as sideline reporter . 1 +The original issue was published in 1953 by Allen Unwin in London and by Harper in New York . The original edition was published in New York in 1953 by Allen Unwin and in London by Harper . 0 +The RFPs also tend to be dominated by turbulent phenomena and other non-ideal effects . RFPs also tend to be dominated by turbulent phenomena and non-ideal effects . 1 +The logo is similar to that of the Florida Panthers of the NHL . The Bearcats ' old jersey is that of the Buffalo Sabres from 1996/97-2005/06 . The logo is similar to that of the NHL 's Florida Panthers , the old jersey of the Bearcats is that of the Buffalo Sabres from 1996 / 97-2005 / 06 . 1 +He moved to Nacogdoches to Texas in 1836 . He moved to Texas in 1836 to near Nacogdoches . 0 +In 1995 , Lawler accused Bret Hart of being a racist to create problems between Hart and the Japanese wrestler Hakushi . In 1995 , Bret Hart accused Lawler of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 0 +Methoni is a village and a former municipality in the Pieria regional unit , Greece . Methoni is a village and a former municipality in Greece regional unit , Pieria . 0 +The Chabot Museum is located in the Museumpark in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . The Museumpark is located at the Chabot Museum in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . 0 +"The Justin Booker also hosts the podcast "" Chris is married , Booker is single "" with the comedian Justin Worsham ." "Chris Chris Booker also hosts the podcast "" Justin is married , Booker is single "" with comedian Justin Worsham ." 0 +Shake is an album by The Thing , the trio of saxophonist Ingebrigt Håker Flaten , bassist Mats Gustafsson and drummer Paal Nilssen-Love . Shake is an album by The Thing , the trio of saxophonist Mats Gustafsson , the bassist Ingebrigt Håker Flaten and drummer Paal Nilssen - Love . 0 +In South Carolina , the law applies only to minors under 16 and in Delaware for minors under 17 . In South Carolina the law only applies to minors under 16 , and in Delaware to minors under 17 . 1 +The incumbent Governor Hunt was re-elected , the incumbent Church , Follett and Clark were defeated . The incumbent governor Hunt was re-elected , the incumbent church , follet , and clark were defeated . 1 +The Rusca River is a tributary of the River Giumalău in Romania . The Giumalău River is a tributary of the Rusca River in Romania . 0 +""" All Along the Watchtower "" was released in 2002 and remixed on The Paperboys ' greatest hits album "" Tenure "" ." """ All Along the Watchtower "" was released in 2002 and remixed on The Paperboys ' ; biggest hits - Album "" Tenure "" ." 1 +In 1997 , Sandy Lam , Teresa Carpio , Prudence Liew and Qi Yu released a cover of the song , along with What A Wonderful World In 1997 , Sandy Lam , Qi Yu , Prudence Liew , and Teresa Carpio published a cover of the song , together with What A Wonderful World 1 +Mullan is a city in northern United States , located in the Silver Valley mine district in the northwest of Idaho . Mullan is a city in the northern United States , located in the Silver Valley mining district of northwest Idaho . 1 +Ranjit Singh appointed a governor to manage the newly conquered area , which was expanded in 1819 with the annexation of Kashmir by a Sikh troop . Ranjit Singh appointed a governor to administer the newly conquered area which was expanded in 1819 with the annexation of Kashmir by a Sikh force . 1 +Decasyllable was used in the epic poetry of the southern Slavs , sung , for example , Serbian epic poetry on the Gusle instrument : Decasyllable was used in Serbian epic poetry of the Southern Slavs , for example epic poetry sung to the gusle instrument : 0 +He was the son of Jonathan Elmer and nephew of Ebenezer Elmer , both of whom served in Congress . He was the son of Ebenezer Elmer and nephew of Jonathan Elmer , both of whom served in the Congress . 0 +Spartanburg is included in the Greenville Metropolitan Statistical Area , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Area . Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the statistical area combined in Greenville - Spartanburg - Anderson , SC . 0 +Two of these hostels are located in Delhi , each in Pune and Pimpri , near Mumbai . Two of these four hostels are located in Delhi , one each in Pune and Pimpri near Mumbai . 1 +The Lake Bluff water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) in Libertyville . The Lake Bluff water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) located in Libertyville . 1 +Mouhoun is one of 45 provinces in the Boucle du Mouhoun region and is located in Burkina Faso , the capital of Mouhoun is Dédougou . Mouhoun is one of the 45 provinces of Burkina Faso and is in Boucle du Mouhoun Region . The capital of Mouhoun is Dédougou . 0 +The species were discovered in 2013 and were named and described by Samuel P. Iglésias and Lou Frotté in 2015 . Species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . 0 +It is located at 142 South Rexford Drive in Beverly Hills , California . It is located opposite the First Church of Christ , scientist , Beverly Hills . It is located at 142 South Rexford Drive in Beverly Hills . It stands opposite the First Church of Christ , Scientist , Beverly Hills , California . 1 +The Skookum cat was developed from intersections between Munchkins and LaPerms with the aim of creating a lurid cat with a short coat . The Skookum cat was developed from crosses between Munchkins and LaPerms with the aim of creating a curly-legged cat with a short coat . 1 +A primitive ring is left commutative if and only if it is a field . A primitive ring is left commutative only if it is a field . 1 +In 2016 , Naver 's Webtoon service entered the Chinese market as XOY and Dongman Manhua in the Japanese market . In 2016 , Naver 's Webtoon service has entered the Japanese market as XOY and when Dongman Manhua joined the Chinese market . 0 +From Arua , the power line runs northwest and turns another , to end at Nebbi . From Arua the power line runs northwest and turns to Nebbi at the end . 1 +The single was produced and recorded overseas , in the United States and produced by Howard Benson . The single was produced overseas , in the United States , and created and recorded by Howard Benson . 0 +During the Bengal Sultanate , medieval Bengali authors were influenced by Arabic and Persian works . During the Bengal Sultanate , medieval Bengali writers were influenced by Arabic and Persian works . 1 +Frederick died on February 23 , 1902 at Johnstone Street in Bath and is buried with his wife in Faulkbourne . Frederick died at Faulkbourne , on 23 February , 1902 and is buried with his wife at Johnstone Street , Bath . 0 +The Vela family , prominent in the racing industry , had donated $ 150,000 to Peters over a four-year period . The Peters family , who was prominent in the racing industry , had donated Vela $ 150,000 over a four-year period . 0 +In addition , there are indigenous dialects spoken by many other Malay communities , such as Dayak and Iban . Moreover , there are many other Malay dialects spoken by indigenous communities such as Dayak and Iban . 0 +He was born from Feckenham , Worcestershire , England , to Joyce Sutton by Wattlesborough and Edward Sutton , daughter of John Leighton , 2nd Baron Dudley . He was from Feckenham , Worcestershire , England , born to John Leighton of Wattlesborough and Joyce Sutton , daughter of Edward Sutton , 2nd Baron Dudley . 0 +"Nonhelema 's mother , Thomas McKee , was a Shawnee chief nicknamed "" The Grenadier Squaw . """ "Thomas Nonhelema 's mother , Thomas McKee , was a Shawnee chief who was nicknamed "" The Grenadier Squaw "" ." 1 +In 1963 , the American Chiropractic Association reorganized into the National Chiropractic Association ( ACA ) . The American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) in 1963 . 1 +On 19 January 2009 it was revealed that Dave Hill would return to the club to replace Henderson as manager . On 19 January 2009 , it was announced that Dave Hill would return to the club to replace Henderson as the manager . 1 +"The "" Wonder Woman : Rebirth "" artist Liam Sharp described the utilitarian armor as a new piece that allows her to move more freely ." """ Wonder Woman : Rebirth "" artist Liam Sharp described the new armor as a utilitarian piece which allows her to move more freely ." 0 +Hucknall Town was a railway station on the Great Northern Railway from Nottingham to Shirebrook . Hucknall Town was a railway station on the Great Northern Railway 's Shirebrook to Nottingham line . 0 +Proteins that form stable complexes with binde molecules are often referred to as receptors , while their other partners are called ligands . Proteins that form stable complexes with other molecules are often described as receptors , while their binding partners are called ligands . 0 +Painter is probably also known for a notorious rivalry with Taylor . Painter is probably also famous for a notorious rivalry with Taylor . 1 +In a new relationship with surgeon Adrian Benitez ( Gabby Concepcion ) is Liz Lizene Jimenez ( Angelica Panganiban ) . Lizelle Jimenez ( Angelica Panganiban ) is in a new relationship with Surgeon Adrian Benitez ( Gabby Concepcion ) . 1 +Both Alaskans and Hawaiians have Both Alaskans and Hawaiians have unique labels for the contiguous United States because of their own locations relative to them . 0 +An alloy may be a single solution of metal elements ( a solid phase ) or a mixture of metallic phases ( two or more solutions ) . An alloy may be a single solution of metal elements ( a fixed phase ) or a mixture of metallic phases ( two or more solutions ) . 1 +Substitutes for asbestos now include metallic , carbon , ceramic and Aramid fibers , such as Twaron or Kevlar . Asbestos substitutes now include ceramic , carbon , metal , and aramid fibers , such as Twaron or Kevlar . 1 +He was born in Montreal and received a bachelor 's degree from Harvard University in 1945 and a Master 's degree in 1947 from McGill University . Joy was born in Montreal . He received a bachelor 's degree from Harvard University in 1945 and a master 's degree from McGill University in 1947 . 1 +The French overture should not be confused with the Italian overture , a three-part rapid screw structure . The French overture should not be confused with the Italian overture , a three-part quick-slow-quick structure . 1 +Some HTC systems , such as HTCondor and PBS , can run tasks on opportunistic resources . Some HTC systems , such as HTCondor and PBS , may run tasks on opportunistic resources . 1 +He gives his name as Carl Marx , which a duty officer types as Karl Marx . "He gives his name as Karl Marx , which types a service officer as "" Carl Marx "" ." 0 +This area would be transmitted largely according to the 1990 census in the old 6th district , while most of the 5th district became the 8th district . This area would largely be transferred to the old 6th district after the 1990 census , while most of the 5th district became the 8th district . 1 +The Ciolanu river is a tributary of the River Albele in Romania . The Albele River is a tributary of Ciolanu River in Romania . 0 +Over the centuries , cedar wood was exploited by the Phoenicians , Egyptians , Assyrians , Babylonians , Persians , Romans , Israelites and Turks . Cedar wood has been exploited over the centuries by the Phoenicians , Egyptians , Assyrians , Babylonians , Persians , Romans , Israelites and Turks . 1 +Currently , the countries on the list are Iran , North Korea , Sudan and Syria . The countries currently on the list are Iran , Syria , Sudan , and North Korea . 1 +In July of 1659 , Sir Richard was a supporter of Sir George Booth in the abortive pro - Royalist Cheshire and Lancashire Rising . In July of 1659 , Sir George Booth was a supporter of Sir Richard in the abortive pro - Royalist Cheshire and Lancashire Rising . 0 +Born in Retford , Nottinghamshire , he moved to the south as a boy to Wiseton Estate , close to Gosforth , Northumberland , when his father found work there . Born in Gosforth , Northumberland , he moved to Wiseton Estate as a boy near Retford , Nottinghamshire , when his father found jobs there . 0 +He gained popularity also by replacing Archie Kao and Adam Rodriguez . "He also gained popularity by replacing Adam Rodriguez with "" and Archie Kao on "" ." 0 +He joined the Canadian Fencibles in Quebec in 1803 , and joined them in 1805 to Scotland . In 1803 , he joined the Canadian Fencibles in Scotland and joined them in 1805 to Quebec . 0 +Jean Alfred Fournier had two brothers , Milenko Žujović , who authored books on jurisprudence , and Dr. Jevrem Žujović , whose mentor was Jovan Žujović . Jean Alfred Fournier had two brothers , Milenko Žujović , who wrote books on jurisprudence , and Dr. Jevrem Žujović , whose mentor was Jovan Žujović . 1 +The father was an influential writer between 1825 and 1828 on poor law and agriculture . The father was an influential writer on poor law and agricultural questions between 1825 and 1828 . 1 +And later installed Roque Lopez as president of the provisional government in Iloilo town in Santa Barbara . And later , Roque Lopez installed himself as president of the provisional government in the town of Santa Barbara in Iloilo . 0 +"On April 20 , 2007 , Hennig joined the cast of "" Days of Our Lives "" in the contract role of Stephanie Johnson ." "On 20 April 2007 , Stephanie Johnson joined the occupation of "" Days of Our Lives "" in the contract role of Hennig ." 0 +Henderson married Richard Henderson on August 23 , 1923 , with whom he had one son , Vera Cameron Price Fitz Randolph . Henderson married Vera Cameron Price Fitz Randolph on 23 August 1923 , with whom he had a son , Richard Henderson . 0 +They suffered five wounded men in the action , the British had no loss . In the action they had wounded five men , the British suffered no victims . 0 +Ayeza Khan ( born 15 January 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . Ayeza Khan ( born Kinza Khan on 15 January 1991 ) , also known as Aiza Khan , is a Pakistani television actress and model . 0 +When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy and most of Piedmont . When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy , and most of the Piedmont . 1 +In codice _ 4 the second file is codice _ 8 and in codice _ 5 the second file is codice _ 10 . In codice 5 is the second file codice 8 and in codice 4 is the second file codice 10 . 0 +Here , two more sons were born : Louis in 1882 and Fred in 1884 . Here two more sons were born : 1882 Fred and 1884 Louis . 0 +Eupithecia yunnani is a moth in the family Geometridae . It is found in China ( Yunnan ) . Eupithecia yunnani is a moth in the Geometridae family It is found in Yunnan ( China ) . 1 +Many of the cultures of the axial age were seen as second-generation societies because they were built on the societies that preceded them . Many of the cultures of the axial age were considered second-generation societies because they were built on the societies that preceded them . 1 +The temple is maintained and was renovated around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . The temple is preserved and was renovated around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 1 +Most of the curriculum consisted of classical languages ; the brilliant Cauchy , being a young and ambitious student , won many prizes in Latin and Humanities . Most of the curriculum consisted of classical languages , the young and ambitious Cauchy , a brilliant student , won many prizes in Latin and Humanities . 0 +The interogator typed a lot of papers then came to Abdulla in the four months stress , the intorgator read the papers and forced Abdulla to write it . The Interogator typed a lot of papers and then came in four months to Abdulla , the Intorgator read the papers and forced Abdulla to write it . 1 +"Mr Wonderful is an album by Jazz - organist Johnny "" Hammond "" Smith , which was released in 1963 and recorded on the label Riverside ." "Mr . Wonderful is an album by jazz organist Johnny "" Hammond "" Smith which was recorded in 1963 and released on the Riverside label ." 0 +Meanwhile , the official language ( for the same view ) in Portugal remained fully reintegrationist , and was carried by Portuguese explorers , soldiers , and colonists around the world . Meanwhile , the official language ( for the same view ) remained fully reintegrationist in Portugal and was carried across the world by Portuguese explorers , soldiers and colonists . 1 +Rock Hill was formally part of Bridgeville . Formally speaking , Rock Hill was part of Bridgeville . 1 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and led the Sunset Junction Festival in Los Angeles . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and played the Sunset Junction Festival in Los Angeles . 0 +"In October 1989 , Freud performed in the same theatre 's "" Nuts ( Homage to Langland ) "" ." "In October 1989 , Langland performed in the same theatre "" Nuts ( Homage to Freud ) "" ." 0 +The team was founded as Orlando Seals and played its first season with the Atlantic Coast Hockey League ( ACHL ) in October 2002 . The team was formed as the Orlando Seals and played its first season beginning in October 2002 with the Atlantic Coast Hockey League ( ACHL ) . 1 +He was elected a Distinguished Lecturer by the International Speech Communication Association and the IEEE Signal Processing Society . He was elected Distinguished Lecturer from the IEEE Signal Processing Society and the International Speech Communication Association . 1 +Route 130 leads north to Olney and east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . Route 130 leads north to Olney and east to Grayville , while Route 15 leads to the west of Fairfield and south to Mount Carmel . 1 +Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the Virginia border . Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the border with Virginia . 0 +For their performances in the game , quarterback Jameis Winston and defensive back P. J. Williams were named the game 's most valuable players . Quarterback Jameis Winston and Defensive Back P. J. Williams were named the most valuable players in the game for their performance . 1 +Music runs in his blood as he inherited this art from his grandfather Ustad Banne Khan , who is himself a singer . Music runs in his blood as he has inherited this art from his grandfather Ustad Banne Khan who is a singer himself . 1 +On the second day , Jen sees a girl very similar to her lost sister , Jess . On the second day , Jess sees a girl who looks very similar to her lost sister Jen . 0 +At midnight , General Berg arrived with a new ultimatum signed by Paskevich in Warsaw . Around midnight General Paskevich arrived in Warsaw with a new ultimatum signed by Berg . 0 +The music for the first series was created by Charlie Kosei with vocal performances on Takeo Yamashita tracks . The music for the first series was created by Charlie Kosei , with vocal performances on tracks by Takeo Yamashita . 1 +In West Virginia , WSAZ is carried in Glenville , Gilmer County in the Clarksburg market . In Clarksburg , WSAZ is transported in Glenville , Gilmer County , in the west - Virginia market . 0 +It is directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and by Kamala Lopez . 0 +The city is part of the Fourth Swansea State Representative District , including Seekonk and parts of Bristol and Norton . The town is part of the Fourth Swansea state representative district , including Seekonk and parts of Bristol and Norton . 1 +From 30 April 1966 , after the British representation was closed , the Sultanate of Muscat and Oman assumed postal control . After the British agency closed , the Sultanate of Muscat and Oman assumed postal control from 30 April 1966 . 1 +Teewurst was invented in Poland , probably in the small Baltic town of Rügenwalde ( now Darłowo , Pomerania ) , in the middle of the 19th century . Teewurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwald ( today Darłowo , Pomerania ) . 1 +The first dorsal fin is smaller than the second , and the distance between it and the second dorsal fin is less than the length of its base . The second spine fin is smaller than the first and the distance between it and the first fin is less than the length of its base . 0 +The province of Adana , Turkey is a village in the district of Yüreğir , Düzce . Düzce is a village in Yüreğir district , Adana Province , Turkey . 0 +VanValkenburgh also criticized Department of Ohio commander Ambrose Burnside 's lieutenant , General Milo S. Hascall . VanValkenburgh also criticized the lieutenant of Department of Ohio Commander Ambrose Burnside , General Milo S. Hascall . 1 +In 1859 , the American Unitarian Association elected Livermore as a member of the Executive Committee . The Executive Committee elected Livermore as a member of the American Unitarian Association in 1859 . 0 +The electoral district was created in 1966 from parts of Northumberland -- Frontenac , Hastings South , Hastings , and Prince Edward -- Lennox ridings . The district was created in 1966 from parts of Hastings South , Hastings -- Frontenac , Northumberland and Prince Edward -- Lennox Ridings . 0 +He was a member of the State Fair Stadium Commission , chairman of the Louisiana State Fair Board , and a commissioner of the Louisiana Superdome in New Orleans . He was a member of the State Fair Stadium Commission , Chairman of the Louisiana State Fair Board and a Commissioner for the Louisiana Superdome in New Orleans . 1 +The Octavian fleet was commanded by Marcus Vipsanius Agrippa , while the fleet of Antonius was supported by Queen Cleopatra of Ptolemaic Egypt 's power . Octavian 's fleet was commanded by Antony , while Marcus Vipsanius Agrippa 's fleet was supported by the power of Queen Cleopatra of Ptolemaic Egypt . 0 +""" Mission Santa Ynez "" , scrapped in 2010 , was the last survivor of over 500 T2 tankers built during the Second World War ." """ Mission Santa Ynez "" , scrapped in 2010 , was the last survivor of the over 500 T2 tankers built during World War II ." 1 +Curry was born in Longbenton , Northumberland in 1935 and died in 1990 at the age of 54 in Mansfield , Nottinghamshire . Curry was born in Mansfield , Nottinghamshire , in 1935 , and died in Longbenton , Northumberland , in 1990 at the age of 54 . 0 +In the state elections of November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the 1857 session . At the State election in November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the session of 1857 . 0 +The Antarctic Peninsula is an island archipelago off the west coast of the Wilhelm Archipelago in Antarctica . The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in the Antarctic . 0 +The Turks , Tibetans , Muslim Arabs and the Tang competed for control over Central Asia until the collapse of the Tang in the 10th century . The Turks , Tibetans , Muslim Arabs , and the Tang competed for control of Central Asia until the tang ’ s collapse in the 10th century . 1 +The gate is approximately high , with the still visible the grooves in the granite stones for the hinges used in opening and closing the access . The gate is still visible with the approximately high grooves in the granite stones for the hinges that are used when opening and closing the access . 0 +No . 615 ( County of Surrey ) Squadron was a unit of the British Auxiliary Air Force and later the Royal Auxiliary Air Force between 1937 and 1957 . 615 ( County of Surrey ) Squadron was a unit of the British Royal Auxiliary Air Force and later the Auxiliary Air Force between 1937 and 1957 . 0 +The initial intention of creating a non-private sector of radio was to create an alternative to the business interests of the private radio sector . The initial intention of creating a private sector of radio was to create an alternative to the corporate interests of the non-private radio sector . 0 +Another kuji formula is found in the writings of Jodo Shinshu , founded by Shinran , and reads yet another mantra to Amida Nyorai which is Another Kuji formula is found in the writings of Jodo Shinshu , founded by Shinran , and is another mantra to Amida Nyorai , who reads 0 +French law is codified and based on the Albanian law . The French law is codified and is based on Albanian law . 1 +The company is one of the oldest Brazilian companies still in operation , founded in 1880 by the German brothers Bruno and Hermann Hering . The company is one of the oldest Brazilian companies still in activity , founded by German brothers Bruno and Hermann Hering , in 1880 . 1 +Motes also encounters Enoch Emery , a blind man who seems to parallel himself , and they follow the young man down the street . Motes also meets Enoch Emery , a blind man who seems to parallel himself , and they follow the young man along the street . 1 +Only six episodes survive in television archives , one from the third and fourth series , two each from the first , and one from the final series . In television archives , only six episodes survive , one from the first series , two from the third and fourth , one from the last series . 0 +The primitive heart or tubular heart tube is the earliest stage of heart development . The tubular heart or the primitive heart tube is the earliest stage of heart development . 1 +Frederick died on 23 February 1902 at Johnstone Street in Bath and is buried with his wife in Faulkbourne . Frederick died at Johnstone Street , Bath , on 23 February 1902 and is buried with his wife at Faulkbourne . 1 +"Blauburger gives good yields and is particularly susceptible to "" Botrytis cinerea "" , but is resistant to mildew ." "Blauburger supplies good yields and is particularly susceptible to "" Botrytis cinerea "" , but is resistant to mildew down ." 1 +Taobao is a Chinese online shopping website similar to eBay , Amazon and Alibaba Group , which is operated by Rakuten in Hangzhou , Zhejiang . Taobao is a Chinese online shopping site similar to eBay , Amazon and Rakuten , which is operated by Alibaba Group in Hangzhou , Zhejiang . 0 +"Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , released months after "" The Way We Were "" ." "Streisand and Columbia Records released ButterFly as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." 0 +"George Jones took the song as "" Somebody Here Paints the Wall "" on his album "" You Oughta Be Always with Me "" of 1990 ." "George Jones recorded the song as "" Somebody Here Paints the Wall "" on his 1990 album "" You Oughta Be Always with Me "" ." 1 +Here were two other sons born : Fred in 1882 and Louis in 1884 . Here , two more sons were born : Fred in 1882 and Louis in 1884 . 1 +The Sabres specialized in instrumental music and early rock artists like the aforementioned Dale Hawkins , The Ventures and Chuck Berry . The Sabres specialized in instrumental music and early rock artists like the afore-mentioned Dale Hawkins , The Ventures and Chuck Berry . 1 +The neighborhood also has two commuter train stations , the Long Island Rail Road railway stations of Forest Hills and the Kew Gardens . The neighborhood also has two commuter train stations , the Forest Hills and Kew Gardens railway stations of the Long Island Rail Road . 0 +During the competition she lost 50-25 to Zimbabwe , 84-16 to Tanzania , 58-24 to South Africa . They lost 50-25 to Tanzania during the competition , 84-16 to South Africa and 58-24 to Zimbabwe . 0 +Büyükorhan is a city and district of the Bursa province in the Marmara region of Turkey . Büyükorhan is a town and a district of Turkey in the Marmara region of the province of Bursa . 0 +"The Paul England translation of 1912 is a "" vocal translation "" , which is compatible with the singable line Strauss wrote for the German ." "The 1912 Paul England translation is a "" singable translation "" which is compatible with the vocal line Strauss wrote for the German ." 0 +The MPC55xx family have four slightly different cores from the really low end and to the high end . The MPC55xx family has four slightly different cores from the really low end to the high end . 1 +In 1938 , after Anfuso was appointed Foreign Minister , Ciano became Head of Ministry of Staff . In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Ministry head of staff . 1 +The exponential map of a nilpotent Lie algebra is a diffeomorphism between the Lie algebra and the unique associated connected , simply-connected Lie group . The unique map of an exponential Lie - Algebra is a diffeomorphism between the Lie - Algebra and the nilpotent - associated , simply associated lie group . 0 +The 913th troop transport squadron was consolidated in September 1985 with the 13th Air Refuelling Squadron , but the active squadron has not been consolidated ever since . The 913th Troop Carrier Squadron was consolidated with the 13th Air Refueling Squadron in September 1985 but the active squadron has not been consolidated since . 1 +Anadasmus endochra is a moth from the family of Depressariidae , which is found in Amazonas ( Brazil ) . Anadasmus endochra is a moth of the Depressariidae family . It is found in Amazonas ( Brazil ) . 1 +Instead , some theorists think , a state similar in culture and preferences to the new hegemon will assume old hegemon status . Instead , some theorists think that a condition similar to the new hegemon in culture and preferences will assume old hegemon status . 1 +Vanuatu is the southernmost of the six Tafea provinces . Tafea is the southernmost of the six provinces of Vanuatu . 0 +Elati is a village in regional unit Kozani , Greece . Elati is a village in the Greece regional unit , Kozani . 0 +From 1913 to 1962 , the University of Loma Linda taught basic sciences , but sent its students to Los Angeles for clinical experience . From 1913 to 1962 , the university taught basic sciences in Loma Linda , but sent its students to Los Angeles for clinical experience . 1 +He died in Westminster in 1821 . He had married Elizabeth , daughter of Charles John , 1st Viscount Sackville . They had a son , George Germain . He died in Westminster in 1821 , had married Elizabeth , the daughter of Charles John , 1st Viscount Sackville , and they had a son , George Germain . 1 +It is found from Fennoscandinavia to the Pyrenees , Great Britain , and Greece and from Italy to Russia and Ukraine . It is located from Fennoscandinavia to the Pyrenees , Great Britain and Greece and from Italy to Russia and Ukraine . 1 +In 1281 Simon de Beaulieu was appointed Archbishop of Bourges by Pope Martin IV ( Simon de Brion ) . In 1281 , Simon de Beaulieu of Pope Martin IV ( Simon de Brion ) was appointed Archbishop of Bourges . 1 +It is about southeast of White Cap Mountain , 2 miles southwest of Baker Mountain , and 5 miles west of Moosehead Lake . It is located southeast of White Cap Mountain , 2 miles southwest of Baker Mountain and 5 miles west of Moosehead Lake . 1 +With 3 comrades , throughout the engagement , a position held courageously that secured water for the command . With 3 comrades , during the entire engagement , courageously held a position that secured water for the command . 1 +In late 2003 , he told an interviewer that his favorite bassists were Mike Mills ( R.E.M . ) , Johnny Gayden ( Albert Collins Band ) and Charles Mingus . In late 2003 , he told an interviewer that his favorite bassists were Charles Mingus ( RM ) , Mike Mills ( Albert Collins Band ) , and Johnny Gayden . 0 +Bradykinin - Receptor B is a G-protein - encoded receptor for Bradykinin , coupled to the BDKRB2 - Gene in humans . Bradykinin - Receptor B is a G-protein - coupled receptor for Bradykinin , which is encoded in humans by the BDKRB2 - Gene . 0 +He had been in the state playing for Melbourne , but moved to Victoria in 1925 and appointed New Town . He had been in the state playing for Melbourne but in 1925 moved to Victoria and lined up for New Town . 1 +Equatorial Africa is an ambiguous term that sometimes is used to refer to tropical Sub-Saharan Africa , or the equatorial region of Africa traversed by the equator . Equatorial Africa is an ambiguous term that is sometimes used to refer to tropical sub-Saharan Africa or the equatorial region of Africa crossed by the equator . 1 +AB InBev remains the largest brewery , with SABMiller second , and Heineken International third . AB InBev remains the largest brewery in second place with Heineken International and SABMiller is third . 0 +Sometimes , small mammals , including bats , are caught , but insects are only very seldom eaten . Sometimes , small mammals , including bats , are eaten , but very rarely are insects caught . 0 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors , together with Edward , are poisoned ." "In the comic - Thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors , together with Byron , are poisoned ." 0 +The famous Armenian writer and poet Khachik Dashtents wrote a poem about his teachers , among whom Christophor Araratov was : Famous Armenian writer and poet Khachik Dashtents wrote a poem about his teachers , among whom was Christophor Araratov : 1 +Como Lake is a small lake in Como Lake Park in the city of Coquitlam , British - Colombia . Como Lake is a small lake in Como Lake Park in the city of Coquitlam , British Columbia . 1 +Scutellastra tucopiana is a species of sea snail , a true limpet , a true gastropod mollusk in the family Patellidae , one of the families of marine limpets . Scutellastra tucopiana is a species of sea snail , a true limpet , a marine gastropod mollusk in the Patellidae family , one of the families of the true limpets . 0 +"According to Bryan , Muftić was "" a true scientist in every way ( who ) always looked for physical and chemical explanations of psychological problems ." According to Bryan , Muftić was , in every respect , a true scientist who always looked for psychological explanations for physical and chemical problems . 0 +Ratcliffe 's son was the scientist Francis Ratcliffe , and one of his two daughters married the neurophysiologist W. Grey Walter . Nicholas Walter was his grandson . The son of Ratcliffe married the scientist W. Grey Walter , and one of his two daughters was neurophysiologist Nicholas Walter , Francis Ratcliffe was his grandson . 0 +Barkheda Baramad is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Barkheda Baramad is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . 0 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Aneurin Bevan , was challenged by Herbert Morrison . The 1953 Labour Party deputy election took place on 29 October 1953 , after the current deputy leader Aneurin Bevan , was challenged by Herbert Morrison . 1 +Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 , districts in Cardiganshire . Following his defeat in Wales , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Cardiganshire , 1 +This short film was created by PJ Liguori , Sophie Newton , Jamie Swarbrick , and Louis Grant . This short film was written by PJ Liguori , Sophie Newton , Jamie Swarbrick and Louis Grant . 1 +The cellular reproduction process of Meiose was discovered by Oscar Hertwig in 1876 , and was discovered by Walther Flemming several years later in 1882 . The cellular reproduction process of meiosis was discovered by Oscar Hertwig in 1876 . Mitosis was discovered several years later in 1882 by Walther Flemming . 0 +Research in military physiology began in 1950 through a small group of scientists and medical physiologists at Defence Science Laboratory , Delhi . Research in medical physiology began in 1950 through a small group of scientists and military physiologists at the Defence Science Laboratory , Delhi . 0 +"The duo borrowed the title "" Electric Arguments "" from the poem "" Kansas City to St. Louis "" of Allen Ginsberg ." "The duo borrowed the title "" Electric Arguments "" from the poem "" St. Louis to Kansas City "" by Allen Ginsberg ." 0 +Damerham once was in Hampshire , but was moved to Wiltshire in 1895 . Damerham was once in Hampshire , but was transferred in 1895 to Wiltshire . 1 +Lawes had one child , Michelle Zonee Barksdale Hurston , born in 1957 . A child , Michelle Zonee Barksdale Hurston , born in 1957 , had Lawes . 1 +They meet up with Quinito Castañeda ( Rafael Rosell ) and his friend , Danny ( Joross Gamboa ) who take them to a beach resort in Cavite . They meet Quinito Castañeda ( Rafael Rosell ) and his friend Danny ( Joross Gamboa ) , who brings them to a beach resort in Cavite . 1 +Tyabb railway station is located on the Stony Point line in Victoria , Australia . Stony Point railway station is on the Tyabb line in Victoria , Australia . 0 +Despite the success of Chuck D and Public Enemy , Chuck D claims that popularity or public approval was never a driving motivation behind their work . Despite Chuck D 's success , Chuck D and Public Enemy claims that popularity or public approval was never a driving motivation behind their work . 0 +It is directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and directed by Kamala Lopez . 1 +The pollution tolerance value is 6 ( on scale 0 -- 10 ; 0 is the best water quality , 10 is the worst water quality ) . The value of the pollution tolerance is 6 ( on the 0 - - 10 ; 0 scale the worst water quality is 10 is the best water quality ) . 0 +Herberg demonstrated how immigration and American ethnic culture reflected in religious movements and institutions . Herberg demonstrated how immigration and American ethnic culture were reflected in religious movements and institutions . 1 +Louisa Catherine had an illegitimate daughter , Sarah , on 22 March 1839 . Louisa Catherine , on March 22 , 1839 , had an illegitimate daughter , Sarah . 1 +They have two sons and a daughter , Andy , Jake and Alex . They have two sons and one daughter , Alex , Jake , and Andy . 1 +There is a collection of these works in the Deutsche Bank Brooklyn , as well as the Piergoi Flat Files in New York City . There is a collection of these works in Deutsche Bank New York City as well as the Piergoi Flat Files in Brooklyn . 0 +When the nobleman refused the marriage proposal , Reza Qoli Mirza killed him and ran off with his daughter into the mountains , where Nader was born . When the nobleman rejected the marriage proposal , Reza Qoli Mirza killed him and ran into the mountains where Nader was born with his daughter . 1 +""" A. frondiculus "" is the only member of the genus which is not found in the western Red Sea or in the Indian Ocean ." """ A. frondiculus "" is the only member of the genus which is not found in the western Indian Ocean or the Red Sea ." 0 +One week after the birth of Benjamin Linus came Alex ( Michael Emerson ) and took Alex from Rousseau . One week after Alex 's birth , Benjamin Linus ( Michael Emerson ) came and took Alex from Rousseau . 0 +On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the Blue Jackets organization . On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Michael Blunden . He joined his brother Kris Russell with the Blue Jackets organization . 0 +The 1945 San Diego State College football team represented San Diego State Aztecs during the 1945 college football season . The 1945 San Diego State College football team represent San Diego State Aztecs during the College - Football - Season 1945 . 1 +"Under King Louis Phillippe , a "" Gendarmerie Africa "" was created for the service in Algeria and during the Second Empire the Gendarmerie - Regiment of the Imperial Guard was rebuilt ." "Under King Louis Phillippe a "" gendarmerie of Africa "" was re-established for service in Algeria and during the Second Empire the Imperial Guard Gendarmerie Regiment was created ." 0 +In November , the Royals acquired CF Coco Crisp from the Boston Red Sox in exchange for RP Ramón Ramírez . In November , the Royals CF Coco Crisp acquired the Boston Red Sox in return for RP Ramón Ramírez . 1 +The high school school also serves students from four other sending communities : Alpha , Bloomsbury ( in the Greenwich Township and Lopatcong Township ) , Hunterdon County . The grammar school also serves students from four other sending communities : Alpha , Bloomsbury ( in the Hunterdon County ) , Greenwich Township and the Lopatcong Township . 0 +At the AFL meeting the next day , Tobin was forced to defend Beck 's actions . At the next day 's AFL meeting , Beck was forced to defend Tobin 's actions . 0 +This temple is supposedly the second of its kind in Kerala , the first being the famous temple in Thiruvananthapuram . This temple is supposedly the second of its kind in Kerala , the first of which is the famous temple in Thiruvananthapuram . 1 +"Pogonodon was recognised by Edward Drinker Cope in 1880 , two species are described : "" P. davisi "" and "" P. platycopis "" ." """ Pogonodon "" was described in 1880 by Edward Drinker Cope , two species are known : "" P. davisi "" and "" P. platycopis "" ." 0 +Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher , who has been active in the contemporary dance scene since 1983 . Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher who has been active on the contemporary dance scene since 1983 . 1 +""" The New York Times "" reported : "" Williams had a new pitcher , Clarke , '96 during the first half of the game ." """ The New York Times "" reported : "" Clarke had a new pitcher , Williams , '96 during the first half of the game "" ." 0 +The Giro 's mountainous stage 20 began on the slopes of Les Deux Alpes , and the penultimate stage ended on the mountain the next day . The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the penultimate stage started the next day on the mountain . 0 +Top Gear Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Snowblind Studios and published by Kemco . Hyper Bike is a motorbike racing game for the Nintendo 64 , developed by Kemco and published by Snowblind Studios . 0 +Canoe 1 ( figure 3 ) is the largest in the cluster ( 3 m long × 1 m wide × 0.5 m deep ) . Kanu 1 ( figure 3 ) is the largest in the cluster ( 3 m long × 1 m wide × 0.5 m deep ) . 0 +By the middle of the 7th century , alchemy was an almost mystical discipline . By the middle of the 7th century alchemy was entirely an almost mystical discipline . 0 +Mandikal is a village located in small Kolar district in Karnataka , India . It is a present village of a population more than 1000 . Mandikal is a village located in small Kolar - district in Karnataka , India . It is a present village of a population over 1000 . 1 +Abraham Salomon Gluck was probably killed on or around May 20 , 1944 , like most of the 878 men in convoy 73 . Abraham Salomon Gluck was alike murdered , probably most of the 878 men in convoy 73 , on or around 20 May , 1944 . 0 +In July 2017 , President Masingill fired Donald Trump from his role . In July 2017 , President Masingill sacked Donald Trump from his role . 1 +He played for the Brooklyn Dodgers in 1942 , and from 1946 to 1948 for the New York Giants . He played for the Brooklyn Dodgers in 1942 and for the New York Giants from 1946 to 1948 . 1 +"Their son Brian Sims appeared with Tony on "" Taxi "" in two episodes as Marc ." "Her son Marc appeared in two episodes with Tony as "" Brian Sims "" on "" Taxi "" ." 0 +He currently lives with his partner Randi in Odda and has three children , Lothe , Ida and Vetle , from a previous relationship . Lothe currently lives with his partner Randi in Odda and has three children , Stian , Ida and Vetle , from a previous relationship . 0 +Bhainsana is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Bhainsana is a village in Bhopal - district of Madhya Pradesh , India . It is located in Berasia tehsil . 1 +The proposed routes are largely to be built on increased rails , with underground routes and extensions to follow in future phases . The proposed routes are to be built mostly on elevated rails , with underground routes and extensions to follow in future phases . 1 +"The administrative district of the same name ( "" správní obvod "" ) consists of the districts of Prague 17 and Zličín ." "The municipal district ( "" správní obvod "" ) of the same name consists of administrative districts Prague 17 and Zličín ." 0 +He reached his milestone 23rd NHL game on January 15th 2016 , when the Florida Panthers visited the Tampa Bay Lightning . He reached his milestone 1500th NHL game on January 23 , 2016 , when the Tampa Bay Lightning visited the Florida Panthers . 0 +It is bordered by Pembina County , North Dakota . The nearest American community to Gretna is Neche , North Dakota . It is limited by Pembina County , North Dakota The nearest American community to Gretna is Neche , North Dakota . 1 +The Latoriţa River is a tributary of the Galbenu River in Romania . The River Galbenu is a tributary of the River Latoriţa in Romania . 0 +Paul Annacone won 6 -- 2 , 6 - 4 against Andre Agassi in the final . Andre Andre Agassi won against Paul Annacone in the final with 6 -- 2 , 6 -- 4 . 0 +Darrell Fetty first married Carolyne McCoy , who is a descendant of the famous feud families ( her mother was a Hatfield , her father was a McCoy ) . Darrell Fetty first married Carolyne McCoy , who is a descendant of the famous feuding families ( her mother was a Hatfield , her father a McCoy ) . 1 +In 1960 , the world 's first laser was developed by American scientists Nikolay Basov and Alexander Prokhorov , and Russian scientist Charles H. Townes . The first laser in the world was developed in 1960 by American scientists Nikolay Basov and Alexander Prokhorov and the Russian scientist Charles H. Townes . 1 +Devendra Kula Vellalar was born in Jagannathan family in 1926 . Devendra Kula Vellalar was born in the family Jagannathan in 1926 . 1 +The scenes in the marshes were also shot in Gillingham at the Riverside Country Park in Kent . The scenes in the marshes were also shot in Kent , Gillingham 's Riverside Country Park . 0 +KOTC 36 : Albuquerque was an event held on May 15 , 2004 at the Sky City Casino in Albuquerque , New Mexico , United States . KOTC 36 : Albuquerque , New Mexico , United States , an event was held on May 15 , 2004 at Sky City Casino in Albuquerque . 0 +"The route from Chicago to Lafayette is used by Amtrak for "" Cardinal "" and "" Hoosier State "" ." "The Chicago to Lafayette route is used by Amtrak for the "" Cardinal "" and the "" Hoosier State "" ." 1 +Kathy changes her identity to Kriti at the hotel because she does not want anyone to know that she is the daughter of Ketan Malhotra . Kathy changes her identity to Kriti at the hotel because she does not want anyone to know that she is Ketan Malhotra 's daughter . 1 +Anders Järryd defeated Ivan Lendl 6 -- 3 , 6 -- 2 , 6 -- 4 Ivan Ivan Lendl defeated Anders Järryd 6 -- 3 , 6 -- 2 , 6 - 4 . 0 +The beach was defended by two battalions of the 21st Infantry Division , with elements of the German 716th tank division being held near Caen in the reserve . The beach was defended by two battalions of the German 716th infantry division , with elements of the 21st armoured division near Caen in the reserve being held . 0 +After receiving a second Nobel Prize with her husband Pierre in 1903 , Marie Curie won a joint Nobel Prize for Chemistry in 1911 . After receiving a second Nobel Prize in 1903 with her husband , Pierre , Marie Curie won a Nobel Prize in Chemistry in 1911 . 1 +He associated well-known film personalities of Dasari Narayana Rao , Madala Ranga Rao , Chiranjeevi , Murali Mohan , R . He associated noted film personalities of Dasari Narayana Rao , Madala Ranga Rao , Chiranjeevi , Murali Mohan , R . 1 +The season of 1975 -- 76 NBA was the 30th season of the National Basketball Association . The 1975 -- 76 season of the National Basketball Association was the 30th season of the NBA . 1 +After the dough rises , it is torn into small balls , spread into flat rounds and fried in oil . After the dough is risen , it is torn into flat balls , spread into small rounds and fried in oil . 0 +FK Atletas Kaunas ( former : LKKA ir Teledema ) was a Lithuanian football club from the city of Kaunas . FK Atletas Kaunas ( Lithuanian : LKKA ir Teledema ) was a former football club in the city of Kaunas . 0 +In 2003 the excavation works began on the eastern hill , on the western hill in 2006 . In 2003 , excavation work began on the eastern hill , in 2006 on the western hill . 1 +This layer only deals with the physical plugs and connectors and the electrical specification of signals . This layer only deals with electrical connectors and sockets and the physical specification of the signals . 0 +He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( also WJPC ) radio station in Chicago . He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( later WJPC ) in Chicago . 0 +Approximately 90 % of all tobacco grown in Canada is produced here . About 90 % of all tobacco grown in Canada is produced here . 1 +Brusio is a municipality located in the canton of Switzerland in the Bernina region of Graubünden . Brusio is a municipality in the Graubünden in the canton of Switzerland in Bernina Region . 1 +Daryl Powell resigned after he was not paid and was replaced in April 1995 by player coach Phil Larder . Daryl Powell resigned after not being paid and was replaced by player coach Phil Larder in April 1995 . 1 +In mathematics , an algebraic equation or polynomial equation is an equation of form . In mathematics , an polynomial equation or algebraic equation is an equation of the form 1 +He graduated from the military school in St. Petersburg , Russia and in 1910 from the Military Academy Sofia General Staff in Nikolaevsk . He graduated from the Military School in Sofia , and in 1910 from the Nikolaevsk General Staff Military Academy in St. Petersburg , Russia . 0 +Zina Garrison and Sherwood Stewart were the defending champions but lost in the second round to Jana Novotná and Jim Pugh . Zina Garrison and Sherwood Stewart were the title defenders , but lost to Jana Novotná and Jim Pugh in the second round . 1 +Purdue , 17-7 beat and Ole Miss beat army 27-7 . Illinois beat Purdue , 17-7 and Ole Miss beat Army 27-7 . 0 +Lars Rehmann defeated Rehmann 6 -- 4 , 3 -- 1 ( Greg Rusedski retired ) Greg Rusedski defeated Lars Rehmann 6 -- 4 , 3 -- 1 ( Rehmann is retired ) 0 +The venue features two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1,100 people ) . The venue has two stages , a small stage ( capacity 300 people ) and a main stage ( capacity 1,100 people ) . 0 +Mercy Lewis , known formally as Mercy Allen , was the child of Philip Lewis and Mary ( Cass ) Lewis . Mercy Lewis , formally known as Mercy Allen , was the child of Philip Lewis and Mary ( Cass ) Lewis . 1 +The library formed out of the personal libraries of renowned turkologists consists of more than 30 thousand books . The library , consisting of the personal libraries of renowned turkologists , consists of more than 30 thousand books . 1 +The main ferry ran to 42nd Street and was for a short time part of the transcontinental Lincoln Highway . The transcontinental ferry ran to 42nd Street and was a part of the main Lincoln Highway for a short time . 0 +Scott was born in Parkesburg , Pennsylvania , and buried in Chester County , Pennsylvania . Scott was born in Chester County , Pennsylvania , and was buried in Parkesburg , Pennsylvania . 0 +More recently , the band has combined extra life aspects of early music with the modern genre of mathematics rock . More recently , the band has combined Extra Life aspects of modern music with the early genre of mathematics rock . 0 +Agreement with Bolivia was applied on 4 August 2016 and not denounced from 4 February 2017 . The agreement with Bolivia was applied on 4 August 2016 and was not denounced from 4 February 2017 . 1 +"In April 2013 , when the merger with Air Italy was completed , Meridiana returned to her former , shorter name "" Meridiana Fly "" ." "In April 2013 , when the merger was completed with Air Italy , Meridiana Fly returned to his former , shorter name "" Meridiana "" ." 0 +Bhils has the highest population in Jhabua district , followed by the Dhar , Barwani and Khargone districts . Bhils have the highest population in Jhabua district followed by Dhar , Barwani and Khargone districts . 1 +Llandow ( Wick Road ) Halt railway station was a short-lived railway station in South Wales . Holding station Llandow ( Wick Road ) Halt was a short-lived railway station in South Wales . 1 +It is endemic to Hawaii , where it is known only from the northern Koolau Mountains of Oahu . It is endemic to Oahu , where it is only known by the northern Koolau Mountains of Hawaii . 0 +The mentioned scientists Adam adores are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Isaac Newton , Nikola Tesla , Charles Darwin , and Albert Einstein The scientists mentioned , whom Adam reveres , are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . 1 +"A rational curve "" is "" , however , not a curve parameterized over the rational , but a curve that can be defined by rational functions ." "However , a rational curve "" is not "" a curve defined over the rationals , but a curve which can be parameterized by rational functions ." 0 +Its eastern terminus also serves as the northern terminal of SR 531 in Conneaut . Its eastern terminus also serves as the northern terminus of SR 531 in Conneaut . 1 +Dehu Road Railway Station is an important suburban railway station of the Pune Suburban Railway . Dehu Road Railway Station is an important suburban railway station of Pune Suburban Railway . 1 +Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Nanaimo Harbour Water Aerodrome to Vancouver International Water Airport . Baxter Aviation operated flights between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport up to Nanaimo Harbour Water Aerodrome . 0 +The district , as originally proposed , was larger to include the commercial areas west of Shrewsbury Avenue , including the ancient buildings , the Galleria and Maple Avenue . The district as originally proposed was larger , to include the commercial areas west of Shrewsbury Avenue , including the antique buildings , The Galleria and Maple Avenue . 1 +This settlement also had the advantage of having a significant building already from a previous sheep station . This settlement also had the advantage of a substantial building already from a previous sheep station . 1 +On the Dagorlad , a great battle took place in which Sauron 's troops were stormed and the Black Gate was destroyed . A great battle took place on the Dagorlad in which Sauron 's forces were destroyed and the Black Gate was stormed . 0 +Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on May 30 , 2009 , and his replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +The Father of Woodstock Larry McClurg teamed up with Artie Kornfeld to promote Goodstock Music Festival , reported Pollstar . Larry McClurg , the father of Woodstock , has teamed up with Artie Kornfeld to promote the Goodstock Music Festival , Pollstar reported . 1 +Ratcliffe 's son married the scientist W. Grey Walter , and one of his two daughters was the neurophysiologist Nicholas Walter . Francis Ratcliffe was his grandson . The son of Ratcliffe married the scientist W. Grey Walter , and one of his two daughters was neurophysiologist Nicholas Walter , Francis Ratcliffe was his grandson . 1 +MacMahon - Formula is the multiplicative formula for the general values of Formula 30 : MacMahon formula is the multiplicative formula for general values of formula _ 30 : 1 +Cline was born on September 10 , 1970 in Calgary , Alberta and grew up in Kelowna , British Columbia . Cline was born on 10 September 1970 in Calgary , Alberta and grew up in Kelowna , British Columbia . 1 +The stripe of Hensen is the section of the tectorial membrane above the inner hair cell . Hensen 's stripe is the section of the inner membrane above the tectorial hair cell . 0 +In 1987 Fallahian was appointed by Ruhollah Khomeini as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . Ruhollah Khomeini was appointed Chief Public Prosecutor of the Special Court for the Clergy in 1987 by Fallahian and led the trial of Mehdi Hashemi . 0 +Henry Cole was followed by Bailey as Caretaker of Breakheart Hill . Bailey was succeeded as caretaker of Breakheart Hill by Henry Cole . 0 +Darren Burnett won against Simon Skelton in the last 9-4 , 9-5 . Darren Burnett won in the final 9-4 , 9-5 against Simon Skelton . 1 +"Daughter Mary W. ( "" May "" ) Baldwin ( 1871 -- 1961 ) married Duncan Bell Murdoch ( 1860 -- 1964 ) ." "Daughter Mary W. ( "" May "" ) Baldwin ( 1871 - 1961 ) married Duncan Bell Murdoch ( 1860 -- 1964 ) ." 1 +For nearly six weeks , 10 TFS crews attacked Iraqi airfields , communication centers , and military command centers . For nearly six weeks , 10th TFS crews attacked Iraqi airfields , communication centers and military command centers . 1 +Taylor grew up in Mount Duneed just outside the coastal town of Torquay in Victoria . Grew up in Torquay , just outside of the coastal town of Mount Duneed in Victoria . 0 +South Arm Township is located in the southern Charlevoix County and is bordered by Antrim County to the south and west . South Arm Township is located in southern Charlevoix County and is bordered by Antrim County to the south and west . 1 +Yauli is one of nineteen districts in the province of Peru in Huancavelica . Yauli is one of nineteen districts in the Province of Huancavelica in Peru . 0 +Munro was chairman of the Highfields Shire Council from 1888 to 1913 and of the Highfields Divisional Board from 1915 to 1917 . From 1888 to 1913 , he was chairman of the Highfields Divisional Board and , from 1915 to 1917 , Chairman of the Highfields Shire Council . 0 +Amelia and Michael is a 2007 British drama short film directed by Richard Johns , starring Anthony Head and Natasha Powell and executive produced by Daniel Cormack . Amelia and Michael is a British drama short film , produced by Richard Johns in 2007 with Anthony Head and Natasha Powell , and by Daniel Cormack . 1 +"It is better expressed as a cultural liberal bias "" , while former BBC director Roger Mosey classified it as "" liberal defensive. """ "It is better expressed as a culturally liberal bias "" , while the former BBC - director Roger Mosey classified it as a "" liberal defensive "" ." 1 +"During this period two National Liberals held cabinet rank , plus one who sat as a "" Liberal "" :" "During this period , two national liberals had a cabinet rank , plus one who sat as "" Liberal "" :" 1 +Pixar also visited the Disney Cruise Line and studied Las Vegas , which was helpful for understanding artificial lighting . Pixar also studied the Disney Cruise Line and visited Las Vegas , which was helpful in understanding artificial lighting . 0 +Born and raised in Dallas , was the son of Ross Perot ( born Birmingham ) and Margot . Perot was born and raised in Dallas , the son of Margot ( nee Birmingham ) and Ross Perot . 0 +A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September another tour followed in Switzerland . A market was perceived for future tours and destinations . Scandinavia followed in April 1975 and there was another tour to Switzerland in September . 1 +Another new bridge was built by Neak Leung at Phnom Penh to the Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . Another new bridge was built at Phnom Penh at Neak Leung to Ho - Chi - Minh - Highway 1 with support from the Japanese government and opened in 2015 . 0 +English is understood by many people and spoken by some fluently . English is spoken by many people and understood by some of them fluently . 0 +"Traditionally , "" contemporary "" companies like the Kirov Ballet and the Paris Opera Ballet also regularly perform classical works ." "Traditionally "" contemporary "" companies , such as the Kirov Ballet and the Paris Opera Ballet , also regularly perform classical works ." 1 +This film screenplay was written by Titus Popovici and was directed by Sergiu Nicolaescu . This film screenplay was written by Titus Popovici and was managed by Sergiu Nicolaescu . 1 +This was also the first series since the fifth , including a railway consultant in the role as part of the production team with Sam Wilkinson . This was also the fifth series since the first to include a railroad consultant in the role as part of the production team with Sam Wilkinson . 0 +Dimou was awarded the Dimitris Mitropoulos in 2000 . Dimitris Mitropoulos was awarded the Dimou Award 2000 . 0 +He was born in Podgorica ( today Titograd ) in a family of musicians and grew up there . He was born in Titograd ( today Podgorica ) in a family of musicians and grew up there . 0 +In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the Country Rail Infrastructure Authority to the ARTC . In July 2011 , the ARTC transferred responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . 0 +Prostitution is widespread in Albania but illegal . Prostitution in Albania is widespread but illegal . 1 +More recently , the band Extra Life has combined aspects of early music with the modern genre of math rock . More recently , the band has combined Extra Life Aspects of Old Music with the modern genre of Math Rock . 1 +Franscoviak married the writer Maggie McGuane on November 24 , 2012 , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . On November 24 , 2012 , Franscoviak married writer Maggie McGuane . The two live in Livingston , Montana with her children Maisie and Charlie Kirn . 1 +"In October 1989 , Langland performed in the same theatre 's "" Nuts ( Homage to Freud ) . """ "In October 1989 , Langland performed in the same theatre "" Nuts ( Homage to Freud ) "" ." 1 +"On all tracks , except Teddy Gentry on "" Clear Water Blues "" and Jeff Cook on "" This Love ' ; s on Me "" , are lead lead vocals by Randy Owen ." "Lead vocals by Randy Owen on all tracks , except Teddy Gentry on "" Clear Water Blues "" and Jeff Cook on "" This Love 's on Me "" ." 1 +Stevens was a Republican when the party was founded , and became a Delegate to the Republican National Conventions in 1860 and 1868 . Stevens was a Republican when the party was founded , and was a delegate to the Republican National Conventions in 1860 and 1868 . 0 +A Jewish full fast lasts the following night from the sunset to the darkness . There are two Jewish full days : A Jewish full fast lasts from sunset to darkness the following night . There are two Jewish full days : 1 +O'Dea was born in Armidale in 1889 and moved to Sydney with his family as a child . O 'Dea was born in 1889 in Sydney and moved with his family to Armidale as a child . 0 +The Kam people live mostly in northern Hunan , eastern Guizhou , and western Guangxi in China . Kam - people mostly live in northern Hunan , in eastern Guizhou and in western Guangxi in China . 1 +They were accompanied by some other families or were soon followed by them , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver and Rich . They were accompanied or were soon followed by several other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . 0 +He has translated into Punjabi the three tragedies of Girish Karnad , the play Nag Mandala of Federico García Lorca , and poems of Bertolt Brecht and Pablo Neruda . He has translated the three tragedies of Girish Karnad , the play Nag Mandala by Federico García Lorca and the poems of Bertolt Brecht and Pablo Neruda in Punjabi . 1 +Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles north of the border to Virginia . Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles south of the Virginia border . 0 +Trolley service was proposed from Ellicott City to Baltimore in 1892 , approved on April 20 , 1895 , and implemented in 1899 . Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on April 20 , 1895 and implemented in 1899 . 1 +Daniel Pollack announced in February 2016 that Argentina had reached an agreement with Paul Singer . Paul Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . 0 +Or the Egg object could call properties and instead use methods . Or the Egg object could use properties and instead use methods . 0 +Children who heard this scene , described by a novel clause that contained a transitive verb , associated the subject of the verb with the agent . Children who heard that scene described by a novel clause containing a transitive verb , associated the subject of the verb with the agent . 1 +The Final FESPIC Games had 18 venues for the Games , 9 in Selangor , 7 in Kuala Lumpur and each 1 in Putrajaya and Negeri Sembilan . The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and 1 in Putrajaya and Negeri Sembilan each . 0 +The NFL awarded 'Super Bowl XI ' to Honolulu on March 19th,1975 at the owners ' meetings held in Pasadena , California . On 19 March 1975 , the NFL awarded the Super Bowl XI to Pasadena , California at the ownership meetings held in Honolulu . 0 +It is now a recovery reserve managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . It is now a recreation reserve managed by the Wellington City Council ( HPPA ) in partnership with the Highland Park Progressive Association ( WCC ) . 0 +Here 's an example in Smalltalk of a rotten accessor method to return the value of a variable using typical initialization . Here is an example in Smalltalk of a typical access method to return the value of a variable using Lazy Initialization . 0 +The 9th Highland Brigade was connected from the 3rd Infantry Division to the 1st Infantry Division . The 3rd Highland Brigade was attached to the 1st Infantry Division from the 9th Infantry Division 0 +The tenth Baronet was Lord Lieutenant of Denbighshire , and the ninth Baronet served as Lord Lieutenant of Denbighshire and Clwyd . The ninth Baronet was Lord Lieutenant of Denbighshire , and the tenth Baronet served as Lord Lieutenant of Denbighshire and of Clwyd . 0 +He remains a somewhat enigmatic figure . It has been questioned whether he could be distinguished with Monulph , but the two saints are usually identical . He remains a somewhat puzzling figure : it has been questioned whether he could be distinguished from Monulph , but the two saints are usually identical . 1 +"The Royal Navy returned "" Foley "" to the U.S. Navy at Harwich , England , on 22 August 1945 ." "On August 22 , 1945 , the Royal Navy "" Foley returned to the U.S. Navy in Harwich , England ." 1 +The company moved cigar production from Cuba to Trenton in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . In 1932 , the company moved cigar production to Cuba following a strike at the Cuban factory in Trenton and to avoid high tariffs . 0 +The architectures implemented by intelligent agents are referred to as cognitive architectures . Architectures implemented by intelligent agents are referred to as cognitive architectures . 1 +The Belgian Congo was notoriously capitalistic when it was a profitable rubber plantation owned and operated by King Leopold II as a private enterprise . The Belgian Congo was notoriously profitable when it was a capitalist rubber plantation that King Leopold II owned and operated as a private enterprise . 0 +It was named for Jackfork Mountain in Oklahoma and Pushmataha Counties , Pittsburg . It is named after Jackfork Mountain in Pittsburg and Pushmataha counties , Oklahoma . 0 +Peter Tatchell stood as the candidate for the Labour Party , and Simon Hughes stood for the Liberal Party . As candidate for the Labour Party , Peter Tatchell stood for the Liberal Party Simon Hughes . 0 +""" Futurama "" was also revived in 2007 by Comedy Central for similar reasons : impressive viewership in syndication as well as high DVD sales ." "For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." 1 +The 1953 Labour Party deputy election took place on 29 October 1953 , after the current deputy leader Aneurin Bevan , was challenged by Herbert Morrison . The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . 0 +He has played at the festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . He performed at the festivals of Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . 0 +The river Cochirleanca is a tributary of the Slatina river in Romania . The Cochirleanca River is a tributary of the Slatina River in Romania . 1 +In other words , at this extremely high temperature , the binding energy of the photons would overcome the kinetic energy of the strong nuclear force . In other words , at this extremely high temperature , the photons ' binding energy would overwhelm the kinetic energy of the strong nuclear force . 1 +Like many aspects of Byzantine ivory , this reflects the Islamic traditions that Islam has inherited . Like many aspects of Islamic ivory this reflects the Byzantine traditions Islam inherited . 0 +"The spacecraft is the first application of Astrium "" Flexbus "" platform , GRACE was the second ." "The spacecraft is the second application of Astrium 's "" Flexbus "" platform ; GRACE was the first ." 0 +In 2004 , the FCC revealed the Parents Television Council as the primary source for most content complaints . In 2004 the FCC revealed the Parents Television Council as the primary source of most content complaints received . 1 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland 's success with Tipperary . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed also with Tipperary All - Ireland - success . 0 +They lived in Spokane , Washington after having lived in Los Angeles , California . They lived in Los Angeles , California , after they lived in Spokane , Washington . 0 +This is a list of the etymology of street names in Covent Garden district of London . This is a list of the etymology of road names in the Covent Garden district of London . 0 +It can also be seen that the angle of the outgoing electron with the direction of the incoming photon is specified by It is also to be seen that the angle of the outgoing electron with the direction of the photon incoming 1 +At the Hong Kong Chief Executive elections in 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . In the 2007 Hong Kong Chief Executive election , Alan Leong from the Civic Party successfully entered the race against the incumbent Donald Tsang . 0 +Many agencies of the central government are located in New Taipei City due to its proximity to the capital Taipei City . Many central government agencies are located in New Taipei City , because of the proximity to the capital , Taipei City . 1 +The river Valea Lungă is a tributary of the River Casimcea in Romania . The Casimcea River is a tributary of the River Valea Lungă in Romania . 0 +Thomas John ( born February 12 , 1979 ) is an American entrepreneur who founded the company Tom Patterson in 2008 . Tom Patterson ( born February 12 , 1979 ) is the American entrepreneur who founded Tommy John in 2008 . 0 +Qaasuitsup is an uninhabited island in the municipality of Upernivik Island in northwestern Greenland . Qaasuitsup is an uninhabited island in the Upernivik Island municipality in northwestern Greenland . 1 +Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) as child . Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) as a child . 0 +It was Seymour and Lowell Worley of the local office of Colombia who persuaded Kessler to have a Ray test record . It was Seymour and Lowell Worley of the local office of Columbia who persuaded Ray to have a test record made of Kessler . 0 +The Doba River is a tributary of the River Crişul Mic in Romania . The Crişul Mic river is a tributary of the River Doba in Romania . 0 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first Theakson 's pub , where the first Theakston 's beers were brewed ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed and sold ." 0 +While these two stations are situated relatively close to each other , the two stations are not interchangeable ; they are located along different parts of Pudian Road . While these two stations are relatively close to each other , the two stations are not interchangeable , they are situated along different parts of the Pudian Road . 1 +In 1975 , the then Eleri Morgan married Alan Rees . In 1975 , the then Alan Rees Eleri Morgan was married . 0 +After four years it moved to Conte Luigi Ferdinando Marsigli 's house , which had more space , and in 1705 moved again to the palazzo of Jacopo Sandri . After four years it moved to the house of Conte Luigi Ferdinando Marsigli , which had more space , and moved back to the Palazzo of Jacopo Sandri in 1705 . 1 +Copies of the Leach catapult , made locally by the Royal Engineers , were used in the Gallipoli Campaign . In the Gallipoli campaign , copies of the leach catapult were used , which was made by the Royal Engineers locally . 1 +"Coins were described using just three adjectives : "" good "" , "" fine "" , or "" uncirculated "" ." "Coins were described using only three adjectives : "" fine , "" good "" or "" uncirculated "" ." 1 +Currently it is the fifth tallest skyscraper in Perth after QV.1 , the BankWest Tower , City Square and Central Park . Currently it is the fifth highest skyscraper in Perth after QV.1 , the BankWest Tower , City Square and Central Park . 1 +"The exterior used for the Heffernan house that was shown in CBS sitcom "" The King of Queens "" is in Cliffside Park ." "The exterior used for the Heffernan house that was shown in the CBS - Sitcom "" king of Queens "" is in Cliffside Park ." 1 +First , because the treatment is affecting the brain , the side effects can be unique and sometimes severe . First , because the treatment influences the brain , the side effects can be severe and sometimes unique . 0 +The SSSI has an area of 190.3 hectares , while the SAC comprises 168.3 hectares . The SSSI covers an area of 190.3 hectares while the SAC has 168.3 hectares . 1 +In one of his works ( epic poem on Nikola Jurišić ) a subordinate theme was Skanderbeg . In one of his works ( epic poem on Skanderbeg ) , Nikola Jurišić was a subordinate topic . 0 +They speak a Creole called Baba Malay , which is a colloquial form of Malay , mixed with Hokkien words . They speak a creole termed Baba Malay which is a colloquial form of Malay mixed with Hokkien words . 1 +She worked on processes of chemical extraction of metal complexes and described the chemical and physical properties of solvent species in an organic solvent . It worked on solvent extraction processes of metal complexes and described the chemical and physical properties of chemical species in an organic solvent . 0 +In 1859 , the executive committee elected Livermore as a member of the American Unitarian Association . In 1859 , the American Unitarian Association elected Livermore as a member of the Executive Committee . 0 +Carmen Aub Romero ( born October 24 , 1989 in Mexico City , Mexico , D.F . ) is a Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico City , Mexico ) is an Mexican actress . 1 +Every report that was updated in February 2011 contains data for the completed school year . Each report , which was completed in February 2011 , contains data for the updated school year . 0 +When the RPP was divided and Thapa broke away and joined the Rastriya Janshakti Party , Yadav formed RJP . When the RPP was divided and Thapa dissolved and the Rastriya Janshakti Party joined , Yadav formed RJP . 1 +KOTC 36 : Albuquerque was an event at the Sky City Casino in Albuquerque , New Mexico , USA on May 15 , 2004 . KOTC 36 : Albuquerque , New Mexico , United States , an event was held on May 15 , 2004 at Sky City Casino in Albuquerque . 0 +Box Hill Senior Secondary College has no feeders - schools , new students are selected from all over Melbourne , but only welcomed after the interview . Box Hill Senior Secondary College has no feeder schools , new students are selected from all over Melbourne , but are only welcomed after interview . 1 +She married twice . The first time with Prince Antoni Lubomirski in 1749 , and the second time with Prince Kazimierz Poniatowski on 21 January 1751 . She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on January 21 , 1751 . 1 +The first integer formula 177 , for which the Formula 178 has the formula 179 rank , is the Formula 180 . The first integer formula _ 177 for which formula _ 178 has rank formula _ 179 is formula _ 180 . 1 +Taubensee played for three different ballclubs during his career : the Cleveland Indians , Cincinnati Reds ( - ) and Houston Astros ( - ) . Taubensee played for three different ball clubs : the Cleveland Indians , Houston Astros ( - ) and Cincinnati Reds ( - ) during his career . 1 +Wilhelmina is shocked and Christina does not believe . Christina is shocked and does not believe Wilhelmina . 0 +On 19 July 1973 she was sold and scrapped . On 19 July 1973 , she was scrapped and sold . 0 +Alton is located on the Missouri River above the mouth of the Mississippi . Alton is located on the Mississippi River above the mouth of the Missouri River . 0 +Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher who has been active on the Canadian dance scene since 1983 . Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher , who has been active in the contemporary dance scene since 1983 . 0 +The idea was supported by Jonas Basanavičius , Jonas Šliūpas and others and further crystallized . The idea was supported and further crystallized by Jonas Basanavičius , Jonas Šliūpas , and others . 1 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on January 17 , 1845 in Stuttgart ) . Nikolaus Friedrich von Thouret ( born Stuttgart , 2 June 1767 ; died Ludwigsburg , 17 January 1845 ) . 0 +When the band split from Virginia Beach in 2012 , we moved between Los Angeles and Texas . In 2012 , when the band separated from Virginia Beach , we moved between Los Angeles and Texas . 1 +The movie was directed by Robert Day and produced by Sy Weintraub and Harvey Hayutin . The film was directed by Robert Day and produced by Sy Weintraub and Harvey Hayutin . 1 +Andrée Island is an island in Recess Cove , Danco Coast , on the north coast of the Eurydice Peninsula , Charlotte Bay in the Antarctic Peninsula . Andrée Island is an island in Recess Cove , Charlotte Bay , off the north coast of the Eurydike Peninsula , Danco Coast on the Antarctic Peninsula . 0 +The university is in Sholinganallur about 15 kilometers from Adyar in Chennai . The university is located in Sholinganallur about 15 kilometers from Adyar in Chennai . 1 +The AIHL season 2008 is the ninth season of the Australian ice hockey league , the seventh in which the Goodall Cup will be awarded to the league master . The 2008 AIHL season is the ninth season of the Australian Ice Hockey League , the seventh in which the Goodall Cup will be awarded to the league champions . 1 +A barometer and a built-in scale are shown in this room . In this room are presented a barometer and a built-in scale . 1 +The Wine Museum of Torgiano ( Umbria , Italy ) is a specialized museum , private and completely dedicated to the culture of wine . The Wine Museum of Torgiano ( Umbria , Italy ) is a specialized museum dedicated to the private and complete culture of the wine . 1 +Howes married three times in his life : in 1923 with Lillian Pechin , with Catherine Tabor in 1932 and in 1937 with Mary Donovan Howard . Howes married three times in his life : to Lillian Pechin in 1923 , Catherine Tabor in 1932 , and Mary Donovan Howard in 1937 . 1 +It was released in 2000 and recorded by Satchmo Jazz Records . It was recorded in 2000 and was released by Satchmo Jazz Records . 0 +Ortacami is a village connected to the district Tirebolu of the province of Giresun . Ortacami is a village connected to the Tirebolu district of Giresun province . 1 +This manages the filter processing and creates the filter chain with the appropriate filters in the correct order and processing is started . This creates filter processing and manages the filter chain with the appropriate filters , in the correct order , and initiates processing . 0 +Melbourne has a healthy environment in comparison to Ballarat , but as a growing regional city there are issues such as pollution , waterway health and invasive species . Melbourne has a healthy environment in comparison to Ballarat ; however , as a growing regional city there are issues including pollution , waterway health and invasive species . 1 +This can be generalised by transposing the bi-anisotropic 6 × 6 - susceptibility tensor to full materials . This can be further generalized to full materials by transposing the bi-anisotropic 6 × 6 susceptibility tensor . 1 +Anteriorly , it rests on the white surface of the dorsal velum , and its anterior medullary substance is continuous with that of the velum . It rests on the white surface of the dorsal velum , and its former medullary substance is continuous with that of the velum . 1 +Callery is located in the southwestern corner of the Adams Township in northwest Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the northwestern corner of Adams Township in southwestern Butler County , at ( 40.739587 , -80.037211 ) . 0 +On June 14 , Jackson served in a duel on behalf of his junior officer William Carroll as the second against Jesse Benton , the brother of Thomas . On June 14 , Jackson served in a duel on behalf of his junior officer Jesse Benton as the second against William Carroll , the brother of Thomas . 0 +Another two goals helped Blyth eliminate Moor Green from the FA Trophy , and in the next round he won again North Ferriby United . Another two goals helped Blyth eliminate Moor Green from the FA Trophy , and he scored again against North Ferriby United in the next round . 1 +"The Gujarat and mumbai , maharashtra are a partly Hindu sanghar also called "" JAMOTAR "" Sanghar India ." "The Sanghar ( are a partially Hindu Sanghar also "" Jamotar "" Gujarat and Mumbai Maharashtra India called ." 0 +Simpson is now part of the municipality of Simpson and Ashland , which also includes Ashland and West Ashland . Simpson is also part of the civil parish of Simpson and Ashland , which now includes Ashland and West Ashland . 0 +Alison Kotylak ( born October 19 , 1992 in Edmonton , Alberta as Alison Teresa Thiessen ) is a Canadian curler . Alison Teresa Thiessen ( born October 19 , 1992 in Edmonton , Alberta as Alison Kotylak ) is a Canadian lock wrapper . 0 +The city of Phichit was founded by Phraya Kotabongthevaraja in 1058 and was first part of the Sukhothai Kingdom and later of Ayutthaya . The city of Ayutthaya was founded by Phraya Kotabongthevaraja in 1058 and was first part of the Sukhothai Kingdom and later of Phichit . 0 +He decides , then he looks bad at home . He decides , then at home does he looks bad . 1 +On 6 February 2014 , Spencer Machacek was traded by the penguins to the Columbus Blue Jackets in exchange for Thompson . On February 6 , 2014 , Thompson was traded by the Penguins to the Columbus Blue Jackets in exchange for Spencer Machacek . 0 +Moreover , many Angika speakers in the Persian Gulf , the United Kingdom , the United States , Canada , and other countries have emigrated . Moreover , many Angika speakers have emigrated to the Persian Gulf , the United States , Canada , the United Kingdom and other countries . 1 +The first vector locates the direction of the axis , and the second identifies its position . The first vector identifies the direction of the axis and the second vector determines its position . 0 +Moss Man is spoken by John Payne in the 1980s and by Lou Scheimer in the 2002 series . Moss Man is voiced by Lou Scheimer in the 1980s series and by John Payne in the 2002 series . 0 +In February 2014 , the opening ceremony for the monument for the victims of the Khojaly massacre was held in Uşak . In February 2014 , the opening ceremony for the monument to the victims of the Uşak massacre was held in Khojaly . 0 +He was a revolutionary hero that gave a new wave to the regional movement in Telangana . He was a revolutionary hero who gave a new wave to the regional movement in Telangana . 1 +Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Taiwan with the sequence of SCSV in Florida . Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Florida to the sequence of SCSV from Taiwan . 0 +The second stage was in Plymouth , the first time the Tour de France visited England . The second stage was in Plymouth , the first time that the Tour de France visited England . 1 +During or after his Parthian campaigns , Eucratides was attacked and defeated by Indian King Mithridates I , possibly in the alliance with partisans of the Euthydemides . During or after his Indian campaigns , Eucratides was attacked and defeated by the Parther King Mithridates I , possibly in alliance with partisans of the Euthydemids : 0 +She tries to resume her relationship with Michael just to discover that he has married Tracey Bregman ( Lauren Fenmore ) . She tries to resume her relationship with Michael , only to discover he has married Lauren Fenmore ( Tracey Bregman ) . 1 +The village of Mineral Hills and the town of Stambaugh were consolidated with the town of Iron River effective July 1 , 2000 . The village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills with effect from 1 July 2000 . 0 +Aditya is carried onto a tiny island where he helps the magical locals to defeat the giant Jhamunda . Aditya is carried to a magical island where he helps the little locals to defeat the giant Jhamunda . 0 +In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through Scotland to England . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to Scotland through England . 0 +In 1985 he won the Special Mention Kerala State Film Awards and secured the Filmfare Award for his role as Mammootty . Mammootty won the Special Mention in 1985 Kerala State Film Awards and secured Filmfare Award for his role as Ravi Varma . 0 +The library , consisting of the personal libraries of renowned turkologists , consists of more than 30 thousand books . The library formed out of the renowned libraries of personal turkologists consists of more than 30 thousand books . 0 +28.4 % were Italian , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English and 7.7 % of Polish ancestors . 28.4 % were of Polish , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English , and 7.7 % Italian ancestries . 0 +Grand Inquisitor ( 1699 - 1774 ) was a Spanish cleric who was Manuel Quintano Bonifaz from Spain from 1755 to 1774 . Grand Inquisitor ( 1699 -- 1774 ) was a Spanish cleric who was Manuel Quintano Bonifaz of Spain from 1755 to 1774 . 1 +Dye rode in Hong Kong after eight years in Mauritius . Dye rode after eight years in Hong Kong , Mauritius . 1 +In February 2014 , the opening ceremony for the monument to the victims of the Uşak massacre was held in Khojaly . In February 2014 , the opening ceremony for the monument to victims of the Uşak massacre was held in Khojaly . 1 +Cranoe is a small village and civil community in the district of Harborough Leicestershire , England . Cranoe is a civil village and small parish in the Harborough district of Leicestershire , England . 0 +Glenn Howard won the Ontario Championship for the 17th time as either third or skip . For the third time , Glenn Glenn Howard won the Ontario Championship either as 17th or as a skip . 0 +Thiago is the father of current players Mazinho by Inter Milan and Rafinha of Bayern Munich . Mazinho is the father of current players Thiago of Bayern Munich and Rafinha of Inter Milan . 0 +New boys and girls come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . Pretty boys and girls will come to the New Land School of Arts , and already well-known people will have to deal with complicated and funny situations . 0 +Emma married Robert Lee Kelley in 1893 . In 1893 , Emma Lee married Robert Kelley . 0 +Toni always works with interested colleagues , so that local communities can ask for their help for replacement of wire rope or other important repairs . Toni always works with interested colleagues so that local communities can ask for their help with wire rope replacement or other important repairs . 1 +Margaret Craske was born on 26 November 1892 in Norfolk , England , as the daughter of Edmund and Hannah Craske . Hannah Craske was born on November 26 , 1892 in Norfolk , England , daughter of Edmund and Margaret Craske . 0 +These canons were later approved by the Eastern Council in Trullo in 692 but rejected by Pope Constantine . These canons were approved later in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . 1 +The entire side-effect profile of artificial tears is , however , very low . However , the overall side-effect profile of artificial tears is very low . 1 +Nick Folland has appeared most for the county , playing in eighteen games , followed closely by Andrew Pugh , who made sixteen appearances . Nick Folland has appeared the most times for the county , playing in eighteen matches , closely followed by Andrew Pugh , who made sixteen appearances . 1 +After leaving the Happy Valley in Serbia , Božović returned to Hong Kong and joined the superlight - FK Voždovac in July 2014 . After leaving Happy Valley in Hong Kong , Božović returned to Serbia and joined Superlige-side FK Voždovac in July 2014 . 0 +"The name "" Macaire "" appears to have several claims to origin : it was a male name and is currently considered a male or female name ." "The name "" Macaire "" appears to have several claims to origin : it was a male or female name and is currently considered a male name ." 0 +Yvonne died in 1988 , and Pat died in 2007 . In 1988 , Yvonne Yvonne died and in 2007 died Pat . 1 +The season 2010-11 Rain or Shine Elasto painter was the fifth season of the franchise at the PBA ( Philippine Basketball Association ) . The 2010 -- 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +The Eastern Australian Football League is an Australian rule football competition in the eastern United States of America and a department of the United States Australian Football League . The Eastern Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the United States Australian Football League . 1 +Asha is the first Asian to win the said pageant , the first Indian and second Asian to win Miss Supranational is Mutya Datul from Philippines . Asha is the first Asian to win the captain , the first Indian and the second Asian to win Miss Supranational is Mutya Datul from the Philippines . 0 +Where codice 3 is a type qualifier , with the qualified type of codice 27 codice 28 and the unqualified type codice 29 . codice 3 is a type qualifier where the unqualified type of codice 27 codice 28 is and the qualified type codice 29 . 0 +Thillana Thillana is a 2003 Indian Malayalam film directed by T. Saji and produced by M. A. Nishad . Thillana Thillana is a 2003 Indian Malayalam film , produced by T. S. Saji and directed by M. A. Nishad . 0 +Later they moved to Whitefish Bay , Wisconsin , and then to New York City . They moved later to Whitefish Bay , Wisconsin , and then to New York City . 1 +Christine became hopeful that after her first interview with Gordon Stewart Northcott , her son Walter could still be alive . Christine Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . 0 +A game is impartial in combinatorial game theory if it is not biased . In combinatorial game theory , a game is partisan if it is not impartial . 0 +Briggs later met Ravi Shankar at the 1967 Monterey Pop Festival , where Briggs was also performing , with Eric Burdon and The Animals . Briggs met Briggs later at the Monterey Pop Festival in 1967 , where Ravi Shankar also appeared with Eric Burdon and the animals . 0 +Elk Township is located in the 2nd Congressional District and is part of New Jersey 's 3rd state legislative district . El Elk Township is located on the 2nd Congressional District and is part of the 3rd State Legislative District in New Jersey . 1 +Alton is located at the Mississippi River above the mouth of the Missouri River . Alton is located on the Missouri River above the mouth of the Mississippi . 0 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentinean physicist who has done most of his work in Argentina . Miguel Ángel Virasoro ( ; born 1940 in Italy ) is an Argentine physicist who has done most of his work in Argentina . 1 +In August 2017 , as a member of the Republican Party , Glassman announced an exploratory campaign for the Arizona Corporation Commission ’ s race of 2018 . In August 2017 , Glassman announced an exploratory campaign for the 2018 Republican Party race as a member of the Arizona Corporation Commission . 0 +This version was released on August 18 , 2016 in Europe and Australia and on January 5th , 2017 in North America . This version was released in Europe and Australia on August 18 , 2016 , and North America on January 5 , 2017 . 1 +In August 2017 , as a member of the Arizona Corporation Commission , Glassman announced an exploratory campaign for the 2018 race of the Republican Party . In August 2017 , Glassman announced an exploratory campaign for the 2018 Republican Party race as a member of the Arizona Corporation Commission . 1 +Tamil Nadu has the highest road accidents for a decade and its capital Chennai records more accidents than any other city in India . Tamil Nadu has been running the highest road accidents for a decade , and its capital , Chennai , has more accidents than any other city in India . 1 +Aanachandam is a 2006 Indian Malayalam - language film directed by Jayaram and Jayaraj . Aanachandam is a 2006 Indian Malayalam language film directed by Jayaraj and starring Jayaram . 0 +He thinks that Elbow is too accepting while he , himself , believes that the writer should prove himself first . He thinks that Elbow is too acceptable , while he believes himself that the writer should first prove himself . 1 +While prostitution in Canada is legal , most activities relating to prostitution are illegal . While prostitution in Canada is illegal , most activities relating to prostitution are legal . 0 +Hasegawa 's research also includes the Japanese history of the Russian Revolution of 1917 and Soviet -- political and social relations . Hasegawa 's research also includes the Japanese history of the Russian Revolution of 1917 and Soviet -- political and social relationships . 1 +"If "" A "" and "" B "" Banach are rooms , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B are algebraic spaces , the Banach - the tensor product of "" A "" and "" B "" means the tensor product of" 0 +The qualification rounds for the four previous World Cups were very confusing , with controversial rules and many withdrawals . The qualification rounds for the four previous World Cups were very confusing , with controversial rules and many shortfalls . 1 +Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrical Engineering from Harvard University . Evelyn L. Hu is Gordon McKay 's professor of applied physics and electrical engineering at Harvard University . 0 +"The cousin right is the "" incomplete "" form of the institution of the cousin marriage and preference without right the "" complete "" form ." "The cousin right is the "" complete "" form of the institution of cousin marriage and preference without right the "" incomplete "" form ." 0 +She departed Japan on 7 October and returned to Korea where she visited Sasebo and Yokosuka before heading back to the United States on 1 November . She left Japan on October 7 and returned to Korea , where she visited Sasebo and Yokosuka before she went back to the United States on November 1 . 1 +Coronets and supporters were also reserved for the nobility , but were formally used by a number of others without any protests from the public authorities . The Coronets and the supporters were formally reserved for the nobility , but were also used by a number of others without protests from the public authorities . 0 +The arena has hosted concerts by many famous artists , including Whitney Houston , André Rieu , TOTO , Trance Energy and Tina Turner , among others . The Arena has hosted concerts by many famous artists , including Whitney Houston , Tina Turner , TOTO , Trance Energy and André Rieu . 1 +"In 2011 , Dave took over from Sean Lock as the host of the John Sergeant comedy panel show , "" Argumental "" ." "In 2011 , Sean Lock took over from John Sergeant as the moderator of the Dave - Comedy - Show "" Argumental "" ." 0 +Early industries were built in Lycoming County to serve the farmers and citizens of East - Hughesville . Early industries were built in Hughesville to serve the farmers and citizens of the eastern Lycoming County . 0 +The season of the National Basketball Association from 1954 - 55 was the NBA 's ninth season . The NBA season from 1954 to 55 was the ninth season of the National Basketball Association . 1 +Previous editors include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet and Raymond Aron . Past editors include Raymond Aron , Georges Dumézil , François Jacob , Michel Foucault , Emmanuel Le Roy Ladurie , François Furet and Jacques Le Goff . 1 +Duncan Springs ( formerly , Duncan Mineral Springs ) is an unincorporated community in Mendocino County , California . Duncan Mineral Springs ( formerly Duncan Springs ) is an illegal community in Mendocino County , California . 0 +57.1 % of these were female and 42.9 % were male . Of these , 57.1 % were male and 42.9 % were female . 0 +The game was developed by Mattel and was licensed through Magmic . The game was developed by Magmic and licensed through Mattel . 0 +"Kauhola Point Lighthouse was located near Kapa ' , au , on the "" Big Island "" of Hawaii , near the northern tip of the island ." "Kapaau was located near Kauhola Point Lighthouse , on the "" Big Island "" of Hawaii , near the northern tip of the island ." 0 +Thompson was born in Hendon , North London , Dena Holmes in 1960 and worked for a building society bank . Dena Holmes was born in Hendon , North London in 1960 as Thompson and worked for a building society . 0 +""" The day on which violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." """ The day when the violence died "" is the seventh episode of "" The Simpsons "" eighteenth season ." 0 +The Gill family sold the mill in 1968 and was closed in 1980 by the new owners . The Gill family sold the mill in 1968 , and the new owners closed it in 1980 . 1 +"Sportswriter and fellow player Wallace put Jimmy Smith on his 1909 "" All American Team . """ Sportswriter and player Jimmy Smith put Wallace on his All American team in 1909 . 0 +The IAA became active in federal politics again when the Liberal Government published its White Paper policy in 1969 . The IAA became active again in liberal politics when the Federal Government published its White Paper policy in 1969 . 0 +"In Jin Yong 's "" Wuxia "" novel "" The legend of the Condor hero "" Guo Jing is the ancestor of the protagonist Guo Sheng ." "In Jin Yong 's "" wuxia "" novel "" The Legend of the Condor Heroes "" , Guo Sheng is the ancestor of the protagonist , Guo Jing ." 0 +Iaquinta faced Mitch Clarke at UFC 173 on May 24 , 2014 . Mitch Clarke opposed Iaquinta on 24 May 2014 at UFC 173 . 0 +Two experimental treatments for retinal problems include fetal retinal replacement and transplantation of cybernetic cells . Two experimental treatments for retinal problems include a fetal retinal replacement and transplant of cybernetic cells . 1 +"Tennessee coach Jones described Johnny Majors as "" one of the greatest leaders I ever had "" ." "Johnny Majors , Tennessee - Trainer , described Jones as "" one of the greatest leaders I had ever had "" ." 0 +He reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Jimmy White and 8 -- 9 against Steve Davis . Stephen Hendry reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Jimmy White and 8 -- 9 against Steve Davis respectively . 1 +There are five elementary schools , one high school and one high school . There are five elementary schools , one high school and one middle school . 0 +"In "" The Guardian "" in 2006 , Stanage argued in opposition to George Monbiot , who had written that the Iraqi insurgency was comparable to the IRA :" "In "" The Guardian "" in 2006 , George Monbiot argued in contrast to Stanage , who had written that the Iraqi insurgency is comparable to the IRA ." 0 +The professional Guinness record was shot by official Christopher Smith at the Chicago Speedgolf Classic at Jackson Park Golf Course on October 16 , 2005 . The professional Guinness record was recorded on October 16 , 2005 by the official Christopher Smith at the Chicago Speedgolf Classic at the Jackson Park Golf Course . 1 +Major Harold Berridge CIE OBE ( 1872 -- 17 June 1949 ) was a British civil engineer and mechanical engineer . CIE OBE ( 1872 -- June 17 , 1949 ) was a British mechanical engineer and civil engineer . 0 +Bishop Bennett made Father Thomas Heilman the students ' vicar . Bishop Bennett made Father Thomas Heilman a vicar of the students . 1 +He represented the country at UEFA Euro 1968 , as Yugoslavia lost to Italy in the final . He represented the country at UEFA Euro in 1968 , when Yugoslavia lost in the final to Italy . 1 +Hamilton returned to Dublin in 1791 , where he died , and in 1796 he painted Lord Edward Fitzgerald , the Irish revolutionary . In 1791 , Edward Fitzgerald returned to Dublin , where he died , and in 1796 he painted the Irish revolutionary Lord Hamilton . 0 +Dominika Cibulková won the title and defeated Agnieszka Radwańska in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . Agnieszka Radwańska won the title , defeating Dominika Cibulková in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . 0 +Battery was renamed the 5th Battalion , 78th Artillery was assigned to 194th Armored Brigade , later inactivated on May 18 , 1970 . E Battery was assigned as the 194th Battalion , 78th Artillery was re-designated to 5th Armored Brigade , later inactivated on 18 May 1970 . 0 +He started his career for a year in Paris until he returned to Switzerland from 1971 to 1979 to work in gravure . He started his career in Switzerland for a year until he returned to Paris from 1971 to 1979 to work in gravure . 0 +Followed his guru and came to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he moved to Gubbi . He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then came to Gubbi . 0 +It is a very blunt tubercle in the middle , has a slight relapse and has a very little fury behind it . It is a very blunt tubercle in the middle , has a slight reverted and has a very little furrow behind it . 0 +Damerham once was in Wiltshire , but was moved to Hampshire in 1895 . Damerham once was in Hampshire , but was moved to Wiltshire in 1895 . 0 +Both Mark Warner in 2001 and John Kerry in 2004 Loudoun and Prince William lost counties . Both John Kerry in 2001 and Mark Warner in 2004 lost Loudoun and Prince William counties . 0 +Most of the elephants found in Sumatran camps were captured in protected areas after the harvest . Most of the elephants found in Sumatran camps were captured after crop-raiding in protected areas . 1 +Its base or free edge contains between its layers the round ligament and the paraumbilical veins . Its base or the free edge contains the round band and the paraumbilical veins between its layers . 1 +However , mice survived with a non-working copy of the individual TWIST - Gene . However , mice with a single copy of the non-working TWIST - Gens survived . 0 +For a number of reasons , some recombinant colonies can not contain the desired white plasmid . Some white colonies can not contain the desired recombinant plasmid for a number of reasons . 0 +At Tarcoola there is a triangular junction which links Crystal Brook , Darwin and Perth . There is a triangular junction at Crystal Brook which joins Perth , Darwin and Tarcoola . 0 +2011 Statue of Ma.Po.Si unveiled in Tyagaraya Nagar ( T. Nagar , Chennai ) Statue of Ma.Po.Si in 2011 in Tyagaraya Nagar ( T. Nagar , Chennai ) 1 +It is the third highest village in Europe , after Trepalle in Switzerland and Juf in Italy . After trepales in Switzerland and Juf in Italy it is the third highest village in Europe . 1 +A highlight of the simplex family was the model 60 hp . The highlight of the simplex family was the 60 hp model . 1 +He has a son ( born 2000 ) from a former relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . He has a son ( vintage 2000 ) from a previous relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . 0 +In the final Alexandre defeated Sidorenko Nick Lindahl ( 6 : 3 , 7 : 6 ) . Alexandre Sidorenko defeated Nick Lindahl ( 6 -- 3 , 7 -- 6 ) in the final . 0 +It also has pale scales with a dark underside with black spots . It also has black scales with a pale underside with dark stains . 0 +Adair County comprises the Kirksville , MO Micropolitan Statistical Area . Micropolitan Statistical Area Kirksville , MO comprises Adair County . 0 +His sound aesthetics usually are described as aggressive and powerful , yet transparent . His sound aesthetics are mostly described as aggressive and powerful , yet transparent . 1 +Domenico Tibaldi was born in Bologna and trained in the workshop of the architect Agostino Carracci . Agostino Carracci was born in Bologna and trained in the workshop of architect Domenico Tibaldi . 0 +According to the 1885 Dictionary of National Biography , Leland is assigned by Ralph Acton and his followers to the first half of the fourteenth century . According to the dictionary of the National Biography of 1885 , Ralph Acton is assigned to the first half of the fourteenth century by Leland and his supporters . 0 +Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) were among the musicians of the recording session on 7 March . The musicians of the recording session on 7 March included Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . 0 +The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Tanahashi victorious . The rivalry between Tanahashi and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Devitt was victorious . 0 +Through their father , Prince Philip and her sisters were first cousins of Elizabeth , Duke of Edinburgh . Through her father , Elizabeth and her sisters , the first cousins of Prince Philip , Duke of Edinburgh , were . 0 +Eastside is a former settlement located in Imperial County , California , north of Holtville . Eastside is a former settlement located in Holtville , north of Imperial County , California . 0 +"The March 2000 issue had a French issue , and in 2002 a "" limited edition appeared ." "The March 2000 issue had a limited edition , and in 2002 a hardcover edition "" French "" was published ." 0 +"Victoria S. Bull ( "" Victor "" ) was introduced in 2001 as Vicki 's sister , but has been unseen for many years ." "Victoria S. Bull ( "" Victor "" ) was introduced as Vicki 's sister in 2001 , but has not been seen for many years ." 1 +Ryan Sweeting won against Evans in the final 6 -- 4 , 6 - 3 . Evans won in the final 6 -- 4 , 6 -- 3 , against Ryan Sweeting . 0 +In 1968 , Charles Manson learned about the Myers Ranch from Catherine Gillies , the granddaughter of Barbara Myers . In 1968 , Catherine Gillies , granddaughter of Charles Manson , Barbara Myers learned about Myers Ranch . 0 +The planned electrification of the route Manchester to Blackpool Nord was announced in December 2009 . The planned electrification of the Blackpool Nort route to Manchester was announced in December 2009 . 0 +In 2005 , Christian Dahl sold the Flash Engineering Team to Nilsson and was renamed to Polestar Racing . In 2005 , Nilsson sold the Flash Engineering team to Christian Dahl , and it was renamed Polestar Racing . 0 +Con and Bonar Colleano had no children , Con was the uncle of American actor Jack Stehlin and the American - uncle of the great actor Winnie . Con and Bonar Colleano had no children ; Con was the uncle of American actor Jack Stehlin and the American-uncle of great actor Winnie . 1 +He was the father of historian Peyton C. March and General Francis Andrew March who was chief of staff of the United States Army during the First World War . He was the father of historian Peyton C. March and General Francis Andrew March , the chief of staff of the United States Army during World War I . 1 +The 48th Helicopter Squadron was formed at Niš airport in May 1968 as part of 119th Transport Helicopter Regiment . The 119th squadron of helicopters was formed in May 1968 as part of the 48th transport helicopter regiment at Niš Airport . 0 +Later , both Nicole and Russ refused to attend Sam 's funeral . Sam and Russ later refused to attend Nicole 's funeral . 0 +After completing his first university education at Cardiff University and in Rouen , France , he was established in Harrogate , North Yorkshire , from 1996 to 1999 . After completing his university education at Cardiff University and in Harrogate , North Yorkshire , he worked in Rouen , France from 1996 to 1999 . 0 +Formerly licensed to North Myrtle Beach , the station was owned by City of North Myrtle Beach , South Carolina , USA . The station was formerly licensed by North Myrtle Beach and belonged to the city of North Myrtle Beach , South Carolina , USA . 1 +Due to the unusual microclimate and presence of abundant serpentine there are an unusual number of rare plants in the upper catchment basin . Due to the unusual microclimate and the presence of abundant serpentine , there are an unusual number of rare plants in the upper area . 1 +The series was penciled by Jim Starlin and written by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . This series was written by Jim Starlin and Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 1 +Kabir Suman adopted a number of albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . Kabir Suman , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Suman Chatterjee . 1 +Jane manages to survive and Michael finally loses her virginity . Jane manages to survive and Michael loses her virginity . 1 +During the campaign of 1943-1945 , there were more than 10,000 marriages between American girls and Italian soldiers . During the 1943-1945 campaign , there were more than 10,000 marriages between American girls and Italian soldiers . 1 +The beach was defended by two battalions of the German 716th Infantry Division , with elements of the 21st Panzer Division held in reserve near Caen . The beach was defended by two battalions of the 21st Infantry Division , with elements of the German 716th tank division being held near Caen in the reserve . 0 +Dariyan Rodin Younessi has a child , a son called Younessi , who started his racing career with Karting at the age of four . Dariyan Rodin Younessi has one child , a son named Younessi , who started his racing career at the age of four with Karting . 1 +Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on August 31 , 2015 . Parmele was signed by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was released by the team . 0 +Born in Atlanta , Georgia , the son of Gina Ann ( nee Carlton ) and William Riggs , he has a younger brother , Grayson . Riggs was born in Atlanta , Georgia , the son of William Riggs ( née Carlton ) and Gina Ann . He has a younger brother , Grayson . 0 +This is lower than most opera basses care to sound , and they tend to venture as if they were in the cellar when they get there . This is lower than most opera basses to sound , and tend to venture as if they were in the cellar when they arrive there . 1 +He joined the Janata Dal ( United ) and left Bharatiya Janata Party in February 2008 . He left the Janata Dal ( United ) and entered the Bharatiya Janata Party in February of 2008 . 0 +Mir Jafar , Commander of Alivardi , freed Syed Ahmed and his family . Alivardi 's commander Mir Jafar freed Syed Ahmed and his family . 1 +On 26 March 2012 , it was first successfully concluded by a 12-year-old American , Tom Schaar . It was successfully completed first by a 12-year-old American , Tom Schaar , on March 26 , 2012 . 1 +He was also appointed Fellow of the Royal Society in 1749 and was elected the Fellow of the Royal College of Physicians in London in 1754 . He was also elected the Fellow of the Royal Society in 1749 and was appointed Fellow of the Royal College of Physicians in London in 1754 . 0 +Sir Martin ( or Roger Martyn ) was Mercer and Lord Mayor of London in 1567 , and in 1559 also Sheriff of London . Sir Roger Martyn ( or Martin ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . 1 +A number of conditions can be put on a market , sometimes to model hypothetical markets and sometimes to highlight certain types of actual market behavior . A number of conditions can be imposed on a market , sometimes to model actual markets and sometimes to emphasize certain types of hypothetical market behavior . 0 +In March , they begin to feed themselves on fresh plant vegetation , and these green greens form 90-99 % of their stomach composition from April to September . In March , they begin to feed on fresh plant vegetation , and these green greens form 90-99 % of their stomach composition from April to September . 1 +The current church , built in June 1885 by the bishop of St. Alban , is not the first to be consecrated in East Hanningfield . The current church , dedicated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . 0 +Scurria plana is a species of sea snail , a true limpet , a true gastropod mollusc in the family Lottiidae , one of the families of marine limpets . Scurria plana is a species of sea snail , a true limpet , a true gastropod mollusc in the Lottiidae family , one of the families of the marine limpets . 1 +Augustus subsequently appears as commander of the armies stationed in Pannonia when a mutiny broke out after the death of Blaesus in the year 14 . Later Augustus appears as the commander of the armies stationed in Pannonia , after the death of Blaesus ' ; in 14 a mutiny broke out . 1 +He was born in Kristiansand , Norway , but came to Bukan , Iran in 1997 . He was born in Bukan , Iran , but came to Kristiansand in 1997 , Norway . 0 +Charlotte Popescu married Julian Popescu in 1956 and had four children , including Christine , who also wrote children 's pony books . In 1956 , Charlotte Popescu married Julian Popescu and had four children , including Christine , who also wrote children 's ponybooks . 1 +The Soviet cosmonaut was Yuri Gagarin 's first air force pilot , also the first man in space . The Soviet cosmonaut was first Air Force pilot Yuri Gagarin , also the first person in space . 1 +Isaacs was born in Panama in 1915 into a Panamanian father and a Jamaican mother . Isaacs was born in 1915 in Panama to a Jamaican father and a Panamanian mother . 0 +He also received musical education from friends of Buitrago , including Venezuelan pianist Pablo Desverine and the Cuban pianist and composer Teresa Carreño . He also received music lessons from friends of Buitrago , including the Cuban pianist Pablo Desverine and Venezuelan pianist and composer Teresa Carreño . 0 +The season 1912 -- 13 was the 21st season of Manchester United in the Football League and the sixth in the First Division . The 1912 -- 13 season was Manchester United 's 21st season in the Football League and sixth in the First Division . 1 +In later parts of the book , characters compare their desperate situation with that of relevant characters of the semi-mythical legend , with the Scandinavian poetry being quoted occasionally . In later parts of the book , characters compare their desperate situation to that of semi-mythical characters of Scandinavian legend , with the relevant poetry occasionally quoted . 0 +The zone serves eastern and central Madhya Pradesh , southern Uttar Pradesh and the northeastern Rajasthan State . The zone serves eastern & central Madhya Pradesh , southern Uttar Pradesh , and northeastern Rajasthan state . 1 +( EL - Successor Conrail sold the old main route , Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway in 1982 . ) ( EL - Successor Conrail sold the old New York main route through Utica , Chenango , and Susquehanna Valley in 1982 to Cassville , Susquehanna , and Western Railway . ) 0 +Andre Agassi defeated Jimmy Arias 6 -- 2 , 6 -- 2 Defeated Jimmy Arias with Andre Andre Agassi 6 -- 2 , 6 -- 2 1 +The Ojhas are spiritual guides , teachers and members of the highest ritual rank in the varna system of Hinduism as brahmans . As Brahmins , the Ojhas are spiritual leaders , teachers , and members of the highest ritual rank in the varna system of Hinduism . 1 +He was followed in office by Larry Kearney from 1995 -- 2003 , Jenny McGhee Edwards from 2003 -- 2007 and Elic Senter from 2007 -- 2015 . He was followed by Larry Kearney in 2003 -- 2007 by Jenny McGhee Edwards and from 2007 -- 2015 by Elic Senter in office from 1995 - 2003 . 0 +One of the greatest landowners in Saint Mary at the turn of the 20th century was Chris Blackwell , the mother of Blackwell . One of the largest landowners in Saint Mary at the turn of the 20th Century was Blanche Blackwell , mother of Chris Blackwell . 0 +Here is Formula 2 , the dependent variance , a time-instinct CIR process : Here formula _ 2 , the instantaneous variance , is a time-dependent CIR process : 0 +The manuscript was bought by Edward Everett from America to Constantinople in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought in 1819 by Edward Everett from Constantinople to America , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +At IBM he held various posts before joining Wang Laboratories in 1981 . He held various positions at IBM before joining Wang Laboratories in 1981 . 1 +The Bristly Peaks include the Brodie Peak and the Messent Peak . Bristly Peaks include the Messent Peak and the Brodie Peak . 1 +The two unpopular cantons , however , had immediate financial problems and were forced to introduce a series of new taxes and laws . However , the two unpopular Cantons had immediate financial problems and were forced to institute a number of new taxes and laws . 1 +His second wife was Anna Williams , the sister of his first wife . His first wife was Anna Williams , sister of his second wife . 0 +The 1999 standard of the C programming language supports the FMA operation through the standard mathematics library codice 1 and standard - Pragmas - control optimizations based on FMA . The 1999 standard of the C programming language supports the FMA operation through the codice _ 1 standard math library function , and standard pragmas controlling optimizations based on FMA . 1 +They can be used not only in attributive role ( as in the above examples ) , but also in predicative role : They can be used not only in the predicative role ( as in the above examples ) , but also in the attributive role : 0 +Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrical Engineering from Harvard University . Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrical Engineering at Harvard University . 1 +The North Grant district was one of the first Victorian districts of the original Legislative Assembly , 1856 . The district of North Grant was one of the first Victorian districts of the initial Legislative Assembly , 1856 . 1 +In reality , Nardi was not present when Danny Greene was murdered . In reality , Danny Greene was not present when Nardi was assassinated . 0 +He was trained in Dresden , later until 1865 in Leipzig , and after a short stay in Weimar went to New York with Franz Liszt in 1869 . He was educated in Dresden , and later in Leipzig until 1865 , and after a short residence in Weimar with Franz Liszt went to New York in 1869 . 1 +The first oil source in Oklahoma was drilled in 1885 in the Atoka County , Choctaw Nation , Indian territory , even though it was not completed until 1888 . The First Oil Well in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian Territory , though it was not completed until 1888 . 1 +Burroughs was a native of Mathews County , Virginia , and spent most of his career at the Gosport Yard ( known as Norfolk Naval Shipyard after 1862 ) . Burroughs was a native of Mathews County , Virginia , and spent most of his career on the Gosport Yard ( known as Norfolk Naval Shipyard after 1862 ) . 1 +In the circulated materials such as the Red Bus Airplay calculation , Gold Label Entertainment is still referred to as EMI . In the circulated materials such as the Red Bus Airplay Calculation , Gold Label Entertainment is still referred as EMI . 1 +Among women , the favourites were Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . Of the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . 1 +The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Germany , Belgium , and Vichy , France in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Vichy - France , Belgium , and Germany in 1945 . 1 +Ackman bought credit default swaps against MBIA Corporate Debt and sold the swaps for a large profit during the financial crisis in 2008 . Ackman bought credit default swaps against MBIA corporate debt and sold the swaps for a large profit during the financial crisis of 2008 . 1 +Although this de facto standard is sometimes known as ReplayGain , it was originally known as a replay gain and is now formally abbreviated as RG . Although this de facto standard is now officially known as ReplayGain , it was originally called replay gain , and is sometimes abbreviated as RG . 0 +Kunkuri is the hottest region in Nichghat in the summer and Pandrapat is the coldest region in Upper Ghat in winter . Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper Ghat in the winter . 1 +Frank Malina died in Paris in 1981 , near Boulogne Billancourt , France . Frank Malina died in 1981 in Paris , near Boulogne Billancourt , France . 1 +The characteristic function provides an alternative way for describing a random variable . The characteristic function provides an alternative way of describing a random variable . 1 +From 1908 to 1912 , Spencer studied at the Slade School of Fine Art in London , under Henry Tonks and others . From 1908 to 1912 , Henry Tonks studied under Spencer and others at the Slade School of Fine Art in London . 0 +"Within the UGent network , a range of digital resources are available as part of an "" electronic library "" ." "A range of electronic resources are available within the UGent network as part of a "" digital library . """ 0 +Count Johann II was executed or banned for two years , Rapperswil and its castle were destroyed by the Zurich troops and arrested of Brun 's opponents . Count Johann II was executed or banned for two years , Rapperswil and its castle were destroyed by the Zürich troops , and Brun 's opponents arrested . 1 +In 1988 , the Suncoast Motion Picture Company changed its name to Paramount Pictures . In 1988 , the Suncoast Motion Picture Company stores changed its name to Paramount Pictures . 1 +"In 2007 , security director Wilkos left "" Jerry Springer "" to host his own syndicated talk show ." "In 2007 , security representative Jerry Springer left Wilkos "" to host his own syndicated talk show ." 0 +In 1962 , further restoration was carried out for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker . Further restoration was carried out in 1962 for William Cardinal Godfrey who had earlier appointed the poet and mystic John Bradburne to be caretaker . 0 +As a political movement , national Bolshevism ( Nazbol ) brings together elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . As a political movement , the national Bolshevism ( Nazbol ) combines elements of radical nationalism ( particularly Russian nationalism ) and Bolshevism . 0 +Here 's an example in Smalltalk of a rotten accessor method to return the value of a variable using typical initialization . Here is an example in Smalltalk , of a lazy accessor method to return the value of a variable using typical initialization . 1 +Robert Biddulph served as Member of Parliament for Hereford between 1832 and 1837 and also sat as a Justice of the Peace and Deputy Lieutenant of Herefordshire . Robert Biddulph sat for Hereford as a member of the parliament between 1832 and 1837 and served as the judiciary of the peace and deputy lieutenant of Herefordshire . 0 +Olympias is a reconstruction of an experimental trireme and an important example of ancient Athenian archaeology . Olympias is a reconstruction of an old Athenian trireme and an important example of experimental archaeology . 0 +Taylor grew up in Torquay just outside the coastal town of Mount Duneed in Victoria . Grown up in Mount Duneed , just outside the coastal town of Torquay in Victoria , Taylor grew up . 0 +The city of Oklahoma City has designated Santa Fe station as the location for intermodal transit for the city and the conurbation . The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit for the city and the conurbation area . 0 +Matija Skurjeni ( 1898 -- 1990 ) was a naïve painter who was associated with the Croatian art movement . Matija Skurjeni ( 1898 -- 1990 ) was a naïve painter associated with the Croatian art movement . 1 +Nearby locations include Jacobson , Swan River , Libby and Palisade , Ball Bluff is 10 miles north of Swan River and 26 miles south of McGregor . Nearby places include Jacobson , Swan River , Libby , and Palisade . Ball Bluff is 10 miles north of Swan River , and 26 miles south of McGregor . 1 +Typically external Voucher Management Systems are used with Intelligent Network based prepaid systems . Typically , external voucher management systems with prepaid systems based on an intelligent network are used . 1 +In 2011 , the H. W. Wilson Company took over EBSCO Publishing . In 2011 , EBSCO Publishing H. W. Wilson Company took over . 0 +Specifically , p63 is expressed within the early keratinocytes and embryonic ectodermal ridge during development . Specifically , p63 is expressed within early keratinocytes and the embryonic ectodermal ridge during development . 1 +The reservoirs that form the chain are , from northwest to southeast : Little Swinburne Reservoir → Hallington Reservoirs → Catcleugh Reservoir → Colt Crag Reservoir → Whittle Dene . The reservoirs that form the chain are from northwest to southeast : Little Swinburne Reservoir → Hallington Reservoir → Catcleugh Reservoir → Colt Crag reservoir → Whittle Dene . 1 +The original flag , however , had a green instead of brownish color . However , the original flag had a green colour instead of brownish . 1 +"He was asked for his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." "He was asked his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." 0 +Hidalgo , born in Badajoz , performed for Seville and Celta de Vigo . Hidalgo , who was born in Seville , played for Badajoz and Celta de Vigo . 0 +As playing fields nearer the school were developed , Fender Field was later sold . When playing fields were sold nearer the school , Fender Field was later developed . 0 +He studied philosophy in Graz and in Vienna and Padua Medicine . He studied philosophy in Graz and medicine in Vienna and Padua . 1 +The pottery is currently run by Thomas Arthur Jenkins , son of Alun Jenkins . The pottery is currently being run by Thomas Arthur Jenkins , son of Alun Jenkins . 1 +On April 30 , 1950 , the Las Vegas Air Force Base in Nevada was renamed Nellis Air Force Base in his honor . On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base to his honor . 0 +He devoted the work to his friend , the violinist Fritz Kreisler , and wrote to another friend , the composer Nikolai Medtner , on December 21 , 1931 : Rachmaninoff dedicated the work to his friend the violinist Fritz Kreisler . He wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : 1 +Leptonotis perplexus is a kind of small limpet-like sea snail , a marine gastropod mollusk in the Hipponicidae family , the hoof snails . Leptonotis perplexus is a species of small limpet-like sea snail , a marine gastropod mollusk in the family Hipponicidae , the hoof snails . 1 +Petina Gappah was born in Copperbelt Province , in Zambia . Petina Gappah was born in Zambia , Copperbelt province . 1 +Belvelly is situated at the shortest crossing point between the Carrigtwohill and the neighbouring Fota Island , which is in turn connected to the mainland near Great Island . Belvelly is located at the shortest intersection between the Carrigtwohill and the neighbouring Fota Island , which in turn is connected to the mainland near Great Island . 1 +The 8 Talukas in this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . The 8 talukas of this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +Katie Stainsby was paired with Vanilla Ice in series 6 and Gary Lucy in series 9 . Of the British version of Dancing on Ice Gary Lucy was paired with Vanilla Ice in series 6 and Katie Stainsby in the series 9 of the British version of Dancing on Ice . 0 +The journey begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . The journey starts from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back again . 1 +Nancy returns home and thanks her mother for trying to protect her , but Freddy is appearing behind Gwen in a mirror . Nancy returns home and thanks her mother for trying to protect her , but Gwen appears behind Freddy in a mirror . 0 +It has effectively been drunk in the brewer 's house , which then becomes a pub until all the beer is sold . It is sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . 0 +Fancher also says that the theory of CBT is inconsistent with basic principles and research of rationality , and even ignores many rules of logic . Fancher also says that the theory of CBT is incompatible with basic principles and rationality research , and even ignores many rules of logic . 1 +"While there , Matisic met Anna Wallner and created "" The Shopping Bags "" concept ." "Matisic met Anna Wallner there and created the concept "" The Shopping Bags "" ." 1 +As an activity , techne is concrete , variable , and context-dependent . Techne as an activity is concrete , variable and context-dependent . 1 +However , it was a legal ceremony and not a spiritual one . However , it was a spiritual ceremony and not a legal one . 0 +Hastings Ndlovu was buried with Hector Pieterson at Avalon Cemetery in Johannesburg . Hastings Ndlovu was buried with Hector Pieterson at the Avalon cemetery in Johannesburg . 1 +The change was still in the air in 1969 and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . In 1969 change was still in the air and T. and R. Smith 's was taken over by J. N. Nichols ( Vimto ) of Manchester . 1 +Every level , from the individual and local , to the national and global , has its own , essential function in a globalised world . Every level , from the national and global levels to the individual and local levels , has its own essential function in a globalised world . 0 +From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Cancer Foundation , and CEO of Huntsman Family Holdings Company . 1 +And the judicial patriarchs dominated family law because , within these institutional and intra-racist rivalries , judges succeeded in protecting their power over the law that dominated the hearth . "And that , "" Judicial patriarchs dominated family law because within these institutional and intraclass rivalries judges succeeded in protecting their power over the law governing the hearth ." 1 +Christy Nockels was born in Fort Worth , Texas to a pastor and a piano teacher but grew up in Oklahoma . Christy Nockels was born in Oklahoma as a pastor and piano teacher , but grew up in Fort Worth , Texas . 0 +Ulpio Minucci ( June 29 , 1917 - March 9 , 2007 ) was an Italian-born American composer and musician . Ulpio Minucci ( 29 June 1917 - 9 March 2007 ) was an American - Italian composer and musician . 0 +Additional land was transferred by Medford ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) to Malden again . Additional land was transferred to Medford from Malden ( 1817 ) , Everett ( 1875 ) , and Malden ( 1877 ) again . 0 +Carlos Robacio , BIM5 commander , was awarded the Argentine Nation to the Valour in Combat Medal and the battalion itself was decorated by the Argentine Congress in 2002 Carlos Robacio , BIM5 commander , was awarded to the Argentine nation by the Valour in Combat Medal , and the Bataillon itself was awarded the Argentine Congress in 2002 . 1 +The Padres left Petco Park for Qualcomm Stadium for the 2004 baseball season . For the baseball season 2004 the padres left the Qualcomm stadium for the Petco Park . 0 +He had a good lead on Russell Prince , who was considered the stronger mountain runner , and Saggers needed a lead of 2 min 29 sec . He needed a good advantage on Russell Prince , who was considered the stronger mountain runner , and Saggers had a lead of 2 min 29 sec . 0 +Chongming is Chongming 's only county and lies north of the Shanghai Peninsula on three inhabited islands in the Yangtze estuary : Shanghai , Changxing , and Hengsha . Chongming is the only county in Chongming north of the Shanghai Peninsula on three inhabited Yangtze islands - Shanghai , Changxing , and Hengsha . 1 +Alicia , together with Alberto Cortina , has three sons : Alberto Cortina together with Alicia has three sons . 0 +The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell and future world record label John Anderson of Washington in 1928 . The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell in 1928 and future world record player Paul Jessup of Washington . 0 +The closest community to the Tinajas Altas Mountains is Fortuna Foothills in the east of the Yuma Valley adjacent to the Gila Mountains . The municipality closest to the Gila mountains is the Tinajas - Altas Mountains in the east of the Yuma valley , next to Fortuna - Foothills . 0 +The mountain was named after the geologist Charles Gould , a follower of Charles Darwin in 1863 by Charles Lyell . The mountain was named in 1863 by Charles Gould after the geologist Charles Lyell , a follower of Charles Darwin . 0 +The social consequences of criminal conviction are not the same as the consequences of conviction . The collateral consequences of criminal conviction are not the same as the social consequences of conviction . 0 +He also sang with success at La Fenice in Venice , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Naples . He sang with success also in La Fenice in Venice , at the Maggio Musicale Fiorentino in Florence and in the Teatro San Carlo in Naples . 1 +The definition can be extended as follows to any ( standard or non-standard ) points : the definition can be extended to arbitrary ( standard or non-standard ) points as follows : 1 +She was in Tokyo in November 2012 , and in October she was in Cairo to write at the film festivals , interact with programmers and visit studios . In November 2012 she was in Tokyo , and in October she was in Cairo , to write on the film festivals , interact with programmers and visit studios . 1 +He was part of the Swedish team that won the silver medal in the gymnastics of the men , Danish system event . He was part of the Danish team that won the silver medal in the gymnastics men 's team , Swedish system event . 0 +Emma 's brother William and her two sisters Jemima Thomasina and Sarah belonged to the Weeden family . The Weeden family included Sarah 's brother William , and her two sisters Jemima Thomasina and Emma . 0 +Minolops is a genus of sea snails , marine gastropod mollusks in the family Solariellidae within the superfamily Trochoidea , the top snails , turban snails and their allies . Minolops is a genus of sea snails , marine snails molluscs in the family Solariellidae within the superfamily Trochoidea , the top - snails , turban screws and their allies . 1 +Thereafter , a simple black gown was used for formal occasions , while the long black dress could be used for everything else . Afterwards , a simple black dress was used for formal occasions , while the long black dress could be used for everything else . 1 +Evan Lloyd of Dolobran , son , who married Gwenhafar lloyd , daughter of Meredith Lloyd of Meivod . Evan Lloyd of Dolobran , son of Gwenhafar Lloyd , married the daughter of Meredith Lloyd of Meivod . 0 +In 2002 , Richard Branson opened with Sir Elissa Kuwait 's Virgin Megastore . In 2002 Elissa inaugurated Kuwait 's Virgin Megastore with Sir Richard Branson . 0 +Kenneth Royce Gandley ( 1920 -- 1997 ) was an English thriller writer who also wrote under the name Ken Royce and the pseudonym Oliver Jacks . Ken Royce ( 1920 -- 1997 ) was an English thriller writer who also wrote under the name of Kenneth Royce Gandley and the pseudonym Oliver Jacks . 0 +The NBA season between 1979 and 80 was the 34th season of the National Basketball Association . The 1979 -- 80 NBA season was the 34th season of the National Basketball Association . 1 +The flight schedules were published in the South China Morning Post , in the Standard and in other Hong Kong daily newspapers , including in Chinese newspapers . Schedules were published in the South China Morning Post , The Standard and in Chinese Hong Kong newspapers , including other daily newspapers . 0 +In general , Ireland , with the exception of most of Northern Europe , came under the influence of Protestantism . Northern Europe , with the exception of most of Ireland , generally came under the influence of Protestantism . 0 +"Marianne is found guilty of fire in the Hotel "" Ter Smissen "" and the dead Freddys ." "Freddy is found guilty of fire at Hotel "" Ter Smissen "" and the dead of Marianne ." 0 +The Pike County School System consists of 25 high schools , middle and elementary schools . The Pike County school system consists of 25 elementary , middle and secondary schools . 1 +"The album was recorded live with electric instruments , instead of the acoustic instruments used on the previous album , "" Hot Tuna "" ." "The album was recorded live with acoustic instruments instead of the electric instruments used on the predecessor album "" Hot Tuna "" ." 0 +Albion Township was founded in 1837 by a division of Homer Township . Homer Township was established by a division of Albion Township in 1837 . 0 +Mirambeau is located on Via Turonensis , the ancient pilgrimage route from Paris to Santiago de Compostela via Tours . Mirambeau is situated on the Via Turonensis , the ancient pilgrimage route from Paris to Santiago de Compostela via Tours . 1 +When he was replaced by Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . In 1981 , when he succeeded Karlheinz Kaske , Plettner became the first Chairman of the Supervisory Board who was not a member of the Siemens family . 0 +Castlebrae Community High School is a secondary school in the Greendykes area of Edinburgh . Castlebrae Community High School is a secondary school located in the area of Greendykes in Edinburgh . 0 +Taobao is a Chinese online shopping site similar to eBay , Amazon and Alibaba Group , operated by Rakuten in Hangzhou , Zhejiang . Taobao is a Chinese online shopping website similar to eBay , Amazon and Rakuten , which is operated in Hangzhou , Zhejiang by Alibaba Group . 0 +The main - songwriting - unit for the band formed Jon Jon Jovi and lead singer Sambora . Jon Bon Jovi and lead singer Sambora formed the main songwriting unit for the band . 1 +The city is located northeast of Gaza - city and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located to the south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 0 +In 1963 , Janet Lloyd married Ayliffe and had two children . Ayliffe married Janet Lloyd in 1963 and they had two children . 1 +"The six episodes were written by Gareth Carrivick ( "" Gim me Gim me Gim me "" ) and directed by Jonathan Harvey ." "The six episodes were written by Gareth Carrivick ( "" Gim me Gim me Gim "" ) and directed by Jonathan Harvey ." 1 +They have two sons and one daughter , Andy , Jake , and Alex . You have two sons and one daughter , Alex , Jake and Andy . 0 +There are nine secondary schools , 16 primary and two schools for special schools . There are nine secondary level schools , 16 primary schools and two schools for special education . 1 +Christine became hopeful that after her first conversation with Walter , her son Gordon Stewart Northcott might still be alive . Christine became hopeful that after her first interview with Gordon Stewart Northcott , her son Walter could still be alive . 0 +On 29 September 1849 , Queen Victoria traveled from Gloucester to Swindon by train , On September 29 , 1849 , Queen Victoria of Gloucester traveled by train to Swindon . 1 +The total production 483,593 units , was narrowly beaten by its predecessor , the 9000 , of which 503,000 were built . The total production of 483,593 units , was short beaten by its predecessor , the 9000 , of which 503,000 were built . 1 +Multilayered dinosaurs - eggs are known in the order of their discovery from France , Spain , Mongolia , India , Argentina , Utah , Montana and Canada . Multilayered dinosaur eggs are known from , in order of discovery , France , Spain , Mongolia , India , Argentina , Canada , Montana , and Utah . 1 +The bones of Zrinski and Frankopan were found in Zagreb in 1907 and brought to Austria in 1919 , where they were reburied in the Zagreb Cathedral . The bones of Zrinski and Frankopan were found in Zagreb in 1907 and brought to Austria in 1919 , where they were buried in the Zagreb Cathedral . 1 +Colonel Koski died in 1989 and Colonel Lieutenant Ray died on New Year 's Eve 1989 . Colonel Koski died in 1989 and Lieutenant Colonel Ray died on New Year 's Eve , 1989 . 1 +Green was a financial supporter of Prime Minister Theresa May 's campaign . Theresa May was a financial supporter of Green 's prime ministerial campaign . 0 +Over the years , ACT-R models have been used in more than 700 different scientific publications and have been cited in many others . Over the years , ACT-R models have been cited in more than 700 different scientific publications , and have been used in many more . 0 +The following sound changes from Proto-Celtic to Welsh , Cornish and Breton are summarised in the regular consonant table . The regular consonantal sound changes from Proto-Celtic to Welsh , Cornish and Breton are summarised in the following table . 0 +The river Furu is a tributary of the Jiul de Vest river in Romania . The Jiul de Vest river is a tributary of the River Furu in Romania . 0 +Nilai is part of the Seremban constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Seremban is part of the Nilai constituency of the Malaysian Parliament 's Dewan Rakyat , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 0 +"The dividends increased the real "" total return "" of the average equity to double , about 3.2 % ." "The dividends have increased the entire "" real "" return on the average equity to double , about 3.2 % ." 1 +Porsche is an automobile manufacturer and a subsidiary of Volkswagen AG Porsche AG is an automobile manufacturer and a subsidiary of Volkswagen AG 1 +Kalmah 's sixth studio album was released in Europe on 24 February 2010 , Japan on 2 March , North America on 3 March and Canada on 6 April . The sixth studio album was released on February 24 , 2010 in Japan , on March 2 , Canada , on March 3 in Europe and on April 6 in North America . 0 +Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking website that launched in 2009 and was dissolved in 2011 . Indiana was also founder and director of Kerchoonz.com , a social networking site that was dissolved in 2009 and launched in 2011 . 0 +He is an elected member of the International Statistical Institute and is a fellow of the Institute of Mathematical Statistics and the American Mathematical Society . He is an elected member of the American Mathematical Society , and a fellow of the Institute of Mathematical Statistics and the International Statistical Institute . 0 +Joffre Stewart ( born 1925 ) is an American poet , poet , anarchist , and pacifist known for his early participation in the Beat movement . Joffre Stewart ( born 1925 ) is an American poet , anarchist , and pacifist known for his early participation in the early Beat movement . 1 +"It can be either "" mortal "" or "" venial """ "It can either "" mortal "" or "" venial "" be" 1 +The sunken place contained buildings similar to the new floor buildings of West Stow in England . The new site contained buildings similar to the sunken floor buildings of West Stow in England . 0 +In 1975 he returned to Odibo , and in 1977 to Windhoek . In 1975 he returned to Odibo , and in 1977 moved to Windhoek . 1 +"Yohannes IV was survived from his elder "" legitimate "" son "" Ras "" Araya Selassie Yohannes and his younger "" natural "" son Mengesha ." "Mengesha was survived by his younger "" natural "" son "" Ras "" Araya Selassie Yohannes and by his elder "" legitimate "" son Yohannes IV ." 0 +The transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a transmembrane loop connecting two large cytoplasmatic helices . Transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a large cytoplasmic loop connecting two transmembrane helices . 0 +Livingstone owned the Toronto Blueshirts and had two NHA teams but after the PCHA raids only purchased enough players for one team . Livingstone bought the Toronto Blueshirts and owned two NHA teams , but after the PCHA - Raids had only enough players for a team . 0 +Effingham County is located in the northwestern Beecher City ( 39.187030 , -88.785737 ) . Effingham County is located in northwestern Beecher City at ( 39.187030 , -88.785737 ) . 1 +For this match Dusty Rhodes in Valiant 's corner was tied by a rope to Paul Jones . For this match , Dusty Rhodes was bound by a rope to Paul Jones in Valiant 's corner . 1 +Some native Americans and European-American settlers started to create a community around the post . Some Native Americans and American-European settlers began to create a community around the post . 0 +He made numerous expeditions to tropical Equatorial Guinea , with an emphasis on Africa . He made numerous expeditions to tropical Equatorial Guinea , with emphasis on Africa . 1 +This name refers to either the Little Para River ( which starts at the confluence of the South Para River and the North Para River ) or the Gawler River . This name refers to , either the Little Para River ( which starts at the confluence of the South Para River and North Para River ) or the Gawler River . 1 +Solomons was born in Thorpe Bay and brought up with his four siblings in Orsett , Essex by his mother and father . Solomons was born in Thorpe Bay and with his four siblings in Orsett , Essex brought up by his mother and his father . 1 +"Sam Sam Raimi and Rob Tapert , together with Campbell , produced the remake of "" The Evil Dead "" ." "Campbell produced the remake of "" The Evil Dead "" , along with Sam Raimi and Rob Tapert ." 0 +However , Mumba Malila removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position of Justice Minister . Mwanawasa , however , removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . 0 +The estuary of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . The mouth of the Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . 0 +Stay Up , Get Down is the band 's first EP , The Maine , and was released on 8 May 2007 . Stay Up , Get Down is the first EP by the band , The Maine , and was released on May 8 , 2007 . 1 +Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana , and attended Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and visited the Lew Wallace High School in Gary , Indiana . 0 +It was premiered on 30 September 2012 at the Borneo Eco Film Festival as it was the first time shown in Borneo . It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , because it was first shown in Borneo . 1 +In 1854 , Cooper left London and returned to Australia where he lived , a confirmed bachelor , until his death at the age of ninety . In 1854 he left London and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . 1 +On Monday 4 April 2016 , route 4 was extended from Wimbledon to Therapia Lane . On Monday , April 4 , 2016 , route 4 was extended from Therapia Lane to Wimbledon . 0 +The station opened December 8 , 1890 , closed November 8 , 1969 , and was demolished in 1971 . The railway station was opened on December 8 , 1890 , closed on 8 November 1969 and demolished in 1971 . 1 +She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on the 21 January 1751 . She married twice . The first time with Prince Antoni Lubomirski in 1749 , and the second time with Prince Kazimierz Poniatowski on 21 January 1751 . 0 +Corruption was widespread in Persia , and discipline in the army became dangerously loose . Corruption was widespread in Persia and discipline in the army became dangerously lax . 1 +As an alternative , tantric Tibetan Buddhism allows to deliberately create a desire to choose the desire , rather than being created by it . As an alternative , tantric Tibetan Buddhism allows to consciously choose a desire , to create desire , rather than being created by it . 0 +In 2012 , for the Italian progressive group Karnya , Francesca Naccarelli made some violins - arrangements and the singer Claudio Nigris is in a song to guest . In 2012 , for the Italian progressive group Karnya , Claudio Nigris made some violins - arrangements and the singer Francesca Naccarelli is guest in a song . 0 +The 381st Bombardement Group was formed on the Pyote Air Force Base and was assigned to Ridgewell Airfield in Haverhill , about six miles from Essex , England . The 381st Bombardment Group was formed on the Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , around six miles from Haverhill . 0 +If the n vectors are linearly orthogonal , equality in Hadamard 's inequality is achieved if and only if the vectors are independent . When the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only if the vectors are independent . 1 +With an army , mostly composed of Danish troops and reinforced by German mercenaries , he firstly camped on Norrmalm , but later moved to Södermalm . With an army mostly composed of Danish troops and reinforced by German mercenaries , he initially camped at Norrmalm , but later on to Södermalm . 1 +They defeated Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing to Gloucestershire in the quarter-finals 58 -- 10 . They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in quarter finals 58 -- 10 . 0 +Sir James married John Nairne Forman in 1872 ( December 20 , 1929 ) , daughter of Helen Margaret von Staffa , WS . Sir James married , in 1872 , John Nairne Forman ( d. 20 December 1929 ) , daughter of Helen Margaret of Staffa , WS . 1 +It is native to southern China ( Yunnan , Hainan , Guangxi ) , Assam , and Indochina ( Thailand , Myanmar , Vietnam ) . It is home to southern China ( Yunnan , Hainan , Guangxi ) , Assam , and Indochina ( Thailand , Myanmar , Vietnam ) . 1 +The following year were studios and offices for Station 1484 Beech Street in Hornell , just outside Hornellsville . The following year , studios and offices for the station were moved to 1484 Beech Street in Hornell , just outside Hornellsville . 1 +Winner effects were shown when established dominant chicks were placed against non-experienced chicks in a study by Drummond . Winner - Effects were shown when established unexperienced chicks were placed in a study by Drummond against dominant chicks . 0 +After many delays , the segment from Abuja to Kaduna ( 187 km ) opened officially on 26 July 2016 . The segment from Abuja to Kaduna ( 187 km ) was officially opened after many delays on 26 July 2016 . 1 +In the gorge , forty different plant communities were identified , containing at least 1,342 species and 54 rare plants . In the gorge , forty rare plant communities were identified , containing at least 1,342 species and 54 different plants . 0 +In the 2015 federal elections , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . In the 2015 regional election , after Tosi was sidelined by the federal party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . 0 +He is trained by Daniel Jacobs and together with former World Champion Andre Rozier shares a gymnasium . He is trained by Andre Rozier and shares a fitness center with former World Champion Daniel Jacobs . 0 +Written by George Mastras and directed by Michelle MacLaren , aired on AMC in the United States and Canada on 8 September 2013 . Written by George Mastras and directed by Michelle MacLaren , it aired on AMC in the United States and Canada on September 8 , 2013 . 1 +In the Gallipoli campaign , copies of the leach catapult were used , which was made by the Royal Engineers locally . Copies of the Leach catapult , which were used by the Royal Engineers locally , were made in the Gallipoli campaign . 0 +Both the pseudo trunk and the scape are often covered with reddish brown to dark violet spots . Both the pseudostem and the scape are often covered with dark brown to reddish violet spots . 0 +"Aguiari described it as "" a nice action in the middle of traffic alone , but up there with a Zen - statue "" ." "Aguiari described it as "" a Zen action up in the middle of traffic , but alone with a beautiful statue ." 0 +Izvoarele River is a tributary of the River Podriga in Romania . The Podriga River is a tributary of the Izvoarele River in Romania . 0 +The dividends have increased the total return on the average equity to double , approximately 3.2 % . "The dividends increased the real "" total return "" of the average equity to double , about 3.2 % ." 1 +She married Shlomo Ilan and in 1935 gave birth to her first firstborn , Uri Ilan . She married Uri Ilan and gave birth to her first first-born , Shlomo Ilan in 1935 . 0 +""" Purple Clover "" describes the page as for people who "" ... still curious , still cool and still crazy after all these years are "" ." """ Purple Clover "" describes the page as for people who are "" ... still cool , still curious and after all these years are still crazy ." 1 +He inherited the Gwalior gharana and the Gandharva Mahavidyalaya , but he was always open to adopting other features of aesthetic gharanas and styles . He inherited the Gwalior - Gharana and the Gandharva - Mahavidyalaya , but he was always open to taking aesthetic features of other gharanas and styles . 0 +In Finnmark he completed some of the paintings he had outlined on his Stockholm tour in 1832 . In Stockholm , he completed several of the paintings he had outlined on his 1832 Finnmark tour . 0 +The music was composed by ONV Kurup and Vayalar Ramavarma and lyrics was written by G. Devarajan . The music was composed by G. Devarajan and text was written by ONV Kurup and Vayalar Ramavarma . 0 +It was built by architect Henry L. Taylor and designed by O. R. Woodcock . Built by the architect Henry L. Taylor , it was designed by O. R. Woodcock . 1 +The music was composed by Shyam and lyrics was written by Sreekumaran Thampi . Unni Menon became popular for singing songs in this film . The music was composed by Unni Menon and the texts written by Shyam , Sreekumaran Thampi was popular for singing songs in this film . 0 +During a battle , Harrison lost his right arm , kneecap , and three fingers on his left hand . During a battle , Harrison lost his left arm , his knees and three fingers on his right hand . 0 +They came to Russia from Poland in the eighteenth century , and their language includes Russian , German and Polish words . They came from Poland to Russia in the eighteenth century , and their language includes Polish , German and Russian words . 1 +Allan Stewart ( 1865 - 1951 ) was a Scottish painter who built his reputation on military and particularly romantic , historical paintings as well as landscapes and portraits . Allan Stewart ( 1865 -- 1951 ) was a Scottish painter who built his reputation on romantic , historical and especially military paintings as well as landscapes and portraits . 0 +The Sterminos River is a tributary of the River Voievodu in Romania . The river Voievodu is a tributary of the River Sterminos in Romania . 0 +After his wife died in 1842 , Martha Chardevoyne married Jack Shackelford . After his wife had died in 1842 , Jack Shackelford married Martha Chardevoyne . 0 +In 2005 , Chao Pengfei was sent to Hong Kong with other teammates such as Xu Deshuai and Ju Yingzhi . In 2005 , Chao Pengfei was sent to Hong Kong , with other team-mates such as Xu Deshuai and Ju Yingzhi . 1 +Duporth ( also Duporth Holiday Village ) was on Porthpean Road , just outside St Austell in South - Cornwall , England , UK . Duporth Holiday Village ( also Duporth ) was on Porthpean Road , just outside St Austell in South - Cornwall , England , UK . 1 +A secondary romance concerns Nelson 's friend , Ado Annie ( Grahame ) , and cowboy Laurey ( Will Parker ) , who also has an unwilling rival . A secondary romance affects Laurey 's friend , Ado Annie ( Grahame ) , and Cowboy Will Parker ( Nelson ) , who also has an unwilling rival . 0 +"Godella is a municipality in the "" Comarca "" of Horta Nord , province Valencia , Spain ." Godella is a municipality in the Comarca Valencia , Spain , province of Horta Nord . 0 +Several diseases are associated with Interleukin-7 receptor including T-cell acute lymphoblastic leukaemia , multiple sclerosis , juvenile idiopathic arthritis and rheumatoid arthritis . Several diseases are associated with the Interleukin-7 receptor , including T - Zell - acute lymphoblastic leukaemia , multiple sclerosis , juvenile idiopathic arthritis and rheumatoid arthritis . 1 +In April 2016 , the son of Malik Riaz Hussain , Ahmed Ali Riaz Malik , was named in the Panama Papers . In April 2016 , the son of Ahmed Ali Riaz Malik , Malik Riaz Hussain , was named in the Panama Papers . 0 +Morris County is a residential community located in the northwest corner of Mine Hill Township . Mine Hill Township is a residential community located in the north-western corner of Morris County . 0 +Born in Ghana , Kwarasey represents Norway at international level . Kwarasey , born in Ghana , represents Norway at an international level . 1 +The heart is opened and the ventricular septum defect is closed with a patch . The heart is closed and the ventricular septal defect is opened with a patch . 0 +A synthetic instrument is a kind of virtual instrument that is defined purely by software . A virtual instrument is a kind of synthetic instrument that is purely software defined . 0 +Several diseases are associated with the Interleukin-7 receptor , including T - Zell - acute lymphoblastic leukaemia , multiple sclerosis , juvenile idiopathic arthritis and rheumatoid arthritis . Several diseases are associated with Interleukin-7 receptor including T-cell acute lymphoblastic leukaemia , multiple sclerosis , rheumatoid arthritis and juvenile idiopathic arthritis . 1 +Hopkinsville is part of the Nashville , TN television market . Nashville , TN is part of Hopkinsville Television market . 0 +The city is connected with Mumbai and Bilaspur , Raipur via Kolkata through the National Highway network . The city is connected to Bilaspur with Mumbai and Kolkata , and Raipur via the National Highway Network . 0 +He said in December 2007 that the presidential majority would present joint lists for the 2008 local elections . In December 2007 , he said that the presidential majority would present common lists for the 2008 local elections . 1 +Callery is located in the northwestern corner of Adams Township in the southwestern part of Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the southwestern corner of Adams Township in northwestern Butler County , at ( 40.739587 , -80.037211 ) . 0 +It was developed along the Elk River , at the confluence of Brazeau River , in the hydrographic basin of the North Saskatchewan River . It was developed along the Brazeau River , at the confluence of Elk River in the hydrographic basin of the North Saskatchewan River . 0 +Although the Maryland Department of Transportation is located in Baltimore , three of its subordinate organizations have their headquarters in Anne Arundel County . Although the Maryland Department of Transportation is located in Anne Arundel County , three of its subordinate organizations have their headquarters in Baltimore . 0 +These are used as raw material from which the finished figures are created by carving and painting . These are used as the raw material from which the finished figures are made by carving and painting . 1 +The PBA season 1990 was the 16th PBA ( Philippine Basketball Association ) season . The 1990 PBA season was the 16th season of the PBA ( Philippine Basketball Association ) . 1 +In 1999 , Abdelaziz Bouteflika , who supported the independence of the Western Sahara , was also president of Algeria . Also in 1999 , Abdelaziz Bouteflika , who supported the independence of Western Sahara , became president of Algeria . 0 +The magazine is abstracted and indexed by EMBASE , Expanded Serial , Google Scholar and Summon by Academic Solutions . The journal is abstracted and indexed by EMBASE , Expanded Academic , Google Scholar and Summon of Serial Solutions . 0 +From 1965 to 2000 , it owned newspaper chains including MediaNews Group and Thomson Newspapers . From 1965 to 2000 it was owned by newspaper chains including Thomson Newspapers and MediaNews Group . 1 +In Portage there are two villages : a part of Jerry City in the south and part of the Portage township in the northwest . Two villages are located in Portage Township : part of Jerry City in the south , and part of Portage in the northwest . 0 +Bilal Ali Hussein Qwaider ( born May 7 , 1993 ) is a Jordanian football player who plays for Al-Faisaly . Bilal Ali Hussein Qwaider ( born May 7 , 1993 ) is a Jordanian football player of Palestinian descent who plays for Al-Faisaly . 1 +""" It had to be long , sexy , slender , but in a sexy and provocative way "" ." """ It had to be long , sexy , sleek , but in a sexy and provocative way "" ." 1 +On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new Filderstadt U-Bahn ( underground ) station . On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground Filderstadt station . 1 +There is also a large number of mixed European and Chinese Liverpudlians of Chinese descent , descendants of the former generations of Chinese settlers in the city . There is also a large number of Chinese Liverpudlians of mixed European and Chinese ethnicity , descendants of the earlier generations of Chinese settlers in the city . 0 +The main village is mainly inhabited by people of East Indian descent . There are Hindu temples and mosques and there is one small church . The small village is mainly inhabited by people of East Indian origin , there are Hindu temples and mosques and there is a main church . 0 +Fort Paull is the location of the last complete Blackburn Beverley heavy transport aircraft . Fort Paull is the location of the last remaining complete Blackburn Beverley heavy transport aircraft . 1 +Born and raised in Dore , Joe Joe Root was also born from Yorkshire and currently England 's rising cricket star , now Captain of England . Joe Root also of Yorkshire and now England 's rising cricket star , currently captain of England , was born and raised in Dore . 1 +The kinetic energy of a particle is the sum of potential energy and total energy , this sum is also the frequent expression for the Hamilton operator in classical mechanics : The total energy of a particle is the sum of kinetic energy and potential energy , this sum is also the frequent expression for the Hamiltonian in classical mechanics : 0 +In 2000 , the RadioShack Corporation became the Tandy Corporation officially . In 2000 , the Tandy Corporation became the RadioShack Corporation officially . 0 +Born in 1935 in Mansfield , Nottinghamshire , Curry died at the age of 54 in Longbenton , Northumberland in 1990 . Curry was born in Mansfield , Nottinghamshire , in 1935 , and died in Longbenton , Northumberland , in 1990 at the age of 54 . 1 +Other actors include Avtar Gill , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Anang Desai . Other cast include Avtar Gill , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Anang Desai . 1 +Strathairn attended Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts , in 1970 . Strathairn attended the Redwood High School in Larkspur , California , and graduated in 1970 from Williams College , Williamstown , Massachusetts . 1 +However , discoveries of earth-like planets are important because they indicate the probable frequency and distribution of earth-sized terrestrial planets . However discoveries of Earth-like planets are important as they may indicate the probable frequency and distribution of Earth-sized terrestrial planets . 1 +The Kettleby Public School serves the municipality for children of high school age , the King City Secondary School is the closest primary school in the community . The Kettleby Public School serves the community for children of high school age . King City Secondary School is the closest elementary school to the municipality . 1 +Philosophy is seen instead as an activity of defining and clarifying the logical relationships of empirical rates . Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical propositions . 0 +codice 3 is a type qualifier , where the qualified type of codice 27 codice 28 and the unqualified type are codice 29 . codice 3 is a type qualifier with the unqualified type of codice 27 codice 28 , which is the qualified type codice 29 . 0 +Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology in 2009 and honored with ISCB Fellow . Smith was awarded the ISCB Senior Scientist Award and elected ISCB Fellow in 2009 by the International Society for Computational Biology . 0 +This second iteration of the WiFi module has increased the size by 300 % and reduced processing speed by 60 % . This 2nd iteration of WiFi Module increased the size by 300 % and reduced the processing speed by 60 % . 1 +In the TV series , Olaf Petersen is played by Mark Williams . Olaf Petersen is played by Mark Williams in the television series . 1 +Google allows business owners to check their own business data and has also recruited volunteers to verify and correct soil foreclosure data . Google allows business owners to verify their own business data , and has also recruited volunteers to check and correct ground truth data . 1 +This is the last conversation between Roger Howarth and Blair until 2011 . This is the last conversation between Roger Howarth 's Todd and Blair until 2011 . 1 +""" The Day the Violence Died "" is the seventh episode of "" The Simpsons "" eighteenth season ." """ The day when the violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." 0 +After completing his first university education at Cardiff University and in Harrogate , North Yorkshire , he was established in Rouen , France from 1996 to 1999 . After completing his initial university education at Cardiff University , and in Rouen , France , he was from 1996 to 1999 based in Harrogate , North Yorkshire . 0 +Twin Falls High School is a secondary public school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of two public secondary schools operated by the Twin Falls School District . 0 +Leelanau County is a charter township of Elmwood Charter Township in the U.S. state of Michigan . Elmwood Charter Township is a charter township of Leelanau County in the state of Michigan . 0 +In a game dominated by offensive and special team struggles , UCF would be plagued by Arkansas State . In a game dominated by offensive and special teams struggles , UCF would be plagued by Arkansas State . 1 +Many people in the region from New Jersey north to Virginia were mostly numerically important . Indentured people were numerically important mostly in the region from New Jersey north to Virginia . 1 +The way ... is from the Great Lakes towards the head of the Mississippi and from there to the river called by the Indians Ouragon ... The rout is from the Mississippi towards the Head of the Great Lakes , and from thence to the River called by the Indians Ouragon . 0 +He was appointed on October 14 , 1917 in Fort Des Moines , first lieutenant , and weeks later a West Medford married native Madeline Mabray Kountze . He was commissioned on 14 October 1917 in West Medford First Lieutenant , and weeks later a married Fort Des Moines , Madeline Mabray Kountze . 0 +Stephen D Reicher ( Steve Reicher ) is a Professor of Social Psychology and former Head of School of Psychology at the University of St Andrews . Stephen D Reicher ( Steve Reicher ) is Professor of Social Psychology and former Head of the School of Psychology at the University of St Andrews . 1 +In Paris , in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to England through Scotland . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through Scotland to England . 1 +Piven replaces Michael Madsen as Bob ( although Madsen was initially announced to return during pre-production ) . Michael Madsen replaces Piven as Bob ( although Madsen was initially announced to be returning during pre-production ) . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential real estate and also a number of commercial and industrial areas . Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of commercial and industrial areas . 1 +"Whereas "" S "" represents the phylogenetic states , "" D "" corresponds to the observed data and Formula 7 represents both the evolutionary model and the family tree ." "Whereas "" S "" represents the ancestral states , "" D "" corresponds to the observed data and Formula 7 represents both the evolutionary model and the phylogenetic tree ." 0 +As part of a streamlining campaign , the company reported in January 2017 that it will close three remaining regional cuisines in Everett , Landover and Atlanta . As part of a rationalization campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Atlanta , Landover and Everett . 1 +In 1871 John Peter Featherston married Bessie Parnell , daughter of John Parnell , of County Wicklow , Ireland . In 1871 , John Peter Featherston married Bessie Parnell , daughter of John Parnell , from County Wicklow , Ireland . 1 +Nathan Bryon was poured in the role of Joey Ellis , who would be introduced as a friend of Tiger Dyke 's established character from his hometown . Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of established character Tiger Dyke from his hometown . 1 +A medal was flown from Guam to Hawaii and presented to him in the hospital there . A medal was flown from Hawaii to Guam and presented to him in the hospital . 0 +For the 2003 season , he joined Robert Yates Racing and won two races for Yates in 2004 . Yates joined Robert Yates Racing for the 2003 season and won two races for Elliott Sadler in 2004 . 0 +Hodges , as well as Green and Tom Jones , have written all recorded songs by Syl Johnson , O.V . Wright . Hi Records acts Syl Johnson , O.V . Wright , as well as Green and Tom Jones , have all recorded songs written by Hodges . 0 +However , John Rabe and the international committee manage to have the Nanking Safety Zone recognised by the Japanese authorities . John Rabe and the international committee however manage to have the Nanking Safety Zone recognized by the Japanese authorities . 1 +In 1991 , Peter Maxwell Davies was the music director of the Ojai Music Festival in collaboration with Harbison . In 1991 , Peter Maxwell Davies was the Music Director of the Ojai Music Festival in conjunction with Harbison . 1 +Arthur Ashe defeated Dick Stockton , 6 -- 3 , 6 -- 2 . Dick Stockton defeated Arthur Ashe , 6 -- 3 , 6 - 2 0 +Fiat money , if physically represented in the form of currency ( paper or coins ) can be accidentally damaged or destroyed . Fiat - Money can be accidentally damaged or destroyed if it is physically displayed in the form of currency ( paper or coins ) . 1 +At the beginning of the Second World War , the Fighter Escadrille was a unit of the Łódź army , which was attached to the Polish Air Force . The Fighter Escadrille was a unit of the Polish Air Force at the beginning of the Second World War , which was attached to the Łódź army . 0 +A tower was built in 1841 by Barry , but it was never designed . A spire was designed by Barry in 1841 , but it was never built . 0 +The church serves the parish of West Blatchington , a residential area in the north of Hove , near the Brighton border . The church serves the parish of Brighton , a residential area in the north of Hove near the border to West Blatchington . 0 +Roosevelt and Wilson Elementary schools were combined in the 1970s to Roosevelt - Wilson Elementary , as the city 's growth began to stabilize . Roosevelt and Wilson Elementary schools were combined to form Roosevelt-Wilson Elementary in the 1970s as the city 's growth began to stabilize . 1 +""" Almost every poem by Amichai is a statement about the general human state "" and Amichai is always a particular poet in a philosophical sense ." """ Almost every poem by Amichai is a statement about the general human condition and Amichai is , in a sense , always a philosophical poet "" ." 0 +EEAA represents the executive branch of the Ministry at the central level . At the executive level , EEAA represents the central arm of the Ministry . 0 +One of the best and most prestigious schools in Hathras is St Francis inter college , Aligarh road . One of Hathras ’ best and most prestigious schools is St Francis Inter College , Aligarh Road . 1 +In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take his seat . In October 2015 , Bennett resigned from the Knesset in order to enable Shuli Mualem to take his seat . 0 +She was to become the mother of Akbar 's eldest surviving son and successor , Jehangir . She was to become the mother of Jehangir 's oldest surviving son and successor , Akbar . 0 +Paralepetopsis tunnicliffae is a sea snail species , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of true limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Neolepetopsidae , one of the families of true limpets . 1 +"The symmetrical courtyard is considered Beaux Arts style because of the "" rich composition "" and "" elegant decoration in high relief "" ." "The symmetrical courtyard is considered as a Beaux Arts style because of the "" rich composition "" and "" elegant decoration in high relief "" ." 1 +The Oraciu River or Orociu River is a tributary of the Pustnic River in Romania . The Pustnic River or Orociu River is a tributary of the River Oraciu in Romania . 0 +The 1962 National Football League season was the 13th season of the Cleveland Browns team . The 1962 Cleveland Browns season was the team 's 13th season with the National Football League . 0 +Blackburn was called up to the Atlanta Braves to make his major league debut on July 1 , 2017 , against the Oakland Athletics . Blackburn was called to the Atlanta Braves on 1 July 2017 to make his main league debut against the Oakland Athletics . 1 +East Devon is a local government district in Devon , England . Its council is based in Sidmouth , and the largest town is Exmouth . Sidmouth is a local government district in Devon , England , whose council is based in East Devon and the largest city is Exmouth . 0 +During the Gulf War , the NPC called the Gulf Crisis Working Group , a coalition of several groups that had organized . During the Gulf War , the NPC organised the Gulf Crisis Working Group , a coalition of several groups that : 0 +He instructed Christians to desire and , above all , to do God in all things to recognize the will of God . He directed the Christians to recognize God in all things and , above all , to do the will of God . 0 +Scopula undulataria is a moth of the Geometridae family that is found in India ( Darjeeling ) . Scopula undulataria is a moth of the family Geometridae . It is found in Darjeeling ( India ) . 1 +It is distributed from China to Siberia and found growing in rocky slopes or dry places . It is distributed from China to Siberia and found in rocky slopes or dry places . 1 +William was deposed in 1776 by the revolutionary government of New Jersey and arrested at his home in Perth Amboy at the Proprietary House and temporarily imprisoned . William was deposed in 1776 by the revolutionary government of Perth Amboy and arrested in his home in New Jersey , Proprietary House , and imprisoned for a time . 0 +Chris Mortimer , his older brother Peter Mortimer and younger brother Steve Mortimer played in four Grand Finals together . Chris Mortimer , his elder brother Peter Mortimer and his younger brother , Steve Mortimer , played together in four grand finals . 1 +Part 2 was written by Yasunori Ide and directed by Manabu Nakamura . Part 2 was managed by Yasunori Ide and written by Manabu Nakamura . 0 +When possible , we offer general music lessons as well as private lessons in piano and other instruments . When possible we are able to offer general music lessons as well as private lessons in piano and other instruments . 1 +It has been found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It was found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +Éric Fombonne ( Montreal , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist based in Paris . Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist with headquarters in Montreal . 0 +They later moved to Whitefish Bay , Wisconsin , and then to New York City . Later they moved to Whitefish Bay , Wisconsin , and then to New York City . 1 +There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Scotland than in Ireland . There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more popular in Ireland than in Scotland . 0 +There were many people waiting on the platform waiting for the Tundla-Delhi passenger train . There were many people waiting for the Tundla-Delhi passenger train on the platform . 1 +Mount Cobb is a mountain located on Vancouver Island , British Columbia , Canada , east of Gold River and southwest of Mount Filberg . Mount Cobb is a mountain on Vancouver Island , British Columbia , Canada , located east of Gold River and southwest of Mount Filberg . 1 +The lack of background to find the statistically stochastic variants has limited its performance due to significant recurrent noise and biological variability . The lack of background to find the statistically significant recurring variants has limited its performance due to stochastic noise and biological variability . 0 +Condon said that she wanted Suzanne to give a Valentine 's Day card . Suzanne said that she wanted Condon to give a Valentine 's Day card . 0 +The former Coordinator of the Australian Cyber Security Centre was the concurrent Deputy Director of the Australian Signals Directorate . The simultaneous coordinator of the Australian Cyber Security Centre was the former deputy director of Australian Signals Directorate . 0 +Governor Udoji of Anambra State described Peter Obi 's death as a great loss the nation . Governor Peter Obi of the state of Anambra described Udoji 's death as a great loss to the nation . 0 +Elliott Gould was not exactly my idea of Philip Marlowe , but however , we were there . Philip Marlowe was not exactly my idea for Elliott Gould , but we were there anyway . 0 +Cloud9 is the single IDE for the BeagleBone Black native board computer , which is primarily programmed in an extension of node.js called Bonescript . Cloud9 is the only IDE for the native onboard computer BeagleBone Black , which is programmed primarily in an extension of node.js called Bonescript . 1 +Colonel Acker died on 6 September 1879 in Union City and is buried in Kalamazoo , Michigan , in the State of Michigan . Colonel Acker died on September 6 , 1879 in Union City and is buried in Kalamazoo , Michigan , in the state of Michigan . 1 +A specification tree shows all the specifications of a hierarchical system under development in a technical order . A specification tree shows all the specifications of a technical system in development in a hierarchical order . 0 +Professor Gilbert was survived by his wife Ingrid , whom he married in 1967 , and his daughters Michelle and Fiona . Professor Gilbert was survived by his wife , Ingrid , whom he married in 1967 , and their daughters , Michelle and Fiona . 1 +Pointe aux Barques Lighthouse is located in Huron Township , not Pointe Aux Barques . Pointe aux Barques Lighthouse is situated in Huron Township , not Pointe Aux Barques . 1 +Dudi Sela won the title after defeating Thomas Fabbiano 4 -- 6 , 6 -- 4 , 6 -- 3 in the final . Thomas Fabbiano won the title after defeating Dudi Sela in the final with 4 : 6 , 6 : 4 , 6 : 3 . 0 +Laudehr was born in Regensburg , Bavaria , Germany . She is the daughter of a German mother , Doina , and a Romanian father , Hubert . Laudehr was born in Regensburg , Bavaria . He is the daughter of a German mother , Doina , and a Romanian father , Hubert . 0 +"Parr himself introduced two other versions ( "" unplugged "" and "" acoustic "" ) for the film "" The Brothers Solomon "" ." "Parr himself performed two acoustic versions ( "" other "" and "" unplugged "" ) for the film "" The Brothers Solomon "" ." 0 +He said in December 2007 that the presidential majority would present joint lists for the 2008 local elections . In December 2007 , he said that the presidential majority would present common lists for the local elections in 2008 . 1 +For the recording of this album , a new drummer , Heyden Wilson , joined the band , as did a second guitarist Dave Traves . A new drummer , Dave Traves , joined the band for recording this album , as did a second guitarist Heyden Wilson . 0 +"The name "" Lakshmi "" means the goddess Prabhavati and Parvati ." "The name "" Lakshmi "" means goddess Prabhavati and Parvati ." 1 +Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey professional professional and former player . Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey player and Canadian professional player . 0 +Old Polish language is the period in the history of the Polish language between the 9th and the 16th centuries , followed by the Middle Polish language . Old Polish language is the period in the history of the Polish language between the 9th and 16th centuries , followed by the middle Polish language . 1 +Deutschnofen borders with the following municipalities : Aldein , Predazzo , Bronzolo , Karneid , Leifers , Welschnofen and municipalities of Bolzano , Tesero and Varena in Trentino . Deutschnofen borders on the following municipalities : Aldein , Bolzano , Bronzolo , Karneid , Leifers , Welschnofen and municipalities of Predazzo , Tesero and Varena in Trentino . 0 +The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Germany , Belgium , and Vichy , France in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Vichy , France , Belgium , and Germany in 1945 . 1 +One of Aligarh 's best and most prestigious schools is St Francis Inter College , Hathras Road . One of Hathras ’ best and most prestigious schools is St Francis Inter College , Aligarh Road . 0 +It borders the Bundeskämme of Edmonton Centre , Edmonton Griesbach , Sherwood Park -- Fort Saskatchewan , Edmonton Mill Woods and Edmonton Riverbend . It borders with the federal hikes of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . 0 +National Bolshevism ( Nazbol ) as a political movement combines elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . As a political movement , the national Bolshevism ( Nazbol ) connects elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . 1 +He was part of the Danish team , which won the silver medal in the men 's gymnastics , Swedish system event in 1920 . He was part of the Danish team , which won the silver medal in men 's gymnastics in 1920 , a Swedish system event . 1 +His son Sir John Everard ( 1550 -- 1624 ) was an barrister , politician and judge . Richard 's son John was the first of the Everard baronets . His son Sir John Everard ( 1550 -- 1624 ) was a lawyer , politician and judge , John 's son Richard was the first of the Everard - Baronets . 0 +The Gorova River is a tributary of the Bârzava River in Romania . The River Gorova is a tributary of the Bârzava River in Romania . 1 +A parallel exhibition is organised for governmental and professional organisations , public and private research organisations and industrial companies . A parallel exhibition is organized organised for governmental and professional organisations , public and private research organisations and industrial companies . 1 +"Agnew said that Maloney often told her during childhood that he had "" won the war . """ Maloney said that during her childhood , Agnew often told her that he had “ won the war . ” 0 +Staf Scheirlinckx ( born 12 March , 1979 , in Herzele ) is a professional road bicycle racer , the brother of another Belgian former professional cyclist , Bert Scheirlinckx . Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a former Belgian road cyclist , the brother of another cyclist professional , Bert Scheirlinckx . 0 +"Of the twelve stories included , six were previously published in the author 's first collection , "" The Evening News "" ." "Six of the twelve published stories were previously included in the first collection of the author , "" The Evening News "" ." 0 +Design was by Jeff Grubb with Andria Hayday , a cover by Jeff Easley , and illustrations by Karl Waller . Design by Jeff Grubb with Andria Hayday , a cover by Karl Waller and illustrations by Jeff Easley . 0 +His father returned to Bombay as the finished violinist of the Russian school . His father returned to Bombay as a Russian violinist of the finished school . 0 +Arthur was the second husband of Clarke 's mother Katherine . Arthur was the second husband of Clarke Katherine 's mother . 0 +Direction was by Peter Askin and musical staging by Miriam Shor , with Hedwig , initially played by John Cameron Mitchell and Yitzhak played by Jerry Mitchell . Direction was played by Peter Askin and musical staging by Miriam Shor , with Hedwig , originally played by John Cameron Mitchell and Yitzhak of Jerry Mitchell . 0 +A condition subsequent is noted for its common use in the law . A common condition is established for its subsequent use in the law . 0 +He listed it again on 12 May 1789 with Josepha Duschek in the Gewandhaussaal Leipzig on his Berlin journey . He performed it again with Josepha Duschek on 12th May ,1789 , in the Gewandhaussaal in Berlin on his Leipzig journey . 0 +In 1759 , during the French and Indian War , the French spent their outposts and burned their fort . During the French and Indian War , the French burned their outposts and abandoned their fort in 1759 . 0 +The 2004 -- 05 LEB 2 season was the 5th season of the LEB Plata , second league of the Liga Española de Baloncesto and third division in Spain . The season 2004 -- 05 LEB 2 was the 5th season of the LEB Plata , the second league of the Lega Española de Baloncesto and third league in Spain . 1 +The rivalry between Tanahashi and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Devitt victorious . The rivalry between Devitt and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Tanahashi was victorious . 0 +Air Cortez has also operated international flights from the airport with service to Guaymas , Loreto and Mulege in Mexico . Air Cortez also operated international flights from the airport with service to Guaymas , Loreto and Mulege in Mexico . 1 +The Rotunda River is a tributary of the River Purul in Romania . The Purul River is a tributary of the River Rotunda in Romania . 0 +The region was also open to Algonquian Ojibwa ( now known as the Mississauga ) who came in . The region was now open to Algonquian Ojibwa ( also known as the Mississauga ) who came in . 0 +The latter study is one of the few prospective demonstrations that environmental stress remains associated with hypertension and LVH . The latter study is one of the few prospective demonstrations that remains associated with high blood pressure and LVH environmental stress . 1 +Tatranská Javorina is a village in Prešov Region in the Poprad District of northern Slovakia . Tatranska Javorina is a village in the Prešov region in Poprad district of northern Slovakia . 1 +Quindío is a municipality in the western part of the department of Montenegro , Colombia . It is located 10 km west of the departmental capital Armenia . Montenegro is a municipality located in the western part of the Quindío department , Colombia , 10 km west of the district capital of Armenia . 0 +In London production , the role of Jerome Pradon was played , and the role was taken over by Robbie Scotcher on June 23 , 2008 . In the London production the role was played by Robbie Scotcher and the role was taken over by Jerome Pradon on 23 June 2008 . 0 +Dr. Carter worked for several months in Africa and remains at the AIDS clinic in Kem . Dr. Carter remains in Africa for several months and works in the Kem AIDS clinic . 0 +The awards were distributed by actor Jayasurya , producer turned actor Vijay Babu etc . The awards were distributed by actor Jayasurya , producer of actor Vijay Babu etc . 1 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the Marine limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . 0 +In general , promote lower temperatures and higher pressures the formation of sponge coke . In general , higher temperatures and lower pressures promote sponge coke formation . 0 +The tram line was built in 1913 and expanded in 1923 and abandoned in 1983 . The tram line was built in 1913 , abandoned in 1923 and expanded in 1983 . 0 +It will pass Toa Payoh Rise , Thomson Road and Bukit Timah Road , run parallel to the Central Expressway . It will join Toa Payoh Rise , pass Thomson Road and Bukit Timah Road running parallel to the Central Expressway . 0 +For free bodies , the specific force is the cause and measure of the proper acceleration of the body . For specific bodies , the proper force is the cause of , and a measure of , the body 's free acceleration . 0 +This form of parallelism allows sprite data to be passed while other types of data are quickly decompressed to the main CPU . This form of parallelism allows sprite data to be decompressed while other data types are quickly forwarded to the main CPU . 0 +The McKenzie County Farmer is a weekly newspaper based in Watford City , North Dakota . It serves Watford City and all of McKenzie County , North Dakota . The McKenzie County Farmer is a weekly newspaper based in Watford City , North Dakota . It serves Watford City and McKenzie County , North Dakota . 1 +A virtual instrument is a kind of synthetic instrument that is purely defined by software . A synthetic instrument is a kind of virtual instrument that is purely defined by software . 0 +The film was produced , conducted and edited by Tom Flannery and Lorne Clarke , the soundtrack was composed by Bruce David Janu . The film was produced , directed and edited by Bruce David Janu . The soundtrack was composed by Tom Flannery and Lorne Clarke . 0 +Tommy is the brother of Carlow footballer Patrick Walsh . The brother of Carlow - Footballer Patrick Walsh is the Tommy . 1 +The mouth of Batten Kill is in Easton , New York , and the source of the river is at East Dorset , Vermont . The mouth of the Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . 1 +She ( Sophia ) feels very lonely and is like a pipe reed . She ( Sophia ) is very lonely and feels like a reed tube . 0 +"The administrative district of the same name ( "" správní obvod "" ) consists of the districts of Prague 14 and Dolní Počernice ." "The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 14 and Dolní Počernice ." 0 +In this sense , the biquaternions of William Rowan Hamilton ( 1844 ) and the related Split - biquaternions and dual quaternions do not form biquaternion - algebras . The biquaternions of William Rowan Hamilton ( 1844 ) and the dual split-biquaternions and related quaternions do not form biquaternion algebras in this sense . 0 +The unpublished ( and possibly unwritten ) stories of series three are : The unpublished ( and possibly unwritten ) stories of the three series are : 1 +The notes issued by the three commercial banks are printed by Hong Kong Note Printing Limited in Hong Kong . The banknotes printed by the three commercial banks are issued in Hong Kong by the Hong Kong Note Printing Limited . 0 +The Malawi Central Africa Protectorate existed in the area of present-day British between 1891 and 1907 . In the area of present-day Malawi , the British Central Africa - Protectorate existed between 1891 and 1907 . 0 +The Archdiocese of New York has tried to replace the structure with the supply since the closure , to demolish the affordable housing structure for the elderly . The Archdiocese of New York has attempted to demolish the structure since the closure with the offer to replace the structure with affordable housing for the elderly . 0 +Illinois Route 158 , or Washington Avenue , leads east to Columbia and west to Belleville . The Illinois Route 158 , or Washington Avenue , leads east to Columbia and west to Belleville . 1 +The damage was particularly serious in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo and Cabo San Lucas . The damage was particularly serious in La Paz , Triunfor , San Antonio , San Bartolo , San Lucas , San José del Cabo and Miraflores . 1 +This is the first champion story told by Albert Campion in the single person . This is the first Champion story told in the only person by Albert Campion . 1 +The Works Progress Administration of the Federal Theatre Project in 1936 used unemployed theatre performers and employees to work . In 1936 , the Works Progress Administration of the Federal Theatre Project put unemployed theatre performers and employees to work . 1 +He won three all-Dublin medals for Ireland in 1977 , 1976 , in 1974 . He won three all-Ireland medals for Dublin in 1977 , 1976 and 1974 . 0 +According to the U.S. Census Bureau , the county is a total area that has land and ( 0.2 % ) of water . According to the US Census Bureau , the county has a total area of which is land and ( 0.2 % ) of water . 1 +Norway was organized in 1884 , and named after Folden in New Folden Township . In 1884 Norway was founded and named after Folden in New Folden Township . 1 +Lucy gives Howard her phone number to give to Raj . Howard gives Lucy her phone number to give them to Raj . 0 +"A simpler method suitable for finding the odd letter of the year was discovered in 2010 and is called "" dominical plus 11 "" method ." "A simpler method suitable for finding the year 's dominical letter was discovered in 2010 . It is called the "" odd plus 11 "" method ." 0 +The direct market is the dominant distribution- and retail network for American comic books . The dominant market is the direct distribution and retail network for American comic books . 0 +Margarita Isabel Morales y González ( born Margarita Isabel ; 25 July 1941 -- 9 April 2017 ) was a Mexican Ariel Award-winning film , and television actress . Margarita Isabel Morales y González ( born Margarita Isabel , July 25 , 1941 -- April 9 , 2017 ) was a Mexican Ariel Award - winner , actress , film and television actress . 1 +Chittoor district , is a district in Andhra Pradesh region of the Indian state of Rayalaseema . Chittoor District , is a district of Andhra Pradesh region of the Indian state of Rayalaseema . 1 +In 1973 it was added by the Toronto Historical Board to the inventory of the Ontario Heritage Trust of the historical buildings . In 1973 , it was added by the Ontario Heritage Trust to the inventory of the historical buildings of the Toronto Historical Board . 0 +In the Indian freedom movement he came to great congress leaders like Rajagopalachari , Tanguturi Prakasam , and Bulusu Sambamurthi . In the Indian Freedom Movement , he came close to great Congress leaders like Rajagopalachari , Tanguturi Prakasam and Bulusu Sambamurthi . 1 +"In a 1946 discussion of unappreciated literature , Edward Wagenknecht referred to "" Hope Mirrlees "" fantastic ." "In a discussion of 1946 unconsidered literature , Edward Wagenknecht referred to "" Hope Mirrlees "" fantastic ." 1 +In this way it was possible to literally record dozens of separate tracks and combine them into finished recordings with great complexity . In this way it was possible to literally combine dozens of separate tracks and include them in finished recordings of great complexity . 0 +It can also be specified that the angle of the incoming electron with the direction of the outgoing photon is seen by It is also to be seen that the angle of the outgoing electron with the direction of the photon incoming 0 +"Mr Wonderful is an album by Jazz - organist Johnny "" Hammond "" Smith , which was released in 1963 and recorded on the label Riverside ." "Mr Wonderful is an album by jazz organist Johnny "" Hammond "" Smith which was released in 1963 and recorded on the Riverside label ." 1 +She represented Bulgaria at all junior senior levels and is also a member of the national team . She has represented Bulgaria at all junior senior levels and is also a member of the national team . 1 +The countries currently on the list are Iran , Syria , Sudan , and North Korea . The countries on this list are currently Iran , North Korea , Sudan and Syria . 1 +The company was formed from the merger between SP Telemedia , which was founded in 1986 by David and Vicky Teoh , and the Total Peripherals Group in the year 2008 . The company was formed from the merger between Total Peripherals Group , which was established in 1986 by David and Vicky Teoh , and SP Telemedia in 2008 . 0 +One important distinction is clear , though . One clear distinction though is important . 0 +Jack Adams ( 1895 -- 1968 ) was a Canadian professional ice hockey player and long-time coach and manager of the Detroit Red Wings . Jack Adams ( 1895 -- 1968 ) was a Canadian ice hockey player and long-time trainer and manager of the Detroit Red Wings . 1 +Hector Crawford was the brother of 3DB manager and administrator Dorothy Crawford , and brother of Curteis Crawford . Hector Crawford was brother of 3DB manager and administrator Curteis Crawford , and also brother of Dorothy Crawford . 0 +Although sold in Italy , fonzies are manufactured by LU Snack Foods GmbH in Germany . Although sold in Italy , Fonzies are produced in Germany by LU Snack Foods GmbH . 1 +In 1964 , Nikolayevna married Bratus Igor Moskvin . Tamara Nikolayevna Bratus married Igor Moskvin in 1964 . 0 +"The series is based on the book series "" The Mortal Instruments "" by Ed Decter , and developed for television by Cassandra Clare ." "The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed for television by Ed Decter ." 0 +Linguists sometimes claim that pidgins can become Creole languages when a generation of children learn a pidgin as their first language . Linguists sometimes posit that pidgins can become first language , when a generation of children learn a pidgin as their creole language . 0 +In 1828 , Yeoman married Laetitia Snyder of Albany , with whom he had two daughters and three sons . Yeomans married Laetitia Snyder of Albany in 1828 , with whom he had two daughters and three sons . 1 +Boularderie Island is a provincial park in the Canadian province of Nova Scotia on Dalem Lake Provincial Park . Boularderie Island is a provincial park located in the Canadian province of Nova Scotia on Dalem Lake Provincial Park . 1 +Albion Township was established in 1837 by a department of Homer Township . Homer Township was founded in 1837 by a division of Albion Township . 0 +At the Runaways Reunion in 1994 , she played with Currie and West Bass , Currie 's sister Jackie also performed with the band . Jackie played bass at the Runaways reunion in 1994 with Currie and West . Currie 's sister Marie also performed with the band that night . 0 +Katerina Maleeva defeated Audra Celler 7 -- 6 , 6 -- 2 . Audra Keller defeated Katerina Maleeva with 7 - 6 , 6 -- 2 . 0 +In 1986 , Bridie Morton married Timothy Torlot . In 1986 , Timothy Torlot married Bridie Morton . 1 +Sara Sara Noxx is an award winning German musician and star of the alternative music scene . Sara Noxx is an award winning alternative musician and star of the German music scene . 0 +She is voiced by Yuhko Kaida in Japanese and Karen Strassman in English . She is expressed in English by Yuhko Kaida in Japanese and Karen Strassman . 0 +It was created on 18 July 1914 for the pharmacist and businessman James Horlick , the brother of William Horlick . It was created on 18 July 1914 for the pharmacist and businessman William Horlick , brother of James Horlick . 0 +"In 2015 , Bookboon was mentioned in newspapers such as the German "" Handelsblatt "" and one of its Swedish books was featured in the Swedish Metro ." "In 2015 , Bookboon was presented in newspapers such as the German Handelsblatt "" , and one of its Swedish books was mentioned in the Swedish metro ." 1 +Mark Hambourg was born in Voronezh , Russia , the middle brother of the famous pianist Jan Hambourg . Jan Hambourg was born in Voronezh , Russia , the middle brother between famous pianist Mark Hambourg ( b . 0 +Granger is part of the South Bend -- Mishawaka , IN - MI , Metropolitan Statistical Area as well as the larger region of Michiana . Granger is part of the South Bend -- Mishawaka , IN-MI , Metropolitan Statistical Area as well as the larger Michiana region . 1 +Anteojito sells some balloons , argues his friend , Buzoncito the little red mailbox , and the balloons escape when he meets with some brats . Anteojito sells some balloons , meets his friend , Buzoncito , the little red letterbox , and the balloons escape when he argues with some gorges . 0 +La République En Marche is a political group in the National Assembly , including representatives of La République En Marche , after the 2017 parliamentary elections . La République En Marche is a legislative group in the National Assembly , including representatives of La République En Marche following the 2017 parliamentary elections . 0 +On November 30 , 2008 , John married musician Megan Mullins The couple divorced in 2015 . On November 30 , 2008 , John married the musician Megan Mullins . The married couple was divorced in 2015 . 1 +Tyler was elected 131 -- 81 over John Floyd . John Floyd was elected over 131 -- 81 via Tyler . 0 +Now to find the indifference bid price solve for formula _ 31 Now you find the bid price indifference solve for Formula 31 1 +King Sisowath Kosamak was married to Queen Sisowath Monivong , the daughter of King Norodom Suramarit , who remained Queen Mother after her husband 's death . King Norodom Suramarit was married to Queen Sisowath Kosamak , daughter of King Sisowath Monivong who remained Queen Mother after her husband 's death . 0 +"In later years , his poems were more contemporary and included metaphysical events in "" Dominion Janana "" and the "" Samsara Rajyanga "" ." "In the later years his poems were more contemporary and contain metaphysical events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." 1 +Born in Dublin in 1582 , he was the third but second surviving son of Arland Ussher and his wife Margaret . Born in Dublin in 1582 , he was the second but third surviving son of Arland Ussher and his wife Margaret . 0 +Born in Monterrey , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Guadalajara . Mora was born in Monterrey and played professionally for the Universidad de Guadalajara , Cruz Azul and Guadalajara . 1 +Margaret Turner ( Shirley Temple ) and Susan Turner ( Myrna Loy ) are sisters who live together . Margaret Turner ( Shirley Temple ) and Susan Turner ( Myrna Loy ) are all sisters who live together . 1 +Barnsley is a district of Millhouses , located in the English county of South Yorkshire . Millhouses is a district in the English county of Barnsley , South Yorkshire . 0 +Tuckerton is located in the 2nd Congressional District and is part of New Jersey 's 9th state legislative district . Tuckerton is located in the 9th Congressional District and is part of the 2nd State Legislative District of New Jersey . 0 +"Whereas "" S "" represents the phylogenetic states , "" D "" corresponds to the observed data and Formula 7 represents both the evolutionary model and the family tree ." "Where "" S "" represents the phylogenetic states , "" D "" corresponds to the observed data , and formula 7 represents both the evolutionary model and the ancestral tree ." 1 +The district as originally proposed was larger , to include the commercial areas west of Maple Avenue , including the antique buildings , The Galleria , and Shrewsbury Avenue . The district , as originally proposed , was larger to include the commercial areas west of Shrewsbury Avenue , including the ancient buildings , the Galleria and Maple Avenue . 0 +The Fighter Escadrille was a unit of the Polish Air Force at the beginning of the Second World War , which was attached to the Łódź army . The Fighter Escadrille was at the beginning of the Second World War a unit of the Łódź army , which was attached to the Polish air force . 0 +A Broadway - Revival 2001 was staged by Joe Mantello and performed Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . A 2001 Broadway revival was directed by Joe Mantello and starred Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . 0 +The voice of the turtle is a Sephardic group specializing in musical music . Voice of the Turtle is a Sephardic group specializing in musical music . 1 +The river Amaradia or the river Negreni is a tributary of the Valea Negrenilor river . The river Valea Negrenilor or Negreni River is a tributary of the river Amaradia . 0 +Uttarkashi District , Uttarakhand , India ( Sanskrit , Nepali and ) is located in Gangotri Glacier in a region bordering Tibet . India ( Sanskrit , Nepali and ) is located in Gangotri - Glacier in a region bordering Tibet . 0 +The village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills with effect from 1 July 2000 . The village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River with effect from 1 July 2000 . 0 +In addition to Indian curry , this dish has become one of the most symbolic dishes of Indian cuisine . This dish has become one of the most symbolic dishes of Indian cuisine , next to indian curry . 1 +He was a federal judge in Mexico and a prestigious lawyer in Mexico City . He was a federal judge in Mexico - city and respected lawyer in Mexico . 0 +Kiernan was an English footballer ( May 22 , 1925 in Croydon -- April 3 , 2006 in Pembury ) . William E. Kiernan ( 22 May 1925 , in Pembury -- 3 April 2006 , in Croydon ) was an English footballer . 0 +It is located to the north of Spring Valley , east of Viola , south of New Square and New Hempstead and west of New City . It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley and to the west of New City . 0 +Sarah told Peyton that he had rocked and Peyton was seen later at his concert with Eddie . Sarah told Peyton that he rocked and Peyton was later seen at his concert with Eddie . 1 +He was musically trained at the Academy of Art in Zurich , where he and others also learned to use the computer for composing music . He was also trained at the academy of art in Zurich , where he and others musically learned how to use the computer for composing music . 0 +Google allows business owners to check their own business data , and has also recruited volunteers to verify and correct ground truth data . Google allows business owners to review their own business data and has also recruited volunteers to verify and correct ground truth data . 1 +The University of the Free State is a multi campus public university in South Africa , the capital of the Free State and the judicial capital of Bloemfontein . The Free State University is a multi-campus - public university in Bloemfontein , the capital of the Free State and the capital of the judiciary of South Africa . 0 +Armand married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , elder sister of Cardinal Mazarin . They had the following children : Cardinal Mazarin married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the elder sister of Armand . 0 +The following day , he forced Chiyonofuji to surpass Kyokutenho and stand in first place alone . The following day he forced out Kyokutenhō to surpass Chiyonofuji and stand alone in first place . 0 +She moved to Switzerland when she was a few months old , then to France , but mostly grew up in Paris . She moved to Switzerland when she was a few months old , then grew up to France , but largely in Paris . 1 +Founded by Gianni Ratto in 1959 , it has presented actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Gianni Ratto , it has featured actors such as Fernanda Montenegro , Sérgio Britto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . 1 +"He has been portrayed by actors Omar Berdouni in "" United 93 "" , and Zak Santiago in "" Flight 93 "" ." "He was portrayed by actors Zak Santiago in "" United 93 "" and Omar Berdouni in "" Flight 93 "" ." 0 +It debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . In August 2006 she debuted in Australia and arrived in New Zealand in early 2007 . 1 +Tame Parata ( 1837 - March 6 , 1917 ) , also known as Thomas Pratt , was Māori and a member of the Liberal Party in New Zealand . Thomas Thomas Pratt ( 1837 - March 6 , 1917 ) , also known as Tame Parata , was a Māori and a liberal party member in New Zealand . 1 +The city is situated on the main road between Mogadishu and Jilib , near Barawa and about 80 kilometers northeast of Kismayo . The city is located on the main road between Mogadishu and Kismayo , near Barawa and about 50 miles northeast of Jilib . 0 +He was the federal judge in Mexico City and a respected lawyer in Mexico . He was a federal judge in Mexico and a prestigious lawyer in Mexico City . 0 +The Navy is a modern force with foreign ships built : The navy is a modern force with foreign built ships : 1 +"The species was first formally described by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was collected in Port Jackson ." "The species was first formally described in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , which was gathered in Port Jackson ." 1 +"Powles told "" Inside Soap "" Holly does not like it when she is in her parent 's bad books , so she tries to stay clean ." "Holly told "" Inside Soap "" Powles does not like when she is in her parents ' bad books , so she tries to stay clean ." 0 +In 2003 , he was contracted to Terengganu FA in Malaysia and then played for Pahang FA for a year and a half in 2005-2007 . He was signed to Terengganu FA in Malaysia in 2003 , and then played for Pahang FA for a season and a half in 2005-2007 . 1 +Roger Kirk was born in East London and brought up and educated in Norfolk . Roger Kirk was born in Norfolk and grew up in East London and educated . 0 +The Republicans lost two seats , one to the Prohibition Party and one to the Progressive Party . Republicans lost two seats , one to the Progressive Party and one to the Prohibition Party . 1 +Big Springs is an unincorporated community in Marion Township , Boone County , Indiana . Big Springs is an illegal community in Marion Township , Boone County , Indiana . 1 +The mountain was named after the geologist Charles Lyell , a follower of Charles Darwin , in 1863 , by Charles Gould . The mountain was named by Charles Gould in 1863 after geologist Charles Lyell , a supporter of Charles Darwin . 1 +In the final , the Estonians won both games against Kalev Tallinn and won the first and last Soviet championship for the BC Spartak Saint Petersburg . In the finals Estonians won both games against BC Spartak Saint Petersburg and won the first and last Soviet championship for Kalev Tallinn . 0 +The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +The first main span was completed in 1857 and the positioned bridge was opened by Prince Albert on 2 May 1859 . The first main span was positioned in 1857 and the finished bridge was opened on May 2 , 1859 by Prince Albert . 0 +In 2004 , Bessonova won the silver medal at the European Championships in 2004 . In 2004 Bessonova won the Allround - Silver Medal at the European Championships 2004 . 1 +It impregnates all his art and impregnates it with extraordinary creativity and constructive character . It impregnates all his art , and it impregnates it with constructive creativity and extraordinary character . 0 +He remained in Germany for three years before moving with his family back to Japan . He stayed in Japan for three years before moving back with his family to Germany . 0 +The 79th Naval Brigade and the 345th Rifle Division came as reinforcements by sea , using the long winter nights and their naval superiority . The 79th Naval Brigade and 345th Rifle Division arrived by sea as reinforcements , using the long winter nights and their naval superiority . 1 +162 . Fighter Escadrille was a unit of the Łódź Army at the start of the Second World War . The unit was attached to the Polish Air Force . The Fighter Escadrille was at the beginning of the Second World War a unit of the Polish Air Force , which was attached to the Łódź army . 0 +Brooks was served in Ferriday in 1932 by the banker Daniel B. Fleming of the Concordia Parish . Brooks was dismissed in 1932 by banker Daniel B. Fleming of Ferriday in the Concordia Parish . 0 +The leader of the geological party was his old mentor Mike Morton . The geological party leader was his old mentor , Mike Morton . 1 +Coverage in urban areas is considerably higher than in rural areas . Coverage in urban areas is substantially higher than in rural areas . 1 +Fort Mason was reoccupied by federal troops on March 29 , 1861 , and evacuated after the Civil War until 1869 . On March 29 , 1861 , the Fort Fort Mason was re-occupied by federal troops and evacuated until 1869 after the Civil War . 1 +Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal day is October 1 . The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( municipal movement ) . The independent holiday is October 1 . 0 +Jacob Slichter was the brother of geophysicist Charles Pence Slichter , the father of the physicist Louis B. Slichter and the grandfather of the musician Sumner Slichter . Sumner Slichter was the brother of the geophysicist Louis B. Slichter , father of physicist Charles Pence Slichter , and the grandfather of the musician Jacob Slichter . 0 +Katrina Alegre ( Eula Valdez ) is the best friend of Alma Bautista ( Jean Garcia ) . The best girlfriend of Alma Bautista ( Jean Garcia ) is Katrina Alegre ( Eula Valdez ) . 1 +Two years later , he bought a master 's degree in history from Southwest Missouri State University ( then Missouri State University ) . Two years later , he earned a master 's degree in history from Southwest Missouri State University ( then Missouri State University ) . 1 +The system required the user to first encode the quasi-phonetic spelling into a standard rendering . The system required the user to encode the quasiphonetic spelling first into a standard rendering . 1 +Methods of algebraic geometry provide the following parameterization of Fermat 's cubic : Methods of the cubic geometry provide the following parameterization of Fermat 's algebraic : 0 +Therefore , the regulation of which neural disc cells become SMCs is vital to imaginal development . Therefore , the regulation from which neural disc cells become SMCs is vital to the development of the imaginal . 1 +"The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" by the philosopher John Dewey in 1896 ." "The logical fallacy is a historical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." 0 +On November 24 , 2012 , Franscoviak married the writer Maggie McGuane , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . On November 24 , 2012 , Franscoviak married writer Charlie Kirn . The two live in Livingston , Montana with her children Maisie and Maggie McGuane . 0 +In most cases their destinations were underpopulated remote areas ( see Involuntary settlements in the Soviet Union ) . In most cases , their destinations were involuntary areas ( see settled remote settlements in the Soviet Union ) . 0 +The La République En Marche group is a parliamentary group in the National Assembly including representatives of La République En Marche ! after the 2017 legislative elections . The République En Marche Group is a group in the National Assembly , including representatives of La République En Marche following the 2017 parliamentary elections . 0 +Colonies are typically yellowish and may become opaque over time . The colonies are typically opaque and may become yellowish over time . 0 +Tripp ( Colin Ferguson ) tells Matt that Sarah stealed the car in which she came to Mystic Falls . Matt ( Colin Ferguson ) tells Sarah that Tripp stole the car , she came to Mystic Falls in . 0 +"Between these two towns , the road followed ( unlike the old asphalt road ) the route of the current path of "" Bougas "" ." "Between these two cities , the road ( unlike the old asphalt road ) followed the route of the current path of "" Bougas "" ." 1 +The village of North Bellport is located on the shore of Bellport Bay , an arm of the Great South Bay , a mile south of Bellport . The village of Bellport is located on the shores of Bellport Bay , an arm of the Great South Bay , a mile south of North Bellport . 0 +It is located on the east side of Yonge Street at Crescent Road . It is located on the east side of Yonge Street in Crescent Road . 1 +He died in Melbourne , Florida , on June 18 , 1936 . He was buried in Daytona Beach , Florida . He died on June 18 , 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . 1 +Danish Ali is a comedian , actor , writer , director , producer and radio personality based in Pakistan and recently Canada . Ali is a comedian , actor , writer , director , producer and radio - personality in Canada and recently Pakistan . 0 +This revival is directed by Marcia Kash , with choreography by Marc Kimelman and music direction by Steve Thomas . This revival is managed by Marcia Kash , with choreography by Marc Kimelman and music directed by Steve Thomas . 1 +However , most pink horses have white skin and some have blue eyes . Most pink horses , however , have white skin and some have blue eyes . 1 +The city is located northeast of Gaza - city and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located south of Gaza - town and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 0 +Old Polish is the time in the history of the Polish language between the 9th and the 16th century , followed by the middle Polish language . Old Polish language is the period in the history of the Polish language between the 9th and the 16th centuries , followed by the Middle Polish language . 1 +Born in San Francisco , California , he died in Brooklyn , New York , at the age of 81 . Born in Brooklyn , New York , he died in San Francisco , California at the age of 81 . 0 +In combinatorial game theory , a game is partisan if it is not impartial . In combinatorial game theory , a game is partisan when it is not impartial . 1 +The Bank of London and The Middle East Plc are admitted by the Prudential Regulation Authority and regulated by the Financial Conduct Authority and the Prudential Regulation Authority . Bank of London and The Middle East Plc is authorised by the Financial Conduct Authority and regulated by the Prudential Regulation Authority and the Prudential Regulation Authority . 0 +The First Oil Well in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian Territory , though it was not completed until 1888 . The first oil source in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian territory , although it was not completed until 1888 . 1 +The astors settled in Germany , appearing for the first time in the 18th century in North America with John Jacob Astor , one of the richest people in history . The Astors settled in Germany , first appearing in North America in the 18th century with John Jacob Astor , one of the richest people in history . 1 +João was born in Portugal but attended school in Paris , before moving to Brazil , the British West Indies , and finally New Orleans . João was born in Portugal , but attended school in Paris before moving to Brazil , the British Antilles and finally to New Orleans . 1 +He is married to Gordana , with whom he has a son , Daniella ( born 1990 ) and daughter , Dejan ( born 1996 ) . He is married with Gordana , with whom he has a son , Daniella ( born 1990 ) and daughter , Dejan ( born 1996 ) . 1 +The village is within walking distance of Filton Abbey Wood Station and also has direct bus links to Bristol Parkway Station and Temple Meads Station . The village is within walking distance of Filton Abbey Wood Station and has a direct bus connection to Bristol Parkway Rail Station and Temple Meads Station . 1 +They did not hesitate to send members of the various professions to the respective congresses held in Bessarabia throughout 1917 , and became very influential . They did not hesitate to send members of the various professions to the respective congresses held in Bessarabia throughout the year 1917 , and they became very powerful . 1 +In Käru , the politician and entrepreneur Kuno Pajula ( 1885 - 1942 ) and former archbishop Juhan Kukk ( 1924 - 2012 ) were born . In Käru , the politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 - 2012 ) were born . 0 +Mischa Zverev won the title , defeating Malek Jaziri 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . Malek Jaziri won the title and beat Mischa Zverev 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . 0 +Itamati has one degree college , one junior college , three high schools and six upper primary schools . Itamati has one degree college , a junior college , three high schools and six primary schools . 1 +"Consequently , the similar givens - transformation formula 5 of a Hermitian matrix "" H "" is also a Hermitian matrix complex , which is equivalent to "" H "" :" "Hence , the complex equivalent Givens transformation formula _ 5 of a Hermitian matrix "" H "" is also a Hermitian matrix similar to "" H "" :" 0 +It is covered with a natural vegetation of grassland of less fertile red clay soils , and saltbush shrubland on more fertile earths . It is covered with a natural vegetation of grassland of less fertile red clay floors , and Saltbush bushland on more fertile soils . 1 +Saghar has written over 2,000 songs for Pakistani singers and music directors for many films , radio and TV . For many singers and music directors , Saghar has written more than 2,000 songs for Pakistani films , radio and TV . 0 +In March 1904 , his brother was kidnapped for ransom in Westtexas and taken to Mexico across the border . In March 1904 , his brother was kidnapped for ransom in Mexico and taken across the border to West Texas . 0 +Illinois beat Purdue , 17-7 and Ole Miss beat Army 27-7 . Purdue , 17-7 beat and beat Ole Miss army 27-7 . 0 +Frank Malina died in Paris in 1981 , near Boulogne Billancourt , France . In 1981 , Frank Malina died in Boulogne Billancourt , near Paris . 0 +McConnell was killed at the crime scene , but turbitt was kidnapped . Turbitt was killed at the scene , but McConnell was kidnapped . 0 +"Nora Sayre called the film "" thoughtful and moving "" in the "" New York Times "" , but others were less admiring ." "Writing in "" The New York Times "" , Nora Sayre called the film "" pensive and moving "" but others were less admiring ." 1 +She has also published biographies , of the Nobel laureate Juan Soriano and artist Octavio Paz . She also published biographies of the Nobel laureate Octavio Paz and the artist Juan Soriano . 0 +Aman is in love with Neha ( Boman Irani ) , daughter of Mr Patel ( Nandana Sen ) , a conventional Gujarati . Aman is in love with Neha ( Nandana Sen ) , daughter of Mr. Patel ( Boman Irani ) , a conventional Gujarati . 0 +Metro Radio Group or Metropolitan Broadcasting , as it was more widely known , was a group of independent local radio stations in the northeast of England . Metro Radio Group or the Metropolitan Broadcasting as it was more commonly known , was a group of Independent Local Radio stations in North East of England . 1 +Ricardo Cano defeated Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 -- 4 . Ricardo Cano defeated with Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 - 3 , 6 - 4 - 0 +"If "" f "" is in the Hardy - Space "" H "" , then it has a factorization" "If "" f "" has room "" H "" in Hardy , then it is a factorization" 0 +Baden Powell was a student at the Naval Academy when after reading a book by Mimi Sodré named Scouting for Boys , he became interested in Scouting . Baden Powell was a student at the Naval Academy after reading a book by Mimi Sodré called Scouting for Boys , when he was interested in the scouting . 1 +John Corabi replaced after the scream Vince Neil in Mötley Crüe . After the cry , Vince Neil John Corabi replaced temporarily in Mötley Crüe . 0 +During the construction of the launch complexes 31 and 32 , which were built on the same site , LC-10 was subsequently demolished . LC-10 were subsequently demolished during the construction of Launch Complexes 31 and 32 , which was built on the same site . 1 +The river Voievodeasa is a tributary of the River Suceviţa in Romania . The river Suceviţa is a tributary of the river Voievodeasa in Romania . 0 +Biancaneve is an Italian erotic comic book , created in 1972 by Leone Frollo and Rubino Ventura ( pseudonym Giuseppe Pederiali ) and illustrated by Renzo Barbieri . Biancaneve is an Italian erotic comic book , created in 1972 by Renzo Barbieri and Rubino Ventura ( pseudonym by Giuseppe Pederiali ) and illustrated by Leone Frollo . 0 +It was completed when the section from Amersfoort to Zutphen was opened . It was opened when the section from Amersfoort was completed to Zutphen . 0 +On August 2 , 2011 , defeated Reeves Billy Hewes . On August 2 , 2011 , Billy Hewes defeated Reeves . 0 +In 1848 the Catholic parish of Kilmihil ( Kilmacduane ) was once again separated from Cooraclare . In 1848 the Catholic Parish Cooraclare ( Kilmacduane ) was separated from Kilmihil again . 0 +The River Giumalău is a tributary of the River Rusca in Romania . The Giumalău River is a tributary of the Rusca River in Romania . 1 +Byron Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . On December 28 , 1850 , the name of Dunham Township changed from Byron Township to avoid confusion with Byron Township and honor a resident of Solomon J. Dunham . 0 +Jürgen Zopp won the title after defeating Tommy Robredo in the finals with 6 -- 3 , 6 -- 2 . Jürgen Zopp won the title after defeating Tommy Robredo 6 -- 3 , 6 -- 2 in the final . 1 +In the 1990s , Schwartz worked in the adult film industry in minor , non-sexual roles , and behind the scenes in numerous administrative roles . In the 1990s , Schwartz worked in the adult film industry in smaller , non-sexual roles and in numerous administrative roles behind the scenes . 1 +Along the southern Australian coast , it is found from Shark Bay in Queensland to Maroochydore in Western Australia , including Tasmania . Along the southern Australian coast , it is found from Shark Bay in West Australia to Maroochydore in Queensland , including Tasmania . 0 +The academy consists of a central hall , east wing , west wing and garden . The academy consists of eastern hall , central wing , west wing and a garden . 0 +He is the son of Malaysia ’ s third prime minister , Najib Razak , and the cousin of the sixth and current prime minister , Hussein Onn . He is the son of Malaysia 's third prime minister , Hussein Onn , and the cousin of the sixth and current prime minister , Najib Razak . 0 +Borchers was born in Šilutė ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , Lithuania in a German either Prussian Lithuanian or Memellander family . Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda ( German : Memelland ) , Šilutė in a German Prussian Lithuanian or Memelland family . 0 +Is a short book by Karla Kuskin , first published in 1962 , with illustrations by Virginia Cary Hudson . Is a short book by Karla Kuskin , first published illustrations by Virginia Cary Hudson in 1962 . 1 +The Frank Herzberg Trio is a contemporary Brazilian jazz trio which consists of bassist Zé Eduardo Nazario , drummer Frank Herzberg and pianist Alexandre Zamith . The Frank Herzberg Trio is a contemporary Brazilian jazz trio that consists of bassist Frank Herzberg , drummer Zé Eduardo Nazario , and pianist Alexandre Zamith . 0 +He left York in 1805 to study theology at Manchester College , Sheffield . In 1805 , however , he left Sheffield to study theology at the Manchester College in York . 0 +His father had been a blacksmith and inventor and had worked in California with iron rope . His father had been a blacksmith and an inventor and had worked in Scotland with the iron rope . 0 +The band undertook a worldwide tour in 2009 and became Joe Satriani 's full volume in 2013 . The band undertook a worldwide tour in 2009 and became Joe Satriani 's full touring band in 2013 . 0 +The combination of red high metal halide light and blue-pressure sodium light is an attempt to provide a very wide spectrum within a single lamp . The combination of blue metal halogen light and red sodium high-pressure light is an attempt to provide a very broad spectrum within a single lamp . 0 +He is the first son of the Argentine coach Oscar Garré , the brother of Argentine footballer Emiliano Garré and uncle of Benjamin Garré . He is the first son of the Argentinean coach Oscar Garré , the brother of the Argentine footballer Emiliano Garré and the uncle of Benjamin Garré . 1 +The album will receive a digital release on May 3 , 2010 , followed by a physical release on May 5 , 2010 . The album will see a digital release on 3 May 2010 , followed by a physical release on 5 May 2010 . 1 +"Frodo Baggins ( beside his brother Dominic as Peregrin Took ) in the animated version of "" The Lord of the Rings "" ( 1978 ) ." "Guard Took Frodo Baggins ( alongside his brother Dominic as Peregrin voiced ) in the animated version of "" The Lord of the Rings "" ( 1978 ) ." 0 +In 1953 , he married the actress Gilda Neeltje , the sister of actress Diane Holland . In 1953 , he married the actress Diane Holland , sister of the actress Gilda Neeltje . 0 +The minister of climate and energy was Lykke Friis until November 2009 , when she was replaced with Connie Hedegaard . The Minister for Climate and Energy was Lykke Friis until November 2009 , when she was replaced with Connie Hedegaard . 1 +Bayswater is linked to south of the Redcliffe Bridge by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) . Bayswater is connected to the south by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the Swan River . 0 +It lives in many habitats , including steppes , mountainous regions , semi-deserts , and urban areas . It lives in many habitats , including steppes , urban areas , semi-deserts , and mountainous areas . 1 +Most of the series produced by CBS before 1976 or distributed by CBS films were later distributed by Viacom and Paramount Television . Most of the series produced by CBS films before 1976 or distributed by Paramount Television were later distributed by Viacom and CBS . 0 +Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat in the winter . Kunkuri is the coldest region in Nichghat in summer and Pandrapat is the hottest region in Upper Ghat in winter . 1 +"Upland is mentioned in 2008 Hugh Laurie Film "" Street Kings "" as the home of the LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." "Upland is mentioned in the 2008 Keanu Reeves Film "" Street Kings "" as the home of the LAPD Internal Affairs Captain James Biggs ( played by Hugh Laurie ) ." 0 +Southbound the train departed Brighton 10 : 50 and Edinburgh Waverley 10 : 44 and arrived at Glasgow Central 20 : 20 . The train left Glasgow Central 10 : 50 and Edinburgh Waverley 10 : 44 and arrived at Brighton 20 : 20 . 0 +After a while Wang Di left the band and was replaced in August 2008 by Miao Yu Jia . After a while , Miao Yu Jia left the band and was replaced by Wang Di in August 2008 . 0 +Vehicle registration plates in Hungary usually consist of six characters on white background with black letters . In Hungary , vehicle registration numbers usually consist of six characters on black background with white letters . 0 +The castle was rebuilt twice : in 15th century for the first time and in 19th century after it had been partially destroyed . The castle was converted twice : in the 19th century for the first time and in the 15th century , after it had been partially destroyed . 0 +The current line - up is Chris Fogal on the guitar and vocals , Forrest Bartosh on drums and Johnny Wilson on bass and background - vocals . The current line-up is Johnny Wilson ( guitar and vocals ) , Forrest Bartosh ( drums ) and Chris Fogal ( bass and background vocals ) . 0 +The unpredictable consonant of every word was then dropped , the distribution of first leaving . The first consonant of every word was then dropped , the distribution of unpredictable leaving . 0 +In 1854 Cooper left Australia and returned to London where he lived , a confirmed bachelor , until his death at the age of ninety . He left London in 1854 and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . 0 +The river Cleja is a tributary of the Iminog River in Romania . The Iminog River is a tributary of the Cleja River in Romania . 0 +It joined the 23rd Indian Brigade in the 1st Indian Division in May 1942 . In May 1942 , he joined the 23rd Indian Brigade in the 1st Indian Division . 1 +The station is served by the Asa Line and is located 8.0 km from the beginning of the line at . The train station is served by the Asa line and is 8.0 km from the beginning of the line . 1 +Janzur is known as the birthplace of Omar Mukhtar , the Italian leader of the resistance during Libyan rule . Janzur is known as the birthplace of Omar Mukhtar , the Libyan resistance leader during the Italian rule . 0 +Marlborough is to the north of Harare City Centre and lies between the roads leading to Chinhoyi and Bindura from Harare . Marlborough is located north of the Harare City Centre and lies between the streets leading from Harare to Chinhoyi and Bindura . 1 +Thomas Fothergill D.D . was an English academic administrator at the University of Oxford . Thomas Fothergill was an English academic administrator at the University of Oxford . 1 +The show , which was previously held in the city of Christchurch , was moved to Auckland in 2008 at Hagley Park . The show , which was previously held in the city of Auckland , was moved to Christchurch in 2008 at Hagley Park . 0 +Dighton is located in the fifth Bristol State representative district , including Somerset and parts of Swansea and Taunton . Dighton is located in the Fifth Bristol state representative district , which includes Somerset and parts of Swansea and Taunton . 1 +"In Middle Persian sources of the Sassanid period the river is known as "" Wehrōd "" ( lit ." "In the Middle Persian sources of the Sassanid period , the river is known as "" Wehrod "" ( Lit . ) ." 1 +Private Aqua Cycling is a fitness concept that combines underwater training with active balneotherapy in private rooms . Private Aqua Cycling is a fitness concept that combines active training with underwater – balneotherapy in private rooms . 0 +After a brief stay in New York City with his reported cousin , he moved to New Orleans . He moved to New York City after a short stay in New Orleans with his cousin . 0 +He died on 19 February 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . He died in Holyhood Cemetery , Brookline , Massachusetts , on February 19 , 1935 and was interred in Boston , Massachusetts . 0 +The corps was first formed in 1945 as the 137th rifle corps and became the 43rd Gun Corps ( Second Formation ) in 1955 . The corps was first formed as the 43rd Rifle Corps in late 1945 and became the 137th Rifle Corps ( Second Formation ) in 1955 . 0 +In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Sand Mountain and the Wills Valley to the east . In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Wills Valley , and in Sand Mountain to the east . 0 +Balıklı is a village in the district of Gümüşhacıköy , province Amasya , Turkey . Balıklı is a village in the District of Gümüşhacıköy , Turkey , Amasya Province . 1 +Isaeus , Aeschines , Lysias , Plutarch and others also had their own preferences . Lysias , Aeschines , Isaeus , Plutarch and others had their own preferences . 1 +Pabawena wrote in 1949 to Utah Senator Arthur V. Watkins to report : Chief Arthur V. Watkins wrote Utah Senator Pabawena in 1949 to report : 0 +Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Gary Donnelly and Jim Grabb . Andrew Castle and Roberto Saad won 6 : 7 , 6 : 4 , 7 : 6 against Gary Donnelly and Jim Grabb in the final . 1 +The main plains of the prefecture is plain of Pozar in the north and the vast plain of Giannitsà in the southeastern part of the county . The main plain of the prefecture is the plain of Pozar in the north and the extensive plain of Giannitsà in the southeastern part of the county . 1 +A number of conditions can be imposed on a market , sometimes to model hypothetical markets and sometimes to emphasize certain types of actual market behavior . A number of conditions can be imposed on a market , sometimes to model the actual markets , and sometimes to emphasize certain types of hypothetical market behavior . 0 +On March 22 , 1839 , Sarah born an illegitimate daughter , Louisa Catherine . Louisa Catherine , on March 22 , 1839 , had an illegitimate daughter , Sarah . 0 +In March 2008 , Sophina participated in the heart of a Champion Invitational as Level 10 , where she won the total title . In March 2008 , Sophina participated in the Heart of a Champion Invitational as a Level 10 where she won the around-all title . 1 +The Philippines ’ Permanent Representative to Croatia is based in the Philippine Embassy in Austria . Austria ’ s Permanent Representative to Croatia is based in the Philippine Embassy in the Philippines . 0 +The fully completed action plan , published on 3 March 2006 , is being placed directly in the hands of other ministers by ministerial members of the task force . The completed action plan , published on 3 March 2006 , will be placed by ministerial members of the Task Force directly in the hands of other ministers . 1 +Belvelly is located at the shortest intersection between the Carrigtwohill and the neighbouring Fota Island , which in turn is connected to the mainland near Great Island . Belvelly is situated at the shortest crossing point between the Great Island and the neighbouring Fota Island , which is in turn connected to the mainland near Carrigtwohill . 0 +Leptonotis perplexus is a species of marine limpet-like sea snail , a small gastropod mollusk in the family Hipponicidae , the hoof snails . Leptonotis perplexus is a kind of small limpet-like sea snail , a marine gastropod mollusk in the Hipponicidae family , the hoof snails . 0 +The nest is located in a low shrub on the ground , like most old world warblers , this insect-eating passerine is small . The nest is on the ground in a low shrub . Like most Old World warblers , this insectivorous passerine is small . 1 +"This is a list of the second football transfers for "" 2013 Malaysian transfer window "" ." "This is a list of Malaysian football transmissions for the "" second transfer window 2013 "" ." 0 +Strathgartney Provincial Park is a provincial park in Prince Edward Island , Canada . Strathgartney Provincial Park is a provincial park on Prince Edward Island , Canada . 1 +This is a list of people on Zambia 's postage stamps and its predecessor Northern Rhodesia . This is list of people on postage stamps of Zambia and its predecessor Northern Rhodesia . 1 +Tony and Len Goodman appear along with Mary Murphy in an infomercial for the Core Rhythms workout system . Along with Mary Murphy , Tony and Len Goodman are released in an infomercial for the Core Rhythms Workout System . 1 +The physical topology defines how nodes communicate in a network over its logical topology . The logical topology defines how nodes in a network communicate across its physical topology . 0 +In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to England through Scotland . In Paris , in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to England through Scotland . 1 +It is owned by NMG ( Nation Multimedia Group ) . It is owned by Nation Multimedia Group ( NMG ) . 1 +"During 1942 , "" Whitehall "" was "" adopted "" by the civil community of Cheltenham , Gloucestershire , in a Warship Week national savings campaign ." "During 1942 "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national saving campaign of the warship - week "" ." 1 +Bynum was born in Baltimore in 1975 , and grew up in Boston . Bynum was born in Baltimore in 1975 , grew up in Boston . 1 +The Tokyo Junior Orchestra Society was recognized as an accredited NPO in 2009 by the Tokyo Metropolitan Government . Tokyo Junior Orchestra Society was endorsed by the Tokyo Metropolitan Government as an accredited NPO in 2009 . 1 +"By controlling the fluid with a magnetic field , it is formed to create complex 3-dimensional shapes as a "" liquid sculpture "" ." "By controlling the fluid with a magnetic field , it is formed to create liquid 3-complex forms as a "" dimensional sculpture "" ." 0 +Thomas Fothergill was an academic English administrator at the University of Oxford . Thomas Fothergill D.D . was an academic English administrator at the University of Oxford . 1 +The plant is native to northern Oregon and into southern California . The plant is native to northern Oregon and southern California . 1 +The 1990 Philadelphia Wings season marked the fourth season of the team operation and second championship . The 1990 Philadelphia Wings season marked the team 's fourth season of operation and second league championship . 1 +Archbishop Robert von Esztergom therefore set the kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some high dignitaries of the king . Therefore , on 25 February 1232 , Archbishop Robert of Esztergom placed the Kingdom of Hungary under an interdict and excommunicated some high dignitaries of the king . 1 +Due to the increased crystallinity of PDLA , the biodegradation of PDLA is slower than for PLA . Due to the slower crystallisation of PDLA , the biodegradation of PDLA is higher than for PLA . 0 +The Los Angeles County Department for Health Services operates the Torrance Health Center in Torrance , near Harbor Gateway , Los Angeles , and serves Rolling Hills . The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance and serving Rolling Hills . 0 +The music was composed by Tim Rice with lyrics written by Sir Cliff Richard and Frank Dunlop . The book is by John Farrar . The music was composed by Tim Rice with texts by Sir Cliff Richard and Frank Dunlop . The book is by John Farrar . 1 +The first integer formula _ 177 for which formula _ 178 is rank formula _ 179 has formula _ 180 . The first integer formula 177 , for which Formula 178 is ranked , has Formula 179 the Formula 180 . 1 +Heavy rainfall caused severe flooding : in Miller County , 250 homes and 50 shops suffered water damage , while another 35 were damaged in the nearby Donalsonville . The heavy rainfall caused severe flooding ; in Miller County , 250 houses and 50 businesses suffered water damage , while another 35 were damaged in nearby Donalsonville . 1 +The contents of the first intact collection , including the latter mastodon , were relocated to the American Museum of Natural History of New York City in 1906 . The contents of the first intact collection , including the latter Mastodon , were transferred to the New York City American Natural History Museum in 1906 . 1 +The Museumpark is located in the Chabot Museum in the Rotterdam Centrum , between the Netherlands Architecture Institute and the Boijmans Van Beuningen Museum . The Chabot Museum is located in the Museumpark in the Rotterdam Centrum , between the Netherlands Architecture Institute and the Boijmans Van Beuningen Museum . 0 +He is an elected member of the International Statistical Institute , and a fellow of the Institute of Mathematical Statistics and of the American Mathematical Society . He is an elected member of the International Statistical Institute and is a fellow of the Institute of Mathematical Statistics and the American Mathematical Society . 1 +For example , where men are often encouraged to enjoy more sexual freedom , women are expected to be more sexually restricted . Where , for example , men are often expected to enjoy more sexual freedom , women are encouraged to be more sexually constrained . 0 +Chuck Robb was ran as incumbent for a third term , but lost to Republican George Allen . Incumbent Democrat Chuck Robb ran for a third term , but lost to Republican George Allen . 1 +Büyükorhan is a town and district of Turkey in the Marmara region of Bursa Province . Büyükorhan is a town and district of the province of Bursa in the Marmara region of Turkey . 0 +Liuget was drafted in the 18th round as the first draft pick by the San Diego Chargers . Liuget was moved in the first round as Draft Pick 18th by the San Diego Chargers . 0 +The station was built by the New Yorker , New Haven and Hartford Railroad in 1915 along the former Connecticut Valley Railroad line . The station was built in 1915 along the former New York line from Connecticut Valley Railroad , New Haven and Hartford Railroad . 0 +Malhar Joshi should not be confused with the author Waman Gopal Joshi , they were contemporaries . Waman Gopal Joshi should not be confused with the writer Vaman Malhar Joshi . They were contemporaries . 0 +The party was regarded as less extreme than the more popular Palestinian - Arab party . The party was regarded as less extreme than the more popular Palestine Arab Party . 1 +Karen and Kristoffer together have eight children . Karen and Kristoffer have eight children together . 1 +Their appearance ranges from cloudy with sediment to completely clear , and their colour ranges from almost colourless to amber to brown . Their appearance ranges from clear sediment to completely cloudy , and their colour ranges from almost colorless to amber to brown . 0 +Trio is a collaboration album by three American performers , Dolly Parton , Linda Ronstadt and Emmylou Harris . Trio is a collaboration album by three American artists , Dolly Parton , Linda Ronstadt and Emmylou Harris . 1 +After her father 's death , Allie sails alone from Australia to England . After her father 's death , Allie sails from Australia alone to England . 1 +Abraham Salomon Gluck was equally murdered , probably most of the 878 men in convoy 73 on or around May 20 , 1944 . Abraham Salomon Gluck was probably killed on or around May 20 , 1944 , like most of the 878 men in convoy 73 . 0 +In 1810 , Madison was dealt and sold , and the first lots were laid in 1811 by John Paul . In 1810 , Madison was laid and relocated , and the first lots were sold by John Paul in 1811 . 0 +From Italy she moved to Konstanz , Germany in 1967 . In 1967 she moved from Italy to Konstanz . 1 +"He sang in Europe at Le Lido in Paris and joined Betty Grable in the London West End Musical "" Belle Starr "" ." "In Europe he performed at Le Lido in Paris and sang together with Betty Grable in the London West End - Musical "" Belle Starr "" ." 0 +High expression levels of ITGB8 are associated with high angiogenic and poorly invasive glioblastoma tumors . Conversely low expression of ITGB8 correlates with highly invasive but low angiogenic tumors . High expression levels of ITGB8 are associated with highly angiogenic and poorly invasive glioblastoma tumours . Conversely , low expression of ITGB8 correlates with highly invasive but low angiogenic tumors . 1 +He is sometimes credited as Tashi Wangchuk Tenzing of Australia , usually with a note that he is Tenzing ’ s grandson . He is usually credited as Tashi Wangchuk Tenzing of Australia , sometimes with a note that he is Tenzing 's grandson 0 +The 1981 Purdue Boilermakers football team represented Purdue University during the 1981 Big Ten Conference football season . The 1981 Purdue Boilermakers football team represented Purdue University during the football season of the Big Ten Conference in 1981 . 1 +A tribute to Jamie Parker and Claire Martin , the American actor Seth MacFarlane , with Frank Sinatra , was the lead singer . A tribute to Frank Sinatra . American actor Seth MacFarlane was the lead singer , with Jamie Parker and Claire Martin . 0 +Santa Rosa de Lima is a municipality in the Santa Rosa department of Guatemala . Santa Rosa de Lima is a municipality located in the department of Santa Rosa in Guatemala . 1 +Roman was born in Rankin , Verona and grew up in PA , attending Penn Hills High School in Penn Hills , PA . Roman was born in Rankin , PA , and grew up in Verona , PA , attended by Penn Hills high school in Penn Hills , PA . 0 +He was a Member ( MP ) of the Parliament of England for Newtown in 1614 and for Guildford , Isle of Wight in 1614 . He was a Member of the Parliament of England for Guildford in 1614 and for Newtown , Isle of Wight in 1614 . 0 +On December 14 , 2003 , Azzopardi received his first country match for Poland in a game against Malta . Azzopardi received his first cap for Poland on 14 December 2003 in a match against Malta . 1 +Pandabeswar CD Block had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students The Pandabeswar CD Block had 1 special and non-formal college with 1,007 students , 257 institutions for general education with 9,690 students . 0 +John Corabi replaced after the scream Vince Neil in Mötley Crüe . After The Scream , John Corabi temporarily replaced Vince Neil in Mötley Crüe . 1 +In the 2006-07 season , Goldwire played with Panellinios from the Spanish Basketball League and joined the Greek Club CB Girona in 2009 . Goldwire played with Panellinios of the Spanish basketball league in the 2006-07 season . In 2009 , he joined the Greek club CB Girona . 1 +"In 2008 , the Vatican began an "" renewable island "" for ecological waste and has continued the initiative throughout the papacy of Francis ." "In 2008 , the Vatican began a "" renewable island "" for ecological waste and continued the initiative throughout the Papacy of Francis ." 1 +Cedarbrae Mall is a shopping centre located in the Scarborough area of Toronto , Ontario , Canada on the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre located in the area of Toronto , Ontario , Canada of Scarborough on the corner of Markham Road and Lawrence Avenue East . 0 +In November , the Royals CF Ramón Ramírez acquired the Boston Red Sox in exchange for RP Coco Crisp . In November , the Royals acquired CF Ramón Ramírez from the Boston Red Sox in exchange for RP Coco Crisp . 1 +The school was founded in Ireland and then pioneered in Australia in 1903 . The school was founded in Ireland and was pioneered in 1903 in Australia . 1 +It is found in Alberta in northern Canada and possibly in Ontario . It is found in Alberta in northern Canada and possibly Ontario . 1 +An experiment was tried in 1919 , where a method of standardization of testing was done . An experiment was done in 1919 where a standardization method of testing was tried . 0 +"The case was played in the BBC - Drama "" In Denial of Murder "" , in which Wendy Sewell Stephen Downing and Caroline Catz played Jason Watkins ." "The case was featured in the 2004 BBC drama "" In Denial of Murder "" , in which Wendy Sewell played Stephen Downing and Caroline Catz played Jason Watkins ." 1 +The original edition was published in New York in 1953 by Allen Unwin and in London by Harper . The original edition was published in 1953 in New York by Allen & Unwin and in London by Harper . 1 +The position was filled by William Hay from 2007 to 13 October 2014 , but has since been replaced by Mitchel McLaughlin . The position was filled by Mitchel McLaughlin from 2007 until 13 October 2014 , but has since been followed by William Hay . 0 +A number of conditions can be imposed on a market , sometimes to model the actual markets , and sometimes to emphasize certain types of hypothetical market behavior . A number of conditions can be imposed on a market , sometimes to model actual markets and sometimes to emphasize certain types of hypothetical market behavior . 1 +Owobale was born in the Netherlands to a Dutch father and a Nigerian mother . Owobale was born in the Netherlands into a Dutch father and a Nigerian mother . 1 +The branch codice 2 is updated daily , the codice 3 branch is updated every 6 months . The codice _ 2 branch gets updated daily , and the codice _ 3 branch is updated for every 6 months . 1 +Cold Steve Austin appeared and hit Triple H , Patterson , Brisco , Shane and Vince with a chair . Stone Cold Steve Austin appeared and hit Triple H , Patterson , Brisco , Shane and Vince with a chair . 1 +The main village is inhabited mainly by people of East Indian origin , there are Hindu temples and mosques and there is a small church . The small village is mainly inhabited by people of East Indian descent . There are Hindu temples and mosques and there is one main church . 0 +Suman Chatterjee , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Kabir Suman . Suman Chatterjee recorded several albums under the name of Suman Chattopaddhyay or Kabir Suman between 1992 and 1999 . 1 +The 1921 Stanford soccer team represented Stanford University in the 1921 College Football season . The 1921 Stanford football team represented Stanford University in the 1921 college football season . 1 +Petra Keppeler ( born March 22 , 1965 ) is a former professional tennis player from Germany ( born Petra Humid ) . Petra Keppeler ( born 22 March 1965 ) , born Petra Feucht , is a former professional tennis player from Germany . 0 +The younger daughter is an Indian Revenue Services Officer who runs away from the family and marries her love . The younger daughter is an Indian Revenue Services officer who runs away from family and marries her love . 1 +Jeevan Prabhat was a successful social film from Bombay Talkies directed by Franz Osten . It starred Kishore Sahu in his debut film with Devika Rani and Mumtaz Ali . Franz Franz Osten was a successful social film from Bombay Talkies , directed by Kishore Sahu , who played in his debut film with Devika Rani and Mumtaz Ali Jeevan Prabhat . 0 +It currently runs from Yonge Street south of Davisville Avenue to the northwest to Allen Road and Eglinton Avenue West . It currently runs from Davisville Avenue , south of Yonge Street , northwest to the Allen Road and Eglinton Avenue West . 0 +"The Presbyterian teaching is "" reformed "" , and the form of government is "" theological "" ." "The presbyterian doctrine is "" reformed "" , and the form of government is "" theological "" ." 1 +Samantha Stosur ( Australia ) and Andy Murray ( Scotland ) were also absent . Also absent were Andy Murray ( Scotland ) and Samantha Stosur ( Australia ) . 1 +After calling Tinkerer who calls him an updated version of his Clash suit , Clayton makes up Mendel Stromm . After calling Tinkerer , who makes him an updated version of his clash suit , Clayton Mendel Stromm calls . 0 +His troops were , however , sufficient to prevent a Serbian invasion , and he led the Serbian delegation that negotiated with the Bulgarian king , Stefan Decanski . However his troops were enough to prevent a Serbian invasion and he led the Serbian delegation which negotiated with the Bulgarian King Stefan Decanski . 1 +Jones held the electorate until 1946 , when it was abolished , and successfully stood in St Kilda this year . Jones held the electorate until 1946 , when it was abolished , and successfully stood in St Kilda that year . 1 +The event draws tourists and participants from all areas of the California coast , Washington and Oregon . The event attracts tourists and participants from all areas of the California coast , Washington and Oregon . 1 +Originally from Canberra , Holmes attended the Australian Institute of Sport in Sydney . Holmes , who is originally from Sydney , attended the Australian Institute of Sport in Canberra . 0 +The founders of the Charter 77 Foundation , František Janouch and Ada Kolman , or the German activist Rainer Höss participated in the debates with the Israeli journalist Tal Bashan . Founders of the Charta 77 Foundation František Janouch and Tal Bashan or the German activist Rainer Höss with the Israeli journalist Ada Kolman have participated in the debates . 0 +Danny Olsen ( born June 11 , 1985 ) is a Danish football professional . He is the twin brother of Kenni Olsen , the current assistant to Herlev IF . Danny Olsen ( born 11 June 1985 ) is a Danish professional footballer . He is the twin brother of the current Herlev IF assistant coach , Kenni Olsen . 1 +"From September 2015 Goodyear is again president of "" Goodyear Capital Corporation "" and the "" Goodyear Investment Company "" ." "As of September 2015 , Goodyear is again the president of "" Goodyear Capital Corporation "" and "" Goodyear Investment Company . """ 1 +"Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the second "" Tlatoani "" and the 16th Governor of Tenochtitlan ." "Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the 16th "" tlatoani "" and the second governor of Tenochtitlan ." 0 +It was created by Eddie Mort and Lili Chin and made by Warner Bros . It was produced by Eddie Mort and Lili Chin and created by Warner Bros.. 0 +Diseases associated with this species include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . Diseases associated with this species include : DCV : increased reproductive potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . 0 +Notoacmea parviconoidea is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . Notoacmea parviconoidea is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 0 +Jon Bon Jovi and lead singer Sambora formed the main songwriting unit for the band . Jon Bon Jovi and lead singer Sambora formed the most important songwriting - unit for the band . 1 +Italy qualified for the 2009 European Baseball Championship from the 2007 competition . The other qualifiers were Netherlands , Sweden , Spain , Germany , France and Great Britain . Italy qualified from the 2007 competition for the Baseball - European Championship 2009.The other qualifiers were Netherlands , Sweden , Spain , Germany , France and Britain . 1 +And she also meets Sting , where she sings and even kisses . She also sings Sting , where she meets and even kisses . 0 +"It was suggested that "" P. azurophilum "" represents more than one species , with a species infecting white blood cells and infecting the other red blood cells ." "It has been suggested that "" P. azurophilum "" represents more than one species with one species infecting red blood cells and the other infecting white blood cells ." 1 +One of the fine constants is the dimensionless fundamental structure constant : One of the fine constants is the dimensionless fundamental constant : 1 +Butler County is represented in the U.S. Senate by U.S . Senators Claire McCaskill ( Democrat ) and Roy Blunt ( Republican ) . Butler County is represented in the U.S. Senate by US Senators Claire McCaskill ( Democrat ) and Roy Blunt ( Republican ) . 1 +According to the United States Census Bureau , the town has a total area of , of which is land and , or 1.35 % , is water . According to the United States Census Bureau , the city is a total area of which land and , or 1.35 % has , is water . 1 +In computer - complexity theory , randomized polynomial time ( RP ) is the complexity class of problems for which a probabilistic turing machine exists with these characteristics : In computational complexity theory , randomized polynomial time ( RP ) is the complexity class of problems for which a probabilistic Turing machine exists with these properties : 1 +"Where "" r "" is the periodic rate , "" i "" the annual rate , and "" n "" the number of compounding periods per year ." "Where "" r "" is the periodic rate "" i "" is the annual rate and "" n "" the number of connection periods per year ." 1 +He broke 13 Brazilian records and was a record holder of Brazilian and South American from 1952 to 1956 . He broke 13 Brazilian and South American records , and was a Brazilian record holder from 1952 to 1956 . 0 +McLoughlin applied the laws to American subjects , kept the peace with the natives and maintained friendly relations with British merchants and later colonists . McLoughlin applied the law to American subjects , kept the peace with the natives , and maintained friendly relations with British merchants and later colonists . 1 +There are 38 public primary and 66 secondary schools with a total of 103,602 pupils as well as 29 private schools with 30,795 students in Lilongwe . In Lilongwe there are 38 private and 66 public primary schools with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . 0 +In 1992 , Tungamirai was replaced by Perence Shiri as an air commander . In 1992 Tungamirai was replaced by Perence Shiri as Air Force commander . 1 +The prosperity of his establishment stimulated the creation of early ranches and growth in the region and created a population that the other city would define . The prosperity of his establishment stimulated the creation of early ranches and growth in the region , creating a population that would define the other city . 1 +Two international features have been selected to be shown in special pre-release screenings out of competition . Two special pre-release features were selected to be shown out of competition in international screenings . 0 +The region is famous for its white wines , but also for the sparkling wines ( white , red and rosé ) . The area is famous for its sparkling wines , but also for its white wines ( white , red and rosé wines ) . 0 +Germar Rudolf , also known as Germar Scheerer , was born on October 29 , 1964 , is a German chemist and a convicted Holocaust denier . Germar Rudolf , also known as Germar Scheerer , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . 1 +In April 2014 , 2-5 cavalry used from 1 ABCT , 1CD to Germany to support Operation Combined Resolve II , a NATO exercise in Southeast Europe . In April 2014 , 2-5 Cavalry from 1 ABCT , 1CD deployed to Germany to support Operation Combined Resolve II , a NATO exercise in southeastern Europe . 1 +"Linda Lou was seen as Cody in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." "Linda Lou was viewed as a cody on 6 October 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." 1 +"Until the early twentieth century , Marans was famous for the "" local bean of Marans "" and its fairs in honor of these especially red beans ." "Until the early twentieth century , Marans was famous for the "" red bean of Marans "" and its fairs in honor of these particularly local beans ." 0 +It is the harbour side end of York Street and runs parallel to Stirling Terrace for part of its route . It runs the harbour route on York Street and is parallel to Stirling Terrace for part of its end . 0 +He married Sayyid from a well-known family Sayyida Asma Muthu Beevi of Ponnani Vettom Pokkiriyakam . He got married to Sayyid from a well-known Sayyida Asma Muthu Beevi family of Ponnani Vettom Pokkiriyakam . 1 +The academy consists of a central hall , east wing , west wing and garden . The academy consists of central hall , east wing , west wing and a garden . 1 +In 2014 , founding member of 15 years Dan McGruer left the band and was replaced by Devin Abrams . In 2014 , Dan McGruer , a founding member , left the band for 15 years and was replaced by Devin Abrams . 1 +In 1881 , he married Agnes Theodora Walther , daughter of Vagn Petersson , and his son is the botanist and sketch artist Vilhelm Theodor Walther . He married Agnes Theodora Walther , the daughter of Vagn Petersson , in 1881 and his son is the botanist and sketch artist Vilhelm Theodor Walther . 1 +Son of Dolobran , Gwenhafar , who married Evan Lloyd lloyd , daughter of Meredith Lloyd of Meivod . Gwenhafar of Dolobran , son , who married Evan Lloyd lloyd , daughter of Meredith Lloyd of Meivod . 1 +Inta Ruka , according to Tellgren ( 2017 ) , worked in the way she described it as a documentary . According to Tellgren ( 2017 ) , Inta Ruka described the way she worked as documentary . 0 +"Jani Toivola was the host of the "" Big Brother Talk Show "" and Vappu Pimiä hosted "" Big Brother Extra "" ." "Jani Toivola hosted the "" Big Brother Talk Show "" and Vappu Pimiä was "" Big Brother Extra "" ." 1 +Atilia Caucidia Tertulla ( flourishing 2nd century ) was an aristocratic woman from ancient Roman society . Atilia Caucidia Tertulla ( flourished 2nd century ) was an Ancient Roman woman from aristocratic society . 0 +On 24 February 1798 , Colonel Richard Randolph II married the grandson of John John Bolling Jr. , William Bolling 's daughter , Mary ( 1775 -- 1863 ) . John Bolling Jr. 's grandson , Colonel William Bolling married Richard Randolph II 's daughter , Mary ( 1775 -- 1863 ) on February 24 , 1798 . 0 +In the early morning and late afternoon , it seems most active . In the late morning and early afternoon , it appears to be most active . 0 +Immanuel Dornfeld was a spiritual father and main initiator of this wine school . The spiritual father and main initiator of this wine school was Immanuel Dornfeld . 1 +He believes that Elbow is too accepting while he , himself , thinks that the writer should prove himself first . He thinks that Elbow is too acceptable , while he himself believes that the writer should first prove himself . 1 +The episode was written by Gail Mancuso and is directed by Elaine Ko . The episode was written by Elaine Ko and was directed by Gail Mancuso . 0 +Babette Venderbos , also a native of the Netherlands , worked with Alexander van Slobbe , and interned for Maison Martin Margiela . Babette Venderbos , also a native from the Netherlands worked with So by Alexander van Slobbe and interned for Maison Martin Margiela . 1 +The popular French singers Coralie Clément and Benjamin Biolay , as well as the football player hopeful Grégory Bettiol and the actor and cellist Maurice Baquet were born in the city . The popular French singers Grégory Bettiol and Coralie Clément , as well as footballers hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the city . 0 +""" Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of the 3rd Kenyan president , Mwai Kibaki , during Khasakhala 's funeral ." """ Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of third Kenyan President Mwai Kibaki during the funeral of Khasakhala ." 1 +The river Cărbunele or Rădocheasa River is a tributary of the Rădoteasa River in Romania . The Rădoteasa or Rădocheasa river is a tributary of the Cărbunele River in Romania . 0 +He was elected President of the Assam Football Association and the Assam Sports Council for several terms ; he was also the Vice-President of the Assam Cricket Association . He was elected President of the Assam Football Association and the Assam Cricket Association for several terms . He was also Vice-President of the Assam Sports Council . 0 +It includes Wipe Info , Speed Disk , Volume restore , Norton FileSaver , UnErase , LiveUpdate . It includes Recover Info , Speed Disk , Volume Wipe , Norton FileSaver , UnErase , LiveUpdate . 0 +Traditionally , Drumgoon has always worn a yellow jersey , shorts and socks with a blue trim . Traditionally Drumgoon have always worn a blue jersey , shorts and socks with a yellow trim . 0 +Ivy Vujic Jenkins was married on 2 April 2011 . On April 2 , 2011 Ivy Vujic married Jenkins . 1 +It debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . It arrived in Australia in August 2006 and was introduced in early 2007 in New Zealand . 0 +Ian McDiarmid played Tekla , Jonathan Kent played Adolf , and Suzanne Bertish played the gustaf . Suzanne Bertish played Tekla , Jonathan Kent Adolf and Ian McDiarmid played Gustaf . 0 +Dummer was born in Newbury , Massachusetts , the second son of Richard Dummer and his first wife , Frances Burr . Dummer was born in Newbury , Massachusetts , as the second son of Richard Dummer and his first wife , Frances Burr . 1 +Peru is one of thirty-three districts of the province Yauyos in San Pedro de Pilas District . Peru is one of thirty districts in the province of Yauyos in San Pedro de Pilas district . 1 +Players use the GameSpy Arcade - Client to create or join the game 's main lobby , and then access virtual rooms where they can participate in online game play . Players use the GameSpy Arcade - Client to access and create the game 's main lobby , or connect to virtual rooms where they can participate in online game play . 0 +Dena Holmes was born Thompson in 1960 in Hendon , North London . She worked for a building society . Thompson was born in Hendon , North London , Dena Holmes in 1960 and worked for a building society bank . 0 +Born in San Francisco , California , he died in Brooklyn , New York , at the age of 81 . He was born in San Francisco , California and died in Brooklyn , New York , at the age of 81 . 1 +Where Formula 9 is the molar gas constant , Formula 10 is temperature and Formula 11 is the ideal mass of the atoms . Where formula _ 9 is the ideal gas constant , formula _ 10 is the temperature , and formula _ 11 is the molar mass of the atoms . 0 +Malik married businessman Asad Bashir Khan Khattak in Dubai on December 25 , 2013 . Malik married businessman Asad Bashir Khan Khattak on 25 December 2013 in Dubai . 1 +The company was formed from the merger between SP Telemedia , which was founded in 1986 by David and Vicky Teoh , and the Total Peripherals Group in the year 2008 . The company was formed from the merger between SP Telemedia , which was established in 1986 by David and Vicky Teoh , and Total Peripherals Group in 2008 . 1 +The 1966 Cleveland Browns season was the 17th season of the team with the National Football League . The 1966 Cleveland Browns season was the team 's 17th season with the National Football League . 1 +"If so , fair territory would probably have been molded like a modern five-sided "" home plate "" ." "If so , modern territory would probably have been shaped like a fair five-sided "" home plate "" ." 0 +Serena Williams and Venus Williams won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat . Alexandra Fusai and Nathalie Tauziat won 5 : 7 , 6 : 2 , 6 : 2 against Serena Williams and Venus Williams in the final . 0 +Patella swakopmundensis is a species of sea snail , a true limpet , a marine gastropod mollusk in the Patellidae family , one of the families of true limpets . Patella swakopmundensis is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Patellidae , one of the families of true limpets . 1 +In 1828 , Yeoman 's Laetitia Snyder of Albany married , with whom he had two daughters and three sons . Yeomans married Laetitia Snyder of Albany in 1828 , with whom he had two daughters and three sons . 1 +Orson Welles saw Schilling in New York and followed him to Florida . Orson Welles saw in New York Schilling and followed him in Florida . 1 +There are Amateur Barbershop Harmony Society and professional groups who sing exclusively a cappella . There are professional Barbershop Harmony Society and amateur groups that sing a cappella exclusively . 0 +Ernakulam is the seat of the North Paravur Additional District Court . Ernakulam is the seat of North Paravur Additional District court . 1 +Hesse has eight small patrol boats and 12 large ones . Hesse has eight small and 12 large patrol boats . 1 +He attended Meiji University and graduated from Kawawa High School . He visited the Kawawa High School and graduated from Meiji University . 0 +""" Soul Sound "" received mixed positive reviews from critics ." """ Soul Sound "" received mixed to positive reviews from critics ." 1 +"Pericarditis is divided into "" chronic "" and "" acute "" forms depending on the time and duration ." "Depending on the time of presentation and duration , pericarditis is divided into "" chronic "" and "" acute "" forms ." 1 +The Slatina River is the tributary of Cochirleanca in Romania The Cochirleanca River is a tributary of the Slatina River in Romania . 0 +After the Indian census 2011 is the population of Samdari 25012 , where the male population is 12805 and female population is 12207 . According to the Indian census 2011 , the population of Samdari 25012 , where the female population is 12805 and the male population is 12207 . 0 +There are currently twenty-one churches in seven countries ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . Twenty-one churches are currently in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia ) . 1 +Then he returned to the Auckland Rugby League competition and played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . He then returned to the Auckland Rugby League competition and also played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . 1 +Linda Buck 's former student , Vitetta , won the Nobel Prize in Physiology or Medicine in 2004 . Linda Buck , former student of Vitetta , won the 2004 Nobel Prize in Physiology or Medicine in 2004 . 0 +Granel was an important influence on a number of French philosophers , including Bernard Stiegler , Jean-Luc Nancy and Jacques Derrida . Granel was an important influence in a number of French philosophers , including Bernard Stiegler , Jean-Luc Nancy , and Jacques Derrida . 1 +John Sykes was announced as the new Whitesnake guitarist for the press soon after Moody 's departure . Soon after John Sykes 's departure , Moody was announced to the press as the new Whitesnake guitarist . 0 +The area was once served by Edinburgh Waverley Railway Station , which provided direct access to the railway to Corstorphine . The area was once served by Corstorphine railway station , which provided direct access to the railway to Edinburgh Waverley . 0 +In 2012 , he was elected Chairman of the Indian National Congress ( District Pnachayat ) of Kolhapur as a candidate for Zilla Parishad . He was elected as a Chairman of Indian National Congress ( District Pnachayat ) of Kolhapur in 2012 as a Zilla Parishad candidate . 1 +Subsequently , Fletcher apologized to Edwards and compensated him for the flowers . Fletcher subsequently apologised to Edwards and compensated him for the flowers . 1 +Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( founded in 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . 1 +"The former chapel was rebuilt as the Baroque St Mary 's pilgrimage church ( "" Maria in Hohenburg "" ) in 1707 ." "The former chapel was rebuilt in 1707 as the Baroque St. Mary 's Church ( "" Maria in Hohenburg "" ) ." 1 +With the notable exception of Pod near Vrbas River in the upper valley of the Bugojno , nothing is known of their settlements . With the remarkable exception of Pod near the river Vrbas in the upper valley of Bugojno , nothing is known about their settlements . 1 +"The series was heavily profiled in the occult documentary "" Deception of a Generation "" as an example of Christian fundamentalist influences on children 's entertainment ." "In the Christian - fundamentalist documentary "" Deception of a Generation "" , the series was strongly profiled as an example of occult influences on children 's entertainment ." 0 +Under his direction , the choir also gave concert tours in Australia ( 1987 ) , Israel ( 1988 ) and Estonia ( 1989 , 1990 ) . Under his supervision , the choir also gave concert tours in Israel ( 1987 ) , Australia ( 1988 ) and Estonia ( 1989 , 1990 ) . 0 +In 1856 in their home in Cambridge , Agassiz founded a school for girls from Boston . In 1856 , Agassiz founded a school for girls from Boston in her home in Cambridge . 1 +Oberst Acker died on 6 September 1879 in Kalamazoo , Michigan , and is buried in Union City in the state of Michigan , USA . Colonel Acker died on September 6 , 1879 in Union City and is buried in Kalamazoo , Michigan , in the state of Michigan . 0 +Turner was born in 1932 and played in the Brisbane Rugby League competition for Brisbane Norths and Redcliffe and also trained Redcliffe 1968 and 1969 . Turner was born in 1932 and played in the Brisbane Norths competition for Brisbane Rugby League and Redcliffe and also trained Redcliffe in 1968 and 1969 . 0 +They are used in applications as contrast agents for fluorescent imaging , as particles for flow tracking , or as biological carriers . They are used in applications as a contrast medium for biological imaging , as particles for flow tracking or as fluorescent carriers . 0 +Black Drawing Chalks is a graphic rock band from Goiânia , Goiás , Brazil , formed in 2005 , by a group of Brazilian design students . Black Drawing Chalks is a graphic rock band from Goiânia , Goiás , Brazil , founded in 2005 by a group of Brazilian design students . 1 +In Denmark , there has been conscription since the Viking Age , where a physical man of every 10th court had to serve the king . Conscription has been around in Denmark since the Viking Age , where 110th man of every physical court had to serve the king . 0 +The single immigrant in Brazil was a typical Portuguese man . The typical Portuguese immigrant was a single man in Brazil . 0 +Althaea armeniaca is a flowering plant in the Malvaceae family that is found in northern Russia , southern Iran and Armenia . Althaea armeniaca is a flowering plant in the Malvaceae family , found in northern Russia , southern Iran , and Armenia . 1 +The race covered sixteenth race . Fox Sports was at the Auto Club Speedway . The race covered the sixteenth race : Fox Sports was at Auto Club Speedway . 1 +"The northern Cavefish or the northern blindfish , "" Amblyopsis spelaea "" , is found in caves through Kentucky and in the southern Indiana ." "The northern Cavefish or southern blindfish , "" Amblyopsis spelaea "" , is found in caves through Indiana and North - Kentucky ." 0 +Given an undirected tree constructed as a set of edges , the Euler tour representation ( ETR ) can be presented in parallel as follows : The Euler - Tour - Representation ( ETR ) can be constructed in parallel with an undirected tree presented as a set of edges : 0 +Captain Gunther leaves a note for Lee 's plans for treason . Gillis leaves a note for Captain Gunther explaining Lee 's plans for treason . 0 +In modern times , it is mainly a competitive sport and recreational activity . In modern times it is mainly a recreational sport and sporting activity . 0 +Jacob Slichter was the brother of geophysicist Charles Pence Slichter , the father of the physicist Louis B. Slichter and the grandfather of the musician Sumner Slichter . Jacob Slichter was the brother of geophysicist Charles Pence Slichter , father of physicist Louis B. Slichter , and the grandfather of musician Sumner Slichter . 1 +The Roman Catholic Diocese of Cyangugu is a diocese located in the city of Cyangugu in the ecclesiastical province of Kigali in Rwanda . The Roman - Catholic diocese of Cyangugu is a diocese in the city of Cyangugu in the church province of Kigali , Rwanda . 1 +The eastern province includes the former provinces of Byumba and Umutara , most of Kigali Rural and part of Kibungo . The eastern province includes the former provinces Kibungo and Umutara , most of Kigali Rural , and part of Byumba . 0 +This view is used in southern India and parts of northern India . This view is common in northern India and parts of southern India . 0 +She gave four children from a previous marriage and had another daughter , Elizabeth , in 1901 . She bore four children from a previous marriage , and , in 1901 , had another daughter , Elizabeth . 0 +Sheep are sacrificed and the meat is distributed to relatives and neighbours and given to the poor . The sheep are being sacrificed and the meat is given to relatives and neighbours and is distributed to the poor . 1 +The sessions were arranged by Nick De Caro and developed by Bruce Botnick . The sessions were arranged by Bruce Botnick and scheduled by Nick De Caro . 0 +She finds new creative hope and friendship in Enzo , the replacement guitarist that inspires her , to reach new heights . She finds new creative hope and friendship in Enzo , the replacement guitarist who inspires her to reach new heights . 1 +Graham Bayne ( born 22 August 1979 ) is a Scottish professional footballer who also plays for Elgin City , where he is currently Assistant Manager . Graham Bayne ( born August 22 , 1979 ) is a Scottish football professional who currently plays for Elgin City , where he is also Assistant Manager . 1 +"The decision to use clear contemporary clothing called Houseman "" an essential element in Orson ’ s conception of the play as a political melodrama with modern parallels "" ." "Houseman called the decision to use clear contemporary dress "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." 1 +When the Hollywood Park Racetrack closed in 2014 , the race was transferred to Santa Anita Park . In 2014 , when Santa Anita Park was closed the race moved to Hollywood Park Racetrack . 0 +On July 7 , 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Michael Blunden . He joined his brother Kris Russell with the Blue Jackets organization . 1 +Jana Novotná and Jim Pugh were the defending champions but lost in the second round to Zina Garrison and Sherwood Stewart . The title defenders were Jana Novotná and Jim Pugh , but lost to Zina Garrison and Sherwood Stewart in the second round . 1 +The new cable company announced that they would charge $ 10 to connect to their service , and $ 5 per month to subscribe to the signals . The new cable company announced that they would charge $ 10 for their service and $ 5 per month to connect to the signals . 0 +In 1365 , Brome was business with Thomas Maldon in Avignon , resigned in 1379 and died a year later in his monastery . In 1365 Brome died in Avignon on business , with Thomas Maldon . He resigned his post in 1379 , and was in his monastery a year later . 0 +Serkan Yalçan ( born November 2 , 1982 ) is a Turkish football professional who plays as a defender for the TFF First League in Akhisar Belediyespor . Serkan Yalçan ( born November 2 , 1982 ) is a Turkish professional footballer who plays Akhisar Belediyespor as a defender in the TFF First League . 0 +On July 30 , 2017 , Adrián Beltré gave up Miley 's 3,000th career hit . On 30 July 2017 , Miley gave up the 3,000th Adrián Beltré career hit . 0 +The couple had two daughters , Martha Anne ( born in 1942 ) and Sara Lynn ( born in 1947 ) . The couple had two daughters , Sara Lynn ( born 1942 ) and Martha Anne ( born in 1947 ) . 0 +After the takeover of the Nazi regime , he was forced to retire in 1936 as a citizen of evangelical faith with Jewish ancestors . Following the takeover of the Nazi regime in 1936 , he was forced to withdraw with evangelical ancestors as a citizen of Jewish faith . 0 +309th Airlift Squadron is part of the 86th Airlift Wing in Air Base Chièvres , Belgium . The 309th Airlift Squadron is part of the 86th Airlift Wing at Chièvres Air Base , Belgium . 1 +Born in Pennsylvania , he came to Galien Township in 1853 . Born in Pennsylvania , he came to the Galien Township in 1853 . 1 +White , a practising member of the Presbyterian faith , was a bricklayer in the Clinton Lodge of Romney where he had served as a master . A practicing member of the Presbyterian faith , Romney was a Mason in the Clinton Lodge of White , where he had served as a Master . 0 +In most years , one of the additional players was the winner of the Masters Qualifying Event , while the other wildcard was selected . In most years one of the additional players was the winner of the Masters Qualifying Event while the other wild-card was selected . 1 +Commander Adama arrives with Galen Tyrol and Chief Billy Keikeya in Kobol . Commander Adama arrives in Kobol with Billy Keikeya and Chief Galen Tyrol . 0 +The lands surrounding the tree were owned as agricultural land and entertained by Aryeh Konikov . The lands surrounding the tree were owned as agricultural land and maintained by Aryeh Konikov . 0 +He was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur in 2012 as a candidate of the Indian National Congress . He was elected as a Chairman of Indian National Congress ( District Pnachayat ) of Kolhapur in 2012 as a Zilla Parishad candidate . 0 +A professional thief ( Thomas Jane ) takes a former racing driver ( John Cusack ) hostage and forces him to drive his car . A professional thief ( John Cusack ) takes a former race car driver ( Thomas Jane ) hostage and forces him to drive his getaway car . 0 +"A Japanese reporter described in a local newspaper in 1910 , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" "A Japanese reporter in 1910 described the scene for the people of Kyūshū in a local newspaper , the "" Fukuoka Nichinichi "" :" 1 +Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá 7 -- 6 ( 6 ) , 6 -- 3 in the final . In the finals Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá with 7 -- 6 ( 6 ) , 6 -- 3 . 1 +In 1986 , South Africa supported the coup d'état in Lesotho which brought Justin Lekhanya to power . South Africa supported the coup d 'état in Lesotho in 1986 , which brought Justin Lekhanya to power . 1 +On 30 June 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves and was released by the Braves on August 16 , 2016 . On 30 June 2016 , Infante agreed to a Minor League Deal with the Braves and was released by the Atlanta Braves on August 16 , 2016 . 1 +The Bozeman Yellowstone International Airport is located on the outskirts of Gallatin Speedway north-east of Belgrade on Tubb Road . The Bozeman Yellowstone International Airport is located on the outskirts of Gallatin Speedway northeast of Belgrade on Tubb Road . 1 +Earthquakes are common in Peru , especially in the Peruvian coastal area of Arequipa . Earthquakes are common in Peru , especially in the Arequipa – coastal area of Peru . 0 +The following schools are located in Papakura ( schools at Rosehill , Takanini and Opaheke are excluded ) : The following schools are located in Papakura ( schools in Rosehill , Takanini , and Opaheke are excluded ) : 1 +He was born on March 14 , 1981 in Erdington , West Midlands , and has an older brother , Cartwright , who is also an actor . He was born on 14 March 1981 in Erdington , West Midlands , and has an elder brother , Che Cartwright , who is also an actor . 0 +He became a prestigious canon , a regular poet in the Latin language , under the name of Santolius Victorinus writing . He became a respected canon . He was a regular poet in the Latin language , writing under the name of Santolius Victorinus . 1 +The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on April 20 , 1895 and introduced in 1899 . Trolley service was proposed from Ellicott City to Baltimore in 1892 , approved on April 20 , 1895 , and implemented in 1899 . 0 +Two years later , he bought a master 's degree in history from Missouri State University ( then Southwest Missouri State University ) . Two years later , he bought a master 's degree in history from Southwest Missouri State University ( then Missouri State University ) . 0 +Dean wrote a story and a song for the cat , and the two began a partnership , although the collaboration between Litwin and Litwin ended in 2012 . Litwin wrote a story and a song for the cat , and the two began a partnership , although the collaboration between Dean and Litwin ended in 2012 . 0 +Cornelia Stuyvesant Vanderbilt ( George and Edith Vanderbilt 's only child ) married British aristocrat , John F. A. Cecil , a descendant of William Cecil in 1924 . Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married to the British aristocrat John F. A. Cecil , a descendant of William Cecil in 1924 . 1 +David Ross was the announcer and Carl Fenton conducted the orchestra . The announcer was David David , and Carl Fenton conducted the orchestra . 1 +He was a Member of Parliament of England for Newtown in 1614 and for Guildford , Isle of Wight in 1614 . He was a Member ( MP ) of the Parliament of England for Newtown in 1614 and for Guildford , Isle of Wight in 1614 . 1 +A Franconian army under Winigis and Hildebrand , duke of Spoleto , defeated Grimoald and joined Adelchis shortly after his landing on the coast . A Franconian army under Winigis and Hildebrand , duke of Spoleto , joined Grimoald and defeated Adelchis shortly after his landing on the coast . 0 +This course will be designed again in 2013 for younger Dunghutti adults , and a Certificate 2 course will be offered for a test run in 2014 . This course will be offered for younger Dunghutti adults in 2013 , and a certificate 2 course will be conceived for a test run in 2014 . 0 +In the Netherlands , Owobale was born into a Dutch father and a Nigerian mother . Owobale was born in the Netherlands to be a Nigerian father and a Dutch mother . 0 +The leaves are alternately arranged along the branches and lance-shaped , often have small , irregular toothing and are mostly long and wide . The leaves are arranged alternately along the branches and are lance-shaped , often have small , irregular serrations , and are mostly long and wide . 1 +Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . This victory repeated this victory in an Opel Astra in 2003 with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . 1 +Regionally , Australian cycads are the least at risk , as they are locally low and habitat fragmentation is common . Regionally , Australian Cycads are the least vulnerable , as they are locally low and habitat fragmentation is common . 1 +Sixteenth Air Force inactivated and Third Air Force assumed the new role of Warfighting Headquarters for USAFE . Third Air Force inactivated and 16th Air Force assumed the new role as Warfighting Headquarters for the USAFE . 0 +The 2013 Texas A & M Aggies football team represented Texas A & M University in the 2013 NCAA Division I FBS football season . They played their home games at Kyle Field . The 2013 Texas A 'M Aggies Football Team represented Texas A ' M University at the NCAA Division I FBS Football - Season 2013 , where they played their home games in Kyle Field . 1 +Guillermo Pérez Roldán defeated Andrés Gómez 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 -- 6 , 6 -- 2 . Guillermo Pérez Roldán defeated Andrés Gómez with 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 - 6 , 6 - 2 . 1 +In Nairobi , there are large occupying communities , such as Kibera in Kenya . There are large squatter communities in Nairobi , such as Kibera in Kenya . 1 +The Simpson Memorial Church belongs to the Church of Southern India , on which Madurantakam is located one of the most popular churches in the GST Road . The Simpson Memorial Church belongs to the Church of South India , located on the GST Road is one of the popular churches in Madurantakam . 0 +Charles Gowan was born in Wisconsin in 1849 or in 1850 and migrated early in New York . Charles Gowan was born in New York in 1849 or in 1850 and emigrated early to Wisconsin . 0 +It is used as a measure for absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per unit of mass ) . It is used as a measure of absorbed dose , kinetic energy ( released ) and kerma ( acronym for specific energy transmitted per mass unit ) . 0 +This is a list of caves in the United Kingdom , including information about the largest and deepest caves in the UK . This is a list of caves in the UK , including information on the largest and deepest caves in the United Kingdom . 1 +He began his studies at the Main Gimnázium in Debrecen in 1946 , and from 1947 to 1951 he visited the Madách Gimnázium in Budapest . He began his studies in 1946 at the Main Reformed Gimnázium in Debrecen , and from 1947 to 1951 , he attended the Madách Gimnázium in Budapest . 1 +The three inexperienced pilots were allowed to attack it , but they only managed to damage the bomber . Johnson allowed the three inexperienced pilots to damage it , but they only managed to attack the bomber . 0 +Mukunda considered George Harrison and the others who first came to England to be his lifelong friends . Mukunda looked at George Harrison and the others who came to England first to be his lifelong friends . 1 +Royce Johnson is a recurring character in the Marvel Cinematic Universe 's Netflix shows , where he is portrayed by Brett Mahoney . Brett Mahoney is a recurring figure in the Netflix shows at Marvel Cinematic Universe , where he is portrayed by Royce Johnson . 0 +Carol do Monte portrays Manuela in the Brazilian version of the series 2013 . Actress Manuela do Monte portrays Carol in the 2013 Brazilian version of the series . 0 +Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico , born Daniela Castro ) is a Mexican - Irish actress and vocalist . Daniela Castro ( born Daniela Castro Arellano on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . 0 +They are not only hard to religious , but they are some of the most agricultural areas in Canada . They are not only heavily religious , but they are some of the most agricultural areas in Canada . 1 +He retired to Italy , where he fled for two years and returned to his private life . He fled and returned to Italy , where he retired to private life for two years . 0 +The main campus of the university is located in Serinyol area , north of Antakya . The main campus of the university is located in the area of Serinyol , north of Antakya . 1 +Sri Lanka , originally known as the Senkadagala , has been the bastion of the culture of Kandy and its spiritual centre for centuries . Kandy , originally known as Senkadagala , has been the bastion of culture and spiritual centre of Sri Lanka for centuries . 0 +Ann Henricksson and Julie Richardson won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Lea Antonoplis and Cammy MacGregor . Ann Henricksson and Julie Richardson won against Lea Antonoplis and Cammy MacGregor at 6 : 3 , 3 : 6 , 7 : 5 in the final . 1 +"He has also directed many commercials , including the European "" Freestyle "" campaign for Nike , which won several international commercial awards , and music videos ." "He has also directed many commercials , including the European "" Freestyle "" campaign for Nike , which won several international advertising awards and music videos ." 1 +The railway station of Tyabb is located in Victoria , Australia , on the Stony Point line . Stony Point railway station is on the Tyabb line in Victoria , Australia . 0 +Hernon was born in New Bedford , Massachusetts , died in New Bedford , and is buried at St. Mary 's Cemetery in East Bridgewater , Massachusetts . Hernon was born in East Bridgewater , Massachusetts , and died in New Bedford , Massachusetts . He is buried in St. Mary Cemetery in New Bedford . 0 +Barry Manilow agreed to compose the songs for three Don Bluth pictures . Barry Barry Manilow agreed to compose the songs for three Don Bluth pictures . 1 +The radio stations with public coverage include the three nationwide channels ( Radio Tirana 1 , 2 , and 3 ) , Top Albania Radio and Plus 2 Radio . The radio stations with comprehensive coverage include the three public channels ( Radio Tirana 1 , 2 and 3 ) , Top Albania Radio and Plus 2 Radio . 0 +"The striped mouse of Temminck or West African Hybomys ( "" Hybomys trivirgatus "" ) is a species of the rodent in the Muridae family ." "The West African mouse or striped hybomys ( "" Hybomys trivirgatus "" ) from Temminck is a species of the rodent in the Muridae family ." 0 +Roger is kidnapped and Frankie is enticed by Bobby to the same isolated cottage . Bobby is kidnapped and Frankie is attracted by Roger to the same isolated cottage . 0 +The segment from Kaduna to Abuja ( 187 km ) was officially opened on July 26th , 2016 after many delays . The segment from Abuja to Kaduna ( 187 km ) was officially opened after many delays on 26 July 2016 . 0 +He was likely the son of the painter Giovanni Antonio Pandolfi , also from Pesaro , who had married the sister of the painter Girolamo Danti . He was probably the son of the painter Giovanni Antonio Pandolfi , also from Pesaro who had married the sister of the painter Girolamo Danti . 1 +Written by Michelle MacLaren and directed by George Mastras , it aired on AMC in the United States and Canada on September 8 , 2013 . Written by George Mastras and directed by Michelle MacLaren , broadcast on AMC in the United States and Canada on September 8 , 2013 . 0 +Lauretta was married to Gianluca Guidi ; the couple had a son , actor Johnny Dorelli . Lauretta was married to Johnny Dorelli , the couple had a son , Gianluca Guidi actor . 0 +But as he tries to recover it , arrietty and peagreen burn the will , determined to save the house for the lenders and the clocks . But as he tries to recover it , Arrietty and Peagreen burn the will , determined to save the house for both the Lenders and the Clocks . 1 +Furthermore , Spain entered into negotiations with the Portuguese court and on 13 February 1668 agreed the Peace of Lisbon . Furthermore , Spain agreed to negotiate with the Portuguese court and entered into the peace of Lisbon on 13 February 1668 . 0 +Nescopeck Creek 's water is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . The water of the Nescopeck Creek is the hardest water in the Stony Creek watershed with a concentration of over 100 milligrams of minerals per liter . 1 +XS also released Shikigami No Shiro II , and translated it for the PlayStation 2 under its own name , Castle Shikigami 2 . "XS also translated "" Shikigami No Shiro II "" and published it under its own name "" Castle Shikigami 2 "" for PlayStation 2 ." 0 +After leaving Sheffield , Mary was taken to Wingfield Manor in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . After leaving Sheffield , Mary was taken by her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . 1 +Adoum was Pablo Neruda 's personal secretary for nearly two years in Chile . Pablo Neruda 's personal secretary was in Chile for nearly two years . 1 +The railway line came through Clarysville and the Vale summit and went south to Lonaconing to service the mines . The rail line went through Clarysville and Vale Summit , and came south to Lonaconing to service the mines . 0 +On May 14 , 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . On May 14 , 1647 , he was confirmed as Archbishop of Messina and elected on 16 September 1647 by Pope Innocence X . 0 +Through her father , Elizabeth and her sisters , the first cousins of Prince Philip , Duke of Edinburgh , were . Through their father , Elizabeth and her sisters were first cousins of Prince Philip , Duke of Edinburgh . 1 +Custer County , Nebraska , United States is a village in Oconto . Oconto is a village in the Custer County , Nebraska , United States . 0 +When Andrew Alexander left the Cyclops works , the Alexander family moved from Bath to Sheffield and Patrick decided on a career in the Merchant Navy . When Andrew Alexander left the cyclops works , the Alexander - family of Bath moved to Sheffield and Patrick decided to carry on a career in the Merchant Navy . 1 +Dyson died on board a ship while travelling from England to Australia in 1939 and was buried at sea . Dyson died on board a ship when he was travelling to Australia from England in 1939 and was buried at sea . 1 +Nigali band village is situated in Krishnapur municipality of Kanchanpur district . Nigali Band village is located in Krishnapur Municipality of Kanchanpur District . 1 +Born in Southampton , New York , Pennypacker moved to Pennsylvania a little after the turn of the 20th century before moving to New York City on Long Island . Pennypacker , born in Pennsylvania , moved shortly after the turn of the twentieth century to New York City before moving to Southampton , New York , on Long Island . 0 +The first edition of the tournament won Eduardo Schwank versus Ricardo Mello with 6 -- 4 , 6 -- 2 in the final . The first edition of the tournament won Ricardo Mello against Eduardo Schwank at 6 : 4 , 6 : 2 in the final . 0 +Margaret Turner ( Shirley Temple ) and Susan Turner ( Myrna Loy ) are all sisters who live together . Margaret Turner ( Myrna Loy ) and Susan Turner ( Shirley Temple ) are all sisters who live together . 0 +Nick Frangos ( born Atlantic City , New Jersey ) is a professional poker player who plays in White Plains , New York . Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays out of White Plains , New York . 1 +In July 2013 , Lone Star Comics sold off three of their five remaining stores in Plano , Hurst and Mesquite . In July 2013 , Lone Star sold comics three of their five remaining stores in Mesquite , Hurst and Plano . 1 +Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) played in a revival at Old Vic in London in 2009 . Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) starred in a 2009 revival at The Old Vic in London . 1 +The key could easily be changed for each new guest by inserting a new template in the lock that matches the new key . The key could easily be changed for each new guest , by inserting a new template in the lock , that matched the new key . 1 +They form the bulk of the population of the River Xié and the upper Rio Negro above the mouth of the Vaupés River . They form the bulk of the population of the Xié River and the upper Vaupés River above the mouth of the Rio Negro . 0 +Carmen Aub Romero ( born October 24 , 1989 in Mexico City , Mexico , D.F . ) is a Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico , Mexico , D.F . ) is a Mexican actress . 1 +In 2017 Feltri said that Asia Argento should be thankful that Harvey Weinstein had raped her . In 2017 , Feltri said that Asia should be thankful to Argento that Harvey Weinstein had raped her . 0 +In 2016 , the campus moved Milpitas , California to San Jose , California . In 2016 , the campus moved to Milpitas , California , San Jose , California . 0 +Major Harold Berridge CIE OBE ( 1872 -- 17 June 1949 ) was a mechanical engineer and British civil engineer . CIE OBE ( 1872 -- June 17 , 1949 ) was a mechanical engineer and British civil engineer . 1 +In 1958 , he spoke throughout East Asia and Ghana , in Northern and Western Europe in 1961 . In 1958 he spoke throughout East Asia and in Ghana , and in 1961 in Northern and Western Europe . 1 +It was the first mass political action in Ceylon and the first major social crisis after independence . It was the first major social action in Ceylon and the first political mass crisis after independence . 0 +Károli started his school in Brassó and finished in Nagykároly . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . Károli started his school years in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy and ordered the Synod of Gönc in 1566 . 1 +The river Zlagna is a tributary of the River Timiş in Romania . The Zlagna River is a tributary of the Timiş River in Romania . 1 +It was composed by Sakamoto and written by Swedish singer-songwriter Frida Sundemo . It was written by Sakamoto and composed by Swedish singer Frida Sundemo . 0 +Not long after he came , the snow fell six inches deep . Not long after he came snow fell six inches deep . 1 +Pier Angeli has two kids and his wife Anna ( Curtis ) is pregnant . Curtis has two children and his wife , Anna ( Pier Angeli ) is pregnant . 0 +The fumarate hydratase gene , located on the long arm of chromosome 1 ( 1q42.3-43 ) , spans 22 kilobases and has 10 exons . The fumarate - hydratase - gene which is located on the long arm of chromosome 1 ( 1q42.3-43 ) has 22 kilobases and comprises 10 exons . 0 +Quintus Caecilius Metellus Macedonicus was the second son of Roman politician and general Lucius Caecilius Metellus Diadematus . Caellilius Metellus Diadematus was the second son of Roman politician and General Quintus Caecilius Metellus Macedonicus . 0 +A street was built in 1901 by the government from Ruatahuna to Rotorua to end the isolation of Tūhoe by opening the first road . A road was built by the government from Ruatahuna to Rotorua in 1901 to end the isolation of Tūhoe by opening up the first motor road . 0 +He ruled under Trujillo during the end of his era , and later served Duvalier in Haiti . He served at the end of his era under Trujillo , and later Duvalier ruled in Haiti . 0 +Each night Inspirica , Inc. houses approximately 300 people and each year serves more than 800 people . Inspirica , Inc. serves approximately 300 people and houses more than 800 people each year . 0 +Joffre Stewart ( born 1925 ) is an American poet , poet , anarchist , and pacifist known for his early participation in the Beat movement . Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist , famous for his early participation in the American Beat movement . 0 +The functional structure of the Suhrkamp publishing house is located in Lindenstraße , the literary reputation of the residence corresponds inversely to its architectural importance . The functional structure of the Suhrkamp publishing house is located in the Lindenstraße , the literary reputation of the residence corresponds in reverse to its architectural importance . 1 +Soon after , he was displaced by Colin Hudson and later Johnny Watkins on the Cardiff side . However , he was displaced in the Cardiff side soon after by Colin Hudson and later Johnny Watkins . 1 +Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had 11.2 and Sarnia had 12.7 had . "Vancouver also had 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had 11.2 and Sarnia had 12.7. """ 1 +Mukherjee was born on September 30 , 1909 in Benares ( now Varanasi ) , United Provinces ( now Uttar Pradesh ) , British - India . Mukherjee was born on 30 September 1909 in United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British India . 0 +The soils are not sandy , generally poor with loose granite and quartz pebbles . There are many rocky outcrops and the soil is mostly deep in organic matter . The floors are not sandy , mostly poor with loose granite and quartz pebbles , there are many rocky outcrops and the soil is usually deep in organic matter . 1 +He replaced Derrek Lee with John Mabry as a backup at 1st Base . He replaced John Mabry as backup at 1st Base to Derrek Lee . 0 +Boston is a neighborhood of Louisville , Kentucky located along Shelbyville Road ( US 60 ) and Long Run Creek . Shelbyville Road is a district of Louisville , Kentucky along Boston ( US 60 ) and Long Run Creek . 0 +""" Symphonic Poem "" had some details and nuances tweaked , and was used as the entire second act like it had been at Symphonic Legends ." """ Symphonic Poem "" had used some details and nuances and was adapted like the entire second act as it had been at Symphonic Legends ." 0 +Margaret Winser 's entry was selected and used with the stamps engraved by G. W. De Saulles . Margaret Winser 's entry was selected and used , with the dies engraved by G. W. De Saulles . 1 +In December 2007 , he said that the local majority would present common lists for the 2008 presidential elections . In December 2007 , he said that the presidential majority would present common lists for the 2008 local elections . 0 +Coomaraswamy married Elizabeth Clay Beebe , daughter of William Beebe from Kent , in 1878 . They had a son , Ananda Coomaraswamy , the eminent art critic . In 1878 , Elizabeth Clay Beebe married William Beebe , daughter of Ananda Coomaraswamy from Kent , who had a son , Coomaraswamy , the respected art critic . 0 +Chris Egan ( Nick Smith ) settles down with his family in Summer Bay , and he and Duncan quickly become friends and get into various crises . Nick Smith ( Chris Egan ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different situations . 1 +Børsen on Slotsholmen and Frederiksborg Palace in Hillerød are prominent examples of the Dutch Renaissance style in Copenhagen . Børsen on Slotsholmen and Hillerød in Frederiksborg Palace are prominent examples of the Dutch Renaissance in Copenhagen . 0 +Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Enrique Ponce , is a famous Spanish bullfighter . Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Alfonso Enrique Ponce Martínez , a famous Spanish bullfighter . 1 +"The band consisted of Tom Cosgrove on the lead guitar , Ralph Schuckett on the rhythm guitar , "" Buffalo "" Bill Gelber on the bass and "" Chocolate "" on drums ." "The band consisted of Ralph Schuckett on lead guitar , Tom Cosgrove on the rhythm guitar , "" Buffalo "" Bill yellow on the bass and "" chocolate "" on drums ." 0 +Born in Chester County , Pennsylvania , Scott was buried in Parkesburg , Pennsylvania . Born in Parkesburg , Pennsylvania , Scott was buried in Chester County , Pennsylvania . 0 +He died on August 24 , 1878 in Wyandotte ( now part of Kansas City ) , Kansas . He died in Wyandotte ( now a part of Kansas ) , Kansas City , August 24 , 1878 . 1 +The 2014 bid is more compact than the 2010 project due to the elimination of the Kitzbühel , St. Johann and Ramsau venues . The 2014 tender is more compact due to the disappearance of the Kitzbühel , St. Johann and Ramsau venues than the 2010 project . 1 +In 1986 , Lesotho supported the coup d'état in South Africa which brought Justin Lekhanya to power . South Africa supported the coup d 'état in Lesotho in 1986 , which brought Justin Lekhanya to power . 0 +The music was composed by Salil Chowdhary and Shantha P. Nair and the lyrics by Vayalar Ramavarma were written . The music was composed by Salil Chowdhary and Shantha P. Nair and lyrics was written by Vayalar Ramavarma . 1 +This was the first full season in the MLS for the Philadelphia and the 4th year under the manager John Hackworth . This was the 4th season in MLS for the Philadelphia and the first full year under manager John Hackworth . 0 +Critical Millennium is a 2010 Graphic Novel , written by Andrew E. C. Gaska , published by Archaia Studios Press and illustrated by Daniel Dussault . Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Andrew E. C. Gaska and illustrated by Daniel Dussault 1 +The Squeak programming language is a dialect of Smalltalk . It is object-oriented , class-based , and reflective . The programming language Squeak is a dialect of Smalltalk , which is object-based , class-oriented and reflective . 0 +On 23 September , Myles C. Fox left Yokosuka and reached San Diego on October 8 . """ Myles C. Fox "" departed Yokosuka on 23 September and reached San Diego on 8 October ." 1 +Andre Andre Agassi defeated Alex Corretja 2 -- 6 , 6 -- 2 , 6 -- 3 Andre Agassi defeated Alex Corretja 2 -- 6 , 6 -- 2 , 6 -- 3 1 +Issaquah Creek enters Lake Sammamish in the park . Sammamish lake enters the Issaquah Creek in the park . 0 +He played for TuTo Turku and TPS , playing a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berliner SC . He played for TuTo Turku and Klagenfurter AC , played a season in Austria for TPS and four playing times in the Bundesliga for Berliner SC . 0 +Many owners of resorts operated both a summer resort in Florida and a winter resort in Maine . Many resort owners operated both a summer resort in Florida and a winter resort in Maine . 1 +They have expanded since then , even during the recent recession , with 54 sites in southern California , and 9 more in northern California . They have since expanded , even during the recent recession , and have 54 locations in Southern California , with 9 more in Northern California . 1 +His first wife was Anna Williams , the sister of his second wife . His first wife was Anna Williams , sister of his second wife . 1 +He died on February 19 , 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . He died in Holyhood Cemetery , Brookline , Massachusetts , on February 19 , 1935 and was interred in Boston , Massachusetts . 0 +These medium to large butterflies have black and yellow wings with dark-brown spots and a red edge . These middle to large butterflies have red wings with black and yellow spots and a dark brown edge . 0 +Stewart was a contemporary of Dorothy Kate Richmond , by Frances Hodgkins and Gwen Knight . Stewart was a contemporary of Dorothy Kate Richmond , Frances Hodgkins , and Gwen Knight . 1 +The Georgian Government protested against the allegedly growing uncontrolled presence in the region and against the Russian economic and political military on the South Ossetian side . The Georgian Government protested against the allegedly growing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . 0 +The current format for the 2010 season is new and consists of three phases . The current format is new for the 2010 season and consists of three stages . 1 +Mannan was a general secretary of the Regional Council and Islamic Advisory Council during the administration of Ayub Khan . During the administration of Ayub Khan , Mannan was Secretary General of the Islamic Advisory Council and the Regional Council . 1 +When Liliuokalani died in 1917 , territorial governor Lucius E. Pinkham granted her the honor of a state funeral in the throne room of the palace . When Liliuokalani died in 1917 , territorial governor Lucius E. Pinkham accorded her the honor of a state funeral in the throne room of the palace . 1 +The earlier history of the proxy is then used to reconstruct temperature from longer periods . The proxy 's earlier history is then used to reconstruct the temperature from longer periods . 1 +Camden , New Jersey was established as a community within Audubon in 1941 with the construction of 500 housing units for employees of New York Shipbuilding in Audubon Park . Audubon Park was founded in 1941 as a community within Audubon with the construction of 500 accommodation units for New York Shipbuilding employees in Camden , New Jersey . 0 +Elegia southi is a kind of moth of the Pyralidae family , which was found in 1932 by Reginald James West and is described in Taiwan . Elegia southi is a kind of moth of the Pyralidae family described in 1932 by Reginald James West and is found in Taiwan . 0 +They performed at the Beachland Ballroom in Cleveland on November 30 , 2012 , and at the City Winery in Chicago on December 1 , 2012 . They appeared at the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , in the Beachland Ballroom in Cleveland . 0 +In codice 4 is the second file codice 8 and in codice 5 the second file is codice 10 . In codice 5 the second file is codice 8 and in codice 4 the second file is codice 10 . 0 +The city of Cortlandville , near the western border of the county , is surrounded by the town of Cortland . The town of Cortland , near the western border of the county , is surrounded by the city of Cortlandville . 0 +Cowper drew a pencil portrait of John Higgins , and also painted landscapes . Cowper drew a pencil portrait of John Higgins and painted landscapes . 1 +They stood under the mentorship of Coach Glenn Capacio and Coach Norman Black . You were under the mentorship of Coach Norman Black and Coach Glenn Capacio . 1 +Lucius Caecilius Metellus Diadematus was the second son of Roman politician and general Quintus Caecilius Metellus Macedonicus . Quintessus Caecilius Metellus Macedonicus was the second son of Roman politician and General Lucius Caecilius Metellus Diadematus . 0 +He did not practice from 1970-74 , but continued to perform . From 1970-74 , he did not perform , but continued to practice . 0 +"The finished product was marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X - COM : UFO Defense "" ." "The final product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X-COM : UFO Defense "" ." 0 +Tim Henman won in the final 6 -- 2 , 7 -- 6 , against Yevgeny Kafelnikov . Yevgeny Kafelnikov won against Tim Henman in the final 6 -- 2 , 7 -- 6 . 0 +Peter Mortimer , his older brother Steve Mortimer and younger brother Chris Mortimer played in four Grand Finals together . Chris Mortimer , his elder brother Peter Mortimer and his younger brother , Steve Mortimer , played together in four grand finals . 0 +The following day , he forced out Chiyonofuji to surpass Kyokutenhō and stand alone in first place . The next day he forced Kyokutenhō to surpass Chiyonofuji and stand in first place alone . 0 +"His meeting with Dave Brubeck is documented in the book "" Taj-Mahal Foxtrot "" by Naresh Fernandes in 2011 ." "His meeting with Dave Brubeck is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Naresh Fernandes ." 1 +Juanita was the only Vasquez to survive and was sent to prison ; before she was taken away , she swore her revenge on Pilar . Pilar was the only vasquez who survived and was sent to prison before she was taken away , she swore to Juanita her revenge . 0 +Francisco Javier Mier Campillo was a Spanish bishop who , from 1814 to 1818 , was the Grand Inquisitor of Spain . Great Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo of Spain . 0 +Austin Bureau operates a KTTC within the Riverland Community College Campus on 8th Avenue Northwest in addition to the main studios . In addition to the main studios , KTTC operates an Austin Bureau within the Riverland Community College Campus at 8th Avenue Northwest . 0 +Nikolay Davydenko won against Marat Safin in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . Marat Safin won in the last 6 -- 4 , 5 - 7 , 6 -- 4 against Nikolay Davydenko . 0 +"Traditionally , "" classical "" companies such as the Kirov Ballet and the Paris Opera Ballet regularly perform contemporary works ." "Traditionally "" contemporary "" companies , such as the Kirov Ballet and the Paris Opera Ballet , also regularly perform classical works ." 0 +She moved to Luxembourg in 1989 and settled in Germany two years later , her husband Tommy Danielsson is her coach and training partner . She moved to Germany in 1989 and settled down in Luxembourg two years later . Her husband , Tommy Danielsson , is her coach and training partner . 0 +It is equivalent to the rank of rear admiral in the United States Navy and the rank of a rear admiral ( upper half ) in the Royal Navy . It is equivalent to the rank of rear admiral in the Royal Navy and the rank of rear admiral ( upper half ) in the United States Navy . 0 +Defeated Dennis Ralston , Manuel Manuel Santana , 6 -- 4 , 11 - 9 , 6 -- 4 Manuel Santana defeated Dennis Ralston , 6 -- 4 , 11 -- 9 , 6 -- 4 1 +It is located close to the Mandurriao at 113 R. Mapa Street in the Iloilo City district of Old Iloilo Airport . It is located close to Mandurriao at 113 R. Mapa Street in the Iloilo City of Old Iloilo Airport . 1 +This layer deals with the physical plugs and sockets and electrical specification of signals only . This layer only deals with the physical plugs and connectors and the electrical specification of signals . 1 +Since 1977 , LAGOS has made more than two million pieces . Steven Lagos estimates that he has created 10,000 pieces and 400 to 500 new designs each year . Since 1977 LAGOS has created more than two million pieces , and Steven Lagos estimates that he has made 10,000 pieces and 400 to 500 new designs each year . 1 +"John Ruskin called it "" the most precious Henry James in the world . "" Paul Veronese wrote in 1882 ." "John Ruskin called it "" the world 's most precious Paul Veronese "" . Henry James wrote in 1882 :" 0 +Important French cemeteries include Châtenay and Lingolsheim ( Alsace ) , and an unusual earthwork was constructed in Goloring near Koblenz ( Germany ) . Important French cemeteries include Châtenay and Lingolsheim ( Alsace ) . An unusual earthwork was constructed at Goloring near Koblenz in Germany . 1 +The aforementioned scientists , Adam , are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Isaac Newton , Nikola Tesla , Charles Darwin , and Albert Einstein The mentioned scientists Adam adores are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . 1 +He died on August 18 , 1861 , in Sandy Hill ; and was buried at the Union Cemetery in Fort Edward . He died in Sandy Hill on 18 August 1861 and was buried at the Union Cemetery in Fort Edward . 1 +The role of this department is to further develop and coordinate the philanthropic work of the Archdiocese . The mission of this department is to further coordinate and develop the philanthropic work of the Archdiocese . 0 +The Interogator typed a lot of papers and then came in the four-month stress to Abdulla , the Intorgator read the papers and forced Abdulla to write it . The interogator typed a lot of papers then came to Abdulla in the four months stress , the intorgator read the papers and forced Abdulla to write it . 1 +These names were chosen to correspond to their international counterparts in the rough chess and not as literal translations of Japanese names . Several of these names were chosen to correspond to their rough equivalents in international chess , and not as literal translations of the Japanese names . 0 +Air Niugini operated their Boeing 707 from Auckland to Port Moresby via Hong Kong in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini served their Boeing 707 from Auckland via Port Moresby to Hong Kong in a tripartite agreement with Air New Zealand and Cathay Pacific . 0 +She was born in Mississippi , but grew up in Flint , Michigan . Born in Flint , Michigan , she grew up in Mississippi . 0 +Cankar was also famous for his essays , most of which were published between 1907 and 1913 , where he showed stylistic mastery and great irony . Cankar was also famous for his essays , most of which were published between 1907 and 1913 , where he showed a stylistic championship and great irony . 1 +Some southern states , such as Zhou and Wu , claimed independence from the Chu , who were waging wars against some of them ( Wu and Yue ) . Some southern states , such as Zhou and Wu , claimed independence from the Chu , who undertook wars against some of them ( Wu and Yue ) . 1 +His grandfather , Reverend John Macky , was the first moderator of the Presbyterian General Assembly of New Zealand to marry Edna Graham Allan in Dunedin in 1920 . His grandfather , Reverend Edna Graham Allan , was the first moderator of the Presbyterian General Assembly of New Zealand . In 1920 Macky married John Macky in Dunedin . 0 +Cheadle Heath railway station served a railway station which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb Cheadle Hulme . Cheadle Heath railway station was a railway station , which between 1901 and 1968 served the village of Cheadle , Cheshire , and the Stockport suburb of Cheadle Hulme . 0 +She spent her first six years of childhood in Manila before moving to Angeles City . The first six years of her childhood spent in Angeles City before she moved to Manila . 0 +Shortly thereafter , steel player Tom Brumley was announced and replaced by Jay McDonald . Shortly thereafter , steel player Jay McDonald quit and was replaced by Tom Brumley . 0 +The decision to use modern clothing called Houseman an essential element in Orson ’ s conception of the play as a political melodrama with clear contemporary parallels . "Houseman called the decision to use modern dress "" an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . """ 1 +When Vijay learns of Rama 's innocence , she has a change of heart and she and Vijay reconcile . When Vijay learns of Rama 's innocence , she has a change of heart and she and Vijay reconcile themselves . 1 +In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded by King Magnus the Jarldom of Orkney . In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Haakon Haakonsson . 0 +The production was repeated from 8 June 2011 in Amsterdam and from 8 July 2012 in Berlin . The production was repeated in Amsterdam on 8 June 2011 and 8 July 2012 in Berlin . 1 +The medieval iron fence in particular shows Eastlake influence in its ornamental design . In particular , the ornamental iron fence shows influence in its medieval design Eastlake . 0 +With a strong start to the season and the new Arise Racing team bringing new cars and new competition to the series it brought 3 great races . With a strong start to the season and the new Arise Racing team , which brought new cars and new competition to the series , it brought 3 great races . 1 +Although its conjugate acid is highly reactive , peroxynitrite is stable in basic solutions . Although its conjugated acid is highly reactive , peroxynitrite in basic solutions is stable . 1 +It is located north of Mount Ivy , east of Harriman State Park , north of Monsey and west of New Hempstead . It is located to the north of Mount Ivy , east of Harriman State Park , north of Monsey and west of New Hempstead . 1 +English is spoken by many people and some of them fluently understood . English is understood by many people and spoken by some fluently . 0 +Some large excess microwave noise generators use Avalanche diodes to create commercial noise that can be switched on and off . Some commercial microwave noise generators use avalanche diodes to create a large excess noise figure that can be turned off and on . 0 +The following night , Delirious put his problems with Danielson aside to challenge Pearce . The next night , Delirious put aside his problems with Pearce to challenge Danielson . 0 +The Seaca River or Pârâul Sec is a tributary of the River Olt in Romania . The Olt River or Pârâul Sec is a tributary of the Seaca River in Romania . 0 +"It was accepted that the aborigine - name of the zone simply "" Güímar "" as was the whole Menceyato ." "It was accepted that the whole name of the zone was simply "" Güímar "" as the aboriginal menceyato ." 0 +The first was a four-lane studio session and the second six tracks recorded at the reading festival . The first was a four track studio session and the second six tracks recorded at the Reading Festival . 1 +Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 - October 26 , 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Sri Lankan ( Ceylonese ) judge and lawyer . 1 +The crusher was operated by the Glen Alden Coal Company , a subsidiary of the Blue Coal Corporation . The breaker was operated by the Glen Alden Coal Company , a subsidiary of the Blue Coal Corporation . 1 +In Louisville , Kentucky , he has exhibited at the Brownstown Gallery and in Art Space at Birmingham , Michigan . In Louisville , Kentucky , he exhibited at the Brownstown Gallery and in Birmingham , Michigan , near Art Space . 0 +The building on the north side of the field followed by Emivest Aerospace Corp. , owned and operated by Sino Swearingen Aircraft Corp. Is now owned by Acer Tech . The building on the north side of the field previously followed by Emivest Aerospace Corp . Owned and operated by Sino Swearingen Aircraft Corp. Is now owned by Acer Tech . 1 +Elati is a village in regional unit Kozani , Greece . Elati is a village in the regional unit of Greece , Kozani . 0 +During or after his Parthian campaigns , Eucratides was attacked and defeated by Indian King Mithridates I , possibly in the alliance with partisans of the Euthydemides . During or after his Parthian campaigns , Eucratides was attacked and defeated by the Indian king Mithridates I , possibly in alliance with partisans of the Euthydemids . 1 +Dan , however , decides to keep this truth from Serena a little while longer . Serena decides , however , to keep this truth for a little longer from Dan . 0 +The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classic image of the foyer . The museum building retains its classic style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . 0 +The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . The SAS ( Surprise aggregate supply ) curve is in the long run a vertical line called the EAS ( Equilibrium aggregate Supply ) curve . 0 +The Permanent Representative of Austria to Croatia is based in the Philippine embassy in Philippines . Austria ’ s Permanent Representative to Croatia is based in the Philippine Embassy in the Philippines . 1 +"In "" The Kingdom of Auschwitz "" , Otto Friedrich wrote about Rudolf Höss , regarding his decision to display the motto so prominently at the Auschwitz entrance :" "Otto Friedrich wrote in "" The Kingdom of Auschwitz "" about Rudolf Höss about his decision to present the motto so prominently at the entrance Auschwitz :" 1 +The Bentley Brook or Bradbourne Brook is a small tributary of the River Dove in Derbyshire , England , and is 14.5 kilometres ( 9 miles ) long The Bentley Brook or Bradbourne Brook is a small tributary of the Dove River in Derbyshire , England , which is 14.5 kilometres long . 1 +"In a 2014 interview with "" Sunrise Daily "" Jesse Jagz said that M.I delayed the departure of Chocolate City also the album ." "In a 2014 interview with "" Sunrise Daily "" , M.I said that Jesse Jagz 's departure from Chocolate City also delayed the album ." 0 +"In the TV special "" ( 1979 ) Robin helps sing many of the Christmas Carols with the other Muppets and John Denver ." In the TV special ( 1979 ) John Denver helps sing many of the Christmas songs with the other muppets and Robin . 0 +Fashion 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origin . Mode 9 was born in London on June 14 , 1975 as the third child of his parents but maintains , ( Osun State ) ) as his origin . 1 +In the third film , the fat lady of Elizabeth Spriggs is played , and by Dawn French in the first film . In the first film , the fat lady of Elizabeth Spriggs and Dawn French is played in the third film . 0 +Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman who was never seen during the day . Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman never seen during the day . 0 +One of these , Micheál Martin , said Fianna Fáil leader Shane Ross had contacted them the previous day and that they would meet the following week . One of them , Shane Ross , said that Fianna Fáil - leader Micheál Martin had contacted her the previous day and that she would meet the following week . 0 +29 of the 30 chief coaches are American , with the exception of Jay Triano the Phoenix Suns , who is Canadian . 29 of the 30 head coaches are Canadian , with the exception being Jay Triano of the Phoenix Suns , who is American . 0 +Posen is a composer , born in Poland ( Zdzisław Wysocki ) in 1944 . Zdzisław Wysocki is a composer , born in 1944 in Poznań ( Posen ) Poland . 0 +In 1882 , however , Haldeman Haldeman administered corrective back operations at the Jane Addams home in Mitchellville , Iowa . In 1882 , however , Haldeman administered corrective back surgery to Jane Addams at the Haldeman home in Mitchellville , Iowa . 0 +"Tamara Anna Cislowska released the album "" Peter Sculthorpe -- Complete Works for Solo Piano "" in September 2014 ." "In September 2014 Tamara Anna Cislowska published the album "" Peter Sculthorpe -- Complete works for solo - piano "" ." 1 +The plant is native to northern Oregon and southern California . The plant is native to northern California and into southern Oregon . 0 +This was a limited release -- only 300 red vinyl and 200 black vinyl copies were put out . This was a limited release -- only 300 black vinyl and 200 red vinyl copies were printed out . 0 +Mouhoun is one of the 45 provinces of Boucle du Mouhoun Region and is in Burkina Faso . The capital of Mouhoun is Dédougou . Mouhoun is one of 45 provinces in Burkina Faso and is located in the Boucle du Mouhoun region . The capital of Mouhoun is Dédougou . 0 +The 1955 Los Angeles State Diablos football team represents Los Angeles State during the 1955 College Football season . The 1955 Los Angeles State football team represents Los Angeles State Diablos during the College - Football - Season 1955 . 0 +"In 2007 , Jason appeared as Wiik in the thriller "" Timber Falls "" ." "In 2007 , Wiik appeared as Jason in the "" Timber Falls "" thriller ." 0 +""" Legend "" was released on DVD and Blu-ray in the United States on 25 January 2016 and in the United Kingdom on 1 March 2016 ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the USA and on March 1 , 2016 in the United Kingdom ." 1 +When the band separated in 2012 from Virginia Beach , we moved between Los Angeles and Texas . When the band moved from Virginia Beach in 2012 we split between Los Angeles and Texas . 0 +This research has taken him frequently to South Africa , where he focuses on the Royal Bafokeng Nation as well as Brazil and Jamaica . This research has frequently led him to South Africa , where he concentrates on the Royal Bafokeng Nation , as well as Brazil and Jamaica . 1 +There are a number of ways to determine the range to the artillery piece . One way is to apply the law of cosines twice . There are a number of ways to determine the range of the artillery piece : One possibility is to apply the cosines twice . 1 +He chose to study Indian history because he wanted to teach it . "He decided to teach Indian history "" because he wanted to study it "" ." 0 +When Bumstead retired in 1906 , Arthur Williams Wright became a professor of physics at Yale College and director of the Sloan Physics Laboratory . When Arthur Williams Wright retired in 1906 , Bumstead became professor of physics at Yale College and Director of the Sloan Physics Laboratory . 0 +Ayliffe married Janet Lloyd in 1963 and had two children . Janet Lloyd married Ayliffe in 1963 and they had two children . 1 +When Brian was only two months out of the Police Academy , his friend Roman Pearce was caught in a garage with eight stolen vehicles . When Roman Pearce was only two months out of the police school , his friend Brian was caught in a garage with eight stolen vehicles . 0 +Music is excellent with some great songs which are etched in everybody 's memory forever . Music is great with some excellent songs , which are etched forever in everyone 's memory . 1 +Bobby Osborne worked at the Osborne Brothers until Mosley 's retirement in 2003 and then in 2011 with Sonny and his band , the Rocky Top Express . Mosley worked with The Osborne Brothers until Sonny 's retirement in 2003 , and then with Bobby Osborne and his band , the Rocky Top Express , until 2011 . 0 +Born in 1967 in Madrid , Spain , grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) house . Born in Madrid , Spain , in 1967 , she grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . 1 +He moved to Morocco 1239 / 40 ( after the fall of Valencia in 1238 ) and continued to work for the sultan there . He moved to Morocco in 1239/40 ( after the fall of Valencia in 1238 ) and continued to work for the sultan there . 1 +The river Galbena is a tributary of the Dunăreana river in Romania . The river Dunăreana is a tributary of the Galbena River in Romania . 0 +At the Anglo-Chinese School he took night classes about the English language . He took night classes on the English language at the Anglo-Chinese School . 1 +We view differential operators here as the generalization of pseudo-differential operators . Here we view differential operators as a generalization of pseudo-differential operators . 1 +In Ireland , the rebel Irish Catholics formed their own government -- confederate Ireland , with the intention of helping the Royalists in return for religious tolerance and political autonomy . In Ireland , the rebel Irish Catholics formed their own government -- Confederate Ireland with the intention of helping the Royalists in return for religious toleration and political autonomy . 1 +Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . Bridges at this site are the only crossing on the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . 1 +He was born in Bromma and died in Stockholm . He was born in Stockholm and has died in Bromma . 0 +To the east is Susquehanna County , with Middletown Township ( north ) and Rush Township ( south ) along the border . To the east lies Middletown Township , with Rush Township ( North ) and Susquehanna County ( South ) along the border . 0 +Michael Michael Stich defeated Nicklas Kulti with 6 -- 3 , 1 -- 6 , 6 -- 2 . Nicklas Kulti defeated Michael Stich 6 -- 3 , 1 -- 6 , 6 - 2 . 0 +The college is situated around 30 km from Trichy and 15 km from Thuraiyur . The college is situated about 30 km from Trichy and 15 km from Thuraiyur . 1 +Refers to the action of the body in moving figures ; turning the opposite hip and shoulder towards the direction of the turning foot . Refers to the effect of the body while turning figures : turning the opposite hip and shoulder in the direction of the moving foot . 0 +Alessandro Salucci was an important contemporary practitioner in the genre , whose work was influenced by Viviano Codazzi . Viviano Codazzi was an important contemporary practitioner of the genre whose work was influenced by Alessandro Salucci . 0 +The Major A premiership is currently held by the Major League in Pine Hills Lightning and Runcorn Indians in the Pacific League . The Major A Premiership is currently held in the Pacific League by the Pine Hills Lightning in the Major League and Runcorn Indians . 0 +""" Bonne Citoyenne "" had the misfortune to be damaged in a storm and to become separated from the rest of the French squadron ." """ Bonne Citoyenne "" had the misfortune to be damaged in a storm and to be separated from the rest of the French squadron ." 1 +"In 2009 , the Single Signing Framing Hanley of Silent Majority Group received a gold certification for their first "" Lollipop "" ." "In 2009 , the first signing of Silent Majority Group Framing Hanley received a gold certification for their single "" Lollipop "" ." 0 +An operational VMS system has access to one or more online media , each of which contains a complete , independent file system . An online VMS system has access to one or more operating disks , each of which contains a complete , independent file system . 0 +The mouth is virtually vertical , the snout is short and the eyes are large . The mouth is nearly vertical , the snout is large and the eyes are short . 0 +Dunkerton moved to Herefordshire from London at the age of 14 . Dunkerton went from London to Herefordshire at the age of 14 . 1 +Seaboard was the first airline to fly a 747 Freighter service to the United Kingdom from the USA . Seaboard was the first airline to fly a 747 Freighter service from the UK to the USA . 0 +In the past , when Yue Yi attacked the Qi state , he conquered over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . When Yue Yi attacked the Qi state in the past , he conquered more than 70 cities in Qi , except Ju and Jimo for Tian Dan . 1 +It was commissioned by the governor of Rome , Ludovico Spada Veralli Potenziani , who had been directed by Mussolini to manage the Capital . It was led by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been commissioned by Mussolini to run the capital . 0 +Andy Pettitte opened the top of the fifth inning with a double and achieved in a single to center field by Nick Swisher . Nick Swisher opened the top of the fifth inning with a double and scored on a single to center field by Andy Pettitte . 0 +This episode marks the final appearance of guest actress Denise Cloyd as Merritt Wever , who was introduced at the beginning of the sixth season . This episode marks the final appearance of guest actress Denise Cloyd as Merritt Wever , who was introduced in the beginning of the sixth season . 1 +John Franklin Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of William Armstrong and Mary W. I. Monroe . William William Armstrong was born on 14 November 1819 in Lincoln County ( Tennessee ) as son of John Franklin Armstrong and Mary W. I. Monroe . 0 +Dundas Public School is a Primary School in western Sydney of Dundas in it 's suburb New South Wales . Dundas Public School is a primary school located in western Sydney , New South Wales , in the suburb of Dundas . 0 +In the 1960s , Newtown withdrew from Anderson Township by forming a paper city . Newtown withdrew from Anderson Township in the 1960s by forming a paper township . 1 +Both Phasael and Herod began their careers under their father , Antipater , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . Both Phasael and Herod started their careers under their father Antipater , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . 1 +"The U.S. Navy returned "" Foley "" to the Royal Navy at Harwich , England , on 22 August 1945 ." "On August 22 , 1945 , the Royal Navy "" Foley returned to the U.S. Navy in Harwich , England ." 0 +His mother and his wife followed him and left Henry IV to Germany . His mother and wife left him and followed Henry IV to Germany . 0 +Cedarbrae Mall is a shopping mall in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . 1 +The play was subsequently performed throughout Canada by the BBC and the Royal Shakespeare Company . The play was subsequently performed across Canada , by the BBC and the Royal Shakespeare Company . 1 +Michael Chang won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan . Michael Chang won 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan in the finals . 1 +Tide is the sixth album by Deodato that was released on A 'M Records in 1970 and arranged by Antônio Carlos Jobim . Tide is the sixth album by Antônio Carlos Jobim , which was released on A 'M Records in 1970 and arranged by Deodato . 0 +In 1951 , the Cogioba Council , based in Bowling Green , merged with the West Kentucky Area Council to form the Audubon Council , which provides a good third of Kentucky . In 1951 , the West Kentucky Area Council , headquartered in Bowling Green merged with the Audubon Council to form the Cogioba Council serving a good third of Kentucky . 0 +"Since 2009 , the website Rotten Tomatoes had given the film a rating of 90 % with 19 "" fresh "" and 2 "" faul "" reviews ." "As of 2009 , the website Rotten Tomatoes had given the film a 90 % rating with 19 "" fresh "" and 2 "" rotten "" reviews ." 1 +Tabda , also known as Tabto , is a city in the southern Jubbada Hoose ( Lower Juba ) region of Somalia . Tabda , also known as Tabto , is a city in the southern region of lower Juba ( Jubbada Hoose ) in Somalia . 1 +Trina , better known as Taylor Katrina Laverne , is a rapper . Trina , better known as Katrina Laverne Taylor , is a rapper . 1 +The film stars Raghavendra Rajkumar in lead roles whilst Shiva Rajkumar , Lokesh and Sudha Rani in an extended cameo and Ambareesh in a guest role . The film stars Shiva Rajkumar , Lokesh and Sudha Rani in the leading roles , while Raghavendra Rajkumar in an extended Cameo and Ambareesh in a guest role . 0 +He frequently attended ballet performances at the Paris Opera and frequently observed classes at the dance school . He frequently observed ballet performances at the Paris Opera and often attended lessons at the dance school . 0 +"An "" almost normal "" matrix formula 34 in "" Jordan diagonal form "" , similar to formula 2 is obtained as follows :" "An "" almost diagonal "" matrix formula 34 in "" Jordan - normal form "" , similar to Formula 2 , is given as follows :" 0 +"Where "" r "" is the periodic rate , "" i "" the annual rate , and "" n "" the number of compounding periods per year ." "Where "" r "" the annual rate , "" i "" is the periodic rate and "" n "" the number of connection periods per year ." 0 +Slashdong is a blog about teledildonic and erotic use of technology for similar purposes . Slashdong is a blog about teledildonics and a similar use of technology for erotic purposes . 0 +It was organised from militia companies from Brattleboro , Burlington , Castleton , Fletcher , Ludlow , Montpelier , Tunbridge , Vergennes and Waterbury . It was organized from militia companies from Brattleboro , Burlington , Castleton , Fletcher , Ludlow , Montpelier , Tunbridge , Vergennes and Waterbury . 1 +SDT was the first , second , third , fourth , fifth , sixth , seventh and eighth team to win the first title in the UAAP Cheerdance Competition . SDT was the first team to earn the first , second , third , fourth , fifth , sixth , seventh and eighth title in the UAAP Cheerdance Competition . 0 +""" Burton C. Bell of the Fear Factory "" , "" Filter "" , "" Tricky "" and "" Rob Zombie "" all returned for the soundtrack of "" ." "Hole , Rob Zombie of Fear Factory , Filter , Tricky and Burton C. Bell all returned for the soundtrack of "" ." 0 +He graduated from Nihon University with a 4th Dan in Judo and a 5th Dan in karate . He graduated from Nihon University , holding a 5th dan in judo and a 4th dan in karate . 0 +The following pass of Sam Sam Bradford was tipped by Florida DB Joe Haden and intercepted by Florida Safety Major Wright . Sam Bradford 's following pass was tipped by Florida DB Joe Haden and intercepted by Florida safety Major Wright . 1 +Amata leucacma is a species of moth of the family Erebidae . It is found in Australia ( Queensland ) . Amata leucacma is a type of moth of the family Erebidae It is found in Queensland ( Australia ) . 1 +He played Garrett Burns , a love interest for Caitlin Stasey ( Rachel Kinski ) . He played Garrett Burns , a love of interest for Caitlin Stasey ( Rachel Kinski ) . 1 +Born in New York City , Cramer grew up in Geneva . Cramer was born in Geneva and grew up in New York City . 0 +"The progress teacher Jürgen Reichen ( Swiss Education ) founded this method "" Writing to read "" 1982 ." "The progressive teacher Jürgen Reichen ( Swiss education ) founded this "" writing to read "" method 1982 ." 1 +The most important index letters for distinguishing the basic types are as follows : The most important index letters for distinguishing basic types are as follows : 1 +Brayshaw ended his career and started with his Club Claremont in the West Australian Football League . Brayshaw began his career and ended his career with Claremont Football Club in the West Australian Football League . 0 +In the 9th century Bethlehem went through control of the Islamic caliphates of the Abbasids , then in the 8th century the Umayyads . Bethlehem then passed through the control of the Islamic caliphates of the Umayyads in the 8th century , then the Abbasids in the 9th century . 0 +In the , Daniel Dewey ( F ) resigned February 24 , 1814 and was replaced in a special election by John W. Hulbert ( F ) In the , John W. Hulbert ( F ) resigned on 24 February 1814 and was replaced in a special election by Daniel Dewey ( F ) . 0 +Alfred Gregson ( 2 March 1889 -- March 1968 ) was an English professional football inside left who played in the Football League for Grimsby Town and Bury . Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English internal football player who played for Grimsby Town and Bury in the Football League . 0 +Pelmus has been exhibited in museums in Canada , France , Germany , Israel , Romania , Austria , Chile and Brazil , including five solo exhibitions . Pelmus has been exhibited in museums of Romania , France , Germany , Israel , Canada , Austria , Chile and Brazil , including five solo exhibitions . 1 +As Secretary of the Archbishop of Split , he went to Hungary and through Zagreb in 1503 to Venice . As a secretary of the archbishop of Split he went to Hungary , and in 1503 through Zagreb to Venice . 1 +Joe Faust had a side business in nutritional supplements -- Adventures in Nutritio Barry Coe had a side business with nutritional supplements -- Adventures in nutrition , labels for the containers were printed by Joe Faust . 0 +Week 1 : Teams have to move from Santa Barbara , California , to Venice Beach , California . Week 1 : Teams have to move from Venice Beach , California , to Santa Barbara , California . 0 +Marat Safin won against Nikolay Davydenko in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . Marat Safin won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Nikolay Davydenko . 1 +The crate he used was large and not very deceptive , and instead of an attractive woman he employed a page as an assistant . The box he used was deceptive and not very large and instead of an attractive woman he employed a bellboy as an assistant . 0 +Regularly holds Poker Oscar poker games , two of the players are Roy , his agent and Teddy , one of his best friends . Oscar holds poker games regularly , with two of the players being Teddy , his agent , and Roy , one of his best friends . 0 +Sukhbinder Singh Sarkaria is an Indian politician who belongs to the Indian National Congress and is a member of the Punjab Legislative Assembly and represents Raja Sansi . Sukhbinder Singh Sarkaria is an Indian politician and belongs to the Punjab Legislative Assembly . He is a member of Indian National Congress and represent Raja Sansi . 0 +"Her other great hit was "" The White Cliffs of Dover "" , words by Walter Kent , music by Nat Burton ." "Her other great wartime hit was "" The White Cliffs of Dover "" , words by Walter Kent , music by Nat Burton ." 1 +He was born in the village of Segutiet , province of Rift Valley , in the former Bomet District of Kenya . He was born in Segutiet village , Rift Valley Province , in the former Bomet District of Kenya . 1 +"In 1916 , Lily wrote Hardy Hammond : "" You pay no love back ; you pay it forward ." "In 1916 , Lily Hardy Hammond wrote , "" You do n't pay love back ; you pay it forward . """ 0 +""" Cortinarius rainierensis "" , described in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material collected Mount Rainier National Park , is a synonym ." """ Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from the described material of Mount Rainier National Park , is a synonym ." 0 +Scopa is black , but white at the front edge . Scopa is black , at the front edge but white . 1 +Touche was the third son of the first Baronet of Creation in 1920 . Touche was the first son of the third Baronet of the 1920 creation . 0 +Central Butte is located near to Central Butte Airport , Saskatchewan , Canada . Central Butte is located close to Central Butte Airport , Saskatchewan , Canada . 1 +The 114th Battalion recruited in Haldimand County and the Six Nations reserve , and was mobilized at Cayuga , Ontario . The 114th Battalion recruited to the Haldimand County and the Six Nations Reserve , and was mobilized in Cayuga , Ontario . 1 +Yuko Mizutani is voiced by Katherine Burton in Japanese and by Anri in English . Yuko Mizutani is spoken in English by Katherine Burton in Japanese and by Anri . 1 +These dolls had their English or Spanish names covered by a sticker with the German name or sometimes nothing at all . These dolls had covered their English or German names with a sticker with the Spanish name or sometimes nothing . 0 +The first DVD recording of the band , filmed in March 2010 at the Y Theatre in Leicester , was released in January 2011 . The band 's first DVD recording , filmed at the Y Theatre in Leicester in March 2010 , was released in January 2011 . 1 +His son Graham Haynes is a cornettist , his son Craig Haynes and his grandson , Marcus Gilmore , are both drummers . His son Craig Haynes is a cornetist ; his son Graham Haynes and grandson Marcus Gilmore are both drummers . 0 +"According to Jon Uren , Marketing Director of Warner Music Europe , the song also had "" fantastic "" early support all over Europe ." "According to Jon Uren , marketing director of Warner Music Europe , the song also had "" early "" fantastic support across Europe ." 1 +Christine became hopeful that after her first interview with Gordon Stewart Northcott , her son Walter could still be alive . Christine became hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . 1 +Sebastian Giustinian was a Venetian-century sixteenth diplomat . Sebastian Giustinian was a Venetian sixteenth-century diplomat . 0 +He claimed that four Ukrainian soldiers were killed , while two of his men were wounded during the battles . He claimed that four Ukrainian soldiers were killed , while two of his men were wounded during the fighting . 1 +Awwad was born in Salfit and graduated in 1947 from the Arab College in Jerusalem . Awwad was born in Jerusalem and graduated in 1947 from the Arab College in Salfit . 0 +Jequié is rich in iron ore , so it is very cold during the day and hot at night . Jequié is rich on Iron Ore , so it is very cold during the day , and hot at night . 1 +Whitey and Joe Boy return to the restaurant where they cut Terry 's ; tires of his car . Whitey and Joe Boy return to the restaurant where they slash Terry 's tires of his car . 1 +"It has been suggested that "" P. azurophilum "" represents more than one species with one species infecting white blood cells and the other infecting red blood cells ." "It has been suggested that "" P. azurophilum "" represents more than one species , with a species infecting red blood cells and the other infecting white blood cells ." 1 +Cornish verbs are highly regular and in their infinitive forms they are also considered nouns . Cornish verbs are highly infinitive and , in their regular form , they are also considered nouns . 0 +Her husband continued travelling to England and died in Europe in 1804 . Her husband traveled to Europe and died in 1804 in England . 0 +Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the 21st century Uganda . Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the twenty-first century constitutional traditional monarchies of Uganda . 0 +""" FIFA Manager 12 "" is a football manager - simulations - video game , developed by Bright Future GmbH and published by Electronic Arts worldwide under the label EA Sports ." """ FIFA Manager 12 "" is a football manager simulation video game developed by Bright Future GmbH and published by Electronic Arts worldwide under the EA Sports label ." 1 +Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on 20 April 1895 and implemented in 1899 . The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on April 20 , 1895 and introduced in 1899 . 0 +The Interogator read a lot of papers , then came in the four-month stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . The Interogator typed a lot of papers and then came in four months to Abdulla , the Intorgator read the papers and forced Abdulla to write it . 0 +There were also several animatronic characters created ... a giant goose ( Galaga ) and an animatronic head for the doll 's cernos . Several animatronic characters were also created ... a puppeteered goose ( Galaga ) and an animatronic head for the giant Cernos . 0 +Konrad Adenauer was painted 1963 by Hans Jürgen Kallmann . Hans Jürgen Kallmann was painted by Konrad Adenauer in 1963 . 0 +He worked in Tielt between 1693 and 1717 as a teacher in Bruges . He worked as a teacher in Bruges and in Tielt between 1693 and 1717 . 0 +BareMetal OS has a build script to compile the latest code , make the necessary changes , and then retrieve the C code using the Newlib C - standard library . BareMetal OS has a build script to pull the latest code , make the needed changes , and then compile C code using the Newlib C standard library . 0 +It is situated southeast of White Cap Mountain , 2 miles southwest of Baker Mountain and 5 km west of Moosehead Lake . It is about southeast of White Cap Mountain , 2 miles southwest of Baker Mountain , and 5 miles west of Moosehead Lake . 0 +On the line between Market Harborough and Hallaton , there was once a Nottingham train station . Once upon a time there was a Hallaton railway station on the line between Market Harborough and Nottingham . 0 +The Casimcea River is a tributary of the River Valea Lungă in Romania . The Casimcea River is a tributary of the Valea Lungă River in Romania . 1 +Dan McGugin did not play in Bob Blake 's first year of 1904 , but resumed game on the 1905 team . Bob Blake did not play in the first year of Dan McGugin in 1904 , but resumed play on the team of 1905 . 0 +Under the pseudonym Henry Wheeler Shaw , his son Josh Billings ( 1818 -- 1885 ) became a well-known humorist . His son Henry Wheeler Shaw ( 1818 -- 1885 ) , under the pseudonym Josh Billings , became a well-known humorist . 0 +It is found in the Zimbabwe , the central province of Midlands . It is found in the Zimbabwe , the central Midlands Province . 1 +In 1791 Hamilton returned to Dublin , where he died . In 1796 he painted Lord Edward Fitzgerald , the Irish revolutionary . Hamilton returned to Dublin in 1791 , where he died , and in 1796 he painted Lord Edward Fitzgerald , the Irish revolutionary . 1 +On May 12 , 2012 , Croucier reunited with RATT and performed with the band at the M3 Rock Festival for the first time since 1991 . On May 12 , 2012 , Croucier united with RATT again and performed the band for the first time since 1991 at the M3 Rock Festival . 1 +As with the navy , the army has a single-track system where officers from other naval communities permanently transfer to the Foreign Area Officer . As with the army , the Navy has a single track system , where officers from other Navy communities permanently transfer to Foreign Area Officer . 0 +Gnawa music mixes classical Islamic Sufism with pre-Islamic African traditions , whether local or sub-Saharan . The Gnawa music mixes pre-Islamic African Sufism with classical Islamic traditions , whether local or sub-Saharan . 0 +"Highway 227 was also known as "" Minnesota Avenue "" in Sebeka ." "The Highway 227 was also known as "" Sebeka "" in the Minnesota Avenue ." 0 +Frank Morison ( January 1 , 1881 - September 14 , 1950 ) , ( pseudonym Albert Henry Ross ) , was an English advertising agent and freelance writer . Frank Morison ( 1 January 1881 -- 14 September 1950 ) , ( pseudonym Albert Henry Ross ) , was an English advertising agent and freelance writer . 1 +The light novels are written by Dojyomaru and published by Fuyuyuki , illustrated by Overlap Bunko . The light novels are written by Dojyomaru and are illustrated by Fuyuyuki and published by Overlap Bunko . 0 +Mornington Cemetery is a cemetery serving the Mornington Peninsula of Melbourne . Mornington Cemetery is a cemetery serving the Melbourne area of Mornington Peninsula . 0 +More recently , the band has combined Extra Life Aspects of Old Music with the modern genre of Math Rock . More recently , the band has combined Extra Life aspects of modern music with the early genre of math - rocks . 0 +The development of Bas 90 started in the 1970s and began implementation in the 1980s . The development of Bas 90 started in the 1970s and began being implemented in the 1980s . 1 +Polali is a village in Dakshina Kannada taluk , in the South Canara ( Bantwal ) district of Karnataka state in India . Polali is a village in Dakshina Kannada Taluk , in the south - Canara ( Bantwal ) district of the state of Karnataka in India . 1 +He was ordered to New Mexico Territory in 1860 , and was promoted to the rank of captain in the 4th Infantry on December 20 . He was promoted to the New Mexico Territory in 1860 and ordered to captain the 4th Infantry on December 20 . 0 +Just before his death , Sergei Yushenkov received threats from a high-ranking FSB general , Aleksander Mikhailov , according to Grigory Pasko . Shortly before his death , according to Grigory Pasko , Sergei Yushenkov received threats from a high-ranking FSB - General , Aleksander Mikhailov . 1 +In 1883 , the first schools in the area were built for 400 white students and 60 black students . In 1883 the first schools in the area were built for 400 white and 60 black students . 1 +The Pascu River is a tributary of the Valea Voenilor River . The river Valea Voenilor is a tributary of the river Pascu . 0 +On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic sports gymnastics . 1 +Hannah Craske was born on 26 November 1892 in Norfolk , England , daughter of Edmund and Margaret Craske . Hannah Craske was born on November 26 , 1892 in Norfolk , England , daughter of Edmund and Margaret Craske . 1 +In April 2016 , the son of Ahmed Ali Riaz Malik , Malik Riaz Hussain , was named in the Panama Papers . In April 2016 , Malik Riaz Hussain 's son , Ahmed Ali Riaz Malik , was named in the Panama Papers . 0 +Cobian Backup was a free , donation-supported backup software for Microsoft Windows . It is written in Delphi by Luis Cobian of Umeå University . Cobian Backup was a free , written backup software for Microsoft Windows and is supported by Luis Cobian of Umeå University in Delphi . 0 +"In 1977 he worked for the British magazine "" Woman 's Realm "" and for the German magazine "" Roman Woche "" ." "In 1977 he worked for the British magazine "" Woman 'apos ; s Realm "" and for the German magazine "" Roman Woche "" ." 1 +Ashley binds Luke with tape , then forces her to play truth or dare . Ashley binds Luke with duct tape , then forces her to play truth or dare . 1 +Cases are sorted into Native American areas of general law , with a chronological listing at the end of the article . Cases are sorted into general areas of the American indigenous law with a chronological listing at the end of the article . 0 +The second method is written when the number of elements in each line is the same and is known at the time of using the program . The second method is used if the number of elements in each row is the same and is known at the time the program was written . 0 +"Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the reverse alphabet in lyrical style ." "In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the lyrical alphabet in reverse style ." 0 +In 1858 he moved with a group of four members from Downieville to Eagle Valley into the territory that is now known as Nevada . In 1858 he moved with a group of four members from Nevada to Downieville to the area which is now known as Eagle Valley . 0 +Busabout New South Wales is an Australian private bus company , founded in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , Wagga Wagga . Busabout Wagga Wagga is an Australian private bus company formed in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , New South Wales . 0 +Vonberg worked at Imperial College and then joined the Cavendish Laboratory in 1945 , where he studied with Martin Ryle . Vonberg worked at Imperial College then joined the Cavendish Laboratory in 1945 where he studied with Martin Ryle . 1 +On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final 8-player list on the official ATP World Tour website . 0 +Irregular menstruation is a vaginal disorder whose manifestations contain menstrual cycle lengths as well as metrorragia ( irregular bleeding between expected periods ) . Irregular menstruation is a menstrual disorder whose manifestations include irregular cycle lengths as well as metrorrage ( vaginal bleeding between expected periods ) . 0 +It is found throughout the central Palaearctic Region , from Turkey , Cyprus and Lebanon , east through Iraq , Iran , Afghanistan and northern Pakistan to Kashmir . It is found throughout the central palaearctic , from Turkey , Cyprus , and Lebanon , through Iraq , Iran , Afghanistan , and northern Pakistan to Kashmir . 1 +Crash Landed was released in July 2009 as the third single in Korea and as the second single to be released in Japan in April 2010 . Crash Landed was released in Japan as the second single in July 2009 and the third single in Korea in April 2010 . 0 +Winners - Effects were shown when established dominant chicks were placed in a study by Drummond against non-experienced chicks . Winner - Effects were shown when established unexperienced chicks were placed in a study by Drummond against dominant chicks . 0 +Stephen Johnson ( missionary ) and Samuel Munson drove to Bangkok and Sumatra . Stephen Samuel Munson ( missionary ) and Stephen Johnson went to Bangkok and Sumatra . 0 +Note that this last bracket is an anticommutator , not a commutator , because both generators are odd . Note that this odd bracket is an anti-commutator , not a commutator , because both generators are last . 0 +Apparently he had contributions as a soldier and was progressively promoted . He apparently had contributions as a soldier and was gradually promoted . 1 +"It was their third hit with the first "" Peach "" , Linda Greene ." "It was their first blow with the third "" Peaches "" , Linda Greene ." 0 +These dolls had their English or German names covered by a sticker with the Spanish name or sometimes nothing at all . These dolls had covered their English or Spanish names with a sticker with the German name or sometimes nothing . 0 +The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but it developed into a conservative direction from 1919 . "The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a conservative party but from 1919 it evolved into a radical direction" 0 +The initial plan was to promote Mark Butcher to the opening batsman 's position , which has now become vacant , and to include Paul Collingwood in the middle order . The initial plan was to promote Paul Collingwood to the now vacant opening position - Schlagmann - position and to include Mark Butcher in the middle order . 0 +On 26 July 2012 , Neil Heywood was charged with the assassination of Gu Kailai . On 26 July 2012 , Neil Heywood was charged with the murder of Gu Kailai . 1 +"In 2015 , Craig Bartholomew Strydom and Stephen "" Sugar "" Segerman "" Sugar Man published : Life , Death and Resurrection of Sixto Rodriguez "" ." "In 2015 , Craig Bartholomew Strydom and Stephen "" Sugar "" Segerman published "" Sugar Man : The Life , Death and Resurrection of Sixto Rodriguez "" ." 0 +It is also dorsal to the substantia nigra and medial to the inner capsule . It is also dorsal to the substantia nigra and medial to the internal capsule . 1 +The album was released on May 26 , 2007 by Furious in the United Kingdom and 7 Spin Music in the US . The album was released by Furious in the US and by 7 Spin Music in the UK on May 26 , 2007 . 0 +As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and sponsored its development . As a result , Sumitada sponsored the port of Nagasaki for the Portuguese in 1570 and opened its development . 0 +Another name of Sports Direct Arena ( Wincham Park ) was hosted in the popular BBC1 TV Show Room 101 by Frank Skinner . Another name of Wincham Park ( Sports Direct Arena ) was hosted in the popular BBC1 TV - Show Room 101 by Frank Skinner . 1 +Isitt went to our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Darren Wassall . Isitt visited our Lady of Fatima Primary School and the Lordswood Girls Secondary School and is a cousin of footballer Darren Wassall . 1 +On June 1 , 1874 , Cornwall Minerals Railway opened its line from Fowey to St Dennis Junction , where it was connected to the Newquay Railway of Treffry . The Cornwall Minerals Railway opened its line from Fowey to St Dennis Junction on 1 June 1874 , where it connected with Treffry 's Newquay Railway . 1 +The last meeting of the BBU 1932 in Chicago was the first meeting of the GARBC . The first meeting of the BBU in 1932 in Chicago was the final meeting of the GARBC . 0 +"This culminated in a match on 18 March on "" Volume 48 "" , where Knight defeated Melissa to win the Shimmer Championship ." "This culminated in a match on March 18 at "" Volume 48 "" , where Melissa Knight defeated to win the Shimmer - Championship ." 0 +It is located in Annapolis Valley in the Kings County and Annapolis County and connects Kingsport to Spa Springs . It is located in Kings County and Annapolis County in the Annapolis Valley and connects Kingsport with Spa Springs . 0 +This species is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey , and Spain . This species is caught regularly along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . 1 +The Greek census of 1951 counted a total of 127 Muslim Albanian Chams in Epirus . The Greek census of 1951 included a total of 127 Muslim Albanian chams in Epirus . 1 +Kaypakkaya also adopted the position that there is a national question with the Kurdish people . Kaypakkaya also took the position that there is a Kurdish question involved with the national people . 0 +After the 1962 season , Green was traded to the New York Mets along with Tracy Stallard and Al Moran in exchange for Felix Mantilla . After the season in 1962 , Green was traded with Tracy Stallard and Al Moran in exchange for Felix Mantilla , with the New York Mets . 1 +They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . They defeated Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing to Gloucestershire in the quarter-finals 58 -- 10 . 1 +When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except for Yu and Jimo because of Tian Dan . In the past , when Yue Yi attacked the Qi state , he conquered more than 70 cities in Qi , except Ju and Jimo , over Tian Dan . 0 +At Wimbledon Janković was the fourth seed , but in the third round lost to the surprise finalist Marion Bartoli . At Wimbledon , Janković was the third seed , but lost in the fourth round to the surprise eventual finalist Marion Bartoli . 0 +Robert Owen ( 1810 -- 1890 ) , Richard Owen 's youngest son , came to New Harmony in 1828 and initially taught school there . Richard Owen ( 1810 -- 1890 ) , the youngest son of Robert Owen , came to New Harmony in 1828 and taught school there . 0 +CXorf26 is strongly evolutionary found , with conservation conserved in Batrachochytrium dendrobatidis . CXorf26 is strongly evolutionary found , with conservation in batrachytrium dendrobatidis conserved . 1 +Tobar Garcia is one of the five neuropsychiatric institutes in Buenos Aires and the only institution in the city that specialises in mental illness in children and adolescents . Tobar Garcia is one of the five neuropsychiatric institutes in Buenos Aires , and the only facility in the city that specializes in mental illness in children and adolescents . 1 +Mukunda considered George Harrison and the others who first came to England to be his lifelong friends . Mukunda considered George Harrison and the others who came to England for the first time to be his lifelong friends . 1 +The interogator typed a lot of papers then came to Abdulla in the four months stress , the intorgator read the papers and forced Abdulla to write it . The Interogator read a lot of papers , then came in four months of stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . 0 +The Armenian liberation movement was exhausted by the six years of permanent wars and conflicts ; the Armenian national army and population were incapable of any further active resistance . The Armenian national liberation movement was exhausted by six years of wars and conflicts , the Armenian army and population were not capable of any further active resistance . 0 +Many , many provinces and states organise national championship tournaments , and the highest age groups in Canada and the USA also participate in regional and provincial championships . Many provinces and states organize national championship tournaments , and the highest age groups in Canada and USA , also participate in regional and provincial championships . 1 +Margaret Turner ( Shirley Temple ) and Susan Turner ( Myrna Loy ) are sisters who live together . Margaret Turner ( Myrna Loy ) and Susan Turner ( Shirley Temple ) are all sisters who live together . 0 +In 1825 , James Sykes of Springfield Estate sold his friend and business partner , George Patterson . In 1825 , George Patterson of Springfield Estate sold his friend and business partner , James Sykes . 0 +The band then added bassist Duane Cowan , who had recently relocated from Japan to Los Angeles . The band added bassist Duane Cowan , who had recently moved from Japan to Los Angeles . 1 +"The first known European sighting of Whidbey Island was during the 1790 Spanish expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." "The first well-known Spanish sighting of Whidbey Island was during the European expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." 0 +Five grammatical cases are differentiated : nominative , genitive , dative , accusative and vocative . Five grammatical cases are distinguished : nominative , genitive , dative , accusative , and vocative . 1 +The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on January 13 , 2012 . The lowest temperature ever registered in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was January 13 , 2012 . 0 +District Viñac is one of thirty-three districts in the province of Yauyos in the region Lima in Peru . District Viñac is one of thirty-three districts of the region Lima in Yauyos province in Peru . 0 +On 26 July 2012 , Gu Kailai was charged with the murder of Neil Heywood . On July 26 , 2012 , Neil Heywood was charged with the murder of Gu Kailai . 0 +He has played at the festivals in Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . He has performed at the Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach festivals . 0 +The newspaper celebrated its 90th anniversary in 2006 and will celebrate its 100th anniversary in 2016 . In 2006 , the newspaper celebrated its 100th anniversary and celebrates its 90th anniversary in 2016 . 0 +In March , Edwards suffered an ACL injury and Richards started his singles run by feud with TNA X Division Champion Trevor Lee . In March , Edwards suffered an ACL injury and Richards started his singles , run by Fehde with TNA X Division Champion Trevor Lee . 1 +The affine scaling direction can be used to define a heuristic to adaptively choose the centering parameter as The affine scaling direction can be used to create a heuristic to adaptively define the centering parameter as 0 +Sharifah Aini was born on 2 July 1953 at Hospital Sultanah Aminah , Johor Bahru , Johor , and grew up in the Kampung Melayu Majidee , Johor Bahru . Sharifah Aini was born on July 2 , 1953 in Kampung Melayu Majidee , Johor Bahru , and grew up in Johor Bahru , Johor Bahru , Sultanah Aminah Hospital . 0 +"Mount Sis also has a plateau called in Turkey "" Sis Dağı Yaylası "" ." "Mount Sis is also a plateau which has called "" Sis Dağı Yaylası "" in Turkey ." 1 +Bob Blake did not play in the first year of Dan McGugin in 1904 , but resumed play on the team of 1905 . Dan McGugin did not play in Bob Blake 's first year of 1904 , but resumed play on the 1905 team . 0 +At the end of his term , Hurtado Lima left to return to Spain , where he died in 1609 . At the end of his term , Hurtado left Lima to return to Spain , where he died in 1609 . 1 +"Rufinus ( "" floruit "" 431 -- 432 ) was a important prefect of the East , one of the most praetorian officials of the Eastern Roman Empire ." "Rufinus ( "" floruit "" 431 -- 432 ) was a Pretorian prefect of the East , one of the most important officials of the Eastern Roman Empire ." 0 +""" Do What You Want , Be What You Are "" was covered by The Dramatics in 1979 ." """ Do what you want , be what you are "" was treated in 1979 by The Dramatics ." 1 +It was next to Gillette Stadium and the site of Foxboro Stadium . It stood next to Foxboro Stadium and the site of Gillette Stadium . 0 +Lynn Lynn Baggett has also represented several Hollywood actors , including Cooper for Murder , Joan Bennett and Shirley Temple in her divorce from John Agar . Cooper Cooper has also represented several Hollywood actors , including Lynn Baggett for Murder , Joan Bennett and Shirley Temple in her divorce from John Agar . 0 +Merzbach worked in Sweden during the late twenties before returning to Germany . During the late 1920s , Merzbach worked in Germany before returning to Sweden . 0 +The company was founded in 2008 from the merger between SP Telemedia , which was founded in 1986 by David and Vicky Teoh , and the Total Peripherals Group . The company was formed from the merger between SP Telemedia , which was established in 1986 by David and Vicky Teoh , and Total Peripherals Group in 2008 . 1 +In order to secure political independence , political parties in most European countries are factual associations . To secure factual independence , in most European countries , political parties are political associations . 0 +Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who dominated the university and spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . 1 +The functional structure of the Suhrkamp publishing house is located in Lindenstraße , the architectural reputation of the residence corresponds to its literary importance . The functional structure of the Suhrkamp publishing house is located in Lindenstraße , the architectural reputation of the residence corresponds inversely to its literary importance . 0 +Judith has even tried to be friends with Alan ; however , it was extremely difficult for him to be happy for the woman who ruined his life . Judith even tried to be friends with Alan , but it was extremely difficult for him to rejoice for the woman who has ruined his life . 1 +In Scottish country dances , the Scotch Snap ( or Scots Snap ) is a prominent feature of Strathspey . In Scots country dances , the Scotch snap ( or Scottish snap ) is a prominent feature of the strathspey . 0 +The terrain of the West Bank is somewhat rugged highlands with some vegetation in the west , but in the east is mostly barren . The terrain of the West Bank is mostly rugged dissected upland , with some vegetation in the west , but somewhat barren in the east . 0 +The qualification rounds for the four previous World Cups were very confusing , with controversial rules and many shortfalls . The qualification rounds for the four previous World Cups were very controversial , with confusing rules and many withdrawals . 0 +"In TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by the Turkish actress Deniz Çakır ." "In the TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." 1 +Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the Jelgava district 2009 ) , Latvia . Lielplatone Parish is an administrative unit of the district of Jelgava ( prior to the administrative reforms of the municipality of Jelgava in 2009 ) , Latvia . 0 +On 15 January 2014 , Douglas was traded at the Miami Heat in a three-team deal with the Warriors and the Boston Celtics . On January 15 , 2014 , Douglas was traded to the Miami Heat in a three-team deal involving the Warriors and the Boston Celtics . 1 +The station is located next to the Kintetsu Nagoya line , the Nagoya Railroad terminal , and the Kintetsu Nagoya Station , the terminal of Meitetsu Nagoya Station . The station is adjacent to Meitetsu Nagoya Station , the terminal of the Nagoya Railroad , and Kintetsu Nagoya Station , the terminal of the Kintetsu Nagoya Line . 0 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and performed at the Los Angeles Sunset Junction Festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and led the Sunset Junction Festival in Los Angeles . 0 +He is the first son of the Argentine coach Oscar Garré , the brother of Argentine footballer Emiliano Garré and uncle of Benjamin Garré . He is the first son of the Argentine coach Oscar Garré , the brother of Argentine footballer Emiliano Garré and uncle Benjamin Garré . 1 +He was commissioned first lieutenant on October 14 , 1917 at Fort Des Moines , and weeks later married a West Medford native , Madeline Mabray Kountze . He was commissioned on 14 October 1917 in West Medford First Lieutenant , and weeks later a married Fort Des Moines , Madeline Mabray Kountze . 0 +It is thick laterally , but thinner medially under the coracoacromial ligament . It is laterally thick , but medially under the coracoacromial band thinner . 1 +On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the final website of the ATP World Tour . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final list of the eight players on the official ATP World Tour website . 0 +On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competition career in rhythmic gymnastics . 0 +The song was written by Bryan Adams and was already recorded in 1999 by Melanie C . The song was written by Melanie C and had already been recorded by Bryan Adams in 1999 . 0 +In 1979 she fled to West Germany by boarding a plane from Budapest to Munich with a false West German passport . In 1979 , she fled to West Germany by flying with a false West German passport from Budapest to Munich . 1 +They competed in the Copa do Brasil once and in the Série C twice . They occurred twice in the Copa do Brasil and once in the Série C . 0 +AB InBev remains the largest brewery , with Heineken International second , and SABMiller third . AB InBev remains the largest brewery in second place with SABMiller and Heineken International is third . 0 +Critical Millennium is a 2010 Graphic Novel published by Archaia Studios Press , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Andrew E. C. Gaska and illustrated by Daniel Dussault 0 +Ortacami is a village connected to the district of Giresun in the province Tirebolu . Ortacami is a village connected to the Giresun district of Tirebolu province . 1 +After the United States Constitution was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . After the Constitution of the United States was adopted in 1789 , the United States Bill of Rights was ratified in 1791 . 0 +He had married and married with Catalina Mendoza y Zúñiga . He married with Catalina Mendoza y Zúñiga and had 0 +"It was classified in 2015 as a new kind within the new genus "" Gigantopelta "" and was described within the family Peltospiridae ." "It was described in 2015 as a new species within the new genus "" Gigantopelta "" and was classified in the Peltospiridae family ." 0 +The leaves are generally 1.5-4 mm long and 0,2-0,7 mm wide . The leaves are generally 1.5-4 mm wide and 0.2-0.7 mm long . 0 +The festival was founded in 2007 and debuted in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . The festival debuted in 2007 and was created in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . 0 +Zinkyaik Mountain is located in Tenasserim in the northern part of the Mon State coast . The Zinkyaik Mountain is located in Tenasserim in the northern part of the Mon State coast . 1 +Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had had 11.2 and Sarnia had 12.7 . Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Toronto had 7.9 , Montreal had 11.2 and Sarnia had 12.7 had . 0 +It was directed by Go Nagai , his third film as director and his first as a solo director . Directed by Go Nagai , his first film as a director and his third film as solo director . 0 +The evil Gabriela Rivero ( Teresa Rivas Gomez ) ends paralyzed and Virginia lets her stay in her house . The evil Gabriela Rivero ( Teresa Rivas Gomez ) ends up paralyzed and Virginia lets her stay in her house . 1 +Ricardo Cano defeated with Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 - 3 , 6 - 4 - Balázs Taróczy defeated Ricardo Cano 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 -- 4 1 +The volumes 5 and 6 were published by DeVorss ' Co postum from various articles that Spalding had written . Volumes 5 and 6 were published by DeVorss & Co posthumously from various articles that Spalding had written . 1 +"Jack wrote his autobiography in 1987 with Paul Conn , "" Eckerd : Finding the Right Prescription ." "In 1987 , Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription . """ 1 +Veronica is married to Gustavo , a rich , selfish , spoiled and ambitious woman who never loved her husband . Gustavo is married to Veronica , a rich , selfish , spoiled , and ambitious woman who has never loved her husband . 0 +"In 2015 , Bookboon was featured in newspapers such as the German "" Handelsblatt "" and one of its Swedish books was mentioned in the Swedish Metro ." "In 2015 , Bookboon was presented in newspapers such as the German Handelsblatt "" , and one of its Swedish books was mentioned in the Swedish metro ." 1 +The manga series was written by Yukimaru Katsura and illustrated by Satoru Akahori . The manga series was written by Yukimaru Katsura and was illustrated by Satoru Akahori . 1 +Touche was the third son of the first Baronet of the 1920 creation . Touche was the third son of the first Baronet of Creation in 1920 . 1 +He feared that he would be murdered if he went to Moulmein and fled to Tokyo instead . He feared that he would be assassinated if he fled to Tokyo and instead went to Moulmein . 0 +Jason Syme is the older borther of the rugby league , and rugby union footballer ; Jamie Syme . Jason Jamie Syme is the elder Borther of the Rugby - League and Rugby - Union - Footballer . 0 +Denny Felsner is the brother of hockey player , Brian Felsner . Denny Felsner is the brother of a hockey player Brian Felsner . 1 +Vera Zvonareva won the title by beating Caroline Wozniacki in the final with 6 -- 3 , 3 -- 6 , 6 -- 3 . Caroline Wozniacki won the title by beating Vera Zvonareva in the final 6 -- 3 , 3 -- 6 , 6 -- 3 . 0 +In July 2013 , Lone Star comics sold three of their five remaining stores in Mesquite , Hurst and Plano . In July 2013 , Lone Star comics sold three of their five remaining shops in Plano , Hurst and Mesquite . 1 +The cast includes Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Savita Prabhune , Ashok Saraf , Vikram Gokhale , Raja Mayekar , chandu parkhi , The occupation includes Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Savita Prabhune , Ashok Saraf , Vikram Gokhale , Raja Mayekar , Chandu Parkhi , and 1 +The other visa facility does not allow the conversion into free permits or visa - extension . The visa free facility does not allow the change into other permits or visa extension . 0 +"XS also translated "" Shikigami No Shiro II "" , and released it for the PlayStation 2 under its own name , "" Castle Shikigami 2 "" ." "XS also translated "" Shikigami No Shiro II "" and published it under its own name "" Castle Shikigami 2 "" for PlayStation 2 ." 1 +Original members of the NYL include : Fresno , Roosevelt , Merced , Visalia , Madera , Hanford and Edison . Original members of NYL include : Hanford , Roosevelt , Merced , Visalia , Madera , Fresno and Edison . 1 +It was also recorded by the Royal Canadians and their Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . It was also recorded by the Guy Lombardo and His Royal Canadians orchestra and the vocal group The Three Suns in the United States . 0 +"Your character was later killed in the fourth episode of the second season , "" First Down "" ." "The character was later killed off in the fourth episode of the second season , "" First Down "" ." 1 +The following year , Herman Rarebell resigned for personal reasons and was replaced by Rudy Lenners . Rudy Lenners retired the following year for personal reasons and was replaced by Herman Rarebell . 0 +Different colors have different differences in the light emissions of other usable particles . Different colors or other usable differences in the light emission of different particles ) . 0 +There are about 2,000 islands along the coastline , almost three quarters of which are uninhabited . There are nearly 2,000 islands along the coastline , of which about three quarters are uninhabited . 1 +He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . He married Lady Florence Jane Taylour , the daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . 1 +The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Winnipeg Lake . The Nelson River flows into Playgreen Lake from Lake Winnipeg then flows from two channels into Cross Lake . 0 +A screw-shaped camshaft is a type of variable mechanical valve actuation system ( VVA ) . A mechanical variable camshaft is a type of helical valve actuation ( VVA ) system . 0 +""" Plasmodium billbrayi "" infects Eastern chimpanzees ( "" Pan troglodytes "" ) and common chimpanzees ( "" Pan troglodytes schweinfurthii "" ) ." "Plasmodium billbrayi infects eastern chimpanzees ( "" pan troglodytes "" ) and chimpanzees ( "" Pan troglodytes schweinfurthii "" ) ." 1 +H02 is a regional road ( H-Highway ) in Lviv Oblast and Ternopil Oblast , Ukraine . It runs west-east and connects Ternopil with Lviv . H02 is a regional road ( H-Highway ) in Lviv - Oblast and Ternopil - Oblast , Ukraine , which runs westway and connects Ternopil with Lviv . 1 +The Neagra Broșteni River is a tributary of the Ortoloaia River in Romania . The Ortoloaia River is a tributary of the Neagra Broateni River in Romania . 0 +It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain . It took place at the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain , from April 23 through April 29 , 2010 . 1 +The suburb of Umina Beach officially begins where Woy Woy and Blackwall end in Veron Road and Gallipoli Avenue . The suburb of Veron Road and Gallipoli Avenue officially begins where Woy Woy and Blackwall end-at Umina Beach . 0 +Steve Brady ( David Eigenberg ) and Miranda meet during the second season , when Miranda is waiting for Steve at the bar where Carrie works . Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda waits for Carrie at the bar where Steve is working . 0 +Dewalkheda is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . Dewalkheda is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +In winter the weather is moderately cold , in the summer warm . The weather is moderately warm in winter , cold in summer . 0 +Herberg demonstrated how immigration and American ethnic culture were reflected in religious movements and institutions . Herberg demonstrated how immigration and religious culture was reflected in American ethnic movements and institutions . 0 +Landergin drove cattle on the Chisholm Trail in 1871 . Shortly after , he raised cattle with his brother near Coffeyville , Kansas and later Greenwood County , Kansas . In 1871 , Landergin breeded cattle on the Chisholm Trail , and shortly afterwards he drove with his brother near Coffeyville , Kansas , and later Greenwood County , Kansas , cattle . 0 +This species can be found in the Caribbean Sea and in the Gulf of Mexico ; in the Atlantic Ocean from South Carolina to Brazil . This type can be found in the Atlantic and in the Gulf of Mexico , in the Caribbean from South Carolina to Brazil . 0 +Georges Merle died in Paris in 1881 , his son Hugues Merle became a painter as well . Hugues Merle died in Paris in 1881 , his son Georges Merle became a painter as well . 0 +On December 30 , 1888 , she married in Ayer , Massachusetts , Susie J. Clarke . On December 30 , 1888 , Susie married Clarke Brown in Ayer , Massachusetts . 1 +On April 30 , 1950 , the Las Vegas Air Force Base in Nevada was renamed Nellis Air Force Base in his honor . On 30 April 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base to his honour in Nevada . 1 +She graduated from The Glen High School in Grahamstown in 1983 and studied at Rhodes University in Pretoria . She graduated in 1983 from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . 0 +Looker spent 2000 training camp with the Rams before being traded to the New England Patriots on August 7 . In 2000 , the training camp was spent with the New England Patriots before being traded on 7 August to Rams . 0 +In 1900 , Elizabeth Waller married Cowles , and her daughter Harriet was born in 1912 . In 1900 , Cowles married Elizabeth Waller , and her daughter Harriet was born in 1912 . 1 +North Tripura district is in the Lok Sabha constituency of South Tripura , which is shared with Dhalai and Tripura East districts . North Tripura district is shared in the Lok Sabha constituency of South Tripura , which is divided with Dhalai and Tripura East . 1 +"Carpenter would describe the script later as "" too campy , too light "" ." "Carpenter would describe the script later as "" too light , too lax ." 0 +To apply AIC in practice , we start with a set of candidate models , and then find the models ' corresponding AIC values . To find AIC in practice , we begin with a set of candidate models and then apply the corresponding AIC values of the models . 0 +It covers Gram Panchayat in Middle of village , which has Endla and Rampura Ki Dhani also . It covers Gram Panchayat in the middle of the village Endla and Rampura Ki Dhani also has . 1 +Boats drawing 70 tons were now 87 ½ feet wide , 10 ½ feet long , and drew 4 ½ feet of water . Boats of 70 tons were now 87 ½ foot long , 10 ½ feet wide and drew 4 ½ feet water . 0 +On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final 8-player list on the official ATP World Tour website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the final website of the ATP World Tour . 0 +In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Magnus . In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Haakon Haakonsson . 0 +The Roxburgh Junction railway station served on the Kelso Line and was the village of Roxburgh , Scottish Borders from 1850 to 1964 . The Roxburgh Junction station was on the Kelso Line and served from 1850 to 1964 the village of Roxburgh , Scottish Borders . 0 +Horace W Webb a native of Oklahoma , settled just south of Graniola , Missouri in 1910 . Horace W , Webb , a native of Missouri , settled south of Graniola , Oklahoma in 1910 . 0 +Although its conjugated acid is highly reactive , peroxynitrite in basic solutions is stable . Although its conjugated acid is highly reactive , peroxynitrite in stable solutions is basic . 0 +He died on August 18 , 1861 , in Sandy Hill ; and was buried at the Union Cemetery in Fort Edward . He died at Sandy Hill on August 18 , 1861 , and was buried at the Union Cemetery in Fort Edward . 1 +Mayers showed that quantum binding is impossible ( computationally quantum ) : an unconditionally unlimited attacker can break any secure commitment protocol . Mayers showed that ( unconditionally secure ) quantum commitment is impossible : a computationally unlimited attacker can break any quantum commitment protocol . 0 +The Ciolanu river is a tributary of the River Albele in Romania . The river Albele is a tributary of the Ciolanu River in Romania . 0 +The Italian St. Giovanni Bosco Church is named after St. John Bosco . The Italian Church of St. John Bosco is named after St. Giovanni Bosco . 0 +All of the fixed commemorations below are observed by the Coptic Orthodox Church on 18 Pashons . All fixed commemorations below are observed on 18 Pashons by the Coptic Orthodox Church . 1 +The date set for the executions of the three Quaker evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer , was 27 October 1659 . The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer - was set on 27 October 1659 . 1 +After moving to Turkey in 1988 , as a political refugee , he began writing novels about the leftist revolt in Norway . After moving to Norway as a political refugee in 1988 , he began to write novels about the leftist revolt in Turkey . 0 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Neolepetopsidae , one of the families of true limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of the true limpets . 1 +""" Espoir "" lost her master wounded , and had six men killed , of whom two were badly wounded ." """ Espoir "" lost her master killed and had six wounded , two of whom were seriously wounded ." 0 +Point Marsden was discovered by Matthew Flinders on 21 March 1802 and named after William Marsden , Second Secretary to the Admiralty . Point Marsden was discovered by Matthew Flinders on 21 March 1802 and named after William Marsden , Secretary of the Admiralty . 0 +Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 -- 2 , 6 -- 2 in the final . Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 : 2 , 6 : 2 in the final . 1 +It was written by John Sanborn and directed Michael Kaplan . It was written by Michael Kaplan and directed by John Sanborn . 0 +In the pathological samples from Spain and Montana the redundant shell layer is as thick as in the original . In the pathological specimens from Spain and Montana the redundant shell layer is as thick as in the original . 1 +Teewurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwald ( today Darłowo , Pomerania ) . Teawurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic town of Rügenwalde ( today Darłowo , Poland ) . 0 +He remains a somewhat enigmatic figure . It has been questioned whether he could be identical with Monulph , but the two saints are usually distinguished . He remains a somewhat puzzling figure : it has been questioned whether he could be distinguished from Monulph , but the two saints are usually identical . 0 +The following table lists all the games that the Brazilian national football team played in official competitions and friendly matches during 1983 . The following table lists all the games played by the Brazil national football team in friendly competitions and official matches during 1983 . 0 +Two other sons were born here : Louis in 1882 and Fred in 1884 . Here , two more sons were born : Fred in 1882 and Louis in 1884 . 0 +The first three floors were completed in 1885 , the three upper floors were completed in 1906 . The first three floors were completed in 1885 , and the top three floors were completed in 1906 . 1 +He played in 2007 in Los Angeles Lollapalooza and 2008 in Chicago at the FuckYeah Festival . He played in 2007 in Chicago Lollapalooza , and in 2008 at Los Angeles at the FuckYeah Festival . 0 +Lower Alloways Creek Township borders Elsinboro Township , Pennsville Township and Salem . Elsinboro Township Limits Lower Alloways Creek Township , Pennsville Township and Salem . 0 +They marked singer Ronnie Sweetheart , bassist Danny Nordahl , drummer Ronnie Magri and guitarist Roger Ericson . They presented singer Ronnie Sweetheart , bassist Roger Ericson , drummer Ronnie Magri and guitarist Danny Nordahl . 0 +"For the music video of the song "" Slow Me "" for the singer Mudibu , directed by Negrin , Dean Loxton was responsible for editing and visual effects ." "Negrin did the editing and visual effects for the music video of the song "" Slow Me "" for singer Mudibu , directed by Dean Loxton ." 0 +On March 31 , 2012 , Frank Martin was announced as head coach after Bruce Weber left for South Carolina . On 31 March 2012 , Frank Martin was announced as chief coach after Bruce Weber left for South Carolina . 1 +Dave Denine is a former Canadian politician in Newfoundland and Labrador , Canada . He served in the provincial cabinet from 2007-2011 as Minister of Intergovernmental Affairs . Dave Denine is a former Canadian politician in Newfoundland and Labrador , Canada , who served as Minister for Intergovernmental Affairs in the Provincial Cabinet from 2007-2011 . 1 +It was written by Michael Kaplan and was directed by John Sanborn . It was written by John Sanborn and directed by Michael Kaplan . 0 +The Nottawa River , also known as the Nottawa Stream , flows through Athens . The Nottawa River , also known as the Nottawa Creek , flows through Athens . 1 +"Aguiari described it as "" a Zen action up in the middle of traffic , but alone with a beautiful statue ." "Aguiari described it as "" a Zen action up there in the middle of traffic , but alone with a beautiful statue ." 1 +"All lyrics written by Jarvis Cocker , except "" The Will to Power "" lyrics by Russell Senior , all music composed by Pulp ." "All texts written by Jarvis Cocker , except "" The Will to Power "" by Russell Senior , all composed by Pulp music ." 1 +Transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a large cytoplasmic loop connecting two transmembrane helices . Transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a large cytoplasmic loop that connects two transmembrane helices . 1 +Robert Franklin Feaster was born Sekou Sundiata in Harlem , New York , but changed his name in the late 1960s to honor his African heritage . Sekou Sundiata was born in Harlem , New York , as Robert Franklin Feaster , but changed his name in the late 1960 ’ s to honor his African heritage . 0 +"Protein FAM40A is a protein that is located on chromosome 1 in humans and is encoded by the "" FAM40A "" gene ." "FAM40A is a protein that is chromosome 1 in humans and is encoded by the "" FAM40A "" gene ." 1 +It was born on 18 April 1976 in Usera , Spain ( Madrid ) . She was born in Usera , Madrid ( Spain ) on April 18 , 1976 . 1 +Unlike the western settlement , no carefully observed floors were executed in the east . To the east , unlike the western settlement , no carefully observed floors were executed . 1 +Dunham Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . On December 28 , 1850 , the city of Dunham Township changed from Byron Township to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . 1 +2011 Statue of Ma.Po.Si unveiled in Chennai ( T. Nagar , Tyagaraya Nagar ) Statue of Ma.Po.Si in Tyagaraya Nagar in 2011 ( T. Nagar , Chennai ) 1 +Isaeus , Aeschines , Lysias , Plutarch , and others had their own preferences . Isaeus , Aeschines , Lysias , Plutarch and others also had their own preferences . 1 +A. J. Timlin opened the first store which was run for many years by T. J. Smith . T. J. Smith put up the first store which was run by A. J. Timlin for many years . 0 +The river Doba is a tributary of the Crişul Mic River in Romania . The river Crişul Mic is a tributary of the Doba River in Romania . 0 +"Pierre Bourdieu and Basil Bernstein explore how the cultural capital of the dominant classes has been viewed throughout history as the "" most legitimate knowledge . """ "Pierre Bourdieu and Basil Bernstein explore how the cultural capital of the legitimate classes has been regarded as "" dominant knowledge throughout history ." 0 +For almost four decades , Mohsin Zaidi lived in Lucknow before settling after retirement in Delhi . For nearly four decades , Mohsin Zaidi lived in Delhi before settling after his retirement in Lucknow . 0 +TobyMac married Kerri McKeehan , sister of Stuart , in 1995 . In 1995 , Kerri McKeehan , sister of Stuart , married TobyMac . 1 +As a Poznań bishop , he participated in the synod in Łęczyca in 1180 . As a bishop of Łęczyca he participated in the Synod in Poznań in 1180 . 0 +""" Lonely Journey "" and "" Lullaby "" have been sung in several music collections in arranged versions of Hironobu Kageyama ." """ Lonely Journey "" and "" Lullaby "" have been used in several music collections in sung versions arranged by Hironobu Kageyama ." 0 +Romney , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in White , where he had served as a master . White , a practising member of the Presbyterian faith , was a bricklayer in the Clinton Lodge of Romney where he had served as a master . 0 +The popular French singers Coralie Clément and Benjamin Biolay , as well as football player hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the town . The popular French singers Coralie Clément and Benjamin Biolay , as well as the football player hopeful Grégory Bettiol and the actor and cellist Maurice Baquet were born in the city . 1 +A voltage is registered in these cells , which is induced electronically . In these cells , a voltage is induced which is electronically captured . 0 +Twin Falls High School is a traditional high school in Twin Falls , Idaho , operated by one of the two public secondary schools of the Twin Falls School District . Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . 0 +On 31 March 1958 , Daley , together with Gene Woodling and Dick Williams , was traded on the Baltimore Orioles for Larry Doby and Don Ferrarese . On March 31 , 1958 Daley was traded , along with Gene Woodling and Dick Williams , to the Baltimore Orioles , for Larry Doby and Don Ferrarese . 1 +Tame Parata ( 1837 -- 6 March 1917 ) , also known as Thomas Pratt , was a Māori and a Liberal Party Member of Parliament in New Zealand . Tame Parata ( 1837 - March 6 , 1917 ) , also known as Thomas Pratt , was Māori and a member of the Liberal Party in New Zealand . 1 +The couple had their first child , Nicol , in August 2012 , and their second son Schalk Jr. was born in March 2014 . The couple got their first child , Nicol , in August 2012 , and in March 2014 their second son , Shalk Jr. , was born . 1 +When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Diocese of Teramo . When , in 1818 , Ortona was assigned to Lanciano , Campli was joined to the diocese of Teramo . 0 +It traditionally provides Catholic education for secondary school children in the Glossopdale and Longdendale valleys . It provides traditional Catholic education for secondary school children in the valleys of Glossopdale and Longdendale . 1 +The event will attract tourists and participants from all areas of the Oregon Coast , Washington and California . The event attracts tourists and participants from all areas of the California coast , Washington and Oregon . 0 +Valerin 's castle is seized , he is killed and the queen released . Valerin 's castle is seized , he is killed and the queen is released . 1 +Sporting Club Suceava was a professional football club from Suceava , based in Romania and founded in 2008 . Sporting Club Suceava was a professional football club from Romania with headquarters in Suceava and founded in 2008 . 0 +In a solid state , it appears as a white powder , but when heated it forms a liquid crystal . In a liquid state it appears as white powder , but when it is heated , it forms a solid crystal . 0 +After a brief stay in New Orleans with his reported cousin , he moved to New York City . He moved to New York City after a short stay in New Orleans with his cousin . 1 +He replaced John Mabry as a backup at 1st base to Derrek Lee . He replaced Derrek Lee as backup at 1st Base to John Mabry . 0 +The hamlet is within the Richmond ; the Swaledale ward of North Yorkshire County Council and the Upper Dales Electoral Division of Richmondshire District Council . The hamlet is within the Richmond , the Swaledale Ward of the Richmondshire District Council and the Upper Dales district of North Yorkshire County Council . 0 +"This debate was presented by the anchors Jessica Soho and Mike Enriquez of GMA News and John Nery , editor of "" Inquirer.net "" ." "The debate was presented by anchors Jessica Soho and Mike Enriquez of GMA News and John Nery , editor-in-chief of "" Inquirer.net "" ." 1 +Thomas Fothergill D.D . was an English academic administrator at the University of Oxford . Thomas Fothergill D.D . was an academic English administrator at the University of Oxford . 1 +Born in Chicago , Wagenknecht grew up and went to school in Oak Park , Illinois . Wagenknecht , born in Oak Park , Illinois , grew up in Chicago and got to school . 0 +"She was also presented in an article with her son Maxwell Minard for Robert Kennedy 's motivation magazine "" Off the Couch "" ." "She was also in an article with her son , Robert Kennedy , for Maxwell Minard ’ s motivational magazine "" Off the Couch "" ." 0 +In 1956 , she worked with the orchestras of Christo Vuchkov and Dimitar Ganev for Big Orchestra Concert Directorate conductors , which were Boris Simeonov and Emil Georgiev . In 1956 , she worked with the orchestras of Christo Vuchkov and Dimitar Ganev for Big Orchestra Concert Directorate conductors of which were Boris Simeonov and Emil Georgiev . 1 +Hamilcar had to send part of his army back to Libya to reinforce Carthage . Hamilcar had to send a part of his army back to Carthage to reinforce Libya . 0 +Speedcore tracks often contain elements of related genres early hardcore and breakcore , as well as samples from death metal and black metal music . Speedcore - Tracks often contain elements of the early genre Hardcore and Breakcore as well as samples from Death Metal and Black Metal music . 0 +Kuzmice is a village and municipality in the Trebišov District in the Košice Region of eastern Slovakia . Kuzmice is a village and a municipality in the Košice region in the district of Trebišov in eastern Slovakia . 0 +Oliver Johnston helps Oliver develop a weapon , knowing that Oliver historically loses the siege . Johnston helps Oliver develop a weapon , knowing that historically Oliver loses the siege . 0 +Continue to the north through Old Leonardtown Road on Hughesville ( MD 625 ) . ( MD 625 ) continues to the north through Hughesville on Old Leonardtown Road . 0 +The paper reports on the economy , politics , developments in corporate and labour law , commercial news and features . The paper reports on business , politics , developments in commercial and labour law , corporate news and features . 0 +Bergamo railway station is connected to Milan , Lecco , Cremona , Treviglio , Brescia and Monza with regional trains operated by Trenord . The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in Assam ( India ) . Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in India ( Assam ) . 1 +Downieville is a mountain in the Plumas National Forest in Sierra County , California . It is northeast of La Porte and north of Mount Fillmore . Mount Fillmore is a mountain in the Plumas National Forest in Sierra County , California , northeast of La Porte and north of Downieville . 0 +The texts were later written by Taupin and John composed the music first . The texts were first written by Taupin and John composed the music later . 0 +When the resistance loop becomes bad , this shows a planar compliance of the lung . If the resistance loop becomes bad , this shows a planar compliance of the lung . 1 +He was considered a liberal Spaniard who practiced the liberal and democratic principles for imposing liberal laws . He was considered a liberal Spaniard , who practiced the liberal principles for enforcing liberal and democratic laws . 0 +About 292 Bahraini observers from non-governmental organisations monitored the elections , even though foreign observers were not allowed . About 292 foreign observers from non-governmental organizations monitored the elections , though Bahraini observers were not allowed . 0 +"In July 2009 , video director Derek Pike shot a video for the single "" 24k Rap "" featuring Havoc and Raekwon ." In July 2009 , video director Derek Pike shot a video for the single “ 24k Rap ” with Havoc and Raekwon . 1 +""" The Day the Violence Died "" is the eighteenth episode of "" The Simpsons "" seventh season ." """ The day on which violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." 1 +Zorina was the grandmother of sisters Lizzie ( Elizabeth ) , Katherine and Kristina Lieberson , who are now members of the band TEEN . Zorina was the grandmother of the sisters Elizabeth ( Lizzie ) , Katherine and Kristina Lieberson , who are now members of the band TEEN . 1 +In 1858 he moved with a group of four members from Nevada to Downieville to the area which is now known as Eagle Valley . In 1858 , he moved with a group of four members from Downieville to Eagle Valley in the area that is now known as Nevada . 0 +The process waste water is mixed radioactive waste . Saltcrete remains a hazardous waste . The process waste water remains hazardous waste Saltcrete is radioactive waste . 0 +"He finished a formal Koan study with Yamada Koun in 1988 and received the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." "He received formal koan study in 1988 with Yamada Koun and completed the dharma name Tetsu-un , "" Wisdom Cloud "" ." 0 +Webmention was originally developed in the IndieWebCamp community and published as a W3C working draft on January 12 , 2016 . Webmention was originally published in the IndieWebCamp community and was developed as a W3C Working Draft on January 12 , 2016 . 0 +Charles Conger sold it to Esler in 1889 , who sold it to Horace Nichols in May 1891 . In 1889 , he sold it to Esler , who sold it to Horace Nichols in May 1891 . 1 +The individual appearance of the black waltzes varies easily , and each model is more elegant than the previous one . The elegant appearance of the Black Waltzes varies slightly , and each model is more individual than the previous . 0 +It is also convenient , sometimes the purely covariant version by : Sometimes it is also convenient to pursue the purely covariant version by : 0 +In February 2016 , Souray married the former WWE - professional - wrestler Barbara Blank , better known as Kelly Kelly , who separated in October 2017 . In February 2016 , Souray married former WWE wrestler Kelly Kelly , better known as Barbara Blank , and separated in October 2017 . 0 +Coffee Creek is a tributary of the Brokenstraw Creek at Warren County , Pennsylvania , in the United States . Coffee Creek is a tributary of Brokenstraw Creek in Warren County , Pennsylvania , in the United States . 1 +The song was written by Thicke and Lamar alongside Dr. Luke and was produced by will.i.am and Cirkut . The song was written by Thicke and Lamar besides will.i.am and produced by Dr. Luke and Cirkut . 0 +""" Almost every poem by Amichai is a statement about the general human constitution , and Amichai is always , in a sense , a philosophical poet "" ." """ Almost every poem by Amichai is a statement about the general human condition and Amichai , in a certain sense , is always a philosophical poet "" ." 0 +Spain recognized Irish nobles on equal footing as Spaniards , and Irish could claim Spanish citizenship . Spain recognized Irish nobles as Spaniards on equal terms , and Irish citizens could claim Spanish citizenship . 1 +"In 2012 he began working on the new 52 series "" Batwing "" with the writer Marcus To and the artists ChrisCross and Judd Winick ." "In 2012 he began working on the new 52 series "" Batwing "" with the writer Judd Winick and the artists ChrisCross and Marcus To ." 0 +It consists of 54 framed text panels , 14 framed white prints , five chromogenic sculptures , five painted wooden sockets and one caption . It consists of 54 framed text panels , 14 framed white prints , five chromogenic sculptures , five painted wooden plinths , and a caption . 0 +Statue of Ma.Po.Si 2011 unveils in Chennai ( T. Nagar , Tyagaraya Nagar ) Statue of Ma.Po.Si in 2011 in Tyagaraya Nagar ( T. Nagar , Chennai ) 1 +While osteopathic medicine has followed the development of society , allopathic medicine is a recent development . While allopathic medicine has followed the development of society , osteopathic medicine is a more recent development . 0 +A Franconian army under Winigis and Hildebrand , duke of Spoleto , joined Grimoald and defeated Adelchis shortly after his landing on the coast . A Frankish army under Winigis and Hildebrand , Duke of Spoleto , defeated Grimoald and joined Adelchis on the coast soon after his landing . 0 +In 2010 , Convergys sold its Human Resources Management business to NorthgateArinso . Convergys sold its Human Resources Management line of business to NorthgateArinso in 2010 . 1 +He has previously played for North Ferriby United , Notts County , York City , Gainsborough Trinity , Matlock Town and Sheffield Wednesday . He previously played for North Ferriby United , Notts County , York City , Gainsborough Trinity , Matlock Town , and Sheffield Wednesday . 1 +Harold Ballard , the founder of Toronto Maple Leafs , team owner Conn Smythe , and Wrestler Whipper Billy Watson helped Rumball raise the $ 7.6 million to open the center . Conn Smythe , the founder of Toronto Maple Leafs , team owner Harold Ballard and Wrestler Whipper Billy Watson , helped Rumball raise the $ 7.6 million to open the center . 0 +Passengers travel to Maynooth to transfer from Dublin to Sligo Intercity - service . Passengers travel to Maynooth to transfer to Dublin to Sligo intercity service . 1 +Petina Gappah was born in Zambia , in Copperbelt Province . Petina Gappah was born in Zambia in the province of Copperbelt . 1 +Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed the entire country and province for its capital . Under Portuguese rule this province was renamed Moçambique , but with its independence the name Mozambique was named for its capital for the whole country and the province . 0 +They bought a house in Grosse Pointe , Michigan for two years , and then rented one in the Palmer Woods section of Detroit . They rented a house in Grosse Pointe , Michigan , for two years , then bought one in the Palmer Woods section of Detroit . 0 +It also shares its advantage that the invertable function formula 26 does not have to be round . It also shares its advantage that the round function formula _ 26 does not have to be invertible . 0 +"The The Healers is a British drama of the Big Finish Productions based on the long-running audio - science - fiction - television series "" Doctor Who "" ." "The Healers is a Big Finish Productions audio drama based on the long-running British science fiction television series "" Doctor Who "" ." 0 +As part of the established logistics support system for the most important platforms , ST Kinetics has integrated MRO services under the Arm Kinetics Integrated Services ( KIS ) . As part of the integrated logistics support system for the major platforms , ST Kinetics has established the MRO services under its Kinetics Integrated Services ( KIS ) arm . 0 +In the Hong Kong Chief Executive election , 2007 , Alan Leong of the Civic Party successfully entered the race against the incumbent Donald Tsang . Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong at the Hong Kong Chief Executive elections in 2007 . 0 +"Debbi Benn is the "" Hebrew and Jewish Studies Teacher and Program "" and Debbie Posner is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." "Debbi Benn is the "" teacher and programme for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of primary school Hebrew and Jewish studies "" ." 1 +Geoff Downes wrote six songs for Warman 's album Vox Humana , which released in 1992 . Warman wrote six songs for Geoff Downes 's album Vox Humana , released in 1992 . 0 +This study also found greater activation of the right amygdala in men and the left amygdala in women . This study also showed a greater activation of the left amygdala in men and the right amygdala in women . 0 +The grammar school also serves students from four other sending communities : Alpha , Bloomsbury ( in the Hunterdon County ) , Greenwich Township and the Lopatcong Township . The high school also serves students from four other sending communities : Alpha , Bloomsbury ( in Greenwich Township and Lopatcong Township ) , Hunterdon County . 0 +There are direct trains from Agra Fort Railway Station to Kolkata , most of them through Tundla Junction , which is a 40-minute drive from Agra . There are direct trains from Agra Fort Railway Station to Kolkata , most of them pass through Tundla Junction , which is a 40-minute drive from Agra . 1 +"Hilliard 's Beer is described as a "" good beer brand that embraces retro cool design "" ." "Hilliard 's Beer is described as a "" good beer brand that embraces retro cool design "" ." 1 +Two miles east of Newton it branches off and travels north through Oblong and then to Robinson . He branches two miles north of Newton and travels east through Oblong and then to Robinson . 0 +Counties include : St. Joseph , LaPorte , Marshall , Elkhart and Strong Counties in Indiana and Berrien and Cass Counties in Lower Michigan . Counties include : Elkhart , LaPorte , Marshall , St. Joseph and Starke counties in Indiana , and Berrien and Cass counties in Lower Michigan . 1 +"In 2017 , Chris Shiflett filled in for "" Cheney "" on the spring tour of "" Me First and the Gim me Gimmes "" ." "In 2017 , Chris Shiflett filled in "" Cheney "" for the spring tour of "" Me First and the Gim me Gimmes "" ." 1 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Missouri to Illinois . The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Missouri from Illinois . 0 +The French , led by Bertrand du Guesclin , met the relief force and defeated them . The French , led by Bertrand du Guesclin , defeated the relief force and met it . 0 +The high ground was Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . The high ground became Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . 1 +Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , known professionally as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . Sara Varga ( born 14 April 1982 ) , known professionally as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author , and DJ . 0 +The penultimate whorl contains 28-31 spiral threads and 10-11 strong , axial ribs . The penultimate host contains 28-31 spiral threads and 10-11 strong , axial ribs . 0 +Joe was born in Quincy , Massachusetts on March 27 , 1929 and grew up in Somerville , Massachusetts . Joe was born on March 27 , 1929 in Quincy , Massachusetts , where he grew up in Somerville , Massachusetts . 1 +Mike McCoy was the coach of the Aviators and Carl Caldwell was the General Manager . Carl Caldwell was the head coach of the Aviators , and Mike McCoy was the General Manager . 0 +AB InBev remains the largest brewery in second place with SABMiller and Heineken International is third . AB InBev remains the largest brewery , second with Heineken International , and SABMiller in third place . 0 +Cheadle Heath railway station served a railway station which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb Cheadle Hulme . Cheadle Heath railway station served a railway station , which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . 1 +"Traditionally "" classical "" companies , such as the Kirov Ballet and the Paris Opera Ballet , also regularly perform contemporary works ." "Traditionally , "" classical "" companies such as the Kirov Ballet and the Paris Opera Ballet regularly perform contemporary works ." 1 +They were accompanied or were soon followed by several other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . They were accompanied or were soon followed by some other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . 1 +"The Zam River ( Hungarian : Zám-patak ) is a historical tributary of the river Mure "" in the right region of Transylvania , Romania ." The Zam River ( Hungarian : Zám-patak ) is a historical tributary of the river Mureș in the right region of Transylvania , Romania . 1 +Notoacmea parviconoidea is a species of sea snail , a true limpet , a naval gastropod mollusk in the Lottiidae family , one of the families of true limpets . Notoacmea parviconoidea is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . 0 +"If the programmer does not provide a constructor for an instantiable class , most languages will supply a "" default constructor "" ." "If the programmer does not provide a constructor for an instantiable class , most languages provide a "" default constructor "" ." 1 +After the battle of Stångebro , he left Sweden with Sigismund and Princess Anna and left Poland . He left Sweden for Poland with Sigismund and Princess Anna after the Battle of Stångebro . 0 +Durg , Chhattisgarh is a city located in the Bhilai district of Eastern Central India . Bhilai is a city located in the Durg district of Chhattisgarh , in eastern Central India . 0 +Today , Skudenes refers to the southern part of the island of Karmøy . Today , the Karmøy area refers to the southern part of Skudenes island . 0 +When is used to describe spatial rotations ( cf . quaternions and spatial rotations ) , it describes a rotation about through an angle of . If When is used to describe spatial rotations ( cf . Quaternions and spatial rotations ) , it describes a rotation of an angle . 1 +It was written and produced by Bowie by him and David Richards . It was written by David Richards and produced by him and Bowie . 0 +Members of the G.723.1 patent pool are AudioCodes , France Télécom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . Members of the patent pool G.723.1 are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . 1 +The combined singular route now forms a new passage which leads directly from Gothenburg via Kristiansand in Norway to Newcastle . The combined singular route now forms a new passage , travelling directly from Gothenburg to Newcastle , via Kristiansand in Norway . 1 +Critics of HRW include the national governments it has investigated , NGO Monitor , the media , and its founder ( and former chairman ) , Robert L. Bernstein . Critics of HRW include the national governments that it has examined , NGO monitor , the media and its founder ( and former chairman ) , Robert L. Bernstein . 1 +During the election crisis of 2004 , Kushnaryov agitated for the creation of an independent southeastern Ukrainian state in the case of Viktor Yushchenko 's victory . During the 2004 election crisis , Kushnaryov returned for the creation of an independent southeastern Ukrainian state in the case of the victory of Viktor Yushchenko . 1 +It was the last of two all partial eclipses that took place that year . It was part of solar saros 150 . It was the last of two , all solar eclipses that took place that year , and was part of the partial Saros 150 . 0 +The gathering of mushrooms is not absolutely prohibited , but it is only tolerated near the approved trails . The collection of mushrooms is not absolutely prohibited , but it is only tolerated near the approved hiking trails . 1 +He wrote the screenplay in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . In collaboration with Bianca Olsen , Laurie Aubanel and Cyril Rambour , he wrote the script . 1 +In 1871 John Peter Featherston married Bessie Parnell , daughter of John Parnell , of County Wicklow , Ireland . Bessie married Parnell John Parnell , daughter of John Peter Featherston , County Wicklow , Ireland in 1871 . 0 +The 187 km long segment from Kaduna to Abuja was the first one to be built . The 187 km segment from Abuja to Kaduna was the first to be built . 0 +Djan Faridz ( born in Indonesia on 5 August , 1950 ) was once a Minister of Public Housing of Jakarta and owner of PT Dizamatra Powerindo . Djan Faridz ( born August 5 , 1950 in Jakarta ) is a former public housing minister of Indonesia and owner of PT Dizamatra Powerindo . 0 +The first oil source in Oklahoma was drilled in 1885 in the Atoka County , Choctaw Nation , Indian territory , even though it was not completed until 1888 . The first oil source in Indian territory was drilled in Atoka County , Choctaw Nation , Oklahoma in 1885 , although it was not completed until 1888 . 0 +In 1997 , he co-founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . In 1997 he founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . 0 +The castle is now used as a glamorous place near Madrid for unusual weddings , social events , banquets and so on . The castle is used now as a glamorous place near Madrid for fancy weddings , social events , banquets and so on . 1 +Hamper is a practicing carpenter in Oxford and a member of the Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . She is a practicing joiner in Otisfield , Maine and a member of the Oxford Advent Christian Church , an evangelical church in Oxford . 0 +Carsten Ball and Andre Begemann won the title and defeated Grégoire Burquier and Yannick Mertens 6 -- 2 , 6 - 4 in the final . Grégoire Burquier and Yannick Mertens won the title , defeating Carsten Ball and Andre Begemann 6 -- 2 , 6 -- 4 in the final . 0 +During the Bengali sultanate , Arab and Persian Bengal writers were influenced by medieval works . During the Bengal Sultanate , Arabic and Persian Bengali writers were influenced by medieval works . 1 +Meanwhile , the young Ben Cameron idolizes a picture of Elsie Stoneman . Meanwhile , young Ben Cameron idolizes a picture of Elsie Stoneman . 1 +"It was released on his album "" From Elvis in Memphis "" and was recorded on 18 February 1969 at the American Sound Studio in Memphis ." "It was recorded on his album "" From Elvis in Memphis "" and was released on February 18 , 1969 at the American Sound Studio in Memphis ." 0 +Hamilton is widely considered the greatest driver of his generation and often regarded as one of the best Formula One drivers in the history of the sport . Hamilton is widely regarded as the greatest driver of his generation and often considered one of the best formula - 1 - drivers in the history of sports . 1 +An AMO warm phase strengthens the summer rain over the Sahel , while a cold phase reduces rainfall . An AMO warm phase strengthens the summer rainfall over Sahel , while a cold phase reduces it . 1 +Winner of the tournament Dominika Cibulková won in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . Petra Kvitová won the tournament beating in the final Dominika Cibulková , 6 -- 4 , 6 -- 1 . 0 +"The term "" non-hereditary spherocytosis "" is rarely used , albeit occasionally ." "The term "" non-hereditary spherocytosis "" is used occasionally , albeit rarely ." 0 +In 2016 , Bacardi announced new branding and plans to sell her version of Havana Club nationally , which will be distilled and bottled in Florida in Puerto Rico . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally . This will be distilled in Puerto Rico and bottled in Florida . 1 +The Tigers eventually won the ALDS but lost to the Red Sox in the American League Championship Series . The Tigers eventually won the ALDS , but the Red Sox was lost in the American League Championship Series . 1 +In summer , there is a regular ferry from Holy Isle harbour to Lamlash . In summer , there is a regular ferry service from Lamlash harbour to Holy Isle . 0 +It was assigned to the Portsmouth Navy Yard in 1866 , and then to the Pensacola Navy Yard in 1868 . He was assigned in 1866 to the Pensacola Navy Yard , then in 1868 to the Portsmouth Navy Yard . 0 +During the reporting period , Nicaraguans were identified as one of the primary nationalities of victims reported in Guatemala . During the reporting period , Nicaraguans were identified as among the primary nationalities of victims reported in Guatemala . 1 +A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , organist of Blackpool Parish Church from 1918 to 1963 . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who was organist of Blackpool Parish Church from 1918 until 1963 . 1 +"Victoria S. Bull ( "" Vicki "" ) was introduced as Victor 's sister in 2001 , but has not been seen for many years ." "Victoria S. Bull ( "" Victor "" ) was introduced in 2001 as Vicki 's sister , but has been unseen for many years ." 0 +Startforth Rural District was a rural district in the North Riding of the historic county of Yorkshire in the Pennines of northern England . Startforth Rural District was a historic district in North Riding in the rural county of Yorkshire in the Pennines of Northern England . 0 +Alaric tells Caroline that Stefan ( Paul Wesley ) has stopped looking for a way to bring Damon and Bonnie back . Stefan informs Caroline that Alaric ( Paul Wesley ) has stopped looking for a way to get Damon and Bonnie back . 0 +In San Francisco , Hicks listed Dan Hicks and the hot licks from 1968 to 1973 , a band that rarely used electric instruments and never drums . In San Francisco from 1968 -- 1973 , Hicks led Dan Hicks and the Hot Licks , a band that never used electric instruments and rarely used drums . 0 +It is important to achieve the thermal regime of the Quantum Oscillator , where mechanical noise effects become negligible on the device . It is important to achieve the quantum regime of the mechanical oscillator , where thermal noise effects on the device become negligible . 0 +New teaching sites were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli in the 1990s . In the 1990s , new teaching campuses were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli . 1 +The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition for mixed couples . The third season was premiered on 7 June 2010 , and like the fourth season was the system of competition in mixed pairs . 0 +Tatranská Javorina is a village in Prešov Region in the Poprad District of northern Slovakia . Tatranska Javorina is a village in Poprad district in the Prešov region of northern Slovakia . 0 +""" Purple Clover "" describes the page as for people who are "" ... still cool , still curious and after all these years are still crazy ." """ Purple Clover "" describes the site as being for people who are "" ... still curious , still cool , and still crazy after all these years . """ 1 +A quantum mechanical fluid refers to any system that exhibits macroscopic effects at the quantum level such as superfluids , superconductors , ultracold atoms , etc . A quantum mechanical fluid refers to any system that shows macroscopic effects at the quantum level , such as superfluids , superconductors , ultracold atoms , etc . 1 +Dragan Umičević ( born October 9 , 1984 in Dubica , SFR Yugoslavia ) is a Swedish hockey player of Serbian descent . Dragan Umičević ( ; born October 9 , 1984 , in Dubica , SFR Yugoslavia ) is a Swedish ice hockey player of Serbian descent . 1 +Otter Bay is a natural bay on the island of Coney Bay in the province of Newfoundland and Labrador , Canada . It is located east of Newfoundland . Otter Bay is a natural bay on the island of Coney Bay in the province of Newfoundland and Labrador , Canada . It is east of Newfoundland . 1 +Promegestone is only weakly bound to albumin ; it does not bind to sex hormone-binding globulin , and binds mainly to transcortin . Promegestone is mainly bound to albumin , it does not bind to gender-hormone-binding globulin and only weakly binds to Transcortin . 0 +"For example , in Ngapoi Ngawang Jigme , "" Ngapoi "" was his family name and "" Nga-Wang Jigmê "" his personal name ." "In Ngapoi Ngawang Jigme "" Ngapoi "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." 1 +Other invitations followed and more Sisters arrived for a hospital in Culion , schools in Vigan , Tuguegarao , and Manila , and a Leprosarium in Iloilo . Other invitations followed and more sisters arrived for a hospital in Iloilo , schools in Vigan , Tuguegarao and Manila and a leprosary in Culion . 0 +However , the Russian villain is an interesting and sometimes original threat . The Russian villain , however , is an interesting and sometimes original menace . 1 +"The Mtskheta tribe was later ruled by a prince locally known as "" mamasakhlisi "" ( "" father of the household "" in Georgian ) ." "The Mtskheta tribe was later governed by a prince known locally as "" mamasakhlisi "" ( "" father of the household "" in Georgian ) ." 1 +Spooner formed the rock band Erikson in 1974 with two fellow musicians in Madison , Wisconsin . In 1974 , Spooner founded the rock band Erikson with two fellow musicians in Madison , Wisconsin . 1 +Kumara Sambhavam is a 1969 Indian Malayalam and Tamil film ( bilingual ) , directed and produced by P. Subramaniam . Kumara Sambhavam is a 1969 Indian Malayalam and Tamil film ( bilingual ) , produced and staged by P. Subramaniam . 1 +It has been introduced and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . It has been introduced to and been naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . 1 +Stalin ( 4 December 1888 , Puławy , 21 August 1937 ) was a leading Polish communist purged by Edward Próchniak . Edward Próchniak ( December 4 , 1888 - August 21 , 1937 ) was a leading Polish communist , purged by Stalin . 0 +After 1873 , as part of national banditry , he was covered by the social media . After 1873 , he was covered by the social media as part of national banditry . 1 +Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation throughout the world . The promotion of research and innovation in Europe is being financially supported by the Horizon 2020 programme , which is also open to participation worldwide . 0 +"Batangas is also known for its strong coffee , the special "" Kapeng Barako "" ." "Batangas is also known for its special coffee , the strong-tasting "" kapeng barako "" ." 0 +In 2010 , Flying Bison Brewing Company Matt Brewing Company of Buffalo , New York , purchased the brewery from financial distress . In 2010 , Flying Bison Brewing Company purchased Matt Brewing Company of Buffalo , New York , rescuing the brewery from financial hardship . 0 +The company got a production structure in 1958 in Houston , USA , and later in Frederikssund . The company got a production structure in Houston , United States in 1958 and later in Frederikssund . 1 +The company was registered as Spacetec , which was re-established on 11 December 1984 . The company was re-established as Spacetec registered on December 11 , 1984 . 0 +The reservoirs that form the chain are , from northwest to southeast : Catcleugh Reservoir → Colt Crag Reservoir → Little Swinburne Reservoir → Hallington Reservoirs → Whittle Dene . The reservoirs that form the chain are from the north-west to the southeast : Little Swinburne Reservoir → Hallington Reservoirs → Catcleugh Reservoir → Colt Crag Reservoir → Whittle Dene . 0 +He was also a former deputy director ( commercial ) of Sri Lanka Rupavahini Corporation , former director of Sinhala Sri Lanka Broadcasting Corporation . He was also former Deputy Director General ( Commercial ) of Sri Lanka Broadcasting Corporation , former Director of Sinhala Service Sri Lanka Rupavahini Corporation . 0 +Stubbs Pass is a north-south pass through the middle of Joerg Peninsula on the east side of Graham Land . Stubbs Pass is a north-south pass through the centre of the Joerg peninsula on the east side of the Graham Land . 1 +Leudesius and Theuderic III fled to Baizieux with the royal treasure , where Leudesius overtook it and murdered Ebroin . Leudesius and Theuderic III escaped to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . 0 +The system moved on October 16 at 0600 UTC west and happened north of Guam near Saipan . The system moved on October 16 around UTC 0600 to the west and passed north of Saipan near Guam . 0 +In Aleppo ( Syria ) the Armenian Cathedral is dedicated to the Forty Martyrs . In Syria ( Aleppo ) , the Armenian cathedral is dedicated to forty martyrs . 1 +Kimilili Constituency is in academic rivalry with Friends School Kamusinga ( also of Kimilili ) and Bungoma High School of Bungoma District . Kimilili is in academic rivalry with the Friends School Kamusinga ( also Kimilili Constituency ) and the Bungoma High School of the Bungoma District . 0 +The family emigrated to Tasmania when he was still a child , and then moved again to New Zealand in 1864 . When he was a child , the family moved to Tasmania and emigrated to New Zealand in 1864 . 1 +Elsinboro Township borders with the Lower Alloways Creek Township , Pennsville Township and Salem . Lower Alloways Creek Township borders Elsinboro Township , Pennsville Township and Salem . 0 +The legacy of the Aldenata , also known as the Posley War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . The legacy of the Aldenata , also known as the Posleen War Series , is the fictitious universe of one of the military science - fiction - series by John Ringo . 0 +He began his cross country and track career at the Boston English High School and set his career at the Boston State College . He began his cross country and track career at Boston English High School and continued his career at Boston State College . 1 +Once upon a time there was a Nottingham railway station on the line between Market Harborough and Hallaton . Once upon a time there was a Hallaton railway station on the line between Market Harborough and Nottingham . 0 +In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a participation in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . In 1923 Jacob Blaustein and his son Louis Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . 1 +It lies on the southern end of the Great Dividing Range , at the west of the Monaro Range , and is west of the Wadbilliga National Park . It is located at the southern end of the Great Dividing Range , to the west of the Monaro Range , and is west of the Wadbilliga National Park . 1 +The Dublin Council of Unions is the Trade Union Council for the Dublin County in Ireland . The Dublin Council of Trade Unions is the trades council for Ireland in County Dublin . 0 +Ovid Township is located in eastern Shiawassee County , bordered by Clinton County to the east . Ovid Township is located in the eastern Clinton County , bordered to the east by Shiawassee County . 0 +It failed again a few years later but soon reopened again . A few years later it was reopened , but soon failed again . 0 +This world game is made for the Germans and has certainly played the pressure of international authority . This worldwide game is made for the Germans and the pressure of international authority certainly played . 1 +Ferguson remained in Monrovia until his death in 1968 , in 1916 in Liberia . Ferguson remained in Liberia until his death , Monrovia in 1916 , in 1916 0 +Liang recommended Jiang Wan as his successor and Jiang Wan as successor to Fei Yi . Zhuge Liang recommended Jiang Wan as his successor and Fei Yi as his successor to Jiang Wan . 0 +Teater Populer , who was a member of Rahardjo , gave his film debut as Amallo , Karya later remembered that his acting was stiff in the film . Teater Populer , who was a member of Rahardjo , made his film debut as Amallo ; Karya later recalled that his acting in the film was stiff . 1 +Decasyllable was used in the epic poetry of the southern Slavs , for example Serbian epic poetry sung on the Gusle instrument : Decasyllable was used in epic poetry of the Southern Slavs , for example Serbian epic poetry sung to the gusle instrument : 1 +To a large extent , and involved a cultural realization of cultural identity among the people who share the same language and religious heritage . To a large extent , and involved a religious realization of cultural identity among the people sharing the same language and cultural heritage . 0 +"There are a number of remarkable works in the Afghan literature that Muslims discuss during the "" Australian period "" ( 1860-1900 ) ." "There are a number of remarkable works in the Australian literature that Muslims discuss during the "" Afghan period "" ( 1860-1900 ) ." 0 +His birth certificate records his name as Carmen Erminio Blotta , but his Argentine identity papers have Erminio Antonio Blotta Mainieri instead . His birth certificate records his name as Carmen Erminio Blotta , but his Argentine ID documents instead have Erminio Antonio Blotta Mainieri . 1 +Ross was originally imprisoned at North Point , then marched to Habu Dockyard and finally shipped to Innoshima where he worked at Sham Shui Po Barracks for Osaka Ironworks . Originally , Ross was imprisoned in North Point , then marched to Habu Dockyard , and finally shipped to Innoshima , where he worked for Osaka Ironworks in Sham Shui Po Barracks . 1 +He researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization from 1927 to 1945 in London . Felix researched in Bielsko , Vienna , Prague , and London . Between 1927 and 1945 , he worked in Jerusalem for the Hadassah Medical Organization . 0 +As galanthophiles , the authors of the works on which these notes are based also apply , the botanist Aaron Davis and the gardeners John Grimshaw and Matt Bishop . As galanthophiles , the authors of the works on which these notes are based also apply , the botanist Aaron Davis and the gardeners Matt Bishop and John Grimshaw . 1 +Her husband continued to Europe and died in England in 1804 . Her husband continued travelling to England and died in Europe in 1804 . 0 +Dan Barrera defeated Saunders at by unanimous decision . By unanimous decision , Saunders defeated Dan Barrera . 0 +He refugeed and returned to Italy , where he retired for two years to private life . He escaped and returned to Italy where he retired to private life for two years . 1 +Later , a City Council ( Parliamentary Commission of Inquiry ) was installed in the CPI of city of Rio de Janeiro . Later , a city council ( Parliamentary Commission of Inquiry ) was established in the CPI of the city of Rio de Janeiro . 1 +Illinois Route 158 ( Washington Avenue ) leads west to Columbia and east to Belleville . Illinois Route 158 , or Washington Avenue , leads west to Columbia and east to Belleville . 1 +"Makeba produced Rihanna 's vocals for Eminem 's single "" Love the Way You Lie "" ." "Rihanna produced Eminem 's vocals for Makeba 's single "" Love the Way You Lie "" ." 0 +The character of Holden Ford is based on FBI agent Robert K. Ressler , and Bill Tench is based on pioneering FBI agent John E. Douglas . The character of Holden Ford is based on FBI - Agent John E. Douglas , and Bill Tench is based on the ground-breaking FBI agent Robert K. Ressler . 0 +"Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources for the data used are given ." "Ecologically appropriate , economically sustainable , politically sensitive , and finally , socially just "" , however no references or sources are provided for the data used ." 1 +Belson as visual director programmed kinetic live visuals , and Jacobs programmed electronic music and audio experiments . Belson as Visual Director programmed kinetic live visuals , Jacobs programmed electronic music and audio experiments . 1 +Part 2 was managed by Yasunori Ide and written by Manabu Nakamura . Part 2 was written by Yasunori Ide and is directed by Manabu Nakamura . 0 +However , Grossman was later injured in the season , and temporarily relieved by Griese . Griese was temporarily injured in the season , however , and later relieved of Grossman . 0 +He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in Canandaigua , New York , 1820 ) . He was a son of surgeon Timothy Hosmer ( born in Middletown , Connecticut , in 1740 ; died in Canandaigua , New York , in 1820 ) . 1 +A new directive was adopted by the European Parliament in July 2008 and approved by the Council in October 2008 . A new directive was approved by the European Parliament in July 2008 and was adopted by the Council in October 2008 . 1 +The Georgian Government protested against the allegedly growing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . The Georgian Government protested against the supposedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . 0 +Konrad Adenauer was painted by Hans Jürgen Kallmann in 1963 . Konrad Adenauer was painted 1963 by Hans Jürgen Kallmann . 1 +Hutchison Telecom was formerly listed on the Hong Kong ( SEHK ) and New York ( NYSE ) exchanges , and is fully owned by Hutchison Whampoa . Hutchison Whampoa was formerly listed on the stock exchanges of New York ( SEHK ) and Hong Kong ( NYSE ) . It is fully owned by Hutchison Telecom . 0 +They competed in the Copa do Brasil once and in the Série C twice . They once participated in the Copa do Brasil and twice in the Série C . 1 +"In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is depicted as bass ." "In the 2014 film "" Get On Up "" , a biography of James Brown produced by Bryan Grazer and Mick Jagger , Bass is portrayed by Josh Hopkins ." 1 +In 1962 , for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker , further restoration was carried out . In 1962 , for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker , further restoration was carried out . 0 +Moreover , many Angika speakers in the Persian Gulf , the United States , Canada , the United Kingdom , and other countries have emigrated . Moreover , many Angika speakers in the Persian Gulf , the United Kingdom , the United States , Canada , and other countries have emigrated . 1 +"John Hale is played by Xander Berkeley ( as Magistrate Hale ) in the 2014 TV series "" Salem "" ." "John Hale is played by Xander Berkeley ( as magistrate hale ) in the TV-series 2014 "" Salem "" ." 1 +In the substantia nigra , DAT is localized to axonal and pre- and post-synaptic ( i.e. , dendritic ) plasma membranes . In the substantia nigra , DAT is localized to axonal and pre- and post-synaptic ( dendritic ) plasma membranes . 1 +Since 2003 , Heather Weaver has been head of the group and since 2017 Sharon Northe has been President of the Group . Sharon Northe has been the conductor of the group since 2003 , and Heather Weaver has been President since 2017 . 0 +Zorina was the grandmother of the sisters Lizzie ( Elizabeth ) , Katherine and Kristina Lieberson , who are members of the band TEEN . Zorina was the grandmother of the sisters Elizabeth ( Lizzie ) , Katherine and Kristina Lieberson , who are now members of the band TEEN . 1 +The JieT is a tributary of the River Mija Mică in Romania . The Jieţ is a tributary of the Mija Mică River in Romania . 1 +HBV is transmitted to carrier mothers by perinatal contact with body fluids such as blood and lymph , as well as through parenteral exposure of infants . HBV is transmitted by perinatal contact with body fluids , such as blood and lymph ; parenteral exposure of infants to carrier mothers . 1 +A copy of the letter reached Toulouse by way of Montpellier on April 10 , 1562 . A copy of the letter reached Montpellier by Toulouse on 10 April 1562 . 0 +Schützen-Eisenberg is a municipality in Oberwart , in the Burgenland district of Austria . Schützen-Eisenberg is a municipality in the district of Oberwart in Austria in Burgenland . 0 +Traces of Gallo-Roman habitat were found on the municipal territory . On the Roman territory traces of gallo-municipal habitat were found . 0 +CBE ( born December 14 , 1940 ) is a former administrator and Scottish footballer who was a director of Caledonian MacBrayne . CBE ( born December 14 , 1940 ) is a Scottish administrator and former footballer who was the director of Caledonian MacBrayne . 0 +The yellow tetra is found around southeastern Brazil and Paraná River basin in costal rivers . The Costal Tetra is found around southeastern Brazil and Paraná river basins in yellow rivers . 0 +According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the woods near the house . According to Smith , the Aaronic priesthood was restored to him and Oliver Cowdery on May 15 , 1829 , somewhere in the woods near the home . 0 +Utah claims a lead of 60 -- 34 -- 4 , while BYU claims Utah leads 57 -- 31 -- 4 . Utah claims a margin of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . 0 +Shaunavon 's headquarters are located in the Great Western Railway . The Great Western Railway headquarters are located in Shaunavon . 0 +Kruthivennu is the smallest and Tadivennu is the largest in terms of the population . Kruthivennu is the smallest and Tadivennu is the largest in terms of population . 1 +He began his studies in 1946 at the Main Reformed Gimnázium in Budapest , and from 1947 to 1951 , he attended the Madách Gimnázium in Debrecen . He began his studies at the Main Gimnázium in Debrecen in 1946 , and from 1947 to 1951 he visited the Madách Gimnázium in Budapest . 0 +The Assembly sat for the pleasure of the governor of Nova Scotia , Lucius Bentinck Cary , and Jeremiah Dickson became Governor in 1846 . The assembly sat at the pleasure of the Governor of Nova Scotia , Lucius Bentinck Cary . Jeremiah Dickson became governor in 1846 . 1 +New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a sustained New England influence in the colony . 1 +Romney , a practicing member of the Presbyterian belief , was a freemason in the Clinton Lodge of White , where he had served as a master . A practicing member of the Presbyterian faith , White was a Mason in the Clinton Lodge of Romney , where he had served as a Master . 0 +Other types of course offered by the Department include short courses , online courses , weekly classes , day and weekend courses and summer schools . Other types of courses offered by the department include short courses , online courses , weekly classes , day and weekend courses and summer schools . 1 +A macro is used to define variables or procedures , to allow reuse of code , or to design domain-specific languages . A macro is used to design variables or procedures , enable code - reuse , or domain-specific languages to define . 0 +In 2005 , Toshiaki Imai was assistant of Chen , then manager of the Chinese Taipei national team appointed . In 2005 , Toshiaki Imai was appointed assistant to Chen , then manager of Chinese Taipei national team . 1 +On the platform many people waiting for the Tundla-Delhi passenger train were waiting . There were many people waiting for the Tundla-Delhi passenger train on the platform . 1 +He later joined the Calcutta Football League and played in Kolkata - Klub United SC . Later he joined the Outfit United SC in Kolkata and played in the Calcutta Football League . 0 +The line card consists of the modular interface card and a physical service card . The Line card consists of the physical interface card and a modular services card . 0 +"Rufinus ( "" floruit "" 431 -- 432 ) was an important prefect of the East , one of the most pretorian officials of the Eastern Roman Empire ." "Rufinus ( "" floruit "" 431 -- 432 ) was a important prefect of the East , one of the most praetorian officials of the Eastern Roman Empire ." 1 +"On August 31 , 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." "Wollstonecraft met on 31 August 1819 on board the ship "" Sydney "" in Grenada ." 0 +It is 2 km northeast of Agios Stefanos and 20 km west of Athens town centre . It is 2 km west of Agios Stefanos and 20 km northeast of Athens city centre . 0 +Escher was born as the son of the geologist and mineralogist Berend George Escher and the Swiss Emma Brosy . Escher was born the son of the geologist and mineralogist Berend George Escher and the Swiss Emma Brosy . 1 +"Santiago is the vulgar evolution of the Latin Galician Sanctu Iacobu , "" Saint James "" ." "Santiago is the Vulgar evolution of Galician Latin Sanctu Iacobu , "" Saint James "" ." 1 +The San Miguel Beermen is a professional basketball team in the Philippine Basketball Association ( PBA ) . The San Miguel Beermen are a professional basketball team at the PBA ( Philippine Basketball Association ) . 1 +At that time , Andrew Johnson was the president , and his government learned that Meacham did not support him . At the time , Meacham was president , and his administration learned that Andrew Johnson did not support him . 0 +In June 2011 , Linda Beecher married Finch at Dartmoor National Park . Linda Beecher married Finch on Dartmoor National park in June 2011 . 1 +The album is being released in two versions . The digipack limited edition and the standard edition . The album is released in two versions : The Standard Edition and the Digipack Limited Edition . 1 +State Theatre , also known as the Pitts Theatre after 1970 , is a historic movie theater located at Culpeper , Culpeper County , Virginia . State Theatre , also known as the Pitts - Theater after 1970 , is a historic cinema located at Culpeper , Culpeper County , Virginia . 1 +His current research explores the impact of Jewish ideas and stories on Islamic sources . His current research explores the influence of Islamic ideas and stories on Jewish sources . 0 +Shortest remaining time is short because advantageous processes are handled very quickly . The shortest time remaining is advantageous because short processes are handled very quickly . 0 +The founding director of the institute was Lawrence Rinder , the current director is Anthony Huberman , who has replaced Jens Hoffmann in 2013 . Jens Hoffmann was the founding director of the Institute . The current director is Anthony Huberman , who replaced Lawrence Rinder in 2013 . 0 +Originally , Ross was arrested in North Point , then marched to Habu Dockyard , and finally shipped to Innoshima , where he worked for the Osaka Ironworks at Sham Shui Po Barracks . Ross was originally imprisoned at North Point , then marched to Habu Dockyard and finally shipped to Innoshima where he worked at Sham Shui Po Barracks for Osaka Ironworks . 1 +The 1975 -- 76 NBA season was the 30th season of the National Basketball Association . The season 1975 -- 76 National Basketball Association was the 30th NBA season . 1 +Rick Peach was a vicar , who was involved in scenes with Brooke Vincent ( Sophie Webster ) and Blanche Hunt ( Maggie Jones ) . Rick Peach was a vicar that was involved in scenes with Sophie Webster ( Brooke Vincent ) and Blanche Hunt ( Maggie Jones ) . 1 +Eleanor was also the youngest son of Robert Hungerford , 3rd Baron Hungerford and Walter Hungerford . Walter Hungerford was the youngest son of Robert Hungerford , 3rd Baron Hungerford and Eleanor . 0 +He also produced music for films composed outside Sri Lanka ( a thousand flowers ) . He has also produced music for films composed outside Sri Lanka ( Thousand Flowers ) . 1 +The stigmata are black , the first discal large , the first plical obliquely beyond the subtriangular discal . The stigmata are black , the first discal large , the first plical diagonally beyond the subtriangular discal . 1 +Dundas Public School is a primary school located in western Sydney , New South Wales , in the suburb of Dundas . Dundas Public School is a primary school in western Sydney , Dundas , in the suburb of New South Wales . 0 +Dripsey railway station was on the Cork and Muskerry Light Railway in County Cork , Ireland . Dripsey railway station was on the Cork and Muskerry Light Railway in Cork , Ireland . 1 +The Island was named after the reverend Robert Rutherford , who came to the region in 1729 with David Dunbar 's group from Northern Ireland . The Island was named after the Reverend Robert Rutherford who came with David Dunbar 's group to the area from North Ireland , in 1729 . 1 +Carl Ravazza ( July 21 , 1910 - July 28 , 1968 ) , also professionally known as Carl Ravell , was an American violinist , singer and bandleader . Carl Ravell ( July 21 , 1910 -- July 28 , 1968 ) , also known professionally as Carl Ravazza , was an American violinist , vocalist and bandleader . 0 +The northern half of the village is in the town of Dannemora , while the southern half is in the town of Saranac . The ZIP code is 12929 . The northern half of the village is in the town of Dannemora , while the southern half is in the town of Saranac postal code is 12929 . 1 +Since January 2013 , Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives . Republican Drew Springer , Jr. , a businessman from Muenster in Cooke County , has since January 2013 represented Young County in the Texas House of Representatives . 1 +"The novella was translated into English by Roger Senhouse and published ( with "" The Cat "" translated by Antonia White ) in 1953 ." "The novel was translated into English by Roger Senhouse and published in 1953 ( with "" The Cat "" by Antonia White ) ." 1 +San Pedro Springs Park is located in the San Antonio city of Bexar County in the U.S. state of Texas . San Pedro Springs Park is located in the city of San Antonio des Bexar County in the US state of Texas . 1 +LaRoche was dismantled on 1 September after being recalled to Triple-A Las Vegas . After being demoted to Triple-A Las Vegas , LaRoche was recalled on September 1 . 0 +The 2015 season -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2015 season -- 16 rains or gloss Elasto painters is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +"As a screenwriter , his first indie feature , "" The Watermelon "" , was directed by Lorenda Starfelt and produced by Brad Mays at LightSong Films ." "As a screenwriter , his first indie feature "" The Watermelon "" was staged by Lorenda Starfelt and produced by Brad Mays at LightSong Films ." 1 +"If so , modern territory would probably have been shaped like a fair five-sided "" home plate "" ." "If so , modern territory would probably have been shaped like a beautiful five-sided "" home plate "" ." 1 +The music was composed by Unni Menon and the texts written by Shyam , Sreekumaran Thampi was popular for singing songs in this film . The music was composed by Unni Menon and lyrics was written by Shyam . Sreekumaran Thampi became popular for singing songs in this film . 1 +The river is located between the Amazon and the Negro . The river is located between the Amazon River and the Negro River . 1 +The series tells the life of fourteen-year-old Barbara and her mother Isabelle , who is a divorced lawyer . The series tells the life of the 14-year-old Isabelle and her mother , Barbara , who is a divorced lawyer . 0 +He won the 11th place in the Sandown 500 with Tony Longhurst and 13th with Nathan Pretty in the Bathurst 1000 . He finished 13th in the Sandown 500 with Tony Longhurst and 11th in the Bathurst 1000 with Nathan Pretty . 0 +"In summer 2007 she performed with the "" Shavnabada Ensemble "" at the Inegol Folk Festival in Turkey ." "In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at Turkey 's folk festival in Inegol ." 0 +Sarons typically come in a number often sizes , from smallest to largest : Typically , a number of sarons often come in sizes , from largest to smallest . 0 +"Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the reverse alphabet in lyrical style ." "In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the reverse alphabet in lyrical style ." 1 +He died in Boston , Massachusetts , on February 19 , 1935 , and was interred in Holyhood Cemetery , Brookline , Massachusetts . He died on February 19 , 1935 at Holyhood Cemetery in Brookline , Massachusetts , and was buried in Boston , Massachusetts . 0 +Justine Henin defeated Sarah Pitkowski , 6 -- 1 , 6 - - 2 Justine Henin defeated Sarah Pitkowski , 6 -- 1 , 6 -- 2 1 +In 1986 he joined forces with Edgeworth David to work together on the ANARE expedition that established the Sir Erich A. Colhoun summer field base in the Bunger Hills . In 1986 , he joined forces with Erich A. Colhoun to work together on the ANARE expedition , which founded the summer field base of Sir Edgeworth David in the Bunger Hills . 0 +It currently serves as the newspaper of record for Galveston , as well as Galveston County . It is currently serving as the newspaper of record for Galveston , as well as Galveston County . 1 +Slatyer returned to Paris in 1982 , after four years in Australia , and resumed his professorship at ANU . In 1982 , after four years , Slatyer returned to Australia and resumed his professorship at the ANU . 0 +A back injury forced Dan Lauzon out of his fight with Rafaello Oliveira and was replaced by Nik Lentz . A back injury forced Nik Lentz out of his bout with Rafaello Oliveira and he was replaced by Dan Lauzon . 0 +For Amtrak service the nearest stations are east in Boston , west in Framingham at Route 128 Station , and south in Back Bay and South Station in Westwood . For Amtrak service the nearest stations are West in Framingham , east of Boston at Back Bay and South Station and south in Route 128 station in Westwood . 0 +The first DVD releases for individual Japanese series also had special limited editions . The first DVD releases for the individual Japanese series also had special limited editions . 1 +In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru were limited to only 6,000 units . In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . 1 +"He then met mechanic "" Gears "" Garvin , and then battled Baron Brimstone ." "He then fought mechanic "" Garvin gears and then met Baron Brimstone ." 0 +Among the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . Among the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . 0 +Rupert , the eldest son of Johann Rupert , is now the CEO of Richemont and Chairman of Remgro . Johann Rupert , Rupert 's eldest son , is now CEO of Richemont and Chairman of Remgro . 0 +His Othello was detained in 1964 with Jay Robinson as Iago and in 1981 with Ron Moody as Iago on video . His Othello was detained in 1964 with Ron Moody as Iago and in 1981 with Jay Robinson as Iago on video . 0 +""" m "" representing the number of edges and "" n "" is the number of vertices ." """ m "" is the number of edges and "" n "" represents the number of corners ." 0 +In 1872 , Sir James married John Nairne Forman ( December 20 , 1929 ) , daughter of Helen Margaret von Staffa , WS . Sir James married , in 1872 , Helen Margaret ( d. 20 December 1929 ) , daughter of John Nairne Forman of Staffa , WS . 0 +The pistols driven are gas-used with a caliber of 4.5 mm ( .177 in ) . The pistols used are operated with a caliber of 4.5 mm ( .177 in ) . 0 +It was directed by Home Media and writer , Screenplay and produced by V.Thiruselvam . It was produced by Home Media and author , screenplay and directed by V.Thiruselvam . 0 +Until 1930 , Lombard College was located in Galesburg and is today the site of the Lombard Middle School . Until 1930 , the Lombard High School was located in Galesburg and is now the site of Lombard - College . 0 +She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Stephen Jackson . She married Henry Albert Hartland . She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson , who married Henry Albert Hartland . 1 +In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Wills Valley , and in Sand Mountain to the east . In historical times there were Cherokee and Creek villages in the Tennessee Valley west of Sand Mountain and in the Wills Valley in the east . 0 +The BMS - Chairman is Jürg Kramer ( FU ) , and the deputy chairpersons are Günter M. Ziegler ( HU ) and John M. Sullivan ( TU ) . The BMS Chair is Jürg Kramer ( FU ) , and the deputy Chairs are Günter M. Ziegler ( HU ) and John M. Sullivan ( TU ) . 1 +On February 6 , 2014 , Thompson was traded by the Penguins to the Columbus Blue Jackets in exchange for Spencer Machacek . On 6 February 2014 , Thompson was traded by the penguins for the Columbus Blue Jackets in exchange for Spencer Machacek . 1 +In 1989 he travelled to South Africa , Johannesburg and Angola , Mozambique on a peace-seeking mission . In 1989 he travelled on a peace-seeking mission to Mozambique , Johannesburg and Angola , South Africa . 1 +Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Florida with the sequence of SCSV from Taiwan . Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Florida to the sequence of SCSV from Taiwan . 1 +"There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 hosted by Ian Turpie on Seven Network and later produced by Grundy ." "There was later an Australian version of "" Press Your Luck "" hosted on Seven Network by Ian Turpie from 1987 to 1988 and also produced by Grundy ." 0 +The following units and commanders fought in the Battle of Changde ( late November -- early December 1943 ) , of the Second Sino-Japanese War . The following units and commanders fought in the Battle of Changde ( end of November -- early December 1943 ) , the Second Japanese-Chinese War . 1 +Dan McGugin did not play in Bob Blake 's first year of 1904 , but resumed play on the 1905 team . Bob Blake did not play in the first year of Dan McGugin in 1904 , but resumed play on the 1905 team . 0 +Aisha 's father Haji Mahmood belonged to Kabul , from where he went to Hajj and settled there with Makkah . Aisha 's father Haji Mahmood went to Kabul , from where he belonged to Hajj and settled there at Makkah . 0 +The private foundation operates under independent law with foundation capital from the governments of Germany and the State of North Rhine-Westphalia . The private foundation operates under independent law with foundation capital of the governments of Germany and the state of North Rhine-Westphalia . 1 +It has been claimed that the church was founded in the 12th century by St Birinus and parts of the church date from the 7th century . It was claimed that the church was founded by St. Birinus in the 12th century , and parts of the church date from the 7th century . 1 +He sang with success also in La Fenice in Naples , Maggio Musicale Fiorentino in Florence and the Teatro San Carlo in Venice . He also sang with success at La Fenice in Naples , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Venice . 1 +When Russ asked him to play in the new band guitar , Aaron agreed . When Aaron asked him to play guitar in the new band , Russ agreed . 0 +In some cases , pain or at least discomfort is insignificant or rather secondary to the humiliation . In some cases , pain , or at least discomfort , is insignificant , or rather subordinates to humiliation . 1 +In 1848 the Catholic parish of Kilmihil ( Kilmacduane ) was once again separated from Cooraclare . In 1848 the Catholic parish of Cooraclare ( Kilmacduane ) was again separated from Kilmihil . 0 +Zika decided not to play at the Summer Olympics in 2016 , invoking health concerns and the Raonic virus . Raonic decided not to play in the 2016 Summer Olympics , citing health concerns and the Zika virus . 0 +In 2006 , Silverlake Partners sold to Goldman Sachs for $ 800 million . Silverlake Partners sold the company to Goldman Sachs in 2006 for $ 800 million . 1 +The Ozunca River or Pârâul cu Păstrăvi is a tributary of the Păstrăvul River in Romania . The Păstrăvul or Pârâul cu Păstrăvi river is a tributary of the Ozunca River in Romania . 0 +"In the tenth episode of the last season , "" The Wayfarers "" ( 1964 ) , he made his first appearance on "" Lassie "" ." "Reilly made his first appearance on "" Lassie "" in the tenth episode of the last season , "" The Wayfarers "" ( 1964 ) ." 1 +The sheep is sacrificed and the meat is given to relatives and neighbours and distributed to the poor . Sheep are sacrificed and the meat is given to relatives and neighbours and distributed to the poor . 1 +It has 12 dorsal spines , and 15 to 17 dorsal soft rays . It has 12 dorsal soft spines and 15 to 17 dorsal beams . 0 +The rivalry between Tanahashi and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Devitt victorious . The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Tanahashi victorious . 0 +"Carl Bildt called the journal "" An ambitious attempt to stimulate the European as well as global debate on European issues "" ." "Carl Carl Bildt called the magazine "" An ambitious attempt to stimulate the European as well as the global debate on European issues "" ." 1 +The parallel analysis may be applied to the same LC circuit . The total impedance is then given by : The same analysis can be applied to the parallel LC circuit The total impedance is given then by : 0 +He also worked in several houses and monasteries in Belgium , in the castle of Beaulieu ( Ghent ) in Machelen and in Horst Castle . He also worked in several houses and monasteries in Ghent , in the castle Beaulieu ( Belgium ) in Machelen and in the castle of Horst . 0 +It was this title that John Jervis Brenton ( his elder brother Lancelot Brenton died in 1817 ) inherited . It was this title that Lancelot Brenton ( his elder brother , John Jervis Brenton , died in 1817 ) inherited . 0 +"Simply put , nine points determine a cubic , but in general , a "" unique "" cubic define ." "Simply stated , nine points determine a cubic , but in general define a "" unique "" cubic ." 1 +"The name "" rigid cohomology "" comes from its relation to rigid analytical spaces ." "The name "" rigid analytical cohomology "" comes from its relation to rigid spaces ." 0 +The manga is published in French by Panini Comics , in the Spanish language of Planetacomic , in German and Italian by Pika Edition . The manga is published by Pika Edition in French , from Planetacomic in Spanish , by Panini comics in German and Italian . 0 +Tim Tim Henman won in the final with 6 -- 2 , 7 -- 6 against Yevgeny Kafelnikov . Tim Henman won in the final 6 -- 2 , 7 -- 6 , against Yevgeny Kafelnikov . 1 +Born and raised in Vancouver , British Columbia , Canada , he has died in Aylesbury , Saskatchewan , Canada . He was born and raised in Aylesbury , Saskatchewan , Canada and died in Vancouver , British Columbia , Canada . 0 +Fowey Rocks Light is located seven miles southeast of Key Biscayne at Cape Florida . Fowey Rocks Light is located seven miles southeast of Cape Florida on Key Biscayne . 0 +All celebrated commemorations below on 21 May by Orthodox churches on the Old Calendar set . All celebrated commemorations below fixed on May 21 by Orthodox Churches on the Old Calendar . 1 +Two more aftershocks above magnitude 5 in Kyrgyzstan and one in Xinjiang struck on October 13 , UTC time . Two more aftershocks above Magnitude 5 in Xinjiang and one in Kyrgyzstan beat UTC on October 13 - time . 0 +The 48th helicopter squadron was formed in May 1968 as part of the 119th transport helicopter - Regiments at Niš Airport . The 119th Helicopter Squadron was formed at Niš airport in May 1968 as part of 48th Transport Helicopter Regiment . 0 +The musicians on the 7th March recording session included Larry Knechtel , drums ; Hal Blaine , guitar ; Don Randi , bass ; and Al Casey , piano . Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) were among the musicians of the recording session on 7 March . 0 +It is located southeast of Moosehead Lake , 2 miles southwest of Baker Mountain and 5 miles west of White Cap Mountain . It is about southeast of Moosehead Lake , 2 miles southwest of Baker Mountain , and 5 miles west of White Cap Mountain . 1 +The Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and headquarters of IBM . The Ibirapuera Park is located in this subprefecture , as well as the brazilian campus of Federal University of São Paulo and the main headquarters of IBM . 1 +The first Terminus of the Western Lincoln Highway , the historic transcontinental road across America , is in San Francisco 's Lincoln Park . The Western Terminus of the historic transcontinental Lincoln Highway , the first road across America , is located in the Lincoln Park of San Francisco . 0 +The band separated shortly afterwards and reformed in 1987 as a trio with Matt Green and Brothers Lucy ( drums , vocals ) and Joel Green ( guitar ) . The band split shortly after and reformed as a trio with Matt Green and Brothers Lucy ( drums , vocals ) and Joel Green ( guitar ) in 1987 . 1 +Landscape is an album by pianist Kenny Barron , which was recorded in 1984 and was first released on the Japanese label Baystate . Landscape is an album by pianist Kenny Barron which was released in 1984 and first recorded on the Japanese Baysta 0 +During the campaign of 1943-1945 , there were more than 10,000 marriages between Italian girls and American soldiers . During the 1943-1945 campaign , there were more than 10,000 marriages between Italian girls and American soldiers . 1 +TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales were among the participants . The participants included TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso , and Michael Roy Jornales . 1 +It was initially recorded by Irma Thomas in November 1961 and produced by Allen Toussaint . It was initially recorded in November 1961 by Allen Toussaint and produced by Irma Thomas . 0 +"In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors are poisoned , along with Byron ." "In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors , together with Edward , are poisoned ." 0 +He would go on to have a number of children with her , including Emilio ( Emilito ) , Daniel , Jose , Facundo , Maria , and Carmen . He would have a number of children with her , including Emilio ( Emilito ) , Facundo , Maria , Jose , Daniel and Carmen . 1 +Dave Denine is a provincial politician in Newfoundland and Labrador , Canada , who served as Minister for Intergovernmental Affairs from 2007-2011 in the former Canadian cabinet . Dave Denine is a former Canadian politician in Newfoundland and Labrador , Canada , who served as Minister for Intergovernmental Affairs in the Provincial Cabinet from 2007-2011 . 0 +However , Dan Dan decides to keep this truth a little longer from Serena . Serena , however , decides to keep this truth from Dan a little while longer . 0 +Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road at the Fish Point in the east . Two bridges cross the river to Pental Island ; at Swan Hill in the west , and on Fish Point Road at Fish Point in the east . 1 +He was a mediator with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . He was a mediator with the United States Postal Service and was an arbitration panel member with the United States Olympic Committee . 1 +Recorded in August 2011 at the House of Görväln in Uppland , Maria Lundqvist replaced Louise Hoffsten , who could not attend . Recorded at Görväln House in Uppland in August 2011 . Maria Lundqvist replaced Louise Hoffsten who could not attend . 1 +When initials are used , they can either be placed before or after their first name . Initials can be used either before or after their first name when they are placed . 0 +Polokce is a village situated in the municipality of Novi Pazar in Serbia . Polokce is a village situated in Novi Pazar municipality in Serbia . 1 +The rivalry between Tanahashi and Tanahashi culminated on September 29 at a Lumberjack Deathmatch in Destruction , where Devitt won . The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Tanahashi victorious . 0 +Wollheim wrote that Gay tries to understand Freud 's life and thought , including only as much of Freud 's thoughts as necessary to integrate his life . Wollheim wrote that Gay tries to understand Freud 's life and thought , including only as much of Freud 's thought as necessary to integrate his life . 1 +From 1800 -- 04 , Wright was British consul-general for the republic of the Ionian Islands ( Seven Islands ) . From 1800 -- 04 Wright was British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . 1 +Much of the city 's crime , however , is centralized in most of its western neighborhoods and scattered neighborhoods adjacent to Hartsfield-Jackson International Airport . However , much of the city 's crime is centralized in most dispersed neighborhoods and Western neighborhoods adjacent to Hartsfield-Jackson International Airport . 1 +A radar-modified Vickers Wellington has been one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . A radar-equipped Vickers Wellington was modified for use by the Fighter Interception Unit as one of the first Airborne Early Warning and Control ( AEW & C ) aircraft . 0 +"The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" by the philosopher John Dewey in 1896 ." "The historical fallacy is a logical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." 1 +New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence in the colony . New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence on the colony . 1 +Nikolay Davydenko won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Marat Safin . Nikolay Davydenko won against Marat Safin in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . 1 +Fallout 3 is an action role-playing game - Open - World - a videogame developed by Bethesda Softworks and published by Bethesda Game Studios . Fallout 3 is an action role-playing open world video game developed by Bethesda Softworks and published by Bethesda Game Studios . 1 +Abolitionists rose to the defense of Ellen and William Craft in 1850 , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . 0 +Then the heavy assault by German tanks , infantry and artillery would break the main lines . The main attack by heavy tanks , infantry and artillery would then break the German lines . 0 +Continue to the north through Old Leonardtown Road on Hughesville ( MD 625 ) . ( MD 625 ) continues to the north through Old Leonardtown Road on Hughesville . 1 +In 2010 she won the 12th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 10th Yi Yuksa Poetry Award . Kim won the 10th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 12th Yi Yuksa Poetry Award in 2015 . 0 +The heavy rainfall caused severe flooding ; in Donalsonville , 250 houses and 50 businesses suffered water damage , while another 35 were damaged in nearby Miller County . Heavy rainfall caused severe flooding : in Miller County , 250 homes and 50 shops suffered water damage , while another 35 were damaged in the nearby Donalsonville . 0 +He meets Kekesfalva 's paralyzed daughter Edith and develops deep affection and subtle compassion for her . He meets Kekesfalva 's paralyzed daughter Edith and develops for her subtle affection and deep sympathy . 0 +In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Sand Mountain and the Wills Valley to the east . In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Sand Mountain , and in Wills Valley to the east . 1 +Mons Claudianus lies in the Eastern desert of upper Egypt , and was discovered in 1823 by Wilkinson and Burton . Mons Mons Claudianus is situated in the upper desert of Eastern Egypt and was discovered by Wilkinson and Burton in 1823 . 0 +In 1976 , Peraza was Miss Venezuela , but she resigned on May 24 , 1976 because she married two days after her crowning . In 1976 , Peraza Miss was Venezuela , but she married on May 24 , 1976 , because she resigned two days after her crowning . 0 +The constituency is located in Swansea Bay , on the right bank of the River Afan , near its mouth in South Wales . The constituency is situated in South Wales , on the right bank of the River Afan , near its mouth in Swansea Bay . 0 +Asserson was active in the Church of Norway and was married to Eivind Saxlund . Asserson was active in the church in Norway and was married to Eivind Saxlund . 1 +Divisional Secretariat is a Divisional Secretariat of the district Gampaha , the western province of Sri Lanka . Mirigama Divisional Secretariat is a Divisional Secretariat of Gampaha District , of Western Province , Sri Lanka . 1 +The Zlagna River is a tributary of the Timiş River in Romania . Zlagna River is a tributary of the River Timiş in Romania . 1 +"In 1994 , the Polish ambassador to South Africa , Mr Scieniuch , presented the "" Warsaw Cross of Insurrection to Durrant 's widow ." "In 1994 , the Polish Ambassador to South Africa , Mr SCieniuch presented the "" Warsaw Insurrectionary Cross "" to Durrant 's widow ." 1 +The original squadron 159 was to be dissolved during the First World War , but the idea was formed so that reinforcements could be sent into France . The original squadron 159 was to be formed during the First World War , but the idea was dissolved so that reinforcements could be sent to France . 0 +Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His successor Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . 1 +A quantum fluid refers to each system that shows quantum mechanical effects at the macroscopic level , such as superfluids , superconductors , ultracold atoms , etc . A quantum fluid refers to any system that exhibits quantum mechanical effects at the macroscopic level such as superfluids , superconductors , ultracold atoms , etc . 1 +The family is very religious and at the age of 12 , Géneviève joined her junior church 's protestant choir . The family is very religious and , at the age of 12 , Géneviève joined the Protestant choir of her junior church . 1 +Parks Wilderness is located in Nacimiento Mountains , the western finger of the southernmost Rocky Mountains . San Pedro Parks Wilderness is located in the Nacimiento Mountains , the western finger of the southernmost Rocky Mountains . 1 +"She participated in the second season of the most controversial non - fiction popular bengali reality - show "" Bigg Boss Bangla "" ." "She has participated in the second season of the most controversial non fiction popular bengali reality show "" Bigg Boss Bangla "" ." 1 +The underlying phonetic system of Mëranaw including the sound features is listed below . Below is the underlying phonetic system of Mëranaw including sound features . 1 +""" Purple Clover "" describes the site as being for people who are "" ... still cool , still curious , and still crazy after all these years . """ """ Purple Clover "" describes the site as for people who "" ... still curious , still cool and still crazy after all those years are "" ." 1 +In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Disney Springs at Walt Disney World in Florida . In September 2015 , Morimoto opened the Pan-Asian restaurant Morimoto Asia at Disney Springs in Walt Disney World in Florida . 1 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps that Gaby and Mcoy left behind , while the other was reoccupied by Ethel . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps that Ethel and Mcoy left behind , while the other was reoccupied by Gaby . 0 +He died on February 19 , 1935 in Holyhood Cemetery , Brookline , Massachusetts , and was buried in Boston , Massachusetts . He died on 19 February 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . 0 +Dominika Cibulková won the tournament beating in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . Winner of the tournament won Dominika Cibulková in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . 1 +Eupithecia yunnani is a moth in the family of Geometridae It is found in Yunnan ( China ) . Eupithecia yunnani is a moth in the family Geometridae . It is found in Yunnan ( China ) . 1 +He played for Beacon FC , Camptown FC and Alpha United and had stints with Notre Dame of Barbados and Caledonia AIA in the T 'T Pro League . He played for Beacon FC , Camptown FC and Caledonia AIA and had stints with Notre Dame of Barbados and Alpha United in the T 'T Pro League . 0 +"Based on the "" Disney Fairies "" franchise , it was animated by Prana Studios and produced by DisneyToon Studios ." "Based on the franchise "" Disney Fairies "" , it was animated and produced by Prana Studios by DisneyToon Studios ." 0 +Irma Chilton ( born Mair Elizabeth Irma Evans , November 12 , 1930 -- 1990 ) was a Welsh children 's author in English and Welsh . Irma Chilton ( born Mair Elizabeth Irma Evans , 12 November 1930 -- 1990 ) was a Welsh children 's writer in the English and Welsh languages . 1 +""" CQ Politics "" considered this race "" Tossup "" . "" The Cook Political Report "" assessed it as "" Lean Republican "" ." """ CQ Politics "" considered this race as ' Tossup ' . "" The Cook Political Report "" rated it ' Lean Republican ' ." 1 +He was transferred to Vietnam , joined the Jesuit Order and died in Macau in 1737 as a martyr . He was moved to Vietnam , joined the Jesuit Order , and died as a martyr in Macau in 1737 . 1 +"The track remains one of two tracks that Brant ever co-wrote , the other track also comes from the same album , entitled "" This Time Around "" ." "The track remains one of two tracks that Brant ever co-wrote , the other track was also from the same album , titled "" This Time Around "" ." 1 +The international airport Tancredo Neves / Confins is located in the municipalities of Lagoa Santa and Confins , 38 km away from Belo Horizonte and was opened in January 1984 . Tancredo Neves/Confins International Airport is located in the municipalities of Lagoa Santa and Confins , 38 km from Belo Horizonte , and was opened in January 1984 . 1 +Crocker moved from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and crossed toward the lower Ouachita in the section called the Black River . Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of Concordia Parish , and moved in the direction of the lower Ouachita in the Black River section . 1 +The modern Meskwaki Settlement in Tama County maintains a casino , public schools , tribal courts , and tribal police , and a tribal works department . The modern Meskwaki settlement at Tama County maintains a casino , public schools , tribal courts , tribal police , and a Tribal Works department . 1 +Miniatures flourished mainly in Mewar , Bundi , Kota , Kishangarh , Jaipur , Jodhpur and Bikaner . Rajasthani Miniatures flourished mainly in Kishangarh , Jaipur , Jodhpur , Bundi , Kota , Mewar and Bikaner . 1 +The Yarkand River is a river in Xinjiang Uyghur Autonomous Region Western China . The Xinjiang Uyghur Autonomous Region is a river in the Yarkand River of western China . 0 +Olivella bitleri is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . Olivella bitleri is a species of the dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 0 +He was twice married to Elizabeth Dettlaff and Annie Kowalkowski , and had three daughters . He was married twice to Annie Kowalkowski and Elizabeth Dettlaff , and had three daughters . 1 +""" The Idolmaster "" is a series of raising simulation and rhythm video games created by Bandai Namco Games ( formerly Namco ) ." """ The Idolmaster "" is a series of video games - simulation and rhythm - videogames by Namco ( formerly Bandai Namco Games ) ." 0 +The walls of the building were made with straw reinforced Adobe and have engraved on the coating ornaments . The walls of the building were made by straw reinforced adobe , and have engraved ornaments on coating . 1 +As a correspondent she traveled to Russia , Scotland , Estonia , Germany , France , Finland , Italy and 1923 to Iceland . As correspondent she traveled to Russia , Finland , Italy , France , Scotland , Estonia , Germany and in 1923 , on a grant , to Iceland . 1 +He is trained by Andre Rozier and shares a gym with former world champion Daniel Jacobs . He is trained by Andre Rozier and shares a fitness center with former World Champion Daniel Jacobs . 1 +The teams had to use from a distance a traditional tribal club to beat the pots . Teams had to use a traditional tribal club from a distance to hit the pots . 1 +Political prisoners were Pieter Geyl ( Prime Minister 1945-1946 ) , Wim Schermerhorn , and all politicians of the post-war period . Political prisoners were Wim Schermerhorn ( Prime Minister 1945-1946 ) , Pieter Geyl and all of the post-war politicians . 0 +On 4 January 2015 , Soane Patita Paini Mafi announced that he would make Tonga 's bishop , Pope Francis , a cardinal on 14 February . On January 4 , 2015 , Pope Francis announced that on February 14 , he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . 0 +Virgil Weigel is a democratic member of the House of Representatives of Kansas , representing the 56th district ( Topeka , Kansas in Shawnee County , Kansas ) . Virgil Weigel is democratic member of the House of Representatives of Kansas and represents the 56th district ( Shawnee County , Kansas in Topeka , Kansas ) . 0 +On 28 February 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion dollars . On February 28 , 2018 Interoute announced the acquisition of GTT Communications for $ 2.3 Billion . 0 +The River Frasin is a tributary of the Straja River in Romania . The Frasin River is a tributary of the Straja River in Romania . 1 +This riding was created in 1987 from Okanagan -- Similkameen , and eliminated in 1996 when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan . This riding was created in 1987 by Okanagan -- similar cameras , and in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan , eliminated . 1 +She ( Sophia ) feels very lonely , and is like a reed . She ( Sophia ) feels very lonely and is like a pipe reed . 1 +Marouf with popular athletes such as Ali Daei , Hamid Sourian , and Behdad Salimi helpers in the fight and eradication of poverty and hunger in the World Food Program . Popular with Marouf - athletes such as Ali Daei , Hamid Sourian , and Behdad Salimi are helpers in the fight against and eradication of poverty and hunger in the World Food Programme . 0 +Cheadle Heath railway station was a railway station , which between 1901 and 1968 served the village of Cheadle , Cheshire , and the Stockport suburb of Cheadle Hulme . Cheadle Heath railway station served a railway station that was between 1901 and 1968 the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . 0 +KOTC : Live to Fight was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . Live to Fight was an event held on 14 May 2011 at the San Manuel Casino in San Bernardino , California . 1 +"Willa Cather is a short story by Peter , which was published in "" The Mahogany Tree "" in 1892 ." "Peter is a short story by Willa Cather . It was first published in "" The Mahogany Tree "" in 1892 ." 0 +Harmsworth married Thomas Scott , daughter of Annie Louisa , in 1892 . In 1892 , Harmsworth married Thomas Scott , the daughter of Annie Louisa , 1892 . 1 +A codice _ 1 can not be copied because its copy constructor and assignment operators are explicitly deleted . Codice 1 can not be deleted because its copy constructor and its assignment operators are explicitly copied . 0 +"Standard arguments in the homological algebra suggest that these cohomology groups are independent of the choice of the injective resolution of "" E "" ." "Standard arguments in the injective algebra imply that these groups of cohomologists are independent of the choice of homological resolution of "" E "" ." 0 +The Trevi Fountain is a well in the Trevi district in Rome , Italy , designed by Italian architect Pietro Bracci and completed by Nicola Salvi . The Trevi Fountain is a fountain in the Trevi district of Rome , Italy , designed by Italian architect Nicola Salvi and completed by Pietro Bracci . 0 +Kandy , originally known as Senkadagala , has been the bastion of culture and spiritual centre of Sri Lanka for centuries . For centuries Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and its spiritual centre . 0 +From 1919 , the Third International was a member of the Cominterns ( LKP ) . The LKP was a member of the Comintern ( Third International ) from 1919 . 0 +In addition to the 5,465 built Anjous , the company produced about 40 of the 2-door convertibles Anthéor models . In addition to the 5,465 Anjous produced , the company built about 40 of the 2-door cabriolet Anthéor models . 0 +Some commercial microwave noise generators use avalanche diodes to create a large excess noise figure that can be turned off and on . Some large excess microwave noise generators use Avalanche diodes to create a commercial noise value that can be turned on and off . 0 +In 2000 , the RadioShack Corporation became officially the Tandy Corporation . In 2000 , RadioShack Corporation officially became the Tandy Corporation . 1 +The river Jiul de Vest is a tributary of the De La Hagher river in Romania . The River De La Hagher is a tributary of the Jiul de Vest River in Romania 0 +For example , where men are often expected to enjoy more sexual freedom , women are encouraged to be more sexually restricted . Where , for example , men are often expected to enjoy more sexual freedom , women are encouraged to be more sexually constrained . 1 +He started his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and visual audio producer . He started his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and audiovisual producer . 1 +Deutschnofen borders the following municipalities : Aldein , Predazzo , Bronzolo , Karneid , Laives , Welschnofen , and municipalities of Bolzano , Tesero and Varena in Trentino . Deutschnofen borders with the following municipalities : Aldein , Predazzo , Bronzolo , Karneid , Leifers , Welschnofen and municipalities of Bolzano , Tesero and Varena in Trentino . 1 +The proxy 's earlier history is then used to reconstruct the temperature from longer periods . The longer history of the proxy is then used to reconstruct temperature from earlier periods . 0 +These are the known open protocol specifications , which cover the same or similar space as AMQP : These are the same or similar protocol specifications that cover the open space as AMQP : 0 +The two leased aircraft were returned to the BAE Systems lessor on 9 November 2006 . Centavia 's two returned aircraft were leased to the lessor , BAE Systems , on November 9 , 2006 . 0 +It is located in the southern part of the Annapolis County on the western shore of Annapolis Basin . It is located in the western part of the Annapolis County on the southern shore of Annapolis Basin . 0 +A group travelled north from Greta , and the other started from Mansfield and travelled south . One group travelled south from Greta , and the other started from Mansfield and travelled north . 0 +As a means to promote Spanish art and culture amongst Indonesian speakers . As a means to promote Spanish art and culture among Indonesian speakers . 1 +The Mundy family owned the Manor of Allestree from 1516 until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . From 1516 , the Mundy family had the manor of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . 0 +The Voievodeasa River is a tributary of the Suceviţa River in Romania . The river Suceviţa is a tributary of the Voievodeasa River in Romania . 0 +This species comes from Nicaragua to Costa Rica in the demersal zone of the Pacific Ocean . This species comes from Costa Rica to Nicaragua in the demersal zone of the Pacific Ocean . 0 +An electronic signature is intended to provide the signatory with a seamless identification method to guarantee a secure and accurate transaction . An electronic signature is intended to provide the signatory with a secure and accurate identification method for ensuring a seamless transaction . 0 +The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on 20 April 1895 and introduced in 1899 . Trolley service was proposed from Ellicott City to Baltimore in 1892 , approved on April 20 , 1895 , and implemented in 1899 . 0 +Prior to his arrival in Sweden in 2002 , Mišović was in Serbia , where he was involved in organized crime , and left the country to escape arrest . Prior to his arrival in Serbia in 2002 , Mišović was in Sweden , where he was involved in organized crime , and he left to escape the arrest . 0 +Archana is an Indian film actress and accomplished Kuchipudi and Kathak dancer , known for her works in the South Indian film industry . Archana is an accomplished film actress and southern Indian Kuchipudi and Kathak dancer , renowned for her works in the Indian film industry . 0 +In Eskisehir , the company built a hotel in Turkey and a paper mill in Kazakhstan . The company built a hotel in Eskisehir and a paper factory in Kazakhstan in Turkey . 0 +He has played for Sheffield Wednesday , Notts County , York City , Gainsborough Trinity , Matlock Town , and North Ferriby United . He has previously played for Sheffield Wednesday , Notts County , York City , Gainsborough Trinity , Matlock Town and North Ferriby United . 1 +They were accompanied or were soon followed by several other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . They were accompanied by several other families , or were soon followed , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . 1 +Here is a list of schools in Harford County , Maryland . Both public schools and independent schools are included , but parochial schools are not listed . Here is a list of schools in Harford County , Maryland.There are both public schools and parish schools listed , but independent schools are not included . 0 +In 2005 , Dieudonné and Jean-Christophe Jeauffre founded the French version of the American nonprofit company Jules Verne Adventures . In 2005 Dieudonné and Jean-Christophe Jeauffre founded the American version of the French nonprofit Jules Verne Adventures . 0 +Collins Avenue is home to many historic Art Deco hotels , and several nightclubs to the north . Collins Avenue is home to many historic Art Deco hotels and several nightclubs in the north . 1 +Among the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . Among women , the favourites were Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . 1 +The primitive heart or the tubular heart tube is the earliest stage of the heart development . The primitive heart or tubular heart tube is the earliest stage of heart development . 1 +It is used as a measure for absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per unit of mass ) . It is used as a measure of the absorbed dose , kinetic energy ( released ) and kerma ( an acronym for specific energy awarded per mass unit ) . 0 +"Jesus declares that Christ is "" the Peter "" , the Anointed One ." "Peter declares that Jesus "" is the Christ "" , the Anointed ." 0 +In January 2008 , KBGY started simulcasting the morning show from KLCI 106.1 in Elk River , MN , and KDDG 105.5 in Albany , MN . In January 2008 KBGY started the simulcasting show of KLCI 106.1 in Elk River , MN , and KDDG 105.5 in Albany , MN . 1 +The NBA season 1988 -- 89 was the 43rd season of the National Basketball Association . The 1988 season -- 89 National Basketball Association was the 43rd NBA season . 1 +At the Congress Toxo was replaced by the Basque regional secretary Unai Sordo whom Toxo has supported as candidate . Toxo was supported at the congress by the Basque regional secretary Unai Sordo , whom Toxo replaced as a candidate . 0 +Bates was born in Carrollton , Missouri , to Werner Bates and Matilda ( White ) Leon Bates . Bates was born in Carrollton , Missouri , to write Werner Bates and Matilda ( White ) Leon Bates . 1 +Linna is voiced by Michie Tomizawa in Japanese and Elizabeth Becks in English in the original series , with Rio Natsuki and Kelly Manison in the 2040 series . Linna is spoken in the original series by Michie Tomizawa in Japanese and Elizabeth Becks in English , with Rio Natsuki and Kelly Manison in the 2040s series . 1 +In Gjøvik in Lillehammer and at the Gjøvik Olympic Cavern Hall in Håkons Hall , ice hockey was played in two places . Ice hockey was played at two venues , in Håkons Hall in Lillehammer and Gjøvik Olympic Cavern Hall in Gjøvik . 0 +He currently lives in Odda with his partner Randi and has three children , Lothe , Ida and Vetle , from a previous relationship . Stian currently resides in Odda with his partner , Randi . He has three children , Lothe , Ida , and Vetle , from a previous relationship . 1 +Prominent examples of the Dutch Renaissance style in Copenhagen are the Børsen on the Slotsholmen and the Frederiksborg palace in Hillerød . Børsen on Slotsholmen and Hillerød in Frederiksborg Palace are prominent examples of the Dutch Renaissance style in Copenhagen . 0 +"In 2014 , Harris acquired Publications "" XXL "" , "" King "" and "" Antenna "" from Townsquare Media ." "In 2014 , Townsquare Media purchased from Harris Publications "" XXL "" , "" King "" and "" Antenna "" ." 0 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Lawrence County with parts of the Lackawannock Township at Mercer County . Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Lawrence County with parts of Lackawannock Township in Mercer County . 1 +Mike Parlett ( also known as Michael J. Parlett ) is an English jazz saxophonist producer and radio host . Mike Parlett ( also known as Michael J. Parlett ) is a producer and radio host of English jazz saxophonist . 1 +The Berhala Island is a small forested island in the Sandakan Bay in Sandakan , Sabah , Malaysia . The Berhala Island is a small forested island situated in Sandakan Bay in Sabah , Sandakan , Malaysia . 1 +The FedEx Express season 2002 was the first franchise season in the Philippine Basketball Association ( PBA ) . The 2002 FedEx Express season was the first season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +SV Lurup is a federal association football club from the city of Hamburg in the German state of the same name . SV Lurup is a German association football club from the city of Hamburg in the state of the same name . 0 +"In addition , the song "" Calling All Angels "" is included in the movie by Jane Siberry and is played on the soundtrack ." "In addition , the song "" Calling All Angels "" is played by Jane Siberry in the film and is recorded in the soundtrack ." 0 +In November 1957 , the United Federal Party merged with the Federal Party to form the United Rhodesia Party . In November 1957 , the United Federal Party merged with the Federal Party to the United Rhodesia Party . 1 +Summers are hot and humid , and winters are mild with cool periods . Summers are hot and humid and the winters are cool with mild periods . 0 +Although there are overwhelming social implications , there also seem to be regional financial patterns that perpetuate this trend . Although there are overwhelming social implications , there also seem to be regional financial patterns that can perpetuate this trend . 1 +In 1824 , Whitehead brought out his new life Wesley -- 5 : It used Moore 's work , sometimes without recognition . Moore brought out his new life of Wesley in 1824 -- 5 : it used Whitehead 's work , sometimes without acknowledgment . 0 +Khurda Road is one of three divisions on the east coast of the railway . The East Coast Railway is one of three departments of Khurda Road . 0 +He also served as chairman of the North Shore branch of the Long Island division of the American Jewish Congress . He has also served as chairman of the North Shore branch of the Long Island Division of the American Jewish Congress . 1 +Starmount is a residential area in the South Charlotte ( South Boulevard of Arrowood and Archdale ) . Starmount is a residential neighborhood in the South Charlotte ( South Boulevard at Arrowood and Archdale ) area . 1 +MGDM has a prominent place in the health sector of Kerala especially Kottayam District . MGDM has a prominent place in the health sector of Kerala , especially in the Kottayam District . 1 +The journal is abstracted and indexed by EMBASE , Expanded Academic , Google Scholar , and Summon by Serial Solutions . The journal is abstracted and indexed by EMBASE , Expanded Academic , Google Scholar and Summon of Serial Solutions . 1 +William J. Galvin married Kathryn Galvin in 1956 , the daughter of Kevin White , who also served as a Boston City Council president . In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as Council President of Boston . 1 +The unique style of this idol is structural and is in perfect proportion . The structural art and the style of this idol is unique and is in perfect proportion to it . 0 +He is the creative spirit that is present before the creation of the universe and through his power everything in Jesus Christ was made by God the Father . He is The Creator Spirit , present before the creation of the universe and through his power everything was made in Jesus Christ , by God the Father . 1 +Since these laws were opened , many nanobreweries have changed . Many nanobreweries have changed since these laws were opened . 1 +"For all "" z "" < 1 . Since the left hand side is a harmonic function , the maximum principle implies the inequality is strict ." "For all "" z "" 1 Since the left side is a harmonic function , the maximum principle implies that inequality is strict ." 0 +In 2012 , the championships were held in Italy , in 2013 in Pouch , Germany , and in 2014 in Dunakeszi , Hungary ( Luserna ) . In 2012 , the championships were held in Italy , in Pouch , Germany in 2013 , and in 2014 in Dunakeszi , Hungary ( Luserna ) . 1 +The Arbatel De Magia veterum was a ceremonial grimoire of renaissance Latin magic published in 1575 in Switzerland . The Arbatel de Magia veterum was a Latin grimoire of the ceremonial magic of the Renaissance published in Switzerland in 1575 . 0 +"Radhika Rajamani of "" Rediff "" gave 3 out of 5 stars and stated , "" Vishwaroopam "" undoubtedly rests on Kamal Haasan , who is brilliant . """ "Radhika Rajamani of "" Rediff "" gave 3 out of 5 stars and stated "" Vishwaroopam "" is undoubtedly based on Kamal Haasan , who is brilliant ." 1 +The region was now open to the Algonquian Ojibwa ( also known as Mississauga ) , who moved in . The region was now open to Algonquian Ojibwa ( also known as the Mississauga ) who came in . 1 +The Lewis & Clark Council was formed from the 2009 merger of Trails West Council ( OVC ) and Okaw Valley Council ( TWC ) . The Lewis 's Clark Council was formed in 2009 from the merger of Okaw Valley Council ( OVC ) and Trails West Council ( TWC ) . 0 +Paul Tellier is the son of Maurice Tellier , and the grandson of Sir Joseph – Mathias Tellier , who was the brother of Louis Tellier . Paul Tellier is the son of Maurice Tellier , and the grandson of Sir Joseph-Mathias Tellier , who was the brother of Louis Tellier . 1 +The series was made by Bones and co-produced by Bandai Entertainment . The series was created by Bones and co-produced by Bandai Entertainment . 1 +On 26 July 2012 , Neil Heywood was charged with the assassination of Gu Kailai . On July 26 , 2012 , Gu Kailai was charged with the murder of Neil Heywood . 0 +There are also specific discussions , profile public discussions , and project discussions . There are also specific discussions , public profile debates and project discussions . 1 +Christina is shocked and does not believe Wilhelmina . Christina is shocked and does not believe in Wilhelmina . 1 +They speak the language of Chuvash and have some pre-Christian traditions , and many people also use the Russian language in addition to Chuvash . They speak the Russian language and have some pre-Christian traditions . In addition to Chuvash , many people also use the Chuvash language . 0 +Kabir Suman recorded several albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . Suman Chatterjee recorded several albums under the name of Suman Chattopaddhyay or Kabir Suman between 1992 and 1999 . 0 +where formula _ 3 is the original supply curve and formula _ 23 is the minimum wage . The new curve has thus a horizontal first branch and a kink at the point Where Formula 3 has the original supply curve and Formula 23 is the minimum wage , the first horizontal curve is a new branch and a knick at the point . 0 +In 1882 , he was named in the Quebec Superior Court for Gaspé district , later in Joliette , Kamouraska , and Montmagny Districts . In 1882 he was named the Quebec Superior Court for Joliette district , later in Montmagny , Kamouraska and Gaspé districts . 0 +Pingding County is a county in Shanxi Province , People 's Republic of China under the jurisdiction of the city of Yangquan . Pingding County is a county in the Province of Shanxi in the People 's Republic of China under the jurisdiction of Yangquan City . 1 +The localized versions of subsequent games use the current naming convention instead . The localized versions of subsequent games instead use the current designation convention . 1 +They were driven from the Shanxi region , modern Guizhou , in 877 by a local military force organized by the Yang family from Bozhou . They were driven out in 877 from the region of Bozhou , now Guizhou , by a local military force organized by the Yang family from Shanxi . 0 +He combines his commitments as a professional rugby player with a full-time studies at the University of Birmingham . He combines his commitments as a professional rugby player with a full-time degree at University of Birmingham 1 +The event was played on outdoor grass courts and held from 27 September to 5 October 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was held on grass courts outdoors and played from 27 September to 5 October 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . 0 +Much of the film was shot in New Brunswick , Gladstone , New Jersey , and the Palisades Park , the home of the producer . Much of the film was shot in New Brunswick ; Gladstone , New Jersey and the Palisades Park home of the producer . 1 +Colus terraenovae is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Colus terraenovae is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . 1 +Design was by Ann Dupuis and editing by Jonatha Ariadne Caspian , with a cover by Fred Fields and illustrations by James Crabtree . The design was published by Ann Dupuis and Jonatha Ariadne Caspian , with a cover by Fred Fields and illustrations by James Crabtree . 1 +According to the U.S. Census Bureau , the county is a total area , of which is land and ( 17.6 % ) has water . According to the US Census Bureau , the county is a total surface area of which is land and has water ( 17.6 % ) . 1 +This mackerel is edible and can be smoked , roasted , salted and baked . This mackerel is edible and can be smoked , fried , salted , and baked . 1 +After passing through Bryson City and Bryson City Island Park , the Tuckasegee flows to the southwest for another before flowing into the Little Tennessee River . After passing through Bryson City and flowing around the Bryson City Island Park , the Tuckasegee flows southwestward for another before emptying into the Little Tennessee River . 0 +There is no railway station in Kadipur airport that you can reach from Sultanpur by bus . There is no railway station and airport in Sultanpur , which you can reach from Kadipur by bus . 0 +The NBA season between 1982 and 83 was the 37th season of the National Basketball Association . The 1982 -- 83 National Basketball Association season was the 37th season of the NBA . 1 +On August 2 , 2011 , Billy Hewes defeated Reeves . On 2 August 2011 , Billy defeated Hewes Reeves . 0 +They were in a group with Israel , Macedonia and hosted Romania . They were in a group with Israel , Macedonia and host Romania . 1 +There are no stops in Bridgewater , but there are stops in West Bridgewater and the Campello section of Brockton . There are no bus stops in West Bridgewater , but there are stops in Bridgewater and the Campello section of Brockton . 0 +Born the son of geologist and mineralogist Emma Brosy and the Swiss berend George Escher was born . Escher was born the son of the geologist and mineralogist Emma Brosy and the Swiss Berend George Escher . 1 +Dorothy Kate Richmond , Frances Hodgkins and Gwen Knight was a Stewart contemporary . Stewart was a contemporary of Dorothy Kate Richmond , Frances Hodgkins , and Gwen Knight . 0 +The Azuga River is a tributary of the Valea Turcului River in Romania . The Azuga River is a tributary of the River Valea Turcului in Romania . 1 +In 2016 , a group of white students of the Wiggins High School laid a noose around a black student 's neck . In 2016 , a group of black students at the Wiggins High School put a noose around a white student 's neck . 0 +Fiat - Money can be physically damaged or destroyed if it is inadvertently represented in the form of currency ( paper or coins ) . Fiat money , if physically represented in the form of currency ( paper or coins ) can be accidentally damaged or destroyed . 0 +It is considered the bloodiest and third longest of the failed secession wars in the Brazilian Empire , after the Cabanagem insurrection and the Balaiada uprising . It is considered the bloodiest and the third longest of the failed wars of secession in the Brazilian Empire , after the Cabanagem Revolt and Balaiada Revolt . 1 +Renzo Furlan won 6 -- 3 , 6 -- 4 against Thomas Johansson in the finals . Thomas Johansson won in the final 6 -- 3 , 6 -- 4 against Renzo Furlan . 0 +Macedonian Turks speak the Turkish language , and second Albanian in the west and Macedonian in the east . Macedonian Turks speak the Turkish language and secondly Albanian in the west and Macedonian in the east . 1 +Cincinnati Downtown is located west of Day Heights . Day Heights is situated west of Downtown Cincinnati . 0 +The PacifiCats were designed by Philip Hercus of Australia and Robert Allan Limited in Vancouver . The PacifiCats were designed by Philip Hercus from Vancouver and Robert Allan Limited of Australia . 0 +"The word nanosecond is formed by the prefix "" nano "" and the base is a second second time unit or a sixtieth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the second one is second a basic unit of time or a sixtieth of a second ." 0 +The book even has a chapter on the beginnings of comic books , which has a good overview and is useful short information about the early Superman . The book even has a chapter on the beginnings of comic books , which is a useful short overview and has good information on the early Superman . 0 +He won the 24th World Memory Championships in December 2013 and 22th World Memory Championships in December 2014 . He won the 24th World Memory Championships in December 2013 and the 22nd World Memory Championships in December 2014 . 1 +The A40 - parallels of the M40 from London to Oxford and was for years the main road between the two cities as a precursor . The A40 parallels the M40 from Oxford to London and for years was the main road between the two cities as its precursor . 0 +Between 1971 and 1980 , Goolagong Cawley reached five finals , but only won her first and final finals . Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and last endgame . 0 +The flag of Kenya of 1963 is similar , but has white lines inserted in between the colors . The flag of Kenya of 1963 is similar , but has inserted white lines between colors . 1 +Richardson is married to Colin MacDougall . Colin MacDougall is a married to Richardson . 1 +The following sound changes from Proto-Celtic to Welsh , Cornish and Breton are summarised in the regular consonant table . The following sound changes from Proto-Celtic to Welsh , Cornish and Breton are summarised in the regular consonantal table . 1 +Santa Ana Nopalucan is a municipality in Mexico in south-eastern Tlaxcala . Santa Ana Nopalucan is a municipality in southeastern Mexico in Tlaxcala . 0 +Polk County is an unlawful community in Key West , in the U.S. state of Minnesota . Key West is an unincorporated community in Polk County , in the U.S. state of Minnesota . 0 +While prostitution is illegal in Canada , most activities related to prostitution are legal . While prostitution in Canada is illegal , most activities relating to prostitution are legal . 1 +The same report appears in Richard Hardyng 's chronicle , where Arthur Cador 's brother is called the side of his mother . "The same report appears in Richard Hardyng 's "" Chronicle , where Cador Arthur 's brother "" is called the Syde of his mother "" ." 0 +He left Loughrea , County Galway , after being dedicated to the Diocese of Clonfert in 1895 , and was appointed as a Roman Catholic priest between 1896 and 1904 after Maynooth . He left Maynooth after ordination for the Diocese of Clonfert in 1895 and was appointed as a Roman Catholic priest to Loughrea , County Galway between 1896 and 1904 . 0 +The Muslim - Albanian census of 1951 in Epirus included a total of 127 Greek chams . The Greek census of 1951 included a total of 127 Muslim Albanian chams in Epirus . 0 +This led him strongly to later press India 's claim as the original home of the Hominidae . This later led him to strongly press the claim of India as the original home of the Hominidae . 0 +Critics , however , claimed that Pershing led from far behind the lines and was critical of commanders who personally commanded troops into battle . Critics , however , claimed that Pershing was leading from far behind the lines and was critical of commanders who personally commanded troops into the battle . 1 +The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition in mixed pairs . The fourth season was premiered on June 7 , 2010 . Like the third season the system of the competition was in mixed couples . 1 +On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base to his honor . On 30 April 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base to his honour in Nevada . 0 +Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively measurable and that space is infinitely divisible . Renée Descartes , the founder of analytical geometry , believed that the natural world is objectively measurable and that the space is infinitely divisible . 1 +William Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of John Franklin Armstrong and Mary W. I. Monroe . John Franklin Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , son of William Armstrong and Mary W. I. Monroe . 0 +He developed players like Stefan Bogomilov , Bozhil Kolev , Stefan Janev , Damyan Georgiev , Ivan Derventski , Spas Kirov , Nedko Nedev . He developed players like Nedko Nedev , Ivan Derventski , resorts Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev . 1 +Wenzel Render , a privileged imperial mason and monumental architect , was the first to die . The first to die during the work was Wenzel Render , a monumental mason and privileged imperial architect . 0 +The Lewis ' Clark Council was formed in 2009 from the merger of the Trails West Council ( OVC ) and the Okaw Valley Council ( TWC ) . The Lewis 's Clark Council was formed in 2009 from the merger of Okaw Valley Council ( OVC ) and Trails West Council ( TWC ) . 0 +The Roman - Catholic diocese of Cyangugu is a diocese in the town of Kigali in the ecclesiastical province of Cyangugu , Rwanda . The Roman - Catholic diocese of Cyangugu is a diocese in the city of Cyangugu in the church province of Kigali , Rwanda . 0 +It is found only in Australia , where it has been recorded from Queensland and New South Wales . It is only found in New South Wales , where it has been recorded from Queensland and Australia . 0 +In October 2006 , CryptoLogic changed its name to Media Corporation , and sold Casino.co.uk to Gaming Corporation for £3.6m in cash in August 2007 . In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk to CryptoLogic in August 2007 for £ 3.6 million in cash . 0 +The incumbent Governor Hunt was defeated , the incumbent Church , Follett and Clark were re-elected . The incumbent governor Hunt was defeated , the incumbent church , follet , and clark were re-elected . 1 +Beverly Hills railway station is located at the South Line Airport on the Sydney Trains Network , with Riverwood in the west and Narwee to the east . Beverly Hills railway station is on the Airport & South Line of the Sydney Trains network , with Riverwood to the west and Narwee to the east . 1 +In 2015 , Local World bought Trinity Mirror 's newspapers and online services . In 2015 , Local World bought newspapers and online services from Trinity Mirror . 1 +"was played by Pruitt Taylor Vince in 1991 in the film "" JFK "" ." "Bowers was played by Pruitt Taylor Vince in the 1991 film "" JFK "" ." 1 +The 1962 Cleveland Browns season was the team 's 13th season with the National Football League . The 1962 National Football League season was the 13th season of the team with the Cleveland Browns . 0 +The third segment was built in 1929 , the second segment was completed by Peters Corners in 1930 . The second segment was built in 1929 , the third segment was completed in 1930 by Peters Corners . 0 +The sandwich is particularly popular in New England and has been proposed as the official sandwich of Massachusetts . The sandwich is particularly popular in Massachusetts and has been proposed as the official state sandwich of the New England . 0 +Her family contacted Corentin Rahier , who proposed Muriel Zazoui as a potential partner . Her family contacted Muriel Zazoui , who suggested Corentin Rahier as a potential partner . 0 +In 1915 , Pando and a number of dissatisfied liberals and former conservatives formed the Republican Party . In 1915 , Pando and a number of discontented Liberals and former Conservatives formed the Republican Party . 1 +The villa is built in baroque style , here and there with some neo-classical influences . The villa is built in the Baroque style , with some discernible Neo-Classical influences here and there . 1 +The river Jiul de Est is a tributary of the Măleia river in Romania . The Măleia River is a tributary of the Jiul de Est River in Romania . 0 +The final hidden track is an untitled track of nearly 5 minutes of silence , which precedes the 14th track . The last hidden track is an untitled track of nearly 5 minutes of silence , which precedes the 14th track . 1 +Melesio Morales ( sometimes Melisio Morales written ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . Melesio Morales ( sometimes spelled Melisio Morales ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in India ( Assam ) . Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in Assam ( India ) . 1 +Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Aramaic abbreviations and the List of Hebrew abbreviations , respectively . Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . 1 +The neighborhood also has two commuter stations , the Long Island Rail Road train stations of Forest Hills and Kew Gardens . The neighborhood also has two commuter train stations , the Long Island Rail Road railway stations of the Forest Hills and Kew Gardens . 1 +Layla was born in London as a daughter of a Brazilian mother and an English father of the Irish and Scottish ancestors . Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English ancentry . 0 +Awwad was born in Jerusalem and graduated in 1947 from the Arab College in Salfit . Awwad was born in Salfit . He graduated from the Arab College in Jerusalem in 1947 . 0 +He is owned by the DPRP Aces Partnership , trained by Ferdy Murphy , and his primary jockey was Graham Lee . He is owned by the DPRP Aces Partnership , which was trained by Ferdy Murphy , and his main jockey was Graham Lee . 1 +When Fletcher died in 1936 , Hill was asked to fill the vacancy until a successor could be elected . When Hill died in 1936 , Fletcher was appointed to fill up the vacancy until a successor could be elected . 0 +Karinizhal is an Indian Malayalam film directed by JD Thottan and produced by Kovai Ramaswamy in 1971 . Karinizhal is a 1971 Indian Malayalam film , directed by JD Thottan and produced by Kovai Ramaswamy . 1 +Peter Snell easily won the final , but Odložil managed to get silver ahead of John Davies . The final easily won Peter Snell , but Odložil managed to get silver before John Davies . 1 +On March 29 , 1861 , the Fort Fort Mason was re-occupied by federal troops and evacuated until 1869 after the Civil War . Fort Mason was evacuated by federal troops on March 29 , 1861 , and reoccupied after the Civil War until 1869 . 0 +"Aguiari described it as "" a beautiful action in the midst of traffic alone , but up there with a Zen - statue "" ." "Aguiari described it as "" a Zen action up there in the middle of traffic , but alone with a beautiful statue ." 0 +The rivalry between Devitt and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Tanahashi was victorious . The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack - Deathmatch in Destruction , where Tanahashi victorious . 1 +The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a historical kingdom of the mighty subcontinent . The Greeks and Romans identified the region as Gangaridai , a historical kingdom of the powerful subcontinent , in the 3rd century BCE . 1 +Shikigami No Shiro II has also been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . "XS has also translated "" Shikigami No Shiro II "" and published it for the PlayStation 2 under its own name "" Castle Shikigami 2 "" ." 0 +The limbs are well developed and the third back toe is not much longer than the fourth . The limbs are well developed ; the third hind toe is not much longer than the fourth . 1 +The ditch was cut from rock and about 5 m wide and 4 to 5 m deep . The ditch was cut from rock and was about 5 m wide and 4 to 5 m deep . 1 +It is found in Canada in northern Ontario and possibly Alberta . It is found in Alberta in northern Canada and possibly in Ontario . 0 +The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was educated at Royal College , Colombo . The brother of Dinesh Gunawardena and the eldest son of Philip Gunawardena , he was educated at the Royal College , Colombo . 0 +That night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . That night , Emperor Li Zhan died , and Muzong took over the throne ( as Jingzong Emperor ) . 0 +In addition to strictly scientific work , de Broglie thought and wrote about the philosophy of science , including the value of modern scientific discoveries . In addition to the strictly modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of the scientific discoveries . 0 +""" Espoir "" lost her master killed , and had six men wounded , of whom two were badly wounded ." """ Espoir "" lost her master wounded and killed six men , two of whom were seriously wounded ." 0 +When toxic concentrations are achieved , there may be a delay of one or two days before the maximum toxicity occurs . When the maximum concentrations are reached , there may be a delay of one or two days before a toxic toxicity occurs . 0 +Eugene Luening ( sometimes Eugen Luening ) ( 1852 -- 1944 ) was a musician of German origin born in Milwaukee . Eugen Luening ( sometimes Eugene Luening ) ( 1852 -- 1944 ) was a musician of German origin born in Milwaukee . 1 +It has been claimed that the church was founded in the 7th century by St Birinus , and parts of the church date from the 12th century . It was claimed that the church was founded in the 7th century by St. Birinus , and parts of the church date from the 12th century . 1 +After the cry , Vince Neil John Corabi replaced temporarily in Mötley Crüe . After The Scream , John Corabi temporarily replaced Vince Neil in Mötley Crüe . 0 +Any two of the digitized waveforms could be used by the two provided digital oscillators . Any two of the digitised waveforms could be provided by the two digital oscillators used . 0 +The board game included features called Orc Wars , and is set in and around the Broken Lands and is a power struggle to become the top humanoid . The board game contained features called Orc Wars , and is put around in and around the Broken Lands and is a power struggle to become the Top - Humanoid . 1 +The Muslim - Albanian census of 1951 in Epirus included a total of 127 Greek chams . The Greek census of 1951 counted a total of 127 Albanian Muslim chams in Epirus . 0 +Paniqui is from Manila and is from the province capital Tarlac City . Paniqui is from Manila and is from the provincial capital , Tarlac City . 1 +"Based on the A3 , the type "" A3L "" was developed from aluminum ." "Based on the A3 , the "" A3L "" type developed from aluminum was built ." 0 +A somatic antigen is an antigen , which is in the cell wall of a gram-positive or gram-negative bacterium . A positive antigen is an antigen located in the cell wall of a gram-somatic or gram-negative bacterium . 0 +""" P. seippi "" should be located in pairs in a well planted terrarium ." """ P. seippi "" should be housed in pairs in a well planted terrarium ." 1 +This was a limited release -- only 300 red vinyl copies and 200 black vinyl copies were issued . This was a limited release -- only 300 black vinyl copies and 200 red vinyl copies were issued . 0 +Crabtree manages to kill Carter and Lanzos and escape to the island 's undergrowth . Crabtree manages to kill Carter and Lanzos and escape into the island 's undergrowth . 1 +The next day Finn Malmgren was rescued , the body of Mariano and Zappi was not found . Mariano and Zappi were rescued the next day ; the body of Finn Malmgren was not found . 0 +It was extended from Laura in 1910 to Booleroo Centre , and finally to Wilmington in 1915 . It was expanded in 1910 from Laura to the Booleroo Centre and finally to Wilmington in 1915 . 1 +He survived the Soviet leadership changes from Khrushchev to Brezhnev in 1964 . In 1964 , he survived the Soviet leadership transition from Brezhnev to Khrushchev . 0 +He has two younger brothers and one elder brother . He has two younger and one elder brother . 1 +He was born in 1967 in Chicago Heights , Illinois , and attended the Bloom High School in Glenwood , Illinois . Walker was born in Chicago Heights , Illinois , in 1967 . He attended Bloom High School in Glenwood , Illinois . 1 +Eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia from 1866 to 1928 , when the Armenian seat was moved to Beirut in Lebanon . The eparchy was the seat of the patriarchal Catholic Patriarchate of Cilicia from 1866 until 1928 , when the Armenian seat was moved to Beirut , Lebanon . 1 +Route 309 is a Canton state highway in the northwestern Connecticut suburbs running from Hartford to Simsbury . Route 309 runs a Canton State Highway in the northwestern Connecticut suburbs from Hartford to Simsbury . 1 +"Others will have a clean channel that will break around 3 to "" start "" ." "Others have a clean channel that will break to "" start up "" around 3 ." 1 +Dillon took over military duties for noble officers of the old army at a very difficult time . Dillon assumed noble duties at a very difficult time for military officers of the old army . 0 +In addition , Spain entered into negotiations with the Portuguese court and agreed on the peace of Lisbon on 13 February 1668 . Furthermore , Spain entered into negotiations with the Portuguese court and on 13 February 1668 agreed the Peace of Lisbon . 1 +Giulio Pomponio Leto ( 1428 -- 9 June 1498 ) , also known as Julius Pomponius Laetus , was an Italian humanist . Giulio Pomponio Leto ( 1428 - June 9 , 1498 ) , known as Julius Pomponius Laetus , was an Italian humanist . 1 +Its main office is located in Fredericton , with two district offices in Halifax and St. John 's . Its main office is located in Fredericton , with two district offices in Halifax and St. John . 1 +The Commodore Barry Bridge is a cantilever bridge that spans the Delaware River from Bridgeport to Logan Township in Chester , Pennsylvania . The Commodore Barry Bridge is a freeware bridge that spans the Delaware River from Bridgeport to Logan Township in Chester , Pennsylvania . 1 +Pabawena wrote in 1949 to Utah Senator Arthur V. Watkins to report : Chief Pabawena wrote Utah Senator Arthur V. Watkins in 1949 to report : 1 +She finds new creative hope and friendship in Enzo , the replacement guitarist who inspires her to reach new heights . In Enzo , the replacement guitarist who inspired her to new heights , she finds new creative hope and friendship . 1 +"According to Jon Uren , Marketing - Director of Warner Music Europe , the song had also "" fantastic "" early support across Europe ." "According to Jon Uren , Marketing Director of Warner Music Europe , the song had also "" early "" fantastic support across Europe ." 1 +In the final of the first edition of these championships Carlos Carlos Salamanca won and defeated Horacio Zeballos with 7 -- 5 , 6 -- 2 . Carlos Salamanca won in the final of the first edition of these championships . He defeated Horacio Zeballos 7 -- 5 , 6 -- 2 . 1 +Casper is expressed in the second season by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser . Casper is voiced by Devon Werkheiser in the film , Robbie Sublett in the first season and Matthew Géczy in the second season . 0 +The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuos , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales . TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales were among the participants . 1 +Some of his earlier works were stricktly educational ( such as geographical films ) ; others , such as Communism and Humanity . Some of his earlier works were strictly geographical ( such as teaching films ) , others such as communism and humanity . 0 +Olivella alectona is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . Olivella alectona is a species of dwarf lake snail , small gastropod mollusk in the Olivellidae family , the sea olives . 1 +She studied there with Tony Smith , Eugene Goossen and Ad Reinhardt , and met her art students Robert Morris , Carl Andre and Robert Barry . There she studied with Robert Morris , Carl Andre and Robert Barry and met art students Tony Smith , Eugene Goossen and Ad Reinhardt there . 0 +The Sterminos River is a tributary of the River Voievodu in Romania . The Voievodu River is a tributary of the River Sterminos in Romania . 0 +Thomas Foley married Anne Foley , the daughter of Bourchier , M.P . Thomas Foley married Anne Foley , daughter of Bourchier , M.P . 1 +There is a juice shop which provides fresh juice for all . There is a Juice Shop , Which Provides all fresh juice . 1 +He moved to Rock County in 1853 and settled near Beloit in Wisconsin . In 1853 he moved to Rock County and let himself be settled near Beloit in Wisconsin . 1 +Hummer briefly pursued a broadcasting career in 1996 . He first worked for TVG Network , a horse racing network . Hummer pursued a broadcasting career briefly in 1996 , first working for TVG Network , a horse racing network . 1 +His brother Giovanni Ludovico Bianconi was a neoclassical doctor , art historian and bookseller who was a close friend of Winckelmann . His brother Winckelmann was a neoclassical doctor , art historian and bookseller who was a close friend of Giovanni Ludovico Bianconi . 0 +She sailed over Rio de Janeiro and arrived in Sydney on September 14 . She sailed via Rio de Janeiro and arrived in Sydney on 14 September . 1 +The first time Blalock played on the LPGA tour was as an amateur at the Lady Carling Eastern Open in 1964 . The first time Blalock played on the LPGA Tour was as an amateur at the 1964 Lady Carling Eastern Open . She finished T33 . 0 +Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an Italian artist and an American intellectual . Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an American artist and an Italian intellectual . 0 +The film also stars Lisa Pelikan , Michael Des Barres and Jack Nance , and was the film debut of Mariska Hargitay . The film also plays stars Lisa Pelikan , Michael Des Barres and Jack Nance and was the film debut of Mariska Hargitay . 1 +He founded the Aquila Press in the 1930s to publish literary but obscure works , and he wrote or translated over 50 books . He established the Aquila Press in the 1930s to publish literary but obscure works . He personally wrote or translated over 50 books . 1 +His son Tokugawa Ieyasu was adopted by Naotora and , under Ii Naomasa , became a dreaded general , who is considered one of his four guardians . His son Tokugawa Ieyasu was adopted by Naotora , and became a feared general under Ii Naomasa , who is considered one of his Four Guardians . 1 +The predominant sector , with a secondary occupation of the building , employs 33 % of workers . The predominant sector , with a secondary occupation of the building , employs 33 % of the workers . 1 +Defeated Katerina Maleeva Audra Keller with 7 - 6 , 6 -- 2 Katerina Maleeva defeated Audra Keller 7 -- 6 , 6 -- 2 0 +It has been effectively drunk in the house of the brewer , which then becomes a pub until all its beer is sold . It is sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . 0 +The film was produced , staged and edited by Bruce David Janu , the soundtrack was composed by Tom Flannery and Lorne Clarke . The film was produced , conducted and edited by Tom Flannery and Lorne Clarke , the soundtrack was composed by Bruce David Janu . 0 +The section of the Lower Westerwald Railway between Staffel and Hadamar was opened on 1 January 1870 and the Upper Westerwald Railway was opened on 30 May 1884 . On January 1 , 1870 , the section of the Westerwald lower railway between Staffel and Hadamar was opened and the Westerwald - Oberbahn opened on 30 May 1884 . 0 +"Calcium/calmodulin-cyclic 3 ' , 5 ' -dependent nucleotide phosphodiesterase 1A is an enzyme that in humans is encoded by the "" PDE1A "" gene ." "Calcium / calmodulin - dependent 3 ' ; , 5 ' ; -cyclic nucleotide phosphodiesterase 1A is an enzyme that is encoded in humans by the "" PDE1A "" gene ." 0 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after the current deputy leader Herbert Morrison was challenged by Aneurin Bevan . The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Aneurin Bevan , was challenged by Herbert Morrison . 0 +In January 1967 , Daltoni won second place at the first Belgrade guitar festival . In January 1967 , Daltoni won first place at the second guitar festival in Belgrade . 0 +All was born in Ashland , Kentucky , and attended the High School in Oldtown , where he played football at West Virginia University from 1932 to 1934 . Allen was born in Oldtown , Kentucky and attended high school in Ashland . He played football at the West Virginia University from 1932 to 1934 . 0 +The Antarctic Peninsula is an island group off the west coast of the Wilhelm Archipelago , Antarctica . The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in the Antarctic . 0 +He came from Feckenham , Worcestershire , England , and was born on Joyce Sutton of Wattlesborough and Edward Sutton , daughter of John Leighton , 2nd Baron Dudley . He was from Feckenham , Worcestershire , England , born to Joyce Sutton of Wattlesborough and Edward Sutton , daughter of John Leighton , 2nd Baron Dudley . 1 +Mhasad is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Mhasad is a village in the Palghar region of Maharashtra , India . It is located in Dahanu Taluka . 1 +Conservatives argued that instead , trusted politicians should be elected . The conservatives argued that instead , elected politicians should be trusted . 0 +The former North East railway station was located north of Seymour at the crossroads of Mangalore and Shepparton lines . Former station North East was located north of Seymour at the junction of the Mangalore and Shepparton lines . 1 +In Finland , Bank of Åland is a full service bank focused on private banking and premium banking . In Finland , the Bank of Åland is a full service bank focused on premium banking and private banking . 1 +KOTC : Fight to Live was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . Live to Fight was an event held on 14 May 2011 at the San Manuel Casino in San Bernardino , California . 0 +The journalist played by Elio Germano ( Luke Gualtieri , the fictional Journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . The journalist , played by Elio Germano ( Luke Gualtieri , the fictitious journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . 1 +"Aarniokoski staged the 7th episode "" The Midnight Ride "" during the first season of the FOX series "" Sleepy Hollow "" ." "During the first season of the FOX series "" Sleepy Hollow "" , Aarniokoski directed the 7th episode , "" The Midnight Ride "" ." 1 +In the 2015 Indian Premier League , Ashish Reddy was retained by the Sunrisers Hyderabad and took Darren Sammy 's wicket in the match against RCB . During the Indian Premier League in 2015 , Ashish Reddy was retained by Sunrisers Hyderabad and took Darren Sammy Wicket in the match against RCB . 1 +Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 - 6 , against Andrew Castle and Roberto Saad . Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Andrew Castle and Roberto Saad . 1 +The season 1979 -- 80 National Basketball Association was the 34th NBA season . The 1979 -- 80 National Basketball Association season was the 34th season of the NBA . 1 +Temuka was a parliamentary electorate in the Canterbury region of New Zealand from 1911 to 1946 . The electorate was represented by four Members of Parliament . From 1911 to 1946 , Temuka was a parliamentary electorate in the New Zealand region of Canterbury , and the electorate was represented by four members . 0 +Ayalathe Adheham is a 1992 suspense Malayalam film directed by Sasidharan Arattuvazhi and written by Rajasenan . Ayalathe Adheham is a Suspense Malayalam film staged by Rajasenan in 1992 and written by Sasidharan Arattuvazhi . 0 +The season of the National Basketball Association from 1979 to 80 was the 34th NBA season . The 1979 -- 80 National Basketball Association season was the 34th season of the NBA . 1 +However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . However , Mumba Malila removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position of Justice Minister . 0 +They could have been relatives , instead members of a family tied by blood to serve Dracula . Instead , they could have been relatives , perhaps members of a family connected by blood to serve Dracula . 0 +"The Vadakalai sect is also referred to as the "" northern "" culture or school , and the Thenkalai sect are the "" southern "" variant ." "The Vadakalai sect are also referred to as the "" northern "" culture or school , and the Thenkalai sect are the "" southern "" variant ." 1 +"First , he was destroyed by the VR Double Team attack , then weakened by JB 's "" Laser Lance "" command ." "First he was destroyed by the VR Double team 's attack and then weakened by the command "" Laser Lance "" by JB ." 1 +Hitler later said that Hess described the actions of Albert Speer as one of the worst personal blows of his life , as he considered it a personal betrayal . Hitler later said Hess described Albert Speer 's actions as one of the worst personal blows of his life , as he considered it a personal betrayal . 1 +On the other hand , General De Gaulle was less impressed , read her recommendations , and only half rejected most of her reports . General De Gaulle on the other hand was less impressed , dismissing her recommendations and only half reading most of her reports . 0 +The majority of Afghan patients are from the poorer strata of society who have access to free medical treatment in Pakistani government or philanthropic healthcare facilities . The majority of philanthropic patients come from the poorer strata of society , who have access to free medical treatment in the Afghan Government or in Pakistani healthcare facilities . 0 +Bullfighting has been associated in Spain as popular with religion and religious folklore at a popular level , particularly in the areas where it is most popular . Bullfighting has been seen as intertwined with religion and popular folklore in Spain at a religious level , particularly in the areas where it is most popular . 0 +Each district consisted of 4 to 7 counties , whose borders were changed in 1786 . In 1790 , the pre- 1785 system was restored . Each district consisted of 4 to 7 counties , whose borders were restored in 1786 , and the system was changed in 1790 before 1785 . 0 +However , there was only one scholarship awardee and Qian published two or three more articles than Li , so Qian was preferred . There was only one scholar , however , and Qian published two or three articles more than Li , so that Qian was preferred . 1 +Butler died in Oxford on 16 January 1909 and was buried at Holywell Cemetery in Torquay . Butler died at Oxford on 16th January , 1909 , and was buried in Holywell cemetery , Torquay . 1 +The River Miletin or Mitoc or Nacu is a tributary of the Scânteia river in Romania . The Scânteia River or Mitoc River or Nacu River is a tributary of the Miletin River in Romania . 0 +Dracco Company Ltd. with Apex Marketing subsequently created the basic version of the game and established the online universe of Chaotic . With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the Chaotic basic universe . 0 +After Sutherland 's death in 1950 , further issues of the book were published by Cressey and D. F. Luckenbill as co-authors . Further editions of the book were published after D. F. Luckenbill 's death in 1950 by Cressey and Sutherland as co-authors . 0 +Disney distributed ownership rights to the thirteen DreamWorks films it received , in compensation for outstanding loans as DreamWorks was restructured into Amblin Partners . Disney distributed property rights to the thirteen DreamWorks films it received as compensation for outstanding loans , while DreamWorks was restructured in Amblin Partners . 1 +Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , East Germany and grew up in Rothenkirchen in the Vogtland region . Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , East Germany and grew up in Rothenkirchen in Vogtland . 1 +The gymnasium also serves students from four other sending communities : Alpha , Bloomsbury ( in Hunterdon County ) , Greenwich Township and the Lopatcong Township . The high school also serves students from four other sending communities : Alpha , Bloomsbury ( in Hunterdon County ) , Greenwich Township and Lopatcong Township . 0 +Thiers proposed that France continue the hostilities against Rosas . Rosas proposed that France should continue the hostilities against Thiers . 0 +Hartford High School was founded in 1857 , shortly after The City of Hartford was established . Hartford High School was founded in 1857 , shortly after the city of Hartford was created . 1 +The resulting works are usually naïve in quality and in their reconstruction of historical scenes inaccurate . The resulting works are generally inaccurate in quality , and naïve in their reconstruction of historical scenes . 0 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto from 1709 by Caldara for Apostolo Zeno . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Apostolo Zeno for Caldara . 0 +The SSSI covers an area of 190,3 hectares , while the SAC has 168.3 hectares . The SSSI covers an area of 190.3 hectares while the SAC has 168.3 hectares . 1 +In 2006 , Lord Stair married Elizabeth Mary Hyde Parker , the daughter of Ralph Stonor , 7th Baron Camoys and Emily Mary Julia Stonor . Lord Stair married Elizabeth Mary Hyde Parker , daughter of Ralph Stonor , 7th Baron Camoys and Emily Mary Julia Stonor , in 2006 . 1 +The Pod Shot is a special attack where the side pods are shot back at high speed before circling forward and returning to the ship . The Pod Shot is a special attack in which the side Pods are launched forward at high speed , before circling back and returning to the ship . 0 +"Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefit Concerto by "" The Best Little Whorehouse in Texas "" ." "Linda Lou was viewed as a cody on October 6 , 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." 0 +"The spacecraft is the first application of Astrium 's "" Flexbus "" platform ; GRACE was the second ." "The spacecraft is the first application of the "" Flexbus "" platform of Astrium , the second was GRACE ." 1 +G + is the normal value or the number of a game under the Grundy Convention . G + is the grundy value or nimber of a game under the normal play convention . 0 +The Canadian stamps were denominated with amounts issued in dollars and cents . The Canadian stamps were issued with amounts in dollars and cents . 0 +"The weekly was published in the federal state in 1781 , the first "" Vermont - newspaper "" ." "The first newspaper was published in the state in 1781 , the weekly "" Vermont Gazette "" ." 0 +A new motorway section through the Richter Pass from Osoyoos to Keremeos was opened in 1965 . A new section of highway through the Richter Pass from Keremeos to Osoyoos was opened in 1965 . 0 +He took cylinders for the Edison company before coming to the US , and these were marketed to the German-speaking population in the United States . He recorded cylinders for the Edison company before coming to the United States , and these were marketed in the U.S. to the German-speaking population . 1 +"The species was first collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , and was described in Port Jackson ." "The species was first formally described in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , which was gathered in Port Jackson ." 0 +Visual color measurement is the conventional and common form of liquid color measurement . Visual color measurement is the conventional and usual form of liquid color measurement . 1 +Major Harold Berridge CIE OBE ( 1872 -- 17 June 1949 ) was a mechanical engineer and British civil engineer . CIE OBE ( 1872 -- June 17 , 1949 ) was a British mechanical engineer and civil engineer . 0 +Smith , born in Giddings , Texas , began his career in the Black baseball - equivalent of small leagues with the Austin Black Senators in Austin , Texas . Born in Austin , Texas , Smith began his career in black baseball 's equivalent of the minor leagues with the Austin Black Senators in Giddings , Texas . 0 +In order to preserve the neutrality of Malaysia , the Sabres were flown to Singapore via Thailand . In order to maintain Malaysia 's neutrality , the Sabres were flown to Thailand via Singapore . 0 +Taylor grew up in Mount Duneed , just outside the coastal town of Torquay , Victoria . Taylor grew up in Torquay just outside the coastal town of Mount Duneed in Victoria . 0 +The battery was originally organized by Henry Hopkins and John F. Aduddell in late 1861 , but was ultimately recruited as Company B , 2nd Kansas Cavalry . The battery was originally recruited by Henry Hopkins and John F. Aduddell in late 1861 , but was finally organized as a company B , 2nd Kansas Cavalry . 0 +In 2000 he gave Ted Walsh and his son Ruby Walsh a first Irish Grand National victory when beating Foxchapel King by ten lengths . In 2000 , he gave Ruby Walsh and his son Ted Walsh a first Irish Grand National victory when he beat Foxchapel King by ten lengths . 0 +Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the statistical area combined in Greenville - Spartanburg - Anderson , SC . Union County is included in the Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC Combined Statistical Area . 1 +Dunkerton moved to Herefordshire from London at the age of 14 . At the age of 14 Dunkerton withdrew from Herefordshire to London . 0 +"Edward Everett is portrayed by the actor Ed Asner in the documentary "" The Gettysburg Address "" from 2015 ." "In the documentary "" The Gettysburg Address "" of 2015 , Ed Asner is portrayed by the actor Edward Everett ." 0 +The Deputy to the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . The Deputy Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first Kjell Magne Bondevik Cabinet . 0 +The captains of West Indian Newburyport ( as elsewhere in Massachusetts ) had participated vigorously in the triangular trade , exporting old molasses and importing rum made from it . The captains of the West Indian Newburyport ( as elsewhere in Massachusetts ) had participated strongly in the triangular trade , exporting old molasses and importing rum made from them . 1 +A small modular reactor concept has been designed , but the large design is still being conceptualized . A large reactor concept has been designed , but the small modular design is still being designed . 0 +Burmese Chinese cuisine is based on Chinese cuisine , particularly from the provinces of Fujian , Guangdong and Yunnan , with local influences . Burmese Chinese cuisine is based on Chinese cuisine , particularly from Fujian , Guangdong and Yunnan provinces , with local influences . 1 +He is the nephew of Larry Bowa Johnson and his wife Brianna had their first child , Liz , on 31 January 2006 . He is the nephew of Larry Bowa . Johnson and his wife , Brianna , had their first child , Liz , on January 31 , 2006 . 1 +Born in Edinburgh , Scott was raised in St Andrews and attended the University of St Andrews , where he studied geology . Scott was born in Edinburgh , grew up in St Andrews and attended the University of St Andrews , where he studied geology . 1 +In this way , assertions can be provided with the Debug.Assert method as a framework feature , which is only evaluated when the DEBUG - Constant is defined . This way , assertions can be provided as a framework feature with the method Debug.Assert , which is only evaluated when the DEBUG constant is defined . 1 +However , it can be used to record VST instruments which you can then control . However , it can be used to control VST instruments , which you can record . 0 +It was released in October 1971 in the US , and the following month in the UK where it reached numbers 15 and 16 respectively in the album charts . It was released in October 1971 in the United States , and the following month in the UK , where it received numbers 15 and 16 in the album charts respectively . 1 +"The Healers is a Big Finish Productions British drama based on the long-running audio science fiction television series "" Doctor Who "" ." "The The Healers is a British drama of the Big Finish Productions based on the long-running audio - science - fiction - television series "" Doctor Who "" ." 1 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first pub of Theakson , where the first Theakston 's beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first Theakson 's pub , where the first Theakston 's beers were brewed ." 0 +Casper is expressed in the second season by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser . Casper is voiced by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser in the second season . 1 +The Bozeman Yellowstone International Airport is located on the outskirts of Gallatin Speedway north-east of Belgrade on Tubb Road . The Gallatin Speedway is located on the outskirts of Belgrade northeast of Bozeman Yellowstone International Airport in Tubb Road . 0 +Strathairn visited Williams College in Williamstown , Massachusetts , and graduated in 1970 from the Redwood High School in Larkspur , California . Strathairn attended Williams College in Williamstown , Massachusetts , and graduated from Redwood High School in Larkspur , California , in 1970 . 1 +The agency was founded in Chicago in 1976 and entered New York in 1998 and Milwaukee in 2009 . The agency was founded in 1976 in Milwaukee , and it entered the Chicago market in 1998 and New York in 2009 . 0 +This also marked the fifth series since the first to include a railway consultant as part of the production team , with Sam Wilkinson in the role . This was also the fifth series since the first including a railway consultant in the role as part of the production team with Sam Wilkinson . 1 +"Santiago is a vulgar evolution of the Galician Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is the Vulgar evolution of Galician Latin Sanctu Iacobu , "" Saint James "" ." 1 +The Bank of the People was created by radical Reform politicians James Lesslie , James Hervey Price , and Dr John Rolph in Toronto in 1835 . The Bank of the People was created in 1835 in Toronto by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . 0 +Algestone acetophenide is used in combination with estradiol enanthate as a once-monthly combined injectable contraceptive for women in Latin America and Spain . In combination with Estradiol Enanthate , Algestone Acetophenide is used as a monthly injectable contraceptive for women in Latin America and Spain . 1 +Ackman sold credit-default swaps against MBIA - corporate debt and bought the swaps for a large profit during the 2008 financial crisis . Ackman purchased credit default swaps against MBIA Corporate Debt and sold the swaps for a large profit during the 2008 financial crisis . 0 +According to the Iranian state news agency PressTV , a survey by The Doha Debates showed that 55 % of Syrian respondents did not want Assad to resign . According to the Syrian state news agency PressTV , a survey by The Doha Debates showed that 55 % of Iranian respondents did not want Assad to resign . 0 +The team 's statistical leaders included Kyle Boller , with 1,741 passing yards , Charon Arnold with 688 Rushing Yards , and Terrell Williams with 606 reception - Yards . The team 's statistical leaders included Kyle Boller with 1,741 passing yards , Charon Arnold with 688 rushing yards and Terrell Williams with 606 receiving yards . 1 +Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former shooter . Paavo Mikkonen ( born 25 January 1942 ) is a former Finnish sports shooter . 1 +The city is located south of Gaza - town and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . The city is located northeast of Gaza City and the Mediterranean Sea , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . 0 +While prostitution in Canada is legal , most activities relating to prostitution are illegal . While prostitution is legal in Canada , most activities related to prostitution are illegal . 1 +After the break-up of Cream , Bruce and Brown continued to write songs together . Brown wrote the lyrics for most of Bruce 's solo albums . After the separation of Cream , Bruce and Brown continued to write songs together Brown wrote the lyrics for most of Bruce Solo - albums . 1 +In January 1954 , Sadler 's Wells Ballet announced that Benjamin Britten was working with Cranko to create a ballet . In January 1954 , Sadler 's Wells Ballet announced that Benjamin Britten was collaborating with Cranko to create a ballet . 1 +Uwe Kröger played Belle and Marc G. Dalio played the Beast and Leah Delos Santos played Gaston . Leah Delos Santos played Belle and Uwe Kröger played the animal and Marc G. Dalio played Gaston . 0 +He recorded cylinders for the Edison company before coming to the U.S. , and these were marketed in the United States to the German-speaking population . He took cylinders for the Edison company before coming to the US , and these were marketed to the German-speaking population in the United States . 1 +It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it is often grown with gravel in sandy soils . It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it often grows with gravel in sandy soil . 0 +"Starbreeze Studios developed a new "" Syndicate "" game for EA which was released on 21 February 2012 ." "Starbreeze Studios have developed a new "" Syndicate "" game for EA , which was released on February 21 , 2012 ." 1 +"The soundtrack also featured the 1955 song "" Unchained Melody "" , composed by Alex North with lyrics by Hy Zaret ." "The soundtrack also featured the song "" Unchained Melody "" from 1955 , composed by Hy Zaret with texts by Alex North ." 0 +Fernando Verdasco defeated Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 defeats Fernando Verdasco defeated 1 +"In the 1988 miniseries "" Hemingway "" , starring Stacy Keach , Duff Twysden was played by Fiona Fullerton ." "In the miniseries "" Hemingway "" from 1988 with Stacy Keach , Duff Twysden was played by Fiona Fullerton ." 1 +Each of the squares of the area is bordered by low walls of carved sandstone , which also have small crossed rail-shaped arches . Each of the squares of the area is limited by low walls of carved sandstone , which also have small formed rail-crossed arches . 0 +Historically , it became a Christian town , but it was partly inhabited by Shias . Historically it became a Christian town , but it was partly inhabited by Shia . 1 +Born in Guadalajara , Mora played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . Mora was born in Monterrey and played professionally for the Universidad de Guadalajara , Cruz Azul and Guadalajara . 0 +In 2011 George Maguire appeared as Richard Loeb in Thrill Me , first at the Charing Cross Theatre in London and then at the Tristan Bates Theatre . In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first at the Charing Cross Theatre in London , and then at Tristan Bates Theatre . 1 +"The historical fallacy is a logical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." "The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." 1 +Sweden has an embassy in Ankara and a consulate -- general in Istanbul . Turkey has an embassy in Stockholm . Sweden has an embassy in Ankara and a Consulate General in Istanbul , and Turkey has an embassy in Stockholm . 1 +Motoyoshi Oda ( July 21 , 1910 ; Moji City , Fukuoka -- October 21 , 1973 ; Tokyo ) was a Japanese film director . Motoyoshi Oda ( July 21 , 1910 - Moji City , Fukuoka -- October 21 , 1973 ; Tokyo ) was a Japanese director . 1 +"However , on July 17 , 2006 , in a radio interview with Miguel Ángel Granados Chapa on "" Radio UNAM "" , López Obrador said :" "On July 17 , 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" 1 +Sakidaira Station is an unattended station with a small wooden side platform and a single station building . Sakidaira Station is an unattended station with a small lateral wooden platform and a single station building . 1 +In the same year he played in the UEFA Champions League qualification against HJK Helsinki and Celtic Glasgow and later in UEFA Cup against Dinamo Zagreb . In the same year he played in the qualification for the UEFA Champions League against Dinamo Zagreb and later in the UEFA Cup against HJK Helsinki and Celtic Glasgow . 0 +"Maffie considered him "" one of the greatest ballad organists "" , and Jesse Crawford also composed music , including the theme for "" House Party "" ." "Jesse Crawford considered him "" one of the greatest ballads - organists "" Maffie also composed music , including the theme for "" House Party "" ." 0 +The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Samoa government . The Chinese ambassador in Beijing is the official representative of the Government in Apia to the Government of Samoa . 0 +Generally speaking , if at formula _ 15 , a certain Feynman diagram is given by an integral formula _ 16 , at finite temperature it is represented by the sum formula _ 17 . If a certain Feynman chart is generally given in Formula 15 by an integral formula 16 , it is represented by the sum formula 17 at finite temperature . 1 +The team has played teams in recent years such as Iowa , Rutgers , Hawaii , State of Mississippi , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . The team has played teams in recent years such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . 1 +On 8 February , Enrico Dandolo met Alexios V , the crusader for peace talks . On 8 February Alexios V met the crusader leader Enrico Dandolo for peace talks . 0 +The Kettleby Public School serves the municipality for children of elementary school age . King City Secondary School is the closest high school to the community . The Kettleby Public School serves the community for children of high school age , the King City Secondary School is the nearest elementary school . 0 +In 1936 , he created the renovation of the Embassy Theatre , later known as York Road Theatre . In 1936 , he designed the renovation of the York Road Theatre , which later became known as Embassy Theatre . 0 +"Early charges remained the term "" obscenity "" as well as after "" Miller v. California "" , though the term "" pornography "" used as a reference entry :" "Early charges used the term "" obscenity "" as well as "" Miller v. California "" , though the term "" pornography "" remained as a reference entry :" 0 +We embarked on the boat at the port of Ripa on the Tiber and sailed on . We sailed on the boat at the port of Ripa on the Tiber and laid . 0 +Martina Hingis defeated Jana Novotná , 2 -- 6 , 6 -- 3 , 6 -- 3 Martina Hingis defeated Jana NovotnÃÃ , 2 -- 6 , 6 -- 3 , 6 -- 3 . 1 +The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharge . The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharges . 0 +In all the authors , the verb tends to be final in subordinate clauses more often than in main sentences . In all authors , the verb tends to be head , more often in the final clauses than in subordinate clauses . 0 +The music was composed by K. Ayyappa Panicker and Kavalam Narayana Panicker and the lyrics by M. B. Sreenivasan were written . The music was composed by MB Sreenivasan and written texts by K Ayyappa Panicker and Kavalam Narayana Panicker . 0 +The Antarctic Peninsula is an island group off the west coast of the Wilhelm Archipelago , Antarctica . The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in Antarctica . 0 +Born in Geneva , she later traveled to Moscow to study chemistry . Born in Moscow , she traveled to Geneva later to study chemistry there . 0 +The music was written by MS Baburaj and the lyrics by Poovachal Khader , Sreemoolanagaram Vijayan and Bichu Thirumala composed . The music was composed by MS Baburaj and lyrics was written by Poovachal Khader , Sreemoolanagaram Vijayan and Bichu Thirumala . 0 +This defines , as is usual for universal properties , up to a canonical isomorphism . As usual for universal properties , this defines up to a canonical isomorphism . 1 +A week later , Bland left Valparaíso and arrived in Philadelphia on October 29 , 1818 . Bland left Philadelphia one week later and arrived in Valparaíso on October 29 , 1818 . 0 +Guðmundur Ívarsson Guðmundsson replaced Emil Jónsson as Foreign Minister . Emil Jónsson replaced Guðmundur Ívarsson Guðmundsson as Minister for Foreign Affairs . 0 +Sasol , in South Africa , operates commercial gasification plants in Secunda , Mpumalanga and in Sasolburg . Sasol operates commercial gasification plants in Sasolburg , Secunda , Mpumalanga and South Africa . 0 +Van Hoof was born in Antwerp , was a student of Peter Benoit and was influenced by the works of Paul Gilson . Van Hoof , born in Antwerp , was a student of Paul Gilson and was strongly influenced by the works of Peter Benoit . 0 +Face of Evil is a 1996 TV movie starring Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as his daughter Jeanelle Polk . Face of Evil is a TV movie from 1996 with Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as the daughter Jeanelle Polk . 1 +In 1859 , Elizabeth died and in the following year William died . In 1859 , William and Elizabeth died the following year . 0 +Members of the G.723.1 patent pool are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . Members of the patent pool G.723.1 are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . 1 +The municipality is divided into the Barrios San José , Isabel , Realengo and Asunción . The municipality is divided into the barrios of San José , Isabel , Realengo and Asunción . 1 +Michele Emmer was the father of mathematician , writer and director Luciano Emmer . The father of a mathematician , writer and director Luciano Emmer was Michele Michele Emmer . 1 +The 1980-81 Toronto Maple Leafs season was the Toronto Maple Leafs 54th season of the franchise , season 64th as the Maple Leafs . The 1980 -- 81 Toronto Maple Leafs season was the Toronto Maple Leafs 64th season of the franchise , 54th season as the Maple Leafs . 0 +In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and Pecan Bowl moved from Abilene to Texas within Arlington . In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl within Texas , moved from Abilene to Arlington . 0 +Coverage in urban areas is substantially higher than in rural areas . Coverage in rural areas is considerably higher than in urban areas . 0 +Since the matrix is semidefinite , it can be diagonalized with positive transformation : Since the matrix is positive semidefinite , it can be diagonalized with a unitary transformation : 0 +""" P. seippi "" should be implanted in pairs in a well housed terrarium ." """ P. seippi "" should be housed in pairs in a well planted terrarium ." 0 +Cardinal Mazarin married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the elder sister of Armand . Cardinal Mazarin married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , elder sister of Armand . They had the following children : 1 +Some witnesses reported a white powder : TATP is a crystalline white powder . Some witnesses reported seeing a white powder : TATP is a white crystalline powder . 1 +Jason Syme is the elder Borther of Rugby - League and Rugby - Union - Footballer , Jamie Syme . Jason Jamie Syme is the older Borther of the Rugby - League and Rugby - Union - Footballers . 0 +"The time setting of "" Leave It to Beaver "" is contemporary with its production -- the early 1950s and the late 1960 's ." "The time setting of "" Leave It to Beaver "" is contemporary with its production -- the late 1950s and the early 1960s ." 0 +For large data small factors can not be ignored , but for inefficient data an asymptotically linear or quadratic algorithm may be more efficient . For large data , linear or square factors can not be ignored , but an asymptotically inefficient algorithm can be more efficient for small data . 0 +Barrallier Island is a very small uninhabited island located northwest of French Island in Victoria , Australia . Barrallier Island is a very small uninhabited island , located north-west of French Island in Victoria , Australia . 1 +In 1981 , Frank Malina died in Boulogne Billancourt , near Paris . In 1981 , Frank Malina died in Paris , near Boulogne Billancourt , France . 0 +It was initially recorded by Allen Toussaint in November 1961 and produced by Irma Thomas . It was first admitted by Irma Thomas in November 1961 and produced by Allen Toussaint . 0 +"However , species such as "" T. eurycephalus "" had a deeper rust and a shorter skull ." "Species such as "" T. eurycephalus "" , however had a deeper rostrum and a shorter skull ." 1 +Around 1890 , Emily Dennison ran Allen Morgan away with Albert Allen , a stepson of Tom 's stepmother Kate . Around 1890 Kate ran off with Albert Allen , a stepson of Tom 's stepmother , Emily Dennison Allen Morgan . 0 +Fiat - Money can be physically damaged or destroyed if it is accidentally displayed in the form of currency ( paper or coins ) . Fiat money , if physically represented in the form of currency ( paper or coins ) can be accidentally damaged or destroyed . 0 +It connects the Helen Delich Bentley Port of Baltimore and local shipping companies , and serves with two Class I railroads : CSX Transportation and the Norfolk Southern Railway . It connects the port of Bentelore with Baltimore , Helen Delich and local shipping companies , and serves two railways of Class I : CSX Transportation and the Norfolk Southern Railway . 1 +She was to become the mother of Jehangir 's oldest surviving son and successor , Akbar . She was to become the mother of Akbar 's oldest surviving son and successor , Jehangir . 0 +On 3 August 2015 , Parmele was signed by the Cleveland Browns and was dismissed by the team on 31 August 2015 . Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on 31 August 2015 . 0 +Since 1983 , Ambrosini has played the Nyckelharpa as one of the baroque-time musicians since the first full time outside of Sweden . Since 1983 , Ambrosini has played Nyckelharpa as one of the first full-time musicians since the Baroque era outside Sweden . 0 +""" Clitarchus hookeri "" is found from Wellington to the Northland region in the south of New Zealand 's North Island ." """ Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of New Zealand 's North Island ." 0 +""" Myles C. Fox "" reached Yokosuka on September 23 and left San Diego on October 8 ." On 23 September , Myles C. Fox left Yokosuka and reached San Diego on October 8 . 0 +"The historical climate concept and the modern concept are derived from the related term "" climata "" ." "The modern concept of climate and the related term are derived from the historical concept of "" climata "" ." 0 +A second son of Theophilus Levett and his wife , Lady Jane , was Berkeley John Talbot Levett , an officer of the Scots Guards . A second son of Berkeley John Talbot Levett and his wife Lady Jane was Theophilus Levett , an officer at the Scots Guards . 0 +In order to sell gold , a country abroad had to accumulate more goods than it bought . To sell gold , a country always had to accumulate more goods abroad , than it bought . 1 +He graduated in 1976 from Washburn Law School and in 1979 from Kansas Newman College . He graduated from Washburn Law School in 1976 and from Kansas Newman College in 1979 . 1 +The nearest airport is Ujjain , the nearest is Devi Aahilya Airport Bai Holkar , Indore . The nearest airport is Ujjain . The nearest railway station is Devi Aahilya Bai Holkar Airport , Indore . 1 +It is separated by the Sarawak district of Limbang in two parts . It is separated into two parts by the Sarawak district of Limbang . 1 +Spain , Germany and the Netherlands agreed to develop a trilateral basic design , which should be built and finally developed by each nation by itself . Spain , Germany and the Netherlands have agreed to develop a trilateral basic draft , which should be built by each nation itself and finally developed . 1 +Kitikmeot Region , Nunavut , Canada is an island in the western part of Victoria Island , south of Seven Mile Island , Coronation Gulf . Kitikmeot Region , Nunavut , Canada is an island located inside western Victoria Island , south of Seven Mile Island , in the Coronation Gulf . 1 +Susie J. Clarke married Brown on 30 December 1888 in Ayer , Massachusetts , USA . On December 30 , 1888 , she married Susie J. Clarke in Ayer , Massachusetts . 1 +These are female roles in Cantonese opera . The different forms of female characters are : These are different roles in the Cantonese opera , which are female forms of female characters : 0 +The 1978 Daytona 500 , the 20th race of the event , was the second race of NASCAR Winston Cup season 1978 . The 1978 Daytona 500 , the second round of the event , was the 20th race of the NASCAR Winston Cup season in 1978 . 0 +Benzoylfentanyl was banned in Sweden in September 2017 , and in Finland in October 2017 . In September 2017 , benzoylfentanyl was banned in Sweden and in Finland in October 2017 . 1 +Sinn Féin also established fraternal relations with the USSR and with socialist , workers , and communist parties around the world . Official Sinn Féin also built up fraternal relations with the USSR and with communist , workers ' and socialist parties around the world . 0 +For their performances in the game , quarterback P. J. Williams and defensive back Jameis Winston were named the game 's most valuable players . Quarterback P. J. Williams and Defensive Back Jameis Winston were named the most valuable players of the game for their performances in the game . 1 +The fortress was besieged again from 22 December 1813 until 14 April 1814 by Bavarian troops under the command of General Zoller before the French garrison surrendered . From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by Bavarian troops under the command of General Zoller , before the French garrison capitulated . 1 +In the semi-finals the teams play in second place in the pools , the first places from the other pool . In the semi-finals the teams in second place in the pools , play the first place teams from the other pool . 1 +Główczyce is a non-operational PKP railway station in Poland ( Główczyce ) , Pomeranian Voivodeship . Główczyce is a non-operational PKP station in Poland ( Główczyce ) , Pomeranian Voivodeship . 1 +He was a son of the surgeon Timothy Hosmer ( born in 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut , 1820 ) . He was a son of surgeon Timothy Hosmer ( born in Middletown , Connecticut , in 1740 ; died in Canandaigua , New York , in 1820 ) . 0 +She is currently working on a critical anthology of Neo-Latin texts . She is currently working on a critical anthology of NeoLatin texts . 1 +This quite common species can be found in the Indo-West Pacific , the Indian Ocean , the Red Sea and the Australian coast . This fairly common species can be found in the Indo-West Pacific , the Indian Ocean , the Red Sea and the Australian coast . 1 +"The species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by James Drummond ." "The species was first described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material from Carl Meissner ." 0 +Born in 1949 , Lars Elinderson is a moderate politician of the Swedish party . Lars Elinderson , born in 1949 , is a Swedish politician of the Moderate Party . 0 +Ibirapuera Park is located within this subprefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . The Ibirapuera Park is located in this subprefecture , as well as the main campus of Federal University of São Paulo and the brazilian headquarters of IBM . 1 +The film is about two Arizona brothers who move to California and end up fighting a gang of young vampires . The film is about two Californian brothers who move to Arizona and end up fighting a gang of young vampires . 0 +However , many tourists do not visit the suspension bridge and only hike . However , many of the tourists do not visit and only hike the suspension bridge . 1 +The most important index letters for distinguishing the basic types are as follows : The basic index letters for distinguishing the important types are as follows : 0 +They lived in Los Angeles , California after having lived in Spokane , Washington . They lived in Los Angeles , California , after they lived in Spokane , Washington . 1 +With the professional products of Linea Pro , the production is mainly dedicated to the industrial market , while the do-it-yourself market is served by the Linea Blu product range . Production is mainly dedicated to the industrial market , with the Linea Pro professional products ; the DIY market is served by the Linea Blu product range . 1 +"José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California called "" Felipe Calderón "" on 11 October 2012 ." "On 11 October 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." 0 +He also served as chairman of the Long Island branch of the North Shore division of the American Jewish Congress . He has also served as chairman of the North Shore branch of the Long Island Division of the American Jewish Congress . 0 +In 1856 in their home in Boston , Agassiz founded a school for girls from Cambridge . Agassiz founded a school for girls from Cambridge in her home in Boston in 1856 . 1 +Demand was low while production was high , and the strong dollar contributed . Demand was low , while production was high , and the strong dollar contributed to it . 1 +""" Espoir "" lost her master wounded and killed six men , of whom two were seriously wounded ." """ Espoir "" lost her master killed , and had six men wounded , of whom two were badly wounded ." 0 +It was shown at the Borneo Eco Film Festival on 30 September 2012 , when it was first premiered in Borneo . It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , for the first time it was shown in Borneo . 0 +In the 2015 regional elections , after Tosi was marginalized by the Federal Party , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno . In the 2015 federal election , after Tosi was sidelined by the regional party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . 0 +It was first successfully completed by a twelve-year-old American , Tom Schaar , on 26 March 2012 . It was first successfully concluded on 26 March 2012 by a 12-year-old American , Tom Schaar . 1 +Philosophy is seen instead as an activity of defining and clarifying the empirical relationships of logical rates . Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical propositions . 0 +"In his letter to Christofias , Menendez stated "" you can not ignore human rights violations by Turkey in your country and then claim such violations in Cuba ." "In his letter to Christofias , Menendez explained : "" You can not ignore human rights violations by Turkey in your country and then claim such violations in Cuba ." 1 +"The 2012 season of the League Indonesia First Division ( seventeenth : "" Divisi Satu Liga Indonesia 2012 "" ) is the Indonesian edition of Liga Indonesia First Division ." "The 2012 Liga Indonesia First Division season ( Indonesian : "" Divisi Satu Liga Indonesia 2012 "" ) is the seventeenth edition of Liga Indonesia First Division ." 0 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." "In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors are poisoned , along with Byron ." 0 +"XS has also translated "" Shikigami No Shiro II "" and published it for the PlayStation 2 under its own name "" Castle Shikigami 2 "" ." Also Shikigami No Shiro II has been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . 0 +In December 1883 , he moved to Los Angeles and then Fresno for two years . In December 1883 he moved to Los Angeles and then for two years to Fresno . 1 +Some of the company documents were safeguarded by Ina Jorgensen , the former secretary of Victor Jaques who had fled abroad . Some of the company documents were secured by Ina Jorgensen , the former secretary of Victor Jaques , who had fled abroad . 1 +Then Tyrone tells him who Tommy is . Tommy then tells him who Tyrone is . 0 +"On November 10 , 2007 , he made a second FCW appearance as "" Moose Madison "" losing to "" The Natural "" Big Rob with manager Nick Nemeth ." "On November 10 , 2007 he made a second FCW appearance as "" Moose Madison "" against "" The Natural "" Nick Nemeth with manager Big Rob to lose ." 0 +With his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart , their children were : By his wife , Jean , daughter of Sir Jean Stewart , Baronet and Duncan Campbell , their children were : 0 +""" Baie St. Paul "" has a load capacity of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." """ Baie St. Paul "" has a gross tonnage capacity of 24,430 tons and a capacity of 37,690 tons according to the Miramar Ship Index ." 0 +They can be seen often long before they are heard . They can be heard often long before they are seen . 0 +Underdog was also used as an entry music for Carl Froch in his boxing match against George Groves at the Wembley Stadium . Underdog was also used as the entrance music for George Groves in his boxing match against Carl Froch at Wembley Stadium . 0 +In life , the rational and intelligent functions of the soul are restricted by the physical senses of pleasure , pain , sight and sound . In life , the physical functions of the soul are restricted by rational and intelligent senses of pleasure , pain , visibility and sound . 0 +The last possession of the Genoese in the Mediterranean , the Tunisian island fortress , was lost to Tabarka in 1742 . The last possession of the Genoese in the Mediterranean , the island fort of Tabarka , was lost to Tunis in 1742 . 0 +It was directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . Kamala Lopez directed and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . 1 +In November 2011 , Republicans were elected to all nine seats on the Board , and in 2015 , four were replaced by Democrats . In November 2011 , Democrats were elected to all nine seats on the Board . In 2015 four were replaced by Republicans . 0 +In 1971 , a main campus was completed in 33 MacDonnell Road for the new school . In 1971 , a new campus was completed for primary school in 33 MacDonnell Road . 0 +Edward J. McKenna was a professional baseball player who played for the Washington National Association of Union in 1884 in 32 games . Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington Nationals in 32 games . 0 +China ’ s family planning policy allows minorities , including Muslims , to have up to two children in rural areas and three to four children in urban areas . The Chinese family planning policy allows minorities , including Muslims , to have up to two children in urban areas and three to four children in rural areas . 0 +The dam is operated by the United States Bureau of Reclamation , which built it , and is owned by the Elephant Butte Irrigation District . The dam is owned by the United States Bureau of Reclamation , which it has built , and is operated by the Elephant Butte Irrigation District . 0 +The Silesian Museum is a museum in Katowice , Poland . Silesian Museum is a museum in the city of Katowice , Poland . 1 +Nicolás de Noya , O. P. or Pedro de Noya ( died 1511 ) was a Roman Catholic prelate who served as Bishop of Acerra ( 1504 - 1511 ) . Nicolás de Noya , O.P . or Pedro de Noya ( died 1511 ) was a Roman Catholic prelate who served as Bishop of Acerra ( 1504 -- 1511 ) . 1 +After a brief conversation , Peter Bavasi made it clear to Hardy that Mattick would not be fired this way . After a brief conversation , Hardy made it clear to Peter Bavasi that Mattick would not be fired in this way . 0 +The ending is happy , see the historical article for the main details of Lipizzaner . The ending is happy ; see the historical article for the Lipizzaner main details . 1 +He was appointed as a member of the Council of the President 's Common Cause by Robert W. Edgar . Robert W. Edgar was appointed by Cohen as a member of the President 's Council of Common Cause . 0 +Injured with Dutt , America 's Most Wanted Sabin hit the death sentence to obtain the titles . With Sabin injured , America 's Most Wanted hit Dutt with the Death Sentence to retain the titles . 0 +William Middleton ( or William de Middleton ; died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . William de Middleton ( or William Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . 1 +B is the common term between the two premises ( the middle term ) but is never distributed , so this syllogism is invalid . B is the medium term between the two premises ( the common term ) , but is never distributed , so this syllogism is invalid . 0 +The latter study is one of the few prospective demonstrations that environmental stress with high blood pressure and LVH remains associated . The latter study remains one of the few prospective demonstrations that environmental stress with high blood pressure and LVH is associated . 1 +In 1998 , Rituparna Sengupta and Indrani Halder shared the National Film Award for the film as Best Actress , Ghosh won the National Film Award as Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as the Best Actress , Ghosh shared the National Film Award for the Best Screenplay . 0 +For scalar fluctuations , formula _ 9 is referred to as the scalar spectral index , with formula _ 10 corresponding to scale invariant fluctuations . For scalar spectral fluctuations , Formula 9 is referred to as the scalar index , with the formula 10 corresponding to scalar invariant fluctuations . 0 +She studied journalism in New York City for three years and has an MA in Mass Media from a university in London . She studied three years of journalism in London and holds an MA in mass media from a university in New York City . 0 +The highest temperature ever recorded in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . The lowest temperature ever registered in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was January 13 , 2012 . 0 +"In a 1946 discussion of fantastic literature , Edward Wagenknecht referred to "" Hope Mirrlees ' unappreciated" "In a discussion of 1946 unconsidered literature , Edward Wagenknecht referred to "" Hope Mirrlees "" fantastic ." 0 +The company got a production structure in Houston , United States in 1958 and later in Frederikssund . In 1958 , the company got a production structure in Houston , USA , and later in Frederikssund . 1 +The next two functions are analogous to the two above and are used for base clusters . The next two functions are analogous to the above two and are used for base clusters . 1 +Newark returned to the NAFBL , but withdrew at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark retreated to NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . 0 +"Immediately after he and Whitehead PM published , he wrote his 1912 "" The Problems of Philosophy "" ." "Immediately after he and Whitehead published PM he wrote his 1912 "" The Problems of Philosophy "" ." 1 +On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League B of New York Cosmos . On 6 May 2016 , it was announced that Palafox has signed the National Premier Soccer League at New York Cosmos B . 0 +In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd in Dublin and moved to Tallaght , Ireland . In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. and moved to Dublin in Tallaght , Ireland . 0 +Warsaw is a former settlement in Fresno County , California . It was located north of Mendota near the site of Pueblo de las Juntas . Mendota is a former settlement in Fresno County , California , located north of Warsaw , near the Pueblo de las Juntas . 0 +They form the bulk of the population of the Xié River and the upper Rio Negro above the mouth of the Vaupés River . They form the majority of the population of the Xié River and the upper Vaupés river above the mouth of the Rio Negro . 0 +The album was released as a digital download shortly after the CD was deleted in 2008 . The album was released on digital download in 2008 shortly after the CD was deleted . 1 +A spire was built by Barry in 1841 , but it was never designed . A tower was built in 1841 by Barry , but it was never designed . 1 +St John married Ambrose Crowley ( the daughter of Elizabeth Crowley ) of Greenwich on 6 March 1725 . Their children included : St John married Elizabeth Crowley ( the daughter of Ambrose Crowley ) of Greenwich on 6 March 1725 . Their children contain : 0 +The architectures implemented by cognitive agents are referred as intelligent architectures . Architectures implemented by intelligent agents are referred to as cognitive architectures . 0 +It was , however , a legal ceremony and not a spiritual one . However , it was a legal , and not a spiritual ceremony . 1 +"Guido Crepax is known for publishing the original edition of the "" Codex Seraphinianus "" and some of Ricci 's books ." "Guido Crepax is known for publishing the original edition of the "" Codex Seraphinianus "" and some books of Ricci ." 1 +The western town line is the border of Erie County and Genesee County , and the northern town line is the border of Erie County , New York . The west town line is the border of Erie County and Genesee County , and the north town line is the border of Erie County , New York . 1 +In 1871 , Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and author Mary Macaulay . In 1871 , Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and writer Beatrice Webb . 0 +In the summer of 2016 , several PHS alumni and former community leaders formed the Parma School Memorial Committee . The Parma School Memorial Committee was formed in the summer of 2016 by several PHS alumni and former community leaders . 1 +That night , Emperor Li Zhan died , and Muzong took up the throne ( as Emperor Jingzong ) . This night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . 0 +The district of North Grant was one of the initial districts of the first Victorian Legislative Assembly , 1856 . The North Grant district was one of the first Victorian districts of the original Legislative Assembly , 1856 . 0 +It was this title that Lancelot Brenton inherited ( his older brother John Jervis Brenton having died in 1817 ) . It was this title that John Jervis Brenton ( his elder brother Lancelot Brenton died in 1817 ) inherited . 0 +The company was then the St. Louis and Cairo Railroad , the narrow gauge acquired . The company then was the St. Louis and Cairo Railroad , which acquired narrow gauge . 1 +Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 6 - 1 Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 - 1 0 +In 1891 he became professor of inorganic chemistry and in 1903 a professor of general and analytical chemistry . He became professor of general and analytical chemistry in 1891 and professor of inorganic chemistry in 1903 . 0 +Burnside Township is bordered by Clearfield County to the northwest , Clinton County to the north , Curtin Township to the east and Snow Shoe Township to the southeast . Burnside Township is bordered to the northwest by Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . 1 +"In conservative potential coordinates , the Hamilton operator can be written of a free particle moving in a spherical "" U "" ." "In spherical coordinates , the Hamilton operator can be written of a free particle moving in a conservative potential "" U "" ." 0 +Founding member Dan McGruer left the band in 2014 and was replaced by Devin Abrams . In 2014 , founding member of 15 years Devin Abrams left the band and was replaced by Dan McGruer . 0 +Hamper is a practising carpenter in Oxford and a member of Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . Hamper is a practicing carpenter in Oxford and a member of the Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . 1 +She married Antonio Bourque , and first lived in Shediac before retiring to Villa Providence in Moncton . She married Antonio Bourque and lived in Moncton first before returning to the Villa Providence in Shediac . 0 +QuasarDB has a built-in query language which is a dialect of SQL optimized for time series . QuasarDB has a built-in query language , which is an optimized SQL dialect for time series . 0 +The event was held on outdoor grass courts and played from September 27 through October 5 , 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was held on grass courts outdoors and played from 27 September to 5 October 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . 1 +Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 against Rafael Nadal and Bartolomé Salva-Vidal . Rafael Nadal won 6 -- 3 , 7 -- 6 against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final . 0 +Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman never seen during the day . Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman who was never seen during the day . 1 +The Edmonton Oilers were the first National Hockey League team in Alberta when they were absorbed by the NHL as the WHA Fold . The Edmonton Oilers became the first NHL team in Alberta as they were absorbed by the National Hockey League when the WHA folded . 1 +He was born on 21 May 1897 in Jambol and died in Sofia on 15 June 1945 . He was born on 21 May 1897 in Sofia and died in Jambol on 15 June 1945 . 0 +Only the Sara of the south was governed effectively ; French presence in the Islamic north and east was nominal . Only the sara of the south was governed effectively , the nominal presence in the French north and east was Islamic . 0 +He proposes that the first two premises of Kant only entail that we must try to achieve the perfect good , not that it is actually achievable . He proposes that Kant 's first two premises actually entail that we must try to achieve the perfect good , not that it is only attainable . 0 +The hospital had been built in 1852 for 200 patients ... , Spencer ( Arthur ) and I were the only consultants , and two assistant doctors completed the staff . The hospital was built in 1852 for 200 patients ... , Spencer ( Arthur ) and I were the only consultants , and two assistant doctors completed the staff . 1 +The novel was read as a BBC Radio 4 Book at Bedtime by Kirsty Williams in 2008 , adapted by Toby Stephens and produced by Lu Kemp . This novel was read by Kirsty Williams as BBC Radio 4 Book at Bedtime in 2008 , adapted by Toby Stephens and produced by Lu Kemp . 1 +After graduating from high school in Iowa , she attended the Ringling College of Art in Sarasota , Florida . After graduating from high school in Sarasota , Florida , she attended Ringling College of Art in Iowa . 0 +Holy Trinity ( Catholic League ) ( 1443 W. Division St ) was also a Catholic League team . Last Tigers season for football was 1965 . Holy Trinity ( Catholic League ) ( 1443 W. Division St ) was also a Catholic League Team . The last Tigers season for football was 1965 . 1 +On 26 August , Kijevo was captured and subsequently plundered and burned . Kijevo was looted and burned on 26 August and subsequently captured . 0 +Springfield station is served by City network Ipswich & Rosewood and Indooroopilly line services . Station Springfield Station is served by City Network Ipswich , Rosewood and Indooroopilly Line Services . 1 +Issaquah Creek enters Lake Sammamish in the park . Issaquah Creek enters the Sammamish lake in the park . 1 +The land to the south of Severin was governed for Vidin by the despot of Bulgaria , Michael Shishman , a supporter of Vejtehi . The country south of Severin was governed for Bulgaria by the despot of Vidin , Michael Shishman , a supporter of Vejtehi . 0 +Qazi Ghulam Murtaza was married to Ummatullah , a daughter of Syed Zainuddin of Tijara . Syed Zainuddin was married to Ummatullah daughter of Qazi Ghulam Murtaza of Tijara . 0 +The reserve is located in the central - Alberta , near Wetaskiwin and south of Maskwacis . The reserve is located in the central - Alberta , near Maskwacis and south of Wetaskiwin . 0 +Tanzania meridionalis is a small diving spider that lives in South Africa . South Africa meridionalis is a small diving spider that lives in Tanzania . 0 +Karolína Plíšková won the title , defeating Angelique Kerber in the final , 6 -- 3 , 5 -- 7 , 6 -- 4 . Karolína Plíšková won the title and defeated in the final Angelique Kerber , 6 -- 3 , 5 -- 7 , 6 -- 4 . 1 +Aman is in love with Neha ( Nandana Sen ) , daughter of Mr. Patel ( Boman Irani ) , a conventional Gujarati . Aman is in love with Neha ( Nandana Sen ) , the daughter of Mr. Patel ( Boman Irani ) , a conventional Gujarati . 1 +Hans Jürgen Kallmann was painted in 1963 by Konrad Adenauer . In 1963 , Konrad Adenauer was painted by Hans Jürgen Kallmann . 0 +He was trained at Brunswick House , a preparatory school in Hove , and then moved to Sutherland House , a similar school in Folkestone . He was educated at Brunswick House , a preparatory school in Folkestone , and then moved to the Sutherland House , a similar school in Hove . 0 +The reactance is defined as the imaginary part of electrical impedance and is equal , but generally not analogous to reversing the susceptance . Reactance is defined as the imaginary part of Electrical impedance , and is equal but not generally analogous to the inverse of the susceptance . 1 +The river LimbÄ Å elu is a tributary of the Cenué eroaia river in Romania . The Cenușeroaia River is a tributary of the Limbăşelu River in Romania . 0 +Olivella bitleri is a species of dwarf sea snail , the small gastropod mollusk in the Olivellidae family , the marine olives . Olivella bitleri is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . 0 +Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in the Arabian Sea taluka , on the shore of Palghar . Tadiyale is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu - Taluka , on the banks of the Arabian Sea . 0 +Indiana was also founder and director of Kerchoonz.com , a social networking site that was launched in 2009 and dissolved in 2011 . Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking website that launched in 2009 and was dissolved in 2011 . 1 +On March 16 , 1494 , Maximilian married Bianca Maria Sforza . On 16 March 1494 , Maximilian married the Bianca Maria Sforza . 1 +Episode 1 included the City of Bath ; episode 2 , Park Hill , Sheffield ; episode 3 , Eastnor Castle ; and episode 4 , Covent Garden . Episode 1 included the city Bath , Episode 2 , Park Hill , Sheffield , Episode 3 , Eastnor Castle , and Episode 4 , Covent Garden . 1 +He replaced John Mabry as backup at 1st Base to Derrek Lee . He replaced Derrek Lee as a backup at 1st base to John Mabry . 0 +Back in England , Watson beat Benny Sharkey before bearing only the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . Benny Sharkey beat Sonny Lee in England before he suffered the fifth defeat of his career when he was disqualified for a low blow against Watson . 0 +The South Kasai government was supported by , another new mining company , which received concessions from the Belgian state in return for financial support . The South / Kazai government was supported by another new mining company , which received concessions from the Belgian state in exchange for financial support . 1 +Brutus died on April 9 , 1830 , in the town of Adam Helmer in Cayuga County , New York . Brutus died on April 9 , 1830 in the city of Adam Helmer at Cayuga County in New York . 1 +He attended the Rusk School in Nashville and the Fisk University in Huntsville . He attended Rusk School in Nashville and Fisk University in Huntsville . 1 +An implementation that calculates the probability density function of the Wakeby distribution is included as routine WAKPDF in the scientific data library Dataplot . An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot scientific computation library , as routine WAKPDF . 1 +The river Urechioiu is a tributary of the river Burduja in Romania . The Urechioiu River is a tributary of the Burduja River in Romania . 1 +This dish has become one of the most symbolic dishes of indian cuisine , next to Indian curry . In addition to Indian curry , this dish has become one of the most symbolic dishes of Indian cuisine . 1 +"Such a modified peptide or a "" distorted key "" will automatically become an inhibitor candidate against HIV protease ." "Such a distorted peptide , or "" modified key "" , will automatically become an inhibitor candidate against HIV protease ." 0 +The Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and headquarters of IBM . The Ibirapuera Park is located in this subprefecture , as well as the main campus of Federal University of São Paulo and the brazilian headquarters of IBM . 0 +"He has also directed many commercials , including the European "" Freestyle "" campaign for Nike , which won several international advertising awards and music videos ." "He has also directed several international music commercials , including the European "" Freestyle "" campaign for Nike , which won many awards , and commercial videos ." 0 +Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist based in Montreal . Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist with headquarters in Montreal . 1 +In 1914 , the Southern Ship was added by Alfred Shuttleworth , paid for by Temple Lushington Moore , and at the same time the Rood Screen was added . In 1914 the south aisle was added by Alfred Shuttleworth , paid for by Temple Lushington Moore , at the same time the Rood Screen was added . 0 +God does n't like uniformity , he likes the unity in diversity , a unity that does not exclude , he likes multitude of expressions and forms . God does not like uniformity , he likes unity in diversity , a unity that does not exclude , he likes a multitude of expressions and forms . 1 +Dundas Public School is a primary school in western Sydney , Dundas , in the suburb of New South Wales . Dundas Public School is a Primary School in western Sydney of New South Wales in its suburb Dundas . 0 +This film was written by Carlo Ludovico Bragaglia . The Italian version was directed by Sandro Continenza and the English translation was written by Annalena Limentani and Frederica Nutter . This movie was written by Carlo Ludovico Bragaglia , the Italian version was written by Sandro Continenza and the English translation by Annalena Limentani and Frederica Nutter . 1 +In 1889 , Charles Charles Conger sold it to Esler , and in May 1891 it sold to Horace Nichols . Esler sold it to Charles Conger in 1889 , who sold it to Horace Nichols in May 1891 . 0 +His second wife was Anna Williams , his first wife 's sister . His first wife was Anna Williams , sister of his second wife . 0 +Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 as son of his father Rabbi David Tebele Scheuer . David Tebele Scheuer was born in 1753 as son of his father Rabbi Abraham Naftali Hertz Scheuer in Frankfurt am Main . 0 +The Research Institute of Organic Agriculture is located in Frick , Switzerland with branches in Germany and Austria ( and projects world-wide ) . The Research Institute of Organic Agriculture is located in Germany and Austria with branches in Frick , Switzerland ( and projects worldwide ) . 0 +The Nordiques signed Free Agent Tony Currie from Edmonton Oilers , while Blake Wesley , who signed with the Toronto Maple Leafs , lost . The Nordiques signed free agent Tony Currie from the Toronto Maple Leafs , while they lost Blake Wesley , who signed with the Edmonton Oilers . 0 +"In 2007 , the security director of Wilkos left Jerry Springer "" to host his own syndicated talk show ." "In 2007 , security director Wilkos left "" Jerry Springer "" to host his own syndicated talk show ." 1 +The series was also produced with some success in Italy , where new stories were published in France even after the series ended . The series was also published with some success in France , where new stories were produced in Italy after the end of the series . 0 +In February 2007 Barbara Fischinger performed on the original Lumigraph in Frankfurt , and in 2012 in Amsterdam . In February 2007 , Barbara Fischinger performed in Frankfurt at the Original Lumigraph and in Amsterdam in 2012 . 1 +While Tony lunches at a golf course with Carmine Lupertazzi , Johnny Sack , and Angelo , Carmine suffers a massive stroke and is rushed to the hospital . While Tony lunches with Angelo , Johnny Sack and Carmine Lupertazzi on a golf course , Carmine suffers a massive stroke and is admitted to the hospital . 1 +His elder siblings were Patricia Lou ( 1925 born ) , Travis ( 1927-2016 ) and Larry ( 1929-2008 ) . His elder siblings were Larry ( born in 1925 ) , Travis ( 1927 -- 2016 ) , and Patricia Lou ( 1929 -- 2008 ) . 0 +AB InBev remains the largest brewery , second with SABMiller and Heineken International in third place . AB InBev remains the largest brewery , with SABMiller second , and Heineken International third . 1 +The change from thirty to forty nights does not reflect a change in the knowledge of Moses , but only a change in knowledge that God possessed . The change from thirty nights to forty nights do not reflect a change in Moses 's Knowledge , but only a change in the knowledge that God possessed . 1 +And later installed Roque Lopez as president of the provisional government in Santa Barbara town in Iloilo . And later , Roque Lopez installed himself as president of the provisional government in the town of Iloilo in Santa Barbara . 0 +Its earliest settlers were George Woods in 1774 , and George McCormick who settled at Spring Mills in 1773 and built the first mill there . Its earliest settlers were George McCormick and George Woods in 1774 , who settled in Spring Mills in 1773 and built the first mill there . 0 +His wordless novels influenced the development of the graphic novel . His graphic novels have influenced the development of the wordless novel . 0 +Henderson married Vera Cameron Price Fitz Randolph on 23 August 1923 , with whom he had a son , Richard Henderson . Henderson married Vera Cameron Price Fitz Randolph on August 23 , 1923 , with whom he had one son , Richard Henderson . 1 +The triluminary is a triangular minbari device ( one of three such devices ) with a small chip in the middle . The triluminary is a triangular Minbari device ( one of three such devices ) with a small chip in the center . 1 +It is also used as an experimental treatment of the bone disorder osteogenesis imperfecta and has been studied in the treatment of complex regional pain syndrome . It has also been studied as an experimental treatment of the bone disorder osteogenesis imperfecta . It is used in the treatment of complex regional pain syndrome . 0 +Sweden has an embassy in Ankara and a consulate general in Stockholm . Turkey has an embassy in Istanbul . Sweden has an embassy in Ankara and a General Consulate in Istanbul . Turkey has an embassy in Stockholm . 0 +It is also sold by Mondelēz International ( formerly also Kraft Foods ) as Miracel Whip throughout Germany . It is also sold by Mondelēz International ( formerly Kraft Foods ) as Miracel Whip throughout Germany . 1 +Patterson appeared and beat Triple H , stone cold Steve Austin , Brisco , Vince and Shane with a chair . Patterson appeared and hit Triple H , Stone Cold Steve Austin , Brisco , Shane and Vince with a chair . 1 +In 1993 , Aviance who was living in New York City at the time was asked to moved down to Florida by Mother Juan . In 1993 , Aviance , who was at the time living in Florida , was asked by Mother Juan to move to New York . 0 +Leon Bates was born in Carrollton , Missouri , to Werner Bates and Matilda ( White ) Bates . Bates was born in Carrollton , Missouri , to write Werner Bates and Matilda ( White ) Leon Bates . 0 +It received condemnation from various politicians and Indian Internet users . It has received condemnation from Indian politicians and from various Internet users . 0 +The architecture was made of red brick with a blue brick base . The architecture was of blue brick with a red brick base . 0 +"On 31 October 1846 , the "" Duke of Roxburgh "" sailed again from Gravesend and arrived in Port Phillip on 7 March 1847 ." "On 31 October 1846 , Duke of Roxburgh "" sailed again from Port Phillip and reached Gravesend on 7 March 1847 ." 0 +Almost the entire range is part of the Sandia Mountain Wilderness area , including the Cibola National Forest . Nearly the entire area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . 1 +Popik received more than 40,000 votes , but became second to Scott Stringer , who received more than 200,000 votes . Popik received more than 40,000 votes but finished second to Scott Stringer , who received more than 200,000 votes . 1 +Lauretta was married to Johnny Dorelli ; the couple had a son , actor Gianluca Guidi . Lauretta was married to Johnny Dorelli , the couple had a son , Gianluca Guidi actor . 1 +He finished his career playing for various teams in European leagues . He finished his career by playing for European teams in various leagues . 0 +"The Pauline epistles , the earliest texts of the New Testament , often refer to Christ as "" Jesus "" or "" Christ Jesus "" ." "The Pauline letters , the earliest texts of the New Testament , often refer to Jesus as "" Christ Jesus "" or Christ "" ." 0 +"Phon Sai is a district ( "" amphoe "" ) in the northeastern part of Roi Et Province , Southeastern Thailand ." "Phon Sai is a district ( "" Amphoe "" ) in the southeastern part of the province of Roi Et , in northeastern Thailand ." 0 +In 1942 , he played for the Brooklyn Dodgers and from 1946 until 1948 for the New York Giants . He played for the Brooklyn Dodgers in 1942 and for the New York Giants from 1946 to 1948 . 1 +Dijkstra was the father of Sjoukje Dijkstra , a figure skater who won a gold medal at the Winter Olympics in 1964 . Sjoukje Dijkstra was the father of Dijkstra , a figure skater who won a gold medal at the Winter Olympics in 1964 . 0 +He also published the Imprenta Rosario where he and his family wrote and founded several newspapers . He also published Imprenta Rosario , where he and his family wrote and founded several newspapers . 1 +The Fighter Escadrille was at the beginning of the Second World War a unit of the Łódź army , which was attached to the Polish air force . 162 . Fighter Escadrille was a unit of the Łódź Army at the start of the Second World War . The unit was attached to the Polish Air Force . 1 +They are exhibited in the Old Cathedral in the summer and in winter in the Great Cathedral . They are exhibited for worship in the Great Cathedral in the summer and in the Old Cathedral in winter . 0 +Bay of Arauco or Bahia de Araucan , is a bay located on the coast of the Arauco Province , of the Bío Bío Region of Chile . Bay of Arauco or Bahia de Araucan , is a bay on the coast of the Bío Bío region , the province of Arauco , Chile . 0 +It can be found throughout the central palaearctic region , from Turkey , Cyprus and Lebanon , through Pakistan , Iran , Afghanistan and northern Iraq to Kashmir . It is found throughout the central palaearctic , from Turkey , Cyprus , and Lebanon , through Iraq , Iran , Afghanistan , and northern Pakistan to Kashmir . 0 +He became an expert both in the clever use of the language and in the use of eloquent arguments to make his points . He became an expert both in the eloquent use of language and in the use of wise arguments to make his points . 0 +Tver Carriage Works offers the following products and provides the following services : Tver Carriage Works manufactures the following products and provides the following service.s : 0 +Brusio is a municipality located in the canton of Switzerland in the Bernina region of Graubünden . Brusio is a municipality in the Bernina Region in the canton of Graubünden in Switzerland . 0 +The 1980 Atlanta Braves season was the 15th season in Atlanta together with the 110th season as a franchise . The 1980 Atlanta Braves season was the 110th season in Atlanta together with the 15th season as a franchise . 0 +It was developed along the Brazeau River , at the confluence of Elk River in the hydrographic basin of the North Saskatchewan River . It was developed along the Elk River in the hydrographic basin of the North Saskatchewan River , at the confluence of Brazeau River . 0 +Fallout 3 is an action role-playing open world video game developed by Bethesda Game Studios and published by Bethesda Softworks . Fallout 3 is an action role-playing game open world video game developed by Bethesda Game Studios and published by Bethesda Softworks . 1 +In 2013 , Nicholas married Furiuele Julia , while Peter is married to Anna Barattin , both of whom are members of the band Shantih Shantih . In 2013 Nicholas Furiuele married Julia while Peter is married to Anna Barattin , both are members of the band Shantih Shantih . 1 +On 28 January 2015 , John Carver was brought into Watson 's backroom team at Newcastle United for the remaining 16 games of the 2014/15 season . On January 28 , 2015 , Watson was brought into the backroom team of John Carver at Newcastle United for the remaining 16 games of the 2014-15 season . 0 +Malmö FF U18 beat Djurgårdens IF U18 with 3 : 0 . Djurgårdens IF U18 beat Malmö FF U18 with 3 : 0 . 0 +He has also served as chairman of the Long Island branch of the North Shore Division of the American Jewish Congress . He also served as chairman of the Long Island branch of the North Shore division of the American Jewish Congress . 1 +It was expanded in 1910 from Laura to Wilmington and finally to the Booleroo Centre in 1915 . It was extended from Laura in 1910 to Booleroo Centre , and finally to Wilmington in 1915 . 0 +There was once a Nottingham railway station on the line between Market Harborough and Hallaton . Once upon a time there was a Nottingham railway station on the line between Market Harborough and Hallaton . 1 +Today Vissalsa survives as a military bishopric and the titular bishop is Neal James Buckon , auxiliary bishop of the current ordination in the United States . Today Vissalsa survives as a titular bishop and the current bishop is Neal James Buckon , bishop of military ordination in the United States . 0 +The championship was formed around the then newly created Rally New Zealand when it joined the World Rally Championship in 1977 . The championship was formed around the then newly created rally New Zealand when it was included in the 1977 Rally - World Championship . 1 +Williams is the cousin of South Australian MP Vickie Chapman , and niece of Vickie 's father Ted Chapman . is the cousin of southern Australian MP Vickie Chapman , and niece of Vickie 's father Ted Chapman . 0 +"All songs of Alejandro Lerner , except "" A Place Where We Belong "" written by Graham Russell ." "All songs written by Graham Russell , except for "" A Place Where We Belong "" by Alejandro Lerner ." 0 +The People 's Republic of Ukraine was non-existent and overthrown between April and December 1918 by the Jewish state of Pavlo Skoropadsky , which ended the experiment in Ukrainian autonomy . Between April and December 1918 the Ukrainian People 's Republic was non-existent and overthrown by the Ukrainian State of Pavlo Skoropadsky who ended the experiment in Jewish autonomy . 0 +"The track remains one of two tracks that Brant has ever written , the other track was also from the same album , titled "" This Time Around "" ." "The track remains one of two tracks that Brant also co-wrote , the other track was ever from the same album , entitled "" This Time Around "" ." 0 +The Philadelphia Eagles selected Hicks in the ninth round ( 84th total ) of the NFL Draft 2015 . He was the third linebacker in 2015 . The Philadelphia Eagles selected Hicks in the ninth round ( 84th overall ) of the 2015 NFL Draft . He was the third linebacker selected in 2015 . 1 +He died in Bordeaux on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Lyon . He died in Bordeaux on 23 July 1963 and was buried at the Chartreuse cemetery in Lyon . 1 +Hopewell , Charles City County , Virginia , also known as Shirley Hundred Island , is an island and a historic home and archaeological sites located near Eppes Island . Charles City County , Virginia , also known as Shirley Hundred Island , is an island and an historic home and archaeological sites near Eppes Island . 1 +The American School Foundation is one of the most ever impressive institutions in Mexico City with highly academic , exclusive IB and AP scores . The American School Foundation is one of the most impressive institutions in Mexico City with highly academic , exclusive IB and AP scores . 1 +He was then traded on the Detroit Tigers for Matt Drews and Joe Randa by the Arizona Diamondbacks with Travis Fryman . He was then traded by the Arizona Diamondbacks with Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . 0 +Aramaic remains , however , a spoken , literary and liturgical language for local Christians and also for some Jews . However , Aramaic remains a local language for spoken , literary and liturgical Christians and also for some Jews . 0 +Meyer 's law is often used to relate hardness values based on the fact that if the weight is halved and the diameter of the indenter is quartered . The Meyer Meyer law is often used to relate hardness values based on the fact that if the weight is quartered and the diameter of the indentor is halved . 0 +He was born in Nanjing , attended the engineering school in Nanhui and spent a year at the University of California . Born in Nanjing , he attended engineering school in Nanhui and spent a year at the University of California . 1 +During the campaign in 1943-1945 , there were more than 10,000 marriages between American girls and Italian soldiers . During the campaign of 1943-1945 , there were more than 10,000 marriages between Italian girls and American soldiers . 0 +The following month , Bullet Club received its first Japanese member , when Styles joined and helped Yujiro Takahashi capture the IWGP Heavyweight Championship . The following month , Bullet Club received its first Japanese member , when Styles joined and Yujiro Takahashi helped win the IWGP Heavyweight Championship . 1 +Many German troops regarded the war in Soviet terms , and viewed their Nazi enemies as subhumans . Many German troops viewed the war in Nazi terms and regarded their Soviet enemies as sub-human . 0 +In the state elections of November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the 1857 session . In the state elections of November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the 1857 session . 0 +Directed by Jonathan Silverstein , Laura Reynolds ( Heidi Armbruster ) , Craig Mathers ( Dan McCabe ) and Bill Reynolds ( Tom Lee ) were shown in the cast . Directed by Jonathan Silverstein the cast featured Heidi Armbruster ( Laura Reynolds ) , Dan McCabe ( Tom Lee ) and Craig Mathers ( Bill Reynolds ) . 0 +Yafes Osman 's son , Osman became the Science and Technology minister of Bangladesh in 2009 . The son of Osman , Yafes Osman , became Minister of Science and Technology in 2009 in Bangladesh . 0 +Typically , sarons in a number often come in sizes , from the smallest to largest : Typically , sarons often come in a number of sizes , from largest to smallest . 0 +They were the parents of agricultural educator Alfred Charles True and zoologist Frederick William True . They were the parents of agricultural educationist Alfred Charles True and zoologist Frederick William True . 1 +During this raid an Egyptian Missile boat was sunk using anti-tank M72 LAW missiles . During this raid , an Egyptian missile boat was sunk with anti-tank missiles ( M72 LAW ) . 1 +The Model United Nations club participates in academic discussions and intellectual forums throughout the Boston area , and has won several chapter awards The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapter prizes . 1 +"The singers of Sonic Syndicate , Richard Sjunnesson and Peter Wichers , sang also for a compilation - album , called "" with Soilwork guitarist Roland Johansson ." "The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , also sang for a compilation album , called "" with Soilwork guitarist Peter Wichers ." 0 +The final concert was held on December 5 , 1996 at Bristol Hippodrome with Slade II and Connolly 's Glitter Band Experience . Connolly 's final concert was at the Bristol Hippodrome on 5 December 1996 , with Slade II and John Rossall 's Glitter Band Experience . 0 +The character of Cherry Jones was the daughter of Elizabeth , played by Allison Janney , and not Mary 's daughter , played by Katie Holmes . The character of Katie Holmes was the daughter of Mary , played by Cherry Jones , and not Elizabeth 's daughter , played by Allison Janney . 0 +Sukhbinder Singh Sarkaria is an Indian politician who belongs to the Indian National Congress and is a member of the Punjab Legislative Assembly and represents Raja Sansi . Sukhbinder Singh Sarkaria is an Indian politician and belongs to the Indian National Congress . He is a member of Punjab Legislative Assembly and represent Raja Sansi . 1 +Additional land was transferred by Medford ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) to Malden again . Additional land was transferred to Malden from Medford ( 1817 ) , Everett ( 1875 ) , and Malden ( 1877 ) again . 1 +Barrallier Island is a very small uninhabited island that is located northwest of French Island in Victoria , Australia . French Island is a very small uninhabited island located northwest of Barrallier Island in Victoria , Australia . 0 +Audra Keller defeated Katerina Maleeva 7 -- 6 , 6 -- 2 . Audra Keller defeated Katerina Maleeva with 7 -- 6 , 6 - 2 . 1 +Eckhoff represented New Zealand in 1928 against Great Britain , and in 1930 against Australia . Eckhoff represented New Zealand against Great Britain in 1928 , against Australia in 1930 . 1 +On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with DeSagana Diop , in exchange for Matt Carroll . On 16 January 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop for the Dallas Mavericks . 0 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half the amount of water . Ristretto is traditionally a short shot of espresso made with the normal amount of ground coffee but extracted with about half the amount of water . 1 +In June of 1921 , the Giants Perritt sold the Detroit Tigers . In June of 1921 , the Detroit Tigers sold Perritt to the Giants . 0 +In July 2013 Lone Star Comics sold off three of their five remaining stores , in Mesquite , Hurst , and Plano . In July 2013 , Lone Star sold comics three of their five remaining stores in Plano , Hurst and Mesquite . 1 +Nicholson railway station is a Via Rail flag stop station located in the ghost town , Nicholson , Sudbury on the White River -- Ontario train . Nicholson Railway Station is a via rail flag stop station in the ghost town of Nicholson , Ontario on the Sudbury -- White River . 0 +Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Aramaic abbreviations or in the list of Hebrew abbreviations . Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Hebrew abbreviations and the List of Aramaic abbreviations , respectively . 1 +Muhammadu Buhari was confirmed as a Cabinet Minister by the Nigerian Senate in October 2015 and was appointed Minister of Defence by President Dan Ali in November 2015 . In October 2015 , it was confirmed by the Nigerian Senate as Cabinet Minister , and in November 2015 it was appointed Minister of Defence by President Muhammadu Buhari . 0 +Capt Wally Dobchuk , the first officer , Michael McCrae , and maintenance engineer Sebastian Trudel were awarded by the Aviation Week for their heroism . Capt . Wally Dobchuk , first officer Sebastian Trudel and maintenance engineer Michael McCrae were honoured for their heroism by Aviation Week . 0 +"In Europe , he appeared at Le Lido in Paris and sang with Betty Grable in the London West End musical "" Belle Starr "" ." "In Europe he performed at Le Lido in Paris and sang together with Betty Grable in the London West End - Musical "" Belle Starr "" ." 1 +The Data Definition Facility provides a semantic for persistent artifacts such as collections and indexes in XQuery or JSONiq programs . The Data Definition Facility provides a persistent function for semantic artifacts such as collections and indices in XQuery or JSONiq programs . 0 +When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Diocese of Teramo . When , in 1818 , Ortona was joined to Lanciano , Campli was assigned to the diocese of Teramo . 0 +The A cells produce Glucagon , which mobilizes hepatic glycogen , and the enterochromafin cells produce serotonin , which stimulates the contraction of the smooth muscles . The A cells produce glucagon , which mobilizes the enterochromaffin glycogen , and the hepatic cells produce serotonin , which stimulates the contraction of the smooth muscles . 0 +The previous election of 23 November 1958 perpetuated the fourth coalition . The fourth election of November 23 , 1958 immortalized the previous coalition . 0 +In 1920 , he represented Italy at the Oceanographic Congress in Madrid , and in 1924 he represented the geographical community at the International Geographic Congress in Cairo . In 1920 he represented Italy at the Oceanographic Congress in Cairo , and in 1924 he represented the geographical society at the International Geographical Congress in Madrid . 0 +It may be a single object , a group of objects , a specific environment , the entire system , etc . It can be a single object , a group of objects , a specific environment , the entire system , etc . 1 +In 1938 , after Ciano was appointed Foreign Minister , Anfuso became Head of Ministry . In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Ministry head of staff . 1 +This is a list of the etymology of street names in the Covent Garden district of London . This is a list of the etymology of street names in London 's Covent Garden district . 0 +The government of the town of Rongcheng is located in Qingyang County . The government of Qingyang County is located in Rongcheng Town . 0 +Forni Avoltri is a lake at Bordaglia Lake , Province of Udine , Friuli-Venezia Giulia , Italy . Lake Bordaglia is a lake at Forni Avoltri , Udine province , Friuli-Venezia Giulia , Italy . 0 +Black Drawing Chalks , founded in 2005 , is a Brazilian rock band from Goiânia , Goiás , Brazil , founded by a group of graphic design students . Black Drawing Chalks is a Brazilian rock band from Goiânia , Goiás , Brazil , formed in 2005 , by a group of graphic design students . 1 +John McEnroe won against Miloslav Mečíř at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . Miloslav Mečíř won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against John McEnroe . 0 +Felix researched in Bielsko , Vienna , Prague and London and worked for the Hadassah Medical Organization in Jerusalem from 1927 to 1945 . Felix researched in Bielsko , Vienna , Prague , and Jerusalem . Between 1927 and 1945 , he worked in London for the Hadassah Medical Organization . 0 +This French-supported production with John Eliot Gardiner , conductor , and his orchestra was directed by Jean Louis Martinoty . This French supported production with John Eliot Gardiner , conductor , and his Orchestra was directed by Jean Louis Martinoty . 1 +Macromedia Director ( formerly Macromedia Director ) is a multimedia application authorisation platform created by Adobe Systems and now managed by Adobe . Adobe Director ( formerly Macromedia Director ) is a multimedia application authoring platform created by Macromedia and now managed by Adobe Systems . 0 +The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the penultimate stage started the next day on the mountain . The mountainous stage 20 of the Giro started on the slopes of Les Deux Alpes , and the penultimate stage ended the next day on the mountain . 0 +Jenny Silver , better known as Jenny Maria Öhlund ( born 22 January 1974 ) is a Swedish singer . Jenny Silver better known as Jenny Maria Öhlund ( born January 22 , 1974 ) is a Swedish singer . 1 +Leopoldina Naudet was born in 1773 in Florence as the eldest daughter of Giuseppe Naudet and Susanna of Arnth , whose sister Luisa was . Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna of Arnth . Her sister was Giuseppe Naudet . 0 +The season 1995 -- 96 Bayern Munich was its 31st season of existence and the 95th Bundesliga season . The season 1995 -- 96 Bayern Munich was its 95th season of existence and the 31st Bundesliga season . 0 +RAF Ash has been sold and the site was closed in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash was closed and the site sold in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . 0 +"He became the first Kannada producer to bring Kishore Kumar into the Kannada film industry , and the song "" Aadu Aata Aadu "" was extremely popular ." "He was the first Kannada producer to bring Kishore Kumar to the Kannada film Industry and the song "" Aadu Aata Aadu "" became extremely popular ." 1 +Originally discovered and developed by Eli Lilly , oritavancin was acquired by InterMune in 2001 and then by Targanta Therapeutics in late 2005 . Originally taken over by Eli Lilly , oritavancin was discovered and developed by InterMune in 2001 and in late 2005 by Targanta Therapeutics . 0 +Rich food sources , as long as they are promoted as profitable , will be evaluated by the spies when they return to the hive . Rich food sources , as long as they are evaluated as profitable , will be applied for by the scouts when they return to the hive . 0 +She and the actor Yakov Fuchs were parents of the famous Polish-American actor Leo Fuchs . She and character actor Yakov Fuchs were the parents of the famous Polish-American actor Leo Fuchs . 1 +Rodrigues comes to Chimène and says he will not defend himself in the fight against Don Sanche . Don Sanche comes to Chimène and says he will not defend himself in the fight against Rodrigue . 0 +In October 2017 , the Outwood Grange Academies school entered trust and became Outwood Academy Redcar . In October 2017 , the Outwood Grange Academies Trust school , and joined the Outwood Academy Redcar . 0 +The 2000 Oldham Council election took place on 4 May 2000 to elect members of Oldham Metropolitan Borough Council in Greater Manchester , England . The election of the Oldham Metropolitan Borough Council in 2000 took place on 4 May 2000 to elect members of the Oldham Council in the Greater Manchester , England . 0 +The tram line was built in 1913 , expanded in 1923 and abandoned in 1983 . The tram line was built in 1913 and was abandoned in 1923 and expanded in 1983 . 0 +"Organ Grinder is a "" copper coloured ale , with a duo of unusual hops from New Zealand to give him an interesting twist ." "Organ Grinder is a "" copper coloured ale , with a duo of interesting hops from New Zealand to give it an unusual twist . """ 0 +Effective October 1 , 2012 , the airline has transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport . The airline transferred all operations from Suvarnabhumi Airport to Don Mueang International Airport effective 1 October 2012 . 0 +Christian Johansen Ihlen ( November 26 , 1838 -- January 14 , 1901 ) was a moderate politician for the Norwegian Liberal Party . Christian Johansen Ihlen ( 26 November 1838 -- 14 January 1901 ) was a Norwegian politician for the Moderate Liberal Party . 0 +"The species was first formally described by the English botanist James Edward Smith in "" Annals of Botany "" in 1805 , a type collected in Port Jackson ." "The species was first formally collected by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was described in Port Jackson ." 0 +Foley worked with , among others , Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block , and Calvin Russell . Foley worked together with Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block and Calvin Russell , amongst others . 1 +The Olt River is a tributary of the Stiniș River in Romania . The Stini - River is a tributary of the Olt river in Romania . 0 +The People 's Army for the Liberation of Angola ( FAPLA ) and Angolan troops took the city on February 1 , 1976 during the Cuban civil war . The popular armed forces for the liberation of Angola ( FAPLA ) and Cuban troops took the city on 1 February 1976 during the Angolan civil war . 0 +Lahore governor Malik Ikhtyaruddin Qaraqash held the Mongols , while the Mongols fled the city for a few years under the rule of the Mongol chief Toghrul . Governor Malik Ikhtyaruddin Qaraqash held the Mongols , while the Mongols , under the rule of the Mongolian chief Toghrul , fled from the city for a few years . 1 +Camm decided that both machines would be used : the Tempest Mk 5 had fitted with Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . Camm decided that both engines would be used : the Tempest Mk 5 was equipped with the Napier Sabre , while Tempest Mk 2 had the Bristol Centaurus . 0 +The formula _ 6 polynomials are the zonal case of the C normalization of the Jack function . The polynomials of the formula are the zonal case of the C - normalization of the jack function . 0 +This time the vocals were mastered by Matti Auerkallio and the EP by Pirkka Rännäli was performed . This time the vocals were mastered by Matti Auerkallio , and the EP was performed by Pirkka Rännäli . 1 +However , mice survived with a non-working copy of the single TWIST - Gens . However , mice with a single copy of the non-working TWIST - Gens survived . 0 +The ritual of the celebration gradually received a distinctive character with a number of similar elements : ceremonial meetings , speeches , lectures , receptions and fireworks . The ritual of the celebration gradually obtained a distinctive character with a number of similar elements : ceremonial meetings , speeches , lectures , receptions and fireworks . 1 +The 13th World Cup season began in December 1978 in Austria and concluded in March 1979 in Japan . The 13th World Cup season began in Japan in December 1978 and ended in March 1979 in Austria . 0 +For a couple of years Daniel went to the same school as Björn Dixgård and founded a band called Butler together with Björn at the age of fifteen . For a few years Daniel went to the same school as Björn Dixgård ; at the age of fifteen he founded a band called Butler together with Björn . 1 +Between 1900 and 1915 , additional tracks for local traffic were reserved , with the existing tracks being built for transit trains . Between 1900 and 1915 additional tracks were reserved for local traffic with the existing tracks being built for through trains . 1 +In 2015 , the Middleton branch of Quality Save was founded , and a superstore in the former Tesco unit next door was closed . In 2015 , the Middleton subsidiary of Quality Save was closed and a superstore was launched in the Ex - Tesco - unit next door . 0 +Jonathan Dakers met Edie Martyn as a child ( Beatrice Campbell ) . As a child Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) . 0 +Aldred was born in Montrose , Michigan , and graduated from the Hill McCloy High School in Flint , a rural town north of Flint , Michigan in 1986 . Aldred was born in Flint , Michigan , and graduated from the Hill McCloy High School in Montrose , Michigan in 1986 , a rural town north of Flint . 0 +They make up 13 % of the population in Klaipėda , 28 % in Vilnius . In Klaipėda they make up 13 % of the population , and 28 % in Vilnius . 1 +Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of two traditional high schools operated by the Twin Falls School District . 1 +Sequence - Transformations that are not linear are called nonlinear sequences - transformations . Sequence transformations that are not linear are called nonlinear sequence transformations . 1 +For the 1951 season , the circuit with the Arizona - Southwest International League merged to form the Texas League . For the 1951 season , the circuit merged with the Arizona -- Southwest International League to form the Texas League . 1 +The track was acquired in 1997 450 and the following year was renumbered by the Punchbowl Bus Company . The route was renumbered in 1997 in 450 and the following year it was acquired by the Punchbowl Bus Company . 0 +In the past , we remember the other Maran , a famous Indian intelligence officer from DHEIVA THAAI of 1964 . In the past , we remember the famous Maran , another Indian intelligence officer of DHEIVA THAAI from 1964 . 0 +To use the λ parameter that maximizes the probability function for the Poisson population , we can find the logarithm of the probability function . To find the parameter λ that maximizes the probability function for the Poisson population , we can use the logarithm of the likelihood function : 0 +Jo was grateful until Lee Naylor caught Andy damaging the washing machine . Andy was grateful until Jo Lee Naylor caught him damaging the washing machine . 0 +Boudrioz was born in Paris and died in Versailles . Boudrioz was born in Versailles and has died in Paris . 0 +The Unibus was developed around 1969 by Harold McFarland and student Gordon Bell at Carnegie Mellon University . The Unibus was developed around 1969 by Gordon Bell and student Harold McFarland while at Carnegie Mellon University . 0 +Born in Presque Isle , Maine , Cariani was eight when his family moved to Brockton , Massachusetts . Cariani was born in Presque Isle , Maine , and eight years old when his family moved to Brockton , Massachusetts . 1 +Their arrival in East Africa was shortly before the introduction of iron to Kenya . Their arrival in East Africa occurred shortly before the introduction of iron to Kenya . 1 +Part 2 was directed by Yasunori Ide and written by Manabu Nakamura . Part 2 was written by Yasunori Ide and is directed by Manabu Nakamura . 0 +The Slovak Council and the national Slovak Council of Ministers would serve as the executive authority in Bratislava . The Slovak national council and the Slovak council of ministries would serve as the executive authority in Bratislava . 1 +The North Fork Republican River is the tributary of the Republican River . The North Fork Republican River is a tributary of the Republican River . 1 +The names of Dingwall and Tingwall in Scotland , Thingwall in England , Tynwald on the Isle of Man and Tingvoll in Norway bear the same roots and meanings . Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man and Tingvoll in Scotland bear names of the same root and significance . 0 +The hall was the venue of the state funeral of federal Leader of the Official Opposition and NDP leader Jack Layton on August 27 , 2011 . The hall was the scene of the state funeral of the federal leader of the official opposition and the NDP leader Jack Layton on 27 August 2011 . 1 +Rakhal Chandra Ghosh ( 1863 -- 1922 ) , whose original name was Swami Brahmananda , was son of a zamindar in the Basirhat area . Swami Brahmananda ( 1863 -- 1922 ) , whose original name was Rakhal Chandra Ghosh , was the son of a cemindary in the Basirhat area . 0 +The Iraqi National Congress left the Alliance before the December 2005 elections , which also brought the Sadrist movement more to the Alliance . The Iraqi National Congress left the alliance prior to the December 2005 elections , which also brought the Sadrist Movement more firmly into the Alliance . 1 +"The Lagrangian of the "" free "" massless Wess -- Zumino model in four-dimensional spacetime with flat metric formula _ 1 is" "The lagrangian of the "" free "" massless Wess -- Zumino -- model in four-dimensional space time with flat metric formula 1 is :" 1 +It features the blue seventh against the dominant chord , which in the key of C would be B and G -- B -- D . It marks the blue seventh against the dominant chord , which would be in the key of C B and G - B - D . 0 +In January of next year , it was announced that Scott Pruett Craven would replace Pruett Craven in the PPI motorsports number . In January the next year , it was announced that Scott Pruett would replace Craven in PPI Motorsports 's Number . 0 +The new coalition government has abolished the South West Regional Development Agency and replaced it with local business partnerships . The Local Coalition Government abolished the South West Regional Development Agency and replaced it with new enterprise partnerships . 0 +Winter is characterized by cool , and quite dry , sunny days , and pleasant and occasionally foggy nights . The winter is characterized by dry , sunny and pleasant days and cool and occasionally foggy nights . 0 +Dr. Irwin , a U.S. Air Force orthopedic surgeon , was instrumental in preventing the amputation of John Forrest 's leg . Dr. Irwin , an orthopedic surgeon of the U.S. Air Force , was instrumental in preventing the amputation of John Forrest 's leg . 1 +Where Formula 9 is the transcendent lerch function and coth is the hyperbolic kotangen function . Where formula _ 9 is the Lerch transcendent function and coth is the hyperbolic cotangent function . 1 +Together with Rosalind Franklin , James Watson and Francis Crick shared the Nobel Prize for Physiology and Medicine in 1962 , and Maurice Wilkins died from cancer in 1958 . James Watson and Francis Crick shared the 1962 Nobel Prize for Physiology and Medicine with Rosalind Franklin ; Maurice Wilkins had already died from cancer in 1958 . 1 +It was first established as a knapweed biocontrol in the 1980s in Oregon , and it is currently released in the Pacific Northwest . It was first released in Oregon as Knopweed Biocontrol in the 1980s , and is currently established in the Pacific Northwest . 0 +The regiment was re-established in November 2013 , again at Florina , after the 9th Infantry Brigade ( former 9th Infantry Division ) was moved to Kozani . The regiment was re-established in November 2013 in Florina after the 9th Infantry Brigade ( former 9th Infantry Division ) moved to Kozani . 1 +Automatic link establishment ( ALE ) has enabled continuous amateur radio networks to operate on the high frequency bands with global coverage . The Automatic Link Establishment ( ALE ) has enabled continuous amateur radio networks to operate on high-frequency bands with global coverage . 1 +Sparkman High School in Harvest , Alabama , Sparkman School in Somerville , Alabama , Sparkman Drive in Huntsville are all named in his honor . Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named as his honours . 0 +In 1406 he had added the Juliana Anicia Codex of Dioscurides , rebound and a table of contents and minuscule scholia in Byzantine Greek comprehensively restored . In 1406 he had the Juliana Anicia Codex of Dioscurides added , rebound , and a table of contents and minuscule scholia restored in Byzantine Greek extensive . 1 +This is a list of caves in the UK , including information on the largest and deepest caves in the United Kingdom . This is a list of the caves in Britain , including information about the largest and deepest caves in the United Kingdom . 1 +A small modular reactor concept has been designed , but the big design is still being conceptualized . A large reactor concept has been designed , but the small modular design is still being conceptualized . 0 +After leaving Sheffield , Mary was transferred from her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . After leaving Sheffield , Mary was taken to Wingfield Manor in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . 1 +Then a relationship begins with Peter , very much to the disgust of Drew . Amanda then begins a relationship with Peter , much to the disgust of Drew . 1 +Another name of Sports Direct Arena ( Wincham Park ) was hosted by Frank Skinner in the popular BBC1 TV Show Room 101 . Another name of Sports Direct Arena ( Wincham Park ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . 1 +The river LimbÄ Å elu is a tributary of the River Cenué eroaia in Romania . The Cenușeroaia River is a tributary of the Limbăşelu River in Romania . 0 +Fortunately , the rich and soft dry red wine produced by the warmer Australian areas , known as Australian Burgundy , fits in with the English market . Fortunately , the rich , soft dry red wine produced by the warmer Australian areas and known as Australian Burgundy suited the English market . 1 +Yesss was sold to Hutchison Whampoa following the sale of Orange to Mobilkom Austria . Following the sale of Orange to Hutchison Whampoa , Yesss was sold off to Mobilkom Austria . 0 +The Valea Mare river is a tributary of the Moldova River in Romania . The Valea Mare River is a right tributary of the Moldova River in Romania . 1 +They played in the 2015 China Amateur Football League won the 3rd place and finished promotion to 2016 China League Two . They played in the 2015 China Amateur Football League finished 3rd and won the ascent to the China League Two 2016 . 0 +In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Disney Springs at Walt Disney World in Florida . In September 2015 , Morimoto opened the Pan-Asian restaurant Morimoto Asia at Walt Disney World in Disney Springs in Florida . 0 +There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 people and can be reserved . There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 persons and can be reserved . 1 +He was also appointed Fellow of the Royal Society in 1749 and was elected the Fellow of the Royal College of Physicians in London in 1754 . Also in 1749 he was elected a Fellow of the Royal Society and in 1754 was made Fellow of the Royal College of Physicians , London . 0 +Dr. Carter worked in Africa for several months and remains in Kem 's AIDS clinic . Dr. Carter remains in Africa for several months and works in the AIDS clinic in Kem . 0 +Looe Bay Holiday Park , a large holiday park and campsite , is located at the Great Tree . Looe Bay Holiday Park , a large holiday park and campsite , is located at Great Tree . 1 +""" Billboard "" ranked the song as 77th Best of 2017 and as the fifth in the R & amp ; B category ." """ Billboard "" ranked the song as the fifth best of 2017 and the 77th in their R & B category ." 0 +In 1890 , French Colonel Louis Archinard formally conquered the entire territory of the former Kingdom of Kaarta , which was annexed to the French West Africa in 1904 . In 1890 , the French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom , which was officially annexed to French West Africa in 1904 . 0 +Lottia persona is a species of sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . Lottia persona is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 1 +It leaves a permanent transparent film with short drying time and good liability and flexibility on all metal surfaces , rubber and plastic parts . It leaves a firm transparent film with short drying time and good adhesion and flexibility on all metal surfaces , rubber and plastic parts . 1 +"In the 2014 film "" Get On Up "" , a biography of Josh Hopkins presented by James Brown , Bryan Grazer and Mick Jagger bass is produced ." "In the 2014 film "" Get On Up "" , a biography of Josh Hopkins portrayed by James Brown , Bass is produced by Bryan Grazer and Mick Jagger ." 1 +The LA ( Inglewood , CA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a branch of Los Angeles Campus . The Inglewood , CA ( LA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a branch of the Los Angeles Campus . 1 +Belinda is a novel by Anne Rampling in 1986 , originally published under the pseudonym Anne Rice . Belinda is a 1986 novel by Anne Rampling , originally published in under the pen name Anne Rice . 1 +In 1906 , the Van Cortlandt Park Chapter of the Daughters of the American Revolution dedicated the Chief Nimham Memorial at Mount Vernon , New York . In 1906 , the Mount Vernon , New York Chapter of the Daughters of the American Revolution , consecrated Chief Nimham Memorial at Van Cortlandt Park . 0 +Then the main assault by heavy tanks , infantry and artillery would break the German lines . Then the main attack by heavy tanks , infantry and artillery would break the German lines . 1 +In August 2009 , they released a special collection of eight DVDs of their tours across Europe and Los Angeles and edited them on their official MySpace . In August 2009 they published a special collection of eight DVDs of their tours around Europe and Los Angeles and edited them on their official MySpace . 1 +""" Johnny 's Theme "" began life as "" Toot Sweet "" , a pop instrumental recorded in 1959 by Paul Anka and composed by Tutti 's Trumpets ." """ Johnny 's Theme "" began his life as "" Toot Sweet "" , a pop - instrumental , composed in 1959 by Paul Anka and recorded by Tutti 's trumpets ." 0 +In 2012 , Maggie Gee became professor of creative writing at Bath Spa University , where she shares with Professor Weldon an office . In 2012 Weldon was appointed Professor of Creative Writing at Bath Spa University where she shares an office with Professor Maggie Gee . 0 +Polish gradually replaced German as the administrative language and the establishment of voivodeships reduced the Baltic German administration . The Polish gradually replaced German , as the administrative language and the establishment of voivodeships reduced the Baltic - German administration . 1 +This version should be avoided because of its mediocre sound quality and poor packaging . This version should be avoided because of poor sound quality and mediocre packaging . 0 +The river Lotriorul is a tributary of the River Priporul in Romania . The Priporul River is a tributary of the Lotriorul River in Romania . 0 +Ringwood is located in the 39th Congressional District and is part of New Jersey 's 5th state legislative district . Ringwood is located in the 5th Congressional District and is part of the 39th New Jersey State Legislative District . 0 +Instead , a severely ill Michael creeps out of the hotel , leaving behind a note for the sleeping David and his father and travels to Venice . A critically ill Michael instead sneaks out of the hotel , leaving behind a note for the sleeping David and his father and travels to Venice . 1 +He was born in July 1973 in Petroupoli ( Athens ) . He was born in Athens ( Petroupoli ) in July 1973 . 1 +There were many people waiting for the Delhi-Tundla passenger train on the platform . There were many people waiting on the platform waiting for the Tundla-Delhi passenger train . 0 +Saraiya is a village in India and village in Bharatpur Rajasthan Gorakhpur , Uttar Pradesh . Saraiya is a village in Gorakhpur , Uttar Pradesh , and a village in Bharatpur rajasthan India . 0 +Sampling - Theory of Gy is a theory about the sampling of materials developed in articles and books by Pierre Gy in the 1950s to including 2000s : Gy 's sampling theory is a theory about the sampling of materials , developed by Pierre Gy from the 1950s to including 2000s in articles and books beginning : 1 +Since January 2013 , Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives . Republican Drew Springer , Jr. , a businessman from Muenster in Young County , has since January 2013 represented Cooke County in the Texas House of Representatives . 0 +Arabic Supplement is a Unicode block that encodes Arabic letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and old Persian . Arabic Supplement is a Unicode block that encodes old letter variants used for writing non-Arabic languages , including the languages of Pakistan and Africa , and Arabic Persian . 0 +Musa Kadhim was a descendant of seventh Imam , Muhammad Bin Syed Abdullah . Syed Muhammad Bin Syed Abdullah was a descendant of the seventh imam , Musa Kadhim . 0 +Originally called Columbia Road , this Trail Ridge Road became . Originally called Ridge Road this trail became Columbia Road . 0 +Smith 's son Jeff Smith later became Chairman and CEO of Dee 's . Later , Smith 's son Jeff Smith became Chairman and CEO of Dee 's . 1 +It is located southeast of White Cap Mountain , 2 miles southwest of Baker Mountain and 5 miles west of Moosehead Lake . It is located southeast of Moosehead Lake , 2 miles southwest of Baker Mountain and 5 miles west of White Cap Mountain . 0 +Trujillo incorporated elements of native art and hieratic figures in a very contemporary style in his canvases . Trujillo has incorporated in his canvases elements of contemporary art and local figures in a very hieratic style . 0 +Born in Moscow , she later traveled to Geneva to study chemistry . She was born in Geneva and later traveled to Moscow to study chemistry . 0 +This album is the first album with the pianist Ethan Iverson , who replaced Orrin Evans . This album is the first album with the pianist Orrin Evans , who replaced Ethan Iverson . 0 +The first meeting of the BBU in Chicago in 1932 was the last meeting of GARBC . The last meeting of the BBU 1932 in Chicago was the first meeting of the GARBC . 0 +Soon after , Styles qualified by pinning Abyss after forcing him through a table with his Spiral Tap maneuver . Soon after , Styles qualified by forcing Abyss after having pinned him through a table with his spiral tap maneuver . 0 +Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford , Moyles came through the Crossmolina Deel Rovers system . Moyles came through the Crossmolina Deel Rovers system alongside Ciarán McDonald , Peadár Gardiner and Stephen Rochford . 1 +In 2011 , the H. W. Wilson Company took over EBSCO Publishing . In 2011 , H. W. Wilson Company took over EBSCO Publishing . 1 +A multi-region DVD of the entire series was released on February 4 , 2015 by Warner Archive and was announced on February 10 , 2015 . A multi region - DVD of the entire series was announced by Warner Archive on 4 February 2015 and released on February 10 , 2015 . 0 +July 2013 to be announced . Announced to be created July 2013 . 1 +The real world , which seems more favorable than parallel to them . Parallel world , which seems more favorable to them than the real one . 0 +Rotorua is a small town at the north western end of Rotorua in the South Island of New Zealand . Lake Rotorua is located in the Tasman Region . Rotorua is a small town at the northwestern end of Lake Rotorua in the South Island of New Zealand , located in the Tasman region . 0 +"In September 2013 , a book by Dore Ashton on David Rankin 's work titled "" David Rankin : The New York Years "" was released ." "In September 2013 , a book by Dore Ashton was published on David Rankin 's work entitled "" David Rankin : The New York Years "" ." 1 +Madison is located in the 27th State District and is part of the 11th Congressional Legislative District in New Jersey . Madison is located in the 11th Congressional District and is part of New Jersey 's 27th state legislative district . 0 +A typical party light organ of the 1970s had three radiators , red , green and blue , for tones in bass , medium frequency and high frequency . A typical party light organ of the 1970s had three spotlights , red , green and blue , for sounds in bass , medium frequency and high frequency . 1 +Producer of the second season was Lawrence Kasha , John Thomas Lenox produced the first season . Producer of the first season was Lawrence Kasha , John Thomas Lenox produced the second season . 0 +Key operations include key generation algorithms , public key exchange agreements and key cryptography standards . Key operations include key generation algorithms , key exchange agreements , and cryptography standards with a public key . 0 +"The first well-known Spanish sighting of Whidbey Island was at the "" Princesa Real "" during the European expedition of Manuel Quimper and Gonzalo López de Haro ." "The first known European sighting of Whidbey Island was during the 1790 Spanish expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." 0 +As Barry 's body begins to unravel , he tries to help Jay remember him . When Barry 's body begins to unravel , he tries to help Jay remember him . 1 +The season of 1912-13 was the sixth season of Manchester United in the Football League and 21st in the First Division . The 1912 - 13 season was Manchester United 's sixth season in the Football League and 21st in the First Division . 1 +She is currently working on a Neo-Latin anthology of critical texts . Currently she is working on a NeoLatin anthology of critical texts . 1 +Along the coast there are about 2,000 islands , almost three quarters of which are uninhabited . There are about 2,000 islands along the coastline , almost three quarters of which are uninhabited . 1 +Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator - video game developed by Bohemia Interactive Studio and published by Codemasters in 2001 . Operation Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator video game developed by Bohemia Interactive Studio and published by Codemasters in 2001 . 1 +In 1873 , Constantine married Henrietta Anne Armstrong . One of his sons , Charles Francis Constantine , became the XI Commandant at RMC , Kingston . In 1873 , Constantine Henrietta , one of his sons , Charles Francis Constantine , married Anne Armstrong , became XI commander at RMC , Kingston . 0 +In early 2012 Renato Corona was the presiding officer of the Impeachment of Chief Justice Enrile . In early 2012 , Renato Corona was the presiding officer of the indictment of Chief Justice Enrile . 1 +A Jill Day Comic stripe , drawn by Denis Gifford , was released in Star Comics ( 1954 ) , published by Gifford and Bob Monkhouse . Bob Monkhouse - Comic , drawn by Jill Day , was released in Star Comics ( 1954 ) , published by Gifford and Denis Gifford . 0 +"The accompanying music video for "" Slow "" was run by Michael Rooney and choreographed by Baillie Walsh ." "The accompanying music video for "" Slow "" was directed by Baillie Walsh and choreographed by Michael Rooney ." 0 +"Mayall adopted new bass and drums tracks for "" Archives to Eighties - tracks played by Bobby Haynes and Joe Yuele ." "For "" Archives to Eighties "" Bobby Haynes recorded new bass and drums tracks played by Mayall and Joe Yuele ." 0 +When it was first designated , the route between Treichlers and Bath was paved . When first designated , the route was paved between Treichlers and Bath . 1 +Morris Township is located on the 25th Congressional District and is part of the 11th State Legislative District in New Jersey . Morris Township is located on the 11th Congressional District and is part of the 25th State Legislative District in New Jersey . 0 +In 2010 she performed at the sixth annual Jewlicious Festival next to Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . In 2010 , she performed at the sixth annual Jewlicious Festival alongside Matisyahu , Moshav , Rav Shmuel , Electro Morocco , and Kosha Dillz . 1 +Winder is located in central Athens at ( 33.996495 , -83.720873 ) . It is west of Barrow County and northeast of downtown Atlanta . It is located in central Barrow County ( 33.996495 , -83.720873 ) , west of Athens and northeast of downtown Atlanta . 0 +"Chontelle Moore is an American actress , best known for her role as Pilar in "" ." Pilar is an American actress known for her role as Chontelle Moore . 0 +As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and sponsored its development . As a result , Sumitada opened the port of Nagasaki to the Portuguese in 1570 and supported its development . 1 +"Reconstruction projects were routinely approved by the parliament , so the navy officially "" rebuilt "" Prinz Eugen "" and her sister ships ." "The reconstruction projects were officially approved by Parliament , so the navy "" has routinely rebuilt Prince Eugen "" and her sister ships ." 0 +The show was initiated and produced by Barraclough Carey Productions by Peter Weil . The show was initiated by Peter Weil and produced by Barraclough Carey Productions . 1 +Jack Arnold , the film stars John Agar and Lori Nelson , directed . Directed by Jack Arnold , the film stars John Agar and Lori Nelson . 1 +"Sébastien Agius , the winner of the opening season of "" X Factor "" in France in 2009 , plays the role of Maximilien de Robespierre ." "Sébastien Agius , the winner of the inaugural season of "" X Factor "" in France in 2009 , plays the role of Maximilien de Robespierre ." 1 +His police career began in San Antonio , Texas , and was a police officer in San Francisco before he returned to San Diego . His police career began in San Antonio , Texas , and was a policeman in San Francisco before he returned to San Diego . 1 +On March 29 , 1861 , the Fort Fort Mason was reoccupied by federal troops and evacuated to 1869 after the civil war . Fort Mason was reoccupied by federal troops on March 29 , 1861 , and evacuated after the Civil War until 1869 . 1 +Maval is a Taluka part of the Pune District in the state of Maharashtra India , It is located 85 km from Pune and 54 km from Mumbai . Maval is a taluka part of the Pune District in the state of Maharashtra India , it is 85 km from Pune and 54 km from Mumbai . 1 +This can occur due to autosomal dominant diseases such as hereditary hemorrhagic telangiectasia . Can occur due to autosomal dominant diseases , such as hereditary hemorrhagic telangiectasia . 1 +These puppets had covered their English or German names with a sticker with the Spanish name or sometimes nothing at all . These dolls had covered their English or Spanish names with a sticker with the German name or sometimes nothing . 0 +However , much of the city 's crime is centralized in most dispersed neighborhoods and Western neighborhoods adjacent to Hartsfield-Jackson International Airport . However , much of the city 's crime is centralized in most of Western neighborhoods and scattered neighborhoods adjacent to Hartsfield - Jackson International Airport . 1 +The episodes were shot in foreign locations the UK , and various scenes were shot in Twickenham studios . The episodes were shot in various places in the UK and foreign scenes were shot at Twickenham Studios . 0 +Clara Louise Bell ( 1886 -- 1978 ) ( known as Clara Louise Janowsky ) was an American miniature painter . Clara Louise Bell ( 1886 -- 1978 ) ( also known as Clara Louise Janowsky ) was an American miniature painter . 1 +Sarons typically come in a number often sizes , from largest to smallest . Typically , sarons in a number often come in sizes , from the smallest to largest : 0 +Promegestone is only weakly bound to albumin ; it does not bind to sex hormone-binding globulin , and binds mainly to transcortin . Promegestone is mainly bound to albumin , it does not bind to sex hormone - binding globulin and binds to Transcortin only weakly . 0 +As a result , in 1570 , Sumitada sponsored the port of Nagasaki to the Portuguese and opened its development . As a result , Sumitada opened the port of Nagasaki to the Portuguese in 1570 and supported its development . 0 +Wallace also died on campaign two years after Edward 's execution , not in bed at his home . Also , Wallace died on campaign two years after Edward 's execution , not in bed at his home . 1 +Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on 31 August 2015 . On 3 August 2015 , Parmele was signed by the Cleveland Browns and was released by a team on 31 August 2015 . 0 +The 1954 -- 55 NBA season was the ninth season of the National Basketball Association . The season of the National Basketball Association from 1954 - 55 was the NBA 's ninth season . 1 +On average January is the warmest month , the coolest month in July and June the wettest month . On average , January is the coolest month , July is the warmest month , and June is the wettest month . 0 +The province of Puerto Inca is the largest of the eleven provinces in the Huánuco region in Peru . The Huánuco Region is the largest of eleven provinces of the Puerto Inca Province in Peru . 0 +Flower was captured in 1945 in Salzburg by the Americans and brought to the Landsberg prison . In 1945 , Blume was captured by the Americans in the Landsberg prison and taken to Salzburg . 0 +Only the sara of the south was governed effectively , the nominal presence in the French north and east was Islamic . Only the Sara of the south was governed effectively ; nominal presence in the French north and east was Islamic . 1 +The hurricane indirectly killed one person and directly killed two in the state . The hurricane indirectly killed a person and killed two directly in the state . 1 +Ingham County is a charter township of the Meridian Charter Township in the US state of Michigan . Meridian Charter Township is a charter township of Ingham County in the US state of Michigan . 0 +The Valea Voenilor River is a tributary of the Pascu River . The river Valea Voenilor is a tributary of the Pascu River . 1 +Bynum was born in Baltimore in 1975 , grew up in Boston . Bynum , born in 1975 in Boston , grew up in Baltimore . 0 +"Parr himself introduced two other versions ( "" unplugged "" and "" acoustic "" ) for the film "" The Brothers Solomon "" ." "Parr himself has performed two acoustic versions ( "" other "" and "" unplugged "" ) for the film "" The Brothers Solomon "" ." 0 +Brayshaw began his career and ended his career with Claremont Football Club in the West Australian Football League . Brayshaw began his career and ended his with Claremont Football Club in the West Australian Football League . 1 +Seleucus was a wealthy Christian Roman Senator of Greek descent who lived in the first half of the 4th century and second half of the 5th century . Seleucus was a wealthy Christian Roman senator of Greek descent , who lived in the second half of the 4th century and the first half of the 5th century . 0 +Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of two public secondary schools operated by the Twin Falls School District . 0 +In February 2011 , Cenveo Corporation sold its Envelope Products business , including the Columbian Brand Envelope , to the Quality Park Envelope Products Group of MeadWestvaco . In February 2011 , MeadWestvaco sold its Envelope Products business , including the Columbian Brand Envelope , to the Quality Park Envelope Products Group of Cenveo Corporation . 0 +"It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" on Checkbook Records ." "It was released via Checkbook records on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" ." 0 +Fish species of the parks rivers and lakes are Sperchios barbel , Greek chub , Sperchios spirlin , Macedonian trout and probably the endangered Marathon minnow . Fish species of the parks rivers and lakes are Sperchios Barbe , Greek Döbel , Sperchios spirlin , Macedonian trout and probably the endangered Marathon Minnow . 1 +Johnson allowed the three inexperienced pilots to damage it , but they only managed to attack the bomber . The three inexperienced pilots were allowed to attack it , but they managed only to damage the bomber . 0 +Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a Brazilian taekwondo athlete . Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete of Maringá . 0 +The first was a four lane studio session and the second six tracks at the Reading Festival . The second was a four track studio session and the first six tracks recorded at the Reading Festival . 0 +Dowa s a district in the Central Region of Malawi . The capital is Dowa . Dowa is a district in the central region of Malawi with the capital Dowa . 1 +On 23 January 2006 , Ericsson acquired a majority stake in the parent company of Marconi Communications , Marconi Corporation plc . The rest of Marconi Corporation plc was renamed Telent plc . On 23 January 2006 , Ericsson acquired a majority of Marconi Communications ' parent company , Telent plc . The remainder of Marconi Corporation plc was renamed Marconi Corporation plc . 0 +Although its conjugated acid is highly reactive , peroxynitrite in basic solutions is stable . Although its conjugate acid is highly reactive , peroxynitrite is basic in stable solutions . 0 +Eckstein was an important lesbian representative of the wing of the activist . Eckstein was an important lesbian representative of the activist wing . 1 +The Academy is sponsored by Gordon Phillips ( Chairman of Glen Care ) , Sevenoaks School and KCC . The Academy is sponsored by Gordon Phillips ( Chair of Glen Care ) , Sevenoaks School , and KCC . 1 +2006 : David Neale was appointed Chief Executive following the death of Paul Britton in December 2005 . Paul Britton was appointed Chief Executive in December 2005 after the death of David Neale . 0 +In a concelebrated Mass , this prayer and the following are said by individual concelebrants . This prayer and the following are concelebrated by individual concelebrants in a said fair . 0 +Switching the left ventricle to be the systemic ventricle and the right ventricle to pump blood into the pulmonary artery can repair levo-transposition . Switching the systemic ventricle to repair the left ventricle and the right ventricle to pump blood into the pulmonary artery can be a levo-transposition . 0 +New teaching sites were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli in the 1990s . In the 1990s , new teaching campuses were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli . 1 +The music of Kalia is composed by Wajahat Attre with lyrics by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . The music of Kalia is penned by Wajahat Attre with lyrics composed by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . 0 +The Squadron RAF was a unit of the Royal Air Force in Egypt during the Second World War and then in Italy and North Africa . 651 Squadron RAF was a unit of the Royal Air Force in Egypt during the Second World War and afterwards in Italy and North Africa . 1 +This is a list of the various heads of the local governmental organisations that have served London , England . This is a list of the local heads of various government organisations that have served London , England . 0 +Scientific research in the country is supported by industry , by the network of French universities and by universities outside the main framework , Grandes écoles . Scientific research in the country is supported by the industry , by the network of the main universities and by higher education institutions outside the French framework , Grandes écoles . 0 +""" Fried Onions "" was used in a television advertisement for Options indulgence chocolate drink , first shown on UK TV in December 2011 ." """ Fried Onions "" was shown in a TV advertisement for options - enjoyment - chocolate drink , which was first used in December 2011 on UK television ." 0 +All songs written and composed by Jack Hues , except as noted . Note that Nick Feldman was credited as Nick DeSpig throughout this album . All songs written and composed by Jack Hues except as noted Note that Nick Feldman was credited as Nick DeSpig during this album . 1 +According to the United States Census Bureau , the city is a total area of which land and , or 1.35 % has , is water . According to the United States Census Bureau , the city has a total surface area of which is land and , or 1.35 % , is water . 1 +After the takeover of the Nazi regime , he was forced to retire in 1936 , as a citizen of Jewish faith with evangelical ancestors . Following the takeover of the Nazi regime in 1936 , he was forced to retire as a citizen of Jewish faith with evangelical ancestors . 1 +Divisional Secretariat is a Divisional Secretariat of the Gampaha District , the western province of Sri Lanka . Mirigama Divisional Secretariat is a Divisional Secretariat of Gampaha District , of Western Province , Sri Lanka . 0 +Marcollat is within the electoral department of Barker , the federal district of MacKillop and the local government area of the Kingston District Council . Marcollat is located within the federal division of Barker , the state electoral district of MacKillop and the local government area of the Kingston District Council . 0 +""" The day when the violence died "" is the seventh episode of "" The Simpsons "" eighteenth season ." """ The Day the Violence Died "" is the seventh episode of "" The Simpsons "" eighteenth season ." 1 +"He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created by Will Crowther in 1977 and modified by Don Woods ." "He was introduced to the version of the computer - text game "" Colossal Cave Adventure "" , created by Don Woods in 1977 and modified by Will Crowther ." 0 +It had long , sharp feet , long legs and long claws on the hands and feet , unlike the blunt claws of other ancylosaurs . It had long , sharp feet , long lower legs , and long claws on the hands and feet , unlike the blunt claws of other ankylosaurians . 1 +The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition for mixed couples . The third season was premiered on 7 June 2010 and as the fourth season was the system of competition in mixed couples . 0 +There are seven picnic places and some have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . There are seven picnic areas and several have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . 1 +Juan Colomer publishes his works with Editions BIM of Switzerland , Editorial Piles , Tritó , and Rivera editores in Spain . Juan Colomer publishes his works with Editions BIM of Switzerland , Editorial Piles , Tritó and Rivera Editors in Spain . 1 +One of the highest peaks of the district is Khuchiyuq below . Other mountains are listed at approximately . One of the highest peaks of the district is Khuchiyuq below , other mountains are listed approximately . 1 +"In TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by the Turkish actress Deniz Çakır ." "In the television series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." 0 +In 1986 , Bridie Morton married Timothy Torlot . In 1986 , Timothy married Torlot Bridie Morton . 1 +The 2012 Central Connecticut State University football team represented Central Connecticut Blue Devils in the 2012 NCAA Division I FCS football season . The 2012 Central Connecticut State University football team represents Central Connecticut Blue Devils at the NCAA Division I FCS Football - Season 2012 . 1 +The M89SR sniper rifle is a semi-automatic sniper rifle operated by Technical Consultants International ( TCI ) , an Israeli company based in Tel Aviv , USA . M89SR sniper rifle is a gas operated semi-automatic sniper rifle , produced by Technical Consultants International ( TCI ) , an Israeli company based in Tel Aviv . 0 +Ellerslie railway station serves the Southern Line and Onehunga Line of the Auckland railway network in New Zealand . It has an island platform . The Ellerslie railway station , which serves the Southern Line and Onehunga Line of the New Zealand railway network in Auckland , has an island platform . 0 +""" Politically sensitive , economically appropriate , ecologically sustainable , and finally , socially just "" , however no references or sources are provided for the data used ." """ Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources of the data used are provided ." 1 +Born in Nanjing , he attended engineering school in Nanhui and spent a year at the University of California . He was born in Nanhui , attended engineering school in Nanjing and spent one year at the University of California . 0 +Beltrami County , Minnesota , United States is a township in Summit Township . Summit Township is a commune in Beltrami County , Minnesota , United States . 0 +"One of the Triassic rocks used in Radyr is "" Radyr Stone "" , a freestone which as its name suggests is quarried in the Cardiff district ." "One of the triassic rocks used in Radyr is "" Radyr Stone "" , a Freestone which , as the name suggests , is mined in the Cardiff district ." 1 +Jason Jamie Syme is the elder Borther of the Rugby - League and Rugby - Union - Footballer . Jason Syme is the elder Borther of Rugby - League and Rugby - Union - Footballer , Jamie Syme . 0 +New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence on the colony . 0 +Harry Hayward 's trial for first degree murder began , before Judge Seagrave Smith , on 21 January 1895 . Seagrave Smith 's trial for first-degree murder began on 21 January 1895 before Judge Harry Hayward . 0 +Impressive essays by ... Marilynne Robinson ... Terry Eagleton and ... H. H. Allen Orr set out to tell Dawkins how wrong he is . Impressive essays by ... Marilynne Robinson ... Terry Eagleton and ... H. Allen Orr set out to tell Dawkins how wrong he is . 1 +The North Indian Ocean cyclone season in 2005 was weak , despite the destructive and deadly storms in southern India . The North Indian Ocean cyclone season in 2005 was destructive and deadly for southern India , despite the weak storms . 0 +He was born in Glasgow into a Scottish family from Adelaide and is the brother of footballer Ryan McGowan . He was born in Adelaide into a Scottish family from Glasgow and is the brother of footballer Ryan McGowan . 0 +The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is located near the border with South Africa . Makopong is a village in Kgalagadi District of Botswana . It is located close to the border with South Africa . The population was 1,697 in the 2011 census . 1 +""" Volta "" was refloated and scrapped on 24 November 1943 and later bombed and sunk in 1948 ." """ Volta "" was refloated and scrapped on November 24 , 1943 , and bombed and sunk in 1948 ." 1 +Proteins that form stable complexes with other molecules are often referred to as receptors while their binding partners are called ligands . Proteins that form stable complexes with binde molecules are often referred to as receptors , while their other partners are called ligands . 0 +Often , prepared packs are warm ; the heat opens up the pores of the skin , and helps the interaction of the clay with the body . Prepared packs are often warm , the heat opens the pores of the skin and supports the interaction of the clay with the body . 1 +After all , the global stiffness matrix is constructed by adding together the individual expanded element matrices . Finally , the global stiffness matrix is expanded by adding the individual constructed element matrices together . 0 +Brady was born in Dublin . After initially playing for Stella Maris Brady was born in Dublin , after playing for Stella Maris initially . 1 +Roxus supported the respective Australian bands Poison and Bon Jovi in their international tours in 1989 . Roxus supported the international bands Poison and Bon Jovi in 1989 on their respective Australian tours . 0 +Stile Antico became after his move to Wawel the main language of the musical statement of Pękiel . Importantly , Stile antico became the musical language of the main statement of Pękiel after his move to Wawel . 0 +Interleukins are a group of cytokines ( secreted proteins and signal molecules ) , which were first seen to be expressed by white blood cells ( leukocytes ) . Interleukins are a group of cytokines ( secreted proteins and signal molecules ) that were first seen to be expressed by white blood cells ( leukocytes ) . 1 +In 1742 the last possession of the Genoese in the Mediterranean , the island fortress of Tabarka , was lost to Tunis . The last possession of the Genoese in the Mediterranean , the Tunisian island fortress , was lost to Tabarka in 1742 . 0 +"FAM40A is a protein that is localised in humans on chromosome 1 and is encoded by the "" FAM40A "" gene ." "Protein FAM40A is a protein that is encoded on chromosome 1 in humans and is located by the "" FAM40A "" gene ." 0 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines in Zanzibar . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in Tanzania in 1992 and is one of the most experienced airlines in Zanzibar . 1 +It was created on 18 July 1914 for the pharmacist and businessman James Horlick , the brother of William Horlick . It was created on July 18th , 1914 for the pharmacist and businessman William Horlick , brother of James Horlick . 0 +She was trained in classical singing and contemporary music , and regularly performs in concerts . Trained in classical singing and contemporary music , she performs regularly in concerts . 1 +Jacques Dicker ( 1879 , Khotyn , Bessarabia -- 17 November 1942 , Geneva ) was a Swiss socialist-born Ukrainian politician and lawyer . Jacques Dicker ( 1879 , Khotyn , Bessarabia -- November 17 , 1942 , Geneva ) was a Swiss socialist-born Ukrainian politician and lawyer . 1 +The film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . A film director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated documentary film . 0 +The princess was received with great fanfare on 24 September 1573 in Bassein ( Pathein ) . The princess was received with great fanfare at Pathein ( Bassein ) on September 24 , 1573 . 1 +According to the United States Census Bureau , the area is a total area of which has land and ( 0.0 % ) of which is water . According to the United States Census Bureau , the district has a total area of , of which is land and ( 0.0 % ) of which is water . 1 +Steve Davis reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Stephen Hendry and 8 -- 9 against Jimmy White respectively . In 1991 and 1992 , Steve Davis reached the finals of the tournament , but lost to Stephen Hendry 4 -- 10 and against Jimmy White 8 -- 9 . 1 +Injured with Sabin , America 's Most Wanted Dutt hit the death sentence to keep the titles . Injured with Dutt , America 's Most Wanted Sabin hit the death sentence to obtain the titles . 0 +Oliver Campbell defeated Fred Hovey 7 -- 5 , 3 -- 6 , 6 -- 3 , 7 -- 5 Fred Hovey defeated Oliver Campbell 7 -- 5 , 3 -- 6 , 6 - 3 , 7 -- 5 . 0 +The 500 Hispanic settlers who had lived near Los Adaes had to relocate in San Antonio in 1773 . The 500 Hispanic settlers who had lived near Los Adaes had to resettle in San Antonio in 1773 . 1 +Kittery Point is part of the Portland -- Biddeford , Maine Metropolitan Statistical Area -- South Portland . Kittery Point is part of Portland -- South Portland -- Biddeford , Maine Metropolitan Statistical Area . 0 +The second segment was built in 1929 , and the third segment through Peters Corners was completed in 1930 . The third segment was built in 1929 and the second segment was completed in 1930 by Peters Corners . 0 +Instead of Ellesmere Island , the island in the film is located due north of Prince Patrick Island ( cf . The island in the film is located north of Prince Patrick Island ( cf . Ellesmere Island ) . 0 +In the wake of the Herat affair , Great Britain would remove its military and diplomatic missions from Persia , and occupy Kharg island and attack Bushehr . After the Herat affair , Britain would remove its military and diplomatic missions from Persia and occupy the island of Kharg and attack Bushehr . 1 +Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th psalm in the biblical Book of Psalms . Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th Psalm in the Biblical Psalm Book . 1 +It is located in the Annapolis Valley in Kings County and Annapolis County and connects Kingsport with Spa Springs . It is located in Annapolis Valley in the Kings County and Annapolis County and connects Kingsport to Spa Springs . 1 +The team kits for the 2005 -- 06 season are produced by Uhlsport and sponsored by Vivatel . The 2005 -- 06 team kits are produced by Uhlsport and sponsored by Vivatel . 1 +""" Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." """ Love Hurts "" is the twentieth episode of the first season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." 0 +Nancy returns home and thanks her mother for attempting to protect her , but Freddy appears behind Gwen in a mirror . Nancy returns home and thanks her mother for trying to protect her , but Gwen appears behind Freddy in a mirror . 0 +The park is situated about an hour and a half south of San Francisco or five hours north of Los Angeles . The park lies about an hour and a half north of Los Angeles , or five hours south of San Francisco . 0 +Born and raised in Briarcliff Manor , Tom Ortenberg , CEO of Lionsgate Films and a former president of Open Road Films , was born . Tom Ortenberg , CEO of Lionsgate Films and former president of Open Road Films , was born and raised in Briarcliff Manor . 1 +The three inexperienced pilots were allowed to damage it , but they managed only to attack the bomber . Johnson allowed the three inexperienced pilots to attack it , but they only managed to damage the bomber . 0 +A sensible protocol for the use of such transmission flow control signals must be used , to avoid potential deadlock conditions , however . A sensible protocol for the use of such transfer flow control signals must be used , however , to avoid potential blocking conditions . 1 +He was born in Athens ( Petroupoli ) in July 1973 . He was born in Athens in July 1973 ( Petroupoli ) . 1 +Long Island is a Canadian island in Digby County , Nova Scotia . Long Island is a Canadian island of Digby County , Nova Scotia . 1 +Solomons was born in Thorpe Bay and brought up with his four siblings in Orsett , Essex by his mother and father . Solomons was born in Orsett , Essex and brought up with his four sisters in Thorpe Bay by his mother and his father . 0 +The airline transferred all operations from Suvarnabhumi Airport to Don Mueang International Airport effective 1 October 2012 . Effective October 1 , 2012 , the airline has moved all operations from Suvarnabhumi Airport to Don Mueang International Airport . 1 +Saavedra ( Bolivia ) is a small town located in Santa Cruz . Saavedra ( Bolivia ) is a small town in Santa Cruz . 1 +These are generally retail spaces such as shops and restaurants , but also libraries , civic buildings , religious buildings and so on . These are generally retail spaces such as shops and restaurants , but also libraries , residential buildings , religious buildings and so on . 1 +The group was founded in Los Angeles and later transferred to Las Vegas . The group was founded in Los Angeles , and later relocated to Las Vegas . 1 +The river Valea Mică is a tributary of the Valea Arsurii River in Romania . The river Valea Arsurii is a tributary of the Valea Mica river in Romania . 0 +These canons were later approved in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . These canons were later rejected in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . 0 +Due to volatile prices and high capital costs , few deposits without subsidies can be exploited economically . Due to high prices and volatile capital costs , few deposits without subsidies can be exploited economically . 0 +Huge fields along the zone were discovered at Huntington Beach Oil Field in 1920 , and the Long Beach Oil Field in 1921 . Giant fields along the zone were discovered in 1920 at Long Beach Oil Field and Huntington Beach Oil Field in 1921 . 0 +First , he worked in public relations for the American Jewish Committee in New York , and until his retirement for the Combined Jewish Philanthropies of Boston . Initially , he worked in public relations for the American Jewish Committee in New York and until his retirement for the combined Jewish philanthropy of Boston . 1 +He then became Associate Director of Ayala Corporation ’ s Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Vice President and Chief Legal Counsel of Ayala Corporation . 0 +She toured with Traffic and Jimi Hendrix before joining with Joe Cocker in 1970 . She toured with Traffic and Jimi Hendrix before joining up with Joe Cocker in 1970 . 1 +The first Syracuse Chiefs baseball team was established in 1934 , when the Jersey City Skeeters moved to Syracuse and were renamed the Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . 1 +"On 15 September 1932 , "" Sarawabi "" capsized due to poor stability and sank north of Keelung near Taiwan ." "On September 15 , 1932 , Sarawabi "" sank due to poor stability and capsized north of Keelung near Taiwan ." 0 +A brunch forum by Chris Wallace with presidential candidates , originally sponsored by the New Hampshire Republican Party , was planned to be broadcast at Fox News . A brunch forum sponsored by Chris Wallace with presidential candidates , originally to be housed by the New Hampshire Republican Party , was planned for broadcast on Fox News . 0 +There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more prominent in Scotland than it is in Ireland . There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Scotland than in Ireland . 1 +Damerham once was in Wiltshire , but was moved to Hampshire in 1895 . Damerham was once in Wiltshire , but was transferred in 1895 to Hampshire . 1 +It was opened when the Amersfoort to Zutphen section was completed . It was opened when the section from Amersfoort to Zutphen was completed . 1 +"The name Syrtis Major is derived from the classic Roman name "" Syrtis Maior "" for the Gulf of Sidra on the Cyrenaica Coast ( classical Libya ) ." "The name Syrtis Major is derived from the classical Roman name "" Syrtis Maior "" for the Gulf of Sidra on the coast of Cyrenaica ( classical Libya ) ." 1 +In fluid mechanics , a uniform and constant flow has homentropic entropy . In fluid mechanics , a homentropic current has uniform and constant entropy . 0 +He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then came to Gubbi . He followed his guru and came to Siddaganga , for some time lived in one of the caves of the Siddganga hill and then moved to Gubbi . 0 +In 1923 , 568 Polish guns were in the inventory of wz.1902 . In 1923 , there were 568 Polish guns in the wz.1902 inventory . 1 +As Secretary of the Archbishop of Split , he went to Hungary and through Zagreb in 1503 to Venice . As a secretary of the archbishop of Split he went to Venice , and in 1503 through Zagreb to Hungary . 0 +"In later years , his poems were metaphysical and included contemporary events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." "In later years , his poems were more contemporary and included metaphysical events in "" Dominion Janana "" and the "" Samsara Rajyanga "" ." 0 +In versions of the Renaissance , Ogier travels to the Avalon governed by King Arthur and eventually becomes Morgan le Fay 's Paramour . Ogier in versions of the Renaissance travels to the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's paramour . 1 +In winter the weather is moderately cold , in the summer warm . The weather in winter is moderately warm and cold in summer . 0 +French law is codified and based on the Albanian law . The Albanian law is codified and is based on French law . 0 +"He accepted two tracks for the album "" Juju "" with Nigel Watson 's band Gass , a solo single and another with Bobby Tench , sessions with B ." "He recorded two tracks for the album "" Juju "" with Bobby Tench 's band Gass ; a solo single and another with Nigel Watson , sessions with B ." 0 +The city is located south of Gaza - town and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . The city is located south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 1 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variations ( if any ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if any ) : 0 +The 1956 Los Angeles Rams season was the 19th anniversary of the team with the National Football League and 11th season in Los Angeles . The 1956 Los Angeles Rams season was the team 's 19th year with the National Football League and the 11th season in Los Angeles . 1 +On March 22 , 1839 , Sarah born an illegitimate daughter , Louisa Catherine . Sarah had an illegitimate daughter , Louisa Catherine , on 22 March 1839 . 1 +Jacinto Benavente and the brothers Antonio and Manuel Machado were among their admirers . Among the admirers were Manuel Machado and the brothers Antonio and Jacinto Benavente . 0 +Many of his best works were painted in Bourbonnais in the central region of Hérisson in France as well as in the regions of Nivernais and Auvergne . Many of his best works were painted at Bourbonnais in the central Hérisson region of France , as well as in the Nivernais and Auvergne regions . 1 +The pottery is currently being run by Alun Jenkins , son of Thomas Arthur Jenkins . The pottery is currently run by Thomas Arthur Jenkins , son of Alun Jenkins . 0 +Jared Harris , the man at the campsite played by Benmont Tench , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . Jared Harris , the man at the camp site , played by Benmont Tench , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . 1 +On 30 August 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , Stephen Champlin , was married to a partner of John B. Cook in Minnesota . On August 30 , 1853 , the daughter of Stephen Champlin , Eliza Ellen Champlin , John B. Cook , married a partner of Minnesota Alexander Ramsey . 0 +In its upper reaches in the red hills of the Piedmont , it flows through a deeply incised channel etched into crystalline rocks . It flows in its upper reaches in the red hills of Piedmont through a deeply incised canal etched into crystalline rocks . 1 +The episode was written by Lev L. Spiro and was directed by Bill Wrubel . The episode was written by Lev L. Spiro and directed by Bill Wrubel . 1 +Jan Hambourg was born in Voronezh , Russia , the intermediate brother between the famous pianist Mark Hambourg . Mark Hambourg was born in Voronezh , Russia , the middle brother of the famous pianist Jan Hambourg . 0 +Chrysalidus Botelloides is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . Botelloides chrysalidus is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . 1 +Charles Gowan was born in Wisconsin in 1849 or in 1850 and migrated early in New York . Charles Gowan was born in Wisconsin in 1849 or 1850 , and migrated to New York early in life . 1 +Lisette married Ferdinand de Brinon , a.k.a . Jeanne Louise Rachel Franck , the Jewish former wife of Claude Ullmann ; she converted to Catholicism . Lisette married Ferdinand de Brinon , who was Jeanne Louise Rachel Franck , the former Jewish wife of Claude Ullmann , converted to Catholicism . 1 +This circuit is said to have appeared in the earliest evolution of the invertebrate brain and corresponds to the reptilian brain of the triune - brain theory . This circuit is said to have appeared in the earliest evolution of the reptilian brain and corresponds to the triune brain of invertebrate brain theory . 0 +Wine Country is located in the Cloverdale , as part of the Alexander Valley AVA . Wine Country is located in the Cloverdale , being part of the Alexander Valley AVA . 1 +The Gila Mountains are a mountain range in the southwest of Arizona east of Yuma , Arizona , northeast of Muggins Mountains and east of the Laguna Mountains . The Muggins Mountains is a mountain range in southwest Arizona east of Yuma , Arizona , northeast of the Gila Mountains , and east of the Laguna Mountains . 0 +In 1884 , as assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus . In 1884 , as assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus . 0 +The town of Otisfield , currently in Oxford County , was part of the Cumberland County until 1978 . The town of Otisfield , currently in Oxford County , was part of Cumberland County until 1978 . 1 +"They followed in October with a top 30 single "" Greedy People "" ( June 1994 ) and their debut album "" Electric Hippies "" ." "They followed with a top 30 single , "" Greedy People "" ( June 1994 ) , and their debut album , "" Electric Hippies "" in October ." 1 +It was commissioned by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been instructed by Mussolini to manage the capital . It was led by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been commissioned by Mussolini to run the capital . 0 +He was the first provincial sculler to ever win the Diamond Challenge Sculls at Henley Royal Regatta and also the first to win the Wingfield Sculls . He was the first sculler ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first provincial to win the Wingfield Sculls . 0 +They form the majority of the population of the river Xié and of the upper Rio Negro above the mouth of the river Vaupés . They form the bulk of the population of the Xié River and the upper Vaupés River above the mouth of the Rio Negro . 0 +It was intended to allow a descent game Playoff between Antrim and Wexford , but instead it was decided to compete both in the championship in 2010 . It was intended to allow a relegation playoff between Antrim and Wexford , but instead it was decided to hold both compete in the 2010 championship . 1 +Eileen Chong was born in Sydney , Australia in 1980 and moved to Singapore in 2007 . Eileen Chong was born in 1980 in Sydney , Australia . She moved to Singapore in 2007 . 1 +Touche was the third son of the first baronet in the Creation of 1920 . Touche was the third son of the first Baronet of the 1920 creation . 1 +According to Smith , the Aaronic Priesthood was returned to him and Oliver Cowdery somewhere in the woods near the house on 15 May 1829 . According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the woods near the house . 0 +Proteins that form stable complexes with other molecules are often described as receptors , while their binding partners are called ligands . Proteins that form stable complexes with other molecules are often referred to as receptors while their binding partners are called ligands . 1 +According to the United States Census Bureau , Waverly Township is a total area of , of which has land and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township is a total area from which land has and , or 9.21 % , is water . 1 +There were 15 ( 6.6 % ) same opposite-sex partnerships , and 1 ( 0.4 % ) unmarried-sex married couples or partnerships . There were 15 ( 6.6 % ) unmarried partnerships and 1 ( 0.4 % ) same-sex couples or partnerships . 0 +He performed this duty with great ability and considerable individuality of treatment . This duty he discharged with considerable ability and great individuality of treatment . 0 +He graduated from military school in Sofia , and in 1910 from the Military Academy in St. Petersburg , Russia . He graduated from the Military School in Sofia , and in 1910 from the Nikolaevsk General Staff Military Academy in St. Petersburg , Russia . 1 +Finsch 's monitor was only known from Blanche Bay , Ralum , and Massawa in New Britain . The Finsch monitor was known only from Blanche Bay , Ralum and New Britain in Massawa . 0 +Norfolk has won the Minor Counties Championship once , sharing the title with Herefordshire in 2002 . Herefordshire has once won the Minor Counties Championship and shared the title with Norfolk in 2002 . 0 +On January 4 , 2015 , Pope Francis announced that on February 14 , he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . On 4 January 2015 , Pope Francis announced that he would make Tonga 's bishop , Soane Patita Paini Mafi , a cardinal on 14 February . 1 +The alkaline volcanic field consists of a group of 118 basaltic volcanoes active from the lower-Pleistocene to the Holocene . The alkaline volcanic field consists of a group of 118 basaltic volcanoes active from the lower pleistocene to the Holocene . 1 +The Lake Lindero neighborhood and the Ventura Freeway ( 101 ) are in the south and Westlake Village to the west . The Lake Lindero neighborhood and the Ventura Freeway ( 101 ) are to the south , and Westlake Village on the west . 1 +He also worked on Palazzetto Baviera in Fabriano ( 1560 ) and Palazzo Rocca in Senigallia . He also worked at Palazzetto Baviera in Fabriano ( 1560 ) and Palazzo Rocca in Senigallia . 1 +As a political movement , the national Bolshevism ( Nazbol ) connects elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . As a political movement , national Bolshevism ( Nazbol ) brings together elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . 0 +Querétaro is a municipality in the Pinal de Amoles municipality in central Mexico . Pinal de Amoles Municipality is a municipality in Querétaro in central Mexico . 0 +The Valea Voenilor River is a tributary of the Pascu River . The river Valea Voenilor is a tributary of the river Pascu . 1 +South Arm Township is located in the southern Charlevoix County and is bordered by Antrim County to the south and west . Charlevoix County is located in southern Antrim County and is bordered to the south and west by South Arm Township . 0 +In 1936 he designed renovation of the York Road Theatre , later known as the Embassy Theatre . In 1936 , he created the renovation of the Embassy Theatre , later known as York Road Theatre . 0 +Brazil had already signed a separate Loizaga - Cotegipe contract with Paraguay in 1872 , and now did much to support Paraguay in its negotiations with Argentina . Brazil had signed a separate Loizaga -- Cotegipe Treaty with Paraguay now in 1872 and already did much to help Paraguay in its negotiations with Argentina . 0 +The Indian community has successfully integrated into Italian life , and local authorities and people are impressed by their contributions to the Italian economy . The Indian community has integrated successfully into Italian life , and local authorities and people are impressed with their contributions to the Italian economy . 1 +All was born in Ashland , Kentucky , and attended the High School in Oldtown , where he played football at West Virginia University from 1932 to 1934 . Allen was born in Ashland , Kentucky and attended high school in Oldtown . He played football at the West Virginia University from 1932 to 1934 . 1 +Ann Henricksson and Julie Richardson won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Lea Antonoplis and Cammy MacGregor . Lea Lea Antonoplis and Cammy MacGregor won 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson in the finals . 0 +It is found along the southern Australian coast from Shark Bay in Western Australia to Maroochydore in Queensland , including Tasmania . Along the southern Australian coast , it is found from Shark Bay in Queensland to Maroochydore in Western Australia , including Tasmania . 0 +Lombardo left the band due to an elbow injury and was replaced by former member Bostaph . Due to an elbow injury , Bostaph left the band and was replaced by his former member Lombardo . 0 +"On July 10 , 2017 , Carter appeared as interviewee in the "" Kurt Angle : Homecoming "" episode of the WWE Network series "" WWE 24 "" ." "On 10 July 2017 Carter appeared as an interview partner in the episode "" Kurt Angle : Homecoming "" of the WWE Network - series "" WWE 24 "" ." 0 +Riverside is located in the 7th Congressional District and is part of the 3rd state of New Jersey 's Legislative District . Riverside is located in the 7th Congressional District and is part of New Jersey 's 3rd state legislative district . 1 +Later , Nate reluctantly agrees that Ruth can stay a few more days . Later , Nate reluctantly agrees that Ruth can stay for a few more days . 1 +In the Hermitian case , eigenvalues can be given a variational characterization . In the variation case , eigenvalues can be given a Hermitian characterization . 0 +The region was the cradle of various ancient civilizations , such as ancient China , old Korea , ancient Japan , and the Mongolian Empire . The region was the cradle of various ancient civilizations , such as ancient China , old Japan , ancient Korea , and the Mongolian Empire . 1 +Agnieszka Radwańska won the title and struck Dominika Cibulková in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . Agnieszka Radwańska won the title , defeating Dominika Cibulková in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . 1 +Brokenstraw Creek is a tributary of Coffee Creek at Warren County , Pennsylvania in the United States . Brokenstraw Creek is a tributary of Coffee Creek in Warren County , Pennsylvania in the United States . 1 +Thomas was challenged in the Democratic primary by A.S. Mike Monroney in 1950 . was challenged in 1950 by A.S. Mike Monroney in the Democratic Primary . 1 +The 1927 Colgate football team represented Colgate University at the College - Football - Season 1927 . The 1927 Colgate University Football team represent Colgate in the 1927 College Football season . 0 +The River Sterminos is a tributary of the River Voievodu in Romania . The Voievodu River is a tributary of the River Sterminos in Romania . 0 +Born in 1783 in Sheffield as second son of Isabella and Thomas Beilby , the family moved to Birmingham in 1783 . Born in 1783 in Birmingham as second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . 0 +At present , the ranks and titles given to members of the Thai sangha are as follows ( from the lowest to the highest ) : At present , the ranks and titles given to members of the Thai sangha are as follows ( from highest to lowest ) : 0 +Following the war the squadron was reactivated in the Marine Corps Reserve and based out of After the war , the squadron in the Marine Corps reserve was reactivated and based out 1 +Later Beth switched the machine off and Robbie is shocked but understanding . Later Robbie switched the machine off and Beth is shocked but understanding . 0 +For the Huffington Post Highline , Robert and Rebekah Mercer later wrote about Vicky 's influence in the 2016 election . Charlie Rose recently interviewed her on this piece . For the Huffington Post Highline , Robert and Rebekah Mercer later wrote about Vicky ’ s influence on the 2016 election . Charlie Rose recently interviewed her on this piece . 1 +Barley has been used as animal fodder , as a source of fermentable material for beer and various distilled beverages , and as a component of certain health foods . Barley has been used as animal feed , as a source of fermentable material for beer and certain distilled beverages , and as a component of various foods for health . 0 +For many centuries it was a royal strange , independent royal , and since 1480 a chapel of the Diocese of Lichfield and even of the province of Canterbury . For many centuries it was a royal chapel and from 1480 a royal peculiar , independent of the diocese of Lichfield and even of the province of Canterbury . 0 +Under the leadership of Horace Trumbauer , the current 16th Street Clubhouse was built by architect George D. Widener . The current 16th Street Clubhouse was built under the direction of Horace Trumbauer by the architect George D. Widener . 1 +Bernstein is situated south of Center Junction , northwest of Anamosa , northeast of Monticello and north of Olin . Amber is south of Center Junction , northwest of Anamosa , northeast of Monticello and north of Olin . 0 +It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until the majority of them left the country . It was originally developed by groups of Chinese scholars in the Soviet Union , used by Chinese and Russian immigrants there until the majority of them left the country . 1 +David Monro was the first representative from 1861 to 1866 . Arthur Beauchamp won the 1866 election , but resigned in 1867 . David Monro was the first representative from 1861 to 1866 , and Arthur Beauchamp won the election in 1866 , but entered in 1867 . 0 +"Director Neal Casal made a documentary about Casal influences and inspirations during the making of his sixth album in 2001 entitled "" Ray Foley : Anytime Tomorrow "" ." "Director Neal Casal shot a documentary about Casal influences and inspirations during the production of his sixth album in 2001 entitled "" Ray Foley : Anytime Tomorrow "" ." 1 +The river Vânăta is a tributary of the River Milotina in Romania . The Milotina River is a tributary of the Vânăta River in Romania . 0 +"Pruitt Taylor Vince was played by actor Bowers in the 1991 film "" JFK "" ." "was played by Pruitt Taylor Vince in the film "" JFK "" in 1991 ." 0 +On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was loaned to AFC Wimbledon on 8 February 2008 to gain further first team experience . 0 +Diloma radula is a species of sea snail , a top gastropod mollusk in the Trochidae family , the marine screws . Diloma radula is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . 0 +The music of the film was composed by Vijaya Bhaskar and lyrics for the soundtrack written by Chi . Udaya Shankar and Vijaya Narasimha . The music of the movie was written by Vijaya Narasimha and texts for the soundtrack composed by Chi , Udaya Shankar and Vijaya Bhaskar . 0 +In 2003 , excavation work began on the western hill , in 2006 on the eastern hill . In 2003 the excavation works began on the western hill , on the eastern hill in 2006 . 1 +He developed players like Stefan Bogomilov , Bozhil Kolev , Stefan Janev , Damyan Georgiev , Ivan Derventski , Spas Kirov , Nedko Nedev . He developed players like Nedko Nedev , Ivan Derventski , spas Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damjan Georgiev . 1 +The Americas Minor had four teams invited , three teams from the South American qualifier , and one team from the North American qualifier . The Americas Minor had invited four teams , three teams from the North American qualifier and a team from the South American qualifier . 0 +"Such a very narrow "" Q "" resonator stores energy with a very high loss and a low bandwidth ." "Such a very narrow "" Q "" resonator stores energy with very high loss and low bandwidth ." 1 +The manuscript was bought in 1819 , by Edward Everett from America to Constantinople , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett in 1819 , together with six other manuscripts , from America to Constantinople ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 1 +William Henry Emerson was born in 1860 in Tunnel Hill , Georgia , around Matilda Caroline Austin , daughter of Clisbe Austin , and Caleb J. Emerson . William Henry Emerson was born in Tunnel Hill , Georgia in 1860 to Matilda Caroline Austin , daughter of Clisbe Austin , and Caleb J. Emerson . 1 +"The mushroom is poisonous , but due to possible confusion with edible "" Amanita "" species is not recommended ." "The mushroom is toxic , but not recommended due to possible confusion with edible "" Amanita "" species ." 1 +Moritz Henle ( August 7 , 1850 -- August 24 , 1925 ) was a prominent German composer of liturgical music and cantor of the Jewish reform movement . Moritz Henle ( 7 August 1850 -- 24 August 1925 ) was a prominent German composer of liturgical music and cantor of the Jewish reform movement . 1 +This novel was read by Kirsty Williams as BBC Radio 4 Book at Bedtime in 2008 , adapted by Toby Stephens and produced by Lu Kemp . The novel was adapted in 2008 by Lu Kemp as BBC Radio 4 book near Bedtime , read by Toby Stephens and produced by Kirsty Williams . 0 +The New Mexico State Road 337 passes through the municipality , leading south to Tijeras and Interstate 40 and northwest to NM 55 east of Tajique . New Mexico State Road 337 passes through the community , leading south to Tijeras and Interstate 40 , and northwest to NM 55 east of Tajique . 1 +It is situated southwest of Burlington , Vermont , south of Plattsburgh , south of Montreal , Quebec and north of Albany . It is southwest of Burlington , Vermont , south of Plattsburgh , south of Montreal , Quebec , and north of Albany . 1 +However , McKeithen Humphrey had supported Humphrey at the Democratic National Convention in Chicago in 1968 . In 1968 , however , Humphrey supported McKeithen at the Democratic National Convention in Chicago . 0 +In the early years , KETS was associated with PBS , the forerunner of the current National Educational Television . In the early years , KETS was associated with PBS , the forerunner of current national educational television . 1 +Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and national record holder from Havana , Cuba . Heysi Villarreal ( born 26 August 1986 in Havana , Cuba ) is an Olympic and national record holding swimmer from Cuba . 0 +The original Murdoc , Michael Des Barres , portrayed Murdoc 's mentor , Nicolas Helman , in the 2016 Series . The original Murdoc , Michael Des Barres , portrayed Nicolas Helman ’ s Mentor Murdoc in the 2016 series . 0 +The introduction of the Game Script feature allows developers to create new interactive scenarios , scripted goals , and successes within games . The introduction of the Game Script feature allows developers to create scripted scenarios , new interactive goals , and achievements within games . 0 +The imaginary sign indicates that the minus portion of the impedance is negative . This minus sign indicates that the imaginary part of the impedance is negative . 0 +The academic and general English pronunciation survives in traditional vocabulary : The traditional pronunciation survives in the academic and general English vocabulary : 0 +On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González in 2011 as the team manager . On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves manager Bobby Cox as manager of the team in 2011 . 0 +Ashley was born on November 1 , 1986 and is a contemporary dancer from Los Angeles , who originally grew up in Arizona . Born on November 1 , 1986 , Ashley is a contemporary dancer from Los Angeles who was originally raised in Arizona . 1 +The winning Mike McEwen team represented Ottawa at Tim Hortons Brier in Manitoba in 2016 . The winning Mike McEwen team represented Manitoba at the 2016 Tim Hortons Brier in Ottawa . 0 +The river Cochirleanca is a tributary of the River Slatina in Romania . The Cochirleanca River is a tributary of the Slatina River in Romania . 1 +Indeed , the two terms are now also used in other parts of the country . Indeed , the two terms are also used now in other parts of the country . 1 +Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent theory of light in the world . Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent light theory in the world . 0 +It heard about cases in criminal law , civil law and cases involving the conflict of competences between the military , police and civil courts . It heard the cases in civil law , criminal law and cases concerning the conflict of competences between the military , police and civil courts . 1 +When Green retired in 1914 , Holt succeeded him as Chief Inspector . In 1914 , when Green retired , Holt followed him as Chief Inspector . 1 +The script was later adapted into a novelization written by William Johnston , working under the pseudonym William Howard . The script was later adapted into a Romanization written by William Johnston under the pseudonym William Howard . 0 +In 1936 , he designed the renovation of the York Road Theatre , which later became known as Embassy Theatre . In 1936 , he designed the renovation of the Embassy Theatre , which was later known as York Road Theatre . 0 +Conscription has been around in Denmark since the Viking Age , where 110th man of every physical court had to serve the king . In Denmark , there has been conscription since the Viking Age , where the 110th man of every physical court had to serve the king . 1 +"Of the twelve stories included , six were previously published in the author 's first collection , "" The Evening News "" ." "Six of the twelve published stories were previously included in the author ’ s first collection , "" The Evening News "" ." 0 +A subsequent condition is noted in the law for its general use . A condition common is noted for its subsequent use in the law . 0 +As Brahmins , the Ojhas are spiritual leaders , teachers , and members of the highest ritual rank in the varna system of Hinduism . The Ojhas are ritual leaders , teachers and members of the highest spiritual rank as brahmans in the varna system of Hinduism . 0 +The mushroom is edible , but due to possible confusion with poisonous Amanita species is not recommended . "The mushroom is poisonous , but due to possible confusion with edible "" Amanita "" species is not recommended ." 0 +Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper-Ghat in winter . Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat during winter . 0 +The old Nahant Life Saving Station ( NLSS ) on the Nahant Road and the new war memorial across from the NLSS were renovated in 2004 . The new Nahant Life Saving Station ( NLSS ) on the Nahant Road and the old war memorial across from the NLSS were renovated in 2004 . 0 +After the 2015 season , Seoul FC Martyrs left the league , but three new teams Buyeo FC , Siheung Citizen and Yangpyeong FC joined the league . After 2015 season Seoul FC Martyrs joined the league , but three new teams Buyeo FC , Siheung Citizen , and Yangpyeong FC left it . 0 +All was born in Oxfordshire , Berkshire ( now South Hinksey ) and graduated from Oxford University . Allen was born in Oxfordshire , Berkshire ( now South Hinksey ) and graduated from Oxford University . 1 +PEVQ MOS results range from 1 ( bad ) to 5 ( excellent ) and indicate the perceived quality of the decoded sequence . The PEVQ - MOS results range from 1 ( bad ) to 5 ( excellent ) and show the perceived quality of the decoded sequence . 1 +The Arrows were a new 1980s Canadian wave band . The arrows were a new Canadian wave band of the 1980s . 1 +When sleep is blocked , the caller is called , until another process wakes it up by using the wakeup routine . When sleep is called , the caller is blocked until another process wakes it up using the alarm routine . 0 +Anri is voiced by Yuko Mizutani in Japanese and by Katherine Burton in English . Yuko Mizutani is spoken in English by Katherine Burton in Japanese and by Anri . 0 +It was obtained from parts of Assiniboia , Humboldt - Lake Centre and Moose Jaw Ridings in 1987 . It was obtained in 1987 from parts of the Lake Centre , Humboldt -- Assiniboia and Moose Jaw Ridings . 0 +If set , and in the case that the category is numerically approved , the petition 's Priority Date will be capped to this date of receipt . If this option is set , and in case the category is numerically approved , the petition 's priority date will be limited to that date of receipt . 1 +Ali Sarı is currently living in Konya for his university education with his two brothers , and is trained by Ekrem Boyalı . Living currently in Konya for his university education with his two brothers , Ali Sarı is coached by Ekrem Boyalı . 1 +In the following month , Bullet Club received its first Japanese member when Yujiro Takahashi joined and helped Styles conquer the IWGP Heavyweight Championship . The following month , Bullet Club received its first Japanese member , when Yujiro Takahashi joined and helped Styles capture the IWGP Heavyweight Championship . 1 +"It was also reproduced by PP Arnold on her album "" Boots "" and Nancy Sinatra in 1970 , produced again by Andrew Loog Oldham in 1966 ." "It was also covered by PP Arnold in 1966 , on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." 1 +Despite the limited success of the general attack the battalion lost nearly half its strength . Despite the limited success of the general attack , the battalion lost nearly half of its strength . 1 +Another series was played in Havana between the Boston Red Sox and the Cincinnati Reds . Another series was played in Havana between Boston Red Sox and Cincinnati Reds . 1 +For the 2014 season , Ricochet received a new coat , blue supports and a green track . Ricochet received a new paint job for the 2014 season , green supports and a blue track . 0 +In the 1970s , W & R Jacob in Dublin merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Tallaght , Ireland . In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd in Dublin and moved to Tallaght , Ireland . 1 +It is found on scattered sandstone ridges in a shallow area in the northern mid-west and in the Pilbara regions of Western Australia , where it grows in rocky soils . It is found on rocky sandstone ridges in a scattered area in the northern Mid West and Pilbara regions of Western Australia where it grows in shallow soils . 0 +Concord is of nominative type in the imperfective aspect but ergative in the perfective aspect . Concord is in the imperfective aspect of the nominative type , but supplementary in the perfective aspect . 1 +When he succeeded Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . When he was succeeded by Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . 1 +The segment from Abuja to Kaduna ( 187 km ) was officially opened on July 26th , 2016 after many delays . The segment from Kaduna to Abuja ( 187 km ) was officially opened on July 26th , 2016 after many delays . 0 +Until Sonny ’ s retirement in 2003 , Mosley worked with the Osborne Brothers and until 2011 with Bobby Osborne and his band Rocky Top Express . Bobby Osborne worked with The Osborne Brothers until Mosley 's retirement in 2003 , and then with Sonny and his band , the Rocky Top Express , until 2011 . 0 +Achieving this will determine , the player 's team to a playoff of eight teams that will promote the gold and silver medal recipients . Achieving this target determines the player 's team to a playoff of eight teams that will promote the gold and silver medal recipients . 1 +This can be caused by the loss of three additional genes , each of which has different effects , resulting in three types of syndrome . This may be caused by the loss of three different additional genes , each of which has different effects , resulting in three types of syndrome . 1 +The Marignane is located in Marseille Provence Airport . Marseille Airport Provence is located in Marignane . 0 +The incident was not originally reported by state-controlled international media , but was first reported by Iranian media . The incident was not originally reported by the state-controlled international media , but was instead first reported on by Iranian media . 1 +The single was released in three versions : a regular edition , a limited edition , and a Star Driver edition . The single was released in three versions : a limited edition , a regular output , and a Star Driver edition . 1 +Movses Kaghankatvatsi wrote that Sahl Smbatyan was a descendant of the ancient Armenian House of Aranshahik ( itself a branch of the Syunid dynasty ) . Chair Smbatyan wrote that Movses Kaghankatvatsi was a descendant of the ancient Armenian house of Aranshahik ( himself a branch of the Syunid dynasty ) . 0 +"The accompanying music video for "" Slow "" was managed by Baillie Walsh and choreographed by Michael Rooney ." "The accompanying music video for "" Slow "" was run by Michael Rooney and choreographed by Baillie Walsh ." 0 +Then Scott and Short traveled overland to the Kentucky River to claim the land that they would later investigate . Scott and Short then traveled overland to the Kentucky River to investigate the land that they would claim later . 0 +The more important buildings had special names and their signs were larger and more decorative . More special buildings had important names and their signs were larger and decorative . 0 +The 2nd BCT of the 28th Infantry Division focused in Ramadi on protecting the main roads and controlling the governor and the government center . The 2nd BCT of the 28th Infantry Division focused in Ramadi on controlling the main roads and protecting the governor and government center . 0 +The public programme of the EFA consists of political , social , ecological and economic parts . The political , social , environmental and economic programme of the EFA consists of public parts . 0 +The River Mouca ( or Moca River ) is a tributary of the River Salcia in Romania . The Mouca River ( or Moca River ) is a tributary of the Salcia River in Romania . 1 +Vaughn had a son by a previous relationship , Barbara ( 1934-2002 ) , whom C. L. adopted shortly after the marriage . Barbara Vaughn had been adopted by a previous relationship , Barbara ( 1934-2002 ) , a son whom C. L. adopted shortly after the marriage . 0 +On the north side of the administrative building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . Hangars 1 -- 4 were built on the north side of the administration building , while hangars 5 -- 8 were built on the south side . 1 +On December 22 , 1862 , to reorganize the Montana territory and form the new Washington territory . On December 22 , 1862 , to reorganize the Washington territory and form the new Montana territory . 0 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs free energy ( Α G ) to the number of non-hydrogen atoms of the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs non-hydrogen energy ( ΔG ) to the number of free atoms of the compound . 0 +It was upgraded with new coaches in 2010 and reopened in early 2011 . It was upgraded with new buses in 2010 and reopened in early 2011 . 1 +PTAs were abolished by the 1985 Local Government Act when the Metropolitan County Councils were restored . PTAs were recreated by the Local Government Act 1985 when the metropolitan county councils were abolished . 0 +Martha decides to add James to her story about olive by renaming Jimmy . Martha decides to add Jimmy to her story about olive by renaming him in James . 0 +Jesus then attacks Luther before he hides in the bathroom . Then Luther attacks Jesus before he hides himself in the bathroom . 0 +In 1926 , Devendra Kula Vellalar family was born . Jagannathan was born Devendra Kula Vellalar family in 1926 . 0 +They developed a canon of theatrical figures , opposite to the ideal expressive baroque of Bernini . They developed a canon of theatrical figures , counter to the ideal expressive baroque of Bernini . 1 +Nancy returns home , and thanks her mother for trying to protect her , but Freddy appears in a mirror behind Gwen . Nancy returns home and thanks her mother for trying to protect her , but Freddy is appearing behind Gwen in a mirror . 1 +He was elected a Distinguished Lecturer by the IEEE Signal Processing Society and the International Speech Communication Association . He was elected Distinguished Lecturer from the IEEE Signal Processing Society and the International Speech Communication Association . 1 +Tommy John ( born 12 February 1979 ) is an American entrepreneur , who founded the Tom Patterson company in 2008 . Thomas John ( born February 12 , 1979 ) is an American entrepreneur who founded the company Tom Patterson in 2008 . 1 +NEi Nastran is a general purpose linear and nonlinear element analysis solver used to analyze finite stress , dynamics , and heat transfer characteristics of structures and mechanical components . NEi Nastran is a general linear and nonlinear element analysis solver , used to analyze finite voltages , dynamics and heat transfer properties of structures and mechanical components . 1 +"In other words , "" remember the death "" or "" remember that you will die "" ." "In other words , "" die death "" or "" remember that you will remember "" ." 0 +He signed with a record of 7 - 0 and victories over WEC - Veteran Eddie Mendez and Strikeforce - Veteran Fernando Gonzalez at Bellator . With a record of 7 -- 0 and victories over WEC veteran Eddie Mendez and Strikeforce veteran Fernando Gonzalez , he signed with Bellator . 1 +Hill went and wrote some paragraphs about the idea then he and Giler wrote a full script . Hill Hill went and wrote some paragraphs about the idea , then he and Giler wrote a full script . 1 +Leelanau County is a charter municipality of Elmwood Charter Township in the U.S. state of Michigan . Leelanau County is a charter township of Elmwood Charter Township in the U.S. state of Michigan . 1 +"Atari later upgraded the basic design in 1986 with the "" 1040ST "" ( also written "" STF "" ) ." "Atari later improved the basic design with the "" 1040ST "" ( also written "" STF "" ) in 1986 ." 1 +It supported the views of the Republican Party and of the Free Soil Party . It supported the views of the Free Soil Party and the Republican Party . 1 +"The Oxford English Dictionary cites Hoccleve as one of the first users of the term "" slut "" in its modern sense , though not in its modern spelling ." "The Oxford English Dictionary quotes Hoccleve as one of the modern users of the term "" slut "" in its modern sense , though not in its original spelling ." 0 +These old rites are still performed in contemporary Sri Lanka , but the preserved songs are rarely performed by folk musicians . These ancient rites are rarely performed in contemporary Sri Lanka , but the preserved songs are still performed by folk musicians . 0 +Incumbent Republican Mike DeWine won re-election to a second term , beating Democrat Dick Celeste , real estate developer and brother of former Ohio Governor Ted Celeste . The established Republican Mike DeWine won the re-election to a second term , beating the democrat Ted Celeste , real estate developer and brother of former Ohio Governor Dick Celeste . 0 +Newark returned to NAFBL , but withdrew by the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark withdrew to NAFBL , but returned at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . 0 +He died on 23 April 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . He died in Long Island , New York ( now Elmhurst Station ) , Flushing , Newtown , April 23 , 1881 . 0 +Emphasis is placed on serving meals of moderate quality at high cost . Emphasis is placed on the serving of meals of moderate quality at high cost . 1 +In 1975 , the then Alan Rees Eleri Morgan was married . In 1975 , the then Alan Rees married Eleri Morgan . 1 +He was elected as a Chairman of Zilla Parishad ( District Pnachayat ) of Kolhapur in 2012 as an Indian National Congress candidate . He was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur in 2012 as a candidate of the Indian National Congress . 1 +Leelanau County is a charter township of Elmwood Charter Township in the US state of Michigan . Elmwood Charter Township is a charter township of Leelanau County in the state of Michigan . 0 +""" The day on which violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." """ The day on which violence died "" is the seventh episode of "" The Simpsons "" of the eighteenth season ." 0 +It was first climbed and named after Bill House , when he free climbed it in 1938 . It was first climbed and named after Bill House when he climbed free in 1938 . 1 +"The logical fallacy is a historical fallacy described in 1896 by the philosopher John Dewey in "" The Psychological Review "" ." "The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." 0 +This work led him to trigger important reflections about the practices of molecular genetics and genomics at a time when this was not considered ethical . This work led him to trigger important reflections on the practices of molecular genetics and genomics at a time when this was not considered ethical . 1 +In 2012 , he returned to Canada to play with London City in the Canadian Soccer League.He went to Serbia to play with Srem Jakovo , and Jedinstvo Surčin . In 2012 , he went to Canada to play with London City in the Canadian Soccer League , where he returned to Serbia to play with Srem Jakovo and Jedinstvo Surčin . 0 +The cyclone weakened into a tropical depression on September 24 and dissipated the next day . On September 24 , the cyclone dissolved into a tropical depression and was weakened the next day . 0 +The team kits for the 2005 -- 06 season are produced by Uhlsport and sponsored by Vivatel . The team -- kits for season 2005 -- 06 are produced by Vivatel and sponsored by Uhlsport . 0 +""" Legend "" was released on DVD and Blu-ray on 25 January 2016 in the USA and on 1 March 2016 in the United Kingdom ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the UK and on March 1 , 2016 in the United States ." 0 +However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply human action , but rather social action . For Mead , however , unlike John Dewey and J. J. Gibson , the key is not simply social action , but human action . 0 +Ponti played guitars and keyboards on the album , with the help of bassist Camus Celli , keyboard player Guy Daniel and drummer Pat Schick . With the help of bassist Pat Schick , keyboarder Guy Daniel and the drummer Camus Celli , Ponti played guitars and keyboards on the album . 0 +The following year , studios and offices were moved to the station at 1484 Beech Street in Hornell , just outside Hornellsville . The following year , studios and offices for the station were moved to 1484 Beech Street in Hornell , just outside Hornellsville . 1 +In 1958 he spoke throughout East Asia and Western Europe and in 1961 in Northern Ghana . He spoke throughout East Asia and Ghana in 1958 , and in 1961 in Northern and Western Europe . 0 +Lawler accused Bret Hart in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . Bret Hart accused Lawler of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . 0 +The first theater is set around the Mediterranean Sea and the Atlantic Ocean . The first theater is located around the Mediterranean Sea and the Atlantic Ocean . 1 +Eventually , Pedro ended with many other children in the care of a man called Sebastian . Pedro eventually ended up in the care of a man named Sebastian with many other children . 1 +The event was held on grass courts outdoors and played from 27 September to 5 October 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was played on outdoor grass courts and held from September 27 through October 5 , 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . 0 +"Bowerman ( 1944 ) shows the street as "" Livermore Road "" , according to the historian Annie Homan ." "Annie Homan ( 1944 ) shows the street as the "" Livermore Road "" , according to historian Bowerman ." 0 +He received official Mongol recognition as the ruler of Burma in March 1298 . He received official Mongolian recognition as the ruler of Burma in March 1298 . 1 +This movie was written by Carlo Ludovico Bragaglia , the Italian version was written by Sandro Continenza and the English translation by Annalena Limentani and Frederica Nutter . This film was directed by Carlo Ludovico Bragaglia . The Italian version was written by Sandro Continenza and the English translation was written by Annalena Limentani and Frederica Nutter . 0 +From 1996 to September 2010 he was Ambassador of Belgium to Liechtenstein . From 1996 to September 2010 , he was ambassador to Belgium in Liechtenstein . 1 +With the activation of the 550th Strategic Missile Squadron , the 310th Strategic Aerospace Wing was renamed 310th on March 1 , 1962 . With the activation of the 310th Strategic Missile Squadron , 310th on 1 March 1962 was renamed the 550th Strategic Aerospace Wing . 0 +"If "" f "" has in Hardy space "" H "" , then it is a factorization" "If "" f "" has room "" H "" in Hardy , then it is a factorization" 1 +Bonnie Gadusek defeated Kathy Rinaldi 6 -- 1 , 6 - 3 Kathy Rinaldi defeated Bonnie Gadusek at 6 -- 1 , 6 -- 3 . 0 +"He dismissed Thomas Hardy as a "" harmless rustic "" but admired George Meredith for his appreciation of beauty ." "He dismissed George Meredith as "" harmless rustic "" , but admired Thomas Hardy for his appreciation of beauty ." 0 +"There are a number of remarkable works in the Afghan literature that Muslims discuss during the "" Australian period "" ( 1860-1900 ) ." "There are a number of notable works in Australian literature that discuss the Muslims during the "" Afghan period "" ( 1860-1900 ) ." 0 +He was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur in 2012 as a candidate of the Indian National Congress . In 2012 , he was elected Chairman of the Indian National Congress ( District Pnachayat ) of Kolhapur as a candidate for Zilla Parishad . 0 +He married Mary , daughter of Lachlan MacLean of Lochbuie , and had from her : He married Lachlan MacLean , daughter of Mary of Lochbuie , and had by her : 0 +The Council had 27 members nominated by local authorities in Wales , the University of Wales , the National Eisteddfod Council and the Welsh Tourist Board . The Council has had 27 members nominated by the local authorities in Wales , the University of Wales , the Welsh Tourist Board and the National Eisteddfod Council . 1 +The real basis of bloom is that , in the physical world , lenses can never focus perfectly . The real basis of the flower is that lenses can never focus perfectly in the physical world . 1 +After Donald explained everything about Bobby and Morag , Rebecca stays for the school holidays in Summer Bay . After Donald explains everything about Bobby and Morag , Rebecca stays in Summer Bay for the school holidays . 1 +From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by French troops under the command of General Zoller , before the Bavarian garrison capitulated . From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by Bavarian troops under the command of General Zoller , before the French garrison capitulated . 0 +The resulting explosion then destroyed the nuclear vehicle , and the second SRB initiated its own self-destruction . The resulting explosion also destroyed the core vehicle , and the second SRB then initiated its own self-destruction . 1 +Raúl Varela Luthier is supported by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Xavier Moyano . Xavier Moyano is supported by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Raúl Varela Luthier . 0 +"He is supporting Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." "He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." 1 +In 1915 , Britain introduced conscription , a crisis meeting of the London branch of Irish volunteers was held at his home in East Dulwich to discuss conscription . In 1915 , Britain introduced conscription ; a crisis meeting of the Dulwich branch of the Irish volunteers was held at his home in east London to discuss conscription . 0 +Marlborough is located north of Harare and lies between the streets leading from Chinhoyi and Bindura to the Harare City Centre . Marlborough lies to the north of Harare and is between the roads leading to Harare City Centre from Chinhoyi and Bindura . 1 +In 1974 Brown recorded the song , with Lyn Collins producing . In 1974 , Brown recorded the song , with Lyn producing Collins . 0 +In 1774 , his earliest settlers were George McCormick and George Woods , who settled in Spring Mills in 1773 and built the first mill there . His earliest settlers in 1774 were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . 0 +This caladenia usually grows in open forest and is found in the northern Flinders Ranges and southern Mount Lofty Ranges . This Caladenia usually grows in open forests and is found in the northern Flinders ranges and southern Mount Lofty Ranges . 1 +Its College of Education and College of Arts and Humanities offer additional education teachers bilingual training for them to improve their academic Spanish . Its College of Education & College of Arts and Humanities offer additional education teachers bilingual training for them to improve their academic Spanish . 1 +She married Antonio Bourque , and first lived in Shediac before retiring to Villa Providence in Moncton . She married Antonio Bourque and first lived in Shediac before retiring to the Villa Providence in Moncton . 1 +The single appeared in three versions : a Limited Edition , a Regular Edition and a Star Driver Edition . The single was released in three versions : a limited edition , a regular edition , and a Star Driver edition . 1 +Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of the two public secondary schools operated by the Twin Falls School District . 0 +Catterall , Herbie Taylor and Captain Nummy Deane were the only survivors of the 1924 team to England , who had to be selected for the tour in 1929 . Catterall , Herbie Taylor and captain Nummy Deane were the only survivors of the 1924 team to England to be picked for the 1929 tour . 1 +"In Ngapoi Ngawang Jigme , "" Ngapoi "" was , for example , his family name and "" Nga - Wang Jigmê "" his personal name ." "For example , in Ngapoi Ngawang Jigme , "" Ngapoi "" was his family name and "" Nga-Wang Jigmê "" his personal name ." 1 +It is located close to Mandurriao at 113 R. Mapa Street in Old Iloilo Airport 's Iloilo City district . It is located near Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of the city of Iloilo . 0 +Where , for example , men are often expected to enjoy more sexual freedom , women are encouraged to become more sexually restricted . For example , where men are often expected to enjoy more sexual freedom , women are encouraged to be more sexually restricted . 1 +Top - singer Noor Jehan expected to be the other singers for duets with G. M. Durrani . Top singer G. M. Durrani was expecting for duets with Noor Jehan to be the other singers . 0 +The dorsolateral and ventrolateral lines are composed of light brown irregular patches . The light brown irregular lines are composed of dorsolateral and ventrolateral spots . 0 +A small modular reactor concept has been designed , but the large design is still being conceptualized . A small modular reactor concept has been designed , but the big design is still being conceptualized . 1 +Its ancient cult sanctuary of Aphrodite was the second most important in Paphos , her homeland , after Cyprus . After Paphos , its ancient cult sanctuary of Aphrodite was the second most important in Cyprus , her homeland . 0 +The unpredictable consonant of each word was then dropped , leaving the distribution of first . The first consonant of every word was then dropped , the distribution of unpredictable leaving . 0 +The earliest local lesion is a detectable narrowing or irregularity of the lumen . The earliest local lesion is a provable narrowing or irregularity of the lumen . 1 +In 1392 , Duncan Isabella agreed to marry with Robert 's son , Murdoch Stewart . In 1392 , Duncan agreed to marry Isabella to Robert 's son , Murdoch Stewart . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of Bad Urach are assigned in St. Joseph . The members of the United Methodist Church gather in Laichingen , while the Catholics in the parish of St. Josef are assigned to Bad Urach . 0 +The party began as a resistance movement that fought for the independence of East Timor , first from Indonesia and then from Portugal , between 1974 and 1998 . The party began as a resistance movement that fought for East Timor ’ s independence between 1974 and 1998 , first from Portugal and then from Indonesia . 0 +Baker established himself on the Illinois side of the river , and Buell , the Iowa side . Baker established itself on the Illinois side of the river , and Buell , the Iowa side . 1 +Ernest Renan visited Chalaaboun during his mission in Lebanon and found what he described in his book Mission de Phénicie ( 1865-1874 ) . Ernest Renan visited Chalaaboun during his mission to Lebanon and described what he found in his book Mission de Phénicie ( 1865-1874 ) . 0 +Condon said that she wanted Suzanne to give a Valentine 's Day card . Suzanne said she wanted to give Condon a Valentine 's Day card . 0 +In South and Central America , the song reached the top 10 in Colombia , Mexico and Venezuela , top 5 in Guatemala , and No . 1 in Argentina . In South and Central America , the song reached the top 10 in Colombia , Guatemala , the top 5 in Mexico and Venezuela , and No . 1 in Argentina . 0 +With the exception of a residential strip along Calumet Avenue , South Hammond is overwhelmingly commercial . South Hammond is overwhelmingly commercial with the exception of a strip of living along Calumet Avenue . 1 +Copies of the Leach catapult , which were used by the Royal Engineers locally , were made in the Gallipoli campaign . Copies of the Leach catapult , used locally by the Royal Engineers , were made in the Gallipoli Campaign . 1 +Dummer was born in Newbury , Massachusetts , where he was the first son of Richard Dummer and his second wife , Frances Burr . Dummer was born in Newbury , Massachusetts , as the second son of Richard Dummer and his first wife , Frances Burr . 0 +It is found in south-eastern Brazil , where is known as jequitibá-branco or jequitibá-rosa , possibly Colombia , and possibly Venezuela . It is found in south-eastern Venezuela , where as Jequitibá - branco or jequitibá-rosa , possibly Brazil and possibly Colombia is known . 0 +"The March 2000 issue had a French edition , and a hardcover "" limited "" edition appeared in 2002 ." "The March 2000 issue had a limited edition , and in 2002 a hardcover edition "" French "" was published ." 0 +It was created on 18 July 1914 for the pharmacist and businessman James Horlick , brother of William Horlick . It was created on 18 July 1914 for the pharmacist and businessman James Horlick , the brother of William Horlick . 1 +The Los Angeles County Department for Health Services operates the Torrance Health Center in Torrance , near Harbor Gateway , Los Angeles , and serves Rolling Hills . The Los Angeles County Department of Health Services operates the Torrance Health Center in Torrance , near Harbor Gateway , Los Angeles and serving Rolling Hills . 1 +The distributions of Rihaczek and Choi -- Williams are examples of class distributions of affine invariant Cohen . The Rihaczek and Choi -- Cohen distributions are examples of affine invariant Williams 's class distributions . 0 +He started to date Fergus Kearney ( Paul Ellis ) , but competed with Minnie Crozier ( Katrina Devine ) and Mackenzie Choat ( Ingrid Park ) . He started to date Minnie Crozier ( Katrina Devine ) but clashed with both Fergus Kearney ( Paul Ellis ) and Mackenzie Choat ( Ingrid Park ) . 0 +On 26 July 2012 , Gu Kailai was charged with the murder of Neil Heywood . On July 26 , 2012 , Gu Kailai was charged with the murder of Neil Heywood . 1 +However , Griese was temporarily injured in the season , and later relieved by Grossman . However , Griese was temporarily injured in the season and later relieved of Grossman . 1 +His current research explores the impact of Islamic ideas and stories on Jewish sources . His current research explores the influence of Islamic ideas and stories on Jewish sources . 1 +The character of Michel Ardan , the French member of the party in the novel , was inspired by the real-life photographer Félix Nadar . The character of Michel Ardan , the French member of the party in the novel , was inspired by realistic photographer Félix Nadar . 1 +The Pod Shot is a special attack where the side pods are shot back at high speed before circling forward and returning to the ship . The Pod Shot is a special attack in which the side Pods are launched back at high speed , before circling forward and returning to the ship . 1 +He started his career in Switzerland for a year until he returned to Paris from 1971 to 1979 to work in gravure . He started his career in Paris for a year until he returned to Switzerland from 1971 to 1979 to work in gravure . 0 +Nadhin Ratheesh Vega is living with his wife Dr. Anu Ratheesh Vega and son Ratheesh in Thrissur . He lives together with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega in Thrissur . 0 +The album was released on Sony Japan , PIAS in the UK , Flying Nun in Europe , Infectious Records in the New Zealand and Festival Records in Australia . The album was released on Sony Japan , PIAS in Europe , Flying Nun in New Zealand , Infectious Records in the UK and Festival Records in Australia . 0 +Lucey 's wife Helen Tokar was the sister of Betty Tokar Jankovich , who briefly dated Bob Montana and was the inspiration for Betty Cooper . Helen Tokar , the wife of Lu Lucey , was the sister of Betty Tokar Jankovich , who dated Bob Montana briefly and was the inspiration for Betty Cooper . 1 +He was also elected Fellow of the Royal Society in 1749 and the Fellow of the Royal College of Physicians , London in 1754 . Also in 1749 he was made a Fellow of the Royal Society and in 1754 was elected Fellow of the Royal College of Physicians , London . 1 +In 2013 , he reached his first victory at Rd.5 in the Huis Ten Bosch , and was also the third win for a Toyota 86 in the series . In 2013 , he earned his first win at Rd.5 in Huis Ten Bosch . This was also the third victory for a Toyota 86 in the series . 1 +Its creator , Nishikado , designed and programmed not only the game , but also the artwork , developed the arcade hardware , and put together a microcomputer from scratch . Its creator Nishikado not only designed and engineered the game , but also did the artwork , programmed the arcade hardware , and put together a microcomputer from scratch . 0 +The station provides service to Penn Station in Newark , and from there to Hoboken Terminal or Penn Station in Midtown Manhattan . The station serves Penn Station in Midtown Manhattan and from there to Hoboken Terminal or Penn Station in Newark . 0 +"The track remains one of two tracks that Brant ever co-wrote , the other track was also from the same album , titled "" This Time Around "" ." "The track remains one of two tracks that Brant also co-wrote , the other track was ever from the same album , entitled "" This Time Around "" ." 0 +Ingraham Phillips Brooks , a cusine of Mary Brooks , married in Natchez . In Natchez , Ingraham married Phillips Brooks , a cousin of Mary Brooks . 0 +He moved to Illinois in 1891 and settled in Ottawa . He moved to Ottawa in 1891 and settled down in Illinois . 0 +On October 31 , 2012 , Watson acquired Actavis for and took the Actavis name . On October 31 , 2012 , Watson Actavis took the name Actavis and acquired it . 0 +In South and Central America the song reached the top 10 in Colombia , Mexico and Venezuela , the top 5 in Guatemala and No . 1 in Argentina . In South and Central America , the song reached the top 10 in Colombia , Guatemala , top 5 in Mexico and Venezuela , and No . 1 in Argentina . 0 +It was obtained from parts of Assiniboia , Humboldt - Lake Centre and Moose Jaw Ridings in 1987 . It was re-created in 1987 from parts of Lake Centre , Humboldt -- Assiniboia and Moose Jaw ridings . 0 +The series was created by Bones and co-produced by Bandai Entertainment . The series was made by Bones co-produced and made by Bandai Entertainment . 0 +There is a Orang Asli Museum in Gombak and also in Melaka , about 25 km north of Kuala Lumpur . There is a Orang Asli Museum in Melaka and also in Gombak , about 25 km north of Kuala Lumpur . 0 +Both John Kerry in 2001 and Mark Warner in 2004 lost Loudoun and Prince William counties . Both John Kerry in 2001 and Mark Warner lost counties to Loudoun and Prince William in 2004 . 1 +The Club - Kit is a red or black vertical striped vest or crop - top with red decorative bars , with white and black running shorts or hotpants . The club kit is a red or black vertically striped vest or crop top with red trim , with white and black running shorts or hotpants . 1 +"Oren Peli wrote the script for the paranormal thriller film "" Insidious "" , which was staged by Wan in 2011 and produced by Whannell ." "Oren Peli wrote the script for and acted in the 2011 paranormal thriller film , "" Insidious "" , which was directed by Wan and produced by Whannell ." 1 +Then membership of inverse nodes within periodicity blocks may be tested analytically through the primary φ function . The membership of primary nodes within periodicity blocks can then be tested analytically through the inverse φ function : 0 +Mastax poecila is a kind of beetle in the Carabidae family that can be found in Cambodia , China and Singapore . Mastax poecila is a species of beetle in the Carabidae family that can be found in Cambodia , China and Singapore . 1 +Agrippa then sent Polemon I of Pontus to take Scribonius and remove the throne himself . Agrippa then sent Polemon I of Pontus to remove Scribonius and take over the throne himself . 0 +He survived the Soviet leadership changes from Khrushchev to Brezhnev in 1964 . He survived the Soviet leadership transition from Khrushchev to Brezhnev in 1964 . 1 +"The "" Friends of Putney School of Art and Design "" protects the School and promotes the interests of current students ." "The "" Friends of the Art and Design School of Putney "" promotes the school and protects the interests of the current students ." 0 +Lewis was also a member of the Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguars , Cleveland Browns and Virginia Destroyers . Lewis also was a member of Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguare , Cleveland Browns , and Virginia Destroyers . 1 +Rosenberg has produced more than 40 detonographic works for public buildings in the United States and abroad . Rosenberg has produced more than 40 detonographic works for public buildings around the United States and abroad . 1 +Waye played his earliest football in Adelaide , before arriving in Willunga and Renmark and competing in the Port Adelaide Church Association . Waye played his earliest football game in Adelaide before arriving in Willunga and Renmark and joining the Port Adelaide Church Association . 1 +Ambeshetgaon is a village in the Palghar district of Maharashtra , India . It is located in the Talasari taluka . Ambeshetgaon is a village in the Palghar district of Maharashtra , India . It is located in Talasari Taluka . 1 +Prince Edward Island , Canada is a provincial park in Strathgartney Provincial Park . Strathgartney Provincial Park is a provincial park on Prince Edward Island , Canada . 0 +Souray married former WWE wrestler Barbara Blank in February 2016 , better known as Kelly Kelly , and separated in October 2017 . Souray married former WWE professional wrestler Barbara Blank , better known as Kelly Kelly in February 2016 . They have separated in October 2017 . 1 +Staggered bartizans , with spherical bases and Cylindrical openings are located at the corners of the fort . At the corners of the fort are cylindrical bartizanes with staggered bases and spherical openings . 0 +Where the sum extends over all paths formula _ 40 with the property that formula _ 39 and formula _ 41 . The analogous expression in quantum mechanics is the path integral . Where the sum extends over all paths , Formula 40 with the property that Formula 39 and Formula 41 . The analogue expression in quantum mechanics is the path integral . 1 +In 1960 , Ardley married Vivian Wilson , and the couple had one daughter . In 2003 he married Bridget Gantley . He died in Milford , Derbyshire . In 1960 , Ardley married Vivian Wilson , the couple had a daughter , in 2003 he married Bridget Gantley and died in Milford , Derbyshire . 1 +Hill is a small lunar impact crater that is located to the west of the prominent crater Macrobius , near the eastern edge of the Sinus Amoris . The prominent impact crater is located to the west of the small lunar crater Macrobius , near the eastern edge of Sinus Amoris . 0 +Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed for its capital for the whole country and the province . Under Portuguese rule , this province was renamed Moçambique , but with independence the name Mozambique was named for its capital throughout the country and province . 0 +Hernandez defeated Morgan on 17 April in Lockdown in a steel cage - Match to win the Feud . On April 17 at Lockdown , Morgan defeated Hernandez in a steel cage match to win the feud . 0 +Although developed in Europe , it is used mainly in Singapore commercially . Although it is being developed in Singapore , it is used commercially mainly in Europe . 0 +Parkala is a suburb of the city of Manipal east of Udupi in Udupi district Karnataka , India . Parkala is a suburb of Manipal city located east of Udupi in Udupi district of Karnataka , India . 1 +"On 20 April 2007 , Stephanie Johnson joined the occupation of "" Days of Our Lives "" in the contract role of Hennig ." "On April 20 , 2007 , Hennig joined the occupation of "" Days of Our Lives "" in the contract role of Stephanie Johnson ." 0 +All was born in Oldtown , Kentucky , and attended the High School in Ashland , where he played football at West Virginia University from 1932 to 1934 . Allen was born in Ashland , Kentucky and attended high school in Oldtown . He played football at the West Virginia University from 1932 to 1934 . 0 +In May 2012 , Collins decided he would not challenge Broun . In May 2012 , Collins decided that he would not challenge Broun . 1 +The Bibrik is white with a black or brown head . The wool displays course with a yield of and an average diameter of 41.5 micrometres . The bibrik is white with a black or brown head , the wool is of course with a yield of 41.5 microns and an average diameter of . 0 +The castle was converted twice : in the 15th century for the first time and in the 19th century after it had been partially destroyed . The castle was rebuilt twice : in 19th century for the first time and in 15th century , after it had been partially destroyed . 0 +It was played by Daryl Somers and Ossie Ostrich hosted by Ernie Carroll . It was hosted by Ernie Carroll by Daryl Somers and Ossie Ostrich . 0 +She previously played for Åland United , FC Honka and HJK of the Finnish Naisten Liiga , as well as for Danish club Fortuna Hjørring . She played for HJK , FC Honka and Åland United of the Finnish Naisten Liiga as well as for the Danish club Fortuna Hjørring . 1 +While osteopathic medicine has followed the development of society , allopathic medicine is a recent development . While allopathic medicine has pursued the development of society , osteopathic medicine is a recent development . 0 +It was played by actor Daryl Somers and Ossie Ostrich by Ernie Carroll . It was played by Daryl Somers and Ossie Ostrich hosted by Ernie Carroll . 0 +1843 : China : Sailors and marines from the St. Louis were landed after a clash between Americans and Chinese at the trading post in Canton . 1843 : China : Sailors and Marines from St. Louis were landed at the trading station in Canton after a clash between Americans and Chinese . 1 +Music was written by Vedha and lyrics were composed by Kannadasan . The music was composed by Vedha and the lyrics by Kannadasan were written . 0 +He dedicated this work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : He devoted the work to his friend , the violinist Fritz Kreisler , who wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : 0 +It was written by Michael Kaplan and was directed by John Sanborn . It was written by John Sanborn and directed Michael Kaplan . 0 +As a Dr. Pepper salesman , Jimmy knew all of the local grocery store owners and they would save the overripe bananas for Bob . As a Dr. Pepper salesman , Bob knew all the local grocery owners and they would save the overripe bananas for Jimmy . 0 +Although sold in Germany , Fonzies are produced in Italy by LU Snack Foods GmbH . Although sold in Italy , foncies are produced by LU Snack Foods GmbH in Germany . 0 +The sculpture varies in strength in different individuals ; usually stronger on the earlier whorls . The sculpture varies in strength in different individuals , usually earlier on the stronger vortexs . 0 +When Khadr was injured in a 1995 battle in Kabul , Mohamad Elzahabi visited him the Peshawar hospital . When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him at the hospital in Peshawar . 0 +Neelankarai is located on the East Coast Road ( State Highway 49 ) and runs parallel to Thoraipakkam on OMR ( Old Mahabalipuram Road ) . Neelankarai is located on Old Mahabalipuram Road ( State Highway 49 ) and is parallel to the Thoraipakkam on OMR ( East Coast Road ) . 0 +It is a Zapotec and historically traditional village . It is a Zapotec and an historically traditional village . 1 +The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharge . The role of corpus callosum in the epilepsy is the epileptiform transmission of interhemispheric discharges . 0 +""" Iti "" usually refers to something concrete , but may also relate to abstract nouns ." """ Iti "" usually refers to something abstract but may also refer to concrete nouns ." 0 +Commander Adama arrives with Billy Keikeya and Chief Galen Tyrol in Kobol . Commander Adama arrives with Galen Tyrol and Chief Billy Keikeya in Kobol . 0 +Looker spent 2000 training camp with the New England Patriots before being traded to the Rams on August 7 . In 2000 , the training camp was spent with the New England Patriots before being traded on 7 August to Rams . 1 +A symmetric association scheme can be visualized as a complete graph with labeled edges . A symmetric association scheme can be visualised as a complete graph with labeled edges . 1 +"The word nanosecond is formed by the prefix "" nano "" and the basic one is second a second unit of time or a sixtieth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the basis is a second second unit of time or a sixtieth of a second ." 1 +"She also had a supporting role in the movie "" Dolores Perrigrew "" 1992 as Bob Roberts ." "She also had a supporting role in the 1992 film "" Dolores Perrigrew "" , as Bob Roberts ." 1 +He died in Brussels ( Ixelles ) on 15 August 1950 . He died on August 15 , 1950 in Ixelles ( Brussels ) . 1 +Examples of such factors include rape , fraternization , public sexual behavior , or any other factors that would adversely affect good order and discipline . Examples of such factors include rape , fraternization , good behavior , or other factors that would adversely affect public sexual order and discipline . 0 +In 2014 when Hollywood Park Racetrack closed the race was moved to Santa Anita Park . In 2014 , when Santa Anita Park was closed the race moved to Hollywood Park Racetrack . 0 +Zhu Xicai continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Ci trusted him greatly . Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same family name , Zhu Xicai greatly trusted him . 0 +Some of the governing bodies are the Advertising Standards Board , who is appointed by the Advertising Standards Bureau , and Communications Council . Some of the governing bodies are the Advertising Standards Bureau and the Communications Council , which is appointed by the Advertising Standards Board . 0 +Tremor is a South African film produced by Denis Scully and Co by Michael Deeley in 1961 . Tremor is a 1961 South African film directed by Denis Scully and co produced by Michael Deeley . 0 +Kumara Sambhavam is a 1969 Indian Malayalam and bilingual film ( Tamil ) , directed and produced by P. Subramaniam . Kumara Sambhavam is a 1969 Indian Malayalam and Tamil film ( bilingual ) , produced and staged by P. Subramaniam . 1 +MGDM has a prominent place in the health sector of Kottayam District especially Kerala . MGDM has a prominent place in the health sector of Kerala , especially in the Kottayam District . 0 +Leelanau County is a charter township of Elmwood Charter Township in the US state of Michigan . Leelanau County is a charter township of Elmwood Charter Township in the U.S. state of Michigan . 1 +It was released as a digital download on April 6 , 2010 , and was added on Modern Rock radio in the United States on May 5 , 2010 . It was added on 6 April 2010 as a digital download and published on Modern Rock radio in the United States on May 5th , 2010 . 0 +A professional thief ( John Cusack ) takes a former racing driver ( Thomas Jane ) hostage and forces him to drive his car . A professional thief ( John Cusack ) takes a former race car driver ( Thomas Jane ) hostage and forces him to drive his getaway car . 1 +"During religious persecutions he came to Serbian Šajkaši in Komárom as a renowned speaker ( "" slavni propovednik "" ) in 1739 ." "In 1739 , during religious persecutions , he came as a renowned speaker ( "" slavni propovednik "" ) to live among the Serbian Šajkaši in Komárom ." 1 +William de Middleton ( or William Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . William Middleton ( or William de Middleton ; died on August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . 1 +He went to Hungary as Secretary of the Archbishop of Split , and in 1503 via Zagreb to Venice . As Secretary of the Archbishop of Split , he went to Venice and in 1503 through Zagreb to Hungary . 0 +The outer bark is black to dark brown while the inner bark is reddish brown to pink . The outer bark is black until reddish brown , while the inner bark is dark brown to pink . 0 +As an alternative , tantric Tibetan Buddhism allows to consciously choose a desire , to create desire , rather than being created by it . As an alternative , tantric Tibetan Buddhism allows to create a desire consciously ; to choose desire rather than being created by it . 0 +Bekkefaret is a neighborhood in the city of Stavanger in Rogaland county , Norway . Bekkefaret is a neighborhood in the city of Stavanger in the Rogaland County , Norway . 1 +Renovations in 2007 have replaced the front entrance with a modern design that mimics the original façade and the taller original roof is now a simpler metal roof structure . Renovations in 2007 replaced the original entrance with a modern design that imitates the original façade and the higher front roof is now a simpler metal roof structure . 0 +The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . 1 +It is located in the southern part of Annapolis County on the western shore of the Annapolis Basin . It is situated in the western part of Annapolis County on the southern shore of the Annapolis Basin . 0 +The music for the film is composed by Bijibal , and background score by Nadirsha . The music for the film is composed by Nadirsha , and background music by Bijibal . 0 +The Valea Arsurii River is a tributary of the Valea Mică River in Romania . The river Valea Mică is a tributary of the Valea Arsurii River in Romania . 0 +At the Azalea Community Park , local artists have created a unique oasis with the Water Conservation Garden , collection of succulent plants and creative sculpture . Local artists have created a unique oasis at the Azalea Community Park with the Water Conservation Garden , a collection of succulents and creative sculpture . 1 +Sixteen of these delegates were allocated for Barack Obama , nine for Hillary Rodham Clinton . Sixteen of these delegates were allocated for Barack Obama while nine were allocated for Hillary Rodham Clinton . 1 +Benzoylfentanyl was banned in Finland in September 2017 , and in Sweden in October 2017 . In September 2017 , benzoylfentanyl was banned in Sweden and in Finland in October 2017 . 0 +As a means to promote Spanish art and culture among Indonesian speakers . As a means to promote Indonesian art and culture amongst Spanish speakers . 0 +Small Business Saturday UK began in the United Kingdom in 2013 after the success of Small Business Saturday in the United States of America . The launch of Small Business Saturday UK began in 2013 in the United Kingdom following the success of Small Business Saturday in the United States of America . 1 +The academy consists of a central hall , east wing , west wing and garden . The academy consists of east hall , central wing , west wing and a garden . 0 +The reservoirs that form the chain are , from northwest to southeast : Catcleugh Reservoir → Colt Crag Reservoir → Little Swinburne Reservoir → Hallington Reservoirs → Whittle Dene . The reservoirs that form the chain are from northwest to southeast : Little Swinburne Reservoir → Hallington Reservoir → Catcleugh Reservoir → Colt Crag reservoir → Whittle Dene . 0 +London joined the Peace Corps in Malawi in 1989 and led a regional business development program in Africa . In 1989 London joined the Peace Corps in Africa and co-managed a regional business development program in Malawi . 0 +While at American Express , Espuelas worked on the Wunderman , General Foods Gevalia and Weight Watchers accounts . While working on American Express , Espuelas worked on the accounts Wunderman , General Foods Gevalia and Weight Watchers . 1 +Bit 4 is affected if the K register is affected , bit 5 is set when the J register is set . Bit 4 is affected if the K register is affected . Bit 5 is set if the J register is set . 1 +"Prairie Justice is a 1938 "" B "" film by Bob Baker and George Waggner directed as a singing cowboy ." "Prairie Justice is a 1938 "" B "" movie directed by Bob Baker and starring George Waggner as a singing cowboy ." 0 +A voltage is induced in these cells , which is registered electronically . In these cells , a voltage is induced , which is captured electronically . 1 +Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 -- October 26 , 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . 1 +The community was named after Raymond , Maine , the first home of a native settler . The community was named after Raymond , Maine , the home of a first settler . 0 +Dennis is arrested and convicted to die with Hugh and Barnaby , Hugh and Dennis are hanged , and Barnaby is pardoned by the efforts of Gabriel Varden . Dennis is arrested and sentenced to die with Hugh and Barnaby . Hugh and Dennis are pardoned . Barnaby , through the efforts of Gabriel Varden , is hanged . 0 +Varshamov studied in Tbilisi with Arnold Walfisz ( where he was Georgian Varshamov was with Arnold Walfisz ( where he studied Georgian ) in Tbilisi . 0 +L. Subramaniam married Dr. Kavita Krishnamurthy in Bengaluru , Karnataka on 11th November , 1999 . On 11 November 1999 , Kavita Krishnamurthy married Dr L. Subramaniam in Bengaluru , Karnataka . 0 +""" Nobody Does It Better "" is a song composed by Marvin Hamlisch with lyrics by Carole Bayer Sager ." """ Nobody Does It Better "" is a song with texts by Carole Bayer Sager composed by Marvin Hamlisch ." 1 +The unique art and style of this idol is structural and is in perfect proportion to it . The architectural art style of this idol is unique and is in perfect proportion to it . 0 +He formed a fine library and kept it open to scholars , supported himself and wrote writers . He formed a beautiful library and kept it open to scholars , supported himself and wrote writers . 1 +"environment that tells a message "" m "" and then chooses "" C "" to act as prescribed" "Environment that shares a message "" m "" and then chooses "" C "" to act as prescribed ." 1 +It was found by Alpheus Spring Packard in 1874 and is described in North America . She was found in 1874 by Alpheus Spring Packard and is described in North America . 1 +Adventures Of Cow is a 2005 children 's picture book series by Marshall Taylor and illustrated by Lori Korchek . Adventures Of Cow is a picture book series for children from 2005 by Lori Korchek and illustrated by Marshall Taylor . 0 +These enzymes are capable of performing enantioselective oxidations of prochiral substrates . These enzymes are capable of prochiral oxidations of enantioselective substrates . 0 +Most pre- 1976 series produced by CBS or distributed by CBS Films were later distributed by Viacom and Paramount Television . Most of the series produced by CBS films or distributed by Paramount Television before 1976 were later distributed by Viacom and CBS . 0 +2. lights , camera ... cut ! -Horace wants to win a contest , so he counts on Big Bang and Kid to help him . 2 . Lights , Camera ... Cut ! -Horace wants to win a contest , so he counts on Big Bang and Kid to help him . 1 +Black Drawing Chalks is a Brazilian rock band from Goiânia , Goiás , Brazil , founded by a group of graphic design students in 2005 . Black Drawing Chalks is a graphic rock band from Goiânia , Goiás , Brazil , founded in 2005 by a group of Brazilian design students . 0 +Silver became the motor of the Spanish colonial economy both in Peru and in New Spain . In both New Spain and Peru , silver became the engine of the Spanish colonial economy . 1 +It is a pathway from Hub Industrial Area to North Karachi and followed by Nazimabad and Orangi Town . It is followed by a path from Hub Industrial Area to North Karachi and from Nazimabad and Orangi Town . 1 +In the new group , Guy Watson of Love Song took over the drums and Ernie Earnshaw on the bass . Ernie Earnshaw of Love Song took over on drums and Guy Watson on the bass in the new group . 0 +Pablo Cuevas won the title by defeating Top - Top - Máximo González at 6 -- 4 , 6 -- 3 in the final . Pablo Cuevas won the title , by defeating top seed Máximo González 6 -- 4 , 6 -- 3 in the final . 1 +Patella swakopmundensis is a species of sea snail , a true limpet , a marine gastropod mollusk in the Patellidae family , one of the families of true limpets . Patella swakopmunden sis is a species of sea snail , a true limpet , a true gastropod mollusk in the family Patellidae , one of the families of marine limpets . 0 +The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the penultimate stage started the next day on the mountain . The Giro 's mountainous stage 20 ended on the slopes of Les Deux Alpes , and the penultimate stage began on the mountain the next day . 1 +The Ludlow Group formations of the county of Galway include the Salrock beds of Ireland and the Croagmarhin - beds of the Dingle - Peninsula of County Kerry . The Ludlow Group formations of County Galway include the Salrock beds of Ireland , and the Croagmarhin beds of Dingle Peninsula of County Kerry . 1 +The ethnicity was 96.6 % white , 1.1 % mixed race , 1.2 % black , 0.8 % Asian and 0.3 % other . The ethnicity was 96.6 % white , 1.1 % mixed , 1.2 % Asian , 0.8 % black and 0.3 % other . 0 +Serkan Yalçın ( born 2 November 1982 ) is a Turkish professional footballer , who plays as a defender for TFF First League in the Akhisar Belediyespor . Serkan Yalçan ( born November 2 , 1982 ) is a Turkish professional footballer who plays Akhisar Belediyespor as a defender in the TFF First League . 0 +Suncook is located in the western corner of the town of Allenstown and at the southern end of the city of Pembroke . Suncook is located in the southern corner of the town of Pembroke and the western end of the town of Allenstown . 0 +Multiplayer video games are those that can either be played cooperatively in electronic sports or competing , sometimes by using multiple input devices or by hotseating . Multiplayer video games are those that can be played either competitively , sometimes in Electronic Sports , or cooperatively by using either multiple input devices , or by hotseating . 0 +After many delays , the segment from Kaduna to Abuja ( 187 km ) opened officially on 26 July 2016 . The segment from Kaduna to Abuja ( 187 km ) was officially opened after many delays on 26 July 2016 . 1 +The large area of black is first shaded with green and then with blue . The large area of black is shaded first with blue and then with green . 0 +In April 2011 Aa Akari Saho has left . In April 2011 , Aa left Akari Saho . 0 +Under the direction of George D. Widener , the current 16th Street Clubhouse was built by the architect Horace Trumbauer . Under the leadership of George D. Widener , the current 16th Street Clubhouse was built by architect Horace Trumbauer . 1 +The following night , Delirious put his problems with Danielson aside to challenge Pearce . The following night , Delirious set aside his problems with Pearce to challenge Danielson . 0 +The American School Foundation is one of the most highly academic , exclusive institutions in Mexico City-with ever impressive IB and AP scores . The American School Foundation is one of the most impressive institutions in Mexico City with highly academic , exclusive IB and AP scores . 0 +Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the district Jelgava 2009 ) , Latvia . Lielplatone Parish is an administrative unit of the district of Jelgava ( prior to the administrative reforms of the municipality of Jelgava in 2009 ) , Latvia . 0 +Continue to the north through Old Leonardtown Road on Hughesville ( MD 625 ) . Continue to the north through Hughesville on Old Leonardtown Road ( MD 625 ) . 0 +Highsmith is the father of the current former NFL player Ali Highsmith and the uncle of the former NFL player Alonzo Highsmith . Highsmith is the father of former NFL player Alonzo Highsmith and uncle of current former NFL player Ali Highsmith . 0 +Massy was the son of Colonel Hugh Massy and the elder brother of General Eyre Massey , the first Baron Clarina . Massy was the son of Colonel Eyre Massey and the elder brother of General Hugh Massy , 1st Baron Clarina . 0 +This problem is common for special equipment in optical shops and among the residents of European origin . This problem is common for optical equipment in special shops and among residents of European origin . 0 +The Arbatel de Magia veterum was a ceremonial grimoire of the Latin Renaissance - magic that was published in Switzerland in 1575 . The Arbatel de Magia veterum was a Latin grimoire of the ceremonial magic of the Renaissance published in Switzerland in 1575 . 0 +The ground was home to the American Association , which played in 1890 in the players ' ; League and the Boston Reds . The ground was home to the American Association , that played in the Players ' League in 1890 and the Boston Reds in 1891 . 1 +Cochran added a 57-yard punt return for a hang in the fourth quarter and went 45 yards with an interception for a touchdown in the third quarter . Cochran added a 57-yard punt return for a score in the third quarter and went 45 yards with an interception for a touchdown in the fourth quarter . 0 +The section of the Collector Highway 321 from Springhill to Oxford was designated as Trunk Highway 4 before the 1960s . The section of Collector Highway 321 from Springhill to Oxford was designated as Trunk Highway 4 before the 1960s . 1 +For example , Elizabeth Coffin , daughter of a prominent merchant from Nantucket , was the mother of the wealthy Massachusetts industrialists Henry Coffin Nevins and David Nevins Jr . For example , Elizabeth Coffin , daughter of a wealthy merchant from Nantucket , was mother of the prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr.. 0 +The music was written by A. T. Ummer and the lyrics by Koorkkancheri Sugathan and Poovachal Khader were composed . The music was composed by A. T. Ummer and lyrics was written by Koorkkancheri Sugathan and Poovachal Khader . 0 +Sixteenth Air Force inactivated and Third Air Force took over the new role as Warfighting Headquarters for the USAFE . Third Air Force inactivated and Sixteenth Air Force assumed the new role as the Warfighting Headquarters for USAFE . 0 +He was elected in 1977 , and in April 1978 was re-elected to the newly created Court of Appeals District 1 . In 1977 he was re-elected and elected in April 1978 to the newly created Court of Appeals District 1 . 0 +It was the last edition in which the cyclists participated in national teams ; from 1969 on , commercial teams were used . It was the last edition in which cyclists participated in commercial teams of 1969 , were used on national teams . 0 +In Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) , new exhibitions are planned . In Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) , new exhibitions are planned . 0 +He was ordered to New Mexico Territory in 1860 and promoted to the rank of captain on December 20 at the 4th Infantry . He was ordered to New Mexico Territory in 1860 , and was promoted to the rank of captain in the 4th Infantry on December 20 . 1 +The Pandabeswar CD Block had 1 special and non-formal college with 1,007 students , 257 institutions for general education with 9,690 students . Pandabeswar CD Block had 1 special and non-formal college with 1,007 students , 257 institutions for general education with 9,690 students . 1 +Player 2 wins + 130 points ( wins 30 , loses 110 + 150 , so 230 ) . Player 2 has + 130 points ( loses 30 , wins 110 + 150 , so wins 230 overall ) 0 +Colchester won 2 -- 0 with goals by Jabo Ibehre on his second debut for the club and Freddie Sears . Colchester won 2 -- 0 with goals from coming from Freddie Sears on his second debut for the club and Jabo Ibehre . 0 +Born in 1799 in York ( Toronto ) , he grew up in Kingston . He was born in 1799 in Kingston , Toronto , and grew up in York . 0 +Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Wisconsin State Senate . Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and of the Wisconsin State Senate . 1 +In December 1883 , for two years , he moved to Fresno and then to Los Angeles . In December 1883 , he moved to Fresno and then Los Angeles for two years . 1 +Eastport is a hamlet and census - designated place ( CDP ) in Suffolk County , New York , United States . Eastport is a hamlet and census-designated place ( CDP ) in Suffolk County , New York , United States . 1 +"The species was first formally described by the English botanist James Edward Smith in "" Annals of Botany "" in 1805 , a type collected in Port Jackson ." "The species was first collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , and was described in Port Jackson ." 0 +""" Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." """ Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." 0 +Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical propositions . Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical rates . 1 +"In March 2009 Marco Pierre White , whom Claudia Winkleman has described as "" naturally funny "" , was confirmed as the new host ." "In March 2009 , Claudia Winkleman , described by Marco Pierre White as "" naturally funny "" , was confirmed as the new host ." 0 +In August 2016 , it was announced that Michael Usher Melissa Doyle would replace Friday and Saturday moderators . In August 2016 , it was announced that Michael Usher would replace Melissa Doyle as Friday and Saturday presenter . 0 +The Arbatel de Magia veterum was a Latin grimoire of the ceremonial magic of the Renaissance published in Switzerland in 1575 . The Arbatel De Magia veterum was a Latin grimoire of renaissance ceremonial magic published in 1575 in Switzerland . 1 +In 2004 SCA acquired the tissue and hygiene products businesses of Carter Holt Harvey from International Paper . In 2004 , SCA acquired the International Paper Tissue and Hygiene Products division from Carter Holt Harvey . 0 +The Franciscan is the annual magazine , with events , literary articles , submissions from students and from staff , and photographs . The Franciscan is the literary magazine , with events , annual articles , submissions by students and staff and photographs . 0 +The Chabot Museum is located in the Museumpark in the Rotterdam Centrum , between the Netherlands Architecture Institute and the Boijmans Van Beuningen Museum . The Museumpark is located at the Chabot Museum in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . 0 +John John Magufuli won the presidential election in October 2015 and secured a two-thirds majority in parliament , the other party or main party in Tanzania is called Chadema . John Magufuli won the October 2015 presidential election and secured a two-thirds majority in parliament . The other party or main party in Tanzania is called Chadema . 1 +Ruben Aganbegyan ( born in 1972 , Novosibirsk ) is a Russian economist , president of Micex , son of the famous Soviet economist Abel Aganbegyan . Ruben Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Abel Aganbegyan . 1 +"Justice Munir also wrote a book "" From Jinnah to Zia "" and argues that Jinnah stood for a secular state ." "Justice Munir also wrote a book "" From Jinnah to Zia "" , arguing that Jinnah stood for a secular state ." 1 +"In 2010 , Mahsun Kırmızıgül was cast in the movie "" Five Minarets in New York "" that was directed by Mustafa Sandal ." "In 2010 , Mustafa Sandal was cast in the movie "" Five Minarets in New York "" , directed by Mahsun Kırmızıgül ." 0 +These dolls had covered their English or Spanish names with a sticker with the German name or sometimes nothing . These dolls had covered their English or German names with a sticker with the Spanish name or sometimes nothing . 0 +The sixth wife of Ieyoshi was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . Ieyoshi 's official wife was Princess Takako ( 1795 -- 1840 ) , the sixth daughter of Prince Arisugawa Orihito . 0 +Together with Alicia Alberto Cortina has three sons . Alberto Cortina has three sons , Alicia : 0 +Northgate Arinso sold its Human Resources Management line of business to Convergys in 2010 . In 2010 , Northgate Arinso sold its Human Resources Management business to Convergys . 1 +"Agamben shows that "" auctoritas "" and "" potestas "" are clearly distinct -- although they form together a system "" ." "Agamben shows that "" auctoritas "" and "" potestas "" are clearly delineated -- although together they form a system "" ." 1 +Herefordshire has once won the Minor Counties Championship to share the title with Norfolk in 2002 . Once Norfolk won the Minor Counties Championship , sharing the title with Herefordshire in 2002 . 0 +This means that Lisp is homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of language itself . That is , Lisp means homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of the language itself . 0 +He spent several more years in New York City as a computer consultant and software engineer , then moved to Atlanta in 1998 . He spent several more years in Atlanta as a computer advisor and software engineer , then moved to New York City in 1998 . 0 +He died in Edinburgh on 28 August 1901 and married in 1870 in Mauritius Charlotte , daughter of Percy Fitzpatrick . He died in Mauritius on 28 August 1901 . He had married , in Edinburgh in 1870 , Charlotte , the daughter of Percy Fitzpatrick . 0 +Ahmad of Shirvan was the fourth Shah of Shirvan and eighth Shah of Layzan . Ahmad of Shirvan was the eighth Shirvan Shah and the fourth Shah of Layzan . 0 +One of the advantages the qualitative research as a whole has over quantitative research is its flexibility . One of the advantages of qualitative research as a whole over the quantitative is its flexibility . 1 +By then , three-quarters of the slaves had been liberated in Delaware , and a high proportion of slaves in Maryland . By then , three-quarters of the slaves had been liberated in Maryland , and a high proportion of slaves in Delaware . 0 +The song is produced by Calvo Da Gr8 and written by The Writing Camp . The song was written by Calvo Da Gr8 and produced by The Writing Camp . 0 +On August 20 , 2012 , the video hosting service was automatically shut down and the remaining Google Video content was ultimately moved to YouTube . On August 20 , 2012 , the video hosting service was finished and the remaining Google Video content was automatically moved to YouTube . 0 +"The "" World Atlas of Language Structures "" has a global map showing 400 languages and chapter text including geographical discussion :" "The "" World Atlas of Language Structures "" has a global map with 400 languages and chapter text , including geographical discussion :" 1 +Moutse district was seized from KwaNdebele in 1980 and was , despite violent resistance , officially integrated into Lebowa . The Moutse district was conquered in 1980 from KwaNdebele and was officially integrated into Lebowa despite violent resistance . 1 +Also Paul Paul Cavanagh doubled for Nelson . Nelson also doubled for Paul Cavanagh . 0 +Unionville is an unlawful community in Massac County , Illinois , United States Brookport is east of Unionville . Unionville is an unincorporated community in Massac County , Illinois , United States . Brookport is east of Unionville . 1 +Small mammals , including bats , are sometimes caught but insects are eaten only very rarely . Sometimes , small mammals , including bats , are caught , but insects are only very seldom eaten . 1 +Cloud9 is the single IDE for the BeagleBone Black native board computer , which is primarily programmed in an extension of node.js called Bonescript . Cloud9 is the native IDE for the BeagleBone Black Single Board Computer , which is mainly programmed in an extension of node.js called Bonescript . 0 +On April 25 , 2016 , Robinson was traded to the Portland Steel for Jamar Howard . On 25 April 2016 , Jamar Howard was traded for Robinson at the Portland Steel . 0 +Emden ( 1614 , Simon Bosboom - 1662 , Amsterdam ) , was a Dutch architect and writer of the Golden Age . Emden ( 1614 , Simon Bosboom -- 1662 , Amsterdam ) , was a Dutch Golden Age architect and writer . 1 +The music was written by Mariamma Philip and the lyrics by Darsan Raman composed . The music was composed by Darsan Raman and the lyrics written by Mariamma Philip . 0 +He moved from Chennai to Bengaluru in 1996 to start his own business . In 1996 , he moved from Chennai to Bengaluru to start his own business . 1 +Liverpool Township is located between 20 and 30 miles south of Lake Erie and about five miles west of Interstate 71 . Liverpool Township is located between 20 and 30 miles west of Lake Erie and approximately five miles south of Interstate 71 . 0 +Sambora and lead singer Jon Bon Jovi formed the main songwriting unit for the band . Jon Bon Jovi and lead singer Sambora formed the most important songwriting - unit for the band . 0 +"Yohannes IV was survived by his elder "" legitimate "" son "" Ras "" Araya Selassie Yohannes and by his younger "" natural "" son Mengesha ." "Mengesha was survived by his younger "" natural "" son "" Ras "" Araya Selassie Yohannes and his elder "" legitimate "" son Yohannes IV ." 0 +Nitin Gadkari is married to Kanchan Gadkari and they have three children , Nikhil , Sarang and Ketki . His eldest son Nikhil is married to Rutuja Pathak and Nitin Gadkari is married to Kanchan Gadkari and has three children , Nikhil , Sarang and Ketki , and his eldest son Nikhil is married to Rutuja Pathak . 1 +At first , inscriptions were found in Indian languages , but later inscriptions of Southeast Asian languages were found in writings derived from Indian writings . At first , inscriptions were found in Indian languages , but later inscriptions of southeast Asian languages were found in scripts derived from Indian scripts . 1 +It is found from Fennoscandinavia to the Pyrenees , Italy , and Greece and from Great Britain to Russia and Ukraine . It is found from Fennoscandinavia to the Pyrenees , Italy and Greece and from Britain to Russia and Ukraine . 1 +From 1800 -- 04 , Wright was British consul-general for the republic of the Seven Islands ( Ionian Islands ) . From 1800 -- 04 Wright was British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . 1 +Suffolk county cricket teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket Club in 1864 . Suffolk County Cricket - Teams were the teams representing the historic county of Suffolk before the first official foundation of Suffolk County Cricket Club in 1864 . 0 +The National Ports Authority provides port infrastructure and commercial services at the eight seaports in South Africa . The National Ports Authority provides port infrastructure and marine services at the eight commercial seaports in South Africa . 0 +Elmshorn is a town in the Pinneberg district of Schleswig-Holstein , Germany . Elmshorn is a town in the district of Pinneberg in Schleswig-Holstein in Germany . 1 +The Arbatel De Magia veterum was a Latin grimoire of renaissance ceremonial magic published in 1575 in Switzerland . The Arbatel de Magia veterum was a ceremonial grimoire of Latin Renaissance magic , which appeared in Switzerland in 1575 . 0 +An alternative extension to compact groups is the Peter -- Weyl -- Theorem , which proves results about representations of compact groups analogous to those on finite groups . An alternative extension to compact groups is the Peter Weyl theorem , which proves results about representations of finite groups analogous to those about compact groups . 0 +He joined Janata Dal ( United ) and left the Bharatiya Janata Party in February 2008 . He joined the Janata Dal ( United ) and left the Bharatiya Janata Party in February , 2008 . 1 +Zhao Nanqi ( general ) and Liu Yuan serves as its general counsel . As General Counsel , Zhao Nanqi ( General ) and Liu Yuan 1 +In 1938 , under pressure from Germany , Japan ended its support for China , and Falkenhausen had to withdraw from China . In 1938 , under pressure from Japan , Germany ended its support for China , and Falkenhausen had to withdraw from China . 0 +Belson as visual director programmed kinetic live visuals , and Jacobs programmed electronic music and audio experiments . Belson as an audio director programmed live kinetic visuals and Jacobs programmed electronic music and visual experiments . 0 +"In his book "" A short story by Byzantium "" , Constantine refers to Constantine VII as "" The Scholar Emperor "" . Norwich describes John Julius Norwich ." "In his book , "" A Short History of Byzantium "" , Constantine refers to Constantine VII as "" The Scholar Emperor "" . Norwich describes John Julius Norwich ." 1 +Kingsville is bordered by the renovated Jericho Farm museum , Jerusalem Mill Village , and the restored Jericho Covered Bridge on the banks of the Little Gunpowder Falls . Kingsville is bordered by the renovated Jericho Farm Museum , the Jerusalem Mill Village and the restored Jericho Covered Bridge on the shores of Little Gunpowder Falls . 1 +Finally , the global stiffness matrix is built up by adding together the individual element matrices expanded . Finally , the global stiffness matrix is constructed by adding the individual expanded element matrices together . 1 +McKeithen , however , had supported Humphrey at the 1968 Democratic National Convention in Chicago . However , in 1968 , McKeithen Humphrey had supported the Democratic National Convention in Chicago . 1 +Bell is a color commentator for NBC Sports with fellow anchor Leigh Diffey and lead analyst Paul Tracy . Bell Bell is a color commentator for NBC Sports with Leigh Diffey and Lead Analyst Paul Tracy . 1 +The Colgate - football team from 1927 represented the Colgate - University in the College - Football - Season of 1927 . The 1927 Colgate University Football team represent Colgate in the 1927 College Football season . 0 +He later met Theodoros Kolokotronis , whom he also came to admire . He also encountered Theodoros Kolokotronis , whom he came to admire later . 0 +Official LDS missionary work did not begin in Utah until John Murdock and Charles W. Wandell arrived in Sydney from Australia on 30 October , 1851 . The LDS 's official missionary work did not start in Utah until John Murdock and Charles W. Wandell arrived in Sydney from Australia on October 30 , 1851 . 1 +In 1901 , Emma Goldman Winn met in Chicago and found in her a lasting ally . In 1901 , Emma Goldman met Winn in Chicago , and found in her a lasting ally . 1 +Oscar Bonavena met Ellis in the second round of the tournament . During the second round of the tournament , Ellis met Oscar Bonavena . 1 +Bandelin is situated about 15 km south of Greifswald and approximately 3 km northwest of Gützkow . Bandelin is approximately 15 km south of Greifswald and about 3 km northwest of Gützkow . 1 +Some windows on the first floor at the western end of the southern wall are modern replacements . Some first floor windows at the western end of the southern wall are modern replacements . 1 +It is located north of Mount Ivy , east of Harriman State Park , north of Monsey and west of New Hempstead . It is located to the north of New Hempstead , east of Harriman State Park , north of Monsey and west of Mount Ivy . 0 +The result of these experiments led to the learning of processes for defining optimism . The result of these experiments led to the definition of learning optimism processes . 0 +The most active treatment method at present was the preferred medication . The most preferred method of treatment at that time was the active medication . 0 +Celestia flees Twilight and her friends to recover the elements of harmony to stop Chrysalis . Celestia invites Twilight and her friends to stop the elements of harmony to recover Chrysalis . 0 +It joined the 23rd Indian Brigade in the 1st Indian Division in May 1942 . In May 1942 , she joined the 1st Indian Brigade in the 23rd Indian Division . 0 +It leaves a firm , transparent film with short drying time and good responsibility and flexibility on all metal surfaces , rubber and plastic parts . It leaves a good film with short drying time and firm transparent adhesion and flexibility on all metal surfaces , rubber and plastic parts . 0 +Lottia emydia is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . Lottia emydia is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 1 +At the Runaways Reunion in 1994 , she played with Currie and West Bass , Currie 's sister Jackie also performed with the band . Marie played bass at the Runaways reunion in 1994 with Currie and West . Currie 's sister Jackie also performed with the band that night . 1 +The station is located at Råde Station , south of Oslo Central Station and north of Moss Station . The station is located from Oslo Central Station , to the south of Moss Station and north of Råde Station . 0 +He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in Aurangabad District in Ahmednagar District . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in the district of Aurangabad and then in Shrirampur Taluka in the district of Ahmednagar . 0 +The Australia - Rugby - Union - Tour of 1969 was a series played by the Australian Rugby - Union - national team between June and September 1969 . The 1969 Australia rugby union tour of South Africa was a series played by the Australia national rugby union team between June and September 1969 . 1 +( In this case both long vowels and intermediate consonant are lost . ) ( In this case , both intermediate vowels and long consonants are lost ) . 0 +Musikresonanzis often strives to unite music and other art forms -- the ensemble also cooperates with visual artists and theatre professionals . Resonabilis also strives to unite music and other forms of art -- the ensemble often cooperates with visual artists and theatre professionals . 1 +She unsuccessfully ran for the Conservative Party of Canada nomination for Sherwood Park -- Edmonton , prior to the 2008 federal election ; Tim Uppal was nominated and won . She ran unsuccessfully for the nomination of the Conservative Party of Canada for Edmonton -- Sherwood Park , prior to the 2008 federal election , Tim Uppal was nominated and won . 1 +"In 2009 , Silent Majority Group 's first signing Framing Hanley received a Gold certification for their single "" Lollipop "" ." "In 2009 , the Single Signing Framing Hanley of Silent Majority Group received a gold certification for their first "" Lollipop "" ." 0 +The Ruska Roma traditional clothing is based on traditional and Kalderash Russian clothing , and is used actively by singers and dancers . The traditional clothing of Ruska Roma is based on traditional and Russian Kalderash - clothing and is actively worn by singers and dancers . 1 +The local language is Bhojpuri , while the official language is Hindi . The official language is Bhojpuri , while the local language is Hindi . 0 +Shikigami No Shiro II has also been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . "XS also translated "" Shikigami No Shiro II "" , and released it for the PlayStation 2 under its own name , "" Castle Shikigami 2 "" ." 0 +( Formula 26 are normal vectors at the intersection points ; their product is scalar in Formula 27 . ) ( formula 26 are normal vectors at the intersection points . Their formula 27 product is scalar . ) 1 +It was initially recorded by Irma Thomas in November 1961 and produced by Allen Toussaint . It was first recorded in November 1961 by Irma Thomas , and produced by Allen Toussaint . 1 +Shiva wanted to see Rama , but Sati was in the dark that Rama was a manifestation of God . Shiva wanted to see God , but Sati was in the darkness that Rama was a manifestation of Rama . 0 +The station is served by the Asa Line and is located 8.0 km from the beginning of the line at . The railway station is located at the Asa line and is 8.0 km from the beginning of the line . 0 +The episode was written by Stephen Sandoval and managed by Ken Keeler . The episode was written by Ken Keeler and directed by Stephen Sandoval . 0 +Taipei County was known as New Taipei City before its upgrade in 2010 . The county of Taipei was known as New Taipei City before its upgrade in 2010 . 1 +The show was premiered on 27 March 2012 at Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Nick Winston and choreographed by Ed Curtis . 0 +They played in the 2015 China Amateur Football League won the 3rd place and finished promotion to 2016 China League Two . They played in the 2015 China Amateur Football League won the 3rd place and finished the promotion until 2016 China League Two . 1 +AB InBev remains the largest brewery , second with Heineken International , and SABMiller in third place . AB InBev remains the largest brewery , with Heineken International second , and SABMiller third . 1 +A professional thief ( John Cusack ) takes a former racing driver ( Thomas Jane ) hostage and forces him to drive his car . A professional thief ( Thomas Jane ) takes a former race car driver ( John Cusack ) hostage and forces him to drive his getaway car . 0 +Allied armies invaded France in early 1814 , Paris surrendered , and in April Napoleon fell . In early 1814 , Allied armies entered France , Paris surrendered , and Napoleon fell in April . 1 +The first three were on CBS , and the last one was on the Blue Network . The last three were on CBS and the first was in the Blue Network . 0 +""" Opson "" is therefore equivalent to Banchan in Japanese cuisine and Okazu in Korean cuisine ." """ Opson "" is therefore Banchan in Korean cuisine and Okazu equivalent in Japanese cuisine ." 0 +Her children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Senate of Wisconsin . Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and of the Wisconsin State Senate . 1 +Big Sur 's album Notes is an album by Jazz - saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson in July 1993 . 0 +Mhow district consists of 4 divisions ; Depalpur , Sanwer , Indore and Indore . The district of Indore consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . 0 +The 119th Helicopter Squadron was formed at Niš airport in May 1968 as part of 48th Transport Helicopter Regiment . The 48th helicopter squadron was founded in May 1968 as part of the 119th transport helicopter regiment at Niš Airport . 0 +The group was founded in Las Vegas , and later relocated to Los Angeles . The group was founded in Las Vegas and later displaced to Los Angeles . 1 +She moved to BBC News in Ireland within a couple of years and became the Belfast producer for BBC National news . Within a few years she moved to BBC News in Ireland and became Belfast Producer for BBC National News . 1 +In Hungary , vehicle registration numbers usually consist of six characters on black background with white letters . Vehicle registration numbers in Hungary usually consist of six characters on white background with black letters . 0 +Thomas was challenged in the Democratic primary by A.S. Mike Monroney in 1950 . Mike Monroney was challenged by A.S. Thomas in the Democratic Prefix in 1950 . 0 +It was assigned to Felidae by Carroll ( 1988 ) , but later it was later placed within Nimravidae . It was assigned to Felidae by Carroll ( 1988 ) , but then later , it was placed within Nimravidae . 1 +Ball died in Grayson County , Virginia in 1978 , and is buried in the Corinth Baptist Church in Rugby , Grassy Creek , North Carolina . Ball died in 1978 in Grassy Creek , North Carolina , and is buried at Corinth Baptist Church in Rugby , Grayson County , Virginia . 0 +In February 2007 Barbara Fischinger performed on the original Lumigraph in Frankfurt , and in 2012 in Amsterdam . In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Frankfurt and in Amsterdam in 2012 . 1 +The band appears in the video alongside the British comic actors Jo Guest and Sara Stockbridge and the model Matt Lucas . The band appears in the video next to the British comic actors Matt Lucas and Sara Stockbridge and Model Jo Guest . 0 +Her next convict voyage was under the command of James Ellis and surgeon Peter John Reeves . Her next voyage was under the command of James Ellis and the surgeon Peter John Reeves . 1 +"The figure was killed later in the second episode of the fourth season , "" First Down "" ." "The character was later killed off in the second episode of the fourth season , "" First Down "" ." 1 +The Sitna River is a tributary of the Urechioiu River in Romania . The River Urechioiu is a tributary of the Sitna River in Romania . 0 +The tenth Baronet was Lord Lieutenant of Denbighshire , and the ninth Baronet served as Lord Lieutenant of Denbighshire and of Clwyd . The ninth Baronet was Lord Lieutenant of Denbighshire , and the tenth Baronet served as Lord Lieutenant of Denbighshire and Clwyd . 0 +"In 1912 , immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" ." "Immediately after he and Whitehead PM published , he wrote his 1912 "" The Problems of Philosophy "" ." 0 +There are 47 divisional secretariats in the Southern Province , with 19 in Hambantota District , 12 in Matara District and 16 in Galle District . There are 47 divisional secretariats in the southern province , with 19 in the district Hambantota , 12 in the district Matara and 16 in the district of Galle . 1 +The combinatorial data could be encoded in a simple directed graph . The combinatorial data could be encoded in a simple directed graph , wi 1 +On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic sports gymnastics . On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competition career in rhythmic gymnastics . 0 +The transcode continued very quickly , but the Bisync EBCDIC and USASCII dialects disappeared in use . Transcode continued very quickly , but the EBCDIC and USASCII dialects of Bisync disappeared in use . 1 +Several publications of the Public Health Service have shown that veterans have increased cancer , nerve , digestive , skin and respiratory disorders . Several publications published by the Public Health Service have shown that veterans have increased rates of cancer , and nerve , respiratory , skin , and digestive disorders . 1 +However , Szabo 's method of double-spending protection was vulnerable to Sybil attacks . Szabo 's method of double protection , however , was vulnerable to Sybil attacks . 1 +Laurie 's mother discovered the body and Michelle , Lawrence , and Tabitha were quickly arrested . Laurie 's mother discovered the body and Michelle , Lawrence and Tabitha were quickly detained . 1 +The design of this Japanese porcelain , white and blue according to European taste , with many flowers , has been made by Wagener . The design of this European porcelain , by the Japanese taste many , with white and blue flowers made Wagener . 0 +Barnsley is a district of Millhouses in the English county of South Yorkshire . Barnsley is a district of Millhouses , located in the English county of South Yorkshire . 1 +He was selected in Sri Lanka ’ s One Day International ( ODI ) Team for Tri-Series in Zimbabwe , West Indies being the third team . He was selected in Sri Lanka 's One Day International ( ODI ) team for Tri-Series in Zimbabwe , with West Indies being the third team . 1 +During the campaign of 1943-1945 , there were more than 10,000 marriages between American girls and Italian soldiers . During the 1943-1945 campaign , there were more than 10,000 marriages between Italian girls and American soldiers . 0 +Xylophanes porcus ( porcus sphinx ) is a moth of the family Sphingidae . It is found from Bolivia south to Florida . Xylophanes porcus ( porcus sphinx ) is a moth of the Sphingidae family that is found from Florida south to Bolivia . 0 +Ryszard Kaczorowski accepted symbols of the pre-war presidency from Lech Wałęsa . Ryszard Kaczorowski received symbols from Lech Wałęsa of the pre-war presidency . 1 +Hopkinsville is part of the television market of Nashville , TN . Hopkinsville is part of the Nashville , TN television market . 1 +This can be generalized by transposing the complete 6 × 6 susceptibility tensor to bi-anisotropic materials . This can be further generalized to full materials by transposing the bi-anisotropic 6 × 6 susceptibility tensor . 0 +They will soon encounter twins Timmy and Tommy Reston in their Ford Mustang , which were also invited by Keun 's friend to Waffle House . They also meet the twins Timmy and Tommy Reston in their Ford Mustang , which were soon invited by Keun 's friend to Waffle House . 0 +Somaiya Vidyavihar is an educational campus located in the Vidyavihar suburb of Mumbai . Somaiya Vidyavihar is an educational campus in Vidyavihar - suburb of Mumbai . 0 +The conservative central forces can always be expressed as a negative gradient of a potential energy : Conservative central forces can always be expressed as the potential gradient of negative energy . 0 +Baden Powell was a student at the Naval Academy when after reading a book by Mimi Sodré named Scouting for Boys , he became interested in Scouting . Mimi Sodré was a student at the Naval Academy when he was interested in scouting after reading a book by Baden Powell called Scouting for Boys . 0 +Russ injured at least 74 people in Hainan , Guangdong and Guangxi Provinces and killed another 726 people . Russ has injured at least 74 people in the provinces of Hainan , Guangdong , and Guangxi and killed another 726 people . 1 +In a medieval Tamil legend Vikramaditya has 32 marks on his body , a characteristic of universal emperors . In a medieval Tamil legend , Vikramaditya has 32 marks on his body , a property of the universal emperors . 1 +"The following includes some operas that are considered closer to the traditional Chinese model of the opera than "" geju "" or western opera ." "The following includes some operas which are considered closer to the traditional opera Chinese model than "" geju "" or western opera ." 0 +The 1982 -- 83 NBA season was the 37th season of the National Basketball Association . The NBA season from 1982 to 83 was the 37th season of the National Basketball Association . 1 +Black Drawing Chalks is a Brazilian rock band from Goiânia , Goiás , Brazil , founded by a group of graphic design students in 2005 . Black Drawing Chalks is a graphic rock band from Goiânia , Goiás , Brazil , formed in 2005 , by a group of Brazilian design students . 0 +Much of Rib Lake is hilly , with small glacial lakes . It lies within the Perkinstown terminal moraine , which is described under Taylor County . Much of Rib Lake is hilly , with small glacial lakes , it lies within the terminal moraine of Perkinstown , which is described under Taylor County . 1 +Mundla Chand is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Mundla Chand is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil . 0 +Impressive essays by ... Marilynne Robinson ... Terry Eagleton and ... H. H. Allen Orr set out to tell Dawkins how wrong he is . Impressive essays by Dawkins ... , Marilynne Robinson and H. Allen Orr , set out to tell Terry Eagleton how wrong he is . 0 +Only six episodes survive in television archives , one from the third and fourth series , two each from the first , and one from the final series . In TV archives only six episodes survive , one from the third and fourth series , two each from the first and one from the last series . 1 +The Pustnic River or Orociu River is a tributary of the Oraciu River in Romania . The Pustnic River or Orociu River is a tributary of the Oraciu River , Romania . 1 +And the earth was formless ( tohu ) and empty ( bohu ) . ( Gen. 1,2 ) And the earth was empty ( tohu ) and formless ( bohu ) . 0 +The Executive Committee elected Livermore as a member of the American Unitarian Association in 1859 . The executive committee elected Livermore in 1859 as a member of the American Unitarian Association . 1 +He was an intermediary with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . He was an intermediary with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . 0 +Whittington , Gloucestershire is a village and rural parish in the county of Gloucestershire in England , United Kingdom . Whittington , England , United Kingdom is a village and rural municipality in the county of Gloucestershire in Gloucestershire . 0 +"Agamben shows that "" auctoritas "" and "" potestas "" make together -- although they are clearly a system "" ." "Agamben shows that "" auctoritas "" and "" potestas "" are clearly distinct -- although they form together a system "" ." 0 +After the death of his father , James Holman , he was elected king in the presence of King George on March 4 , 1827 . Following the death of his father , King George , he was elected King on 4th March 1827 in the presence of James Holman . 0 +He played for the New York Giants in 1942 , and from 1946 to 1948 for the Brooklyn Dodgers . In 1942 , he played for the Brooklyn Dodgers and from 1946 until 1948 for the New York Giants . 0 +On 8 March 2017 , Benedi promoted his Spanish La Vida Amiga with a video led by Ivaylo Petkov and announced a new single album in production together with them . On 8 March 2017 Benedi promoted his new single La Vida Amiga with video directed by Ivaylo Petkov and together with that announced a Spanish album in production . 0 +A light novel series adaptation under the same name is published by Kadokawa 's Kadokawa Beans Bunko . All volumes were written by Tōko Fujitani with illustrations by Yamako . A light novel - series - adaptation under the same name is published by Kadokawa ' ; s Kadokawa Beans Bunko , all volumes were written by Tōko Fujitani with illustrations by Yamako . 1 +Some white colonies can not contain the desired recombinant plasmid for a number of reasons . Some recombinant colonies , for a number of reasons , can not contain the desired white plasmid . 0 +The Forggensee is a lake north of the Ostallgäu in the district of Füssen in Bavaria , Germany . Forggensee is a lake located north of Füssen in the district of Ostallgäu in Bavaria , Germany . 0 +The development of the energy business included the opening of a new office in Middlesbrough and the construction of a special vessel , Cable Enterprise . The development of the energy business included the opening of a new office in Middlesbrough and the construction of a specialist vessel , Cable Enterprise . 1 +In 1948 , he moved to Cyprus . In 1958 , he relocated to England . In 1948 he moved to Cyprus , to England in 1958 . 1 +The remaining route from Station Point Reyes to Monte Rio was dismantled in 1930 . The remaining line from Monte Rio to the Point Reyes station was dismantled in 1930 . 0 +Industrially , argon is produced by the liquid distillation of fractioned air . Industrially , argon is produced by the fractionated distillation of liquid air . 0 +In the 2015 regional election , after Tosi was sidelined by the federal party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . In the 2015 regional elections , after Tosi was marginalized by the Federal Party , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno . 1 +He won a third term in office in 1994 , and in 1996 a second term with 63 % of the popular vote . He won a third term in 1994 and a second term in 1996 with 63 % of the vote . 1 +For example , the National Civic League ( originally the National Municipal League ) promotes effective municipal management . For example , the National Municipal League ( originally the National Civic League ) promotes effective local government management . 0 +Belize High School is a high school school in Belize City , Belize . Belize High School is a high school in Belize City , Belize , Secondary School . 1 +"The team , founded in 1906 , took the first American "" double "" when it won the National Association Football League and the American Cup title in 1912 ." "Founded in 1906 , the team took the first American "" double "" when it won the 1912 National Association Football League and American Cup titles ." 1 +The township is in southern Schuylkill County and is bordered to the southeast by Columbia County . The municipality is situated in southern Schuylkill County and is bordered to the southeast by Columbia County . 1 +The Austrian school assumes that the subjective decisions of individuals , including individual knowledge , time , expectation , and other subjective factors , cause all economic phenomena . The Austrian School theorizes that the subjective choices of individuals including individual knowledge , time , expectation , and other subjective factors , cause all economic phenomena . 1 +Polish gradually replaced German as the Baltic German language and the establishment of voivodeships reduced the administrative administration . The Polish gradually replaced German , as the administrative language and the establishment of voivodeships reduced the Baltic - German administration . 0 +Grose Wold is a suburb of Sydney , in the state of New South Wales , Australia . It is located in the city of Hawkesbury . Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney , in Hawkesbury City . 0 +For example , Elizabeth Coffin , daughter of a prominent merchant from Nantucket , was the mother of the wealthy Massachusetts industrialists Henry Coffin Nevins and David Nevins Jr . For example Elizabeth Coffin , daughter of a prominent merchant from Nantucket , was mother of the wealthy Massachusetts industrialists Henry Coffin Nevins and David Nevins Jr . 1 +It was called the first home of former settlers after Bennington , Vermont . It was named after Bennington , Vermont , a former home of the first settlers . 0 +Butler County is located near the western border of Portersville at ( 40.925285 , -80.144229 ) . Portersville is located near the western border of Butler County ( 40.925285 , -80.144229 ) . 0 +Tadas Langaitis is a Lithuanian politician , from november 2016 member of the Seimas , civic activist , active in social and civic projects in Lithuania . Tadas Langaitis is a Lithuanian politician , member of the Seimas , social and civic activist since November 2016 , active in citizens ' projects in Lithuania . 0 +Administratively , this bay belongs to Chukotka Autonomous Okrug of the Russian Federation . Administratively this bay belongs to the Chukotka Autonomous Okrug of the Russian Federation . 1 +Ultron was created by writer Roy Thomas and artist John Buscema . Ultron was created by the writer Roy Thomas and the artist John Buscema . 1 +In the Gallipoli campaign , copies of the leach catapult were used , which was made by the Royal Engineers locally . Copies of the Leach catapult , used locally by the Royal Engineers , were made in the Gallipoli Campaign . 0 +Each week , Arnie , Usidore , and Chunt interview magical creatures to introduce the listener to new aspects of the world of Foon . Each week , Chunt , Usidore , and Arnie ask magical creatures to present new aspects of the world of Foon to the listener . 1 +It is found only in Yunnan and its tributaries in Lake Dianchi , China . It is only found on Dianchi Lake and its tributaries in Yunnan , China . 0 +Gregory was born in Darlinghurst , he died at the age of 32 in the region of Sydney of the same city . Gregory Gregory was born in Sydney and died at the age of 32 in the Darlinghurst region of the same city . 0 +Stefan Mross presented an episode in August 2010 , while Axel Bulthaupt was absent for personal reasons . In August , Axel Bulthaupt presented an episode in 2010 , while Stefan Mross was absent for private reasons . 0 +Born in Bradford , Chapman performed for Frickley Athletic , Bradford City , Notts County , Mansfield , Exeter City , Torquay United , Darlington and Emley . Born in Bradford , Chapman played for Frickley Athletic , Torquay United , Notts County , Mansfield Town , Exeter City , Bradford City , Darlington and Emley . 1 +Jackson was unanimously approved by the United States Senate for the seat , and thereafter unanimously confirmed by the Senate Banking Committee on December 21 , 2017 . Jackson was unanimously approved by the Senate Banking Committee for the seat and then unanimously approved by the United States Senate on 21 December 2017 . 0 +In the summer of 2016 , the Parma School Memorial Committee was formed by several PHS alumni and former community leaders . In the summer of 2016 , former PHS alumni and several community leaders formed the Parma School Memorial Committee . 0 +Lawrence Rinder was the founding director of the Institute . The current director is Anthony Huberman , who replaced Jens Hoffmann in 2013 . The founding director of the institute was Lawrence Rinder , the current director is Anthony Huberman , who has replaced Jens Hoffmann in 2013 . 1 +The same analysis may be applied to the parallel LC circuit . The total impedance is then given by : The parallel analysis can be applied to the same LC circuit , then the total impedance is given by : 0 +Mirambeau is situated on Via Turonensis , the ancient pilgrimage route from Santiago de Compostela to Paris via Tours . Mirambeau is located on Via Turonensis , the ancient pilgrimage route from Paris to Santiago de Compostela via Tours . 0 +White allows 3 ... Qh4 + 4.Kf1 , losing the right to castle , but this loses time for Black after the inevitable Nf3 and White will develop rapidly . White allowed 3 ... Qh4 + 4.Kf1 , loses the right to the castle , but this loses time for black after the inevitable Nf3 and white will develop rapidly . 1 +The Tripper is a 2006 comedy horror slasher film which was directed by David Arquette and stars Jaime King , Thomas Jane and Lukas Haas . The Tripper is a 2006 comedy - horror - slasher film , filmed by David Arquette and stars Jaime King , Thomas Jane and Lukas Haas . 1 +In contrast to predictive factor theory , specific components of therapy have shown a common power here . Here , in contrast to the common factor theory , specific components of the therapy have shown predictive power . 0 +These are generally retail spaces such as shops and restaurants , but also libraries , religious buildings , civic buildings and so on . These are generally retail spaces such as shops and restaurants , but also libraries , residential buildings , religious buildings and so on . 1 +""" Always and Forever "" , written by Debi Gliori and illustrated by Alan Durant , was shortlisted for the Kate Greenaway Medal in 2003 ." """ Always and eternally "" , written by Alan Durant and illustrated by Debi Gliori , was nominated in 2003 for the Kate Greenaway Medal ." 0 +If the socket were too loose or the ink were too thin , the pen would smear or the ink would leak . If the socket was too loose or the ink was too thin , the pen would leak or smear the ink . 0 +In 2013 , the Bank ’ s domestic branches in Austria were renamed Anadi Financial Holdings and sold to the Austrian Anadi Bank . In 2013 , the Bank ’ s domestic branches in Austria were sold to Anadi Financial Holdings and renamed the Austrian Anadi Bank . 0 +In the action , they had five men wounded ; the British suffered no casualties . In the action they suffered five wounded men , the British had no loss . 0 +The above test does not distinguish between more complex distributions , such as quantum and classical , or between fermionic and bosonic statistics . The test above does not distinguish between more complex distributions , such as quantum and bosonic , or between fermionic and classical statistics . 0 +The first three floors were completed in 1885 , the three upper floors were completed in 1906 . The top three floors were completed in 1885 and the first three floors were completed in 1906 . 0 +It is southwest of Burlington , Vermont , south of Montreal , Quebec , south of Albany , and north of Plattsburgh . It is southwest of Burlington , Vermont , south of Montreal , Quebec , south of Albany , and to the north of Plattsburgh . 1 +Nikolaus Moser and Cedrik-Marcel Stebe won 7 -- 6 , 3 -- 6 , 10 -- 8 against Henri continent and Christopher Rungkat in the final . Nikolaus Moser and Cedrik-Marcel Stebe won in the final 7 -- 6 , 3 -- 6 , 10 -- 8 , against Henri Kontinen and Christopher Rungkat . 1 +Chandramohan showed an interest in the character , but the character was ultimately played by Sobhan Babu . Sobhan Babu showed interest in character but the character was ultimately played by Chandramohan . 0 +Santa Rosa de Lima is a municipality in the district of Santa Rosa , Guatemala . Santa Rosa de Lima is a municipality in the Santa Rosa department of Guatemala . 1 +The Catholic parish was administered by a young French missionary , Father Joly . The Catholic congregation was administered by a young French missionary , Father Joly . 1 +Caracase is a town in the southwestern Somalia region of Gedo . Caracase is a city in the southwestern Gedo region of Somalia . 0 +He lives in Noah and Mabel with his wife Lucy and their children . He lives with his wife Lucy and their children , Noah and Mabel . 1 +Nigali Band village is located in Krishnapur Municipality of Kanchanpur District . Nigali Band Village is located in Kanchanpur District of the Municipality of Krishnapur . 0 +Sam Bradford 's following pass was tipped by Florida DB Joe Haden and intercepted by Florida safety Major Wright . The following pass of Sam Sam Bradford was tipped by Florida DB Major Wright and intercepted by Florida Safety Joe Haden . 0 +Hillary married Bill on 11 October 1975 , and their only child , Chelsea , was born on February 27 , 1980 . Hillary married Bill on October 11 , 1975 , and their only child , Chelsea , was born on February 27 , 1980 . 1 +The Doig Formation , a geological age Triassic unit of the Western Canadian Sedimentary Basin was named for the river . The Doig formation , a geological unit from the triassic age of the western Canadian sedimentary basin , was named after the river . 0 +North Durham County Prison Camp , also known as Durham , Durham County , North Carolina is a historic prison ad sanatorium located at Durham County Tuberculosis Sanatorium . North Durham County Prison Camp , also known as Durham County Tuberculosis Sanatorium , is a historic prison Ad Sanatorium in Durham , Durham County , North Carolina away . 0 +"Jack wrote his autobiography in 1987 with Paul Conn , "" Eckerd : Finding the Right Prescription ." "Paul Conn wrote his autobiography in 1987 with Jack : "" Eckerd : Finding the Right Prescription "" ." 0 +Most other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % and England 1.9 % . The most other common countries of birth were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . 0 +On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground Filderstadt station . Deutsche Bahn opened a new underground tunnel to the new Filderstadt railway station on 29 September 2001 . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam quieted and French interest in Europe was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene calmed in Vietnam , and French interest in Europe was revived . 1 +It is south of Evansville Regional Airport and to the east of the Sunset Memorial Gardens cemetery . It is south of the Evansville Regional Airport and east of the Sunset Memorial Gardens cemetery . 1 +The other entrances on the west have old iron lamps standards and new lanterns , and one has an iron balustrade . The other entrances on the west side have new iron lamp standards and old lanterns , and one has an iron balustrade . 0 +A counterclockwise angle in one figure would correspond to a clockwise angle in the other . A counterclockwise angle in one figure would correspond to a clockwise angle in the other figure . 1 +The Ojhas are spiritual guides , teachers and members of the highest ritual rank as brahmans in the varna system of Hinduism . As Brahmins , the Ojhas are spiritual leaders , teachers , and members of the highest ritual rank in the varna system of Hinduism . 1 +He founded the citadel of Erebuni , the present capital of Armenia , Yerevan , 782 BC . He founded the citadel of Armenia , Yerevan in 782 BC , which is the present capital of Erebuni . 0 +After the death of his wife , John Beatrice married Bourbon , they had two children , Wenceslas I , Duke of Luxembourg , and Bonne , who died young . After his wife 's death John married Beatrice of Bourbon . They had two children , Wenceslaus I , Duke of Luxembourg , and Bonne , who died young . 0 +"EA developed a new "" Syndicate "" game for Starbreeze Studios which was released on 21 February 2012 ." "Starbreeze Studios have developed a new "" Syndicate "" game for EA , which was released on February 21 , 2012 ." 0 +Now you find the indifference price bid solve for Formula 31 Now to solve the indifference bid price find for formula _ 31 . 0 +Alexandra Fusai and Nathalie Tauziat won 5-7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams in the final . Serena Williams and Venus Williams won 5 : 7 , 6 : 2 , 6 : 2 against Alexandra Fusai and Nathalie Tauziat in the final . 0 +Her next convict voyage was under the command of Peter John Reeves and surgeon James Ellis . Her next voyage was under the command of James Ellis and the surgeon Peter John Reeves . 0 +In the past , when Yue Yi attacked the Qi state , he conquered over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . In the past , when Yue Yi attacked the Qi state , he conquered more than 70 cities in Qi , except Ju and Jimo , over Tian Dan . 1 +""" The suicide bomber came behind the bushes when the FC staff broke for dinner and got a chance to detonate the device "" , said interior adviser Rehman ." """ The suicide bomber came from behind the bushes when the FC personnel broke for dinner and got a chance to detonate the device "" said Interior Advisor Rehman ." 1 +Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in the Puntarenas province of Costa Rica . Puerto Jiménez Airport is an airport that serves Puerto Jiménez , the second district of Golfito Canton in Puntarenas Province , Costa Rica . 0 +Industrially , argon is produced by the liquid distillation of fractioned air . Argon is produced industrially by the fractional distillation of liquid air . 0 +"The diet - Pepsi is a cool , rich and fresh silver color and represents "" gray "" ." "The Diet Pepsi is a cool , rich , and fresh silver color and represents "" grey "" ." 1 +Huntington is a city in Baker County on the eastern border of Oregon . Huntington is a city in Oregon , on the eastern border of Baker County , United States . 0 +"Although iron in many catalytic applications is generally less expensive , it is less active and "" greener than other metals ." "Although iron is generally less expensive in many catalytic applications , it is less active and "" greener "" than other metals ." 1 +In 2010 , she performed at the sixth annual Jewlicious Festival with Matisyahu , Moshav , Rav Shmuel , Electro Morocco , and Kosha Dillz . In 2010 , she performed at the sixth annual Jewlicious Festival alongside Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . 1 +The station was closed on December 8 , 1890 , opened on November 8 , 1969 , and was demolished in 1971 . The train station was opened on December 8 , 1890 , closed on November 8 , 1969 and demolished in 1971 . 0 +Ezra 's family came originally as immigrants from Iraq and settled in Palestine . Ezra 's family originally came as immigrants from Iraq and settled down in Palestine . 1 +There is a national road connecting Washim , Kanergaon , Akola , Amrawati , Hingoli and Nanded . There is a National Highway connecting Washim , Kanergaon , Nanded , Amrawati , Hingoli and Akola . 1 +Renovations in 2007 have replaced the front entrance with a modern design that mimics the original façade and the higher original roof is now a simpler metal roof structure . Renovations in 2007 have replaced the original entrance with a modern design that mimics the original façade and the taller front roof is now a simpler metal roof structure . 0 +An electric load is an electrical component or part of a circuit that consumes ( active ) electrical power . An electrical load is an electrical component or portion of a circuit that consumes ( active ) electric power . 1 +He was then traded on the Detroit Tigers for Travis Fryman by the Arizona Diamondbacks with Matt Drews and Joe Randa . He was then traded by the Arizona Diamondbacks with Travis Fryman to the Detroit Tigers for Matt Drews and Joe Randa . 0 +Wing commander PS Nara was killed in the misfortune , while wing commander SV Munje was injured . Wing Commander PS Nara was injured in the mishap , while Wing Commander SV Munje was killed . 0 +Huge fields along the zone were discovered in 1920 by Long Beach Oil Field and Huntington Beach Oil Field in 1921 . Huge fields along the zone were discovered at the Huntington Beach Oil Field in 1920 and at Long Beach Oil Field in 1921 . 0 +From 1931 to the outbreak of the Second World War in Shanghai in 1939 , he worked in Europe . He worked from 1931 until the outbreak of World War II in Europe in 1939 in Shanghai . 0 +The Dublin Council of Unions is the Trade Union Council for the Dublin County in Ireland . The Dublin Council of Unions is the Trade Council for Ireland in Dublin County . 0 +Pedestrians and bicycles are not permitted , but can be allowed on a footpath . Pedestrians and bicycles are not allowed , but may be permitted on a footpath . 1 +In 2009 , it was won by Australian Martin Fryer , the world champion of the 24-hour race in 2008 , and in 2008 by Ryoichi Sekiya . In 2009 it was won by Australian Martin Fryer , the 2008 world champion of 24-hour racing , and in 2008 by Ryoichi Sekiya . 1 +More recently , the band has combined Extra Life aspects of modern music with the early genre of math - rocks . More recently , the band Extra Life has combined aspects of early music with the modern genre of math rock . 0 +In 2006 , the newspaper celebrated its 100th anniversary and will be celebrating its 90th anniversary in 2016 . The newspaper celebrated its 100th anniversary in 2006 and will celebrate its 90th anniversary in 2016 . 1 +Reneri taught mainly scholastic logic and natural philosophy . Reneri mainly taught natural logic and scholastic philosophy . 0 +Born in Geneva , Cramer grew up in New York City . Cramer was born in New York City and grew up in Geneva . 0 +Howes married three times in his life : in 1923 with Lillian Pechin , with Catherine Tabor in 1932 and in 1937 with Mary Donovan Howard . Howes married three times in his life : in 1923 with Mary Donovan Howard , in 1932 with Catherine Tabor and in 1937 with Lillian Pechin . 0 +One of the largest landowners in Saint Mary at the turn of the twentieth century was Blanche Blackwell , mother of Chris Blackwell . One of the greatest landowners in Saint Mary at the turn of the 20th century was Chris Blackwell , the mother of Blackwell . 0 +It is laterally thick , but medially under the coracoacromial band thinner . It is thick medially , but thinner laterally under the coracoacromial ligament . 0 +Only one percent of blue diamonds are of this type and most are natural to gray . Only one percent of natural diamonds are of this kind , and most are blue to grey . 0 +The main campus of the university is located in the area of Antakya , north of Serinyol . The main campus of the university is located in Serinyol area , north of Antakya . 0 +"The team , founded in 1906 , took the first American "" double "" when in 1912 the National Association Football League and the American Cup won ." "Founded in 1906 , the team won the first American "" double "" when it took the 1912 National Association Football League and American Cup titles ." 0 +Steubenville has two public lending libraries , the main branch and Schiappa Branch Library . Steubenville has two main libraries , the public branch and the Schiappa Branch Library . 0 +In 2011 , Trevor Hunter was not the director as he was director at Belmont City College and was replaced by Geraldine Hardy in 2012 . Trevor Hunter was not the principal in 2011 as he was Principal at Belmont City College and was replaced in 2012 by Geraldine Hardy . 1 +For this match against the Dragons , whose colours are also black , Wigan mostly wore red and white jerseys . For this match against the Dragons , whose colours are also black , Wigan wore mostly red and white jerseys . 1 +Paul Newman as Wiggen and Albert Salmi as catcher Bruce Pearson . It featured Paul Newman as Wiggen and Albert Salmi as catcher Bruce Pearson . 1 +Later in the war , Talaat Pasha served as Minister of the Navy in the CUP cabinet of Mahmud Pasha . Later in the war , Talaat Pasha served as the Minister of the Navy in the CUP cabinet of Mahmud Pasha . 1 +After the death of his father , James Holman , on 4 March 1827 he was elected king in the presence of King George . Following the death of his father , James Holman , he was elected King on 4th March 1827 in the presence of King George . 1 +Fritz August Hoenig ( 1848 -- 1902 ) was a German officer and a military writer . Fritz August Hoenig ( 1848 -- 1902 ) was a German military officer and writer . 0 +In 1923 , Shach Meltzer 's niece was married , Guttel Gilmovski . In 1923 , Shach married Meltzer 's niece , Guttel Gilmovski . 0 +Carlitos and Norma are still together and Micky and Justa are still . Micky and Norma are still together and Carlitos and Justa are too . 0 +As a graduate student Kaplan collaborated with Heinz Werner , and then worked further with Norman Geschwind and Harold Goodglass . As a PhD student , Kaplan collaborated with Heinz Werner and then worked with Norman Geschwind and Harold Goodglass . 1 +Ranger was a cheerful rococo painter , whose characters were gently painted in graceful positions with optimism and classic colors . Ranger was a cheerful Rococo painter whose characters were softly painted in graceful positions with optimism and classic colors . 1 +Amata hyalota is a kind of moth of the family Erebidae It is found in Australia ( Queensland ) . Amata hyalota is a species of moth of the family Erebidae . It is found in Australia ( Queensland ) . 1 +The new school has been placed on the old fields . The old school has been placed on the new playing fields . 0 +Katharina Knie is a German musical by Mischa Spoliansky composed with a libretto by Robert Gilbert . Katharina Knie is a German musical composed by Mischa Spoliansky with a libretto by Robert Gilbert . 1 +He is a specialist in baroque and contemporary music . He is a specialist in contemporary music and Baroque music . 1 +The graves of Hakim Mukaram Khan and the Urdu - poet Maulana Altaf Hussain Hali are also within the enclosure . The tombs of Maulana Altaf Hussain Hali and the Urdu poet Hakim Mukaram Khan are also located within the enclosure . 0 +"The name of the genus is taken from the Latin word "" augusta "" , the feminine form of "" augustus "" , meaning "" venerable "" ." The name of the genus comes from the Latin word Augusta , the venerable form of Augustus , meaning feminine . 0 +"The Lagrangian of the "" free "" massless Wess -- Zumino model in four-dimensional spacetime with flat metric formula _ 1 is" "The lagrangian of the "" free "" massless Wess -- Zumino -- model in four-dimensional spacetime with flat metric formula 1 :" 1 +It was the first album of Carol Emanuel , Bill Frisell and Kenny Wollesen , who had become known as The Gnostic Trio . "It was the first album by Bill Frisell , Carol Emanuel , and Kenny Wollesen , who would become "" The Gnostic Trio "" ." 1 +Coalesced - Hashing , also called Coalesced Chaining , is a strategy of collision resolution in a hash table that forms a hybrid of separate concatenation and open addressing . Coalesced - Hashing , also called Coalesced Chaining , forms a strategy of collision resolution in a hash table that represents a hybrid of separate chaining and open addressing . 0 +The route currently has three filling stations , in Mawley Oak ( the B4202 junction ) , in Cleobury Mortimer and in Foxwood near Doddington . The route currently has three filling stations , at Mawley Oak ( the B4202 junction ) , in Cleobury Mortimer , and at Doddington near Foxwood . 0 +It was first climbed and named after Bill House when he climbed free in 1938 . It was climbed freely and named after Bill House when he first climbed it in 1938 . 0 +"The "" perceived lack of independence and politicized , opaque decision-making "" of the CCA remains a strong issue ." "The "" perceived lack of independence and strong decision-making "" from the CCA remains a politicized , opaque issue ." 0 +Brookline was part of Pill Hill in 1844 when Boston annexed it . In 1844 , Pill Hill became a part of Brookline when it was annexed from Boston . 0 +"A "" Wall Street Journal "" poll in 2016 named Harrison Ford 's James Marshall as the greatest fictional president ." "A "" Wall Street Journal "" survey in 2016 , named James Marshall 's Harrison Ford is the greatest fictional president ." 0 +Marston T. Bogert was closely involved , along with Parsons , in establishing a new structure for the ACS . Marston T. Bogert was closely involved with Parsons in establishing a new structure for the ACS . 1 +occupied Finland , Prussia and Poland . Poland , East Prussia and occupied Finland . 1 +Designed by Jess Hobbs , Rebecca Anders and PK ( Peter Kimelman ) , it was built by a team of 300 over a period of 4 months . Designed by Jess Hobbs , Rebecca Anders and PK ( Peter Kimelman ) it was built by a crew of 300 over a period of 4 months . 1 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half of the water volume . Ristretto is traditionally , a short shot of espresso extracted with the normal amount of ground coffee , but made with about half the amount of water . 0 +Kane concludes that he is unable to solve the puzzle and that the meaning of Thompson 's last word will remain a mystery forever . Thompson concludes that he is unable to solve the mystery and that the meaning of Kane 's last word will forever remain an enigma . 0 +The Austrian school assumes that the subjective decisions of individuals , including individual knowledge , time , expectation , and other subjective factors , cause all economic phenomena . The Austrian School theorizes that the subjective choices of individuals including subjective knowledge , time , expectation , and other individual factors , cause all economic phenomena . 0 +On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innocent X on 16 September 1647 . On May 14 , 1647 , he was confirmed as Archbishop of Messina and elected on 16 September 1647 by Pope Innocence X . 0 +Tupperware Corporation , formerly Tupperware Brands Corporation , is an American direct multinational distribution company . Tupperware Brands Corporation , formerly Tupperware Corporation , is an American multinational direct sales company . 0 +He helps everyone get a good night ’ s sleep and have yawning dreams and often talks with a sweet voice . He helps everyone get a good night 's sleep and have sweet dreams and often talks with a yawning voice . 0 +There are nine primary level schools , 16 secondary schools and two schools for special education . There are nine secondary schools , 16 primary and two schools for special schools . 0 +It was not long after Watts joined the group that Wyman took over the percussion . It was not long after Watts joined the group that Wyman took over the drums . 1 +( Formula 26 are normal vectors at the intersection points and their scalar product is Formula 27 ) ( formula 26 are normal vectors at the intersection points . Their formula 27 product is scalar . ) 0 +At the same time , Klaus meets Elena and asks Elena and Stefan to go with him so that they can start the ritual that will break the curse . At the same time , Klaus meets Elena and Stefan and asks Elena to go with him so they can start the ritual that will break the curse . 0 +Worthington is completely surrounded by Columbus , except for a small border with Perry Township ( Brookside Estates ) in the west . Except for a small border with Perry Township ( Brookside Estates ) on the west , Worthington is completely surrounded by Columbus . 1 +For each fixed number , it is possible to decide in polynomial time whether the subchromatic number of interval and permutation graphs is at most r . For every fixed integer r , it is possible to decide in polynomial time whether the subchromatic number of interval and permutation graphs is at most r . 1 +However , the generic Lorentz-invariant form of the matrix element for the electromagnetic current interaction is known , However , the generic Lorentz-invariant form of the matrix element for electromagnetic current interaction is known , 1 +The 2013 Alcorn State Braves football team represents Alcorn State University in the NCAA Division I FCS Football - Season 2013 . The 2013 Alcorn State University football team represented Alcorn State Braves in the 2013 NCAA Division I FCS football season . 0 +"The Java constant machine has a "" string literal pool "" and a "" class virtual pool "" ." "The Java Virtual Machine includes a "" String Literal Pool and a "" Class Constant Pool ." 0 +He was born in 1951 in Mauritius ( Quatre Bornes ) and died in 2002 . He was born in Quatre Bornes in Mauritius in 1951 and died in 2002 . 1 +"In the 1988 miniseries "" Hemingway "" , starring Fiona Fullerton , Duff Twysden was played by Stacy Keach ." "In the miniseries "" Hemingway "" of 1988 with Fiona Fullerton , Duff Twysden was played by Stacy Keach ." 1 +Satellite Beach is part of Melbourne 's Metropolitan Statistical Area -- Palm Bay -- Titusville . Satellite Beach is part of the Palm Bay -- Melbourne -- Titusville Metropolitan Statistical Area . 1 +Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . Yauli is one of nineteen districts in the province of Peru in Huancavelica . 0 +In the November 1856 state elections , 81 Americans , 31 Democrats , and 8 Republicans were elected to the Assembly for the 1857 session . In the state elections of November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the 1857 session . 0 +Since then , several FRC students , alumni and mentors have contributed to the project by providing feedback , creating the communication protocols and documenting Linux packages . Since then , several FRC students , alumni and mentors have contributed to the project by providing feedback , creating communication protocols , and documenting Linux packages . 1 +They feed on fruits , small insects and occasionally large vertebrates . They feed on fruit , large insects and occasionally small vertebrates ( e.g . 0 +He was sent to Yangon , Myanmar ( now Thailand ) for further studies and then taught in Rangoon , Burma . He was sent to Rangoon , Burma ( now Yangon , Myanmar ) , for further study and then taught in Thailand . 0 +"The 9287th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 356th link would be 0.2.356 on the end instead ." "The 9287th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 356th link would instead be 0.2.356 at the end ." 1 +He finished his NFL career in the division of the season between Seattle Seahawks and the New York Giants . He finished his NFL career in dividing the season between the New York Giants and the Seattle Seahawks . 1 +Abraham Naftali Hertz Scheuer was born in 1753 , the son of his father Rabbi David Tebele Scheuer in Frankfurt am Main . David Tebele Scheuer was born in 1753 as son of his father Rabbi Abraham Naftali Hertz Scheuer in Frankfurt am Main . 0 +He made numerous expeditions to tropical Africa , with an emphasis on Equatorial Guinea . He made numerous expeditions to tropical Africa , with emphasis on Equatorial Guinea . 1 +"He has described the "" Deep state "" as a "" Shadow Government "" and "" deep state swamp of Obama holdovers and DC lifers "" ." "He has described the "" Deep State "" as "" Shadow Government "" and the Deep State Swamp of Obama Holdovers and DC Lifers "" ." 1 +He was died on May 29 , 1935 in Manhattan , New York City , and buried in the Woodlawn Cemetery in Bronx , New York City . Marling died on May 29 , 1935 in Manhattan , New York City . He was buried in Woodlawn Cemetery in Bronx , New York City . 1 +Altamonte Mall is a super-regional shopping mall located in Altamonte Springs , Florida , United States , a suburb of Orlando . Orlando is a super-regional shopping centre in Altamonte Mall , a suburb of Altamonte Springs , Florida , United States . 0 +In 1963 , the National Chiropractic Association reorganized into the American Chiropractic Association ( ACA ) . In 1963 , the National Chiropractic Association reorganized the American Chiropractic Association ( ACA ) . 1 +"The Oxford English Dictionary cites Hoccleve as one of the first users of the term "" slut "" in its modern sense , though not in its modern spelling ." "The Oxford English Dictionary cites Hoccleve as one of the modern users of the term "" slut "" in its modern sense , though not in its initial spelling ." 0 +In countries where civil service cartridges are banned for military ownership , the 7 × 64 Brennecke is a successful cartridge for hunting and marksmanship . In countries where civil service cartridges for military property are banned , the Brennecke 7 × 64 is a successful cartridge for hunting and accuracy . 1 +The countries currently on the list are Iran , North Korea , Sudan , and Syria . The countries on this list are currently Iran , Syria , Sudan and North Korea . 1 +The series was created by Mike Roberts and is written by Matt Mariska and Andy Sipes . The series was created by Mike Roberts and is set to be written by Matt Mariska and Andy Sipes . 1 +NY 104 follows the Ridge Road east of the village of Lewiston through a sparsely populated area of Niagara County . East of Niagara County village , NY 104 follows Ridge Road through a sparsely populated area of Lewiston . 0 +Mark Hambourg was born in Voronezh , Russia , the middle brother of the famous pianist Jan Hambourg . Mark Hambourg was born in Voronezh , Russia , as the middle brother of famous pianist Jan Hambourg . 1 +The Cârlibaba - River is a tributary of the River Tătarca in Romania . The Tătarca River is a tributary of the Cârlibaba River in Romania . 0 +When the Portishead Railway was built in 1866 , the ferry became popular with users of Clifton Bridge railway station . When Portishead Railway was built in 1866 , the ferry became popular with users of the Clifton Bridge railway station . 1 +The first DVD releases for individual Japanese series also had special limited editions . The individual Japanese DVD releases for the first series also had special limited editions . 0 +In 2011 , the literacy rate of Sattari village was 55.53 % compared to 76.26 % of West Bengal . In 2011 , the literacy rate of West Bengal village was 55.53 % , compared to 76.26 % of the Sattari . 0 +Riverton was a parliamentary electorate in the region of New Zealand in Southland . Riverton was a parliamentary electorate in the New Zealand region of Southland . 0 +Belson as Visual Director programmed kinetic live visuals , Jacobs programmed electronic music and audio experiments . Belson as audio director programmed kinetic live visuals , and Jacobs programmed electronic music and visual experiments . 0 +He developed players like Stefan Bogomilov , Bozhil Kolev , Stefan Janev , Damyan Georgiev , Ivan Derventski , Spas Kirov , Nedko Nedev . He developed players like Nedko Nedev , Ivan Derventski , Spas Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev . 1 +Whitey and Joe Boy return to the restaurant where they cut Terry 's ; tires of his car . Whitey and Terry return to the restaurant where they slash Joe Boy 's tires of his car . 0 +It began as a fishing village populated by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . It began as a fishing village , populated by Polish settlers from the Kaszub region and some German immigrants in 1870 . 0 +The 1978 Daytona 500 , the 20th round of the event , was the second race of the NASCAR Winston Cup season in 1978 . The 1978 Daytona 500 , the 20th running of the event , was the second race of the 1978 NASCAR Winston Cup season . 1 +By road it is located 21 kilometres northwest of Bururi and 12.6 kilometres southeast of Vyanda , and south of Muyuga . It is 21 kilometres north-west of Bururi by road and 12.6 kilometres southeast of Vyanda and south of Muyuga . 1 +He married Peter Dobree ( 1770 - 1845 ) , youngest daughter of Elizabeth of Beauregarde , Guernsey . He married Elizabeth ( 1770 -- 1845 ) , youngest daughter of Peter Dobree of Beauregarde , Guernsey . 0 +Fersfield is bounded on the east and south by the village of Bressingham ; to the west are South Lopham and North Lopham and to the north Kenninghall . Fersfield is limited to the east and south by the village of Bressingham , in the west are South Lopham and North Lopham and to the north of Kenninghall . 1 +He was born in Zaandam and died in Almelo . He was born in Zaandam , died in Almelo . 1 +But the other judges prefer Trish ( April Marie Eden ) , an attractive , but untalented , and unintelligent woman . But the other judges favor Trish ( April Marie Eden ) , an untalented and unintelligent but attractive woman . 1 +The village was founded by Pontic Greek refugees from the Of valley in Trabzon , and was named after Turkey ( Trapezounta in Greek ) . The village was founded by Pontic Greek refugees from the valley of Trabzon and named after Turkey ( Trapezounta in Greek ) . 1 +Maria Maria Vittoria Rossa Argento ( born 20 September , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and director . Argento ( born Aria Maria Vittoria Rossa Argento ; September 20 , 1975 ) is an Italian actress , singer , model , activist and director . 1 +Carrie played the entertainment manager and Willie Garson 's gay friend Stanford Blatch . Willie Garson played entertainment manager and Carrie 's gay friend Stanford Blatch . 0 +Washtenaw County , officially the Charter Township of Superior in the U.S. state of Michigan . The top township , officially the Charter Township of Superior , is a charter township of Washtenaw County in the U.S. state of Michigan . 0 +Searching a specific search tree for a binary key can be programmed recursively or iteratively . Searching for a binary search tree according to a specific key can be programmed recursively or iteratively . 0 +It is limited by North Dakota . The nearest American community is Gretna , Neche , Pembina County , North Dakota . It is bordered by North Dakota . The nearest American community to Gretna is Neche , Pembina County , North Dakota . 1 +""" The problem with Popplers "" is the fifteenth episode in the second production time of "" Futurama "" ." """ The Problem with Popplers "" is the second episode in the fifteenth production season of "" Futurama "" ." 0 +On 14 June , Jackson served in a duel on behalf of his junior officer William Carroll as second against Jesse Benton , the brother of Thomas . On June 14 , Jackson served as a second in a duel on behalf of his junior officer William Carroll against Jesse Benton , the brother of Thomas . 1 +Based on the city of Baltimore , only mentioned , never visited in the show . Based on the city of Baltimore , never visited , mentioned only in the show . 1 +It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until the majority left the country . It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until the majority of them left the country . 0 +Then it became the NBC Blue Network and stayed with that service when it carried ABC . Then it carried the NBC Blue Network and stayed with this service when it became ABC . 0 +"The first known European observation of Whidbey Island was during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." "The first known European sighting of Whidbey Island was during the 1790 Spanish expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." 1 +"The term "" Pusticamica "" means mountainous origin , "" Lake of Algonguin - countries "" ." "Of mountainous origin , the term "" Pusticamica "" means "" lake of the algonguin countries "" ." 1 +This was followed by further launches to Amsterdam , Brussels and Lisbon . This was followed by further route launches to Amsterdam , Brussels and Lisbon . 1 +On December 17 , Marc Trestman announced that Jay Cutler of Clausen would take over the starting position of Quarterback . On December 17 , Marc Trestman announced that Clausen would take over the starting quarterback position from Jay Cutler . 0 +Eleni Daniilidou and Jasmin Wöhr won in the final 6 -- 2 , 6 -- 4 , against Anabel Medina Garrigues and Virginia Ruano Pascual . Eleni Daniilidou and Jasmin Wöhr won against Anabel Medina Garrigues and Virginia Ruano Pascual at 6 : 2 , 6 : 4 in the final . 1 +Barney was born in Galesburg , Illinois , and attended public schools and Lombard College , Hartford and Wisconsin . Barney was born in Hartford , Wisconsin , and attended the public schools and Lombard College , Galesburg , Illinois . 0 +Mr. Harry O ’ Rourke ( Scotland ) was the first President , and Mr. Owen Clarke ( New Zealand ) the first Chairman . The first president was Harry O ’ Rourke ( Scotland ) , and the first chairman was Owen Clarke ( New Zealand ) . 1 +"Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefits Concert of "" The Best Little Whorehouse "" in Texas" "Linda Lou was viewed as a cody on 6 October 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." 0 +Bryant was born in Perth , Western Australia and attended Firbank Girls ’ apos ; Grammar School in Melbourne . Bryant was born in Melbourne and attended Firbank Girls ' Grammar School in Perth , Western Australia . 0 +Oli Müller left the band as bassist in the live performances , and Adi Amstutz supported the band . During the live performances Oli Müller supported the band as a bassist , and Adi Amstutz left the band . 0 +Her earliest dated painting is marked in 1863 and she presented her works in London and Norwich between 1867 and 1874 . Her earliest marked painting is dated 1863 and she exhibited her works in both London and Norwich between 1867 and 1874 . 0 +The river Văcăria is a tributary of the River Pilugul in Romania . The river Pilugul is a tributary of the river Văcăria in Romania . 0 +Bristly Peaks include the Messent Peak and the Brodie Peak . The Bristly Peaks include the Brodie Peak and Messent Peak . 1 +Lottia emydia is a sea snail species , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . Lottia emydia is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 0 +In 1985 he won the Special Mention Kerala State Film Awards and secured the Filmfare Award for his role as Mammootty . Mammootty won the Special Mention Kerala State Film Awards in 1985 and secured the film fare award for his role as Ravi Varma . 0 +After three nominations in previous years , WQDR 2011 won Country - Music - Association Großmarkt - Station of the year . After three nominations in previous years , WQDR won Country Music Association large-market station of the year in 2011 . 1 +The Mike Weatherley MP won the discretionary award of the Rock the House Parliamentary Competition , and Weatherly became the band 's manager . Collibus won the Mike Weatherley MP discretionary award of the Parliamentary competition Rock the House . Weatherly became the band 's manager . 0 +The river Burduja is a tributary of the River Urechioiu in Romania . The Urechioiu River is a tributary of the River Burduja in Romania . 0 +The nearest station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , in Shimanto . The nearest train station is Shimanto , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Nakamura Station . 0 +A few years later , Goodman became Hyman 's pianist himself . A few years later , Hyman became himself Goodman pianist . 0 +The New York and Erie Railroad completed their route between Piermont and Dunkirk in 1851 , New York via Hornell and Salamanca . The New York and Erie Railroad completed their route between Hornell and Dunkirk in 1851 , New York via Piermont and Salamanca . 0 +Her mother is Kenyan while her father is Austrian . Her mother is a Kenyan woman , while her father is Austrian . 1 +The sandwich is particularly popular in New England and has been proposed as the official state sandwich of Massachusetts . The sandwich is particularly popular in New England and has been proposed as the official sandwich of Massachusetts . 1 +The river Valea Lungă is a tributary of the Casimcea River in Romania . The Casimcea River is a tributary of the River Valea Lungă in Romania . 0 +The academy consists of east hall , central wing , west wing and a garden . The academy consists of eastern hall , central wing , west wing and a garden . 1 +According to the fundamental theorem of the algebra , all polynomic equations with real or complex coefficients have a solution in complex numbers in a single variable . According to the fundamental theorem of algebra , all polynomial equations with real or complex coefficients in a single variable have a solution in complex numbers . 1 +Richard Biddle was the brother of the American financier Nicholas Biddle , nephew of Congressman Edward Biddle , and Congressman Charles Biddle 's uncle . Edward Biddle was the brother of the American financier Nicholas Biddle , nephew of Congressman Charles John Biddle , and Congressman Richard Biddle ’ s uncle . 0 +Guillermo Cañas won in the final 7 -- 6 , 6 -- 2 , against Juan Carlos Ferrero . Guillermo Cañas won against Juan Carlos Ferrero in the final with 7 : 6 , 6 : 2 . 1 +Liberty Township borders Clinton County to the northeast , Marion Township to the southeast , Howard Township to the southwest , and Curtin Township to the West . Curtin Township is bordered by Liberty Township to the northeast , Marion Township to the southeast , Clinton County to the southwest , and Howard Township to the west . 0 +After decades of deterioration , fundraising and financial contributions provided the additional resources needed to restore the old building in 2003 . After decades of deterioration , fundraising efforts and financial grants provided the additional resources needed to restore the old building in 2003 . 1 +O 'Dea was born in 1889 in Sydney and moved with his family to Armidale as a child . O 'Dea was born in 1889 in Armidale and moved to Sydney as a child with his family . 0 +Potter married in 1945 . He and his wife Mary ( a weaver ) had two children , Anne ( born 1947 ) and Julian ( born 1952 ) . He and his wife Anne ( a weaver ) had two children , Julian ( born in 1947 ) and Mary ( born 1952 ) . 0 +Fish species of the parks rivers and lakes are Sperchios Barbel , Macedonian Döbel , Sperchios Spirlin , Greek trout and probably the endangered Marathon Minnow . Fish species of the parks rivers and lakes are Sperchios barbel , Greek chub , Sperchios spirlin , Macedonian trout and probably the endangered Marathon minnow . 0 +In 2012 , the airline carried 57,500 passengers to 15 domestic destinations and 90,000 passengers on international routes per month ( apx . 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 international destinations and 90,000 passengers on domestic flights ( around 1.77 million passengers per year ) . 0 +There was only one scholar , however , and Qian published two or three articles more than Li , so that Qian was preferred . However , there was only one scholarship awardee and Li published two or three more articles than Qian , so Qian was preferred . 0 +Lottia persona is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . Lottia persona is a species of sea snail , a true limpet , a marine gastropodemollusk in the Lottiidae family , one of the families of true limpets . 0 +The film was produced by Bruce David Janu , directed and processed , the soundtrack was composed by Tom Flannery and Lorne Clarke . The film was produced , conducted and edited by Tom Flannery and Lorne Clarke , the soundtrack was composed by Bruce David Janu . 0 +"By controlling the fluid with a magnetic field , it is formed to create liquid 3-complex shapes as a "" dimensional sculpture "" ." "By controlling the fluid with a magnetic field , it is formed to create liquid 3-complex forms as a "" dimensional sculpture "" ." 1 +They also meet the twins Timmy and Tommy Reston in their Ford Mustang , which were soon invited by Keun 's friend to Waffle House . They also encounter twins Timmy and Tommy Reston in their Ford Mustang , who were soon invited to the Waffle House by Keun 's friend . 1 +Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named in his honour . Sears Bay , Sears Crescent and Sears Place in Arbor Creek and Herbert S. Sears Park in Fairhaven were named in his honor . 0 +The village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills with effect from 1 July 2000 . Effective July 1 , 2000 , the village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills . 1 +He retired to Italy where he escaped and returned to private life for two years . He retired to Italy , where he fled for two years and returned to his private life . 1 +Carl Johan Westman was the son of the postmaster Karl Gustaf Westman and Tonny ( Andersson ) Westman . Johan Westman was the son of the postmaster Karl Gustaf Westman and of Tonny Westman ( Andersson ) . 1 +However , it was a legal ceremony and not a spiritual one . It was , however , a spiritual and not a legal ceremony . 0 +In second place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso placed third with 1,362 votes ( 4.9 % ) . In second place , Gaughan was third place with 9,264 votes ( 34.5 % ) , Calvaneso with 1,362 votes ( 4.9 % ) . 0 +Sara Sara Noxx is an award winning German musician and star of the alternative music scene . Sara Noxx is an award winning German musician and star of the alternative music scene . 1 +Jim Gray ( HBO ) and Max Kellerman ( Showtime ) covered the changing rooms of Pacquiao and Mayweather . Max Kellerman ( HBO ) and Jim Gray ( Showtime ) covered the locker rooms of Pacquiao and Mayweather , respectively . 0 +The series is hosted by Zelda Rubinstein and told by Linda Blair . The series is hosted by Zelda Rubinstein , and narrated by Linda Blair . 1 +The task of this department is to coordinate further and to develop the philanthropic work of the Archdiocese . The mission of this department is to further coordinate and develop the philanthropic work of the Archdiocese . 1 +The album was recorded in six different sessions , both in Santa Monica Sound Records in Los Angeles and at Westlake Recording Studios in Santa Monica , California . The album was recorded in six different sessions at both Santa Monica Sound Records in Los Angeles and Westlake Recording Studios in Santa Monica , California . 1 +Regularly holds Poker Oscar poker games , two of the players are Roy , his agent and Teddy , one of his best friends . Oscar holds poker games regularly , with two of the players being Roy , his agent , and Teddy , one of his best friends . 1 +"Coins were described using only three adjectives : "" fine "" , "" good "" , or "" immovable "" ." "Coins were described using just three adjectives : "" good "" , "" fine "" , or "" uncirculated "" ." 1 +"None of these songs , with the exception of "" Live to Rise "" , is heard in the film ." "None of these songs , with the exception of "" Live to Rise , "" are heard in the film ." 1 +She is a specialist in British landscape painting and the visual culture of British colonialism and West Indian slavery . She is a specialist in British landscape painting and the visual culture of British colonialism and of West Indian slavery . 1 +Colonel Ray died in 1989 and Lieutenant Colonel Koski died on New Year 's Eve in 1989 . Colonel Koski died in 1989 and Lieutenant Colonel Ray died on New Year 's Eve , 1989 . 0 +It was also recorded by the Royal Canadians and Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . It was also recorded by the Guy Lombardo and His Royal Canadians orchestra and the singing group The Three Suns in the United States . 0 +Sir Herbert was returned to the new seat of Croydon East and was re-elected in 1951 . Sir Herbert was returned in the new Croydon East seat and was re-elected in 1951 . 1 +The syndicate sold the land , and subdivided parcels of it the next year . The syndicate sold the land and next year informed the parcels of it . 1 +"While Quine has referred to such logics as "" free "" logic , they are now called inclusive logics ." "While Quine called such logics "" inclusive "" logic they are now referred to as free logic ." 0 +"The route from Chicago to Hoosier State is used by Amtrak for "" Cardinal "" and "" Lafayette "" ." "The route from Chicago to Lafayette is used by Amtrak for "" Cardinal "" and "" Hoosier State "" ." 0 +Nearby places include Jacobson , Swan River , Libby and Palisade , Ball Bluff is located 10 miles south of Swan River and 26 miles north of McGregor . Nearby places include Jacobson , Swan River , Libby , and Palisade . Ball Bluff is 10 miles south of Swan River , and 26 miles north of McGregor . 1 +On April 17 at Lockdown , Morgan defeated Hernandez in a steel cage match to win the feud . On April 17 , Morgan defeated Match in a steel cage with Lockdown Hernandez to win the Feud . 0 +Multilayered dinosaurs - eggs are known in order of discovery from France , Spain , Mongolia , India , Argentina , Canada , Montana and Utah . Multilayered dinosaurs - eggs are known in the order of their discovery from France , Spain , Mongolia , India , Argentina , Utah , Montana and Canada . 1 +He died on July 23 , 1942 at his home in Trenton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . He died in his home in Bridgeton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . 0 +He studied oriental languages in Amsterdam ( Athenaeum Illustre ) and in Leiden . He studied Oriental languages in Amsterdam ( Athenaeum Illustre ) and Leiden . 1 +Ringwood is located in the 5th Congressional District and is part of New Jersey 's 39th state legislative district . Ringwood is located in the 39th Congressional District and is part of the 5th State Legislative District of New Jersey . 0 +In these cells , a voltage is induced which is electronically captured . In these cells , a voltage is registered that is induced electronically . 0 +Following the Allies ' May 1945 victory , the Soviets effectively occupied Central and Western Europe , while strong US and Western allied forces remained in Eastern Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Eastern Europe , while strong US and Western allies remained in Western Europe . 0 +Two of these four hostels are located in Delhi , one each in Pune and Pimpri near Mumbai . Two of these four hostels are located in Mumbai , each in Delhi and Pimpri , near Pune . 0 +He helps everyone get a good night 's sleep and have sweet dreams and often talks with a yawning voice . He helps everyone get a good night 's rest and have sweet dreams and often talks with a yawning voice . 1 +RVD tried to reverse the hold but Flair rolled into the ropes to break the hold . RVD tried to break the hold , but the flair rolled into the ropes to reverse the hold . 0 +Abhishekapuram constitutes a suburb of the city of Tiruchirappalli in Tamil Nadu , India . It is one of the four zones of the Tiruchirappalli Municipal Corporation . Abhishekapuram is a suburb of the town of Tiruchirappalli in Tamil Nadu , India , one of the four zones of the Tiruchirappalli Municipal Corporation . 1 +He is the son of Juan he has three brothers Danilo Jr. , Antonio , Danilo K. Rapadas and Cerila Matias Rapadas and his sisters Roberta and Christina . He is the son of Juan , has three brothers Danilo Jr. , Antonio , Danilo K. Rapadas and Cerila Matias Rapadas and his sisters Roberta and Christina . 1 +Joe Joe Newman was the co-founder of the current American Basketball Association with Richard P. Tinkham . Richard P. Tinkham was the co-founder of the current American Basketball Association with Joe Newman . 0 +After entering Caldwell County , it then intersects Interstate 24 ( I-24 ) at the point where Trigg County meets with Caldwell and Lyon counties . After entering Trigg County , she meets Interstate 24 ( I-24 ) at the point where Caldwell County intersects with Caldwell and Lyon counties . 0 +The 86th Airlift Squadron is part of 309th Airlift Wing in Air Base Chièvres , Belgium . The 86th Airlift Squadron is part of the 309th Airlift Wing at Chièvres Air Base , Belgium . 1 +The camp was sold in 1951 to the former Kenosha Council , and it was given when Racine and Kenosha - Council merged in 1971 . The camp was handed over to the former Kenosha Council in 1951 , and it was sold when Racine and Kenosha - Councils merged in 1971 . 0 +Field is the second largest shopping centre in Denmark and one of the largest in Scandinavia . Field is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . 1 +It was written by Bowie and produced by him and David Richards . It was written and produced by Bowie and produced by David Richards . 1 +All celebrated commemorations below fixed on June 8 by Orthodox Churches on the Old Calendar . All celebrated commemorations below on 8 June by Orthodox churches determined on the old calendar . 1 +The Sic River is a tributary of the Seolemai River in Romania . The River Sic is a tributary of the Seolemai River in Romania . 1 +The school teaches pupils from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and Dunfermline , but also from High Valleyfield under exceptional circumstances . The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and Dunfermline , but also under extraordinary circumstances from High Valleyfield . 1 +Kosmos operates blocks offshore - Senegal in Cayar and St. Louis . Kosmos operates in the Cayar and St. Louis blocks offshore Senegal . 1 +Schools which were closed when Harlem Consolidated was formed include Lovejoy School ( District 49 ) in Harlem Township . Schools which were formed when Harlem Consolidated was closed include Lovejoy School ( District No . 49 ) in Harlem Township . 0 +On 7 September 2011 , the Blue House officially scrapped plans for a rich tax deduction , marking the foundational end of Mbnomics . On September 7 , 2011 , the Blue House officially scrapped plans for a basic tax deduction , marking the rich end of Mbnomics . 0 +Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009 . His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His successor Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +He came to AS Trenčín in summer 2013 together with his teammate Haris Hajradinović from Croatian club NK Inter Zaprešić . He came to AS Trenčín together with his teammate Haris Hajradinović from the Croatian club NK Inter Zaprešić in the summer of 2013 . 1 +Sean Kandel , along with Joseph M. Hellerstein and Jeffrey Heer , is the Chief Technical Officer and co-founder of Trifacta . Joseph M. Hellerstein is the Chief Technical Officer and co-founder of Trifacta , along with Sean Kandel and Jeffrey Heer . 0 +According to the definition above , two relations with different graphs but different domains or different codomains are considered identical . According to the above definition , two relations with identical graphs , but different domains or different codemas are considered different . 0 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and directed the Los Angeles Sunset Junction Festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and performed at the Los Angeles Sunset Junction Festival . 0 +On May 6 , 2016 it was announced that Palafox signed to New York Cosmos B of the National Premier Soccer League . On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League after New York Cosmos B . 1 +It flows north near Pietragalla and curves eastward north of Cancellara and south of the Bradano . It flows to the north near Pietragalla and curves east north of Cancellara and south of Bradano . 1 +"As the name suggests , the linear interpolant is "" not "" linear ; but it is the product of two bilinear functions ." "As the name suggests , the bilinear Interpolant "" is not "" linear , but the product of two linear functions ." 0 +"In addition , the song "" Calling All Angels "" by Jane Siberry is included in the film and is played on the soundtrack ." "In addition , the song "" Calling All Angels "" is played by Jane Siberry in the movie and is included in the soundtrack ." 0 +"Bathyporeia elegans is a type of amphipod crustacean in the genus "" Bathyporeia "" . It is unpigmented and grows up to long ." "Bathyporeia elegans is a kind of amphipod crustacean in the genus "" Bathyporeia "" . It is long and grows up to unpigmented ." 0 +"As of 2009 , the website Rotten Tomatoes had given the film a 90 % rating with 19 "" rotten "" and 2 "" fresh "" reviews ." "Since 2009 , the Rotten Tomatoes site had given the film a rating of 90 % with 19 "" fresh "" and 2 "" rotten "" reviews ." 0 +The victory over Wei further increased Fei Yi 's fame . The victory over Wei increased Fei Yi 's fame even further . 1 +DelliBovi was a member of the New York State Assembly from 1971 to 1978 and was in the 179th , 180th , 181st and 182th New York State Legislatures . DelliBovi was a member of the New York State Assembly from 1971 to 1978 , sitting in the 182nd , 181st and 179th , 180th New York State Legislatures . 1 +On May 14 , 1647 , he was confirmed as Archbishop of Messina and elected on 16 September 1647 by Pope Innocence X . On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . 0 +The music was written by A. T. Ummer and the lyrics by Koorkkancheri Sugathan and Poovachal Khader were composed . The music was written by A. T. Ummer and lyrics was composed by Koorkkancheri Sugathan and Poovachal Khader . 1 +After the 1962 season , Green was traded to the New York Mets along with Tracy Stallard and Al Moran in exchange for Felix Mantilla . After the 1962 season , Green was traded with the New York Mets together with Felix Mantilla in exchange for Tracy Stallard and Al Moran . 0 +She finds new hope and friendship in Enzo , the replacement guitarist who inspires her to reach new creative heights . She finds new hope and friendship in Enzo , the replacement guitarist , who inspires her to new creative heights . 1 +Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a cyclist from Liechtenstein , Germany . Daniel Rinner ( born November 11 , 1990 in Liechtenstein ) is a cyclist from Vaduz , Germany . 0 +"It was classified as a new species within new genus "" Gigantopelta "" in 2015 and it was described within the family Peltospiridae ." "It was classified in 2015 as a new kind within the new genus "" Gigantopelta "" and was described within the family Peltospiridae ." 1 +Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and German writer . Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and a German writer . 1 +The Xinjiang Uyghur Autonomous Region is a river on the Yarkand River in Western China . The Yarkand River is a river in the Xinjiang Uyghur Autonomous Region of western China . 0 +Psilochilus is a genus of flower plants from the orchid family , Orchidaceae , which is native to Mexico , Central America , South America and the West Indies . Psilochilus is a genus of flowering plants from the orchid family , Orchidaceae . It is native to South America , Central America , Mexico and the West Indies . 1 +Steckborn is a municipality in Frauenfeld District in the canton of Thurgau in Switzerland . Steckborn is a municipality in the district of Frauenfeld in the Canton Thurgau , Switzerland . 1 +Dennis is arrested and sentenced to die with Hugh and Barnaby . Hugh and Dennis are hanged . Barnaby , through the efforts of Gabriel Varden , is pardoned . Dennis is arrested and convicted to die with Hugh and Barnaby , Hugh and Dennis are hanged , and Barnaby is pardoned by the efforts of Gabriel Varden . 1 +Since then , various groups have made exchanges , agricultural trainees have been received and there has even been an exchange of craft projects between primary school students . Since then various groups have made exchange visits , agricultural trainees have been received , and there has even been exchanges of craft projects between elementary students . 1 +Howes married three times in his life : in 1923 with Lillian Pechin , in 1932 with Catherine Tabor and in 1937 with Mary Donovan Howard . Howes married three times in his life : to Mary Donovan Howard in 1923 , Catherine Tabor in 1932 , and Lillian Pechin in 1937 . 0 +"The Allmusic review by Michael Erlewine awarded the album 4 ½ stars and stated "" another excellent album with Sonny Clark and pianist Green "" ." "The Allmusic - Review by Michael Erlewine awarded the album with 4 ½ stars and noted : "" Another excellent album with green and pianist Sonny Clark "" ." 0 +In 2014 , Barry Mero died , and the company is now run by his son Dean Mero . In 2014 , Dean Dean Mero died and the company is now led by his son Barry Mero . 0 +Morgan explodes an sets Chang on fire , where he arrives along with the explosives on board the train . Morgan explodes and sets Chang on fire where he arrives on board the train along with the explosives . 1 +The position of opposition leader throughout the early twentieth century was essentially informal , with formal recognition only being granted in the nineteenth century . The position of the opposition leader was essentially informal throughout the nineteenth century , with formal recognition only being granted in the early twentieth century . 0 +Two weeks before the invasion , the corps was pulled out of the First Army and placed in the Third Army by Omar Bradley . Two weeks before the invasion , the corps was pulled out of the Third Army and placed in Omar Bradley 's First Army . 0 +When Liliuokalani died in 1917 , territorial governor Lucius E. Pinkham granted her the honor of a state funeral in the throne room of the palace . When Lucius E. Pinkham died in 1917 , territorial governor Liliuokalani accorded her the honor of a state funeral in the throne room of the palace . 0 +"Yolandita Monge 's third album with Sony Music ( now CBS Records ) is "" Sue "" ( "" dreams "" ) ." "Yolandita Monge 's third album with CBS Records ( now Sony Music ) is Sueesos ( "" Dreams "" ) ." 0 +It can , however , be used to control VST instruments , which you can then record . However , it can be used to control VST instruments which you can then record . 1 +Sporting Club Suceava was a professional football club from Suceava , based in Romania and founded in 2008 . Sporting Club Suceava was a professional football club from Suceava , based in Romania . It was founded in 2008 . 1 +The season 1966 National Football League was the 17th season of the Cleveland Browns team . The 1966 Season Cleveland Browns was the 17th season of the team with the National Football League . 0 +Freescale Semiconductor later was sold to Sigmatel . Freescale 's semiconductor was later sold to Sigmatel . 1 +Klyne married Barbara Clayton in 1947 , while both were employed at the Medical Research Council ; they met in 1949 . Klyne met Barbara Clayton in 1947 , when they both were employed at the Medical Research Council and married in 1949 . 0 +English is understood by many people and spoken by some of them fluently . English is understood by many people and spoken fluently by some . 1 +Reena calls Anjali , a BNTV reporter in the base camp Everest and Arjun 's former lover . Anjali calls Reena , a BNTV reporter at Everest - base camp and Arjun 's former lover . 0 +The orbital data is consistent with the secondary component being either a white dwarf or a red dwarf star . The orbital data is consistent with the secondary component of either a white dwarf or a red dwarf star . 1 +It was this title that Lancelot Brenton inherited ( his elder brother , John Jervis Brenton , died in 1817 ) . It was this title that John Jervis Brenton ( his elder brother Lancelot Brenton died in 1817 ) inherited . 0 +Sympatric predators include the mountain lion , American black bear and grizzly bear . Sympatric - predators include the mountain lion , the grizzly bear and the American black bear . 1 +Other collaborators include Art Themen , Pee Wee Ellis , Dub Syndicate , Paul Cox , Alan Barnes , Little Axe and Gypie Mayo . Other collaborators include Paul Cox , Alan Barnes , Dub Syndicate , Art Themes , Pee Wee Ellis , Little Axe and Gypie Mayo . 1 +Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a Protected monument ( natural areas of Ulyanovsk Oblast ) . Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a protected monument ( natural area of Ulyanovsk Oblast ) . 1 +Its base or round edge contains between its layers the free band and the paraumbilical veins . Its base or the free edge contains the round band and the paraumbilical veins between its layers . 0 +Two quasi-similar C contractions have the same function and thus the same minimal spectrum . Two quasi-similar C contractions have the same minimal function and hence the same spectrum . 0 +It was acquired by AVCO American Airlines in 1930 . In 1930 , it was acquired by AVCO to become American Airlines . 1 +There are two types of Hilbert R - Trees : one for dynamic databases and one for static databases . There are two types of Hilbert R-trees : one for dynamic databases , and one for static databases . 1 +The production is mainly dedicated to the professional market , with the industrial products Linea Pro , the DIY market , being served by the Linea Blu product line . Production is mainly dedicated to the industrial market , with the Linea Pro professional products ; the DIY market is served by the Linea Blu product range . 0 +It is located in Duchouquet Township and is adjacent to Shawnee Township in Allen County . It is located in Duchouquet Township and adjacent to Shawnee Township in Allen County . 1 +On the same date , Logistec Corporation announced that it was purchasing the Sydney Coal Railway ( SCR ) from the Quebec Railway Corporation . On the same day , the Logistec Corporation announced that it is purchasing the Sydney Coal Railway ( SCR ) from Quebec Railway Corporation . 1 +The MSX2 series features a Yamaha V9938 - video chip that manages a 9-bit RGB palette ( 512 colors ) and has some extended graphics modes . The MSX2 series features a Yamaha V9938 - video chip that has a 9-bit RGB palette ( 512 colours ) and manages some extended graphic modes . 0 +Cankar was also famous for his essays , most of which were published between 1907 and 1913 , where he showed stylistic mastery and great irony . Cankar was also famous for his papers , most of which were published between 1907 and 1913 , where he showed great championship and stylistic irony . 0 +Helen Wills defeated Phoebe Holcroft Watson 6 -- 4 , 6 -- 2 Phoebe Holcroft Watson defeated Helen Helen Wills 6 -- 4 -- 2 0 +In August , Axel Bulthaupt presented an episode in 2010 , while Stefan Mross was absent for private reasons . In 2010 , Stefan Mross presented an episode in August while Axel Bulthaupt was absent for private reasons . 0 +The Square was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on July 2 , 2013 , during a ceremony on the square . The place was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on 2 July 2013 during a ceremony at the square . 1 +Regular guests included Canning and Castlereagh , Byron , Sir Walter Scott , Lord John Russell , Sir Robert Peel , Theodore Hook , and Sydney Smith , among others . Her regular guests included Canning and Castlereagh , John Russell , Sir Walter Scott , Lord Byron , Robert Peel , Theodore Hook , and Sydney Smith . 0 +It is then sold in the brewer 's house , which is virtually a pub until all the beer has been drunk . It has been effectively drunk in the brewer 's house , which then becomes a pub until all the beer is sold . 0 +Rashad Evans then replaced Rua with Liddell in the main event , but Liddell was forced to withdraw from the card due to a thigh injury . Liddell then replaced Rua in the main event with Liddell , but Rashad Evans was forced to withdraw from the card due to a hamstring injury . 0 +"Aztec . Was followed by the third film in the trilogy , "" own Revenge "" ." "This was followed by the third film in the trilogy , "" Aztec Revenge "" ." 0 +We believe that Jesus Christ received by the Holy Spirit and was born of the Virgin Mary , and is true God and true man . We believe that Jesus Christ was born by the Holy Spirit and conceived of the Virgin Mary and is true God and true man . 0 +The band is currently led by Pipe Major Gary Nimmo and Drum Sergeant Shaunna Hilder , along with support from Pipe Sergeant Gary Corkin and Pipe Corporal David Hilder . The band is currently led by Pipe Major David Hilder and Drum Sergeant Gary Corkin with the support of Pipe Sergeant Shaunna Hilder and Pipe Corporal Gary Nimmo . 0 +In addition to the 5,465 Anjous built , the company produced about 40 of the 2-door cabriolet Anthéor models . In addition to the 5,465 Anjous built , the company produced about 40 of the 2-door convertible Anthéor models . 1 +Due to the results of the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . Due to the results of the previous round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . 0 +After a brief stay in New York City with his reported cousin , he moved to New Orleans . After a brief stay in New York City with his cousin , he moved to New Orleans . 1 +Sakura Spirit is a 2014 visual novel developed by Winged Cloud and developed by Sekai Project . Sakura Spirit is a visual novel from 2014 , developed by Winged Cloud and published by Sekai Project . 0 +"During 1942 , "" Whitehall "" was "" adopted "" by the national community of Cheltenham , Gloucestershire , in a Warship Week civil savings campaign ." "During 1942 "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national saving campaign of the warship - week "" ." 0 +In March 1999 , Chris Wayne Bennett took over the succession of Chris Anderson as team coach . Wayne Bennett took over from Chris Anderson as coach of the team in March 1999 . 1 +The position of the opposition leader was essentially informal throughout the nineteenth century , with formal recognition only being granted in the early twentieth century . The position of the opposition leader was essentially informal in the whole of the twentieth century , with formal recognition only being granted in the nineteenth century . 0 +In Louisville , Kentucky , he exhibited at the Brownstown Gallery and in Birmingham , Michigan , near Art Space . In Louisville , Kentucky , he exhibited at the Brownstown Gallery and the Art Space in Birmingham , Michigan . 0 +The 1927 Colgate University Football team represent Colgate in the College - Football - Season 1927 . The 1927 Colgate University football team represented Colgate in the 1927 college football season . 1 +In the following month , Bullet Club received its first Japanese member when Yujiro Takahashi joined and helped Styles conquer the IWGP Heavyweight Championship . In the following month , Bullet Club received its first Japanese member , when Styles joined Yujiro Takahashi helped conquer the IWGP Heavyweight Championship . 0 +SHS also has teams that compete in archery and bowling , which are not sponsored by IHSAA , but sanctioned by their organisations . SHS also has teams that compete in Archery and Bowling which are not IHSAA sanctioned , but sponsored by their organizations . 0 +Radaškovičy is a town in the region Minsk of Maladzyechna Raion , Belarus . Radaškovičy ( , , ) -is a town in the Maladzyechna Raion of Minsk Region , Belarus . 0 +"The names "" googol "" and "" googolplex "" were invented by Edward Kasner 's nephew , Milton Sirotta , and introduced in Kasner and Newman 's 1940 book ," "The names "" Googol "" and "" Googolplex "" were invented by Edward Kasner 's nephew Milton Sirotta and introduced into the book by Kasner and Newman in 1940 ;" 1 +In April 2014 , 2-5 cavalry from 1 ABCT , 1CD used to Germany to support Operation Combined Resolve II , a NATO exercise in Southeast Europe . In April 2014 , 2-5 Cavalry from 1 ABCT , 1CD deployed to Germany to support Operation Combined Resolve II , a NATO exercise in southeastern Europe . 1 +"It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on 10 January 2006 ." "It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on January 10 , 2006 ." 0 +The eastern part of Fenghuang Mountain is home to a mountain that has been called Chaoyang since ancient times . The eastern part of the Fenghuang Mountain is home to a mountain that has been called Chaoyang since ancient times . 1 +In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half a share of their American Oil Company to Pan American in return for a guaranteed oil supply . In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a participation in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . 0 +""" Acting for "" has the same basic meaning as "" acting "" , except that it indicates that the original occupant of the position still has power formally ." """ Acting for "" has the same basic meaning as "" acting "" , except it indicates that the original occupant of the position still formally holds power ." 1 +Specifically , p63 is expressed within embryonic ectodermal keratinocytes and the early ridge during development . Specifically , p63 is expressed within the embryonic ectodermal keratinocytes and early ridge during development . 1 +Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and funny situations . New boys and girls will come to the Pretty Land School of Arts and already known people will have to face complicated and funny situations . 0 +Included are Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne von Rey , Jenny Shimizu , Catherine Opie , Michele Mills . Daphne from Rey , Jenny Shimizu , Catherine Opie , Sheree Rose , Ron Athey , Vaginal Davis , Bob Flanagan and Michele Mills . 1 +The Arens - Mackey - Topology and the weak Banach - space topology are used relatively rarely . The Banach - Mackey - topology and the weak Arens - space topology are relatively rarely used . 0 +Since then , there have been few significant changes , with noticeable changes in the design of the Railcard most common . Since then , there have been few significant changes , with frequent changes in the design of the Railcard most recognizable . 0 +Grevillea macleayana , commonly known as Jervis Bay grevillea , is a shrub of the Proteaceae family born to New South Wales . Grevillea macleayana , commonly known as New South Wales grevillea , is a shrub of the family Proteaceae native to Jervis Bay . 0 +Henry Beaumont , his niece and heir , married Alice Comyn , a French nobleman in the English service . His niece and heritage , Henry Henry Beaumont , married Alice Comyn , a French nobleman in the English service . 1 +Agnieszka Radwańska defeated Nadia Petrova , 6 -- 4 , 6 -- 7 , 6 -- 4 Agnieszka Radwańska defeated Nadia Petrova , 6 -- 4 , 6 -- 7 , 6 - 4 - 1 +Wilson was the only VC receiver during the Italian invasion of British - Somalia , only six additional VCs were awarded for operations in East Africa . Wilson was the only VC recipient during the Italian invasion of British - East Africa , only six additional VCs were awarded for operations in Somalia . 0 +And later installed Roque Lopez as president of the provisional government in Santa Barbara town in Iloilo . And later , Roque Lopez installed himself as president of the provisional government in Santa Barbara town in Iloilo . 1 +In March 1904 , his brother was kidnapped in West Texas for ransom and brought across the border to Mexico . In March 1904 , his brother was kidnapped for ransom in Mexico and taken to West Texas across the border . 0 +Today the railheads for Wellsville are Alma Township and Friendship . Today the railheads are for Wellsville Alma Township and Friendship . 1 +The music was composed by Ravi Vilangan and lyrics was written by V. Dakshinamoorthy . Music was composed by V. Dakshinamoorthy and the text was written by Ravi Vilangan . 0 +He died in 1879 in Bannock County , Idaho , USA Jefferson Hunt is buried at the Red Rock Cemetery in Oxford , Idaho . He died in 1879 in Bannock County , Idaho , US . Jefferson Hunt is buried at the Red Rock Cemetery in Oxford , Idaho . 1 +Joe feels betrayed and decides to join Gallagher 's escape plan . Gallagher feels deceived and decides to join Joe 's escape plan . 0 +During this time the climate was a mixture of two different seasons , a rainy season and a shorter dry season . The climate during this period was a mixture of two different seasons , of a dry season and of a shorter rainy season . 0 +A few years later it failed again , but soon opened again . It failed again a few years later but soon reopened again . 1 +Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Giuseppe Naudet and Susanna von Arnth ; her sister was Luisa . Leopoldina Naudet was born in 1773 as the eldest daughter of Luisa and Susanna of Arnth in Florence , the sister was Giuseppe Naudet . 0 +The story attracted widespread attention from mainstream media and social media . History attracted widespread attention from social media and the mainstream media . 1 +Ella Hval ( born Ella Signe Quist Kristoffersen ) ( January 7 , 1904 , Kristiania -- December 17 , 1994 , Stavanger ) was a Norwegian actress . Ella Hval ( born Ella Signe Quist Kristoffersen ) ( 7 January 1904 , Kristiania -- 17 December 1994 , Stavanger ) was a Norwegian actress . 1 +Chin was born in Kingston , Jamaica , to a Chinese – Jamaican mother and a Jamaican father . Chin was born in Kingston , Jamaica , to a Chinese Jamaican mother and a Jamaican father . 1 +Francis Davenport returned to England in 1841 , leaving Henry Giles to manage his affairs . In 1841 , Henry Giles returned to England , leaving Francis Davenport to regulate his affairs . 0 +The Scridoasa River is a tributary of the Botizu River in Romania . The river Scridoasa is a tributary of the River Botizu in Romania . 1 +He graduated in 1976 from Kansas Newman College and from the Washburn Law School in 1979 . He graduated from Kansas Newman College in 1976 and from Washburn Law School in 1979 . 1 +Also several free web hosting services such as Geocities provided free web space for personal web pages . Also personal web hosting - services such as geocities provided free web space for several free websites . 0 +In 1281 Simon de Beaulieu was appointed Archbishop of Bourges by Pope Martin IV ( Simon de Brion ) . In 1281 , Pope Martin IV ( Simon de Beaulieu ) , Simon de Brion , was appointed Archbishop of Bourges . 0 +Sandra Klemenschits and Andreja KlepaÄ won the title and defeated Kristina Barrois and Eleni Daniilidou in the final , 6 -- 1 , 6 -- 4 . Kristina Barrois and Eleni Daniilidou won the title , defeating Sandra Klemenschits and Andreja Klepač in the final , 6 -- 1 , 6 -- 4 . 0 +The Pittsburgh Frank Seder was completed in 1913 , but destroyed in 1917 by a fire with a loss of $ 600,000 , and its replacement was expanded in 1918 . The Pittsburgh Frank & Seder was expanded in 1913 , but destroyed by fire in 1917 at a loss of $ 600,000 ; its replacement was completed in 1918 . 0 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentine physicist who has done the most work in Argentina . Miguel Ángel Virasoro ( ; born 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . 0 +The team was a sister organization of the USL Premier Development League team of men who plays in the Los Angeles legends . The team was a sister organization of the men 's Los Angeles Legends team , which plays in the USL Premier Development League . 0 +Steele Indian School Park Pond is a lake in the Steele Indian School Park in Indian School Road , east of Phoenix and north of Central Avenue . Steele Indian School Park Pond is a lake located in Steele Indian School Park in Indian School Road , east of Phoenix and north of Central Avenue . 1 +"Guard voiced Frodo Baggins ( alongside his brother Dominic as Peregrin Took ) in the animated version of "" The Lord of the Rings "" ( 1978 ) ." "Frodo Baggins ( beside his brother Dominic as Peregrin Took ) in the animated version of "" The Lord of the Rings "" ( 1978 ) ." 1 +Van Hoof was born in Antwerp , was student of Paul Gilson and was heavily influenced by the works of Peter Benoit . Born in Antwerp , Van Hoof was a pupil of Paul Gilson and was heavily influenced by the works of Peter Benoit . 1 +Kurt Hummel ( Chris Colfer ) , a former member of New Directions , attends the concert , accompanied by his friend Blaine Anderson ( Darren Criss ) . Blaine Anderson ( Chris Colfer ) , a former member of New Directions , attends the concert , accompanied by his friend Kurt Hummel ( Darren Criss ) . 0 +Although he was born in Kingaroy , Ballin grew up in Nanango and visited the Kingaroy State High School , where his father was school leader . Although he was born in Kingaroy , Ballin grew up in Nanango and attended Kingaroy State High School where his father was the school principal . 1 +Now Hawkgirl is 100 % Kendra Saunders . Hawkgirl is now 100 % Kendra Saunders . 1 +The Portneuf River is a long tributary of Marsh Creek at Bannock County , Idaho . Marsh Creek is a long tributary of the Portneuf River in Bannock County , Idaho . 0 +""" Rockingham "" reached Whampoa on 23 May and arrived on September 21 in Bombay ." """ Rockingham "" reached Whampoa on 23 May , and arrived at Bombay on 21 September ." 1 +Currently , the countries on the list are Iran , Syria , Sudan and North Korea . The countries currently on the list are Iran , Syria , Sudan , and North Korea . 1 +In fact , it was not Australia , but an island in Vanuatu today . In fact , it was not Vanuatu but an island in Australia present-day . 0 +Studies on male rats and rabbits have shown that inhalation of dichloroacetylene can cause focal necrosis , tubular necrosis , and other nephrotoxic effects . Studies on male rats and rabbits have shown that the inhalation of dichloroacetylene can cause tubular necrosis , focal necrosis , and other nephrotoxic effects . 1 +He established the Village of Schererville one mile north of Hartsdale . He founded the village of Schererville one mile north of Hartsdale . 1 +VMware also produces virtual appliances for Unitrends and Hyper-V , which are marketed as Unitrends Backup . VMware also produces virtual appliances for Unitrends and Hyper-V marketed as Unitrends Backup . 1 +After completing his first university education at Cardiff University and in Rouen , France , he was established in Harrogate , North Yorkshire , from 1996 to 1999 . After completing his initial university education at Cardiff University , and in Rouen , France , he was from 1996 to 1999 based in Harrogate , North Yorkshire . 1 +"The Handbook of the Birds of India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist S. Dillon Ripley , written together with Salim Ali ." "The Handbook of the Birds of India and Pakistan is the "" magnum opus "" of Indian ornithologist Salim Ali , written along with S. Dillon Ripley ." 0 +The R335 is a regional road in Somerset East , which connects Port Elizabeth from the south to South Africa via Addo to the north . The R335 is a regional road in South Africa that connects Port Elizabeth to the south via Addo with Somerset East to the north . 0 +Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an American artist and an Italian intellectual . Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an American artist and an Italian intellectual . 1 +Regionally connects MD 30 Hanover , Pennsylvania with Reisterstown and Baltimore . Regionally , MD 30 connects Reisterstown and Baltimore with Hanover , Pennsylvania . 0 +In summer , there is a regular ferry service from Holy Isle harbour to Lamlash . In summer , there is a regular ferry from Holy Isle harbour to Lamlash . 1 +On November 11 , 1999 , Kavita Krishnamurthy married Dr. L. Subramaniam of Bengaluru , Karnataka . Kavita Krishnamurthy married Dr. L. Subramaniam in Bengaluru , Karnataka on 11 November 1999 . 1 +The Harana is rooted in the Mexican-Spanish tradition and is based on the rhythmic pattern of the Habanera . The Harana is rooted in the Mexican-Spanish tradition and based on the rhythmic patterns of the habanera . 1 +The magazine was based in Paris , but was released by Gerald Duckworth and Company in London . The magazine was based in London , but was released by Gerald Duckworth and Company in Paris . 0 +Houyan is a station on Dalian Metro line 3 in the province of Liaoning , China , in the Ganjingzi district of Dalian . Houyan is a station on Line 3 of the Dalian Metro in Dalian City . It is located in the Ganjingzi District of Liaoning Province , China . 0 +Trained with Bob Bowman , coach of American swimmer Michael Phelps , at the University of Michigan . He is a childhood friend of César Cielo . Trained by César Cielo , the American swimmer coach Bob Bowman , at the University of Michigan , he is a childhood friend of Michael Phelps . 0 +"On 4 May 1898 , "" Florida "" was awarded and ordered on 11 October 1898 to Crescent Shipyard , Elizabethport , New Jersey ." """ Florida "" was ordered on May 4 , 1898 and was awarded on October 11 , 1898 to Crescent Shipyard , Elizabethport , New Jersey ." 0 +In 1937 , Peter Bischoff married Dr. Carla Spletter , who had won a gold medal in sailing at the Olympic Games in 1936 . In 1937 Peter Bischoff married Dr Carla Spletter , who had won a gold medal in sailing at the 1936 Olympic Games . 1 +Bogdanowice is a village in Poland , in Opole Voivodeship , in Głubczyce county ( Gmina Głubczyce ) . Bogdanowice is a village located in Poland , in Opole Voivodeship , in Głubczyce County ( Gmina Głubczyce ) . 1 +During this raid an anti-tank Missile boat was sunk using Egyptian M72 LAW missiles . During this raid , an Egyptian missile boat with anti-tank missiles ( M72 LAW ) was sunk . 0 +St. Augustine Governor Farris Bryant announced on 30 June the creation of a biracial committee to restore interracial communication in Florida . On 30 June , Florida Governor Farris Bryant announced the creation of a biracial committee to restore interracial communication in St. Augustine . 0 +It was also recorded by Guy Lombardo and His Royal Canadians Orchestra and the vocal group The Three Suns in the United States . It was also recorded by the Royal Canadians and His Guy Lombardo orchestra and the vocal group The Three Suns in the United States . 0 +Simon Butler ( d. 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Mathews . Simon Mathews ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Butler in 1712 . 0 +Please note that Ionia and Aeolis were not considered separate units by the Persians , while Lycia was included in semi-autonomous Caria and Sparda the offshore islands . Note that Ionia and Aeolis were not considered separate entities by the Persians , while Lycia was included in semi-autonomous Caria , and Sparda included the offshore islands . 1 +Kosmos operates in the Cayar and St. Louis blocks offshore Senegal . Kosmos operates in Cayar and St. Louis blocks offshore - Senegal . 1 +"There was later an Australian version of "" Press Your Luck "" hosted from 1987 to 1988 on Seven Network by Ian Turpie and also produced by Grundy ." "There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." 0 +He was private secretary and possibly doctor to Rodrigo Borgia , later Alexander VI and also to Innocent VIII . He was private secretary and possibly physician to Rodrigo Borgia , later Alexander VI , and also to Innocent VIII . 1 +In a game similar to SimLife , the player wants to create a new ecology for gungun colonisers . In a game similar to SimLife , the player aims to create a new ecology for Gungun colonisers . 1 +Hussain won 432 votes , and his only rival , Wajihuddin Ahmed , received 77 . Hussain secured 432 votes and his only rival Wajihuddin Ahmed received 77 . 1 +"Paul Webb explained , "" it was recorded before it was written . """ """ It was recorded before it was written "" , Paul Paul Webb explained ." 1 +In the 2015 federal election , Gidoni became elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . In the 2015 regional elections , after Tosi was marginalized by the Federal Party , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno . 0 +Sam and Russ both later refused to attend Nicole 's funeral . Later , both Nicole and Russ refused to attend Sam 's funeral . 0 +After his death , the widow of Kellow Mary Hope Kellow with her daughter Mary moved to Sydney . After his death , the widow of Kellow Mary with her daughter Mary Hope Kellow moved to Sydney . 0 +The non-abbreviated name is complete : Power DDR SDRAM , Low : Synchronous dynamic direct access memory with double data rate and low power . The complete name is Low Power DDR SDRAM , non-abbreviated : Low Power Double Data Rate Synchronous Dynamic Random Access Memory . 0 +The Appalachian Trail , a National Scenic Trail from Georgia to Maine , traverses Franconia Ridge , including Little Haystack . The Appalachian Trail , a National Scenic Trail from Georgia to Maine , passes through Franconia Ridge , including Little Haystack . 1 +The freeway was first built in Indiana in the 1960s , although plans in Michigan date back to the 1950s . The freeway was first built in the 1960s in Michigan , although the plans in Indiana date back to the 1950s . 0 +Two of these four hostels are located in Delhi , one of them in Pune and Pimpri near Mumbai . Two of these four hostels are located in Mumbai , each in Delhi and Pimpri , near Pune . 0 +A Jewish full fast takes the following night from sunset to darkness : there are two Jewish full days : A Jewish full fast lasts from sunset to darkness the following night . There are two Jewish full days : 1 +Also , he does not like the world of court and always criticizes it . He is a lead , and says two of Shakespeare 's most common monologues . He also does not like and always criticizes the world of the Court , he is a leading actor and says two of Shakespeare 's most common monologues . 1 +Bones to Ashes is the tenth novel by Kathy Reichs with forensic anthropologist Temperance Brennan . Bones to Ashes is the tenth novel by Temperance Brennan starring forensic anthropologist Kathy Reichs . 0 +Despite the worldwide fame of her Pippi illustrations , Vang Nyman did not receive as much appreciation from the publication as the author Astrid Lindgren , and she remains fairly unknown . Despite the worldwide fame of her Pippi illustrations , Vang Nyman did not receive as much recognition from the publication as author Astrid Lindgren , and remains fairly unknown . 1 +In May 1921 , the 7th Battalion was reformed in the Victoria region around a headquarters in Merbein with depots at Red Cliffs , Wentworth and Mildura . In May 1921 , the 7th Battalion was reformed in regional Victoria around a headquarters in Mildura , with depots at Merbein , Wentworth and Red Cliffs . 0 +""" Come Over "" is the second U.S. single and the second UK single from Estelle 's fifth studio album "" Shine "" ( 2008 ) ." """ Come Over "" is the second US single and the second UK single from Estelle 's fifth studio album "" Shine "" ( 2008 ) ." 1 +He was once imprisoned for gambling and subsequently enjoyed the affair with pride . He was subsequently imprisoned for gambling and once relished the affair with pride . 0 +She qualified for her second Grand Slam at the 2016 Australian Open , beating Wang Yafan in the first round before losing to Carla Suárez Navarro in the second . She qualified for her first Grand Slam at the Australian Open 2016 and struck Wang Yafan in the second round before losing Carla Suárez Navarro in the second round . 0 +A radar-equipped Vickers Wellington has been modified as one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . A radar-equipped Vickers Wellington was modified for use by the Fighter Interception Unit as one of the first Airborne Early Warning and Control ( AEW & C ) aircraft . 1 +""" Your Song "" is a 1970 song by Elton John , covered by a number of artists , including Ellie Goulding in 2010 ." """ Your Song "" is a song by Elton John dating from 1970 , backed by a number of artists , including Ellie Goulding in 2010 ." 1 +The 2014 tender is more compact due to the disappearance of the Kitzbühel , St. Johann and Ramsau venues than the 2010 project . The 2014 offer is more compact than the 2010 project due to the disappearance of the venues Ramsau , St. Johann and Kitzbühel . 1 +The company was re-established as Spacetec , which was registered on 11 December 1984 . The company was re-established as Spacetec registered on December 11 , 1984 . 1 +Bosch improved real navigation systems for driving , used social navigation to reduce driving time on the road . Improved real navigation systems from Bosch for driving , used social navigation to reduce travel time on the road . 1 +The Saul region is a dry belt of semi-open forest and patches of savanna that are more characteristic of the Guayana Lowland province . The Saul region is a semi-open belt of dry forest and savannas that are more characteristic of the province of Guayana Lowland . 0 +"The dividends have increased the real "" total "" return on average equity to the double , about 3.2 % ." The dividends have increased the total return on the average equity to double , approximately 3.2 % . 1 +Lucas Baiano , who made adverts for Perry , joined Tim Pawlenty after Pawlenty withdrew from the race . Lucas Baiano , who made commercials for Tim Pawlenty , joined Perry after Pawlenty withdrew from the race . 0 +Shortly thereafter , Gaddafi became a top military officer for Haftar . Shortly thereafter , Gaddafi became a top officer for Haftar . 1 +Stävlö or Stäflö is a castle in Sweden of Kalmar Municipality . Stävlö or Stäflö is a fortress in Kalmar Municipality of Sweden . 0 +Sukhbinder Singh Sarkaria is an Indian politician who belongs to the Punjab Legislative Assembly and is a member of the Indian National Congress and represents Raja Sansi . Sukhbinder Singh Sarkaria is an Indian politician and belongs to the Indian National Congress . He is a member of Punjab Legislative Assembly and represent Raja Sansi . 0 +He was married twice , to Annie Kowalkowski and to Elizabeth Dettlaff , and had three daughters . He was married twice to Annie Kowalkowski and Elizabeth Dettlaff , and had three daughters . 1 +Amon Düül and Amon Düül II influenced Hungarian psychedelic bands like such hardcore , 'apos ; Shaman Punk ' ; band Galloping Coroners in the late 70 's . Amon Düül and Amon Düül II influenced Hungarian psychedelic bands in late 70 's like such hardcore , 'shaman punk ' band Galloping Coroners . 1 +They also encounter twins Timmy and Tommy Reston in their Ford Mustang , who were soon invited by Keun ’ s friend to Waffle House . They soon encounter twins Timmy and Tommy Reston in their Ford Mustang , who were also invited to the Waffle House by Keun 's friend . 0 +He also spread rumors about a possible Hungarian federation , as proposed to him by Romanian landowners . He also spread rumors about a possible Hungarian -- Romanian federation , as proposed to him by Hungarian landowners . 0 +"Jamil commented that Gwen is homophobic and said he thought "" every lesbian woman was a woman waiting for the right man "" ." "Gwen commented that Jamil is homophobic , saying that he thought "" every lesbian woman was a woman waiting for the right man "" ." 0 +In 2015 , Richard Branson offered Stephen Hawking a seat on the Virgin Galactic spaceship for free . In 2015 , Richard Branson offered Stephen Hawking a seat free of charge on the Virgin Galactic spaceship . 1 +The physical topology defines how nodes in a network communicate over its logical topology . The physical topology defines how nodes in a network communicate across its logical topology . 1 +If a test function formula 2 is used to get the weak form , the final Galerkin formulation will be given after integration of parts as follows : If a test function formula 2 is used to obtain the final form , the weak Galerkin formulation is given after integration of parts as follows : 0 +Although he petitioned and was defeated , he was seated on 27 April 1785 . Although he was petitioned and defeated , he was appointed on 27 April 1785 . 1 +Only one percent of blue diamonds are of this type , and most are natural to grey . Only one percent of the blue diamonds are of this type , and most are grey to natural . 1 +He also won numerous children 's books and illustrated five times the Levstik Award for his illustrations , in 1958 , 1962 , 1967 , 1974 and 1975 . He also won numerous children 's books and illustrated the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . 1 +PATH - Service from Exchange Place runs east to the World Trade Center , to the north of the Hoboken Terminal , and west to Journal Square and Newark Penn Station . PATH service from Exchange Place runs east to the World Trade Center , north to Hoboken Terminal , and west to Journal Square and Newark Penn Station . 1 +This film - screenplay was written by Sergiu Nicolaescu and was addressed by Titus Popovici . This film screenplay was written by Titus Popovici and was directed by Sergiu Nicolaescu . 0 +The Flushing Line was opened on April 21 , 1917 by Queensboro Plaza at 103rd Street -- Corona Plaza , with a local station on 40th Street . The Flushing Line was opened on April 21 , 1917 from the 40th street to Queensboro Plaza -- Corona Plaza , with a local train station on 103rd Street . 0 +The 1987 -- 88 Toto Cup Artzit was the 4th season of the second tier League Cup since its introduction . The 1987 -- 88 Toto Cup Artzit was the second season of the 4th League Cup since its launch . 0 +Bradford is an English country house at Great Chalfield Manor , about northeast of the town of Great Chalfield on Avon in the west of the county of Wiltshire . Bradford is an English country house situated at the Great Chalfield Manor , northeast of the city of Great Chalfield on Avon in the west of the county of Wiltshire . 1 +These teams are supplied by the US Army and the US Marine Corps . These teams are provided by the US Marine Corps and the US Army . 1 +Kakachiya is a small village in the north-east of Panch Mahals District , Gujarat Taluka in Lunawada , India 8 km from Lunawada Town . Kakachiya is a small village in the north east of Panch Mahals District , Gujarat taluka in Lunawada , India 8 km away from Lunawada Town . 1 +On September 11 , 2017 , a second series of revival and the fourth series started off . A second series of the revival , and the fourth series overall , started on 11 September 2017 . 1 +It follows roughly I - 40 from Canton to Canton and the US Route 74 , also known as Great Smoky Mountains Expressway , from Asheville to Murphy . It roughly follows I-40 from Asheville to Canton and US Route 74 , also known as the Great Smoky Mountains Expressway , from Canton to Murphy . 0 +Lavoisier also conducted joint research in physical chemistry and thermodynamics in early experiments with Laplace . Lavoisier also did early research in physical chemistry and thermodynamics in joint experiments with Laplace . 0 +The MSM model can be specified both in continuous time and in discrete time . The MSM model can be specified in both continuous time and discrete time . 1 +In all the authors , the verb tends to be final in subordinate clauses more often than in main sentences . In all authors , the verb tends to be final more often in subordinate clauses than in main clauses . 1 +There she studied with Robert Morris , Carl Andre and Robert Barry and met fellow art students Tony Smith , Eugene Goossen and Ad Reinhardt . She studied with Robert Morris , Carl Andre and Robert Barry , and met her fellow art students Tony Smith , Eugene Goossen and Ad Reinhardt . 1 +Matsumoto played before for Kyoto Purple Sanga , Shonan Bellmare and Tokushima Vortis . Matsumoto previously played for Kyoto Purple Sanga , Shonan Bellmare and Tokushima Vortis . 1 +Here is a list of schools in Harford County , Maryland . Both public schools and parochial schools are listed , but independent schools are not included . Here is a list of schools in Harford County , Maryland.There are listed both public schools and parish schools , but independent schools are not included . 1 +In February 2014 , the opening ceremony for the monument for the victims of the Khojaly massacre was held in Uşak . In February 2014 , the opening ceremony for the monument to the victims of the massacre in Uşak was held in Khojaly . 0 +Scanlon defeated Wally Masur 6 -- 4 , 7 -- 6 to secure the title . Wally Masur defeated Bill Scanlon 6 -- 4 , 7 -- 6 to secure the title . 0 +After Matt falls into a magical , coma-like slumber , Elena takes on more responsibility and eventually , becomes the sheriff of Mystic Falls . After Matt fell into a magical , coma-like slumber , Elena takes on more responsibility and eventually becomes the sheriff of Mystic Falls . 1 +Mimi Sodré was a student at the Naval Academy after reading a book by Baden Powell , called Scouting for Boys , when he was interested in scouting . Baden Powell was a student at the Naval Academy when he received an interest in scouting after reading a book by Mimi Sodré named Scouting for Boys . 0 +In October 2015 , Shuli Mualem from the Knesset resigned to allow Bennett to take over his seat . In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take his seat . 1 +Belize High School is a secondary high school in Belize City , Belize . Belize High School is a high school , secondary school in Belize City , Belize . 1 +"While Quine called such logics "" inclusive "" logic they are now referred to as free logic ." "While Quine has referred to such logics as "" inclusive "" logics , they are now called free logic ." 1 +From 2007 he consistently announced that he wants to be naturalized to become Korean citizen . From 2007 , he consistently announced that he wants to be naturalized in order to become Korean citizen . 1 +Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt Music Academy in Budapest . Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Academy of Music in Budapest . 1 +Liverpool Township is located between 20 and 30 miles west of Lake Erie and approximately five miles south of Interstate 71 . Liverpool Township is between 20 and 30 miles south of Lake Erie and approximately five miles west of Interstate 71 . 0 +He also illustrated numerous children 's books and won five times the Levstik - Prize for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . He also won numerous children ’ s books and illustrated five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . 0 +Kimilili is in academic rivalry with the Friends School Kamusinga ( also Kimilili Constituency ) and the Bungoma High School of the Bungoma District . Kimilili constituency is in academic rivalry with the friends school Kamusinga ( also of Kimilili ) and Bungoma High School of the Bungoma District . 0 +With Line E of the Underground , PreMetro E2 was the first phase of the project with the construction of PreMetro E1 being the second phase . With the line E of the U-Bahn , PreMetro E2 was the second phase of the project , with the construction of PreMetro E1 being the first phase . 0 +CAVLC requires considerably less processing than CABAC to decode , although it does not compress the data so effectively . CAVLC requires considerably less processing to compress than CABAC , although it does not decode the data quite as effectively . 0 +It is hairy , branched , hollow ( except on the nodes ) and sparsely grooved . It is hairy , grooved , hollow ( except at the nodes ) , and sparsely branched . 0 +"For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." "For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." 0 +The third season was premiered on June 7 , 2010 . Like the fourth season the system of the competition was in mixed couples . The third season was premiered on 7 June 2010 , and like the fourth season was the system of competition in mixed pairs . 1 +In 1969 , after Sinclair and Atlantic Richfield Company merged , BP bought the property . In 1969 , after Sinclair and Atlantic merged Richfield Company , BP bought the plot . 1 +He learned all six tracks and wrote his parts with only three days practice before the album was recorded . He learned all six tracks and wrote his parts with only three days of exercise before the album was recorded . 1 +Brian Brian Packham has also appeared in Coronation Street as Peter . Peter Peter has also appeared as Brian Packham in Coronation Street , 0 +Eric Stanley George Graham ( baptized Stanley Graham ) ( 12 November 1900 - 21 October 1941 ) was a New Zealander who killed seven people . A Stanley Graham ( named Eric Stanley George Graham ) ( November 12 , 1900 -- October 21 , 1941 ) was a New Zealander who killed seven people . 0 +In Denmark , there has been conscription since the Viking Age , where the 110th man of every physical court had to serve the king . Since the Viking Age , there has been conscription in Denmark , where a physical man of every 10th court had to serve the king . 0 +He pitched it to several studios , but each one of them rejected it for different reasons . He presented it to different studios , but each of them rejected it for several reasons . 0 +The London Reefs are located between and in the South China Sea of the Spratly Islands . The London Reefs are located between and in the South China Sea of Spratly Islands . 1 +Their children were from his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart : By his wife , Jean , daughter of Sir Jean Stewart , Baronet and Duncan Campbell , their children were : 0 +When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy , and most Piedmontes . When Francis II died , France withdrew from Piedmont , Corsica , Scotland , Brazil , Savoy and most of Tuscany . 0 +Men and women are usually played back with the upper body and abundantly hung up with jewels . Men and women are usually played back with the upper body and richly hung with jewels . 1 +Dalton was godfather to surgeon Sir Alfred Downing Fripp . Dalton was godfather to the surgeon Sir Alfred Downing Fripp . 1 +Jerome Wiesner and Cyrus Eaton , the latter who lauded Jelinek , asked Nikita Khrushchev for help . Nikita Khrushchev asked for help from Jerome Wiesner and Cyrus Eaton , the latter who lobbied Jelinek . 0 +He spent several more years in Atlanta as a computer consultant and software engineer , then moved to New York City in 1998 . He spent several years in New York City as a computer consultant and software engineer and moved to Atlanta in 1998 . 0 +Estimates of correlations between variables are diluted by measurement defects ( weakened ) . Estimates of correlations between variables are weakened by measurement errors ( diluted ) . 1 +The Pleșa River is a tributary of the Bistra River in Romania . The river Pleja is a tributary of the River Bistra in Romania . 1 +""" Legend "" was released on DVD and Blu-ray in the United States on 25 January 2016 and in the United Kingdom on 1 March 2016 ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the UK and on March 1 , 2016 in the United States ." 0 +Jennifer 's Hope was founded by Jennifer 's mother , Elizabeth Crecente , in August 2006 . Jennifer 's hope was founded in August 2006 by Elizabeth Crecente 's mother , Jennifer . 0 +On 29 September 1849 , Queen Victoria travelled by train from Swindon to Gloucester , On September 29 , 1849 , Queen Victoria of Gloucester traveled to Swindon by train , 0 +Pete knows Brewster , who was a friend of Peter 's father . Pete knew Brewster , who was a friend of Peter 's father . 1 +We did not join the Arabs from the Jewish villages bombarding other vehicles in 1947 . In 1947 , we did not join the Arabs from the other villages that bombed Jewish vehicles . 0 +The Zăbrătău River is a tributary of the Bota Mare River in Romania . The river Zăbrătău is a tributary of the Bota Mare river in Romania . 1 +Other players played a prominent role in the launching such as Mike Caroll ( the logo ) and Tom Howard ( more men ) . Other players played a prominent role in the introduction , such as Mike Caroll ( the logo ) and Tom Howard ( more men ) . 1 +In 1855 , the Whig Party and the Anti-Nebraska Party merged into the Republican Party in New York . In 1855 , the Whig Party and the Anti-Nebraska Party merged in New York to form the Republican Party . 1 +Marian Anderson 's body was found by her sister Lolly and Danielle Santos Bernal on November 4 , 2001 . Danielle Santos Bernals Body was found on 4 November 2001 by her sister Lolly and Marian Anderson . 0 +The co-founders and Co-Artistic Directors are Sean Derry and Jaysen Mercer , Alanna Romansky is Co - Founder and Managing Director . The Co-Founders and Co-Artistic Directors are Sean Derry and Alanna Romansky . Jaysen Mercer is Co-Founder and Managing Director . 0 +Face of Evil is a 1996 TV film with Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as his daughter Jeanelle Polk . Face of Evil is a 1996 TV movie starring Jeanelle Polk as Shawnee Smith , Perry King as Russell Polk and Darcy Palmer as his daughter Tracey Gold . 0 +Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named as his honors . Sears Bay , Sears Crescent and Sears Place in Arbor Creek and Herbert S. Sears Park in Fairhaven were named in his honour . 0 +Kwarasey , born in Norway , represents Ghana at the international level . Born in Norway , Kwarasey represents Ghana at international level . 1 +However , Nick is caught by a corrupt system administrator who blackmails Steven for information for $ 50,000 . Steven is caught , however , by a corrupt systems administrator who extorts Nick for $ 50,000 for the information . 0 +The result was a victory for Labour - candidate Patrick Gordon Walker , who comfortably held the seat with a slightly higher majority with a slightly reduced turnout . The result was a victory for the Labour candidate Patrick Gordon Walker , who held the seat comfortably with a slightly increased majority on a slightly reduced turnout . 1 +In 1955 , the United Kingdom followed , in 1964 Katsuaki Asai Germany and in 1965 Hiroshi Tada Italy . The United Kingdom followed in 1955 ; Germany in 1964 by Katsuaki Asai ; and Italy in 1965 by Hiroshi Tada . 1 +The Slovak council and the Slovak national council of ministries would serve as the executive authority in Bratislava . The Slovak Council and the national Slovak Council of Ministers would serve as the executive authority in Bratislava . 1 +Gaines came to Ephraim Fletcher from New York in 1836 and settled in Van Vleet Road ( section 16 ) . In 1836 , Ephraim Fletcher came to Gaines from New York and settled in Van Vleet Road ( Section 16 ) . 0 +Seaboard was the first airline to fly a 747 Freighter service from the USA to the UK . Seaboard was the first airline to fly a 747 Freighter service to the United Kingdom from the USA . 1 +Since then , several FRC students , alumni and mentors have contributed to the project by providing feedback , creating communication protocols , and documenting Linux packages . Since then , several FRC students , alumni and mentors have contributed to the project by giving feedback , documenting communication protocols , and creating Linux packages . 0 +"His international English feature film "" Déjàvu "" with British actors premiered at the 54th International Film Festival in Locarno ." "At the 54th International Film Festival of Locarno , his British English feature , Déjàvu "" , was premiered with international actors ." 0 +Nearby places include Jacobson , Swan River , Libby , and Palisade . Ball Bluff is 10 miles north of Swan River , and 26 miles south of McGregor . Nearby are Jacobson , Swan River , Libby and Palisade , Ball Bluff is situated 10 miles south of Swan River and 26 miles north of McGregor . 0 +The destroyer reached Tokyo , Japan on August 12 , and patrolled there until September 1 , when she left for Okinawa . The destroyer reached Tokyo , Japan 12 August and patrolled there until 1 September when she departed for Okinawa . 1 +The winner of the playoffs was Blu : sens Monbús and promoted to 2011 -- 12 CB Murcia season with ACB , the champion of the regular season . The winner of the Playoffs was Blu : sens Monbús and until 2011 -- 12 CB Murcia season with ACB , the champion of regular season promoted . 1 +Robinson played High School Basketball at the Memphis Melrose High School , where one of his teammates was his professional college and future teammate , Larry Finch . Robinson played high school basketball at Memphis Melrose High School , where one of his teammates was his future college and professional teammate , Larry Finch . 0 +Sean Kandel is Chief Technical Officer and co-founder of Trifacta , along with Joseph M. Hellerstein and Jeffrey Heer . Joseph M. Hellerstein is the Chief Technical Officer and co-founder of Trifacta , along with Sean Kandel and Jeffrey Heer . 0 +He had a good advantage on Russell Prince , who was considered the stronger mountain runner , and Saggers needed a lead of 2 min 29 sec . He needed a good lead on Russell Prince , who was considered the stronger mountain runner , and Saggers had a lead of 2 min 29 sec . 0 +The weather in winter is moderately warm and cold in summer . The weather is moderately cold in winter , warm in summer . 0 +In early 1814 , Allied armies entered France , Paris surrendered , and Napoleon fell in April . In early 1814 , Allied armies invaded France , Paris fell , and Napoleon capitulated in April . 0 +Paul Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . 1 +Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the Oklahoma plains . Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent on the plain of New Mexico . 0 +"His musical imagination and his extraordinary improvisations are a joy to those who listen to him. """ His musical imagination and his extraordinary improvisations are a joy for those who listen to him . 1 +Dactylorhiza lapponica , the Lapland - swamp - Morchide , is an orchid , found in Italy , France , Scandinavia , Germany , Austria , Switzerland and the Czech Republic . Dactylorhiza lapponica , the Lapland marsh-orchid , is an orchid found in Italy , France , Scandinavia , Germany , Austria , Switzerland and the Czech Republic . 1 +A prologue , spoken by Garrick , was written by Powell . A prologue , spoken of by Garrick , was written by Powell . 1 +Constantine Giannaris ( born 1959 in Athens , Constantines Giannaris ) is a Greek film director , screenwriter and actor . Constantinos Giannaris ( born 1959 in Athens , Constantine Giannaris ) is a Greek director , screenwriter , and actor . 1 +Guido died in 1955 , and the company was led by his son Bruno Caloi until 1999 . Bruno Caloi died in 1955 , and the company was directed by his son Guido until 1999 . 0 +Wichita North High School was the second high school in the city of Wichita , completed in 1929 , Wichita East High School was the first high school.. Wichita North High School was the first high school in the city of Wichita , completed in 1929 . Wichita East High School was the second high school . 0 +Nate later reluctantly agrees that Ruth can stay for a few days . Later , Nate reluctantly agrees that Ruth can stay a few more days . 1 +"Shayne Doyle said : "" I invested a lot of money in sound equipment , I have door people and sound people to pay ." "Owner Shayne Doyle said "" I have a lot of money invested in sound equipment , I have door people and sound people to pay ." 1 +The United States Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the Eastern Australian Football League . The United States Australian Football League is an Australian rule football competition in the eastern United States of America and a division of the Eastern Australian Football League . 1 +Igor Moskvin married Tamara Nikolayevna Bratus in 1964 . In 1964 , Igor Moskvin Tamara married Nikolayevna Bratus . 0 +See also list of small groups for finite abelian groups of order 30 or less . See also a list of finite Abelian groups for small groups of order 30 or less . 0 +It is south west of Burlington , Vermont , south of Montreal , Quebec , south of Albany and north of Plattsburgh . It is southwest of Burlington , Vermont , south of Plattsburgh , south of Montreal , Quebec , and north of Albany . 0 +Phalombe is a town about 40 km northeast of Mulanje in southern Malawi . Phalombe is a town approx . 40 km northeast of Mulanje in southern Malawi . 1 +He was appointed by Robert W. Edgar as a member of the Council of the President 's Common Cause . Robert W. Edgar was appointed Member of the Council of the President 's Common Cause by Cohen . 0 +This is due to the reduction of excitatory synaptic transmission in a nucleus and the increased excitability in the motor neurons caused by nicotine activation . This is due to the reduction of nicotine transmission in a nucleus and increased excitability in the motor neurons caused by an excitatory synaptic activation . 0 +The game was announced on May 16 , when the Steam Greenlight campaign was launched . The game was launched on 16 May when Steam Greenlight campaign was announced . 0 +Trio is a collaboration album by three American artists , Dolly Parton , Linda Ronstadt and Emmylou Harris . Trio is a collaboration album by three American performers , Dolly Parton , Emmylou Harris and Linda Ronstadt . 1 +Deckard is defeated and imprisoned by Dom . Deckard is defeated by Dom and imprisoned . 1 +Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County in the north , Curtin Township to the east and Clinton County to the southeast . Burnside Township is bordered by Clearfield County to the northwest , Clinton County to the north , Curtin Township to the east and Snow Shoe Township to the southeast . 0 +It is found in Canada in North - Ontario and possibly Alberta . It is found in Alberta in northern Canada and possibly Ontario . 0 +Godella is a municipality in the Comarca Valencia , Spain , Horta Nord province . "Godella is a municipality in the "" comarca "" of Horta Nord , province of Valencia , Spain ." 0 +"The music video for "" Desire "" was edited by Claudia Wass and directed by Andy Morahan ." "The music video for "" Desire "" was directed by Andy Morahan and published by Claudia Wass ." 1 +"His role is played by Charles Fathy in Oliver Stone - Film "" W. "" and in "" The Conquest "" by Bernard Le Coq ." "His role is played by Bernard Le Coq in the Oliver Stone film "" W. "" and in "" The Conquest "" by Charles Fathy ." 0 +Crossing onto the Takhini River , mushers follow it north to the Klondike-era Overland Trail . Crossing the Overland Trail , mushers follow it north to the Klondike-era Takhini River . 0 +The following table lists all the games played by the Brazilian national team in friendly competitions and official matches during 2011 . The following table lists all the games that the Brazilian national team played in official competitions and friendly games during 2011 . 0 +Francisco Javier Mier Campillo was a Spanish bishop who , from 1814 to 1818 , was the Grand Inquisitor of Spain . Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo from Spain . 0 +The couple had their first child , Nicol , in August 2012 , and their second son Schalk Jr. was born in March 2014 . The couple had their first child in August 2012 , Nicol , and in March 2014 their second son Shalk Jr. was born . 1 +Central Italy refers to the regions of Abruzzi e Molise , Marche , Umbria , Lazio and Tuscania . Central Italy refers to the areas of Tuscania , Marche , Umbria , Lazio and Abruzzi e Molise . 1 +It was released in October 1971 in the United States , and the following month in the UK , where it received numbers 15 and 16 in the album charts respectively . It was released in October 1971 in the UK , and the following month in the US where it reached numbers 15 and 16 respectively in the album charts . 0 +She graduated in 1983 from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . In 1983 , she graduated from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . 0 +The previous record was 185 by the St. Louis Cardinals when in 1985 they lost to the Kansas City Royals . The previous record was .185 by the Kansas City Royals , when they lost to the St. Louis Cardinals in 1985 . 0 +"In 1994 , the Polish Ambassador to South Africa , Mr SCieniuch presented the "" Warsaw Insurrectionary Cross "" to Durrant 's widow ." "In 1994 , the Polish ambassador to South Africa , Mr Durrant , presented the "" Warsaw Cross of Insurrection to SCieniuch 's widow ." 0 +Between 2006 and 2011 , Nantes , Bordeaux , Rennes , Montpellier , Toulouse , and Lyon had the fastest-growing conurbations in France . Between 2006 and 2011 , Toulouse , Rennes , Montpellier , Nantes , Bordeaux , and Lyon had the fastest-growing metropolitan regions in France . 1 +Brookline was part of Pill Hill in 1844 when Boston annexed it . Pill Hill became part of Brookline in 1844 when Boston annexed it . 0 +He died on 18 June 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . He died on June 18 , 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . 0 +The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and the eighth issue , if the Metropolitan Cup is included before 2003 . The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . 0 +One example comes from the treatment of black women and transsexual women in prison . An example comes from the treatment of transsexual women and black women in prison . 1 +He died on 16 August 1850 in Clarkstown ( now New City ) , New York City . He died on 16 August 1850 in New City ( now Clarkstown ) , New York City . 0 +He reaches himself and settles under his seating cushion to confirm the presence of a dagger . He reaches himself and settles down under his seat cushion to confirm the presence of a dagger . 1 +Then his friend Cowboy , Melle Mel and The Kidd Creole recruited ( Nathaniel Glover ) . Flash then recruited his friend Cowboy , Melle Mel and The Kidd Creole ( Nathaniel Glover ) . 1 +Gurgaon is located from Gurgaon in Delhi and Sultanpur on the Dhaula Kuan - Farrukhnagar Road . Gurgaon is located from Gurgaon in Delhi and from Sultanpur on the Dhaula Kuan -- Farrukhnagar Road . 1 +The Antarctic Peninsula is an island group off the west coast of the Wilhelm Archipelago , Antarctica . The Wilhelm Archipelago is an island group off the west coast of the Antarctic Peninsula in Antarctica . 0 +This French-supported production was directed by Jean Louis Martinoty with John Eliot Gardiner , conductor and his orchestra . This French-supported production with Jean Louis Martinoty , conductor , and his orchestra was directed by John Eliot Gardiner . 0 +The music was written by Vedha and the lyrics by Kannadasan were composed . Music was composed by Vedha and lyrics were written by Kannadasan . 0 +During the intensive recultivation efforts around the Shanghai Islands in the late 1960s , many tankas were settled on the island of Hengsha and organised as fishing brigades . During many reclamation efforts around the islands of Hengsha Island in the late 1960s , intensive Tanka were settled on Shanghai and organised as fishing brigades . 0 +He also published the Imprenta Rosario where he and his family wrote and founded several newspapers . He wrote and established the Imprenta Rosario , where he and his family published several newspapers . 0 +In order to preserve Malaysia 's neutrality , the Sabres were flown to Thailand via Singapore . In order to preserve the neutrality of Malaysia , the Sabres were flown to Singapore via Thailand . 0 +His other task was to prevent even the emigration of Jewish children from Romania to British mandate Palestine ( region ) Palestine ) ) . His other task was even to prevent the emigration of Jewish children from Palestine to the British mandate of Palestine ( region ) of Romania . 0 +Early industries were built in Hughesville to serve the farmers and citizens of the eastern Lycoming County . Early industries in Lycoming County were built to serve the farmers and citizens of eastern Hughesville . 0 +She died in Abilene and was buried in Fort Worth at the municipal cemetery in Abilene . She died in Fort Worth and is buried in Abilene at the municipal cemetery of Abilene . 0 +The Mine Letneye is a large copper mine in the south-west of the Oblast Orenburg in Russia . The Letneye mine is a large copper mine located in the south-west region of Russia in Orenburg Oblast . 0 +He was moved to Vietnam , joined the Jesuit Order , and died as a martyr in Macau in 1737 . He was moved to Vietnam , joined the Jesuit Order and died in 1737 as a martyr in Macao . 1 +The first main bridge was completed in 1857 and the positioned bridge opened on 2 May 1859 by Prince Albert . The first main span was completed in 1857 and the positioned bridge was opened by Prince Albert on 2 May 1859 . 1 +I tried to buy it when Roy Abernethy ( later Michigan governor ) and George Romney were running AMC . I tried to buy it when Roy Abernethy ( later Michigan Governor ) and George Romney run AMC . 1 +The manuscript was presented to the Bishop of Imbro , Nicephorus Glykas , Eduard Reuss . The manuscript was transferred to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . 0 +Other automobile manufacturers who have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . Other car manufacturers that have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . 1 +The series was also published with some success in France , where new stories were produced in Italy after the end of the series . The series was also produced with some success in Italy , where new stories were published even after the closing of the series in France . 0 +Kumara Sambhavam is a 1969 Indian Malayalam and bilingual film ( Tamil ) , leaded and produced by P. Subramaniam . Kumara Sambhavam is a 1969 Indian Malayalam and Tamil film ( bilingual ) , produced and staged by P. Subramaniam . 1 +The stigmata are black , the first discal large , the first plical diagonally beyond the subtriangular discal . The stigmata are black , the first discal large , the subtriangular plical obliquely beyond the first discal . 0 +Leontin Florian Grozavu ( born August 19 , 1967 ) , better known as Leo Grozavu , is a former football manager and a Romanian professional football player . Leontin Florian Grozavu ( born 19 August 1967 ) , commonly known as Leo Grozavu , is a Romanian professional football manager and former football player . 0 +The Jiu River is a tributary of the Izvorul River in Romania . The river Izvorul is a tributary of the Jiu River in Romania . 0 +Colonel Ray died in 1989 and Lieutenant Colonel Koski died on New Year 's Eve , 1989 . Colonel Koski died in 1989 and Colonel Lieutenant Ray died on New Year 's Eve 1989 . 0 +Mike Altman is the director 's son , Robert Altman , and was 14 years old when he wrote the lyrics of the song . Robert Altman is the son of Mike Altman , director of the original film , and was 14 years old when he wrote the lyrics . 0 +"In later years , his poems were metaphysical and included contemporary events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." "In the later years his poems were more contemporary and contain metaphysical events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." 0 +He has previously played for North Ferriby United , Notts County , York City , Gainsborough Trinity , Matlock Town and Sheffield Wednesday . He has played for Sheffield Wednesday , Notts County , York City , Gainsborough Trinity , Matlock Town , and North Ferriby United . 1 +The current Chief Executive Officer is Beth Janson , and the Chairman of the Board is Martin Katz . The current chief executive officer is Martin Katz , and the chair of the board is Beth Janson . 0 +Speedcore - Tracks often contain elements of the early genre Hardcore and Breakcore as well as samples from Death Metal and Black Metal music . Speedcore tracks often contain elements of the early genres related hardcore and breakcore , as well as samples from death metal and black metal music . 1 +"Two volumes of the English translation of "" Monster Musume : I Heart Monster Girls "" have appeared on the "" New York Times "" Manga Best Sellers list :" "Two volumes of the English translation of "" Monster Musume : I Heart Monster Girls "" have appeared on the list of "" New York Times "" Manga Bestseller :" 1 +This temple is supposedly the second of its kind in Thiruvananthapuram , the first being the famous temple in Kerala . This temple is supposedly the second of its kind in Kerala , the first of which is the famous temple in Thiruvananthapuram . 0 +D. The intellectual and moral life of Catholic students through religious education , social activities and cultural participation to promote and develop . D. To foster and develop the intellectual and moral life of Catholic students through religious education , cultural activity and social participation . 0 +In 2014 , Huston Smith was published an authorized biography of Sawyer . In 2014 , Sawyer 's authorized biography of Huston Smith was published . 0 +However , mice with a single copy of the non-working TWIST - Gens survived . However , mice with a non-working copy of the single TWIST gene survived . 0 +In 1930 , it was acquired by American Airlines to become AVCO . It was acquired by AVCO American Airlines in 1930 . 0 +Dye rode after eight years in Mauritius , Hong Kong . Dye rode in Hong Kong in Mauritius after eight years . 0 +Herbert and Alessandro Giannessi and João Sousa defeated Maxime Teixeira 6 -- 4 , 6 -- 3 in the final . In the final , Herbert and Maxime Teixeira defeated Alessandro Giannessi and João Sousa 6 : 4 , 6 : 3 . 0 +Aphonopelma catalina is a species of spiders in the Theraphosidae family , found in the United States ( Arizona ) . Aphonopelma catalina is a species of spiders in the family Theraphosidae , found in United States ( Arizona ) . 1 +"As reported by Count Harrach , Franz Ferdinand 's last words were "" Sophie , Sophie !" "Franz Ferdinand 's last words , as reported by Count Harrach , "" Sophie , Sophie !" 1 +He has two elder brothers and one younger brother . He has two elder and one younger brother . 1 +It is in Otsego Township in Steuben County , and in DeKalb County it is in Franklin Township . In Franklin Township , it is in DeKalb County and in Steuben County it is in Otsego Township . 0 +A mass ceremony was held that night , and prayers were conducted until dawn . That night , a mass ceremony was held , and prayers were kept until dawn . 1 +Major General Francis Okello replaced Major General Nathan Mugisha as commander of AMISOM on 7 July 2009 . On 7 July 2009 , General Major Francis Okello was replaced as Commander of the AMISOM by General Major Nathan Mugisha . 0 +President Lincoln had only a vague knowledge of his Berks County ancestors , believing that they were Quakers from Pennsylvania . President Lincoln had only a vague knowledge of his ancestors from Berks County , believing that they were Quakers from Pennsylvania . 1 +Feliciano Centurión was a Paraguayan painter ( 29 March 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) . Feliciano Centurión ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) was a Paraguayan painter . 0 +In Ramadi , the 2nd BCT of the 28th Infantry Division focused on controlling the main roads and protecting the governor and government center . The 2nd BCT of the 28th Infantry Division focused in Ramadi on protecting the main roads and controlling the governor and the government center . 0 +Route 130 leads north to Olney and east to Grayville , while Route 15 leads to the west of Fairfield and south to Mount Carmel . Route 130 leads north to Olney and south to Grayville , while Route 15 leads to the east to Mount Carmel and west to Fairfield . 0 +Ralph encouraged Maurice in mathematics and chess play . Ralph encouraged Maurice in mathematics and chess . 1 +"On 9 July , during their fifth line period , LCDR John B. Nichols "" Ticonderoga "" first MiG - Kill claimed ." "On 9th July , during her first line period , LCDR John B. Nichols claimed "" Ticonderoga 's "" fifth MiG kill ." 0 +In 1944 it was donated to the Santa Maria Valley Railroad , and in 1958 it was sold to the Travel Town museum in Los Angeles , California . In 1944 , it was donated to Santa Maria Valley Railroad and sold in 1958 to the Travel Town Museum in Los Angeles , California . 1 +"While there , Anna Wallner met Matisic and created "" The Shopping Bags "" concept ." "There , Matisic met Anna Wallner and created the concept "" The Shopping Bags "" ." 0 +On 30 August 2017 , the Chicago Red Stars Brian acquired from Dash for Kristie Mewis . On August 30 , 2017 , the Chicago Red Stars acquired Kristie Mewis from Dash für Brian . 0 +It has received condemnation from various politicians and Indian Internet users . It received condemnation from various politicians and Indian Internet users . 1 +""" Mound City "" was sold to W. K. Adams at an auction in Tuscumbia on November 29 , 1865 ." """ Tuscumbia "" was sold on November 29 , 1865 at an auction in Mound City to W. K. Adams ." 0 +These TBMs used were then buried to provide an electrical mass . These buried TBMs were then used to provide an electrical earth . 0 +"In 1925 , Percy Hansen and Bryon Hansen bought the "" Jamestown Alert "" by William Kellogg ." "Percy Hansen and Bryon Hansen bought the "" Jamestown Alert "" in 1925 from William Kellogg ." 1 +Coifs date from the 10th century , but fell out of popularity with men in the 14th century . Coifs date from the 14th century , but in the 10th century men fell out of popularity . 0 +Ali Adil Shah II was a leading court figure during the reign of Afzal Khan of the Bijapur Sultanate . During the reign of Afzal Khan of the Bijapur Sultanate , Ali Adil Shah II was a leading hoffigur . 0 +"Carter Brown referred to Rhodes Tavern as "" the missing tooth in the smile of 15th Street "" ." "J. Carter Brown referred to Rhodes Tavern as : "" the missing tooth in the smile of 15th Street . """ 1 +In addition to Diana Hubbard , the album includes musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker , and Patrick Moraz . In addition to Michael Boddicker and Patrick Moraz , the album includes musical contributions by Diana Hubbard , John Goodsall , Chick Corea , Stanley Clarke . 0 +He played for the Kansas City Royals for ten games during the 1991 Kansas City Royals season and four games during the 1992 Chicago Cubs season . He played for the Kansas City Royals for ten matches during the Kansas City Royals season in 1991 and four games during the Chicago Cubs season of 1992 . 1 +Pat died in 1988 , and Yvonne died in 2007 . Pat and Yvonne died in 2007 in 1988 . 0 +Sharifah Aini was born on July 2 , 1953 in Kampung Melayu Majidee , Johor Bahru , and grew up in Johor Bahru , Johor Bahru , Sultanah Aminah Hospital . Sharifah Aini was born on 2 July , 1953 , at Kampung Melayu Majidee , Johor Bahru , and grew up in the Hospital Sultanah Aminah , Johor Bahru , Johor . 1 +Kennell was born in Dunedin , Florida . She spent her early years going back and forth between the Rockies and Colorado Springs , Colorado . Kennell was born in Dunedin , Florida , and spent her early years between the Rockies and Colorado Springs , Colorado . 1 +He meets Kekesfalva 's paralyzed daughter Edith and develops for her subtle affection and deep sympathy . He meets Kekesfalva 's paralyzed daughter Edith and develops deep affection and delicate compassion for her . 0 +The Square was opened by President Choummaly Sayasone and Lao President Alexander Lukashenko on July 2 , 2013 , during a ceremony on the square . The place was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on 2 July 2013 during a ceremony at the square . 0 +In a universal legend Vikramaditya has 32 marks on his body , a characteristic of medieval Tamil emperors . In a medieval Tamil legend , Vikramaditya has 32 marks on his body , a property of the universal emperors . 0 +A reference to the epic image also appears in the late ( about 400 AD ) poet Nonnus : A reference to the Odyssean image also appears in the late ( c. AD 400 ) epic poet Nonnus : 0 +Perigea bahamica is a moth in the family Noctuidae . It is collected on the Bahamas . The species was found in Monroe County , Florida , in 2012 . Perigea bahamica is a moth in the family Noctuidae It is found in the Bahamas The species was collected in Monroe County , Florida , in 2012 . 0 +On December 18 , Shawn received Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . December 18 : Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . 0 +Segura ( also known as Diego ) was a Marcilla and Isabel , one Juan Martinez . Juan Martinez ( also known as Diego ) was a Marcilla and Isabel a Segura . 0 +""" Little Me "" was written by Sid Caesar and Neil Simon played ." """ Little Me "" was written by Neil Simon and Sid Caesar ." 0 +Then it carried the NBC Blue Network and stayed with that service when it became ABC . Then it carried the NBC Blue Network and stayed with this service when it became ABC . 1 +"Quetzalcoatl 's father Mixcoatl was murdered , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father , Apanecatl , Zolton , and Cuilton were "" ." "Quetzalcoatl 's father Zolton was murdered , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father , Apanecatl , Mixcoatl and Cuilton were "" ." 0 +Eleanor Beauchamp ( 1437 -- 1474 ) was a daughter of Edmund Beaufort , 2nd Duke of Somerset and Lady Margaret Beaufort . Margaret Beaufort ( 1437 - 1474 ) was a daughter of Edmund Beaufort , 2nd Duke of Somerset and Lady Eleanor Beauchamp . 0 +This process is the photographic equivalent of a cylindrical map projection in cartography . This process is the photographic equivalent of a cylindrical card projection in cartography . 1 +Gimnasia y Esgrima ( LP ) won with 3 -- 2 and stayed in the Primera División . Gimnasia y Esgrima ( LP ) stayed at 3 -- 2 and won in the Primera División . 0 +This American fundamental principle of equality is essential to the political and legal convictions of Republicans , Democrats , Liberals , and Conservatives alike . This bedrock political and legal principle of equality is central to the American convictions of Republicans , Democrats , liberals , and conservatives alike . 0 +"In "" Suicide Squad "" ( 2016 ) , Harley Quinn twice wore the batsuit in the film , where he captured deadshot and bruce ." "In "" Suicide Squad "" ( 2016 ) , Harley Quinn wore the Batsuit again twice in the film where he captured Deadshot and Bruce ." 1 +As a superintendent of the police , he served in Salem from 1982 to 1983 , and from 1983 to 1985 in Dharmapuri . As Superintendent of Police , he served in Dharmapuri from 1982 to 1983 and Salem from 1983 to 1985 . 0 +The vaults are Mesopotamian in design and Coptic and Byzantine elements appear in the decorative carving . The vaults are mesopotamian in design and decorative elements appear in the Coptic and Byzantine carvings . 0 +Pledged initially to the lords of Compey , thus , the Château de Sales also came to the keeping of the princes of Luxembourg . Also pledged to the Lords of Compey , the Château de Sales initially came to the reign of the princes of Luxembourg . 0 +La Tempestad ( International Translation : The Storm , called by Televisa The Storm ) is a 2013 Mexican telenovela by Salvador Mejía Alejandre for Univision produced . La tempestad ( International translation : The Tempest , dubbed The Storm by Univision ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Televisa . 0 +I tried to buy it when Roy Abernethy ( later Michigan Governor ) and George Romney run AMC . I 've tried to buy it when George Romney ( later governor of Michigan ) and Roy Abernethy AMC were running . 0 +They were formed in January 1961 to replace the Trail Smoke Eaters who traveled to Europe to represent Canada at the 1961 World Ice Hockey World Championships . They were formed in January 1961 to replace the Trail Smoke Eaters who traveled to Europe to represent Canada at the 1961 World Ice Hockey Championships . 1 +Sumner Slichter was the brother of geophysicist Louis B. Slichter , father of physicist Charles Pence Slichter , and the grandfather of musician Jacob Slichter . Sumner Slichter was brother of the geophysicist Louis B. Slichter , father of the physicist Charles Pence Slichter and the grandfather of the musician Jacob Slichter . 1 +The beta - dose acute effects of dependent radiation on the skin are as follows : The beta Dose Acute effects of dependent radiation on skin are as follows : 1 +The band consisted of Anders Hector , Claes Bure , Peter Börk , Peter Forbes , Roger Capello and Chino Mariano . The band comprised Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector and Chino Mariano . 1 +"Tanhaiyan Naye Silsilay 's title song "" Hain Yeh Silsilay "" is composed by Zoe Viccaji , sung by Shahi Hasan and lyrics by Shani Haider ." "The title song "" Hain Yeh Silsilay "" by Tanhaiyan Naye Silsilay is sung by Zoe Viccaji , composed by Shani Haider and the lyrics of Shahi Hasan ." 0 +""" Sex with Me "" was supported by Chris Galland at Larrabee Studios in Universal City , California , and was mixed by Manny Marroquin and Ike Schultz ." """ Sex with Me "" was mixed by Manny Marroquin at Larrabee Studios in Universal City , California and was assisted by Chris Galland and Ike Schultz ." 0 +It was acquired by American Airlines in 1930 to become AVCO . In 1930 , it was acquired by AVCO to become American Airlines . 0 +As a political movement , the national Bolshevism ( Nazbol ) combines elements of radical nationalism ( particularly Russian nationalism ) and Bolshevism . National Bolshevism ( Nazbol ) as a political movement combines elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . 0 +In 1859 , William and Elizabeth died the following year . Elizabeth died in 1859 and William died the following year . 0 +The song became the first song of the main characters , Catherine ( Kristin Kreuk ) and Vincent ( Jay Ryan ) . The song became the first theme song of the main characters , Vincent ( Jay Ryan ) and Catherine ( Kristin Kreuk ) . 1 +After his death , the widow of Kellow Mary Hope Kellow with her daughter Mary moved to Sydney . After his death , Kellow 's widow Mary Hope Kellow moved to Sydney with her daughter Mary . 1 +Predrag Stevanović ( born 3 March 1991 ) is a Serbian footballer who plays for Wattenscheid 09 . He is an older brother of Aleksandar Stevanović . Predrag Stevanović ( born March 3 , 1991 ) is a Serbian footballer who plays for Wattenscheid 09 , an elderly brother of Aleksandar Stevanović . 1 +As a result , the southern areas of the county have a strong Oceanic climate with humid continental influences . As a result the southern areas of the county has a humid continental climate with strong oceanic influences . 0 +In 1873 , Henrietta Anne Armstrong married Charles Francis Constantine , one of his sons , Constantine , who became the XI commander at RMC , Kingston . In 1873 , Henrietta Anne Armstrong married Charles Francis Constantine . One of his sons , Constantine , became the XI Commandant at RMC , Kingston . 1 +Jo was grateful until Lee Naylor Andy caught him damaging the washing machine . Jo was grateful until Lee Naylor caught Andy damaging the washing machine . 0 +Mhasad is a village in Dahanu - district of Maharashtra , India . It is located in the Palghar Taluka . Mhasad is a village in the Palghar district of Maharashtra , India . It is situated in Dahanu Taluka . 0 +It is located about five miles northwest of Jerseyville and about seven miles southeast of Godfrey along US Highway 67 . It is located about five miles northwest of Jerseyville and about seven miles southeast of Godfrey along the US Highway 67 . 1 +Thorleif Paus served as a Norwegian consul in Vienna , owned two factories and became owner of the castle Kvesarum in Sweden . Thorleif Paus served as Norwegian consul-general in Sweden , owned two factories and became owner of Kvesarum Castle in Vienna . 0 +Robertson is a railway station in Robertson , Moss Vale , on the railway line Unanderra - New South Wales . Robertson is a railway station in Robertson , New South Wales , on the railway line Unanderra - Moss Vale . 0 +At executive level , EEAA represents the central arm of the ministry . EEAA represents the executive branch of the Ministry at the central level . 0 +"On 18 November 2010 Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." "On 18 November 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project on the label ." 0 +Bryant was born in Melbourne and attended Firbank Girls ' Grammar School in Perth , Western Australia . Bryant was born in Melbourne and attended Firbank Girls ' apos ; Grammar School in Perth , Western Australia . 1 +Black Black Lake drains Grass Lake and flows north before emptying in Grass Creek , near Rossie , New York . Grass Creek drains Grass Lake and flows north before emptying into Black Lake near Rossie , New York . 0 +Harry , the brother of Ted Cordner , and his cousins Alan Cordner and Larry Cordner , played also Senior VFL Football . "Harry 's brother Ted Cordner , and his cousins Alan Cordner and "" Larry "" Cordner , also played senior VFL football ." 0 +Two quasi-similar C contractions have the same function and hence the same minimal spectrum . Two quasi-similar C contractions have the same function and thus the same minimal spectrum . 1 +During the 1745 uprising it was again held by Jacobites and visited twice by Bonnie Prince Charlie . During the 1745 uprising it was again held by Jakobites and visited twice by Bonnie Prince Charlie . 1 +""" Almost every poem by Amichai is a statement about the general human state "" and Amichai is always a particular poet in a philosophical sense ." """ Almost every poem by Amichai is a statement about the general human condition "" and Amichai , in a philosophical sense , is always a certain poet ." 1 +Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on 19 February 1970 . Gérard Depardieu was born to a wealthy Parisian family and married Lucie Guignot , Élisabeth Dominique , on February 19 , 1970 . 0 +He joined the Canadian Fencibles in Quebec in 1803 and came to Scotland with them in 1805 . He joined the Canadian Fencibles in Scotland in 1803 and joined them in 1805 to Quebec . 0 +Over the course of his five seasons he played mostly as a half back and half forward . Over the course of his five seasons , he usually played back and half forward as half . 1 +This most commonly affects the small joints ( knees , ankles , elbows , and wrists ) , but may also involve the large joints of the hands and feet . This most commonly affects small joints ( knees , ankles , elbows and wrists ) , but also the large joints of the hands and feet . 1 +"The Charge Spear is a large spear that can be "" charged to form a sharpened organic blade that can be used to strike enemies ." "The Charge Spear is a large spear that can be "" sharpened "" to form a charged organic blade that can be used to stab foes ." 0 +In 2014 , Huston Smith 's authorized biography was published by Sawyer . In 2014 , Huston Smith 's authorized biography of Sawyer was published . 1 +Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on a free transfer on 12 July , 2002 , as backup to Evans . Sheffield Wednesday signed Evans from Huddersfield Town on July 12 , 2002 as a backup to Kevin Pressman . 0 +Thomas Vesey , 1st Viscount de Vesci ( died 13 October 1804 ) was an Irish-Anglo peer . Thomas Vesey , 1st Viscount de Vesci ( died 13 October 1804 ) was an Anglo-Irish colleague . 0 +"The two singles "" Lips to Find You "" and "" Love Me Down Easy "" were released ." "Two singles , "" Lips to Love You "" and "" Find Me Down Easy "" , were released ." 0 +In 1828 , Yeoman 's Laetitia Snyder of Albany married , with whom he had two daughters and three sons . Laetitia Snyder married Yeomans of Albany in 1828 , with whom he had two daughters and three sons . 0 +The River Colnici is a tributary of the River Borcut in Romania . The Colnici River is a tributary of the Borcut River in Romania . 1 +Jequié is rich on Iron Ore , so it is very hot during the day , and cold at night . Jequié is rich in iron ore so that it is very hot during the day and cold at night . 1 +Two villages are located in Portage : a part of Jerry City in the south and part of Portage township in the northwest . In Portage township there are two villages : part of Jerry City to the south and part of Portage in the northwest . 0 +In 1960 , Ardley married Bridget Gantley , the couple had a daughter , in 2003 he married Vivian Wilson and died in Milford , Derbyshire . In 1960 , Ardley married Vivian Wilson , and the couple had a daughter , he married Bridget Gantley in 2003 and died in Milford , Derbyshire . 0 +Beth later turns the machine off and Robbie is shocked but understanding . Later Beth switched off the machine and Robbie is shocked but understanding . 1 +Monica Mæland , Minister for Trade in Norway , led a delegation of 54 companies to Kenya in September 2015 . Norway 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Kenya in September 2015 . 1 +Parallel world , which seems to them more favorable than real . The real world , which seems more favorable than parallel to them . 0 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and the United Alkali Company in 1926 to found Imperial Chemical Industries . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries in 1926 to join the United Alkali Company . 0 +In 1992 , Perence Shiri was replaced by Tungamirai as the air force commander . In 1992 Perence Shiri was replaced by Tungamirai as Air Force commander . 1 +He finished his NFL career in the division of the season between Seattle Seahawks and the New York Giants . He finished his NFL career in , splitting the season between the New York Giants and the Seattle Seahawks . 1 +Eudes was vehemently opposed to the peace negotiations undertaken by the new Republican government of Adolphe Thier . Adolphe Thiers was vehemently opposed to the peace negotiations undertaken by the new republican government of Eudes . 0 +However , before he could leave for Louisiana and his new headquarters , he died in an epidemic of yellow fever that swept through southeast Texas . However , before he could leave Louisiana and his new headquarters , he died in an epidemic of the yellow fever that swept through southeast Texas . 1 +Air Niugini served her Boeing 707 from Auckland to Hong Kong via Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini operated their Boeing 707 from Auckland to Hong Kong via Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . 1 +It began on Social Esportiva Vitória , then went to the Fabriciano and was loaned to other clubs and various Ceará , before returning in mid- 2010 to Ceará . It began on Social Esportiva Vitória , then went to the Fabriciano and was borrowed to various clubs and other Ceará before returning to Ceará in mid 2010 . 1 +In 2017 , Will Hammer candidated in the 20th district , Michael Millner in the 22nd district , and Terry Hurst in the 89th district . Candidates running in 2017 include Will Hammer , in the 20th district ; Michael Millner in the 22nd district ; and Terry Hurst in the 89th district . 1 +Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Birmingham . Born in 1783 in Birmingham as second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . 0 +He moved to Illinois in 1891 and settled in Ottawa . He moved to Illinois and settled in Ottawa in 1891 . 1 +The 2002 National Football League season was the team 's 27th season with the Seattle Seahawks . The 2002 National Football League season was the 27th season of the Seattle Seahawks team . 1 +These include the Union of European Federalists , the European Federalist Party and the European International Movement . These include the Union of European Federalists , the European Movement International and the European Federalist Party . 1 +It is ( covered ) by the integument , deep fascia , Platysma and superficial fascia . It is covered by the integument , deep fascia , the platysma and the superficial fascia . 1 +( Zhu Zhen then changed his name to Zhu Youzhen . ) ( Zhu Youzhen changed his name to Zhu Zhen . ) 0 +Two of these four hostels are located in Mumbai , each in Delhi and Pimpri , near Pune . Two of these four hostels are located in Mumbai , one each in Delhi and Pimpri near Pune . 1 +He was inherited among the leaders in stranded runners at 51 . He was stranded by 51 among the leaders in inherited runners . 0 +In 1963 , Janet married Lloyd Ayliffe and had two children . Ayliffe married Janet Lloyd in 1963 and had two children . 0 +We sailed on the boat at the port of Ripa on the Tiber and embarked on . We sailed on the boat at the port of Ripa on the Tiber and laid . 1 +The rapidly expanding field of landscape ecology utilizes the basic aspects of spatial ecology in its research . The rapidly expanding field of the landscape ecology uses the spatial aspects of basic ecology in its research . 0 +"The song was performed on February 8 , 2008 on "" Friday Night with Adele "" and during the show on 18 October 2008 on "" Saturday Night Live "" ." "Jools Holland performed the song on "" Friday Night with Adele "" on 8 February 2008 and on "" Saturday Night Live "" during the 18 October 2008 show ." 1 +The paper reports on business , politics , developments in corporate and labour law , commercial news and features . The newspaper reports on business , politics , developments in corporate and labour law , commercial news and features . 1 +Wesley Enoch , the oldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of Queensland - Minister Leeanne Enoch . Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of the Minister of Queensland , Leeanne Enoch . 0 +El Marsa District is a district of Chlef Province , Algeria . El Marsa District is a district in the province of Chlef , Algeria . 1 +Biswas was married to Jyotsna Biswas . They had a daughter Aruna Biswas . She was married to Jyotsna Biswas , they had a daughter Aruna Biswas . 1 +It was a finalist for the 2002 Sidewise Award for best long-form alternate history , and the 2003 John W. Campbell Memorial Award . It was a finalist for the 2002 Sidewise Award for the best alternative history and the John W. Campbell Memorial Award 2003 . 0 +The definition can be extended as follows to standard or nonstandard points ( arbitrary ) : The definition can be extended as follows to any ( standard or non-standard ) points : 1 +"Religious Institute -- "" a society in which members ... take off public vows ... and lead a common life of brothers or sisters "" ." "Religious Institute -- "" a society in which members ... pronounce common vows ... and lead a life of brothers or sisters in the public "" ." 0 +On 7 June he won the postponed Superstock TT race , his 16th TT victory and 27th podium . On 7 June he won the postponed Superstock TT race , his 27th TT victory and the 16th podium . 0 +McCartney received his award from Griggs at a dinner in London . McCartney got his award from Griggs at a dinner in London . 1 +The ship visited Okinawa during the second September week and spent the rest of the month in Guam in the Marianas . The ship visited Guam during the second week in September and then spent the rest of the month at Okinawa in the Marianas . 0 +Jonas Björkman and Todd Woodbridge won in the final 6 -- 3 , 6 -- 4 , against Wayne Black and Kevin Ullyett . Wayne Black and Kevin Ullyett won against Jonas Björkman and Todd Woodbridge in the Finals 6 : 3 , 6 : 4 . 0 +The cephalothorax of the male is coloured black and that of the female is brownish . The cephalothorax of the male is black in colour and that of the female is brownish . 1 +Bhilai Airport is located in Bhilai , Chhattisgarh , India . Bhilai is located at Bhilai Airport , in Chhattisgarh , India . 0 +Pate also left property in Oxford to Corpus Christi . Pate also left Oxford property in Corpus Christi . 0 +In 2008 , the college section was introduced and the government was renamed the school Chittagong Collegiate School 'College . In 2008 , the college section was introduced and Chittagong Collegiate School renamed the school Government & College . 0 +The song was composed and written by Gilles Thibaut . The song was written by Gilles Thibaut and composed by . 0 +East of Petersville , US 340 has a diamond interchange with MD 180 and crosses Catoctin Creek . US 340 east of Petersville crosses a diamond exchange with MD 180 and has Catoctin Creek . 0 +From 1516 , the Mundy family had the manor of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . The Mundy family owned the Manor of Allestree from 1516 until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . 1 +The Roblin Centre is a building energy management system and has the largest C-2000 * The Roblin Centre has a building energy management system and is the biggest C-2000 * * 0 +On December 30 , 1888 , she married Susie J. Clarke in Ayer , Massachusetts . Susie J. Clarke married Brown in Ayer , Massachusetts , on December 30 , 1888 . 1 +Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint meeting to declare nominations and to compare the result . Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint session to compare the nominations and explain the result . 0 +The system required the user to encode the quasi-phonetic spelling first into a default rendering . The system required the user to first encode the standard spelling into a quasi-phonetic rendering . 0 +Miguel Ángel Virasoro ( born Argentina in 1940 ) is an Argentine physicist who has done most of his work in Italy . Miguel Ángel Virasoro ( ; born 1940 in Italy ) is an Argentine physicist who has done most of his work in Argentina . 0 +Lake Junaluska is named after nearby Mount Junaluska ( now North Eaglenest Mountain ) , which in turn was named after Chief Junaluska , a Cherokee leader . The North Eaglenest Mountain is named after the nearby Mount Junaluska ( now Lake Junaluska ) , which was in turn named after Chief Junaluska , a leader of the Cherokee . 0 +In the first round of the tournament , Baker defeated Sean Loeffler via TKO at Bellator 16 . In the first round of the tournament , Baker defeated Sean Loeffler in Bellator 16 via TKO . 1 +The body is white , the limbs and fingers are black and the tail is long . The body is white , limbs and fingers are black and the tail is long . 1 +The last surviving independent local company , Wright Son , led a service from Penycae to Wrexham via Rhos and later also through Ponciau . The last surviving independent local company , Wright & Son , ran a service from Penycae to Wrexham via Rhos , and later via Ponciau also . 1 +Robert Biddulph sat for Hereford as a member of the parliament between 1832 and 1837 and served as the judiciary of the peace and deputy lieutenant of Herefordshire . Robert Biddulph sat as Member of Parliament for Hereford between 1832 and 1837 and also served as a Justice of the Peace and Deputy Lieutenant of Herefordshire . 1 +In Lagrangian mechanics , the generalized coordinates form a discrete set of variables that define the configuration of a system . In generalized mechanics , the lagrange coordinates form a discrete set of variables that define the configuration of a system . 0 +Fiat - Money can be accidentally damaged or destroyed if it is physically displayed in the form of currency ( paper or coins ) . Fiat money , if accidentally represented in the form of currency ( paper or coins ) can be physically damaged or destroyed . 0 +Sarah Stiles died in 1862 and Breck married Jane Breck in 1864 . Three years later he moved to Benicia , California to build another two institutions . In 1862 , Breck died , and Breck married Sarah Stiles in 1864 , and three years later he moved to Benicia , California , to build two other institutions . 0 +The local intradermal injection of botulinum toxin is helpful in chronic focal painful neuropathies . Local intradermal injection of botulinum toxin is helpful in chronic focal painful neuropathies . 1 +"At 10 : 59 AM the last ship element of the 2nd Battalion 4th Marines left the zone and the last helicopter landed at 12 : 15 on the USS "" Okinawa "" ." "At 10 : 59 AM the last element of the 2nd Battalion 4th Marines left the zone and the last naval helicopter landed at 12 : 15 on the USS "" Okinawa "" ." 0 +The males are typically long but are sometimes too long and wide . The males are typically long and broad , but are sometimes up to long and wide . 0 +The mixed 10 meters - air rifle susceptible SH2 - event at the summer - Paralympics 2008 took place on 9 September at the Beijing Shooting Range Hall . The mixed 10 metre air rifle prone SH2 event at the 2008 Summer Paralympics took place on September 9 at the Beijing Shooting Range Hall . 1 +His birth certificate records his name as Carmen Erminio Blotta , but his Argentine identity documents are instead Erminio Antonio Blotta Mainieri . His birth certificate records his name as Carmen Erminio Blotta , but his Argentine identity papers have Erminio Antonio Blotta Mainieri instead . 1 +Ilya Dolgov currently lives and works under St. Petersburg in Kronstadt . Ilya Dolgov currently lives and works in Kronstadt , under St Petersburg . 1 +Solomons was born in Thorpe Bay and brought up with his four siblings in Orsett , Essex by his mother and father . Solomons was born in Thorpe Bay and grew up with his four siblings in Orsett , Essex , his mother and father . 1 +Ma Smith is a widow with two children of her own : Will and Dora Smith . Dora Smith is widow with two of her own children : Will and Ma Smith . 0 +Pura Khana is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Pura Khana is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 1 +It is located on the historic Natchez Trace , at mile marker 180.7 on the modern Natchez Trace Parkway in Mississippi , USA . It is located on the modern Natchez Trace , Mile 180.7 at the historic Natchez Trace Parkway in Mississippi , USA . 0 +Fallout 3 is an action role-playing game open world video game developed by Bethesda Game Studios and published by Bethesda Softworks . Fallout 3 is an action role-playing open world video game developed by Bethesda Softworks and published by Bethesda Game Studios . 0 +The sandwich is particularly popular in New England and has been proposed as the official sandwich of Massachusetts . The sandwich is particularly popular in Massachusetts and has been proposed as the official state sandwich of New England . 0 +"A book by Scott Hallsworth , "" The Japanese Foie Gras Project "" was published in 2007 , and contains a forward by Nobuyuki Matsuhisa ." "A book by Nobuyuki Matsuhisa , "" The Japanese Foie Gras Project "" , was released in 2007 and contains a presentation by Scott Hallsworth ." 0 +As a first year in 2011 , she appeared in 22 games and started in 23 out of the 24 total matches . As the first year 2011 she appeared in 22 games and started in 23 out of a total of 24 games . 1 +The first cosmonaut was Soviet Air Force pilot Yuri Gagarin , also the first person in space . The first cosmonaut was the Soviet air force pilot Yuri Gagarin , also the first person in space . 1 +Alworth was elected in the eighth round ( first overall victory ) of the NFL - draft in 1962 by the San Francisco 49ers . Alworth was elected in the first round ( eighth overall ) of the NFL - draft in 1962 by the San Francisco 49ers . 0 +Capitán Jorge Osvaldo García successfully ejected but was not recovered . Capitán Jorge Osvaldo García was successfully ejected , but could not be recovered . 1 +The 1966 Cleveland Browns season was the 17th season of the team with the National Football League . The 1966 National Football League season was the 17th season of the team with the Cleveland Browns . 0 +William Good , another Jesuit from England , joined Daniel soon , though she had a turbulent relationship . Another Jesuit from England , Daniel joined William Good soon after , though they had a turbulent relationship . 0 +In the House of Representatives all 9th district of California and parts of its 3rd , 6th and 7th Congressional Districts in the county are . In the House of Representatives , all of California 's 7th congressional district and portions of its 3rd , 6th , and 9th districts are in the county . 0 +"Weegee 's aesthetics formed the foundation for Hellinger 's film "" The Naked City "" in 1948 ." "In 1948 , Weegee 's aesthetic formed the foundation for Hellinger 's film "" The Naked City "" ." 1 +The combination of warm surface waters and cold , deeper waters supports a high biodiversity . The combination of cold surface waters and warm deeper waters supports a high level of biodiversity . 0 +In Steuben County , it is in Otsego Township , and in DeKalb County it is in Franklin Township . In duty County it is in Otsego Township , and in the DeKalb County it is in Franklin Township . 0 +I tried to buy it when George Romney ( later Michigan governor ) and Roy Abernethy were running AMC . I 've tried to buy it when George Romney ( later governor of Michigan ) and Roy Abernethy AMC were running . 1 +The Legacy of the Aldenata , also known as the Posleen War Series , is the military universe of one of John Ringo 's fictional science fiction series . The legacy of the Aldenata , also known as the Posley War Series , is the fictional universe of one of the military science - fiction - series by John Ringo . 0 +Kiss Country plays a mix of modern and older country music , with greater emphasis on current artists . Kiss Country plays a mix of modern and older country music , with more emphasis on current artists . 1 +Frank Herzberg Trio is a contemporary Brazilian jazz trio , consisting of the bassist Zé Eduardo Nazario , drummer Frank Herzberg and pianist Alexandre Zamith . The Frank Herzberg Trio is a contemporary Brazilian jazz trio that consists of bassist Frank Herzberg , drummer Zé Eduardo Nazario , and pianist Alexandre Zamith . 0 +Son of Robert Gueudet and Arlette ( née Vigot ) . Married to Brigitte Trogneux whose sister Monique Trogneux is married to President of France Emmanuel Macron . Son of Robert Gueudet and Arlette ( nee Vigot ) , married to Monique Trogneux , whose sister Brigitte Trogneux is married to Emmanuel Macron , the president of France . 0 +In 1981 , Freleng and DePatie sold Warner Bros. to Marvel Comics , and Freleng returned to DFE Films In 1981 , Freleng and DePatie sold DFE movies to Marvel Comics and Freleng returned to Warner Bros . 0 +Roger is kidnapped and Frankie is lured to the same isolated cottage by Bobby . Bobby is kidnapped and Frankie is attracted by Roger to the same isolated cottage . 0 +"Lost Bass -- "" Bomb Your Soul "" ." "Bomb the Bass -- "" Lost Your Soul """ 0 +The Bijapur District was part of the Presidency of Bombay under the British Raj . Under the British Raj , Bombay Presidency was part of the Bijapur District . 0 +Robert Wilson was born on 24 June 1766 in Newcastle , George Wilson , a shipbuilder and Mary Finlay . George Wilson was born on 24 June 1766 to Robert Wilson , a shipbuilder , and Mary Finlay in Newcastle . 0 +She became one of the most important patients of Sigmund Freud and was a psychoanalyst herself for a short time around 1897 . She became one of Sigmund Freud 's most important patients and , for a short period of time around 1897 , was a psychoanalyst herself . 1 +This order is higher than the Doorkeeper ( now largely obsolete ) and lower than that of the Subdeacon . This order is lower than the Doorkeeper ( largely obsolete now ) and higher than the Subdeacon . 0 +The former has white marble and black stone shivlingas , while the latter has only white marble ones . The former has white marble and black stone shivlingas , whereas the latter has only white marble . 1 +Justice SAbdul Nazeer ( born 5 January 1958 at Beluvai near Moodbidri , ) is a judge of the Supreme Court of India . SAbdul Nazeer ( born January 5 , 1958 in Beluvai near Moodbidri ) is a judge of the Supreme Court of India . 1 +There are only three equilateral tessellations : those made up of regular triangles , squares , or regular hexagons . There are only three regular tessellations : those consisting of equilateral triangles , squares or regular hexagons . 0 +The Dublin Council of Unions is the Trade Union Council for the Dublin County in Ireland . The Dublin Council of Unions is the Trade Council for Ireland in the county of Dublin . 0 +The 48th helicopter squadron was founded in May 1968 as part of the 119th transport helicopter regiment at Niš Airport . The 48th Helicopter Squadron was formed at Niš airport in May 1968 as part of 119th Transport Helicopter Regiment . 1 +Nicky Romero ( born 6 January 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . Nick Rotteveel ( born January 6 , 1989 ) , known professionally as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . 0 +A witness to Confederation , Machar was concerned about English -- French tensions in the young country . Machar , a witness to the Confederation , was concerned about the English -- French tensions in the young country . 1 +Pavizha Mutthu is a 1980 Indian Malayalam film , directed by Jesey and produced by Hari Pothan . Pavizha Mutthu is a Malayalam film produced by Jesey in 1980 , directed by Hari Pothan . 0 +The 2002 season Seattle Seahawks was the 27th season of the team with the National Football League . The 2002 National Football League season was the team 's 27th season with the Seattle Seahawks . 0 +Although being developed in Singapore , it is mainly used commercially in Europe . Although developed in Europe , it is used mainly in Singapore commercially . 0 +The state government has built a $ 187 million pipeline from Wivenhoe Dam to Toowoomba , which began water pumps along the Cressbrook Dam in January 2010 . The state government has built a $ 187 million pipeline from Wivenhoe Dam to Toowoomba . Water pumping along the pipeline to Cressbrook Dam began in January 2010 . 1 +However , Pérez was only involved in three team games in IWA Japan , focusing instead on the promotion of Victor Quiñones AAA . However , Pérez was only involved in three team matches in AAA , instead focusing on Victor Quiñones IWA Japan promotion . 0 +With Richard Caldwell , Lord Lumley endowed a series of lectures , known as the Lumleian Lectures , starting in 1582 and still being given today . Lord Lumley , with Richard Caldwell , donated a series of lectures known as the Lumleian Lectures , starting in 1582 and still given today . 1 +The dividends have increased the total return on the average equity to double , around 3.2 % . "The dividends have increased the entire "" real "" return on the average equity to double , about 3.2 % ." 1 +Smith , born in Giddings , Texas , began his career in the Black baseball - equivalent of small leagues with the Austin Black Senators in Austin , Texas . Born in Giddings , Texas , Smith began his career in black baseball 's equivalent of the minor leagues with the Austin Black Senators in Austin , Texas . 1 +"The northern cavefish or southern blindfish , "" Amblyopsis spelaea "" , is found in caves through Indiana and northern Kentucky ." "The northern Cavefish or the northern blindfish , "" Amblyopsis spelaea "" , is found in caves through Kentucky and in the southern Indiana ." 0 +He considers C. S. Lewis to be a negative influence and has accused Lewis of pointing out in his books emotional propaganda , misogyny , racism and religious sadism . He considers C. S. Lewis to be a negative influence and has accused Lewis of pointing out in his books religious propaganda , misogyny , racism and emotional sadism . 0 +Lagonisi is located approximately 30 km southeast of Athens and 35 km northwest of Cape Sounio . Lagonisi is located about 30 km southeast of Athens and 35 km northwest of Cape Sounio . 1 +For male adolescents parental education and maternal concern seemed to be protective factors . For male youth , maternal education and parental concern seemed to be protective factors . 0 +When it was printed commercially , illustrations were added by J. Augustus Knapp . When it was printed commercially , illustrations by J. Augustus Knapp were added . 1 +After his dismissal , he moved from Germany to New Mexico , then to Los Angeles , and then to San Francisco . After his dismissal , he moved from Germany to Los Angeles , then to San Francisco and then to New Mexico . 0 +Because of the lack of wood , boats were bundled with made papyrus reeds . The boats were bundled with papyrus reeds because of the lack of wood . 1 +""" Darn That Dream "" is a popular song with music by Jimmy Van Heusen and texts of Eddie DeLange , published in 1939 ." """ Darn That Dream "" is a popular song with music by Eddie DeLange and lyrics by Jimmy Van Heusen , published in 1939 ." 0 +It is Aarne -- Thompson type 707 , which is named after it : the dancing water , the speaking apple , and the singing bird . It is Aarne -- Thompson type 707 , which is named after him : the dancing water , the talking apple and the singing bird . 1 +"The concept of a redistributive system is at least as old as the concept of Pharaoh , which means "" great house "" and describes the Royal Palace ." "The concept of a redistribution system is at least as old as the concept of the Pharaoh , which means "" royal house "" and describes the great palace ." 0 +The mine was the subject of a long-running workers ' strike from October 1997 to August 1999 , commemorated in the heritage-listed Lilyvale Stand Monument . From October 1997 to August 1999 , the mine was the subject of a long-standing workers ' strike , performed in the listed Lilyvale Stand Monument . 0 +Xavier Malisse defeated Tommy Haas with 6 -- 3 , 3 -- 6 , 7 -- 6 . Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 -- 6 , 7 -- 6 0 +A mass ceremony was held that night , and prayers were conducted until dawn . A mass ceremony was held that night , and prayers were held until dawn . 1 +Producers from the state are RJD2 ( Columbus ) and Drama Beats ( Akron ) . Producers of the state are RJD2 ( Columbus ) and Drama Beats ( Akron ) . 1 +The partially closed short vowels began as initial , unemphasized vowels , but were reduced later . The partially closed short vowels began as initial unstressed vowels , but were later reduced . 1 +Zhu Xicai continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Ci trusted him greatly . Zhu Xicai continued to serve under Zhu Xicai , and it was said that because they shared the same family name , Zhu Ci trusted him greatly . 1 +They bought a house in Grosse Pointe , Michigan , for two years , then rented one in the Palmer Woods section of Detroit . They rented a house in Grosse Pointe , Michigan for two years , and then bought one in the Palmer Woods area of Detroit . 0 +It was won by Vladimir Kramnik , who defeated Dmitry Andreikin 2 ½ -- 1 ½ in the final match . It was won by Dmitry Andreikin , who defeated Vladimir Kramnik for 2 ½ - 1 ½ in the final match . 0 +Prenatal hormones , especially glucocorticoids such as cortisol , are essential for Adrenal development of organs , particularly for the maturation of the lungs . Adrenal hormones , particularly glucocorticoids like cortisol , are essential for the prenatal development of organs , especially for the maturation of the lungs . 0 +Elizabeth Smylie and Patrick McEnroe won against Jana Novotná and Jim Pugh in the Final 7 : 5 , 6 : 3 . Jana Novotná and Jim Pugh won against Elizabeth Smylie and Patrick McEnroe in the finals 7 -- 5 , 6 -- 3 . 0 +Finally Sean and his son Dirk leave the wilderness and discover that there is a war between the British and the Bureau . Dirk and his son Sean finally leave the wilderness and discover that a war is brewing between the British and the Boers . 0 +There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Ireland than in Scotland . There are shorts in the Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is much more prominent in Scotland than in Ireland . 0 +Kirksville , MO Micropolitan Statistical Area comprises the Adair County . Micropolitan Statistical Area Kirksville , MO comprises Adair County . 1 +James James is a cousin of Vince Williams and Karlos Williams , both former Florida State Seminoles players , as well as Mike James , former Miami Hurricanes . James is a cousin of Mike James , both former Florida State Seminoles players , as well as Vince Williams and Karlos Williams , former Miami Hurricanes running back . 0 +The hosts also have a number of bits that they do between themselves : The hosts also do a number of bits that they have among themselves . 1 +Simon Skelton won 9-4 , 9-5 against Darren Burnett in the finals . Darren Burnett won 9-4 , 9-5 against Simon Skelton in the finals . 0 +However , the church that we see today was replaced in 1640 , designed by Agostino Avanzo , and consecrated in 1655 . The church that we see today , however , was dedicated in 1640 , designed by Agostino Avanzo and replaced in 1655 . 0 +The incident was not originally reported by state-controlled international media , but was first reported by Iranian media . Originally , the incident was not reported by the state-controlled Iranian media , but was first reported by international media . 0 +ABC Books has released seven popular book novels , each based on a single episode , and from the perspective of a particular character . ABC Books has released seven paperbacks - novels , each based on a particular episode and from the perspective of a single character . 1 +Produced by Oscar Hammerstein II , the show by Reginald Hammerstein ( the brother of Arthur Hammerstein ) was choreographed and led by Danny Dare . Produced by Arthur Hammerstein , the show by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) was led and was choreographed by Danny Dare . 0 +In 1955 , this became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . In 1955 , the company became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . 1 +Included Daphne Von Rey , Jenny Shimizu , Catherine Opie , Sheree Rose , Ron Athey , Vaginal Davis , Bob Flanagan and Michele Mills . Included are Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne von Rey , Jenny Shimizu , Catherine Opie , Michele Mills . 1 +162 . Fighter Escadrille was a unit of the Polish Air Force at the start of the Second World War . The unit was attached to the Łódź Army . The Fighter Escadrille was at the beginning of the Second World War a unit of the Polish Air Force , which was attached to the Łódź army . 1 +A Frankish army under Winigis and Hildebrand , Duke of Spoleto , defeated Grimoald and joined Adelchis on the coast soon after his landing . A Franconian army under Winigis and Hildebrand , duke of Spoleto , defeated Grimoald and joined Adelchis shortly after his landing on the coast . 1 +For example , the same techniques used to model ideal gases can be applied to model the behavior of a hard sphere colloidal suspension . For example , the same techniques used to model ideal gases can be applied to model the behavior of a colloidal suspension of a hard ball . 1 +The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was educated at Royal College , Colombo . The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was educated at the Royal College , Colombo . 1 +"In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is presented with a bass ." "In the 2014 film "" Get On Up "" , a biography of Josh Hopkins presented by James Brown , Bryan Grazer and Mick Jagger bass is produced ." 0 +The highest temperature ever recorded in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . The lowest temperature ever recorded in Pokhara was on May 4 , 2013 , while the highest temperature ever recorded was January 13 , 2012 . 0 +Owner Shayne Doyle said , I have a lot of money invested in sound equipment , I have door people and pay people to sound . "Shayne Doyle said : "" I invested a lot of money in sound equipment , I have door people and sound people to pay ." 0 +The stripe of Hensen is the section of the inner membrane above the tectorial hair cell . Hensen 's stripe is the section of the inner membrane above the tectorial hair cell . 1 +Suncook is located in the southern corner of the city of Pembroke and the western end of the town of Allenstown . Suncook is located in the western corner of the town of Allenstown and at the southern end of the city of Pembroke . 0 +That night , Emperor Li Zhan died , and Muzong took up the throne ( as Emperor Jingzong ) . That night , Emperor Muzong died , and Li Zhan took the throne ( as Jingzong Emperor ) . 0 +French Island is a very small uninhabited island located northwest of Barrallier Island in Victoria , Australia . French Island is a very small uninhabited island situated northwest of Barrallier Island in Victoria , Australia . 1 +It was approved by the Constitution of Afghanistan , created on 4 January 2004 . It was created by the Constitution of Afghanistan , which was approved on January 4 , 2004 . 0 +The Ecuadorian base Pedro Vicente Maldonado and the Chilean base Arturo Prat are located on the northeast and north coast of the island . The Chilean base Arturo Prat and the Ecuadorian base Pedro Vicente Maldonado are situated on the northeast and north coast of the island respectively . 0 +These include the Union of European Federalists , European Movement International and the European Federalist Party . These include the Union of European Federalists , the European Federalist Party and the European Movement International . 1 +It was the third single of the group and their first release on Silvertone Records . It was the first single to be released by the group and their third release on Silvertone Records . 0 +Thiruvananthapuram is the first major South Indian city on the longest train route in the India , Kanyakumari to Jammu . Jammu is the first major South Indian city on the longest train route in India , from Kanyakumari to Thiruvananthapuram . 0 +David was indignant at the rebuke and immediately opened negotiations with Michal , who welcomed him on the condition that his wife Abner should be restored to him . Abner was indignant at the rebuke and immediately opened negotiations with David , who welcomed him on the condition that his wife Michal should be returned to him . 0 +He was born in Gollnow , Brandenburg , died in Dahme , Pomerania . He was born in Gollnow , Pomerania , and died in the Brandenburg Dahme . 0 +In the 2011 census , 88.8 % of the inhabitants were Roma , 6 % Hungarians , 4.2 % Romanians and 1 % Germans . At the 2011 census , 88.8 % of inhabitants were Roma , 6 % Hungarians , 4.2 % Romanians and 1 % Germans . 1 +Malone attended Frisco City High School where he played defensive end and tight end . Malone attended the Frisco City High School , where he played a tight end and a defensive end . 1 +He decided to study Indian history because he wanted to teach it . He chose to study Indian history because he wanted to teach it . 1 +Higashiura is located in the southern tip of Chita Peninsula in northern Aichi Prefecture . Higashiura is located in the northern tip of the Chita peninsula in the southern prefecture of Aichi . 0 +Back Street is a 1961 film made by Universal Pictures , directed by David Miller , and produced by Ross Hunter . Back Street was a 1961 film directed by Universal Pictures , produced by David Miller , and by Ross Hunter . 0 +Nigel Randell Evans was the eldest son of Air Chief Marshal Sir Donald Randell Evans ( 1912-1975 ) and Pauline Evans . Nigel Randell Evans was the eldest son of Air Chief Marshal Sir Donald Randel Evans ( 1912-1975 ) and Pauline Evans . 1 +Kirk Deighton is served by Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate through Wetherby and Spofforth . Kirk Deighton is served over the Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 0 +738 on December 22 , 1862 , to reorganize the Montana Territory and form the new Washington Territory . On December 22 , 1862 , to reorganize the Washington territory and form the new Montana territory . 0 +The valley itself is made lush by the river and green , while the surrounding is stone desert . The valley itself is made rocky by the river , while the surrounding area is lush and green desert . 0 +San San Pedro de Pilas district is one of thirty-three districts in the province of Yauyos in Peru . Peru is one of thirty-three districts in the province of Yauyos in the district of San Pedro de Pilas . 0 +When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Teramo Diocese . When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Diocese of Teramo . 0 +The station was opened on 1 July 1903 on the Donegal Railway Company railway from Stranorlar to Glenties . The station was opened on July 1 , 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . 0 +This may be caused by the loss of three different additional genes , each of which has different effects , resulting in three types of syndrome . This may be caused by the loss of three different genes , each of which has different additional effects , resulting in three types of syndromes . 0 +Wanjiru 's cousin Joseph Riri is a world-class marathon runner , and Wanjiru 's younger brother Simon Njoroge is also a long-distance runner . Wanjiru 's cousin Joseph Riri is a world-class marathon runner , and Wanjiru 's younger brother , Simon Njoroge , is also a long-range runner . 1 +After leaving Wingfield Manor , Mary was taken by her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . After leaving Sheffield , Mary was taken to Wingfield Manor in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . 0 +After moving to Norway as a political refugee in 1988 , he began writing novels about the leftist uprising in Turkey . After moving to Norway in 1988 , as a political refugee , he began writing novels about the leftist revolt in Turkey . 1 +During the 1943-1945 campaign , there were more than 10,000 marriages between American girls and Italian soldiers . During the 1943-1945 campaign , there were more than 10,000 marriages between Italian girls and American soldiers . 0 +Nick Folland has appeared most for the county , playing in eighteen games , closely followed by Andrew Pugh , who made sixteen appearances . Nick Folland has appeared the most times for the county , playing in eighteen matches , closely followed by Andrew Pugh , who made sixteen appearances . 1 +Clara Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Robert Maass . Clara Maass was born in East Orange , New Jersey , to the German immigrants Hedwig and Robert Maass . 1 +Illinois Route 158 ( Washington Avenue ) leads west to Columbia and east to Belleville . The Illinois Route 158 , or Washington Avenue , leads east to Columbia and west to Belleville . 0 +A rich heritage of historic structures and architectural styles can be found in the residential area along Norwich Street . A rich heritage of historic structures and architectural styles can be found in the residential district along Norwich Street . 1 +In 1963 , Vogel established Bioforce AG in Feusisberg in Thurgau , Switzerland . He died in 1996 in Roggwil at the age of 94 . In 1963 , Vogel founded Bioforce AG in Feusisberg in Thurgau , Switzerland , and died in 1996 at the age of 94 in Roggwil . 1 +Alexandra Fusai and Nathalie Tauziat won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams . Alexandra Fusai and Nathalie Tauziat won 5-7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams in the final . 1 +In the series , Willa Holland 's character dates a character that was played by the popular music star Chris Brown in the fourth season of the show . In the series , Chris Brown 's character dates a character that was played by the popular music star Willa Holland in the fourth season of the show . 0 +Nearly the entire area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . Almost the entire range is part of the Sandia Mountain Wilderness area , including the Cibola National Forest . 0 +Other car manufacturers that have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . Other car manufacturers which have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . 1 +New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies such as Vermont and a continuing New England influence in the colony . New York 's initial possession of parts of Vermont provided a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . 0 +This is a list of the etymology of street names in the London district of Covent Garden . This is a list of the etymology of street names in the district Covent Garden in London . 0 +In 1900 , Elizabeth Waller married Cowles , and her daughter Harriet was born in 1912 . Elizabeth Waller married Cowles in 1900 , and their daughter Harriet was born in 1912 . 1 +The idea was supported and further crystallized by Jonas Basanavičius , Jonas Šliūpas , and others . The idea was supported and further crystalized by Jonas Basanavičius , Jonas Šliūpas and others . 1 +The eastern third was completed in 1893 and the western two-thirds was completed in 1905 . The eastern one-third was completed in 1893 and the western two-thirds was completed in 1905 . 0 +The South Deep mine is a large mine located in the northern part of South Africa in Gauteng . The Mine South Deep is a big mine in the northern part of South Africa in Gauteng . 1 +In life , the bodily functions of the soul are restricted by rational and intelligent senses of pleasure , pain , sight , and sound . In life , the physical functions of the soul are restricted by rational and intelligent senses of pleasure , pain , visibility and sound . 1 +"Ashok was then selected to replace Vaibhav Reddy in Deepan Chakravarthy 's psychological thriller "" , a second movie in C. V. Kumar ' ; s "" Pizza "" franchise ." "Ashok was then selected to replace Vaibhav Reddy in Deepan Chakravarthy 's psychological thriller "" , a second film in C. V. Kumar 's "" Pizza "" franchise ." 1 +"In October 1989 , Freud performed in the same theatre 's "" Nuts ( Homage to Langland ) "" ." "In October 1989 , Freud performed in the same theatre "" Nuts ( Homage to Langland ) "" ." 1 +The debate about the ability of socialist reformism to lead to a social democratic transformation in society is over a century old . The debate on the ability for socialist reformism to lead to a social democratic transformation of society is over a century old . 1 +Thompson was born in Juniata County , Pennsylvania , entered service in Perrysville , and was later buried in Port Royal , Pennsylvania . Thompson was born in Juniata County , Pennsylvania , entered Port Royal , Pennsylvania , and was later buried in Perrysville . 0 +"In addition to livestreaming - gameplay - films , several members of the crew also produce videos in "" Let 's Play "" style ." "Livestreaming - Members of the crew produce , in addition to several gameplay movies , also "" Let 's Play "" style videos ." 0 +The species name refers to the two juxtal oval processes on the latero-distal plate . The species name refers to the two adjacent oval processes on the latero-distal plate . 1 +They appeared at the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery , Chicago . They performed at the Beachland Ballroom in Cleveland on November 30 , 2012 , and at the City Winery in Chicago on December 1 , 2012 . 1 +At the corners of the fort are cylindrical bartizanes with staggered bases and spherical openings . Cylindrical bartizans , with staggered bases and spherical openings are located at the corners of the fort . 1 +"Cansler was born in Maryville , Tennessee , in 1871 , a son of Hugh Lawson Cansler ( originally spelled "" Gentzler "" ) and Laura Scott ." "Cansler was born in 1871 in Maryville , Tennessee , the son of Hugh Lawson Cansler ( originally "" Gentzler "" ) and Laura Scott ." 1 +Later , at Duela 's funeral , Donna Troy hides until all of the Teen Titans have left except Jason . At the funeral of Duela , Jason hides until all the teen titans except Donna Troy have left . 0 +Alucita triscausta is a moth of the Alucitidae family , which is found in India ( Assam ) . Alucita triscausta is a moth of the family Alucitidae . It is found in India ( Assam ) . 1 +"Other works of Bailly in Washington , D.C. include sculptures by Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Other works by Benjamin Hallowell in Washington , D.C. , include sculptures of Bailly and Alexander "" Boss "" Shepherd ." 0 +On July 27 , 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . On July 27 , 2011 , Restovich was traded by Arizona Diamondbacks to the Chicago White Sox . 0 +In 1993 , he graduated from Kuban State University as a philologist and teacher of the Russian language , the same university as a lawyer in 1995 . In 1993 he graduated from the Kuban State University as a philologist and teacher of the same language , in 1995 , the Russian University as a lawyer . 0 +Amata leucacma is a type of moth of the family Erebidae It is found in Australia ( Queensland ) . Amata leucacma is a species of moth of the family Erebidae . It is found in Australia ( Queensland ) . 1 +In 1955 , it became the Central Electricity Generating Board , which in turn in 1957 the Central Electricity Authority . In 1955 , this became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . 1 +The Timiş River is a tributary of the River Zlagna in Romania . The Zlagna River is a tributary of the Timiş River in Romania . 0 +Leopoldina Naudet was born in 1773 as the eldest daughter of Luisa and Susanna of Arnth in Florence , the sister was Giuseppe Naudet . Leopoldina Naudet was born in 1773 in Florence as the eldest daughter of Giuseppe Naudet and Susanna of Arnth , whose sister Luisa was . 0 +From 1969 , the family lived in rented houses in California , close to Los Angeles recording studios . From 1969 , the family lived in rented houses in Los Angeles , close to California recording studios . 0 +The most important use of lead acid dioxide is as the cathode of lead batteries . The most important use of lead dioxide is the cathode of lead batteries . 0 +""" Hell or Highwater "" co-operated with Mark McKenna ( Scott F. Crago Band ) and John Shanks ( The Eagles ) and was produced by Melissa Etheridge ." """ Hell or Highwater "" featured collaborations with Mark McKenna ( Scott F. Crago band ) and John Shanks ( The Eagles ) and was produced by Melissa Etheridge ." 1 +Ella Hval ( born Ella Signe Quist Kristoffersen ) ( January 7 , 1904 , Kristiania -- December 17 , 1994 , Stavanger ) was a Norwegian actress . Ella Signe Quist Kristoffersen ( born Ella Hval ) ( 7 January 1904 , Kristiania -- 17 December 1994 , Stavanger ) was a Norwegian actress . 0 +In 1973 , it was added by the Ontario Heritage Trust to the inventory of the historical buildings of the Toronto Historical Board . In 1973 , it was added to the Ontario Heritage Trust 's inventory of historical buildings by the Toronto Historical Board . 0 +In 1989 , London joined the Peace Corps in Africa and organized a regional business development program in Malawi . In 1989 London joined the Peace Corps in Africa and co-managed a regional business development program in Malawi . 1 +For 1934 , the body was redesignated and redesigned as 452D again and 452E in 1935 . For 1934 , the body was denoted again and redesigned as 452D , and as 452E in 1935 . 1 +The party was regarded as less extreme than the more popular Palestinian - Arab party . The party was regarded as less popular than the more extreme Palestine Arab Party . 0 +The relative concept is the dual dimension . The relative concept is dual dimension . 1 +The River Frasin is a tributary of the River Straja in Romania . The Straja River is a tributary of the Frasin in Romania . 0 +It was written and produced by David Richards by him and Bowie . It was written and produced by Bowie and produced by David Richards . 0 +86th Airlift Squadron is part of the 309th Airlift Wing on Air Base Chièvres , Belgium . The 309th Airlift Squadron is part of the 86th Airlift Wing on the Air Base Chièvres , Belgium . 0 +"In 2010 , Miller published his third album "" Derek Miller with Double Trouble "" ." "In 2010 Derek Miller released his third album , "" Miller with Double Trouble "" ." 0 +Arthur Ashe defeated Dick Stockton , 6 -- 3 , 6 -- 2 . Arthur Arthur Ashe defeated Dick Stockton , 6 - 3 , 6 -- 2 . 1 +Despite the attentions of Ehinger father Vicente de Requejada , Augustine died on May 31 , 1533 , and was buried under a tree . Despite the attention of Ehinger 's father Vicente de Requejada , Augustine died on 31 May 1533 and was buried under a tree . 1 +The Cartal River is a tributary of the Casimcea River in Romania . The Casimcea River is a tributary of the River Cartal in Romania . 0 +Ryan Wiik ( born September 23 , 1981 ) is a Norwegian actor and entrepreneur , also known as Gunnar Ryan Wiik . Gunnar Ryan Wiik ( born September 23 , 1981 ) , known as Ryan Wiik , is a Norwegian actor and entrepreneur . 1 +She was a researcher in America at McGill University in the late 1920s , and later at Radcliffe College and Illinois State University . In the late 1920s , she was researcher at Illinois State University and later at Radcliffe College and McGill University in America . 0 +In this way , it was possible to record literally dozens of separate tracks and combine them into finished recordings of great complexity . In this way it was possible to literally combine dozens of separate tracks and include them in finished recordings of great complexity . 0 +The younger son of Naveen Patnaik , Biju Patnaik , is current Chief Minister of Odisha . The younger son of Biju Patnaik , Naveen Patnaik , is current Chief Minister of Odisha . 0 +""" out "" is often also used to describe movement along a linear path where the containing landmark is defined and not implied at all :" "Finally , "" out "" is also often used to describe motion along a linear path where the containing landmark is implied and not defined at all :" 0 +"In 1910 , a local reporter described in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." "A local reporter in 1910 described the scene for the people of Kyūshū in a Japanese newspaper , the "" Fukuoka Nichinichi "" ." 1 +The Peabody Orlando , located near Orlando , Florida , was opened in 1986 as the second Peabody Hotel . The Peabody Hotel , located near Peabody Orlando , was opened in 1986 as the second Orlando , Florida . 0 +The album was recorded in six different sessions at both Santa Monica Sound Records in Santa Monica , California and Westlake Recording Studios in Los Angeles . The album was recorded in six different sessions , both at Santa Monica Sound Records in Santa Monica , California , and at Westlake Recording Studios in Los Angeles . 1 +"The single hardcover "" Definitive Edition "" was also published :" "Also the single hardcover "" Definitive Edition "" was published :" 1 +John Lynch was the eldest son of Lynch , DD Dean of Canterbury and his wife Mary Wake , daughter of William Wake , Archbishop of Canterbury . John Lynch was the eldest son of Lynch , Dean of Canterbury , and his wife Mary Wake , daughter of the Archbishop of Canterbury , William Wake . 1 +Donnelly was one of several players born in Ireland who benefited from the FAI 's attempts to establish their entire Nordic influence in Ireland . Donnelly was one of several players born in Northern Ireland who benefited from the FAI 's attempts to justify their all-Ireland influence . 0 +"Bowerman ( 1944 ) shows the road as the "" Livermore Road "" , according to historian Annie Homan ." "Annie Homan ( 1944 ) shows the street as "" Livermore Road "" , according to the historian Bowerman ." 0 +Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Enrique Ponce , a famous Spanish bullfighter . 1 +When Aaron asked him to play the new band guitar , Russ agreed . When Russ asked him to play guitar in the new band , Aaron agreed . 0 +Daniela Castro Arellano ( born Daniela Castro on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico as Daniela Castro ) is an Irish Mexican actress and singer . 1 +Joe was born on 27 March 1929 in Somerville , Massachusetts and grew up in Quincy , Massachusetts . Joe was born in Quincy , Massachusetts on March 27 , 1929 and grew up in Somerville , Massachusetts . 0 +Spain , Germany and the Netherlands have agreed to develop a trilateral basic draft , which should be built by each nation itself and finally developed . Spain , Germany and the Netherlands agreed to develop a trilateral basic design , which should be developed and finally built by each nation by itself . 0 +Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and a national record swimmer from Havana . Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is a record Olympic and national swimmer from Cuba . 1 +His son Henry II ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King John I Lestrange in 1174 . His son Henry II ( pre-1178 died ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I Lestrange . 1 +USAFE also announced in 1957 that the new FBW would be receiving the 50th F-100D Super Sabre . In 1957 , USAFE also announced that the new FBW would receive the 50th F-100D Super Sabre . 1 +Several streets are named after him including streets in Geelong West , Brighton , Melton , Buninyong , and Ballarat . Several roads are named after him , including the streets in Geelong West , Brighton , Melton , Buninyong and Ballarat . 1 +The political , social , ecological and economic programme of the EFA consists of public parts . The political , social , environmental and economic programme of the EFA consists of public parts . 1 +The base property is now referred to as Summerside Airport and the airfield has been called Slemon Park . The base property is now referred to as Slemon Park and the airfield has been named Summerside Airport . 0 +Stephen Bates said in the Guardian : 'John Cornwell has produced a devastating report . "Writing in the Guardian , John Cornwell said : "" Stephen Bates has produced a devastating report "" ." 0 +It was obtained from parts of Assiniboia , Humboldt - Lake Centre and Moose Jaw Ridings in 1987 . It was re-created in 1987 from parts of Assiniboia , Humboldt -- Lake Centre and Moose Jaw ridings . 1 +Various authors explored the Soweto uprisings in novels , including Miriam Tlali , Mothobi Mutloatse , and Mbulelo Mzamane . Various authors explored the Soweto riots in novels , including Miriam Tlali , Mothobi Mutloatse and Mbulelo Mzamane . 1 +Andretti had no answer to Villeneuve 's pace and the gap increased rapidly . Villeneuve had no answer to Andretti 's pace , and the gap widened rapidly . 0 +SV Lurup is a federal association of the Football Association from Hamburg in the state of the same name . SV Lurup is a federal association football club from the city of Hamburg in the German state of the same name . 1 +The Portneuf River is a long tributary of Marsh Creek at Bannock County , Idaho . Marsh Creek is a long tributary of Portneuf River in Bannock County , Idaho . 0 +Crooked River is drained by Waterford . Crooked River is drained by the Waterford . 1 +Winterfield Township is located in the northwestern corner of Clare County and is bordered to the west by Osceola County and to the north by Missaukee County . Winterfield Township is in the northwestern corner of Clare County and is bordered to the west by Osceola County and to the north by Missaukee County . 1 +In the same year he played in the qualification for the UEFA Champions League against Dinamo Zagreb and later in the UEFA Cup against HJK Helsinki and Celtic Glasgow . In the same year he played in the UEFA Champions League - Qualification against HJK Helsinki and Celtic Glasgow and later in the UEFA Cup against Dinamo Zagreb . 0 +The station , licensed to Sebring , serves the area of Wauchula , Florida , USA . The station , which is licensed to Wauchula , Florida , USA , serves the Sebring area . 0 +"Unlike many amateur astronomers , scientific research is mostly not the "" main goal "" for professional astronomers ." "Scientific research is most often not the "" main "" goal for many amateur astronomers , unlike professional astronomers ." 0 +Although the ruins were investigated by Samuel Alejandro Lafone Quevedo in 1888 , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . Although studied in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . 1 +Soon the collector attacks Uncle Willy , who possesses the others . The Collector soon possesses Uncle Willy , who attacks the others . 0 +During the campaign of 1943-1945 , there were more than 10,000 marriages between Italian girls and American soldiers . During the 1943-1945 campaign , there were more than 10,000 marriages between American girls and Italian soldiers . 0 +The listed buildings on Derwent Isle are a large house and a former chapel . The historical buildings on Derwent Isle are a large house and a former chapel . 1 +"Qaasuitsup ( old spelling : "" Nûluk "" ) is an uninhabited island in the municipality of Nuuluk Island in northwestern Greenland ." "Nuuluk Island ( old spelling : "" Nûluk "" ) is an uninhabited island in the Qaasuitsup municipality in northwestern Greenland ." 0 +Saghar has written over 2,000 songs for Pakistani films , radio and television for many singers and music directors . Saghar has written over 2,000 songs for Pakistani singers and music directors for many films , radio and TV . 0 +In 1955 , the KXLF lost ABC programming , soon the DuMont station added when it was shut down . In 1955 , KXLF added ABC programming , soon the DuMont station was lost when it was shut down . 0 +Big Creek is a tributary of the San Joaquin River in the Sierra Nevada , within the Sierra National Forest , central California . Big Creek is a tributary of the San Joaquin River in the Sierra National Forest , within the Sierra Nevada , Central and California . 0 +Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . Bridges at this site are the only crossing of the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . 0 +Dharamshala , home to the Dalai Lama , is known for its Tibetan monasteries and Buddhist temples , where many trekking expeditions also begin . Dharamshala , home of the Dalai Lama , is known for its Buddhist monasteries and Tibetan temples . Many trekking expeditions also begin here . 0 +He has performed at the Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach festivals . He performed at festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . 0 +This is also a shearing effect : when the focal length is smaller , the shearing effect is greater . This is also a shearing effect : if the focal length is larger , the shearing effect is smaller . 0 +Bone and stone artefacts similar to those found at Kunda have been discovered elsewhere in Estonia , as well as in Latvia , northern Lithuania and southern Finland . Bone and stone artefacts similar to those found in Kunda have been discovered throughout Estonia , as well as in Latvia , Northern Lithuania and Southern Finland . 1 +Acute dose-dependent effects of beta radiation on the skin are as follows : The beta - acute dose effects of dependent radiation on the skin are as follows : 0 +The Discovery Centre visitor attraction includes the Turret house , Tudor grounds , Sheffield Manor Lodge , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The Sheffield Manor Lodge visitor attraction includes the Turret House , Tudor Reasons , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 0 +For Grenville , his grandson , Edward , was elected to the 11th Parliament of Upper Canada . His grandson , Grenville , was elected for Edward to the 11th Parliament of Upper Canada . 0 +The Straja River is a tributary of the Frasin in Romania . The Frasin River is a tributary of the Straja River in Romania . 0 +The Olt River is a tributary of the Stini River in Romania . The Stini - River is a tributary of the Olt river in Romania . 0 +He was born in the village of Segutiet , province of Rift Valley , in the former district of Bomet , Kenya . He was born in Segutiet village , Rift Valley Province , in the former Bomet District of Kenya . 1 +Toimi is located 29 miles west of Silver Bay , and 27 miles southeast of Hoyt Lakes . Toimi is 29 miles west of Silver Bay and 27 miles southeast of Hoyt Lakes . 1 +The Cochirleanca River is a tributary of the Slatina River in Romania . The River Slatina is a tributary of the River Cochirleanca in Romania 0 +The main partners of this festival are Parmigiani Fleurier , Manor , Heineken , Vaudoise and UBS . Main partners of the Festival are UBS , Manor , Heineken , Vaudoise Assurances and Parmigiani Fleurier . 1 +The Sadrist movement left the Alliance before the elections in December 2005 , which also brought the Iraqi National Congress more firmly to the Alliance . The Iraqi National Congress left the Alliance before the December 2005 elections , which also brought the Sadrist movement more to the Alliance . 0 +Later , a City Council ( Parliamentary Commission of Inquiry ) was installed in the CPI of city of Rio de Janeiro . Later , a city councillor ( Parliamentary Commission of Inquiry ) was installed in the City Council of Rio de Janeiro . 0 +He was drafted by the Chicago Cardinals and also played for the Philadelphia Eagles and the Washington Redskins . He was drafted by the Chicago Cardinals and played for the Washington Redskins and the Philadelphia Eagles . 1 +Although Hertzka was successful in the national championship , she performed poorly at regional level . Although successful in the national championship , Hertzka performed poorly at regional level . 1 +Mary Joe Fernández defeated Amy Frazier 3 -- 6 , 6 -- 2 , 6 -- 3 Mary Joe Fernández defeated Amy Frazier 3 -- 6 , 6 -- 2 , 6 - 3 1 +The son of the geologist and mineralogist Emma Brosy and the Swiss bearer George Escher was born . Escher was born as the son of the geologist and mineralogist Berend George Escher and the Swiss Emma Brosy . 0 +All five territorial governors are female , the mayor of Washington , D.C. is male . All five territorial governors are male , the mayor of Washington is female . 0 +The police authority had also appointed two coopted independent members to the standards committee . The Police Authority also had two co-opted Independent Members appointed to the Standards Committee . 1 +The brother of Dinesh Gunawardena and the eldest son of Philip Gunawardena , he was educated at the Royal College , Colombo . The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was taught at the Royal College in Colombo . 0 +In the circulated materials , such as the Red Bus Airplay calculation , EMI is still referred to as Gold Label Entertainment . In the circulated materials such as the Red Bus Airplay Calculation , Gold Label Entertainment is still referred as EMI . 0 +"Arkha is a village development committee in Pyuthan , a district of "" Rapti Zone "" in Middle Hills , West Nepal ." "Arkha is a Village Development Committee in Pyuthan , a "" Rapti Zone "" district of Middle Hills , western Nepal ." 1 +"It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before stroke on January 10 , 2006 ." "It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on January 10 , 2006 ." 0 +Horace W Webb , a native of Oklahoma , is located just south of Graniola , Missouri in 1910 . Horace W , Webb , a native of Missouri , settled just south of Graniola , Oklahoma in 1910 . 0 +Aardam is a Dutch hamlet in the former South Holland province and is now integrated into the town of Ter Aar , part of the municipality of Nieuwkoop . Aardam is a Dutch hamlet in the former province of South Holland and is now incorporated into the town Ter Aar , part of the municipality Nieuwkoop . 1 +"Such a distorted peptide or "" modified key "" becomes an inhibitor candidate against HIV protease automatically ." "Such a modified peptide , or "" distorted key "" , will automatically become an inhibitor candidate against HIV protease ." 0 +In 1883 the first schools were built in the surroundings for 400 black and 60 white students . In 1883 the first schools in the area were built for 400 white and 60 black students . 0 +Yamagatajuku Station is located by the Suigun Line , and is served 35.2 rail kilometers from the official starting point of the line at Mito Station . Yamagatajuku station is served by the Suigun Line and is 35.2 km from the official starting point of the line at Mito Station . 0 +Big Springs is an illegal community in Marion Township , Boone County , Indiana . Marion Township , Boone County , Indiana is an unincorporated community in Big Springs . 0 +On May 24 , 2017 Lajunen signed a 1-year contract with HC Spartak Moscow from KHL . On 24 May 2017 , Lajunen signed a 1-year contract with KHL from HC Spartak Moscow . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana . He is currently Ghana 's ambassador to Burkina Faso . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso , which is currently Ghana 's ambassador to Ghana . 0 +The flag of Sri Lanka , was adopted for the Western Province of Western Province in 1987 . The flag of Sri Lanka was adopted in 1987 for the western province of the Western Province . 1 +The unwritten ( and possibly unpublished ) stories of series three are : The unwritten ( and possibly unpublished ) stories of the three series are : 1 +The 1935 Chico State Wildcats football team represents Chico State College during the College - Football - Season 1935 . The 1935 Chico State College football team represent Chico State Wildcats during the 1935 College Football season . 0 +In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Champions Tournament in Guadalajara , Mexico . He won third place at the Parapan American Games in Guadalajara , Mexico in 2011 and another third place at the International Tournament of Champions in Charlotte , USA . 0 +Smith died in Grahamstown , Cape Province , in South Africa at the age of 76 . He died at the age of 76 in Grahamstown , Cape Province , in South Africa . 1 +Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 , districts in Cardiganshire . Following his defeat in Cardiganshire , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Wales , 0 +Its members are Kena and Nakia Epps , sisters from Chicago , and Karen Johnson , of Boston . Its members are Kena and Nakia Epps , sisters from Boston , and Karen Johnson , Chicago . 0 +The social consequences of criminal conviction are not the same as the consequences of conviction . The collateral consequences of criminal convictions are not the same as the social consequences of a conviction . 0 +Thales S.A. and Thales Raytheon Systems announced the creation of Raytheon Company on 16 December 2000 . On December 16 , 2000 , Thales SA and the Raytheon Company announced the creation of Thales Raytheon Systems . 0 +Windsor is included in Augusta , Maine Micropolitanes New England City and the Town Area . Augusta , Maine is included in the Windsor micropolitan New England City and Town Area . 0 +Upper Austria is a municipality in the Wernstein am Inn district in the Austrian province of Schärding . Wernstein am Inn is a municipality in the district of Schärding in the Austrian federal state of Upper Austria . 0 +Thornton introduced a further structure zone T , which was observed at low argon pressures and characterized by densely packed fibrous grains . Thornton introduced a fibrous structure zone T , which was observed at low argon pressures and characterized by closely packed other grains . 0 +Baby Boom is a 1987 romantic comedy film directed by Nancy Meyers , produced by Charles Shyer and Shyer , and written by Meyers and Bruce A . Baby Boom is a 1987 romantic comedy directed by Charles Shyer , written by Nancy Meyers and Shyer , produced by Meyers and Bruce A . 0 +The modern station has two small covered waiting areas , information boards , CCTV and a footbridge . The small covered station has two modern waiting areas , information boards , CCTV and a pedestrian bridge . 0 +Bhils has the highest population in Jhabua district , followed by the Dhar , Barwani and Khargone districts . Bhils have the highest population in Khargone district followed by Dhar , Barwani and Jhabua districts . 0 +A few years later , Hyman himself became Goodman 's pianist . A few years later , Goodman became Hyman 's pianist himself . 0 +Samuel J. Tilden House is located on the south side of Gramercy Park , opposite the park overlooking the Gramercy Park South between Irving Place and Gramercy Park West . Samuel J. Tilden House is located on the south side of Gramercy Park South , opposite the park opposite the Gramercy Park between Irving Place and Gramercy Park West . 0 +"Quetzalcoatl 's father Mixcoatl was murdered ; Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Zolton , and Cuilton . """ "Quetzalcoatl 's father Mixcoatl was murdered , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father , Apanecatl , Zolton , and Cuilton were "" ." 1 +The Federal Hotel is a timber two-storey hotel located on the northern side of Childers main street , Churchill Street , at the corner of North Street . The Federal Hotel is a two-storey wooden hotel located on the northern side of Childers main street , North Street , on the corner of Churchill Street . 0 +He was born in Stockholm and died in Bromma . He was born in Stockholm and has died in Bromma . 1 +It is 2 km northeast of Agios Stefanos and 20 km west of Athens city centre . It is 2 km northeast of Agios Stefanos and 20 km west of the city centre of Athens . 1 +The 1935 Chico State College Football team represents Chico State Wildcats during the College - Football - Season 1935 . The 1935 Chico State Wildcats football team represents Chico State College during the College - Football - Season 1935 . 0 +Merzbach worked in Germany during the late twenties before returning to Sweden . During the late 1920s , Merzbach worked in Germany before returning to Sweden . 1 +For a vertical edge , we want to interpolate in horizontal direction by using only the column that is centered at the pixel . For a vertical edge , we want to interpolate in the horizontal direction , using only the column centered at the pixel . 1 +He studied at the Davis Studio , Melbourne and at the Julian Ashton Art School in Sydney . He studied at Davis Studio , Sydney and at the Julian Ashton Art School in Melbourne . 0 +In the Smythe division , the Calgary Flames and Edmonton Oilers made the playoffs every year , while the original Winnipeg jets missed only twice . In the Smythe Division , the Winnipeg Jets and the Calgary Flames made the playoffs every year while the original Edmonton Oilers only missed twice . 0 +Melisio Morales ( sometimes spelled Melesio Morales ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . Melesio Morales ( sometimes written Melisio Morales ) ( 4 December 1838 - 12 May 1908 ) was a Mexican composer . 1 +While Rosenkranz was waiting in Havana , Cuba for a ship to Ecuador , the Japanese attacked Pearl Harbor . While rosary in Havana in Cuba was waiting for a ship to Ecuador , the Japanese attacked Pearl Harbor . 1 +RCMP referred the Senate to all 30 cases . The Senate referred to all 30 cases to the RCMP . 0 +The Cebu Strait connects the western part of the Bohol Sea with the Camotes Sea , and separates the island provinces of Cebu and Bohol . The Cebu road connects the western part of the Bohol - sea with the Camotes - sea and separates the island provinces Cebu and Bohol . 1 +It was found intact by the Americans in July 1942 and became the first flying zero acquired by the United States during the war . It was found intact by the Americans in July 1942 and became the first flyable Zero acquired by the United States during the war . 1 +In a new relationship with surgeon Adrian Benitez ( Gabby Concepcion ) is Liz Lizene Jimenez ( Angelica Panganiban ) . Angelica Panganiban ( Lizelle Jimenez ) is a new relationship with Adrian Benitez surgeon ( Gabby Concepcion ) . 1 +"The logical fallacy is a historical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." "The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" by the philosopher John Dewey in 1896 ." 0 +During the UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . At UFC Fight Night 101 , Jon Tuck managed to steal a victory against Brown with a split decision . 0 +They are often consumed with beer and are sometimes a snack . Sometimes they are consumed with beer and are often a snack . 0 +The first was a four-lane studio session and the second six tracks recorded at the reading festival . The second was a 4-track studio session and the first six tracks recorded at the reading festival . 0 +The song was also used as a topic for the British remake of the American sitcom , The Inbetweeners . The song was also used as a subject for the American remake of the British sitcom , The Inbetweeners . 0 +"The same title and "" Reason "" have the main melody and are the main themes of the show ." "The main title and "" Reason "" have the same melody and are the dominant themes of the show ." 0 +Patterson was named to the Senate of Canada by Stephen Harper on August 27 , 2009 . He represents Nunavut as a Conservative . He was appointed by Stephen Harper to the Senate of Canada on August 27 , 2009 and represents Nunavut as a Conservative . 1 +It has been praised for its serious tone , psychological intensity and handling of mature topics . It has been praised for its mature tone , psychological intensity and handling of serious themes . 0 +""" Jamestown "" was scrapped on 19th December,1969 and decommissioned in May 1970 ." """ Jamestown "" was decommissioned on December 19 , 1969 and was scrapped in May 1970 ." 0 +The single was distributed worldwide and certified digitally by Fiera Music/Sony Music Entertainment Korea and the music video was released by VEVO . The single was released digitally and distributed by Fiera Music / Sony Music Entertainment Korea worldwide and the musicvideo was certified by VEVO . 0 +Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and the opponent received the other half . Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and his opponent received the other half . 1 +John took Logan on as his first apprentice . John took Logan as his first apprentice . 1 +"In the 2014 film "" Get On Up "" , a biography of James Brown produced by Bryan Grazer and Mick Jagger , Bass is portrayed by Josh Hopkins ." "In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is presented with a bass ." 1 +Yauli is one of nineteen districts in the Province of Huancavelica in Peru . Yauli District is one of nineteen districts of the province Peru in Huancavelica . 0 +Orson Welles saw Schilling in New York and followed him to Florida . Orson Welles was in New York Schilling and followed him to Florida . 1 +The Driftless Area is a reserve of current and former forest at Minnesota Richard J. Dorer Memorial Hardwood State Forest . The Driftless Area is a reserve of current and former forest in Minnesota 's Richard J. Dorer Memorial Hardwood State Forest . 1 +PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station , and west to Journal Square and Hoboken Terminal . PATH - Service of Exchange Place runs east to the World Trade Center , north to Hoboken Terminal and west to Journal Square and Newark Penn Station . 0 +Turner 's son , Robert Edward Turner inherited the company when the elder Ted Turner died in 1963 . Ted Turner , the son of Robert Edward Turner , inherited the company when the elder Turner died in 1963 . 0 +"They followed in October with a top 30 single "" Greedy People "" ( June 1994 ) and their debut album "" Electric Hippies "" ." "They followed with a top 30 Greedy , "" single People "" ( June 1994 ) , and their debut album , "" Electric Hippies "" in October ." 0 +He discussed rhetorical questions by correspondence , translated the grammatical manual of his teacher Apollodorus of Pergamon , and began a treatise on medicinal plants , dedicated to Augustus . He discussed grammatical questions by letter , translated the rhetorical manual of his teacher Apollodor of Pergamon and began a treatise on medicinal plants dedicated to Augustus . 0 +Later , engineers who followed Interstate 85 constructed again much of this route from Petersburg , Virginia , to the state border in Georgia . Later , engineers who followed Interstate 85 designed much of this route again from Petersburg , Virginia , to roughly the Georgia state border . 1 +The castle was confiscated by Lieutenant General Oswald Pohl on 7 February 1943 under the orders of Heinrich Himmler from Grüner . The castle was seized from Grüner by SSLieutenant General Oswald Pohl under the orders of Heinrich Himmler on 7 February 1943 . 1 +She was born in Geneva and later traveled to Moscow to study chemistry . Born in Moscow , she traveled to Geneva later to study chemistry there . 0 +There are currently twenty-one churches in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas . ) There are currently twenty-one churches in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia and West Virginia ) . 1 +"In 2016 , her first complete biography appeared : "" Ada Salter , pioneer of ethical socialism "" by Graham Taylor ." "In 2016 , her first complete biography appeared : "" Graham Taylor , pioneer of ethical socialism "" by Ada Salter ." 0 +The Bank of the People was founded in 1835 in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph . The Bank of the People was founded in 1835 by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . 0 +The shortest time remaining is advantageous because short processes are handled very quickly . Shortest remaining time is advantageous because short processes are handled very quickly . 1 +This leads to a violent fistfight after which Pullo Eirene takes and leaves the Aventine . This leads to a violent fistfight , after which Pullo takes Eirene and leaves the Aventine . 0 +Although the ruins were investigated by Samuel Alejandro Lafone Quevedo in 1888 , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . Although discovered in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first studied in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +The sixth season premiered on September 15 , 2013 . The fifth season premiered on April 10 , 2014 . The fifth season was premiered on September 15 , 2013 , and the sixth season was premiered on April 10 , 2014 . 0 +The song is tuneful , with a prominent series of three descending diatonic chords providing the main hook . The song is diatonic , with a prominent series of three descending main chords providing the soundful hook . 0 +He was a scholar of metaphysical literature , theology and classical sciences . He was a scholar in Classical Literature , Theology and Metaphysical sciences . 0 +"The boy , called Davis or Davison , went from New South Wales to England aboard the "" Archduke Charles "" , and later worked for Berry in Lima ." "The boy , called Davis or Davison , went from Lima to England on board the Archduke Charles "" , and later worked for Berry in New South Wales ." 0 +Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC , Creswell is serviced . Creswell is served by the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC . 1 +Vera Zvonareva won the title by beating Caroline Wozniacki in the final 6 -- 3 , 3 -- 6 , 6 -- 3 . Caroline Wozniacki won the title by beating Vera Zvonareva in the last 6 - 3 , 3 - - 6 , 6 -- 3 . 0 +The Shaunavon headquarters are located in Great Western Railway . The headquarters of the Great Western Railway are located in Shaunavon . 0 +He fell off the horse several times and , as often , was reassembled . He fell off the horse several times and remounted as often was . 0 +Yıkılgan is a village in the district of Amasya , Turkey , province Amasya . Yıkılgan is a village in the Amasya district in the province of Amasya , Turkey . 1 +"The hyperbolic case is similar , given to the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic level by" "The hyperbolic case is similar , with the area of a disk of hyperbolic radius "" R "" in the ( intrinsic curvature formula _ 83 ) constant plane given by" 0 +The station , which is licensed to Wauchula , Florida , USA , serves the Sebring area . Licensed to Wauchula , Florida , USA , the station serves the Sebring area . 1 +In 2015 , SpikeTV announced George X and Manny Rodriguez as the SAP Spanish commentators for Premier Boxing Champions on Spike TV . In 2015 , SpikeTV George X and Manny Rodriguez announced themselves as SAP Spanish commentators for Premier Boxing Champions at Spike TV . 0 +"In summer 2007 she performed with the "" Shavnabada Ensemble "" at the Inegol Folk Festival in Turkey ." "In summer 2007 she performed with the "" Shavnabada Ensemble "" at the Folk Festival in Turkey in Inegol ." 0 +Brian King was appointed successor to Bishop Lee in 2002 and is the first Anglican bishop in Australia to have a Chinese ethnic background . He was appointed successor to Bishop Brian King in 2002 and is the first Anglican bishop in Australia to have a Chinese ethnic background . 0 +Born in San Francisco , California , he died in Brooklyn , New York , at the age of 81 . He was born in Brooklyn , New York and died in San Francisco , California , at the age of 81 . 0 +STG officers directly support operational police in incidents , such as sieges , with specialist tactical , negotiation , intelligence and command support services . STG officers support tactical police in incidents such as sieges , directly with operational , negotiating , intelligence and command support services . 0 +In Singapore , ADCs , officers of the Singapore Civil Defence Force and the Singapore Armed Forces are wearing gold - Aiguillettes , and police officers wearing silver Aiguillettes . In Singapore , ADCs , the officers of the Singapore Armed Forces and the Singapore are Civil Defence Force , Gold - Aiguillettes , and police officers wear silver Aiguillettes . 1 +"Surrey "" wrote that "" Vancouver ( ... ) is too ( Indo-Canadians ) what Richmond is to the Chinese ." "Surrey "" , wrote that "" Vancouver ( ... ) is to ( Indo-Canadians ) what Richmond is to the Chinese. """ 1 +"For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." """ Futurama "" was also revived in 2007 by Comedy Central for similar reasons : impressive viewership in syndication as well as high DVD sales ." 0 +Pill Hill became part of Brookline in 1844 when Boston annexed it . In 1844 , Brookline became a part of Pill Hill when it was annexed from Boston . 0 +Cyrus Engerer wrote a biography of Labour - Party leader , Prime Minister Dr. Joseph Muscat . Joseph Muscat wrote a biography of the Labour Party leader , Prime Minister Dr. Cyrus Engerer . 0 +Orsi later recorded a band called the Uni-beats and had singles on local Chicago labels like Scarlott Records . Orsi later recorded a band called Uni-Beats and had singles on local Chicago labels like Scarlott Records . 1 +The Unibus was developed around 1969 by Harold McFarland and student Gordon Bell while at Carnegie Mellon University . The Unibus was developed around 1969 by Harold McFarland and student Gordon Bell at Carnegie Mellon University . 1 +It was created by Argonaut Software and distributed by Mindscape Group . It was developed by Mindscape Group and distributed by Argonaut Software . 0 +Dentsu , OLM , and TV Tokyo serve as producers , while OLM Digital provides the animation production . As producers OLM , Dentsu and TV Tokyo serve , while OLM Digital takes over the animation production . 1 +The names of Dingwall and Tingwall in Scotland , Thingwall in England , Tynwald on the Isle of Man and Tingvoll in Norway bear the same roots and meanings . Dingwall and Tingwall in Scotland , Thingwall in England , Tynwald on the Isle of Man , and Tingvoll in Norway bear names of the same root and meaning . 1 +On December 28 , 1850 , the name of Dunham Township changed from Byron Township to avoid confusion with Byron Township and honor a resident of Solomon J. Dunham . Byron Township changed his name from Byron Township on December 28 , 1850 to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . 0 +Argento ( born Aria Maria Vittoria Rossa Argento ; September 20 , 1975 ) is an Italian actress , singer , model , activist and director . Asia Argento ( ; born Aria Maria Vittoria Rossa Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . 1 +He frequently attended ballet performances at the Paris Opera and often observed teaching at the dance school . He frequently observed ballet performances at the Paris Opera and often attended classes at the dance school . 0 +Archbishop Robert von Esztergom therefore placed the Kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some of the king 's high dignitaries . Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and used some of the king 's high dignitaries . 0 +Lippard focuses on understanding the physical and structural properties of metal complexes , their synthesis and reactions and the involvement of metallions in biological systems . Lippard focuses on understanding the physical and structural properties of metal complexes , their synthesis and reactions , and the involvement of metal ions in biological systems . 1 +Founded in 1959 by Gianni Ratto , it has introduced actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Gianni Ratto , it has featured actors such as Fernanda Montenegro , Sérgio Britto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . 1 +"It was released on his album "" From Elvis in Memphis "" and was recorded on February 18 , 1969 in Memphis at the American Sound Studio ." "It was recorded on his album "" From Elvis in Memphis "" and was released on February 18 , 1969 at the American Sound Studio in Memphis ." 0 +Where codice _ 3 is a type qualifier , which the unqualified type of codice _ 27 is codice _ 28 and the qualified type is codice _ 29 . Where codice 3 is a type qualifier , with the qualified type of codice 27 codice 28 and the unqualified type codice 29 . 0 +Gandini was born on May 19 , 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . Gandini was born in Venice on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Parma . 1 +In December 1831 , Somerville joined the Royal Scots Greys regiment of the British Army . Somerville had joined the Royal Scots Greys regiment of the British Army in December 1831 . 1 +""" Koi Hitoyo "" is a mid-tempo song , composed and produced by Tsugutoshi Gotō , written by Goro Matsui ." """ Koi Hitoyo "" is a mid-tempo song written by Gorō Matsui and composed and produced by Tsugutoshi Gotō ." 1 +The river Suceviţa is a tributary of the Voievodeasa River in Romania . The river Voievodeasa is a tributary of the River Suceviţa in Romania . 0 +Otto Müller died on 9 December 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . On 9 December 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . 0 +Stephen Harper was defeated by Paul Martin as Prime Minister of Canada on 23 January 2006 . On 23 January 2006 , Paul Martin was defeated as Prime Minister of Canada by Stephen Harper . 0 +On 3 August 2015 , Parmele was signed by the Cleveland Browns and was dismissed by the team on 31 August 2015 . Parmele was signed by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was released by the team . 1 +The Interogator typed a lot of papers and then came in four months to Abdulla , the Intorgator read the papers and forced Abdulla to write it . The interogator read a lot of papers then came to Abdulla in the four months stress , the intorgator typed the papers and forced Abdulla to write it . 0 +Sam has a much younger brother named Sam who is not much older than Hank Bennett 's eldest son . Sam has a much younger brother named Sam , who is not much older than the eldest son of Hank Bennett . 1 +He was considered an official member of the council and often was sent to Canada on active Albany business . He was considered an active member of the Council and was often sent to Canada on an official Albany store . 0 +He believes that Elbow is too acceptable , while he thinks himself that the writer should first prove himself . He thinks that Elbow is too acceptable , while he believes himself that the writer should first prove himself . 1 +The childhood of Berkeley was spent in Warwickshire , where he was a student of the translator Philemon Holland of Coventry and Henry Ashwood . Berkeley 's childhood was spent in Warwickshire , where he was a pupil of the translator , Philemon Holland of Coventry , and of Henry Ashwood . 1 +In the early 1930 ’ s , Franklin moved from Los Angeles to New York City to work as a costume designer for Hollywood films . In the early 1930s Franklin moved from Los Angeles to New York City to work as a costume designer for Hollywood films . 1 +There I went forth , and there was he : here and there I find him to my sorrow . There was I , and there went he : here and there to my grief I find him . 0 +David David Urquidi played keyboards while Rami played Jaffee saxophone and Aguilar played trumpet . David Urquidi played keyboards while Rami Jaffee played saxophone and Aguilar played trumpet . 1 +Eddy Heurlié ( born 27 December 1977 in Le Lamentin ) is a Martiniquais footballer who currently plays for lower league outfit CS Bélimois in Martinique . Eddy Heurlié ( born December 27 , 1977 in Martinique ) is a Martiniquais footballer who currently plays in the lower league CS Bélimois in Le Lamentin . 0 +The town of Cortlandville , close to the western border of the county , is surrounded by the city of Cortland . The town of Cortland , near the western border of the county , is surrounded by the city of Cortlandville . 0 +In April 1944 , Cozens was promoted Lieutenant-General and was later appointed Assistant Chief to General Ronald Scobie . In April 1944 , Cozen 's Lieutenant-General was appointed and was later promoted to Assistant Chief General Ronald Scobie . 0 +The next day Finn Malmgren was rescued , the body of Mariano and Zappi was not found . Finn Malmgren was rescued the next day , the body of Mariano and Zappi were not found . 1 +Vinay wants the Xavier to kill someone . Xavier wants Vinay to kill someone . 0 +During peak hours , the Bedford services continue to Kentish Town . During peak hours , Kentish Town services continue to Bedford . 0 +But soon Donald and Ducky discover that Katie and the triplets are dealing with ghosts inside the hotel . But soon Donald and Ducky discover that Katie and the triplets are dealing with ghosts in the hotel . 1 +He remained in Japan for three years before moving with his family back to Germany . He stayed in Japan for three years before moving back with his family to Germany . 1 +After the season , he , Rick Anderson , Juan Beníquez and Jerry Narron were traded for Ruppert Jones and Jim Lewis in the Seattle Mariners . After the season , he , Ruppert Jones and Jim Lewis were traded to the Seattle Mariners for Rick Anderson , Juan Beníquez and Jerry Narron . 0 +Michael Chang won 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan in the finals . Renzo Furlan won 3 : 6 , 6 : 3 , 7 : 5 against Michael Chang in the final . 0 +Music was composed by Vedha and the lyrics were written by Kannadasan . The music was written by Vedha and the lyrics by Kannadasan were composed . 0 +Lee Field in the Galewood neighborhood of Wyoming , Michigan is the club 's home stadium . Lee Lee Field is the club 's home stadium on the Galewood neighborhood of Wyoming , Michigan . 1 +He devoted the work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : He devoted the work to his friend , the violinist Fritz Kreisler , who wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : 0 +One Lonely Night ( 1951 ) is Mickey Spillane 's fourth novel with the private investigator Mike Hammer . One Lonely Night ( 1951 ) is Mike Hammer 's fourth novel featuring private investigator Mickey Spillane . 0 +The most preferred treatment method at the time was active medication . The most active treatment method at present was the preferred medication . 0 +Pennypacker , born in Pennsylvania , moved to New York just after the turn of the century , before moving to Southampton , New York , on Long Island . Pennypacker , born in Southampton , New York , moved shortly after the turn of the twentieth century to Pennsylvania before moving to New York City on Long Island . 0 +Neptunea alexeyevi is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Neptunea alexeyevi is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 1 +"A DVD was released on March 5 , 2012 , performed "" Dudley Taft live at Hwy 99 "" , called August 6 , 2011 in Seattle , Washington ." "A DVD was released on March 5 , 2012 performed "" Dudley Taft live at Highway 99 , "" called August 6 , 2011 in Seattle , Washington ." 1 +The official language is Bhojpuri and its local language is Hindi . Bhojpuri is the local language and the official language is Hindi . 0 +The audio companion to the digital concert was released on 29 January 2008 as a live album at iTunes . The audio companion to the live concert was released as a digital album on iTunes on January 29 , 2008 . 0 +Both John Kerry in 2001 and Mark Warner lost counties to Loudoun and Prince William in 2004 . Both Mark Warner in 2001 and John Kerry in 2004 Loudoun and Prince William lost counties . 0 +On 16 January 2009 , Hollins was traded with DeSagana Diop to Dallas Mavericks , in exchange for Matt Carroll . On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with Matt Carroll in exchange for DeSagana Diop . 0 +Under Portuguese rule this province was named Moçambique but with independence , the name Mozambique was used for the entire country and the province renamed for its capital . Under Portuguese rule this province was renamed Moçambique , but with its independence the name Mozambique was named for its capital for the whole country and the province . 0 +The captain is actually murdered by Mr. Mercer who is working for Cutler Beckett . The captain is actually murdered by Mr Cutler Beckett , who is working for Mercer . 0 +"On 4 May 1898 , "" Florida "" was appointed and awarded to Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." """ Florida "" was ordered on 4 May 1898 , and awarded to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." 1 +Chongqing is a district in Wanzhou district , China and the location of a former prefecture . Chongqing is a district in Wanzhou District , China and the site of a former prefecture . 1 +Due to the results in the previous round , Gianni Morbidelli received + 30 kg , Jordi Gené + 20 kg and Andrea Belicchi + 10 kg . Due to the results in the last round , Gianni Morbidelli received + 30 kg , Andrea Belicchi + 20 kg and Jordi Gené + 10 kg . 0 +The Arena has hosted concerts by many famous artists , including Whitney Houston , André Rieu , TOTO , Trance Energy and Tina Turner . The arena has hosted concerts by many famous artists , including Whitney Houston , André Rieu , TOTO , Trance Energy and Tina Turner , among others . 1 +The Simpsonville Mill is a historical pre-colonial mill complex in Columbia , Maryland , part of the Simpsonville , Maryland land development . The Simpsonville Mill is a historic pre-colonial mill complex in Columbia , Maryland , part of the Simpsonville , Maryland land development . 1 +The petal tube is white to lilac-coloured , blue or purple , with lines of yellow-brown spots inside the tube . The flower petal tube is white to purple , blue or purple , with lines of yellow-brown spots inside the tube . 1 +Eckhoff represented Great Britain in 1928 against New Zealand , and in 1930 against Australia . Eckhoff represented Britain against New Zealand in 1928 and Australia in 1930 . 1 +The French , led by Bertrand du Guesclin , defeated and met the relief force . The French , led by Bertrand du Guesclin , met the relief force and defeated it . 0 +The Petersfield Museum is a local museum in the small town of Petersfield in the English county Hampshire . Petersfield Museum is a small museum in the local city Petersfield in the English county of Hampshire . 0 +The special Born Warriors Trilogy was released on DVD and Blu-ray in 2016 , and a full 4 Disc Deluxe Edition was released in 2017 . The full Born Warriors Trilogy was released on DVD and Blu-ray in 2016 . A special 4 Disc Deluxe Edition was released in 2017 . 0 +Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named as his honours . Sparkman High School in Harvest , Alabama , Sparkman School in Somerville , Alabama , Sparkman Drive in Huntsville are all named to his honor . 0 +It confirms changes to the Commodity Exchange Act , specifies reporting intervals for financial transactions . It specifies changes to the Commodity Exchange Act , confirms notification intervals for financial transactions . 0 +Cicimli ( also Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye and Dzhidzhimli Vtorye ) is a village in Azerbaijan , Lachin Rayon . Cicimli ( also , Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye , and Dzhidzhimli Vtorye ) is a village in the Lachin Rayon of Azerbaijan . 0 +Irregular menstruation is a vaginal disorder whose manifestations include menstrual cycle lengths as well as metrorrage ( irregular bleeding between expected periods ) . Irregular menstruation is a vaginal disorder whose manifestations include menstrual cycle lengths as well as metrorrhagia ( irregular bleeding between expected periods ) . 1 +The second person to open a business in Cave City and to build the first residence was Judge C. Roberts . Judge C. Roberts was the first person to open a shop in Cave City and build the second residence . 0 +He finished 13th in the Sandown 500 with Tony Longhurst and 11th in the Bathurst 1000 with Nathan Pretty . He won the 13th place in the Sandown 500 with Tony Longhurst and 11th with Nathan Pretty in the Bathurst 1000 . 1 +The river Grojetu is a tributary of the River Repedea in Romania . The Groșetu River is a tributary of the Repedea River in Romania . 1 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of the true limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the Neolepetopsidae family , one of the families of the Marine limpets . 0 +The river is owned and managed by Fordy Wood Copse , a forest overlooked by the Woodland Trust . The river is owned and managed by Fordy Wood Copse a woodland overlooked by the Woodland Trust . 1 +When Vicky had the dream , she did her best to preserve him from Barnabas , but to stop her pain , Barnabas made her tell him . When Vicky had the dream , she did her best to keep it from Barnabas , but to stop her pain , Barnabas made her tell him . 1 +He graduated from Washburn Law School in 1976 and from Kansas Newman College in 1979 . He graduated in 1976 from Kansas Newman College and in 1979 from the Washburn Law School . 0 +Suzanne Bertish played Tekla , Jonathan Kent Adolf and Ian McDiarmid played Gustaf . Suzanne Bertish played Tekla , Jonathan Kent played Adolf , and Ian McDiarmid played Gustaf . 1 +"Soviet nationalist Ukrainians saw the book "" as a Ukrainian attempt to paint Mykola Lebed with a broad anti-Semitic brush "" ." "Soviet - nationalist Ukrainians saw the book "" as a Ukrainian attempt to paint Mykola Lebed with a wide anti-Semitic brush "" ." 1 +The Royal College of Music has appointed Peter Stark alongside Maestro Natalia as professor of conducting . The Royal College of Music has appointed Peter Stark as a Professor of Conducting alongside Maestro Natalia . 1 +He was inherited among the leaders in stranded runners at 51 . He was among the leaders in inherited runners stranded with 51 . 0 +He was born in the village of Segutiet , province of Rift Valley , in the former district of Bomet , Kenya . He was born in Segutiet village , Bomet District , in the former Rift Valley Province of Kenya . 0 +Garha Kalan is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . Garha Kalan is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +In March , they returned to Jason Sanderson 's studio to record their first material with their newest member , Reid . In March , they returned to Reid 's studio to record their first material with Jason Sanderson . 0 +Jimmy Arias defeated Andre Agassi by 6 -- 2 , 6 -- 2 . Jimmy Arias defeated Andre Agassi 6 -- 2 , 6 -- 2 . 1 +He was born on 23 January 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born on 23 January 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . 1 +Ida Bjørndalen replaced Linn Jørum Sulland due to an injury on 30 November 2014 . Ida Bjørndalen replaced Linn Jørum Sulland on 30 November 2014 due to an injury . 1 +Walter Gropius was the great-uncle of architect and Bauhaus founder Martin Gropius . Walter Gropius was the great-uncle of the architect and Bauhaus founder Martin Gropius . 1 +On 19 October , Shire PLC ( SHPG ) Linear Technology ( LLTC ) replaced the index . On 19 October , Linear Technology ( SHPG ) replaced the Shire PLC ( LLTC ) index . 0 +Note that Ionia and Aeolis were not considered separate units by the Persians , while Lykia was included in offshore - Caria and Sparda - the semi-autonomous islands . Note that Ionia and Aeolis were not considered separate entities by the Persians , while Lycia was included in semi-autonomous Caria , and Sparda included the offshore islands . 0 +The figures of Christ and the young woman are depicted framed by the twisting Byzantine columns in the portico of a round temple . The figures of Christ and the young woman are framed in the portico of a Byzantine temple by the winding round columns . 0 +The following night , Delirious set aside his problems with Danielson to challenge Pearce . The next night , Delirious put aside his problems with Pearce to challenge Danielson . 0 +Saint Cennych was a medieval saint from Pre-Congregational , South Wales He is the patron saint of Llangennych , Carmarthenshire . Saint Cennych was a medieval saint of Pre-congregational , South Wales . He is the patron Saint of Llangennych , Carmarthenshire . 1 +The pterostigmata of the white males are almost immature . The pterostigmata of males immature are almost white . 0 +The 1953 Labour Party deputy leadership election took place on October 29 , 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . The 1953 Labour Party deputy election took place on 29 October 1953 , after the current deputy leader Aneurin Bevan , was challenged by Herbert Morrison . 0 +In 1932 , the company moved cigar production from Cuba to Trenton following a strike in the Cuban factory and to avoid high tariffs . The company moved cigar production to Cuba in 1932 following a strike at the Cuban factory in Trenton and to avoid high tariffs . 0 +Following the takeover of the Nazi regime in 1936 , he was forced to withdraw with evangelical ancestors as a citizen of Jewish faith . Following the takeover of the Nazi regime in 1936 , he was forced to withdraw as a citizen of evangelical faith with Jewish ancestors . 0 +Local artists have created a unique oasis at the Azalea Community Park with the Water Conservation Garden , a collection of succulents and creative sculpture . At the Azalea Community Park , creative artists have created a unique oasis with the Water Conservation Garden , collection of local plants and succulent sculpture . 0 +It was premiered on 30 September 2012 at the Borneo Eco Film Festival as it was the first time shown in Borneo . It was shown at the Borneo Eco Film Festival on 30 September 2012 , when it was first premiered in Borneo . 0 +It is around 100 km from Northern Motorway Auckland and about 75 nautical miles from the Ports of Auckland . It is around 100 km from Auckland 's Northern Motorway , and about 75 nautical miles from the Ports of Auckland . 1 +His eyewitness account reports that the Afghans simply fled from the village and Hari Singh Nalwa Peshawar occupied without a battle . His eyewitness account reports that the Afghans simply fled the place and Hari Singh Nalwa occupied Peshawar without a battle . 0 +Although sold in Germany , Fonzies are produced in Italy by LU Snack Foods GmbH . Although sold in Italy , fonzies are manufactured by LU Snack Foods GmbH in Germany . 0 +Since 2008 , Hoyer toured Canada on several occasions , including twice with Michael Rault , once with Sean Nicholas Savage and once with The Joe . Since 2008 , Hoyer has been touring Canada several times , once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . 0 +A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September another tour was taken in Switzerland . A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September another tour followed in Switzerland . 1 +Before inheriting the earldom , Pleydell-Bouverie married Julian Eleanor Adelaide Balfour , daughter of Charles Balfour , on 20 January 1891 , and they had ten children : On 20 January 1891 , Pleydell-Bouverie married Charles Balfour , the daughter of Julian Eleanor Adelaide Balfour , and had ten children . 0 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . The 1953 Labour Party deputy leadership election took place on October 29 , 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . 1 +He played Lollapalooza in Los Angeles in 2007 , and the FuckYeah Festival in Chicago in 2008 . He played in 2007 at Chicago Lollapalooza , and in 2008 at the FuckYeah Festival in Los Angeles . 0 +In 266 , Sima Zhao 's son Sima Yan forced the last Wei - Emperor Cao Huan to end the throne in his favor , ending the Wei regime . In 266 , Sima Zhao 's son Sima Yan forced the last Wei emperor Cao Huan to abdicate the throne in his favour , thereby ending the Wei regime . 1 +The 8 Talukas in this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . The 8 Talukas in this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . 1 +The Oltu region ( administered in 1920 by Georgia ) was also claimed by Armenia . The Oltu region ( also claimed by Georgia in 1920 ) was administered by Armenia briefly . 0 +The section of the Collector Highway 321 from Springhill to Oxford was designated as Trunk Highway 4 before the 1960s . The section of the Collector Highway 321 from Oxford to Springhill was designated as Trunk Highway 4 before the 1960s . 0 +Yauli District is one of nineteen districts of the province Peru in Huancavelica . Yauli is one of nineteen districts in the province of Peru in Huancavelica . 1 +But these old folk songs are funny , ironic and give a view of the Iranian woman when she is in private . But these old folk songs are funny , ironic , and give a glimpse of the Iranian when she is private . 1 +Governor Flanagin took the state archives and first moved to Hempstead County , and then continued to Washington , Arkadelphia , where he set up a new capital . Governor Flanagin took the state archives and first moved to Arkadelphia and then to Washington at Hempstead County , where he set up a new capital . 0 +"The American Legation in Stockholm , Sweden , also consented to the embarkation of 15 "" American nationals of prominent republics ... , including the Mexican minister ." "The American mission in Stockholm , Sweden , also agreed to the embarkation of 15 "" prominent nationals of American republics ... including the Mexican minister ... "" ." 0 +In 1977 , the US 1 was transferred to Webster Avenue and Alexander Hamilton Bridge , crossing the Harlem River via the Cross Bronx Expressway . In 1977 , US 1 was moved to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River using the Alexander Hamilton Bridge . 0 +It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as in Turkey , Azerbaijan and Iran . 1 +His grandson , Edward , was elected for Grenville in the 11th Parliament of Upper Canada . His grandson , Grenville , was elected for Edward to the 11th Parliament of Upper Canada . 0 +Lennox Island 6 is located in Fernwood , Bedeque , approximately west of the municipality of Prince Edward Island . Lennox Island 6 is located in Fernwood , Bedeque , approximately west of the community of Prince Edward Island . 1 +The music was composed by V. Dakshinamoorthy and lyrics was written by Ettumanoor Somadasan and Aravind Abhayadev . The music was composed by V. Dakshinamoorthy and the text was written by Ettumanoor Somadasan and Aravind Abhayadev . 1 +Uppal Jagir and Uppal Khalsa are villages in the Tehsil of Nurmahal , near Phillaur , Jalandhar district , Punjab , India . Uppal Jagir and Uppal khalsa are villages in the tehsil of Nurmahal , near Phillaur , Jalandhar district , in Punjab , India . 1 +At that time , Andrew Johnson was the president , and his government learned that Meacham did not support him . At that time , Meacham was president , and his administration learned that Andrew Johnson did not support him . 0 +It was assigned to the Pensacola Navy Yard in 1866 , and then to the Portsmouth Navy Yard in 1868 . He was assigned in 1866 to the Pensacola Navy Yard , then in 1868 to the Portsmouth Navy Yard . 1 +In general , higher temperatures and lower pressures promote sponge coke formation . In general , higher temperatures and lower pressures promote the formation of sponge coke . 1 +After a magical , coma-like slumber , Elena takes on more responsibility and eventually becomes the sheriff of Mystic Falls . After Elena falls into a magical , coma-like slumber , Matt takes on more responsibility and eventually becomes the sheriff of Mystic Falls . 0 +The show was staged by Nick Winston at the Theatre Royal in Newcastle on March 27 , 2012 and choreographed by Ed Curtis . The show was premiered on 27 March 2012 at Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . 0 +Her projects include performance art , storytelling , spoken word , audio , site-specific installations , public art , interactive projects and new media . Her projects include performance art , storytelling , spoken word , audio art , site-specific installations , public art , interactive projects and new media . 1 +A single egg weighs around and usually has 17 ribs , but sometimes 18 or less often 16 . A single egg weighs about and usually has 17 ribs , but often 18 or less sometimes 16 . 0 +He was born in Kristiansand in Norway , but came to Bukan , Iran in 1997 . He was born in Bukan , Iran , but came to Kristiansand in 1997 , Norway . 0 +"She participated in the second season of the most controversial non - fiction popular bengali reality - show "" Bigg Boss Bangla "" ." "She has participated in the second season of the most popular non fiction controversial bengali reality show "" Bigg Boss Bangla "" ." 0 +There are two high schools , three middle schools , and 11 elementary schools in the Alamogordo Public School District . There are two high schools , three secondary schools and 11 elementary schools in the Alamogordo public school district . 1 +"At the 54th International Film Festival in Locarno his British feature film "" Déjàvu "" was premiered with international actors ." "His British English feature film "" Déjàvu "" with international actors premiered at the 54th Locarno International Film Festival ." 1 +In 1968 , however , Humphrey supported McKeithen at the Democratic National Convention in Chicago . However , in 1968 , McKeithen Humphrey had supported the Democratic National Convention in Chicago . 0 +"In 1994 , the Polish Ambassador to South Africa , Mr Durrant presented the "" Warsaw Insurrectionary Cross "" to SCieniuch 's widow ." "In 1994 , the Polish ambassador to South Africa , Mr Durrant , presented the "" Warsaw Cross of Insurrection to SCieniuch 's widow ." 1 +It was created by the Constitution of Afghanistan , which was adopted on 4 January 2004 . This was approved by the Constitution of Afghanistan , which was created on 4 January 2004 . 0 +Montgomery County is part of the Blacksburg -- Christiansburg -- Radford , VA Metropolitan Statistical Area . Montgomery County is part of the Metropolitan Statistical Area Blacksburg -- Christiansburg -- Christiansburg -- Radford , VA . 1 +She lived in Minglanilla , Cebu before moving to Metro Manila . She lived in the Manila Metro before moving to Minglanilla , Cebu . 0 +Ken 's parents are Jean and Steve DeBauche of Suamico , WI and has two younger brothers , Brad and Brent DeBauche . Jean Ken 's parents are Jean and Steve DeBauche of Suamico , WI and has two younger brothers , Brad and Brent DeBauche . 1 +For many centuries it was a chapel royal , and from 1480 a royal peculiar , independent of the Diocese of Lichfield and even the Province of Canterbury . For many centuries it was a royal chapel and from 1480 a royal peculiar , independent of the diocese of Lichfield and even of the province of Canterbury . 1 +This time , however , they were found in Bolivia a long way from the earlier discoveries of P. unicornis in Peru . "However this time they were found in Peru a long way from the previous "" P. unicornis "" discoveries in Bolivia ." 0 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and was managed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and directed by Sheikh Sadi Khan . 1 +codice 3 is a type qualifier where the unqualified type of codice 27 codice 28 is and the qualified type codice 29 . Where codice _ 3 is a type qualifier , which the qualified type of codice _ 27 is codice _ 28 and the unqualified type is codice _ 29 . 0 +This makes Pyhä-Luosto Finland 's newest and oldest national park at the same time . This makes Pyhä-Luosto Finland 's oldest and newest national park at the same time . 0 +McConkey is best for his performance in the Super Bowl XXI after the 1986 season in Denver Broncos , which won the Giants 39-20 against the Giants . McConkey is best remembered for his performance in Super Bowl XXI after the Denver Broncos ' 1986 season , which the Giants won 39-20 over the Giants . 1 +In September 1994 , Anton Lesley married Gray Anton . Lesley Gray married Anton in September 1994 . 0 +Daniel Glimmenvall ( born September 10 , 1974 ) is a Swedish professional ice hockey player . He was formerly known as Daniel Johansson until 2009 . Daniel Glimmenvall ( born September 10 , 1974 ) is a Swedish ice hockey professional who was known as Daniel Johansson until 2009 . 1 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Missouri to Illinois . The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Illinois to Missouri . 0 +Taylor was born on June 11 , 1890 in Winton , North Carolina , around Simeon P. and Kate ( Ward ) Taylor . Simeon P. was born on 11 June 1890 in Winton , North Carolina , around Taylor and Kate ( Taylor ) Ward . 0 +In the second ending , Kisuke arrived to find Tsunayoshi , killed by the Jinkuro-possessed Momohime . In the second ending , Kisuke arrives to find Tsunayoshi killed by the Jinkuro-possessed Momohime . 1 +The show was initiated by Peter Weil , produced by Barraclough Carey Productions . The show was produced by Peter Weil and initiated by Barraclough Carey Productions . 0 +In 1934 , he was co-founder of the Badminton World Federation ( now International Badminton Federation ) , whose president he was from 1934 to 1955 . In 1934 he was co-founder of the International Badminton Federation ( now Badminton World Federation ) , of which he was president from 1934 to 1955 . 0 +Blue jays , like other corvids , are highly intelligent and are considered curious birds . Like other Corvids , Blue Jays are very curious and are considered intelligent birds . 0 +The direct synthesis is a violent reaction of caesium with other halogens . The other synthesis is a direct reaction of caesium with vigorous halogens . 0 +"The 356th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 9287th link would be 0.2.356 at the end ." "The 9287th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 356th link would be 0.2.356 on the end instead ." 0 +In 2009 , Damien Ritter founded his independent record label Funk Volume with Hopsin . In 2009 , Hopsin founded his independent record label Funk Volume with Damien Ritter . 0 +He lived in Italy for ten years and won the classic Bardolino race in Turin for six years in a row from 2001 to 2006 . He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy for six years in a row from 2001 to 2006 . 0 +By the middle of the 7th century alchemy was almost an entirely mystical discipline . By the middle of the 7th century , alchemy was an almost mystical discipline . 1 +It shows 362 different old species of wood , bushes and 236 different species of fruit trees . It shows 362 different old species of wood trees , bushes and 236 different species of fruit trees . 1 +Given a discrete set of probabilities formula _ 3 with the condition formula _ 2 , and formula _ 1 any real number , the Tsallis entropy is defined as With a discrete amount of probabilities Formula 1 with the condition formula 2 and Formula 3 any real number is defined as the Tsallis - Entropy as 0 +"Roy Roy Bargy was at the piano "" One "" , and Green and Ramona played the other two pianos ." "Roy Bargy was at piano "" one , "" and Green and Ramona played the other two pianos ." 1 +Along with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Gosforth , and Cockermouth districts of Cumberland . Together with Frederick Murray Trotter and others he helped create new maps and memoirs from Brampton , Whitehaven , Cumberland - districts of Gosforth and Cockermouth . 0 +This manuscript was presented to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . The manuscript was presented to the Bishop of Imbro , Nicephorus Glykas , Eduard Reuss . 0 +"Australian Blenny ( "" Ecsenius australianus "" ) are small marine blennioid fish of the genus "" Ecsenius "" ." "The Australian blenny ( "" Ecsenius australianus "" ) are small marine blennioid fish of the genus "" Ecsenius "" ." 1 +Llewellyn , Tasmania is a small village in Somerset Land District , on the road from Campbell Town , Tasmania to the eastern coast , Llewellyn , Campbell Town , Tasmania is a small village in the Somerset Land District , on the road from Tasmania to the east coast . 0 +The Clarinda Post Office was opened on 13 September 1911 and reopened in 1971 , when it was developed in 1984 . Clarinda Post Office opened on 13 September 1911 and closed in 1971 . When the suburb was developed it reopened in 1984 . 0 +He is one of the leading English war poets of the First World War and has been compared with the German poet Wilfred Owen . He is one of the leading English war poets of the First World War , and has been compared with German poet Wilfred Owen . 1 +He was born in Bromma , died in Stockholm . He was born in Stockholm and has died in Bromma . 0 +Graham Bayne ( born August 22 , 1979 ) is a Scottish football professional who also plays with Elgin City , where he is currently Assistant Manager . Graham Bayne ( born 22 August 1979 ) is a Scottish professional footballer who currently plays for Elgin City , where he is also Assistant Manager . 1 +The player character is a freelance pilot from the different colony of Anatolia , who takes jobs from civilian companies . The player character is a freelancer pilot from the different colony of Anatolia , who takes jobs from civilian companies . 1 +The 1929 New Zealand - Rugby tour to New South Wales was the 14th tour of the New Zealand Rugby - Union team to Australia . The 1929 New Zealand tour rugby to New Zealand was the 14th tour by the New South Wales national rugby union team to Australia . 0 +Agostino Carracci was born in Bologna , and trained at the workshop of the architect Domenico Tibaldi . Agostino Carracci was born in Bologna and trained in the workshop of architect Domenico Tibaldi . 1 +Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays outside Atlantic City , New Jersey . Nick Frangos ( born Atlantic City , New Jersey ) is a professional poker player who plays in White Plains , New York . 0 +The second was a four track studio session and the first six tracks recorded at the Reading Festival . The second was a 4-track studio session and the first six tracks recorded at the reading festival . 1 +Since 1984 , Katherine Ross has been married to the actress Sam Elliott . Since 1984 , Sam Elliott has been married to the actress Katherine Ross . 0 +The Ciortosu River is a tributary of Nadeş River in Romania . The river Nadeş is a tributary of the River Ciortosu in Romania . 0 +He died on August 18 , 1861 , in Sandy Hill ; and was buried at the Union Cemetery in Fort Edward . He died at Fort Edward on August 18 , 1861 , and was buried at the Union Cemetery in Sandy Hill . 0 +The soil was home to the American Association , which played in 1890 in the players ' League and the Boston Reds in 1891 . The ground was home to the Boston Reds , that played in the Players ' League in 1890 and the American Association in 1891 . 0 +The temple is maintained and was renovated around 2005 by the Archaeological Investigation of India , Bhubaneswar Circle . The temple is renovated and was maintained around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 0 +2015 Played 4 Won 1 ( Melbourne ) , Lost 3 ( Canberra , Gold Coast , Penrith ) Played 4 Won 1 ( Melbourne ) , 3 lost ( Canberra , Gold Coast , Penrith ) 1 +Balaji Baji Rao was born as the eldest son of Vishwasrao at Supe near Pune ( Supe was the Jagir of Shahaji near Pune ) . Balaji Baji Rao was born in Supe near Pune as the eldest son of Vishwasrao ( Supe was the hunter of Shahaji near Pune ) . 0 +The construction of achieves a seed length of Formula 32 , which is constant to optimum factors . The construction of a seed length of Formula 32 , which is optimal to constant factors . 0 +She is a specialist in West Indian landscape painting and the visual culture of British colonialism and of British slavery . She is a specialist in British landscape painting and the visual culture of British colonialism and West Indian slavery . 0 +Produced by Arthur Hammerstein the show was directed by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and was choreographed by Danny Dare . Produced by Oscar Hammerstein II , the show by Reginald Hammerstein ( the brother of Arthur Hammerstein ) was choreographed and led by Danny Dare . 0 +Original members included Cornelius Vanderbilt , William , John D. Rockefeller , J. P. Morgan and Amzi Barber . Original members included Amzi Barber , William and John D. Rockefeller , J. P. Morgan and Cornelius Vanderbilt . 1 +Elmshorn is a town in the district of Pinneberg in Schleswig-Holstein in Germany . Pinneberg is a town in the district of Elmshorn in Schleswig-Holstein , Germany . 0 +Hojo is spoken by Nachi Nozawa in Japanese and by Paul Eiding in English . Hojo is voiced in Japanese by Nachi Nozawa and in English by Paul Eiding . 1 +Thus a regular polygon is a tangential polygon . A tangential polygon is thus a regular polygon . 0 +In 1932 , the company moved cigar production to Cuba following a strike at the Cuban factory in Trenton and to avoid high tariffs . In 1932 , the company moved cigar production from Cuba to Trenton after a strike at the Cuban factory , in order to avoid high customs duties . 0 +The production was repeated in Amsterdam from 8th June 2011 and from 8 July 2012 in Berlin . The production was repeated from 8 June 2011 in Amsterdam and from 8 July 2012 in Berlin . 1 +When Mohamad Elzahabi was injured in a 1995 battle in Kabul , Khadr visited him the Peshawar hospital . When Khadr was injured in Kabul in 1995 , Mohamad Elzahabi visited him at the Peshawar hospital . 0 +"The "" National Post "" and Warman apologized , retracted the statement and started out of court with Kay ." "The "" National Post "" and Kay apologized , retracted the statement and settled out of court with Warman ." 0 +Ammu is an Indian Malayalam film , produced by NN Pisharady and directed by M Kesavan in 1965 . Ammu is a 1965 Indian Malayalam film , directed by NN Pisharady and produced by M Kesavan . 0 +Finally , Yachama Naidu agreed with the captain of the Vellore Fort to murder the guards and to release Sriranga II and his family . Finally , Yachama Naidu arranged with the captain of the Vellore Fort to release the guards and murder Sriranga II and his family . 0 +"Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources of the data used are provided ." """ Politically sensitive , economically appropriate , ecologically sustainable , and finally , socially just "" , however no references or sources are provided for the data used ." 0 +The Noir Bois , a paleolithic and medieval settlement and the Pré Monsieur paleolithic settlement are listed as Swiss heritage site of national significance . The Noir Bois , a Swiss settlement and the Paleolithic settlement Pré Monsieur are performed as a national heritage of Paleolithic and Medieval significance . 0 +Following the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of founding a new band with Brendan Benham . After the breakup of their previous band , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . 0 +The album was produced by Jason Suecof and mixed with Colin Richardson . The album was produced by Colin Richardson and merged by Jason Suecof . 0 +In 219 , while Guan Yu was attacking Fancheng , Sun Quan agreed to send reinforcements to help the entrapped Cao Ren . In 219 , while Cao Ren Fancheng was attacking , Sun Quan agreed to send reinforcements to help the enclosed Guan Yu . 0 +The most important energy parts are in negligible losses , the other two are thermal and kinetic . The most important energy parts are in thermal and kinetic losses , the other two are negligible . 0 +Safa Masjid or Safa Shahouri Masjid is located in Ponda within the Goa of India . Safa Masjid or Safa Shahouri masjid is located at Ponda within the Goa in India . 1 +According to the Indian census 2011 , the population of Samdari 25012 , where the female population is 12805 and the male population is 12207 . According to the Indian census 2011 , the population is of Samdari 25012 , where the male population is 12805 and female population is 12207 . 0 +Phyllonorycter fraxinella is a moth of the Gracillariidae family , which is found from Germany and Poland to Sicily and Greece and from France to Southern Russia . Phyllonorycter fraxinella is a moth of the Gracillariidae family . It is found from Germany and Poland tot Sicily and Greece and from France to southern Russia . 1 +The treatment included progressive muscle relaxation , cognitive exposure therapy with interoceptive restructuring , or a combination of both . Treatment included progressive muscle relaxation , interoceptive exposure therapy with cognitive restructuring , or a combination of both . 0 +Ball died in 1978 in Grassy Creek , North Carolina , and is buried at Corinth Baptist Church in Rugby , Grayson County , Virginia . died 1978 in Grassy Creek , North Carolina , and is buried in the Corinth Baptist Church in Rugby , Grayson County , Virginia . 0 +He was taught by the Croatian composer Vatroslav Lisinski music and later enrolled at the music school Rudolf Matz . He was taught music by the Croatian composer Vatroslav Lisinski and later enrolled in the Rudolf Matz music school . 1 +In the 8th century Bethlehem went through control of the Islamic caliphates of the Umayyads , then in the 9th century the Abbasids . Bethlehem then passed through the control of the Islamic caliphates of the Abbasids in the 9th century , then the Umayyads in the 8th century . 0 +Belagere is a village in Challakere , Chitradurga district , Karnataka , India . Belagere is a village in Challakere , district of Chitradurga , Karnataka , India . 1 +Iphinoé Davvetas ( born 6 August 1992 ) is a synchronized competitor in French swimming who competed in the 2013 World Aquatics Championships . Iphinoé Davvetas ( born August 6 , 1992 ) is a synchronized French swimming competitor who participated in the 2013 World Championships in the Aquatics Competition . 1 +The second method is used when the number of elements in each row is the same and known at the time the program is written . The second method is written when the number of elements in each line is the same and is known at the time of using the program . 0 +The song was composed by the trio of song writers and producers Chen Neeman , Aris Archontis and Jeannie Lurie . The song was composed by the trio of songwriters and producers Jeannie Lurie , Aris Archontis and Chen Neeman . 1 +In 1974 , he won the positions of Concertmaster of the Boston Pops and Associate Concertmaster of the Boston Symphony , where he spent 11 years . In 1974 he won the positions of the Concertmaster of Boston Pops and Associate Concertmaster of the Boston Symphony , where he spent 11 years . 1 +Tabda , also known as Tabto , is a town in the southern Jubbada Hoose ( Lower Juba ) region of Somalia . Tabda , also known as Tabto , is a city in the southern region of lower Juba ( Jubbada Hoose ) in Somalia . 1 +The Lessos-Kenya border section is funded jointly by the Government of Uganda and JICA . The Lessos Border Section -- Uganda is financed jointly by the Government of Kenya and JICA . 0 +Another important route that crossed the Campbelltown territory included the road that led from the Bindnagle settlement to Palmyra , which is now PA 117 . Another important route that crossed the Palmyra area included the road which led from the Bindnagle settlement to Campbelltown , which is now PA 117 . 0 +Between 2006 and 2011 , Nantes , Bordeaux , Rennes , Montpellier , Toulouse , and Lyon had the fastest-growing conurbations in France . Between 2006 and 2011 , Toulouse , Rennes , Montpellier , Nantes , Bordeaux and Lyon had the fastest-growing metropolitan areas in France . 1 +"The book is the basis for the 2016 film "" In the Forests of Siberia "" directed by Safy Nebbou and with Raphaël Personnaz ." "The book is the basis for the 2016 film "" In the Forests of Siberia "" , directed by Raphaël Personnaz and starring Safy Nebbou ." 0 +Valesca asked him to control himself when he started to curse the animals . Valesca asked him to control himself when he began to curse the animals . 1 +They are used in applications as a contrast medium for biological imaging , as particles for flow tracking or as fluorescent carriers . They are used in applications as contrast agents for biological imaging , as particles for flow tracking , or as fluorescent carriers . 1 +At the Labor Eve 2016 , Badou Jack was named as a replacement for Bute to challenge Julio Cesar Chavez Jr. for the WBC Super Middleweight Championship . On Labor Eve 2016 , Badou Jack was named as the replacement for Bute to challenge Julio Cesar Chavez Jr. for the WBC Super Middleweight Championship . 1 +PremLata Singh was married to Birender Singh on June 9 , 1970 . Birender Singh married PremLata Singh on 9 June 1970 . 1 +This was the first season for the Giants after the AFL - NFL merger , in which ten American Football League teams from the National Football League have joined . This was the first season for the American Football League after the AFL -- Giants merger , in which ten NFL teams joined the National Football League . 0 +It is located next to the hamlet of Hickstead , to the west of Burgess Hill and adjacent to the main road A23 from London to Brighton . It is located next to the hamlet of Hickstead , to the west of Burgess Hill and adjacent to the main A23 road from London to Brighton . 1 +The river Dunăreana is a tributary of the Galbena River in Romania . The Dunăreana River is a tributary of the Galbena River in Romania . 1 +Shimla is a main suburb of the city of Sanjauli , in the Shimla district of Himachal Pradesh , India . Shimla is a suburb of the city of Sanjauli , in the Shimla district of Himachal Pradesh , India . 1 +Sir Martin ( or Roger Martyn ) was a Mercer and Lord Mayor of London in 1567 , and in 1559 he was Sheriff of London . Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , he was Sheriff of London in 1559 . 1 +The festival debuted in 2007 and originated in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . The festival debuted in 2007 and began in Phoenix , Arizona and has been in San Diego , Houston and Zurich since then . 1 +The People 's Armed Forces for the Liberation of Angola ( FAPLA ) and Angolan troops took the town on 1 February 1976 during the Cuban Civil War . The People 's Army for the Liberation of Angola ( FAPLA ) and Angolan troops took the city on February 1 , 1976 during the Cuban civil war . 1 +Lawler accused Bret Hart of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . Lawler accused Bret Hart in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 1 +Although it has never been used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events were played . Although it was never played in the series , elements of the gameplay were used for the Powerball , Whiplash and Earthquake events . 0 +In 2014 , founding member of 15 years Devin Abrams left the band and was replaced by Dan McGruer . In 2014 , the founding member of 15 years of age left Devin Abrams and was replaced by Dan McGruer . 1 +In these stanzas , Galatea 's Platonic character as an ideal ( see tangible idealism ) is made inaccessible . In these strophes , Galatea 's platonic character is made inaccessible as an ideal ( see tangible idealism ) . 1 +"Smith has published two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "Greg Smith has released two solo albums as Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 0 +In October 2001 , he defended his Ph.D. in Psychology from the Free University of Brussels on cognitive models of human hypertext navigation . He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of cognitive models of human hypertext navigation . 1 +Linkuwa Pokhari is a village and village development committee in the Sagarmatha area of Khotang district in eastern Nepal . Linkuwa Pokhari is a village and Village Development Committee in Khotang District in the Sagarmatha Zone of eastern Nepal . 1 +""" , Williams turned heel and reformed the British Invasion with Magnus by attacking the team of Eric Young and Orlando Jordan ." Magnus turned the heel and reformed the British invasion of Williams by attacking Eric Young and Orlando Jordan 's team . 0 +He worked as a translator and teacher in Europe for most of the four years he was in school there and then worked in Costa Rica for one year . He worked as a translator and teacher in Costa Rica for most of the four years he was in school , and then worked in Europe for a year . 0 +The school was established in Australia and then pioneered in 1903 in Ireland . The school was founded in Australia and then pioneered in Ireland in 1903 . 1 +Then he re-planted the movement in Brooklyn , New York , and later in London , and Monticello , New York . Later , he replanted the London movement , and then in Brooklyn , New York , and Monticello , New York . 0 +Stone Quarry Hill is a mountain in the Central New York region of New York . It is located northwest of East Worcester , New York . Stone Quarry - Hill is a mountain in the central New York region of New York and is located in the northwest of East Worcester , New York . 1 +Alma Peter Crane and Connie Chandler were nominated by the Independent Party of Utah , where Crane and Chandler received 1,101 votes . The Independent Party of Utah nominated Chandler and Connie Chandler . Crane and Alma Peter Crane received 1,101 votes . 0 +The season 1990 PBA was the 16th season of the Philippine Basketball Association ( PBA ) . The 1990 PBA season was the 16th PBA ( Philippine Basketball Association ) season . 1 +Cain married in 1968 Vera Nell Washington , who has a son , Brian Earl Cain , and a grandson , Brian Earl Cain , Jr.. Vera Nell Washington married Brian Earl Cain in 1968 . He has a son , Cain , and a grandson , Brian Earl Cain , Jr . 0 +"Szekelys ( Hungarian : "" Székely "" ) are Hungarian people from the historical region of Transylvania , Romania ." "Szekelys ( Hungarian : "" Székely "" ) are Hungarian people from the historical region of Transylvania , Romania ." 1 +The cast list gives a first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . The cast list indicates a date of first performance after Tooley joined the company in the Spring of 1619 , and before Taylor 's death in June 1623 . 1 +This American fundamental principle of equality is central to the political and legal beliefs of Republicans , Democrats , Liberals , and Conservatives alike . This bedrock American principle of equality is central to the political and legal convictions of Republicans , Democrats , liberals , and conservatives alike . 1 +"The figure was killed later in the fourth episode of the second season , "" First Down "" ." "The character was later killed in the second episode of the fourth season , "" First Down "" ." 0 +Through the elevation Wilmont is the highest registered community in America , and is the only place in Nobles County where Larry Lang 's onion rings are sold . By elevation , Wilmont is the highest incorporated community in America , and is the only place in Nobles County where Larry Lang 's onion rings are sold . 1 +Bhangra today has developed into a slightly beat-based music genre , unlike before 1994 , when it was largely more mellow and classical . Today , Bhangra has developed into a slightly beat-based music genre , unlike before 1994 , when it was largely more mature and classical . 1 +It was written by Tom Spezialy and Marc Cherry and was led by Jeff Melman . It was written by Tom Spezialy and Marc Cherry and was directed by Jeff Melman . 1 +On 1 July , the judge in Madrid , Antonio Pérez , issued a death penalty against Rodrigo de Arce . On 1 July , the judge in Madrid , Antonio Pérez , issued a death sentence against Rodrigo de Arce . 1 +Walter Sullivan is Richmond 's friend and financial supporter and the owner of the mansion Luther has broken into . Richmond 's friend and financial supporter is Luther , and the owner of the villa into which Walter Sullivan has broken . 0 +This prayer and the following are said in a concelebrated fair by individual concelebrants . In a concelebrated Mass , this prayer and the following are said by individual concelebrants . 1 +The other origin from that period suggests that it was a commentary on the lack of agreement within the Confederate Assembly during the Irish Confederate Wars . The Irish origin from that period suggests that it was a commentary on the lack of agreement within the Confederate Assembly during the other Confederate Wars . 0 +Mornington House was the Georgian season of Dublin 's social residence at the Earls of Mornington . Mornington House was the Dublin social season Georgian residence of the Earls of Mornington . 0 +She graduated from the Institute of Health Management in Nairobi , where she acquired a Physiotherapy Certificate , she comes from Kenya and stands . She graduated from the Institute of Health Care Management in Kenya , where she received a physiotherapy certificate . She comes from Nairobi and stands . 0 +Bill Pickett , an American-African rodeo performer , also appeared in early western films for the same audience . Also Bill Bill Pickett , an American-African rodeo actor , appeared in early Western films for the same audience . 1 +Digital built a very large facility on Porter Road and Foster Street near the Common and offices on King Street . Digital built a very large facility on King Street near the Common , as well as offices on Porter Road and Foster Street . 0 +This was resolved with the Ostrów Agreement -- Vytautas became the Grand Duke of Lithuania while Jogaila retained rights of an overlord . This was solved with the Ostrów agreement -- Vytautas became Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . 1 +""" m "" represents the number of edges and "" n "" is the number of vertices ." """ m "" represents the number of edges and "" n "" is the number of corners ." 1 +Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal day is October 1 . The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1 . 1 +Drummond and Smith College , a new college within the University of New England ( Australia ) , is currently closed to residential residents . Drummond and Smith College , a new college within the University of New England ( Australia ) , is currently closed for residential residents . 1 +A synthetic instrument is a kind of virtual instrument that is defined purely by software . A synthetic instrument is a kind of virtual instrument that is purely software defined . 1 +Matsumoto played previously for Tokushima Vortis , Shonan Bellmare and Kyoto Purple Sanga . Matsumoto previously played for Kyoto Purple Sanga , Shonan Bellmare and Tokushima Vortis . 1 +British Regional Airlines can trace its history back to March 1991 when Manx Airlines created Manx Airlines Europe in order to expand and fly routes within the United Kingdom . British Regional Airlines can trace its history back to March 1991 , when Manx Airlines created Manx Airlines Europe in order to expand and fly routes within Britain . 1 +The team kits for season 2005 -- 06 are manufactured by Uhlsport and sponsored by Vivatel . The team kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . 0 +Many resort owners operated both a summer resort in Florida and a winter resort in Maine . Many resort owners run both a summer resort in Maine and a winter resort in Florida . 0 +The river Seolemai is a tributary of the River Sic in Romania . The River Sic is a tributary of the Seolemai River in Romania . 0 +While he was at Wunderman , Espuelas worked on the accounts of American Express , General Foods Gevalia and Weight Watchers . While working on American Express , Espuelas worked on the accounts Wunderman , General Foods Gevalia and Weight Watchers . 0 +Neustadtl an der Donau is a city in the district of Amstetten in Lower Austria , Austria . Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria in Austria . 0 +George Henry Compton Cavendish , second son of the first Earl of Burlington , was Member of Parliament for Aylesbury . George Henry Compton Cavendish , first son of the second Earl of Burlington , was a Member of the Aylesbury Parliament . 0 +Tridens melanops is a species of pencil endemic to Brazil , where it is native to the Amazon Basin . Tridens melanops is a species of pencil catfish native to Brazil where it is endemic to the Amazon Basin . 0 +Moritz Henle ( August 7 , 1850 -- August 24 , 1925 ) was a prominent German composer of liturgical music and cantor of the Jewish reform movement . Moritz Henle ( 7 August,1850 -- 24 August , 1925 ) was a prominent German composer of Jewish music and cantor of the liturgical reform movement . 0 +It ended in 1955 , shortly after new mayor Norris Poulson opened all new public housing in the city . It opened in 1955 , shortly after the new mayor Norris Poulson ended all the new public housing in the city . 0 +Between 1937 and 1957 , Squadron was a unit of the British Auxiliary Air Force and later of the Royal Auxiliary Air Force . No . 615 ( County of Surrey ) Squadron was a unit of the British Auxiliary Air Force and later the Royal Auxiliary Air Force between 1937 and 1957 . 1 +"In the movie 2015 "" The Danish girl "" Sebastian Koch is portrayed by Kurt Warnekros ." "Sebastian Koch is portrayed by Kurt Warnekros in the 2015 film "" The Danish Girl "" ." 1 +"Religious Institute -- "" a society in which members ... pronounce common vows ... and lead a life of brothers or sisters in the public "" ." "Religious institute -- "" a society in which members ... pronounce common vows ... and lead a life of brothers or sisters in public "" ." 1 +"In "" Infiltrated "" , Barodius Gill and Airzel orders to separate Dan from Marucho and Shun ." "In "" Infiltrated "" , Barodius orders Gill and Airzel to separate Dan from Marucho and Shun ." 0 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the Neolepetopsidae family , one of the families of the Marine limpets . Paralepetopsis tunnicliffae is a sea snail species , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of true limpets . 0 +In the 1970s Suzuki was one of the first buyers of Woolrich Mode in Japan and became Designer for Woolrich Woolen Mills in America in 2006 . In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in America , and in 2006 he became designer for Woolrich Woolen Mills in Japan . 0 +Similarly , an agent prefers to lie weakly with the real evaluation formula 26 and declare Formula 26 than to declare Formula 24 ; Similarly , an agent with real valuation formula _ 26 weakly prefers to declare formula _ 26 than to lie and declare formula _ 24 ; hence : 0 +Saptarshis list : Kashyapa , Atri , Vashista , Angira , Vishnu , Agastya , Bharadvaja . During Vaivasvata-manvantara , Lord Gautama 's avatar is called Vamana . Saptarshis - List : Kashyapa , Atri , Vashista , Angira , Vishnu , Agastya , Bharadvaja During the Vaivasvata-Manvantara the avatar is called Lord Gautama Vamana . 0 +A new company began production of Indian Chiefs in King 'apos ; s Mountain , North Carolina in 2006 . A new company began production of Indian Chiefs in 2006 in King 's Mountain , North Carolina . 1 +They speak the Russian language and have some pre-Christian traditions.In addition to Chuvash , many also use the Chuvash language . They speak the language of Chuvash and have some pre-Christian traditions , and many people also use the Russian language in addition to Chuvash . 0 +The additional characters published in Japan as paid DLC were released as part of the game in the West . The additional characters published in Japan as DLC were paid as part of the game in the West . 0 +"In 1887 she played the role of the court composer Victorien Sardou in the first production of Giovanni Paisiello 's drama "" La Tosca "" ." "In 1887 she played the role of court composer Giovanni Paisiello in the first staging of Victorien Sardou Drama "" La Tosca "" ." 0 +He sent his brother , Tissaphernes the younger , to relieve Cyrus of his command of Lydia . He sent his brother Tissaphernes the younger to relieve Cyrus of his command over Lydia . 1 +He was born in 1799 in Kingston , Toronto , and grew up in York . He was born in Kingston ( Toronto ) in 1799 and grew up in York . 1 +On July 7 , 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . On 7 July 2009 , General Major Francis Okello was replaced as Commander of the AMISOM by General Major Nathan Mugisha . 0 +The exception is All Saints Bay , the only high city beach in the Porto da Barra Beach . The exception is All Saints Bay , the only High City beach located in the Porto da Barra Beach . 1 +More recently , the band has combined Extra Life aspects of modern music with the early genre of mathematics rock . More recently , the band Extra Life has combined aspects of early music with the modern genre of math rock . 0 +His father , Kunjlal Ganguly , was a lawyer , while his mother , Gouri Devi , was a housemaker . His father , Gouri Devi , was a lawyer while his mother , Kunjlal Ganguly , was a home-maker . 0 +It is found from Fennoscandinavia to the Pyrenees , Italy and Greece and from Britain to Russia and Ukraine . It is located from Fennoscandinavia to the Pyrenees , Great Britain and Greece and from Italy to Russia and Ukraine . 0 +He played only one appearance in 2012 and then debuted 4 times the following year . He played in 2012 making only 1 appearance and then debuted 4 times the following year . 1 +In 1281 , Pope Martin IV ( Simon de Brion ) , Simon de Beaulieu , was appointed Archbishop of Bourges . In 1281 Simon de Beaulieu was appointed Archbishop of Bourges by Pope Martin IV ( Simon de Brion ) . 0 +Bagraj is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Bagraj is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 0 +Che Cartwright was born on 14 March , 1981 in Erdington , West Midlands . He has an older brother , Cartwright , who is also an actor . He was born on 14 March 1981 in Erdington , West Midlands , and has an elder brother , Che Cartwright , who is also an actor . 0 +Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the section called Black River . Crocker crossed from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and moved toward the lower Ouachita in the section called the Black River . 1 +A witness to Confederation , Machar was concerned about English -- French tensions in the young country . Machar , a witness to the Confederation , was concerned about the English - young tensions in the French country . 0 +It was assigned to the Pensacola Navy Yard in 1866 , and then to the Portsmouth Navy Yard in 1868 . It was assigned to the Portsmouth Navy Yard in 1866 , and then to the Pensacola Navy Yard in 1868 . 0 +The rout ... is from the Great Lakes towards the Head of the Mississippi , and from thence to the River called by the Indians Ouragon ... The way ... is from the Great Lakes towards the head of the Mississippi and from there to the river called by the Indians Ouragon ... 1 +It began as a fishing village inhabited by German settlers from the region of Kaszub , as well as some Polish immigrants in 1870 . It began as a fishing village populated by Polish settlers from the Kaszub region as well as some German immigrants in 1870 . 0 +Wadsworth became the editor in 1944 when he succeeded C. P. Scott , the son of Edward Taylor Scott . In 1944 , he became editor when he succeeded Edward Taylor Scott , the son of C. P. Scott . 0 +He was a son of surgeon Timothy Hosmer ( born in Canandaigua , New York , in 1740 ; died in Middletown , Connecticut , in 1820 ) . He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in Canandaigua , New York , 1820 ) . 0 +"In the TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." "In the television series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." 0 +The Jieţ is a tributary of the Slivei River in Romania . The River Slivei is a tributary of the Jiet in Romania . 0 +In 2004 Peter Eigen celebrated her second wedding in Berlin with the long-standing companion Gesine Schwan . Gesine Schwan celebrated her second wedding with the long-time companion Peter Eigen in Berlin in 2004 . 0 +It starts close to the western extremities of the Central Oregon Coast Range and generally flows west to the ocean south of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean in general to the west of Depot Bay and north of Otter Rock . 0 +It was found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as in Turkey , Azerbaijan and Iran . 1 +His father called him Ali and his nickname was Murtaza . His father has called him Murtaza , and his nickname was Ali . 0 +Constantine Giannaris ( born 1959 in Athens , Constantines Giannaris ) is a Greek film director , screenwriter and actor . Constantine Giannaris , also Constantinos Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . 1 +In 1938 , after Anfuso was appointed Foreign Minister , Ciano became Head of Ministry of Staff . In 1938 , after Ciano was appointed Foreign Minister , Anfuso became Head of Ministry . 0 +Nearby settlements include the town of Lancaster , the city of Garstang , the village of Hollins Lane , and the hamlets of Potters Brook and Shireshead . Nearby settlements include the town of Lancaster , the city of Hollins Lane , the village of Garstang and the hamlets of Potters Brook and Shireshead . 0 +The first music video for the album , filmed and edited for the song 'Trust You ' , was made by Pierre Bouvier-Patron of Friends Studio , London . The first music video for the album made for the song'Trust You 'was filmed and edited by Pierre Bouvier-Patron of Friends Studio , London . 0 +"Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" at the Eurovision Song Contest in Luxembourg in 1984 ." "The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in 1984 in Luxembourg ." 0 +The next year , he became a starter at both right guard and left tackle . Next year he became a starter at left guard and right tackle . 0 +On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves manager Bobby Cox as manager of the team in 2011 . On October 13 , 2010 , the Atlanta Braves announced that Bobby Cox would replace long-time Braves manager Fredi González as manager of the team in 2011 . 0 +It is located on the modern Natchez Trace , Mile 180.7 at the historic Natchez Trace Parkway in Mississippi , USA . It is located on the modern Natchez Trace , at mile marker 180.7 on the historic Natchez Trace Parkway in Mississippi , USA . 1 +Miles Miles Township is bordered by Penn Township to the north , Mifflin County to the east , Union County to the South , and Haines Township to the West . Haines - Municipality is bounded by Miles Township to the north , Union County to the east , Mifflin County to the south and Penn Township to the west . 0 +Lee received 1,012 out of 1,064 votes while Chiang received 873 votes . 1,012 out of 1,064 votes , while Lee received 873 votes . 0 +It is now held by John Richard Attlee ’ s grandson Clement Attlee , 3rd Earl Attlee . It is now held by Clement Attlee 's grandson John Richard Attlee , 3rd Earl Attlee . 0 +Ashley was born on 1 November 1986 and is a contemporary dancer from Los Angeles who originally grew up in Arizona . Born on November 1 , 1986 , Ashley is a contemporary dancer from Arizona , who was originally raised in Los Angeles . 0 +Tadami is a rock-fill embankment dam on the Tadami River near Tadami Dam in Fukushima Prefecture , Japan . Tadami is a dam on Tadami River near Tadami Dam in the Fukushima prefecture of Japan . 1 +A post office called Pennville was founded in 1856 and remained in operation until 1909 , and was most likely named after the Penn Township . A post office called Penn Township was established in 1856 , and remained in operation until 1909 . The community most likely was named after Pennville . 0 +In 1955 , it became the Central Electricity Authority , which in turn in 1957 the Central Electricity Generating Board . In 1955 , this became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . 1 +Kayalar is a village connected to the Giresun district of the province of Tirebolu . Kayalar is a village connected to the Giresun district of Tirebolu province . 1 +In Hungary , vehicle registration numbers usually consist of six characters on black background with white letters . Vehicle registration plates in Hungary usually consist of six characters on black background with white letters . 1 +After many delays , the segment from Abuja to Kaduna ( 187 km ) opened officially on 26 July 2016 . The segment from Kaduna to Abuja ( 187 km ) was officially opened after many delays on 26 July 2016 . 0 +"In Australia , "" The Other Man 's Grass Is Always Greener "" reached # 30 while in South Africa the track achieved a # 19 chart peak ." "Achieved in Australia "" The other man 's grass is always greener in place , while in South Africa the track reached a chart peak of 19 ." 1 +The river Cârlibaba is a tributary of the River Tătarca in Romania . The Cârlibaba River is a tributary of the Tătarca River in Romania . 1 +Nearby are Jacobson , Swan River , Libby and Palisade , Ball Bluff is situated 10 miles south of Swan River and 26 miles north of McGregor . Nearby places include Jacobson , Swan River , Libby , and Palisade . Ball Bluff is 10 miles south of Swan River , and 26 miles north of McGregor . 1 +""" Ketteiteki Sanpunkan "" was written by Chiaki Kuriyama specifically with Sheena in mind ." """ Ketteiteki Sanpunkan "" was written by Chiaki Kuriyama specifically in mind with Sheena ." 1 +The first main bridge was completed in 1857 and the positioned bridge opened on 2 May 1859 by Prince Albert . The first main span was positioned in 1857 and the finished bridge was opened on 2 May 1859 by Prince Albert . 0 +After the closure of the North Australia Railway in December 1974 , the remaining 10 NTs were transferred to the Central Australian Railway . Following the closure of the North Australia Railway in December 1974 , the remaining 10 NTs were transferred to the Central Australian Railway . 1 +One example comes from the treatment of transsexual women and black women in prison . An example comes from the treatment of transsexual women and black women in prison . 1 +He died on April 23 , 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . He died on April 23 , 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . 0 +Matthew DeCoursey proposes that Thorne may have joined the project late . Matthew DeCoursey suggests that Thorne may have joined the project late . 1 +This series was written by Jim Starlin and Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . The series was written by Jim Starlin and penciled by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 0 +( Don Wyatt had been in the penguins in 1956 , and both Eddie and Ray had been with Ray in the later Colts / Fortunes . ) ( Ray had been in the Penguins in 1956 and both Eddie and Ray had been in the later Colts/Fortunes with Don Wyatt . ) 0 +Examples of ceramics include white porcelain or white porcelain , decorated with cobalt , copper-blue underglaze , red underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain decorated with cobalt , copper red underglaze , blue underglaze and iron underglaze . 0 +The present church , built in June 1885 by the bishop of St. Albans , is not the first to be consecrated in East Hanningfield . The current Church , built by the Bishop of St Albans in June 1885 , is not the first to be consecrated in East Hanningfield . 1 +He was elected Lok Sabha , the lower house of the Indian Parliament of Bhubaneswar in Odisha . He was elected by Odisha in Bhubaneswar to the Lok Sabha , the lower house of the Indian Parliament . 0 +Both John Kerry in 2001 and Mark Warner lost counties to Loudoun and Prince William in 2004 . Both Mark Warner in 2001 and John Kerry in 2004 lost Loudoun and Prince William counties . 0 +On 17 March 2015 , Actavis acquired Allergan and adopted the name Allergan . On 17 March 2015 , Allergan Allergan acquired the name Actavis . 0 +Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he made false statements and attributed counterfeit works to Lewis . Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he has made false statements and attributed forged works to Lewis . 1 +"This quote is often paraphrased as "" Alabama in the east , Pittsburgh in the west and Philadelphia in the middle "" ." "This quotation is often paraphrased as "" Alabama in the East , Pittsburgh in the West and Philadelphia in the middle "" ." 1 +On June 14 , Jackson served in a duel on behalf of his junior officer Jesse Benton as the second against William Carroll , the brother of Thomas . On June 14 , Jackson served as a second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . 1 +For the CPAC - Conference 2012 , the ACU Executive Board decided not to invite GOProud or the John Birch Society to the 2012 conference . For the 2012 CPAC conference , the John Birch Society board voted to not invite GOProud or the ACU to the 2012 conference . 0 +Daryl Powell resigned after not paying and was replaced in April 1995 by player coach Phil Larder . Phil Larder resigned after not being paid and was replaced by player coach Daryl Powell in April 1995 . 0 +Epigenomics is a molecular diagnostics company headquartered in Seattle , WA , with a wholly owned subsidiary , Epigenomics Inc. , based in Berlin . Epigenomics is a molecular diagnostics company based in Berlin , Germany , and a wholly owned subsidiary , Epigenomics Inc. , headquartered in Seattle , WA . 0 +Nikolaus Friedrich von Thouret ( born Stuttgart , 2 June 1767 ; died Ludwigsburg , 17 January 1845 ) . Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , died on January 17 , 1845 in Ludwigsburg ) . 1 +The station signal could be heard from Vancouver to Vancouver , British Columbia , Washington . The station signal was to be heard from Vancouver , British Columbia , Vancouver , Washington . 0 +In 1960 , Ardley married Vivian Wilson , and the couple had a daughter , he married Bridget Gantley in 2003 and died in Milford , Derbyshire . In 1960 , Ardley married Bridget Gantley , and the couple had one daughter . In 2003 he married Vivian Wilson . He died in Milford , Derbyshire . 0 +Crocker crossed from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and moved toward the lower Ouachita in the section called the Black River . Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of Concordia Parish , and moved in the direction of the lower Ouachita in the Black River section . 1 +The mechanism has also found military use in thermobaric weapons . The mechanism also has found thermobaric use in the military weapons . 0 +Ortacami is a village connected to the Giresun district in the province of Tirebolu . Ortacami is a village connected to the Tirebolu district of Giresun province . 0 +The last meeting of the BBU in Chicago in 1932 was the first meeting of GARBC . The first meeting of the BBU in Chicago in 1932 was the last meeting of GARBC . 0 +He was enrolled in music lessons by the Croatian composer Rudolf Matz and later the Vatroslav Lisinski Music School . He was taught by the Croatian composer Vatroslav Lisinski music and was later enrolled at the Rudolf Matz Music School . 0 +The Western Extension of the London congestion charge was introduced in 2007 ( and withdrawn on 1 January 2011 ) . The western extension of the congestion charge in London was withdrawn in 2007 ( and introduced on 1 January 2011 ) . 0 +Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria , Austria . Neustadtl an der Donau is a city in the Amstetten district of Lower Austria in Austria . 0 +Boston is a neighborhood of Louisville , Kentucky located along Shelbyville Road ( US 60 ) and Long Run Creek . Boston is a district of Louisville , Kentucky along Shelbyville Road ( US 60 ) and Long Run Creek . 1 +Glen Sheil was born in Sydney and moved to Queensland in a young age . Glen Sheil was born in Queensland and moved to Sydney from a young age . 0 +Terry Griffiths won against Steve Davis in the finals 9 -- 8 . Steve Davis won 9 -- 8 against Terry Griffiths in the finals . 0 +In 1996 , the Veterans Committee selected Bill Foster from the 19th century and Ned Hanlon from the Negro leagues , as well as Jim Bunning and Earl Weaver . In 1996 , the Veterans Committee of Ned Hanlon from the 19th century and Bill Foster from the Negro Ligen , as well as Jim Bunning and Earl Weaver , chose . 0 +It received a smoother layout with more material -- the second edition under Grier was 48 pages . It was a smoother layout with more material -- the second issue under Grier received 48 pages . 0 +"The results of a clinical trial in people with untreatable metastases from various solid tumors were published in "" Science "" in 2017 ." "Results of a clinical trial in people with untreatable metastases arising from various solid tumors were published in "" Science "" in 2017 ." 1 +When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except for Yu and Jimo because of Tian Dan . In the past , when Yue Yi conquered the Qi state , he attacked over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . 1 +He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . 1 +A systematic study of category theory then allows us to prove mathematical results about any of these types of general structures from the axioms of a category . A systematic study of category theory then allows us to prove mathematical results on each of these types of general structures from the axioms of a category . 1 +In 1901 , Emma Goldman met Winn in Chicago , and found in her a lasting ally . In 1901 , Winn met Emma Goldman in Chicago and found a lasting ally . 0 +Dillon assumed military duties at a very difficult time for noble officers of the old army . Dillon took over military duties for noble officers of the old army at a very difficult time . 1 +Arnold Lang ( 18 June 1855 -- 30 November 1914 ) was a Swiss naturalist , a comparative anatomist and student of German biologist Ernst Haeckel . Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a Swiss naturalist , a comparative anatomist and a student of the German biologist Ernst Haeckel . 1 +In addition to its main studios , KTTC operates an Austin Bureau , within the Riverland Community College campus , on 8th Avenue Northwest . Austin Bureau operates a KTTC within the Riverland Community College Campus on 8th Avenue Northwest in addition to the main studios . 0 +There are essentially four types of databases : curated databases , inclusive databases , literature databases and predictive databases . There are essentially four types of databases : curated databases , predictive databases , literature databases and inclusive databases 0 +Lesotho supported the coup in South Africa in 1986 that brought Justin Lekhanya to power . In 1986 , South Africa supported the coup d'état in Lesotho which brought Justin Lekhanya to power . 0 +Aldred was born in Montrose , Michigan . He graduated in 1986 from Hill McCloy High School in Flint , a rural town just north of Flint , Michigan . Aldred was born in Flint , Michigan , and graduated from the Hill McCloy High School in Montrose , Michigan in 1986 , a rural town north of Flint . 0 +This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . This game was released in Japan on February 18 , 2010 , North America on February 23 , 2010 and Europe on March 26 , 2010 . 0 +Crocker defeated Paddon again in 2009 and took his third victory in 2010 over Emma Gilmour . In 2009 , Paddon Crocker defeated Crocker again and took his third victory in 2010 through Emma Gilmour . 0 +On May 14 , 1885 , Machado received his title and registered it in the Baja California Territory , the capital of the northern district of Ensenada . On May 14 , 1885 , Machado received his title and registered in Ensenada , the capital of the Northern District of the Baja California Territory . 0 +It was a finalist for the 2002 Sidewise Award for best alternate-form long history , and the 2003 John W. Campbell Memorial Award . It was a finalist for the Sidewise Award 2002 for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . 0 +Boyd was selected in the 6th round , 177th overall , by the Capitals in the 2011 NHL Entry Draft . In the 6th round , 177th Overall , selected by the capitals in the 2011 NHL Entry Draft . 1 +Some Some Your Blood is a horror novel in short form by Theodore Sturgeon , published first in 1961 . Some of Your Blood is a short horror novel in epistolary form by Theodore Sturgeon , first published in 1961 . 0 +The resolution has been signed by almost all PBS representatives in Sri Gaya ( Parti Bersatu Sabah ) . The resolution was signed by almost all Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . 1 +He also sang with success at La Fenice in Naples , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Venice . He sang with success also in La Fenice in Venice , at the Maggio Musicale Fiorentino in Florence and in the Teatro San Carlo in Naples . 0 +A new remix was created after Diddy had highlighted his intention to find a British emcee to record with him a final version of the song . A new remix was created after Diddy highlighted his intent to find a UK emcee to record a final version of the song with him . 1 +The current mayor of Crestview Hills is Paul Meier and the town administrator is Tim Williams . The current mayor of Crestview Hills is Paul Meier and the city administrator is Tim Williams . 1 +Gandini was born on May 19 , 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . Gandini was born on 19 May 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . 1 +In 1979 , she fled to West Germany by flying with a false West German passport from Budapest to Munich . In 1979 she fled to West Germany by boarding a plane from Munich to Budapest with a false West German passport . 0 +"Qaasuitsup ( old spelling : "" Nûluk "" ) is an uninhabited island in the Nuuluk Island municipality in northwestern Greenland ." "Qaasuitsup ( old spelling : "" Nûluk "" ) is an uninhabited island in the municipality of Nuuluk Island in northwestern Greenland ." 1 +David Tatuashvili , another Georgian partisan of Soviet origin , described the funeral as follows : Another Soviet Partisan of Georgian origin , David Tatuashvili , described the funeral as follows : 0 +Mylott was the grandmother of the father of the actor and film director Mel Gibson and is related to Australian pianist Tamara Anna Cislowska . Mylott was the paternal grandmother of the actor and film director Tamara Anna Cislowska , and is also related to the Australian pianist Mel Gibson . 0 +RCMP referred the Senate to all 30 cases . The Senate referred to the RCMP all 30 cases . 0 +Alema Nature Reserve is a nature reserve in northern Estonia , in Harju County . Alema Nature Reserve is a nature reserve situated in northern Harju County , in Estonia . 0 +The first three floors were completed in 1885 , and the upper three floors were completed in 1906 . The first three floors were completed in 1885 , and the top three floors were completed in 1906 . 1 +Psilochilus is a genus of flowering plants from the orchid family , Orchidaceae . It is native to Mexico , Central America , South America and the West Indies . Psilochilus is a genus of flower plants from the orchid family , Orchidaceae , which is native to Mexico , Central America , South America and the West Indies . 1 +When water and sewerage companies were privatised in 1989 in England and Wales , these services remained public in Northern Ireland and Scotland . When water and sewer companies were privatised in Northern Ireland in 1989 , these services remained public in England and Wales and in Scotland . 0 +Further musicians are Simone Mularoni on the guitars , Nik Mazzucconi on the bass and Francesco Jovino ( Primal Fear , Hardline ) on drums . Other musicians are Nik Mazzucconi on the guitars , Francesco Jovino on the bass and Simone Mularoni ( Primal Fear , Hardline ) on drums . 0 +McLaughlin died at Ontario in 1921 of colon cancer . His brother James was a doctor and member of the Oshawa assembly . In 1921 , McLaughlin died of colon cancer in Ontario , his brother James was a doctor and a member of the Oshawa Assembly . 1 +The Great Western Railway took over the OW & W in 1862 and enlarged Honeybourne station in the 1900s when it built the railway between and Cheltenham Spa . The Great Western Railway took over the OW 'W in 1862 and increased the Cheltenham Spa station in the 1900s when it built the railway between and Honeybourne . 0 +She married twice . The first time with Prince Kazimierz Poniatowski in 1749 , and the second time with Prince Antoni Lubomirski on 21 January 1751 . She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on January 21 , 1751 . 1 +The village of Scipio Township is located in the central republic . The village of Republic is located in central Scipio Township . 0 +The NFL is the only professional football league to successfully compete against the American Football League . The NFL stands as the only professional football league to successfully compete against the American Football League . 1 +One of his first cousins was Elizabeth , alias Lady Elizabeth Hervey , alias Bess Foster , Duchess of Devonshire , his younger brother married Lord Bishop Foster . One of his first cousins married Elizabeth Hervey , aka Lady Bess Foster , aka Elizabeth , Duchess of Devonshire . His younger brother was Lord Bishop Foster . 0 +There are 22 species in the genus , 17 species have a sinistral cover and 5 species are dextral . There are 22 species in the genus . 17 species have a sinistral shell and 5 species are dextral . 1 +The estuary of Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . The estuary of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . 0 +They came to Russia from Poland in the eighteenth century , and their language includes Polish , German and Russian words . They came to Russia in the 18th century from Poland , and their language includes Polish , German , and Russian words . 1 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to the United Alkali Company in 1926 . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and United Alkali Company in 1926 to set up Imperial Chemical Industries . 0 +The album was deleted during the digital download shortly after the CD was released in 2008 . The album was released in 2008 as a digital download shortly after the CD was deleted . 0 +The 1986 -- 87 National Hockey League season was the 70th season of the Toronto operation in Toronto Maple Leafs . The 1986 -- 87 National Hockey League season was the 70th season of operation of Toronto in the Toronto Maple Leafs . 1 +He plays three keyboards , which he uses with a stick attached to the neck of his guitar . He plays three keyboards , which he uses with a bar attached to the neck of his guitar . 1 +Instead , AC3 allows producers to choose the input level over a wide range by including a required dialog value representing the measured dialog level of the input signal . Instead , AC3 allows producers to choose input level over a wide range , by representing a measured dialnorm value , including the required dialog level of the input signal . 0 +""" Under the Radar "" gave it five stars out of ten and called it "" a very professional but almost inconsequential set ... flat and ultimately uninspired . """ """ Under the Radar "" gave him five out of ten stars and called it "" a very professional , but almost insignificant set ... flat and ultimately uninspired ." 1 +The Berkeley edition was published in February 1985 , the third printing was in June 1985 , and the second printing was in November 1985 . The Berkeley edition was published in February 1985 and the third was in June 1985 , and the second pressure was in November 1985 . 0 +However , after Carnot 's resignation and replacement by Alfred de Falloux , the commission was dissolved . After Carnot 's resignation and replacement by Alfred de Falloux , however , the Commission was dissolved . 1 +The album was produced by Rafael Gayol and contributed by Billy Harvey and the Tosca String Quartet . The album was produced by Billy Harvey , and featured contributions by Rafael Gayol and the Tosca String Quartet . 0 +"Justin booker also hosts the podcast "" Chris is married , Booker is single "" with comedian Justin Worsham ." "Chris Chris Booker also hosts the podcast "" Justin is married , Booker is single "" with comedian Justin Worsham ." 0 +His parents were Anna Hostetter Halderman ( 1822-1866 ) , a local businessman and Müller , and William Halderman ( 1828-1919 ) . His parents were William Halderman ( 1822-1866 ) , a local businessman and Müller , and Anna Hostetter Halderman ( 1828-1919 ) . 0 +Franklin Township was founded in 1855 and named after Franklin Township , Ripley County , Indiana , the home of an early settler . Franklin Township , Ripley County , Indiana was organized in 1855 , and named after Franklin Township , the native home of an early settler . 0 +The current line-up is Johnny Wilson ( guitar and vocals ) , Forrest Bartosh ( drums ) and Chris Fogal ( bass and background vocals ) . The current line-up is Johnny Wilson on guitar and vocals , Forrest Bartosh on drums and Chris Fogal on bass and background vocals . 1 +Henry Foss plays Ryan Robbins , who runs the Sanctuary 's computers and security systems . Ryan Robbins plays Henry Foss , who runs the Sanctuary 's computer and security systems . 0 +However , Justice Sung wants to seek justice for the innocent person who was killed and he wants Tit Tau charged . Justice Sung , however , wants to seek justice for the innocent person who was charged and he wants Tit Tau to be killed . 0 +"Peter is a short story by Willa Cather . It was first published in "" The Mahogany Tree "" in 1892 ." "It is a short story by Willa Cather , which was published in "" The Mahogany Tree "" in 1892 ." 1 +"Prepapered pyzy or "" pyzy drożdżowe "" are Leavened from flour , milk , butter , sugar and salt ." "Leavened pyzy or "" pyzy drożdżowe "" are made from flour , milk , butter , sugar and salt ." 0 +The Roman - Catholic diocese of Cyangugu is a diocese in the city of Cyangugu in the church province of Kigali , Rwanda . The Roman Catholic Diocese of Cyangugu is a diocese located in the city of Kigali in the ecclesiastical province of Cyangugu in Rwanda . 0 +"The species was first formally described by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was collected in Port Jackson ." "The species was first formally collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , a species described in Port Jackson ." 0 +The outlaws decided to live off the poor class of people instead of the wealthy . The outlaws decided to live off the poor class of people instead of the rich . 1 +The School of Applied Arts offers only postgratuate degrees , while the other three schools offer both undergraduate and postgraduate degrees . The School of Applied Arts offers only postgratuate qualifications , while the other three schools offer both bachelor 's degrees and postgraduate degrees . 1 +The IAA became active again in liberal politics when the Federal Government published its White Paper policy in 1969 . The IAA again became active in federal politics when the Liberal government released its White Paper Policy in 1969 . 0 +Elsinboro Township borders Lower Alloways Creek Township , Pennsville Township and Salem . Creek Township borders Elsinboro Township , Pennsville Township and Salem . 0 +"From 2009 , the Rotten Tomatoes site had given the film a rating of 90 % with 19 "" rotten "" and 2 "" fresh "" reviews ." "Since 2009 , the Rotten Tomatoes site had given the film a rating of 90 % with 19 "" fresh "" and 2 "" rotten "" reviews ." 0 +Gilda Joyce is an American author of mystery novels known as the author of the Jennifer Allison series of children 's books . Jennifer Allison is an American author of mystery novels who is best known as the author of the Gilda Joyce children 's series of books . 0 +Most pink horses , however , have white skin and some have blue eyes . Most white horses , however , have pink skin and some have blue eyes . 0 +The Togian endemic-eye , another species of white bird , was described in 2008 . The Togian white-eye , another endemic bird species , was described in 2008 . 0 +It is cultivated as an ornamental plant , which is grown in a wider range of colors . It is grown as an ornamental plant , cultivated in a wider range of colors . 1 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if any ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if present ) : 0 +The government 's executive branch consisted of the president , the prime minister , a number of federal ministers , and the deputy prime ministers . The executive branch of government consisted of the president , the prime minister , a number of federal ministers , and the deputy prime ministers . 1 +He sang with success also in La Fenice in Naples , Maggio Musicale Fiorentino in Florence and the Teatro San Carlo in Venice . He sang with success also in La Fenice in Venice , in the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Naples . 0 +The manuscript was examined by Montfaucon , Wettstein , and Cramer . It was examined and described by Paulin Martin . C. R. Gregory saw the manuscript in 1885 . The manuscript was examined by Montfaucon , Wettstein and Cramer , examined and described by Paulin Martin , and C. R. Gregory saw the manuscript in 1885 . 1 +ABC stopped ventilating the series after the sixth episode of the first season . ABC stopped airing the series after the sixth episode of the first season . 1 +In the Middle Ages , Spain saw a Muslim re-conquest of slow Christian territories . In the Middle Ages , Spain saw a slow Christian reconquest of Muslim territories . 0 +Gérard Depardieu was born to a well-off Parisian family and married Élisabeth Dominique Lucie Guignot on 19 February 1970 . Gérard Depardieu was born to a wealthy Parisian family and married on February 19 , 1970 with Élisabeth Dominique Lucie Guignot . 1 +The 1990 PBA season was the 16th season of the PBA ( Philippine Basketball Association ) . The season 1990 PBA was the 16th season of the Philippine Basketball Association ( PBA ) . 1 +He became professor of inorganic chemistry in 1891 and professor of general and analytical chemistry in 1903 . He became Professor of Inorganic Chemistry in 1891 and Professor of Analytical and General Chemistry in 1903 . 1 +His father had been a blacksmith and inventor and had worked in Scotland with an iron rope . His father had been a blacksmith and inventor and had worked in California with iron rope . 0 +Machar , a witness to the Confederation , was concerned about the English - young tensions in the French country . A witness to Confederation , Machar was concerned about English -- young tensions in the French country . 1 +"She has taken part in the second season of the most popular non - fiction controversial bengali reality show "" Bigg Boss Bangla "" ." "She has participated in the second season of the most popular non fiction controversial bengali reality show "" Bigg Boss Bangla "" ." 1 +Of these , 2,088 ( 18.6 % ) lived in urban areas and 9,112 ( 81.4 % ) in rural areas . Of these , 2,088 ( 18.6 % ) lived in urban areas , and 9,112 ( 81.4 % ) lived in rural areas . 1 +The hand attacks them and is forced to kill it , which also kills the sale . The hand kills them and she is forced to kill her , which also attacks the sale . 0 +""" Eurybia radula "" is present in every province of Canada east of and including Ontario and is also present on the French territory of St. Pierre and Miquelon ." """ Eurybia radula "" is present in all provinces of Ontario east and including Canada and is also present on the French territory of St. Pierre and Miquelon ." 0 +Moutse district was seized from Lebowa in 1980 and was , despite violent resistance , officially integrated into KwaNdebele . The Moutse district was conquered in 1980 from KwaNdebele and was officially integrated into Lebowa despite violent resistance . 0 +Diseases associated with this genus include : DCV : increased reproductive potential ; extremely high when associated with pathogenic injected mortality ; CrPV : paralysis and death . Diseases associated with this species include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . 1 +The banknotes printed by the three commercial banks are issued in Hong Kong by the Hong Kong Note Printing Limited . The banknotes issued by the three commercial banks are printed at Hong Kong Note Printing Limited in Hong Kong . 0 +Two miles north of Newton it branches off and travels east through Oblong and then to Robinson . He branches two miles north of Newton and travels east through Oblong and then to Robinson . 1 +As a seller of Dr. Pepper , Jimmy knew all the local grocery owners and they would save the overripe bananas for Bob . As a Dr. Pepper salesman , Bob knew all of the local grocery store owners and they would save the overripe bananas for Jimmy . 0 +He died on February 19 , 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . He died on February 19 , 1935 at Holyhood Cemetery in Brookline , Massachusetts , and was buried in Boston , Massachusetts . 0 +A Short History Of Decay 'was released in July 2017 on Michael Timmins label Latent Recordings in Canada and on TV Records Ltd in Europe . A short history of decay was published in July 2017 on the Latent Recordings label by Michael Timmins in Europe and TV Records Ltd in Canada . 0 +The house is located right north of the Glan Clwyd Hospital in the parish of Bodelwyddan in the historic county of Denbighshire , but now in Flintshire . The house is situated immediately to the north of Glan Clwyd Hospital in the parish of Bodelwyddan in the historic county of Flintshire , but now in Denbighshire . 0 +Ali Şaşal Vural ( born July 10 , 1990 ) is a Turkish football professional who plays at Sivasspor . Ali Şaşal Vural ( born 10 July 1990 ) , is a Turkish professional football player , who plays for Sivasspor . 1 +In the 2016 presidential election , the Party did not nominate a candidate for general , but won three seats in the National Assembly . The party did not nominate a general candidate in the 2016 presidential elections , but won three seats in the National Assembly . 1 +It was described in 1874 by Alpheus Spring Packard and found in North America . She was found in 1874 by Alpheus Spring Packard and is described in North America . 0 +In particular , the medieval iron fencework shows Eastlake influence in its ornamental design . In particular , the ornamental iron fence shows influence in its medieval design Eastlake . 0 +Thiago is the father of the current players Mazinho of Inter Milan and Rafinha of the FC Bayern Munich . Mazinho is the father of the current players Thiago of Bayern Munich and Rafinha of Inter Milan . 0 +Warrington died on 10 February 1906 in London , and his will was proved on 29 March in Brentford , Middlesex . Warrington died in London on February 10 , 1906 , and his will was proven on March 29 in Brentford , Middlesex . 1 +Ian Weatherhead lived in Somerset many years before moving to Cheltenham . For many years , Ian Weatherhead lived in Cheltenham , before moving to Somerset . 0 +His film debut as Amallo gave his Rahardjo , who was a member of Teater Populer , Karya later remembered that his acting was stiff in the film . Rahardjo , who was a member of Teater Populer , made his film debut as Amallo ; Karya later recalled that his acting in the film was stiff . 1 +After his death Kellow with Mary Hope Kellow and her daughter Mary moved to Sydney . After his death , the widow of Kellow Mary with her daughter Mary Hope Kellow moved to Sydney . 0 +Reidar Smestad ( 8 May 1888 -- 29 June 1962 ) was a Norwegian industrialist , the son of Carl Smestad and grandson of Jacob Olssøn Smestad . Carl Smestad ( May 8 , 1888 - June 29 , 1962 ) was a Norwegian industrialist , the son of Reidar Smestad and grandson of Jacob Olsson Smestad . 0 +The weighted weighting function at wavelength formula _ 1 can be written as the mesoscopic sum , The mesoscopic weighting function at the wavelength formula 1 can be written as the weighted sum ; 0 +He spent his exile in France and preached Gareccio in Italy where he preached . He spent his exile in France and in Italy preached Gareccio , where he preached . 1 +Sukagawa has five primary schools , ten junior high schools and seventeen high schools . Sukagawa has five elementary schools , ten junior high schools and seventeen high schools . 1 +The deep branch is susceptible to damage during thyroidectomy or cricothyrotomy , as it is immediately superior to the external artery of thyroid gland . The deep branch lies susceptible to damage during thyroidectomy or cricothyrotomy , as it is immediately superior to the external thyroid artery . 1 +In August 1927 , Mao finished his marriage with Yang and began a relationship with He Zizhen in early 1928 . In August 1927 , Mao ended his marriage with Yang ; and , in early 1928 , he began a relationship with He Zizhen . 1 +Mannan was a general secretary of the Regional Council and Islamic Advisory Council during the administration of Ayub Khan . Mannan was the Secretary General of the Regional Council and the Islamic Advisory Council during the administration of Ayub Khan . 1 +The small institutions that they founded would not have found them like universities -- they were tiny and did not offer higher degrees in medicine and theology . The tiny institutions they founded would not have seemed to them like universities -- they were small and did not offer the higher degrees in medicine and theology . 1 +Roger is kidnapped and Frankie is enticed by Bobby to the same isolated cottage . Bobby is kidnapped and Frankie is lured by Roger into the same isolated cottage . 0 +The building was completed in 1967 , and a second major enlargement was expanded in 1999 . The building was completed in 1967 , and a second major expansion was expanded in 1999 . 1 +"Polumenta released his fifth studio album "" Buntovnik "" ( "" Rebel "" ) on 18 November 2010 under Grand Production , his second project with the label ." "On 18 November 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project on the label ." 0 +He is trained by Daniel Jacobs and shares a gym with the former World Champion Andre Rozier . He is trained by Andre Rozier and shares a gym with the former World Champion Daniel Jacobs . 0 +David J. Spurlock was born on November 18 , 1959 in Dallas , Texas and moved to Memphis , Tennessee in 1973 . J. David Spurlock was born on November 18 , 1959 in Memphis , Tennessee . He moved to Dallas , Texas in 1973 . 0 +Aleksandar Stevanović ( born 3 March 1991 ) is a Serbian footballer , who plays for Wattenscheid 09 . He is an older brother of Predrag Stevanović . Aleksandar Stevanović ( born March 3 , 1991 ) is a Serbian footballer who plays for Wattenscheid 09 , an elderly brother of Predrag Stevanović . 1 +The Mornington House was the Georgian residence of Dublin 's social season at the Earls of Mornington . Mornington House was the Georgian season of Dublin 's social residence at the Earls of Mornington . 0 +The family was noble in Estonia , Livonia , Kurland , Oesel , Swedish nobility and Finnish nobility , only the last two are still recognized today . The family was ennobled in Estonia , Livonia , Courland , Oesel , Finnish Nobility and Swedish Nobility . Only the last two are still recognized today . 1 +The crew were pilot Kazimierz Kubala and navigator Ludwik Idzikowski . The crew were Kazimierz Pilot Kubala and Navigator Ludwik Idzikowski . 0 +The Plot was a heavy rock band formed in 2003 by bassist Pete Way and his long-time friend , guitarist Michael Schenker . The Plot was a heavy rock band founded in 2003 by the bassist Pete Way and his long-time friend , the guitarist Michael Schenker . 1 +Born in 1967 in Glenwood , Illinois , he attended the Bloom High School in Chicago Heights , Illinois . Born in 1967 in Chicago Heights , Illinois , he attended the Bloom High School in Glenwood , Illinois . 0 +In many problems , it is more convenient to work with D and the free charges than with E and the total charge . In case of many problems it is more convenient to work with D and the free charges than with E and the total charge . 1 +Mount Irving is a locality in the Toowoomba Region local government area of the Darling Downs in southern Queensland , Australia . Mount Irving is a locality in Darling Downs local government area of the Toowoomba region in the south of Queensland , Australia . 0 +The Galbenu River is a tributary of the Latoriţa River in Romania . The River Galbenu is a tributary of the Latoriţa river in Romania . 1 +He worked as a teacher in Bruges and between 1693 and 1717 in Tielt . Between 1693 and 1717 he worked as a teacher in Tielt , Bruges . 0 +"He was the son of Shmuel Binyamin Sofer ( "" Ksav Sofer "" ) and grandson of Moses Sofer ( the "" Chasam Sofer "" ) ." "He was the son of Shmuel Binyamin Sofer ( "" Moses Sofer "" ) and grandson of Ksav Sofer ( "" Chasam Sofer "" ) ." 0 +Born in Antwerp , Van Hoof was a pupil of Paul Gilson and was heavily influenced by the works of Peter Benoit . Van Hoof , born in Antwerp , was a student of Paul Gilson and was strongly influenced by the works of Peter Benoit . 1 +Dr. Babasaheb Ambedkar International Airport is operated by Mihan India Private Limited ( MIPL ) and owned by Airports Authority of India . The Babasaheb Ambedkar International Airport is owned by Mihan India Private Limited ( MIPL ) and is operated by the Authority of India Airports . 0 +"However , a rational curve "" is not "" one over the rational defined curve , but a curve which can be parameterized by rational functions ." "However , a rational curve "" is not "" a curve parameterized over the rationals , but a curve which can be defined by rational functions ." 0 +It is bordered to the west and east by Massapequa , to the northwest by South Farmingdale and to the north by northern Massapequa . It is bordered to the west and east by Massapequa , North Massapequa to the northwest , and to the north by South Farmingdale . 0 +The series was written by George Pérez , with art by Kurt Busiek . The series was written by George Pérez , with the art by Kurt Busiek . 1 +The city is connected with Mumbai and Kolkata via Bilaspur , Raipur via National Highway Network . The city is connected with Mumbai and Bilaspur , Raipur via Kolkata through the National Highway network . 0 +Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County - Spartanburg , SC -- Anderson , SC combined statistics . Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the statistical area combined in Greenville - Spartanburg - Anderson , SC . 0 +Jalilabad Rayon is a village and municipality in the Sabirabad of Azerbaijan . It has a population of 3,577 . Rayon is a village and municipality in the Sabirabad of Azerbaijan , has a population of 3,577 . 1 +The continuing popularity in Japan of this tall suit has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . The continuing popularity of this mobile suit in Japan has led Bandai to develop a 1.5m high model version , which went on sale in Japan in 2007 . 0 +The two main water systems are the Guayas in the north and the Esmeraldas in the south . The two main water systems are the Esmeraldas River in the North and the Guayas in the South . 0 +Christine became hopeful that after her first conversation with Walter , her son Gordon Stewart Northcott might still be alive . Christine became hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . 0 +These canons were rejected later in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . These canons were approved later in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . 0 +In Brazil , the brand IPHONE was registered in 2000 by the company now called Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . In Brazil , the IPHONE brand was registered in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A.. 0 +His eyewitness report reports that the Afghans simply occupied the place and fled Hari Singh Nalwa without a battle from Peshawar . His eyewitness account reports that the Afghans simply occupied the place and Hari Singh Nalwa fled Peshawar without a battle . 1 +Alton is located on the Mississippi River above the estuary of the Missouri River . Alton is located on the Missouri River above the mouth of the Mississippi . 0 +The fourth came in the second quarter to a pass from Dunlap to Stumpy Thomason . The fourth came in the second quarter on a pass from Dunlap to Stumpy Thomason . 1 +Wagenknecht , who was born in Chicago , grew up and went to the school in Oak Park , Illinois . Born in Oak Park , Illinois , Wagenknecht grew up and went to school in Chicago . 0 +There is a standard technology ( see for example ) for calculating the change of variables to formal coordinates , at a point as a normal Taylor series expansion . There is a standard technique ( see for example ) for computing the change of variables to normal coordinates , at a point as a formal Taylor series expansion . 0 +Formula 11 , where the intersection point runs through all normal subgroups of the finite index . Formula _ 11 , where the intersection runs through all normal subgroups of finite index ) . 1 +This creates filter processing and manages the filter chain with the appropriate filters , in the correct order , and initiates processing . This creates filter processing , manages the filter chain with the appropriate filters in the correct order and initiates the processing . 1 +"During "" latent infections "" there is a minimal to no expression of the viral genome infected ." "During "" infected viral infections "" there is minimal to no expression of latent genome ." 0 +The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Italy in 2011 . The championship took place in 1999 in Italy , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Austria in 2011 . 0 +They appeared at the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery , Chicago . They performed at the City Winery in Chicago on November 30 , 2012 , and at the Beachland Ballroom in Cleveland on December 1 , 2012 . 0 +RFPs also tend to be controlled by non-ideal phenomena and turbulent effects . RFPs also tend to be dominated by non-ideal phenomena and turbulent effects . 1 +Regressive assimilations are only caused by phonological factors , while substitutions take semantic information into account . Regressive assimilations are only conditioned by semantic factors while substitutions take into account phonological information . 0 +A month later the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewman were released . A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewmen were released . 1 +The Crişul Repede River is a tributary of the Izbândiș River in Romania . "The river Crişul Repede is a tributary of the Izbândi "" River in Romania ." 1 +( Gen. 1,2 ) And the earth was formless ( tohu ) and empty ( bohu ) . And the earth was formless ( tohu ) and empty ( bohu ) . 1 +The Nadeş River is a tributary of the Ciortosu River in Romania . The Ciortosu River is a tributary of Nadeş River in Romania . 0 +In the 2011 election , Abani Mohan Joardar of the Trinamool Congress defeated his next rival Subinay Ghosh of CPI ( M ) . In the 2011 election , Subinay Ghosh of the Trinamool Congress defeated his nearest rival Abani Mohan Joardar of CPI ( M ) . 0 +The 2013 Alcorn State Braves football team represents Alcorn State University in the 2013 NCAA Division I FCS Football - Season . The 2013 Alcorn State University football team represented Alcorn State Braves in the 2013 NCAA Division I FCS football season . 0 +The river Voievodeasa is a tributary of the Suceviţa River in Romania . The Suceviţa River is a tributary of the Voievodeasa River in Romania . 0 +Resettled people were mostly important in the region from Virginia north to New Jersey numerically . Many people in the region from New Jersey north to Virginia were mostly numerically important . 0 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno for Caldara in 1709 . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Apostolo Zeno for Caldara . 1 +In 1983 he married Katarzyna Niewodniczanska , daughter of Jerzy Niewodniczański . They have two children : Mateusz Janicki and Marianna . In 1983 he married Mateusz Janicki , daughter of Jerzy NiewodniczaÅ Ski with two children : Katarzyna Niewodniczanska and Marianna . 0 +Multiplayer video games are those that can either be played cooperatively in electronic sports or competing , sometimes by using multiple input devices or by hotseating . Multiplayer video games are those that can be played either cooperatively in Electronic Sports , or competitively , sometimes by using either multiple input devices , or by hotseating . 1 +Quintus Caecilius Metellus Macedonicus was the second son of the Roman politician , General Lucius Caecilius Metellus Diadematus . Lucius Caecilius Metellus Diadematus was the second son of Roman politician and general Quintus Caecilius Metellus Macedonicus . 0 +Remarkable neighborhoods include : Armistead Gardens , Broadway East , Barclay , Ellwood Park , Greenmount , and McElderry Park . Notable neighborhoods include : Armistead Gardens , Broadway East , Barclay , Ellwood Park , Greenmount , and McElderry Park . 1 +Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and fun situations . New boys and girls will come to the Pretty Land School of Arts and already known people will have to face complicated and funny situations . 0 +A systematic study of category theory then allows us to prove mathematical results about any of these types of general structures from the axioms of a category . A systematic study of category theory then allows us to prove mathematical results about all these types of general structures from the axioms of a category . 1 +She is a practicing joiner in Otisfield , Maine and a member of the Oxford Advent Christian Church , an evangelical church in Oxford . Hamper is a practicing carpenter in Otisfield , Maine and a member of the Oxford Advent Christian Church , an evangelical church in Oxford . 1 +The Henry Ford Health System operates forty specialized medical centers and seven general medical facilities . The Henry Ford Health System operates forty general medical centres and seven specialized medical facilities . 0 +The second wave came in the 1970s , especially from East Africa , mainly due to the expulsion of Asians from Uganda . The second wave occurred in the 1970s especially from East Africa mainly due to Expulsion of Asians from Uganda . 1 +Dena Holmes was born Thompson in 1960 in Hendon , North London . She worked for a building society . Thompson was born in 1960 in Hendon , North - London , Dena Holmes and worked for a building society . 0 +It is the result of an earlier gap created between Classical Latin and its evolved forms , which slowly severed and eventually reduced the intercomprehensibility between the two . It is the result of an earlier gap between classical Latin and its developed forms , which slowly separated and eventually reduced the intercomprehensibility between the two . 1 +He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on March 31 , 2003 . Muagututia was released by the Chicago Rush on November 14 , 2002 . He was signed by the Rush on March 31 , 2003 . 1 +The Jiul de Vest River is a tributary of the De La Hagher River in Romania The River De La Hagher is a tributary of the Jiul de Vest River in Romania 0 +The station was built in 1915 along the former New York line from Connecticut Valley Railroad , New Haven and Hartford Railroad . The station was built in 1915 along the former Connecticut Valley Railroad line from New York , New Haven and Hartford Railroad . 0 +After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this became the permanent family home later . This later became the permanent family home , after purchase in 1948 by Hew Lorimer 's son , the sculptor Robert Lorimer . 1 +In NFL Draft 2012 , Posey was selected by the Houston Texans in the third round ( 68th total ) . In the NFL Draft 2012 , Posey was selected by Houston Texans in the 68th round ( third total ) . 0 +The community has a low poverty rate despite the low participation rate and high unemployment . Despite the high participation rate and low unemployment , the community has a low level of poverty . 0 +"On 18 November 2010 Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." "Polumenta released his fifth studio album "" Buntovnik "" ( "" Rebel "" ) on 18 November 2010 under Grand Production , his second project with the label ." 1 +Belbin and White were married in June 2014 and became engaged on April 25 , 2015 . Belbin and White were engaged in June 2014 and married on 25 April 2015 . 0 +He moved of health reasons to Santa Barbara in 1871 where he first settled in Southern California . He moved to Santa Barbara for health reasons in 1871 , where he settled in Southern California . 1 +In 2007 , he continued as Toyota test driver and also drove for GP2 - Team Trident Racing . In 2007 , he drove as a Toyota test driver and also continued for GP2 team Trident Racing . 0 +He was the first sculler ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first provincial to win the Wingfield Sculls . He was the first sculler to ever win the Diamond Challenge Sculls at Henley Royal Regatta and also the first provincial to win the Wingfield Sculls . 1 +"He introduced a tactical style that was described as "" belligerent , activist , and ideological . """ "He introduced a tactical style that was described as "" warrior , activist , and ideological "" ." 1 +The region was the cradle of various ancient civilizations such as Ancient China , ancient Korea , ancient Japan , and the Mongol Empire . The region was the cradle of various ancient civilizations , such as ancient China , old Japan , ancient Korea , and the Mongolian Empire . 1 +"He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created in 1977 by Will Crowther and modified by Don Woods ." "There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Will Crowther and modified by Don Woods ." 1 +This would stop the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . This would fade the element but stop when the effect is completed 80 % ( with an opacity of 20 % ) . 0 +The flight schedules were published in the South China Morning Post , in the Standard and in other Hong Kong daily newspapers , including in Chinese newspapers . Schedules were published in the South China Morning Post , The Standard and in other daily Hong Kong newspapers , including Chinese newspapers . 1 +The series is published in Japan by VIZ Media and in the USA by Shogakukan in English . The series is published in Japan by VIZ Media and in the United States in English by Shogakukan . 1 +"There is also a more promising and faithful remake named "" Xenonauts "" ." "There is also a faithful and more promising reprint called "" Xenonauts "" ." 0 +The position was filled from 2007 until 13 October 2014 by William Hay , but has since been succeeded by Mitchel McLaughlin . The position was filled by Mitchel McLaughlin from 2007 until 13 October 2014 , but has since been followed by William Hay . 0 +In 1901 , the critic Jean Lahor ( aka Henri Cazalis ) listed the workshop as one of the best manufacturers of Art Nouveau - ceramics in France . In 1901 , the critic Henri Cazalis ( aka Jean Lahor ) listed the workshop as one of the best manufacturers of Art Nouveau ceramics in France . 1 +Originally called Ridge Road this trail became Columbia Road . Originally called Ridge Road , this Trail Columbia Road became . 1 +The album was released as a digital download shortly after the CD was deleted in 2008 . The album was deleted during the digital download shortly after the CD was released in 2008 . 0 +Tommy Robredo won the title after defeating Jürgen Zopp 6 -- 3 , 6 -- 2 in the final . Jürgen Zopp won the title after defeating Tommy Robredo in the finals with 6 -- 3 , 6 -- 2 . 0 +He is an elected member of the International Statistical Institute , and a fellow of the Institute of Mathematical Statistics and of the American Mathematical Society . He is an elected member of the American Mathematical Society , a fellow of the Institute of Mathematical Statistics and the International Statistical Institute . 0 +The main international airport is Yaoundé Nsimalen International Airport and the second international airport at Douala International Airport . The main international airport is Douala International Airport and a second international airport at the Yaoundé Nsimalen International Airport . 0 +These puppets had covered their English or German names with a sticker with the Spanish name or sometimes nothing at all . These dolls had their English or Spanish names covered by a sticker with the German name or sometimes nothing at all . 0 +Juan Colomer publishes his work with Editions BIM of Spain , Editorial Piles , Tritó and Rivera editores in Switzerland . Juan Colomer publishes his works with Editions BIM of Switzerland , Editorial Piles , Tritó , and Rivera editores in Spain . 0 +When Lonnie wakes up , he finds himself at Josh 's home in Omaha , Nebraska . When Josh wakes up , he finds himself at home in Omaha , Nebraska , at Lonnie . 0 +John Guedel was the director , and Harry Kronman was the producer . The director was John Guedel and its producer was Harry Kronman . 1 +He dissolved William Ewer as Governor and was replaced by Peter Gaussen . He replaced Peter Gaussen as Governor and was succeeded by William Ewer . 0 +It is east of Oklahoma City and southeast of Ardmore . It is situated east of Oklahoma City and southeast of Ardmore . 1 +The rivalry between Tanahashi and Tanahashi culminated on September 29 at a Lumberjack Deathmatch in Destruction , where Devitt won . The rivalry between Tanahashi and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Devitt was victorious . 1 +Users can upload written entries similar to a personal standard journal and can also create photos from their devices . Users can upload written entries similar to a standard personal journal and can also create photos from their devices . 1 +"The following includes some operas that are considered closer to the traditional Chinese model of the opera than "" geju "" or western opera ." "The following includes some operas which are considered closer to the Chinese opera traditional model than "" geju "" or western opera ." 1 +Included Daphne Von Rey , Jenny Shimizu , Catherine Opie , Sheree Rose , Ron Athey , Vaginal Davis , Bob Flanagan and Michele Mills . Daphne from Rey , Jenny Shimizu , Catherine Opie , Sheree Rose , Ron Athey , Vaginal Davis , Bob Flanagan and Michele Mills . 1 +""" Love Me "" is a song from the Bee Gees , recorded on the 1976 album "" Children of the World "" ." """ Love Me "" is a song recorded by the Bee Gees , released on the 1976 album "" Children of the World "" ." 0 +Glauco Sansovini is together with Marco Conti captain Regent of San Marino for the semester from April 1 , 2010 to October 1 , 2010 . Marco Conti is Captain Regent of San Marino together with Glauco Sansovini for the semester from April 1 , 2010 to October 1 , 2010 . 0 +The new style has also been encouraged by changes in economic order and the social structure . The new style was also encouraged by changes in the social order and the economic structure . 0 +It is also the number 11 Alma Road , and is now referred to as the Moorfield Court . It is also number 11 Alma Road , and is now referred to as Moorfield Court . 1 +Examples of such factors include rape , fraternization , good behavior , or any other factors that would adversely affect public sexual order and discipline . Examples of such factors include rape , fraternization , good behavior , or other factors that would adversely affect public sexual order and discipline . 1 +Forty rare plant communities containing at least 1,342 species and 54 different plants have been identified in the gorge . In the gorge , forty different plant communities were identified , containing at least 1,342 species and 54 rare plants . 0 +Moses Point Airport is an airport in Elim , a city in the Nome Census Area in the U.S. state of Alaska . El Elim is an airport in Moses Point Airport , a city located in the Nome Census Area of the US state of Alaska . 0 +The Eagle Eagle II had a deepened rudder and a revised rear fuselage . Eagle II had a deepened rudder and a revised rear fuselage . 1 +On May 11 , President Davis appointed McCulloch a brigadier general . On May 11 , President Davis McCulloch appointed brigadier general . 0 +As an assistant to Carl Flügge in Göttingen , Nicolaier discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . As assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . 1 +Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Talgarth , Wales . The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and the Radnor Joint Counties , was a psychiatric hospital in the Mid Wales Hospital . 0 +In second place was Gaughan with 9,264 votes ( 34,5 % ) and Calvaneso with 1,362 votes ( 4.9 % ) third . In second place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso placed third with 1,362 votes ( 4.9 % ) . 1 +In 1859 , Elizabeth died and William died the following year . Elizabeth died in 1859 and William died the following year . 1 +Old Polish is the time in the history of the Polish language between the 9th and the 16th century , followed by the middle Polish language . Old Polish language is the period in the history of the Polish language between the 16th and the 9th centuries , followed by the Middle Polish language . 1 +Dario Cvitanić ( Croatian : Darío Cvitanich ) ( born May 16 , 1984 ) is an Argentine football striker who plays for Banfield . Darío Cvitanić ( born May 16 , 1984 ) is an Argentine football striker who plays for Banfield . 1 +Vespasian was a Roman soldier of the equestrian class whom Gaius Cornelius Gallicanus adlected into the Roman senate for his loyalty during the Year of the Four Emperors . Vespasian was a Roman soldier of the equestrian class , whom Gaius Cornelius Gallicanus received during the year of the Four Emperors for his loyalty to the Roman Senate . 1 +Rick Peach was a vicar who was involved in scenes with Sophie Webster ( Brooke Vincent ) and Blanche Hunt ( Maggie Jones ) . Rick Peach was a vicar that was involved in scenes with Sophie Webster ( Brooke Vincent ) and Blanche Hunt ( Maggie Jones ) . 1 +His troops were , however , enough to prevent a Serbian invasion , and he led the Bulgarian delegation that negotiated with Serbian King Stefan Decanski . His troops , however , were enough to prevent a Serbian invasion , and he introduced the Serbian delegation that negotiated with the Bulgarian king , Stefan Decanski . 0 +Jolly 's parents settled in West Bengal from Rajshahi . Her elder sister Sharmili Ahmed is an actress . Jolly 's parents settled in West Bengal in Rajshahi , her elder sister Sharmili Ahmed is actress . 0 +It is licensed and published in North America by Blu on May 8 , 2007 . The manga is licensed in Taiwan by Sharp Point Press . It is licensed and published in Taiwan by Blu on 8 May 2007 , and is licensed by Sharp Point Press in North America . 0 +There is a Orang Asli Museum in Gombak and also in Melaka , about 25 km north of Kuala Lumpur . There is an Orang Asli museum in Gombak , and also in Melaka , about 25 km north of Kuala Lumpur . 1 +The others were Donald Carr of the Repton School and Etonian Luke White . The others were Luke White of the Repton School and Etonian Donald Carr . 0 +The neutral element in the new Jacobian coordinates is the Formula 34 . The neutral element in new Jacobian coordinates is formula _ 34 . 1 +The station was closed on December 8 , 1890 , opened on 8 November 1969 and was demolished in 1971 . The railway station was opened on December 8 , 1890 , closed on 8 November 1969 and demolished in 1971 . 0 +Guillermo Vilas won in the final 4 -- 6 , 6 -- 3 , 6 -- 1 , 7 -- 6 against Vitas Gerulaitis . Vitas Gerulaitis won 4 -- 6 , 6 -- 3 , 6 -- 1 , 7 -- 6 against Guillermo Vilas in the finals . 0 +He believes that Elbow is too accepting while he , himself , thinks that the writer should prove himself first . He believes that Elbow is too acceptable , while he thinks himself that the writer should first prove himself . 1 +Chelsey Nash ( also known as Chelsey Tregear ) is an Australian netball player who plays for the Melbourne Vixens in the ANZ Championship . Chelsey Nash ( also known as Chelsey Tregear ) is an Australian netball player in the ANZ Championship , playing for the Melbourne Vixens . 1 +"The hyperbolic case is similar , with the area of a disk of intrinsic radius "" R "" in the ( constant curvature formula _ 83 ) hyperbolic plane given by" "The hyperbolic case is similar , given to the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic level by" 1 +Philip Norman , the biographer of the Beatles , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had watched . The Beatles ' biographer , Philip Norman , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . 1 +Pyrgus alpinus is a butterfly of the Hesperiidae family , from Ghissar to northern India and Western China . Pyrgus alpinus is a butterfly of the Hesperiidae family . It comes from Ghissar to Western China and northern India . 1 +The Austronesian languages , which are spoken across the Pacific and Indian Oceans , are represented in MSEA by the differing Chamic group . The Austronesian languages , spoken across the Pacific and Indian Oceans , are represented in MSEA by the divergent Chamic group . 1 +Fort Paull is the location of the last remaining heavy Blackburn Beverley complete transport aircraft . Fort Paull is the location of the last remaining heavy Blackburn Beverley transport aircraft . 1 +On March 29 , 1861 , the Fort Fort Mason was reoccupied by federal troops and evacuated to 1869 after the civil war . On March 29 , 1861 , the Fort Fort Mason was cleared by federal troops and reoccupied after the Civil War until 1869 . 0 +Lysias , Aeschines , Isaeus , Plutarch and others also had their own preferences . Lysias , Aeschines , Isaeus , Plutarch and others had their own preferences . 1 +Other studies have also been submitted to the Congress by the Federal Power Commission and Power Authority of New York . Also other studies were submitted to the Federal Power Commission by the Congress and Power Authority of New York . 0 +The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Lakes Entrance , along the Princes Highway , north of Melbourne . The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Melbourne , along Princes Highway , north of Lakes Entrance . 0 +In 1998 , general elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . General elections were held in India in 1998 , after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . 1 +The square was opened on 2 July 2013 by President Alexander Lukashenko and Laos President Choummaly Sayasone during a ceremony at the square . The place was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony on the square . 0 +Ian Weatherhead lived in Somerset many years before moving to Cheltenham . Ian Weatherhead lived many years in Cheltenham before moving to Somerset . 0 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment published it on October 6 , 2015 in North America ." """ The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it in North America on October 6 , 2015 ." 1 +He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then came to Gubbi . Followed his guru and moved to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he came to Gubbi . 1 +The choice of the Oldham Metropolitan Borough Council in 2000 took place on 4 May 2000 to elect Oldham Council members in Greater Manchester , England . The 2000 Oldham Council election took place on 4 May 2000 to elect members of Oldham Metropolitan Borough Council in Greater Manchester , England . 0 +Blackedge was teamed with Craig James and sideline reporter Brad Nessler for the 2009 season , while Patrick is teamed with Heather Cox and sideline reporter Erin Andrews . Blackedge was working with Craig James and Sideline Reporter Brad Nessler for the 2009 season , while Patrick collaborated with Heather Cox and Sideline Reporter Erin Andrews . 1 +The stains are typically a rectangular brown shape roughly 150 mm wide and 100 mm long . The stains are typically a rectangular brown shape , around 150 mm long and 100 mm wide . 0 +His partner was Diego Milito , who was acquired like the midfielder Thiago Motta from Genoa . His partner was Thiago Motta , purchased from Genoa , like the midfielder Diego Milito . 0 +This main shrine has 59 branch shrines in Saitama Prefecture and 162 branch shrines in Tokyo . This main shrine has 59 branch shrines in Saitama prefecture and 162 shrines in Tokyo . 1 +Ashe was spoken in English by Mie Sonozaki and by Kari Wahlgren in Japanese . Ashe was voiced by Mie Sonozaki in English and by Kari Wahlgren in Japanese . 1 +He died on 27 December 1966 in Woodland Hills and was buried at the Oakwood Memorial Park Cemetery in Chatsworth . He died in Chatsworth on December 27 , 1966 , and was buried at Oakwood Memorial Park Cemetery in Woodland Hills . 0 +Hippotion moorei is a moth of the Sphingidae family , known from dry areas from northern Somalia to Ethiopia and Tanzania . Hippotion moorei is a moth of the family Sphingidae . It is known from dry areas from northern Tanzania to Ethiopia and Somalia . 0 +"Polumenta released his fifth studio album "" Buntovnik "" ( "" Rebel "" ) on 18 November 2010 under Grand Production , his second project with the label ." "On November 18th , 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project with the label ." 0 +Lina Alexeyevna Fedorova was born in Moscow on December 20 , 1997 , and her younger sister Lana is also in figure skating . Lina Alexeyevna Fedorova was born on 20 December 1997 in Moscow . Her younger sister , Lana , is also into figure skating . 1 +When he was succeeded by Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . When he was replaced by Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . 1 +Thus , the optimal language up to this additive constant is universal . Therefore , the optimal language is additive up to this universal constant . 0 +During his own visit to Ned 's castle of Winterfell , Arryn Ned recruited to replace Robert as the king 's hand . During his own visit to Ned 's castle of Winterfell , Robert recruits Ned to replace Arryn as the King 's Hand . 0 +Prosipho pellitus is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Prosipho pellitus is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +In 1516 , the Mundy family owned the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . The Mundy family owned the Manor of Allestree from 1516 until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . 1 +As long as they are advertised as profitable , rich food sources will be evaluated by the scouts when they return to the hive . Rich sources of food , as long as they are evaluated as profitable , are advertised by the scouts when they return to the hive . 0 +This image was rejected because it was seen as too sexual and was replaced by the image of the interlocking fingers of the couple while they hold hands . This image was rejected because it was seen as too sexual and was replaced by the image of the couple interlocking fingers while holding hands . 1 +He currently lives in Ridgefield , Connecticut , with his wife Cynthia . He has four children : Lindsay , Heather , Jason , and Rebecca . He lives with his wife Cynthia in Ridgefield , Connecticut , and has four children : Lindsay , Heather , Jason and Rebecca . 1 +The first was a four-lane studio session and the second six tracks recorded at the reading festival . The second was a four track studio session and the first six tracks recorded at the Reading Festival . 0 +The situation is complicated when Bob 's Chief Stellan ( Matthew Lillard ) falls in love with Cathy . The situation is complicated when Bob 's boss Stellan ( Matthew Lillard ) falls in love with Cathy . 1 +In Paris in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to Scotland through England . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through England to Scotland . 1 +Birleffi was of Protestant ethnicity and Roman Catholic in a predominantly Italian state . Birleffi was of Protestant origin and Roman - Catholic in a predominantly Italian state . 1 +The city borders on Riverdale , Ringwood , Wanaque and Pompton Lakes in Morris County and both Butler and the West Milford Township in Passaic County . The borough borders Pompton Lakes , Ringwood , Wanaque and West Milford Township in Passaic County and both Butler and Riverdale in Morris County . 0 +""" Spruance "" was decommissioned on 23 March 2005 and then was sunk as a target on 8 December 2006 ." """ Spruance "" was sunk on 23 March 2005 and was decommissioned as a goal on 8 December 2006 ." 0 +Nantucket Regional Transit Authority ( NRTA ) operates seasonal island-wide shuttle buses to many destinations including Surfside Beach , Siasconset , and the airport . Nantucket Regional Transit Authority ( NRTA ) operates seasonal island shuttle buses to many destinations including Surfside Beach , Siasconset and the airport . 1 +He is trained by Andre Rozier and shares a gym with the former World Champion Daniel Jacobs . He is trained by Andre Rozier and shares a gym with former world champion Daniel Jacobs . 1 +Of these two , one was severely cognitively impaired and physically disabled . One of these was physically disabled and cognitively impaired . 0 +People from all over China come to Lujiang to look at the reverence of Zhou Yu . People from all over the China come to Lujiang to look at with Zhou Yu 's reverence . 1 +It has Gram Panchayat in Middle of village which covers Endla and Rampura Ki Dhani also . It covers Gram Panchayat in the middle of the village , which also has Endla and Rampura Ki Dhani . 0 +The first DVD recording of the band , filmed in March 2010 at the Y Theatre in Leicester , was released in January 2011 . The band 's first recording , published in March 2010 at Y Theatre in Leicester , was filmed in January 2011 . 0 +The Georgian Government protested against the supposedly increasing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . The Georgian government protested against the allegedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . 0 +China is allowed the fewest imports , while the experienced Japanese teams are allowed the most . The fewest imports are allowed in China , while the experienced Japanese teams are allowed the most . 1 +In the first year , there were 65 members , at the end of the third year , 91 members and in the second year , 106 members . There were 65 members in the first year , 91 members at the end of the third year and 106 members for the second year . 1 +The couple had their first child , Schalk Jr , in August 2012 , and their second son Nicol was born in March 2014 . The couple got their first child , Nicol , in August 2012 , and in March 2014 their second son , Shalk Jr. , was born . 0 +His interests included processes of cross-cultural interaction and cultural exchange in modern times . His interests included processes of cultural interaction and intercultural exchange in modern times . 0 +The executive branch of government consisted of the president , the prime minister , a number of deputy prime ministers , and the federal ministers . The executive branch of the government consisted of the president , the prime minister , a number of federal ministers , and deputy prime ministers . 1 +In 1891 he became Professor of General and Analytical Chemistry and Professor of Inorganic Chemistry in 1903 . He became professor of general and analytical chemistry in 1891 and professor of inorganic chemistry in 1903 . 1 +1967 : The steel industry was born and the British Steel Corporation is nationalised . 1967 : The steel industry is nationalised and the British Steel Corporation is born . 0 +In 2007 , the merger of BPVN and Banco Popolare made BPI had 143 branches on the island , which was increased next year to 145 . In 2007 , the merger of BPVN and Banco Popolare made BPI had 143 branches in the island , which was increased to 145 in the next year . 1 +The weighted weighting function at the wavelength formula 1 can be written as the mesoscopic sum . The mesoscopic weighting function for the wavelength formula 1 can be written as a weighted sum ; 0 +After his death , the Marxist element of communism would be intensified in some atheist movements . The atheistic element of communism would be strengthened after his death in some Marxist movements . 0 +She is the wife of Giorgio Cagnotto and mother of the Tania Cagnotto . She is Tania Cagnotto 's wife and the mother of Giorgio Cagnotto . 0 +Frugalware has a twig codice 2 and a branch codice 3 . The branch codice 2 is updated daily , and the branch codice 3 is updated every six months . Frugalware has a codice _ 2 and a codice _ 3 branch . The codice _ 2 branch is updated daily , and the codice _ 3 branch gets updated every 6 months . 1 +She was a senior policy adviser and national spokesperson with the 2008 John McCain presidential campaign and political commentator on Fox News , CNN , and MSNBC . She has been a Senior Policy Advisor and National Spokesperson with the 2008 John McCain presidential campaign and political commentator on Fox News , CNN and MSNBC . 1 +The 500 Hispanic settlers who had lived near Los Adaes had to resettle in San Antonio in 1773 . The 500 Hispanic settlers who had lived near San Antonio had to relocate in Los Adaes in 1773 . 0 +"First , he was weakened by the VR Double Team attack , then destroyed by JB 's "" Laser Lance "" command ." "First he was destroyed by the VR Double team 's attack and then weakened by the command "" Laser Lance "" by JB ." 0 +Soon after , he was displaced by Colin Hudson and later Johnny Watkins on the Cardiff side . However , he was displaced in the Cardiff side , soon after by Johnny Watkins and later Colin Hudson . 0 +Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , president of the Micex , son of the famous Soviet economist Ruben Aganbegyan . Ruben Aganbegyan ( b . 1972 in Novosibirsk ) is a Russian economist , president of Micex , the son of the famous Soviet economist Abel Aganbegyan . 0 +A Jewish full fast lasts the following night from sunset to darkness . There are two Jewish full-fasting days : A Jewish full fast lasts the following night from the sunset to the darkness . There are two Jewish full days : 0 +From 1800 -- 04 , Wright was British consul-general for the republic of the Ionian Islands ( Seven Islands ) . Wright was from 1800 -- 04 British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . 1 +His parents were Daniel ( originally from Gainesville , FL ) and Mattie Lee Moss , originally of the Bahamas . His parents were Daniel ( originally from Gainesville , FL ) and Mattie Lee Moss , originally from Bahamas . 1 +The play was subsequently performed across Canada , by the Royal Shakespeare Company and the BBC . The play was subsequently performed throughout Canada by the BBC and the Royal Shakespeare Company . 1 +"An important advantage ( projected by Carr ) was that "" if Soviet Russia had eventually to fight Hitler , the Western Powers would already be involved . """ "An important advantage ( projected by Carr ) was that "" if Soviet Russia had to fight Hitler eventually , the Western powers would already be involved ." 1 +This film screenplay was written by Sergiu Nicolaescu and was directed by Titus Popovici . This film - screenplay was written by Sergiu Nicolaescu and was addressed by Titus Popovici . 1 +In 2006 , Rahm Emanuel pushed for an expansion of O 'Hare and worked with Kirk on a package to clean up the Michigan Lake . In 2006 , Rahm Emanuel pushed for an expansion of O'Hare and worked with Kirk on a package to clean up Lake Michigan . 1 +Izvoarele River is a tributary of the River Podriga in Romania . The Podriga River is a tributary of the River Izvoarele in Romania . 0 +The mouth of the Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . The estuary of Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . 1 +In the late 1980 's , Matthei entered political politics after the Chilean government had relaxed control of military activity . Matthei entered Chilean politics in the late 1980s , after the military government relaxed control over political activity . 0 +Karthik is the brother of actress Maheswari and the nephew of actress Sridevi . Karthik is the brother of the actress Sridevi and the nephew of actress Maheswari . 0 +The cars were tuned and produced by Abarth . The cars were tuned by Abarth and produced . 1 +During a transit , Mars would be visible from Earth as a small black disc moving over the face of the sun . During a transit , Mars would be visible from Earth as a small black disc moving across the face of the Sun . 1 +Weirton is located along WV 105 east of downtown Weirton Heights . Weirton is located along the WV 105 east of Weirton Heights downtown . 1 +The city of Oklahoma City has designated Santa Fe station as the location for intermodal transit for the city and the conurbation . The City of Santa Fe has designated the Oklahoma City station as the location for intermodal transit services for the city and metropolitan area . 0 +"In 2016 there appeared her first full biography : "" Graham Taylor , Pioneer of Ethical Socialism "" by Ada Salter ." "In 2016 , her first complete biography appeared : "" Ada Salter , pioneer of ethical socialism "" by Graham Taylor ." 0 +Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . 0 +The eldest son of Colonel Charles Lyell was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . The eldest son of Colonel Charles Lyell , he was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . 1 +The district of North Grant was one of the initial districts of the first Victorian Legislative Assembly , 1856 . The North Grant district was one of the first districts of the first Victorian Legislative Assembly , 1856 . 1 +Buccinum parvulum is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Buccinum parvulum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +Peter Johannes Maag ( May 10 , 1919 -- April 16 , 2001 ) was a Swiss conductor . Ernst Peter Johannes Maag ( Peter Maag ) ( 10 May , 1919 -- 16 April , 2001 ) was a Swiss conductor . 1 +He soon found his place among the stalwarts as Ritter , Hoksary , Steiner , Wetzer , Semler and Vogl . As Knights , Hoksary , Steiner , Wetzer , Semler and Vogl , he soon found his place among the Stalwarts . 1 +In the week before the first race , Barwa Addax - pilot Josef Král was replaced by Dani Clos , Brendon Hartley replaced Jon Lancaster with Ocean Racing Technology . In the week before the first race , Barwa Addax - Pilot Dani Clos was replaced by Josef Král , Brendon Hartley replaced Jon Lancaster with Ocean Racing Technology . 0 +"The former actor Conlan Carter , who performed in the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! "" appeared" "The former actor Conlan Carter , who appeared on the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ 1 +During the winter , the bird travels into a warmer climate , where it visits Bristow 's counterpart , a black man in a white suit . During the winter , the bird travels to a warmer climate where she visits Bristow 's counterpart , a black man in a white suit . 1 +He leads an experimental quartet featuring bassoonist Karen Borca , saxophonist Rob Brown and accordionist Andrea Parkins . He leads an experimental quartet with bassoonist Karen Borca , saxophonist Rob Brown and accordionist Andrea Parkins . 1 +And she also sings Sting , where she meets and even kisses him . And she also sings Sting , where she hits him and even kisses . 0 +Kissell was contracted by Branch Rickey in 1940 as an infielder and spent 69 years with the Cardinals Organization . Rickey was contracted by Kissell in 1940 as an infielder and spent 69 years with the Cardinals organization . 0 +The vaults are of Mesopotamian design and Coptic and Byzantine elements appear in the decorative carving . The vaults are Mesopotamian in design , and decorative elements appear in the Coptic and Byzantine carving . 0 +It is based on a novel by Robert Suhosky and was turned into a script by James Hardiman . It is based on a novel by James Hardiman and was turned into a script by Robert Suhosky . 0 +In 1944 , he became the editor when he succeeded Edward Taylor Scott , son of C. P. Scott . Wadsworth became the editor in 1944 when he succeeded C. P. Scott , the son of Edward Taylor Scott . 0 +Chuck Aber finally faces his fears , with the aid of Daniel and Lady Aberlin . With the help of Chuck Aber and Lady Aberlin , Daniel finally faces his fears . 0 +The show , previously held in the city of Christchurch , moved to Auckland in 2008 to Hagley Park . The show , which was previously held in the city of Auckland , moved to Christchurch at the Hagley Park in 2008 . 0 +Pérès was professor of mathematics and physics at the University of Lyon , finally a government attorney and later librarian at Agen . Pérès was professor of mathematics and physics at the University of Lyon , later attorney at law and finally a librarian in Agen . 0 +Groups of eastern lowland gorillas are usually larger than those of the western gorillas . Groups of western lowland gorillas are usually larger than those of eastern gorillas . 0 +Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 - 6 against Gary Donnelly and Jim Grabb . Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Andrew Castle and Roberto Saad . 0 +The figures of Christ and the young woman are depicted framed by the distorting Byzantine columns in the column of a round temple . The figures of Christ and the young woman are depicted framed by the twisting Byzantine columns in the portico of a round temple . 1 +Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 -- October 26 , 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . 1 +After 2015 season Seoul FC Martyrs joined the league , but three new teams Buyeo FC , Siheung Citizen and Yangpyeong FC left them . After the 2015 season , Seoul FC Martyrs left the league , but three new teams added Buyeo FC , Siheung Citizen and Yangpyeong FC . 0 +Sharon Northe has been the conductor of the group since 2003 , and Heather Weaver has been President since 2017 . Sharon Northe has been Head of the Group since 2003 , and since 2017 Heather Weaver has been President . 1 +O'Dea was born in Sydney in 1889 and moved to Armidale with his family as a child . O 'Dea was born in 1889 in Sydney and moved with his family to Armidale as a child . 1 +Eastside is a former settlement located in Holtville , north of Imperial County , California . Eastside is a former settlement in Imperial County , California . It was located north of Holtville . 0 +Theodore was flogged , and , together with ten other monks , banished to Thessaloniki , while Platon was imprisoned in Constantinople . Theodore was imprisoned and banished together with ten other monks to Constantinople , while Plato was flogged away in Thessaloniki . 0 +Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress and the younger sister of Assunta De Rossi . Alessandra Schiavone ( born Assunta De Rossi ; 19 July 1984 ) is a Filipina actress and the younger sister of actress Alessandra De Rossi . 0 +"In "" Infiltrated "" , Barodius Gill and Airzel commands Dan from Marucho and Shun to separate ." "In "" Infiltrated "" , Barodius orders Gill and Airzel to separate Dan from Marucho and Shun ." 0 +Puran Singh was born in Delhi , India to Singh and Ravi Smt . Puran Singh was born in Delhi , India to Mr. Ravi Singh and Smt . 0 +For example , Elizabeth Coffin , the daughter of a wealthy merchant from Nantucket , was the mother of prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr . For example Elizabeth Coffin , daughter of a prominent merchant from Nantucket , was mother of the wealthy Massachusetts industrialists Henry Coffin Nevins and David Nevins Jr . 0 +Sakura Spirit is a 2014 visual novel published by Winged Cloud and developed by Sekai Project . Sakura Spirit is a visual novel released by Winged Cloud in 2014 and developed by Sekai Project . 1 +"Kurt Warnekros is portrayed by Sebastian Koch in the 2015 film "" The Danish Girl "" ." "Kurt Warnekros is presented by Sebastian Koch in the film "" The Danish Girl "" 2015 ." 1 +"In 1830 , James turned over management of the "" Advertiser "" to John ." "In 1830 , John handed over the management of "" Advertiser to James ." 0 +In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in her 2012 school year . In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their 2012 school year . 1 +In 1941 , Ruth Stuber married Armand L. Jeanne ( b . Ruth Stuber married Armand L. Jeanne ( b . 1941 ) . 1 +Mukherjee was born on 30 September 1909 in the United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British - India . Mukherjee was born on 30 September 1909 in Benares ( now Varanasi ) , United Provinces ( now Uttar Pradesh ) , British India . 0 +The scene in which Eminem jumps and dives from a cliff was made at the Greenpoint Warehouse in Brooklyn with Lee and the video producer Justin Diener . The scene in which Lee jumps from a cliff and dives , was done at Greenpoint Warehouse , in Brooklyn with Eminem and video producer Justin Diener . 0 +In 2012 Duncan appeared alongside Romola Garai in Scrubber , a film written and directed by Amanda Hale . In 2012 , Duncan appeared next to Amanda Hale in Scrubber , a film by Romola Garai written and directed . 0 +KOTC 36 : Albuquerque was an event held on May 15 , 2004 at Sky City Casino in Albuquerque , New Mexico , USA . KOTC 36 : Albuquerque , New Mexico , United States an event was held on May 15 , 2004 at the Sky City Casino in Albuquerque . 0 +"( 2 ) Rochester Royals vs ( 3 ) Lakers : "" Minneapolis Lakers win 2-1 Series" "( 2 ) Minneapolis Lakers vs. ( 3 ) Rochester Royals : "" Lakers win series 2-1 """ 0 +The music was composed by A. T. Ummer and lyrics were written by Koorkkancheri Sugathan and Poovachal Khader . The music was written by A. T. Ummer and the lyrics by Koorkkancheri Sugathan and Poovachal Khader were composed . 0 +Stewart was a contemporary of Dorothy Kate Richmond , by Frances Hodgkins and Gwen Knight . Dorothy Kate Richmond , Frances Hodgkins , and Gwen Knight was a contemporary of Stewart . 0 +In January 2006 , in David Di Michele Transfer , in which Santoni , Simone Pepe and Salvatore Masiello were involved , Udinese Calcio went to the Co-Ownership Deal . In January 2006 , he seen in David Di Michele transfer , which involved Santoni , Simone Pepe and Salvatore Masiello went to Udinese Calcio in co-ownership deal . 0 +"The northern Cavefish or southern blindfish , "" Amblyopsis spelaea "" , is found in caves through Indiana and North - Kentucky ." "The northern Cavefish or the northern blindfish , "" Amblyopsis spelaea "" , is found in caves by Kentucky and southern Indiana ." 0 +Promegestone is mainly bound to albumin ; it does not bind to sex hormone-binding globulin , and binds only weakly to transcortin . Promegestone is mainly bound to albumin , it does not bind to sex hormone - binding globulin and binds to Transcortin only weakly . 1 +The 372nd Air Division in southern Vietnam as well as the 917th , 935th and 937th Air Regiments in central Vietnam were quickly deployed to the north . The 372nd air division in South Vietnam , as well as the 917th , 935th and 937th air regiments in Central Vietnam , were quickly deployed to the north . 1 +The season 2015 -- 16 PBA is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . The 2015 -- 16 PBA season is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . 1 +The battalion was transferred to MCB Camp Pendleton in October and November 1969 and relocated to the 5th Marine Amphibious Brigade . The battalion relocated during October and November 1969 to MCB Camp Pendleton and was reassigned to the 5th Marine Amphibious Brigade . 0 +Whinnies and screams can be made as distress calls , and are also used at dawn and at dusk . Whinnies and screams can be used as emergency calls and are also made at dusk and at dawn . 0 +"Triandos was referenced in the second episode of the third season of the HBO original series , "" The Wire "" ." "Triandos was referenced in the third episode of the second season of HBO - original series "" The Wire "" ." 0 +The Chinese ambassador in Apia is the official representative of the Government in Beijing to the Government of Samoa . The Chinese Ambassador to Beijing is the official representative of the government in Apia with the Government of Samoa . 0 +Entries marked with an asterisk are set in the fictional community of King 's Nodd 's Ridge . Entries marked with an asterisk are set in King 's fictional community of Nodd 's Ridge . 1 +The album was recorded in six different sessions at the Santa Monica Sound Records in Los Angeles and at the Westlake Recording Studios in Santa Monica , California . The album was recorded in six different sessions at both Santa Monica Sound Records in Santa Monica , California and Westlake Recording Studios in Los Angeles . 0 +The 913th Troop Carrier Squadron was consolidated with the 13th Air Refueling Squadron in September 1985 but the active squadron has not been consolidated since . The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but since then the consolidated squadron has not been active anymore . 0 +""" CQ Politics "" considered this race as ' Tossup ' . "" The Cook Political Report "" rated it ' Lean Republican ' ." """ CQ Politics "" considered this race to be "" Tossup "" . The "" Cook Political Report "" rated it as "" Lean Republican "" ." 1 +Vevey is a city in Vaud in the Canton of Switzerland , on the north shore of Lake Geneva , near Lausanne . Vevey is a city in Switzerland in the canton of Vaud , on the north shore of Lake Geneva , near Lausanne . 0 +Harold Ballard , founder of Toronto Maple Leafs , team owner Conn Smythe , and Wrestler Whipper Billy Watson helped Rumball find the 7.6 million dollars to open the centre . Toronto Maple Leafs founder Harold Ballard , team owner Conn Smythe and wrestler Whipper Billy Watson helped Rumball to raise the $ 7.6 million to open the centre . 1 +The Mundaring Branch Railway is an historical section of the original Eastern Railway main line across the Darling Scarp in the Western Australian Government Railways system . The Eastern Railway is an historical section of the original main line of Darling Scarp over the Mundaring - Branch in the Western Australian government - railway system . 0 +Depending on exact species , the Asian species include between , and weigh the smallest ungulates in the world . Depending on exact species , the Asian species include between and the smallest animals in the world and weigh . 1 +After May 4 , 2012 , Gordon M. Snow was replaced by Michael S. Welch and then Joseph M. Demarest with limited formal announcement . After May 4 , 2012 , Gordon M. Snow was replaced by Michael S. Welch and then Joseph M. Demarest with a limited formal announcement . 1 +In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as President of the City of Boston . William J. Galvin married Kathryn Galvin in 1956 , the daughter of Kevin White , who also served as a Boston City Council president . 1 +Ricardo Cano defeated Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 - 4 . Ricardo Cano defeated Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 -- 4 . 1 +Eschenz is a municipality in the Frauenfeld district of the Canton Thurgau in Switzerland . Eschenz is a municipality in Thurgau in the canton of Frauenfeld District in Switzerland . 0 +Different reactions take place on the surface of a catalyst of a heterogeneous phase . Reactions that take place on the surface of a catalyst of a heterogeneous phase are also different . 1 +Publius Minucius Augurinus was a Roman statesman who served as a consul with Titus Geganius Macerinus in 492 BCE . Titus Geganius Macerinus was a Roman statesman who served as a consul with Publius Minucius Augurinus in 492 BCE . 0 +Harold Larwood hooked the first ball he received from Bodyline spearhead McCabe for a boundary . Harold Larwood hooked the first ball he received from McCabe , Bodyline Spearhead , for a border . 1 +The song was written by George Harrison and inspired by his friend Eric Clapton 's preference for chocolate . The song was written by Eric Clapton and inspired by his friend George Harrison 's fondness for chocolate . 0 +"In the second season , Susan Glaspell and his play "" Bound East for Cardiff "" as well as "" Trifles "" were introduced by Eugene O ’ apos ; ' Neill ." "The second season introduced Susan Glaspell and his play "" Bound East for Cardiff "" as well as "" Trifles "" by Eugene O ’ Neill ." 1 +"A range of digital resources are available within the UGent network as part of a "" electronic library . """ "Within the UGent network , a range of digital resources are available as part of an "" electronic library "" ." 1 +"George Jones picked up the song as "" Somebody Always Paints the Wall "" on his album "" You Oughta Be Here with Me "" from 1990 ." "George Jones recorded the song as "" Somebody Here Paints the Wall "" on his 1990 album "" You Oughta Be Always with Me "" ." 0 +In 2013 the domestic branches of the bank in Austria were sold to Anadi Financial Holdings , and renamed to Austrian Anadi Bank . In 2013 , the Bank ’ s domestic branches in Austria were sold to Anadi Financial Holdings and renamed the Austrian Anadi Bank . 1 +Daka sends his electronic followers together with a zombie that he controls via an American brain implant by microphone to steal the precious metal . Daka sends his American followers together with a zombie that he controls via an electronic brain implant by microphone to steal the precious metal . 0 +The other language is English , while French is the main language . English is the other language while French is the main language to learn . 1 +""" Jet Moto 2 "" would be the last game developed by SingleTrac and published by Sony Computer Entertainment ." """ Jet Moto 2 "" would have been the last game developed by SingleTrac and published by Sony Computer Entertainment ." 1 +Over time , some equipment and techniques developed for sports diving have accepted for technical diving more widely . Over time , some equipment and techniques developed for technical diving have become more widely accepted for recreational diving . 0 +It has a plant and four factories in Bangladesh , and a subsidiary in New York City . It has a plant and four factories in Bangladesh , and a branch office in New York City . 1 +The 1945 San Diego State Aztecs football team represented San Diego State College during the 1945 college football season . The 1945 San Diego State Aztecs football team represents San Diego State College during the College - Football - Season 1945 . 1 +The size is described as 15 metres wide by 35 metres long . The size is described as 15 metres wide and 35 metres long . 1 +CXorf26 is strongly evolutionary conserved , with conservation found in Batrachochytrium dendrobatidis . CXorf26 is strongly evolutionary found , with conservation in batrachytrium dendrobatidis conserved . 0 +The film was written and co-produced by AR Murugadoss and produced by P. Madhan under banner of Escape Artists Motion Pictures . The film was written and produced by AR Murugadoss and produced by P. Madhan under the banner of Escape Artists Motion Pictures . 1 +In 1923 , Shach married Meltzer 's niece , Guttel Gilmovski . In 1923 , Shach Meltzer 's niece , Guttel Gilmovski , was married . 0 +The site was excavated in 1992 and 1993 by Patrick Garrow of the University of Georgia and David Hally of the Shorter University in Rome , Georgia . The finding site was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of Shorter University in Rome , Georgia . 0 +Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman that had never been seen during the day . Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman never seen during the day . 1 +It is found in southern North Africa and western Europe . It is being found in southern North Africa and Western Europe . 1 +His son John I Lestrange ( died before 1178 ) , twice Sheriff of Shropshire , held the castles Shrewsbury and Bridgnorth in 1174 for King Henry II . His son John I Lestrange ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King Henry II in 1174 . 1 +Pennypacker , born in Pennsylvania , moved to New York just after the turn of the century , before moving to Southampton , New York , on Long Island . Born in Southampton , New York , Pennypacker moved to Pennsylvania a little after the turn of the 20th century before moving to New York City on Long Island . 0 +Weslandia is a Newbery Medal winner of the children 's book , Kevin Hawkes , with illustrations by Paul Fleischman . Weslandia is a children 's book Newbery Medal winner Paul Fleischman , with illustrations by Kevin Hawkes . 0 +Talagang Tehsil , is a subdivision ( Tehsil ) of the district of Chakwal in the province of Punjab in Pakistan . Chakwal District is a subdivision ( Tehsil ) of Talagang Tehsil in the Province of Punjab in Pakistan . 0 +Jumping , is parachuting or wingsuit flying from a fixed structure or cliff . Jumping is a parachuting or wingsuit flying from a fixed structure or cliff . 1 +162 . Fighter Escadrille was a unit of the Łódź Army at the start of the Second World War . The unit was attached to the Polish Air Force . At the beginning of the Second World War , the Fighter Escadrille was a unit of the Łódź army , which was attached to the Polish Air Force . 1 +The languages of Rai - Coast are a language family in Madang - stock of New Guinea . The Madang languages are a family of languages in New Guinea - condition of the Rai - coast . 0 +His son , Aimé Boucher , was a politician from Quebec , his daughter Marguerite married Félix Allard , a member of the Canadian House of Commons . His son , Aimé Boucher , was a Quebec politician . His daughter Marguerite married Félix Allard , a member of the Canadian House of Commons . 1 +The son of the geologist and mineralogist Emma Brosy and the Swiss bearer George Escher was born . Escher was born the son of the geologist and mineralogist Emma Brosy and the Swiss Berend George Escher . 1 +Keenan played as 197 cm Ruckman and was a solid marker of the ball as well as a good drop - punt . Keenan played as a 197 cm ruckman and was a good marker of the ball as well as having a solid drop punt . 0 +Renovations in 2007 replaced the original entrance with a modern design that imitates the original façade and the higher front roof is now a simpler metal roof structure . Renovations in 2007 have replaced the original entrance with a modern design that mimics the original façade and the taller front roof is now a simpler metal roof structure . 1 +Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg in South Africa . Sasol , in South Africa , operates commercial gasification plants in Secunda , Mpumalanga and in Sasolburg . 1 +Puran Singh was born in Delhi , India , to Mr. Ravi Singh and to Smt . Ravi Singh was born in Delhi , India to Mr. Puran Singh and Smt . 0 +Jauharabad Railway Station is located in the district Khushab , Punjab Pakistan JAUHARABAD railway is a small crossroads in Sargodha Division Sargodha railway station is located in District Khushab , Punjab Pakistan Jauharabad Railway is a small junction in Jauharabad division . 0 +Karolína Plíšková won the title , defeated Angelique Kerber in the final , 6 -- 3 , 5 -- 7 , 6 -- 4 . Angelique Kerber won the title , defeating Karolína Plíšková in the final , 6 -- 3 , 5 -- 7 , 6 -- 4 . 0 +He also continued in this position when Winston Churchill came to power in 1940 , and was then Churchill 's general postmaster between 1943 and 1945 . He continued in this post also when Winston Churchill came to power in 1940 , and was then Postmaster General under Churchill between 1943 and 1945 . 1 +Regressive assimilations are only conditioned by phonological factors while substitutions take into account semantic information . Regressive assimilations are conditioned only by semantic factors , while substitutions take phonological information into consideration . 0 +Gobble Hoof was an American rock band from Massachusetts , founded in 1990 , led by Charlie Nakajima , previously Deep Wound . Gobble Hoof was an American rock band from Massachusetts founded in 1990 . The group were led by Charlie Nakajima , previously of Deep Wound . 1 +From 1965 to 2000 , it was owned by newspaper chains including Thomson Newspapers and the MediaNews Group . From 1965 to 2000 it was owned by newspaper chains including Thomson Newspapers and MediaNews Group . 1 +Choreographies can be discovered using variational methods , and more recently , topological approaches have been used to attempt a classification in the planar case Choreographies can be discovered using variation methods , and more recently planar approaches have been used to attempt a classification in the topological case . 0 +He was also trained at the Academy of Art in Zurich , where he and others learned musically to use the computer for composing music . He was musically trained at the Academy of Art in Zurich , where he and others also learned to use the computer for composing music . 0 +There are nearly 2,000 islands along the coastline , of which about three quarters are uninhabited . Along the coast there are about 2,000 islands , almost three quarters of which are uninhabited . 1 +The two-stroke engine of the Maicoletta used an unusual starter that rocked the crankshaft back and forth before rotating instead of firing it . The Maicoletta two-stroke engine used an unusual starter that swung back and forth before firing the crankshaft instead of rotating it . 0 +Fotbal Club Forex Braşov was a Romanian professional football club from Braşov , Romania , founded in October 2002 and dissolved in 2011 . Fotbal Club Forex Braşov was a Romanian professional club from Braşov , Romania , which was dissolved in October 2002 and was founded in 2011 . 0 +"According to co-star Melody Thomas Scott , the firing was protested behind the scenes of "" The Young and the Restless "" and was seen as unfair ." "According to Co-Star Melody Thomas Scott , the fire was seen behind the scenes of "" The Young and the Restless "" and protested as unfair ." 0 +The single was produced and recorded overseas , in the United States and produced by Howard Benson . The single was created and recorded overseas , in the United States , and produced by Howard Benson . 1 +In 1961 , the college moved to Rossville , and in 1968 moved to its present location , in Dorsey Avenue . In 1961 , the college moved to Dorsey Avenue , and in 1968 it moved to its present location in Rossville . 0 +Surprise Lake is a lake located north of Vancouver Island and south of Amor Lake at Brewster Lake . Surprise Lake is a lake located on Brewster Lake north of Vancouver Island and south of Amor Lake . 1 +In 1955 , it became the Central Electricity Generating Board , which in turn in 1957 the Central Electricity Authority . In 1955 , this became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . 0 +He began his studies at the Main Gimnázium in Budapest in 1946 , and from 1947 to 1951 he visited Madách Gimnázium in Debrecen . He began his studies in 1946 at the Main Reformed Gimnázium in Budapest , and from 1947 to 1951 , he attended the Madách Gimnázium in Debrecen . 1 +Outraged that Janevski escaped retribution , Mehmet Gega 's group took position to continue the protest . Outraged that Mehmet Gega escaped retribution , the group took position of Janevski to continue the protest . 0 +This species comes from Nicaragua to Costa Rica in the demersal zone of the Pacific Ocean . This species occurs in the demersal zone of the Pacific Ocean from Costa Rica to Nicaragua . 0 +The Phelps moved from Missouri to Far West , Jackson County , Missouri to Nauvoo , Illinois , where Murdock was again united with his father . The Phelps moved from Missouri to Far West , Jackson County , Missouri to Nauvoo , Illinois , where Murdock was reunited with his father . 1 +The fractional Schrödinger equation is a fractional equation of fundamental quantum mechanics . The fractional Schrödinger equation is a fundamental equation of the fractional quantum mechanics . 0 +This was the last AFL Championship to end the season ; the first Super Bowl followed the 1966 season . This was the first AFL championship to end the season , the last Super Bowl followed in the 1966 season . 0 +To find AIC in practice , we start with a number of candidate models and then apply the corresponding AIC values of the models . To find AIC in practice , we start with a set of candidate models , and then apply the models ' corresponding AIC values . 1 +He moved from Bengaluru to Chennai in 1996 to begin his own business . He moved from Chennai to Bengaluru in 1996 to start his own business . 0 +The current line - up is Chris Fogal on the guitar and vocals , Forrest Bartosh on drums and Johnny Wilson on bass and background - vocals . The current line-up is Johnny Wilson on guitar and vocals , Forrest Bartosh on drums and Chris Fogal on bass and background vocals . 0 +This French supported production with Jean Louis Martinoty , conductor , and his Orchestra was directed by John Eliot Gardiner . This French-supported production with John Eliot Gardiner , conductor , and his orchestra was directed by Jean Louis Martinoty . 0 +The episodes identified three men as the assassins of Kennedy : late drug trafficker Lucien Sarti and two living men ( Roger Bocagnani and Sauveur Pironti ) . The episodes identified three men as the assassins of Kennedy , deceased drug trafficker Sauveur Pironti and two living men ( Roger Bocagnani and Lucien Sarti ) . 0 +"In 2016 , her first complete biography appeared : "" Graham Taylor , pioneer of ethical socialism "" by Ada Salter ." "In 2016 there appeared her first full biography : "" Graham Taylor , Pioneer of Ethical Socialism "" by Ada Salter ." 1 +Meanwhile , Edie will be interviewed in New York City the day after Andy died in 1971 . Meanwhile , in New York City , Edie is interviewed the day after Andy died in 1971 . 1 +"The Sunday Times recently said of The Chemistry Set "" The Psychedelic scientists exquisite English Toytown Acid-Pop songs achieve rare combinations of muscle and melody """ "The Sunday Times recently said of The Chemistry Set "" The rare scientists Psychedelic English Toytown Acid-Pop songs reach exquisite combinations of muscle and melody "" ." 0 +Mimi Sodré was a student at the Naval Academy when after reading a book by Baden Powell named Scouting for Boys , he became interested in Scouting . Baden Powell was a student at the Naval Academy after reading a book by Mimi Sodré called Scouting for Boys , when he was interested in the scouting . 0 +The club kit is a white and black vertically striped vest or crop top with red trim , with red or black running shorts or hotpants . The Club - Kit is a red or black vertical striped vest or crop - top with red decorative bars , with white and black running shorts or hotpants . 0 +Later on , it was reported that Sunita will enter into an affair with John Michie ( Karl Munro ) . It was later reported that Sunita will embark on an affair with Karl Munro ( John Michie ) . 1 +Bandra is a neighborhood located in western Bandra in the state of Maharashtra , India many personalities active in Bollywood , in cricket and in politics , have lived in Mumbai . Bandra is a neighborhood located in western Mumbai in the state of Maharashtra , India . Many personalities active in Bollywood , cricket and politics reside in Bandra . 0 +Goldwire played with Panellinios of the Greek basketball league in the 2006-07 season . In 2009 , he joined the Spanish club CB Girona . In the 2006-07 season , Goldwire played with Panellinios from the Greek Basketball League , and in 2009 he joined the Spanish Club CB Girona . 1 +"The river , also known as "" Mauritius "" , was sometimes named after the Count ." "The river , sometimes known as the "" Mauritius "" was also named after the Count ." 0 +He spent most of his 11-year competitive career with Tenerife , published in 197 professional games in six seasons , one spent in La Liga . He spent most of his 11-year competitive career with Tenerife , appearing in 197 professional games during six seasons , one spent in La Liga . 1 +She lived in Metro Manila before moving to Minglanilla , Cebu . She lived in the Manila Metro before moving to Minglanilla , Cebu . 1 +His eyewitness account reports that the Afghans simply occupied the site and fled Hari Singh Nalwa without a battle from Peshawar . His eyewitness account reports that the Afghans simply fled the place and Hari Singh Nalwa occupied Peshawar without a battle . 0 +Their Feuds culminated on July 3 , when Paris and Bobby Eaton were defeated by Ganz and Ricky Morton . On July 3 , their feud culminated when Paris and Bobby Eaton were defeated by Ganz and Ricky Morton . 1 +He is part of the James River Watershed via the Appomattox River and the Bush River . It is part of the James River watershed over the Bush River and the Appomattox River . 1 +Elsinboro Township Limits Lower Alloways Creek Township , Pennsville Township and Salem . Elsinboro Township borders Lower Alloways Creek Township , Pennsville Township and Salem . 1 +It was created by Kansas City , Missouri Architect James C. Sunderland in Chicago style . It was designed by Chicago architect James C. Sunderland in Kansas City , Missouri style . 0 +"Some languages , such as Japanese , have different forms of certain verbs to show transitivity , for example , there are two forms of verb "" to start "" :" "Some languages like Japanese have certain forms of different verbs to show transitivity . For example , there are two forms of the verb "" to start "" :" 0 +Himeya changed as Nexus and tested Faust , but Faust disappeared and said , fight it just . Himeya changed as Nexus and test Faust but Faust disappeared and said just fight it . 1 +The underlying typology ( according to the type of second amount ) is determined by the needs of the users of the variance information and may z . The second typology ( according to the nature of the underlying amount ) is determined by the needs of users of the variance information and may include e.g . : 0 +In March 1999 , Chris Wayne Bennett took over the succession of Chris Anderson as team coach . Chris Anderson took over the succession of Wayne Bennett as a team coach in March 1999 . 0 +The resolution was signed by almost all the Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . The resolution was signed by almost all Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . 1 +Itami-go was part of Arioka Castle , which ruled Oda Nobunaga under Araki Murashige . Itami-go was a part of the castle of Arioka , which ruled Araki Murashige under Oda Nobunaga . 0 +""" Espoir "" lost her master wounded , and had six men killed , of whom two were badly wounded ." """ Espoir "" lost her master wounded and killed six men , two of whom were seriously wounded ." 1 +Classicist functionalist theory is generally united by its tendency towards biological analogy and the notions of social evolutionism . Classicist functionalist theory is generally united by its tendency towards social analogy and the notions of biological evolutionism . 0 +The Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank , Antwerp , Belgium . The Rockox House is a former residence of the Rockox family and Belgian private museum of KBC Bank in the city of Antwerp , Belgium . 1 +On their wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael to get help . On the day of their wedding , Michael Michael is killed before the ceremony takes place , and Centaine goes to help Sean . 0 +In the action they suffered five wounded men , the British had no loss . In the action they had wounded five men , the British suffered no victims . 0 +Suppose we have a macroscopic system whose isolated state is specified by a number of variables . Suppose we have an macroscopic system whose isolated state is specified by a number of variables . 1 +The returning Isaac Fontaine , who last played with Sta.Lucia three years ago , replaces Carrawell . The returning Carrawell , who played with Sta.Lucia for the last time three years ago , replaces Isaac Fontaine . 0 +In 1962 , further restoration was carried out for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker . In 1962 , for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker , further restoration was carried out . 0 +Ayeza Khan ( born Kinza Khan on 15 January 1991 ) , also known as Aiza Khan , is a Pakistani television actress and model . Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , also known as Aiza Khan , is a Pakistani TV actress and model . 1 +After Bobby explains everything about Donald and Morag , Rebecca stays in Summer Bay for the school holidays . After Bobby explained everything about Donald and Morag , Rebecca stays for the school holidays in Summer Bay . 1 +On November 24 , 2012 , Franscoviak married the writer Maggie McGuane , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . On November 24 , 2012 , Franscoviak married writer Maggie McGuane . The two live in Livingston , Montana with her children Maisie and Charlie Kirn . 1 +In November 2017 , Unilever Tazo sold 384 million dollars to Starbucks . In November 2017 , Unilever sold Tazo to Starbucks for $ 384 million . 0 +is the 19th letter of the Icelandic alphabet and represents . Ó is the 19th letter of the Icelandic alphabet and represents . 1 +Janmashtmi festival is celebrated in the village and a Mela is also organised . The Janmashtmi Festival is organised in the village and a mela is also celebrated . 0 +Emma married Robert Lee Kelley in 1893 . In 1893 , Emma V. Lee Robert Kelley married . 0 +Björn Freiberg ( born 28 March 1970 in Isny im Allgäu ) is a former actor , painter , author , translator and German University teacher . Björn Freiberg ( born March 28 , 1970 in Isny im Allgäu ) is a former actor , painter , author , translator and German university teacher . 1 +And she also meets Sting where she sings and even kisses him . And she also meets Sting , where she sings and even kisses . 1 +A professional thief ( Thomas Jane ) takes a former race car driver ( John Cusack ) hostage and forces him to drive his getaway car . A professional thief ( Thomas Jane ) takes a former racing driver ( John Cusack ) hostage and forces him to drive his car . 1 +Scientists believe that amber was deposited in a flat part of a prehistoric basin in a delta of a marine river during the Upper Eocene and the Lower Oligocene . Scientists believe that amber was deposited in a flat part of a sea basin in a delta of a prehistoric river during the Upper Eocene and the Lower Oligocene . 0 +The victory over Fei Yi increased Wei 's fame even further . The victory over Fei Yi further increased Wei 's fame . 1 +Born in tiny Pelican in DeSoto Parish in northwestern Louisiana , McKenzie attended public schools in Monroe in Ouachita Parish and Louisiana State University in Baton Rouge . Born in tiny pelican in Ouachita Parish in northwest Louisiana , McKenzie visited public schools in Monroe in DeSoto Parish and Louisiana State University in Baton Rouge . 0 +Wayne Bennett took over from Chris Anderson as coach of the team in March 1999 . Chris Anderson took over the succession of Wayne Bennett as a team coach in March 1999 . 0 +""" The Remarkable Rocket "" is a parody of aristocratic vanity and masculine conceit ." """ The Remarkable Rocket "" is a parody of aristocratic vanity and masculine image ." 1 +The Turkish Turks speak the Macedonian language and , secondly , Albanian in the west and Macedonian to the east . Macedonian Turks speak the Turkish language and secondly Albanian in the west and Macedonian in the east . 0 +She is the former State Convenor and current Secretary of the New South Wales Labor Left faction . She is the former state convenor and current secretary of the Left New South Wales group . 1 +He left Tunis towards Egypt , where he met in Cairo Mahmud al-Kurdi of the Khalwati Order . He left Egypt for Cairo where he met Mahmud al-Kurdi of the Khalwati order in Tunis . 0 +It was addressed by Hiroaki Gōda , animated by Anime International Company , and produced by TBS and Kodansha . It was directed by Hiroaki Gōda , animated by Anime International Company , and produced by TBS and Kodansha . 1 +He beat Andrey Balanov but lost the final to Kakhaber Zhvania . He beat Kakhaber Zhvania , but lost the finale to Andrey Balanov . 0 +The railway station of Betul is located between Bhopal and Nagpur station . Nagpur railway station is located between Bhopal and Betul station . 0 +""" Clitarchus hookeri "" is found from Wellington to the Northland region in the south of New Zealand 's North Island ." """ Clitarchus hookeri "" is found from Wellington to the Northland region in the south of the North Island of New Zealand ." 1 +His son Henry II ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King John I Lestrange in 1174 . His son John I Lestrange ( died before 1178 ) , twice Sheriff of Shropshire , held the castles Shrewsbury and Bridgnorth in 1174 for King Henry II . 0 +Proteins that form stable complexes with other molecules are often referred to as receptors , while their binding partners are referred to as ligands . Proteins that form stable complexes with binde molecules are often referred to as receptors , while their other partners are called ligands . 0 +Dharmapuram is a village near the town of Srikakulam in Ponduru Mandal Division in Andhra Pradesh , India . Srikakulam is a village near Dharmapuram Town in the Ponduru Mandal Division in Andhra Pradesh , India . 0 +These arrangements have to correct explanations at different levels -- mathematics , physics , chemistry , biology -- individually , but all necessary together . These arrangements have explanations at different levels -- mathematics , physics , chemistry , biology -- each individually necessary , but all correct together . 0 +On 5 May 2015 , Kuala Lumpur was selected as the terminus of the Jurong East -- Singapore High Speed Rail route in Singapore . Jurong East was chosen as the Singapore terminus of the Kuala Lumpur -- Singapore High Speed Rail on 5 May 2015 . 0 +The incumbent mayor , Joseph A. McArdle , won a divided Republican primary against Councilman John Herron and the Register of Wills Joseph Mackrell . Incumbent mayor Joseph A. McArdle won a divided Republican Primary against Councilman John Herron and Register of Wills Joseph Mackrell . 1 +In these cells , a voltage is registered electronically induced . A voltage is induced in these cells , which is registered electronically . 0 +The work is dedicated to Sikorski and is published by Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis . The work is dedicated to Sikorski . It is published by Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis . 1 +To use the parameter λ that maximizes the probability function for the Poisson population , we can find the logarithm of the likelihood function . To find the λ parameter that maximizes the probability function for the Poisson population , we can use the log of the probability function : 0 +Rayburn recalled that he and Earl toured the state together with Fowler in 1956 . Rayburn remembered that he and Earl , together with Fowler , toured the state in 1956 . 1 +Berry Head , the distant point of Torbay , was seen between six and nine miles southeast . The Berry Head , the distant point of Torbay , was seen between six and nine miles south-east . 1 +In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , however , defeat suffered . In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Chu united to attack Wei but suffered a defeat . 0 +This layer deals only with electrical connectors and sockets and with the physical specification of signals . This layer deals only with the physical connectors and sockets and the electrical specification of signals . 0 +The first section to be opened was from Maryhill west to Cliffs ( near Pasco ) , a length of , on December 15 , 1907 . The first section to open was from Pasco west to Cliffs ( near Maryhill ) , a length of , on December 15 , 1907 . 0 +( In this case , both intermediate vowels and long consonants are lost ) . ( In this case both intermediate vowels and long consonant are lost . ) 1 +""" Once in a Lifetime "" was chosen as the Estonian entry at the national final , Eurolaul , on 5 February ." "At the Estonian final Eurolaul on 5 February , "" Once in a Lifetime "" was chosen as the national contribution ." 0 +Critics praised Geldof 's performance as Geldof , but wrote that Gleeson 's mixed motives and the true toughness of Goldsmith were insufficiently explored . Critics praised Gleeson 's performance as Geldof , but wrote that Geldof 's mixed motives and the true hardship of Goldsmith were insufficiently explored . 0 +The BMS Chair is Jürg Kramer ( FU ) , and the deputy Chairs are Günter M. Ziegler ( HU ) and John M. Sullivan ( TU ) . The BMS - Chairperson is Günter M. Ziegler ( FU ) , the deputy chairs are Jürg Kramer ( HU ) and John M. Sullivan ( TU ) . 0 +Combinatorial placement later exceeded quadratic solutions , both in quality and stability . Combinatorial placement later outperformed Quadratic solutions , in both quality and stability . 1 +""" Cortinarius rainierensis "" , collected from the material described in Mount Rainier National Park in 1950 by Alex H. Smith and Daniel Elliot Stuntz , is a synonym ." """ Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material described Mount Rainier National Park , is a synonym ." 1 +Mahayana Buddhism was far more successful in China than its rival Hinayana , and both Indian schools and local Chinese sects arose from the 5th century . Mahayana Buddhism was far more successful in China than its rival Hinayana , and both local Chinese schools and Indian sects emerged in the 5th century . 0 +Rail transport in Belgium was historically managed by the National Railway Company of Belgium , which was known in French as the NMBS and in Dutch as the SNCB . Rail transport in Belgium was historically managed by the National Railway Company of Belgium , known as SNCB in French and NMBS in Dutch . 0 +"It is operated by Tamil Nadu Government Aided Institution of a society called "" Nadar Mahajana Sangam "" ." "It is Tamil Nadu Government run Institution Aided by a society called "" Nadar Mahajana Sangam "" ." 0 +Udaan was official film to be in the first Indian section of Cannes in seven years . Udaan was official film to be part of Cannes ' first Indian section in seven years . 1 +Also , he does not like the world of court and always says it . He is a lead , and criticizes two of Shakespeare 's most common monologues . He also does not like and criticizes the world of the court , he is a feather and says two of Shakespeare 's most common monologues . 0 +Bank of London and The Middle East Plc is authorised by the Prudential Regulation Authority and regulated by the Financial Conduct Authority and the Prudential Regulation Authority . The Bank of London and The Middle East Plc are admitted by the Prudential Regulation Authority and regulated by the Financial Conduct Authority and the Prudential Regulation Authority . 1 +The 1953 Labour Party deputy election took place on 29 October 1953 , after the current deputy leader Aneurin Bevan , was challenged by Herbert Morrison . The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after the current deputy leader Herbert Morrison was challenged by Aneurin Bevan . 0 +Flash then recruited his friend Cowboy , Nathaniel Glover and The Kidd Creole ( Melle Mel ) . Then his friend Cowboy , Melle Mel and The Kidd Creole recruited ( Nathaniel Glover ) . 0 +Shortly after his son , Santha , was drowned in a swimming pool under mysterious circumstances , Jagath died of heart attack on April 11 , 1981 . Santha died on 11 April 1981 from a heart attack shortly after his son Jagath drowned under mysterious circumstances in a swimming pool . 0 +"It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on 10 January 2006 ." "It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on 10 January 2006 ." 0 +Lazkao is a town and municipality located in the Gipuzkoa region of the province of Goierri , in the Basque Autonomous Community in Northern Spain . Lazkao is a city and municipality in the region of Gipuzkoa in the province of Goierri , in the Basque Autonomous Community of northern Spain . 1 +In 1901 the critic Henri Cazalis ( alias Jean Lahor ) , listed the workshop as one of the best producers in France of Art Nouveau ceramics . In 1901 , the critic Jean Lahor ( aka Henri Cazalis ) listed the workshop as one of the best producers of Art Nouveau pottery in France . 1 +Gilda Joyce is an American author of mystery novels who is best known as the author of the Jennifer Allison children 's series of books . Gilda Joyce is an American author of mystery novels known as the author of the Jennifer Allison series of children 's books . 1 +It is based on Ealing in Ealing Broadway near Uxbridge Road station , London , the same address as Transworld . It is based on Uxbridge Road in Ealing , close to Ealing Broadway Station , London , the same address as Transworld . 0 +"In 2007 , security director Jerry Springer left "" Wilkos "" to host his own syndicated talk show ." "In 2007 , the security director of Wilkos left Jerry Springer "" to host his own syndicated talk show ." 0 +A somatic antigen is an antigen located in the cell wall of a gram-positive or gram-negative bacterium . A somatic antigen is an antigen , which is in the cell wall of a gram-positive or gram-negative bacterium . 1 +New Two is an album by jazz pianist Mal Waldron and baritone saxophonist George Haslam , which was recorded in 1995 and published on the English slam label . New Two is an album by jazz pianist George Haslam and the baritone saxophonist Mal Waldron , which was recorded in 1995 and published on English Sl . 0 +"Also , there is a promising and more faithful remake called "" Xenonauts "" . """ "There is also a more promising and fairer remake called "" Xenonauts "" ." 1 +Birleffi was of Protestant origin and Roman - Catholic in a predominantly Italian state . Birleffi was of Italian descent and Roman - Catholic in a predominantly Protestant state . 0 +The mineral is only formed in the Bon Accord Nickel Deposit in South Africa where it has been found by replacing chromite and rimmed by trevorite . The mineral was found only in the Bon Accord nickel deposit in South Africa , where it is formed by replacing chromite and by trevorite . 0 +New Zealand has similar restrictions in its 2007 Act on Unsolicited Electronic Messages . New Zealand has similar restrictions contained in its Electronic Unsolicited Messages Act 2007 . 1 +Guido died in 1955 , and the company was led by his son Bruno Caloi until 1999 . In 1955 , Bruno Caloi died , and the company was led by his son Guido until 1999 . 0 +Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . Schützen-Eisenberg is a municipality in the district of Oberwart in Austria in Burgenland . 0 +Later , Ruth reluctantly agrees that Nate can stay a few more days . Later , Ruth reluctantly agrees that Nate can stay for a few days . 1 +He is the first son of the Argentine coach Oscar Garré , the brother of Argentine footballer Emiliano Garré and uncle Benjamin Garré . He is the first son of the Argentine coach Emiliano Garré , the brother of Argentine footballer Oscar Garré and uncle of Benjamin Garré . 0 +New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence on the colony . New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a sustained New England influence in the colony . 0 +Jana Novotná and Jim Pugh won 7 - 5 , 6 - 3 against Elizabeth Smylie and Patrick McEnroe in the final . Elizabeth Smylie and Patrick McEnroe won against Jana Novotná and Jim Pugh in the Final 7 : 5 , 6 : 3 . 0 +Belinda is a novel by Anne Rampling in 1986 , originally published under the pseudonym Anne Rice . Belinda is a 1986 novel by Anne Rice , originally published in under the pen name Anne Rampling . 0 +Its signal covers Cundinamarca , Boyacá , Tolima , Huila , Casanare , Meta , Vichada , Arauca , Caquetá , Guaviare , Vaupés , Amazonas , and Putumayo . Its signal includes Cundinamarca , Boyacá , Tolima , Amazonas , Meta , Huila , Casanare , Caquetá , Guaviare , Vaupés , Vichada , Arauca and Putumayo . 1 +Simon Skelton won in the final 9-4 , 9-5 against Darren Burnett . Simon Skelton won 9-4 , 9-5 vs. Darren Burnett in the final . 1 +In 1697 he was re-elected as a Whig Member of Parliament for Eye and sat until 1713 , when he was returned to Lymington . In 1697 he was returned as Whig - Member of Parliament for Eye and was sitting until 1713 , when he was re-elected for Lymington . 0 +When the membrane potential reaches approximately – 60 mV , the K channels open up and the Na channels close and the prepotential phase begins again . When the membrane potential reaches approximately − 60 mV , the K channels open and Na channels close and the prepotential phase begins again . 1 +Cyrus Engerer wrote a biography of the Labour Party leader , Prime Minister Dr. Joseph Muscat . Joseph Joseph Muscat wrote a biography of the Labour Party leader , Prime Minister Dr. Cyrus Engerer . 0 +"During religious persecutions he came to Serbian Šajkaši in Komárom as a renowned speaker ( "" slavni propovednik "" ) in 1739 ." "In 1739 , during renowned persecutions , he came as a religious speaker ( "" slavni propovednik "" ) to live among the Serbian Šajkaši in Komárom ." 0 +Kerri McKeehan , sister of Stuart , married TobyMac in 1995 . In 1995 she married Stuart Kerri McKeehan , the sister of TobyMac . 0 +In the 6th round , 177th Overall , selected by the capitals in the NHL Entry Draft 2011 . Boyd was selected in the 6th round , 177th overall , by the Capitals in the 2011 NHL Entry Draft . 1 +His son John James was a prominent architect who was active in Winnipeg , and his son George was also an architect in Montreal . His son , George , was a prominent architect in Winnipeg , and his son , John James , was also active in Montreal . 0 +Hendrik Dreekmann defeats Pete Sampras 7 -- 5 , 6 -- 2 , 6 -- 0 Hendrik Dreekmann defeated Pete Sampras 7 -- 5 , 6 -- 2 , 6 -- 0 1 +In 2016 , 3.9 % of children attended bilingual schools in primary education . In 2016 , 3.9 % of children attended primary schools in bilingual schools . 1 +It is found in Bolivia ( Mato Grasso , Perambuco ) and in Brazil . It is found in Brazil ( Mato Grasso , Perambuco ) and Bolivia . 0 +"The Handbook of the Birds of India and Pakistan is the "" magnum opus "" of Indian ornithologist S. Dillon Ripley , written along with Salim Ali ." "The Handbook of the Birds in India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist Salim Ali , along with S. Dillon Ripley ." 0 +On February 11 , 1924 , Governor Friend Richardson Richards appointed Justice Associate of the California Supreme Court to fill the vacant seat of Frank H. Kerrigan . On February 11 , 1924 , Governor Friend Richardson appointed Richards as an Associate Justice of the California Supreme Court to fill the vacant seat of Frank H. Kerrigan . 0 +Brown played for Cum Posey 's Grays from 1932 to 1945 . Cum Posey played from 1932 to 1945 for Brown 's Grays . 0 +"The "" Ruby Cup "" of "" Molod Ukrayiny "" newspaper ( for the most scored goals ) was received by SKA Kiev ." "The "" Ruby Cup "" of the newspaper "" Molod Ukrayiny "" ( for most goals ) was reached by SKA Kiev ." 0 +The Grewals are the popular family that was released in the second series of the UK Channel 4 series The Family . The Grewals are the second family that appeared in the popular series The Family of the British Channel 4 series . 0 +""" U. malabarica "" grows over wet rocks or lateritic floors in the presence of "" Eriocaulon "" species and grasses ." """ U. malabarica "" grows over lateritic rocks or wet soils in the presence of "" Eriocaulon "" species and grasses ." 0 +Disney received ownership rights to the thirteen DreamWorks films it distributed , in compensation for outstanding loans as DreamWorks was restructured into Amblin Partners . Disney distributed property rights to the thirteen DreamWorks films it received as compensation for outstanding loans , while DreamWorks was restructured in Amblin Partners . 0 +The Hardin Independent School District is a public school district based in Hardin , Texas ( USA ) . Hardin Independent School District is a public school district based in Hardin , USA ( Texas ) . 1 +On August 30 , 2017 , the Chicago Red Stars acquired Brian from the Dash for Kristie Mewis . On August 30 , 2017 , the Chicago Red Stars acquired Kristie Mewis from Dash für Brian . 0 +Design by Jeff Grubb with Andria Hayday , a cover by Karl Waller and illustrations by Jeff Easley . Design was by Jeff Grubb with Andria Hayday , a cover by Karl Waller , and illustrations by Jeff Easley . 1 +Kane was a master of mystical power , and was physically a match for both the Undertaker and Augustus in his Embalmer guise . Augustus was a master of mystical power and was physically a match for the undertaker and kane in his Embalmer - garment . 0 +In 1643 , the English parliamentarian Alexander Rigby bought the great existing Plough of Lygonia patent , which included the entire area , including Cape Elizabeth . In 1643 , the English parliamentarian Alexander Rigby bought the entire existing Plough of Lygonia - patent that included the large area including Cape Elizabeth . 0 +The first two editions of Cock were not particularly successful , but the Galle - edition of 1601 was quite successful on the other hand . The first two editions by Cock were not quite successful but the 1601 Galle edition , on the other hand , was particularly successful . 0 +The line to Nahariya through Tel Aviv and Haifa operates 24 hours a day on weekdays . The line to Tel Aviv through Nahariya and Haifa is 24 hours a day on weekdays . 0 +Sergey Volkov 's position was previously planned to be filled by Thomas Reiter ( Russia ) before the launch of STS-121 was postponed until July 2006 . Previously , the position of Thomas Thomas Reiter was planned to be filled by Sergey Volkov ( Russia ) before the launch of STS-121 was postponed until July 2006 . 0 +Boiestown ( 1991 population : 349 ) is a rural community located in the Canadian community of Upper Miramichi in Northumberland County , New Brunswick . Boiestown ( 1991 population : 349 ) is a Canadian community in the rural community of Upper Miramichi in Northumberland County , New Brunswick . 0 +Sam and Russ later refused to attend Nicole 's funeral . Nicole and Russ both later refused to attend Sam 's funeral . 0 +In the 16th round ( 476th total ) of the Major League Baseball draft in 2004 , Arizona Reynolds was selected by the Arizona Diamondbacks . Reynolds was selected by the Arizona Diamondbacks in the 16th round ( 476th overall ) of the 2004 Major League Baseball draft . 1 +Eupithecia yunnani is a moth within the family Geometridae It is found in China ( Yunnan ) . Eupithecia yunnani is a moth in the family Geometridae . It is found in Yunnan ( China ) . 1 +Tătarca river is a tributary of the River Cârlibaba in Romania . The Cârlibaba - River is a tributary of the River Tătarca in Romania . 0 +The most important use of lead acid dioxide is as the cathode of lead batteries . The most important use of lead dioxide is the cathode of lead batteries . 0 +Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . Daniel Pollack announced in February 2016 that Argentina reached an agreement with Paul Singer . 0 +It is directed by Yasir Nawaz and written by Rida Bilal . It is written by Yasir Nawaz and led by Rida Bilal . 0 +Most UArctic members include higher education institutions , but other members are circumpolar indigenous organizations and research institutions . Most UArctic members include higher education institutions , but other members are circumpolar indigenous organizations and research institutes . 1 +His niece and heritage , Henry Henry Beaumont , married Alice Comyn , a French nobleman in the English service . Alice Comyn , his niece and heir , married Henry Beaumont , a French nobleman in the English service . 0 +The German language was only taught as a foreign language in addition to the official Mexican teaching program . In addition to the German teaching programme , the official Mexican language was taught only as a foreign language . 0 +On 23 November 2010 , the Heat renounced Stackhouse to make room for Erick Dampier , who was signed to replace the injured Udonis Haslem . On November 23 , 2010 , the Heat waived Stackhouse to make room for Erick Dampier who was signed to replace injured forward Udonis Haslem . 1 +"If "" x "" is an multiplicative operator , then a invertible Jordan -- Chevalley decomposition expresses "" x "" as a product ." "If "" x "" is a multiplicative operator , then expresses an invertable Jordan -- Chevalley -- Decomposition "" x "" as a product ." 1 +The first stage was in Plymouth , for the second time the Tour de France visited England . The second stage was in Plymouth , the first time that the Tour de France was visiting England . 0 +Edwin F. Parry , a son of John Parry , was a Mormon hymnwriter . Edwin F. Parry , the son of John Parry , was a Mormon Hymnwriter . 1 +"John John Ruskin called it "" the most precious Henry James in the world "" , wrote Paul Veronese in 1882 ." "John Ruskin called it "" the most precious Henry James in the world . "" Paul Veronese wrote in 1882 ." 1 +They learned at the police station that Jayaraman 's brother had the money , but Devayani is charged with murder . They learn at the police station that Jayaraman 's brother had the money , but Devayani is charged with murder . 1 +He served as the General Counsel for both the Panama Railroad Company and later the Isthmian Canal Commission . He served as the General Counsel of the Isthmian Canal Commission and later the Panama Railroad Company . 0 +"At the 54th International Film Festival in Locarno his British feature film "" Déjàvu "" was premiered with international actors ." "His international English feature film "" Déjàvu "" with British actors premiered at the 54th International Film Festival in Locarno ." 0 +The species name refers to the two latero-distal oval processes on the juxtal plate . The species name refers to the two adjacent oval processes on the latero-distal plate . 0 +The Dick Smith Wilderness is a wilderness area in the mountains of eastern Santa Barbara County , California , with a part in Ventura County . The Dick Smith Wilderness is a wilderness area in the mountains of eastern Ventura County , United States , with a portion in Santa Barbara County , California . 0 +Just as influential are Wolayta traditional dance forms that are often adopted by musicians and widely visible in Ethiopian music videos . Just as influential are Wolayta traditional dance forms , which are widely accepted by musicians and often visible in Ethiopian music videos . 0 +Susie J. Clarke married Brown in Ayer , Massachusetts , on December 30 , 1888 . On December 30 , 1888 , Susie married Clarke Brown in Ayer , Massachusetts . 1 +His influences as a student included Carl Ludwig and Gustav von Hüfner in Leipzig and Robert Bunsen at the University of Heidelberg . As a student , his influences included Robert Bunsen and Gustav von Hüfner at Leipzig , and Carl Ludwig at the University of Heidelberg . 0 +The joint management of the memorial by the United States Navy and the National Park Service was founded on 9 September 1980 . The joint management of the memorial was founded by the National Park Service and the United States Navy on 9 September 1980 . 1 +Later they moved to Khulna and lived there for couple of years until they moved to Dhaka . Later they moved to Dhaka and lived there for a couple of years until they moved to Khulna . 0 +The city of Oklahoma City has designated Santa Fe station as the location for intermodal transit for the city and the conurbation . The City of Oklahoma City has designated the Santa Fe station as the location for intermodal transit services for the city and metropolitan area . 1 +Russ injured at least 74 people in Hainan , Guangdong and Guangxi Provinces and killed another 726 people . In the provinces of Hainan , Guangdong , and Guangxi , Russ has killed at least 74 people and injured another 726 people . 0 +In 1990 , Maxtor bought the hard drive manufacturer MiniScribe . Maxtor bought hard drive manufacturer MiniScribe in 1990 . 1 +It is 192 miles south of Lahore and about 120 km east of Bahwalpur . It is 192 miles south of Lahore and about 120 miles east of Bahwalpur . 1 +"The mushroom is poisonous , but due to possible confusion with edible "" Amanita "" species is not recommended ." The fungus is edible , but due to possible confusion with toxic Amanita species is not recommended . 0 +Jeppe Tengbjerg ( born 28 December 1973 ) is a former football manager and Danish football player . Jeppe Tengbjerg ( born December 28 , 1973 ) is a Danish football manager and former football player . 1 +In 1996 , he moved from Bengaluru to Chennai to start his own business . He moved from Bengaluru to Chennai in 1996 to begin his own business . 1 +"He plays poker online at PokerStars under the username "" p10ker "" and at Fulltilt Poker as "" MyimaTsarong "" and at PartyPoker with his own name ." "He plays online poker at PokerStars under the username "" p10ker "" and at Fulltilt Poker as "" MyimaTsarong "" and at PartyPoker using his own name ." 1 +"Verde has several islands , including Tingloy , Fortune Island ( "" Isla Verde "" ) and Nasugbu of Batangas ." "Batangas has several islands , including Tingloy , Verde Island ( "" Isla Verde "" ) , and Fortune Island of Nasugbu ." 0 +Anton married Lesley Gray in September 1994 . Anton Lesley Gray was married in September 1994 . 0 +The music was scored by Rajesh Khanna and songs are sung by Shankar Jaikishan for Kishore Kumar . The music was recorded by Shankar Jaikishan and the songs are sung by Kishore Kumar for Rajesh Khanna . 0 +Colombres is one of three parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadedeva , northern Spain . Colombres is one of three parishes ( administrative divisions ) in Ribadedeva , a municipality within the province and autonomous community of Asturias , in northern Spain . 0 +""" The Remarkable Rocket "" is a parody of masculine vanity and aristocratic conceit ." """ The Remarkable Rocket "" is a parody of aristocratic vanity and masculine image ." 0 +John Rossall 's final concert was at the Bristol Hippodrome on 5 December , 1996 , with Slade II and Connolly 's Glitter Band Experience . The final concert was held on 5 December 1996 at Bristol Hippodrome with Slade II and Connolly 's Glitter Band Experience . 1 +In the episode of Impact Waltman , Hall and Nash Team 3D and Jesse Neal defeated in a street fight . In the aftermath of Impact , Jesse Neal , Hall and Nash defeated Team 3D and Waltman in a Street Fight on April 12 . 0 +Almaric became the Regent of Armenia , and Henry was exiled to Cyprus and Jerusalem . Almaric became regent of Cyprus and Jerusalem , and Henry was exiled to Armenia . 0 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment published it on October 6 , 2015 in North America ." "On February 27 , 2015 , "" The Timber "" was released in North America , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." 0 +"The characters that would become "" The Brothers Grunt "" were first seen in one of MTV 's second 30 - paid promos ." "The characters that would become , "" The Brothers Grunt "" were first seen in one of MTV 's second 30-numerous promos ." 0 +"He plays online poker at PokerStars under the username "" p10ker "" and at PartyPoker as "" MyimaTsarong "" and at Fulltilt Poker using his own name ." "He plays poker online at PokerStars under the username "" p10ker "" and at Fulltilt Poker as "" MyimaTsarong "" and at PartyPoker with his own name ." 0 +""" Tennessee "" was sold on 15 September 1886 to Burdett Pond of Meriden , Connecticut ." """ Tennessee "" was sold to the Burdett Pond of Meriden , Connecticut , September 15 , 1886 ." 1 +An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot routine computation library , as scientific WAKPDF . An implementation that calculates the probability density function of the Wakeby distribution is included as routine WAKPDF in the scientific data library Dataplot . 0 +It was first known as Andrew Gilkinson 's corner , named after an inn , built around 1778 and managed by Gilkey ( or Gilkeson ) . It was first known as Gilkey 's Corner , named for an inn which was built around 1778 and managed by Andrew Gilkinson ( or Gilkeson ) . 0 +The work was performed in 2008 by London-based New Zealand singer Paul Whelan and the NZSO . The work was conducted by the London-based New Zealand singer Paul Whelan and the NZSO in 2008 . 1 +He currently lives in Odda with his partner Randi and has three children , Stian , Ida and Vetle , from a previous relationship . Lothe currently resides in Odda with his partner , Randi . He has three children , Stian , Ida , and Vetle , from a previous relationship . 1 +The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance and serving Rolling Hills Estates . The Los Angeles County Health Services Department operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance , and serves Rolling Hills Estates . 1 +The album received a much positive critical response , being largely compared to bands of the 1960s , such as The Velvet Underground and The Grateful Dead . The album received a largely positive critical response compared to bands of the 60s , such as The Velvet Underground and The Grateful Dead . 1 +Vishwasrao was born in Supe near Pune as the eldest son of Balaji Baji Rao ( Supe was the Jagir of Shahaji by Pune ) . Balaji Baji Rao was born in Supe near Pune as the eldest son of Vishwasrao ( Supe was the Jagir of Shahaji in Pune ) . 0 +Governors Bay is a small settlement located in Canterbury , New Zealand . Canterbury , New Zealand is a small settlement in Governors Bay . 0 +Ranjit Singh appointed a governor to administer the newly expanded area which was conquered in 1819 , with the annexation of Kashmir by a Sikh force . Ranjit Singh appointed a governor to manage the newly conquered territory , which was expanded by a Sikh force in 1819 with the annexation of Kashmir . 0 +It arrived in Australia in August 2006 and was introduced in early 2007 in New Zealand . It was debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . 0 +Matos is married , four adult children , Natalie , Mary Alexandra , Lee and Yefry . Matos is married with four adult children , Lee , Mary Alexandra , Natalie , and Yefry . 1 +Similarly , northern populations annually migrate between regions to the west of the Rocky Mountains , including Western Canada , and overwintering areas on the California coast . Similarly , the northern populations migrate annually between regions west of the Rocky Mountains , including western Canada and overwintering sites on the coast of California . 1 +His son Tokugawa Ieyasu was adopted by Naotora and became under Ii Naomasa a dreaded general , who is considered one of his four guards . His son , Ii Naomasa , was adopted by Naotora and , under Tokugawa Ieyasu , became a dreaded general , who is considered one of his four guardians . 0 +Clanculus natalensis is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . Clanculus natalensis is a species of sea snail , a top gastropod mollusk in the Trochidae family , the navy snails . 0 +The original Murdoc , Michael Des Barres , portrayed Nicolas Helman 's mentor , Murdoc , in the 2016 Series . The original Murdoc , Michael Des Barres , portrayed Nicolas Helmans Mentor Murdoc in the 2016 series . 1 +In 2006 , Romania produced a total of 62 TWh of electricity with an installed capacity of 17,360 MW in thermal , hydroelectric and nuclear power plants . In 2006 Romania produced a total of 62 TWh of electricity having an installed capacity of 17,360 MW in nuclear , hydro and thermal power plants . 1 +Trucks left by the British troops in Vietnam were taken over by the French , who used them in Indochina and later transferred to South Vietnam . Trucks left by the British forces in South Vietnam were taken over by the French , which used them in Indochina and later transferred them to Vietnam . 0 +""" The Brute Man "" was the second episode of the seventh season that was broadcast on February 10 , 1996 at Comedy Central ." """ The Brute Man "" was the seventh episode of the second season , which was broadcast on Comedy Central on February 10 , 1996 ." 0 +In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by Broad Lane and Mays Hill by the Frog Lane . In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Westerleigh by Broad Lane and to Mays Hill by Frog Lane . 1 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first Theakson pub , where the first Theakston beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first Theakson 's pub , where the first Theakston 's beers were brewed ." 0 +The song was written by Thicke and Lamar besides will.i.am and produced by Dr. Luke and Cirkut . The song was written by Thicke and Lamar together with Dr. Luke and produced by will.i.am and Cirkut . 0 +The Universal Press Syndicate , a subsidiary of Andrews McMeel Universal , was an independent press syndicate . Universal Press Syndicate , a subsidiary of Andrews McMeel Universal , was an independent press syndicate . 1 +Wooster Victory , first operated under its original name , was then renamed Castelverde , while Vassar Victory was immediately renamed Castelbianco . Wooster Victory , immediately operated under its original name , first was renamed Castelverde , while Vassar Victory was then renamed Castelbianco . 0 +The father could marry the rapist 's wife or make the rapist rape or keep his daughter . The father could rape or keep the rapist 's wife or get the rapist to marry his daughter . 0 +With effect from 1 October 2012 , the airline transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport . Effective October 1 , 2012 , the airline has moved all operations from Suvarnabhumi Airport to Don Mueang International Airport . 0 +"Several natural lakes exist , mainly Spirit Lake , West Okoboji Lake and East Okoboji Lake in the northwest Iowa ( "" see Iowa Great Lakes "" ) ." "Several natural lakes exist , most notably Spirit Lake , West Okoboji Lake , and East Okoboji Lake in northwest Iowa Great Lakes ( "" see Iowa "" ) ." 0 +Popular with Marouf athletes such as Ali Daei , Hamid Sourian and Behdad Salimi the helpers in the fight and eradicate poverty and hunger in World Food Programme . Marouf with popular athletes such as Ali Daei , Hamid Sourian , and Behdad Salimi helpers in the fight and eradication of poverty and hunger in the World Food Program . 0 +He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( later WJPC ) in Chicago . He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( also WJPC ) in Chicago . 0 +John Bolling Jr. 's grandson , Colonel Richard Randolph II married William Bolling 's daughter , Mary ( 1775 -- 1863 ) on February 24 , 1798 . On 24 February 1798 , Colonel Richard Randolph II married the grandson of John John Bolling Jr. , William Bolling 's daughter , Mary ( 1775 -- 1863 ) . 1 +Albion Township was established by a division of Homer Township in 1837 . Albion Township was founded in 1837 by a division of Homer Township . 1 +After arriving in California , he abandoned her and moved to Portland , Oregon . After arriving in Portland , Oregon , he abandoned them and moved to California . 0 +For 1934 the body was redesigned and marked as 452D and in 1935 as 452E . For 1934 , the body was redesignated and redesigned as 452D again and 452E in 1935 . 0 +The filmmakers share many common techniques including the use of poetic dialogue and allegorical storytelling dealing with political and philosophical issues with documentary style narrative films . The filmmakers share many common techniques , including the use of poetic dialogue and allegorical storytelling , which deals with political and philosophical questions with documentary style - narrative films . 1 +The second typology ( according to the nature of the underlying amount ) is determined by the needs of users of the variance information and may include e.g . : The second typology ( according to the nature of the underlying amount ) is determined by the needs of the users of the variance information and may be z . 0 +Cob Cobian Backup was a free , donation-supported backup software for Microsoft Windows , written by Luis Cobian of Umeå University , Delphi . Cobian Backup was a free , donation-supported backup software for Microsoft Windows . It is written in Delphi by Luis Cobian of Umeå University . 1 +The museum consists of a new information room , a restoration hangar , the main Texas Flying Legends hangar and the Oswin H. Elker Hangar . The museum consists of a main information room , a restoration hangar , the new hangar Texas Flying Legends and the Oswin H. Elker Hangar . 0 +Dewalkheda is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Dewalkheda is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . 1 +Ann Ann Grossman defeated Stephanie Rehe 6 -- 1 , 6 -- 1 . Ann Grossman defeated Stephanie Rehe 6 -- 1 , 6 -- 1 . 1 +This would last the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . This would fade the element but stop when the effect is completed 80 % ( with an opacity of 20 % ) . 0 +Although it is a common species , it is not widespread European . It is notably found in Lithuania . Although it is a common European species , it is not widespread ; it is mainly found in Lithuania . 0 +Markovac is a village in the Slavonia region of Croatia , located east of Daruvar . The population is 80 ( census 2011 ) . The population is 80 ( census 2011 ) is a village in the Croatian region of Slavonia , located east of Daruvar . 0 +Bifascioides yemenellus is a moth in the Cosmopterigidae family . It is found in Iran and Southern Yemen . Bifascioides yemenellus is a moth in the family Cosmopterigidae . It is found in Iran and southern Yemen . 1 +The thirteen colonies of the Anglo - United States were all original possessions , and popular culture became a major basis for American folk and former British music . The thirteen colonies of the original United States were all former British possessions , and Anglo culture became an important foundation for American folk music and popular music . 0 +The film stars Chiranjeevi , Roja , Kota Srinivasa Rao and Madhavi in important roles . The film stars Chiranjeevi , Roja , Kota Srinivasa Rao and Madhavi play in important roles . 1 +Finally the Dirk and his son Sean leave the wilderness and discover that a war is brewing between the British and the Bureau . Finally Sean and his son Dirk leave the wilderness and discover that there is a war between the British and the Bureau . 0 +""" Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the Mount Rainier National Park material in 1950 , is a synonym ." """ Cortinarius rainierensis "" , collected from the material described in Mount Rainier National Park in 1950 by Alex H. Smith and Daniel Elliot Stuntz , is a synonym ." 0 +In 1987 , Eisele died and in 2007 the Schirra . Schirra died in 1987 and Eisele in 2007 . 0 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first pub of Theakson , where the first Theakston 's beers were brewed and sold ." 1 +Monica Mæland , Minister for Trade in Norway , led a delegation of 54 companies to Kenya in September 2015 . Monica Mæland , Minister of Trade in Kenya , led a delegation of 54 companies to Norway in September 2015 . 0 +The zone serves eastern and central Madhya Pradesh , southern Uttar Pradesh and the northeastern Rajasthan State . The zone serves eastern and central Madhya Pradesh , southern Rajasthan and northeastern Uttar Pradesh state . 0 +The season 1982 -- 83 National Basketball Association was the 37th season of NBA . The NBA season from 1982 to 83 was the 37th season of the National Basketball Association . 1 +Born in Gosforth , Northumberland , as a boy he moved south to the Wiseton Estate , near Retford , Nottinghamshire when his father found work there . Born in Retford , Nottinghamshire , he moved to the south as a boy to Wiseton Estate , close to Gosforth , Northumberland , when his father found work there . 0 +Fiat - Money can be physically damaged or destroyed if it is accidentally displayed in the form of currency ( paper or coins ) . Fiat - Money can be accidentally damaged or destroyed if it is physically displayed in the form of currency ( paper or coins ) . 0 +Chabrian Jattan is a village in Mirpur Tehsil by Azad Kashmir in the Mirpur district of Pakistan . Chabrian Jattan is a village in Mirpur Tehsil of the Mirpur District of Azad Kashmir , Pakistan . 1 +She worked on processes of chemical extraction of metal complexes and described the chemical and physical properties of solvent species in an organic solvent . She worked on processes of chemical extraction of metal complexes and described the chemical and physical properties of solvent types in an organic solvent . 1 +The Data Definition Facility provides a persistent function for semantic artefacts such as collections and indexes in XQuery or JSONiq programs . The Data Definition Facility provides a semantic for persistent artifacts such as collections and indexes in XQuery or JSONiq programs . 0 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Ethel and Mcoy , while the other was reoccupied by Gaby . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Gaby and Mcoy with the other reoccupied by Ethel . 0 +St Quentin was widowed , and in 1825 he and Rowden married . St St Quentin was widowed , and he and Rowden married in 1825 . 1 +The Monroeville campus is located at 2800 South Alabama Avenue , . The Thomasville campus is located at 30755 Highway 43 South , . The Thomasville Campus is located at 2800 South Alabama Avenue The Monroeville - Campus is located at 30755 Hwy 43 South . 0 +Yıkılgan is a village in the District of Amasya , Turkey , Amasya Province . Yıkılgan is a village in the district of Amasya in the province Amasya , Turkey . 1 +Trina , better known as Taylor Katrina Laverne , is a rapper . Katrina Laverne Taylor , better known as Trina , is a rapper . 0 +Although it was never played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been used . Although it was never used in the series , elements of the gameplay were played for the Powerball , Whiplash and Earthquake events . 0 +His son Tokugawa Ieyasu was adopted by Naotora , and became a feared general under Ii Naomasa , who is considered one of his Four Guardians . His son Tokugawa Ieyasu was adopted by Naotora and became under Ii Naomasa a dreaded general , who is considered one of his four guards . 1 +It consists of 54 framed text panels , 14 framed chromogenic prints , five wood sculptures , five painted white plinths and one caption . It consists of 54 framed text panels , 14 framed chromogenic prints , five wooden sculptures , five painted white plinths , and a caption . 1 +In 1944 , he became editor when he succeeded Edward Taylor Scott , the son of C. P. Scott . Wadsworth became editor in 1944 , when he succeeded C. P. Scott , son of Edward Taylor Scott . 0 +Since then , they have been manufactured by the successor company Keimfarben in Augsburg near Diedorf . Since then , they have been manufactured by the successor Keimfarben in Augsburg near Diedorf . 1 +Big Creek is a tributary of the San Joaquin River in the Sierra National Forest , within the Sierra Nevada , central California . Big Creek is a tributary of the San Joaquin River in the Sierra National Forest , within the Sierra Nevada , Central and California . 1 +Two bridges cross the river to Pental Island , to the west on Fish Point Road and to the east at Swan Hill at the Fish Point . Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road in the Fish Point to the east . 0 +In 2017 , Cetera Co-headliner for the Night of the Proms in Germany and Luxembourg was his first time in Germany for 35 years . In 2017 , Cetera Co-headliner for the Night of the Proms in Germany was his first time in Germany and Luxembourg for 35 years . 0 +Sidmouth was the son of Reverend Henry Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . The son of Reverend William Leonard Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister Henry Addington , 1st Viscount Sidmouth . 0 +Prepared packs are often warm , the heat opens the pores of the skin and supports the interaction of the clay with the body . Often , warm packs are prepared ; the heat opens up the pores of the skin , and helps the interaction of the clay with the body . 0 +The music was scored by Shankar Jaikishan and songs are sung by Kishore Kumar for Rajesh Khanna . The music was recorded by Shankar Jaikishan and the songs are sung by Kishore Kumar for Rajesh Khanna . 1 +Some have negative effects , some positive . Some have negative and some positive effects . 1 +That night Diana has an erotic dream about Juan . On that night Diana has an erotic dream about Juan . 1 +Drietoma is a village and municipality in the Trenčín district in the region of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the Trenčín region in the district of Trenčín in north-western Slovakia . 1 +His sound aesthetics usually are described as aggressive and powerful , yet transparent . His sound aesthetics are usually described as transparent , but aggressive and powerful . 0 +Just before his death , Aleksander Mikhailov received threats from a high-ranking FSB general , Grigory Pasko , according to Sergei Yushenkov . Shortly before his death , according to Sergei Yushenkov , Aleksander Mikhailov received threats from a high-ranking FSB - General , Grigory Pasko . 1 +His birth certificate bears his name as Erminio Antonio Blotta Mainieri , but his Argentine identity documents instead have Carmen Erminio Blotta . His birth certificate records his name as Carmen Erminio Blotta , but his Argentine ID documents instead have Erminio Antonio Blotta Mainieri . 0 +Although there are overwhelming social implications , there also seem to be regional financial patterns that can perpetuate this trend . Although there are regional financial implications , there also seem to be overwhelming social patterns that continue this trend . 0 +The eastern province includes the former provinces Kibungo and Umutara , most of Kigali Rural , and part of Byumba . The Eastern Province comprises the former provinces of Byumba and Umutara , most of Kigali Rural and part of Kibungo . 0 +Today , Skudenes refers to the southern part of the island of Karmøy . Today , the Skudenes area refers to the southern part of Karmøy island . 1 +They were in a group with Israel , Macedonia and hosted Romania . They were in a group with Israel , Romania and host Macedonia . 0 +Scenic design was by Allen Moyer , lighting by David Van Tieghem , costumes by Michael Krass and the original music and sound design by David Lander . Scenic design was done by Allen Moyer , lighting by David Van Tieghem , costumes by Michael Krass and the original music and sound design of David Lander . 1 +The Dallas Cowboys released Spears to a futures contract on January 8 , 2014 . On May 12 , 2014 the Dallas Cowboys signed Quinton Spears . The Dallas Cowboys released a futures contract on January 8 , 2014 , and the Dallas Cowboys signed the Quinton Spears on May 12 , 2014 . 1 +Exchanges took place at neutral ports , at Lourenço Marques in Portuguese India or Mormugoa in Mozambique with the Japanese , and Stockholm or Lisbon with the Germans . The exchanges took place in neutral ports : Lourenço Marques in Mozambique or Mormugoa in Portuguese - India with the Japanese and Stockholm or Lisbon with the Germans . 0 +Ijagiri is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Ijagiri is a village in the Bhopal district of Madhya Pradesh , India It is in Berasia tehsil . 1 +Note : The votes were cast on January 20 , but both Houses met in a joint session on January 21 to declare nominations , and compare the result . Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint meeting to declare nominations and to compare the result . 1 +These medium to large butterflies have black and yellow wings with dark-brown spots and a red edge . These medium to large butterflies have black and yellow wings with dark brown spots and a red edge . 1 +He was sent to Yangon , Myanmar ( now Thailand ) , for further study and then taught in Rangoon , Burma . He was sent to Yangon , Myanmar ( now Thailand ) for further studies and then taught in Rangoon , Burma . 1 +His troops were , however , sufficient to prevent a Serbian invasion , and he led the Serbian delegation that negotiated with the Bulgarian king , Stefan Decanski . His troops were , however , enough to prevent a Serbian invasion , and he led the Bulgarian delegation that negotiated with Serbian King Stefan Decanski . 0 +The Spanish baroque is a strand of baroque architecture that developed in Spain , its provinces and former colonies . Baroque Baroque is a strand of Spanish architecture that evolved in Spain , its provinces , and former colonies . 0 +Nicholson Railway Station is a via rail flag stop station in the ghost town of Nicholson , Ontario on the Sudbury -- White River . Nicholson train station is a Via Rail Flag Stop Station in the ghost town of Nicholson , Sudbury on the White River -- Ontario Zug . 0 +Eileen Chong was born in Singapore in 1980 , moved to Sydney in 2007 . Eileen Chong was born in Sydney , Australia in 1980 and moved to Singapore in 2007 . 0 +Chinese cuisine is based on local cuisine , particularly from the provinces of Fujian , Guangdong and Yunnan , with Burmese - Chinese influences . Burmese Chinese cuisine is based on Chinese cuisine , particularly from Fujian , Guangdong and Yunnan provinces , with local influences . 0 +"Before 1911 , the Ottoman Vilayet of Tripolitania ( the "" kingdom of Tripoli "" ) encompassed much of the same territory as modern Libya ." "Before 1911 , the Ottoman vilayet of Tripolitania ( the "" kingdom of Tripoli "" ) included much of the same territory as modern Libya ." 1 +Ibirapuera Park is located in this sub-prefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . The Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and headquarters of IBM . 0 +Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009.His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +Faces can be reconstructed with a three-dimensional model or with 2D , which includes sketches or facial reconstructions , similar to digital composites . Faces can be reconstructed with a three-dimensional model or 2D , which includes sketches or digital reconstructions , similar to face composites . 0 +The museum ’ s building was built in 1948 according to designs by Wadsworth , Boston 's Tuttle of Portland . The museum 's building was built in 1948 , with designs by Wadsworth , Portland & Tuttle of Boston . 0 +The constituency was like its neighbour , Dunfermline East , one of the safest seats in Scotland for Labour . Like its neighbour , Dunfermline East , the constituency was one of Labour 's safest seats in Scotland . 1 +Mode 9 was born in London on June 14 , 1975 as the third child of his parents but maintains , ( Osun State ) ) as his origin . Mode 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origins . 1 +The music was written by K. Raghavan and lyrics was composed by Swathi Thirunal and Edasseri . Music was composed by K. Raghavan and the text was written by Swathi Thirunal and Edasseri . 0 +Sonia tries to build bridges with Sonia , but an argument ends with Pauline Pauline beating . Sonia tries to build bridges with Pauline but an argument ends with Sonia slapping Pauline . 0 +Billy died at Franceville in 1934 and Wilfred Jr. ( Wilfred France Senior ) in 1936 . Wilfred France Senior died in 1934 in Franceville and in 1936 Wilfred Jr. ( Billy ) . 0 +The opera debuted at the Royal Opera House , London , on 3 December 1954 conducted by Sir Malcolm Sargent , and directed by George Devine . The opera debuted on December 3 , 1954 at the Royal Opera House in London , led by Sir Malcolm Sargent and directed by George Devine . 1 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs non-hydrogen energy ( ΔG ) to the number of free atoms of the compound . Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs of free energy ( Α G ) to the number of non-hydrogen atoms in the compound : 0 +From 1516 , the Mundy family had the manor of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . In 1516 , the Mundy family owned the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . 0 +The following list is a list of all highways in Waller County , Texas , which are maintained by the Texas Department of Transportation All state highways in Texas are paved . The following is a list of all state highways in Texas maintained by the Texas Department of Transportation . All state highways in Waller County , Texas are paved . 0 +Lloyd took over command of the 12th Field Artillery Brigade on 28 November , 1917 and then the 6th Field Artillery Brigade on 7 February , 1918 . Lloyd took over the command of the 12th Field Artillery - Brigade on November 28 , 1917 and the 6th Field Artillery - Brigade on February 7 , 1918 . 1 +"Duff Twysden was played by Fiona Fullerton in the miniseries "" Hemingway "" in 1988 with Stacy Keach ." "Duff Twysden was played by Stacy Keach in the miniseries "" Hemingway "" in 1988 with Fiona Fullerton ." 0 +Tide is the sixth album by Deodato , released in 1970 on A & M Records and arranged by Antônio Carlos Jobim . Tide is the sixth album by Antônio Carlos Jobim , which was released on A 'M Records in 1970 and arranged by Deodato . 0 +Muagututia was released by the Chicago Rush on November 14 , 2002 . He was signed by the Rush on March 31 , 2003 . He was signed by Chicago Rush on 14 November 2002 and was released by the Rush on 31 March 2003 . 0 +Amazingly , the second stimulus can actually influence the perception of the first stimulus in some cases . Amazingly , in some cases , the first stimulus can actually influence the perception of the second stimulus . 0 +He played in 2012 making only 1 appearance and then debuted 4 times the following year . He debuted only 1 performance in 2012 and then played 4 times the following year . 0 +Dielectric elastomers ( DEs ) are large material systems that produce smart strains . Dielectric elastomers ( DEs ) are large material systems that produce smart deformations . 1 +1843 : China : Sailors and Marines from St. Louis were landed at the Canton trading station after a clash between Americans and Chinese . 1843 : China : Sailors and marines from the St. Louis were landed after a clash between Americans and Chinese at the trading post in Canton . 1 +Robert Altman is the son of the original film 's director , Mike Altman , and was 14 years old when he wrote the song 's lyrics . Robert Altman is the son of Mike Altman , director of the original film , and was 14 years old when he wrote the lyrics . 1 +Mike Hart ( also known as Mike Harthcock ) is an American poker poker player from Winter Haven , Florida . Mike Harthcock ( also known as Mike Hart ) is an American poker player from Winter Haven , Florida . 1 +The cast includes Ashok Saraf , Vikram Gokhale , Savita Prabhune , Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Raja Mayekar , chandu parkhi , The cast includes Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Savita Prabhune , Ashkok Saraf , Vikram Gokhale , Raja Mayekar , Chandu Parkhi , 1 +According to the Indian Census 2011 , the population of Samdari is 25012 , where female population is 12805 and male population is 12207 . According to the Indian census 2011 , the population of Samdari 25012 , where the female population is 12805 and the male population is 12207 . 1 +MacDonald is married to his wife Nicole Kennedy ( nee Kennedy ) , and they have two daughters . MacDonald is married to his wife Nicole Kennedy ( née Kennedy ) , and they have two daughters . 1 +The state is divided into four administrative regions , with offices in Jackson , Nashville ( also the location of the headquarters ) , Crossville and Morristown . The state is divided into four administrative districts , with offices in Jackson , Crossville and Morristown ( including the location of the headquarters ) , Nashville . 0 +She is initially pink or white before becoming pale brown to reddish brown with whitish spots . It is initially pink or white before becoming pale brown to reddish brown with whitish spots . 1 +In 1910 it was owned by Henry and Florence Neeve , of whom Rupert Brooke rented one room and later a large part of the house . In 1910 it was owned by Henry and Florence Neeve , from whom Rupert Brooke rented a room , and later a large part of the house . 1 +The specific songs included have changed over the years as new songs have been added and old ones have been removed . The included special songs have changed over the years as old songs have been removed and new ones have been added . 0 +The Driveway app also sends real-time feedback to drivers , including individual driver score , tips and optional value-added services . The Driveway App also sends real-time feedback to the drivers , including individual driver evaluation , tips and optional value-added services . 1 +Jennica Garcia is the sole daughter of Jean Garcia and Jigo Garcia . Jean Garcia is the only daughter of Jennica Garcia and Jigo Garcia . 0 +"A central principle is that "" for every step in spiritual perception , three steps are to be taken in moral development . """ "A central principle is that "" for every step in spiritual perception , three steps must be taken in moral development "" ." 1 +In 1841 , Henry Giles returned to England , leaving Francis Davenport to regulate his affairs . In 1841 , Francis Davenport returned to England , leaving Henry Giles to manage his business . 0 +Helena Township is a civil community of Antrim County in the U.S. state of Michigan . Antrim County is a civil township of Helena Township in the U.S. state of Michigan . 0 +"A Dutch reporter wrote after a match of 1905 that three Belgian footballers "" work as devils "" ." "A Belgian reporter wrote after a match from 1905 that three Dutch footballers "" work as devils "" ." 0 +A JW - Algebra is a Jordan - Subalgebra of the Jordan - Algebra of self-weak operators on a complex Hilbert - space closed in the adjuncted operator - topology . A JW algebra is a Jordan subalgebra of the Jordan algebra of self-weak operators on a complex Hilbert space that is closed in the adjoint operator topology . 1 +In 1932 , the company moved cigar production from Cuba to Trenton after a strike at the Cuban factory , in order to avoid high customs duties . The company moved cigar production from Trenton to Cuba in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . 0 +The River Milotina is a tributary of the Vânăta River in Romania . The Vânăta River is a tributary of the Milotina River in Romania . 0 +McLoughlin applied the laws to British subjects , kept the peace with the natives and maintained friendly relations with American merchants and later colonists . McLoughlin applied the law to American subjects , kept the peace with the natives , and maintained friendly relations with British merchants and later colonists . 0 +In September the new large field was finished and all leagues expanded . In September the new large field was expanded and all leagues completed . 0 +Taungya also meant that the British or their agents would return to the newly planted areas after some years to harvest the previously cut teak . Taungya also meant that after a few years the British or their agents would return to the previously cut off areas to harvest the newly planted teak wood . 0 +"S ( "" ess "" , plural "" esses "" ) is the language letter in the modern English alphabet and the ISO 19th Latin alphabet ." "S ( named "" ess "" , plural "" esses "" ) is the basic letter in the Modern English alphabet and the ISO 19th Latin alphabet ." 1 +In New York City , Janet married John William Gordon Powell in June 1929 , who was an investment advisor . In June 1929 , in New York City , John William Gordon Powell married Janet , who was an investment counselor . 0 +"It is a short story by Willa Cather , which was published in "" The Mahogany Tree "" in 1892 ." "Willa Cather is a short story by Peter , which was published in "" The Mahogany Tree "" in 1892 ." 0 +He sang with success also in La Fenice in Venice , in the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Naples . He also sang with success at La Fenice in Venice , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Naples . 1 +The River Timiş is a tributary of the River Zlagna in Romania . Zlagna River is a tributary of the River Timiş in Romania . 0 +As an official Soviet artist , his work was well received and widely exhibited . As an official Soviet artist , his work was widely displayed and well received . 1 +Chloroclystis mniochroa is a moth in the family of geometridae which is found in Queensland ( Australia ) . Chloroclystis mniochroa is a moth in the family Geometridae . It is found in Australia ( Queensland ) . 1 +It located in Tattapani ( Himachal Pradesh ) , at the altitude of 650mts , perfect temperature for the healing treatments . It is located in Himachal Pradesh ( Tattapani ) , at an altitude of 650mts , the perfect temperature for the treatments . 1 +The plant grows on calcareous , often slightly wet , rocks and ledges . The plant grows on calcareous , often slightly wet rocks and cliffs . 1 +"In 2014 , Townsquare Media acquired "" XXL "" , "" King "" and "" Antenna "" from Harris Publications ." "In 2014 Harris Publications "" XXL "" , "" King "" and "" Antenna "" acquired by Townsquare Media ." 0 +So , if we know the probability distribution functions formula _ 35 , we can calculate the function formula _ 36 , and from it , find the optimal reservation price . Thus , if we know the probability distribution - Function Formula 35 , we can find the Formula 36 function and calculate the optimal reservation price from it . 0 +Transcode continued very fast , but the EBCDIC and USASCII dialects of Bisync disappeared in use . Transcode continued very quickly , but the EBCDIC and USASCII dialects of Bisync disappeared in use . 1 +Janzur is known as the birthplace of Omar Mukhtar , the Libyan resistance guide during the Italian rule . Janzur is known as the birthplace of Omar Mukhtar , the Italian resistance leader during the Libyan rule . 0 +He started his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and audiovisual producer . He started his career as a photojournalist , but soon distinguished himself also as an industrial and advertising photographer and audio-visual producer . 1 +The song became the first theme song of the main characters , Catherine ( Kristin Kreuk ) and Vincent ( Jay Ryan ) . The song became the first title song of the main characters , Vincent ( Jay Ryan ) and Catherine ( Kristin Kreuk ) . 1 +Then in June 2005 came Auzentech , which with its first PCI card , provided the X-Mystique consumer sound card with Dolby Digital Live support . In June 2005 , Auzentech provided the first consumer sound card with Dolby Digital Live support with its X-Mystique PCI card . 0 +"Koome is an island in Lake Victoria , Uganda . The correct spelling that matches the phonetic pronunciation is two "" O "" s ." "Koome is an island in Lake Victoria , Uganda . The phonetic spelling that matches the correct pronunciation is with two "" O "" s ." 0 +In 2015 , the Middleton branch of Quality Save was founded , and a superstore in the former Tesco unit next door was closed . In 2015 , the Middleton branch of Quality Save was closed , and a superstore was launched in the ex Tesco unit next door . 0 +The victory over Wei increased Fei Yi 's fame even further . The victory over Fei Yi further increased Wei 's fame . 0 +He moved of health reasons to Southern California in 1871 where he first settled in Santa Barbara . He moved to Santa Barbara for health reasons in 1871 , where he settled in Southern California . 0 +Tremor is a 1961 South African film directed by Denis Scully and co produced by Michael Deeley . Tremor is a South African film dating from 1961 , produced by Denis Scully and Co by Michael Deeley . 0 +Aanachandam is a 2006 Indian Malayalam - language film directed by Jayaram and Jayaraj . Aanachandam is a 2006 Indian Malayalam language film directed by Jayaram and starring Jayaraj . 1 +Saladas Department is a department of the Province of Corrientes in Argentina . Saladas Department is a department of Corrientes Province in Argentina . 1 +Erica abietina is a species of erica that is endemic to the Western Cape , South Africa of the Cape Peninsula . Erica abietina is a species of Erica that is endemic in western Cape , South Africa of the Cape Peninsula . 1 +After his dismissal , he moved from Germany to Los Angeles , then to San Francisco and then to New Mexico . After his dismissal , he moved from Germany to New Mexico and then to Los Angeles , then to San Francisco . 0 +Linda insists Gavin that Flem is her father , Linda is doubtful . Gavin insists to Linda that Flem is her father ; Linda is doubtful . 0 +He spoke throughout East Asia and Ghana in 1958 , and in 1961 in Northern and Western Europe . In 1958 he spoke throughout East Asia and in Ghana , and in 1961 in Northern and Western Europe . 1 +Stephen Johnson ( missionary ) and Samuel Munson drove to Bangkok and Sumatra . Stephen Johnson ( missionary ) and Samuel Munson went to Bangkok and Sumatra . 1 +Baron Ambroży Mikołaj Skarżyński of Bończa ( 1787 -- 1868 ) was a Polish officer , Chevalier de l 'Empire and a Napoleonic general . Baron Ambroży Mikołaj Skarżyński of Bończa ( 1787 -- 1868 ) was a Polish officer , Chevalier de l'Empire and a Napoleonic general . 1 +The Botizu River is the tributary of the Scridoasa River in Romania . The river Scridoasa is a tributary of the Botizu River in Romania . 0 +Danny Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums producing with Lou Adler . Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums with Lou Adler producing . 1 +The white endocarp of the mangosteen has the same shape and size as a tangerine in diameter , but is edible . The white endocarp of the mangosteen has the same shape and size as a mandarin in diameter , but it is edible . 1 +"The following night on "" Raw "" , Shawn interrupted Michaels Daivari and Hassan during a promo ." "The following night on "" Raw "" , Daivari and Hassan interrupted Shawn Michaels during a promo ." 0 +On 10 November 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final 8-player list on the official ATP World Tour website . 0 +"Livestreaming - In addition to several gameplay movies , members of the crew also produce "" Let 's Play "" style videos ." "In addition to livestreaming gameplay footage , several members of the crew also produce "" Let 's Play "" style videos ." 0 +The river Pilugul is a tributary of the river Văcăria in Romania . The Pilugul River is a tributary of the Văcăria River in Romania . 1 +The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born Olin M. Jeffords in Rutland , Vermont . The son of Olin M. Jeffords , who served as the chief justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . 0 +Janice Turner was Carl 's husband and the father of Debbie 's Alice Whipple . was Janice Turner 's husband , and the father of Debbie , Alice Whipple . 0 +The original building , built in 1871 , was burned out in 1886 and was rebuilt in 1887 as the present building , which is Grade II listed . The original building , built in 1871 , was burnt out in 1886 and was rebuilt in 1887 as the current building , which is listed as Grade II . 1 +In 1790 , he became general attorney of the commune , then deputy secretary of the department of Finistère . In 1790 he became attorney general of the municipality , then Deputy Secretary of the Finistère department . 1 +Bridie Morton married Timothy Torlot in 1986 . In 1986 , Timothy Torlot married Bridie Morton . 1 +This prayer and the following are concelebrated by individual concelebrants in a said fair . This prayer and the following are said in a concelebrated fair by individual concelebrants . 0 +The Lessos -- Uganda border section is jointly funded by the government of Kenya and JICA . The Lessos Border Section -- Uganda is financed jointly by the Government of Kenya and JICA . 1 +Johann Rupert 's eldest son , Rupert , is now the CEO of Richemont and chairman of Remgro . Rupert , the eldest son of Johann Rupert , is now the CEO of Richemont and Chairman of Remgro . 1 +It was initially second and consisted a headquarters , and infantry company and mortar battery , later being expanded with the addition of a small infantry company in 1940 . It was initially second place and consisted of a headquarters and infantry - company and mortar - battery , later in 1940 with the addition of a small infantry company added . 1 +The mill was planned as a double mill with a central boiler house and built in two phases . The windmill was built as a double mill with a central boiler house and planned in two phases . 0 +This is an autobiographical work that is based on the original literary story . This is an autobiographical work , based on the original literary story . 1 +Suo Chao is killed in a fight against General Shi Bao of Fang La . Suo Chao is killed in a fight against Shi Bao 's general Fang La . 0 +On the morning of the attack , the second was continuously open , so when the second gate opened , the terrorists drove straight through the first gate . On the morning of the attack , the second was continuously open , so when the second gate was opened , the terrorists drove directly through the first goal . 0 +Having tried his luck unsuccessfully on the Toowoomba gold fields , he moved to Gympie in 1868 . He moved to Toowoomba in 1868 after having tried his luck on the gympic gold fields unsuccessfully . 0 +The PowerShell 3.0 published in Windows 8 was updated to use DLR . PowerShell 3.0 , updated in Windows 8 , was released to use the DLR . 0 +"At BHCC , Phillips Brooks preached his first sermon and his Christmas Carol "" O Little Town of Bethlehem "" had its last performance ." "Phillips Brooks preached its first sermon at BHCC and its Christmas song "" O Little Town of Bethlehem "" had its last performance ." 1 +"In conservative potential coordinates , the Hamilton operator of a free particle moving in a spherical "" U "" can be written ." "In conservative potential coordinates the Hamiltonian of a free particle moving in a spherical "" U "" can be written" 1 +Emden ( 1614 , Simon Bosboom - 1662 , Amsterdam ) , was a Dutch architect and writer of the Golden Age . Simon Bosboom ( 1614 , Emden - 1662 , Amsterdam ) was a Dutch architect and writer of the Golden Age . 0 +On Victory Road , they introduced their new manager , the Voodoo Queen , Roxxi Laveaux , to embarrass Christy Hemme . At Victory Road , they introduced their new manager , the Voodoo Queen , Roxxi Laveaux , to embarrass Christy Hemme . 1 +""" Countdown "" is the sixth single by Japanese singer Hyde , and the first single from his third solo album "" Faith "" ." """ Countdown "" is the sixth single from the Japanese singer Hyde and the first single of his third solo album "" Faith "" ." 1 +Since the early 1980s Dearborn district schools have vegetarian meals as alternative to non-halal meals . Since the early 1980s , the district schools in Dearborn have non-halal meals as an alternative to vegetarian meals . 0 +The father of Latifun Nisan , Husain Mohammad was the son of Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah of Tijara . The father of Latifun Nisan , Mohammad Jamal ibn Muhammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah was the son of Husain Mohammad of Tijara . 0 +He visited New Zealand , Tasmania and was shipwrecked on the coast of Australia in 1856 . He visited Australia , Tasmania and was shipwrecked in 1856 off the coast of New Zealand . 0 +Catherine was a cousin of Anne and Mary Boleyn . Catherine was a first cousin of Anne and Mary Boleyn . 1 +Despite the limited success of the general attack the battalion lost nearly half its strength . Despite the general success of the limited attack , the battalion lost nearly half of its strength . 0 +NOTE : The 1790 in architecture article states that , the house was built in 1790 and was finished by Don Santiago Lorreins . Note : The article in architecture in 1790 states that the house was completed in 1790 and built by Don Santiago Lorreins . 0 +Daniel Johansson ( born September 10 , 1974 ) is a Swedish professional ice hockey player . He was formerly known as Daniel Glimmenvall until 2009 . Daniel Glimmenvall ( born September 10 , 1974 ) is a Swedish ice hockey professional who was known as Daniel Johansson until 2009 . 0 +"As of 2009 , the website Rotten Tomatoes had given the film a 90 % rating with 19 "" fresh "" and 2 "" rotten "" reviews ." "From 2009 , the Rotten Tomatoes site had given the film a rating of 90 % with 19 "" rotten "" and 2 "" fresh "" reviews ." 0 +Two bridges cross the river to Pental Island ; at Fish Point Road in the west , and on Swan Hill at Fish Point in the east . Two bridges cross the river to Pental Island , to the west on Fish Point Road and in the east on Swan Hill at Fish Point . 1 +The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and 1 in Putrajaya and Negeri Sembilan each . The Final FESPIC Games had 18 venues : 9 in Selangor , 7 in Kuala Lumpur and 1 in Putrajaya and Negeri Sembilan each . 0 +Carter countered with support from the Rockefeller Foundation and the Carnegie Foundation . With support from the Rockefeller Foundation and the Carnegie Foundation , Carter contributed . 1 +The northern border of the municipality is also the southern border of Lahemaa National Park . The northern border of the municipality is also the southern border of the National Park of Lahemaa . 1 +Rashad Evans then replaced Rua with Liddell in the main event , but Liddell was forced to withdraw from the card due to a thigh injury . Rashad Evans then replaced Rua in the main event with Liddell , but Liddell was forced to withdraw from the card due to a hamstring injury . 1 +Old Polish language is the period in the history of the Polish language between the 9th and 16th centuries , followed by the middle Polish language . Old Polish is the time in the history of the Polish language between the 16th and 9th centuries , followed by the middle Polish language . 1 +Romanian nationalism is the nationalism which asserts that Romanians are a nation and promotes the cultural unity of Romanians . Nationalism is nationalism , which claims that the Romanians are a nation and promotes the cultural unity of Romanians . 1 +Various authors explored the Soweto uprisings in novels , including Miriam Tlali , Mothobi Mutloatse , and Mbulelo Mzamane . Various authors explored the Soweto uprisings in novels , including Mbulelo Mzamane , Mothobi Mutloatse , and Miriam Tlali . 1 +Joey Ellis was in the role of Nathan Bryon , who would be introduced from his hometown as a friend of the established character Tiger Dyke . Nathan Bryon was poured in the role of Joey Ellis , who would be introduced as a friend of Tiger Dyke 's established character from his hometown . 0 +Speedcore - Tracks often contain elements of the early genre Hardcore and Breakcore as well as samples from Death Metal and Black Metal music . Speedcore tracks often contain elements of the related genres early hardcore and breakcore , as well as samples from death metal and black metal music . 0 +The 9th Highland Brigade was connected from the 3rd Infantry Division to the 1st Infantry Division . The 9th Highland Brigade was attached to the 1st Infantry Division from the 3rd Infantry Division . 1 +Keswick River is an airport in New Brunswick , Canada located near the Weyman Airpark in Sisson Settlement . Weyman Airpark is an airport located in New Brunswick , Canada , close to the Keswick River in Sisson Settlement . 0 +Moonlight Graham was a major league player whose career , statistically speaking , was only slightly different from that of Daniel . Moonlight Graham was a Major League Player whose career , statistically speaking , was only a little different from that of Daniel . 1 +Euglandina jacksoni is a species of predatory air-breathable snail , a terrestrial pulmonate gastropod mollusk in the Spiraxidae family . Euglandina jacksoni is a species of terrestrial pulmonate air-breathing snail , a predatory gastropod mollusk in the Spiraxidae family . 0 +"A real nightingale is introduced in "" and is used to replace a mechanical nightingale for a princess ." "A mechanical nightingale is featured in "" and is used to replace a real nightingale for a princess ." 0 +The car was sold with different names in various markets . The car was sold in various markets with different names . 1 +The mesoscopic weighting function at wavelength formula _ 1 can be written as the weighted sum , The mesoscopic weighting function at the wavelength formula 1 can be written as the weighted sum ; 1 +The opening ceremonies were held at the Sun Gro Centre , and the closing ceremonies at the CPTC Racetrack . The opening ceremonies were held at the Sun Gro Centre , the closing ceremonies on the CPTC Racetrack . 1 +Hasegawa ’ s research also includes the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . Hasegawa 's research also includes the Japanese history of the Russian Revolution of 1917 and Soviet -- political and social relations . 0 +In the first film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the third film . In the first film , the fat lady of Elizabeth Spriggs and Dawn French is played in the third film . 1 +It is versatile , naturally very practical and often easy to move . It is practical , often versatile and naturally , very easy to move about . 0 +Originally , Lexington Plantation was part of the Gunston Hall Plantation Lands . Gunston Hall Plantation was originally part of the Lexington Plantation land . 0 +Germar Rudolf , also known as Germar Scheerer , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born on 29 October 1964 , is a German chemist and convicted Holocaust denier . 1 +Prineville is located on the Crooked River at the mouth of Ochoco Creek , northwest of the Prineville Reservoir . Ochoco Creek is located on the Crooked River at the mouth of Prineville , northwest of Prineville Reservoir . 0 +The field also included 1928 Olympian ( and 1932 Olympic champion ) John Anderson of Cornell , and future world record holder Paul Jessup of Washington . The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell in 1928 and future world record maker John Anderson of Washington . 0 +The printed version appears under a Latin title , with a Latin subtitle ( edita per consules civitatis Trani ) . "The printed version appears under a Latin title , with a Latin subtitle ( "" edita per consules civitatis Trani "" ) , both of the original ." 0 +In the series , Chris Brown 's character dates a character that was played by the popular music star Willa Holland in the fourth season of the show . In the series , Willa Holland 's character dates a character played by the popular music star Chris Brown in the fourth season of the show . 0 +French Island is a very small uninhabited island in the northwest of Barrallier Island , Victoria , Australia . Barrallier Island is a very small uninhabited island located northwest of French Island in Victoria , Australia . 0 +By then , three-quarters of the slaves in Delaware had been freed , and a high proportion of slaves in Maryland . By then , three-quarters of the slaves had been liberated in Maryland , and a high proportion of slaves in Delaware . 0 +"The name "" rigid cohomology "" comes from its relation to rigid analytic spaces ." "The name "" rigid cohomology "" comes from its relation to rigid analytical spaces ." 1 +The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Illinois from Missouri . The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Illinois to Missouri . 0 +His brother Giovanni Ludovico Bianconi , was a neoclassical doctor , art historian , and antiquarian , who was a close friend of Winckelmann . His brother Giovanni Ludovico Bianconi was a neoclassical doctor , art historian and bookseller who was a close friend of Winckelmann . 1 +The windmill was built as a double mill with a central boiler house and planned in two phases . The mill was built as a double mill with a central boiler house and planned in two phases . 1 +In return , Grimoald gave him his daughter to marriage and granted him the duchy of Spoleto after the death of Atto . In return , Grimoald granted him his daughter in marriage and , after the death of Atto , gave him the duchy of Spoleto . 1 +The construction of Tama New Town began in 1966 and the first inhabitants started moving in 1971 . Construction of Tama New Town started in 1966 , and the first occupants began moving in 1971 . 1 +Erikson formed the rock band Spooner in 1974 with two fellow musicians in Madison , Wisconsin . In 1974 , Spooner founded the rock band Erikson with two fellow musicians in Madison , Wisconsin . 0 +Once upon a time there was a Hallaton railway station on the line between Market Harborough and Nottingham . There was once a Nottingham railway station on the line between Market Harborough and Hallaton . 0 +She was in Cairo in November 2012 , and in October she was in Tokyo to write at the film festivals , interact with programmers and visit studios . In November 2012 she was in Tokyo and in Cairo in October to write at the film festivals , interact with programmers and visit studios . 0 +The current governor of the province is Maj Gen Zalmai Weesa . His predecessor was Nasratullah Arsala . The city of Gardez serves as the capital of the province . The current governor of the province is Nasratullah Arsala , his predecessor was Maj Gen Zalmai Weesa , and the city of Gardez serves as the capital of the province . 0 +The planned electrification of the Blackpool Nort route to Manchester was announced in December 2009 . The planned electrification of the Manchester route to Blackpool Nord was announced in December 2009 . 0 +He listed South Africa against the British Isles in Kimberley on 29 August 1891 . He captained Kimberley on 29 August , 1891 , against the British Isles in South Africa . 0 +"The island in the film is located north of Ellesmere Island ( cf . "" Prince Patrick Island "" ) ." Instead of Ellesmere Island , the island in the film is located due north of Prince Patrick Island ( cf . 0 +Society promoted Lithuanian culture , supported Catholic faith and protected the virtues of women . The society promoted Lithuanian culture , supported Catholic faith , and protected women 's virtues . 1 +His father returned as a finished violinist of the Russian School to Bombay . His father returned to Bombay as a finished violinist of the Russian school . 1 +Balaji Baji Rao was born in Supe near Pune as the eldest son of Vishwasrao ( Supe was the Jagir of Shahaji in Pune ) . Balaji Baji Rao was born as the eldest son of Vishwasrao at Supe near Pune ( Supe was the Jagir of Shahaji near Pune ) . 1 +In London production , the role of Jerome Pradon was played , and the role was taken over by Robbie Scotcher on June 23 , 2008 . In the London production the role was played by Jerome Pradon , and the role was taken over by Robbie Scotcher on 23 June 2008 . 1 +Cedarbrae Mall is a shopping centre located in the area of Toronto , Ontario , Canada of Scarborough on the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping mall in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . 0 +A specification tree shows all the specifications of a technical system in development in a hierarchical order . A specification tree shows all specifications of a hierarchical system under development in a technical order . 0 +He sent his brother , Tissaphernes the younger , to relieve Cyrus of his command of Lydia . He sent his brother , the younger Cyrus , to relieve Tissaphernes of his command over Lydia . 0 +"The 356th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 9287th link would be 0.2.356 at the end ." "The 356th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 9287th link would be 0.2.356 on the end instead ." 1 +The North Fork Republican River is a flow of the Republican River . The Republican River is a tributary of North Fork Republican River . 0 +For decades there was rivalry between Edward Partington , his friend Herbert Rhodes , and the Woods and Sidebottoms . For decades , there was a rivalry between Herbert Rhodes , his friend Edward Partington , and the Woods and Sidebottoms . 0 +The family contains a large number of alternate characters , such as swashes and unicase characters . The family contains a large number of Unicase characters , such as swashes and alternate signs . 0 +Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road in the Fish Point to the east . Two bridges cross the river to Pental Island ; at Fish Point Road in the west , and on Swan Hill at Fish Point in the east . 0 +This caladenia usually grows in open forest and is found in the southern Flinders Ranges and northern Mount Lofty Ranges . This Caladenia usually grows in open forests and is found in the northern Flinders ranges and southern Mount Lofty Ranges . 0 +After the Herat affair , Britain would remove its military and diplomatic missions from Persia and occupy the island of Kharg and attack Bushehr . After the Bushehr affair , Britain would remove its military and diplomatic missions from Persia and occupy the island of Kharg and attack Herat . 0 +There are seven picnic places and some have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 people and can be reserved . 0 +The cave was destroyed in September 1938 by the New England Hurricane in 1938 , the station was damaged but repaired . The canopy was destroyed in September 1938 by the 1938 New England hurricane ; the station was damaged but repaired . 0 +Eschenz is a municipality in Thurgau in the canton of Frauenfeld District in Switzerland . Eschenz is a municipality in the district of Frauenfeld in the Canton Thurgau , Switzerland . 0 +He again toured with the 1911-12 Kangaroo tour of Great Britain where he made his final Test appearance in the first Test against England . He toured Great Britain with the Kangaroo Tour 1911-12 , where he made his first test appearance in the first test against England . 1 +"If "" A "" and "" B "" are Banach spaces the algebraic tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B "" are Banach , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" 1 +Blackbox is an indie puzzle game developed and designed by Ryan McLeod , with sound design by Gus Callahan . Black Blackbox is an indie puzzle game designed and developed by Ryan McLeod with sound design by Gus Callahan . 1 +In 1988 , Yvonne Yvonne died and in 2007 died Pat . In 1988 , Pat and Yvonne died in 2007 . 0 +The chiral centers in Pumiliotoxin 251D can produce several stereoisomers of the compound : only one form of toxin is present in nature and has toxic properties . The chiral centers in pumiliotoxin 251D can give several stereoisomers of the compound . Only one form of the toxin is present in nature and has toxic properties . 1 +Tokiwa Dam is a dam completed in Nagano Prefecture , Japan , in 1941 . Nagano Prefecture , Japan is a dam in the Tokiwa Dam , completed in 1941 . 0 +Results in 2007 -- 2008 season include : 2008 US National Sprint Champion , 4th place World Cup Kuusamo Finland , 2nd place World Cup Lahti Finland . The results of the 2007 -- 2008 season include : US National Sprint Champion 2008 , 4th place World Cup Kuusamo Finland , 2nd place World Cup Lahti Finland . 1 +Trains on the mine tramway from Morwellham stop at local Quay with new guides to show structures and explain the mining and cultural activities of the valley . Trains on the Morwellham Mine Railway stop at the new Quay with local guides to show structures and explain the mining and cultural activities of the valley . 0 +Concord is in the imperfective aspect of the nominative type , but in the perfective aspect it is ergative . Concord is of nominative type in the imperfective aspect but ergative in the perfective aspect . 1 +After Cyprus , his ancient cult sanctuary of Aphrodite was the second most important in Paphos , her homeland . After Paphos , his ancient cult sanctuary of Aphrodite was the second most important in Cyprus , her homeland . 0 +This radioactive heavier isotope may be new depending on the chemical element ( stable or unstable ) . This radioactive heavier isotope can be new ( stable or unstable ) depending on the chemical element involved . 1 +The new format is current for the season 2010 and consists of three stages . The current format is new for the 2010 season and consists of three stages . 0 +He was chosen before the next match at Lord and was never injured again . He was injured before the next match at Lord 's , and was never chosen again . 0 +"Franca Treur ( born 1979 ) is a Dutch writer and freelance journalist for "" NRC Handelsblad "" and "" nrc.next "" ." "Franca Treur ( born 1979 ) is a Dutch writer and a freelance journalist for "" NRC Handelsblad "" and "" nrc.next "" ." 1 +A Jewish full fast lasts from sunset to darkness the following night . There are two Jewish full fast days : A Jewish full fast lasts the following night from the sunset to the darkness . There are two Jewish full days : 0 +Booth married Beatrice Webb in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Mary Macaulay . Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - Socialist and writer Beatrice Webb . 0 +Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusc in the Eoacmaeidae family , one of the families of true limpets . Eoacmaea calamus is a species of sea snail , a real limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of naval limpets . 0 +Another two goals helped Blyth eliminate North Ferriby United from the FA Trophy , and he scored again against Moor Green in the next round . Another two goals helped Blyth eliminate Moor Green from the FA Trophy , and in the next round he won again North Ferriby United . 0 +He died on February 20 , 1930 in Oneida . He was buried at the Glenwood Cemetery in Albany , New York . He died in Oneida on 20 February 1930 and was buried at the Glenwood Cemetery in Albany , New York . 1 +On 26 July 2012 , Neil Heywood was charged with the murder of Gu Kailai . On July 26 , 2012 , Neil Heywood was charged with the murder of Gu Kailai . 1 +The area is famous as the site of the Battle of Chausa , where the Sher Shah Suri forces defeated the army of Mughal - Emperor Humayun in 1539 . The area is famous as the site of the Battle of Chausa , in which the forces of Humayun defeated Mughal emperor Sher Shah Suri 's army in 1539 . 0 +"It was accepted that the aboriginal name of the zone was simply "" Güímar "" as the whole menceyato ." "It was accepted that the Aborigine - name of the zone was simply "" Güímar "" , as the whole Menceyato ." 1 +""" P. seippi "" should be planted in pairs in a well located terrarium ." """ P. seippi "" should be located in pairs in a well planted terrarium ." 0 +From 1871 to 1876 he served as federal collector of internal revenue for the district that included Hamilton . From 1871 to 1876 , he served as an internal collector of federal revenue for the district that included Hamilton . 0 +She was born on 18 December 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . She was born in Litchfield , Ohio on December 18 , 1814 but later settled in Hebron , Connecticut . 1 +In 2009 , Hopsin founded his own independent record label , Funk Volume , with Damien Ritter . In 2009 , Damien Ritter founded his own Funk Volume record label with Hopsin . 0 +Cork railway station was on the Dripsey and Muskerry Light Railway in County Cork , Ireland . Dripsey railway station was on the Cork and Muskerry Light Railway in Cork , Ireland . 0 +The Bill 's Cathy Stoller Center is home to all the athletics teams of the University , the Intercollegiate Athletic Offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all the intercollegiate athletic teams of the University , the Sports Offices and the Department of Exercise Science . 0 +For shopping there is Russian Market and a similar Russian Market in Pakistani blocks . There is the Pakistani market and a similar Russian market in Russian blocks for shopping . 0 +After the constitution of the United States was adopted in 1789 , the US was ratified by Bill of Rights in 1791 . After the constitution of the United States was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . 0 +Dallas continued to collect and publish resolutions in a second volume of his reports , Pennsylvania . Pennsylvania continued to collect and publish Dallas decisions in a second volume of his Reports . 0 +She arrived San Pedro Bay the 28th and operated off Leyte for more than 2 months . She operated San Pedro Bay on the 28th and arrived for more than 2 months before Leyte . 0 +The scene in which Eminem jumps from a cliff and dives , was done at Greenpoint Warehouse , in Brooklyn with Lee and video producer Justin Diener . The scene in which Lee jumps and dives from a cliff was made at the Greenpoint Warehouse in Brooklyn with Eminem and the video producer Justin Diener . 0 +Most important energy parts are located in the thermal and kinetic losses , the two others are negligible . The most important energy parts are in thermal and kinetic losses , the other two are negligible . 1 +She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Henry Albert Hartland . She married Stephen Jackson . She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland , who married Stephen Jackson . 1 +It was founded in 2002 by Metin Üstündağ , Bahadır Baruter , Erdil Yaşaroğlu and Selçuk Erdem . It was founded by Metin Üstündağ , Bahadır Baruter , Erdil Yaşaroğlu and Selçuk Erdem in 2002 . 1 +Where the sum extends over all paths formula _ 39 with the property that formula _ 40 and formula _ 41 . The analogous expression in quantum mechanics is the path integral . Where the sum extends over all paths , Formula 39 with the property , the Formula 40 and Formula 41 , the analog expression in quantum mechanics is the path integral . 1 +Donald Randell Evans was the eldest son of Air Chief Marshal Sir Pauline Evans ( 1912-1975 ) and Nigel Randell Evans . Nigel Randell Evans was the eldest son of Air Chief Marshal Sir Donald Randel Evans ( 1912-1975 ) and Pauline Evans . 0 +Alton is located on the Mississippi River above the estuary of the Missouri River . Alton is located on the Missouri River above the mouth of the Mississippi River . 0 +Company sells ice cream , then expands to bake ice cream cones Headquarters moves to Baltimore . Company sells ice cream , then moves to bake ice cream cones and headquarters is expanding to Baltimore . 0 +It was found in Sindh from northern India to Kanara and Madhya Pradesh and from Kangra to Kumaon . It is found in Sindh from northern India to Kanara and Madhya Pradesh and from to Kangra to Kumaon . 1 +""" Rockingham "" reached Bombay on 23 May , and arrived at Whampoa on 21 September ." """ Rockingham "" reached Bombay on 23 May and arrived on September 21 in Whampoa ." 1 +State Park and the Coronado National Forest in the Santa Catalina Mountains form the eastern border of Oro Valley . Coronado National Forest and the Santa Catalina Mountains in the Oro Valley form the eastern boundary of Catalina State Park . 0 +The academic genealogies of Albert Einstein , Eugene Wigner , Max Planck and Niccolò Leoniceno lead ultimately to the Renaissance - humanist Lev Landau . The Max Planck , the Albert Einstein , the Lev Landau , and the Eugene Wigner academic genealogies ultimately lead to the Renaissance humanist Niccolò Leoniceno . 0 +Amata leucacma is a type of moth of the family Erebidae It is found in Australia ( Queensland ) . Amata leucacma is a species of moth of the family Erebidae . It is found in Queensland ( Australia ) . 1 +Barkheda Baramad is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Barkheda Baramad is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 0 +She studied composition with David Lumsdaine and was strongly influenced by her studies of the Australian composer Alexander Goehr . She studied composition with Alexander Goehr and was strongly influenced by her study of the Australian composer David Lumsdaine . 0 +He and his family moved from Wyoming to Colorado to Oregon until he was about 5 years old , when they settled in Silver Spring , Maryland . He and his family moved from Colorado to Wyoming to Oregon until he was about 5 years old when she settled in Silver Spring , Maryland . 0 +On 25 April 2016 , Robinson was traded for Jamar Howard to Portland Steel . On 25 April 2016 , Jamar Howard was traded for Robinson at the Portland Steel . 0 +Teversall Manor is a former railway station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . Teversall Manor is a former railway station in Mansfield on the border to Derbyshire west of Teversal , Nottinghamshire . 0 +Other BenchPrep investments include Mediaocean , InnerWorkings , Tempus , Loyalty Startup Belly , Lightbank Test Preparation Service , Qwiki , ClusterFlunk and HighGround . Other BenchPrep investments include Mediaocean , InnerWorkings , Tempus , loyalty startup Belly , test preparation service Lightbank , Qwiki , ClusterFlunk and HighGround . 1 +Düzce is a village in the District of Yüreğir , Adana Province , Turkey . The province of Adana , Turkey is a village in the district of Yüreğir , Düzce . 0 +In 1971 , a primary campus in 33 MacDonnell Road was completed for the new school . In 1971 , a main campus was completed for the new school in 33 MacDonnell Road . 1 +Most municipalities are located on the islands of the Sulu sea , two of them , Mapun and the Turtle Islands , located in the Sulu archipelago . Most of the municipalities are located on the islands in the Sulu Sea . Two of them , Mapun , and Turtle Islands lie within the Sulu Archipelago . 1 +The film stars Lyllian Leighton ( billed as Adrienne Kroell , Lillian Leighton ) and Jack Nelson . The film stars Lyllian Leighton ( invoiced as Adrienne Kroell , Lillian Leighton ) and Jack Nelson . 1 +The eldest son of Colonel Henry Lyell and Katharine Murray Lyell , was a nephew of Sir Charles Lyell , 1st Baronet , the geologist . The eldest son of Colonel Henry Lyell and Katharine Murray Lyell , he was a nephew of Sir Charles Lyell , 1st Baronet , the geologist . 1 +The hurricane indirectly killed one person and directly killed two in the state . The hurricane killed one person directly , and indirectly two in the state . 0 +They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . They defeated Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing to Gloucestershire in the quarter-finals 58 -- 10 . 0 +Although he petitioned and was defeated , he was seated on 27 April 1785 . Although he was defeated and petitioned , he was appointed on 27 April 1785 . 1 +He attempted suicide by smashing one of the lenses in his glasses , slitting his wrists with the shards and swallowing them . He attempted suicide by breaking one of the lenses in his eyeglasses , slitting his wrists with the shards and swallowing them . 1 +He was likely the son of the painter Giovanni Antonio Pandolfi , also from Pesaro , who had married the sister of the painter Girolamo Danti . Probably he was the son of the painter Girolamo Danti , also from Pesaro who had married the sister of the painter Giovanni Antonio Pandolfi . 0 +It is located in Greenwich Village in New York City , West - 11th Street on 6th Avenue . It is located on-campus in Greenwich Village in New York City on 6th Avenue off West 11th Street . 0 +Paul Britton was appointed Chief Executive in December 2005 after the death of David Neale . 2006 : Paul Britton was appointed Chief Executive following the death of David Neale in December 2005 . 1 +The Data Definition Facility provides a persistent function for semantic artifacts such as collections and indices in XQuery or JSONiq programs . Data Definition Facility provides a persistent for semantic artifacts such as collections and indexes in XQuery or JSONiq programs . 1 +Harald Edelstam distinguished himself as a diplomat by his professional competence , his bravery and his bourgeois courage in the fight for human rights . Harald Edelstam distinguished himself as diplomat by his civic competence , his bravery and his professional courage in the fight for Human Rights . 0 +He refugeed and returned to Italy , where he retired for two years to private life . He retired to Italy where he escaped and returned to private life for two years . 0 +The project was the creation of Mute Record 's founder Frank Tovey , with Daniel Miller as fictional frontman of the band . The project was the creation of Mute Records founder Frank Tovey , with Daniel Miller acting as the band 's fictional frontman . 1 +Ruby - Lasers produce deep red light pulses at a wavelength of 694.3 nm , a coherent visible color . Ruby lasers produce pulses of coherent visible light at a wavelength of 694.3 nm , which is a deep red color . 0 +""" Continental Celtic "" is a geographic , not a linguistic grouping of ancient Celtic languages ." """ Continental Celtic "" is a linguistic , not a geographic , grouping of the ancient Celtic languages ." 0 +"In 1942 , "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national savings campaign of the warship - week "" ." "During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civil saving campaign of the warship - week "" ." 0 +Suffolk County Cricket - Teams were the teams representing the historic county of Suffolk before the first official foundation of Suffolk County Cricket Club in 1864 . Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk in front of the historical formation of Suffolk County Cricket - Club 1864 . 0 +Benmont Tench , the man at the campsite played by Jared Harris , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . Jared Harris , the man at the campsite , played by Benmont Tench , is named after Benmont Tench , keyboarder of Tom Petty and the Heartbreakers . 0 +The real basis of the flower is that lenses can never perfectly focus in the physical world . The real basis of bloom is that , in the physical world , lenses can never focus perfectly . 1 +The static component is the total resistance of the soil minus the dynamic component . The dynamic component is the total resistance of the soil minus the static component . 0 +It is named for Jackfork Mountain in Oklahoma and Pushmataha counties , Pittsburg . It is named after Jackfork Mountain in Pittsburg and Pushmataha counties , Oklahoma . 0 +Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road in the Fish Point to the east . Two bridges cross the river to Pental Island ; at Swan Hill in the west , and on Fish Point Road at Fish Point in the east . 1 +She died in Abilene and buried in Fort Worth , in the Abilene Municipal Cemetery . She died in Fort Worth and was buried in Abilene at the municipal cemetery in Abilene . 0 +The Council votes in three ways : unanimity , simple majority or qualified majority . The Council votes in three ways : unanimity , qualified majority or simple majority . 1 +It is located in northwestern Pennsylvania at ( 41.625296 , -80.297706 ) , in western Crawford County . It is located in northwestern Pennsylvania ( 41.625296 , -80.297706 ) , in western Crawford County . 1 +Petina Gappah was born in Zambia , in Copperbelt Province . Petina Gappah was born in Zambia in the province of Copperbelt . 1 +It is found in southeast Brazil , where is known as jequitibá-branco or jequitibá-rosa , possibly Colombia and possibly Venezuela . It is found in south-eastern Brazil , where is known as jequitibá-branco or jequitibá-rosa , possibly Colombia , and possibly Venezuela . 1 +"Soviet nationalist Ukrainians saw the book "" as a Ukrainian attempt to paint Mykola Lebed with a broad anti-Semitic brush "" ." "Soviet - nationalistic Ukrainians saw the book "" as a Ukrainian attempt to paint Mykola Lebed with a broad anti-Semitic brush "" ." 1 +Humbert knows , Lolita has no living relatives and immediately realizes that something is very wrong . Lolita knows Humbert has no living relatives and immediately realizes something is very wrong . 0 +He formed a beautiful library and kept it open to scholars , supported himself and wrote writers . He formed a beautiful library and kept it open to scholars , wrote to himself and supported writers . 0 +Erko Elblaus and Gertrud Luhaoja were soon replaced by Rasmus Rändvee and Karl Kallas . Erko Elblaus and Karl Kallas were soon replaced by Rasmus Rändvee and Gertrud Luhaoja . 0 +More recently , the band Extra Life has combined aspects of modern music with the early genre of math rock . More recently , the band has combined Extra Life aspects of modern music with the early genre of math - rocks . 1 +The soundtrack was composed by the musician Wajahat Attre with texts by Noor Jehan and Mehnaz and was sung by Hazin Qadri . The soundtrack was composed by musician Wajahat Attre , with texts by Hazin Qadri , sung by Noor Jehan and Mehnaz . 0 +Ivanov is a famous kickboxing master and coach and a successful producer in Russia . Ivan Ivanov is a successful kickboxing - master and coach and a famous producer in Russia . 0 +English is understood by many people and spoken by some of them fluently . English is spoken by many people and some of them fluently understood . 0 +Administratively this island belongs to the Astrakhan Oblast of the Russian Federation . Administratively , this island belongs to the Russian Federation of Oblast Astrakhan . 0 +Union Star is located at in the Polk township of DeKalb County , Missouri on the border with Andrew County , Missouri . Union Star is located in the polk community of Andrew County , Missouri on the border with DeKalb County , Missouri . 0 +Where formula 9 is the Lerch hyperbolic function and coth is the transcendent cotangent function . Where Formula 9 is the Lerch - Hyperbolicus - function and coth is the transcendent Cotangent - function . 1 +We 're now 1750 , Natalie , do you live at home ? Natalie : We 're at 1750 now , Adam . Do you live at home ? 0 +Its maximum annual temperature is and its minimal annual temperature is May to October the hottest season . Its minimum annual temperature is and its maximum annual temperature is May to October the hottest season . 1 +Andropogon capillipes is a species of grass known through the common name chalky bluestem . Andropogon capillipes is a species of grass known by the chalky name common bluestem . 0 +Nancy returns home , and thanks her mother for trying to protect her , but Freddy appears in a mirror behind Gwen . Nancy returns home and thanks her mother for attempting to protect her , but Gwen appears in a mirror behind Freddy . 0 +Parmenion suggested crossing the river upstream and attacking the next day at dawn , but Alexander immediately attacked . Alexander 's second-in-command , Parmenion , suggested crossing the river upstream and attacking at dawn the next day , but Alexander attacked immediately . 1 +The constant power density is determined by the product out of the continuous torque density and the continuous torque speed of the electric machine . The constant power density is determined by the product of the continuous torque density and the continuous torque speed range of the electric machine . 1 +After the Nobel Prize in 1903 with her husband Pierre , Marie Curie won a second Nobel Prize for Chemistry in 1911 . After receiving a second Nobel Prize with her husband Pierre in 1903 , Marie Curie won a joint Nobel Prize for Chemistry in 1911 . 0 +The Bs is first raised in the 1805 season and the team was recorded sporadically until the 1832 season . The Bs is first noted in the season of 1805 and the team was sporadically raised until the season in 1832 . 0 +"In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda at Broadway in "" Silent Night , lonely night "" by Robert Anderson ." "In 1960 , Glenville directed also Robert Anderson on Broadway in "" Silent Night , lone night "" by Barbara Bel Geddes and Henry Fonda ." 0 +Is a short book by Karla Kuskin , published first in 1962 , with illustrations by Virginia Cary Hudson . Is a short book by Virginia Cary Hudson , first published in 1962 with illustrations by Karla Kuskin . 0 +Geographically , the NDP campaign focused on seats in Scarborough and Etobicoke in Toronto , Hamilton , Ottawa , and North Ontario . Geographically , the NDP campaign focused on targeting seats in Scarborough and Etobicoke in Toronto , Hamilton , Ottawa and Northern Ontario . 1 +"Debbie Posner is the "" Hebrew and Jewish Studies Teacher and Program "" , and Debbi Benn is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." "Debbi Benn is the "" teacher and program for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of the elementary school for Hebrew and Jewish studies "" ." 0 +The body of Marian Anderson was found on November 4 , 2001 by her sister Lolly and Danielle Santos Bernal . Danielle Santos Bernals Body was found on 4 November 2001 by her sister Lolly and Marian Anderson . 0 +Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on August 31 , 2015 . On 3 August 2015 , Parmele was signed by the Cleveland Browns and was released by a team on 31 August 2015 . 0 +On 23 November 2010 , the Heat renounced Stackhouse to make room for Erick Dampier , who was signed to replace the injured Udonis Haslem . On November 23 , 2010 , the Heat waived Stackhouse to make room for Udonis Haslem who was signed to replace injured forward Erick Dampier . 0 +On April 25 , 2016 , Robinson was traded to the Portland Steel for Jamar Howard . On April 25 , 2016 , Robinson was traded for Jamar Howard to Portland Steel . 1 +The system moved on October 16 at 0600 UTC to the west and passed north of Guam near Saipan . The system moved westward and passed on 16 October at 0600 UTC north of Saipan near Guam . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of industrial and commercial areas . Branksome is a suburb of Poole in Dorset , England . The area is composed of commercial and industrial properties and also a number of residential areas . 0 +When synthetic pins are hit by the ball , they usually sound different from wooden pins . When hit by the ball , wooden pins usually sound different from synthetic pins . 0 +In 1972 , Tarkowski film historian Leonid Kozlov told his ten favorite films . In 1972 , Tarkovsky told film historian Leonid Kozlov his ten favorite films . 0 +Then Tommy tells him who Tyrone is . Tyrone tells him who is Tommy . 0 +Wooster Victory , immediately operated under its original name , first was renamed Castelverde , while Vassar Victory was then renamed Castelbianco . Wooster Victory , operated immediately under its original name , was first renamed in Castelverde , while Vassar Victory was then renamed to Castelbianco . 1 +Primidone also causes exfoliative dermatitis , Johnson -- Stevens syndrome , and toxic epidermal necrolysis . Primidone also causes exfoliative dermatitis , Johnson - Stevens -- Syndrome and toxic epidermal necrolysis . 1 +On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on 5 September 2015 . On July 31 , 2015 , Moore was signed by the Chicago Bears . On September 5 , 2015 , he was released by the Bears . 0 +The Valea Mică River is a tributary of the Valea Arsurii River in Romania . The river Valea Mică is a tributary of the Valea Arsurii River in Romania . 1 +The district of Waitaki , in the regions of Canterbury and Otago of New Zealand , spans the traditional border between the two regions , the Waitaki River . The Waitaki River district in the regions of Canterbury and Otago in New Zealand spans the traditional border between the two regions , the Waitaki . 0 +Only the sara of the South was effectively governed , the French presence in the Islamic North and East was nominal . Only the Sara of the south was governed effectively ; French presence in the Islamic north and east was nominal . 1 +Born in 1794 in Alpheton in Suffolk , Thomas Clark joined William Debenham in a partnership to manage a draper 's store at 44 Wigmore Street in London . William Debenham , born in 1794 in Alpheton , Suffolk , joined Thomas Clark in a partnership to run a draper 's store at Wigmore Street 44 in London . 0 +Mount Cobb is a mountain on Vancouver Island , British Columbia , Canada , located east of Gold River and southwest from Mount Filberg . Mount Cobb is a mountain on Vancouver Island , British Columbia , Canada , located east of Gold River and southwest of Mount Filberg . 1 +Neighbouring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . Neighboring municipalities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . 0 +It flows generally northwest , through the Siuslaw National Forest and enters Pacific City on the Pacific near Nestucca Bay . It generally flows northwest through the Siuslaw National Forest and enters the Nestucca Bay on the Pacific near Pacific City . 0 +Arthur decides not to tell Dick of his purchase . Arthur decides to not tell Dick of his purchase . 1 +Until 6 February 2006 , when Stephen Harper was sworn in as Prime Minister , he was Minister of Labour in Paul Martin 's minority government . He served as Minister of Labour in Paul Martin 's minority government until February 6 , 2006 , when Stephen Harper was sworn in as Prime Minister . 1 +"In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at the Folk Festival of Turkey in Inegol ." "In summer 2007 she performed with the "" Shavnabada Ensemble "" at the Inegol Folk Festival in Turkey ." 0 +Skrillex cites influences such as Rusko , Reso , Zomboy and Bare Noize . He studied Music Production at the Academy of Contemporary Music in Guildford . He quoted influences such as Rusko , Reso , Zomboy and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . 1 +The Spaniards besieged in the church surrendered to Katipuneros on August 19 , 1898 . The Spaniards besieged in the church and convent surrendered to the Katipuneros on August 19 , 1898 . 1 +David Jacobson quit the band during their US tour in August 1986 and was replaced for the rest of the tour by Paul Raymond . During her US tour in August 1986 , Paul Raymond left the band and was replaced for the rest of the tour by David Jacobson . 0 +The maximum temperature is 33 ° Celsius and minimum temperature is 12 ° Celsius . The maximum temperature is 33 ° Celsius and the minimum temperature is 12 ° Celsius . 1 +All in all , there are three blue hats and two red . In all , there are three blue hats and two red . 1 +Matt Skelton faced WBA Heavyweight Champion Ruslan Chagaev on 19 January 2008 in Düsseldorf . On January 19 , 2008 , Matt Skelton met WBA - Heavyweight - Champion Ruslan Chagaev in Düsseldorf . 1 +The album was released by Furious in the UK and by 7 Spin Music in the US on May 26 , 2007 . The album was released by Furious in the USA and by 7 Spin Music on May 26th , 2007 in the UK . 0 +Mazinho is the father of current players Thiago of Bayern Munich and Rafinha of Inter Milan . Thiago is the father of the current players Mazinho of Inter Milan and Rafinha of the FC Bayern Munich . 0 +"In 1830 , John turned over management of the "" Advertiser "" to James ." "In 1830 , John handed over the management of "" Advertiser to James ." 1 +In Japan it was first given on and the name was discovered . In Japan it was first given up and the name was discovered . 1 +Janzur is known as the birthplace of Omar Mukhtar , the Libyan resistance guide during the Italian rule . Janzur is known as the birthplace of Omar Mukhtar , the Libyan resistance leader during the Italian rule . 1 +When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except Ju and Jimo for Tian Dan . In the past , when Yue Yi attacked the Qi state , he conquered more than 70 cities in Qi , except Ju and Jimo , over Tian Dan . 0 +Thangpalkot is a village in Nepal in the district of Sindhupalchok in central Nepal and had a population of 2786 at the time of the 1991 census . Thangpalkot is a village in Sindhupalchok District in the Bagmati Zone of central Nepal . At the time of the 1991 Nepal census it had a population of 2786 . 0 +It is found in Texas and Nevada , where it has been recorded from Washington to California and west to North America . It is found in Texas and Nevada , where it has been admitted from Washington to California and West to North America . 1 +Trevor Hunter was not the principal in 2011 as he was Principal at Belmont City College and was replaced in 2012 by Geraldine Hardy . In 2011 , Geraldine Hardy was not the director as he was director at Belmont City College and was replaced in 2012 by Trevor Hunter . 0 +The chaityas are different in their orientation probably indicating irregular periods of construction on the hill . The Chaityas are irregular in their orientation , probably indicating different construction times on the hill . 0 +Dana Mountain , Elevation , was climbed by the group the next day before Martinez had to return to Muir . The next day Mount Dana was climbed by the group before Muir had to return to Martinez . 0 +He is survived by his children , Jason Coppola of Brooklyn and Samantha Coppola of Bogota , and three grandchildren . He is survived by his children Jason Coppola of Brooklyn and Samantha Coppola from Bogota and three grandchildren . 1 +The planned electrification of the route Blackpool Nord to Manchester was announced in December 2009 . The planned electrification of the Blackpool North to Manchester route was announced in December 2009 . 1 +"In the "" Nightmares on Elm Street "" comic series , Neil Gordon is resurrected by possessing Freddy Krueger 's comatose body , after Jacob again defeats Dan ." "In the comic series "" Nightmares on Elm Street "" , Neil Gordon is revived by possessing Freddy Krueger 's comatose body after Jacob Dan defeated again ." 0 +Geographically , these correspond to the traditional Glasgow District , South , Edinburgh District , and North and Midlands districts . These geographically roughly correspond to the traditional districts of Glasgow District , South , Edinburgh District and North and Midlands . 1 +Gordon Watkins was a professional American football player who played offensive lineman for two seasons for the Minneapolis Red Jackets , Frankford Yellow Jackets , and Brooklyn Dodgers . Gordon Watkins was a US American football player who for two years played Offensive Lineman for Minneapolis Red Jackets , Frankford Yellow Jackets and Brooklyn Dodgers . 1 +After spending six months in Buenos Aires , Don Stefano and Rissi Royall returned to Christiania in 2010 , where he joined the writing team Future Animals -- Forchhammer . After six months in Buenos Aires , Forchhammer returned to Christiania in 2010 , where he joined the writing team Future Animals -- Don Stefano and Rissi Royall . 0 +His three sisters included Helen C. Bulkeley , who married Roland Redmond , Mary Caroline Bulkeley . His three sisters included Mary Caroline Bulkeley , who married Roland Redmond , Helen C. Bulkeley . 0 +The leaves are used to prepare a putative drink , known for its refreshing diuretic , sedative and aphrodisiac effects . The leaves are used to prepare a putative drink known for its refreshing diuretic , sedative and aphrodisiac actions . 1 +The film was produced , directed and edited by Tom Flannery and Lorne Clarke . The soundtrack was composed by Bruce David Janu . The film was produced , conducted and edited by Tom Flannery and Lorne Clarke , the soundtrack was composed by Bruce David Janu . 1 +"He lives with a single and "" humble "" ambition : to dominate the world ( the whole planet ) ." "He lives with a single and "" humble "" ambition : to master the world ( the whole planet ) ." 1 +Damerham was once in Hampshire , but was brought to Wiltshire in 1895 . Damerham was once in Wiltshire , but was transferred in 1895 to Hampshire . 0 +The ACS ( Ambient Control Space ) is the internal network of an environment . The ACS ( Ambient Control Space ) is the ambient of an internal network . 0 +Ordinary plates have white text on black background . Ordinary plates have black text on white background . 0 +Bret Hart accused Lawler in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . Lawler accused Bret Hart of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . 0 +"In April 2013 , when the merger was completed with Air Italy , Meridiana Fly returned to its former , shorter name "" Meridiana "" ." "In April 2013 , when the merger of Air Italy was completed , Meridiana returned to its former , shorter name "" Meridiana Fly "" ." 0 +Linden asks to interrogate Skinner , but Mills ( Elias Koteas ) says he 'll talk only with Danette . Linden asks to interrogate Mills but Skinner ( Elias Koteas ) says he 'll only talk to Danette . 0 +"This change in name meant that the Nazi party would be "" placed "" under the NSRL ." "This change of name meant that the NSRL would be placed under the Nazi party "" ." 0 +The group was founded in Las Vegas , and later relocated to Los Angeles . The group was founded in Los Angeles and later transferred to Las Vegas . 0 +The museum consists of a new information hall , a restoration hangar , the main hangar Texas Flying Legends and the Oswin H. Elker Hangar . The museum consists of a main information room , a restoration hangar , the new Texas Flying Legend Hangar and the Oswin H. Elker Hangar . 0 +Administratively , this bay belongs to the Russian Federation of the Chukotka Autonomous County . Administratively this bay belongs to the Chukotka Autonomous Okrug of the Russian Federation . 0 +The 2013 Alcorn State University football team represents Alcorn State Braves in the NCAA Division I FCS football season 2013 . The 2013 Alcorn State Braves football team represented Alcorn State University in the 2013 NCAA Division I FCS football season . 0 +She was in Cork on June 24 and arrived in the downs on July 8 . She arrived at Cork on 24 June , and was in the Downs on 8 July . 0 +She talks to Jen parents and speculates that Jess may have come back to take the earrings . She talks to Jen 's parents and speculates that Jess may have come back to take the earrings . 1 +Midlake opened in Portland and Mudhoney opened for all the shows from Seattle to Dallas and Oklahoma City . Midlake opened in Dallas and Oklahoma City and Mudhoney opened for all shows from Portland to Seattle . 0 +He decides , then at home does he looks bad . He does , and then decides at home that he looks bad . 0 +Elena Dementieva won against Alisa Kleybanova in the finals 6 -- 3 , 6 -- 2 . Alisa Kleybanova won against Elena Dementieva with 6 - 3 , 6 -- 2 in the final . 0 +U.S. Route 81 has eight special routes . Three are in Texas , one in Oklahoma , two in Kansas , and two in North Dakota . The U.S. Route 81 has eight special routes , three in North Dakota , one in Oklahoma , two in Kansas , and two in Texas . 0 +It aims to appeal to those who love wood and varnish , or the look and feel of well-built and well-drawn boats . It aims to appeal to those who love wood and varnish , or the appearance and feel of well-built and well-drawn boats . 1 +Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named in his honor . Sparkman High School in Harvest , Alabama , Sparkman School in Somerville , Alabama , Sparkman Drive in Huntsville are all named to his honor . 0 +He devoted the work to his friend , the violinist Fritz Kreisler , and wrote to another friend , the composer Nikolai Medtner , on December 21 , 1931 : Rachmaninoff dedicated the work to his friend the violinist Nikolai Medtner . He wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : 0 +The River Podriga is a tributary of the River Izvoarele in Romania . The Podriga River is a tributary of the Izvoarele River in Romania . 1 +In 1998 , Mancuso divorced his third wife , actress Nadia Capone whom he married in 2006 . In 1998 , Mancuso married his third wife , the actress Nadia Capone , whom he divorced in 2006 . 0 +First , initialize the result formula _ 5 to 1 and preserve the value of b in the variable x : First , initialize the 5 to 1 result formula and keep the value of b in the x variable : 1 +After testifying in the Till case , Reed moved to Chicago and changed his name from Willie Louis to Willie Reed . After testifying in the Till case , Reed moved to Chicago and changed his name to Willie Louis in Willie Reed . 1 +Isabel Kabra never left his side until Irina sent her to a mission in Helsinki . Irina never left his side , until Isabel Kabra assigned her to a mission in Helsinki . 0 +He later joined the 25th Regiment of Foot , 8th Husaren , and ended his military career in 1865 with the rank of Major in the 11th Husaren . He later joined the 25th Regiment of Foot , 8th Hussars and ended his military career , in 1865 , with the rank of major in the 11th Hussars . 1 +"It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on January 10 , 2006 ." "It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on January 10 , 2006 ." 0 +The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY repeated directly . The network previously repeated a translator in Waterbury , W12BH ( channel 12 ) , which directly operated WEDY . 0 +Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 against Pat Cash and Patrick Rafter in the final . Pat Cash and Patrick Rafter won 3 : 6 , 6 : 1 , 6 : 3 against Jan Apell and Brent Haygarth in the final . 0 +"The Riemann zeta function is defined for real "" s "" with complex part greater than 1 , by the absolutely convergent infinite series ." "The Riemann Zeta function is defined for complex "" s "" with real part greater than 1 by the absolutely convergent infinite row defined ." 0 +The design of this Japanese porcelain has made Wagener white and blue according to European taste with many flowers . Wagener made the design of this European porcelain , according to the Japanese taste many , with white and blue flowers . 0 +He started his career as a photojournalist , but soon distinguished himself also as an industrial and advertising photographer and visual-audio producer . He began his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and audio-visual producer . 1 +Adults are white green above and green below with metallic flanks . Adults are white above green and down green with metallic flanks . 1 +"Ben Peterson of AllMusic gave the album 4 stars out of 5 , calling it "" never imaginative and consistently predictable "" ." "Ben Peterson of AllMusic gave the album 4 out of 5 stars and described it as "" never imaginative and consistently predictable "" ." 1 +The church was listed as a marked landmark of the city of Santa Barbara on 17 May 2016 . The Church was listed as a designated landmark of the City of Santa Barbara on May 17 , 2016 . 1 +Bhilai Airport is located at Bhilai , in Chhattisgarh , India . Bhilai is located in Chhattisgarh , India at Bhilai Airport . 0 +The bibliography of the Book of Han ( 2nd century AD ) presents Agriculturalism as one of 10 philosophical schools and lists 9 books belonging to that school . The bibliography of the book of Han ( 2nd century AD ) lists Agriculturalism as one of 10 philosophical schools and represents 9 books that belong to this school . 0 +His family later moved from Brooklyn to the 110th Street and Amsterdam Avenue in Manhattan . Later his family moved from Brooklyn to Manhattan on 110th Street and Amsterdam Avenue . 0 +""" FIFA Manager 12 "" is a football manager - simulations - video game , developed by Bright Future GmbH and published by Electronic Arts worldwide under the label EA Sports ." """ FIFA Manager 12 "" is a football manager simulation video game developed by Bright Future GmbH and published by EA Sports worldwide under the Electronic Arts label ." 0 +Windsor is included in Augusta , Maine Micropolitanes New England City and the Town Area . Windsor is included in the Augusta , Maine micropolitan New England City and Town Area . 1 +The friendship between him and Duncan ended at a club meeting in 1951 , when the two disagreed at an annual meeting and Greaves reported that Duncan said The friendship between him and Duncan ended in 1951 at a club meeting , when the two contradicted an annual meeting , and Duncan reported that Greaves said : 0 +This was also the fifth series since the first including a railway consultant in the role as part of the production team with Sam Wilkinson . This also marked the first series since the fifth to include a railway consultant as part of the production team , with Sam Wilkinson in the role . 0 +Gary Lucy was paired with Vanilla Ice in series 6 and Katie Stainsby in the series 9 of the British version of Dancing on Ice . Katie Stainsby was paired with Vanilla Ice in series 6 and Gary Lucy in series 9 , from the British version of Dancing on Ice . 0 +Before the unification of Yemen in 1990 , the law determined the minimum age of marriage to 16 in South Yemen and 15 in the north . Prior to the unification of South Yemen in 1990 , the law set the minimum age of marriage at 16 in Yemen and 15 in the north . 0 +His parents are Ernie Gordon , who grew up with Yankees - fan in Hyde Park , New York , and Wendy Abrahamsen . His parents are Wendy Abrahamsen , who grew up as a Yankees fan in Hyde Park , New York , and Ernie Gordon . 0 +In 2006 , Lord Stair married Elizabeth Mary Hyde Parker , the daughter of Ralph Stonor , 7th Baron Camoys and Emily Mary Julia Stonor . In 2006 , Lord Stair married Emily Mary Julia Stonor , daughter of Ralph Stonor , 7 . Baron Camoys and Elizabeth Mary Hyde Parker . 0 +On April 1 , 2011 , West Africa - Democracy - Radio ( WADR ) launched a news platform that involved Airtime . West Africa Democracy Radio ( WADR ) launched a news platform that incorporated Airtime on April 1 , 2011 . 1 +Mead was born in Jonesboro in Poinsett County in northeastern Arkansas but lived most of his life in the nearby larger city of Trumann in Craighead County . Mead was born in Trumann , Poinsett County , northeast Arkansas , but lived most of his life in the nearby larger city of Jonesboro in Craighead County . 0 +The lateral incisors are large , while the medial incisors are usually small . The lateral incisors are large , while the medial incisors are mostly small . 1 +In addition to the 5,465 Anjous produced , the company built about 40 of the 2-door cabriolet Anthéor models . In addition to the 5,465 Anjous built , the company produced about 40 of the 2-door convertible Anthéor models . 0 +The circular mirrors are effective in lighting fires , while the parabolic mirrors are not , although they may have been used to generate smoke . The circular mirrors are effective at lighting fires while the parabolic mirrors are not , although they may have been used to produce smoke . 1 +Sumprabum is a town in the Kachin State of the northernmost part of Myanmar . Sumprabum is a town in the Myanmar of the northernmost part of the Kachin State . 0 +This version was published on August 18 , 2016 in Europe and Australia and on January 5 , 2017 in North America . This version was published on August 18 , 2016 in North America and on January 5 , 2017 in Europe and Australia . 0 +The individual Japanese DVD releases for the first series had also special limited editions . The first DVD releases for individual Japanese series also had special limited editions . 0 +These are the known open protocol specifications , which cover the same or similar space as AMQP : These are the known open protocol specifications that cover the same or similar space as AMQP : 1 +Regulatory restrictions have a greater immediate effect than do limitations on the downstream transaction . Downstream - Limitations have a greater regulatory effect than restrictions on the immediate transaction . 0 +The Irish origin from this time suggests it was a commentary on the lack of agreement within the Confederate Assembly , during the other Confederate Wars . The Irish origin from that period suggests that it was a commentary on the lack of agreement within the Confederate Assembly during the other Confederate Wars . 1 +The river Valea Lungă is a tributary of the Casimcea River in Romania . The Casimcea River is a tributary of the Valea Lungă River in Romania . 0 +Riggs was born in Atlanta , Georgia , the son of Gina Ann ( née Carlton ) and William Riggs . He has a younger brother , Grayson . Riggs was born in Atlanta , Georgia , the son of William Riggs ( born Carlton ) and Gina Ann . He has a younger brother , Grayson . 0 +Stony Fork Creek ( shown as Stony Fork on federal maps ) is a tributary of Babb Creek in Tioga County , Pennsylvania in the United States . Stony Fork Creek ( Stony Fork on Federal Cards ) is a tributary of Babb Creek in Tioga County , Pennsylvania in the United States . 1 +Deerfield is drained by the rivers South Deerfield and Connecticut . South Deerfield is drained by the Deerfield and Connecticut rivers . 0 +When the Clifton Bridge was built in 1866 , the ferry became popular with users of Portishead Railway railway station . When the Portishead Railway was built in 1866 , the ferry became popular with Clifton Bridge train station users . 0 +He has performed in South Africa about the great king of the Mzilikazi and founder of the Mthwakazi kingdom , Ndebele . He has performed in South Africa saying praises about the Great King of the Mzilikazi and founder of the Mthwakazi Kingdom , Ndebele . 1 +At the 13th Telecine Awards , Anupam Roy received the Best Lyricist Award for Parambrata Chatterjee and the Special Jury Award for Acting . At the 13th Telecine Awards , it got Parambrata Chatterjee the Special Jury Award for acting , and Anupam Roy , the Best Lyricist Award . 0 +Rachel played swimwear - Model Decker , while Peter Jacobson Alan , her nebbish husband played . Rachel played swimsuit model Decker , while Peter Jacobson played Alan , her nebbish husband . 1 +Sporting Club Suceava was a professional football club from Romania , based in Suceava and was founded in 2008 . Sporting Club Suceava was a professional football club from Romania , based in Suceava and founded in 2008 . 1 +However , the church we see today was replaced in 1640 , designed by Agostino Avanzo , and consecrated in 1655 . The church we are seeing today , however , was consecrated in 1640 , designed by Agostino Avanzo and replaced in 1655 . 0 +Almost all of the people in An Phu had to be evacuated ( mainly to Cho Moi , Phu Tan District ) . Almost all of the people in Phu Tan district had to be evacuated ( mainly to the Cho Moi , An Phu ) . 0 +""" Boudewijn "" , as King of "" Belgium "" , was the contemporary real name for the Dutch-world Belgian crown prince ." """ Boudewijn "" , as king of "" Belgium "" , was the contemporary real name for the Dutch - Belgian crown prince ." 1 +The SSSI has an area of 190.3 hectares , while the SAC has 168.3 hectares . The SSSI has an area of 190.3 hectares while the SAC covers 168.3 hectares . 1 +Nick Jackson suffered a rib injury during his first game at the Toronto event and was drawn from his second match as well as from the New York City event . Nick Jackson suffered a rib injury during his second match at the Toronto event and was pulled from his first match as well as the New York City event . 0 +Burnside Township is limited to the northwest of Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . Burnside Township is bordered by Clearfield County to the northwest , Clinton County to the north , Curtin Township to the east and Snow Shoe Township to the southeast . 1 +The main father and spiritual initiator of this wine school was Immanuel Dornfeld . Immanuel Dornfeld was a spiritual father and main initiator of this wine school . 0 +The album was released on May 26 , 2007 by Furious in the US and 7 Spin Music in England . The album was released on May 26 , 2007 by Furious in the United Kingdom and 7 Spin Music in the US . 0 +Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married to the British aristocrat John F. A. Cecil , a descendant of William Cecil in 1924 . John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married in 1924 to the British aristocrat William Cecil , a descendant of Edith Vanderbilt . 0 +In 2006 , Silverlake Partners sold to Goldman Sachs for $ 800 million . In 2006 , Goldman Sachs sold the company to Silverlake Partners for US $ 800 million . 0 +The film was filmed in Red Rock Canyon State Park ( California ) in Cantil , California . The film was shot in Red Rock Canyon State Park ( California ) in Cantil , California . 1 +The rank structures of the three elements of the Canadian Cadet Organizations and the Navy League Cadet Corps ( Canada ) are as follows , comparatively : The rank structures of the three elements of the Navy League Cadet Corps and the Canadian Cadet Organizations ( Canada ) are comparatively as follows : 0 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an American-born Italian composer and musician . Ulpio Minucci ( June 29 , 1917 - March 9 , 2007 ) was an Italian-born American composer and musician . 0 +Pennypacker , born in Pennsylvania , moved shortly after the turn of the twentieth century to New York City before moving to Southampton , New York , on Long Island . Pennypacker , born in Southampton , New York , moved to Pennsylvania shortly after the turn of the century before moving on Long Island to New York City . 0 +Kayalar is a village connected to the Tirebolu district of Giresun province . Kayalar is a village connected to the Tirebolu district of the province of Giresun . 1 +James the Fat would never return to his native Scotland , he remained in exile until his death in Ireland , his widowed mother and sister remained in Scotland . James the Fat would never return to his native Scotland . He remained an exile in Ireland until his death . His widowed mother and sister remained in Scotland . 1 +At WrestleMania XV , Holly lost the title to Gunn in a Triple Threat match which also included Al Snow . In WrestleMania XV , Holly lost the title to Gunn in a Triple Threat match , which also included Al Snow . 1 +Anton married Lesley Gray in September 1994 . In September 1994 , Anton Anton married Lesley Gray . 1 +Then , with the support of German tanks , the Gariboldi troops repelled a Soviet attack during the first defensive battle of the Don . Then the Gariboldi troops , with the support of the Soviet tanks , met a German attack during the first defensive battle of the Don . 0 +The newspaper celebrated its 90th anniversary in 2006 and will celebrate its 100th anniversary in 2016 . In 2006 , the newspaper celebrated its 100th anniversary and will be celebrating its 90th anniversary in 2016 . 0 +It is bordered to the northeast by the Pacific Ocean , to the southeast by Orchidlands Estates and to the south-west by Hawaiian beaches and Ainaloa . It is bordered to the northeast by the Pacific Ocean , to the southeast by Hawaiian beaches and to the south-west by Orchidlands Estates and Ainaloa . 0 +The film stars Chiranjeevi , Roja , Kota Srinivasa Rao and Madhavi play in important roles . The film stars Kota Srinivasa Rao , Roja , Chiranjeevi and Madhavi in important roles . 1 +Boston is a district of Louisville , Kentucky along Shelbyville Road ( US 60 ) and Long Run Creek . Shelbyville Road is a neighborhood of Louisville , Kentucky located along Boston ( US 60 ) and Long Run Creek . 0 +He won Lancaster Saint John -- New Brunswick constituency in the 1974 federal election and served in the 30th Canadian Parliament . He won Lancaster 's Saint John -- New Brunswick electoral district in the 1974 federal election and served in the 30th Canadian Parliament . 1 +Lyon County is a lake in Rock Lake , in the U.S. state of Minnesota . Lyon County is a lake in Rock Lake , in the US state of Minnesota . 1 +After studying in Belfast he sailed out to Shanghai to join his parents in 1933 . After studying in Belfast , he sailed to Shanghai in 1933 in order to join his parents . 1 +Allan Stewart ( 1865 -- 1951 ) was a Scottish painter who built his reputation on romantic , historical and particularly military paintings as well as landscapes and portraits . Allan Stewart ( 1865-1951 ) was a Scottish painter who built his reputation on military and particularly romantic historical paintings as well as on landscapes and portraits . 0 +She is voiced by Tara Platt in the Japanese anime and by Kanako Hatori in the English dub . She is expressed in the Japanese anime by Kanako Hatori and in the English Dub by Tara Platt . 0 +The film was produced by Harry Alan Towers and directed by Peter Collinson . The film was aired by Peter Collinson and produced by Harry Alan Towers . 0 +"Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from singer Adele 's 1985 song "" Acilara Tutunmak "" ." "Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" by singer Adele in 1985 ." 1 +It is located at 142 South Rexford Drive in Beverly Hills , opposite the First Church of Christ , Scientists , Beverly Hills , California . It is located at 142 South Rexford Drive in Beverly Hills , California . It is located opposite the First Church of Christ , scientist , Beverly Hills . 1 +"In 1813 he won the first Prix de Rome for painting and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagora ." "He won the first Prix de Rome for painting in 1813 and the second Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." 1 +Some of the Dalit writings published by the magazine were considered to be concerned by the middle class and even led to calls to ban the inflammatory problems . Some of the Dalit writings published by the magazine were considered to be concerned by the middle class and even led to calls to ban the inflammatory issues . 1 +Tom was the father of Ted and Steve . The father of Ted and Tom was Steve . 0 +"The album was produced by Peter Sullivan and was run by Mike Leander and Reg Guest "" ." "The album was produced by Peter Sullivan and "" directed "" by Mike Leander and Reg Guest ." 1 +On the other hand , many Democrats feared industrialization the Whigs welcomed . Many democrats , on the other hand , welcomed industrialization , feared the whigs . 0 +In 2013 , Williamson left and was replaced by guitarist Keith Tew and later , Boling left and was restored by Don Hill . In 2013 , Williamson left and was replaced by guitarist Don Hill and later , Boling left and was repalced by Keith Tew . 0 +Many people still believe in Dhami and Jhakri and often resort to allopathic practices before seeking local treatment . Many people still believe in Dhami and Jhakri and often resort to local practices before they seek allopathic treatment . 0 +Additionally , a left-handed team played in two other matches against MCC ( Marylebone Cricket Club ) . Additionally , a left-handed team played in two other games against MCC ( Marylebone Cricket Club ) . 1 +He said that Ichigo introduces the story and leads , readers to the events in it . He said that Ichigo leads the story and introduces the readers to events . 0 +"More recently , Wellman has contributed to the theory of individualized network analysis with the emphasis on social networks , also known as "" networked individualism "" ." "More recently , Wellman has contributed to the theory of social network analysis with an emphasis on individualized networks , also known as "" networked individualism "" ." 0 +He repudiated his first wife , Helie of Semur , about 1033 , and married her in 1048 . Robert and Helie had five children : He married his first wife , Helie of Semur , about 1033 , and dismissed them in 1048 . Robert and Helie had five children : 0 +Other invitations followed and more Sisters arrived for a hospital in Culion , schools in Vigan , Tuguegarao , and Manila , and a Leprosarium in Iloilo . Other invitations followed and more sisters arrived for a hospital in Culion , schools in Vigan , Tuguegarao and Manila and a leprosary in Iloilo . 1 +Tadas Langaitis is a Lithuanian politician , from november 2016 member of the Seimas , social and civic activist , active in civic projects in Lithuania . Tadas Langaitis is a Lithuanian politician , member of the Seimas , social and civic activist since November 2016 , active in citizens ' projects in Lithuania . 1 +Red Bank is located on the 11th Congressional District and is part of the 4th State Legislative District in New Jersey . Red Bank is located in the 11th Congressional District and is part of New Jersey 's 4th state legislative district . 1 +The single was released in three versions : a limited edition , a regular edition , and a Star Driver edition . The single was released in three versions : a limited edition , a regular output , and a Star Driver edition . 1 +"In 2017 , a book of straight photography was published in LA in the early 1970s "" people in cars "" ." "In 2017 , a book of straight photography published in the early 1970s in LA was made , "" People in Cars . """ 0 +Edward Biddle was the brother of American financier Nicholas Biddle , nephew of Congressman Charles John Biddle and uncle of Congressman Richard Biddle . Richard Biddle was the brother of the American financier Nicholas Biddle , nephew of Congressman Edward Biddle , and Congressman Charles Biddle 's uncle . 0 +As Steiner , Hoksary , Semler , Wetzer , Ritter and Vogl he soon found his place among the regular guests . As Knights , Hoksary , Steiner , Wetzer , Semler and Vogl , he soon found his place among the Stalwarts . 1 +Each line contains three points , so the Hesse configuration has the notation 912 in the language of the configuration . Each line has three points , therefore the Hesse configuration contains the notation 912 in the language of the configurations . 1 +In 1894 he began his career as an independent architect in Berlin , in the same year he made a study trip to Italy , a year later to England . In 1894 he began his career as an independent architect in Berlin ; the same year he took a study trip to England , one year later to Italy . 0 +Chin was born in Kingston , Jamaica , into a Jamaican mother and a Chinese Jamaican father . Chin was born in Kingston , Jamaica , to a Chinese Jamaican mother and a Jamaican father . 0 +Releases have also been carried out in Mexico , and the wild birth of a first wolf litter in Mexico was reported in 2014 . Releases have also been conducted in Mexico , and the first birth of a wild wolf litter in Mexico was reported in 2014 . 0 +In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through England to Scotland . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through Scotland to England . 0 +Its base or round edge contains between its layers the free ligament and the paraumbilical veins . Its base or the free edge contains the round band and the paraumbilical veins between its layers . 0 +Colonel Ray died in 1989 and Lieutenant Colonel Koski died on New Year 's Eve , 1989 . Colonel Ray died in 1989 and Lieutenant Colonel Koski died on New Year 's Eve in 1989 . 1 +Delaware County is a city in and the county seat of Delaware , Ohio , United States . Delaware County is a city in and the county town of Delaware , Ohio , United States . 1 +"A semilinear transformation is a transformation that is "" up to a twist "" linear , which means "" to a field automorphism under scalar multiplication "" ." "A scalar transformation is a transformation that is "" linear "" up to a twist "" , which means "" to a field automorphism under semilinear multiplication "" ." 0 +The verb system is very intricate with the following tenses : present ; subjunctive ; simple past ; past progressive ; present perfect ; and past perfect . The verb system is very complicated with the following times : past , present , past perfect , present progressive , simple perfect and subjunctive past . 0 +From Death Valley National Park , California State Route 178 leads northeast to Ridgecrest . From Death Valley National Park , California State Route 178 leads northeast into Ridgecrest . 1 +George Wilson was born on June 24 , 1766 in Newcastle , Robert Wilson , a shipbuilder and Mary Finlay . Robert Wilson was born on 24 June 1766 to George Wilson , a shipbuilder , and Mary Finlay in Newcastle . 0 +Under Frank and later Nicky Scarfo served Phil Testa . Frank served under Phil Testa and later Nicky Scarfo . 0 +An anime adaptation by White Fox , aired in Japan between 6 April 2011 and 14 September 2011 , was licensed by Funimation in North America . An anime adaptation by White Fox aired in Japan between April 6 , 2011 and September 14 , 2011 , and has been licensed in North America by Funimation . 1 +Butler died at Oxford on 16th January , 1909 , and was buried in Holywell cemetery , Torquay . Butler died in Torquay on 16 January 1909 and was buried at the Holywell cemetery in Oxford . 0 +Sinan ( also romanized as Sīnān ) is a village in the district of Esfarayen , North - Khorasan - Province , Iran , in the Azari county of the Central District . Sinan ( also romanized as Sīnān ) is a village in Azari County , in the central district of Esfarayen , North Khorasan Province , Iran . 0 +Olaf originated from a warm south of Acapulco on August 21 over extremely disturbed waters . Olaf came from a disturbed south of Acapulco on 21 August over extremely warm waters . 0 +The station serves Penn Station in Midtown Manhattan and from there to Hoboken Terminal or Penn Station in Newark . The station provides service to Penn Station in Midtown Manhattan , and from there to Hoboken Terminal or Penn Station in Newark . 1 +Michael is killed on their wedding day , before the ceremony takes place , and Centaine goes to Sean for help . On her wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael for help . 0 +"The "" Standard "" was the leading newspaper in Montana , built by Marcus Daly and financed by campaigning editor John Hurst Durston ." """ Standard "" was the leading newspaper in Montana , built by Marcus Daly and financed by the campaigns - Editor John Hurst Durston ." 1 +"In a 2014 interview with "" Sunrise Daily "" , M.I said that Jesse Jagz delayed the departure of Chocolate City also the album ." "In a 2014 interview with "" Sunrise Daily "" , M.I said that Jesse Jagz 's departure from Chocolate City also delayed the album ." 1 +Following a merger with Republic Airlines in 1979 , North Central became Southern Airways , which merged into Northwest Airlines in 1986 . Following a merger with Southern Airways in 1979 , North Central Republic Airlines , which merged into Northwest Airlines in 1986 . 0 +Skepi is an extinct Dutch creole language of Guyana , spoken in the region of Essequibo . Skepi is an extinct Dutch-spoken creole language of Guyana , based in the region of Essequibo . 0 +After Rovers saw the Israelis the next round draw eliminated Juventus F.C . After Rovers , the Israelis saw the next round of draw Juventus F.C . 0 +The second stage was in Plymouth , the first time the Tour de France visited England . The first stage was in Plymouth , for the second time the Tour de France visited England . 0 +The house was purchased by Sir David Dundas of Dunira in 1858 , who sold it on to George Dewhurst of Lymm , Cheshire , in 1864 . The house was bought in 1858 by Sir George Dewhurst of Dunira , who in 1864 sold it to David Dundas of Lymm , Cheshire . 0 +This species is distributed in the Gulf of Mexico and the Caribbean Sea ; in the Atlantic Ocean along Brazil . This species is distributed in the Gulf of Mexico and the Caribbean , along Brazil in the Atlantic . 1 +The anisotropic wave equation for elastodynamic media can be expressed as The elastodynamic wave equation for anisotropic media can be expressed as follows : 0 +The politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . Politician and entrepreneur Juhan Kukk ( 1885 -- 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . 0 +He was educated in Dresden , and later in Leipzig until 1865 , and after a short residence in Weimar with Franz Liszt went to New York in 1869 . He was trained in Weimar , later until 1865 in Dresden and went to New York after a short stay in Leipzig with Franz Liszt in 1869 . 0 +In the United Kingdom , mescaline in purified powder form is a Class A drug . However , dried cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A medicine in cleaned powder form . However , dried cactus can be bought and sold legally . 1 +In addition to rigorously modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of scientific discoveries . In addition to strictly scientific work , de Broglie thought and wrote about the philosophy of science , including the value of modern scientific discoveries . 0 +Wolfbot also had the ability to bind webbing to shoot his victims . Wolfbot also had the ability to bind seatbelt to shoot his victims . 1 +Buendía often criticized the role of the US government and the CIA in Mexico , and also published names of American officials involved in secret operations . Buendía often criticized the role of the U.S. government and the CIA in Mexico , and also published names of American officials involved in secret operations . 1 +Ravi Singh was born in Delhi , India to Mr. Puran Singh and Smt . Ravi Singh was born in Delhi , India , to Mr. Puran Singh and to Smt . 1 +This riding was created in 1987 by Okanagan -- similar cameras , and in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan , eliminated . This riding was created in 1987 by Okanagan -- Similkameen and eliminated in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay , Okanagan . 1 +In 2005 Dieudonné and Jean-Christophe Jeauffre founded the French version of the American nonprofit Jules Verne Adventures . In 2005 , Dieudonné and Jean-Christophe Jeauffre founded the French version of the American nonprofit company Jules Verne Adventures . 1 +Amazingly , in some cases , the first stimulus can actually influence the perception of the second stimulus . Amazingly , the first stimulus can , in some cases , actually affect the perception of the second stimulus . 1 +Azerbaijan has a largely non-observant country of the Shia population with a Sunni minority . Azerbaijan is a largely Sunni - Shia population with a non-observant minority . 0 +In 2005 , BH Air signed a two-year contract for a wet lease with Virgin Group . In 2005 , BH Air and the Virgin Group signed a two-year contract for a wet lease . 1 +The localized versions of subsequent games use instead the current designation convention . The subsequent versions of localized games use the current naming convention instead . 0 +In TV archives only six episodes survive , one from the third and fourth series , two each from the first and one from the last series . In television archives , only six episodes survive , one from the first series , two from the third and fourth , one from the last series . 0 +"Zehava , Zehava 's father , won land from the "" Merida "" , and Kirwan himself won even more land ." "Zehava , the father of Zehava , won land from "" Merida "" , and Kirwan himself won even more land ." 1 +A typical party light organ of the 1970s had three radiators , red , green and blue , for tones in bass , medium frequency and high frequency . A typical party light organ of the 1970s had three spotlights , red , green and blue , for sounds in bass , high frequency and medium frequency . 1 +The Botizu River is a tributary of the Scridoasa River in Romania . The river Scridoasa is a tributary of the River Botizu in Romania . 0 +His son John I Lestrange ( died prior to 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King Henry II . His son Heinrich II ( died before 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I. Lestrange . 0 +Jared Harris , the man at the campsite played by Benmont Tench , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . Benmont Tench , the man at the campsite , played by Jared Harris , is named after Benmont Tench , keyboardist with Tom Petty and the Heartbreakers . 0 +In 1951 , the West Kentucky Area Council , based in Bowling Green , merged with the Audubon Council to form the Cogioba Council , which operates a good third of Kentucky . In 1951 , the Cogioba Council , based in Bowling Green with the West Kentucky Area Council , merged to form the Audubon Council , which serves a good third of Kentucky . 0 +"In September 2013 , Enfield appeared in the BBC Three Comedy series "" Bad Education "" as Jack Whitehall , the father of Martin ’ s character Alfie ." "In September 2013 Enfield appeared in the BBC Three comedy series "" Bad Education "" as Martin , the father of Jack Whitehall 's character Alfie ." 0 +The objective is to find the optimal control parameters that best represent the empirical distribution of a given dataset . The objective is to find the empirical control parameters that best represent the optimal distribution of a given row . 0 +Herbert Hepburn Calvert was born on December 30 , 1870 in London and was the first son of the journalist Thomas Calvert and his wife Grace ( near Hepburn ) . Thomas Calvert was born on 30 December , 1870 in London . He was the first son of journalist Herbert Hepburn Calvert and his wife Grace ( née Hepburn ) . 0 +Central forces that are conservative can always be expressed as the potential gradient of a negative energy . The conservative central forces can always be expressed as a negative gradient of a potential energy : 0 +Johann Reinhard I played a role in the coronation celebrations of Emperor Matthias 1612 and the election of Emperor Ferdinand in 1619 . Emperor Ferdinand I played a role at the coronation ceremonies of Emperor Matthias in 1612 and the election of Johann Reinhard in 1619 . 0 +Fiat money , if accidentally represented in the form of currency ( paper or coins ) can be physically damaged or destroyed . Fiat - Money can be physically damaged or destroyed if it is accidentally displayed in the form of currency ( paper or coins ) . 1 +Loren goes to talk to Katherine . Katherine goes to Loren to talk . 0 +His 39 games were ninth most in the American League , and only six of his appearances was as a starter . His 39 games were the ninth most in the American League , and only six of his performances was as a starter . 1 +While still in Nevada , the Highway Boundary Peak , the highest point in California . While still in California , the highway passes Boundary Peak , the highest point in Nevada . 0 +When Hill died in 1936 , Fletcher was appointed to fill up the vacancy until a successor could be elected . When Fletcher died in 1936 , Hill was appointed to fill the vacancy until a successor could be elected . 0 +Kirk Deighton is served by route 780 , Knaresborough to Wetherby , and route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . Kirk Deighton is operated by Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 0 +Scott Boras advised Charles Johnson and Michael Tucker . Charles Johnson and Michael Tucker have advised Scott Boras . 0 +BA transferred the former BCal routes to Heathrow to Tokyo and Saudi Arabia . BA published the former BCal routes to Heathrow to Tokyo and Saudi Arabia . 1 +Tatranska Javorina is a village in Poprad district in the Prešov region of northern Slovakia . Tatranská Javorina is a village in Poprad District in the Prešov Region of northern Slovakia . 1 +"His musical partner Scott Boyer said , "" No one could write a more beautiful ballad than Talton ." "His musical partner Scott Boyer said : "" No one can write a more beautiful ballad than Talton ." 1 +Examples of ceramics include white porcelain or white porcelain decorated with cobalt , copper red underglaze , blue underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain , which is decorated with cobalt , copper red underglaze , blue underglaze and iron underglaze . 1 +The hall was left Charles Loraine Smith , who took the name Charles Loraine . The hall was left to Charles Loraine who took the name Charles Loraine Smith . 0 +Rupert , Johann Rupert ’ s eldest son , is now the CEO of Richemont and Chairman of Remgro . Johann Rupert 's eldest son , Rupert , is now the CEO of Richemont and chairman of Remgro . 1 +On Roger 's death , his son -- William de Roumare , Earl of Lincoln -- inherited the manor . After Roger 's death inherited his son -- William de Roumare , Earl of Lincoln -- the manor house . 1 +When Aaron asked him to play guitar in the band 's new band , Russ agreed . When Russ asked him to play in the new band guitar , Aaron agreed . 0 +Relations between Fiji and Solomon Islands are diplomatic and other bilateral relations between the Republic of Fiji and the Solomon Islands . Fiji -- Solomon Islands relations are diplomatic and other bilateral relations between the Republic of Fiji and Solomon Islands . 1 +The idea of the ensemble is further discussed in the article Statistical Ensemble ( Mathematical Physics ) . The idea of the ensemble is further discussed in the mathematical ensemble ( statistical physics ) article . 0 +Malmö is a neighbourhood of Malmö , Skåne County , Sweden , in the municipality of Västra Innerstaden , Malmö . Teatern , Malmö is a neighbourhood of Malmö , situated in the Borough of Västra Innerstaden , Malmö Municipality , Skåne County , Sweden . 0 +Shops in Matiari , Oderolal Station , Tajpur , Allah Dino Saand and Shahpur Chakar have been closed out of respect . Shops in Matiari , Oderolal station , Tajpur , Allah Dino Saand and Shahpur Chakar remained closed out of respect . 1 +Directed by Jonathan Silverstein the cast featured Laura Reynolds ( Heidi Armbruster ) , Craig Mathers ( Dan McCabe ) and Bill Reynolds ( Tom Lee ) . Laura Reynolds ( Heidi Armbruster ) , Craig Mathers ( Dan McCabe ) and Bill Reynolds ( Tom Lee ) were shown in the cast directed by Jonathan Silverstein . 1 +She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Henry Albert Hartland . She married Stephen Jackson . It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland and married Stephen Jackson . 1 +The county seat for DeWitt Township was also located in Clinton County from the inception of the County . The county seat for DeWitt Township was also in Clinton County from the founding of the county . 1 +Bogale Township is a municipality in the Pyapon district of the Ayeyarwady region of Burma ( Myanmar ) . Bogale Township is a township of Pyapon District in the Ayeyarwady Region of Burma ( Myanmar ) . 1 +This victory repeated in an Opel Astra in 2003 this victory with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . 1 +When the band moved from Virginia Beach in 2012 , we split up from Los Angeles and Texas . When the band separated in 2012 from Virginia Beach , we moved between Los Angeles and Texas . 0 +"The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the basic one is second a second unit of time or a sixtieth of a second ." 0 +"Tuscany is a "" comune "" in the province of Massa and Carrara , Aulla ( central Italy ) ." Aulla is a municipality in the province of Massa and Carrara , Tuscany ( central Italy ) . 0 +In both cases , he had been chosen by Eugenio Scalfari as a critic , first for the daily newspaper and then for the weekly newspaper . In both cases he had been chosen as critic by Eugenio Scalfari , first for the weekly and then for the daily edition . 0 +Tetraazidomethane is a colorless , highly functional fluid whose chemical structure consists of a carbon atom substituted with four explosive azide groups . Tetraazidomethane is a colorless , highly functional liquid . Its chemical structure consists of a carbon atom substituted with four azide explosive groups . 1 +The unpredictable consonant of every word was then dropped , the distribution of first leaving . The first consonant of each word was then dropped , leaving the distribution of unpredictable . 0 +Narwee railway station is on the Airport & South Line of the Sydney Trains network , with Riverwood to the west and Beverly Hills to the east . Narwee railway station is located at the South Line Airport on the Sydney Trains Network , with Riverwood to the west and Beverly Hills to the east . 1 +As predicted , only 28 % of the promised amount has been reimbursed since 2015 . As promised , since 2015 , only 28 % of the projected amount has been refunded . 0 +Hypodactylus is a genus of frogs found in northern South America ( from central Ecuador to Peru and Colombia ) . Hypodactylus is a genus of frogs which are found in Northern South America ( from central - Ecuador to Peru and Colombia ) . 1 +Most of the other common birth countries were China 14.7 % , the Philippines 7.0 % , India 5.1 % , Nepal 2.6 % , and England 1.9 % . The most other common countries of birth were China 14.7 % , Nepal 7.0 % , India 5.1 % , Philippines 2.6 % and England 1.9 % . 0 +"Bodybuilders often shorten these three steps to the well-known motto "" eat clean , train hard , sleep well "" ." "Bodybuilders often shorten these three steps into the well-known motto "" eat clean , train hard , sleep well "" ." 1 +William Henry Harman was born in Waynesboro , Virginia on February 17 , 1828 . His parents were Lewis and Sally ( Garber ) Harman . He was born on February 17 , 1828 in Waynesboro , Virginia , and his parents were William Henry Harman and Sally ( Garber ) Harman . 0 +Utah claims a lead of 60 -- 34 -- 4 , while BYU claims Utah leads 57 -- 31 -- 4 . Utah asserts a lead of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . 1 +He broke 13 Brazilian and South American records , and was a Brazilian record holder from 1952 to 1956 . He broke 13 Brazilian records and was a record brazilian and South American holder from 1952 to 1956 . 0 +Gandini was born in Venice on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Parma . Gandini was born in Parma on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Venice . 0 +Further editions of the book were published as co-authors after the death of D. F. Luckenbill in 1950 by Cressey and Sutherland . Further editions of the book were published after D. F. Luckenbill 's death in 1950 by Cressey and Sutherland as co-authors . 1 +At that time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( Sima Wangs Cousin ) . At the time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of Regent Sima Wang ( Sims Zhaos Cousin ) . 0 +The current chief executive officer is Martin Katz , and the chair of the board is Beth Janson . The current Chief Executive Officer is Martin Katz , and the chairman of the Board is Beth Janson . 1 +The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Vichy , France , Belgium , and Germany in 1945 . The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Germany , Belgium and Vichy France in 1945 . 1 +Nicklas Kulti defeated Todd Woodbridge 6 -- 2 , 6 -- 0 Todd Woodbridge defeated Nicklas Kulti with 6 -- 2 , 6 -- 0 . 0 +This is the infinite example : the unit group of ( the ring of integers of ) a real quadratic field recovers above of rank 1 , since formula _ 7 . This is the infinite example : the unit group of ( the ring of integers ) of a real square field recovers above rank 1 , as Formula 7 . 1 +Stony Fork Creek ( presented as Stony Fork on Federal Maps ) is a tributary of Babb Creek in Tioga County , Pennsylvania , United States . Babb Creek ( shown as Stony Fork on federal maps ) is a tributary of Stony Fork Creek in Tioga County , Pennsylvania in the United States . 0 +His first name was David , known by the name of Peter . Known by the name Peter , his real first name was David . 1 +Spencer also came as Jason Dohring on board . Jason Dohring also came on board as Spencer . 0 +Allan Stewart ( 1865 -- 1951 ) was a Scottish painter who built his reputation on romantic , historical and especially military paintings as well as landscapes and portraits . Allan Stewart ( 1865 -- 1951 ) was a Scottish painter who built his reputation on romantic , historical and particularly military paintings as well as landscapes and portraits . 1 +Design was developed by Jeff Grubb with Andria Hayday , a cover of Karl Waller and illustrations by Jeff Easley . Design was by Jeff Grubb with Andria Hayday , a cover by Jeff Easley , and illustrations by Karl Waller . 0 +It is located close to Old Iloilo Airport at 113 R. Mapa Street in Iloilo City 's Mandurriao district . It is located close to Mandurriao at 113 R. Mapa Street in Old Iloilo Airport 's Iloilo City district . 0 +In 1830 , Congress passed the Indian Removal Act , which removed Indian tribes and relocated them to American Indian Territory . In 1830 , the congress passed the Indian Removal Act , which removed Indian tribes and relocated them to Indian Territory . 0 +Critics , however , claimed that Pershing was commanded by far behind the lines and critical of commanders who personally led troops to battle . Critics , however , claimed that Pershing was leading from far behind the lines and was critical of commanders who personally commanded troops into the battle . 1 +She later left WWE in August 2008 , to return to TNA three months later , where she remained until 2011 . She left the WWE later in August 2008 to return to TNA three months later , where she remained until 2011 . 1 +Chris Anderson took over from Wayne Bennett as coach of the team in March 1999 . Chris Anderson took over the succession of Wayne Bennett as a team coach in March 1999 . 1 +In addition , TVS had sales offices in London , which were converted from a former bakery and Manchester . In addition , TVS had sales offices in Manchester , London , which was converted from a former bakery . 0 +In 2007 , the merger of BPVN and BPI made Banco Popolare had 143 branches in the island , which was increased to 145 in the next year . In 2007 , the merger of BPVN and Banco Popolare made BPI had 143 branches on the island , which next year was increased to 145 . 0 +He sang with success also in La Fenice in Venice , at the Maggio Musicale Fiorentino in Florence and in the Teatro San Carlo in Naples . He sang with success also in La Fenice in Naples , Maggio Musicale Fiorentino in Florence and the Teatro San Carlo in Venice . 0 +On July 31 , 2015 , Moore was released by the Chicago Bears . On September 5 , 2015 , he was signed by the Bears . On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on September 5 , 2015 . 1 +In 2008 , the college section was launched and Chittagong Collegiate School was renamed the Government College School . In 2008 , the college section was introduced and Chittagong Collegiate School renamed the school Government & College . 1 +The stripe of Hensen is the section of the inner membrane above the tectorial hair cell . The stripe of Hensen is the section of the tectorial membrane above the inner hair cell . 0 +On February 12 , 2014 , Elebert signed under Roddy Collins for Derry City . On 12 February 2014 , Elebert signed for Derry City   under Roddy Collins . 1 +"Carpenter would describe the script as "" too campy , too light "" later ." "Carpenter would later describe the script as "" too light , too campy "" ." 1 +The childhood of Berkeley was spent in Coventry , where he was a student of the translator Philemon Holland of Warwickshire and Henry Ashwood . The childhood of Berkeley was spent in Warwickshire , where he was a student of the translator Philemon Holland of Coventry and Henry Ashwood . 0 +He pioneered important developments in the style of sculpting in wood , parallel to those driven by Domenico Piola in marble sculpture and Filippo Parodi in painting . He has pioneered important developments in wood sculpting , in parallel with those driven by Filippo Parodi in the marble sculpture and Domenico Piola in painting . 0 +The section from Eagle Junction to Bowen Hills was duplicated in 1886 , with the section duplicated in Northgate in 1890 , and on Caboolture in 1917 . The section from Bowen Hills to Eagle Junction was duplicated in 1886 , with the section to Northgate duplicated in 1890 , and on to Caboolture by 1917 . 0 +Guest performances include Akon , Game , Corey Latif Williams , Junior Reid , Young Chris and Sigel 's own Group State Property . Guest appearances include Corey Latif Williams , Junior Reid , Game , Sigel , Young Chris , and Akon 's own group State Property . 0 +Other car manufacturers that have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . Other car manufacturers that have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . 1 +His parents are Angelina Miers , a prominent artist himself , and Don Luis Toranzos , of Argentina . His parents are Don Luis Toranzos , himself a prominent artist , and Angelina Miers from Argentina . 0 +The unpredictable consonant of each word was then dropped , leaving the distribution of first . The first consonant of each word was then dropped , the distribution of unforeseen leaving . 0 +Unlike most liberal protests in the United States , the Tax March did not focus on specific issues , but instead focused on a broad demand . Unlike most liberal protests in the United States , the Tax March focused not on broad issues , but on specific demand . 0 +Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( reg . 1784 - 1794 ) , who founded the university and the spa quarter of Bad Godesberg . 0 +The Chapel was also dedicated to the Saints John , the Baptist and Christina , Blessed James , all protectors of the House of Visconti . The chapel was also consecrated to Saint John the Baptist and James , Blessed Christina , all the protectors of the House of Visconti . 0 +The route was renumbered 450 in 1997 and acquired by the Punchbowl Bus Company the following year . The track was acquired in 1997 450 and the following year was renumbered by the Punchbowl Bus Company . 0 +In 1697 , he was returned to Eye as a Whig Member of Parliament , and sat until 1713 , when he was re-elected to Lymington . In 1697 he was re-elected as a Whig Member of Parliament for Eye and sat until 1713 when he was returned for Lymington . 0 +The sheadings are now only significant : The sheadings are only as significant now . 0 +Following the departure of Richie Towell in December 2015 , Finn was played in a more advanced position . Finn was played in a more advanced position after the departure of Richie Towell in December 2015 . 1 +The album was produced by Billy Harvey , and featured contributions by Rafael Gayol and the Tosca String Quartet . The album was produced by Rafael Gayol and introduced with contributions by Billy Harvey and the Tosca String Quartet . 0 +Her mother is Kenyan while her father is Austrian . Her mother is Austrian , while her father is a Kenyan . 0 +The SAS ( Surprise aggregate supply ) curve is in the aggregate run a vertical line called the EAS ( Equilibrium long Supply ) curve . The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) in the long term . 0 +Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Union Association of the Washington Nationals . Edward J. McKenna was a professional baseball player who played in 32 games for the Washington National Association of Union in 1884 . 0 +Especially services Tung Chung , New Territories and routes between the airport and Disneyland Resort , 19 routes with 165 buses . Mainly services Tung Chung , Disneyland Resort and routes shuttling between the Airport and New Territories , operating 19 routes with 165 buses . 0 +The Astors settled in Germany , first appearing in North America in the 18th century with John Jacob Astor , one of the richest people in history . The astors settled in Germany and first appeared in the 18th century in North America with John Jacob Astor , one of the richest people in history . 1 +The nephew Mary , son of Mare , was the painter William Joseph Williams . Mare 's nephew , son of Mary , was the painter William Joseph Williams . 0 +Rubenstein has two honorary doctorates : Doctor of Hebrew Letters ( Grand Valley State University ) and Doctor of Humane Letters ( Jewish Theological Seminary ) . Rubenstein has two honorary doctorates : Doctor of Hebrew Letters ( Grand Valley State University ) and Doctor of Human Letters ( Jewish Theological Seminary ) . 1 +A full association scheme can be visualized as a symmetric graph with labeled edges . A symmetric association scheme can be visualised as a complete graph with labeled edges . 0 +The Major A premiership is currently held by the Major League in Pine Hills Lightning and Runcorn Indians in the Pacific League . The Major A Premiership is currently being held by the Major League in Pine Hills Lightning and Runcorn Indians in the Pacific League . 1 +Eupithecia yunnani is a moth in the Geometridae family it is found in China ( Yunnan ) . Eupithecia yunnani is a moth in the family of Geometridae It is found in Yunnan ( China ) . 1 +New Manchester has 102 classrooms , and the school holds 1,975 students . The school mascot is the Jaguar . New School Manchester has 102 classrooms , and the school captures 1,975 students , the school mascot is the Jaguar . 1 +"Mosquitor was released by NECA as part of Series 6 of the "" Masters of the Universe "" series of ministatues designed by Four Horsemen Studios ." "Mosquitor was designed by NECA as part of the series 6 of the "" Masters of the Universe "" series of ministatues designed by Four Horsemen Studios ." 0 +""" It had to be sexy and provocative , but in a long , sexy , slender way ." """ It had to be long , sexy , slender , but in a sexy and provocative way "" ." 0 +If , as I believe , it was necessary , it was right and moral . If it was necessary , as I now believe , then it was right and moral . 1 +Devnya is also the seat of Devnya municipality ( part of Varna Province ) , which includes the following 2 villages : The province of Varna is also the seat of the municipality of Devnya ( part of Devnya ) , which includes the following 2 villages : 0 +Nasrallah joined Hezbollah after the 1982 Israeli invasion of Lebanon . In 1989 , Hassan Nasrallah traveled to Qom , Iran , where he furthered his religious studies . After the Israeli invasion of Lebanon in 1982 , Nasrallah joined Hezbollah , and in 1989 , Hassan Nasrallah traveled to Qom , Iran , where he continued his religious studies . 1 +The Sunehri mosque in the walled city of Lahore was also converted into a Gurdwara , while the mosque of Mariyam Zamani Begum was changed to a firing powder factory . The Sunehri Mosque in the Walled City of Lahore was also repurposed to a gurdwara , while the Mosque of Mariyam Zamani Begum was converted into a gunpowder factory . 0 +After passing through Bryson City and the Little Tennessee River , the Tuckasegee flows to the southwest for another before flowing into Bryson City Island Park . After passing through Bryson City and flowing around the Little Tennessee River , the Tuckasegee flows southwestward for another before emptying into the Bryson City Island Park . 0 +The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) from Kerala to Bengal . The movie begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Bengal from Kerala . 1 +The social consequences of criminal conviction are not the same as the consequences of conviction . The social consequences of criminal conviction are not the same as the collateral consequences of conviction . 1 +"He has described the "" Deep State "" as "" Shadow Government "" and the Deep State Swamp of Obama Holdovers and DC Lifers "" ." "He has described the "" deep state "" as "" Shadow Government "" and "" Deep State Swamp from Obama Holdovers and DC Lifers "" ." 1 +It was directed by Randall Einhorn , his twelfth episode of the season and fourth in the series . It was directed by Randall Einhorn , his fourth episode of the season and twelfth in the series . 0 +Sekou Sundiata was born as Robert Franklin Feaster in Harlem , New York , but changed his name in the late 1960 's to honor his African heritage . Robert Franklin Feaster was born Sekou Sundiata in Harlem , New York , but changed his name in the late 1960s to honor his African heritage . 0 +"On July 17 , 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" "However , on July 17 , 2006 , in a radio interview with López Obrador on "" Radio UNAM "" , Miguel Ángel Granados Chapa said :" 1 +William Simson ( 1798/99 -- 29 August 1847 ) was a Scottish portrait , landscape and subject painter . William William Simson ( 1798-99 -- August 29 , 1847 ) was a Scottish portrait , landscape and subject painter . 1 +"It was also produced by TV9 before their broadcast their own news programmes "" Berita TV9 "" respectively ." "It was also broadcast by TV9 before they produced their own news programmes "" Berita TV9 "" ." 0 +"The weekly was published in the federal state in 1781 , the first "" Vermont - newspaper "" ." "The first newspaper was published in the state in 1781 , and the weekly "" Vermont Gazette "" ." 0 +The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Mumbai near Bharuch , or Vasai about 290 kilometers south of Bhārukaccha . The port of Suppāraka is either modern Sopara near Bhārukaccha or modern Bharukh , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . 0 +These positions are held by Army BG Michael C. Thompson , Army BG Hopper T. Smith , and Air Force BG Gregory L. Ferguson . These positions are held by Armee BG Michael C. Thompson , Armye BG Hopper T. Smith and Air Force BG Gregory L. Ferguson . 1 +Coalesced hashing , also called coalesced chaining , forms a strategy of collision resolution in a hash table that is a hybrid of separate chaining and open addressing . Coalesced - Hashing , also called Coalesced Chaining , is a strategy of collision resolution in a hash table that represents a hybrid of separate concatenation and open addressing . 1 +In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Ministry head of staff . In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Head of Ministry of Staff . 0 +In 2016 , 3.9 % of children attended bilingual schools in primary education . In 2016 , 3.9 % of children attended primary school in bilingual education . 0 +East of Petersville , US 340 has a diamond interchange with MD 180 and crosses Catoctin Creek . The US 340 has a diamond exchange with MD 180 east of Petersville and crosses Catoctin Creek . 1 +After writing for Ace Publications , Rudy Ner Siongco moved to Pablo 's Gold Star Publications , where he also wrote several comik stories and serialized novels in 1962 . After writing for Ace Publications , Pablo moved to Gold Star Publications by Rudy Ner Siongco , where he also wrote several comic stories and serialized novels in 1962 . 0 +"The casting includes Cecile Andrews as host and Wanda Urbanska , author of "" Circle of Simplicity "" ." "The cast includes Wanda Urbanska as the host and Cecile Andrews , author of "" Circle of Simplicity "" ." 0 +Al Hijfar is a village in Saudi Arabia , in south-western Jizan Province . Al Hijfar is a village in Saudi Arabia , in the south-western province of Jizan . 1 +Cunningham was third in the NBA in scoring and tenth in rebounds . Cunningham became tenth in the NBA in scoring and third in rebounds . 0 +The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Lake Winnipeg . The Nelson River flows into Cross Lake from Playgreen Lake then flows from two channels into Lake Winnipeg . 1 +Zomboy cites influences such as Skrillex , Reso , Rusko and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . Zomboy cites influences such as Skrillex , Reso , Rusko and Bare Noize . He studied Music Production at the Academy of Contemporary Music in Guildford . 1 +Jassie Gift is the music director and Krishna Kumar is the cinematographer of the film . Krishna Kumar is the director of music and Jassie Gift is the cameraman of the film . 0 +The Pălăoaia River is a tributary of the Muereasca River in Romania . The Muereasca River is a tributary of the River Pălăoaia in Romania . 0 +Carson City was first platted in 1866 on land owned by R. M. Abbott , Delia Miner , and Hiram T. Sherman and recorded in 1871 . Carson City was first recorded in 1866 in the land owned by R. M. Abbott , Delia Miner and Hiram T. Sherman and in 1871 . 1 +Ignjat Job painted colorful landscapes on the island of BraÄ in a personal Expressionist style . Ignjat Job painted personal landscapes on the island of BraÄ in a colourful expressionistic style . 0 +San Pedro Springs Park is located in the city of San Antonio in the Bexar County in the state of Texas . San Pedro Springs Park is located in the town of Bexar County San Antonio in the U.S. state of Texas . 0 +Abhishekapuram is a suburb of the city of Tiruchirappalli in Tamil Nadu , India . It constitutes one of the four zones of the Tiruchirappalli Municipal Corporation . Abhishekapuram is a suburb of the town of Tiruchirappalli in Tamil Nadu , India , one of the four zones of the Tiruchirappalli Municipal Corporation . 0 +The music of the film was composed by Vijaya Bhaskar and lyrics for the soundtrack written by Chi . Udaya Shankar and Vijaya Narasimha . The music of the film was composed by Vijaya Bhaskar and the lyrics for the soundtrack written by Chi , Udaya Shankar and Vijaya Narasimha . 1 +The flag of Western Province , was adopted for the Western Province of Sri Lanka in 1987 . Sri Lanka 's flag was adopted in 1987 for the Western Province of Western Province . 0 +Soundtrack was composed by Deva and lyrics were written by Palani Bharathi and Vaasan . The soundtrack was composed by Deva and the lyrics by Palani Bharathi and Vaasan were written . 1 +The company then acquired St. Louis and Cairo Railroad , which was the narrow gauge . The company was then acquired the St. Louis and Cairo Railroad , the narrow gauge . 0 +In 2005 , BH Air signed a two-year contract for a wet lease with Virgin Group . In 2005 , the Virgin Group signed a two-year contract with BH Air for a wet lease contract . 0 +Members of the House are elected to their positions by members of their House Council . The members of the House Council are elected by members of their house to their posts . 1 +On 2 August 2011 , Reeves defeated Billy Hewes . On August 2 , 2011 , Billy Hewes defeated Reeves . 0 +Webmention was originally developed in the IndieWebCamp community and published on January 12 , 2016 as a W3C work draft . Webmention was originally developed in the IndieWebCamp community and published as a W3C working draft on January 12 , 2016 . 1 +Éric Fombonne ( Montreal , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist who is based in Paris . Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist who is based in Montreal . 0 +Special Emergency Response Team ( SERT ) is the Police Tactical Group of the Queensland Police Service in Australia . Special Emergency Response Team ( SERT ) is the Police Tactical Group of the Queensland Police , Australia . 1 +Problem-specific methods are needed to find the cuts used by this method . Problem-specific methods are used to find the sections needed by this method . 0 +This course will be offered again in 2013 for younger Dunghutti adults , and a Certificate 2 course will be designed for a test run in 2014 . This course will be offered to younger Dunghutti adults in 2013 , and a certificate 2 course will be designed for a test run in 2014 . 1 +The branch codice 2 is updated daily , and the branch codice 3 is updated every 6 months . The codice _ 2 branch is updated daily , and the codice _ 3 branch gets updated every 6 months . 1 +He uses three keyboards , which he plays with a stick attached to the neck of his guitar . He plays three keyboards , which he uses with a bar attached to the neck of his guitar . 0 +Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park just north of Hetch Hetchy Valley . Lake Vernon is located in Tiltill Valley , in the northern part of the Hetch Hetchy Valley north of Yosemite National Park . 0 +Emperor Ferdinand I played a role at the coronation ceremonies of Emperor Matthias in 1612 and the election of Johann Reinhard in 1619 . Johann Reinhard I played a role in the coronation of Emperor Matthias in 1612 and the election of Emperor Ferdinand in 1619 . 0 +A counterclockwise angle in one figure would correspond to a clockwise angle in the other . A counterclockwise angle in a figure would correspond to one clockwise angle in the other figure . 1 +A Kepler triangle is a golden triangle with edge lengths in geometric progression , whereby the ratio of the edges of a Kepler triangle is connected to the right ratio . A Kepler triangle is a right triangle with edge lengths in geometric progression . The ratio of the edges of a Kepler triangle is linked to the golden ratio 0 +Ken Royce ( 1920 -- 1997 ) was an English thriller writer , who also wrote under name Kenneth Royce Gandley , and the pseudonym Oliver Jacks . Kenneth Royce Gandley ( 1920 -- 1997 ) was an English thriller writer who also wrote under the name Ken Royce and the pseudonym Oliver Jacks . 0 +"The team founded in 1906 won the first American "" double "" when it took the National Association Football League and the American Cup title in 1912 ." "The team , founded in 1906 , took the first American "" double "" when in 1912 the National Association Football League and the American Cup won ." 0 +She is a specialist in West Indian landscape painting and the visual culture of British colonialism and of British slavery . She is a specialist for the British landscape painting and the visual culture of British colonialism and West Indian slavery . 0 +The track was acquired in 1997 450 and was renumbered the following year by the Punchbowl Bus Company . The route was renumbered 450 in 1997 and acquired by the Punchbowl Bus Company the following year . 0 +Of these , 2,088 ( 18.6 % ) lived in rural areas , and 9,112 ( 81.4 % ) were living in urban areas . Of these , 2,088 ( 18.6 % ) lived in rural areas and 9,112 ( 81.4 % ) in urban areas . 1 +"Ricci is known for publishing the original edition of the "" Codex Seraphinianus "" and some of Guido Crepax 's books ." "Guido Crepax is known for publishing the original edition of the "" Codex Seraphinianus "" and some books of Ricci ." 0 +Of the registered voters in the county there were 13,474 Republicans , 12,218 were Democrats , and 15,887 were not associated with any party . Of the registered voters in the county , 13,474 were Republicans , 12,218 were Democrats , and 15,887 were not affiliated with any party . 1 +William was deposed in 1776 by the revolutionary government of New Jersey and arrested at the Proprietary House at his home in Perth Amboy and temporarily imprisoned . Deposed in 1776 by the revolutionary government of Perth Amboy , William was arrested at his home in New Jersey , at the Proprietary House and imprisoned for a time . 0 +It was created in 2003 from parts of the Mississauga and Mississauga West -- Brampton West Ridings . It was established in 2003 from parts of Brampton West -- Mississauga and Mississauga West Ridings . 0 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola from Bogota and three grandchildren . He is survived by his children Jason Coppola of Brooklyn and Samantha Coppola from Bogota and three grandchildren . 0 +The fumarate hydratase gene , located on the long arm of chromosome 1 ( 1q42.3-43 ) , has 22 kilobases and spans 10 exons . The fumarate - hydratase - gene , located on the long arm of chromosome 1 ( 1q42.3-43 ) , stretches over 22 kilobases and has 10 exons . 0 +Most pre- 1976 series produced by CBS Films or distributed by Paramount Television were later distributed by Viacom and CBS . Most of the series produced by CBS films or distributed by Paramount Television before 1976 were later distributed by Viacom and CBS . 1 +Awwad was born in Jerusalem . He graduated from the Arab College in Salfit in 1947 . Awwad was born in Jerusalem and graduated in 1947 from the Arab College in Salfit . 1 +From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . From 1898 to 1902 , around 1,300 birds were imported from America and released from Northland to Southland in many parts of the North and South Islands . 0 +The 1955 Los Angeles State football team represented Los Angeles State Diablos during the 1955 college football season . The 1955 Los Angeles State Diablos football team represents Los Angeles State during the 1955 College Football season . 0 +From where you see a lot of parts of Kolkata , Rajarhat and New Town . From where you can see a lot of parts of New Town , Rajarhat and Kolkata . 1 +The Chief Justice was the Chief Justice of the High Commission Territories ( Basutoland , Bechuanaland Protectorate & Swaziland ) . From 1951 the Chief Justices were : The Chief Justice was the Chief Justice of the High Commission territories ( Swaziland , Bechuanaland Protectorate , Basutoland ) , and from 1951 onwards were Chief Justices : 1 +The team has played teams in recent years such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . The team has played teams like Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in recent years in 2011 . 1 +Produced by Oscar Hammerstein II , the show by Reginald Hammerstein ( the brother of Arthur Hammerstein ) was choreographed and led by Danny Dare . Produced by Arthur Hammerstein , the show was led by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and choreographed by Danny Dare . 0 +Richard Owen ( 1810 -- 1890 ) , Robert Owen 's youngest son , came to New Harmony in 1828 and taught there first the school . Richard Owen ( 1810 -- 1890 ) , Robert Owen 's youngest son , came to New Harmony in 1828 and initially taught school there . 1 +Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football trainer and former player . Hugo Santana Páez ( born September 5 , 1967 ) is a former football manager and Mexican player . 0 +He was commissioned on 14 October 1917 in West Medford First Lieutenant , and weeks later a married Fort Des Moines , Madeline Mabray Kountze . He was commissioned first lieutenant on October 14 , 1917 at West Medford , and weeks later married a Fort Des Moines native , Madeline Mabray Kountze . 1 +Cars were produced and tuned by Abarth . The cars were tuned by Abarth and produced . 0 +"For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." """ Futurama "" was also revived in 2007 by Comedy Central for similar reasons : high viewership in syndication as well as impressive DVD sales ." 0 +The Bijapur District was part of the Presidency of Bombay under the British Raj . Bombay Presidency was part of the Bijapur county under the British Raj . 0 +Indeed , the two terms are now also used in other parts of the country . Indeed , the two terms are now also being used in other parts of the country . 1 +In particular the ornamental iron fencework shows Eastlake influence in its medieval design . In particular , the medieval iron fence in its ornamental design shows Eastlake influence . 0 +The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . Construction of the new stadium were held for 4 years and on 21 August 1974 was inaugurated . 1 +The areas south of the governorate were defined by the Ottoman Empire , and the southern border was not controlled . The territories to the south of the governorate were controlled by the Ottoman Empire and the southern border was not defined . 0 +Separate lists are provided for the 61 listed properties and historic districts in Evanston and the more than 350 listed properties and districts in Chicago . Separate lists are provided for the 61 listed properties and historical districts in Evanston and the more than 350 listed properties and districts in Chicago . 1 +The Barmat Scandal was later used often in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . The Barmat scandal was later often used in the Nazi - propaganda , both as an electoral strategy and as an appeal to anti-Semitism . 1 +On September 29 , 1849 , Queen Victoria of Gloucester traveled by train to Swindon . On 29 September 1849 , Queen Victoria travelled by train from Swindon to Gloucester , 0 +Quinuabamba District is one of 4 districts in the Pomabamba Province of the Ancash Region in Peru . Quinuabamba District is one of four districts in Pomabamba province in the Ancash region of Peru . 1 +Suzuki Beane is a humorous book written by Sandra Scoppettone in 1961 and illustrated by Louise Fitzhugh . Suzuki Beane is a humorous book , written by Louise Fitzhugh in 1961 and illustrated by Sandra Scoppettone . 0 +The team has played teams like Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in recent years in 2011 . The team played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi - State , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . 1 +He was involved in a coup in late July 1647 and left London before he could be arrested in April 1648 . He was implicated in a coup in late July 1647 and , before he could be arrested in April 1648 , left London . 1 +Jeff of Exodus was announced as Gary Holt 's temporary replacement , in Slayer , on March 13 , to April 4 , 2011 . Gary Holt of Exodus was announced as a temporary replacement of Jeff in Slayer on 13 March to 4 April 2011 . 0 +In 1949 , he was admitted to the New York City Bar Association and began practice in New York . He was admitted to the New York City bar in 1949 and commenced practice in New York . 1 +After a two-year stint in New York City , Doss commenced his professional career in January 1986 as a member of the Metropolitan Opera in Chicago . After a two-year stint in Chicago , Doss began his career in January 1986 as a member of the Metropolitan Opera in New York City . 0 +In July 2013 , Lone Star comics sold three of their five remaining shops in Plano , Hurst and Mesquite . In July 2013 Lone Star Comics sold off three of their five remaining stores , in Mesquite , Hurst , and Plano . 1 +He was part of the Swedish team that won the silver medal in the gymnastics men 's team , Danish system event . He was part of the Danish team that won the silver medal in the gymnastics of the men , Swedish system event . 0 +He also met William Withey Gull , who led the Cholera Committee with William Baly . He also met William Baly , who led the Cholera Committee with William Withey Gull . 0 +Seymour , born December 15 , 1850 in Walkill , New York , came to Bayonne , New Jersey in the 1880s and was active in the Democratic Party politics . Born December 15 , 1850 in Walkill in upstate Bayonne , New Jersey , Seymour came to New York in the 1880s and became active in Democratic Party politics . 0 +"He appeared as George Tyrell in the disaster film "" Daylight "" 1996 and as Archie Mullen in the movie "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as Archie Mullen in the film "" Freedom Song "" ( 2000 ) ." 1 +Molla Mallory defeated Helen Wills 6 -- 1 , 6 -- 3 . Molla Mallory defeated Helen Wills 6 -- 1 , 6 - 3 . 1 +"Bowman grew up in Quincy , Massachusetts , and started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Boston ." "Bowman grew up in Boston and started his newspaper career in 1976 as a stringer for "" The Patriot Ledger "" in Quincy , Massachusetts ." 0 +This allowed Capcom to translate Lee 's basic expressions and use them to Wayne in the game . This allowed Capcom to use the basic expressions of Lee and translate them in the game to Wayne . 0 +The trip begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . The journey begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora Caves , Nashik and back . 0 +Then , in 1986 , he entered the star and left The Muslim . He then joined The Star in 1986 and left The Muslim . 1 +The Barmat scandal was later often used in Nazi propaganda as an electoral strategy and as an appeal to anti-Semitism . The Barmat scandal was subsequently used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism often . 0 +Herbert Hepburn Calvert was born on 30 December 1870 in London . He was the first son of journalist Thomas Calvert and his wife Grace ( née Hepburn ) . Herbert Hepburn Calvert was born on December 30 , 1870 in London and was the first son of the journalist Thomas Calvert and his wife Grace ( near Hepburn ) . 1 +Meanwhile , the official language ( for the same view ) in Portugal remained fully reintegrationist , and was carried by Portuguese explorers , soldiers , and colonists around the world . Meanwhile , the same language ( for the reintegrationist view ) remained fully official in Portugal and was carried across the world by Portuguese explorers , soldiers and colonists . 0 +"In 1830 , James turned over management of the "" Advertiser "" to John ." "In 1830 , James handed over the management of "" Advertiser to John ." 1 +The text of the Kanuni , often contested and with many different interpretations which only evolved since 15th century , was significantly named after Dukagjini . The Kanuni text , often controversial and with many different interpretations , which have evolved significantly since the 15th century , was named after Dukagjini only . 0 +Ashe was spoken in Japanese by Mie Sonozaki in English and by Kari Wahlgren . Ashe was voiced by Kari Wahlgren in English and by Mie Sonozaki in Japanese . 0 +Cedarbrae Mall is a shopping centre in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre located in the area of Toronto , Ontario , Canada of Scarborough on the corner of Markham Road and Lawrence Avenue East . 0 +Lars Elinderson , born in 1949 , is a Swedish politician of the Moderate Party . Born in 1949 , Lars Elinderson is a Swedish politician from the Moderate Party . 1 +Cankar was also famous for his papers , most of which were published between 1907 and 1913 , where he showed great championship and stylistic irony . Cankar was also famous for his essays , most of which were published between 1907 and 1913 , where he showed a stylistic championship and great irony . 0 +A smaller Van Cortlandt Park continues into Yonkers , north of Sedgwick Avenue and east of the Saw Mill River Parkway . A smaller Van Cortlandt Park continues to Yonkers , to the north of Sedgwick Avenue and east of Saw Mill River Parkway . 1 +For the finite Formula 135 is given the entropy of a fuzzy volume formula 33 by For finite formula _ 135 the entropy of a fuzzy set formula _ 33 is given by 1 +The Hyslop Farm was named after George Hyslop , who was hired by the founder of the Agronomy Department , Henry Scudder , when he opened the 1907 department . The Hyslop farm was named after George Hyslop , who was hired by Agronomy Department founder Henry Scudder when he opened the department in 1907 . 1 +A Kepler triangle is a right-angled triangle with edge lengths in geometric progression , whereby the ratio of the edges of a Kepler triangle is bound to the golden ratio . A Kepler triangle is a golden triangle with edge lengths in geometric progression . The ratio of the edges of a Kepler triangle is linked to the right ratio . 0 +Babbar Khalsa is listed as a terrorist organisation by the United States , the EU , Canada , India , and the United Kingdom . Babbar Khalsa is run as a terrorist organisation by the United States , the EU , Canada , India and the United Kingdom . 1 +In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A medicine in cleaned powder form . However , dried cactus can be bought and sold legally . 0 +It was composed by Sakamoto and written by Swedish singer-songwriter Frida Sundemo . It was composed by Sakamoto and written by Swedish singer Frida Sundemo . 1 +Mackenzie is a writer in the 2B Theatre in Montreal and teaches at the National Theatre School of Canada , Halifax . Mackenzie is a writer in the 2B Theatre in Halifax and teaches at the National Theatre School of Canada , Montreal . 0 +Finally , we say that a distribution is concave if formula _ 11 is regular . Finally , we say that if Formula 11 is regular , a distribution is concave . 1 +The 1988 season -- 89 National Basketball Association was the 43rd NBA season . The 1988 -- 89 NBA season was the 43rd season of the National Basketball Association . 1 +Suzuki Beane is a humor book written in 1961 by Sandra Scoppettone and illustrated by Louise Fitzhugh . Suzuki Beane is a humorous book written by Sandra Scoppettone in 1961 and illustrated by Louise Fitzhugh . 1 +In 2010 , she performed at the sixth annual Jewlicious Festival with Matisyahu , Moshav , Rav Shmuel , Electro Morocco , and Kosha Dillz . In 2010 she appeared at the sixth annual Jewlicious Festival alongside Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . 1 +Because there was a lack of evidence to prove that Jim was not killed in self-defense , Johnson was acquitted and had the right to return home . Because there was a lack of evidence to prove that Jim was not killed in self-defense , Johnson was acquitted and allowed to return home . 1 +After completing his university education at Cardiff University and in Harrogate , North Yorkshire , he worked in Rouen , France from 1996 to 1999 . After completing his university education at Cardiff University and Rouen , France , he was based in Harrogate , North Yorkshire , from 1996 to 1999 . 0 +Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and used some of the king 's high dignitaries . Therefore , on 25 February 1232 , Archbishop Robert of Esztergom placed the Kingdom of Hungary under an interdict and excommunicated some high dignitaries of the king . 0 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on January 17 , 1845 in Stuttgart ) . Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , died on January 17 , 1845 in Ludwigsburg ) . 0 +Kugler called his first Final Four replacing Harlan , with Raftery and Thompson on color commentary and Jim Gray as sideline reporter . Kugler called his first Final Four Harlan , with Raftery and Jim Gray on color commentary and Thompson as a secondary reporter . 0 +HESA , the Higher Education Statistics Agency , assigns students a unique number , many universities have their own system of students - numbering . Higher Education Statistics Agency , the HESA , assigns a unique number to students . Many universities have their own system of student numbering . 1 +It is now a recreation reserve managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . It is now a recreation area managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . 1 +In Delaware , the law applies only to minors under 16 and in South Carolina to minors under 17 . In Delaware the law only applies to minors under 16 , and in South Carolina to minors under 17 . 1 +He continued in this post also when Winston Churchill came to power in 1940 , and was then Postmaster General under Churchill between 1943 and 1945 . He also continued this post when Winston Churchill came to power in 1940 , and was Churchill 's general postmaster between 1943 and 1945 . 1 +Tide is the sixth album by Antônio Carlos Jobim , which was released on A 'M Records in 1970 and arranged by Deodato . Tide is the sixth album by Antônio Carlos Jobim , released in 1970 on A & M Records and arranged by Deodato . 1 +Elim is an airport located in Moses Point Airport , a city in the Nome Census Area of the U.S. state of Alaska . Moses Point Airport is an airport in Elim , a town in the Nome Census Area of the U.S. state of Alaska . 0 +Similarly , each node of a cluster has access to a large distributed shared memory in shared memory , in addition to the limited non-shared private storage of each node . Similarly , each node in a cluster has access to large shared memory in a distributed shared memory , in addition to the limited , unshared private memory of each node . 0 +Yanqing Prison is a prison in Yanqing County in the municipality of Beijing , China . The Yanqing Prison is a prison in Beijing in Yanqing County , China . 0 +Rich was initially unimpressed , but Owens liked it , and they recorded it with the Buckaroos on February 12 , 1963 . Initially , Owens was unimpressed , but Rich liked it , and they took it up on February 12 , 1963 with the Buckaroos . 0 +Following the Allied victory in May 1945 , the Soviets occupied Central and Eastern Europe , while strong US and Western allies remained in Western Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Western Europe , while strong US and Western allies remained in Eastern Europe . 0 +The PIN used to generate a PVV can be randomly generated or user selected or even derived using the IBM method . The PIN used to generate a PVV can be generated randomly or selected by the user or even derived by using the IBM method . 1 +In 2005 , Chen was appointed assistant to Toshiaki Imai , then manager of Chinese Taipei national team . In 2005 , Chen was assistant to Toshiaki Imai , then manager of the Chinese Taipei national team . 1 +Alexis Anders learns from her supervisor , Cholayna Ares , that a Terran agent , Magda Lorne , has survived a plane crash in the Hellers a week earlier . Alexis Anders learns from her supervisor , Cholayna Ares , that a Terran operative , Magda Lorne , has survived a plane crash in the Hellers a week earlier . 1 +Some quantum mechanical predictions of multi-system however - measurement statistics about narrow quantum states can not be simulated by any local Hidden variable theory . However , some quantum mechanical predictions of multi-system measurement statistics on entangled quantum states can not be simulated by any local hidden variable theory . 0 +The Football Federation of Armenia was established on 18 January 1992 and had relations with UEFA in 1992 and FIFA in 1993 . The Football Federation of Armenia was established on 18 January 1992 and had relations with FIFA in 1992 and UEFA in 1993 . 0 +"It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and was released on Bridge 9 Records in 2003 ." "It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" Format ) and re-released in 2003 on Bridge 9 Records ." 0 +Downstream - Limitations have a greater regulatory effect than restrictions on the immediate transaction . """ Downstream restrictions have a greater regulatory effect than do limitations on the immediate transaction ." 1 +Biodegradation of PDLA is higher than for PLA due to the slower crystallinity of PDLA . Due to the slower crystallinity of PDLA , the biodegradability of PDLA is higher than for PLA . 1 +Harald Edelstam distinguished himself as a diplomat by his professional competence , his bravery and his bourgeois courage in the fight for human rights . Harald Edelstam distinguished himself as diplomat by his professional competence , his bravery and his civic courage in the fight for Human Rights . 1 +In Bazou , you will be pleasantly surprised to appreciate the place of choice that occupies the immaterial heritage , and you will see . In Bazou you will be pleasantly surprised to see the place of choice that occupies the immaterial heritage that you will appreciate . 0 +The best-known version of the song was recorded by Dick Rowe and produced in 1953 by The Stargazers in England . The best-known version of the song was produced by Dick Rowe and recorded in 1953 in England by The Stargazers . 0 +There are essentially four types of databases : curated databases , inclusive databases , literature databases and predictive databases . There are essentially four kinds of databases : curated databases , predictive databases , literature databases and integrative databases . 1 +On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves manager Bobby Cox as manager of the team in 2011 . On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace long-time Braves manager Bobby Cox as manager of the team in 2011 . 1 +Pike , Wyoming County , New York is the name of two villages in New York : Pike , New York is the name of two locations in Wyoming County , New York : 0 +The station was built in 1915 by Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York stretch . The station was built in 1915 along the former Connecticut Valley Railroad line from New York , New Haven and Hartford Railroad . 0 +Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology in 2009 and honored with ISCB Fellow . Smith was elected the ISCB Senior Scientist Award and awarded ISCB Fellow in 2009 by the International Society for Computational Biology . 1 +During the live performances Oli Müller supported the band as a bassist , and Adi Amstutz left the band . Oli Müller supported the band as bassist in the live performances , and Adi Amstutz left the band . 1 +Lake Vernon is located in Tiltill Valley in the northern sector of Yosemite National Park north of the Hetch Hetchy Valley . Lake Vernon is situated in Tiltill Valley in the northern sector of the Hetch Hetchy Valley north of Yosemite National Park . 0 +In 2016 , a group of black students of Wiggins High School put a noose around a white student ’ s neck . In 2016 , a group of white students of the Wiggins High School laid a noose around a black student 's neck . 0 +"His role is played by Charles Fathy in the Oliver Stone film "" W. "" and in "" The Conquest "" by Bernard Le Coq ." "His role is played by Charles Fathy in Oliver Stone - Film "" W. "" and in "" The Conquest "" by Bernard Le Coq ." 1 +David Pizarro , Mirko Vučinić and Marco Cassetti , however , bought full property of Roma . However , Roma bought full ownership of David Pizarro , Mirko Vučinić and Marco Cassetti . 0 +William and Elizabeth died the following year in 1859 . In 1859 , Elizabeth died and William died the following year . 0 +According to the United States Census Bureau , Irvine has a total area of , of which is land and , or 5.13 % , is water . According to the United States Census Bureau , Irvine is a total surface area of which is land and , or 5.13 % , has water . 1 +The fifth season was premiered on September 15 , 2013 , and the sixth season was premiered on April 10 , 2014 . The sixth season premiered on September 15 , 2013 , with the fifth season premiered on April 10 , 2014 . 0 +Another memorable ruler was Max Franz ( founded in 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( ruled 1784 -- 1794 ) , who founded the university and the spa quarter of Bad Godesberg . 0 +In axillary copies the flowers are yellowish and appear in male groups . In male specimens , the flowers are yellowish and appear in axillary groups . 0 +The production was repeated in Amsterdam on 8 June 2011 and 8 July 2012 in Berlin . The production was repeated from 8 June , 2011 in Berlin and from 8 July , 2012 in Amsterdam . 0 +"In the United States , where the show is being broadcast , "" Caso Cerrado "" is produced exclusively by Telemundo ." "In the United States , where the show is produced , "" Caso Cerrado "" is broadcast exclusively by Telemundo ." 0 +In the later stages of the war , the Francoist troops reached the Andorran border . Francoist troops reached the Andorran border in the later stages of the war . 1 +Under Phil Testa , and later Nicky Scarfo , Frank served . Under Frank and later Nicky Scarfo , Phil Testa served . 0 +Riggs was born in Atlanta , Georgia , the son of Gina Ann ( née Carlton ) and William Riggs . He has a younger brother , Grayson . He was born in Atlanta , Georgia , the son of Gina Ann ( b. Carlton ) and William Riggs , and has a younger brother , Grayson . 1 +"He then met mechanic "" Gears "" Garvin , and then battled Baron Brimstone ." "Then he fought mechanic "" Gears "" Garvin and then met Baron Brimstone ." 0 +The 1966 Cleveland Browns season was the 17th season of the team with the National Football League . The season 1966 National Football League was the 17th season of the Cleveland Browns team . 0 +She died in Winnetka in 1954 ; memorial services were held at the Institute for Juvenile Research in Chicago . She died in 1954 in Winnetka , memorial services were held at the Institute for Youth Research in Chicago . 1 +Carl Smestad ( 8 May 1888 -- 29 June 1962 ) was a Norwegian industrialist , the son of Reidar Smestad and grandson of Jacob Olssøn Smestad . Carl Smestad ( May 8 , 1888 - June 29 , 1962 ) was a Norwegian industrialist , the son of Reidar Smestad and grandson of Jacob Olsson Smestad . 1 +Rockhampton was also the intersection of Central Western Line and the Emu Park Line . Emu Park was also the crossroads of Central Western Line and the Rockhampton line . 0 +The Skookum cat was developed from intersections between Munchkins and LaPerms with the aim of creating a short-legged cat with a catchy coat . The Skookum cat was developed from crosses between Munchkins and LaPerms with the aim of creating a short-legged cat with a curly coat . 1 +Barclays took over sponsorship of the Premier League from Barclaycard in 2004 . In 2004 , Barclaycard took over the sponsorship of Barclays ’ Premier League . 0 +According to the United States Census Bureau , Masontown is a total area of which there is a land area and 2.10 % of water . According to the United States Census Bureau , Masontown has a total area of which there is land and , or 2.10 % , is water . 1 +Hishon is the Anglicized form of Ó hOiseáin and finds an early reference among the allies of the MacNamara family in Co Clare in the early 14th century . Hishon is the anglicised form of Ó hOiseáin and finds an early reference amongst the Allies of the MacNamara family in Co Clare in the early 14th century . 1 +Paul McCallum caught a TD pass and Cory Rodgers had two field goals and a single for the Lions , who played their 900th CFL game since 1954 . Paul McCallum caught a TD pass and Cory Rodgers had two field goals and one for the Lions who passed their 900th CFL game since 1954 . 1 +Sinan ( also romanized as Sīnān ) is a village in the district of Azari , in the central district of Esfarayen , north - Khorasan - province , Iran . Sinan ( also Romanized as Sīnān ) is a village in Azari Rural District , in the Central District of Esfarayen County , North Khorasan Province , Iran . 1 +In 2007 , the merger of BPVN and Banco Popolare made BPI had 143 branches on the island , which next year was increased to 145 . In 2007 , the merger of BPVN and Banco Popolare made BPI had 143 branches in the island , which was increased to 145 in the next year . 1 +Taobao is a Chinese online shopping site similar to eBay , Amazon and Rakuten , which is operated by Alibaba Group in Hangzhou , Zhejiang . Taobao is a Chinese online shopping website similar to eBay , Amazon and Rakuten , which is operated in Hangzhou , Zhejiang by Alibaba Group . 1 +Lake Junaluska is named after nearby Mount Junaluska ( now North Eaglenest Mountain ) , which in turn was named after Chief Junaluska , a Cherokee leader . Lake Junaluska is named after the nearby Mount Junaluska ( now North Eaglenest Mountain ) , which was in turn named after Chief Junaluska , a Cherokee guidebook . 0 +Its base or round edge contains between its layers the free ligament and the paraumbilical veins . Its base or round edge contains between its layers the free band and the paraumbilical veins . 1 +Thomas was challenged in the Democratic primary by A.S. Mike Monroney in 1950 . Mike Monroney was challenged in 1950 by A.S. Thomas in the Democratic Prefix . 0 +The war began in 1341 , but the English continued the Montforts even after the peace of Bretigny . The war began in 1341 , but the English continued backing the Montforts even after the Peace of Brétigny . 0 +Tuckerton is located in the 2nd Congressional District and is part of the ninth state 's legislative district of New Jersey . Tuckerton is located in the 9th Congressional District and is part of the 2nd State Legislative District of New Jersey . 0 +The railway station was opened in 1865 and is located on the Paris - Bordeaux - Railway and Paris - Tours - Railway . The station was opened in 1865 and is located on the Paris -- Paris railway and Bordeaux -- Tours railway . 0 +Other nearby geographical features include Dorsa Barlow in the southeast and Rima Jansen to the south . Other nearby geographical features include Rima Jansen to the southeast and Dorsa Barlow to the south . 0 +With a strong start to the season and the new Arise Racing team , which brought new cars and great competition to the series , it brought three new races . With a strong start to the season and the new Arise Racing team bringing new cars and great competition to the series it brought 3 new races . 1 +Phil Philpott played Norman Nesbitt , a geeky man who believes he has been contacted by UFOs . Philpott played Norman Nesbitt , a geeky man who believes he has been contacted by UFOs . 1 +There are no bus stops in West Bridgewater , but there are stops in Bridgewater and the Campello section of Brockton . There are no stops in West Bridgewater , but there are stops in Bridgewater and the Campello section of Brockton . 1 +Beth writes to an author of several lesbian books she has read , Nina Spicer , in New York City , who writes her back . Nina Spicer writes to an author of several lesbian books she has been reading , Beth in New York City , who writes her back . 0 +In the semi-finals , the teams play teams first in the pools and the second place from the other pool . In the semi-finals the teams in first place in the pools play the second place teams from the other pool . 1 +The large area of black is shaded first with blue and then with green . The large area of black is shaded with green first and then with blue . 0 +"The "" rational operations "" are the addition and multiplication of formal series , together with iteration ." "The "" rational operations "" are the addition and multiplication of formal series , together with the iteration ." 1 +The promotion of research and innovation in Europe is being financially supported by the Horizon 2020 programme , which is also open to participation worldwide . Research and innovation in Europe is financially supported by the programme Horizon 2020 , which is also open to participation worldwide . 1 +"Dalarna County ( "" Mora kommun "" ) is a municipality in Mora Municipality in central Sweden ." Mora Kommun is a municipality in Mora municipality in central Sweden . 1 +By elevation , Wilmont is the highest incorporated community in Nobles County , and is the only place in America where Larry Lang 's onion rings are sold . Through the elevation Wilmont is the highest registered community in America , and is the only place in Nobles County where Larry Lang 's onion rings are sold . 0 +Lewis also was a member of Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguare , Cleveland Browns , and Virginia Destroyers . Lewis was also a member of the Cleveland Browns , Jacksonville Jaguars , Oakland Raiders , Seattle Seahawks , Detroit Lions and Virginia Destroyers . 1 +Doyle said the line Maryland -- Pennsylvania Mason -- Dixon is exact : Doyle said the Maryland -- Pennsylvania Mason -- Dixon line is exactly : 1 +The Skookum cat was developed from intersections between Munchkins and LaPerms with the aim of creating a lurid cat with a short coat . The Skookum cat was developed from intersections between Munchkins and LaPerms with the aim of creating a short-legged cat with a catchy coat . 0 +The current director of Sony Best is Ajay Gajjar , who is also a leading member of WPI . The foremost director of Sony Best is Ajay GAjjar who is also a current member of WPI . 0 +Deutsche Bahn opened a new underground tunnel to the new Filderstadt railway station on 29 September 2001 . On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new Filderstadt U-Bahn ( underground ) station . 0 +"Mary disapproves of the relationship with Christine until Del convinces that love knows no boundaries ( "" Our Kind of Love "" ) ." "Mary disapproves of the relationship with Del until Christine convinces her that love knows no boundaries ( "" Our Kind of Love "" ) ." 0 +In 2009 , Damien Ritter founded his own Funk Volume record label with Hopsin . In 2009 , Hopsin with Damien Ritter founded his own independent record label Funk Volume . 0 +The constituency , like its neighbour Scotland , was one of the safest seats of Labour in Dunfermline East . The constituency was like its neighbour , Dunfermline East , one of the safest seats in Scotland for Labour . 0 +The Urechioiu River is a tributary of the River Burduja in Romania . The Burduja River is a tributary of the River Urechioiu , Romania . 0 +His Othello was detained in 1964 with Ron Moody as Iago and in 1981 with Jay Robinson as Iago on video . His Othello was captured on record in 1964 with Ron Moody as Iago and on video in 1981 with Jay Robinson as Iago . 1 +A brunch forum with presidential candidates sponsored by Chris Wallace , originally intended to be housed by the New Hampshire Republican Party , was planned to be broadcast on Fox News . A brunch forum by Chris Wallace with presidential candidates , originally sponsored by the New Hampshire Republican Party , was planned to be broadcast at Fox News . 0 +Planet X is a bicycle company based in Rotherham , in the north of England . It was founded in 1990 by Dave Loughran from Sheffield . It is a bicycle company based in Sheffield in the North of England , founded in 1990 by Dave Loughran from Rotherham . 0 +He started his career in Paris for a year until he returned to Switzerland from 1971 to 1979 to work in gravure . Burki started his career in Switzerland for a year , until he returned to Paris to work in rotogravure from 1971 to 1979 . 0 +The shape of the audiogram categorizes abrupt high-frequency loss ( sensory phenotype ) or flat loss ( strial phenotype ) . The shape of the audiogram categorizes abrupt high-frequency loss ( sensorial phenotype ) or flat loss ( strial phenotype ) . 1 +"Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are rural and 91 urban :" "Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are urban and 91 are rural :" 0 +Russell married Elizabeth Spencer daughter of Sir William . Their son William Spencer became a baronet . Married Elizabeth Spencer , daughter of Sir William , became their son William Spencer Baronet . 0 +It is the harbour side end of York Street and runs parallel to Stirling Terrace for part of its route . It runs the harbour route of York Street and is parallel to Stirling Terrace for part of its end . 0 +Among the bugis dealers were also members of the aristocracy like Engku Karaeng Talibak , who married the daughter of Raja Ali Haji . Among the Bugis traders were also members of the nobility like Raja Ali Haji who married the daughter of Engku Karaeng Talibak . 0 +It is directed by Claude Lelouch and stars Patricia Kaas and French singer Jeremy Irons . It is addressed by Claude Lelouch and stars Jeremy Irons and French singer Patricia Kaas . 0 +Like many aspects of Islamic ivory this reflects the Byzantine traditions Islam inherited . Like many aspects of Islamic ivory , this reflects the Byzantine traditions that inherited Islam . 1 +"However , a rational curve "" is not "" one over the rational defined curve , but a curve which can be parameterized by rational functions ." "A rational curve "" is "" , however , not a curve parameterized over the rational , but a curve that can be defined by rational functions ." 0 +In its unhybridized form it is rare . It is unhybridized in its rare form . 0 +"Reid said , "" Warren Buffett said it all ." "said Reid : "" Warren Buffett said all ." 1 +"Murray Cantor , IBM Distinguished Engineer , wrote "" The signal and noise "" from Nate Silver is an excellent description of how the prediction works ." "Murray Cantor , IBM Distinguished Engineer , wrote "" Nate Silver 's "" The Signal and Noise "" is an excellent description of how prediction works ." 0 +In 1976 , Peraza Miss was Venezuela , but she married on May 24 , 1976 , because she resigned two days after her crowning . Peraza was Miss Venezuela 1976 , but she resigned on May 24 , 1976 , because she married two days after her coronation . 0 +Most of the eastern half of the city is relatively rural , while the western part of the city is more urbanized ( roughly Woodbury Point east ) . Much of the western half of the city is relatively urbanized , while the eastern part of the city ( roughly from Woodbury Point east ) is more rural . 0 +A fundamental domain for the modular group formula 22 is given A fundamental domain for the modular group formula _ 22 is given by 1 +"His role in "" The Mechanic "" was positively revived by the critics both in the United States and the United Kingdom ." "His role in "" The Mechanic "" was positively revived by critics in both the United Kingdom and the United States ." 1 +With the linear Formula 26 where Formula 14 is a solution of the ODE above . By the above formula _ 26 where formula _ 14 is a solution of the linear ODE 0 +She died in 1954 in Winnetka , memorial services were held at the Institute for Youth Research in Chicago . She died in Chicago in 1954 ; memorial services were held at the Institute for Juvenile Research in Winnetka . 0 +It was known for most of its time next to the Grand Prairie Armed Forces reserve complex , now known as Naval Air Station Dallas . It was located for most of its time next to Grand Prairie Armed Forces Reserve Complex , now known as the Naval Air Station Dallas . 1 +He has previously played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Chesterfield , Northampton Town , Lincoln City and Gateshead . He formerly played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Chesterfield , Northampton Town , Lincoln City and Gateshead . 1 +Kesova Gora is connected by local roads with Bezhetsk and Kashin . There are also paved roads . Kesova Gora is connected by local roads with Bezhetsk and Kashin , and there are also paved roads . 1 +In this way , it was possible to record literally dozens of separate tracks and combine them into finished recordings of great complexity . In this way it was possible to literally record dozens of separate tracks and combine them into finished recordings with great complexity . 1 +""" Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from the described material of Mount Rainier National Park , is a synonym ." """ Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the Mount Rainier National Park material in 1950 , is a synonym ." 0 +Our theories can not be both dogmatically held , scientific constructs , and be vitalistic at the same time . Our theories can not be both dogmatic scientific constructs and at the same time be vitalistic . 1 +When his family from Italy , Rodolpho and Marco , live illegally and begin to migrate with him , the small world that he operates in is disrupted . When his family from Italy , Rodolpho and Marco , begin to live and migrate with him illegally , the small world in which he operates is destroyed . 1 +Sultanpur is located from Dhaula Kuan in Delhi and from Gurgaon on the Gurgaon -- Farrukhnagar Road . Gurgaon is located from Gurgaon in Delhi and Sultanpur on the Dhaula Kuan - Farrukhnagar Road . 0 +Touche was the first son of the third baronet of the 1920 's Creation . Touche was the first son of the third Baronet of the 1920 creation . 1 +Stereoelectronic interactions are useful among other things for conformation analysis and chalcogen effects . Chalcogen interactions are useful for conformational analysis and stereoelectronic effects , among other things . 0 +The tournament was hosted again in 2006 in San Francisco , where it was resumed for two years . The tournament was resumed in San Francisco in 2006 , where it was organized for two years . 0 +In 1962 , for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker , further restoration was carried out . Further restoration was carried out in 1962 for John Bradburne , who had earlier appointed the poet and mystic William Cardinal Godfrey to be caretaker . 0 +Gregoria Ortega is a religious activist and Mexican – American sister . Gregoria Ortega is a religious activist and Mexican American sister . 1 +On October 31 , 2012 , Watson Actavis took the name Actavis and acquired it . On 31 October 2012 , Watson acquired Actavis and took the Actavis name . 0 +In 1908 , Galen died Seaman and the newspaper was bought by Jolley . In 1908 , Galen Seaman died and the newspaper was bought by Jolley . 0 +Dracco Company Ltd. with Apex Marketing then created the basic version of the game and established the online universe of Chaotic . With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the basic universe from Chaotic . 0 +On April 2 , 2011 Jenkins married Ivy Vujic . Ivy Vujic married Jenkins on 2 April 2011 . 1 +The reactor will have an output of 1500 MWth of electrical power and 600 MW thermal power . The reactor will have an output of 1500 MWth electric power and 600 MW thermal power . 1 +You have two sons and one daughter , Alex , Jake and Andy . They have two sons and one daughter , Alex , Jake , and Andy . 0 +After the constitution of the United States was adopted in 1789 , the Bill of Rights of the United States was ratified in 1791 . After the constitution of the United States was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . 0 +Mode 9 was born on June 14 , 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . Fashion 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origin . 0 +"Between these two cities , the road ( unlike the old asphalt road ) followed the route of the current path of "" Bougas "" ." "In between these two cities the road ( unlike the current asphalt road ) followed the route of the old path of "" Bougas "" ." 0 +However , after Carnot 's resignation and replacement by Alfred de Falloux , the commission was dissolved . However , the Commission was dissolved after Carnot 's resignation and the replacement by Alfred de Falloux . 1 +James Wyatt ( 3 August 1746 -- 4 September 1813 ) was an English architect , a rival of Robert Adam in the neoclassical style and neo-Gothic style . James Wyatt ( August 3 , 1746 - September 4 , 1813 ) was an English architect , a rival of Robert Adam in the neo-Gothic style and neoclassical style . 1 +The Arlington County Washington Boulevard replaced the line between Bluemont Junction Trail and Bluemont Junction . The Bluemont Junction Trail in Arlington County replaced the line between Washington Boulevard and Bluemont Junction . 0 +In other cases , hydatidiforme moles are tetraploid ( four chromosome sets ) or have rare chromosome abnormalities . In rare cases , hydatidiform moles are tetraploid ( four chromosome sets ) or have other chromosome abnormalities . 0 +"The "" longitudinal "" derivative in the Laplacian can further be reduced by considering only functions of the form" "The "" longitudinal "" derivation in Laplacian can be further reduced by only considering functions of the form ." 1 +Billingsgate Island , also sometimes known as Bellingsgate Island , was an island off Cape Cod in Massachusetts in the United States . Billingsgate Island , also known as Bellingsgate Island , was an island off Cape Cod in Massachusetts in the United States . 1 +With Apex Marketing , Dracco Company Ltd. created the basic version of the game and established the online universe of Chaotic . With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the basic universe from Chaotic . 0 +Equatorial Africa is an ambiguous term that sometimes is used to refer to tropical Africa , or the equatorial region of Sub-Saharan Africa traversed by the equator . Equatorial Africa is an ambiguous term that is sometimes used to refer to tropical sub-Saharan Africa or the equatorial region of Africa crossed by the equator . 0 +She was scrapped and sold on 19 July 1973 . She was sold on 19 July 1973 and scrapped . 0 +The logo is similar to that of the Florida Panthers of the NHL . The Bearcats ' old jersey is that of the Buffalo Sabres from 1996/97-2005/06 . The logo is similar to that of the Florida Panthers of the NHL , the old jersey of the Bearcats is that of Buffalo Sabres from 1996 / 97-2005 / 06 . 1 +Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in Texas House of Representatives since January 2013 . Since January 2013 , Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives . 0 +"Scientific research is most often not the "" main "" goal for many amateur astronomers , unlike professional astronomers ." "For many amateur astronomers , unlike professional astronomers , scientific research is usually not the "" main goal "" ." 1 +He lost to Joey DeJohn , but Vinnie Rossano stopped in five laps . He lost to Vinnie Rossano but stopped Joey DeJohn in five rounds . 0 +Kenneth Koch studied writing with Ceravolo at the New School for Social Research . Ceravolo studied with the New School for Social Research at Kenneth Koch Schrift . 0 +The song was written by Bryan Adams and was already recorded in 1999 by Melanie C . The song was written by Melanie C and was already recorded in 1999 by Bryan Adams . 0 +The album was recorded and mixed at the Seawolf Studios in early 1999 by singer Peter James Goodman and guitarist Heikki Warma . The album was recorded and mixed at Seawolf Studios by vocalist , Heikki Warma , and guitarist , Peter James Goodman in early 1999 . 0 +Dighton is located in the fifth Bristol State representative district , including Somerset and parts of Swansea and Taunton . Dighton is located in the fifth Bristol State representative district , which includes Swansea and parts of the Somerset and Taunton regions . 0 +Margarita Isabel ( born Margarita Isabel Morales y González ; 25 July 1941 -- 9 April 2017 ) was a Mexican Ariel Award-winning film and television actress . Margarita Isabel Morales y González ( born Margarita Isabel , July 25 , 1941 -- April 9 , 2017 ) was an Ariel Award-winning Mexican film and television actress . 1 +The third segment was built in 1929 , and the second segment through Peters Corners was completed in 1930 . The second segment was built in 1929 , the third segment was completed in 1930 by Peters Corners . 0 +If the user changes the password to the original password , EFS - encrypted files can be restored . If the user changes the password back to the original password , EFS encrypted files can be recovered . 1 +This was the first full season in MLS for the Philadelphia and the 4th year under manager John Hackworth . This was the first full season in the MLS for the Philadelphia and the 4th year under the manager John Hackworth . 1 +In 2015 , Richard Branson offered Stephen Hawking a seat for free in the spaceship Virgin Galactic . In 2015 , Richard Branson offered Stephen Hawking a seat on the Virgin Galactic spaceship for free . 1 +In 1968 , Cain married Vera Nell Washington , with a son , Brian Earl Cain , and a grandson , Brian Earl Cain , Jr . Cain married Vera Nell Washington in 1968 . He has a son , Brian Earl Cain , and a grandson , Brian Earl Cain , Jr . 1 +He was a member of the General Council of the Jura for the Canton of Beaufort , then in 1877 a municipal councilor . He was a member of the general council of Jura for the canton of Beaufort , then municipal councilor in 1877 . 1 +Born in Chicago , Illinois , in an Irish-American family , his father Michael emigrated from Ireland to Newport . Chambers was born in Chicago , Illinois , to an Irish-American family . His father Michael emigrated from Ireland in Newport . 1 +The river Kabul is a tributary of the Swat River , part of the Indus River . The Swat River is a tributary of the Kabul River , part of the Indus River basin . 0 +They meet up with Quinito Castañeda ( Danny ) and his friend , Joross Gamboa ( Rafael Rosell ) who take them to a beach resort in Cavite . They meet Quinito Castañeda ( Rafael Rosell ) and his friend Danny ( Joross Gamboa ) , who brings them to a beach resort in Cavite . 0 +If maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . When toxic concentrations are reached , there may be a delay of one or two days before maximum toxicity occurs . 0 +The Gill family closed the mill in 1968 and sold it to its new owners in 1980 . The Gill family sold the mill in 1968 and was closed in 1980 by the new owners . 0 +Players can visit Las Vegas to increase their nickel production and store their coins at the Cool World Bank . Players can visit Las Vegas to store their nickel stash and increase their coins at the Cool World bank . 0 +In 2011 , Trevor Hunter was not the director as he was director at Belmont City College and was replaced by Geraldine Hardy in 2012 . In 2011 , Geraldine Hardy was not the director as he was director at Belmont City College and was replaced by Trevor Hunter in 2012 . 0 +Giulia Grisi was the cousin of the famous soprano singer , the sisters Giuditta and Carlotta Grisi . Giulia Grisi was the cousin of the famous soprano singers , the sisters Giuditta and Carlotta Grisi . 1 +This game was released in Japan on February 18 , 2010 , North America on February 23 , 2010 and Europe on March 26 , 2010 . This game was released in Japan on 18 February 2010 , North America on 23 February 2010 and Europe on 26 March 2010 . 1 +Pennsylvania Route 363 begins at Lansdale 63 on the western edge of PA and heads southwest on Valley Forge Road . The Pennsylvania Route 363 begins at the Lansdale 63 on the western edge of PA and leads southwest on Valley Forge Road . 1 +In addition , there are many other Malay dialects that are spoken by indigenous communities such as Dayak and Iban . In addition , there are many other Malay dialects spoken by indigenous communities , such as Dayak and Iban . 1 +The festival 's main partners are UBS , Manor , Heineken , Vaudoise Assurances and Parmigiani Fleurier . Main partners of the Festival are UBS , Manor , Heineken , Vaudoise Assurances and Parmigiani Fleurier . 1 +Pre-modern ( 18th-century ) elements often are the Japanese pronunciation of their Korean equivalents , e.g . Pre-modern ( 18th-century ) elements are often the Korean pronunciation of their Japanese equivalents , e.g . 0 +"All songs written by Graham Russell , except for "" A Place Where We Belong "" by Alejandro Lerner ." "All songs written by Alejandro Lerner , except "" A Place Where We Belong "" co-written by Graham Russell ." 0 +Moore was born in Topeka , Kansas , and grew up in Memphis , Tennessee , where , in his youth , he sang ballads and spirituals . Moore was born in Memphis , Tennessee and grew up in Topeka , Kansas , where , in his youth , he sang ballads and spirituals . 0 +In white wines , a lower pH ( higher acidity ) causes the phenolic resins to darken in the wine and eventually polymerize as brown deposits . In white wines , a higher pH ( lower acidity ) causes the phenolic resins to darken in the wine and eventually polymerize as brown deposits . 0 +The wingspan is . The moth flies from July to August depending on the location . The wingspan is located , the moth flies from July to August depending on the location . 1 +They came from Poland to Russia in the eighteenth century , and their language includes Polish , German and Russian words . They came to Russia from Poland in the 18th century , and their language contains Russian , German and Polish words . 1 +The Chabot Museum is located in the Museumpark in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . The Chabot Museum is located at the Museumpark in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . 1 +While osteopathic medicine has followed the development of society , allopathic medicine is a recent development . While osteopathic medicine has followed the development of society , allopathic medicine is a more recent development . 1 +Paulus was an assistant to Bruno Simma in the case of LaGrand . Paulus was an assistant to Bruno Simma in the LaGrand case . 1 +The Cornell Big Red have won 649 games during the 2017 season , 529 games bound and 33 regular season games lost . The Cornell Big Red have won 649 games during the 2017 season , 529 games lost and 33 regular season games bound . 0 +Examples of ceramics include white porcelain or white porcelain decorated with cobalt , copper blue underglaze , red underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain , which is decorated with cobalt , copper red underglaze , blue underglaze and iron underglaze . 0 +There are three secondary schools in Caringbah and a number of elementary schools . There are three secondary schools and a number of primary schools in Caringbah . 1 +"The name "" Macaire "" seems to have several claims of origin : it was a male name and is currently considered a male or female name ." "The name "" Macaire "" seems to have several claims of origin : it was a male or female name and is currently considered a male name ." 0 +"On August 31 , 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." "Wollstonecraft arrived in Grenada on board the ship "" Sydney "" on 31 August 1819 ." 0 +"It was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" , in which Mariko Wolverine 's primary romantic interest , girlfriend and lover is ." "She was portrayed by Mariko in the 2013 film "" The Wolverine "" in which Tao Okamoto is Wolverine 's primary romantic interest , girlfriend , and lover ." 0 +In 2013 the domestic branches of the bank in Austria were renamed to Anadi Financial Holdings , and sold to Austrian Anadi Bank . In 2013 , the Bank ’ s domestic branches in Austria were renamed Anadi Financial Holdings and sold to the Austrian Anadi Bank . 1 +The next day Finn Malmgren was rescued , the body of Mariano and Zappi was not found . The next day Mariano and Zappi were saved , the body of Finn Malmgren was not found . 0 +At the end of the 18th century the castle was property of the Counts Ansidei , in the 19th century it was bought by the Piceller family . At the end of the 19th century the castle was property of Counts Ansidei ; in the 18th century it was bought by the Piceller family . 0 +The logo is similar to that of the NHL Buffalo Sabres , the jersey of the Bearcats is that of the Florida Panthers from 1996 / 97-2005 / 06 . The logo is similar to that of the Florida Panthers of the NHL . The Bearcats ' old jersey is that of the Buffalo Sabres from 1996/97-2005/06 . 0 +Nick Rotteveel ( born January 6 , 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . Nicky Romero ( born January 6 , 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . 0 +On 22 September 1904 he joined Bishop Charles and returned to Béni Abbès on 24 January 1905 . On 22 September 1904 he joined Bishop Guerin and returned on 24 January 1905 to Béni Abbès . 0 +The tower house , expanded in the 9th and 10th centuries , was built in the Middle Ages into a castle . The tower house , built in the 9th and 10th centuries , was expanded into a castle in the Middle Ages . 0 +He reached his milestone 1500th NHL game on January 23 , 2016 , when the Tampa Bay Lightning visited the Florida Panthers . He reached his milestone 1500th NHL game on January 23rd 2016 when the Tampa Bay Lightning visited the Florida Panthers . 1 +He is also well singing in other regional forms such as Bhajans , Ghazals , Nazrulgeeti and numerous semi-classical songs . He is also skilled in singing other regional forms like Bhajans , Ghazals , Nazrulgeeti and numerous semi-classical songs as well . 1 +SHS also has teams that compete in Archery and Bowling which are not IHSAA sponsored , but sanctioned by their organizations . SHS also has teams that compete in archery and bowling , which are not sponsored by IHSAA , but sanctioned by their organisations . 1 +The venue has two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1100 people ) . The venue has two stages , a small stage ( capacity 300 people ) and a main stage ( capacity 1,100 people ) . 0 +According to the United States Census Bureau , Masontown is a total area of which is land and 2.10 % water . According to the United States Census Bureau , Masontown has a total area of which there is land and , or 2.10 % , is water . 1 +The Sadrist movement left the Alliance before the December 2005 elections , which also brought the Iraqi National Congress firmly to the Alliance . The Sadrist Movement left the alliance prior to the December 2005 elections , which also brought the Iraqi National Congress more firmly into the Alliance . 1 +64 Democrats and 64 Whigs were elected to the New York State Assembly of the 73rd New York State Legislature . In the New York State legislature of the 73rd New York State Assembly , 64 democrats and 64 whigs were elected . 0 +In the evening , finally a bowl came with a small soup with a thin piece of bread . Finally , in the evening , came a bowl of small soup with a thin piece of bread . 1 +Sara Varga ( born 14 April 1982 ) , known professionally as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author , and DJ . Sara Varga ( born 14 April 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author and DJ . 1 +Byron Township changed his name to Byron Township on December 28 , 1850 , in order to avoid confusion with Dunham Township and honor a resident , Solomon J. Dunham . On December 28 , 1850 , the city of Dunham Township changed from Byron Township to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . 0 +In 2007 , the merger of BPVN and BPI made Banco Popolare had 143 branches in the island , which was increased to 145 in the next year . In 2007 , the merger of BPVN and Banco Popolare made BPI had 143 branches on the island , which was increased next year to 145 . 0 +These canons were later approved in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . These canons were rejected later in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . 0 +The affine scaling direction can be used to define a heuristic to adaptively choose the centering parameter as The affine scaling direction can be used to define a heuristic to adaptively the centering parameter as : 1 +Pennsauken Township is located in the 6th Congressional District and is part of the 1st State Legislative District of New Jersey . Pennsauken Township is located in the 1st Congressional District and is part of the sixth state of New Jersey 's Legislative District . 0 +"In 1966 , Soupy Sales released a song called "" Backwards Alphabet "" , which contained the lyrical alphabet in reverse style ." "Comedian Soupy Sales released a song called "" Backward 's Alphabet "" in 1966 , which contained the reverse alphabet in lyrical style ." 0 +Mitch Clarke opposed Iaquinta on 24 May 2014 at UFC 173 . Mitch Clarke faced Iaquinta at UFC 173 on May 24 , 2014 . 1 +Charles Sutcliffe , the Beatles ’ biographer , wrote that Philip Norman was a strong drinker and physically cruel to his wife , which the young Sutcliffe had experienced . Philip Norman , the biographer of the Beatles , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had watched . 0 +The sender of an original message shared the decoding technique needed to recover the encrypted information only with intended recipients , thereby preventing unwanted persons from doing the same thing . The originator of an encrypted message shared the decoding technique needed to recover the original information only with intended recipients , thereby precluding unwanted persons from doing the same . 0 +His participation in Thailand ended 2002 years ago and the tournament has now moved to Uzbekistan in Asia . His involvement in Uzbekistan ended in 2002 years ago and the Tournament has now moved to Thailand in Asia . 0 +He was also suspected of having linked to death a Russian dancer , Anya Sosoyeva , as well as attacking the young actress Delia Bogard , who survived . He was also suspected of having bludgeoned to death a young dancer , Anya Sosoyeva , as well as having assaulted the Russian actress Delia Bogard , who survived . 0 +Armand Alexander de Castagny was lieutenant at the French siege of Antwerp in 1832 and later served in Algiers . As a lieutenant , Armand Alexander de Castagny was at the French siege of Algiers in 1832 . He later served in Antwerp . 0 +North of Tioga it receives Crooked Creek from the west , then crosses into Steuben County , New York , near Lawrenceville , Pennsylvania . North of Tioga , it receives Crooked Creek from the West , then in Steuben County , New York , near Lawrenceville , Pennsylvania . 1 +He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddgang hills and then came to Gubbi . Followed his guru and came to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he moved to Gubbi . 0 +"It was also broadcast by TV9 before their produced their own news programmes "" Berita TV9 "" respectively ." "It was also produced by TV9 before they broadcast their own Berita TV9 "" news programmes ." 0 +Jean Ken 's parents are Jean and Steve DeBauche of Suamico , WI and has two younger brothers , Brad and Brent DeBauche . The parents of Steve Steve DeBauche are Jean and Brent DeBauche from Suamico , WI and has two younger brothers , Brad and Ken . 0 +In 1941 , Armand L. Jeanne Ruth Stuber was married . In 1941 , Armand L. Jeanne married Ruth Stuber . 1 +Often these plots were large ; so , a one-storey bungalow was quite practical , particularly for retired people . Often these plots were retired , so that a one-storey bungalow , especially for large people , was quite practical . 0 +The popular series follows a unique group of craftsmen from the West Virginia . The unique series follows a popular group of the West Virginia craftsmen . 0 +Dr. John Forrest , a U.S. Air Force orthopedic surgeon , was instrumental in preventing the amputation of Irwin 's leg . Dr. Irwin , an orthopedic surgeon of the U.S. Air Force , was instrumental in preventing the amputation of John Forrest 's leg . 0 +Following the closure of Hollywood Park , the race moved to Santa Anita Park in 2014 . Following the closure of Hollywood Park , the race was moved to Santa Anita Park in 2014 . 1 +And she also meets Sting where she sings and even kisses him . She also sings Sting , where she meets and even kisses . 0 +Marion Byron married film actress and comedian Lou Breslow in 1932 and remained married until her death in 1985 . In 1932 , Marion Byron married the film actress and comedian Lou Breslow and remained married until her death in 1985 . 1 +Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica as Clemencia Montealegre Carazo and Roy Elwood Cohn . Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . 0 +After all , the global stiffness matrix is constructed by adding together the individual expanded element matrices . Finally , the global rigidity matrix is expanded by adding together the individual constructed element matrices . 0 +The Nile was the last candidate excluded after the distribution of votes to the 77th Count and was not elected to the Senate . Nile was the 77th candidate excluded after the distribution of votes on the last count , and was not elected to the Senate . 0 +Born as Doris Miles in Fredericksburg , Virginia , she married George J. Disney in 1936 and died in Glastonbury , Connecticut . She was born in 1936 in Glastonbury , Connecticut , and married George J. Disney , died in Fredericksburg , Virginia . 0 +A road was built by the government from Rotorua to Ruatahuna in 1901 to end the isolation of Tūhoe by opening up the first motor road . A road was built by the government in 1901 from Ruatahuna to Rotorua to end the isolation of Tūhoe by opening the first motorway . 0 +Cranoe is a small village and civil community in the Harborough Leicestershire district of England . Cranoe is a small village and civil parish in the Harborough district of Leicestershire , England . 1 +The hall was the venue of the state funeral of Official Leader of the federal Opposition and NDP leader Jack Layton on August 27 , 2011 . The hall was the site of the state funeral of the official leader of the federal opposition and NDP leader Jack Layton on August 27 , 2011 . 1 +Sam has a much younger brother named Hank Bennett who is not much older than Sam 's eldest son . Sam has a much younger brother named Hank Bennett , who is not much older than Sam ’ s eldest son . 1 +Silesian Museum is a museum in the city of Katowice , Poland . Katowice , Poland is a museum in the city of Silesia Museum . 0 +The river Bazga is a tributary of the Bohotin River in Romania . The river Bohotin is a tributary of the Bazga River in Romania . 0 +In 1938 Germany , under pressure from Japan , ended its support for China and Falkenhausen was forced to withdraw from China . Germany ended its support for China in 1938 , under pressure from Japan , and Falkenhausen had to withdraw from China . 1 +This half-hour series was broadcast on Sundays at 3 : 00 p.m. ( North American Eastern time ) from 22 May to 10 July 1966 . This half-hour series was broadcast from 22 May to 10 July 1966 on Sundays at 3 p.m. ( East North American Time ) . 1 +"In 2015 Spencer Barnett produced Jenkins 's EP "" 13 Summers In . """ "In 2015 , Spencer produced Barnett Jenkins ' apos ; EP "" 13 Summers In "" ." 0 +""" Holocaust "" , created in November 1984 in the Lincoln Park , was dedicated by the sculptor George Segal ." """ Holocaust "" , inaugurated in Lincoln Park in November 1984 , was created by the sculptor George Segal ." 0 +Michael Bishop is a pseudonym used for mystery novels written by Paul Di Filippo with Philip Lawson . Michael Bishop is a pseudonym for mystery novels by Paul Di Filippo written by Philip Lawson . 1 +Wayne Bennett took over from Chris Anderson as coach of the team in March 1999 . In March 1999 , Chris Wayne took over Bennett as a coach of the team Chris Anderson . 0 +Suman Chatterjee recorded several albums between 1992 and 1999 under the name of Suman Chattopaddhyay or Kabir Suman . Kabir Suman , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Suman Chatterjee . 0 +In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in 2012 in Frankfurt . In February 2007 Barbara Fischinger performed on the original Lumigraph in Frankfurt , and in 2012 in Amsterdam . 0 +There was only one scholar , however , and Li published two or three articles more than Qian , so Qian was preferred . However , there was only one scholarship awardee and Qian published two or three more articles than Li , so Qian was preferred . 0 +They can often be heard long before they are seen . They can be heard often long before they are seen . 1 +Lucius Caecilius Metellus Diadematus was the second son of the Roman politician and General Quintus Caecilius Metellus Macedonicus . Quintus Caecilius Metellus Macedonicus was the second son of Roman politician and general Lucius Caecilius Metellus Diadematus . 0 +Of these , 2,088 ( 18.6 % ) lived in rural areas and 9,112 ( 81.4 % ) in urban areas . Of these , 2,088 ( 18.6 % ) lived in urban areas , and 9,112 ( 81.4 % ) lived in rural areas . 0 +After a brief conversation , Hardy made it clear to Peter Bavasi that Mattick would not be fired in this way . After a short conversation , Hardy Peter Bavasi made it clear that Mattick would not be fired in this way . 0 +Celestia implores Twilight and her friends to recover the Elements of Harmony to stop Chrysalis . Celestia flees Twilight and her friends to recover the elements of harmony to stop Chrysalis . 1 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Mercer County with parts of the Lackawannock Township at Lawrence County . Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Mercer County with parts of Lackawannock Township in Lawrence County . 1 +In 2006 , after the death of Paul Britton in December 2005 , David Neale was appointed Chief Executive . Following the death of David Neale in December 2005 , Paul Britton was named Chief Executive . 0 +Mike Hart ( also known as Mike Harthcock ) is an American poker player from Winter Haven , Florida . Mike Harthcock ( also known as Mike Hart ) is an American poker poker player from Winter Haven , Florida . 1 +Founded in 1899 by George Dewey , the town was named after Admiral Jacob A. Bartles . Founded in 1899 by Jacob A. Bartles , the town was named after Admiral George Dewey . 0 +Mohammad Hariri is currently President of the Board of Directors , and Abdullah Orkun KAYA is CEO of the TTNET . Currently , Abdullah Orkun KAYA is Chairman of the Board of Directors and Mohammad Hariri is the CEO of the TTNET . 0 +"In January 2014 , "" Point Blank 1.5 "" was published in Singapore and Malaysia , published by Garena ." """ Point Blank 1.5 "" was released in Singapore and Malaysia in January 2014 , published by Garena ." 0 +The port of Suppāraka is either the modern Sopara near Bhārukacha or the modern Bharuch or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . The port of Suppāraka is either modern Sopara near Bharukaccha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bharukaccha . 0 +Another Marston company product line started in 1931 , with marine outboard engines first known as Marston Seagull , later marketed as British Seagull . Another Marston Company product line began in 1931 , with Marine - outboard engines initially known as Marston Seagull , later marketed as British Seagull . 1 +The 1981 Purdue University football team represented Purdue Boilermakers during the football season of the Big Ten conference in 1981 . The Purdue Boilermakers football team from 1981 represented Purdue University during the Big Ten Conference 's football season in 1981 . 0 +Produced by Arthur Hammerstein the show was directed by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and was choreographed by Danny Dare . Produced by Arthur Hammerstein , the show was led by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and choreographed by Danny Dare . 1 +Specific light wavelengths contained in the observed light from stars can be separated out and related to the quantized transitions in free gas atoms . Specific light wavelengths contained in the quantized light from stars can be separated and referred to the observed transitions in free gas atoms . 0 +It comes in standard black worldwide , although a white version has only been released in Japan . It only comes in standard black , although a white version has been released worldwide in Japan . 0 +For 1934 , the body was redesignated and redesigned again as 452D and 452E in 1935 . For 1934 , the body was redesigned again and denoted as 452D , and as 452E in 1935 . 0 +""" Oliver Twist , "" published in 1838 , was one of Dickens 's better known stories , and became the first Victorian novel with a child protagonist ." """ Oliver Twist "" , published in 1838 , became one of Dickens ' better known stories and was the first Victorian novel with a child protagonist ." 1 +"The perfect is created by adding the "" mi- "" prefix to the perfect continuous ." "The perfect is made by adding the prefix "" mi- "" to the perfect continuous ." 1 +He joined Janata Dal ( United ) and left the Bharatiya Janata Party in February 2008 . He left the Janata Dal ( United ) and entered the Bharatiya Janata Party in February of 2008 . 0 +Cooper built a motorcycle company which was in Mexico off-road motorcycles . Cooper Cooper was a motorcycle company that built off-road motorcycles in Mexico . 0 +In a universal legend Vikramaditya has 32 marks on his body , a characteristic of medieval Tamil emperors . In a universal legend , Vikramaditya has 32 marks on his body , a property of the medieval Tamil emperors . 1 +The PidariAmman Temple in Vavvaneri is located nearer to the hamlet . The main idol is PidariAmman with a small MariAmman idol placed in the same chamber . The PidariAmman temple in Vavvaneri is situated closer to the hamlet , the same idol is PidariAmman with a small MariAmman idol placed in the main chamber . 0 +He also won popularity by replacing Archie Kao and Adam Rodriguez . He gained popularity also by replacing Archie Kao and Adam Rodriguez . 1 +Bub , thinks that with Jane out of the picture , Billy will be on the market and he breaks his engagement with Flora . With Jane out of the picture , Billy will be on the market and he breaks up his engagement with flora . 0 +In 2009 , the Mizen family founded the charity The Jimmy Mizen Foundation , which is now called For Jimmy and based in Lee . In 2009 , the Mizen family set up the charity The Jimmy Mizen Foundation , now called For Jimmy , which is based in Lee 1 +He was also suspected of having bludgeoned to death a Russian dancer , Anya Sosoyeva , as well as having assaulted the young actress Delia Bogard , who survived . He was also suspected of having linked to death a Russian dancer , Anya Sosoyeva , as well as attacking the young actress Delia Bogard , who survived . 1 +The adrenal arteries are arteries in the human abdomen that supply blood to the adrenal glands . The adrenal arteries are the arteries in the human abdomen that supply blood to the adrenal arteries . 1 +In 1963 , he met Felix Cavaliere ( a singer on the local R & amp ; B circuit ) and Eddie Brigati ( a classically trained pianist ) . Danelli met Felix Cavaliere ( a pickup singer on the local R & B circuit ) , and Eddie Brigati ( a classically trained pianist ) in 1963 . 1 +It is bordered by Massapequa in the west and east , South Farmingdale in the northwest and North Massapequa to the north . It is bordered to the west and east by Massapequa , to the northwest by northern Massapequa and to the north by South Farmingdale . 0 +Khao Khitchakut District is northeast of Chanthaburi town in Khao Khitchakut National Park . Khao Khitchakut District is located northeast of Chanthaburi town in Khao Khitchakut National Park . 1 +"During the French and Spanish retreat Admiral Sir James Saumarez hailed the "" Superb "" and ordered Keats to catch the allied fleet 's rear and engage ." "During the French and Spanish withdrawals , Admiral Sir James Saumarez welcomed the "" Superb "" and ordered Keats to catch and engage the Allied fleet 's rear ." 1 +Losses for the day were killed 16 and 98 captured , while the KPA 9 wounded and approximately 50 killed and 55 wounded lost . Losses for the day were killed 16 and 98 wounded , while the KPA 9 killed captive and estimated 50 and lost 55 wounded . 0 +The latter study remains one of the few prospective demonstrations that environmental stress with high blood pressure and LVH is associated . The latter study is one of the few prospective demonstrations that environmental stress remains associated with hypertension and LVH . 1 +It can be a specific object , a group of objects , a single environment , the entire system , etc . It may be a single object , a group of objects , a specific environment , the entire system , etc . 0 +In Autumn 2014 , Tom supported Stephen Merchant on his European Tour . In autumn 2014 , Tom Stephen Merchant supported his European Tour . 0 +She was at Cork on 24 June , and arrived in the Downs on 8 July . She arrived in Cork on June 24 and was in the downs on July 8 . 0 +It was built by Brunel 's former assistant William Jacomb , designed by Head Wrightson and opened in 1889 . Built by Brunel 's former assistant , William Jacomb , designed by Head Wrightson , it was opened in 1889 . 1 +Ferguson has two sisters ( one older and one younger ) and one older brother . Ferguson has two sisters ( one older and one younger ) and one big brother . 1 +It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Catalonia , Barcelona , Spain . It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Barcelona , Catalonia , Spain . 1 +The Mixed 10 metre air rifle prone SH1 event at the 2008 Summer Paralympics took place on September 11 at the Beijing Shooting Range Hall . The lying 10 meter air rifle Mixed SH1 event at the summer - Paralympics 2008 took place on September 11 at the Shooting Range Hall in Beijing . 0 +Coordination type polymers are also atactic and can be isotactic or syndiotactic , instead of just stereoregular . Polymers of the coordination type are also atactic and can be isotactic or syndiotactic instead of stereoregular . 1 +"In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the reverse alphabet in lyrical style ." "Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the lyrical alphabet in reverse style ." 0 +Kendra Saunders is 100 % Hawkgirl now . Hawkgirl now is 100 % Kendra Saunders . 0 +It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to form United Alkali Company . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and the United Alkali Company in 1926 to found Imperial Chemical Industries . 0 +He also worked on Palazzetto Baviera in Senigallia ( 1560 ) ; and Palazzo Rocca in Fabriano . He also worked at Palazzetto Baviera in Fabriano ( 1560 ) and Palazzo Rocca in Senigallia . 0 +He discussed grammatical questions by correspondence , translated the rhetorical manual of his teacher Apollodorus of Pergamon , and began a treatise on medicinal plants , dedicated to Augustus . He discussed grammatical questions by letter , translated the rhetorical manual of his teacher Apollodor of Pergamon and began a treatise on medicinal plants dedicated to Augustus . 1 +Argento ( born Aria Maria Vittoria Rossa Argento ; September 20 , 1975 ) is an Italian actress , singer , model , activist and director . Maria Maria Vittoria Rossa Argento ( born September 20 , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and film director . 1 +Born in 1935 in Longbenton , Northumberland , Curry died in 1990 in Mansfield , Nottinghamshire , at the age of 54 . Born in 1935 in Mansfield , Nottinghamshire , Curry died in 1990 at the age of 54 in Longbenton , Northumberland . 0 +Further editions of the book were published as co-authors after the death of D. F. Luckenbill in 1950 by Cressey and Sutherland . Further issues of the book were published as co-authors following Sutherland 's death in 1950 by Cressey and D. F. Luckenbill . 0 +The journalist played by Elio Germano ( Luke Gualtieri , the fictional journal of Bologna ) is Lorenzo Guadagnucci , journalist from Il Resto del Carlino . The journalist played by Elio Germano ( Luke Gualtieri , the fictional Journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . 1 +In April 2014 , 2-5 cavalry used from 1 ABCT , 1CD to Germany to support Operation Combined Resolve II , a NATO exercise in Southeast Europe . In April 2014 , 2-5 cavalry used from 1 ABCT , 1CD to Europe to support Operation Combined Resolve II , a NATO exercise in Southeast Germany . 0 +It was assigned to Felidae of Carroll ( 1988 ) , but later it was placed within Nimravidae . It was assigned to Felidae by Carroll ( 1988 ) , but later it was later placed within Nimravidae . 1 +In 1873 , Constantine married Henrietta Anne Armstrong . One of his sons , Charles Francis Constantine , became the XI Commandant at RMC , Kingston . In 1873 , Henrietta Anne Armstrong married Charles Francis Constantine , one of his sons , Constantine , who became the XI commander at RMC , Kingston . 0 +A railway station of the same name on the Golitsyno -- Minsk railway line is located in Moscow . A railway station of the same name on the Moscow -- Minsk railway is located in Golitsyno . 0 +Roger Kirk was born in East London and educated and brought up in Norfolk . Roger Kirk was born in Norfolk and grew up in East London and educated . 0 +He grew up in Nashville , Tennessee , before his family settled at Bonnyville , Alberta . He grew up in Nashville , Tennessee before his family settled in Bonnyville , Alberta . 1 +In 1993 , he graduated from Kuban State University as a philologist and teacher of the same language , in 1995 the Russian University as a lawyer . In 1993 he graduated from the Kuban State University as a philologist and teacher of the same language , in 1995 , the Russian University as a lawyer . 1 +Posey married Brown 's daughter , Ethel . Posey married Brown Ethel 's daughter . 0 +In the Democratic primary , John T. Driscoll defeated Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy , and Robert J. Sullivan . In democratic primary , John T. Driscoll defeated Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy , and Robert J. Sullivan . 1 +The album was released on April 30 , as a limited edition , untitled album with hand drawn covers , and signed by Buckethead himself to be announced on May 31 . The album was announced on April 30th as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31 . 0 +"Duff Twysden was played by Stacy Keach in the miniseries "" Hemingway "" in 1988 with Fiona Fullerton ." "In the 1988 miniseries "" Hemingway "" , starring Fiona Fullerton , Duff Twysden was played by Stacy Keach ." 1 +Many individuals also have a pattern of black points , and younger fish can have a dark area at the base of the tail . Many individuals also have a pattern of dark points , and younger fish may have a black area at the bottom of the tail . 0 +North Dalton Park is located on Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . Towradgi is situated on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +Agreement with Bolivia was denounced on 4 August 2016 and not applied from 4 February 2017 . The agreement with Bolivia was applied on 4 August 2016 and was not denounced from 4 February 2017 . 0 +Fowler married Sarah Sloane , daughter of William Sloane and niece of Sir Hans Sloane . They had two sons and a daughter : Fowler married Sarah Sloane , daughter of William Sloane and niece of Sir Hans Sloane , who had two sons and a daughter : 1 +Owens did not act at first like naturally . "Owens did not Act "" like Naturally "" at first ." 1 +It runs along the old Sohmer Piano Factory , beneath Walnut Street and along Main Street . It runs along the old Sohmer Piano Factory , under Walnut Street , and along Main Street . 1 +Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . Bingaman was born in 1926 , in McKenzie , Indiana , moved to Tennessee , and attended Lew Wallace High School in Gary , Indiana . 0 +Clara Maass was born in East Orange , New Jersey , to Hedwig and Robert Maass , German immigrants . Clara Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Robert Maass . 1 +Fish species of the parks rivers and lakes are Sperchios Barbe , Greek Döbel , Sperchios spirlin , Macedonian trout and probably the endangered Marathon Minnow . Fish species of the parks rivers and lakes are Sperchios Barbel , Macedonian Döbel , Sperchios Spirlin , Greek trout and probably the endangered Marathon Minnow . 0 +The Crump family had a home in Bristol while Phil was racing in the British League , which he started doing in 1971 with the Crewe Kings . The Crump family had a home in Bristol , while Phil started walking in the British League , which he made with the Crewe - kings in 1971 . 0 +In 2006 , Romania produced a total of 62 TWh of power , with an installed capacity of 17,360 MW in thermal , hydro and nuclear power plants . In 2006 Romania produced a total of 62 TWh of electricity having an installed capacity of 17,360 MW in nuclear , hydro and thermal power plants . 1 +Dario Cvitanić ( Croatian : Darío Cvitanich ) ( born May 16 , 1984 ) is an Argentine football striker who plays for Banfield . Darío Cvitanich ( Croatian : Dario Cvitanić ; born 16 May 1984 ) is an Argentine football striker who plays for Banfield . 1 +The film was written and co-produced by AR Murugadoss and produced by P. Madhan under banner of Escape Artists Motion Pictures . The film was written and produced by P. Madhan and produced by AR Murugadoss under the Escape Artists Motion Pictures banner . 0 +There are currently twenty-one churches in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas . ) There are currently twenty-one churches in seven countries ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . 1 +On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . On 31 July , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . 1 +Moore was born in Memphis , Tennessee and grew up in Topeka , Kansas , where , in his youth , he sang ballads and spirituals . Moore was born in Topeka , Kansas , and raised in Memphis , Tennessee , where he sang ballads and spirituals in his youth . 0 +In 1836 , Ephraim Fletcher from New York came to Gaines and settled in Van Vleet Road ( Section 16 ) . Ephraim Fletcher came to Gaines from New York in 1836 and settled on Van Vleet Road ( section 16 ) . 1 +Sri Parashakthi Kshetra is located almost 30 km from Mangalore Railway Station and 20 km from Mangalore International Airport . Sri Parashakthi Kshetra is almost 30 km from Mangalore International Airport and 20 km from Mangalore Railway Station . 0 +KOTC : Live to Fight was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . KOTC : Live to Fight was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . 1 +L ' ; Estany is a municipality in the province of Barcelona and autonomous community of Catalonia , Spain . L'Estany is a municipality in the province of Catalonia , Spain and autonomous community of Barcelona . 0 +Keenan played as a 197 cm ruckman and was a solid marker of the ball as well as having a good drop punt . Keenan played as 197 cm Ruckman and was a good marker of the ball as well as a solid drop - punt . 0 +Married to Gianluca Guidi , had the couple a son , actor Johnny Dorelli . Lauretta was married to Gianluca Guidi ; the couple had a son , actor Johnny Dorelli . 1 +( Whenever they passed the group stage , they won the group ) Espérance ( whenever they passed the group stage , they won the group ) 1 +Walter Lyhert ( or Walter Hart ; died 24 May 1472 ) was a medieval Bishop of Norwich . Walter Hart ( or Walter Lyhert , died May 24 , 1472 ) was a medieval bishop of Norwich . 1 +It was first recorded in November 1961 by Irma Thomas , and produced by Allen Toussaint . It was initially recorded in November 1961 by Allen Toussaint and produced by Irma Thomas . 0 +He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Ayala Corporation ’ s Vice President and Chief Legal Counsel . He then became Deputy Director of the Ayala Corporation 's Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . 0 +The fifth season premiered on September 15 , 2013 . The sixth season premiered on April 10 , 2014 . The fifth season was premiered on September 15 , 2013 , and the sixth season was premiered on April 10 , 2014 . 1 +Samuel Groth won the tournament after defeating Danai Udomchoke 7 -- 6 , 6 -- 3 in the final . Samuel Groth won the tournament after defeating Danai Udomchoke with 7 : 6 , 6 : 3 in the final . 1 +The average maximum temperature is in summer ( December - January ) and the average low temperature is in winter ( June - July ) . The average high temperature in summer ( December -- January ) is , and the average low temperature in winter ( June -- July ) is . 1 +Formula _ 11 , where the intersection runs through all normal subgroups of finite index ) . Formula 11 , where the intersection of all normal subgroups runs from finite index . 1 +Bertlmann was close friend and collaborator of the late Walter Thirring and worked with John Stewart Bell . Bertlmann was a close friend and collaborator of the late John Stewart Bell and worked together with Walter Thirring . 0 +On 19 January 2009 , it was revealed that Henderson would return to the club to replace Dave Hill as manager . On 19 January 2009 , it was announced that Dave Hill would return to the club to replace Henderson as the manager . 0 +The song was composed by Gilles Thibaut and written by written . The song was written by Gilles Thibaut and composed by . 0 +"During this time he had a new gimmick , rockabilly , and took a short-living feud with "" The Real Double J "" Jesse James ." "During this time , he had a new gimmick , Rockabilly , and adopted a short-lived feud with "" The Real Double J "" Jesse James ." 1 +"In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda at Broadway in "" Silent Night , lonely night "" by Robert Anderson ." "In 1960 , Glenville directed also Robert Anderson on the Broadway in "" Silent Night , Lonely Night "" of Barbara Bel Geddes and Henry Fonda ." 0 +An Armatolos named Zisis Karademos introduced a local uprising against the Greek - Ottoman garrison in 1705 . An Armatolos named Zisis Karademos introduced a Greek uprising against the Ottoman garrison in 1705 . 0 +Gandini was born on May 19 , 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . Gandini was born in Parma on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Venice . 0 +Pallas was originally a slave of Antonia Minor , a daughter of Mark Antony and niece of Emperor Augustus . Pallas was originally a slave of Antonia Minor , a daughter of Mark Anton and the niece of Emperor Augustus . 1 +The school teaches pupils from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also from Dunfermline under exceptional circumstances . The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and Dunfermline , but also under extraordinary circumstances from High Valleyfield . 0 +He was selected in the 1998 NFL Draft by the St. Louis Rams in the 7th Round ( 236th overall ) with a compensatory pick . He was selected at the NFL Draft in 1998 by the St. Louis Rams in the 7th round ( 236th overall ) with a compensation pick . 1 +"One ship , the "" Bathurst "" class corvette HMAS "" Warrnambool "" , was sunk during these operations ." "A ship , the "" Warrnambool "" class Corvette HMAS "" Bathurst "" , was sunk during these operations ." 0 +PTAs were abolished by the 1985 Local Government Act when the Metropolitan County Councils were restored . PTAs were restored by the Local Government Act of 1985 , when the Metropolitan County Councils were abolished . 0 +It had been directed by the governor of Rome , Ludovico Spada Veralli Potenziani , who was commissioned by Mussolini to manage the Capital . It was commissioned by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been instructed by Mussolini to manage the capital . 0 +Of these , the Austin Catholic Academy and St. Thomas of Villanova College are operated independently and are not officially supported by the Augustinian Order . Of these , Austin Catholic Academy and St. Thomas of Villanova College are officially sponsored and not independently operated by the Augustinian Order . 0 +Hill Hill went and wrote some paragraphs about the idea , then he and Giler wrote a full script . Giler wrote some paragraphs about the idea and then he and Hill went and wrote a full script . 0 +Then the image of Formula 31 is not really valuable , but nevertheless it is a subset of Formula 1085 , so the character of the representation is real . Thus the image of formula _ 31 is not real-valued , but nevertheless it is a subset of formula _ 1085 Then , the character of the representation is real . 1 +In 1973 it was added by the Toronto Historical Board to the inventory of the Ontario Heritage Trust of the historical buildings . In 1973 , it was added to the Ontario Heritage Trust 's inventory of historical buildings by the Toronto Historical Board . 1 +Peoria is part of the Peoria County , IL Metropolitan Statistical Area . Peoria is part of Peoria County , IL Metropolitan Statistical Area . 1 +The tournament was resumed again in 2006 in San Francisco , where it was hosted for two years . The tournament was resumed in San Francisco in 2006 , where it was organized for two years . 1 +In 1912 she married the painter George Bouche , and in 1915 she had a son , Edmond , and Charmy and Bouche met in 1935 . In 1912 she met the painter George Bouche , and they had a son , Edmond , in 1915 . Charmy and Bouche married in 1935 . 0 +The Banach -- Mackey topology and the weak Arens space topology are relatively rarely used . The Banach - Mackey - topology and the weak Arens - space topology are relatively rarely used . 1 +He was elected to the Lok Sabha the lower house of Indian Parliament from Bhubaneswar in Odisha . He was elected from Bhubanesvar in Odisha to Lok Sabha , the lower house of the Indian parliament . 1 +The Taverniers are visited by Gidea Thompson ( Sian Martin ) , a friend of Jules ' family back in Trinidad . The Taverniers are visited by Sian Martin ( Gidea Thompson ) , a friend of Jules ' and the family in Trinidad . 1 +Collins Avenue is home to many historic Art Deco hotels and several nightclubs in the north . Collins Avenue is home to several Art Deco hotels , and many historic nightclubs to the north . 0 +"He had a novel "" Seventy Times Seven "" , a violent thriller published in 1992 , set in 2012 ." "He had published a novel "" Seventy Times Seven "" , a violent thriller , which plays in 1992 , in 2012 ." 0 +The Frank Herzberg Trio is a contemporary Brazilian jazz trio which consists of bassist Zé Eduardo Nazario , drummer Frank Herzberg and pianist Alexandre Zamith . Frank Herzberg Trio is a contemporary Brazilian jazz trio , consisting of the bassist Frank Herzberg , drummer Zé Eduardo Nazario and pianist Alexandre Zamith . 0 +African stone tool technologies are divided into modes as outlined by Lawrence Barham and Peter Mitchell in 1969 and proposed by Grahame Clark as follows : African stone tool technologies are divided into modes , as proposed by Grahame Clark in 1969 , outlined by Lawrence Barham and Peter Mitchell as follows : 0 +Šišić ( born March 29 , 1983 in Zagreb ) is a Croatian football manager and former goalkeeper . Antonio Šišić ( born 29 March 1983 in Zagreb ) is a former football manager and Croatian football goalkeeper . 0 +The Banu Harith ( or , ) is one of the Jewish tribes of Arabia that once ruled the city of Najran , which is now in southern Saudi Arabia . The Banu Harith ( or ) is one of the Jewish tribes of Arabia which once governed the city of Saudi Arabia , now located in southern Najran . 0 +Euglandina jacksoni is a kind of predatory air-breathing snail , a terrestrial pulmonate gastropod mollusk in the Spiraxidae family . Euglandina jacksoni is a species of predatory air-breathing land snail , a terrestrial pulmonate gastropod mollusk in the family Spiraxidae . 1 +In 2011 won the U20 - Team of Dorset and Wilts 4 and played 3 in the U20 County Championship competition . In 2011 the Dorset and Wilts U20 side played 4 and won 3 in the U20 County Championship competition . 0 +One of these was physically disabled and cognitively impaired . One of these two was seriously cognitively impaired and physically disabled . 0 +He was then traded from the Arizona Diamondbacks to Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . He was then traded on the Detroit Tigers for Matt Drews and Joe Randa by the Arizona Diamondbacks with Travis Fryman . 0 +There are no stops in West Bridgewater , but there are stops in Bridgewater and the Campello section of Brockton . There are no stops in Bridgewater , but there are bus stops in West Bridgewater and the Campello section of Brockton . 0 +The present mayor of Crestview Hills is Paul Meier and the city administrator is Tim Williams . The current mayor of Crestview Hills is Tim Williams and the city administrator is Paul Meier . 0 +Ambeshetgaon is a village in the Palghar district of Maharashtra , India . It is located in the Talasari taluka . Ambeshetgaon is a village in Palghar - district of Maharashtra , India . It is located in the Talasari Taluka . 1 +"The Charge Spear is a large spear that can be "" sharpened to form a charged organic blade that can be used to strike opponents ." "The Charge Spear is a large spear that can be "" charged to form a sharpened organic blade that can be used to strike enemies ." 0 +"Although Andrew Anthony was "" critical in "" The Observer and A.A. Gill of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony in "" The Observer "" was more critical and A.A. Gill of "" The Sunday Times "" was unimpressed ." 1 +Grose Wold is a suburb of Sydney , in the state of New South Wales , Australia . It is in the City of Hawkesbury . Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney , in Hawkesbury City . 0 +The number of aircraft operated by the 507th and 137th machines was increased simultaneously by the transfer of KC-135s from the 939th air refuelling wing . The number of aircraft operated by the 939th was simultaneously increased by the transfer of KC-135s from the 507th and 137th Air Refueling Wing . 0 +Chongqing is a district in Wanzhou district , China and the location of a former prefecture . Wanzhou District is a district in Chongqing , China and the site of a former prefecture . 0 +"It was released on his album "" From Elvis in Memphis "" and was recorded on 18 February 1969 at the American Sound Studio in Memphis ." "It was recorded on his album "" From Elvis in Memphis "" and was released in American Sound Studio in Memphis on February 18 , 1969 ." 0 +The KHL ( KHL ) Conference Finals are the Eastern Conference and Western Conference Championship series of the Kontinental Hockey League . The finals of the Continental Hockey League ( KHL ) Conference are the Eastern Conference and the Western Conference Championship Series of KHL . 1 +He has also played for the Green Bay Packers and was part of the Super Bowl XLV winning team over the Pittsburgh Steelers . He also played for the Green Bay Packers and was part of the Super Bowl XLV - winning team over the Pittsburgh Steelers . 1 +The legend of Hallowdega is a 2010 black comedy Fantasy Mockumentary short film , directed by Terry Gilliam of a script by Aaron Bergeron . The Legend of Hallowdega is a 2010 black comedy fantasy mockumentary short film , directed by Terry Gilliam from a screenplay by Aaron Bergeron . 1 +Scott Wells was replaced by Sherman Howard as Lex Luthor . Lex Luthor was also replaced as Scott Wells by Sherman Howard . 0 +We hear the laughter , we see the faces , we see the music . We hear the laughter , we see faces , we see the music . 1 +Motes also encounters Enoch Emery , a blind man who seems to be parallel to himself , and they follow the street along the young man . Motes also encounters Enoch Emery , a blind man who seems to parallel himself , and they follow the young man down the street . 1 +On September 11 , 2017 , a fourth series of resuscitation started and the second series overall . A fourth series of the revival , and the second series overall , started on 11 September 2017 . 1 +He died on August 18 , 1861 , in Fort Edward and was buried at the Union Cemetery in Sandy Hill . He died at Sandy Hill on August 18 , 1861 , and was buried at the Union Cemetery in Fort Edward . 0 +It arrived in August 2006 in Australia and debuted in New Zealand in early 2007 . It was debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . 0 +Kirk Deighton is operated by Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . Kirk Deighton is operated from Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . 0 +The brother of Carlow - Footballer Patrick Walsh is the Tommy . Patrick Walsh is the brother of Carlow 's footballer Tommy . 0 +In later life , Procopio became one of Toth 's close friends . Later in life , Procopio became one of Toth 's close friends . 1 +She reached Melbourne on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . She reached Sydney on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . 0 +Students at Everest Academy get to know the American students and are at school with them , while international students get to know American culture and the international students . The Everest Academy students get to know the international students and go to school with them , while international students get to know American culture and American students . 0 +Syed Zainuddin was married to the Ummatullah - daughter of Qazi Ghulam Murtaza of Tijara . Qazi Ghulam Murtaza was married to Ummatullah , daughter of Syed Zainuddin of Tijara . 0 +He was a member of the Bapounou people , was born in Moussambou and trained in local Catholic schools , then at the public secondary school of Lambaréné . A member of the Bapounou people , he was born at Moussambou and educated in local Catholic schools , then at the public secondary school of Lambaréné . 1 +The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Melbourne , along Princes Highway , north of Lakes Entrance . The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Lakes Entrance , along Princes Highway north of Melbourne . 0 +It is possible that the courageous , yet terribly weak prisoners have just enough left in them to resist . It is possible that the weak but terribly courageous prisoners have just enough in them to resist . 0 +Crowfoot is a federal electoral district in Battle River . Battle River -- Crowfoot is a federal electoral district in Alberta . 0 +He defeated Quentin Gilbert and Pierre Roche , with Gilbert receiving the titles in WRC3 and JWRC not long ago . He defeated Quentin Gilbert and Pierre Roche , with Gilbert having not long ago clinched the titles in WRC3 and JWRC . 1 +"As reported by Count Harrach , Franz Ferdinand 's last words "" Sophie , Sophie !" "As reported by Count Harrach , Franz Ferdinand 's last words were "" Sophie , Sophie !" 1 +"This rare version is called "" first version "" unofficially ." "This first version is called "" rare version "" unofficially ." 0 +Otter Bay is a natural bay on the island of Coney Bay in the province of Newfoundland and Labrador , Canada . It is located east of Newfoundland . Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada , located to the east of Otter Bay . 0 +Afterwards , the title returned to the modern domain and was claimed as a courtesy title by the dukes of Orléans and the Royal Orleanist contenders . Afterwards , the title returned to the modern domain and was claimed as a courtesy title by the Dukes of Orléans , and the royal Orleanist pretenders . 1 +This species is often found towards the bottom of clear , warm water habitats with low currents . This species is often found in the bottom of clear , warm water habitats with low currents . 1 +In 2006 Venezuelan Carlos Pena gradually took over as co-lead singer , although Beny continued to record and occasionally tour with Ska Cubano . In 2006 , Venezuelan Carlos Pena gradually took over as Co-Lead singer , although Beny continued to record on tour and occasionally with Ska Cubano . 0 +In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take over his seat . In October 2015 , Bennett resigned from the Knesset to allow Shuli Mualem to take over his seat . 0 +Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an Olympic competitor in synchronized swimming and American champion . Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an American American competitor in the synchronized swimming and Olympic championship . 0 +Lucius Caecilius Metellus Diadematus was the second son of the Roman politician and General Quintus Caecilius Metellus Macedonicus . Quintessus Caecilius Metellus Macedonicus was the second son of Roman politician and General Lucius Caecilius Metellus Diadematus . 0 +He bought Wisbech Castle , which he rebuilt and restored just before the restoration of the monarchy after which it was supplied to the bishop of Ely . He purchased Wisbech Castle , which he rebuilt and restored just before the Restoration of the Monarchy , after which it was furnished to the Bishop of Ely . 1 +The community has a low poverty rate despite the low participation rate and high unemployment . Despite its low labor-force participation rate and high unemployment , the community has a low poverty rate . 1 +When he can not produce the diamonds , Herschel is shot by Walsh . When he can not produce the diamonds , Walsh is shot and killed by Herschel . 0 +Many central government agencies are located in New Taipei City , because of the proximity to the capital , Taipei City . Many central government agencies are located in the city of Taipei , because of its proximity to the capital , New Taipei City . 0 +She left Sydney on 1 January 1829 via Madras to London . She left London on 1 January 1829 for Sydney via Madras . 0 +At the 2011 census , 86.4 % of inhabitants were Romanians , 5.9 % Roma , 5.2 % Hungarians and 0.7 % Germans . At the 2011 census , 86.4 % of the inhabitants were Romanians , 5.9 % Roma , 5.2 % Hungarians and 0.7 % Germans . 1 +Other musicians are Nik Mazzucconi on the guitars , Francesco Jovino on the bass and Simone Mularoni ( Primal Fear , Hardline ) on drums . Other musicians are Nik Mazzucconi on guitars , Francesco Jovino on bass and Simone Mularoni ( Primal Fear , Hardline ) on drums . 1 +Robbie Robertson , who learned the technique of Buchanan , used the technique , as did Leslie West . Buchanan , who learned the technique from Robbie Robertson , used the technique , as did Leslie West . 0 +Camm decided that both engines would be used : the Tempest Mk 5 was fitted with the Napier Sabre , while the Tempest Mk 2 had the Bristol Centaurus . Camm decided that both engines would be used : the Tempest Mk 5 was equipped with the Napier Sabre , while Tempest Mk 2 had the Bristol Centaurus . 1 +The static component is the total soil resistance minus the dynamic component ) . The dynamic component is the total soil resistance less the static component . 0 +Shortly before his death , according to Grigory Pasko , Sergei Yushenkov received threats from a high-ranking FSB - General , Aleksander Mikhailov . Shortly before his death , according to Sergei Yushenkov , Aleksander Mikhailov received threats from a high-ranking FSB - General , Grigory Pasko . 0 +With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . With the weakening of the Canadian dollar , manufacturing sales and exports and employment increased in November and December 2015 . 1 +The Simpsonville Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of the Columbia , Maryland land development . The Simpsonville Mill is a historical pre-colonial mill complex in Columbia , Maryland , part of the Simpsonville , Maryland land development . 0 +The 357th Airlift Squadron is a part of the 908th Airlift Wing at the Maxwell Air Force Base , Alabama . The 908th Airlift Squadron is part of the 357th Airlift Wing at Maxwell Air Force Base , Alabama . 0 +Until 1847 , the Keiskamma River marked the border between the Cape Province and the former British Kaffraria , which was then known as Queen Adelaide 's province . The Keiskamma River marked the border between the Province and former British Kaffraria , known also then as Queen Adelaide 's Cape Province , until 1847 . 0 +Mike Monroney was challenged in the Democratic primary by A.S. Thomas in 1950 . was challenged in 1950 by A.S. Mike Monroney in the Democratic Primary . 0 +He also asked Krishna Reddy to come from Chennai to Hyderabad to help him in the shop . He also asked Krishna Reddy to come from Hyderabad to Chennai to help him in his business . 0 +In mission-critical software systems , where flawless performance is absolutely necessary , formal methods may be used to ensure the correct operation of a system . In mission-free software systems where critical performance is absolutely necessary , formal methods can be used to ensure the correct operation of a system . 0 +"It is never uncovered what Raab has there , but the last line "" Oh my God "" implies that it is something surprising ." "It is never revealed what Raab has there , but the final line "" Oh my God "" , implies that it is something surprising ." 1 +The Dodgers got their only runs on solo homers by Willie Crawford in the eighth and Bill Buckner in the ninth . The Dodgers got their only runs on Solo - Homers from Willie Crawford in the Eighth and Bill Buckner in the ninth . 1 +"The word nanosecond is formed by the prefix "" nano "" and the base is a second second time unit or a sixtieth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixtieth of the second ." 0 +Schools that were closed when Harlem Consolidated was formed include the Lovejoy School ( District No . 49 ) in Harlem Township . Schools that were formed when Harlem Consolidated was closed include Lovejoy School ( District No . 49 ) in Harlem Township . 0 +It can , however , be used to include VST instruments , which you can then control . However , it can be used to record VST instruments which you can then control . 1 +The 1943 Istanbul Football Cup season was the second season of the cup . Galatasaray won the cup for the second time . The tournament was single-elimination . The season of the Istanbul football - Cup 1943 was the second season of the cup , Galatasaray won the cup for the second time . 1 +In 1963 , the American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) . In 1963 , the National Chiropractic Association reorganized into the American Chiropractic Association ( ACA ) . 0 +It is a marine , deep water-dwelling eel which is known from the Philippines , in the western Pacific Ocean . It is a marine , deep water - eel which is known from the Philippines in the western Pacific Ocean . 1 +"First , he was weakened by the VR Double Team attack , then destroyed by JB 's "" Laser Lance "" command ." "First he was weakened by the VR Double team 's attack and then destroyed by the command "" Laser Lance "" by JB ." 1 +Jimmy Wareing was born in Cumberland in 1917 and played for Silloth and Silloth Rugby - Union prior to the war . Jimmy Wareing was born in Silloth in 1917 and played for Silloth and Cumberland Rugby Union prior to the war . 0 +For example , the spin case only allows a magnetic dipole , but for spin 1 particles magnetic quadrupoles and electric dipoles are also possible . For example , the spin case allows only one magnetic dipole , but for spin - 1 particles also magnetic quadrupoles and electrical dipoles are possible . 1 +These are the known open protocol specifications that cover the same or similar areas as AMQP : These are the known same or similar protocol specifications that cover the open space as AMQP : 0 +Peru is one of thirty districts in the province of Yauyos in San Pedro de Pilas district . San San Pedro de Pilas district is one of thirty-three districts in the province of Yauyos in Peru . 0 +Neighboring districts are ( from the south clockwise ) Raman of Yala Province , Yarang , Mayo , Sai Buri , and Kapho of Pattani Province . Neighboring districts are ( from south clockwise ) Raman of the province of Pattani , Yarang , Mayo , Sai Buri and Capho of the province Yala . 0 +Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) . Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in Buenos Aires , Argentina - November 7 , 1996 in San Ignacio , Paraguay ) . 0 +Wilfred France Senior died at Franceville in 1934 and Wilfred Jr. ( Billy ) in 1936 . Wilfred France Senior died in 1934 in Franceville and in 1936 Wilfred Jr. ( Billy ) . 1 +Coronets and supporters were also reserved for the nobility , but were formally used by a number of others without any protests from the public authorities . Coronets and supporters were formally reserved for the nobility , but they were used also by a number of others , without any protests from the public authorities . 0 +These membrane proteins have different functions and characteristics and catalyze various chemical reactions . These membrane proteins have different functions and properties and catalyze various chemical reactions . 1 +At Wimbledon , Osaka defeated Sara Sorribes Tormo and Barbora Strýcová before losing to Venus Williams in the third round . In Wimbledon , Osaka defeated Sara Sorribes Tormo and Barbora Strýcová before losing Venus Williams in the third round . 1 +The championship took place in 1999 in Italy , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Austria in 2011 . The championship was held in Italy in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Austria in 2011 . 1 +"Kenneth Lonergan appeared as Sharon in "" Manchester by the Sea "" , which premiered at the Sundance Film Festival in 2016 ." "Kenneth Lonergan appeared as Sharon in writer-director Mallen 's "" Manchester by the Sea "" , which premiered at the 2016 Sundance Film Festival ." 1 +She also published biographies of the Nobel laureate Octavio Paz and the artist Juan Soriano . She also published biographies of the Nobel laureate Juan Soriano and the artist Octavio Paz . 0 +Taobao is a Chinese online shopping site similar to eBay , Amazon and Rakuten , which is operated by Alibaba Group in Hangzhou , Zhejiang . Taobao is a Chinese online shopping website similar to eBay , Amazon and Alibaba Group , which is operated in Hangzhou , Zhejiang by Rakuten . 0 +In addition to Lawrence the film also stars John Witherspoon , Tom Lister , Jr. , and Mark Curry . In addition to Lawrence , the film also includes the stars Mark Curry , Tom Lister Jr. and John Witherspoon . 1 +MacMahon formula is the general formula for multiplicative values of formula 30 : The formula of MacMahon is the general formula for multiplicative values of Formula 30 : 1 +This relatively large island is part of a small group formed by Kiatak , Herbert Island and Hakluyt Island . This relatively large island is part of a small group comprising Kiatak , Herbert Island and Hakluyt Island . 1 +The Astors settled in North America , first appearing in Germany in the 18th century with John Jacob Astor , one of the richest people in history . The astors settled in North America , appearing for the first time in the 18th century in Germany with John Jacob Astor , one of the richest people in history . 1 +Inorganic liquids include water , magma , many solvents and inorganic non-watery acids . Inorganic liquids include water , magma , inorganic nonaqueous solvents and many acids . 0 +VirusProtectPro is a commercial malware program that claims to be a rogue - anti-spyware when it is in fact itself adware - advertising . VirusProtectPro is a rogue - malware program that claims to be a commercial anti-spyware when it is in fact itself adware - advertising . 0 +Although it is being developed in Singapore , it is used commercially mainly in Europe . Although being developed in Singapore , it is mainly used commercially in Europe . 1 +Rituparna Sengupta and Indrani Halder shared the National Film Award for Best Actress in 1998 for the film . Ghosh won National Film Award for Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as the Best Actress , Ghosh shared the National Film Award for the Best Screenplay . 0 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of the marine limpets . Paralepetopsis tunnicliffae is a sea snail species , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of true limpets . 0 +Although born in Portsmouth , Rhode Island , Gonsalves grew up in Fall River , Massachusetts . Although Gonsalves was born in Portsmouth , Rhode Island , he grew up in the River Fall , Massachusetts . 1 +Hans Jürgen Kallmann was painted in 1963 by Konrad Adenauer . Konrad Adenauer was painted by Hans Jürgen Kallmann in 1963 . 0 +"This quote is often paraphrased as "" Philadelphia in the east , Pittsburgh in the west and Alabama in the middle . """ "This quotation is often paraphrased as "" Alabama in the East , Pittsburgh in the West and Philadelphia in the middle "" ." 0 +"He subsequently began "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which produced as "" The Problemist Fairy Chess Supplement "" ." "He then produced "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which began as "" The Problemist Fairy Chess Supplement "" ." 0 +This would fade the element but stop when the effect is completed 80 % ( with an opacity of 20 % ) . This would fade the element , but stop when the effect is 80 % complete ( with an opacity of 20 % ) . 1 +The area is famous as the site of the Battle of Chausa , where the Humayun forces defeated the army of Mughal - Emperor Sher Shah Suri in 1539 . The area is famous as the site of the Battle of Chausa , where the Sher Shah Suri forces defeated the army of Mughal - Emperor Humayun in 1539 . 0 +From a distance , the teams had to meet a traditional tribal club to use the pots . The teams had to use a traditional tribal club from a distance to hit the pots . 0 +Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Montealegre Clemencia Carazo and Felicia Cohn Montealegre . Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica as Clemencia Montealegre Carazo and Roy Elwood Cohn . 0 +The planned electrification of the route Manchester to Blackpool Nord was announced in December 2009 . The planned electrification of the Manchester to Blackpool North route was announced in December 2009 . 1 +American American Edit is a mashup album , shared by Party Ben and Team9 under the released alias Dean Gray . American Edit is a mashup album shared by Party Ben and Team9 under the released alias Dean Gray . 1 +The album was produced by Billy Harvey , and featured contributions by Rafael Gayol and the Tosca String Quartet . The album was produced by Billy Harvey and contributed by Rafael Gayol and the Tosca String Quartet . 1 +Born in Morton , Mississippi , Jones grew up in Vicksburg , Mississippi . Jones was born in Vicksburg , Mississippi and grew up in Morton , Mississippi . 0 +He was elected to the Lok Sabha , the lower house of Indian Parliament from Odisha in Bhubaneswar . He was elected by Odisha in Bhubaneswar to the Lok Sabha , the lower house of the Indian Parliament . 1 +After being called to the bar in Hong Kong , he returned to England in 1877 to practice the law . After being called to the bar in Hong Kong , he returned to England in 1877 to practise law . 1 +He married Lady Florence Jane Taylour , daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . 1 +Tremor is a South African film produced by Denis Scully and Co by Michael Deeley in 1961 . Tremor is a 1961 South African film , produced by Denis Scully and co directed by Michael Deeley . 0 +Coalesced - Hashing , also called Coalesced Chaining , is a strategy of collision resolution in a hash table that represents a hybrid of separate concatenation and open addressing . Coalesced - Hashing , also called Coalesced Chaining , is a strategy of collision resolution in a hash table that forms a hybrid of separate concatenation and open addressing . 0 +In 2007 he continued as a Toyota test driver and also drove for GP2 team Trident Racing . In 2007 he drove as a Toyota test driver and also continued the GP2 - Team Trident Racing . 0 +Nilai is part of the Seremban constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Nilai is part of the Seremban constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 1 +Here , two more sons were born : Louis in 1882 and Fred in 1884 . Here two more sons were born : 1882 Louis and 1884 Fred . 1 +This species is often found in the bottom of clear , warm water habitats with low currents . This species is often found towards the bottom of low water habitats with clear , warm currents . 0 +Kabir Suman recorded several albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . Kabir Suman , recorded a number of albums between 1992 and 1999 under the name Suman Chattopaddhyay or Suman Chatterjee . 1 +It is equivalent to the rank of a rear admiral in the Royal Navy and the rank of a rear admiral ( upper half ) at the United States Navy . It is equivalent to the rank of rear admiral in the United States Navy and the rank of rear admiral ( upper half ) in the Royal Navy . 0 +Jumping is a parachuting or wingsuit flying from a fixed structure or cliff . Jumping , flying or wingsuit parachuting from a fixed structure or cliff . 0 +Most critics praised the eleven-track set for its cohesive productions and strong themes , which drew comparisons to the early career of Janet Jackson . Most critics praised the eleven-track set for its related productions and strong themes , which drew comparisons with the early career of Janet Jackson . 1 +Strathairn visited Williams College in Williamstown , Massachusetts , and graduated in 1970 from the Redwood High School in Larkspur , California . Strathairn visited the Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts in 1970 . 0 +"The character was later killed in the second episode of the fourth season , "" First Down "" ." "The character was later killed off in the second episode of the fourth season , "" First Down "" ." 1 +Communism is a political ideology and movement with the ultimate aim of achieving a communist society . Communism is a political ideology and a movement with the aim of communist society . 1 +The river Latoriţa is a tributary of the River Galbenu in Romania . The Galbenu River is a tributary of the Latoriţa River in Romania . 0 +The couple had two daughters , Martha Anne ( born 1942 ) and Sara Lynn ( born 1947 ) . The couple had two daughters , Sara Lynn ( born in 1942 ) and Martha Anne ( born 1947 ) . 0 +A railway station of the same name on the Moscow -- Minsk railway is located in Golitsyno . The railway station of the same name is located in Moscow on the Golitsyno -- Minsk railway line . 0 +Tables of vibration transitions of stable and transient molecules are also available . Tables of stable and transient transitions of vibrational molecules are also available . 0 +Throughout the port is seized by the Hadi loyalists , the Houthi fighters along with the popular committed have managed to conduct some attacks in Midi area . Throughout the port is committed by the Hadi loyalists , the Houthi - fighters have managed to conduct some attacks in the Midi area . 0 +He became third in 1958 and 1967 at his table , but in 1962 he won the 1st place . He was third place at his table in 1958 and 1967 , but in 1962 , he won the 1st . 1 +"As of September 2015 , Goodyear is again president of the "" Goodyear Capital Corporation "" and the "" Goodyear Investment Company "" ." "As of September 2015 , Goodyear is again the president of "" Goodyear Capital Corporation "" and "" Goodyear Investment Company . """ 1 +On September 29 , 1849 , Queen Victoria of Gloucester traveled by train to Swindon . On 29 September 1849 , Queen Victoria travelled from Swindon by train to Gloucester , 0 +John McEnroe won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against Miloslav Mečíř . John McEnroe won against Miloslav Mečíř in the final with 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 . 1 +By his wife , Jean , daughter of Sir Duncan Campbell , Baronet and Jean Stewart , their children were : Their children were from his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart : 1 +Neustadtl an der Donau is a city in the district of Amstetten in Lower Austria , Austria . Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria , Austria . 0 +During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side at the Battle of Carabobo . Garcia de Luna fought on the Spanish side in the Battle of Carabobo , against Simón Bolívar and the British Legions , during Venezuelan War of Independence in 1821 . 0 +USAFE also announced that the new FBW would receive the 50th F-100D Super Sabre in 1957 . In 1957 USAFE also announced that the 50th FBW would receive the new F-100D Super Sabre . 0 +Pleasant Peak is a location on RAF Mount Pleasant , East Falkland , north of the Falkland Islands . Pleasant Peak is a location on the Falkland Islands , East Falkland , to the north of RAF Mount Pleasant . 0 +The 2014 -- 15 Idaho State Bengals men 's basketball team represented Idaho State University during the 2014 -- 15 NCAA Division I men 's basketball season . The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengal during the 2014 Basketball season -- 15 NCAA Division I men . 0 +In 1856 in their home in Boston , Agassiz founded a school for girls from Cambridge . In 1856 , Agassiz founded a school for girls from Boston in her home in Cambridge . 0 +Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan to the sequence of SCSV from Florida . Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan with the sequence of SCSV from Florida . 1 +It is located to the north of Blountstown and east of Altha on the west bank of the Apalachicola River , It is located north of Altha and east of Blountstown on the west bank of the river Apalachicola . 0 +Only three wrestlers in the history of sumo have ever lost more times to another , than Kotonishiki did against Akinoshima . Only three wrestlers in the history of Sumo have ever lost more to another than Kotonishiki against Akinoshima . 1 +"Lars Rosing plays the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" , Lars Rosing lives near Montreal , Canada ." "Lars Rosing plays the protagonist Lars Rosing in Greenland 's first international feature film "" Nuummioq "" . Malik lives near Montreal in Canada ." 0 +Chronometry applies to mechanical devices , while Horology refers to electronic devices . Chronometry applies to mechanical devices , Horology refers to electronic devices . 1 +Wulffius fled to Germany with her son where she lived until she came to Australia in 1953 . Wulffius and her son came to Germany where she lived until she fled to Australia in 1953 . 0 +Brian Felsner is the brother of hockey player , Denny Felsner . Denny Felsner is the brother of a hockey player Brian Felsner . 0 +Ellis met Oscar Bonavena in the second round of the tournament . Oscar Bonavena met the second round of the tournament on Ellis . 0 +He worked in Shanghai from 1931 until the outbreak of the Second World War in Europe in 1939 . From 1931 until the outbreak of World War II in Europe in 1939 , he worked in Shanghai . 1 +He also illustrated numerous children ’ s books and won five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . He also illustrated numerous children 's books and won the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . 1 +It runs from east to west for 7 counties : Claiborne , Copiah , Hinds , Rankin , Smith , Jasper and Clarke . It runs from east to west for and serves 7 counties : Claiborne , Copiah , Hinds , Rankin , Clarke , Jasper and Smith . 1 +The Song of Ceylon is a 1934 British documentary film produced by Basil Wright and directed by John Grierson for the Ceylon Tea Propaganda Board . The Song of Ceylon is a British documentary film directed by Basil Wright by John Grierson for the Ceylon Tea Propaganda Board in 1934 . 0 +She is currently recording and producing music for other artists and writing solo pieces under the name Tobora . She is currently writing music for other artists , also recording and producing solo tracks under the name Tobora . 0 +The Nordiques signed free agent Tony Currie from the Edmonton Oilers , while they lost Blake Wesley , who signed with the Toronto Maple Leafs . The Nordiques signed Free Agent Tony Currie from the Toronto Maple Leafs , while Blake Wesley , who signed with Edmonton Oilers , lost . 0 +""" Symphonic Poem "" had some details and nuances used and was tweaked as the entire second act like it had been at Symphonic Legends ." """ Symphonic Poem "" had used some details and nuances and was changed as the entire second act as it had been at Symphonic Legends ." 1 +Robert Kelley married Emma V. Lee in 1893 . In 1893 , Emma married Robert Lee Kelley . 0 +His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , also enjoyed All-Ireland success with Tipperary . His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , enjoyed also with Tipperary All - Ireland - success . 0 +Lakome.com was an independent Moroccan news website which started in 2010 and was banned in 2013 . Lakome.com was an Independent Moroccan news website . It was started in 2010 and banned in 2013 . 1 +In 2012 , after the signing of third baseman Prince Fielder , the Tigers announced Cabrera would move back to first base . In 2012 , after the signing of the third Baseman Prince Fielder , announced the Tigers Cabrera would back to the first base to move . 0 +Lemoa is a town and municipality located in the province of Basque Country , in the autonomous community of Biscay , northern Spain . Lemoa is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , Northern Spain . 1 +He has two sons : elder Maharana Mahendra Singh and younger Arvind Singh . He has two sons : the elder Maharana Mahendra Singh and the younger Arvind Singh . 1 +Andreas Seppi defeated Potito Starace 7 -- 6 ( 4 ) , 2 -- 6 , 6 -- 4 in the final . In the finals Andreas Andreas defeated Seppi Potito Starace 7 -- 6 ( 4 ) , 2 -- 6 , 6 -- 4 . 0 +On December 18 , Shawn received Zarraga from Dodgers in Los Angeles for Matt Long and Jarrett Martin . 18 December : Matt Long and Jarrett Martin of the Los Angeles Dodgers for Shawn Zarraga received . 0 +The winner of each semi-final ( Best of 3 ) went to the gold medal race and the other two riders rose to the bronze medal race . The winner of each semi-final ( Best of 3 ) rose to the gold medal race , the other two drivers went to the bronze medal race . 0 +"If "" A "" is singular , this explicit solution does n't even exist ." "If "" A is explicit , this singular solution does not even exist ." 0 +Caterina Scotti married Vincenzo . Vincenzo married Caterina Scotti . 1 +The most active treatment at that time was the preferred medication . The most active treatment method at the time was preferred medication . 1 +Isaacs was born in 1915 in Panama to a Panamanian father and a Jamaican mother . Isaacs was born in Panama in 1915 into a Jamaican father and a Panamanian mother . 0 +The company also sold storage and safety accessories like hard soft luggage , vinyl sides and helmets . The company also sold storage and safety accessories , like hard sided luggage , vinyl soft cases , and helmets . 0 +Berkeley 's childhood was spent in Coventry , where he was a pupil of the translator , Philemon Holland of Warwickshire , and of Henry Ashwood . The childhood of Berkeley was spent in Coventry , where he was a student of the translator Philemon Holland of Warwickshire and Henry Ashwood . 1 +The Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in San Luis , 13 in Córdoba and 15 in Mendoza . The Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in Córdoba , 13 in San Luis and 15 in Mendoza . 0 +He then replanted the movement in Brooklyn , New York , and later in London , and Monticello , New York . He later planted the movement in London , and then in Brooklyn , New York , and Monticello , New York . 0 +The current 16th Street Clubhouse was built under the direction of Horace Trumbauer by the architect George D. Widener . Under the leadership of George D. Widener , the current 16th Street Clubhouse was built by architect Horace Trumbauer . 0 +"Parr himself performed two acoustic versions ( "" other "" and "" unplugged "" ) for the film "" The Brothers Solomon "" ." "Parr himself has performed two acoustic versions ( "" other "" and "" unplugged "" ) for the film "" The Brothers Solomon "" ." 1 +Paul and his brother Frans Wittouck ( 1855 -- 1914 ) owned a sugar factory in Wanze . Frans Wittouck and his brother Paul ( 1855 -- 1914 ) possessed a sugar factory in Wanze . 0 +Neelankarai is located on the Old Mahabalipuram Road ( State Highway 49 ) and runs parallel to Thoraipakkam on OMR ( East Coast Road ) . Neelankarai is located on the East Coast Road ( State Highway 49 ) and is parallel to Thoraipakkam on the OMR ( Old Mahabalipuram Road ) . 0 +Suzanne said she wanted to give Condon a Valentine 's Day card . Condon said they wanted to give Suzanne a Valentine 's Day card . 0 +He studied at Newton University in Germany , where he was given drawing lessons by August Weidenbach , a landscape painter from Baltimore . He studied at Newton University in Germany , where he was awarded drawing courses by August Weidenbach , a landscape painter from Baltimore . 1 +Nool Veli ( Fence of Yarn ) is a 1979 Tamil film playing with Saritha , Sujatha and Sarath Babu . Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Saritha , Sujatha and Sarath Babu . 1 +Might is right makes aphorism with several potential meanings ( in order of increasing complexity ) : Might is right makes an aphorism with several potential meanings ( in order of increasing complexity ) : 1 +Petra Kvitová won the tournament beating in the final Dominika Cibulková , 6 -- 4 , 6 -- 1 . Winner of the tournament won Dominika Cibulková in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . 0 +Büyükorhan is a city and district of the Bursa province in the Marmara region of Turkey . Büyükorhan is a town and district of Bursa Province in the Marmara region of Turkey . 1 +The once bad relationship between Poland and Germany has now become a strategic relationship . The once strategic relationship between Poland and Germany now has become a bad relationship . 0 +The verb system is very complicated with the following times : past , present , past perfect , present progressive , simple perfect and subjunctive past . The verb system is very intricate with the following tenses : past ; present ; past perfect ; present progressive ; simple perfect ; and subjunctive past . 1 +For a number of reasons , some white colonies can not contain the desired recombinant plasmid . Some white colonies may not contain the desired recombinant plasmid for a number of reasons . 1 +Nyon Campus offers kindergarten and secondary education services , while the Pully Campus offers a kindergarten , primary and primary school . The Nyon campus offers Kindergarten and primary school education services , while the Pully campus offers a Kindergarten , primary and a secondary education . 0 +Bombay Presidency was part of the Bijapur county under the British Raj . Under the British Raj , the Bijapur District was part of the Presidency of Bombay . 0 +"The time setting of "" Leave It to Beaver "" is contemporary with its production -- the late 1950s and the early 1960s ." "The time setting of "" Leave It to Beaver "" is contemporary with its production -- in the early 1950s and the late 1960s ." 0 +Her earliest dated painting is marked 1863 and she exhibited her works in both London and Norwich between 1867 and 1874 . Her earliest dated painting is marked in 1863 and she presented her works in London and Norwich between 1867 and 1874 . 1 +Ice hockey was played in two venues , in Håkons Halle in Lillehammer and at the Gjøvik Olympic Cavern Hall in Gjøvik . In Gjøvik in Lillehammer and at the Gjøvik Olympic Cavern Hall in Håkons Hall , ice hockey was played in two places . 0 +Matthew DeCoursey suggests that Thorne may have joined the project later . Matthew DeCoursey suggests that Thorne may have joined the project late . 1 +The downloadable version of the album includes a digital PDF image file . The digital version of the album includes a PDF downloadable artwork file . 0 +Around 1685 he moved to Neu - France and lived for some time in Quebec . He moved to Quebec around 1685 and lived in New France for some time . 0 +The notes issued by the three commercial banks are printed by Hong Kong Note Printing Limited in Hong Kong . The notes printed by the three commercial banks are issued by Hong Kong Note Printing Limited in Hong Kong . 0 +Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , and not the daughter of Elizabeth played by Allison Janney . The character of Katie Holmes was the daughter of Mary , played by Cherry Jones , and not Elizabeth 's daughter , played by Allison Janney . 1 +The zone serves eastern and central Madhya Pradesh , the southern Uttar Pradesh and northeastern Rajasthan State . The zone serves eastern and central Madhya Pradesh , southern Rajasthan and northeastern Uttar Pradesh state . 0 +Leading Creek is located along the Ohio River at the mouth of Middleport ( 38.998829 , -82.057204 ) . Middleport is located at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of Leading Creek . 0 +On November 10th , 2010 , SoftLayer announced that the merger of The Planet and GI Partners was effective . On November 10 , 2010 , SoftLayer announced that the merger of The Planet and GI Partners was effective . 1 +Krishna Kumar is the music director and Jassie Gift is the cinematographer of the film . Jassie Gift is the music director and Krishna Kumar is the cameraman of the film . 0 +In February 2014 , the opening ceremony for the monument to victims of the Uşak massacre was held in Khojaly . In February 2014 , the opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak . 0 +( EL successor Conrail sold the old New York main line through Utica , Chenango and Susquehanna Valley to the Cassville , Susquehanna and Western Railway in 1982 . ) ( The EL - succeeded Conrail in 1982 sold the old main route Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway . ) 0 +She was born in 1963 in Da Lat , to a French father and a Vietnamese mother . It was born in Da Lat in 1963 , to a French father and a Vietnamese mother . 1 +Frank was born into a family of actors including his father Cellier and half-sister Antoinette . His grandfather was the Gilbert and Sullivan conductor François Cellier . He was born into a family of actors , including his father Frank and half-sister Antoinette , his grandfather was the Gilbert and Sullivan conductor François Cellier . 0 +The album was produced by Rafael Gayol , and featured contributions by Billy Harvey and the Tosca String Quartet . The album was produced by Billy Harvey and contributed by Rafael Gayol and the Tosca String Quartet . 0 +"He was portrayed by Robert Loggia in the 1982 television movie "" A Woman Called Golda "" , opposite Ingrid Bergman as Golda Meir ." "He was portrayed by Robert Loggia in the television film A Woman Called Golda "" ( 1982 ) as Ingrid Bergman as Golda Meir ." 1 +Jolley died in 1908 and the newspaper was bought by Galen Seaman . In 1908 , Galen Seaman died and the newspaper was bought by Jolley . 0 +Boyd was born in Montgomery , Alabama , daughter of the single mother Dora Lee McClain . Boyd was born in Montgomery , Alabama , the daughter of single mother Dora Lee McClain . 1 +The central library is housed in the main building of the college on the underground floor . The underground library is housed in the main building of the college on the ground floor . 0 +Steve Davis won in the final 9 -- 8 against Terry Griffiths . Steve Davis won against Terry Griffiths in the finals 9 -- 8 . 1 +In 2013 , Nicholas Furiuele married Julia while Peter was married to Anna Barattin , both of whom are members of the band Shantih Shantih . Peter Anna married Barattin in 2013 , while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . 0 +The season 2015 -- 16 PBA is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . The 2015 season -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . 0 +The third and final series started in May 2011 . Marek Larwood and a returning Javone Prince appeared in the new series . The third and final series started in May 2011 . In the new series Javone Prince and a recurring Marek Larwood appeared . 0 +Dye rode after eight years in Hong Kong , Mauritius . Dye rode after eight years in Mauritius , Hong Kong . 0 +Archdale is a residential area in the Starmount ( South Boulevard near Arrowood and South Charlotte ) . Starmount is a residential area on the South Charlotte ( South Boulevard in Arrowood and Archdale ) . 0 +"He appeared as Archie Mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as archie mullen in the disaster film "" Daylight "" 1996 and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." 1 +The journal received its present name in 1989 , and the following year the Jewish Bible Association became the World Jewish Bible Society . The magazine received its present name in 1989 , and the following year the Jewish Bible Association became the World Jewish Bible Society . 1 +Kyle regards Connor as a separate entity and has conversations with him , while Stan and Cartman do not accept this idea at all . Cartman regards Connor as a separate entity and has talks with him , while Stan and Kyle do not accept this idea at all . 0 +Christian A. R. Christensen ( 17 December 1906 -- 27 January 1967 ) was a Norwegian newspaper editor . Christian A. R. Christensen ( December 17 , 1906 - January 27 , 1967 ) was an Norwegian newspaper editor . 1 +The mesoscopic weighting function for the wavelength formula 1 can be written as a weighted sum ; The mesoscopic weighting function at wavelength formula _ 1 can be written as the weighted sum , 1 +When he calls Holly , Adam warns his sister that she can do it much better , but she does not listen and spends the evening with Aaron . When he asks Adam out , Aaron warns his sister that she can do much better , but she does not listen and spends the evening with Holly . 0 +William and Elizabeth died the following year in 1859 . In 1859 , Elizabeth died and in the following year William died . 0 +Taieri is a former parliamentary electorate in the New Zealand region of Otago , from 1866 to 1911 . Taieri is a former parliamentary constituent in the New Zealand region of Otago , from 1866 to 1911 . 1 +The Doig Formation , a Triassic age geological unit of the Western Canadian Sedimentary Basin was named for the river . The Doig formation , a geological unit of the triassic period of the western Canadian sedimentary basin , was named for the river . 1 +Abraham Naftali Hertz Scheuer was born in 1753 , the son of his father Rabbi David Tebele Scheuer in Frankfurt am Main . Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi David Tebele Scheuer . 1 +Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 in the final against Pat Cash and Patrick Rafter . Jan Apell and Brent Haygarth won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Pat Cash and Patrick Rafter . 1 +""" What you are , do what you want "" was covered in 1979 by The Dramatics ." """ Do What You Want , Be What You Are "" was covered by The Dramatics in 1979 ." 0 +Both tournaments know , despite the clear separation between the two confederations , have a tradition to invite countries outside the region . Despite the clear separation between the two confederations , both tournaments have a tradition to invite countries outside the region . 0 +Yauli is one of nineteen districts in the Province of Huancavelica in Peru . Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . 0 +This process is the photographic equivalent of a cylindrical map projection in cartography . This procedure is the cylindrical equivalent of a photographic map projection in cartography . 0 +The branch codice 2 is updated daily , and the branch codice 3 is updated every 6 months . The codice _ 2 branch gets updated daily , and the codice _ 3 branch is updated for every 6 months . 1 +The western extension of London ’ s congestion charge was withdrawn in 2007 ( and introduced on January 1 , 2011 ) . The Western Extension of the London congestion charge was introduced in 2007 ( and withdrawn on 1 January 2011 ) . 0 +In 2012 , he was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur as a candidate of the Indian National Congress . He was elected as a Chairman of Zilla Parishad ( District Pnachayat ) of Kolhapur in 2012 as an Indian National Congress candidate . 1 +McIntyre is from Stuart , West Virginia , has 4 children , and attended school in Florida . McIntyre is from Stuart , West Virginia , has 4 children and has attended school in Florida . 1 +He represented the country at UEFA Euro in 1968 , when Italy lost in the final to Yugoslavia . He represented the country at UEFA Euro 1968 , as Yugoslavia lost to Italy in the final . 0 +A road was built by the government in 1901 from Ruatahuna to Rotorua to end the isolation of Tūhoe by opening the first motorway . A road was built by the government from Ruatahuna to Rotorua in 1901 to end the isolation of Tūhoe by opening up the first motor road . 1 +"In October 1923 , Spencer started renting Henry Lamb 's studio in Hampstead where he began work on "" The Resurrection , Cookham "" ." "In October 1923 , Spencer began renting Henry Lamb 's studio in Hampstead , where he worked on "" The Resurrection , Cookham "" ." 1 +The choir includes the magnificent wooden altar and a Gothic choir with two floors ( 1521 ) . The choir includes the magnificent wooden altar and a Gothic choir-enclosure ( 1521 ) with two floors . 1 +Ruhollah Khomeini was appointed Chief Public Prosecutor of the Special Court for the Clergy in 1987 by Fallahian and led the trial of Mehdi Hashemi . In 1987 , Fallahian was appointed Chief Public Prosecutor of the Special Court for the Clergy by Ruhollah Khomeini , and led the trial of Mehdi Hashemi . 0 +Calibogue Sound is between Daufuskie and Atlantic Ocean . It connects the Hilton Head Islands and the Harbour Town Marina with the Intracoastal Waterway . Calibogue Sound is located between Daufuskie and the Atlantic Ocean and connects the Hilton Head Islands and the Harbour Town Yacht Marina with Intracoastal Waterway . 1 +See also a list of finite Abelian groups for small groups of order 30 or less . See also list of finite abelian groups for small groups of order 30 or less . 1 +A second portion is exposed to a universal allergy such as pokeweed to serve as a positive control . A second portion is exposed to a universal allergen , such as Pokeweed , to serve as a positive control . 1 +On June 14 , Jackson served as a second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . On June 14 , Jackson served in a duel on behalf of his junior officer William Carroll as the second against Jesse Benton , the brother of Thomas . 0 +In January of next year , it was announced that Scott would replace Pruett Craven in the number of PPI motorsports . In January the next year , it was announced that Scott Pruett would replace Craven in PPI Motorsports 's Number . 0 +The cumulative file version of SP2 is full -- SP1 does not need to be installed -- while SP1 needs to be installed for the client version . The full file version of SP2 is cumulative -- SP1 does not have to be installed -- while the client version requires SP1 to be installed . 0 +Congregation : But if we confess our sins , God who is faithful and just will forgive our sins and cleanse us from all unrighteousness . Congregation : But if we confess our sins , God who is faithful will cleanse our sins and forgive us from all injustice . 0 +"The ninth episode of the second season of "" Supergirl "" , which was titled "" Homage to "" Superman Lives "" Supergirl Lives "" , was directed ." "Kevin Smith directed the ninth episode of the second season of "" Supergirl "" , which was titled "" Supergirl Lives "" as homage to "" Superman Lives "" ." 0 +Nikolay Davydenko won against Marat Safin in the final 6 : 4 , 5 : 7 , 6 : 4 . Marat Safin won against Nikolay Davydenko in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . 0 +Guy Stern ( born January 14 , 1922 in Hildesheim ) is a German-Jewish literary scholar , primarily German and comparative literature . Guy Stern ( born January 14 , 1922 in Hildesheim , Germany ) is a German-Jewish scholar of literature , primarily German and comparative . 1 +The encounters between teachers and other expats in Bogotá were continued in 2001 , before a touring team from Panamá spent a week in the Colombian capital in May of that year . Matches between teachers and other expats in Panamá continued in 2001 , before in May that year a touring team from Bogotá spent a week in the Colombian capital . 0 +Khurda Road is one of the three divisions of East Coast Railway . The East Coast Railway is one of three departments of Khurda Road . 0 +Limestone from the quarry of TexaStone in Garden City was donated in 2004 for establishment of the Stonehenge replica in Odessa , Texas . Limestone from the quarry of TexaStone in Garden City was donated in 2004 for the establishment of the Stonehenge - replica in Odessa , Texas . 1 +John Higgins lost the third round of the UK Championship against Carter in 6 -- 2 . John Carter lost the third round of the UK Championship against John Higgins in 6 -- 2 . 0 +His son Jon Spoelstra is a former National Basketball Association executive and his grandson Erik Spoelstra is the current head coach of the Miami Heat . His son Erik Spoelstra is a former manager of the National Basketball Association and his grandson Jon Spoelstra is the current coach of Miami Heat . 0 +But again in Beethoven 's , and least of all in this , which never is full of originality . But again in Beethoven , and least of all in this , which is never full of originality . 1 +"Although iron in many catalytic applications is generally less active , it is less expensive and "" greener than other metals ." "Although iron is generally less expensive in many catalytic applications , it is less active and "" greener "" than other metals ." 0 +"The species was first formally described by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by James Drummond ." "The species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by James Drummond ." 1 +Peoria County is a part of the Peoria , IL Metropolitan Statistical Area . Peoria is part of the Peoria County , IL Metropolitan Statistical Area . 0 +Since the flagellum of human sperm is actually a modified cilium , ciliary dysfunction can also be responsible for male infertility . Since the flagellum of human sperm is actually a modified cilium , the ciliar - dysfunction for male infertility can also be responsible . 1 +This 2nd iteration of WiFI Module reduced the size by 60 % and increased the processing speed by 300 % . This second iteration of the WiFi module has increased the size by 300 % and reduced processing speed by 60 % . 0 +It is 21 kilometres north-west of Bururi and 12.6 kilometres southeast of Vyanda and south of Muyuga by road . By road it is located 21 kilometres northwest of Bururi and 12.6 kilometres southeast of Vyanda , and south of Muyuga . 1 +He is a member of IEEE , the ACM , the AAAS and the EATCS . He is a fellow of the ACM , the IEEE , the AAAS , and EATCS . 1 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential real estate and also a number of commercial and industrial areas . Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and also a number of residential areas . 0 +She represented Bulgaria at all junior senior levels and is also a member of the national team . She has represented Bulgaria at all junior national levels and is also a member of the senior team . 0 +On 1 January 1960 , the Highveld regiment was founded in Middelburg , which also stationed a Rear HQ in the town of Nelspruit . Regiment Highveld was formed in Middelburg on the 1 January 1960 , it also stationed a rear HQ in the town of Nelspruit . 1 +Irregular menstruation is a menstrual disorder whose manifestations include irregular cycle lengths as well as metrorrhagia ( vaginal bleeding between expected periods ) . Irregular menstruation is a menstrual disorder whose manifestations include irregular cycle lengths as well as metrorrage ( vaginal bleeding between expected periods ) . 1 +Caroline Wozniacki won the title by beating Vera Zvonareva with 6 -- 3 , 3 -- 6 , 6 -- 3 in the final . Vera Zvonareva won the title by beating Caroline Wozniacki in the final 6 -- 3 , 3 -- 6 , 6 -- 3 . 0 +Previously held in the city of Auckland , the show moved to Christchurch at Hagley Park in 2008 . The show , which was previously held in the city of Auckland , was moved to Christchurch in 2008 at Hagley Park . 1 +He was part of the Danish team , which won the silver medal in men 's gymnastics in 1920 , a Swedish system event . He was part of the Swedish team which won the silver medal in men 's gymnastics , Danish system event in 1920 . 0 +"The finished product was marketed as "" UFO : Enemy Unknown "" in North America and as "" X-COM : UFO Defense "" in Europe and Australia ." "The finished product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X - COM : UFO Defense "" ." 1 +In 1944 , it was sold to Santa Maria Valley Railroad , and in 1958 it was donated to the Travel Town Museum in Los Angeles , California . In 1944 it was donated to the Santa Maria Valley Railroad , and in 1958 it was sold to the Travel Town museum in Los Angeles , California . 0 +""" Spruance "" was sunk on 23 March 2005 and then was decommissioned as a target on 8 December 2006 ." """ Spruance "" was sunk on 23 March 2005 and was decommissioned as a goal on 8 December 2006 ." 1 +The treatment included progressive muscle relaxation , interoceptive exposure therapy with cognitive restructuring , or a combination of both . The treatment included progressive muscle relaxation , cognitive exposure therapy with interoceptive restructuring , or a combination of both . 0 +He owned a collection of 190 paintings , nine by Gerard Dou and eleven by Frans van Mieris , in the 17th century highly valued and pricey painters . He owned a collection of 190 paintings , nine by Frans van Mieris and eleven by Gerard Dou , highly appreciated and expensive painters in the 17th century . 0 +It serves Dadar - area of the city Mumbai . It serves Mumbai area of the city Dadar . 0 +When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with departments to secure boats . When Arnold arrived on the scene , Samuel Herrick had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . 0 +Actress Carol do Monte portrays Manuela in the 2013 Brazilian version of the series . Carol do Monte portrays Manuela in the Brazilian version of the series 2013 . 1 +Rosemont 's Allstate Arena is home to the Chicago Wolves of the WNBA , the American Hockey League 's Chicago Sky , and the DePaul University basketball team . The Allstate Arena of Rosemont is home to the Chicago Wolves of WNBA , the Chicago Sky of the American Hockey League and the DePaul University basketball team . 1 +Jean Sébastien Bach performed at the age of nine years for the first time and was the youngest winner of the Favier competition in Leipzig . Jean Sébastien Bach performed for the first time at the age of nine and was the youngest winner of the Favier competition in Leipzig . 1 +The municipalities which border Padenghe sul Garda are Polpenazze del Garda , Prevalle , Bedizzole , Calvagese della Riviera , Lonato , Soiano del Lago and Muscoline . The communes which border on Padenghe sul Garda are Polpenazze del Garda , Prevalle , Bedizzole , Calvagese della Riviera , Lonato , Soiano del Lago , and Muscoline . 0 +"Mukesh ( Venugopal ) is a lead singer of the music band "" Hits Orchestra "" ." "Venugopal ( Mukesh ) is the lead singer of music band "" Hits Orchestra "" ." 1 +The Keiskamma River marked the border between the Cape Province and former British Kaffraria , known also then as Queen Adelaide 's Province , until 1847 . Until 1847 , the Keiskamma River marked the border between the Cape Province and the former British Kaffraria , which was then known as Queen Adelaide 's province . 1 +She has been a Senior Policy Advisor and National Spokesperson with the 2008 John McCain presidential campaign and political commentator on MSNBC , CNN and Fox News . She was a senior policy adviser and national spokesperson with the 2008 John McCain presidential campaign and political commentator on Fox News , CNN , and MSNBC . 1 +The river Zăbrătău is a tributary of the Bota Mare river in Romania . The Bota Mare River is a tributary of the Zăbrătău River in Romania . 0 +The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a mighty kingdom of the historical subcontinent . The Greeks and Romans identified the region as Gangaridai , a historical kingdom of the powerful subcontinent , in the 3rd century BCE . 0 +Another new bridge was built at Neak Leung on the Phnom Penh to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . Another new bridge was built by Neak Leung at the Phnom Penh to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . 1 +Had the Immigration Officer intended on arrival that asylum was known , then he would not have granted entry as a visitor . If the immigration official had known that asylum was intended on arrival , he would not have granted entry as a visitor . 0 +From 1913 to 1962 , the university taught basic sciences in Loma Linda , but sent its students to Los Angeles for clinical experience . From 1913 to 1962 , the University teached basic sciences in Los Angeles , but sent its students to Loma Linda for clinical experience . 0 +In Redistricting the 23rd district was renumbered into the 20th district . In Redistricting the 20th district was renumbered into the 23rd district . 0 +The beta version of the service was discontinued on July 30 , 2008 . Windows Live FrameIt was released on December 15 , 2010 . The beta version of the service was discontinued on 30 July 2008 and Windows Live FrameIt was released on December 15 , 2010 . 1 +For this match against the Dragons , whose colors are also red and white , Wigan wore mostly black jerseys . For this match against the Dragons , whose colours are also black , Wigan wore mostly red and white jerseys . 0 +The election of Lincoln in 1860 opened a new era of republican dominance in the agricultural north and the industrial Midwest . The election of Lincoln in 1860 opened a new era of Republican dominance based in the agricultural North and industrial Midwest . 1 +In 2013 Peter married Anna Barattin while Julia is married to Nicholas Furiuele , both are members of the band Shantih Shantih . In 2013 , Nicholas Furiuele married Julia while Peter was married to Anna Barattin , both of whom are members of the band Shantih Shantih . 1 +Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an Olympic competitor in synchronized swimming and American champion . Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an Olympic competitor in the synchronized swimming and American masters . 1 +On 19 January 2008 , Matt Skelton met WBA - Heavyweight - Champion Ruslan Chagaev in Düsseldorf . Matt Skelton faced WBA Heavyweight Champion Ruslan Chagaev on 19 January 2008 in Düsseldorf . 1 +Thomas Thomas was the youngest child of the farmers Fred and Elizabeth Goodwill . Fred was the youngest child of the farmers Thomas and Elizabeth Goodwill . 0 +She lived in Metro Manila before moving to Minglanilla , Cebu . She lived in Minglanilla , Cebu , before moving to Manila Metro . 0 +It flows north near Pietragalla and curves to the east north of Cancellara and south of Bradano . It flows north near Pietragalla and curves eastward north of Cancellara and south of the Bradano . 1 +Dominika Cibulková won the title , defeating Agnieszka Radwańska in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . Dominika Cibulková won the title and defeated Agnieszka Radwańska in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . 1 +He became a regular canon He was a respected poet in the Latin language , under the name of Santolius Victorinus writing . He became a prestigious canon , a regular poet in the Latin language , under the name of Santolius Victorinus writing . 0 +A common suffix is -aga , which is a nominalizer : it forms nouns from verbs . A common suffix is-aga , which is a nominaliser : it forms nouns from verbs . 1 +The two other fundamental quantum field theories are quantum chromodynamics and the electroweak theory . The other two fundamental quantum field theories are quantum chromodynamics and the electro-weak theory . 1 +He is angry to learn that in June Ethan Lovett ( Nathan Parsons ) is his half brother . He is upset to learn in June that Nathan Parsons ( Ethan Lovett ) is his half brother . 0 +Fagerum is a small village in Öland . It belongs to the municipality of Borgholm . Fagerum is a small village on Öland . It belongs to the municipality of Borgholm . 1 +Liverpool Township is between 20 and 30 miles south of Lake Erie and approximately five miles west of Interstate 71 . Liverpool Township is located between 20 and 30 miles south of Lake Erie and about five miles west of Interstate 71 . 1 +"It was also produced by PP Arnold in 1966 on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." "It was also produced by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold produced once again by Andrew Loog Oldham in 1970 ." 0 +He became professor of inorganic chemistry in 1891 and professor of general and analytical chemistry in 1903 . In 1891 he became Professor of General and Analytical Chemistry and Professor of Inorganic Chemistry in 1903 . 0 +Construction of the new stadium was held for 4 years and on 21 August , 1974 were inaugurated . The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . 1 +In August 2006 she debuted in Australia and arrived in New Zealand in early 2007 . It arrived in August 2006 in Australia and debuted in New Zealand in early 2007 . 0 +Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) starred in a 2009 revival at The Old Vic in London . Matthew Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) played at The Old Vic in London in a revival in 2009 . 1 +The Philadelphia Eagles selected Hicks in the ninth round ( 84th total ) of the NFL Draft 2015 . He was the third linebacker in 2015 . The Philadelphia Eagles selected Hicks in the third round ( 84th overall ) of the 2015 NFL Draft . He was the ninth linebacker selected in 2015 . 0 +It is located in the hills between the Koonung Creek and the Mullum Mullum Creek . It is located in the hills between the Mullum Creek and the Creek Koonung . 1 +Moss Man is voiced by John Payne in the 1980s series and by Lou Scheimer in the 2002 series . Moss Man is spoken by John Payne in the 1980s and by Lou Scheimer in the 2002 series . 1 +He was born into a family of actors , including his father Cellier and half-sister Antoinette , his grandfather was the Gilbert and Sullivan - conductor François Cellier . He was born into a family of actors , including his father Frank and half-sister Antoinette , his grandfather was the Gilbert and Sullivan conductor François Cellier . 0 +Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint session to explain the nominations and compare the result . Note : The votes were cast on January 20 , but both Houses met in a joint session on January 21 to declare nominations , and compare the result . 1 +In 2011 , LuxDev disbursed 115 projects and programmes and managed a total amount of 78,323,358 euros . In 2011 , LuxDev managed 115 projects and programmes and disbursed a total of 78,323,358 euros . 0 +Abijah Stark came with his family from Coleraine , Providence and settled first just north of Fish House near the Massachusetts town line . Abijah Stark came from Coleraine , Massachusetts with his family and settled just north of Fish House near the Providence Town Line . 0 +Private Aqua Cycling is a fitness concept that combines active training with underwater – balneotherapy in private rooms . Private Aqua Cycling is a fitness concept that combines underwater workout with active balneotherapy in private rooms . 0 +"He was presented by Robert Loggia in the television film A Woman Called Golda "" ( 1982 ) , opposite Ingrid Bergman as Golda Meir ." "He was portrayed by Golda Meir in the 1982 television movie "" A Woman Called Golda "" , opposite Robert Loggia as Ingrid Bergman ." 0 +The traditional clothing of Ruska Roma is based on the Russian and traditional Kalderash clothes and is actively used by singers and dancers . The Ruska Roma traditional clothing is based on traditional and Kalderash Russian clothing , and is used actively by singers and dancers . 0 +It is believed that Anna Wilson met Dan in New Orleans and eventually persuaded her to come with him to Omaha . It is believed that Anna Wilson met Dan in New Orleans , eventually persuading her to come to Omaha with him . 1 +The original edition was published by in 1953 in London by Allen & Unwin and in New York by Harper . The original edition was published in New York in 1953 by Allen Unwin and in London by Harper . 0 +"On his 1990 album "" You Oughta Be Here with Me "" , he recorded the song as "" Somebody Always Paints the Wall "" ." "George Jones took the song as "" Somebody Here Paints the Wall "" on his album "" You Oughta Be Always with Me "" of 1990 ." 0 +"If "" A "" and "" B "" are algebraic spaces , the Banach tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B are algebraic spaces , the Banach - the tensor product of "" A "" and "" B "" means the tensor product of" 1 +Shiva wanted to see Rama , but Sati was in the dark that Rama was a manifestation of God . Shiva wanted to see Rama , but Sati in the dark was that Rama was a manifestation of God . 1 +With effect from 1 October 2012 , the airline transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport . The airline transferred all operations from Suvarnabhumi Airport to Don Mueang International Airport effective 1 October 2012 . 0 +Saptarshis - List : Kashyapa , Atri , Vashista , Angira , Vishnu , Agastya , Bharadvaja During Vaivasvata-Manvantara is called the avatar of Lord Gautama Vamana . Saptarshis list : Kashyapa , Atri , Vashista , Angira , Gautama , Agastya , Bharadvaja . During Vaivasvata-manvantara , Lord Vishnu 's avatar is called Vamana 0 +Glace Bay , the second largest urban community in the population , was the island 's last coal mine until its main mine was closed in the 1980s . Glace Bay , the second largest urban community in population , was the island 's main coal mining centre until its last mine closed in the 1980s . 0 +Units can be obsessed on any other continent , but not imported . Units can be imported , but not owned , on any other continent . 0 +"All songs written by Graham Russell ; except "" A Place Where We Belong "" co-written by Alejandro Lerner ." "All songs written by Alejandro Lerner , except "" A Place Where We Belong "" by Graham Russell ." 0 +He has Indigo dark blue fur and has a blue rain cloud with raindrops and hearts as his belly symbol . He has dark blue fur Indigo and has a blue cloud of rain with raindrops and hearts as his abdominal symbol . 1 +He dissolved William Ewer as Governor and was replaced by Peter Gaussen . He replaced William Ewer as Governor and was succeeded by Peter Gaussen . 1 +At the time , CBS was owned by MarketWatch . MarketWatch was owned by CBS at the time . 0 +With the help of the bassist Pat Schick , keyboarder Guy Daniel and drummer Camus Celli , Ponti played guitars and keyboards on the album . Guitars and keyboards played on the album with the help of bassist Camus Celli , keyboardist Guy Daniel and drummer Pat Schick . 0 +When the Portishead Railway was built in 1866 , the ferry became popular with users of Clifton Bridge railway station . When the Clifton Bridge was built in 1866 , the ferry became popular with the users of Portishead Railway Station . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso , which is currently Ghana 's ambassador to Ghana . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana , which is currently Ghana 's Ambassador to Burkina Faso . 0 +The town of Cortland , near the western border of the county , is surrounded by the city of Cortlandville . The town of Cortlandville , located near the western border of the county , is surrounded by the city of Cortland . 0 +Pyrgus alpinus is a butterfly of the family Hesperiidae . It is found from Ghissar to northern India and western China . Pyrgus alpinus is a butterfly of the Hesperiidae family . It comes from Ghissar to Western China and northern India . 1 +"In 2015 , Bookboon was mentioned in newspapers such as the German ‘ Handelsblatt "" ’ and one of its Swedish books was presented in the Swedish metro ." "In 2015 , Bookboon was presented in newspapers such as the German Handelsblatt "" , and one of its Swedish books was mentioned in the Swedish metro ." 1 +Frank offered to accompany the children because he wanted to watch Aslan himself . Frank offered to accompany the children , because he wanted to see Aslan himself . 1 +A competition between Deputy Chief Sharon Raydor , Commander Leo Mason and Captain Winnie Davis developed for the position . A competition develops between Deputy Chief Sharon Raydor , Commander Leo Mason and Captain Winnie Davis for the position . 1 +On the northwest corner of the lake is the Sayran bus stop , while the Sayran metro station is on the south-eastern corner . On the northwest corner of the lake is the Sayran bus station , while on the southeast corner is the Sayran metro station . 1 +Barrallier Island is a very small uninhabited island that is located northwest of French Island in Victoria , Australia . Barrallier Island is a very small uninhabited island located northwest of French Island in Victoria , Australia . 1 +Byron Township changed its name from Byron Township on December 28 , 1850 to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . Byron Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . 1 +The book has a preface from Vera Baird , one of the lawyers who represented Humphreys , and contributions by Beatrix Campbell and friends of Humphreys . The book has a foreword by Vera Baird , one of the barristers who represented Humphreys , and contributions from Beatrix Campbell and friends of Humphreys . 1 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno for Caldara in 1709 . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Caldara for Apostolo Zeno . 0 +"She travelled with John , Marian , and Jack in 1912 when they went to Europe and returned home with them on the "" Titanic . """ "She travelled with John , Marian and Jack in 1912 when they traveled to Europe and returned home with them on the "" Titanic "" ." 1 +After completing his first university education at Cardiff University and in Harrogate , North Yorkshire , he was established in Rouen , France from 1996 to 1999 . After completing his university education at Cardiff University and Rouen , France , he was based in Harrogate , North Yorkshire , from 1996 to 1999 . 0 +The other major retailers in the town are Menards , Meijer , Walgreens and Tractor Supply Company . The other major retailers in the city are Tractor Supply Company , Meijer , Walgreens , and Menards . 1 +"In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the reverse alphabet in lyrical style ." "In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the lyrical alphabet in reverse style ." 0 +"This article incorporates information translated from the article ( "" Usuki-shi "" ) in the Japanese Wikipedia , retrieved before September 28 , 2011 ." "This article contains information from the article ( "" Usuki-shi "" ) in the Japanese Wikipedia , translated before 28 September 2011 ." 0 +It is found only in Yunnan and its tributaries in Lake Dianchi , China . It is found only in Yunnan and its tributaries in the Dianchi - Lake , China . 1 +The high ground was Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from Los Angeles , California to St. Augustine , Florida . The high ground became Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . 0 +Kitikmeot Region , Nunavut , Canada is an island in the western part of Victoria Island , south of Seven Mile Island , Coronation Gulf . Seven Mile Island is an island located inside western Coronation Gulf , south of Victoria Island , in the Kitikmeot Region , Nunavut , Canada . 0 +Sinclair T. Chitty , his mother , married at the age of 15 his father Thomas Kincaid Blake Jr.. John , the mother of Thomas Kincaid Blake Jr. , married his father Sinclair T. Chitty at the age of 15 . 0 +To find the λ parameter that maximizes the probability function for the Poisson population , we can use the log of the probability function : To find the parameter λ that maximizes the probability function for the Poisson population , we can use the logarithm of the likelihood function : 1 +Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrical Engineering at Harvard University . Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrotechnics at Harvard University . 1 +Kirk Deighton is served by route 780 , Harrogate to Wetherby , and route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . Kirk Deighton is operated by Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 1 +It comes in standard black worldwide , although a white version has only been released in Japan . It comes in standard black only , although a white version was released in Japan worldwide . 0 +""" Gynacantha rosenbergi "" appears larger than "" Gynacantha dobsoni "" , which is rather similar in many ways ." """ Gynacantha rosenbergi "" is larger than "" Gynacantha dobsoni "" , which seems quite similar in many ways ." 0 +In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk to CryptoLogic in August 2007 for £ 3.6 million in cash . In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to Gaming Corporation . 0 +The Coldfoot Airport on the west side of Dalton Highway consists of a 1220 m high gravel strip . The Dalton Highway , located on the west side of Coldfoot Airport , consists of a 1220 m long gravel strip . 0 +Separate lists are provided for the 61 listed real estate and historic districts in Chicago and more than 350 listed properties and districts in Evanston . Separate lists are provided for the 61 listed properties and historic districts of Evanston and the more than 350 listed properties and districts in Chicago . 0 +His first wife was Alice Silverthorne of the USA , whom he met in Paris in May 1921 and married in Chicago in September of the same year . His first wife was Alice Silverthorne of the U.S. , whom he met in Paris in May 1921 and married in Chicago in September of that year . 1 +It is located north of New Hempstead , east of Harriman State Park , north of Monsey and west of Mount Ivy . It is located to the north of New Hempstead , east of Harriman State Park , north of Monsey and west of Mount Ivy . 1 +Paul Okoh is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana . He is currently Egypt 's ambassador to Ghana . Paul Okoh is a Ghanaian diplomat , member of the New Patriotic Party of Ghana , and Egypt 's ambassador to Ghana . 1 +He died in Lyon on 23 July 1963 and was buried at the cemetery of la Chartreuse in Bordeaux . He died in Bordeaux on 23 July 1963 and was buried at the Chartreuse cemetery in Lyon . 0 +"A costumed carnival features "" chirigotas "" , large groups that sing of current events in a humorous way ." "A costumed carnival showing "" chirigotas "" , large groups that sing in a humorous way of current events ." 1 +Telecomms - infrastructure and global crossing were sold to Racal , which in turn was sold to the Thales Group and merged with British Rail Telecommunications . The Telecomms infrastructure and British Rail Telecommunications was sold to Racal , which in turn was sold to Global Crossing and merged with Thales Group . 0 +His descendant of many other people , his father fought at war and decided , when it ended , to stay in Paraguay , like the Brazilian soldiers at the time . Descendant of Brazilian people , his father fought in the war and once it ended , decided to stay in Paraguay , like many other soldiers at the time . 0 +The Durga - Temple is the main attraction for Aihole - visitors and its apsidal layout iconic . The Durga temple is the principal attraction for Aihole visitors and iconic in its apsidal layout . 1 +In 1880 the western half of the Mount Ayr Township Kill Creek Township became . In 1880 , the western half of Mount Ayr Township became Kill Creek Township . 0 +The following organs were visited : Argao in Bohol ( still playable ) and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Cebu . The following organs were visited : Argao in Bohol ( still repeatable ) and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Cebu . 1 +Cilicia is the seat of Catholic of Antelias of the Armenian Catholicosate of the Great House of Cilicia . Antelias is the seat of the Catholicos of Cilicia of the Armenian Catholicosate of the Great House of Cilicia . 0 +Inscription is open to non-Christian students of all denominations as well as Christian students . Enrolment is open to non-Christian students of all denominations as well as Christian students . 0 +"At the end of this "" Dasaratha-Jataka "" discourse , the Buddhist text declares that Buddha was Rama in his previous rebirth :" "At the end of this "" Dasaratha-Jataka "" discourse , the prior text declares that the Buddha in his Buddhist rebirth was Rama ." 0 +In December 2007 , he said that the local majority would present common lists for the 2008 presidential elections . In December 2007 , he said that the presidential majority would present common lists for the local elections in 2008 . 0 +Maria Maria Vittoria Rossa Argento ( born September 20 , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and film director . Argento ( born September 20 , 1975 in Argento , Aria Maria Vittoria Rossa Argento ) is an Italian actress , singer , model , activist and director . 1 +The 1963 San Francisco State Gators football team represents College Division during the 1963 San Francisco State College Football season . The 1963 San Francisco State Gators football team represents San Francisco State College football season during the 1963 College Division . 0 +The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharges . The role of corpus callosum in the epilepsy is the epileptiform transmission of interhemispheric discharges . 0 +"The band consisted of Tom Cosgrove on lead guitar , Ralph Schuckett on rhythm guitar , "" Buffalo "" Bill Gelber on bass and "" Chocolate "" on drums ." "The band consisted of Ralph Schuckett on lead guitar , Tom Cosgrove on the rhythm guitar , "" Buffalo "" Bill yellow on the bass and "" chocolate "" on drums ." 0 +"In addition , the song "" Calling All Angels "" is played by Jane Siberry in the movie and is included in the soundtrack ." "In addition , the song "" Calling All Angels "" is included in the movie by Jane Siberry and is played on the soundtrack ." 0 +Suffolk county cricket teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket Club in 1864 . Suffolk County Cricket Teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket - Club 1864 . 0 +Walker was born in Glenwood , Illinois , in 1967 . He attended Bloom High School in Chicago Heights , Illinois . Born in 1967 in Glenwood , Illinois , he attended the Bloom High School in Chicago Heights , Illinois . 1 +Since 2002 , Scotland A has participated in the Amateur Four Nations competition and travelled to Serbia , the Netherlands and Italy . Since 2002 , Scotland A has participated in the Amateur Four Nations competition and visited Italy , the Netherlands and Serbia . 1 +Pajumaa is a village in Lääneranna Parish , Pärnu County , in western Estonia . Pajumaa is a village in Lääneranna , Estonia , in western Pärnu County . 0 +It is also used to collect saliva to distribute solid food or to soften loose particles . It is also used to distribute saliva to soften solid foods or collect loose particles . 0 +Contempo Magazine is a daily online American print and monthly magazine published in McAllen , Texas . Contempo Magazine is a monthly American print and online magazine in McAllen , Texas . 0 +The Irfon defines the northern limit of the Mynydd Epynt area between Llanwrtyd Wells and Builth Wells . Irfon defines the northern border of the Mynydd Epynt area between Llanwrtyd Wells and Builth Wells . 1 +The Interogator read a lot of papers , then came in four months of stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . The Interogator typed a lot of papers and then came in four months to Abdulla , the Intorgator read the papers and forced Abdulla to write it . 0 +Abbie Carmichael ( played by Angie Harmon ) replaced the season 8 Jamie Ross ( Carey Lowell ) in the role of Assistant District Attorney . Abbie Carmichael ( played by Jamie Ross ) replaced season 8 's Carey Lowell ( Angie Harmon ) in the role of Assistant District Attorney . 0 +French Colonel Louis Archinard formally conquered the entire territory of the former Kaarta kingdom in 1890 , which was later annexed into French West Africa in 1904 . In 1890 , French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom , which was officially annexed to the French West Africa in 1904 . 0 +He won three all-Ireland medals for Dublin in 1977 , 1976 , 1974 . He won medals for Dublin in 1977 , 1976 , 1974 three all-Ireland . 1 +In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Sand Mountain and the Wills Valley to the east . In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Wills Valley and the Sand Mountain to the east . 0 +In modern times it is mainly a recreational sport and sporting activity . In modern times , it is mainly a recreational sport and competitive activity . 1 +The house is located right north of the Glan Clwyd Hospital in the parish of Bodelwyddan in the historic county of Denbighshire , but now in Flintshire . The house is situated immediately to the north of Glan Clwyd Hospital in the parish of Bodelwyddan in the historic county of Denbighshire , but now in Flintshire . 1 +The film was produced , directed and edited by Tom Flannery and Lorne Clarke , and the soundtrack was written by Bruce David Janu . The film was produced , staged and edited by Bruce David Janu , the soundtrack was composed by Tom Flannery and Lorne Clarke . 0 +"In 1917 , Jack Johnson managed "" Johnson 's Topeka Giants , "" a team that played at least one game against the All Nations base ball club ." "In 1917 , Jack Johnson headed Johnson 's Topeka Giants "" , a team that played at least one game against the All Nations Base Ball Club ." 1 +In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 to Gaming Corporation for £ 3.6 million in cash . In October 2006 , CryptoLogic changed its name to Media Corporation , and sold Casino.co.uk to Gaming Corporation for £3.6m in cash in August 2007 . 1 +It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . It features a fresh 1814 shoot on legendary artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . 0 +He currently lives with his partner Randi in Odda and has three children , Lothe , Ida and Vetle , from a previous relationship . Stian currently resides in Odda with his partner , Randi . He has three children , Lothe , Ida , and Vetle , from a previous relationship . 1 +In December 1831 , Somerville joined the British army regiment of the Royal Scots Greys . Somerville had joined the Royal Scots Greys regiment of the British Army in December 1831 . 0 +Corozal is a town and municipality in the Sucre department of northern Colombia . Sucre Department is a town and municipality in the Corozal , northern Colombia . 0 +However , a survey among software engineering experts revealed that documentation is by no means agile in the event of unnecessary development . A survey among software engineering experts revealed , however , that documentation is by no means considered agile in unnecessary development . 1 +He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . 1 +Brockton is situated about 25 miles northeast of Providence , Rhode Island and 30 miles south of Boston . Brockton is approximately 25 miles south of Boston , and 30 miles northeast of Providence , Rhode Island . 0 +He was enrolled in music lessons by the Croatian composer Rudolf Matz and later the Vatroslav Lisinski Music School . He was taught music by the Croatian composer Vatroslav Lisinski and later enrolled in the Rudolf Matz music school . 0 +Graham Bayne ( born August 22 , 1979 ) is a Scottish professional footballer who also plays for Elgin City , where he is currently the Assistant Manager . Graham Bayne ( born 22 August 1979 ) is a Scottish professional footballer who also plays for Elgin City , where he is currently Assistant Manager . 1 +""" Under the Radar "" gave him five out of ten stars and called it "" a very professional , but almost insignificant set ... flat and ultimately uninspired ." """ Under the Radar "" gave it five stars out of ten and called it "" a very professional but ultimately uninspired set ... flat and almost inconsequential . """ 0 +"Trina Broussard began her career in 1997 when she sounded Minnie Riperton 's song "" Inside My Love "" ." "Minnie Riperton began her career in 1997 when she covered Trina Broussard 's song "" Inside My Love "" ." 0 +Politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . In Käru , the politician and entrepreneur Kuno Pajula ( 1885 - 1942 ) and former archbishop Juhan Kukk ( 1924 - 2012 ) were born . 0 +All was born in Oldtown , Kentucky , and attended the High School in Ashland , where he played football at West Virginia University from 1932 to 1934 . Allen was born in Ashland , Kentucky , visited the High School in Oldtown and played at West Virginia University from 1932 to 1934 . 0 +""" The Evolution of Dance "" is the ninth interlude and the second track on the album ." """ The Evolution of Dance "" is the ninth interlude and the second title on the album ." 1 +The town itself is very modern , but also picturesque with functional regular urban planning . The city itself is very modern , but also picturesque with functional regular urban planning . 1 +Joey Ellis was in the role of Nathan Bryon , who would be introduced from his hometown as a friend of the established character Tiger Dyke . Joey Ellis was cast in the role of Nathan Bryon , who would be introduced as a friend of established character Tiger Dyke from his hometown . 1 +The song is a crossover from Dance ManiaX 2ndMix , sung by Tomosuke Funaki and composed by emi . The song is a crossover of Dance ManiaX 2ndMix , sung by Tomosuke Funaki and composed by emi . 1 +The son of Alexander , 3rd Lord was Robert Boyd . Robert Boyd was the son of Alexander , Lord Boyd . 0 +The Jiu River is a tributary of the Izvorul River in Romania . Izvorul - River is a tributary of the River Jiu in Romania . 0 +He ended this practice because of the difficulty of distinguishing between ethnographic works and original arrangements and between main and side works . He ended this practice because of the difficulty of distinguishing between ethnographic works and original arrangements , and between major and minor works . 1 +The audio companion to the live concert was released as a digital album on iTunes on January 29 , 2008 . The audio companion to the live concert was released on January 29 , 2008 as a digital album with iTunes . 1 +After the cry , Vince Neil John Corabi replaced temporarily in Mötley Crüe . After The Scream , Vince Neil temporarily replaced John Corabi in Mötley Crüe . 1 +With this steganographic process , high-quality copies of an original ( e.g . a bank note ) under blue light have become identifiable . With this high process , steganographic copies of an original ( e.g . a note ) have become identifiable under blue light . 0 +"All Greek societies at the Pacific University are "" local "" , meaning that they are unique on the campus ." "All of the local societies at Pacific University are "" Greek "" , meaning that they are unique to the campus ." 0 +The west town line is the border of Steuben County , and the south town line is the border of Ontario County . The West City line is the border of Steuben County , and the southern town line is the border of Ontario County . 1 +It is Aarne -- Thompson type 707 , which is named after it : the dancing water , the singing apple , and the speaking bird . It is Aarne -- Type 707 Thompson , named after him : the dancing water , the singing apple and the speaking bird . 1 +It is also the number 11 Alma Road , and is now referred to as the Moorfield Court . It is now number 11 Alma Road , and is also referred to as Moorfield Court . 0 +Dewalkheda is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . Dewalkheda is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 0 +The popular French singers Grégory Bettiol and Coralie Clément , as well as footballers hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the city . The popular French singers Coralie Clément and Benjamin Biolay , as well as football player hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the town . 0 +He fled and returned to Italy , where he retired to private life for two years . He retired to Italy where he escaped and returned to private life for two years . 0 +She was the first professional female painter and the first feminist writer in Korea . She was the first female professional painter and the first feminist writer in Korea . 1 +""" Chuck against the family Volkoff "" is the fourth episode of the 20th season of "" Chuck "" , and the 74th overall episode of the series ." """ Chuck versus the Family Volkoff "" is the 20th episode of the fourth season of "" Chuck "" , and the 74th overall sequence of the series ." 0 +It is found by western Texas in the United States south to Mexico . It is found from western Texas in the United States south to Mexico . 1 +The equivalence classes of statistical ensembles therefore have the structure of a convex quantity under certain conditions . Under certain conditions therefore , equivalence classes of convex ensembles have the structure of a statistical set . 0 +He considers C. S. Lewis a negative influence and has accused Lewis of featuring emotional propaganda , misogyny , racism , and religious sadism in his books . He considers C. S. Lewis to be a negative influence and has accused Lewis of pointing out in his books emotional propaganda , misogyny , racism and religious sadism . 1 +"It is the second entry in the series , the first being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." "It 's the second entry in the series , the first is "" Fast Racing League "" published on WiiWare for the Wii in 2011 ." 1 +Mary Joe Fernández defeated Amy Frazier 3 -- 6 , 6 -- 2 , 6 -- 3 Mary Frazier defeated Mary Joe Fernández with 3 -- 6 , 6 -- 2 , 6 -- 3 . 0 +With the help of Karen , he builds the horn and takes the identity of Herald . With the help of Karen , he built the horn and takes the identity of Herald . 1 +When Howard was seven years old , however , Akeel Lynch was murdered , sending Akeel into mental health problems . However , when Howard was seven years old , Akeel Lynch was murdered , which sent Akeel into mental health problems . 1 +These canons were rejected later in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . These canons were later approved by the Eastern Council in Trullo in 692 but rejected by Pope Constantine . 0 +In Lagrangian mechanics , the generalized coordinates form a discrete set of variables that define the configuration of a system . In the Lagrange mechanics , the generalized coordinates form a discrete set of variables that define the configuration of a system . 1 +This name refers to either the Little Para River ( which starts at the confluence of the South Para River and the North Para River ) or the Gawler River . This name refers to either the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . 0 +The bridge starts in Sweden and the tunnel is in Denmark . The bridge starts in Denmark and the tunnel is in Sweden . 0 +Hector Pieterson was buried together with Hastings Ndlovu at the Avalon Cemetery in Johannesburg . Hastings Ndlovu was buried with Hector Pieterson at Avalon Cemetery in Johannesburg . 0 +approaches are in principle individually necessary and jointly In principle , approaches are necessary individually and jointly . 1 +He had gained CFL - Coaching - experience as a guest - Coach at the Lions in 1984 and with the Saskatchewan Roughriders in 1985 and 1986 . He had gained CFL Coaching - experience as a guest - coach at the Saskatchewan Roughriders in 1984 and at the Lions in 1985 and 1986 . 0 +In 1995 , Kerri McKeehan , sister of Stuart , married TobyMac . In 1995 she married Stuart Kerri McKeehan , the sister of TobyMac . 0 +Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player who plays for the Melbourne Vixens in the ANZ Championship . Chelsey Nash ( also known as Chelsey Tregear ) is an Australian netball player who plays for the Melbourne Vixens in the ANZ Championship . 1 +Air Niugini served their Boeing 707 from Auckland via Hong Kong to Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini served their Boeing 707 from Auckland to Hong Kong via Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . 0 +For a given value of a corresponding hyperbolic function , the corresponding hyperbolic function provides the inverse hyperbolic angle . For a given value of a hyperbolic function , the corresponding inverse hyperbolic function returns the corresponding hyperbolic angle . 0 +It was based on a novel by Robert Suhosky and was turned into a screenplay by James Hardiman . It was based on a novel by James Hardiman and was turned into a screenplay by Robert Suhosky . 0 +The museum leased the locomotive and operated # 2719 through its affiliate , the North Shore Scenic Railroad . The museum leased the locomotive and operated the North Shore Scenic Railroad through its subsidiary # 2719 . 1 +Julia also privately told Do that she had read her letters to Elinor . Julia had also privately told Do that she had read her letters to Elinor . 1 +Isabel Kabra never left his side , until Irina assigned her to a mission in Helsinki . Isabel Kabra never left his side until Irina sent her to a mission in Helsinki . 1 +"In "" Home Alone "" Kate McCallister traveled from Paris on her way to Chicago through Dallas / Fort Worth ." "In "" Home Alone "" Kate McCallister traveled from Chicago through Paris on her way to Dallas / Fort Worth ." 0 +This tour was made two weeks after the New Zealand tour of Australia . The Wallabies lost the only test with the All Blacks . This tour was made two weeks after the Australian tour of New Zealand , the Wallabies lost the only test with the All Blacks . 0 +The agricultural activities predominantly revolve around Kuttanad region , the rice bowl of Kerala . The agricultural activities revolve predominantly around Kerala , the rice bowl of Kuttanad . 0 +Filipino and English are also used by the residents , but seldom used and understood . Filipino and English are also used and understood by the local residents , but are seldom used everyday . 0 +The local inverse method , identical to local tomography , suitable in a situation in which The local method of identical local inverse tomography is suitable in a situation in which : 0 +His religion was influenced directly by the political balance of international powers . His religion was directly influenced by the international balance of political powers . 0 +She took refuge in London with her family in 1938 , and the family settled in East Finchley in the north of England , where she attended the Tollington Hill School . With her family she took refuge in England in 1938 , and the family settled in East Finchley , in northern London where she attended Tollington Hill School . 0 +The song was produced by Calvo Da Gr8 and wrote by The Writing Camp . The song was produced by Calvo Da Gr8 and written by The Writing Camp . 1 +The text of the Kanuni , often contested and with many different interpretations which only evolved since 15th century , was significantly named after Dukagjini . The Kanuni text , often controversial and with many different interpretations , which have evolved significantly since the 15th century , was named only after Dukagjini . 0 +Yoruba published literature begins with the formation of its grammar written in 1843 . The written literature of the Yoruba begins with the formation of its grammar published in 1843 . 0 +SWAs are responsible for urban water supply , and in some states also for rural water supply . SWAs are responsible for urban water supply , in some countries also for rural water supply . 1 +Pierre-Hugues Herbert and Alessandro Giannessi and João Sousa defeated Maxime Teixeira 6 -- 4 , 6 -- 3 in the final . Herbert and Alessandro Giannessi and João Sousa defeated Maxime Teixeira 6 -- 4 , 6 -- 3 in the final . 1 +"Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as their sixteenth studio album total , months after "" The Way We Were "" released ." "Streisand and Columbia Records released "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , distributed months after "" The Way We Were "" ." 0 +""" Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of 3rd Kenyan President Mwai Kibaki during the funeral of Khazakhala ." """ Eric was a very good friend and confidante of Thomas Joseph Mboya "" , words of the 3rd Kenyan president , Mwai Kibaki , during Khasakhala 's funeral ." 0 +He was the first provincial sculler ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first to win the Wingfield Sculls . He was the first provincial sculler to ever win the Diamond Challenge Sculls at Henley Royal Regatta and also the first to win the Wingfield Sculls . 1 +Nearly the entire area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . Almost the entire range is part of the Cibola National Forest area , including the Sandia Mountain Wilderness . 1 +Helmut Groß was the mayor of Tengen from 1973 to 2015 , and his successor was Marian Schreier . From 1973 to 2015 , Marian Schreier was Mayor of Tengen , his successor is Helmut Groß . 0 +He won three all-Ireland medals for Dublin in 1977 , 1976 , 1974 . He won three all-Ireland medals for Dublin in 1977 , 1976 and 1974 . 1 +If the fluid is not incompressible , the general form for the Newtonian stress in a viscous fluid is If the fluid is not incompressible , the general form is the viscous voltage in a Newtonian fluid . 0 +Huracán beat Tigre in 1950 and then beat Quilmes a year later . Huracán beat Tigre in 1950 and then defeated Quilmes a year later . 1 +Episode 1 included the City of Bath ; episode 2 , Covent Garden ; episode 3 , Eastnor Castle ; and episode 4 , Park Hill , Sheffield . Episode 1 included the city Bath , Episode 2 , Park Hill , Sheffield , Episode 3 , Eastnor Castle , and Episode 4 , Covent Garden . 0 +Gaines came from New York to Ephraim Fletcher in 1836 and settled in Van Vleet Road ( Section 16 ) . Gaines came to Ephraim Fletcher from New York in 1836 and settled in Van Vleet Road ( section 16 ) . 1 +The sound of Iguana Lovers was defined by experimenting , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . Iguana Lovers ' sound was defined by the sound-experimentation , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . 1 +Elinor had also privately told Do that she had read her letters to Julia . Elinor had also told Do privately that she had read their letters to Julia . 1 +An open sewer system replaced underground sewers in 1865 . In 1865 , an open sewer system replaced the underground sewers . 1 +In the substantia nigra , DAT is localized to axonal and dendritic ( i.e . pre- and post-synaptic ) plasma membranes . In the substantia nigra , DAT is localized to axonal and dendritic ( i.e. , pre- and post-synaptic ) plasma membranes . 1 +Moses Point Airport is an airport located in Elim , a city in the Nome Census Area of the U.S. state of Alaska . El Elim is an airport in Moses Point Airport , a city located in the Nome Census Area of the US state of Alaska . 0 +He was born in New Westminster and worked on the lower Fraser and Fraser River sternwheelers before coming to the upper Yukon River in the early 1900s . He was born in New Westminster and worked on the lower Fraser and Yukon River star cyclists before coming to the upper Fraser River in the early 1900s . 0 +He is the nephew of Larry Bowa Johnson and his wife Liz was born on 31 January 2006 , Brianna , their first child . He is the nephew of Larry Bowa . Johnson and his wife , Brianna , had their first child , Liz , on January 31 , 2006 . 0 +The former has white marble and black stone shivlingas , whereas the latter has only white marble . The former has black marble and white stone shivlingas , while the latter has only white marble ones . 0 +She was the nineteenth out of twenty-three of her father 's children , and the last of her mother 's children . She was the nineteenth out of twenty-three children of her father and her mother 's last children . 1 +He has been instructed by Afrasiab to not let Sohrab kill his father , Rostam , so that they fight together and one of them recognize the other . He was instructed by Afrasiab not to let his father Rostam kill Sohrab so that they could fight together and one of them would recognize the other . 0 +Their distinctive large goose flowers have covered white buds with overlapping scales . Their distinctive large daisy flowers have white buds covered with overlapping scales . 1 +The deputy of the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first cabinet of Kjell Magne Bondevik . The Deputy to the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and the first cabinet of Kjell Magne Bondevik . 1 +After four years it moved to the house of Conte Luigi Ferdinando Marsigli , who had more space , and moved again to the Palazzo of Jacopo Sandri in 1705 . After four years , it moved to Jacopo Sandris House , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . 0 +Mazinho is the father of the current players Thiago of Bayern Munich and Rafinha of Inter Milan . Thiago is the father of current players Mazinho by Inter Milan and Rafinha of Bayern Munich . 0 +The 1916 Middle Tennessee State University football team presented the Middle Tennessee Blue Raiders during the College - Football - Season 1916 . The Blue Raiders Team captain was Cass Miles . The 1916 Middle Tennessee Blue Raiders football team represented the Middle Tennessee State University during the 1916 college football season . The Blue Raiders team captain was Cass Miles . 0 +"The former actor James Whitmore , who performed with Conlan Carter and "" Combat ! "" in the television series "" The Law and Mr. Jones "" ." "The former actor James Whitmore , who appeared on the television series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! """ 1 +History attracted widespread attention from social media and the mainstream media . History attracted widespread attention from the mainstream - media and social media . 1 +""" CQ Politics "" considered this race "" Tossup "" . "" The Cook Political Report "" assessed it as "" Lean Republican "" ." """ CQ Politics "" rated this race as ' Tossup ' . "" The Cook Political Report "" considered it ' Lean Republican ' ." 0 +The characters of Geronimo Stilton also used their other names from the second novel to the sixth . The characters of Geronimo Stilton also used her other names from the sixth novel to the second . 0 +The Cartal River is a tributary of the Casimcea River in Romania . The Cartal River is a tributary of the River Casimcea in Romania . 1 +She occasionally served Bella Bella , Skidegate ( Queen - Charlotte Islands ) and several other small , north-western coastal villages . She occasionally also served Bella Bella , Queen Charlotte Islands ( Skidegate ) , and several other small , north-western coastal villages . 1 +After Kuklinski gave him the money , Hoffman told him that the deal was a trick . Kuklinski told him , after Hoffman gave him the money , that the deal was a cunning . 0 +He married Sayyida Asma Muthu Beevi from a well-known Sayyid family of Ponnani Vettom Pokkiriyakam . He got married to Sayyid from a well-known Sayyida Asma Muthu Beevi family of Ponnani Vettom Pokkiriyakam . 0 +Coffee Creek is a tributary of Brokenstraw Creek in Warren County , Pennsylvania , the United States . Brokenstraw Creek is a tributary of Coffee Creek in Warren County , Pennsylvania in the United States . 0 +For Amtrak service the nearest stations are West in Framingham , east of Boston at Back Bay and South Station and south in Route 128 station in Westwood . For Amtrak service the nearest stations are west in Framingham , east in Boston at Back Bay and South Station , and south in Route 128 Station in Westwood . 1 +Jonté Buhl ( born April 4 , 1982 ) is a former professional Canadian football cornerback who played four seasons for the Edmonton Eskimos of the Canadian Football League . Jonté Buhl ( born April 4 , 1982 ) is a former Canadian professional football player who played for the Edmonton Eskimos of the Canadian Football League for four years . 1 +On 4 May 2015 , the UOB opened its branch in Myanmar in Yangon . UOB opened its Myanmar branch in Yangon on 4 May 2015 . 1 +In February 2014 , the opening ceremony for the monument to the victims of the massacre in Uşak was held in Khojaly . In February 2014 , the opening ceremony for the monument to the victims of the Uşak massacre was held in Khojaly . 1 +The 1988 -- 89 National Basketball Association season was the 43rd season of the NBA . The season 1988 -- 89 NBA was the 43rd season of the National Basketball Association . 1 +This drama is written by Doctor Ali Arslan , directed by Naeem Khan and produced by Eveready Pictures . This drama is headed by Naeem Khan , written by Doctor Ali Arslan and produced by Eveready Pictures . 1 +These canons were later rejected by the Eastern Council in Trullo in 692 but approved by Pope Constantine . These canons were rejected later in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . 1 +"The single is Paisley 's fifth consecutive Number One single on the "" Billboard "" Hot Country Songs charts , as well as his ninth overall Number One ." "The single is Paisley 's fifth consecutive number one in the "" Billboard "" Hot Country Songs Charts , as well as his ninth number one ." 1 +Their leaders sought European protection to stabilize their authority and to support trade . Their leaders sought European protection to support their authority and stabilize trade . 0 +There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr in Ireland is far more than in Scotland . There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Ireland than in Scotland . 1 +Psalm 79 ( biblical numbering : Psalm 78 ) is the 79th psalm in the Greek Book of Psalms . Psalm 79 ( biblical numbering : Psalm 78 ) is the 79th Psalm in the Greek Psalm Book . 1 +"Since the 19th century , artificial beings have been common in fiction , as in Mary Shelley 's "" Frankenstein "" or Karel Čapek 's "" R.U.R ." "Since the 19th century , artificial beings are common in fiction , as in Mary Shelley 's "" Frankenstein "" or Karel Čapek 's "" R.U.R ." 1 +Through the 2017 season , the Cornell Big Red have won 649 games , lost 529 games , and tied 33 regular season games . Throughout the 2017 season , the Cornell Big Red have won 649 games , 529 games bound and 33 regular season games lost . 0 +""" Meriden , Connecticut "" was sold on 15 September 1886 to Burdett Pond of Tennessee ." """ Tennessee "" was sold to Burdett Pond by Meriden , Connecticut , on September 15 , 1886 ." 0 +Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Andrea Belicchi + 20 kg and Jordi Gené + 10 kg . Due to the results in the previous round , Gianni Morbidelli received + 30 kg , Jordi Gené + 20 kg and Andrea Belicchi + 10 kg . 0 +Micky and Norma are still together and so are Carlitos and Justa . Carlitos and Norma are still together and Micky and Justa are still . 0 +Desert View High School is a public high school in southern Tucson , Arizona approximately 1 mile west of I - 10 and Valencia Road . Desert View High School is a public high school located in southern Valencia Road approximately 1 mile west of I-10 and Tucson , Arizona . 0 +Hine was born in 1936 in New Westminster , British Columbia . Hine grew up in Burnaby . Hine was born in New Westminster , British Columbia in 1936 and grew up in Burnaby . 1 +It is claimed that he died out of grief , that the Frankists left Judaism . It is alleged that he died out of grief that the Frankists left Judaism . 1 +Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of the Minister of Queensland , Leeanne Enoch . The eldest son of Doug and Lyn Enoch from Brisbane , Wesley Enoch grew up in Stradbroke Island . He is the brother of Queensland government minister Leeanne Enoch . 0 +"To explicitly use "" F "" , see the equation for its derivative from the above table ." "To find "" F "" explicitly , use the equation for its derivative from the table above ," 0 +In 2016 , 3.9 % of children attended primary schools in bilingual education . In 2016 , 3.9 % of children attended primary school in bilingual education . 1 +Chris Chris Evert Lloyd defeated Martina Navratilova , 6 -- 1 , 3 - 6 , 6 -- 2 . Defeated Chris Evert Lloyd , Martina Navratilova , 6 -- 1 , 3 -- 6 , 6 - 2 - 0 +The Liberal Democrats held two seats , but lost Tilehurst , a seat they had lost to the Conservative Party last year . The Liberal Democrats held two seats but lost Tilehurst ward , a seat they had lost the previous year to the Conservative Party . 1 +Ingham County is a charter municipality of the Meridian Charter Township in the U.S. state of Michigan . Meridian Charter Township is a charter township of Ingham County in the U.S. state of Michigan . 0 +Thomas Johansson won against Renzo Furlan in the finals with 6 -- 3 , 6 -- 4 . Thomas Johansson won in the final 6 -- 3 , 6 -- 4 against Renzo Furlan . 1 +The finals of the Continental Hockey League ( KHL ) Conference are the Eastern Conference and Western Conference Championship series of the KHL . The KHL ( KHL ) Conference Finals are the Eastern Conference and Western Conference Championship series of the Kontinental Hockey League . 1 +Initially , Owens was unimpressed , but Rich liked it , and they recorded it with the Buckaroos on February 12 , 1963 . Owens was initially unimpressed , but Rich liked it , and they recorded it with the Buckaroos on February 12 , 1963 . 1 +The 1945 Northwestern Wildcats team represented Northwestern University during the 1945 Big Ten Conference football season . The 1945 Northwestern Wildcats team represented Northwestern University during the football season of the Big Ten Conference . 1 +Cyrus Engerer wrote a biography of Labour - Party leader , Prime Minister Dr. Joseph Muscat . Cyrus Engerer wrote a biography of the Labour Party leader , Prime Minister Dr. Joseph Muscat . 1 +Buendía often criticized the role of the US government and the CIA in Mexico , and also published names of American officials involved in secret operations . Buendía also criticized the role of the U.S. government and the CIA in Mexico , and often published names of American officials involved in secret operations . 0 +In addition , TVS had sales offices in London , which was converted from a former bakery , and Manchester . In addition , TVS had sales offices in London , which were converted from a former bakery and Manchester . 1 +The band supports Wrexham FC , with the exception of John Evans who follows Norwich City FC . The band supports Norwich City FC , with the exception of John Evans , who follows the Wrexham FC . 0 +She won Democrats 64-35 , but the Independents 66-33 lost to Sanders . She won Democrats 64-35 , but lost Sanders 66-33 to the Independents . 0 +József Jung , ( born Josef Jung , 1734 , Jihlava , Marchgräfin of Moravia -- August 22 , 1808 , Pest ) was a Hungarian-German architect . Josef Jung , ( born as József Jung , 1734 , Jihlava , Margraviate of Moravia -- 22 August , 1808 , Pest ) was a Hungarian-German architect . 0 +"Tennessee Trainer Jones described Johnny Majors as "" one of the greatest leaders I ever had "" ." "Tennessee coach Johnny Majors described Jones as "" one of the greatest leaders I ever had . """ 0 +He was the brother of actor Ida Lupino ( 1882 -- 1962 ) and the father of Barry Lupino . He was the brother of the actor Ida Lupino ( 1882 -- 1962 ) and father of Barry Lupino . 1 +An additional compressor , using a lateral prism with large reflectors to enable a multi-pass arrangement at the prism , was introduced in 2006 . In 2006 , an additional compressor was introduced , using a lateral prism with large reflectors to allow a multi-pass arrangement on the prism . 1 +After the return of the hidden Mahdi , politics and religion would now be united again , then disappear for a millennium . Politics and religion would now be united once again after the return of the hidden Mahdi , then disappeared for over a millennium . 1 +Yıkılgan is a village in the District of Amasya , Amasya Province , Turkey . Yıkılgan is a village in the district of Amasya in the province Amasya , Turkey . 1 +"One of the Triassic rocks used in Radyr is "" Radyr Stone "" , a freestone which as its name suggests is quarried in the Cardiff district ." "One of the triassic rocks used in Radyr is "" Radyr Stone "" , a Freestone which , as its name suggests , is being dismantled in the Cardiff district ." 1 +In 1912 , Vickers had left Pratt to work for J. Samuel White in Cowes . Pratt had left Vickers in 1912 to work for J. Samuel White at Cowes . 0 +In 2009 , Hopsin founded his own independent record label , Funk Volume , with Damien Ritter . In 2009 , Damien Ritter founded his independent record label Funk Volume with Hopsin . 0 +The Portishead Times is a weekly free newspaper delivered to homes in the Portishead and surrounding villages area of North Somerset , England . The Portishead Times is a free weekly newspaper delivered to households in Portishead and the surrounding villages of North Somerset , England . 1 +The 40 Watt Uptown was large and professional , and it was a major stop for underground independent music acts in the 1980s . The 40 Watt Uptown was large and professional , and it was a major stop for independent underground music players in the 80s . 1 +Ogbunka is a town in Orumba South Local Government Area of Anambra State , Nigeria . Ogbunka is a town in the Anambra State Local Government Area of Orumba South , Nigeria . 0 +According to the U.S. Census Bureau , the county has a total area of , of which is land and ( 17.6 % ) is water . According to the U.S. Census Bureau , the county has a total area , of which land and ( 17.6 % ) have water . 1 +Toni always works with local colleagues , so that interested communities can ask for their help for replacement of wire rope or other important repairs . Toni always works with interested colleagues so that local communities can ask for their help with wire rope replacement or other important repairs . 0 +The following table lists all the games played by the Brazilian national football team in official competitions and friendly matches in 1983 . The following table lists all the games played by the Brazil national football team in official competitions and friendly matches during 1983 . 1 +From 1993 to 2001 , Huntsman worked as an executive for Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . 0 +He is the brother of Hashim Khan and Azam Khan , the second cousin of Roshan Khan and the uncle of Jahangir Khan and Torsam Khan . He is the brother of Roshan Khan , second cousin of Hashim Khan and Azam Khan and uncle of Jahangir Khan and Torsam Khan . 0 +After four years it moved to Conte Luigi Ferdinando Marsigli 's house , which had more space , and in 1705 moved again to the palazzo of Jacopo Sandri . After four years it moved to the house of Conte Luigi Ferdinando Marsigli , who had more space , and moved again to the Palazzo of Jacopo Sandri in 1705 . 1 +Existentialism says that existence precedes essence . Existentialism says existence precedes essence . 1 +In 2004 , Gesine Schwan celebrated her second wedding with longtime companion Peter Eigen in Berlin . In 2004 Peter Eigen celebrated her second wedding with the longtime companion Gesine Schwan in Berlin . 0 +The constituency was created in 1966 from parts of the Northumberland -- Frontenac , Hastings South , Hastings and Prince Edward -- Lennox Ridings . The electoral district was created in 1966 from parts of Hastings South , Hastings -- Frontenac , Northumberland , and Prince Edward -- Lennox ridings . 0 +This inspires Commander Mark Harmon ( played by José Jiménez ) to recite some of Wally Schirra 's lines , to the great amusement of everyone at the table . This inspires Commander Mark Harmon ( played by José Jiménez ) to recite some of the lines of Wally Schirra to the great amusement of all at the table . 1 +He is the second Neuling Senator to be appointed to the Senate Rules Committee and he was a member of the Senate Finance Committee . He is the second freshman senator to be appointed to the Senate Finance Committee and he was a member of the Senate Rules Committee . 0 +In the meantime , Nick is confronted with his former crew : Mikka , Vector , Sib and Pup . In the meantime , Mikka was confronted by his former crew : Nick , Vector , Sib , and Pup . 0 +Two of these hostels are located in Delhi , each in Pune and Pimpri , near Mumbai . Two of these four hostels are located in Mumbai , each in Delhi and Pimpri , near Pune . 0 +In December 1945 , the Soviets installed Kim as chairman of the North Korean branch of the Korean Communist Party . In December 1945 , the Soviets established Kim as the chairman of the North Korean branch of the Korean Communist Party . 1 +The river Vânăta is a tributary of the River Milotina in Romania . The Vânăta River is a tributary of the Milotina River in Romania . 1 +Another Georgian partisan Soviet origin , David Tatuashvili , described the funeral as follows : Another Soviet Partisan of Georgian origin , David Tatuashvili , described the funeral as follows : 0 +The 187 km long segment from Abuja to Kaduna was the first to be built . The 187 km long segment from Kaduna to Abuja was the first one to be built . 0 +Historians generally accuse the Confederate - catastrophe at Pea Ridge and the subsequent loss of undefended Arkansas on the death of General Ben McCulloch . Historians generally blame the subsequent disaster at Pea Ridge and the Confederate loss of undefended Arkansas on the death of General Ben McCulloch . 0 +Leopoldina Naudet was born in 1773 as the eldest daughter of Giuseppe Naudet and Susanna of Arnth in Florence . Her sister was Luisa . Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna of Arnth . Her sister was Giuseppe Naudet . 0 +Bifascioides yemenellus is a moth in the Cosmopterigidae family . It is found in Iran and Southern Yemen . Bifascioides yemenellus is a moth within the Cosmopterigidae family and is found in Yemen and in southern Iran . 0 +""" Legend "" was released on DVD and Blu-ray on 25 January 2016 in the USA and on 1 March 2016 in the United Kingdom ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the United Kingdom and on 1 March 2016 in the USA ." 0 +Deutsche Bahn opened a new underground tunnel to the new railway station Filderstadt on 29 September 2001 . On 29 September , 2001 , Deutsche Bahn opened a new underground tunnel to the new Filderstadt station . 1 +The album is released in two versions : The Standard Edition and the Digipack Limited Edition . The album is available in two versions : the Digipack Limited Edition and the Standard Edition . 1 +This is one of the most attractive Eremophilas with its grey , furry leaves and massive orange-red flowers . With its grey , furry leaves and masses of orange-red flowers , this is one of the most attractive eremophilas . 1 +Camm decided that both engines would be used : the Tempest Mk 5 was equipped with the Napier Sabre , while Tempest Mk 2 had the Bristol Centaurus . Camm decided that both engines would be used : Tempest Mk 5 had fitted with the Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . 0 +In 1834 , after leaving the East India Company College , Frere was named a writer in the Mumbai ( now Bombay ) civilian service . After leaving the East India Company College Frere was appointed a writer in the Mumbai ( now Bombay ) civil service in 1834 . 1 +He was born in New Westminster and worked on the lower Fraser and Fraser River sternwheelers before coming to the upper Yukon River in the early 1900s . He was born in New Westminster and worked on the lower Fraser and Fraser River cyclists before coming to the Upper Yukon River in the early 20th century . 1 +He was the brother of Otto Sutermeister , her grandfather was the folklorist Hans Martin Sutermeister . He was the brother of Otto Sutermeister ; their grandfather was the folklorist Hans Martin Sutermeister . 1 +It is located east of Ardmore and southeast of Oklahoma City . It is east of Oklahoma City and southeast of Ardmore . 0 +Thomas Johansson won in the final 6 -- 3 , 6 -- 4 against Renzo Furlan . Thomas Johansson won 6 -- 3 , 6 -- 4 against Renzo Furlan in the finals . 1 +He joined Asa Danforth and Ephraim Webster , the first whites to settle there and who had been given permission from the Onondaga to live there . He joined Asa Danforth and Ephraim Webster , the first whites to settle there , who had obtained permission to live there from the Onondaga . 1 +""" Mound City "" was sold to W. K. Adams at an auction in Tuscumbia on November 29 , 1865 ." """ Mound City "" was sold at auction at Tuscumbia to W. K. Adams on 29 November , 1865 ." 1 +Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . Johannes Herman Johannes married in 1955 Annie Marie Gilbertine Amalo . 1 +The Asău River is a tributary of the Rășcoiu River in Romania . The Asău River is a tributary of the Răjcoiu River in Romania . 1 +The Irish team consisted of Ken Doherty , Fergal O ’ Brien and Michael Judge along with Murphy as sub . The Irish team consisted of Ken Doherty , Fergal O Brien and Michael Judge along with Murphy as a sub . 1 +The Letneye mine is a large copper mine located in the south-west region of Russia in Orenburg Oblast . The Mine Letneye is a large copper mine in the south-west of Russia in the Orenburg region . 1 +In 2006 , an additional compressor was introduced with a large prism with side reflectors to enable a multi-pass arrangement at the prism . An additional compressor , using a large prism with lateral reflectors to enable a multi-pass arrangement at the prism , was introduced in 2006 . 1 +The fourth came in the second quarter on a pass from Dunlap to Stumpy Thomason . The second one came in the fourth quarter on a pass from Dunlap to Stumpy Thomason . 0 +Agriphila straminella is a species of moth of the family Crambidae . It was found by Michael Denis and Ignaz Schiffermüller in 1775 , and is described in Europe . Agriphila straminella is a kind of moth of the Crambidae family , which was found in 1775 by Michael Denis and Ignaz Schiffermüller and described in Europe . 1 +William was deposed in 1776 by the revolutionary government of Perth Amboy and arrested in his home in New Jersey , Proprietary House , and imprisoned for a time . Deposed in 1776 by the revolutionary government of Perth Amboy , William was arrested at his home in New Jersey , at the Proprietary House and imprisoned for a time . 1 +The total production 483,593 units , were narrowly beaten by its predecessor , the 9000 , of which 503,000 was built . The total production of 483,593 units , was shortly beaten by its predecessor , the 9000 , of which 503,000 were built . 1 +Conscription has been around in Denmark since the Viking Age , where 1 physical man of every 10th court had to serve the king . In Denmark , there has been conscription since the Viking Age , where a physical man of every 10th court had to serve the king . 1 +Sexual cannibalism is common among species with prominent sexual size dimorphism ( SSD ) ; extreme SSD likely drove the evolution of sexual cannibalism in spiders . Sexual cannibalism is common among species with pronounced sexual size dimorphism ( SSD ) , extreme SSD probably drove the evolution of sexual cannibalism in spiders . 1 +"She also had a side role in the film "" Bob Roberts "" , as Dolores Perrigrew in 1992 ." "She also had a supporting role in the 1992 film "" Bob Roberts "" , as Dolores Perrigrew ." 1 +In 1871 , John Peter Featherston married Bessie Parnell , daughter of John Parnell , from County Wicklow , Ireland . In 1871 Bessie Parnell married John Parnell , daughter of John Peter Featherston , of County Wicklow , Ireland . 0 +""" Whatever Will Be "" ( 2005 ) is the second song released by Tammin from her first album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the second song by Tammin of her first album "" Whatever Will Be "" ." 1 +It is based on Uxbridge Road in Ealing near Ealing Broadway station , London , the same address as Transworld . It is based on Uxbridge Road in Ealing , near the Ealing Broadway Station , London , the same address as Transworld . 1 +On 9 December 1979 , Carl von Basedow died as a result of a serious lung complaint in the Otto Müller clinic in Merseburg . On 9 December 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . 1 +Technetium forms the isostructural complex . The potassium salt is simple with . The simple complex forms the technetium , whose potassium salt is isostructural . 0 +Pedro Juan Caballero ( born 16 June 1981 , in Derlis Aníbal Cardozo ) is a Paraguayan football defender . Derlis Aníbal Cardozo ( born June 16 , 1981 in Pedro Juan Caballero ) is a Paraguayan defender . 0 +Born in Peterborough , England , J. Thomas Spriggs immigrated to the United States with his parents , who settled in Whitesboro , New York in 1836 . J. Thomas Spriggs , who was born in Whitesboro , New York , emigrated to the United States with his parents settled in Peterborough , England in 1836 . 0 +He represented the country at UEFA Euro in 1968 , when Yugoslavia lost in the final to Italy . He represented the country at UEFA Euro 1968 , as Italy lost to Yugoslavia in the final . 0 +"Three of these joints are true anatomic joints , while two physiological ( "" false "" ) joints are ." "Three of these joints are false joints , while two real anatomical ( "" physiological "" ) joints are ." 0 +In this way , it was possible to combine literally dozens of separate tracks and record them into finished recordings of great complexity . In this way it was possible to literally combine dozens of separate tracks and include them in finished recordings of great complexity . 1 +Laura Reynolds ( Heidi Armbruster ) , Craig Mathers ( Dan McCabe ) and Bill Reynolds ( Tom Lee ) were shown in the cast directed by Jonathan Silverstein . Directed by Jonathan Silverstein the cast featured Heidi Armbruster ( Laura Reynolds ) , Dan McCabe ( Tom Lee ) and Craig Mathers ( Bill Reynolds ) . 0 +"It is Goines 's first written work and was written before "" Dopefiend "" but was published in 1972 , after "" Dopefiend "" was released ." "It 's Goine 's first published work and was written before "" Dopefiend "" , but was written in 1972 after "" Dopefiend "" was released ." 0 +One night Rick contacts Maddy and informs her about Jill 's sudden death . One night , Rick contacts Jill and informs her about Maddy 's sudden death . 0 +Uwe Kröger performed Belle and Marc G. Dalio played the Beast and Leah Delos Santos played Gaston . Leah Delos Santos played Belle and Uwe Kröger played the Beast and Marc G. Dalio played Gaston . 0 +Critical Millennium is a 2010 Graphic Novel , written by Andrew E. C. Gaska , published by Archaia Studios Press and illustrated by Daniel Dussault . Critical Millennium is a 2010 Graphic Novel published by Archaia Studios Press , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . 0 +"All songs were co-written by Fat Joe , except "" Who 's That "" , which was written , produced , and arranged by R. Kelly ." "All songs were co-written by Fat Joe , except "" Who 's That "" , written , produced and arranged by R. Kelly ." 1 +Due to the volatile prices and high capital costs few deposits can be exploited economically without subsidies . Due to volatile prices and high capital costs , few subsidies can be exploited economically without subsidies . 1 +It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka downstream from Pöttelsdorf and upstream from Antau . It consists of two parts , Zemendorf and Stöttera , both upstream of Pöttelsdorf and downstream from Antau on the Wulka . 0 +"In lunar mythology , Mahina is a Hawaiian deity , mother of Hema . "" Mahina "" is also the word for Moon in Hawaiian ." "In Hawaiian mythology , Mahina is a moon deity , mother of Hema . "" Mahina "" is also the word for moon in Hawaiian ." 0 +He remained in Germany for three years before moving with his family back to Japan . He stayed in Germany for three years before moving back with his family to Japan . 1 +Tables of vibrational transitions of stable and transient molecules are also available . Tables of stable and transient transitions of vibration molecules are also available . 0 +Starmount is a residential area in the South Charlotte ( South Boulevard of Arrowood and Archdale ) . Archdale is a residential area in the Starmount ( South Boulevard near Arrowood and South Charlotte ) . 0 +"In an interview for the book , Avedon interpreted this phenomenon for Rowlands : "" It 's because Vreeland lasted ." "Vreeland interpreted this phenomenon for Rowlands in an interview with the book : "" It 's because Avedon lasted "" ." 0 +With the Ostrów agreement , this was decided -- Vytautas became the Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . This was resolved with the Ostrów Agreement -- Vytautas became the Grand Duke of Lithuania while Jogaila retained rights of an overlord . 1 +Her regular guests included Canning and Castlereagh , John Russell , Sir Walter Scott , Lord Byron , Robert Peel , Theodore Hook , and Sydney Smith . Among her regular guests were Canning and Castlereagh , Byron , Sir Walter Scott , Lord John Russell , Sir Robert Peel , Theodore Hook and Sydney Smith . 0 +Annie Marie Gilbertine Amalo married Herman Johannes in 1955 . In 1955 , Annie Marie Gilbertine Amalo married Herman Johannes . 1 +Neblo is a village in the Municipality of Brda in the Littoral region of Italy on the border with Slovenia . Neblo is a village in the municipality of Brda in the coastal region of Slovenia on the border with Italy . 0 +An alternative extension to compact groups is the Peter -- Weyl theorem , which proves results about representations of compact groups analogous to those about finite groups . An alternative extension to compact groups is the Peter -- Weyl -- Theorem , which proves results about representations of compact groups analogous to those on finite groups . 1 +It was produced by Home Media and author , screenplay and directed by V.Thiruselvam . It was produced by Home Media and writer , Screenplay and directed by V.Thiruselvam . 1 +Johannes Vares Barbarus ( -- November 29 , 1946 ) , commonly known as John Vares , was an Estonian poet , doctor , and politician . Johannes Vares ( -- 29 November 1946 ) , commonly known as Johannes Vares Barbarus , was an Estonian poet , medical doctor , and politician . 0 +Ibirapuera Park is located in this sub-prefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . The Ibirapuera Park is located in this subprefecture , as well as the main campus of Federal University of São Paulo and the brazilian headquarters of IBM . 1 +The 1912 -- 13 season was Manchester United 's 21st season in the Football League and sixth in the First Division . The season of 1912-13 was the sixth season of Manchester United in the Football League and 21st in the First Division . 0 +Later , both Nicole and Russ refused to attend Sam 's funeral . Nicole and Russ both later refused to attend Sam 's funeral . 1 +The 500 Hispanic settlers who had lived near San Antonio had to relocate in Los Adaes in 1773 . The 500 Hispanic settlers who had lived near San Antonio had to resettle in Los Adaes in 1773 . 1 +Today the railheads for Alma Township are Wellsville and Friendship . Today the railheads are for Wellsville Alma Township and Friendship . 0 +He moved to Toowoomba in 1868 after having tried his luck on the gympic gold fields unsuccessfully . Having tried his luck unsuccessfully on the Gympie gold fields he moved to Toowoomba in 1868 . 1 +The equivalence classes of convex ensembles therefore have the structure of a statistical amount under certain conditions . Under certain conditions therefore , equivalence classes of convex ensembles have the structure of a statistical set . 1 +On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground Filderstadt station . Deutsche Bahn opened a new underground tunnel to the new railway station Filderstadt on 29 September 2001 . 0 +"He appeared as an archie mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as an archie mullen in the film "" Freedom Song "" ( 2000 ) ." 0 +However , McKeithen Humphrey had supported Humphrey at the Democratic National Convention in Chicago in 1968 . Humphrey , however , supported McKeithen in 1968 at the Democratic National Convention in Chicago . 0 +Two bridges cross the river to Pental Island , to the west on Fish Point Road and in the east on Swan Hill at Fish Point . Two bridges cross the river to Pental Island ; at Swan Hill in the west , and on Fish Point Road at Fish Point in the east . 0 +He was the second son of Leonor Rodrigues and Mrs. Gil Aires born . He was the second born son of Leonor Rodrigues and wife Gil Aires . 1 +B is the common term between the two premises ( the middle term ) but is never distributed , so this syllogism is invalid . B is the middle term between the two premises ( the common term ) , but is never distributed , so that syllogism is invalid . 0 +It is part of the Sioux City , IA -- NE - SD Metropolitan Statistical Area . It is part of the NE - Sioux City , IA -- SD Metropolitan Statistical Area . 0 +Despite Chuck D and Public Enemy 's success , Chuck D claims that popularity or public approval was never a driving motivation behind their work . Despite the success of Chuck D and Public Enemy , Chuck D claims that popularity or public approval was never a driving motivation behind their work . 1 +On 1 July 2004 a British Transport Police for the Police Authority was created . On 1 July 2004 , a police authority for the British transport police force was created . 0 +"The municipal district ( "" správní obvod "" ) of the same name consists of administrative districts Prague 14 and Dolní Počernice ." "The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 14 and Dolní Počernice ." 1 +This riding was created in 1987 by Okanagan -- simile cameos , and in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan , eliminated . This riding was created in 1987 by Okanagan -- Similkameen and eliminated in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay , Okanagan . 1 +The output impedance of the MOSFET Wilson bipolar mirror can be calculated in the same way as for the current version . The initial impedance of the Wilson - Bipolar - Mirror MOSFET can be calculated in the same way as in the current version . 0 +The church was listed as a marked landmark of the city of Santa Barbara on 17 May 2016 . The church was established on 17 May 2016 as a landmark of the city of Santa Barbara . 0 +Santa Ana Nopalucan is a municipality in southeastern Mexico in Tlaxcala . Santa Ana Nopalucan is a municipality in Mexico , in the south-eastern Tlaxcala . 0 +"All lyrics written by Russell Senior , except "" The Will to Power "" lyrics by Jarvis Cocker , all music composed by Pulp ." "All texts written by Jarvis Cocker , except "" The Will to Power "" by Russell Senior , all composed by Pulp music ." 0 +This was more common in regional Australia and South Australia but has been in common usage in urban Australia for decades . This was more common in urban Australia , but has been common for decades in regional Australia and southern Australia . 0 +The Liberal Party retained John Olsen as the leader , partly because his main competitor , Stan Evans , lost his seat to Independent Liberal Dean Brown . The Liberal Party retained John Olsen as leader , partly because his main rival Stan Evans lost his seat to Independent Liberal Dean Brown . 1 +The eldest son of Doug and Lyn Enoch from Stradbroke Island , Wesley Enoch grew up in Brisbane . He is the brother of Queensland government minister Leeanne Enoch . Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of the Minister of Queensland , Leeanne Enoch . 1 +During the Vietnam War , the 104th Field Battery also served with the 12th Field Regiment -- to which the 161st Field Battery RNZA was also attached . During the Vietnam War , the 104th field battery also served the 12th field regiment -- which was also connected to the 161th field battery RNZA . 1 +The company was formed from the merger between SP Telemedia , which was founded in 1986 by David and Vicky Teoh , and the Total Peripherals Group in the year 2008 . The company was formed from the merger between Total Peripherals Group , founded by David and Vicky Teoh in 1986 , and SP Telemedia in 2008 . 0 +""" Vector Major Additive Models "" ( VGAMs ) are a more generalized ." """ Vector generalized additive models "" ( VGAMs ) are a major" 0 +Bridges at this point are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . 1 +The village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River with effect from 1 July 2000 . The village of Iron River and the town of Stambaugh were consolidated with the town of Mineral Hills effective July 1 , 2000 . 0 +"Daughter Duncan Bell Murdoch ( "" May "" ) Baldwin ( 1871 -- 1961 ) married Mary W. ( 1860 -- 1964 ) ." "Daughter of Duncan Bell Murdoch ( "" May "" ) Baldwin ( 1871 -- 1961 ) married Mary W. ( 1860 -- 1964 ) ." 1 +The Longmen Wang were a cadet line of the Zhou dynasty that descended from Taiyuan Wang and hailed Wang Yan and his grandson Wang Tong from his cadet lines . The Longmen Wang were a cadet line of the Zhou dynasty descended Taiyuan Wang , and Wang Yan and his grandson Wang Tong hailed from his cadet line . 1 +Johnson wrote the lyrics for the songs composed by Girish Puthenchery . Johnson wrote the texts for the songs by Girish Puthenchery composed . 1 +Staff Kelly , Stacy and Rolo sneak into the jungle to have sex . Staff members Rolo , Stacy , and Kelly sneak into the jungle to have sex . 1 +Durno 's tenure with the Ducks only lasted one month before he was traded to the Nashville Predators for Shane Endicott on January 26 , 2007 . Durno 's tenure with the Ducks lasted only a month before he was traded on January 26 , 2007 with the Nashville - Predators for Shane Endicott . 1 +Sasol operates commercial gasification plants in Secunda , Mpumalanga and South Africa in Sasolburg . Sasol , in Sasolburg , operates commercial gasification plants in Secunda , Mpumalanga and in South Africa . 1 +On March 16 , 1494 , Maximilian married Bianca Maria Sforza . Bianca Maria Sforza was married to Maximilian on 16 March 1494 . 1 +The transcontinental ferry ran to 42nd Street and for short time was a component of the main Lincoln Highway . The transcontinental ferry ran to 42nd Street and was a part of the main Lincoln Highway for a short time . 1 +As a songwriter , Lars Ankerstjerne has written songs for Nik & Jay , Burhan G and Rasmus Seebach . Lars Ankerstjerne has written songs for Nik 'Jay , Burhan G and Rasmus Seebach as songwriters . 1 +The 1986 -- 87 Toronto Maple Leafs season was the 70th season of operation of Toronto in the National Hockey League . The 1986 -- 87 Toronto Maple Leafs season was the 70th season operation of Toronto in the National Hockey League . 1 +It was born on April 18 , 1976 in Usera , Madrid ( Spain ) . It was born on 18 April 1976 in Usera , Spain ( Madrid ) . 1 +( Zhu Zhen changed his name to Zhu Youzhen . ) ( Zhu Zhen then changed his name to Zhu Youzhen . ) 1 +The vaults are Mesopotamian in design , and decorative elements appear in the Coptic and Byzantine carving . The vaults are mesopotamian in design and decorative elements appear in the Coptic and Byzantine carvings . 1 +On March 8 , 2017 , Benedi promoted his Spanish La Vida Amiga with a video led by Ivaylo Petkov and announced a new single album in production together with them . On 8 March 2017 Benedi promoted his new single La Vida Amiga with video directed by Ivaylo Petkov and together with that announced a Spanish album in production . 0 +As promised , only 28 % of the predicted amount has been reimbursed since 2015 . As predicted , only 28 % of the promised amount has been reimbursed since 2015 . 0 +Hoff Township was originally called the Arthur Township , for settler Abel Hoff , and under the latter name was organized in 1881 . Hoff Township was originally called Arthur Township , for settler Abel Hoff , and under the latter name was organized in 1881 . 1 +After a brief stay in New Orleans with his reported cousin , he moved to New York City . He moved to New Orleans after a short stay in New York City with his cousin . 0 +The conclusions are that we are all manifestations of one perfect spiritual spirit and of the divine mind , not a material body . The conclusions are that we are all perfect spiritual notions of one divine mind and manifest the mind , not a material body . 0 +"Isaac was "" an hundred years old "" , when his son whom he named Abraham was born , and he circumcised him when he was eight days old ." "Abraham was "" hundred years old , when his son was born , whom he called Isaac , and he circumcised him when he was eight days old ." 0 +"In May 2012 , Dixon took over the role of The Captain in the revival of Cole Porter 's "" Anything Goes "" from actor Walter Charles ." "In May 2012 , Dixon took over the role of captain in the revival of Walter Charles "" Anything Goes "" by the actor Cole Porter ." 0 +The unique series follows a popular group of craftsmen from West Virginia . The popular series follows a unique group of West Virginia craftsmen . 0 +On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground train station Filderstadt . On 29 September , 2001 , Deutsche Bahn opened a new underground tunnel to the new Filderstadt station . 0 +The site chosen for Droxford station was on the opposite side of the Meon , in neighbouring Soberton on the east bank . The site chosen for Droxford was located on the opposite side of the Meon in the neighbouring Soberton on the east bank . 1 +"He then produced "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which began as "" The Problemist Fairy Chess Supplement "" ." "He subsequently produced "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which began as "" The Problemist Fairy Chess Supplement "" ." 1 +The American Professional Football Association was founded in Canton in 1922 , eventually becoming the National Football League . The National Football League was founded in 1922 in Canton and eventually became the American Professional Football Association . 0 +On Labor Eve 2016 , Bute was named as the replacement for Julio Cesar Chavez Jr. to challenge Badou Jack for the WBC Super Middleweight Championship . At the Labor Eve 2016 , Badou Jack was named as a replacement for Bute to challenge Julio Cesar Chavez Jr. for the WBC Super Middleweight Championship . 0 +Petina Gappah was born in the province of Copperbelt in Zambia . Petina Gappah was born in Copperbelt Province , in Zambia . 1 +DehgÄh ( also romanized as DehgÄ h ) is a village in Bojnord County , North - Khorasan - Province , Iran , in the Badranlu Rural District of Central District . Dehgah ( also Romanized as Dehgāh ) is a village in Bojnord County , North Khorasan Province , Iran , in the Badranlu Rural District of Central District . 1 +Following the resignation of Yoshinobu Shimamura , Iwanaga became Agriculture Minister on August 11 , 2005 . On August 11 , 2005 , Iwanaga became Minister of Agriculture following the resignation of Yoshinobu Shimamura . 1 +Agra , Meerut , Lucknow and Jhansi are historical cities famous for their monuments . Agra , Meerut , Lucknow and Jhansi are historical towns famous for their monuments . 1 +Tafea is the southernmost of the six provinces of Vanuatu . Vanuatu is the southernmost of the six provinces of the Tafea . 0 +The unique style of this idol is structural and is in perfect proportion . The structural art & style of this idol is unique and it is in perfect proportion . 0 +When , in 1818 , Ortona was joined to Lanciano , Campli was assigned to the diocese of Teramo . When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Diocese of Teramo . 1 +"Sebastian Koch is portrayed by Kurt Warnekros in the 2015 film "" The Danish Girl "" ." "In the film 2015 "" The Danish girl "" Sebastian Koch is presented by Kurt Warnekros ." 1 +The traditional pronunciation survives in the academic and general English vocabulary : The traditional pronunciation survives in academic and general English vocabulary : 1 +In later life he was an atheist , but in the early stages became a believer . He was an atheist in early life , but transformed into a believer in the later stages . 0 +All smaller chambers , once they are uninhabited , are used in the method described above to regulate the depth . All of the smaller chambers , once uninhabited , are described in the method used above to regulate depth . 0 +Song Pha was now connected by the once broken Da Lat -- Thap Cham Railway to the Vietnamese railway network . Song Pha was now connected to the Vietnamese railway network by the once-defunct Da Lat -- Thap Cham Railway . 1 +Most of our information about Cicero 's life and career comes from the contents of Murena 's speech . Most of our information about Cicero 's life and career comes from the content of Murena 's speech . 1 +Defeated with Kato , Hirai escapes with Yukari . With Kato defeated , Hirai escapes with Yukari . 1 +On the same day , the Logistec Corporation announced that it is purchasing the Sydney Coal Railway ( SCR ) from Quebec Railway Corporation . On the same date , Quebec Railway Corporation announced that it was purchasing the Sydney Coal Railway ( SCR ) from the Logistec Corporation . 0 +"In 1887 she played the role of the court composer Victorien Sardou in the first production of Giovanni Paisiello 's drama "" La Tosca "" ." "In 1887 , she played the part of Victorien Sardou , the court composer , in the first staging of Giovanni Paisiello 's drama "" La Tosca "" ." 1 +The Hlynur is by its nature harmless but defensive . "The Hlynur is defensive by nature , but harmless. """ 0 +Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married in 1924 to the British aristocrat John F. A. Cecil , a descendant of William Cecil . John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married in 1924 to the British aristocrat William Cecil , a descendant of Edith Vanderbilt . 0 +McNab died in 1960 when he suffered a heart attack playing golf . His son , Peter McNab later played in the second American Soccer League . Peter McNab died in 1960 when he suffered a heart attack on golf , his son McNab later played in the second American Soccer League . 0 +"After defeating 20 minutes prior , Kakuryū won his twenty-eighth "" yūshō "" by losing Hakuhō in this tie breaker ." "After losing 20 minutes before , Hakuhō won his twenty-eighth "" yūshō "" by defeating Kakuryū in this tie ." 0 +Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in 21st century Uganda . Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the 21st century Uganda . 1 +The 1980 season Atlanta Braves was the 110th season in Atlanta together with the 15th season as a franchise . The 1980 Atlanta Braves season was the 15th season in Atlanta along with the 110th season as a franchise overall . 0 +The area is connected to the internal Nevada Test Site ( NTS ) road network , with paved roads leading south to Mercury and west to Yucca Flat . The area is connected to the internal road network of the Nevada Test Site ( NTS ) , with paved roads leading to the west to Mercury and south to Yucca Flat . 0 +The Austrian school assumes that the subjective choices of individuals , including individual knowledge , time , expectations , and other subjective factors , cause all economic phenomena . The Austrian School theorizes that the subjective choices of individuals including subjective knowledge , time , expectation , and other individual factors , cause all economic phenomena . 0 +The idea of the ensemble is further discussed in the article Mathematical Ensemble ( Statistical Physics ) . The idea of the ensemble is further discussed in the article Statistical Ensemble ( Mathematical Physics ) . 0 +The astors settled in Germany and first appeared in the 18th century in North America with John Jacob Astor , one of the richest people in history . The Astors settled in North America , first appearing in Germany in the 18th century with John Jacob Astor , one of the richest people in history . 0 +Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey professional professional and former player . Marc Bergevin ( born August 11 , 1965 ) is a former Canadian ice hockey manager and professional player . 0 +Humbert knows , Lolita has no living relatives and immediately realizes that something is very wrong . Lolita knows that Humbert has no living relatives and immediately realizes that something is very wrong . 0 +On March 16 , 1494 , Bianca Maria Sforza married Maximilian . Bianca Maria Sforza was married to Maximilian on 16 March 1494 . 1 +Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in 21st century Uganda . Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the traditional constitutional monarchies in the Uganda of the 21st century . 0 +Bernicat speaks Russian , Hindi and French in addition to English . In addition to English , Bernicat speaks Russian , Hindi and French . 1 +The film The Hunters is a French crime - horror - thriller - film from 2011 by Chris Briant , produced by Antoine Huet . The Hunters is a 2011 French crime horror thriller film directed by Antoine Huet . The film was produced by Chris Briant , 0 +When Maia returned to Shortland Street , Jay announced her love and the two got engaged . When Maia returned to Shortland Street , Jay announced her love and the two engaged . 1 +It became increasingly popular in the 18th century and was considered one of the finest resorts in America by the 19th century . It became increasingly popular in the 18th century and was considered one of the best resorts in America in the 19th century . 1 +This can be written in explicitly trigonometric and hyperbolic form using the properties of the complex functions . Using the properties of the complex functions , this may be written in explicitly trigonometric and hyperbolic form . 1 +The members of the House Council are elected by members of their house to their posts . Members of the House Council are elected to their positions by members of their House . 1 +Total Population : 333 of which 49.8 % were male and 50.2 % were female Total population : 333 , of which 49.8 % were male and 50.2 % female . 1 +His first name was David , known by the name of Peter . Known by the name David , his real first name was Peter . 0 +Calibogue Sound is between Daufuskie and Atlantic Ocean . It connects the Hilton Head Islands and the Harbour Town Marina with the Intracoastal Waterway . Calibogue Sound is situated between the islands of Daufuskie and Hilton Head and connects Intracoastal Waterway and the Harbour Town Marina with the Atlantic Ocean . 0 +Jumping , flying or wingsuit parachuting from a fixed structure or cliff . Jumping is parachuting or wingsuit , flying from a fixed structure or a cliff . 0 +The MPC55xx family have four slightly different cores from the really high end and to the low end . The MPC55xx family has four slightly different cores from the really low end to the high end . 0 +"was played by Pruitt Taylor Vince in 1991 in the film "" JFK "" ." "Pruitt Taylor Vince was played by Bowers in the 1991 film "" JFK "" ." 0 +The construction of a seed length of Formula 32 , which is constant up to optimal factors . The construction of achieves a seed length of formula _ 32 , which is optimal up to constant factors . 0 +Fagerum is a small village in Öland . It belongs to the municipality of Borgholm . Fagerum is a small village on Borgholm . It belongs to the municipality of Öland . 0 +Including a logarithm , the generalized integro-exponential function defines definitions Including a logarithm defines the generalized integro-exponential function 1 +Many people who admit to being common tanners say that they tan to feel good , to look good and relax . Many people who admit to being frequent tanners say they tan to look good , feel good , and to relax . 1 +It ranges from Georgia , Texas , and Panama east to the East Coast , south to Wisconsin . It ranges from Wisconsin east to the east coast , to the south to Georgia , Texas and Panama . 0 +The Irish Aviation Authority completed a new control tower 1 km from the main terminal to the west of the old runway . The Irish Aviation Authority has constructed a new control tower 1 km from the main terminal to the west of the old runway . 1 +Bled is a 2009 horror film written by Christopher Hutson and directed by Sxv 'leithan Essex . Bled is a 2009 horror film directed by Christopher Hutson and written by Sxv'leithan Essex . 0 +In 1983 , she graduated from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . She graduated from The Glen High School in Pretoria in 1983 and studied at Rhodes University in Grahamstown . 1 +Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films and former president of Lionsgate Films , was born . Born and raised in Briarcliff Manor , Tom Ortenberg , CEO of Lionsgate Films and a former president of Open Road Films , was born . 0 +A programme to send families living in rural areas to encourage girls to go to school as a means of promoting youth development . A programme to encourage families living in rural areas to send girls to school as a means of promoting youth development . 0 +Much of the film was shot in Gladstone , New Jersey , New Brunswick , and the Palisades Park , the producer 's home . Much of the film was shot in New Brunswick ; Gladstone , New Jersey and the Palisades Park home of the producer . 1 +Mnquma Local Municipality is an administrative area of the Amatole District of the Eastern Cape in South Africa . Eastern Cape is an administrative area of the Amatole District of the Mnquma Local Municipality in South Africa . 0 +According to the United States Census Bureau , the city is a total area of which land and , or 1.35 % has , is water . According to the United States Census Bureau , the town is a total area of , of which has land and , or 1.35 % , is water . 1 +The He County government is located in the town of Liyang . The government of the town of Liyang is located in He County . 0 +Two weeks before the invasion , the corps was pulled out of the First Army and placed in the Third Army by Omar Bradley . Two weeks before the invasion , the corps was pulled out of the First Army and placed in Omar Bradley 's Third Army . 1 +Cooper was born in Long Beach , California , and lives his whole life in Los Angeles , California . Cooper was born in Los Angeles , California , and has lived in Long Beach , California his whole life . 0 +On April 28 , 2011 , the dispute between DSP Entertainment and Kara 's 3 members was officially resolved as announced . On April 28 , 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially resolved as announced . 1 +The river Voievodu is a tributary of the River Sterminos in Romania . The Sterminos River is a tributary of the Voievodu River in Romania . 0 +Janet Lloyd married Ayliffe in 1963 and they had two children . In 1963 , Janet Lloyd married Ayliffe and had two children . 1 +She was the first feminist painter and the first female professional writer in Korea . She was the first feminist artist and the first female professional writer in Korea . 1 +The 1966 Cleveland Browns season was the team 's 17th season with the National Football League . The 1966 Season Cleveland Browns was the 17th season of the team with the National Football League . 1 +Houyan is a station on Line 3 of the Dalian Metro in Dalian City . It is located in the Ganjingzi District of Liaoning Province , China . Houyan is a station on line 3 of the Dalian Metro Dalian City and is located in the district of Ganjingzi in the province of Liaoning , China . 1 +He studied at Davis Studio in Melbourne and at Julian Ashton Art School , Sydney . He studied at Davis Studio in Sydney and at Julian Ashton Art School in Melbourne . 0 +After testifying in the Till case , Reed moved to Chicago and changed his name to Willie Louis in Willie Reed . After testifying in the Till case , Reed moved to Chicago and changed his name from Willie Reed to Willie Louis . 0 +She left Sydney on 1 January 1829 via Madras to London . She left London on 1 January 1829 via Madras to Sydney . 0 +"He introduced a belligerent style that was described as "" tactical , activist , and ideological . """ "He introduced a tactical style that was described as "" warrior , activist , and ideological "" ." 0 +Somaiya Vidyavihar is an educational campus in Vidyavihar - suburb of Mumbai . Somaiya Vidyavihar is an educational campus in Vidyavihar - suburb of Mumbai . 0 +Operation Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator video game developed by Codemasters and published by Bohemia Interactive Studio in 2001 . Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator - video game developed by Bohemia Interactive Studio and published by Codemasters in 2001 . 0 +"The track remains one of two tracks that Brant ever co-wrote , the other track also comes from the same album , entitled "" This Time Around "" ." "The track remains one of two tracks that Brant also co-wrote , the other track was ever from the same album , entitled "" This Time Around "" ." 0 +The episode was written by Stephen Sandoval and managed by Ken Keeler . The episode was written by Stephen Sandoval and directed by Ken Keeler . 1 +Jauharabad railway station is located in District Khushab , Punjab Pakistan JAUHARABAD Railway is a small junction in Sargodha division Jauharabad Railway Station is located in the district Khushab , Punjab Pakistan JAUHARABAD railway is a small crossroads in Sargodha Division 1 +Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against Mitchell Melich . Her father , Mitchell Melich , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against the democrat Calvin L. Rampton . 0 +The central building consisted of the original sandstone courtroom with a vestibule at the front , flanked by two brick wings . The original building consisted of the central sandstone - courtroom with a vestibule on the front , flanked by two brick wings . 0 +Awwad was born in Salfit . He graduated from the Arab College in Jerusalem in 1947 . Awwad was born in Salfit and graduated in 1947 from the Arab College in Jerusalem . 1 +It is a part of Panama City -- Lynn Haven -- Panama City Beach It is part of the Panama City -- Lynn Haven -- Panama City Beach 1 +From her former marriage , Ann had a daughter , Katy Spencer ( a graduate of Texas Tech in 1962 ) . From her previous marriage , Katy Spencer had a daughter , Ann ( a 1962 graduate of Texas Tech ) . 0 +A few weeks later , in an interview with HumansVsZombies.org , Fixell defended his position . A few weeks later , HumansVsZombies.org defended his stance in an interview with Fixell . 0 +It stipulated that a brother of King Louis was to marry Joan of Toulouse , daughter of Alphonse of Toulouse , and so in 1237 Raymond VII married her . It was said that a brother of King Louis Joan of Toulouse , daughter of Alphonse of Toulouse , should marry , and so married Raymond VII in 1237 . 0 +It is important for reaching the quantum regime of the mechanical oscillator where thermal noise effects on the device become negligible . It is important to achieve the quantum regime of the mechanical oscillator , where thermal noise effects on the device become negligible . 1 +The team has played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . The team has played teams such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in the last years in 2011 . 1 +Martin ( Sebastián ) is a 16-year-old young student who is attracted by his coach Javier De Pietro . Martin ( Javier De Pietro ) is a young 16-year-old student who is attracted by his coach Sebastián . 0 +Kingsville is bordered by the renovated Jericho Farm Museum , the Jerusalem Mill Village and the restored Jericho Covered Bridge on the shores of Little Gunpowder Falls . Surrounded by the restored Jerusalem Mill Village Museum , the Jericho Farm and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls , Kingsville is located . 0 +The casino is owned by the Barrick Gaming and operated by Navegante and The Tamares Group . The casino is owned by Barrick Gaming and operated by Navegante and The Tamares Group . 1 +In 2016 , Bacardi announced new branding and plans to sell her version of Havana Club nationally , which will be distilled and bottled in Florida in Puerto Rico . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally . This will be distilled in Florida and bottled in Puerto Rico . 0 +In 1955 , it became the Central Electricity Authority , which in turn in 1957 the Central Electricity Generating Board . In 1955 , it became the Central Electricity Generating Board , which in turn in 1957 the Central Electricity Authority . 0 +He died in Ajaccio , Corsica , and is buried at the northern cemetery in Munich . "He died in Munich , and is buried in the Nordfriedhof ( "" Northern Cemetery "" ) , Ajaccio , Corsica ." 0 +"The Paul England translation of 1912 is a "" singable translation "" , which is compatible with the vocal line written by Strauss for the German ." "The Paul England translation of 1912 is a "" vocal translation "" , which is compatible with the singable line Strauss wrote for the German ." 0 +In 2009 , Wizard cancelled the Texas event and postponed the Los Angeles Convention . In 2009 , Wizard canceled the event in Los Angeles and postponed the Texas Convention . 0 +The Pittsburgh Frank Seder was expanded in 1913 , but destroyed by a fire in 1917 with a loss of $ 600,000 , the replacement was completed in 1918 . The Pittsburgh Frank Seder was completed in 1913 , but destroyed in 1917 by a fire with a loss of $ 600,000 , and its replacement was expanded in 1918 . 0 +The survival of such binaries , through common envelope phases of high rotation in massive progenitor stars , may be necessary for their survival . The survival of such binaries through high envelope phases of massive rotation in common ancestor stars can be necessary for their survival . 0 +The five candidates elected were Bahrain , Brazil , Gabon , Gambia , and Slovenia . The five elected candidates became Slovenia , Brazil , Gabon , Gambia and Bahrain . 1 +The exchanges took place in neutral ports : Lourenço Marques in Mozambique or Mormugoa in Portuguese - India with the Japanese and Stockholm or Lisbon with the Germans . Exchanges took place at neutral ports ; at Lourenço Marques in Mozambique or Mormugoa in Portuguese India with the Japanese , and Stockholm or Lisbon with the Germans . 1 +On 24 July the NH - electrification to New Rochelle began , on 5 August to Port Chester and on 6 October 1907 the rest of the route to Stamford . NH electrification began on July 24 to New Rochelle , August 5 to Stamford and October 6 , 1907 the rest of the way to Port Chester . 0 +He was the brother of Hans Martin Sutermeister ; their grandfather was the folklorist Otto Sutermeister . He was the brother of Otto Sutermeister , her grandfather was the folklorist Hans Martin Sutermeister . 0 +Given an undirected tree presented as a set of edges , the Euler tour representation ( ETR ) can be constructed in parallel as follows : The Euler - Tour - Representation ( ETR ) can be constructed in parallel with an undirected tree presented as a set of edges : 1 +Similarly , northern populations annually migrate between regions to the west of the Rocky Mountains , including Western Canada , and overwintering areas on the California coast . Similarly , the western populations migrate annually between regions west of the Rocky Mountains including northern Canada and overwintering sites on the coast of California . 0 +This French supported production with Jean Louis Martinoty , conductor , and his Orchestra was directed by John Eliot Gardiner . This French-supported production was directed by Jean Louis Martinoty with John Eliot Gardiner , conductor and his orchestra . 0 +In 1813 , when Justice Tyler died , John Tyler inherited Greenway at the age of 23 . When Justice John Tyler died in 1813 , Tyler inherited Greenway at the age of 23 . 0 +Shi Jingtang also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically placed Taizong and the Liao in a superior position . Shi Jingtang also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically elevated Taizong and the Liao to a superior position . 1 +Thomas Vesey , 1st Viscount de Vesci ( died 13 October 1804 ) was an Irish-Anglo peer . Thomas Vesey , 1st Viscount de Vesci ( died October 13 , 1804 ) was an Anglo-Irish peer . 0 +The Soviet Union maintained an embassy in Moscow and a consulate in Barentsburg , while Norway maintained a message in Oslo . The Soviet Union maintained embassy in Moscow and a consulate in Barentsburg , while Norway maintained an embassy in Oslo . 1 +Polymers of the coordination type are also stereoregular and can be isotactic or syndiotactic instead of atactic . Polymers of the coordination type are also atactic and can be isotactic or syndiotactic instead of stereoregular . 0 +Adrenal hormones , especially glucocorticoids such as cortisol , are essential for prenatal development of organs , particularly for the maturation of the lungs . Prenatal hormones , particularly glucocorticoids such as cortisol , are indispensable for the development of the adrenal organs , especially for the maturation of the lungs . 0 +"He has been portrayed by actors Zak Santiago in "" United 93 "" , and Omar Berdouni in "" Flight 93 "" ." "He was portrayed by actors Zak Santiago in "" United 93 "" and Omar Berdouni in "" Flight 93 "" ." 1 +In 1960 , Ardley married Bridget Gantley , and the couple had a daughter , he married Vivian Wilson in 2003 and died in Milford , Derbyshire . In 1960 , Ardley married Vivian Wilson , the couple had a daughter , in 2003 he married Bridget Gantley and died in Milford , Derbyshire . 0 +Formal education in England , a city in Sheffield , takes place at the city 's two universities , at 141 primary schools and 28 secondary schools . Formal education in Sheffield , a city in England , takes place at the city 's two universities , 141 primary schools and 28 secondary schools . 0 +Fritz August Hoenig ( 1848 -- 1902 ) was a German military writer and officer . Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and German writer . 0 +One day , Elisa Gonzalo begins despite the mishap , he strikes a beautiful friendship that will serve her in difficult times . One day , despite the mishap , Elisa Gonzalo begins his a beautiful friendship that will serve her in difficult times . 1 +Georges Merle died in 1881 in Paris . His son Hugues Merle also became a painter . Hugues Merle died in Paris in 1881 , his son Georges Merle also became painter . 0 +John , however , refused to hand over Hainaut to Margaret . Margaret , however , refused to hand over the Hainaut to John . 0 +"Religious institute -- "" a society in which members ... pronounce public vows ... and lead a life of brothers or sisters in common "" ." "Religious Institute -- "" a society where members ... pronounce public vows ... and lead a common life of brothers or sisters "" ." 1 +The island belongs to the traditional county of Bute and the modern unitary authority of Argyll and Bute . The island belongs to the traditional county of Bute and the modern unitary authority Argyll and Bute . 1 +Point Marsden was discovered by William Marsden on 21 March 1802 and named after Matthew Flinders , Second Secretary to the Admiralty . Point Marsden was discovered on March 21 , 1802 by William Marsden and named after Matthew Flinders , Secretary of the Admiralty . 1 +The character of Holden Ford is based on FBI - Agent John E. Douglas , and Bill Tench is based on a pioneer - FBI - Agent Robert K. Ressler . The character of Holden Ford is based on FBI agent John E. Douglas , and Bill Tench is based on pioneering FBI agent Robert K. Ressler . 1 +Belson as visual director programmed kinetic live visuals , and Jacobs programmed electronic music and audio experiments . Belson as Visual Director programmed live kinetic visuals and Jacobs programmed electronic music and audio experiments . 1 +In 1906 , the Mount Vernon , New York Chapter of the Daughters of the American Revolution , dedicated Chief Nimham Memorial to Van Cortlandt Park . In 1906 , the Mount Vernon , New York Chapter of the Daughters of the American Revolution dedicated the Chief Nimham Memorial at Van Cortlandt Park . 1 +Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth of Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on October 29 , 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver of Overbury , Worcestershire . 0 +In Lilongwe there are 38 private and 66 public primary schools with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . There are 38 private and 66 public primary schools with a total of 103,602 pupils as well as 29 secondary schools with 30,795 students in Lilongwe . 1 +With the activation of the 310th Strategic Missile Squadron , 310th on March 1 , 1962 was renamed the 550th Strategic Aerospace Wing . With the activation of the 310th Strategic Missile Squadron , the 310th was redesignated as the 550th Strategic Aerospace Wing on 1 March , 1962 . 1 +Fort Vermilion was established in 1788 and shares with Fort Chipewyan the title of the oldest European settlement in Alberta . Alberta was established in 1788 and shares with Fort Chipewyan the title of the oldest European settlement in Fort Vermilion . 0 +Painter is also probably famous for a notorious competition with Taylor . Painter is probably also famous for a notorious rivalry with Taylor . 1 +Currently , the Western District is administered by Major Dennis Mello , former deputy of Howard Colvin , who was forced into retirement . Currently , the Western District is administered by Major Howard Colvin , former deputy to Dennis Mello , who was forced into retirement . 0 +Carter countered with support from the Rockefeller Foundation and the Carnegie Foundation . With support from the Carnegie Foundation and the Rockefeller Foundation , Carter conterred . 1 +On 22 December 2015 , the successor rocket , the Falcon 9 , successfully brought its first stage on its twentieth flight for the first time . The successor rocket , the Falcon 9 , landed its first stage successfully on land for the first time on its twentieth flight , on December 22 , 2015 . 1 +The position of the opposition leader was essentially informal throughout the nineteenth century , with formal recognition only being granted in the early twentieth century . The position of Leader of the Opposition was essentially informal throughout the nineteenth century , with formal recognition only being granted in the early twentieth century . 1 +When the Hollywood Park Racetrack closed in 2014 , the race was transferred to Santa Anita Park . When Santa Anita Park was closed in 2014 , the race was transferred to Hollywood Park Racetrack . 0 +In the opera Tamino must win tests imposed by Sarastro , Pamina 's father , if he is to survive them . In the opera , Tamino must survive tests imposed by Sarastro , Pamina 's father , if he is to win her . 0 +As a Poznań bishop , he participated in the synod in Łęczyca in 1180 . As a bishop of Poznań , he participated in the Synod in Łęczyca in 1180 . 1 +Then Kadria fled from Milić Krstić twice and shot . Kadria then shot Milić Krstić twice and fled . 0 +"Until the early twentieth century , Marans was famous for the "" red bean of Marans "" and its fairs in honor of these particularly local beans ." "Marans was famous until the early twentieth century for the "" local bean of Marans "" and its fairs in honor of these especially red beans ." 0 +A historical figure is a famous person in history , such as Katharina the Great , Napoleon , Washington , or Abraham Lincoln . A historic figure is a famous person in history , such as Catherine the Great , Abraham Lincoln , Washington , or Napoleon . 1 +Born in Geneva and grew up in New York Cramer was born . Born in New York City , Cramer grew up in Geneva . 0 +"In the movie 2015 "" The Danish girl "" Sebastian Koch is portrayed by Kurt Warnekros ." "Kurt Warnekros is presented by Sebastian Koch in the film "" The Danish Girl "" 2015 ." 0 +A week later , Bland left Valparaíso and arrived in Philadelphia on October 29 , 1818 . Bland left Philadelphia a week later and met in Valparaíso on 29 October 1818 . 0 +Chakwal District is a subdivision ( Tehsil ) of Talagang Tehsil in the Province of Punjab in Pakistan . Talagang Tehsil , is a subdivision ( tehsil ) of Chakwal District in the Punjab province of Pakistan . 0 +Micky and Norma are still together and Carlitos and Justa are too . Carlitos and Norma are still together and so are Micky and Justa . 0 +Gandini was born in Parma on May 19 , 1906 to Ernesto Gandini and Diomira Di Centa of Venice . Gandini was born on 19 May 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . 0 +"Also , there is a faithful and more promising remake called "" Xenonauts "" ." "There is also a more promising and fairer remake called "" Xenonauts "" ." 0 +Annaberg-Lungötz is a municipality in the district of Hallein in the Austrian province of Salzburg , Germany . Annaberg-Lungötz is a municipality in the district of Salzburg , in the Austrian state of Hallein . 0 +It was produced by Eddie Mort and Lili Chin and created by Warner Bros.. It was created by Eddie Mort and Lili Chin and produced by Warner Bros . 0 +Near Pago Pago is Rainmaker Mountain , which gives Pago Pago Harbor an unusually high rainfall . Near Rainmaker Mountain is Pago Pago , which gives Pago Pago Harbour an unusually high rainfall . 0 +The Rockox House is a Belgian private house of the Rockox family and former museum of the KBC Bank in Antwerp , Belgium . Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank in the city of Antwerp , Belgium . 0 +Red Bank is located on the 4th Congressional District and is part of the 11th State Legislative District in New Jersey . Red Bank is located in the 4th Congressional District and is part of New Jersey 's 11th state legislative district . 1 +It is believed that Anna Wilson met Dan in New Orleans and eventually persuaded her to come with him to Omaha . It is believed that Dan met Anna Wilson in New Orleans , eventually persuading her to come to Omaha with him . 0 +For the 2012 CPAC conference , the ACU board voted to not invite GOProud or the John Birch Society to the 2012 conference . For the CPAC - Conference 2012 , the ACU Executive Board decided not to invite GOProud or the John Birch Society to the 2012 conference . 1 +( Ray had been in the Penguins in 1956 and both Eddie and Ray had been in the later Colts/Fortunes with Don Wyatt . ) ( Ray had been in the penguins in 1956 , and both Eddie and Ray had been Don Wyatt in the later Colts / Fortunes . ) 1 +The collateral consequences of criminal conviction are not the same as the social consequences of the conviction . The social consequences of criminal conviction are not the same as the consequences of conviction . 0 +North Dalton Park is located on Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . North Dalton Park is located at Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . 1 +"Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from singer Adele 's 1985 song "" Acilara Tutunmak "" ." "Adele was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" by singer Ahmet Kaya in 1985 ." 0 +It is 2 km northeast of Agios Stefanos and 20 km west of Athens town centre . It is located 2 km west of Agios Stefanos and 20 km northeast of the city centre of Athens . 0 +He has a son , Seamus , who is seen but never mentioned in the series . He has a son , Seamus , who mentions , but never is seen in the series . 0 +In this way , assertions can be provided with the Debug.Assert method as a framework feature , which is only evaluated when the DEBUG - Constant is defined . This way , assertions can be evaluated as a framework feature with the method Debug.Assert , which is only provided when the DEBUG constant is defined . 0 +He also sang with success at La Fenice in Venice , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Naples . He sang with success also in La Fenice in Naples , Maggio Musicale Fiorentino in Florence and the Teatro San Carlo in Venice . 0 +The fully completed action plan , published on 3 March 2006 , is being placed directly in the hands of other ministers by ministerial members of the task force . The completed action plan , published on 3 March 2006 , will be placed by other members of the Task Force directly in the hands of ministerial ministers . 0 +If we know the probability distribution function formula 35 , we can calculate the function formula 36 and find the optimal reservation price from it . So , if we know the probability distribution functions formula _ 35 , we can calculate the function formula _ 36 , and from it , find the optimal reservation price . 1 +Ryan Wiik ( born September 23 , 1981 ) is a Norwegian actor and entrepreneur . He is also known as Ryan Wiik . Gunnar Ryan Wiik ( ; born September 23 , 1981 ) , also known as Ryan Wiik , is a Norwegian actor and entrepreneur . 1 +Grégoire was born in Vého near Lunéville , the son of a tailor . Grégoire was born in Lunéville near Vého as son of a tailor . 0 +Lisette married Ferdinand de Brinon , Jeanne Louise Rachel Franck , the former Jewish wife of Claude Ullmann , who had converted to Catholicism . Lisette married Ferdinand de Brinon , a.k.a . Jeanne Louise Rachel Franck , the Jewish former wife of Claude Ullmann ; she converted to Catholicism . 1 +Wichita North High School was the second high school in the city of Wichita , completed in 1929 . Wichita East High School was the first high school . Wichita North High School was the first high school in the city of Wichita , finished in 1929 , Wichita East High School was the second high school . 0 +In 2014 election defeated Indian National Congress candidate Manas Madkami Biju Janata Dal candidate Mala Madhi with a range of 3,312 votes . In 2014 election , Indian National Congress candidate Manas Madkami defeated Biju Janata Dal candidate Mala Madhi by a margin of 3,312 votes . 0 +His current research explores the impact of Islamic ideas and stories on Jewish sources . His current research explores the influence of Jewish ideas and stories on Islamic sources . 0 +Hysterocladia unimana is a moth of the Megalopygidae family . It was found by Hopp in 1943 . It is described in Brazil . Hysterocladia unimana is a moth of the Megalopygidae family , which was found in 1943 by Hopp and is described in Brazil . 1 +It is the biggest private club in Houston and one of the largest in the world , with more than 3,300 members . It is the largest private club in Houston and one of the biggest in the world , with over 3,300 members . 1 +"The Riemann Zeta function is defined by the absolutely convergent infinite row for complex "" s "" with real part larger than 1 ." "The Riemann zeta function is defined for complex "" s "" with real part greater than 1 by the absolutely convergent infinite series" 1 +Similarly , the northern populations annually migrate between regions west of the Rocky Mountains , including Western Canada , and overwintering areas on the California coast . Similarly , the western populations migrate annually between regions west of the Rocky Mountains including northern Canada and overwintering sites on the coast of California . 0 +Past editors include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet and Raymond Aron . Former publishers include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet , and Raymond Aron . 1 +This was the first time since 1976 that New Jersey did not vote for the same candidate as the neighboring Pennsylvania . This was the first time since 1976 that New Jersey did not vote for the same candidate as neighboring Pennsylvania . 1 +The former members of active MDU and ABL were arrested by the police , such as John Eber and Dr Joseph K.M . The active members of the former MDU and ABL were arrested by the police , as John Eber and Dr. Joseph K.M . 0 +He worked in Tielt between 1693 and 1717 as a teacher in Bruges . He worked as a teacher in Bruges and between 1693 and 1717 in Tielt . 0 +They later moved to Whitefish Bay , Wisconsin , and then to New York City . Later they moved to New York City , and then to Whitefish Bay , Wisconsin . 0 +After the partition of India in 1947 , Bade Ghulam returned to his hometown of Kasur , Pakistan , but went to India in 1957 to live there permanently in 1957 . After the partition of India in 1947 , Bade Ghulam went to his hometown of Kasur in Pakistan , but later returned to India to live there permanently in 1957 . 0 +Winners - Effects were shown when established non-experienced chicks were placed in a study by drummond against dominant chicks . Winners - Effects were shown when established dominant chicks were placed in a study by Drummond against non-experienced chicks . 0 +"Note : Pluto was classified as a planet when the Grand Tour was launched and at the time "" New Horizons "" was proposed ." "Note : Pluto was classified as planet when the Grand Tour was started and proposed at the time "" New Horizons "" ." 1 +The lyrics were later written by Taupin and John first composed the music . The texts were written by Taupin first and John later composed the music . 0 +Dif is a settlement divided between Somalia Wajir County and Kenya Lower Juba region . Dif is a settlement divided between Kenya 's Wajir County and Somalia 's Lower Juba region . 0 +The association of the stylized eye with mirrors was so strong that in the Teotihuacan art , human eyes were often used as a substitute for the face of a mirror . The association of the human eye with mirrors was so strong that stylised eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . 0 +By a majority of 69.18 % , the Greeks decided against a constitutional monarchy and for a parliamentary republic . The Greeks opted for a constitutional monarchy and a parliamentary republic by a majority of 69.18 % . 0 +"Temminck 's West African mouse or striped hybomys ( "" Hybomys trivirgatus "" ) is a species of rodent in the family Muridae ." "The West African mouse or striped hybomys ( "" Hybomys trivirgatus "" ) from Temminck is a species of the rodent in the Muridae family ." 1 +In February 2013 , the school opened a pastoral dining area and new offices , followed by a new assembly hall and library in May 2013 . In February 2013 the school opened a pastoral dining area and new offices , in May 2013 followed a new auditorium and library . 1 +It is available in areas including Phibsboro and Castleknock , Finglas , Cabra and Ballymun . It is available in areas including Phibsboro and Castleknock , Finglas , Cabra , Ballymun . 1 +Stella was born in Nnewi Northern Nigeria into the family of Felix Ebelechukwu and Margaret Modebelu , descendants of Anambra State in Kano State . Stella was born in Kano State , Northern Nigeria in the family of Felix Ebelechukwu and Margaret Modebelu , descents of Nnewi in Anambra State . 0 +He then replanted the movement in Brooklyn , New York , and later in London , and Monticello , New York . Then he re-planted the movement in Brooklyn , New York , and later in London , and Monticello , New York . 1 +There are essentially four types of databases : curated databases , predictive databases , literature databases and inclusive databases There are essentially four types of databases : curated databases , integrative databases , literary databases and predictive databases . 0 +He died on February 20 , 1930 in Oneida . He was buried at the Glenwood Cemetery in Albany , New York . He died in Albany , New York on February 20 , 1930 , and was buried at the Glenwood Cemetery in Oneida . 0 +His son Henry II ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King John I Lestrange in 1174 . His son Heinrich II ( died before 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I. Lestrange . 1 +"More recently , Wellman has contributed to the theory of individualized network analysis with an emphasis on social networks , also known as "" networked individualism "" ." "More recently , Wellman has contributed to the theory of individualized network analysis with the emphasis on social networks , also known as "" networked individualism "" ." 1 +In mathematics , a Polynomial equation or an algebraic equation is an equation of the In mathematics , an algebraic equation or polynomial equation is an equation of form . 1 +It is used as a measure of absorbed dose , kinetic energy ( released ) , and kerma ( an acronym for specific energy imparted per unit mass ) . It is used as a measure of absorbed dose , kinetic energy ( released ) and kerma ( acronym for specific energy transmitted per mass unit ) . 1 +B is the common term between the two premises ( the central term ) , but is never distributed , so this syllogism is invalid . B is the common term between the two premises ( the middle term ) but is never distributed , so this syllogism is invalid . 1 +The tubular heart or the primitive heart tube is the earliest stage of heart development . The primitive heart or tube-shaped heart tube is the earliest stage of heart development . 1 +The South Tyrolean People 's Party held a primary election on 21 April 2013 to select the party 's head of the provincial list . On April 21 , 2013 , the South Tyrolean People 's Party held a state election to select the party 's head on the primary list . 0 +The work was completed in its fifth in 2003 , it was released in August the Rush release from the same year . The work was released in its fifth in 2003 , it was completed in August the release Rush from the same year . 0 +"Their son Brian Sims appeared with Tony in two episodes as "" Marc "" in "" Taxi "" ." "Their son Brian Sims appeared with Tony on "" Taxi "" in two episodes as Marc ." 1 +The Skookum cat was developed from crosses between Munchkins and LaPerms with the aim of creating a short-legged cat with a curly coat . The Skookum cat was developed from intersections between Munchkins and LaPerms with the aim of creating a lurid cat with a short coat . 0 +Valesca asked him to curse himself when he began to bring the animals under control . Valesca asked him to control himself when he began to curse the animals . 0 +William died in 1859 and Elizabeth died the following year . In 1859 , Elizabeth died and in the following year William died . 0 +"The large active adult community is also known locally as "" Original "" Leisure Village , because it was the first of three neighboring active adult communities with similar names ." "The neighboring active adult community is also locally known as "" Original "" Leisure Village because it was the first of three sprawling active adult communities bearing similar names ." 0 +He was elected a Distinguished Lecturer by the International Speech Communication Association and the IEEE Signal Processing Society . He was elected to a Distinguished Lecturer by the IEEE Signal Processing Society and the International Speech Communication Association . 1 +He bought homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . He has acquired houses in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . 0 +The 1935 Chico State College football team represent Chico State Wildcats during the 1935 College Football season . The 1935 Chico State Wildcats football team represented Chico State College during the 1935 college football season . 0 +In the 2015 federal elections , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . In the 2015 federal election , after Tosi was sidelined by the regional party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . 1 +In order to maintain Malaysia 's neutrality , the Sabres were flown to Thailand via Singapore . In order to preserve Malaysia 's neutrality , the Sabres were flown to Thailand via Singapore . 1 +The 1954 -- 55 NBA season was the ninth season of the National Basketball Association . The season 1954 -- 55 National Basketball Association was the ninth NBA season . 1 +James Edward Bagshaw , organist of The Moons , uses a single manual Vox Continental , and Tom Warmsley of The Moons uses a Vox Continental 300 . The Moons organist James Edward Bagshaw uses a single manual Vox Continental ; also , The Moons ' Tom Warmsley uses a Vox Continental 300 . 1 +In the available implementations some recommended interfaces were required , but they are not implemented . Some recommended interfaces implemented in the available implementations but are not required 0 +Nearby settlements include the town of Lancaster , the city of Hollins Lane , the village of Garstang and the hamlets of Potters Brook and Shireshead . Nearby settlements include the city of Lancaster , the town of Hollins Lane , the village of Garstang and the hamlets of Potters Brook and Shireshead . 1 +The museum consists of a new information room , a restoration hangar , the main hangar Texas Flying Legends and the hangar Oswin H. Elker . The museum consists of a main information room , a restoration hangar , the new Texas Flying Legend Hangar and the Oswin H. Elker Hangar . 0 +In 1871 , for health reasons , he moved to Santa Barbara , where he first settled in Southern California . He moved of health reasons to Southern California in 1871 where he first settled in Santa Barbara . 0 +Codice _ 13 is also a compiler magic function of Oxygene . It is not a real function and is at compile time unrolled to conditional statements . Codice 13 is also a compiler - magic - function of oxygene that is not a real function and is rolled up to conditional statements at compile time . 1 +Scatarie Island is an island in the Canadian province of Nova Scotia , located off the coast of Baleine , Cape Breton Island . Cape Breton Island is an island located in the Canadian province of Nova Scotia , off the coast of Baleine , Scatarie Island . 0 +He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and attended the High School for Reception Arts in St. Paul , Minnesota . Chrishan was born in Toledo , Ohio and grew up in St. Paul , Minnesota . He attended High School for Recording Arts in Minneapolis , Minnesota . 0 +Chinese family planning policy allows minorities , including Muslims , to have up to two children in rural areas , and three to four children in urban areas . China ’ s family planning policy allows minorities , including Muslims , to have up to two children in rural areas and three to four children in urban areas . 1 +""" Espoir "" lost her master wounded , and had six men killed , of whom two were badly wounded ." """ Espoir "" lost her master wounded and killed six men , of whom two were seriously wounded ." 1 +This species occurs in the Caribbean and the Gulf of Mexico , in the Atlantic Ocean off Brazil . This species occurs in the Caribbean Sea and the Gulf of Mexico ; in the Atlantic Ocean off Brazil . 1 +The material was originally interesting in the 1950s because its high melting point and tensile strength were more desirable than that of the more common form of polyethylene . The material was originally interesting in the 1950s because its high melting point and its high tensile strength were more desirable than the more common form of polyethylene . 1 +A Bollywood remake of the film was made in the year 2005 named Rog starring Irrfan Khan and Himanshu Brahmbhatt Directed by Ilene Hamann . A Bollywood remake of the film was made in 2005 named Rog with Irrfan Khan and Ilene Hamann directed by Himanshu Brahmbhatt . 0 +The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Vichy France , Belgium and Germany in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Germany , Belgium , and Vichy - France in 1945 . 1 +The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharge . The role of corpus callosum in the epilepsy is the interhemispheric transmission of epileptiform discharges . 0 +According to the United States Census Bureau , Masontown has a total area of , of which is land and , or 2.10 % , is water . According to the United States Census Bureau , Masontown is a total area of which is land and 2.10 % water . 1 +Ferguson remained in Monrovia until his death in 1968 , in 1916 in Liberia . Ferguson remained in Liberia , Monrovia in 1916 until his death in 1968 . 0 +Safa Masjid or Safa Shahouri masjid is located at Goa within the Ponda in India . Safa Masjid or Safa Shahouri Masjid is located in Ponda within the Goa of India . 0 +He followed in 1995 -- 2003 Jenny McGhee Edwards , from 2003 -- 2007 Larry Kearney and from 2007 -- 2015 Elic Senter . He was followed by Larry Kearney from 1995 -- 2003 by Jenny McGhee Edwards in 2003 -- 2007 and by Elic Senter from 2007 -- 2015 . 0 +Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard , cousin of Claude Pratte , son of Gaston Pratte and Jeannette Verge . Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard . Cousin of Claude Pratte who is son of Gaston Pratte and Jeannette Verge . 1 +"The administrative district of the same name ( "" správní obvod "" ) consists of the Prague 14 and Dolní Počernice districts ." "The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 14 and Dolní Počernice ." 0 +They are patrilineal and were organized into small chieftains in several areas . They are patrilineal and were organized into several chieftains in small areas . 0 +Research in military physiology began in 1950 with a small group of scientists and medical physiologists at the Defence Science Laboratory in Delhi . Research in military physiology began in 1950 through a small group of scientists and medical physiologists at Defence Science Laboratory , Delhi . 1 +Cumberland was himself shot in the side , head , and legs , and Captain Lister was wounded in the shoulder . Cumberland himself was shot in the side , head and legs , and Captain Lister was wounded in the shoulder . 1 +In March 1833 , Pekin was renamed Redford and the southern half was on April 1 , Dearborn Township . In March 1833 , Dearborn Township was renamed Redford and the southern half became Pekin on April 1st . 0 +Another new bridge was built at Phnom Penh on Neak Leung to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . Another new bridge was built at Phnom Penh on the Neak Leung to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . 1 +They meet Quinito Castañeda ( Rafael Rosell ) and his friend Danny ( Joross Gamboa ) , who brings them to a beach resort in Cavite . They meet with Quinito Castañeda ( Danny ) and his friend Joross Gamboa ( Rafael Rosell ) , who will take you to a beach resort in Cavite . 0 +Kyparissia ( Latin : Ciparissia ) is a village , former diocese and present Latin Catholic titular seen in southwestern Arcadia , Peloponnese peninsula of continental Greece . Kyparissia ( Latin Ciparissia ) is a village , former bishopric and present Latin Catholic titular see in southwestern Arcadia , Peloponnese peninsula of continental Greece . 1 +A public elementary school was built in 1850 in the hamlet of Stain and built in 1858 for 100 children . The Wesleyans expanded a school in 1875 . A Public Elementary School was built in the hamlet of Stain in 1850 and enlarged in 1858 to hold 100 children . The Wesleyans built a school in 1875 . 0 +The Monroe Free Press is a weekly newspaper serving the Monroe , Arkansas , El Dorado , Louisiana area . The Monroe Free Press is a weekly newspaper that serves the Monroe , Louisiana , El Dorado , Arkansas area . 1 +Tide is the sixth album by Antônio Carlos Jobim , which was released in 1970 on A 'M Records and arranged by Deodato . Tide is the sixth album by Deodato that was released on A 'M Records in 1970 and arranged by Antônio Carlos Jobim . 0 +Veerapandiya Kattabomman is a 1959 biographical-language Indian Tamil war film directed B. R. Panthulu . Veerapandiya Kattabomman is a biographical-language Indian Tamil war film directed by B. R. Panthulu in 1959 . 1 +The company sells ice cream , then moves to bake ice cream cones and headquarters expands to Baltimore . Company sells ice cream , then expands to bake ice cones headquarters moves to Baltimore . 0 +Each district consisted of 4 to 7 counties , whose borders were restored in 1786 . In 1790 , the pre- 1785 system was changed . Each district consisted of 4 to 7 counties , whose borders were restored in 1786 , and the system was changed in 1790 before 1785 . 1 +This is caused by a combination of adiabatic ( ribbed ) heating and kinetic compression . This is caused by a combination of kinetic ( friction ) heating and adiabatic compression 0 +On August 11 , 2005 , Yoshinobu Shimamura became Minister of Agriculture following the resignation of Iwanaga . On August 11 , 2005 , Yoshinobu became Shimamura following the resignation of Iwanaga Agriculture Minister . 0 +Mishima is voiced by Daisuke Sakaguchi in Japanese and Sean Chiplock in English . Mishima is expressed in English by Daisuke Sakaguchi in Japanese and Sean Chiplock . 0 +Sinclair T. Chitty , his mother , married at the age of 15 his father Thomas Kincaid Blake Jr.. Thomas Kincaid Blake Jr. 's mother John married his father Sinclair T. Chitty at the age of 15 . 0 +In 1953 , he married the actress Diane Holland , the sister of actress Gilda Neeltje . In 1953 , he married the actress Gilda Neeltje , the sister of actress Diane Holland . 0 +McLoughlin applied the laws to British subjects , kept the peace with the natives and maintained friendly relations with American merchants and later colonists . McLoughlin applied the law to British subjects , kept the peace with the natives and maintained friendly relations with American merchants and later colonists . 1 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital in the Forest Gate , London , and lived in North Kilworth , South - Leicestershire . John Geza Ashton was born on 30 November 1957 in Whips Cross Hospital , Forest Gate , London , and lived in North Kilworth in south Leicestershire . 1 +Some southern states , such as Zhou and Wu , claimed independence from the Chu who led to wars against some of them ( Wu and Yue ) . Some southern states , such as Zhou and Wu , claimed independence from the Chu , who undertook wars against some of them ( Wu and Yue ) . 1 +The number of aircraft operated by the 939th was simultaneously increased by the transfer of KC-135s from the 507th and 137th Air Refueling Wing . The number of aircraft operated by the 939th was increased simultaneously by the transfer of KC-135 from the 507th and 137th air refueling wings . 1 +The last Chief Executive , Charles Mindenhall , stepped down in January 2018 , and the current Chairman is Richard Craig . The last Chief Executive , Richard Craig , stepped down in January 2018 . The current Chair is Charles Mindenhall . 0 +RadioShack operated a InterTAN chain from Barrie , Ontario which carried most ( but not all ) of the US Radio Shack product line . InterTAN operated a RadioShack chain from Barrie , Ontario , which promoted most ( but not all ) of the US Radio Shack product line . 0 +Göttsche received international acclaim with his formula for the generating function for the Betti numbers of the Hilbert scheme of points on an algebraic surface : With his formula for the creating function for the Hilbert - numbers of the betti scheme of points on an algebraic surface , Göttsche received international recognition : 0 +Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a cyclist from Liechtenstein , Germany . Daniel Rinner ( born November 11 , 1990 in Liechtenstein , Germany ) is a cyclist from Vaduz . 0 +The ship visited Okinawa during the second September week and spent the rest of the month in Guam in the Marianas . The ship attended Guam during the second week of September and then spent the rest of the month in Okinawa in the Marianas . 0 +Kalithozhan is a 1966 Indian Malayalam film , produced by M. Krishnan Nair and directed by AV Subbarao . Kalithozhan is an Indian Malayalam film from 1966 , directed by M. Krishnan Nair and produced by AV Subbarao . 0 +Ekrem Boyalı is currently living in Konya for his university education with his two brothers , who are practiced by Ali Sarı . Living currently in Konya for his university education with his two brothers , Ali Sarı is coached by Ekrem Boyalı . 0 +Like other Corvids , Blue Jays are highly curious and are considered to be intelligent birds . Like other Corvids , Blue Jays are very intelligent and are considered curious birds . 0 +The transformation typically requires Anti-Markovnikov - metal catalysts to obtain this special addition result . The transformation typically requires special metal catalysts to give this anti-Markovnikov addition result . 0 +With Kato defeated , Hirai escapes with Yukari . Defeated with Hirai , Kato escapes with Yukari . 0 +"Davey refers to Collins in his "" Hells Gates "" book ." "Collins refers in his book "" Hells Gates "" to Davey ." 0 +Counties include : Elkhart , LaPorte , Marshall , St. Joseph and Strong Counties in Indiana and Berrien and Cass Counties in Lower Michigan . Counties include : St. Joseph , LaPorte , Marshall , Elkhart and Starke counties in Indiana , and Berrien and Cass counties in Lower Michigan . 1 +The oldest of these are the channels : the Manchester Ship Canal , the Trent and Mersey Canal , the Weaver Navigation and the Bridgewater Canal . The oldest of these are the canals : the Bridgewater Canal , the Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . 1 +In 2012 , Maggie Gee became a professor of creative writing at Bath Spa University , where she shares an office with Professor Weldon . In 2012 , Maggie Gee was appointed Professor of Creative Writing at Bath Spa University where she shares an office with Professor Weldon . 1 +The winners of each section qualify for the open draw of the disabled Australian dishes . The winners of each section qualify for the open draw of the Australian bowls disabled . 1 +For example , in JavaScript the factorial function can be defined via such recursion as anonymous : In JavaScript , for example , the factorial function can be defined through anonymous recursion as such : 0 +This was more common in regional Australia and southern Australia , but has been common for decades in urban Australia . This was more common in urban Australia , but has been common in regional Australia and southern Australia for decades . 0 +He is survived by his children Jason Coppola from Brooklyn and Samantha Coppola of Bogota and three grandchildren . He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogota , and three grandchildren . 0 +It also has a representation at regional and local level . It has also representation at local and regional level . 1 +The episode was written by Gail Mancuso and directed by Elaine Ko . The episode was written by Gail Mancuso and is directed by Elaine Ko . 1 +William William James was a close friend and correspondent of Pauline Goldmark . Pauline Goldmark was a close friend and correspondent of William James . 0 +Quentin was widowed , and in 1825 he and Rowden married . Rowden was widowed , and in 1825 he and St Quentin married . 0 +"It 's the second entry in the series , the first is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." "It is the first entry in the series , the second is "" Fast Racing League "" on WiiWare published in 2011 for the Wii ." 0 +The Windsor Link Railway also proposes a solution for southern rail access to Heathrow as well as linking to Slough via a tunnel in Windsor . The Windsor Link Railway also proposes a solution for southern railway access to Windsor as well as connections to Slough via a tunnel in Heathrow . 0 +In 1948 , he relocated to Cyprus . In 1958 , he moved to England . In 1948 he moved to Cyprus , to England in 1958 . 1 +After the takeover of the Nazi regime , he was forced to retire in 1936 as a citizen of evangelical faith with Jewish ancestors . Following the takeover of the Nazi regime in 1936 , he was forced to withdraw as a citizen of evangelical faith with Jewish ancestors . 1 +In any case , the output is often equalized and sent to the load , and the output capacitors are then included to filter the switching noise . In any case , the output is then rectified and sent to the load . Capacitors are often included at the output to filter the switching noise . 0 +Additionally , a left-handed team played against MCC ( Marylebone Cricket Club ) in two other games . Additionally , a left-handed team played in two other matches against Marylebone Cricket Club ( MCC ) . 1 +Joseph Medwick Park on the banks of the Rahway River in Woodbridge Township and Carteret in Middlesex County , New Jersey is named as his honor . Joseph Medwick Park along the banks of the Rahway River in Woodbridge Township and Carteret in Middlesex County , New Jersey is named in his honor . 1 +Pennsylvania ( 5-1-0 ) defeated Penn State ( 5-1-0 ) Philadelphia , 19-7 . At Pennsylvania , ( 5-1-0 ) Penn State defeated ( 5-1-0 ) Philadelphia , 19-7 . 1 +Hifikepunye Pohamba was succeeded as President of Namibia by Nujoma in 2005 . Hifikepunye Pohamba was replaced in 2005 by Nujoma as President of Namibia . 1 +He was born in Sofia on May 21 , 1897 , and died in Yambol on June 15 , 1945 . He was born on May 21 , 1897 , in Yambol and died on June 15 , 1945 , in Sofia . 0 +In 2012 , approved Solanco School District Homestead residents received $ 79 . In 2012 , Solanco School District Homestead received residents approved $ 79 . 0 +Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Xicai very trusted him . Zhu Xicai continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Ci trusted him greatly . 0 +On Monday , Louis Philippe visited the individual exhibits , as Napoleon had done . On Monday , Napoleon visited the individual exhibits , as Louis Philippe had done . 0 +This was the first partnership of more than 100 runs for a team seven wickets down for less than 100 runs in List A Cricket in Bangladesh . This was the first partnership of more than 100 runs for a team seven wickets down for fewer than 100 runs in List A cricket in Bangladesh . 1 +Martina Navratilova defeated Chris Evert Lloyd , 6 -- 1 , 3 -- 6 , 6 -- 2 Chris Chris Evert Lloyd defeated Martina Navratilova , 6 -- 1 , 3 - 6 , 6 -- 2 . 0 +Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 -- 1 Caroline Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 1 - 6 0 +In late 2003 he told an interviewer that his favorite bassists Mike Mills ( R. E. M. ) , Johnny Gayden ( Albert Collins Band ) and Charles Mingus were . In late 2003 , he told an interviewer that his favorite bassists were Charles Mingus ( RM ) , Mike Mills ( Albert Collins Band ) , and Johnny Gayden . 0 +Lena Terrell Jackson was born in Gallatin , Tennessee and was raised by her mother Louise Jackson . Lena Terrell Jackson was born in Gallatin , Tennessee , and raised by her mother Louise Jackson . 1 +The completion of Mayfield , New Orleans and Northern Railroad in 1858 connected Memphis to the outside world . The completion of the Memphis , New Orleans , and Northern Railroad in 1858 connected Mayfield with the outside world . 0 +Little Tramp is a musical containing a book by David Pomeranz and music and texts by David Pomeranz and Steven David Horwich . Little Tramp is a musical with a book by David Pomeranz and Steven David Horwich and music and texts by David Pomeranz . 0 +James Pugh ( born March 4 , 1983 in Cyprus ) is a Cypriot rugby player who has played for the Welsh Rugby - Union team since 2007 . Alun James Pugh ( born 4 March 1983 in Cyprus ) is a Cypriot rugby player who has played for the Wales national rugby union team since 2007 . 1 +Former publishers include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet , and Raymond Aron . Past editors include Raymond Aron , Georges Dumézil , François Jacob , Michel Foucault , Emanuel Le Roy Ladurie , François Furet , and Jacques Le Goff . 1 +The French , led by Bertrand du Guesclin , defeated the relief force and met it . The French , led by Bertrand du Guesclin , defeated and met the relief force . 1 +"Khukaria is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia "" tehsil "" ." "It is a village in the Berasia district of Madhya Pradesh , India It is located in Bhopal "" tehsil "" ." 0 +There she studied with Tony Smith , Eugene Goossen and Ad Reinhardt and met fellow art students Robert Morris , Carl Andre and Robert Barry . There she studied with Robert Morris , Carl Andre and Robert Barry and met art students Tony Smith , Eugene Goossen and Ad Reinhardt there . 0 +The manga is published in French by Panini Comics , in Spanish by Planetacomic , in German and Italian by Pika Edition . The manga is published by Pika Edition in French , from Planetacomic in Spanish , by Panini comics in German and Italian . 0 +"Armavir Province is currently divided into 97 municipal communities ( "" hamaynkner "" ) , of which 3 are rural and 94 are urban ." "The province of Armavir is currently divided into 97 municipal communities ( "" hamaynkner "" ) , of which 3 are urban and 94 are rural :" 0 +In 2012 , Duncan appeared next to Romola Garai in Scrubber , a film by Amanda Hale written and directed . In 2012 Duncan appeared alongside Romola Garai in Scrubber , a film written and directed by Amanda Hale . 1 +"She also had a supporting role in the film "" Bob Roberts "" , as Dolores Perrigrev in 1992 ." "She also had a supporting role in the film "" Dolores Perrigrew "" 1992 , when Bob Roberts ." 0 +Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Ukrainian ( until 2000 ) and a Belarusian cross-country skier ( since 2000 ) . Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Belarusian ( until 2000 ) and Ukrainian ( since 2000 ) flight skier . 0 +Born and raised in Aylesbury , Saskatchewan , Canada , he died in Vancouver , British Columbia , Canada . He was born and raised in Aylesbury , Saskatchewan , Canada and died in Vancouver , British Columbia , Canada . 1 +Leelanau County is a charter municipality of Elmwood Charter Township in the U.S. state of Michigan . Elmwood Charter Township is a charter township of Leelanau County in the state of Michigan . 0 +There are four regular compact honeycombs in the hyperbolic 3D space : There are four hyperbolic honeycombs in regular 3D space . 0 +In Stockholm , he completed several of the paintings he had outlined on his 1832 Finnmark tour . In Stockholm he completed some of the paintings he had outlined in 1832 on his Finnmark tour . 0 +At the Labor Eve 2016 , Badou Jack was named as a replacement for Bute to challenge Julio Cesar Chavez Jr. for the WBC Super Middleweight Championship . At the Labor Eve 2016 , Bute was named as a replacement for Julio Cesar Chavez Jr. , to challenge Badou Jack for the WBC Super - Middleweight - Championship . 0 +The 1980 -- 81 Toronto Maple Leafs season was the Toronto Maple Leafs 64th season of the franchise , 54th season as the Maple Leafs . The season 1980 -- 81 Toronto Maple Leafs was the Toronto Maple Leafs 64th season of the franchise , season 54th as the Maple Leafs . 1 +Malaysia has a large commission in London and the United Kingdom has a high commission in Kuala Lumpur . Malaysia has a high commission in Kuala Lumpur , and the United Kingdom has a high commission in London . 0 +Finally , the global stiffness matrix is extended by adding together the individual element matrices constructed . After all , the global stiffness matrix is constructed by adding together the individual expanded element matrices . 0 +Play Bach 93 Volume 2 ( Note Productions CD 437000-3 ) 1993 : Note Bach 93 Volume 2 ( Play Productions CD 437000-3 ) . 0 +The fifth act of 2014 was held for the third time in Cardiff , Wales , and was held on the holiday weekend from 22 - 25 August 2014 . The fifth act of 2014 was in Cardiff , Wales for the third time , and was held on the bank holiday weekend of 22 -- 25 August 2014 . 1 +The Putna River is a left tributary of the Deju River in Romania . The Putna River is a left tributary of the River Deju in Romania . 1 +The problem of testing whether a given polynomial over a finite field is a permutation polynomial can be solved in polynomial time . The problem of testing whether a given polynomial is a permutation polynomial through a finite field can be resolved in polynomial time . 1 +It ended in 1955 , shortly after the new mayor Norris Poulson opened all new public housing in the city . It ended in 1955 , shortly after new mayor Norris Poulson opened all new public housing in the city . 1 +But this mitigating influence can only be achieved if urban planning is significantly improved and city services are properly maintained . But this mitigating influence can be achieved only if urban planning is significantly improved and urban services are properly maintained . 1 +"Brown also appeared in "" All about the Evil "" of Peaches Christ with Cassandra Peterson , Mink Stole and Patrick Bristow ." "Cassandra Peterson also appeared in Peaches Christ 's "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." 0 +The family spent seven years in the area of Harrisburg before moving to Coxestown , which is now known as the Susquehanna Township , north of Lancaster in Dauphin County . The family spent seven years in the Lancaster area before moving to Coxestown , now known as Susquehanna Township , just north of Harrisburg in Dauphin County . 0 +"According to a source , it derives from a root winding "" meaning "" ." "According to one source , it derives from a root winding "" meaning "" ." 1 +Qazi Ghulam Murtaza was married to Ummatullah , a daughter of Syed Zainuddin of Tijara . Syed Zainuddin was married to the daughter of Qazi Ghulam Murtaza of Tijara with Ummatullah . 0 +Wesley Enoch , the eldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of the Minister of Queensland , Leeanne Enoch . The eldest son of Doug and Lyn Enoch from Stradbroke Island , Wesley Enoch grew up in Brisbane . He is the brother of Queensland government minister Leeanne Enoch . 0 +Other major bus stations include Jubilee bus station ( JBS ) , Dilsukhnagar bus station , Mehdipatnam bus station . Other major bus stops include Jubilee Bus Station ( JBS ) , Dilsukhnagar Bus Station , Mehdipatnam Bus Station . 1 +It is slightly smaller than Peru and slightly larger than South Africa . It is somewhat smaller than Peru and slightly larger than South Africa . 1 +Scientists believe that amber was deposited during the Upper Eocene and Lower Oligocene in a delta of a marine river , in a shallow part of a prehistoric basin . Scientists believe that amber was deposited in a flat part of a sea basin in a delta of a prehistoric river during the Upper Eocene and the Lower Oligocene . 0 +The music was written by MS Baburaj and the lyrics by Naattika Sivaram composed . The music was composed by MS Baburaj and lyrics was written by Naattika Sivaram . 0 +Touche was the first son of the third baronet of the 1920 's Creation . Touche was the third son of the first Baronet of the 1920 creation . 0 +In 1997 , Sandy Lam , Teresa Carpio , Prudence Liew and Qi Yu released a cover of the song , along with What A Wonderful World In 1997 , Sandy Lam , Teresa Carpio , Prudence Liew , and Qi Yu published a cover of the song , along with What A Wonderful World 1 +He survived by his daughter Nicola and granddaughter Caroline . He was survived by his daughter Nicola and granddaughter Caroline . 1 +The 1966 Cleveland Browns season was the 17th season of the team with the National Football League . The 1966 National Football League season was the team 's 17th season with the Cleveland Browns . 0 +It was a finalist for the 2002 Sidewise Award for the best alternative history and the John W. Campbell Memorial Award 2003 . It was a finalist for the 2002 Sidewise Award for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . 0 +The large area of black is shaded with green first and then with blue . The large surface of black is shaded with blue first and then with green . 0 +He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . In Sweden and in Mexico , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . 1 +This optionally means maximum fuel load , usually with extra fuel tanks and minimum equipment . This optionally means maximum fuel load , usually with additional fuel tanks and minimum equipment . 1 +Bela Vista de Goiás is a city located in central Goiás state in Brazil . Bela Vista de Goiás is a city in the central Goiás state in Brazil . 1 +After World War I more branches were opened in Wells ( 1921 ) , Swindon ( 1922 ) and Coleford ( 1924 ) . After World War I , other branches were opened in Wells ( 1921 ) , Swindon ( 1922 ) and Coleford ( 1924 ) . 1 +Another two goals helped Blyth eliminate North Ferriby United from the FA Trophy , and he scored again against Moor Green in the next round . Another two goals helped Blyth eliminate North Ferriby United from the FA Trophy , and in the next round he won again against Moor Green . 1 +Serena Williams and Venus Williams won 5-7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat in the final . Alexandra Fusai and Nathalie Tauziat won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams . 0 +"It was published by ( Spreng . ) K.Schum , and described in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , in 1888 ." "It was published by ( Spreng . ) K. Schum and described in 1888 in "" Flora Brasiliensis 6 ( 6 ) : 128 "" ." 1 +This later became the permanent family home , after purchase in 1948 by Robert Lorimer 's son , the sculptor Hew Lorimer . After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this became a permanent family home later . 1 +In 1972 , Leonid Kozlov told film historian Tarkovsky his ten favorite films . In 1972 , Tarkovsky told film historian Leonid Kozlov his ten favorite movies . 0 +The Madang languages are a family of languages in New Guinea - stock on the Rai - coast . The languages of the Rai coast are a family of languages in Madang - continent of New Guinea . 0 +The Council has had 27 members nominated by the local authorities in Wales , the University of Wales , the Welsh Tourist Board and the National Eisteddfod Council . The council had 27 members nominated by local authorities in Wales , the University of Wales , Welsh Tourist Board and the National Eisteddfod Council . 1 +The station is protected as a listed monument . The train station is protected as a listed monument . 1 +The uniforms are produced by Russell Athletic and the hats are manufactured by New Era . The uniforms are manufactured by Russell Athletic and the hats are made by New Era . 1 +According to the fundamental theorem of algebra , all polynomial equations with complex coefficients in a single variable , have a solution in real or complex numbers . According to the fundamental theorem of the algebra , all polynomial equations with real or complex coefficients in a single variable have a solution in complex numbers . 0 +The Hebrew Union College -Jewish Institute of Religion also manages the Skirball Cultural Center in Los Angeles and the Skirball Museum in Jerusalem . The Hebrew Union College-Jewish Institute of Religion also manages the Skirball Cultural Center in Jerusalem and Skirball Museum in Los Angeles . 0 +This second iteration of the WiFi module has increased the size by 300 % and reduced processing speed by 60 % . This second iteration of the WiFI module reduced the size by 60 % and increased processing speed by 300 % . 0 +Bayswater is connected by Garratt Road Bridge and the Swan River ( Tonkin Highway ) to the south of the Redcliffe Bridge . Bayswater is connected to the south by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the Swan River . 0 +Formerly licensed to North Myrtle Beach , the station was owned by City of North Myrtle Beach , South Carolina , USA . The station , formerly licensed for North Myrtle Beach , was owned by the city of North Myrtle Beach , South Carolina , USA . 1 +57.1 % of these were male and 42.9 % female . Out of these , 57.1 % were female and 42.9 % were male . 0 +A parallel exhibition is organised for governmental and professional organisations , public and private research organisations and industrial companies . A parallel exhibition is organised for governmental and professional organisations , industrial research organisations and public and private companies . 0 +Following the death of Fred Miller in 1998 and John Paul Miller in 2000 , Mary Miller continued to live in the house located south of Cleveland . After the death of Mary Miller in 1998 and Fred Miller in 2000 , John Paul Miller continued living in the house , located south of Cleveland . 0 +In September 2014 , it was announced that a South Korean version and a North American version would be published . In September 2014 , it was announced that a North American version and a South Korean version would be released . 1 +The flood pulse concept is a theory that the annual flood pulse is the most important aspect and the most biologically productive feature of a river 's ecosystem . The concept of flood pulse is a theory that the annual flood pulse is the most productive aspect and the biologically most important feature of the ecosystem of a river . 0 +After the death of his father , King George , he was elected king in the presence of James Holman on March 4 , 1827 . Following the death of his father , King George , he was elected King on 4th March 1827 in the presence of James Holman . 1 +His mother was Gunther ’ s first wife , Agnes , a daughter of Count Simon I of Saarbrücken . His mother was Gunther 's first wife Agnes , a daughter of Count Simon I of Saarbrücken . 1 +Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington National in 32 matches . Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Union Association of the Washington Nationals . 1 +""" Idharkuthane Aasaipattai Balakumara "" , directed by Gokul , with Vijay Sethupathi , as Lead was his next ." """ Idharkuthane Aasaipattai Balakumara "" , directed by Vijay Sethupathi , featuring Gokul , as lead , was his next ." 0 +I 've created Sidney Nolan figures in a Francis Bacon landscape , inspired with stunts by Jean Cocteau . "I created Francis Bacon figures in a Sidney Nolan landscape , with stunts inspired by Jean Cocteau. """ 0 +North Eaglenest Mountain is named after nearby Mount Junaluska ( now Lake Junaluska ) , which in turn was named after Chief Junaluska , a Cherokee leader . The North Eaglenest Mountain is named after the nearby Mount Junaluska ( now Lake Junaluska ) , which was in turn named after Chief Junaluska , a leader of the Cherokee . 1 +Article 4 is Islamic , and the Guardians ' Council ensures that all articles of the Constitution and other laws are based on immutable criteria . Article 4 is Islamic and the Council of Guardians ensures that all articles of the Constitution as well other laws are based on immutable criteria . 1 +The painting wants to cover up Rita , Snooks intervenes . Rita wants to cover up the painting but Snooks intervenes . 0 +It is located in the hills between the Mullum Creek and the Koonung Creek . It is located in the hills between the Mullum Creek and the Creek Koonung . 1 +Linkuwa Pokhari is a village and Village Development Committee in Sagarmatha Zone in the Khotang District of eastern Nepal . Linkuwa Pokhari is a village and village development committee in the Khotang district in the Sagarmatha zone in eastern Nepal . 1 +The film was written and produced by P. Madhan and produced by AR Murugadoss under the Escape Artists Motion Pictures banner . The film was written and co-produced by P. Madhan and produced by AR Murugadoss under banner of Escape Artists Motion Pictures . 1 +"In Jin Yong 's "" Wuxia "" novel "" The legend of Kondor heroes "" is Guo Jing the ancestor of the protagonist Guo Sheng ." "In Jin Yong 's "" wuxia "" novel "" The Legend of the Condor Heroes "" , Guo Jing is the ancestor of the protagonist , Guo Sheng ." 1 +At the age of 76 he died in South Africa , in Grahamstown , Cape Province . He died at the age of 76 in Grahamstown , Cape Province , in South Africa . 0 +The Great Western Railway took over the W in 1862 and enlarged Cheltenham Spa Station in the 1900s when it built the railway between and Honeybourne . The Great Western Railway took over the OW & W in 1862 and enlarged Cheltenham Spa station in the 1900s when it built the railway between and Honeybourne . 0 +Bremerton Marina is a public marina located in downtown Kitsap County on Puget Sound , in Bremerton , Washington . The facility of the marina is within Sinclair Inlet . Bremerton Marina is a public marina in the downtown of Kitsap County at Puget Sound , Bremerton , Washington . The marina is located in Sinclair Inlet . 1 +His wife Tania G. Novarro was the one who made the most appointments with the great artists for Eddy . His wife Eddy was the one who made the most of the dates with the great artists for Tania G. Novarro . 0 +According to the U.S. Census Bureau , the county has a total area of , of which is land and ( 0.2 % ) is water . According to the US Census Bureau , the county has a total area of which is land and ( 0.2 % ) of water . 1 +"Examples of the 19 articles and 3 abstracts on "" The general and organization questions of the cadre and political question "" include :" "Examples of 19 articles and 3 abstracts on "" The General and Organizational Questions of the Cadre and the Political Question "" include :" 1 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola from Bogota and three grandchildren . He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogota , and three grandchildren . 1 +The river Urechioiu is a tributary of the River Sitna in Romania . The Sitna River is a tributary of the Urechioiu River in Romania . 0 +Balıklı is a village in the Gumushacıköy district , province of Amasya , Turkey . Balıklı is a village in the district of Gümüşhacıköy , Turkey , province Amasya . 1 +Nool Veli ( Fence of Yarn ) is a Tamil film with Saritha , Sujatha and Sarath Babu in 1979 . Nool Veli ( Fence of Yarn ) is a Tamil film with Sarath Babu , Sujatha and Saritha in 1979 . 1 +"At "" Shine 8 "" defeated Valkyrie Amazing Kong , Angelina Love , Christina von Eerie and Mia Yim in an eight-man team - match ." "At "" Shine 8 "" Valkyrie defeated Amazing Kong , Mia Yim , Christina von Eerie and Angelina Love in an eight - man - team - match ." 0 +Gary Donnelly and Jim Grabb won 6 : 7 , 6 : 4 , 7 : 6 against Andrew Castle and Roberto Saad in the final . Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Andrew Castle and Roberto Saad . 1 +The Marseille Provence Airport is located in Marignane . Marseille Airport Provence is located in Marignane . 1 +Carl Gould ( Dwayne Hill 2009 -- 2010 , Dylan Hoerner 2010 -- today ) is a cream-coloured rabbit with brown hair and blue glasses . ( Dylan Hoerner 2009 -- 2010 , Dwayne Hill 2010 -- Present ) is a cream rabbit with brown hairs and blue glasses . 0 +Petina Gappah was born in Zambia in the province of Copperbelt . Petina Gappah was born in Zambia , Copperbelt province . 1 +Previously held in the city of Auckland , the show moved to Christchurch at Hagley Park in 2008 . The show , which was previously held in the city of Christchurch , was moved to Auckland in 2008 at Hagley Park . 0 +A light novel - series - adaptation under the same name is published by Kadokawa ' ; s Kadokawa Beans Bunko , all volumes were written by Tōko Fujitani with illustrations by Yamako . A light novel - series - adaptation under the same name comes from Kadokawa 's Kadokawa Beans Bunko , all volumes were published by Tōko Fujitani with illustrations by Yamako . 0 +He is trained by Andre Rozier and shares a gym with former world champion Daniel Jacobs . He is trained by Daniel Jacobs and shares a gym with the former World Champion Andre Rozier . 0 +Former station Mangalore was located north of Seymour at the junction of the North East and Shepparton lines . Former North East station was located north of Seymour at the crossroads of the Mangalore and Shepparton lines . 0 +An implementation that calculates the probability density function of the Wakeby distribution is included as routine WAKPDF in the scientific data library Dataplot . An implementation that calculates the probability density function of the Wakeby distribution is included as scientific WAKPDF in the routine data library Dataplot . 0 +The second step works as follows : as long as there are three or more wires with equal weight , add a layer of the following : The second step works as follows . As long as there are three or more wires with the same weight add a following layer : 1 +"His role in "" The Mechanic "" was positively revived by critics in both the United Kingdom and the United States ." "His role in "" The Mechanic "" was worked positively by critics in both the United States and the United Kingdom ." 1 +Kanu 1 ( figure 3 ) is the largest in the cluster ( 3 m wide × 1 m long × 0.5 m depth ) . Canoe 1 ( figure 3 ) is the largest in the cluster ( 3 m wide × 1 m long × 0.5 m deep ) . 1 +She died in Fort Worth and is buried in Abilene at the municipal cemetery of Abilene . She died in Abilene and was buried in Fort Worth in the municipal cemetery of Abilene . 0 +He was also elected the Fellow of the Royal Society in 1749 and was appointed Fellow of the Royal College of Physicians in London in 1754 . He was also elected Fellow of the Royal Society in 1749 and the Fellow of the Royal College of Physicians , London in 1754 . 0 +In 2012 , he went to Canada to play with London City in the Canadian Soccer League , where he returned to Serbia to play with Srem Jakovo and Jedinstvo Surčin . In 2012 , he went to Canada to play with London City in the Canadian Soccer League.He returned to Serbia to play with Srem Jakovo , and Jedinstvo Surčin . 1 +His mother and his wife left him and followed Henry IV to Germany . His mother and his wife followed him and left Henry IV to Germany . 0 +St Francis Inter College , Aligarh Road , is one of the best and most renowned schools in Hathras . St Francis Inter College , Hathras Road , is one of the best and most renowned schools in Aligarh . 0 +Sumner Slichter was the brother of the geophysicist Louis B. Slichter , father of physicist Charles Pence Slichter , and the grandfather of the musician Jacob Slichter . Sumner Slichter was the brother of geophysicist Louis B. Slichter , father of physicist Charles Pence Slichter , and the grandfather of musician Jacob Slichter . 1 +"The "" World Atlas of Language Structures "" has a global map with 400 languages and chapter text , including geographical discussion :" "The "" World Atlas of Language Structures "" has a geographical map including 400 languages and chapter text showing global discussion :" 0 +The local method of identical to local inverse tomography is suitable in a situation in which The local method of identical inverse local tomography is in a situation in which : 0 +"On October 11 , 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." "On 11th October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , called "" Felipe Calderón "" ." 0 +These airlines operate more than 80 cities all over India and , after the liberalisation of Indian aviation , also connect overseas routes . These airlines connect more than 80 cities across India and also operate overseas routes after the liberalisation of Indian aviation . 0 +Mukherjee was born on 30 September 1909 in the United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British - India . Mukherjee was born on September 30 , 1909 in Benares ( now Varanasi ) , United Provinces ( now Uttar Pradesh ) , British - India . 0 +The Rusca River is a tributary of the Suceviţa River in Romania . The Rusca River is a tributary of the River Suceviţa in Romania . 1 +Lombard College was located in Galesburg until 1930 , and is now the site of Lombard Middle School . Until 1930 , the Lombard High School was located in Galesburg and is now the site of Lombard - College . 0 +The original flag , however , had a brownish color instead of green . The original flag , however , had a green instead of brownish color . 0 +Cheetham , born on 30 January 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . Born in Taos , New Mexico , January 30 , 1928 , Cheetham grew up in El Paso , Texas , received B.S . 1 +The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was completed in 3D and made in the post-production . The freighter , who in the first episode brought Jaime to Canada from Ponta Delgada , was CGI : the design was made in 3D and finalized in the post-production . 0 +In 1995 , thousands of Serb refugees from Kosovo were settled in Croatia , which further worsened relations between the two communities . In 1995 , thousands of Serb refugees were settled in Kosovo from Croatia , which further deteriorated relations between the two communities . 0 +Caspar David Friedrich was born on 5 September 1774 in Greifswald , Pomerania , Sweden , on the Baltic coast of Germany . Caspar David Friedrich was born on 5 September 1774 , in Greifswald , Swedish Pomerania , on the Baltic coast of Germany . 1 +The Zagreb recordings , announced at the Kulušić club , were made by the rock critic Dražen Vrdoljak and featured Theodore Yanni on guest guitar . Zagreb recordings announced at the Kulušić club were made by the rock critic Dražen Vrdoljak and provided by Theodore Yanni on the guest guitar . 1 +""" What you are , do what you want "" was covered in 1979 by The Dramatics ." """ Do what you want , be what you are "" was treated in 1979 by The Dramatics ." 0 +In 2012 , Solanco School District received homestead residents approved $ 79 . In 2012 , Solanco School District Homestead received residents approved $ 79 . 1 +It is located in the southern part of the Annapolis County on the western shore of Annapolis Basin . It is situated in the southern part of Annapolis County on the western shore of the Annapolis Basin . 1 +"Pluto was classified as the planet when the Grand Tour was proposed and was launched at the time "" New Horizons "" ." "Note : Pluto was classified as a planet when the Grand Tour was proposed and at the time "" New Horizons "" was launched ." 1 +In 1901 , the critic Jean Lahor ( aka Henri Cazalis ) listed the workshop as one of the best manufacturers of Art Nouveau - ceramics in France . In 1901 the critic Henri Cazalis ( alias Jean Lahor ) , listed the workshop as one of the best producers in France of Art Nouveau ceramics . 1 +However , Serena decides to keep this truth for a little longer from Dan . However , Dan Dan decides to keep this truth a little longer from Serena . 0 +HESA , the Higher Education Statistics Agency , assigns a unique number to students . Many universities have their own system of student numbering . HESA , the Higher Education Statistics Agency , assigns students a unique number , and many universities have their own student numbering system . 1 +In his Karachi workshop he paints in the open air and draws his ideas on the ground . In his Karachi workshop he outlines in the open air and paints his ideas on the ground . 0 +Brendan McManamon ( born 1982 ) is a Gaelic football player for Ireland and St Judes in Dublin . Brendan McManamon ( * 1982 ) is a Gaelic football player for Ireland and St Judes in Dublin . 1 +Antillophos bahamensis is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Antillophos bahamensis is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +Kenneth Royce Gandley ( 1920 -- 1997 ) was an English thriller writer who also wrote under name Ken Royce , and the pseudonym Oliver Jacks . Kenneth Royce Gandley ( 1920 -- 1997 ) was an English thriller writer who also wrote under the name Ken Royce and the pseudonym Oliver Jacks . 1 +It is a village and municipality in the Samukh - Rayon of Azerbaijan , has a population of 652 . Qarabağlı ( also , Samukh Rayon ) is a village and municipality in the Karabagly of Azerbaijan . It has a population of 652 . 0 +The Fixer Uppers is a 1935 short film with Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . The Fixer Uppers is a 1935 short film starring Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . 1 +John Carter lost in 6 -- 2 the third round of the UK Championship against John Higgins . John Higgins lost in 6 -- 2 the third round of the UK Championship to Carter . 0 +She and character actor Yakov Fuchs were the parents of the famous Polish-American actor Leo Fuchs . She and the character actor Leo Fuchs were parents of the famous Polish-American actor Yakov Fuchs . 0 +According to a 1974 report , more than 75 percent of all waterborne diseases at that time were preventable . According to a 1974 report , more than 75 % of all water-borne diseases were preventable at that time . 1 +Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films and former president of Lionsgate Films , was born . Tom Ortenberg , CEO of Lionsgate Films and former president of Open Road Films , was born and raised in Briarcliff Manor . 0 +QuasarDB has a built-in query language which is a dialect of SQL optimized for time series . QuasarDB is a built-in query language that has a SQL dialect optimized for time series . 0 +The soils are not deep , mostly sandy with loose granite and quartz pebbles . There are many rocky outcrops and the soil is generally poor in organic matter . The floors are not sandy , mostly poor with loose granite and quartz pebbles , there are many rocky outcrops and the soil is usually deep in organic matter . 0 +After four years it moved to the house of Jacopo Sandri , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . After four years it moved to Conte Luigi Ferdinando Marsigli 's house , which had more space , and in 1705 moved again to the palazzo of Jacopo Sandri . 0 +The Coșna River is a tributary of the Zimbroaia River in Romania . The river Zimbroaia is a tributary of the river Coana in Romania . 0 +Quadratic placement later outperformed combinatorial solutions in both quality and stability . Quadratic placement later exceeded combinatorial solutions in both quality and stability . 1 +"FAM40A is a protein that is chromosome 1 in humans and is encoded by the "" FAM40A "" gene ." "FAM40A is a protein that is encoded in humans on chromosome 1 and is localized by the "" FAM40A "" gene ." 0 +They came to Russia from Poland in the eighteenth century , and their language includes Russian , German and Polish words . They came to Russia in the 18th century from Poland , and their language includes Russian , German , and Polish words . 1 +This was resolved with the Ostrów Agreement -- Jogaila became the Grand Duke of Lithuania while Vytautas retained rights of an overlord . With the Ostrów agreement , this was decided -- Vytautas became the Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . 0 +A general function assigned to a superfamily was used to reflect the main function for that superfamily . A general function assigned to a superfamily was used to reflect the major function for that superfamily . 1 +"In Jin Yong 's "" Wuxia "" novel "" The legend of the Condor hero "" Guo Jing is the ancestor of the protagonist Guo Sheng ." "In Jin Yong 's "" wuxia "" novel "" The Legend of the Condor Heroes "" , Guo Jing is the ancestor of the protagonist , Guo Sheng ." 1 +Or the Egg object could use properties and instead use methods . Or the Egg object could instead call properties and use methods . 0 +Peter Evatt became an Olympic rower , who was 1953 national sculling champion and represented Australia in rowing at the 1956 Olympic Games in Melbourne . Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the 1956 Olympic Games in Melbourne . 1 +Following the Allied victory in May 1945 , the Soviets occupied Central and Western Europe , while strong US remained American and Western allies in Eastern Europe . Following the Allies ' May 1945 victory , the Soviets effectively occupied Central and Eastern Europe , while strong US and Western allied forces remained in Western Europe . 0 +In July 2013 Lone Star Comics sold off three of their five remaining stores , in Mesquite , Hurst , and Plano . In July 2013 , Lone Star comics sold three of their five remaining stores in Mesquite , Hurst and Plano . 1 +After his death , the widow of Kellow Mary Hope Kellow with her daughter Mary moved to Sydney . After his death Kellow with Mary and her daughter Mary Hope Kellow moved to Sydney . 0 +The Calova River is a tributary of the Temesch River in Romania . The Timiş River is a tributary of the River Calova in Romania . 0 +This was the first time since 1976 that Pennsylvania did not vote for the same candidate as neighboring New Jersey . This was the first time since 1976 that New Jersey did not vote for the same candidate as the neighboring Pennsylvania . 0 +In 1889 , he sold it to Esler , who sold it to Horace Nichols in May 1891 . In 1889 , Esler sold Charles Conger , who sold it to Horace Nichols in May 1891 . 0 +The Chief Justice was the Chief Justice of the High Commission territories ( Swaziland , Bechuanaland Protectorate , Basutoland ) , and from 1951 onwards were Chief Justices : The Chief Justice was the Chief Justice of the High Commission territories ( Basutoland , Bechuanaland Protectorate , Swaziland ) , and from 1951 the Chief Justice : 1 +""" Holocaust "" , created in Lincoln Park in November 1984 , was dedicated by sculptor George Segal ." """ Holocaust "" , inaugurated in Lincoln Park in November 1984 , was created by the sculptor George Segal ." 0 +Souray married former WWE professional wrestler Kelly Kelly , better known as Barbara Blank in February 2016 . They have separated in October 2017 . In February 2016 , Souray married former WWE wrestler Kelly Kelly , better known as Barbara Blank , and separated in October 2017 . 1 +The station was opened on May 1 , 1934 on the Finn valley - railway line from Strabane to Stranorlar . The station opened on 1 May 1934 on the Stranorlar line from Strabane to Finn Valley Railway . 0 +Hannah Craske was born on 26 November 1892 in Norfolk , England , daughter of Edmund and Margaret Craske . Margaret Craske was born in Norfolk , England , November 26 , 1892 , daughter of Edmund and Hannah Craske . 0 +The decision to use modern clothing called Houseman an essential element in Orson ’ s conception of the play as a political melodrama with clear contemporary parallels . "The decision to use clear contemporary clothing was what Houseman called "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." 0 +From 1888 to 1913 , he was chairman of the Highfields Divisional Board and chairman of the Highfields Shire Council from 1915 to 1917 . From 1888 to 1913 , he was chairman of the Highfields Shire Council and , from 1915 to 1917 , Chairman of the Highfields Divisional Board . 0 +Later , Nate reluctantly agrees that Ruth can stay for a few more days . Later , Ruth reluctantly agrees that Nate can stay for a few days . 0 +They preferred proven looks and sounds , but Columbia Records tried sticking with the psychedelic pop rock sound and look . They tried out psychedelic looks and sounds , but Columbia Records preferred to stay with the proven pop - rock - sound and look . 0 +The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera , and Michael Roy Jornales . The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuos , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales . 1 +The Australian state election of 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state ’ s legislative assembly . The Victorian state election in 1945 was held on November 10 , 1945 , in the Australian state of Victoria to elect 65 members of the state legislative assembly . 0 +Over the years , ACT-R models have been cited in more than 700 different scientific publications , and have been used in many more . Over the years , ACT-R models have been quoted in more than 700 different scientific publications and have been used in many others . 1 +The Zabolotye lake ( is a lake in the Moscow Oblast District of Sergiyev Posad ) . The Zabolotye - Lake ( is a lake in the district Sergiev Posad of Moscow Oblast . 0 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first pub of Theakson , where the first Theakston 's beers were brewed and sold ." 0 +Later , in 1838 , Lieutenant promoted the 7th foot and exchanged a Captaincy in 1842 . Later promoted Lieutenant , he exchanged into the 7th Foot in 1838 and purchased a Captaincy in 1842 . 0 +The first six years of her childhood spent in Manila before moving to Angeles City . She spent the first six years of her childhood in Manila before moving to Angeles City . 1 +Pennypacker , born in Pennsylvania , moved shortly after the turn of the twentieth century to New York City before moving to Southampton , New York , on Long Island . Pennypacker , born in Southampton , New York , moved shortly after the turn of the twentieth century to Pennsylvania before moving to New York City on Long Island . 0 +In 1281 , Simon de Beaulieu of Pope Martin IV ( Simon de Brion ) was appointed Archbishop of Bourges . In 1281 Simon de Brion was appointed Archbishop of Bourges by Pope Martin IV ( Simon de Beaulieu ) . 0 +The incumbent democrat , David Walters , won re-election to Republican Jim Inhofe , the former governor , for a second term . Incumbent Republican Jim Inhofe won re-election to a second term over Democrat David Walters , the former Governor . 0 +In West - Central Franklin Township located only physically borders Portage County , Brady Lake , which surrounds the village completely . Located in west-central Portage County , Brady Lake only physically borders Franklin Township , which completely surrounds the village . 0 +The Chinese ambassador in Beijing is the official representative of the Government in Apia to the Government of Samoa . The Chinese Ambassador to Beijing is the official representative of the government in Apia with the Government of Samoa . 1 +Thomas Vesey , 1st Viscount de Vesci ( died 13 October 1804 ) was an Anglo-Irish peer . Thomas Vesey , 1st Viscount de Vesci ( died 13 October 1804 ) was an Anglo-Irish colleague . 1 +In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Magnus . In 1236 , Magnus , the son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Haakon Haakonsson . 0 +Then his friend Cowboy , Melle Mel and The Kidd Creole ( Nathaniel Glover ) recruited . Flash then recruited his friend Cowboy , Melle Mel and The Kidd Creole ( Nathaniel Glover ) . 1 +"In September 2013 , Enfield appeared in the BBC Three - Comedy - Series "" Bad Education "" as Martin , father of Jack Whitehall 's character Alfie ." "In September 2013 Enfield appeared in the BBC Three comedy series "" Bad Education "" as Jack Whitehall , the father of Martin 's character Alfie ." 0 +Under Phil Testa and later Nicky Scarfo was served by Frank . Under Frank and later Nicky Scarfo , Phil Testa served . 0 +He represented Nigeria at the 1999 FIFA World Youth Championship held in Australia . He represented Australia at the 1999 FIFA - Youth - World Championship in Nigeria . 0 +The Company currently manages opportunistic funds , dedicated credit funds , including multi-strategy credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . The company is currently managing opportunistic funds , special credit funds , including multi-strategy credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . 1 +In 2006 , Venezuelan Carlos Pena gradually took over as Co-Lead singer , although Beny continued to record on tour and occasionally with Ska Cubano . In 2006 , Venezuelan Carlos Pena gradually took over as Co-Lead singer , although Beny continued to record with Ska Cubano and occasionally went on tour . 0 +Arkansas Highway 1 Business is a business route in Forrest City , in length , the highway runs near the Forrest City High School . Arkansas Highway 1 Business runs a business route in Forrest City . It is in length . The highway is near Forrest City High School . 0 +The Salcia River ( or Moca River ) is a tributary of the Mouca River in Romania . The River Salcia ( or Moca ) is a tributary of the Mouca River in Romania . 1 +The station is located next to Meitetsu Nagoya Station , the terminal of Nagoya Railroad , and the Kintetsu Nagoya Station , the terminal of the Kintetsu Nagoya line . The station is located next to the Kintetsu Nagoya line , the Nagoya Railroad terminal , and the Kintetsu Nagoya Station , the terminal of Meitetsu Nagoya Station . 0 +In 1813 , when Justice Tyler died , John Tyler inherited Greenway at the age of 23 . When Judge John Tyler died in 1813 , Tyler at the age of 23 inherited Greenway . 0 +In February 2016 , it was announced that John Kasich Governor Kasich of Ohio joined National Co Chairman and California State Chairman for Steve Poizner as President . In February 2016 it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich for President . 0 +La Vegueta is a village in Tinajo , Las Palmas province in the western part of Lanzarote , in the Canary Islands . La Vegueta is a village in Tinajo , Las Palmas province of western Lanzarote in the Canary Islands . 1 +Amanda Mary Smith married Rod Lyne in 1969 . In 1969 , Amanda Mary Smith married Rod Lyne . 1 +It has Gram Panchayat in Middle of village which covers Endla and Rampura Ki Dhani also . It covers Gram Panchayat in the middle of the village Endla and Rampura Ki Dhani also has . 0 +Today , Karmøy refers to the southern part of the island of Skudenes . Today , Skudenes refers to the southern part of the island of Karmøy . 0 +"She was also a member of the organisation "" sculptures and memorials "" , founded in 1934 to support local sculptors working with British stones ." "She was also a member of the "" Sculptures and Memorials "" organisation , which was founded in 1934 to support British sculptors working with local stones ." 0 +It was directed by Sergio Rezende , Gill Bond and Leyga Zendare and written by Chris Austin . It was written by Chris Austin , addressed by Sergio Rezende , Gill Bond and Leyga Zendare . 1 +In the first year , there were 65 members , at the end of the third year , 91 members and in the second year , 106 members . In the first year it was 65 members , 91 members at the end of the third year and 106 members in the second year . 1 +The team has played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . The team has played teams in recent years such as Iowa , Rutgers , Hawaii , State of Mississippi , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . 1 +Ashley binds Luke with tape , then forces her to play truth or dare . Luke binds Ashley with duct tape , then forces her to play truth or dare . 0 +The carrier expanded with the acquisition of British Midland International in 1987 , Dan - Air in 1992 and British Caledonian in 2012 . The carrier expanded with the acquisition of British Midland International in 1987 , Dan-Air in 1992 , and British Caledonian in 2012 . 1 +He performed it again with Josepha Duschek on 12 May 1789 in the Gewandhaussaal in Leipzig on his Berlin journey . He appeared again on 12 May 1789 with Josepha Duschek in the Gewandhaussaal in Leipzig on his Berlin journey . 1 +It is believed that Anna Wilson met Dan in New Orleans to eventually convince her to come with him into Omaha . It is believed that Dan met Anna Wilson in New Orleans , eventually persuading her to come to Omaha with him . 0 +In Vilnius they make up 13 % of the population , and 28 % in Klaipėda . They make up 13 % of the population in Vilnius , 28 % in Klaipėda . 1 +When Francis II died , France withdrew from Piedmont , Corsica , Scotland , Brazil , Savoy and most of Tuscany . When Francis died , France withdrew from Piedmont , Corsica , Scotland , Brazil , Savoy , and most of Tuscany . 1 +He thinks that Elbow is too accepting while he , himself , believes that the writer should prove himself first . He thinks that Elbow is too acceptable , while he himself believes that the writer should first prove himself . 1 +The Apostolic Prefecture of Qiqihar ( or Tsitsikar ) is a missionary jurisdiction of the Latin Church in the PR China . The Apostolic Prefecture of PR China ( or Tsitsikar ) is a Latin Church missionary jurisdiction in Qiqihar . 0 +Shamai Haber ( born February 15 , 1922 in Łódź , Poland ) was a sculptor who lived in Paris in 1995 and worked and died . Shamai Haber ( born February 15 , 1922 , Łódź , Poland ) was a sculptor who lived and worked in Paris , France . He died in 1995 . 1 +Abolitionists rose to the defense of Ellen and William Craft in 1850 , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . 1 +The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born Olin M. Jeffords in Rutland , Vermont . The son of Olin M. Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . 0 +Parts of the metropolitan city of Kolkata extend over southern part of the district . Parts of the metropolitan city of Kolkata extend over the southern part of the district . 1 +Anne Anne Lindsay is the title of a Scottish ballad written in 1772 by the Scottish poet Lady Auld Robin Gray . Auld Robin Gray is the title of a Scottish ballad written in 1772 by the Scottish poet Lady Anne Lindsay . 0 +"The "" Wonder Woman : Rebirth "" artist Liam Sharp described the utilitarian armor as a new piece that allows her to move more freely ." """ Wonder Woman : Rebirth "" artist Liam Sharp described the utilitarian armor as a new piece which allows her to move more freely ." 1 +In peroxisomes the same enzymes are generated as in the mitochondrial matrix , and acetyl - CoA is used . The same enzymes are used in peroxisomes as in the mitochondrial matrix , and acetyl-CoA is generated . 0 +"Like her sister ship , "" Tirpitz "" was armed with a twin battery of eight guns in four main turrets ." "Like her sister ship was "" Tirpitz "" with a main battery of eight guns in four twin towers armed ." 0 +The casino is owned by Barrick Gaming and operated by Navegante and The Tamares Group . The casino is owned by the Navegante and operated by Barrick Gaming and The Tamares Group . 0 +Teversall Manor is a former railway station in Mansfield on the border to Derbyshire west of Teversal , Nottinghamshire . Teversall Manor is a former railway station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . 1 +They were replaced by Jill Culton in 2008 , who was followed by Todd Wilderman , with Chris Jenkins in 2010 . They were replaced in 2008 by Jill Culton , followed by Todd Wilderman , with Chris Jenkins in 2010 . 1 +In 1720 he returned to Augsburg and became Parish Minister of Kaufbeuren in 1723 . He returned to Kaufbeuren in 1720 , but became parish minister of Augsburg in 1723 . 0 +Michael Bishop is a pseudonym for mystery novels by Paul Di Filippo written by Philip Lawson . Philip Philip Lawson is a pseudonym for Mystery novels by Michael Bishop written with Paul Di Filippo . 0 +He was the son of the surgeon Timothy Hosmer ( born 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut ) . He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in 1820 in Canandaigua , New York ) . 0 +The film was written and co-produced by P. Madhan and produced by AR Murugadoss under banner of Escape Artists Motion Pictures . The film was written by P. Madhan and co-produced and produced by AR Murugadoss under the banner of Escape Artists Motion Pictures . 1 +After the separation of their previous band , Shae Lappen and Dan Mena discussed with Brendan Benham the idea of founding a new band . After the separation of their previous volume , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . 0 +In November 2017 , Starbucks Tazo sold US $ 384 million to Unilever . In November 2017 , Starbucks sold Tazo to Unilever for $ 384 million . 0 +The Boyne cases lead north of Boyne City , and the resulting Boyne river flows northwest to South Branch and North Branch at the southeastern end of Lake Charlevoix . The Boyne Falls join north of Boyne City , and the resulting Boyne River flows northwest to South Branch and North Branch at the southeastern end of Lake Charlevoix . 1 +In 1791 Edward Fitzgerald returned to Dublin , where he died . In 1796 he painted Lord Hamilton , the Irish revolutionary . Hamilton returned to Dublin in 1791 , where he died , and in 1796 he painted Lord Edward Fitzgerald , the Irish revolutionary . 0 +The 2002 National Football League season was the 27th season of the Seattle Seahawks team . The 2002 season Seattle Seahawks was the 27th season of the team with the National Football League . 0 +Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress , a younger sister of the actress Assunta De Rossi . Alessandra Schiavone ( born Assunta De Rossi ; 19 July 1984 ) is a Filipina actress and the younger sister of actress Alessandra De Rossi . 0 +Later Robbie turned off the machine and Beth is shocked but understanding . Later Beth switched off the machine and Robbie is shocked but understanding . 0 +In the early years , KETS was associated with National Educational Television , the forerunner of the current PBS . In the early years , KETS was associated with PBS , the forerunner of current national educational television . 0 +The reserve is located in the central - Alberta , near Maskwacis and south of Wetaskiwin . The reserve is located in Central Alberta , near Maskwacis and south of Wetaskiwin . 1 +Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . Felicia Cohn Montealegre was born on 3rd March 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . 1 +""" The Brute Man "" was the seventh episode of the second season that was broadcast on February 10 , 1996 in Comedy Central ." """ The Brute Man "" was the second episode of the seventh season that was broadcast on February 10 , 1996 at Comedy Central ." 0 +Elena Dementieva won in the final 6 -- 3 , 6 -- 2 , against Alisa Kleybanova . Elena Dementieva won against Alisa Kleybanova in the finals 6 -- 3 , 6 -- 2 . 1 +Jossie de Guzman , also known as Josie de Guzman , is an American actress and singer of Puerto Rican descent , known primarily for her work in theatre . Jossie de Guzman , also known as Josie de Guzman , is an American actress and singer of Puerto Rican descent , best known for work in the theatre . 1 +The square is Vedic and has symbolic origins from fire altar , Agni . The square is symbolic and has vedic origins from the Agni fire altar . 0 +The series is published in Japan by VIZ Media and in the United States in English by Shogakukan . The series is published in Japan by Shogakukan and in the USA by VIZ Media in English . 0 +From there it flows downward into the valley through a minimally developed series of swamps and ponds , south but trending further to the west . From there , through a minimally developed series of swamps and ponds , it flows south into the valley , but to the south further west . 1 +Vladimir Putin , the president of Russia and Heydar Aliyev , the then president of Azerbaijan also participated in the opening ceremony of the monument . At the opening ceremony of the monument , the President of Russia , Heydar Aliyev , and the President of Azerbaijan Vladimir Putin also attended . 0 +The Squeak programming language is a dialect of Smalltalk . It is object-oriented , class-based , and reflective . The Squeak programming language is a dialect of Smalltalk , which is object-oriented , class-based and reflective . 1 +She approaches Lance Smart ( Peter Vroom ) , Martin Dibble ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they form a band named Image . She approaches Lance Smart ( Martin Dibble ) , Peter Vroom ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they form a band called Image . 0 +Theodore was flogged and banished together with ten other monks to Thessaloniki , while Plato was imprisoned in Constantinople . Theodore was imprisoned and banished together with ten other monks to Constantinople , while Plato was flogged away in Thessaloniki . 0 +Chu Ro and Chu Jeok fought with the 5000 soldiers and went over the Yalu River . , Chu Ro , and Chu Jeok fought with the 5000 soldiers and went over Yalu River . 1 +Solomons was born in Orsett , Essex and brought up with his four siblings in Thorpe Bay by his mother and father . Solomons was born in Orsett , Essex and brought up with his four sisters in Thorpe Bay by his mother and his father . 1 +In a chain drive the power is transmitted into the rear wheel via a cush drive . In a chain drive , the force is transmitted via a cush drive into the rear wheel . 1 +The specific songs included have changed over the years as old songs have been removed and new ones have been added . The included special songs have changed over the years as new songs have been added and old ones have been removed . 0 +He met with a group of Europe 's most influential musical leaders to discuss a school based on the conservatories of Boston . He met with a group of the most influential musical leaders of Boston to discuss a school based on the conservatories of Europe . 0 +The racial composition of the CDP was 98.9 % white , 0.1 % Asian , 0.2 % Native American , and 0.8 % two or more races . The racial makeup of the CDP was 98.9 % white , 0.1 % Asian , 0.2 % Native American and 0.8 % two or more races . 1 +He claimed that four Ukrainian soldiers were wounded , while two of his men were killed during the fighting . He claimed that four Ukrainian soldiers were killed , while two of his men were wounded during the battles . 0 +"Thakurgaon Stadium is located near the "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." "Thakurgaon Stadium is located by the "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." 1 +Magnus turned heel and reformed the British Invasion with Williams by attacking the team of Eric Young and Orlando Jordan . Magnus turned the heel and reformed the British invasion of Williams by attacking Eric Young and Orlando Jordan 's team . 1 +"The team founded in 1906 won the first American "" double "" when it took the National Association Football League and the American Cup title in 1912 ." "Founded in 1906 , the team won the first American "" double "" when it took the 1912 National Association Football League and American Cup titles ." 1 +Jimmy Wareing was born in Silloth in 1917 and played rugby union for Silloth and Cumberland before the war . Jimmy Wareing was born in 1917 in Cumberland and played the Rugby - Union for Silloth and Silloth before the war . 0 +He was elected in 1977 and was re-elected in April 1978 to the newly created Court of Appeal 1 . He was re-elected in 1977 , and in April 1978 was elected to the newly created Court of Appeals District 1 . 0 +In addition , Merrill was a member of the Ashland , Wisconsin School Board and served as Ashland County District Attorney from 1917 to 1926 . In addition , Merrill was a member of the Ashland County School Board and served as Ashland , Wisconsin district prosecutor from 1917 to 1926 . 0 +The branch codice 2 is updated daily , the codice 3 branch is updated every 6 months . The branch codice 2 is updated daily , and the branch codice 3 is updated every 6 months . 1 +From London , both sailed on to Quebec . Both sailed to London from Quebec . 0 +Newly released CSS3 and JavaScript frameworks allowed new design patterns such as , the box model accompanied by grids and flex , followed by translations , transformations , and animations . Newly released CSS3 and JavaScript - Frameworks allowed new design patterns such as the box - model , followed by grids and flex , accompanied by translations , transformations and animations . 0 +It is found in south-eastern Brazil , where is known as jequitibá-branco or jequitibá-rosa , possibly Colombia , and possibly Venezuela . It is found in southeastern Venezuela , where is known as jequitibá-branco or jequitibá-rosa , possibly Brazil and possibly Colombia . 0 +Branksome is a suburb of Poole in Dorset , England . The area is composed of commercial and industrial properties and also a number of residential areas . Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and also a number of residential areas . 1 +"To explicitly use "" F "" , see the equation for its derivative from the above table ." "To use "" F "" explicitly , find the equation for its derivative from the table above ," 1 +Boyd was born in Montgomery , Alabama , the daughter of a single mother , Dora Lee McClain . Boyd was born in Montgomery , Alabama , the daughter of single mother Dora Lee McClain . 1 +Viktor Aronovich Bely , also Viktor Arkadyevich Bely ( 14 January 1904 - 6 March 1983 ) , was a Russian composer and social activist . Viktor Arkadyevich Bely , also Viktor Aronovich Bely ( ; 14 January 1904 -- 6 March 1983 ) , was a Russian composer and social activist . 1 +Petina Gappah was born in the province of Copperbelt in Zambia . Petina Gappah was born in Zambia , Copperbelt province . 1 +The tiny institutions they founded would not have found them like universities -- they were small and did not offer the higher degrees in medicine and theology . The small institutions that they founded would not have found them like universities -- they were tiny and did not offer higher degrees in medicine and theology . 1 +He represented Henri Matisse , Georges Braque , Pablo Picasso . He represented Pablo Picasso , Georges Braque , and Henri Matisse . 1 +Cold years , by contrast , are often associated with dry Pacific La Niña episodes . In contrast , dry years are often associated with cold Pacific La Niña episodes . 0 +He was musically trained at the academy of art in Zurich , where he and others also learned how to use the computer for composing music . He was also trained at the Academy of Art in Zurich , where he and others musically learned to use the computer for composing music . 0 +Khurda Road is one of three divisions on the east coast of the railway . East Coast Railway is one of the three divisions of Khurda Road . 0 +She and the actor Yakov Fuchs were parents of the famous Polish-American actor Leo Fuchs . She and the character actor Leo Fuchs were parents of the famous Polish-American actor Yakov Fuchs . 0 +Miss C. Abram Roberson was the first female graduate in 1908 , while Mr Ethel Peele was the first male graduate . Miss Ethel Peele was the first female graduate in 1908 , while Mr. C. Abram Roberson was the first male graduate . 0 +The FBI and the British authorities question Tom about his connection with Frankie . The FBI and the British authorities question Frankie about his association with Tom . 0 +The Cormos River is a tributary of the River Agris in Romania . The Agriș River is a tributary of the Cormoș River in Romania . 0 +He died in 1879 in Bannock County , Idaho , US . Jefferson Hunt is buried at the Red Rock Cemetery in Oxford , Idaho . He died in Bannock County in 1879 , Idaho , USA Jefferson Hunt was buried at the Red Rock Cemetery in Oxford , Idaho . 1 +In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to CryptoLogic . In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to Gaming Corporation . 0 +Among their children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and the Senate of Wisconsin . 1 +San Lorenzo Axocomanitla is a municipality in Tlaxcala in south-eastern Mexico . San Lorenzo Axocomanitla is a municipality in Mexico in the south-eastern Tlaxcala . 0 +""" Next Year "" is a song released as the last single from the third Foo Fighters ' album "" There Is Nothing Left to Lose "" ." """ Next Year "" is a song which was released as the third single of the last Foo Fighters - album "" There Is Nothing Left to Lose "" ." 0 +During the Bengal Sultanate , medieval Bengali writers were influenced by Arabic and Persian works . During the Bengali sultanate , Arab and Persian Bengal writers were influenced by medieval works . 0 +Jessica forces him to sleep on the couch , where he is seduced by Emily . Jessica obliges him to sleep on the couch , where he is seduced by Emily . 1 +Despite the worldwide fame of her Pippi illustrations , Vang Nyman did not receive as much appreciation from the publication as the author Astrid Lindgren , and she remains fairly unknown . Despite the worldwide fame of her Pippi illustrations , Astrid Lindgren did not receive as much recognition from the publication as author Vang Nyman , and remains fairly unknown . 0 +In the 2006-07 season , Goldwire played with Panellinios from the Greek Basketball League , and in 2009 he joined the Spanish Club CB Girona . Goldwire played with Panellinios of the Spanish basketball league in the 2006-07 season . In 2009 , he joined the Greek club CB Girona . 0 +The 2016 North Carolina Central University football team represented North Carolina Central Eagles in the 2016 NCAA Division I FCS football season . The 2016 North Carolina Central Eagles football team represents North Carolina Central University at the 2016 NCAA Division I FCS football season . 0 +It currently serves as the newspaper of record for Galveston County , as well as Galveston . It is currently serving as the newspaper of record for Galveston County , as well as Galveston . 1 +From 1911 to 1946 , Temuka was a parliamentary electorate in the New Zealand region of Canterbury , and the electorate was represented by four members . Temuka was a parliamentary electorate in the New Zealand region of Canterbury from 1911 to 1946 . The electorate was represented by four Members of Parliament . 1 +After 52 years at historic Ernie Shore Field , the Dash now plays its home games at the new BB & T Ballpark , which opened in 2010 . "After 52 years in the historic BB "" T Ballpark "" , the Dash now plays its home games in the new Ernie Shore Field , which opened in 2010 ." 0 +In 2015 , the Middleton subsidiary of Quality Save was closed and a superstore was launched in the Ex - Tesco - unit next door . In 2015 , the Middleton branch of Quality Save was launched , and a superstore was closed in the ex Tesco unit next door . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became more calm and French interest in Vietnam was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam calmed down , and French interest in Europe was revived . 0 +Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately west of the municipality of Bedeque . Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately west of the community of Bedeque . 1 +The album was produced by Colin Richardson and mixed with Jason Suecof . The album was produced by Colin Richardson and mixed by Jason Suecof . 1 +Komatsubara was born on July 28 , 1992 , in Tokyo . She married Timothy Koleto in January 2017 in Okayama , Japan . She was born on July 28 , 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . 0 +Eric Hosmer recorded the first Chasers home hit and David Lough doubled in Mike Moustakas for the first RBI . David Lough took the first Chasers Home - Hit and Mike Moustakas doubled in Eric Hosmer for the first RBI . 0 +In 1845 , railroad developers founded the Belpre and Cincinnati Railroad , but the destination was changed in Marietta , with a corresponding change of name in 1851 . In 1845 , railway developers founded the Marietta and Cincinnati Railroad , but the destination was changed to Belpre , with a corresponding change in name in 1851 . 0 +A few years later it was reopened , but soon failed again . A few years later it failed again , but soon opened again . 0 +He combines his commitments as a professional rugby player with a full-time studies at the University of Birmingham . He combines his commitments as a full rugby player with a professional-time degree at University of Birmingham . 0 +He was born on January 23 , 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London , England . He died on 29 January 1984 in London . 1 +It was first established as Knopweed Biocontrol in Oregon in the 1980s , and is currently released in the Pacific Northwest . It was first released in Oregon as Knopweed Biocontrol in the 1980s , and is currently established in the Pacific Northwest . 0 +The river Tătaru is a tributary of the Buzăiel River in Romania . The river Buzăiel is a tributary of the River Tătaru in Romania . 0 +The Mach number is used to evaluate whether the incompressibility can be accepted , otherwise the effects of compressibility must be included . The Mach number is used to evaluate whether the incompressibility can be included , otherwise the effects of compressibility must be assumed . 0 +"Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the second "" Tlatoani "" and the 16th Governor of Tenochtitlan ." "Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the 16th "" tlatoani "" and second governor of Tenochtitlan ." 0 +He has spent 2012 -- 13 in Bnei Herzliya with Israeli Basketball Super League . Season 2012 -- 13 he spent in Israeli Basketball Super League with Bnei Herzliya . 0 +Moulthrop began experimenting with hypertext theory in the 1980s , and has since authored several articles as well as written many hypertext fiction works . Moulthrop began experimenting with the hypertext theory in the 1980s and has since written several articles as well as numerous hypertext - fiction - works . 1 +Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on 11 September 1866 and got 8 children . Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on 11 September 1866 and got 8 children . 1 +"If "" R "" is the associated equivalence relation over each trivial component of "" U "" ." "If "" R "" is the trivial equivalence relation over each connected component of "" U "" ( i.e ." 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by Kush Games and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulation Videogame of 2K Sports developed and published by Kush Games . 0 +"Two singles , "" Lips to Love You "" and "" Find Me Down Easy "" , were published ." "The two singles "" Lips to Find You "" and "" Love Me Down Easy "" were released ." 0 +It tells the story of four generations of women in one American-Italian family . It tells the story of four generations of women in an American-Italian family . 1 +In 2006 , Goldman Sachs sold the company to Silverlake Partners for US $ 800 million . Goldman Sachs sold the company to Silverlake Partners in 2006 for $ 800 million . 1 +The national organisation was founded on 26 August 1985 when the Association of Heads of Independent Schools of Australia was disbanded . The national organisation was dissolved on 26 August 1985 when the Association of Heads of the Independent Schools of Australia was founded . 0 +"In 2015 , Trenyce hosted the Franco Dragone-produced cabaret show "" Taboo "" at the casino City of Dreams in Macau , China ." "In 2015 , Franco Dragone organized the Trenyce-produced cabaret show "" Taboo "" at the Casino City of Dreams in Macau , China ." 0 +The neutral element in the new Jacobian coordinates is the Formula 34 . The new Jacobian element in formula _ 34 coordinates is neutral . 0 +In 1958 and 1967 he won first place at his table , but was the third in 1962 . He became third in 1958 and 1967 at his table , but in 1962 he won the 1st place . 0 +He was also trained at the academy of art in Zurich , where he and others musically learned how to use the computer for composing music . He was also trained at the Academy of Art in Zurich , where he and others learned musically to use the computer for composing music . 1 +Tommy John ( born 12 February 1979 ) is an American entrepreneur , who founded the Tom Patterson company in 2008 . Tom Patterson ( born February 12 , 1979 ) is the American entrepreneur who founded Tommy John in 2008 . 0 +There is a daily street market on Saturdays , around where the covered small weekly market is . On Saturdays there is a small weekly street market around which the covered daily market is situated . 0 +The navy is a modern force with foreign built ships . The Navy is a modern force with foreign ships built : 1 +The very attractive leaves and the bold , decorative kittens produced in spring make it an excellent ornamental tree for planting in parks and large gardens . The very attractive leaves and the bold , decorative catkins produced in spring make it an excellent ornamental tree for planting in parks and large gardens . 0 +Weslandia is a Newbery Medal winner of the children 's book , Kevin Hawkes , with illustrations by Paul Fleischman . Weslandia is a newbery medal winner for children , Paul Fleischman , with illustrations by Kevin Hawkes . 0 +Azaloxan ( CGS-7135A ) is a medication that was patented in the early 1980s by Ciba-Geigy as an antidepressant , but was never marketed . Azaloxan ( CGS-7135A ) is a drug which was marketed as an antidepressant by Ciba-Geigy in the early 1980s , but was never patented . 0 +"The singer debuted in 1993 at the Metropolitan Opera as Hans Foltz in "" Die Meistersinger von Nürnberg "" by Richard Wagner ." "The singer debuted at the Metropolitan Opera in 1993 as Richard Wagner in "" Die Meistersinger von Nürnberg "" by Hans Foltz ." 0 +Stefan informs Caroline that Alaric ( Paul Wesley ) stopped looking for a way to bring back Damon and Bonnie . Alaric informs Caroline that Stefan ( Paul Wesley ) has stopped looking for a way to get Damon and Bonnie back . 0 +Gatting 's brother is the former England cricketer Mike Gatting , and his son Joe Gatting is currently a cricketer for Hampshire . The brother of Gatting is former English cricketer Joe Gatting , and his son Mike Gatting is currently a cricketer for Hampshire . 0 +The 1935 Chico State Wildcats football team represented Chico State College during the 1935 college football season . The 1935 Chico State College Football team represents Chico State Wildcats during the College - Football - Season 1935 . 0 +Also note the use of the codice 13 attribute to mark the codice 6 items as non-translatable . Also , use the codice 6 attribute to mark the elements codice 13 as non-translatable . 0 +The Peabody Hotel , near Peabody Orlando opened in 1986 as the second Orlando , Florida . The Peabody Hotel , located near Peabody Orlando , was opened in 1986 as the second Orlando , Florida . 1 +""" Quest for the Silver Sword "" was written by William W. Connors . The adventure features cover art by Karl Waller and interior art by Jeff Easley ." """ Quest for the Silver Sword "" was written by William W. Connors , the adventure includes cover art by Karl Waller and interior - art of Jeff Easley ." 1 +It is bordered by Massapequa to the west and east , North Massapequa to the northwest , and South Farmingdale to the north . It is bordered to the west and east by Massapequa , to the northwest by northern Massapequa and to the north by South Farmingdale . 1 +The album was produced by Colin Richardson and mixed with Jason Suecof . The album was produced by Jason Suecof and mixed by Colin Richardson . 0 +In addition to Michael Boddicker and Patrick Moraz , the album includes musical contributions by Diana Hubbard , John Goodsall , Chick Corea , Stanley Clarke . In addition to Michael Boddicker , and Patrick Moraz , the album includes musical contributions from Diana Hubbard , John Goodsall , Chick Corea , Stanley Clarke . 1 +"Pierre Bourdieu and Basil Bernstein explore how the cultural capital of the legitimate classes has been considered the "" dominant knowledge "" throughout history ." "Pierre Bourdieu and Basil Bernstein explore how the cultural capital of the dominant classes has been viewed throughout history as the "" most legitimate knowledge . """ 0 +Of course , these inscriptions are only dated from the Sixth Dynasty , but it still tells us a little bit about what they have valued . Of course , these inscriptions are still dated from the Sixth Dynasty , but it only tells us a little bit about what they valued . 0 +Former publishers include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet , and Raymond Aron . Past editors include Raymond Aron , Georges Dumézil , François Jacob , Michel Foucault , Emmanuel Le Roy Ladurie , François Furet and Jacques Le Goff . 1 +Graham Bayne ( born August 22 , 1979 ) is a Scottish football professional who also plays with Elgin City , where he is currently Assistant Manager . Graham Bayne ( born 22 August 1979 ) is a Scottish professional footballer who also plays for Elgin City , where he is currently Assistant Manager . 1 +Riverton was a parliamentary electorate in the Southland region of New Zealand . Riverton was a parliamentary electorate in the region of New Zealand in Southland . 0 +In WrestleMania XV , Holly lost the title to Gunn in a Triple Threat match , which also included Al Snow . At WrestleMania XV , Gunn lost the title to Holly in a Triple Threat match which also included Al Snow . 0 +He stayed in Japan for three years before moving back with his family to Germany . He remained in Germany for three years before moving back to Japan with his family . 0 +A very small part of the southwestern Red House borders the town of Great Valley . A very small part of southwestern Great Valley borders the town of Red House . 0 +He died in Edinburgh on 28 August 1901 . He had married , in Mauritius in 1870 , Charlotte , the daughter of Percy Fitzpatrick . He died in Edinburgh on 28 August 1901 and married in 1870 in Mauritius Charlotte , daughter of Percy Fitzpatrick . 1 +Aditya is carried to a tiny island where he helps the magical locals defeat the giant Jhamunda . Aditya is worn on a tiny island where he helps the magical locals to defeat the giant Jhamunda . 1 +The uniforms are made by Russell Athletic and the hats are manufactured by New Era . The uniforms are produced by Russell Athletic and the hats are manufactured by New Era . 1 +Jolene is Bob Ferguson 's thirteenth solo studio album , produced by Dolly Parton . Dolly Parton 's thirteenth solo studio album , produced by Bob Ferguson , is Jolene . 0 +He learnt western classical music from Sadayandi Bhattar and traditional music from Tanjore A. G. Pichaimuthu pillai . He learned Western classical music from Sadayandi Bhattar and traditional music from Tanjore A. G. Pichaimuthu Pillai . 1 +His graphic novels have affected the development of the wordless novel . His graphic novels have influenced the development of the wordless novel . 1 +Other languages spoken at home included Mandarin 4.0 % , Spanish 1.8 % , Greek 1.7 % , Russian 1.6 % and Cantonese 1.3 % . Other languages spoken at home contains Mandarin 4.0 % , Cantonese 1.8 % , Russian 1.7 % , Greek 1.6 % and Spanish 1.3 % . 0 +He was elected to the Lok Sabha the lower house of Indian Parliament from Bhubaneswar in Odisha . He was elected Lok Sabha , the lower house of the Indian Parliament of Bhubaneswar in Odisha . 1 +The mentioned scientists Adam adores are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Isaac Newton , Nikola Tesla , Charles Darwin , and Albert Einstein The mentioned scientists Adam are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . 1 +For theories at the level of second-order arithmetic , the reverse mathematics program has much to say . For theories at the level of reversal - arithmetic has much to say the second mathematics program . 0 +Michael is killed on their wedding day , before the ceremony takes place , and Centaine goes to Sean for help . On the day of their wedding , Michael is killed before the ceremony takes place , and Centaine goes to Sean 's help . 1 +The museum building maintains its European style of oriental modern architecture through the standing bricks on the south-eastern corner of the building and the classical image of the foyer . The museum building retains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . 0 +The company moved cigar production to Cuba in 1932 following a strike at the Cuban factory in Trenton and to avoid high tariffs . The company moved cigar production from Cuba to Trenton in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . 0 +He started his practice in Lincoln , Nebraska then moved back to Omaha in 1912 . He started his practice in Omaha , Nebraska , and then moved back to Lincoln in 1912 . 0 +Zomboy cites influences such as Skrillex , Reso , Rusko and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . He quoted influences such as Rusko , Reso , Zomboy and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . 0 +The River Milotina is a tributary of the river Vânăta in Romania . The river Vânăta is a tributary of the River Milotina in Romania . 0 +The hurricane indirectly killed a person and killed two directly in the state . The hurricane killed one person directly and two indirectly in the state . 0 +"In "" House of Despair "" Ed Griffin Quentin Collins tells that the people of Collinsport have not forgotten how "" the winter girl "" inexplicably disappeared ." "In "" House of Despair "" , Ed Griffin tells Quentin Collins that the people of Collinsport have not forgotten how "" that Winters girl "" inexplicably disappeared ." 1 +The Arrows were a Canadian new wave band of the 1980s . The arrows were a new Canadian wave band of the 1980s . 0 +In 1955 , the United Kingdom , Italy by Hiroshi Tada in 1964 , and Katsuaki Asai in 1965 , Germany . The United Kingdom followed in 1955 ; Italy in 1964 by Hiroshi Tada ; and Germany in 1965 by Katsuaki Asai . 1 +He was appointed on October 14 , 1917 in Fort Des Moines , first lieutenant , and weeks later a West Medford married native Madeline Mabray Kountze . He was commissioned first lieutenant on October 14 , 1917 at Fort Des Moines , and weeks later married a West Medford native , Madeline Mabray Kountze . 1 +Born in 1799 in York ( Toronto ) , he grew up in Kingston . Born in 1799 in Kingston , Toronto , he grew up in York . 0 +The wieferich - base with known first prime number at order 3 is 9 , where 2 is a wieferich - prime number to base 9 with order 3 . The first base with known Wieferich prime with order 3 is 9 , where 2 is a Wieferich prime to base 9 with order 3 . 0 +Top layers contain technologies that are not yet implemented or contain just ideas that should be standardized in order to realize Semantic Web . Top layers contain technologies that are not yet standardized or contain only ideas that should be implemented to realize Semantic Web . 0 +"For turning steam locomotives used in "" SL Paleo Express "" services , a turntable is provided ." "A turntable is used for turning steam locomotives provided on "" SL Paleo Express "" services ." 0 +The initial plan was to promote Paul Collingwood to the now vacant opening position - Schlagmann - position and to include Mark Butcher in the middle order . The initial plan was to promote Mark Butcher to the now vacant opening batsman position , and include Paul Collingwood in the middle order . 0 +Sometimes already allocated codes were reused or the previously spared x00 codes were assigned . Sometimes already assigned codes were reused or the x00 codes assigned previously were spared . 0 +He died in Ixelles ( Brussels ) on 15 August 1950 . He died in Brussels ( Ixelles ) on August 15 , 1950 . 1 +Juan Ramón Jiménez was born in Huelva , near Moguer , in Andalucia , on 23 December , 1881 . Juan Ramón Jiménez was born on 23 December 1881 in Huelva , near Moguer in Andalusia . 1 +The Philadelphia Eagles selected hicks in the third round ( 84th total ) of the NFL Draft 2015 . He was the ninth linebacker elected in 2015 . The Philadelphia Eagles selected Hicks in the third round ( 84th overall ) of the 2015 NFL Draft . He was the ninth linebacker selected in 2015 . 1 +Another piece of music for the album was not written by Gilmour . Another piece of music written for the album was not used by Gilmour . 0 +Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a second handballer who plays in the Hungarian League for Scent István SE . Szabina Tápai ( born 30 January 1986 in Kiskunhalas ) is a Hungarian handballer who plays for Szent István SE in the second league . 0 +The last three were on CBS , and the first was on the Blue Network . The first three were on CBS , and the last one was on the Blue Network . 0 +Typically , the warmest day of the year is reached , and a maximum temperature of or above should reach 3.7 days a year . Typically , the warmest day of the year will reach , and 3.7 days a year should attain a maximum temperature of or above . 1 +In 2015 , Richard Branson offered Stephen Hawking a seat free of charge on the Virgin Galactic spaceship . In 2015 , Stephen Hawking offered Richard Branson a seat free of charge on the Virgin Galactic spaceship . 0 +From 1999 to 2002 she attended the Scott Middle School and from 2002 to 2005 the Lincoln Southwest High School . From 1999 to 2002 she attended the Lincoln Southwest High School and the Scott Middle School from 2002 to 2005 . 0 +The song was written by Powderfinger – lead singer Bernard Fanning and influenced by bassist John Collins . The song was written by Powderfinger - singer John Collins and influenced by bassist Bernard Fanning . 0 +Andy Murray ( Scotland ) and Samantha Stosur ( Australia ) were also absent . Also absent were Andy Murray ( Scotland ) and Samantha Stosur ( Australia ) . 1 +Turing had an elder brother , John ( the father of Sir John Dermot Turing , 12th Baronet of the Turing baronets ) . Turing had an elder brother , John Dermot Turing ( father of Sir John , 12th Baronet of the Turing Baronets ) . 0 +Jared Harris , the man at the campsite , played by Benmont Tench , is named after Benmont Tench , keyboarder of Tom Petty and the Heartbreakers . Benmont Tench , the man at the campsite , played by Jared Harris , is named after Benmont Tench , keyboardist with Tom Petty and the Heartbreakers . 0 +The abbey is registered as a regional cultural asset . The abbey is registered as a regional asset of cultural importance . 1 +It was described by Herbert Druce in 1895 and is known from Morelos ( including Cuernavaca , Mexico , type location ) . It was described in 1895 by Herbert Druce and is well known from Mexico ( including Cuernavaca , Morelos , the type of type ) . 0 +Cherry Jones ' character was the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary , who was played by Katie Holmes . Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , not the daughter of Elizabeth , played by Allison Janney . 0 +This new heavier isotope may be stable or unstable depending on the chemical element ( radioactive ) . This radioactive heavier isotope may be new depending on the chemical element ( stable or unstable ) . 0 +Since 2003 , Sharon Northe has been the head of the group , since 2017 Heather Weaver has been President . Heather Weaver has been the conductor of the group since 2003 and Sharon Northe has been President since 2017 . 0 +A post office called Greenbush was established in 1852 , and remained in operation until 1906 . Greenbush was platted in 1861 . A post office , called Greenbush , was established in 1852 and remained in operation until 1906 , when Greenbush was founded in 1861 . 0 +In the first round , Liuget was moved to Draft Pick as the 18th by the San Diego Chargers . Liuget was drafted in the 18th round as the first draft pick by the San Diego Chargers . 0 +The exterior colors are red , black , silver , dark vanilla and cool titanium . Exterior colors are red , black , silver , dark vanilla , and cool titanium . 1 +Afterwards , Gillis fired Head Coach Alain Vigneault , Associate Coach Rick Bowness and Assistant Coach Newell Brown . After that , Gillis fired head coach Alain Vigneault , Associate Coach Rick Bowness and Assistant Coach Newell Brown . 1 +"For example , in Ngapoi , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga-Wang Jigmê "" his personal name ." "In Ngapoi , Ngapoi Ngawang Jigme "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." 1 +In the series , Chris Brown 's character dates a character that was played by the popular music star Willa Holland in the fourth season of the show . In the series , Chris Brown 's character dates a character played by the popular music star Willa Holland in the fourth season of the show . 1 +Lewis was also a member of the Cleveland Browns , Jacksonville Jaguars , Oakland Raiders , Seattle Seahawks , Detroit Lions and Virginia Destroyers . Lewis was also a member of Cleveland Browns , Jacksonville Jaguars , the Oakland Raiders , Seattle Seahawks , Detroit Lions , and Virginia Destroyers . 1 +""" Live : Legend 1999 / 1997 Apocalypse "" was released on 16th August 2014 with an official trailer on September 11 , 2014 ." """ Live : Legend 1999 / 1997 Apocalypse "" was released on August 16 , 2014 with an official trailer announced on September 11 , 2014 ." 0 +McGee survived her husband Lewis Allen McGee and did not remarry . Lewis Allen McGee survived her husband McGee and did not marry . 0 +22.0 % were German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English descent according to the 2000 census . 22.0 % were of German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % English ancestry according to Census 2000 . 0 +"It is never uncovered what Raab has there , but the last line "" Oh my God "" implies that it is something surprising ." "It is never revealed what Raab has there , but the final line "" Oh my God "" , is that it implies something surprising ." 1 +Anoop also paved the way for his younger brothers Kalyan ( Kishore Kumar ) and Ashok Kumar . Ashok Kumar paved the way for his younger brothers Kalyan ( Anoop ) and Kishore Kumar . 0 +Surviving earthworks to the east and south of the former hamlet show the extent of the present village . Surviving earthworks east and south of the present hamlet show the extent of the former village . 0 +"Ted White used his design from the original "" Friday the 13th "" , with the same practice of application as before , but molded from Savini 's face ." "Ted White used his design from the original "" Friday , the 13th "" , with the same practice of application as before , but shaped by Savini 's face ." 1 +Scraper was a hardcore punk band from the West Midlands of the United Kingdom . Scraper was a hardcore punk band from the United Kingdom West Midlands . 1 +Polymers of the coordination type are also stereoregular and can be isotactic or syndiotactic instead of atactic . Polymers of the type of coordination are also atactic and can be isotactic or syndiotactic instead of just stereoregular . 0 +Frank Malina died in Paris in 1981 , near Boulogne Billancourt , France . Frank Malina died in 1981 in Boulogne Billancourt , near Paris , France . 0 +"It contains remixes and acoustic versions of previously released singles , as well as the non-album B-page "" From a Desert to a Beach "" ." "It contains remixes and acoustic versions of previously released singles , as well as the non-album B-side "" From a Desert to a Beach "" ." 1 +The team played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi - State , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . The team has played teams such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in the last years in 2011 . 1 +In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side in the Battle of Carabobo . Garcia de Luna fought on the British side in the Battle of Carabobo , against Simón Bolívar and the Spanish Legions , during Venezuelan War of Independence in 1821 . 1 +As long as they are evaluated as profitable , rich food sources will be advertised by the scouts when they return to the hive . Rich sources of food , as long as they are evaluated as profitable , are advertised by the scouts when they return to the hive . 1 +In this episode , Andy Bernard ( Ed Helms ) returns to the office to find Nellie Bertram ( Catherine Tate ) in the manager 's chair . In this episode , Nellie Bertram ( Catherine Tate ) returns to the office to find Andy Bernard ( Ed Helms ) on the manager 's chair . 0 +He is generally credited as Tashi Wangchuk Tenzing of Australia , sometimes with a note that he is Tenzing 's grandson . He is sometimes credited as Tashi Wangchuk Tenzing of Australia , usually with a note that he is Tenzing ’ s grandson . 0 +The east end was cut off to Wadsworth Boulevard in 1963 and to Sheridan Boulevard in 1967 . The eastern end was cut off in 1963 to Wadsworth Boulevard and to the Sheridan Boulevard in 1967 . 1 +In September 1994 , Anton Lesley married Gray Anton . In September 1994 , Anton Anton married Lesley Gray . 0 +The stigmata are black , the first discal large , the subtriangular plicale obliquely beyond the first discal . The stigmata are black , the first discal large , the subtriangular plical obliquely beyond the first discal . 1 +Several publications of the Public Health Service have shown that veterans have increased cancer , nerve , respiratory , skin and digestive disorders . Several publications of the Public Health Service have shown that veterans have increased cancer , nerve , digestive , skin and respiratory disorders . 1 +Major greyhound racing venues include Wentworth Park in Brisbane , Cannington Raceway in Adelaide , Albion Park in Perth , Greyhound Park in Sydney and Sandown Greyhounds in Melbourne . Greyhound Venues - Races include Wentworth Park in Sydney , Cannington Raceway in Perth , Greyhound Park in Adelaide , Albion Park in Brisbane , and Sandown Greyhounds in Melbourne . 0 +This public-private humanitarian project is led by the African Agricultural Technology Foundation , a Kenyan non-governmental body . This public-private humanitarian project is led by African Agricultural Technology Foundation , a Kenyan non-governmental organization . 1 +There were others who did as I thought , but we could not speak . There were others who did , I thought , but we could not speak . 1 +He was born in Scotland around 1760 and settled in Detroit ( then part of Quebec ) in 1782 . He was born in Scotland around 1760 and settled in Detroit in 1782 ( then still Quebec ) . 1 +Other musicians are Nik Mazzucconi on guitars , Francesco Jovino on bass and Simone Mularoni ( Primal Fear , Hardline ) on drums . Further musicians are Simone Mularoni on the guitars , Nik Mazzucconi on the bass and Francesco Jovino ( Primal Fear , Hardline ) on drums . 0 +The Letneye mine is a large copper mine located in the south-west region of Orenburg Oblast in Russia . The Mine Letneye is a large copper mine in the south-west of the Oblast Orenburg in Russia . 1 +Alaric tells Caroline that Stefan ( Paul Wesley ) has stopped looking for a way to bring Damon and Bonnie back . Alaric informs Caroline that Stefan ( Paul Wesley ) stopped looking for a way to bring back Damon and Bonnie . 1 +The house of Ambrose Hallen , Rosyln Hall , was designed by Barker , but was demolished in 1937 . Barker 's house , Rosyln Hall , was designed by Ambrose Hallen but was demolished in 1937 . 0 +Borchers was born in Šilutė ( German : Heydekrug ) , Region Klaipėda ( German : Memelland ) , Lithuania in a German Prussian Lithuanian or Memellander family . Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , and Šilutė in a German either Prussian - Lithuanian or Memellander family . 0 +The company got a production structure in Frederikssund in 1958 and later in Houston , United States . In 1958 , the company got a production structure in Frederikssund and later in Houston , USA . 1 +During the LGM , the Laurentide Ice Sheet covered most of North America , while Beringia connected Siberia with Alaska . During the LGM the Laurentide Ice Sheet covered most of northern Alaska while Beringia connected Siberia to North America . 0 +The 2010 show was hosted by DJ Khaled . Mike Epps was the host DJ and DJ Premier DJed the cyphers . The show was moderated by DJ Khaled in 2010 , Mike Epps was the host DJ and DJ Premier DJed the cyphers . 1 +The first president was Harry O ’ Rourke ( Scotland ) , and the first chairman was Owen Clarke ( New Zealand ) . Mr. Owen Clarke ( Scotland ) was the first President , and Mr. Harry O ’ Rourke ( New Zealand ) the first Chairman . 0 +Auaxa cesadaria is a moth of the family Geometridae . It is found in Taiwan , China and Japan . Auaxa cesadaria is a moth of the Geometridae family and is found in Japan , China and Taiwan . 1 +It was based on a novel by James Hardiman and turned into a screenplay by Robert Suhosky . It was based on a novel by James Hardiman and was turned into a screenplay by Robert Suhosky . 1 +During the 1745 uprising it was again held by Jakobites and visited twice by Bonnie Prince Charlie . During the 1745 uprising it was twice visited by Jakobites and held again by Bonnie Prince Charlie . 0 +Tomasz Merta ( 7 November 1965 , Legnica -- 10 April 2010 , Smolensk ) was a Polish historian and Polish Undersecretary of State from 2005-2010 . Tomasz Merta ( November 7 , 1965 , Legnica -- April 10 , 2010 , Smolensk ) was a Polish historian and Polish Secretary of State from 2005-2010 . 0 +The characters of Geronimo Stilton also used their other names from the sixth to the second novel . The characters of Geronimo Stilton also used her other names from the sixth novel to the second . 1 +"English also has many words , such as "" zillion "" , which are used informally to mean large but unspecified amounts , see indefinite and fictitious figures ." "English also has many words , such as "" zillion "" , used informally to mean large but unspecified amounts ; see indefinite and fictitious numbers ." 1 +The series was created by Marklen Kennedy and co-developed by Richard Grieco . The series was created by Marklen Kennedy and is co-developed by Richard Grieco . 1 +Liang recommended Jiang Wan as his successor and Jiang Wan as successor to Fei Yi . Zhuge Liang recommended Jiang Wan as his successor and Fei Yi as Jiang Wan 's successor . 0 +The movie begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Kerala from Bengal . The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) from Kerala to Bengal . 0 +Ana Ivanovic defeats Maria Sharapova to win the women 's title 2008 Australian Open . 26 -- Ana Ivanovic defeats Maria Sharapova to win the 2008 Australian Open women 's singles title . 1 +He copied works of Willem Key , Maerten de Vos , Jan van Cleef , Frans Floris , Cornelis van de Capelle and Gillis van Coninxloo . He has copied works by Frans Floris , Maerten de Vos , Jan van Cleef , Willem Key , Cornelis van de Capelle and Gillis van Coninxloo . 1 +He continued his cross country and track career at the Boston English High School and began his career at Boston State College . He continued his cross country and track career at Boston English High School and began his career at Boston State College . 1 +Dyadic natural males do not have the anatomy needed for human embryonic and foetal development . Dyadic natural males do not have the anatomy needed for human embryonic and fetal development . 1 +In 1941 , Armand L. Jeanne Ruth Stuber was married . Ruth Stuber married Armand L. Jeanne ( b . 1941 ) . 1 +He received both his first Bachelor 's degree and his Bachelor 's degree from Abilene Christian University in the mid 1950 's . He received both his first bachelor 's degree and his undergraduate master 's degree from Abilene Christian University in the mid 1950 's . 1 +A double check always forces the opponent to defend the king , since it is impossible to move attacks from two directions in any other way . A double check always forces the opponent to move the king , since it is impossible to defend attacks from two directions in another way . 0 +Past editors include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet and Raymond Aron . Past editors include Raymond Aron , Georges Dumézil , François Jacob , Michel Foucault , Emanuel Le Roy Ladurie , François Furet , and Jacques Le Goff . 1 +In 1995 , thousands of Serb refugees were settled in Kosovo from Croatia , which further deteriorated relations between the two communities . In 1995 , thousands of Serb refugees from Croatia were settled in Kosovo , which further worsened relations between the two communities . 1 +In 1971 , a new campus in 33 MacDonnell Road was completed for the primary school . In 1971 , a main campus was completed for the new school in 33 MacDonnell Road . 0 +It was opened when the Amersfoort to Zutphen section was completed . It was opened when the section from Amersfoort was completed to Zutphen . 1 +Great Tree , a large holiday park and campsite , is situated at Looe Bay Holiday Park . Looe Bay Holiday Park , a large holiday park and campsite , is located at the Great Tree . 0 +It measures an aperture of ~ 5 cm and it has the spectrum of 1.7 - 17 μm . It has an aperture of ~ 5 cm and it measures the spectrum of 1.7 -- 17 μm . 0 +The 1969 Australia rugby union tour of South Africa was a series played by the Australia national rugby union team between June and September 1969 . The Australia - Rugby - Union - Tour of 1969 was a series played by the national rugby - union - team of Australia between June and September 1969 . 1 +Mark Edmondson and Sherwood Stewart won the title and defeated in the final Anders Järryd and Hans Simonsson . Anders Järryd and Hans Simonsson won the title , defeating Mark Edmondson and Sherwood Stewart in the final . 0 +Warrington died on 10 February 1906 in London , and his will was proved on 29 March in Brentford , Middlesex . Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was detected in London on 29 March . 0 +Houyan is a station on Line 3 of the Dalian Metro in Liaoning Province , China . It is located in the Ganjingzi District of Dalian City . Houyan is a station on line 3 of the Dalian Metro Dalian City and is located in the Ganjingzi District of the Province of Liaoning , China . 0 +Frank Herzberg Trio is a contemporary Brazilian jazz trio , consisting of the bassist Zé Eduardo Nazario , drummer Frank Herzberg and pianist Alexandre Zamith . Frank Herzberg Trio is a contemporary Brazilian jazz trio , consisting of the bassist Frank Herzberg , drummer Zé Eduardo Nazario and pianist Alexandre Zamith . 0 +KOTC : Live to Fight was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . KOTC : Fight to Live was an event held on 14 May 2011 at San Manuel Casino in San Bernardino , California . 0 +"In 1960 , Glenville also directed Barbara Bel Geddes and Henry Fonda on Broadway in "" Silent Night , Lonely Night "" by Robert Anderson ." "In 1960 , Glenville directed also Robert Anderson on the Broadway in "" Silent Night , Lonely Night "" of Barbara Bel Geddes and Henry Fonda ." 0 +The Universal Press Syndicate , a subsidiary of Andrews McMeel Universal , was an independent press syndicate . Andrews McMeel Universal , a subsidiary of Universal Press Syndicate , was an independent press syndicate . 0 +On July 7 , 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . Major General Nathan Mugisha replaced Major General Francis Okello as commander of AMISOM on 7 July 2009 . 0 +I thought the game itself was dead , but the ambience was really fantastic . """ I thought the game itself was fantastic , but the ambiance was really kind of dead ." 0 +It was found in Sindh from northern India to Kanara and Madhya Pradesh and from Kangra to Kumaon . It is found in India from northern Kanara to Sindh and Madhya Pradesh and from to Kangra to Kumaon . 0 +In 2005 , Chao Pengfei was sent to Hong Kong with other teammates such as Xu Deshuai and Ju Yingzhi . In 2005 , Xu Deshuai was sent to Hong Kong , with other team-mates such as Chao Pengfei and Ju Yingzhi . 0 +Nilai is part of the Seremban constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Seremban is part of the Nilai constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 0 +Vaman Malhar Joshi was not to be confused with the writer Waman Gopal Joshi , they were contemporaries . Vaman Malhar Joshi should not be confused with the writer Waman Gopal Joshi . They were contemporaries . 1 +Other players played a prominent role in the introduction , such as Mike Caroll ( the logo ) and Tom Howard ( more men ) . Other players played a prominent role in the introduction as Tom Howard ( the logo ) and Mike Caroll ( more men ) . 0 +Union City ’ s police chief is Richard Molinari , a resident of Union City , who replaced former Chief Executive Brian Barrett . Union City 's Chief of Police is Brian Barrett , a Union City resident who replaced former Chief Richard Molinari . 0 +The Democratic Party appoints and elects House Democratic Caucus leadership in the House of Representatives of the United States . The House Democratic Caucus nominates and elects the leadership of the Democratic Party in the House of Representatives of the United States . 0 +A pneumatic control valve actuator converts energy ( typically in the form of compressed air ) into mechanical motion . A mechanical control valve drive converts energy ( typically in the form of compressed air ) into a pneumatic motion . 0 +A full association scheme can be visualized as a symmetric graph with labeled edges . A complete association scheme can be visualized as a symmetric graph with labeled edges . 1 +The Huánuco region is the largest of the eleven provinces of the Province of Puerto Inca , Peru . The Puerto Inca province is the largest of the eleven provinces of Huánuco region in Peru . 0 +""" Little Me "" was written by Sid Caesar and starred Neil Simon ." """ Little Me "" was written by Sid Caesar and Neil Simon played ." 1 +While prostitution is illegal in Canada , most activities related to prostitution are legal . While prostitution in Canada is illegal , most of the activities related to prostitution are legal . 1 +She finds new hope and friendship in Enzo , the replacement guitarist , who inspires her to new creative heights . She finds new creative hope and friendship in Enzo , the replacement guitarist that inspires her , to reach new heights . 0 +Swarthmore is represented at the General Assembly of Pennsylvania as the PA 161st Legislative District and the PA 26th Senate District . Swarthmore is represented in the Pennsylvania General Assembly as the PA 161st Legislative District and the PA 26th Senate District . 1 +The US 340 has a diamond exchange with MD 180 and crosses Catoctin Creek east of Petersville . US 340 east of Petersville crosses a diamond exchange with MD 180 and has Catoctin Creek . 0 +Fritz August Hoenig ( 1848 -- 1902 ) was a German military writer and officer . Fritz August Hoenig ( 1848 -- 1902 ) was a German military officer and writer . 0 +The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and the Radnor Joint Counties , was a psychiatric hospital in the Mid Wales Hospital . The Mid Wales Hospital , originally the Brecon and the Radnor Joint Counties Lunatic Asylum , was a psychiatric clinic in Talgarth , Wales . 0 +It has been introduced to and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . It has been introduced and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . 1 +The word octoroon means one-eighth black . A quarter black is a quadroon and a half black is a mulatto . The word Octoroon is an eighth black : a quarter black is a quadroon , and half a black means a mulatto . 1 +"An important advantage ( projected by Carr ) was that "" if Soviet Russia had already to fight Hitler , the Western Powers would eventually be involved . """ "An important advantage ( projected by Carr ) was that "" if Soviet Russia had to fight Hitler eventually , the Western powers would already be involved ." 0 +Throughout her relationship , the couple lived in Los Angeles , though Seymour spent more time in London and Los Angeles for their work . The couple lived in London and Los Angeles during their relationship , though Seymour spent more time in Los Angeles for their work . 0 +The song was written by Melanie C and had already been admitted by Bryan Adams in 1999 . The song was written by Bryan Adams and was already recorded in 1999 by Melanie C . 0 +The longer-lived heavy isotopes of bohrium , produced as the daughters of heavier elements , offer advantages for future radiochemical experiments . The longer-lived heavy isotopes of Bohrium , produced as daughters of heavier elements , offer advantages for future radiochemical experiments . 1 +In both New Spain and Peru , silver became the engine of the Spanish colonial economy . In both Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +This time , however , they were found in Bolivia a long way from the earlier discoveries of P. unicornis in Peru . "However this time they were found in Bolivia a long way from the previous "" P. unicornis "" discoveries in Peru ." 1 +The architect was Milton J. Kramer , who was the original owner Herbert J. Krapp . Herbert J. Krapp was the architect , and Milton J. Kramer was the original owner . 0 +"We approach things with an open mind , while historians tend to take a subject and find the material to prove their point. """ We take things with an open mind , while historians tend to find a topic and use the material to prove their point . 0 +He became a prestigious canon , a regular poet in the Latin language , under the name of Santolius Victorinus writing . He became a regular canon . He was a respected poet in the Latin language , writing under the name of Santolius Victorinus . 0 +Another hirer was James Russell Lowell , an aunt of Sarah Lowell . Another lodger was Sarah Lowell , an aunt of James Russell Lowell . 0 +Glenn McCoy illustrated the Legend of Spud Murphy by Eoin Colfer , published in 2004 . Glenn McCoy illustrated the Legend of Spud Murphy by Eoin Colfer which was published in 2004 . 1 +In September 1970 , Mitchell refused and Romney 's plan collapsed . In September 1970 , Romney refused and collapsed Mitchell Plan . 0 +He spent his exile in France and preached in Italy to Gareccio , where he preached . He spent his exile in Italy and preached Gareccio in France where he preached . 0 +In 1999 , local reports said the average lake depth had increased to 11 feet with the maximum depth at 15 feet . 1999 , local reports said that the average lake depth had raised to 11 feet with the maximum depth at 15 feet . 1 +Of course , these inscriptions are dated only from the Sixth Dynasty , but it still tells us a little bit about what they have valued . Of course , these inscriptions are only dated from the Sixth Dynasty , but it still tells us a little bit about what they valued . 1 +Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English professional football left player for Grimsby Town and Bury in the Football League . Alfred Gregson ( 2 March 1889 -- March 1968 ) was an English professional football inside left who played in the Football League for Grimsby Town and Bury . 1 +"A mechanical nightingale is used in "" and "" to replace a real nightingale for a princess ." "A real nightingale is featured in "" and is used to replace a mechanical nightingale for a princess ." 0 +Jones was born in Morton , Mississippi and grew up in Mississippi , Vicksburg . Jones was born in Vicksburg , Mississippi and grew up in Morton , Mississippi . 0 +If the price is above the Senkou span , the first line serves as the top support level while the second line serves as the bottom support level . If the price is above the Senkou spread , the first line serves as the top support level , while the second line serves as the bottom support level . 1 +John Lambert studied composition with Oliver Knussen between 1963 and 1969 , and also received encouragement from Britten . Oliver Knussen studied composition with John Lambert between 1963 and 1969 and also received inspiration from Britten . 0 +Janković was the fourth seed at Wimbledon , but lost in the third round to the surprising finalist Marion Bartoli . At Wimbledon , Janković was the fourth seed , but lost in the third round to the surprise eventual finalist Marion Bartoli . 1 +In 1979 , the church moved to Downey , California , to the former home of the Downey Congregational Church , its current location . The church relocated to Downey , California in 1979 , to the current home of the Downey Congregational Church , its former location . 0 +"He trained at the prestigious Sheridan College in Canada under the direction of renowned illustrators such as Joe Morse , Gary Taxali , Christoph Niemann "" and Kathryn Adams ." He trained at the prestigious Sheridan College in Canada under the direction of renowned illustrators such as Kathryn Adams , Joe Morse , Gary Taxali and Christoph Niemann . 1 +He also encountered Theodoros Kolokotronis , whom he came to admire later . He also met Theodoros Kolokotronis , whom he later came to admire . 1 +Each week , Arnie , Usidore , and Chunt interview magical creatures to introduce the listener to new aspects of the world of Foon . Every week , Arnie , Usidore , and Chunt interview magical creatures to present new aspects of the world of Foon to the listener . 1 +The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY repeated directly . The network previously operated a translator in Waterbury , W12BH ( channel 12 ) , which directly repeated WEDY . 1 +The nearest train station is Nakamura station , the terminus of the Tosa Kuroshio railway line Nakamura , located in Shimanto . The nearest train station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , which is in the station Nakamura . 0 +V9 was sent to Romania as a demonstrator after a tour of Hungary , and arrived on 5th February,1939 . V9 was sent to Hungary after a tour through Romania as a demonstrator and arrived on February 5 , 1939 . 0 +Carlos Robacio , BIM5 commander , was awarded to the Argentine nation by the Valour in Combat Medal , and the Bataillon itself was awarded the Argentine Congress in 2002 . Carlos Robacio , BIM5 - Commander , was awarded the Argentine nation to the Valour in Combat Medal and the Battalion itself was awarded by the Argentine Congress in 2002 . 0 +"He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Large Profile "" ( 1940 ) ." "He supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." 0 +"He was portrayed by Robert Loggia in the television film A Woman Called Golda "" ( 1982 ) as Ingrid Bergman as Golda Meir ." "He was portrayed by Golda Meir in the 1982 television movie "" A Woman Called Golda "" , opposite Robert Loggia as Ingrid Bergman ." 0 +Heysi Villarreal ( born 26 August 1986 in Cuba ) is an Olympic and national record holding swimmer from Havana , Cuba . Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and a national record swimmer from Havana . 1 +"Some of his volumes include : "" Christian Influence on Jewish Reform Movements "" ( 1924 ) and "" Jewish People , Faith and Life "" ( 1957 ) ." "Some of his volumes are : "" Jewish influence on Christian reform movements "" ( 1924 ) and "" Jewish people , faith and life "" ( 1957 ) ." 0 +Like many aspects of Byzantine ivory , this reflects the Islamic traditions inherited from Islam . Like many aspects of Byzantine ivory , this reflects the Islamic traditions , Islam inherited . 1 +Humphrey John Ikin ( born in 1957 in New Zealand ) is a furniture designer by Lower Hutt . Humphrey John Ikin ( born 1957 in New Zealand ) is a Lower Hutt furniture designer . 1 +The 2004 Army Black Knights football team represented the United States Military Academy during NCAA Division I - A football season 2004 . The 2004 United States Military Academy football team represented the Army Black Knights during the 2004 NCAA Division I-A football season . 0 +The longitudinal vessel moves the blood backwards , while the other four dorsal vessels carry the blood forward . The dorsal vessel moves the blood forward , while the other four longitudinal vessels carry the blood rearward . 0 +The army of Zhu Huan initially experienced great success and destroyed all of Cao Ren 's armies in the field . Cao Ren 's army experienced great success initially and destroyed all of Zhu Huan 's armies in the field . 0 +The Chapel and Hall were both also designed by William Gibbs and were fully funded by Butterfield . The chapel and the room were both fully funded by William Gibbs and were also designed by Butterfield . 0 +Lord Hartington , who had refused to serve under Gladstone because of his Irish policy , became leader of liberal Unionists . Lord Hartington , who had refused to serve under Gladstone because of his Irish policies , became leader of the Liberal Unionists . 1 +Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and Co-founder , along with Sean Kandel and Jeffrey Heer . Sean Kandel is Chief Technical Officer and co-founder of Trifacta , along with Joseph M. Hellerstein and Jeffrey Heer . 0 +Gandini was born in Parma on May 19 , 1906 to Ernesto Gandini and Diomira Di Centa of Venice . Gandini was born on May 19 , 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . 0 +Crash Landed was released in July 2009 as the third single in Korea and as the second single to be released in Japan in April 2010 . Crash Landed was published in Japan in July 2009 as the second single and in April 2010 as the third single in Korea . 0 +If a test function formula _ 2 is used to obtain the weak form , after integration by parts the final Galerkin formulation will be given as follows : If a test function formula 2 is used to obtain the weak form , the final Galerkin formulation is indicated after integration by parts as follows : 1 +According to the United States Census Bureau , Masontown has a total area of which land is and , or 2.10 % , is water . According to the United States Census Bureau , Masontown is a total area of which there is a land area and 2.10 % of water . 1 +Herberg demonstrated how immigration and religious culture were reflected in American ethnic movements and institutions . Herberg showed how immigration and religious culture were reflected in the American ethnic movements and institutions . 1 +Scott Wells was also replaced as Lex Luthor by Sherman Howard . Lex Lex Luthor was also replaced by Sherman Howard as Scott Wells . 0 +Jez ( Aaron McCusker ) returns from prison and moves in the pub with her and Jamie Maguire . Jamie Maguire ( Aaron McCusker ) returns from prison and moves with her and jez into the pub . 0 +In 1956 , Christine married Julian Popescu and had four children , including Charlotte Popescu , who also wrote children 's ponybooks . Christine married Julian Popescu in 1956 and had four children , including Charlotte Popescu , who also wrote children 's pony books . 1 +In 2016 , a group of white students at the Wiggins High School put a noose around a black student 's neck . In 2016 , a group of black students of Wiggins High School put a noose around a white student ’ s neck . 0 +The band appears in the video next to the British comic actors Matt Lucas and Sara Stockbridge and Model Jo Guest . The band appears in the video alongside British comic actors Matt Lucas and Sara Stockbridge and model Jo Guest . 1 +Discretization is also related to granular mathematics and is an important component of discrete data processing . Discretization is also linked to discrete mathematics and is an important component of granular computing . 0 +Sauer Co. purchased the spices of the gold medal and introduced Dean Foods ( a margarine company ) . Sauer Co. introduced Gold Medal spices and purchased Dean Foods ( a margarine company ) . 0 +Gillick is represented in the UK by Maureen Paley , in Ireland by Casey Kaplan , and in New York by Kerlin Gallery . Gillick is represented in the UK by Maureen Paley , in Ireland by Casey Kaplan and in New York by the Kerlin Gallery . 1 +Kraddick proposed a challenge to drive from Texas to Philadelphia , playing shows along the way . Kraddick proposed a challenge to drive from Texas to Philadelphia , playing shows on the way . 1 +Late Neolithic cultures have a relationship with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady Valley and the late Neolithic developments in southern China . The late neolithic cultures have affinities with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady valley and Late neolithic developments in South China . 1 +Notre Dame received half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent got the other half . Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and the opponent received the other half . 1 +PEVQ MOS results range from 1 ( excellent ) to 5 ( bad ) and indicate the perceived quality of the decoded sequence . PEVQ - MOS - results range from 1 ( bad ) to 5 ( outstanding ) and indicate the perceived quality of the decoded sequence . 0 +We defeated Georgia Tech , who had bound Tulane , so we are masters ... the newspapers , however , more or less generally supported the claim of Auburn ... "We defeated Georgia Tech , who tied Tulane , so we are champions ... The newspapers , however , more or less generally supported the claim of Auburn ... """ 1 +Kenny enters the house and frees Jody as Brent fights with Marliston , who manages to brutally kill him . Kenny enters the house and frees Brent when Jody fights with Marliston , who manages to brutally kill him . 0 +Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusc in the Eoacmaeidae family , one of the families of true limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . 1 +The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and the Bandini Station Post Office at 5555 Bandini Boulevard . The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and Bandini Station Post Office at 5555 Bandini Boulevard . 1 +ICFO also hosts a Corporate Liaison Program ( CLP ) which serves as a bridge between ICFO researchers and industries and corporations . ICFO also organizes a Corporate Liaison Program ( CLP ) , which serves as a bridge between ICFO researchers and industries and corporations . 1 +The music was written by K. Raghavan and texts by Swathi Thirunal and Edasseri composed . Music was composed by K. Raghavan and the text was written by Swathi Thirunal and Edasseri . 0 +The music was composed by V. Dakshinamoorthy and lyrics was written by Sreekumaran Thampi and . The music was written by V. Dakshinamoorthy and the lyrics by Sreekumaran Thampi composed . 0 +Prakash was the International CIO of Avaya , then the Group CIO of Sage Group and later the CIO of iSoft in UK . Prakash was the international CIO of Avaya , then the Group CIO of Sage Group and later the CIO of iSoft in England . 1 +It was located south of the town of Elstow , between the villages of Bedford and Wilstead in Bedfordshire . It was south of the town of Elstow , between the villages of Bedford and Wilstead in Bedfordshire . 1 +The Data Definition Facility provides a persistent function for semantic artifacts such as collections and indices in XQuery or JSONiq programs . Data Definition Facility provides a semantic for persistent artifacts such as collections and indexes in XQuery or JSONiq programs . 0 +First basemen , with 16 winners , have won the most among infielders , followed by third basemen ( 8 ) and second basemen and shortstops ( 1 ) . The first Basemen with 16 winners have won the most among the infielders , followed by the second Basemen ( 8 ) and the third Basemen and Shortstops ( 1 ) . 0 +The district of North Grant was one of the first Victorian districts of the initial Legislative Assembly , 1856 . The North Grant district was one of the first districts of the first Victorian Legislative Assembly , 1856 . 0 +Sir Herbert was re-elected at the new seat in Croydon East and returned in 1951 . Sir Herbert was re-elected in the new Croydon East seat and was returned in 1951 . 1 +"One of the Triassic rocks used in Radyr is "" Radyr Stone "" , a freestone which as its name suggests is quarried in the Cardiff district ." "One of the triassic rocks used in Cardiff is "" Radyr Stone "" , a Freestone which , as the name suggests , is mined in the Radyr district ." 0 +It is located in Guntur mandal of Mangalagiri revenue division . It is located in Mangalagiri Mandal of the Guntur Revenue Division . 0 +Lottia persona is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . Lottia persona is a species of sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 0 +When Crowley was killed while in the company of Mackey , Aceveda dedicated himself to bringing him down . When Mackey was killed while he was in the company of Crowley , Aceveda dedicated himself to bringing him down . 0 +In Singapore , ADCs , the officers of the Singapore Armed Forces and the Singapore are Civil Defence Force , Gold - Aiguillettes , and police officers wear silver Aiguillettes . In Singapore , ADCs who are officers of the Singapore Civil Defence Force and the Singapore Armed Forces wear gold aiguillettes and police officers wear silver aiguillettes . 1 +He was married twice , to Elizabeth Dettlaff and to Annie Kowalkowski , and had three daughters . He was twice married to Elizabeth Dettlaff and Annie Kowalkowski , and had three daughters . 1 +"The Sanghar ( are partly called Hindu Sanghar "" Jamotar "" Gujarat and Mumbai Maharashtra India ." "The Gujarat and mumbai , maharashtra are a partly Hindu sanghar also called "" JAMOTAR "" Sanghar India ." 0 +All 15 episodes were presented by the British naval officer Commander Campbell and produced by Harry Pringle . All 15 episodes were produced by British naval officer and broadcaster Commander Harry Pringle and presented by Campbell . 0 +In 2015 , Kim was twice selected for the Korean national team , and became the first man since 1985 to win the World Archery Championships again . In 2015 , Kim was once again chosen for the Korean national team , and became the first man since 1985 twice to win the World Archery Championship . 0 +With the exception of a commercial strip along Calumet Avenue , South Hammond is overwhelmingly residential . South Hammond is overwhelmingly commercial with the exception of a strip of living along Calumet Avenue . 0 +It is found in the Himalayas , from Kashmir through Tibet , southern Nepal and Sikkim to Bhutan . It is found in the Himalayas , from Kashmir through Tibet , South Nepal and Sikkim to Bhutan . 1 +The album was mixed by Jimmy Westerlund in Los Angeles , Hollywood and mastered by Eddy Schreyer at Oasis Mastering , Los Angeles , Burbank . The album was mixed by Eddy Schreyer in Los Angeles , Hollywood and mastered by Jimmy Westerlund with Oasis Mastering , Los Angeles , Burbank . 0 +Her husband went to England and died in 1804 in Europe . Her husband continued to England and died in Europe in 1804 . 1 +Each line contains three points , therefore the Hesse configuration has the notation 912 in the language of the configurations . Each line has three points , so the Hesse configuration includes the notation 912 in the language of the configurations . 1 +In 2001 , two large new sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . Two new , large sports venues opened in 2001 : the Ralph Engelstad Arena and the Alerus Center . 1 +The Panthera tigris sudanensis is a claimed subspecies of tiger , not scientifically recognised , allegedly living in Africa . The Panthera tigris sudanensis is a supposed subspecies of the tiger , not scientifically recognised , allegedly living in Africa . 1 +Alicia has three sons with Alberto Cortina : Together with Alicia Alberto Cortina has three sons . 0 +"Leavened pyzy or "" pyzy drożdżowe "" are prepapered from flour , milk , butter , sugar and salt ." "Leavened pyzy or "" pyzy drożdżowe "" are made from flour , milk , butter , sugar and salt ." 1 +Lake Vernon is located in Tiltill Valley in the northern sector of Yosemite National Park north of the Hetch Hetchy Valley . Lake Vernon is located in the Tiltill Valley in the northern sector of Hetch Hetchy Valley just north of Yosemite National Park . 0 +On February 26 , 1976 , the USAF officially handed over the Korat to the Royal Thai Government . On 26 February 1976 , the Royal Thai Government officially handed over Korat to the USAF . 0 +The most usual example of this technique , known as the random oracle model , involves replacing a cryptographic hash function with a genuinely random function . The most common example of this technique , known as the random oracle model , involves replacing a cryptographic hash function with a truly random function . 1 +Gangotri - Glaciers ( Sanskrit , Nepali and ) is located in Uttarkashi District , Uttarakhand , India , in a region bordering Tibet . Uttarkashi District , Uttarakhand , India ( Sanskrit , Nepali and ) is located in Gangotri Glacier in a region bordering Tibet . 0 +Indeed , the two terms are now also used in other parts of the country . The two terms are indeed also used in other parts of the country . 1 +Bifascioides yemenellus is a moth in the family Cosmopterigidae . It is found in Yemen and southern Iran . Bifascioides yemenellus is a moth in the Cosmopterigidae family in Yemen and southern Iran . 1 +"The former actor Conlan Carter , who appeared in the TV series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ "The former actor James Whitmore , who appeared in the TV series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! "" ." 0 +It was extended from Laura in 1910 to Wilmington , and finally to Booleroo Centre in 1915 . It was expanded in 1910 from Laura to Wilmington and finally to the Booleroo Centre in 1915 . 1 +He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in Canandaigua , New York , 1820 ) . He was the son of the surgeon Timothy Hosmer ( born 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut ) . 0 +The rest of the material are covers of Argentinian folk artists Jose Larralde , Pedro Bonifacio Palacios , Cátulo Castillo and Anibal Troilo . The rest of the material are covers from Argentina folk artists Jose Larralde , Pedro Bonifacio Palacios , Cátulo Castillo and Anibal Troilo . 1 +There is a standard technique ( see for example ) to calculate the change of variables to formal coordinates , at a point as a normal Taylor series expansion . There is a standard technique ( see for example ) for computing the change of variables to formal coordinates , at a point as a normal Taylor series expansion . 1 +It has not currently been held since the 2008 event , and there are no plans yet for it to be held again . It has not been held since the 2008 event , and there are currently no plans for it to be returned . 0 +European route E75 runs through the city and connects Heraklion with the three other major cities of Crete : Agios Nikolaos , Chania , and Rethymno . The European route E75 runs through the city and connects Chania with the three other major cities of Heraklion : Agios Nikolaos , Crete and Rethymno . 0 +It was this title that Lancelot Brenton ( his elder brother , John Jervis Brenton , died in 1817 ) inherited . It was this title that John Jervis Brenton inherited ( his older brother Lancelot Brenton having died in 1817 ) . 0 +The more conservative approach of Dix and Botte has more recently been represented in the translation by Alistair Stewart . The more conservative approach by Alistair Stewart and Botte has recently been represented in the translation of Dix . 0 +Twin Falls High School is a secondary public school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . Twin Falls High School is a traditional high school in Twin Falls , Idaho , operated by one of the two public secondary schools of the Twin Falls School District . 0 +"Six of the twelve published stories were previously included in the author ’ s first collection , "" The Evening News "" ." "Of the twelve stories published , six were previously included in the author 's first collection , "" The Evening News "" ." 1 +The River Seaca or Pârâul Sec is a tributary of the River Olt in Romania . The Seaca River or Pârâul Sec is a tributary of the Olt River in Romania . 1 +Incumbent Republican Mike DeWine won re-election to a second term , beating Democrat Ted Celeste , real estate developer and brother of former Ohio Governor Dick Celeste . The established Republican Mike DeWine won the re-election to a second term , beating the democrat Ted Celeste , real estate developer and brother of former Ohio Governor Dick Celeste . 1 +The PBA season of 2002 was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . The 2002 FedEx Express season was the first season of the franchise in the Philippine Basketball Association ( PBA ) . 0 +Kathryn Lindskoog , an independent Hooper scholar , argued that Lewis 's scholarship is not reliable and that he has made false statements and attributed forged works to Lewis . Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he has made false statements and attributed false works . 0 +Guerin joined Bishop Charles on September 22 , 1904 and returned to Béni Abbès on 24 January , 1905 . On 22 September 1904 he joined Bishop Charles and returned to Béni Abbès on 24 January 1905 . 1 +Player 2 wins + 130 points ( wins 30 , loses 110 + 150 , so has 230 overall ) . Player 2 wins + 130 points ( wins 30 , loses 110 + 150 , so 230 ) . 1 +CTVglobemedia acquired the CFXJ-FM station in Toronto in 2010 from Milestone Radio . Milestone Radio acquired Toronto station CFXJ-FM from CTVglobemedia in 2010 . 0 +Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relationship between the government and the UK . Lord Chancellor , a post in the British Government , is responsible for relations between the Channel Islands and the government . 0 +The game created a 32 digit alphanumeric password after a successful completion of a level , which was unique also to the player name , to allow later resumption . The game created a 32 - digit alphanumeric password after successful completion of a level that was also unique for the player name to allow for a later resumption . 1 +The renovation of the building was completed in spring 2008 and inaugurated on 17 April 2008 under the new name of William E. Macaulay Honors College . The building 's renovation was completed Spring 2008 and dedicated under the new name of William E. Macaulay Honors College on April 17 , 2008 . 1 +Glauco Sansovini is Captain Regent of San Marino together with Marco Conti for the semester from 1st April , 2010 to 1st October , 2010 . Glauco Sansovini is together with Marco Conti captain Regent of San Marino for the semester from 1 April 2010 to 1 October 2010 . 1 +Elliott Gould was not exactly my idea from Philip Marlowe , but we were there anyway . Philip Marlowe was not exactly my idea of Elliott Gould , but we were there nonetheless . 0 +It begins near the western extremities of the Central Oregon Coast Range and generally flows to the west south of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean in general to the west of Depot Bay and north of Otter Rock . 0 +Yakov Fuchs and character performers were the parents of the famous Polish-American actor Leo Fuchs . She and the character actor Leo Fuchs were parents of the famous Polish-American actor Yakov Fuchs . 0 +There is a collection of these works in Deutsche Bank Brooklyn , as well as the Piergoi Flat Files in New York City . There is a collection of these works in Deutsche Bank New York City as well as the Piergoi Flat Files in Brooklyn . 0 +The river Valea Voenilor is a tributary of the Pascu River . The Pascu River is a tributary of the river Valea Voenilor . 0 +The last possession of the Genoese in the Mediterranean , the island fort of Tabarka , was lost to Tunis in 1742 . In 1742 , the last possession of the Genoese in the Mediterranean , the island fortress of Tunis , was lost to Tabarka . 0 +"The Oxford English Dictionary cites Hoccleve as one of the modern users of the term "" slut "" in its modern sense , although not in its original spelling ." "The Oxford English Dictionary cites Hoccleve as one of the modern users of the term "" slut "" in its modern sense , though not in its initial spelling ." 1 +With a strong start into the season and the new Arise Racing Team , which brought new cars and great competition to the series , it took 3 new races . With a strong start to the season and the new Arise Racing team bringing new cars and great competition to the series it brought 3 new races . 1 +Some have positive effects , some negative . Some have positive and some negative effects . 1 +Howes married three times in his life : in 1923 with Lillian Pechin , in 1932 with Catherine Tabor and in 1937 with Mary Donovan Howard . Howes married three times in his life : in 1923 with Mary Donovan Howard , with Catherine Tabor in 1932 and in 1937 with Lillian Pechin . 0 +And he has composed music for tens of traditional Arabic literary works , many films and various orchestras . And he has composed music for dozens of traditional Arabic literary works , various films and many orchestras . 0 +For several years , Rosa taught courses relating to both domestic chemistry and analytical chemistry . For several years , Rosa taught courses relating both to domestic chemistry and applied analytical chemistry . 1 +Meteuthria futilis is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Meteuthria futilis is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 1 +Friedrich Wilhelm had two brothers : Friedrich Heinrich Albrecht ( 1874 -- 1940 ) and Joachim ( 1880 -- 1925 ) . Friedrich Wilhelm had two brothers : Friedrich Heinrich Albrecht ( 1874 - 1940 ) and Joachim ( 1880 - 1925 ) . 1 +The Piedmontese was brought together in 1994 with another former Cassa di Risparmio di Biella bank . The former was merged with another Piedmontese bank Cassa di Risparmio di Biella in 1994 . 0 +It is both a primary school , lower secondary school and upper secondary school with the International Baccalaureate program . It is both a primary school , lower secondary school and upper secondary school with the International Baccalaureate Programme . 0 +Digby County of Nova Scotia , is a Canadian island in Long Island . Long Island is a Canadian island of Digby County , Nova Scotia . 0 +In 1889 , Charles Charles Conger sold it to Esler , and in May 1891 it sold to Horace Nichols . In 1889 , Esler sold Charles Conger , who sold it to Horace Nichols in May 1891 . 0 +Provogue is the official clothing sponsor of Rajasthan Royals in the Indian Premier League and the official sponsor for clothing of all teams in the Indian cricket league . Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official clothing sponsor for all teams of the Indian Cricket League . 0 +There are 18 or 20 old schools in the early texts . There are 18 or 20 early schools in the old texts . 0 +Tremor is a 1961 South African film directed by Denis Scully and co produced by Michael Deeley . Tremor is a South African film dating from 1961 , produced by Denis Scully and Co by Michael Deeley . 0 +This name is written in at least one inscription , the mantyasih inscription contained in 907 CE . This name is contained in at least one inscription , namely , the Mantyasih inscription written in 907 CE . 0 +The 372nd Air Force in Central Vietnam , as well as the 917th , 935th and 937th air regiments in South Vietnam , were quickly deployed to the north . The 372nd air division in South Vietnam , as well as the 917th , 935th and 937th air regiments in Central Vietnam , were quickly deployed to the north . 0 +Lawrence Albert plays Watson among the Holmes of first John Gilbert and later John Patrick Lowrie . Lawrence Albert plays Watson to the Holmes of first John Gilbert and later John Patrick Lowrie . 1 +It currently runs from Yonge Street to the south of Davisville Avenue northwest to Allen Road and Eglinton Avenue West . It currently runs from Davisville Avenue , to the south of Yonge Street , northwest of Allen Road and Eglinton Avenue West . 0 +Easton is the northeastern corner of Bristol County , where the county crosses with Norfolk County to the east and Plymouth County to the north . Easton forms the northeastern corner of Bristol County , where the county intersects with Plymouth County to the east and Norfolk County to the north . 0 +"The logical fallacy is a historical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." "The logical fallacy is a historical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." 1 +William Henry Henry Harman was born on February 17 , 1828 in Waynesboro , Virginia , with his parents Lewis and Sally ( Garber ) Harman . Lewis was born in Waynesboro , Virginia on February 17 , 1828 . His parents were William Henry Harman and Sally ( Garber ) Harman . 0 +In 235 BC , after an attack on the state of Zhao , troops united from the states of Qin and Chu Wei attacked , but suffered a defeat . In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Chu united to attack Wei but suffered a defeat . 1 +This main shrine has 59 branch shrines in Tokyo and 162 shrines in the prefecture of Saitama . This main shrine has 59 branch shrines in Tokyo and 162 branch shrines in Saitama Prefecture . 1 +The printed version appears under a Latin title , with a Latin subtitle ( edita per consules civitatis Trani ) , original both possible . "The printed version appears under a Latin title , with a Latin subtitle ( "" edita per consules civitatis Trani "" ) , both of the original ." 0 +The name Edith has four name days : 14 May in Estonia , 31 October in Latvia , 5 July in Sweden and September 16 in France . The name Edith has four name days : May 14 in Estonia , October 31 in Sweden , July 5 in Latvia , and September 16 in France . 0 +Design by Jeff Grubb with Andria Hayday , a cover by Jeff Easley and illustrations by Karl Waller . Design by Jeff Grubb with Andria Hayday , a cover by Karl Waller and illustrations by Jeff Easley . 0 +He studied music history at the University of Vienna under Guido Adler and Curt Sachs and studied composition with Hans Gál . He studied music history at the University of Vienna under Guido Adler and Curt Sachs , and studied composition under Hans Gál . 1 +Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park just north of Hetch Hetchy Valley . Lake Vernon is located in Tiltill Valley in the northern sector of Yosemite National Park north of the Hetch Hetchy Valley . 1 +"Despite international distribution , the North American audience received initially only the OVA 1985 , "" Yume no naka no Rondo "" ." "Despite international distribution , North American audiences only initially received the 1985 OVA , "" Yume no naka no Rondo "" ." 1 +He wrote and established the Imprenta Rosario , where he and his family published several newspapers . He also published Imprenta Rosario , where he and his family wrote and founded several newspapers . 0 +Belson as Visual Director programmed kinetic live visuals , Jacobs programmed electronic music and audio experiments . Belson as an audio director programmed live kinetic visuals and Jacobs programmed electronic music and visual experiments . 0 +"The route from Chicago to Hoosier State is used by Amtrak for "" Cardinal "" and "" Lafayette "" ." "The Chicago to Lafayette route is used by Amtrak for the "" Cardinal "" and the "" Hoosier State "" ." 0 +He inherited the Gwalior - Gharana and the Gandharva - Mahavidyalaya , but he was always open to taking aesthetic features of other gharanas and styles . He inherited the Gwalior gharana and the Gandharva Mahavidyalaya , but he was always open to adopting aesthetic features of other gharanas and styles . 1 +In 1883 , the first schools in the area were built for 400 white students and 60 black students . In 1883 the first schools in the area were built for 400 black and 60 white students . 0 +In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the International Champions Tournament in Charlotte , USA . In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Tournament of Champions in Mexico ’ s Guadalajara . 0 +The following books were either written by Prior or are posthumous collections of magazine articles and unpublished papers that he wrote : The following books were either written by Prior or are unpublished collections of periodical articles and posthumous papers he wrote : 0 +In 2012 , the championships were held in Dunakeszi , Hungary , in 2013 in Pouch , Germany , and in 2014 in Luserna ( Italy ) . In 2012 the championships were held in Italy , in Pouch , Germany in 2013 and in Dunakeszi , Hungary ( Luserna ) in 2014 . 0 +A few years later , General Obasanjo was released and pardoned after Abacha died and after General Abdulsalami Abubakar took over power . General Obasanjo was released and pardoned a number of years later after Abacha died and after General Abdulsalami Abubakar took power . 1 +Over time , some equipment and techniques developed for sports diving have accepted for technical diving more widely . Over time , some equipment and techniques developed for recreational diving have become more widely accepted for technical diving . 1 +In 1983 , she graduated from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . She graduated in 1983 from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . 0 +The Government of Punjab , a federal government in the provincial structure of Pakistan , is based in Lahore , the capital of the Punjab Province . The government of Punjab , a federal government in the provincial structure of Pakistan , is in Lahore , the capital of the Punjab province . 1 +The definition of Kali in Ayyavazhi is materialized as the focused life . The definition of potassium in Ayyavazhi is materialized as the focused life . 0 +When a bottle of vinegar is removed , mother of vinegar may develop . It is considered harmless and can be opened by filtering . When a bottle of vinegar is opened , it can develop vinegar mother , which is considered harmless and can be removed by filtering . 0 +According to Smith , the Aaronic Priesthood was returned to him and Oliver Cowdery somewhere in the woods near the house on 15 May 1829 . According to Oliver Cowdery , the Aaronic priesthood was restored to him and Smith on May 15 , 1829 , somewhere in the woods near the home . 0 +Baron Paul George 's Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . 1 +In 1888 , one of the first gum flavors to be sold in a vending machine , created by the Adams New York Gum Company , was tutti frutti . In 1888 , Tutti Frutti was one of the first rubber flavors to be produced in a vending machine sold by the Adams New York Gum Company . 0 +She later left WWE in August 2008 , to return to TNA three months later , where she remained until 2011 . She left TNA later in August 2008 to return to WWE three months later , where she remained until 2011 . 0 +The borough has a land border with Elizabeth and Bayonne , New Jersey , on uninhabited Shooters Island . The community has a land border with Elizabeth and Bayonne , New Jersey , on uninhabited Shooters Island . 1 +"In 1994 , the Polish Ambassador to South Africa , Mr Durrant presented the "" Warsaw Insurrectionary Cross "" to SCieniuch 's widow ." "In 1994 , the Polish ambassador to South Africa , Mr Scieniuch , presented the "" Warsaw Cross of Insurrection to Durrant 's widow ." 0 +The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2015 season -- 16 rains or gloss Elasto painters is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +On 28 April 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially resolved as announced . On April 28 , 2011 , the dispute between DSP Entertainment and Kara 's 3 members was officially announced as resolved . 0 +He became the first governor of Cebu , who in the early 1900s was a governor of Samar . He was the first governor of Cebu , who once became Governor of Samar in the early 1900s . 0 +The structure of the crossed module can be given from the second relative homotopy group to the fundamental group . From the fundamental homotopy group to the second relative group , may be given the structure of crossed module . The functor 0 +"On September 15 , 1932 , Sarawabi "" sank due to poor stability and capsized north of Keelung near Taiwan ." "On 15 September 1932 , "" Sarawabi "" sank due to poor stability and capsized north of Keelung near Taiwan ." 1 +The four largest ethnicities reported in the town are 29 % Irish , 16 % German , 11 % English , and 7 % Italian . The four largest ethnic groups reported in the town are 29 % Irish , 16 % German , 11 % English and 7 % Italian . 1 +The 500 Hispanic settlers who had lived near San Antonio had to relocate in Los Adaes in 1773 . The 500 Hispanic settlers who had lived near Los Adaes had to relocate in San Antonio in 1773 . 0 +Cooper was born in Los Angeles , California , and lived all his life in Long Beach , California . Cooper was born in Long Beach , California , and lived all his life in Los Angeles , California . 0 +Guru ( Dilip Prabhavalkar ) and Ganpat ( Kay Kay Menon ) are small-time car thieves . Guru ( Kay Kay Menon ) and Ganpat ( Dilip Prabhavalkar ) are a car thieves . 0 +He soon found his place among the stalwarts as Steiner , Hoksary , Semler , Wetzer , Ritter and Vogl . As Steiner , Hoksary , Semler , Wetzer , Ritter and Vogl he soon found his place among the regular guests . 1 +Other locations are in Deoghar Sultanganj , Jharkhand and Vaidyanath Jyotirlinga in Bhagalpur . Other places are Sultanganj in Bhagalpur and Vaidyanath Jyotirlinga in Deoghar , Jharkhand . 0 +It is developed by Beautiful Glitch and published by Those Awesome Guys . It is developed by Beautiful Glitch and is published by those Awesome Guys . 1 +She is born on 18 April 1976 in Usera , Madrid ( Spain ) . She was born in Usera , Spain ( Madrid ) on April 18 , 1976 . 1 +Maughan and his wife , the former Lorraine Hannemann of Honolulu , Hawaii , live in Manhattan , New York . Maughan and his wife , the former Lorraine Hannemann of Honolulu , Hawaii , reside in Manhattan , New York . 1 +This assembly was seen as a semi-democratic legislative counterpart to the divine system that existed during the Third Dynasty of Ur ( 2112 BC -- 2004 BC ) . This assembly was seen as a divine counterpart to the semi-democratic legislative system that existed during the Third Dynasty of Ur ( 2112 BC - 2004 BC ) . 0 +The tram line was built in 1913 and expanded in 1923 and abandoned in 1983 . The tram line was built in 1913 and was abandoned in 1923 and expanded in 1983 . 0 +For example : during the summer is the distance from Mammoth Lakes to Fresno , while in winter it almost doubles . For example : during the summer , the distance from Fresno to Mammoth Lakes is , while in winter it nearly doubles to . 0 +Julia had also told Do privately that she had read their letters to Elinor . Elinor had also told Do privately that she had read her letters to Juliet . 0 +Except for a small border with Perry Township ( Columbus ) on the west , Worthington is completely surrounded by Brookside Estates . Worthington is completely surrounded by Columbus , except for a small border with Perry Township ( Brookside Estates ) in the west . 0 +On 2 February 2009 , the Brazilian striker terminated his contract with Sochaux in agreement with the French team . On 2 February , 2009 , the French striker has terminated his contract with Sochaux in agreement with the Brazilian team . 0 +Frugalware has a twig codice 2 and a branch codice 3 . The branch codice 2 is updated daily , and the branch codice 3 is updated every six months . Frugalware has a codice 2 and a codice 3 branch . The codice 2 branch gets updated daily , and the codice 3 branch is updated every 6 months . 1 +Timothy Torlot married Bridie Morton in 1986 . In 1986 , Bridie Morton married Timothy Torlot . 1 +The outlaws decided to live off the wealthy class of people instead of the poor . The outlaws decided to live instead of the poor of the wealthy class . 0 +In March 2016 , Macquarie Group purchased a 9.9 % stake in Southern Cross Media Group from the Nine Entertainment Co . In March 2016 , Nine Entertainment Co acquired a 9.9 percent stake in the Southern Cross Media Group from Macquarie Group . 0 +Andrés Oppenheimer considers that the proposal would allow Maduro to abolish all the democratic institutions in Venezuela , in a similar process to the 1976 Constitution of Cuba . Andrés Oppenheimer considers that the Maduro proposal would allow all democratic institutions in Cuba to be abolished in a process similar to the 1976 Venezuela Constitution . 0 +The Model United Nations club participates in intellectual discussions and academic forums throughout the Boston area , and has won several chapter awards The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapters - awards . 0 +This musical style was part of the wider galant movement in the art at that time . This musical style was part of the wider galant movement in art at the time . 1 +The minimum temperature is 33 ° Celsius and maximum temperature is 12 ° Celsius . The maximum temperature is 33 ° Celsius and the minimum temperature is 12 ° Celsius . 0 +The 457th Airlift Squadron ( 457 AS ) is part of the 375th Air Mobility Wing and is stationed at Andrews Air Force Base , Maryland . The 375th Airlift Squadron ( 457 AS ) is part of the 457th Air Mobility Wing and is stationed in the Andrews Air Force Base , Maryland . 0 +In the gorge , forty rare plant communities were identified , containing at least 1,342 species and 54 different plants . Forty rare plant communities containing at least 1,342 species and 54 different plants have been identified in the gorge . 1 +Çimen was selected to represent her nation after winning the Miss Model of Turkey pageant in Çeşme . She stands at 183 cm tall and weighs 62 kg . After winning the Miss Model of Çeşme in Turkey , Çimen was selected to represent her nation , she is 183 cm tall and weighs 62 kg . 0 +Elizabeth Wood 's first memorable encounter with Thomas Kane was at the age of six when he was twenty years old . Thomas Kane 's first memorable encounter with Elizabeth Wood was at six years old , when he was twenty . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe quieted and French interest in Vietnam was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became quieter and the French interest in Vietnam was revived . 1 +"Like her sister ship , "" Tirpitz "" was armed with a twin battery of eight guns in four main turrets ." "Like her sister ship , Tirpitz "" armed with a twin battery of eight guns in four main towers ." 1 +"It was classified as a new species within new genus "" Gigantopelta "" in 2015 and it was described within the family Peltospiridae ." "It was classified as a new kind in 2015 within the new genus "" Gigantopelta "" and was described within the Peltospiridae family ." 1 +Moreover , many Angika speakers have emigrated to the Persian Gulf , the United Kingdom , the United States , Canada and other countries . Moreover , many Angika speakers in the Persian Gulf have emigrated to the United Kingdom , the United States , Canada , and other countries . 1 +Coverage in rural areas is considerably higher than in urban areas . In urban areas , coverage is significantly higher than in rural areas . 0 +Robertson is a railway station in Robertson , Moss Vale , on the railway line Unanderra - New South Wales . Robertson is a railway station in Robertson , New South Wales , on the Unanderra -- Moss Vale railway line . 0 +TS can theoretically be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numerical models . Theoretically , TS can be measured for numerical targets such as balls and cylinders , but is usually calculated empirically or derived with simple models in practice . 0 +The 1927 Colgate football team represented Colgate University at the College - Football - Season 1927 . The 1927 Colgate University football team represented Colgate in the 1927 college football season . 0 +But their reconciliation is well-placed as Corazon sabotages their relationship with some short-lived photographs of Monique with another man . But their reconciliation is only short-lived , as Corazon sabotages their relationship with some well-placed photographs of Monique with another man . 0 +The station opened on 1 May 1934 on the Stranorlar line from Strabane to Finn Valley Railway . The station was opened on 1 May 1934 on the Finn valley - the railway line from Strabane to Stranorlar . 0 +"In an article by Richard Prum at the "" Houston Chronicle "" on December 18 , 2005 , Dina Cappiello 's position was presented as follows :" "An article by Dina Cappiello in the "" Houston Chronicle "" published 18 December 2005 presented Richard Prum 's position as follows :" 0 +"Yolandita Monge 's third album with Sony Music ( now CBS Records ) is "" Sue "" ( "" dreams "" ) ." "Sueños ( "" Dreams "" ) is Yolandita Monge 's third album with CBS Records ( now Sony Music ) ." 0 +Bobby is kidnapped and Frankie is lured to the same isolated cottage by Roger . Bobby is kidnapped and Frankie is lured by Roger into the same isolated cottage . 1 +The team was a sister organization of the men 's USL Premier Development League team , which plays in the Los Angeles Legends . The team was a sister organization of the USL Premier Development League team , which plays in the Los Angeles legends . 1 +24 . A projective lattice is geometric . ( def ) 24 . A geometric lattice is projective . 0 +We consider differential operators here as a generalization of pseudo-differential operators . Here we view pseudo-differential operators as a generalization of differential operators . 0 +St. James ' ; Parish Church is a member of the Culworth Benefit with Sulgrave and Thorpe Mandeville and Chipping Warden with Edgcote and Moreton Pinkney . Parish St. James is a member of the Benefice of Culworth with Chipping Warden and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . 0 +John Bolling Jr. 's grandson , Colonel Richard Randolph II married William Bolling 's daughter , Mary ( 1775 -- 1863 ) on February 24 , 1798 . On February 24 , 1798 , Colonel Richard Randolph II married the grandson of John Bolling Jr. , William Bolling 's daughter Mary ( 1775 - 1863 ) . 1 +His family moved from Brooklyn to Manhattan later on 110th Street and Amsterdam Avenue . His family later moved from Brooklyn to the 110th Street and Amsterdam Avenue in Manhattan . 0 +"In 1830 , James handed over the management of "" Advertiser to John ." "In 1830 , John handed over the management of "" Advertiser to James ." 0 +Predrag Stevanović ( born 3 March 1991 ) is a Serbian footballer who plays for Wattenscheid 09 . He is an older brother of Aleksandar Stevanović . Aleksandar Stevanović ( born March 3 , 1991 ) is a Serbian footballer who plays for Wattenscheid 09 , an elderly brother of Predrag Stevanović . 0 +Trolley service was proposed from Ellicott City to Baltimore in 1892 , approved on April 20 , 1895 , and implemented in 1899 . Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on 20 April 1895 and implemented in 1899 . 1 +"The administrative district of the same name ( "" správní obvod "" ) consists of the districts of Prague 14 and Dolní Počernice ." "The municipal district ( "" správní obvod "" ) of the same name consists of administrative districts Prague 14 and Dolní Počernice ." 0 +"On 11th October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , called "" Felipe Calderón "" ." "On 11 October 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." 0 +In rural areas , coverage is much higher than in urban areas . Coverage in urban areas is considerably higher than in rural areas . 0 +He is trained by DPRP Aces Partnership , owned by Graham Lee , and his primary jockey was Ferdy Murphy . He is owned by the DPRP Aces Partnership , which was trained by Ferdy Murphy , and his main jockey was Graham Lee . 0 +Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , and in 1559 was Sheriff of London . Sir Martin ( or Roger Martyn ) was Mercer and Lord Mayor of London in 1567 , and in 1559 also Sheriff of London . 1 +He started his cross country and track career at the Boston English High School and continued his career at Boston State College . He began his cross country and track career at Boston English High School and continued his career at Boston State College . 1 +The methodology also avoids long , continuous procedures that require temporary data segments , thus accommodating for short sequences , such as those provided by traditional weather stations . The methodology also avoids traditional procedures that require long , continuous data segments , thus taking short sequences such as those provided by temporary weather stations into consideration . 0 +Additionally , a left-handed team played against MCC ( Marylebone Cricket Club ) in two other games . Additionally , a left-handed team played against Marylebone Cricket Club ( MCC ) in two other games . 1 +Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an American artist and an Italian intellectual . Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an Italian artist and an American intellectual . 0 +The eggs , which are generally two , are marked brown with greenish white and measure about 1.14 cm by 0.77 cm . The eggs , which are generally two in number , are brown marked with greenish white , and measure about 1.14 cm by .77 cm . 1 +In 1988 , Emmis Broadcasting acquired the WNBC license and moved WFAN from 1050 to 660 . In 1988 , WNBC acquired the license of Emmis Broadcasting and moved WFAN from 1050 to 660 AM . 0 +The present church , consecrated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . The current church , built in June 1885 by the bishop of St. Alban , is not the first to be consecrated in East Hanningfield . 0 +Elk Township is located in the 3rd Congressional District and is part of New Jersey 's 2nd state legislative district . El Elk Township is located on the 2nd Congressional District and is part of the 3rd State Legislative District in New Jersey . 0 +Participants in the experimental state were given an initial eye position , followed by a saccade - target position on the picture . Participants in the initial condition were given an experimental eye position , followed by a saccade target position on the picture . 0 +When the fruit is ripe , it appears orange-brown and tastes sweet . When ripe the fruit tastes sweet-brown and appears orange . 0 +If the first upper diagonal is with 2 multiplied main diagonal , it is of the second kind . If the first upper diagonal is the main diagonal multiplied by 2 , it is of the second kind . 1 +The El Arco Mine is a large copper mine in the northwest of Mexico in Baja California . The El Arco mine is a large copper mine located in the north-west of Baja California in Mexico . 0 +kinetic compensation : an increase in the preexponential factors tends to compensate for the increase in activation energy : Kinetic Compensation : An increase in the pre-exponential factors tends to compensate for the rise in activation energy : 1 +"In Europe , he appeared at Le Lido in Paris and sang with Betty Grable in the London West End musical "" Belle Starr "" ." "He sang in Europe at Le Lido in Paris and joined Betty Grable in the London West End Musical "" Belle Starr "" ." 0 +On January 16 , 2018 , Frontier Airlines announced a codeshare agreement with American low-cost carrier Volaris . On 16 January 2018 , Frontier Airlines announced a codeshare agreement with the American low-cost carrier Volaris . 1 +After the plastic has cooled sufficiently , the tool is ejected and the part is opened . After the plastic has cooled sufficiently , the mold is ejected and the part is opened . 0 +Trujillo incorporated elements of native art and hieratic figures in a very contemporary style in his canvases . Trujillo has recorded in his canvases elements of native art and hieratic figures in a very contemporary style . 1 +Leudesius and Theuderic III fled to Baizieux with the royal treasure , where Leudesius overtook it and murdered Ebroin . Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Leudesius overtook them and had Ebroin murdered . 1 +The songs included have changed over the years , as old songs have been removed and new ones have been added . The specific songs included have changed over the years as new songs have been added and old ones have been removed . 0 +The Xinjiang Uyghur Autonomous Region is a river on the Yarkand River in Western China . The Yarkand River is a river in Xinjiang Uyghur Autonomous Region Western China . 0 +"The "" Friends of the School of Art and Design of Putney "" protects the school and promotes the interests of the current students ." "The "" Friends of Putney School of Art and Design "" promotes the School and protects the interests of current students ." 0 +It inhabits rather dry habitat on the border between the Great and Little Karoo of Western Northern Cape and the Eastern Free State Provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of western Northern Cape and eastern Free State provinces , South Africa . 1 +In 1986 , Lesotho supported the coup in South Africa , which brought Justin Lekhanya to power . South Africa supported the coup d 'état in Lesotho in 1986 , which brought Justin Lekhanya to power . 0 +The museum consists of a new information room , a restoration hangar , the main Texas Flying Legends hangar and the Oswin H. Elker Hangar . The museum consists of a new information hall , a restoration hangar , the main hangar Texas Flying Legends and the Oswin H. Elker Hangar . 1 +It was won by Dmitry Andreikin , who defeated Vladimir Kramnik for 2 ½ - 1 ½ in the final match . It was won by Dmitry Andreikin , who defeated Vladimir Kramnik 2 ½ -- 1 ½ in the final match . 1 +In addition to the official Mexican teaching program , the German language has been taught only as a foreign language . The German language was only taught as a foreign language in addition to the official Mexican teaching program . 1 +Hodges begins to suffer from a heart attack and is unable to venture into the concert with Holly and Jerome , but urges them to press on . Holly begins to suffer a heart attack and is unable to venture into the concert with Hodges and Jerome , but urges them to continue . 0 +In 1749 , Boishebert commissioned Acadian Joseph Godin dit Bellefontaine to lead the acadian militia in the region of St. John . In 1749 , Boishebert assigned Acadian Joseph Godin dit Bellefontaine to lead the Acadian militia in the St. John Region . 1 +"The single hardcover "" Definitive Edition "" was also published :" "The Definitive Hardcover "" Single Edition "" was also published ." 0 +In 1923 , a research laboratory for improving light sources , mainly light bulbs , was established at Tungsram Ltd.. In 1923 at Tungsram Ltd. , a research laboratory was established for improving light sources , mainly electric bulbs . 1 +The station is located from Oslo Central Station , south of Moss Station and north of Råde Station . The station is located at Råde Station , south of Oslo Central Station and north of Moss Station . 0 +In 1903 she spoke at the annual conference of the Labour Representation Committee ( later the British Labour Party ) , and was the first woman to do so . In 1903 she spoke at the annual conference of the Labour Representation Committee ( later to the British Labour Party ) and was the first woman to do so . 1 +The Australian state election in 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state legislative assembly . The 1945 Victorian state election was held in the Australian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . 0 +KOTC 36 : Albuquerque was an event held on May 15 , 2004 at the Sky City Casino in Albuquerque , New Mexico , United States . KOTC 36 : Albuquerque was an event at the Sky City Casino in Albuquerque , New Mexico , USA on May 15 , 2004 . 1 +Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively measurable and that space was infinitely divisible . Renée Descartes , the founder of the analytical geometry , believed that the natural world is objectively divisible and that the space is infinitely measurable . 0 +Promegestone is mainly bound to albumin ; it does not bind to sex hormone-binding globulin , and binds only weakly to transcortin . Promegestone is only weakly bound to albumin , it does not bind to gender-binding globulin and binds mainly to Transcortin . 0 +Afterwards , she taught in secondary schools in Derbyshire and then Yorkshire . Afterwards she taught at secondary schools in Yorkshire and then in Derbyshire . 0 +1969 , Army PFC Steven Hohensee won the 10th US Armed Forces championship . In 1969 , Army PFC Steven Hohensee won the 10th US Armed Forces - Championship . 1 +By unanimous decision Dan Barrera defeated Saunders . Dan Barrera defeated Saunders at by unanimous decision . 1 +There are five university hospitals , a military hospital and more than 40 common hospitals and specialist clinics . There are five university hospitals , a military hospital and more than 40 general hospitals and specialist clinics . 1 +Founded in 1899 by Jacob A. Bartles , the town was named after Admiral George Dewey . Founded by Jacob A. Bartles in 1899 , the town was named for Admiral George Dewey . 1 +The festival has traditionally also been observed by non-Hindus , such as Jainas and Newar - Buddhists ( Nepal ) . The festival has traditionally been also observed by non-Hindus , such as by Jains and Newar Buddhists ( Nepal ) . 1 +La Unión is a city in Ezeiza Partido , in the Greater Buenos Aires , Argentina . La Unión is a city in the Greater Buenos Aires , Argentina , in the Ezeiza Partido . 1 +Note also the use of the codice _ 6 attribute to mark the codice _ 13 elements as non-translatable . Also , use the codice 6 attribute to mark the elements codice 13 as non-translatable . 1 +A short biography and brief summaries of Brodsky 's long fiction and critical reception can be found here : A short biography , and brief summaries of Brodsky 's longer fiction and critical reception can be found here : 0 +Following the closure of the Central Australian Railway in December 1974 , the remaining 10 NTs were transferred to the North Australia Railway . After the closure of the North Australia Railway in December 1974 , the remaining 10 NTs were transferred to the Central Australian Railway . 0 +"He introduced to Malayali audiences a new genre of drama known as "" mozhiyattam "" which is a fusion of poetry and theatre ." "He introduced a new Malayali - genre of drama , known as "" Mozhiyattam "" , which is a fusion of poetry and theater , to new audiences ." 0 +The foot provides the cutaneously affected information to the central nervous system through sensory feedback , which originates from the plantar mechanoreceptors within the special surface of the foot . The foot provides the cutaneous afferent information to the central nervous system through sensory feedback , which originates from the plantar mechanoreceptors within the special surface of the foot . 1 +Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated from the East Coast railway . Samata Express is a super quick express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by the East Coast Railway . 0 +Betty , the secretary at McMann and Tate , was played by various actresses , including Jill Foster ( ten appearances ) and Marcia Wallace . The secretary at McMann and Tate was played by various actresses , including Marcia Wallace ( ten appearances ) and Jill Foster . 0 +The change was still in the air in 1969 and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . In 1969 the change was still in the air and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . 0 +The finals took place at Halloween Havoc , where Richard Morton defeated Brian Pillman to become the inaugural champion . The finals took place at Halloween Havoc , where Richard Morton defeated Brian Pillman to become the opening champion . 1 +In 2005 Coach Jorge Torres Nilo selected Jesús Ramírez to participate in the 2005 CONCACAF U17 Tournament held in Culiacán . In 2005 , Trainer Jorge Torres Nilo Jesús Ramírez selected to participate in the CONCACAF U17 Tournament 2005 in Culiacán . 0 +Canadian driver Frog Fagan participated here ; he started in 14th place and ended in 13th place . Here the Canadian driver participated , Frog Fagan , who started in 13th place and ended in 14th place . 0 +Moreover , many Angika speakers in the Persian Gulf , the United Kingdom , the United States , Canada , and other countries have emigrated . In addition , many Angika speakers in the Persian Gulf have emigrated to the United States , Canada , the United Kingdom and other countries . 1 +Genesee College was founded as the Genesee Wesleyan Seminary , in 1831 , by the Methodist Episcopal Church . The Genesee College was founded in 1831 by the Methodist Episcopal Church as a seminary in Genesee . 1 +Critics , however , claimed that Pershing was commanded by far behind the lines and critical of commanders who personally led troops to battle . Critics , however , claimed that Pershing led from far behind the lines and was critical of commanders who personally commanded troops into battle . 1 +It also adds the personality of the character Audrey Hepburn , played by Holly Golightly . It also adds to the personality of the character Holly Golightly , played by Audrey Heppurn . 0 +The music was composed by M. S. Viswanathan and lyrics was written by Poovachal Khader . The music was composed by M. S. Viswanathan and the lyrics by Poovachal Khader were written . 1 +The subsequent versions of localized games use the current naming convention instead . The localized versions of subsequent games instead use the current designation convention . 0 +The actress Manuela do Monte portrays Carol in the Brazilian version of the 2013 series . Actress Manuela do Monte portrays Carol in the 2013 Brazilian version of the series . 1 +In 1974 it became a municipality of the first category and in 1979 a third-class community . In 1974 it became a municipality of the first category and in 1979 a third-class municipality . 0 +The manuscript was bought by Edward Everett of Constantinople in 1819 to America along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett in 1819 , together with six other manuscripts , from America to Constantinople ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +The mouth may be apical or ventral , with more or less prominent associated polykinetides . The mouth may be prominent , with more or less apical or ventral associated polykinetids . 0 +The idea of the ensemble is discussed further in the article Statistical ensemble ( mathematical physics ) . The idea of the ensemble is further discussed in the article Statistical Ensemble ( Mathematical Physics ) . 1 +At the Anglo-Chinese School he took night classes about the English language . He took night classes on the English language at the Chinese-Anglo School . 1 +During the American Revolution , the northern part of Hempstead was primarily Tory , while the southern part , settled by Yankees , supported the revolution . During the American Revolution the southern part of Hempstead was primarily Tory , while the northern part , having been settled by Yankees , supported the revolution . 0 +The makeshift canoe was recovered by staff from the Bull Creek in 1975 and is now on display at the Aviation Heritage Museum in Western Australian Museum . The makeshift canoe was born in 1975 by staff from Bull Creek and is now exhibited in the Aviation Heritage Museum at the Western Australian Museum . 1 +Dr. Carter remains in Africa for several months and works in the AIDS clinic in Kem . Dr. Carter worked for several months in Africa and remains at the AIDS clinic in Kem . 0 +He had been in the state playing for New Town , but moved to Victoria in 1925 and established himself for Melbourne . He had been in the state playing for Melbourne but in 1925 moved to Victoria and lined up for New Town . 0 +To set a piston , the organist must press and hold the desired piston while drawing the desired stops . To press and hold a piston , the organist must set the desired piston while pulling the desired stops . 0 +The Beatles ' biographer , Philip Norman , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . Philip Norman , the Beatles ’ biographer , wrote that Charles Sutcliffe was a strong drinker and physically cruel to his wife , which the young Sutcliffe had observed . 1 +The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengals during the 2014 Basketball season -- 15 NCAA Division I mens . The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the Basketball season 2014 -- 15 NCAA Division I men . 0 +The flag of Sri Lanka , was adopted for the Western Province of Western Province in 1987 . The flag of the Western Province , was adopted in 1987 for the western province of Sri Lanka . 0 +"His role is played by Bernard Le Coq , in Oliver Stone - Film "" W. "" and in "" The Conquest "" by Charles Fathy ." "His role is played by Bernard Le Coq in the Oliver Stone film "" W. "" and in "" The Conquest "" by Charles Fathy ." 1 +Tame Parata ( 1837 - March 6 , 1917 ) , also known as Thomas Pratt , was a Māori and a liberal party member of New Zealand . Thomas Thomas Pratt ( 1837 - March 6 , 1917 ) , also known as Tame Parata , was a Māori and a liberal party member in New Zealand . 1 +It only comes in standard black , although a white version has been released worldwide in Japan . It comes in standard black worldwide , although a white version was released in Japan only . 0 +An alternative extension to compact groups is the Peter -- Weyl theorem , which proves results about representations of compact groups analogous to those about finite groups . An alternative extension to compact groups is the Peter -- Weyl -- Theorem , which shows results about representations of compact groups analogous to those about finite groups . 1 +In 1871 , for health reasons , he moved to Santa Barbara , where he first settled in Southern California . He moved to Southern California for health reasons in 1871 , where he first settled in Santa Barbara . 0 +Because a linear combination with integer coefficients of algebraic integers is again an algebraic integer , this proves the statement . Since a linear combination with integer coefficients of algebraic integers is an algebraic integer , this proves the statement . 1 +"was introduced first by Bharathiraja in the film "" Alaigal Oivathillai "" ." "Karthik was first introduced by Bharathiraja in the film "" Alaigal Oivathillai "" ." 1 +The Piatra Caprei River is a tributary of the Sâmbăta River in Romania . The river Sâmbăta is a tributary of the River Piatra Caprei in Romania . 0 +The Buzăiel river is a tributary of the River Tătaru in Romania . The Buzăiel River is a tributary of the Tătaru River in Romania . 1 +The show was premiered at the Theatre Royal in Newcastle on March 27 , 2012 , directed by Ed Curtis and choreographed by Nick Winston . The show was staged by Nick Winston on 27 March 2012 at the Theatre Royal in Newcastle and choreographed by Ed Curtis . 0 +The task of philosophy is to clarify the empirical relationships of logical phrases . The task of philosophy is to clarify the logical relationships of empirical propositions . 0 +Startforth Rural District was a historic district in the North Riding of the rural county of Yorkshire in the Pennines of Northern England . Startforth Rural District was a historic district in North Riding in the rural county of Yorkshire in the Pennines of Northern England . 1 +At the age of 14 Dunkerton withdrew from Herefordshire to London . Dunkerton moved to London from Herefordshire at the age of 14 . 1 +Llewellyn , Campbell Town , Tasmania is a small village in Somerset Land District , on the road from Tasmania to the eastern coast . Llewellyn , Campbell Town , Tasmania is a small village in the Somerset Land District , on the road from Tasmania to the east coast . 1 +"His role in "" The Mechanic "" was worked positively by critics in both the United States and the United Kingdom ." "His role in "" The Mechanic "" was revived positively by critics in both the United Kingdom and the United States ." 1 +When his family from Italy , Rodolpho and Marco , begin to migrate and live with him illegally , the small world in which he operates is destroyed . When his family from Italy , Rodolpho and Marco , migrate illegally and begin to live with him , the small world that he operates in is disrupted . 1 +"On 6 December 1805 , Pearce defeated Jem Belcher in a Championship decider ( a fight reported in Pierce Egan 's first volume of "" Boxiana "" ) ." "On December 6 , 1805 , Pearce Jem Belcher defeated a championship decider ( a battle reported in Pierce Egan 's first volume of "" Boxiana "" ) ." 0 +"Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish - Finnish soprano ." "Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish-Finnish soprano ." 1 +Most of them settled in London , with the largest community in Toronto , followed by those in Hamilton , Ontario and Kingston . The majority of them settled in London , with the largest community in Toronto , followed by those in Hamilton , Ontario and Kingston . 1 +""" Almost every poem by Amichai is a statement about the general human condition and Amichai is , in a sense , always a philosophical poet "" ." """ Almost every poem by Amichai is a statement about the universal human condition "" and Amichai is always a certain poet in the philosophical sense ." 0 +Summer droughts are erratic , but frequent . Droughts in summer are frequent , but erratic . 0 +Seremban is part of the Nilai constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Nilai is part of the Seremban constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 0 +Aldred was born in Flint , Michigan . He graduated in 1986 from Hill McCloy High School in Montrose , Michigan , a rural town just north of Flint . Aldred was born in Flint , Michigan , and graduated from the Hill McCloy High School in Montrose , Michigan in 1986 , a rural town north of Flint . 1 +The New Mexico State Legislature is the upper house of New Mexico Senate . The New Mexico Senate is the upper house of the New Mexico State Legislature . 0 +In 2016 , 3.9 % of children attended bilingual primary schools . In 2016 , 3.9 % of children attended primary schools in bilingual education . 0 +"Although A . A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony in "" The Observer "" was more critical and A . A. Gill of "" The Sunday Times "" was unimpressed ." 0 +Karl Gustaf Westman was the son of the postmaster Carl Johan Westman and Tonny ( Andersson ) Westman . Johan Westman was the son of the postmaster Karl Gustaf Westman and of Tonny Westman ( Andersson ) . 0 +Cory S. Sheffield described the species in 2013 and named the name in honor of Noam Chomsky . Noam Chomsky described the species in 2013 and named the specific name in honor of Cory S. Sheffield . 0 +In 1891 he became Professor of General and Analytical Chemistry and in 1903 a Professor of Inorganic Chemistry . In 1891 he became professor of inorganic chemistry and in 1903 a professor of general and analytical chemistry . 0 +He died on 18 June 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . He died in Melbourne , Florida , on June 18 , 1936 . He was buried in Daytona Beach , Florida . 1 +John Franklin Armstrong was born on 14 November 1819 at Lincoln County , Tennessee , the son of William Armstrong and Mary W. I. Monroe . William William Armstrong was born on 14 November 1819 in Lincoln County ( Tennessee ) as son of John Franklin Armstrong and Mary W. I. Monroe . 0 +""" Representation in the fictional world signifies social existence ; absence means symbolic annihilation . """ """ Representation in the fictional world means social existence , absence means symbolic annihilation ." 1 +Mount Morris Township is located in Ogle County , Illinois . Mount Morris Township is located in the Ogle County , Illinois . 1 +Neighboring municipalities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . Neighboring communities are Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . 1 +"Alexandra Crandell was credited with "" Adam 's girlfriend "" , while Samantha Swetra was marked as "" Whitney 's friend "" ." Adam w 0 +Pat Cash and Patrick Rafter won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth . Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 in the final against Pat Cash and Patrick Rafter . 0 +He was the 1st Governor of Cebu , who once became a Governor of Samar in the early 1900s . He became the first governor of Cebu , who in the early 1900s was a governor of Samar . 0 +The ditch was cut out of rock and about 5 m deep and 4 to 5 m wide . The ditch was cut from rock and was about 5 m wide and 4 to 5 m deep . 0 +Aman is in love with Neha ( Boman Irani ) , daughter of Mr. Patel ( Nandana Sen ) , a conventional Gujarati . Aman is in love with Neha ( Nandana Sen ) , the daughter of Mr. Patel ( Boman Irani ) , a conventional Gujarati . 0 +Yves Préfontaine ( born February 1 , 1937 in Quebec ) is a Canadian writer in Montreal , Quebec , Canada . Yves Préfontaine ( born February 1 , 1937 in Montreal , Quebec ) is a Canadian writer who lives in Quebec . 1 +Margarita Isabel Morales y González ( born Margarita Isabel , July 25 , 1941 -- April 9 , 2017 ) was a Mexican Ariel Award - winner , actress , film and television actress . Margarita Isabel ( born Margarita Isabel Morales y González ; 25 July 1941 -- 9 April 2017 ) was a Mexican Ariel Award-winning film and television actress . 1 +A complete edition was published in Edinburgh in 1862 -- 1864 , in seven volumes by Alexander Grosart , with a biographical memoir by James Nichol . A complete issue was published in 1862 -- 1864 in Edinburgh , in seven volumes by James Nichol , with a biographical memoir by Alexander Grosart . 0 +He won three all-Dublin medals for Ireland in 1977 , 1976 , in 1974 . He won three all-Ireland medals for Dublin in 1977 , 1976 , 1974 . 0 +The weather in winter is moderately warm and cold in summer . The weather is moderately warm in winter , cold in summer . 1 +It also inhibits the peripheral , though not central secretion of oxytocin and vasopressin in rats . It also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin in rats . 0 +Mammootty won the Special Mention Kerala State Film Awards in 1985 and secured the film fare award for his role as Ravi Varma . Mammootty won the Special Mention in 1985 Kerala State Film Awards and secured Filmfare Award for his role as Ravi Varma . 1 +Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on February 19 , 1970 . Gérard Depardieu was born to a wealthy Parisian family and married on February 19 , 1970 with Élisabeth Dominique Lucie Guignot . 0 +"In 1997 , DeMille first appeared in Corey 's novel "" Plum Island "" ." "DeMille first appeared in Corey 's novel "" Plum Island "" , in 1997 ." 1 +Following the death of David Neale in December 2005 , Paul Britton was named Chief Executive . 2006 : Paul Britton was appointed Chief Executive following the death of David Neale in December 2005 . 1 +He has performed at the Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach festivals . He performed at the festivals of Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . 0 +The album was recorded in six different sessions at both Santa Monica Sound Records in Santa Monica , California and Westlake Recording Studios in Los Angeles . The album was recorded in six different sessions , both in Santa Monica Sound Records in Los Angeles and at Westlake Recording Studios in Santa Monica , California . 0 +Neurological problems are expressed as either hard signs , or diagnosable disorders , such as epilepsy or other seizure disorders , or soft signs . Neurological problems are expressed either as hard signs or diagnosable disorders such as epilepsy or other attack disorders or soft signs . 1 +Serkan Yalçan ( born November 2 , 1982 ) is a Turkish football professional who plays as a defender for the TFF First League in Akhisar Belediyespor . Serkan Yalçın ( born 2 November 1982 ) is a Turkish professional footballer , who plays as a defender for TFF First League in the Akhisar Belediyespor . 1 +Its eastern terminus also serves as the northern terminal of SR 531 in Conneaut . Its northern terminus also serves as the eastern terminus of SR 531 in Conneaut . 0 +Gérard Depardieu was born to a wealthy Parisian family and married on February 19 , 1970 with Élisabeth Dominique Lucie Guignot . Élisabeth Dominique Lucie Guignot was born to a well-off Parisian family and married Gérard Depardieu on 19 February 1970 . 0 +Needs are also developed according to the existential categories of being , having , doing and interacting , and from these dimensions a 36 - cells - matrix is defined . Needs are also defined according to the existential categories of being , having , doing and interacting , and from these dimensions , a 36 cell matrix is developed 0 +The music was composed by ONV Kurup and Vayalar Ramavarma and lyrics was written by G. Devarajan . The music was composed by G. Devarajan and the lyrics by ONV Kurup and Vayalar Ramavarma were written . 0 +Strikingly , both childless parents were judged as less competent for the job than male and female applicants . Strikingly , both childless parents were judged to be less competent for the job than male and female applicants . 1 +The Predator has been licensed for sale to Egypt , Morocco , Saudi Arabia and the UAE . The Predator has been licensed for sale to Egypt , Morocco , Saudi Arabia , and UAE . 1 +His wordless novels have influenced the development of the graphic novel . His wordless novels influenced the development of the graphic novel . 1 +Clifton Smith punted , and Nick Harris returned the punt 70 yards for a touchdown . Clifton Smith punted , and Nick Harris returned the punt to 70 yards for a touchdown . 1 +Sara Varga Madeleine Jonsson ( born 14 April 1982 ) , known professionally as Sara Varga , is a Swedish vispop singer , songwriter , author , and DJ . Sara Varga Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , professionally known as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . 1 +State Route 223 or SR-223 is a route that serves as a connection between Union Springs in Pike County with Banks in Bullock County . Route 223 or SR-223 is a route that serves as a connection between Union Springs in Pike County with banks at Bullock County . 1 +For decades there was rivalry between Herbert Rhodes , his friend Edward Partington , and the Woods and Sidebottoms . For decades , there was a rivalry between Herbert Rhodes , his friend Edward Partington , and the Woods and Sidebottoms . 1 +Inside there are colonial objects , including an old church bell of 1801 and historical paintings and photographs . Inside there are historical objects , including an old church bell from 1801 and colonial paintings and photographs 0 +Bob Blake did not play in the first year of Dan McGugin in 1904 , but resumed play on the team of 1905 . Bob Blake did not play in Dan McGugin 's first year of 1904 , but resumed play on the 1905 team . 1 +It is located in the eastern end of Montgomery County and is south of the City of Amsterdam , which it borders . It is situated in the eastern end of Montgomery County and is south of the city of Amsterdam which borders it . 1 +Juan Carlos Ferrero won in the final 7-6 , 6-2 , against Guillermo Cañas . Juan Carlos Ferrero won 7-6 , 6-2 against Guillermo Cañas in the finals . 1 +The teleplays were written by Anya Epstein and David Simon , based on a story by Tom Fontana , Julie Martin and James Yoshimura . The television games were written by Anya Epstein and David Simon , based on a story by Tom Fontana , Julie Martin and James Yoshimura . 1 +Born December 15 , 1850 in Walkill in upstate New York , Seymour came to Bayonne , New Jersey in the 1880s and became active in Democratic Party politics . Seymour , born December 15 , 1850 in Walkill , New York , arrived in the 1880s to Bayonne , New Jersey , and became active in the Democratic Party politics . 1 +Thrapston ( Bridge Street ) was launched on the former LNWR Northampton to Peterborough line . Thrapston ( Bridge Street ) was on the former LNWR Northampton to Peterborough line . 1 +"According to the Miramar Ship Index , "" Baie St. Paul "" has a gross tonnage number of 24,430 tons and a capacity of 37,690 tons ." """ Baie St. Paul "" has a gross tonnage of 24,430 tons and a deadweight tonnage of 37,690 tons according to the Miramar Ship Index ." 1 +She married Antonio Bourque and lived in Shediac first before returning to the Villa Providence in Moncton . She married Antonio Bourque , and first lived in Shediac before retiring to Villa Providence in Moncton . 1 +From 1898 to 1902 , some 1,300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . From 1898 to 1902 , around 1,300 birds were imported from America and released from Northland to Southland in many parts of the North and South Islands . 0 +Saptarshis list : Kashyapa , Atri , Vashista , Angira , Vishnu , Agastya , Bharadvaja . During Vaivasvata-manvantara , Lord Gautama 's avatar is called Vamana . Saptarshis - List : Kashyapa , Atri , Vashista , Angira , Vishnu , Agastya , Bharadvaja During Vaivasvata-Manvantara is called the avatar of Lord Gautama Vamana . 1 +Riggs was born in Atlanta , Georgia , the son of William Riggs ( née Carlton ) and Gina Ann . He has a younger brother , Grayson . He was born in Atlanta , Georgia , the son of Gina Ann ( b. Carlton ) and William Riggs , and has a younger brother , Grayson . 0 +Raumanga is a suburb of Whangarei in the Northland region of New Zealand . The main campus of Northland Polytechnic is in Raumanga . is a suburb of Raumanga in the Northland region in New Zealand . The main campus of Northland Polytechnic is in Whangarei . 0 +The renovation of the building was completed in spring 2008 and inaugurated on 17 April 2008 under the new name of William E. Macaulay Honors College . The building 's renovation was completed in Spring 2008 and dedicated under the new name of William E. Macaulay Honors College on April 17 , 2008 . 1 +"He also gained popularity by replacing Adam Rodriguez with "" and Archie Kao on "" ." "He gained popularity also by replacing Adam Rodriguez on "" , and Archie Kao on "" ." 1 +The membership figures for TSFL are available , but the following figures are fragmentary . Membership figures for the TSFL are available , but the following numbers are fragmentary . 1 +Abbie Carmichael ( played by Jamie Ross ) replaced Carey Lowell ( Angie Harmon ) of season 8 in the role of the Assistant District Attorney . Abbie Carmichael ( played by Angie Harmon ) replaced season 8 's Jamie Ross ( Carey Lowell ) in the role of Assistant District Attorney . 0 +Puran Singh was born in Delhi , India to Mr. Ravi Singh and Smt . Puran Singh was born in Delhi , India , to Mr. Ravi Singh and to Smt . 1 +Main partners of the Festival are Parmigiani Fleurier , Manor , Heineken , Vaudoise Assurances and UBS . The festival 's main partners are UBS , Manor , Heineken , Vaudoise Assurances and Parmigiani Fleurier . 1 +Interleukins are a group of cytokines ( secreted proteins and signal molecules ) that were first saw to be expressed by white blood cells ( leukocytes ) . Interleukins are a group of cytokines ( expressed proteins and signal molecules ) that were first seen to be secreted by white blood cells ( leukocytes ) . 0 +"The novella was translated into English by Roger Senhouse and published ( with "" The Cat "" translated by Antonia White ) in 1953 ." "The novel was translated by Roger Senhouse into English and published in 1953 ( with "" The Cat "" by Antonia White ) ." 1 +In the early 1930 ’ s , Franklin moved from Los Angeles to New York City to work as a costume designer for Hollywood films . In the early 1930s Franklin moved from New York City to Los Angeles to work as a costume designer for Hollywood films . 0 +The northern town of Beit Zakariah , in ancient Judea , is identified with the ruins of Khirbet Zechariah , less than a kilometer north of Alon Shvut . The ancient city of Beit Zakariah , in northern Judea , is identified with the ruins of Khirbet Zechariah , less than a kilometer north of Alon Shvut . 0 +He helps everyone get a good night 's sleep and have sweet dreams and often talks with a yawning voice . He helps everyone get a good night 's sleep and have sweet dreams and often speaks with a yawning voice . 1 +However , the Council 's weak legislative approach only makes it a very functional review mechanism . The Council 's functional design , however , makes it only a very weak legislative review mechanism . 0 +Rich food sources , as long as they are promoted as profitable , will be evaluated by the scouts when they return to the hives . As long as they are advertised as profitable , rich food sources will be evaluated by the scouts when they return to the hive . 1 +"In 1654 , Oliver Cromwell , the Irish parliament , gave a free hand to banish the British "" undesirables ." "In 1654 the British parliament gave Oliver Cromwell a free hand to banish Irish "" undesirables "" ." 0 +Jarvis Bay is a summer village in Alberta , Canada , located on the eastern shore of Jarvis Bay Provincial Park , south of Sylvan Lake . Jarvis Bay is a summer village in Alberta , Canada . It is located on the eastern shore of Sylvan Lake south of Jarvis Bay Provincial Park . 0 +His graphic novels have affected the development of the wordless novel . His wordless novels have influenced the development of the graphic novel . 0 +She graduated in 1983 from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . She graduated in 1983 from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . 0 +For the recording of this album , a new drummer , Heyden Wilson , joined the band , as did a second guitarist Dave Traves . A new drummer , Heyden Wilson , joined the band for recording this album , as did a second guitarist , Dave Traves . 1 +Ralph Peterson married the writer Joel Patterson in 1946 and their son , Lucas ( 1957 -- 2017 ) , became a cinematographer . In 1946 , Ralph Peterson married the writer Joel Patterson and her son Lucas ( 1957 -- 2017 ) became a cinematographer . 1 +Another Jesuit from England , William Good joined Daniel soon after , though they had a turbulent relationship . William Good , another Jesuit from England , joined Daniel soon , though she had a turbulent relationship . 1 +His son , Herbie Matthews , later won a Brownlow Medal and his grandson of the same name also played with South Melbourne . His son , Herbie Matthews , later won a Brownlow medal and his grandson of the same name was also playing with South Melbourne . 1 +Konstantin Airich ( born November 4 , 1978 ) is a Kazakh - German heavyweight boxer , born in Astana , Kazakhstan , in Hamburg , Germany . Konstantin Airich ( born 4 November 1978 ) is a Kazakh-born German heavyweight boxer born in Astana , Kazakhstan and based in Hamburg , Germany . 1 +John Carter lost in 6 -- 2 the third round of the UK Championship against John Higgins . John Higgins lost the third round of the UK Championship against Carter in 6 -- 2 . 0 +A Bob Monkhouse comic strip drawn by Jill Day was published in Star Comics ( 1954 ) , edited by Gifford and Denis Gifford . Bob Monkhouse - Comic , drawn by Jill Day , was released in Star Comics ( 1954 ) , published by Gifford and Denis Gifford . 1 +Brusio is a municipality in the Bernina region of the Canton Graubünden , Switzerland . Brusio is a municipality in the Bernina Region in the canton of Graubünden in Switzerland . 1 +The free tetracubes made of two complete sets of corresponding tetrominos can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes . The free tetracubes from two complete sets of corresponding tetrominoes can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes . 1 +""" Pogonodon "" was described in 1880 by Edward Drinker Cope , two species are known : "" P. davisi "" and "" P. platycopis "" ." """ Pogonodon "" was recognized in 1880 , by Edward Drinker Cope . Two species are described , "" P. davisi "" and "" P. platycopis "" ." 0 +His family later moved from Brooklyn to Manhattan in 110th Street and Amsterdam Avenue . His family moved from Brooklyn to Manhattan later on 110th Street and Amsterdam Avenue . 1 +Blackburn was called to the Atlanta Braves on July 1 , 2017 to give his debut in the Major League against Oakland Athletics . Blackburn was called up to the Atlanta Braves to make his major league debut on July 1 , 2017 , against the Oakland Athletics . 1 +Garzelli , without being a permanent attacker , was very good and could go on a great day with the best climbers . Without a big attacker , Garzelli was very constant and could go with the best climbers on a good day . 0 +He lived near Addiscombe , in Croydon , until his death on July 11 , 1851 at the age of seventy years . He lived near Croydon , at Addiscombe , until his death on 11 July 1851 , at the age of seventy . 0 +In versions of the Renaissance , Ogier travels to the Avalon governed by Morgan le Fay and eventually becomes King Arthur 's parade . Ogier in versions of the Renaissance travels to the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's paramour . 0 +Pittinger 's group consisted only of 800 SA - men , while Hitler was present with 30,000 men . Pittinger 's group consisted only in 800 SA men , while Hitler was present with 30,000 . 1 +Daily lost his left hand in a gun accident as a child , and Abbott was born without a right hand . As a child , Daily lost his right hand in a weapons accident , and Abbott was born without a left hand . 0 +Robert Morris Ogden was born on July 6 , 1877 in Binghamton , New York . His father was James Sherman Ogden and his mother , Beulah Maria Carter . Beulah Maria Carter was born on 6th July 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Robert Morris Ogden . 0 +Montenegro is a municipality in the western part of the department of Quindío , Colombia . It is located 10 km west of the departmental capital Armenia . It is a municipality located in the western part of the department of Montenegro , Colombia , 10 km west of the district capital Armenia . 0 +He has a son , Seamus , who mentions , but never is seen in the series . He has a son , Seamus , who is seen , but is never mentioned in the series . 0 +He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and attended the High School for Reception Arts in St. Paul , Minnesota . He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and attended the High School for Reception Arts in Minneapolis , Minnesota . 0 +However , Pérez was only involved in three team games in IWA Japan , focusing instead on the AAA - promotion of Victor Quiñones . However , Pérez was only involved in three team matches in AAA , instead focusing on Victor Quiñones IWA Japan promotion . 0 +Azaloxan ( CGS-7135A ) is a medication that was patented by Ciba-Geigy in the early 1980s as an antidepressant , but was never marketed . Azaloxan ( CGS-7135A ) is a drug which was marketed as an antidepressant by Ciba-Geigy in the early 1980s , but was never patented . 0 +Due to Agha Mohammad Khan 's castration , his brother Hossein Qoli Khan was appointed as the new chieftain of the Qoyunlu instead . Due to the castration of Hossein Qoli Khan , his brother Agha Mohammad Khan was instead appointed the new Qoyunlu chief . 0 +In 1956 , Charlotte Popescu married Julian Popescu and had four children , including Christine , who also wrote child pony books . Christine married Julian Popescu in 1956 and had four children , including Charlotte Popescu , who also wrote children 's pony books . 0 +The energy density of methanol is an order of magnitude greater than even highly compressed hydrogen , and 15 times higher than Lithium-ion batteries . The energy density of methanol is an order of magnitude higher than even heavily compressed hydrogen and 15 times greater than that of lithium-ion batteries . 1 +After 1873 , as part of national banditry , he was covered by the social media . After 1873 he was covered by the national media as part of social banditry . 0 +The Huánuco region is the largest of the eleven provinces of the Province of Puerto Inca , Peru . The Puerto Inca Province is the largest of eleven provinces of the Huánuco Region in Peru . 0 +John Franklin Armstrong was born on 14 November 1819 at Lincoln County , Tennessee , the son of William Armstrong and Mary W. I. Monroe . William William Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , the son of John Franklin Armstrong and Mary W. I. Monroe . 0 +His descendant of many other people , his father fought at war and decided to stay in Paraguay when it ended , like the Brazilian soldiers at the time . Descendant of Brazilian people , his father fought in the war and once it ended , decided to stay in Paraguay , like many other soldiers at the time . 0 +Patella swakopmunden sis is a kind of sea snail , a true limpet , a true gastropod mollusk in the Patellidae family , one of the families of the marine limpets . Patella swakopmundensis is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Patellidae , one of the families of true limpets . 0 +In June of 1921 , the giants sold Perritt to the Detroit Tigers . In June of 1921 , the Detroit Tigers sold Perritt to the Giants . 0 +The 1990 Philadelphia Wings season marked the second season of the team 's operations and fourth league championship . The 1990 Philadelphia Wings season marked the fourth season of the team operation and second championship . 0 +Other actors include Avtar Gill , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Anang Desai . Other actors include Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Avtar Gill , and Anang Desai . 1 +This theory did not explain the observed instability of colloidal dispersions against irreversible aggregation in solutions of high ionic strength . This theory did not explain the observed instability of irreversible dispersions against colloidal aggregation in solutions with high ionic strength . 0 +Deepak Chand Lall , who lives in ( New Jersey ) Meena Gupta ( Kolkata ) and Madhuri Jaiswal ( Mumbai ) . Deepak Chand Lall lives in ( New Jersey ) Meena Gupta ( Mumbai ) and Madhuri Jaiswal ( Kolkata ) 0 +Balıklı is a village in the district of Gümüşhacıköy , Turkey , province Amasya . Balıklı is a village in the District of Gümüşhacıköy , Turkey , Amasya Province . 1 +Richard I 's mother , according to Robert of Torigni , was Duvelina , sister of Gunnora , concubine of Humphrey , Duke of Normandy . According to Robert von Torigni , the mother of Humphrey Duvelina , sister of Gunnora , was a concubine of Richard I , duke of Normandy . 0 +"The seven "" Doctor "" films were developed from books produced by Ralph Thomas and directed by Betty Box ." "The seven "" Doctor "" films were developed from the books , produced by Ralph Thomas and directed by Betty Box ." 1 +In 1970 , the Gay Liberation Front sponsored one of the same openly announced first-sex mixers in Chicago at the dormitory . In 1970 , the Gay Liberation Front sponsored one of the first openly announced same-sex mixers in Chicago in dormitory . 0 +The problem of testing whether a given polynomial is a permutation polynomial over a polynomial field can be resolved in time . The problem of testing whether a given polynomial over a polynomial field is a permutation polynomial can be solved in finite time . 1 +Henderson assumed command of Rosario , replacing William Henderson in June 1813 . "Henderson assumed command of "" Rosario "" , replaced William Henderson in June 1813 ." 1 +"The names "" googol "" and "" googolplex "" were invented by Newman 's nephew , Milton Sirotta , and introduced in Kasner and Edward Kasner 's 1940 book ." "The names "" Googol "" and "" Googolplex "" were invented by Newman 's nephew Milton Sirotta and introduced in 1940 to the book of Kasner and Edward Kasner ." 1 +The river Bota Mare is a tributary of the Zăbrătău River in Romania . The river Zăbrătău is a tributary of the Bota Mare river in Romania . 0 +It is important to achieve the thermal regime of the Quantum Oscillator , where mechanical noise effects become negligible on the device . It is important for reaching the thermal regime of the quantum oscillator , where mechanical noise effects on the device become negligible . 1 +The first edition of the tournament won Eduardo Schwank versus Ricardo Mello with 6 -- 4 , 6 -- 2 in the final . Ricardo Mello won the first edition of the tournament against Eduardo Schwank 6 -- 4 , 6 -- 2 in the final . 0 +The Athelas Sinfonietta Copenhagen is a Copenhagen-based Danish chamber ensemble specializing in the performance of modern compositions . Athelas Sinfonietta Copenhagen is a Copenhagen-based , modern chamber ensemble specializing in the performance of Danish compositions . 0 +He was a viceroy of Catalonia and of Sicily . He was viceroy of Catalonia and of Sicily . 1 +The state of unrest in Hungary began to spread into Poland . The state of unrest in Poland began to spread to Hungary . 0 +The longer-produced heavy isotopes of bohrium , lived as the daughters of heavier elements , offer advantages for future radiochemical experiments . The longer-lived heavy isotopes of Bohrium , produced as daughters of heavier elements , offer advantages for future radiochemical experiments . 0 +Knowing that her son accidentally burned Jesse , Madeline , like Fiona , expresses her dislike for all the lies that Michael continues to tell Jesse . Madeline , like Fiona , who knows that her son Jesse has accidentally burned , expresses her dislike for all the lies that Michael continues to tell Jesse . 1 +He attended the William Penn Charter School until Junior - year , then moved with his family to New York in Long Island . He attended the William Penn Charter School through junior year , then moved with his family to Long Island in New York . 0 +6 were from California , 35 from Nevada , 13 from other states , and 4 from Canada . Six came from Nevada , 35 from California , 13 from other states and four from Canada . 0 +Most pink horses , however , have white skin and some have blue eyes . However , most white horses have pink skin and some have blue eyes . 0 +Still others add coordinate lines and constellations , other slides , laser ads and photographic images . Still others add coordinate lines and constellations , other slides , laser displays , and photographic images . 1 +Another set of hidden concepts used by Mahayana Buddhists are the four hermeneutical intentions ( abhipraya ) and the four special intentions ( abhisamdhi ) . Another series of hidden concepts used by Mahayana - Buddhists are the four hermeneutical intentions ( abhipraya ) and the four special intentions ( abhisamdhi ) . 1 +Meanwhile , the same language ( for the reintegrationist view ) remained fully official in Portugal and was carried across the world by Portuguese explorers , soldiers and colonists . Meanwhile , the official language ( for the same view ) in Portugal remained fully reintegrationist , and was carried all over the world by Portuguese explorers , soldiers , and colonists . 0 +The Portneuf River is a long tributary of Marsh Creek at Bannock County , Idaho . Portneuf River is a long tributary of the Marsh Creek in Bannock County , Idaho . 1 +At this time , the Nova Scotians lived in Eastern Freetown and the Jamaican Maroons were situated in Western Freetown . At this time , the Nova Scotians lived in Western Freetown and the Jamaican Maroons were in Eastern Freetown . 0 +The 500 Hispanic settlers who had lived near San Antonio had to resettle in Los Adaes in 1773 . The 500 Hispanic settlers who had lived near Los Adaes had to relocate in San Antonio in 1773 . 0 +For the first time since 1956 , the Eastern Conference Finals had neither the Celtics nor the Knicks involved . For the first time since 1956 , the Eastern Conference Finals had neither the Knicks nor Celtics participating . 1 +She left London on 1 January 1829 for Sydney via Madras . She left London on January 1 , 1829 via Madras to Sydney . 1 +Originally acquired by Eli Lilly , oritavancin was discovered and developed by InterMune in 2001 and then by Targanta Therapeutics in late 2005 . Originally taken over by Eli Lilly , oritavancin was discovered and developed by InterMune in 2001 and in late 2005 by Targanta Therapeutics . 1 +She left London on January 1 , 1829 via Madras to Sydney . She left Sydney on 1 January 1829 via Madras to London . 0 +Members of the G.723.1 patent pool are AudioCodes , France Télécom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . Members of the G.723.1 patent pool are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . 1 +The Atlantic Bronze Age was defined by a number of distinct regional centres of metal production , unified by a regular maritime exchange of some of their products . The Atlantic Bronze Age was unified by a number of regional metal production centers defined by a regular maritime exchange of some of their products . 0 +Union City Police Chief of Staff is Richard Molinari , a resident of Union City , who replaced former Chief Executive Brian Barrett . Union City 's Chief of Police is Richard Molinari , a Union City resident who replaced former Chief Brian Barrett . 1 +"He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" , with the first mention mistakenly calling his father James Hinton ." "He is mentioned twice in James Hinton 's novel "" Moonchild "" , the first mention being mistakenly called his father , Aleister Crowley ." 0 +The JieT is a tributary of the River Slivei in Romania . The Jieţ is a tributary of the Slivei River in Romania . 1 +Graham Bayne ( born 22 August 1979 ) is a Scottish professional footballer who currently plays for Elgin City , where he is also Assistant Manager . Graham Bayne ( born August 22 , 1979 ) is a Scottish football professional who currently plays for Elgin City , where he is also Assistant Manager . 1 +Or should they continue to be used int , and instead dereferenced that version ? Or should they be further dereferenced to int and used this version instead ? 0 +As of 2017 , Akamai Technologies shares are mainly held by institutional investors ( The Vanguard Group , BlackRock , Capital Group Companies and others ) . The shares of Capital Group Companies are mainly held by institutional investors ( The Vanguard Group , BlackRock , Akamai Technologies and others ) from 2017 onwards . 0 +In addition , it damaged 340 houses and destroyed 12 , most of which were in Collier County . In addition , it damaged 340 houses and destroyed 12 , most of them in Collier County . 1 +Within California , it is a Rare and Endangered species listed on the California Native Plant Society Inventory of Vulnerable Plants . Within California , it is a rare and endangered species listed on the inventory of the vulnerable plants of the California Native Plant Society . 1 +The wingspan flies , the motto is depending on the location from July to August . The wingspan is sized , the moth flies depending on the location from July to August . 0 +Formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or steric additives , and polar effects . The formation of aggregates is influenced by electrostatic interactions , coordination between lithium and surrounding solvent molecules or steric additives , as well as polar effects . 1 +Historian Sashi Bhusan Chaudhuri associates the modern Medas with the ancient Mer people . Sashi Bhusan Chaudhuri associates the ancient medas with the modern Mer people . 0 +The Sweikert finished the following May at Salem Speedway Sixth , but then died weeks later , at the age of 30 , in 1956 , after crashing a sprint car in Indianapolis . Sweikert finished sixth at Indianapolis the following May , but then died weeks later , at age 30 , in 1956 after crashing a Sprint car at Salem Speedway . 0 +On the album charts the album reached number 1 in Sweden and in Norway number 16 . On the album charts , the album peaked at number 1 in Sweden and number 16 in Norway . 1 +Belbin and White were married in June 2014 and engaged themselves on 25 April 2015 . Belbin and White were married in June 2014 and became engaged on April 25 , 2015 . 1 +The NBA season between 1979 and 80 was the 34th season of the National Basketball Association . The season 1979 -- 80 National Basketball Association was the 34th NBA season . 1 +It follows roughly I-40 from Canton to Canton and US - Route 74 , also known as the Great Smoky Mountains Expressway , from Asheville to Murphy . It follows roughly I - 40 from Asheville to Canton and the US Route 74 , also known as Great Smoky Mountains Expressway , from Canton to Murphy . 0 +Marlborough is located north of Harare and lies between the streets leading from Chinhoyi and Bindura to the Harare City Centre . Marlborough is located north of the Harare City Centre and lies between the streets leading from Harare to Chinhoyi and Bindura . 0 +Accompanied by bassist Roy Brooks and drummer Sam Jones , Garland is in good form . "Accompanied by bassist Sam Jones and drummer Roy Brooks , Garland is in great form "" ." 0 +In addition to the associative array used in design , SystemVerilog offers static arrays , dynamic arrays and queues . SystemVerilog offers in addition to the associative array used in the design , also static arrays , dynamic arrays and queues . 1 +In 2006 Venezuelan Carlos Pena gradually took over as co-lead singer , although Beny continued to tour and occasionally record with Ska Cubano . In 2006 , Venezuelan Carlos Pena gradually took over as Co-Lead singer , although Beny continued to record with Ska Cubano and occasionally went on tour . 0 +In 523 , Thrasamund died and was replaced by his cousin Huneric , the firstborn son of Hilderic . Thrasamund died in 523 and was succeeded by his cousin Huneric , the firstborn son of Hilderic . 1 +On November 23 , 2010 , the Heat abandoned Stackhouse to make room for Erick Dampier , who was signed to replace the injured Udonis Haslem . On November 23 , 2010 , the Heat waived Stackhouse to make room for Erick Dampier who was signed to replace injured forward Udonis Haslem . 1 +Then Tommy tells him who Tyrone is . Tommy then tells him who Tyrone is . 1 +This mackerel is edible and can be smoked , baked , salted , and fried . This mackerel is edible and can be smoked , roasted , salted and baked . 1 +Char Hesamaddi is a village in Barisal District in the Barisal Division of southern-central Bangladesh . Char Hesamaddi is a village in the Barisal division of the Barisal district in southern Bangladesh . 1 +However , a few families were permitted to live in two villages , Endingen and Lengnau , in Switzerland which became the Jewish ghetto in Aargau . However , a few families were allowed to live in two villages , Endingen and Lengnau , in Switzerland , which became the Jewish ghetto in the Aargau . 1 +Note that this odd bracket is an anti-commutator , not a commutator , because both generators are last . Note that this odd bracket is an anticommutator , not a commutator , because both generators are last . 1 +Because of the high cost of Stromectol , the veterinary formula Ivomec can be used . Government programs are needed to help citizens finance lifelong medication . Because of the high costs of Stromectol can be used the veterinary formula Ivomec government programs are needed to help citizens to finance lifelong medication . 1 +He then joined The Star in 1986 and left The Muslim . Then he entered the star in 1986 and left The Muslim . 1 +Those who quote it thus often completely miss the third and fourth lines . Those who quote it so often miss the third and fourth lines completely . 1 +The venous anastomosis is further divided into arterial and circulatory anastomosis . Circulatory anastomosis is further divided into arterial and venous anastomosis . 0 +"Whereas "" S "" represents the ancestral states , "" D "" corresponds to the observed data and Formula 7 represents both the evolutionary model and the phylogenetic tree ." "Where "" S "" represents the ancestral states , "" D "" corresponds to the observed data , and formula _ 7 represents both the evolutionary model and the phylogenetic tree ." 1 +"The species was first collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , and was described in Port Jackson ." "The species was first formally described by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was collected in Port Jackson ." 0 +The Nordiques opened the Stanley Cup - Playoffs in 1982 with a Best of five Adams Division quarterfinals with their Battle of Quebec Rivals , the Montreal Canadiens . The Nordiques opened the 1982 Stanley Cup playoffs with a best of five Adams Division quarter-final series with their Battle of Quebec rivals , the Montreal Canadiens . 1 +Intamin also marketed the first Freefall ( developed by Giovanola ) experience and the first drop tower . Giovanola also marketed the first freefall ( developed by Intamin ) and the first drop tower . 0 +AP publishes El Ciudadano and the young wing of the PAIS Alliance is the Juventudes Alianza País . The PAIS Alliance publishes El Ciudadano and the young wing of AP is the Juventudes Alianza País . 0 +He has played at the festivals in Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . He has played at the festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . 0 +"He is remembered in his diocese as bringing "" a spirit of peace , a desire to bring the pastoral spirit and great libéralité """ "In his diocese he will be remembered as "" a spirit of peace , a desire to bring the pastoral spirit and great libéralité ." 1 +Gillick is represented in Great Britain by Maureen Paley , Ireland by Casey Kaplan and in New York by the Kerlin Gallery . Gillick is represented in the UK by Maureen Paley , in Ireland by Casey Kaplan , and in New York by Kerlin Gallery . 1 +Agassiz founded a school for girls from Boston in her home in Cambridge in 1856 . In 1856 in their home in Boston , Agassiz founded a school for girls from Cambridge . 0 +Here we view differential operators as a generalization of pseudo-differential operators . We consider pseudo-differential operators here as a generalization of differential operators . 0 +The remixes for the song were written by Gloria Estefan 's personal remixer Pablo Flores and Tommy Musto . The remixes for the song were made by Pablo Flores 's personal remixer Tommy Musto and by Gloria Estefan . 0 +"Marans was famous until the early twentieth century for the "" local bean of Marans "" and its fairs in honour of these specially red beans ." "Marans was famous until the early twentieth century for the "" local bean of Marans "" and its fairs in honor of these especially red beans ." 1 +Stored heat is released from the deep lakes during the winter , keeping the local climate mild relative to surrounding areas and preventing early season frost . In winter , stored heat is released from the mild lakes , thus keeping the local climate deep relative to the surrounding areas and preventing an early frost . 0 +""" Legend "" was released on DVD and Blu-ray in the United Kingdom on 25 January 2016 and in the United States on 1 March 2016 ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the United Kingdom and on 1 March 2016 in the USA ." 1 +Simon Butler ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Mathews in 1712 . Simon Mathews ( b . 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Butler . 0 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania.ZanAir was founded in Zanzibar in 1992 and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines in Zanzibar . 0 +The following units and commanders fought in the Battle of Changde ( early November -- late December 1943 ) , of the Second Sino-Japanese War . The following units and commanders fought in the Battle of Changde ( end of November -- early December 1943 ) , the Second Japanese-Chinese War . 0 +""" Live : Legend 1999 & 1997 Apocalypse "" was first announced on August 16 , 2014 , with an official trailer released on September 11 , 2014 ." """ Live : Legend 1999 / 1997 Apocalypse "" was released on August 16th , 2014 with an official trailer on September 11 , 2014 ." 1 +The museum leased the locomotive and operated through its subsidiary North Shore Scenic Railroad # 2719 . The museum leased the locomotive and operated # 2719 through its affiliate , the North Shore Scenic Railroad . 1 +William de Middleton ( or William Middleton , died August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . William Middleton ( or William de Middleton ; died on August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . 1 +In 2009 , Wizard canceled the event in Los Angeles and postponed the Texas Convention . In 2009 , Wizard canceled the event in Texas and postponed the Los Angeles Convention . 0 +When he finished off his career in Poland he went overseas to Canada to sign with the Toronto Falcons of the National Soccer League . When he finished his career in Canada , he went to Poland to sign at the Toronto Falcons of the National Soccer League . 0 +Born Chloe Bennet in Chicago , Illinois , Chloe Wang is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Chloe Bennet was born Chloe Wang in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . 0 +"Chrysiliou ( ; ) is a small village in Northern Cyprus , east of Cyprus . "" De facto "" , it is under the control of Morphou ." "Chrysiliou ( ; ) is a small village in Cyprus to the east of Morphou "" De facto "" , it is under the control of Northern Cyprus ." 0 +He was also trained at the academy of art in Zurich , where he and others musically learned how to use the computer for composing music . He was musically trained at the Art Academy in Zurich , where he and others also learned to use the computer for composing music . 0 +The Holger Danske and Burman painted on the ceiling of Floda Church in Sweden are attributed Albertus Pictor around 1480 . The Holger Danske and Burman , painted on the ceiling of the Floda church in Sweden , are attributed to Albertus Pictor around 1480 . 1 +"The new album "" Deathstar Rising "" has cracked the Finnish album Top 10 and reached place 8 in the first week of March 2011 ." "The Finnish album "" Deathstar Rising "" cracked the new Album Top 10 and reached # 8 in first week of March 2011 ." 0 +"The Russian villain , however , is an original and sometimes interesting menace. """ However , the Russian villain is an interesting and sometimes original threat . 0 +Born in Bangor , Williams was brought up in Llanberis . Williams was born in Bangor , and brought up in Llanberis . 1 +HomeAdvisor currently employs a chief economist , Brad Hunter , and a Smart Home Strategist and Home Expert , Dan DiClerico . Currently HomeAdvisor employs a Chief Economist , Dan DiClerico , and a Smart Home Strategist and Home Expert , Brad Hunter . 0 +It is based on a novel by James Hardiman and was turned into a script by Robert Suhosky . It was based on a novel by Robert Suhosky and was turned into a screenplay by James Hardiman . 0 +The event was played on outdoor grass courts and held from 27 September to 5 October 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was played on outdoor grass courts and held from September 27 through October 5 , 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . 1 +"Mr Wonderful is an album of jazz - organist Johnny "" Hammond "" Smith , which was released in 1963 and was recorded on the Riverside label ." "Mr Wonderful is an album by jazz organist Johnny "" Hammond "" Smith which was released in 1963 and recorded on the Riverside label ." 1 +After his death , the Marxist element of communism would be strengthened in some atheistic movements . The atheistic element of communism would be strengthened after his death in some Marxist movements . 0 +In the final , Mateusz Kowalczyk and Lukáš Rosol Nicholas Monroe and Simon Stadler defeated by 6 -- 4 , 6 -- 4 to win the title . Mateusz Kowalczyk and Lukáš Rosol defeated Nicholas Monroe and Simon Stadler with 6 -- 4 , 6 -- 4 in the final to win the title . 0 +Ice hockey at the 2011 Canada Winter Games was held at the Halifax Metro Centre and Halifax Forum in Halifax and the Dartmouth Sportsplex in Dartmouth , Nova Scotia . Ice hockey at the Canada Winter Games 2011 was held at Halifax Metro Centre and Halifax Forum in Halifax and the Dartmouth Sportsplex in Dartmouth , Nova Scotia . 1 +Seremban is part of the Nilai constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Nilai is part of the constituency of Seremban of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook from the Democratic Action Party . 0 +It was abandoned in 1446 and destroyed in 1551 and rebuilt . It was destroyed and rebuilt in 1446 , and abandoned in 1551 . 0 +There are seven picnic areas and several have covered pavilions , the largest of which can be reserved for up to 100 people . There are seven picnic places and some have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . 0 +Thomas Mozley states that Elizabeth 's brother was an old friend of John Frederick Christie , fellow of Oriel College , Oxford , and accompanied Richard Whately to Dublin . Richard Whately claims that Elizabeth 's brother was an old friend of John Frederick Christie , who was fellow of Oriel College in Oxford , and accompanied Thomas Mozley to Dublin . 0 +J. David Spurlock was born on November 18 , 1959 in Dallas , Texas . He moved to Memphis , Tennessee in 1973 . David J. Spurlock was born on November 18 , 1959 in Dallas , Texas and moved to Memphis , Tennessee in 1973 . 1 +"In 1901 the first part of his piano cycle "" On an Overgrown Path "" was performed and gradually became one of his most released works ." "In 1901 , the first part of his piano cycle "" On an Overgrown Path "" was performed and gradually became one of his most frequently-published works ." 1 +"In his song "" Mañana "" , Jimmy Buffett sings "" I hope Anita Bryant never ever does one of my songs "" ." "In his song "" Mañana "" sings Jimmy Buffett "" I hope Anita Bryant does never make one of my songs "" ." 1 +PLEO delegates usually consist of members of the Democratic Party , Democratic members of Congress , Democratic Governors , and former Democratic National Committee leaders . The PLEO delegates typically consist of members of the Democratic National Committee , democratic members of Congress , democratic governors , and former party leaders . 0 +""" Johnny 's Theme "" began life as "" Toot Sweet "" , a pop instrumental composed in 1959 by Paul Anka and recorded by Tutti 's Trumpets ." """ Johnny 's Theme "" began his life as "" Toot Sweet "" , a pop - instrumental , composed in 1959 by Paul Anka and recorded by Tutti 's trumpets ." 1 +Seleucus was a wealthy Christian Roman Senator of Greek descent who lived in the first half of the 4th century and second half of the 5th century . Seleucus was a wealthy Christian Roman senator of Greek descent , who lived in the first half of the 4th century and the second half of the 5th century . 1 +American Express initially established its headquarters in a building at the intersection of Jay Street and Hudson Street in what was later called the Tribeca section of Manhattan . American Express later established its headquarters in a building at the intersection of Jay Street and Hudson Street , and was first called Tribeca section of Manhattan . 0 +It was written by Jeff Melman and was run by Tom Spezialy and Marc Cherry . It was written by Tom Spezialy and Marc Cherry and was led by Jeff Melman . 0 +An experiment was tried in 1919 , where a method of standardization of testing was done . An experiment was tried in 1919 , where a standardization method of testing was done . 1 +At the police station , they learn that Devayani 's brother had the money , but Jayaraman is charged with murder . They learn at the police station that Devayani 's brother had the money , but Jayaraman is charged with murder . 1 +Annie Young won the NCAA Division I individual championship in 2010 under new coach Caroline Hedwall . Annie Young won the individual NCAA Division I championship under the new trainer Caroline Hedwall in 2010 . 1 +The successor rocket , the Falcon 9 , successfully landed its first stage on 22 December 2015 with its twentieth flight for the first time . The successor rocket , the Falcon 9 , landed its first stage successfully on land for the twentieth time on its first flight , on December 22 , 2015 . 0 +The Timiş River is a tributary of the Zlagna River in Romania . The River Timiş is a tributary of the River Zlagna in Romania . 1 +On 9 December 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . Otto Müller died on December 9 , 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . 0 +In 1998 , parliamentary elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was called . In 1998 , general elections were held in India after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . 0 +"His works were declared "" apolitical and immoral "" by the cultural nomenklatura of the Soviet Union ." "His works were declared by the apolitical and immoral nomenclature of the Soviet Union as "" cultural "" ." 0 +This dish has become one of the most symbolic dishes of Indian cuisine , next to the Indian curry . This dish has become one of the most symbolic dishes of indian cuisine , next to Indian curry . 1 +""" Clitarchus hookeri "" is found from Wellington to the region of Northland in the south of the North Island of New Zealand ." """ Clitarchus hookeri "" is found from Wellington to the Northland region in the south of the North Island of New Zealand ." 1 +The city is situated on the main road between Mogadishu and Jilib , near Barawa and about 50 miles northeast of Kismayo . The city is situated on the main road between Mogadishu and Jilib , near Barawa and about 80 kilometers northeast of Kismayo . 1 +Suffering from lung disease , Marietta Martin spent several years between 1927 and 1931 in Leysin , in a sanatorium in Switzerland in the Canton of Vaud . Marietta Martin , who suffered from lung diseases , spent several years in Switzerland between 1927 and 1931 in a sanatorium in Leysin in the canton of Vaud . 0 +The Lenape ranged from the New York metropolitan area and eastern Pennsylvania , into Long Island , western New Jersey along the Delaware River , and Delaware . The Lenape ranged from the New York metropolitan area and eastern Pennsylvania to Long Island , western New Jersey along the Delaware River and Delaware . 1 +On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on 7 February 1918 the 12th Field - Artillerie - Brigade . Lloyd took over command of the 6th Field Artillery Brigade on 28 November 1917 and then the 12th Field Artillery Brigade on 7 February 1918 . 1 +She moved to Luxembourg in 1989 and settled in Germany two years later , her husband Tommy Danielsson is her coach and training partner . She moved to Luxembourg in 1989 and settled down in Germany two years later . Her husband Tommy Danielsson , is her coach and training partner . 1 +As Jay 's body begins to unravel , he tries to help Barry remember him . When Barry 's body begins to unravel , he tries to help Jay remember him . 0 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Gaby and Mcoy with the other reoccupied by Ethel . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps that Ethel and Mcoy left behind , while the other was reoccupied by Gaby . 0 +The tournament won John Higgins , defeated Matthew Stevens 9-7 in the final . John Higgins won the tournament , defeating Matthew Stevens 9-7 in the final . 1 +It was published by Kids Can Press in 1985 and was printed by Everbest in Hong Kong . It was printed by Kids Can Press in 1985 and published by Everbest in Hong Kong . 0 +Ann is married to Ann , with Jennifer Aull at the Greenpoint Reformed Church in Brooklyn pastors . Ann is married to Jennifer Aull , who works with Ann in the Greenpoint Reformed Church in Brooklyn as pastors . 0 +It was locally owned by Albert M. Cadwell & Walter Stiles . It was owned locally by Walter Stiles ' Albert M. Cadwell . 1 +Deepak Chand Lall lives in ( New Jersey ) Meena Gupta ( Kolkata ) and Madhuri Jaiswal ( Mumbai ) . Deepak Chand Lall , who lives in ( New Jersey ) Meena Gupta ( Kolkata ) and Madhuri Jaiswal ( Mumbai ) . 1 +"The feature was ultimately considered "" unfinished "" , as it never received a user interface ." "The feature was eventually considered "" unfinished "" as it never received a user interface ." 1 +On 23 January 2018 , funimation licensed the series in North America and released the first Blu - ray and DVD set . On January 23 , 2018 , Funimation released the series in North America and licensed the first Blu - ray and DVD set . 0 +Townshend was the son of Lord George Townshend , Marquess Townshend , younger son of John Townshend . Townshend was the son of Lord George Townshend , 1st Marquess Townshend , younger son of John Townshend . 1 +Trained with Bob Bowman , the coach of the American swimmer Michael Phelps , at the University of Michigan , he is a childhood friend of César Cielo . Trained by César Cielo , the American swimmer coach Bob Bowman , at the University of Michigan , he is a childhood friend of Michael Phelps . 0 +The present building , built in 1871 , was burned out in 1886 and was rebuilt in 1887 as the original building , which is Grade II listed . The original building , built in 1871 , was burnt out in 1886 and was rebuilt in 1887 as the current building , which is listed as Grade II . 0 +Carlos Robacio , BIM5 commander , was awarded to the Argentine nation to the Valour in Combat Medal , and the Battalion itself was awarded in 2002 by the Argentine Congress . Carlos Robacio , BIM5 - Commander , was awarded the Argentine nation to the Valour in Combat Medal and the Battalion itself was awarded by the Argentine Congress in 2002 . 0 +Nancy finds Justin and tells him that he is Charlie 's father and has leukaemia . Nancy finds Justin and tells him he is Charlie 's dad and that he has leukaemia . 1 +He currently lives with his partner Randi in Odda and has three children , Lothe , Ida and Vetle , from a previous relationship . He currently lives in Odda with his partner Randi and has three children , Stian , Ida and Vetle , from a previous relationship . 0 +Nick Harris punted , and Clifton Smith returned the punt 70 yards for a touchdown . Clifton Smith punted , and Nick Harris returned the punt to 70 yards for a touchdown . 0 +He was also former Deputy Director General ( Commercial ) of Sri Lanka Rupavahini Corporation , former Director of Sinhala Service Sri Lanka Broadcasting Corporation . He was also a former deputy commercial director of Sri Lanka Rupavahini Corporation , former director of Sinhala Sri Lanka Broadcasting Corporation . 1 +Chauvetia multilirata is a species of sea snail , a marine gastropod mollusc in the family Buccinidae , the true whelks . Chauvetia multilirata is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . 0 +In order to mark valid conversions between restricted types , a casting with the attribute force is used to avoid sparse printing a warning . To avoid Sparse conversions between restricted types , a casting with the force attribute is used to mark valid giving a warning . 0 +By adding sufficient oxygen to compensate for the metabolic consumption , removing the carbon dioxide and reinhaling the gas , most of the volume is conserved . By adding sufficient oxygen to compensate for the metabolic usage , removing the carbon dioxide , and rebreathing the gas , most of the volume is conserved . 1 +In Bazou , you will be pleasantly surprised to appreciate the place of choice that occupies the immaterial heritage , and you will see . In Bazou you will be pleasantly surprised to see the place of choice that occupies the intangible heritage , you will appreciate . 0 +He also appeared in musical films and later in life , in comedian roles . He also appeared in musical films and later in life , in comedic roles . 1 +Thomas Fothergill D.D . was an English academic administrator at the University of Oxford . Thomas Fothergill was an academic English administrator at the University of Oxford . 1 +A very small part of the southwestern Great Valley borders the town of Red House . A very small part of the southwestern Red House borders the town of Great Valley . 0 +In addition to his Olympic experience , Foxall has also been associated with dinghy , offshore and America 's Cup sailing . In addition to his Olympic experience , Foxall has also been associated with Dinghy , Offshore and American Cup sailing . 1 +The Nette is a left river in Rhineland-Palatinate , Germany , a small tributary of the Rhine . The Nette is a left river in Rhineland-Palatinate , a small tributary of the Rhine . 1 +Later Armstrong was thanked by Greg . Armstrong was later thanked by Greg . 1 +"A scalar transformation is a transformation which is linear "" up to a twist "" , meaning "" up to a field automorphism under semilinear multiplication "" ." "A semilinear transformation is a transformation that is "" up to a twist "" linear , which means "" to a field automorphism under scalar multiplication "" ." 0 +She studied journalism in New York City for three years and has an MA in Mass Media from a university in London . She studied three years of journalism in New York City and holds an MA in mass media from a university in London . 1 +It was abridged by Penny Leicester , read by Stephen Mangan , with Peter Serafinowicz as the voice of The Guide , and produced by Heather Larmour . It was abbreviated by Penny Leicester , read by Stephen Mangan , produced by Peter Serafinowicz as the voice of the guide and by Heather Larmour . 0 +D. To foster and develop the intellectual and moral life of Catholic students through religious education , social activity and cultural participation . D. The intellectual and moral life of Catholic students through religious education , social activities and cultural participation to promote and develop . 1 +Jana Novotná and Jim Pugh won in the final 7 -- 5 , 6 -- 3 against Elizabeth Smylie and Patrick McEnroe . Jana Novotná and Jim Pugh won 7 - 5 , 6 - 3 against Elizabeth Smylie and Patrick McEnroe in the final . 1 +In 1938 , he played with Juan Carlos Miranda in an ensemble which included singer Lucio Demare and two pianos . In 1938 he played with Lucio Demare in an ensemble which included the singer Juan Carlos Miranda and two pianos . 0 +In 1180 , as a bishop of Poznań , he participated in the Synod in Łęczyca . As a Łęczyca bishop , he participated in the synod in Poznań , in 1180 . 0 +She was born on 28 July 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . She was born on July 28 , 1992 in Tokyo and married Timothy Koleto in Okayama , Japan in January 2017 . 0 +Honey bees have three castes : drones , workers and queens , drones are male , workers and queens are women . Honey bees have three castes : drones , workers , and queens . Drones are female , while workers and queens are male . 0 +Arlington County 's Bluemont Junction Trail replaced the line between Washington Boulevard and Bluemont Junction . The Washington Boulevard of Arlington County replaced the line between Bluemont Junction Trail and Bluemont Junction . 0 +They bought a house in Grosse Pointe , Michigan for two years , and then rented one in the Palmer Woods section of Detroit . They rented a house in Grosse Pointe , Michigan for two years , and then bought one in the Palmer Woods area of Detroit . 0 +He repudiated his first wife , Helie of Semur , about 1033 , and married her in 1048 . Robert and Helie had five children : He married his first wife , Helie of Semur , around 1033 and dismissed her in 1048 . Robert and Helie had five children : 0 +In the past , when Yue Yi attacked the Qi state , he conquered over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except Ju and Jimo for Tian Dan . 0 +Due to the slower crystallinity of PDLA , the biodegradability of PDLA is higher than for PLA . Due to the increased crystallinity of PDLA , the biodegradation of PDLA is slower than for PLA . 0 +In 1993 , he graduated from Kuban State University as a philologist and teacher of the same language , in 1995 the Russian University as a lawyer . In 1993 he graduated from the Kuban State University as a philologist and teacher of the Russian language , in 1995 , the same University as a lawyer . 0 +For season 2011 -- 12 Cowdenbeath were managed by Jimmy Nicholl , following the resignation of Colin Cameron at the end of the previous season . For the 2011 season -- 12 Cowdenbeath were managed by Colin Cameron , following the resignation of Jimmy Nicholl at the end of the previous season . 0 +In autumn 2014 Tom Stephen supported Merchant on his European Tour . In Autumn 2014 , Stephen Merchant supported Tom on his European Tour . 0 +During Portuguese and Brazilian colonisation , the Portuguese influence was also added , and Feijoada was incorporated into the rest of the Guisos . Portuguese and Brazilian influence was also added during Portuguese colonization . Feijoada was incorporated into the rest of the guisos . 0 +Tokiwa Dam is a dam in the Nagano Prefecture , Japan , completed in 1941 . Tokiwa Dam is a dam completed in the prefecture of Nagano , Japan , in 1941 . 1 +Muckalt Tanner Kero signed with Michigan Tech , the 2014-15 WCHA - player of the year training with the Chicago Blackhawks . With Michigan Tech , Muckalt signed Tanner Kero , the 2014-15 WCHA Player of the Year , who coached with the Chicago Blackhawks . 0 +Luke married Elizabeth Knightley , daughter of Sir Valentine Knightley and Anne Unton on 17 August 1599 . Their son Samuel Luke was also an MP . On August 17 , 1599 , Elizabeth married Knightley Samuel Luke , the daughter of Sir Valentine Knightley and Anne Unton , whose son Luke was an MP . 0 +The 187 km long segment from Abuja to Kaduna was the first to be built . The 187 km segment from Kaduna to Abuja was the first to be built . 0 +When water and sewer companies were privatised in England and Wales in 1989 , these services remained public in Northern Ireland and in Scotland . When water and sewerage companies were privatised in Northern Ireland in 1989 , these services remained public in England and Wales and in Scotland . 0 +He graduated from Nihon University , holding a 4th dan in judo and a 5th dan in karate . He graduated from Nihon University with a 5th Dan in Judo and a 4th dan in karate . 0 +The airline transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport effective from 1 October , 2012 . With effect from 1 October 2012 , the airline transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport . 1 +Kurgo products are also available in Australia and New Zealand through the distributor Accapi Group , while MasterPet distributes Kurgo products in Europe . Kurgo products are also available in Europe through the distributor Accapi Group , while MasterPet Kurgo distributes products in Australia and New Zealand . 0 +The conclusions are that we are all manifestations of one perfect spiritual spirit and of the divine mind , not a material body . The conclusions are that we are all perfect spiritual notions of one divine spirit and manifest the spirit , not a material body . 0 +"After "" The Kids "" was recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks except "" The Kids "" were re-recorded with Derrick" "After "" The Kids "" was recorded with the drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recorded with Derrick , except for "" The Kids "" ." 1 +This Vancouver - produced series was set in each episode in a different locale , such as in a historic music hall or a western saloon . This Vancouver-produced series was set in a different locale in each episode , such as a western music hall or a historic saloon . 0 +Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named to his honor . Sparkman High School in Harvest , Alabama , Sparkman School in Somerville , Alabama , Sparkman Drive in Huntsville are all named in his honor . 0 +"In 1925 , William Kellogg purchased the "" Jamestown Alert "" from Percy Hansen and Bryon Hansen ." "William Kellogg bought the "" Jamestown Alert "" in 1925 from Percy Hansen and Bryon Hansen ." 1 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variations ( if any ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural second variants ( if any ) : 0 +Bassett was the owner of the Toronto Argonauts from 1957 to 1974 , a team in the Canadian football league . Bassett was the owner of the Canadian Football League from 1957 to 1974 , a team in the Toronto Argonauts . 0 +Gloria wakes up and tells Bree that Orson wanted to kill her . Gloria wakes up and tells Bree that Orson tried to kill her . 1 +When she rejected the ultimatum , she was sentenced and excommunicated by a church court in June 1952 . When she rejected the ultimatum , she was excommunicated by a Church court and tried in June 1952 . 0 +In 1736 , Mackay 's widow sold the islands to Charles Cotesworth Pinckney , the father of General Charles Pinckney . In 1736 , Mackay 's widow sold the islands to Charles Pinckney , the father of General Charles Cotesworth Pinckney . 0 +The Flushing Line was opened on 21 April 1917 from 40th Street to Queensboro Plaza -- Corona Plaza , with a local station on 103rd Street . The Flushing Line was opened on April 21 , 1917 by Queensboro Plaza at 103rd Street -- Corona Plaza , with a local station on 40th Street . 0 +The town of Cortlandville , located near the western border of the county , is surrounded by the city of Cortland . The city of Cortland , near the western border of the county , is surrounded by the town of Cortlandville . 0 +Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual house ( English , Spanish and Swedish ) . Born in Madrid , Spain , in 1967 , she grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . 0 +Glauco Sansovini is together with Marco Conti captain Regent of San Marino for the semester from April 1 , 2010 to October 1 , 2010 . Glauco Sansovini is Captain Regent of San Marino together with Marco Conti for the semester from 1st April , 2010 to 1st October , 2010 . 1 +Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a Brazilian taekwondo athlete . Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo athlete from Brazil . 1 +The Perth to Inverness line used the SMJR route as far as Stanley Junction , north of Perth . The route from Inverness to Perth used the SMJR route as far as Stanley Junction north of Perth . 0 +He was the son of painter Vincenzo and the younger brother of Arturo Petrocelli . He was the son of painter Arturo Petrocelli , and younger brother of Vincenzo . 0 +It is located close to Mandurriao at 113 R. Mapa Street in Old Iloilo Airport 's Iloilo City district . It is located close to the Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of Iloilo City . 0 +On June 1 , 1874 , Cornwall Minerals Railway opened its line from Fowey to St Dennis Junction , where it was connected to the Newquay Railway of Treffry . The Cornwall Minerals Railway opened its line from St Dennis Junction to Fowey on 1 June 1874 , where it connected with Treffry 's Newquay Railway . 0 +Duporth Holiday Village ( also Duporth ) was situated on Porthpean Road , just outside St Austell in south Cornwall , England , UK . Duporth ( also Duporth Holiday Village ) was on Porthpean Road , just outside St Austell in South - Cornwall , England , UK . 1 +Tamil Nadu has been running the highest road accidents for a decade , and its capital , Chennai , has more accidents than any other city in India . Tamil Nadu records the highest road accidents for a decade and its capital Chennai has more accidents than any other city in India . 1 +In 1981 , Freleng and DePatie Warner Bros. sold Marvel Comics and Freleng to DFE Films Returned In 1981 , Freleng and DePatie sold Warner Bros. to Marvel Comics , and Freleng returned to DFE Films 1 +KOTC : Fight to Live was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . KOTC : Fight to Live was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . 1 +The Deputy to the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and the first cabinet of Kjell Magne Bondevik . The deputy of the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . 0 +Ryszard Kaczorowski received symbols from the pre-war presidency of Lech Wałęsa . ( Lech Wałęsa accepted symbols of the pre-war presidency from Ryszard Kaczorowski ) . 0 +The sandwich is particularly popular in Massachusetts and has been proposed as the official state sandwich of the New England . The sandwich is particularly popular in New England and has been proposed as the official state sandwich of Massachusetts . 0 +Year 6 inferior Venus sets on Arahsamnu 28 and after 3 days rises on Kislimu 1 Year 6 inferior Venus relies on Arahsamnu 28 and rises after 3 days on Kislimu 1 1 . 1 +There was no EQ created when the digital master was used by Griffin . No EQ was used when the Griffin digital master was created . 0 +The Royal Thai Government officially turned Korat over to the USAF on 26 February 1976 . Korat officially handed over the royal Thai government to the USAF on 26 February 1976 . 0 +The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which repeated WEDY directly . The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which operates WEDY directly . 0 +Ukrainian troops opened fire on Pro-Russian positions on 33 occasions , killing one civilian , two policemen and wounding three Ukrainian soldiers . On 33 occasions , pro-Russian troops opened fire in Ukrainian positions , killing one civilian , two policemen , and wounding three Ukrainian soldiers . 0 +Parent organizations include English Language Advisory Committee , Sports Boosters , Music Boosters , Drama Boosters , Art Boosters and the PTSA . Parental organizations include PTSA , sports boosters , music - boosters , drama - boosters , art boosters , the English Language Advisory Committee . 1 +Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who has never been seen during the day . Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman that had never been seen during the day . 0 +is located at ( 38.998829 , -82.057204 ) along the Ohio River at the mouth of Leading Creek . Leading Creek is at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of the Middleport . 0 +On May 24 , 1938 , a spur to Oglesby was created , but not designated . On May 24 , 1938 , a spur was appointed to Oglesby , but not created . 0 +The village of Iron River and the town of Stambaugh were consolidated with the town of Mineral Hills effective July 1 , 2000 . Effective July 1 , 2000 , the village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills . 1 +Dave Denine is a provincial politician in Newfoundland and Labrador , Canada . He served in the former Canadian cabinet from 2007-2011 as Minister of Intergovernmental Affairs . Dave Denine is a provincial politician in Newfoundland and Labrador , Canada , who served as Minister for Intergovernmental Affairs from 2007-2011 in the former Canadian cabinet . 1 +"He was asked his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." "He was asked about his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." 1 +The Romance language currently spoken in Galicia , Galician ( Galego ) is closely related to the Portuguese language used mainly in Brazil and Portugal . The Romance language currently spoken in Galicia is closely related to the Portuguese language used mainly in Brazil and Portugal . 1 +Bulhar is an archaeological site in the northwestern Woqooyi Galbeed region of Somaliland . Bulhar is an archaeological site in northwestern Somaliland - Woqooyi Galbeed region . 0 +In 1948 Bubba produced the first Italian self-propelled combine harvester , the 1500 , preceded only by Massey Harris in 1941 . In 1948 , Massey Harris produced the first Italian self-driving combine harvester , the 1500 , which was only preceded by Bubba in 1941 . 0 +He received official Mongolian recognition as the ruler of Burma in March 1298 . In March 1298 , he received official Mongolian recognition as the ruler of Burma . 1 +Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official clothing sponsor for all teams of the Indian Cricket League . Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official sponsor for clothing of all teams in the Indian cricket league . 1 +"Where "" S "" represents the phylogenetic states , "" D "" corresponds to the observed data , and formula 7 represents both the evolutionary model and the ancestral tree ." "Whereas "" S "" represents the ancestral states , "" D "" corresponds to the observed data and Formula 7 represents both the evolutionary model and the phylogenetic tree ." 0 +On April 30 , 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base in Nevada to his honor . On April 30 , 1950 , the Las Vegas Air Force Base in Nevada was renamed Nellis Air Force Base in his honor . 1 +An AMO warm phase strengthens the summer rain over the Sahel , while a cold phase reduces rainfall . An AMO warm phase reduces the summer rain over the Sahel , while a cold phase strengthens it . 0 +I 've created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . I 've created Francis Bacon figures in a Sidney Nolan landscape with stunts inspired by Jean Cocteau . 0 +He worked as a teacher in Bruges and in Tielt between 1693 and 1717 . Between 1693 and 1717 he worked as a teacher in Tielt , Bruges . 0 +""" Johnny 's Theme "" began life as "" Toot Sweet "" , a pop instrumental recorded in 1959 by Paul Anka and composed by Tutti 's Trumpets ." """ Johnny 's Theme "" began as "" Toot Sweet "" , a pop - instrumental , composed by Paul Anka in 1959 and recorded by Tutti Trumpets ." 0 +An electrical load is an electrical component or portion of a circuit that consumes ( active ) electric power . An electric load is an active component or part of a circuit that consumes ( electrical ) electrical power . 0 +The name Edith has four name days : May 14 in Estonia , 31 October in Sweden , 5 July in Latvia and 16 September in France . The name Edith has four name days : May 14 in Estonia , October 31 in Sweden , July 5 in Latvia , and September 16 in France . 1 +Goodwillie came from Blackburn Rovers , Andy Halliday from Middlesbrough , Andy Keogh from Millwall and Tony McMahon from Sheffield United . Andy Halliday came in from Blackburn Rovers ; David Goodwillie from Middlesbrough ; Andy Keogh from Millwall ; and Tony McMahon from Sheffield United . 0 +The current senator , representing the 22nd district , is Stuart Adams . The 22nd State Senator representing the current district is Stuart Adams . 0 +Afterwards , Terrell Kim attacked backstage during an interview . Afterwards , Terrell attacked Kim backstage during an interview . 0 +On 10 December , she steamed out of Caribbean Sea to return south to the Hampton Roads - Gulf of Mexico area . On December 10 , she steamed out of Hampton Roads to return south to the Caribbean -- Gulf of Mexico . 0 +In 1963 , they met Eddie Brigati ( a pickup singer on the local R 'B circuit ) and Felix Cavaliere ( a classically trained pianist ) . In 1963 I met Felix Cavaliere ( a pickup singer on the local R 'B circuit ) and Eddie Brigati ( a classically trained pianist ) . 0 +The Barmat Scandal was often used later in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . The Barmat scandal was subsequently used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism often . 0 +In 1903 , copper was dismantled by the Giroux Consolidated Mining Company and in 1904 by the Nevada Consolidated Copper Company . Starting in 1903 , copper was mined by the Giroux Consolidated Mining Company and by the Nevada Consolidated Copper Company in 1904 . 0 +He died in Woodland Hills on December 27 , 1966 , and was buried at Oakwood Memorial Park Cemetery in Chatsworth . He died on 27 December 1966 in Chatsworth and was buried at the Oakwood Memorial Park cemetery in Woodland Hills . 0 +Many agencies of the central government are located in Taipei City due to its proximity to the capital New Taipei City . Many central government agencies are located in the city of Taipei , owing to the proximity to the capital , New Taipei City . 1 +Most of the municipalities are located on the islands in the Sulu Sea . Two of them , Mapun , and Turtle Islands lie within the Sulu Archipelago . Most of the municipalities are located on the islands of the Sulu archipelago , two of them , Mapun and the turtle islands , are in the Sulu sea . 0 +Luther then attacks Jesus before he hides in the bathroom . Then Luther attacks Jesus before he hides himself in the bathroom . 1 +"Phon Sai is a district ( "" Amphoe "" ) in the northeastern part of the province of Roi Et in southeastern Thailand ." "Phon Sai is a district ( "" amphoe "" ) in the southeastern part of Roi Et Province , northeastern Thailand ." 0 +Toxo was replaced at the congress by the Basque regional secretary Unai Sordo , whom Toxo supported as a candidate . Toxo was supported at the congress by the Basque regional secretary Unai Sordo , whom Toxo replaced as a candidate . 0 +The city is located in 1889 , along the Nehalem River and Nehalem Bay , near the Pacific Ocean . Incorporated in 1889 , the city lies along the Pacific Ocean near the Nehalem River and Nehalem Bay . 0 +The station signal could be heard from Vancouver , British Columbia to Vancouver , Washington . The station signal could be heard from Vancouver to Vancouver , British Columbia , Washington , DC . 0 +36.4 % were of Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % Scottish ancestry according to Census 2000 . 36.4 % were Finnish , 10.2 % Italian , 9.2 % of German , 7.1 % Swedish and 5.4 % Scottish origin according to the 2000 census . 1 +"The "" perceived lack of independence and strong decision-making "" from the CCA remains a politicized , opaque issue ." "The CCA 's "" perceived lack of independence and strong decision-making "" remains a politicized , opaque issue ." 1 +It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka downstream from Pöttelsdorf and upstream from Antau . It consists of two parts , Zemendorf and Stöttera , which are both downstream from Pöttelsdorf and upstream of Antau on the Wulka . 1 +Born and raised in Briarcliff Manor , Tom Ortenberg was born , CEO of Lionsgate Films and former president of Open Road Films . Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films , was born and former President of Lionsgate Films . 0 +The Texan entrepreneur Nick Kennedy , who founded RISE , will serve for Surf Air as President of the Dallas and Southeast region . Texas entrepreneur Nick Kennedy , who founded RISE , will serve as president of the Dallas and southeast region for Surf Air . 1 +De Doorns is a city in South Africa in the Western Cape province of Cape Winelands District Municipality . De Doorns is a city in the Cape Winelands District Municipality in the province of Western Cape , South Africa . 0 +In cooperation with SAP , Microsoft developed an OBA application called Duet . SAP developed an OBA application , in cooperation with Microsoft , that is called Duet . 0 +These mechanisms of power scrutiny tend to make power relations both within and outside government more democratic and more accountable . These mechanisms of controlling power tend to make power relations more accountable and more democratic , both within and outside the government . 1 +At least four disks are required in a standard RAID 01 configuration , but larger arrays are also used . In a standard - RAID - 01 - configuration , at least four disks are used , but larger arrays are also necessary . 0 +Its villages include Dry Tavern , Normal Square ( also in West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . Its villages include Dry Tavern , Normal Square ( also in the West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . 1 +Suffolk County Cricket Teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket - Club 1864 . Suffolk county cricket teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket Club in 1864 . 1 +During the 1745 uprising it was twice visited by Jakobites and held again by Bonnie Prince Charlie . During the 1745 uprising it was again held by Jacobites and visited twice by Bonnie Prince Charlie . 0 +A total of 16 teams qualified , but only 13 teams participated in the final round of the Olympic tournament . In total , 16 teams participated , but only 13 teams qualified for the finals of the Olympic tournament . 0 +"However , on July 17 , 2006 , in a radio interview with Miguel Ángel Granados Chapa on "" Radio UNAM "" , López Obrador said :" "On July 17 , 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" 0 +Scientific research in the country is supported by industry , by the network of main universities and by higher education establishments outside the French framework , Grandes écoles . Scientific research in the country is supported by industry , by the network of French universities and by universities outside the main framework , Grandes écoles . 0 +In the Netherlands , Moszkowicz was known for defending the godfather of the Amsterdam underworld Willem Holleeder and the Heineken kidnapper Cor van Hout and Klaas Bruinsma . Moszkowicz became well known in the Netherlands for defending the godfather of the Amsterdam underworld Klaas Bruinsma and the Heineken kidnappers Cor van Hout and Willem Holleeder . 0 +He also won numerous children ’ s books and illustrated five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . He also illustrated numerous children 's books and won the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . 0 +Creative Director JoFF Rae of ARTIVIST has developed and presented Creative Vision Provision and Production : creative in unique , produced installations . Recent Vision Provision and Production has been developed and presented by Creative Director JoFF Rae of ARTIVIST , unique in creative produced installations . 0 +Cranoe is a small village and civil community in the Harborough Leicestershire district of England . Cranoe is a civil village and a small municipality in the Harborough district of Leicestershire , England . 0 +Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature painter . Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature artist . 1 +Women 's sports not sponsored by the Southeastern Conference , which are practised by SEC schools : Women 's varsity sports not sponsored by the Southeastern Conference which are played by SEC schools : 1 +Individuals and families from around Lexington , Normal , Hudson , Bloomington and elsewhere come out for it . Individuals and families from Bloomington , Normal , Hudson , Lexington , and elsewhere come out for it . 1 +Chandima Weerakkody ( UPFA-SLFP ) died on May 30 , 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009 . His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +The Muereasca River is a tributary of the River Pălăoaia in Romania . The Muereasca River is a tributary of the Pălăoaia River in Romania . 1 +The district , as originally proposed , was larger to include the commercial areas to the west of Maple Avenue , including ancient buildings , the Galleria and Shrewsbury Avenue . The district as originally proposed was larger , to include the commercial areas west of Shrewsbury Avenue , including the antique buildings , The Galleria and Maple Avenue . 0 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Neolepetopsidae , one of the families of true limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of the marine limpets . 0 +Prof.Rowena Hill , a British born Venezuelan poet has translated 47 selected poems into Spanish and English . Prof.Rowena Hill , a British Venezuelan poet , has translated 47 selected poems into Spanish and English . 1 +After this series , Damien Martyn withdrew from Test Cricket , while Glenn McGrath , Shane Warne and Justin Langer retired during the series . Glenn McGrath , Shane Warne and Justin Langer retired from Test cricket after that series , while Damien Martyn retired during the series . 0 +The Asher family and her husband Brent Tworetzky have two sons , Zuckerberg and Simi , who live in New York City . Zuckerberg and her husband Brent Tworetzky have two sons , Asher and Simi . The family resides in New York City . 0 +"In December , Hyeyeon featured on Quattro Code 's single "" Stick With You "" and Bestie released the digital single "" Zzang Christmas "" ." "In December , Hyeyeon released on Quattro Code Single "" Stick With You "" and Bestie published the digital single "" Zzang Christmas "" ." 1 +In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . 1 +The Amaradia River or Negreni River is a tributary of the Valea Negrenilor River . The river Valea Negrenilor or Negreni River is a tributary of the river Amaradia . 0 +Since we are confronted with a variable equation of first order with linear differential coefficients , its solution is straightforward : Since we are confronted with a first order variable equation with linear differential coefficients , its solution is straightforward : 1 +He studied piano with Hamish Milne and Nicholas Walker , and piano accompaniment with Michael Dussek . He studied piano with Michael Dussek , piano accompaniment with Hamish Milne and Nicholas Walker . 0 +Use the appropriate grass and limit the amount of grass to reduce the irrigation and maintenance requirements . Use the appropriate grass and reduce the amount of grass to limit irrigation and maintenance requirements . 0 +"Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." "The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in Luxembourg in 1984 ." 0 +The PidariAmman - Temple in Vavvaneri is closer to the hamlet , the main idol is PidariAmman with a small MariAmman idol which is located in the same chamber . The PidariAmman Temple in Vavvaneri is located nearer to the hamlet . The same idol is PidariAmman with a small MariAmman idol placed in the main chamber . 0 +The 13th World Cup season began in Japan in December 1978 and ended in March 1979 in Austria . The 13th World Cup season began in Austria in December 1978 and ended in March 1979 in Japan . 0 +Robert 's letter to Sarah is notable . Notable is Sarah 's letter to Robert . 0 +"Panthro is renamed "" Pantro "" in the Spanish version , "" Pantor "" in the German version , and "" Pantéro "" in the French version ." "Panthro is renamed to "" Pantro "" in the Spanish version , in the English version "" Pantor "" and in the French version "" Pantéro "" ." 0 +Mullan is a city in the north of the United States , located in the Silver Valley mining district in northwest Idaho . Mullan is a city in the northern United States , located in the Silver Valley mining district of northwest Idaho . 1 +He is the first son of the Argentine coach Oscar Garré , the brother of Argentine footballer Emiliano Garré and uncle of Benjamin Garré . He is the first son of the Argentine coach Emiliano Garré , the brother of the Argentine footballer Oscar Garré and uncle of Benjamin Garré . 0 +Emu Park was also the crossroads of Central Western Line and the Rockhampton line . Emu Park was also the junction of the Central Western line and Rockhampton line . 1 +The Stejioara River is a tributary of the Bârnărel River in Romania . The Bârnărel River is a tributary of the River Stejioara in Romania . 0 +On her wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael for help . Sean is killed on their wedding day , before the ceremony takes place , and Centaine goes to Michael for help . 1 +Fairfax Eagles defeated Philadelphia Fight 20-12 . Fairfax Eagles defeated Fight 20-12 Philadelphia . 1 +While James became a lawyer and politician , Martin operated a successful sawmill near Monticello . While James became a lawyer and a politician , Martin operated a successful sawmill near Monticello . 1 +From 1976 to 1979 , he was also employed as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he joined NBC . He was also employed by CBS Sports as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to NBC . 1 +Ricky decides to fight for Nate and confirmed his love for her . Nate decides to fight for Ricky and confirms his love for her . 0 +He had gained CFL - Coaching - experience as a guest - Coach at the Lions in 1984 and with the Saskatchewan Roughriders in 1985 and 1986 . He had gained CFL coaching experience as a guest coach with the Saskatchewan Roughriders in 1984 and with the Lions in 1985 and 1986 . 0 +"The other song , "" Hej clown "" was written by Benny Andersson and later ABBA member Lasse Berghagen ." "The other song "" Hej Clown "" has been written by Benny Andersson and later ABBA - member Lasse Berghagen ." 1 +The 1990 season Philadelphia Wings marked the fourth season of the team 's operation and the second championship . The 1990 Philadelphia Wings season marked the team 's fourth season of operation and second league championship . 1 +He was born in Glasgow into a Scottish family from Adelaide and is the brother of footballer Ryan McGowan . McGowan was born in Glasgow into a Scottish family from Adelaide . He is the brother of fellow footballer Ryan McGowan . 1 +Annie Young won the individual championship of NCAA Division I under new trainer Caroline Hedwall in 2010 . Caroline Hedwall won the NCAA Division I individual championship in 2010 under new coach Annie Young . 0 +Michael advises the girls to try their poses in the backstage to avoid wasting time on set and get cold . Michael advises girls to try their poses in the backstage in order to avoid wasting time on the set and to cold . 1 +When Mustafa marched to desert Murad in Anatolia , Junayd was persuaded to confront him . When Mustafa marched to confront Murad in Anatolia , Junayd was persuaded to leave him . 0 +He was born in Mauritius ( Quatre Bornes ) in 1951 and died in 2002 . Born in Quatre Bornes ( Mauritius ) in 1951 , he died in 2002 . 1 +Cornelis van Cleve painted primarily mythological paintings and , to a lesser extent , religious scenes and portraits . Cornelis van Cleve painted predominantly religious paintings and to a smaller extent mythological scenes and portraits . 0 +It was the last edition , in which the cyclists participated in commercial teams from 1969 , on national teams were used . It was the last edition in which cyclists participated in commercial teams from 1969 onwards and were used on national teams . 1 +"In July 2012 , Johan Sæther and Ole Sindre repeated the feat by free climbing the "" Krasnoyarsk Route "" ." "In July 2012 Sindre and Ole Johan Sæther repeated the feat of climbing the "" Krasnoyarsk route "" ." 0 +Mount Dana , Elevation , was climbed by the group the following day before Martinez had to return to Muir . The next day Mount Dana was climbed by the group before Muir had to return to Martinez . 0 +The music of the film was composed by S. A. Rajkumar and written by Sirivennela Sitaramasastri . The music of the film was composed by S. A. Rajkumar and lyrics penned by Sirivennela Sitaramasastri . 1 +In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was awarded by King Haakon Haakonsson the Jarldom of Orkney . In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Magnus . 0 +This is the only Albert Campion story told in the first person by Campion . This is the first champion story told by Albert Campion in the single person . 0 +"However , a rational curve "" is not "" a curve parameterized over the rationals , but a curve which can be defined by rational functions ." "A rational curve "" is "" , however , not a curve parameterized over the rational , but a curve that can be defined by rational functions ." 1 +Third is motivation , and the second is ( you guessed it ) motivation . The second second is motivation , and the third is ( you guessed it ) motivation . 0 +This means that Lisp is homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of language itself . This is that Lisp means homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of the language itself . 0 +In March they returned to Reid 's studio to record their first material with latest member Jason Sanderson . In March , they returned to Jason Sanderson 's studio to record their first material with their newest member , Reid . 0 +Brendan McManamon ( * 1982 ) is a Gaelic football player for Ireland and St Judes in Dublin . Brendan McManamon ( born 1982 ) is a Gaelic football player for Dublin and St Judes in Ireland . 0 +Sara Varga ( born 14 April 1982 ) , known professionally as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author , and DJ . Sara Varga ( born April 14 , 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish Vispop singer , songwriter , author and DJ . 1 +reviews the previous three functional analyses and selects an approach selects the three previous functional analyses and reviews an approach . 0 +At the 13th Telecine Awards , Anupam Roy received the Best Lyricist Award from the Special Jury Award for Acting and Parambrata Chatterjee . At the 13th Telecine Awards , it got Parambrata Chatterjee the Special Jury Award for acting , and Anupam Roy , the Best Lyricist Award . 0 +Then Hendrick attempted Tim Richmond to hire Dale Earnhardt , but not . Afterwards , Hendrick attempted to hire Tim Richmond , then Dale Earnhardt , but did not . 1 +Following the death of her grandfather and her grandmother 's struggle with alcoholism , Tyrone Proctor Mary married and moved to Tallahassee , Florida , together . After the death of her grandfather and her grandmother 's struggle with alcoholism , Tyrone Proctor met and married Mary , Together they moved to Tallahassee , Florida . 0 +The story attracted widespread attention from the social media and the mainstream media . The story attracted widespread attention from social media and mainstream media . 1 +Cline was born in Calgary , Alberta , September 10 , 1970 , and grew up in Kelowna , British Columbia . Cline was born on 10 September 1970 in Calgary , Alberta and grew up in Kelowna , British Columbia . 1 +Its College of Education and College of Arts and Humanities offer additional training teachers bilingual education for them to improve their academic Spanish . Its College of Education & College of Arts and Humanities offer additional education teachers bilingual training for them to improve their academic Spanish . 1 +This study also found greater activation of the right amygdala in men and the left amygdala in women . This study also found a greater activation of the left amygdala in men and the right-wing amygdala in women . 0 +Cueto Isabel defeated Gabriela Sabatini 6-0 , 6-2 . Gabriela Sabatini defeated Isabel Cueto 6 -- 0 , 6 -- 2 0 +In winter the weather is moderately cold , in the summer warm . In winter the weather is moderately warm , in summer it is cold . 0 +The site was excavated in 1992 and 1993 by Patrick Garrow of the University of Georgia and David Hally of the Shorter University in Rome , Georgia . The site was excavated in 1992 and 1993 by Patrick Garrow of the University of Georgia and David Hally of Shorter University in Rome , Georgia . 1 +After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this became the permanent family home later . After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this later became a permanent family home . 0 +He died in Ixelles ( Brussels ) on 15 August 1950 . He died on August 15 , 1950 in Ixelles ( Brussels ) . 1 +"Griffith Barracks ( Irish : "" Dún Uí Ghríofa "" ) is a former military barracks on the South Circular Road , Dublin , Ireland ." "South Circular Road , Dublin , Ireland ( Irish : "" Dún Uí Ghríofa "" ) is a former military barracks located on the Griffith Barracks ." 0 +On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was lent to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . 0 +Leonida 's mother was born Princess Valentine Wagner , a member of the same family as Princess Elisabeth Bagration . Valentine Wagner Wagner 's mother was born Princess Elisabeth Bagration , a member of the same family as Princess Leonida . 0 +His remains were later relocated to the British cemetery in the Haydarpaşa district of Üsküdar . His remains were later relocated to the British Cemetery in the Haydarpaşa quarter of the Üsküdar district . 1 +Roxburgh Junction railway station served on the Kelso Line , and was the village of Roxburgh , Scottish Borders , from 1850 to 1964 . The Roxburgh Junction railway station served on the Kelso Line and was the village of Roxburgh , Scottish Borders from 1850 to 1964 . 1 +In 2008 the college section was introduced and Government renamed the school Chittagong Collegiate School & College . In 2008 , the college section was launched and Chittagong Collegiate School was renamed the Government College School . 0 +This later became the permanent family home , after purchase in 1948 by Robert Lorimer 's son , the sculptor Hew Lorimer . After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this became the permanent family home later . 0 +Roxus supported the international bands Poison and Bon Jovi on their respective Australian tours in 1989 . In 1989 Roxus supported international bands , Poison and Bon Jovi , on their respective Australian tours . 1 +HESA , the Higher Education Statistics Agency , assigns a unique number to students . Many universities have their own system of student numbering . HESA , the Higher Education Statistics Agency , assigns students a unique number , many universities have their own system of students - numbering . 1 +It is located in Duchouquet Township and adjacent to Shawnee Township in Allen County . It is located in Shawnee Township and adjacent to Duchouquet Township in Allen County . 0 +Route 309 is a Connecticut state highway in the northwestern Hartford suburbs running from Canton to Simsbury . Route 309 runs a Canton State Highway in the northwestern Connecticut suburbs from Hartford to Simsbury . 0 +Little Tramp is a musical with a book by David Pomeranz and music and texts of David Pomeranz and Steven David Horwich . Little Tramp is a musical with a book by David Pomeranz and Steven David Horwich and music and texts by David Pomeranz . 0 +Productions of the show require a small set and a minimal cast of 6 actors , as well as a solo violinist , who is present on stage throughout the performance . Productions of the show require minimal set and a small cast of 6 actors , as well as a solo violinist who is present on stage throughout the performance . 1 +This was resolved with the Ostrów agreement -- Jogaila became Grand Prince of Lithuania , while Vytautas retained the rights of an overlord . This was solved with the Ostrów agreement -- Vytautas became Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . 0 +Since then , a number of routes have been renamed to North Worcestershire in First Midland Red , along with new routes in competition with Red Diamond 's in Redditch . Since then , a number of routes in North Worcestershire have been renamed Red Diamond along with new routes in competition with First Midland Red in Redditch . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe quieted and French interest in Vietnam was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene calmed in Vietnam , and French interest in Europe was revived . 0 +From 1965 to 2000 , it owned newspaper chains including MediaNews Group and Thomson Newspapers . From 1965 to 2000 , it was owned by newspaper chains including Thomson Newspapers and the MediaNews Group . 1 +Montfortula rugosa , common name the cap-shaped false limpet , is a species of keyhole limpet , a marine gastropod mollusc in the family Fissurellidae . Montfortula rugosa , false name , cap-shaped marine Limpet , is a species of Keyhole Limpet , a common gastropod mollusc in the Fissurellidae family . 0 +The A40 - parallels of the M40 from London to Oxford and was for years the main road between the two cities as a precursor . The A40 parallels to the M40 from Oxford to London and for years was the main road between the two cities as a precursor . 0 +The Istanbul League League season 1907 -- 08 was the first season of the League , Moda FC won the league for the fourth time . The 1907 -- 08 Istanbul Football League season was the first season of the league . Moda FC won the league for the fourth time . 1 +Creswell is served by the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC . Creswell is served by the Roanoke Beacon daily from Plymouth , NC , and the Washington Daily News from Washington , NC , weekly . 0 +Bharri is a village situated in the northeastern Katihar district of Bihar . Bharri is a village in the northeastern district of Bihar of Katihar . 0 +Bay of Arauco or Bahia de Araucan , is a bay located on the coast of the Arauco Province , of the Bío Bío Region of Chile . The Bay of Arauco or Bahia de Araucan is a bay on the coast of the province of Arauco , in the region Bío Bío in Chile . 1 +The 1978 Daytona 500 , the 20th running of the event , was the second race of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the second round of the event , was the 20th race of the NASCAR Winston Cup season in 1978 . 0 +Expansion , Power , Release is an album by American jazz pianist Matthew Shipp which was released in 1999 and recorded on the Swiss hatOLO Expansion , Power , and Release is an album by the American jazz pianist Matthew Shipp , which was released in 1999 and recorded on Swiss HatOLO . 1 +In 1954 the company participated in Gafsa in Tunisia and then intervened in the war to Algeria . In 1954 , the company participated in Gafsa in Tunisia then interved to the war in Algeria . 1 +When Andrew Alexander left the Cyclops works , the Alexander family moved from Sheffield to Bath and Patrick decided on a career in the Merchant Navy . When Andrew Alexander left the cyclops works , the Alexander - family of Bath moved to Sheffield and Patrick decided to carry on a career in the Merchant Navy . 0 +Top singer Noor Jehan was expecting for duets with G. M. Durrani to be the other singers . Top - singer Noor Jehan expected to be the other singers for duets with G. M. Durrani . 1 +Defeated Björn Borg Guillermo Vilas , 6 -- 1 , 6 - - 1 , 6 - 3 - Björn Borg defeated Guillermo Vilas , 6 -- 1 , 6 -- 1 , 6 -- 3 0 +""" Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources for the data used are specified ." "Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources for the data used are given ." 0 +Another unique feature of traditional houses is their special design for the cooling of the interior in summer and heating in winter . Another feature of traditional houses is their unique design for the cooling of the interior in summer and for heating in winter . 1 +Mabanda is a city located close to the southern tip of Burundi , near the border with Tanzania . Mabanda is a city near the southernmost tip of Tanzania , close to the border with Burundi . 0 +President Franklin D. Roosevelt demolished the old Oval Office in 1933 , and built the modern one . In 1933 , President Franklin D. Roosevelt built the modern Oval Office and destroyed the old . 0 +From 2 June 1969 , lectures were held for the first 300 students , and at that time the local workforce consisted of 28 academic lecturers . From 2 June 1969 , lectures were held for the first 300 students , and at that time the academic workforce consisted of 28 local lecturers . 0 +Scopula anfractata is a moth of the family Geometridae . It is found in China ( Yunnan ) . Scopula anfractata is a moth of the family Geometridae and is found in China ( Yunnan ) . 1 +Johnson has worked in molecular genetic animal experiments in laboratories in Melbourne , Townsville Queensland , Sydney , and Boston USA . Johnson has worked in laboratories in Sydney , Townsville Queensland , Melbourne , and Boston USA in molecular genetic animal research . 1 +In the 16th round ( 476th total ) of the Major League Baseball draft in 2004 , Arizona Reynolds was selected by the Arizona Diamondbacks . In the 476th round ( 16th overall rank ) of the Major League Baseball - Draft 2004 , Arizona Reynolds was selected by the Arizona Diamondback . 0 +Boyd was the son of Alexander , 3rd Lord Robert Boyd . The son of Alexander , 3rd Lord Robert Boyd was . 1 +The department is divided into a regional forensic science center in Edmond and four central laboratories : The Division is divided into a regional Forensic Science Center in Edmond and four central laboratories : 1 +Internal mass migration also took place when 2 million Americans migrated to California , of which 1.2 million settled in Los Angeles . Mass internal migration also took place when 2 million Americans migrated to California , 1.2 million of which were settled in Los Angeles . 1 +Dominika Cibulková won the tournament beating in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . Winner of the tournament Dominika Cibulková won in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . 1 +The film is written and staged by Emmy Winner , Jason Moody and Megan Williams and is co-produced by Matt Drummond . The film is written and directed by Emmy Winner , Jason Moody and Megan Williams and co-produced by Matt Drummond . 1 +"The Spaniards called him "" eccentric genius "" because of his original play style , but his motto was "" This is all just a game "" ." "Spaniards called him "" eccentric genius "" due to his original style of play , but his motto was "" This is all just a game """ 1 +"He is also the second cousin of Lauren Waters who has played Georgina Hagen in "" Britannia High "" ." "He is also the second cousin of Georgina Hagen , playing in "" Britannia High "" Lauren Waters ." 0 +The station signal could be heard from Vancouver to Vancouver , British Columbia , Washington , DC . The station signal was to be heard from Vancouver , British Columbia , Vancouver , Washington . 0 +Drietoma is a village and municipality in the district Trenčín in the region of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the Trenčín Region in the Trenčín District of northwestern Slovakia . 1 +Isaacs was born in Panama in 1915 into a Panamanian father and a Jamaican mother . Isaacs was born in 1915 in Panama to a Panamanian father and a Jamaican mother . 1 +Euthria scepta is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Euthria scepta is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +Apisit Opasaimlikit or Joey Boy ( born in 1975 ) is a Thai hip hop singer and producer . Apisit Opasaimlikit or Joey Boy ( born 1975 ) is a Thai hip hop singer and producer . 1 +Emperor Ferdinand I played a role in the coronation celebrations of Emperor Matthias , 1612 and the election of Johann Reinhard in 1619 . Emperor Ferdinand I played a role at the coronation ceremonies of Emperor Matthias in 1612 and the election of Johann Reinhard in 1619 . 1 +Liparulo was born in West Point , Utah , and attended the Weber State University in New York . Liparulo was born in West Point , Utah . He attended Weber State University in New York . 1 +He was born on May 21 , 1897 , in Sofia and died on June 15 , 1945 , in Yambol . He was born on May 21 , 1897 in Jambol and died in Sofia on June 15 , 1945 . 0 +In 2006 , an additional compressor was introduced with a large prism with side reflectors to enable a multi-pass arrangement at the prism . In 2006 , an additional compressor was introduced with a lateral prism with large reflectors to allow a multi-pass arrangement at the prism . 0 +"Abitos de Faculdade ( Open Faculty Committees , "" CAF "" in English ) was a student organization of Galiza ." "Comités Abertos de Faculdade ( CAF , "" Open Faculty Committees "" in English ) was a student organization of Galiza ." 1 +He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on August 5 , 1875 . 0 +The film was produced by Harry Alan Towers and directed by Peter Collinson . The film was produced by Harry Alan Towers and was directed by Peter Collinson . 1 +Ukrainian troops opened fire on Pro-Russian positions on 33 occasions , killing one civilian , two policemen and wounding three Ukrainian soldiers . On 33 occasions , Ukrainian troops opened fire on pro-Russian positions , killing a civilian and two policemen , and wounding three Ukrainian soldiers . 1 +He was an atheist in later life , but converted into a believer in the early stages . He was an atheist in early life , but transformed into a believer in the later stages . 0 +McConkey is best remembered for his performance in the Super Bowl XXI after the 1986 season in Denver Broncos , which recalls the Giants 39-20 over the Giants . McConkey is best remembered for his performance in Super Bowl XXI after the Denver Broncos ' 1986 season , which the Giants won 39-20 over the Giants . 1 +"In the United States , many anthropologists used Caucasian as a general name for "" white "" ." "In the United States , many anthropologists used white as a general term for "" Caucasian "" ." 0 +The Greek census of 1951 included a total of 127 Muslim Albanian chams in Epirus . The Muslim Albanian census of 1951 counted a total of 127 Greek Chams in Epirus . 0 +Sears Bay , Sears Crescent and Sears Place in Arbor Creek and Herbert S. Sears Park in Fairhaven were named in his honor . Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named as his honors . 0 +Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature painter . Clara Louise Janowsky ( 1886 - 1978 ) ( known as Clara Louise Bell ) was an American miniature painter . 1 +The free tetracubes from two complete sets of corresponding tetrominos can also fit into 2 × 4 × 5 and 2 × 2 × 10 boxes . The free tetracubes from two complete sets of corresponding tetrominoes can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes . 1 +The Jiul de Vest river is a tributary of the River Furu in Romania . The Jiul de Vest River is a tributary of the Furu River in Romania . 1 +Every evening will be an optimistic celebration of the discussion , a pep rally for the inner spirit and an intimate look at the overwhelming intensity of life . Each evening will be an optimistic celebration of discussion , a pep rally for the inner spirit , and an intimate look at the overwhelming intensity of life . 1 +The Eastern Australian Football League is an Australian rule football competition in the eastern United States of America and a department of the United States Australian Football League . The United States Australian Football League is an Australian football competition rule in the eastern United States of America and a division of the Eastern Australian Football League . 0 +During the campaign in 1943-1945 , there were more than 10,000 marriages between American girls and Italian soldiers . During the campaign of 1943-1945 , there were more than 10,000 marriages between American girls and Italian soldiers . 1 +Morrow can mean either the next day in particular or the future in general . Morrow can mean either the next day in general or the future in particular . 0 +RVD tried to reverse the hold but Flair rolled into the ropes to break the hold . RVD tried to reverse the hold , but Flair was rolling into the ropes to break the hold . 1 +The 2013 Texas A 'M Aggies Football Team represented Texas A ' M University at the NCAA Division I FBS Football - Season 2013 , where they played their home games in Kyle Field . The football team of Texas A 'M University from 2013 represented Texas A ' M Aggies in the FBS season of NCAA Division I . They played their home games at Kyle Field . 0 +Honey bees have three castes : drones , workers and queens , drones are female , workers and queens are male . Honey bees have three castes : drones , workers , and queens . Drones are male , while workers and queens are female . 0 +A documentary about Opal and his wife Lee directed by Jeff Silva and Vic Rawlings is made . A documentary film is being made about Opal and his wife Lee , directed by Jeff SIlva and Vic Rawlings . 1 +It was founded in 2002 by Metin Üstündağ , Selçuk Erdem , Erdil Yaşaroğlu and Bahadır Baruter . It was founded by Metin Üstündağ , Bahadır Baruter , Erdil Yaşaroğlu and Selçuk Erdem in 2002 . 1 +Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the Oklahoma plains . Deaton was born in Clayton , New Mexico and his family lived in a tent on the Oklahoma plains for two years . 1 +"After "" The Kids "" was recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recaptured with Derrick except "" The Kids "" with Derrick ." "After "" The Kids "" was recorded with the drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recorded with Derrick , except for "" The Kids "" ." 1 +Finally , the global stiffness matrix is constructed by adding the individual expanded element matrices together . Finally , the global stiffness matrix is extended by adding together the individual element matrices constructed . 0 +The team consisted of : Kym Johnson , Keo Motsepe , Lindsay Arnold , Sharna Burgess and Sasha Farber . Dancing With The Stars team consisted of : Lindsay Arnold , Sharna Burgess , Keo Motsepe , Kym Johnson , and Sasha Farber . 1 +He also worked in several houses and monasteries in Belgium , in the castle of Beaulieu ( Ghent ) in Machelen and in Horst Castle . He also worked in several houses and monasteries in Belgium , in Beaulieu Castle ( Ghent ) in Machelen and in Horst Castle . 1 +"In his retirement , MacDonald compiled the "" Macdonald dictionary of Canterbury biographies "" , a collection of 12,000 biographies held by the Canterbury Museum ." "In his retirement , MacDonald wrote the "" Macdonald dictionary of Canterbury - Biographies "" , a collection of 12,000 biographies run by the Canterbury museum ." 1 +The Jiul de Vest river is a tributary of the River De La Hagher in Romania . The Jiul de Vest River is a tributary of the De La Hagher River in Romania 1 +Following the match Hart attacked Shawn Michaels in anger . Following the match , Hart Shawn Michaels attacked anger . 0 +During the UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . At the UFC Fight Night 101 Jon Tuck managed to steal a victory against Brown with a split decision . 0 +Renzo Furlan won 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang in the finals . Renzo Furlan won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang . 1 +Despite the attentions of Ehinger father Vicente de Requejada , Augustine died on May 31 , 1533 , and was buried under a tree . Despite the attention of the father of Augustine Vicente de Requejada , Ehinger died on 31 May 1533 and was buried under a tree . 0 +"By "" his example and his actions , he had contributed significantly to the expulsion of the Paraguayan invaders from Brazilian soil ." His example and his actions he had contributed decisively to the expulsion of the Brazilian invaders from Paraguayan soil . 0 +The musicians on the 7th March recording session included Larry Knechtel , drums ; Hal Blaine , guitar ; Don Randi , bass ; and Al Casey , piano . Among the musicians of the recording session on March 7th were Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . 1 +Next , Lee looked at Jake Matthews on July 8 , 2016 , where Lee won the fight via TKO in the first round . Lee next faced Jake Matthews on July 8 , 2016 , at . Lee won the fight via TKO in the first round . 1 +On 22 December 2015 , the successor rocket , the Falcon 9 , successfully brought its first stage on its twentieth flight for the first time . The successor rocket , the Falcon 9 , landed its first stage successfully on land for the twentieth time on its first flight , on December 22 , 2015 . 0 +The section from Interstate 5 to Canyonville in Fifth Street overlaps OR 99 . From Interstate 5 to Fifth Street in Canyonville , the section overlaps OR 99 . 0 +"Clive Egleton 's screenplay is based on Leigh Vance 's novel "" Seven Days to a Killing "" ." "The screenplay by Clive Egleton is based on Leigh Vance 's novel "" Seven Days to a Killing "" ." 1 +Although discovered in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first studied in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were discovered by Samuel Alejandro Lafone Quevedo in 1888 , they were first investigated in 1897 by the archaeologist Juan Bautista Ambrosetti . 1 +Potter married in 1945 . He and his wife Mary ( a weaver ) had two children , Anne ( born 1947 ) and Julian ( born 1952 ) . He and his wife Mary ( a weaver ) had two children , Anne ( born in 1947 ) and Julian ( born 1952 ) . 1 +Guido died in 1955 , and the company was directed by his son Bruno Caloi until 1999 . In 1955 , Bruno Caloi died , and the company was led by his son Guido until 1999 . 0 +"1946 -- The state of Prussia is abolished after the Second World War , Meppen becomes part of the newly created "" Land "" Lower Saxony ." "1946 -- The state of Prussia is abolished after the Second World War . Meppen becomes part of the newly created "" Land "" of Lower Saxony ." 1 +In the series , Chris Brown 's character dates a character played in the fourth season of the popular music star Willa Holland . In the series , Willa Holland 's character dates a character that was played by the popular music star Chris Brown in the fourth season of the show . 0 +In 2015 , the Middleton branch of Quality Save was founded , and a superstore in the former Tesco unit next door was closed . In 2015 , the Middleton branch of Quality Save was closed , and a superstore was launched in the former Tesco unit next door . 0 +The Dublin Council of Unions is the Trade Council for Ireland in the county of Dublin . The Dublin Council of Unions is the trade council for the county of Dublin in Ireland . 0 +"The river , also known as the "" Mauritius "" , was sometimes named after the Count ." "The river , sometimes also known as the "" Mauritius "" , was also named after the Count ." 0 +The game was mainly poorly received . The game was mainly poorly received . 1 +The original flag , however , had a brownish color instead of green . However , the original flag had a brownish colour instead of green . 1 +Recruits : 4 , plus 2 , but not nominated . Recruits : 4 , plus 2 enlisted but not nominated . 1 +The FedEx Express season 2002 was the first season of the franchise at the Philippine Basketball Association ( PBA ) . The PBA season of 2002 was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . 0 +Probably the best-known version of the song was produced by Dick Rowe and recorded in the UK by The Stargazers in 1953 . Probably the most famous version of the song was produced by Dick Rowe and was recorded in 1953 by The Stargazers in the UK . 1 +It was directed by Go Nagai , his first film as director and his third as a solo director . Directed by Go Nagai , his first film as director and his third film as a solo director . 1 +He died on April 23 , 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . He died in Long Island , New York ( now Elmhurst Station ) , Flushing , Newtown , April 23 , 1881 . 0 +Paavo Mikkonen ( born 25 January 1942 ) is a former Finnish sports shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports contactor . 1 +In 1871 he moved to Southern California for health reasons , where he settled in Santa Barbara . In 1871 , for health reasons , he moved to Santa Barbara , where he first settled in Southern California . 0 +He has a son ( born 2000 ) from a former relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . He has a son ( born 2000 ) from a previous relationship with TV presenter Angela Gessmann . In July 2011 Lanz married Birgit Schrowange . 1 +The breeding takes place in Veracruz from May and in Yucatán between August and April . In Veracruz , breeding takes place from May onwards and in Yucatán , between August and April . 1 +Earlier in 209 , Sun Quan Sun married Quan ’ s younger sister , Lady Sun , to strengthen the alliance between him and Liu Bei . Earlier in 209 , Liu Bei married Sun Quan 's younger sister Lady Sun to strengthen the alliance between him and Sun Quan . 0 +Scouting in Malaysia ( now YMCA ) was first introduced in Malaya in 1908 as an experimental troop in Penang before it spread throughout the peninsula . Scouting in Malaysia ( now YMCA ) was first introduced in Malaya in 1908 as an experimental troop in Penang before spreading throughout the entire peninsula . 1 +The Bishop 's reeve at Rötelen Castle managed the city and held the low court rights . The Bishop 's Office at the Rötelen Castle held the city and managed the low court rights . 0 +In 1963 , he met Eddie Brigati ( a pickup singer on the local R & amp ; B circuit ) and Felix Cavaliere ( a classically trained pianist ) . Danelli met Eddie Brigati ( a pickup singer on the local R & B circuit ) , and Felix Cavaliere ( a classically trained pianist ) in 1963 . 1 +It was known for most of its time next to Naval Air Station Dallas , now called the Grand Prairie Armed Forces Reserve Complex . It was located for most of its time next to Grand Prairie Armed Forces Reserve Complex , now known as the Naval Air Station Dallas . 0 +"However , the Georgian language is the singular form when the quantity is specified , so that in practice the plural of "" tetri "" only uses "" tetri "" ." "However , the Georgian language is the singular form when the quantity is specified , so , in practice the plural of "" tetri "" uses just "" tetri "" ." 1 +From 1957 until 1974 , Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts . Bassett was the owner of the Canadian Football League from 1957 to 1974 , a team in the Toronto Argonauts . 1 +Lielplatone Parish is an administrative unit of the district of Jelgava ( prior to the administrative reforms of the municipality of Jelgava in 2009 ) , Latvia . Lielplatone parish is an administrative unit of the Jelgava Municipality ( prior to the 2009 administrative reforms the Jelgava District ) , Latvia . 0 +Matos is married with four adult children , Natalie , Mary Alexandra , Lee , and Yefry . Matos is married , four adult children , Natalie , Mary Alexandra , Lee and Yefry . 1 +The party is currently led by Paolo Grimoldi as national secretary and Giacomo Stucchi as national president . The party is currently run by Paolo Grimoldi as national secretary and Giacomo Stucchi as national president . 1 +It is a part of Panama City -- Lynn Haven -- Panama City Beach It is part of the Panama City Beach -- Lynn Haven - Panama City 1 +6 -- 3 , 6 -- 4 defeated Billie Jean King . Billie Jean King defeats Ann Jones , 6 -- 3 , 6 -- 4 0 +The Windsor Link Railway also proposes a solution for southern railway access to Windsor as well as connections to Slough via a tunnel in Heathrow . The Windsor Link Railway also proposes a solution for southern rail access to Windsor as well as linking to Slough via a tunnel in Heathrow . 1 +This species is caught regularly along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . This species is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey , and Spain . 1 +The series was written by Jim Starlin and penciled by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . The series is written by Jim Starlin and Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 0 +A member of the Bapounou people , he was born at Moussambou and educated in public secondary schools , then at the local Catholic school of Lambaréné . He was a member of the Bapounou people , was born in Moussambou and trained in public secondary schools , then at the local catholic school of Lambaréné . 1 +The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architects Nicola Salvi and concluded by Pietro Bracci . The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architect Nicola Salvi and completed by Pietro Bracci . 1 +Politician and entrepreneur Juhan Kukk ( 1885 -- 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . Politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . 1 +The sandwich is particularly popular in Massachusetts and has been proposed as the official state sandwich of the New England . The sandwich is particularly popular in Massachusetts and has been proposed as the official state sandwich of New England . 1 +He also received music lessons from friends of Buitrago , including the Venezuelan pianist Pablo Desverine and Cuban pianist and composer Teresa Carreño . He also received music lessons from friends of Buitrago , including the Venezuelan pianist Pablo Desverine and the Cuban pianist and composer Teresa Carreño . 1 +If the n vectors are linearly independent , equality is achieved in the inequality of Hadamard if and only if the vectors are orthogonal . If the n vectors are linearly independent , equality in Hadamard 's inequality is achieved if and only if the vectors are orthogonal . 1 +"The decision to use clear contemporary clothing was what Houseman called "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." "Houseman called the decision to use modern dress "" an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . """ 0 +Pura Khana is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Pura Khana is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 0 +Andreas Schelfhout was born in Schellingwoude now in Amsterdam . He studied painting with Nicolaas Johannes Roosenboom , a leading Romantic landscape painter . Andreas Schelfhout was born in Schellingwoude in Amsterdam and studied painting with Nicolaas Johannes Roosenboom , a leading romantic landscape painter . 1 +Lottia emydia is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . Lottia emydia is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 0 +Sinan ( also romanized as Sīnān ) is a village in Azari County , in the central district of Esfarayen , North Khorasan Province , Iran . Sinan ( also Romanized as Sīnān ) is a village in Esfarayen County , North Khorasan Province , Iran , in the Azari Rural District of Central District . 0 +Chloe Bennet was born in Chicago , Illinois , Chloe Wang and is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an intern . Chloe Bennet was born Chloe Wang in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . 1 +The Eurocup Final Four 2012 was the final stage of the Eurocup season 2011 -- 12 , the 10th season of the second best basketball league in Europe . The Eurocup Final Four 2012 was the final stage of the Eurocup season 2011-12 , the second season of the 10th Basketball League in Europe . 0 +Constantine Giannaris , also Constantinos Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . Constantinos Giannaris ( born 1959 in Athens , Constantine Giannaris ) is a Greek director , screenwriter , and actor . 1 +Brazil had signed a separate Loizaga -- Cotegipe Treaty with Paraguay already in 1872 and now did much to help Paraguay in its negotiations with Argentina . Brazil had signed a separate Loizaga - Cotegipe contract with Paraguay in 1872 and already did much to help Paraguay in its negotiations with Argentina . 0 +As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Everett , Landover and Atlanta . As part of a tightening campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Everett , Landover and Atlanta . 1 +"In the fourth novel , "" Dead to the World "" , he is kidnapped and bitten repeatedly by a werepanther and becomes a bitten werepanther ." "In the fourth novel "" Dead to the World "" , he is repeatedly bitten by a Werepanther and becomes a kidnapped and bitten Werepanther ." 0 +Sean Kandel is Chief Technical Officer and co-founder of Trifacta , along with Joseph M. Hellerstein and Jeffrey Heer . Sean Kandel is Trifacta 's Chief Technical Officer and Co-founder , along with Joseph M. Hellerstein and Jeffrey Heer . 1 +The river Calova is a tributary of the River Timiş in Romania . The River Timiş is a tributary of the River Calova in Romania . 0 +She left Sydney via Madras to London on 1 January 1829 . She left London on 1 January 1829 via Madras to Sydney . 0 +Judah lives with his wife Denise and the children of Jeremy Horn , Liam and Daisy in his hometown of Memphis . Jeremy Horn lives in his hometown of Memphis , with his wife Denise and children Judah , Liam and Daisy . 0 +"She found Westwick 's portrayal of Chuck was similar to James Spader of "" Pretty in Pink "" and Robert Downey , Jr.." "She found Westwick 's portrayal of Chuck was James Spader of "" Pretty in Pink "" and Robert Downey , Jr. similar ." 1 +"The hyperbolic case is similar , given to the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic level by" "The hyperbolic case is similar , given the area of a disk of the hyperbolic radius "" R "" in the ( intrinsic curvature formula 83 ) constant level by" 0 +"However , species such as "" T. eurycephalus "" had a deeper rust and a shorter skull ." "However , species such as "" T. eurycephalus "" had a shorter rostrum and a lower skull ." 0 +Toxo was replaced by the Basque regional secretary , Unai Sordo , whom Toxo supported as a candidate at the Congress . Toxo was supported at the congress by the Basque regional secretary Unai Sordo , whom Toxo replaced as a candidate . 0 +These include the Union of European Federalists , the International Movement and the European Federalist Party . These include the Union of European Federalists , the European Federalist Party and the European International Movement . 1 +Humphries was born in Stonebroom , Derbyshire , son of John Thomas Humphries and his wife Eliza . John Thomas Humphries was born in Stonebroom , Derbyshire , the son of Humphries and his wife Eliza . 0 +We did not join the Arabs from the other villages bombarding Jewish vehicles in 1947 . In 1947 we did not join the Arabs from the Jewish villages that bombed other vehicles . 0 +"Television specials include Executive Producer of Fox 's "" 20th Anniversary Special "" for ABC and Pixar 's "" Star Wars : Connections "" for Lucasfilm ." "The specials include Pixar 's executive producer "" 20th Anniversary Special "" for ABC and Lucasfilm 's "" Star Wars : Connections "" for Fox ." 0 +"The museum has an interpretative centre with displays on prairie history and ecology as well as an interactive art installation titled "" lost _ landscape "" by Winnipeg artist Collin Zipp ." "The museum has an interpretative centre with exhibits on prairie history and ecology , as well as an interactive art installation entitled "" Lost landscape "" by the Winnipeg artist Collin Zipp ." 1 +Other places are Sultanganj in the Bhagalpur and Vaidyanath Jyotirlinga in Deoghar , Jharkhand . Other places are Sultanganj in Deoghar , Jharkhand and Vaidyanath Jyotirlinga in Bhagalpur . 0 +Simeon P. was born in Winton , North Carolina on June 11 , 1890 to Taylor and Kate ( Taylor ) Ward . Simeon P. was born on 11 June 1890 in Winton , North Carolina , around Taylor and Kate ( Taylor ) Ward . 1 +In 1378 , when John II died , Johannes III inherited most of these possessions . When John II died in 1378 , John III inherited most of these possessions . 0 +Vertical Communications was acquired by Comdial in September 2005 . Comdial was acquired in September 2005 by Vertical Communications . 0 +When combined for joint or coalition operations , it was known as a common or employed air operations centre for coalition operations . When combined for joint or coalition operations , it was known as a joint or employed air operations center for coalition operations . 1 +The team -- kits for season 2005 -- 06 are produced by Vivatel and sponsored by Uhlsport . The team kits for season 2005 -- 06 are manufactured by Uhlsport and sponsored by Vivatel . 0 +The eldest son of Colonel Henry Lyell and Katharine Murray Lyell , was a nephew of Sir Charles Lyell , 1st Baronet , the geologist . Colonel Charles Lyell 's eldest son was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . 0 +The port of Suppāraka is either modern Sopara near Bhārukaccha or modern Bharukh , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . The port of Suppāraka , is either modern Sopara near Bhārukacha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bhārukaccha . 0 +Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a professional racing cyclist , brother of another former Belgian bicycle professional , Bert Scheirlinckx . Staf Scheirlinckx ( born 12 March 1979 in Herzele ) is a Belgian former professional road bicycle racer , the brother of another professional cyclist , Bert Scheirlinckx . 0 +The system moved on October 16 at 0600 UTC to the west and passed north of Guam near Saipan . The system moved on October 16 around UTC 0600 to the west and passed north of Saipan near Guam . 0 +Orson Welles saw Schilling in Florida and followed him into New York . Orson Welles was in New York Schilling and followed him to Florida . 0 +Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC is operated by Creswell . Creswell is served by the Roanoke Beacon daily from Plymouth , NC , and the Washington Daily News from Washington , NC , weekly . 0 +Shortly after Ellis ' birth , Sandra became aware that a previous diagnosis of a hernia was wrong . Shortly after Ellis 's birth , Sandra became aware that a previous diagnosis of a hernia was incorrect . 1 +These dioceses had indirect election of three members , direct election of four members : These dioceses had an indirect election of three members , a direct election of four members : 1 +Black Drawing Chalks is a graphic rock band from Goiânia , Goiás , Brazil , founded in 2005 by a group of Brazilian design students . Black Drawing Chalks is a Brazilian rock band from Goiânia , Goiás , Brazil , formed in 2005 , by a group of graphic design students . 0 +Ashley was born on November 1 , 1986 and is a contemporary dancer from Arizona , who originally grew up in Los Angeles . Ashley was born on 1 November 1986 and is a contemporary dancer from Los Angeles who originally grew up in Arizona . 0 +She married Antonio Bourque and lived in Moncton first before returning to the Villa Providence in Shediac . She married Antonio Bourque , and first lived in Moncton before retiring to Villa Providence in Shediac . 1 +In 2016 , a group of white students of the Wiggins High School laid a noose around a black student 's neck . In 2016 a group of white students at Wiggins High School put a noose around the neck of a black student . 1 +While octreotide has reduced the terminal threonin to the corresponding amino alcohol . While octreotide has the terminal threonine reduced to the corresponding amino alcohol . 1 +"She was "" one of the most important patients of Sigmund Freud and for a short time around 1897 herself became a psychoanalyst "" ." She became one of the most important patients of Sigmund Freud and was herself a psychoanalyst for a short time around 1897 . 0 +The music was written by Mariamma Philip and the lyrics by Darsan Raman composed . The music was written by Mariamma Philip and lyrics was composed by Darsan Raman . 1 +In June of 1921 , the Giants Perritt sold the Detroit Tigers . In June 1921 , the Detroit Tigers sold Perritt to the Giants . 0 +"He subsequently began "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which was produced as "" The Problemist Fairy Chess Supplement "" ." "He subsequently produced "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which began as "" The Problemist Fairy Chess Supplement "" ." 0 +Karen and Kristoffer have eight children together . Kristoffer together with Karen had eight children . 1 +With the weakening of the Canadian dollar , manufacturing sales and exports and employment increased in November and December 2015 . In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports rose and employment increased . 1 +The Gnawa music mixes pre-Islamic African Sufism with classical Islamic traditions , whether local or sub-Saharan . Gnawa music mixes pre-Islamic African Sufism with classical Islamic traditions , whether local or sub-Saharan . 1 +Unfortunately , Tam has the ability to analyze people and situations , and manipulate them expertly . Unfortunately , Tam has the ability to manipulate and expertly analyze people and situations . 0 +The festival was founded in 2007 and debuted in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . The festival debuted in 2007 and began in Phoenix , Arizona and has been in San Diego , Houston and Zurich since then . 0 +In 2011 , Ligron published 2 books in Japan and another book in Thailand in 2012 . In the year 2011 , Ligron published 2 books in Thailand and another book in Japan in 2012 . 0 +In 1997 he founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . In 1997 , he co-founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . 1 +The Commission was led first by George Bowers , then Marshall McDonald , George Brown Goode , and finally Spencer F. Baird . The Commission was first chaired by George Bowers , then Marshall McDonald , George Brown Goode , and finally Spencer F. Baird . 1 +The university claimed 36 national team championships , including 7 national football championships ( football championships are not awarded by the NCAA ) . The university has awarded 36 national championships , including 7 national football championships ( football championships are not claimed by the NCAA ) . 0 +In 1967 , he became a monk at the Stagrimo Gompa , a Drukpa Kagyu monastery in Ladakh near Padum . In 1967 he became a monk at Stagrimo Gompa , a Drukpa - Kagyu monastery in Padum near Ladakh . 0 +However , after Alfred de Falloux 's resignation and replacement by Carnot , the commission was dissolved . However , the Commission was dissolved after Carnot 's resignation and the replacement by Alfred de Falloux . 0 +The bridge starts in Denmark and the tunnel is in Sweden . The bridge starts in Sweden and the tunnel in Denmark . 0 +"He appeared in "" The Secret Circle "" on The CW and performed in the Hallmark - series "" When Calls the Heart "" ." "He appeared in "" The Secret Circle "" on The CW and starred in the Hallmark series "" When Calls the Heart "" ." 1 +The Nette is a small river in Rhineland-Palatinate , Germany , a left tributary of the Rhine . The Nette is a left river in Rhineland-Palatinate , a small tributary of the Rhine . 0 +As a first year in 2011 , she appeared in 22 games and started in 23 out of the 24 total matches . As the first year in 2011 she started in 22 games and appeared in 23 of a total of 24 games . 0 +Also other studies were submitted to the Congress by the Federal Power Commission and Power Authority of New York . Other studies were also presented to the Congress by the Federal Power Commission and the Power Authority of New York . 1 +Seremban is part of the Nilai constituency of the Malaysian Parliament 's Dewan Rakyat , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Nilai is part of the Seremban constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 0 +Hearnshaw also had the positions of Honorary Secretary of the Historical Association , 1931-1934 and President of the Royal Historical Society , 1936-1938 . Hearnshaw also held the posts of Honorary Secretary of the Historical Association , 1931-1934 and President of the Royal Historical Society , 1936-1938 . 1 +Scutellastra tucopiana is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Patellidae , one of the families of true limpets . Scutellastra tucopiana is a species of sea snail , a true limpet , a true gastropod mollusk in the Patellidae family , one of the families of the Marine limpets . 0 +He fought Wyatt Earp in a bout refereed by a young 21-year-old Mike Donovan on July 4 , 1868 or 1869 in Cheyenne , Wyoming . He fought Wyatt Earp in a battle led by a young 21-year-old Mike Donovan on 4 July 1868 or 1869 in Cheyenne , Wyoming . 1 +We take things with an open mind , while historians tend to find a subject and use the material to prove their point . "We approach things with an open mind , while historians tend to take a subject and find the material to prove their point. """ 0 +The association reached the first round of the Challenge Cup , the second round of the League Cup and the sixth round of the Scottish Cup . The club reached the first round of the Challenge Cup , the second round of the League Cup and the sixth round of the Scottish Cup . 1 +The Harana is rooted in the Spanish-Mexican tradition and is based on the rhythmic patterns of the Habanera . The Harana is rooted in the Spanish-Mexican tradition and based on the rhythmic patterns of the habanera . 1 +The team -- kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . The team kits for season 2005 -- 06 are manufactured by Uhlsport and sponsored by Vivatel . 0 +For example , 351 W 5th Avenue is just west of Fifth Avenue on the south side of High Street . For example , 351 W 5th Avenue is approximately west of High Street on the south side of Fifth Avenue . 0 +Following the takeover of the Nazi regime in 1936 , he was forced to withdraw as a citizen of evangelical faith with Jewish ancestors . After the takeover of the Nazi regime , he was forced to retire in 1936 , as a citizen of Jewish faith with evangelical ancestors . 0 +The first oil source in Indian territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . The first oil source in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian territory , although it was not completed until 1888 . 0 +The untrained Confederates were totally confused in this situation and their organization was lost . The uneducated Confederates were totally confused in this situation , and their organization was lost . 1 +Martina Navratilova defeated Margaret Court 6 -- 3 , 3 -- 6 , 6 - 3 . Margaret Court defeated Martina Navratilova 6 -- 3 , 3 -- 6 , 6 -- 3 0 +Cashel is a village in Ireland , in the province of Connacht , County Galway . Cashel is a village in the province of Connacht , County Galway , Ireland . 1 +The team was founded in 2013 , played their final season in 2014 and played their first season in 2016 . The team was established in 2013 , played their first season in 2014 and played their final season in 2016 . 0 +This French-supported production with Jean Louis Martinoty , conductor , and his orchestra was directed by John Eliot Gardiner . This French-supported production with John Eliot Gardiner , conductor , and his orchestra was directed by Jean Louis Martinoty . 0 +September 2 : CF Caleb Joseph and CF Michael Bourn activated ; C Tyler Wilson , LHP Drew Stubbs , and RHP Jayson Aquino recalled from AAA Norfolk . September 2 : CF Michael Bourn and CF Drew Stubbs activated , C Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson recalled by AAA Norfolk . 0 +Typically , the warmest day of the year is reached , and a maximum temperature of or above should reach 3.7 days a year . Typically , the warmest day of the year will attain , and 3.7 days a year should reach a maximum temperature of or above . 1 +The Government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of the Punjab Province . The government of Punjab , a provincial government in the federal structure of Pakistan , is in Lahore , the capital of the province of Punjab . 1 +Jack Evans won his second title in cruiser weight by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . He won his second Cruiserweight title by winning 5-man stroke ladder - match against Sugi San , Jack Evans , Rocky Romero and Teddy Hart . 0 +He also has long but small ears like a mouse 's . He has also small but long ears like a mouse . 0 +A green ring can be altered to function like a white ring if the user can master the emotional spectrum . A white ring can be changed to function like a green ring if the user can master the emotional spectrum . 0 +Counties include : Elkhart , LaPorte , Marshall , St. Joseph and Strong Counties in Indiana and Berrien and Cass Counties in Lower Michigan . Counties include : Elkhart , LaPorte , Marshall , St. Joseph and Starke counties in Indiana , and Berrien and Cass counties in Lower Michigan . 1 +Her mother was a full blood of the tribe , and her father the owner of a pastoral station which later passed into the hands of the McLachlan family . Her mother was a shepherd ’ s blood of the tribe and her father was the owner of a full station , which later passed into the hands of the McLachlan family . 0 +She talks to Jen 's parents and speculates that Jess has come back to take the earrings . She talks to Jen 's parents and speculates that Jess may have come back to take the earrings . 1 +"The version of "" Jingle Bells "" is a cover of the fast-paced arrangement written by Marty Paich and originally recorded by Barbra Streisand ." "The version of "" Jingle Bells "" is a cover of the edition written by Marty Paich and originally recorded by Barbra Streisand ." 0 +It is also possible to develop an offline version to download your own bots . It is also possible to develop an off-line version to download your own bots . 1 +The Podriga River is a tributary of the River Izvoarele in Romania . The Podriga River is a tributary of the Izvoarele River in Romania . 1 +The NBA season between 1982 and 83 was the 37th season of the National Basketball Association . The season 1982 -- 83 National Basketball Association was the 37th season of NBA . 1 +In 2013 , the highest birth rate for teenagers in Alabama was and the lowest in Wyoming . In 2013 , the highest teenage birth rate was in Wyoming , and the lowest in Alabama . 0 +In May 1942 , she joined the 1st Indian Brigade in the 23rd Indian Division . It joined the 1st Indian Brigade in the 23rd Indian Division in May 1942 . 1 +Margaret Craske was born on 26 November 1892 in Norfolk , England , as the daughter of Edmund and Hannah Craske . Margaret Craske was born on 26 November 1892 in Norfolk , England , daughter of Edmund and Hannah Craske . 1 +It followed MacPaint and was a competitor to SuperPaint from Silicon Beach Software . It was MacPaint and followed a competitor to SuperPaint by Silicon Beach Software . 0 +A Bollywood remake of the film was made in 2005 named Rog with Irrfan Khan and Ilene Hamann directed by Himanshu Brahmbhatt . A Bollywood remake of the film was made in the year 2005 named Rog starring Irrfan Khan and Ilene Hamann Directed by Himanshu Brahmbhatt . 1 +Field 's is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . 1 +The Portishead Times is a weekly free newspaper delivered to households in Portishead and the surrounding villages of North Somerset , England . The Portishead Times is a weekly free newspaper delivered to homes in the Portishead and surrounding villages area of North Somerset , England . 1 +Vladimír Železný ( born March 3 , 1945 in Samara , Czech Republic ) is a media businessman and politician in the Soviet Union . Vladimír Železný ( born 3 March 1945 in Samara , Czech Republic ) is a media businessman and politician in the Soviet Union . 1 +In bioinformatics , short indexes of the sequence assembly of inverted fragments of sequenced DNA are very important . In bioinformatics , inverted indexes are very important in the sequence assembly of short fragments of sequenced DNA . 0 +Her husband continued to England and died in Europe in 1804 . Her husband traveled to Europe and died in 1804 in England . 0 +There I went forth , and there he was : here and there I find him to my sorrow . There went I , and there was he : here and there to my grief I find him . 1 +"A real nightingale is used in "" and "" to replace a mechanical nightingale for a princess ." "A real nightingale is featured in "" and is used to replace a mechanical nightingale for a princess ." 1 +"Immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" in 1912 ." "Immediately after he and Whitehead PM published , he wrote his 1912 "" The Problems of Philosophy "" ." 0 +"The former actor Conlan Carter , who appeared in the TV series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ "The former actor Conlan Carter , who appeared on the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ 1 +The most important innovation of the efficient matrix method is the development of hierarchical algorithms for implementing : The most important innovation of the hierarchical matrix method is the development of efficient algorithms for performing 0 +The expressway continues for another mile , crosses several buildings in short tunnels before crossing the Alexander Hamilton Bridge via the Harlem River into the Bronx . The expressway continues another mile , crossing under several buildings in short tunnels , before crossing the Harlem River via the Alexander Hamilton Bridge into the Bronx . 0 +Dyson died on board a ship when he was travelling from Australia to England in 1939 and buried at sea . Dyson died on board a ship while travelling from England to Australia in 1939 and was buried at sea . 0 +"Durbin and Grey reprise their roles from "" Three Smart Girls "" , and Parrish replaces Barbara Read in the role of the middle sister ." "Parrish and Grey repeat their roles with "" Three Smart Girls "" and Barbara Read replaces Durbin in the role of the middle sister ." 0 +He studied at Davis Studio in Sydney and at Julian Ashton Art School in Melbourne . He studied at Davis Studio , Sydney and at the Julian Ashton Art School in Melbourne . 1 +The mastaba was the pre-dynastic and early dynastic type of tomb in standard Egypt for both the pharaoh and the social elite . The Mastaba was the standard type of the grave in pre- and early Dynastic Egypt for both Pharaoh and the social elite . 0 +The installation began on 29 October 2011 and the umbrella doors started operation on 31 January 2012 . Installation started on 29 October 2011 and the screen doors began operation on 31 January 2012 . 0 +Nancy returns home and thanks her mother for attempting to protect her , but Gwen appears in a mirror behind Freddy . Nancy returns home , and thanks her mother for trying to protect her , but Gwen appears in a mirror behind Freddy . 1 +Since 2002 , Scotland A has participated in the Amateur Four Nations competition and travelled to Serbia , the Netherlands and Italy . Since 2002 , Scotland A has participated in the competition of the Amateur Four Nations and visited Italy , the Netherlands and Serbia . 1 +On March 16 , 1494 , Maximilian Bianca Maria Sforza was married . On March 16 , 1494 , Bianca Maria Sforza married Maximilian . 1 +"The case was shown in the BBC - Drama "" In Denial of Murder "" ( 2004 ) , in which Jason Watkins played Stephen Downing and Caroline Catz Wendy Sewell ." "The case was featured in the 2004 BBC drama "" In Denial of Murder "" in which Jason Watkins played Stephen Downing and Caroline Catz played Wendy Sewell ." 0 +Lü Bu 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Cao Bao . The second wife of Lü Bu , who was mentioned only by name in the novel , was a fictional daughter of Cao Bao . 1 +Finn Malmgren was rescued the next day , the body of Mariano and Zappi were not found . The next day , Finn Malmgren was rescued , the corpse of Mariano and Zappi were not found . 1 +In 1981 , when he succeeded Karlheinz Kaske , Plettner became the first Chairman of the Supervisory Board who was not a member of the Siemens family . When he was succeeded by Karlheinz Kaske in 1981 , Plettner became the first chairman of the supervisory board not to be a member of the Siemens family . 1 +""" m "" represents the number of edges and "" n "" is the number of vertices ." """ m "" is the number of edges and "" n "" represents the number of corners ." 0 +On May 6 , 2016 it was announced that Palafox signed to New York Cosmos B of the National Premier Soccer League . On 6 May 2016 , it was announced that Palafox has signed the National Premier Soccer League at New York Cosmos B . 1 +Looker spent 2000 training camp with the New England Patriots before being traded to the Rams on August 7 . Looker spent a training camp with the Rams in 2000 before being traded on 7 August with the New England Patriots . 0 +The new purpose built Keppel Gate section of A18 Snaefell Mountain Road was constructed in the period from 1864 to 1866 . The new Keppel Gate section of the A18 Snaefell Mountain Road was built in the period from 1864 to 1866 . 1 +The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharges . The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharge . 1 +He started his career in Paris for a year until he returned to Switzerland from 1971 to 1979 to work in gravure . Burki started his career in Paris for a year , until he returned to Switzerland to work in rotogravure from 1971 to 1979 . 1 +During a transit , Mars would be visible from Earth as a small black disk moving across the face of the sun . During a transit , the Earth would be visible from Mars as a small black disc moving across the face of the sun . 0 +Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1st . The current ( from 2013 to 2017 ) mayor is Fernando Nogueira , elected by the PenCe ( communal movement ) , the independent holiday is October 1 . 0 +Surfers often travel to San Lorenzo to find powerful waves ( regularly head high ) . Surfers often travel to San Lorenzo to find powerful waves ( regularly high ) . 1 +From 1993 to 2001 , Huntsman worked as senior executive for Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . 0 +Chandler and Connie Chandler have been nominated by the Independent Party of Utah and Crane and Alma Peter Crane received 1,101 votes . The Independent Party of Utah nominated Alma Peter Crane and Connie Chandler . Crane and Chandler received 1,101 votes . 0 +Jesse meets Saul in the desert and tells him that Walt can contact someone who specializes in creating new identities . Walt meets with Jesse in the desert and tells him that Saul can contact someone that specializes in creating new identities . 0 +In 1991 he left Germany to work in the area of palliative care for cancer patients in Italy as well as in various Third World countries . He left Italy in 1991 to work in the field of palliative care for cancer patients in Germany as well as in various countries in the Third World . 0 +The River Stroe is a tributary of the River Nechitu in Romania . The Stroe River is a tributary of the Nechitu River in Romania . 1 +Almost the entire range is part of the Sandia Mountain Wilderness area , including the Cibola National Forest . Almost the whole area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . 0 +"EA developed a new "" Syndicate "" game for Starbreeze Studios which was released on 21 February 2012 ." "EA has developed a new "" Syndicate "" game for Starbreeze Studios , which was released on February 21 , 2012 ." 1 +April 16 , 1984 -- became adult contemporary WCGY , music of the 1960s and 1970s with 25 % of current music . April 16 , 1984 - became adult current WCGY , 1960s ' and 1970s ' music with 25 % contemporary music . 0 +All significant and currently available albums are listed in the discography below , with accreditation delineated as necessary . All significant and currently available albums are listed in the discography below , with accreditations as necessary . 1 +The partially closed short vowels began as initial , unloaded vowels , but were later reduced . The partially closed initial unstressed vowels began as short vowels , but were later reduced . 0 +At the age of nine , Garcia appeared in his first concert and has since appeared alone or with his aunt and uncle in all parts of France . Garcia appeared in his first concert at the age of nine , and since then he performed alone or with his aunt and uncle in all parts of France . 1 +The NBA season from 1954 to 55 was the ninth season of the National Basketball Association . The season 1954 -- 55 National Basketball Association was the ninth NBA season . 1 +He friends Raghu Rama Iyer ( Vineeth ) and John Kuruvilla ( Biju Menon ) there . There he befriends Biju Menon ( Vineeth ) and Raghu Rama Iyer ( John Kuruvilla ) . 0 +While allopathic medicine has followed the development of society , osteopathic medicine is a more recent development . While allopathic medicine has pursued the development of society , osteopathic medicine is a recent development . 1 +"The society has published over 60 works in its "" numerous other papers "" series as well as occasional works ." "The company has published over 60 works in its series "" numerous other papers "" as well as occasional works published ." 1 +Fotbal Club Forex Braşov was a Romanian professional club from Braşov , Romania , who was founded in October 2002 and was dissolved in 2011 . Fotbal Club Forex Braşov was a Romanian professional football club from Braşov , Romania , dissolved in October 2002 and founded in 2011 . 0 +The paper reports on business , politics , developments in corporate and labour law , commercial news and features . The paper reports on the economy , politics , developments in commercial and labour law , corporate news and features . 0 +"According to the new doctrine , French principles should be observed , especially to protect the principle of "" freedom of action "" ." "According to new doctrine , French principles should be observed , primarily to protect the principle of "" Freedom of Action "" ." 1 +Samata Express is a super quick express train between New - Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by the East Coast Railway . Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated from the East Coast railway . 0 +According to the fundamental theorem of algebra , all polynomial equations with real or complex coefficients in a single variable have a solution in complex numbers . According to the fundamental theorem of the algebra , all polynomial equations with real or complex coefficients in a single variable have a solution in complex numbers . 1 +In 2009 , Damien Ritter founded his own independent record label , Funk Volume , with Hopsin . In 2009 , Hopsin with Damien Ritter founded his own independent record label Funk Volume . 0 +In many problems , it is more convenient to work with D and the free charges than with E and the total charge . For many problems it is more convenient to work with D and free charges than with E and the total charge . 1 +"Ricci is known for publishing the original edition of the "" Codex Seraphinianus "" and some of Guido Crepax 's books ." "Guido Crepax is known for publishing the original edition of "" Codex Seraphinianus "" and some Ricci books ." 0 +The first trustees were David Limond Murdoch , Arthur Mielziner Myers ( President ) , Robert Hall and Alfred Seymour Bankart . The first trustees were Robert Hall ( chairman ) , David Limond Murdoch , Arthur Mielziner Myers and Alfred Seymour Bankart . 0 +The Ojhas are spiritual guides , teachers and members of the highest ritual rank as brahmans in the varna system of Hinduism . The Ojhas are ritual leaders , teachers and members of the highest spiritual rank as brahmans in the varna system of Hinduism . 0 +Its subtropical or tropical moist habitats are natural forests and plantations . Its subtropical or tropical moist habitats are natural lowland forests and plantations . 1 +He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy from 2001 to 2006 for six years in a row . Living in Turin , Italy for ten years , he won The Bardolino classic race in Italy for six years in a row , from 2001 to 2006 1 +Belleville has a bicycle path that runs through the city from the Scott Air Force Base to Southwestern Illinois College and Southside Park and is mainly used for recreational purposes . Belleville has a bicycle trail that runs through the city from Scott Air Force Base to Southwestern Illinois College and Southside Park ; it is mainly used for recreational purposes . 1 +In 1593 Richard Brown served the church , followed by David Rogers in 1601 and Alexander Fleming in 1612 . In 1593 , David Rogers served in the church , followed by Richard Brown in 1601 and Alexander Fleming in 1612 . 0 +The Lord Chancellor , a post in the Channel Islands Government , is responsible for relations between the government and the UK . Lord Chancellor , a post in the British Government , is responsible for the relations between the government and the Channel Islands . 0 +Benjamin Jefferson Hill died on 5 January 1880 at the Old City Cemetery in McMinnville and is buried at McMinnville , Tennessee . Benjamin Jefferson Hill died January 5 , 1880 at McMinnville , Tennessee and is buried in Old City Cemetery , McMinnville . 0 +The national championships in road cycling 2010 began in January in Australia and New Zealand , most of the European championships will take place in June . The national championships in road cycling 2010 began in January in Australia and New Zealand , most of the national championships will take place in June . 0 +Rice is harvested in mid-August and planted around Christmas and New Year . Rice is planted mid-August and harvested around Christmas and New Year . 0 +It located in Himachal Pradesh ( Tattapani ) , at the altitude of 650mts , perfect temperature for the healing treatments . It is located in Himachal Pradesh ( Tattapani ) , at an altitude of 650mts , the perfect temperature for the treatments . 1 +She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on January 21 , 1751 . She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on the 21 January 1751 . 0 +As a secretary of the archbishop of Split he went to Venice , and in 1503 through Zagreb to Hungary . As Secretary of the Archbishop of Split , he went to Venice and in 1503 through Zagreb to Hungary . 1 +The government of the town of Rongcheng is located in Qingyang County . The government of Qingyang County is located in the town of Rongcheng . 0 +The first amber tournament was held in Monaco in 2011 , as were the 20th Amber Tournament . The 20th Amber Tournament was held in 2011 in Monaco , as was the first Amber Tournament . 0 +"Whipworm often infects patients also with "" Giardia "" , "" Entamoeba histolytica "" , "" Ascaris lumbricoides "" and hookworms infected ." "Whipworm commonly infects patients also infected with "" Giardia "" , "" Entamoeba histolytica "" , "" Ascaris lumbricoides "" , and hookworms ." 1 +Corruption was widespread in Persia , and discipline in the army was dangerously lax . Corruption was widespread in Persia and discipline in the army became dangerously lax . 1 +The completed action plan , published on 3 March 2006 , will be placed by other members of the Task Force directly in the hands of ministerial ministers . The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the Ministers for Ministers by other members of the task force . 1 +The Furu River is a tributary of the River Jiul de Vest in Romania . The Jiul de Vest River is a tributary of the Furu River in Romania . 0 +James James and his brother were born in Alfreton , Derbyshire , John . John and his brother were born in Alfreton , Derbyshire , James . 0 +Today the railheads for Wellsville Alma are township and friendship . Today the railheads for Wellsville are Alma Township and Friendship . 1 +New teaching sites were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli in the 1990s . New teaching sites were opened in the 1990s in Alessandria , Biella , Ivrea , Mondovì and Vercelli . 1 +On 29 March 2013 , Lancina Cotonsport left Garoua from Cameroon and signed a Grupa team PFC Lokomotiv Sofia for Bulgaria . On 29 March 2013 , Lancina signed Cotonsport Garoua from Bulgaria and left for Cameroon A Grupa side PFC Lokomotiv Sofia . 0 +He addresses the social , political , and cultural history of Islam , from a sociopolitical and psychological perspective . He addresses the socio-political and psychological history of Islam from a social , political and cultural perspective . 0 +Chris Chris Paul signed with Oklahoma City Thunder , and Carmelo Anthony signed the Houston Rockets . Chris Paul signed to the Oklahoma City Thunder , and Carmelo Anthony signed with the Houston Rockets . 1 +The state is divided into four administrative districts , with offices in Jackson , Crossville and Morristown ( including the location of the headquarters ) , Nashville . The state is divided into four administrative regions , with offices in Jackson , Crossville and Morristown ( also the location of the headquarters ) , Nashville . 1 +Alfred Gregson ( March 2 , 1889 - March 1968 ) was an internal English football professional who played for Grimsby Town and Bury in the Football League . Alfred Gregson ( 2 March 1889 -- March 1968 ) was an English professional football inside left who played in the Football League for Grimsby Town and Bury . 0 +The song was originally produced by Mopreme Shakur and features Hurt-M-Badd , Big Syke , Johnny J , Yaki Kadafi & E.D.I.. The song was originally produced by Johnny J and features Hurt-M-Badd , Big Syke , Mopreme Shakur , Yaki Kadafi 's E.D.I . 0 +"Santiago is the Vulgar evolution of Galician Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is the Galician evolution of the Latin vulgar Sanctu Iacobu , "" Saint James "" ." 0 +For waste disposal , residents have black rubbish bins for rubbish and blue garbage bins for recycling . For waste disposal , residents have blue bins for garbage , and black bins for recycling . 0 +During peak hours , the services of Kentish Town continue to Bedford . During peak hours , Kentish Town services continue to Bedford . 1 +"The other song "" Vopreki "" ( "" Despite "" ) was written by Konstantin Meladze , performed by Russian star Valery Meladze ." "The other song "" Vopreki "" ( "" Despite "" ) was performed by Konstantin Meladze . This song is written by Russian star Valery Meladze ." 0 +James the Fat would never return to his native Scotland . He remained an exile in Ireland until his death . His widowed mother and sister remained in Scotland . James the Fat would never return to his native Scotland , he remained in exile in Scotland until his death , his widowed mother and sister in Ireland . 0 +In 2011 , the U20 - Team of Dorset and Wilts 4 won and played 3 in the U20 County Championship competition . In 2011 the Dorset and Wilts U20 side won 4 and played 3 in the U20 County Championship competition . 1 +Amish Mennonites with Swiss descent from Galicia settled in 1815 near Dubno . Amish Mennonites of Swiss descent from Galicia settled near Dubno in 1815 . 1 +Napoleon visited the individual exhibits on Mondays , as Louis Philippe had done . On Monday , as Louis Philippe had done , Napoleon visited the individual exhibits . 1 +For many centuries it was a royal chapel and from 1480 a royal strange chapel , independent of the diocese of Lichfield and even the province of Canterbury . For many centuries it was a chapel royal , and from 1480 a royal peculiar , independent of the Diocese of Lichfield and even the Province of Canterbury . 1 +""" It had to be sexy and provocative , but in a long , sexy , slender way ." """ It had to be long , sexy , sleek , but in a sexy and provocative way "" ." 0 +The 2013 Texas A & M University football team represented Texas A & M Aggies in the 2013 , NCAA Division I FBS football season . They played their home games at Kyle Field . The 2013 Texas A 'M Aggies Football Team represented Texas A ' M University at the NCAA Division I FBS Football - Season 2013 , where they played their home games in Kyle Field . 0 +A lot of trouble later caused Marwan and some of Ali 's supporters who later became Khawarij . Marwan and some of Ali 's supporters who later became the Khawarij caused a lot of trouble . 1 +In the same year he played in the UEFA Champions League qualification against HJK Helsinki and Celtic Glasgow and later in UEFA Cup against Dinamo Zagreb . In the same year he played in the UEFA Champions League - Qualification against Dinamo Zagreb and later in the UEFA Cup against HJK Helsinki and Celtic Glasgow . 0 +He retired in 1951 and died in 1956 . In 1951 , he died and retired in 1956 . 0 +In 1920 he represented Italy at the Oceanographic Congress in Madrid , and in 1924 he represented the geographical society at the International Geographical Congress in Cairo . In 1920 , he represented Italy at the Oceanographic Congress in Cairo , and in 1924 represented the geographical society at the International Geographical Congress in Madrid . 0 +In 2014 , Huston Smith 's authorized biography was published by Sawyer . In 2014 , Sawyer 's authorized biography of Huston Smith was published . 0 +Air Manas has its own certified aircraft base for the technical maintenance of aircrafts . Air Manas has its own certified aviation-technical base for the operational maintenance of aircraft . 0 +It was obtained in 1987 from parts of the Lake Centre , Humboldt -- Assiniboia and Moose Jaw Ridings . It was re-created in 1987 from parts of Assiniboia , Humboldt -- Lake Centre and Moose Jaw ridings . 0 +Humphrey , however , supported McKeithen in 1968 at the Democratic National Convention in Chicago . McKeithen , however , had supported Humphrey at the 1968 Democratic National Convention in Chicago . 0 +In November 2012 she was in Tokyo and in Cairo in October to write at the film festivals , interact with programmers and visit studios . In November 2012 she was in Cairo and in October in Tokyo to write at the film festivals , interact with programmers and visit studios . 0 +"At BHCC , Phillips Brooks preached his first sermon and his Christmas Carol "" O Little Town of Bethlehem "" had its last performance ." "Phillips Brooks preached its last sermon at BHCC and its Christmas song "" O Little Town of Bethlehem "" had its first performance ." 0 +The third season was premiered on 7 June 2010 , and like the fourth season was the system of competition in mixed pairs . The fourth season was premiered on June 7 , 2010 . Like the third season the system of the competition was in mixed couples . 0 +Still generates a metric that defines global convergence in the figure . Still generates a metric that defines the global convergence in measure . 1 +Several local buses and minibuses stop at the intersection of the airport , 800 metres north of the airport terminals , on the D400 State Road to East-West . Several local buses and minibuses that run north-west on the D400 state road , stop at the Airport intersection , 800 metres east of the airport terminals . 0 +Linkuwa Pokhari is a village and Village Development Committee in Khotang District in the Sagarmatha Zone of eastern Nepal . Linkuwa Pokhari is a village and village development committee in the district of Khotang in the Sagarmatha area in eastern Nepal . 1 +The railway station of Ash Town was a train station on the East Kent Light Railway and served the village Ash . Ash Town railway station served a railway station on the East Kent Light Railway . The station was the village of Ash . 0 +McKeithen , however , had supported Humphrey at the 1968 Democratic National Convention in Chicago . However , McKeithen Humphrey had supported Humphrey at the Democratic National Convention in Chicago in 1968 . 1 +Williamstown Station is located on the North Williamstown line in Victoria , Australia . North Williamstown railway station is located on the Williamstown line in Victoria , Australia . 0 +The stretch between Chiswick 's western border to Syon Lane ( Gillette Corner ) is known as the Golden Mile with some notable Art Deco factories . The stretch between Chiswick 's western border to Syon Lane ( Gillette Corner ) is known as the Golden Mile with some remarkable Art Deco factories . 1 +On 16 December 2015 , a meeting was held in the Auberge de Castille in Valletta , Malta , between the leaders of the two rival governments in Libya . On 16 December 2015 , a meeting between the leaders of the two rival governments of Malta took place at the Auberge de Castille in Valletta , Libya . 0 +Several of these names were chosen to correspond to their rough equivalents in international chess , and not as literal translations of the Japanese names . These names were chosen to correspond to their rough equivalents in the international chess , not as literal translations of Japanese names . 1 +Fancher also says that the theory of CBT is inconsistent with many principles and research of rationality , and even ignores basic rules of logic . Fancher also says that the CBT theory is incompatible with many principles and research of rationality , and even ignores basic rules of logic . 1 +Makopong is a village in Kgalagadi District of South Africa . It is located close to the border with Botswana . The population was 1,697 in the 2011 census . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is close to the border to South Africa . 0 +Mabanda is a city near the southernmost tip of Burundi , close to the border with Tanzania . Mabanda is a city near the southernmost tip of Tanzania , close to the border with Burundi . 0 +On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final list of the eight players on the official ATP World Tour website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . 0 +He started his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and visual audio producer . He started his career as a photojournalist , but soon distinguished himself also as an industrial and advertising photographer and visual-audio producer . 1 +The team was formed as the Orlando Seals and played its first season beginning in October 2002 with the Atlantic Coast Hockey League ( ACHL ) . The team was formed as the Atlantic Coast Hockey League and played its first season in October 2002 with the Orlando Seals ( ACHL ) . 0 +The concordant Greek text forms the basis of the concordant literal New Testament , which is more idiomatic in its English than the hyperliteral Sublinear . The Concordant Greek Text forms the basis of the Concordant Literal New Testament , which is more idiomatic in its English than the hyper-literal sublinear . 1 +For 1934 , the body was redesignated and redesigned again as 452D and 452E in 1935 . For 1934 , the body was denoted again and redesigned as 452D , and as 452E in 1935 . 1 +She is open about her disapproval of Rob 's father , Rob and often mentions how bad a father he was against Billy . She is open about her disapproval of Rob 's father , Billy and often mentions how bad a father he was to Rob . 0 +Although the Maryland Department of Transportation is headquartered in Anne Arundel County , three of its subordinate organizations have headquarters located in Baltimore . Although the Maryland Department of Transportation is located in Anne Arundel County , three of its subordinate organizations have their headquarters in Baltimore . 1 +The following organs were visited : Argao in Cebu ( still playable ) , and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Bohol . The following organs were visited : Argao in Bohol ( still repeatable ) and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Cebu . 0 +It is located close to Old Iloilo Airport at 113 R. Mapa Street in Iloilo City 's Mandurriao district . It is located close to the Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of Iloilo City . 1 +"In hieroglyphic Arabic , Egyptian writing is called "" the alphabet of the birds "" ." "In hieroglyphic Arabic , the Egyptian script "" is called the alphabet of birds "" ." 1 +LaRoche was recalled on 1 September after being degraded to Triple-A Las Vegas . After being recalled to Triple-A Las Vegas , LaRoche was demoted on September 1 . 0 +Proteins that form stable complexes with binding molecules are often referred to as receptors while their other partners are called ligands . Proteins that form stable complexes with other molecules are often described as receptors , while their binding partners are called ligands . 0 +Meanwhile , ASHRAE 189.1 , the first of a generation of sustainable construction codes , requires daylight zones and defines daylight harvesting control . Meanwhile , ASHRAE 189.1 , the first of a generation of codes for sustainable construction , defines daylight zones and requires control of daylight extraction . 0 +Research and innovation in Europe is also supported by the programme Horizon 2020 , which is financially open to participation worldwide . The promotion of research and innovation in Europe is being financially supported by the Horizon 2020 programme , which is also open to participation worldwide . 0 +The Trolley lines pushed through the Reiffton , in the Birdsboro area on the way to Farming Ridge and in the township area towards Boyertown . Trolley lines pushed through the Township , in the Farming Ridge area on its way to Boyertown and in the Reiffton area headed towards Birdsboro . 0 +Additionally , a left-handed team played against Marylebone Cricket Club ( MCC ) in two other games . Additionally , a left-handed team played in two other matches against MCC ( Marylebone Cricket Club ) . 1 +African stone tool technologies are divided into modes such as those proposed in 1969 by Grahame Clark and described by Lawrence Barham and Peter Mitchell as follows : African stone tool technologies are divided into the modes outlined by Lawrence Barham and Peter Mitchell in 1969 , and proposed by Grahame Clark as follows : 0 +In October 2017 , the school became Outwood Grange Academies Trust , and joined Outwood Academy Redcar . In October 2017 , the Outwood Grange Academies school became trust and joined the Outwood Academy Redcar . 1 +Written by George Mastras and directed by Michelle MacLaren , broadcast on AMC in the United States and Canada on September 8 , 2013 . Written by Michelle MacLaren and directed by George Mastras , broadcast on AMC in the United States and Canada on 8 September 2013 . 0 +The station opened on 1 July 1903 on the Donegal Railway Company line from Glenties to Stranorlar . The station was opened on 1 July 1903 on the Donegal Railway Company railway from Stranorlar to Glenties . 0 +Rod Lyne married Amanda Mary Smith in 1969 . In 1969 , Amanda married Rod Lyne , Mary Smith . 0 +The 1981 Purdue University football team represented Purdue Boilermakers during the football season of the Big Ten conference in 1981 . The 1981 Purdue Boilermakers football team represented Purdue University during the football season of the Big Ten Conference in 1981 . 0 +Another set of hermeneutic concepts used by Mahayana - Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . Another series of hidden concepts used by Mahayana - Buddhists are the four hermeneutical intentions ( abhipraya ) and the four special intentions ( abhisamdhi ) . 0 +Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles north of the border to Virginia . Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the border to Virginia . 0 +The Qatari team , headed by HE Sheikh Mohammed Bin Hamad Al Thani , is a group of current officials and riders . The Qatari team , headed by SE Sheikh Mohammed Bin Hamad Al Thani , is a group of current officials and riders . 1 +Dimou was awarded the Dimitris Mitropoulos in 2000 . Dimitris Mitropoulos was awarded the Dimou award in 2000 . 0 +The popular series follows a unique group of craftsmen from the West Virginia . The unique series follows a popular group of craftsmen from West Virginia . 0 +It comes in standard black worldwide , although a white version has only been released in Japan . It comes in standard black only even though a white version was released worldwide in Japan . 0 +If an Autonumber is a long integer , the property codice 3 determines whether it is from the start + increment or random form . If an AutoNumber is a long integer , the codice _ 3 property determines whether it is of the start + increment or random form . 1 +The Soviet Union maintained embassy in Moscow and a consulate in Barentsburg , while Norway maintained an embassy in Oslo . The Soviet Union maintained an embassy in Oslo and a consulate in Barentsburg , while Norway maintained an embassy in Moscow . 0 +Mahoning Creek is a tributary of the Lehigh River in Schuylkill and Carbon counties , Pennsylvania , in the United States . Lehigh River is a tributary of the Mahoning Creek in Schuylkill and Carbon County , Pennsylvania , in the United States of America . 0 +The next major city is Shimla , Bhota is East , and Jahu is West of Hamipur and Sarkaghat The nearest major city is Sarkaghat . Bhota is west , and Jahu is east of Hamipur , and from Shimla , 0 +The band then added bassist Duane Cowan , who recently moved from Los Angeles to Japan . The band added bassist Duane Cowan , who had recently moved from Japan to Los Angeles . 0 +""" Son of Coma Guy "" is the third episode of the seventh season of "" House "" and the fifty-third episode overall ." """ Son of Coma Guy "" is the third episode of the seventh season of "" House "" and the fifty-third episode in total ." 1 +Is the direct impact between two magazines and P ( i , i ) the self-citation rate measures . is the direct impact between any two journals and P ( i , i ) measures the self-citation rate . 1 +He joined the Canadian Fencibles in Scotland in 1803 and came to Quebec with them in 1805 . In 1803 , he joined the Canadian Fencibles in Quebec and joined them in 1805 to Scotland . 0 +The 2013 Alcorn State Braves football team represents Alcorn State University in the NCAA Division I FCS Football - Season 2013 . The 2013 Alcorn State University football team represents Alcorn State Braves in the NCAA Division I FCS football season 2013 . 0 +The township borders Medford Township , Tabernacle Township and Washington Township in Burlington County ; Hammonton in Atlantic County ; and Waterford Township in Camden County . The municipality borders Hammonton in Burlington County , Medford Township , Tabernacle Township and Washington Township in Camden County and Waterford Township in Atlantic County . 0 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and is directed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and directed by Sheikh Sadi Khan . 1 +Minervén Sport Club , usually Minervén Bolívar Fútbol Club , formerly known as Minervén , is a Venezuelan football club . Minervén Sport Club , formerly known as Minervén Bolívar Fútbol Club , is a Venezuelan football club , usually known as Minervén . 0 +In 1901 the critic Henri Cazalis ( alias Jean Lahor ) , listed the workshop as one of the best producers in France of Art Nouveau ceramics . In 1901 , the critic Henri Cazalis ( aka Jean Lahor ) listed the workshop as one of the best manufacturers of Art Nouveau ceramics in France . 1 +The winner of the playoffs was Blu : sens Monbús and promoted to 2011 -- 12 CB Murcia season with ACB , the champion of the regular season . The winner of the playoffs was Blu : sens Monbús and 2011 -- 12 CB Murcia season with ACB , the champion of the regular season sponsored . 0 +In 1884 , Norway was founded and township named after Folden in New Folden . Norway was organized in 1884 , and named after Folden in New Folden Township . 1 +In 2009 , Wizard canceled the event in Los Angeles and postponed the Texas Convention . In 2009 , Wizard canceled the Los Angeles event and postponed the Texas convention . 1 +These background areas included the state of California , 4 zones in New York City , Las Vegas NV , and a 300-mile radius around Hawaii . These background zones included the state of California , 4 zones in New York City , Las Vegas NV , and a 300-mile radius around Hawaii . 1 +Vehicle registration plates in Hungary usually consist of six characters on white background with black letters . Vehicle registration numbers in Hungary usually consist of six characters on white background with black letters . 1 +Patterson appeared and hit Triple H , Stone Cold Steve Austin , Brisco , Shane and Vince with a chair . Cold Steve Austin appeared and hit Triple H , Patterson , Brisco , Shane and Vince with a chair . 0 +He spent his exile in France and in Italy preached Gareccio , where he preached . He spent his exile in Italy and , in France , preached Gareccio , where he preached . 0 +After Izumi drew some early character designs for Hibiki , Izumi wanted to continue the story and start a manga with Maeda as the artist . After Izumi drew some early character designs for Hibiki , Izumi wanted to continue the story and start a manga with Maeda as an artist . 1 +The homeless football club was then moved to come under the umbrella of Middlesbrough and Teesside Sports Foundation , which also fell within the charity 's remit . The homeless - Football - Club was also under the umbrella of Middlesbrough and Teesside Sports Foundation , which then fell within the charity 's remit . 0 +"In the documentary "" The Gettysburg Address "" of 2015 , Edward Everett is portrayed by the actor Ed Asner ." "In the 2015 documentary film "" The Gettysburg Address "" , Ed Asner is portrayed by actor Edward Everett ." 0 +He died on July 23 , 1942 at his home in Trenton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . He died in his home in Trenton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . 1 +The same year , he was appointed Vicar General for the Mississippi and Illinois region of the Diocese of Quebec . In the same year , he was appointed General Vicar for the Mississippi and Illinois region of Quebec Diocese . 1 +Sumner Slichter was the brother of geophysicist Louis B. Slichter , father of physicist Charles Pence Slichter , and the grandfather of musician Jacob Slichter . Jacob Slichter was the brother of geophysicist Charles Pence Slichter , the father of the physicist Louis B. Slichter and the grandfather of the musician Sumner Slichter . 0 +"In 1948 , B & amp ; H Publications produced through the camera "" in cooperation with Cousin Harold White "" George Bernard Shaw ." "In collaboration with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 by the camera "" ." 0 +Further editions of the book were published after D. F. Luckenbill 's death in 1950 by Cressey and Sutherland as co-authors . Further issues of the book were published as co-authors following Sutherland 's death in 1950 by Cressey and D. F. Luckenbill . 0 +Jenny Maria Öhlund is a Swedish singer better known as Jenny Silver ( born January 22 , 1974 ) . Jenny Maria Öhlund better known as Jenny Silver ( born January 22 , 1974 ) is a Swedish singer . 1 +In November 1888 , Laura Clay invited Lucy Stone to present a lecture at the AWSA Convention in Cincinnati . In November 1888 , Laura Clay invited Lucy Stone to present a paper at the AWSA convention in Cincinnati . 1 +Abolitionists rose to the defense of Ellen and William Craft in 1850 , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . Abolitionists increased in 1850 to the defense of Ellen and William Craft , Anthony Burns in 1851 and Shadrach Minkin in 1854 . 0 +On the day of their wedding , Michael is killed before the ceremony takes place , and Centaine goes to Sean 's help . On her wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael for help . 0 +His family later moved from Brooklyn to the 110th Street and Amsterdam Avenue in Manhattan . His family later moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . 1 +He left Egypt to Cairo , where he met in Tunis Mahmud al-Kurdi of the Khalwati Order . He left Tunis towards Egypt , where he met in Cairo Mahmud al-Kurdi of the Khalwati Order . 0 +"For example , the only values of "" n "" up to 600000 for which there are more non-Pythagorean odd than Pythagorean primes are 26861 and 26862 ." "For example , the only values from "" n "" are up to 600,000 , for which there are more pythagorean than non-Pythagorean odd primes , 26861 and 26862 ." 0 +The constituency is in South Wales , situated on the right bank of the River Afan , near its mouth in Swansea Bay . The constituency is located in Swansea Bay , on the right bank of the River Afan , near its mouth in South Wales . 0 +He was the second son of Leonor Rodrigues and Mrs. Gil Aires born . He was the second born son of Gil Aires and wife Leonor Rodrigues . 0 +She was born on January 30 , 1912 as the first daughter of banker Maurice Wertheim and his Jewish wife Alma Morgenthau . She was born on January 30 , 1912 as the Jewish daughter of banker Maurice Wertheim and his first wife , Alma Morgenthau . 0 +"Such a very high "" Q "" resonator stores energy with very low loss and narrow bandwidth ." "Such a very narrow "" Q "" resonator stores energy with a very high loss and a low bandwidth ." 0 +She retained her snake shape at home and accompanied a human figure when she resumed hunting for the Shuar man . She maintained her snake shape at home and accompanied a human figure when she resumed the Shuar man hunting . 1 +He was born in Bromma and died in Stockholm . He was born in Bromma , died in Stockholm . 1 +The manuscript was presented to Eduard Reuss , the bishop of Imbro , Nicephorus Glykas . The manuscript was presented by Nicephorus Glykas , Bishop of Imbro , to Eduard Reuss . 1 +Because there was a lack of evidence to prove that Johnson was not killed in self-defense , Jim was acquitted and allowed to return to home . Because there was a lack of evidence to prove that Johnson was not killed in self-defense , Jim was acquitted and allowed to return home . 1 +In 2014 , Winger announced , he and Lucas divorced . In 2014 , Winger announced that he and Lucas divorced . 1 +At that time , Andrew Johnson was the president , and his government learned that Meacham did not support him . At the time , Meacham was president , and his administration knew that Andrew Johnson did not support him . 0 +The others were Donald Carr from the Repton School and Etonians , Luke White . The others were Luke White from Repton School and the Etonian , Donald Carr . 0 +To apply AIC in practice , we start with a set of candidate models , and then find the models ' corresponding AIC values . To find AIC in practice , we start with a number of candidate models and then apply the corresponding AIC values of the models . 0 +The following week , Williams defeated Drake and retained his title . In the following week , Williams Drake defeated and retained his title . 0 +RAF Ash was closed and the site sold in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . RAF Ash was sold and the site was closed in July 1998 and is now being used by The Bunker , an Internet hosting company , as a secure server farm . 0 +It was designed by Little Rock architect Harold A. Berry and Dallas , Texas Architect F. Eugene Withrow in international style . It was designed by Little Rock Architect F. Eugene Withrow and Dallas , Texas Architect Harold A. Berry in an international style . 0 +Hugo Käch died on December 31 , 2003 in Schaffhausen near Flurlingen , Germany . Hugo Käch died on 31 December 2003 in Flurlingen near Schaffhausen . 0 +Stewart was a contemporary of Dorothy Kate Richmond , by Frances Hodgkins and Gwen Knight . Dorothy Kate Richmond , Frances Hodgkins and Gwen Knight were a contemporary of Stewart . 0 +This manages filter processing , creates the filter chain with the appropriate filters in the correct order and initiates processing . This manages filter processing and creates the filter chain with the appropriate filters , in the correct order , and initiates processing . 1 +He died in Oneida on 20 February 1930 and was buried at the Glenwood Cemetery in Albany , New York . He died on February 20 , 1930 in Albany , New York , and was buried at the Glenwood Cemetery in Oneida . 0 +The younger son of Biju Patnaik , Naveen Patnaik , is current Chief Minister of Odisha . Naveen Patnaik 's younger son , Biju Patnaik , is the current Chief Minister of Odisha . 0 +Scopula anfractata is a moth of the Geometridae family that is found in China ( Yunnan ) . Scopula anfractata is a moth of the family Geometridae . It is found in China ( Yunnan ) . 1 +The individual appearance of the Black Waltzes varies slightly , and each model is more elegant than the previous . The individual appearance of the black waltzes varies easily , and each model is more elegant than the previous one . 1 +He finished his career playing for European teams in various leagues . He finished his career by playing in various leagues for European teams . 1 +Vonberg worked at Imperial College and then joined the Cavendish Laboratory in 1945 , where he studied with Martin Ryle . Vonberg studied at Imperial College and joined the Cavendish Laboratory where he worked with Martin Ryle in 1945 . 0 +At an auction , Mr Cave gave the highest bid for Mr Payne 's goods . At an auction , Mr Payne submitted the highest bid for Mr Cave 's goods . 0 +Glasson won 19 times Australian championships , including nine national hall championships . Glasson won national indoor championships 19 times including nine Australian championships . 0 +The new facility was divided into four sections : an academic wing , a student services wing , and two athletic wings with classrooms . The new facility was split into four sections : an academic wing , a student services wing , and two athletic wings with classrooms . 1 +Staff members Rolo , Stacy , and Kelly sneak into the jungle to have sex . The Rolo , Stacy and Kelly staff sneak into the jungle to have sex . 1 +The game created a 32 - digit alphanumeric password after successful completion of a level , which was also unique to the player 's name in order to allow for a later resumption . The game created a 32 digit unique password after a successful completion of a level , which was alphanumeric also to the player name , to allow later resumption . 0 +Dracco Company Ltd. with Apex Marketing subsequently created the basic version of the game and established the online universe of Chaotic . Dracco Company Ltd. with Apex Marketing then created the basic version of the game and established the online universe of Chaotic . 1 +Born in Retford , Nottinghamshire , as a boy he moved south to the Wiseton Estate , near Gosforth , Northumberland when his father found work there . Born in Retford , Nottinghamshire , he moved as a boy to Wiseton Estate , near Gosforth , Northumberland , when his father found jobs there . 1 +In 1958 , the company got a production structure in Houston , USA , and later in Frederikssund . The company got a production structure in 1958 in Frederikssund and later in Houston , USA . 0 +The Bluemont Junction Trail in Arlington County replaced the line between Washington Boulevard and Bluemont Junction . The Washington Boulevard of Arlington County replaced the line between Bluemont Junction Trail and Bluemont Junction . 0 +Kissell was signed as an infielder in 1940 by Branch Rickey , and spent 69 years with the Cardinals organization . Rickey was contracted by Kissell in 1940 as an infielder and spent 69 years with the Cardinals organization . 0 +Native Americans were drawn from the earliest phases of the show , first hired from the Pawnee tribe ( 1883 - 1885 ) and then by the Lakota tribe . Native Americans were drawn from the earliest stages of the show , first hired from the Pawnee tribe ( 1883 -- 1885 ) and then the Lakota tribe . 1 +The following night , Delirious put his problems with Pearce aside to challenge Danielson . The next night , Delirious put aside his problems with Pearce to challenge Danielson . 1 +Members of the G.723.1 patent pool are Nokia , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . Members of the patent pool G.723.1 are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . 1 +Kalmah 's sixth studio album was released in Europe on 24 February 2010 , Japan on 2 March , North America on 3 March and Canada on 6 April . The sixth studio album was released on February 24 , 2010 in Europe , Japan on March 2 , North America on March 3 , and Canada on April 6th . 1 +Michael Chang won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan . Renzo Furlan won 3 : 6 , 6 : 3 , 7 : 5 against Michael Chang in the final . 0 +In 1874 , she married the Rev . Daniel Merriman , and they had a son , Roger Bigelow Merriman , who became a historian . In 1874 she married the pastor Roger Bigelow Merriman , and they had a son , Daniel Merriman , who became historian . 0 +Central forces that are conservative can always be expressed as the potential gradient of a negative energy . Conservative central forces that are conservative can always be expressed as a negative gradient of potential energy : 0 +Allen was born in Ashland , Kentucky , visited the High School in Oldtown and played at West Virginia University from 1932 to 1934 . Allen was born in Oldtown , Kentucky and attended high school in Ashland . He played football at the West Virginia University from 1932 to 1934 . 0 +Taobao is a Chinese online shopping website similar to eBay , Amazon and Alibaba Group , which is operated by Rakuten in Hangzhou , Zhejiang . Taobao is a Chinese online shopping website similar to eBay , Amazon and Rakuten , which is operated in Hangzhou , Zhejiang by Alibaba Group . 0 +The state of unrest in Poland began to spread into Hungary . The state of unrest in Poland began to spread to Hungary . 1 +He fulfilled this duty with considerable ability and great individuality of treatment . This duty he discharged with considerable ability and great individuality of treatment . 0 +Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . Baron Paul George 's Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . 0 +During the mountain - Karabakh - war , he participated in military operations in Martuni , Askeran , Martakert , Aghdam and was wounded at least three times . During the Nagorno-Karabakh War he participated in military operations in Martakert , Askeran , Martuni , Aghdam and was wounded at least three times . 1 +Inside there are colonial objects , including an old church bell from 1801 and historical paintings and photographs Inside , there are historical buildings , including an old church bell from 1801 and colonial paintings and photographs . 0 +Kuzmice is a village and municipality in the district of Trebišov in the region of Košice in eastern Slovakia . Kuzmice is a village and a municipality in the Košice region in the district of Trebišov in eastern Slovakia . 0 +"Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefit Concerto by "" The Best Little Whorehouse in Texas "" ." "Linda Lou was viewed as a cody on 6 October 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." 0 +In 1975 , he was appointed Papua New Guinea 's first Consul General in Australia . In 1975 he was appointed Australia 's first Consul of General in Papua - New Guinea . 0 +Mwanawasa , however , removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 while leaving Kunda with his position of Justice Minister . 1 +""" Acting for "" has the same basic meaning as "" acting "" , except that it indicates that the original occupant of the position is still formally holding power ." """ Acting for "" has the same basic meaning as "" acting "" , except it indicates that the original occupant of the position still formally holds power ." 1 +These pedo-transfer functions are referred to as predictive functions in a non-spatial context . These pedotransfer functions , in a non-spatial context , are referred to as predictive functions . 1 +Azaloxan ( CGS-7135A ) is a drug which was marketed as an antidepressant by Ciba-Geigy in the early 1980s , but was never patented . Azaloxan ( CGS-7135A ) is a medication that was marketed by Ciba-Geigy as an antidepressant in the early 1980s , but was never patented . 1 +Mountain Hardwear opened its first retail location in Portland , Oregon in April 2008 . A Seattle , Washington retail store opened on December 5 , 2008 . In April 2008 , Mountain Hardwear opened its first retail location in Seattle , and a retail shop in Portland , Oregon , Washington , opened on December 5 , 2008 . 0 +Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in Assam ( India ) . Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in India ( Assam ) . 1 +Manjaguni is a village in Ankola Taluk , district of Uttara Kannada , Karnataka State , India . Manjaguni is a village in Uttara Kannada taluk , Ankola district , Karnataka state , India . 0 +These include replicas in the Shlomo Ramat in Israel and Kfar Chabad in Jerusalem . These include replicas at Ramat Shlomo in Jerusalem and in Kfar Chabad in Israel . 0 +"The debate was presented by the anchors John Nery of GMA News and Jessica Soho and Mike Enriquez , editor-in-chief of "" Inquirer.net "" ." "This debate was presented by the anchors Jessica Soho and Mike Enriquez of GMA News and John Nery , editor of "" Inquirer.net "" ." 0 +"It was originally placed by Alphonse Pyrame de Candolle in 1844 and published and described in its own section , "" Stylotheca "" ." "It was originally placed by Alphonse Pyrame de Candolle in 1844 and was published and described in its own section , "" Stylotheca "" ." 1 +"Sometime in 2000 , the name "" Chemistry "" was dropped and "" Conspiracy "" was released by Chris Squire 's Billy Sherwood ." "Eventually in 2000 , the "" Chemistry "" name was dropped , and "" Conspiracy "" by Chris Squire & Billy Sherwood was released ." 1 +The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition for mixed couples . The third season was premiered on June 7 , 2010 . Like the fourth season the system of the competition was in mixed couples . 0 +"Koome is an island in Lake Victoria , Uganda . The correct spelling that matches the phonetic pronunciation is with two "" O "" s ." "Koome is an island in Lake Victoria , Uganda . The correct spelling that matches the phonetic pronunciation is two "" O "" s ." 1 +SV Lurup is a federal association football club from the city of Hamburg in the German state of the same name . The SV Lurup is a federal association football club from the city of Hamburg in the same named German state . 1 +Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) , it was built by a crew of 300 in a period of 4 months . Designed by Jess Hobbs , Rebecca Anders and PK ( Peter Kimelman ) , it was built by a team of 300 over a period of 4 months . 0 +It is available in areas including Phibsboro and Castleknock , Finglas , Cabra , Ballymun . It is available in areas like Ballymun , Finglas , Cabra , Phibsboro and Castleknock . 1 +Originally called Columbia Road this trail became Ridge Road . Originally called Ridge Road , this Trail Columbia Road became . 0 +During a transit , the Earth would be visible from Mars as a small black disc moving across the face of the sun . During a transit , Mars would be visible from Earth as a small black disc moving over the face of the sun . 0 +"We can necessarily take and The matrix of the square map "" T "" is naturally linear ." "We can of course take and The matrix of the linear map "" T "" is necessarily square ." 0 +He was signed by Chicago Rush on 14 November 2002 and was released by the Rush on 31 March 2003 . He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on 31 March 2003 . 0 +The texts were rearranged by the Lebanese singer Majida El Roumi and music was written by Kadim Al Sahir . The lyrics were written by the Lebanese singer Majida El Roumi and the music was rearranged by Kadim Al Sahir . 0 +One of these , Shane Ross , said Fianna Fáil leader Micheál Martin had contacted them the previous day and that they would meet the following week . One of them , Micheál Martin , said that Fianna Fáil - leader Shane Ross had contacted her the day before and that they would meet the following week . 0 +There are no regional or national franchises in Danbury , only local shops such as the Danbury General Store and small restaurants . In Danbury there are no regional or national franchises , just small shops like the Danbury General Store and local restaurants . 0 +The boat has a PHRF racing average handicap of 183 with a high of 198 and low of 180 . The boat has an average handicap of 183 with a high of 198 and a low of 180 . 1 +In rats , it also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin . It also inhibits the central , though not peripheral secretion of oxytocin and vasopressin in rats . 1 +Regionally , Australian Cycads are the least vulnerable , as they are locally low and habitat fragmentation is common . Regionally , Australian cycads are the least at risk , as they are locally common and habitat fragmentation is low . 0 +Indy legend Buddy Lazier , veteran Stan Fox , and Gordon Johncock , who made the race for the first time . Buddy Lazier , Veteran Stan Fox and Gordon Johncock made the race for the first time . 1 +The Stejioara River is a tributary of Bârnărel River in Romania . The Bârnărel River is a tributary of the River Stejioara in Romania . 0 +The fate of the German prisoners of war in the Soviet Union was scarcely any better , with more than half a million died in terrible conditions in the Soviet camps . The fate of the Soviet prisoners of war in the Soviet Union was little better ; more than half a million died in terrible conditions in the German camps . 0 +The Navy beat Delaware 52-0 and Pittsburgh defeated the army 34-6 . Army defeated Delaware 52-0 and Pittsburgh beat Navy 34-6 . 0 +Stosur then traveled to Fribourg to represent Switzerland in their Fed Cup tie against Australia . Stosur then traveled to Fribourg to represent Australia against Switzerland in their Fed - Cup draw . 0 +The River Olt or Pârâul Sec is a tributary of the River Seaca in Romania . The Seaca River or Pârâul Sec is a tributary of the Olt River in Romania . 0 +Papanui is a former New Zealand parliamentary electorate . The electorate existed in the northern suburbs of the city of Christchurch , and was from 1969 to 1984 . Papanui is a former New Zealand parliamentary electorate which existed in the northern suburbs of the city of Christchurch and which was from 1969 to 1984 . 1 +"In March 1799 Captain Boyle replaced David Lloyd , and sailed "" Hyaena "" for the Mediterranean on 4 March ." "In March 1799 , Captain David Lloyd replaced Boyle and sailed "" Hyaena "" on 4 March for the Mediterranean Sea ." 0 +The A40 parallels to the M40 from Oxford to London and for years was the main road between the two cities as a precursor . The A40 parallels the M40 from London to Oxford and for years was the main road between the two cities as its precursor . 0 +This was followed by MassWIT in Boston , NycWIT in New York and CapitolWIT in Washington , D.C . ChicWIT was followed by MassWIT in New York City , NycWIT in Boston , and CapitolWIT in Washington , D.C . 0 +David Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of Wladimir Burliuk . David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk on 15 March 1886 . 1 +In 1989 , London joined the Peace Corps in Malawi and organized a regional program for business development in Africa . In 1989 , London joined the Peace Corps in Malawi and co-managed a regional business development program in Africa . 1 +During a transit , Earth would be visible from Mars as a small black disc moving across the face of the Sun . During a transit , Mars would be visible from Earth as a small black disk moving across the face of the sun . 0 +Writers for the project included Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston . The authors for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . 1 +As a child , Daily lost his right hand in a weapons accident , and Abbott was born without a left hand . Daily lost his right hand in a gun accident as a child , and Abbott was born without a left hand . 1 +The outer narrator meets his old friend Rodgers with Sterling , Colorado , and asks about the murdered agent at the Grover station . The outer narrator meets his old friend Grover with Sterling , Colorado , and asks about the murdered agent at Rodgers Station . 0 +On September 11 , 2017 , a second series of revival and the fourth series started off . On September 11 , 2017 , a fourth series of revival began , and the second series overall . 0 +"Bharathiraja was first introduced by Karthik in the film "" Alaigal Oivathillai "" ." "was introduced by Bharathiraja first in the film "" Alaigal Oivathillai "" ." 0 +The remaining Peracarida orders are the cryptic and either moderately abundant , Cumacea and Tanaidacea , or are extremely rare and relictual , Mictacea , Spelaeogriphacea , and Thermosbaenacea . The remaining peracarida orders are the cryptic and either moderately plentiful , Cumacea and Tanaidacea , or are extremely rare and Relictual , Mictacea , Spelaeogriphacea and Thermosbaenacea . 1 +One of Aligarh 's best and most prestigious schools is St Francis Inter College , Hathras Road . One of the best and most prestigious schools in Hathras is St Francis inter college , Aligarh road . 0 +"Halperin and Jay Velie introduced the song "" I Love You "" from Thompson and Archer ." "Halperin , Thompson and Archer presented the song "" I Love You "" by Jay Velie ." 0 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of the marine limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of marine limpets . 1 +"In April 2013 , when the Air Italy merger was completed , Meridiana Fly returned to its former , shorter name , "" Meridiana "" ." "In April 2013 , when the merger of Air Italy was completed , Meridiana returned to its former , shorter name "" Meridiana Fly "" ." 0 +"Mayer was the author of a provocative feature for "" The New York Times "" entitled "" Dead Composers , Live Audiences "" ." "Mayer was author of a provocative feature film for the "" New York Times "" entitled "" Dead Composers , Live Audiences "" ." 1 +This leads to a violent fistfight , after which Pullo Eirene leaves and takes the Aventine . This leads to a violent fistfight , after which Pullo takes Eirene and leaves the Aventine . 0 +Since 2002 , Scotland A has participated in the Amateur Four Nations competition and visited Italy , the Netherlands and Serbia . Since 2002 , Scotland A has participated in the Amateur Four Nations competition and toured Italy , the Netherlands , and Serbia . 1 +Fixing can often change the value of a financial instrument , and can be difficult to encode in the software models used to price such instruments . Fixing can often change the value of a financial instrument and can be difficult to assess in the software models used to encode such instruments . 0 +The Ruska Roma traditional clothing is based on Russian and Kalderash traditional clothing , and is used actively by singers and dancers . The traditional clothing of Ruska Roma is based on traditional and Russian Kalderash - clothing and is actively worn by singers and dancers . 0 +The album was recorded in six different sessions , both at Santa Monica Sound Records in Santa Monica , California , and at Westlake Recording Studios in Los Angeles . The album was recorded in six different sessions at both Santa Monica Sound Records in Los Angeles and Westlake Recording Studios in Santa Monica , California . 0 +The expansion of the political presence of China Airlines has long been limited by Taiwan ’ s international status . The expansion of China Airlines international presence has long been limited by the political status of Taiwan . 0 +Damerham was once in Hampshire , but was transferred in 1895 to Wiltshire . Damerham was once in Wiltshire , but was brought to Hampshire in 1895 . 0 +A macro is used to define variables or procedures , to allow code reuse , or to design domain-specific languages . A macro is used to define variables or procedures , to allow reuse of code , or to design domain-specific languages . 1 +Hekelingen is a village in the Dutch province of South Holland , located immediately to the south of Spijkenisse . Hekelingen is a village in the Dutch province of Spijkenisse . It is located immediately to the south of South Holland . 0 +With Chris Murphy the Farriss - Co-Executive produced the album . Farriss co-executive produced the album with Chris Murphy . 1 +"The Gujarat and Mumbai , Maharashtra are a partly Hindu Sanghar also "" Jamotar "" Sanghar India ." "The Sanghar ( are partly called Hindu Sanghar "" Jamotar "" Gujarat and Mumbai Maharashtra India ." 0 +Garden Town ( Punjabi ) is a neighborhood and trade union council located in Gulberg Tehsil of Lahore , Punjab , Pakistan . Gulberg Tehsil ( Punjabi , ) is a neighbourhood and union council located in Garden Town of Lahore , Punjab , Pakistan . 0 +Alison Teresa Thiessen ( born October 19 , 1992 in Edmonton , Alberta , Alison Kotylak ) is a Canadian curler . Alison Kotylak ( born October 19 , 1992 in Edmonton , Alberta as Alison Teresa Thiessen ) is a Canadian curler . 0 +Mark Hambourg was born in Voronezh , Russia , as a middle brother of the famous pianist Jan Hambourg . Mark Hambourg was born in Voronezh , Russia , the middle brother of the famous pianist Jan Hambourg . 1 +Note that Ionia and Aeolis were not considered separate units by the Persians , while Lykia was included in offshore - Caria and Sparda - the semi-autonomous islands . Note that Ionia and Aeolis was not considered separate entities by the Persians , while Lycia were included in offshore Caria and Sparda included the semi-autonomous islands . 1 +Originally acquired by Eli Lilly , oritavancin was discovered and developed by InterMune in 2001 and then by Targanta Therapeutics in late 2005 . Originally taken over by Eli Lilly , oritavancin was discovered and developed in 2001 by InterMune and in late 2005 by Targanta Therapeutics . 1 +Winners - Effects were shown when established dominant chicks were placed in a study by Drummond against non-experienced chicks . Winner effects were shown when established non-experienced chicks were placed against dominant chicks in a study by Drummond . 0 +Biser lies on the railway from Solikamsk to Yekaterinburg . Biser lies on the railway line from Solikamsk to Yekaterinburg . 1 +He married in 1901 Mary Ellen Blanche Crookes ( 1870-1935 ) , daughter and coheiress of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor . He married Mary Ellen Blanche Crookes ( 1870-1935 ) , daughter and co-founder of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor in 1901 . 1 +The audio companion to the live concert was released on January 29 , 2008 as a digital album with iTunes . The audio companion for the digital concert was released on January 29 , 2008 as a live album on iTunes . 0 +The river Izvoarele is a tributary of the River Podriga in Romania . The Podriga River is a tributary of the Izvoarele River in Romania . 0 +In the action they suffered five men wounded ; the British had no casualties . In the action they had wounded five men , the British suffered no victims . 0 +She was temporarily engaged with the author Alexander Roda Roda , who also integrated the experience of his writing . She was temporarily engaged with the author Alexander Roda Roda , who also integrated the experience in his writing . 1 +With the help of Chad Kroeger of Nickelback , Kroeger signed to Thornley 's 604 Records . Kroeger Thornley signed 604 Records with the help of Chad Kroeger of Nickelback . 1 +"Hieroglyphic writing is called "" the alphabet of birds in Egyptian Arabic ." "In Egyptian Arabic , hieroglyphic writing is called "" the alphabet of the birds "" ." 1 +The OCMA supports the Western Marmarica Coastal Survey ( WMCS ) to investigate the engagement of the Roman and Byzantine countryside with coastal trade in eastern Libya . The OCMA supports the Western Marmarica Coastal Survey ( WMCS ) to investigate the engagement of the eastern landscape with the coastal trade in Roman and Byzantine Libya . 0 +Erandio is a town and municipality in the province of Biscay , in the Autonomous Community of Basque Country , northern Spain . Erandio is a town and municipality located in the province of Basque Country , in the autonomous community of Biscay , northern Spain . 0 +The 85th Wing was replaced by the newly activated 35th Wing . The 85th wing was replaced with the newly activated 35th wing . 1 +Tony and Mary Murphy work with Len Goodman in an Infomercial for the Core Rhythms Workout system . Tony and Len Goodman appear along with Mary Murphy in an infomercial for the Core Rhythms workout system . 0 +On 19 March 1975 , the NFL awarded the Super Bowl XI to Pasadena , California at the owners ' meeting held in Honolulu . The NFL awarded Super Bowl XI to Pasadena , California on March 19 , 1975 at the owners ' meetings held in Honolulu . 1 +With replicated data on both channels , redundant communication is supported . Redundant communication is supported with replicated data on both channels . 1 +In the week before the incident with Leicester fans , 13 men were arrested following clashes between fans from Coventry and Norwich , in which some men suffered minor injuries . The week before the incident with Leicester fans , 13 men were arrested after clashes between fans from Coventry and Norwich in which some men sustained minor injuries . 1 +When the nobleman refused the marriage proposal , Nader killed him and ran off with his daughter into the mountains where Reza Qoli Mirza was born . When the nobleman rejected the marriage proposal , Reza Qoli Mirza killed him and ran into the mountains where Nader was born with his daughter . 0 +In 1938 he played with Juan Carlos Miranda in an ensemble which included the singer Lucio Demare and two pianos . In 1938 , he played with Juan Carlos Miranda in an ensemble which included singer Lucio Demare and two pianos . 1 +Although born in the Fall River , Massachusetts , Gonsalves grew up in Portsmouth , Rhode Island . Although born in Fall River , Massachusetts , Gonsalves grew up in Portsmouth , Rhode Island . 1 +The main land use in the Coorong National Park is conservation , with the majority of the country occupied by Coorong and the Mud Islands Game Reserve . The principal land use in Coorong is conservation with the majority of the land being occupied by the Coorong National Park and the Mud Islands Game Reserve . 0 +Following the election the Labour Party formed a Coalition with Liberal Democrats and the Conservative Party . The Labour Party formed a coalition with the Liberal Democrats and the Conservative Party . 0 +His son , Herbie Matthews , also won a Brownlow medal and his grandson the same name played later with South Melbourne . His son , Herbie Matthews , later won a Brownlow medal and his grandson of the same name was also playing with South Melbourne . 0 +Miran Mohammad Shah is the maternal grandfather of Syed Naveed Qamar , the Federal Minister for Petroleum , formerly the Finance Minister of Pakistan . Mr Mohammad Shah is the maternal grandfather of Syed Naveed Qamar , the Federal Minister for Petroleum , formerly the Finance Minister of Pakistan . 1 +It was written by Sakamoto and composed by Swedish singer-songwriter Frida Sundemo . It was written by Sakamoto and composed by Swedish singer Frida Sundemo . 1 +Speedcore tracks often contain elements of related genres early hardcore and breakcore , as well as samples from death metal and black metal music . Speedcore tracks often contain elements of the early genres related hardcore and breakcore , as well as samples from death metal and black metal music . 0 +In 1975 , the then Eleri Morgan married Alan Rees . In 1975 , the then married Eleri Morgan Alan Rees . 0 +However , Ambassador G. McMurtrie Godley , and his successor , William Sullivan , continued to oversee air strikes in Laos . Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee airstrikes in Laos . 0 +Theodore was flogged and banished to Thessaloniki , together with ten other monks , while Plato was imprisoned in Constantinople . Theodore was imprisoned , and , together with ten other monks , banished to Constantinople , while Platon was flogged in Thessaloniki . 0 +It is ( covered ) by the integument , deep fascia , Platysma and superficial fascia . It is ( covered ) by the integument , the superficial fascia , the platysma and deep fascia ; 1 +For theories at the level of reversal - arithmetic has much to say the second mathematics program . For theories at the level of reverse-order arithmetic , the second mathematics program has much to say . 1 +This scene was rewritten , although its opening recitative in cut form was present in the first production . This scene has been rewritten , although its opening recitative was present in cut form in the first production . 1 +"The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a conservative party but from 1919 it evolved into a radical direction" The radical party of the people ( Narodna radikalna stranka ) was founded as a conservative party in 1881 , but it developed into a radical direction from 1919 . 1 +Adana Province , Turkey is a village in the District of Yüreğir , Düzce . The province of Adana , Turkey is a village in the district of Yüreğir , Düzce . 1 +Damage was particularly heavy in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo , and Cabo San Lucas . The damage was particularly serious in La Paz , Triunfor , San Antonio , San Bartolo , San Lucas , San José del Cabo and Miraflores . 1 +In the second round she beat Olga Govortsova , then defeated 17th seed Julia Görges in the third . In the second round she beat Julia Goerges , then defeated 17th seed Olga Govortsova in the third . 0 +"His role is played by Charles Fathy in Oliver Stone - Film "" W. "" and in "" The Conquest "" by Bernard Le Coq ." "His role is played by Bernard Le Coq , in Oliver Stone - Film "" W. "" and in "" The Conquest "" by Charles Fathy ." 0 +In 1871 he moved to Southern California for health reasons , where he settled in Santa Barbara . He moved to Santa Barbara for health reasons in 1871 , where he settled in Southern California . 0 +He has a son ( born 2000 ) from a previous relationship with TV presenter Birgit Schrowange . In July 2011 Lanz married Angela Gessmann . He has a son ( vintage 2000 ) from a previous relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . 1 +During the five days of the journey he studied some books about Elba , which he brought with him from Fontainebleau . During the five days of the journey , he studied some books about Elba which he brought from Fontainebleau . 1 +In 2015 , Indira Jaising she argued the case for Priya Pillai in Green Peace India case . In 2015 , Priya Pillai argued the case for Indira Jaising in the Green Peace India case . 0 +"Erythroid - membrane associated protein is a protein that in humans is responsible for the blood group - system Scianna and is encoded by the "" ERMAP "" gene ." "Erythroid membrane-associated protein is a protein that in humans is responsible for the Scianna blood group system , and is encoded by the "" ERMAP "" gene ." 1 +They speak the Chuvash language and have some pre-Christian traditions . In addition to Chuvash , many people also use the Russian language . They speak the Russian language and have some pre-Christian traditions.In addition to Chuvash , many also use the Chuvash language . 0 +The fungus is edible , but due to possible confusion with toxic Amanita species is not recommended . "The mushroom is edible , but not recommended due to possible confusion with toxic "" Amanita "" species ." 1 +However , Margaret refused to hand Hainaut over to John . John , however , refused to hand over Hainaut to Margaret . 0 +It is separated into two parts by the Limbang district of Sarawak . It is separated through the Sarawak district of Limbang into two parts . 0 +In 1774 , its earliest settlers were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . Its earliest settlers were George McCormick in 1774 , and George Woods who settled at Spring Mills in 1773 and built the first mill there . 0 +The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the 2014 Basketball season -- 15 NCAA Division I men . The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengal during the 2014 Basketball season -- 15 NCAA Division I men . 0 +This is the first champion history told by Albert Campion in the only person . This is the only Albert Campion story told in the first person by Campion . 0 +Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 -- October 26 , 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Sri Lankan ( Ceylonese ) judge and lawyer . 1 +Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums with Lou Eagler . Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums with Lou Adler producing . 1 +Another new bridge was built at Phnom Penh on the Neak Leung to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . Another new bridge was built at Phnom Penh at Neak Leung to Ho - Chi - Minh - Highway 1 with support from the Japanese government and opened in 2015 . 1 +The unit root test is then carried out under the alternative hypothesis formula _ 8 against the null hypothesis of formula _ 9 . Once a value for the test statistic The single root - the test is then carried out under the null hypothesis formula 8 against the alternative hypothesis of Formula 9 , once a value for testing 0 +Of these , Austin Catholic Academy and St. Thomas of Villanova College are independently operated and not officially sponsored by the Augustinian Order . Of these , the Austin Catholic Academy and St. Thomas of Villanova College are operated independently and are not officially supported by the Augustinian Order . 1 +Glace Bay , the second largest urban community in the population , was the island 's last coal mine until its main mine was closed in the 1980s . Glace Bay , the second largest urban community in population , was the island 's last coal mining centre until its main mine closed in the 1980s . 1 +Episode 1 included the city Bath , Episode 2 , Covent Garden , Episode 3 , Eastnor Castle and Episode 4 , Park Hill , Sheffield . Episode 1 included the city Bath , Episode 2 , Park Hill , Sheffield , Episode 3 , Eastnor Castle , and Episode 4 , Covent Garden . 0 +The fourth came in the second quarter to a pass from Dunlap to Stumpy Thomason . The second came in the fourth quarter on a pass from Dunlap to Stumpy Thomason . 0 +Boiestown ( 1991 population : 349 ) is a Canadian community located in the rural community of Upper Miramichi in Northumberland County , New Brunswick . Boiestown ( 1991 population : 349 ) is a rural community in the Canadian community of Upper Miramichi in Northumberland County , New Brunswick . 0 +For the 2014 season , Ricochet received a new varnish , green supports and a blue track . Ricochet received a new paint job for the 2014 season , green supports and a blue track . 1 +Strikingly , both male and female parents were judged less competent for the job than childless applicants . Strikingly , both childless parents were judged to be less competent for the job than male and female applicants . 0 +Indonesian dumplings were influenced and brought to Indonesia by Chinese immigrants . Chinese dumplings were influenced and brought by Indonesian immigrants to Indonesia . 0 +It was completed in 1933 in a modernist style for the United States Postal Service and is now used by the US federal government as office accommodation . It was completed in 1933 in Modernist style for the United States Postal Service , and is now used as office accommodation by the United States Federal Government . 1 +Because of the lack of wood , boats were made with bundled papyrus reeds . The boats were bundled with papyrus reeds because of the lack of wood . 0 +"Emperor Xuanzong himself passed the imperial examinations late in Tianbao 's "" Chang Gun "" era ( 742-756 ) ." "Emperor Xuanzong himself was the imperial examinations late in Tianbao 's "" Chang Gun "" era ( 742-756 ) ." 1 +He was signed by Chicago Rush on 14 November 2002 and was released by the Rush on 31 March 2003 . Muagututia was signed by the Chicago Rush on November 14 , 2002 . He was released by the Rush on March 31 , 2003 . 1 +Wu Sangui ( died 1644 ) was a general of the Ming dynasty and father of Wu Xiang . Wu Xiang ( ; died 1644 ) was a general of the Ming Dynasty and the father of Wu Sangui . 0 +Brian Felsner is the brother of ice hockey player Denny Felsner . Brian Felsner is the brother of hockey player , Denny Felsner . 0 +Grand Inquisitor ( 1699 -- 1774 ) was a Spanish cleric who was Manuel Quintano Bonifaz of Spain from 1755 to 1774 . Grand Inquisitor ( 1699 -- 1774 ) was a Spanish clergyman who , from 1755 to 1774 , was Manuel Quintano Bonifaz of Spain . 1 +She ( Sophia ) feels very lonely , and is like a reed . She ( Sophia ) is very lonely and feels like a reed tube . 0 +""" Almost every poem by Amichai is a statement about the general human condition "" and Amichai , in a philosophical sense , is always a certain poet ." """ Almost every poem by Amichai is a statement about the universal human condition "" and Amichai is always a certain poet in the philosophical sense ." 1 +Later , he replanted the London movement , and then in Brooklyn , New York , and Monticello , New York . He then replanted the movement in Brooklyn , New York , and later in London , and Monticello , New York . 0 +From her former marriage , Ann had a daughter , Katy Spencer ( a graduate of Texas Tech in 1962 ) . Katy Spencer had a daughter , Ann ( a graduate of Texas Tech in 1962 ) from her former marriage . 0 +Conneaut Creek is situated along Conneaut at the mouth of Lake Erie . Conneaut Creek is situated at the mouth of the Erie lake along Conneaut . 1 +Born in Pennsylvania , he came to Galien Township in 1853 . Born in Pennsylvania , he came township to Galien in 1853 . 1 +In 1955 , the United Kingdom , Italy followed in 1964 by Hiroshi Tada and Germany in 1965 from Katsuaki Asai . In 1955 , the United Kingdom followed , in 1964 Katsuaki Asai Germany and in 1965 Hiroshi Tada Italy . 0 +He died on August 16 , 1850 in Clarkstown ( now New City ) , New York City . He died in Clarkstown ( now New City ) , New York , August 16 , 1850 . 1 +Courtney flirts with Tyler at the party , but he is not interested and she leaves with Elly Conway ( Jodi Anasta ) . Courtney flirts with Tyler at the party , but he is not interested and she leaves Elly Conway ( Jodi Anasta ) . 0 +Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on 12 July 2002 as a transfer to Evans . Sheffield Wednesday signed Evans from Huddersfield Town on a free transfer on 12 July 2002 as backup to Kevin Pressman . 0 +""" Baseball Bugs "" was managed by Michael Maltese and written by Friz Freleng ." """ Baseball Bugs "" was directed by Friz Freleng and written by Michael Maltese ." 0 +"He plays online poker at PokerStars under the username "" p10ker "" and at Fulltilt Poker as "" MyimaTsarong "" and at PartyPoker using his own name ." "He plays online poker at PokerStars under the username "" p10ker "" and at PartyPoker as "" MyimaTsarong "" and at Fulltilt Poker with his own name ." 0 +Third Air Force inactivated and Sixteenth Air Force assumed the new role as the Warfighting Headquarters for USAFE . Sixteenth Air Force inactivated and Third Air Force assumed the new role of Warfighting Headquarters for USAFE . 0 +Twenty dated Jacobite metropolitans of Melitene between the twelfth and the ninth centuries are mentioned in the lists of Michael the Syrian . Twenty dated Jacobite metropolitans of Melitene between the ninth and twelfth centuries are mentioned in the lists of Michael the Syrian . 1 +Building walls were made of stiff earth wall or clay with pebbles and large stones in the upper layers . Building walls were of wall made of pebble earth or clay with large bases and stiff stones in the upper layers . 0 +The Council 's weak legislative design , however , makes it only a very functional review mechanism . However , the Council 's functional draft only makes it a very weak mechanism for legislative review . 0 +"Note : "" NA "" -- Information was not quoted on the page listed ." "Note : "" NA "" -- information was not cited on the listed page ." 1 +The song was composed by Unnikumar , written by Baburaj Puthur and sung by Sidharthan Puranattukara . This song was composed by Unnikumar , sung by Baburaj Puthur and written by Sidharthan Puranattukara . 0 +The series was also produced with some success in Italy , where new stories were also published in France after the end of the series . The series was also published with some success in France , where new stories were produced even after the end of the series in Italy . 0 +Underdog was also used as an entry music for Carl Froch in his boxing match against George Groves at the Wembley Stadium . Underdog was also used as the entrance music for Carl Froch in his boxing match against George Groves at Wembley Stadium . 1 +The episode was directed by Graham Roland and written by Paul Holahan . The episode was orchestrated by Graham Roland and written by Paul Holahan . 1 +Ann Henricksson and Julie Richardson won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Lea Antonoplis and Cammy MacGregor . Lea Lea Antonoplis and Cammy MacGregor won in the final with 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . 0 +More than 40 television documentaries produced by PBS , The Discovery Channel and others were broadcast . Helvarg has produced more than 40 television documentaries broadcast by PBS , The Discovery Channel , and others . 0 +East of Petersville , US 340 has a diamond interchange with MD 180 and crosses Catoctin Creek . The US 340 has a diamond exchange with MD 180 and crosses Catoctin Creek east of Petersville . 1 +About 4-11 leaves per plant are also scattered along the stem and are generally 2.3-4.7 mm long and 0.3-0.5 mm wide . About 4-11 sheets per plant are also scattered along the stem and are generally 2.3-4.7 mm wide and 0.3-0.5 mm long . 0 +In 1955 , it became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . In 1955 , this became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . 0 +As part of the established logistics support system for the major platforms , ST Kinetics has integrated the MRO services under its Kinetics Integrated Services ( KIS ) arm . As part of the established logistics support system for the most important platforms , ST Kinetics has integrated MRO services under the Arm Kinetics Integrated Services ( KIS ) . 1 +"Gopalakrishnan was very impressed when Bhaskar gave music for his film "" Mathilukal "" , which had no songs at all ." "Bhaskar was very much impressed when Gopalakrishnan gave music for his movie "" Mathilukal "" which had no songs at all ." 0 +In the 20th century , the black suit was largely replaced by the dark blue or grey suit . The gray suit was largely replaced by the dark blue or black suit in the 20th century . 0 +Belbin and White were married in June 2014 and engaged themselves on 25 April 2015 . Belbin and White were engaged in June 2014 and married on 25 April 2015 . 0 +In the 2012 NFL Draft , Posey was selected in the third round by the Houston Texans ( 68th total ) . In the NFL Draft 2012 , Posey was selected by Houston Texans in the 68th round ( third total ) . 0 +His grandfather , Reverend John Macky , was the first moderator of the Presbyterian General Assembly of New Zealand . In 1920 Macky married Edna Graham Allan in Dunedin . His grandfather , Reverend Edna Graham Allan , was the first presenter of the Presbyterian General Assembly of New Zealand , who married Macky in Dunedin in 1920 . 0 +After receiving a second Nobel Prize in 1903 with her husband , Pierre , Marie Curie won a Nobel Prize in Chemistry in 1911 . After the Nobel Prize in 1903 with her husband Pierre , Marie Curie won a second Nobel Prize for Chemistry in 1911 . 0 +A total of 16 teams qualified but only 13 teams participated in the finals of the Olympic tournament . A total of 16 teams qualified , but only 13 teams participated in the final round of the Olympic tournament . 1 +"This first version is called unofficially "" rare version "" ." "This rare version is unofficially called "" first version "" ." 0 +Durg , Chhattisgarh is a city located in the Bhilai district of Eastern Central India . Durg , Chhattisgarh is a city in the district of Bhilai , in eastern central India . 1 +Bobby Osborne worked with The Osborne Brothers until Mosley 's retirement in 2003 , and then with Sonny and his band , the Rocky Top Express , until 2011 . Bobby Osborne worked at the Osborne Brothers until Mosley 's retirement in 2003 and then in 2011 with Sonny and his band , the Rocky Top Express . 1 +It is covered by the integument , deep fascia , the platysma and the superficial fascia . It is ( covered ) by the integument , the superficial fascia , the platysma and deep fascia ; 1 +Kerwin Moore saw action in 24 games for the athletics that fall , and was traded to the Florida - Marlins after the season in exchange for Abbott . Abbott would see action in 24 games for the Athletics that fall , and was traded to the Florida Marlins after the season in exchange for Kerwin Moore . 0 +Route 130 leads north to Olney and to the east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . Route 130 leads north to Olney and south to Grayville , while Route 15 leads to the east to Mount Carmel and west to Fairfield . 0 +In 2002 ( Manchester ) he won Bronze in the Commonwealth - Games Ballstrokes and in 2010 ( Dehli ) Bronze in the discus . In 2002 ( Manchester ) he won Bronze in the commonwealth games Shot put and in 2010 ( Dehli ) bronze in the discus throw . 0 +During the British period , all the connections to East Bengal were through North Bengal . During the British period all connections to North Bengal were through East Bengal . 0 +Turing had an older brother , John ( the father of Sir John Dermot Turing , 12th Baronet of the Turing Baronets ) . Turing had an older brother , John Dermot Turing ( the father of Sir John , 12th Baronet of Turing Baronets ) . 0 +Judah lives with his wife Denise and the children of Jeremy Horn , Liam and Daisy in his hometown of Memphis . Judah lives in his hometown of Memphis with his wife Denise and children Jeremy Horn , Liam and Daisy . 1 +After leaving Wingfield Manor , Mary was transferred from her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . After leaving Sheffield , Mary was taken to Wingfield Manor in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . 0 +The Piedmontese was brought together in 1994 with another former bank Cassa di Risparmio di Biella . The Piedmontese was merged with another former bank Cassa di Risparmio di Biella in 1994 . 1 +Specified equivalent focal lengths of 35 mm typically ignore the depth of field ( DOF ) , which depends both on focal length and aperture . Quoted 35 mm equivalent focal lengths typically ignore depth of field ( DOF ) , which depends on both focal length and aperture . 1 +Among the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . Among women , the favourites were Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . 0 +He began his career in 1894 as an independent architect in Berlin , the same year he made a study trip to Italy , one year later to England . In 1894 he began his career as an independent architect in Berlin ; the same year he took a study trip to England , one year later to Italy . 0 +When the outer compositions are performed first ( operations are read from right to left ) . If the outer compositions are performed first ( operations are read from right to left ) . 1 +On the inside are engraved slates with the image of Ngawang Namgyal , Gautama Buddha and Padmasambhava . On the interior are slates engraved with the image of Ngawang Namgyal , Gautama Buddha and Padmasambhava . 1 +The score and soundtrack of the movie was penned by Vayalar Sarath Chandra Varma with lyrics composed by Alex Paul . The score and soundtrack of the movie was composed by Alex Paul with texts by Vayalar Sarath Chandra Varma . 0 +His mortal remains were later relocated to the British cemetery in the Üsküdar district of Haydarpaşa . His remains were later relocated to the British Cemetery in the Üsküdar quarter of the Haydarpaşa district . 1 +The included special songs have changed over the years as new songs have been added and old ones have been removed . The specific songs included have changed over the years as new songs have been added and old ones have been removed . 1 +The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . The show was staged by Nick Winston on 27 March 2012 at the Theatre Royal in Newcastle and choreographed by Ed Curtis . 0 +It currently serves as the newspaper for Galveston , as well as Galveston County . It is currently serving as the newspaper of record for Galveston County , as well as Galveston . 1 +Robertson is a railway station in Robertson , New South Wales , on the Unanderra railway line -- Moss Vale . Robertson is a railway station in Robertson , Moss Vale , on the railway line Unanderra - New South Wales . 0 +Although Gonsalves was born in Portsmouth , Rhode Island , he grew up in the River Fall , Massachusetts . Although born in the Fall River , Massachusetts , Gonsalves grew up in Portsmouth , Rhode Island . 0 +It begins near the western extremities of the Central Oregon Coast Range and flows south to the sea in general west of Depot Bay and north of Otter Rock . It starts close to the western extremities of the Central Oregon Coast Range and generally flows west to the ocean south of Depot Bay and north of Otter Rock . 0 +Devendra Kula Vellalar was born in 1926 in the family of Jagannathan . Devendra Kula Vellalar was born in Jagannathan family in 1926 . 1 +He was also a highly celebrated warrior in traditional Chinese culture and popular dramas . He was also a highly celebrated warrior in popular culture and the traditional Chinese dramas . 0 +As Secretary of the Archbishop of Split , he went to Venice and in 1503 to Hungary through Zagreb . As a secretary of the archbishop of Split he went to Venice , and in 1503 through Zagreb to Hungary . 1 +Next , Lee looked at Jake Matthews on July 8 , 2016 , where Lee won the fight via TKO in the first round . Lee next faced Lee on July 8 , 2016 , at . Jake Matthews won the fight via TKO in the first round . 0 +The Treasury Department of the Republic of Kenya is the Kenyan Ministry of Government , which formulates financial and economic policies and monitors effective coordination of government financial operations . The National Treasury of the Republic of Kenya is the Kenyan government ministry which formulates financial and economic policies and oversees effective coordination of Government financial operations . 1 +The Gill family closed the mill in 1968 and sold them to the new owners in 1980 . The Gill family sold the mill in 1968 and was closed by the new owners in 1980 . 0 +His father had been a blacksmith and inventor and had worked in California with iron rope . Of California . His father had been a blacksmith and an inventor , and had worked with iron rope in Scotland . 0 +Ringwood is located in the 39th Congressional District and is part of New Jersey 's 5th state legislative district . Ringwood is located on the 39th Congressional District and is part of the 5th State Legislative District in New Jersey . 1 +He has two younger and one elder brother . He has two elder brothers and one younger brother . 0 +The replicant is Hooker ( Marnie Alton ) dated as the film ends . The Replicant is dating Marnie Alton ( Hooker ) as the film ends . 1 +There is also a large number of mixed European and Chinese Liverpudlians of the Chinese ethnic group , descendants of former generations of Chinese settlers in the city . There is also a large number of mixed European and Chinese Liverpudlians of Chinese ethnicity , descendants of the earlier generations of Chinese settlers in the city . 1 +Saladas Department is a department of the Province of Corrientes in Argentina . Saladas Department is a department of Argentina in the Corrientes province . 0 +Airports near Seymour : Austin Straubel International Airport ( public ) in Greenville , Appleton International Airport ( public ) in Ashwaubenon . Airports near Seymour : Austin Straubel International Airport ( public ) in Ashwaubenon and International Airport Appleton ( public ) in Greenville . 0 +Obrovac is a town in northern Dalmatia , in Croatia of the County of Zadar . Obrovac is a town located in northern Dalmatia , in the Croatia of Zadar County . 1 +It was owned locally by Albert M. Cadwell 's Walter Stiles . It was owned locally by Walter Stiles ' Albert M. Cadwell . 0 +At Wimbledon , Janković was the fourth seed , but lost in the third round to the surprise eventual finalist Marion Bartoli . At Wimbledon Janković was the fourth seed , but in the third round lost to the surprise finalist Marion Bartoli . 1 +"Some of the details that Daniel cites are specific to the old English poem , based on "" Peeters "" ." "Some of the details that Peeters cites are specific to the old English poem , which is based on "" Daniel "" ." 0 +It is Aarne -- Thompson type 707 , which is named after him : the dancing water , the talking apple and the singing bird . It is Aarne -- Type 707 Thompson , named after him : the dancing water , the singing apple and the speaking bird . 0 +However , most pink horses have white skin and some blue eyes . However , most white horses have a pink skin and some have blue eyes . 0 +In May 1942 , he joined the 23rd Indian Brigade in the 1st Indian Division . It joined the 1st Indian Brigade in the 23rd Indian Division in May 1942 . 0 +Libertyville 's water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) in Lake Bluff . The Lake Bluff water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) located in Libertyville . 0 +Walterston is a small agricultural hamlet north of Barry in the Vale of Glamorgan in South Wales and west of Dyffryn . Walterston is a small farming hamlet just north of Barry in the Vale of Glamorgan in South Wales and west of Dyffryn . 1 +Westfield Liverpool is a major shopping centre in Liverpool , a suburb of Sydney . Sydney is a major shopping centre , located in Westfield Liverpool , a suburb of Liverpool . 0 +Albania is a town and municipality in the department of Santander in northeastern Colombia . Santander department is a town and municipality in Albania in northeastern Colombia . 0 +In addition , Merrill was a member of the Ashland County School Board and served as Ashland , Wisconsin district prosecutor from 1917 to 1926 . In addition , Merrill was a member of the Ashland County School Board and served as the Ashland , Wisconsin district attorney from 1917 to 1926 . 1 +Jalari is one of the villages of Hamirpur in India . Jalari is one of the villages in Hamirpur of Nadaun , India . 0 +At least four disks are used in a standard RAID 01 configuration , but larger arrays are also required . In a standard - RAID - 01 - configuration , at least four disks are used , however larger arrays are also required . 1 +Over the years , ACT-R models have been cited in more than 700 different scientific publications and have been used more in many other areas . Over the years , ACT-R models have been used in more than 700 different scientific publications and have been cited in many others . 0 +"Mount Sis is also a plateau that has called "" Sis Dağı Yaylası "" in Turkey ." "Mount Sis has also a plateau which is called "" Sis Dağı Yaylası "" in Turkey ." 1 +Otto Müller died on 9 December 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . On 9 December 1979 , Carl von Basedow died as a result of a serious lung complaint in the Otto Müller clinic in Merseburg . 0 +Vanuatu is the southernmost of the six Tafea provinces . Vanuatu is the southernmost of the six provinces of Tafea . 1 +It was first released as Knopweed Biocontrol in Oregon in the 1980s , and is currently established in the Pacific Northwest . It was first established as Knopweed Biocontrol in Oregon in the 1980s , and is currently released in the Pacific Northwest . 0 +Petersfield Museum is a small museum in the local town of Petersfield in the English county of Hampshire . The Petersfield Museum is a local museum in the small town of Petersfield in the English county Hampshire . 0 +Central Italy refers to the areas Tuscania , Marche , Umbria , Lazio and Abruzzi e Molise . Central Italy refers to the areas of Tuscania , Marche , Umbria , Lazio and Abruzzi e Molise . 1 +Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico , born Daniela Castro ) is a Mexican - Irish actress and vocalist . Daniela Castro ( born Daniela Castro Arellano on August 17 , 1966 in Mexico , City , Mexico ) is a Mexican Irish actress and singer . 0 +Jagath died on 11 April , 1981 from a heart attack shortly after his son Santha drowned under mysterious circumstances in a swimming pool . Shortly after his son , Santha , drowned in a swimming pool in mysterious circumstances , Jagath died of a heart attack on April 11 , 1981 . 1 +Maval is a taluka part of the Pune District in the state of Maharashtra India , it is 85 km from Mumbai and 54 km from Pune . Maval is a Taluka part of the Pune District in the state of Maharashtra India , It is located 85 km from Mumbai and 54 km from Pune . 1 +The former player Gerard was appointed Catalan coach for the new team for two years . Former player Gerard was appointed Catalan coach for the new team for two years . 1 +In the future it is planned to extend this railway track to the city of Juazeiro south of Barbalha do Norte . In the future it is planned to extend this railway line into the city of Barbalha south of Juazeiro do Norte . 0 +Homalopoma subobsoletum is a species of small sea snail with calcareous opercula , a marine gastropod mollusk in the Colloniidae family . Homalopoma subobsoletum is a kind of calcareous sea snail with small opercula , a marine gastropod mollusk in the Colloniidae family . 0 +The large surface of black is shaded with blue first and then with green . The large area of black is first shaded with green and then with blue . 0 +By introducing a prodrug only activated by the viral enzyme , specific targeting of cells expressing hTERT can be achieved . By introducing a product that is activated only by the specific enzyme , viral targeting of cells expressing hTERT can be achieved . 0 +The Roman - Catholic diocese of Aurangabad is a diocese in the city of Aurangabad in the church province of Nagpur , India . The Roman Catholic Diocese of Aurangabad is a diocese located in the city of Aurangabad in the Ecclesiastical province of Nagpur in India . 1 +The Navy beat Delaware 52-0 and Pittsburgh defeated the army 34-6 . Navy beat Delaware 52-0 and Pittsburgh defeated Army 34-6 . 1 +Formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or steric additives , and polar effects . The formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives and steric effects . 0 +On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . On May 14 , 1647 , he was confirmed as Archbishop of Messina and chosen on 16 September 1647 by Pope Innozenz X . 0 +The album was released on Sony Japan , PIAS in the UK , Flying Nun in Europe , Infectious Records in the New Zealand and Festival Records in Australia . The album was released on Sony Japan , PIAS in the UK , Flying Nun in Europe , Infectious Records in New Zealand and Festival Records in Australia . 1 +In the 2006-07 season , Goldwire played with Panellinios from the Greek Basketball League and joined the Spanish Club CB Girona in 2009 . In the 2006-07 season , Goldwire played with Panellinios from the Spanish Basketball League and joined the Greek Club CB Girona in 2009 . 0 +O 'Dea was born in Armidale in 1889 and moved to Sydney as a child with his family . O 'Dea was born in Sydney in 1889 and moved with his family to Armidale as a child . 0 +Cape Carteret is located in the western Carteret County ( 34.694478 , -77.059129 ) . Cape Carteret is located in western Carteret County at ( 34.694478 , -77.059129 ) . 1 +The river Casimcea is a tributary of the River Cartal in Romania . The river Cartal is a tributary of the Casimcea River in Romania . 0 +In 2012 , Duncan appeared alongside Amanda Hale in Scrubber , a film by Romola Garai written and managed . In 2012 , Duncan appeared next to Romola Garai in Scrubber , a film by Amanda Hale written and directed . 0 +During the hearings , it was revealed that neither Claude nor Forbes knew that Lewis had feathered the No . It was revealed during the hearings that neither Claude nor Forbes knew that Lewis had feathered the number . 1 +RAF Ash was sold and the site was closed in July 1998 and is now being used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash was sold and the site closed in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . 1 +It was first released as a knapweed biocontrol in the 1980s in Oregon , and it is currently established in the Pacific Northwest . It was first released in Oregon as Knopweed Biocontrol in the 1980s , and is currently established in the Pacific Northwest . 1 +There he painted the local synagogues , narrow lanes , ancient inhabitants and surrounding countryside . There he painted local synagogues , narrow streets , ancient inhabitants and the surrounding countryside . 1 +Both the stems and leaves have soft hairs , often somewhat sticky . Both stems and leaves have sticky hairs , often somewhat soft . 0 +The team played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi - State , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . The team has played teams in recent years such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . 1 +The remaining two cars were ordered from the Estonian defence league and were delivered in 1927 . The remaining two cars were delivered by the Estonian Defence League and these were ordered in 1927 . 0 +Ansong was his career with Great Olympics and here he signed a contract with Heart of Lions , which later began as a captain in the 2008 season . Ansong was his career by Great Olympics and here he signed a contract with Heart of Lions , later began in the season 2008 named as captain . 1 +PEVQ - MOS - results range from 1 ( bad ) to 5 ( outstanding ) and indicate the perceived quality of the decoded sequence . PEVQ - MOS - results range from 1 ( excellent ) to 5 ( bad ) and specify the perceived quality of the decoded sequence . 0 +This private humanitarian project is led by the African Agricultural Technology Foundation , a Kenyan non-governmental organization . This private humanitarian-public project is led by African Agricultural Technology Foundation , a Kenyan non-governmental organization . 1 +Rafael Nadal won against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final with 6 -- 3 , 7 -- 6 . Andrei Pavel and Alexander Waske won against Rafael Nadal and Bartolomé Salvá - Vidal in the final 6 -- 3 , 7 -- 6 . 0 +Jens Hoffmann was the founding director of the Institute . The current director is Anthony Huberman , who replaced Lawrence Rinder in 2013 . Founding director of the institute was Jens Hoffmann , the current director is Anthony Huberman , who replaced Lawrence Cattle in 2013 . 0 +Newark returned to NAFBL , but withdrew back at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . Newark returned to the NAFBL , but withdrew at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . 1 +In 1900 , Elizabeth married Waller Cowles , and her daughter Harriet was born in 1912 . Cowles married Elizabeth Waller in 1900 , and their daughter Harriet was born in 1912 . 0 +In 1763 , Walter followed his childless national cousin Walter Aston , 7th Lord Aston of Forfar , as Lord Aston of Forfar in the Peerage of Scotland . In 1763 , Walter succeeded his childless cousin Walter Aston , 7th Lord Aston of Forfar , as Lord Aston of Forfar in the peerage of Scotland . 1 +They meet with Quinito Castañeda ( Danny ) and his friend Joross Gamboa ( Rafael Rosell ) , who bring them to a beach resort in Cavite . They meet up with Quinito Castañeda ( Danny ) and his friend , Joross Gamboa ( Rafael Rosell ) who take them to a beach resort in Cavite . 1 +The couple had two daughters , Martha Anne ( born 1942 ) and Sara Lynn ( born 1947 ) . The couple had two daughters , Martha Anne ( born in 1942 ) and Sara Lynn ( born in 1947 ) . 1 +When he was succeeded by Karlheinz Kaske in 1981 , Plettner became the first chairman of the supervisory board not to be a member of the Siemens family . When he was replaced by Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . 0 +Neptunea alexeyevi is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true pustules . Neptunea alexeyevi is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 1 +The objective of the game is to score points by destroying a variety of shapes and surviving by not touching them . The goal of the game is to collect points by touching and surviving a variety of shapes by not destroying them . 0 +Vera Zvonareva won the title by beating Caroline Wozniacki in the final with 6 -- 3 , 3 -- 6 , 6 -- 3 . Vera Zvonareva won the title by beating Caroline Wozniacki in the final 6 -- 3 , 3 -- 6 , 6 -- 3 . 1 +"He went to Al and said , "" you 've lost a father "" and "" I have lost a son "" ." "He went to Al and said : "" You have lost a father "" and "" I lost a son "" ." 1 +"He went to Al and said , "" you have lost a father "" and "" I 've lost a son "" ." "He went to Al and said : "" You lost a father "" and "" I have lost a son "" ." 1 +We defeated Georgia Tech , who had bound Tulane , so we are masters ... the newspapers , however , more or less generally supported the claim of Auburn ... "We tied Georgia Tech , who defeated Tulane , so we are champions ... The newspapers , however , more or less generally supported the claim of Auburn ... """ 0 +"Byron Morrow played Young in a cameo appearance in the "" Death Valley Days "" episode , "" An Organ for Brother Brigham "" ( 1966 ) ." "Byron Morrow played Young in a cameo performance in the episode "" Death Valley Days "" , "" An organ for brother Brigham "" ( 1966 ) ." 1 +The Gorova River is a tributary of the Bârzava River in Romania . The river Gorova is a tributary of the river Bârzava in Romania . 1 +Patalpur is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil , near Keetai Dewapura and Patalpani . Patalpur is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil , near Keetai Dewapura and Patalpani . 0 +In August 2011 , Matt asked Mark to leave the show , which he did . In August 2011 , Matt Mark asked the show to leave what he did . 0 +Much of the film was shot in Gladstone , New Jersey ; New Brunswick ; and the Palisades Park home of the producer . Much of the film was shot in New Brunswick , Gladstone , New Jersey , and the Palisades Park , the home of the producer . 1 +Lawrence Archer temporarily stood up for Tony Clarkin when he became ill . Lawrence Archer temporarily stood in for Tony Clarkin when he became ill . 1 +The event attracts tourists and participants from all areas of Oregon Coast , Washington and California . The event draws tourists and participants from all areas of the Oregon coast , Washington and California . 1 +Gesine Schwan celebrated her second wedding with the long-time companion Peter Eigen in Berlin in 2004 . In 2004 Peter Eigen celebrated her second wedding with the longtime companion Gesine Schwan in Berlin . 0 +The most complete existing works , dealing with the mythical origins of the constellations , are called by the Hellenistic writer Pseudo-Eratosthenes and an early Roman writer Pseudo-Hyginus . The most complete existing works dealing with the mythical origins of the constellations are , by the Hellenistic writer styled pseudo-Eratosthenes and an early Roman writer termed pseudo-Hyginus . 0 +They measure not only population numbers , but also demographic parameters . This combination technique consists of camera traps and sufficient tiger search to collect base data . They not only measure population numbers , but also measure demographic parameters This combination technique consists of camera traps and basic tiger search to collect sufficient data . 0 +The tsunami was observed along the Pacific coast of Japan from the Izu peninsula to Kyushu and recorded by tides from Hawaii to Alaska . The tsunami was observed along the Pacific coast of Japan from Izu Peninsula to Kyushu , and recorded by tide gauges from Alaska to Hawaii . 0 +In 1845 , railroad developers founded the Belpre and Cincinnati Railroad , but the destination was changed in Marietta , with a corresponding change of name in 1851 . In 1845 railroad developers founded the Belpre and Cincinnati Railroad , but the destination was changed to Marietta , with a corresponding name change in 1851 . 1 +On 16 January 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop for the Dallas Mavericks . On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with Matt Carroll in exchange for DeSagana Diop . 1 +Dr. Carter worked in Africa for several months and remains at the AIDS clinic in Kem . Dr. Carter remains in Africa for several months and works in the Kem AIDS clinic . 0 +He is the nephew of Larry Bowa Johnson and his wife Brianna had their first child , Liz , on 31 January 2006 . He is the nephew of Larry Bowa Johnson and his wife Liz was born on 31 January 2006 , Brianna , their first child . 0 +Guruzeta 's father , Xabier , was mainly a footballer . A central defender , he also represented Real Sociedad during his career . Also the father of Guruzeta , Xabier , was a footballer , as a central defender he mainly represented Real Sociedad during his career . 0 +She is painted red with yellow lining and has painted the number 22 in red on her pages . She is painted yellow with red lining and she has the number 22 painted on her sides in red . 0 +"Tracks 7-17 from the album "" Let 's Make Up and Be Friendly """ Tracks 7-17 from Let 's album ; s Be Up and Make Friendly . 0 +In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and Pecan Bowl moved from Abilene to Texas within Arlington . 0 +The North Downs Way crosses the Medway viaduct at the eastern end of Medway Valley Walk or the Autobahn bridge . The North Downs Way crosses the Medway Valley Walk at the eastern end of the Medway Viaduct or motorway bridge . 0 +Cunningham Elementary School was recognized in 2003 by Governor Jim McGreevey as one of 25 schools selected nationwide for the first annual Governor 's School of Excellence . Cunningham Elementary School was selected in 2003 by Governor Jim McGreevey as one of 25 schools awarded nationwide for the first annual Governor 's School of Excellence . 0 +"Pruitt Taylor Vince was played by actor Bowers in the 1991 film "" JFK "" ." "Pruitt Taylor Vince was played by Bowers in the 1991 film "" JFK "" ." 1 +For shopping , there is a Russian market and a similar Russian market in Pakistani blocks . For shopping there is Russian Market and a similar Russian Market in Pakistani blocks . 1 +"In the Marvel - Zombies - universe , Namor has a cameo performance as a zombie in the original limited edition "" Marvel - Zombies "" ." "In the Marvel Zombies universe , Namor has a cameo as a zombie in the limited "" Marvel Zombies "" original series ." 0 +The central core of the Ministry of Defence was the new Defence Office . The central core of the central Ministry of Defence was the new Defence Office . 1 +It runs from east to west for , serving 7 counties : Claiborne , Copiah , Hinds , Rankin , Clarke , Jasper , and Smith . It runs from east to west for and serves 7 counties : Claiborne , Copiah , Hinds , Rankin , Clarke , Jasper and Smith . 1 +Emerson offered a foundation year in Anthroposophy followed by specialised courses in Waldorf education , Biodynamics and later other courses . Emerson offered a year of foundation in Anthroposophy , followed by specialised courses in Waldorf education , biodynamics and later other courses . 1 +A daughter , Lester Brickman , was born to Miriam and Frances Anna Brickman on March 5 , 1981 . On 5 March 1981 , Miriam and Lester Brickman were born a daughter , Frances Anna Brickman . 0 +Mike McCoy was the head coach of the Aviators , and Carl Caldwell was the General Manager . The main coach of the aviators was Carl Carl Caldwell , and the general manager was Mike McCoy . 0 +The 1940 San Diego State College football team represent San Diego State Aztecs during the 1940 College Football season . The 1940 San Diego State Aztecs football team represented San Diego State College during the 1940 college football season . 0 +The chapel was also consecrated to Saint John the Baptist and James , Blessed Christina , all the protectors of the House of Visconti . The chapel was also dedicated to Saint John , the Baptist and Christina , Saint James , all the protectors of the House of Visconti . 0 +In the , Daniel Dewey ( F ) resigned February 24 , 1814 and was replaced in a special election by John W. Hulbert ( F ) In Daniel Dewey ( F ) resigned February 24 , 1814 , and was replaced by a special election of John W. Hulbert ( F ) . 1 +Mount Darwin ( alternatively : Darwin ) is one of seven districts in the province of Mashonaland Central in Zimbabwe . Mount Darwin ( alternate : Darwin ) is one of seven districts in the Mashonaland Central province of Zimbabwe . 0 +Nick Rotteveel ( born January 6 , 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . Nick Rotteveel ( born 6 January 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . 1 +He was considered a liberal Spaniard who practiced liberal and democratic principles for the enforcement of liberal laws . He was considered a liberal Spaniard who practiced the liberal principles for imposing liberal and democratic laws . 0 +Hi Records acts Hodges , as well as Green and Tom Jones , have all recorded songs written by Syl Johnson , O.V . Wright . Hodges , as well as Green and Tom Jones , have written all recorded songs by Syl Johnson , O.V . Wright . 1 +The total production 483,593 units , was narrowly beaten by its predecessor , the 9000 , of which 503,000 were built . The total production of 483,593 units was narrowly beaten by the predecessor , the 9000 , of which 503,000 were built . 1 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogotá , and three grandchildren . He is survived by his children , Jason Coppola of Brooklyn and Samantha Coppola of Bogota , and three grandchildren . 0 +""" Florida "" was awarded on 4 May 1898 , and ordered to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." "On 4 May 1898 , "" Florida "" was awarded and ordered on 11 October 1898 to Crescent Shipyard , Elizabethport , New Jersey ." 1 +""" Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of the 3rd Kenyan president , Mwai Kibaki , during Khasakhala 's funeral ." """ Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of 3rd Kenyan President Mwai Kibaki during the funeral of Khazakhala ." 1 +Ricardo Lingan Baccay was ordained a priest on April 10 , 1987 by Diosdado Aenlle Talamayan . Aenlle Talamayan was ordained a priest on April 10 , 1987 by Ricardo Lingan Baccay . 0 +Dana Jurásková ( born 21 September 1961 ) is a Czech politician . She was the Minister of Health in the caretaker government of Jan Fischer . The Czech politician Jan Jan Fischer ( born September 21 , 1961 ) was Minister of Health in the caretaker government of Dana Jurásková . 0 +He has presented lectures and conference at the College Art Association in New York ( 2007 ) and at the Subtle Technologies Conference in Toronto ( 2002 ) . He has presented papers and the College Art Association conference in New York ( 2007 ) and at the Subtle Technologies Conference in Toronto ( 2002 ) . 0 +3200m races run on the inner oval first , then the outer oval . First run 3200 races on the inner oval , then the outer oval . 1 +Jacob Bellaert ( born in Haarlem ) was an early Dutch publisher who produced seventeen books from 1483 to 1486 in Zierikzee . Jacob Bellaert ( born in Zierikzee ) was an early Dutch publisher who produced seventeen books in Haarlem from 1483 to 1486 . 0 +The listed buildings of Derwent Isle are a large house and a former chapel . The listed buildings on Derwent Isle are a large house and a former chapel . 1 +In 2012 , Duncan appeared next to Amanda Hale in Scrubber , a film by Romola Garai written and directed . In 2012 , Duncan appeared alongside Romola Garai in Scrubber , a film by Amanda Hale written and led . 0 +The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College , were merged to Keysborough Secondary College with Springvale Secondary College and Chandler Secondary College . The two secondary schools , Heatherhill Secondary College , Springvale Secondary College and Chandler Secondary College have been merged with Coomoora Secondary College into Keysborough Secondary College . 0 +On August 30 , 1853 , Stephen Champlin 's daughter , Eliza Ellen Champlin , married John B. Cook , a partner of Minnesota 's Alexander Ramsey . On 30 August 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , Stephen Champlin , was married to a partner of John B. Cook in Minnesota . 0 +They are often consumed with beer and sometimes they are a snack . Sometimes they are consumed with beer and are often a snack . 0 +In 1858 he returned to Cherbourg before he escorted Queen Victoria to Britain in August 1858 . He returned to Britain in 1858 before escorting Queen Victoria to Cherbourg in August 1858 . 0 +She extracted her daughter Vinod from the public school and sent Rekha to a school in another district . She returned her daughter Rekha from the public school and sent Vinod to a school in another district . 0 +One week after the birth of Benjamin Linus came Alex ( Michael Emerson ) and took Alex from Rousseau . One week after Benjamin Linus 's birth , Alex ( Michael Emerson ) came and took Alex from Rousseau . 1 +The aircraft was situated on a domestic flight from Goma via Ndjili to Kisangani . The aircraft was located on a domestic flight from Goma to Ndjili via Kisangani . 0 +The music of the film was written by Vijaya Narasimha and lyrics for the soundtrack composed by Chi . Udaya Shankar and Vijaya Bhaskar . The music of the film was composed by Vijaya Bhaskar and the lyrics for the soundtrack written by Chi , Udaya Shankar and Vijaya Narasimha . 0 +He was then traded on the Detroit Tigers for Travis Fryman by the Arizona Diamondbacks with Matt Drews and Joe Randa . He was then traded on the Detroit Tigers for Matt Drews and Joe Randa by the Arizona Diamondbacks with Travis Fryman . 0 +Other types of courses offered by the department are short courses , online classes , weekly classes , day and weekend courses and summer schools . Other types of course offered by the Department include online courses , short courses , weekly classes , day and weekend courses and summer schools . 1 +The band appears in the video alongside British comic actors Jo Guest and Sara Stockbridge and model Matt Lucas . The band appears in the video next to the British comic actors Jo Guest and Sara Stockbridge and Model Matt Lucas . 1 +His nephews include the actors Nikhil Nanda and Armaan Jain and businessman Ranbir Kapoor . His nephews include actor Ranbir Kapoor and Armaan Jain and businessman Nikhil Nanda . 0 +The crusher was operated by the Glen Alden Coal Company , a subsidiary of the Blue Coal Corporation . The breaker was operated by the Blue Coal Corporation , a subsidiary of the Glen Alden Coal Coal Company . 0 +The song is a crossover from Dance ManiaX 2ndMix , composed by Tomosuke Funaki and sung by emi . The song is a crossover of Dance ManiaX 2ndMix , sung by Tomosuke Funaki and composed by emi . 0 +"The perfect continuous is created by adding the "" mi- "" prefix to the perfect :" "The perfect continuous is made by adding the prefix "" mi- "" to the perfect :" 1 +For example , Elizabeth Coffin , daughter of a prominent merchant from Nantucket , was the mother of the wealthy Massachusetts industrialists Henry Coffin Nevins and David Nevins Jr . For example , Elizabeth Coffin , a daughter of a wealthy merchant from Nantucket , was the mother of the prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr ... 0 +"The novella was translated into English by Antonia White and published ( with "" The Cat "" translated by Roger Senhouse ) in 1953 ." "The novel was translated into English by Antonia White and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." 1 +Critical Millennium is a 2010 Graphic Novel published by Archaia Studios Press , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Daniel Dussault and illustrated by Andrew E. C. Gaska . 1 +"Brenda Lee recorded "" Danke Schoen "" for her 1964 album "" By Request "" , produced by Owen Bradley ." "Owen Bradley has recorded "" Thank Schoen "" for her 1964 album "" By Request "" , produced by Brenda Lee ." 0 +I created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . I 've created Sidney Nolan figures in a Francis Bacon landscape , inspired with stunts by Jean Cocteau . 1 +The first house , a Shanty , built Jacox from New York in 1830 in Clarkston . Squatter Linux Jacox from Clarkston built the first house , a Shanty , in New York in 1830 . 0 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentine physicist who has done the most work in Argentina . Miguel Ángel Virasoro ( ; born 1940 in Italy ) is an Argentine physicist who has done most of his work in Argentina . 1 +Cooper was elected as a democrat to the thirty-seventh congress and served until his death in Coopersburg in 1862 . The funeral is in Woodland Cemetery . Cooper was elected as a Democrat to the Thirty-seventh Congress and served until his death in Woodland Cemetery in 1862 . Interment is in Coopersburg . 0 +The affine scaling direction can be used to define a heuristic to adaptively choose the centering parameter as The affine scaling direction can be used to choose a heuristic to adaptive the centering parameter as : 0 +Copies of the Leach catapult , which were used by the Royal Engineers locally , were made in the Gallipoli campaign . Copies of the Leach - catapult made by the Royal Engineers locally were used in the Gallipoli campaign . 0 +He was the son of Eoin MacNeill , the founder of Irish Volunteers , whom Niall MacNeill later joined as an officer in the Irish Army . He was the son of Eoin MacNeill founder of the Irish Volunteers which Niall MacNeill joined later becoming an officer in the Irish Army . 1 +The centre of Eldersburg is located at the intersection of Maryland Route 26 ( Liberty Road ) and Maryland Route 32 ( Sykesville Road ) . The center of Eldersburg is at the intersection of Maryland Route 26 ( Sykesville Road ) and Maryland Route 32 ( Liberty Road ) . 0 +Itami-go was a part of the castle of Arioka , which ruled Araki Murashige under Oda Nobunaga . Itami-go was a part of Castle Arioka which Araki Murashige ruled under Oda Nobunaga . 1 +Digital built a very large facility on King Street near the Common , as well as offices on Porter Road and Foster Street . Digital built a very large facility in Porter Road and Foster Street near the Common , as well as offices on King Street . 0 +Starmount is a residential area on the South Charlotte ( South Boulevard in Arrowood and Archdale ) . Starmount is a residential neighborhood in the South Charlotte ( South Boulevard at Arrowood and Archdale ) area . 1 +In the semi-finals the teams play in second place in the pools , the first places from the other pool . In the semi-finals , the teams play teams first in the pools and the second place from the other pool . 0 +RK is the cathode resistor and Rtot is the parallel combination of RP ( external plate resistor ) and Rload . RK is the cathode resistor , and rtot is the parallel combination of RP ( external resistor ) and rload . 1 +Drietoma is a village and municipality in the Trenčín Region in the Trenčín District of northwestern Slovakia . Drietoma is a village and municipality in the Trenčín district in the region of Trenčín in north-western Slovakia . 1 +His father returned to Bombay as the finished violinist of the Russian school . His father returned to Bombay as a finished violinist of the Russian school . 1 +The development of Bas 90 started in the 1970s and began being implemented in the 1980s . The development of Bas 90 started in the 1970s and was implemented in the 1980s . 1 +The title track was a single - five - top in May 2013 on the Texas Music - Chart . The title track was a top-five single on the Texas Music chart in May 2013 . 0 +Pro-Russian troops opened fire on Ukrainian positions on 33 occasions , killing one civilian , two policemen and wounding three Ukrainian soldiers . On 33 occasions , pro-Russian troops opened fire in Ukrainian positions , killing one civilian , two policemen , and wounding three Ukrainian soldiers . 1 +He was born in Portland , Oregon and died in Sioux City , Iowa . He was born in Portland , Oregon . He died in Sioux City , Iowa . 1 +Woree is located next to Bruce Highway , from Brisbane to Woree via the Bruce Highway 1,677 km . Woree is next to the Bruce Highway . From Brisbane to Woree is 1,677 km via the Bruce Highway . 1 +They came to Russia in the 18th century from Poland , and their language includes Polish , German , and Russian words . They came to Russia from Poland in the 18th century , and their language contains Russian , German and Polish words . 1 +"It 's the second entry in the series , the first is "" Fast Racing League "" published on WiiWare for the Wii in 2011 ." "It is the first entry in the series , the second is "" Fast Racing League "" on WiiWare published in 2011 for the Wii ." 0 +Emma 's brother William and her two sisters Jemima Thomasina and Sarah belonged to the Weeden family . The Weeden family included Emma 's brother William , and her two sisters Jemima Thomasina and Sarah . 1 +Today , the genre is well established and incredibly diverse . The genre is well established and incredibly diverse today . 1 +Dudi Sela won the title after defeating Thomas Fabbiano 4 -- 6 , 6 -- 4 , 6 -- 3 in the final . Dudi Sela won the title after defeating Thomas Fabbiano in the final with 4 : 6 , 6 : 4 , 6 : 3 . 1 +In some games , a combination of a blue jersey and white shorts has been used . A combination of a white jersey and blue shorts has also been used in some matches . 0 +The third and final series started in May 2011 . Javone Prince and a returning Marek Larwood appeared in the new series . The third and final series started in May 2011 . In the new series Javone Prince and a recurring Marek Larwood appeared . 1 +Then he returned to the Auckland Rugby League competition and played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . 0 +Tony Tough and the Night of Roasted Moths is a PC adventure game owned and developed by Nayma Software . Tony Tough and the night of the fried moths is a PC adventure game owned and developed by Nayma Software . 1 +He studied at Davis Studio in Melbourne and at Julian Ashton Art School , Sydney . He studied at Davis Studio , Melbourne and at the Julian Ashton Art School in Sydney . 1 +Moritz Henle ( 7 August,1850 -- 24 August , 1925 ) was a prominent German composer of Jewish music and cantor of the liturgical reform movement . Moritz Henle ( August 7 , 1850 - August 24 , 1925 ) was an important German composer of liturgical music and a cantor of the Jewish reform movement . 0 +Taubensee played for three different ballclubs during his career : the Cleveland Indians , Houston Astros ( - ) , and Cincinnati Reds ( - ) . During his career , Taubensee played for three different ball clubs : the Cleveland Indians , Houston Astros ( - ) and Cincinnati Reds ( - ) . 1 +It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and re-released in 1999 by Universal Music 's Spectrum label . It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Spectrum Label by Universal Music in 1999 . 0 +Opened on April 8 , 1994 , it was the second bridge across the lower Mekong , and the first on the full course of the Mekong . It was opened on 8 April 1994 and was the second bridge over the lower Mekong , and the first on the full course of the Mekong . 1 +There are 4 playable characters , each with a different ability and a unique fighting style . There are 4 playable characters , each with a different ability and also a unique fighting style . 1 +It is covered with a natural vegetation of grassland of less fertile red clay bases , and Saltbush bushland on more fertile earths . It is covered with a natural vegetation of grassland of more fertile clay soils , and saltbush shrubland on less fertile red earths . 0 +WORHP , also referred to as eNLP ( European NLP Solver ) , is a mathematical software library for numerically solving continuous , nonlinear optimization problems on a large scale . WORHP , also referred to by ESA as eNLP ( European NLP Solver ) , is a non-linear software library for numerically solving continuous mathematical optimization problems . 0 +"One of the triassic rocks used in Cardiff is "" Radyr Stone "" , a Freestone which , as the name suggests , is mined in the Radyr district ." "One of the Triassic rocks used in Cardiff is "" Radyr Stone "" , a freestone which as its name suggests is quarried in the Radyr district ." 1 +Moore was born in Memphis , Tennessee and grew up in Topeka , Kansas , where , in his youth , he sang ballads and spirituals . Moore was born in Memphis , Tennessee , and raised in Topeka , Kansas , where he sang ballads and spirituals in his youth . 1 +In 1995 , Bret Hart accused Lawler of being a racist to create problems between Hart and the Japanese wrestler Hakushi . Lawler accused Bret Hart in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 0 +This is the last conversation between Roger Howarth and Blair until 2011 . This is the last conversation between Todd and Blair 's Roger Howarth until 2011 . 0 +Governor Flanagin took the state archives and first moved to Arkadelphia and then to Washington at Hempstead County , where he set up a new capital . Governor Flanagin took the state archives and moved first to Hempstead County , and then on to Washington in Arkadelphia where he set up a new capitol . 0 +Pandabeswar CD Block had 1 special and non-formal college with 1,007 students , 257 institutions for general education with 9,690 students . The Pandabeswar CD Block had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students 0 +Especially services Tung Chung , New Territories and routes between the airport and Disneyland Resort , 19 routes with 165 buses . Mainly services Tung Chung , New Territories and routes shuttling between the Airport and Disneyland Resort , operating 19 routes with 165 buses . 1 +Born the son of geologist and mineralogist Emma Brosy and the Swiss berend George Escher was born . Escher was born the son of the geologist and mineralogist Berend George Escher and the Swiss Emma Brosy . 0 +He died at his country residence of Rosemore on the Dunoon near Holy Loch on 15 September 1856 . He died on 15 September 1856 in his country residence of Rosemore at Dunoon , near Holy Loch . 1 +His son Josh Billings ( 1818 -- 1885 ) became a well-known humorist under the pen name Henry Wheeler Shaw . Under the pseudonym Henry Wheeler Shaw , his son Josh Billings ( 1818 -- 1885 ) became a well-known humorist . 1 +Under the British Raj , Bombay Presidency was part of the Bijapur District . Under the British Raj , the Bijapur District was part of the Presidency of Bombay . 0 +""" Encrinus "" was assigned in 1764 . It was described to the order Encrinida by Jack Sepkoski in 2002 ." was described in 1764 and was assigned by Jack Sepkoski to the Encrinida order in 2002 . 0 +Yıkılgan is a village in the district Amasya , Turkey , province of Amasya . Yıkılgan is a village in the District of Amasya , Turkey , Amasya Province . 1 +TeamQuest was founded in 1991 by three employees of a software research and development group from Unisys Corporation . TeamQuest was founded in 1991 by three employees from a software research and development group at Unisys Corporation . 1 +Tătarca river is a tributary of the Cârlibaba River in Romania . The river Cârlibaba is a tributary of the River Tătarca in Romania . 0 +California , New York , and several other states have produced textbook content that has been influenced by publishers . California , New York , and several other states have influenced textbook content produced by publishers . 0 +He was married to Dorothy Britton , who had translated a number of Japanese books into English . Dorothy Britton was married to Bouchier , who translated a number of Japanese books into English . 0 +Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrotechnics at Harvard University . Evelyn L. Hu is Gordon McKay 's professor of applied physics and electrical engineering at Harvard University . 0 +Archana is an accomplished film actress and southern Indian Kuchipudi and Kathak dancer , renowned for her works in the Indian film industry . Archana is an accomplished film actress and South Indian Kuchipudi and Kathak dancer , known for her works in the Indian film industry . 1 +McIntyre is from Stuart , West Virginia , has 4 children , and attended school in Florida . McIntyre comes from Stuart , Florida , has 4 children and attended school in West Virginia . 0 +Walker was born in Chicago Heights , Illinois , in 1967 . He attended Bloom High School in Glenwood , Illinois . He was born in 1967 in Glenwood , Illinois , and attended the Bloom High School in Chicago Heights , Illinois . 0 +"In reality , a "" coherent "" isotropic radiator of linear polarization can be shown impossible ." "In reality , a "" coherent "" linear radiator of isotropic polarization can be shown to be impossible ." 0 +Calibogue Sound is situated between the islands of Daufuskie and Hilton Head and connects Intracoastal Waterway and the Harbour Town Marina with the Atlantic Ocean . Calibogue Sound is located between Daufuskie and the Atlantic Ocean , connecting the Hilton Head Islands and the Harbour Town Marina with Intracoastal Waterway . 0 +Chrishan was born in Toledo , Ohio and grew up in St. Paul , Minnesota . He attended High School for Recording Arts in Minneapolis , Minnesota . He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and visited the High School for Recording Arts in St. Paul , Minnesota . 0 +"Koca ( a Turkish word for "" great "" or "" large "" ) may refer to :" "Koca ( a Turkish word meaning "" large "" or "" great "" ) may refer to :" 1 +It began on Social Esportiva Vitória , then went to the Fabriciano and was loaned to various clubs and other Ceará , before returning in mid- 2010 to Ceará . It began on Social Esportiva Vitória , then went to the Fabriciano and was lent to other clubs and various Ceará before returning to Ceará in 2010 . 1 +Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC is operated by Creswell . Creswell is served by the daily Roanoke Beacon from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . 0 +He has a son ( born 2000 ) from a former relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . He has a son ( vintage 2000 ) from a previous relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . 0 +Mammootty won the Special Mention in 1985 Kerala State Film Awards and secured Filmfare Award for his role as Ravi Varma . In 1985 , Mammootty won the Special Mention Kerala State Film Award and secured the Filmfare Award for his role as Ravi Varma . 1 +Born in Stockholm , Sweden in 1967 , she grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) home . Born in 1967 in Madrid , Spain , grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) house . 0 +Coopers Plains train station on the Beenleigh railway line ( now the south coast line ) opened in 1885 . Coopers Plains railway station on the South Coast railway line ( now the Beenleigh line ) opened in 1885 . 0 +SV Lurup is a German association football club from the city of Hamburg in the federal state of the same name . SV Lurup is a federal association of the Football Association from Hamburg in the state of the same name . 0 +Refers to the action of the body in turning figures ; turning the opposite hip and shoulder towards the direction of the moving foot . Refers to the action of the body when turning figures : turning the opposite hip and shoulder in the direction of the moving foot . 1 +Kallir is incompetent , but very honest in politics . Kallir is honest , but in politics very incompetent . 0 +The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but since then the consolidated squadron has not been active anymore . The 913th troop carrier squadron was consolidated in September 1985 with the 13th air refuelling squadron , but the active squadron has not been consolidated since then . 0 +The GE Honda HF120 is a light turbofan for the small business jet market , the first engine to be produced by GE Honda Aero Engines . The GE Honda HF120 is a small turbofan for the light business aircraft market , the first engine produced by GE Honda Aero Engines . 0 +In 1281 Simon de Brion was appointed Archbishop of Bourges by Pope Martin IV ( Simon de Beaulieu ) . In 1281 , Pope Martin IV ( Simon de Beaulieu ) , Simon de Brion , was appointed Archbishop of Bourges . 1 +Souray married former WWE wrestler Barbara Blank in February 2016 , better known as Kelly Kelly , and separated in October 2017 . In February 2016 , Souray married former WWE wrestler Kelly Kelly , better known as Barbara Blank , and separated in October 2017 . 0 +"Their son Marc appeared with Tony on "" Taxi "" in two episodes as Brian Sims ." "Her son Marc appeared in two episodes with Tony as "" Brian Sims "" on "" Taxi "" ." 1 +"Polumenta released his second studio album "" Buntovnik "" ( Rebel ) on 18 November 2010 under Grand Production , his fifth project with the label ." "On 18 November 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project on the label ." 1 +Then he moved to Morocco , where he spent over eight years in Africa . He then moved on to Morocco where he spent over eight years in Africa . 1 +Leonardo and Pisanello were among the first Italian artists to add secular symbols to their allegorical portraits . Leonardo and Pisanello were among the first Italian artists to add secular symbols to their allegorical images . 1 +Most Japanese troops are captured in the raid , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) will be killed . Most of the Japanese troops are captured in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is killed . 1 +In terms of internal relations , the Sami languages are divided into two groups : western and eastern . In terms of internal relationships , the Sami languages are divided into two groups : eastern and western . 1 +O 'Dea was born in Sydney in 1889 and moved with his family to Armidale as a child . O 'Dea was born in 1889 in Armidale and moved to Sydney as a child with his family . 0 +The two other fundamental quantum field theories are electroweak chromodynamics and the quantum theory . The other two fundamental quantum field theories are quantum chromodynamics and the electro-weak theory . 0 +The following is a list of double albums , in which the initial release of the album includes two ( or more ) LP records or Compact Discs . The following is a list of double albums in which the first release of the album contains two ( or more ) LP records or compact discs . 1 +Five men died immediately , one was missing and 25 were wounded , two of whom later died . Five men died instantly , one was missing , and 25 were wounded , two of whom died later . 1 +In the evening , a small soup came with a thin piece of bread . In the evening , a bowl of thin soup came with a piece of bread . 0 +Euglandina jacksoni is a species of terrestrial pulmonate air-breathing land snail , a predatory gastropod mollusk in the family Spiraxidae . Euglandina jacksoni is a kind of predatory air-breathing snail , a terrestrial pulmonate gastropod mollusk in the Spiraxidae family . 0 +It is now held by Clement Attlee 's grandson John Richard Attlee , Earl Attlee 3rd . It is now held by Clement Attlee 's grandson John Richard Attlee , 3rd Earl Attlee . 1 +Moses Point Airport is an airport in Elim , a town in the Nome Census Area of the U.S. state of Alaska . El Elim is an airport in Moses Point Airport , a city located in the Nome Census Area of the US state of Alaska . 0 +mcen 092.2 gathered here have spoken you very clearly and you have not accused . Here gathered mcen 092.2 you have spoken very clearly and you have not charged . 1 +In February 2016 it was announced that John Kasich has joined Governor Kasich of Ohio as National Co Chairman and California State Chairman for Steve Poizner for President . In February 2016 , it was announced that John Kasich Governor Kasich of Ohio joined National Co Chairman and California State Chairman for Steve Poizner as President . 1 +In addition to rental purposes , it is used as a Masonic wedding and banquet hall . In addition to the rental purposes , it is used as a Masonic wedding and banquet hall . 1 +This North American series of eastern hours was broadcast from 22 May to 10 July 1966 on Sundays at 3 : 00 p.m. ( half time ) . This half-hour series was broadcast on Sundays at 3 : 00 p.m. ( North American Eastern time ) from 22 May to 10 July 1966 . 0 +Doyle said the Pennsylvania -- Maryland Mason -- Dixon line is exact Doyle said the Pennsylvania -- Maryland Mason -- Dixon line is exactly 1 +The river Lotriorul is a tributary of the River Priporul in Romania . The Lotriorul River is a tributary of the Priporul River in Romania . 1 +"Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Finnish - Swedish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Swedish - Finnish soprano ." 0 +In 2017 , she was nominated for a Sobey Art Award ( shortlisted for the Prairies and the North region ) . She was nominated for a Sobey Art Award ( nominated for the Prairies and the North ) in 2017 . 0 +""" Iain McKie and Michael Russell MSP : The Prize of Innocence "" by Shirley McKie , published April 18 , 2007 ." """ Shirley McKie : The Price of Innocence "" by Iain McKie and Michael Russell MSP , published 18 April 2007 , ." 0 +Touche was the first son of the Third Baronet of Creation in 1920 . Touche was the third son of the first Baronet of the 1920 creation . 0 +The music was written by Vedha and the lyrics by Kannadasan were composed . The music was composed by Vedha and the lyrics by Kannadasan were written . 0 +The church now contains an organ formerly in the Central Methodist Church , Saltergate , Chesterfield . The church formerly contains an organ in the Central Methodist Church , Saltergate , Chesterfield . 0 +This bridge today was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge over the Peace River . This small bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . 0 +The parallel analysis can be applied to the same LC circuit , then the total impedance is given by : The same analysis can be applied to the parallel LC circuit The total impedance is given then by : 0 +The episode was written by Bill Wrubel and was directed by Lev L. Spiro . The episode was written by Lev L. Spiro and was directed by Bill Wrubel . 0 +Steckborn is a municipality in the district of Frauenfeld in the Canton Thurgau , Switzerland . Steckborn is a municipality in Thurgau , in the Canton of Frauenfeld , Switzerland . 0 +"The "" Newsreel "" was the successor to Zepps ' apos ; long weekly comedy - Sketch "" Friday News Review "" , in which Mike Carlton also performed ." "The "" Newsreel "" was the successor to Zepps 's long-running weekly comedy sketch "" Friday News Review "" , which Mike Carlton also performed in ." 1 +Biala Rawska is one of the oldest historical settlements of Slavic Mazovia . Biala Rawska is one of the oldest Slavic settlements of historic Mazovia . 0 +is approximately 10 miles southeast of Bloomington and 8 miles northeast of Harrodsburg at the crossing of W. Milton Road and S. Victor Pike . Victor is approximately 10 miles southeast of Bloomington and 8 miles northeast of Harrodsburg at the junction of W. Milton Road and S. Victor Pike . 1 +Ramón Jiménez was born on 23 December 1881 in Moguer , near Huelva , in Andalucia . Juan Ramón Jiménez was born in Huelva , near Moguer , in Andalucia , on 23 December , 1881 . 0 +Abijah Stark came with his family from Coleraine , Massachusetts and settled first just north of Fish House near the Providence town line . Abijah Stark came from Coleraine , Massachusetts with his family and settled just north of Fish House near the Providence Town Line . 1 +Darren decides to find out what really happened to her and hacks into Jonathan 's laptop . Jonathan decides to find out what really happened to her and hacks into Darren laptop . 0 +The 1963 San Francisco State Gators football team represents College Division during the 1963 San Francisco State College Football season . The 1963 San Francisco State Gators football team represented San Francisco State College during the 1963 College Division football season . 0 +He represented the country at UEFA Euro in 1968 , when Yugoslavia lost in the final to Italy . He represented the country at UEFA Euro in 1968 , when Italy lost to Yugoslavia in the final . 0 +Other finalists included National Geographic , New York , Vanity Fair , and Wall Street Journal . Other finalists included the Wall Street Journal , New York , Vanity Fair , and National Geographic . 1 +Wyloo Station , often referred to as Wyloo and previously known as Peake , is a pastoral lease that operates as a sheep station and cattle station . Wyloo Station , often referred to as Wyloo and previously known as Peake , is a pastoral lease that works as a sheep and cattle station . 1 +In Brazil , the IPHONE brand was registered in the year 2000 by Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . In Brazil , the brand IPHONE was registered in 2000 by the company then called Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . 0 +He was born in Frederick Dallas Cairns in London , England , UK and died in Melbourne , Australia . Born in Frederick Dallas Cairns in London , England , UK , he died in Melbourne , Australia . 1 +In January the next year , it was announced that Craven would replace Scott Pruett in PPI Motorsports 's No . In January of next year , it was announced that Craven Scott Pruett would replace PPI Motorsports in No . 0 +Tkibuli is a district of Imereti , in the region of Georgia , whose main town is Tkibuli . Tkibuli is a district of Imereti , in the region of Georgia . Its main town is Tkibuli . 1 +In 1989 London joined the Peace Corps in Africa and co-managed a regional business development program in Malawi . In 1989 , London joined the Peace Corps in Malawi and organized a regional program for business development in Africa . 0 +Rebana in Jakarta is particularly connected with the Muslim community , such as the Minang in Sumatra and the Betawi in Indonesia . Rebana in Indonesia is particularly associated with the Muslim community , such as the Minang in Sumatra and the Betawi in Jakarta . 0 +The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +"Mosquitor was designed by NECA as part of Series 6 of the "" Masters of the Universe "" series of ministatues released by Four Horsemen Studios ." "Mosquitor was designed by NECA as part of the series 6 of the "" Masters of the Universe "" series of ministatues designed by Four Horsemen Studios ." 1 +The stadium was home to the former Georgia Mustangs and the late WUSA women 's soccer club of the former Atlanta Beat League . The stadium was the home to the former Georgia Mustangs and the former Atlanta Beat women 's soccer club of the defunct WUSA league . 0 +Cold years , by contrast , are often associated with dry Pacific La Niña episodes . By contrast , dry years are often associated with cold Pacific La Niña episodes . 0 +The Football Federation of Armenia was founded on 18 January 1992 and established relations with FIFA in 1992 and with UEFA in 1993 . The Football Federation of Armenia was established on 18 January 1992 and had relations with FIFA in 1992 and UEFA in 1993 . 1 +The Repedea River is a tributary of the River Grojetu in Romania . The river Grojetu is a tributary of the River Repedea in Romania . 0 +Beaumont was baptised in Edworth near Biggleswade and she was born in 1652 . Her parents were John and Mary Beaumont of Pirton . She was born in Edworth , near Biggleswade , and was born in 1652 , where her parents were John and Mary Beaumont of Pirton . 0 +These whole cays gave their name to the northwestern bank , which is known as Placer de los Roques , in the Spanish language . These whole cays gave the northwestern bank , known as Placer de los Roques , their name in Spanish language . 1 +"The spacecraft is the first application of the "" Flexbus "" platform of Astrium , the second was GRACE ." "The spacecraft is the second application of the "" Flexbus "" platform from Astrium , the first was GRACE ." 0 +The park is 65 km west of Fianarantsoa and 139 km northeast of Mananjary in the regions Haute Matsiatra and Vatovavy - Fitovinany . The park is situated 65 km northeast of Fianarantsoa and 139 km west of Mananjary in the regions Haute Matsiatra and Vatovavy-Fitovinany . 0 +The 2009 - 2010 National Hockey League season was the 17th season of operation ( 16th season of play ) for the Anaheim Ducks franchise . The season 2009 -- 10 Anaheim Ducks was the 17th season of the operation ( 16th season of the game ) for the National Hockey League Franchise . 0 +They were accompanied by several other families , or were soon followed , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . They were accompanied or were soon followed by several other families , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . 1 +The following night , Delirious put aside his problems with Danielson in order to challenge Pearce . The next night , Delirious put aside his problems with Pearce to challenge Danielson . 0 +In 1906 , the Mount Vernon , New York Chapter of the Daughters of the American Revolution dedicated the Chief Nimham Memorial at Van Cortlandt Park . In 1906 , the Mount Vernon , New York Chapter of the Daughters of the American Revolution , consecrated Chief Nimham Memorial at Van Cortlandt Park . 1 +Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , president of the Micex , son of the famous Soviet economist Ruben Aganbegyan . Ruben Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Abel Aganbegyan . 0 +Miguel Ángel Virasoro ( * 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . Miguel Ángel Virasoro ( ; born 1940 in Italy ) is an Argentine physicist who has done most of his work in Argentina . 0 +Andrea Dovizioso remained with Ducati for the 2015 season with Andrea Iannone coming to the factory team from a Pramac Ducati . Andrea Dovizioso remained with Ducati for the 2015 season , with Andrea Iannone coming from a Pramac Ducati in the factory . 1 +The journalist by Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . The journalist played by Elio Germano ( Luke Gualtieri , the fictional Journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . 0 +The town of Otisfield , currently in Cumberland County , was part of the Oxford County until 1978 . The town of Otisfield , currently in Oxford County , was part of the Cumberland County until 1978 . 0 +After some protesting from the girl 's father , the man was killed by Douji and Suzu before Hime and her father 's corpse were consumed by the Orochi . After some protests from the girl 's father , the man of Douji and Hime was killed before Suzu and her father 's corpse were consumed by the Orochi . 0 +This is a list of city and regional parks in British Columbia including national parks , provincial parks , urban and regional parks . This is a list of national parks in British Columbia including municipal and regional parks , provincial parks , municipal and regional parks . 0 +The affine scaling direction can be used to define a heuristic to adaptively the centering parameter as : The affine scaling direction can be used to create a heuristic to adaptively define the centering parameter as 0 +"The Georgian tribe was later ruled by a prince known locally as "" mamasakhlisi "" ( "" father of household "" in Mtskheta ) ." "The Mtskheta tribe was later governed by a prince known locally as "" mamasakhlisi "" ( "" father of the household "" in Georgian ) ." 0 +The Glassport Odds were a semi-professional , later professional football team from Glassport , Pennsylvania from 1913 until 1950 . From 1913 to 1950 , Glassport Odds were a semi-professional , later professional football team from Glassport , Pennsylvania . 1 +Rupert 's eldest son , Johann Rupert , is now the CEO of Richemont and chairman of Remgro . Rupert , Johann Rupert ’ s eldest son , is now the CEO of Richemont and Chairman of Remgro . 0 +On April 17 at Lockdown , Morgan defeated Hernandez in a steel cage match to win the feud . On 17 April , Morgan defeated in Lockdown Hernandez in a steel cage - Match to win the Feud . 1 +Danielle Santos Bernals Body was found on 4 November 2001 by her sister Lolly and Marian Anderson . The body of Marian Anderson was found by her sister Lolly and Danielle Santos Bernal on 4 November 2001 . 0 +In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Head of Staff Ministers . In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Head of Ministry of Staff . 0 +She departed on 23 October for Monrovia , Liberia , from where she sailed on 25 October for Takoradi , Gold Coast , which was reached on 28 October . On 23 October she sailed to Gold Coast , from where she left on 25 October for Takoradi , Monrovia , Liberia , which was reached on 28 October . 0 +Completed in 1848 , it was the first railway to reach the coastal port of Calais , while the Paris-Lille railway had reached Paris from Lille two years earlier . Completed in 1848 it was the first railway to reach the coastal port of Calais . The Paris-Lille railway had reached Paris from Lille two years previously . 1 +Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the section called Black River . Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of Concordia Parish , and moved in the direction of the lower Ouachita in the Black River section . 1 +In 1963 , the National Chiropractic Association reorganized into the American Chiropractic Association ( ACA ) . The National Chiropractic Association was reorganized into the American Chiropractic Association ( ACA ) in 1963 . 1 +A large and powerful bear feels too hungry to take advantage of his strength . , a large and powerful bear , feels too hungry to take advantage of his strength . 1 +He also appeared in 53 games for the Piedmont League ( Greensboro Patriots ) with a 26 - 19 record over the course of the seasons 1928 and 1929 . He also appeared in 53 games for the Greensboro Patriots ( Piedmont League ) with a 26 -- 19 record over the course of the 1928 and 1929 seasons . 1 +Santa Ana Nopalucan is a municipality in Tlaxcala in south-eastern Mexico . Santa Ana Nopalucan is a municipality in southeastern Tlaxcala in Mexico . 0 +The former was brought together in 1994 with another Piedmontese bank Cassa di Risparmio di Biella . The Piedmontese was brought together in 1994 with another former bank Cassa di Risparmio di Biella . 0 +""" Purple Clover "" describes the site as for people who are "" ... still cool , still curious and after all those years are still crazy ." """ Purple Clover "" describes the site as for people who "" ... still curious , still cool and still crazy after all those years are "" ." 1 +On 33 occasions , Ukrainian troops opened fire on pro-Russian positions , killing a civilian and two policemen , and wounding three Ukrainian soldiers . Pro-Russian troops opened fire on Ukrainian positions on 33 occasions , killing one civilian , two policemen and wounding three Ukrainian soldiers . 0 +"Finally , the commissioned prose history ( "" Bataviae Hollandiaeque Annales "" ) was published in 1601 ." "Finally , in 1601 , the commissioned prose story ( "" Bataviae Hollandiaeque Annales "" ) was published ." 1 +The result of their creation is that Williams , famous tennis players sisters Montserrat Caballe , Marilyn Manson wear these clothes . The result of their creation is that Williams , famous tennis players sisters Montserrat Caballe , Marilyn Manson wear this clothes . 1 +Tom Patterson ( born February 12 , 1979 ) is the American entrepreneur who founded Tommy John in 2008 . Thomas John ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tom Patterson Company . 0 +The song was written and composed by Gilles Thibaut . The song was composed and written by Gilles Thibaut . 0 +The Moons organist Tom Warmsley uses a single manual Vox Continental ; also , The Moons ' James Edward Bagshaw uses a Vox Continental 300 . James Edward Bagshaw , organist of The Moons , uses a single manual Vox Continental , and Tom Warmsley of The Moons uses a Vox Continental 300 . 0 +After the closure of the Central Australian Railway in December 1974 , the remaining 10 NTs were transferred to the North Australia Railway . After the closure of the North Australia Railway in December 1974 , the remaining 10 NTs were transferred to the Central Australian Railway . 0 +Its earliest settlers were George McCormick in 1774 , and George Woods who settled at Spring Mills in 1773 and built the first mill there . Its earliest settlers were George McCormick and George Woods in 1774 , who settled in Spring Mills in 1773 and built the first mill there . 1 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in Iraq - war . This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman , Eric Campbell , who was the first Australian to die in the Iraq War . 1 +"The following people have worked or wrote at the "" Dayton Daily News "" at some point :" "The following people at some point wrote at or worked for the "" Dayton Daily News "" :" 1 +The dual concept is relative dimension . The relative concept is the dual dimension . 0 +In fact , matrix A is strictly diagonally positive ( but not dominant ) . In fact , the matrix A is strictly diagonally positive definite ( but not dominant ) . 0 +Frank offered to accompany the children because he wanted to watch Aslan himself . Aslan offered to accompany the children because he wanted Frank himself to see . 0 +Motoyoshi Oda ( July 21 , 1910 - Moji City , Fukuoka -- October 21 , 1973 ; Tokyo ) was a Japanese director . Motoyoshi Oda ( July 21 , 1910 ; Moji City , Tokyo -- October 21 , 1973 ; Fukuoka ) was a Japanese film director . 0 +The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharges . The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharge . 1 +As part of a streamlining campaign , the company reported in January 2017 that it will close three remaining regional cuisines in Everett , Landover and Atlanta . As part of a rationalization campaign , the company reported in January 2017 that it will close three remaining regional kitchens in Atlanta , Landover and Everett . 0 +He was then traded on the Detroit Tigers for Matt Drews and Joe Randa by the Arizona Diamondbacks with Travis Fryman . He was then traded by the Arizona Diamondbacks with Travis Fryman to the Detroit Tigers for Matt Drews and Joe Randa . 1 +From 2 June 1969 , lectures were held for the first 300 students , and at that time the academic workforce consisted of 28 local lecturers . For the first batch of 300 students , lectures were held beginning from 2 June 1969 . At that time , the academic workforce consisted of 28 local lecturers . 1 +The position was filled by William Hay from 2007 to 13 October 2014 , but has since been replaced by Mitchel McLaughlin . The position was filled from 2007 until 13 October 2014 by William Hay , but has since been succeeded by Mitchel McLaughlin . 1 +Gordon Watkins was an American football player who played Offensive Lineman for the Minneapolis Red Jackets , Frankford Yellow Jackets and Brooklyn Dodgers for two years . Gordon Watkins was a professional American football player , who played offensive lineman for two seasons for the Brooklyn Dodgers , Frankford Yellow Jackets , and Minneapolis Red Jackets . 1 +Polali is a village in Bantwal Taluk , in the district of Dakshina Kannada ( South - Canara ) of the state of Karnataka , India . Polali is a village in Dakshina Kannada taluk , in the South Canara ( Bantwal ) district of Karnataka state in India . 0 +At present it is the second most used language in international trade , and the third most used in politics , diplomacy and culture after English and French . At present , it is the second most widely used language in international trade and the third most important in politics , diplomacy and culture in English and French . 1 +Sakidaira Station is an unattended station with a small wooden lateral platform and a single station building . Sakidaira Station is an unattended station with a single side platform and a small wooden station building . 0 +Most of our information about Cicero 's life and career comes from the content of Murena 's speech . Most of our information about Murena 's life and career comes from the contents of Cicero 's speech . 0 +Dactylorhiza lapponica , the Lapland marsh-orchid , is an orchid found in Scandinavia , Germany , Austria , Switzerland , France , Italy and the Czech Republic . Dactylorhiza lapponica , the Lapland - swamp - Morchide , is an orchid , found in Italy , France , Scandinavia , Germany , Austria , Switzerland and the Czech Republic . 1 +In October 2014 , The Go - Katz returned again , with Steve Clark back on the drums and new guitarist Hollie Vee Lucas . The Go-Katz returned again in October 2014 , with Steve Clark back on drums , and new guitarist Hollie Vee Lucas . 1 +"Hilliard 's Beer is described as a "" retro cool beer brand that embraces good design "" ." "Hilliard 's Beer is described as a "" good beer brand that embraces retro cool design "" ." 0 +On 19 January 2008 , Matt Skelton met WBA - Heavyweight - Champion Ruslan Chagaev in Düsseldorf . Ruslan Chagaev faced WBA Heavyweight Champion Matt Skelton on 19 January 2008 in Düsseldorf . 0 +The Little Jocko River flows via the Jocko River and the Ottawa River to the Saint Lawrence River . The Little Jocko River flows across the Saint Lawrence River and the Ottawa River to the Jocko River . 0 +Aramaic remains , however , a local language for spoken , literary and liturgical Christians and also for some Jews . However , Aramaic remains a spoken , literary , and liturgical language for local Christians and also some Jews . 0 +John Rzeznik is an ambassador for the Save the Music Foundation of VH1 , Robby Takac is the founder of music in Art Foundation . John Rzeznik is an ambassador for VH1 's Save the Music Foundation . Robby Takac is the founder of the Music is Art Foundation . 1 +Under the rule of the latter , the newly founded Monastery of Marienberg was recruited with monks from Ottobeuren . Under the rule of the latter , the newly recruited Marienberg Abbey was founded with monks from Ottobeuren . 0 +He became a regular canon He was a prestigious poet writing in the Latin language , under the name of Santolius Victorinus . He became a regular canon . He was a respected poet in the Latin language , writing under the name of Santolius Victorinus . 1 +Nile was the 77th candidate excluded after the distribution of votes on the last count , and was not elected to the Senate . After the distribution of the votes , the 77th candidate was excluded from the last count and was not elected to the Senate . 1 +The Swiss Federal Council and the Swiss Federal Assembly have recommended that the initiative be rejected . The Swiss Federal Assembly and the Swiss Federal Council recommended that the initiative should be rejected . 1 +Then in June 2005 came Auzentech , which with its X-Mystique PCI card , provided the first consumer sound card with Dolby Digital Live support . In June 2005 Auzentech , which provided the X - Mystique Consumer sound card with Dolby Digital Live with its first PCI card , came then . 0 +The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eighth if the pre- 2003 Metropolitan Cup is included . 0 +Mendota is a former settlement located in Fresno County , California , north of Warsaw , near the Pueblo de las Juntas . Warsaw is a former settlement in Fresno County , California . It was located north of Mendota near the site of Pueblo de las Juntas . 0 +In 2016 , the campus moved Milpitas , California to San Jose , California . In 2016 , the San Jose , California campus relocated to Milpitas , California . 0 +In the area of present-day Malawi , the British Central Africa - Protectorate existed between 1891 and 1907 . The British Central Africa Protectorate existed in the area of present-day Malawi between 1891 and 1907 . 1 +There are also two secret religions , which can be unlocked by learning other skills from the various religions . There are also two secret religions , which can be unlocked by learning different skills from other religions . 0 +Tabitha 's mother discovered the body and Michelle , Lawrence , and Laurie were quickly arrested . Laurie 's mother discovered the body and Michelle , Lawrence and Tabitha were quickly detained . 0 +It has not been held since the 2008 event , and there are no plans for it to be reimplemented yet . It has not yet been held since the 2008 event , and there are currently no plans for it to take place again . 0 +"Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , 4 of which are rural and 91 urban :" "Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are urban and 91 are rural :" 0 +SV Lurup is a German association football club from the city of Hamburg in the state of the same name . The SV Lurup is a federal association football club from the city of Hamburg in the same named German state . 0 +The Queen 's Exchange is a Caroline era stage play , a tragicomedy written by Richard Brome . The Queen 's exchange is a play from the Caroline era , a tragicomedy written by Richard Brome . 1 +These are different roles in Cantonese opera . The female forms of female characters are : These are different roles in the Cantonese opera , which are female forms of female characters : 1 +Brighton Beach Railway Station is located on the Sandringham line in Victoria , Australia , and serves the south-eastern Melbourne suburbs of Brighton . Sandringham railway station is located on the Brighton Beach line in Victoria , Brighton , and serves the south-eastern Australia , suburb of Melbourne . 0 +Elizabeth Gordon was the daughter of Adam de Gordon , Lord of Gordon and Elizabeth Keith , daughter of William Keith , Marischal of Scotland . Elizabeth Gordon was the daughter of William Keith , Lord of Gordon , and Elizabeth Keith , the daughter of Adam de Gordon , Marischal of Scotland . 0 +"The "" Houston Chronicle "" is the citywide newspaper , "" Midtown Paper "" is a local newspaper ." "The "" Houston Chronicle "" is the local newspaper . The "" Midtown Paper "" is a citywide area newspaper ." 0 +The museum operated the locomotive and leased # 2719 through its affiliate , the North Shore Scenic Railroad . The museum leased the locomotive and operated through its subsidiary North Shore Scenic Railroad # 2719 . 0 +In 1982 , Slatyer returned to Australia after four years and resumed his professorship in the ANU . After four years in Australia , he returned to Paris in 1982 and resumed his professorship at the ANU . 0 +It is 2 km northeast of Agios Stefanos and 20 km west of Athens city centre . It is 2 km northeast of Agios Stefanos and 20 km west of Athens town centre . 1 +The Istanbul League League season 1907 -- 08 was the first season of the League , Moda FC won the league for the fourth time . The Istanbul Football League season from 1907 to 08 was the fourth season of the League , Moda FC won the League for the first time . 0 +The pier was later relocated to Kwun Chung near Ferry Point . The pier was later shifted to Kwun Chung near Ferry Point . 1 +His sound aesthetics usually are described as transparent , yet aggressive and powerful . His sound aesthetics are mostly described as aggressive and powerful , yet transparent . 0 +Scott was born in Chester County , Pennsylvania , and was buried in Parkesburg , Pennsylvania . Scott was born in Chester County , Pennsylvania , and was buried in Pennsylvania , Parkesburg . 1 +In Laurens , New York , the Otego Creek flows to the Wharton Creek . The Wharton Creek flows into the Otego Creek in Laurens , New York . 0 +On Saturdays there is a small weekly street market around which the covered daily market is situated . On Saturdays there is a street market daily , around the covered small weekly market . 0 +With the weakening of the Canadian dollar , manufacturing sales and exports increased in November and December 2015 , and employment rose . With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . 1 +During the reign of Ali Adil Shah II of Bijapur Sultanat , Afzal Khan was a leading figure of the court . Ali Adil Shah II was a leading court figure during the reign of Afzal Khan of the Bijapur Sultanate . 0 +On the other hand , many democrats feared an industrialization that welcomed the whigs . On the other hand , many Democrats feared industrialization the Whigs welcomed . 1 +""" Love Generation "" is a song by the French music producer and DJ Bob Sinclar with vocals by Gary Pine ." """ Love Generation "" is a song by French music producer and DJ , Bob Sinclar featuring vocals by Gary Pine ." 1 +White allowed 3 ... Qh4 + 4.Kf1 , loses the right to the castle , but this loses time for black after the inevitable Nf3 and white will develop rapidly . White loses 3 ... Qh4 + 4.Kf1 , losing the right to castle , but this allows time for Black after the inevitable Nf3 and White will develop rapidly . 0 +"Pluto was classified as the planet when the Grand Tour was launched and was proposed at the time "" New Horizons "" ." "Pluto was classified as the planet when the Grand Tour was proposed and was launched at the time "" New Horizons "" ." 0 +"In 1966 , Soupy Sales released a song called "" Backwards Alphabet "" , which contained the lyrical alphabet in reverse style ." "Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the reverse alphabet in lyrical style ." 0 +It is southwest of Burlington , Vermont , south of Plattsburgh , south of Montreal , Quebec , and north of Albany . It is southwest of Burlington , Vermont , south of Montreal , Quebec , south of Albany , and to the north of Plattsburgh . 0 +In later life he was an atheist , but in the early stages became a believer . He was an atheist in early life but converted into a believer in the later stages . 0 +Ryan Robbins ( born November 26 , 1972 ) , better known as Ryan John Currier , is a Canadian actor . Ryan Robbins ( born November 26 , 1972 ) , better known as the Ryan John Currier , is a Canadian actor . 1 +"He appeared on the CW in "" The Secret Circle "" and played in the Hallmark - series "" When Calls the Heart "" ." "He played in "" The Secret Circle "" on The CW and appeared in Hallmark - Series "" When the Heart calls "" ." 0 +"Their son Brian Sims appeared with Tony in two episodes as "" Marc "" in "" Taxi "" ." "Her son Marc appeared in two episodes with Tony on "" Taxi "" as Brian Sims ." 0 +"In 2011 , Dave took over from Sean Lock as the host of the John Sergeant comedy panel show , "" Argumental "" ." "In 2011 , Dave took over from Sean Lock as the presenter of the John Sergeant Comedy - Panel - Show "" Argumental "" ." 1 +Born in Bradford , Chapman performed for Frickley Athletic , Bradford City , Notts County , Mansfield , Exeter City , Torquay United , Darlington and Emley . Born in Bradford , Chapman performed for Frickley Athletic , Torquay United , Notts County , Mansfield Town , Bradford City , Exfield City , Darlington and Emley . 0 +Jack Adams ( 1895 -- 1968 ) was a Canadian ice hockey player and longtime coach and manager of the Detroit Red Wings . Jack Adams ( 1895 -- 1968 ) was a Canadian professional ice hockey player and long-time coach and manager of the Detroit Red Wings . 1 +Another Georgian partisan Soviet origin , David Tatuashvili , described the funeral as follows : David Tatuashvili , another Soviet partisan of Georgian origin , described the funeral as follows : 0 +He was born in York ( Toronto ) in 1799 and grew up in Kingston . He was born in 1799 in Kingston , Toronto , and grew up in York . 0 +The lyrics were written by the Lebanese singer Majida El Roumi and music was rearranged by Kadim Al Sahir . The texts were rearranged by the Lebanese singer Majida El Roumi and music by Kadim Al Sahir was written . 0 +In 2009 , Hopsin with Damien Ritter founded his own independent record label Funk Volume . In 2009 , Hopsin founded his own independent record label , Funk Volume , with Damien Ritter . 1 +Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank in the city of Antwerp , Belgium . The Rockox House is a Belgian private residence of the Rockox family and former museum of KBC Bank in the city of Antwerp , Belgium . 0 +He won a second term in office in 1994 , and in 1996 a third term with 63 % of the vote . He won a second term in 1994 and a third term in 1996 with 63 % of the vote . 1 +It was described by Herbert Druce in 1895 , and is known from Morelos ( including Cuernavaca , Mexico , the type location ) . It was described by Herbert Druce in 1895 and is known from Morelos ( including Cuernavaca , Mexico , type location ) . 1 +The Scânteia River or Mitoc River or Nacu River is a tributary of the River Miletin , Romania . The River Miletin or Mitoc or Nacu is a tributary of the Scânteia river in Romania . 0 +Drietoma is a village and municipality in the region of Trenčín in the district Trenčín in north-western Slovakia . Drietoma is a village and municipality in the Trenčín Region in the Trenčín District of northwestern Slovakia . 1 +Three locomotive classes were delivered new with Type YE tenders . Three locomotive classes were delivered with type YE tenders . 1 +It was the longest lived of any of the American-early African newspapers , published in Omaha . It was the longest lived of the early African-American newspapers in Omaha published . 0 +Carl Ravazza ( July 21 , 1910 - July 28 , 1968 ) , also professionally known as Carl Ravell , was an American violinist , singer and bandleader . Carl Ravell ( July 21 , 1910 - July 28 , 1968 ) , also known professionally as Carl Ravazza , was an American violinist , singer and bandleader . 0 +Dick Stockton defeated Arthur Ashe , 6 -- 3 , 6 - 2 Dick Stockton defeated Arthur Ashe , 6 -- 3 , 6 -- 2 1 +Maurice Wilkins shared the 1962 Nobel Prize for Physiology and Medicine with James Watson and Francis Crick ; Rosalind Franklin had already died from cancer in 1958 . James Watson and Francis Crick shared the Nobel Prize for Physiology and Medicine with Rosalind Franklin in 1962 , and Maurice Wilkins died from cancer in 1958 . 0 +The choir also gave concert tours in Australia ( 1987 ) , Israel ( 1988 ) and Estonia ( 1989 , 1990 ) under his tour . The choir also gave concert tours in Australia ( 1987 ) , Israel ( 1988 ) , and Estonia ( 1989 , 1990 ) under his leadership . 0 +Cloud9 is the native IDE for the BeagleBone Black Single Board Computer , which is primarily programmed in an extension of node.js named Bonescript . Cloud9 is the only IDE for the native onboard computer BeagleBone Black , which is programmed primarily in an extension of node.js called Bonescript . 0 +He trained at the prestigious Sheridan College in Canada under the direction of renowned illustrators such as Kathryn Adams , Joe Morse , Gary Taxali and Christoph Niemann . He trained at Canada 's prestigious Sheridan College under the tutelage of such renowned illustrators as Kathryn Adams , Joe Morse , Gary Taxali and Christoph Niemann . 1 +The scene in which Eminem jumps and dives from a cliff was made at the Greenpoint Warehouse in Brooklyn with Lee and the video producer Justin Diener . The scene in which Lee jumps and dives from a cliff was made at the Greenpoint Warehouse in Brooklyn with Eminem and the video producer Justin Diener . 0 +Spring Springs was born in Silver Spring , Maryland and raised in Williamsburg , Virginia . Springs was born in Silver Spring , Maryland , and largely raised in Williamsburg , Virginia . 1 +Knapman then handed over to Dr. Andrew Reid , Coroner for Inner North London , as the Incident Coroner . Then Andrew Reid was handed over to Dr. Knapman , Coroner for Inner North London , as an incident coroner . 0 +"In "" Suicide Squad "" ( 2016 ) , Harley Quinn twice wore the batsuit in the film , where he captured deadshot and bruce ." "In "" Suicide Squad "" ( 2016 ) , Bruce wore the Batsuit again twice in the film where he captured Deadshot and Harley Quinn ." 0 +The Voievodu River is a tributary of the Sterminos River in Romania . The river Voievodu is a tributary of the River Sterminos in Romania . 1 +"Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources of the data used are provided ." "Ecologically appropriate , economically sustainable , politically sensitive , and finally , socially just "" , however no references or sources are provided for the data used ." 1 +V9 was sent to Hungary as a demonstrator after a tour of Romania , and arrived on 5 February 1939 . The V9 was sent to Hungary after a tour through Romania as a demonstrator and arrived on 5 February 1939 . 1 +He was born in Nanjing , attended the engineering school in Nanhui and spent a year at the University of California . Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California . 0 +He has two career hat-tricks , the first against the Edmonton Oilers and the second against the Vancouver Canucks on December 8 , 2009 . He has two careers - Tricks , the first against the Edmonton Oilers and the second against the Vancouver Canucks on 8 December 2009 . 1 +He became an expert both in the eloquent use of the language and in the use of clever arguments to make his points . He became an expert both in the eloquent use of language and in the use of wise arguments to make his points . 1 +The Bank of the People was founded in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph in 1835 . The Bank of the People was founded in 1835 by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . 0 +He has also recorded duets with Daniel Santos , Olimpo Cárdenas and Alci Acosta . He also recorded duets with Daniel Santos , Olimpo Cárdenas , and Alci Acosta . 1 +He died on 15 August 1950 in Ixelles ( Brussels ) . He died in Brussels ( Ixelles ) on August 15 , 1950 . 1 +It serves Mumbai area of Dadar city . It serves Mumbai area of the city Dadar . 1 +In Tbilisi , Varshamov studied with Arnold Walfisz ( where he Georgian ) Varshamov was in Tbilisi with Arnold Walfisz ( where he studied Georgian ) . 0 +For example , 351 W 5th Avenue is approximately west of Fifth Avenue on the south side of High Street . For example , 351 W 5th Avenue is just west of Fifth Avenue on the south side of High Street . 1 +Seon is a municipality in the Aargau district of the canton of Lenzburg , Switzerland . Seon is a municipality in the Lenzburg district of the canton of Aargau in Switzerland . 0 +Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of the Concordia Parish , and moved towards the lower Ouachita in the Black River section . Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the section called Black River . 1 +Younger brother of Petri Walli was Hasse Walli of Kingston Wall . Petri Walli 's younger brother was Hasse Walli of Kingston Wall . 1 +The flood pulse concept is a theory that the annual flood pulse is the most important aspect and the most biologically productive feature of a river 's ecosystem . The concept of flood impulse is a theory that the annual flood pulse is the most important aspect and biologically most productive feature of the ecosystem of a river . 1 +The credits to this film are lost , and the identity of the director and actors are disputed . The credits to this film are lost , and the identity of the director and the actors are controversial . 1 +Alicia , together with Alberto Cortina , has three sons : Together with Alicia Alberto Cortina has three sons . 0 +Four others , including Turner , Machen , and Cissell , were also offered as nominees . Also four others , including Cissell , Machen and Turner , were offered as nominations . 1 +Binary fluorides of metalloids and p- block - nonmetals are generally hypervalent , with varying reactivities , period 3 and heavier non-metals can form covalent and volatile fluorides . Binary fluorides of metalloids and p- block nonmetals are generally hypervalent , with varying reactivities . Period 3 and heavier nonmetals can form covalent and volatile fluorides . 1 +Although its conjugatic acid is highly reactive , peroxynitrite is stable in basic solutions . Although its conjugatic acid is highly reactive , peroxynitrite is basic in stable solutions . 0 +When maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . When the maximum concentrations are reached , there may be a delay of one or two days before a toxic toxicity occurs . 1 +Helmut Groß was the mayor of Tengen from 1973 to 2015 , and his successor was Marian Schreier . Marian Schreier was the mayor of Tengen from 1973 to 2015 , and his successor was Helmut Groß . 0 +Wyoming Highway 377 was a short Wyoming state road in central Sweetwater County that served the community of Point of Rocks and the Jim Bridger Power Plant . Wyoming Highway 377 was a short Wyoming State Road in central Sweetwater County that served as the community of Point of Rocks and the Jim Bridger Power Plant . 1 +Needs are also defined according to the existential categories of being , having , action and interaction , and from these dimensions a 36 - cell matrix is developed . Needs are also developed according to the existential categories of being , having , doing and interacting , and from these dimensions , a 36 cell matrix is defined 0 +His parents were Anna Hostetter Halderman ( 1822-1866 ) , a local businessman and Müller , and William Halderman ( 1828-1919 ) . His parents were William Halderman ( 1822-1866 ) , a local businessman and miller , and Anna Hostetter Halderman ( 1828-1919 ) . 0 +The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Lakes Entrance , along the Princes Highway , north of Melbourne . The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Lakes Entrance , along Princes Highway north of Melbourne . 1 +Jason played youth football in the same league his brother Aaron did Humble Area Football League HAFL Youth Jason played youth football in the same league which his brother Aaron Humble Area Football League HAFL did 1 +Alice Josephine McLellan was born in Marietta , Georgia , as the daughter of Leander and Harriet Tatem McLellan . Harriet Tatem McLellan was born in Marietta , Georgia , the daughter of Leander and Alice Josephine McLellan . 0 +The university is located in Sholinganallur about 15 kilometers from Chennai in Adyar . The university is in Sholinganallur about 15 kilometers from Chennai in Adyar . 1 +The Initial H Block ( formerly Isolation Ward ) was designed by Leighton Irwin in conjunction with the first major works on the relocated hospital area . The former H Block ( Initial Isolation Ward ) was designed by Leighton Irwin , in conjunction with the first major works on the relocated hospital site . 0 +"Three of these joints are true anatomical joints while two are physiological ( "" false "" ) joints ." "Three of these joints are false joints , while two real anatomical ( "" physiological "" ) joints are ." 0 +Bombay Presidency was part of the Bijapur county under the British Raj . Under the British Raj , Bombay Presidency was part of the Bijapur District . 1 +Lawrence Albert plays Watson among the Holmes of first John Gilbert and later John Patrick Lowrie . John Patrick Lowrie plays Holmes to the Watson of first Lawrence Albert and later John Gilbert . 0 +It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , and Turkey , Azerbaijan and Iran . It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +"In the second season , Eugene O ’ Neill and his play "" Bound East for Cardiff "" as well as "" Trifles "" were introduced by Susan Glaspell ." "In the second season , Susan Glaspell and his play "" Bound East for Cardiff "" as well as "" Trifles "" were introduced by Eugene O ’ apos ; ' Neill ." 0 +The Fixer Uppers is a 1935 short film with Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . The Fixer Uppers is a 1935 short film starring Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . 0 +In one of his works ( epic poem on Skanderbeg ) a subordinate theme was Nikola Jurišić . In one of his works ( epic poem about Nikola Jurišić ) , Skanderbeg was a subordinate theme . 0 +Sjoukje Dijkstra was the father of Dijkstra , a figure skater who won a gold medal at the Winter Olympics in 1964 . Sjoukje Dijkstra was the father of Dijkstra , a figure skater who won a gold medal in the 1964 Winter Olympics . 1 +Directors have Fiduciary Duties under general law in Australia . They are : Directors have fiduciary duties in Australia under general law . 1 +"G. Augustus Johnson ( "" fl . "" 1870-1890 ) was an American consul in Beirut who replaced J. Augustus Johnston ." "J. Augustus Johnston ( "" fl . "" 1870-1890 ) was American consul in Beirut . He replaced G. Augustus Johnson ." 0 +In the early days , many wheelchair basketball players saw the participation in supplementary wheelchair sports as a basic training for their individual interest in basketball . In the early days , many wheelchair basketball players saw participation in supplementary wheelchair sports as primary training for their individual interest in basketball . 1 +Roger is kidnapped and Frankie is lured to the same isolated cottage by Bobby . Bobby is kidnapped and Frankie is lured by Roger into the same isolated cottage . 0 +In both the stage and film version of Hedwig and the Angry Inch , the character of Hedwig moves to Junction City after leaving East Germany . Both in the stage and in the film version of Hedwig and The Angry Inch , the character of Hedwig draws to East Germany after leaving Junction City . 0 +Barry Wagstaff ( born November 26 , 1945 ) was a football professional with Sheffield United , Reading and Rotherham United . Barry Wagstaff , ( born 26 November 1945 ) was a professional footballer with Sheffield United , Reading and Rotherham United . 1 +Somaiya Vidyavihar is an educational campus in Vidyavihar - suburb of Mumbai . Somaiya Vidyavihar is an educational campus located in the Mumbai suburb of Vidyavihar . 0 +It is clear that as in Scotland , the playing of extended variation sets on the fiddle was current in Northumberland at the time . It is clear that , as in Scotland , the playing of current variation sets on the violin in Northumberland was extended at that time . 0 +It was the last edition in which cyclists participated in the national teams , and from 1969 commercial teams were used . It was the last edition in which cyclists participated in commercial teams from 1969 onwards and were used on national teams . 0 +In 2016 , the campus Milpitas , California moved to San Jose , California . In 2016 , the San Jose , California campus relocated to Milpitas , California . 0 +"The Thakurgaon Stadium is located at "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." "The Thakurgaon Stadium is located at "" Thakurgaon "" , Thakurgaon Inter District Bus Station , Bangladesh ." 1 +It was described in 1874 by Alpheus Spring Packard and found in North America . It is found by Alpheus Spring Packard in 1874 and is described in North America . 0 +After studying in Belfast , he sailed to Shanghai in 1933 in order to join his parents . After studying in Shanghai , he sailed to Belfast in 1933 in order to join his parents . 0 +Mark Williams is played by Olaf Petersen in the television series . Olaf Petersen is played in the television series of Mark Williams . 0 +On November 24 , 2012 , Franscoviak married the writer Maggie McGuane , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . On November 24 , 2012 , Franscoviak married the writer Charlie Kirn , who live with their children Maisie and Maggie McGuane in Livingston , Montana . 0 +This research has frequently led him to Jamaica , where he focuses on the Royal Bafokeng Nation , as well as Brazil and South Africa . This research has taken him frequently to South Africa , where he focuses on the Royal Bafokeng Nation as well as Brazil and Jamaica . 0 +When the weapons were landed , they were removed by volunteers on bicycles and in vehicles . When the arms were removed , they were ended up by volunteers on bicycles and in vehicles . 0 +Custer County , Nebraska , United States is one of thirty-one townships in Corner Township . Custer County , Nebraska , is one of thirty-one townships in Corner Township . 1 +"He appeared as archie mullen in the disaster film "" Daylight "" 1996 and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as an archie mullen in the film "" Freedom Song "" ( 2000 ) ." 0 +Westman was the son of the postmaster Carl Johan Westman and Tonny Westman . Carl Johan Westman was the son of the postmaster Karl Gustaf Westman and Tonny ( Andersson ) Westman . 0 +Anti-TNFα biological therapies , such as adalimumab , infliximab and etanercept , can often induce the production of anti-dsDNA antibodies . Biological therapies such as Adalimumab , Infliximab and Etanercept can often induce the production of anti-DSNNA antibodies . 1 +The Special Emergency Response Team ( SERT ) is the police - tactical group of Queensland Police , Australia . Police Tactical Group ( SERT ) is the Special Emergency Response Team of the Queensland Police , Australia . 0 +"According to John , "" McCartney had a semi-acoustic Gibson guitar "" ." "According to John , "" McCartney had a semi-acoustic guitar "" ." 1 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian composer and musician . Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian - born American composer and musician . 0 +Cornish is drained by the Ossipee River and the Saco River . Cornish is drained by the Ossipee River and Saco River . 1 +In 1982 , after four years , Slatyer returned to Australia and resumed his professorship at the ANU . After four years in Australia , Slatyer returned to Paris in 1982 and restarted his professorship at the ANU . 0 +Locus is a racing game developed by GT Interactive Software Corp and published by Zombie LLC in North America . Locus is a racing game developed by GT Interactive Software Corp and published by Zombie LLC , North America . 1 +Amy Frazier defeated Mary Joe Fernández 3 -- 6 , 6 -- 2 , 6 -- 3 . Mary Frazier defeated Mary Joe Fernández with 3 -- 6 , 6 -- 2 , 6 -- 3 . 1 +Several of these names were chosen to correspond to their international equivalents in rough chess , and not as literal translations of the Japanese names . These names were chosen to correspond to their international counterparts in the rough chess and not as literal translations of Japanese names . 1 +Alex Alex Corretja defeated Andre Agassi 2 -- 6 , 6 -- 2 , 6 -- 3 Andre Agassi defeated Alex Corretja 2 -- 6 , 6 -- 2 , 6 -- 3 0 +While it is completely turing-practical , it is not intended for complete use , but programmers to challenge and amuse . While it is fully Turing-complete , it is not intended for practical use , but to challenge and amuse programmers . 0 +Its color may vary from gray to brown with a yellow base . Its color may vary from gray to brown with a yellow underside . 1 +Under the leadership of George D. Widener , the current 16th Street Clubhouse was built by architect Horace Trumbauer . The current 16th Street Clubhouse was built under the direction of George D. Widener by the architect Horace Trumbauer . 1 +Balıklı is a village in the District of Gümüşhacıköy , Amasya Province , Turkey . Balıklı is a village in the district Gümüşhacıköy , Turkey , province of Amasya . 1 +The presence of isolobal analog fragments does not mean that the desired structures can be synthezied . The presence of isolobal - analog fragments does not mean that the desired structures can be synthesized . 1 +In August 1927 , Yang finished his marriage with Mao and began a relationship with He Zizhen in early 1928 . In August 1927 , Mao finished his marriage with Yang and began a relationship with He Zizhen in early 1928 . 0 +The river Valea Negrenilor or Negreni River is a tributary of the river Amaradia . The Valea Negrenilor River or Negreni River is a tributary of the Amaradia River . 1 +But their reconciliation is only short-lived , as Corazon sabotages their relationship with some well-placed photographs of Monique with another man . But their reconciliation is short-lived as Corazon sabotages their relationship with some well-placed photographs of Monique with another man . 1 +The 2015 season -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +His wife Tania G. Novarro was the one who made most of the appointments with the great artists for Eddy . His wife Eddy was the one who made the most of the dates with the great artists for Tania G. Novarro . 0 +In 2011 , LuxDev managed 115 projects and programmes and disbursed a total of 78,323,358 euros . In 2011 LuxDev managed 115 projects and programmes and disbursed a total amount of 78,323,358 euros . 1 +It has been found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +The production was repeated from 8 June 2011 in Amsterdam and from 8 July 2012 in Berlin . The production was repeated in Berlin from 8 June 2011 and in Amsterdam on 8 July 2012 . 0 +There are five university hospitals , a general hospital and more than 40 military hospitals , specialist clinics . There are five university clinics , a military hospital and more than 40 common hospitals and specialist hospitals . 0 +Sir Charles Waldstein , from 1918 Sir Charles Walston ( March 30 , 1856 -- March 21 , 1927 ) was an Anglo-American archaeologist . Sir Charles Walston , 1918 Sir Charles Waldstein ( March 30 , 1856 - March 21 , 1927 ) was an Anglo-American archaeologist . 0 +The old Nahant Life Saving Station ( NLSS ) on the Nahant Road and the new war memorial across from the NLSS were renovated in 2004 . The new Nahant Life Saving Station ( NLSS ) on Nahant Road and the old War Memorial erected across the street from the NLSS were renovated in 2004 . 0 +At the AFL meeting the next day , Beck was forced to defend Tobin 's actions . At the next day 's AFL meeting , Beck was forced to defend Tobin 's actions . 1 +Reynolds was selected by the Arizona Diamondbacks in the 16th round ( 476th overall ) of the 2004 Major League Baseball draft . In the 16th round ( 476th overall rank ) of the Major League Baseball - Draft 2004 was selected by the Arizona Diamondbacks . 0 +""" Crystal "" is the 19th episode of the first season of CW - TV series "" The Secret Circle "" and the 19th episode of the series ." """ Crystal "" is the 19th episode of the 19th season of the CW television series , "" The Secret Circle "" , and the series ' first episode overall ." 0 +On July 19 , 1973 , she was sold and scrapped . On 19 July 1973 , she was scrapped and sold . 0 +He visits Fred and makes him his new partner , then goes to the cratchit house , where he reinstates Bob and increases his remuneration . He rehires Fred and makes him his new partner , then goes to the Cratchit house where he visits Bob and increases his wages . 0 +Kiss Country plays a mixture of modern and older country music , with the emphasis on current artists more . Kiss Country plays a mixture of current and older country music , with the emphasis on modern artists more . 0 +Eastern Cape is an administrative area in the Amatole District of the Mnquma Local Municipality in South Africa . Mnquma Local Municipality is an administrative area of the Amatole District of the Eastern Cape in South Africa . 0 +A radar-equipped Vickers Wellington was converted to be one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . A radar-equipped Vickers Wellington was modified for use by the Fighter Interception Unit as one of the first Airborne Early Warning and Control ( AEW & C ) aircraft . 1 +Dudi Sela won the title after defeating Thomas Fabbiano in the final with 4 : 6 , 6 : 4 , 6 : 3 . Thomas Fabbiano won the title after defeating Dudi Sela in the final with 4 : 6 , 6 : 4 , 6 : 3 . 0 +It was originally called Arthur Township Hoff Township , for settler Abel Hoff , and under the latter name was organized in 1881 . Arthur Township was originally called Hoff Township , for settler Abel Hoff , and under the latter name was organized in 1881 . 0 +Pepsi Next was first launched in March 2013 in France , in March 2014 in Finland and Canada . Pepsi Next was first introduced in France in March 2013 , and in Finland and Canada in March 2014 . 1 +Black Drawing Chalks , founded in 2005 , is a Brazilian rock band from Goiânia , Goiás , Brazil , founded by a group of graphic design students . Black Drawing Chalks is a graphic rock band from Goiânia , Goiás , Brazil , formed in 2005 , by a group of Brazilian design students . 0 +Now the new matrix representation for the symmetric bilinear form is given by The new matrix representation for the symmetrical bilinear form is now given by 1 +Parallel world , which seems more favorable than real to them . The real world , which seems more favorable than parallel to them . 0 +Westman was the son of the postmaster Carl Johan Westman and Tonny Westman . Johan Westman was the son of the postmaster Karl Gustaf Westman and of Tonny Westman ( Andersson ) . 0 +Bengidzakiwe is a native song singed in traditional ceremonies in Swaziland , which became a local hit in 2007 . Mine Bengidzakiwe is a native song sung in traditional ceremonies in Swaziland , which became a local hit in 2007 . 1 +The 8 Talukas of this area are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . The 8 talukas of this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +The Cebu road connects the western part of the Bohol - sea with the Camotes - sea and separates the island provinces Cebu and Bohol . The Bohol Sea separates the western part of the Cebu Strait with the Camotes Sea , and connects the island provinces of Cebu and Bohol . 0 +During the run , Joan Fontaine and Anthony Perkins took over the roles played by Deborah Kerr and John Kerr . During the race , Joan Fontaine and Anthony Perkins took over the roles Deborah Kerr and John Kerr played . 1 +When he finished his career in Poland , he went to Canada to sign the Toronto Falcons of the National Soccer League . When he finished his career in Canada , he went to Poland to sign at the Toronto Falcons of the National Soccer League . 0 +There is a dramatic showdown , where Tom rides a horse and organizes in to vindicate Jack . There is a dramatic showdown where Tom rides a horse and organizes to defend Jack . 1 +The Crump family had a home in Bristol , while Phil started walking in the British League , which he made with the Crewe - kings in 1971 . The Crump family had a home in Bristol , while Phil in the British League , which he began with the Crewe Kings in 1971 , was running . 0 +For this match , Dusty Rhodes was bound by a rope to Paul Jones in Valiant 's corner . For this match , Paul Jones was bound in Valiant corner by a rope to Dusty Rhodes . 0 +Miles Township is bordered by Penn Township to the north , Mifflin County to the east , Union County to the south , and Haines Township to the west . Miles Miles Township is bordered by Penn Township to the north , Mifflin County to the east , Union County to the South , and Haines Township to the West . 1 +Singer Djimon Hounsou and actor Angélique Kidjo were born in Cotonou , Benin . Singer Djimon Hounsou and actor Angélique Kidjo were born in Cotonou in Benin . 1 +The dynamic component is the total soil resistance less the static component . The dynamic component is the total soil resistance minus the static component . 1 +In the final , Herbert and Maxime Teixeira defeated Alessandro Giannessi and João Sousa 6 : 4 , 6 : 3 . Pierre-Hugues Herbert and Maxime Teixeira defeated Alessandro Giannessi and João Sousa 6 -- 4 , 6 -- 3 in the final . 1 +Weyman Airpark is an airport in New Brunswick , Canada , situated near the Keswick River in Sisson Settlement . Weyman Airpark is an airport in New Brunswick , Canada located near the Keswick River in Sisson Settlement . 1 +"On November 8 , 2011 , the predecessor album "" Wicked Game "" published three years after the release of their fifth album ." "8 November 2011 , published the fifth album "" Wicked Game "" , three years after the release of their previous album ." 0 +The medals were presented by Syed Shahid Ali , IOC member , Pakistan and Yair Davidovich , Council Member of the International Shooting Sport Federation . The medals were presented by Yair Davidovich , IOC - member , Pakistan and Syed Shahid Ali , member of the International Shooting Sport Federation Council . 0 +1967 : The steel industry is nationalised and the British Steel Corporation is born . 1967 : The steel industry is established and the British Steel Corporation is nationalised . 0 +Kevin and John ( Jason Grimshaw ) finally find John and Rosie , and Ryan Thomas takes in his car . Kevin and John ( Jason Grimshaw ) eventually find John and Rosie and Ryan Thomas takes off in his car . 1 +After the death of Fred Miller in 1998 and John Paul Miller in 2000 , Mary Miller continued living in the house , located south of Cleveland . After the death of Fred Miller in 1998 and John Paul Miller in 2000 , Mary Miller lived in the house south of Cleveland . 1 +Visitors also use water taxis to visit the cays for a day trip , and there are about 40 taxis in Mayreau and 5-10 in Union . Visitors also use water taxis to visit the cays for a day trip , there are around 40 taxis in Mayreau and 5-10 in Union . 1 +He beat Kakhaber Zhvania but lost the final to Andrey Balanov . He beat Kakhaber Zhvania , but lost the finale to Andrey Balanov . 1 +It was produced by Julian Emery , with additional production by Jim Irvin , Dominic Craik and Larry Hibbitt , and mixes by Cenzo Townshend and Adam Noble . It was produced by Julian Emery , with additional productions of Jim Irvin , Dominic Craik and Larry Hibbitt , and mixes by Cenzo Townshend and Adam Noble . 1 +In March 2008 , Sophina participated in the Heart of a Champion Invitational as a Level 10 where she won the all-around title . In March 2008 , Sophina participated as Level 10 at the Heart of a Champion Invitational , where she won the title . 1 +It is separated by the Limbang - district of Sarawak in two parts . It is separated by the Sarawak district of Limbang in two parts . 0 +Psalm 96 ( biblical numbering : Psalm 95 ) is one of the psalms in the Greek Psalms Book . Psalm 96 ( biblical numbering : Psalm 95 ) is one of the psalms in the Greek Book of Psalms . 1 +You speak the Macedonian language and , secondly , Albanian in the west and Macedonian in the east . Turkish Turks speak the Macedonian language and secondly Albanian in the west and Macedonian in the east . 1 +Wooster Victory , first operated under its original name then was renamed Castelverde , while Vassar Victory was immediately renamed Castelbianco . Wooster Victory , operated immediately under its original name , was first renamed in Castelverde , while Vassar Victory was then renamed to Castelbianco . 0 +Two bridges cross the river to Pental Island ; at Swan Hill in the west , and on Fish Point Road at Fish Point in the east . Two bridges cross the river to Pental Island , to the west on Fish Point Road and to the east at Swan Hill at the Fish Point . 0 +Katerina Maleeva defeated Audra Celler 7 -- 6 , 6 -- 2 . Katerina Maleeva defeated Audra Keller 7 -- 6 , 6 -- 2 1 +The real world , which seems more favorable than parallel to them . Real world , which seems to them more favorable than parallel . 1 +"Billy ( September 25 , 1918 -- May 3 , 2011 ) whose friends called him "" William Pendry Bidelman "" , was an American astronomer ." "Billy Billy ( 25 September 1918 - 3 May 2011 ) , whose friends called him "" William Pendry Bidelman "" , was an American astronomer ." 1 +2011 Statue of Ma.Po.Si unveiled in Tyagaraya Nagar ( T. Nagar , Chennai ) Statue of Ma.Po.Si in Tyagaraya Nagar in 2011 ( T. Nagar , Chennai ) 1 +Anita Mohanty is married to Ranjib Biswal , a NRI from London , United Kingdom . Ranjib Biswal is married to Anita Mohanty , an NRI from London , United Kingdom 0 +Tommy Robredo won the title after defeating Jürgen Zopp 6 -- 3 , 6 -- 2 in the final . Jürgen Zopp won the title after defeating Tommy Robredo in the final with 6 : 3 , 6 : 2 . 0 +If the n vectors are linearly independent , equality is achieved in the inequality of Hadamard if and only if the vectors are orthogonal . If the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only when the vectors are independent . 0 +Brown married Susie J. Clarke in Ayer , Massachusetts , on December 30 , 1888 . Susie J. Clarke married Brown on 30 December 1888 in Ayer , Massachusetts , USA . 1 +Also for Paul Cavanagh , Nelson doubled . Paul Paul Cavanagh doubled also for Nelson . 0 +Damage was particularly heavy in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo , and Cabo San Lucas . The damage was particularly serious in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo and Cabo San Lucas . 1 +Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on 11 September 1866 and got 8 children . Lorenzo Giuntini married Susannah Louisa Barnett on 11 September 1866 in Frome , Somerset and had 8 children . 1 +Dye rode after eight years in Hong Kong , Mauritius . Dye rode after eight years in Hong Kong , Mauritius . 0 +A complete edition was published 1862 -- 1864 in Edinburgh , in seven volumes , by Alexander Grosart , with a biographical memoir by James Nichol . A complete edition was published in Edinburgh in 1862 -- 1864 , in seven volumes by Alexander Grosart , with a biographical memoir by James Nichol . 1 +The Washington Boulevard of Arlington County replaced the line between Bluemont Junction Trail and Bluemont Junction . Arlington County 's Washington Boulevard replaced the line between Bluemont Junction Trail and Bluemont Junction . 1 +The Edmonton Oilers were the first National Hockey League team in Alberta when they were absorbed by the NHL as the WHA Fold . The Edmonton Oilers were the first NHL team in Alberta when they were absorbed by the National Hockey League as the WHA folds . 1 +"On 4 May 1898 , "" Florida "" was awarded and ordered on 11 October 1898 to Crescent Shipyard , Elizabethport , New Jersey ." "On 4 May 1898 , "" Florida "" was appointed and awarded to Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." 0 +The Code Room is a half-hour-long reality game show produced by Microsoft . The Code Room is a half-hour produced by Microsoft - Reality - game show . 0 +She trained in Scotland , France and Italy . She was trained in Scotland , France and Italy . 1 +"The northern Cavefish or the northern blindfish , "" Amblyopsis spelaea "" , is found in caves by Kentucky and southern Indiana ." "The northern cavefish or northern blindfish , "" Amblyopsis spelaea "" , is found in caves through Kentucky and southern Indiana ." 1 +Little Tramp is a musical containing a book by David Pomeranz and music and texts by David Pomeranz and Steven David Horwich . Little Tramp is a musical with a book by David Pomeranz and Steven David Horwich and music and lyrics by David Pomeranz . 0 +The countries that participated in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . The states that participated in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +Brian Meehan fled with Traynor to Portugal ( who later fled to Amsterdam ) . Brian Meehan fled to Amsterdam with Traynor ( who later escaped to Portugal ) . 0 +Romney refused in September 1970 , and Mitchell Plan collapsed . In September 1970 , Mitchell refused and Romney 's plan collapsed . 0 +Since 2002 , Scotland A has participated in the Amateur Four Nations competition and visited Italy , the Netherlands and Serbia . Since 2002 , Scotland A has participated in the Amateur Four Nations competition and toured Serbia , the Netherlands , and Italy . 1 +Today the area of Skudenes refers to the southern part of the island Karmøy . Today , Karmøy refers to the southern part of the island of Skudenes . 0 +The building , commissioned by the city fathers and designed by William Stark , was originally opened in 1808 as St. George 's Parish Church . The building , which was opened by the city fathers , was designed by William Stark and was commissioned in 1808 , originally as St. George 's Parish Church . 0 +Bordentown is situated southeast of Trenton and northeast of Philadelphia . Trenton is southeast of Bordentown and northeast of Philadelphia . 0 +The novel was adapted as a BBC Radio 4 Book at Bedtime by Lu Kemp in 2008 , read by Toby Stephens and produced by Kirsty Williams . This novel was read by Kirsty Williams as BBC Radio 4 Book at Bedtime in 2008 , adapted by Toby Stephens and produced by Lu Kemp . 0 +More than 5 species of rhizophoraceae grow in Australasia with particularly high biodiversity on the island of Australia and in northern New Guinea . More than 5 species of Rhizophoraceae grow in Australasia with particularly high biodiversity on the island of Australia and northern New Guinea . 1 +He recorded cylinders for the Edison company before coming to the U.S. , and these were marketed in the United States to the German-speaking population . He recorded cylinders for the Edison company before coming to the USA , and these were marketed to the German-speaking population in the United States . 1 +Together with Rosalind Franklin , James Watson and Francis Crick shared the Nobel Prize for Physiology and Medicine in 1962 , and Maurice Wilkins died from cancer in 1958 . Maurice Wilkins shared the 1962 Nobel Prize for Physiology and Medicine with James Watson and Francis Crick ; Rosalind Franklin had already died from cancer in 1958 . 0 +For example , Elizabeth Coffin , daughter of a wealthy merchant from Nantucket , was mother of the prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr.. For example , Elizabeth Coffin , the daughter of a wealthy merchant from Nantucket , was the mother of prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr . 1 +"The perfect is created by adding the "" mi- "" prefix to the perfect continuous ." "The perfect continuous is created by adding the "" mi- "" prefix to the perfect :" 0 +The Chinese ambassador to Beijing is the official representative of the government in Apia with the Samoa government . The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Government of Samoa . 0 +The field also included 1928 Olympian ( and 1932 Olympic champion ) Paul Jessup of Cornell , and future world record holder John Anderson of Washington . The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell and future world record label John Anderson of Washington in 1928 . 1 +Caranavi is north of Rurrenabaque , on the road from La Paz to Coroico . Caranavi is located north of Rurrenabaque , on the road from La Paz to Coroico . 1 +In 1989 Roxus supported international bands , Poison and Bon Jovi , on their respective Australian tours . Roxus supported the respective Australian bands Poison and Bon Jovi in their international tours in 1989 . 0 +Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English ancentry . Layla was born in London as the daughter of a Brazilian mother and an English father of Irish and Scottish Ancentry . 0 +The 1982 -- 83 National Basketball Association season was the 37th season of the NBA . The season 1982 -- 83 National Basketball Association was the 37th season of NBA . 1 +"In addition to several gameplay footage , livestreaming members of the crew also produce "" Let 's Play "" style videos ." "In addition to livestreaming - gameplay - films , several members of the crew also produce videos in "" Let 's Play "" style ." 0 +Kathryn Lindskoog , an independent Hooper scholar , argued that Lewis 's scholarship is not reliable and that he has made false statements and attributed forged works to Lewis . The independent hooper - scholar Kathryn Lindskoog argued that Lewis ' scholarship is not reliable and that he has made false statements and attributed fake works to Lewis . 1 +In 1938 , he played with Juan Carlos Miranda in an ensemble , including the singer Lucio Demare and two pianos . In 1938 he played with Juan Carlos Miranda in an ensemble which included the singer Lucio Demare and two pianos . 1 +"The Georgian tribe was later ruled by a prince locally known as "" mamasakhlisi "" ( "" father of the household "" in Mtskheta ) ." "The Mtskheta tribe was later governed by a prince known locally as "" mamasakhlisi "" ( "" father of the household "" in Georgian ) ." 0 +In order to obtain a biomarker for diagnostics , the sample material must be as easy to handle as possible . In order to obtain a biomarker for diagnostics , the sample material must be as easy to use as possible . 1 +Reed received the Conspicuous Gallantry Medal , while Magennis and Fraser were both awarded the Victoria Cross and Smith was promoted temporarily to Lieutenant in December 1945 . Smith received the Conspicuous Gallantry Medal , while Magennis and Fraser were both awarded the Victoria Cross . Reed was promoted to temporary lieutenant in December 1945 . 0 +The character of Michel Ardan , the French member of the party in the novel , was inspired by the real-life photographer Félix Nadar . The character of Michel Ardan , the real member of the party in the novel , was inspired by the French photographer Félix Nadar . 0 +She was the second daughter and the youngest of four children to be born Wright and his wife , Mary Weeks ( bracket ) Philander Montague Wright . She was the second daughter and the youngest of four children born to Wright and his wife , Mary Weeks ( Bracket ) Philander Montague Wright . 1 +The 13th Troop Carrier Squadron was consolidated with the 913th Air Refueling Squadron in September 1985 but the consolidated squadron has not been active since . The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but the consolidated squadron has since been no longer active . 1 +Although the use of a vertical stabilizer is most common , it is possible to obtain directional stability with no discrete vertical stabilizer . Although the use of a vertical stabilizer is the most common , it is possible to obtain directional stability without discrete vertical stabilizer . 1 +The association of the stylized eye with mirrors was so strong that in the Teotihuacan art , human eyes were often used as a substitute for the face of a mirror . The association of the stylised eye with mirrors was so strong that human eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . 1 +It supported the views of the Republican Party and the Free Soil Party . It supported the views of the Republican Party and of the Free Soil Party . 1 +Both the pseudostem and the scape are often covered with reddish brown to dark violet spots . Both the pseudo trunk and the scape are often covered with reddish brown to dark violet spots . 1 +He corresponded on medical subjects with his teacher Isaac Cantarini , and he drew upon his medical knowledge in many passages of his work . He corresponded with his teacher Isaac Cantarini on many subjects , and he approached his medical knowledge in medical passages of his work . 0 +He made 396 performances in the Football League for Swindon Town , Plymouth Argyle , Crystal Palace and Torquay United , before moving with Cambridge City to the Non-League football . He made 396 appearances in the Football League for Swindon Town , Plymouth Argyle , Crystal Palace and Torquay United , before moving into non-league football with Cambridge City . 1 +In 1915 , Britain introduced conscription , a crisis meeting of the London branch of Irish volunteers was held at his home in East Dulwich to discuss conscription . In 1915 , Britain introduced conscription ; a crisis meeting of the London branch of the Irish volunteers was held at his home in east Dulwich to discuss conscription . 1 +Adolph III was the son of Count Henry VI and his wife Elisabeth of Berg . Adolph III was a son of Count Henry VI and his wife Elisabeth of Berg . 1 +He has also invested in subsidiaries in Italy ( through Wind Telecomunicazioni SpA and Canada ( through Globalive Wireless and its Wind Mobile ) . He has also invested through affiliates in Italy ( through Wind Telecomunicazioni SpA and Canada ( through Globalive Wireless and its Wind Mobile ) . 1 +In his Karachi workshop he outlines in the open air and paints his ideas on the ground . In his Karachi workshop , he paints in the open air and sketches his ideas on the ground . 0 +The cylindrical spur is white and curved upward , longer than the ovary . The white spur is curved upwards and cylindrical , longer than the ovary . 0 +After leaving the Berlin opera , Ellmenreich performed as a guest artist . She also had a career as a concert singer . She died in Stuttgart . After leaving the Stuttgart Opera House , Ellmenreich performed as a guest artist , also had a career as a concert singer and died in Berlin . 0 +Some of the company documents were secured by Ina Jorgensen , the former secretary of Victor Jaques , who had fled abroad . Some of the company documents were safeguarded by Victor Jaques , the former secretary of Ina Jorgensen , who had fled abroad . 0 +""" Little Me "" was written by Neil Simon and Sid Caesar ." """ Little Me "" was written by Neil Simon and starred Sid Caesar ." 1 +"His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" by Dave Brubeck from 2011 ." "His meeting with Dave Brubeck is documented in the book 2011 "" Taj-Mahal Foxtrot "" by Naresh Fernandes ." 0 +The trustees were Mr. Sophie McRoberts , James McRoberts and Glenn Allen , the Sunday School Superintendent was Mrs. Robert Erwin . The trustees were Mr. James McRoberts , Mr. Robert Erwin , and Mr. Glenn Allen ; the Sunday School Superintendent was Mrs. Sophie McRoberts . 0 +It also uses 4 symbols for non-labialized velar consonants , which are variants of the labialized velar consonants : It also uses 4 symbols for labialized Velar consonants , which are variants of non-labialized velar consonants : 0 +In its inside also were found many frescoes studied in 1907 by Josep Puig i Cadafalch . In its interior , many frescoes were found , studied in 1907 by Josep Puig i Cadafalch . 1 +Early industries in Hughesville were built to serve farmers and citizens of the Eastern Lycoming County . Early industries in Hughesville were built to serve the farmers and citizens of eastern Lycoming County . 1 +New boys and girls will come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . Pretty boys and girls will come to the New Land School of Arts , and already well-known people will have to deal with complicated and funny situations . 0 +In the first round of the 2012 Presidential election , Tibilov received 42.5 % of the vote to lead David Sanakoyev . In the first round of the presidential election in 2012 , David Sanakoyev received 42.5 % of the vote to lead Tibilov . 0 +Rehan Khan Bugti was born in 1982 to Rehan , the fourth son of Akbar Bugti . Brahamdagh Bugti died a short time after Brahamdagh 's birth . Brahamdagh Bugti was born in 1982 , the son of Akbar Bugti , Rehan Khan Bugti , and died a short time after Brahamdagh 's birth . 0 +Shimla is a main suburb of the city of Sanjauli , in the Shimla district of Himachal Pradesh , India . Shimla is a suburb of the city of Sanjauli , in the district of Shimla by Himachal Pradesh , India . 1 +""" Welcome to my Living Room "" was filmed in August 2005 in Temecula , California , with additional footage that was shot in November 2006 in Sydney , Australia ." """ Welcome to my Living Room "" was filmed in Temecula , California in August 2005 , with additional footage filmed in Sydney , Australia in November 2006 ." 1 +There are four hyperbolic honeycombs in 3D regular compact space . There are four regular compact honeycombs in the hyperbolic 3D space : 0 +In 1979 , the Church moved to Downey , California , to the current home of the Downey Congregational Church , its former location . The church relocated to Downey , California in 1979 , to the current home of the Downey Congregational Church , its former location . 1 +There are usually four such flutes , but sometimes as many as two or as few as six . There are usually four such flutes , but sometimes as little as two or as many as six . 0 +Air Cortez also conducted international flights from the airport with service to Guaymas , Mexico in Loreto and Mulege . Air Cortez has also operated international flights from the airport with service to Guaymas , Loreto and Mulege in Mexico . 0 +If long , the reservoir would hold on water , and is full . If full , the reservoir would hold of water , and is long . 0 +Donald Randell Evans was the eldest son of Air Chief Marschall Sir Pauline Evans ( 1912-1975 ) and Nigel Randell Evans . Nigel Randell Evans was the eldest son of Air Chief Marshal Sir Donald Randell Evans ( 1912-1975 ) and Pauline Evans . 0 +During the American Revolution , the northern part of Hempstead was primarily Tory , while the southern part , settled by Yankees , supported the revolution . During the American Revolution the northern part of Hempstead was primarily Tory , while the southern part , having been settled by Yankees , supported the revolution . 1 +Shane Stockton ( born March 18 , 1974 in Breckenridge , Texas ) is a former American country music artist and recorded under the name of Kelly Shane Brooks . Shane Kelly Brooks ( born March 18 , 1974 in Breckenridge , Texas ) is a former American country music artist who recorded Shane Stockton . 0 +"He then battled mechanic "" Gears "" Garvin and then met Baron Brimstone ." "Then he fought mechanic "" Gears "" Garvin and then met Baron Brimstone ." 1 +A closely related formulation of Hamiltonian mechanics is classical mechanics . A closely related formulation of the classical mechanics is Hamiltonian mechanics . 0 +Millhouses is a district of Barnsley in the English county of South Yorkshire . Millhouses is a district in the English county of Barnsley , South Yorkshire . 1 +Abbie Carmichael ( played by Jamie Ross ) replaced Carey Lowell ( Angie Harmon ) of season 8 in the role of the Assistant District Attorney . Abbie Carmichael ( played by Angie Harmon ) replaced the season 8 Jamie Ross ( Carey Lowell ) in the role of Assistant District Attorney . 0 +The second wife of Cao Bao , who was mentioned in the novel only by name , was a fictional daughter of Lü Bu . Cao Bao 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Lü Bu . 1 +Is a short book by Karla Kuskin , first published in 1962 , with illustrations by Virginia Cary Hudson . Is a short book by Karla Kuskin , published first in 1962 , with illustrations by Virginia Cary Hudson . 1 +He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . In Sweden and in Mexico , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . 1 +"The species was first formally described by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was collected in Port Jackson ." "The species was first formally described by the English botanist James Edward Smith in "" Annals of Botany "" in 1805 , a type collected in Port Jackson ." 1 +The Doig formation , a geological unit of the triassic period of the western Canadian sedimentary basin , was named for the river . The Doig Formation , a geological age Triassic unit of the Western Canadian Sedimentary Basin was named for the river . 0 +Here is Formula 2 , the present variance , a time-dependent CIR process : Here formula _ 2 , the instantaneous variance , is a time-dependent CIR process : 1 +The journalist by Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . The journalist played by Elio Germano ( Lorenzo Guadagnucci , the fictional Journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . 1 +These groups are conjugated Tori of SO ( 4 ) , which in SO ( 4 ) are all maximal , see also Clifford - Torus . These groups are conjugate tori of SO ( 4 ) , which are all mutually maximal in SO ( 4 ) . See also Clifford torus . 1 +It also has representation at the local and regional level . It also has a representation at regional and local level . 1 +When Judge John Tyler died in 1813 , Tyler at the age of 23 inherited Greenway . In 1813 , when Justice John Tyler died , Tyler inherited Greenway at the age of 23 . 1 +He rejected her and married his current wife for money so that he could rebuild the family business . He rejected them and married his current wife for money so that he could rebuild the family business . 1 +His granddaughter , Anura Bandaranaike , was President of Sri Lanka and his grandson , Chandrika Kumaratunga , was a former speaker and cabinet minister . His grand daughter Anura Bandaranaike was President of Sri Lanka and his grandson Chandrika Kumaratunga , was a former speaker and cabinet minister . 1 +Michael van Gerwen lost the first three sets of his quarterfinal against Webster within 20 minutes and was also 4 -- 1 down . Webster lost the first three sets of his quarter-final against Michael van Gerwen inside 20 minutes and was also 4 -- 1 down . 0 +September 2 : CF Michael Bourn and CF Drew Stubbs activated ; C Caleb Joseph , LHP Jayson Aquino , and RHP Tyler Wilson recalled from AAA Norfolk . September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino of AAA Norfolk recalled . 0 +"She wrote , staged and produced the screenplay for "" The Curse of Quon Gwon "" , the only film that her company made ." "She wrote , directed , and produced the screenplay for "" The Curse of Quon Gwon , "" the only film her company made ." 1 +In 1891 he became Professor of General and Analytical Chemistry and Professor of Inorganic Chemistry in 1903 . In 1891 he became professor of inorganic chemistry and in 1903 a professor of general and analytical chemistry . 0 +In 1392 , Duncan agreed to marry Isabella to Murdoch Stewart 's son , Robert . In 1392 , Duncan Isabella agreed with Murdoch Stewart 's son Robert to marry . 0 +He has had tests with English Premier League teams Leicester City and Sunderland in November 2014 and then again with Manchester United in January 2015 . He had trials with English Premier League teams Leicester City and Sunderland in November 2014 , and then again with Manchester United in January 2015 . 1 +Gaines came to Ephraim Fletcher from New York in 1836 and settled in Van Vleet Road ( section 16 ) . Gaines came to Ephraim Fletcher in 1836 from New York and settled in Van Vleet Road ( Section 16 ) . 1 +The males are typically long and wide but are sometimes up to long and in width . The males are typically long and broad , but are sometimes up to long and wide . 1 +In 1872 , Helen married James Helen Margaret ( * December 20 , 1929 ) , daughter of John Nairne Forman of Staffa , WS . Sir James married , in 1872 , Helen Margaret ( d. 20 December 1929 ) , daughter of John Nairne Forman of Staffa , WS . 0 +""" Still Losing You "" is a song written by Ronnie Milsap , recorded by the American country singer Mike Reid ." """ Still Losing You "" is a song written by Ronnie Milsap , and recorded by American country music singer Mike Reid ." 1 +In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first in the Tristan Bates Theatre in London , and then in the Charing Cross Theatre . In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first at the Charing Cross Theatre in London , and then at Tristan Bates Theatre . 0 +On 5 July 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-granddaughter of Friedrich Nicolai . On 5 July 1846 he married Elisabeth Klein , ( 1828 - 1899 ) , daughter of the composer Bernhard Klein and great-grandson of Friedrich Nicolai . 0 +He began his medical studies in Paris , later relocating to Dijon , where he served as librarian of the Académie de Médecine and at the Bibliothèque Mazarine . He began his medical studies in Dijon , later he moved to Paris , where he served as the librarian of the Académie de Médecine and at the Bibliothèque Mazarine . 0 +Lucerne County is located in western Schuylkill County and is bordered to the north by Carbon County and to the west by Banks Township . Banks Township is located in western Carbon County and is bordered by Luzerne County to the north and Schuylkill County to the west . 0 +Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , Vogtland and grew up in Rothenkirchen in East Germany . Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , Vogtland and grew up in Rothenkirchen , East Germany . 1 +For example , the spin case only allows a magnetic dipole , but for spin 1 particles magnetic quadrupoles and electric dipoles are also possible . For example , the spin case allows only one magnetic dipole , but for spin - 1 particles magnetic quadrupoles and electrical dipoles are also possible . 1 +It is situated north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley , and west of New City . 0 +In 2010 , the son-in-law Stuart Stuart was sworn in because of the death of Prime Minister David Thompson . David Thompson was sworn in , in 2010 because of the death of the Prime Minister Freundel Stuart . 0 +1967 : The steel industry is established and the British Steel Corporation is nationalised . 1967 : The steel industry is born and the British Steel Corporation is nationalised . 1 +""" Son of Coma Guy "" is the third episode of the seventh season of "" House "" and the fifty-third episode in total ." """ Son of Coma Guy "" is the seventh episode of the third season of "" House "" and the fifty-third episode overall ." 0 +A 2001 Broadway revival was directed by Joe Mantello and starred Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . A Broadway - Revival 2001 was staged by Joe Mantello and performed Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . 1 +"A central principle is that "" for every step in moral perception , three steps are to be taken in spiritual development . """ "A central principle is that "" for every step in spiritual perception , three steps must be taken in moral development "" ." 0 +She spent her first six years of childhood in Manila before moving to Angeles City . She spent the first six years of her childhood in Manila before moving to Angeles City . 1 +The Charlotte County and White Creek Militia used Salem in 1776 as the base . In 1776 , the Salem Militia used Charlotte County and White Creek as their bases . 0 +Thomas Fabbiano won the title after defeating Dudi Sela in the final with 4 : 6 , 6 : 4 , 6 : 3 . Thomas Fabbiano won the title after defeating Dudi Sela 4 -- 6 , 6 -- 4 , 6 -- 3 in the final . 1 +Alma Peter Crane and Connie Chandler have been nominated by the Independent Party of Utah , and Crane and Chandler received 1,101 votes . The Independent Party of Utah nominated Alma Peter Crane and Connie Chandler . Crane and Chandler received 1,101 votes . 1 +"In a 2014 interview with "" Sunrise Daily "" Jesse Jagz said that M.I delayed the departure of Chocolate City also the album ." "In a 2014 interview with "" Sunrise Daily "" , M.I said that Jesse Jagz delayed the departure of Chocolate City also the album ." 0 +If the optical fashion frequency is smaller than the typical separation of the mechanical modes . If the optical mode frequency is smaller than the typical separation of the mechanical modes . 1 +Ringwood is located in the 5th Congressional District and is part of New Jersey 's 39th state legislative district . Ringwood is located on the 39th Congressional District and is part of the 5th State Legislative District in New Jersey . 0 +The team has played teams like Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in recent years in 2011 . The team has played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . 1 +Assistant manager Archie Knox resigned late in the campaign to take the same role at Rangers , and was replaced by Brian Kidd . Assistant manager Brian Kidd resigned later in the campaign to take on the same role at Rangers , and was replaced by Archie Knox . 0 +Rich food sources , as long as they are promoted as profitable , will be evaluated by the spies when they return to the hive . As long as they are advertised as profitable , rich food sources will be evaluated by the scouts when they return to the hive . 1 +""" Tuscumbia "" was sold to W. K. Adams on November 29 , 1865 at an auction in Mound City ." """ Mound City "" was sold on November 29 , 1865 at the auction in Tuscumbia to W. K. Adams ." 0 +In 1971 , he divorced again to marry Martine Leroy , with which he had a daughter , Coralie Legrand . In 1971 , he was again divorced to marry Martine Leroy , with whom he had a daughter , Coralie Legrand . 1 +In August 2017 , Glassman announced as a Republican Party member an exploratory campaign for the 2018 Arizona Corporation Commission race . In August 2017 , Glassman announced an exploratory campaign for the race of the Republican Party in 2018 as a member of the Arizona Corporation Commission . 0 +Dunham Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . Byron Township changed its name to Byron Township on December 28 , 1850 , in order to avoid confusion with Dunham Township and honor a resident , Solomon J. Dunham . 0 +Rolly Tasker won the first Australian sailing medal at the Melbourne Olympic Games in 1956 , when he and John Scott won a silver medal in their 12 m sharpie . John Scott won Australia 's first sailing medal at the 1956 Olympic Games in Melbourne when he and Rolly Tasker won a silver medal in their 12 m Sharpie . 0 +"She was "" one of Sigmund Freud 's most important patients and , for a short period of time around 1897 , became a psychoanalyst herself "" ." She became one of the most important patients of Sigmund Freud and was a psychoanalyst herself for a short time around 1897 . 0 +Aletta is a Dutch female related name given to Alida , Adelheid and Adelaide . Aletta is a Dutch feminine given name , related to Alida , Adelheid and Adelaide . 0 +In 2008 , the Warrant Officer rankings of the South African National Defence Force were expanded and the rank of Master Warrant Officer was created . In 2008 the warrant officer ranks of the South African National Defence Force were created and the rank of master warrant officer was expanded . 0 +Linna is spoken in the original series by Michie Tomizawa in Japanese and Elizabeth Becks in English , with Rio Natsuki and Kelly Manison in the 2040s series . Linna is spoken by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English in the original series , with Michie Tomizawa in the 2040s series . 0 +Later , Smith 's son Jeff Smith became Chairman and CEO of Dee 's . Later , Smith became son Jeff Smith Chairman and CEO of Dee . 0 +Nikolaus Friedrich von Thouret ( born Ludwigsburg , 2 June 1767 ; died Stuttgart , 17 January 1845 ) . Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , Germany , died 17 January 1845 in Ludwigsburg ) . 0 +It was the third single released by the group and their first release on Silvertone Records . It was the first single released by the group and it was their third release on Silvertone Records . 0 +Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and its opponent received the other half . Notre Dame got half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent received the other half . 1 +"For example , the lyrics "" I fought the law and the law won "" became "" I fought the Lloyds and the Lloyds lost "" ." "For example , the text "" I have fought the law and won the law "" I fought the Lloyds and the Lloyds lost "" ." 1 +"George Jones recorded the song as "" Somebody Here Paints the Wall "" on his 1990 album "" You Oughta Be Always with Me "" ." "George Jones accepted the song as "" Somebody Here Paints the Wall "" on his album "" You Oughta Be Always with Me "" from 1990 ." 0 +In 2013 , Williamson left and was replaced by guitarist Keith Tew and later , Boling left and was restored by Don Hill . In 2013 left Williamson and was replaced by guitarist Don Hill and later , Boling left and was repalced by Keith Tew . 0 +He has a son ( born 2000 ) from a previous relationship with TV presenter Birgit Schrowange . In July 2011 Lanz married Angela Gessmann . He has a son ( born 2000 ) from a former relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . 0 +In the 1990s , Schwartz worked in the adult film industry in numerous administrative roles , and behind the scenes in minor , non-sexual roles . In the 1990s , Schwartz worked in numerous administrative roles and behind the scenes in small , non-sexual roles in the adult film industry . 1 +"The first ever "" Power stage "" , a short televised 4.16 km live stage at the end of the rally , was held near the village of Gustavsfors ." "The first "" Power Stage "" , a short live 4.16 km long stage at the end of the rally , was held near the village of Gustavsfors ." 1 +It begins near the western extremities of the Central Oregon Coast Range and generally flows to the west south of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean generally west of Depot Bay and north of Otter Rock . 0 +"Streisand and Columbia Records released ButterFly as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." "Streisand and Columbia Records distributed "" ButterFly "" as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." 0 +The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . The show was premiered on 27 March 2012 at Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . 1 +Markovac is a village in the Croatia region of Slavonia , located east of Daruvar . The population is 80 ( census 2011 ) . The population is 80 ( 2011 census ) , a village in the region of Slavonia in Croatia , located east of Daruvar . 0 +"They considered the two other species from "" Vjushkovia "" to members of the erythrosuchid genus "" Garjainia "" and reclassified "" Y. sinensis "" as a rauisuchid ." "They reclassified the two other species of "" Vjushkovia "" to members of the erythrosuchid genus "" Garjainia "" and considered "" Y. sinensis "" as a rauisuchid ." 0 +Russ killed at least 74 people in Hainan , Guangdong and Guangxi Provinces and injured another 726 people . Russ has killed at least 74 people and injured another 726 people in the provinces of Hainan , Guangdong , and Guangxi . 1 +Carew died on 6 November 1620 and was buried in the Antony church on 7 November 1620 . Antony died on 6 November 1620 and was buried on November 7 in the church of Carew . 0 +Musikresonanzis often strives to unite music and other art forms -- the ensemble also cooperates with visual artists and theatre professionals . Resonabilis often strives to unite music and other forms of art -- the ensemble also cooperates with visual artists and theatre professionals . 1 +The Gill family closed the mill in 1968 , and the new owners sold it in 1980 . The Gill family sold the mill in 1968 and was closed in 1980 by the new owners . 0 +Evan Lloyd of Dolobran , son , who married Gwenhafar lloyd , daughter of Meredith Lloyd of Meivod . Son of Dolobran , Gwenhafar , who married Evan Lloyd lloyd , daughter of Meredith Lloyd of Meivod . 0 +The combination of blepharospasmodic contractions and oromandibular dystonia is called cranial dystonia or meige - syndrome . The combination of blepharospasmodic contractions and oromandibular dystonia is called cranial dystonia or Meige 's syndrome . 1 +"The campus newspaper , "" The Oklahoma Daily "" , is produced daily during the fall and spring semesters and weekly during the summer semester ." "The campus - newspaper "" The Oklahoma Daily "" is produced weekly during the autumn and spring semesters and daily during the summer semester ." 0 +Although it is being developed in Singapore , it is used commercially mainly in Europe . Although being developed in Europe , it is mainly used commercially in Singapore . 0 +It is also convenient to sometimes define the purely covariant version by It is also convenient , sometimes the purely covariant version by : 1 +The municipality has a land border with Elizabeth and Shooters Island , on uninhabited Bayonne , New Jersey . The borough has a land border with Elizabeth and Shooters Island , on uninhabited Bayonne , New Jersey . 1 +Formal education in England , a city in Sheffield , takes place at the city 's two universities , 141 primary schools and 28 secondary schools . Formal education in Sheffield , a city in England , takes place at the city ’ s two universities , at 141 primary schools and 28 secondary schools . 0 +Founded in 1959 by Sérgio Britto , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Gianni Ratto , it has introduced actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . 0 +Bruno Caloi died in 1955 , and the company was directed by his son Guido until 1999 . In 1955 , Bruno Caloi died and the company was managed until 1999 by his son Guido . 1 +The place was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony on the square . The place was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on 2 July 2013 during a ceremony at the square . 0 +When they are both discovered by Kim Campbell their titles as house captains are taken away much to Janeece 's disappointment . When they are both discovered by Janeece , their titles as house captains are taken away much to the disappointment of Kim Campbell . 0 +Rodney Waschka II is an American composer , known for his theatre compositions and his algorithmic works . Rodney Waschka II is an American composer known for his algorithmic compositions and theatrical works . 0 +OLM , Dentsu and TV Tokyo serve as producers , while OLM Digital takes over the animation production . TV Tokyo , OLM , and Dentsu serve as producers , while OLM Digital provides the animation production . 1 +Then Kadria fled from Milić Krstić twice and shot . Kadria shot twice Milić Krstić and fled . 0 +The lands surrounding the tree belonged as agricultural land and were maintained by Aryeh Konikov . The lands surrounding the tree were maintained as agricultural land and owned by Aryeh Konikov . 0 +Isitt visited our Lady of Fatima Primary School and the Lordswood Girls Secondary School and is a cousin of footballer Darren Wassall . Darren Wassall went to our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Isitt . 0 +On March 29 , 1861 , the Fort Fort Mason was reoccupied by federal troops and evacuated to 1869 after the civil war . Fort Mason was evacuated by federal troops on March 29 , 1861 , and reoccupied after the Civil War until 1869 . 0 +He leads an experimental quartet with bassoonist Karen Borca , saxophonist Rob Brown and accordionist Andrea Parkins . He leads an experimental quartet featuring bassoonist Andrea Parkins , saxophonist Rob Brown and accordionist Karen Borca . 0 +"Although iron in many catalytic applications is generally less expensive , it is less active and "" greener than other metals ." "Although iron is generally less active in many catalytic applications , it is less expensive and "" greener "" than other metals ." 0 +A third Cheetah was built in 1962 and 1963 the second . A third Cheetah was built in 1962 and second in 1963 . 1 +Simon Skelton won 9-4 , 9-5 against Darren Burnett in the finals . Darren Burnett won in the final 9-4 , 9-5 against Simon Skelton . 0 +The young French parish was administered by a Catholic missionary , P. Joly . The Catholic congregation was administered by a young French missionary , Father Joly . 0 +Adult birds have white bodies with a black wing patch , a thin dark bill , and red legs and feet . Adult birds have white bodies with a black spot , a thin dark bill and red legs and feet . 1 +Under Portuguese rule this province was renamed Moçambique but with independence , the name Mozambique was used for the entire country and the province named for its capital . Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed for its capital for the whole country and the province . 0 +In 1997 , he founded Equicore Beteiligungs GmbH and co-founded Freiburger Vermögensmanagement GmbH in 1998 . In 1997 he founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . 1 +The Ciunget - River is a tributary of the River Argintărie in Romania . The Argintărie River is a tributary of Ciunget River in Romania . 0 +The construction of Tama New Town began in 1966 and the first inhabitants started moving in 1971 . Construction of Tama New Town began in 1966 , and the first occupants started moving in 1971 . 1 +Following the independence of Tavush Province in 1991 , Ijevan became the administrative centre of the newly founded Armenia as per the provincial reforms of 1995 . Following the independence of Armenia in 1991 , Ijevan became the provincial centre of the newly founded Tavush province after the administrative reforms of 1995 . 0 +He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( later WJPC ) in Chicago . Jones later served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( also WJPC ) in Chicago . 0 +If the n vectors are linearly independent , equality in Hadamard 's inequality is achieved if and only if the vectors are orthogonal . When the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only if the vectors are independent . 0 +He feared that he would be murdered if he fled to Tokyo and went to Moulmein instead . He feared that he would be assassinated if he fled to Tokyo and instead went to Moulmein . 1 +Cooper was born in Long Beach , California , and has lived in Los Angeles , California his whole life . Cooper was born in Los Angeles , California , and lived all his life in Long Beach , California . 0 +It is cultivated as an ornamental plant , grown in a wider range of colors . It is cultivated as an ornamental plant , which is grown in a wider range of colors . 1 +During the fight , Steedman was wounded when his horse was shot under him and killed . During the fight , Steedman was wounded when his horse was shot and killed under him . 1 +For three years she studied journalism in London and holds an MA in mass media at a university in New York City . She studied journalism in New York City for three years and has an MA in Mass Media from a university in London . 0 +Abolitionists rose in 1850 to defend Ellen and William Craft , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . Abolitionists rose to the defense of Ellen and William Craft in 1850 , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . 1 +Char Hesamaddi is a village in the Barisal District of Barisal Division in Southern Central Bangladesh . Char Hesamaddi is a village in Barisal District in the Barisal Division of southern-central Bangladesh . 1 +The fumarate - hydratase - gene which is located on the long arm of chromosome 1 ( 1q42.3-43 ) has 22 kilobases and comprises 10 exons . The fumarate - hydratase - gene , located on the long arm of chromosome 1 ( 1q42.3-43 ) , stretches over 22 kilobases and has 10 exons . 0 +On 14 December 2011 , he was traded with Kyle Weiland to the Houston Astros for Reliever Mark Melancon . On 14 December 2011 , he was traded with Mark Melancon to the Houston Astros for Reliever Kyle Weiland . 0 +Methods of the cubic geometry provide the following parameterization of Fermat 's algebraic : Methods of cubic geometry provide the following parameterization of Fermat 's algebraic : 1 +Born in Frederick Dallas Cairns , Melbourne , Australia , he died in London , England , UK . Born in Frederick Dallas Cairns in London , England , UK , he died in Melbourne , Australia . 0 +Dr. Babasaheb Ambedkar International Airport is owned by Mihan India Private Limited ( MIPL ) and operated by Airports Authority of India . The Babasaheb Ambedkar International Airport is owned by Mihan India Private Limited ( MIPL ) and is operated by the Authority of India Airports . 1 +He was overtaken by his fellow countryman Noureddine Morceli and Wilfred Kirochi , while Hauke Fuhlbrügge won gold and silver . He was overtaken by his countryman Hauke Fuhlbrügge while Noureddine Morceli and Wilfred Kirochi won gold and silver . 0 +Seychelles is located in the Indian Ocean to the south of the main group Coëtivy Island . Coëtivy Island is in the Indian Ocean south of the main Seychelles group . 0 +In 2006 , François Bozizé was appointed President of the Council of State by President Bozanga . In 2006 , Bozanga was appointed by President François Bozizé the chairman of the Council of State . 0 +His father was the late Ud Maestro Munir Bashir , his uncle was the renowned late Oud Master Jamil Bashir . His father was the late Ud Maestro Munir Bashir , his uncle was the famous Oud - Master Jamil Bashir . 1 +Critics , however , claimed that Pershing was commanded by far behind the lines and critical of commanders who personally led troops into struggle . Critics , however , claimed that Pershing was leading from far behind the lines and was critical of commanders who personally commanded troops into the battle . 1 +Mr Cave made the highest bid for Mr Payne 's goods at an auction . At an auction , Mr Cave made the highest bid for Mr Payne 's product . 1 +"She was also featured in an article with her son , Robert Kennedy , for Maxwell Minard 's motivational magazine "" Off the Couch "" ." "She was also in an article with her son , Robert Kennedy , for Maxwell Minard ’ s motivational magazine "" Off the Couch "" ." 1 +Olaf originated from a disturbed south of Acapulco on August 21 over extremely warm waters . On 21 August , Olaf came from a warm south of Acapulco over extremely disturbed waters . 0 +Pemberton Township is located in the 8th Congressional District and is part of the 3rd State Legislative District in New Jersey . Pemberton Township is located in the 3rd Congressional District and is part of New Jersey 's 8th state legislative district . 0 +Corruption became widespread in Persia and discipline in the army was dangerously lax . Corruption was widespread in Persia , and discipline in the army was dangerously lax . 1 +Examples quoted as national myths include Manifest Destiny , The Clash of Civilizations and political myths . Examples cited as political myths include Manifest Destiny , The Clash of Civilizations , and national myths . 0 +The Holger Danske and Albertus Pictor painted on the ceiling of Floda Church in Sweden are attributed Burman around 1480 . The Holger Danske and Burman , painted on the ceiling of the Floda church in Sweden , are attributed to Albertus Pictor around 1480 . 0 +In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as Best Actress , Ghosh shared the National Film Award as Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder for the film shared the National Film Award as Best Actress , Ghosh won the National Film Award as Best Screenplay . 0 +Hine was born in Burnaby in 1936 and grew up in New Westminster , British Columbia . Hine was born in 1936 in Burnaby and grew up in New Westminster , British Colombia . 1 +The series was co-produced by Bones and made by Bandai Entertainment . The series was made by Bones co-produced and made by Bandai Entertainment . 1 +""" But when morning broke , still the war flag shook out its folds in the foggy dew """ """ But when the morning trembled , the war flag still broke its folds in foggy dew ," 0 +In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally , which will be burned in Florida and bottled in Puerto Rico . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally , which will be distilled in Puerto Rico and bottled in Florida . 0 +Franco Ferreiro and André Sá defeated Oliver Marach and Leonardo Mayer 7 - 6 ( 6 ) , 6 - 3 in the final . In the finals Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá with 7 -- 6 ( 6 ) , 6 -- 3 . 0 +In October 2011 , eight horns were also sent from Perth to RAAF Base Pearce to protect the CHOGM meeting in nearby Williamstown . Eight Hornets were also deployed from Williamstown to RAAF Base Pearce in October 2011 to protect the CHOGM meeting in nearby Perth . 0 +His wife Luise Marie Schwaab and their daughters Irma and Gisela M. A. Richter were also art historians . His wife Gisela M. A. Richter and her daughters Irma and Luise Marie Schwaab were also art historians . 0 +Colleen gets a job in the diner , where she becomes good friends with Leah Poulos ( Ada Nicodemou ) . Leah Poulos gets a job at the Diner where she becomes good friends with Colleen ( Ada Nicodemou ) . 0 +Hishon is the Anglicized form of Ó hOiseáin and finds an early reference among the allies of the MacNamara family in Co Clare in the early 14th century . Hishon finds the anglicised form of Ó hOiseáin and is an early reference amongst the Allies of the MacNamara family in Co Clare in the early 14th century . 0 +Enter through eastern gate , turn left and worship Ganapathy , Shiva and Ayyappan on the southern side . Enter through the eastern gate , turn left and worship on the south side Ganapathy , Shiva and Ayyappan . 1 +Here is an example in Smalltalk , of a typical accessor method to return the value of a variable using lazy initialization . Here is an example in Smalltalk of a lazy access method to return the value of a variable using the typical initialization . 0 +"The Healers is a Big Finish Productions British drama based on the long-running audio science fiction television series "" Doctor Who "" ." "The The Healers is a British drama by Big Finish Productions , based on the long-running audio - science - fiction - TV series "" Doctor Who "" ." 1 +Mike Monroney was challenged by A.S. Thomas in the Democratic Prefix in 1950 . Mike Monroney was challenged in the Democratic primary by A.S. Thomas in 1950 . 1 +Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez 6 -- 2 , 6 -- 2 in the final . Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 : 2 , 6 : 2 in the final . 0 +"In Ngapoi Ngawang Jigme , "" Ngapoi "" was , for example , his family name and "" Nga - Wang Jigmê "" his personal name ." "In Ngapoi , for example , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga - Wang Jigmê "" his personal name ." 0 +The tournament was resumed again in 2006 in San Francisco , where it was hosted for two years . The tournament was re-organized in San Francisco in 2006 , where it was resumed for two years . 0 +Mouhoun is one of 45 provinces of the Boucle du Mouhoun region , located in Burkina Faso , the capital of Mouhoun is Dédougou . Mouhoun is one of 45 provinces in Burkina Faso and is located in the Boucle du Mouhoun region . The capital of Mouhoun is Dédougou . 0 +Johnson has worked in molecular genetic animal experiments in laboratories in Melbourne , Townsville Queensland , Sydney , and Boston USA . Johnson has worked in animal molecular genetics in laboratories in Melbourne , Townsville Queensland , Sydney and Boston USA . 1 +There are essentially four types of databases : curated databases , predictive databases , literature databases and inclusive databases Essentially , there are four types of databases : curated databases , predictive databases , literature databases and integrative databases 0 +He is a member of ACM , the IEEE , the AAAS and the EATCS . He is a member of the IEEE , the ACM , the AAAS and EATCS . 1 +The lowest level is 329 meters and the highest level is 457 meters The highest level is 329 m and the lowest level is 457 meters . 0 +Cincinnati Downtown is located west of Day Heights . Downtown Cincinnati is west of Day Heights . 1 +RAF Ash was closed and the website was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash was closed and the site sold in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . 1 +The township contains eight cemeteries : Bell , Bethel , Evergreen , Hetzler , John , Mount Moriah , Shinn and West Grove . The municipality contains eight cemeteries : Bell , Mount Moriah , Evergreen , Shinn , Bethel , Hetzler , John and West Grove . 1 +It is the explicit goal of TCI not only to lead the leader , but also to enable a group to support itself ( chair person postulate ) . It is the explicit goal of TCI not only to lead the leader , but also to enable a group to support itself ( Chairman Person Postulate ) . 1 +These beats listen to the stylings of a variety of drumbeats across West Africa as well as the traditional African genre Afrobeat . These beats harken to the stylings of a variety of precursory drumbeats across West Africa as well as the traditional African genre of Afrobeat . 1 +In 1864 , the Taiping rebellion ended with the defeat of America , and Yang fled from Nanjing by ship to Shanghai . In 1864 , the Taiping Rebellion ended with defeat to the America , and Yang fled to Shanghai from Nanjing by ship . 1 +"It was released on his album "" From Elvis in Memphis "" and was recorded in American Sound Studio in Memphis on February 18 , 1969 ." "It was released on his album "" From Elvis in Memphis "" and was recorded on 18 February 1969 at the American Sound Studio in Memphis ." 1 +"The inverse of the double exponential function is the double logarithm ( ln ( "" x "" ) ) ." "The inverse of the double exponential function is the double logarithm ln ( ln ( "" x "" ) ) ." 0 +"Godella is a municipality in the "" Comarca "" of Horta Nord , province Valencia , Spain ." Godella is a municipality in the Comarca Valencia , Spain , Horta Nord province . 0 +Ignjat Job painted colorful landscapes on the island of BraÄ in a personal Expressionist style . On the island of Brač , Ignjat Job painted personal landscapes in a colourful Expressionist style . 0 +Byzantine Greeks of the Catholic Rite ( Uniates ) number approximately 6,000 nationwide and mostly live in Athens . Byzantine Greeks of the Catholic Rite ( Uniates ) number nationwide about 6,000 and mostly live in Athens . 1 +Some windows on the first floor at the western end of the southern wall are modern replacements . Some windows on the first floor at the southern end of the western wall are modern replacements . 0 +The next day Mariano and Zappi were rescued , the corpse of the Finn Malmgren was not found . The next day , Finn Malmgren was rescued , the corpse of Mariano and Zappi were not found . 0 +Homer Township was established by a division of Albion Township in 1837 . Homer Township was founded in 1837 by a division of Albion Township . 1 +The championship was held in Austria in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Italy in 2011 . The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in 2011 in Italy . 1 +Foley worked with Gurf Morlix , with Townes Van Zandt , with Guy Schwartz , with Billy Block and Calvin Russell , among others . Foley collaborated with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , among others . 1 +The town of Otisfield , currently in Cumberland County , was part of Oxford County until 1978 . The town of Otisfield , currently in Oxford County , was part of the Cumberland County until 1978 . 0 +Has been recorded from western Europe including Scandinavia ( where it is rare ) and from Great Britain . Has been received from Western Europe , including Scandinavia ( where it is rare ) and from Great Britain . 1 +The US 340 has a diamond exchange with MD 180 east of Petersville and crosses Catoctin Creek . US 340 east of Petersville crosses a diamond exchange with MD 180 and has Catoctin Creek . 0 +The nearest airport is Devi Aahilya Bai Holkar Airport in Indore , the nearest station is Ujjain . The nearest airport is Ujjain , the nearest is Devi Aahilya Airport Bai Holkar , Indore . 0 +Asia Argento ( ; born Aria Maria Vittoria Rossa Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . Maria Maria Vittoria Rossa Argento ( born 20 September , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and director . 1 +Sir Charles Waldstein , from 1918 Sir Charles Walston ( 30 March 1856 - 21 March 1927 ) was an Anglo-American archaeologist . Sir Charles Walston , 1918 Sir Charles Waldstein ( March 30 , 1856 - March 21 , 1927 ) was an Anglo-American archaeologist . 0 +In 2010 , Hatherley joined the band by Sam Lewis , playing lead guitar and replacing KT Tunstall . In 2010 Hatherley joined KT Tunstall 's band , playing lead guitar and replacing Sam Lewis . 0 +During the 1850s missionaries were sent to Chile , France , Germany , Hawaii , India , Italy , Scandinavia , Switzerland and a number of other countries . In the 1850s , missionaries were sent to Germany , Hawaii , France , Italy , Scandinavia , Switzerland , India , Chile , and a number of other countries . 1 +The total production of 483,593 units was narrowly beaten by the predecessor , the 9000 , of which 503,000 were built . The total production 483,593 units , were narrowly beaten by its predecessor , the 9000 , of which 503,000 was built . 1 +When the Mahárája reached Radhanpur , Safdar Khán Bábi and Jawán Mard Khán Bábi from Sidhpur joined . When the Mahárája reached Radhanpur he was joined by Safdar Khán Bábi and Jawán Mard Khán Bábi from Sidhpur . 1 +The incumbent mayor , Joseph A. McArdle , won a divided Republican primary against Councilman John Herron and the Register of Wills Joseph Mackrell . Incumbent mayor John Herron won a divided Republican Primary against Councilman Joseph A. McArdle and Register of Wills Joseph Mackrell . 0 +Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named in his honour . Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named as his honors . 1 +"The Gujarat and Mumbai , Maharashtra are a partly Hindu Sanghar also "" Jamotar "" Sanghar India ." "The Sanghar ( are a partly Hindu sanghar also called "" JAMOTAR "" Gujarat and mumbai maharashtra India ." 0 +Cameron Lake is a lake on Vancouver Island , located south of St. Mary Lake . St. Mary Lake is a lake located on Vancouver Island south of Cameron Lake . 0 +"Inhabitants of Saint-Étienne are named "" Stéphanois "" in French . They are called so because "" Étienne "" derives from the Greek "" Stephanos "" ." "The inhabitants of Saint-Étienne are called in French "" Stéphanois "" because they are "" Étienne "" from Greek "" Stephanos "" ." 1 +The 3rd season of the National Cheerleading Championships was held in PhilSports Arena , Pasig City last March 9 , 2008 . The last season of National Cheerleading Championships was held in the PhilSports Arena , Pasig City , March 3 , 2008 . 0 +Other industrial zones are located in North Karachi , Korangi , F.B . Area , Landhi and Port Qasim . Other industrial zones are in North Karachi , Korangi , F.B . - Area , Landhi and Port Qasim . 1 +Alisa Kleybanova won 6 -- 3 , 6 -- 2 against Elena Dementieva in the finals . Alisa Kleybanova won in the final 6 -- 3 , 6 -- 2 , against Elena Dementieva . 1 +In 1991 he left Italy to work in the area of palliative care for cancer patients in Germany as well as in various Third World countries . He left Germany in 1991 to work in the palliative care of cancer patients in Italy as well as in various Third World countries . 0 +"However Martin said he was "" fairly certain "" Eastman was guilty but "" a nagging doubt remains "" ." "However , Martin said he is "" fairly certain "" Eastman was guilty , but "" a nagging doubt remains "" ." 1 +In the east is Susquehanna County , with Middletown Township ( North ) and Rush Township ( South ) along the border . To the east is Middletown Township , with Rush Township ( north ) and Susquehanna County ( south ) along the border . 0 +Her mother is Austrian , while her father is a Kenyan . Her mother is a Kenyan woman , while her father is Austrian . 0 +And the following ongoing series and this revision has been retained in all resulting DC publications . And the resulting ongoing series , and this revision has been maintained in all following DC publications . 0 +"Their son Marc appeared with Tony on "" Taxi "" in two episodes as Brian Sims ." "Her son Brian Sims appeared in two episodes with Tony on "" Taxi "" as Marc ." 0 +Roberto Oliveira is also known as Roberto de Oliveira ( born December 16 , 1980 in Brazil ) , a Brazilian footballer . Roberto de Oliveira is also known as Roberto Oliveira ( born December 16 , 1980 in Brazil ) is a Brazilian footballer . 1 +Drummer Wayne Bennett left the band in June 2007 and was replaced by Ben Timony . In June 2007 , drummer Wayne Bennett left the band and was replaced by Ben Timony . 1 +Catterick Garrison is a large garrison and town south of Richmond in the North Yorkshire district of Richmondshire , England . Catterick Garrison is a major garrison and town south of Richmond in the North Yorkshire district of Richmondshire , England . 1 +Dielectric elastomers ( DEs ) are large material systems that produce smart strains . Dielectric elastomers ( DEs ) are smart material systems which produce large strains . 0 +The free tetracubes made of two complete sets of corresponding tetrominos can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes . The corresponding tetracubes from two complete sets of free tetrominoes can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes : 0 +The Hartford High School was founded in 1857 , shortly after the city of Hartford was established . Hartford High School was established in 1857 , shortly after The City of Hartford was founded . 1 +The Croatian variant is played in a counter-clockwise order , while in Montenegro the clockwise order is used . The Croatian variant is played clockwise , while in Montenegro the order is used counter-clockwise . 0 +The river Tătaru is a tributary of the Buzăiel River in Romania . The Tătaru River is a tributary of the Buzăiel River in Romania . 1 +Sasse Lake is a lake in Le Sueur County , in the U.S. state of Minnesota . Le Sueur County is a lake in Sasse Lake , in the US state of Minnesota . 0 +ISPS Handa promotes blind golf and disabled golf , and provides management and financial support to a number of tournaments in cooperation with the local golf associations worldwide . ISPS Handa promotes blind golf and disabled golf and offers worldwide management and financial support for a number of tournaments in cooperation with local golf associations . 1 +Their most common colors are red , blue , yellow and green , even though other rarer colors , such as white , have been seen or mentioned . Their most common colors are red , blue , yellow , and green , though other rarer colors , such as white , have been seen or mentioned . 1 +Upgrades included rheostatic brakes and electromagnetic brakes , new speed measurement and curve lights . Upgrades included rheostatic brakes and new brakes , electromagnetic speed measurement and curve lighting . 0 +The isodynamic conjugates of Fermat - points are the isogonal points and vice versa . The isogonal conjugates of the fermat points are isodynamic points and vice versa . 0 +It is native to Central and Southern Europe from the British Isles , Turkey , the East to Portugal , Ukraine and the Baltic States . It is native to central and southern Europe from the British Isles , Turkey , east to Portugal , Ukraine and Baltic States . 1 +"According to one source it derives from a root meaning "" winding "" ." "According to a source , it derives from a root winding "" meaning "" ." 0 +He moved to Nacogdoches to Texas in 1836 . He moved to Nacogdoches in 1836 to near Texas . 1 +Like many aspects of Byzantine ivory , this reflects the Islamic traditions inherited from Islam . Like many aspects of Islamic ivory , this reflects the Byzantine traditions that Islam has inherited . 0 +This creates filter processing , manages the filter chain with the appropriate filters in the correct order and initiates the processing . This manages filter processing , creates the filter chain with the appropriate filters in the correct order and initiates processing . 0 +As a Łęczyca bishop , he participated in the synod in Poznań , in 1180 . In 1180 , as a bishop of Łęczyca , he participated in the Synod in Poznań . 1 +"The species was first formally described in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , which was gathered in Port Jackson ." "The species was first formally collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , a species described in Port Jackson ." 0 +The museum has two pre-Hispanic sections in two separate buildings , one of which is Nicaraguan numismatics and another on the specific archaeology of the area . The museum has two specific sections in two separate buildings : one is the Nicaraguan numismatics and another on the pre-Hispanic archaeology of the area . 0 +Throughout her relationship , the couple lived in London and Los Angeles , though Seymour spent more time in Los Angeles for their work . Throughout her relationship , the couple lived in Los Angeles , though Seymour spent more time in London and Los Angeles for their work . 0 +After the 2015 season , Seoul FC Martyrs left the league , but three new teams added Buyeo FC , Siheung Citizen and Yangpyeong FC . After 2015 season Seoul FC Martyrs joined the league , but three new teams Buyeo FC , Siheung Citizen , and Yangpyeong FC left it . 0 +The size is described as 15 metres wide and 35 metres long . The size is described as 15 metres long by 35 metres wide . 0 +In 2002 , the name of İçel was finally replaced by that of Mersin . Finally in 2002 the name of İçel was replaced with that of Mersin . 1 +He has two elder and one younger brother . He has two younger brothers and one elder brother . 0 +Moses Point Airport is an airport located in Elim , a city in the Nome Census Area of the U.S. state of Alaska . Moses Point Airport is an airport in Elim , a town in the Nome Census Area of the U.S. state of Alaska . 1 +Thomas Johansson won against Renzo Furlan in the finals with 6 -- 3 , 6 -- 4 . Renzo Furlan won in the final 6 -- 3 , 6 -- 4 against Thomas Johansson . 0 +Ice hockey at the Canada Winter Games 2011 was held in the Halifax and Halifax Forum in New Scotland and at the Halifax Metro Centre in Dartmouth , Dartmouth Sportsplex . Ice hockey at the 2011 Canada Winter Games was held at the Halifax and Halifax Forum in Nova Scotia and the Halifax Metro Centre in Dartmouth , Dartmouth Sportsplex . 1 +Hoyer has toured Canada several times since 2008 , including once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . Since 2008 , Hoyer has toured Canada on several occasions , once with Sean Nicholas Savage , once with Michael Rault and twice with The Joe . 1 +Local farmers preferred to market products in Salina and avoid the mud of lower Liverpool . Local farmers preferred to market products in Salina and prevent the mud of the lower Liverpool . 1 +Bynum , born in 1975 in Boston , grew up in Baltimore . Bynum , born in 1975 in Baltimore , grew up in Boston . 0 +DJ Logic convinced Martin to record and remix a breakbeat album for DJs and other producers . DJ Logic convinced Martin to record a breakbeat album for DJs and other producers to use and remix . 1 +Hungarian Brazilians ( or ) are full , partial citizens of Hungarian , or predominantly Brazilian ancestry , or Hungarian-born people who emigrated to Brazil . Hungarian Brazilians ( or ) are full citizens , partial Hungarian , or predominantly Brazilian , or Hungarian-born people who have emigrated to Brazil . 1 +"Auguri professore ( "" Riccardo Milani "" ) is an Italian comedy drama film , directed by Good Luck Professor in 1997 ." "Auguri professore ( "" Good Luck Professor "" ) is a 1997 Italian comedy drama film directed by Riccardo Milani ." 0 +Houyan is a station on Line 3 of the Dalian Metro in Liaoning Province , China . It is located in the Ganjingzi District of Dalian City . Houyan is a station on Dalian Metro line 3 in the province of Liaoning , China , in the Ganjingzi district of Dalian . 1 +The Turks , Tibetans , Muslim Arabs , and Tang competed for control of Central Asia until the tang 's collapse in the 10th century . The Turks , Tang , Muslim Arabs and the Tibetans competed for control over Central Asia until the collapse of the Tang in the 10th century . 1 +He died in Munich and is buried at the northern cemetery in Ajaccio , Corsica . "He died in Munich , and is buried in the Nordfriedhof ( "" Northern Cemetery "" ) , Ajaccio , Corsica ." 1 +The expansion of the international presence of China Airlines has long been limited by Taiwan 's political status . The expansion of China Airlines international presence has long been limited by the political status of Taiwan . 1 +Malik married businessman Asad Bashir Khan Khattak in Dubai on December 25 , 2013 . Asad Bashir Khan Khattak married businessman Malik in Dubai on December 25 , 2013 . 0 +"This is a list of Malaysian football transfers for the "" 2nd transfer window 2013 "" ." "This is a list of Malaysian football transfers for the "" 2013 second transfer window "" ." 1 +On March 22 , 1839 , Sarah born an illegitimate daughter , Louisa Catherine . Louisa Catherine had an illegitimate daughter , Sarah , March 22 , 1839 . 0 +The developers then introduced Holocrons , which would inform the player about the first , then second master class after completion . The developers then introduced Holocrons which would inform the player of the second , then after completion first master class required . 0 +Jimmy Wareing was born in 1917 in Cumberland and played the Rugby - Union for Silloth and Silloth before the war . Jimmy Wareing was born in Cumberland in 1917 and played rugby union for Silloth and Silloth before the war . 1 +The grey suit was largely replaced in the 20th century by the dark blue or black suit . In the 20th century , the black suit was largely replaced by the dark blue or grey suit . 0 +In addition , Merrill was a member of the Ashland , Wisconsin School Board and served as the Ashland County district attorney from 1917 to 1926 . In addition , Merrill was a member of the Ashland County School Board and served as Ashland , Wisconsin district prosecutor from 1917 to 1926 . 0 +At least four disks are required in a standard RAID 01 configuration , but larger arrays are also used . At least four hard disks are required in a standard - RAID - 01 - configuration , but larger arrays are also used . 1 +In 1933 , the ancient diocese of Thinisa in Numidia was nominally restored as a Catholic titular room with the lowest ( episcopal ) rank . In 1933 , the episcopal diocese of Thinisa in Numidia was nominally restored as a Catholic titular see of the lowest ( Ancient ) rank . 0 +He began working with the AA Frisco RoughRiders of the Pacific Coast League in 2014 and was transported to the AAA Round Rock Express of the Texas League . He began 2014 with the AA Frisco RoughRiders of the Texas League and was promoted to the AAA Round Rock Express of the Pacific Coast League . 0 +Serena , however , decides to keep this truth from Dan a little while longer . Serena decides , however , to keep this truth for a little longer from Dan . 1 +The company then acquired St. Louis and Cairo Railroad , which was the narrow gauge . The company then was the St. Louis and Cairo Railroad , which acquired narrow gauge . 0 +There are large squatter communities in Kenya , such as Kibera in Nairobi . In Kenya , there are large occupying communities , such as Kibera in Nairobi . 1 +RK is the cathode resistor , and rtot is the parallel combination of RP ( external resistor ) and rload . RK is the cathode resistor and rtot is the external combination of RP ( parallel resistor ) and rload . 0 +John , however , refused to hand over Hainaut to Margaret . However , John refused to hand Hainaut over to Margaret . 1 +For two years , Kokomo Jr. was used to present weather forecasts and to perform brief sketches . For two years , Kokomo Jr. was used to perform weather forecasts and present short sketches . 0 +"In 2015 , Bookboon was mentioned in newspapers such as the German "" Handelsblatt "" and one of its Swedish books was featured in the Swedish Metro ." "In 2015 , Bookboon was mentioned in newspapers such as the German ‘ Handelsblatt "" ’ and one of its Swedish books was presented in the Swedish metro ." 1 +He has performed at the Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach festivals . He has played at the festivals in Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . 1 +Production was repeated in Berlin on 8 June 2011 and from 8 July 2012 in Amsterdam . The production was repeated in Amsterdam on 8 June 2011 and 8 July 2012 in Berlin . 0 +"The Vadakalai sect are also referred to as the "" northern "" culture or school , and the Thenkalai sect are the "" southern "" variant ." "The Vadakalai - Sects are also referred to as the "" northern "" culture or school , and the Thenkalai - Sect are the "" southern "" variant ." 1 +Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada . It is east of Otter Bay . Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada , located to the east of Otter Bay . 1 +Sir Herbert was re-elected to the new seat of Croydon East and was returned in 1951 . Sir Herbert was returned to the new headquarters in Croydon East and was re-elected in 1951 . 0 +Girish Puthenchery wrote the lyrics for the songs composed by Johnson . Girish Puthenchery wrote the text for the songs composed by Johnson . 1 +Film producer Sol Lesser , who had discovered Breen , signed Jackie Coogan to RKO Radio Pictures . Sol Lesser , a film producer who had discovered Breen , signed Jackie Coogan at RKO Radio Pictures . 1 +His topographical cityscapes were etched by himself and others , with three published series showing scenes of Haarlem , Bergen , and Drente . His topographical urban landscapes were published by himself and others , with three etched series showing scenes of Haarlem , Bergen and Drente . 0 +Carlotta Grisi was the cousin of the famous soprano singers , the sisters Giuditta and Giulia Grisi . Giulia Grisi was the cousin of the famous sopranos singers , the sisters Giuditta and Carlotta Grisi . 0 +In 2009 , Paddon Crocker defeated Crocker again and took his third victory in 2010 through Emma Gilmour . Crocker Paddon defeated 2009 again and took his third victory against Emma Gilmour in 2010 . 0 +The outlaws decided to live off the poor class of people instead of the wealthy . The outlaws chose to live off the wealthy class of people instead of the poor . 0 +In 1934 , Wilfred France Senior died in Franceville and Wilfred Jr. ( Billy ) in 1936 . Billy died at Franceville in 1934 and Wilfred Jr. ( Wilfred France Senior ) in 1936 . 0 +The mind is still rather willing and the body is very strong . The mind is still pretty willing and the body is very strong . 1 +There are a number of ways to determine the range of the artillery piece : One possibility is to apply the cosines twice . There are a number of ways to apply the range to the artillery piece . One way is to determine the law of cosines twice . 0 +Rock Lake is a lake in Lyon County , in the U.S. state of Minnesota . Rock Lake is a lake in County Lyon , in the U.S. state of Minnesota . 1 +This strongly led him to later press the claim of India as the original home of the Hominidae . This led him to later push the claim of India as the original home of the Hominidae . 1 +The school was established in Australia and then pioneered in 1903 in Ireland . The school was founded in Ireland and was pioneered in Australia in 1903 . 0 +Scopula undulataria is a moth of the family Geometridae . It is found in Darjeeling ( India ) . Scopula undulataria is a moth of the family Geometridae and is found in Darjeeling ( India ) . 1 +The station was closed on December 8 , 1890 , opened on 8 November 1969 and was demolished in 1971 . The station was closed on December 8 , 1890 , opened on November 8 , 1969 , and was demolished in 1971 . 1 +Blackridge is a community in eastern Pennsylvania and is a suburb of Pittsburgh , Allegheny County . Blackridge is a community in the eastern Allegheny County and is a suburb of Pittsburgh , Pennsylvania . 0 +In July 2011 , responsibility for the Werris Creek to North Star route from the Country Rail Infrastructure Authority was transferred to ARTC . In July 2011 , ARTC transferred the responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . 0 +Born in 1794 in Alpheton in Suffolk , William Debenham joined Thomas Clark in a partnership to manage a draper 's store at 44 Wigmore Street in London . William Debenham , born in 1794 in Alpheton , Suffolk , joined Thomas Clark in a partnership to run a draper 's store at Wigmore Street 44 in London . 1 +On 24 July the NH - electrification to New Rochelle began , on 5 August to Stamford and on 6 October 1907 the rest of the route to Port Chester . NH electrification began on July 24 to New Rochelle , August 5 to Port Chester and October 6 , 1907 the rest of the way to Stamford . 0 +In July 1962 , the 9th Support Squadron was activated at Mountain Home and assigned to the division , but attached to the 4364th wing . In July 1962 , the 4364th squadron of support was activated at Mountain Home and allocated to the division , but assigned to the 9th wing . 0 +A few years later , Goodman became Hyman 's pianist himself . A few years later , Goodman himself became Hyman 's pianist . 1 +Among the Eligible CIS football players from Canadian universities as well as Canadian players playing in the NCAA , 48 players were selected for the Canadian Football League teams . 48 players were chosen for Canadian Football League teams from among the eligible CIS football players from Canadian universities , as well as Canadian players playing in the NCAA . 1 +101 confirmed cases after seven cases in Alberta , three in British Columbia , two in Nova Scotia and Ontario , and one in Quebec were confirmed . After seven cases in Alberta , three in British Columbia , two in Nova Scotia and Ontario and one in Quebec were confirmed in seven cases . 0 +The Father of Woodstock Larry McClurg teamed up with Artie Kornfeld to promote Goodstock Music Festival , reported Pollstar . Larry McClurg , the father of Woodstock , has teamed up with Artie Kornfeld to promote the Goodstock Music Festival , reported Pollstar . 1 +According to the U.S. Census Bureau , the county has a total area , of which land and ( 17.6 % ) have water . According to the U.S. Census Bureau , the county is a total area , of which is land and ( 17.6 % ) has water . 1 +"G. Augustus Johnson ( "" fl . "" 1870-1890 ) was the American consul in Beirut and replaced J. Augustus Johnston ." "J. Augustus Johnston ( "" fl . "" 1870-1890 ) was American consul in Beirut . He replaced G. Augustus Johnson ." 0 +"Such a high "" Q "" resonator stores energy with very low loss and narrow bandwidth ." "Such a very narrow "" Q "" resonator stores energy with very high loss and low bandwidth ." 0 +Boas used his positions at Columbia University and the American Museum of Natural History to develop and train multiple generations of students . His positions at Columbia University and the American Museum of Natural History he used to train and develop several generations of students . 1 +On 16 January 2018 , Volaris announced a codeshare agreement with Frontier Airlines , the US low-cost carrier . On January 16 , 2018 , Frontier Airlines announced a codeshare agreement with American low-cost carrier Volaris . 0 +The SSSI has an area of 190.3 hectares , while the SAC has 168.3 hectares . The SSSI covers an area of 190.3 hectares while the SAC has 168.3 hectares . 1 +Murfresboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . Murfreesboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . 1 +Sixteen of these delegates were allocated for Hillary Rodham Clinton while nine were allocated for Barack Obama . Sixteen of these delegates were allocated for Barack Obama , nine for Hillary Rodham Clinton . 0 +Spice Diana is a Ugandan musician , one of the youngest female Ugandan artists . Spice Diana is a Ugandan musician , one of the youngest Ugandan artists . 1 +South Deerfield is drained by the rivers Deerfield and Connecticut . Deerfield is drained by the rivers South Deerfield and Connecticut . 0 +The boat has an average handicap of 183 with a high of 198 and a low of 180 . The boat has a PHRF racing average handicap of 183 with a low of 198 and high of 180 . 0 +The Pilugul River is a tributary of the river Văcăria in Romania . The river Văcăria is a tributary of the River Pilugul in Romania . 0 +The band separated shortly afterwards and reformed in 1987 as a trio with Lucy and Brothers Joel Green ( drums , vocals ) and Matt Green ( guitar ) . The band split shortly after and reformed as a trio with Matt Green and Brothers Lucy ( drums , vocals ) and Joel Green ( guitar ) in 1987 . 0 +When the Clifton Bridge was built in 1866 , the ferry became popular with users of Portishead Railway railway station . When the Clifton Bridge was built in 1866 , the ferry became popular with the users of Portishead Railway Station . 1 +Nikolai Myaskovsky wrote his symphony No . 9 in e - Moll op . 28 between 1926 and 1927 . Nikolai Malko was dedicated . Between 1926 and 1927 Nikolai Malko wrote his symphony No . 9 in e - Moll op . 28 , dedicated to Nikolai Myaskovsky . 0 +The texts were rearranged by the Lebanese singer Majida El Roumi and music was written by Kadim Al Sahir . The lyrics were written by the Lebanese singer Majida El Roumi and music was rearranged by Kadim Al Sahir . 0 +The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a historical kingdom of the mighty subcontinent . In the 3rd century BC , the Greeks and Romans described the region as Gangaridai , a powerful kingdom of the historical subcontinent . 0 +Tremor is a 1961 South African film , produced by Denis Scully and co directed by Michael Deeley . Tremor is a South African film dating from 1961 , produced by Denis Scully and Co by Michael Deeley . 1 +The New Zealand Rugby - League - Tour of 1913 New Zealand was a tour through the national rugby league - team of Australia . The 1913 New Zealand rugby league tour of New Zealand was a tour by the Australia national rugby league team . 1 +The station was closed on December 8 , 1890 , opened on 8 November 1969 and was demolished in 1971 . The station opened December 8 , 1890 , closed November 8 , 1969 , and was demolished in 1971 . 0 +It was described by Turner in 1896 and is found in Australia , where it has been recorded from New South Wales . It was found in 1896 by Turner and is described in New South Wales , where it was recorded from Australia . 0 +He lives in New York City and teaches at Queens College in Flushing , New York , Hebrew language , literature and culture , and Middle East studies . Chetrit lives in New York City . He teaches Middle Eastern language , literature , culture and Hebrew . He studies at Queens College in Flushing , New York . 0 +This introduction to study began a lifelong passion that led her to travel in the remote areas of Alaska and British Columbia . This introduction to studies began with a lifelong passion that led her to travel in the remote areas of Alaska and British Columbia . 1 +Formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives , and steric effects . The formation of aggregates is affected by electrostatic interactions , coordination between lithium and surrounding solvent molecules or steric additives and polar effects . 0 +In Lilongwe there are 38 public primary schools and 66 secondary schools with a total of 103,602 students , as well as 29 private schools with 30,795 students . There are 38 public primary and 66 secondary schools with a total of 103,602 pupils as well as 29 private schools with 30,795 students in Lilongwe . 1 +"Wynter Gordon wrote the song "" Take Me Away "" for Cassie Feat , Marvin Priest ." "Cassie Co-wrote the song "" Take Me Away "" for Marvin Priest Feat . Wynter Gordon ." 0 +""" American Duos "" is the first episode of the second season of "" Psych "" and is the 16th episode in total ." """ American Duos "" is the first episode of the second season of "" Psych "" , and is the 16th episode overall ." 1 +A section of the line remains in place , and is currently known as the Phoenixville Industrial track ( also owned by NS ) . A route section remains in place and is currently known as the Phoenixville Industrial Track ( also owned by NS ) . 1 +The company is headquartered in Oslo , has the Innovation House in Reykjavík and a workspace in the Innovation House in Gloucester , MA . The company is headquartered in Reykjavík , has the Innovation House in Oslo and a workspace at the Innovation House in Gloucester , MA . 0 +Air Niugini operated their Boeing 707 from Auckland to Hong Kong via Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini served their Boeing 707 from Auckland via Hong Kong to Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . 0 +Later in life , Toth became one of Procopio 's close friends . Later in life Toth became one of close friends of Procopio . 1 +József Jung , ( born as Josef Jung , 1734 , Jihlava , Margraviate of Moravia -- 22 August 1808 , Pest ) was a Hungarian-German architect . József Jung , ( born Josef Jung , 1734 , Jihlava , Marchgräfin of Moravia -- August 22 , 1808 , Pest ) was a Hungarian-German architect . 1 +On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with Matt Carroll in exchange for DeSagana Diop . On January 16 , 2009 , Hollins was traded with DeSagana Diop in exchange for Matt Carroll to Dallas Mavericks . 0 +""" Vigilant "" was generally inactive while the British occupied New York City , but she sailed to Philadelphia when the British evacuated the city in June 1778 ." """ Vigilant "" was usually inactive , while the British occupied New York City , but she sailed to Philadelphia when the British evacuated the city in June 1778 ." 1 +The following day , he forced Chiyonofuji to surpass Kyokutenho and stand in first place alone . The next day he forced Kyokutenhō to surpass Chiyonofuji and stand in first place alone . 0 +The temperature should be around 28 ° C during the day and should drop to about 20 ° C at night . The temperature should be about 28 ° C during the day and drop to around 20 ° C at night . 1 +Liarea bicarinata is a species of terrestrial land snail , a small gastropod mollusc in the family Pupinidae . Liarea bicarinata is a species of small land snail , a terrestrial gastropod mollusc in the Pupinidae family . 0 +In the , Daniel Dewey ( F ) resigned February 24 , 1814 and was replaced in a special election by John W. Hulbert ( F ) In the , John W. Hulbert ( F ) resigned on 24 February 1814 and was replaced by a special election of Daniel Dewey ( F ) . 0 +On the inside are engraved slates with the image of Padmasambhava , Gautama Buddha and Ngawang Namgyal . On the inside are engraved slates with the image of Ngawang Namgyal , Gautama Buddha and Padmasambhava . 1 +"Other works of Bailly in Washington , D.C. include sculptures by Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Benjamin Hallowell 's other works in Washington , D.C. include sculptures of Bailly and Alexander "" Boss "" Shepherd ." 0 +Scopa is black , but white at the front edge . Scopa is white , but at the front edge black . 0 +Some white colonies may not contain the desired recombinant plasmid for a number of reasons . Some recombinant colonies , for a number of reasons , can not contain the desired white plasmid . 0 +The states that have participated in this study were Aguascalientes , Jalisco , Chihuahua , Durango , Guerrero , Chiapas , Oaxaca , Sinaloa , Veracruz and Yucatan . The states that participated in this study were Aguascalientes , Jalisco , Chihuahua , Durango , Guerrero , Chiapas , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +The Purdue University football team in 1981 represented Purdue Boilermakers during the 1981 football season of the big ten conference . The 1981 Purdue Boilermakers football team represented Purdue University during the football season of the Big Ten Conference in 1981 . 0 +The conservancy has a dry climate , hottest in October and November and most likely to be wet in April and May . Winter has a dry climate , the hottest in October and November and most likely in April and May wet . 1 +In June 1986 , Boeing 767-200ER replaced the DC-10 fleet with a new route to the international airport of Montréal -- Mirabel . In June 1986 , Boeing 767-200ERs replaced the DC - 10 fleet with a new route to Mirabel International Airport , Montréal . 1 +Alfred Downing Fripp was godfather to the surgeon Sir Dalton . Dalton was godfather to surgeon Sir Alfred Downing Fripp . 0 +He died on 18 June 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . He died in Daytona Beach , Florida , on June 18 , 1936 . He was buried in Melbourne , Florida . 0 +Carew died on 6 November 1620 and was buried in Antony church on 7 November . Antony died on November 6 , 1620 and was buried in the church of Carew on November 7 . 0 +"The command "" create "" is used to create a new database , table , new index , or stored procedure ." "The command "" create "" is used to set up a new database , table , index , or stored procedure ." 0 +The Vela family , prominent in the racing industry , had donated Peters to $ 150,000 over a four-year period . The Peters family , prominent in the racing industry , had donated $ 150,000 to Vela over a four-year period . 0 +Before the municipality was called Waling , it was the only municipality in Syangja . Before the Syangja municipality was named , it was the only municipality in Waling . 0 +The State Road was built in the early 1910s from Frederick to Knoxville and completed in 1919 to Harpers Ferry . The state road was completed from Frederick to Harpers Ferry in the early 1910s and constructed to Knoxville in 1919 . 0 +September 2 : CF Michael Bourn and CF Drew Stubbs activated ; C Caleb Joseph , LHP Jayson Aquino , and RHP Tyler Wilson recalled from AAA Norfolk . September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino recalled by AAA Norfolk . 0 +"The music video for "" Desire "" was directed by Andy Morahan and published by Claudia Wass ." "The music video for "" Desire "" was directed by Andy Morahan and edited by Claudia Wass ." 1 +The area in which Crookston is located was virtually unoccupied during pre-European contact and remained little more than a hunting ground associated with the Pembina settlements until the 1860s . The area where Crookston is located remained virtually unfilled during pre-European contact and until the 1860s was little more than a hunting ground associated with the Pembina settlements . 1 +Archdale is a residential area in the Starmount ( South Boulevard near Arrowood and South Charlotte ) . Starmount is a residential neighborhood in the South Charlotte ( South Boulevard at Arrowood and Archdale ) area . 0 +Aleksandra Piłsudska ( Suwałki , December 12 , 1882 - London , 31 March 1963 ) , born Szczerbińska , was the second wife of Józef Piłsudski . Aleksandra Piłsudska ( Suwałki , 12 December 1882 -- London , 31 March 1963 ) , née Szczerbińska , was the second wife of Józef Piłsudski . 1 +Other locations are in Deoghar Sultanganj , Jharkhand and Vaidyanath Jyotirlinga in Bhagalpur . Other places are Sultanganj in the Bhagalpur and Vaidyanath Jyotirlinga in Deoghar , Jharkhand . 0 +The Telecomms infrastructure and Global Crossing was sold to Racal , which in turn was sold to Thales Group and merged with British Rail Telecommunications . Telecomms - infrastructure and global crossing were sold to Racal , which in turn was sold to the Thales Group and merged with British Rail Telecommunications . 1 +A cover version by Phil Harding and Ian Curnow appeared in 1989 , produced by Sinitta . In 1989 , a cover version of Phil Harding and Ian Curnow , produced by Sinitta , appeared . 1 +The 1962 Cleveland Browns season was the 13th season of the team with the National Football League . The 1962 National Football League season was the team 's 13th season with the Cleveland Browns . 0 +"In 2001 he founded in Zagreb , Croatia , the publishing house and animation workshop "" Petikat "" , most recently at Zagreb film worked on graphic films ." "In 2001 in Zagreb , Croatia he founded the publishing house and graphic workshop "" Petikat "" . Most recently he worked on animated films at Zagreb Film ." 0 +The judges were appointed by the Minister of Justice and nominated by the Tsar . Judges were nominated by the Minister of Justice and appointed by the tsar . 0 +The fully completed action plan , published on 3 March 2006 , is placed directly in the hands of ministers by other members of the task force . The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the other ministers by ministerial members of the task force . 0 +Pyloric atresia is the complete occlusion of the Gastric outlet of the stomach and is an extremely rare event . Gastric atresia is the complete occlusion of the pylorus outlet of the stomach and is an extremely rare event . 0 +Alice Comyn , his niece and heir , married Henry Beaumont , a French nobleman in the English service . His niece and heir , Henry Henry Beaumont , married Alice Comyn , a French aristocrat in the English service . 0 +Jolly 's parents settled in Rajshahi from West Bengal . Her elder sister Sharmili Ahmed is an actress . Jolly 's parents settled down from Rajshahi in West Bengal , her older sister , Sharmili Ahmed , is an actress . 0 +Eleanor was also the youngest son of Robert Hungerford , 3rd Baron Hungerford and Walter Hungerford . Eleanor was the youngest son of Robert Hungerford , 3rd Baron Hungerford and Walter Hungerford . 1 +Motivated by his passion for professional football , Arid Garcia decided to support the local football in the state of Lara . Motivated by his passion for the local football , Arid Garcia decided to support the professional football in the state of Lara . 0 +The Banach - Mackey - topology and the weak Arens - space topology are used relatively rarely . The Arens - Mackey - Topology and the weak Banach - space topology are used relatively rarely . 0 +O'Dea was born in Armidale in 1889 and moved to Sydney with his family as a child . O 'Dea was born in Sydney in 1889 and moved with his family to Armidale as a child . 0 +On May 14 , 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . On May 14 , 1647 , he was confirmed as Archbishop of Messina and chosen on 16 September 1647 by Pope Innozenz X . 0 +On August 30 , 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , Stephen Champlin , was married to a partner of John B. Cook in Minnesota . On August 30 , 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , married Stephen Champlin , a partner of Minnesota 's John B. Cook . 0 +In May 1921 , the 7th Battalion was reformed in regional Victoria around a headquarters in Merbein , with depots at Red Cliffs , Wentworth and Mildura . In May 1921 , the 7th Battalion was reformed in the Victoria region around a headquarters in Merbein with depots at Red Cliffs , Wentworth and Mildura . 1 +Tuckerton is located in the 9th Congressional District and is part of the second state of New Jersey 's Legislative District . Tuckerton is located in the 2nd Congressional District and is part of the ninth state 's legislative district of New Jersey . 0 +Another Jesuit from England , Daniel joined William Good soon after , though they had a turbulent relationship . Daniel , another Jesuit from England , joined William Good soon after , although they had a turbulent relationship . 1 +He had with Catalina Mendoza y Zúñiga and married . He had married with Catalina Mendoza and Zúñiga . 0 +While Martin became lawyer and politician , James operated a successful sawmill near Monticello . While Martin became a lawyer and politician , James operated a successful sawmill near Monticello . 1 +The main father and spiritual initiator of the wine school was Immanuel Dornfeld . Immanuel Dornfeld was the spiritual father and main initiator of the wine school . 0 +In the same year , he was appointed General Vicar for the Mississippi and Illinois region of Quebec Diocese . In the same year , he was appointed General Vicar for the region of Quebec of the Diocese of Mississippi and Illinois . 0 +The canopy was destroyed in September 1938 by the 1938 New England hurricane , the station was repaired but damaged . The canopy was destroyed in September 1938 by the New England Hurricane in 1938 , but the station was repaired . 1 +He is the creative spirit that is present before the creation of the universe and through his power everything in Jesus Christ was made by God the Father . He is The Creator Spirit , present before the creation of the universe and through his power everything was made in God , by Jesus Christ the Father . 0 +23 April 1975 : Derby County win the title after Ipswich Town can only draw 1 -- 1 with Manchester City . April 23 , 1975 : Derby County title win after Ipswich Town with Manchester City can only draw 1 : 1 . 1 +The office was moved to Delhi Mills and renamed in February 1871 , even though the Scio office was rebuilt in September 1871 . The office was moved to Delhi Mills and reconstructed in February 1871 , although the Scio office was renamed in September 1871 . 0 +In 1736 , Mackay 's widow sold the islands to Charles Cotesworth Pinckney , the father of General Charles Pinckney . In 1736 , Mackay 's widow sold the islands to Charles Pinckney , father of General Charles Cotesworth Pinckney . 0 +It is now a recreational reserve managed by the Wellington City Council ( HPPA ) in partnership with the Highland Park Progressive Association ( WCC ) . It is now a recreation area managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . 0 +Monmouth Junction was created as the crossroads of three branches of the railway , the New York division of Pennsylvania Railroad , the Rocky Hill and the Jamesburg and Freehold . New York was created as the junction of three rail branches , the Jamesburg division of the Pennsylvania Railroad , the Rocky Hill and the Monmouth Junction and Freehold . 0 +It made the Atlantic crossing from Brazil to Liberia , then transited east across central Africa to Sudan . It made the Atlantic crossing from Brazil to Liberia , then east of Central Africa to Sudan . 1 +During the period of Japanese rule , Namaxia was grouped with Maolin District and Taoyuan District and classified as , which was governed under Kizan District of Takao Prefecture . During the time of Japanese rule , Namaxia was grouped and classified with Maolin District and Taoyuan District , which was governed under the Kizan District of the Takao Prefecture . 1 +Kaamadhenu is an Indian Malayalam film from 1976 , directed by J. Sasikumar and produced by Hassan Rasheed . Kaamadhenu is a 1976 Indian Malayalam film , produced by J. Sasikumar and directed by Hassan Rasheed . 0 +Bourbon County , Kansas , is a township in Timberhill Township . Bourbon County , Kansas , USA is a township in Timberhill Township . 0 +This is the location of the crossroads of the former U.S. Route 45 Alternate ( Church Street ) and Mississippi Highway 32 ( Monroe Avenue ) . This is the location of the junction of former U.S. Route 45 Alternate ( Church Street ) and Mississippi Highway 32 ( Monroe Avenue ) . 1 +It continues to work as a commercial development agency for film , television , nonprofit and print / still photography talent in the city and county of San Diego . It continues to work as a commercial development agency for film , television , nonprofit and print/still photography talent in the city and county of San Diego . 1 +Barrowfield is an area located in the east of Glasgow , Camlachie , close to Celtic Park , the home of the Celtic Football Club . Barrowfield is an area of east Glasgow in Camlachie , close to Celtic Park , home of Celtic Football Club . 1 +The figures of Christ and the young woman are depicted framed by the distorting Byzantine columns in the column of a round temple . The figures of Christ and the young woman are depicted framed by the twisting round columns in the portico of a Byzantine temple . 0 +Sheikh Russell ( born June 6 , 1990 ) is a Bangladeshi footballer who plays as a midfielder , defender for Ashraf Mahmud Linkon and Bangladesh 's national football team . Sheikh Russell ( born 6 June 1990 ) is a Bangladeshi footballer who plays as a Midfielder , Defender for Ashraf Mahmud Linkon and Bangladesh national football team . 1 +He studied at Davis Studio , Melbourne and at the Julian Ashton Art School in Sydney . He studied at Davis Studio in Sydney and at Julian Ashton Art School in Melbourne . 0 +There are various universally accepted terms used in the Philippines to refer to Chinese Filipinos : There are Chinese commonly accepted terms used in the Philippines to refer to various Filipinos : 0 +In Perú , the musical was released on June 16 , 2012 starring Tati Alcántara , Denisse Dibós , and Marco Zunino in Teatro Municipal ( Lima ) . The musical was published in Perú on 16 June 2012 with Tati Alcántara , Denisse Dibós and Marco Zunino in Teatro Municipal ( Lima ) . 1 +His mortal remains were later relocated to the British cemetery in the Üsküdar district of Haydarpaşa . His remains were later relocated to the British cemetery in the Haydarpaşa district of Üsküdar . 0 +Armand married Anne Marie Martinozzi , daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the elder sister of Cardinal Mazarin , with the following children : Armand married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , elder sister of Cardinal Mazarin . They had the following children : 1 +Jalari is one of the villages of Hamirpur , Nadaun , India . Jalari is one of the villages in Nadaun of Hamirpur , India . 0 +The formation of aggregates is influenced by electrostatic interactions , coordination between lithium and surrounding solvent molecules or steric additives , as well as polar effects . Formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives , and steric effects . 0 +In fact , it was not Australia but an island in present-day Vanuatu . In fact , it was not Australia , but an island in Vanuatu today . 1 +Colonel Acker died on September 6 , 1879 in Kalamazoo , Michigan and is buried in Union City , in the state of Michigan . Oberst Acker died in Union City on 6 September 1879 and is buried in Kalamazoo , Michigan , in the State of Michigan . 0 +Perot was born and raised in Dallas , the son of Ross Perot ( nee Birmingham ) and Margot . Born and raised in Dallas , was the son of Ross Perot ( born Birmingham ) and Margot . 1 +"He sang in Europe at Le Lido in Paris and performed with Betty Grable in London 's West End Musical "" Belle Starr "" ." "In Europe , he appeared at Le Lido in Paris and sang with Betty Grable in the London West End musical "" Belle Starr "" ." 0 +He was born in Mülhausen in Alsace and died in Meissen , Saxony . He was born at Mülhausen in Alsace and died in Meissen in Saxony . 1 +This most commonly affects small joints ( knees , ankles , elbows and wrists ) , but also the large joints of the hands and feet . This most commonly affects the large joints ( knees , ankles , elbows , and wrists ) but may also involve the small joints of the hands and feet . 0 +Nadhin Ratheesh Vega lives with his wife Dr Anu Ratheesh Vega and his son Ratheesh in Thrissur . With his wife Dr. Anu Ratheesh Vega and his son Nadhin Ratheesh Vega he lives in Thrissur . 0 +Ackman sold credit default swaps against MBIA corporate debt and bought the swaps for a large profit during the financial crisis of 2008 . Ackman purchased credit default swaps against MBIA Corporate Debt and sold the swaps for a large profit during the 2008 financial crisis . 0 +Both Phasael and Antipater began their careers under their father , Herod , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . Phasael and Antipater began their careers under their father Herod , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . 1 +The museum operated the locomotive and leased the North Shore Scenic Railroad # 2719 through its subsidiary . The museum leased the locomotive and operated the North Shore Scenic Railroad through its subsidiary # 2719 . 0 +Born and raised in Vancouver , British Columbia , Canada , he has died in Aylesbury , Saskatchewan , Canada . Born and raised in Aylesbury , Saskatchewan , Canada , he died in Vancouver , British Columbia , Canada . 0 +Eastside is a former settlement in Holtville . It was located north of Imperial County , California . Eastside is a former settlement located in Holtville , north of Imperial County , California . 1 +Its editor was William Johnson Fox and its owner was James Harmer , a London alderman . Its editor was William Johnson Fox , and its owner was James Harmer , a London sweater . 0 +We believe that Jesus Christ was born of the Holy Ghost and received by the Virgin Mary , and is true God and true man . We believe that Jesus Christ received by the Holy Spirit and was born of the Virgin Mary , and is true God and true man . 0 +During or after his Indian campaigns , Eucratides was attacked and defeated by the Parthian king Mithridates I , possibly in alliance with partisans of the Euthydemids : During or after his Indian campaigns , Eucratides was attacked and defeated by the Parther King Mithridates I , possibly in alliance with partisans of the Euthydemids : 1 +A codice 1 can not be deleted because its copy constructor and assignment operators are explicitly copied . Codice 1 can not be deleted because its copy constructor and its assignment operators are explicitly copied . 1 +Cafarlet is a fortress built in the village of Kafr Lam , located in the 8th or 9th century . Cafarlet is a fortress that was located in the village of Kafr Lam , built in the 8th or 9th century . 0 +Chris Egan ( Nick Smith ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different scratches . Chris Egan ( Nick Smith ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . 1 +Today Galesburg-Augusta consists of community schools from a primary school and a high school in Galesburg and a high school in Augusta . Today , Galesburg-Augusta Community Schools consists of a primary school and a high school in Galesburg and a middle school in Augusta . 1 +The system , originally designed and manufactured by Avaya , was manufactured by Nortel from 2009 until 2017 . The system , originally designed and manufactured by Nortel , was manufactured by Avaya from 2009 to 2017 . 0 +The Bohotin River is a tributary of the Bazga River in Romania . The river Bazga is a tributary of the Bohotin River in Romania . 0 +In 1971 , he was again divorced to marry Martine Leroy , with whom he had a daughter , Coralie Legrand . In 1971 , he divorced again to marry Coralie Legrand , with whom he had a daughter , Martine Leroy . 0 +Soon , however , Li Longji was overthrown in a coup led by Emperor Zhongzong 's sister , Princess Taiping , and his nephew Linzi , the prince of Empress Wei . Soon , though , Empress Wei was overthrown in a coup led by Emperor Zhongzong 's sister Princess Taiping and his nephew Li Longji the Prince of Linzi . 0 +Hamilcar had to send part of his army back to Carthage to reinforce Libya . Hamilcar had to send a part of his army back to Libya to reinforce Carthage . 0 +On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Kris Russell . He joined his brother Michael Blunden with the Blue Jackets organization . On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the organization Blue Jackets . 1 +"Davey refers to Collins in his "" Hells Gates "" book ." "Collins refers to Davey in his book "" Hells Gates "" ." 0 +In Caringbah there are three secondary schools and a number of primary schools . There are three elementary schools in Caringbah and a number of secondary schools . 0 +The town is part of the Fourth Bristol state representative district , including Seekonk and parts of Swansea and Norton . The city is part of the Fourth Swansea State Representative District , including Seekonk and parts of Bristol and Norton . 0 +In August 1927 , shortly after her engagement to the Berlin jurist and later Hamburg senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . In August 1927 , shortly after her commitment to the Hamburg lawyer and later Berlin senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . 0 +The text of the Kanuni , often contested and with many different interpretations which significantly evolved since 15th century , was only named after Dukagjini . The Kanuni text , often controversial and with many different interpretations , which have evolved significantly since the 15th century , was named only after Dukagjini . 1 +He is best known for illustrating some books by Gerald Durrell , and covers for books by Edgar Rice Burroughs . He is best known for presenting some books by Gerald Durrell and covers for Edgar Rice Burroughs ' books . 1 +In 2012 , the airline carried 57,500 passengers per month to 15 domestic flights and 90,000 passengers on international routes ( about 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers to 15 international destinations and 90,000 passengers on domestic routes per month ( apx . 1.77 million passengers per year ) . 0 +Most of his work was carried out on domestic buildings , but he also designed churches , public and commercial buildings . Most of his work was carried out on domestic buildings , but he also designed churches , and public and commercial buildings . 1 +Once the indigenous peoples had become indigenous , they would cease to be French . Once the indigenous people had become French , they would cease to be indigenous . 0 +Currently HomeAdvisor employs a chief economist , Brad Hunter , and a Smart Home Strategist and Home Expert , Dan DiClerico . Currently HomeAdvisor employs a Chief Economist , Dan DiClerico , and a Smart Home Strategist and Home Expert , Brad Hunter . 0 +The River Milotina is a tributary of the Vânăta River in Romania . The Milotina River is a tributary of the Vânăta River in Romania . 1 +Ranger was a cheerful rococo painter , whose characters were gently painted in graceful positions with optimism and classic colors . Ranger was a classic Rococo painter whose characters were softly painted in graceful positions with optimism and cheerful colors . 0 +Germar Rudolf , also known as Germar Scheerer , was born on 29 October 1964 , is a German chemist and convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . 1 +The R335 is a regional route in Somerset East , which links Port Elizabeth from the south to South Africa via Addo to the north . The R335 is a regional road in South Africa that connects Port Elizabeth to the south via Addo with Somerset East to the north . 0 +When maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . When toxic concentrations are reached , there may be a delay of one or two days before a maximum toxicity occurs . 0 +Due to Agha Mohammad Khan 's castration , his brother Hossein Qoli Khan was appointed as the new chieftain of the Qoyunlu instead . Due to the castration of Hossein Qoli Khan , his brother Agha Mohammad Khan was appointed Qoyunlu 's new chieftain . 0 +It was developed by Monster Games and was published by Hasbro Interactive . It was published by Monster Games and developed by Hasbro Interactive . 0 +Birleffi was of Italian descent and Roman - Catholic in a predominantly Protestant state . Birleffi was of Italian ethnicity and Roman Catholic in a predominantly Protestant state . 1 +For decades there was rivalry between Herbert Rhodes , his friend Edward Partington , and the Woods and Sidebottoms . For decades , there has been rivalry between Herbert Rhodes , his friend Edward Partington , and the Woods and Sidebottoms . 1 +After conferences between Leonard and Griffith in New York , Griffith flew to Los Angeles and filmed the consequences . After conferences between Leonard and Griffith in New York , Griffith flew to Los Angeles and filmed the episode . 0 +The river Eliseni or Hidecut is a tributary of the river Vidăcut in Romania . The river Vidăcut or Hidecut is a tributary of the Eliseni River , in Romania 0 +These puppets had covered their English or German names with a sticker with the Spanish name or sometimes nothing at all . These dolls had their English or German names covered by a sticker with the Spanish name or sometimes nothing at all . 1 +Prosipho pellitus is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Prosipho pellitus is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries in 1926 to join the United Alkali Company . It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and United Alkali Company to form Imperial Chemical Industries . 0 +It has been praised for its serious tone , psychological intensity , and handling of mature themes . It has been praised for its serious tone , psychological intensity and handling of mature topics . 1 +Schützen-Eisenberg is a municipality in the district of Oberwart in Austria in Burgenland . Deutsch Schützen-Eisenberg is a municipality in Burgenland in the district of Oberwart in Austria . 1 +After the death of her grandfather and her grandmother 's struggle with alcoholism , Mary met and married Tyrone Proctor , Together they moved to Tallahassee , Florida . After the death of her grandfather and her grandmother 's struggle with alcoholism , Mary Tyrone Proctor met and married them , together they moved to Tallahassee , Florida . 0 +As a secretary of the archbishop of Split he went to Hungary , and in 1503 through Zagreb to Venice . He went to Hungary as Secretary of the Archbishop of Split , and in 1503 via Zagreb to Venice . 1 +Canada is represented in Cambodia by its UN mission in New York City . Cambodia is represented in Canada through its UN mission in New York City . 0 +This was more common in urban Australia , but has been common in regional Australia and southern Australia for decades . This was more common in urban Australia but has been in common usage in regional Australia and South Australia for decades . 1 +MacMahon formula is the multiplicative formula for general values of formula _ 30 : The formula of MacMahon is the general formula for multiplicative values of Formula 30 : 0 +Peter Johannes Maag ( May 10 , 1919 -- April 16 , 2001 ) was a Swiss conductor . Peter Maag ( Ernst Peter Johannes Maag ) ( 10 May 1919 - 16 April 2001 ) was a Swiss conductor . 1 +There are direct trains from Kolkata to Agra , most of them pass through Agra Fort Railway Station , which is a 40-minute drive from Tundla Junction . There are direct trains from Kolkata to Agra , most of them driving through Agra Fort Railway Station , which is a 40-minute drive from Tundla Junction . 1 +In early 1972 , the FCC allocated the frequency to Willimantic , making 98.3 the only FM in Windham County . In early 1972 , the FCC ordered the frequency to Windham County , making 98.3 the only FM in Willimantic . 0 +When Kone returned to Finland in 1928 , he initially worked as a designer for the company of his father Herlin . When Kone returned to Finland in 1928 , he initially worked as a designer for Herlin , his father 's company . 1 +"It was originally placed by Alphonse Pyrame de Candolle in 1844 and was published and described in its own section , "" Stylotheca "" ." "It was originally published and described by Alphonse Pyrame de Candolle in 1844 and placed in its own section , "" Stylotheca "" ." 0 +""" Yeh Hai Mumbai Meri Jaan "" is a love story between Saif Ali Khan and Twinkle Khanna while Akshay Anand is the spoiler ." """ Yeh Hai Mumbai Meri Jaan "" is a love story between Akshay Anand , while Saif Ali Khan and Twinkle Khanna are the spoiler ." 0 +"About the song Billboard wrote : "" You catch the beat , now you know the groove ." "About the song Billboard wrote : "" You know the beat , now you catch the groove ." 0 +Synaptic clustering refers to the addition of new spines in a dendritic area , where other spines have been added by previous learning . Synaptic clustering refers to the addition of Dendritic spines to a new area where other spines have been added through previous learning . 0 +Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent light theory in the world . Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent light theory in the world . 0 +Riverside is located in the 7th Congressional District and is part of the 3rd state of New Jersey 's Legislative District . Riverside is located in the 3rd Congressional District and is part of New Jersey 's 7th state legislative district . 0 +Redundant communication is replicated with supported data on both channels . With supported data on both channels , redundant communication is replicated . 1 +Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson in July 1993 . Notes by Big Sur is an album by jazz saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . 0 +Under the direction of George D. Widener , the current 16th Street Clubhouse was built by the architect Horace Trumbauer . The current 16th Street Clubhouse was built under the direction of Horace Trumbauer by the architect George D. Widener . 0 +National Bolshevism ( Nazbol ) as a political movement combines elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . As a political movement , national Bolshevism ( Nazbol ) brings together elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . 0 +The result was a victory for Labour - candidate Patrick Gordon Walker , who comfortably held the seat with a slightly higher majority with a slightly reduced turnout . The result was a victory for the Labour candidate Patrick Gordon Walker , who held the seat comfortably with a slightly reduced majority on a slightly increased turnout . 0 +The five elected candidates were Bahrain , Brazil , Gabon , Gambia and Slovenia . The five elected candidates became Slovenia , Brazil , Gabon , Gambia and Bahrain . 1 +Kuzmice is a village and municipality in the Trebišov District in the Košice Region of eastern Slovakia . Kuzmice is a village and municipality in the region of Košice in the district of Trebišov in eastern Slovakia . 0 +Born in 1799 in Kingston , Toronto , he grew up in York . He was born in York ( Toronto ) in 1799 and grew up in Kingston . 0 +He is the brother of Roshan Khan , second cousin of Hashim Khan and Azam Khan , and the uncle of Jahangir Khan and Torsam Khan . He is the brother of Roshan Khan , second cousin of Hashim Khan and Azam Khan and uncle of Jahangir Khan and Torsam Khan . 1 +This version of Robert Hammond is a xenobiology professor , an old friend of Hal Jordan and the son of United States senator Hector Hammond . This version of Hector Hammond is a xenobiology - professor , an old friend of Hal Jordan and the son of US senator Robert Hammond . 0 +In New Media projects , this is reversed according to Manovich . The paradigmatic database is tangible , while the syntagmatic narrative is virtual . According to Inovas projects , this is reversed in Manovich : the paradigmatic database is tangible , the syntagmatic narrative is virtual . 0 +Suzuki Beane is a humor book written in 1961 by Louise Fitzhugh and illustrated by Sandra Scoppettone . Suzuki Beane is a humorous book , written by Louise Fitzhugh in 1961 and illustrated by Sandra Scoppettone . 1 +Margarites giganteus , common name the marine margarite , is a species of sea snail , a giant gastropod mollusk in the family Margaritidae . Margarites giganteus , common name of the marine margarite , is a species of sea snail , a huge gastropod mollusk in the Margaritidae family . 1 +In codice 5 the second file is codice 8 and in codice 4 the second file is codice 10 . In codice 4 is the second file codice 8 and codice 5 is the second file codice 10 . 0 +Relatively small , it had a circular , wooden wall and a strong gatehouse as well as watchtowers . Relatively small , it had a round wooden wall and a strong gatehouse as well as watchtowers . 1 +The Ati are a Negrito ethnic group in the Visayas , the central portion of the Philippine archipelago . The Ati are a central group in the Visayas , the ethnic part of the Philippine archipelago of Negrito . 0 +The Nordiques opened the 1982 Stanley Cup playoffs with a best of five Adams Division quarter-final series with their Battle of Quebec rivals , the Montreal Canadiens . The Nordiques opened the Stanley Cup - Playoffs in 1982 with a Best of five Adams Division quarterfinals with their rivals from Battle of Quebec , the Montreal Canadiens . 1 +Leading Creek is located at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of Middleport . Leading Creek is located along the Ohio River at the mouth of Middleport ( 38.998829 , -82.057204 ) . 1 +The port of Santa Cruz de Tenerife ( Tenerife ) has the greatest number of passengers recorded in the Canary Islands , followed by the port of Los Cristianos . The port of Los Cristianos ( Tenerife ) has the greatest number of passengers in the Canary Islands , followed by the port of Santa Cruz de Tenerife . 0 +The father of Mervyn Paice wrote a letter to Menachem Begin asking him to spare his son 's life . The father of Mervyn Paice wrote a letter to Menachem Begin and asked him to spare his son 's life . 1 +In September 2004 , NL Industries completed the acquisition of 68 % of CompX International at $ 168.6 million . In September 2004 , CompX International completed the acquisition of 68 % of NL Industries for $ 168.6 million . 0 +He was among the leaders in inherited runners stranded with 51 . He was stranded by 51 among the leaders in inherited runners . 1 +In her fake confession , Marley admitted she had slept with Jake and Donna turned her back on her mother . In her fake confession , Marley admitted that she had slept with Jake , and Donna turned her back on her mother . 1 +Ortacami is a village connected to the Giresun district in the province of Tirebolu . Ortacami is a village connected to the Tirebolu district in the province of Giresun . 0 +The function of the cumulative distribution ( cdf ) of the standard distribution is : The cumulative distribution function ( cdf ) of the standard distribution is 1 +Dierker is also the first manager in the MLB story to win a division championship in 1997 in his sixth season for the Astros . Dierker is also the sixth manager in the MLB story to win a Championship division in his first season for the Astros in 1997 . 0 +In the Indian Premier League in 2015 , Ashish Reddy was retained by the Sunrisers Hyderabad and took Darren Sammy Wicket against RCB in the game . In the 2015 Sunrisers Hyderabad , Ashish Reddy was retained by the Indian Premier League and took Darren Sammy 's wicket in the match against RCB . 0 +The river Zăbrătău is a tributary of the River Bota Mare in Romania . The river Bota Mare is a tributary of the Zăbrătău River in Romania . 0 +On October 11 , 2007 , Naito defeated Daiki cameda by unanimous decision for the first defense of his WBC and lineal title . On October 11 , 2007 , Daiki cameda defeated Naito by unanimous decision for the first defense of his WBC and linear titles . 0 +On October 11 , 2007 , Naito defeated Daiki Kameda by unanimous decision for the first defense of his WBC and lineal titles . On October 11 , 2007 , Naito Daiki cameda defeated by unanimous decision for the first defense of his WBC and linear titles . 0 +On March 31 , 1958 , Daley , together with Gene Woodling and Dick Williams , was traded at the Baltimore Orioles for Larry Doby and Don Ferrarese . On March 31 , 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . 0 +In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to Gaming Corporation . In October 2006 , Gaming Corporation changed its name to Media Corporation , and sold Casino.co.uk to CryptoLogic for £3.6m in cash in August 2007 . 0 +The manuscript was added by Gregor ( number 252 ) and Scrivener ( number 223 ) to the list of manuscripts of the New Testament . The manuscript was added to the list of New Testament manuscripts by Gregory ( number 252 ) and Scrivener ( number 223 ) . 1 +In 2017 Feltri said that Asia Argento should be thankful that Harvey Weinstein had raped her . In 2017 , Feltri said that Asia should be grateful for Argento that Harvey Weinstein had raped her . 0 +"He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" , with the first mention mistakenly calling his father James Hinton ." "He is mentioned twice in James Hinton 's novel "" Moonchild "" . The first mention mistakenly names his father , Aleister Crowley ." 0 +After graduating from high school in Iowa , she attended Ringling College of Art in Sarasota , Florida . After graduating from high school in Iowa , she attended the Ringling College of Art in Sarasota , Florida . 1 +Despite its name , Red Lake County contains only a named lake : Moran Lake , near Huot . Despite its name , Moran Lake contains only one named lake : Red Lake County , near Huot . 0 +Hector Pieterson was buried with Hastings Ndlovu at Avalon Cemetery in Johannesburg . Hector Pieterson was buried together with Hastings Ndlovu at the Avalon Cemetery in Johannesburg . 1 +The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa located near the border to Botswana . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is close to the border to South Africa . 0 +There are medical and pharmaceutical facilities , the provincial B.J . Vorster Hospital , a public library and a Lutheran mission monument in or near Kareedouw . There are medical and pharmaceutical facilities , the provincial B.J . Vorster Hospital , a public library , and a Lutheran Missionary Monument at or near Kareedouw . 1 +See also list of finite abelian groups for small groups of order 30 or less . See also a list of small groups for finite Abelian groups of order 30 or less . 0 +Christian A. R. Christensen ( December 17 , 1906 - January 27 , 1967 ) was an Norwegian newspaper editor . Norwegian A. R. Christensen ( 17 December 1906 -- 27 January 1967 ) was a Christian newspaper editor . 0 +Damage was particularly heavy in La Paz , Triunfor , San Antonio , San Bartolo , Cabo San Lucas , San José del Cabo , and Miraflores . The damage in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo and Cabo San Lucas was particularly difficult . 1 +In 2005 , Tyrone Gabriel left the group and Cassius replaced him . In 2005 Tyrone Gabriel left the group ; Cassius replaced him . 1 +The Cartal River is a tributary of the River Casimcea in Romania . The river Casimcea is a tributary of the River Cartal in Romania . 0 +In November 2005 , Mitchell sold the weekly magazine to Robert Israel Plotkin of Bolinas , California . In November 2005 , Mitchell sold the weekly to Robert Israel Plotkin of Bolinas , California . 0 +Similarly , in distributed shared memory each node of a cluster has access to a large shared memory in addition to each node 's limited non-shared private memory . Similarly , each node in a cluster has access to large shared memory in a distributed shared memory , in addition to the limited , unshared private memory of each node . 1 +The society promoted Lithuanian culture , protected Catholic faith , and supported women 's virtues . Society promoted Lithuanian culture , supported Catholic faith and protected the virtues of women . 0 +In September 1994 , Anton Anton married Lesley Gray . Lesley Gray married Anton in September 1994 . 1 +"This is a list of the second football transfers for "" 2013 Malaysian transfer window "" ." "This is a list of Malaysian football transfers for the "" 2013 second transfer window "" ." 0 +Richland Township governs a 2nd Class Township and is with a Home Rule Charter . Richland Township is a second class township and governs with a Home Rule Charter . 0 +As Aaron and Robert 's Subaru approaches , Emma tries to warn them but Aaron crashes his car into the lake with Lachlan in the boot . When Subaru approaches from Aaron and Robert , Lachlan tries to warn them , but Aaron crashes his car with Emma in the boot into the lake . 0 +"He is also the second cousin of Georgina Hagen that played Lauren Waters in "" Britannia High "" ." "He is also the second cousin of Lauren Waters who has played Georgina Hagen in "" Britannia High "" ." 0 +""" Sound In The Signals "" congratulated the new style on the album , but criticized Dubuc 's vocal ability ." """ Sound In The Signals "" complimented the new style found on the album , but criticized Dubuc 's vocal ability ." 1 +Careful examination of the actual pieces will show that many G-marked rifles had found features on K-marked rifles and vice versa . Careful study of actual pieces will show that many G-found rifles had features marked on K-marked rifles and vice versa . 0 +In November 1957 , the United Federal Party merged with the Federal Party to the United Rhodesia Party . In November 1957 the Federal Party merged with the United Rhodesia Party to form the United Federal Party . 0 +"In a letter to his friend Cicero stationed in Gaul , Testa jokingly refers to "" andabata "" ." "Trebatius Testa jokingly refers to "" andabata "" , in a letter to his friend Cicero , who was stationed in Gaul ." 1 +There are no stops in Bridgewater , but there are bus stops in West Bridgewater and the Campello section of Brockton . There are no stops in Bridgewater , but there are stops in West Bridgewater and the Campello section of Brockton . 1 +Brookline was part of Pill Hill in 1844 when Boston annexed it . Brookline became part of Pill Hill in 1844 , when it was annexed from Boston . 1 +The first thing in racing that you learn is to finish a race , first you have to win . The first thing you learn in racing is to win a race , first you have to end . 0 +From 1976 to 1979 , he also worked as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he moved to NBC . He was also employed by CBS Sports as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to NBC . 1 +The Georgian government protested against the allegedly increasing Russian economic and political presence in the region and against the uncontrolled military of the South Ossetian side . The Georgian Government protested against the supposedly increasing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . 1 +Members of the House are elected to their positions by members of their House Council . Members of the House of Representatives are elected to their positions by members of their house . 1 +Ponti played guitars and keyboards on the album , with the help of bassist Pat Schick , keyboard player Guy Daniel and drummer Camus Celli . With the help of bassist Camus Celli , keyboarder Guy Daniel and drummer Pat Schick , guitars and keyboards played on the album . 0 +Philosophy is seen instead as an activity of defining and clarifying the empirical relationships of logical rates . Instead , philosophy is seen as an activity of defining and clarifying the empirical relationships of logical propositions . 1 +When they are both discovered by Janeece , their titles are taken away from Kim Campbell 's disappointment as house captains . When they are both discovered by Kim Campbell their titles as house captains are taken away much to Janeece 's disappointment . 0 +In the original IBM - PC , an NMI was detected when a parity error in the system memory was reported or triggered by an external device . In the original IBM - PC , an NMI was triggered when a parity error in the system 's memory was detected or reported by an external device . 0 +Bob escapes with the help of Daniel 's brother Jack Shaftoe , whose infantry unit is stationed there . With the help of Jack Shaftoe 's brother Bob , whose infantry unit is stationed there , Daniel flees . 0 +This type can be found in the Atlantic and in the Gulf of Mexico , in the Caribbean from South Carolina to Brazil . This species can be found in the Atlantic Ocean and in the Gulf of Mexico ; in the Caribbean Sea from South Carolina to Brazil . 1 +He studied in Regensburg , then in Munich , where Joseph Haas was among his teachers , and in Berlin where in 1925 he gained a Ph.D.. He studied in Regensburg , then in Munich , where Joseph Haas was among his teachers , and in Berlin , where he received a doctorate in 1925 . 1 +Without a big attacker , Garzelli was very constant and could go on a good day with the best climbers . Without being a constant attacker , Garzelli was very good and on a great day , he could go with the best climbers . 0 +In addition to her own dowry , Katherine brought her new husband the station of her daughter , Cecily , who had six children , together with William Hastings and Katherine : In addition to her own dowry , Cecily brought the wardship of her daughter Katherine to her new husband . Together William Hastings and Katherine had six children : 0 +In December 1883 he moved for two years to Los Angeles and then to Fresno . In December 1883 , he moved to Los Angeles and then Fresno for two years . 1 +Bynum , born in 1975 in Boston , grew up in Baltimore . Bynum was born in Baltimore in 1975 , and grew up in Boston . 0 +During the competition , they lost 50-25 to Tanzania , 84-16 to South Africa , 58-24 to Zimbabwe . They lost 50-25 to Zimbabwe during the competition , 84-16 to Tanzania , 58-24 to South Africa . 0 +The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer - was set on 27 October 1659 . The date set for the executions of the three Quaker evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson , was 27 October 1659 . 1 +The idea was crystallized and further supported by Jonas Basanavičius , Jonas Šliūpas , and others . The idea was supported and further crystalized by Jonas Basanavičius , Jonas Šliūpas and others . 0 +Susannah Louisa Barnett married Lorenzo Giuntini on 11 September 1866 in Frome , Somerset and had 8 children . Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on 11 September 1866 and got 8 children . 1 +It received condemnation from Indian politicians and various Internet users . It has received condemnation from Indian politicians and from various Internet users . 1 +Stone Quarry - Hill is a mountain in the central New York region of New York and is located in the northwest of East Worcester , New York . Stone Quarry Hill is a mountain in the New York region of Central New York . It is located northwest of East Worcester , New York . 0 +Carl Ravell ( July 21 , 1910 - July 28 , 1968 ) , also known professionally as Carl Ravazza , was an American violinist , singer and bandleader . Carl Ravell ( July 21 , 1910 -- July 28 , 1968 ) , also known professionally as Carl Ravazza , was an American violinist , vocalist and bandleader . 1 +In 2009 , the third Rapid Ride , the 777 Green Line , started from downtown to Tramway Boulevard . In 2009 , the third Rapid Ride , the 777 Green Line , started service from Downtown to Tramway Boulevard . 1 +Schedules were published in the South China Morning Post , The Standard and in other daily Hong Kong newspapers , including Chinese newspapers . Schedules were published in the South China Morning Post , in the standard and in Chinese Hong Kong newspapers , including other daily newspapers . 0 +He was educated at Brunswick House , a preparatory school in Folkestone , and then moved to the Sutherland House , a similar school in Hove . He was educated at Brunswick House , a preparatory school in Hove and then moved to Sutherland House , a similar school in Folkestone . 0 +Pepsi Next was launched in March 2013 in Finland and Canada and in France in March 2014 . Pepsi Next was established in March 2013 in France and in March 2014 in Finland and Canada . 0 +"This is the Zomi traditional dresses . The male dress are "" Puan Laisan "" and the female dress are "" Puandum """ "This is the traditional dress of Zomi , the male dresses are "" Puan Laisan "" and the female clothes are "" Puandum "" ." 1 +Helicigona trizona is a species of small air-breathing land snail , a terrestrial gastropod mollusk in the family Helicidae , the true snails . Helicigona trizona is a species of small air-breathable snail , a terrestrial gastropod mollusk in the Helicidae family , the true snails . 1 +The 1935 Chico State Wildcats football team represents Chico State College during the College - Football - Season 1935 . The 1935 Chico State College football team represented Chico State Wildcats during the 1935 college football season . 0 +It is located at 142 South Rexford Drive in Beverly Hills . It stands opposite the First Church of Christ , Scientist , Beverly Hills , California . It is located at 142 South Rexford Drive in Beverly Hills , opposite the First Church of Christ , Scientists , Beverly Hills , California . 1 +She married Uri Ilan and in 1935 gave birth to her first firstborn , Shlomo Ilan . She married Shlomo Ilan and gave birth to her first first born , Uri Ilan in 1935 . 0 +"Owen believed that his utopian community would create a "" social environment , based on his ideals of superior social , intellectual , and physical reform ." "Owen believed his utopian community would create a "" superior social , intellectual and physical environment "" based on his ideals of social reform ." 0 +It is native to much of East Asia , from India to Indonesia to Japan . It is native to much of eastern Asia , from India to Indonesia to Japan . 1 +After the plastic has cooled sufficiently , the mold is opened and the part is ejected . After the plastic has sufficiently cooled , the tool is opened and the part is ejected . 1 +It is found by Alpheus Spring Packard in 1874 and is described in North America . It was found by Alpheus Spring Packard in 1874 and is described in North America . 1 +It is bordered to the northeast by Napier Township , to the east by Harrison Township , and to the south by Londonderry Township . It is bounded to the northeast by Napier Township , to the east by Harrison Township and to the south by Londonderry Township . 1 +Samuel Groth won the tournament after defeating Danai Udomchoke with 7 : 6 , 6 : 3 in the final . Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . 0 +In the late 1920s , she was researcher at Illinois State University in America and later at Radcliffe College and McGill University . In the late 1920 's she was a researcher in America at McGill University and later Radcliffe College and Illinois State University . 0 +Nearby places include Jacobson , Swan River , Libby , and Palisade . Ball Bluff is 10 miles north of Swan River , and 26 miles south of McGregor . Nearby places include Jacobson , Swan River , Libby and Palisade , Ball Bluff is located 10 miles south of Swan River and 26 miles north of McGregor . 0 +However , some quantum mechanical predictions of multi-system measurement statistics on entangled quantum states can not be simulated by any local hidden variable theory . However , some multi-system predictions of variable measurement statistics on negligible quantum mechanical states can not be simulated by any local hidden quantum theory . 0 +The Sonata was performed at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed at the piano . The sonata was premiered in 1919 at the Aeolian Hall , London , by Billy Reed , with Landon Ronald at the piano . 0 +The instrumental album is still exclusive to the box . The exclusive album is still box to the instrumental set . 0 +Jamie Maguire ( Aaron McCusker ) returns from prison and moves with her and jez into the pub . Jamie Maguire ( Aaron McCusker ) returns from prison and moves in the pub with her and Jez . 1 +It was rescued from oblivion by Gopal Shankar Misra who developed technique of playing and created Misrabani compositions ; his son Lalmani Misra made the repertoire universal . It was rescued by Lalmani Misra from the oblivion , the playing technique developed and Misrabani created compositions , his son Gopal Shankar Misra made the repertoire universal . 0 +"In 2014 , A. R. Rahman recorded a song at a Singapore studio for Chithra 's private album "" Raunaq "" written by Kapil Sibal ." "In 2014 , A. R. Rahman recorded a song for Chithra 's private album "" Raunaq "" in a studio in Singapore , written by Kapil Sibal ." 1 +The attempt has been made to explain the monastic Nazarites as precursors of the biblical orders addicted to the practice of ascetic discipline . The attempt has been made to explain the monastic Nazarites as forerunners of Biblical orders addicted to the practice of ascetic discipline . 1 +In February 2011 , Cenveo Corporation sold its Envelope Products business , including the Columbian Brand Envelope , to the Quality Park Envelope Products Group of MeadWestvaco . In February 2011 , MeadWestvaco sold its envelope products business , including the Colombian brand handling , to Cenveo Corporation 's Quality Park Envelope Products Group . 0 +Finally , we say that a distribution is concave if the Formula 11 is regular . Finally , we say that a distribution is concave if formula _ 11 is regular . 1 +William William Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , the son of John Franklin Armstrong and Mary W. I. Monroe . John Franklin Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of William Armstrong and Mary W. I. Monroe . 0 +Nar-Dos developed the psychological trend of Armenian critical realism displaying refined Armenian language . Nar-Dos developed the critical Armenian trend of psychological realism by displaying refined Armenian language . 0 +Cribbins wears on his hat the badge of the Parachute Regiment , in which Mott served during his National Service . In his hat , Cribbins wears the badge of the parachute regiment in which Mott served during his national service . 1 +The SR 416 was created around 1990 when the SR 438 was moved from Princeton Street to the old Silver Star Road extension and the new orientation needed a number . SR 416 was created around 1990 when SR 438 was moved from Silver Star Road to the new Princeton Street extension , and the old alignment needed a number . 0 +The resolution was signed by almost all the representatives of the Parti Bersatu Sabah ( PBS ) in Sri Gaya . The resolution has been signed by almost all PBS representatives ( Parti Bersatu Sabah ) in Sri Gaya . 1 +On 4 September , the Third French Republic was proclaimed and the Government of National Defence was established . On September 4 the Third French Republic was proclaimed and the Government of National Defence installed . 1 +Stile antico became after his move to Wawel the musical language of the main statement of Pękiels . Importantly , Stile antico became the musical language of the main statement of Pękiel after his move to Wawel . 1 +Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Lawrence County with parts of Lackawannock Township in Mercer County . In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Lawrence County with parts of the Lackawannock Township in Mercer County . 1 +He wrote the script in collaboration with Bianca Olsen , Laurie Aubanel , and Cyril Rambour . He wrote the script in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . 1 +The sixth season premiered on September 15 , 2013 , with the fifth season premiered on April 10 , 2014 . The sixth season premiered on September 15 , 2013 . The fifth season premiered on April 10 , 2014 . 1 +It is sometimes convenient to also define the purely covariant version by It is also convenient to sometimes define a purely covariant version by : 0 +Juan Carlos Ferrero won against Guillermo Cañas in the last 7-6 , 6-2 . Guillermo Cañas won against Juan Carlos Ferrero in the final with 7 : 6 , 6 : 2 . 0 +These sectors were also created when the city was divided : When the city was created , these sectors were also divided : 0 +""" R "" module is isomorphic to a direct sum of copies of "" R "" as left ( resp ." "Right ) "" R "" -module is isomorphic to a direct sum of copies of "" R "" as left ( resp ." 1 +Graham Bayne ( born August 22 , 1979 ) is a Scottish football professional who also plays with Elgin City , where he is currently Assistant Manager . Graham Bayne ( born August 22 , 1979 ) is a Scottish football professional who currently plays for Elgin City , where he is also Assistant Manager . 1 +A new drummer , Heyden Wilson , joined the band for recording this album , as did a second guitarist , Dave Traves . A new drummer , Dave Traves , joined the band for recording this album , as did a second guitarist Heyden Wilson . 0 +Another set of hidden concepts used by Mahayana Buddhists are the four hermeneutical intentions ( abhipraya ) and the four special intentions ( abhisamdhi ) . Another series of hermeneutical concepts used by Mahayana - Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . 0 +She is voiced by Kanako Hatori in the Japanese anime and by Tara Platt in the English dub . She is expressed in the Japanese anime by Tara Platt and in the English dub by Kanako Hatori . 0 +Anthimus VII responded to their request by suggesting that Konstantinos Psachos was a suitable person for this post . Patriarch Anthimus VII responded to their request by suggesting that Konstantinos Psachos was a suitable person for this post . 1 +In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as President of the City of Boston . Kevin White married Kathryn Galvin in 1956 , the daughter of William J. Galvin , who also served as a Boston City Council president . 0 +The Rebricea River is a tributary of the Cocora River in Romania . The Rebricea River is a tributary of the River Cocora in Romania . 1 +During the Vietnam War , the 104th Field Battery also served with the 12th Field Regiment -- to which the 161st Field Battery RNZA was also attached . During the Vietnam War , the 104th field battery also served with the 12th field regiment , which was also assigned to the 161th field battery RNZA . 1 +On December 17 , Marc Trestman announced that Jay Cutler of Clausen would take over the starting position of Quarterback . On December 17 , Marc Trestman announced that Jay Cutler would take over the starting quarterback position from Clausen . 1 +In early 2008 , Philip Galitzine joined ( bass / singing ) to replace Anton Kreisl ( currently a member of the band Atomic Tom ) . Philip Galitzine ( bass/vocals ) joined in early 2008 to replace Anton Kreisl ( currently a member of the band Atomic Tom ) . 1 +"Mount Sis is also a plateau which was called in Turkey "" Sis Dağı Yaylası "" ." "Mount Sis also has a plateau called in Turkey "" Sis Dağı Yaylası "" ." 1 +The Thomasville Campus is located at 2800 South Alabama Avenue The Monroeville - Campus is located at 30755 Hwy 43 South . The Thomasville campus is located at 2800 South Alabama Avenue . The Monroeville campus is located at 30755 Highway 43 South . 1 +""" Mission Santa Ynez "" , built in 2010 , was the last survivor of the over 500 T2 tankers scrapped during World War II ." """ Mission Santa Ynez "" , built in 2010 , was the last survivor of over 500 T2 tankers scrapped during the Second World War ." 1 +"Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the 16th "" tlatoani "" and the second governor of Tenochtitlan ." "Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the second "" tlatoani "" and 16th governor of Tenochtitlan ." 0 +It was shot on the set of Jesus Franco 's Count Dracula , and also stars Christopher Lee as Dracula and Herbert Lom as Van Helsing . It was filmed on the set of Herbert Lom 's count Dracula and also played Jesus Franco as Dracula and Christopher Lee as Van Helsing . 0 +William Stawell KCMG married Mary Letitia Stawell on May 14 , 1890 ( 1870 - November 3 , 1938 ) , daughter of Sir Edward . William Stawell KCMG married Mary Letitia Stawell ( 1870 -- 3 November 1938 ) , daughter of Sir Edward , on 14 May 1890 . Their children included : 0 +LEO XU Projects is a contemporary art gallery based in Shanghai , which exhibits young and international artists . LEO XU Projects is a contemporary art gallery based in Shanghai exhibiting young and international artists . 1 +Johann Rupert , the eldest son of Rupert , is now the CEO of Richemont and Chairman of Remgro . Rupert , the eldest son of Johann Rupert , is now the CEO of Richemont and Chairman of Remgro . 0 +Stephen Vizinczey suggests that Tolstoy created Tolstoy out of his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before Maria 's second birthday . Stephen Vizinczey suggests that Tolstoy created Maria from his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before the second birthday of Tolstoy . 0 +They were designed by Electric Boat and were built under subcontracts by other shipyards . They were built by Electric Boat and were designed under subcontracts by other shipyards . 0 +The ending is happy , see the historical article for the main details of Lipizzaner . The ending is happy ; see the Lipizzaner main article for the historical details . 0 +"Hugh Lawson Cansler was born in Maryville , Tennessee , in 1871 , a son of Laura Scott ( originally spelled "" Cansler "" ) and Gentzler ." "Cansler was born in 1871 in Maryville , Tennessee , the son of Hugh Lawson Cansler ( originally "" Gentzler "" ) and Laura Scott ." 0 +However , when Akeel Lynch was seven years old , Howard was murdered , which sent Akeel into mental health problems . When Howard was seven years old , however , Akeel Lynch was murdered , sending Akeel into mental health problems . 0 +Markovac is a village in the Croatia region of Slavonia , located east of Daruvar . The population is 80 ( census 2011 ) . The population is 80 ( census 2011 ) , a village in the region of Slavonia in Croatia , located east of Daruvar . 0 +Thomas was the youngest child of farmers Fred and Elizabeth Goodwill . Thomas was the youngest child of peasant Fred and Elizabeth Goodwill . 1 +Weslandia is a children 's book Newbery Medal winner Kevin Hawkes with illustrations of Paul Fleischman . Weslandia is a newbery medal winner for children , Paul Fleischman , with illustrations by Kevin Hawkes . 0 +"Reactance is defined as the imaginary part of Electrical impedance , and is "" analogous "" but not generally equal to the inverse of the susceptance ." The reactance is defined as the imaginary part of electrical impedance and is equal , but not generally analogous to reversing the susceptance . 0 +In 1916 he retired and died on September 30 , 1918 . He died in 1916 and was retired on 30 September 1918 . 0 +He followed his guru and came to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then moved to Gubbi . Followed his guru and moved to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he came to Gubbi . 0 +Hoff Township was originally called Arthur Township , for settler Abel Hoff , and was founded under the latter name in 1881 . Arthur Township was originally called Hoff Township , for settler Abel Hoff , and under the latter name was organized in 1881 . 0 +Danielle Santos Bernal 's body was found by her sister Lolly and Marian Anderson on November 4 , 2001 . Danielle Santos Bernals Body was found on 4 November 2001 by her sister Lolly and Marian Anderson . 1 +The PIN used to generate a PVV can be generated randomly or selected by the user or even derived by using the IBM method . The PIN used to generate a PVV can be randomly selected or generated by the user , or even derived using the IBM method . 0 +Later he became local councils there and took most of the rulers of the north . He later took local councils and became the most rulers of the north . 0 +Bokakhat is part of Kaliabor ( constituency of Lok Sabha ) . Bokakhat is part of Kaliabor ( Lok Sabha constituency ) . 1 +Stephen Johnson ( missionary ) and Samuel Munson went to Bangkok and Sumatra . Stephen Samuel Munson ( missionary ) and Stephen Johnson went to Bangkok and Sumatra . 0 +In Australia , and its state of New South Wales water caltrop has been declared a noxious weed . In New South Wales and its state of Australia , water has been declared Caltrop as a harmful weed . 0 +Although born in Fall River , Massachusetts , Gonsalves grew up in Portsmouth , Rhode Island . Although Gonsalves was born in Portsmouth , Rhode Island , he grew up in the River Fall , Massachusetts . 0 +The species was discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . The species was named and described in 2013 and discovered in 2015 by Samuel P. Iglésias and Lou Frotté . 0 +In addition to Michael Boddicker and Patrick Moraz , the album includes musical contributions by Diana Hubbard , John Goodsall , Chick Corea , Stanley Clarke . The album includes Diana Hubbard , musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker and Patrick Moraz . 0 +The majority of modern Coatham is a Victorian housing , mostly built at its northern tip by the Coatham Hotel in 1860 . The majority of Victorian Coatham is modern housing , most notably at its northern tip by the Coatham Hotel built in 1860 . 0 +On 2 February 2009 , the Brazilian striker , in agreement with the French national team , terminated his contract with Sochaux . On 2 February 2009 , the French striker , in consultation with the Brazilian team , terminated his contract with Sochaux . 0 +Son of Robert Gueudet and Arlette ( nee Vigot ) , married to Monique Trogneux , whose sister Brigitte Trogneux is married to Emmanuel Macron , the president of France . Son of Robert Gueudet and Arlette ( née Vigot ) . Married to Monique Trogneux whose sister Brigitte Trogneux is married to President of France Emmanuel Macron . 1 +The association of the human eye with mirrors was so strong that stylized eyes in the Teotihuacan art were often used as a substitute for the face of a mirror . The association of the stylised eye with mirrors was so strong that human eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . 0 +Jones also served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( later WJPC ) in Chicago . He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( later WJPC ) in Chicago . 1 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors , together with Edward , are poisoned ." "In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , some of Edward 's ancestors , along with Byron , are poisoned ." 0 +Coxeter defines anti-unitary groups with other constructions , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines other groups with anti-unitary constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . 0 +"McClain was one of the pioneers in introducing "" ragtime minstrelsy "" , which opened up a wider range of styles on the eve of the vaudevillized era ." "McClain was one of the pioneers in introducing "" vaudevillized minstrelsy "" , which opened up a wider range of styles on the eve of the Ragtime era ." 0 +When Brian was only two months out of the police school , his friend Roman Pearce was caught in a garage with eight stolen vehicles . When Roman Pearce was only two months out of the Police Academy , his friend Brian was caught in a garage with eight stolen vehicles . 0 +This was a limited release -- only 300 black vinyl and 200 red vinyl copies were issued . This was a limited release -- only 300 red vinyl copies and 200 black vinyl copies were issued . 0 +Drummond and Smith College , a residential college within the University of New England ( Australia ) , is currently closed to new residents . Drummond and Smith College , a new college within the University of New England ( Australia ) , is currently closed for residential residents . 0 +It leaves a good film with short drying time and firm transparent adhesion and flexibility on all metal surfaces , rubber and plastic parts . It leaves a permanent transparent film with short drying time and good liability and flexibility on all metal surfaces , rubber and plastic parts . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of commercial and industrial areas . Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of industrial and commercial areas . 1 +"The "" Ruby Cup "" of "" Molod Ukrayiny "" newspaper ( for the most scored goals ) was received by SKA Kiev ." "The "" Ruby Cup "" of the newspaper "" Molod Ukrayiny "" ( for most goals ) was received from SKA Kiev ." 0 +In 2013 was the highest teenager - birth rate in Wyoming and the lowest in Alabama . In 2013 , the highest teenage birth rate was in Wyoming , and the lowest in Alabama . 1 +Kaypakkaya also adopted the position that there is a national question with the Kurdish people . Kaypakkaya also took the position that there is a national question involved with the Kurdish people . 1 +It is a monotypical genus containing the single species Ripexicium spinuliferum , found in the Solomon Islands . It is a monotypic genus , containing the single species Ripexicium spinuliferum , found in the Solomon Islands . 1 +Paavo Mikkonen ( born 25 January 1942 ) is a former Finnish sports shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former sports shooter . 1 +Sigmatel was sold to Freescale Semiconductor later . Freescale 's semiconductor was later sold to Sigmatel . 0 +Jagjit Singh also named Ghoshal as her inspiration to hold songs in the genre of Ghazal . Ghoshal has also named Jagjit Singh as her inspiration to perform songs in the genre of Ghazal . 0 +He married Agnes Theodora Walther , the daughter of Vagn Petersson , in 1881 and his son is the botanist and sketch artist Vilhelm Theodor Walther . In 1881 , he married Agnes Theodora Walther , daughter of Vilhelm Theodor Walther , and his son is the botanist and draftsman Vagn Petersson . 0 +In 1883 , the first schools were built in the vicinity for 400 white and 60 black students . In 1883 the first schools in the area were built for 400 black and 60 white students . 0 +Cranoe is a civil village and small parish in the Harborough district of Leicestershire , England . Cranoe is a civil village and small municipality in the district of Harborough of Leicestershire , England . 1 +Steve Johnson won the title and defeated David Ferrer in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . David Ferrer won the title , defeating Steve Johnson in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . 0 +Cobian Backup is a free , written backup software for Microsoft Windows , supported by Luis Cobian of Umeå University in Delphi . Cobian Backup was a free , donation-written backup software for Microsoft Windows . It is supported in Delphi by Luis Cobian of Umeå University . 1 +Back in England , Benny Sharkey beat Sonny Lee before suffering only the fifth defeat of his career when he was disqualified against Watson for a low blow . Back in England , Watson beat Benny Sharkey before he suffered just the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . 0 +In 2009 , he joined the Professional Arena Soccer League of San Diego Sockers . In 2009 , he joined the Professional Arena Soccer League of the San Diego Sockers . 1 +Miller was raised in the outskirt mountains of Santa Barbara , California for some time , before settling down in Tijuana , Mexico . For some time , Miller Miller was raised in the mountains of Tijuana , Mexico , before settling in Santa Barbara , California . 0 +Kumutrampatti is a small village near Madurai District ( Gateway to Kottampatti ) in Tamil Nadu . Kumutrampatti is a small village near Kottampatti ( gateway to the Madurai District ) in Tamil Nadu . 0 +Mr. Jones had been selected for Mr. Morel for a job in Seychelles . Mr. Morel had been selected for a job in Seychelles working for Mr. Jones . 0 +Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His successor Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on May 30 , 2009 , and his replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just human action , but social action . For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just social action , but human action . 0 +The scenes in the marshes were also shot in Kent , at Riverside Country Park in Gillingham . The scenes in the marshes were also shot in Gillingham at the Riverside Country Park in Kent . 0 +Vidyanandana , Shri Suryavarmadeva , or Suryavarman , was a Cham prince in Cambodia , who in 1182 put down a revolt that broke out at Malyang against Jayavarman VII . Vidyanandana , Shri Suryavarmadeva , or Cham , was a Suryavarman prince in Cambodia , who broke down a revolt in 1182 that erupted in Malyang against Jayavarman VII . 0 +Director Albert Pyun , who had previously worked at Cannon , was brought on board and worked with the Tolkin script that originally started at Cannon . Albert Pyun , who had previously worked with Cannon , was brought on board and started with the Tolkin script that originally worked at Cannon . 0 +Bruno Caloi died in 1955 , and the company was directed by his son Guido until 1999 . In 1955 , Bruno Caloi died , and the company was led by his son Guido until 1999 . 1 +He began working with the AA Frisco RoughRiders of the Pacific Coast League in 2014 and was transported to the AAA Round Rock Express of the Texas League . He began playing the AA Frisco RoughRiders of the Texas League in 2014 and was appointed to the AAA Round Rock Express of the Pacific Coast League . 0 +The North Downs Way crosses Medway Valley Walk at the eastern end of the Medway Viaduct or the motorway bridge . The North Downs Way crosses the Medway Valley Walk at the eastern end of the Medway Viaduct or motorway bridge . 1 +Villanueva is one of three parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadedeva , northern Spain . Villanueva is one of three parishes ( administrative divisions ) in Ribadedeva , a municipality within the province and autonomous community of Asturias , in northern Spain . 0 +It was produced by Julian Emery , with additional production by Jim Irvin , Dominic Craik and Larry Hibbitt , and mixtures by Cenzo Townshend and Adam Noble . It was produced by Jim Irvin , Dominic Craik and Larry Hibbitt , with additional production by Julian Emery , and mixes by Cenzo Townshend and Adam Noble . 0 +By changing the number of protons , new electron capture transforms the nuclide into a double element . By changing the number of protons , the double electron capture system transforms the nuclide into a new element . 0 +There were also several animatronic characters created ... a giant goose ( Galaga ) and an animatronic head for the puppet theater Cernos . There were also several animatronic characters created ... a doll playing goose ( Galaga ) and an animatronic head for the giant Cernos . 0 +Agnes Milowka ( 23 December 1981 - 27 February 2011 ) was an underwater diver , Australian technical photographer , author , maritime archaeologist and cave explorer . Agnes Milowka ( 23 December 1981 -- 27 February 2011 ) was an underwater diver , Australian technical photographer , author , maritime archaeologist and cave explorer . 1 +Kissell was contracted by Branch Rickey in 1940 as an infielder and spent 69 years with the Cardinals Organization . Branch Rickey was signed as an infielder in 1940 by Kissell , and spent 69 years with the Cardinals organization . 0 +In 1365 Brome died in Avignon on business , with Thomas Maldon . He resigned his post in 1379 , and was in his monastery a year later . In 1365 , Brome was business with Thomas Maldon in Avignon , resigned in 1379 and died in his monastery a year later . 0 +In 2014 when Santa Anita Park closed the race was moved to Hollywood Park Racetrack . In 2014 , when Santa Anita Park was closed the race moved to Hollywood Park Racetrack . 1 +The Serb community massively left the FBiH part of Sarajevo for RS . The Serbian community massively left the FBiH - part of Sarajevo for RS . 1 +MacMahon - Formula is the multiplicative formula for the general values of Formula 30 : The formula of MacMahon is the general formula for multiplicative values of Formula 30 : 0 +"In April 2013 , when the Air Italy merger was completed , Meridiana Fly returned to its former , shorter name , "" Meridiana "" ." "In April 2013 , when the merger was completed with Air Italy , Meridiana Fly returned to its former , shorter name "" Meridiana "" ." 1 +It roughly follows I-40 from Asheville to Canton and US Route 74 , also known as the Great Smoky Mountains Expressway , from Canton to Murphy . It follows roughly I-40 from Canton to Canton and US - Route 74 , also known as the Great Smoky Mountains Expressway , from Asheville to Murphy . 0 +Born in Montreal , he received a Bachelor 's degree from Harvard University in 1945 and a Master 's degree from McGill University in 1947 . Joy was born in Montreal . He received a bachelor 's degree from Harvard University in 1945 and a master 's degree from McGill University in 1947 . 1 +Greenberg was born in 1930 in Montreal , Quebec , and has three brothers , Harvey , Sydney and Ian . Greenberg was born in Montreal , Quebec , in 1930 and has three brothers , Ian , Sydney , and Harvey . 1 +He died on August 15 , 1950 in Ixelles ( Brussels ) . He died in Brussels ( Ixelles ) on August 15 , 1950 . 1 +The eastern part of Indian Lake is township in the western Richland . The western part of Indian Lake is located in eastern Richland Township . 0 +Kürbitz is a former municipality located in the district of Vogtlandkreis in Saxony , Germany , near Plauen . Kürbitz is a former municipality in the district of Vogtlandkreis in Saxony at Plauen located near Germany . 0 +It is found by western Texas in the United States south to Mexico . It is found from western Mexico in the United States south to Texas . 0 +Billie Jean King defeated Kerry Melville , 6 -- 3 , 7 -- 5 Bill Kerry Melville Defeated Billie Jean King , 6-3 , 7-5 0 +Tokiwa Dam is a dam completed in Nagano Prefecture , Japan , in 1941 . Tokiwa Dam is a dam in the Nagano Prefecture , Japan , completed in 1941 . 1 +Maine is a center and camp for the Hog Island chapter of the National Audubon Society . Maine is a centre and camp for the Hog island chapter of national Audubon society . 1 +The Union City Police Chief is Brian Barrett , a resident of Union City , who replaced former Chief Executive Officer Richard Molinari . Union City Police Chief of Staff is Richard Molinari , a resident of Union City , who replaced former Chief Executive Brian Barrett . 0 +The 2014 bid is more compact than the 2010 project due to the elimination of the Kitzbühel , St. Johann and Ramsau venues . The 2014 offer is more compact than the 2010 project due to the disappearance of the venues Ramsau , St. Johann and Kitzbühel . 1 +The book proposes a legal reform for Switzerland that has never been realized because of political controversies . The book proposes political reform for Switzerland , which has never been realized because of legal controversies . 0 +This can be further generalized to full materials by transposing the bi-anisotropic 6 × 6 susceptibility tensor . This can be generalized by transposing the bi-anisotropes 6 × 6 - susceptibility tensor to full materials . 1 +The journalist of Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist from Il Resto del Carlino . The journalist played by Elio Germano ( Lorenzo Guadagnucci , the fictional Journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . 1 +This new heavier isotope may be stable or unstable depending on the chemical element ( radioactive ) . This heavier radioactive isotope may be new depending on the chemical element ( stable or unstable ) . 0 +In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Magnus . In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Magnus . 1 +The station was built in 1915 by the Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York line . The station was built in 1915 along the former Connecticut Valley Railroad line from New York , New Haven and Hartford Railroad . 0 +The first DVD recording of the band , filmed in March 2010 at the Y Theatre in Leicester , was released in January 2011 . The first DVD -- recording of the band , released in March 2010 at the Y Theatre in Leicester , was filmed in January 2011 . 0 +"The historical fallacy is a logical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." "The logical fallacy is a historical fallacy described in 1896 by the philosopher John Dewey in "" The Psychological Review "" ." 0 +Vladimír Železný ( born March 3 , 1945 in Samara , Czech Republic ) is a media businessman and politician in the Soviet Union . Vladimír Železný ( born 3 March 1945 in Samara , Soviet Union ) is a media businessman and politician in the Czech Republic . 0 +Rachmaninoff dedicated the work to his friend the violinist Fritz Kreisler . He wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : He devoted the work to his friend , the violinist Fritz Kreisler , who wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : 1 +The summer of 1893 spent the Czech composer Josef Jan Kovařík in Spillville , where his friend Antonín Dvořák had relatives . The Czech composer Antonín Dvořák spent summer 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . 0 +When Zac and Hannah stopped communicating , Hannah looked through her cell phone and Zac began him . When Zac and Hannah stopped communicating , Zac looked through her phone and Hannah caught him . 0 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on 17 January 1845 in Stuttgart ) . Nikolaus Friedrich von Thouret ( born Ludwigsburg , 2 June 1767 ; died Stuttgart , 17 January 1845 ) . 1 +While the RFA serves the Royal Navy fleet around the world , RFA crews are eligible for civilians and thus not for Royal Navy awards and decorations . While the RFA services the fleet of the Royal Navy around the world , RFA crews are civilians and thus not eligible for Royal Navy awards and decorations . 1 +"There was also an Australian version "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." "There was later an Australian version of "" Press Your Luck "" hosted on Seven Network by Ian Turpie from 1987 to 1988 and also produced by Grundy ." 0 +Azerbaijan has a largely non-observant country of the Shia population with a Sunni minority . Azerbaijan is a largely Sunni Shia population country with a non-observant minority . 0 +There are no stops in Bridgewater , but there are bus stops in West Bridgewater and the Campello section of Brockton . There are no stops in West Bridgewater , but there are bus stops in Bridgewater and the Campello section of Brockton . 0 +The audio companion for the digital concert was released on January 29 , 2008 as a live album on iTunes . The audio companion to the live concert was released as a digital album on iTunes on January 29 , 2008 . 0 +Colus aurariae is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks navy . Colus aurariae is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +Azem Bejta ( 1889 -- 1924 ) , commonly known as Azem Galica , was an Albanian nationalist and a rebel who fought for the unification of Kosovo with Albania . Azem Galica ( 1889 - 1924 ) , commonly known as Azem Bejta , was an Albanian nationalist and rebel who fought for the unification of Kosovo with Albania . 1 +The last possession of the Genoese in the Mediterranean , the island fort of Tunis , was lost to Tabarka in 1742 . In 1742 , the last possession of the Genoese in the Mediterranean , the island fortress of Tunis , was lost to Tabarka . 1 +The CSA attempted to play the game to accept an invitation and transfer on Garanhuns . The CSA has attempted to transfer the game to accept an invitation and play on Garanhuns . 0 +SBS migrated the voice and data traffic of most MCI customers to its terrestrial network . SBS migrated the voice and data traffic of most MCI customers to its terrestrial network . 1 +The instruments of Embergher are remarkable , not only are the richness and abundance of tone unsurpassed , but also the intonation is perfect . The instruments of Embergher are unsurpassed , not only are the richness and fullness of tone remarkable , but also the intonation is perfect . 0 +The Timiş River is a tributary of the Calova River in Romania . The river Calova is a tributary of the River Timiş in Romania . 0 +On January 1 , 1960 , the Highveld regiment was founded in Middelburg , which also stationed a Rear HQ in the town of Nelspruit . Regiment Highveld was formed in Middelburg on the 1 January 1960 , it also stationed a rear HQ in the town of Nelspruit . 1 +A synthetic instrument is a kind of virtual instrument that is purely defined by software . A virtual instrument is a kind of synthetic instrument that is defined purely by software side . 0 +Hurd Peninsula lies between Livingston Island and False Bay on the south coast of South Bay in the South Shetland Islands , Antarctica . Hurd Peninsula is located between South Bay and False Bay on the south coast of Livingston Island in the South Shetland Islands , Antarctica . 0 +The Initial H Block ( formerly Isolation Ward ) was designed by Leighton Irwin in conjunction with the first major works on the relocated hospital area . The former H block ( Initial Isolation Ward ) was designed by Leighton Irwin in conjunction with the first major works on the relocated hospital area . 0 +"The Zam River ( Hungarian : Zám-patak ) is a historical tributary of the river Mure "" in the right region of Transylvania , Romania ." The Zam River ( Hungarian : Zám-patak ) is a right tributary of the river Mureș in the historical region of Transylvania , Romania . 0 +Michael K. Denk ( or Karl Michael Denk ) is a Professor of chemistry at the University of Guelph , Ontario . Michael Karl ( or Michael K. Denk ) is a Professor of Chemistry at the University of Guelph , Ontario . 1 +The route was repaired in 2005 following heavy rainfall , but the road was not reopened , due to objections from Angeles National Forest officials . The route was repaired after heavy rainfall in 2005 , but the road was not reopened due to objections from officials of the Angeles National Forest . 1 +Eket Airstrip or Eket Airfield is an airport that serves Eket , a city in the state of Akwa Ibom of Nigeria . Eket Airstrip or Eket Airfield is an airport serving Eket , a city in the Akwa Ibom State of Nigeria . 1 +Alisa Kleybanova won against Elena Dementieva with 6 - 3 , 6 -- 2 in the final . Elena Dementieva won 6 -- 3 , 6 -- 2 against Alisa Kleybanova in the finals . 0 +Santa Rosa de Lima is a municipality in the department of Guatemala , Santa Rosa . Santa Rosa de Lima is a municipality in the Guatemala department of Santa Rosa . 1 +This inspires Commander Wally Schirra ( played by Mark Harmon ) to recite some of José Jiménez 's lines , to the great amusement of everyone at the table . This inspires Commander Mark Harmon ( played by José Jiménez ) to recite some of the lines of Wally Schirra to the great amusement of all at the table . 0 +Original members of NYL include : Hanford , Roosevelt , Merced , Visalia , Madera , Fresno and Edison . Original members of the NYL are : Fresno , Roosevelt , Merced , Visalia , Madera , Hanford and Edison . 1 +In the case of many problems , it is more convenient to work with D and total fees than with E and the free charge . In many problems , it is more convenient to work with D and the free charges than with E and the total charge . 0 +The formula _ 6 polynomials are the zonal case of the C normalization of the Jack function . The zonal polynomials are the formula - 6 - case of C - normalization of the jack function . 0 +Due to the non-commutative nature of quantum mechanics , the training process of the quantum Boltzmann machine can become nontrivial . Due to the quantum nature of quantum mechanics , the training process of the non-commutative Boltzmann machine can become non-trivial . 0 +It was designed by Little Rock architect Harold A. Berry and Dallas , Texas Architect F. Eugene Withrow in international style . It was designed by Little Rock architect Harold A. Berry and Dallas , Texas architect F. Eugene Withrow in the International style . 1 +Ogle County , Illinois is located in the Mount Morris Township . Mount Morris Township is located in the Ogle County , Illinois . 0 +Merzbach worked in Germany during the late twenties before returning to Sweden . During the late 1920s , Merzbach worked in Sweden before returning to Germany . 0 +The inner lip has a thin glaze on the body and Columella , whose union is very slightly concave . The inner lip has a thinnish glaze on the body and columella , whose union is very slightly concave . 1 +The village is within walking distance of Bristol Parkway Station and Temple Meads Station and also has direct bus links to Filton Abbey Wood Station . The village is within walking distance of Filton Abbey Wood Station and has a direct bus connection to Bristol Parkway Rail Station and Temple Meads Station . 0 +Catriona Lambert was born in Edinburgh , and grew up in North Berwick . Catriona Lambert was born in North Berwick and grew up in Edinburgh , Germany . 0 +John Patrick Lowrie plays Holmes to the Watson of first Lawrence Albert and later John Gilbert . John Patrick Lowrie plays Holmes to the Watson first Lawrence Albert and later John Gilbert . 1 +He is the nephew of Larry Bowa Johnson and his wife Brianna had their first child , Liz , on 31 January 2006 . He is the nephew of Larry Bowa . Johnson and his wife , Liz , had their first child , Brianna , on January 31 , 2006 . 0 +The Penchala River is a river in Selangor , Malaysia It runs from Kampung Sungai Penchala to the sound - river near Petaling Jaya . The Penchala River is a river in Selangor , Malaysia . It runs from Kampung Sungai Penchala to Klang River near Petaling Jaya . 1 +A liberal autocracy is a non-democratic government which follows the principles of liberalism . A non-democratic autocracy is a liberal government that follows the principles of liberalism . 0 +Tabda , also known as Tabto , is a town in the southern region of the lower Juba ( Jubbada Hoose ) of Somalia . Tabda , also known as Tabto , is a town in the southern Lower Juba ( Jubbada Hoose ) region of Somalia . 1 +It was developed along the Brazeau River , at the confluence of Elk River in the hydrographic basin of the North Saskatchewan River . It was developed along the Elk River , at the confluence with Brazeau River , in the hydrographic basin of the North Saskatchewan River . 0 +was challenged in 1950 by A.S. Mike Monroney in the Democratic Primary . Mike Monroney was challenged in 1950 by A.S. Thomas in the Democratic Prefix . 0 +Bingaman was born in 1926 , in McKenzie , Indiana , moved to Tennessee , and attended Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Tennessee in 1926 , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . 0 +Sheep are sacrificed and the meat is distributed to relatives and neighbours and given to the poor . The sheep is sacrificed and the meat is given to relatives and neighbours and distributed to the poor . 1 +The Tour of Turkey is a cycling race in Antalya . The Tour of Antalya is a cycling race held in Turkey . 0 +The Cornell Big Red have won 649 games during the 2017 season , 529 games bound and 33 regular season games lost . The Cornell Big Red have won 649 games during the 2017 season , lost 529 games and 33 regular season games bound . 0 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Ethel and Mcoy with the other reoccupied by Gaby . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps that Ethel and Mcoy left behind , while the other was reoccupied by Gaby . 1 +In 2015 , Stephen Hawking offered Richard Branson a seat free of charge on the Virgin Galactic spaceship . In 2015 , Richard Branson offered Stephen Hawking a seat on the Virgin Galactic spaceship for free . 0 +Lawrence Archer temporarily stood up for Tony Clarkin when he became ill . Tony Clarkin temporarily stood in for Lawrence Archer when he became ill . 0 +"As of September 2015 , Goodyear is again the president of "" Goodyear Capital Corporation "" and "" Goodyear Investment Company . """ "In September 2015 , Goodyear is again the president of "" Goodyear Investment Company "" and "" Goodyear Capital Corporation "" ." 1 +In 2016 a group of black students at Wiggins High School put a noose around the neck of a white student . In 2016 , a group of black students at the Wiggins High School put a noose around a white student 's neck . 1 +Alycia Moulton defeated Billie Jean King at 6 -- 0 , 7 -- 5 . Billie Jean King defeated Alycia Moulton 6 -- 0 , 7 -- 5 0 +Planned are new exhibitions in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . In Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) , new exhibitions are planned . 0 +The First Oil Well in Indian Territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . The first oil source in Oklahoma was drilled in 1885 in the Atoka County , Choctaw Nation , Indian territory , even though it was not completed until 1888 . 0 +The city of Mačvanska Mitrovica includes the town of Sremska Mitrovica , and several villages . The town of Sremska Mitrovica includes the city of Mačvanska Mitrovica and several villages . 0 +In general , lower temperatures and higher pressures promote sponge coke formation . In general , lower temperatures and higher pressures promote the formation of sponge coke . 1 +Hine was born in 1936 in New Westminster ( British - Colombia ) and grew up in Burnaby . Hine was born in Burnaby , Germany in 1936 and grew up in New Westminster , British Columbia . 0 +In the American series , Benjamin was Michael Evans 's double . In the American series , Benjamin Michael Evans Double was . 0 +Mahone Bay is a town located on the northwest shore of Mahone Bay , along the South Shore of Lunenburg County in Nova Scotia . Mahone Bay is a city located on the northwest coast of Mahone Bay , along the South Shore of Lunenburg County in Nova Scotia . 1 +The 1956 National Football League season was the 11th year of the team with the Los Angeles Rams and the 19th season in Los Angeles . The 1956 National Football League season was the team 's 11th year with the Los Angeles Rams and the 19th season in Los Angeles . 1 +Leading Creek is located at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of Middleport . Leading Creek is at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of the Middleport . 1 +Ellis met Oscar Bonavena in the second round of the tournament . In the second round of the tournament , Ellis Oscar Bonavena appeared . 0 +Hasegawa 's research also included the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . Hasegawa 's research also includes the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . 1 +Jenna Bartholemew ( born August 10 , 1988 ) is a South African Canadian cricketer . Jenna Bartholemew ( born 10 August 1988 ) is a Canadian born South African woman cricketer . 0 +Together with Rosalind Franklin , James Watson and Francis Crick shared the Nobel Prize for Physiology and Medicine in 1962 , and Maurice Wilkins died from cancer in 1958 . Together with James Watson and Francis Crick , Maurice Wilkins was awarded the Nobel Prize for Physiology and Medicine in 1962 , Rosalind Franklin had already died from cancer in 1958 . 0 +The work was released in his fifth in 2003 , it was completed in August the Rush release from the same year . The work was released in 2003 in his fifth , it was concluded the release rush from the same year in August . 1 +Boraston is a small village and civil parish in Shropshire , England . Boraston is a small village and civil community in Shropshire , England . 1 +The date set for the executions of the three Quaker evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson , was 27 October 1659 . As the date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - 27 October 1659 was set . 1 +Yomiko ordered Joker to stop for ethical reasons , and Joker attempted to have her arrested . Yomiko ordered to stop Joker for ethical purposes , and Joker attempted to have her arrested . 1 +It was dredged and extended in 1974 , built with gravel roads on each side of the canal . It was built and widened in 1974 , dredged with gravel roads on each side of the channel . 0 +""" Eric was a very good friend and confidante of Thomas Joseph Mboya "" , words of the 3rd Kenyan president , Mwai Kibaki , during Khasakhala 's funeral ." """ Eric was a very good friend and confidante of Thomas Joseph Mboya "" , said 3rd Kenyan President Mwai Kibaki during the funeral of Khasakhala ." 1 +In 2004 , Barclays of Barclaycard took over sponsorship of the Premier League . Barclaycard took over sponsorship of the Premier League from Barclays in 2004 . 0 +"The church also houses the "" university sermons and hosts the university organ and the clock of the university ." "The church also hosts the "" University Sermons "" and houses the University Organ and the University Clock ." 0 +Gaines came to Ephraim Fletcher in 1836 from New York and settled in Van Vleet Road ( Section 16 ) . Ephraim Fletcher came to Gaines from New York in 1836 and settled on Van Vleet Road ( section 16 ) . 0 +Jamaica has always celebrated the arrival of the East Indians in Old Harbour Bay on 13 May . The Old Harbour Bay celebrated on 13 May the arrival of the East Indians in Jamaica . 0 +Stelvio National Park ( ; ) is a national park in the north-east of Italy , founded in 1935 . Stelvio National Park ( ; ) is a national park located in the north-east of Italy , founded in 1935 . 1 +Since 2006 , when Josephine Alhanko placed himself in the Top 20 , Cerljen was the first delegate from Sweden to the international final . At the first final since 2006 , Cerljen was also an international delegate from Sweden when Josephine Alhanko placed himself in the Top 20 . 0 +The company was registered as Spacetec , which was re-established on December 11 , 1984 . The company was re-established as Spacetec , which was registered on 11 December 1984 . 0 +The north slope of the Obshchy Syrt is covered by deciduous forests , while the southern slope towards the Caspian Depression has the characteristics of a steppe . The northern slope of the Obshchy Syrt is covered by deciduous forests , while the southern slope to the Caspian Depression has the characteristics of a steppe . 1 +Designed by Jess Hobbs , Rebecca Anders and PK ( Peter Kimelman ) it was built by a crew of 300 over a period of 4 months . Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) , it was built by a crew of 300 over a period of four months . 0 +"The Oxford English Dictionary cites Hoccleve as one of the modern users of the term "" slut "" in its modern sense , although not in its original spelling ." "The Oxford English Dictionary cites Hoccleve as one of the initial users of the term "" slut "" in its modern sense , though not in its modern spelling ." 0 +The 2010 European national road cycling championships began in January in Australia and New Zealand . Most of the national championships take place in June . The national championships in road cycling 2010 began in January in Australia and New Zealand , most of the national championships will take place in June . 1 +Marc Bergevin ( born August 11 , 1965 ) is a former Canadian ice hockey manager and professional player . Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey player and former gamer . 0 +Azerbaijan has a largely non-observant country of the Shia population with a Sunni minority . Azerbaijan has a largely non-observant Shia population country with a Sunni minority . 1 +The present church , built in June 1885 by the bishop of St. Albans , is not the first to be consecrated in East Hanningfield . The current church , dedicated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . 0 +If an Autonumber is a long integer , the property codice 3 determines whether it is from the start + increment or random form . If an AutoNumber is a random integer , the codice _ 3 property determines whether it is of the start + increment or long form . 0 +She moved to Switzerland when she was a few months old , mostly to France , but grew up in Paris . She moved to Switzerland when she was a few months old , then to France , but mostly grew up in Paris . 0 +Berry Head , the southeast point of Torbay , was distant between six and nine miles . Berry Head , the distant point of Torbay , was seen between six and nine miles southeast . 0 +"Bharathiraja was first introduced by Karthik in the film "" Alaigal Oivathillai "" ." "First Bharathiraja was presented in the film "" Alaigal Oivathillai "" by Karthik ." 1 +The title track was a top five single on the Texas Music Chart in May 2013 . The title track was a single-five top on the Texas Music chart in May 2013 . 0 +Emily Emily is the mother of Redman from her marriage to the actor Robert Glenister . Redman is the mother of Emily from her marriage to the actor Robert Glenister . 0 +After passing through Bryson City and flowing around the Bryson City Island Park , the Tuckasegee flows southwestward for another before emptying into the Little Tennessee River . After passing through Bryson City and the Bryson City Island Park , the Tuckasegee flows southwest for another before flowing into the Little Tennessee River . 1 +The 2005 -- 06 team kits are produced by Uhlsport and sponsored by Vivatel . The team kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . 0 +Stewart was deputy reeve of the Township of Otonabee in 1985 , and became a warden of Peterborough County from 1992 to 1994 . Stewart became Deputy Reeve of the Township of Otonabee in 1985 and was guardian of the Peterborough County from 1992 to 1994 . 0 +The music was composed by G. Devarajan and lyrics was written by ONV Kurup and Vayalar Ramavarma . The music was composed by ONV Kurup and Vayalar Ramavarma and the lyrics by G. Devarajan were written . 0 +Early industries in Hughesville were built to serve the farmers and citizens of eastern Lycoming County . Early industries were built in Hughesville to serve the farmers and citizens of the eastern Lycoming County . 1 +On the second day Jen sees a girl who sees her lost sister Jess very similar . On the second day Jess sees a girl who sees her lost sister Jen very similar . 0 +Alessandra Schiavone ( born Assunta De Rossi ; 19 July 1984 ) is a Filipina actress and the younger sister of actress Alessandra De Rossi . Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and a younger sister of the actress Alessandra De Rossi . 1 +He was also former Deputy Director General ( Commercial ) of Sri Lanka Broadcasting Corporation , former Director of Sinhala Service Sri Lanka Rupavahini Corporation . He was also a former deputy commercial director of Sri Lanka Rupavahini Corporation , former director of Sinhala Sri Lanka Broadcasting Corporation . 0 +The 1966 Season Cleveland Browns was the 17th season of the team with the National Football League . The 1966 National Football League season was the 17th season of the team with the Cleveland Browns . 0 +Chandler and Connie Chandler have been nominated by the Independent Party of Utah and Crane and Alma Peter Crane received 1,101 votes . Alma Peter Crane and Connie Chandler were nominated by the Independent Party of Utah , where Crane and Chandler received 1,101 votes . 0 +In 1898 the well is marked small and the rectangular building nearby is not shown . In 1898 the well is shown as rectangular and the small building nearby is not marked . 0 +Plymouth is located on the Roanoke River about seven miles ( 11 km ) upriver from its mouth into the Albemarle Sound in North Carolina 's Inner Banks region . Plymouth is situated on Albemarle Sound about seven miles ( 11 km ) upstream from its mouth into the Roanoke River in the North Carolina Inner Banks region . 0 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in London , and lived in North Kilworth , South - Leicestershire . Ashton was born on November 30 , 1957 in the Whips Cross Hospital in Forest Gate , Leicestershire , and lived in North Kilworth , South London . 0 +"He also painted in the Certosa di San Martino , where he worked in the "" Coro dei Conversi "" and the Quarto del priori "" ." "He also worked in the Certosa di San Martino , where he painted in the "" Coro dei Conversi "" and "" Quarto del priori "" ." 0 +Through the 2017 season , the Cornell Big Red have won 649 games , tied 529 games , and lost 33 regular season games . The Cornell Big Red have won 649 games during the 2017 season , lost 529 games and 33 regular season games bound . 0 +""" P. seippi "" should be located in pairs in a well planted terrarium ." """ P. seippi "" should be implanted in pairs in a well housed terrarium ." 0 +The FAA and ICAO are working on a Sonic Boom standard to enable supersonic flights overland . The FAA and the ICAO are working on a sonic boom standard to allow supersonic flights overland . 1 +Once upon a time there was a Nottingham railway station on the line between Market Harborough and Hallaton . On the line between Market Harborough and Nottingham , there was once a train station of Hallaton . 0 +He graduated from Washburn Law School in 1976 and in 1979 from Kansas Newman College . He graduated from Washburn Law School in 1976 and from Kansas Newman College in 1979 . 1 +Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German birth actress . Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a Russian actress of German birth . 1 +"was located at 40 ° 09 ' ; 57 "" Baltimore , 87 ° 26 ' ; 31 "" West ( 40.165833 , -87.441944 ) ." "Baltimore was located at 40 ° 09 '57 "" North , 87 ° 26 ' 31 "" West ( 40.165833 , -87.441944 ) ." 0 +Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Sarath Babu , Sujatha and Saritha . Nool Veli ( Fence of Yarn ) is a Tamil film with Saritha , Sujatha and Sarath Babu in 1979 . 1 +Walterston is a small agricultural hamlet north of Barry in the Vale of Glamorgan in South Wales and west of Dyffryn . Walterston is a small farming hamlet at west of Barry in the Vale of Glamorgan in South Wales and just north of Dyffryn . 0 +The tournament took part in 10 Olympic teams , 3 teams from Africa and 7 teams from Europe . Ten Olympic teams took part in the tournament , 3 teams from Africa and 7 teams from Europe . 1 +Seon is a municipality in the Lenzburg district of the canton of Aargau in Switzerland . Seon is a municipality in the district of Aargau in the canton of Lenzburg in Switzerland . 0 +She sailed via Sydney and arrived in Rio de Janeiro on 14 September . She sailed over Rio de Janeiro and arrived in Sydney on 14 September . 0 +To secure political independence , in most European countries , political parties are factual associations . In order to secure political independence , political parties in most European countries are factual associations . 1 +John Mozeliak is the president of the Baseball Operations , Mike Girsch is General Manager and Mike Matheny is the manager . John Mozeliak is the President of Baseball Operations , Mike Matheny is the general manager and Mike Girsch is the manager . 0 +It is located close to Mandurriao at 113 R. Mapa Street in the Iloilo City of Old Iloilo Airport . It is located close to the Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of Iloilo City . 0 +Zlagna River is a tributary of the River Timiş in Romania . The Timiş River is a tributary of the River Zlagna in Romania . 0 +The People 's Republic of Ukraine was non-existent and overthrown between April and December 1918 by the Jewish state of Pavlo Skoropadsky , which ended the experiment in Ukrainian autonomy . Between April and December 1918 the Ukrainian People 's Republic was non-existent and overthrown by the Jewish State of Pavlo Skoropadsky who ended the experiment in Ukrainian autonomy . 1 +"A mechanical nightingale is used in "" and "" to replace a real nightingale for a princess ." "A real nightingale is introduced in "" and is used to replace a mechanical nightingale for a princess ." 0 +He participated at the 2008 Summer Olympics in Beijing , where the Danish team placed seventh , and the 2012 Summer Olympics in London where the team came 6th . He participated in the 2008 Summer Olympics in Beijing , where the Danish team became seventh , and at the 2012 Summer Olympics in London , where the team was 6th . 1 +The Slavic Soul includes the most beautiful musical themes from 9 countries : songs are traditional , classic and popular , all in new arrangements . The Slavic Soul includes the most traditional , classical and popular music themes from 9 countries . Songs are beautiful , all in new arrangements . 0 +The standard gauge line followed a new alignment through the Avon Valley of the Darling Scarp east of Perth . The standard gauge line followed a new orientation through the Avon valley of Darling Scarp east of Perth . 1 +It is located north of Altha and east of Blountstown on the west bank of the river Apalachicola . It is located north of Blountstown and east of Altha on the west bank of the Apalachicola River , 0 +The State Road was built in the early 1910s from Frederick to Knoxville and completed in 1919 to Harpers Ferry . The state road was constructed from Frederick to Knoxville in the early 1910s and completed to Harpers Ferry in 1919 . 1 +Born in Quatre Bornes ( Mauritius ) in 1951 , he died in 2002 . He was born in 1951 in Quatre Bornes ( Mauritius ) and died in 2002 . 1 +Colonel Kenji Doihara , Lieutenant Colonel Kanji Ishiwara , Colonel Takayoshi Tanaka and Major Seishirō Itagaki had completed plans for the incident by 31 May 1931 . Until May 31 , 1931 , Colonel Kenji Doihara , Lieutenant Colonel Kanji Ishiwara , Colonel Takayoshi Tanaka , and Major Seishiro had completed Itagaki plans for the incident . 0 +In 1994 , the constituency replaced most of the South Wales - East and the Cynon - valleys of Wales and became part of the much larger South Wales constituency in 1999 . The constituency replaced most of South Wales and the Cynon Valley area of South Wales East in 1994 and became part of the much larger Wales constituency in 1999 . 0 +The river Valea Turcului is a tributary of the Azuga River in Romania . The Azuga River is a tributary of the Valea Turcului River in Romania . 0 +Humphries was born in Stonebroom , Derbyshire , son of John Thomas Humphries and his wife Eliza . Humphries was born in Stonebroom , Derbyshire , the son of John Thomas Humphries and his wife Eliza . 1 +William Wilberforce Nadiope succeeded the late Sir Muloki as Kyabazinga . William Wilberforce Nadiope succeeded Kyabazinga as Kyabazinga to the late Sir Muloki . 0 +The returning Carrawell , who last played with Sta.Lucia three years ago , replaces Isaac Fontaine . The returning Carrawell , who played with Sta.Lucia for the last time three years ago , replaces Isaac Fontaine . 1 +The 1976 New England Patriots season was the seventh season for the team in the National Football League and 17th season overall . The 1976 New England Patriots season was the 17th season for the team in the National Football League and the seventh season overall . 0 +Here is a list of schools in Harford County , Maryland.There are both public schools and parish schools listed , but independent schools are not included . Here is a list of schools in Harford County , Maryland . Both public schools and parochial schools are listed , but independent schools are not included . 1 +Grant holds several records in many categories for Utah , including multiple all-time rows , such as : Grant holds multiple records in many categories for Utah , including several all-time records , such as : 1 +The company built a hotel in Eskisehir in Turkey and a paper factory in Kazakhstan . The company built a hotel in Eskisehir and a paper factory in Kazakhstan in Turkey . 0 +Natural characteristics include Edge Hill , Poquessing Creek , Neshaminy Falls , and Neshaminy Creek . Natural features include Edge Hill , Neshaminy Creek , Neshaminy Falls , and Poquessing Creek . 1 +The band appears in the video next to the British comic actors Matt Lucas and Sara Stockbridge and Model Jo Guest . The band appears in the video next to the British comic actors Jo Guest and Sara Stockbridge and Model Matt Lucas . 0 +Jérémy Chardy won the title and struck Rubén Ramírez Hidalgo in the Final 6 -- 1 , 6 -- 4 . Rubén Ramírez Hidalgo won the title defeating Jérémy Chardy in the final 6 -- 1 , 6 -- 4 . 0 +The house was bought in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst of Lymm , Cheshire in 1864 . The house was purchased by Sir George Dewhurst of Dunira in 1858 , who sold it on to David Dundas of Lymm , Cheshire , in 1864 . 0 +Abner was indignant at the rebuke and immediately opened negotiations with David , who welcomed him on the condition that his wife Michal should be returned to him . Abner was indignant at the rebuke , and immediately opened negotiations with David , who welcomed him on the condition that his wife Michal should be restored to him . 1 +Afterwards , Hendrick attempted to hire Tim Richmond , then Dale Earnhardt , but did not . Then Hendrick attempted Dale Earnhardt to hire Tim Richmond , but not . 0 +The Nette is a left river in Rhineland-Palatinate , Germany , a small tributary of the Rhine . The Nette is a small river in Rhineland - Palatinate , Germany , a left tributary of the Rhine . 0 +However , most white horses have a pink skin and some have blue eyes . Most pink horses , however , have white skin and some have blue eyes . 0 +In 1892 , William H. Bennett died , and Langdon Hubbard took over the mill . In 1892 , Langdon Hubbard died , and William H. Bennett took over the mill . 0 +He won the 11th place in the Sandown 500 with Tony Longhurst and 13th with Nathan Pretty in the Bathurst 1000 . He won the 13th place in the Sandown 500 with Tony Longhurst and 11th with Nathan Pretty in the Bathurst 1000 . 0 +"Ararat is currently divided into 95 communities ( "" hamaynkner "" ) , of which 4 are urban and 91 rural :" "Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are urban and 91 are rural :" 1 +Others , such as Eric Horner , Sigurd Wongraven and Jan Axel Blomberg , believe that black metal does not have to be satanic . Others -- such as Jan Axel Blomberg , Sigurd Wongraven and Eric Horner -- believe that black metal does not need to be Satanic . 1 +Harry uses Shay 's taxi to get away with the bag , she opens the pocket and finds in it diamonds and money . Shay uses Harry 's taxi to get away with the briefcase . She opens the briefcase and finds diamonds and money in it . 0 +They were designed by Electric Boat and were built by other yards under subcontracts . They were designed by Electric Boat and were built under subcontracts by other shipyards . 1 +In December 1883 he moved for two years to Fresno and Los Angeles . In December 1883 , he moved to Los Angeles and then Fresno for two years . 0 +Hidalgo , who was born in Seville , played for Badajoz and Celta de Vigo . Born in Seville , Hidalgo played for Badajoz and Celta de Vigo . 1 +The national councils had already begun acting more or less as provisional governments of independent countries . The provisional councils had already more or less acted as national governments of independent countries . 0 +It is available in areas including Ballymun , Finglas , Cabra , Phibsboro and Castleknock . It is available in areas like Ballymun , Finglas , Cabra , Phibsboro and Castleknock . 1 +Kirk Deighton is operated from Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . Kirk Deighton is served over the Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 0 +The cylindrical spur is curved white and upward , longer than the ovar . The white spur is cylindrical and upward curved , longer than the ovary . 0 +There were two solutions : reduce the tension in the wire or increase its mass per unit length . There were two solutions : reduce voltage in the wire or increase the mass per length unit . 1 +He died in Bannock County in 1879 , Idaho , USA Jefferson Hunt was buried at the Red Rock Cemetery in Oxford , Idaho . He died in 1879 in Oxford , Idaho , Jefferson Hunt was buried at the Red Rock Cemetery in Bannock County , Idaho , USA . 0 +Scutellastra tucopiana is a species of sea snail , a true limpet , a true gastropod mollusk in the family Patellidae , one of the families of marine limpets . Scutellastra tucopiana is a species of sea snail , a true limpet , a true gastropod mollusk in the Patellidae family , one of the families of the Marine limpets . 1 +He was transferred to Vietnam , joined the Jesuit Order and died in Macau in 1737 as a martyr . He was moved to Macau , joined the Jesuit Order , and died as a martyr in Vietnam in 1737 . 0 +ABC Books has released seven paperback novels , each based on a single episode and from the perspective of a particular character . ABC Books has released seven popular book novels , each based on a single episode , and from the perspective of a particular character . 1 +Yuko Mizutani is spoken in English by Katherine Burton in Japanese and by Anri . Anri is expressed in English by Yuko Mizutani in Japanese and by Katherine Burton . 0 +The Yuman - Cochimí languages are a family of languages spoken in Arizona , Southern California , Northern Sonora and Western Baja California . The Yuman -- Cochimí languages are a family of languages spoken in Baja California , northern Sonora , southern California , and western Arizona . 0 +""" Welcome to my Living Room "" was filmed in August 2005 in Temecula , California , with additional footage that was shot in November 2006 in Sydney , Australia ." """ Welcome to my Living Room "" was filmed in August 2005 in Sydney , Australia , with additional footage that was shot in November 2006 in Temecula , California ." 0 +"In a 2014 interview with "" Sunrise Daily "" , Jesse Jagz said that M.I 's departure from Chocolate City also delayed the album ." "In a 2014 interview with "" Sunrise Daily "" , M.I said that Jesse Jagz delayed the departure of Chocolate City also the album ." 0 +Boats of 70 tons were now 87 ½ foot long , 10 ½ feet wide and drew 4 ½ feet water . Boats that drew 70 tons were now 87 ½ feet wide , 10 ½ feet long and attracted 4 ½ feet water . 0 +Celestia implores Twilight and her friends to stop the Elements of Harmony to recover Chrysalis . Celestia invites Twilight and her friends to stop the elements of harmony to recover Chrysalis . 1 +"There were others who thought as I did , but we could not speak. """ There were others who did , I thought , but we could not speak . 0 +Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . Among their children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . 1 +Younessi had a child , a son named Dariyan Rodin Younessi , who started his racing career with Karting at the age of four . Dariyan Rodin Younessi has a child , a son called Younessi , who started his racing career with Karting at the age of four . 0 +The South Region is separated from the Karak Governorate by the Mountains of Moab in Central Region . The southern region is separated by the Moab mountains in the central region of Karak - Governorate . 1 +Decasyllable was used in the epic poetry of the southern Slavs , sung , for example , Serbian epic poetry on the Gusle instrument : Decasyllable was used in the Serbian epic poetry of the southern Slavs , for example the epic poetry sung on the Gusle instrument : 0 +The high ground became Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . The high ground became Gentilly Boulevard and US Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . 1 +The museum consists of a main information room , a restoration hangar , the new Texas Flying Legend Hangar and the Oswin H. Elker Hangar . The museum consists of a new information room , a restoration hangar , the main Texas Flying Legends hangar and the Oswin H. Elker Hangar . 0 +However , it can be used to record VST instruments which you can then control . It can , however , be used to control VST instruments , which you can then record . 0 +"The Finnish album "" Deathstar Rising "" cracked the new album Top 10 and reached position 8 in the first week of March 2011 ." "The new album "" Deathstar Rising "" has cracked the Finnish album Top 10 and reached place 8 in the first week of March 2011 ." 0 +Intamin also marketed the first freefall - experience ( developed by Giovanola ) and the first drop tower . Intamin also marketed the first Freefall ( developed by Giovanola ) experience and the first drop tower . 1 +In the week before the incident with Coventry fans , 13 men were arrested after clashes between fans from Leicester and Norwich , in which some men suffered slight injuries . The week before the incident with Leicester fans , 13 men were arrested after clashes between fans from Coventry and Norwich in which some men sustained minor injuries . 0 +""" Tuscumbia "" was sold at auction at Mound City to W. K. Adams on 29 November 1865 ." """ Tuscumbia "" was sold to W. K. Adams on November 29 , 1865 at an auction in Mound City ." 1 +As with the Army , the Navy has a single-track system , where officers from other Navy communities transfer over to Foreign Area Officer permanently . As with the army , the Navy has a single track system , where officers from other Navy communities permanently transfer to Foreign Area Officer . 1 +He was born and grew up in Podgorica ( now Titograd ) in a family of musicians . He was born in Titograd ( today Podgorica ) in a family of musicians and grew up there . 0 +The 2013 Alcorn State University football team represents Alcorn State Braves in the NCAA Division I FCS football season 2013 . The 2013 Alcorn State Braves football team represents Alcorn State University in the 2013 NCAA Division I FCS Football - Season . 0 +Warwick Smith was replaced as Skip for Draw 4 by Hammy McMillan . """ Hammy McMillan was replaced by Warwick Smith as Skip after Draw 4 Replaced" 0 +"It was also produced by Nancy Sinatra in 1966 on their album "" Boots "" and PP Arnold again by Andrew Loog Oldham in 1970 ." "It was also covered by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold in 1970 , once again produced by Andrew Loog Oldham ." 1 +He died in 1951 and retired in 1956 . In 1951 , he retired and died in 1956 . 0 +In 1989 , he traveled to South Africa , Johannesburg , and Angola , Mozambique on a peace-seeking mission . In 1989 he travelled on a peace-seeking mission to South Africa , Johannesburg and Angola , Mozambique . 1 +The department of public speaking and dramatic arts was originally headed by T. Earl Pardoe . The Dramatic and Public Arts Department was originally headed by T. Earl Pardoe . 0 +Cumberland borders the Cook County Forest Preserves and was home to several horse stables , including Happy Days Stables in Norridge . Montrose and Cumberland borders the Cook County Forest Preserves and was home to several horse stables , including Happy Days Stables at Norridge . 0 +Within California , it is a rare and endangered species listed in the inventory of the California Native Plant Society 's vulnerable plants . Within California , it is a Rare and Endangered species listed on the California Native Plant Society Inventory of Vulnerable Plants . 1 +Until 31 May 1931 , Colonel Kenji Doihara , lieutenant colonel Kanji Ishiwara , Colonel Takayoshi Tanaka , and Major Seishiro had completed Itagaki plans for the incident . Until May 31 , 1931 , Colonel Seishiro Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics are used in the parish of Bad Urach in St. Joseph . The members of the United Methodist Church gather in Laichingen , while the Catholics are assigned to the parish of St. Josef in Bad Urach . 0 +However , Szabo 's method of Sybil-spending protection was vulnerable to double attacks . Szabo 's method of double protection , however , was vulnerable to Sybil attacks . 0 +The River Dove or Bradbourne Brook is a small tributary of the Bentley Brook in Derbyshire , England , and is 14.5 kilometres ( 9 miles ) long . The Bentley Brook or Bradbourne Brook is a small tributary of the Dove River in Derbyshire , England , and is 14.5 kilometers long . 0 +Juan Ramón Jiménez was born in Huelva , near Moguer , in Andalucia , on 23 December , 1881 . Juan Ramón Jiménez was born on December 23 , 1881 in Huelva , near Moguer in Andalusia . 1 +The 1962 National Football League season was the team 's 13th season with the Cleveland Browns . The 1962 National Football League season was the 13th season of the team with the Cleveland Browns . 1 +Cornish verbs are highly infinitive and , in their regular form , they are also considered nouns . Cornish verbs are highly infinitive and in their regular forms they are also considered nouns . 1 +The Sâmbăta river is a tributary of the River Piatra Caprei in Romania . The River Piatra Caprei is a tributary of the river Sâmbăta in Romania . 0 +In the series , Willa Holland 's character dates a character that was played by the popular music star Chris Brown in the fourth season of the show . In the series , Willa Holland 's character dates a character played by the popular music star Chris Brown in the fourth season of the show . 1 +On 16 January 2018 , Frontier Airlines announced a codeshare agreement with the American low-cost carrier Volaris . On January 16 , 2018 , Volaris announced a codeshare agreement with American low-cost carrier Frontier Airlines . 0 +Chabrian Jattan is a village in the Mirpur Tehsil of Azad Kashmir of Mirpur District , Pakistan . Chabrian Jattan is a village in Mirpur Tehsil of Azad Kashmir in the Mirpur district , Pakistan . 1 +The new algorithm , however , would divide the original interval into a larger and a smaller subinterval in Step 4 . However , the original algorithm would divide the new interval in step 4 into a smaller and a larger partial interval . 0 +"Back then , it was the capital of a province ( called "" Mauretania Prima "" ) under Byzantine rule and was still a place of strategic importance ." "It was still the capital of a province ( called "" Mauretania Prima "" ) under Byzantine rule and was then a place of strategic importance ." 0 +There is also a large number of Chinese Liverpudlians of mixed European and Chinese ethnicity , descendants of the earlier generations of Chinese settlers in the city . There is also a large number of Chinese Liverpudlians of the mixed European and Chinese ethnic groups , descendants of former generations of Chinese settlers in the city . 1 +Regiment Highveld was formed in Middelburg on the 1 January 1960 , it also stationed a rear HQ in the town of Nelspruit . On 1 January 1960 , the Highveld regiment was founded in Nelspruit , which also stationed a Rear HQ in the town of Middelburg . 0 +"The Highland Park is the location of the former home of the main characters in CBS - Drama "" The Good Wife "" ." "Highland Park is the location of the former character 's main home in CBS drama "" The Good Wife "" ." 0 +Goolagong Cawley won five finals between 1971 and 1980 but reached only her first and last finals . Between 1971 and 1980 , Goolagong Cawley reached five finals , but won only her first and final finals . 0 +During his stay at Yale , Richards acquired this current of thought partly from Sapir and partly through his own readings of Russell and Ogden and Whorf . During his stay in Yale , Richards partly acquired this train of thought from Sapir and partly through his own readings of Russell and Ogden and Whorf . 1 +On March 16 , 1494 , Maximilian Bianca Maria Sforza was married . Bianca Maria Sforza was married to Maximilian on March 16 , 1494 . 1 +Marlborough is to the north of Harare City Centre and lies between the roads leading to Chinhoyi and Bindura from Harare . Marlborough is located north of Harare and lies between the streets leading from Chinhoyi and Bindura to the Harare City Centre . 0 +Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player in the ANZ Championship , playing for the Melbourne Vixens . Chelsey Nash ( also known as Chelsey Tregear ) is an Australian netball player who plays for the Melbourne Vixens in the ANZ Championship . 1 +Re-elected were the incumbents Church , Tremain , Vanderpoel , and Johnson , while the incumbent , Richmond , was defeated . The incumbents Church , Tremain , Vanderpoel and Johnson were defeated . The incumbent Richmond was re-elected . 0 +Petina Gappah was born in Zambia in the province of Copperbelt . Petina Gappah was born in Copperbelt Province , in Zambia . 1 +Republican incumbent Slade Gorton , seeking his third non-consecutive term , defeated his Democratic opponent , King County Councilman Ron Sims . Democratic incumbent Slade Gorton , who sought his third non-consecutive term , defeated his Republican opponent , King County Councilman Ron Sims . 0 +The family spent seven years in the area of Harrisburg before moving to Coxestown , which is now known as the Susquehanna Township , north of Lancaster in Dauphin County . The family spent seven years in the Harrisburg area before moving to Coxestown , now known as Susquehanna Township , just north of Lancaster in Dauphin County . 1 +Henry Cole was followed by Bailey as Caretaker of Breakheart Hill . Henry Cole was succeeded as caretaker of Breakheart Hill by Bailey . 1 +She is born on April 18 , 1976 in Usera , Spain ( Madrid ) . She is born on 18 April 1976 in Usera , Madrid ( Spain ) . 1 +Travelers can also fly to France ( Paris ) by flying to Halifax International Airport with Air St. Pierre and connecting with the Europe Airpost ( seasonal route ) . Travelers can also fly to France ( Halifax International Airport ) by flying with Air St. Pierre to Paris and connect with Europe Airpost ( seasonal route ) . 0 +Botelloides chrysalidus is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . Chrysalidus Botelloides is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . 0 +"The administrative district of the same name ( "" správní obvod "" ) consists of municipalities Prague 17 and Zličín ." "The administrative district ( "" správní obvod "" ) of the same name consists of municipal districts Prague 17 and Zličín ." 1 +Turku radio and television station has a mast in Kaarina , Finland . It is a height of and it was built in 1964 . The radio and television station Turku is a mast in Kaarina , Finland , which has a height of and was built in 1964 . 1 +Condon said they wanted to give Suzanne a Valentine 's Day card . Suzanne said that she wanted Condon to give a Valentine 's Day card . 0 +Howes married three times in his life : to Mary Donovan Howard in 1923 , Catherine Tabor in 1932 , and Lillian Pechin in 1937 . Howes married three times in his life : in 1923 with Mary Donovan Howard , in 1932 with Catherine Tabor and in 1937 with Lillian Pechin . 1 +There are three secondary schools in Caringbah and a number of elementary schools . There are three elementary schools in Caringbah and a number of secondary schools . 0 +The tournament was resumed again in 2006 in San Francisco , where it was hosted for two years . The tournament was resumed in 2006 in San Francisco , where it was hosted for two years . 1 +Janzur is known as the birthplace of Omar Mukhtar , the Libyan resistance leader during the Italian rule . Janzur is known as the birthplace of Omar Mukhtar , the Italian resistance leader during Libyan rule . 0 +"Terzakis has written numerous symphonic works , chamber music pieces , vocal art songs , and choral pieces such as "" Kassandra "" after Aischylos for the ensemble amarcord ." "After Aischylos , Terzakis has written numerous symphonic works , chamber music pieces , vocal art songs and choral works such as "" Cassandra "" for the ensemble amarcord ." 1 +Bianco cites Alice Waters , Suzanne Goin at Lucques , Mark Ladner at Del Posto , and Mario Batali as chefs who have inspired him . Bianco quotes Mario Batali at Lucques , Alice Waters , Suzanne Goin at Del Posto and Mark Ladner as chefs who inspired him . 0 +The best-known version of the song was recorded by Dick Rowe and produced in 1953 by The Stargazers in England . Probably the best-known version of the song was produced by Dick Rowe and recorded in the UK by The Stargazers in 1953 . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and a number of residential areas . Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and also a number of residential areas . 1 +He was signed by BMG in 1994 after Falcão showed them a Compact Cassette of Raimundo Fagner 's songs . He was signed by BMG in 1994 after Falcão showed them a compact cassette by Raimundo Fagner 's songs . 1 +"It contains remixes and non-album versions of previously released singles , as well as the acoustic B-side "" From a Desert to a Beach "" ." "It contains remixes and acoustic versions of previously released singles , as well as the unalbuming B-site "" From a Desert to a Beach "" ." 0 +""" Bonne Citoyenne "" had the misfortune to become damaged in a storm and to be separated from the rest of the French squadron ." """ Bonne Citoyenne "" had the misfortune to be damaged in a storm and to be separated from the rest of the French squadron ." 1 +In 1955 , the United Kingdom followed , Katsuaki Asai Germany in 1964 and Hiroshi Tada Italy in 1965 . In 1955 , the United Kingdom , Italy by Hiroshi Tada in 1964 , and Katsuaki Asai in 1965 , Germany . 0 +In 1983 he married Mateusz Janicki , daughter of Jerzy Niewodniczański . They have two children : Katarzyna Niewodniczanska and Marianna . In 1983 he married Mateusz Janicki , daughter of Jerzy NiewodniczaÅ Ski with two children : Katarzyna Niewodniczanska and Marianna . 1 +LEO XU Projects is a young and international art gallery based in Shanghai that exhibits contemporary artists . LEO XU Projects is a young and international art gallery based in Shanghai exhibiting contemporary artists . 1 +Power was held by a small group of Irish-Anglo families , who were loyal to the Anglican Church of Ireland . The power was held by a small group of Irish - English families who were loyal to the Anglican Church of Ireland . 1 +Dora Smith is a widow of two own children : Will and Ma Smith . Dora Smith is a widow with two children of her own : Will and Ma Smith . 1 +The Merovingian Kingdom of the Franks became the most powerful realm in Western Europe among all the barbarian tribes . Amongst all the barbarian tribes , Merovingian kingdom of the Franks became the most powerful realm in Western Europe . 1 +Around 1890 Kate ran with Albert Allen , a stepson of Tom 's stepmother , Emily Dennison Allen Morgan . Around 1890 Kate ran off with Albert Allen , a stepson of Tom 's stepmother , Emily Dennison Allen Morgan . 1 +Electronic sport for the Asian indoor and martial arts games 2017 was a demonstration sport . For the Asian Electronic and Martial Arts Games 2017 Indoor - Sport was a demonstration sport . 0 +The Agnes River is a perennial river of the West Gippsland catchment , located in the South Gippsland region of the Australian state of Victoria . The Agnes River is a multi-year river of the South Gippsland , in the West Gippsland region of the Australian state of Victoria . 0 +Angie apologizes , but when Lynn cries , she says that it is because of seeing how Frank and Liz love each other . Angie apologizes , but when Lynn cries , she says that it is because of how Frank and Liz love herself . 1 +Cariani was born in Presque Isle , Maine , and eight years old when his family moved to Brockton , Massachusetts . Cariani was born in Brockton , Massachusetts , and eight years old when his family moved to Presque Isle , Maine . 0 +Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and the younger sister of Alessandra De Rossi . Alessandra Schiavone ( born Assunta De Rossi ; 19 July 1984 ) is a Filipina actress and the younger sister of actress Alessandra De Rossi . 1 +The government was led by Gordon Coates of the United Party , with George Forbes of Reform as Minister of Finance . The government was led by George Forbes of the United Party , with Gordon Coates of Reform as finance minister . 0 +This is then opened in computer-aided design software to be further edited . This is then worked in Computer-aided design software to be opened further . 0 +Leudesius and Theuderich III fled to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Leudesius overtook them and had Ebroin murdered . 0 +""" P. seippi "" should be located in pairs in a well planted terrarium ." """ P. seippi "" should be planted in pairs in a well housed terrarium ." 0 +On Monday , 4 April 2016 , route 4 from Wimbledon to Therapia Lane was extended . On Monday 4 April 2016 , route 4 was extended from Therapia Lane to Wimbledon . 0 +She left the WWE later in August 2008 to return to TNA three months later , where she remained until 2011 . She left TNA later in August 2008 to return to WWE three months later , where she remained until 2011 . 0 +The school is in conjunction with the autistic department of the high school Ysgol Plas Brondyffryn , which was built in the year 2003 . The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was constructed in 2003 . 0 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and co-headlined Los Angeles ' Sunset Junction festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and led the Sunset Junction Festival in Los Angeles . 1 +The school was founded in Ireland and was pioneered in Australia in 1903 . The school was founded in Australia and then pioneered in Ireland in 1903 . 0 +It is located in the Annapolis Valley in Kings County and Annapolis County and connects Kingsport with Spa Springs . It is located in Kings County and Annapolis County in the Annapolis Valley and connects Kingsport to Spa Springs . 0 +Biancaneve is an Italian erotic comic book , created in 1972 by Leone Frollo and Rubino Ventura ( pseudonym Giuseppe Pederiali ) and illustrated by Renzo Barbieri . Biancaneve is an Italian erotic comic book , created in 1972 by Leone Frollo and Rubino Ventura ( pseudonym of Giuseppe Pederiali ) and illustrated by Renzo Barbieri . 1 +They were accompanied or were soon followed by several other families , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . They were accompanied by several other families , or were soon followed , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . 1 +They are sometimes consumed with beer and they are often a bar snack . They are often consumed with beer and are sometimes a bar snack . 0 +In 1871 John Peter Featherston married Bessie Parnell , daughter of John Parnell , of County Wicklow , Ireland . John Peter Featherston married Bessie Parnell , daughter of John Parnell , County Wicklow , Ireland in 1871 . 1 +The film The Hunters is a French crime - horror - thriller - film from 2011 by Antoine Huet , produced by Chris Briant . The Hunters is a 2011 French crime horror thriller film directed by Chris Briant . The film was produced by Antoine Huet , 0 +Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and spiritual center for centuries . For centuries Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and its spiritual centre . 1 +The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was constructed in 2003 . The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was built in 2003 . 0 +Indore district consists of 4 divisions ; Depalpur , Sanwer , Indore and Mhow . The district of Mhow consists of 4 divisions : Depalpur , Sanwer , Indore and Indore . 0 +Conchita Martínez Granados ( born 20 January 1976 in Barcelona , Spain ) is a former professional female tennis player from Spain . Conchita Martínez Granados ( born January 20 , 1976 in Spain ) is a former professional tennis player from Barcelona , Spain . 0 +The government of Liyang Town is located in He County . The He County government is located in the town of Liyang . 0 +"On 9 July , during her fifth line period , LCDR John B. Nichols claimed "" Ticonderoga "" s first MiG kill ." "On July 9 , during their fifth line period , LCDR John B. Nichols "" Ticonderoga "" first MiG - Kill claimed ." 1 +It is also dorsal to the substantia nigra and medial to the inner capsule . It is also medial to the substantia nigra and internal to the dorsal capsule . 0 +Sigmatel was sold to Freescale Semiconductor later . Sigmatel later was sold to Freescale Semiconductor . 1 +The Rusca River is a tributary of the River Suceviţa in Romania . The river Suceviţa is a tributary of the Rusca River in Romania . 0 +While he was at Wunderman , Espuelas worked on the accounts of American Express , General Foods Gevalia and Weight Watchers . While at Wunderman , Espuelas worked on the American Express , General Foods Gevalia and Weight Watchers accounts . 1 +Motivated by his passion for local football , Arid Garcia decided to support professional football in the State of Lara . Motivated by his passion for professional football , Arid Garcia decided to support the local football in the state of Lara . 0 +Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher , who has been active in the contemporary dance scene since 1983 . Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher , who has been active in the Canadian dance scene since 1983 . 0 +On 1 July , the judge in Madrid , Antonio Pérez , issued a death sentence against Rodrigo de Arce . On 1 July , the judge of Madrid , Rodrigo de Arce , issued a death sentence against Antonio Pérez . 0 +We see laughter , we see the faces , we hear the music . We hear the laughter , we see faces , we see the music . 0 +The city of Oklahoma City has designated Santa Fe station as the location for intermodal transit for the city and the conurbation . The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit services for the city and the agglomeration . 0 +The Mundy family owned the Manor of Allestree from 1516 until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . In 1516 , the Mundy family owned the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . 0 +Of these , 2,088 ( 18.6 % ) lived in urban areas , and 9,112 ( 81.4 % ) lived in rural areas . Of these , 2,088 ( 18.6 % ) lived in rural areas and 9.112 ( 81.4 % ) in urban areas . 0 +At the AFL meeting the next day , Tobin was forced to defend Beck 's actions . At the AFL meeting the next day , Beck was forced to defend Tobin ’ s actions . 0 +The School of Applied Arts offers only postgraduate degrees , while the other three schools offer both undergraduate and postgratuate degrees . The School of Applied Arts only offers postgratuate qualifications , while the other three schools offer both bachelor 's degrees and postgraduate degrees . 1 +Prakash was the international CIO of Avaya , then the Group CIO of Sage Group and later the CIO of iSoft in England . Prakash was the International CIO of Avaya , then the Group CIO of iSoft and later the CIO of Sage Group in UK . 0 +"It was also covered by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold in 1970 , once again produced by Andrew Loog Oldham ." "It was also produced by PP Arnold in 1966 on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." 0 +His son , Ii Naomasa , was adopted by Naotora and , under Tokugawa Ieyasu , became a dreaded general , who is considered one of his four guardians . His son Tokugawa Ieyasu was adopted by Naotora and , under Ii Naomasa , became a dreaded general , who is considered one of his four guardians . 0 +Mercer was the brother of Charles Fenton Mercer , and father of George Mercer and John Francis Mercer . Mercer was the brother of George Mercer , John Francis Mercer and father of Charles Fenton Mercer . 0 +"Maloney said that Agnew often told her during childhood that he had "" won the war . """ Maloney said that during her childhood , Agnew often told her that he had “ won the war . ” 1 +"Bathyporeia elegans is a type of amphipod crustacean in the genus "" Bathyporeia "" . It is unpigmented and grows up to long ." "Bathyporeia elegans is a species of amphipod crustacean in the genus "" Bathyporeia "" . It is long , and grows up to unpigmented ." 0 +At Philadelphia , ( 5-1-0 ) Penn State defeated ( 5-1-0 ) Pennsylvania , 19-7 Pennsylvania ( 5-1-0 ) defeated Penn State ( 5-1-0 ) Philadelphia , 19-7 . 0 +Cunningham Elementary School was recognized in 2003 by Governor Jim McGreevey as one of 25 schools selected nationwide for the first annual governor of the School of Excellence Award . Cunningham Elementary School was selected by Governor Jim McGreevey in 2003 as one of 25 schools recognized statewide for the First Annual Governor 's School of Excellence award . 0 +"He has three colored stripes adorning his head , and in the "" Street Fighter Alpha "" series , he wears a turban that he removes before battle ." "He has three colored stripes that decorate his head , and in the "" Street Fighter Alpha "" series , he removes a turban that he wears before the battle ." 0 +The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY repeated directly . The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which operates WEDY directly . 0 +Linkuwa Pokhari is a village and village development committee in the Khotang district in the Sagarmatha zone in eastern Nepal . Linkuwa Pokhari is a village and village development committee in the Sagarmatha area of Khotang district in eastern Nepal . 1 +This marine genus comes in the East China Sea and the South China Sea . This marine genus occurs in the South China Sea and the East China Sea . 1 +"Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the lyrical alphabet in reverse style ." "Comedian Soupy Sales released a song called "" Backward 's Alphabet "" in 1966 , which contained the reverse alphabet in lyrical style ." 0 +The group originally consisted of the young sculptors Branko BuniÄ , Stjepan Gračan , Ratko PetriÄ and Miro Vuco . The group originally consisted of the young sculptors Branko Bunić , Stjepan Gračan , Ratko Petrić and Miro Vuco . 1 +"The dividends have increased the real "" total "" return on average equity to the double , about 3.2 % ." "The dividends increased the real "" total return "" of the average equity to double , about 3.2 % ." 1 +Oxynoe panamensis is a kind of small sea snail or sea snail , a bubble snail , a marine gastropod mollusk in the Oxynoidae family . Oxynoe panamensis is a species of small sea snail or sea slug , a bubble snail , a marine gastropod mollusk in the family Oxynoidae . 1 +In November 2011 , Sony started offering Muzu videos through its Sony Entertainment Network on several home entertainment devices . In November 2011 , Muzu began offering Sony videos on several home entertainment devices through its Sony Entertainment Network . 0 +It roughly follows I-40 from Canton to Canton and US Route 74 , also known as the Great Smoky Mountains Expressway , from Asheville to Murphy . It follows roughly I-40 from Canton to Canton and US - Route 74 , also known as the Great Smoky Mountains Expressway , from Asheville to Murphy . 1 +Valesca asked him to control himself when he started to curse the animals . Valesca asked him to curse himself when he began to bring the animals under control . 0 +"The title and text refer to the Renaissance - portrait "" Leonardo da Vinci "" by Mona Lisa ." "The title and lyrics refer to the renaissance portrait "" Leonardo da Vinci "" painted by Mona Lisa ." 1 +"Billy ( September 25 , 1918 -- May 3 , 2011 ) whose friends called him "" William Pendry Bidelman "" , was an American astronomer ." William Pendry Bidelman ( September 25 , 1918 - May 3 , 2011 ) , whose friends called him “ Billy , ” was an American astronomer . 0 +CUTA has five national and five regional committees . CUTA has five national and regional committees . 1 +In 1892 , Coahoma County was divided into two competences , one to Friars Point and the other to Clarksdale . In 1892 , Coahoma County was divided into two jurisdictions , one going to Friars Point and the other to Clarksdale . 1 +The first section to be opened was from Maryhill west to Cliffs ( near Pasco ) , a length of , on December 15 , 1907 . The first section was open on December 15 , 1907 from Pasco to the west of Cliffs ( near Maryhill ) , a length of , opened . 0 +People from all over the Lujiang came to China to look at with Zhou Yu 's reverence . People from all over Lujiang came to China to look at the reverence of Zhou Yu . 1 +Mushtaq was born in Balaghat district Madhya Pradesh town of Baihar . Mushtaq was born in Baihar City Balaghat District of Madhya Pradesh . 0 +She was born in Hebron , Connecticut on December 18 , 1814 but later settled in Litchfield , Ohio . She was born on 18 December 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . 0 +They stood under the mentorship of Coach Glenn Capacio and Coach Norman Black . They were under the mentorship of Coach Glenn Capacio and Coach Norman Black . 1 +Where formula _ 11 is the natural inclusion over the first factor and formula _ 12 is the natural projection over the second factor . Where Formula 11 is the natural integration over the natural factor and Formula 12 is the first projection on the second factor . 0 +South Deerfield is drained by the rivers Deerfield and Connecticut . Deerfield is drained by the South Deerfield and Connecticut rivers . 0 +His son Ii Naomasa was adopted by Naotora and became under Tokugawa Ieyasu a dreaded general , who is considered one of his four watchmen . His son Tokugawa Ieyasu was adopted by Naotora and became under Ii Naomasa a dreaded general , who is considered one of his four guards . 0 +Natalie : We 're now around 1750 , Adam , do you live at home ? Natalie : We 're at 1750 now , Adam . Do you live at home ? 1 +David Tebele Scheuer was born in 1753 in Frankfurt am Main as son of his father Rabbi Abraham Naftali Hertz Scheuer . David Tebele Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi Abraham Naftali Hertz Scheuer . 1 +The Appalachian Trail , a National Scenic Trail from Georgia to Maine , traverses Franconia Ridge , including Little Haystack . The Appalachian Trail , a National Scenic Trail from Maine to Georgia , crosses Franconia Ridge , including Little Haystack . 0 +HomeAdvisor currently employs a chief economist , Brad Hunter , and a Smart Home Strategist and Home Expert , Dan DiClerico . HomeAdvisor currently employs a Chief Economist , Brad Hunter and Smart Home Strategist and Home Expert , Dan DiClerico . 1 +Estella flirts with Bentley Drummle , a disdainful rival of pip , and marries him and eventually pursues him for his money . Estella flirts with and pursues Bentley Drummle , a disdainful rival of Pip 's , and eventually marries him for his money . 0 +Justice Frank Murphy wrote a dissenting opinion , associated by justice Hugo black and justice William O. Douglas . Justice Hugo Black wrote a dissenting opinion joined by Justice William O. Douglas and Justice Frank Murphy . 0 +Governor Peter Obi of Anambra State described Udoji 's death as a great loss of the nation . Governor Udoji of Anambra State described Peter Obi 's death as a great loss the nation . 0 +In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the ARTC to the Country Rail Infrastructure Authority . In July 2011 , the competence for the Werris Creek to North Star route was transferred from the Country Rail Infrastructure Authority to ARTC . 0 +The Roman - Catholic diocese of Masaka is a diocese located in the town of Masaka in the church province of Uganda in Kampala . The Roman - Catholic diocese of Masaka is a diocese in the city of Masaka in the church province of Kampala in Uganda . 0 +The hurricane killed one person indirectly and killed two immediately in the state . The hurricane directly killed one person and indirectly killed two in the state . 0 +Little Tramp is a musical with a book by David Pomeranz and music and texts of David Pomeranz and Steven David Horwich . Little Tramp is a musical with a book by David Pomeranz and music and lyrics by David Pomeranz and Steven David Horwich . 1 +"So , based on the A3 , the "" A3L "" type built from aluminum was developed ." So , based on the A3 , the type “ A3L ” developed from aluminum was built . 0 +The states that took part in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . The states that have participated in this study were Aguascalientes , Jalisco , Chihuahua , Durango , Guerrero , Chiapas , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +Red and white wine , sweet and dry wine , wine brandy and a reinforced wine called Angelica were all produced from mission grapes . Red and white wine , fortified wine , brandy , and a sweet and dry wine called Angelica were all produced from Mission grapes . 1 +The museum consists of a main information room , a restoration hangar , the new Texas Flying Legends hangar , and the Oswin H. Elker Hangar . The museum consists of a new information hall , a restoration hangar , the main hangar Texas Flying Legends and the Oswin H. Elker Hangar . 0 +"They selected the area where herbaceous giant gabi-like plants which they called "" Marviga "" grew abundantly ." "They selected the area in which herbaceous giant gabi-like plants they called "" Marviga "" grew abundantly ." 1 +The Waitaki district , in the Canterbury and Otago regions of New Zealand , straddles the traditional border between the two regions , the Waitaki River . The Waitaki River district in the regions of Canterbury and Otago in New Zealand spans the traditional border between the two regions , the Waitaki . 0 +The bay is centred ( British mapping 1968 , Bulgarian mapping in 1993 and detailed Spanish mapping in 2005 and 2009 ) . The bay is centred at ( British mapping in 1968 , Bulgarian mapping in 1993 , and detailed Spanish mapping in 2005 and 2009 ) . 1 +Real world , which seems to them more favorable than parallel . The real world , which seems more favorable to them than in parallel . 1 +Danielle , Nadine and Mark have visible their pictures in the school case . Danielle , Nadine , and Mark have their pictures visible in the school display case . 1 +Recent built works include a modernist residence in Providence 's East Side and Urban Markers in Charlotte , NC . Recently built works include a modernist residence in Providence East Side and Urban Markers in Charlotte , NC . 1 +In 1875 , he moved to Berrien County with his parents , who settled in Watervliet . In 1875 he moved to Watervliet with his parents who settled in the Berrien County . 0 +On her wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael for help . On the day of their wedding , Michael Michael is killed before the ceremony takes place , and Centaine goes to help Sean . 0 +On April 2 , 2011 Ivy Vujic married Jenkins . On 2 April 2011 , Jenkins married Ivy Vujic . 1 +It was developed by Mindscape Group and distributed by Argonaut Software . It was created by Mindscape Group and distributed by Argonaut Software . 1 +In singles , King was 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Christine Truman Janes and 1 -- 1 against Virginia Wade . King was against Ann Haydon-Jones , 4 -- 0 against Christine Truman Janes and 1 -- 1 against Virginia Wade at the singles with 6 -- 1 . 1 +A road was built by the government in 1901 from Rotorua to Ruatahuna to end the isolation of Tūhoe by opening the first motorway . A road was built by the government from Ruatahuna to Rotorua in 1901 to end the isolation of Tūhoe by opening up the first motor road . 0 +The Indus cities are known for their complex planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are renowned for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and collections of large non-residential buildings . 0 +Bill Pickett , an African-American rodeo performer , also appeared in early western films for the same audience . Also Bill Bill Pickett , an African-American rodeo actor , appeared in early Western films for the same audience . 1 +A virtual instrument is a kind of synthetic instrument that is purely software defined . A virtual instrument is a kind of synthetic instrument that is defined purely by software side . 1 +The company is one of the oldest still active Brazilian companies , founded in 1880 by the German brothers Bruno and Hermann Hering . The company is one of the oldest German companies still in operation and was founded in 1880 by Brazilian brothers Bruno and Hermann Hering . 0 +Among the musicians of the recording session on March 7th were Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . The musicians on the 7 March recording session included Hal Blaine , drums ; Al Casey , guitar ; Larry Knechtel , bass ; and Don Randi , piano . 0 +On August 31 , 1997 , E service began running local in Queens during late nights . On August 31 , 1997 , E - Service in Queens began running late during the local nights . 0 +Thomas Gluyas was born in Moonta Mines , the fourth son of William Gluyas , a leading Pitman . William Gluyas was born at Moonta Mines the fourth son of Thomas Gluyas , a leading pitman . 0 +WaridTel also uses this option but it is not nationwide and displays offers only . WaridTel also uses this option , but it is not nationwide and displays only offers . 1 +She is currently working on a critical anthology of NeoLatin texts . She is currently working on a Neo-Latin anthology of critical texts . 0 +In August 2017 , Hardy joined Sky Sports as an analyst for Floyd Mayweather vs. Conor McGregor . Hardy came to Sky Sports in August 2017 as an analyst for Floyd Mayweather vs. Conor McGregor . 1 +The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Vichy - France , Belgium , and Germany in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Germany , Belgium , and Vichy - France in 1945 . 1 +Established in 1788 , Alberta shares the title of oldest European settlement in Fort Vermilion with Fort Chipewyan . Fort Vermilion was established in 1788 and shares with Fort Chipewyan the title of the oldest European settlement in Alberta . 0 +The song is a crossover from Dance ManiaX 2ndMix , sung by Tomosuke Funaki and composed by emi . This song is a crossover from Dance ManiaX 2ndMix , sung by Tomosuke Funaki and composed by emi . 1 +Alexandra Prince was born in Hamburg , Germany . Her father is Brazilian and her mother is German . Alexandra Prince was born in Hamburg , her father is Brazilian and her mother German . 1 +In the same year , he was appointed General Vicar for the region of Quebec of the Diocese of Mississippi and Illinois . In the same year he was appointed General Vicar for the region of Mississippi and Illinois of the diocese of Quebec . 0 +The Grand Haven depot was 33.29 miles from Detroit and 155.02 miles from Waterford , Michigan . Waterford Depot was 33.29 miles from Detroit and 155.02 miles from Grand Haven , Michigan . 0 +Paul Annacone won in the final 6 -- 2 , 6 -- 4 against Andre Agassi . Paul Annacone won 6 -- 2 , 6 - 4 against Andre Agassi in the final . 1 +Fuksas was born in Rome in 1944 ; his father was Lithuanian Jewish while his Catholic mother was the daughter of a French father and an Austrian mother . He was born in 1944 in Rome , his father was Lithuanian - Jewish , his French mother was the daughter of a Catholic father and an Austrian mother . 0 +Captain Saddam Haftar and Captain Khalid Haftar are officers of the Libyan National Army , while Al-Sadiq Haftar is also in Libya . Captain Saddam Haftar and Captain Khalid Haftar are officers in the Libyan National Army , while Al-Sadiq Haftar is also in Libya . 1 +Dierker is also the first manager in the MLB story to win a Championship division in his sixth season in 1997 for the Astros . Dierker is also the sixth manager in MLB history to win a division championship in his first season for the Astros in 1997 . 0 +He left Tunis for Egypt where he met Mahmud al-Kurdi of the Khalwati order in Cairo . He left Tunis towards Egypt , where he met in Cairo Mahmud al-Kurdi of the Khalwati Order . 1 +After the death of Liberal Democrat Councilor Des Shadrick , Pam Johns won a by-election in Holsworthy with a majority of 66 votes . Independent Pam Johns won a by-election in Holsworthy with a majority of 66 votes after the death of Liberal Democrat councillor Des Shadrick . 1 +"If "" R "" is the associated equivalence relation over each trivial component of "" U "" ." "If "" R "" is the connected equivalence relation over each trivial component of "" U "" ." 1 +The Flushing Line was opened on April 21 , 1917 by Queensboro Plaza at 103rd Street -- Corona Plaza , with a local station on 40th Street . The Flushing Line was opened from Queensboro Plaza to 103rd Street -- Corona Plaza on April 21 , 1917 , with a local station at 40th Street . 1 +Democratic incumbent Slade Gorton , who sought his third non-consecutive term , defeated his Republican opponent , King County Councilman Ron Sims . Democratic incumbent Slade Gorton , seeking his third non-consecutive term , defeated his Republican opponent , King County Councilman Ron Sims . 1 +The was a DC electric locomotive operated by JNR ( Japanese National Railways ) between 1958 and 1986 . The was an electric DC locomotive , operated between 1958 and 1986 by the Japanese National Railways ( JNR ) . 1 +If the used assay varies , the selective pressure changes on the cells and can therefore change what properties are selected in the transformed cells . Varying the assay used , changes the selective pressure on the cells and therefore can change what properties are selected in the transformed cells . 1 +The returning Isaac Fontaine , who last played Sta.Lucia three years ago , replaces Carrawell . The returning Isaac Fontaine , who last played with Sta.Lucia three years ago , replaces Carrawell . 1 +West Woodhay is a scattered rural village and civil community in West Berkshire , England . West Woodhay is a rural scattered village and civil parish in West Berkshire , England . 1 +The Bill & Cathy Stoller Center is home to all of the university 's athletic teams , intercollegiate athletic offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all the athletics teams of the University , the Intercollegiate Athletic Offices and the Department of Exercise Science . 1 +There the doctor behaves badly with Suri and the ladies leave the clinic , which is seen by Chitra . There , the doctor misbehaves with Suri and the ladies leave the clinic , which is seen by Chitra . 1 +From 1976 to 1979 , he also worked as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he moved to NBC . He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to CBS Sports . 0 +Maurice encouraged Ralph in mathematics and chess . Encouraged Ralph Maurice in mathematics and chess games . 0 +In early texts , 18 or 20 old schools are mentioned . There are 18 or 20 early schools in the old texts . 0 +When Yue Yi attacked the Qi state in the past , he conquered more than 70 cities in Qi , except Ju and Jimo for Tian Dan . When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except Ju and Jimo for Tian Dan . 0 +The traditional clothing of Ruska Roma is based on traditional and Russian Kalderash - clothing and is actively worn by singers and dancers . The traditional clothing of Ruska Roma is based on the traditional Russian and Kalderash clothes and is actively used by singers and dancers . 0 +Entries marked with an asterisk are set in the fictional community of King 's Ridge in Nodd . Entries marked with an asterisk are set in King 's fictional community of Nodd 's Ridge . 0 +It was completed in modernist style in 1933 for the US federal government and is now used as an office by the United States Postal Service . It was completed in modernist style in 1933 for the United States Postal Service and is now used as an office by the US Federal Government . 0 +San José La Arada is a municipality in the Guatemala department of Chiquimula . San Jose La Arada is a municipality in the department of Chiquimula , Guatemala . 0 +After moving to Turkey as a political refugee in 1988 , he began writing novels about the leftist uprising in Norway . After moving to Norway as a political refugee in 1988 , he began writing novels about the leftist uprising in Turkey . 0 +Camm decided that both engines would be used : the Tempest Mk 5 was fitted with the Napier Sabre , while the Tempest Mk 2 had the Bristol Centaurus . Camm decided that both machines would be used : the Tempest Mk 5 had fitted with Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . 0 +The wingspan flies , the motto is depending on the location from July to August . The wingspan is located , the moth flies from July to August depending on the location . 0 +Zdzisław Wysocki is a composer , born in 1944 in Poznań ( Posen ) Poland . Posen is a composer , born 1944 in Poland ( Zdzisław Wysocki ) Poznań . 0 +One example comes from the treatment of black women and transsexual women in prison . One example comes from the treatment of black women and transgender women in prison . 1 +She took his meals at home and he made her for Sunday trips . She made his meals at home , and he took her for Sunday sight-seeing trips . 0 +Jackson Township is located in the 4th Congressional District and is part of the 12th State Legislative District of New Jersey . Jackson Township is located in the 12th Congressional District and is part of New Jersey 's 4th state legislative district . 0 +Research in medical physiology began in 1950 through a small group of scientists and military physiologists at Defence Science Laboratory , Delhi . Research in medical physiology began in 1950 through a small group of scientists and military physiologists at the Defence Science Laboratory , Delhi . 1 +His grandfather , Reverend Edna Graham Allan , was the first presenter of the Presbyterian General Assembly of New Zealand , who married Macky in Dunedin in 1920 . His grandfather , Reverend Edna Graham Allan , was the first moderator of the Presbyterian General Assembly of New Zealand . In 1920 Macky married John Macky in Dunedin . 1 +The music was written by K. Raghavan and texts by Swathi Thirunal and Edasseri composed . The music was composed by K. Raghavan and the lyrics by Swathi Thirunal and Edasseri were written . 0 +There are almost 2,000 islands along the coastline , about three quarters of which are uninhabited . There are approximately 2,000 islands along the coastline , almost three quarters of which are uninhabited . 1 +He won the 22th World Memory Championships in December 2013 and 24th World Memory Championships in December 2014 . He won the 24th World Memory Championships in December 2013 and the 22nd World Memory Championships in December 2014 . 0 +Blackridge is a community in the eastern Allegheny County and is a suburb of Pittsburgh , Pennsylvania . Blackridge is a community in eastern Allegheny County and is a suburb of Pittsburgh , Pennsylvania . 1 +It began as a fishing village inhabited by German settlers from the region of Kaszub , as well as some Polish immigrants in 1870 . It began as a fishing village populated by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . 1 +He played the childhood role of Thomas Chacko which was portrayed by Mohanlal . He played the childhood role of Mohanlal , portrayed by Thomas Chacko . 0 +On 7 March , TF Muir crossed the Ahr River and on 8 March seized intact a bridge across the Kyll River at Dollendorf . On 7 March , TF Muir crossed the Kyll and took a bridge across the River Ahr on 8 March at Dollendorf . 0 +In 1880 , he was the democratic candidate for his old seat and lost 1725 votes to Bradford 's 2,263 votes to Republican incumbent Ira B. Bradford . In 1880 he was the Democratic candidate for his old seat , losing to Republican incumbent Ira B. Bradford with 1725 votes to Bradford 's 2,263 . 1 +Margaret , however , refused to hand over the Hainaut to John . However , Margaret refused to hand Hainaut over to John . 1 +Maredudd married Margaret Ferch Dafydd , Ieuan 's daughter , Lord of Anglesey , and his wife Nest ferch Dafydd Fychan . Maredudd married Margaret ferch Dafydd , the daughter of Ieuan , Lord of Anglesey , and his wife , Nest ferch Dafydd Fychan . 1 +Effective July 1 , 2000 , the village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills . The village of Mineral Hills and the town of Stambaugh were consolidated with the town of Iron River effective July 1 , 2000 . 0 +At King of the Ring in 1994 , Fatu and Crush failed to win the WWF Tag Team Championship from The Headshrinkers ( Samu and Yokozuna ) . At King of the Ring 1994 , Fatu and Crush failed to win the WWF Tag Team Championship from The Headshrinkers ( Samu and Yokozuna ) . 1 +On 28 February 2018 , Interoute announced the acquisition of GTT Communications for $ 2.3 billion . On February 28 , 2018 GTT Communications announced the acquisition of Interoute for $ 2.3 Billion 0 +"In Harry Turtledove 's alternate history novel "" Southern Victory : "" seems to be one of the Freedom Party Guards Chapman ." "In Chapman 's alternate history novel "" Southern Victory "" , one of the Freedom Party Guards appears to be Harry Turtledove ." 0 +Around 1685 he moved to Québec and lived for some time in New - France . Around 1685 he moved to Neu - France and lived for some time in Quebec . 0 +Liverpool Township is located between 20 and 30 miles west of Lake Erie and about five miles south of Interstate 71 . Liverpool Township is located between 20 and 30 miles west of Lake Erie and about 5 miles south of Interstate 71 . 1 +He died on February 20 , 1930 in Albany , New York , and was buried at the Glenwood Cemetery in Oneida . He died on February 20 , 1930 in Albany , New York . He was buried at the Glenwood Cemetery in Oneida . 1 +In November , the Royals acquired CF Coco Crisp from the Boston Red Sox in exchange for RP Ramón Ramírez . In November , the Royals CF Ramón Ramírez acquired the Boston Red Sox in exchange for RP Coco Crisp . 0 +In 1957 , USAFE also announced that its 50th FBW would receive the new F-100D Super Sabre . USAFE also announced in 1957 that the new FBW would be receiving the 50th F-100D Super Sabre . 0 +In 2015 , Stephen Hawking offered Richard Branson a seat for free in the spaceship Virgin Galactic . In 2015 , Richard Branson offered Stephen Hawking a seat for free in the spaceship Virgin Galactic . 0 +In July 2011 , ARTC transferred the responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . In July 2011 , the competence for the Werris Creek to North Star route was transferred from the Country Rail Infrastructure Authority to ARTC . 0 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( 683 ) and Scrivener ( 868 ) . The manuscript was added to the list of New Testament manuscripts by Gregory ( 683 ) and Scrivener ( 868 ) . 1 +In the same year he played in the UEFA Champions League qualification against HJK Helsinki and Celtic Glasgow and later in UEFA Cup against Dinamo Zagreb . In the same year he played in the UEFA Champions League - Qualification against HJK Helsinki and Celtic Glasgow and later in the UEFA Cup against Dinamo Zagreb . 1 +"Other works at the premiere were "" second "" ; "" Adagio ( from Choral Suite ) "" ; Scherzo , Op ." "Other works at the world premiere were "" second "" , "" Adagio ( from Choral Suite ) "" , Scherzo , Op ." 1 +In 1791 Hamilton returned to Dublin , where he died . In 1796 he painted Lord Edward Fitzgerald , the Irish revolutionary . In 1791 , Edward Fitzgerald returned to Dublin , where he died , and in 1796 he painted the Irish revolutionary Lord Hamilton . 0 +Agostina Segatori gave Vincent van Gogh 's first exhibition in her Café Tambourin . Vincent van Gogh gave Agostina Segatori 's first exhibition at her Café Tambourin . 0 +He was also influenced by Spanish classical music and began a lifelong love of the Spanish guitar . He was also influenced by Spanish classical music and began a lifelong love of Spanish guitar . 1 +It is located in the western part of the Annapolis County on the southern shore of Annapolis Basin . It is located in the southern part of Annapolis County on the western shore of the Annapolis Basin . 0 +Chris Evert Lloyd defeated Martina Navratilova , 6 -- 1 , 3 -- 6 , 6 -- 2 . Chris Chris Evert Lloyd defeated Martina Navratilova , 6 -- 1 , 3 - 6 , 6 -- 2 . 1 +In codice 5 the second file is codice 8 and in codice 4 the second file is codice 10 . In codice 5 the second file is codice 8 and in codice 4 is the second file codice 10 . 1 +When Blanchard later this year donated his farmland to the college , Warren L. Wheaton named the school after him and it was known as Wheaton College . When Warren L. Wheaton donated his farmland to the college later that year , Blanchard renamed the school after him and it became known as Wheaton College . 0 +After Rovers eliminated the Israelis the next round draw saw Juventus F.C . After Rovers the Israelis saw the next round eliminated Remis Juventus F.C . 0 +"The reconstruction projects were officially approved by the parliament , so the navy "" Prince Eugen "" and her sister ships were routinely rebuilt ." "Reconstruction projects were routinely approved by the parliament , so the navy officially "" rebuilt "" Prinz Eugen "" and her sister ships ." 0 +She was temporarily engaged with the author Alexander Roda Roda , who also integrated the experience of his writing . She was also engaged with the author Alexander Roda Roda , who temporarily integrated the experience in his writing . 0 +Allison was the architectural firm of James Edward Allison ( 1870-1955 ) and his brother David Clark Allison ( 1881-1962 ) . Allison & Allison was the architectural firm of David Clark Allison ( 1870-1955 ) , and his brother James Edward Allison ( 1881-1962 ) . 0 +The first thing you learn in racing is to complete a race , first you have to win . The first thing you learn in racing is to win a race , first you have to end . 0 +Reginald Owen was a pseudonym used by John Ramsey . Reginald Owen used a pseudonym by John Ramsey . 1 +The city of Otisfield , currently in Cumberland County , was a part of Oxford County until 1978 . The town of Otisfield , currently in Oxford County , was part of Cumberland County until 1978 . 0 +Cheetham was born on January 30 , 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . Born in Taos , New Mexico , January 30 , 1928 , Cheetham grew up in El Paso , Texas , received B.S . 1 +Robert Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Clara Maass . Robert Maass was born in East Orange , New Jersey , to Hedwig and Clara Maass , German immigrants . 1 +Bruno Simma was in the case of LaGrand assistant to Paulus . Bruno Simma was an assistant to Paulus in the LaGrand case . 1 +For Paul Cavanagh also doubled . Nelson also doubled for Paul Cavanagh . 0 +This concept of visual ( subjective ) direction is very old . This concept of the ( visual ) subjective direction is very old . 1 +It is important for reaching the thermal regime of the quantum oscillator , where mechanical noise effects on the device become negligible . It is important to reach the quantum regime of the mechanical oscillator , where thermal noise effects become negligible on the device . 0 +He worked as a school teacher in Tielt , between 1693 and 1717 , in Bruges . He worked in Tielt between 1693 and 1717 as a teacher in Bruges . 1 +Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films , was born and former President of Lionsgate Films . Tom Ortenberg , CEO of Open Road Films and former president of Lionsgate Films , was born and raised in Briarcliff Manor . 1 +""" Duke of Roxburgh "" sailed again from Gravesend on 31 October 1846 and arrived at Port Phillip on 7 March 1847 ." "On 31 October 1846 , Duke of Roxburgh "" sailed again from Port Phillip and reached Gravesend on 7 March 1847 ." 0 +The station was opened on May 1 , 1934 on the Finn valley - railway line from Strabane to Stranorlar . The station was opened on 1 May 1934 on the Stranorlar line from Strabane to Finn Valley Railway . 0 +After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this later became the permanent family home . After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this later became a permanent family home . 0 +The Burman : His Life and Notions ( 1882 ) is a book about the peoples and customs of Burma ( now Myanmar ) . Burman : His life and ideas ( 1882 ) is a book about the peoples and customs of Myanmar ( now Burma ) . 0 +1 was written by Ryan Sohmer , coloured by Lar deSouza , and drawn by Marc Brunet . 1 was written by Ryan Sohmer , drawn by Lar deSouza and colored by Marc Brunet . 0 +Lex Luthor was also replaced as Scott Wells by Sherman Howard . Lex Lex Luthor was also replaced by Sherman Howard as Scott Wells . 1 +The auxiliary service of the Archdiocese of Naples is Cardinal Crescenzio Sepe , Lucio Lemmo and Gennaro Acampa are currently ordinary . The auxiliary of the Archdiocese of Naples is Cardinal Crescenzio Sepe . Lucio Lemmo and Gennaro Acampa are current ordinary . 1 +In the circulated materials such as the Red Bus Airplay Calculation , EMI is still referred as Gold Label Entertainment . EMI is still called Gold Label Entertainment in the circulated materials such as the Red Bus Airplay calculation . 1 +"In his letter to Christofias , Menendez stated "" you can not claim human rights violations by Turkey in your country and then ignore such violations in Cuba ." "In his letter to Christofias Menendez stated : "" You can not ignore human rights violations by Turkey in your country and then claim such injuries in Cuba ." 0 +Brett Mahoney is a recurring figure in the Netflix shows at Marvel Cinematic Universe , where he is portrayed by Royce Johnson . Brett Mahoney is a recurring character in the Marvel Cinematic Universe 's Netflix shows , where he is portrayed by Royce Johnson . 1 +Also , use the codice 6 attribute to mark the elements codice 13 as non-translatable . Also , use the codice 13 attribute to mark the codice 6 elements as non-translatable . 0 +Winner of the tournament Dominika Cibulková won in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . The finals won Petra Kvitová in the final , Dominika Cibulková , 6 -- 4 , 6 -- 1 . 0 +"Collins refers to Davey in his "" Hells Gates "" book ." "Collins refers in his book "" Hells Gates "" to Davey ." 1 +Johnson wrote the texts for the songs by Girish Puthenchery composed . Girish Puthenchery wrote the lyrics for the songs composed by Johnson . 0 +"It is the second entry in the series , the first being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." "It 's the second entry in the series , the first is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." 1 +Olivella alba is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . Olivella alba is a kind of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 0 +He has a son , Seamus , who is seen , but is never mentioned in the series . He has a son , Seamus , who is mentioned but was never seen in the series . 0 +Lars Ankerstjerne has written as songwriter for Nik 'Jay , Burhan G and Rasmus Seebach songs . As a songwriter , Rasmus Seebach has written songs for Nik & Jay , Burhan G and Lars Ankerstjerne . 0 +He died on 24 August 1878 in Wyandotte ( now part of Kansas City ) , Kansas . He died in Wyandotte ( now a part of Kansas City ) , Kansas , August 24 , 1878 . 1 +Rostamabad ( also Romanized as Rostamābād ) is a village in Damavand County , Tehran Province , in the Jamabrud Rural District of Central District , Iran . Rostamabad ( also romanized as Rostamābād ) is a village in Jamabrud County , in the central district of Damavand , Tehran , Iran . 0 +Jalan Padang Temu ( Malaysia state route M100 ) is a major road in Malacca state , Malacca Jalan Padang Temu ( Malaysia State Route M100 ) is a major road in Malacca , Malacca , Malacca . 1 +"Although A.A. Gill was "" critical in "" The Observer and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although A.A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." 1 +The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1 . The current mayor ( from 2013 to 2017 ) is Fernando Nogueira , elected by the PenCe ( municipal movement ) , the independent holiday is October 1 . 0 +"In 1989 he won posthumously the "" Personal Outstanding Contribution to the Radio "" of Broadcasting Press Guild ." In 1989 he posthumously won the Outstanding Personal Contribution to Radio award from the Broadcasting Press Guild . 1 +The politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . Politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . 0 +More special buildings had important names and their signs were larger and decorative . More important buildings had special names and their signs were larger and more decorative . 0 +The hall was the site of the state funeral of the official leader of the federal opposition and NDP leader Jack Layton on August 27 , 2011 . The hall was the scene of the state funeral of the federal leader of the official opposition and the NDP leader Jack Layton on 27 August 2011 . 0 +Polish gradually replaced German , since the Baltic - German language and the establishment of voivodeships reduced the administrative administration . Polish gradually replaced German as the Baltic German language and the establishment of voivodeships reduced the administrative administration . 1 +Elliot Richardson defeated Edward Brooke in the Primary Republican Association . Elliot Richardson defeated Edward Brooke in the Republican Primary . 0 +Neuqua Valley High School , along with three primary schools and 19 secondary schools from this district , are within Naperville city limits in the southern part . Neuqua Valley High School , along with three elementary schools and 19 middle schools from this district , are within Naperville city limits in the southern part . 1 +The Berkeley edition was published in February 1985 and the second print was in June 1985 and the third was in November 1985 . The Berkeley edition was published in February 1985 , the second printing was in June 1985 , and the third printing was in November 1985 . 1 +""" Bastille Day "" is the third episode of the first season of the reimagined "" Battlestar Galactica "" television series ." """ Bastille Day "" is the third episode of the first season of the reworked "" Battlestar Galactica "" series ." 1 +Iowa State has won eight titles , and Oklahoma and Penn State have won seven championships each . The state has won eight titles , and both Oklahoma and Iowa State have won seven championships each . 0 +In 1962 , further restoration was carried out for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker . Further restoration was carried out in 1962 for John Bradburne , who had earlier appointed the poet and mystic William Cardinal Godfrey to be caretaker . 1 +Ravi Singh was born in Delhi , India , to Mr. Puran Singh and to Smt . Puran Singh was born in Delhi , India , to Mr. Ravi Singh and to Smt . 0 +New exhibitions are planned in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . In Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) , new exhibitions are planned . 0 +Until Sonny 's retirement in 2003 , Mosley worked with the Osborne Brothers , and by 2011 with Bobby Osborne and his band Rocky Top Express . Bobby Osborne worked with the Osborne Brothers until Mosley 's retirement in 2003 and with Sonny and his band , the Rocky Top Express , until 2011 . 0 +It is well known as the place where Friedrich Schiller worked on the second act of Don Carlos and wrote his first edition of the famous Ode to Joy . It is known as the place where Friedrich Schiller worked on the second act of Don Carlos and wrote his first edition of the famous Ode to Joy . 1 +The zone serves eastern & central Madhya Pradesh , southern Uttar Pradesh , and northeastern Rajasthan state . The zone serves eastern and central Madhya Pradesh , southern Rajasthan and northeastern Uttar Pradesh state . 0 +The Plot was a heavy rock band founded in 2003 by the bassist Pete Way and his long-time friend , the guitarist Michael Schenker . The Plot was a heavy rock band formed in 2003 by bassist Michael Schenker and his long-time friend , guitarist Pete Way . 0 +The district of Waitaki , in the regions of Canterbury and Otago in New Zealand , stretches the traditional border between the two regions , the Waitaki River . The Waitaki district , in the Canterbury and Otago regions of New Zealand , straddles the traditional border between the two regions , the Waitaki River . 1 +Stone Cold Steve Austin appeared and hit Triple H , Patterson , Brisco , Shane and Vince with a chair . Patterson appeared and beat Triple H , stone cold Steve Austin , Brisco , Vince and Shane with a chair . 0 +From 1993 to 2001 , Huntsman worked as an executive for Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Family Holdings Company , and CEO of Huntsman Cancer Foundation . 1 +Bennett was previously in a relationship with fellow wrestler Victoria Crawford , better known as Alicia Fox . Previously , Bennett was in a relationship with wrestler Victoria Crawford , better known as Alicia Fox . 1 +Khun Wichitmatra wrote the lyrics of the Thai National Anthem in 1934 , two years after the anthem was first written by Chan Kamwilai . In 1934 , Khun Wichitmatra wrote the texts of the Thai national anthem , two years after the anthem was written by Chan Kamwilai . 1 +The three patrol districts Center City serves are the 6th , 9th and 17th districts . The three patrols - districts serving Center City are the 17th , 9th and 6th districts . 1 +Among the musicians of the recording session on March 7th were Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) were among the musicians of the recording session on 7 March . 0 +Devnya is also the seat of the municipality of Devnya ( part of the province of Varna ) , which includes the following 2 villages : Varna Province is also the seat of Devnya municipality ( part of Devnya ) , which includes the following 2 villages : 0 +He died on February 20 , 1930 in Albany , New York . He was buried at the Glenwood Cemetery in Oneida . He died in Albany , New York on February 20 , 1930 , and was buried at the Glenwood Cemetery in Oneida . 1 +""" The Evolution of Dance "" is the second interlude and the ninth track for the album ." """ The Evolution of Dance "" is the ninth interlude and the second track on the album ." 0 +Magnus turned around and reformed the British invasion of Williams by attacking the Eric Young and Orlando Jordan team . Williams turned the heel and reformed the British invasion with Magnus by attacking the Eric Young and Orlando Jordan team . 0 +"Quetzalcoatl 's father Mixcoatl was assassinated , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Zolton , and Cuilton ." "Quetzalcoatl 's father Zolton was murdered , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father , Apanecatl , Mixcoatl and Cuilton were "" ." 0 +Károli started his school years in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy and ordered the Synod of Gönc in 1566 . Károli started his school in Nagykároly and closed it in Brassó , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . 0 +"From 1973 to 1974 , Aguecheek toured with the Cambridge Theatre Company as Diggory in "" She Stoops to Conquer "" and again as Aubrey ." "From 1973 to 1974 Aguecheek toured with the Cambridge Theatre Company as a diggory in "" She Stoops to Conquer "" and again as Aubrey ." 1 +The terrain of the West Bank is somewhat rugged highlands with some vegetation in the west , but in the east is mostly barren . The terrain of the West Bank is somewhat rugged dissected upland with some vegetation in the west , but mostly barren in the east . 1 +""" Gynacantha rosenbergi "" appears greater than "" Gynacantha dobsoni "" , which is quite similar in many ways ." """ Gynacantha rosenbergi "" is larger than "" Gynacantha dobsoni "" , which in many ways appears quite similar ." 0 +Fritz Heider wrote that people tend to view behavior in one of two ways ; the cause of dispositional factors or of situational factors . Fritz Fritz Heider wrote that people tend to regard behavior in one of two ways : the cause of dispositional factors or of situational factors . 1 +She operated San Pedro Bay on the 28th and arrived for more than 2 months before Leyte . She operated San Pedro Bay the 28th and arrived off Leyte for more than 2 months . 1 +In 2015 , Stephen Hawking offered Richard Branson a seat on the Virgin Galactic spaceship for free . In 2015 , Stephen Hawking offered Richard Branson a seat free of charge on the Virgin Galactic spaceship . 1 +Instead , the philosophy is seen as an activity of defining and clarifying the empirical relationships of logical rates . Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical propositions . 0 +It was reported in June that Burke had signed a record contract with Syco and the album will be processed jointly by RCA Records and RCA Records . It was reported in June that Burke has signed a record contract with RCA Records and the album will be handled jointly by Syco and RCA Records . 0 +He attacked the Goan areas and forced them back to the Portuguese coast . He attacked the Goan territories and forced them back to the Portuguese coast . 1 +Kelley began having regular one-man exhibitions at Metro Pictures Gallery in Manhattan in 1982 , and at Rosamund Felsen Gallery in Los Angeles the following year . In 1982 , Kelley began regular solo exhibitions at the Metro Pictures Gallery in Manhattan and the following year at the Rosamund Felsen Gallery in Los Angeles . 1 +""" r "" is the periodic rate , "" i "" the annual rate and "" n "" the number of compounding periods per year ." "Where "" r "" the annual rate , "" i "" is the periodic rate and "" n "" the number of connection periods per year ." 0 +In 1858 he moved with a group of four members from Nevada to Downieville to the area which is now known as Eagle Valley . In 1858 he moved with a group of four members from Downieville to Eagle Valley in the area which today is known as Nevada . 0 +"Under King Louis Phillippe , a "" Gendarmerie Africa "" was created for the service in Algeria and during the Second Empire the Gendarmerie - Regiment of the Imperial Guard was rebuilt ." "Under King Louis Phillippe , a "" Gendarmerie Africa "" was restored to service in Algeria , and during the Second Empire the Gendarmerie - Regiment of the Imperial Guard was created ." 0 +""" Little Boys "" is the third episode in the fourth season of the television series "" How I Met Your Mother "" and 48th overall ." """ Little Boys "" is the fourth episode in the third season of the television series "" How I Met Your Mother "" and 48th total ." 0 +This version of Hector Hammond is a xenobiology professor , an old friend of Hal Jordan and the son of United States senator Robert Hammond . This version of Robert Hammond is a xenobiologist - professor , an old friend of Hal Jordan and the son of Senator of the United States Hector Hammond . 0 +This occurs when the confidence associated with a non-professional relationship is destroyed because of non-professional actions or requirements for professional actions . This occurs when the trust associated with a non-professional relationship is destroyed because of non-professional actions or requests for professional actions . 1 +The Soviet cosmonaut was Yuri Gagarin 's first air force pilot , also the first man in space . The first cosmonaut was Soviet Air Force pilot Yuri Gagarin , also the first person in space . 0 +"He supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." "He is supporting Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." 0 +LaRoche was dismantled on 1 September after being recalled to Triple-A Las Vegas . LaRoche was recalled on 1 September after being degraded to Triple-A Las Vegas . 0 +In 2004 the Parents Television Council revealed the FCC as the primary source of most content complaints received . In 2004 , the FCC revealed the Parents Television Council as the main source of most content complaints . 0 +The consortium 's continuous mission is to create technical jobs and disperse skills that will contribute to the Canadian economy by focusing on innovation and productivity . The Consortium 's technical mission is to create continuous jobs and distribute skills that will contribute to the Canadian economy by focusing on innovation and productivity . 0 +These places include Canada , Japan ( since 2012 ) , Spain , and some parts of the United States . These courses include Spain ( since 2012 ) , Canada , Japan and some parts of the United States . 0 +He died on 18 June 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . He died on 18 June 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . 0 +"The "" Ruby Cup "" of the newspaper "" Molod Ukrayiny "" ( for most goals ) was reached by SKA Kiev ." "The "" Ruby Cup "" of the newspaper "" Molod Ukrayiny "" ( for most gates ) was received by SKA Kiev ." 0 +He graduated from Harvard University in 1891 , and then received a master 's degree from MIT in 1893 . He graduated from Harvard University in 1893 and received a Master 's degree from MIT in 1891 . 0 +"The total energy binding per nucleon "" would be this value divided by "" A "" ." "The binding "" total energy per nucleon "" would be this value divided by "" A "" ." 1 +The fifth season was premiered on 15 September 2013 and the sixth season was premiered on April 10 , 2014 . The sixth season premiered on September 15 , 2013 . The fifth season premiered on April 10 , 2014 . 0 +It is used as a measure of the absorbed dose , kinetic energy ( released ) and kerma ( an acronym for specific energy awarded per mass unit ) . It is used as a measure of absorbed dose , specific energy ( imparted ) , and kerma ( an acronym for kinetic energy released per unit mass ) . 0 +According to the United States Census Bureau , Irvine has a total area of which land and , or 5.13 % , is water . According to the United States Census Bureau , Irvine is a total surface area of which is land and , or 5.13 % , has water . 1 +Thus , injective Abelian groups in the category of Abelian groups are divisible modules , and vice versa , every injective group ( baer - criterion ) is divisible . Thus divisible groups are injective modules in the category of abelian groups , and conversely , every injective abelian group is divisible ( Baer 's criterion ) . 0 +Callery is located in the southwestern corner of Adams Township in northwestern Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the southwestern corner of the Adams Township in northwest Butler County , at ( 40.739587 , -80.037211 ) . 1 +The Island was named after the Reverend David Dunbar who came with Robert Rutherford 's group to the area from North Ireland , in 1729 . The Island was named after the reverend Robert Rutherford , who came to the region in 1729 with David Dunbar 's group from Northern Ireland . 0 +Amata hyalota is a kind of moth of the family Erebidae It is found in Australia ( Queensland ) . Amata hyalota is a sort of moth of the family Erebidae It is found in Queensland ( Australia ) . 1 +She was selected in the 20th round of the 2012 WNBA Draft ( second total ) by Minnesota Lynx . It was selected in the second round of WNBA Draft 2012 ( 20th Overall ) by the Minnesota Lynx . 0 +Ippolita Rostagno was born in Florence on December 10 , 1963 and is the daughter of an American artist and an Italian intellectual . Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an American artist and an Italian intellectual . 1 +A functional magnetic resonance imaging ( fMRT ) study showed that deaf participants use the visual cortex as well as the primary auditory cortex when they observe sign language . A functional magnetic resonance imaging ( fMRI ) study found that deaf participants use the visual cortex as well as the primary auditory cortex when they observe sign language . 1 +Wayne Bennett took over from Chris Anderson as coach of the team in March 1999 . In March 1999 , Chris Anderson took over the succession of Wayne Bennett as team coach . 0 +In 1995 , Brown 's close friend Kris Jenner named her daughter Kendall Nicole Jenner in memory of Brown . In 1995 , the close friend of Kendall Nicole Jenner , Kris Jenner , named her daughter Brown in memory of Brown . 0 +""" Encrinus "" was assigned in 1764 . It was described to the order Encrinida by Jack Sepkoski in 2002 ." was described in 1764 and was assigned by Jack Sepkoski in 2002 to the Encrinida order . 0 +"In March 1799 Captain Boyle replaced David Lloyd , and sailed "" Hyaena "" for the Mediterranean on 4 March ." "In March 1799 , Captain Boyle David Lloyd replaced and sailed on 4 March with "" Hyaena "" after the Mediterranean ." 0 +This marine species has been found from Bristol Bay , Bering Sea , to Monterey Bay , California , USA . This marine species was found from Monterey Bay , California , USA , to Bristol Bay , Bering Sea . 0 +Burki started his career in Switzerland for a year , until he returned to Paris to work in rotogravure from 1971 to 1979 . He started his career for a year in Paris until he returned to Switzerland from 1971 to 1979 to work in gravure . 0 +Another interpretation specifies Sicily separated from Naples , plus Jerusalem and Aragon . Another interpretation specifies Naples separate from Sicily , plus Jerusalem and Aragon . 0 +Stenolechia squamifera is a moth of the Gelechiidae family . It is found in Kyushu , Tsushima Island ( Japan ) . Stenolechia squamifera is a moth from the family of gelechiidae found in Japan ( Kyushu , Tsushima Island ) . 1 +The 1980 - 81 Toronto Maple Leafs season was the Toronto Maple Leafs 54th season of the franchise , 64th season as the Maple Leafs . The 1980-81 Toronto Maple Leafs season was the Toronto Maple Leafs 54th season of the franchise , season 64th as the Maple Leafs . 1 +Eivind Saxlund was active in the Church of Norway and married to Asserson . Eivind Saxlund was active in the Church of Norway and was married to Asserson . 1 +Defending race winner Bill Elliott won the pole for the second year in a row , and Geoffrey Bodine won the race . The defending race winner Geoffrey Bodine won the Pole for the second time in a row and Bill Elliott won the race . 0 +""" Point Blank 1.5 "" was published in Singapore and Malaysia in January 2014 , released by Garena ." """ Point Blank 1.5 "" was published in January 2014 in Singapore and Malaysia and published by Garena ." 0 +Industrially , argon is generated by the fractional distillation of liquid air . Industrially , argon is produced by the liquid distillation of fractioned air . 0 +Allen was born in Oldtown , Kentucky , visited the High School in Ashland and played at West Virginia University from 1932 to 1934 . Allen was born in Ashland , Kentucky , visited the High School in Oldtown and played at West Virginia University from 1932 to 1934 . 0 +Cicimli ( also , Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye , and Dzhidzhimli Vtorye ) is a village in the Azerbaijan of Lachin Rayon . Cicimli ( also Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye and Dzhidzhimli Vtorye ) is a village in Azerbaijan of the Rayon Lachin . 1 +Colonel Seishirō Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident by 31 May 1931 . Until 31 May 1931 , Colonel Kenji Doihara , lieutenant colonel Kanji Ishiwara , Colonel Takayoshi Tanaka , and Major Seishiro had completed Itagaki plans for the incident . 0 +Disputes with leaders of Lutesville persuaded the railroad to move their route through Marble Hill instead . Disputes with leaders of Lutesville persuaded the railroad to relocate their route through Marble Hill instead . 1 +One of Hathras ’ best and most prestigious schools is St Francis Inter College , Aligarh Road . St Francis Inter College , Hathras Road , is one of the best and most renowned schools in Aligarh . 0 +"At 10 : 59 , the last element of 2nd Battalion 4th Marines left the zone and the last marine helicopter landed on the USS "" Okinawa "" at 12 : 15 ." "At 10 : 59 AM the last ship element of the 2nd Battalion 4th Marines left the zone and the last helicopter landed at 12 : 15 on the USS "" Okinawa "" ." 0 +She approaches Lance Smart ( Peter Vroom ) , Martin Dibble ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they form a band named Image . She approaches Lance Smart ( Martin Dibble ) , Peter Vroom ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they found a band named Image . 0 +According to the Australian engineer Sharon Beder , the main advantages of marine processes are the discharge of wastewater : According to the marine engineer Sharon Beder the main advantages of Australian outfalls for the discharge of wastewater are : 0 +The series was written by Butch Guice by Ed Brubaker and illustrated by Bryan Hitch . The series was written by Ed Brubaker , illustrated by Bryan Hitch and colorized by Butch Guice . 0 +On 21 August , Olaf came from a warm south of Acapulco over extremely disturbed waters . Olaf originated from a warm south of Acapulco on August 21 over extremely disturbed waters . 1 +"McClain was one of the pioneers in the introduction of "" Ragtime Minstrelsy "" , which opened a wider range of styles on the eve of the vaudevillized era ." "McClain was one of the pioneers in introducing "" vaudevillized minstrelsy "" , which opened a wider range of styles on the eve of the ragtime era ." 0 +Mr Payne has made the highest bid for Mr Cave 's goods at an auction . Mr Payne made the highest bid for Mr Cave 's goods at an auction . 1 +The province of Puerto Inca is the largest of the eleven provinces in the Huánuco region in Peru . The Puerto Inca Province is the largest of eleven provinces of the Huánuco Region in Peru . 1 +Angelica Panganiban ( Lizelle Jimenez ) is in new relationship with surgeon Adrian Benitez ( Gabby Concepcion ) . In a new relationship with surgeon Adrian Benitez ( Gabby Concepcion ) is Liz Lizene Jimenez ( Angelica Panganiban ) . 1 +Nationalist parties , however , said , together with other liberal groups , that they would boycott the July elections . However , nationalist parties , together with other liberal groups said they would boycott the July elections . 1 +In singles , King was 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Virginia Wade , and 1 -- 1 against Christine Truman Janes . King was against Ann Haydon-Jones , 4 -- 0 against Virginia Wade and 1 -- 1 against Christine Truman Janes at the singles with 6 -- 1 . 1 +"Willa Cather is a short story by Peter , which was published in "" The Mahogany Tree "" in 1892 ." "Willa Cather is a short story by Peter . It was first published in "" The Mahogany Tree "" in 1892 ." 1 +Richland Township is a second class township and governs with a Home Rule Charter . Richland Township is a 2nd Class Township and governs with a Home Rule Charter . 1 +Mouhoun is one of the 45 provinces of Boucle du Mouhoun Region and is in Burkina Faso . The capital of Mouhoun is Dédougou . Mouhoun is one of 45 provinces of the Boucle du Mouhoun region , located in Burkina Faso , the capital of Mouhoun is Dédougou . 1 +The Shetland Islands of the central mainland are part of the mainland , between Hellister , Aith and Voe . The Shetland Islands of the Central Mainland is the part of the Mainland , between Hellister , Aith and Voe . 1 +General De Gaulle on the other hand was less impressed , dismissing her recommendations and only half reading most of her reports . On the other hand , General De Gaulle was less impressed , read her recommendations , and rejected most of her reports only half . 0 +Fritz August Hoenig ( 1848 -- 1902 ) was a German officer and a military writer . Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and German writer . 0 +Edmund Butler ( died in 1551 ) was Archbishop of Cashel and the illegitimate son of Piers Butler , 8th Earl of Ormonde . Edmund Butler ( died 1551 ) was archbishop of Cashel and the illegitimate son of Piers Butler , 8th Earl of Ormonde . 1 +This way , assertions can be provided as a framework feature with the method Debug.Assert , which is only evaluated when the DEBUG constant is defined . This allows assertions to be provided with the Debug.Assert method as a framework feature , which is only evaluated when the DEBUG - Constant is defined . 1 +The elevation of the island is , and it has a shoreline of length . The elevation of the island has , and it is a coastline of length . 0 +In Lilongwe there are 38 private and 66 public primary schools with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . In Lilongwe there are 38 public primary schools and 66 secondary schools with a total of 103,602 students , as well as 29 private schools with 30,795 students . 0 +In the aftermath of Impact , Jesse Neal , Hall and Nash defeated Team 3D and Waltman in a Street Fight on April 12 . On the April 12 episode of Impact , Jesse Neal , Hall and Nash defeated Team 3D and Waltman in a Street Fight . 1 +All of these will have half the symmetry ( double the fundamental domain sizes ) of the regular apeirogon . All of these have half the symmetry ( double the fundamental domain size ) of the regular Apeirogon . 1 +The Swiss Federal Council and the Swiss Federal Assembly recommended that the initiative be rejected . The Swiss Federal Assembly and the Swiss Federal Council have recommended that the initiative be rejected . 1 +In Karnataka there are many Vithoba temples and some are in Andhra Pradesh , Tamil Nadu and Maharashtra . There are many Vithoba Temples in Maharashtra and some are in Karnataka , Tamil Nadu and Andhra Pradesh . 0 +The region was followed by the Muslim house of Arakkal , ruled by Tipu Sultan . The region was then run by the Muslim house of Arakkal , followed by Tipu Sultan . 0 +Steve Reicher ( Stephen D Reicher ) is a Professor of Social Psychology and former Head of the School of Psychology at the University of St Andrews . Stephen D Reicher ( Steve Reicher ) is a Professor of Social Psychology and former Head of School of Psychology at the University of St Andrews . 1 +When the Florentine Republic fell in 1530 , Volterra came under the control of the Medici family and later the history of the Grand Duchy of Tuscany . When the Florentine Republic came in 1530 , Volterra fell under the control of the Medici family and later followed the history of the Grand Duchy of Tuscany . 0 +"Kauhola Point Lighthouse was located near Kapa ' , au , on the "" Big Island "" of Hawaii , near the northern tip of the island ." "Kauhola Point Lighthouse was located near Kapa'au , on the "" Big Island "" of Hawaii , near the northern tip of the island ." 1 +When Santa Anita Park was closed in 2014 , the race was transferred to Hollywood Park Racetrack . In 2014 when Hollywood Park Racetrack closed the race was moved to Santa Anita Park . 0 +There are two major special cases : ( i ) a simple open chain and ( ii ) a simple closed chain . There are two important special cases : ( i ) a simple closed chain and ( ii ) a simple chain open . 1 +Brekeke Software , Inc. offers two versions of its Brekeke PBX software , single-tenant and Multi-Tenant version . Brekeke Software , Inc. offers two versions of its brekeke - PBX software , multi-tenant - tenant and single - version . 0 +He died in New City ( now Clarkstown ) , New York , August 16 , 1850 . He died on August 16 , 1850 in Clarkstown ( now New City ) , New York City . 0 +It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Universal Music by Spectrum Label in 1999 . It was re-released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and released in 1999 by Universal Music 's Spectr 0 +"Also in Peaches Christ ' ; s "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow appeared Brown Brown ." "Cassandra Peterson also appeared in "" All about the Evil "" of Peaches Christ with Patrick Bristow , Mink Stole and Brown ." 0 +In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria , the course was taught in their 2012 school year . In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria taught the course in their 2012 school year . 1 +Born in Stockholm , Sweden in 1967 , she grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) home . Born in 1967 in Madrid , Spain , grown up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . 0 +"According to this publication it was devoted to "" rural economy , internal improvements , news , prices current "" ." "According to that publication it was devoted to "" internal economy , rural improvements , news , prices current . """ 0 +It is based on Ealing in Ealing Broadway , near the Uxbridge Road Station , London , the same address as Transworld . It is based on Uxbridge Road in Ealing near Ealing Broadway station , London , the same address as Transworld . 0 +Williams also played Captain Hastings in several BBC Radio 4 adaptations of Hercule Poirot novels , starring John Moffatt as Agatha Christie . He also played in several BBC Radio 4 adaptations of Agatha Christie - novels with John Moffatt as Hercule Poirot Captain Hastings . 0 +Dierker is also the first manager in MLB history to win a division championship in his sixth season for the Astros in 1997 . Dierker is also the first manager in the MLB story to win a division championship in 1997 in his sixth season for the Astros . 1 +He was taught by the Croatian composer Vatroslav Lisinski music and later enrolled at the music school Rudolf Matz . He was enrolled in music lessons by the Croatian composer Rudolf Matz and later the Vatroslav Lisinski Music School . 0 +The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . 1 +"The first newspaper was published in the state in 1781 , the weekly "" Vermont Gazette "" ." "The first newspaper was published in 1781 in the state , the weekly "" Vermont Gazette "" ." 1 +On Monday , Louis Philippe visited the individual exhibits , as Napoleon had done . Napoleon visited the individual exhibits on Mondays , as Louis Philippe had done . 0 +Defeated with Hirai , Kato escapes with Yukari . Defeated with Kato , Hirai escapes with Yukari . 0 +He married Mary Ellen Blanche Crookes ( 1870-1935 ) , daughter and co-founder of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor in 1901 . He married in 1901 Anne Blanche Harriet Proctor ( 1870-1935 ) , daughter and coheiress of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes . 0 +After a two-year stint in Chicago , Doss commenced his professional career in January 1986 as a member of the Metropolitan Opera in New York City . After a two-year stint in Chicago , Doss began his career in January 1986 as a member of the Metropolitan Opera in New York City . 1 +Born in Gosforth , Northumberland , he moved to Wiseton Estate as a boy near Retford , Nottinghamshire , when his father found jobs there . Born in Retford , Nottinghamshire , he moved as a boy to Wiseton Estate , near Gosforth , Northumberland , when his father found jobs there . 0 +Ranjib Biswal is married to Anita Mohanty , a NRI from London , United Kingdom Anita Mohanty is married to Ranjib Biswal , an NRI from London , United Kingdom . 0 +Both John Kerry in 2001 and Mark Warner in 2004 lost Loudoun and Prince William counties . Both in 2001 Mark Warner and John Kerry in 2004 lost Loudoun and Prince William counties . 0 +Kurgo products are also available through the distributor Accapi Group in Australia and New Zealand , while MasterPet Kurgo products are sold in Europe . Kurgo products are also available in Australia and New Zealand through the distributor Accapi Group , while MasterPet distributes Kurgo products in Europe . 1 +In 2010 he won the 17th place in the 2nd Ukrainian Team Chess Championship with the Rivne Forest Bisons team . In 2010 he won the 2nd place in the 17th Ukrainian Team Chess Championship with the Rivne Forest Bisons team . 0 +Rodney Waschka II is an American composer known for his algorithmic compositions and theatrical works . Rodney Waschka II is an American composer known for his theatrical compositions and his algorithmic works . 0 +Hawkgirl is now 100 % Kendra Saunders . Now Kendra Saunders is 100 % Hawkgirl . 0 +He was also a mechanic in Freddie Spencer 's team when Spencer won the 500cc World Championship title in 1985 . He was also a mechanic on Freddie Spencer 's team when Spencer won the 500cc World title in 1985 . 1 +He later planted the movement in London , and then in Brooklyn , New York , and Monticello , New York . Then he re-planted the movement in Brooklyn , New York , and later in London , and Monticello , New York . 0 +Political prisoners were Pieter Geyl ( Prime Minister 1945-1946 ) , , Wim Schermerhorn and , all post-war politicians . Political prisoners were Wim Schermerhorn ( Prime Minister 1945-1946 ) , Pieter Geyl and all of the post-war politicians . 0 +"In 1901 the first part of his piano cycle "" On an Overgrown Path "" was listed and gradually became one of his most published works ." "In 1901 , the first part of his piano cycle "" On an Overgrown Path "" was performed and gradually became one of his most frequently-published works ." 1 +Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , he was Sheriff of London in 1559 . Sir Martin ( or Roger Martyn ) was Mercer and Lord Mayor of London in 1567 , and in 1559 also Sheriff of London . 1 +She explores traditional music as well as the contemporary repertoire . She explores traditional music as well as contemporary repertoire . 1 +B is the middle term between the two premises ( the common term ) , but is never distributed , so that syllogism is invalid . B is the usual term between the two premises ( the center term ) , but is never distributed , so this syllogism is invalid . 0 +Various high-ranking positions were occupied at Yukos Oil Company and its subsidiary , the Menatep Group . Nevzlin occupied various high-ranking positions at Group Menatep and its subsidiary , the Yukos Oil Company . 0 +In 1977 , the US 1 was transferred to Webster Avenue and Alexander Hamilton Bridge , crossing the Harlem River via the Cross Bronx Expressway . In 1977 , the US 1 was transferred to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River via Alexander Hamilton Bridge . 0 +Thomas Calvert was born in London on December 30 , 1870 , and was the first son of the journalist Herbert Hepburn Calvert and his wife Grace ( nee Hepburn ) . Herbert Hepburn Calvert was born on December 30 , 1870 in London and was the first son of the journalist Thomas Calvert and his wife Grace ( near Hepburn ) . 0 +Cloud9 is the native IDE for the BeagleBone Black Single Board Computer , which is primarily programmed in an extension of node.js named Bonescript . Cloud9 is the single IDE for the BeagleBone Black native board computer , which is primarily programmed in an extension of node.js called Bonescript . 0 +where formula _ 3 has the original supply curve and formula _ 23 is the minimum wage . The horizontal first curve is thus a new branch and a kink at the point Where Formula 3 has the original supply curve and Formula 23 is the minimum wage , the first horizontal curve is a new branch and a knick at the point . 1 +Rosemont 's Allstate Arena is home to the Chicago Wolves of the American Hockey League , the WNBA 's Chicago Sky , and the DePaul University basketball team . The Allstate Arena of Rosemont is home to the Chicago Wolves of WNBA , the Chicago Sky of the American Hockey League and the DePaul University basketball team . 0 +Dierker is also the sixth manager in the MLB story to win a Championship division in his first season for the Astros in 1997 . Dierker is also the sixth manager in MLB history to win a division championship in his first season for the Astros in 1997 . 1 +Morris Township is located in the 25th Congressional District and is part of the 11th State Legislative District of New Jersey . Morris Township is located in the 25th Congressional District and is part of New Jersey 's 11th state legislative district . 1 +""" Fried Onions "" was shown in a television advertisement for Options indulgence chocolate drink , first used on UK TV in December 2011 ." """ Fried Onions "" was shown in a television advertisement for options - enjoyment - chocolate drink , which was first used in December 2011 on UK TV ." 1 +Prenatal hormones , especially glucocorticoids such as cortisol , are essential for the development of the adrenal organs , particularly for the maturation of the lungs . Adrenal hormones , particularly glucocorticoids like cortisol , are essential for the prenatal development of organs , especially for the maturation of the lungs . 0 +The film was a moderate success because it followed Mithun 's low-budget formula . The film was a moderate success , as it followed Mithun 's low-budget formula . 1 +"Although iron is generally less active in many catalytic applications , it is less expensive and "" -greener than other metals ." "Although iron in many catalytic applications is generally less expensive , it is less active and "" greener than other metals ." 0 +However , the two unpopular Cantons had immediate financial problems and were forced to institute a number of new taxes and laws . The two new cantons , however , had immediate financial problems and were forced to impose a series of unpopular taxes and laws . 0 +Aletta is a Dutch feminine related name , given to Alida , Adelheid and Adelaide . Aletta is a Dutch female related name given to Alida , Adelheid and Adelaide . 1 +In the 1970s , W & R Jacob in Tallaght , Ireland merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Dublin . In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd in Dublin and moved to Tallaght , Ireland . 0 +The sheep are being sacrificed and the meat is distributed to relatives and neighbours and given to the poor . Sheep are sacrificed and the meat is given to relatives and neighbours and distributed to the poor . 1 +The white spur is cylindrical and curved upward , longer than the ovary . The cylindrical spur is curved white and upward , longer than the ovar . 0 +These airlines operate more than 80 cities all over India and , after the liberalisation of Indian aviation , also connect overseas routes . These airlines connect more than 80 cities throughout India and , after the liberalisation of Indian aviation , also operate overseas routes . 0 +Thorleif Paus served as Norwegian consul-general in Vienna , owned two factories and became owner of Kvesarum Castle in Sweden . Thorleif Paus served as a Norwegian consul in Vienna , owned two factories and became owner of the castle Kvesarum in Sweden . 1 +We find the following local item , which was telegraphed to the Republican fayette from Cedar Rapids , March 6 , 1885 . """ We find the following local item telegraphed to the Cedar Rapids Republican from Fayette , March 6 , 1885 ." 0 +Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 -- 2 , 6 -- 2 in the final . Julio Peralta and Horacio Zeballos won the title and defeated Sergio Galdós and Luis David Martínez 6 -- 2 , 6 - 2 in the final . 0 +Beth confronts herself and frees her , only to discover that she herself was picked up as a baby from this facility by her adoptive parents . Beth frees herself and confronts her , only to find out that she herself was picked up by her adoptive parents as a baby from this institution . 0 +Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda waits for Steve at the bar where Carrie is working . Steve Brady ( David Eigenberg ) and Miranda meet during the second season , when Miranda is waiting for Steve at the bar where Carrie works . 1 +The valley itself is made lush by the river and green , while the surrounding is stone desert . The valley itself is made lush and green by the river , while the surrounding area is rocky desert . 1 +St Francis Inter College , Aligarh Road , is one of the best and most renowned schools in Hathras . One of the best and most prestigious schools in Aligarh is St Francis inter college , Hathras road . 0 +The band supports Norwich City FC , with the exception of John Evans who follows Wrexham FC . The band supports Wrexham FC , with the exception of John Evans , who follows the Norwich City FC . 0 +Goldman Sachs sold the company to Silverlake Partners for US $ 800 million in 2006 . In 2006 , Silverlake Partners sold to Goldman Sachs for $ 800 million . 0 +"He completed formal koan study in 1988 with Yamada Koun and received the dharma name Tetsu-un , "" Wisdom Cloud "" ." "He finished a formal Koan study with Yamada Koun in 1988 and received the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." 1 +"According to the Miramar Ship Index "" Baie St. Paul © has a capacity of 24,430 tons and a gross tonnage of 37,690 tons ." """ Baie St. Paul "" has a gross tonnage capacity of 24,430 tons and a capacity of 37,690 tons according to the Miramar Ship Index ." 0 +The book was written by Arthur Laurents , with music by Stephen Sondheim , lyrics by Leonard Bernstein , and choreography by Jerome Robbins . The book was written by Arthur Laurents , with music by Stephen Sondheim , texts by Leonard Bernstein and choreography by Jerome Robbins . 1 +""" Volta "" was bombed and sunk on 24 November 1943 and later refloated and scrapped in 1948 ." """ Volta "" was refloated and scrapped on November 24 , 1943 , and bombed and sunk in 1948 ." 0 +In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru were limited to only 6,000 units . 1 +Latin pop usually combines American Latin music with upbeat pop music . Latin - Pop usually combines good-natured Latin music with American pop music . 0 +"The series is based on the book series "" The Mortal Instruments "" from Ed Decter and was developed by Cassandra Clare for television ." "The series is based on the book series "" The Mortal Instruments "" by Ed Decter , and developed for television by Cassandra Clare ." 1 +It is now held by John Richard Attlee 's grandson Clement Attlee , 3rd Earl Attlee . It is now held by Clement Attlee 's grandson John Richard Attlee , Earl Attlee 3rd . 0 +In 1697 he was re-elected as a Whig Member of Parliament for Eye and sat until 1713 , when he was returned to Lymington . In 1697 he was re-elected as a Whig Member of Parliament for Eye and sat until 1713 when he was returned for Lymington . 1 +( Lech Wałęsa accepted the symbols of Ryszard Kaczorowski 's pre-war presidency ) . Ryszard Kaczorowski accepted symbols of the pre-war presidency from Lech Wałęsa . 0 +Pierceville is an unincorporated community in Franklin Township , Ripley County , in the U.S. state of Indiana . Pierceville is an unlawful community in Franklin Township , Ripley County , in the U.S. state of Indiana . 1 +Although no portrait of Kamo remains , it is said he was a large man with very pale skin and small eyes . Although no portrait of Kamo remains , it is said that he was a little man with very pale skin and large eyes . 0 +As with the navy , the army has a single-track system where officers from other naval communities permanently transfer to the Foreign Area Officer . As with the Navy , the Army has a single-track system , where officers from other Navy communities transfer over to Foreign Area Officer permanently . 1 +There is a national road connecting Washim , Kanergaon , Akola , Amrawati , Hingoli and Nanded . There is a National Highway connecting Washim , Kanergaon , Akola , Amrawati , Hingoli and Nanded . 1 +For the rest of his life , Nyberg earned a modest sum from the photo until his death in 1968 . Enstrom died in 2012 . Enstrom earned a modest sum from the photograph for the remainder of his life until his death in 1968 . Nyberg died in 2012 . 0 +The Roman - Catholic diocese of Masaka is a diocese in the city of Masaka in the church province of Kampala in Uganda . The Roman Catholic Diocese of Masaka is a diocese located in the city of Masaka in the Ecclesiastical province of Uganda in Kampala . 0 +He was born on 23 January 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born on January 23 , 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on January 29 , 1984 in London . 1 +Kingsville is bordered by the renovated Jericho Farm Museum , the Jerusalem Mill Village and the restored Jericho Covered Bridge on the shores of Little Gunpowder Falls . Kingsville is surrounded by the restored Jerusalem Mill Village Museum , the Jericho Farm and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls . 0 +"Vreeland interpreted this phenomenon to Rowlands in an interview for the book : "" It 's because Avedon lasted "" ." "Vreeland interpreted this phenomenon for Rowlands in an interview with the book : "" It 's because Avedon lasted "" ." 1 +On May 13 , the Old Harbour Bay always celebrated the arrival of the East Indians in Jamaica . Jamaica has always celebrated the arrival of the East Indians in Old Harbour Bay on 13 May . 0 +The 1913 New Zealand rugby league tour of Australia was a tour by the New Zealand national rugby league team . The New Zealand Rugby - League - Tour of 1913 Australia was a tour of the New Zealand rugby national team . 1 +Similarly , Western populations annually migrate between regions to the west of the Rocky Mountains , including northern Canada , and overwintering locations on the California coast . Similarly , the western populations migrate annually between regions west of the Rocky Mountains including northern Canada and overwintering sites on the coast of California . 1 +In June 1921 , the Detroit Tigers sold Perritt to the Giants . In June of 1921 , the giants sold Perritt to the Detroit Tigers . 0 +From where you can see a lot of parts of New Town , Rajarhat and Kolkata . From where you see a lot of parts of New Town , Rajarhat and Kolkata . 1 +Mhasad is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Mhasad is a village in the Palghar district of Maharashtra , India . It is situated in Dahanu Taluka . 1 +In his Karachi workshop he outlines in the open air and paints his ideas on the ground . In his Karachi workshop , he sketches in the open air and paints his ideas on the ground . 1 +More recently , the band has combined Extra Life Aspects of Old Music with the modern genre of Math Rock . More recently , the band Extra Life has combined aspects of modern music with the early genre of math rock . 0 +In 2005 , Nilsson sold the Flash Engineering team to Christian Dahl and was renamed Polestar Racing . In 2005 , Nilsson sold the Flash Engineering team to Christian Dahl , and it was renamed Polestar Racing . 1 +As long as formula _ 30 then the reduction is valid thus formula _ 31 . As long as Formula 30 is valid , the reduction is thus Formula 31 . 0 +A week later , Bland left Philadelphia and arrived in Valparaíso on October 29 , 1818 . Bland left Philadelphia one week later and arrived in Valparaíso on October 29 , 1818 . 1 +It can also be seen that the angle of the outgoing electron with the direction of the incoming photon is specified by It can also be specified that the angle of the invading electron is seen with the direction of the exiting photon by : 0 +For many problems it is more convenient to work with D and free charges than with E and the total charge . For many problems it is more convenient to work with D and the total cost than with E and the free charge . 0 +Or the Egg object could use properties , and invoke methods instead Or the Egg object could call properties and instead use methods . 0 +Conchita Martínez Granados ( born January 20 , 1976 in Spain ) is a former Barcelona tennis player , Spain . Conchita Martínez Granados ( born 20 January 1976 in Spain ) is a former professional female tennis player from Barcelona , Spain . 0 +In Franklin Township , it 's in DeKalb County and in Steuben County it is in Otsego Township . It is in Otsego Township in Steuben County , and in DeKalb County it is in Franklin Township . 0 +The popular series follows a unique group of craftsmen from the West Virginia . The unique series follows a popular group of West Virginia craftsmen . 0 +It is found in Burundi , the Democratic Republic of the Congo , Rwanda , and Uganda . It is being found in Burundi , the Democratic Republic of the Congo , Rwanda and Uganda . 1 +The school is headed by the Neelaveni Thayarammal Memorial Trust , Trichy , which took over the school leadership from the BHEL Educational Society , Coimbatore , on 1 June 2011 . The school is managed by the Neelaveni Thayarammal Memorial Trust , Trichy , which took over the school management from BHEL Educational Society , Coimbatore on 1 June 2011 . 1 +On November 24 , 2012 , Franscoviak married writer Charlie Kirn . The two live in Livingston , Montana with her children Maisie and Maggie McGuane . Franscoviak married the writer Maggie McGuane on November 24 , 2012 , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . 0 +With a third and a fourth place , while Trinity were in the bottom half . With a fourth and a third place , while Trinity were in the lower half . 1 +"Two singles , "" Lips to Find You "" and "" Love Me Down Easy "" , were released ." "The two singles "" Lips to Find You "" and "" Love Me Down Easy "" were released ." 1 +The words were written by former mayor James Rolph and dedicated by Mayor Edward Robeson Taylor . The words were written by the previous Mayor James Rolph , and dedicated by Mayor Edward Robeson Taylor . 1 +When reached with fatty food , highest plasma concentrations are taken after two hours , and the area under the curve is increased by 40 % . The highest plasma concentrations are reached after two hours , when the fatty food is taken and the area under the curve is increased by 40 % . 0 +It is developed by Awesome Glitch and published by Those Beautiful Guys . It is developed by Awesome Glitch and published by Beautiful Guys . 1 +Doriano Romboni ( December 8 , 1968 in Lerici , Italy -- 30 November 2013 in Latina , Italy ) was an Italian Grand Prix - Motorcycle - Street Race . Doriano Romboni ( 8 December 1968 in Lerici , Italy -- 30 November 2013 in Latina , Italy ) was an Italian Grand Prix motorcycle road racer . 1 +In June 2011 , Julian Schabel , curated by Rosenthal , opened Museo Correr in Venice . In June 2011 , the Rosenthal curated by Julian Schabel opened at the Museo Correr in Venice . 0 +Robert W. Edgar was appointed by Cohen as a member of the Council of the President 's Common Cause . Cohen was appointed by Robert W. Edgar as a member of the President 's Council of Common Cause . 0 +Bassett was the owner of the Toronto Argonauts from 1957 to 1974 , a team in the Canadian football league . From 1957 until 1974 , Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League . 1 +Taizong also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically elevated Shi Jingtang and the Liao to a superior position . Shi Jingtang also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically raised Taizong and Liao to a superior position . 0 +Some of his earlier works were strictly geographical ( such as teaching films ) , others such as communism and humanity . Some of his earlier works were strictly geographical ( such as educational films ) ; others , such as Communism and Humanity . 1 +Baby Boom is a romantic comedy orchestrated by Nancy Meyers in 1987 , produced by Charles Shyer and Shyer and written by Meyers and Bruce A . Baby Boom is a romantic comedy by Charles Shyer in 1987 , written by Nancy Meyers and Shyer and produced by Meyers and Bruce A . 0 +The idea is to sort the data on the X or Y coordinate one of the corners of the rectangle . The idea is to coordinate the data in the x or y type of one of the corners of the rectangles . 0 +Automatic transmission became standard ; manual , with or without overdrive , was an option in 1967 . Automatic transmission became standard , manually , with or without overdrive , was an option in 1967 . 1 +"Hall Island ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in Franz Josef Land , Oblast Archangelsk , Russia ." "Franz Josef Land , Arkhangelsk Oblast , Russia ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in Hall Island ." 0 +In 1922 , Sharett married Tzipora Meirov ( 12 August 1896 -- 30 September 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . In 1922 , Sharett married Tzipora Meirov ( August 12 , 1896 - September 30 , 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . 1 +has played in Burkino Faso for the Centre Saint-Étienne Bobo and in France for Saint-Étienne B . Sanou has played in France for Centre Saint-Étienne Bobo and in Burkino Faso for Saint-Étienne B . 0 +He has spent 2012 -- 13 in Israeli Basketball Super League with Bnei Herzliya . Season 2012 -- 13 he spent in Bnei Herzliya with Israeli Basketball Super League . 0 +Born the son of geologist and mineralogist Emma Brosy and the Swiss berend George Escher was born . Escher was born as the son of the geologist and mineralogist Berend George Escher and the Swiss Emma Brosy . 0 +Brusio is a municipality in the Bernina region of the Canton Graubünden , Switzerland . Brusio is a municipality in the Graubünden in the canton of Switzerland in Bernina Region . 0 +For large data , small factors can not be ignored , but an asymptotically linear or square algorithm can be more efficient for inefficient data . For large data linear or quadratic factors can not be ignored , but for small data an asymptotically inefficient algorithm may be more efficient . 0 +"Arkha is a village development committee in Pyuthan , a district of "" Rapti Zone "" in Middle Hills , West Nepal ." "Arkha is a Village Development Committee in Pyuthan , a "" Middle Hills "" district of Rapti Zone , western Nepal ." 0 +Danny took Sarah out on a boat . Sarah took Danny on a boat . 0 +In 1975 he moved to Odibo and returned to Windhoek in 1977 . In 1975 he returned to Odibo and went to Windhoek in 1977 . 0 +In the first stage of the Promotion , 5 provincial leagues were played , with 9 clubs qualifying for the final round : In the final of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first round . 0 +""" The Remarkable Rocket "" is a parody of masculine vanity and aristocratic imagination ." """ The Remarkable Rocket "" is a parody of aristocratic vanity and masculine conceit ." 0 +Defeated Gardnar Mulloy defeated Frank Sedgman 6 -- 1 , 6 -- 2 , 6 -- 3 . Gardnar Mulloy defeated Frank Sedgman 6 -- 1 , 6 -- 2 , 6 -- 3 . 1 +Current board members , according to Force Ministries website , include Greg Wark as president , along with Robert Owens and Art Smith . According to the website of Force Ministries , the current Executive Board members include Robert Owens and Art Smith as president , along with Greg Wark . 0 +A Frankish army under Winigis and Hildebrand , Duke of Spoleto , joined Grimoald and defeated Adelchis on the coast soon after his landing . A Franconian army under Winigis and Hildebrand , duke of Spoleto , defeated Grimoald and joined soon after his landing Adelchis along the coast . 0 +Solomons was born in Orsett , Essex and brought up with his four sisters in Thorpe Bay by his mother and his father . Solomons was born in Thorpe Bay and grew up with his four siblings in Orsett , Essex , his mother and father . 0 +"There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." "There was later an Australian version of "" Press Your Luck "" hosted on Seven Network by Ian Turpie from 1987 to 1988 and also produced by Grundy ." 0 +The 8 Talukas of this area are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . This district 's 8 Talukas are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +El Elk Township is located in the 3rd Congressional District and is part of the 2nd State Legislative District in New Jersey . El Elk Township is located on the 2nd Congressional District and is part of the 3rd State Legislative District in New Jersey . 0 +It is affiliated with American Baptist Churches USA , the Cooperative Baptist Fellowship and the Southern Baptist Convention , and supports the work of the Baptist World Alliance . It is linked to the American Baptist Churches USA , the Southern Baptist Convention and the Baptist World Alliance and supports the work of the Cooperative Baptist Fellowship . 0 +It currently serves as the newspaper of the registration for Galveston County , as well as Galveston . It currently serves as the newspaper of record for Galveston County , as well as Galveston . 1 +In Danbury there are no regional or national franchises , only small shops such as the Danbury General Store and local restaurants . There are no regional or national franchises in Danbury , only small shops like the Danbury General Store , and local restaurants . 1 +At the crime scene , Turbitt was killed , but McConnell was kidnapped . Turbitt was killed at the scene , but McConnell was kidnapped . 1 +Nyceryx tacita is a moth of the Sphingidae family , which is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . Nyceryx tacita is a moth of the family Sphingidae . It is found from Mexico , Guatemala , Costa Rica and Panama to Bolivia . 0 +The season from 1982 to 83 National Basketball Association was the 37th season of the NBA . The 1982 -- 83 NBA season was the 37th season of the National Basketball Association . 1 +The FedEx Express season 2002 was the first season of the franchise at the Philippine Basketball Association ( PBA ) . The 2002 PBA season was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . 0 +She lives in Bandra , Mumbai . She has a son Aditya Bhattacharya , film director , and two daughters , Chimmu and Anwesha Arya , a writer . She lives in Bandra , Mumbai , and has a son , Anwesha Arya , director , and two daughters , Chimmu and Aditya Bhattacharya , a writer . 0 +The specific number of spaces in the indentation is not important as long as parallel elements have the same left orientation and the hierarchically indented elements are further nested . The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left justification and the hierarchically nested elements are indented further . 0 +Nyceryx tacita is a moth of the Sphingidae family , which is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . Nyceryx tacita is a moth of the Sphingidae family , which is found from Mexico , Guatemala , Costa Rica and Panama to Bolivia . 0 +On 30 April 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base to his honour in Nevada . On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base in his honor . 0 +Many religious groups offer different programmes for different age groups within Scouting , and some have separate programs or emblems for boys and girls . Many religious groups have separate programs for different age levels within scouting , and some offer different programs or emblems for boys and girls . 0 +On July 31 , Molina was traded with B.J . Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera to the Braves . On 31 July , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . 0 +Sally used Jones as an example of how adopted Indian children were not treated as equals to white children . Jones used Sally as an example of how adopted Indian children were not treated as equal white children . 0 +In 1975 he moved to Odibo , and in 1977 returned to Windhoek . In 1975 he returned to Odibo and went to Windhoek in 1977 . 0 +He died on 15 September 1856 at his country home , Rosemore , on the Dunoon near Holy Loch . He died at his country residence of Rosemore on the Dunoon near Holy Loch on 15 September 1856 . 1 +Farhan died in Karachi on 19 May 2008 after suffering from heart and liver disease . Mehdi left behind a wife , a daughter and a son , Mehdi . Mehdi died on May 19 , 2008 in Karachi , after suffering from a heart and liver disease , and left behind a woman , a daughter , and a son , Farhan . 0 +The above test does not distinguish between more complex distributions such as quantum and boson , or between fermionic and classical statistics . The test above does not distinguish between more complex distributions , such as quantum and classical , or between fermionic and bosonic statistics . 0 +He attended 2011 training camp with the NHL 's Carolina Hurricanes , but was sent to Charlotte , then to Florida , for training camps . He attended training camps with the NHL Carolina Hurricanes in 2011 , but was sent to Florida , then to Charlotte , for training camps . 0 +Bayswater is linked to south of the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) . Bayswater is connected by Garratt Road Bridge and the Swan River ( Tonkin Highway ) to the south of the Redcliffe Bridge . 0 +The land to the south of Severin was governed for Vidin by the despot of Bulgaria , Michael Shishman , a supporter of Vejtehi . The land south of Severin was governed for Bulgaria by the despot of Vidin , Michael Shishman , a follower of Vejtehi . 0 +After his move to Wawel , style antico became the main language of the musical statement of Pękiel . Stile antico became after his move to Wawel the musical language of the main statement of Pękiels . 0 +The Simpsonville Mill is a historic pre-colonial mill complex in Columbia , Maryland , part of the Simpsonville , Maryland land development . The Simpsonville - Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of the Columbia rural development , Maryland . 0 +The municipality borders on Medford Township , Tabernacle Township and Washington Township in Burlington County , Hammonton in Atlantic County and Waterford Township in Camden County . The municipality borders Hammonton in Burlington County , Medford Township , Tabernacle Township and Washington Township in Camden County and Waterford Township in Atlantic County . 0 +In 1987 Ruhollah Khomeini was appointed by Fallahian as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . In 1987 , Fallahian was appointed Chief Public Prosecutor of the Special Court for the Clergy by Ruhollah Khomeini , and led the trial of Mehdi Hashemi . 0 +A 1994 television adaptation starred Peter Strauss as Ezra Baxter , Jean Smart as Ora Baxter , and Philip Seymour Hoffman as Buck . Peter Strauss played a television adaptation in 1994 as Ezra Baxter , Jean Smart as Ora Baxter and Philip Seymour Hoffman as a buck . 1 +Erandio is a town and municipality located in the province of Biscay , in the autonomous community of Basque Country , northern Spain . Erandio is a town and municipality in the province of Biscay , in the Autonomous Community of Basque Country , northern Spain . 1 +He taught in Minneapolis , Duluth , Dayton , Ohio , Ithaca ( Cornell University ) , Pennsylvania ( Penn State ) and New York City . He then taught in Minneapolis , Duluth , Dayton , Ohio , Ithaca ( Cornell University ) , Pennsylvania ( Penn State ) , and New York City . 1 +"is an album by jazz - organist Richard "" Groove "" Holmes , which was released in 1967 and recorded on the Prestige label ." "Get Up & Get It ! is an album by jazz organist Richard "" Groove "" Holmes which was recorded in 1967 and released on the Prestige label ." 0 +Saddle Butte is located in the southeast of Hill County ( 48.523344 , -109.644020 ) , along the eastern border of Havre , County Seat . Saddle Butte is located in southeast Hill County at ( 48.523344 , -109.644020 ) , along the eastern border of Havre , the county seat . 1 +In 1951 , Avon Publications published a comic adaptation of Walter Gibson ( screenplay ) and Joe Orlando ( art ) in Rocket to the Moon . "In 1951 , Avon Publications published a comic adaptation in "" Rocket to the Moon "" , by Joe Orlando ( script ) and Walter Gibson ( art ) ." 0 +The public programme of the EFA consists of political , social , environmental and economic parts . The public programme of the EFA consists of political , social , ecological and economic parts . 1 +Noam Galai ( born September 9 , 1984 in Jerusalem ) is an Israeli photographer based in New York City . Noam Galai ( born September 9 , 1984 in Jerusalem ) is a New York City based Israeli photographer . 1 +The series was penciled by Jim Starlin and written by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . The series was written by Jim Starlin and drawn by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 0 +The Pălăoaia River is a tributary of the Muereasca River in Romania . The river Pălăoaia is a tributary of the River Muereasca in Romania . 1 +""" Espoir "" lost her master killed , and had six men wounded , of whom two were badly wounded ." """ Espoir "" lost her master killed , and had wounded six men , two of whom were seriously wounded ." 1 +Tupperware Brands Corporation , formerly Tupperware Corporation , is an American multinational direct sales company . Tupperware Corporation , formerly Tupperware Brands Corporation , is an American multinational direct selling company . 0 +The sessions were arranged by Nick De Caro and developed by Bruce Botnick . The sessions were arranged by Nick De Caro and engineered by Bruce Botnick . 1 +The first was a four track studio session and the second six tracks recorded at the Reading Festival . The second was a 4-track studio session and the first six tracks recorded at the reading festival . 0 +Chananian is a village in Leepa Valley , Hattian Bala District of Azad Kashmir , Pakistan . Chananian is a village in the Leepa Valley , Hattian Bala district of Azad Kashmir , Pakistan . 1 +African stone tool technologies are divided into modes , as proposed by Grahame Clark in 1969 , outlined by Lawrence Barham and Peter Mitchell as follows : African stone tool technologies are divided into modes as proposed by Grahame Clark in 1969 and outlined by Lawrence Barham and Peter Mitchell as follows : 1 +Bridie Morton married in 1986 Timothy Torlot . Bridie Morton married Timothy Torlot in 1986 . 1 +Armstrong had at least one sibling , a sister , Mrs. Lydia Lawhead . Armstrong had at least one sibling , a sister , Lydia Lawhead . 1 +Gerard Leachman traveled on occasion with St. John Philby and Holt . Gerard Leachman travelled with St. John Philby and Holt on occasion . 1 +Malaysia has a large commission in London and the United Kingdom has a high commission in Kuala Lumpur . Malaysia has a high commission in London , and the United Kingdom has a high commission in Kuala Lumpur . 1 +Besides the formal language , Indonesian , East Java people use Javanese as daily language . Besides the Indonesian language , the people of East - Java daily use Javanese as a formal language . 0 +He is an elected member of the American Mathematical Society , a fellow of the Institute of Mathematical Statistics and the International Statistical Institute . He is an elected member of the American Mathematical Society , and a fellow of the Institute of Mathematical Statistics and the International Statistical Institute . 1 +"A local reporter described in 1910 in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." "A Japanese reporter described in a local newspaper in 1910 , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" 0 +The 1975 -- 76 National Basketball Association season was the 30th season of the NBA . The 1975 -- 76 season of the National Basketball Association was the 30th season of the NBA . 1 +1960-The world 's first laser was developed by Russian scientists Nikolay Basov and Alexander Prokhorov , and American scientist Charles H. Townes . The world 's first laser was developed in 1960 by the American scientists Nikolay Basov and Alexander Prokhorov and the Russian scientist Charles H. Townes . 0 +It was a finalist for the Sidewise Award 2002 for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . It was a finalist for the 2002 Sidewise Award for the best alternative history and the John W. Campbell Memorial Award 2003 . 0 +Veymandoo Kandu is the canal between Laamu Atoll and Thaa Atoll of the Maldives . Veymandoo Kandu is the channel between Thaa Atoll and Laamu Atoll of the Maldives . 1 +He has played Garrett Burns , a love interest for Rachel Kinski ( Caitlin Stasey ) . He played Garrett Burns , a love interest for Rachel Kinski ( Caitlin Stasey ) . 1 +In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Magnus . In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was awarded by King Haakon Haakonsson the Jarldom of Orkney . 0 +Katrina Alegre ( Jean Garcia ) is the best friend of Alma Bautista ( Eula Valdez ) . The best girlfriend of Alma Bautista ( Jean Garcia ) is Katrina Alegre ( Eula Valdez ) . 0 +Air Cortez has also operated international flights from the airport with service to Guaymas , Loreto and Mulege in Mexico . Air Cortez also operated international flights from the airport with service to Guaymas , Mexico in Loreto and Mulege . 0 +Nishiyama was elected as the new president of the first AAKF . Nishiyama was elected as the new President of the inaugural AAKF . 1 +Sweden has an embassy in Ankara and a General Consulate in Istanbul . Turkey has an embassy in Stockholm . Sweden has an embassy in Ankara and a consulate -- general in Istanbul . Turkey has an embassy in Stockholm . 1 +The camp was handed over to the former Kenosha Council in 1951 , and it was sold when Racine and Kenosha - Councils merged in 1971 . The camp was given to the former Kenosha Council in 1951 , and it was sold when Racine and Kenosha Councils merged in 1971 . 1 +In 2006 , the team added a second car for Thed Bjork and was replaced by Richard Göransson in 2009 . The team added a second car to Richard Göransson in 2006 and was replaced in 2009 by Thed Björk . 0 +Mitzy learns Charles Cottier ( Dexter Walker ) has feelings for Marilyn and she tries to make him see that Marilyn does not have any for him . Mitzy learns Dexter Walker ( Charles Cottier ) has feelings for Marilyn and she tries to get him to see that Marilyn does not have one for him . 1 +Tom Patterson ( born 12 February 1979 ) is an American entrepreneur , who founded the Tommy John company in 2008 . Thomas John ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tom Patterson Company . 0 +The founders of the Charter 77 Foundation , František Janouch and Tal Bashan , and the German activist Rainer Höss have participated in the debates with the Israeli journalist Ada Kolman . Founders of the Charta 77 Foundation František Janouch and Ada Kolman or the German activist Rainer Höss with the Israeli journalist Tal Bashan have participated in the debates . 0 +In 1971 , he divorced again to marry Coralie Legrand , with which he had a daughter , Martine Leroy . In 1971 , he was again divorced to marry Martine Leroy , with whom he had a daughter , Coralie Legrand . 0 +This drama is written by Doctor Ali Arslan , directed by Naeem Khan and produced by Eveready Pictures . This drama was written by Doctor Ali Arslan , directed by Naeem Khan and produced by Eveready Pictures . 1 +Ogoki Post Airport , , is located northeast of Marten Falls First Nation ( Ogoki Post ) near the Ogoki River in Ontario Canada . Ogoki Post Airport , located northeast of Marten Falls First Nation ( Ogoki Post ) near the Ogoki River in Ontario , Canada . 1 +From 1888 to 1913 , he was chairman of the Highfields Divisional Board and , from 1915 to 1917 , Chairman of the Highfields Shire Council . From 1888 to 1913 , he was chairman of the Highfields Shire Council and , from 1915 to 1917 , Chairman of the Highfields Divisional Board . 0 +Bland left Valparaíso one week later and arrived in Philadelphia on 29 October 1818 . Bland left Philadelphia one week later and arrived in Valparaíso on October 29 , 1818 . 0 +From September 1966 to June 1967 , Cozarinsky visited New York City and made a visit to Buenos Aires on his return to Europe . Cozarinsky visited New York City from September 1966 to June 1967 , stopping for a visit to Buenos Aires on his return to Europe . 0 +He studied at Ravenshaw College in Cuttack and Allahabad University and holds a degree in law from the M. S. Law College of Utkal University , Odisha . He studied at the Ravenshaw College in Cuttack and Allahabad University and earned his law degree from M. S. Law College , Utkal University in Odisha . 1 +They are used in applications as contrasting agents for fluorescent imaging , as particles for flow tracking or as biological carriers . They are used in applications as contrast agents for biological imaging , as particles for flow tracking , or as fluorescent carriers . 0 +By introducing a prodrug , only activated by the specific enzyme , viral targeting of cells expressing hTERT can be achieved . By introducing a product that is activated only by the specific enzyme , viral targeting of cells expressing hTERT can be achieved . 1 +The direct market is the dominant distribution and retail network for American comic books . The direct market is the dominant distribution and retail network for American comics - books . 1 +Paulus was an assistant to Bruno Simma in the case of LaGrand . Bruno Simma was an assistant to Paulus in the LaGrand case . 0 +Heike Brandt was born in Jever and grew up in Berlin . Born in Berlin , Heike Brandt grew up in Jever . 0 +The development will include 4,000 houses , apartments , hotels and mixed and commercial plots . The development will include 4,000 houses , apartments , hotels and mixed & commercial use plots . 1 +On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Michael Blunden . He joined his brother Kris Russell with the Blue Jackets organization . On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the organization Blue Jackets . 0 +SHS also has teams that compete in archery and bowling that are not sanctioned by IHSAA but are sponsored by their organizations . SHS also has teams that compete in Archery and Bowling which are not IHSAA sponsored , but sanctioned by their organizations . 0 +Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent light theory in the world . Although Fresnel did not know that electromagnetic waves are light , he managed to construct the world 's first coherent theory of light . 0 +The following table lists all the games played by the Brazil national football team in official competitions and friendly matches during 2006 . The following table lists all the matches played by the Brazilian national football team in official competitions and friendly games in 2006 . 1 +In 1982 , SGA transferred its executive office from New York City to Nashville . In 1982 , SGA moved its executive office from Nashville to New York City . 0 +Robbie later turns the machine off and Beth is shocked but understanding . Later Robbie turned off the machine and Beth is shocked but understanding . 1 +Bernard Patrick Holm ( May 22 , 1908 -- July 15 , 1978 ) , nicknamed Tony Holm , was a professional American football player . Tony Holm ( May 22 , 1908 - July 15 , 1978 ) , called Bernard Patrick Holm , was a professional American football player . 0 +In New South Wales , the Narara Valley High School in Australia and the Nossal High School in Victoria taught the course in their 2012 school year . In Australia , the Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their school year 2012 . 0 +"The administrative district of the same name ( "" správní obvod "" ) consists of the Prague 14 and Dolní Počernice districts ." "The administrative district ( "" správní obvod "" ) of the same name consists of municipal districts Prague 14 and Dolní Počernice ." 1 +In 1848 Jean Baptiste Trestler and Eulalie Delisle married Iphigénie , the daughter of Dr. Dorion of Montreal . In 1848 , Jean Baptiste Trestler and Eulalie Delisle Iphigénie , daughter of Dr. Dorion from Montreal , married . 0 +"Rudolf Höss wrote in "" The Kingdom of Auschwitz "" about Otto Friedrich about his decision to present the motto so prominently at the entrance Auschwitz ." "In "" The Kingdom of Auschwitz "" , Otto Friedrich wrote about Rudolf Höss , regarding his decision to display the motto so prominently at the Auschwitz entrance :" 0 +When Mary came to the throne Philpot soon attracted attention . When Mary came on to the throne , Philpot soon attracted attention . 1 +The People 's Armed Forces for the Liberation of Angola ( FAPLA ) and Cuban troops took the town on 1 February 1976 during the Angolan Civil War . The People 's Army for the Liberation of Angola ( FAPLA ) and Angolan troops took the city on February 1 , 1976 during the Cuban civil war . 0 +It is also possible to download an off-line version to develop your own bots . It is also possible to develop an offline version to download your own bots . 0 +There are also specific discussions , profile public discussions , and project discussions . There are also special discussions , public profile discussions and project discussions . 1 +He survived by his daughter Nicola and granddaughter Caroline . He was survived by his daughter Caroline and his granddaughter Nicola . 0 +Caracase is a city in the southwestern Somalia region of Gedo . Caracase is a town in the southwestern Gedo region of Somalia . 0 +Willie Francis lived in Canada in the late 1970s , and worked in Jamaica for a number of years before returning to England . In the late 1970s , Willie Francis lived in Canada and worked for several years in Jamaica before returning to England . 1 +He originally played with HC Spartak Moscow in the KHL during the 2010 -- 11 Kontinental Hockey League season . He originally played with HC Spartak Moscow in the Continental Hockey League during the 2010 -- 11 KHL season . 1 +In 1963 , the American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) . In 1963 , the American Chiropractic Association reorganized into the National Chiropractic Association ( ACA ) . 1 +"The route had followed "" 7th Street "" in Wilmont and "" 160th Street "" in Larkin Township ." "The route followed "" 7th Street "" in Larkin Township and "" 160th Street "" in Wilmont ." 0 +Muckalt Tanner Kero , the 2014-15 WCHA player of the year training with the Chicago Blackhawks , signed with Michigan Tech . With Michigan Tech , Muckalt signed Tanner Kero , the 2014-15 WCHA Player of the Year , who coached with the Chicago Blackhawks . 1 +The Chief Justice was the Chief Justice of the High Commission Territories ( Swaziland , Bechuanaland Protectorate & Basutoland ) . From 1951 the Chief Justices were : The Chief Justice was the Chief Justice of the High Commission territories ( Swaziland , Bechuanaland Protectorate , Basutoland ) , and from 1951 onwards were Chief Justices : 1 +Deepak Chand Lall lives in ( New Jersey ) Meena Gupta ( Mumbai ) and Madhuri Jaiswal ( Kolkata ) Deepak Chand Lall lives in ( New Jersey ) Meena Gupta ( Kolkata ) and Madhuri Jaiswal ( Mumbai ) . 0 +After receiving a second Nobel Prize in 1903 with her husband Pierre , Marie Curie won the Nobel Prize for Chemistry in 1911 . After the Nobel Prize in 1903 with her husband Pierre , Marie Curie won a second Nobel Prize for Chemistry in 1911 . 0 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after the current deputy leader Herbert Morrison was challenged by Aneurin Bevan . The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent Aneurin Bevan , challenged by Herbert Morrison . 0 +Strikingly , both childless parents were judged as less competent for the job than male and female applicants . Striking were both male and female parents as less competent for the job than childless applicants . 0 +"Maviz Central District is a rural district ( "" Dehestan "" ) in Tehran - province of Shahriar County , district , Iran ." "Maviz Central District is a rural district ( "" dehestan "" ) in the Tehran Province of Shahriar County , Rural District , Iran ." 1 +"Streisand and Columbia Records released ButterFly as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." "Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as their sixteenth studio album total , months after "" The Way We Were "" released ." 0 +In February 2017 , Renault announced that it will win a Prodrive Mégane for Guerlain Chicherit at the 2018 FIA Rallycross World Championship . In February 2017 , Prodrive announced that they will use a Renault Mégane for Guerlain Chicherit at the FIA World Rallycross Championship in 2018 . 0 +Kiss Country plays a mixture of current and older country music , with the emphasis on modern artists more . Kiss Country plays a mix of modern and older country music , with more emphasis on current artists . 0 +The following table lists all the games played by the Brazil national football team in official competitions and friendly matches during 1986 . The following table lists all the games that the Brazilian national football team played in official competitions and friendly matches during 1986 . 1 +The expressway continues another mile , crossing under several buildings in short tunnels , before crossing the Alexander Hamilton Bridge via the Harlem River into the Bronx . The expressway continues for another mile and crosses several buildings in short tunnels before crossing the Harlem River into the Bronx via the Alexander Hamilton Bridge . 0 +Often , negative growth is also accompanied by a negative output gap in an economy ( where actual production exceeds potential demand ) . Negative growth is often accompanied by a negative output gap in an economy ( where actual output exceeds potential demand ) . 1 +In computer science , a graph-structured stack is a directed Azyclian graph , where each directed path represents a stack . In computer science , a graph-structured stack is a directed acyclic graph where each directed path represents a stack . 1 +The 13th World Cup season began in Austria in December 1978 and ended in March 1979 in Japan . The 13th World Cup season began in December 1978 in Japan and concluded in March 1979 in Austria . 0 +Anabel Medina Garrigues and Virginia Ruano Pascual won in the final 6 -- 2 , 6 -- 4 , against Eleni Daniilidou and Jasmin Wöhr . Eleni Daniilidou and Jasmin Wöhr won against Anabel Medina Garrigues and Virginia Ruano Pascual at 6 : 2 , 6 : 4 in the final . 0 +Janković was the third seed at Wimbledon , but in the fourth round he lost finalist Marion Bartoli to the surprise . At Wimbledon Janković was the fourth seed , but in the third round lost to the surprise finalist Marion Bartoli . 0 +In 2006 , after the death of Paul Britton in December 2005 , David Neale was appointed Chief Executive . 2006 : Paul Britton was appointed Chief Executive following the death of David Neale in December 2005 . 0 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Apostolo Zeno for Caldara . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a Caldara libretto from 1709 for Apostolo Zeno . 0 +Morton was the son of William Morton , a Member of Parliament for Shaftesbury , and a nephew of John Morton , the Archbishop of Canterbury . Morton was son of John Morton , Member of Parliament for Shaftesbury , and the nephew of William Morton , the Archbishop of Canterbury . 0 +T. helena is locally common and widely spread in forest areas . """ T. helena "" is locally distributed and widely common in forest areas ." 1 +He was also appointed Fellow of the Royal Society in 1749 and was elected the Fellow of the Royal College of Physicians in London in 1754 . Also in 1749 he was made a Fellow of the Royal Society and in 1754 was elected Fellow of the Royal College of Physicians , London . 1 +The Hospet taluk , the Mallapuram taluk , the Siruguppa taluk and a small area of the Mysore State sub-taluk were detached from the Bellary . The Hospet taluk , the Mallapuram taluk , the Siruguppa taluk and a small area of the Subtaluk Mysore State were detached from the Bellary . 1 +The series is published in Japan by Shogakukan and in the United States in English by VIZ Media . The series is published in Japan by VIZ Media and in the USA by Shogakukan in English . 0 +He became the first governor of Cebu , who in the early 1900s was a governor of Samar . He became the 1st Governor of Cebu , who once was a Governor of Samar in the early 1900s . 1 +The UCP is a political party , the official opposition in Alberta , Canada . The UCP forms a political party which is the official opposition in Alberta , Canada . 1 +In the first movie , the Fat Lady is played by Elizabeth Spriggs , in the third film by Dawn French . In the first film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the third film . 1 +It was written by Sakamoto and composed by Swedish singer-songwriter Frida Sundemo . It was composed by Sakamoto and written by Swedish singer Frida Sundemo . 0 +When Aaron asked him to play guitar in the band 's new band , Russ agreed . When Russ asked him to play guitar in the new band , Aaron agreed . 0 +Similarly , Western populations annually migrate between regions to the west of the Rocky Mountains , including northern Canada , and overwintering locations on the California coast . Similarly , the northern populations annually migrate between regions west of the Rocky Mountains , including Western Canada , and overwintering areas on the California coast . 0 +When Russ asked him to play guitar in the new band , Aaron agreed to . When Aaron asked him to play guitar in the band 's new band , Russ agreed . 0 +In July 1973 , he was born in Petroupoli , Athens . He was born in Athens in July 1973 ( Petroupoli ) . 1 +Guillermo Cañas won against Juan Carlos Ferrero with 7 : 6 , 6 : 2 in the final . Guillermo Cañas won in the final 7 -- 6 , 6 -- 2 , against Juan Carlos Ferrero . 1 +Anton Kreisl ( bass/vocals ) joined in early 2008 to replace Philip Galitzine ( currently a member of the band Atomic Tom ) . In early 2008 , Philip Galitzine joined ( bass / singing ) to replace Anton Kreisl ( currently a member of the band Atomic Tom ) . 0 +In 1936 , he designed the renovation of the Embassy Theatre , which was later known as York Road Theatre . In 1936 he designed renovation of the Embassy Theatre , later known as the York Road Theatre . 1 +In the series , Chris Brown 's character dates a character played by the popular music star Willa Holland in the fourth season of the show . In the series , Willa Holland 's character dates a character that was played by the popular music star Chris Brown in the fourth season of the show . 0 +"A real nightingale is featured in "" and is used to replace a mechanical nightingale for a princess ." "A mechanical nightingale is introduced in "" and is used to replace a real nightingale for a princess ." 0 +"Species such as "" T. eurycephalus "" , however had a deeper rostrum and a shorter skull ." "However , species such as "" T. eurycephalus "" had a shorter rostrum and a lower skull ." 0 +Secondly a road from Cunetio ( Mildenhall , near Marlborough ) joined the Ermin Way near Durocornovium . Second , a road from Cunetio ( Mildenhall , near Durocornovium ) joined the Ermin Way near Marlborough . 0 +The movie was directed by Robert Day and produced by Sy Weintraub and Harvey Hayutin . The movie was staged by Robert Day and produced by Sy Weintraub and Harvey Hayutin . 1 +This species comes from Costa Rica to Nicaragua in the demersal zone of the Pacific Ocean . This species occurs in the demersal zone of the Pacific Ocean from Nicaragua to Costa Rica . 0 +This settlement was part of Fort Norfolk where Charlotteville was built in 1813 with accommodation for 300 troops . This settlement was part of Charlotteville , where Fort Norfolk was built with accommodation for 300 troops in 1813 . 0 +In 1824 John Dobson was commissioned by Richard Grainger to produce designs for Old Eldon Square . In 1824 , John Dobson was commissioned by Richard Grainger to produce designs for the Old Eldon Square . 1 +In 2010 she performed at the sixth annual Jewlicious Festival next to Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . In 2010 , she performed at the sixth annual Jewlicious Festival with Matisyahu , Moshav , Rav Shmuel , Electro Morocco , and Kosha Dillz . 1 +It was assigned to Felidae of Carroll ( 1988 ) , but later it was placed within Nimravidae . It was assigned to Felidae by Carroll ( 1988 ) , but then later , it was placed within Nimravidae . 1 +Iosco County is a civil township of Baldwin Township in the U.S. state of Michigan . Iosco County is a civil community of Baldwin Township in the U.S. state of Michigan . 1 +He has previously played for Sheffield Wednesday , Notts County , York City , Gainsborough Trinity , Matlock Town and North Ferriby United . He previously played for North Ferriby United , Notts County , York City , Gainsborough Trinity , Matlock Town , and Sheffield Wednesday . 1 +( EL successor Conrail sold the old New York main line through Utica , Chenango and Susquehanna Valley to the Cassville , Susquehanna and Western Railway in 1982 . ) ( EL - Successor Conrail sold the old New York main route through Utica , Chenango , and Susquehanna Valley in 1982 to Cassville , Susquehanna , and Western Railway . ) 1 +Enter through the eastern gate , turn left and worship on the south side Ganapathy , Shiva and Ayyappan . Enter through southern gate , turn left and worship Ganapathy , Shiva and Ayyappan on the eastern side . 0 +Dennis Ralston defeats Manuel Santana , 6 -- 4 , 11 -- 9 , 6 -- 4 Defeated Dennis Ralston , Manuel Manuel Santana , 6 -- 4 , 11 - 9 , 6 -- 4 0 +The 2007 -- 08 Kansas State Wildcats Men 's Basketball Team represents Kansas State University at the 2007 -- 08 College - Basketball - Season . The 2007 -- 08 Kansas State University men 's basketball team represented Kansas State Wildcats in the 2007 -- 08 college basketball season . 0 +Dedham was named Maine after Dedham , Massachusetts . Dedham , Maine , was named after Dedham , Massachusetts . 1 +She was the second daughter and the youngest of four children born of Philander Montague Wright and his wife , Mary Weeks ( Bracket ) Wright . She was the second daughter and the youngest of four children by Wright and his wife , Mary Weeks ( Bracket ) Philander Montague Wright . 0 +In Finland , benzoylfentanyl was banned in September 2017 and Sweden in October 2017 . In September 2017 , benzoylfentanyl was banned in Sweden and in Finland in October 2017 . 0 +Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha wrote the lyrics . Jeetenkumar Naorem and Tony Aheibam composed the soundtrack for the film and Raju Mikoncha wrote the lyrics . 0 +The Czech composer Antonín Dvořák spent summer 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . The Czech composer Josef Jan Kovařík spent the summer of 1893 in Spillville , where his friend Antonín Dvořák had relatives . 0 +Beside that , the unusual rusticated triple Doric order facade and groups of square pilasters were one of the earliest design approach applied in a building . Apart from that , the unusual rustic triple Doric order facade and groups of square pilasters were applied one of the earliest design approach in a building . 1 +The two secondary schools , Heatherhill Secondary College , Springvale Secondary College and Chandler Secondary College have been merged with Coomoora Secondary College into Keysborough Secondary College . The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College , have been merged with Springvale Secondary College and Chandler Secondary College in Keysborough Secondary College . 0 +He was signed by BMG in 1994 after Falcão showed them a compact cassette by Raimundo Fagner 's songs . He was signed by BMG in 1994 after Raimundo Fagner showed them a Compact Cassette of Falcão 's songs . 0 +She has married Edmund Ashfield and after his death Richard Glanville . She married Richard Glanville and after his death , Edmund Ashfield . 0 +The building of the museum was built in 1948 according to designs by Wadsworth , Boston 's Tuttle of Portland . The museum building was built in 1948 according to designs by Wadsworth , Portland 's Tuttle of Boston . 0 +The following step works as follows : as long as there are three or more wires with the same weight , add a second shift : The second step works as follows : as long as there are three or more wires with equal weight , add a layer of the following : 0 +Suo Chao is killed in a fight against Fang La 's general Shi Bao . Suo Chao is killed in a fight against General Fang La of Shi Bao . 0 +"According to Pier Jaarsma in 2011 , neurodiversity is a "" typical neurological concept "" that "" regards normal human development as a controversial difference "" ." "According to Pier Jaarsma in 2011 , neurodiversity is a "" controversial concept "" that considers "" atypical neurological development as a normal human difference "" ." 0 +He was the father of painter John Hesselius and cousin of the religious leader Emanuel Swedenborg . He was the father of the painter John Hesselius and cousin of religious leader Emanuel Swedenborg . 1 +Baba ji has spread his Sufi thoughts through various books such as Piya Rung Kala , Kajal Kotha , etc . Baba ji spread his different thoughts through Sufi books like Piya Rung Kala , Kajal Kotha , etc . 0 +Next , Lee faced Jake Matthews on July 8 , 2016 , at which Lee won the fight via TKO in the first round . Lee next faced Lee on July 8 , 2016 , at . Jake Matthews won the fight via TKO in the first round . 0 +The scientific method is essentially the application of the inductive approach to the investigation . The inductive method is essentially the application of the scientific approach to the investigation . 0 +Over the centuries , cedar wood was exploited by the Phoenicians , Persians , Babylonians , Egyptians , Assyrians , Romans , Israelites and Turks . Cedar wood has been exploited over the centuries by the Phoenicians , Egyptians , Assyrians , Babylonians , Persians , Romans , Israelites and Turks . 1 +An electric load is an electrical component or part of a circuit that consumes ( active ) electrical power . An electric load is an active component or part of a circuit that consumes ( electrical ) electrical power . 0 +Mowbray Park , a public riverside park , was until the 1930s , the site of a large swimming pool built into the river . Mowbray Park , a large park on the riverside , was the location of a public swimming pool built into the river until the 1930s . 0 +He thinks that Elbow is too acceptable , while he believes himself that the writer should first prove himself . He believes that Elbow is too accepting while he , himself , thinks that the writer should prove himself first . 1 +Maplewood is located in the 10th Congressional District and is part of New Jersey 's 27th state legislative district . Maplewood is situated in the 10th Congressional District and is part of New Jersey 's 27th legislative district . 1 +His daughter , Agneta Elizabeth Yorke , was married to the banker Robert Cooper Lee Bevan . His daughter Robert Cooper Lee Bevan married the banker Agneta Elizabeth Yorke . 0 +Wanjiru 's cousin Joseph Riri is a world-class marathon runner , and Wanjiru 's younger brother Simon Njoroge is also a long-distance runner . Wanjiru 's cousin Joseph Riri is a world class marathon runner , and Wanjiru 's younger brother , Simon Njoroge , is also a long-distance runner . 1 +Their leaders sought European protection to stabilize their authority and to support trade . Their leaders sought European protection in order to support their authority and stabilize trade . 0 +It was acquired by American Airlines in 1930 to become AVCO . In 1930 , it was acquired by American Airlines to become AVCO . 1 +His son John I Lestrange ( died prior to 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King Henry II . His son Henry II ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King John I Lestrange in 1174 . 0 +"Bailly 's other works in Washington , D.C. are sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Bailly 's other works in Washington , D.C. include sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." 1 +The winner of the Playoffs was Blu : sens Monbús and until 2011 -- 12 ACB season with CB Murcia , the champion of the regular season promoted . The winner of the playoffs was Blu : sens Monbús and promoted to 2011 -- 12 CB Murcia season with ACB , the champion of the regular season . 0 +He met with a group of Europe 's most influential musical leaders to discuss a school based on the conservatories of Boston . He met with a group of Europe 's most influential musicians to discuss a school based on the Conservatories of Boston . 1 +This settlement was part of Charlotteville where Fort Norfolk was built in 1813 with accommodation for 300 troops . This settlement was part of Fort Norfolk , where Charlotteville was erected in 1813 with accommodation for 300 troops . 0 +651 Squadron RAF was a unit of the Royal Air Force in Egypt during the Second World War and subsequently in Italy and North Africa . 651 Squadron RAF was a unit of the Royal Air Force in Italy and North Africa during the Second World War and afterwards in Egypt . 0 +"On the map of the 18th century "" Irkutsk governorate with the adjacent islands and the west coast of America "" from the Hinka lake follows the river Usuri ." "On the map of the 18th century "" Irkutsk governorate with the adjacent islands and the western coast of America "" from Lake Hinka follows the river Usuri ." 1 +William Stawell KCMG married Mary Letitia Stawell on 14 May 1890 ( 1870 - November 3 , 1938 ) , daughter of Sir Edward . Edward married Mary Letitia Stawell ( 1870 -- 3 November 1938 ) , daughter of Sir William Stawell KCMG , on 14 May 1890 . Their children included : 0 +""" Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the UK and on March 1 , 2016 in the United States ." """ Legend "" was released on DVD and Blu-ray in the United Kingdom on 25 January 2016 and in the United States on 1 March 2016 ." 1 +Steve Davis won against Terry Griffiths in the finals 9 -- 8 . Terry Griffiths won against Steve Davis in the finals 9 -- 8 . 0 +In 1998 , general elections were held in India after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . General elections were held in India in 1998 , after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . 0 +The team kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . The team -- kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . 1 +"Franz Ferdinand 's last words , as reported by Count Harrach , "" Sophie , Sophie !" "As reported by Sophie , Sophie 's last words were "" Count Harrach , Franz Ferdinand !" 0 +The manuscript was presented by Eduard Reuss , Bishop of Imbro , to Nicephorus Glykas . The manuscript was presented to the Bishop of Imbro , Nicephorus Glykas , Eduard Reuss . 0 +""" Trevis R. Badeaux as "" Agent of Change "" , "" Acadiana Sunday "" , May 5 , 2002 honored ." "Trevis R. Badeaux , "" Bowen honored as ' agent of change ' , "" Acadiana Sunday "" , May 5 , 2002 ." 0 +SHS also has teams that compete in archery and bowling that are not sanctioned by IHSAA but are sponsored by their organizations . SHS also has teams that compete in archery and bowling , which are not sponsored by IHSAA , but sanctioned by their organisations . 0 +San Pedro Springs Park is located in the town of Bexar County San Antonio in the U.S. state of Texas . San Pedro Springs Park is located in the Bexar County city of San Antonio in the U.S. state of Texas . 1 +Aman is in love with Neha ( Boman Irani ) , daughter of Mr. Patel ( Nandana Sen ) , a conventional Gujarati . Aman is in love with Neha ( Boman Irani ) , daughter of Mr Patel ( Nandana Sen ) , a conventional Gujarati . 1 +The Brocklesby Stakes is a British horse race , remarkable as the traditional opening race of the British Flat racing season . The Brocklesby Stakes is a traditional horse race , notable as the British opening two-year-old race of the British Flat racing season . 0 +Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in Assam ( India ) . Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in Assam ( India ) . 1 +Another new bridge was built at Phnom Penh on Neak Leung to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . Another new bridge was built by Neak Leung at the Phnom Penh to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . 0 +Twenty-one churches are currently in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia ) . There are currently twenty-one churches in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas . ) 1 +Provogue is the official clothing sponsor of Rajasthan Royals in the Indian Premier League and the official clothing sponsor of all teams in the Indian Cricket League . Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official sponsor for clothing of all teams in the Indian cricket league . 0 +He lost against Vinnie Rossano , but Joey DeJohn stopped in five rounds . He lost against Joey DeJohn , but Vinnie Rossano stopped in five rounds . 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in Iraq - war . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran who was the first Australian to die in the Iraq War . 0 +The Durga temple is the principal attraction for Aihole visitors and apsidal in its iconic layout . The Durga - Temple is the main attraction for Aihole - visitors and its apsidal layout iconic . 0 +It is a commercial production of the EPDM intermediate polymer . It is an intermediate in the production of the commercial polymer EPDM . 0 +In a game dominated by offensive and special team struggles , UCF would be plagued by Arkansas State . In a game plagued by offensive and special teams struggles , UCF would be dominated by Arkansas State . 0 +Gloria tells Jay she is also an excellent player but lets Jay think he is better . Gloria tells Jay that she is also an excellent player , but lets Jay think that he is better . 1 +Colonel Acker died on 6 September 1879 in Union City and is buried in Kalamazoo , Michigan , in the State of Michigan . Colonel Acker died on September 6 , 1879 in Kalamazoo , Michigan and is buried in Union City , in the state of Michigan . 0 +Rafael Nadal won 6 -- 3 , 7 -- 6 against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final . Rafael Nadal won in the final 6 -- 3 , 7 -- 6 , against Andrei Pavel , Alexander Waske and Bartolomé Salvá-Vidal . 1 +The analytic functions are , in some sense , the antitheses of the flat functions . In some sense , the flat functions are the antitheses of the analytical functions . 0 +""" U. malabarica "" grows over wet rocks or lateritic floors in the presence of "" Eriocaulon "" species and grasses ." """ U. malabarica "" grows over wet rocks or lateritic soils in the presence of "" Eriocaulon "" species and grasses ." 1 +Confocal ellipsoids appear in physics as equipotential surfaces : In physics equipotential ellipsoids appear as confocal surfaces . 0 +FK Atletas Kaunas ( Lithuanian : LKKA ir Teledema ) was a former football club in the city of Kaunas . FK Atletas Kaunas ( Lithuanian : LKKA ir Teledema ) was a former football club from the city of Kaunas . 1 +Tony Roasted and the Night of Tough Moths is a PC adventure game owned and developed by Nayma Software . Tony Tough and the night of the fried moths is a PC adventure game owned and developed by Nayma Software . 0 +A counterclockwise angle in a figure would correspond to one clockwise angle in the other figure . A clockwise angle in one figure would correspond to a counterclockwise angle in the other . 0 +Bret Hart accused Lawler in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . Lawler accused Bret Hart in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 0 +"Aguiari described it as "" a beautiful action alone in the middle of traffic , but up there with a Zen statue "" ." "Aguiari described it as "" a beautiful action in the midst of traffic alone , but up there with a Zen - statue "" ." 1 +Katowice , Poland is a museum in the city of Silesian Museum . Katowice , Poland is a museum in the city of Silesia Museum . 1 +"Jerry won Best Actor at the Los Angeles Method Fest Film Festival for his role as DeWees in "" Mud Season "" ." "For his role as DeWees in "" Mud Season "" won Jerry Jerry Best Actor at the Los Angeles Method Festival Film Festival ." 1 +Lillian 's mother , Marty , learns of the affair and tries to get Pearl to break off . Lillian 's mother Marty learns of the affair and tries to persuade Pearl to break it off . 1 +Defeated Nadia Petrova , Agnieszka Radwańska , 6 -- 4 , 6 - 7 , 6 - 4 - Agnieszka Radwańska defeated Nadia Petrova , 6 -- 4 , 6 -- 7 , 6 -- 4 0 +He died in Newtown ( now Elmhurst Station ) , Flushing , Long Island , New York , April 23 , 1881 . He died on April 23 , 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . 0 +Otto Müller died on 9 December 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . On 9 . December 1979 , Otto Müller died as a result of a serious lung complaint in the Carl von Basedow clinic in Merseburg . 1 +PATH - Service from Exchange Place runs east to the World Trade Center , to the north of the Hoboken Terminal , and west to Journal Square and Newark Penn Station . PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station , and west to Journal Square and Hoboken Terminal . 0 +In Louisville , Kentucky , he exhibited at the Brownstown Gallery and in Birmingham , Michigan , near Art Space . In Louisville , Kentucky he has exhibited at the Brownstown Gallery and in Birmingham , Michigan at Art Space . 1 +This creates generally colder nights through the warmer season . This generally creates colder nights through the warmer season . 1 +He played only one appearance in 2012 and then debuted 4 times the following year . He debuted only one appearance in 2012 and then played 4 times the following year . 0 +The Bill 's Cathy Stoller Center is home to all the intercollegiate athletic teams of the University , the Sports Offices and the Department of Exercise Science . The Bill & Cathy Stoller Center is home to all of the university 's intercollegiate athletic teams , athletic offices and the Department of Exercise Science . 1 +Sir Martin ( or Roger Martyn ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . Sir Martin ( or Roger Martyn ) was Mercer and Lord Mayor of London in 1567 , and in 1559 also Sheriff of London . 1 +This point of view is common in northern India and parts of southern India . This view is common in northern India and parts of southern India . 1 +Davidson is a statue created by Will Rogers , which unveiled two versions in 1938 . Jo Davidson is a statue created by Will Rogers , two versions of which were unveiled in 1938 . 1 +South Slope 's Potrero Hill experienced a significant increase in housing and population as a result . As a result , Potrero Hill experienced a significant increase in housing and population . 1 +He worked as a school teacher in Tielt , between 1693 and 1717 , in Bruges . He worked as a teacher in Bruges and in Tielt between 1693 and 1717 . 0 +Warrington died on February 10 , 1906 in Brentford , Middlesex , and his will was demonstrated in London on March 29 . Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was proved on 29 March in London . 1 +Along the coast there are about 2,000 islands , almost three quarters of which are uninhabited . There are almost 2,000 islands along the coastline , about three quarters of which are uninhabited . 1 +In Swindon ( 1921 ) , Wells ( 1922 ) and Coleford ( 1924 ) , further branches were opened after World War I . After World War I more branches were opened in Wells ( 1921 ) , Swindon ( 1922 ) and Coleford ( 1924 ) . 0 +Defeated Jaime Fillol with 6 -- 0 , 6 -- 1 by Jeff Borowiak Jaime Fillol defeated Jeff Borowiak 6 -- 0 , 6 -- 1 . 0 +Ali Sarı is currently living in Konya for his university education with his two brothers , who are trained by Ekrem Boyalı . Living currently in Konya for his university education with his two brothers , Ekrem Boyalı is coached by Ali Sarı . 0 +Ayliffe married Janet Lloyd in 1963 and had two children . In 1963 , Janet Lloyd married Ayliffe and had two children . 1 +There are usually four such flutes , but sometimes as few as two or as many as six . There are usually four such flutes , but sometimes as little as two or as many as six . 1 +None of the Russian-Polish treaties concerning Kiev has ever been ratified . None of the Russian-Polish treaties concerning Kiev have ever been ratified . 1 +The first trustees were Robert Hall ( chairman ) , David Limond Murdoch , Arthur Mielziner Myers and Alfred Seymour Bankart . The first fiduciaries were David Limond Murdoch , Arthur Mielziner Myers ( chairman ) , Robert Hall and Alfred Seymour Bankart . 0 +Romney refused in September 1970 , and Mitchell Plan collapsed . In September 1970 , Romney refused and Mitchell 's plan collapsed . 1 +The series was created by Robert Palm and was produced by John Ashley and Frank Lupo as an executive . The series was created by John Ashley and Frank Lupo and executive produced by Robert Palm . 0 +The J.N . Hobbs medal may be awarded annually for outstanding contributions to Australasian ornithology by an amateur ornithologist . The J.N . Hobbs - Medal can be awarded annually for outstanding contributions to Australasian ornithology by an amateur ornithologist . 1 +The town of Otisfield , currently in Cumberland County , was part of the Oxford County until 1978 . The town of Otisfield , currently in Oxford County , was part of Cumberland County until 1978 . 0 +Another significant difference is that Plutonyl represents a much stronger oxidizing agent than uranyl . The aqueous reduction potential for standard solutions is shown in the next table . Another significant difference is that plutonyl is a much stronger oxidizing agent than uranyl . The standard reduction potentials for aqueous solutions are shown in the next table . 0 +He has translated into Punjabi the three tragedies of Federico García Lorca , the play Nag Mandala of Girish Karnad , and poems of Bertolt Brecht and Pablo Neruda . He has translated the three tragedies of Girish Karnad , the play Nag Mandala by Federico García Lorca and the poems of Bertolt Brecht and Pablo Neruda in Punjabi . 0 +She was born on December 18 , 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . She was born in Litchfield , Ohio on December 18 , 1814 but later settled in Hebron , Connecticut . 1 +"He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created in 1977 by Will Crowther and modified by Don Woods ." "He was introduced to the version of the computer text game "" Colossal Cave Adventure "" , created in 1977 by Don Woods and modified by Will Crowther ." 0 +President Lincoln had only a vague knowledge of his Pennsylvania ancestors , believing that they were Quakers from Berks County . President Lincoln had only a vague knowledge of his ancestors from Berks County , believing that they were Quakers from Pennsylvania . 0 +He served as the general counsel to both the Isthmian Canal Commission and later the Panama Railroad Company . He served as the General Counsel of the Isthmian Canal Commission and later the Panama Railroad Company . 1 +Stavely 's cynical manipulation of the easily corruptible islanders has been interpreted as an indictment of American imperialism and the cultural tyranny of Western missionaries . The cynical manipulation of Stavely 's easily corruptible islanders was interpreted as an indictment of Western imperialism and the cultural tyranny of American missionaries . 0 +He also produced music for films composed outside Sri Lanka ( a thousand flowers ) . He has also composed music for films produced outside Sri Lanka ( Thousand Flowers ) . 0 +The lowest temperature ever registered in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was January 13 , 2012 . The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . 0 +De Doorns is a city in South Africa in the province of Western Cape Cape Winelands District Municipality . De Doorns is a town in South Africa in the Western Cape province of Cape Winelands District Municipality . 1 +He then taught in Minneapolis , Duluth , Dayton , Ohio , Ithaca ( Cornell University ) , Pennsylvania ( Penn State ) , and New York City . Then he taught in Ohio , Ithaca , Dayton , Pennsylvania ( Cornell University ) , New York City ( Penn State ) , and Minneapolis , Duluth . 0 +Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher who has been active on the Canadian dance scene since 1983 . Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher , who has been active in the Canadian dance scene since 1983 . 1 +The Hârtibaciu River is a tributary of the Halmer River in Romania . The river Halmer is a tributary of the Hârtibaciu River in Romania . 0 +The Bender -- Knuth -- Involutions were used to give a short proof of Littlewood -- Richardson -- rule . Richardson -- Knuth involutions were used by to give a short proof of the Littlewood -- Bender rule . 0 +Aaron played youth football in the same league his brother Jason did Humble Area Football League HAF Young Jason played youth football in the same league that his brother Aaron Humble Area Football League HAFL did 0 +"This rare version is unofficially called "" first version "" ." "This first version is called "" rare version "" unofficially ." 0 +The Ruska Roma traditional clothing is based on Russian and Kalderash traditional clothing , and is used actively by singers and dancers . The traditional clothing of Ruska Roma is based on the Russian and traditional Kalderash clothes and is actively used by singers and dancers . 1 +In practice , a teredo client must contact the native IPv6 - Teredo - Relay , if it wants to locate a corresponding node , d . If a Teredo client wants to contact a native IPv6 node , it must in practice locate the corresponding Teredo - Relay , e.g . 0 +"In 1654 the British parliament gave Oliver Cromwell a free hand to banish Irish "" undesirables "" ." "In 1654 , the Irish parliament , Oliver Cromwell , gave the free hand to banish the British "" undesirables ." 0 +William Belden Noble Lectures is an annual series of accomplished presentations by American individuals , held at Harvard University . Noble Lectures by William Belden is an annual series of successful presentations of American individuals held at Harvard University . 1 +With a strong start to the season and the new Arise Racing team , which brought new cars and new competition to the series , it brought 3 great races . With a strong start to the season and the new Arise Racing team bringing new cars and great competition to the series it brought 3 new races . 0 +The Soviet Union maintained the message in Moscow and a consulate in Barentsburg , while Norway maintained an embassy in Oslo . The Soviet Union maintained embassy in Moscow and a consulate in Barentsburg , while Norway maintained an embassy in Oslo . 0 +Then , IBF officially enforced Lucian Bute as Carl Froch 's number one mandatory . Then IBF Lucian Bute was officially enforced as Carl Froch 's number one . 1 +Starting in 1903 , copper was mined by the Nevada Consolidated Copper Company and by the Giroux Consolidated Mining Company in 1904 . In 1903 , copper was dismantled by the Nevada Consolidated Copper Company and the Giroux Consolidated Mining Company in 1904 . 1 +Alucita triscausta is a moth of the Alucitidae family , which is found in India ( Assam ) . Alucita triscausta is a moth of the family Alucitidae . It is found in Assam ( India ) . 1 +St. James Parish is a member of the Benefice of Culworth with Chipping Wardens and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . St. James ' parish is a member of the Benefice of Culworth with Sulgrave and Thorpe Mandeville and Chipping Warden with Edgcote and Moreton Pinkney . 0 +""" Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." """ Love Hurts "" is the first episode of the twentieth season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." 1 +According to the United States Census Bureau , Masontown is a total area of , of which is land and 2.10 % has water . According to the United States Census Bureau , Masontown is a total area of which there is a land area and 2.10 % of water . 1 +"He received a formal koan in 1988 - studied with Yamada Koun and completed the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." "In 1988 he finished a formal Koan study with Yamada Koun and received the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." 0 +""" Purple Clover "" describes the page as for people who "" ... still curious , still cool and still crazy after all these years are "" ." """ Purple Clover "" describes the site as for people who are "" ... still cool , still curious and after all those years are still crazy ." 1 +"Donna interviews that Fargo looks "" classier "" now and better represents the line ." "Donna interviews that Fargo now looks "" edible "" and represents the line better ." 0 +"If "" A "" and "" B "" are Banach , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B "" are algebraic spaces , the Banach tensor product of "" A "" and "" B "" means the tensor product of" 0 +Stephen Vizinczey suggests that Tolstoy created Tolstoy out of his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before Maria 's second birthday . Stephen Vizinczey suggests that Tolstoy Maria created from his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before the second birthday of Tolstoy . 0 +Jalari is one of the villages of Hamirpur in India . Jalari is one of the villages of Hamirpur , Nadaun , India . 0 +On the album charts , the album peaked at number 1 in Sweden and number 16 in Norway . On the album charts the album reached number 1 in Norway and in Sweden number 16 . 0 +While Mithridates retired to Hyrcania , his troops occupied the kingdoms of Elymais and Characene and subdued Susa . While Mithridates retired to Hyrcania , his forces subdued the kingdoms of Elymais and Characene and occupied Susa . 0 +Germar Rudolf , also known as Germar Scheerer , was born on 29 October 1964 , is a German chemist and convicted Holocaust denier . Germar Rudolf , also known as Germar Scheerer , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . 1 +The oldest of these are the channels : the Bridgewater Canal , Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . The oldest of these are the channels : the Manchester Ship Canal , the Trent and Mersey Canal , the Weaver Navigation and the Bridgewater Canal . 1 +Meanwhile , the young Elsie Stoneman idolizes a picture of Ben Cameron . Meanwhile , young Elsie Stoneman idolizes a picture of Ben Cameron . 1 +The new style was also promoted by changes in economic order and the social structure . The new style was also encouraged by changes in the economic order and social structure . 1 +He debuted in 2012 making only 1 appearance and then played 4 times the following year . He debuted only 1 performance in 2012 and then played 4 times the following year . 1 +When Arthur Williams Wright retired in 1906 , Bumstead became a professor of physics at Yale College and director of the Sloan Physics Laboratory . When Bumstead retired in 1906 , Arthur Williams Wright became a professor of physics at Yale College and director of the Sloan Physics Laboratory . 0 +Sandals were designed by Brian Atwood , Stuart Weitzman and Sophia Webster , while a pair of boots were provided by Giuseppe Zanotti . Sandals were supplied by Brian Atwood , Stuart Weitzman and Sophia Webster , while a pair of boots were designed by Giuseppe Zanotti . 0 +Mannan was the Secretary General of the Regional Council and the Islamic Advisory Council during the administration of Ayub Khan . Mannan was a general secretary of the Islamic Advisory Council and Regional Council during the administration of Ayub Khan . 1 +Orders for prototypes that were made in December 1930 were with three companies : Renault , Citroën and Brandt . Orders for prototypes were made in December 1930 with three firms : Renault , Citroën and Brandt . 0 +Not long after he fell , snow came six inches deep . Not long after he came , the snow fell six inches deep . 0 +The area is famous as the site of the battle of Chausa , in which the Humayun forces defeated the army of the Moghul emperor Sher Shah Suri in 1539 . The area is famous as the site of the Battle of Chausa , in which the forces of Humayun defeated Mughal emperor Sher Shah Suri 's army in 1539 . 1 +The conservatives argued that elected politicians should instead be trusted . Conservatives argued that trusted politicians should be elected instead . 0 +"This is a list of Malaysian football transfers for the "" 2013 second transfer window "" ." "This is a list of Malaysian football transmissions for the "" second transfer window 2013 "" ." 1 +Chronic ischemia was first described in 1895 while chronic disease was first described in the 1940s . Acute mesenteric disease was initially known as angina abdominis . Chronic ischemia was first described in 1895 , while chronic disease was first described in the 1940s : the acute mesenterial disease was initially known as angina abdominis . 1 +They had five children besides Quintin : Juan , Phillip , Willie , Patrick and Lucy . Besides Quintin , they had five children : Juan , Phillip , Willie , Patrick and Lucy . 1 +General elections were held in India in 1998 , after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . In 1998 , general elections were held in India after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . 1 +Robert Wilson was born on June 24 , 1766 in Newcastle , George Wilson , a shipbuilder , and Mary Finlay . George Wilson was born on June 24 , 1766 in Robert Wilson , a shipbuilder , and Mary Finlay , Newcastle . 0 +On 4 November 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . 1 +Daley married Anne Marie ( 1918-1986 ) , parents of Blanche Daigle , Rosemary , Daniel and Timothy in 1945 . In 1945 , Daley married Anne Marie ( 1918-1986 ) . They were the parents of Blanche Daigle , Rosemary , Daniel , and Timothy . 1 +Virgil Weigel is Democratic member of the Kansas House of Representatives , representing the 56th district ( Topeka , Kansas in Shawnee County , Kansas ) . Virgil Weigel is a democratic member of the House of Representatives of Kansas , representing the 56th district ( Topeka , Kansas in Shawnee County , Kansas ) . 1 +It is located in the Annapolis Valley in Kings County and Annapolis County and connects Kingsport with Spa Springs . It is located in Kings County and Annapolis County in the Annapolis Valley and connects Kingsport with Spa Springs . 0 +Another significant difference is that plutonyl is a much stronger oxidizing agent than uranyl . The aqueous reduction potentials for standard solutions are shown in the next table . Another significant difference is that Plutonyl represents a much stronger oxidizing agent than uranyl . The standard reduction potential for aqueous solutions is shown in the next table . 0 +His niece and heritage , Henry Henry Beaumont , married Alice Comyn , a French nobleman in the English service . Alice Comyn , his niece and heiress , married Henry Beaumont , a French nobleman in the English service . 0 +The soundtrack was composed by Deva and the lyrics by Palani Bharathi and Vaasan were written . The soundtrack was composed by Palani Bharathi and the lyrics by Deva and Vaasan were written . 0 +Alfred Gregson ( March 2 , 1889 - March 1968 ) was an internal English football professional who played for Grimsby Town and Bury in the Football League . Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English professional football left player for Grimsby Town and Bury in the Football League . 0 +He moved to Macau , joined the Jesuit North and died in 1737 as a martyr in Vietnam . He was moved to Vietnam , joined the Jesuit Order , and died as a martyr in Macau in 1737 . 0 +It is located on the hills between the Mullum Creek and the Koonung Creek . It is located in the hills between the Mullum Creek and the Koonung Creek . 1 +After his death Kellow with Mary and her daughter Mary Hope Kellow moved to Sydney . After his death Kellow with Mary Hope Kellow and her daughter Mary moved to Sydney . 0 +Varshamov studied in Tbilisi with Arnold Walfisz ( where he was Georgian In Tbilisi , Varshamov studied with Arnold Walfisz ( where he Georgian ) 1 +Carol stages a conversation with Charlie about how she needs money to buy Charlie an apartment . Carol conducts a conversation with Charlie about how she needs money to buy an apartment to Charlie . 1 +The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( municipal movement ) . The independent holiday is October 1 . The current ( from 2013 to 2017 ) mayor is Fernando Nogueira , elected by the PenCe ( communal movement ) , the independent holiday is October 1 . 1 +However , David Pizarro , Mirko Vučinić and Marco Cassetti bought full ownership of Roma . David Pizarro , Mirko Vučinić and Marco Cassetti , however , bought full property of Roma . 1 +Polymers of the coordination type are also stereoregular and can be isotactic or syndiotactic instead of atactic . Coordination type polymers are also atactic and can be isotactic or syndiotactic , instead of just stereoregular . 0 +The 2008 AIHL season is the seventh season of the Australian Ice Hockey League , the ninth in which the Goodall Cup will be awarded to the league champions . The AIHL season 2008 is the seventh season of the Australian ice hockey league , in which the Goodall Cup will be awarded to the championship for the ninth time . 1 +Smith was awarded ISCB Senior Scientist Award in 2009 and voted ISCB Fellow by the International Society for Computational Biology . Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology in 2009 and honored with ISCB Fellow . 0 +The township contains nine cemeteries : Boxley , Crown Hill , Phillips , Ridge , Spencer , Spicewood , Teter , Union Grove and Wiles . The city community contains nine cemeteries : Boxley , Crown Hill , Phillips , Ridge , Spencer , Spicewood , Teter , Union Grove and Wiles . 1 +Following the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of founding a new band with Brendan Benham . After the separation of their previous volume , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . 0 +Clayton is located on State Highway 75 , between Stanley ( west ) and Challis ( northeast ) . Clayton is located on the State Highway 75 , between Stanley ( northeast ) and Challis ( West ) . 0 +There are medical and pharmaceutical facilities , the provincial B.J . Vorster Hospital , a public library and a Lutheran mission monument in or near Kareedouw . There are public facilities , the provincial B.J . Vorster Hospital , a medical and pharmaceutical library , and a Lutheran Missionary Monument at or near Kareedouw . 0 +Kathy changes her identity to Kriti at the hotel because she does not want anyone to know that she is the daughter of Ketan Malhotra . Kriti changes her identity to Kathy at the hotel because she does not want anyone to know that she is Ketan Malhotra 's daughter . 0 +It is important for reaching the quantum regime of the mechanical oscillator where thermal noise effects on the device become negligible . It is important for achieving the thermal regime of the quantum oscillator , where mechanical noise effects become negligible on the component . 0 +The total population was 333 , of which 49.8 % were female and 50.2 % were male . Total population : 333 of which were 49.8 % male and 50.2 % female . 0 +After completing his initial university education at Cardiff University , and in Harrogate , North Yorkshire , he was from 1996 to 1999 based in Rouen , France . After completing his university education at Cardiff University and Rouen , France , he was based in Harrogate , North Yorkshire , from 1996 to 1999 . 0 +Private Aqua Cycling is a fitness concept that combines underwater workout with active balneotherapy in private rooms . Private Aqua Cycling is a fitness concept that combines underwater training with active balneotherapy in private rooms . 1 +The new negative is tested and printed again . The new negative is tested and again is printed . 1 +Cambridge was granted its city charter in 1951 in recognition of its history , economic importance , and administrative success . In recognition of its history , its administrative importance and its economic success , Cambridge was granted city rights in 1951 . 0 +John Floyd was elected over 131 -- 81 via Tyler . John Floyd was elected 131 -- 81 over Tyler . 1 +Notoacmea parviconoidea is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . Notoacmea parviconoidea is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 1 +The real basis of the flower is that lenses can never focus perfectly in the physical world . The physical basis of bloom is that , in the real world , lenses can never focus perfectly . 0 +Smith was elected the ISCB Senior Scientist Award and awarded ISCB Fellow in 2009 by the International Society for Computational Biology . Smith was awarded ISCB Senior Scientist Award in 2009 and voted ISCB Fellow by the International Society for Computational Biology . 0 +The user can only use the package in read-only mode to evaluate it . The user can only use the package in read-only mode in order to evaluate it . 1 +SAfm was the first public radio station of the SABC and the country 's first radio station . SAfm was the SABC 's first radio station , and the country 's first public radio station . 0 +He began his career under the guardianship of his father Ustad Bahadur Hossain Khan and took lessons with his elder brother Ustad Ayat Ali Khan as violinist . Khan began his career under the guardianship of his father Ustad Ayat Ali Khan . He took lessons as a violinist from his elder brother Ustad Bahadur Hossain Khan . 0 +Coffee Creek is a tributary of Brokenstraw Creek in Warren County , Pennsylvania , in the United States . Coffee Creek is a tributary of Brokenstraw Creek in Warren County , Pennsylvania , the United States . 1 +His son , Herbie Matthews , also won a Brownlow Medal and his grandson of the same name later played with South Melbourne . His son , Herbie Matthews , also won a Brownlow medal and his grandson the same name played later with South Melbourne . 1 +The building , which was opened by the city fathers , was designed by William Stark and was commissioned in 1808 , originally as St. George 's Parish Church . The building , commissioned by the city fathers , was designed by William Stark and was originally opened in 1808 as St. George 's Parish Church . 0 +All lines have ceased to exist , except that a short section of the Dunfermline line forms a part of the Charlestown - Inverkeithing line . All the lines have ceased to exist , except that a short section of the Charlestown line forms part of the Inverkeithing to Dunfermline line . 0 +The advent of modern percussion added new dimensions to the a cappella genre and has become very widespread in vocal arrangements . The advent of modern percussion added new dimensions to the a cappella genre and has become very prevalent in vocal arrangements . 1 +Performing on stage with pop artists such as Rod Stewart and Luther Vandross as well , other gigs as a child included Barry Manilow 's wedding in 1993 . On stage with pop artists like Rod Stewart and Luther Vandross , as well as other gigs as a child , including Barry Manilow 's wedding in 1993 . 1 +Kurgo products are also available in Australia and New Zealand through the distributor Accapi Group , while MasterPet distributes Kurgo products in Europe . Kurgo - products are also available through the distributor Accapi Group in Europe , while MasterPet Kurgo products are distributed in Australia and New Zealand . 0 +Andy Pettitte opened the top of the fifth inning with a double and achieved field by Nick Swisher in a single to center . Andy Pettitte opened the top of the fifth inning with a double and scored on a single to center field by Nick Swisher . 1 +"While Quine has referred to such logics as "" free "" logic , they are now called inclusive logics ." "While Quine has referred to such logics as "" including "" logic , they are now called free logic ." 0 +A final remix was created after Diddy highlighted his intent to find a UK emcee to record a new version of the song with him . A final remix was created after Diddy had highlighted his intention to find a British emcee to record with him a new version of the song . 1 +He was elected President of the Assam Football Association and the Assam Cricket Association for several terms . He was also Vice-President of the Assam Sports Council . He was elected President of the Assam Football Association and the Assam Cricket Association for several terms ; he was also the Vice-President of the Assam Sports Council . 1 +A quantum fluid refers to any system that shows quantum mechanical effects at the macroscopic level , such as superfluids , superconductors , ultra-cold atoms , etc . A quantum fluid refers to any system that exhibits quantum mechanical effects at the macroscopic level such as superfluids , superconductors , ultracold atoms , etc . 1 +With the help of Karen , he built the horn and takes the identity of Herald . With the help of Karen , he takes the horn and builds the identity of Herald . 0 +Statistically speaking , Halifax is the 186th largest community in the Commonwealth in terms of population , and 204th in terms of population density . Halifax is statistically the Commonwealth 's 204th largest community in terms of population and 186th in terms of population density . 0 +The eastern end of the basin is currently being deformed by transpression associated with the southwestern end of the Conway segment . The eastern end of the basin is currently being deformed by the transpression associated with the southwestern end of the conway segment . 1 +Ovarian diseases can be classified as endocrine disorders or as disturbances of the reproductive system . Ovarian diseases may be classified as reproductive disorders or as disorders of the endocrine system . 0 +Johannes Herman Johannes married in 1955 Annie Marie Gilbertine Amalo . Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . 1 +Cliff Craft is an album by American jazz saxophonist Cliff Jordan featuring performances released in 1957 and recorded on the Blue No Cliff Craft is an album by American jazz saxophonist Cliff Jordan with performances recorded in 1957 and published on the label Blue Note . 0 +Irvine Park in Orange , Orange County is a park that became the first regional park in California in 1897 . Irvine Park in Orange , California , is a park that became the first regional park in Orange County in 1897 . 0 +"The singers of Sonic Syndicate , Richard Sjunnesson and Peter Wichers , also sang for a compilation album , called "" with Soilwork guitarist Roland Johansson ." "The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , sang also for a compilation - album called "" Soilwork - guitarist Peter Wichers "" ." 0 +A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewman was released . A month later the Spanish fleet were destroyed at the Battle of Santiago de Cuba and the crewman was released . 1 +Marsh Creek is a long tributary of the Portneuf River in Bannock County , Idaho . Marsh Creek is a long tributary of the Portneuf River at Bannock County in Idaho . 1 +36.4 % were Finnish , 10.2 % Italian , 9.2 % of German , 7.1 % Swedish and 5.4 % Scottish origin according to the 2000 census . 36.4 % were Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % of Italian and 5.4 % Scottish origin according to the 2000 census . 0 +December 4 , 1992 -- Cambridge United Trainer Ian Atkins is appointed coach of Birmingham City . 4 December 1992 -- Cambridge United coach Ian Atkins is appointed as manager of Birmingham City . 1 +He was the second born son of Gil Aires and wife Leonor Rodrigues . He was the second son of Gil Aires and wife Leonor Rodrigues was born . 1 +On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final list of the eight players on the official ATP World Tour website . On 10 November 2015 , ATP editor Josh Meiseles confirmed the final list of 8 players on the ATP World Tour official website . 1 +Mount Lebanon is located in northern Bienville Parish at ( 32.511680 , -93.041382 ) . Bienville Parish is located in northern Mount Lebanon ( 32.511680 , -93.041382 ) . 0 +The new coalition government has abolished the South West Regional Development Agency and replaced it with local business partnerships . The new Coalition Government abolished the South West Regional Development Agency and replaced it with Local enterprise partnerships . 1 +See ETA ( parallel group ) for more extensive discussion of ETA ( pm ) and the separatist ETA ( m ) . For a more detailed discussion of ETA ( pm ) and the parallel ETA ( m ) see ETA ( separatist group ) . 0 +"He also managed several international music commercials , including the European "" Freestyle "" campaign for Nike , which has won many prizes , and commercial videos ." "He has also directed many commercials , including the European "" Freestyle "" campaign for Nike , which won several international advertising awards and music videos ." 0 +About 90 % of the tobacco produced in Canada is grown here . About 90 % of all tobacco grown in Canada is manufactured here . 0 +was born in London , joined Dublin there and went to Jamaica with Charles Storer and his family in 1762 . Henry was born in Dublin , performed there and in London , and went to Jamaica with Charles Storer and his family about 1762 . 0 +Segura ( also known as Diego ) was a Marcilla and Isabel , one Juan Martinez . Segura ( also known as Diego ) was a Marcilla and Isabel , a Juan Martinez . 1 +Passengers travel to Maynooth to convert to Sligo to Dublin Intercity service . Passengers travel to Maynooth to transfer to Dublin to Sligo intercity service . 0 +According to Smith , the Aaronic Priesthood was returned to him and Oliver Cowdery somewhere in the woods near the house on 15 May 1829 . According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the forest near the home . 0 +It can be a single object , a group of objects , a specific environment , the whole system , etc . It can be a specific object , a group of objects , a single environment , the entire system , etc . 0 +Important Chinese expressions are also given and illustrated and the pronunciation of characters explained . Important Chinese phrases are also given and illustrated and the pronunciation of characters explained . 1 +This religious organization is an inert conviction , a non-political wing of the Deobandi school of thought and a counterweight to the ulema . This inert organization is of religious conviction , a non-political wing of the Deobandi school of thought , and a counterweight to the ulema . 0 +Houyan is a station on line 3 of the Dalian Metro Dalian City and is located in the district of Ganjingzi in the province of Liaoning , China . Houyan is a station on Dalian Metro line 3 in the province of Liaoning , China , in the Ganjingzi district of Dalian . 0 +Cobian Backup is a free , written backup software for Microsoft Windows , supported by Luis Cobian of Umeå University in Delphi . Cob Cobian Backup was a free , donation-supported backup software for Microsoft Windows , written by Luis Cobian of Umeå University , Delphi . 0 +Indigenous Americans were drawn from the earliest stages of the show , first hired from the Pawnee tribe ( 1883 - 1885 ) and then from the Lakota tribe . Native Americans were hired from the earliest stages of the show , first drawn from the Pawnee tribe ( 1883 -- 1885 ) and then the Lakota tribe . 0 +Unfortunately , Tam has the ability to manipulate and expertly analyze people and situations . Unfortunately , Tam has the ability to analyze and expertly manipulate people and situations . 0 +"Marans was famous until the early twentieth century for the "" local bean of Marans "" and its fairs in honour of these specially red beans ." "Until the early twentieth century , Marans was famous for the "" red bean of Marans "" and its fairs in honor of these particularly local beans ." 0 +On William de Roumare 's death , his son -- Roger , Earl of Lincoln -- inherited the manor . After Roger 's death inherited his son -- William de Roumare , Earl of Lincoln -- the manor house . 0 +Brian Packham has also appeared in Coronation Street as Peter . Brian Brian Packham has also appeared in Coronation Street as Peter . 1 +In 1824 , Richard Grainger was assigned by John Dobson to produce designs for the Old Eldon Square . In 1824 , John Dobson was commissioned by Richard Grainger to produce designs for the Old Eldon Square . 0 +Coopers Plains train station on the south coast railway line ( now the Beenleigh line ) opened in 1885 . Coopers Plains railway station on the South Coast railway line ( now the Beenleigh line ) opened in 1885 . 1 +Founded by Sérgio Britto in 1959 , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Gianni Ratto , it has introduced actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . 0 +He was born in Titograd ( today Podgorica ) and grew up in a family of musicians . He was born in Podgorica ( today Titograd ) in a family of musicians and grew up there . 0 +It is the seat of Zerendi District in Akmola Region . It is the seat of the Zerendi district in Akmola region . 1 +In 1976 Sebastian returned to Denmark to work with Danish musicians including Thorup . In 1976 , Sebastian returned to Denmark to work with Danish musicians like Thorup . 1 +"It is widespread in Europe , but it is never as common as "" L. sponsa "" ." It is widespread in Europe , but it is never as common as L. sponsa . 1 +Two days later , at their annual game , Army beat Navy , 6-4 . Two days later , in their annual game , Navy Army beat , 6-4 . 0 +The southern slope of the Obshchy Syrt is covered by deciduous forests , while the north slope towards the Caspian Depression has the characteristics of a steppe . The northern slope of the Obshchy Syrt is covered with deciduous forests , while the southern slope towards the Caspian Depression has the characteristics of a steppe . 0 +The son of General , Theodor , storms the royal palace and frees his father , the duke repents , apologizes to Archas and punishes Boroskie . The general 's son , Theodor storms the royal palace and punishes his father ; the Duke repents , apologizes to Archas , and frees Boroskie . 0 +The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa It is located near the border with Botswana . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is located near the border with South Africa . 0 +Touche was the third son of the first Baronet of Creation in 1920 . Touche was the first son of the Third Baronet of Creation in 1920 . 0 +The Sheffield Manor Lodge visitor attraction includes the Turret House , Tudor Reasons , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The Sheffield Manor Lodge visitor attraction includes the Turret house , Tudor grounds , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 1 +Tupperware Corporation , formerly Tupperware Brands Corporation , is an American multinational direct sales company . Tupperware Corporation , formerly Tupperware Brands Corporation , is an American direct multinational distribution company . 1 +""" Clitarchus hookeri "" is found from Wellington to the Northland region in the south of New Zealand 's North Island ." """ Clitarchus hookeri "" is found from Northland to the Wellington region in the south of the North Island of New Zealand ." 0 +Suzie Cappetta would work and record with various acts , including Christian hard rock , the R 'B group Stevie 'the Saints and Jimmy Ellis . Stevie would work and record with various acts including Christian hard rock , R & B group Jimmy Ellis & the Saints , and Suzie Cappetta . 0 +According to the United States Census Bureau , Irvine has a total area of which land and , or 5.13 % , is water . According to the United States Census Bureau , Irvine has a total area of , of which is land and , or 5.13 % , is water . 1 +Robert W. Edgar was appointed by Cohen as a member of the President 's Council of Common Cause . Robert W. Edgar was appointed by Cohen as a member of the Council of the President 's Common Cause . 1 +For the officers of the old army , Dillon assumed noble duties at a very difficult time . Dillon assumed military duties at a very difficult time for noble officers of the old army . 0 +It serves the Helen Delich Bentley Port of Baltimore and local shipping companies , and connects with two Class I railroads : CSX Transportation and the Norfolk Southern Railway . It connects the port of Bentelore with Baltimore , Helen Delich and local shipping companies , and serves two railways of Class I : CSX Transportation and the Norfolk Southern Railway . 0 +The series was written by Chris Roberson and drawn by Robert Adler . The series was written by Chris Roberson and is drawn by Robert Adler . 1 +"He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as an archie mullen in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as Archie Mullen in the film "" Freedom Song "" ( 2000 ) ." 1 +It was written by Sakamoto and composed by Swedish singer Frida Sundemo . It was composed by Sakamoto and written by Swedish singer Frida Sundemo . 0 +The Valea Lungă River is a tributary of the Casimcea River in Romania . The Casimcea River is a tributary of the River Valea Lungă in Romania . 0 +He is expressed in English by Ryō Horikawa in Japanese and Michael McConnohie . He is voiced by Ryō Horikawa in Japanese and Michael McConnohie in English . 0 +It was obtained in 1987 from parts of Assiniboia , Humboldt - Lake Centre and Moose Jaw Ridings . It was re-created in 1987 from parts of Assiniboia , Humboldt -- Lake Centre and Moose Jaw ridings . 1 +"About the song wrote Billboard : "" You know the beat , now you catch the groove ." "Billboard wrote about the song : "" You catch the beat , now know the groove ." 0 +These mechanisms of controlling power tend to make power relations more accountable and more democratic , both within and outside the government . These mechanisms of power scrutiny tend to make power relations both within and outside government more accountable and more democratic . 1 +There are 7 blue runs , 21 red runs , 11 green runs , and 4 black runs . There are 7 blue runs , 21 red runs , 11 green races and 4 black runs . 1 +The band is currently led by Pipe Major David Hilder and Drum Sergeant Gary Corkin , along with support from Pipe Sergeant Shaunna Hilder and Pipe Corporal Gary Nimmo . The band is currently led by Pipe Major Gary Nimmo and Drum Sergeant Shaunna Hilder , together with support of Pipe Sergeant Gary Corkin and Pipe Corporal David Hilder . 0 +Constantine Giannaris ( born 1959 in Athens ) is a Greek film director , screenwriter , and actor . Constantinos Giannaris , also Constantine Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . 1 +After the separation of Cream , Bruce and Brown continued to write songs together Brown wrote the lyrics for most of Bruce Solo - albums . After the break-up of Cream , Bruce and Brown continued to write songs together . Bruce wrote the lyrics for most of Brown 's solo albums . 0 +He wrote the script in cooperation with Bianca Olsen , Laurie Aubanel and Cyril Rambour . He wrote the script in collaboration with Bianca Olsen , Laurie Aubanel , and Cyril Rambour . 1 +The new format is current for the 2010 season and consists of three stages . The new format is currently for the 2010 season and consists of three stages . 1 +The army of Zhu Huan initially experienced great success and destroyed all of Cao Ren 's armies in the field . Cao Ren 's army initially experienced a great success and destroyed all Zhu Huan 's armies in the field . 0 +When Bramah 's sister , Esther Frances Bramah died , the couple acted as districts for the orphaned children Thomas Bramah Diplock and Samuel Robey Diplock . When Bramah 's sister Esther Frances Bramah died , the couple acted as wards for the orphaned children Thomas Bramah Diplock and Samuel Robey Diplock . 1 +She is the first female Prime Minister of Mali and the second and final term of President Amadou Toumani Touré . She is the first female Prime Minister of Mali , and the second and final Prime Minister of President Amadou Toumani Touré 's second term . 0 +Later they went to New York City and then to Whitefish Bay , Wisconsin . Later they moved to Whitefish Bay , Wisconsin , and then to New York City . 0 +However , Mumba Malila removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position of Justice Minister . Mumba Malila , however , removed Kunda from the position of Prosecutor General and appointed Mwanawasa in 2006 , while Kunda left his position with the Minister of Justice . 1 +Ball died in 1978 in Grayson County , Virginia , and is buried at Corinth Baptist Church in Rugby , Grassy Creek , North Carolina . Ball died in Grayson County , Virginia in 1978 , and is buried in the Corinth Baptist Church in Rugby , Grassy Creek , North Carolina . 1 +The film is produced jointly by Vishwa and Girish von V San Visions and the music of Arjun Janya . The film is scored jointly by Vishwa and Girish of V San Visions and the music is produced by Arjun Janya . 0 +Scurria plana is a species of sea snail , a true limpet , a marine gastropod mollusc in the Lottiidae family , one of the families of the true limpets . Scurria plana is a species of sea snail , a true limpet , a true gastropod mollusc in the Lottiidae family , one of the families of the marine limpets . 0 +In 2015 , SAP George X and Manny Rodriguez announced SpikeTV Spanish commentators for Premier Boxing Champions at Spike TV . In 2015 , SpikeTV announced George X and Manny Rodriguez as the SAP Spanish commentators for Premier Boxing Champions on Spike TV . 0 +It originally turned around the copper mine at Kilembe , while attention later grew to cobalt mining . It originally grew around the copper mine at Kilembe , while attention later turned on cobalt mining . 0 +"In the specific case of disubstituted alkenes where the two carbons have one substituent each , "" cis "" -- "" trans "" notation may be used ." "In the specific case of disubstituted alkenes , where the two carbons each have one substituent , the "" cis "" -- "" trans "" -- notation can be used ." 1 +"In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at Inegol 's folk festival in Turkey ." "In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at the Folk Festival of Turkey in Inegol ." 0 +When Mustafa marched to desert Murad in Anatolia , Junayd was persuaded to confront him . When Mustafa marched to Murad in Anatolia , Junayd was persuaded to confront him . 1 +Pedestrians and bicycles are not allowed , but may be permitted on a footpath . Pedestrians and bicycles are not allowed , but can be permitted on a footpath . 1 +A virtual instrument is a kind of synthetic instrument that is purely defined by software . A synthetic instrument is a kind of virtual instrument that is purely software defined . 0 +Its modern location has been postulated in southern modern Tunisia or somewhere in northern Libya . Its modern situation has been postulated in northern Tunisia or somewhere in southern modern Libya . 0 +Fort Paull is the location of the last complete Blackburn Beverley heavy transport aircraft . Fort Paull is the location of the last remaining heavy Blackburn Beverley complete transport aircraft . 0 +Sauer Co. purchased the spices of the gold medal and introduced Dean Foods ( a margarine company ) . Sauer Co. purchased Gold Medal spices and introduced Dean Foods ( a margarine company ) . 1 +In November 1888 , Lucy Stone invited Laura Clay to present a speech at the AWSA Convention in Cincinnati . In November 1888 , Lucy Stone invited Laura Clay to present a paper at the AWSA convention in Cincinnati . 1 +Some say when Jeong Yim returned from studying with Ching Cho , he went back to Chan Heung and combined his knowledge into the Choy Li Fut system . Some say that when Chan Heung returned from studying with Ching Cho , he went back to Jeong Yim and combined his knowledge into the Choy Li Fut system . 0 +The atheistic element of communism would be intensified in some Marxist movements after his death . The atheistic element of communism would be strengthened after his death in some Marxist movements . 1 +It offers a fresh 1814 spin on legendary artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . 0 +It was added on 6 April 2010 as a digital download and published on Modern Rock radio in the United States on May 5th , 2010 . It was released on April 6 , 2010 as a digital download and recorded on May 5 , 2010 in Modern Rock Radio in the United States . 0 +The white endocarp of mangosteen has the same shape and size in diameter as a mandarin , but is edible . The edible endocarp of the mangosteen has the same shape and size as a tangerine in diameter , but is white . 0 +The chief editor is Michael Mullins and the assistant is Tim Kroenert . The chief editor is Tim Kroenert and the assistant editor is Michael Mullins . 0 +He attended Kawawa High School and graduated from the Meiji University . He visited the Kawawa High School and graduated from Meiji University . 1 +De Bruijn reached Cyprus and stayed with the Dutch merchants in Smyrna and Constantinople . De Bruijn reached Constantinople and stayed among the Dutch merchants in Smyrna and Cyprus . 0 +According to the United States Census Bureau , Masontown has a total area of , of which is land and , or 2.10 % , is water . According to the United States Census Bureau , Masontown has a total area of which land is and , or 2.10 % , is water . 1 +In 2012 , Solanco School District approved homestead residents received $ 79 . In 2012 , Solanco School District Homestead received residents approved $ 79 . 0 +He replaced John Mabry as a backup at 1st base to Derrek Lee . He replaced John Mabry as backup at 1st Base to Derrek Lee . 1 +Bandra is a neighborhood located in western Bandra in the state of Maharashtra , India many personalities active in Bollywood , in cricket and in politics , have lived in Mumbai . Bandra is a neighborhood located in western Bandra in the state of Maharashtra , India . Many personalities active in Bollywood , cricket and politics reside in Mumbai . 1 +Five foreign offices of Ingosstrakh operate in the countries of Azerbaijan , Kazakhstan , Ukraine , India and China . Five foreign offices of Ingosstrakh operate in the representative countries - Azerbaijan , Kazakhstan , Ukraine , India and China . 0 +Valdir Bigode ( born March 15 , 1972 ) , commonly known as Valdir de Moraes Filho , is a former Brazilian footballer who played as a striker . Valdir de Moraes Filho ( born March 15 , 1972 ) , commonly known as Valdir Bigode , is a former Brazilian soccer player who played as a striker . 0 +Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard , Cousin by Claude Pratte , the son of Gaston Pratte and Jeannette Verge is . Born in Quebec City , Quebec , son of Garon Pratte and Claude Pratte , cousin of G. Rivard , the son of Gaston Pratte and Jeannette Verge is . 0 +Since the early 1980s , the district schools in Dearborn have non-halal meals as an alternative to vegetarian meals . Since the early 1980s Dearborn district schools have non-halal meals as alternative to vegetarian meals . 1 +"Kossuth W. Duncan was born in Hindmarsh , the second son of R. B. Duncan , who arrived on board the "" Fitzjames "" in South Australia in 1855 ." "Kossuth W. Duncan was born in South Australia , the second son of R. B. Duncan , who arrived in Hindmarsh aboard the "" Fitzjames "" in 1855 ." 0 +In 1964 , he survived the Soviet leadership transition from Khrushchev to Brezhnev . He survived the Soviet leadership transition from Khrushchev to Brezhnev in 1964 . 1 +The cancellous skeleton is organized in three layers : a compact basal lamellar layer , a dermal spongiosa , and a superficial lamellar layer . The dermal skeleton is organized in three layers : a superficial lamella layer , a spongiosa spongiosa and a compact basal lamellar layer . 0 +Brusio is a municipality in the Bernina region of the Canton Graubünden , Switzerland . Brusio is a municipality in Graubünden , in the canton of Switzerland , in the Bernina region . 0 +A large and powerful bear feels too hungry to take advantage of his strength . a hungry bear , feels too large and powerful to take advantage of his strength . 0 +Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against Mitchell Melich . Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Mitchell Melich . 1 +"At the 54th International Film Festival in Locarno his British feature film "" Déjàvu "" was premiered with international actors ." "His international English feature film "" Déjàvu "" with British actors premiered at the 54th Locarno International Film Festival ." 0 +Joffre Stewart ( born 1925 ) is an American poet , poet , anarchist , and pacifist known for his early participation in the Beat movement . Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist known for his early participation in the American Beat movement . 0 +Abbie Carmichael ( played by Jamie Ross ) replaced season 8 's Carey Lowell ( Angie Harmon ) in the role of Assistant District Attorney . Abbie Carmichael ( played by Jamie Ross ) replaced Carey Lowell ( Angie Harmon ) of season 8 in the role of the Assistant District Attorney . 1 +"In the tenth episode of the last season , "" The Wayfarers "" ( 1964 ) , he made his first appearance on "" Lassie "" ." "Reilly made his last appearance on "" Lassie "" in the first episode of the tenth season , "" The Wayfarers "" ( 1964 ) ." 0 +"( A1 ) Boston Celtics vs. ( A2 ) New York Knicks : "" Knicks win series 4-1 """ "( A1 ) Knicks versus ( A2 ) Boston Celtics : "" New York Knicks Series 4-1 "" Win" 0 +This later became the permanent family home , after purchase in 1948 by Hew Lorimer 's son , the sculptor Robert Lorimer . After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this later became a permanent family home . 0 +The R335 is a regional route in South Africa that links Port Elizabeth to the south via Addo to the north with Somerset East . The R335 is a regional road in Somerset East , which connects Port Elizabeth from the south to South Africa via Addo to the north . 0 +Nearby settlements include the town of Lancaster , the city of Hollins Lane , the village of Garstang and the hamlets of Potters Brook and Shireshead . Nearby settlements include the city of Lancaster , the town of Garstang , the village of Hollins Lane and the hamlets of Potters Brook and Shireshead . 0 +Several animatronic characters were also created ... a puppeteered goose ( Galaga ) and an animatronic head for the giant Cernos . There were also several animatronic characters created ... a giant goose ( Galaga ) and an animatronic head for the puppet theater Cernos . 0 +The technological center was founded as a result of the cooperation between the Armenian Government , the Enterprise Incubator Foundation and the World Bank . The technological center was founded as a result of the cooperation between the Armenian government , Enterprise Incubator Foundation and the World Bank . 1 +"Stevens contributed the song "" Nobody "" to Selena Gomez 's 2015 album "" Revival "" ." "Selena Gomez contributed song "" Nobody "" to Stevens 2015 - Album "" Revival "" ." 0 +The average high temperature in summer ( December -- January ) is , and the average low temperature in winter ( June -- July ) is . The average low temperature in summer ( December - January ) and the average high temperature in winter ( June -- July ) . 0 +In 2003 , Pioneer Entertainment , formally Geneon Entertainment , announced the Gungrave license in North America . In 2003 , Pioneer Entertainment , formally Geneon Entertainment , announced the license of Gungrave in North America . 1 +In addition , Merrill was a member of the Ashland , Wisconsin School Board and served as Ashland County District Attorney from 1917 to 1926 . In addition , Merrill was a member of the Ashland County School Board and served as the Ashland , Wisconsin district attorney from 1917 to 1926 . 0 +In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Head of Staff Ministers . In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Ministry head of staff . 1 +Robert Edward Turner 's son , Ted Turner , inherited the company when the elder Turner died in 1963 . Ted Turner , the son of Robert Edward Turner , inherited the company when the elder Turner died in 1963 . 1 +Zhuge Liang recommended Jiang Wan as his successor and Fei Yi as his successor to Jiang Wan . Zhuge Liang recommended Jiang Wan as his successor and Jiang Wan as Fei Yi 's successor . 0 +Contributors include Iggy Pop , Cave , Harry , Lanegan , Race , Thurston Moore and Primal Scream . Contributors include Thurston Moore , Cave , Harry , Lanegan , Race , Iggy Pop and Primal Screen . 1 +Finsch 's monitor was only known from Blanche Bay , Ralum , and Massawa in New Britain . The Finsch monitor was only known from Blanche Bay , Ralum and Massawa in New Britain . 1 +"cleared dry lake or forest ( comes from the name of the old domain "" Les Eychartelles "" , which once contained a forest )" "dry lake or forest cleared ( comes from the name of the old domain "" les eychartelles "" which once included a forest )" 1 +"At the South by Southwest Festival 2013 , film director Chris Kelly and producer Brent Hodge made a retrospective of Nardwuar 's career for "" Time "" ." "At the 2013 South by Southwest Festival film director Brent Hodge and producer Chris Kelly did a retrospective of Nardwuar 's career for "" Time "" ." 0 +He began his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and audio-visual producer . He started his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and visual audio producer . 1 +"Godman was a paramour of Lou Blonger ( "" né "" John Homer French ) , bookmaker for Jackie French ." "Godman was a paramour of the Lou Blonger ( "" né "" John Homer French ) , bookmaker for Jackie French ." 1 +In the USA , the film earned 360,000 US dollars , UK -- 157,000 , Mid-East -- 300,000 and Australia -- NZ -- 150,000 . In NZ the film earned $ 360,000 , UK -- $ 157,000 , Australia -- $ 300,000 and US -- Mid-East -- $ 150,000 . 0 +The album was deleted on digital download in 2008 , shortly after the CD was released . The album was released in 2008 as a digital download shortly after the CD was deleted . 0 +With a discrete amount of probabilities Formula 1 with the condition formula 2 and Formula 3 any real number is defined as the Tsallis - Entropy as Given a discrete set of probabilities formula _ 1 with the condition formula _ 2 , and formula _ 3 any real number , the Tsallis entropy is defined as 1 +Caspar David Friedrich was born on 5 September 1774 , in Germany , on the Baltic coast of Greifswald , Swedish Pomerania . Caspar David Friedrich was born on September 5 , 1774 in Greifswald , Sweden , Pomerania , on the Baltic coast of Germany . 0 +Grégoire was born in Lunéville near Vého as son of a tailor . Grégoire was born in Lunéville near Vého as the son of a tailor . 1 +Fritz August Hoenig ( 1848 -- 1902 ) was a German military officer and writer . Fritz Hoenig ( 1848 -- 1902 ) was a German officer and military writer . 0 +Chandima Weerakkody ( UPFA-SLFP ) died on May 30 , 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009.His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +"Felipe Calderón inaugurated a boulevard in Tijuana , Baja California called "" José Francisco Blake Mora "" on 11 October 2012 ." "On 11th October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , called "" Felipe Calderón "" ." 0 +The A58 connects North Brabant 's three major cities Zeeland , Tilburg and Breda with the cities Goes , Middelburg and Vlissingen in Eindhoven . The A58 connects the three major cities of North Brabant Eindhoven , Tilburg and Breda with the cities of Goes , Middelburg and Vlissingen in Zeeland . 0 +The transcontinental ferry ran to 42nd Street and was a part of the main Lincoln Highway for a short time . The main ferry ran to 42nd Street and was part of the transcontinental Lincoln Highway for a short time . 0 +Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and they together had at least 10 children ( 6 sons and 4 daughters ) . Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and together they had at least 10 children ( 6 sons and 4 daughters ) . 1 +"In September 2013 , Enfield appeared in the BBC Three Comedy series "" Bad Education "" as Jack Whitehall , the father of Martin ’ s character Alfie ." "In September 2013 , Enfield appeared in the BBC Three - Comedy - Series "" Bad Education "" as Martin , father of Jack Whitehall 's character Alfie ." 0 +His mother was Simon I 's first wife Agnes , a daughter of Count Gunther of Saarbrücken . His mother was Gunther ’ s first wife , Agnes , a daughter of Count Simon I of Saarbrücken . 0 +""" Note : Not all of the above details are verifiable in available sources , but the primary structure is in Messenger ." """ Note : not all of the above details are available in primary sources , but the verifiable outline is in Messenger . """ 0 +As an alternative , tantric Tibetan Buddhism allows to deliberately create a desire to choose the desire , rather than being created by it . As an alternative , tantric Tibetan Buddhism allows to create a desire consciously ; to choose desire rather than being created by it . 1 +Governor Flanagin took the state archives and first moved to Hempstead County , and then continued to Washington , Arkadelphia , where he set up a new capital . Governor Flanagin took the state archives and moved first to Hempstead County , and then on to Washington in Arkadelphia where he set up a new capitol . 1 +"Rufinus ( "" floruit "" 431 -- 432 ) was a Pretorian prefect of the East , one of the most important officials of the Eastern Roman Empire ." "Rufinus ( "" floruit "" 431 -- 432 ) was a praetorian prefect of the East , one of the most important officials of the Eastern Roman Empire ." 1 +Ma Smith is a widow with two children of her own : Will and Dora Smith . Ma Smith is widow with two of her own children : Will and Dora Smith . 1 +Butler died at Oxford on 16th January , 1909 , and was buried in Holywell cemetery , Torquay . Butler died in Torquay on January 16 , 1909 , and was buried in Holywell , Oxford Cemetery . 0 +B is the common term between the two premises ( the central term ) , but is never distributed , so this syllogism is invalid . B is the medium term between the two premises ( the common term ) , but is never distributed , so this syllogism is invalid . 0 +Ernest Renan visited Chalaaboun during his mission to Lebanon and found what he described in his book Mission de Phénicie ( 1865-1874 ) . Ernest Renan visited Chalaaboun during his mission to the Lebanon and described what he found in his book Mission de Phénicie ( 1865-1874 ) . 0 +His son , Félix Allard , was a politician from Quebec and his daughter Marguerite married Aimé Boucher , a member of the Canadian House of Commons . His son , Félix Allard , was a Quebec politician . His daughter Marguerite married Aimé Boucher , a member of the Canadian House of Commons . 1 +The album was released on April 30 as a limited , untitled album with hand drawn covers and signed by Buckethead himself to be announced on May 31 . The album was announced on April 30 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31 . 0 +DesAutels is the editor of several volumes in ethics and feminist psychology . DesAutels is the editor of several volumes in feminist ethics and moral psychology . 0 +This is a list of the etymology of street names in the Covent Garden district of London . This is a list of the etymology of road names in the Covent Garden district of London . 0 +It is covered with a natural vegetation of grassland of more fertile clay soils , and saltbush shrubland on less fertile red earths . It is covered with a natural vegetation of grassland of less fertile red clay floors , and Saltbush bushland on more fertile soils . 0 +In 1996 he was appointed Chief Operating Officer of AIU in New York City and named President in 1997 . In 1996 , he was appointed Chief Operating Officer of AIU in New York City and was appointed President in 1997 . 0 +The Simpsonville Mill is a historical pre-colonial mill complex in Columbia , Maryland , part of the Simpsonville , Maryland land development . The Simpsonville - Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of the Columbia rural development , Maryland . 0 +He was likely the son of the painter Giovanni Antonio Pandolfi , also from Pesaro , who had married the sister of the painter Girolamo Danti . He was probably the son of painter Girolamo Danti , also from Pesaro who married the sister of the painter Giovanni Antonio Pandolfi . 0 +No . 615 ( County of Surrey ) Squadron was a unit of the British Auxiliary Air Force and later the Royal Auxiliary Air Force between 1937 and 1957 . 615 ( County Surrey ) Squadron was one unit of the British Royal Auxiliary Air Force and later of the Auxiliary Air Force between 1937 and 1957 . 0 +The PAIS Alliance publishes El Ciudadano and the young wing of AP is the Juventudes Alianza País . PAIS Alliance publishes El Ciudadano and the young wing of the AP is the Juventudes Alianza País . 1 +He was placed in the vault at the Glenwood cemetery and then taken to the Presbyterian cemetery in Alexandria , Virginia . He was placed in the vault at Presbyterian Cemetery and then removed to the Glenwood Cemetery in Alexandria , Virginia . 0 +Christy Nockels was born in Oklahoma as a pastor and piano teacher , but grew up in Fort Worth , Texas . Christy Nockels was born in Oklahoma to a pastor and a piano teacher , but grew up in Fort Worth , Texas . 1 +"The Russian villain , however , is an original and sometimes interesting menace. """ However , the Russian villain is an original and sometimes interesting danger . 1 +In 1997 he founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . In 1997 he founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . 0 +It was first admitted by Irma Thomas in November 1961 and produced by Allen Toussaint . It was initially recorded in November 1961 by Allen Toussaint and produced by Irma Thomas . 0 +"The band consisted of Tom Cosgrove on lead guitar , Ralph Schuckett on rhythm guitar , "" Buffalo "" Bill Gelber on bass and "" Chocolate "" on drums ." "The band consisted of Tom Cosgrove on the lead guitar , Ralph Schuckett on the rhythm guitar , "" Buffalo "" Bill Gelber on the bass and "" Chocolate "" on drums ." 1 +Parfit Janet met Radcliffe Richards in 1982 and married in 2010 . Parfit met Janet Radcliffe Richards in 1982 . They married in 2010 . 0 +Phasael and Antipater began their careers under their father Herod , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . Both Phasael and Herod started their careers under their father Antipater , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . 0 +Born and raised in Dallas , was the son of Margot ( born Birmingham ) and Ross Perot . Perot was born and raised in Dallas , the son of Ross Perot ( nee Birmingham ) and Margot . 0 +The Mine Letneye is a large copper mine in the south-west of Russia in the Orenburg region . The Letneye mine is a large copper mine located in the south-west region of Orenburg Oblast in Russia . 0 +Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and a younger sister of the actress Alessandra De Rossi . Alessandra De Rossi ( born Alessandra Schiavone ; 19 July 1984 ) is a Filipina actress , and the younger sister of actress Assunta De Rossi . 0 +The museum consists of a main information room , a restoration hangar , the new Texas Flying Legends hangar , and the Oswin H. Elker Hangar . The museum consists of a new information room , a restoration hangar , the main hangar Texas Flying Legends and the hangar Oswin H. Elker . 0 +However , Szabo 's method of double-spending protection was vulnerable to Sybil attacks . Szabo 's method of sybilizing protection was , however , vulnerable to double attacks . 0 +AMBIT is a historical programming language that was introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for the symbolic calculation . AMBIT is a symbolic programming language that was introduced by Carlos Christensen of Massachusetts Computer Associates in 1964 for historical computation . 0 +Lesotho supported the coup in South Africa in 1986 that brought Justin Lekhanya to power . South Africa supported the coup d 'état in Lesotho in 1986 , which brought Justin Lekhanya to power . 0 +Louis Philippe visited the individual exhibits on Mondays , as Napoleon had done . On Monday , Napoleon visited the individual exhibits , as Louis Philippe had done . 0 +Gérard Depardieu was born to a wealthy Parisian family and married Lucie Guignot , Élisabeth Dominique , on February 19 , 1970 . Gérard Depardieu was born to a well-off Parisian family and married Élisabeth Dominique Lucie Guignot on 19 February 1970 . 1 +Christine was hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . Christine became hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . 1 +In the final , Herbert and Maxime defeated Teixeira Alessandro Giannessi and João Sousa 6 : 4 , 6 : 3 . Pierre-Hugues Herbert and Maxime Teixeira defeated Alessandro Giannessi and João Sousa 6 -- 4 , 6 -- 3 in the final . 0 +Bandelin is situated about 15 km south of Greifswald and approximately 3 km northwest of Gützkow . Bandelin is about 15 km south of Greifswald and approximately 3 km northwest of Gützkow . 1 +Saavedra claims in his memoirs , as do liberal historians like Vicente Fidel López , that it was exclusively a product of the popular initiative . In his memoirs , like popular historians such as Vicente Fidel López , he claims that it was exclusively a product of the liberal initiative . 0 +Popular at Oratory is the annual ski trip to Italy ( however in 2007 , they went to Italy instead of Utah ) . In the Oratory , the annual ski trip to Italy is popular ( in 2007 , however , they went to Italy instead of Utah ) . 1 +Horner changed his mind when Cameron presented him with the song . Cameron changed his mind when Horner presented the song to him . 0 +They came to Russia from Poland in the eighteenth century , and their language includes Polish , German and Russian words . They came to Russia in the 18th century from Poland , and their language includes Russian , German , and Polish words . 1 +The soundtrack theme was composed by John Williams and performed by Paul McCartney . The soundtrack topic was composed by Paul McCartney and performed by John Williams . 0 +Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . Schützen-Eisenberg is a municipality in Burgenland in the Oberwart district of Austria . 0 +This species can be found in New Britain , Bismarck Archipel : Woodlark Island , Papua - New Guinea , West Papua and Aru - Islands . This species can be found in New Britain , Bismarck Archipelago : Woodlark Island ; Papua New Guinea ; West Papua ; and Aru Islands . 1 +The most common measures of the arithmetic tendency are the central mean , the median and fashion . The most common measures of central tendency are the arithmetic mean , the median and the mode . 0 +In October 2017 , the school became Outwood Grange Academies Trust , and joined Outwood Academy Redcar . In October 2017 , the Outwood Grange Academies school entered trust and became Outwood Academy Redcar . 0 +San Pedro Springs Park is located in the San Antonio city of Bexar County in the U.S. state of Texas . San Pedro Springs Park is located in the city of San Antonio in the Bexar County in the state of Texas . 1 +In the caucausian valley rare species such as the common periwinkle , laurel , wet blueberry , strandzhan yew can be observed . In the wet valley rare species such as the Strandzhan evergreen , laurel , Caucausian blueberry , common yew can be observed . 0 +Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in San Luis , 13 in Córdoba and 15 in Mendoza . The Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in San Luis , 13 in Córdoba and 15 in Mendoza . 1 +On 29 September 1849 , Queen Victoria traveled from Swindon to Gloucester by train , On September 29 , 1849 , Queen Victoria of Gloucester traveled to Swindon by train , 0 +On June 30 , 2016 , Infante agreed to a minor league deal with the Braves . He was released by the Atlanta Braves on August 16 , 2016 . On 30 June 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves and was released by the Braves on August 16 , 2016 . 1 +Ringwood is located in the 39th Congressional District and is part of the 5th State Legislative District of New Jersey . Ringwood is located in the 5th Congressional District and is part of the 39th State Legislative District in New Jersey . 0 +The original route started at U.S. 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . The original route began at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . 0 +Ashok Kumar paved the way for his younger brothers Kalyan ( Anoop ) and Kishore Kumar . Anoop also prepared the way for his younger brothers Kalyan ( Kishore Kumar ) and Ashok Kumar . 0 +It is located in the hills between the Koonung Creek and the Mullum Mullum Creek . It is located in the hills between Koonung Creek and the Mullum Mullum Creek . 1 +"In a letter to his friend Cicero stationed in Gaul , Testa jokingly refers to "" andabata "" ." "In a letter to his friend Trebatius Testa , stationed in Gaul , jokingly refers to "" andabata "" ." 0 +The Salem Militia used Charlotte County and White Creek as bases in 1776 . The Charlotte County and White Creek Militia used Salem in 1776 as the base . 0 +In 1946 , Lucas married the writer Ralph Peterson and her son , Joel Patterson ( 1957 - 2017 ) , became a cinematographer . Ralph Peterson married the writer Joel Patterson in 1946 and their son , Lucas ( 1957 -- 2017 ) , became a cinematographer . 0 +In Louisville , Kentucky , he exhibited at the Brownstown Gallery and the Art Space in Birmingham , Michigan . In Louisville , Kentucky he has exhibited at the Brownstown Gallery and in Birmingham , Michigan at Art Space . 0 +Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and Co-founder , along with Sean Kandel and Jeffrey Heer . Sean Kandel , along with Joseph M. Hellerstein and Jeffrey Heer , is the Chief Technical Officer and co-founder of Trifacta . 0 +In the Adams Division , the Boston Bruins and Montreal Canadiens never missed the playoffs in this format , while the Buffalo Sabres only missed twice . In the Adams division , the Boston Bruins and Montreal Canadians never missed the playoffs in this format , while the Buffalo Sabres missed only twice . 1 +The Ludlow Group formations of the county of Galway include the Salrock beds of Ireland and the Croagmarhin - beds of the Dingle - Peninsula of County Kerry . The Ludlow Group formations of Ireland include the Salrock beds of County Galway , and the Croagmarhin beds of Dingle Peninsula of County Kerry . 0 +According to the United States Census Bureau , the district is a total area of , of which has land and ( 0.0 % ) of which is water . According to the United States Census Bureau , the district has a total area , of which land and ( 0.0 % ) of it is water . 1 +Neustadtl an der Donau is a city located in the district of Amstetten in Lower Austria in Austria . Neustadtl an der Donau is a city in the Amstetten district of Lower Austria in Austria . 0 +The Udmurt language belongs to the Uralic family , and the Udmuren are therefore considered to be a branch of the Finno-Ugric peoples . The Udmurt language belongs to the Uralic family ; the Udmurts are therefore considered to be a branch of the Finno-Ugric peoples . 1 +Where codice _ 3 is a type qualifier , which the qualified type of codice _ 27 is codice _ 28 and the unqualified type is codice _ 29 . codice 3 is a type qualifier , where the qualified type of codice 27 codice 28 and the unqualified type are codice 29 . 1 +In 1892 , Coahoma County was divided into two jurisdictions , one to Friars Point and the other in Clarksdale . In 1892 , Friars Point was divided into two jurisdictions , one going to Coahoma County and the other to Clarksdale . 0 +The 6th of September Express and the 17th of September Express are fast daily trains to Bandırma , with İDO connections to İstanbul . The Express of 6 September and the Express of September 17 are fast daily trains to Bandırma , with IDO connections to İstanbul . 1 +The Bozeman Yellowstone International Airport is located on the outskirts of Gallatin Speedway northeast of Belgrade on Tubb Road . The Gallatin Speedway is located on the outskirts of Belgrade northeast of Bozeman Yellowstone International Airport in Tubb Road . 0 +Belize High School is a high school in Belize City , Belize , Secondary School . Belize High School is a high school , secondary school in Belize City , Belize . 1 +The son of Alexander , 3rd Lord Robert Boyd was . Robert Boyd was the son of Alexander , 3rd Lord Boyd . 0 +The general 's son Theodor storms the royal palace and frees his father ; the Duke repents , apologizes to Archas , and punishes Boroskie . The son of General , Theodor , storms the royal palace and frees his father , the duke repents , apologizes to Archas and punishes Boroskie . 1 +July 2013 to be announced . July 2013 to be announced . 0 +The same year , he was appointed Vicar General for the Mississippi and Illinois region of the Diocese of Quebec . In the same year he was appointed General Vicar for the region of Mississippi and Illinois of the diocese of Quebec . 1 +Cohen ( Anya Verkhovskaya-Anya Verkhovskaya ) is a Moscow-born ( circa 1969 ) consultant , chief operating officer , film producer , and activist . Anya Verkhovskaya ( Anya Verkhovskaya-Cohen ) is a Moscow-born consultant , chief operating officer , film producer and activist ( about 1969 ) . 0 +In 2004 , the FCC revealed the Parents Television Council as the main source of most content complaints . In 2004 the FCC revealed the Parents Television Council as the primary source of most content complaints received . 1 +The official language is Bhojpuri , while the local language is Hindi . Bhojpuri is the official language and the local language is Hindi . 1 +Eupithecia demissa is a moth in the family Geometridae It is found in province of Malleco ( Chile ) . Eupithecia demissa is a moth in the family Geometridae . It is found in Malleco Province ( Chile ) . 1 +The Oraciu River or Orociu is a tributary of the Pustnic River in Romania . The Pustnic River or Orociu River is a tributary of the River Oraciu in Romania . 0 +Billie Jean King defeated Kerry Melville , 6 - 3 , 7 -- 5 Bill Kerry Melville Defeated Billie Jean King , 6-3 , 7-5 0 +It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson and married Henry Albert Hartland . It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland and married Stephen Jackson . 0 +The result of these experiments led to defining the processes of learning optimism . The result of these experiments led to the learning of processes for defining optimism . 0 +"Byron Morrow played in a cameo performance in the episode "" Death Valley Days "" , "" An organ for brother Brigham "" ( 1966 ) ." "Byron Morrow played Young in a cameo performance in the episode "" Death Valley Days "" , "" An organ for brother Brigham "" ( 1966 ) ." 0 +Lloyd took over command of the 6th Field Artillery Brigade on 28 November 1917 and then the 12th Field Artillery Brigade on 7 February 1918 . Lloyd took over the command of the 12th Feldartillerie - Brigade on November 28 , 1917 and then the 6th Field - Artillery - Brigade on February 7 , 1918 . 0 +He won three all-Dublin medals for Ireland in 1977 , 1976 , 1974 . He won medals for Dublin in 1977 , 1976 , 1974 three all-Ireland . 0 +Mrs Gandhi was represented by the noted lawyer Shanti Bhushan by Nana Palkhiwala , Raj Narayan . Mrs Gandhi was represented by the well-known lawyer , Shanti Bhushan , by Nana Palkhiwala , Raj Narayan . 1 +Gaines came to Ephraim Fletcher from New York in 1836 and settled in Van Vleet Road ( section 16 ) . In 1836 , Ephraim Fletcher from New York came to Gaines and settled in Van Vleet Road ( Section 16 ) . 0 +The Oraciu River or Orociu River is a tributary of the Pustnic River in Romania . The Oraciu River or Orociu is a tributary of the Pustnic River in Romania . 1 +Bayswater is connected to the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the city . Bayswater is linked to south of the Redcliffe Bridge by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) . 0 +The Three Sisters Islands are islands that lie off the south coast of Goat Island The islands are part of Niagara Falls , New York . The Three Sisters Islands are islands which lie off the south shoreline of Goat Island . The islands are part of Niagara Falls , New York . 1 +In November of 1578 , the Spanish army left Namur and crossed the Ardennes and Limburg . In November 1578 , the Spanish Army crossed Namur and left the Ardennes and Limburg . 0 +"In the first episode of the tenth season , "" The Wayfarers "" ( 1964 ) , he made his last appearance on "" Lassie "" ." "In the tenth episode of the last season , "" The Wayfarers "" ( 1964 ) , he made his first appearance on "" Lassie "" ." 0 +"Some languages , such as Japanese , have different forms of certain verbs to show transitivity , for example , there are two forms of verb "" to start "" :" "Some languages like Japanese have different forms of certain verbs to show transitivity . For example , there are two forms of the verb "" to start "" :" 1 +On 2 February , 2009 , the French striker has terminated his contract with Sochaux in agreement with the Brazilian team . On 2 February 2009 , the French striker , in agreement with the Brazilian team , cancelled his contract with Sochaux . 1 +After the season , he , Rick Anderson , Juan Beníquez and Jerry Narron were traded to the Seattle Mariners for Ruppert Jones and Jim Lewis . After the season , he , Rick Anderson , Juan Beniquez and Jerry Narron were traded for Ruppert Jones and Jim Lewis at the Seattle Mariners . 1 +Mukherjee was born on September 30 , 1909 in United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British - India . Mukherjee was born on September 30 , 1909 in Benares ( now Varanasi ) , United Provinces ( now Uttar Pradesh ) , British - India . 0 +Paul Whitty ( born 1970 ) is an England-based sound composer and experimental artist born in Northern Ireland . Paul Whitty ( * 1970 ) is an experimental composer and sound artist born in England , born in Northern Ireland . 0 +It is medially thick , but laterally under the ligament coracoacromialis thinner . It is laterally thick , but medially under the coracoacromial band thinner . 0 +The PidariAmman Temple in Vavvaneri is located nearer to the hamlet . The main idol is PidariAmman with a small MariAmman idol placed in the same chamber . The PidariAmman - Temple in Vavvaneri is closer to the hamlet , the main idol is PidariAmman with a small MariAmman idol which is located in the same chamber . 1 +From 2 June 1969 , lectures were held for the first 300 students , and at that time the local workforce consisted of 28 academic lecturers . For the first batch of 300 students , lectures were held beginning from 2 June , 1969 . At that time , the local workforce consisted of 28 academic lecturers . 1 +He pioneered important developments in the style of sculpting in wood , parallel to those driven by Filippo Parodi in marble sculpture and Domenico Piola in painting . He pioneered important developments in wood sculpting , in parallel with those driven by Domenico Piola in the marble sculpture and Filippo Parodi in painting . 0 +Caleb J. Emerson was born in 1860 in Tunnel Hill , Georgia , the son of William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . Caleb J. Emerson was born in Tunnel Hill , Georgia in 1860 to William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . 1 +Paikuse was a municipality located in Estonia , one of the 15 counties of Pärnu County . Paikuse was a municipality in Estonia , one of the 15 counties of Pärnu County . 1 +Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic Haskell programming language . Xmonad is a dynamic window manager ( tiling ) for the X Window System that is written in the Haskell functional programming language . 0 +The 1921 Stanford football team represented Stanford University at the College - Football - Season 1921 . The 1921 Stanford football team represented Stanford University in the 1921 college football season . 1 +Kandy , originally known as Senkadagala , has been the bastion of culture and spiritual centre of Sri Lanka for centuries . For centuries Kandy , originally known as Senkadagala , has been the bastion of Sri Lanka 's culture and its spiritual centre . 1 +The MSM model can be specified both in continuous time and in discrete time . The MSM model can be specified in both discrete time and continuous time . 1 +Slatyer returned to Paris in 1982 , after four years in Australia , and resumed his professorship at ANU . After four years in Australia , Slatyer returned to Paris in 1982 and restarted his professorship at the ANU . 1 +In 2017 , Cetera was a co-headliner for the Night of the Proms in Germany and Luxembourg , his first time performing in Germany in 35 years . In 2017 , Cetera Co-headliner for the Night of the Proms in Germany was his first time in Germany and Luxembourg for 35 years . 0 +On 26 March 2012 , it was first successfully concluded by a 12-year-old American , Tom Schaar . It was first successfully completed by a twelve-year-old American , Tom Schaar , on 26 March 2012 . 1 +Aramaic , however , remains a spoken , literary and liturgical language for local Christians and also some Jews . However , Aramaic remains a local language for spoken , literary and liturgical Christians and also for some Jews . 0 +For factorial alternatives in the nonparametric layout , see Sawilowsky . For more discussion see ANOVA on ranks . For non-parametric alternatives in the factorial layout see Sawilowsky , for more discussion see ANOVA on ranks . 0 +Monica Mæland , Norwegian Trade Minister , led a delegation of 54 companies to Kenya in September 2015 . Kenya 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Norway in September 2015 . 0 +The successor rocket , the Falcon 9 , successfully landed its first stage on 22 December 2015 with its twentieth flight for the first time . The successor rocket , the Falcon 9 , landed its first stage successfully on land for the first time on its twentieth flight , on December 22 , 2015 . 1 +He played for the Kansas City Royals for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Chicago Cubs . He played for the Chicago Cubs for ten games in the 1991 season Kansas City Royals and four matches during the 1992 season in Kansas City Royals . 0 +In February 2016 , Daniel Pollack announced that Argentina had reached agreement with Paul Singer . In February 2016 , Paul Paul Singer announced that Argentina reached an agreement with Daniel Pollack . 0 +The construction started in the 13th century , and the building was redesigned in the 15th and 17th century . The construction was started in the 13th century and the building was redesigned in the 15th and 17th centuries . 1 +Mhasad is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . Mhasad is a village in the Palghar district of Maharashtra , India . It is situated in Dahanu Taluka . 0 +The City of Oklahoma City has designated the Santa Fe station as the location for intermodal transit services for the city and metropolitan area . The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit services for the city and the agglomeration . 0 +Ferdinand de Brinon married Jeanne Louise Rachel Franck , a.k.a . Lisette , the Jewish former wife of Claude Ullmann ; she converted to Catholicism . Lisette married Ferdinand de Brinon , who was Jeanne Louise Rachel Franck , the former Jewish wife of Claude Ullmann , converted to Catholicism . 0 +The Blauvelt family first arrived in Rockland County in 1638 , and first arrived in America in 1683 . The Blauvelt family arrived in America in 1638 and first arrived in Rockland County in 1683 . 0 +In the November 1856 state elections , 81 Americans , 31 Democrats , and 8 Republicans were elected to the Assembly for the 1857 session . At the State election in November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the session of 1857 . 1 +Paraparaumu has an oceanic climate typical of New Zealand , with temperate warm summers and mild winters . New Zealand has an oceanic climate typical of Paraparaumu , with moderately warm summers and mild winters . 0 +Tupperware Corporation , formerly Tupperware Brands Corporation , is an American multinational direct sales company . Tupperware Corporation , formerly Tupperware Brands Corporation , is an American multinational direct selling company . 1 +The Pike County School System consists of 25 high schools , middle and elementary schools . The Pike County School System consists of 25 elementary , middle , and high schools . 1 +"Like her sister ship , Tirpitz "" armed with a twin battery of eight guns in four main towers ." "Like her sister ship was "" Tirpitz "" with a main battery of eight guns in four twin towers armed ." 0 +Governor Peter Obi of Anambra State described Udoji 's death as a great loss of the nation . Governor Peter Obi of Anambra State described Udoji 's death as a great loss the nation . 1 +It was believed that true philosophy could be separated from popular wisdom by this method . It was believed by this method true philosophy could be separated from popular wisdom . 1 +"The species was first formally described by the English botanist James Edward Smith in "" Annals of Botany "" in 1805 , a type collected in Port Jackson ." "The species was first formally collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , a species described in Port Jackson ." 0 +Lord Hartington , who had refused to serve under Gladstone because of his liberal policies , became the leader of the Irish Unionists . Lord Hartington , who had refused to serve under Gladstone because of his Liberal policies , became leader of the Irish Unionists . 1 +The states that participated in this study were Aguascalientes , Jalisco , Chihuahua , Durango , Guerrero , Chiapas , Oaxaca , Sinaloa , Veracruz and Yucatan . The countries that participated in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +The Ugric language belongs to the Uralic family , the Udmurts are therefore considered to be a branch of the Finno-Udmurt peoples . The Udmurt language belongs to the Uralic family , and the Udmuren are therefore considered to be a branch of the Finno-Ugric peoples . 0 +The Bs is first noted in the season of 1805 and the team was sporadically raised until the season in 1832 . The Bs is first recorded in the 1805 season and the team was raised sporadically until the 1832 season . 1 +It is found from most of Britain to Romania and Russia through Central Japan to the Iberian Peninsula . It is found from most of Great Britain to Romania , and from Japan through central Russia to the Iberian Peninsula . 0 +The Ibirapuera Park is located in this subprefecture , as well as the brazilian campus of Federal University of São Paulo and the main headquarters of IBM . Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and the headquarters of IBM . 1 +This was an open tunic and trousers , white shirt and black tie . This was an open-white tunic and trousers , necked shirt and black tie . 0 +The safe system is based on a remote mechanism of the ONC procedure call system developed in SunOS . The secure system is based on a remote mechanism of the ONC first procedure call system developed in SunOS . 1 +With the help of Chuck Aber and Lady Aberlin , Daniel finally faces his fears . Daniel finally faces his fears , with the aid of Chuck Aber and Lady Aberlin . 1 +In November , the Royals acquired CF Ramón Ramírez from the Boston Red Sox in exchange for RP Coco Crisp . In November , the Royals CF Coco Crisp acquired the Boston Red Sox in return for RP Ramón Ramírez . 0 +Jones held the electorate until 1946 , when it was abolished , and successfully stood in St Kilda this year . Jones stood the electorate until 1946 , when it was abolished , and successfully held in St Kilda that year . 0 +The band split shortly after and reformed as a trio with Lucy and Brothers Joel Green ( drums , vocals ) and Matt Green ( guitar ) in 1987 . The band separated shortly afterwards and reformed in 1987 as a trio with Lucy and Brothers Joel Green ( drums , vocals ) and Matt Green ( guitar ) . 1 +Berks County , Pennsylvania , United States is a township in Upper Bern Township . Berks County , Pennsylvania , United States is a commune in Upper Bern Township . 1 +Pepsi Next was first introduced in Finland and Canada in March 2013 , and in France in March 2014 . Pepsi Next was first implemented in March 2013 in Finland and Canada , in March 2014 in France . 1 +Thomas Thomas Kane 's first memorable encounter with Elizabeth Wood was at six years old when he was twenty . Thomas Kane 's first memorable encounter with Elizabeth Wood was at six years old , when he was twenty . 1 +Episode 1 included the city Bath , Episode 2 , Covent Garden , Episode 3 , Eastnor Castle and Episode 4 , Park Hill , Sheffield . Episode 1 included the City of Bath ; episode 2 , Covent Garden ; episode 3 , Eastnor Castle ; and episode 4 , Park Hill , Sheffield . 1 +After four years it moved to the house of Conte Luigi Ferdinando Marsigli , which had more space , and moved back to the Palazzo of Jacopo Sandri in 1705 . After four years , it moved to Jacopo Sandris House , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . 0 +John Mozeliak is the president of the baseball operation , Mike Matheny is General Manager and Mike Girsch is the manager . John Mozeliak is the President of Baseball Operations , Mike Matheny is the general manager and Mike Girsch is the manager . 1 +Perry Island is an island in Prince William Sound , Alaska , within the Chugach National Forest , located immediately east of Culross Island . Culross Island is an island in Prince William Sound , Alaska , within the Chugach National Forest , just east of Perry Island . 0 +"He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Ian Ross , who took over Chris Bath ." "He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Chris Bath who took over from Ian Ross ." 0 +This last solo made the extended renditions live seven minutes or more . This last solo made the extended transfers live seven minutes or more . 1 +Polali is a village in Bantwal Taluk , in the district of Dakshina Kannada ( South - Canara ) of the state of Karnataka , India . Polali is a village in Dakshina Kannada Taluk , in the south - Canara ( Bantwal ) district of the state of Karnataka in India . 0 +ISPS Handa promotes disabled golf and blind golf and offers worldwide management and financial support for a number of tournaments in cooperation with local golf associations . ISPS Handa promotes disabled golf and blind golf , and provides management and financial support to a number of tournaments in cooperation with the local golf associations worldwide . 1 +The last meeting of the BBU in Chicago in 1932 was the first meeting of GARBC . The first meeting of the BBU in 1932 in Chicago was the final meeting of the GARBC . 0 +Chrysalidus Botelloides is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . Chrysalidus Botelloides is a species of sea snail , a top gastropod mollusk in the Trochidae family , the naval snails . 0 +He had been in the state playing for New Town , but moved to Victoria in 1925 and set up for Melbourne . He had been in the state playing for Melbourne , but moved to Victoria in 1925 and appointed New Town . 0 +Bellingsgate Island , sometimes known as Billingsgate Island , was an island before Cape Cod in Massachusetts in the United States . Billingsgate Island , also sometimes known as Bellingsgate Island , was an island off Cape Cod in Massachusetts in the United States . 1 +It was located for most of its time next to Naval Air Station Dallas , now known as the Grand Prairie Armed Forces Reserve Complex . It was known for most of its time next to the Grand Prairie Armed Forces reserve complex , now known as Naval Air Station Dallas . 0 +Dunham Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . Byron Township changed its name from Byron Township on December 28 , 1850 to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . 0 +The American Unitarian Association elected Livermore in 1859 as a member of the Executive Committee . The American Unitarian Association elected Livermore a member of the Executive Committee in 1859 . 1 +In 1810 , Madison was laid and relocated , and the first lots were sold by John Paul in 1811 . Madison was laid out and platted in 1810 , and the first lots were sold in 1811 by John Paul . 1 +In 2010 , Muhammed bin Abdul Rahman married a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman , who is a great-grandson of Saud . Prince Muhammed bin Abdul Rahman married a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman in 2010 , who is a great grandson of Saud . 1 +The conclusions are that we are all perfect spiritual notions of one divine mind and manifest the mind , not a material body . The conclusions are that we are all manifestations of one perfect spiritual mind and the divine spirit , not a material body . 0 +"About the song wrote Billboard : "" You know the beat , now you catch the groove ." "Billboard wrote about the song : "" You know the beat , now catch the groove ." 1 +Some recombinant colonies , for a number of reasons , can not contain the desired white plasmid . For a number of reasons , some white colonies can not contain the desired recombinant plasmid . 0 +They were under the mentorship of Coach Glenn Capacio and Coach Norman Black . They were under the auspices of Coach Glenn Capacio and Coach Norman Black . 0 +The first thing you learn in racing is to win a race , first you have to end . The first thing in racing that you learn is to win a race , first you have to finish . 1 +Hamper is a practising carpenter in Oxford and a member of Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . She is a practicing joiner in Otisfield , Maine and a member of the Oxford Advent Christian Church , an evangelical church in Oxford . 0 +Sinan ( also Romanized as Sīnān ) is a village in Esfarayen County , North Khorasan Province , Iran , in the Azari Rural District of Central District . Sinan ( also romanized as Sīnān ) is a village in the district of Azari , in the central district of Esfarayen , north - Khorasan - province , Iran . 0 +In 1697 he was re-elected as a Whig Member of Parliament for Eye and sat until 1713 when he was returned for Lymington . In 1697 he was returned as Whig - Member of Parliament for Eye and was sitting until 1713 , when he was re-elected for Lymington . 0 +Together , these three properties completely determine the algebraic structure of the direct product . Together , these three properties fully determine the algebraic structure of the direct product . 1 +"It was accepted that the Aborigine - name of the zone was simply "" Güímar "" , as the whole Menceyato ." "It was accepted that the whole name of the zone was simply "" Güímar "" as the aboriginal menceyato ." 0 +After serving in various headquarters and troops , general-general in 1951 , lieutenant in 1955 and was promoted to the rank of major in 1959 . After serving in various headquarters and troops , Major General in 1951 , Lieutenant in 1955 and was promoted to the rank of a general in 1959 . 0 +Is a daily newspaper , focusing on central and northern Dalsland , as well as western Bohuslän . It is a daily newspaper focusing on central and northern Dalsland as well as western Bohuslän . 1 +Electronic sports for the 2017 Asian Indoor and Martial Arts Games was be a demonstration sport . Indoor - Sport was a demonstration sport for the Asian Electronic and Martial Arts Games 2017 . 0 +These airlines operate more than 80 cities across India and , following the liberalisation of Indian aviation , also connect overseas routes . These airlines connect more than 80 cities across India and also operate overseas routes following the liberalisation of Indian aviation . 0 +Jürgen Zopp won the title after defeating Tommy Robredo 6 -- 3 , 6 -- 2 in the final . Jürgen Zopp won the title after defeating Tommy Robredo in the final with 6 : 3 , 6 : 2 . 1 +In the United Kingdom , mescaline in dried powder form is a Class A drug . However , purified cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be legally bought and sold . 1 +Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of Prime Minister Leeanne Enoch in Queensland . Wesley Enoch , the eldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of the Minister of Queensland , Leeanne Enoch . 0 +On 25 August 2014 , Palmer had her first appearance as Lucy . Lucy made her first performance as Palmer on August 25 , 2014 . 0 +Rich food sources , as long as they are evaluated as profitable , will be applied for by the scouts when they return to the hive . Rich food sources , as long as they are promoted as profitable , will be evaluated by the scouts when they return to the hives . 0 +A new section of highway through the Richter Pass from Osoyoos to Keremeos was opened in 1965 . A new motorway section through the Richter Pass from Osoyoos to Keremeos was opened in 1965 . 1 +During a transit , the Earth would be visible from Mars as a small black disc moving across the face of the sun . During a transit , Mars would be visible from Earth as a small black disc moving across the face of the Sun . 0 +The river Jiul de Vest is a tributary of the Furu River in Romania . The Jiul de Vest River is a tributary of the Furu River in Romania . 1 +Bhojpuri is the official language and the local language is Hindi . The local language is Bhojpuri , while the official language is Hindi . 0 +He directed Christians to recognize God in all things and to desire above all things to do the will of God . He directed the Christians to desire and , above all , to do God in all things to know the will of God . 0 +This layer deals with the electrical plugs and sockets and physical specification of signals only . This layer only deals with electrical connectors and sockets and the physical specification of the signals . 1 +His other task was even to prevent the emigration of Jewish children from Palestine to the British mandate of Palestine ( region ) of Romania . His other task was to prevent even the emigration of Jewish children from Palestine to British mandate Palestine ( region ) Romania . 1 +His father , Gouri Devi , was a lawyer , while his mother , Kunjlal Ganguly , was a housemaker . His father , Gouri Devi , was a lawyer while his mother , Kunjlal Ganguly , was a home-maker . 1 +Eurosta is a species of the Tephritidae family , known in Europe as fruit flies and in North America as wing flies . Eurosta is a species of the Tephritidae family , known in North America as fruit flies and in Europe as wing flies . 0 +It is bordered to the northeast by the Pacific Ocean , to the southeast by Orchidlands Estates , and to the southwest by Hawaiian Beaches and Ainaloa . It is bordered to the northeast by the Pacific Ocean , to the southeast by Hawaiian beaches and to the south-west by Orchidlands Estates and Ainaloa . 0 +He began his studies at the Main Gimnázium in Debrecen in 1946 , and from 1947 to 1951 he visited the Madách Gimnázium in Budapest . He began his studies at the Main Gimnázium in Budapest in 1946 , and from 1947 to 1951 he visited Madách Gimnázium in Debrecen . 0 +He has also worked as a consulting research psychiatrist at the State Hospital in Amityville and a research director at the South Oaks Psychiatric Hospital in Central Islip . He also worked as a consulting research psychiatrist at the State Hospital in Central Islip and as a research director at the South Oaks Psychiatric Hospital in Amityville . 0 +In 1988 , Yvonne Yvonne died and in 2007 Pat died . In 1988 , Pat and Yvonne died in 2007 . 0 +When Qin Shi Huang died , Zhao Gao 's death was caused by Meng Tian . Meng Tian 's death was caused by Zhao Gao when Qin Shi Huang died . 0 +The Westlake Village neighborhood and the Ventura Freeway ( 101 ) are in the south and Lake Lindero to the west . The Lake Lindero neighborhood and the Ventura Freeway ( 101 ) are in the south and Westlake Village to the west . 0 +The President remains the main legal authority that ratifies the key documents in the IT sector and leads the country 's ICT policy . The president remains the key authority that ratifies the main legal documents in the IT sector and directs ICT policy in the country . 0 +Olusola is married with Babatunde Obada , with whom they have four children . Olusola is married to Babatunde Obada with whom they have four children . 1 +He admired a work by the as-yet-unrecognized Van Gogh , and owned the forgotten El Greco . He owned a work by the unknown Van Gogh and admired the forgotten El Greco . 0 +The incumbent was Jose Angelo Dominguez , his opponent was Vize - Mayor Resty Viloria . Resty Viloria was the incumbent , his opponent was Vice Mayor Jose Angelo Dominguez . 0 +Sean is killed on their wedding day , before the ceremony takes place , and Centaine goes to Michael for help . On the day of their wedding , Michael is killed before the ceremony takes place , and Centaine goes to Sean 's help . 0 +The film is written and staged by Emmy Winner , Matt Drummond and co-produced by Jason Moody and Megan Williams . The film is written and directed by Emmy Winner , Jason Moody and Megan Williams and co-produced by Matt Drummond . 0 +Crawley Green is part of the Crawley ward which is represented by Cllr James Taylor ( Labour ) and Cllr Terry Keens ( Liberal Democrats ) Crawley Green is part of Crawley Station , which is represented by Cllr Terry Keens ( Labour ) and Cllr James Taylor ( Liberal Democrats ) . 0 +"His admiral rejected the request until it was too late and "" Conte di Cavour "" had to use a deeper sand bank on November 12 at 04 : 30 ." "His admiral had the request until it was too late and "" Conte di Cavour "" vetoed to use a deeper , , sandbank at 04 : 30 on 12 November ." 0 +Robert Boyd was the son of Alexander , 3rd Lord Boyd . The son of Alexander , 3rd Lord was Robert Boyd . 0 +In 1834 , after the departure of the East India Company College , Frere was appointed Civil Service writer in Bombay ( now Mumbai ) . In 1834 , after leaving the East India Company College , Frere was named a writer in the Mumbai ( now Bombay ) civilian service . 0 +Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo athlete from Brazil . Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete of Maringá . 0 +The Eurocup Final Four 2012 was the final stage of the Eurocup season 2011 -- 12 , the 10th season of the second best basketball league in Europe . The 2012 Eurocup Final Four was the concluding stage of the 2011 - 12 Eurocup season , the second season of the 10th-tier basketball league in Europe . 0 +Barry Coe had a side business in nutritional supplements -- Adventures in Nutrition ; labels for the containers were printed by Joe Faust . Barry Coe had a side business with nutritional supplements -- Adventures in nutrition , labels for the containers were printed by Joe Faust . 1 +Sébastien Fournier ( born June 27 , 1971 ) is a former football manager , most recently for FC Sion , and Swiss football player . Sébastien Fournier ( born June 27 , 1971 ) is a Swiss football manager , most recently for FC Sion , and a former football player . 0 +Isaeus , Aeschines , Lysias , Plutarch , and others had their own preferences . Lysias , Aeschines , Isaeus , Plutarch and others had their own preferences . 1 +A wide range of unique monomers with different radical R can be synthesized . A wide range of different radical monomers with a unique R can be synthesized . 0 +Barley has been used as animal feed , as a source of fermentable material for beer and certain distilled beverages , and as a component of various foods for health . Barley has been used as animal feed , as a source of fermentable material for beer and various distilled drinks and as a component of certain health foods . 0 +Liberty Township is bordered by Clinton County to the northeast , Marion Township to the southeast , Howard Township to the southwest , and Curtin Township to the west . Liberty Township borders Clinton County to the northeast , Marion Township to the southeast , Howard Township to the southwest , and Curtin Township to the West . 1 +In 1615 , he attacked John Howson and William Laud by wrapping Arminian sympathies and implying in these terms the further implication that Laud was Catholic . In 1615 , he attacked John Howson and William Laud , wrapping Arminian sympathies , and implying in those terms the further implication that Laud was Catholic . 1 +Audubon Park was established as a community within Audubon in 1941 with the construction of 500 housing units for employees of New York Shipbuilding in Camden , New Jersey . Audubon Park was founded in 1941 as a community within Audubon with the construction of 500 accommodation units for New York Shipbuilding employees in Camden , New Jersey . 1 +Kumutrampatti is a small village near Kottampatti ( Gateway to Madurai District ) in Tamil Nadu . Kumutrampatti is a small village near Madurai District ( Tor to Kottampatti ) in Tamil Nadu . 0 +Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Ebroin overtook them and had Leudesius murdered . Leudesius and Theuderic III fled to Baizieux with their royal treasure , where Leudesius overtook them and murdered Ebroin . 0 +He then returned to the Auckland Rugby League competition and played for Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . He also returned to the Auckland Rugby League contest and then played for the Auckland Lions at the Bartercard Cup Level before being contracted by the New Zealand Warriors . 0 +Kim won the 12th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 10th Yi Yuksa Poetry Award in 2015 . In 2010 she won the 10th Nojak Literature Award , the 57th Hyundae Literary Award in 2011 and the 12th Yi Yuksa Poetry Award in 2015 . 0 +Nikolay Davydenko won against Marat Safin in the final 6 : 4 , 5 : 7 , 6 : 4 . Nikolay Davydenko won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Marat Safin . 1 +They speak a creole termed Baba Malay which is a colloquial form of Hokkien mixed with Malay words . They speak a Creole called Baba Malay , which is a colloquial form of Malay , mixed with Hokkien words . 0 +""" It is not our aim to produce graduates , but to enlighten and produce well-educated people ." """ It is not our aim to produce degree holders , but to produce well-educated and enlighten people "" ." 0 +Edward Brooke defeated Elliot Richardson in the Republican Primary . Edward Brooke defeated Elliot Richardson in the Republican Primary School . 1 +In 1933 , the Ancient diocese of Thinisa in Numidia was nominally restored as a Catholic titular see of the lowest ( episcopal ) rank . In 1933 , the ancient diocese of Thinisa in Numidia was nominally restored as a Catholic titular room with the lowest ( episcopal ) rank . 1 +"His international feature film "" Déjàvu "" with British actors was premiered at the 54th International Film Festival of Locarno ." "His international English feature film "" Déjàvu "" with British actors premiered at the 54th Locarno International Film Festival ." 1 +He died in 1879 in Bannock County , Idaho , USA Jefferson Hunt is buried at the Red Rock Cemetery in Oxford , Idaho . He died in 1879 in Oxford , Idaho , Jefferson Hunt was buried at the Red Rock Cemetery in Bannock County , Idaho , USA . 0 +The remaining remained only one episode directed for the season . The directed only remained one episode for the season . 0 +"His admiral had the request until it was too late and "" Conte di Cavour "" vetoed to use a deeper , , sandbank at 04 : 30 on 12 November ." "His admiral had the request until it was too late and "" Conte di Cavour "" inserted a veto to use a deeper sandbank on November 12 at 04 : 30 ." 1 +Founding director of the institute was Lawrence Rinder , the current director is Anthony Huberman , who succeeded Jens Hoffmann in 2013 . Jens Hoffmann was the founding director of the Institute . The current director is Anthony Huberman , who replaced Lawrence Rinder in 2013 . 0 +The film was produced , staged and edited by Bruce David Janu , the soundtrack was composed by Tom Flannery and Lorne Clarke . The film was produced , directed and edited by Bruce David Janu . The soundtrack was composed by Tom Flannery and Lorne Clarke . 1 +They are exhibited in the Old Cathedral in summer and in the winter in the Great Cathedral . They are exhibited for worship in the Great Cathedral in the summer and in the Old Cathedral in winter . 0 +This was the last AFL Championship to complete the season , the first Super Bowl followed in the 1966 season . This was the first AFL Championship to end the season , the last Super Bowl followed the 1966 season . 0 +The CEO of the AIG Advisor Group was Erica McGinnis , Interim CEO of the independent company , now Advisor Group , is Valerie Brown . The CEO of AIG Advisor Group was Erica McGinnis . The interim CEO of the independent company , now called Advisor Group , is Valerie Brown . 1 +He lives together with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega in Thrissur . Nadhin Ratheesh Vega lives with his wife Dr Anu Ratheesh Vega and his son Ratheesh in Thrissur . 0 +It was written by Nancy Steen and Neil Thompson , directed by Paul Krasny , produced by Robert K. Weiss . Directed by Paul Krasny , written by Nancy Steen and Neil Thompson , produced by Robert K. Weiss . 1 +Disputes with leaders of Lutesville convinced the railroad to relocate their route through Marble Hill instead . Disputes with leaders of Marble Hill persuaded the railroad to relocate their route through Lutesville instead . 0 +The Limbăşelu River is a tributary of the Cenușeroaia River in Romania . The river LimbÄ Å elu is a tributary of the River Cenué eroaia in Romania . 1 +After the Constitution of the United States was ratified in 1789 , the United States Bill of Rights was adopted in 1791 . After the constitution of the United States was adopted in 1789 , the Bill of Rights of the United States was ratified in 1791 . 0 +The popular French singers Grégory Bettiol and Coralie Clément , as well as football player hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the town . The popular French singers Coralie Clément and Benjamin Biolay , as well as the football player hopeful Grégory Bettiol and the actor and cellist Maurice Baquet were born in the city . 0 +Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives since January 2013 . Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in Texas House of Representatives since January 2013 . 0 +Later , at Duela 's funeral , Jason hides until all of the Teen Titans have left except Donna Troy . At the funeral of Duela , Jason hides until all the teen titans except Donna Troy have left . 1 +Born in Salt Lake City , Laura Myntti lived in Sioux City , Iowa and San Diego , before settling in Minnesota in 1968 . Born in Minnesota , Laura Myntti lived in Sioux City , Iowa and San Diego , before settling in Salt Lake City in 1968 . 0 +The effective formula for potential 1 is defined in the following way : The effective potential formula _ 1 is defined in the following way : 1 +By elevation , Wilmont is the highest incorporated community in Nobles County , and is the only place in America where Larry Lang 's onion rings are sold . By elevation , Wilmont is the highest integrated community in Nobles County and is the only place in America where the onion rings are sold by Larry Lang . 1 +Calvert requested that supply drops contain more food and less ammunition . Calvert requested that the supply drops contain less food and more ammunition . 0 +Margaret Craske was born on 26 November 1892 in Norfolk , England , as the daughter of Edmund and Hannah Craske . Hannah Craske was born on 26 November 1892 in Norfolk , England , daughter of Edmund and Margaret Craske . 0 +The white spur is curved upwards and cylindrical , longer than the ovary . The cylindrical spur is curved white and upward , longer than the ovar . 0 +Barkheda Baramad is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Barkheda Baramad is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . 1 +He then became Associate Director of Ayala Corporation ’ s Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . He then became Associate Director of the Strategic Planning Group of Ayala Corporation and Vice President and Chief Legal Counsel of BPI Capital Corporation . 1 +In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the Country Rail Infrastructure Authority to the ARTC . In July 2011 , ARTC transferred the responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . 0 +Beaverton is a municipality in Brock Township in the regional commune of Durham , Ontario , Canada . Brock Township is a municipality in Beaverton , Regional Community of Durham , Ontario , Canada . 0 +For artists such as Kelly Clarkson , Sam Hunt , Old Dominion , Kacey Musgraves and Midland he has produced or co-produced records . McAnally has produced or co-produced records for artists such as Kelly Clarkson , Sam Hunt , Old Dominion , Kacey Musgraves , and Midland . 1 +The field also included 1928 Olympian ( and 1932 Olympic champion ) John Anderson of Cornell , and future world record holder Paul Jessup of Washington . The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell in 1928 and future world record player Paul Jessup of Washington . 1 +Cardiff Castle was then owned by Philip Herbert , a moderate parliamentarian , and the castle was originally held by a pro-royalist garrison . Cardiff Castle was then owned by Philip Herbert , a moderate Parliamentarian , and the castle was initially held by a pro-Royalist garrison . 1 +All celebrated commemorations below on 19 October by eastern Orthodox churches determined on the old calendar . All celebrated commemorations below fixed on October 19 by Eastern Orthodox Churches on the Old Calendar . 1 +Instead , AC3 allows producers to choose input level over a wide range , by representing a measured dialnorm value , including the required dialog level of the input signal . Instead , AC3 allows producers to choose input levels over a wide range by representing a measured dialog value , including the required dialog level of the input signal . 1 +German officials conducted interviews with the two men , in Guantanamo , in March , to confirm their suitability for transfer to Germany . In March , the two German officials conducted interviews with the two men in Germany to confirm their suitability for transfer to Guantanamo Bay . 0 +Its natural habitats are tropical or subtropical subtropical lowland forests , moist or moist tropical mountain forests and rivers . Its natural habitats are subtropical or tropical moist lowland forests , subtropical or tropical moist montane forests , and rivers . 0 +Ezra 's family originally came as immigrants from Palestine and settled in Iraq . Ezra 's family came originally as immigrants from Iraq and settled in Palestine . 0 +The other entrances on the west side have old iron lamp standards and new lanterns , and one has an iron balustrade . The other entrances on the west side have new iron lamps - standards and old lanterns , and one has an iron balustrade . 0 +The first series used fewer celebrity characters than the second series . The second series used fewer celebrities - characters than the first series . 0 +In May 2013 , the title track was a top Five single on the Texas Music Chart . The title track was a top-five single on the Texas Music chart in May 2013 . 1 +Stokesley is a civil market town and small town in the Hambleton district of North Yorkshire , England . Stokesley is a civil market town and small parish in the Hambleton district of North Yorkshire , England . 0 +Kwarasey , born in Ghana , represents Norway at an international level . Kwarasey , born in Norway , represents Ghana at the international level . 0 +Dracco Company Ltd. with Apex Marketing then created the online version of the game and established the basic universe of Chaotic . With Apex Marketing , Dracco Company Ltd. created the basic version of the game and established the online universe of Chaotic . 0 +There were also several animatronic characters created ... a doll playing goose ( Galaga ) and an animatronic head for the giant Cernos . There were also several animatronic characters created ... a giant goose ( Galaga ) and an animatronic head for the doll 's cernos . 0 +Clara Louise Bell ( known as Clara Louise Janowsky ) ( 1886 - 1978 ) was an American miniature painter . Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature painter . 1 +In 1971 , a new campus was completed for primary school in 33 MacDonnell Road . In 1971 , a primary campus in 33 MacDonnell Road was completed for the new school . 0 +The wife of Betty Tokar Jankovich was the sister of Helen Tokar , who briefly dated Bob Montana and was the inspiration for Betty Cooper . Lucey 's wife Betty Tokar Jankovich was the sister of Helen Tokar , who briefly dated Bob Montana and was the inspiration for Betty Cooper . 0 +Raschke 's daughter , Kimmey , was a member of the Senate of Puerto Rico . Raschke , daughter of Kimmey , was a member of the Senate of Puerto Rico . 0 +At the age of nine , Garcia appeared in his first concert and has since appeared alone or with his aunt and uncle in all parts of France . Garcia performed in his first concert at the age of nine , and since then he appeared alone or with his aunt and uncle in all parts of France . 1 +Vehicle registration plates in Hungary usually consist of six characters on black background with white letters . Vehicle registration numbers in Hungary usually consist of six characters on white background with black letters . 0 +The region was also open to Algonquian Ojibwa ( now known as the Mississauga ) who came in . The region was also open to the Algonquian Ojibwa ( now known as Mississauga ) , who moved in . 1 +In Houngbo 's government , which was included on September 15 , 2008 , Mally was appointed Minister of State for Health . In Houngbo 's government , which was included on 15 September 2008 , Mally was named as Minister of State for Health . 1 +It began as a fishing village , inhabited by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . It began as a fishing village populated by Polish settlers from the Kaszub region as well as some German immigrants in 1870 . 0 +Aaron then leaves Summer Bay after Justine refuses to help her . Justine leaves Summer Bay after Aaron refuses to help . 0 +The affine scaling direction can be used to define a heuristic to adaptively the centering parameter as : The affine scaling direction can be used to choose a heuristic to adaptive the centering parameter as : 0 +His grandson , Edward , was elected to the 11th Parliament of Upper Canada for Grenville . For Edward , his grandson , Grenville , was elected to the 11th Parliament of Upper Canada . 0 +Bay County is a civil township of Garfield Township in the U.S. state of Michigan . Bay County is a civil community of the Garfield Township in the U.S. state of Michigan . 1 +Homer Township was founded in 1837 by a division of Albion Township . Albion Township was founded in 1837 by a division of Homer Township . 0 +The Carson McCullers Center for Writers and Musicians offers regular programs and provides fellowships . The university also owns the Carson McCullers House in Nyack , NY . The Carson McCullers Center for Writers and Musicians offers regular programs and provides scholarships . The university also owns the Carson McCullers House in Nyack , New York . 1 +Schools that do not accept the authority of the Vedas are nāstika philosophies , of which four ( heterodox ) schools are prominent : Schools that do not accept the authority of the Vedas are Nāstika - philosophies , of which four are ( heterodox ) schools : 0 +It has developed an open and thoroughly evaluated ecosystem with evaluated execution environments ( TEE ) with accredited laboratories and trusted products . It has developed an open and thoroughly evaluated evaluated execution environment ( TEE ) ecosystem with accredited laboratories and trusted products . 1 +The founders of the Charter 77 Foundation , František Janouch and Tal Bashan , and the German activist Rainer Höss have participated in the debates with the Israeli journalist Ada Kolman . Founders of the Charta 77 Foundation František Janouch and Tal Bashan or the German activist Rainer Höss with the Israeli journalist Ada Kolman have participated in the debates . 1 +If he saw two white hats , he could conclude that he was wearing a black hat . If he saw two black hats , he could have assumed that he was wearing a white hat . 0 +Teewurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic city of Rügenwalde ( today Darłowo , Poland ) . Teawurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwalde ( today Darłowo , Pomerania ) . 0 +After being demoted to Triple-A Las Vegas , LaRoche was recalled on September 1 . LaRoche was recalled on September 1 , after being degraded to Triple-A Las Vegas . 1 +Empire Zinc Company was a subsidiary of the New Jersey Zinc Company . The New Jersey Zinc Company was a subsidiary of Empire Zinc Company . 0 +Benoit had a little feud with Kane after Backlash , while Michaels and Triple H would finish their feud at Bad Blood . Following Backlash , Kane had a small feud with Benoit , while Michaels and Triple H would finish their feud at Bad Blood . 0 +In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Mays Hill by Westerleigh and to Broad Lane by Frog Lane . In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by the Broad Lane and Mays Hill by Frog Lane . 0 +It has not yet been held since the 2008 event , and there are no plans currently for it to be held again . It has not yet been held since the 2008 event , and there are currently no plans for it to take place again . 1 +Aenetus blackburnii ( Blackburn 's ghost moth ) is a moth of the Hepialidae family , which is spread from Australia , where it is widely known . Aenetus blackburnii ( Blackburn 's ghost moth ) is a moth of the family Hepialidae . It is distributed from Australia , where it is widely known . 1 +In 1825 , James Sykes sold of Springfield Estate to his friend and business associate , George Patterson . In 1825 , George Patterson of Springfield Estate sold his friend and business partner , James Sykes . 0 +The castle is now used as a glamorous place near Madrid for unusual weddings , social events , banquets and so on . The castle is now being used as a chic place near Madrid for glamorous weddings , social events , banquets and so on . 0 +It currently serves as the newspaper of the registration for Galveston County , as well as Galveston . It currently serves as the newspaper of record for Galveston , as well as Galveston County . 1 +The fourth digit of the hand is short compared to the other digits , while on the foot , the second tie is the longest . The fourth digit of the hand is short compared to the other digits , while on the foot , the second toe is the longest . 0 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was the organist of the Blackpool Parish Church from 1918 to 1963 . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , organist of Blackpool Parish Church from 1918 to 1963 . 0 +An AMO warm phase reduces the summer rainfall over Sahel , while a cold phase strengthens it . An AMO warm phase strengthens the summer rain over the Sahel , while a cold phase reduces rainfall . 0 +The northern area contains the Tara Mountains and the southern area consists of open plains along the coast , and the city proper . The northern area contains the Tara mountains and the southern region consists of open plains along the coast and the actual city . 1 +However , the Council 's functional draft only makes it a very weak mechanism for legislative review . However , the Council 's weak legislative structure makes it only a very functional review mechanism . 0 +The breeding takes place in Veracruz from May and in Yucatán between August and April . In Yucatán breeding takes place from May and in Veracruz between August and April . 0 +The last possession of the Genoese in the Mediterranean , the island fort of Tunis , was lost to Tabarka in 1742 . In 1742 the last possession of the Genoese in the Mediterranean , the island fortress of Tabarka , was lost to Tunis . 0 +After his death , the widow of Kellow Mary with her daughter Mary Hope Kellow moved to Sydney . After his death , Kellow 's widow Mary moved to Sydney with her daughter Mary Hope Kellow . 1 +During his reign , the Moghuls ( Persian name of the Mongols ) still preserved their Mongolian identity and spoke in the Mongol language . During his reign , the Moghuls ( Persian designation of Mongols ) still preserved their Mongol identity and spoke in Mongolian language . 1 +The song was written by Bryan Adams and had already been recorded by Melanie C in 1999 . The song was written by Melanie C and was already recorded in 1999 by Bryan Adams . 0 +Belbin and White were married in June 2014 and engaged themselves on 25 April 2015 . Belbin and White were engaged in June 2014 and married on April 25 , 2015 . 0 +The Lutoasa River is a tributary of the River Lemnia in Romania . The Lutoasa River is a tributary of the Lemnia River in Romania . 1 +This species is present in Switzerland , France and Italy . This species is present in Italy , in France and in Switzerland . 1 +It currently runs from Davisville Avenue , south of Yonge Street , northwest to the Allen Road and Eglinton Avenue West . It currently runs from Yonge Street to the south of Davisville Avenue northwest to Allen Road and Eglinton Avenue West . 0 +Andrei Pavel and Alexander Waske won against Rafael Nadal and Bartolomé Salvá - Vidal in the final 6 -- 3 , 7 -- 6 . Rafael Nadal won 6 -- 3 , 7 -- 6 against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final . 0 +In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through England to Scotland . In Paris , in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to England through Scotland . 0 +Plays as a Hooker MacDonald . Hooker plays as a MacDonald . 0 +April became close to Bob Stevens and they began a relationship and eventually married . Bobby became close to April Stevens and they began a relationship and eventually married . 1 +Also for Paul Cavanagh , Nelson doubled . Also Paul Paul Cavanagh doubled for Nelson . 0 +"Wollstonecraft arrived in Sydney on board the ship "" Grenada "" on 31 August 1819 ." "On August 31 , 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." 1 +Both tournaments have , despite the clear separation between the two confederations , know a tradition to invite countries outside the region . Both tournaments know , despite the clear separation between the two confederations , a tradition to invite countries outside the region . 0 +The song became the first theme song of the main characters , Catherine ( Kristin Kreuk ) and Vincent ( Jay Ryan ) . The song became the first song of the main characters , Catherine ( Kristin Kreuk ) and Vincent ( Jay Ryan ) . 1 +The development of the energy business included the opening of a new office in Middlesbrough and the construction of a specialist vessel , Cable Enterprise . The development of the energy business included the opening of a specialist office in Middlesbrough and the construction of a new ship , Cable Enterprise . 0 +First run 3200m on the outer oval , then on the inner oval . First run 3200m on the inner oval , then on the outer oval . 0 +A police authority for the British transport police was established on 1 July 2004 . On 1 July 2004 a British Transport Police for the Police Authority was created . 0 +""" Mission Santa Ynez "" , scrapped in 2010 , was the last survivor of over 500 T2 tankers built during the Second World War ." """ Mission Santa Ynez "" , built in 2010 , was the last survivor of the over 500 T2 tankers scrapped during World War II ." 0 +Paul Newman as Wiggen and Albert Salmi as catcher Bruce Pearson . It featured Paul Newman as Wiggen and Bruce Pearson as catcher Albert Salmi . 0 +For this match against the Dragons , whose colors are also red and white , Wigan wore mostly black jerseys . For this match against the Dragons , whose colours are also black , Wigan mostly wore red and white jerseys . 0 +"In the TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." "In TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by the Turkish actress Şah Sultan ." 1 +A symmetric association scheme can be visualized as a complete graph with labeled edges . A full association scheme can be visualized as a symmetric graph with labeled edges . 0 +In 1877 he returned to Connecticut but soon went back again to California , and in the fall of 1879 went to the Republic of Salvador as State Geologist . In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador in the fall of 1879 as a state geologist . 0 +"Pruitt Taylor Vince was played by actor Bowers in the film "" JFK "" from 1991 ." "Pruitt Taylor Vince was played by Bowers in the 1991 film "" JFK "" ." 1 +David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk , on March 15 , 1886 . Wladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . 0 +The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . Construction of the new stadium were held for 4 years and on 21 August 1974 was inaugurated . 1 +He considers C. S. Lewis to be a negative influence and has accused Lewis of pointing out in his books religious propaganda , misogyny , racism and emotional sadism . He considers C. S. Lewis a negative influence and has accused Lewis of featuring emotional propaganda , misogyny , racism , and religious sadism in his books . 0 +Their most common colors are white , although other rarer colors such as red , blue , yellow , and green have been seen or mentioned . Their most common colors are white , though other rarer colors , such as red , blue , yellow , and green , have been seen or mentioned . 1 +It is south of Evansville Regional Airport and to the east of the Sunset Memorial Gardens cemetery . It is located south of the Sunset Memorial Gardens and east of the Evansville Regional Airport cemetery . 0 +Shikiji Station is an unmanned station with a wooden side platform that is directly connected to a single station building . Shikiji Station is an unmanned station with a single side platform connected directly to a wooden station building . 0 +"In collaboration with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 by the camera "" ." "In collaboration with cousin Harold White , B & H Publications produced "" George Bernard Shaw Through The Camera "" in 1948 ." 0 +They form the majority of the population of the River Xié and the upper Vaupés river above the mouth of the Rio Negro . They form the majority of the population of the river Xié and of the upper Rio Negro above the mouth of the river Vaupés . 0 +Wally Masur defeated Bill Scanlon with 6 -- 4 , 7 -- 6 to secure the title . Scanlon defeated Wally Masur 6 -- 4 , 7 -- 6 to secure the title . 0 +New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies such as Vermont and a continuing New England influence in the colony . 0 +Greeley County , Nebraska is an unincorporated community in Belfast , United States . Belfast is an unlawful community in Greeley County , Nebraska , in the United States . 0 +Its subtropical or tropical moist habitats are natural forests and plantations . Its natural habitats are subtropical or tropical moist lowland forests and plantations . 0 +Produced by Oscar Hammerstein II the show was choreographed by Reginald Hammerstein ( the brother of Arthur Hammerstein ) and was directed by Danny Dare . Produced by Arthur Hammerstein , the show was led by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and choreographed by Danny Dare . 0 +The Văcăria River is a tributary of the Pilugul River in Romania . The Pilugul River is a tributary of the river Văcăria in Romania . 0 +Each evening will be an intimate celebration of discussion , a pep rally for the inner spirit , and an optimistic look at the overwhelming intensity of life . Every evening will be an intimate celebration of discussion , a pep rally for the inner mind and an optimistic look at the overwhelming intensity of life . 1 +Cowie stopped producing music after he began dealing drugs as an alternative to making money . Cowie began producing music after he stopped buying drugs as an alternative to making money . 0 +It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Universal Music by Spectrum Label in 1999 . It was published in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Universal Music Spectr in 1999 . 0 +It had a sheltered pedestrian bridge between the two wooden platforms , and was electrified on July 26 , 1905 . It had a wooden pedestrian bridge between the two protected platforms , and it was electrified on 26 July 1905 . 0 +During the competition she lost 50-25 to Zimbabwe , 84-16 to Tanzania , 58-24 to South Africa . During the competition , they lost 50-25 to Zimbabwe , 84-16 to Tanzania , 58-24 to South Africa . 1 +Another unique feature of traditional houses is their special design for the cooling of the interior in summer and heating in winter . Another special feature of traditional houses is their unique design for cooling the interior during the summer and for heating in winter . 1 +Nancy returns home and thanks her mother for trying to protect her , but Gwen appears behind Freddy in a mirror . Nancy returns home , and thanks her mother for trying to protect her , but Freddy appears in a mirror behind Gwen . 0 +He lived near Addiscombe , in Croydon , until his death on July 11 , 1851 at the age of seventy years . He lived near Addiscombe , at Croydon , until his death on 11 July 1851 , at the age of seventy . 1 +The friendship between him and Duncan ended at a club meeting in 1951 when the two disagreed at an annual meeting and Duncan reported that Greaves said : The friendship between him and Duncan ended at a club meeting in 1951 , when they disagreed at an annual meeting , and Greaves reported that Duncan said : 0 +"This culminated in a match on 18 March on "" Volume 48 "" , where Knight defeated Melissa to win the Shimmer Championship ." "This culminated in a match on 18 March on "" Volume 48 "" , where Melissa Knight defeated to win the glimmer - championship ." 0 +While allopathic medicine has pursued the development of society , osteopathic medicine is a recent development . While osteopathic medicine has followed the development of society , allopathic medicine is a more recent development . 0 +McGowan was born in Glasgow into a Scottish family from Adelaide . He is the brother of fellow footballer Ryan McGowan . He was born in Adelaide into a Scottish family from Glasgow and is the brother of footballer Ryan McGowan . 0 +Leopold II introduced a liberal constitution in Tuscany and sanctioned a liberal ministry . In Tuscany , Leopold II sanctioned a liberal constitution ; and instituted a liberal ministry . 0 +In a relatively simple form , a microcapsule is a uniform ball with a small wall around it . In a relatively simple form , a microcapsule is a small bullet with a uniform wall around it . 0 +New teaching sites were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli in the 1990s . New teaching sites were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli in the 1990s . 1 +"Occasionally , albeit rarely , the term "" is used non-hereditary spherocytosis "" ." "The term "" non-hereditary spherocytosis is rarely , albeit occasionally , used ." 0 +The river Cochirleanca is a tributary of the River Slatina in Romania . The Slatina River is a tributary of the Cochirleanca River in Romania 0 +It is separated from Rainer Island in the east by a narrow and separated from Jackson Island to the south by a wide sound . It is separated from Rainer Island in the east by a narrow sound and from Jackson Island in the South by a wide sound . 1 +Björn Freiberg ( born 28 March 1970 in Isny im Allgäu ) is a former actor , painter , author , translator and German University teacher . Björn Freiberg ( born March 28 , 1970 in Isny , Allgäu ) is a German actor , painter , author , translator and former university teacher . 0 +The ship visited Guam during the second September week and spent the rest of the month in Okinawa in the Marianas . The ship visited Guam during the second week in September and then spent the rest of the month at Okinawa in the Marianas . 1 +The port of Suppāraka , is either modern Sopara near Bhārukacha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bhārukaccha . The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Bharuch , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . 0 +Amélie Mauresmo won the title by defeating Svetlana Kuznetsova in the finals with 6 -- 4 , 6 -- 0 . Svetlana Kuznetsova won the title by defeating Amélie Mauresmo 6 -- 4 , 6 -- 0 in the final . 0 +Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent in the plains of New Mexico . Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the plains of Oklahoma . 0 +In 1918 , the administrative representation of the parliamentary county of Dublin was raised from two to four divisions . In 1918 , the parliamentary representation of the Dublin administrative district was increased from two to four divisions . 0 +The municipality is divided into Barrios Asunción , Isabel , Realengo and San José . The municipality is divided into the barrios of San José , Isabel , Realengo and Asunción . 1 +You can use the same procedure with several operations , repeat steps 1 and 2 for each operation . You can use the same procedure with multiple operations just repeat steps 1 and 2 for each operation . 1 +Genesee Wesleyan Seminary was founded as the Genesee College , in 1831 , by the Methodist Episcopal Church . The Genesee College was founded in 1831 by the Methodist Episcopal Church as a seminary in Genesee . 0 +In October 2001 , he defended his Ph.D. in Psychology at the Free University of Brussels on the theme of the human models of cognitive hypertext navigation . In October 2001 , he defended his Ph.D. in Psychology from the Free University of Brussels on cognitive models of human hypertext navigation . 0 +"In his retirement , MacDonald compiled the "" Macdonald dictionary of Canterbury biographies "" , a collection of 12,000 biographies held by the Canterbury Museum ." "In his retirement , Macdonald wrote the "" MacDonald dictionary of Canterbury - Biographies "" , a collection of 12,000 biographies run by the Canterbury Museum ." 1 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was organist of Blackpool Parish Church from 1918 until 1963 . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , organist of Blackpool Parish Church from 1918 to 1963 . 0 +In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador as a state geologist in the fall of 1879 . He returned to Connecticut in 1877 , but soon returned to California and went to the Republic of Salvador in the fall of 1879 as a state geologist . 0 +Charles V was taken into custody and ransomed by Du Guesclin for 100,000 francs . Charles V was taken into custody by Du Guesclin and captured for 100,000 Francs . 1 +Represented is by Sadie Coles HQ , London , Barbara Gladstone , Berlin , and Contemporary Fine Arts , New York ( CFA ) . Lucas is represented by Sadie Coles HQ , London , Barbara Gladstone , Berlin , and Contemporary Fine Arts , New York ( CFA ) . 1 +Mosques were destroyed , and in many provinces , Hui was slaughtered or bombed by Japanese troops . Mosques were destroyed and in many provinces Hui were slaughtered by Japanese troops or bombed . 1 +In Yucatán breeding takes place from May and in Veracruz between August and April . In Yucatán , breeding takes place from May onwards and in Veracruz , between August and April . 1 +Blaesus subsequently appears as commander of the armies stationed in Pannonia when a mutiny broke out after the death of Augustus in the year 14 . Later Augustus appears as the commander of the armies stationed in Pannonia , after the death of Blaesus ' ; in 14 a mutiny broke out . 0 +In Europe , Lopardo made his debut as Fenton at the Teatro di San Carlo in Naples . In Naples , Lopardo made his debut as Fenton at Teatro di San Carlo in Europe . 0 +He received the first quarter of his inheritance at 21 , then 25 , 30 , and the last at 35 . He was given the last quarter of his inheritance at 21 , then 25 , 30 and the first at 35 . 0 +The church was named on May 17 , 2016 as a landmark of the city of Santa Barbara . The Church was listed as a designated landmark of the City of Santa Barbara on May 17 , 2016 . 0 +Itami-go was a part of Arioka Castle , which was ruled by Araki Murashige under Oda Nobunaga . Itami-go was a part of Castle Arioka which Oda Nobunaga ruled under Araki Murashige . 0 +In March 2017 , Murray McCully criticized former Foreign Minister Peters for endorsing United Nations Security Council Resolution 2334 without consulting his other cabinet ministers . In March 2017 , Murray McCully criticized the former Foreign Minister Peters for endorsing United Nations Security Council Resolution 2334 without consulting his fellow Cabinet ministers . 1 +Walter Giffard was father of the Hugh who became Archbishop of York and Chancellor of England . Hugh was father of Walter Giffard , the Archbishop of York and Chancellor of England . 0 +""" Purple Clover "" describes the site as being for people who are "" ... still curious , still cool , and still crazy after all these years . """ """ Purple Clover "" describes the page as for people who "" ... still curious , still cool and still crazy after all these years are "" ." 1 +In early 1972 , the FCC ordered the frequency to Windham County , making 98.3 the only FM in Willimantic . In early 1972 , the FCC allocated the frequency to Windham County , making 98.3 the only FM in Willimantic . 1 +This is a list of the local heads of the various governmental organisations that have served London , England . This is a list of the various heads of the local governmental organisations that have served London , England . 0 +Both segments were abandoned in 2003 , starting with the Lafayette segment in 2002 and the Hurtsboro line . Both track segments were abandoned beginning with the Lafayette segment in 2002 and the Hurtsboro line in 2003 . 1 +Mount Fillmore is a mountain in the Plumas National Forest in Sierra County , California , northeast of La Porte and north of Downieville . Mount Fillmore is a mountain in the Plumas National Forest in Sierra County , California . It is northeast of La Porte and north of Downieville . 1 +See also a list of finite Abelian groups for small groups of order 30 or less . See also a list of small groups for finite Abelian groups of order 30 or less . 0 +"Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain on the ABC soap "" One Life to Live "" in 2007 ." "Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in the ABC - Soap "" One Life to Live "" 2007 ." 0 +Brahamdagh Bugti was born in 1982 to Rehan Khan Bugti , the fourth son of Akbar Bugti . Rehan died a short time after Brahamdagh 's birth . Brahamdagh Bugti was born in 1982 , the son of Akbar Bugti , Rehan Khan Bugti , and died a short time after Brahamdagh 's birth . 1 +"Sueños ( "" Dreams "" ) is Yolandita Monge 's third album with CBS Records ( now Sony Music ) ." "Yolandita Monge 's third album with CBS Records ( now Sony Music ) is Sueesos ( "" Dreams "" ) ." 1 +"In 2008 , the Vatican began a "" renewable island "" for ecological waste and continued the initiative throughout the Papacy of Francis ." "In 2008 , the Vatican began an "" ecological island "" for renewable waste and has continued the initiative throughout the papacy of Francis ." 0 +From 1898 to 1902 , around 1,300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . 0 +"Pidoux appeared as Cellist Pablo Casals in Pablo Larrain 's "" Jackie "" ." "Pidoux appeared as cellist Pablo Larraín in "" Jackie "" by Pablo Casals ." 0 +Janković was the fourth seed at Wimbledon , but lost in the third round to the surprising finalist Marion Bartoli . At Wimbledon , Janković was the third seed , but lost in the fourth round to the surprise eventual finalist Marion Bartoli . 0 +KSR-3 ( Korean Sounding Rocket-3 ) is South Korean sounding rocket designed by KARI . KSR-3 ( Korean Sounding Rocket-3 ) is a Korean sounding rocket designed by KARI . 1 +He directed the Christians to recognize God in all things and , above all , to do the will of God . He directed Christians to desire God in all things and to do above all things to recognize the will of God . 0 +"Venugopal ( Mukesh ) is a singer of the music band "" Hits Orchestra "" ." "Mukesh ( Venugopal ) is the lead singer of music band "" Hits Orchestra "" ." 1 +Chinese dumplings were influenced and brought to Indonesia by Indonesian immigrants . Chinese dumplings were influenced and brought by Indonesian immigrants to Indonesia . 1 +Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in Puntarenas Province , Costa Rica . Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in the province of Puntarenas , Costa Rica . 1 +The eyes are white , paler than the pale blue eyes associated with rosy color or white markings , and the skin is unpigmented blue-pink . The eyes are pale blue , paler than the unpigmented blue eyes associated with white color or white markings , and the skin is rosy . 0 +Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same family name , Zhu Xicai greatly trusted him . Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Xicai trusted him greatly . 1 +"Brown has said that Prince never followed through on "" all that money "" ." "Brown said that Prince has never followed "" all that money "" ." 1 +My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Christine Newbauer , Martin Lindow and Maria Ehrich . My brother is a dog is a 2004 film by Peter Timm and Maria Ehrich , Martin Lindow and Christine Newbauer with director . 0 +The constituency was like its neighbour , Dunfermline East , one of the safest seats in Scotland for Labour . Like its neighbour , Scotland , the constituency was one of Labour 's safest seats in Dunfermline East . 0 +The series is published in Japan by VIZ Media and in the United States in English by Shogakukan . The series will be published in Japan by Shogakukan and in the United States by VIZ Media in English . 0 +After the death of her grandfather and her grandmother 's struggle with alcoholism , Tyrone Proctor met and married Mary , Together they moved to Tallahassee , Florida . After the death of her grandfather and her grandmother 's struggle with alcoholism , Tyrone Proctor Mary , who moved to Tallahassee , Florida , met and married . 0 +Moses Hart ( November 26 , 1768 -- October 15 , 1852 ) was a Canadian businessman and seigneur , eldest son of Aaron Hart . Moses Hart ( November 26 , 1768 -- October 15 , 1852 ) was a Canadian businessman and seigneur , the eldest son of Aaron Hart . 1 +The series was written by Chris Roberson and is drawn by Robert Adler . The series was written by Robert Adler and drawn by Chris Roberson . 0 +Athelas Sinfonietta Copenhagen is a Copenhagen-based , modern chamber ensemble specializing in the performance of Danish compositions . The Athelas Sinfonietta Copenhagen is a Copenhagen-based , Danish chamber ensemble specializing in performing modern compositions . 0 +North Dakota eventually moved to Division I also , and since then the two schools have been negotiating terms to resume the series . Eventually , North Dakota also moved to Division I , and since then the two schools have been negotiating conditions to resume the series . 0 +She was born in Litchfield , Ohio on December 18 , 1814 but later settled in Hebron , Connecticut . She was born on December 18 , 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . 0 +Palpi , head and thorax are yellowish and the shoulders are white . The palpi , head and thorax are yellowish and the shoulders white . 1 +was born in London , joined Dublin there and went to Jamaica with Charles Storer and his family in 1762 . Henry was born in London performed there , in Dublin , and went to Jamaica with Charles Storer and his family about 1762 . 1 +The ACS ( Ambient Control Space ) is the ambient of an internal network . The ACS ( Ambient Control Space ) is the internal environment of an ambient network . 0 +The navy is a modern force with foreign built ships : The navy is a modern force with foreign ships built . 1 +James Woods won an Emmy for his portrayal of Wilson . James Woods won an Emmy for his portrayal of the Wilson . 1 +Ana Ivanovic defeats Maria Sharapova to win the women 's title 2008 Australian Open . 26 -- Maria Sharapova defeats Ana Ivanovic to win the women 's title 2008 of the Australian Open . 0 +The elementary school St. Catherine of Sienna was closed in June 2012 . The private elementary school of St. Catherine of Sienna was closed in June 2012 . 0 +In April 2001 , Intel Capital raised $ 7 million in its second round of financing by venture capital fund TeleSoft Partners and Infineon Ventures and the Jungo . In April 2001 , Jungo recruited US $ 7 million in its second round of financing via the venture capital fund TeleSoft Partners and Infineon Ventures and Intel Capital . 0 +The mounting has a tripod , but the front leg is a wheel . The mounting has a tripod , but the front leg is a castering wheel . 1 +An electronic signature is intended to provide the signatory with a secure and accurate identification method to allow a seamless transaction . An electronic signature is intended to provide a secure and accurate identification method for the signatory to provide a seamless transaction . 1 +L ' ; Estany is a municipality in the province of Catalonia , Spain and autonomous community of Barcelona . L'Estany is a municipality in the province of Barcelona and autonomous community of Catalonia , Spain . 0 +"The human "" ERCC1 "" gene encodes the ERCC1 protein of 297 amino acids with a molecular mass of about 32,500 Dalton ." "The molecular "" ERCC1 "" gene encodes the ERCC1 protein of 297 amino acids with a human mass of about 32,500 daltons ." 0 +Paddon defeated Crocker again in 2009 and took his third victory in 2010 over Emma Gilmour . Paddon defeated Crocker 2009 again and took his third victory against Emma Gilmour in 2010 . 1 +Riverton was a parliamentary electorate in the New Zealand region of Southland . Riverton was a parliamentary electorate in the region of New Zealand in Southland . 1 +codice 3 is a type qualifier with the unqualified type of codice 27 codice 28 , which is the qualified type codice 29 . Where codice _ 3 is a type qualifier , which the qualified type of codice _ 27 is codice _ 28 and the unqualified type is codice _ 29 . 0 +West Salem is located in northeastern Edwards County , northeast of Albion , the county seat . Albion is located in the northeastern part of Edwards County , northeast of West Salem , County Seat . 0 +The island belongs to the traditional county of Bute and the modern unitary authority of Argyll and Bute . The island belongs to the traditional county of Bute and to the modern unity authority of Argyll and Bute . 1 +It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka upstream from Pöttelsdorf and downstream from Antau . It consists of two parts , Zemendorf and Stöttera , both on the Wulka river downstream from Pöttelsdorf and upstream of Antau . 0 +Charles Conger sold it to Esler in 1889 , who sold it to Horace Nichols in May 1891 . In 1889 , Esler sold Charles Conger , who sold it to Horace Nichols in May 1891 . 0 +"Giles ' gothic novel , "" Playing in Traffic "" , is an epic story about a boy trying to help a third girl ." "Giles ' ; Gothic - Roman "" Playing in Traffic "" is an epic story about a boy who is trying to help a third girl ." 1 +The band added bassist Duane Cowan , who had recently moved from Japan to Los Angeles . The band then added bassist Duane Cowan , who moved from Los Angeles to Japan recently . 0 +As with the Navy , the Army has a single-track system , where officers from other Navy communities transfer over to Foreign Area Officer permanently . Like the army , the Navy has a single-track system , where officers from other Navy communities permanently transfer to Foreign Area Officer . 0 +When the arms were landed they were removed on bicycles and in vehicles by volunteers . When the arms were removed , they were ended up by volunteers on bicycles and in vehicles . 0 +After the plastic has cooled sufficiently , the mold is ejected and the part is opened . After the plastic has sufficiently cooled , the tool is opened and the part is ejected . 0 +The southern slope of the Obshchy Syrt is covered by hardwood forests , while the northern slope towards the Caspian Depression has the characteristics of a steppe . The southern slope of the Obshchy Syrt is covered by deciduous forests , while the north slope towards the Caspian Depression has the characteristics of a steppe . 1 +From 1714 to 1725 , the house was extended according to plans by William Adam ( father of the architect Robert Adam , who created Edinburgh New Town ) . From 1714 to 1725 , the house was extended according to plans by Robert Adam ( father of William Adam , the architect who created Edinburgh New Town ) . 0 +The river Vidăcut or Hidecut is a tributary of the River Eliseni , in Romania The Eliseni River or Hidecut River is a tributary of the Vidăcut River , in Romania . 0 +In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the ARTC to the Country Rail Infrastructure Authority . In July 2011 , responsibility for the Werris Creek to North Star route from the Country Rail Infrastructure Authority was transferred to ARTC . 0 +In August 2009 , they published a special collection of eight DVDs of their tours throughout Europe and Los Angeles and published on their official MySpace . In August 2009 they published a special collection of eight DVDs of their tours around Europe and Los Angeles and edited them on their official MySpace . 0 +On 7 July 1997 , Pathfinder raised the elevation record for solar powered aircraft , which was also the record for propeller aircraft . On July 7 , 1997 , Pathfinder raised the altitude record for solar -- powered aircraft to , which was also the record for propeller -- driven aircraft . 0 +Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent in the plains of New Mexico . Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the Oklahoma plains . 0 +After the Eagles drafted a young defensive tackle in Thomas , the Eagles cut Broderick Bunkley . After the Eagles had collected a young defensive tackle in Thomas , the Eagles Broderick Bunkley cut . 1 +Mornington House was the Dublin Georgian season social residence of the Earls of Mornington . The Mornington House was the Georgian residence of Dublin 's social season at the Earls of Mornington . 0 +As a result of this success , other multinational companies such as Unilever , Microsoft , Digital Equipment , Schlumberger or Lazard have approached the services of Leclercq 's company . As a result of this success , other multinational groups such as Schlumberger , Digital Equipment , Unilever , Microsoft or Lazard approached the services of Leclercq 's firm . 1 +Most critics praised the eleven-track set for its strong productions and cohesive themes , which drew comparisons to the early career of Janet Jackson . Most critics praised the eleven-track set for its contiguous productions and strong themes , which drew comparisons to the early career of Janet Jackson . 0 +Women 's varsity sports not played by the SEC which are sponsored by Southeastern Conference schools : Women 's sports not sponsored by the Southeastern Conference , which are practised by SEC schools : 0 +It is known from the United States ( from Arizona , Michigan , New Mexico and southern Wyoming south to south Massachusetts and southern Florida ) and Canada . It is known from the United States ( from Arizona , Michigan , New Mexico and southern Wyoming south to southern Massachusetts and southern Florida ) and Canada . 1 +And procedural knowledge ( steps to make and which decision , when to do ) . And procedural knowledge ( steps to do and which decision when to make ) . 1 +In 1944 it was sold to the Santa Maria Valley Railroad , and in 1958 it was donated to the Travel Town museum in Los Angeles , California . In 1944 , it was donated to Santa Maria Valley Railroad and sold in 1958 to the Travel Town Museum in Los Angeles , California . 0 +The temperature should be around 28 ° C during the day and drop to about 20 ° C at night . The temperature should be around 28 ° C during the day and should drop to about 20 ° C at night . 1 +Parmele was released by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was signed by the team . On 3 August 2015 , Parmele was signed by the Cleveland Browns and was released by a team on 31 August 2015 . 0 +She and her sisters also performed in cafes and sang music to accompany silent films . She and her sisters also appeared in cafes and sang music to accompany silent films . 1 +He was born on 23 January 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London . He died on 29 January 1984 in London , England . 1 +Then Agrippa Polemon I sent of Pontus to take Scribonius and remove the throne itself . Agrippa then sent Polemon I of Pontus to take Scribonius and remove the throne himself . 0 +The season 2010-11 rain or gloss Elasto painter was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2010 season -- 11 Rain or Shine Elasto painter was the fifth season of the franchise at the Philippine Basketball Association ( PBA ) . 1 +It was the third single released by the group and it was their first release on Silvertone Records . It was the first single released by the group and it was their third release on Silvertone Records . 0 +On 7 September 2011 , the Blue House officially scrapped plans for a rich tax deduction , marking the foundational end of Mbnomics . On 7 September 2011 , the Blue House officially scrapped plans for a basic tax deduction , marking the rich end of Mbnomics . 0 +His parents were Daniel ( originally from Gainesville , FL ) and Mattie Lee Moss , originally of the Bahamas . His parents were Daniel ( originally from Bahamas ) and Mattie Lee Moss , originally from Gainesville , FL . 0 +Many central government agencies are located in the city of Taipei , because of its proximity to the capital , New Taipei City . Many central government agencies are located in New Taipei City , owing to the proximity to the capital , Taipei City . 0 +Otto Müller died on December 9 , 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . On 9 December 1979 , Carl von Basedow died as a result of a serious lung complaint in the Otto Müller clinic in Merseburg . 0 +In 1997 , 27.4 % of the population were overweight and 14.4 % were obese , the obesity rate was twice as high in rural areas as in urban areas . In 1997 , 27.4 % of the population were overweight and 14.4 % were obese , the obesity rate was twice as high in urban areas as in rural areas . 0 +Humphrey 's mother , according to Robert of Torigni , was Duvelina , sister of Gunnora , concubine of Richard I , Duke of Normandy . According to Robert of Torigni , the mother of Humphrey Duvelina , sister of Gunnora , was the concubine of Richard I , duke of Normandy . 0 +The album reached number 1 on the album charts in Sweden and number 16 in Norway . On the album charts the album reached number 1 in Norway and in Sweden number 16 . 0 +Dennis is arrested and convicted to die with Hugh and Barnaby , Hugh and Dennis are hanged , and Barnaby is pardoned by the efforts of Gabriel Varden . Dennis is arrested and convicted to die with Hugh and Barnaby , Hugh and Dennis are pardoned , and Barnaby is hanged by the efforts of Gabriel Varden . 0 +This private humanitarian project is led by the African Agricultural Technology Foundation , a Kenyan non-governmental organization . This public-private humanitarian project is led by the African Agricultural Technology Foundation , a Kenyan non-governmental body . 0 +In January 1938 , he became the head of the second department and chief of staff of the 64th Manghud Border Detachment . In January 1938 he became the head of the 64th department and chief of staff of the 2nd Manghud - Border - Detachments . 0 +David Folsom married Salina Gardner and Lily Folsom , Daughter of Chief Harkins and Rhoda Nail . Harkins was married to Salina Gardner and Lily Folsom , daughter of Chief David Folsom and Rhoda Nail . 0 +The scene was filmed with dust-covered and highly choreographed actors from the Open Theater . The scene was covered with dust-filmed and highly choreographed actors from The Open Theatre . 0 +In May 1945 , the division was part of the 53rd army of the second Ukrainian Front . The division was part of the 53rd Army of the 2nd Ukrainian Front in May 1945 . 1 +In 235 BC , after an attack on the state of Zhao , troops united from the states of Qin and Chu Wei attacked , but suffered a defeat . In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , they suffered a defeat . 0 +Hesse has eight small and 12 large patrol boats . Hesse has eight large patrol boats and 12 small ones . 0 +The Bill 's Cathy Stoller Center is home to all intercollegiate athletic teams from the university , sports offices and the Department of Exercise Science . The Bill & Cathy Stoller Center is home to all of the university 's athletic teams , intercollegiate athletic offices and the Department of Exercise Science . 0 +Nearly the entire area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . Almost the entire range is part of the Cibola National Forest area , including the Sandia Mountain Wilderness . 0 +Shiva wanted to see God , but Sati was in the darkness that Rama was a manifestation of Rama . Shiva wanted to see God , but Sati was in the dark that Rama was a manifestation of Rama . 1 +In 2006 , the team added a second car for Richard Göransson and was replaced by Thed Björk in 2009 . The team added a second car for Thed Björk in 2006 , and was replaced by Richard Göransson in 2009 . 0 +"Thakurgaon Stadium is located by the "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." "The Thakurgaon Stadium is located at "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." 1 +"environment that chooses a message "" m "" and then tells "" C "" to act as prescribed" "Environment that shares a message "" m "" and then chooses "" C "" to act as prescribed ." 0 +Rod Lyne married Amanda Mary Smith in 1969 . In 1969 , Amanda Mary Smith married Rod Lyne . 1 +In the semi-finals , the teams play teams first in the pools and the second place from the other pool . In the semi-finals the teams in second place in the pools , play the first place teams from the other pool . 0 +Mark Hambourg was born in Voronezh , Russia , as the middle brother of famous pianist Jan Hambourg . Jan Hambourg was born in Voronezh , Russia , the intermediate brother between the famous pianist Mark Hambourg . 0 +A young boy , mistreated by his parents , offers a strange dark rider a piece of his meal . A strange dark boy who was mistreated by his parents offers a young rider a piece of his meal . 0 +The position was filled by William Hay from 2007 to 13 October 2014 , but has since been replaced by Mitchel McLaughlin . The position was filled from 2007 , until 13th October 2014 by Mitchel McLaughlin , but has since been succeeded by William Hay . 0 +It is important for achieving the thermal regime of the quantum oscillator , where mechanical noise effects become negligible on the component . It is important for reaching the thermal regime of the quantum oscillator , where mechanical noise effects on the device become negligible . 1 +Pike , New York is the name of two locations in Wyoming County , New York : Pike , New York is the name of two locations in the Wyoming County , New York : 1 +Irregular verbs are like the participle Perfect very predictable , but regular verbs ( mainly the second conjugation ) are many . Like the past participle , irregular verbs are very predictable , but regular verbs ( mainly of the second conjugation ) are many . 1 +"The novel was translated into English by Roger Senhouse and published in 1953 ( with "" The Cat "" by Antonia White ) ." "The novel was translated by Antonia White into English and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." 0 +Most transmitters use the heterodyne principle , so they also have frequency conversion units . Most transmitters use the heterodyne principle so that they also have frequency conversion units . 1 +William Schaw also commissioned the tomb of his friend the architect Alexander Seton at Dunfermline Abbey . The tomb of his friend , the architect Alexander Seton , at Dunfermline Abbey was also commissioned by William William Schaw . 1 +The contents of the first intact collection , including the latter Mastodon , were transferred to the New York City American Natural History Museum in 1906 . The contents of the latter collection , including the first intact mastodon , were relocated to the American Museum of Natural History of New York City in 1906 . 0 +The Genesee College was founded in 1831 by the Methodist Episcopal Church as a seminary in Genesee . Wesleyan Seminary was founded in 1831 as Genesee College by Methodist Episcopal Church . 0 +The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in Ottawa in 2016 . The winning Mike McEwen team represented Ottawa at Tim Hortons Brier in Manitoba in 2016 . 0 +Today it is an internationally recognized artistic and educational institution with academic departments , developed degrees , artistic and scientific activities . Today it is an internationally recognizable artistic and educational institution with developed departments , academic degrees , expressed artistic and scientific activities . 0 +The 2012 Eurocup Final Four was the concluding stage of the 2011 - 12 Eurocup season , the second season of the 10th-tier basketball league in Europe . The Eurocup Final Four 2012 was the final stage of the Eurocup season 2011-12 , the second season of the 10th Basketball League in Europe . 1 +Williams turned the heel and reformed the British invasion with Magnus by attacking the Eric Young and Orlando Jordan team . Magnus turned the heel and reformed the British invasion of Williams by attacking Eric Young and Orlando Jordan 's team . 0 +The current Church , built by the Bishop of St Albans in June 1885 , is not the first to be consecrated in East Hanningfield . The current church , dedicated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . 0 +Slavic speaking , he then went to the former USSR to study Igor Moiseyev ’ s style of Soviet folk dance , Vaganova ballet technique and Russian repertory . Slavic speaking , he then went to the former USSR to study Igor Moiseyev style Soviet folk dance , Vaganova ballet technique and Russian repertory . 1 +One Angry Man is a 2010 film starring Jackie Mason and directed by Peter LeDonne and Steven Moskovic . One Angry Man is a 2010 film directed by Jackie Mason and addressed by Peter LeDonne and Steven Moskovic . 0 +Sawyer 's authorized biography was published by Huston Smith in 2014 . In 2014 , Sawyer 's authorized biography of Huston Smith was published . 1 +Miniatures flourished mainly in Mewar , Bundi , Kota , Kishangarh , Jaipur , Jodhpur and Bikaner . Rajasthani Miniatures flourished mainly in Mewar , Bundi , Kota , Kishangarh , Jaipur , Jodhpur and Bikaner . 1 +She withdrew her daughter Vinod from public school and sent Rekha to a school in another district . She extracted her daughter Vinod from the public school and sent Rekha to a school in another district . 1 +The district of Waitaki , in the regions of Canterbury and Otago of New Zealand , spans the traditional border between the two regions , the Waitaki River . The Waitaki district , in the Canterbury and Otago regions of New Zealand , straddles the traditional border between the two regions , the Waitaki River . 1 +Chongming is Chongming 's only county and lies north of the Shanghai Peninsula on three inhabited islands in the Yangtze estuary : Shanghai , Changxing , and Hengsha . Chongming is the only county in Shanghai north of the Shanghai Peninsula on three inhabited Yangtze islands - Chongming , Changxing and Hengsha . 0 +The Queen 's Exchange is a Richard Brome era stage play , a tragicomedy written by Caroline . The Queen 's exchange is a play from the Caroline era , a tragicomedy written by Richard Brome . 0 +He founded the citadel of Erebuni in 782 BC , the present capital of Armenia , Yerevan . He founded the citadel of Erebuni in 782 BC , which is the present capital of Armenia , Yerevan . 1 +The station was formerly licensed by North Myrtle Beach and belonged to the city of North Myrtle Beach , South Carolina , USA . The station , formerly licensed for North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . 1 +"Bass lost -- "" Bomb Your Soul "" ." "Bomb the Bass -- "" Lost Your Soul """ 0 +They occurred twice in the Copa do Brasil and once in the Série C . They once participated in the Copa do Brasil and twice in the Série C . 0 +They are used in applications as a contrast medium for biological imaging , as particles for flow tracking or as fluorescent carriers . They are used in applications as contrasting agents for fluorescent imaging , as particles for flow tracking or as biological carriers . 0 +Cline was born on 10 September 1970 in Kelowna , British Columbia and grew up in Calgary , Alberta . Cline was born in Calgary , Alberta , September 10 , 1970 , and grew up in Kelowna , British Columbia . 0 +Trenčianske Jastrabie is a village and municipality in the district of Trenčín in the region of Trenčín in northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in the region of Trenčín in the district of Trenčín in northwestern Slovakia . 0 +"It was released in 2005 , and in 2006 the debut EP "" The Departure "" was born ." "It was released in 2005 and in 2006 was born the debut - EP "" The Departure "" ." 1 +John Page became a merchant , and emigrated to the Virginia colony ; his sister Elizabeth ( wife of Edward Digges ) and brother Matthew also emigrated to Virginia . John Page became a merchant and emigrated to the Virginia colony , his sister Elizabeth ( wife of Edward Digges ) and his brother Matthew also migrated to Virginia . 1 +In 1912 she met the painter George Bouche , and they had a son , Edmond , in 1915 . Charmy and Bouche married in 1935 . In 1912 she married the painter George Bouche , and in 1915 she had a son , Edmond , who met Charmy and Bouche in 1935 . 0 +Valdir de Moraes Filho ( born March 15 , 1972 ) , commonly known as Valdir Bigode , is a former Brazilian soccer player who played as a striker . Valdir Bigode ( born 15th March , 1972 ) , commonly known as Valdir de Moraes Filho , is a Brazilian former footballer who played as a striker . 0 +Arnaud Boetsch defeated Marc Rosset 7 -- 6 , 7 -- 6 7 -- 6 , 7 -- 6 defeated Arnaud Boetsch 0 +For a couple of years Daniel went to the same school as Björn Dixgård and founded a band called Butler together with Björn at the age of fifteen . For a few years Björn went to the same school with Daniel and founded a band called Butler with Björn Dixgård at the age of fifteen . 0 +The Rose Revolution of 2003 replaced Georgian President Mikheil Saakashvili with Eduard Shevardnadze , who promoted closer ties with Western institutions , including NATO . The 2003 Rose Revolution replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer ties with western institutions including NATO . 0 +Bogale Township is a municipality in the Pyapon district of the Ayeyarwady region of Myanmar ( Burma ) . Bogale Township is a municipality in the Pyapon district of the Ayeyarwady region of Burma ( Myanmar ) . 1 +Freescale 's semiconductor was later sold to Sigmatel . Sigmatel later was sold to Freescale Semiconductor . 0 +Snake finds Melissa and flees to the horses where they are met by Arevin and safety . Snake finds Melissa and escapes back to the horses , where they are met by Arevin and safety . 1 +The paper reports on the economy , politics , developments in corporate and labour law , commercial news and features . The paper reports on the economy , politics , developments in commercial and labour law , corporate news and features . 0 +The Interogator read a lot of papers , then came in the four-month stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . The Interogator typed a lot of papers and then came in the four-month stress to Abdulla , the Intorgator read the papers and forced Abdulla to write it . 0 +He won first place at his table in 1958 and 1967 , but was the third in 1962 . He won 1st place at his table in 1958 and 1967 but in 1962 he was the third . 1 +Cotton gins continued to operate in Carencro until the last 1970s , when the middle two , Cotton Products Co. and Farmer 's Gin Co. , were closed . Until the late 1970s , when the middle two Cotton Products Co. and Farmer 's Gin Co. were closed , Cotton Gins continued to operate in Carencro . 1 +African stone tool technologies are divided into modes such as those proposed in 1969 by Grahame Clark and described by Lawrence Barham and Peter Mitchell as follows : African stone tool technologies are divided into modes as outlined by Lawrence Barham and Peter Mitchell in 1969 and proposed by Grahame Clark as follows : 0 +"In April 2013 , when the Air Italy merger was completed , Meridiana returned to its former , shorter name , "" Meridiana Fly "" ." "In April 2013 , when the merger of Air Italy was completed , Meridiana returned to its former , shorter name "" Meridiana Fly "" ." 1 +The project was unique , with the similar one in Estonia , but Belgrade is the only European capital to have it . The project was unique , with the similar in Estonia , but Belgrade is the only European capital to have it . 1 +Jones is the son of Timothy and Patricia Jones and has an elder sister , Taryn , and two younger brothers , Samuel and Timothy . Jones is the son of Timothy and Patricia Jones , and has one older sister , Taryn , and two younger brothers , Samuel and Timothy . 1 +A mass ceremony was conducted that night , and prayers were held until dawn . That night , a mass ceremony was held , and prayers were kept until dawn . 0 +Other liberal parties , however , along with nationalist groups , said that they would boycott the July elections . However , other liberal parties , together with nationalist groups said they would boycott the July elections . 1 +Specifically , p63 is expressed within the embryonic ectodermal keratinocytes and early ridge during development . Specifically , p63 is expressed within early keratinocytes and the embryonic ectodermal ridge during development . 0 +Mornington Cemetery is a cemetery serving the Mornington Peninsula area of Melbourne . Mornington Cemetery is a cemetery serving the Mornington Peninsula of Melbourne . 1 +Sporting Club Suceava was a professional football club from Suceava , based in Romania . It was founded in 2008 . Sporting Club Suceava was a professional football club from Romania , based in Suceava and was founded in 2008 . 0 +Ortacami is a village connected to the district of Giresun in the province Tirebolu . Ortacami is a village connected to the district Tirebolu of the province of Giresun . 0 +The Jiu River is a tributary of the Izvorul River in Romania . The Jiu River is a tributary of the River Izvorul in Romania . 1 +The mountain was named by Charles Lyell in 1863 after geologist Charles Gould , a supporter of Charles Darwin . The mountain was named after the geologist Charles Gould , a follower of Charles Darwin in 1863 by Charles Lyell . 1 +Scott Stringer received more than 40,000 votes but finished second to Popik , who received more than 200,000 votes . Popik received more than 40,000 votes , but became second to Scott Stringer , who received more than 200,000 votes . 0 +However , many of the tourists do not hike , and only visit the suspension bridge . However , many tourists do not visit the suspension bridge and only hike . 0 +"By controlling the fluid with a magnetic field , it is formed to create liquid 3-complex shapes as a "" dimensional sculpture "" ." "By controlling the fluid with a magnetic field , it is formed to generate liquid 3-complex shapes as a "" dimensional sculpture "" ." 1 +WPB joined the Grand Alliance , however the party leadership openly questioned the direction of the subsequent 14 Party Alliance after the 2014 elections . The WPB joined the Grand Alliance , but , after the 2014 elections , the party leadership openly questioned the direction of the subsequent 14 party alliance . 1 +Kalithozhan is a 1966 Indian Malayalam film , directed by M. Krishnan Nair and produced by AV Subbarao . Kalithozhan is a Indian Malayalam film staged by M. Krishnan Nair and produced by AV Subbarao . 1 +Alves lost to Roger Federer in the second round of the US Open in three sets . It was Federer 's 600th career match win . In the second round of the US Open , Roger Federer lost in three sets against Alves , it was Federer 's 600th win in the career - Match . 0 +The last surviving independent local company , Wright Son , provided a service from Penycae to Wrexham via Rhos and later also via Ponciau . The last surviving independent local company , Wright & Son , ran a service from Penycae to Wrexham via Rhos , and later via Ponciau also . 1 +Sabirabad is a village and municipality in Jalilabad - Rayon of Azerbaijan . It has a population of 3,577 . Sabirabad is a village and municipality in the Jalilabad Rayon of Azerbaijan . It has a population of 3,577 . 1 +He married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther ) , in 1881 and his son is the botanist and sketch artist Vagn Petersson . In 1881 , he married Agnes Theodora Walther , daughter of Vagn Petersson , and his son is the botanist and sketch artist Vilhelm Theodor Walther . 0 +When Mustafa marched to confront Murad in Anatolia , Junayd was persuaded to desert him . When Mustafa marched to confront Murad in Anatolia , Junayd was persuaded to leave him . 1 +He was born in Quebec around 1760 and settled in Detroit in 1782 ( the then Scotland ) . He was born in Scotland around 1760 and settled in Detroit ( then part of Quebec ) in 1782 . 0 +That night , Emperor Muzong died , and Li Zhan took the throne ( as Jingzong Emperor ) . That night , Emperor Li Zhan died , and Muzong took the throne ( as Emperor Jingzong ) . 0 +Ada Withers is Mort 's girlfriend and Rosie Withers is Rosie 's battleaxe mother . Ada Withers is Mort ' ; s girlfriend and Rosie Withers is Rosie 's battleaxe mother . 1 +Jagannathan was born Devendra Kula Vellalar family in 1926 . Devendra Kula Vellalar was born in the family Jagannathan in 1926 . 0 +In 1995 , Bret Hart accused Lawler of being a racist to create problems between Hart and the Japanese wrestler Hakushi . Bret Hart accused Lawler of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . 1 +Written by Michelle MacLaren and directed by George Mastras , broadcast on AMC in the United States and Canada on 8 September 2013 . Written by Michelle MacLaren and directed by George Mastras , it aired on AMC in the United States and Canada on September 8 , 2013 . 1 +The Golumbu River or Columbu River is a tributary of the River Minis in Romania . The Golumbu River or Columbu River is a tributary of the Miniş River in Romania . 1 +My brother is a dog is a 2004 film by Peter Timm and Maria Ehrich , Martin Lindow and Christine Newbauer with director . My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Maria Ehrich , Martin Lindow and Christine Newbauer . 0 +Kaliabor is part of Bokakhat ( constituency of Lok Sabha ) . Bokakhat is part of Kaliabor ( constituency of Lok Sabha ) . 0 +"Marianne is found guilty of fire in the Hotel "" Ter Smissen "" and the dead Freddys ." "Freddy is found guilty of the fire in hotel "" Ter Smissen "" and the dead of Marianne ." 0 +Ringwood is located in the 5th Congressional District and is part of New Jersey 's 39th state legislative district . Ringwood is located in the 5th Congressional District and is part of the 39th State Legislative District in New Jersey . 1 +He also illustrated numerous children ’ s books and won five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . He also won numerous children 's books and illustrated five times the Levstik Award for his illustrations , in 1958 , 1962 , 1967 , 1974 and 1975 . 0 +In the 1970s , a new professional studio facility , new equipment ( 1974 ) and the entrance of Diego León Rábago as a director were created in 1970 . The 1970s saw a new studio facility in 1970 , new professional equipment ( in 1974 ) and the entrance of Diego León Rábago as director . 0 +Yakov Fuchs and character performers were the parents of the famous Polish-American actor Leo Fuchs . She and character actor Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . 0 +It borders Kariobangi and Dandora to the east , Moi Air Base to the south , Mathare to the north and Eastleigh to the west . To the east it borders with Kariobangi and Dandora , to the south to Moi Air Base , to the north to Mathare and to the west to Eastleigh . 1 +Wagenknecht was born in Oak Park , Illinois , where he grew up and went to school in Chicago . Born in Oak Park , Illinois , Wagenknecht grew up and went to school in Chicago . 1 +The couple got their first child , Nicol , in August 2012 , and in March 2014 their second son , Shalk Jr. , was born . In August 2012 , the couple had their first child , Shalk Jr . In March 2014 , their second son Nicol was born . 0 +"The hyperbolic case is similar , given the area of a disk of the hyperbolic radius "" R "" in the ( intrinsic curvature formula 83 ) constant level by" "The hyperbolic case is similar , with the area of a disk of intrinsic radius "" R "" in the ( constant curvature formula _ 83 ) hyperbolic plane given by" 0 +This was the first AFL championship to end the season , the last Super Bowl followed in the 1966 season . This was the last AFL Championship to complete the season , the first Super Bowl followed in the 1966 season . 0 +Google allows business owners to check their own business data , and has also recruited volunteers to verify and correct truth data . Google allows business owners to verify their own business data , and has also recruited volunteers to check and correct ground truth data . 1 +"In December 2006 , Muspratt was named "" Chicagoan of the Year by John von Rhein and the staff of the "" Chicago Tribune "" in the Classic ." "In December 2006 , John von Rhein was named "" Chicagoan of the Year "" in classical music by Muspratt and the staff of the "" Chicago Tribune "" ." 0 +Cochran added a 57-yard punt return for a score in the fourth quarter and went 45 yards with an interception for a touchdown in the third quarter . Cochran added a 57-yard punt return for a hang in the fourth quarter and went 45 yards with an interception for a touchdown in the third quarter . 1 +"The "" perceived lack of independence and strong decision-making "" from the CCA remains a politicized , opaque issue ." "The CCA 's "" perceived lack of independence and politicized , opaque decision-making "" remains a strong issue ." 0 +A few years later , Hyman himself became Goodman 's pianist . A few years later , Hyman became pianist Goodman himself . 1 +After many delays , the segment from Kaduna to Abuja ( 187 km ) opened officially on 26 July 2016 . The segment from Kaduna to Abuja ( 187 km ) was officially opened on July 26th , 2016 after many delays . 1 +On June 14 , Jackson served as second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . On June 14 , Jackson served as a second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . 1 +""" Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources of the data used are provided ." "Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources for the data used are given ." 0 +Other cast include Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Avtar Gill , Anang Desai . Other actors include Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Avtar Gill , and Anang Desai . 1 +"The character was later killed off in the fourth episode of the second season , "" First Down "" ." "The figure was killed later in the second episode of the fourth season , "" First Down "" ." 0 +Steckborn is a municipality in Thurgau in the canton of Frauenfeld District in Switzerland . Steckborn is a municipality in Thurgau , in the Canton of Frauenfeld , Switzerland . 1 +"Louisa Baïleche performed on the Comédie-Française stage as well as the folies Bergère in a French version of the musical "" Nine "" ." "Louisa Baïleche performed on the Comédie-Française stage as well as in the folies Bergère in a musical version of the French "" Nine "" ." 0 +In 2013 , Mehreen Faruqi resigned from the Senate to contest a Legislative Council seat . The resulting casual vacancy was filled by Cate Faehrmann of the South Sydney Greens . In 2013 , Cate Faehrmann resigned from the Legislative Council to contest a Senate seat . The resulting vacancy was filled by Mehreen Faruqi of the South Sydney Greens . 0 +The canopy was destroyed in September 1938 by Hurricane New England in 1938 , and the station was damaged but repaired . The canopy was destroyed in September 1938 by the 1938 New England hurricane ; the station was damaged but repaired . 1 +Another important route that crossed the area of Campbelltown included the road that led from the settlement Bindnagle to Palmyra , which is now PA 117 . Another important route that crossed the Palmyra area included the road which led from the Bindnagle settlement to Campbelltown , which is now PA 117 . 0 +EPZ is a Thana located under the Chittagong Division , Bangladesh in the Chittagong District . EPZ is a Thana under the district of Chittagong in the division Chittagong , Bangladesh . 0 +"Highway 227 was also known as "" Sebeka "" in Minnesota Avenue ." "The Highway 227 was also known as "" Sebeka "" in the Minnesota Avenue ." 1 +Egremont is situated southwest of Pittsfield , west of Albany , New York , west of Boston and southeast of Springfield . Egremont is south-southwest of Pittsfield , west of Albany , New York , west of Boston , and southeast of Springfield . 1 +Cold Mountain is about southeast of Waynesville and south of Asheville . Cold Mountain is approximately southeast of Waynesville and south of Asheville . 1 +Eupithecia yunnani is a moth within the family Geometridae It is found in China ( Yunnan ) . Eupithecia yunnani is a moth in the Geometridae family It is found in Yunnan ( China ) . 1 +Steffi Graf defeated Manuela Maleeva 6 -- 4 , 6 -- 2 Steffi Graf defeated Manuela Maleeva 6 -- 4 -- 2 0 +He began 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . He began working with the AA Frisco RoughRiders of the Pacific Coast League in 2014 and was transported to the AAA Round Rock Express of the Texas League . 1 +New Taipei City was known as Taipei County before its upgrade in 2010 . The county of Taipei was known as New Taipei City before its upgrade in 2010 . 0 +In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a share of their American Oil Company to Pan American in exchange for a guaranteed oil supply . In 1923 Jacob Blaustein and his son Louis Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . 1 +This keeps all boats as true as possible and ensures a similar one design class . This keeps all boats as similar as possible and ensures a true design class . 0 +The Berry Head , the distant point of Torbay , was seen between six and nine miles south-east . Berry Head , the southeast point of Torbay , was seen between six and nine miles distant . 0 +Under certain conditions therefore , equivalence classes of statistical ensembles have the structure of a convex set . The equivalence classes of convex ensembles therefore have the structure of a statistical amount under certain conditions . 0 +RVD tried to reverse the hold , but Flair was rolling into the ropes to break the hold . RVD tried to break the hold but Flair rolled into the ropes to reverse the hold . 0 +He was born in New Westminster and worked on the lower Fraser and Yukon River rear wheels before coming to the upper Fraser River in the early 1900s . He was born in New Westminster and worked on the lower Fraser and Yukon River sternwheelers before coming to the upper Fraser River in the early 1900s . 0 +"The small "" minutus "" is in Latin for "" specific "" ." "The specific "" minutus "" is Latin for "" small "" ." 0 +This marine genus occurs in the East China Sea and the South China Sea . This marine genus comes in the East China Sea and the South China Sea . 1 +On 28 April 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially announced as resolved . On April 28 , 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially resolved as announced . 0 +Maval is a taluka part of the Pune District in the state of Maharashtra India , it is 85 km from Mumbai and 54 km from Pune . Maval is a Taluka part of the Pune District in the state of Maharashtra India , It is located 85 km from Pune and 54 km from Mumbai . 0 +The 1966 National Football League season was the team 's 17th season with the Cleveland Browns . The season 1966 National Football League was the 17th season of the Cleveland Browns team . 1 +On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic sports gymnastics . On 4 November 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . 0 +In 2006 , François Bozizé was appointed by President Bozanga as Chairman of the Council of State . In 2006 , François Bozizé was appointed by President Bozanga the chairman of the Council of State . 1 +Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda is waiting for Carrie at the bar where Steve works . Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda waits for Carrie at the bar where Steve is working . 1 +Three vessels of the United States Navy have been named after Cowell John G. Cowell . Three ships of the United States Navy have been named Cowell , after John G. Cowell . 0 +Feliciano Centurión ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) was a Paraguayan painter . Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) . 1 +Deaton was born in Clayton , New Mexico and his family lived in a tent on the Oklahoma plains for two years . Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent on the plain of New Mexico . 0 +It is separated through the Sarawak district of Limbang into two parts . It is separated by the Limbang - district of Sarawak in two parts . 0 +The following step works as follows . As long as there are three or more wires with the same weight add a second layer : The following step works as follows : as long as there are three or more wires with the same weight , add a second shift : 1 +In 2001 , two new large sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . Two new , large sports venues opened in 2001 : the Alerus Center and the Ralph Engelstad Arena . 1 +The season 1966 National Football League was the 17th season of the Cleveland Browns team . The 1966 Cleveland Browns season was the team 's 17th season with the National Football League . 0 +According to the website of Force Ministries , the current Executive Board members include Robert Owens and Art Smith as president , along with Greg Wark . Current board members , according to Force Ministries website , include Robert Owens and Art Smith as president , along with Greg Wark . 1 +When the Portishead Railway was built in 1866 , the ferry became popular with users of Clifton Bridge railway station . When the Portishead Railway was built in 1866 , the ferry became popular with Clifton Bridge train station users . 1 +He has pioneered important developments in wood sculpting , in parallel with those driven by Filippo Parodi in the marble sculpture and Domenico Piola in painting . He pioneered important developments in wood sculpting , in parallel with those driven by Domenico Piola in the marble sculpture and Filippo Parodi in painting . 0 +New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . New York 's initial possession of parts of Vermont provided a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . 1 +"In 1927 , Renault created two new models , a luxury and expensive called "" Type RA "" and a second , simpler model "" Type PG "" ." "In 1927 Renault created two expensive models , one luxury and second called "" Type RA "" and a new , simpler model called "" Type PG "" ." 0 +Hjärup is the second largest city in Sweden , Scania , Staffanstorp Municipality , with more than 4,250 inhabitants . Hjärup is , with its more than 4,250 inhabitants , the second largest locality in Staffanstorp Municipality , Scania , Sweden . 1 +Restovich was traded on July 27 , 2011 by the Arizona Diamondbacks to Chicago White Sox . On July 27 , 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . 0 +Initially , Owens was unimpressed , but Rich liked it , and they recorded it with the Buckaroos on February 12 , 1963 . Rich was initially unimpressed , but Owens liked it , and they recorded it with the Buckaroos on February 12 , 1963 . 0 +William Good , another Jesuit from England , joined Daniel soon , though she had a turbulent relationship . Daniel , another Jesuit from England , joined William Good soon after , even though she had a turbulent relationship . 0 +Another new bridge was built at Neak Leung on the Phnom Penh to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . Another new bridge was built by Neak Leung at Phnom Penh to the Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . 1 +In 1972 , Tarkovsky told film historian Leonid Kozlov his ten favorite movies . In 1972 , Tarkovsky told film historian Leonid Kozlov his ten favorite films . 1 +The SSSI covers an area of 190.3 hectares while the SAC has 168.3 hectares . The SSSI has an area of 190.3 ha , while the SAC covers 168.3 hectares . 1 +The 1966 Season Cleveland Browns was the 17th season of the team with the National Football League . The 1966 National Football League season was the team 's 17th season with the Cleveland Browns . 0 +Similarly , each node of a cluster has access to a large shared shared memory in shared memory , in addition to the limited non-shared private memory of each node . Similarly , in distributed shared memory each node of a cluster has access to a large shared memory in addition to each node 's limited non-shared private memory . 0 +Slashdong is a blog about teledildonics and similar use of technology for erotic purposes . Slashdong is a blog about teledildonics and a similar use of technology for erotic purposes . 1 +The younger son of Naveen Patnaik , Biju Patnaik , is current Chief Minister of Odisha . Naveen Patnaik 's younger son , Biju Patnaik , is the current Chief Minister of Odisha . 1 +Fritz Hoenig ( 1848 -- 1902 ) was a German officer and military writer . Fritz August Hoenig ( 1848 -- 1902 ) was a German officer and a military writer . 1 +"Three of these joints are incorrect joints , while two true anatomical ( "" physiological "" ) joints are ." "Three of these joints are true anatomical joints while two are physiological ( "" false "" ) joints ." 0 +Cork Albert Street railway station was on the Cork , Blackrock and Passage Railway in County Cork , Ireland . Cork Albert Street railway station was on Cork , Blackrock and Passage Railway in County Cork , Ireland . 1 +This can be caused by the loss of three additional genes , each of which has different effects , resulting in three types of syndrome . This may be caused by the loss of three different genes , each of which has different additional effects , resulting in three types of syndromes . 0 +The current Chief Executive is Mathew Walker , and the chairman from 2002 to 2009 was Martin Dean , who was replaced by Eric Bowen . The current Chief Executive is Martin Dean , and the leader from 2002 to 2009 was Mathew Walker , who was followed by Eric Bowen . 0 +One week after Benjamin Linus 's birth , Alex ( Michael Emerson ) came and took Alex from Rousseau . One week after Benjamin Linus ’ apos ; birth came Alex ( Michael Emerson ) and took Alex from Rousseau . 1 +In Finnmark , he completed several of the paintings he had outlined on his 1832 Stockholm tour . In Finnmark he completed some of the paintings he had outlined in 1832 on his Stockholm tour . 0 +Brigadier General Abram Duryée had commanded the 97th , 104th and 105th New York Infantry Regiments and the 107th Pennsylvania Infantry . Brigadier General Abram Duryée had commanded the 97th , 104th and 105th New York Infantry - Regimenter and the 107th Pennsylvania Infantry . 1 +It is found along the southern Australian coast from Shark Bay in Western Australia to Maroochydore in Queensland , including Tasmania . It is found along the southern Australian coast from Shark Bay in Queensland to Maroochydore in Western Australia , including Tasmania . 0 +The 1916 , Middle Tennessee State University football team presented the Middle Tennessee Blue Raiders during the 1916 College Football season , while the Blue Raiders Team Captain was Cass Miles . The 1916 Middle Tennessee Blue Raiders football team represented the Middle Tennessee State University during the 1916 college football season . The Blue Raiders team captain was Cass Miles . 0 +The term Siyin is official , however , and Sizang is local terminology However the term Siyin is official and Sizang is local terminology 1 +Ruth later reluctantly agrees that Nate can stay for a few more days . Later , Nate reluctantly agrees that Ruth can stay a few more days . 0 +The Lavrovo-Nikolaevsky mine is a large copper mine located in the south-west of Orenburg Oblast in Russia . The Lavrovo-Nikolaevsky - Mine is a large copper mine in the south-west of Oblast Orenburg in Russia . 1 +In the week before the incident with Coventry fans , 13 men were arrested after clashes between fans from Leicester and Norwich , in which some men suffered slight injuries . In the week before the incident with Leicester fans , 13 men were arrested following clashes between fans from Coventry and Norwich , in which some men suffered minor injuries . 0 +"The track remains one of two tracks that Brant also co-wrote , the other track was ever from the same album , titled "" This Time Around "" ." "The track remains one of two tracks that Brant ever co-wrote , the other track also comes from the same album , entitled "" This Time Around "" ." 0 +The Bill 's Cathy Stoller Center is home to all University athletics teams , the Intercollegiate Athletic Offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all the intercollegiate athletic teams of the University , the Sports Offices and the Department of Exercise Science . 0 +Peru is one of thirty-three districts of the province Yauyos in San Pedro de Pilas District . San San Pedro de Pilas district is one of thirty-three districts in the province of Yauyos in Peru . 0 +German officials conducted interviews with the two men , in Germany , in March , to confirm their suitability for transfer to Guantanamo . In March , the two German officials conducted interviews with the two men in Germany to confirm their suitability for transfer to Guantanamo Bay . 1 +"Adele performed the song on "" Friday Night with Jools Holland "" on 8 February 2008 and on "" Saturday Night Live "" during the 18 October 2008 show ." "The song was performed on February 8 , 2008 on "" Friday Night with Adele "" and during the show on 18 October 2008 on "" Saturday Night Live "" ." 0 +Simeon P. was born in Winton , North Carolina on June 11 , 1890 to Taylor and Kate ( Taylor ) Ward . Taylor was born on June 11 , 1890 in Winton , North Carolina , around Simeon P. and Kate ( Ward ) Taylor . 0 +Due to the castration of Hossein Qoli Khan , his brother Agha Mohammad Khan was appointed Qoyunlu 's new chieftain . Due to Hossein Qoli Khan 's castration , his brother Agha Mohammad Khan was appointed as the new chieftain of the Qoyunlu instead . 1 +Likewise , a other Malaysian who converts to Islam can lay claim to Bumiputra privileges , provided he meets the non-Malay conditions . Likewise , a non-Malay Malaysian who converts to Islam can claim Bumiputra privileges , provided he meets the other conditions . 0 +From 1866 to 1928 , eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia until the Armenian seat was moved to Beirut in Lebanon . The eparchy was the seat of the patriarchal Catholic Patriarchate of Cilicia from 1866 until 1928 , when the Armenian seat was moved to Beirut , Lebanon . 1 +Alton is located at the Mississippi River above the mouth of the Missouri River . Alton is located on the Missouri River above the mouth of the Mississippi River . 0 +"His father was under Louis XVI , an officer in the "" military musketeers "" , the musketeer of the black house of the king of France ." "Under Louis XVI his father was an officer in the "" military musketeers "" , the musketeers of the black household of the King of France ." 1 +The Western Terminus of the historic transcontinental Lincoln Highway , the first road across America , is in San Francisco 's Lincoln Park . The Western Terminus of the historic transcontinental Lincoln Highway , the first road across America , is located at Lincoln Park in San Francisco . 1 +Bentley and carvings by Hugh Stannus , while the meeting room contains a decorative ceiling by Thomas Earp . Bentley and carvings by Thomas Earp while the board room contains a decorative ceiling by Hugh Stannus . 0 +The first edition of the tournament won Ricardo Mello against Eduardo Schwank with 6 -- 4 , 6 -- 2 in the finals . The first edition of the tournament won by Eduardo Schwank against Ricardo Mello at 6 : 4 , 6 : 2 in the final . 0 +It was first climbed and named after Bill House when he climbed free in 1938 . It was freely climbed and named after Bill House , when it first climbed in 1938 . 0 +In 1936 he designed renovation of the Embassy Theatre , later known as the York Road Theatre . In 1936 , he designed the renovation of the York Road Theatre , which later became known as Embassy Theatre . 0 +In Käru , the politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 - 2012 ) were born . The politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . 0 +She was born in Geneva and later traveled to Moscow to study chemistry . She was born in Moscow and later traveled to Geneva to study chemistry . 0 +The Council had 27 members nominated by local authorities in Wales , the University of Wales , the National Eisteddfod Council and the Welsh Tourist Board . The council had 27 members nominated by local authorities in Wales , the University of Wales , Welsh Tourist Board and the National Eisteddfod Council . 1 +In 1938 , Japan ended its support for China under pressure from Germany , and Falkenhausen had to withdraw from China . In 1938 Japan , under pressure from Germany , ended its support for China and Falkenhausen was forced to withdraw from China . 1 +"The word nanosecond is formed by the prefix "" nano "" and the basis is a second second unit of time or a sixtieth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the second one is second a basic unit of time or a sixtieth of a second ." 0 +"In December 2002 Omar joined the team of the morning radio show "" Ya Párate "" with Facundo and Tamara Vargas ." "In December 2002 , Facundo and Tamara Vargas together with Omar joined the team of the morning radio broadcast "" Ya Párate "" ." 0 +Tang was born in 1970 in Beijing and grew up in Sichuan Province . was born in Beijing in 1970 and grew up in the Sichuan province . 1 +Asserson was working in the Church of Norway and was married to Eivind Saxlund . Eivind Saxlund was active in the Church of Norway and was married to Asserson . 0 +PremLata Singh married Birender Singh on 9 June 1970 . Birender Singh married the PremLata Singh on June 9 , 1970 . 1 +The syncretic Buddhist version of the kitchen god is the , and the Shinto version is the Kōjin , a deity of the hearth enshrined in the kitchen . The syncretic Buddhist version of the kitchen is the kitchen god and the Shinto version is the Kōjin , a deity of the herd anchored in the kitchen . 1 +At the end of the 18th century the castle was property of the Counts Ansidei , in the 19th century it was bought by the Piceller family . At the end of the 18th century the castle was property of Counts Ansidei ; in the 19th century it was bought by the Piceller family . 1 +"In 2000 , the name "" Chemistry "" was released and "" Conspiracy "" by Billy Sherwood 's Chris Squire was dropped ." "Eventually in 2000 , the "" Chemistry "" name was released , and "" Conspiracy "" by Billy Sherwood & Chris Squire was dropped ." 1 +In 2010 , Hatherley joined the band by Sam Lewis , playing lead guitar and replacing KT Tunstall . In 2010 Hatherley joined Sam Lewis 's band , playing lead guitar and replacing KT Tunstall . 1 +The project was the creation of Mute Record 's founder Frank Tovey , with Daniel Miller as fictional frontman of the band . The project was the creation of Mute Records - founder Daniel Miller , with Frank Tovey as a fictional frontman of the band . 0 +""" Turan "" is a holistic system that provides and includes the principle of continuity and multi-stage education :" "Educational Corporation "" Turan "" is a holistic system that includes the principle of continuity and multi-stage education , and provides :" 0 +Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . Burnside Township is bordered to the northwest by Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . 0 +Another memorable ruler was Max Franz ( reg . 1784 - 1794 ) , who founded the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( ruled 1784 -- 1794 ) , who founded the university and the spa quarter of Bad Godesberg . 1 +The second segment was built in 1929 , the third segment was completed by Peters Corners in 1930 . The third segment was built in 1929 , the second segment was completed by Peters Corners in 1930 . 0 +Dyson died on board a ship while travelling from England to Australia in 1939 and was buried at sea . Dyson died on board a ship when he was travelling from England to Australia in 1939 and buried at sea . 1 +After seven cases in Alberta , three in British Columbia , two in Nova Scotia and Ontario and another in Quebec , seven confirmed cases were confirmed . 101 confirmed cases after seven cases in Alberta , three in British Columbia , two in Nova Scotia and Ontario , and one in Quebec were confirmed . 0 +The episode was written by Bill Wrubel and directed by Lev L. Spiro . The episode was written by Bill Wrubel and was directed by Lev L. Spiro . 1 +They are exhibited for veneration in the Old Cathedral in summer and in the Great Cathedral in winter . They are exhibited for worship in the Great Cathedral in the summer and in the Old Cathedral in winter . 0 +In 1906 , the Van Cortlandt Park Chapter of the Daughters of the American Revolution dedicated the Chief Nimham Memorial at Mount Vernon , New York . In 1906 , the Mount Vernon , New York Chapter of the Daughters of the American Revolution , dedicated Chief Nimham Memorial to Van Cortlandt Park . 0 +Its revolutionary muskets ( 1794 ) were followed by the first American Springfield rifle and the famous M1 Garand and M14s . On its revolutionary muskets ( 1794 ) were followed by the first American Springfield rifle and the famous M1 Garand and M14s . 1 +Wagener made the design of this Japanese porcelain , according to the European taste white and blue , with many flowers . The design of this Japanese porcelain has made Wagener white and blue according to European taste with many flowers . 1 +It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . It features a fresh 1814 shoot on legendary artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . 0 +He also worked as a consulting research psychiatrist at State Hospital in Amityville and director of research at South Oaks Psychiatric Hospital in Central Islip . He also worked as a consulting research psychiatrist at the State Hospital in Central Islip and as a research director at the South Oaks Psychiatric Hospital in Amityville . 0 +"It was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on October 26 , 1943 ." "It was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." 0 +In early 1972 , the FCC allocated the frequency to Windham County , making 98.3 the only FM in Willimantic . The FCC Willimantic ordered the frequency in early 1972 , making 98.3 the only FM in Windham County . 0 +Later promoted Lieutenant , he purchased into the 7th Foot in 1838 and exchanged a Captaincy in 1842 . Later , in 1838 , Lieutenant promoted the 7th foot and exchanged a Captaincy in 1842 . 1 +Tommy Haas defeated Xavier Malisse with 6 : 3 , 3 -- 6 , 7 -- 6 . Xavier Malisse defeated Tommy Haas 6 -- 3 , 3 -- 6 , 7 -- 6 . 0 +The executive branch of the government consisted of the president , the prime minister , a number of deputy prime ministers , and federal ministers . The executive branch of government consisted of the president , the prime minister , a number of federal ministers , and the deputy prime ministers . 1 +Unisys Corporation was founded in 1991 by three employees from a software research and development group at TeamQuest . TeamQuest was founded in 1991 by three employees of a software research and development group from Unisys Corporation . 0 +"His admiral had the request until it was too late and "" Conte di Cavour "" inserted a veto to use a deeper sandbank on November 12 at 04 : 30 ." "His admiral vetoed the request until it was too late and "" Conte di Cavour "" had to use a deeper , , sandbank at 04 : 30 on 12 November ." 0 +Shaunavon 's headquarters are located in the Great Western Railway . The headquarters of the Great Western Railway are located in Shaunavon . 0 +"In 1821 , Elias Magnus Fries treated the genus name "" Clavaria "" , and sanctioned "" Ramaria "" as a section of "" Clavaria "" ." "In 1821 , Elias Magnus Fries treated the genus name "" Clavaria "" and sanctioned "" Ramaria "" as a part of "" Clavaria "" ." 1 +All the songs written and composed by Nick Feldman except as noted Note that Jack Hues was credited as Nick DeSpig throughout this album . All songs written and composed by Jack Hues , except as noted . Note that Nick Feldman was credited as Nick DeSpig throughout this album . 0 +It is now number 11 Alma Road , and is also referred to as Moorfield Court . It is now 11 Alma Road , and is also referred to as the Moorfield Court . 1 +Drietoma is a village and municipality in the Trenčín district in the region of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the Trenčín District in the Trenčín Region of northwestern Slovakia . 1 +Their children , through his wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell : Their children were from his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart : 0 +There were also men on female rape when the cheerleaders kidnap the night before the big game and then have sex with the members of the opposing football team . There was also male on female rape when the cheerleaders kidnap and then have sex with the members of the opposing football team the night before the big game . 1 +"With "" immediate phages "" such as the T4 phage , lytic cells are broken open ( lysed ) and destroyed after bacterial replication of the virion ." "With "" lytic phages "" , such as the T4 phage , bacterial cells are broken off ( lysized ) and destroyed after immediate replication of the Virion ." 0 +Forni Avoltri is a lake at Bordaglia Lake , Province of Udine , Friuli-Venezia Giulia , Italy . Lake Bordaglia is a lake at Forni Avoltri , province of Udine , Friuli-Venezia Giulia , Italy . 0 +Cast glass windows , albeit with poor optical qualities , began to appear in the most luxurious buildings in Rome and the most important villas of Herculaneum and Pompeii . In the most important buildings in Rome and in the most luxurious villas of Herculaneum and Pompeii , cast glass windows appeared , albeit with poor optical qualities . 0 +He formed a fine library and kept it open to scholars , wrote himself and supported writers . He formed a beautiful library and kept it open to scholars , supported himself and wrote writers . 0 +Layla was born in London as a daughter of a Brazilian mother and an English father of the Irish and Scottish ancestors . Layla was born in London as a daughter of a Brazilian mother and an Irish and Scottish father of the English ancestors . 0 +This small bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the current Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . This bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . 0 +It is both a primary school , lower secondary school and upper secondary school with the International Baccalaureate Programme . It is both a primary school , lower upper secondary school and secondary school with the International Baccalaureate program . 1 +"A costumed carnival showing "" chirigotas "" , large groups that sing in a humorous way of current events ." "A large carnival features "" chirigotas "" , costumed groups that sing of current events in a humorous way ." 0 +The Saul region is a semi-open belt of dry forest and savannas that are more characteristic of the province of Guayana Lowland . The Saul region is a semi-open belt of dry forest and patches of savanna that are more characteristic of the Guayana Lowland province . 1 +This theory does not explain the observed instability of colloidal dispersions against irreversible aggregation in solutions of high ionic strength . This theory did not explain the observed instability of irreversible dispersions against colloidal aggregation in solutions of high ionic strength . 0 +Discretization is also related to discrete mathematics , and is an important component of granular computing . Discretization is also related to granular mathematics and is an important component of discrete data processing . 0 +One of the largest landowners in Saint Mary at the turn of the 20th Century was Chris Blackwell , mother of Blanche Blackwell . Chris Blackwell , the mother of Blackwell , was one of the greatest landowners in Saint Mary at the turn of the 20th century . 1 +"The Presbyterian doctrine is "" reformed "" , and the government is "" theological "" ." "The theological teaching is "" reformed "" , and the form of government is "" Presbyterian "" ." 0 +The Apostolic Prefecture of Qiqihar ( or Tsitsikar ) is a Latin Church missionary jurisdiction in PR China . The Apostolic Prefecture of Qiqihar ( or Tsitsikar ) is a missionary jurisdiction of the Latin Church in the PR China . 1 +The Furu River is a tributary of the Jiul de Vest River in Romania . The Furu River is a tributary of the River Jiul de Vest in Romania . 1 +He was born at Meissen in Alsace and died in Mülhausen in Saxony . He was born in Meissen in Alsace and died in Mülhausen , Saxony , Germany . 1 +The absence of trouble with the law was guaranteed by the secret protection of the Préfet de police Albert Sarraut and Minister Jean Chiappe . The absence of anger with the law was guaranteed by the secret protection of the Préfet de Police Jean Chiappe and Minister Albert Sarraut . 0 +Aramaic , however , remains a spoken , literary and liturgical language for local Christians and also some Jews . However , Aramaic remains a local language for spoken , literary , and liturgical Christians and also some Jews . 0 +At Harper 's request , Smith resigned from the cabinet on 4 July 1968 . On July 4 , 1968 , at Smith 's request , Harper resigned from the cabinet . 0 +The last game in which he represented Poland was held in Dublin on November 13 , 1938 ( Ireland - Poland 3-2 ) . The last game in which he represented Ireland was held in Dublin on November 13 , 1938 ( Poland - Poland 3-2 ) . 0 +The human dimension focuses on three sub-categories : healthy diet , movement and the physical body ( circulatory system , digestive system and skeletal systems ) . The human dimension focuses on three sub-categories : healthy eating , exercise , and the physical body ( circulatory system , digestive system and skeletal systems ) . 1 +Rockhampton was also the junction of the Central Western line and Emu Park line . Emu Park was also the crossroads of Central Western Line and the Rockhampton line . 0 +"At "" Shine 8 "" Valkyrie defeated Amazing Kong , Mia Yim , Christina von Eerie and Angelina Love in an eight - man - team - match ." "At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Mia Yim , Christina Von Eerie , and Angelina Love in an eight-woman tag team match ." 1 +Both track segments were abandoned beginning with the Hurtsboro segment in 2002 and the Lafayette line in 2003 . Both segments were abandoned beginning with the Lafayette segment in 2002 and the Hurtsboro line in 2003 . 0 +The medial and lateral nasal prominence of each placode gives rise to the nose , the philtrum of the upper lip and the primary palate . The medial and lateral nasal prominence of each placode allows the nose , the philtrum of the upper lip and the primary palate to emerge . 1 +Winner effects were shown when established dominant chicks were placed against non-experienced chicks in a study by Drummond . Winners - Effects were shown when established non-experienced chicks were placed in a study by drummond against dominant chicks . 0 +He studied music history with Guido Adler and Curt Sachs at the University of Vienna and studied composition with Hans Gál . He studied music history at the University of Vienna under Hans Gál , and studied composition under Guido Adler and Curt Sachs . 0 +Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) it was built by a crew of 300 over a period of 4 months . Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) , it was built by a crew of 300 in a period of 4 months . 1 +Vitas Gerulaitis won 4 -- 6 , 6 -- 3 , 6 -- 1 , 7 -- 6 against Guillermo Vilas in the finals . Vitas Gerulaitis won in the final 4 -- 6 , 6 -- 3 , 6 -- 1 , 7 -- 6 against Guillermo Vilas . 1 +In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then at a studio in St. Ann Street . About 1838 , Stephenson returned to Manchester and established himself as an historical and landscape engraver in St. Ann Street , and then in a studio in Ridgefield . 0 +It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it often grows with gravel in sandy floors . It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it often grows with gravel in sandy soil . 0 +Many democrats , on the other hand , welcomed industrialization , feared the whigs . On the other hand , many democrats feared an industrialization that welcomed the whigs . 0 +He won his second Cruiserweight title by winning 5-man stroke ladder - match against Sugi San , Jack Evans , Rocky Romero and Teddy Hart . Tiger won his second Cruiserweight Title by winning 5-man ladder match against Sugi San , Jack Evans , Rocky Romero and Teddy Hart . 1 +Twenty dated Jacobite metropolitans of Melitene between the twelfth and ninth centuries are mentioned in the lists of Michael the Syrian . Twenty dated Jacobite metropolitans of Melitene between the twelfth and the ninth centuries are mentioned in the lists of Michael the Syrian . 1 +That night Juan has an erotic dream about Diana . On that night Diana has an erotic dream about Juan . 0 +After trepales in Italy and Juf in Switzerland it is the third highest village in Europe . After trepales in Switzerland and Juf in Italy it is the third highest village in Europe . 0 +Planned are new exhibitions in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . In Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) , new exhibitions are planned . 0 +Emden ( 1614 , Simon Bosboom -- 1662 , Amsterdam ) , was a Dutch Golden Age architect and writer . Simon Bosboom ( 1614 , Emden - 1662 , Amsterdam ) was a Dutch architect and writer of the Golden Age . 0 +As with the Army , the Navy has a single-track system , where officers from other Navy communities transfer over to Foreign Area Officer permanently . Like the army , the Navy has a single-track system , where officers from other Navy communities permanently transfer to Foreign Area Officer . 1 +To prevent this , her father stabbed her and cursed Appius Claudius Crassus . To avoid this , her father cursed her and stabbed Appius Claudius Crassus . 0 +Ian McDiarmid played Tekla , Jonathan Kent played Adolf , and Suzanne Bertish played Gustaf . Ian McDiarmid played Tekla , Jonathan Kent played Adolf , and Suzanne Bertish played the gustaf . 1 +"As meant by the Corporation , they are designed to be sensitive ( enough to argue with them ) and have "" defocused temporal perception "" ." "As meant by the Corporation , they are designed to be sentient ( enough to argue with ) and have "" defocused temporal perception "" ." 1 +Technetium forms the simple complex . The potassium salt is isostructural with . The simple complex forms the technetium with which the potassium salt is isostructural . 0 +""" Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of New Zealand 's North Island ." """ Clitarchus hookeri "" is found from Northland to the Wellington region in the south of the North Island of New Zealand ." 1 +Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo on the day of Colleen 's wedding . Shawn told Shawn that his mother was not dead and his father was still married and on the day of the wedding of Colleen and Santo , Shawn told Colleen . 0 +Thomas Kincaid Blake Jr. 's mother John married his father Sinclair T. Chitty at the age of 15 . John , the mother of Thomas Kincaid Blake Jr. , married his father Sinclair T. Chitty at the age of 15 . 1 +Euthria amorimi is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . Euthria amorimi is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +He said that the ordinary Americans believed that there was an American conspiracy to attack EgyptAir 990 and that the Cairenes were covering up the fact . He said that the ordinary Americans believed there was an American conspiracy to attack EgyptAir 990 , and that the Cairenes covered up the fact . 1 +"The "" Super Deluxx Edition "" was developed by 9th Level Games , but is published by Dork Storm Press ." "The "" Super Deluxx Edition "" was still published by 9th Level Games , but is designed by Dork Storm Press ." 0 +On 9 June 2017 , Barkchi Vitaliy Levchenko appointed her manager after Mubin Ergashev joined the Krylia Sovetov coaching staff . On 9 June 2017 , Barkchi appointed Mubin Ergashev as their manager after Vitaliy Levchenko joined the coaching staff of Krylia Sovetov . 0 +"On 31 October 1846 , Duke of Roxburgh "" sailed again from Port Phillip and reached Gravesend on 7 March 1847 ." """ Duke of Roxburgh "" sailed again from Port Phillip on 31 October 1846 and arrived at Gravesend on 7 March 1847 ." 1 +The North Fork Republican River is a flow of the Republican River . The Republican River is a tributary of the North Fork Republican River . 0 +We consider pseudo-differential operators here as a generalization of differential operators . We consider differential operators here as a generalization of pseudo-differential operators . 0 +It has also representation at regional and local level . It also has representation at the local and regional level . 1 +Towradgi is located at Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . North Dalton Park is located on Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +Of these , 2,088 ( 18.6 % ) lived in urban areas and 9,112 ( 81.4 % ) in rural areas . Of these , 2,088 ( 18.6 % ) lived in rural areas , and 9,112 ( 81.4 % ) were living in urban areas . 0 +""" The library is a dream in interior beauty and a model in architectural arrangement "" , according to a newspaper article recounting the affair ." """ The library is a dream in architectural beauty and a model in interior "" , according to a newspaper article that tells the affair ." 0 +Marinko Matosevic won the title , defeated Greg Jones in the final , 6 -- 0 , 6 - 2 . Greg Jones won the title , defeating Marinko Matosevic in the final , 6 -- 0 , 6 -- 2 . 0 +According to the US Census Bureau , the county has a total area , of which land and ( 17.6 % ) is water . According to the U.S. Census Bureau , the county is a total area , of which is land and ( 17.6 % ) has water . 1 +Cariani was born in Presque Isle , Maine , and eight years old when his family moved to Brockton , Massachusetts . Born in Brockton , Massachusetts , Cariani was eight when his family moved to Presque Isle , Maine . 0 +The tournament was resumed in 2006 in San Francisco , where it was hosted for two years . The tournament was re-organized in San Francisco in 2006 , where it was resumed for two years . 0 +""" Slate "" has pointed out that , contrary to what is depicted in the film , Wilson did not accompany Landy and Ledbetter on their first date ." """ Slate "" pointed out that Landy did not accompany Wilson and Ledbetter on their first date , contrary to what is presented in the film ." 0 +The Arbatel de Magia veterum was a Latin grimoire of the ceremonial magic of the Renaissance published in Switzerland in 1575 . The Arbatel de Magia veterum was a ceremonial grimoire of Latin Renaissance magic , which appeared in Switzerland in 1575 . 0 +On November 24 , 2012 , Franscoviak married the writer Charlie Kirn , who live with their children Maisie and Maggie McGuane in Livingston , Montana . On November 24 , 2012 , Franscoviak married writer Charlie Kirn . The two live in Livingston , Montana with her children Maisie and Maggie McGuane . 1 +Raúl Varela Luthier is supported by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Xavier Moyano . Raúl Varela Luthier is endorsed by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Xavier Moyano . 1 +Only one percent of blue diamonds are of this type and most are natural to gray . Only one percent of blue diamonds are of this type , and most are natural to grey . 1 +It has served as a forum for speakers ranging from Tennessee Williams , from Pete Seeger and Phil Donahue to Henry James , William Butler Yeats and William Jennings Bryan . It has served as a forum for speakers ranging from Tennessee Williams , Pete Seeger and Phil Donahue to Henry James , William Butler Yeats and William Jennings Bryan . 1 +He has two careers - Tricks , the first against the Edmonton Oilers and the second against the Vancouver Canucks on 8 December 2009 . He has two career hat-tricks , the first against the Vancouver Canucks and the second against the Edmonton Oilers on December 8 , 2009 . 0 +Brigadier General Abram Duryée had commanded the 107th New York Infantry Regiments and the 97th , 104th and 105th Pennsylvania Infantry . Brigadier General Abram Duryée had commanded the 97th , 104th and 105th New York Infantry - Regimenter and the 107th Pennsylvania Infantry . 0 +Between five and twelve blossoms are loosely arranged along a high stem or more flowers . Between five and twelve flowers are loosely arranged along a high stem or more flowering . 1 +Only one percent of natural diamonds are of this kind , and most are blue to grey . Only one percent of blue diamonds are of this type , and most are natural to grey . 0 +"According to John , "" McCartney had a semi-acoustic guitar "" ." "According to McCartney , "" John had a semi-acoustic Gibson guitar ." 0 +His religion was directly influenced by the political balance of international powers . His religion was influenced directly from the international balance of political powers . 0 +Plena was brought to Ponce by blacks who immigrated north from the English-speaking islands south of Puerto Rico . Plena was brought to Ponce by blacks who had immigrated from the English-speaking islands south of Puerto Rico to the north . 1 +In early 2012 , Enrile was the presiding officer of the impeachment of Colonel Renato Corona . In early 2012 Enrile was the presiding officer of the Impeachment of Chief Justice Renato Corona . 0 +The Chapel and Hall were both fully funded by William Gibbs and were also designed by Butterfield . The chapel and hall were both funded by William Gibbs and were also designed by Butterfield . 1 +As predicted , only 28 % of the promised amount has been refunded since 2015 . As promised , since 2015 , only 28 % of the projected amount has been refunded . 0 +Heather Weaver has been head of the group since 2003 and since 2017 Sharon Northe has been President of the Group . Heather Weaver has been the conductor of the group since 2003 and Sharon Northe has been President since 2017 . 1 +There is a limited incorporation , used in reflexive constructions . There is limited incorporation , used in reflexive constructions . 1 +It has also received two theatrical-action adaptations ; a TV movie in 1988 and a live film in 1997 . It has also received two theatre adaptations , a TV movie in 1988 and a live film in 1997 . 1 +It is both a primary school , upper secondary school and secondary school with the International Baccalaureate Program . It is both a primary school , lower secondary school and upper secondary school with the International Baccalaureate program . 1 +Because there was a lack of evidence to prove that Jim was not killed in self-defense , Johnson was acquitted and had the right to return home . Because there was a lack of evidence to prove that Johnson had not been killed in self-defense , Jim was acquitted and was allowed to return home . 0 +"He invented "" A new geometrical method of measuring the human figure "" ( 1860 ) , and wrote and patented various improvements in boats and weapons ." "He invented "" A New Geometrical Method of Measuring the Human Figure "" ( 1860 ) , and wrote and patented various improvements in boats and guns ." 1 +The anticipated exposure ( Expected Exposure , EE ) is defined similarly to the PFE , except that the average is used instead of a certain quantile . Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a certain quantile . 0 +They all have very large radii and have an unusually large atomic and ionic range of physical properties . They all have very large atomic and ionic radii and exhibit an unusually large range of physical properties . 0 +The son of Osman , Yafes Osman , became Minister for Science and Technology in Bangladesh in 2009 . Osman 's son Yafes Osman became the Science and Technology minister of Bangladesh in 2009 . 1 +Lake Arrowhead is an artificial lake in the Mojave River at Little Bear Creek , a tributary of Deep Creek and the San Bernardino Mountains . Lake Arrowhead is an artificial lake located in the Mojave River on Little Bear Creek , a tributary of Deep Creek and the San Bernardino Mountains . 1 +Other Bastis ( villages ) contain Basti Ibrahim Khan , Basti Pir Dad Khan , Basti Shah Quli , Basti Daanishmandan and Basti Nau . Other bastis ( villages ) included Basti Shah Quli , Basti Pir Dad Khan , Basti Ibrahim Khan , Basti Daanishmandan and Basti Nau . 1 +A daughter , Frances Anna Brickman , was born to Miriam and Lester Brickman on March 5 , 1981 . On 5 March 1981 , Miriam and Lester Brickman were born a daughter , Frances Anna Brickman . 1 +The medicine with the best evidence is lithium , which is an effective treatment for bipolar episodes , preventing relapses and acute manic depressions . The medication with the best evidence is lithium , which is an effective treatment for bipolar episodes , preventing relapses and acute manic depression . 1 +There were also several animatronic characters created ... a doll playing goose ( Galaga ) and an animatronic head for the giant Cernos . Several animatronic characters were also created ... a giant goose ( Galaga ) and an animatronic head for the puppeteered Cernos . 0 +Sassanid art revived forms and traditions native to Persia ; and in the Islamic period these reached the shores of the Mediterranean . Sassanid art revived the forms and traditions native to Persia and reached the coasts of the Mediterranean in the Islamic period . 1 +On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed on 17 July 2016 with the Romanian team Stal Ostrów Wielkopolski . On 15 September 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on 17 July 2016 . 0 +Uppal Jagir and Uppal Khalsa are villages in the Tehsil of Nurmahal , near Phillaur , Jalandhar district , Punjab , India . Uppal Jagir and Uppal khalsa are villages in the tehsil of Phillaur , near Nurmahal , Jalandhar district , in Punjab , India . 0 +He has also recorded two solo albums under his own name and three albums made in Indonesia under the name Sabah Habas Mustapha . He has also recorded two solo albums under his own name and three albums made in Indonesia under the name of Sabah Habas Mustapha . 1 +Hugo Käch died on December 31 , 2003 in Schaffhausen near Flurlingen , Germany . Hugo Käch died on December 31 , 2003 in Flurlingen near Schaffhausen . 0 +"In the episode "" Cheat It "" , Rico runs a sauna company called "" Señor Steam "" , which patronizes Robby ." "In the episode "" Cheat It , "" Rico runs a sauna company called "" Señor Steam "" which Robby patronizes ." 1 +Horace W , Webb , a native of Missouri , settled south of Graniola , Oklahoma in 1910 . Horace W , Webb , a native of Missouri , settled just south of Graniola , Oklahoma in 1910 . 1 +Ashley was born on November 1 , 1986 and is a contemporary dancer from Los Angeles , who originally grew up in Arizona . Born on November 1 , 1986 , Ashley is a contemporary dancer from Arizona , who was originally raised in Los Angeles . 0 +The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY operates directly . The network previously repeated a translator in Waterbury , W12BH ( channel 12 ) , which directly operated WEDY . 1 +Macquarie River is an historic bridge in the town of Ross in central Tasmania , Australia , completed in July 1836 . It crosses the Ross Bridge . Ross - Bridge is a historic bridge in the city of Ross in central Tasmania , Australia , completed in July 1836 . It crosses the Macquarie river . 0 +Sanou has played in Burkino Faso for Centre Saint-Étienne Bobo and in France for Saint-Étienne B . has played in Burkino Faso for the Centre Saint-Étienne Bobo and in France for Saint-Étienne B . 1 +Serkan Yalçın ( born 2 November 1982 ) is a Turkish professional footballer , who plays as a defender for TFF First League in the Akhisar Belediyespor . Serkan Yalçan ( born November 2 , 1982 ) is a Turkish professional footballer who plays in the TFF First League as a defender of Akhisar Belediyespor . 0 +Norway 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Kenya in September 2015 . Monica Mæland , Minister of Trade in Kenya , led a delegation of 54 companies to Norway in September 2015 . 0 +As a result , BFD is not distributed separately , but is always included in the releases of binutils and GDB . As a result , BFD is not distributed separately , but is always included with releases of binutils and GDB . 1 +Because of the high cost of Stromectol , the lifelong formula Ivomec can be used . Government programs are needed to help citizens finance veterinary medication . Because of the high costs of Stromectol can be used the veterinary formula Ivomec government programs are needed to help citizens to finance lifelong medication . 0 +His family later moved from Brooklyn to the 110th Street and Amsterdam Avenue in Manhattan . His family later moved from Brooklyn to Manhattan in 110th Street and Amsterdam Avenue . 0 +More recently , the band has combined extra life aspects of early music with the modern genre of mathematics rock . More recently , the band Extra Life has combined aspects of early music with the modern genre of math rock . 1 +Madison is located in the 27th State District and is part of the 11th Congressional Legislative District in New Jersey . Madison is located on the 11th Congressional District and is part of the 27th State Legislative District in New Jersey . 0 +On April 9 , 1830 , Adam Helmer died in the city of Brutus , Cayuga County , New York . Adam Helmer died on April 9 , 1830 , in the town of Brutus in Cayuga County , New York . 1 +The constituency is located in Swansea Bay , on the right bank of the Afan River , near its mouth in South Wales . The constituency is in South Wales , situated on the right bank of the River Afan , near its mouth in Swansea Bay . 0 +The season of the National Basketball Association from 1979 to 80 was the 34th NBA season . The 1979 -- 80 NBA season was the 34th season of the National Basketball Association . 1 +Lake Arrowhead is an artificial lake in the San Bernardino Mountains on the Little Bear Creek , a tributary of Deep Creek and the Mojave River . Lake Arrowhead is an artificial lake located in the Mojave River on Little Bear Creek , a tributary of Deep Creek and the San Bernardino Mountains . 0 +For example , to draw a vertical line of 4 cm in length , it is sufficient : For example , to enter a vertical line of 4 cm in length , it is sufficient to draw : 0 +The Jews in Afghanistan are not the Americans in Judea . The Jews in Afghanistan are the Americans in Judea . 0 +Patrick Aussems ( born February 6 , 1965 in Moelingen , Belgium ) is a former Belgian football player and former coach of the Nepal national team . Patrick Aussems ( born 6 February 1965 in Moelingen , Belgium ) is a former Belgian footballer and the former coach of the Nepal national football team . 1 +Elati is a village in the Kozani Regional Unit in Greece . Elati is a village in the Greece regional unit , Kozani . 0 +Merzbach worked in Sweden during the late twenties before returning to Germany . Merzbach worked in Germany during the late twenties before returning to Sweden . 0 +"The finished product has been marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X-COM : UFO Defense "" ." "The finished product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X - COM : UFO Defense "" ." 0 +The Cannon County Courthouse is located on Court Square in Woodbury , Tennessee , a historic building and the center of County Government in Cannon County . The Cannon County Courthouse located at Court Square in Woodbury , Tennessee , is an historic building and the center of county government in Cannon County . 1 +Iosco County is a civil community of Baldwin Township in the U.S. state of Michigan . Baldwin Township is a civil township of Iosco County in the U.S. state of Michigan . 0 +Over the course of his five seasons he played mostly as a half forward and half back . Over the course of his five seasons , he usually played back and half forward as half . 1 +Mateare is a municipality in the Managua department of Nicaragua . Mateare is a municipality in Nicaragua - Department of Managua . 1 +After leaving the Stuttgart opera , Ellmenreich performed as a guest artist . She also had a career as a concert singer . She died in Berlin . After leaving the Stuttgart Opera House , Ellmenreich performed as a guest artist , also had a career as a concert singer and died in Berlin . 1 +As a political movement , national Bolshevism ( Nazbol ) brings together elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . As a political movement , national Bolshevism ( Nazbol ) brings together elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . 0 +Margaret Turner ( Shirley Temple ) and Susan Turner ( Myrna Loy ) are all sisters who live together . Margaret Turner ( Myrna Loy ) and Susan Turner ( Shirley Temple ) are sisters who live together . 0 +"She participated in the second season of the most popular non - fiction controversial bengali reality - show "" Bigg Boss Bangla "" ." "She has participated in the second season of the most controversial non fiction popular bengali reality show "" Bigg Boss Bangla "" ." 0 +Miller was raised for some time in the mountains of Santa Barbara , California , before settling in Tijuana , Mexico . Miller was raised in the outskirt mountains of Tijuana , Mexico for some time , before settling down in Santa Barbara , California . 0 +The school was founded in Australia and subsequently pioneered in 1903 in Ireland . The school was founded in Ireland and then pioneered in Australia in 1903 . 0 +""" The Brute Man "" was the second episode of the seventh season , which was broadcast on Comedy Central on February 10 , 1996 ." """ The Brute Man "" was the second episode of the seventh season that was broadcast on February 10 , 1996 at Comedy Central ." 1 +It is only found in Yunnan and its tributaries in the Dianchi - Lake , China . It is only found on Dianchi Lake and its tributaries in Yunnan , China . 0 +The Rusca River is a tributary of the Suceviţa River in Romania . The Suceviţa River is a tributary of the River Rusca in Romania . 0 +On the north side of the administrative building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . On the southern side of the administration building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . 0 +She married Eero on June 10 , 1939 and had two children : Susan Saarinen , born in 1942 , and Eric Saarinen , born in 1945 . She married Eero on June 10 , 1939 and she had two children : Eric Saarinen , born in 1942 , and Susan Saarinen , born 1945 . 0 +While it is fully turing-practical , it is not intended for complete use , but programmers to challenge and entertain . While it is fully Turing-complete , it is not intended for practical use , but to challenge and amuse programmers . 0 +The idea of the ensemble is discussed further in the article Statistical ensemble ( mathematical physics ) . The idea of the ensemble is further discussed in the mathematical ensemble ( statistical physics ) article . 0 +For Mead , however , unlike John Dewey and J. J. Gibson , the key is not simply social action , but human action . For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just human action , but social action . 0 +The central region is a district in the Lwengo district of Uganda , the largest city in the district and location of the district headquarters . Central Region is a district in the Lwengo District of Uganda . Lwengo is the largest town in the district and the location of the district headquarters . 1 +The transcontinental ferry ran to 42nd Street and was a part of the main Lincoln Highway for a short time . The main ferry ran to 42nd Street and for short time was a component of the transcontinental Lincoln Highway . 0 +By elevation , Wilmont is the highest incorporated community in America , and is the only place in Nobles County where Larry Lang 's onion rings are sold . By elevation , Wilmont is the highest integrated community in Nobles County and is the only place in America where the onion rings are sold by Larry Lang . 0 +It heard the cases in criminal law , civil law , and cases involving the conflict of jurisdiction between the military , police and civil courts . It heard about cases in criminal law , civil law and cases involving the conflict of competences between the military , police and civil courts . 1 +After studying in Shanghai , he sailed to Belfast in 1933 in order to join his parents . After studying in Shanghai he sailed out to Belfast to join his parents in 1933 . 1 +The university has awarded 36 team national championships , which includes 7 football national championships ( football championships are not claimed by the NCAA ) . The university claimed 36 national team championships , including 7 national football championships ( football championships are not awarded by the NCAA ) . 0 +"Byron Morrow played Young in a cameo performance in the episode "" Death Valley Days "" , "" An organ for brother Brigham "" ( 1966 ) ." "Young played Byron Morrow in a cameo appearance in the "" Death Valley Days "" episode , "" An Organ for Brother Brigham "" ( 1966 ) ." 0 +"Based on the "" Disney Fairies "" franchise , it was produced by DisneyToon Studios , animated by Prana Studios ." "Based on the "" Disney Fairies "" franchise , it was produced by DisneyToon Studios and animated by Prana Studios ." 1 +The definition can be extended as follows to standard or non-standard points ( any ) : The definition can be extended as follows to any ( standard or non-standard ) points : 1 +Carmen Aub Romero ( born October 24 , 1989 in Mexico City , Mexico , D.F . ) is a Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico City , DF , Mexico ) is a Mexican actress . 1 +It is located to the north of Spring Valley , east of Viola , south of New Square and New Hempstead and west of New City . It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley , and west of New City . 0 +On March 31 , 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . On 31 March 1958 , Daley , together with Gene Woodling and Dick Williams , was traded on the Baltimore Orioles for Larry Doby and Don Ferrarese . 0 +On the Dagorlad , a great battle took place in which Sauron 's troops were stormed and the Black Gate was destroyed . A great battle took place on the Dagorlad in which Sauron 's forces were stormed and the Black Gate was destroyed . 1 +Stella Maris played in Dublin with Dunne , before playing for Everton in England . She played with Stella Maris in Dublin before playing for Everton in England . 0 +Tuckerton is located in the 2nd Congressional District and is part of the 9th State Legislative District in New Jersey . Tuckerton is located in the 9th Congressional District and is part of the 2nd State Legislative District of New Jersey . 0 +He was the brother of actor Barry Lupino ( 1882 - 1962 ) and the father of Ida Lupino . He was the brother of actor Ida Lupino ( 1882 -- 1962 ) and the father of Barry Lupino . 0 +Jan Hambourg was born in Voronezh , Russia , the middle brother between the famous pianist Mark Hambourg ( b . Mark Hambourg was born in Voronezh , Russia , as the middle brother of famous pianist Jan Hambourg . 0 +Using the properties of the trigonometric and hyperbolic functions , this may be written in explicitly complex form : Using the properties of the complex functions , this can be written in explicitly trigonometric and hyperbolic form . 0 +While prostitution is illegal in Canada , most activities related to prostitution are legal . While prostitution in Canada is legal , most activities relating to prostitution are illegal . 0 +Former New Directions member Kurt Hummel ( Chris Colfer ) attends the concert , accompanied by his boyfriend Blaine Anderson ( Darren Criss ) . Blaine Anderson ( Chris Colfer ) , a former member of New Directions , attends the concert , accompanied by his friend Kurt Hummel ( Darren Criss ) . 0 +She moved to Switzerland when she was a few months old , mostly to France , but grew up in Paris . She moved to Switzerland when she was a few months old , mostly to France , but then grew up in Paris . 1 +Bynum was born in Baltimore in 1975 , and grew up in Boston . Bynum , born in 1975 in Baltimore , grew up in Boston . 1 +The aircraft was situated on a domestic flight from Goma via Ndjili to Kisangani . The aircraft was on a domestic flight from Goma to Ndjili via Kisangani . 0 +The station is the base of Thinking Out Loud with Jay Walker , Bird 's Eye View with Scott Prather , and the Great S.C.O.T.T . Show with Steve Peloquin . The station is the base of Thinking Out Loud with Jay Walker , Bird ' ; s Eye View with Scott Prather and the Great S.C.O.T.T . Show with Steve Peloquin . 1 +The authors for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included in the project . 1 +The Sm ring permanently binds to the snRNAs of U1 , U2 , U4 and U5 , which form four of the five snRNPs that form the main spliceosome . The Sm ring permanently binds to the U1 , U2 , U4 and U5 snRNAs which constitute four of the five snRNPs that form the major spliceosome . 1 +The 1962 National Football League season was the 13th season of the team with the Cleveland Browns . The 1962 Cleveland Browns season was the 13th team season with the National Football League . 0 +"A semilinear transformation is a transformation that is "" linear "" up to a twist "" , which means "" to a field automorphism under scalar multiplication "" ." "A scalar transformation is a transformation which is linear "" up to a twist "" , meaning "" up to a field automorphism under semilinear multiplication "" ." 0 +In July 2017 , President Donald Trump fired Masingill from his role . In July 2017 , President Masingill sacked Donald Trump from his role . 0 +Albion may refer to the following places in the U.S. state of New York : Albion may refer to the following locations in the U.S. state of New York : 1 +He was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur in 2012 as a candidate of the Indian National Congress . In 2012 , he was elected Chairman of the Indian National Congress ( Pnachayat District ) of Kolhapur as a candidate of Zilla Parishad . 0 +The United Kingdom followed in 1955 ; Germany in 1964 by Katsuaki Asai ; and Italy in 1965 by Hiroshi Tada . In 1955 , the United Kingdom , Italy by Hiroshi Tada in 1964 , and Katsuaki Asai in 1965 , Germany . 0 +The wing commander PS Nara was killed in misfortune , while wing commander SV Munje was injured . Wing Commander PS Nara was injured in the mishap , while Wing Commander SV Munje was killed . 0 +The surface of the W.Z.XII was vertical and the conventional surfaces were similar to those of the W.Z.XI . The empennage of the W.Z.XII was conventional and the vertical surfaces were similar to those of the W.Z.XI . 0 +September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino recalled by AAA Norfolk . September 2 : CF Michael Bourn and CF Drew Stubbs activated , C Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson recalled by AAA Norfolk . 0 +Williams turned the heel and reformed the British invasion with Magnus by attacking the Eric Young and Orlando Jordan team . Magnus turned heel and reformed the British Invasion with Williams by attacking the team of Eric Young and Orlando Jordan . 0 +At the local level , the celebrations are decided by a diocesan team normally appointed by ordinary members . At the local level , celebrations are decided by a diocesan team usually appointed by the ordinary . 1 +Butler died on 16 January 1909 in Oxford and was buried at Holywell Cemetery in Torquay . Butler died at Torquay on 16 January 1909 , and was buried in Holywell cemetery , Oxford . 0 +Borsalino are the Chapeau Lamp ( 2014 ) and the sculpture The Hatband ( 2016 ) by Philippe Starck , designed by Moritz Waldemeyer for Flos . The Chapeau Lamp ( 2014 ) designed by Philippe Starck for Flos and the sculpture The Hatband ( 2016 ) by Moritz Waldemeyer are both tributes to Borsalino . 0 +On Monday , April 4 , 2016 , route 4 was extended from Therapia Lane to Wimbledon . On Monday 4 April 2016 , route 4 was extended from Therapia Lane to Wimbledon . 1 +From 1990 to 1998 , he lived with Paula Riemann , and their daughter , Katja Riemann was born in 1993 . From 1990 to 1998 he lived with Paula Riemann , and her daughter Katja Riemann was born in 1993 . 1 +When Peugeot launched the stylish all-new 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . When Peugeot launched the new Allstylish 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . 1 +Artzentales is a municipality in the province of Biscay , in the Autonomous Community of Basque Country , in northern Spain . Artzentales is a municipality in the province of Basque Country , in the autonomous community of Biscay , northern Spain . 0 +In December 2002 , Facundo and Tamara Vargas with Omar joined the team of the morning radio program “ Ya Párate ” . "In December 2002 Omar joined the team of the morning radio show "" Ya Párate "" with Facundo and Tamara Vargas ." 0 +His police career began in San Antonio , Texas , and was a policeman in San Francisco before he returned to San Diego . His police career began in San Antonio , Texas , and was a police officer in San Diego before he returned to San Francisco . 0 +Bhils has the highest population in the Jhabua district , followed by Dhar , Barwani , and Khargone districts . Bhils have the highest population in Khargone district followed by Dhar , Barwani and Jhabua districts . 0 +The 1975 -- 76 National Basketball Association season was the 30th season of the NBA . The season 1975 -- 76 National Basketball Association was the 30th NBA season . 1 +The first integer formula _ 177 for which formula _ 178 is rank formula _ 179 has formula _ 180 . The first integer formula 177 , for which Formula 178 is ranked , has the Formula 179 Formula 180 . 1 +American American Edit is a mashup album , shared by Party Ben and Team9 under the released alias Dean Gray . American American Edit is a mashup album , released by Party Ben and Team9 under the common alias Dean Gray . 0 +Born in Hartford , Wisconsin , Barney attended public schools and Lombard College , Galesburg , Illinois . Barney was born in Galesburg , Illinois , and attended public schools and Lombard College , Hartford and Wisconsin . 0 +Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated from the East Coast railway . Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by East Coast Railway . 0 +Deutschnofen borders the following municipalities : Aldein , Bolzano , Bronzolo , Karneid , Laives , Welschnofen , and municipalities of Predazzo , Tesero and Varena in Trentino . Deutschnofen borders on the following municipalities : Aldein , Bolzano , Bronzolo , Karneid , Leifers , Welschnofen and municipalities of Predazzo , Tesero and Varena in Trentino . 1 +Ahmad von Shirvan was the fourth Shah of Shirvan and eighth of Shah of Layzan . Ahmad of Shirvan was the eighth Shirvan Shah and the fourth Shah of Layzan . 0 +He was elected as Distinguished Lecturer by the International Speech Communication Association and the IEEE Signal Processing Society . He was elected Distinguished Lecturer from the IEEE Signal Processing Society and the International Speech Communication Association . 1 +The LA ( Inglewood , CA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a branch of the Los Angeles Campus . The LA ( Inglewood , CA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a branch of Los Angeles Campus . 1 +Each line contains three points , so the Hesse configuration has the notation 912 in the language of the configuration . Each line has three points , so in the language of configurations the Hesse configuration contains the notation 912 . 1 +"Narrated Abu Jahl : Anas bin Malik said , "" O Allah !" "Anas bin Malik : Abu Jahl said : "" O Allah !" 0 +His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , also enjoyed All-Ireland success with Tipperary . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed also with Tipperary All - Ireland - success . 1 +Quinatzin 's wife was a Princess from Huexotla , Queen Cuauhcihuatzin , mother of his successor Techotlalatzin . Her grandson was Ixtlilxochitl I . The wife of Quinatzin was a princess from Huexotla , Queen Cuauhcihuatzin , mother to his successor Techotlalatzin , and her grandson was Ixtlilxochitl I . 1 +Wanjiru 's cousin Simon Njoroge is a world-class marathon runner , and Wanjiru 's younger brother Joseph Riri is also a long-distance runner . Wanjiru 's cousin Joseph Riri is a world-class marathon runner , and Wanjiru 's younger brother , Simon Njoroge , is also a long-range runner . 0 +Jacopo Silvestri ( 16th -- 15th century ) was an Italian cryptographer and author . Jacopo Silvestri ( 15th -- 16th century ) was an Italian cryptographer and author . 1 +Łąg Południowy is a PKP railway station in Łąg ( Pomeranian Voivodship ) , Poland . Łąg Południowy is a PKP railway station in Pomeranian Voivodeship ( Łąg ) , Poland . 1 +Two were planned : Mulberry A for the UK sector and Mulberry B for the American sector . Two were planned : Mulberry A for the American sector , and Mulberry B for the British sector . 0 +The 2010 season -- 11 Rain or Shine Elasto painter was the fifth season of the franchise at the Philippine Basketball Association ( PBA ) . The season 2010-11 Rain or Shine Elasto painter was the fifth season of the franchise at the PBA ( Philippine Basketball Association ) . 1 +At the end of the 19th century the castle was property of the Counts Ansidei , in the 18th century it was bought by the Piceller family . At the end of the 18th century the castle was property of Counts Ansidei ; in the 19th century it was bought by the Piceller family . 0 +The former Coordinator of the Australian Cyber Security Centre was the concurrent Deputy Director of the Australian Signals Directorate . The former coordinator of the Australian Cyber Security Centre was the deputy director of the Australian Signals Directorate . 1 +Rich food sources , as long as they are promoted as profitable , will be evaluated by the scouts when they return to the hives . Rich sources of food , as long as they are evaluated as profitable , are advertised by the scouts when they return to the hive . 0 +Jeppe Tengbjerg ( born December 28 , 1973 ) is a Danish football manager and former football player . Jeppe Tengbjerg ( born December 28 , 1973 ) is a Danish football manager and former football player . 0 +The contents of the first intact collection , including the latter mastodon , were relocated to the American Museum of Natural History of New York City in 1906 . The contents of the latter collection , including the first intact Mastodon , was moved to the American Museum of Natural History of New York City in 1906 . 0 +""" Encrinus "" was described in 1764 . It was assigned to the order Encrinida by Jack Sepkoski in 2002 ." was described in 1764 and was assigned by Jack Sepkoski to the Encrinida order in 2002 . 1 +In 1951 , the Cogioba Council , headquartered in Bowling Green merged with the West Kentucky Area Council to form the Audubon Council serving a good third of Kentucky . In 1951 , the Cogioba Council , based in Bowling Green with the West Kentucky Area Council , merged to form the Audubon Council , which serves a good third of Kentucky . 1 +Five men died later , one was missing , and 25 were wounded , two of whom died instantly . Later five men died , one missing and 25 were wounded , two of whom died immediately . 1 +"Billboard wrote about the song : "" You know the beat , now catch the groove ." "About the song Billboard wrote : "" You catch the beat , now you know the groove ." 0 +His ideas have often brought him into trouble , and he acts before he thinks . His ideas have often led him into trouble and he acts before he thinks . 1 +The music was composed by Darsan Raman and the lyrics written by Mariamma Philip . The music was written by Mariamma Philip and lyrics was composed by Darsan Raman . 0 +Vinay wants the Xavier to kill someone . Vinay wants Xavier to kill someone . 1 +Alfred Gregson ( 2 March , 1889 -- March 1968 ) was an inside football English professional left , who played in the Football League for Grimsby Town and Bury . Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English professional football left player for Grimsby Town and Bury in the Football League . 0 +The Royal College of Music , together with Maestro Natalia , has appointed Peter Stark as a professor of conducting . The Royal College of Music has appointed Natalia alongside Maestro Peter Stark as Professor of Conductors . 0 +WaridTel also offers this option but it is not nationwide and displays uses only . WaridTel also uses this option , but it is not nationwide and displays only offers . 0 +Also other studies were submitted to the Congress by the Federal Power Commission and Power Authority of New York . Other studies were also presented to the Federal Power Commission by the Congress and the Power Authority of New York . 0 +Cornelis van Cleve painted predominantly religious paintings and to a smaller extent mythological scenes and portraits . Cornelis van Cleve painted predominantly religious paintings and to a lesser extent mythological scenes and portraits . 1 +Turkey is a unitary not a federal system , and the provinces are subordinated to the centre . Turkey is a single system , not a federal one , and the provinces are subordinated to the centre . 1 +"The figure was killed later in the fourth episode of the second season , "" First Down "" ." "The character was later killed off in the fourth episode of the second season , "" First Down "" ." 1 +The autonomous region Xinjiang Uyghur is a river in the Yarkand River in Western China . The Xinjiang Uyghur Autonomous Region is a river in the Yarkand River of western China . 1 +"It was her first studio recording since "" I Wan na Love Somebody "" and the tenth released studio album before her stroke on January 10 , 2006 ." "It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on January 10 , 2006 ." 1 +The Moons - organist Tom Warmsley uses a single manual Vox Continental , and James Edward Bagshaw of The Moons uses a Vox Continental 300 . James Edward Bagshaw , organist of The Moons , uses a single manual Vox Continental , and Tom Warmsley of The Moons uses a Vox Continental 300 . 0 +"The small "" minutus "" is Latin for "" specific "" ." "The small "" minutus "" is in Latin for "" specific "" ." 1 +Here , Miles realizes that he himself caused his father to leave his mother and his three-month-old self to order . Here , Miles notices that he himself caused his father to leave his mother and his three-month-old self to order . 1 +Directed by Jack Arnold , film stars John Agar and Lori Nelson . Directed by John Agar and Lori Nelson , the film stars Jack Arnold . 0 +They are sometimes consumed with beer and are often a bar snack . They are sometimes consumed with beer and they are often a bar snack . 1 +Additionally , a left-handed team played in two other matches against Marylebone Cricket Club ( MCC ) . Additionally , a left-handed team played in two other games against MCC ( Marylebone Cricket Club ) . 1 +Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusc in the Eoacmaeidae family , one of the families of true limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . 0 +The Mach number is used to evaluate whether the incompressibility can be accepted , otherwise the effects of compressibility must be included . The Mach number is used to evaluate whether the incompressibility can be included , otherwise the effects of compressibility must be accepted . 0 +Fiat - Money can be physically damaged or destroyed if it is inadvertently represented in the form of currency ( paper or coins ) . Fiat - Money can be accidentally damaged or destroyed if it is physically displayed in the form of currency ( paper or coins ) . 0 +John Mozeliak is the President of Baseball Operations , Mike Girsch is the general manager and Mike Matheny is the manager . John Mozeliak is the president of the baseball operation , Mike Matheny is General Manager and Mike Girsch is the manager . 0 +In 2010 she won the 10th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 12th Yi Yuksa Poetry Award . Kim won the 12th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 10th Yi Yuksa Poetry Award in 2015 . 0 +Itami-go was a part of Castle Arioka which Araki Murashige ruled under Oda Nobunaga . Itami-go was part of Arioka Castle , which ruled Oda Nobunaga under Araki Murashige . 0 +Huge fields along the zone were discovered in 1920 by Long Beach Oil Field and Huntington Beach Oil Field in 1921 . Huge fields along the zone were discovered in 1920 at Huntington Beach Oil Field and at Long Beach Oil Field in 1921 . 0 +A snug ( or lateral piercing ) is a piercing passing through the anti-helix of the ear from the medial to antihelix surfaces . A snug ( or antihelix - piercing ) is a piercing that passes through the anti-helix of the ear from the medial to the lateral surfaces . 0 +Weslandia is a Newbery Medal winner of the children 's book , Kevin Hawkes , with illustrations by Paul Fleischman . Weslandia is a children 's book Newbery Medal winner Kevin Hawkes , with illustrations by Paul Fleischman . 1 +Roan Carneiro faced LaFlare on February 11 , 2017 at UFC 208 . He won the fight by unanimous decision . LaFlare confronted Roan Carneiro at UFC 208 on February 11 , 2017 , when he won the fight by unanimous decision . 0 +Although the Iroquois never settled the Piedmont area , they entered it for hunting and raiding against other tribes . Although the Iroquois never entered the Piedmont territory , they settled it for hunting and raiding against other tribes . 0 +"In 1997 , Corey first appeared in DeMille 's Roman "" Plum Island "" ." "Corey first appeared in DeMille 's novel "" Plum Island , in 1997 . """ 1 +Brockton is situated about 25 miles northeast of Providence , Rhode Island and 30 miles south of Boston . Brockton is situated about 25 miles south of Boston and 30 miles northeast of Providence , Rhode Island . 0 +This bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . This small bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . 0 +The Little Jocko River flows via the Jocko River and the Ottawa River to the Saint Lawrence River . The Little Jocko River flows via the St Lawrence River and the Ottawa River to the Jocko River . 0 +""" The suicide bomber came behind the bushes when the FC staff broke for dinner and got a chance to detonate the device "" , said interior adviser Rehman ." """ The suicide bomber broke from behind the bushes when the FC personnel came for dinner and got a chance to detonate the device "" said Interior Advisor Rehman ." 0 +Roosevelt and Wilson Elementary schools were combined to stabilize Roosevelt-Wilson Elementary in the 1970s as the city 's growth began to form . Roosevelt and Wilson Elementary schools were combined in the 1970s to Roosevelt - Wilson Elementary , as the city 's growth began to stabilize . 0 +In 1951 Avon Publications published a comic adaptation in Rocket to the Moon , by Walter Gibson ( script ) and Joe Orlando ( art ) . In 1951 , Avon Publications in Rocket to the Moon released a comic adaptation of Walter Gibson ( script ) and Joe Orlando ( art ) . 1 +In the past , when Yue Yi conquered the Qi state , he attacked over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . When Yue Yi attacked the Qi state in the past , he conquered more than 70 cities in Qi , except Ju and Jimo for Tian Dan . 0 +Chrysalidus Botelloides is a species of sea snail , a top gastropod mollusk in the Trochidae family , the naval snails . Botelloides chrysalidus is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . 0 +The Taveuni silktail is a small black bird , weighing around and measuring . The Taveuni Silktail is a small black bird weighing and measuring . 1 +Beaverton is a municipality in the municipality of Brock in the regional community Durham , Ontario , Canada . Beaverton is a community in Brock Township in the Regional Municipality of Durham , Ontario , Canada . 0 +In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 to Gaming Corporation for £ 3.6 million in cash . In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to CryptoLogic . 0 +codice 3 is a type qualifier where the unqualified type of codice 27 codice 28 is and the qualified type codice 29 . codice 3 is a type qualifier , where the qualified type of codice 27 codice 28 and the unqualified type are codice 29 . 0 +The water of the Nescopeck Creek is the hardest water in the Stony Creek watershed with a concentration of over 100 milligrams of minerals per liter . Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams solved minerals per liter . 0 +Surrounding suburbs are ( from the north to the south ) : Balgownie , Mount Pleasant , Mount Ousley , Keiraville , West Wollongong , Figtree and Mount Kembla . The surrounding suburbs ( from north to south ) are Balgownie , West Wollongong , Mount Ousley , Mount Pleasant , Keiraville , Figtree and Mount Kembla . 1 +"On all tracks , except Teddy Gentry on "" Clear Water Blues "" and Randy Owen on "" This Love ' ; s on Me "" , are lead lead vocals by Jeff Cook ." "Lead vocals by Jeff Cook on all tracks , except Teddy Gentry on "" Clear Water Blues "" and Randy Owen on "" This Love 's on Me "" ." 1 +In 1859 , the American Unitarian Association elected Livermore as a member of the Executive Committee . The American Unitarian Association elected Livermore a member of the Executive Committee in 1859 . 1 +The result of these experiments led to defining the processes of learning optimism . The result of these experiments led to the definition of learning optimism processes . 1 +In 1923 at Tungsram Ltd , a research laboratory was established for improving electric sources , mainly light bulbs . In 1923 , a research laboratory for improving light sources , mainly light bulbs , was established at Tungsram Ltd.. 0 +The 1988 -- 89 NBA season was the 43rd season of the National Basketball Association . The NBA season 1988 -- 89 was the 43rd season of the National Basketball Association . 1 +"Then "" f "" is to the right on the interval larger than Formula 61 and if Formula 62 so :" "then on the interval to the right , "" f "" is greater than formula 61 and if formula 62 so :" 1 +He visits Fred and makes him his new partner , then goes to the Cratchit house where he rehires Bob and increases his wages . He visits Fred and makes him his new partner , then goes to the cratchit house , where he reinstates Bob and increases his remuneration . 1 +Many individuals also have a pattern of dark points , and younger fish may have a black area at the bottom of the tail . Many individuals also have a pattern of dark dots , and younger fish may have a black area at the base of the tail . 1 +It was followed by Jon Morgan ( 2000 -- 2007 ) , Paul Gudgin ( 2007 -- 2008 ) and Kath Mainland ( 2008-2015 ) . She was followed by Paul Gudgin ( 2000 -- 2007 ) , Jon Morgan ( 2007 -- 2008 ) and Kath Festland ( 2008-2015 ) . 0 +Gangatheri is a village and gram panchayat in Haryana , India , Karnal district , Assandh . Its 1991 population was 2628 . Gangatheri is a village and a gram panchayat in Assandh , Karnal district , Haryana , India , 1991 was population 2628 . 1 +His mother , born in Devonshire , was the tenth child of parents emigrating from Kingston to Canada . His mother , born in Kingston , was the tenth child of parents who emigrated to Canada from Devonshire . 0 +Fancher also says that the theory of CBT is incompatible with basic principles and rationality research , and even ignores many rules of logic . Fancher also says that the theory of CBT is inconsistent with many principles and research of rationality , and even ignores basic rules of logic . 0 +Powerful Stuff is a 1989 studio album by Memphis based blues rock band The Fabulous Thunderbirds . It was recorded in Texas and produced by Terry Manning . Powerful Stuff is a studio album by the Memphis Blues rock band The Fabulous Thunderbirds , which was recorded in Texas and produced by Terry Manning in 1989 . 1 +The area has a large amount of sunshine all year round due to its high descending air and stable pressure . The area has a huge amount of sunshine all year round due to its stable descending air and high pressure . 0 +In Venezuela there are about 2,018 hospitals and hospitals , 634 in Caracas , 195 in Maracaibo , 173 in Valencia and 92 in Barquisimeto . There are about 2,018 clinics and hospitals in Caracas , 634 in Valencia , 195 in Barquisimeto , 173 in Maracaibo , and 92 in Venezuela . 0 +None of the Polish-Russian treaties concerning Kiev have ever been ratified . None of the Russian-Polish treaties concerning Kiev has ever been ratified . 1 +In the finals Anastasia won Myskina 6-2 , 6-3 against Jelena Dokić . Anastasia Myskina won in the final , 6 - 2 , 6 - 3 against Jelena Dokić . 0 +Alun James Pugh ( born 4 March 1983 in Wales ) is a Cypriot rugby player who has played for the Cyprus national rugby union team since 2007 . James Pugh ( born March 4 , 1983 in Wales ) is a Cypriot rugby player who has played for the Cyprus Rugby - Union team since 2007 . 1 +Spoon in London is an album by Blues - singer Jimmy Witherspoon , which was recorded in 1965 in England and published on the Prestige label . Spoon in England is an album by blues vocalist Jimmy Witherspoon which was recorded in London in 1965 and released on the Presti 0 +Kalliyankattu Neeli of 1979 is an Indian Malayalam - horror film directed by M. Krishnan Nair and produced by M Mani . Kalliyankattu Neeli is an Indian Malayalam - horror film dating from 1979 , produced by M. Krishnan Nair and directed by M Mani . 0 +The Irish team consisted of Murphy along with Ken Doherty , Fergal O ’ Brien and Michael Judge as sub . The Irish team consisted of Murphy together with Ken Doherty , Fergal O - Brien and Michael Judge as sub . 1 +The scenes in the marshes were also shot in Kent , Gillingham 's Riverside Country Park . The scenes in the marshes were also shot in Kent , at Riverside Country Park in Gillingham . 1 +The bill is black , the eyes , cere , legs and feet are yellow . The bill is black , the eyes , cere , the legs and feet are yellow . 1 +Barry Wagstaff ( born November 26 , 1945 ) was a football professional with Sheffield United , Reading and Rotherham United . Barry Wagstaff , ( born November 26 , 1945 ) , was a professional footballer with Rotherham United , Reading and Sheffield United . 1 +In 2010 , she performed at the sixth annual Jewlicious Festival alongside Matisyahu , Moshav , Rav Shmuel , Electro Morocco , and Kosha Dillz . In 2010 , she performed at the sixth annual Jewlicious Festival with Matisyahu , Moshav , Rav Shmuel , Electro Morocco , and Kosha Dillz . 1 +The nest is located in a low shrub on the ground , like most old world warblers , this insect-eating passerine is small . The nest is located in a low shrub on the ground , and like most old world warblers , this small passerine is insect-eating . 0 +According to the website of Force Ministries , the current Executive Board members include Greg Wark as President , along with Robert Owens and Art Smith . According to the website of Force Ministries , the current Executive Board members include Robert Owens and Art Smith as president , along with Greg Wark . 0 +"Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefits Concert of "" The Best Little Whorehouse "" in Texas" "Linda Lou was seen as Cody in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." 0 +This species is distributed in the Gulf of Mexico and the Caribbean , along Brazil in the Atlantic . This species is distributed in the Gulf of Mexico and the Atlantic Ocean ; in the Caribbean Sea along Brazil . 0 +It is a sub-label of the Dutch label Black Hole Recordings , consisting of Magik Muzik , which was founded in 2001 by Tiësto . Electronic is a sub-label of Dutch label Black Hole Recordings consisting of Magik Muzik . It was founded by Tiësto in 2001 . 1 +Hillary married Bill on October 11 , 1975 , and their only child , Chelsea , was born on February 27 , 1980 . On October 11 , 1975 , Hill Bill married Hillary , and her only child , Chelsea , was born on February 27 , 1980 . 1 +"Marans was famous until the early twentieth century for the "" red bean of Marans "" and its fairs in honour of these specially local beans ." "Until the early twentieth century , Marans was famous for the "" red bean of Marans "" and its fairs in honor of these particularly local beans ." 1 +Former segments of State Road 52 , have included Roth Lane , in Saint Leo , and North 21st Street and Lock Street in Dade City . Former segments of the State Road 52 , including Roth Lane , in Saint Leo , and North 21st Street and Lock Street in Dade City . 1 +"7 . Spigner , Daisy , et al . "" Little River County Celebrates 125 Years : Commemorative Book "" . Texarkana , TX : Alaska Printing , 1992 ." "Spigner , Daisy , et al . "" Texarkana celebrates 125 years : commemorative book "" . Little River County , TX : Alaska Druck , 1992 ." 0 +Gary Holt of Exodus was announced as a temporary replacement of Jeff in Slayer on 13 March to 4 April 2011 . Gary Holt of Exodus was announced as Jeff 's temporary replacement , in Slayer , on March 13 , to April 4 , 2011 . 1 +"Jamil commented that Gwen is homophobic , saying that he thought "" every lesbian woman was a woman waiting for the right man "" ." "Jamil commented that Gwen is homophobic , saying that he thought that "" every Lesbian woman was a woman waiting for the right man "" ." 1 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of marine limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the Neolepetopsidae family , one of the families of the Marine limpets . 1 +The resulting three hour battle between the Ironclads was a draw , but it marked the ironclad transition to worldwide warships . The resulting three hour battle between the Ironclads was a draw , but it marked the global transition to Ironclad - warships . 0 +The 913th troop transport squadron was consolidated in September 1985 with the 13th Air Refuelling Squadron , but the active squadron has not been consolidated ever since . The 13th Troop Carrier Squadron was consolidated with the 913th Air Refueling Squadron in September 1985 but the consolidated squadron has not been active since . 0 +Proteins that form stable complexes with other molecules are often referred to as receptors , while their binding partners are referred to as ligands . Proteins that form stable complexes with binding molecules are often referred to as receptors , whereas their other partners are called ligands . 0 +Two new , large sports venues opened in 2001 : the Alerus Center and the Ralph Engelstad Arena . In 2001 , two large new sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . 1 +Lake Arrowhead is an artificial lake located in the Mojave River on Little Bear Creek , a tributary of Deep Creek and the San Bernardino Mountains . Lake Arrowhead is an artificial lake in the Mojave River on the Little Bear Creek , a tributary of Deep Creek and San Bernardino mountains . 1 +Morton W. MacAuley , generally known as M. W. MacAuley , was a politician in Alberta , Canada , and a municipal council in Edmonton . Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a municipal council in Alberta , Canada . 0 +Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the constitutional traditional monarchies in 21st century Uganda . Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the traditional constitutional monarchies in the Uganda of the 21st century . 1 +This main shrine has 59 branch shrines in Tokyo and 162 shrines in the prefecture of Saitama . This main shrine has 59 branch shrines in Saitama prefecture and 162 shrines in Tokyo . 0 +"Linda Lou was viewed as a cody on October 6 , 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." "Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefits Concert of "" The Best Little Whorehouse "" in Texas" 0 +He refugeed and returned to Italy , where he retired for two years to private life . He retired to Italy , where he fled for two years and returned to his private life . 0 +The area is served by the Alphington railway station , on the Hurstbridge railway line and the Melbourne 508 , 546 and 609 bus lines . The area is serviced by the Hurstbridge railway station , on the Alphington railway line , and the Melbourne 508 , 546 , and 609 bus routes . 0 +Small mammals , including bats , are sometimes caught , but insects are only rarely eaten . Small mammals , including bats , are sometimes eaten but insects are caught only very rarely . 0 +Deposed in 1776 by the revolutionary government of Perth Amboy , William was arrested at his home in New Jersey , at the Proprietary House and imprisoned for a time . William was deposed in 1776 by the revolutionary government of Perth Amboy , who was arrested at his home in New Jersey , in the Proprietary House , and imprisoned for a period of time . 1 +The Portishead Times is a weekly free newspaper delivered to households in Portishead and the surrounding villages of North Somerset , England . The Portishead Times is a weekly free newspaper delivered to homes in the North Somerset and surrounding villages area of Portishead , England . 0 +"Oren Peli wrote the script for the paranormal thriller film "" Insidious "" , which was staged by Wan in 2011 and produced by Whannell ." "Whannell wrote the script for and acted in the 2011 paranormal thriller film , "" Insidious "" , which was directed by Wan and produced by Oren Peli ." 0 +However , nationalist parties , together with other liberal groups said they would boycott the July elections . Other liberal parties , however , said , along with nationalist groups , that they would boycott the July elections . 0 +The Siphumelele mine is one of the largest platinum mines located in the north-western part of Rustenburg , North West in South Africa . The Siphumelele - Mine is one of the largest platinum mines in the north-western part of South Africa in Rustenburg , northwest . 0 +The album was released on Sony Japan , PIAS in Europe , Flying Nun in New Zealand , Infectious Records in the UK and Festival Records in Australia . The album was released on Sony Japan , PIAS in the UK , Flying Nun in Europe , Infectious Records in New Zealand and Festival Records in Australia . 0 +"The debate was presented by the anchors John Nery of GMA News and Jessica Soho and Mike Enriquez , editor-in-chief of "" Inquirer.net "" ." "The debate was presented by anchors John Nery of GMA News and Jessica Soho and Mike Enriquez , editor-in-chief of "" Inquirer.net "" ." 1 +Tripp ( Colin Ferguson ) tells Matt that Sarah stealed the car in which she came to Mystic Falls . Tripp ( Colin Ferguson ) tells Matt that Sarah stole the car she came to Mystic Falls in . 1 +However , mice with a non-working copy of the single TWIST gene survived . Mice with a single copy of the non-working TWIST - Gens survived , however . 0 +It is licensed and published in Taiwan by Blu on May 8 , 2007 . The manga is licensed in North America by Sharp Point Press . It is licensed and published in North America by Blu on 8 May 2007 , and is licensed by Sharp Point Press in Taiwan . 0 +The Ellerslie railway station , which serves the Southern Line and Onehunga Line of the New Zealand railway network in Auckland , has an island platform . Ellerslie railway station serves the Southern Line and Onehunga Line of the New Zealand railway network in Auckland . It has an island platform . 1 +Grevillea macleayana , commonly known as New South Wales grevillea , is a shrub of the Proteaceae family native to Jervis Bay . Grevillea macleayana , commonly known as New South Wales grevillea , is a shrub of the family Proteaceae native to Jervis Bay . 1 +Today , Galesburg-Augusta Community Schools consists of a middle school and a high school in Augusta and a primary school in Galesburg . Today Galesburg-Augusta consists of community schools from a primary school and a high school in Galesburg and a high school in Augusta . 0 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( number 252 ) and Scrivener ( number 223 ) . The manuscript was added to the list of New Testament manuscripts by Gregory ( number 252 ) and Scrivener ( number 223 ) . 1 +Sam Elliott has been married to actress Katherine Ross since 1984 . Since 1984 , Sam Elliott has been married to the actress Katherine Ross . 1 +Riggs was born in Atlanta , Georgia , the son of William Riggs ( nee Carlton ) and Gina Ann , and has a younger brother , Grayson . Riggs was born in Atlanta , Georgia , the son of William Riggs ( née Carlton ) and Gina Ann . He has a younger brother , Grayson . 1 +Perigea bahamica is a moth in the family Noctuidae . It is found on the Bahamas . The species was collected in Monroe County , Florida , in 2012 . Perigea bahamica is a moth in the Noctuidae family Es is found in the Bahamas The species was collected in Monroe County , Florida , in 2012 . 1 +"In 1927 Renault created two new models , one luxury and expensive called "" Type RA "" and a second , simpler model called "" Type PG "" ." "In 1927 , Renault created two new models , a luxury and expensive called "" Type RA "" and a second , simpler model "" Type PG "" ." 1 +Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) house . Born in 1967 in Madrid , Spain , grown up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . 0 +Ferguson stayed in Monrovia until his death in 1916 in Liberia . Ferguson remained in Liberia until his death , in Monrovia in 1916 . 0 +"The Progressive Teacher Jürgen Reichen ( Swiss Education ) established this method "" Writing to read "" 1982 ." "The Swiss teacher Jürgen Reichen ( progressive education ) founded this "" writing to read "" method 1982 ." 0 +The main international airport is Douala International Airport and a second international airport at the Yaoundé Nsimalen International Airport . The main international airport is Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . 0 +The tributary Mauses Creek joins Mahoning Creek upstream of its mouth and has a watershed area of . The tributary of the Mauses Creek joins the Mahoning Creek upstream of its mouth and has a watershed . 1 +It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It was found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +And procedural knowledge ( steps to make and what decision to do when ) . And procedural knowledge ( steps to make and which decision , when to do ) . 1 +The Wine Museum of Torgiano ( Umbria , Italy ) is a private museum , specialized and completely dedicated to the culture of wine . The Wine Museum of Torgiano ( Umbria , Italy ) is a specialized museum dedicated to the private and complete culture of the wine . 0 +Several publications of the Public Health Service have shown that veterans have increased cancer , nerve , digestive , skin and respiratory disorders . Several publications published by the Public Health Service have shown that veterans have increased rates of cancer , and nerve , digestive , skin , and respiratory disorders . 1 +Francis Davenport returned to England in 1841 , leaving Henry Giles to manage his affairs . In 1841 , Francis Davenport returned to England , leaving Henry Giles to manage his business . 1 +Cicimli ( also Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye and Dzhidzhimli Vtorye ) is a village in Azerbaijan , Lachin Rayon . Cicimli ( also , Cimcimli , Dzhidzhimli , Dzhidzhimli Pervyye , and Dzhidzhimli Vtorye ) is a village in the Azerbaijan of Lachin Rayon . 1 +"The campus - newspaper "" The Oklahoma Daily "" is produced daily during the autumn and spring semesters and weekly during the summer semester ." "The campus newspaper , "" The Oklahoma Daily "" , is produced weekly during the fall and spring semesters and daily during the summer semester ." 0 +For many years , it was managed by the British actor Jack Watling and his son Giles and his son-in-law Seymour Matthews . For many years it was run by the British actor Jack Watling , and his son Giles and son-in-law Seymour Matthews . 1 +However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 while leaving Kunda with his position of Justice Minister . Mumba Malila , however , removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position as Minister of Justice . 0 +At the 13th Telecine Awards , it got Anupam Roy the Special Jury Award for acting , and Parambrata Chatterjee , the Best Lyricist Award . At the 13th Telecine Awards , Anupam Roy received the Best Lyricist Award for Parambrata Chatterjee and the Special Jury Award for Acting . 1 +Miloslav Mečíř won against John McEnroe with 6 -- 0 , 3 -- 6 , 6 - 2 , 6 -- 2 in the finals . John McEnroe won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against Miloslav Mečíř . 0 +Parfit met Janet Radcliffe Richards in 1982 . They married in 2010 . In 1982 , Parfit Janet met Radcliffe Richards , who married in 2010 . 1 +The material was originally of interest in the 1950s , because its high melting point and high tensile strength were more desirable than the more common form of polyethylene . The material was originally interesting in the 1950s because its high melting point and tensile strength were more desirable than that of the more common form of polyethylene . 1 +The inauguration was organized jointly by the Presidential Transition Cooperation Team of incumbent President Corazon Aquino and the transition team of outgoing President Ramos . The Inauguration was organized jointly by the Presidential Transition Cooperation Team of incoming President Corazon Aquino and the Transition Team of outgoing President Ramos . 1 +It was developed along the Elk River in the hydrographic basin of the North Saskatchewan River , at the confluence of Brazeau River . It was developed along the Elk River , at the confluence with Brazeau River , in the hydrographic basin of the North Saskatchewan River . 1 +The Ferguson reflex is the vaginal reflex comprising the self-sustaining cycle of neuroendocrine contractions initiated by pressure on the cervix or the uterine walls . The Ferguson reflex is the neuroendocrine reflex comprising the self-sustaining cycle of uterine contractions initiated by pressure at the cervix or vaginal walls . 0 +"Uthai is a district ( "" Amphoe "" ) in the eastern part of Thailand , in the Ayutthaya province ." "Uthai is a district ( "" amphoe "" ) in the eastern part of Thailand , in Ayutthaya Province ." 1 +When he finished his career in Canada , he went to Poland to sign at the Toronto Falcons of the National Soccer League . When he finished off his career in Canada he went overseas to Poland to sign with the Toronto Falcons of the National Soccer League . 1 +The following books were either written by Prior or are posthumous collections of magazine articles and unpublished papers that he wrote : The following books were either written by Prior , or are posthumous collections of journal articles and unpublished papers that he wrote : 1 +Baden Powell was a student at the Naval Academy when he received an interest in scouting after reading a book by Mimi Sodré named Scouting for Boys . Baden Powell was a student at the Naval Academy when after reading a book by Mimi Sodré named Scouting for Boys , he became interested in Scouting . 1 +The SSSI covers an area of 190,3 hectares , while the SAC has 168.3 hectares . The SSSI has an area of 190.3 hectares while the SAC covers 168.3 hectares . 1 +The black suit was largely replaced by the dark blue or grey suit in the 20th century . The gray suit was largely replaced by the dark blue or black suit in the 20th century . 0 +During peak hours , the services of Kentish Town continue to Bedford . During peak hours , Bedford services continue to Kentish Town . 0 +After May 4 , 2012 , Gordon M. Snow was replaced by Michael S. Welch and then Joseph M. Demarest with limited formal announcement . After May 4 , 2012 , Gordon M. Snow was replaced with a limited formal announcement by Michael S. Welch and then Joseph M. Demarest . 1 +The Holger Danske and Albertus Pictor , painted on the ceiling of the Floda church in Sweden , were attributed to Burman around 1480 . The Holger Danske and Burman , painted on the ceiling of the Floda church in Sweden , are attributed to Albertus Pictor around 1480 . 0 +The series ends with Wonder Woman reconciling with Cassie , who tells Cassie that she has become her own woman . The series ends with Wonder Woman reconciling herself with Cassie , who tells Cassie that she has become her own wife . 1 +The bay ends at Trenton ( Quinte West ) and the Trent River , both also on the north side . The bay ends at Trenton ( Quinte West ) and the Trent River , both on the north side . 1 +Club owner Silvio Berlusconi announced his departure on May 25 , 2016 , along with those of Phillippe Mexes , Kevin - Prince Boateng and Mario Balotelli . Club owner Silvio Berlusconi announced his departure on May 25 , 2016 , along with those of Mario Balotelli , Kevin - Prince Boateng and Phillippe Mexes . 1 +Despite the attentions of Augustine father Vicente de Requejada , Ehinger died on May 31 , 1533 , and was buried under a tree . Despite the attention of the father of Augustine Vicente de Requejada , Ehinger died on 31 May 1533 and was buried under a tree . 1 +The Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in San Luis , 13 in Córdoba and 15 in Mendoza . Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in Córdoba , 13 in San Luis and 15 in Mendoza . 0 +The route was repaired after heavy rainfall in 2005 , but the road was not reopened due to objections from officials of the Angeles National Forest . The route was reopened in 2005 following heavy rainfall , but the road was not repaired , due to objections from Angeles National Forest officials . 0 +The region then followed the Muslim house of Arakkal , which was ruled by Tipu Sultan . The region was then followed by the Muslim house of Arakkal , ruled by Tipu Sultan . 1 +""" Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." """ Love Hurts "" is the first episode of the twentieth season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." 1 +In the early 1860s , shortly after Edgar 's birth , Young Smith died young . Smith died young in the early 1860s , shortly after Edgar 's birth . 1 +This French-supported production was directed by Jean Louis Martinoty with John Eliot Gardiner , conductor and his orchestra . This French-supported production was directed by John Eliot Gardiner with Jean Louis Martinoty , conductor and his orchestra . 0 +""" Pogonodon "" was recognized in 1880 , by Edward Drinker Cope . Two species are described , "" P. davisi "" and "" P. platycopis "" ." """ Pogonodon "" was described by Edward Drinker Cope in 1880 , and two species are known : "" P. davisi "" and "" P. platycopis "" ." 0 +From 1973 to 2015 , Marian Schreier was Mayor of Tengen , his successor is Helmut Groß . From 1973 to 2015 Helmut Groß was the mayor of Tengen . His successor is Marian Schreier . 0 +An implementation that calculates the probability density function of the Wakeby distribution is included as scientific WAKPDF in the routine data library Dataplot . An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot scientific computation library , as routine WAKPDF . 0 +Together with his team colleague Haris Hajradinović from the Croatian club NK Inter Zaprešić he came to AS Trenčín in summer 2013 . He came to AS Trenčín in summer 2013 together with his teammate Haris Hajradinović from Croatian club NK Inter Zaprešić . 1 +Once upon a time there was a Nottingham railway station on the line between Market Harborough and Hallaton . There was once a Hallaton railway station on the line between Market Harborough and Nottingham . 0 +Mount Dana , elevation , was climbed the next day by the group before Muir had to return home to Martinez . Mount Dana , Elevation , was climbed by the group the following day before Martinez had to return to Muir . 0 +Her mother is Austrian while her father is Kenyan . Her mother is a Kenyan woman , while her father is Austrian . 0 +He moved to Quebec in 1685 and lived for some time in New - France . He moved to New France around 1685 and lived in Quebec for some time . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential real estate and also a number of commercial and industrial areas . Branksome is a suburb of Poole in Dorset , England . The area is composed of commercial and industrial properties and also a number of residential areas . 0 +On September 29 , 1849 , Queen Victoria of Gloucester traveled by train to Swindon . On 29 September 1849 , Queen Victoria traveled from Swindon to Gloucester by train , 0 +This provided engine lube oil , seawater coolant and also pumped a bilge pump for the lifeboat . This provided engine lubricating oil , seawater coolant and also pumped a bilge pump for the lifeboat . 1 +In 1989 he travelled on a peace-seeking mission to South Africa , Johannesburg and Angola , Mozambique . In 1989 , he traveled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . 1 +The final concert was held on December 5 , 1996 at Bristol Hippodrome with Slade II and Connolly 's Glitter Band Experience . John Rossall 's final concert was at the Bristol Hippodrome on 5 December , 1996 , with Slade II and Connolly 's Glitter Band Experience . 1 +In 1988 , the Paramount Pictures stores changed its name to Suncoast Motion Picture Company . In 1988 , the Paramount Pictures changed its name to Suncoast Motion Picture Company . 1 +Brian Packham also appeared as Peter in Coronation Street . Brian Packham has also appeared in Coronation Street as Peter . 1 +It was first established as a knapweed biocontrol in the 1980s in Oregon , and it is currently released in the Pacific Northwest . It was first established as Knopweed Biocontrol in Oregon in the 1980s , and is currently released in the Pacific Northwest . 1 +"( 2 ) Rochester Royals vs. ( 3 ) Lakers : "" Minneapolis Lakers win series 2-1 """ "( 2 ) Rochester Royals vs ( 3 ) Lakers : "" Minneapolis Lakers win 2-1 Series" 1 +Johnny Triumph often collaborates with the singer Björk and has performed with The Sugarcubes as Sjón . Sjón frequently collaborates with the singer Björk and has performed with The Sugarcubes as Johnny Triumph . 0 +He was the son of Richard Wingfield and grandson of Thomas Maria Wingfield . He was the son of Thomas Maria Wingfield , and the grandson of Richard Wingfield . 0 +""" Pokarekare Ana "" was used in the popular culture as the title song for the 2005 South Korean film "" Crying Fist "" ." "In popular culture , "" Pokarekare Ana "" was used as the theme song for the 2005 South Korean film "" Crying Fist "" ." 1 +The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharges . The role of corpus callosum in the epilepsy is the epileptiform transmission of interhemispheric discharges . 1 +This feat was also accomplished by future Heavyweight Champions Muhammad Ali and Leon Spinks known better as Cassius Clay . This performance was also better known as Cassius Clay by future Heavyweight Champions Muhammad Ali and Leon Spinks . 1 +After four years it moved to the house of Jacopo Sandri , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . After four years it moved to the house of Conte Luigi Ferdinando Marsigli , who had more space , and moved again to the Palazzo of Jacopo Sandri in 1705 . 0 +On the second day , Jen sees a girl who looks very similar to her lost sister Jess . On the second day Jess sees a girl who sees her lost sister Jen very similar . 0 +The Nadeş River is a tributary of the River Ciortosu in Romania . The Ciortosu River is a tributary of the River Nadeş , Romania . 0 +Joe Newman was the co-founder of the current American Basketball Association with Richard P. Tinkham . In collaboration with Joe Newman , Richard P. Tinkham was co-founder of the current American Basketball Association . 0 +"A local reporter in 1910 described the scene for the people of Kyūshū in a Japanese newspaper , the "" Fukuoka Nichinichi "" ." "A local reporter described in 1910 in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." 1 +The best type of silk produced in Astarawas is exported to Venice , Bursa , Kashan and Damascus . The best silk produced in Astarawas is exported to Venice , Bursa , Kashan and Damascus . 1 +A Public Elementary School was built in the hamlet of Stain in 1850 and enlarged in 1858 to hold 100 children . The Wesleyans built a school in 1875 . A public elementary school was built in 1850 in the hamlet of Stain and expanded by 100 children in 1858 , the Wesleyans built a school in 1875 . 1 +The TV shows in Praia are made in Cape Verde by TCV and Record Cabo Verde . Television shows in Praia are made by TCV and Record Cabo Verde in Cape Verde . 1 +This duty he discharged with great ability and considerable individuality of treatment . He performed this duty with great ability and considerable individuality of treatment . 1 +Johnson has worked in laboratories in Sydney , Townsville Queensland , Melbourne , and Boston USA in molecular genetic animal research . Johnson has worked in animal molecular genetics in laboratories in Sydney , Townsville Queensland , Melbourne and Boston USA . 1 +Redmond , Oregon ( Roberts Field ) is a domestic airport in Deschutes County , Oregon . It is owned and operated by the city of Redmond Municipal Airport . Redmond , Oregon ( Roberts Field ) is a domestic airport in Jeshutes County , Oregon , owned and operated by the City of Redmond Municipal Airport . 0 +A new directive was approved by the European Parliament in July 2008 and was adopted by the Council in October 2008 . In July 2008 , the Council adopted a new directive , which was approved by the European Parliament in October 2008 . 0 +The Indian reserves of the first peoples of Okanagan also form identifiable communities : The Indian reserves of the Okanagan first peoples also form identifiable communities : 1 +The second involves art and money and the third relates to the working conditions of artists and other cultural producers . The third includes art and money and the second relates to the working conditions of artists and other cultural producers . 0 +The Western Terminus of the historic transcontinental Lincoln Highway , the first road across America , is in San Francisco 's Lincoln Park . The Western Terminus of the historic transcontinental Lincoln Highway , the first road across America , is located in the Lincoln Park of San Francisco . 1 +Ammonia-based processes do not allow recovery of the pulp - chemicals because ammonia or ammonium salts are oxidized when burned to nitrogen and nitrogen oxides . Ammonia-oxidized processes do not allow recovery of the pulping chemicals since ammonia or ammonium salts are based to nitrogen and nitrogen oxides when burned . 0 +The 1913 New Zealand rugby league tour of Australia was a tour by the New Zealand national rugby league team . The 1913 New Zealand Rugby League Tour was a tour of the New Zealand rugby national team . 0 +Like many aspects of Byzantine ivory , this reflects the Islamic traditions that Islam has inherited . Like many aspects of Islamic ivory , this reflects the Byzantine traditions that inherited Islam . 0 +In Celtic polytheism , Latis is the name of two ancient Celtic deities worshipped in Roman Britain . In Celtic polytheism , Latis is the name of two ancient Celtic deities buried in Roman Britain . 0 +Its holding company , Guinness World Records Ltd , was owned by Guinness plc , subsequently Diageo , until 2001 . Its holding company , Guinness World Records Ltd , was owned by Diageo until 2001 , later Guinness plc . 0 +Turbonilla garthi is a species of sea snail , a marine gastropod mollusk in the family Pyramidellidae , the pyrams and their allies . It has the genus Turbonilla . Turbonilla garthi has a species of sea snail , a marine gastropod mollusk in the Pyramidellidae family , the Pyrams and their allies It is the class Turbonilla . 0 +In 2012 , he went to Canada to play with London City in the Canadian Soccer League , where he returned to Serbia to play with Srem Jakovo and Jedinstvo Surčin . He returned to Canada in 2012 to play with London City in the Canadian Soccer League , where he went to Serbia to play with Srem Jakovo and Jedinstvo Surčin . 0 +Its capital was at Nuuk ( modern Godthaab ) . Its capital was Godthaab ( modern Nuuk ) . 0 +In 1882 , he was named in the Quebec Superior Court for Gaspé district , later in Joliette , Kamouraska , and Montmagny Districts . In 1882 , he was named to the Quebec Superior Court for Joliette district , later serving in Montmagny , Kamouraska and Gaspé districts . 0 +After the separation of their previous volume , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . After the breakup of their previous band , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . 1 +Samuel Munson ( missionary ) and Stephen Johnson went to Bangkok and Sumatra . Stephen Johnson ( missionary ) and Samuel Munson drove to Bangkok and Sumatra . 0 +It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , and Turkey , Azerbaijan and Iran . It has been found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +A film director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated documentary film . The director Amir Yatsiv and the film critic Larysa Malyukova discussed the rare genre of the animated documentary film . 0 +There is a standard technology ( see for example ) for calculating the change of variables to formal coordinates , at a point as a normal Taylor series expansion . There is a standard technique ( see for example ) for computing the change of variables to formal coordinates , at a point as a normal Taylor series expansion . 1 +The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which operates WEDY directly . The network previously operated a translator in Waterbury , W12BH ( channel 12 ) , which directly repeated WEDY . 0 +This theory does not explain the observed instability of colloidal dispersions against irreversible aggregation in solutions of high ionic strength . This theory did not explain the observed instability of colloidal dispersions against irreversible aggregation in solutions of high ionic strength . 1 +The group was founded in Los Angeles , and later relocated to Las Vegas . The group was founded in Las Vegas and then relocated to Los Angeles . 0 +Critics , however , claimed that Pershing was commanded by far behind the lines and critical of commanders who personally led troops to battle . Critics , however , claimed that Pershing commanded from far behind the lines and was critical of commanders who personally led troops into battle . 1 +"On November 10 , 2007 , he made a second FCW appearance as "" Moose Madison "" losing to "" The Natural "" Nick Nemeth with manager Big Rob ." "On November 10 , 2007 he made a second FCW appearance as "" Moose Madison "" against "" The Natural "" Nick Nemeth with manager Big Rob to lose ." 1 +In the future , it is planned to extend this rail line to the city of Juazeiro , south of Barbalha do Norte . In the future it is planned to extend this railway line into the city of Barbalha south of Juazeiro do Norte . 0 +This manages filter processing , creates the filter chain with the appropriate filters in the correct order and initiates processing . This creates filter processing and manages the filter chain with the appropriate filters , in the correct order , and initiates processing . 0 +The team was a sister organization of the USL Premier Development League team of men who plays in the Los Angeles legends . The team was a sister organization of the men 's USL Premier Development League team , which plays in the Los Angeles Legends . 1 +Enter through southern gate , turn left and worship Ganapathy , Shiva and Ayyappan on the eastern side . Enter through the south gate , turn left and worship on the eastern side Ganapathy , Shiva and Ayyappan . 1 +Scientists believe that amber was deposited in a flat part of a prehistoric basin in a delta of a marine river during the Upper Eocene and the Lower Oligocene . Scientists believe that amber was deposited during the Upper Eocene and Lower Oligocene in a delta of a marine river , in a shallow part of a prehistoric basin . 1 +Among the tenants are the 21st Governor - General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth - Parliament of Australia . The 21st Governor - General of Australia , Bill Hayden , Senator Ron Boswell and the Commonwealth - Parliament of Australia are among the tenants . 0 +On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . On July 31 , Molina was traded with B.J . Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera to the Braves . 0 +Kumutrampatti is a small village close to Madurai District ( Kottampatti Gateway ) in Tamil Nadu . Kumutrampatti is a small village near Kottampatti ( gateway to the Madurai District ) in Tamil Nadu . 0 +"Protein FAM40A is a protein that is located on chromosome 1 in humans and is encoded by the "" FAM40A "" gene ." "FAM40A is a protein that is encoded in humans on chromosome 1 and is localized by the "" FAM40A "" gene ." 0 +Wing commander PS Nara was killed in the misfortune , while wing commander SV Munje was injured . Wing commander PS Nara was injured in misadventure , while wing commander SV Munje was killed . 0 +In 1977 the new SPD Mayor of Berlin , Dietrich Stobbe , invited Dieter Sauberzweig be become a senator for culture in his cabinet . In 1977 , the new Berlin SPD - Mayor Dietrich Stobbe Dieter Sauberzweig invited his cabinet to become a senator for culture . 0 +Marian Schreier was the mayor of Tengen from 1973 to 2015 , and his successor was Helmut Groß . From 1973 to 2015 , Marian Schreier was the mayor of Tengen . His successor is Helmut Groß . 1 +A virtual instrument is a kind of synthetic instrument that is defined purely by software side . A synthetic instrument is a kind of virtual instrument that is defined purely by software . 0 +The static component is the entire soil resistance minus the dynamic component . The dynamic component is the total soil resistance minus the static component . 0 +In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as Best Actress , Ghosh shared the National Film Award as Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder shared the National Film Award for the film as Best Actress , Ghosh won the National Film Award as Best Screenplay . 0 +The PLEO delegates typically consist of members of the Democratic National Committee , democratic members of Congress , democratic governors , and former party leaders . The PLEO delegates usually consist of members of the Democratic Party , democratic members of Congress , democratic governors and former leaders of the Democratic National Committee . 0 +She was in Cairo in November 2012 , and in October she was in Tokyo to write at the film festivals , interact with programmers and visit studios . In November 2012 she was in Cairo , and in October she was in Tokyo , to write on the film festivals , interact with programmers and visit studios . 1 +Herochroma perspicillata is a species of moth of the family Geometridae . It is found in China ( Yunnan ) . Herochroma perspicillata is a kind of moth of the family Geometridae It is found in China ( Yunnan ) . 1 +Sometimes it is also convenient to pursue the purely covariant version by : It is sometimes convenient to also define the purely covariant version by 1 +The company is one of the oldest German companies still in activity , founded by Brazilian brothers Bruno and Hermann Hering , in 1880 . The company is one of the oldest still active German companies , founded in 1880 by the Brazilian brothers Bruno and Hermann Hering . 1 +Dissident or English separatists were Protestant Christians who separated from the English Church in the 16th , 17th and 18th centuries . English Dissenters or English Separatists were Protestant Christians who separated from the Church of England in the 16th , 17th and 18th centuries . 1 +On 7 October 2009 , David Caplan was appointed Minister of Health and Long-term Care to replace Matthews . On October 7 , 2009 , Matthews was named Minister of Health and Long-Term Care to replace David Caplan . 0 +Antony died on 6 November 1620 and was buried on November 7 in the church of Carew . Carew died on 6 November 1620 and was buried in Antony church on 7 November . 0 +During the five days of the journey he brought with him some books about Elba , which he studied from Fontainebleau . During the five days of the journey he studied some books about Elba , which he brought with him from Fontainebleau . 0 +On 16 December 2015 , a meeting between the leaders of the two rival Maltese Governments was held at the Auberge de Castille in Valletta , Libya . A meeting between the leaders of the two rival governments of Malta was held at Auberge de Castille in Valletta , Libya on 16 December 2015 . 1 +It reacts weakly alkaline and gives with iron ( III ) chloride a deep red color . It reacts weakly alkaline and gives a deep red colour with iron ( III ) chloride . 1 +The mountain was named by Charles Gould in 1863 after geologist Charles Lyell , a supporter of Charles Darwin . The mountain was named in 1863 by Charles Gould after the geologist Charles Lyell , a follower of Charles Darwin . 1 +Mount Cobb is a mountain at Mount Filberg , east of Gold River and southwest of Vancouver Island , British Columbia , Canada . Mount Cobb is a mountain on Vancouver Island , British Columbia , Canada , located east of Gold River and southwest from Mount Filberg . 0 +He remains a somewhat mysterious figure : it has been questioned whether he could be identical with Monulph , but the two saints are usually distinguished from one another . He remains a somewhat enigmatic figure . It has been questioned whether he could be identical with Monulph , but the two saints are usually distinguished . 1 +"She was also in an article with her son , Robert Kennedy , for Maxwell Minard ’ s motivational magazine "" Off the Couch "" ." "She was also featured in an article with her son , Maxwell Minard , for Robert Kennedy 's motivational magazine "" Off the Couch "" ." 0 +Scott and Short then traveled overland to the Kentucky River to investigate the land that they would claim later . Scott and Short then traveled overland to the Kentucky River to examine the land they would later claim . 1 +Eupithecia demissa is a moth in the family Geometridae . It is found in Malleco Province ( Chile ) . Eupithecia demissa is a moth in the family Geometridae is found in Malleco - province ( Chile ) . 1 +Port Orford is located on the U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . Siskiyou National Forest is located on U.S. Route 101 between the Pacific Ocean and the Gold Beach , north of Port Orford and south of Bandon . 0 +The feature is named after the ancient Pautalia , ancestor of the present city of Kyustendil in western Bulgaria . The feature is named after the present Pautalia , ancestor of the ancient town of Kyustendil in Western Bulgaria . 0 +In 2009 , Hopsin founded his independent record label Funk Volume with Damien Ritter . In 2009 , Hopsin founded his own independent record label , Funk Volume , with Damien Ritter . 1 +Jones lives in London with his wife , Cheryl , his son , Nathan , and his three daughters , Holly , Coral and Ella . Jones lives with his wife Cheryl , his son Nathan , and his three daughters , Ella , Coral , and Holly in London . 1 +From 1969 onwards the family lived in rented houses in Los Angeles , close to California recording studios . From 1969 , the family lived in rented houses in Los Angeles , close to California recording studios . 1 +Chicago Public School is a DeWitt Clinton School on the northern side of Chicago , Illinois . DeWitt Clinton School is a Chicago Public School located on the north side of Chicago , Illinois . 0 +It is believed that Dan met Anna Wilson in New Orleans , eventually persuading her to come to Omaha with him . It is believed that Dan Anna Wilson met in New Orleans to eventually convince her to come with him to Omaha . 0 +From 1999 to 2002 she attended the Scott Middle School and from 2002 to 2005 the Lincoln Southwest High School . From 1999 to 2002 she attended the Lincoln Southwest High School and from 2002 to 2005 she visited Scott Middle School . 0 +In 1968 , however , Humphrey supported McKeithen at the Democratic National Convention in Chicago . McKeithen , however , had supported Humphrey at the 1968 Democratic National Convention in Chicago . 0 +""" Plasmodium billbrayi "" infects common chimpanzees ( "" Pan troglodytes "" ) and Eastern chimpanzees ( "" Pan troglodytes schweinfurthii "" ) ." "Plasmodium billbrayi infects eastern chimpanzees ( "" pan troglodytes "" ) and chimpanzees ( "" Pan troglodytes schweinfurthii "" ) ." 0 +After four years it moved to Jacopo Sandri 's house , which had more space , and in 1705 moved again to the palazzo of Conte Luigi Ferdinando Marsigli . After four years , it moved to Jacopo Sandris House , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . 1 +Griggs received his award from McCartney at a dinner in London . McCartney got his award from Griggs at a dinner in London . 0 +It had a protected pedestrian bridge between the two wooden platforms and was electrified on July 26 , 1905 . It had a sheltered pedestrian bridge between the two wooden platforms , and was electrified on July 26 , 1905 . 1 +The Lutoasa River is a tributary of the River Lemnia in Romania . The river Lemnia is a tributary of the Lutoasa River in Romania . 0 +The game was launched on May 16 , when the Steam Greenlight campaign was announced . The game was announced on 16 May when Steam Greenlight campaign was launched . 0 +Two bridges cross the river to Pental Island , to the west on Fish Point Road and to the east at Swan Hill at the Fish Point . Two bridges cross the river to Pental Island ; at Fish Point Road in the west , and on Swan Hill at Fish Point in the east . 1 +Strathairn attended the Redwood High School in Larkspur , California , and graduated in 1970 from Williams College , Williamstown , Massachusetts . Strathairn visited Williams College in Williamstown , Massachusetts , and graduated in 1970 from the Redwood High School in Larkspur , California . 0 +The Full-Time MBA is ranked # 1 in Europe and # 18 in Central Europe by QS Global 200 Business School Report 2012 . The full-time MBA is ranked number 1 in the QS Global 200 Business School Report 2012 in Central Europe , and in Europe 18 . 0 +The 309th Airlift Squadron is part of the 86th Airlift Wing at Chièvres Air Base , Belgium . The 309th Airlift Squadron is part of the 86th Airlift Wing on the Air Base Chièvres , Belgium . 1 +This was solved with the Ostrów agreement -- Vytautas became Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . This was resolved with the Ostrów Agreement -- Jogaila became the Grand Duke of Lithuania while Vytautas retained rights of an overlord . 0 +The series was written by Jim Starlin and drawn by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . The series is written by Jim Starlin and Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 0 +If the right compositions are performed first ( operations are read from outer to left ) . When the outer compositions are performed first ( operations are read from right to left ) . 0 +Neighboring municipalities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . Neighboring municipalities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . 0 +The last possession of the Genoese in the Mediterranean , the island fortress Tabarka , was lost in Tunis in 1742 . In 1742 , the last possession of the Genoese in the Mediterranean , the island fortress of Tunis , was lost to Tabarka . 0 +"The same named district ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." "The administrative district of the same name ( "" správní obvod "" ) consists of municipalities Prague 17 and Zličín ." 0 +The Central Inter State bus station is located away at Thampanoor , opposite Trivandrum Central Railway Station . The Central Inter State bus station is located opposite Thampanoor at Trivandrum Station . 0 +In 2012 , the airline carried 57,500 passengers per month to 15 international destinations and 90,000 passengers on domestic flights ( around 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 domestic flights and 90,000 passengers on international routes ( about 1.77 million passengers per year ) . 0 +"Pruitt Taylor Vince was played by actor Bowers in the 1991 film "" JFK "" ." "Bowers was played by Pruitt Taylor Vince in the 1991 film "" JFK "" ." 0 +The Council votes in one of three ways ; unanimity , simple majority , or qualified majority . The Council votes in three ways : unanimity , qualified majority or simple majority . 1 +The national organization was organized in March 1979 under Draft Bylaws . PAS was officially founded in March 1980 in Kansas City , Missouri . The national organisation was organized under Draft Bylaws in March 1979 and was officially founded in March 1980 in Kansas City , Missouri . 1 +The eldest son of Colonel Henry Lyell and Katharine Murray Lyell , he was a nephew of Sir Charles Lyell , 1st Baronet , the geologist . Colonel Charles Lyell 's eldest son was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . 0 +The sheep is sacrificed and the meat is given to relatives and neighbours and distributed to the poor . The sheep are sacrificed and meat is distributed to relatives and neighbours and distributed to the poor . 1 +Since 2002 , Scotland A has participated in the competition of the Amateur Four Nations and visited Italy , the Netherlands and Serbia . Since 2002 , Scotland A has participated in the Amateur Four Nations competition and toured Italy , the Netherlands , and Serbia . 1 +""" Rockingham "" reached Whampoa on May 23 and arrived in Bombay on September 21 ." """ Rockingham "" reached Bombay on 23 May and arrived on 21 September in Whampoa ." 0 +Syrian Haitians are Haitians of Syrian descent , or a Syrian with Haitian citizenship . A small Syrian community exists in Haiti . Syrian Haitians are Haitian of Syrian descent or a Syrian with Haitian citizenship . A small Syrian community exists in Haiti . 1 +The music for the film is composed by Bijibal and by Nadirsha as a background score . The music for the film is composed by Nadirsha , and background music by Bijibal . 0 +Harvey had been the last person to speak to Oates . Oates had been the last to speak to Harvey . 0 +Lina was born on 21 September 1830 into the Dutch aristocracy of New York City , descendants of the city 's original settlers . Lina was born on 21 September 1830 into the original aristocracy of New York City , descendants of the city 's Dutch settlers . 0 +In 1963 , the American Chiropractic Association reorganized into the National Chiropractic Association ( ACA ) . In 1963 , the National Chiropractic Association reorganized the American Chiropractic Association ( ACA ) . 0 +Janzur is known as the birthplace of Omar Mukhtar , the Libyan resistance guide during the Italian rule . Janzur is known as the birthplace of Omar Mukhtar , the Italian leader of the resistance during Libyan rule . 0 +It was , however , a spiritual and not a legal ceremony . However , it was a legal , and not a spiritual ceremony . 0 +Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Daniel Dussault and illustrated by Andrew E. C. Gaska . Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . 1 +Starting in 1903 , copper was mined by the Nevada Consolidated Copper Company and by the Giroux Consolidated Mining Company in 1904 . In 1903 , copper was dismantled by the Giroux Consolidated Mining Company and by the Nevada Consolidated Copper Company in 1904 . 0 +The Model United Nations club participates in intellectual discussions and academic forums throughout the Boston area , and has won several chapter awards The Association The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter awards . 1 +3M agreed to change the name in Acquire and Sackson suggested . 3M agreed the name change to Acquire , and Sackson suggested . 1 +Several of the filmmakers are seen but not heard in the film . Some of the filmmakers are seen , but not heard in the film . 1 +On February 28 , 2018 , Interoute announced the acquisition of GTT Communications for US $ 2.3 billion . On February 28 , 2018 Interoute announced the acquisition of GTT Communications for $ 2.3 Billion . 1 +Iguana Lovers ' sound was defined by the sound-experimentation , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . The sound of Iguana Lovers has been defined by sound experimentation , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . 1 +Bit 4 is affected if the K register is affected . Bit 5 is set if the J register is set . Bit 4 is affected if the K register is affected , bit 5 will be set if the J register is set . 1 +Meridian Charter Township is a charter township of Ingham County in the U.S. state of Michigan . Ingham County is a charter township of the Meridian Charter Township in the US state of Michigan . 0 +Bignell gave his first-class debut for Warwickshire against Hampshire in the 1904 County Championship . Bignell made his first-class debut for Warwickshire against Hampshire in the 1904 County Championship . 1 +Rapper Eminem mentions Dr. Dre in his song Guilty Conscience , in which Dee Barnes is featured . Rapper Eminem mentions Dee Barnes in his song Guilty Conscience , in which Dr. Dre is heard . 0 +The Haldimand district was lifted in 1952 when it was merged into Brant Electoral Riding . The Haldimand district was abolished in 1952 , when it was merged into Brant electoral riding . 0 +In 1986 , Timothy Torlot married Bridie Morton . Bridie Morton married in 1986 Timothy Torlot . 1 +One of them , Shane Ross , said that Fianna Fáil - leader Micheál Martin had contacted her the previous day and that she would meet the following week . One of them , Micheál Martin , said that Fianna Fáil - leader Shane Ross had contacted her the previous day and that she would meet the following week . 0 +Pitts Theatre , also known as the State Theatre after 1970 , is a historic movie theater located at Culpeper , Culpeper County , Virginia . State Theatre , also known as the Pitts - Theater after 1970 , is a historic cinema located at Culpeper , Culpeper County , Virginia . 0 +He also continued in this position when Winston Churchill came to power in 1940 , and was then Churchill 's general postmaster between 1943 and 1945 . He continued in this post when Winston Churchill came to power in 1940 and was also Churchill 's general postmaster between 1943 and 1945 . 0 +Due to the quantum nature of quantum mechanics , the training process of the non-commutative Boltzmann machine can become non-trivial . Due to the non-commutative nature of quantum mechanics , the training process of the quantum machine - Boltzmann - machine can become non-trivial . 0 +Pepsi Next was first launched in March 2013 in France , in March 2014 in Finland and Canada . Pepsi Next was first implemented in March 2013 in Finland and Canada , in March 2014 in France . 0 +""" Streptospondylus "" was also resolved to get more excluded Megalosauridae and Afrovenatorinae ." """ Streptospondylus "" was also decided to get more Megalosauridae and Afrovenatorinae excluded ." 1 +Stimson Bullitt served as president until Payne took over in 1972 , and Steven A. Clifford was named president of King Broadcasting in 1987 . Stimson Bullitt served as president until Payne took over in 1972 , and Steven A. Clifford was appointed President of King Broadcasting in 1987 . 1 +Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed for its capital for the whole country and the province . Under Portuguese rule this province was renamed Moçambique , but with its independence the name Mozambique was named for its capital for the whole country and the province . 0 +The feature is named after the ancient Pautalia , ancestor of the present town of Kyustendil in Western Bulgaria . The feature is named after the ancient Pautalia , ancestor of the present city of Kyustendil in western Bulgaria . 1 +The first trustees were Robert Hall ( Chairman ) , David Limond Murdoch , Mielziner Arthur Myers , and Alfred Seymour Bankart . The first trustees were Robert Hall ( chairman ) , David Limond Murdoch , Arthur Mielziner Myers and Alfred Seymour Bankart . 1 +"In response to a question from Anthony Metcalf , Whitmer attempted to clarify the "" spiritual "" versus "" natural "" viewing the plates :" "In response to a question by Anthony Metcalf , Whitmer attempted to clarify the "" natural "" versus "" spiritual "" viewing of the plates :" 1 +Effingham County is located in the northwestern Beecher City ( 39.187030 , -88.785737 ) . Beecher City is located in northwestern Effingham County at ( 39.187030 , -88.785737 ) . 0 +"An article by Richard Prum in the "" Houston Chronicle "" published 18 December 2005 presented Dina Cappiello 's position as follows :" "In an article by Richard Prum in the "" Houston Chronicle "" of December 18 , 2005 , Dina Cappiello 's position was presented as follows :" 1 +He graduated from Harvard University in 1891 , and then received a master 's degree from MIT in 1893 . He graduated from Harvard University in 1891 and received a Master 's degree in 1893 from MIT . 1 +He uses three keyboards , which he plays with a stick attached to the neck of his guitar . He plays three keyboards , which he uses with a stick attached to his guitar neck . 0 +"In philosophy , a shaver is a principle or rule of thumb that allows to eliminate unlikely explanations for a phenomenon ( "" shave "" ) ." "In philosophy , a razor is a principle or rule of thumb that allows one to shave ( "" eliminate off "" ) unlikely explanations for a phenomenon ." 1 +It was described in 1874 by Alpheus Spring Packard and found in North America . It was described by Alpheus Spring Packard in 1874 and is found in North America . 1 +"She lived aboard the "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." "She aboard the "" Augusta Jessie "" and she and Andrew lived in Hobart Town and Launceston ." 0 +Before going to Lebanon , her family was originally from Acre , Palestine . Before journeying to Lebanon , her family was originally from Acre , Palestine . 1 +She is expressed in the Japanese anime by Tara Platt and in the English dub by Kanako Hatori . She is expressed in the Japanese anime by Kanako Hatori and in the English Dub by Tara Platt . 0 +KOTC 36 : Albuquerque was an event held on May 15 , 2004 at Sky City Casino in Albuquerque , New Mexico , USA . KOTC 36 : Albuquerque was an event held on May 15 , 2004 at the Sky City Casino in Albuquerque , New Mexico , United States . 1 +Booth married Mary Macaulay in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Beatrice Webb . Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - socialist and author Mary Macaulay . 0 +He was a Member of the Parliament of England for Guildford in 1614 and for Newtown , Isle of Wight in 1614 . He was a Member ( MP ) of the Parliament of England for Guildford in 1614 and for Newtown , Isle of Wight in 1614 . 1 +Chittoor district , is a district in Rayalaseema region of the Indian state of Andhra Pradesh . Chittoor District , is a district of Andhra Pradesh region of the Indian state of Rayalaseema . 0 +"In 1987 , Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" ." "Paul Conn wrote his autobiography in 1987 with Jack : "" Eckerd : Finding the Right Prescription "" ." 1 +The Hebrew Union College -Jewish Institute of Religion also manages the Skirball Cultural Center in Jerusalem and the Skirball Museum in Los Angeles . The Hebrew Union College-Jewish Institute of Religion also manages the Skirball Cultural Center in Jerusalem and Skirball Museum in Los Angeles . 1 +The first main span was positioned in 1857 and the completed bridge was opened by Prince Albert on 2 May 1859 . The first field was completed in 1857 and the positioned bridge was opened on 2 May 1859 by Prince Albert . 0 +""" Opson "" is therefore equivalent to Banchan in Japanese cuisine and Okazu in Korean cuisine ." """ Opson "" is therefore equivalent to Banchan in Japanese and Okazu in Korean cuisine ." 1 +He spent his exile in Italy and , in France , preached Gareccio , where he preached . He spent his exile in France and preached Gareccio in Italy where he preached . 0 +Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , he was Sheriff of London in 1559 . Sir Martin ( or Roger Martyn ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . 1 +Summit Township is a township in Beltrami County , Minnesota , United States . Summit Township is a commune in Beltrami County , Minnesota , United States . 1 +Polali is a village in Dakshina Kannada Taluk , in the south - Canara ( Bantwal ) district of the state of Karnataka in India . Polali is a village in Bantwal taluk , in the Dakshina Kannada ( South Canara ) district of Karnataka state in India . 0 +Dielectric elastomers ( DEs ) are large material systems that produce smart strains . Dielectric elastomers ( DEs ) are intelligent material systems that produce large strains . 0 +Anderson Township withdrew from Newtown in the 1960s by forming a paper township . In the 1960s , Newtown withdrew from Anderson Township by forming a paper city . 0 +It is famous from the United States ( from Massachusetts and southern Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . It is known from the United States ( from Arizona , Michigan , New Mexico and southern Wyoming south to south Massachusetts and southern Florida ) and Canada . 0 +Andre Agassi defeated Andrei Medvedev , 1 -- 6 , 2 -- 6 , 6 -- 4 , 6 -- 3 , 6 -- 4 Andre Andre Agassi defeated Andrei Medvedev , 1 -- 6 , 2 -- 6 , 6 -- 4 , 6 -- 3 , 6 -- 4 . 1 +In 1998 , parliamentary elections were held in India after the government called in 1996 collapsed and the 12th Lok Sabha was elected . In 1998 , parliamentary elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was called . 0 +Approaches are , in principle , necessary individually and jointly . approaches are in principle individually necessary and jointly 1 +908th Airlift Squadron is part of the 357th Airlift Wing on the Maxwell Air Force Base , Alabama . The 908th Airlift Squadron is part of the 357th Airlift Wing at Maxwell Air Force Base , Alabama . 1 +It was organised from militia companies from Brattleboro , Burlington , Castleton , Fletcher , Ludlow , Montpelier , Tunbridge , Vergennes and Waterbury . It was organized from militia companies from Montpelier , Burlington , Castleton , Fletcher , Ludlow , Brattleboro , Tunbridge , Vergennes and Waterbury . 1 +The princess was received with great fanfare on 24 September 1573 in Bassein ( Pathein ) . The princess was received with great fanfare on 24 September 1573 in Pathein ( Bassein ) . 1 +Ovid Township is located in the eastern Clinton County , bordered to the east by Shiawassee County . Ovid Township is located in eastern Clinton County , bordered by Shiawassee County to the east . 1 +The interrogative pronouns , as reported by Kroeker , are shown below : The interrogative pronouns reported by Kroeker are shown below : 1 +Only one percent of natural diamonds are of this type , and most are blue to grey . Only one percent of the blue diamonds are of this type , and most are grey to natural . 0 +Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Washington Nationals of the Union Association . Edward J. McKenna was a professional baseball player who played for the Washington National Association of Union in 1884 in 32 games . 1 +The Cooke and Wheatstone telegraph was an early electrical telegraph system , dating from the 1830s , invented by English inventor Charles Wheatstone and English scientist William Fothergill Cooke . The Cooke and Wheatstone Telegraph was an early electric telegraph system dating from the 1830s , invented by English inventor William Fothergill Cooke and English scientist Charles Wheatstone . 0 +She died in Fort Worth and is buried in Abilene at the municipal cemetery of Abilene . She died in Abilene and buried in Fort Worth , in the Abilene Municipal Cemetery . 0 +Sir Herbert was re-elected at the new seat in Croydon East and returned in 1951 . Sir Herbert was returned in the new Croydon East seat and was re-elected in 1951 . 0 +KOTC 36 : Albuquerque , New Mexico , United States an event was held on May 15 , 2004 at the Sky City Casino in Albuquerque . KOTC 36 : Albuquerque was an event at the Sky City Casino in Albuquerque , New Mexico , USA on May 15 , 2004 . 0 +A functional magnetic resonance imaging ( fMRT ) study found that deaf participants use the primary auditory cortex as well as the visual cortex when they observe sign language . A functional magnetic resonance imaging ( fMRI ) study found that deaf participants use the primary auditory cortex as well as the visual cortex when they observe sign language . 1 +Brigadier General Abram Duryée had commanded the 107th New York Infantry Regiments and the 97th , 104th and 105th Pennsylvania Infantry . Brigadier General Abram Duryée commanded the 107th New York Infantry Regiment and the 97th , 104th and 105th Pennsylvania Infantry . 1 +The friend of Dantès , Sidney Blackmer ( Fernand Mondego ) , accompanies him to the jail . The friend of Dantès , Fernand Mondego ( Sidney Blackmer ) , accompanies him to the jail . 1 +In 1951 , the Belarusian immigrants founded the Congress Committee of America . The immigrants of the postwar period founded the Belarusian Congress Committee of America here in 1951 . 0 +23rd April 1975 : Manchester City win the title after Derby County can only draw 1 - 1 with Ipswich Town . April 23 , 1975 : Manchester City win the title after Derby County only with Ipswich Town 1-1 draw . 1 +Bhainsana is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Bhainsana is a village in Bhopal - district of Madhya Pradesh , India . It is located in Berasia tehsil . 0 +In Kyle 'apos ; s body , Parallax Hal Jordan , Guy Gardner , and John Stewart captured and brought them to Qward . Parallax captured John Stewart , Guy Gardner , and Hal Jordan in Kyle 's body , bringing them to Qward . 0 +In 2014 , Dan McGruer , a founding member , left the band for 15 years and was replaced by Devin Abrams . In 2014 , the founding member of 15 years of age left Devin Abrams and was replaced by Dan McGruer . 0 +The score report is the official basis for both the box score of the game and the relevant statistical records . The Score Report is the relevant statistical basis for both the game 's box score and the official records . 0 +Lukaszuk has two daughters , one with his current wife , news speaker Stacey Brotzel CTV Edmonton and one with his previous wife . Lukaszuk has two daughters , one with his former wife , news - anchor Stacey Brotzel CTV Edmonton and one with his current wife . 0 +Highsmith is the father of the former NFL player Alonzo Highsmith and the uncle of the current former NFL player Ali Highsmith . Highsmith is the father of current former NFL player Ali Highsmith and uncle of former NFL player Alonzo Highsmith . 0 +Santha died on 11 April 1981 from a heart attack shortly after his son Jagath drowned under mysterious circumstances in a swimming pool . Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on 11 April 1981 . 1 +The response of the observable formula _ 5 to a time-dependent field formula _ 10 is The response of the dependent Formula 5 to a time-monitoring field formula 10 is 0 +She talks to Jess 's parents and speculates that Jen may have come back to take the earrings . She talks to Jess 'apos ; parents and speculates that Jen may have come back to take the earrings . 1 +From the west of Lucin , the unimproved route along the Pacific Railroad Union is long . From the west from Lucin , the unimproved route along the Union Pacific Railroad rail is long . 1 +The festival originated in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . The festival debuted in 2007 and began in Phoenix , Arizona and has been in San Diego , Houston and Zurich since then . 0 +Since 2008 , Hoyer toured Canada on several occasions , including twice with Michael Rault , once with Sean Nicholas Savage and once with The Joe . Hoyer has toured Canada several times since 2008 , including twice with Michael Rault , once with Sean Nicholas Savage , and once with The Joe . 1 +He was the father of historian Peyton C. March and General Francis Andrew March , the chief of staff of the United States Army during World War I . He was the father of historian Francis Andrew March and General Peyton C. March who was chief of staff of the United States Army during the First World War . 0 +Together with his team colleague Haris Hajradinović from the Croatian club NK Inter Zaprešić he came to AS Trenčín in summer 2013 . He arrived in the summer of 2013 together with his teammate Haris Hajradinović from Croatian club AS Trenčín to NK Inter Zaprešić . 0 +After that , Gillis fired head coach Alain Vigneault , Associate Coach Rick Bowness and Assistant Coach Newell Brown . Afterwards , Gillis fired Head Coach Rick Bowness , Associate Coach Newell Brown and Assistant Coach Alain Vigneault . 0 +Via the Bush River and the Appomattox River , it is part of the James River watershed . He is part of the James River Watershed via the Appomattox River and the Bush River . 1 +On 28 February 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion dollars . On 28 February 2018 , Interoute announced the acquisition of GTT Communications for $ 2.3 billion . 0 +Nick Danger is a fictional character created by the comedy group The Firesign Theatre , portrayed by Phil Austin . Nick Danger is a fictional figure portrayed by the comedy group The Firesign Theatre and created by Phil Austin . 0 +The pterostigmata of males immature are almost white . The pterostigmata of immature males are almost white . 1 +Rituparna Sengupta and Indrani Halder shared the National Film Award for Best Actress in 1998 for the film . Ghosh won National Film Award for Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder for the film shared the National Film Award as Best Actress , Ghosh won the National Film Award as Best Screenplay . 1 +Many provinces and states organize regional and provincial championship tournaments , and the highest age groups in Canada and the USA also participate in national championships . Many provinces and states organize national championship tournaments , and the highest age groups in Canada and USA , also participate in regional and provincial championships . 0 +The River Iminog is a tributary of the River Cleja in Romania . The Iminog River is a tributary of the Cleja River in Romania . 1 +Matthew Stevens won the tournament , defeating John Higgins 9-7 in the final . The tournament won John Higgins , defeated Matthew Stevens 9-7 in the final . 0 +In 1813 , when Justice John Tyler died , Tyler inherited Greenway at the age of 23 . When Justice Tyler died in 1813 , John Tyler inherited Greenway at the age of 23 . 0 +For the 1951 season , the circuit merged with the Arizona -- Texas League to form the Southwest International League . For the season in 1951 the circuit merged with the Arizona - Southwest - International League to form the Texas League . 0 +The volumes 5 and 6 were written by DeVorss ' Co posthum from various articles that Spalding had published . Volumes 5 and 6 were written by DeVorss & Co posthumously from various articles that Spalding had published . 1 +The main campus of the university is located in the Antakya area , north of Serinyol . The main campus of the university is located in the area of Serinyol , north of Antakya . 0 +Adam : We 're at 1750 now , Natalie . Do you live at home ? Natalie : We 're now around 1750 , Adam , do you live at home ? 0 +Here is a list of schools in Harford County , Maryland . Both public schools and parochial schools are listed , but independent schools are not included . Here is a list of schools in Harford County , Maryland , which are included in both public schools and independent schools , but parish schools are not listed . 0 +In March 2016 , Macquarie Group acquired a 9.9 % stake in the Southern Cross Media Group from Nine Entertainment Co. Ltd . In March 2016 , Macquarie Group purchased a 9.9 % stake in Southern Cross Media Group from the Nine Entertainment Co . 1 +Moses Point Airport is an airport located in Elim , a city in the Nome Census Area of the U.S. state of Alaska . Moses Point Airport is an airport in Elim , a city in the Nome Census Area in the U.S. state of Alaska . 1 +"There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Will Crowther and modified by Don Woods ." "He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created by Will Crowther in 1977 and modified by Don Woods ." 1 +It is an intermediate product in the production of the commercial EPDM polymer . It is an intermediate in the production of the commercial polymer EPDM . 1 +The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was finalized in 3D and manufactured in the post-production . The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was finalized in 3D and made in post-production . 1 +Weslandia is a Newbery Medal winner of the children 's book , Kevin Hawkes , with illustrations by Paul Fleischman . Weslandia is a Newbery Medal winner of the children 's book Paul Fleischman , with illustrations by Kevin Hawkes . 0 +It was also accepted by the Royal Canadians and its Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . It was also recorded by the Guy Lombardo and its Royal Canadians orchestra and the singing group The Three Suns in the United States . 0 +She married Antonio Bourque , and first lived in Moncton before retiring to Villa Providence in Shediac . She married Antonio Bourque and first lived in Shediac before retiring to the Villa Providence in Moncton . 0 +After the partition of India in 1947 , Bade Ghulam returned to his hometown of Kasur , Pakistan , but went to India in 1957 to live there permanently in 1957 . After the partition of India in 1947 , Bade Ghulam returned to his hometown Kasur in Pakistan , but went to India later to reside permanently there in 1957 . 1 +When Andrew Alexander left the cyclops , the Alexander von Bath family moved to Sheffield and Patrick decided to carry on a career in the Merchant Navy . When Andrew Alexander left the Cyclops works , the Alexander family moved from Bath to Sheffield and Patrick decided on a career in the Merchant Navy . 1 +It was named after Bennington , Vermont the former home of first settlers . The first home of the former settlers was named after Bennington , Vermont . 0 +"A DVD was released on March 5 , 2012 performed "" Dudley Taft live at Highway 99 , "" called August 6 , 2011 in Seattle , Washington ." "A DVD was released on March 5 , 2012 , performed "" Dudley Taft live on Highway 99 "" called August 6 , 2011 in Seattle , Washington ." 1 +The popular French singers Coralie Clément and Benjamin Biolay , as well as footballers hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the city . The popular French singers Grégory Bettiol and Coralie Clément , as well as football players hopeful Benjamin Biolay and actor and cellist Maurice Baquet are born in the town . 0 +Cooper was born in Long Beach , California , and lived all his life in Los Angeles , California . Cooper was born in Los Angeles , California , and lives his whole life in Long Beach , California . 0 +Every evening will be an intimate celebration of discussion , a pep rally for the inner mind and an optimistic look at the overwhelming intensity of life . Every evening will be an optimistic celebration of the discussion , a pep rally for the inner spirit and an intimate look at the overwhelming intensity of life . 0 +In the 2015 federal election , Gidoni became elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . In the 2015 federal election , after Tosi was sidelined by the regional party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . 1 +It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It is found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as in Turkey , Azerbaijan and Iran . 1 +Reading Bridge is a road bridge over the River Thames at Reading in the English county of Berkshire . Reading is a road bridge over the River Thames on the Reading Bridge in the English county of Berkshire . 0 +Fish species of the parks rivers and lakes are Sperchios barbel , Macedonian chub , Sperchios spirlin , Greek trout and probably the endangered Marathon minnow . Fish species of the parks rivers and lakes are Sperchios Barbel , Greek Dobel , Sperchios spirlin , Macedonian trout and probably the endangered Marathon Minnow . 0 +Moreover , many Angika speakers in the Persian Gulf , the United States , Canada , the United Kingdom , and other countries have emigrated . Moreover , many Angika speakers have emigrated to the Persian Gulf , the United Kingdom , the United States , Canada and other countries . 1 +Three values of the octagonal stamps were introduced to cover higher postal and registered foreign charges on the following dates : Three values of the octagonal stamps were introduced to cover higher foreign and registered charges on the following data : 0 +Actress Manuela do Monte portrays Carol in the 2013 Brazilian version of the series . Actress Manuela do Monte portrayed Carol in the Brazilian version of the series 2013 . 1 +The thirteen colonies of the Anglo-United States were all original possessions , and popular culture became a major foundation of American folk and former British music . The thirteen colonies of the original United States were all former British possessions , and Anglo culture became an important foundation for American folk music and popular music . 0 +Gangahoni is a large village in Biaora Rajgarh district , Madhya Pradesh with a total of 639 families . Gangahoni is a large village located in Biaora of Rajgarh district , Madhya Pradesh with total 639 families residing . 1 +Rose Tattoo is a 2011 album by Tiffany , her first full album and eighth regular country record . Rose Tattoo is a 2011 album by Tiffany , her eighth regular album and her first full country record . 0 +The NBA season 1988 -- 89 was the 43rd season of the National Basketball Association . The season 1988 -- 89 National Basketball Association was the 43rd NBA season . 1 +Eurosta is a genus of the family Tephritidae , known as fruit flies in North America and Picture wing flies in Europe . Eurosta is a species of the Tephritidae family , known in North America as fruit flies and wing flies in Europe . 0 +Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Xicai trusted him greatly . Zhu Xicai continued to serve under Zhu Xicai , and it was said that because they shared the same family name , Zhu Ci trusted him greatly . 0 +In the second round she beat Olga Govortsova , then defeated 17th seed Julia Görges in the third . In the second round she beat Julia Görges , then she defeated the 17th seed Olga Govortsova in the third . 0 +It is located in the central portion of Belmont County in Warren Township and is part of the Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central part of Belmont County , Warren Township and is part of the Wheeling , West Virginia Metropolitan Statistical Area . 1 +Yauli is one of nineteen districts in the province of Peru in Huancavelica . Yauli District is one of nineteen districts of the province Huancavelica in Peru . 0 +In 2006 , Silverlake Partners sold the company to Goldman Sachs for 800 million US dollars . Goldman Sachs sold the company to Silverlake Partners in 2006 for $ 800 million . 0 +I played a role at the coronation of Emperor Matthias in 1612 and the election of Emperor Ferdinand in 1619 . Johann Reinhard I played a role in the coronation celebrations of Emperor Matthias 1612 and the election of Emperor Ferdinand in 1619 . 1 +In the final round of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first lap . In the final stage of the Promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first round . 1 +On 4 November 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . On 4 November 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . 0 +His wife Gisela M. A. Richter and their daughters Irma and Luise Marie Schwaab were also art historians . His wife Gisela M. A. Richter and her daughters Irma and Luise Marie Schwaab were also art historians . 1 +Riverton was a parliamentary electorate in the Southland region of New Zealand . Riverton was a parliamentary election in the Southland of New Zealand region . 0 +"The single is Paisley 's fifth number one consecutive in the "" Billboard "" Hot Country Songs Charts , as well as his ninth number one ." "The single is Paisley 's fifth consecutive Number One single on the "" Billboard "" Hot Country Songs charts , as well as his ninth overall Number One ." 1 +The Urechioiu River is a tributary of the Burduja River in Romania . The Urechioiu River is a tributary of the River Burduja in Romania . 1 +There are 38 private and 66 public primary schools in Lilongwe with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . There are 38 private and 66 public primary schools with a total of 103,602 pupils as well as 29 secondary schools with 30,795 students in Lilongwe . 1 +"At "" Shine 8 "" defeated Valkyrie Amazing Kong , Angelina Love , Christina von Eerie and Mia Yim in an eight-man team - match ." "At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Mia Yim , Christina Von Eerie , and Angelina Love in an eight-woman tag team match ." 0 +In 1992 , Tungamirai was replaced as Air Force Commander by Perence Shiri . In 1992 Perence Shiri was replaced by Tungamirai as Air Force commander . 0 +On the inside are engraved slates with the image of Padmasambhava , Gautama Buddha and Ngawang Namgyal . On the interior are slates engraved with the image of Ngawang Namgyal , Gautama Buddha and Padmasambhava . 1 +A sensible protocol for the use of such transfer flow control signals must be used , however , to avoid potential blocking conditions . A potential protocol for the use of sensitive flow control signals must be used , however , to avoid such deadlock conditions . 0 +Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a local representative in Alberta , Canada . Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a municipal councillor in Alberta , Canada . 1 +Due to Hossein Qoli Khan 's castration , his brother Agha Mohammad Khan was appointed as the new chieftain of the Qoyunlu instead . Due to the castration of Agha Mohammad Khan , his brother Hossein Qoli Khan was instead appointed the new Qoyunlu chief . 0 +One example comes from the treatment of black women and transgender women in prison . One example comes from the treatment of transsexual women and black women in prison . 1 +However , John Rabe and the Japanese Committee manage to have the Nanking Safety Zone recognised by the international authorities . John Rabe and the international committee however manage to have the Nanking Safety Zone recognized by the Japanese authorities . 0 +The series was also published with some success in France , where new stories were produced even after the closing of the series in Italy . The series was also published with some success in France , where new stories were produced in Italy after the end of the series . 1 +The western town line is the border of Erie County and Genesee County , and the northern town line is the border of Erie County , New York . The west town line is the border of Erie County , New York , and the north town line is the border of Erie County and Genesee County . 0 +Ó represents the 19th letter of the Icelandic alphabet and is . is the 19th letter of the Icelandic alphabet and represents . 0 +Bridges at this point are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . Bridges at this site are the only crossing on the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . 0 +The national language is Bhutanese ( Dzongkha ) , one of the 53 languages in the Tibetan family . The national language is Bhutanese ( Dzongkha ) , one of 53 languages in the Tibetan language family . 1 +A Broadway - Revival 2001 was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . A 2001 Broadway revival was directed by Joe Mantello and starred Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . 0 +Chimpanzees often eat the marrow of small bones of colobus monkeys with the help of long sticks , after opening the ends of the bones with their teeth . Chimpanzees often eat the mark of small bones of colobus monkeys with the help of long sticks after having opened the ends of the bones with their teeth . 1 +George George Wallace portrays the complex life of a political man . """ George Wallace "" portrays the political life of a complex man ." 0 +He was also a highly celebrated warrior in popular culture and traditional Chinese dramas . He was also a highly celebrated warrior in popular culture and the traditional Chinese dramas . 1 +Expected Exposure ( EE ) is used similarly to the PFE , except that the average instead of a certain quantile is defined . The anticipated exposure ( Expected Exposure , EE ) is defined similarly to the PFE , except that the average is used instead of a certain quantile . 0 +It overlooked Upper St. Francis Road and was manned by members of the 33rd Missouri . It overlooked the Missouri , and was manned by members of the 33rd Upper St. Francis Road . 0 +I 've tried to buy it when George Romney ( later governor of Michigan ) and Roy Abernethy AMC were running . I tried to buy it when Roy Abernethy ( later governor of Michigan ) and George Romney were AMC . 0 +Mosley worked with The Osborne Brothers until Sonny 's retirement in 2003 , and then with Bobby Osborne and his band , the Rocky Top Express , until 2011 . Until Sonny ’ s retirement in 2003 , Mosley worked with the Osborne Brothers and until 2011 with Bobby Osborne and his band Rocky Top Express . 1 +"Centered vertically on a green background is a white runway with white markings and the scarlet numerals "" 47 "" ." "Vertically centered on a green background is a white runway with white markings and scarlet digits "" 47 "" ." 1 +"Maviz Central District is a rural district ( "" Dehestan "" ) in the province of Tehran , Shahriar County , County , Iran ." "Maviz Central District is a rural district ( "" dehestan "" ) in the Tehran Province of Shahriar County , Rural District , Iran ." 1 +"J. Augustus Johnston ( "" fl . "" 1870-1890 ) was the American consul in Beirut and replaced G. Augustus Johnson ." "G. Augustus Johnson ( "" fl . "" 1870-1890 ) was the American consul in Beirut and replaced J. Augustus Johnston ." 0 +First Presbyterian Church is located in 1702 Iowa Street , Davenport , Iowa Davenport , Iowa , United States . First Presbyterian Church is located at 1702 Iowa Street , Davenport , Iowa Davenport , Iowa , United States . 1 +Honey bees have three castes : drones , workers , and queens . Drones are female , while workers and queens are male . Honey bees have three castes : drones , workers and queens , drones are female , workers and queens are male . 1 +The Calova River is a tributary of the Timiş River in Romania . The River Timiş is a tributary of the River Calova in Romania . 0 +"If so , fair territory would probably have been shaped like a modern five-page "" home plate "" ." "If so , fair territory would probably have been shaped like a modern five-sided "" home plate "" ." 1 +Sawyer 's authorized biography was published by Huston Smith in 2014 . In 2014 , Huston Smith 's authorized biography of Sawyer was published . 0 +Mount Dana , altitude , was climbed by the group the next day before Muir had to return to Martinez . Mount Dana , elevation , was climbed the next day by the group before Muir had to return home to Martinez . 1 +"Peter Todorovskiy became famous after starring in television series "" The Cadets "" , where he played one of the main characters : the young Andrei ." "Andrei became famous after playing in the television series "" The Cadets "" , where he played one of the main characters : the young Peter Todorovskiy ." 0 +He finished 11th in the Sandown 500 with Tony Longhurst and 13th in the Bathurst 1000 with Nathan Pretty . He won the 11th place in the Sandown 500 with Tony Longhurst and 13th with Nathan Pretty in the Bathurst 1000 . 1 +"Together with Sam Raimi and Rob Tapert , Campbell has produced the remake of "" The Evil Dead "" ." "Campbell produced the remake of "" The Evil Dead "" , along with Sam Raimi and Rob Tapert ." 1 +Mirambeau is situated on Via Turonensis , the ancient pilgrimage route from Santiago de Compostela to Paris via Tours . Mirambeau is situated on the Via Turonensis , the ancient pilgrimage route from Santiago de Compostela to Paris via Tours . 1 +This film was directed by Carlo Ludovico Bragaglia . The Italian version was written by Sandro Continenza and the English translation was written by Annalena Limentani and Frederica Nutter . The film was written by Carlo Ludovico Bragaglia , the Italian version was written by Sandro Continenza and the English translation by Annalena Limentani and Frederica Nutter . 0 +Phaenomenella mokenorum is a species of the sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Phaenomenella mokenorum is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +Wagener made the design of this Japanese porcelain , according to the European taste white and blue , with many flowers . The design of this European porcelain , by the Japanese taste many , with white and blue flowers made Wagener . 0 +A brief biography , and short summaries of Brodsky 's longer fiction and critical reception can be found here : A short biography and brief summaries of Brodsky 's long fiction and critical reception can be found here : 1 +The 1973 Purdue Boilermakers football team represented Purdue University in the football season of the Big Ten Conference in 1973 . The 1973 Purdue Boilermakers football team represented Purdue University in the 1973 Big Ten Conference football season . 1 +Jenkins married Ivy Vujic on 2 April 2011 . Ivy Vujic Jenkins was married on 2 April 2011 . 1 +He was a federal judge in Mexico City , and a respected lawyer in Mexico . He was a federal judge in Mexico - city and respected lawyer in Mexico . 1 +He was born and raised in Vancouver , British Columbia , Canada and died in Aylesbury , Saskatchewan , Canada . Born and raised in Vancouver , Canada , British Columbia , he died in Aylesbury , Saskatchewan , Canada . 1 +Aslan offered to accompany the children , because he wanted to see Frank himself . Frank offered to accompany the children because he wanted to watch Aslan himself . 0 +But , its southern border along the Douro made the region susceptible to Spanish and Moorish conflict . But its southern border along the Douro has made the region susceptible to Spanish and Moorish conflict . 1 +Paikuse was a municipality located in Pärnu County , one of the 15 counties of Estonia . Paikuse was a municipality in Estonia , one of the 15 counties of Pärnu County . 0 +He lost Vinnie Rossano , but stopped Joey DeJohn in five rounds . He lost to Vinnie Rossano but stopped Joey DeJohn in five rounds . 1 +The combination of small size and emphasis on excellence in educational performance results in a district that offers a “ private school experience in a public school setting ” . "The combination of small size and emphasis on educational excellence results in a district that offers a "" private school experience in a public school setting "" ." 1 +The key could be easily changed for each new guest by inserting a new template in the lock that corresponds to the new key . The key could easily be changed for each new guest , by inserting a new template in the lock , that matched the new key . 1 +Born in Hamilton , Ontario , McSorley professionally played in smaller leagues in North America , some time in the IHL , AHL and ECHL . Born in Hamilton , Ontario , McSorley played professionally in minor leagues in North America , spending some time in the IHL , AHL and ECHL . 1 +The original edition of the disc was published on 11 January 2006 in Singapore and on 26 January 2006 in Malaysia . The original edition of the disc was published on 11 January 2006 in Malaysia and on January 26 , 2006 in Singapore . 0 +The collection of mushrooms is not absolutely prohibited , but it is only tolerated near the approved hiking trails . The gathering of mushrooms is not only tolerated , but it is absolutely prohibited near the approved trails . 0 +This species can be found in New Britain , Bismarck Archipel : Woodlark Island , Papua - New Guinea , West Papua and Aru - Islands . This species can be found in Papua New Guinea , Bismarck Archipelago : New Britain ; Woodlark Island ; West Papua ; Aru Islands . 1 +Keswick River is an airport located in New Brunswick , Canada , near Weyman Airpark in Sisson Settlement . Weyman Airpark is an airport located in New Brunswick , Canada , close to the Keswick River in Sisson Settlement . 0 +The advent of vocal percussion added new dimensions to the a cappella genre and has spread very widely in modern arrangements . The advent of vocal percussion added new dimensions to the a cappella genre and has become very prevalent in modern arrangements . 1 +""" The Problem with Popplers "" is the second episode in the fifteenth production season of "" Futurama "" ." """ The problem with Popplers "" is the second episode in the fifteenth production time of "" Futurama "" ." 1 +He died in New City ( now Clarkstown ) , New York , August 16 , 1850 . He died on August 16 , 1850 in New City ( now Clarkstown ) , New York City . 1 +This association was further enhanced after the female Christian missionary , Nino , converted Mirian , his wife Nana and household into Christianity in or around 337 . This association was further reinforced after the female Christian missionary Nino , Mirian , his wife Nana and household had converted into Christianity in or around the year 337 . 0 +They are often consumed with beer and are sometimes a snack . They are sometimes consumed with beer and they are often a bar snack . 0 +Dragon Dragon Wars is a fantasy role-playing videogame developed by Rebecca Heineman and published in 1989 by Activision and distributed by Interplay Productions . Dragon Wars is a fantasy role-playing video game developed by Rebecca Heineman and published by Activision in 1989 , and distributed by Interplay Productions . 1 +""" Hell or Highwater "" featured collaborations with John Shanks ( Melissa Etheridge band ) and Scott F. Crago ( The Eagles ) and was produced by Mark McKenna ." """ Hell or Highwater "" co-operated with Mark McKenna ( Scott F. Crago Band ) and John Shanks ( The Eagles ) and was produced by Melissa Etheridge ." 0 +Is used to find the nonlinear function of a local minimum . Used to find the nonlinear function of a local minimum . 1 +The following organs were visited : Argao in Cebu ( still playable ) , and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Bohol . The following organs have been visited : Argao in Bohol ( still playable ) and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Cebu . 0 +It flows to the north near Pietragalla and curves east north of Cancellara and south of Bradano . It curves north near Pietragalla and flows eastward north of Cancellara and south of the Bradano . 0 +In the available implementations some recommended interfaces were required , but they are not implemented . Some recommended interfaces were required in the available implementations but are not implemented . 1 +During the Vietnam War , the 12th field battery also served the 104th field regiment -- which was also connected to the 161th field battery RNZA . During the Vietnam War , the 104th Field Battery also served with the 12th Field Regiment -- to which the 161st Field Battery RNZA was also attached . 0 +All 14 films were licensed in North America by Funimation , and all have received in-house dubs by the company . All 14 films were received from funimation in North America and all have in-house dubs licensed by the company . 0 +Xhelal Pasha Zogolli was hereditary governor of Mati , father of Xhemal Pasha Zogu and grandfather of King Zog I . Xhelal Pasha Zogolli was an hereditary governor of Mati , father of Xhemal Pasha Zogu and grandfather of king Zog I . 1 +Femi 's musical career began when he started playing in his father 's band , Egypt 80 . Femi 's musical career began when he started playing in his father 's band , Egypt 80 . 1 +"Mount Sis is also a plateau which was called in Turkey "" Sis Dağı Yaylası "" ." "Mount Sis has also a plateau which is called "" Sis Dağı Yaylası "" in Turkey ." 1 +""" The New York Times "" reported : "" Clarke had a new pitcher , Williams , '96 during the first half of the game "" ." """ The New York Times "" reported : "" Clarke had a new pitcher , Williams , '96 during the first half of the game "" ." 1 +The breeding takes place in Yucatán from May and in Veracruz between August and April . In Yucatán , breeding takes place from May onwards and in Veracruz , between August and April . 1 +When the BFH was first written , the preprints were widely distributed to nuclear physics . When BFH was first written , preprints were widely distributed to the nuclear physics community . 1 +Landscape is an album by pianist Kenny Barron which was recorded in 1984 and first released on the Japanese Baystate label . Landscape is an album by pianist Kenny Barron , which was recorded in 1984 and was first released on the Japanese label Baystate . 1 +The length of the forewings is 3.5 - 5 mm . Adults have been recorded from November to February in Brazil and in October in Argentina . The length of the front wings is 3.5 - 5 mm , adults have been recorded in Argentina from November to February and in Brazil in October . 0 +It is a well-studied organism in the discipline of European biology , was an early and important model system for the study of Evolutionary phylogeography . It is a well-studied organism in the discipline of European biology , an early and important model system for the study of evolutionary phylogeography . 1 +The second method is used if the number of elements in each row is the same and is known at the time the program was written . The second method is used when the number of elements in each row is the same and known at the time the program is written . 1 +He wrote the script in cooperation with Bianca Olsen , Laurie Aubanel and Cyril Rambour . In collaboration with Bianca Olsen , Laurie Aubanel and Cyril Rambour , he wrote the script . 1 +The last possession of the Genoese in the Mediterranean , the island fortress Tabarka , was lost in Tunis in 1742 . The last possession of the Genoese in the Mediterranean , the Tunisian island fortress , was lost to Tabarka in 1742 . 0 +Aphonopelma catalina is a species of spiders in the family Theraphosidae , found in the United States ( Arizona ) . Aphonopelma catalina is a species of spiders in the family Theraphosidae , found in United States ( Arizona ) . 1 +At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Zhao ( Sima Wang 's cousin ) . At that time , Cao Mao was only a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( cousin of Sima Wang ) . 1 +In 1993 , Western province once again presented three teams as one city team and two suburban teams . 1993 suburban province presented three teams again as one City team and two Western teams . 0 +where formula _ 3 has the original supply curve and formula _ 23 is the minimum wage . The horizontal first curve is thus a new branch and a kink at the point Where Formula 3 has the original supply curve and Formula 23 is the minimum wage , the horizontal first curve is a new branch and a branch at the point . 1 +Pennsylvania continued to collect and publish Dallas - making decisions in a second volume of his reports . Dallas continued to collect and publish resolutions in a second volume of his reports , Pennsylvania . 0 +The company was registered as Spacetec , which was re-established on 11 December 1984 . The company was registered as a Spacetec , which was re-established on 11 December 1984 . 1 +Hannah Chaplin was born on 16 April 1889 to Hannah Harriet Pedlingham Hill ( born Charles Spencer Chaplin ) and Charles Chaplin Sr . Hannah Chaplin was born on April 16 , 1889 to Hannah Harriet Pedlingham Hill ( born Charles Spencer Chaplin ) and Charles Chaplin Sr . 1 +Brezovica nad Torysou is a village and municipality in the Sabinov district in the Prešov region of north-eastern Slovakia . Brezovica , fully Brezovica nad Torysou is a village and municipality in Prešov Region in the Sabinov District of north-eastern Slovakia . 1 +When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . When Arnold arrived in the scene , Samuel Herrick had already been sent with commands to secure boats to Skenesboro and Asa Douglas to Panton . 0 +""" Welcome to my Living Room "" was filmed in Sydney , Australia in August 2005 , with additional footage filmed in Temecula , California in November 2006 ." """ Welcome to my Living Room "" was filmed in August 2005 in Temecula , California , with additional footage that was shot in November 2006 in Sydney , Australia ." 0 +The Bistra River is a tributary of the Pleșa River in Romania . The river Pleja is a tributary of the River Bistra in Romania . 0 +"When Lombardo switched to NBC , Burns and Allen took over his CBS spot with "" The Adventures of Gracie "" from 19 September 1934 ." "When Lombardo switched to CBS , Burns and Allen took over his NBC spot with "" The Adventures of Gracie "" beginning September 19 , 1934 ." 0 +An attempt to sign full-back Jack Oliver from Middlesbrough Ironopolis was unsuccessful , and the club offered the services of goalkeeper Chris Charsley to Aston Villa . An attempt to sign the defender Jack Oliver of Middlesbrough Ironopolis was unsuccessful , and the club offered the services of goalkeeper Chris Charsley to Aston Villa . 1 +Greenberg was born in Montreal , Quebec , in 1930 and has three brothers , Harvey , Sydney , and Ian . Greenberg was born in 1930 in Montreal , Quebec , and has three brothers , Harvey , Sydney and Ian . 1 +The Red Sox eventually won the ALDS but lost to the Tigers in the American League Championship Series . The Tigers eventually won the ALDS , but lost the Red Sox in the American League Championship Series . 0 +Dennis is arrested and sentenced to die with Hugh and Barnaby . Hugh and Dennis are hanged . Barnaby , through the efforts of Gabriel Varden , is pardoned . Dennis is arrested and convicted to die with Hugh and Barnaby , Hugh and Dennis are pardoned , and Barnaby is hanged by the efforts of Gabriel Varden . 0 +The game created a 32 - digit alphanumeric password after successful completion of a level that was also unique for the player name to allow for a later resumption . The game created a 32 - digit unique password after successful completion of a level that was also the player name alphanumeric to allow for a later resumption . 0 +Spectral bands are part of the optical spectra of multi-atomic systems , including condensed materials , large molecules , etc . Spectral bands are part of large spectra of optical systems , including condensed materials , polyatomic molecules , etc . 0 +The 13th World Cup season began in December 1978 in Austria and concluded in March 1979 in Japan . The 13th World Cup season began in Austria in December 1978 and ended in March 1979 in Japan . 1 +Hamilton is often considered the best driver of his generation , and widely regarded as one of the greatest Formula One drivers in the history of the sport . Hamilton is widely considered the greatest driver of his generation and often regarded as one of the best formula 1 drivers in the history of sport . 0 +The flag of the Western Province , was adopted in 1987 for the western province of Sri Lanka . Sri Lanka 's flag was adopted in 1987 for the Western Province of Western Province . 0 +Mundla Chand is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Mundla Chand is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . 1 +Helmut Groß was the mayor of Tengen from 1973 to 2015 , and his successor was Marian Schreier . From 1973 to 2015 , Marian Schreier was the mayor of Tengen . His successor is Helmut Groß . 0 +The manuscript was presented by Nicephorus Glykas , Bishop of Imbro , to Eduard Reuss . The manuscript was transferred to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . 0 +The combined singular route now forms a new passage which leads directly from Gothenburg via Kristiansand in Norway to Newcastle . The combined new route now forms a singular passage , travelling directly from Gothenburg to Newcastle , via Kristiansand in Norway . 0 +Jeppe Tengbjerg ( born 28 December 1973 ) is a Danish football manager and former football player . Jeppe Tengbjerg ( born December 28 , 1973 ) is a Danish football manager and former football player . 0 +Willie Francis worked in England in the late 1970s , and lived in Canada for a number of years before returning to Jamaica . In the late 1970s , Willie Francis worked in England and lived in Canada for a number of years before returning to Jamaica . 1 +The song was written together with will.i.am by Thicke and Lamar and produced by Dr. Luke and Cirkut . The song was written by Thicke and Lamar together with Dr. Luke and produced by will.i.am and Cirkut . 0 +From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Cancer Foundation , and CEO of Huntsman Family Holdings Company . 0 +In 1612 , he was governor of Tlalmanalco , and in 1613 , governor of Texcoco . In 1612 he was governor of Tlalmanalco and in 1613 the governor of Texcoco . 1 +Belle Creek Township was organized in 1858 , and took its name from the Belle Creek . Belle Creek Township was organized in 1858 and took its name from Belle Creek . 1 +Its current chairman is Richard Flateau , and its district manager is Henry Butler . Its current chairman is Richard Flateau , and its district manager is Henry Butler . 1 +Lillith 's father tells Emily that the only way to get Lillith is to bring her to sleep . Lillith 's father tells Emily that the only way to kill Lillith is to get her to sleep . 0 +She was heavily attracted by him and tried to seduce him into a sexual relationship , but Hanuvant Singh became religious in thought and did not go to the incest . She grew heavily attracted to him and tried to seduce him into a sexual relationship , but Hanuvant Singh was religious in thought and did not go for incest . 0 +In each of the three team events France took a medal , but no longer won gold medals . France took a medal in each of the three team events , but won no more gold medals . 1 +Dowa is a district in the central region of Malawi with the capital Dowa . Dowa is a district in the central region of Malawi and is the capital city of Dowa . 1 +He is trained by DPRP Aces Partnership , owned by Graham Lee , and his primary jockey was Ferdy Murphy . He is owned by the DPRP Aces Partnership , trained by Ferdy Murphy , and his primary jockey was Graham Lee . 0 +The Bega River is a tributary of the Fădimac in Romania . The Fădimac River is a tributary of the Bega River in Romania . 0 +"The Moai statues of Easter Island ( Chile ) appear in several "" gradius "" plays as enemies ." "The moai statues of Chile ( Easter Island ) appear as enemies in several "" Gradius "" games ." 1 +The museum has two pre-Hispanic sections in two separate buildings , one of which is Nicaraguan numismatics and another on the specific archaeology of the area . The museum has two pre-Hispanic sections in two separate buildings ; one is the Nicaraguan Numismatics and another about specific archaeology of the area . 1 +In 1934 , Khun Wichitmatra wrote the texts of the Thai national anthem , two years after the anthem was written by Chan Kamwilai . Chan Kamwilai wrote the lyrics of the Thai National Anthem in 1934 , two years after the anthem was first written by Khun Wichitmatra . 0 +Here we view pseudo-differential operators as a generalization of differential operators . We view differential operators here as the generalization of pseudo-differential operators . 0 +In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Mays Hill by Westerleigh and to Broad Lane by Frog Lane . In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by Broad Lane and Mays Hill by the Frog Lane . 0 +The defending race winner Geoffrey Bodine won the Pole for the second time in a row and Bill Elliott won the race . Defending race winner Geoffrey Bodine won the pole for the second year in a row , and Bill Elliott won the race . 1 +Jagtial is a village in the Mallapur district in the state of Telangana in India . Mallapur is a village and in Jagtial district in the state of Telangana in India . 0 +He also appeared in 53 games for the Greensboro Patriots ( Piedmont League ) with a 26 - 19 record over the course of the seasons 1928 and 1929 . He also appeared in 53 games for the Piedmont League ( Greensboro Patriots ) with a 26 -- 19 record over the course of the 1928 and 1929 seasons . 1 +Due to high prices and volatile capital costs , few deposits without subsidies can be exploited economically . Due to volatile prices and high capital costs , few subsidies can be exploited economically without subsidies . 0 +"Prince has said that Brown never followed through on "" all that money "" ." "Brown said that Prince has never followed "" all that money "" ." 0 +Others who were interviewed came to America but were born elsewhere . Others who were interviewed came to America , but they were born elsewhere . 1 +1969 , US Armed Forces PFC Steven Hohensee won the 10th Army championship . In 1969 , Army PFC Steven Hohensee won the 10th US Armed Forces - Championship . 0 +Alma Peter Crane and Connie Chandler were nominated by the Independent Party of Utah , where Crane and Chandler received 1,101 votes . Chandler and Connie Chandler were nominated by the Independent Party of Utah , Crane and Alma Peter Crane received 1,101 votes . 0 +"The mushroom is poisonous , but due to possible confusion with edible "" Amanita "" species is not recommended ." "The mushroom is edible , but not recommended due to possible confusion with toxic "" Amanita "" species ." 0 +"Immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" in 1912 ." "Immediately after he and Whitehead wrote PM , he published his 1912 , "" The Problems of Philosophy "" ." 1 +Many people who admit to being frequent tanners say they tan to look good , feel good and relax . Many people who admit to being common tanners say that they tan to feel good , to look good and relax . 1 +The work is dedicated to Sikorski and is published by Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis . The work is dedicated to Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis . It is published by Sikorski . 0 +Children who heard this scene described by a novel clause containing a transitive verb connected the subject of the verb with the agent . Children who heard that scene described by a transitive clause containing a novel verb , associated the subject of the verb with the agent . 0 +""" Yesteryear "" is the second episode of the first season of the animated American Science - Fiction - TV series ." """ Yesteryear "" is the first episode of the second season of the animated American science fiction television series ." 0 +When water and sewerage companies were privatised in 1989 in England and Wales , these services remained public in Northern Ireland and Scotland . When water and sewerage companies were privatised in Northern Ireland in 1989 , these services remained public in England and Wales and in Scotland . 0 +Archaeological finds place the prehistoric border for the northwestern Martis people in the Oroville area . Archaeological finds place the northwestern border for the prehistoric Martis in the Oroville area . 0 +Where formula _ 9 is the Lerch transcendent function and coth is the hyperbolic cotangent function . Where Formula 9 is the transcendent lerch function and coth the hyperbolic cotangens - function is . 1 +The current mayor of Crestview Hills is Paul Meier and the town administrator is Tim Williams . The current mayor of Crestview Hills is Tim Williams and the city administrator is Paul Meier . 0 +Daniel Pollack announced in February 2016 that Argentina had reached an agreement with Paul Singer . In February 2016 , Paul Paul Singer announced that Argentina reached an agreement with Daniel Pollack . 0 +The river Pălăoaia is a tributary of the River Muereasca in Romania . The Muereasca River is a tributary of the Pălăoaia River in Romania . 0 +Vitetta 's former student , Linda Buck , won the Nobel Prize in Physiology or Medicine in 2004 . Linda Buck , former student of Vitetta , won the 2004 Nobel Prize in Physiology or Medicine in 2004 . 1 +He was appointed First Lieutenant on October 14 , 1917 in West Medford , and weeks later a Fort Des Moines native , Madeline Mabray Kountze , married . He was appointed on October 14 , 1917 in Fort Des Moines , first lieutenant , and weeks later a West Medford married native Madeline Mabray Kountze . 0 +He died in Munich and is buried at the northern cemetery in Ajaccio , Corsica . He died in Ajaccio , Corsica , and is buried at the northern cemetery in Munich . 0 +After his death , Kellow 's widow Mary Hope Kellow moved to Sydney with her daughter Mary . After his death Kellow with Mary and her daughter Mary Hope Kellow moved to Sydney . 0 +The championships were held in 2012 in Dunakeszi , Hungary , in Pouch , Germany , in 2013 , and in Luserna , Italy in 2014 . In 2012 , the championships were held in Italy , in Pouch , Germany in 2013 , and in 2014 in Dunakeszi , Hungary ( Luserna ) . 0 +Born in Pennsylvania , Pennypacker moved to New York City a little after the turn of the 20th century before moving to Southampton , New York on Long Island . Pennypacker , born in Southampton , New York , moved to Pennsylvania shortly after the turn of the century before moving on Long Island to New York City . 0 +"Like her sister ship , Tirpitz "" armed with a twin battery of eight guns in four main towers ." "Like her sister ship , "" Tirpitz "" was armed with a main battery of eight guns in four twin turrets ." 0 +Kimilili is in academic rivalry with Friends School Kamusinga ( also of Kimilili Constituency ) and Bungoma High School of Bungoma District . Kimilili is in academic rivalry with the Friends School Kamusinga ( also Kimilili Constituency ) and the Bungoma High School of the Bungoma District . 1 +Then in June 2005 came Auzentech , which with its X-Mystique PCI card , provided the first consumer sound card with Dolby Digital Live support . In June 2005 , Auzentech provided the first consumer sound card with Dolby Digital Live support with its X-Mystique PCI card . 1 +The Royal College of Music , together with Maestro Natalia , has appointed Peter Stark as a professor of conducting . The Royal College of Music has appointed Natalia as a Professor of Conducting alongside Maestro Peter Stark . 0 +On June 14 , Jackson served as second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . On 14 June , Jackson served in a duel on behalf of his junior officer William Carroll as second against Jesse Benton , the brother of Thomas . 0 +They speak the Russian language and have some pre-Christian traditions.In addition to Chuvash , many also use the Chuvash language . They speak the Chuvash language and have some pre-Christian traditions , and many people use the Russian language in addition to the Chuvash . 0 +The work was released in 2003 in his fifth , it was concluded the release rush from the same year in August . The work was completed in his fifth in 2003 , it was released in August the release Rush from the same year . 0 +Garha Kalan is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . Garha Kalan is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 1 +Where formula _ 9 is the molar gas constant , formula _ 10 is the temperature and formula _ 11 is the ideal mass of the atoms . Where Formula 9 is the molar gas constant , Formula 10 is temperature and Formula 11 is the ideal mass of the atoms . 1 +He was third place at his table in 1958 and 1967 , but in 1962 , he won the 1st . He won first place at his table in 1958 and 1967 , but was the third in 1962 . 0 +In 1969 , Amanda Mary Smith married Rod Lyne . In 1969 , Rod married Amanda Mary Smith . 1 +Stukley had given false , but not necessarily hostile , evidence against Raleigh . Stukley had submitted false , but not necessarily hostile , evidence against Raleigh . 1 +Margaret Winser 's entry was engraved , with the dies selected and used by G. W. De Saulles . Margaret Winser 's entry was selected and used with the stamps engraved by G. W. De Saulles . 0 +Shujaât Khán was restored and Durgádás agreed to the emperor of Akbar 's children . Shujaât Khán restored and Durgádás agreed Akbar 's children to the emperor . 1 +A systematic study of category theory then allows us to prove general results about each of these types of mathematical structures from the axioms of a category . A systematic study of category theory then allows us to prove mathematical results on each of these types of general structures from the axioms of a category . 0 +It was shown on 30 September 2012 at the Borneo Eco Film Festival as it was the first time premiered in Borneo . It was shown at the Borneo Eco Film Festival on September 30 , 2012 , when it was first premiered in Borneo . 1 +Following his defeat in Cardiganshire , Henry Richard was elected Liberal Member of Parliament for the Merthyr Parliament of Wales in 1868 . Following his defeat in Wales , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Cardiganshire , 0 +There he painted local synagogues , narrow streets , ancient inhabitants and the surrounding countryside . There he painted the ancient synagogues , narrow lanes , local inhabitants and surrounding countryside . 0 +On Sunday there is a free street market in the centre of the village , near the small car park . On Sunday there is a free street market held in the centre of the village , close to the small car park . 1 +The main coach of the aviators was Carl Carl Caldwell , and the general manager was Mike McCoy . Mike McCoy was the coach of the Aviators and Carl Caldwell was the General Manager . 0 +A documentary film is being made about Lee and his wife Opal , directed by Jeff SIlva and Vic Rawlings . A documentary about Opal and his wife Lee directed by Jeff Silva and Vic Rawlings is made . 0 +Although the two sections appear in full text in modern editions , Chapter X has also been published separately , both as a separate book and in collections . Although the two sections appear in the full text in modern editions , chapter X has also been published separately , both as a separate book and in collections . 1 +Carl Ravazza ( July 21 , 1910 - July 28 , 1968 ) , also professionally known as Carl Ravell , was an American violinist , singer and bandleader . Carl Ravazza ( July 21 , 1910 -- July 28 , 1968 ) , also known professionally as Carl Ravell , was an American violinist , vocalist and bandleader . 1 +Born and raised in Dore , Joe Joe Root was also born from Yorkshire and now England 's rising cricket star , currently Captain of England . Joe Root also of Yorkshire and now England 's rising cricket star , currently captain of England , was born and raised in Dore . 1 +In Scottish country dances , the Scotch Snap ( or Scots Snap ) is a prominent feature of Strathspey . In Scottish country dances , the Scotch snap ( or Scots snap ) is a prominent feature of the strathspey . 1 +Many nanobreweries have changed since these laws were opened . Since these laws were changed , many nanobreweries have been opened . 0 +Born in Giddings , Texas , Smith began his career in black baseball 's equivalent of the minor leagues with the Austin Black Senators in Austin , Texas . Smith , born in Austin , Texas , began his career in the equivalent of the black leagues with the Austin Black Senators in Giddings , Texas . 0 +The chemical boils at at a pressure of 760 millimeters of mercury and its flash point is . The chemical is boiling at a pressure of 760 millimeters of mercury and its flash point . 1 +In August 2017 , Glassman announced an exploratory campaign for the 2018 Arizona Corporation Commission race as a member of the Republican Party . In August 2017 , Glassman announced as a Republican Party member an exploratory campaign for the 2018 Arizona Corporation Commission race . 1 +He studied philosophy in Graz and in Vienna and Padua Medicine . He studied philosophy in Vienna and Padua and medicine in Graz . 0 +As promised , since 2015 , only 28 % of the projected amount has been refunded . As promised , only 28 % of the predicted amount has been refunded since 2015 . 1 +Other car manufacturers that have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . Other car manufacturers which have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . 1 +It is also being said that John Ceiriog Hughes discovered the talents of the young poet Clarke . It is also said that Clarke spotted the talents of the young poet John Ceiriog Hughes . 0 +The 2005 North Indian Ocean cyclone season was destructive and deadly to southern India despite the weak storms . The North Indian Ocean cyclone season in 2005 , despite the destructive and lethal storms , was weak to southern India . 0 +The eastern province comprises the former provinces of Kibungo and Umutara , the majority of Kigali Rural and part of Byumba . The Eastern Province comprises the former provinces of Byumba and Umutara , most of Kigali Rural and part of Kibungo . 0 +He died in Woodland Hills on December 27 , 1966 , and was buried at Oakwood Memorial Park Cemetery in Chatsworth . He died on 27 December 1966 in Woodland Hills and was buried at the Oakwood Memorial Park Cemetery in Chatsworth . 1 +Strikingly , both male and female parents were judged less competent for the job than childless applicants . Strikingly , both childless parents were judged as less competent for the job than male and female applicants . 0 +He was born on January 23 , 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born on January 23 , 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on January 29 , 1984 in London . 1 +"Mount Sis also has a plateau called in Turkey "" Sis Dağı Yaylası "" ." "Mount Sis is also a plateau that has called "" Sis Dağı Yaylası "" in Turkey ." 1 +Rafikov made his Kontinental Hockey League debut during the 2015 -- 16 KHL season . His KHL debut made Rafikov during the 2015 season -- 16 Continental Hockey League . 1 +The third segment was built in 1929 and the second segment was completed in 1930 by Peters Corners . The third segment was built in 1929 , and the second segment through Peters Corners was completed in 1930 . 1 +Principal photography took place in additional installments between July 2016 and October 2016 with small pick-up days in December 2016 and January 2017 . Principal - Photography took place between July 2016 and October 2016 in small rates with additional pick-up dates in December 2016 and January 2017 . 0 +The range extends from the east coast of Japan and Australia and the Red Sea at 32 ° E to southern Africa at 171 ° W . The product range extends from the east coast of Japan and Australia and the Red Sea at 32 ° C to southern Africa at 171 ° W . 0 +J. Thomas Spriggs , born in Peterborough , England , migrated to the United States with his parents settled in Whitesboro ( New York ) in 1836 . Born in Whitesboro , New York , J. Thomas Spriggs immigrated to the United States with his parents , who settled in Peterborough , England in 1836 . 0 +Despite their attractive , delicate appearance , the Aprahanti are an extremely fearsome and vicious species . Despite their fearsome and malignant appearance , the Aprahanti are an extremely attractive , delicate species . 0 +The office was moved to Delhi Mills and renamed in February 1871 , even though the Scio office was rebuilt in September 1871 . The office was moved to Delhi Mills and renamed in February 1871 , though the Scio office was re-established in September 1871 . 1 +"The Progressive Teacher Jürgen Reichen ( Swiss Education ) established this method "" Writing to read "" 1982 ." "The Swiss teacher Jürgen Reichen ( progressive education ) established this method "" Writing to read "" 1982 ." 0 +There are Amateur Barbershop Harmony Society and professional groups who sing exclusively a cappella . There are amateur Barbershop Harmony Society and professional groups that sing a cappella exclusively . 1 +He attended the preparatory school and studied at the ( IAVA ) primary and secondary architecture . He attended primary and secondary school at the , and studied preparatory architecture at the ( IAVA ) . 0 +Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American football wide receiver in the NFL and the American Football League . Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American Football Wide Receiver from the NFL and the American Football League . 1 +The government of Punjab , a provincial government in the federal structure of Pakistan , is in Lahore , the capital of the province of Punjab . The government of Punjab , a federal government in the provincial structure of Pakistan , is located in Lahore , the capital of the province of Punjab . 0 +Forty different plant communities containing at least 1,342 species and 54 rare plants have been identified in the gorge . In the gorge , forty rare plant communities were identified , containing at least 1,342 species and 54 different plants . 0 +The Flushing Line was opened from Queensboro Plaza to 103rd Street -- Corona Plaza on April 21 , 1917 , with a local station at 40th Street . The Flushing Line was opened on April 21 , 1917 from the 40th street to Queensboro Plaza -- Corona Plaza , with a local train station on 103rd Street . 0 +Helvarg has broadcast more than 40 television documentaries produced by PBS , The Discovery Channel , and others . More than 40 television documentaries produced by PBS , The Discovery Channel and others were broadcast . 1 +In 1975 he was appointed the first General Consul Papua - New Guinea in Australia . In 1975 he was appointed Australia 's first General Consul in Papua - New Guinea . 0 +He died at Fort Edward on August 18 , 1861 , and was buried at the Union Cemetery in Sandy Hill . He died in Sandy Hill on 18 August 1861 and was buried at the Union Cemetery in Fort Edward . 0 +Annbal Cardozo ( born June 16 , 1981 in Pedro Juan Caballero ) is a Paraguayan football defender . Pedro Juan Caballero ( born 16 June 1981 , in Derlis Aníbal Cardozo ) is a Paraguayan football defender . 0 +Charles joined Bishop Guerin on September 22 , 1904 and returned to Béni Abbès on 24 January 1905 . On 22 September 1904 he joined Bishop Charles and returned to Béni Abbès on 24 January 1905 . 0 +It has also received two live-action adaptations ; a TV movie in 1988 and a theatrical film in 1997 . It has also received two theater adaptations , a TV film in 1988 and a live movie in 1997 . 0 +Later Beth switched the machine off and Robbie is shocked but understanding . Later Robbie turned off the machine and Beth is shocked but understanding . 0 +From 2001 to 2007 it was part of the district Ajdabiya , from 1983 to 1987 it was part of the district of Jalu . From 2001 to 2007 , it was part of Jalu District . From 1983 to 1987 , it was part of Ajdabiya District . 0 +Thus , Montgomery was able to accumulate wealth , run a business , and create a personal library . Montgomery was thus able to accumulate wealth , establish a business , and run a personal library . 0 +"George Jones picked up the song as "" Somebody Always Paints the Wall "" on his album "" You Oughta Be Here with Me "" from 1990 ." "George Jones took the song as "" Somebody Here Paints the Wall "" on his album "" You Oughta Be Always with Me "" of 1990 ." 0 +It is situated on the southern shore and forms the western end of the Melville Water . It is located on the southern shore and forms the western end of Melville Water . 1 +He has also produced music for films composed outside Sri Lanka ( Thousand Flowers ) . He has also composed music for films produced outside Sri Lanka ( a thousand flowers ) . 0 +The Calova River is a tributary of the Temesch River in Romania . The Calova River is a tributary of the Timiş River in Romania . 1 +So if we know the probability distribution functionality formula 35 , we can find the function formula 36 and calculate the optimal reservation price from it . If we know the Formula 35 probability distribution functions , we can calculate the functional formula 36 and find the optimal reservation price from it . 0 +The American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) in 1963 . In 1963 , the National Chiropractic Association reorganized the American Chiropractic Association ( ACA ) . 0 +In 2006 , an additional compressor was introduced , using a lateral prism with large reflectors to allow a multi-pass arrangement on the prism . In 2006 , an additional compressor was introduced with a large prism with side reflectors to enable a multi-pass arrangement at the prism . 0 +Schools include six secondary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets and a Montrose Academy primary school . Schools include six secondary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets , and one primary school Montrose Academy . 1 +The Democratic Party nominates and elects the House Democratic Caucus leadership in the United States House of Representatives . The Democratic Party appoints and elects House Democratic Caucus leadership in the House of Representatives of the United States . 1 +To calculate such a point mass , an integration is carried out over the entire range of the continuous variable , on the probability density of the random part . In order to calculate such a point mass , an integration over the entire range of continuous size is carried out on the probability density of the random part . 1 +The band then added bassist Duane Cowan , who recently moved from Los Angeles to Japan . The band then added bassist Duane Cowan , who moved from Japan to Los Angeles recently . 0 +Daka sends his electronic henchmen , along with a zombie that he controls by microphone via an American brain implant , to steal the precious metal . Daka sends his American followers together with a zombie that he controls via an electronic brain implant by microphone to steal the precious metal . 0 +Morris Township is located in the 25th Congressional District and is part of New Jersey 's 11th state legislative district . Morris Township is located on the 25th Congressional District and is part of the 11th State Legislative District in New Jersey . 1 +Humphrey John Ikin ( born 1957 in New Zealand ) is a Lower Hutt furniture designer . John Ikin ( born 1957 in Lower Hutt ) is a furniture designer from New Zealand . 0 +"He showed "" spontaneous electric fluctuations "" which he found independent of blood pressure and peripheral nerves electric activity ." "He found "" spontaneous electric fluctuations "" , which he showed electrical activity independent of blood pressure and peripheral nerves ." 0 +It was opened when the section from Amersfoort was completed to Zutphen . It was completed when the Amersfoort to Zutphen section was opened . 0 +In 1946 , she left the Pacific and steamed over the Suez Canal to Norfolk , Virginia . She left the Pacific in 1946 , and steamed via the Suez Canal to Norfolk , Virginia . 1 +The film is about two Arizona brothers who move to California and end up fighting a band of young vampires . The film is about two Arizona brothers who move to California and end up fighting a gang of young vampires . 1 +Dyson died on board a ship when he was travelling from Australia to England in 1939 and buried at sea . Dyson died on board a ship while travelling from Australia to England in 1939 and was buried at sea . 1 +Thiago is the father of current players Mazinho of Inter Milan and Rafinha of Bayern Munich . Mazinho is the father of the current players Thiago of Bayern Munich and Rafinha of Inter Milan . 0 +"From 2015 , Karl Stefanovic appears as a political commentator on Channel 9 's "" The Verdict "" with Brown ." "From 2015 , Brown appears as a political commentator on "" The Verdict "" of Channel 9 with Karl Stefanovic ." 0 +The government 's executive branch consisted of the president , the prime minister , a number of federal ministers , and the deputy prime ministers . The executive branch of government consisted of the president , the prime minister , a number of deputy prime ministers , and the federal ministers . 1 +This Caladenia usually grows in open forests and is found in the southern Flinders Ranges and northern Mount Lofty Ranges . This caladenia usually grows in open forest and is found in the northern Flinders Ranges and southern Mount Lofty Ranges . 0 +Although this de facto standard is sometimes known as ReplayGain , it was originally known as Replay Gain and is now formally abbreviated RG . Although this de facto standard is sometimes known as ReplayGain , it was originally known as Replay Gain and is now abbreviated to formal RG . 1 +Justice Frank Murphy wrote a dissenting opinion joined by Justice Hugo Black and Justice William O. Douglas . Justice Frank Murphy wrote a dissenting opinion , associated by justice Hugo black and justice William O. Douglas . 1 +He died in Ajaccio , Corsica , and is buried at the northern cemetery in Munich . "He died in Ajaccio , Corsica , and is buried in the Nordfriedhof ( "" Northern Cemetery "" ) , Munich ." 1 +During his stay in NWA Bloom and Bull Pain challenged Nick Dinsmore & Rob Conway for the NWA OVW Southern tag team titles ending in a no contest . During his stay in NWA Bloom and Bull Pain , Nick Dinsmore called Rob Conway for the NWA OVW Southern Tag Team title challenged in a No - Contest . 0 +One-normal examples include the binomial distribution , the dimensional distribution , the exponential distribution and the Poisson distribution . Examples include the binomial distribution , the dimensional distribution , the exponential distribution and the Poisson distribution . 1 +Lafayette Township was originally called Havana Township , and under the latter name was organized in 1857 . Originally , the Lafayette Township was called Havana Township , and under the latter name was founded in 1857 . 1 +According to the dictionary of the National Biography of 1885 , Ralph Acton is assigned to the first half of the fourteenth century by Leland and his supporters . According to the 1885 Dictionary of National Biography , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . 1 +Ferguson remained in Liberia until his death , Monrovia in 1916 , in 1916 Ferguson stayed in Monrovia until his death in 1916 in Liberia . 0 +It reopened again a few years later but soon failed again . A few years later it was reopened , but soon failed again . 1 +Multiscale geometric analysis or geometric multiscale analysis is an emerging area of high-dimensional signal processing and data analysis . The multi-scale geometric analysis or geometric multiscale analysis is an emerging area of high-dimensional signal processing and data analysis . 1 +In 1791 , Edward Fitzgerald returned to Dublin , where he died , and in 1796 he painted the Irish revolutionary Lord Hamilton . In 1791 , Hamilton returned to Dublin , where he died , and in 1796 he painted the Irish revolutionary Lord Edward Fitzgerald . 0 +In 1807 , Drake asked Goforth to take over his medical practice as he wanted to move on to Louisiana . In 1807 , Drake asked Goforth to take over his medical practice , as he wished to move on to Louisiana . 1 +Roberto de Oliveira also known as Roberto Oliveira ( born December 16 , 1980 in Brazil ) is a Brazilian footballer . Roberto Oliveira is also known as Roberto de Oliveira ( born December 16 , 1980 in Brazil ) , a Brazilian footballer . 1 +Doyle said the line Maryland -- Pennsylvania Mason -- Dixon is exact : Doyle said the Pennsylvania -- Maryland Mason -- Dixon line is exact 0 +It had long , sharp feet , long legs and long claws on the hands and feet , unlike the blunt claws of other ancylosaurs . It had long feet , long lower legs , and long , sharp claws on the hands and feet , unlike the blunt claws of other ankylosaurians . 0 +The first air data patented in the USA was developed in February 1971 by John H. Andresen . The first air data computer patented in the US was developed by John H. Andresen in February , 1971 . 1 +Also , their skin secretes chemicals that are poisonous , and sometimes distasteful , to predators . Their skin also secretes chemicals that are unpleasant , and sometimes poisonous , to predators . 0 +They appeared in the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , at the Beachland Ballroom in Cleveland . They entered the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery in Chicago . 0 +Under the British Raj , Bijapur District was part of the Bombay Presidency . Under the British Raj , the Bijapur District was part of the Presidency of Bombay . 1 +Mendota is a former settlement in Fresno County , California , located north of Warsaw , near the Pueblo de las Juntas . It is a former settlement in the Fresno county of California you was located north of Mendota near the site of Pueblo de Las Juntas . 0 +On October 31 , 2012 , Watson acquired Actavis for and took the Actavis name . On 31 October 2012 , Watson acquired Actavis and took the name of Actavis . 1 +The Baroque Tenant 's House was built in the 18th century in representative style . The representative tenant house was built in the baroque style in the 18th century . 0 +These whole cays gave the northwestern bank , known as Placer de los Roques , their name in Spanish language . These northwestern cays gave their name to the whole bank , which is known as Placer de los Roques , in the Spanish language . 0 +At least 3 inserts were printed , but none of them were anticipated . At least 3 supplements were printed , but none of them were anticipated . 1 +Jovan Karamata is the Phillips Professor of Mathematics at Yale University . Coifman earned a doctorate from the University of Geneva in 1965 , supervised by Ronald Raphael Coifman . Jovan Karamata is a Phillips professor of mathematics at Yale University , doctorate from the University of Geneva in 1965 and supervised by Ronald Raphael Coifman . 1 +He died in Bordeaux on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Lyon . He died in Lyon on 23 July 1963 and was buried at the Chartreuse cemetery in Bordeaux . 0 +In Karnataka there are many Vithoba temples and some are in Andhra Pradesh , Tamil Nadu and Maharashtra . There are many Vithoba temples in Karnataka and some in Andhra Pradesh , Tamil Nadu and Maharashtra . 1 +The key could easily be changed for each new guest by inserting a new template in the lock that matches the new key . The key could easily be changed for each new guest by inserting a new key template in the lock that matched the new key . 0 +One of these two was physically disabled and cognitively severely affected . One of these two was seriously cognitively impaired and physically disabled . 0 +"The cast for the fourth season of "" California Dreams "" was the same as the cast for the third season ." "The cast for the fourth season of "" California Dreams "" was the same occupation as for the third season ." 1 +On 18 January , a caucus of 64 Bucktail - legislators US - Vice President Daniel D. Tompkins nominated for governor and senator Benjamin Mooers for Vice Governor . On January 18 , a caucus of 64 Bucktail legislators nominated U.S. Vice President Daniel D. Tompkins for Governor and State Senator Benjamin Mooers for Lieutenant Governor . 1 +"The campus - newspaper "" The Oklahoma Daily "" is produced weekly during the autumn and spring semesters and daily during the summer semester ." "The campus newspaper , "" The Oklahoma Daily "" , is produced weekly during the fall and spring semesters and daily during the summer semester ." 1 +"The hyperbolic case is similar , given the area of a disk of the hyperbolic radius "" R "" in the ( intrinsic curvature formula 83 ) constant level by" "The hyperbolic case is similar , with the area of a disk of hyperbolic radius "" R "" in the ( intrinsic curvature formula _ 83 ) constant plane given by" 1 +Together with Bradley ( Jim Belushi ) and Rodney Mitchum ( Robert Knepper ) Cooper arrives at the train station . Together with Bradley ( Robert Knepper ) and Rodney Mitchum ( Jim Belushi ) Cooper arrives at the railway station . 0 +Nicholson Railway Station is a via rail flag stop station in the ghost town of Nicholson , Ontario on the Sudbury -- White River . Nicholson railway station is a Via Rail flag stop station located in the ghost town , Nicholson , Ontario on the Sudbury -- White River train . 1 +"In Europe he performed at Le Lido in Paris and sang together with Betty Grable in the London West End - Musical "" Belle Starr "" ." "In Europe , he sang at Le Lido in Paris and appeared with Betty Grable in the London West End musical "" Belle Starr "" ." 0 +In the cast , Ron Rifkin was represented as Dr. Harry Hyman , Amy Irving as Sylvia Gellburg and David Dukes as Phillip Gellburg . The cast featured David Dukes as Dr. Harry Hyman , Amy Irving as Sylvia Gellburg , and Ron Rifkin as Phillip Gellburg . 0 +In the following year ( 1641 ) the Qutb Shahi dynasty of Golconda , which observed the disorder , sent a huge force along the east coast . In the watching year ( 1641 ) , the Qutb Shahi dynasty of Golconda following the disorder , sent a huge force along the East Coast . 0 +"According to Co-Star Melody Thomas Scott , the fire was seen behind the scenes of "" The Young and the Restless "" and protested as unfair ." "According to co-star Melody Thomas Scott , the firing was seen behind the scenes of "" The Young and the Restless "" and was protested as unfair ." 1 +In the narrative , between the current and the next season , we found out that Guido is dead by a car accident . In the narrative bracket , between the current and the next season , we found out , that Guido is dead due to a car accident . 1 +Shops in Matiari , Oderolal station , Shahpur Chakar , Allah Dino Saand and Tajpur remained closed out of respect . Shops in Matiari , Oderolal Station , Tajpur , Allah Dino Saand and Shahpur Chakar have been closed out of respect . 1 +""" Florida "" was ordered on May 4 , 1898 and was awarded on October 11 , 1898 to Crescent Shipyard , Elizabethport , New Jersey ." """ Florida "" was awarded on 4 May 1898 , and ordered to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." 0 +Cashel is a village in Ireland , in Connacht Province , County Galway . Cashel is a village in Ireland , in the province of Connacht , County Galway . 1 +He was a son of the surgeon Timothy Hosmer ( born in 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut , 1820 ) . He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in Canandaigua , New York , 1820 ) . 0 +Mike Altman is the son of the original film 's director , Robert Altman , and was 14 years old when he wrote the song 's lyrics . Mike Altman is the director 's son , Robert Altman , and was 14 years old when he wrote the lyrics of the song . 1 +Ponti played guitars and keyboards on the album , with the help of bassist Camus Celli , keyboard player Guy Daniel and drummer Pat Schick . Guitars and keyboards played on the album with the help of bassist Camus Celli , keyboardist Guy Daniel and drummer Pat Schick . 1 +Neuqua Valley High School , along with three primary schools and 19 secondary schools from this district , are within Naperville city limits in the southern part . Neuqua Valley High School , together with three secondary schools and 19 elementary schools from this district , are within Naperville city limits in the southern part . 0 +In 1974 , Lyn Collins recorded the song , producing Brown . In 1974 Lyn Collins recorded the song , with Brown producing . 1 +Highsmith is the father of current former NFL player Ali Highsmith and uncle of former NFL player Alonzo Highsmith . Highsmith is the father of the current former NFL player Ali Highsmith and former NFL player Alonzo Highsmith uncle . 1 +The continuing popularity of this mobile suit in Japan has led Bandai to create a 1.5 m high model version , which went on sale in Japan in 2007 . The continuing popularity in Japan of this mobile suit has led Bandai to create a 1.5m tall model version , which went on sale in Japan in 2007 . 1 +Author and researcher Nahid Afrose Kabir studied violent events on similar reporting . Author and researcher Nahid Afrose Kabir examined similar reporting on violent events . 0 +Kosmos operates in Cayar and St. Louis blocks offshore - Senegal . Kosmos operates in the Cayar and Senegal blocks offshore St. Louis . 0 +Formally , Bridgeville was part of Rock Hill . Rock Hill was formally part of Bridgeville . 0 +On 30 July 2017 , Miley gave up the 3,000th Adrián Beltré career hit . On July 30 , 2017 , Miley gave up Adrián Beltré 's 3,000th career hit . 1 +She talks to Jen 's parents and speculates that Jess may have come back to take the earrings . She talks to Jess 'apos ; parents and speculates that Jen may have come back to take the earrings . 0 +The bibrik is white with a black or brown head , the wool is of course with a yield of 41.5 microns and an average diameter of . The Bibrik displays white with a black or brown head . The wool is course with a yield of and an average diameter of 41.5 micrometres . 1 +Throughout her relationship , the couple lived in London and Los Angeles , though Seymour spent more time in Los Angeles for their work . During their relationship the pair lived in Los Angeles , though Seymour spent more time in London and Los Angeles for her work . 0 +"His first instrumental solo - acoustic guitar album ( "" Favored Nations "" , 2001 ) was a song that he dedicated to Michael Hedges ." """ Intuite "" ( Favored Nations , 2001 ) was his first instrumental , solo acoustic guitar album . It included a song he dedicated to Michael Hedges ." 1 +Dummer was born in Newbury , Massachusetts , the first son of Richard Dummer and his second wife , Frances Burr . Born in Newbury , Massachusetts , the first son of Richard Dummer and his second wife , Frances Burr , was born . 1 +It is located to the north of Mount Ivy , east of Harriman State Park , north of Monsey and west of New Hempstead . It is located to the north of New Hempstead , east of Harriman State Park , north of Monsey and west of Mount Ivy . 0 +The Zagreb recordings , announced at the Kulušić club , were made by the rock critic Dražen Vrdoljak and featured Theodore Yanni on guest guitar . Zagreb recordings announced at the Kulušić club were made by the rock critic Dražen Vrdoljak and made available to Theodore Yanni on the guest guitar . 1 +Ian Weatherhead lived for many years in Somerset before moving to Cheltenham . For many years , Ian Weatherhead lived in Cheltenham , before moving to Somerset . 0 +Original members of the NYL include : Hanford , Roosevelt , Merced , Visalia , Madera , Fresno and Edison . Original members of NYL include : Hanford , Roosevelt , Merced , Visalia , Madera , Fresno and Edison . 1 +Within a few days , around 7,000 female prisoners were evacuated from Sweden to Denmark and then to Ravensbrueck . Within a few days , around 7,000 female prisoners were evacuated from Ravensbrück to Denmark and then to Sweden . 0 +Finally , the global stiffness matrix is expanded by adding the individual constructed element matrices together . Finally , the global rigidity matrix is expanded by adding together the individual constructed element matrices . 1 +Their objectives were , in most cases , involuntary areas ( see Underpopulated Remote Settlements in the Soviet Union ) . In most cases their destinations were Involuntary areas ( see underpopulated remote settlements in the Soviet Union ) . 1 +They are often consumed with beer and are sometimes a bar snack . They are often consumed with beer and sometimes they are a snack . 1 +Species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . The species was discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . 0 +"If so , modern territory would probably have been shaped like a beautiful five-sided "" home plate "" ." "If so , fair territory would probably have been shaped like a modern five-page "" home plate "" ." 0 +The first patented air data computer in the USA was developed by John H. Andresen in February 1971 . The first air data computer developed in the US was patented by John H. Andresen in February , 1971 . 0 +The first edition of the tournament won by Eduardo Schwank against Ricardo Mello at 6 : 4 , 6 : 2 in the final . Eduardo Schwank won the first edition of the tournament against Ricardo Mello 6 -- 4 , 6 -- 2 in the final . 1 +However the term Siyin is official and Sizang is local terminology The name Siyin is local , however , and Sizang is official terminology . 0 +The Seaca River or Pârâul Sec is a tributary of the River Olt in Romania . The Olt River or Pârâul Sec is a tributary of the River Seaca , Romania . 0 +Some say that when Jeong Yim returned from studying with Ching Cho , he went back to Chan Heung and combined his knowledge into the Choy Li Fut System . Some say when Jeong Yim returned from studying with Ching Cho , he went back to Chan Heung and combined his knowledge into the Choy Li Fut system . 1 +The 1943 Istanbul Football Cup season was the single season of the cup . Galatasaray won the cup for the second time . The tournament was second-elimination . The season of the Istanbul football - Cup 1943 was the single season of the cup , Galatasaray won the cup for the second time . 0 +It was directed by Leslie H. Martinson , written by George Kirgo and was originally broadcast April 5 , 1982 on NBC . It was written by Leslie H. Martinson , addressed by George Kirgo and was originally broadcast on NBC on 5 April 1982 . 0 +Clara Louise Janowsky ( 1886 - 1978 ) ( known as Clara Louise Bell ) was an American miniature painter . Clara Louise Bell ( known as Clara Louise Janowsky ) ( 1886 - 1978 ) was an American miniature painter . 1 +For the 2007 games , Futsal was added to the Basque programme ( and for the first time since 2011 ) , while Racquetball and only Pelota were dropped . For the 2007 games , Futsal was added to the program for the first ( and only time since 2011 ) , while Racquetball and the Basque Pelota were dropped . 0 +"Simply stated , nine points determine a cubic , but in general define a "" unique "" cubic ." "Simply put , nine points determine a unique , but in general , define a "" cubic "" cubic ." 0 +Youngest player to reach 57 points in a game : ( 57 points , New York Knicks at San Francisco Warriors ) . Youngest player to score 57 points in a game : ( 57 points , New York Knicks at San Francisco Warriors ) . 1 +Siskiyou National Forest is situated on the US Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . Port Orford is located on the US Route 101 between the Pacific and Siskiyou National Forest , north of Gold Beach and south of Bandon . 0 +In 2016 , 3.9 % of children attended bilingual primary schools . In 2016 , 3.9 % of children attended primary school in bilingual education . 0 +The soundtrack theme was composed by John Williams and was performed by Paul McCartney . The soundtrack topic was composed by Paul McCartney and performed by John Williams . 0 +Both segments were abandoned beginning with the Lafayette segment in 2002 and the Hurtsboro line in 2003 . Both track sections were abandoned with the Hurtsboro segment in 2002 and the Lafayette line in 2003 . 0 +Amanda then begins a relationship with Drew , much to the disgust of Peter . Then a relationship begins with Drew , very much to the disgust of Peter . 0 +Cloud9 is the only IDE for the native onboard computer BeagleBone Black , which is programmed primarily in an extension of node.js called Bonescript . Cloud9 is the native IDE for the BeagleBone Black single board computer , which is primarily programmed in an extension of node.js called Bonescript . 0 +The magazine was based in London but was published in Paris by Gerald Duckworth and Company . The magazine was located in Paris , but was published by Gerald Duckworth and Company in London . 0 +Paulus was an assistant to Bruno Simma in the LaGrand case . Bruno Simma was in the case of LaGrand assistant to Paulus . 0 +Born in Atlanta , Georgia , the son of Gina Ann ( nee Carlton ) and William Riggs , he has a younger brother , Grayson . Riggs was born in Atlanta , Georgia , the son of William Riggs ( born Carlton ) and Gina Ann . He has a younger brother , Grayson . 0 +Malmö FF U18 beat Djurgårdens IF U18 with 3 -- 0 . Djurgårdens IF U18 beat Malmö FF U18 with 3 : 0 . 0 +He was an atheist in early life but converted into a believer in the later stages . In later life , he was an atheist , but became a believer in the early stages . 0 +The game was published on 12 September 2008 in North America and on September 22 in Europe . The game was released in North America on September 12 , 2008 , and in Europe on September 22 , 2008 . 1 +Poulenc later reduced the full score to a shorter orchestral suite . Later , Poulenc reduced the orchestra score to a shorter full suite . 0 +Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo on the day of Colleen 's wedding . Shawn told Shawn that his mother was not married and his father was still dead and on the day of Colleen 's wedding , Stefano told Colleen and Santo . 1 +In recent years , however , the number of black Americans has increased in the city , and some have occupied well-kept areas in traditionally European neighborhoods . But in recent years the number of European Americans in the city has increased , and some have occupied gentrified areas in traditionally black neighborhoods . 0 +Additional land was transferred to Malden from Medford ( 1817 ) , Everett ( 1875 ) , and Malden ( 1877 ) again . Additional land was transferred from Malden ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) to Medford . 0 +The Huánuco region is the largest of the eleven provinces of the Province of Puerto Inca , Peru . The Huánuco Region is the largest of eleven provinces of the Puerto Inca Province in Peru . 1 +The latter study is one of the few prospective demonstrations that environmental stress with high blood pressure and LVH remains associated . The latter study remains one of the few prospective demonstrations that environmental stress is associated with hypertension and LVH . 1 +The small dimension of the possible media market has constrained Montenegrin media ventures , especially in the broadcasting sector where the operating costs are high . The small dimension of the possible media market has restricted the Montenegrin media companies , especially in the broadcasting sector , where operating costs are high . 1 +"Tanhaiyan Naye Silsilay 's title song "" Hain Yeh Silsilay "" is sung by Zoe Viccaji , composed by Shani Haider and lyrics by Shahi Hasan ." "The title song "" Hain Yeh Silsilay "" from Tanhaiyan Naye Silsilay is composed by Zoe Viccaji , sung by Shahi Hasan and by Shani Haider ." 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics in the parish of St. Josef are assigned to Bad Urach . The members of the United Methodist Church gather in Laichingen , while the Catholics are used in the parish of Bad Urach in St. Joseph . 0 +Zander has detailed methods for generating support measures for molecular serial descent and for morphological serial descent using Bayes factors through Decibanaddition . Zander has detailed methods for generating support measures for deciban descent and for morphological serial descent using Bayes factors through molecular serial addition . 0 +As predicted , since 2015 , only 28 % of the promised amount has been reimbursed . As promised , only 28 % of the predicted amount has been refunded since 2015 . 0 +Nikolaus Friedrich von Thouret ( born Stuttgart , 2 June 1767 ; died Ludwigsburg , 17 January 1845 ) . Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on 17 January 1845 in Stuttgart ) . 0 +He was a member of the Jura municipal council for the canton of Beaufort , then in 1877 General Council . He was a member of the general council of Jura for the canton of Beaufort , then municipal councilor in 1877 . 0 +Physetocaris is a Caridean genus of monotypic shrimp containing a single species of physetocaris - microphthalma . Physetocaris is a caridean genus of monotypic shrimp , containing a single species , Physetocaris microphthalma . 1 +The season of 1975 -- 76 NBA was the 30th season of the National Basketball Association . The 1975 -- 76 NBA season was the 30th season of the National Basketball Association . 1 +On 7 June he won the postponed Superstock TT race , his 27th TT victory and 16th podium . On 7 June he won the postponed Superstock TT race , his 16th TT victory and the 27th podium . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of Bad Urach are assigned in St. Joseph . The members of the United Methodist Church gather in Laichingen , while the Catholics are appointed to the parish of Bad Urach in St. Joseph . 1 +"He trained at Canada 's prestigious Sheridan College under the tutelage of such renowned illustrators as Joe Morse , Gary Taxali , "" Christoph Niemann "" and Kathryn Adams ." He trained at the prestigious Sheridan College in Canada under the direction of renowned illustrators such as Kathryn Adams , Joe Morse , Gary Taxali and Christoph Niemann . 1 +In the Adams division , the Boston Bruins and Montreal Canadians never missed the playoffs in this format , while the Buffalo Sabres missed only twice . In the Adams division , Buffalo Sabres never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens were only missing twice . 0 +Lemoa is a town and municipality in the province of Bizkaia , in the Autonomous Community of Basque Country , in northern Spain . Lemoa is a town and municipality located in the province of Basque Country , in the autonomous community of Biscay , northern Spain . 0 +Kizaru and the navy confront Zephyr and the Straw Hats but the ex-Admiral allows the Neo Marines , Kuzan and the Straw Hats to escape the island . Kizaru and the Navy escape Zephyr and the straw hats , but the Ex - Admiral allows the Neo - Marines , Kuzan and the straw hats to confront the island . 0 +The single was produced overseas in the United States and was created and recorded by Howard Benson . The single was produced and recorded overseas , in the United States and produced by Howard Benson . 0 +In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their 2012 school year . In Australia , the Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their school year 2012 . 1 +The long tunnel runs from a warehouse near San Diego airport to a warehouse in Tijuana . The long tunnel runs from a warehouse near Tijuana airport to a warehouse in San Diego . 0 +PATH - Service from the Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . PATH service from Exchange Place runs east to the World Trade Center , north to Hoboken Terminal , and west to Journal Square and Newark Penn Station . 0 +Frank proposed to accompany the children because he wanted to see Aslan himself . Aslan offered to accompany the children , as he wanted to see Frank himself . 0 +The Initial H Block ( formerly Isolation Ward ) was designed by Leighton Irwin in conjunction with the first major works on the relocated hospital area . The Initial H Block ( former Isolation Ward ) was designed by Leighton Irwin , in conjunction with the first major works on the relocated hospital site . 1 +Buffham joined the National Security Agency in 1949 and went on to the newly formed Armed Forces Security Agency in 1952 . In 1949 , Buffham joined the National Security Agency and moved on to the newly established Armed Forces Security Agency in 1952 . 1 +"He appeared as George Tyrell in the disaster film "" Daylight "" 1996 and as Archie Mullen in the movie "" Freedom Song "" ( 2000 ) ." "He appeared as Archie Mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." 0 +In April 2014 , 2-5 cavalry used from 1 ABCT , 1CD to Europe to support Operation Combined Resolve II , a NATO exercise in Southeast Germany . In April 2014 , 2-5 cavalry from 1 ABCT , 1CD used to Germany to support Operation Combined Resolve II , a NATO exercise in Southeast Europe . 0 +The series was created by John Ashley and Frank Lupo and was produced by Robert Palm as an executive . The series was created by John Ashley and Frank Lupo and executive produced by Robert Palm . 1 +The music was composed by Poovachal Khader and lyrics was written by M. S. Viswanathan . The music was composed by M. S. Viswanathan and the lyrics by Poovachal Khader were written . 0 +It consists of two parts , Zemendorf and Stöttera , both upstream of Pöttelsdorf and downstream from Antau on the Wulka . It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka upstream from Pöttelsdorf and downstream from Antau . 1 +The Association The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter awards . The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapter prizes . 0 +After Izumi drew some early character designs for Hibiki , Maeda wanted to continue the story and begin a manga with Izumi as the artist . After Izumi drew some early character designs for Hibiki , Maeda wanted to continue the story and start a manga with Izumi as the artist . 1 +The astors settled in North America , appearing for the first time in the 18th century in Germany with John Jacob Astor , one of the richest people in history . The astors settled in Germany and first appeared in the 18th century in North America with John Jacob Astor , one of the richest people in history . 0 +Most of the other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % , and Britain 1.9 % . Most of the other common birth countries were China 14.7 % , the Philippines 7.0 % , India 5.1 % , Nepal 2.6 % , and England 1.9 % . 0 +On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves manager Bobby Cox as manager of the team in 2011 . On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González as team manager in 2011 . 0 +"The Pauline letters , the earliest texts of the New Testament , often refer to Jesus as "" Christ Jesus "" or Christ "" ." "The Pauline epistles , the earliest texts of the New Testament , often refer to Jesus as "" Christ Jesus "" or "" Christ "" ." 1 +Provogue is the official clothing sponsor of Rajasthan Royals in the Indian Premier League and the official sponsor for clothing of all teams in the Indian cricket league . Provogue is the official clothing sponsor of Rajasthan Royals in the Indian Premier League and the official clothing sponsor of all teams in the Indian Cricket League . 1 +The first president of Antigone was Mauro Palma ( 1991-1999 ) , who were replaced by Stefano Anastasia ( 1999-2005 ) . The first president of Antigone was Stefano Anastasia ( 1991-1999 ) , who has been replaced by Mauro Palma ( 1999-2005 ) . 0 +Cold Mountain is approximately southeast of Waynesville and south of Asheville . Cold Mountain is about southeast of Asheville and south of Waynesville . 0 +Hucho is a genus of large salmonidae from cold rivers and other freshwater habitats in Eurasia , which are piscivorous and threatened by overfishing and habitat loss . Hucho is a genus of large salmonids from cold rivers and other freshwater habitats in Eurasia . They are piscivorous , and threatened by overfishing and habitat loss . 1 +The sixth season premiered on September 15 , 2013 , with the fifth season premiered on April 10 , 2014 . The fifth season premiered on September 15 , 2013 . The sixth season premiered on April 10 , 2014 . 0 +The decision to use modern clothing called Houseman an essential element in Orson ’ s conception of the play as a political melodrama with clear contemporary parallels . "The decision to use clear contemporary clothing called Houseman "" an essential element in Orson ’ s conception of the play as a political melodrama with modern parallels "" ." 0 +The radical party of the people ( Narodna radikalna stranka ) was founded as a conservative party in 1881 , but it developed into a radical direction from 1919 . The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but it developed into a conservative direction from 1919 . 0 +"Immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" in 1912 ." "Immediately after he and Whitehead published PM he wrote his 1912 "" The Problems of Philosophy "" ." 0 +Then IBF Lucian Bute was officially enforced as Carl Froch 's number one . Then , IBF officially enforced Carl Froch as Lucian Bute 's number one mandatory . 0 +Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey player and former gamer . Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey executive and Canadian professional player . 0 +Edwards subsequently apologised to Fletcher and compensated him for the flowers . Fletcher subsequently apologized to Edwards and compensated him for the flowers . 0 +Belfast is a ghost town in Licking County , in the U.S. state of Ohio . Belfast is a ghost town in Licking County in the state of Ohio . 1 +The first three floors were completed in 1885 , the three upper floors were completed in 1906 . The three upper floors were completed in 1885 and the first three floors were completed in 1906 . 0 +From Italy she moved to Konstanz , Germany in 1967 . In 1967 she moved to Italy from Konstanz . 0 +Andrés Oppenheimer considers that the Maduro proposal would allow all democratic institutions in Cuba to be abolished in a process similar to the 1976 Venezuela Constitution . Andrés Oppenheimer considers that the proposal would allow Maduro to abolish all the democratic institutions in Cuba , in a similar process to the 1976 Constitution of Venezuela . 1 +They form the majority of the population of the Xié River and the upper Vaupés river above the mouth of the Rio Negro . They form the bulk of the population of the Xié River and the upper Vaupés River above the mouth of the Rio Negro . 1 +The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengal during the 2014 Basketball season -- 15 NCAA Division I men . The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the Basketball season 2014 -- 15 NCAA Division I men . 0 +Abraham Naftali Hertz Scheuer was born in 1753 , the son of his father Rabbi David Tebele Scheuer in Frankfurt am Main . David Tebele Scheuer was born in 1753 in Frankfurt am Main as son of his father Rabbi Abraham Naftali Hertz Scheuer . 0 +The Fixer Uppers is a short film by Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach , in 1935 . The Fixer Uppers is a 1935 short film starring Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . 0 +This game was released in Japan on 18 February 2010 , North America on 23 February 2010 and Europe on 26 March 2010 . This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on 26 March 2010 . 0 +Scurria viridula is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . Scurria viridula is a species of sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 1 +Once Vijayabahu was raised to the throne as King Vijayabahu VII , he married another princess of Kirawelle . After Vijayabahu was raised to the throne as the king Vijayabahu VII , he married another princess of Kirawelle . 1 +It consists of a general factor and four facets of lower order ( cardiopulmonary symptoms , pain , gastrointestinal symptoms and fatigue ) . It consists of a general factor and four lower order facets ( gastrointestinal symptoms , pain , cardiopulmonary symptoms , and fatigue ) . 1 +In the application a statistic is determined from the experimental data , a probability of exceeding this statistic is calculated and probability is compared with a threshold value . In application , a statistic is determined from the experimental data , a probability of exceeding that statistic is calculated and the probability is compared to a threshold . 1 +A total of 16 teams qualified , but only 13 teams took part in the finals of the Olympic tournament . A total of 16 teams qualified but only 13 teams participated in the finals of the Olympic tournament . 1 +From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Family Holdings Company , and CEO of Huntsman Cancer Foundation . From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . 0 +"Sam Raimi and Rob Tapert produced the remake of "" The Evil Dead "" , along with Campbell ." "Sam Sam Raimi and Rob Tapert , together with Campbell , produced the remake of "" The Evil Dead "" ." 1 +Like its neighbour , Dunfermline East , the constituency was one of Labour 's safest seats in Scotland . The constituency was like its neighbour , Dunfermline East , one of the safest seats in Labour in Scotland . 1 +At present , it is the second most widely used language in international trade and the third most widely used language in politics , diplomacy and culture after English and French . At present it is the second most used language in international trade , and the third most used in politics , diplomacy and culture after English and French . 1 +The house was bought in 1858 by Sir George Dewhurst of Dunira , who in 1864 sold it to David Dundas of Lymm , Cheshire . The house was purchased by Sir George Dewhurst of Dunira in 1858 , who sold it on to David Dundas of Lymm , Cheshire , in 1864 . 1 +Azaloxan ( CGS-7135A ) is a medication that was marketed by Ciba-Geigy as an antidepressant in the early 1980s , but was never patented . Azaloxan ( CGS-7135A ) is a medication that was patented in the early 1980s by Ciba-Geigy as an antidepressant , but was never marketed . 0 +Later they went to New York City and then to Whitefish Bay , Wisconsin . They later moved to Whitefish Bay , Wisconsin , and then to New York City . 0 +Nina sees Ray the sights and wants to marry her , so she asks her father for permission . Nina sees the sights with Ray and wants to marry him , so she asks her father for permission . 0 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy written by Wong Jing , produced and managed by . Men Suddenly in Love is a 2011 Hong Kong romantic comedy produced by Wong Jing , written and led by . 1 +Pavizha Mutthu is a 1980 Indian Malayalam film , produced by Jesey and directed by Hari Pothan . Pavizha Mutthu is a Jesey produced Indian Malayalam film directed by Hari Pothan . 1 +""" A. frondiculus "" is the only member of the genus which is not found in the western Red Sea or in the Indian Ocean ." """ A. frondiculus "" is the only member of the genus which is not found in the western Red Sea or the Indian Ocean ." 1 +The expansion of China Airlines international presence has long been limited by the political status of Taiwan . The expansion of the international presence of China Airlines has long been limited by the political status of Taiwan . 1 +However the fact that an array of gases is observed only allows the measurement of averaged quantities . The fact that an array of gases is observed , however , allows only the measurement of averaged sizes . 1 +In January 1967 , Daltoni won the second place at Belgrade 's first Guitar festival . In January 1967 , Daltoni won first place at the second guitar festival in Belgrade . 0 +Specific historical conditions determined the attitude of the Russians towards the idea of national-cultural autonomy . Specific historical conditions determined the attitude of Russians towards the idea of national-cultural autonomy . 1 +Tyler flirts with Courtney at the party , but he is not interested and she leaves Elly Conway ( Jodi Anasta ) . Tyler flirts with Courtney at the party , but he is not interested and she leaves with Elly Conway ( Jodi Anasta ) . 1 +The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit for the city and the conurbation area . The city of Oklahoma City has designated Santa Fe railway station as the location for intermodal transit for the city and the greater area . 0 +Former Mangalore Station was located north of Seymour at the crossroads of North East and Shepparton lines . The former North East railway station was located north of Seymour at the crossroads of Mangalore and Shepparton lines . 0 +"The Healers is a Big Finish Productions audio drama based on the long-running British science fiction television series "" Doctor Who "" ." "The The Healers is a British drama by Big Finish Productions , based on the long-running audio - science - fiction - TV series "" Doctor Who "" ." 0 +While North Carolina is historically a conservative state , Wake County is typically a swing area . While North Carolina is typically a conservative state , Wake County is historically a swing-voting area . 0 +The main - songwriting - unit for the band formed Jon Jon Jovi and lead singer Sambora . Sambora and lead singer Jon Bon Jovi formed the main - songwriting - unit of the band . 0 +The incumbent democrat , David Walters , won re-election to Republican Jim Inhofe , the former governor , for a second term . Incumbent Democrat David Walters won re-election to a second term over Republican Jim Inhofe , the former Governor . 1 +Gaius Furnius was 17 BC during the reign of the Augustus Consul . Augustus was 17 BC during the reign of Gaius Furnius Consul . 0 +"The first well-known Spanish sighting of Whidbey Island was during the European expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." "The first known European observation of Whidbey Island was at the "" Princesa Real "" during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro in 1790 ." 0 +For any finite sequence of complex numbers λ , ... , λ . For any sequence of complex numbers λ , ... , λ . 0 +"Susan 's husband said : "" Stanton stirred the puddings , Susan touched Susan , and then Elizabeth stirs up the world ! !" "Susan 's husband said , "" Stanton stirred the puddings , Susan stirred up Susan , and then Elizabeth stirs up the world ! """ 1 +He died on February 19 , 1935 in Holyhood Cemetery , Brookline , Massachusetts , and was buried in Boston , Massachusetts . He died in Holyhood Cemetery , Brookline , Massachusetts , on February 19 , 1935 and was interred in Boston , Massachusetts . 1 +Simeon P. was born in Winton , North Carolina on June 11 , 1890 to Taylor and Kate ( Taylor ) Ward . Simeon P. was born on June 11 , 1890 in Winton , North Carolina , around Taylor and Kate ( Taylor ) Ward . 0 +But this mitigating influence can be achieved only if urban planning is significantly improved and urban services are properly maintained . But this mitigating influence can only be achieved if urban planning is properly maintained and city services are significantly improved . 0 +Chandima Weerakkody ( UPFA-SLFP ) died on May 30 , 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . 1 +"On 12 March 1801 , "" Eling was sailing with the British fleet under Admiral Sir Hyde Parker and became the Battle of Copenhagen ( 1801 ) ." "On 12 March 1801 "" Eling "" sailed with the British fleet under Admiral Sir Hyde Parker and was at the Battle of Copenhagen ( 1801 ) ." 1 +Bertlmann was close friend and collaborator of the late Walter Thirring and worked with John Stewart Bell . Bertlmann was a close friend and collaborator of the late John Stewart Bell and worked with Walter Thirring . 0 +In September 2009 , Inner Ear released it as a limited edition LP ( 500 red vinyls and 500 black vinyls ) . Inner Ear was released in September 2009 as Limited Edition LP ( 500 black vinyls and 500 red vinyls ) . 1 +"The name "" Macaire "" appears to have several claims to origin : it was a male name and is currently considered a male or female name ." "The name "" Macaire "" appears to have several claims of origin . It was a male name and currently is considered a male or female name ." 1 +23 April 1975 : Derby County win the title after Ipswich Town can only draw 1 -- 1 with Manchester City . April 23 , 1975 : Manchester City win the title after Derby County only with Ipswich Town 1-1 draw . 0 +On December 14 , 2011 , he was traded along with Kyle Weiland to the Houston Astros for reliever Mark Melancon . On 14 December 2011 , he was traded with Kyle Weiland to the Houston Astros for Reliever Mark Melancon . 1 +Motivated by his passion for the local football , Arid Garcia decided to support the professional football in the state of Lara . Motivated by his passion for local football , Arid Garcia decided to support professional football in the State of Lara . 1 +Although fiddling has changed considerably , since this time in Cape Breton , it is widely held that the tradition of Scottish fiddle music has been better preserved in Scotland . Although fiddling has changed considerably since that time in Scotland , it is widely believed that the tradition of Scottish fiddle music in Cape Breton has been better preserved . 0 +On August 2 , 2011 , Billy Hewes defeated Reeves . Billy Hewes defeated Reeves on 2 August 2011 . 1 +Maurice Tellier is the son of Paul Tellier and the grandson of Sir Joseph - Mathias Tellier , who was the brother of Louis Tellier . Paul Tellier is the son of Maurice Tellier , and the grandson of Sir Joseph-Mathias Tellier , who was the brother of Louis Tellier . 0 +The first European to visit Cornwallis Island was Sir William Cornwallis in 1819 and was named for British Royal Navy admiral Sir William Edward Parry . The first European to visit Cornwallis Island was Sir William Cornwallis in 1819 , and was named after British Royal Navy Admiral Sir William Edward Parry . 1 +These were promised by the Council within six months , but were implemented in September 2006 . These were promised by the Council within six months , but implemented in September 2006 . 1 +Since the Viking Age , there has been conscription in Denmark , where the 110th man of every physical court had to serve the king . Conscription has been around in Denmark since the Viking Age , where 1 physical man of every 10th court had to serve the king . 0 +The central part of the watershed of Nescopeck Creek , south of the northernmost hill , including the mouth of Black Creek , is also in this series . The northernmost part of the Black Creek watershed , south of the central line of hills , including the mouth of Nescopeck Creek , is also in this range . 0 +"It is Goines 's first published work and was written before "" Dopefiend "" but was written in 1972 , after "" Dopefiend "" was released ." "It 's Goine 's first published work and was written before "" Dopefiend "" , but was written in 1972 after "" Dopefiend "" was released ." 1 +He was trained in Weimar , later until 1865 in Dresden and went to New York after a short stay in Leipzig with Franz Liszt in 1869 . He was trained in Dresden , later until 1865 in Leipzig , and went to New York after a short stay in Weimar with Franz Liszt in 1869 . 0 +36.4 % were of Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % Italian and 5.4 % Scottish ancestry according to Census 2000 . According to the 2000 census , 36.4 % of Finnish , 10.2 % Swedish , 9.2 % were German , 7.1 % Italian and 5.4 % Scottish origin . 1 +Dom Domino and Psylocke distract Fantomex , while ForgetMeNot sneaks up on him and copies him to Hope , who teleports his superpowers , as well as the entire teams . Domino and Psylocke distract Fantomex while ForgetMeNot sneaks up to him and copies him to Hope , who teleports his super-powers , as well as the entire teams . 1 +"According to Pier Jaarsma in 2011 , neurodiversity is a "" typical neurological concept "" , which "" regards normal human development as a controversial difference "" ." "According to Pier Jaarsma in 2011 , neurodiversity is a "" controversial concept "" that "" regards atypical neurological development as a normal human difference "" ." 0 +Suzanne said she wanted to give Condon a Valentine 's Day card . Suzanne has said that she wanted to give Condon a Valentine 's Day card . 1 +Bret Hart accused Lawler of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . In 1995 , Lawler accused Bret Hart of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 0 +At that time , Cao Mao was only a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( cousin of Sima Wang ) . At the time , Cao Mao was merely a puppet emperor , because the actual power was in the hands of Regent Sima Wang ( Sima Zhaos Cousin ) . 0 +Since its 59th broadcast in 1927 , BBC Radio has also presented a live racing commentary for the first time . Since its first broadcast in 1927 , BBC Radio has also presented a live racing commentary for the 59th time . 0 +Creswell is served by the daily Roanoke Beacon newspaper from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . Creswell is served by the Roanoke Beacon daily from Plymouth , NC , and the Washington Daily News from Washington , NC , weekly . 1 +"In April 2013 , when the merger of Air Italy was completed , Meridiana Fly returned to its former , shorter name "" Meridiana "" ." "In April 2013 , when the merger of Air Italy was completed , Meridiana returned to its former , shorter name "" Meridiana Fly "" ." 0 +Amata leucacma is a species of the moth of the Erebidae family it is found in Queensland ( Australia ) . Amata leucacma is a species of moth of the family Erebidae . It is found in Queensland ( Australia ) . 1 +The name Edith has four name days : 14 May in Estonia , 31 October in Latvia , 5 July in Sweden and September 16 in France . The name Edith has four name days : May 14 in Estonia , 31 October in Sweden , 5 July in Latvia and 16 September in France . 0 +Born in Hungary ( Békésszentandrás ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Music Academy in Budapest . 1 +This is the complete list of places in Blaenau Gwent County Borough , South Wales . This is the list of places in South Wales County Borough , Blaenau Gwent . 0 +The Bristly Peaks include the Messent Peak and the Brodie Peak . The Bristly Peaks include the Brodie Peak and Messent Peak . 1 +He returned to Britain in 1858 before escorting Queen Victoria to Cherbourg in August 1858 . In 1858 he returned to Great Britain before escorting Queen Victoria to Cherbourg in August 1858 . 1 +Their children were from his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart : His wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell , were their children : 0 +It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and directed by Kamala Lopez . Kamala Lopez directed and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . 1 +Instead of Prince Patrick Island , the island in the film is located due north of Ellesmere Island ( cf . Instead of Prince Patrick Island , the island is in the film north of Ellesmere Island . 1 +A Bollywood - remake of the film was made in 2005 with Irrfan Khan and Ilene Hamann , directed by Himanshu Brahmbhatt , named Rog . A Bollywood remake of the film was made in the year 2005 named Rog starring Irrfan Khan and Ilene Hamann Directed by Himanshu Brahmbhatt . 1 +"In November 2007 , Joseph Ransdell endorsed Jaime Nubiola 's view that "" It is simply a mystery at this point "" ." "In November 2007 , Joseph Ransdell advocated Jaime Nubiola 's view that "" at this point it is simply a mystery "" ." 1 +The medals were presented by Yair Davidovich , IOC member , Pakistan and Syed Shahid Ali , Council Member of the International Shooting Sport Federation . The medals were presented by Yair Davidovich , IOC - member , Pakistan and Syed Shahid Ali , member of the International Shooting Sport Federation Council . 1 +He feared that he would be murdered if he fled to Tokyo and went to Moulmein instead . He feared that he would be assassinated if he went to Moulmein and instead fled to Tokyo . 0 +Desha married his wife , Natasha Hastings , in 1995 . He is the cousin of American sprint athlete Hislop . In 1995 , Hislop married his wife Desha , the cousin of the American sprint athlete Natasha Hastings . 0 +At WrestleMania XV , Holly lost the title to Gunn in a Triple Threat match that also included Al Snow . At WrestleMania XV , Gunn lost the title to Holly in a Triple Threat match which also included Al Snow . 0 +The material was originally desirable in the 1950s because its high melting point and tensile strength were more interesting than that of the more common form of polyethylene . The material was originally of interest in the 1950s , because its high melting point and high tensile strength were more desirable than the more common form of polyethylene . 0 +U.S. Route 1 Business was established in 1960 , as a renumbering of US 1A through Gill and downtown Henderson , via Raleigh Road and Garnett Street . US Route 1 Business was founded in 1960 as a renumbering of U.S. 1A via Gill and Downtown Henderson via Raleigh Road and Garnett Street . 1 +Over the years , ACT-R models have been quoted in more than 700 different scientific publications and have been used in many others . Over the years , ACT-R models have been used in more than 700 different scientific publications , and have been cited in many more . 0 +The Gill family closed the mill in 1968 and sold them to the new owners in 1980 . The Gill family sold the mill in 1968 and was closed in 1980 by the new owners . 0 +The method of Wu is powerful for the complete theorem proving in elementary geometry and provides a mechanical decision process for certain problem classes . Wu 's method is powerful for mechanical theorem proving in elementary geometry , and provides a complete decision process for certain classes of problem . 0 +"According to the new doctrine , French principles should be observed , especially to protect the principle of "" freedom of action "" ." "According to French doctrine , new principles should be observed , primarily to protect the principle of "" Freedom of Action "" :" 0 +Catalina State Park and the Coronado National Forest in the Santa Catalina Mountains form the eastern boundary of Oro Valley . State Park and the Coronado National Forest in the Santa Catalina Mountains form the eastern border of Oro Valley . 1 +He was born in West Point , New York , and attended the Weber State University in Utah . Liparulo was born in West Point , New York . He attended Weber State University in Utah . 1 +For six months , Hopkins toured England , the United States and Japan with the band . Hopkins toured six months with the band through Japan , the United States and England . 1 +Under Ottoman rule , Avdella was in the kaza of Grevena , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Bitola ) . Under Ottoman rule Avdella was in the Kaza of Grevena , Sanjak von Serfice ( modern Servia ) , Vilayet of Monastir ( modern Bitola ) . 1 +John Geza Ashton was born on 30 November , 1957 in Whips Cross Hospital , Forest Gate , Leicestershire , and lived in North Kilworth in south London . Ashton was born on November 30 , 1957 in the Whips Cross Hospital in Forest Gate , Leicestershire , and lived in North Kilworth , South London . 1 +In 2014 , Huston Smith was published an authorized biography of Sawyer . In 2014 , Huston Smith 's authorized biography of Sawyer was published . 1 +Jacopo Silvestri ( 15th century -- 16th century ) was an Italian cryptographer and author . Jacopo Silvestri ( 16th -- 15th century ) was an Italian cryptographer and author . 1 +Hugues Merle died in Paris in 1881 , his son Georges Merle also became painter . Hugues Merle died in 1881 in Paris . His son Georges Merle also became a painter . 1 +The zone serves eastern & central Madhya Pradesh , southern Rajasthan , and northeastern Uttar Pradesh state . The zone serves eastern and central Madhya Pradesh , southern Uttar Pradesh and the northeastern Rajasthan State . 0 +White loses 3 ... Qh4 + 4.Kf1 , loses the right to the castle , but this allows time for black after the inevitable Nf3 and white will develop rapidly . White loses 3 ... Qh4 + 4.Kf1 , losing the right to castle , but this allows time for Black after the inevitable Nf3 and White will develop rapidly . 1 +Blue jays , like other corvids , are highly intelligent and are considered curious birds . Like other Corvids , Blue Jays are very intelligent and are considered curious birds . 1 +The incident was not originally reported by the state-controlled Iranian media , but was instead first reported on by international media . The incident was originally not reported by the state-controlled Iranian media , but was first reported by international media . 1 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentinean physicist who has done most of his work in Argentina . Miguel Ángel Virasoro ( born Argentina in 1940 ) is an Argentine physicist who has done most of his work in Italy . 0 +Tom Ortenberg , CEO of Lionsgate Films and former president of Open Road Films , was born and raised in Briarcliff Manor . Born and raised in Briarcliff Manor , Tom Ortenberg was born , CEO of Lionsgate Films and former president of Open Road Films . 1 +Ogle County , Illinois is located in Mount Morris Township . Mount Morris Township is located in the Ogle County , Illinois . 0 +They have long pointed wings and sometimes tail and a fast direct flight . They have long pointed wings and sometimes tails and a fast direct flight . 1 +The FBI and the British authorities question Tom about his association with Frankie . The FBI and the British authorities question Tom about his connection with Frankie . 1 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and was managed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was led by Ali Akram Shuvo and composed by Sheikh Sadi Khan . 0 +Statue of Ma.Po.Si in 2011 in Tyagaraya Nagar ( T. Nagar , Chennai ) Statue of Ma.Po.Si in Chennai in 2011 ( T. Nagar , Tyagaraya Nagar ) 0 +Phaenomenella mokenorum is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . Phaenomenella mokenorum is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +"Burton L. "" Burt "" Collins ( March 27 , 1931 , Philadelphia - February 23 , 2007 , New York City ) was an American jazz trumpeter ." "Burton L. "" Burt "" Collins ( 27 March 1931 , New York City -- 23 February 2007 , Philadelphia ) was an American jazz trompeter ." 0 +The first thing you learn in racing is to win a race , first you have to end . The first thing to learn in racing is to finish a race , first you have to win . 0 +David Lough recorded the first Chasers home hit and Mike Moustakas doubled in Eric Hosmer for the first RBI . David Lough took the first Chasers Home - Hit and Mike Moustakas doubled in Eric Hosmer for the first RBI . 1 +Narthecium is a herbaceous genus of Eurasian and North American flowering plants . Narthecium is a herbaceous genus of Eurasian and North American flower plants . 1 +After the Muslim invasions of the seventh century , the original Christians from Azerbaijan have almost disappeared . After the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan almost disappeared . 0 +"Bass lost -- "" Bomb Your Soul "" ." Bomb the Bass -- Your Soul Lost ? 0 +The flag of Sri Lanka was adopted in 1987 for the western province of the Western Province . The flag of Western Province , was adopted for the Western Province of Sri Lanka in 1987 . 0 +Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo from Spain . Francisco Javier Mier Campillo ( 1748 -- 1818 ) was a Spanish bishop who was Grand Inquisitor of Spain from 1814 to 1818 . 0 +Mellis Napier is named after Sir Napier , who was Chief Justice of South Australia for 25 years and a total of 43 years in the Supreme Court . Napier was named after Sir Mellis Napier , who was Chief Justice of South Australia for 25 years and a total of 43 years in the Supreme Court . 0 +Horner changed his mind when Cameron presented the song to him . Horner changed his mind when Cameron introduced him to the song . 1 +The dynamic component is the total resistance of the soil minus the static component . The dynamic component is the total soil resistance minus the static component . 1 +It was also relatively small : usually composed of 6 pages 12x 20 cm , printed in two columns . It was also relatively small : usually 12x of 6 pages composited 20 cm , printed in two columns . 0 +We take things with an open mind , while historians tend to find a topic and use the material to prove their point . "We approach things with an open mind , while historians tend to find a subject and take the material to prove their point. """ 1 +Guelma was a public airport near Guelma Belkheir Airport , Guelma , Algeria . Guelma was a public use airport located near Guelma Belkheir Airport , Guelma , Algeria . 1 +This version was published on August 18 , 2016 in Europe and Australia and on January 5 , 2017 in North America . This version was released in North America on August 18 , 2016 , and Europe and Australia on January 5 , 2017 . 0 +On 23 January 2006 , Ericsson acquired a majority of Marconi Communications ' parent company , Marconi Corporation plc . The remainder of Marconi Corporation plc was renamed Telent plc . On January 23 , 2006 , Ericsson acquired a majority stake in the parent company of Marconi Communications , Marconi Corporation plc . The rest of Marconi Corporation plc was renamed Telent plc . 1 +The static component is the entire soil resistance minus the dynamic component . The static component is the total soil resistance minus the dynamic component ) . 1 +""" Blastfighter "" was theatrically distributed in Italy , where it was released on July 25 , 1984 by Medusa Distribuzione ." """ Blastfighter "" was released theatrically in Italy where it was distributed by Medusa Distribuzione on 25 July 1984 ." 0 +Andre Andre Agassi won 6 -- 2 , 6 -- 4 against Paul Annacone in the finals . Andre Agassi won in the final 6 -- 2 , 6 -- 4 against Paul Annacone . 1 +George Harrison considered Mukunda and the others who first came to England to be his lifelong friends . Mukunda considered George Harrison and the others who came to England for the first time to be his lifelong friends . 0 +In Delaware , the law applies only to minors under 16 and in South Carolina to minors under 17 . In South Carolina , the law applies only to minors under 16 and in Delaware for minors under 17 . 0 +You have two sons and one daughter , Alex , Jake and Andy . They have two sons and a daughter , Andy , Jake and Alex . 0 +In 1941 , Ruth Stuber married Armand L. Jeanne ( b . In 1941 , Armand L. Jeanne Ruth Stuber was married . 1 +Union City 's Chief of Police is Brian Barrett , a Union City resident who replaced former Chief Richard Molinari . The Union City Police Chief is Brian Barrett , a resident of Union City , who replaced former Chief Executive Officer Richard Molinari . 1 +She was born in Usera , Spain ( Madrid ) on April 18 , 1976 . It was born on April 18 , 1976 in Usera , Madrid ( Spain ) . 1 +The Vela family , prominent in the racing industry , had donated $ 150,000 to Peters over a four-year period . The Vela family , prominent in the racing industry , had donated Peters to $ 150,000 over a four-year period . 1 +Dallas entrepreneur Nick Kennedy , who founded RISE , will serve as president of the Texas and southeast region for Surf Air . The Texan entrepreneur Nick Kennedy , who founded RISE , will serve for Surf Air as President of the Dallas and Southeast region . 0 +Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he has made false statements and attributed forged works to Lewis . The independent hooper - scholar Kathryn Lindskoog argued that Lewis ' scholarship is not reliable and that he has made false statements and attributed fake works to Lewis . 0 +Giuseppe Avati , better known as Pupi Avati ( * November 3 , 1938 ) , is an Italian film director , producer and screenwriter . Pupi Avati , better known as Giuseppe Avati ( born 3 November 1938 ) , is an Italian film director , producer , and screenwriter . 0 +In 1951 , he appeared again with Secombe when they appeared on the same bill in variety . In 1951 , he performed with Secombe again , when they appeared on the same bill in variety . 0 +Tupperware Corporation , formerly Tupperware Brands Corporation , is an American direct multinational distribution company . Tupperware Brands Corporation , formerly Tupperware Corporation , is an American multinational direct distribution company . 0 +Hasegawa 's research also includes the Japanese history of the Russian Revolution of 1917 and Soviet -- political and social relationships . Hasegawa 's research also included the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . 0 +Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an American artist and an Italian intellectual . Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an Italian artist and an American intellectual . 0 +The standard distribution function ( cdf ) of the cumulative distribution is : The function of the cumulative distribution ( cdf ) of the standard distribution is : 0 +In Enzo , the replacement guitarist who inspired her to new creative heights , she finds new hope and friendship . In Enzo , the replacement guitarist who inspired her to new heights , she finds new creative hope and friendship . 0 +The Soviet Union maintained an embassy in Moscow and a consulate in Barentsburg , while Norway maintained a message in Oslo . The Soviet Union maintained embassy in Oslo and a consulate in Barentsburg , while Norway maintained an embassy in Moscow . 0 +This balance was inserted into the accumulator when the card was read into the car . This balance was inserted into the accumulator when the card was read into the carriage . 1 +Hyper Bike is a motorcycle racing game for the Nintendo 64 , which was developed by Snowblind Studios and published by Kemco . Hyper Bike is a motorbike racing game for the Nintendo 64 , developed by Kemco and published by Snowblind Studios . 0 +His Othello was captured on record in 1964 with Jay Robinson as Iago and on video in 1981 with Ron Moody as Iago . His Othello was detained in 1964 with Jay Robinson as Iago and in 1981 with Ron Moody as Iago on video . 1 +Joe Root also of Yorkshire and currently England 's rising cricket star , now captain of England , was born and raised in Dore . Born and raised in Dore , Joe Joe Root was born , also by Yorkshire and currently England 's rising cricket star , now Captain of England . 1 +His first wife was Anna Williams , his second wife 's sister . His second wife was Anna Williams , his first wife 's sister . 0 +Also , he does not like the world of court and always says it . He is a lead , and criticizes two of Shakespeare 's most common monologues . He also does not like and always criticizes the world of the Court , he is a leading actor and says two of Shakespeare 's most common monologues . 0 +The 2003 Rose Revolution replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer ties with western institutions including NATO . The 2003 Rose Revolution replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer relations with Western institutions like NATO . 1 +When Kone returned to Finland in 1928 , he initially worked as a designer for the company of his father Herlin . When Herlin returned to Finland in 1928 , he worked first as a designer for Kone , his father 's company . 0 +Ambeshetgaon is a village in the Talasari district of Maharashtra , India . It is located in the Palghar taluka . Ambeshetgaon is a village in Palghar - district of Maharashtra , India . It is located in the Talasari Taluka . 0 +Shreveport is a part of the DeSoto Parish -- Bossier City , LA Metropolitan Statistical Area . Shreveport is part of the DeSoto Parish -- Bossier City , LA Metropolitan Statistical Area . 1 +The 1912 - 13 season was Manchester United 's sixth season in the Football League and 21st in the First Division . The season 1912 -- 13 was the 21st season of Manchester United in the Football League and the sixth in the First Division . 0 +In 1881 , he married Agnes Theodora Walther , daughter of Vilhelm Theodor Walther , and his son is the botanist and draftsman Vagn Petersson . In 1881 , he married Agnes Theodora Walther , daughter of Vagn Petersson , and his son is the botanist and sketch artist Vilhelm Theodor Walther . 0 +Juan Ramón Jiménez was born in Moguer , near Huelva , in Andalucia , on 23 December 1881 . Ramón Jiménez was born on 23 December 1881 in Moguer , near Huelva , in Andalucia . 1 +""" The Evolution of Dance "" is the ninth interplay and the second track on the album ." """ The Evolution of Dance "" is the second interlude and the ninth track for the album ." 0 +"He appeared on the CW in "" The Secret Circle "" and played in the Hallmark - series "" When Calls the Heart "" ." "He appeared in "" The Secret Circle "" on The CW and starred in the Hallmark series "" When Calls the Heart "" ." 1 +The film is about two California brothers who move to Arizona and end up fighting a gang of young vampires . The film is about two Arizona brothers who move to California and end up fighting a band of young vampires . 0 +In addition to its main studios , Austin Bureau operates an KTTC , within the Riverland Community College campus , on 8th Avenue Northwest . In addition to the main studios , KTTC operates an Austin Bureau within the Riverland Community College Campus at 8th Avenue Northwest . 0 +It was located for most of its time next to Naval Air Station Dallas , now known as the Grand Prairie Armed Forces Reserve Complex . It was known for most of its time next to Naval Air Station Dallas , now called the Grand Prairie Armed Forces Reserve Complex . 1 +Mylott was the grandmother of the father of the actor and film director Mel Gibson and is related to Australian pianist Tamara Anna Cislowska . Mylott was the paternal grandmother of the actor and film director Mel Gibson and is also related to the Australian pianist Tamara Anna Cislowska . 1 +He founded the village of Schererville one mile north of Hartsdale . He established the Village of Hartsdale one mile north of Schererville . 0 +Babatunde Obada is married to Olusola with whom they have four children . Olusola is married with Babatunde Obada , with whom they have four children . 1 +The Sri Parashakthi Kshetra is located almost 30 km from Mangalore Railway Station and 20 km from Mangalore International Airport . Sri Parashakthi Kshetra is located almost 30 km from Mangalore Railway Station and 20 km from Mangalore International Airport . 1 +Following the election the Labour leader of the council for the previous 3 years , Colin Anderson , was defeated in a leadership election by Bob Symonds . Following the election , Colin Anderson , the Labour leader of the Council for the last 3 years , was defeated in a leadership election of Bob Symonds . 1 +A tribute to Jamie Parker and Claire Martin , the American actor Seth MacFarlane , with Frank Sinatra , was the lead singer . A tribute to Jamie Parker and Claire Martin . American actor Seth MacFarlane was the lead singer , with Frank Sinatra . 1 +The Șorogari River is a tributary of the Cârlig River in Romania . The river Cârlig is a tributary of the river È orogari in Romania . 0 +"McBride for his band , Christian McBride "" Inside Straight recruited ." McBride recruited Allen for his band , Christian McBride & Inside Straight . 0 +In comparison to previous instruments , this camera allows for more sensitive images in the near infrared range of the visible spectrum and in the red area . This camera allows for more sensitive images in the red part of the visible spectrum and in the near infrared , in comparison to previous instruments . 0 +The river Slănic is a tributary of the River Comina in Romania . The Comina River is a tributary of the River Slănic in Romania . 0 +Therefore , the optimal language is additive up to this universal constant . The optimum language up to this universal constant is therefore additive . 1 +This was the first season for the Giants after the AFL -- NFL merger , in which ten American Football League teams joined the National Football League . This was the first season for the Giants after the AFL - NFL merger , in which ten American Football League teams from the National Football League have joined . 1 +Conservative central forces that are conservative can always be expressed as a negative gradient of potential energy : Central forces that are conservative can always be expressed as the negative gradient of a potential energy : 1 +Grose Wold is a suburb of Sydney , in the state of New South Wales , Australia . It is located in the city of Hawkesbury . Grose Wold is a suburb of Sydney , in the state of New South Wales , Australia . It is in the City of Hawkesbury . 1 +He added 105 performances in La Liga in a 19-year second career , with the Senior Club as well as Deportivo . He added 105 appearances in La Liga in a 19-year senior career , with the second club as well as Deportivo . 0 +On November 30 , 2008 , John married the musician Megan Mullins . The married couple was divorced in 2015 . On November 30 , 2008 , Megan Mullins married musician John The couple divorced in 2015 . 0 +He also worked as a translator for Swedish media journalists and as national newspaper . He also worked as a translator for national media journalists and a Swedish newspaper . 0 +"It is better expressed as a culturally liberal bias "" , while the former BBC - director Roger Mosey classified it as a "" liberal defensive "" ." "It is better expressed as a "" liberal bias "" , while former BBC director Roger Mosey classified it as "" cultural liberal defensive. """ 0 +In Clarksburg , WSAZ is transported in Glenville , Gilmer County , in the west - Virginia market . In Clarksburg , WSAZ is carried in Glenville , Gilmer County in the West Virginia market . 1 +Also four others , including Turner , Machen and Cissell , were offered nominees . Also four others , including Cissell , Machen and Turner , were offered as nominations . 1 +"Jason Lipshutz of Fuse wrote that in the song Rihanna "" varies between the decision to leave and to stay the impulse "" ." "Jason Lipshutz of Fuse wrote that in the song Rihanna is "" swaying between the decision to stay and the impulse to leave "" ." 0 +When high rates of flow can be maintained , the results are comparable . When comparable flow rates can be maintained , the results are high . 0 +Mount Irving is a locality in the Darling Downs local government area of the Toowoomba Region in southern Queensland , Australia . Mount Irving is a locality in Darling Downs local government area of the Toowoomba region in the south of Queensland , Australia . 1 +Aslan offered to accompany the children because he wanted Frank himself to see . Aslan offered to accompany the children , because he wanted to see Frank himself . 1 +He again toured with the 1911-12 Kangaroo tour of Great Britain where he made his first Test appearance in the final Test against England . He toured Great Britain with the Kangaroo Tour 1911-12 , where he made his first test appearance in the first test against England . 0 +The first day is the last day of the old year . The last day is the first day of the year . 0 +Hine was born in Burnaby , Germany in 1936 and grew up in New Westminster , British Columbia . Hine was born in Burnaby in 1936 and grew up in New Westminster , British Columbia . 1 +The section of Collector Highway 321 from Oxford to Springhill was designated as Trunk Highway 4 before the 1960s . The section of the Collector Highway 321 from Springhill to Oxford was designated as Trunk Highway 4 before the 1960s . 0 +Spencer , meanwhile , tries to gain access to a copy of Adam 's personal music playlist . Meanwhile , Adam tries to get access to a copy of Spencer 's personal music playlist . 0 +Varshamov was in Tbilisi with Arnold Walfisz ( where he studied Georgian ) . Varshamov was with Arnold Walfisz in Tbilisi ( where he studied Georgian ) . 1 +The Rădoteasa River or Rădocheasa River is a tributary of the Cărbunele River in Romania . The Rădoteasa or Rădocheasa river is a tributary of the River Cărbunele in Romania . 1 +Eleni Daniilidou and Jasmin Wöhr won against Anabel Medina Garrigues and Virginia Ruano Pascual in the Finals 6 : 2 , 6 : 4 . Eleni Daniilidou and Jasmin Wöhr won in the final 6 -- 2 , 6 -- 4 , against Anabel Medina Garrigues and Virginia Ruano Pascual . 1 +Albert Henry Ross ( January 1 , 1881 -- September 14 , 1950 ) , ( pseudonym Frank Morison ) , was an English advertising agency and freelance writer . Albert Henry Ross ( 1 January 1881 -- 14 September 1950 ) , ( pseudonym Frank Morison ) , was an English advertising agent and freelance writer . 1 +The series is moderated by Linda Blair and narrated by Zelda Rubinstein . The series is hosted by Linda Blair , and narrated by Zelda Rubinstein . 1 +""" Chuck Versus the Wedding Planner "" was written by Rafe Judkins and Lauren LeFranc and was directed by Anton Cropper ." """ Chuck Versus the Wedding Planner "" was directed by Anton Cropper and written by Rafe Judkins and Lauren LeFranc ." 1 +AMBIT is a symbolic programming language that was introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for historical calculations . AMBIT is a historical programming language that was introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for the symbolic calculation . 0 +The Peak family remained in Kilallah for only a few years , when the house was purchased by a Mr Fletcher who sold it to the Horrigan family . The Peak family remained at Kilallah for only a few years when the house was purchased by a Mr Fletcher who sold it to the Horrigan family . 1 +Players use the GameSpy Arcade - Client to access and create the game 's main lobby , or connect to virtual rooms where they can participate in online game play . Players use the GameSpy Arcade client to access the game 's main lobby and then create or join virtual rooms where they can participate in online play . 1 +The father of a mathematician , writer and director Luciano Emmer was Michele Michele Emmer . Luciano Emmer was the father of mathematician , writer and director Michele Emmer . 0 +After having left Mary Ann Pederson in 1975 , Louise Redfield took over the show until 1981 . After Mary Ann Pederson left in 1975 , Louise Redfield took over the show until 1981 . 1 +Her work is collected and exhibited in London , Tokyo , Takaoka , Isle of Man , New York , San Francisco , Monterey , Toledo and Fort Wayne . Her work is being collected and exhibited in New York , San Francisco , Monterey , Toledo and Fort Wayne , Takaoka , Isle of Man , London , Tokyo . 1 +In the past , we remember the other Maran , a famous Indian intelligence officer from DHEIVA THAAI of 1964 . In the past , we remember the famous Maran , an other intelligence Indian officer from DHEIVA THAAI of 1964 . 0 +It was not long after Wyman joined the group when Watts took over the drums . It was not long after Watts joined the group that Wyman took over the drums . 0 +The house was bought in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst of Lymm , Cheshire in 1864 . The house was bought in 1858 by Sir George Dewhurst of Dunira , who sold it to David Dundas of Lymm , Cheshire in 1864 . 0 +Thangpalkot is a village in Nepal in the Sindhupalchok district of Central Nepal and had a population of 2786 at the time of the 1991 population census . Thangpalkot is a village in Sindhupalchok District in the Bagmati Zone of central Nepal . At the time of the 1991 Nepal census it had a population of 2786 . 0 +Auaxa cesadaria is a moth of the Geometridae family that is found in Taiwan , China and Japan . Auaxa cesadaria is a moth of the family Geometridae . It is found in Japan , China and Taiwan . 1 +This room is built with a barometer and a presented-in scale . A barometer and a built-in scale are shown in this room . 0 +The resulting works are usually naïve in quality and in their reconstruction of historical scenes inaccurate . The resulting works are generally naïve in quality , and inaccurate in their reconstruction of historical scenes . 1 +Femi 's musical career began when he started playing in the band of his father , Egypt 80 . Femi 's musical career started when he began playing in his father 's band , Egypt 80 . 1 +"The novel was translated by Antonia White into English and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." "The novel was translated by Roger Senhouse into English and published in 1953 ( with "" The Cat "" by Antonia White ) ." 0 +Julia had also told Do privately that she had read their letters to Elinor . Elinor had also told Do privately that she had read their letters to Julia . 0 +Electricity downstream San Lazzaro Reale , where it gets Tresenda waters , the Impero receives the following streams : Downstream San Lazzaro Reale , where it receives Tresenda waters , the Impero gets the following streams : 1 +Calvert Cliffs Nuclear Power Plant is located on the western shore of Chesapeake Bay at Lusby , as is the Cove Point LNG Terminal . The Calvert Cliffs Cliffs nuclear power plant is located on the western shore of Chesapeake Bay in Lusby , as is the Cove Point LNG Terminal . 1 +Terry was born at Fairfax , Iowa , and died in Cedar Rapids , Iowa . He was born in Cedar Rapids , Iowa , and died in Fairfax , Iowa . 0 +Lielplatone parish is an administrative unit of the Jelgava Municipality ( prior to the 2009 administrative reforms the Jelgava District ) , Latvia . Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the district Jelgava 2009 ) , Latvia . 1 +He played Garrett Burns , a love interest for Caitlin Stasey ( Rachel Kinski ) . He has played Garrett Burns , a love interest for Rachel Kinski ( Caitlin Stasey ) . 1 +Around 1890 , Emily Dennison ran Allen Morgan away with Albert Allen , a stepson of Tom 's stepmother Kate . Around 1890 Emily Dennison Allen Morgan ran off with Albert Allen , a stepson of Tom 's stepmother , Kate . 1 +The Permanent Representative of Philippines to Croatia is based in the Philippine embassy in Austria . The Philippines ’ Permanent Representative to Croatia is based in the Philippine Embassy in Austria . 1 +The station was opened on 1 May 1934 on the Finn valley - the railway line from Strabane to Stranorlar . The station was opened on 1 May 1934 on the Stranorlar line from Strabane to Finn Valley Railway . 0 +In the single , King 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Virginia Wade and 1 -- 1 against Christine Truman Janes . King was against Ann Haydon-Jones , 4 -- 0 against Christine Truman Janes and 1 -- 1 against Virginia Wade at the singles with 6 -- 1 . 0 +The instruments of Embergher are unique , not only are the richness and abundance of tone remarkable , but also the intonation is perfect . "The instruments of Embergher are unequalled , not only the richness and fullness of tone are remarkable , but the intonation is also perfect """ 1 +Zander has detailed methods for generating support measures for molecular serial descent and for morphological serial descent using Bayes factors through deciban addition . Zander has detailed methods for creating support measures for molecular serial descent and for morphological serial descent using Bayes factors through Deciban - Addition . 1 +Central Italy refers to the areas of Abruzzi e Molise , Marche , Umbria , Lazio and Tuscania . Central Italy refers to the regions of Abruzzi e Molise , Marche , Umbria , Lazio and Tuscania . 1 +On 30 August 1853 , the daughter of Stephen Champlin , Eliza Ellen Champlin , John B. Cook , married a partner of Minnesota Alexander Ramsey . On August 30 , 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , married Stephen Champlin , a partner of Minnesota 's John B. Cook . 0 +Alzheimer 's was known for a variety of medical interests , including brain vascular diseases , early dementia , brain tumors , forensic psychiatry , and epilepsy . Alzheimer was known for having a variety of medical interests including vascular diseases of the brain , early dementia , brain tumors , forensic psychiatry and epilepsy . 1 +In addition , German uses separable stress for inseparable prefixes and different prefixes in verbs and words that are derived from such verbs . In addition , German uses separable stress for inseparable prefixes and different prefixes in verbs and words derived from such verbs . 1 +This radioactive heavier isotope can be new ( stable or unstable ) depending on the chemical element involved . This new heavier isotope may be stable or unstable depending on the chemical element ( radioactive ) . 0 +In November 2012 she was in Tokyo , and in October she was in Cairo , to write on the film festivals , interact with programmers and visit studios . In November 2012 she was in Cairo and in October in Tokyo to write at the film festivals , interact with programmers and visit studios . 0 +"On 6 December 1805 , Jem Belcher defeated Pierce Egan in a Championship decider ( a fight reported in Pearce 's first volume of "" Boxiana "" ) ." "On 6 December 1805 , Jem Belcher defeated Pierce Egan in a championship decision ( a battle reported in Pearce 's first volume of "" Boxiana "" ) ." 1 +Later , in 1867 , he moved to a semi-detached villa of his own design at 39 Banbury Road , on the corner with Bevington Road . Later , in 1867 , he moved to a semi-detached villa of his own design on 39 Bevington Road , on the corner with Banbury Road . 0 +It has a legendary 1814 shoot on fresh artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . 1 +In Bazou you will be pleasantly surprised to see the place of choice that occupies the intangible heritage , you will appreciate . In Bazou you will be pleasantly surprised to see the place of choice that occupies the immaterial heritage that you will appreciate . 1 +The dividends have increased the total return on the average equity to double , around 3.2 % . "The dividends have increased the real "" total "" return on average equity to the double , about 3.2 % ." 1 +Copies of the Leach - catapult made by the Royal Engineers locally were used in the Gallipoli campaign . Copies of the Leach catapult , used locally by the Royal Engineers , were made in the Gallipoli Campaign . 0 +The presynaptic monoamine transporter ( VMAT ) is a transport protein integrated in the membrane of the synaptic vesicles of vesicular neurons . The presynaptic monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of vesicular neurons . 1 +Solomons was born in Thorpe Bay and grew up with his four siblings in Orsett , Essex , his mother and father . Solomons was born in Orsett , Essex and with his four siblings in Thorpe Bay brought up by his mother and his father . 0 +The river is wide and the river is deep , Alleluia ! The river is deep and the wide river , Alleluia ! 1 +Love on the Line is the name of a Crazy Penis album , which was released in 2008 and was only produced in Australia . Love on the Line is the name of a Crazy Penis album that was produced in 2008 and was released only in Australia . 0 +"In 1987 , Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" ." "Jack wrote his autobiography in 1987 with Paul Conn , "" Eckerd : Finding the Right Prescription ." 0 +He is a member of IEEE , the ACM , the AAAS and the EATCS . He is a fellow of the IEEE , the ACM , the AAAS , and EATCS . 1 +Pennypacker , born in Pennsylvania , moved to New York just after the turn of the century , before moving to Southampton , New York , on Long Island . Pennypacker , born in Southampton , New York , moved to Pennsylvania shortly after the turn of the century before moving on Long Island to New York City . 0 +In 2004 , Barclaycard took over the sponsorship of Barclays ’ Premier League . In 2004 , Barclays took over the sponsorship of the Barclaycard Premier League . 0 +"After the meeting with "" O 13 "" , which returned from West India , both ships returned to the Netherlands ." "After meeting with "" O 13 "" , which returned from the West Indies , both ships returned to the Netherlands ." 1 +However , Ambassador William Sullivan , and his successor , G. McMurtrie Godley , continued to oversee air strikes in Laos . However , Ambassador G. McMurtrie Godley and his successor , William Sullivan , continued to oversee the air attacks in Laos . 0 +Saunders was born in Dublin , the son of Matthew J. Saunders , County Wicklow . Saunders was born in Dublin , the son of Matthew J. Saunders , of County Wicklow . 0 +RVD tried to break the hold but Flair rolled into the ropes to reverse the hold . RVD tried to reverse the hold , but the flair rolled into the ropes to break the hold . 0 +Native Americans were hired from the earliest stages of the show , first drawn from the Pawnee tribe ( 1883 -- 1885 ) and then the Lakota tribe . Native Americans were drawn from the earliest phases of the show , first hired from the Pawnee tribe ( 1883 - 1885 ) and then by the Lakota tribe . 0 +Adults often remove paper from new nests and use it to recycle old ones . Adults often remove paper from old nests and recycle it to use it for new ones . 0 +The 1986 -- 87 Toronto Maple Leafs season was the 70th season operation of Toronto in the National Hockey League . The season 1986 -- 87 National Hockey League was the 70th season of the Toronto operation in the Toronto Maple Leafs . 0 +He married Anne Blanche Harriet Proctor ( 1870-1935 ) , a daughter and co-founder of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes in 1901 . He married Mary Ellen Blanche Crookes ( 1870-1935 ) in 1901 , daughter and co-founder of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor . 0 +In March 2016 , Nine Entertainment Co purchased a 9.9 % stake in Southern Cross Media Group from the Macquarie Group . In March 2016 , Nine Entertainment Co acquired a 9.9 percent stake in the Southern Cross Media Group from Macquarie Group . 1 +Airport Road is assigned to the CR 183 which links NY 17B and NY 55 to Sullivan County International Airport . CR 183 is assigned to Airport Road , which connects NY 17B and NY 55 to Sullivan County International Airport . 1 +"A range of electronic resources are available within the UGent network as part of a "" digital library . """ "Within the UGent network , a series of electronic resources are available as part of a "" digital library "" ." 1 +The destroyer reached Tokyo , Japan 12 August and patrolled there until 1 September when she departed for Okinawa . On August 12 , the destroyer reached Tokyo , Japan , and patrolled there until September 1 , when she left for Okinawa . 1 +"Jesse Crawford considered him "" one of the greatest ballads - organists "" Maffie also composed music , including the theme for "" House Party "" ." "Maffie considered him "" one of the greatest ballad organists "" . Jesse Crawford also composed music , including the theme for "" House Party "" ." 0 +The participants were TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales . TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales were among the participants . 1 +Each line contains three points , so in the language of configurations the Hesse configuration has the notation 912 . Each line contains three points , therefore the Hesse configuration has the notation 912 in the language of the configurations . 1 +Nool Veli ( fence of the yarn ) is a 1979 - Tamil film with Sarath Babu , Sujatha and Saritha . Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Saritha , Sujatha and Sarath Babu . 1 +The first five weapons were delivered in the first half of 1916 , with a total of 57 barrels and 56 cars completed by the end of the war . The first five weapons were completed in the first half of 1916 . A total of 57 barrels and 56 carriages were delivered by the end of the war . 0 +Wichita North High School was the first high school in the city of Wichita , finished in 1929 , Wichita East High School was the second high school . Wichita North High School was the second high school in the city of Wichita , completed in 1929 , Wichita East High School was the first high school.. 0 +"She also appears in "" , where a vision of Freddy prompted her to meet with other survivors from Freddy and Jason ." "She also appears in "" , where a vision of Freddy causes her to meet with other Freddy and Jason survivors ." 1 +Poulenc reduced the full score to a shorter orchestral suite later . Poulenc later reduced the orchestral score to a shorter full suite . 0 +"USS "" Dorothea L. Dix "" ( United States Navy-67 ) was a transport ship of the AP named for Dorothea Dix ( 1802 -- 1887 ) ." "The USS "" Dorothea L. Dix "" ( AP-67 ) was a transport ship of the United States Navy , named after Dorothea Dix ( 1802 -- 1887 ) ." 0 +Curtin Township is bordered by Liberty Township to the northeast , Marion Township to the southeast , Clinton County to the southwest , and Howard Township to the west . Curtin Township is bordered by Liberty Township in the northeast , Marion Township to the southeast , Clinton County to the southwest and Howard Township to the west . 1 +"In 2014 Harris Publications "" XXL "" , "" King "" and "" Antenna "" acquired by Townsquare Media ." "In 2014 , Townsquare Media purchased from Harris Publications "" XXL "" , "" King "" and "" Antenna "" ." 0 +He lives in New York City and teaches at Queens College in Flushing , New York , Hebrew language , literature and culture , and Middle East studies . He lives in New York City , he teaches language , literature , culture and Hebrew and studies at Queens College in Flushing , New York . 0 +In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half of their American Oil Company to Pan American in exchange for a guaranteed oil supply . In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a share of their American Oil Company to Pan American in exchange for a guaranteed oil supply . 0 +He began 2014 with the AA Frisco RoughRiders of the Texas League and was promoted to the AAA Round Rock Express of the Pacific Coast League . He started out in 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . 0 +"Upland is mentioned in the 2008 Hugh Laurie Film "" Street Kings "" as home to the LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." "Upland is mentioned in the 2008 Keanu Reeves film "" Street Kings "" as the home of LAPD Internal Affairs Captain James Biggs ( played by Hugh Laurie ) ." 0 +The 1956 National Football League season was the team 's 11th year with the Los Angeles Rams and the 19th season in Los Angeles . The 1956 Los Angeles Rams season was the 19th anniversary of the team with the National Football League and 11th season in Los Angeles . 0 +The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . Bergamo railway station is connected to Milan , Treviglio , Cremona , Lecco , Brescia and Monza with regional trains operated by Trenord . 1 +The Janmashtmi festival is celebrated in the village and a mela is also organised . Janmashtmi festival is organised in the village and a Mela is also celebrated . 0 +The flag of Sri Lanka was adopted in 1987 for the western province of the Western Province . The flag of the Western Province , was adopted in 1987 for the western province of Sri Lanka . 0 +Container glass has a lower magnesium oxide and sodium oxide content than flat glass , and a higher Silica , Calcium oxide , and Aluminum oxide content . Container glass has a lower magnesium oxide and sodium oxide content than flat glass and higher content of silica , calcium oxide and aluminium oxide . 1 +The father of Mervyn Paice wrote a letter to Menachem Begin and asked him to spare his son 's life . The father of Menachem Begin wrote a letter to Mervyn Paice asking him to spare the life of his son . 0 +Paralovo is a village situated in the municipality of Novi Pazar in Serbia . Paralovo is a village situated in Serbia municipality in Novi Pazar . 0 +"The series is based on the book series "" The Mortal Instruments "" by Cassandra Clare , and developed for television by Ed Decter ." "The series is based on the book series "" The Mortal Instruments "" by Ed Decter and has been developed by Cassandra Clare for television ." 0 +"XS also translated "" Shikigami No Shiro II "" and published it under its own name "" Castle Shikigami 2 "" for PlayStation 2 ." Also Shikigami No Shiro II has been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . 0 +In 2005 , BH Air signed a two-year contract with the Virgin Group for a Wet - Lease contract . In 2005 , the Virgin Group signed a two-year contract with BH Air for a wet lease contract . 0 +The flag of Kenya of 1963 is similar , but has white lines inserted in between the colors . The flag from Kenya of 1963 is white , but has inserted similar lines between the colors . 0 +The first and fifth editions are equally often reprinted and almost equally anthologized . The first and fifth editions are reprinted almost equally and anthologized as often . 0 +Japan is a dam completed in 1941 in the Tokiwa dam . Nagano Prefecture , Japan is a dam in the Tokiwa Dam , completed in 1941 . 1 +"He sang in Europe at Le Lido in Paris and performed with Betty Grable in London 's West End Musical "" Belle Starr "" ." "In Europe he performed at Le Lido in Paris and sang together with Betty Grable in the London West End - Musical "" Belle Starr "" ." 0 +"Agamben shows that "" auctoritas "" and "" potestas "" are clearly delineated -- although together they form a system "" ." "Agamben shows that "" auctoritas "" and "" potestas "" make together -- although they are clearly a system "" ." 0 +Charles Sutcliffe , the Beatles ’ biographer , wrote that Philip Norman was a strong drinker and physically cruel to his wife , which the young Sutcliffe had experienced . The Beatles ' biographer , Philip Norman , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . 0 +The resolution was signed by almost all the Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . The resolution has been signed by almost all PBS representatives ( Parti Bersatu Sabah ) in Sri Gaya . 1 +He quickly served in the U.S. Navy and enlisted from 1942 - 1943 . He served quickly in the U.S. Navy and joined from 1942-1943 . 1 +He wrote the script in collaboration with Bianca Olsen , Laurie Aubanel , and Cyril Rambour . He wrote the screenplay in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . 1 +However , it can be used to control VST instruments , which you can record . It can , however , be used to include VST instruments , which you can then control . 0 +On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed with the Romanian team Stal Ostrów Wielkopolski on July 17 , 2016 . On 15 September 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on 17 July 2016 . 0 +Burman : His life and ideas ( 1882 ) is a book about the peoples and customs of Myanmar ( now Burma ) . The Burman : His Life and Notions ( 1882 ) is a book about the peoples and customs of Myanmar ( now Burma ) . 1 +Another sub-tenant was Sarah Lowell , an aunt of James Russell Lowell . Another lodger was Sarah Lowell , an aunt of James Russell Lowell . 1 +The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was made in 3D and finalized in post-production . The freighter , who in the first episode brought Jaime to Canada from Ponta Delgada , was CGI : the design was made in 3D and finalized in the post-production . 1 +An angle clockwise in a figure would correspond to a counterclockwise angle in the other figure . A counterclockwise angle in one figure would correspond to a clockwise angle in the other figure . 0 +Sullivan County International Airport , which connects NY 17B and NY 55 to Airport Road , is allocated CR 183 . CR 183 is assigned to Sullivan County International Airport , which connects NY 17B and NY 55 to Airport Road . 1 +Matsumoto previously played for Tokushima Vortis , Shonan Bellmare and Kyoto Purple Sanga . Matsumoto played before for Kyoto Purple Sanga , Shonan Bellmare and Tokushima Vortis . 1 +Terry Griffiths won against Steve Davis in the finals 9 -- 8 . Steve Davis won in the final 9 -- 8 against Terry Griffiths . 0 +Agassiz founded a school for girls from Cambridge in her home in Boston in 1856 . Agassiz founded a school for girls from Boston in her home in Cambridge in 1856 . 0 +During the election crisis of 2004 , Viktor Yushchenko agitated for the creation of an independent southeastern Ukrainian state in the case of Kushnaryov 's victory . During the 2004 election crisis , Kushnaryov returned for the creation of an independent southeastern Ukrainian state in the case of the victory of Viktor Yushchenko . 0 +In 1848 the Catholic parish of Cooraclare ( Kilmacduane ) was again separated from Kilmihil . In 1848 the Catholic parish of Kilmacduane was separated from Cooraclare again . 0 +""" Baie St. Paul "" has a deadweight tonnage of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." "According to the Miramar Ship Index , "" Baie St. Paul "" has a gross tonnage number of 24,430 tons and a capacity of 37,690 tons ." 0 +Ellis met Oscar Bonavena in the second round of the tournament . In the second round of the tournament , Oscar Bonavena hit Ellis . 0 +At the end of the 1997 season , Refin -- Mobilvetta stopped because the main sponsor Refin had dissolved . At the end of the 1997 season , Refin -- Mobilvetta disbanded because the main sponsor Refin stopped . 0 +"Two volumes of the English translation of "" Monster Musume : I Heart Monster Girls "" have appeared on the "" Manga "" New York Times Best Sellers list ." "Two volumes of the English translation of "" Monster Musume : I Heart Monster Girls "" have appeared on the list of "" New York Times "" Manga Bestseller :" 1 +The last album was recorded with bassist Nina Souto and drummer Arturo Garcia . The last album was recorded with bassist Arturo Garcia and drummer Nina Souto . 0 +On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with DeSagana Diop , in exchange for Matt Carroll . On 16 January 2009 , Hollins was traded with DeSagana Diop to Dallas Mavericks , in exchange for Matt Carroll . 1 +Amazingly , the first stimulus can actually influence the perception of the second stimulus in some cases . Amazingly , the second stimulus can actually influence the perception of the first stimulus in some cases . 0 +O 'Dea was born in 1889 in Armidale and moved to Sydney as a child with his family . O'Dea was born in Armidale in 1889 and moved to Sydney with his family as a child . 1 +Or the Egg object could invoke properties and use methods instead Or the Egg object could instead call properties and use methods . 1 +McLaughlin died at Oshawa in 1921 of colon cancer . His brother James was a doctor and member of the Ontario assembly . McLaughlin died in Oshawa in 1921 of colon cancer , and his brother James was a doctor and member of the Ontario Assembly . 1 +A Jill Day Comic stripe , drawn by Denis Gifford , was released in Star Comics ( 1954 ) , published by Gifford and Bob Monkhouse . A Bob Monkhouse comic strip drawn by Jill Day was published in Star Comics ( 1954 ) , edited by Gifford and Denis Gifford . 0 +"Togdheer ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer River region in the eastern part of Somaliland ." "Togdheer River ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer region in eastern Somaliland ." 0 +The Penchala River is a river in Selangor , Malaysia . It runs from Kampung Sungai Penchala to Klang River near Petaling Jaya . The Penchala River is a river in Petaling Jaya that runs from Kampung Sungai Penchala to Klang - River near Selangor , Malaysia . 0 +Born in Mississippi , she grew up in Flint , Michigan . Born in Flint , Michigan , she grew up in Mississippi . 0 +The River Sic is a tributary of the River Seolemai in Romania . The Seolemai River is a tributary of the Sic River in Romania . 0 +On June 2 , 2006 the Palestinian Supreme Court banned Jund al-Sham along with the Russian Islamic Jihad group . On 2 June 2006 , the Russian Supreme Court banned Jund al-Sham , together with the Palestinian Group of Islamic Jihad . 0 +Raumanga is a suburb of Whangarei in the Northland Region of New Zealand . The main campus of Northland Polytechnic is situated in Raumanga . Raumanga is a suburb of Whangarei in the Northland region of New Zealand . The main campus of Northland Polytechnic is in Raumanga . 1 +He is the and can become the Inomaru to borrow . As , he is the and can become the Inomaru to borrow . 1 +Damerham was once in Wiltshire , but was transferred in 1895 to Hampshire . Damerham was once in Wiltshire , but was brought to Hampshire in 1895 . 1 +In the 2015 municipal elections for the municipality of Serampore , Trinamool Congress won 22 seats , CPI ( M ) 4 seats , Congress 1 seat and Independents 2 seats . In the 2015 municipal elections for Serampore Municipality Trinamool Congress won 22 seats , CPI ( M ) 4 seats , Congress 1 seat and Independents 2 seats . 1 +Komatsubara was born on July 28 , 1992 , in Okayama , Japan . She married Timothy Koleto in January 2017 in Tokyo . She was born on July 28 , 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . 1 +Later that night , after a double date with his brother , Danny returns to his room to find Kennedy , waiting for him . Later that night , after being rejected from a double date with his brother , Danny returns to his room to find Kennedy waiting for him . 1 +Jan Apell and Jonas Björkman won the title and defeated Jacco Eltingh and Paul Haarhuis with 6 -- 4 , 7 -- 6 in the final . Jacco Eltingh and Paul Haarhuis won the title , defeating Jan Apell and Jonas Björkman 6 - 4 , 7 - 6 in the final . 0 +She studied there with Tony Smith , Eugene Goossen and Ad Reinhardt , and met her art students Robert Morris , Carl Andre and Robert Barry . There she studied with Tony Smith , Eugene Goossen and Ad Reinhardt and met fellow art students Robert Morris , Carl Andre and Robert Barry . 1 +It was written by Leslie H. Martinson , directed by George Kirgo and was originally broadcast April 5 , 1982 on NBC . It was managed by Leslie H. Martinson , written by George Kirgo and was originally broadcast on NBC on 5 April 1982 . 0 +He lives with his wife Cynthia in Ridgefield , Connecticut , and has four children : Jason , Heather , Lindsay and Rebecca . He lives with his wife Cynthia in Ridgefield , Connecticut , and has four children : Lindsay , Heather , Jason and Rebecca . 1 +"In 2007 , Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in ABC - Soap "" One Life to Live "" ." "In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain in the ABC – Soap "" One Life to Live "" ." 0 +In 1949 , Arthur V. Watkins wrote to Utah - Senator Pabawena to report : Chief Arthur V. Watkins wrote Utah Senator Pabawena in 1949 to report : 1 +Another series was played between the Boston Red Sox and the Cincinnati Reds in Havana . Another series was played in Havana between the Cincinnati Reds and the Boston Red Sox . 1 +Here , two more sons were born : Fred in 1882 and Louis in 1884 . Here two more sons were born : 1882 Fred and 1884 Louis . 1 +Celestia invites Twilight and her friends to stop the elements of harmony to recover Chrysalis . Celestia implores Twilight and her friends to recover the Elements of Harmony to stop Chrysalis . 0 +To avoid sparse conversions between limited types , a casting with the attribute force is used to mark a valid warning . In order to mark valid conversions between restricted types , a casting with the attribute force is used to avoid sparse printing a warning . 0 +Rituximab has approved , and in April 2011 been investigated by the FDA , when used in combination with glucocorticoids in adult patients . Rituximab was investigated and approved by the FDA in April 2011 , when used in combination with glucocorticoids in adult patients . 0 +It is located on the southern shore and forms the western end of Melville Water . It is located on the southern shore and forms the west end of Melville Water . 1 +He married Lady Florence Jane Taylour , daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on August 5 , 1875 . 0 +Ayeza Khan ( born Kinza Khan on 15 January 1991 ) , also known as Aiza Khan , is a Pakistani television actress and model . Ayeza Khan ( born January 15 , 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . 0 +Myrtille Georges won the title and defeated Tara Moore in the final 7 -- 6 , 5 -- 7 , 6 -- 4 . Myrtille Georges won the title defeating Tara Moore in the final 7 -- 6 , 5 -- 7 , 6 -- 4 . 1 +This can be generalised by transposing the bi-anisotropic 6 × 6 - susceptibility tensor to full materials . This can be further generalized to bi-anisotropic materials by transposing the full 6 × 6 susceptibility tensor . 0 +"The human "" ERCC1 "" gene encodes the ERCC1 protein of 297 amino acids with a molecular mass of about 32,500 daltons ." "The human "" ERCC1 "" gene encodes the ERCC1 protein of 297 amino acids with a molecular mass of about 32,500 Dalton ." 1 +Nilai is part of the constituency of Seremban of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook from the Democratic Action Party . Seremban is part of the Nilai constituency of the Malaysian Parliament 's Dewan Rakyat , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 0 +"The first news of the album came on March 13 , 2014 , when "" Rat "" and "" Merzbow "" were uploaded to Tamatsubakis SoundCloud ." "The first news of the album came on March 13 , 2014 when "" Rat "" and "" Tamatsubaki "" were uploaded to Merzbow 's SoundCloud ." 0 +Born in Békésszentandrás ( Hungary ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt - Academy of Music in Budapest . 1 +Dighton is located in the fifth Bristol State representative district , which includes Swansea and parts of the Somerset and Taunton regions . Dighton is located in the Fifth Bristol state representative district , which includes Swansea and parts of Somerset and Taunton . 1 +"In 1925 , William Kellogg purchased the "" Jamestown Alert "" from Percy Hansen and Bryon Hansen ." "In 1925 , Percy Hansen and Bryon Hansen bought the "" Jamestown Alert "" by William Kellogg ." 0 +"Adults possibly feed on leaves of "" Corylus avellana "" , "" Quercus "" and "" Crataegus "" species , while larvae mainly feed in leaf litter ." "Adults may feed leaves of species "" Corylus avellana "" , "" Quercus "" , and "" Crataegus "" , while larvae mainly feed in leaf litter ." 1 +The Co-Founders and Co-Artistic Directors are Sean Derry and Alanna Romansky . Jaysen Mercer is Co-Founder and Managing Director . The co-founders and Co - Artistic Directors are Sean Derry and Alanna Romansky , Jaysen Mercer is Co-Founder and Managing Director . 1 +Written by Michelle MacLaren and directed by George Mastras , it aired on AMC in the United States and Canada on September 8 , 2013 . Written by George Mastras and directed by Michelle MacLaren , aired on AMC in the United States and Canada on 8 September 2013 . 0 +In 2012 , for the Italian progressive group Karnya , Francesca Naccarelli made some violins - arrangements and the singer Claudio Nigris is guest in a song . In 2012 , for Italian progressive group Karnya , Claudio Nigris made some violins arrangements and the singer Francesca Naccarelli is guest in a song . 0 +Residing in NYC , he currently is a member of MJ12 , an instrumental group based in New York . Currently he lives in New York and is a member of MJ12 , an instrumental group based in NYC . 1 +Éric Fombonne ( Montreal , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist who is based in Paris . Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist with headquarters in Montreal . 0 +The most random example of this technique , known as the usual oracle model , involves replacing a cryptographic hash function with a genuinely random function . The most common example of this technique , known as the random oracle model , involves replacing a cryptographic hash function with a truly random function . 0 +The second method is written when the number of elements in each row is the same and known at the time the program is used . The second method is used when the number of elements in each line is the same and is known at the time the program was written . 0 +"Lost Bass -- "" Bomb Your Soul "" ." Bomb the Bass -- Your Soul Lost ? 0 +Percy W. Adams married Gwendoline Wright . Percy W. Adams married Gwendoline Wright . 1 +The single appeared in three versions : a Limited Edition , a Regular Edition and a Star Driver Edition . The single was released in three versions : a regular edition , a limited edition , and a Star Driver edition . 1 +The lands surrounding the tree were owned as agricultural land and maintained by Aryeh Konikov . The lands surrounding the tree belonged as agricultural land and were maintained by Aryeh Konikov . 1 +In 1862 , Sarah died , and in 1864 Breck married Jane Breck , and three years later he moved to Benicia , California , to build two more institutions . Jane Breck died in 1862 and Breck married Sarah Stiles in 1864 . Three years later he moved to Benicia , California to build another two institutions . 0 +Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee airstrikes in Laos . However , Ambassador G. McMurtrie Godley and his successor , William Sullivan , continued to oversee the air attacks in Laos . 0 +Teliphasa similalbifusa is a species of moth of the Pyralidae family . It is found in China ( Guangxi ) . Teliphasa similalbifusa is a kind of moth of the Pyralidae family . It is found in Guangxi ( China ) . 1 +Rose Tattoo is a 2011 album by Tiffany , her eighth regular album and first full country record . Rose Tattoo is a 2011 album by Tiffany , her eighth regular album and her first full country record . 1 +"Miranda quotes Voltaire , "" If we do not find something new at least we will find something pleasant , "" and looks longingly at Oscar ." "Miranda quotes Voltaire : "" If we find nothing new , we will find at least something pleasant "" , and looks longingly at Oscar ." 1 +The 2008 AIHL season is the ninth season of the Australian Ice Hockey League , the seventh in which the Goodall Cup will be awarded to the league champions . The AIHL season 2008 is the seventh season of the Australian ice hockey league , in which the Goodall Cup will be awarded to the championship for the ninth time . 0 +It is a municipality in the western part of the department of Montenegro , Colombia , located 10 km west of the district capital Armenia . Quindío is a municipality in the western part of the department of Montenegro , Colombia . It is located 10 km west of the departmental capital Armenia . 1 +Birender Singh married PremLata Singh on 9 June 1970 . On June 9 , 1970 , Birender Singh married the PremLata Singh . 1 +Internal mass migration also took place when 2 million Americans migrated to Los Angeles , of which 1.2 million were resident in California . Internal mass migration also took place when 2 million Americans migrated to California , 1.2 million of which were located in Los Angeles . 0 +In 1944 , it was donated to Santa Maria Valley Railroad and sold in 1958 to the Travel Town Museum in Los Angeles , California . In 1944 , it was sold to Santa Maria Valley Railroad , and in 1958 it was donated to the Travel Town Museum in Los Angeles , California . 0 +He came to NK Inter Zaprešić in summer 2013 together with his teammate Haris Hajradinović from Croatian club , AS Trenčín . Together with his team colleague Haris Hajradinović from the Croatian club AS Trenčín he came to NK Inter Zaprešić in summer 2013 . 1 +Byron Township changed his name from Byron Township on December 28 , 1850 to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . On December 28 , 1850 , the city of Dunham Township changed from Byron Township to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . 0 +"Andrei became famous after playing in the television series "" The Cadets "" , where he played one of the main characters : the young Peter Todorovskiy ." "Andrei became famous after starring in television series "" The Cadets "" , where he played one of the main characters : the young Peter Todorovskiy ." 1 +Assuming that the structural relationships are causal , this background knowledge can be expressed in the following specification for the linear equation model ( SEM ) . Assuming that the structural relationships are causal , this background knowledge can be expressed in the following linear equation model ( SEM ) specification . 1 +Peter Hermann and Peter Olsson . , and Peter Hermann plays Peter Olsson . 0 +Boats that drew 70 tons were now 87 ½ feet wide , 10 ½ feet long and attracted 4 ½ feet water . Boats drawing 70 tons were now 87 ½ feet long , 10 ½ feet wide , and drew 4 ½ feet of water . 0 +Indianapolis Hoosiers was the name of three major league and at least three minor league baseball clubs based in Indianapolis . Indianapolis Hoosiers was the name of three Major League and at least three smaller league baseball clubs in Indianapolis . 1 +Renzo Furlan won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang . Renzo Furlan won 3 : 6 , 6 : 3 , 7 : 5 against Michael Chang in the final . 1 +George William Rowley was the son of George Dawson Rowley , by his wife , Jane Catherine , by Maine George William Rowley was the son of George Dawson Rowley & his wife Jane Catherine née Maine 0 +The four largest ethnicities reported in the town are 29 % Irish , 16 % Italian , 11 % English , and 7 % German . The four largest ethnic groups reported in the town are 29 % Irish , 16 % German , 11 % English and 7 % Italian . 0 +A virtual instrument is a kind of synthetic instrument that is defined purely by software side . A synthetic instrument is a kind of virtual instrument that is purely software defined . 0 +The normal mood is an imperative variant of the optative mood that expresses hopes or wishes . It is not used in archaic or poetic language . The optative mood is an archaic or poetic variant of the imperative mood that expresses hopes or wishes , and is not used in the normal language . 0 +In 1960 , Ardley married Vivian Wilson , and the couple had a daughter , he married Bridget Gantley in 2003 and died in Milford , Derbyshire . In 1960 , Ardley married Vivian Wilson , and the couple had one daughter . In 2003 he married Bridget Gantley . He died in Milford , Derbyshire . 1 +He lives in Ridgefield , Connecticut with his wife Cynthia , and has four children : Jason , Heather , Lindsay and Rebecca . He currently lives in Ridgefield , Connecticut , with his wife Cynthia . He has four children : Jason , Heather , Lindsay , and Rebecca . 1 +Elliott Sadler joined Robert Yates Racing for the 2003 season and won two races for Yates in 2004 . For the 2003 season he joined Robert Yates Racing and won two races for Elliott Sadler in 2004 . 0 +Buchanan accepted the reports of the judges without any further investigation , and the new non-sectarian governor was accompanied by troops sent to garrison forts in the new territory . Buchanan accepted the reports of the judges without further investigation , and the new governor was accompanied by troops sent to garrison forts in the new non-sectarian territory . 0 +The house was bought in 1858 by Sir George Dewhurst of Dunira , who sold it to David Dundas of Lymm , Cheshire in 1864 . The house was purchased in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst from Lymm , Cheshire in 1864 . 0 +The 1921 Stanford University football team represented Stanford in the 1921 college football season . The 1921 Stanford University Football team represents Stanford in the College - Football - Season 1921 . 1 +Peggy Edenfield testified of her husband David in the case and also agreed to testify against her son , George , during his trial . Peggy Edenfield testified in the case against her husband George and has also agreed to testify against her son David during his trial . 0 +Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Florida with the sequence of SCSV in Taiwan . Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Florida to the sequence of SCSV from Taiwan . 1 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first Theakson pub , where the first Theakston beers were brewed and sold ." 1 +"The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , also sang for a compilation album , called "" with Soilwork guitarist Peter Wichers ." "The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , also sang for a compilation - album called "" Soilwork - guitarist Peter Wichers "" ." 1 +The structural art & style of this idol is unique and it is in perfect proportion . The unique art and style of this idol is structural and is in perfect proportion to it . 0 +""" The Brute Man "" was the seventh episode of the second season , which was broadcast on Comedy Central on February 10 , 1996 ." """ The Brute Man "" was the second episode of the seventh season , broadcast on February 10 , 1996 in Comedy Central ." 0 +"In "" Duel of the Double Crossers ! "" , Despero uses a simulation of Batman to train the Outsiders ." "In "" Duel the Double Cruisers ! "" Despero uses a simulation of Batman to train the outsiders ." 1 +Juan Colomer publishes his works with Editions BIM of Switzerland , Editorial Piles , Tritó and Rivera Editors in Spain . Juan Colomer publishes his works with Editions BIM of Spain , Editorial Piles , Tritó and Rivera editores in Switzerland . 0 +Weyman Airpark is an airport in New Brunswick , Canada located near the Keswick River in Sisson Settlement . Weyman Airpark is an airport located in New Brunswick , Canada , close to the Keswick River in Sisson Settlement . 1 +They are patrilineal and were in several areas organized into small chiefdoms . They are patrilineal and were organized into several chieftains in small areas . 0 +Angelica Panganiban ( Lizelle Jimenez ) is in new relationship with surgeon Adrian Benitez ( Gabby Concepcion ) . Angelica Panganiban ( Lizelle Jimenez ) is in a new relationship with Surgeon Adrian Benitez ( Gabby Concepcion ) . 1 +Hardin Independent School District is a public school district based in Hardin , USA ( Texas ) . Hardin Independent School District is a public school district located in Hardin , USA ( Texas ) . 1 +"He was named "" Thomas "" for Henry David Thoreau ’ s friend , Thomas Cholmondeley , and "" Parker "" for Theodore Parker ." "He was named "" Parker "" for Henry David Thoreau 's friend , Thomas Cholmondeley and "" Thomas "" for Theodore Parker ." 0 +The company got a production structure in 1958 in Frederikssund and later in Houston , USA . The company got a production structure in Frederikssund in 1958 and later in Houston , United States . 1 +In 1890 , the French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom , which was officially annexed to French West Africa in 1904 . French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom in 1890 , which was formally annexed into French West Africa in 1904 . 1 +The city is located in southern Columbia County and is bordered to the southeast by Schuylkill County . The township is in southern Columbia County and is bordered to the southeast by Schuylkill County . 1 +The school is headed by the Neelaveni Thayarammal Memorial Trust , Trichy , which took over the school leadership on 1 June 2011 from the BHEL Educational Society , Coimbatore . The school is managed by the Neelaveni Thayarammal Memorial Trust , Coimbatore , which took over the school management from BHEL Educational Society , Trichy on 1 June 2011 . 0 +It will shorten the distance from Hong Kong to Macau and Zhuhai from , and reduce the journey time to within half an hour . It will shorten the distance from Hong Kong to Macau and Zhuhai and reduce the journey time to half an hour . 1 +The survival of such binaries through high envelope phases of massive rotation in common ancestor stars can be necessary for their survival . The survival of such binaries , through high envelope phases of massive rotation in common progenitor stars , may be necessary for their survival . 1 +Then he entered the star in 1986 and left The Muslim . He then left the star and joined the Muslim in 1986 . 0 +Where the sum extends over all paths , Formula 39 with the property , the Formula 40 and Formula 41 , the analog expression in quantum mechanics is the path integral . Where the sum extends over all paths formula _ 40 with the property that formula _ 39 and formula _ 41 . The analogous expression in quantum mechanics is the path integral . 0 +Webmention was originally developed in the IndieWebCamp community and published as a W3C working draft on January 12 , 2016 . Webmention was originally published in the IndieWebCamp community and was developed on January 12 , 2016 as a W3C work draft . 0 +In ( 5 ) the first term of the right hand side , formula _ 27 is the increment in elastic energy for unit volume change due to hydrostatic pressure . In ( 5 ) is the first term on the right , Formula 27 , the increment of hydrostatic energy for volume change of unit due to elastic pressure . 0 +There is no railway station and airport in Kadipur , which you can reach from Sultanpur by bus . There is no railway station & airport in Kadipur . You can reach here by bus from Sultanpur . 1 +January is on average the warmest month , July is the coolest month and June is the wettest month . On average , January is the warmest month , July is the coolest month , and June is the wettest month . 1 +Nyceryx tacita is a moth of the family Sphingidae . It is found from Mexico , Guatemala , Costa Rica and Panama to Bolivia . Nyceryx tacita is a moth of the Sphingidae family , which is found from Mexico , Guatemala , Costa Rica and Panama to Bolivia . 1 +Its natural habitats are subtropical or tropical shrubland , former seasonally wet or flooded lowland grassland , coastal mangroves and heavily degraded subtropical or tropical dry forest . Its natural habitats are subtropical or tropical dry bushland , subtropical or tropical seasonally wet or flooded lowland grassland , coastal mangroves and heavily degraded former forests . 0 +Tommy Watt ( 31 October 1925 , Glasgow-20 May 2006 , Bristol , England ) was a Scottish jazz bandleader . Tommy Watt was a Scottish jazz bandleader ( October 31 , 1925 , Bristol , May 20 , 2006 , Glasgow , England ) . 0 +The main international airport is Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . The main international airport is Douala International Airport and the second international airport at Yaoundé Nsimalen International Airport . 0 +The Pope ruled Marie Marriage with Agnes as illegitimate , and William was given the throne . The Pope ruled Marie 's marriage to Agnes as illegitimate and William was given the throne . 1 +Warsaw is a former settlement in Fresno County , California . It was located north of Mendota near the site of Pueblo de las Juntas . It is a former settlement in the Fresno county of California you was located north of Mendota near the site of Pueblo de Las Juntas . 1 +""" Whatever Will Be "" ( 2005 ) is the first song by Tammin of her second album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the first song released by Tammin from her second album "" Whatever Will Be "" ." 1 +Ma Smith is a widow of two own children : Will and Dora Smith . Ma Smith is a widow with two children of her own : Will and Dora Smith . 1 +Didkovsky has composed or performed for a number of CDs , including : Didkovsky has performed for or composed on a number of CDs including : 1 +According to the United States Census Bureau , the district is a total area of , of which has land and ( 0.0 % ) of which is water . According to the United States Census Bureau , the area is a total area of which has land and ( 0.0 % ) of which is water . 1 +The Hebrew Union College-Jewish Institute of Religion also manages the Skirball Cultural Center in Los Angeles and Skirball Museum in Jerusalem . The Hebrew Union College -Jewish Institute of Religion also manages the Skirball Cultural Center in Los Angeles and the Skirball Museum in Jerusalem . 1 +The inner lip has a concave glaze on the body and Columella , whose union is very slightly thin . The inner lip has a concave glaze on the body and columella , whose union is very slightly thinnish . 1 +The following schools are located in Papakura ( schools in Rosehill , Takanini and Opaheke are exempt ) : The following schools are located in Papakura ( schools in Rosehill , Takanini , and Opaheke are excluded ) : 1 +Lina was born on September 21 , 1830 into New York City 's Dutch aristocracy , descendants of the city 's original settlers . Lina was born on 21 September 1830 into the original aristocracy of New York City , descendants of the city 's Dutch settlers . 0 +Tsushima has four public elementary schools and eight public primary schools . Tsushima has four public elementary schools and eight public middle schools . 0 +In Brazil , the brand IPHONE was registered in 2000 by the company now called Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . In Brazil , the IPHONE brand was registered in the year 2000 by Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . 1 +Royce Johnson is a recurring character in the Marvel Cinematic Universe 's Netflix shows , where he is portrayed by Brett Mahoney . Royce Johnson is a recurring character in the Netflix shows at Marvel Cinematic Universe , where he is presented by Brett Mahoney . 1 +They are not only hard to religious , but they are some of the most agricultural areas in Canada . Not only are they heavily agricultural , but they are some of the most religious areas in Canada . 0 +The government of the town of Rongcheng is located in Qingyang County . The government of Rongcheng Town is located in Qingyang County . 1 +Synaptic cluster formation refers to the addition of Dendritic spines to a new area where other spines have been added by previous learning . Synaptic clustering refers to the addition of new spines in a dendritic area , where other spines have been added by previous learning . 0 +It was a public subscription school and was kept open until 1870 , when the private school building was built . It was a public subscription school and was kept open until 1870 , when the private school house was built . 1 +In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd in Dublin and moved to Tallaght , Ireland . In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. in Tallaght , Ireland , and moved to Dublin . 0 +Pingding County is a county in the Shanxi Province , People 's Republic of China under the jurisdiction of Yangquan City . Pingding County is a county in Shanxi Province , People 's Republic of China under the jurisdiction of the city of Yangquan . 1 +"The exterior used for the Heffernan house that was shown in CBS sitcom "" The King of Queens "" is in Cliffside Park ." "The exterior that is shown for the Heffernan house used in the CBS - Sitcom "" The King of Queens "" is in Cliffside Park ." 0 +Cooper Cooper was a motorcycle company that built off-road motorcycles in Mexico . Cooper built a motorcycle company that was off-road motorcycles in Mexico . 0 +It is possible to reverse the tilt sensor to be able to properly play it on a GBA SP . It is possible to reverse the inclination sensor to be able to play it properly on a GBA SP . 1 +The Wenlock Modern School was opened in 1953 on the site of the famous Olympic Games and later renamed William Brookes School . Wenlock Modern School opened in 1953 on the original site of the famous Olympic Games . It later was renamed William Brookes School . 1 +In the 2012 NFL Draft , Posey was selected by the Houston Texans in the 68th round ( third overall ) . In NFL Draft 2012 , Posey was selected by the Houston Texans in the third round ( 68th total ) . 0 +The spokesman first was James David Edgar , and later Thomas Bain . The spokesman was Thomas Bain first , and later James David Edgar . 0 +Renzo Furlan won 6 -- 3 , 6 -- 4 against Thomas Johansson in the finals . Renzo Furlan won in the final 6 -- 3 , 6 -- 4 against Thomas Johansson . 1 +Mackenzie is a writer in the 2B Theatre in Montreal and teaches at the National Theatre School of Canada , Halifax . Mackenzie is a writer-in-residence at the 2B Theatre in Halifax and teaches at the National Theatre School of Canada in Montreal . 0 +John McEnroe won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against Miloslav Mečíř . John McEnroe won against Miloslav Mečíř at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . 1 +His wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell , were their children : With his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart , their children were : 0 +This new heavier isotope can be stable or unstable ( radioactive ) depending on the chemical element involved . This new heavier isotope may be stable or unstable depending on the chemical element ( radioactive ) . 1 +The remaining line from Monte Rio to Point Reyes Station was dismantled in 1930 . The remaining line from Monte Rio to the Point Reyes station was dismantled in 1930 . 1 +Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and they together had at least 10 children ( 6 sons and 4 daughters ) . John John Braithwaite married Caroline or possibly Caroline Amelia ( 1803-1878 ) and had at least 10 children ( 6 sons and 4 daughters ) : 0 +From 1973 to 2015 Helmut Groß was the mayor of Tengen . His successor is Marian Schreier . Helmut Groß was the mayor of Tengen from 1973 to 2015 , and his successor was Marian Schreier . 1 +It is bounded by Caoayan and the municipalities Vigan City , San Vicente , Santa Catalina and Sto . It is bounded by Caoayan and the municipalities of Vigan City , San Vicente , Santa Catalina and Sto . 1 +Darija Jurak and Anastasia Rodionova won the title , defeating Verónica Cepede Royg and Mariana Duque Mariño in the final , 6 -- 3 , 6 -- 2 . Darija Jurak and Anastasia Rodionova won the title , Verónica Cepede Royg and Mariana Duque Mariño in the finals , 6 -- 3 , 6 -- 2 defeated . 1 +Rafael Nadal won in the final 6 -- 3 , 7 -- 6 , against Andrei Pavel , Alexander Waske and Bartolomé Salvá-Vidal . Andrei Pavel and Alexander Waske won against Rafael Nadal and Bartolomé Salvá - Vidal in the final 6 -- 3 , 7 -- 6 . 0 +Dimou was awarded the Dimitris Mitropoulos in 2000 . Dimou was awarded the Dimitris Mitropoulos award in 2000 . 1 +Four others , including Cissell , Machen , and Turner , were also offered as nominees . Also four others , including Turner , Machen and Cissell , were offered nominees . 1 +The Slatina River is the tributary of Cochirleanca in Romania The river Cochirleanca is a tributary of the Slatina river in Romania . 0 +In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Head of Ministry of Staff . In 1938 , after Anfuso was appointed Foreign Minister , Ciano became Head of Ministry of Staff . 0 +It is thick laterally , but thinner medially under the coracoacromial ligament . It is laterally thick , but medially under the ligament coracoacromialis thinner . 1 +A specification tree shows all specifications of a hierarchical system under development in a technical order . A specification tree shows all the specifications of a hierarchical system under development in a technical order . 1 +Mr. J Dey was the architect , Mr.. J D Verhoewe the contractor and mr. C. Morgan , chairman of the action committee . The architect was C. Morgan , Mr. J. Verhoewe the contractor and Mr. J. Dey , Chairman of the Action Committee . 0 +She was born in 1963 in Da Lat , to a Vietnamese father and a French mother . It was born in Da Lat in 1963 , to a Vietnamese father and a French mother . 1 +"She also had a supporting role in the 1992 film "" Bob Roberts "" , as Dolores Perrigrew ." "She also had a supporting role in the movie "" Dolores Perrigrew "" 1992 as Bob Roberts ." 0 +Tyler flirts with Courtney at the party , but he is not interested and she leaves Elly Conway ( Jodi Anasta ) . Courtney flirts with Tyler at the party , but he is not interested and she leaves with Elly Conway ( Jodi Anasta ) . 0 +The station , formerly licensed for North Myrtle Beach , was owned by the city of North Myrtle Beach , South Carolina , USA . Formerly licensed to North Myrtle Beach , South Carolina , USA , the station was owned by City of North Myrtle Beach . 1 +Cumulatively , clinical reasoning and a patch test help determine if nickel could be the cause of a current dermatitis reaction . Cumulatively , clinical conclusions and a patch test help if nickel could be the cause of a current dermatitis reaction . 1 +It became increasingly popular in the 19th century and was considered one of the finest resorts in America by the 18th century . It became increasingly popular in the 18th century and was considered one of the best resorts in America in the 19th century . 0 +The executive branch of the government consisted of the president , the prime minister , a number of deputy prime ministers , and federal ministers . The executive branch of government consisted of the president , the prime minister , a number of deputy prime ministers , and the federal ministers . 1 +Spišská Stará Ves ( ; ; ) is a small town and municipality in Kežmarok district in the Prešov region of northern Slovakia . Spišská Stará Ves ( ; ; ; ) is a small town and urban municipality in Kežmarok District in the Prešov Region of north Slovakia . 1 +Azzopardi received his first country match for Poland in a game against Malta on 14 December 2003 . Azzopardi received his first cap for Poland on 14 December 2003 in a match against Malta . 1 +The Australian state election in 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state legislative assembly . The 1945 Australian state election was held in the Victorian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . 1 +Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Aramaic abbreviations or the list of Hebrew abbreviations . Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Hebrew abbreviations and the List of Aramaic abbreviations , respectively . 1 +This was the first full season in MLS for the Philadelphia and the fourth year under manager John Hackworth . This was the 4th season in MLS for the Philadelphia and the first full year under manager John Hackworth . 0 +Pixar also studied the Disney Cruise Line and visited Las Vegas , which was helpful for understanding artificial lighting . Pixar also visited the Disney Cruise Line and studied Las Vegas , which was helpful for understanding artificial lighting . 0 +Between 1900 and 1915 additional tracks were built for local traffic with the existing tracks being reserved for through trains . Between 1900 and 1915 , additional tracks for local traffic were reserved , with the existing tracks being built for transit trains . 0 +Andy Halliday came in from Blackburn Rovers ; David Goodwillie from Middlesbrough ; Andy Keogh from Millwall ; and Tony McMahon from Sheffield United . Andy Halliday came from the Blackburn Rovers , David Goodwillie from Middlesbrough , Andy Keogh from Millwall and Tony McMahon of Sheffield United . 1 +Andy Pettitte opened the top of the fifth inning with a double and achieved field by Nick Swisher in a single to center . Nick Swisher opened the top of the fifth inning with a double and achieved in a single to center field by Andy Pettitte . 0 +The Sâmbăta river is a tributary of the River Piatra Caprei in Romania . The Piatra Caprei River is a tributary of the Sâmbăta River in Romania . 0 +It is a type of mainly Byzantine dance , from where has been adapted , with the main base and elements of Turkish folkloric music . It is a kind of mainly Byzantine dance , from where , with the main base and the elements of Turkish folkloric music has been adapted . 1 +Liparulo was born in West Point , New York . He attended Weber State University in Utah . Born in West Point , New York , Liparulo attended Weber State University in Utah . 1 +The 2009 season -- 10 Anaheim Ducks was the 17th season of the operation ( 16th season of the game ) for the National Hockey League Franchise . The 2009 -- 10 Anaheim Ducks season was the 17th season of operation ( 16th season of play ) for the National Hockey League franchise . 1 +"In the television series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." "In the television series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." 0 +"Adele performed the song on "" Friday Night with Jools Holland "" on 8 February 2008 and on "" Saturday Night Live "" during the 18 October 2008 show ." "The song was played on February 8 , 2008 on "" Friday Night with Jools Holland "" and during the show on "" Saturday Night Live "" on October 18 , 2008 ." 1 +Bourke was the son of Joseph Deane , Earl of Mayo and Mary Deane , daughter of John Bourke . Bourke was the son of Joseph Deane , 1st Earl of Mayo and Mary Deane , daughter of John Bourke . 1 +It is located in the hills between Koonung Creek and the Mullum Mullum Creek . It is located in the hills between the Mullum Creek and the Creek Koonung . 1 +The reservoirs that form the chain are , from northwest to southeast : Catcleugh Reservoir → Colt Crag Reservoir → Little Swinburne Reservoir → Hallington Reservoirs → Whittle Dene . The reservoirs that form the chain are from the northwest to the southeast : Catcleugh Reservoir → Colt Crag Reservoir → Little Swinburne Reservoir → Hallington Reservoirs → Whittle Dene . 1 +The white Pontiac , a last model year 2010 G6 4 - doory limousine , was built in January 2010 at the Orion Township assembly line . The last Pontiac , a white 2010 model year - G6 4 - Doors - Limousine , was built in January 2010 at the Orion Township assembly line . 0 +Mark Hambourg was born in Voronezh , Russia , as a middle brother of the famous pianist Jan Hambourg . Jan Hambourg was born in Voronezh , Russia , the middle brother between famous pianist Mark Hambourg ( b . 0 +Or the Egg object could call properties and instead use methods . Or the Egg object could invoke properties and use methods instead 1 +Songs that were used for the film but not written include : Songs used for the film but not written include : 1 +Agnes Milowka ( 23 December 1981 -- 27 February 2011 ) was an Australian technical diver , underwater photographer , author , maritime archaeologist and cave explorer . Agnes Milowka ( 23 December 1981 - 27 February 2011 ) was an Australian technical diver , underwater photographer , writer , maritime archaeologist and cave explorer . 1 +She worked on processes of solvent extraction of metal complexes and described the chemical and physical properties of chemical species in an organic solvent . She worked on processes of chemical extraction of metal complexes and described the chemical and physical properties of solvent types in an organic solvent . 0 +A number of conditions can be put on a market , sometimes to model hypothetical markets and sometimes to highlight certain types of actual market behavior . A number of conditions can be imposed on a market , sometimes to model hypothetical markets and sometimes to emphasize certain types of actual market behavior . 1 +In his first series on defense as a rookie Patterson intercepted a Drew Bledsoe pass intended for Keyshawn Johnson and returned it for 20 yards . In his first series in defense as a rookie intercepted Patterson intended a Drew Bledsoe pass for Keyshawn Johnson and gave it back for 20 yards . 1 +Although being developed in Singapore , it is mainly used commercially in Europe . Although it is being developed in Europe , it is used commercially mainly in Singapore . 0 +Enrique Ponce ( born 8 December 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , known as Enrique Ponce , is a famous Spanish bullfighter . 1 +"However , on July 17 , 2006 , in a radio interview with Miguel Ángel Granados Chapa on "" Radio UNAM "" , López Obrador said :" "On 17 July 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" 1 +He was born in Mülhausen in Alsace and died in Meissen , Saxony . He was born at Meissen in Alsace and died in Mülhausen in Saxony . 0 +It is a municipality in the western part of the department of Montenegro , Colombia , located 10 km west of the district capital Armenia . Montenegro is a municipality located in the western part of the Quindío department , Colombia , 10 km west of the district capital of Armenia . 0 +Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and attended Lew Wallace Highschool in Gary , Indiana . Bingaman was born in 1926 , in McKenzie , Indiana , moved to Tennessee , and attended Lew Wallace High School in Gary , Indiana . 1 +The following schools are located at Takanini ( schools in Rosehill , Papakura and Opaheke are excluded ) : The following schools are located in Papakura ( schools in Rosehill , Takanini , and Opaheke are excluded ) : 0 +Directed by Go Nagai , his third film as a director and his first film as solo director . Directed by Go Nagai , his first film as director and his third film as a solo director . 0 +Agriphila straminella is a species of moth of the family Crambidae . It was described by Michael Denis and Ignaz Schiffermüller in 1775 and is found in Europe . Agriphila straminella is a kind of moth of the Crambidae family , which was found in 1775 by Michael Denis and Ignaz Schiffermüller and described in Europe . 0 +Cases are sorted into general areas of Indian law , with a chronological listing at the end of the article . Cases are sorted into general areas of Native American law , with a chronological listing at the end of the article . 0 +Gregory was born in Darlinghurst , he died at the age of 32 in the Sydney region of the same city . Gregory was born in Darlinghurst , he died at the age of 32 in the region of Sydney of the same city . 1 +"A mechanical nightingale is featured in "" and is used to replace a real nightingale for a princess ." "A mechanical nightingale is used in "" and "" to replace a real nightingale for a princess ." 1 +Route 223 or SR-223 is a route that serves as a connection between Union Springs in Bullock County with banks in Pike County . Route 223 or SR-223 is a route that serves as a connection between Union Springs in Pike County with banks at Bullock County . 0 +Baby Boom is a 1987 romantic comedy film directed by Charles Shyer , written by Nancy Meyers and Shyer , and produced by Meyers and Bruce A . Baby Boom is a romantic comedy in 1987 , directed by Nancy Meyers , produced by Charles Shyer and Shyer , written by Meyers and Bruce A . 0 +Jason Syme is the older borther of the rugby league , and rugby union footballer ; Jamie Syme . Jason Jamie Syme is the older Borther of the Rugby - League and Rugby - Union - Footballers . 0 +Its main office is located in Halifax , with two district offices in Fredericton and St. John 's . Its main office is located in Fredericton , with two district offices in Halifax and St. John . 0 +They also have cabrous - margins and surface , of which the later is rough . They also have scabrous margins and surface , the later one of which is rough . 0 +Until 1971 , the Southern Pacific Railroad operated from its Third and Townsend depots private trains to Los Angeles and long distance trains to San Jose . Until 1971 the Southern Pacific Railroad operated from its Third and Townsend Depot commuter trains to Los Angeles and long distance trains to San Jose . 1 +While it is fully Turing-practical , it is not intended for complete use , but to challenge and amuse programmers . While it is fully turing-practical , it is not intended for complete use , but programmers to challenge and entertain . 1 +Other types of course offered by the Department include online courses , short courses , weekly classes , day and weekend courses and summer schools . Other types of courses offered by the department include short courses , online courses , weekly classes , day and weekend courses and summer schools . 1 +Terry Griffiths won against Steve Davis with 9 : 8 in the final . Steve Davis won in the final 9 -- 8 against Terry Griffiths . 0 +The PBA - Season 2015 -- 16 is the 37th season of the franchise at the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . The 2015 -- 16 PBA season is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . 1 +He was a member of the important Munich family of artists Julius Adam . Julius Adam was a member of the important Adam family of the artists of Munich . 0 +North Dalton Park is located at Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . Towradgi is located on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Vichy - France , Belgium , and Germany in 1945 . The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Vichy France , Belgium and Germany in 1945 . 1 +The series tells the life of 14-year-old Barbara and her mother , Isabelle , who is a divorced lawyer . The series tells the life of fourteen-year-old Barbara and her mother Isabelle , who is a divorced lawyer . 1 +Bit 4 is affected if the K register is affected . Bit 5 is set if the J register is set . Bit 4 is set if the K register is affected , Bit 5 is set when the J register is affected . 0 +The actress Manuela do Monte portrays Carol in the Brazilian version of the 2013 series . Carol do Monte portrays Manuela in the Brazilian version of the series 2013 . 0 +He also continued this post when Winston Churchill came to power in 1940 , and was Churchill 's general postmaster between 1943 and 1945 . He continued in this post when Winston Churchill came to power in 1940 and was also Churchill 's general postmaster between 1943 and 1945 . 0 +In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first at the Tristan Bates Theater in London , and then at the Charing Cross Theatre . In 2011 George Maguire appeared as Richard Loeb in Thrill Me , first at the Charing Cross Theatre in London and then at the Tristan Bates Theatre . 0 +Promegestone is mainly bound to albumin , it does not bind to gender-hormone-binding globulin and only weakly binds to Transcortin . Promegestone is mainly bound to albumin ; it does not bind to sex hormone-binding globulin , and binds only weakly to transcortin . 1 +He was inherited by 51 among the leaders in stranded runners . He was stranded among the leaders in inherited runners at 51 . 0 +It is found in south-eastern Venezuela , where is known as jequitibá-branco or jequitibá-rosa , possibly Brazil , and possibly Colombia . It is found in southeastern Venezuela , where is known as jequitibá-branco or jequitibá-rosa , possibly Brazil and possibly Colombia . 1 +A brief biography and short summaries of Brodsky 's long fiction and critical reception can be found here : A short biography and brief summaries of Brodsky 's long fiction and critical reception can be found here : 0 +Almaric became the Regent of Armenia , and Henry was exiled to Cyprus and Jerusalem . Almaric became regent of Armenia , and Henry was exiled to Cyprus and Jerusalem . 1 +One Lonely Night ( 1951 ) is Mickey Spillane 's fourth novel featuring private investigator Mike Hammer . One Lonely Night ( 1951 ) is Mickey Spillane 's fourth novel with the private investigator Mike Hammer . 1 +Feliciano Centurión ( March 29 , 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) was a Paraguayan painter . Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) . 0 +The original edition of the disc was released on 11 January 2006 in Malaysia and 26 January 2006 in Singapore . The original edition of the disc was published on 11 January 2006 in Malaysia and on January 26 , 2006 in Singapore . 1 +The municipality was also transferred from the Sudbury District to the Manitoulin District at that time . The municipality was also moved from the Sudbury district to the Manitoulin district at that time . 1 +The JieT is a tributary of the River Slivei in Romania . The Slivei River is a tributary of the Jieţ in Romania . 0 +An off-track betting network offers racing from teletheatres in Hamilton , Brantford , Burlington and Stoney Creek . An off-track betting network offers races from teletheatres in Hamilton , Stoney Creek , Burlington and Brantford . 1 +In 1997 , Sandy Lam , Qi Yu , Prudence Liew , and Teresa Carpio published a cover of the song , together with What A Wonderful World In 1997 , Sandy Lam , Teresa Carpio , Prudence Liew , and Qi Yu published a cover of the song , along with What A Wonderful World 1 +At its mouth at Lake Ontario , the river shares the city of Oswego , just as it shares the city of Fulton with a few miles upstream . At its mouth at Oswego , the river divides the City of Lake Ontario just as it divides the City of Fulton a few miles upstream . 0 +The Gallatin Speedway is located on the outskirts of Belgrade to the northeast of the Bozeman Yellowstone International Airport on Tubb Road . The Bozeman Yellowstone International Airport is located on the outskirts of Gallatin Speedway north-east of Belgrade on Tubb Road . 0 +The published literature of Yoruba begins with the formation of its grammar written in 1843 . The written literature of the Yoruba begins with the formation of its grammar published in 1843 . 0 +Following the Allies ' May 1945 victory , the Soviets effectively occupied Central and Western Europe , while strong US and Western allied forces remained in Eastern Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Western Europe , while strong US remained American and Western allies in Eastern Europe . 1 +Those who miss it thus often completely quote the third and fourth lines . Those who quote it so often miss the third and fourth lines completely . 0 +Conservatives argued that trusted politicians should be elected instead . Conservatives argued that instead , trusted politicians should be elected . 1 +Sarah ( Colin Ferguson ) tells Sarah that Tripp stole the car , she came to Mystic Falls in London . Matt ( Colin Ferguson ) tells Sarah that Tripp stole the car , she came to Mystic Falls in . 0 +Makopong is a village in Kgalagadi District of Botswana . It is located close to the border with South Africa . The population was 1,697 in the 2011 census . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa located near the border to Botswana . 0 +Hindsholm was incorporated into the former Odense County while the bulk of the new province was merged with Tranekær County and renamed to Svendborg County . Hindsholm was incorporated into the new Odense county , while the majority of the former province was merged with Tranekær County and was renamed to Svendborg County . 0 +A potential protocol for the use of sensible transmission flow control signals must be used , to avoid such deadlock conditions , however . A sensible protocol for the use of such transfer flow control signals must be used , however , to avoid potential blocking conditions . 0 +Ma Smith is widow with two of her own children : Will and Dora Smith . Dora Smith is a widow of two own children : Will and Ma Smith . 0 +The western part of Indian Lake is located in the eastern Richland Township . The eastern part of Indian Lake is located in western Richland Township . 0 +In 1998 Mancuso married his third wife , actress Nadia Capone , whom he divorced in 2006 . In 1998 , Mancuso married his third wife , the actress Nadia Capone , whom he divorced in 2006 . 1 +Condon said she wanted to give Suzanne a Valentine 's Day card . Condon said they wanted to give Suzanne a Valentine 's Day card . 1 +Chris Paul signed to the Houston Rockets , and Carmelo Anthony signed with the Oklahoma City Thunder . Chris Paul signed with Houston Rockets , and Carmelo Anthony signed at the Oklahoma City Thunder . 1 +Moulthrop began experimenting with the hypertext theory in the 1980s and has since written several articles as well as numerous hypertext - fiction - works . Moulthrop began experimenting with hypertext theory in the 1980s , and has written several articles as well as authored many hypertext fiction works . 0 +By 1874 , Bath was served by the Boston , Concord and Montreal and White Mountains ( N.H. ) Railroad . Bath was served by Boston , Concord and Montreal and White Mountains ( N.H. ) Railroad in 1874 . 1 +In 2002 , Richard Branson opened with Sir Elissa Kuwait 's Virgin Megastore . In 2002 , Richard Branson inaugurated Kuwait 's Virgin Megastore with Sir Elissa . 1 +Rail transport in Belgium was historically managed by the National Railway Company of Belgium , which was known in French as the NMBS and in Dutch as the SNCB . Rail transport in Belgium was historically managed by the National Railway Company of Belgium , which was known in French as the SNCB and in Dutch as the NMBS . 0 +"He recorded two tracks for the album "" Juju "" with Bobby Tench 's band Gass ; a solo single and another with Nigel Watson , sessions with B ." "He accepted two tracks for the album "" Juju "" with Bobby Tench 's band Gass , a solo single and another with Nigel Watson , sessions with B ." 0 +"The PRO , which is a "" zero - DP "" , is situated in the subject position of the embedded clause ." "The PRO , which is a "" null DP "" is in the subject position of the embedded clause ." 1 +Cao Ren 's army experienced great success initially and destroyed all Zhu Huan 's armies in the field . The army of Zhu Huan initially experienced great success and destroyed all of Cao Ren 's armies in the field . 0 +Born in 1967 in Chicago Heights , Illinois , he attended the Bloom High School in Glenwood , Illinois . He was born in 1967 in Glenwood , Illinois , and attended the Bloom High School in Chicago Heights , Illinois . 0 +"Kassandra has written numerous symphonic works , chamber music pieces , vocal art songs , and choral pieces such as "" Terzakis "" after Aischylos for the ensemble amarcord ." "After Aischylos , Terzakis has written numerous symphonic works , chamber music pieces , vocal art songs and choral works such as "" Cassandra "" for the ensemble amarcord ." 0 +In 1903 she spoke at the annual conference of the British Labour Party ( later the Labour Representation Committee ) , and was the first woman to do so . In 1903 she spoke at the annual conference of the British Labour Party ( later Labour Representation Committee ) and was the first woman to do so . 1 +A molecular vibration occurs when atoms in a molecule are in constant translational and rotational motion while the molecule as a whole has periodic motion . A molecular vibration occurs when atoms are in periodic motion in a molecule , while the molecule as a whole has a constant translation and rotation motion . 0 +As with other regression methods , the goal is to estimate a response ( independent variable ) based on one or more predictors ( dependent variables ) . Like other regression methods , the goal is to estimate a response ( independent variable ) based on one or more predictors ( dependent variables ) . 1 +It is also said that John Ceiriog Hughes spotted the talents of the young poet Clarke . It is also being said that John Ceiriog Hughes discovered the talents of the young poet Clarke . 1 +There are 47 divisional secretariats in the southern province , with 19 in the district Hambantota , 12 in the district Matara and 16 in the district of Galle . There are 47 divisional secretariats in the Southern Province , with 19 in Galle District , 12 in Hambantota District and 16 in Matara District . 0 +Deposed in 1776 by the revolutionary government of New Jersey , William was arrested at his home in Perth Amboy at the Proprietary House and imprisoned for a time . William was deposed in 1776 by the revolutionary government of Perth Amboy and arrested in his home in New Jersey , Proprietary House , and imprisoned for a time . 0 +Celestine V identifies a persistent tradition as the mysterious figure Dante Alighieri sees among those in the anteroom of hell , in the nameless verses : A persistent tradition identifies Celestine V as the nameless figure Dante Alighieri sees among those in the antechamber of Hell , in the enigmatic verses : 0 +The company was formed from the merger between Total Peripherals Group , which was established in 1986 by David and Vicky Teoh , and SP Telemedia in 2008 . The company was founded in 2008 from the merger between SP Telemedia , which was founded in 1986 by David and Vicky Teoh , and the Total Peripherals Group . 0 +This was the first native PowerPC version , which made it much faster on newer machines than previous versions . This was the previous PowerPC first version , which made it a lot faster than native versions on newer machines . 0 +He moved to New France in 1685 and lived for some time in Quebec . He moved to Quebec around 1685 and lived in New France for some time . 0 +"He went to Al and said , "" you 've lost a father "" and "" I have lost a son "" ." "He went to Al and said : "" You lost a father "" and "" I have lost a son "" ." 1 +Diseases associated with this genus include : DCV : increased reproduction potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . Diseases associated with this genus include : DCV : increased reproductive potential ; extremely pathogenic when injected with high associated mortality ; CrPV : paralysis and death . 1 +It is found in the Himalayas , from Kashmir through Nepal , southern Tibet and Sikkim to Bhutan . It is found in the Himalayas , from Kashmir through Tibet , South Nepal and Sikkim to Bhutan . 0 +Brett Steven won the tournament and struck Thomas Enqvist in the final , 4 -- 6 , 6 -- 3 , 7 - 6 ( 0 ) . Thomas Enqvist won the tournament , beating Brett Steven in the final , 4 -- 6 , 6 -- 3 , 7 -- 6 ( 0 ) . 0 +Born in Salt Lake City , Laura Myntti lived in Sioux City , Iowa and San Diego , before settling in Minnesota in 1968 . Laura Myntti was born in Salt Lake City and lived in Sioux City , Iowa and San Diego before settling in Minnesota in 1968 . 1 +Anabel Medina Garrigues and Arantxa Parra Santonja won the title , defeating Kiki Bertens and Johanna Larsson in the final , 6 -- 0 , 6 -- 4 . In the final , 6 : 0 , 6 : 4 , Kiki Bertens and Johanna Larsson won the title , defeated Anabel Medina Garrigues and Arantxa Parra Santonja . 0 +The Waitaki River district , in the Canterbury and Otago regions of New Zealand , straddles the traditional border between the two regions , the Waitaki . The district of Waitaki River , in the regions of Canterbury and Otago in New Zealand , stretches the traditional border between the two regions , the Waitaki . 0 +Healey played the role in series eight in August 2012 and left the role once again , on 27 September 2012 . Healey played the role in series production in August 2012 and left the role again on September 27 , 2012 . 1 +In March 1904 , his brother was kidnapped for ransom in West Texas and taken across the border to Mexico . In March 1904 , his brother was kidnapped for ransom in Mexico and taken to West Texas across the border . 0 +It is 2 km northeast of Agios Stefanos and 20 km west of the city centre of Athens . It is located 2 km west of Agios Stefanos and 20 km northeast of the city centre of Athens . 0 +In the 1970s , W & R Jacob in Tallaght , Ireland merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Dublin . In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. and moved to Dublin in Tallaght , Ireland . 1 +In these cells , a voltage is registered that is induced electronically . A voltage is induced in these cells , which is registered electronically . 0 +Inspirica , Inc. serves approximately 300 people and houses more than 800 people each year . Each night Inspirica , Inc. serves approximately 300 people and each year houses more than 800 people . 1 +"In the 2014 film "" Get On Up "" , a biography of Josh Hopkins portrayed by James Brown , Bass is produced by Bryan Grazer and Mick Jagger ." "In the 2014 film "" Get On Up "" , a biography of Josh Hopkins , depicted by James Brown , bass is produced by Bryan Grazer and Mick Jagger ." 1 +Some witnesses reported a white powder : TATP is a crystalline white powder . Some witnesses reported seeing a white crystalline powder : TATP is a white powder . 0 +It is then captured by a group of human supremacists who have been responsible for the recent killings of natural beings . She is then captured by a human supremacists group who have been responsible for the recent killings of super natural beings . 0 +The first series used fewer celebrities - characters than the second series . The second series used fewer celebrities - characters than the first series . 0 +Game five was Fred Shero 's last game as chief coach of the Flyers and Gerry Cheevers left the ice without shaking his hands with one of the flyers . Game five was Gerry Cheevers 's last game as head coach of the Flyers and Fred Shero left the ice without shaking hands with any of the Flyers . 0 +"Traditionally , "" contemporary "" companies like the Kirov Ballet and the Paris Opera Ballet also regularly perform classical works ." "Traditionally "" classical "" companies , such as the Kirov Ballet and the Paris Opera Ballet , also regularly perform contemporary works ." 0 +In 1995 she married Stuart Kerri McKeehan , the sister of TobyMac . TobyMac married Kerri McKeehan , sister of Stuart , in 1995 . 0 +It can be found from Fennoscandinavia to the Pyrenees , Great Britain and Greece and from Italy to Russia and Ukraine . It is found from Fennoscandinavia to the Pyrenees , Italy and Greece and from Britain to Russia and Ukraine . 0 +He remained in Japan for three years before moving back to Germany with his family . He remained in Germany for three years before moving back to Japan with his family . 0 +He has a son ( born 2000 ) from a previous relationship with TV presenter Angela Gessmann . In July 2011 Lanz married Birgit Schrowange . He has a son ( born 2000 ) from a former relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . 0 +For each fixed number , it is possible to decide in polynomial time whether the subchromatic number of interval and permutation graphs is at most r . For every fixed integer r , it is possible to decide in subchromatic time whether the polynomial number of interval and permutation graphs is at most r . 0 +Ordinary plates have black text on white background . Ordinary plates have black text on a white background . 1 +This assembly was seen as a semi-democratic legislative counterpart to the divine system that existed during the Third Dynasty of Ur ( 2112 BC -- 2004 BC ) . This assembly was seen as a semi-democratic statutory counterpart to the divine system that existed during the Third Dynasty of Ur ( 2112 BC -- 2004 BC ) . 1 +Nile was the last candidate excluded after the distribution of votes on the 77th count , and was not elected to the Senate . After the distribution of the votes , the 77th candidate was excluded from the last count and was not elected to the Senate . 0 +The music was composed by K. Raghavan and the lyrics by Swathi Thirunal and Edasseri were written . The music was composed by K. Raghavan and lyrics was written by Swathi Thirunal and Edasseri . 1 +Every level , from the national and global levels to the individual and local levels , has its own essential function in a globalised world . Every level , from the national and global , to the individual and local , has its own , essential function in a globalised world . 1 +The CAA is not connected with the Automobile Protection Agency or consumer groups such as the Dominion Automobile Association . CAA is not affiliated with the Dominion Automobile Association or with consumer groups such as the Automobile Protection Agency . 0 +"Ricci is known for publishing the original edition of the "" Codex Seraphinianus "" and some books by Guido Crepax ." "Guido Crepax is known for publishing the original edition of the "" Codex Seraphinianus "" and some of Ricci 's books ." 0 +In 1890 , French Colonel Louis Archinard formally conquered the entire territory of the former Kingdom of Kaarta , which was annexed to the French West Africa in 1904 . In 1890 , French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom , which was officially annexed to the French West Africa in 1904 . 0 +From there , through a minimally developed series of swamps and ponds , it flows south into the valley , to the south , but further west . From there it flows south into the valley through a minimally developed series of swamps and ponds , downward but trending further to the west . 0 +Grevillea macleayana , commonly known as New South Wales grevillea , is a shrub of the Proteaceae family native to Jervis Bay . Grevillea macleayana , commonly known as Jervis Bay grevillea , is a shrub of the family Proteaceae native to New South Wales . 0 +The latter study is one of the few prospective demonstrations that remains associated with high blood pressure and LVH environmental stress . The latter study remains one of the few prospective demonstrations that environmental stress with high blood pressure and LVH is associated . 1 +Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport to Nanaimo Harbour Water Aerodrome . Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport for Nanaimo Harbour Water Aerodrome . 1 +"The municipal district ( "" správní obvod "" ) of the same name consists of administrative districts Prague 14 and Dolní Počernice ." "The administrative district of the same name ( "" správní obvod "" ) consists of the Prague 14 and Dolní Počernice districts ." 0 +The Grand Jury recommended legislation so that the statute of limitations would not prevent similar prosecutions in future cases . The grand jury recommended legislation so the statute of limitations would not prevent similar prosecutions in future cases . 1 +The port of Suppāraka , is either modern Sopara near Bhārukacha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bhārukaccha . The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Mumbai near Bharuch , or Vasai about 290 kilometers south of Bhārukaccha . 1 +His brother Giovanni Ludovico Bianconi , was a neoclassical doctor , art historian , and antiquarian , who was a close friend of Winckelmann . His brother Winckelmann was a neoclassical doctor , art historian and bookseller who was a close friend of Giovanni Ludovico Bianconi . 0 +He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddgang hills and then came to Gubbi . He followed his guru and came to Siddaganga , for some time lived in one of the caves of the Siddganga hill and then moved to Gubbi . 0 +The elaborately choreographed song was completed in five days , and the dance was produced by Kala . The elaborately-produced song was completed in five days , and the dance was choreographed by Kala . 0 +His musical imagination and his extraordinary improvisations are a joy for those who listen to him . His extraordinary imagination and his musical improvisations are a joy to those who listen to him . 0 +"There are a number of remarkable works in the Afghan literature that Muslims discuss during the "" Australian period "" ( 1860-1900 ) ." "There are a number of notable works in Afghan literature that discuss the Muslims during the "" Australian period "" ( 1860-1900 ) ." 1 +Prior to his arrival in Sweden in 2002 , Mišović was in Serbia where he was involved in organized crime , he left the country to avoid arrest . Prior to his arrival in Sweden in 2002 , Mišović was in Serbia , where he was involved in organized crime , and left the country to escape arrest . 1 +Dunkerton moved from London to Herefordshire at the age of fourteen . At the age of 14 Dunkerton withdrew from Herefordshire to London . 0 +Santa Rosa de Lima is a municipality in the district of Santa Rosa , Guatemala . Santa Rosa de Lima is a municipality in the department of Guatemala , Santa Rosa . 0 +Ashe was spoken in English by Kari Wahlgren and by Mie Sonozaki in Japanese . Ashe was voiced by Mie Sonozaki in English and by Kari Wahlgren in Japanese . 0 +"Lars Rosing is playing the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" , Lars Rosing lives near Montreal in Canada ." "Lars Rosing plays the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" . Lars Rosing lives near Montreal in Canada ." 1 +In Western Australia it is found along water courses and in seasonally wet sites throughout the Kimberley region where it grows in sandy alluvium . In Western Australia , it is found along water courses and seasonally humid sites throughout the Kimberley region , where it grows in sandy alluvium . 1 +Between 1900 and 1915 additional tracks were reserved for local traffic with the existing tracks being built for through trains . Between 1900 and 1915 , additional tracks were built for local traffic , with the existing tracks reserved for transit trains . 0 +The district , as originally proposed , was larger to include the commercial areas to the west of Maple Avenue , including ancient buildings , the Galleria and Shrewsbury Avenue . The district , as originally proposed , was larger to include the commercial areas to the west of Shrewsbury Avenue , including ancient buildings , the Galleria and Maple Avenue . 0 +The Sm ring permanently binds to the snRNAs of U1 , U2 , U4 and U5 , which form four of the five snRNPs that form the main spliceosome . The Sm ring permanently binds to the snRNAs U1 , U2 , U4 and U5 , which form four of the five snRNPs that form the main spliceosome . 1 +The Banach - Mackey - topology and the weak Arens - space topology are relatively rarely used . The Arens -- Mackey topology and the weak Banach space topology are relatively rarely used . 0 +At an auction , Mr Cave made the highest bid for Mr Payne 's product . Mr Payne has made the highest bid for Mr Cave 's goods at an auction . 0 +Viktor Arkadyevich Bely , also Viktor Aronovich Bely ( ; 14 January 1904 -- 6 March 1983 ) , was a Russian composer and social activist . Viktor Aronovich Bely , also Viktor Arkadevich Bely ( January 14 , 1904 -- March 6 , 1983 ) , was a Russian composer and social activist . 1 +It is followed by a path from Hub Industrial Area to North Karachi and from Nazimabad and Orangi Town . It is a path from Hub Industrial Area to Orangi Town , followed by Nazimabad and North Karachi . 0 +TSU students take part in major international events , such as II International Student Forum in Rome , Italy , and III International Student Forum in Berlin , Germany . TSU students take part in major international events such as the III International Student Forum in Rome , Italy , and the 3rd International Student Forum in Berlin . 1 +"The nucleoporin NDC1 anchors a protein that is encoded in humans by the "" TMEM48 "" gene ; it is an aladin of the nuclear pore complex ." "Nucleoporin NDC1 anchors a protein that in humans is encoded by the "" TMEM48 "" gene . It is aladin to the nuclear pore complex ." 1 +Cohen was appointed by Robert W. Edgar as a member of the President 's Council of Common Cause . Robert W. Edgar was appointed Member of the Council of the President 's Common Cause by Cohen . 0 +It is unhybridized in its rare form . It is in its rare form unhybridized . 1 +It is possible to reverse the tilt sensor to be able to properly play it on a GBA SP . It is possible to play the tilt sensor in order to be able to reverse it properly on a GBA SP . 0 +Royce Johnson is a recurring figure in the Netflix shows at Marvel Cinematic Universe , where he is portrayed by Brett Mahoney . Brett Mahoney is a recurring character in the Marvel Cinematic Universe 's Netflix shows , where he is portrayed by Royce Johnson . 0 +It was completed in modernist style in 1933 for the US federal government and is now used as an office by the United States Postal Service . It was completed in 1933 in Modernist style for the United States Federal Government , and is now used as office accommodation by the United States Postal Service . 1 +( EL - Successor Conrail sold the old New York main route to Cassville , Susquehanna , and Western Railway in 1982 through Utica , Chenango , and Susquehanna Valley . ) ( EL successor Conrail sold the old New York main line through Utica , Chenango and Susquehanna Valley to the Cassville , Susquehanna and Western Railway in 1982 . ) 1 +If it was commercially printed , illustrations were added by J. Augustus Knapp . When it was added commercially , illustrations by J. Augustus Knapp were printed . 0 +However , its cargo of 267 tons of solid copper ingots was extensively salvaged in 1917 by Benjamin F. Leavitt , and again in 1974 by Gregory James Busch . Its cargo of 267 tons of solid copper bars was however extensively rescued in 1917 by Benjamin F. Leavitt and in 1974 by Gregory James Busch . 1 +Johann Rupert , Rupert 's eldest son , is now CEO of Richemont and Chairman of Remgro . Rupert , Johann Rupert ’ s eldest son , is now the CEO of Richemont and Chairman of Remgro . 0 +English is the main language while French is the other language to learn . The other language is English , while French is the main language . 0 +The first oil source in Indian territory was drilled in Atoka County , Choctaw Nation , Oklahoma in 1885 , although it was not completed until 1888 . The first oil source in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian territory , although it was not completed until 1888 . 0 +The album was recorded at Brian Elliot Studios in North Hollywood , California , together with engineer Jay Lansford and Co - producer David Hines . The album was recorded at Brian Elliot Studios in North Hollywood , California , together with engineer David Hines and co-producer Jay Lansford . 0 +The manga is published in French by Pika Edition , in Spanish by Planetacomic , in German and Italian by Panini Comics . The manga is published by Panini comics in French , from Planetacomic in Spanish , by Pika Edition in German and Italian . 0 +He moved to Toowoomba in 1868 after having tried his luck on the gympic gold fields unsuccessfully . After having tried his luck on the gold fields of Toowoomba unsuccessfully , he moved to Gympie in 1868 . 0 +Morrow can mean either the next day in particular or the future in general . Morrow can either mean the next day in general , or the future in particular . 0 +Crowfoot is a federal electoral district in Battle River . Alberta -- Crowfoot is a federal electoral district in Battle River . 1 +The design was sold initially by Sunrise Aircraft of Sheridan , Michigan and is currently produced by Thunderbird Aviation of Ray , Oregon . The design was initially sold by Sunrise Aircraft from Sheridan , Michigan , and is currently produced by Thunderbird Aviation of Ray , Oregon . 1 +Its habitat is in dense cogon grassland , and primary and secondary forest . Its habitat is located in primary and secondary cogon - grassland and dense forest . 0 +On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . On 4 November 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . 0 +In codice 5 the second file is codice 8 and in codice 4 is the second file codice 10 . In codice 4 is the second file codice 8 and codice 5 is the second file codice 10 . 0 +Prince Edward Island , Canada is a provincial park located in Strathgartney Provincial Park . Strathgartney Provincial Park is a provincial park on Prince Edward Island , Canada . 0 +Matrons were male almost without exception -- female nurses were not common at all , especially in senior positions . Matrons were almost invariably male -- female nurses were not at all common , especially in senior positions . 1 +The French , led by Bertrand du Guesclin , met the relief force and defeated them . The French , led by Bertrand du Guesclin , met the relief force and defeated it . 1 +"Rollo took the title of "" demarchus "" , a title which Robert later also took ." "Rollo took the title of "" Demarchus "" , a title that Robert also took later ." 1 +She was a Fulbright fellow and has authored or co-authored numerous books on insolvency , contract law , and corporate and commercial law . She was a Fulbright scholar and has written or co-authored numerous books on insolvency , contract law , and commercial and corporate law . 1 +2nd lights , camera ... cut ! -Horace wants to win a contest , so he counts on big bang and child to help him . 2 . Lights , Camera ... Cut ! -Horace wants to win a contest , so he counts on Big Bang and Kid to help him . 1 +He was trained at the Remonstrant seminary of Amsterdam and first served in Emden 1733-1736 before moving to Haarlem . He was trained at the Remonstrant Seminary in Haarlem and first served in Emden from 1733-1736 before moving to Amsterdam . 0 +Abdullah Orkun KAYA is currently President of the Board of Directors and Mohammad Hariri is the CEO of the TTNET . Currently , Abdullah Orkun KAYA is Chairman of the Board of Directors and Mohammad Hariri is the CEO of the TTNET . 1 +Karthik is the brother of the actress Sridevi and the nephew of actress Maheswari . Karthik is the brother of actress Sridevi and the nephew of actress Maheswari . 1 +There is no railway station & airport in Kadipur . You can reach here by bus from Sultanpur . There is no railway station and airport in Sultanpur , which you can reach from Kadipur by bus . 0 +The river Valea Voenilor is a tributary of the Pascu River . The Pascu River is a tributary of the Valea Voenilor River . 0 +Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American football receiver in the American Football League and the NFL . Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American football wide receiver in the NFL and the American Football League . 1 +The legacy of the Aldenata , also known as the Posley War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . The Legacy of the Aldenata , also known as the Posleen War Series , is the military universe of one of John Ringo 's fictional science fiction series . 1 +A second stone is decorated with a large Latin cross coupled with forked terminals and two crosses in the upper angles . A second stone is decorated with a large Latin cross coupled with bifurcated terminals and two crosslets in the upper angles . 1 +SR = ratio of the number of won Grand - Slam tournaments to the number of played . SR = ratio of the number of Grand Slam singles tournaments won to the number played . 1 +The orbital data is consistent with the secondary component of either a white dwarf or a red dwarf star . The orbital data is consistent with the secondary component being either a red dwarf or a white dwarf star . 1 +Igor Moskvin married Tamara Nikolayevna Bratus in 1964 . In 1964 , Igor married Moskvin Tamara Nikolayevna Bratus . 1 +Other studies have also been submitted to the Federal Power Commission by the Congress and the Power Authority of New York . Also other studies were submitted to the Federal Power Commission by the Congress and Power Authority of New York . 1 +Garcia appeared in his first concert at the age of nine , and since then he performed alone or with his aunt and uncle in all parts of France . At the age of nine , Garcia appeared in his first concert and since then has appeared alone or with his aunt and his uncle in all parts of France . 1 +The PBA - Season 2015 -- 16 is the 37th season of the franchise at the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . The 2015 season -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . 0 +He played for the New York Giants in 1942 and for the Brooklyn Dodgers from 1946 to 1948 . In 1942 , he played for the Brooklyn Dodgers and from 1946 until 1948 for the New York Giants . 0 +"Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as their sixteenth studio album total , months after "" The Way We Were "" released ." "Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , released months after "" The Way We Were "" ." 1 +"The Jimmy - Perez novels have been dramatized as the TV - Detective - Series "" Vera "" and the Vera - Stanhope - Romane as the series "" Shetland "" ." "The Jimmy Perez novels have been dramatized as the TV detective series "" Vera "" and the Vera Stanhope novels as the series "" Shetland "" ." 1 +"The small marine Blennioids Blenny ( "" Ecsenius australianus "" ) are Australian fish of the genus "" Ecsenius "" ." "The Australian blenny ( "" Ecsenius australianus "" ) are small marine blennioid fish of the genus "" Ecsenius "" ." 0 +He was son of Ebenezer Elmer and nephew of Jonathan Elmer , both of whom also served in Congress . He was the son of Ebenezer Elmer and nephew of Jonathan Elmer , both of whom served in the Congress . 1 +The Austrian school assumes that the subjective decisions of individuals , including individual knowledge , time , expectation , and other subjective factors , cause all economic phenomena . The Austrian school assumes that the subjective choices of individuals , including subjective knowledge , time , expectation , and other individual factors , cause all economic phenomena . 0 +When the German invasion began , the national gold ownership was evacuated from Oslo via Romsdalen to Åndalsnes and Molde and then by ship to Tromsø . When the German invasion began the national gold holding was evacuated from Tromsø through Romsdalen to Åndalsnes and Molde , and then by ship to Oslo . 0 +The curve is applied on the horizontal axis with the cumulative units on the vertical axis and unit cost . The curve is plotted with the cumulative units produced on the vertical axis and unit cost on the horizontal axis . 1 +The game created a 32 - digit unique password after successful completion of a level that was also alphanumeric to the player name to allow for a later continuation . The game created a 32 - digit alphanumeric password after successful completion of a level , which was also unique to the player 's name in order to allow for a later resumption . 0 +In November 1578 , the Spanish Army left Namur and crossed the Ardennes and Limburg . In November of 1578 , the Spanish army left Namur and crossed the Ardennes and Limburg . 1 +In 1969 , Amanda married Rod Lyne , Mary Smith . In 1969 , Rod married Amanda Mary Smith . 0 +The Timiş River is a tributary of the Calova River in Romania . The Calova River is a tributary of the Temesch River in Romania . 0 +The Catalina 30 is a series of American sailboats designed by Gerry Douglas and later by Frank Butler . The Catalina 30 is a series of American sailboats , that were designed by Frank Butler and later by Gerry Douglas . 0 +Around 1890 Kate ran with Albert Allen , a stepson of Tom 's stepmother , Emily Dennison Allen Morgan . Around 1890 , Emily Dennison ran Allen Morgan away with Albert Allen , a stepson of Tom 's stepmother Kate . 0 +Kijevo was looted and burned on 26 August and subsequently captured . Kijevo was captured on August 26 , and subsequently plundered and burned . 0 +However , after the resignation of Alfred de Falloux and replacement by Carnot , the Commission was dissolved . However , the Commission was dissolved after Carnot 's resignation and the replacement by Alfred de Falloux . 0 +It is a well-studied organism in the discipline of European biology , an early and important model system for the study of evolutionary phylogeography . It is a well-studied organism in the discipline of evolutionary biology and was an early and important model system for the research of European phylogeography . 0 +Sundance is once again foiled on a job by the Poet getting there first , and three of Sundance 's men are killed . Once again , Sundance is killed by a job when the poet comes there first , and three of Sundance 's men are foiled . 0 +The U.S. Route 81 has eight special routes : three in Texas , one in Oklahoma , two in Kansas and two in North Dakota . U.S. Route 81 has eight special routes . Three are in Texas , one in Oklahoma , two in Kansas , and two in North Dakota . 1 +Mastax poecila is a type of beetle in the Carabidae family that can be found in Singapore , China and Cambodia . Mastax poecila is a species of beetle in the Carabidae family that can be found in Cambodia , China and Singapore . 1 +However , Turkish Prime Minister Ahmet Davutoglu argued that Turkey would not support the EU-Turkey agreement if the EU did not weaken visa conditions by June 2016 . But Turkish prime minister Ahmet Davutoglu argued that Turkey would not support the EU-Turkey deal if EU did not weaken the visa conditions by June 2016 . 1 +Fowler married Sarah Sloane , daughter of William Sloane and niece of Sir Hans Sloane , who had two sons and a daughter : Fowler married Sarah Sloane , daughter of Hans Sloane and niece of Sir William Sloane . They had two sons and a daughter . 0 +In the 2015 federal election , Gidoni became elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . In the 2015 regional election , after Tosi was sidelined by the federal party , Gidoni was elected to the Regional Council of Veneto in the province of Belluno . 0 +The district as originally proposed was larger , to include the commercial areas west of Maple Avenue , including the antique buildings , The Galleria , and Shrewsbury Avenue . The district , as originally proposed , was larger to include the commercial areas to the west of Maple Avenue , including ancient buildings , the Galleria and Shrewsbury Avenue . 1 +The cooperative National Weather Service reports that Occidental has cool , damp winters and warm , dry summers . The cooperative National Weather Service station reports that Occidental has warm , dry winters and cool , wet summers . 0 +A tribute to Frank Sinatra : the US - American actor Seth MacFarlane was the lead singer with Jamie Parker and Claire Martin . A tribute to Frank Sinatra . American actor Seth MacFarlane was the lead singer , with Jamie Parker and Claire Martin . 1 +Players use the GameSpy Arcade client to create or join the game 's main lobby and then access virtual rooms where they can participate in online play . Players use the GameSpy Arcade - Client to access and create the game 's main lobby , or connect to virtual rooms where they can participate in online game play . 0 +In addition to her own dowry , Cecily brought her new husband the station of her daughter , Katherine , who , together with William Hastings and Katherine , had six children : In addition to her own dowry , Katherine brought her new husband the station of her daughter , Cecily , who had six children , together with William Hastings and Katherine : 0 +"The Moai statues of Easter Island ( Chile ) appear in several "" gradius "" plays as enemies ." "The moai statues of Easter Island ( Chile ) appear as enemies in several "" Gradius "" games ." 1 +The Chapeau Lamp ( 2014 ) designed by Moritz Waldemeyer for Flos and the sculpture The Hatband ( 2016 ) by Philippe Starck are both tributes to Borsalino . Borsalino are the sculptures by Moritz Waldemeyer for Flos designed Chapeau Lamp ( 2014 ) and the sculpture The Hatband ( 2016 ) by Philippe Starck . 1 +For example , to dial Norway in Oslo before 1992 , it was necessary to call : For example , to telephone Norway before 1992 in Oslo , it was necessary to call : 1 +In Mexico , assistance programs and prior welfare and government social programs distribute milk in bags ( per bag ) at very low prices . In Mexico , aid programs and previous social and government welfare programs distribute milk in bags ( per bag ) at very low prices . 1 +Many provinces and states organize regional and provincial championship tournaments , and the highest age groups in Canada and USA also participate in national championships . Many provinces and states organize regional and provincial championship tournaments , and the highest age groups in Canada and the USA also participate in national championships . 1 +The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architect Pietro Bracci and completed by Nicola Salvi . The Trevi Fountain is a fountain in the Trevi district of Rome , Italy , designed by Italian architect Nicola Salvi and completed by Pietro Bracci . 0 +Paul Whitty ( * 1970 ) is an experimental composer and sound artist born in England , born in Northern Ireland . Paul Whitty ( born 1970 ) is an England-based experimental composer and sound artist born in Northern Ireland . 1 +He was commissioned on 14 October 1917 in Fort Des Moines first lieutenant , and weeks later a West Medford born , Madeline Mabray Kountze , married . He was commissioned first lieutenant on October 14 , 1917 at West Medford , and weeks later married a Fort Des Moines native , Madeline Mabray Kountze . 0 +Ryan Robbins ( born November 26 , 1972 ) , better known as the Ryan John Currier , is a Canadian actor . Ryan John Currier ( born November 26 , 1972 ) , better known as Ryan Robbins , is a Canadian actor . 0 +The production was repeated in Amsterdam from 8th June 2011 and from 8 July 2012 in Berlin . Production was repeated in Berlin on 8 June 2011 and from 8 July 2012 in Amsterdam . 0 +The game was published on 12 September 2008 in Europe and on September 22 in North America . The game was released in Europe on September 12 , 2008 , and in North America on September 22 , 2008 . 1 +Besta Madang Fighters is a Madang football club , based in Papua , New Guinea . Besta Madang Fighters is a football club from Papua - New Guinea , based in Madang . 0 +The building , which was commissioned by the City Fathers was designed by William Stark , was opened in 1808 , originally as St. George 's Parish Church . The building , commissioned by the city fathers , was designed by William Stark and was originally opened in 1808 as St. George 's Parish Church . 1 +St. Augustine Governor Farris Bryant announced on 30 June the creation of a biracial committee to restore interracial communication in Florida . On June 30 , St. Augustine Governor Farris Bryant announced the formation of a biracial committee to restore interracial communication in Florida . 1 +""" Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." """ Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." 0 +At the Ponce Grand Prix she had a national record of 9 : 39.36 minutes and then took the personal title at the USA Outdoor Track and Field Championships 2013 . At the Ponce Grand Prix she drove a personal record of 9 : 39.36 minutes and then took the national title at the USA Outdoor Track and Field Championships 2013 . 0 +"This culminated in a match on 18 March on "" Volume 48 "" , where Melissa defeated Knight to win the Shimmer Championship ." "This culminated in a match on March 18 at "" Volume 48 "" , where Melissa Knight defeated to win the Shimmer - Championship ." 1 +The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and the eighth issue , if the Metropolitan Cup is included before 2003 . The Ballymore Cup 2007 is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . 0 +Healey played the role in series eight in August 2012 and left the role once again , on 27 September 2012 . Healey left the role in series production in August 2012 and played the role once again on 27 September 2012 . 0 +The Kam people live mostly in eastern Guizhou , western Hunan , and northern Guangxi in China . Kam - people mostly live in northern Hunan , in eastern Guizhou and in western Guangxi in China . 0 +Orsi later recorded a band called Uni-Beats and had singles on local Chicago labels like Scarlott Records . Orsi later had a band called the Uni-beats ' and recorded singles on local Chicago labels like Scarlott Records . 0 +In 1991 and 1992 , Steve Davis reached the finals of the tournament , but lost 4 -- 10 against Stephen Hendry and 8 -- 9 against Jimmy White . Stephen Hendry reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Jimmy White and 8 -- 9 against Steve Davis respectively . 0 +Chabrian Jattan is a village in the Mirpur Tehsil of Azad Kashmir of Mirpur District , Pakistan . Chabrian Jattan is a village in Mirpur Tehsil of the Mirpur District of Azad Kashmir , Pakistan . 1 +Under Ottoman rule , Avdella was in the kaza of Bitola , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Grevena ) . Under Ottoman rule Avdella was in the Kasa of Grevena , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Bitola ) . 0 +The 1955 Los Angeles State football team represents Los Angeles State Diablos during the College - Football - Season 1955 . The 1955 Los Angeles State football team represented Los Angeles State Diablos during the 1955 college football season . 1 +Further editions of the book were published after Sutherland 's death in 1950 by Cressey and D. F. Luckenbill as co-authors . After Sutherland 's death in 1950 , further issues of the book were published by Cressey and D. F. Luckenbill as co-authors . 1 +Powell refused to accept the fact and obviously believes that there is gold in his still worthless mine . Powell refused to accept the fact , and still believes that there is gold in his obviously worthless mine . 0 +He directed the Christians to recognize God in all things and , above all , to do the will of God . He directed the Christians to desire and , above all , to do God in all things to know the will of God . 0 +The original edition of the disc was published in Malaysia on 11 January 2006 and on 26 January 2006 in Singapore . The original edition of the disc was published on 11 January 2006 in Singapore and on 26 January 2006 in Malaysia . 0 +Nadhin Ratheesh Vega lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Ratheesh . Nadhin Ratheesh Vega lives with his wife Dr Anu Ratheesh Vega and his son Ratheesh in Thrissur . 1 +Allan Stewart ( 1865-1951 ) was a Scottish painter who built his reputation on military and particularly romantic historical paintings as well as on landscapes and portraits . Allan Stewart ( 1865 -- 1951 ) was a Scottish painter who built his reputation on romantic , historical and especially military paintings as well as landscapes and portraits . 0 +Sapthaswaragal is a 1974 Indian Malayalam film , directed by Baby and produced by MS Narayanan . Sapthaswaragal is a 1974 Indian Malayalam film staged by Baby and produced by MS Narayanan . 1 +Mishima is voiced by Sean Chiplock in Japanese and Daisuke Sakaguchi in English . Mishima is expressed in English by Sean Chiplock in Japanese and Daisuke Sakaguchi . 1 +He was son of Jonathan Elmer and nephew of Ebenezer Elmer , both of whom also served in Congress . He was the son of Ebenezer Elmer and nephew of Jonathan Elmer , both of whom served in the Congress . 0 +The season of 1912-13 was the sixth season of Manchester United in the Football League and 21st in the First Division . The 1912 -- 13 season was the 21st season of Manchester United in the Football League and sixth place in the First Division . 0 +The association of the stylised eye with mirrors was so strong that human eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . The association of the stylized eye with mirrors was so strong that in the art of Teotihuacan , human eyes were often used as a substitute for the face of a mirror . 1 +It was directed by Hiroaki Góda , animated by Anime International Company , and produced by TBS and Kodansha . It was directed by Hiroaki Gōda , animated by Anime International Company , and produced by TBS and Kodansha . 1 +In 2012 , for the Italian progressive group Karnya , Francesca Naccarelli made some violins - arrangements and the singer Claudio Nigris is guest in a song . In 2012 , for Italian progressive group Karnya , Francesca Naccarelli made some violins arrangements and the singer Claudio Nigris is guest in a song . 1 +He died in Lyon on 23 July 1963 and was buried at the cemetery of la Chartreuse in Bordeaux . He died in Bordeaux on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Lyon . 0 +Played 4 Won 1 ( Melbourne ) , 3 lost ( Canberra , Gold Coast , Penrith ) Played 4 Won 1 ( Canberra , Gold Coast ) , Lost 3 ( Melbourne , Penrith ) 0 +The Muslim Albanian census of 1951 counted a total of 127 Greek Chams in Epirus . The Greek census of 1951 counted a total of 127 Albanian Muslim chams in Epirus . 0 +In 1989 , he traveled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . In 1989 he travelled on a peace-seeking mission to Mozambique , Johannesburg and Angola , South Africa . 1 +The expansion of China Airlines international presence has long been limited by the political status of Taiwan . The expansion of China Airlines ' political presence has long been limited by Taiwan 's international status . 0 +In the first year , there were 65 members , at the end of the second year , 91 members , and in the third year , 106 members . There were 65 members in the first year , 91 members at the end of the second year and 106 members for the third year . 1 +He represented Nigeria at the 1999 FIFA World Youth Championship held in Australia . He represented Nigeria at the FIFA - Youth - World Championship in Australia in 1999 . 1 +Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress , a younger sister of the actress Assunta De Rossi . Alessandra De Rossi ( born Alessandra Schiavone ; 19 July 1984 ) is a Filipina actress , and the younger sister of actress Assunta De Rossi . 1 +In the 1990s , in the adult film industry , Schwartz worked in numerous administrative roles and behind the scenes in smaller , non-sexual roles . In the 1990s , Schwartz worked in the adult film industry in numerous administrative roles , and behind the scenes in minor , non-sexual roles . 1 +Kalyanarathriyil is an Indian Malayalam film from 1966 , produced by M. Krishnan Nair and directed by M Raju Mathan . Kalyanarathriyil is a 1966 Indian Malayalam film , directed by M. Krishnan Nair and produced by M Raju Mathan . 0 +Rich food sources , as long as they are evaluated as profitable , will be applied for by the scouts when they return to the hive . As long as they are evaluated as profitable , rich food sources will be advertised by the scouts when they return to the hive . 1 +European-American settlers used fire to clear land for settlement and grazing until the 1930s . Until the 1930s , the American-European settlers used the fire to clear land for settlement and grazing . 0 +Midlake opens in Portland and Mudhoney opened for all shows from Seattle to Dallas and Oklahoma City . Midlake opened in Portland and Mudhoney opened for all the shows from Seattle to Dallas and Oklahoma City . 1 +"Victoria S. Bull ( "" Victor "" ) was introduced as Vicki 's sister in 2001 , but has not been seen for many years ." "Victoria S. Bull ( "" Victor "" ) was introduced in 2001 as Vicki ’ s sister , but has not been seen for many years ." 1 +"In South Africa , "" The Other Man 's Grass Is Always Greener "" reached # 30 while in Australia the track achieved a # 19 chart peak ." "Achieved in Australia "" The other man 's grass is always greener in place , while in South Africa the track reached a chart peak of 19 ." 0 +Achieving this target determines the player 's team to a playoff of eight teams that will promote the gold and silver medal recipients . Achieving this target will carry the player 's team to a playoff of eight teams that determine the gold and silver medal recipients . 0 +So , if we know the probability distribution functions formula 35 , we can find the function formula 36 , and from it , calculate the optimal reservation price . If we know the probability distribution function formula 35 , we can calculate the function formula 36 and find the optimal reservation price from it . 0 +In the , John W. Hulbert ( F ) resigned February 24 , 1814 and was replaced in a special election by Daniel Dewey ( F ) In the , John W. Hulbert ( F ) resigned on 24 February 1814 and was replaced by a special election of Daniel Dewey ( F ) . 1 +Solomons was born in Thorpe Bay and with his four siblings in Orsett , Essex brought up by his mother and his father . Solomons was born in Orsett , Essex and brought up with his four siblings in Thorpe Bay by his mother and father . 0 +Horace W Webb , a native of Oklahoma , is located just south of Graniola , Missouri in 1910 . Horace W , Webb , a native of Missouri , settled south of Graniola , Oklahoma in 1910 . 0 +In bioinformatics , short indexes of the sequence assembly of inverted fragments of sequenced DNA are very important . In bioinformatics , inverted indexes for the sequence assembly of short fragments of sequenced DNA are very important . 0 +This French-supported production with John Eliot Gardiner , conductor , and his orchestra was directed by Jean Louis Martinoty . This French-supported production was directed by John Eliot Gardiner with Jean Louis Martinoty , conductor and his orchestra . 0 +The event was played on outdoor grass courts and held from 27 September to 5 October 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was held on outdoor grass courts and was played in the Philadelphia Cricket Club in Wissahickon , Philadelphia from 27 September to 5 October 1887 . 0 +Arlington County 's Bluemont Junction Trail replaced the line between Washington Boulevard and Bluemont Junction . The Bluemont Junction Trail in Arlington County replaced the line between Washington Boulevard and Bluemont Junction . 1 +Ali Şaşal Vural ( born July 10 , 1990 ) is a professional Turkish football player who plays for Sivasspor . Ali Şaşal Vural ( born 10 July 1990 ) , is a professional Turkish football player , who plays for Sivasspor . 1 +Xavier Malisse defeated Tommy Haas 6 -- 3 , 3 -- 6 , 7 -- 6 . Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 -- 6 , 7 - 6 . 0 +In 1936 he designed renovation of the Embassy Theatre , later known as the York Road Theatre . In 1936 , he created the renovation of the Embassy Theatre , later known as York Road Theatre . 1 +The Alliance Française de Dhaka is located at 26 Dhanmondi Road , Bangladesh , corner Mirpur Road , Dhanmondi , Dhaka No . Alliance Française de Dhaka is located at 26 Mirpur Road , Dhanmondi , Dhaka , Bangladesh , corner of Dhanmondi Road No . 0 +Femi 's musical career began when he started playing in the band of his father , Egypt 80 . Femi 's musical career started when he began playing in his father 's band , Egypt 80 . 1 +The team kits for season 2005 -- 06 are manufactured by Uhlsport and sponsored by Vivatel . The team kits for the 2005 -- 06 season are produced by Uhlsport and sponsored by Vivatel . 1 +When Arnold arrived in the scene , Samuel Herrick had already been sent with commands to secure boats to Skenesboro and Asa Douglas to Panton . When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with departments to secure boats . 0 +They are exhibited for veneration in the Great Cathedral in summer and in the Old Cathedral in winter . They are exhibited in the Old Cathedral in summer and in the winter in the Great Cathedral . 0 +Wilson was the only VC recipient during the Italian invasion of British Somalia ; only six other VCs were awarded for operations in East Africa . Wilson was the only recipient of VC during the Italian invasion of British Somalia , only six other VCs were awarded for operations in East Africa . 1 +Christian A. R. Christensen ( December 17 , 1906 - January 27 , 1967 ) was a Norwegian newspaper publisher . Christian A. R. Christensen ( 17 December 1906 -- 27 January 1967 ) was a Norwegian newspaper editor . 0 +The 1990 Philadelphia Wings season marked the team 's second season of operation and fourth league championship . The 1990 Philadelphia Wings season marked the second season of the team operation and fourth championship . 1 +This broad greensward with the Kingston swamp in its centre separates the two long boulevards . This broad green with the Kingston swamp separates the two long boulevards in its centre . 1 +His eldest son , the second Baronet , died unmarried in 1928 and was succeeded by his nephew , the third Baronet . In 1928 , his eldest son , the third baronet , died unmarried and was replaced by his nephew , the second Baronet . 0 +In 1836 he moved to Texas to be near Nacogdoches . He moved to Nacogdoches to Texas in 1836 . 0 +Two of Joest 's apprentices were Barthel Bruyn ( his brother-in-law ) and Joos van Cleve . Two of Joest 's apprentices were Barthel Bruyn ( his brother ) , and Joos van Cleve . 1 +In 1858 he returned to Cherbourg before escorting Queen Victoria to Great Britain in August 1858 . He returned to Cherbourg in 1858 before escorting Queen Victoria to Britain in August 1858 . 1 +From 1965 to 2000 , it was owned by newspaper chains including MediaNews Group and Thomson Newspapers . From 1965 to 2000 , it owned newspaper chains including MediaNews Group and Thomson Newspapers . 1 +Most UArctic members include higher education institutions , but other members are circumpolar indigenous organizations and research institutes . Most UArctic members are higher education institutions , but other members include circumpolar indigenous organizations and research institutions . 0 +In 2008 , the Warrant Officer rankings of the South African National Defence Force were expanded and the rank of Master Warrant Officer was created . In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of a Master Warrant Officer was expanded . 0 +Peter Peter has also appeared as Brian Packham in Coronation Street , Peter has also appeared in Coronation Street as Brian Packham , 1 +Kerwin Moore would see action in 24 games for the Athletics that fall , and was traded to the Florida Marlins after the season in exchange for Abbott . Kerwin Moore saw action in 24 games for the athletics that fall , and was traded to the Florida - Marlins after the season in exchange for Abbott . 1 +Olivella esther is a type of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . Olivella esther is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . 1 +However , the new algorithm would divide the original interval into a larger and a smaller part interval in step 4 . The original algorithm , however , would divide the new interval into a smaller and a larger subinterval in Step 4 . 0 +This was the first time since 1976 that Pennsylvania did not vote for the same candidate as the neighboring New Jersey . This was the first time since 1976 that New Jersey did not vote for the same candidate as neighboring Pennsylvania . 0 +Weirton is located along the WV 105 east of Weirton Heights downtown . Weirton Heights is located along WV 105 east of downtown Weirton . 0 +James James is a cousin of Vince Williams and Karlos Williams , both former Florida State Seminoles player , as well as Mike James , former Miami Hurricanes , walking back . James is a cousin of Vince Williams and Karlos Williams , both former Florida State Seminoles players , as well as Mike James , former Miami Hurricanes running back . 1 +John Scott won Australia 's first sailing medal at the 1956 Olympic Games in Melbourne when he and Rolly Tasker won a silver medal in their 12 m Sharpie . Rolly Tasker won Australia 's first sail medal at the Melbourne Olympic Games in 1956 , when he and John Scott won a silver medal in their 12 m sharp . 0 +"He dismissed George Meredith as a "" harmless rustic "" but admired Thomas Hardy for his appreciation of beauty ." "He dismissed Thomas Hardy as "" harmless rustic "" , but admired George Meredith for his appreciation of beauty ." 0 +"He also had said if he had ever kept in touch with his on-screen family , after "" The Munsters "" was canceled , esp ." "He had also cancelled if he had ever stayed in touch with his on-screen family after "" The Munsters "" was said , esp ." 0 +Contempo Magazine is a daily American print and monthly magazine , published in McAllen , Texas . Contempo Magazine is a monthly print and daily online American magazine published in McAllen , Texas . 0 +"Psittacosaurids were basal to almost all known ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae ." "Almost all Basal - Ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae were known ." 0 +The hand attacks her and she is forced to kill it , which also kills the sale . The hand attacks them and is forced to kill it , which also kills the sale . 1 +Allied armies invaded France in early 1814 , Paris surrendered , and in April Napoleon fell . In early 1814 , Allied armies invaded France , Paris fell , and Napoleon capitulated in April . 0 +Formula 15 is the ( finite ) dimension of the irreducible representation formula 11 . Where formula _ 15 is the ( finite ) dimension of the irreducible representation formula _ 11 . 1 +When a bottle of vinegar is opened , vinegar mother may develop , which is considered harmless and can be removed by filtering . When a bottle of vinegar is opened , mother of vinegar may develop . It is considered harmless and can be removed by filtering . 1 +Virginia Wade defeated Betty Stöve 6 -- 4 , 7 -- 6 6 Virginia Wade defeated Betty Stöve 6 -- 4 , 7 -- 6 0 +It is a Jungle in Here 's an album released by experimental jazz funk trio Medeski Martin & Wood . It 's a jungle here is an album published by experimental jazz - Funk - Trio Medeski Martin 'Wood . 1 +Cloud9 is the native IDE for the BeagleBone Black Single Board Computer , which is mainly programmed in an extension of node.js called Bonescript . Cloud9 is the native IDE for the BeagleBone Black single board computer , which is primarily programmed in an extension of node.js called Bonescript . 1 +He was the father of historian Francis Andrew March and General Peyton C. March , the chief of staff of the United States Army during World War I . He was the father of historian Peyton C. March and General Francis Andrew March who was chief of staff of the United States Army during the First World War . 0 +Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the marine limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusc in the Eoacmaeidae family , one of the families of true limpets . 0 +A Franconian army under Winigis and Hildebrand , duke of Spoleto , joined Grimoald and defeated Adelchis shortly after his landing on the coast . A Frankish army under Winigis and Hildebrand , Duke of Spoleto , joined Grimoald and defeated Adelchis on the coast soon after his landing . 1 +Eupithecia demissa is a moth in the family Geometridae is found in Malleco - province ( Chile ) . Eupithecia demissa is a moth in the family Geometridae . It is found in Chile ( Malleco Province ) . 1 +Borchers was born in Šilutė ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , Lithuania in a German either Prussian Lithuanian or Memellander family . Borchers was born in Šilutė ( German : Heydekrug ) , Region Klaipėda ( German : Memelland ) , Lithuania in a German Prussian Lithuanian or Memellander family . 1 +In addition to the official Mexican teaching programme , the German language was only taught as a foreign language . The official Mexican language was only taught as a foreign language in addition to the German teaching program . 0 +Route 223 or SR-223 is a route that serves as a connection between Union Springs in Bullock County with banks in Pike County . State Route 223 or SR-223 is a route that serves as a connection between Union Springs in Bullock County with Banks in Pike County . 1 +"In Jainism , the ( Sanskrit for "" five highest beings "" ) are a fivefold hierarchy of religious authorities worthy of the veneration ." "The ( Sanskrit for "" five fivefold beings "" ) in Jainism are a supreme hierarchy of religious authorities worthy of veneration ." 0 +"He began the series "" Catch It Keep It "" with Mike Senese , which appeared on the Science Channel ." "He began hosting the series "" Catch It Keep It "" with Mike Senese , which appears on The Science Channel ." 0 +""" Always and Forever "" , written by Debi Gliori and illustrated by Alan Durant , was nominated in 2003 for the Kate Greenaway Medal ." """ Always and eternally "" , written by Alan Durant and illustrated by Debi Gliori , was nominated in 2003 for the Kate Greenaway Medal ." 0 +Without a big attacker , Garzelli was very constant and could go on a good day with the best climbers . Garzelli was very good without being a permanent attacker and could go on a great day with the best climbers . 0 +She was born January 30 , 1912 , the Jewish daughter of the banker Maurice Wertheim and his first wife Alma Morgenthau . She was born on 30 January 1912 as the first daughter of banker Maurice Wertheim and his Jewish wife Alma Morgenthau . 0 +"He chose to teach Indian history "" because he wanted to study it "" ." "He decided to teach Indian history "" because he wanted to study it "" ." 1 +Other studies were also presented to the Congress by the Federal Power Commission and the Power Authority of New York . Also other studies were submitted to the Federal Power Commission by the Congress and Power Authority of New York . 0 +The mineral is only formed in the Bon Accord nickel deposit in South Africa , where it has been found by replacing chromite and by trevorite . The mineral was found only in the Bon Accord nickel deposit in South Africa , where it is formed by replacing chromite and by trevorite . 0 +"In the episode "" Cheat It , "" Robby runs a sauna company called "" Señor Steam "" which Rico patronizes ." "In the episode "" Cheat It "" , Robby runs a sauna company called "" Señor Steam "" , which patronizes Rico ." 1 +His religion was influenced directly by the political balance of international powers . His religion was directly influenced by the political balance of international powers . 1 +She is voiced by Yuhko Kaida in Japanese and Karen Strassman in English . She is spoken by Yuhko Kaida in Japanese and Karen Strassman in English . 1 +Siyin , however , is official , and Sizang is Local Terminology The term Siyin , however , is local and Sizang is official terminology . 0 +Jacob Bellaert ( born in Haarlem ) was an early Dutch publisher who produced seventeen books in Zierikzee from 1483 to 1486 . Jacob Bellaert ( born in Zierikzee ) was an early Dutch publisher who produced 17 books in Haarlem from 1483 to 1486 . 0 +The Turks , Tang , Muslim Arabs , and the Tibetans competed for control of Central Asia until the tang ’ s collapse in the 10th century . The Turks , Tang , Muslim Arabs and the Tibetans competed for control over Central Asia until the collapse of the Tang in the 10th century . 1 +Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports contactor . 1 +They trained in Dnipropetrovsk under very poor conditions until they were able to move to Kiev in 2003 , and Volosozhar was accompanied by her mother . They trained in Kiev in very poor conditions until they were able to move to Dnipropetrovsk in 2003 ; Volosozhar was accompanied by her mother . 0 +Herochroma perspicillata is a kind of moth of the family Geometridae It is found in China ( Yunnan ) . Herochroma perspicillata is a kind of moth of the family Geometridae It is found in Yunnan ( China ) . 1 +Shamai Haber ( born February 15 , 1922 in Łódź , Poland ) was a sculptor who lived in Paris in 1995 and worked and died . Shamai Haber ( born February 15 , 1922 , Paris , France ) was a sculptor who lived and worked in Łódź , Poland . He died in 1995 . 0 +In London production , the role of Jerome Pradon was played , and the role was taken over by Robbie Scotcher on June 23 , 2008 . In London production , the role of Robbie Scotcher was played and the role was taken on 23 June 2008 by Jerome Pradon . 0 +David J. Spurlock was born on 18 November 1959 in Memphis , Tennessee . He moved to Dallas , Texas in 1973 . David J. Spurlock was born on November 18 , 1959 in Dallas , Texas and moved to Memphis , Tennessee in 1973 . 0 +He moved of health reasons to Southern California in 1871 where he first settled in Santa Barbara . He moved to Southern California for health reasons in 1871 , where he first settled in Santa Barbara . 1 +"On 4 May 1898 , "" Florida "" was awarded and ordered to Crescent Shipyard , Elizabethport , New Jersey , on October 11 , 1898 ." """ Florida "" was ordered on May 4 , 1898 and was awarded on October 11 , 1898 to Crescent Shipyard , Elizabethport , New Jersey ." 0 +It was established by Alec Jenner , Professor of Psychiatry , Phil Virden , editor for the first six years , Lin Bigwood , among others . It was established by Lin Bigwood , professor of psychiatry , Alec Jenner , executive editor for the first six years , Phil Virden , among others . 0 +The map contains numerous references to mythology as if they were geographical fact , as illustrated by comments about Brutus ' mythical landings in Devon . The map contains numerous references to mythology , as if they were geographical facts , as illustrated by comments on Brutus ' ; mythical landings in Devon . 1 +Eleni Daniilidou and Jasmin Wöhr won against Anabel Medina Garrigues and Virginia Ruano Pascual in the Finals 6 : 2 , 6 : 4 . Anabel Medina Garrigues and Virginia Ruano Pascual won against Eleni Daniilidou and Jasmin Wöhr in the Final 6 : 2 , 6 : 4 . 0 +A multi-region - DVD of the entire series was announced by Warner Archive on February 4th , 2015 and released on February 10 , 2015 . A multi-region - DVD of the entire series was published by Warner Archive on February 4 , 2015 and announced on February 10 , 2015 . 0 +The fortress was once again besieged by Bavarian troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the French garrison capitulated . From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by French troops under the command of General Zoller , before the Bavarian garrison capitulated . 0 +Sir Herbert was re-elected in the new Croydon East seat and was returned in 1951 . Sir Herbert was returned to the new seat of Croydon East and was re-elected in 1951 . 0 +Louie is a moderately common related name given to the more general name Louis . Louie is a moderately common related name , given to the more common name Louis . 1 +Kuzmice is a village and municipality in the Trebišov District in the Košice Region of eastern Slovakia . Kuzmice is a village and municipality in the district of Trebišov in the region of Košice in eastern Slovakia . 1 +He also worked as translator for Swedish media journalists and a national newspaper . He also worked as a translator for Swedish media journalists and a national newspaper . 1 +Andy Halliday came from the Blackburn Rovers , David Goodwillie from Middlesbrough , Andy Keogh from Millwall and Tony McMahon of Sheffield United . David Goodwillie came in from Blackburn Rovers ; Andy Halliday from Middlesbrough ; Andy Keogh from Millwall ; and Tony McMahon from Sheffield United . 0 +In 2009 , the third Rapid Ride , the 777 Green Line , started service from Tramway Boulevard to Downtown . In 2009 , the third Rapid Ride , the 777 Green Line , launched from Tramway Boulevard to Downtown . 1 +It is about 100 km from Northern Motorway Auckland and approximately 75 nautical miles from the Ports of Auckland . It is around 100 km from Auckland 's Northern Motorway , and about 75 nautical miles from the Ports of Auckland . 1 +"There is also a faithful and more promising remake called "" Xenonaut "" ." "Also , there is a promising and more faithful remake called "" Xenonauts "" . """ 0 +These algorithmically equivalent sequences can be defined in three random ways . These algorithmically equivalent sequences can be defined in three accidental ways . 1 +The choice of the Oldham Metropolitan Borough Council in 2000 took place on 4 May 2000 to elect Oldham Council members in Greater Manchester , England . The 2000 Oldham Metropolitan Borough Council election took place on 4 May 2000 to elect members of Oldham Council in Greater Manchester , England . 1 +Hungarian Brazilians ( or ) are full citizens , partial Hungarian , or predominantly Brazilian , or Hungarian-born people who have emigrated to Brazil . Hungarian Brazilians ( or ) are Brazilian citizens of full , partial , or predominantly Hungarian ancestry , or Hungarian-born people who emigrated to Brazil . 0 +Rosie Withers is Mort 's girlfriend and Ada Withers is Rosie 's battleaxe mother . Ada Withers is Mort ' ; s girlfriend and Rosie Withers is Rosie 's battleaxe mother . 0 +"Simply stated , nine points determine a unique , but in general define a "" cubic "" cubic ." "Simply put , nine points determine a unique , but in general , define a "" cubic "" cubic ." 1 +Moraes spent eight years in Britain , London , and Oxford , New York City , Hong Kong , Delhi , and Bombay , now Mumbai . Eight years in the United Kingdom , in Mumbai , Moraes now spent London and Oxford , New York City , Hong Kong , Delhi , and Bombay . 0 +Born and raised in Dallas , the son of Ross Perot ( nee Birmingham ) and Margot was born . Born and raised in Dallas , was the son of Margot ( born Birmingham ) and Ross Perot . 0 +He won third place at the Parapan American Games in Charlotte , USA in 2011 and another third place at the International Tournament of Champions in Guadalajara , Mexico . In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Tournament of Champions in Mexico ’ s Guadalajara . 1 +Shahaji soon quit the service of the Nizam Shah and sought his fortune under the Adil Shah . Soon thereafter , the Shahaji left the service of Nizam Shah and sought his fortune under the Adil Shah . 1 +Durg , Chhattisgarh is a city in the district of Bhilai , in eastern central India . Bhilai is a city located in the Durg district of Chhattisgarh , in eastern Central India . 0 +Schools that were formed when Harlem Consolidated was closed include Lovejoy School ( District No . 49 ) in Harlem Township . Schools which were formed when Harlem Consolidated was closed include Lovejoy School ( District No . 49 ) in Harlem Township . 1 +"In April 2013 , when the merger was completed with Air Italy , Meridiana Fly returned to its former , shorter name "" Meridiana "" ." "In April 2013 , when the Air Italy merger was completed , Meridiana returned to its former , shorter name , "" Meridiana Fly "" ." 0 +Terry was born in Cedar Rapids , Iowa , and died in Fairfax , Iowa . Was born Terry in Fairfax , Iowa , and died in Cedar Rapids , Iowa . 0 +From 2001 to 2007 it was part of Ajdabiya District . From 1983 to 1987 it was part of Jalu District . From 2001 to 2007 it was part of the Ajdabiya district and from 1983 to 1987 it was part of the district of Jalu . 1 +Another name of Sports Direct Arena ( Wincham Park ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . Another name of Wincham Park ( Sports Direct Arena ) was hosted by Frank Skinner in the popular BBC1 TV - Show Room 101 . 1 +The date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - was set on 27 October 1659 . The date set for the executions of the three Quaker evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson , was 27 October 1659 . 1 +The series was written by Robert Adler and is drawn by Chris Roberson . The series was written by Robert Adler and drawn by Chris Roberson . 1 +Philip Marlowe was not exactly my idea for Elliott Gould , but we were there anyway . Philip Marlowe was not exactly my idea of Elliott Gould , but anyway there we were . 1 +The national organisation was disbanded on 26 August 1985 when the Association of Heads of Independent Schools of Australia was founded . The national organisation was dissolved on 26 August 1985 when the Association of Heads of the Independent Schools of Australia was founded . 1 +Cheadle Heath railway station served a railway station that was between 1901 and 1968 the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . Cheadle Heath railway station was a train station that served between 1901 and 1968 the village of Cheadle , Cheshire , and the suburb of Stockport Cheadle Hulme . 0 +In Japan a region available 1080p Blu-ray is free with English Dolby TrueHD 2.0 track . In Japan there is a region of 1080p Blu-ray with English Dolby TrueHD 2.0 track available . 1 +J. David Spurlock was born on November 18 , 1959 in Memphis , Tennessee . He moved to Dallas , Texas in 1973 . David Spurlock was born on 18 November 1959 in Dallas , Texas , and moved to Memphis , Tennessee in 1973 . 0 +The 1945 San Diego State Aztecs football team represents San Diego State College during the College - Football - Season 1945 . The 1945 San Diego State College football team represented San Diego State Aztecs during the 1945 season College Football . 0 +"Auguri professore ( "" Riccardo Milani "" ) is a 1997 Italian comedy drama film directed by Good Luck Professor ." "Auguri professore ( "" Riccardo Milani "" ) is an Italian comedy drama film , directed by Good Luck Professor in 1997 ." 1 +"He was portrayed by Golda Meir in the 1982 television movie "" A Woman Called Golda "" , opposite Robert Loggia as Ingrid Bergman ." "He was presented by Golda Meir in the television film A Woman Called Golda "" ( 1982 ) , opposite Robert Loggia as Ingrid Bergman ." 1 +Reidar Smestad ( 8 May 1888 -- 29 June 1962 ) was a Norwegian industrialist , the son of Carl Smestad and grandson of Jacob Olssøn Smestad . Carl Smestad ( May 8 , 1888 -- June 29 , 1962 ) was a Norwegian industrialist , son of Reidar Smestad and grandson of Jacob Olssøn Smestad . 0 +Total Population : 333 of which 49.8 % were female and 50.2 % were male . Total population : 333 , of which 49.8 % were male and 50.2 % female . 0 +Elati is a village in the regional unit of Greece , Kozani . Elati is a village in the Kozani regional unit , Greece . 0 +The Madicea River is a right-wing tributary of the Olt river in Romania . The Olt is a river tributary of the Madicea River in Romania . 0 +The Istanbul Football League season from 1907 to 08 was the fourth season of the League , Moda FC won the League for the first time . The 1907 -- 08 İstanbul Football League season was the fourth season of the league . Moda FC won the league for the first time . 1 +This said , Gattie , was owned by Godwin , Count of Wessex in the first half of the 11th century , after which the sands are named . This , Gattie said , was owned in the first half of the 11th century by Godwin , Earl of Wessex , after whom the Sands are named . 1 +"For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." """ Futurama "" was also revived in 2007 by Comedy Central for similar reasons : high viewership in syndication as well as impressive DVD sales ." 0 +The opera debuted on December 3 , 1954 at the Royal Opera House in London , directed by Sir Malcolm Sargent and directed by George Devine . The opera debuted on December 3 , 1954 at the Royal Opera House in London , led by Sir Malcolm Sargent and directed by George Devine . 0 +The programming language Squeak is a dialect of Smalltalk , object-oriented , class-based and reflective . The programming language Squeak is a dialect of Smalltalk , which is object-based , class-oriented and reflective . 0 +The pistols used are operated with a caliber of 4.5 mm ( .177 in ) . The pistols used are gas-driven with a caliber of 4.5 mm ( .177 in ) . 1 +From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by French troops under the command of General Zoller , before the Bavarian garrison capitulated . The fortress was besieged again from 22 December 1813 until 14 April 1814 by Bavarian troops under the command of General Zoller before the French garrison surrendered . 0 +She was born in Tokyo on 28 July 1992 and married Timothy Koleto in Okayama , Japan in January 2017 . Komatsubara was born on July 28 , 1992 , in Tokyo . She married Timothy Koleto in January 2017 in Okayama , Japan . 1 +Schools include six secondary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets and a Montrose Academy primary school . Schools include six primary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets , and one secondary school Montrose Academy . 0 +A primitive ring is left commutative only if it is a field . A commutative ring is left primitive if and only if it is a field . 0 +At present , the ranks and titles given to members of the Thai sangha are as follows ( from the highest to lowest ) : At present , the ranks and titles given to members of the Thai sangha are as follows ( from highest to lowest ) : 1 +"In 1739 , during renowned persecutions , he came as a religious speaker ( "" slavni propovednik "" ) to live among the Serbian Šajkaši in Komárom ." "During religious persecutions he came to Serbian Šajkaši in Komárom in 1739 as a renowned speaker ( "" slavni propovednik "" ) ." 0 +The band 's first recording , published in March 2010 at Y Theatre in Leicester , was filmed in January 2011 . The band 's first DVD recording , filmed at the Y Theatre in Leicester in March 2010 , was released in January 2011 . 0 +Jaime Fillol defeated by Jeff Borowiak 6 -- 0 , 6 - 1 Jeff Borowiak defeated Jaime Fillol 6 -- 0 , 6 -- 1 1 +This species occurs in the demersal zone of the Pacific Ocean from Nicaragua to Costa Rica . This species is found in the demersal zone of the Pacific Ocean from Nicaragua to Costa Rica . 1 +She published some jingles and sang several successful music videos . She published several jingles and sang some successful music videos . 0 +Ogbunka is a town in Anambra State Local Government Area of Orumba South , Nigeria . Ogbunka is a city in Orumba South Local Government Area of Anambra State , Nigeria . 0 +The PidariAmman Temple in Vavvaneri is located nearer to the hamlet . The main idol is PidariAmman with a small MariAmman idol placed in the same chamber . The PidariAmman Temple in Vavvaneri is located closer to the hamlet , the main idol is PidariAmman with a small MariAmman idol placed in the same chamber . 1 +Grundtvig was married three times , the last time in his seventiest year . Grundtvig was married three times , the last time in his seventy-sixth year . 0 +New boys and girls will come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and fun situations . 0 +The station is listed as a protected monument . The train station is protected as a listed monument . 0 +Regressive assimilations are conditioned only by semantic factors , while substitutions take phonological information into consideration . Regressive assimilations are caused only by phonological factors , while substitutions take semantic information into account . 0 +The band 's first DVD recording , released at the Y Theatre in Leicester in March 2010 , was filmed in January 2011 . The first DVD -- recording of the band , released in March 2010 at the Y Theatre in Leicester , was filmed in January 2011 . 1 +The Boul River is a tributary of the Galbena River in Romania . The river Galbena is a tributary of the River Boul in Romania . 0 +The stripe of Hensen is the section of the inner membrane above the tectorial hair cell . Hensen 's stripe is the section of the tectorial membrane above the inner hair cell . 0 +Amazingly , the second stimulus can actually influence the perception of the first stimulus in some cases . Amazingly , the second stimulus can , in some cases , actually affect the perception of the first stimulus . 1 +"Indecisive Marshal de Bono said after him "" Yes "" and towed with him the old ." "After him , old Marshal de Bono said "" yes "" , and towed the undecided with him ." 0 +This accompanyes the modell of a Stone I have lately seene ; itt weighs Mang . This weighs the model of a stone that I have seen lately , it accompanies Mang . 0 +His wife Tania G. Novarro was the one who made most of the appointments with the great artists for Eddy . His wife Eddy was the one who made the most appointments with the great artists of Tania G. Novarro . 0 +Diseases associated with this species include : DCV : increased reproductive potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . Diseases associated with this genus include : DCV : increased reproductive potential ; extremely high when associated with pathogenic injected mortality ; CrPV : paralysis and death . 0 +"There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." "There was also an Australian version "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." 1 +The island belongs to the traditional county of Bute and the modern unitary authority Argyll and Bute . The island belongs to the modern unitary county of Bute and the traditional authority of Argyll and Bute . 0 +From 1961 to 1964 , National Alt National Research Council represented the ACM . Alt represented National Research Council on the ACM from 1961 to 1964 . 0 +the definition can be extended to arbitrary ( standard or non-standard ) points as follows : The definition can be extended as follows to standard or non-standard points ( any ) : 1 +The first edition of the tournament won Ricardo Mello against Eduardo Schwank with 6 -- 4 , 6 -- 2 in the finals . The first edition of the tournament won Eduardo Schwank versus Ricardo Mello with 6 -- 4 , 6 -- 2 in the final . 0 +The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left justification and the hierarchically nested elements are indented further . The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left alignment and the hierarchically indented elements are further nested . 0 +Parsons was closely involved , along with Marston T. Bogert , in establishing a new structure for the ACS . Marston T. Bogert was closely involved with Parsons in establishing a new structure for the ACS . 0 +Droughts in summer are frequent , but erratic . Summer droughts are frequent , but erratic . 1 +Omar Suleiman Abu Keshek is a Palestinian footballer of Jordanian origin who plays for Silwan SC in Palestine . Omar Suleiman Abu Keshek is a Jordanian footballer of Palestinian origin , who plays for Silwan SC in Palestine . 0 +He was born in San Francisco , California and died in Brooklyn , New York , at the age of 81 . Born in Brooklyn , New York , he died at the age of 81 in San Francisco , California . 0 +The film was produced , directed and edited by Tom Flannery and Lorne Clarke , and the soundtrack was written by Bruce David Janu . The film was produced , directed and edited by Tom Flannery and Lorne Clarke . The soundtrack was composed by Bruce David Janu . 1 +The Tarangire River is a perennial river located in the eastern branch of the East African Rift Valley , within northern Tanzania in East Africa . The Tarangire River is a multi-year river located in the eastern branch of the East African Rift Valley , in northern Tanzania , in East Africa . 1 +It consists of a general factor and four lower order facets ( cardiopulmonary symptoms , pain , gastrointestinal symptoms , and fatigue ) . It consists of a general factor and four facets of lower order ( cardiopulmonary symptoms , pain , gastrointestinal symptoms and fatigue ) . 1 +The Greeks and Romans identified the region as Gangaridai , a powerful kingdom of the historical subcontinent , in the 3rd century BCE . The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a mighty kingdom of the historical subcontinent . 1 +Vagivere is a village in Lääneranna Parish , Estonia , in western Pärnu County . Vagivere is a village in the Lääneranna parish , Estonia , in the western Pärnu County . 1 +"The Handbook of the Birds of India and Pakistan is the "" magnum opus "" of Indian ornithologist Salim Ali , written along with S. Dillon Ripley ." "The Handbook of the Birds in India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist Salim Ali , along with S. Dillon Ripley ." 1 +This course will be offered again in 2013 for younger Dunghutti adults , and a Certificate 2 course will be designed for a test run in 2014 . This course will be designed for younger Dunghutti adults in 2013 , and a certificate 2 course will be offered for a test run in 2014 . 0 +The association of the human eye with mirrors was so strong that stylized eyes were often used in Teotihuacan - art as a substitute for the face of a mirror . The association of the stylised eye with mirrors was so strong that human eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . 0 +"In July 2009 , video director Raekwon shot a video for the single "" 24k Rap "" featuring Havoc and Derek Pike ." In July 2009 , video director Derek Pike shot a video for the single “ 24k Rap ” with Havoc and Raekwon . 0 +The planned electrification of the Manchester route to Blackpool Nord was announced in December 2009 . The planned electrification of the route Blackpool Nord to Manchester was announced in December 2009 . 0 +The river Voievodeasa is a tributary of the River Suceviţa in Romania . The Voievodeasa River is a tributary of the Suceviţa River in Romania . 1 +Essentially , there are four types of databases : curated databases , integrative databases , literature databases and predictive databases . There are essentially four types of databases : curated databases , predictive databases , literature databases and inclusive databases 0 +He was born in Warsaw , was a wonder child on the piano in Łuck and then went to the Warsaw Conservatory . He was born in Łuck , was a wonderful child on the piano in Warsaw and then went to the Warsaw Conservatory . 0 +Another way to evaluate a sluice gate problem is to develop the dimensionless form of this diagram dividing the energy equation by the critical depth and substituting Equation : Another way to assess a sluice gate problem is to develop the dimensionless form of this diagram by dividing the energy equation with critical depth and replacing the equation : 1 +This was an open tunic and trousers , white shirt and black tie . This was an open-necked tunic and trousers , white shirt and black tie . 1 +When Russ asked him to play in the new band guitar , Aaron agreed . When Aaron asked him to play the new band guitar , Russ agreed . 0 +The average maximum temperature is in summer ( December - January ) , and the average low temperature in winter ( June - July ) is . The average high temperature in summer ( December -- January ) is , and the average low temperature in winter ( June -- July ) is . 1 +"Since 2009 , the website Rotten Tomatoes had given the film a rating of 90 % with 19 "" fresh "" and 2 "" faul "" reviews ." "From 2009 , the Rotten Tomatoes site had given the film a rating of 90 % with 19 "" rotten "" and 2 "" fresh "" reviews ." 0 +The UNIVAC 1050 was a decimal and variable computer with binary lengths ( one to 16 characters ) . The UNIVAC 1050 was a variable word-length ( one to 16 characters ) decimal and binary computer . 0 +Bandelin is located approximately 15 km south of Greifswald and about 3 km northwest of Gützkow . Bandelin is about 15 km south of Greifswald and approximately 3 km northwest of Gützkow . 1 +Important French cemeteries include Châtenay and Lingolsheim ( Alsace ) , and an unusual earthwork was constructed in Goloring near Koblenz ( Germany ) . Important French cemeteries include Goloring and Lingolsheim ( Alsace ) . An unusual earthwork was constructed at Châtenay near Koblenz in Germany . 0 +Finally , the global stiffness matrix is expanded by adding the individual constructed element matrices together . Finally , the global stiffness matrix is built up by adding together the individual element matrices expanded . 0 +Richmond Cricket Club was based in Richmond ( historically part of Surrey and now in London ) and was a leading club during the 18th century . Richmond Richmond Cricket Club was in Richmond ( historically part of Surrey and now London ) and was a leading club in the 18th century . 1 +"Because DFAs can be reduced to "" canonical form "" ( efficient DFAs ) , there are also minimal algorithms to determine :" "Because DFAs can be reduced to "" canonical form "" ( minimal DFAs ) , there are also efficient algorithms to determine :" 0 +Another kuji formula is found in the writings of Jodo Shinshu , founded by Shinran , and is yet another mantra to Amida Nyorai which reads Another Kuji formula is found in the writings of Jodo Shinshu , founded by Shinran , and is another mantra to Amida Nyorai , who reads 1 +The SAS ( Surprise aggregate supply ) curve is in the long run a vertical line called the EAS ( Equilibrium aggregate Supply ) curve . The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) in the long term . 1 +Therefore , this must be followed with additional techniques in order to pinpoint the mutation or map multiple mutations in the same fragment . This must therefore be followed with additional techniques to map the mutation or locate multiple mutations in the same fragment . 0 +For the 2007 Games Futsal was added to the program for the first ( and as of 2011 only time ) while racquetball and basque pelota were dropped . For the 2007 games , Futsal was added to the program for the first ( and only time since 2011 ) , while Racquetball and the Basque Pelota were dropped . 1 +Comdial was acquired in September 2005 by Vertical Communications . In September 2005 , Comdial was acquired by Vertical Communications . 1 +From 1969 , the family lived in rented houses in California , close to Los Angeles recording studios . From 1969 onwards the family lived in rented houses in California , close to Los Angeles recording studios . 1 +He said that Ichigo leads the story and introduces the readers to events . He said that Ichigo leads the story and introduces readers to the events in it . 1 +On November 24 , 2012 , Franscoviak married writer Maggie McGuane . The two live in Livingston , Montana with her children Maisie and Charlie Kirn . On 24 November 2012 , Franscoviak married the writer Charlie Kirn , who live in Livingston , Montana , with their children Maisie and Maggie McGuane . 0 +"The novel was translated by Roger Senhouse into English and published in 1953 ( with "" The Cat "" by Antonia White ) ." "The novel was translated into English by Antonia White and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." 0 +The deputy of the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first cabinet of Kjell Magne Bondevik . The deputy of the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . 0 +In 1884 , as assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus . As assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . 0 +"This letter states that count Dirk II of Egmond Abbey granted the church of "" Foranholte "" ( the old name of Voorhout ) to the Holland ." "This letter notes that Count Dirk II of Holland granted the church "" Foranholte "" ( the old name of Voorhout ) to Egmond Abbey ." 0 +I and Junior Wimbledon champion Jiří Veselý in round 1 of the singles , and won gold in the boys ' doubles with Czech partner Márton Fucsovics . I and Junior Wimbledon - Champion Jiří Veselý in round 1 of the individual , and won gold in double the boys with the Czech partner Márton Fucsovics . 1 +NOA can also be used in the calculation of Discounted cash flow ( FCF ) and therefore the Free cash flow model . NOA can also be used in the calculation of the discounted cash flow ( FCF ) and therefore the free cash flow model . 1 +Nilai is part of the constituency of Seremban of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook from the Democratic Action Party . Seremban is part of the Nilai constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 0 +Chinese dumplings were influenced and brought to Indonesia by Indonesian immigrants . Indonesian dumplings were influenced and brought to Indonesia by Chinese immigrants . 0 +His son was the scientist Francis Ratcliffe , and one of his two daughters was married to the neurophysiologist W. Grey Walter , whose grandson Nicholas Walter was . The son of Ratcliffe married the scientist W. Grey Walter , and one of his two daughters was the neurophysiologist Nicholas Walter , whose grandson Francis Ratcliffe was . 0 +In a standard - RAID - 01 - configuration , at least four disks are used , however larger arrays are also required . At least four hard disks are required in a standard - RAID - 01 - configuration , but larger arrays are also used . 0 +Rich food sources , as long as they are evaluated as profitable , will be applied for by the scouts when they return to the hive . As long as they are advertised as profitable , rich food sources will be evaluated by the scouts when they return to the hive . 0 +It is the seat of the Zerendi district in Akmola region . It is the seat of Akmola Region in Zerendi District . 0 +Seleucus was a wealthy Christian Roman Senator of Greek descent who lived in the second half of the 4th century and first half of the 5th century . Seleucus was a wealthy Christian Roman senator of Greek descent , who lived in the first half of the 4th century and the second half of the 5th century . 0 +Janice Turner was Carl 's husband , and the father of Debbie & Alice Whipple . was Janice Turner 's husband , and the father of Debbie , Alice Whipple . 0 +After the departure of Richie Towell in December 2015 , Finn was played in a more advanced position . Following the departure of Richie Towell in December 2015 , Finn was played in a more advanced position . 1 +Five nominative cases are distinguished : grammatical , genitive , dative , accusative , and vocative . Five grammatical cases are differentiated : nominative , genitive , dative , accusative and vocative . 0 +Box Hill Senior Secondary College has no feeder schools , new students are selected from all over Melbourne , but are only welcomed after interview . Box Hill Senior Secondary College has no feeders - schools , new students are welcomed from all over Melbourne , but are only selected after the interview . 0 +It currently runs from Davisville Avenue , south of Yonge Street , northwest to the Allen Road and Eglinton Avenue West . It currently runs from Davisville Avenue , to the south of Yonge Street , northwest of Allen Road and Eglinton Avenue West . 1 +( MD 625 ) continues to the north through Hughesville on Old Leonardtown Road . Old Leonardtown Road continues to the north through Hughesville ( MD 625 ) . 0 +These airlines operate more than 80 cities all over India and , after the liberalisation of Indian aviation , also connect overseas routes . These airlines connect more than 80 cities across India and also operate overseas routes following the liberalisation of Indian aviation . 0 +The popular French singers Coralie Clément and Benjamin Biolay , as well as football player hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the town . The popular French singers Grégory Bettiol and Coralie Clément , as well as football players hopeful Benjamin Biolay and actor and cellist Maurice Baquet are born in the town . 0 +He helps everyone get a good night 's sleep and have sweet dreams and often speaks with a yawning voice . He helps everyone get a good night 's sleep and have yawning dreams and often talks with a sweet voice . 0 +Hugo Käch died on December 31 , 2003 in Flurlingen near Schaffhausen . Hugo Käch died on 31 December 2003 in Schaffhausen , near Switzerland ( Flurlingen ) . 0 +The Sadrist movement left the Alliance before the elections in December 2005 , which also brought the Iraqi National Congress more firmly to the Alliance . The Iraqi National Congress left the alliance prior to the December 2005 elections , which also brought the Sadrist Movement more firmly into the Alliance . 0 +"In 1975 , Georgi Daneliya performed in one of his most famous comedies "" Afonya "" , directed by Leonid Kuravlyov ." "In 1975 , Leonid Kuravlyov starred in one of his most famous comedies "" Afonya "" , directed by Georgi Daneliya ." 0 +The present church , consecrated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . The current Church , consecrated by the Bishop of St Albans in June 1885 , is not the first to be built in East Hanningfield . 1 +There he participated in Non-Combatant Evacuation Operations in Cambodia ( Operation Eagle Pull ) and in South Vietnam ( Operation Frequent Wind ) . He participated in non-comatose evacuation operations in Cambodia ( Operation Eagle Pull ) and in South Vietnam ( Operation Frequent Wind ) . 1 +They learn at the police station that Jayaraman 's brother had the money , but Devayani is charged with murder . At the police station , they learn that Devayani 's brother had the money , but Jayaraman is charged with murder . 0 +Its current chairman is Henry Butler , and its district manager is Richard Flateau . Its current chairman is Richard Flateau , and its district manager is Henry Butler . 0 +Cunningham Elementary School was recognized by Governor Jim McGreevey in 2003 as one of 25 schools selected statewide for the First Annual Governor 's School of Excellence award . Cunningham Elementary School was selected in 2003 by Governor Jim McGreevey as one of 25 schools awarded nationwide for the first annual Governor 's School of Excellence . 0 +In 2009 , he joined San Diego Sockers of the Professional Arena Soccer League . In 2009 , he joined the Professional Arena Soccer League of San Diego Sockers . 0 +In 1892 , Coahoma County was divided into two jurisdictions , one to Friars Point and the other in Clarksdale . In 1892 , Coahoma County was divided into two jurisdictions , one going to Friars Point and the other to Clarksdale . 1 +The songs included have changed over the years , as old songs have been removed and new ones have been added . The specific songs included have changed over the years as old songs have been removed and new ones have been added . 1 +National Bolshevism ( Nazbol ) as a political movement combines elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . As a political movement , the national Bolshevism ( Nazbol ) connects elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . 0 +The Madicea River is a right-wing tributary of the Olt river in Romania . The river Olt is a tributary of the river Madicea in Romania . 0 +It was the last edition , in which the cyclists participated in commercial teams from 1969 , on national teams were used . It was the last edition in which cyclists participated in the national teams , and from 1969 commercial teams were used . 0 +The Charlotte County and White Creek Militia used Salem as its base in 1776 . The Charlotte County and White Creek militia used Salem as its base in 1776 . 1 +All 15 episodes were produced by British naval officer and broadcaster Commander Harry Pringle and presented by Campbell . All 15 episodes were presented and produced by Harry Pringle by the British naval officer and station Commander Campbell . 0 +In white wines , lower pH ( higher acidity ) causes the phenolics in the wine to darken and eventually polymerize as brown deposits . In white wines , a higher pH ( lower acidity ) causes the phenolic resins to darken in the wine and eventually polymerize as brown deposits . 0 +The words were written by the previous Mayor Edward Robeson Taylor , and dedicated by Mayor James Rolph . The words were written by the previous mayor , James Rolph , and dedicated to them by the mayor Edward Robeson Taylor . 0 +In July 1973 , he was born in Petroupoli , Athens . He was born in Athens ( Petroupoli ) in July 1973 . 1 +It has small , high concrete walls with high stained glass windows . It has high stucco-on-concrete walls with small , high stained glass windows . 0 +The direct market is the dominant distribution and retail network for American comic books . The direct market is the dominant distribution- and retail network for American comic books . 1 +Horner changed his mind when Cameron presented the song to him . Horner changed his mind when Cameron presented him with the song . 1 +The manuscript was bought by Edward Everett of Constantinople in 1819 to America along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett from America to Constantinople in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +He was born in Québec around 1760 and settled in Detroit in 1782 ( then a part of Scotland ) . He was born in Scotland around 1760 and settled in Detroit in 1782 ( then still Quebec ) . 0 +The task of this department is to develop further and to coordinate the philanthropic work of the Archdiocese . The role of this department is to further develop and coordinate the philanthropic work of the Archdiocese . 1 +This drama was written by Doctor Ali Arslan , directed by Naeem Khan and produced by Eveready Pictures . This drama is headed by Naeem Khan , written by Doctor Ali Arslan and produced by Eveready Pictures . 1 +In 2011 , Geraldine Hardy was not the director as he was director at Belmont City College and was replaced in 2012 by Trevor Hunter . In 2011 , Trevor Hunter was not the director as he was director at Belmont City College and was replaced by Geraldine Hardy in 2012 . 0 +The Catholic parish was administered by a young French missionary , Father Joly . The Catholic parish was led by a young French missionary , Father Joly . 1 +The closest community to the Gila Mountains is Tinajas Altas Mountains in the east of the Yuma Valley adjacent to the Fortuna Foothills . The municipality closest to the Gila mountains is the Tinajas - Altas Mountains in the east of the Yuma valley , next to Fortuna - Foothills . 1 +Port Orford is located on the US Route 101 between the Pacific and Siskiyou National Forest , north of Gold Beach and south of Bandon . Siskiyou National Forest is located on the U.S. Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . 0 +Because of the death of Prime Minister David Thompson , the son-in-law Stuart Stuart was sworn in in 2010 . Freundel Stuart was sworn in , in 2010 because of the death of the Prime Minister David Thompson . 1 +Joe feels betrayed and decides to join Gallagher 's escape plan . Joe Joe feels betrayed and decides to join Gallagher 's escape plan . 1 +Cozarinsky visited New York City from September 1966 to June 1967 , stopping for a visit to Buenos Aires on his return to Europe . From September 1966 to June 1967 , Cozarinsky visited New York City to visit Buenos Aires on his return to Europe . 1 +If the immigration official had intended that asylum was known on arrival , he would not have granted entry as a visitor . Had the Immigration Officer intended on arrival that asylum was known , then he would not have granted entry as a visitor . 1 +He was married to Madi Hedd , who acted together in Australia for six years before returning to Britain in 1957 . He was married to Madi Hedd . They acted together in Australia for six years before returning to Britain in 1957 . 1 +The couple had their first child , Schalk Jr , in August 2012 , and their second son Nicol was born in March 2014 . In August 2012 , the couple had their first child , Shalk Jr . In March 2014 , their second son Nicol was born . 1 +On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on September 5 , 2015 . On 31 July 2015 , Moore was signed by the Chicago Bears and released by the Bears on 5 September 2015 . 0 +Qtractor 's intention is to provide digital audio workstation software simple enough for the average home user , and yet powerful enough for the professional user . Qtractor intends to provide a digital audio workstation software that is powerful enough for the average home user and yet simple enough for the professional user . 0 +The 1921 Stanford soccer team represented Stanford University in the 1921 College Football season . The 1921 Stanford University football team represented Stanford in the 1921 college football season . 0 +In August 2006 she debuted in Australia and arrived in New Zealand in early 2007 . It arrived in Australia in August 2006 and was introduced in early 2007 in New Zealand . 0 +A second company , New York Rubber Company was founded as the Winslow Life Raft Company in 1941 . A second company , New York Rubber Company , was founded in 1941 as a Winslow Life Raft Company . 1 +The most other common countries of birth were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . The most common other birth countries were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . 1 +One group travelled south from Greta , and the other started from Mansfield and travelled north . One group travelled from Greta to the north , and the other started from Mansfield and travelled south . 0 +The other major retailers in the city are Menards , Meijer , Walgreens , and Tractor Supply Company . The other major retailers in the town are Menards , Meijer , Walgreens and Tractor Supply Company . 1 +Point Marsden was discovered by William Marsden on 21 March 1802 and named after Matthew Flinders , Second Secretary to the Admiralty . Point Marsden was discovered on March 21 , 1802 by Matthew Flinders , and named after William Marsden , Secretary of the Admiralty . 0 +Sheffield Wednesday signed Evans from Huddersfield Town on July 12 , 2002 as a backup to Kevin Pressman . Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on 12 July 2002 as a transfer to Evans . 0 +The train station is served by the Asa line and is 8.0 km from the beginning of the line . The railway station is located at the Asa line and is 8.0 km from the beginning of the line . 0 +Shares traded first on the NASDAQ in 1987 , and were once again listed on the NYSE in 1988 . The shares were once again traded on the NASDAQ in 1987 and were listed on the NYSE in 1988 . 0 +Antrim County is a civil community of the Helena Township in the U.S. state of Michigan . Helena Township is a civil community of Antrim County in the U.S. state of Michigan . 0 +The original edition of the Disc was published in Singapore on 11 January 2006 and on 26 January 2006 in Malaysia . The original edition of the disc was released on 11 January 2006 in Malaysia and 26 January 2006 in Singapore . 0 +11 . Bidnick , pianists , left handers -- piano concertos for the left hand alone -- Richard A. , who inspired the composers April 2005 . 11 . Bidnick , Richard A. , Left Handed -- Piano Concertos for the Left hand alone -- The Pianists who Inspired the Composers . April 2005 0 +On October 31 , 2012 , Watson took Actavis for and acquired the Actavis name . On 31 October 2012 , Watson acquired Actavis and took the name of Actavis . 0 +Current research directions for bipolar disorder in children include improving treatments , increasing the knowledge of the genetic and neurobiological basis of the pediatric disorder and optimizing diagnostic criteria . Current research directions for bipolar disorder in children include optimizing treatments , increasing knowledge of the genetic and neurobiological basis of pediatric disorder , and improving the diagnostic criteria . 0 +McLoughlin applied the laws to American subjects , kept the peace with the natives and maintained friendly relations with British merchants and later colonists . McLoughlin applied the law to British subjects , kept the peace with the natives and maintained friendly relations with American merchants and later colonists . 0 +Frank offered to accompany the children , because he wanted to see Aslan himself . Aslan offered to accompany the children , as he wanted to see Frank himself . 0 +The family moved to Tasmania , when he was still a child , and then emigrated again to New Zealand in 1864 . The family moved to Tasmania when he was still a child , and then emigrated to New Zealand again in 1864 . 1 +Richard Biddle was the brother of American financier Nicholas Biddle , nephew of Congressman Edward Biddle and uncle of Congressman Charles John Biddle . Edward Biddle was the brother of the American financier Nicholas Biddle , Congressman Charles John Biddle 's nephew , and the uncle of Congressman Richard Biddle . 0 +Parsora is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Parsora is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . 0 +""" Vigilant "" was generally inactive while the British occupied Philadelphia , but she sailed to New York City when the British evacuated the city in June 1778 ." """ Vigilant "" was usually inactive , while the British occupied New York City , but she sailed to Philadelphia when the British evacuated the city in June 1778 ." 0 +Part 2 was directed by Yasunori Ide and written by Manabu Nakamura . Part 2 was managed by Yasunori Ide and written by Manabu Nakamura . 1 +Francesco Merano ( 1619 -- 1657 ) was an active painter of the baroque , mainly Italian in Genoa , where he was born . Francesco Merano ( 1619 -- 1657 ) was an Italian painter of the Baroque period , mainly active in Genoa , where he was born . 0 +"Jools Holland performed the song on "" Friday Night with Adele "" on 8 February 2008 and on "" Saturday Night Live "" during the 18 October 2008 show ." "The song was played on February 8 , 2008 on "" Friday Night with Jools Holland "" and during the show on "" Saturday Night Live "" on October 18 , 2008 ." 0 +Stewart became Deputy Reeve of the Township of Otonabee in 1985 and was guardian of the Peterborough County from 1992 to 1994 . Stewart became deputy reeve of the Township of Otonabee in 1985 , and was a warden of Peterborough County from 1992 to 1994 . 1 +The 1975 -- 76 season of the National Basketball Association was the 30th season of the NBA . The 1975 -- 76 NBA season was the 30th season of the National Basketball Association . 1 +In 2015 , the Middleton subsidiary of Quality Save was closed and a superstore was launched in the Ex - Tesco - unit next door . In 2015 , the Middleton branch of Quality Save was closed , and a superstore was launched in the ex Tesco unit next door . 1 +Cantharidus turneri is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . Cantharidus turneri is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . 0 +Fowler married Sarah Sloane , daughter of Hans Sloane and niece of Sir William Sloane , who had two sons and a daughter . Fowler married Sarah Sloane , daughter of William Sloane and niece of Sir Hans Sloane , who had two sons and a daughter : 0 +The 2016 North Carolina Central University football team represented North Carolina Central Eagles in the 2016 NCAA Division I FCS football season . The 2016 North Carolina Central University soccer team represents North Carolina Central Eagles in the 2016 NCAA Division I FCS football season . 1 +Morris County is a residential community located in the north-western corner of Mine Hill Township . Mine Hill Township is a residential community located in the north-western corner of Morris County . 0 +NEi Nastran is a general purpose finite element analysis solver used to analyze linear and nonlinear stress , dynamics , and heat transfer characteristics of structures and mechanical components . NEi Nastran is a general linear and nonlinear element analysis solver , used to analyze finite voltages , dynamics and heat transfer properties of structures and mechanical components . 0 +Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in Buenos Aires , Argentina - November 7 , 1996 in San Ignacio , Paraguay ) . Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- 7 November 1996 in Buenos Aires , Argentina ) . 0 +Patalpur is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil , near Keetai Dewapura and Patalpani . Patalpur is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil , near Keetai Dewapura and Patalpani . 1 +The 35th wing was replaced with the newly activated 85th wing . The 85th wing was replaced with the newly activated 35th wing . 0 +"Hieroglyphic writing is called "" the alphabet of birds in Egyptian Arabic ." "In hieroglyphic - Arabic is the Egyptian script "" called the alphabet of birds "" ." 0 +The segment from Kaduna to Abuja ( 187 km ) was officially opened on July 26th , 2016 after many delays . After many delays , the segment from Abuja to Kaduna ( 187 km ) opened officially on 26 July 2016 . 0 +Mount Darwin ( alternatively : Darwin ) is one of seven districts in the province of Mashonaland Central of Zimbabwe . Mount Darwin ( alternate : Darwin ) is one of seven districts in the Zimbabwe province of Mashonaland Central . 0 +The third includes art and money and the second relates to the working conditions of artists and other cultural producers . The third involves art and money and the second relates to the working conditions of artists and other cultural producers . 1 +"Other works at the premiere were "" Choral "" , "" Adagio ( from the second suite ) "" , "" Scherzo , Op ." "Other works at the world premiere were "" second "" , "" Adagio ( from Choral Suite ) "" , Scherzo , Op ." 0 +Mahayana Buddhism was far more successful in China than its rival Hinayana , and both local Chinese schools and Indian sects arose from the 5th century . Mahayana Buddhism was far more successful in China than its rival Hinayana , and both local Chinese schools and Indian sects emerged in the 5th century . 1 +His remains were later relocated to the British cemetery in the Haydarpaşa district of Üsküdar . His remains were later relocated to the British Cemetery in the Üsküdar quarter of the Haydarpaşa district . 0 +The Bârnărel River is a tributary of the Stejioara River in Romania . The river Bârnărel is a tributary of the River Stejioara in Romania . 1 +"The symmetrical courtyard is considered as a Beaux Arts style because of the "" rich composition "" and "" elegant decoration in high relief "" ." "The elegant courtyard is considered Beaux Arts style because of the "" symmetrical composition "" and "" rich decoration in high relief "" ." 0 +On 2 June 2006 , the Russian Supreme Court banned Jund al-Sham , together with the Palestinian Group of Islamic Jihad . On June 2 , 2006 the Russian Supreme Court banned Jund al-Sham along with the Palestinian Islamic Jihad group . 1 +Kinetic Compensation : An increase in preexponential factors tends to compensate for the increase in activation energy . Kinetic Compensation : An increase in the pre-exponential factors tends to compensate for the rise in activation energy : 1 +In 1901 , Emma Goldman met Winn in Chicago , and found in her a lasting ally . In 1901 , Winn met Emma Goldman in Chicago and found in her a permanent ally . 0 +In 1969 , US Armed Forces PFC Steven Hohensee won the 10th Army Championship . In 1969 , Army PFC Steven Hohensee won the 10th US Armed Forces - Championship . 0 +Taylor was born on 11 June 1890 in Winton , North Carolina , around Simeon P. and Kate ( Ward ) Taylor . Simeon P. was born in Winton , North Carolina on June 11 , 1890 to Taylor and Kate ( Taylor ) Ward . 0 +Utah claims a lead of 60 -- 34 -- 4 , while BYU claims Utah leads 57 -- 31 -- 4 . Utah claims a margin of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . 1 +Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg in South Africa . Sasol operates commercial gasification plants in Secunda , Mpumalanga and South Africa in Sasolburg . 0 +The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Vichy France , Belgium and Germany in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Vichy , France , Belgium , and Germany in 1945 . 1 +The Nyon campus offers nursery and primary education , while the pully campus offers a kindergarten , a primary school and a secondary education . Nyon Campus offers kindergarten and secondary education services , while the Pully Campus offers a kindergarten , primary and primary school . 0 +Sporting Club Suceava was a professional football club from Suceava , founded in Romania and established in 2008 . Sporting Club Suceava was a professional football club from Suceava , based in Romania and founded in 2008 . 1 +Major General Francis Okello replaced Major General Nathan Mugisha as commander of AMISOM on 7 July 2009 . On July 7 , 2009 , General Major Francis Okello was replaced as Commander of AMISOM by the general major Nathan Mugisha . 0 +William and Elizabeth died the following year in 1859 . Elizabeth died in 1859 and William died the following year . 0 +He was a revolutionary hero that gave a new wave to the regional movement in Telangana . He was a regional hero who gave a new wave to the revolutionary movement in Telangana . 0 +At work , Betty Daniel asked to get a new wheelchair that he wanted to use at the event . At work , Betty asked Daniel to pick up a new wheelchair that he wanted to use at the event . 0 +Of the nine games in Warsaw , Legia drew six and won three . Of the nine games played in Warsaw , Legia drew six and won three . 1 +Writers for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included in the project . 1 +His sons were Rolland H. , Huntley N. and Leon C. , of whom Huntley and Rolland would serve as governors of New Hampshire . His sons were Leon C. , Huntley N. , and Rolland H. , whom Huntley and Rolland would serve as governors of New Hampshire . 1 +Born in London for John May , superintendent of a department of the Metropolitan Police , himself , May himself joined the force and left England in 1845 to Hong Kong . Born in London to John May , Superintendent of A Division of the Metropolitan Police . May himself joined the force and left England in 1845 for Hong Kong . 1 +Continue to the north through Hughesville on Old Leonardtown Road ( MD 625 ) . ( MD 625 ) continues to the north through Old Leonardtown Road on Hughesville . 0 +At an auction , Mr Cave made the highest bid for Mr Payne 's product . Mr Payne made the highest bid for Mr Cave 's goods at an auction . 0 +Adelanto is located in the Mojave desert of the southern Victor Valley , north of the Cajon Pass and San Bernardino Valley . Adelanto is located in the Mojave Desert of the south-central Victor Valley , north of the Cajon Pass and San Bernardino Valley . 1 +In Veracruz , breeding takes place from May onwards and in Yucatán , between August and April . In Yucatán breeding takes place from May and in Veracruz between August and April . 0 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Illinois to Missouri . The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Missouri from Illinois . 1 +It was produced by Penny Leicester , abridged by Heather Larmour , with Peter Serafinowicz as the voice of The Guide , and read by Stephen Mangan . It was produced by Penny Leicester , abbreviated by Heather Larmour , and read with Peter Serafinowicz as the voice of the guide and by Stephen Mangan . 0 +Marie has a background in magic , while Leyser has a background in dance . Leyser has a magic background , while Marie has a dance background . 0 +In the United Kingdom , mescaline is a class A medicine in cleaned powder form . However , dried cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be legally bought and sold . 0 +The last Pontiac , a white 2010 model year G6 4 - door limousine , was built in January 2010 on the Orion Township assembly line . The white Pontiac , a last 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . 0 +""" m "" is the number of edges and "" n "" represents the number of vertices ." """ m "" representing the number of edges and "" n "" is the number of vertices ." 0 +The researchers administered an object sorting task to 156 children of healthy people , 102 children of schizophrenic people , and 139 children of depressed parents . The researchers administered an object sorting task to 156 children of schizophrenic individuals , 102 children of depressed individuals , and 139 children of healthy parents . 0 +He also circulated rumors about a possible Hungarian -- Romanian federation , as proposed to him by Hungarian landowners . He also spread rumors about a possible Hungarian -- Romanian federation , as proposed to him by Hungarian landowners . 1 +""" Note : Not all of the above details are verifiable in available sources , but the primary structure is in Messenger ." """ Note : Not all of the above details are available in primary sources , but the verifiable organization is in Messenger ." 0 +Previously , he had operated the station through a prior marketing agreement with local owner Liberman Broadcasting . He previously operated the station through a local marketing agreement with previous owner Liberman Broadcasting . 0 +The casting list indicates a first performance date after Taylor joined the company in the spring of 1619 and before the death of Tooley in June 1623 . The cast list indicates the first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . 0 +"The name "" Macaire "" seems to have several claims of origin : it was a male or female name and is currently considered a male name ." "The name "" Macaire "" appears to have several claims of origin . It was a male or female name and currently is considered a male name ." 1 +""" Chuck Versus the Wedding Planner "" was written by Rafe Judkins and Lauren LeFranc and was directed by Anton Cropper ." """ Chuck Versus the Wedding Planner "" was written by Rafe Judkins and Lauren LeFranc and directed by Anton Cropper ." 1 +Baron Paul Georges Marie Kronacker ( 5 November 1897 - 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . 1 +This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran who was the first Australian to die in the Iraq War . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in Iraq - war . 1 +Both Iran and Saudi Arabia opposed the use of force as a solution to regional problems and rejected the invasion of Kuwait by Iraq . Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems , rejecting the invasion of Kuwait by Iraq . 0 +Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and used some of the king 's high dignitaries . Therefore , on 25 February 1232 , Archbishop Robert of Esztergom excommunicated the Kingdom of Hungary under an interdict and placed some high dignitaries of the king . 1 +Rabbi Levi showed that on the night described in God taught Jacob all the signs . Rabbi Levi showed that in the night described in God Jacob all the signs taught . 0 +"The soundtrack also featured the song "" Unchained Melody "" from 1955 , composed by Hy Zaret with texts by Alex North ." "The soundtrack also featured the song "" Unchained Melody "" from 1955 , composed by Alex North with texts by Hy Zaret ." 0 +"Traditionally , "" classical "" companies such as the Kirov Ballet and the Paris Opera Ballet regularly perform contemporary works ." "Traditionally , "" contemporary "" companies like the Kirov Ballet and the Paris Opera Ballet also regularly perform classical works ." 0 +Although the Maryland Department of Transportation is headquartered in Baltimore , three of its subordinate organizations have headquarters located in Anne Arundel County . Although the Maryland Department of Transportation is headquartered in Anne Arundel County , three of its subordinate organizations have in Baltimore . 0 +The season 1975 -- 76 National Basketball Association was the 30th NBA season . The season of 1975 -- 76 NBA was the 30th season of the National Basketball Association . 1 +Archdale is a residential neighborhood in the Starmount ( South Boulevard at Arrowood and South Charlotte ) area . Archdale is a residential area at Starmount ( South Boulevard in Arrowood and South Charlotte ) . 1 +Polish gradually replaced German as the administrative language and the establishment of voivodeships reduced the Baltic German administration . Polish gradually replaced German , since the Baltic - German language and the establishment of voivodeships reduced the administrative administration . 0 +Sankt Georgen am Ybbsfelde is a city in the district of Lower Austria in Amstetten , Austria . Sankt Georgen am Ybbsfelde is a town in the district of Lower Austria in Amstetten in Austria . 1 +Warm packs are often prepared , the heat opens the pores of the skin and helps in the interaction of clay with the body . Prepared packs are often warm , the heat opens the pores of the skin and supports the interaction of the clay with the body . 0 +Jason Havelock also composed many songs , the Pop - Symphony - album under the pseudonym Éric Demarsan , as well as some music for sound and light shows . Éric Demarsan also composed many songs , the Pop Symphony album under pseudonym Jason Havelock , as well as some musics for sound and light shows . 0 +On 2 June 2006 , the Russian Supreme Court banned Jund al-Sham , together with the Palestinian Group of Islamic Jihad . On 2 June 2006 , the Palestinian Supreme Court banned Jund al-Sham , together with the Russian group of Islamic Jihad . 0 +The young French parish was administered by a Catholic missionary , Father Joly . The young French parish was administered by a Catholic missionary , P. Joly . 1 +The episode was written by Lev L. Spiro and was directed by Bill Wrubel . The episode was written by Bill Wrubel and directed by Lev L. Spiro . 0 +Johnny 's energy kills Barry . John Barry 's energy kills Johnny . 0 +Francesco Merano ( 1619 -- 1657 ) was an active baroque painter , mainly in Genoa , where he was born , Italian . Francesco Merano ( 1619 -- 1657 ) was an Italian painter of the Baroque period , mainly active in Genoa , where he was born . 0 +It was directed by Leslie H. Martinson , written by George Kirgo and was originally broadcast April 5 , 1982 on NBC . It was written by Leslie H. Martinson , directed by George Kirgo and was originally sent on NBC on 5 April 1982 . 0 +New School Manchester has 102 classrooms , and the school captures 1,975 students , the school mascot is the Jaguar . New Manchester holds 102 classrooms , and the school has 1,975 students . The school mascot is the Jaguar . 1 +"In 1997 , DeMille first appeared in Corey 's novel "" Plum Island "" ." "In 1997 , Corey first appeared in DeMille 's Roman "" Plum Island "" ." 0 +The Palm , or tropical , house is a Victorian glasshouse located to the west of the main lake . The Palm , or tropical house , is a Victorian glass house located to the west of the main lake . 1 +He joined the Canadian Fencibles in Scotland in 1803 and joined them in 1805 to Quebec . In 1803 , he joined the Canadian Fencibles in Quebec and joined them in 1805 to Scotland . 0 +In the late 1970s , Willie Francis lived in Canada and worked in Jamaica for several years before returning to England . In the late 1970s , Willie Francis worked in England and lived in Canada for a number of years before returning to Jamaica . 0 +Every week , Chunt , Usidore , and Arnie interview magical creatures to present new aspects of the world of Foon to the listener . Every week , Arnie , Usidore , and Chunt interview magical creatures to present new aspects of the world of Foon to the listener . 1 +"She was the founder of the Inner Healing Movement and became author of "" The Healing Light "" ." "She was the founder of the Inner Healing Movement and became the author of "" The Healing Light "" ." 1 +Towradgi is situated on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . North Dalton Park is located at Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +Robby Gordon qualified third , Kevin Lepage fourth , and Terry Labonte started fifth . Kevin Lepage started third , Terry Labonte as fourth and Robby Gordon qualified as fifth . 0 +The 26 letters shown directly from bopomofo are transcribed in the following table . The 26 letters directly shown by bopomofo are transcribed in the following table . 1 +Trina , better known as Katrina Laverne Taylor , is a rapper . Trina , better known as the Katrina Laverne Taylor , is a rapper . 1 +If an AutoNumber is a long integer , the codice _ 3 property determines whether it is of the start + increment or random form . If an Autonumber is a random integer , the property codice 3 determines whether it is the start + increment or long form . 0 +His wife Eddy was the one who made most of the appointments with the great artists for Tania G. Novarro . His wife Eddy was the one who made the most appointments with the great artists of Tania G. Novarro . 1 +"During 1942 "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national saving campaign of the warship - week "" ." "During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civilian savings campaign of the warship - week "" ." 0 +Both tournaments , despite the clear distinction between the two confederations , have a tradition to invite countries outside the region . Both tournaments know , despite the clear separation between the two confederations , have a tradition to invite countries outside the region . 0 +"Carter played the role of Ryan Little in Corey 's film "" House of Fears "" of 2007 ." "Carter played the part of Ryan Little in Corey 's 2007 film "" House of Fears "" ." 1 +The Turks , Tang , Muslim Arabs , and Tibetans competed for control of Central Asia until the tang 's collapse in the 10th century . The Turks , Tang , Muslim Arabs and the Tibetans competed for control over Central Asia until the collapse of the Tang in the 10th century . 1 +The lowest point of the resort is 2650m , while the highest point is 3600m ( 11,811 meters above sea level ) . The lowest point of the resort is 2650m , while its highest point is 3600m ( 11,811 feet above the sea level ) . 1 +In 1767 , Heathcote published an anonymous letter to Horace Walpole on the dispute between David Hume and Jean-Jacques Rousseau , which was attributed to Walpole himself . In 1767 , Heathcote published an anonymous letter to Horace Walpole about the dispute between David Hume and Jean-Jacques Rousseau , which was attributed to Walpole himself . 1 +Barrallier Island is a very small uninhabited island that is located northwest of French Island in Victoria , Australia . French Island is a very small uninhabited island in the northwest of Barrallier Island , Victoria , Australia . 0 +Fanny Pak had five of the same members of season two and four new members . Fanny Pak had five of the same members from season two and four new members . 1 +"The name "" Macaire "" appears to have several claims of origin . It was a male or female name and currently is considered a male name ." "The name "" Macaire "" appears to have several claims to origin : it was a male name and is currently considered a male or female name ." 0 +"To underscore this view , it is customary to say that the "" operations are "" or "" applied "" , rather than "" evaluated "" ." "To underscore this view , it is customary to say that the operations are "" executed "" or "" applied "" , rather than "" evaluated "" ." 1 +Violet Bidwill Wolfner inherited the Chicago Cardinals after her husband 's death in 1947 and owned the franchise until she died in 1962 . Bidwill Wolfner owned the Chicago Cardinals after her husband ’ s death in 1947 , and inherited the franchise until she died in 1962 . 0 +Although this de facto standard is sometimes known as ReplayGain , it was originally known as a replay gain and is now formally abbreviated as RG . Although this de facto standard is sometimes known as ReplayGain , it was originally known as Replay Gain and is now formally abbreviated RG . 1 +The Discovery Centre visitor attraction includes Turret House , Tudor Grounds , Sheffield Manor Lodge , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The visitor attraction of Sheffield Manor Lodge includes Turret House , Tudor Premises , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 0 +Those Catholics who refused to convert eventually fled to Scotland . Those Catholics who had refused to convert fled generally to Scotland . 0 +"The Botfei River or the Agri "" River is a tributary of the Beliu River in Romania ." The Beliu River or Agriș River is a tributary of the Botfei River in Romania . 0 +This riding was created in 1987 by Okanagan -- Similkameen and eliminated in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay , Okanagan . This riding was created in 1987 from Okanagan -- Similkameen , and eliminated in 1996 when it was divided between Okanagan -- Coquihalla and West Kootenay , Okanagan . 1 +In 1881 , he married Agnes Theodora Walther , daughter of Vilhelm Theodor Walther , and his son is the botanist and draftsman Vagn Petersson . He married Agnes Theodora Walther , daughter of Vagn Petersson in 1881 , and his son is the botanist and sketch artist Vilhelm Theodor Walther . 0 +Power was held by a small group of Anglo-Irish families that were loyal to the Anglican Church of Ireland . The power was held by a small group of Irish - English families who were loyal to the Anglican Church of Ireland . 0 +When Blanchard later this year donated his farmland to the college , Warren L. Wheaton named the school after him and it was known as Wheaton College . When Blanchard donated his farmland to the college later that year , Warren L. Wheaton renamed the school after him and it known as Wheaton College . 1 +Born in Oak Park , Illinois , Wagenknecht grew up and went to school in Chicago . Wagenknecht , born in Oak Park , Illinois , grew up in Chicago and got to school . 1 +In October 2015 , Shuli Mualem from the Knesset resigned to allow Bennett to take over his seat . In October 2015 , Bennett resigned from the Knesset in order to allow Shuli Mualem to take his seat . 0 +In September 2003 , Marta Hillers ( a German literature editor ) identified the anonymous author as the journalist Jens Bisky , who died in 2001 . In September 2003 , Jens Bisky ( a German literary editor ) identified the anonymous author as journalist Marta Hillers , who died in 2001 . 0 +When arrested in November 632 AD , Khalid ibn Walid was asked by Malik about his crimes . When Khalid ibn Walid was arrested in November 632 , he was asked by Malik about his crimes . 1 +The mountain was named by Jules de Blosseville after the French naval officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 -- 1835 ) . The mountain was named by Marie Henri Daniel Gauthier , after French naval officer Jules de Blosseville , comte de Rigny ( 1782 -- 1835 ) . 0 +Canada is represented by its UN mission in New York City in Cambodia . Cambodia is represented by its UN mission in New York City in Canada . 0 +The auxiliary service of the Archdiocese of Naples is Cardinal Crescenzio Sepe , Lucio Lemmo and Gennaro Acampa are currently ordinary . The current ordinary of the Archdiocese of Naples is Cardinal Crescenzio Sepe . Lucio Lemmo and Gennaro Acampa are auxiliary 0 +"Daly is a TV presenter and producer . John Daly hosts his own BBC Northern Ireland TV talk show , "" The John Daly Show "" ." "John Daly is TV presenter and producer : John Daly hosts his own BBC talk show in Northern Ireland , "" The John Daly Show "" ." 1 +George Wilson was born on June 24 , 1766 in Robert Wilson , a shipbuilder , and Mary Finlay , Newcastle . Robert Wilson was born on 24 June 1766 to George Wilson , a shipbuilder , and Mary Finlay in Newcastle . 0 +Irregular menstruation is a vaginal disorder whose manifestations include menstrual cycle lengths as well as metrorrage ( irregular bleeding between expected periods ) . Irregular menstruation is a menstrual disorder whose manifestations include irregular cycle lengths as well as metrorrage ( vaginal bleeding between expected periods ) . 0 +He is survived by his children Jason Coppola from Brooklyn and Samantha Coppola of Bogota and three grandchildren . He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogotá , and three grandchildren . 0 +At the executive level , EEAA represents the central arm of the Ministry . At executive level , EEAA represents the central arm of the ministry . 1 +Moses Hart ( November 26 , 1768 -- October 15 , 1852 ) was a Canadian businessman and seigneur , eldest son of Aaron Hart . Moses Hart ( November 26 , 1768 - October 15 , 1852 ) was a Canadian businessman and son , eldest son of Aaron Hart . 0 +This film screenplay was written by Titus Popovici and was managed by Sergiu Nicolaescu . This film - screenplay was written by Sergiu Nicolaescu and was addressed by Titus Popovici . 0 +The basic ISO contemporary Latin alphabet has 26 letters , which , together with another binary indicator , could be used as a key for 52 weeks . The contemporary ISO basic Latin alphabet has 26 letters , which could be used , together with a further binary indicator , as keys for 52 weeks . 0 +The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa It is located near the border with Botswana . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is close to the border to South Africa . 0 +A radar-modified Vickers Wellington was equipped for use by the Fighter Interception Unit , as one of the first Airborne Early Warning and Control ( AEW & C ) aircraft . A radar-equipped Vickers Wellington was converted to be one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . 0 +Kulappully falls under Palakkad constituency and the constituency of the Shornur Parliament . Kulappully falls under the Palakkad assembly constituency and the Shornur parliament constituency . 1 +Stille is a river of Thuringia , Germany , which flows into the river Schmalkalde in the town of Schmalkalden . Stille is a river of Thuringia , Germany . It flows into the river Schmalkalde in the town Schmalkalden . 1 +The music was composed by K. Raghavan and lyrics was written by Swathi Thirunal and Edasseri . The music was written by K. Raghavan and texts by Swathi Thirunal and Edasseri composed . 0 +According to the United States Census Bureau , Irvine is a total area of , of which is land and , or 5.13 % , has water . According to the United States Census Bureau , Irvine has a total area of which land and , or 5.13 % , is water . 1 +Steve Johnson won the title , defeating David Ferrer in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . Steve Johnson won the title and defeated David Ferrer in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . 1 +De Doorns is a town in South Africa in the Western Cape province of Cape Winelands District Municipality . De Doorns is a city in the Cape Winelands District Municipality in the province of Western Cape , South Africa . 0 +The township is in southern Schuylkill County and is bordered to the southeast by Columbia County . The city is located in southern Columbia County and is bordered to the southeast by Schuylkill County . 0 +The 1990 Philadelphia Wings season marked the team 's second season of operation and fourth league championship . The 1990 Philadelphia Wings season marked the second season of the team 's operations and fourth league championship . 1 +On November 23 , 2010 , the Heat waived Stackhouse to make room for Udonis Haslem who was signed to replace injured forward Erick Dampier . On November 23 , 2010 , the Heat abandoned Stackhouse to make room for Erick Dampier , who was signed to replace the injured Udonis Haslem . 0 +This makes Pyhä-Luosto Finland 's oldest but at the same time newest national park . This makes Pyhä-Luosto Finland 's oldest and newest national park at the same time . 1 +Natalma was bred to Nearctic on June 28 , 1960 , as the last mate of his first crop . On 28 June 1960 , Natalma was bred as the last companion of his first crop to Nearctic . 1 +"Several natural lakes exist , mainly Spirit Lake , West Okoboji Lake and East Okoboji Lake in the northwest Iowa ( "" see Iowa Great Lakes "" ) ." "Several natural lakes exist , most notably Spirit Lake , West Okoboji Lake , and East Okoboji Lake in northwest Iowa ( "" see Iowa Great Lakes "" ) ." 1 +It is now held by John Richard Attlee 's grandson Clement Attlee , 3rd Earl Attlee . It is now held by John Richard Attlee ’ s grandson Clement Attlee , 3rd Earl Attlee . 1 +Kulappully falls under the Palakkad assembly constituency and the Shornur parliament constituency . Kulappully falls under the Shornur Assembly Constituency and the Palakkad Constituency . 0 +In historical times there were Cherokee and Creek villages in the Tennessee Valley west of the Wills Valley and the Sand Mountain to the east . In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Wills Valley , and in Sand Mountain to the east . 1 +In 2017 , a former American football defensive ended in the National Football League for the Washington Redskins and the American Football League for the Los Angeles Charger . In the American Football League for the Washington Redskins and the National Football League for the Los Angeles Chargers , a former American football defensive was finished . 0 +The returning Isaac Fontaine , who last played with Sta.Lucia three years ago , replaces Carrawell . The returning Carrawell , who played with Sta.Lucia three years ago for the last time , replaces Isaac Fontaine . 0 +The Gill family closed the mill in 1968 , and the new owners sold it in 1980 . The Gill family sold the mill in 1968 and was closed by the new owners in 1980 . 0 +The biggest loser title was won by Sven from Hamburg , who shared the prize with his teammate Heino , who became the third . The biggest loser title was won by Heino from Hamburg who shared the prize with his teammate Sven , who finished third . 0 +In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Wei united to attack Chu but suffered a defeat . In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , however , defeat suffered . 1 +The above test does not distinguish between more complex distributions such as quantum and boson , or between fermionic and classical statistics . The above test does not distinguish between more complex distributions , such as quantum and classical , or between fermionic and bosonic statistics . 0 +On 24 May 2017 , Lajunen signed a 1-year contract with HC Spartak Moscow from KHL . On May 24 , 2017 Lajunen signed a 1-year contract with KHL from HC Spartak Moscow . 0 +In 2013 was the highest teenager - birth rate in Wyoming and the lowest in Alabama . In 2013 , the highest birth rate for teenagers in Alabama was and the lowest in Wyoming . 0 +""" Love Generation "" is a song by French music producer and DJ , Gary Pine featuring vocals by Bob Sinclar ." """ Love Generation "" is a song by the French music producer and DJ Bob Sinclar with vocals by Gary Pine ." 0 +The kinetic energy of a particle is the sum of potential energy and total energy , this sum is also the frequent expression for the Hamilton operator in classical mechanics : The kinetic energy of a particle is the sum of potential energy and total energy , this sum is also the frequent expression for the Hamiltonian in classical mechanics : 1 +Joachim had two brothers : Friedrich Heinrich Albrecht ( 1874 -- 1940 ) and Friedrich Wilhelm ( 1880 -- 1925 ) . Two brothers had Friedrich Joachim Albrecht ( 1874 - 1940 ) and Friedrich Wilhelm ( 1880 - 1925 ) . 0 +Founded by Sérgio Britto in 1959 , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Sérgio Britto , it has featured actors such as Fernanda Montenegro , Gianni Ratto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . 1 +How he forms the case and brings them to books solves the rest . How he resolves the case and brings them to books forms the rest . 0 +Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Basque Country Autonomous Community of Northern Spain . Lazkao is a town and municipality located in the Gipuzkoa region of the province of Goierri , in the Basque Autonomous Community in Northern Spain . 0 +The additional characters released as paid DLC in Japan were released as part of the game in the West . The additional characters published in Japan as DLC were paid as part of the game in the West . 0 +Brett Steven won the tournament , beating Thomas Enqvist in the final , 4 -- 6 , 6 -- 3 , 7 -- 6 ( 0 ) . The tournament won Thomas Thomas Enqvist and struck Brett Steven in the final , 4 -- 6 , 6 -- 3 , 7 -- 6 ( 0 ) . 0 +In order to determine the two best second-placed teams , the following criteria were used : To determine the two best second-used teams , the following criteria were placed : 0 +The catalogue number for the Limited Edition is GNCX-1006 , while the regular edition is GNCX-1005 . The catalog number for the regular edition is GNCX-1006 while the limited edition is GNCX-1005 0 +In 1816 , Thomas Worthington married Sarah Worthington , second daughter of Governor King . Thomas Worthington married Sarah Worthington , the second daughter of Governor King in 1816 . 1 +"For turning steam locomotives used in "" SL Paleo Express "" services , a turntable is provided ." "A turntable is provided for turning steam locomotives used on "" SL Paleo Express "" services ." 1 +Hastings Ndlovu , together with Hector Pieterson , was buried at the Avalon cemetery in Johannesburg . Hector Pieterson was buried together with Hastings Ndlovu at the Avalon Cemetery in Johannesburg . 0 +"He is known for the creation of complex origami models , including various instrumentalists , insects and erotic origami - works called "" Pornigami "" ." "He is known for creation of complex origami models , including various instrumentalists , insects , and erotic origami works , called "" pornigami "" ." 1 +In 1938 , after Ciano was appointed Foreign Minister , Anfuso became Head of Ministry . In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Head of Staff Ministers . 0 +"For "" Archives to Eighties "" Mayall recorded new bass and drums tracks played by Bobby Haynes and Joe Yuele ." "For "" Archives to Eighties "" , Mayall appeared in new bass and drums tracks played by Bobby Haynes and Joe Yuele ." 1 +"In "" Duel of the Double Crossers ! "" , Batman uses a simulation of Despero to train the Outsiders ." "In "" Duel the Double Cruisers ! "" Despero uses a simulation of Batman to train the outsiders ." 0 +"On August 31 , 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." "Wollstonecraft arrived on August 31 , 1819 on board the ship "" Sydney "" in Grenada ." 0 +Born in Galien Township , he came to Pennsylvania in 1853 . Born in Pennsylvania , he came township to Galien in 1853 . 0 +Utah claims a lead of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . Utah claims a lead of 60 -- 34 -- 4 , while BYU Utah leads claims 57 -- 31 -- 4 . 1 +Lombardo left the band due to an elbow injury and was replaced by former Bostaph member . Bostaph left the band due to an elbow injury and was replaced by the former member Lombardo . 0 +In 1999 , Trinity merged with Mirror Group Newspapers to Trinity Mirror , the country 's largest stable in the newspapers . In 1999 Trinity merged with Trinity Mirror to become Mirror Group Newspapers , the largest stable of newspapers in the country . 0 +An Armatolos named Zisis Karademos introduced a local uprising against the Greek - Ottoman garrison in 1705 . In 1705 , an armatolos named Zisis Karademos led a local uprising against the Greek Ottoman garrison . 1 +The longitudinal vessel moves the blood rearward , while the other four dorsal vessels carry the blood forward . The longitudinal vessel moves the blood backwards , while the other four dorsal vessels carry the blood forward . 1 +Promegestone is mainly bound to albumin , it does not bind to sex hormone - binding globulin and binds to Transcortin only weakly . Promegestone is only weakly bound to albumin , it does not bind to gender-binding globulin and binds mainly to Transcortin . 0 +The station is adjacent to Meitetsu Nagoya Station , the terminal of the Nagoya Railroad , and Kintetsu Nagoya Station , the terminal of the Kintetsu Nagoya Line . The station is located next to Meitetsu Nagoya Station , the terminal of Nagoya Railroad , and the Kintetsu Nagoya Station , the terminal of the Kintetsu Nagoya line . 1 +He died in Clarkstown ( now New City ) , New York , August 16 , 1850 . He died on August 16 , 1850 in New City ( now Clarkstown ) , New York City . 0 +Macromedia Director ( formerly Macromedia Director ) is a multimedia application authorisation platform created by Adobe Systems and now managed by Adobe . Macromedia Director ( formerly Macromedia Director ) is a multimedia application authoring platform created by Adobe Systems and now managed by Adobe . 1 +Cranoe is a small village and civil community in the district of Harborough Leicestershire , England . Cranoe is a small village and civil parish in the Harborough district of Leicestershire , England . 1 +Yauli District is one of nineteen districts of the province Huancavelica in Peru . Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . 1 +In March 2008 , Sophina participated in the heart of a Champion Invitational as Level 10 , where she won the total title . In March 2008 , Sophina participated as Level 10 at the Heart of a Champion Invitational , where she won the title . 1 +""" Long live the cinema "" called the movie a "" glimmer of hope "" for Gujarati cinema ." """ Gujarati cinema "" called the movie a "" glimmer of hope "" for Long live cinema ." 0 +She was selected in the 20th round of the 2012 WNBA Draft ( second overall ) by the Minnesota Lynx . It was selected in the second round of WNBA Draft 2012 ( 20th Overall ) by the Minnesota Lynx . 0 +He was born in New Westminster and worked on the lower Fraser and Yukon River sternwheelers before coming to the upper Fraser River in the early 1900s . He was born in New Westminster and worked on the lower Fraser and Yukon River star cyclists before coming to the upper Fraser River in the early 1900s . 1 +Honeyroot is an Ambient Dance Collaboration between Glenn Gregory and Keith Lowndes , which is signed by the independent record label Just Music . Honeyroot is an ambient dance collaboration between Glenn Gregory and Keith Lowndes , signed to the independent record label Just Music . 1 +The nearest airport is Ujjain , the nearest is Devi Aahilya Airport Bai Holkar , Indore . The nearest airport is the airport Devi Aahilya Bai Holkar in Indore , the nearest station is Ujjain . 0 +Janice Turner was Carl 's husband and the father of Debbie 's Alice Whipple . Carl was Janice Turner 's husband , and the father of Debbie & Alice Whipple . 0 +From the OR Tambo International Airport in Kempton Park and close to the airport , Benoni is also served . Benoni is also served by the Kempton Park in OR Tambo International Airport and close to the airport . 0 +The outlaws decided to live off the wealthy class of people instead of the poor . The outlaws decided to live off the poor class of people instead of the rich . 0 +For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just human action , but social action . However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply human action , but rather social action . 1 +Colombres is one of three parishes ( administrative divisions ) in Asturias , a municipality within the province and autonomous community of Ribadedeva , in northern Spain . Colombres is one of three parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadedeva , northern Spain . 1 +"Atari later upgraded the basic design in 1986 with the "" 1040ST "" ( also written "" STF "" ) ." "Atari also improved the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." 0 +64 Democrats and 64 Whigs were declared elected to the New York State Legislature of the 73rd New York State Assembly . The New York State Legislature of the 73rd New York State Assembly has elected 64 democrats and 64 whigs . 1 +Carol is in the stands with her daughter Missy , now a published poet . Carol is in the gallery with her daughter Missy , now a published poet . 1 +Luodong Forest Railway was commissioned in 1920 and connected to the Taiping Mountain Forest Railway in 1924 . The mountain railway of Taiping was commissioned in 1920 and connected to the Luodong forest railway in 1924 . 0 +Major Harold Berridge CIE OBE ( 1872 -- 17 June 1949 ) was a British civil engineer and mechanical engineer . CIE OBE ( 1872 -- June 17 , 1949 ) was a mechanical engineer and British civil engineer . 1 +GPO vehicles were commercial commercial vehicles , and not quite the same as the special Morris Minor LCVs . The GPO vehicles were commercial order vehicles , and not quite the same as the special Morris Minor LCVs . 1 +Staunton answered that he needed more time to prepare , and Morphy wrote to him again : Staunton wrote that he needed more time to prepare , and Morphy replied to him again : 0 +During the First World War , Cary served a German regiment in the Nigerian colony of Cameroon . During the First World War Cary served with a Nigerian regiment fighting in the German colony of Cameroon . 0 +Eupithecia demissa is a moth in the family Geometridae . It is found in Chile ( Malleco Province ) . Eupithecia demissa is a moth in the family Geometridae is found in Chile ( province of Malleco ) . 1 +From 1919 was the Third International Member of the Comintern ( LKP ) . The Third International was a member of the Comintern ( LKP ) from 1919 . 1 +Later , Ruth reluctantly agrees that Nate can stay for a few days . Nate later reluctantly agrees that Ruth can stay for a few days . 0 +The Burduja River is a tributary of the River Urechioiu , Romania . The river Urechioiu is a tributary of the river Burduja in Romania . 0 +The party began as a resistance movement that fought for the independence of East Timor , first from Portugal and then from Indonesia , between 1974 and 1998 . The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Indonesia and then of Portugal . 0 +On Cooper 's death in 1897 he was replaced by Frederick William Henckel , who ran the observatory until Marth 's death in 1902 . In 1897 , Marth 's death was replaced by Frederick William Henckel , who led the observatory until Cooper 's death in 1902 . 0 +In all authors , the verb tends to be final more often in subordinate clauses than in main clauses . In all authors , the verb tends to be head , more often in the final clauses than in subordinate clauses . 0 +Erin Kaplan and Roxy Olin were replaced by Lyon , Lyon and Senn , starting in the second half of the first season . Lucas , Lyon , and Senn were replaced by Erin Kaplan and Roxy Olin beginning in the second half of the first season . 0 +In July 2011 , the ARTC transferred responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the ARTC to the Country Rail Infrastructure Authority . 1 +The centre of the Galápagos Islands is located in the Pacific Ocean at the intersection of the 90th Meridian West and the Equator very close to the western hemisphere . The center of the Galápagos Islands is located in the Pacific Ocean at the intersection of the 90th meridian west and the Equator very close to the Western Hemisphere . 1 +In the state elections of November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the 1857 session . At the State election in November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the session of 1857 . 0 +The Valea Negrenilor River or Negreni River is a tributary of the Amaradia River . The river Valea Negrenilor or Negreni River is a tributary of the Amaradia River . 1 +Gerard Leachman traveled on occasion with St. John Philby and Holt . Holt traveled with St. John Philby and Gerard Leachman on occasion . 0 +He came to AS Trenčín together with his teammate Haris Hajradinović from the Croatian club NK Inter Zaprešić in the summer of 2013 . Together with his team colleague Haris Hajradinović from the Croatian club AS Trenčín he came to NK Inter Zaprešić in summer 2013 . 0 +Petra Kvitová won the tournament beating in the final Dominika Cibulková , 6 -- 4 , 6 -- 1 . The finals won Petra Kvitová in the final , Dominika Cibulková , 6 -- 4 , 6 -- 1 . 1 +In Brazil , the brand IPHONE was registered in 2000 by the company now called Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . In Brazil the brand IPHONE was in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . 0 +She bore four children from a previous marriage , and , in 1901 , had another daughter , Elizabeth . She had four children from a previous marriage and got another daughter , Elizabeth , in 1901 . 0 +Trenčianske Jastrabie is a village and municipality in Trenčín District in the Trenčín Region of northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in the region of Trenčín in the district of Trenčín in northwestern Slovakia . 0 +In the gorge , forty different plant communities were identified , containing at least 1,342 species and 54 rare plants . Forty different plant communities containing at least 1,342 species and 54 rare plants have been identified in the gorge . 1 +The Museumpark is located in the Chabot Museum in the Rotterdam Centrum , between the Netherlands Architecture Institute and the Boijmans Van Beuningen Museum . The Chabot Museum is located in the Museumpark in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . 0 +The eldest son of Doug and Lyn Enoch from Brisbane , Wesley Enoch grew up in Stradbroke Island . He is the brother of Queensland government minister Leeanne Enoch . Wesley Enoch , the oldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of Queensland - Minister Leeanne Enoch . 1 +In application , a statistic is calculated from the experimental data , a probability of exceeding that statistic is determined and the probability is compared to a threshold . In the application a statistic is calculated from the experimental data , a probability of exceeding this statistic is determined and probability is compared with a threshold value . 1 +Born in Taos , New Mexico , January 30 , 1928 , Cheetham grew up in El Paso , Texas , received B.S . Cheetham , born on 30 January 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . 0 +The MureÅ River is a tributary of the River Jecnova in Romania . The Jecnova River is a tributary of the Mureş River in Romania . 0 +With the help of Daniel 's brother Jack Shaftoe , whose infantry unit stationed there , Bob flees . With the help of Jack Shaftoe 's brother Bob , whose infantry unit is stationed there , Daniel flees . 0 +He was part of the Swedish team that won the silver medal in men 's gymnastics in 1920 , the Danish system event in 1920 . He was part of the Danish team that won the silver medal in men 's gymnastics in 1920 , the Swedish system event in 1920 . 0 +On September 15 , 2015 , Johnson signed with Romanian team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Polish team Stal Ostrów Wielkopolski . On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed on 17 July 2016 with the Romanian team Stal Ostrów Wielkopolski . 0 +"The duo borrowed the title "" Electric Arguments "" from the poem "" Kansas City to St. Louis "" of Allen Ginsberg ." "The duo borrowed the title "" Electric Arguments "" from the poem "" St. Louis to Kansas City "" of Allen Ginsberg ." 0 +It is equivalent to the rank of rear admiral in the Royal Navy and the rank of the rear admiral ( upper half ) in the United States Navy . It is equivalent to the rank of rear admiral in the Royal Navy and the rank of rear admiral ( upper half ) in the United States Navy . 1 +He is the nephew of Larry Bowa Johnson and his wife , Brianna , was born on 31 January 2006 , their first child , Liz . He is the nephew of Larry Bowa Johnson and his wife Liz born January 31 , 2006 , their first child , Brianna . 0 +"Aeroflot Flight 415 ( "" Reys 415 Aeroflota "" ) was a domestic passenger flight from Aeroflot from Simferopol to Sochi with a stopover in Lviv ." "Aeroflot Flight 415 ( "" Reys 415 Aeroflota "" ) was a domestic scheduled passenger flight operated by Aeroflot from Lviv to Sochi with a stopover in Simferopol ." 0 +From the late 1980s to the early 1990s , Cabble was the lead singer in the all female rock bands Clinic Q and then Miss B . Haven . From the late 1980s to the early 1990s , Cabble was the lead singer in the female rock bands Clinic Q and then Miss B . Haven . 1 +The Late neolithic cultures have affinities with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady valley and late neolithic developments in South China . Late Neolithic cultures have a relationship with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady Valley and the late Neolithic developments in southern China . 1 +A multi-region DVD of the entire series was announced on February 4 , 2015 by Warner Archive and was released on February 10 , 2015 . A multi region - DVD of the entire series was announced by Warner Archive on 4 February 2015 and released on February 10 , 2015 . 1 +In 1997 , 27.4 % of the population was overweight and 14.4 % were obese . Obesity rates were twice as high in rural areas than in urban areas . In 1997 , 27.4 % of the population were overweight and 14.4 % were obese , the obesity rate was twice as high in urban areas as in rural areas . 0 +Gasson was born in New York City , and his registered home in Ireland at the time of the Civil War . Gasson was born in New York City , and his registered home was in Ireland at the time of the civil war . 1 +Key operations include key generation algorithms , key exchange agreements and public key cryptography standards . Key operations include key generation algorithms , key exchange agreements , and cryptography standards with a public key . 1 +""" It was a fast race , and I had such a crazy penn zoil Ford "" , said Logano ." """ It was a crazy race , and I had such a fast Pennzoil Ford , "" said Logano ." 0 +At the time , Meacham was president , and his administration learned that Andrew Johnson did not support him . At that time , Meacham was president , and his administration learned that Andrew Johnson did not support him . 1 +Biala Rawska is one of the oldest historical settlements of Slavic Mazovia . Biala Rawska is one of the oldest historic settlements of Slavic Mazovia . 1 +"Kenneth Lonergan appeared as Sharon in "" Manchester by the Sea "" , which premiered at the Sundance Film Festival in 2016 ." "Mallen appeared as Sharon in writer-director Kenneth Lonergan 's "" Manchester by the Sea "" , which premiered at the 2016 Sundance Film Festival ." 0 +December 4 , 1992 -- Cambridge United Trainer Ian Atkins is appointed coach of Birmingham City . 4 December 1992 -- Birmingham City Trainer Ian Atkins is appointed manager of Cambridge United . 0 +It is limited by Pembina County , North Dakota The nearest American community to Gretna is Neche , North Dakota . It is bounded by North Dakota . The nearest American community to Gretna is Neche , Pembina County and North Dakota . 0 +He was born on May 21 , 1897 in Jambol and died in Sofia on June 15 , 1945 . He was born in Sofia on May 21 , 1897 , and died in Yambol on June 15 , 1945 . 0 +Concord is of imperfective type in the ergative aspect but perfective in the nominative aspect . Concord is in the imperfective aspect of the nominative type , but in the perfective aspect it is ergative . 0 +57.1 % of these were female and 42.9 % were male . 57.1 % of these were male and 42.9 % female . 0 +From 1714 to 1725 , the house was extended on plans by Robert Adam , ( father to William Adam , the architect who created Edinburgh New Town ) . From 1714 to 1725 , the house was extended according to plans by William Adam ( father of the architect Robert Adam , who created Edinburgh New Town ) . 0 +Muagututia was signed by the Chicago Rush on November 14 , 2002 . He was released by the Rush on March 31 , 2003 . He was signed by Chicago Rush on November 14 , 2002 , and was released by the Rush on 31 March 2003 . 1 +Palpi , head and thorax are white and the shoulders yellowish . The palpi , head and thorax are white and the shoulders yellowish . 1 +The official language is Bhojpuri and its local language is Hindi . Bhojpuri is the official language and the local language is Hindi . 1 +His son Henry Wheeler Shaw ( 1818 -- 1885 ) became a well-known humorist under the pen name Josh Billings . His son Henry Wheeler Shaw ( 1818 -- 1885 ) , under the pseudonym Josh Billings , became a well-known humorist . 1 +During this raid an anti-tank Missile boat was sunk using Egyptian M72 LAW missiles . During this raid , an Egyptian missile boat was sunk with anti-tank missiles ( M72 LAW ) . 0 +Simon Brook is the son of fellow director Peter Brook and the actress Natasha Parry . His sister is the actress and writer Irina Brook . Simon Brook is the son of director Peter Brook and actress Natasha Parry , his sister is actress and writer Irina Brook . 1 +Georges Braque , a resident of Montmartre , attended the Bateau Lavoir at that time and exhibited with Metzinger at the Berthe Weill Gallery . A resident of Montmartre , Georges Braque frequented the Bateau Lavoir at this time and exhibited with Metzinger at the Berthe Weill gallery . 1 +The first three floors were completed in 1885 , and the top three floors were completed in 1906 . The three upper floors were completed in 1885 and the first three floors were completed in 1906 . 0 +"On November 8th , 2011 , the previous album "" Wicked Game "" published , three years after the release of their fifth album ." "8 November 2011 , published the fifth album "" Wicked Game "" , three years after the release of their previous album ." 0 +The audio companion to the digital concert was released as a live album on iTunes on January 29 , 2008 . The audio companion for the digital concert was released on January 29 , 2008 as a live album on iTunes . 1 +Direction was played by Peter Askin and musical production by Miriam Shor , with Hedwig , originally played by John Cameron Mitchell and Yitzhak by Jerry Mitchell . Direction was by Peter Askin and musical staging by Jerry Mitchell , with Hedwig initially played by John Cameron Mitchell and Yitzhak played by Miriam Shor . 0 +"In 1960 , Glenville also directed Barbara Bel Geddes and Henry Fonda on Broadway in "" Silent Night , Lonely Night "" by Robert Anderson ." "In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda in "" Silent Night , Lone Night "" by Robert Anderson on Broadway ." 1 +"If "" f "" has in Hardy space "" H "" , then it is a factorization" "If "" f "" is in the Hardy - Space "" H "" , then it has a factorization" 0 +The mutated boss for herosits is a rejected final clone of Pollux . The final boss for Heroside is a rejected mutated clone of Pollux . 0 +The incident was not originally reported by state-controlled international media , but was first reported by Iranian media . The incident was originally not reported by the state-controlled Iranian media , but was first reported by international media . 0 +The Bega River is a tributary of the Fădimac in Romania . The river Fădimac is a tributary of the Bega River in Romania . 0 +The Cornell Big Red have won 649 games during the 2017 season , 529 games bound and 33 regular season games lost . Through the 2017 season , the Cornell Big Red have won 649 games , tied 529 games , and lost 33 regular season games . 1 +Alexander Seton also commissioned the tomb of his friend the architect William Schaw at Dunfermline Abbey . The tomb of his friend , the architect Alexander Seton , at Dunfermline Abbey was also commissioned by William William Schaw . 0 +In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the Boston City Council . William J. Galvin married Kathryn Galvin in 1956 , the daughter of Kevin White , who also served as a Boston City Council president . 0 +Eric becomes the chef for her father 's restaurant , which improves the business , so Malia 's father is thankful to Scott . Eric becomes the cook for her father 's restaurant , which improves the business , so Scott 's father Malia is thankful . 0 +InterTAN operated a RadioShack chain from Barrie , Ontario , which promoted most ( but not all ) of the US Radio Shack product line . InterTAN operated a RadioShack chain from Barrie , Ontario which carried most ( but not all ) of the US Radio Shack product line . 1 +Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively measurable and that space was infinitely divisible . Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively measurable and that space is infinitely divisible . 1 +Ulpio Minucci ( June 29 , 1917 - March 9 , 2007 ) was an Italian-born American composer and musician . Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian-born American composer and musician . 1 +A daughter , Frances Anna Brickman , was born to Miriam and Lester Brickman on March 5 , 1981 . On March 5 , 1981 , Miriam and Lester Brickman were born a daughter , Frances Anna Brickman . 1 +Abel Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Ruben Aganbegyan . Ruben Aganbegyan ( b . 1972 in Novosibirsk ) is a Russian economist , president of Micex , the son of the famous Soviet economist Abel Aganbegyan . 0 +In 1918 , the administrative representation of the Dublin parliamentary county was increased from two to four divisions . In 1918 the administrative representation of the parliamentary county of Dublin was increased from two divisions to four . 1 +Turner was born in 1932 and played in the Brisbane Rugby League competition for Brisbane Norths and Redcliffe . He also coached Redcliffe in 1968 and 1969 . Turner was born in 1932 and played in the Brisbane Rugby League competition for Brisbane Norths and Redcliffe and also trained Redcliffe 1968 and 1969 . 1 +Conscription has been around in Denmark since the Viking Age , where 1 physical man of every 10th court had to serve the king . In Denmark , there has been conscription since the Viking Age , where the 110th man of every physical court had to serve the king . 0 +"Wollstonecraft met on 31 August 1819 on board the ship "" Sydney "" in Grenada ." "On 31 August 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." 0 +The continued popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . The continuing popularity in Japan of this tall suit has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . 1 +Written by Michelle MacLaren and directed by George Mastras , it broadcast on AMC in the United States and Canada on September 8 , 2013 . Written by George Mastras and directed by Michelle MacLaren , aired on AMC in the United States and Canada on 8 September 2013 . 0 +One night , Rick contacts Maddy and informs her of Jill 's sudden death . One night Rick contacts Maddy and informs her about Jill 's sudden death . 1 +The film was written and co-produced by AR Murugadoss and produced by P. Madhan under banner of Escape Artists Motion Pictures . The film was written by P. Madhan and co-produced and produced by AR Murugadoss under the banner of Escape Artists Motion Pictures . 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by 2K Sports and published by Kush Games . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - video game developed by Kush Games and published by 2K Sports . 0 +The Cornish poet was a schoolmate of Robert Stephen Hawker , later literary friends included Tennyson and Charles Dickens . The Cornish poet was a schoolfellow of Charles Dickens ; later literary friends included Tennyson and Robert Stephen Hawker . 0 +Fanny Pak had five of the same members from season two and four new members . Fanny Pak had five new members from the second season and four of the same members . 0 +It is part of the James River watershed over the Bush River and the Appomattox River . Via the Bush River and the Appomattox River , it is part of the James River watershed . 1 +A meeting between the leaders of the two rival governments of Libya was held at Auberge de Castille in Valletta , Malta on 16 December 2015 . On 16 December 2015 , a meeting between the leaders of the two rival governments of Libya took place at the Auberge de Castille in Valletta , Malta . 1 +The ferry traffic from Vallejo to SF ( resumed in 1937 ) was discontinued in June 1986 by Vallejo Transit . Ferry services from Vallejo to SF ( resumed in 1937 ) was discontinued by Vallejo Transit in June 1986 . 1 +Adobe Director ( formerly known as Macromedia Director ) is a multimedia application authorisation platform created by Macromedia and now managed by Adobe Systems . Macromedia Director ( formerly Macromedia Director ) is a multimedia application authoring platform created by Adobe Systems and now managed by Adobe . 0 +Dissident or English separatists were Protestant Christians who separated from the English Church in the 16th , 17th and 18th centuries . English Dissenters or Protestant Separatists were English Christians who separated from the Church of England in the 16th , 17th and 18th centuries . 0 +"The accompanying music video for "" Slow "" was managed by Baillie Walsh and choreographed by Michael Rooney ." "The accompanying music video for "" Slow "" was directed by Baillie Walsh and choreographed by Michael Rooney ." 1 +"First he was weakened by the VR Double team 's attack and then destroyed by the command "" Laser Lance "" by JB ." "First he was destroyed by the VR Double team 's attack and then weakened by the command "" Laser Lance "" by JB ." 0 +Chris Lewis defeated John McEnroe , 6 -- 2 , 6 -- 2 , 6 -- 2 Chris Lewis defeated John McEnroe , 6 -- 2 , 6 - - 2 , 6 -- 2 1 +The valley itself is made lush and green by the river , while the surrounding area is rocky desert . The valley itself is made through the river and green , while the surrounding area is rocky desert . 1 +In 1977 , US 1 was moved to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River using the Alexander Hamilton Bridge . In 1977 , the US 1 was moved to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River with Alexander Hamilton Bridge . 1 +The season 1954 -- 55 National Basketball Association was the ninth NBA season . The 1954 -- 55 National Basketball Association season was the ninth season of the NBA . 1 +The Jecnova River is a tributary of the River MureÅ in Romania . The MureÅ River is a tributary of the River Jecnova in Romania . 0 +Philadelphia - Fight Fairfax defeated Eagles 20-12 Philadelphia Fight defeated Fairfax Eagles 20-12 0 +J. Thomas Spriggs , born in Whitesboro , New York , migrated to the United States with his parents settled in Peterborough , England in 1836 . Born in Whitesboro , New York , J. Thomas Spriggs immigrated to the United States with his parents , who settled in Peterborough , England in 1836 . 1 +""" The Evolution of Dance "" is the second interlude and the ninth track on the album ." """ The Evolution of Dance "" is the ninth interlude and the second title on the album ." 0 +Ray sees the sights with Nina and wants to marry him , so she asks her father for permission . She sees with Nina the sights and wants to marry him , so she asks her father for permission . 1 +De Doorns is a city in the Cape Winelands District Municipality in the province of Western Cape , South Africa . De Doorns is a town in Cape Winelands District Municipality in the Western Cape province of South Africa . 1 +The opera debuted on December 3 , 1954 at the Royal Opera House in London , directed by Sir Malcolm Sargent and directed by George Devine . The opera debuted at the Royal Opera House , London , on 3 December 1954 conducted by Sir Malcolm Sargent , and directed by George Devine . 0 +The Song of Ceylon is a British documentary , produced by Basil Wright in 1934 , and is led by John Grierson for the Ceylon Tea Propaganda Board . The Song of Ceylon is a British documentary film directed by Basil Wright by John Grierson for the Ceylon Tea Propaganda Board in 1934 . 0 +But its southern border along the Douro has made the region susceptible to Spanish and Moorish conflict . But , it 's Spanish and Moorish border along the Douro made the region susceptible to southern conflict . 0 +In 2005 , Tyrone Gabriel left the group and Cassius replaced him . In 2005 Cassius left the group ; Tyrone Gabriel replaced him . 0 +Then he returned to the Auckland Rugby League competition and played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . 0 +She was in Cairo in November 2012 , and in October she was in Tokyo to write at the film festivals , interact with programmers and visit studios . She was in Tokyo in November 2012 , and in October she was in Cairo to write at the film festivals , interact with programmers and visit studios . 0 +He started his practice in Omaha , Nebraska , and then moved back to Lincoln in 1912 . He started his practice in Lincoln , Nebraska , and then moved back to Omaha in 1912 . 0 +"In January 2014 , "" Point Blank 1.5 "" was published in Singapore and Malaysia , published by Garena ." """ Point Blank 1.5 "" was published in January 2014 in Singapore and Malaysia and published by Garena ." 0 +Viktor Arkadyevich Bely , also Viktor Aronovich Bely ( January 14 , 1904 - March 6 , 1983 ) , was a Russian composer and social activist . Viktor Aronovich Bely , also Viktor Arkadyevich Bely ( 14 January 1904 - 6 March 1983 ) , was a Russian composer and social activist . 1 +In January of 2001 , Mayer married Damian Smith . Damian Smith Mayer married January 2001 . 0 +16 April 1984 -- became adult contemporary WCGY , music of the 1960s and 1970s with 25 % current music . April 16 , 1984 - became adult current WCGY , 1960s ' and 1970s ' music with 25 % contemporary music . 0 +Katie Stainsby was paired with Vanilla Ice in series 6 and Gary Lucy in series 9 , from the British version of Dancing on Ice . Katie Stainsby was paired with Vanilla Ice in series 6 and Gary Lucy in series 9 . Of the British version of Dancing on Ice 1 +Percy Sugden by Bill Waddington played . Bill Waddington played by Percy Sugden . 0 +Texarkana is a part of the Miller County , TX-AR , Metropolitan Statistical Area . Miller County is part of the Texarkana , TX-AR , Metropolitan Statistical Area . 0 +"In "" The Guardian "" in 2006 , George Monbiot argued in opposition to Stanage , who had written that the Iraqi insurgency was comparable to the IRA ." "In "" The Guardian "" in 2006 , Stanage argued in contrast to George Monbiot , who had written that the Iraqi insurgency was comparable to the IRA :" 0 +McCabe hooked the first ball he received from Bodyline spearhead Harold Larwood for a boundary . Harold Larwood hooked the first ball he received from McCabe , Bodyline Spearhead , for a border . 0 +"In 2010 he won 2nd place in 17th Ukrainian Team Chess Championship with team "" Rivne Forest Bisons "" ." In 2010 he won the 17th place in the 2nd Ukrainian Team Chess Championship with the Rivne Forest Bisons team . 0 +Tom Patterson ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tommy John . Tommy John ( born 12 February 1979 ) is an American entrepreneur , who founded the Tom Patterson company in 2008 . 0 +The tree typically grows to a height of and has fibrous rough bark on the trunk . The tree typically grows to a height and has coarse fibrous bark on the trunk . 1 +1843 : China : Sailors and Marines from the Canton were landed at the trading post in St. Louis following a clash between Americans and Chinese . 1843 : China : Sailors and marines from the St. Louis were landed after a clash between Americans and Chinese at the trading post in Canton . 0 +When the Clifton Bridge was built in 1866 , the ferry became popular with users of Portishead Railway railway station . When Portishead Railway was built in 1866 , the ferry became popular with users of the Clifton Bridge railway station . 0 +Upernivik Island is an uninhabited island in the Qaasuitsup municipality in northwest Greenland . Upernivik Island is an uninhabited island in the Qaasuitsup municipality in northwestern Greenland . 1 +La Unión is a city in the Greater Buenos Aires , Argentina , in the Ezeiza Partido . La Unión is a city in Greater Buenos Aires , Argentina , in the Ezeiza Partido . 1 +Is a short book by Karla Kuskin , first published illustrations by Virginia Cary Hudson in 1962 . Is a short book by Virginia Cary Hudson , first published in 1962 with illustrations by Karla Kuskin . 0 +Autreppes is a French municipality in the department of Aisne in the region of Hauts-de-France in northern France and the nature region of Thiérache . Autreppes is a French commune in the department of Aisne in the Hauts-de-France region of northern France and in the natural region of Thiérache . 0 +""" Sidewalk "" Magazine has helped spawn the careers of characters such as Brian Sumner , Benny Fairfax , Olly Todd , John Rattray , Stuart Graham and more ." """ Sidewalk "" magazine helped to spawn the careers of characters such is Olly Todd , John Rattray , Stuart Graham , Benny Fairfax , Brian Sumner and more ." 1 +CAVLC requires considerably less processing than CABAC to decode , although it does not compress the data so effectively . CAVLC requires considerably less processing to decode than CABAC , although it does not compress the data quite as effectively . 1 +Lydia Lawhead had at least one sibling , one sister , Mrs. Armstrong . Armstrong had at least one sibling , a sister , Mrs. Lydia Lawhead . 0 +"Others have a clean channel that will start to "" break up "" around 3 ." "Others will have a clean channel that will break around 3 to "" start "" ." 0 +Seleucus was a wealthy Christian Roman senator of Greek descent , who lived in the second half of the 4th century and the first half of the 5th century . Seleucus was a wealthy Christian Roman Senator of Greek descent who lived in the second half of the 4th century and first half of the 5th century . 1 +Benny Sharkey beat Sonny Lee in England before he suffered the fifth defeat of his career when he was disqualified for a low blow against Watson . Back in England , Watson beat Benny Sharkey before suffering only the fifth defeat of his career when he was disqualified against Sonny Lee for a low blow . 0 +Only one percent of natural diamonds are of this kind , and most are blue to grey . Only one percent of the blue diamonds are of this type , and most are grey to natural . 0 +The results of the 2007 -- 2008 season include : US National Sprint Champion 2008 , 4th place World Cup Kuusamo Finland , 2nd place World Cup Lahti Finland . Results in 2007 -- 2008 season include : 2008 US National Sprint Champion , 2nd place World Cup Kuusamo Finland , 4th place World Cup Lahti Finland . 0 +In August 1927 , Mao finished his marriage with Yang and began a relationship with He Zizhen in early 1928 . In August 1927 , Yang ended his marriage with Mao and , in early 1928 , he began a relationship with He Zizhen . 0 +""" Welcome to my Living Room "" was filmed in Temecula , California in August 2005 , with additional footage filmed in Sydney , Australia in November 2006 ." """ Welcome to my Living Room "" was filmed in August 2005 in Temecula , California and filmed in November 2006 in Sydney , Australia ." 1 +He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . In Mexico and in Sweden , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . 1 +Zaker is married to Sara Zaker also is a media personality , entrepreneur and social activist . Zaker is married to Sara Zaker is also a media personality , entrepreneur , and social activist . 1 +Indigenous Americans were drawn from the earliest stages of the show , first hired from the Pawnee tribe ( 1883 - 1885 ) and then from the Lakota tribe . Native Americans were drawn from the earliest stages of the show , first hired from the Pawnee tribe ( 1883 -- 1885 ) and then the Lakota tribe . 1 +The initial plan was to promote Paul Collingwood to the now releasing opening batsman position and to include Mark Butcher in the middle order . The initial plan was to promote Paul Collingwood to the now vacant opening batsman position , and include Mark Butcher in the middle order . 1 +was the brother of Charles Fenton Mercer and father of George Mercer and John Francis Mercer . Mercer was the brother of George Mercer and John Francis Mercer , and father of Charles Fenton Mercer . 0 +Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( ruled in 1784 -- 1794 ) , who founded the university and spa quarter of Bad Godesberg . 0 +Bogdanowice is a village in Poland , in Opole Voivodeship , in Głubczyce county ( Gmina Głubczyce ) . Bogdanowice is a village located in Głubczyce County , in Poland , in Opole Voivodeship ( Gmina Głubczyce ) . 1 +Kingsville is bordered by the restored Jerusalem Mill Village museum , Jericho Farm , and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls . Surrounded by the restored Jerusalem Mill Village Museum , the Jericho Farm and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls , Kingsville is located . 1 +This later became the permanent family home , after purchase in 1948 by Hew Lorimer 's son , the sculptor Robert Lorimer . After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this later became the permanent family home . 1 +Makeliyawala is a village in Central Province , which is located within Sri Lanka . Makeliyawala is a village in central province , located within Sri Lanka . 1 +Pill Hill became part of Brookline in 1844 , when it was annexed from Boston . Brookline was part of Pill Hill in 1844 when Boston annexed it . 0 +Mirigama Divisional Secretariat is a Divisional Secretariat of Western Province , Sri Lanka , of Gampaha District . The Divisional Secretariat Mirigama is a divisional secretariat of the Western Province of Sri Lanka , the Gampaha District . 1 +Whether modern users know that they are classical or not does not matter . It does not matter match whether classical users know that they are modern or not . 0 +A typical party light organ of the 1970s had three spotlights , red , green and blue , for sounds in bass , high frequency and medium frequency . A typical party light organ of the 1970s had three emitters , red , green and blue , for sounds in bass , medium frequency and high frequency . 1 +There were also men on female rape when the cheerleaders kidnap the night before the big game and then have sex with the members of the opposing football team . There was also female on male rape when the cheerleaders kidnap and then have sex with the members of the opposing football team the night before the big game . 0 +George Harrison considered Mukunda and the others who first came to England to be his lifelong friends . George George Harrison considered Mukunda and the others who came to England first to become his lifelong friends . 1 +Jones lives with his wife Cheryl , his son Nathan , and his three daughters , Ella , Coral , and Holly in London . Jones lives in London with his wife , Cheryl , his son , Nathan , and his three daughters , Ella , Coral and Holly . 1 +The ventrum is yellow mixed with brown . The Ventrum is mixed yellow with brown . 1 +Hector Pieterson was buried with Hastings Ndlovu at Avalon Cemetery in Johannesburg . Hastings Ndlovu was buried with Hector Pieterson at the Avalon cemetery in Johannesburg . 0 +On March 5 , 1981 , Miriam and Lester Brickman were born a daughter , Frances Anna Brickman . A daughter , Lester Brickman , was born to Miriam and Frances Anna Brickman on March 5 , 1981 . 0 +He died in Wyandotte ( now a part of Kansas City ) , Kansas , August 24 , 1878 . He died on 24 August 1878 in Wyandotte ( now part of Kansas ) , Kansas City . 1 +"Maximilian Lambertz suggested that the word derived from Italian "" bailo "" , the title of the Venetian ambassador to the Ottomans ." "Maximilian Lambertz suggested that the word from the Italian "" Bailo "" derived the title of the Venetian ambassador to the Ottomans ." 1 +The Song of Ceylon is a British documentary , produced by Basil Wright in 1934 , and is led by John Grierson for the Ceylon Tea Propaganda Board . The Song of Ceylon is a 1934 British documentary film produced by Basil Wright and directed by John Grierson for the Ceylon Tea Propaganda Board . 1 +"However Eastman said he was "" fairly certain "" Martin was guilty but "" a nagging doubt remains "" ." "However , Martin said he is "" fairly certain "" Eastman was guilty , but "" a nagging doubt remains "" ." 0 +Elk Township is located in the 2nd Congressional District and is part of New Jersey 's 3rd state legislative district . El Elk Township is located in the 3rd Congressional District and is part of the 2nd State Legislative District in New Jersey . 0 +Both tournaments have , despite the clear separation between the two confederations , know a tradition to invite countries outside the region . Despite the clear separation between the two confederations , both tournaments have a tradition to invite countries outside the region . 1 +Seaborne landings were first proposed by Emmet Dalton and then adopted by Michael Collins . Seaborne landings were the first proposed by Emmet Dalton and then adopted by Michael Collins . 1 +Dennis Ralston defeated Manuel Santana , 6 -- 4 , 11 -- 9 , 6 -- 4 Dennis Ralston defeats Manuel Santana , 6 -- 4 , 11 -- 9 , 6 -- 4 1 +"Isaac was "" an hundred years old "" , when his son whom he named Abraham was born , and he circumcised him when he was eight days old ." "Abraham was "" hundred years old , when his son , whom he called Isaac , was born , and he circumcised him when he was eight days old ." 0 +His son John I Lestrange ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King Henry II in 1174 . His son Henry II ( pre-1178 died ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I Lestrange . 0 +The region was then followed by the Muslim house of Arakkal , ruled by Tipu Sultan . The region was then run by the Muslim house of Arakkal , followed by Tipu Sultan . 0 +In the 3rd century BC , the Greeks and Romans described the region as Gangaridai , a powerful kingdom of the historical subcontinent . In the 3rd century BC the Greeks and Romans identified the region as Gangaridai , a historical kingdom of the mighty subcontinent . 0 +Another series of hidden concepts used by Mahayana - Buddhists are the four hermeneutical intentions ( abhipraya ) and the four special intentions ( abhisamdhi ) . Another set of hermeneutical concepts used by Mahayana Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . 0 +"Debbi Benn is the "" Hebrew and Jewish Studies Teacher and Program "" and Debbie Posner is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." "Debbi Benn is the "" teacher and program for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of the elementary school for Hebrew and Jewish studies "" ." 1 +The two leased aircraft were returned to the BAE Systems lessor on 9 November 2006 . Centavia 's two leased aircraft were returned to the lessor , BAE Systems , on November 9 , 2006 . 1 +Each line contains three points , so in the language of configurations the Hesse configuration has the notation 912 . Each line has three points , so the Hesse configuration includes the notation 912 in the language of the configurations . 1 +The CMA adds an anthropological dimension to traditional critical approaches , thereby avoiding a top-down perspective . CMA adds an anthropological dimension to top approaches , thereby avoiding a traditional critical-down perspective . 0 +Khandwa was until recently known as the East Nimar . Until recently , Nimar was known as Khandwa . 0 +There is another nearby feature with this name , located northeast North Bloomfield at . There is another nearby feature with this name , North Bloomfield northeast . 1 +The Peak family remained at Kilallah for only a few years when the house was purchased by a Mr Horrigan who sold it to the Fletcher family . The Peak family remained in Kilallah for only a few years , when the house was bought by a Mr Horrigan who sold it to the Fletcher family . 1 +It was developed by Jim Bell and William Feldstein in 1988 and built by H & amp ; H . It was developed in 1988 by Jim Bell and William Feldstein and built by H & H . 1 +Residing in New York , he currently is a member of MJ12 , an instrumental group based in NYC . He currently lives in NYC and is a member of MJ12 , an instrumental group based in New York . 1 +The white spur is cylindrical and curved upward , longer than the ovary . The cylindrical spur is curved upwards and white , longer than the ovary . 0 +( 1892-1962 ) was the first president of Yr Academi Gymreig ( Welsh Academy ) . Williams , ( 1892-1962 ) , was the first president of Yr Academi Gymreig ( Welsh Academy ) . 1 +"The Swiss teacher Jürgen Reichen ( progressive education ) founded this "" writing to read "" method 1982 ." "In 1982 , the Swiss teacher Jürgen Reichen ( progressive education ) founded this method "" Writing to read "" ." 1 +When Khalid ibn Walid was arrested in November 632 , he was asked by Malik about his crimes . When arrested in November 632 AD , Malik was asked by Khalid ibn Walid about his crimes . 0 +Hugo Grotius relied on the natural system of rationalist law of Jäger . Hunter relied on the rationalist system of natural law of Hugo Grotius . 0 +Each line has three points , therefore the Hesse configuration contains the notation 912 in the language of the configurations . Each line contains three points , so in the language of configurations the Hesse configuration has the notation 912 . 1 +Alex Corretja defeated Andre Agassi 2 -- 6 , 6 -- 2 , 6 -- 3 Andre Andre Agassi defeated Alex Corretja 2 -- 6 , 6 -- 2 , 6 -- 3 0 +Other musicians are Simone Mularoni on guitars , Nik Mazzucconi on bass and Francesco Jovino ( Primal Fear , Hardline ) on drums . Other musicians are Nik Mazzucconi on the guitars , Francesco Jovino on the bass and Simone Mularoni ( Primal Fear , Hardline ) on drums . 0 +The tram line was built in 1913 and expanded in 1923 and abandoned in 1983 . The tram line was built in 1913 , expanded in 1923 and abandoned in 1983 . 1 +In March 1904 , his brother was kidnapped in Mexico for ransom and brought across the border to West Texas . In March 1904 , his brother was kidnapped in West Texas for ransom and brought across the border to Mexico . 0 +"He completed formal koan study in 1988 with Yamada Koun and received the dharma name Tetsu-un , "" Wisdom Cloud "" ." "In 1988 he finished a formal Koan study with Yamada Koun and received the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." 1 +When the Warlord Zorr attacked Xandar he devastated it and killed many Xandarians including Dey 's wife , Karman-Kan , and children , Duranna and Kahry . When the warlord devastated Zorr Xandar , he attacked Xandari and killed many Xandarians , including Dey 's wife , Karman-Kan , and children , Duranna and Kahry . 0 +Translated into modern algebraic , an apotom can be interpreted as a rational number , formed by subtracting one square root of a square irrational number from another . Translated into modern algebraic language , an apotome can be interpreted as a rational number formed by subtracting one square root of a quadratic irrational number from another . 1 +He developed and introduced a number of surgical techniques that improved the safety and effectiveness of neurosurgery , including the use of the microsurgical microscope in neurosurgery . He developed and implemented a number of surgical techniques that improve the safety and effectiveness of neurosurgery , including the use of the microsurgical microscope in neurosurgery . 1 +Every evening will be an optimistic celebration of the discussion , a pep rally for the inner spirit and an intimate look at the overwhelming intensity of life . Each evening will be an intimate celebration of discussion , a pep rally for the inner spirit , and an optimistic look at the overwhelming intensity of life . 0 +Gunston Hall Plantation was originally a part of the Lexington Plantation . Lexington Plantation was originally part of the Gunston Hall Plantation land . 0 +The 375th Airlift Squadron ( 457 AS ) is part of the 457th Air Mobility Wing and is stationed in the Andrews Air Force Base , Maryland . The 375th Airlift Squadron ( 457 AS ) is part of the 457th Air Mobility Wing and is stationed at Andrews Air Force Base , Maryland . 1 +It was written by Leslie H. Martinson , written by George Kirgo , and was originally broadcast on NBC on April 5 , 1982 . It was written by Leslie H. Martinson , addressed by George Kirgo and was originally broadcast on NBC on 5 April 1982 . 0 +This broad green with the Kingston swamp separates the two long boulevards in its centre . This long greensward with the Kingston swamp in its centre separates the two broad boulevards . 0 +As an assistant to Carl Flügge in Göttingen , Nicolaier discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . In 1884 , as assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus . 1 +The region is renowned for its sparkling wines , but also for its white wines ( white , red and rosé wines ) . The region is famous for its sparkling wines but also for its white wines ( white , red and rosé ) . 1 +From there it flows through a minimally developed series of swamps and ponds to the south into the valley , downwards , but further west . From there , through a minimally developed series of swamps and ponds , it flows south into the valley , to the south , but further west . 0 +Jana Novotná and Jim Pugh won in the final 7 -- 5 , 6 -- 3 against Elizabeth Smylie and Patrick McEnroe . Elizabeth Smylie and Patrick McEnroe won 7 - 5 , 6 - 3 against Jana Novotná and Jim Pugh in the final . 0 +The first Syracuse Chiefs baseball team was established in 1934 , when the Jersey City Skeeters moved to Syracuse and were renamed the Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . 1 +December 18 : Received Shawn Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . On December 18 , Shawn received Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . 1 +"Johann Dominik Bossi ( 1767 -- 1853 ) , also known as "" Domenico Bossi "" , was an Italian painter ." "Domenico Bossi ( 1767 -- 1853 ) , also known as "" John Dominik Bossi "" , was an Italian painter ." 1 +"In an article by Richard Prum at the "" Houston Chronicle "" on December 18 , 2005 , Dina Cappiello 's position was presented as follows :" "An article by Dina Cappiello in the "" Houston Chronicle "" , published on December 18 , 2005 , stated Richard Prum 's position as follows :" 0 +McIntyre is from Stuart , West Virginia , has 4 children and has attended school in Florida . McIntyre is from Stuart , Florida , has 4 children , and attended school in West Virginia . 0 +Bristly Peaks include the Brodie Peak and the Messent Peak . Bristly Peaks include the Messent Peak and the Brodie Peak . 1 +"She played Ellie Morgan in a BBC One - Drama - Miniseries "" Moving On "" entitled "" Drowning Not Waving "" , which was sent in May 2009 ." "She played Ellie Morgan in a BBC One drama miniseries "" Moving On "" , entitled "" Drowning Not Waving "" , which was broadcast in May 2009 ." 1 +The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the other ministers by ministerial members of the task force . The completed action plan , published on 3 March 2006 , will be placed by other members of the Task Force directly in the hands of ministerial ministers . 0 +The racial makeup of the village was 93.33 % White , 1.67 % Native American , 3.33 % African American and 1.67 % from two or more races . The racial constitution of the village was 93.33 % white , 1.67 % Native American , 3.33 % African American and 1.67 % came from two or more races . 1 +In February 2010 along with the Guardian Media Group 's other regional and local titles , the newspaper was sold to competitor Trinity Mirror plc . In February 2010 , the newspaper was sold together with other Guardian Media Group regional and local titles to competitor Trinity Mirror plc . 1 +Farringdon station has its northern entrance on Turnmill Street , although it main entrance is on Cowcross Street . The Farringdon Station has its northern entrance on Turnmill Street , although the main entrance is on Cowcross Street . 1 +Finding Russian maps of the city could have been dangerous for Massa himself and for his original sources have been fatal . Retrieving original maps of the city could have been dangerous for Massa himself and fatal for his Russian sources . 0 +Many agencies of the central government are located in New Taipei City due to its proximity to the capital Taipei City . Many central government agencies are located in New Taipei City , owing to the proximity to the capital , Taipei City . 1 +In 2014 , Sawyer 's authorized biography was published by Huston Smith . In 2014 , Huston Smith 's authorized biography of Sawyer was published . 0 +Scopula undulataria is a moth of the family Geometridae . It is found in India ( Darjeeling ) . Scopula undulataria is a moth of the family Geometridae and is found in Darjeeling ( India ) . 1 +He stayed in Japan for three years before moving back with his family to Germany . He remained in Japan for three years before moving back to Germany with his family . 1 +Two miles east of Newton it branches off and travels north through Oblong and then to Robinson . Two miles east of Newton it branches off and travels to the north through Oblong and then to Robinson . 1 +In his hat , Cribbins wears the badge of the parachute regiment in which Mott served during his national service . Mott wears on his hat the badge of the Parachute Regiment , in which Cribbins served during his National Service . 0 +To adjust a piston , the organist must press and hold the desired piston while pulling the desired stops . To set a piston , the organist must press and hold the desired piston while pulling the desired stops . 1 +In the war of the Fourth Coalition , Joachim Murat fights in the Grande Armée under the command of Klein . In the War of the Fourth Coalition , Joachim Murat fought in the Grande Armée under command of Klein . 1 +He was elected Lok Sabha , the lower house of the Indian Parliament of Bhubaneswar in Odisha . He was elected to the Lok Sabha , the lower house of Indian Parliament from Odisha in Bhubaneswar . 0 +He was a member of the Jura municipal council for the canton of Beaufort , then in 1877 General Council . He was a member of the municipal council of Jura for the canton of Beaufort , then general councilor in 1877 . 1 +It is known from the United States ( from Arizona , Michigan , New Mexico and southern Wyoming south to southern Massachusetts and southern Florida ) and Canada . It is famous from the United States ( from Massachusetts and southern Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . 0 +Ferguson remained in Liberia until his death , in Monrovia in 1916 . Ferguson remained in Liberia , Monrovia in 1916 until his death in 1968 . 1 +The three patrols - districts serving Center City are the 17th , 9th and 6th districts . The three patrol districts serving Center City are the 17th , 9th , and 6th districts . 1 +Players use the GameSpy Arcade - Client to create or join the game 's main lobby , and then access virtual rooms where they can participate in online game play . Players use the GameSpy Arcade client to create or join the game 's main lobby and then access virtual rooms where they can participate in online play . 1 +Calibogue Sound is between Daufuskie and Atlantic Ocean . It connects the Hilton Head Islands and the Harbour Town Marina with the Intracoastal Waterway . Calibogue Sound is located between Daufuskie and the Atlantic Ocean , connecting the Hilton Head Islands and the Harbour Town Marina with Intracoastal Waterway . 1 +Amun comes closest to Venus , and in 1964 , 2034 and 2103 it passes within 10 g . Amun passes closest to Venus , and in 1964 , 2034 , and 2103 comes within 10 Gm of it . 0 +The southern region is separated from the mountains of Moab by the Karak governorate in the central region . The South Region is separated from the Central Region by the Mountains of Moab in Karak Governorate . 0 +Eupithecia demissa is a moth in the family Geometridae is found in Malleco - province ( Chile ) . Eupithecia demissa is a moth in the family Geometridae is found in Chile ( province of Malleco ) . 1 +The family Asher and her husband Brent Tworetzky have two sons , Zuckerberg and Simi , who live in New York City . Zuckerberg and her husband Brent Tworetzky have two sons , Asher and Simi . The family resides in New York City . 0 +Anastasia Myskina won 6-2 , 6-3 against Jelena Dokić in the finals . Jelena Dokić won against Anastasia Myskina with 6 -- 2 , 6 -- 3 in the final . 0 +The first introductory vehicle began from 4 p.m. on June 24 , 1874 , and regular traffic ran on the following day . The first introductory vehicle began on 24 June 1874 at 4 p.m. , and the following day regular traffic ran . 1 +"If "" A "" and "" B "" are algebraic spaces , the Banach tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B "" Banach are rooms , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" 0 +The founders of the Charter 77 Foundation , František Janouch and Ada Kolman , or the German activist Rainer Höss participated in the debates with the Israeli journalist Tal Bashan . The founders of the Charter 77 Foundation , František Janouch and Tal Bashan , and the German activist Rainer Höss have participated in the debates with the Israeli journalist Ada Kolman . 0 +Mukherjee was born on 30 September 1909 in Benares ( now Varanasi ) , United Provinces ( now Uttar Pradesh ) , British India . Mukherjee was born on September 30 , 1909 in United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British - India . 0 +Regressive assimilations are caused only by phonological factors , while substitutions take semantic information into account . Regressive assimilations are only conditioned by semantic factors while substitutions take into account phonological information . 0 +The climate during this period was a mixture of two different seasons , a rainy season and a shorter dry season . The climate was during this time a mixture of two different seasons , of a dry season and of a shorter rainy season . 0 +There is a collapsible water tank and a fuel tank with detachable hatch for cleaning . There is a removable water tank and a fuel tank with collapsible hatch for cleaning . 0 +The prominent impact crater is located to the west of the small lunar crater Macrobius , near the eastern edge of Sinus Amoris . Hill is a prominent impact crater that is located to the west of the small lunar crater Macrobius , near the eastern edge of the Sinus Amoris . 1 +""" Sidewalk "" magazine helped to spawn the careers of characters such is Brian Sumner , Benny Fairfax , Olly Todd , John Rattray , Stuart Graham and more ." """ Sidewalk "" Magazine has helped spawn the careers of characters such as Brian Sumner , Benny Fairfax , Olly Todd , John Rattray , Stuart Graham and more ." 1 +The contents of the latter collection , including the first intact mastodon , were relocated to the American Museum of Natural History of New York City in 1906 . The contents of the latter collection , including the first intact Mastodon , was moved to the American Museum of Natural History of New York City in 1906 . 1 +Other indigenous communities are the Tuluvas and the Konkanis of coastal Karnataka , the Kodavas of Kodagu district of Karnataka . Other native communities are the Tuluvas and the Konkanis of coastal Karnataka , the Kodavas of the Kodagu district of Karnataka . 1 +Károli started his school in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . Károli started his school in Nagykároly and finished in Brassó . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . 0 +He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and attended the High School for Reception Arts in St. Paul , Minnesota . He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and visited the High School for Recording Arts in Minneapolis , Minnesota . 0 +The Skookum cat was developed from intersections between Munchkins and LaPerms with the aim of creating a short-legged cat with a catchy coat . The Skookum cat was developed from crosses between Munchkins and LaPerms with the aim of creating a curly-legged cat with a short coat . 0 +Lolita knows Humbert has no living relatives and immediately realizes something is very wrong . Lolita knows that Humbert has no living relatives and immediately realizes that something is very wrong . 1 +In some cases , the pain , or at least the discomfort , is insignificant or rather subordinate to humiliation . In some cases , pain , or at least inconvenience , is secondary , or rather insignificant , to humiliation . 0 +On 20 January 1891 , Pleydell-Bouverie married Charles Balfour , the daughter of Julian Eleanor Adelaide Balfour , and had ten children . Before inheriting the Earldom , Pleydell-Bouverie married Charles Balfour , daughter of Julian Eleanor Adelaide Balfour , on 20 January 1891 , and they had ten children . 1 +RAF Ash was sold and the site closed in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . RAF Ash was closed and the website was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . 0 +Petersfield Museum is a small museum located in the local town of Petersfield in the English county of Hampshire . The Petersfield Museum is a local museum in the small town of Petersfield in the English county Hampshire . 0 +On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González in 2011 as the team manager . On October 13 , 2010 , the Atlanta Braves announced that Bobby Cox would replace long-time Braves manager Fredi González as manager of the team in 2011 . 1 +He lived for twenty years in San Antonio and returned to New York City in May 2005 . He lived in New York City for twenty years and returned in May 2005 to San Antonio . 0 +Armstrong had at least one sibling , a sister , Lydia Lawhead . Lydia Lawhead had at least one sibling , one sister , Mrs. Armstrong . 0 +A few weeks later , Fixell defended his position in an interview with HumansVsZombies.org . A few weeks later , HumansVsZombies.org defended his position in an interview with Fixell . 0 +The River Slivei is a tributary of the Jiet in Romania . The Slivei River is a tributary of the Jieţ in Romania . 1 +In 1473 he was called Cardinal , was promoted to the Archdiocese of Seville and created Chancellor of Castile . In 1473 he was named cardinal , was promoted to the Archdiocese of Seville and created chancellor of Castile . 1 +Before Zhang Fei arrived , Pang Tong , who knew that Zhang Fei loved wine , ordered that all wine must be diluted with water . Before Pang Tong arrived , Zhang ordered Fei , who knew that Zhang Fei loved wine , that the wine should be diluted with water . 0 +"In hieroglyphic Arabic , Egyptian writing is called "" the alphabet of the birds "" ." "Hieroglyphic writing is called "" the alphabet of birds in Egyptian Arabic ." 0 +The Stejioara River is a tributary of the Bârnărel River in Romania . The Stejioara River is a tributary of Bârnărel River in Romania . 1 +The average maximum temperature is in summer ( December - January ) , and the average low temperature in winter ( June - July ) is . The average low temperature in summer ( December - January ) and the average high temperature in winter ( June -- July ) . 0 +The first day is the last day of the old year . The first day is the last day of the year . 1 +The PGM 500 and PGM 2000 are guided bombs developed by MBDA and are now being marketed by Alenia Marconi Systems . The PGM 500 and PGM 2000 are guided bombs developed by Alenia Marconi Systems and now marketed by MBDA . 0 +The grey suit was largely replaced in the 20th century by the dark blue or black suit . The black suit was largely replaced in the 20th century by the dark blue or grey suit . 0 +She was born January 30 , 1912 , the Jewish daughter of the banker Maurice Wertheim and his first wife Alma Morgenthau . She was born on January 30 , 1912 as the first daughter of banker Maurice Wertheim and his Jewish wife Alma Morgenthau . 0 +"Venugopal ( Mukesh ) is a singer of the music band "" Hits Orchestra "" ." "Venugopal ( Mukesh ) is the lead singer of music band "" Hits Orchestra "" ." 1 +There are currently twenty-one churches in seven countries ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . There are currently twenty-one churches in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia and West Virginia ) . 1 +Players use the GameSpy Arcade - Client to access and create the game 's main lobby , or connect virtual rooms where they can participate in online games . Players use the GameSpy Arcade client to access the game 's main lobby and then create or join virtual rooms where they can participate in online play . 1 +He broke 13 Brazilian records , and was a Brazilian and South American record holder from 1952 to 1956 . He broke 13 Brazilian records and was a record holder of Brazilian and South American from 1952 to 1956 . 1 +Düzce is a village in Yüreğir district , Adana Province , Turkey . Adana Province , Turkey is a village in the District of Yüreğir , Düzce . 0 +However , it was a spiritual , and not a legal ceremony . It was , however , a spiritual and not a legal ceremony . 1 +Naxalbari has a train station on the line Siliguri -- Katihar . Naxalbari has a railway station on the Katihar - Siliguri line . 1 +He began his studies in 1946 at the Main Reformed Gimnázium in Budapest , and from 1947 to 1951 , he attended the Madách Gimnázium in Debrecen . He began his studies in Budapest in 1946 at the Main Gimnázium , and from 1947 to 1951 he visited the Madách Gimnázium in Debrecen . 1 +There are 7 green runs , 21 blue runs , 11 red runs , and 4 black runs . There are 7 blue running , 21 red runs , 11 green runs and 4 black runs . 0 +He died in Brussels on August 15 , 1950 ( Ixelles ) . He died in Brussels ( Ixelles ) on 15 August 1950 . 1 +It is bordered by Kariobangi and Dandora to the east , Moi Air Base to the south , Mathare to the north and Eastleigh to the west . It borders Kariobangi and Dandora to the east , Eastleigh to the south , Mathare to the north and Moi Air Base to the west . 0 +He bought homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . He acquired homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . 1 +From 1714 to 1725 , the house was extended on plans by Robert Adam , ( father to William Adam , the architect who created Edinburgh New Town ) . From 1714 to 1725 , the house was extended according to plans by Robert Adam ( father of William Adam , the architect who created Edinburgh New Town ) . 1 +These include replicas in Ramat Shlomo in Israel and Kfar Chabad in Jerusalem . These include replicas in the Shlomo Ramat in Israel and Kfar Chabad in Jerusalem . 1 +It is situated next to the hamlet of Hickstead , west of Burgess Hill and adjacent to the main road A23 from London to Brighton . It is located next to the hamlet of Hickstead , to the west of Burgess Hill and adjacent to the main A23 road from London to Brighton . 1 +Balaji Baji Rao was born as the eldest son of Vishwasrao at Supe near Pune ( Supe was the Jagir of Shahaji near Pune ) . Vishwasrao was born in Supe near Pune as the eldest son of Balaji Baji Rao ( Supe was the Jagir of Shahaji by Pune ) . 0 +"She travelled with John , Marian and Jack in 1912 when they traveled to Europe and returned home with them on the "" Titanic "" ." "She travelled with John , Marian and Jack in 1912 when they returned to Europe and travelled home with them on the "" Titanic "" ." 0 +These recommendations were included in management plan of the sanctuary but nothing much was done for the management of grasslands in Solapur , Nannaj , Great Indian Bustard Sanctuary . These recommendations were included in the management plan of the sanctuary , but nothing much was done for the management of grasslands in Solapur , Nannaj , Great Indian Bustard Sanctuary . 1 +For the first batch of 300 students , lectures were held beginning from 2 June , 1969 . At that time , the local workforce consisted of 28 academic lecturers . From 2 June 1969 , lectures were held for the first 300 students , and the academic workforce consisted of 28 local lecturers at that time . 0 +It was only slightly shattered by the impact and almost completely preserved . It had been only slightly shattered by the impact and was almost completely preserved . 1 +The Wenlock Modern School was opened in 1953 on the site of the famous Olympic Games and later renamed William Brookes School . Wenlock Modern School opened in 1953 on the famous site of the original Olympic Games . It later was renamed William Brookes School . 1 +The festival 's main partners are Parmigiani Fleurier , Manor , Heineken , Vaudoise Assurances and UBS . Main partners of the Festival are UBS , Manor , Heineken , Vaudoise Assurances and Parmigiani Fleurier . 1 +In 2016 , 3.9 % of children attended bilingual primary schools . In 2016 , 3.9 % of children attended bilingual schools in primary education . 1 +It is long of the confluence of its main tributaries and drains a watershed from it . It is long from the confluence of its principal tributaries and drains a watershed of . 1 +It began as a fishing village populated by Polish settlers from the Kaszub region as well as some German immigrants in 1870 . It began as a fishing village inhabited by Polish settlers from the Kaszub region in 1870 , as well as by some German immigrants . 1 +Charles Duret Aubin , HM Attorney-General , Jersey , Jurat Dorey , Jersey , and Ambrose Sherwill , HM Procureur , Guernsey , received CBEs . Charles Charles Duret Aubin , Generalawalt HM , Jersey , Ambrose Sherwill , Jersey , Jurat Dorey , HM Procureur and Guernsey , received CBEs . 1 +The hurricane killed one person directly and two indirectly in the state . The hurricane killed one person indirectly and killed two immediately in the state . 0 +The SAS curve ( Surprise Aggregate Supply ) is , in the long term , a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) . The SAS ( Surprise aggregate supply ) curve is in the long run a vertical line called the EAS ( Equilibrium aggregate Supply ) curve . 1 +"For all "" z "" < 1 . Since the left hand side is a strict function , the harmonic principle implies the inequality is maximum ." "For all "" z "" 1 Since the left side is a strict function , the harmonic principle implies that the inequality is maximum ." 0 +The membrane is clipped and the harpoon or catch edge is stretched into the track . The membrane is stretched out and the harpoon or edge is clipped into the track . 0 +The estate was then acquired by the Robertson family ( sometimes also Robinson ) . The estate was then acquired by the Robinson ( sometimes spelt Robertson ) family . 1 +She ( Sophia ) is very lonely , and feels like a reed . She ( Sophia ) feels very lonely and is like a pipe reed . 0 +Liverpool Township is located between 20 and 30 miles west of Lake Erie and about 5 miles south of Interstate 71 . Liverpool Township is between 20 and 30 miles south of Lake Erie and approximately five miles west of Interstate 71 . 0 +At age 66 , Terada replaced Hironobu Takesaki as Chief Justice on April 1 , 2014 , when Takesaki reached the date of his retirement . At the age of 66 , Terada Hironobu triggered Takesaki as Chief Justice on 1 April 2014 , when Takesaki reached his retirement date . 0 +Bergamo railway station is connected to Milan , Lecco , Cremona , Treviglio , Brescia and Monza with regional trains operated by Trenord . Bergamo railway station is connected with regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . 1 +In the war of the Fourth Coalition , Joachim Murat fights in the Grande Armée under the command of Klein . In the War of the Fourth Coalition , Klein fought in the Grande Armée under command of Joachim Murat . 0 +Santa Ana Nopalucan is a municipality in Mexico in south-eastern Tlaxcala . Santa Ana Nopalucan is a municipality in Mexico , in the south-eastern Tlaxcala . 1 +The northern border of the municipality is also the southern border of the National Park of Lahemaa . The southern border of the municipality is also the northern border of the National Park of Lahemaa . 0 +The ARRC Support Battalion is based in the military complex Rheindahlen , Germany ( until June 2010 it was at Imjin Barracks , Innsworth ) . The ARRC Support Battalion is based at Rheindahlen Military Complex , Germany ( until June 2010 , it was at Imjin Barracks , Innsworth ) . 1 +The second verse expresses the reason for the first verse : the goodness of the Lord has been experienced in the past , and his faithfulness will last forever . The first verse expresses the reason for the second verse : the goodness of the Lord has been experienced in the past , and his faithfulness will exist forever . 0 +However , mice survived with a non-working copy of the single TWIST - Gens . Mice with a single copy of the non-working TWIST - Gens survived , however . 0 +The episode was orchestrated by Graham Roland and written by Paul Holahan . The episode was written by Graham Roland and directed by Paul Holahan . 0 +"Standard arguments in the injective algebra imply that these groups of cohomologists are independent of the choice of homological resolution of "" E "" ." "Standard arguments in injective algebra imply that these cohomology groups are independent of the choice of homological resolution of "" E "" ." 1 +It has been introduced and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . It has been introduced to and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . 1 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy by Wong Jing produced , written and directed . Men Suddenly in Love is a 2011 Hong Kong romantic comedy of Wong Jing written , produced and directed by . 1 +"The second season introduced Eugene O ’ Neill and his play "" Bound East for Cardiff "" as well as "" Trifles "" by Susan Glaspell ." "In the second season , Eugene O ’ Neill and his play "" Bound East for Cardiff "" as well as "" Trifles "" were introduced by Susan Glaspell ." 1 +In 1971 , a primary campus in 33 MacDonnell Road was completed for the new school . In 1971 , a main campus was completed in 33 MacDonnell Road for the new school . 1 +After the October Revolution of 1917 , he left Russia with his parents for Lithuania , first to Poland and after two years to Vilnius , then in Kaunas . After the October revolution of 1917 he left Russia with his parents for Lithuania , first to Poland and after two years to Wilno , then in Kaunas . 1 +"Hyman ( 2001 ) says Mayer , "" wrote the definitive work on loyalty tests throughout American history . """ "Hyman ( 2001 ) said Mayer , "" wrote the definitive work on loyalty tests throughout American history ." 1 +The medieval iron fence in particular shows Eastlake influence in its ornamental design . In particular the ornamental iron fencework shows Eastlake influence in its medieval design . 0 +The Yarkand River is a river in the Xinjiang Uyghur Autonomous Region of western China . The autonomous region Xinjiang Uyghur is a river in the Yarkand River in Western China . 0 +The river Vidăcut or Hidecut is a tributary of the Eliseni River , in Romania The Eliseni River or Hidecut River is a tributary of the Vidăcut River , in Romania . 0 +The house is affiliated with : Government of Northwest Territories , Government of Nunavut , and Government of Yukon . The house is connected with : Government of Northwest - Territories , Government of Nunavut and the government of Yukon . 1 +Thomas John ( born February 12 , 1979 ) is an American entrepreneur who founded the company Tom Patterson in 2008 . Tom Patterson ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tommy John . 0 +""" A. frondiculus "" is the only member of the genus which is not found in the western Red Sea or the Indian Ocean ." """ A. frondiculus "" is the only member of the genus not found in the Western Indian Ocean or the Red Sea ." 0 +Damerham was once in Wiltshire , but was brought to Hampshire in 1895 . Damerham was once in Hampshire , but was brought to Wiltshire in 1895 . 0 +The Olt is a river tributary of the Madicea River in Romania . The Madicea River is a right tributary of the Olt River in Romania . 0 +The family was a BBC television series from 1974 directed by producer Franc Roddam and directed by Paul Watson . The Family was a 1974 BBC television series made by producer Franc Roddam , and directed by Paul Watson . 1 +In September 2005 , Vertical Communications was acquired by Comdial . Comdial was acquired in September 2005 by Vertical Communications . 0 +Brookline became part of Pill Hill in 1844 , when it was annexed from Boston . In 1844 , Pill Hill became a part of Brookline when it was annexed from Boston . 0 +Dye rode after eight years in Hong Kong , Mauritius . Dye rode in Hong Kong after eight years in Mauritius . 0 +In 2008 , the College Department was introduced and Chittagong Collegiate School was renamed the Government College School . In 2008 , the college section was introduced and the government was renamed the school Chittagong Collegiate School 'College . 0 +"George Jones recorded the song as "" Somebody Always Paints the Wall "" on his 1990 album "" You Oughta Be Here with Me "" ." "George Jones took the song as "" Somebody Here Paints the Wall "" on his album "" You Oughta Be Always with Me "" of 1990 ." 0 +"It is now written by Bread for the city , a local social service organization , and above the door "" dignity , respect , service "" is used ." "It is now used by Bread for the City , a local social service organization , and above the door is written "" Dignity , Respect , Service . """ 0 +It is bordered by Massapequa to the west and east , South Farmingdale to the northwest , and North Massapequa to the north . It is bordered to the west and east by Massapequa , to the northwest by South Farmingdale and to the north by northern Massapequa . 1 +Jeff Borowiak defeated Jaime Fillol 6 -- 0 , 6 -- 1 Defeated Jaime Fillol with 6 -- 0 , 6 -- 1 by Jeff Borowiak 1 +The Little Jocko River flows via the Saint Lawrence River and the Ottawa River to the Jocko River . The Little Jocko River flows across the Jocko River and the Ottawa River to the Saint Lawrence River . 0 +The father was an influential writer on agricultural law and poor issues between 1825 and 1828 . The father was an influential writer between 1825 and 1828 on poor law and agriculture . 0 +They featured singer Ronnie Sweetheart , bassist Danny Nordahl , drummer Ronnie Magri and guitarist Roger Ericson . They marked singer Ronnie Sweetheart , bassist Danny Nordahl , drummer Ronnie Magri and guitarist Roger Ericson . 1 +Also in 1999 , Abdelaziz Bouteflika , who supported Western Sahara 's independence , became president of Algeria . Also in 1999 , Abdelaziz Bouteflika , who supported the independence of Western Sahara , became president of Algeria . 1 +His influences included student Robert Bunsen and Gustav von Hüfner in Leipzig and Carl Ludwig at the University of Heidelberg . As a student , his influences included Robert Bunsen and Gustav von Hüfner at Leipzig , and Carl Ludwig at the University of Heidelberg . 1 +They did not hesitate to send members of the various professions to the respective congresses held in Bessarabia throughout the year 1917 , and they became very powerful . They did not hesitate to send members of the respective professions to the various congresses held in Bessarabia throughout 1917 , and became very influential . 0 +The 20th Amber Tournament was held in Monaco in 2011 , as well as the first amber tournament . The 20th Amber Tournament was held in 2011 in Monaco , as was the first Amber Tournament . 1 +Regular contributors to this show include Sharon Epperson ( NYMEX ) , Rick Santelli ( Chicago ) , Steve Liesman , Guy Adami and CNBC Senior Analyst Ron Insana . Regular contributors to the show include Sharon Epperson ( NYMEX ) , Rick Santelli ( Chicago ) , Steve Liesman , Guy Adami and CNBC senior analyst Ron Insana . 1 +"During 1942 , "" Whitehall "" was "" adopted "" by the national community of Cheltenham , Gloucestershire , in a Warship Week civil savings campaign ." "In 1942 , "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national savings campaign of the warship - week "" ." 0 +It often uses explicit personal pronouns in literary language , but these are generally omitted from the colloquial Estonian language . It generally uses explicit personal pronouns in the literary language , but these are often omitted in colloquial Estonian . 1 +He was private secretary and later physician to Rodrigo Borgia , possibly Alexander VI and also to Innocent VIII . He was private secretary and possibly doctor to Rodrigo Borgia , later Alexander VI and also to Innocent VIII . 0 +Total Population : 333 of which 49.8 % were male and 50.2 % were female The total population was 333 , of which 49.8 % were female and 50.2 % were male . 0 +NY 104 follows the Ridge Road east of the village of Lewiston through a sparsely populated area of Niagara County . East of Lewiston village , NY 104 follows Ridge Road through a sparsely populated area of Niagara County . 1 +Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in Buenos Aires , Argentina - November 7 , 1996 in San Ignacio , Paraguay ) . Feliciano Centurión ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) was a Paraguayan painter . 0 +Malik married businessman Asad Bashir Khan Khattak in Dubai on December 25 , 2013 . Asad Bashir Khan Khattak married businessman Malik in Dubai on 25 December 2013 . 0 +In some games , a combination of a blue jersey and white shorts has been used . A combination of a blue jersey and white shorts has also been used in some matches . 1 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Aneurin Bevan , was challenged by Herbert Morrison . The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent Aneurin Bevan , challenged by Herbert Morrison . 1 +The Măleia River is a tributary of the River Jiul de Est in Romania . The Măleia River is a tributary of the Jiul de Est River in Romania . 1 +Fiat - Money can be physically damaged or destroyed if it is inadvertently represented in the form of currency ( paper or coins ) . Fiat - Money can be accidentally damaged or destroyed if it is physically represented in the form of money ( paper or coins ) . 0 +Danielle Santos Bernals Body was found on November 4 , 2001 by her sister Lolly and Marian Anderson . The body of Marian Anderson was found on November 4 , 2001 by her sister Lolly and Danielle Santos Bernal . 0 +Andrée Island is an island lying in Recess Cove , Danco Coast , off the north coast of Eurydice Peninsula , Charlotte Bay on the Antarctic Peninsula . Andrée Island is an island in Recess Cove , Danco Coast , on the north coast of the Eurydice Peninsula , Charlotte Bay in the Antarctic Peninsula . 1 +On 4 July 1968 , Harper resigned from the Cabinet at Smith 's request . On 4 July 1968 , at Smith 's request , Harper resigned from the cabinet . 1 +Following the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of founding a new band with Brendan Benham . After the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of forming a new band with Brendan Benham . 1 +It runs from east to west for , serving 7 counties : Claiborne , Copiah , Hinds , Rankin , Smith , Jasper , and Clarke . It runs from east to west for and serves 7 counties : Claiborne , Copiah , Hinds , Rankin , Clarke , Jasper and Smith . 1 +At the LSE , Davies had lived with Jomo Kenyatta and absorbed the socialist views of Harold Laski . At the LSE , Davies had roomed with Jomo Kenyatta and had absorbed the socialist views of Harold Laski . 1 +She was born in Mississippi , Germany , but grew up in Flint , Michigan . She was born in Mississippi , but grew up in Flint , Michigan . 1 +( b ) It is also the fusing point of the outer fire and the inner fire . ( b ) It is also the point of merger of the outer fire and the inner fire . 1 +The 2013 Texas A & M Aggies football team represented Texas A & M University in the 2013 NCAA Division I FBS football season . They played their home games at Kyle Field . The football team of Texas A 'M University from 2013 represented Texas A ' M Aggies in the FBS season of NCAA Division I . They played their home games at Kyle Field . 0 +Suzanne said that she wanted Condon to give a Valentine 's Day card . Condon said she wanted to give Suzanne a Valentine 's Day card . 0 +Abhishek introduces Tanuja to Rishi and Netra as his wife . Abhishek introduces Rishi and Netra as his wife Tanuja . 0 +"In practice , when a Teredo client wants to contact a native IPv6 node , it must locate the corresponding Teredo relay , "" i.e ." In practice , a teredo client must contact the native IPv6 - Teredo - Relay , if it wants to locate a corresponding node , d . 0 +His real first name was Peter , known by the name of David . His first name was David , known by the name of Peter . 0 +Cooper Cooper was a motorcycle company that built off-road motorcycles in Mexico . Cooper was a motorcycle company that built off-road motorcycles in Mexico . 1 +The functional structure of the Suhrkamp publishing house is located in Lindenstraße , the architectural reputation of the residence corresponds inversely to its literary importance . The functional structure of the Suhrkamp publishing house is located in the Lindenstraße , the residence 's architectural reputation corresponds to its literary importance . 0 +""" Rockingham "" reached Bombay on 23 May and arrived on September 21 in Whampoa ." """ Rockingham "" reached Whampoa on May 23 and arrived in Bombay on September 21 ." 0 +The station was built in 1915 by the Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York line . The station was built in 1915 along the former New York line from Connecticut Valley Railroad , New Haven and Hartford Railroad . 1 +""" Sex with Me "" was supported by Chris Galland at Larrabee Studios in Universal City , California , and was mixed by Manny Marroquin and Ike Schultz ." """ Sex with Me "" was assisted by Chris Galland at Larrabee Studios in Universal City , California and was mixed by Manny Marroquin and Ike Schultz ." 1 +The journal received its present name in 1989 , and the following year the World Jewish Bible Society became the Jewish Bible Association . In 1989 , the magazine received its present name , and the following year the World Jewish Bible Society became the Jewish Bible Association . 1 +He formerly played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Lincoln City , Northampton Town , Chesterfield , and Gateshead . He has previously played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Chesterfield , Northampton Town , Lincoln City and Gateshead . 1 +Stille is a river of Schmalkalden . It flows into the river Schmalkalde in the town Thuringia , Germany . Stille is a river of Schmalkalden It flows into the river Schmalkalde in the city of Thuringia , Germany . 1 +The mosque consists of a triple layer of brick with alternating layers of the individually laid stone cut by vertically separated brick . The mosque consists of a triple layer of brick with alternating layers of individually laid stone cut by vertically separated brick . 1 +Boats of 70 tons were now 87 ½ foot long , 10 ½ feet wide and drew 4 ½ feet water . Boats drawing 70 tons were now 87 ½ feet long , 10 ½ feet wide , and drew 4 ½ feet of water . 1 +The Chapel and Hall were both also designed by William Gibbs and were fully funded by Butterfield . The chapel and hall were both funded by William Gibbs and were also designed by Butterfield . 0 +It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it often grows with gravel in sandy soil . It is found on quartzite hills in the Moora region of Western Australia near Wheatbelt , where it grows in sandy soils often with gravel . 1 +On the Dagorlad , a great battle took place in which Sauron 's troops were stormed and the Black Gate was destroyed . At Dagorlad , a great battle took place in which Sauron 's forces were destroyed and the Black Gate stormed . 0 +Peoria County is part of the Peoria , IL Metropolitan Statistical Area . Peoria is part of Peoria County , IL Metropolitan Statistical Area . 0 +In the past , we remember the other Maran , a famous Indian intelligence officer of DHEIVA THAAI from 1964 . In the past , we remember the famous Maran , an other intelligence Indian officer from DHEIVA THAAI of 1964 . 0 +The circumstances of Birinski 's early life are quite indefinite ; different sources offer eight possibilities of his place and date of birth . The circumstances of Birinski 's early life are quite different ; indefinite sources offer eight possibilities of his birthplace and date . 0 +"Annie Homan ( 1944 ) shows the street as the "" Livermore Road "" , according to historian Bowerman ." "Bowerman ( 1944 ) shows the road as the "" Livermore Road "" , according to historian Annie Homan ." 0 +Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , and not the daughter of Elizabeth played by Allison Janney . Cherry Jones ' character was the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary , who was played by Katie Holmes . 0 +In the second round of the US Open , Roger Federer lost in three sets against Alves , it was Federer 's 600th career . Roger Federer lost to Alves in the second round of the US Open in three sets . It was Federer 's 600th career match win . 1 +In February 2010 along with the Trinity Mirror 's other regional and local titles , the newspaper was sold to competitor Guardian Media Group plc . In February 2010 , the newspaper was sold together with other regional and local titles of the Guardian Media Group to competitor Trinity Mirror plc . 0 +It was developed along the Elk River , at the confluence of Brazeau River , in the hydrographic basin of the North Saskatchewan River . It was developed along the Brazeau River , at the confluence with Elk River , in the hydrographic basin of the North Saskatchewan River . 0 +"It is now written by Bread for the city , a local social services organization , and above the door is used "" dignity , respect , service "" ." "It is now used by Bread for the City , a local social service organization , and above the door is written "" Dignity , Respect , Service . """ 0 +The trophy was designed by Antoni Gaudi and is inspired by the chimneys of La Pedrera de Montse Ribé . The trophy was designed by Antoni Gaudi and is inspired by the chimneys of Montse Ribé 's la Pedrera . 0 +This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . This game was released in Europe on February 18 , 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . 1 +In December 1995 , Xylogics was taken over by Nortel , which was in turn acquired by Bay Networks in June 1998 . In December 1995 , Xylogics was acquired by Bay Networks , which was in turn taken over by Nortel in June 1998 . 0 +The album was produced by Jason Suecof and mixed with Colin Richardson . The album was produced by Colin Richardson and mixed with Jason Suecof . 0 +The nearest train station is Nakamura station , the terminus of the Tosa Kuroshio railway line Nakamura , located in Shimanto . The nearest train station is Shimanto , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Nakamura Station . 0 +The South / Kazai government was supported by another new mining company , which received concessions from the Belgian state in exchange for financial support . The South Kasai government was supported by , another Belgian mining company , which received concessions from the new state in return for financial support . 0 +In addition to the 5,465 Anjous built , the company produced about 40 of the 2-door cabriolet Anthéor models . In addition to the 5,465 built Anjous , the company produced about 40 of the 2-door convertibles Anthéor models . 1 +His mother , born in Kingston , was the tenth child of parents who emigrated to Canada from Devonshire . His mother , born in Kingston , was the tenth child of parents emigrating from Devonshire to Canada . 1 +During the Vietnam War , the 104th field battery also served the 12th field regiment -- which was also connected to the 161th field battery RNZA . During the Vietnam War , the 12th field battery also served the 104th field regiment -- which was also connected to the 161th field battery RNZA . 0 +When Wise tells the story , he and Rouse decided to visit the Jacksonville Terminal in Florida to visit the Orange Blossom Special train . As Wise tells the story , he and Rouse decided to tour the Jacksonville Terminal in Florida to visit the Orange Blossom Special train . 1 +"The first known European observation of Whidbey Island was during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." "The first known Spanish sighting of Whidbey Island was during the 1790 European expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." 0 +The house was bought in 1858 by Sir George Dewhurst of Dunira , who in 1864 sold it to David Dundas of Lymm , Cheshire . The house was bought in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst of Lymm , Cheshire in 1864 . 0 +Jeremy Horn lives with his wife Denise and the children of Judah , Liam and Daisy in his hometown of Memphis . Judah lives with his wife Denise and the children of Jeremy Horn , Liam and Daisy in his hometown of Memphis . 0 +"One of the triassic rocks used in Radyr is "" Radyr Stone "" , a Freestone which , as the name suggests , is mined in the Cardiff district ." "One of the Triassic rocks used in Cardiff is "" Radyr Stone "" , a freestone which as its name suggests is quarried in the Radyr district ." 0 +When the sun is quiet , fewer galactic cosmic rays reach the earth than in the times when the sun is active . When the Sun is quiet , fewer Galactic cosmic rays reach Earth than during times when the Sun is active . 1 +Kantaro Suga is portrayed by Soichiro Akizuki . Kantaro Suga is being portrayed by Soichiro Akizuki . 1 +There are also special discussions , public profile discussions and project discussions . There are also public discussions , profile specific discussions , and project discussions . 0 +Obrovac is a town located in northern Dalmatia , in the Croatia of Zadar County . Obrovac is a town in northern Dalmatia , in the county of Zadar in Croatia . 0 +Sporting Club Suceava was a professional football club from Romania with headquarters in Suceava and founded in 2008 . Sporting Club Suceava was a professional football club from Suceava , based in Romania . It was founded in 2008 . 0 +In 1858 he graduated from the Galatasaray School in Schumen and became a teacher in Istanbul , where he remained until 1864 . In 1858 he graduated from the Galatasaray Gymnasium in Istanbul and became a teacher in Shumen , where he remained until 1864 . 0 +In Brazil , the IPHONE brand was registered in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A.. In Brazil , the brand IPHONE was registered in 2000 by the company then called Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . 1 +This is a list of the etymology of street names in the London district of Covent Garden . This is a list of the etymology of road names in the Covent Garden district of London . 1 +On July 31 , Molina was traded with B. J. Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera on the Braves . On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . 0 +The river Doba is a tributary of the Crişul Mic River in Romania . The Crişul Mic river is a tributary of the River Doba in Romania . 0 +Crabtree manages to kill Carter and Lanzos and escape to the island 's undergrowth . Carter manages to kill Crabtree and Lanzos and escape into the island 's undergrowth . 0 +Afterwards , the title returned to the royal domain and was claimed as a courtesy title by the Dukes of Orléans , and the modern Orleanist pretenders . Afterwards , the title returned to the modern domain and was claimed as a courtesy title by the dukes of Orléans and the Royal Orleanist contenders . 0 +"It was also produced by PP Arnold in 1966 on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." "It was also produced by Nancy Sinatra in 1966 on their album "" Boots "" and PP Arnold again by Andrew Loog Oldham in 1970 ." 0 +Taizhou Railway Station ( province of Zhejiang ) is a train station of Yongtaiwen Railway in Taizhou , Zhejiang , People 's Republic of China . Taizhou railway station ( Zhejiang Province ) is a railway station of Yongtaiwen Railway located in Taizhou , Zhejiang , People 's Republic of China . 1 +The cast list indicates a first performance date after Taylor entered the company in the spring of 1619 and before the death of Tooley in June 1623 . The cast list gives a first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . 0 +The film stars Shiva Rajkumar , Lokesh and Sudha Rani in the leading roles , while Raghavendra Rajkumar in an extended Cameo and Ambareesh in a guest role . The film stars Shiva Rajkumar , Lokesh and Sudha Rani in lead roles whilst Raghavendra Rajkumar in an extended cameo and Ambareesh in a guest role . 1 +The game was released on September 12 , 2008 in Europe and on September 22nd in North America . The game was released in Europe on September 12 , 2008 , and in North America on September 22 , 2008 . 1 +Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Andrew E. C. Gaska and illustrated by Daniel Dussault Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . 0 +Mats Wilander defeated John McEnroe , 6 -- 2 , 3 -- 6 , 6 - 2 . Mats Wilander defeated John McEnroe , 6 -- 2 , 3 -- 6 , 6 -- 2 1 +Many individuals also have a pattern of dark points , and younger fish may have a black area at the bottom of the tail . Many individuals also have a pattern of black dots , and younger fish may have a dark area at the base of the tail . 0 +Mice with a single copy of the non-working TWIST - Gens survived , however . However , mice survived with a non-working copy of the individual TWIST - Gene . 0 +"Kuroń , Modzelewski and Michnik were imprisoned again and a majority of the "" Komandosi "" members were detained ." "Kuroń , Modzelewski and Michnik were arrested again , and the majority of "" Komandosi "" members were imprisoned ." 1 +""" Pogonodon "" was described in 1880 by Edward Drinker Cope . Two species are recognized , "" P. davisi "" and "" P. platycopis "" ." """ Pogonodon "" was described in 1880 by Edward Drinker Cope , two species are known : "" P. davisi "" and "" P. platycopis "" ." 1 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Illinois to Missouri . The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Missouri to Illinois . 0 +For Amtrak - Service are the nearest stations east in Boston , west of Framingham at route 128 station and south in Back Bay and South Station in Westwood . For Amtrak service the nearest stations are east in Boston , west in Framingham at Route 128 Station , and south in Back Bay and South Station in Westwood . 1 +His parents were sergeant major Rudolf Mikael Friberg and librarian Astrid Ingeborg Tuominen . His parents were Sergeant Major Astrid Ingeborg Tuominen and the librarian Rudolf Mikael Friberg . 0 +The airline was established in 1990 and was owned by New Zealand Post ( 50 % ) and Airwork ( 50 % ) . The airline was established in 1990 and owned by Airwork ( 50 % ) and New Zealand Post ( 50 % ) . 1 +The first meeting of the BBU 1932 in Chicago was the final meeting of the GARBC . The first meeting of the BBU in 1932 in Chicago was the final meeting of the GARBC . 1 +Jaime Fillol defeated Jeff Borowiak 6 -- 0 , 6 -- 1 . Jaime Fillol defeated by Jeff Borowiak 6 -- 0 , 6 - 1 0 +Dario Cvitanić ( Croatian : Darío Cvitanich ; born 16 May 1984 ) is an Argentine football striker who plays for Banfield . Darío Cvitanić ( born May 16 , 1984 ) is an Argentine football striker who plays for Banfield . 1 +He has acquired houses in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . He acquired homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . 1 +The river Valea Turcului is a tributary of the Azuga River in Romania . The Valea Turcului River is a tributary of the Azuga River in Romania . 1 +In 1988 , the Suncoast Motion Picture Company stores changed its name to Paramount Pictures . In 1988 , the Paramount Pictures changed its name to Suncoast Motion Picture Company . 0 +Finally the Dirk and his son Sean leave the wilderness and discover that there is a war brewing between the British and the Bureau . Dirk and his son Sean finally leave the wilderness and discover that a war is brewing between the British and the Boers . 1 +""" Parachute "" was recorded at the Metropolis Studios , London , UK and at Warehouse Studios , Atlanta , Georgia , USA ." """ Parachute "" was recorded at Metropolis Studios ; London , UK and mixes at The Warehouse Studios ; Atlanta , Georgia , US ." 1 +Over the next thirty years , Kriebel and Warner Sallman marketed over 100 Bates works . In the next thirty years , Kriebel and Bates marketed over 100 Warner Sallman works . 0 +It crossed the Atlantic crossing from Brazil to Liberia , then east across Central Africa to Sudan . It made the Atlantic crossing from Brazil to Liberia , then transited east across central Africa to Sudan . 0 +In November 1888 , Lucy Stone invited Laura Clay to present a paper at the AWSA convention in Cincinnati . In November 1888 , Laura Clay invited Lucy Stone to present a lecture at the AWSA Convention in Cincinnati . 0 +Brayshaw began his career and ended his career with Claremont Football Club in the West Australian Football League . Brayshaw ended his career and began his with Claremont Football Club in the West Australian Football League . 0 +"In 2015 , Bookboon was presented in newspapers such as the German Handelsblatt "" , and one of its Swedish books was mentioned in the Swedish metro ." "In 2015 , Bookboon was mentioned in newspapers such as the German Handelsblatt "" , and one of its Swedish books was presented in the Swedish U-Bahn ." 1 +NY 104 follows the Ridge Road to the east of Lewiston Village through a sparsely populated area of Niagara County . East of Niagara County village , NY 104 follows Ridge Road through a sparsely populated area of Lewiston . 0 +In 266 , Sima Zhao 's son Sima Yan forced the last Wei - Emperor Cao Huan to end the throne in his favor , ending the Wei regime . In 266 , Sima Yan 's son Cao Huan forced the last Wei emperor Wei to abdicate the throne in his favour , thereby ending the Sima Zhao regime . 0 +This semi-rural district is represented by state senator David Taylor and state representatives Jim Honeyford ( pos . 1 ) and Bruce Chandler ( pos . 2 ) , all Republicans . This semi-circle district is represented by the State Senator David Taylor and the state representatives Jim Honeyford ( Pos . 1 ) and Bruce Chandler ( Pos . 2 ) , all Republicans . 0 +In 1939 , he joined Claude Thornhill 's band , moving to Will Bradley 's in 1941 , and to Larry Clinton 's in 1942 . In 1939 , he joined Larry Clinton 's band and moved to Claude Thornhill in 1941 , to Will Bradley in 1942 . 0 +Vocabulary even went to Brazil by leaving Macanese and Chinese settlers with some Portuguese settlers . Vocabulary even went to Brazil through leaving Macanese and Chinese settlers with some Portuguese settlers . 1 +Van Hoof , born in Antwerp , was a student of Paul Gilson and was strongly influenced by the works of Peter Benoit . Born in Antwerp , Van Hoof was a pupil of Peter Benoit and was heavily influenced by the works of Paul Gilson . 0 +On its revolutionary muskets ( 1794 ) were followed by the first American Springfield rifle and the famous M1 Garand and M14s . Its first American muskets ( 1794 ) were followed by the famous Springfield rifle and the revolutionary M1 Garand and M14s . 0 +He took first place at the Olympic Games in 1984 , but he beat the gold medal winner Jeff Blatnick in the fourth round . He took the first place in 1984 Olympic Games , but he beat the gold medalist Jeff Blatnick at the fourth round . 1 +The American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) in 1963 . In 1963 , the National Chiropractic Association reorganized into the American Chiropractic Association ( ACA ) . 0 +He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy for six years in a row from 2001 to 2006 . Living in Turin , Italy for ten years , he won The Bardolino classic race in Italy for six years in a row , from 2001 to 2006 1 +Will Rogers is a statue created by Jo Davidson , two versions of which were unveiled in 1938 . Davidson is a statue created by Will Rogers . In 1938 , two versions were unveiled . 0 +The MSX2 series features a Yamaha V9938 video chip , which manages a 9-bit RGB palette ( 512 colors ) and has some extended graphic modes . The MSX2 series features a Yamaha V9938 - video chip that manages a 9-bit RGB palette ( 512 colors ) and has some extended graphics modes . 1 +The Barmat scandal was later used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism . The Barmat Scandal was often used later in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . 1 +Then ink of a third color and a much softer consistency with a stiffer rubber roll are applied to the lower areas of the plate . Ink of a third color , and a much softer consistency , is then applied to the lower areas of the plate with a stiffer rubber roller . 1 +He attended preparatory school at the , and studied primary and secondary architecture at the ( IAVA ) . He attended the preparatory school and studied at the ( IAVA ) primary and secondary architecture . 1 +A film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . The film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . 1 +Mora was born in Monterrey and professionally played for the Universidad de Guadalajara , Cruz Azul and Guadalajara . Born in Monterrey , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Guadalajara . 1 +The ditch was cut from rock and about 5 m deep and 4 to 5 m wide . The ditch was cut from rock and was about 5 m wide and 4 to 5 m deep . 0 +He studied music at Berlin under Friedrich Kiel and others , in Cologne under Ferdinand Hiller , in Italy and in Paris . He studied music in Cologne under Ferdinand Hiller and others , in Berlin with Friedrich Kiel , Italy and in Paris . 0 +On November 10th , 2010 , GI Partners announced that the merger of The Planet and SoftLayer was effective . On November 10th , 2010 , SoftLayer announced that the merger of The Planet and GI Partners was effective . 0 +It is separated by the Sarawak district of Limbang in two parts . It is divided by the Limbang - district of Sarawak into two parts . 0 +In 2013 Nicholas Furiuele married Julia while Peter is married to Anna Barattin , both are members of the band Shantih Shantih . Peter Anna married Barattin in 2013 , while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . 0 +Constantine Giannaris ( born 1959 in Athens ) is a Greek film director , screenwriter , and actor . Constantine Giannaris , also Constantinos Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . 1 +He made numerous expeditions to tropical Equatorial Guinea , with emphasis on Africa . He made numerous expeditions to tropical Africa , with an emphasis on Equatorial Guinea . 0 +A large reactor concept has been designed , but the small modular design is still being conceptualized . A large reactor concept has been designed , but the small modular design is still being designed . 1 +The eldest son of Colonel Charles Lyell , he was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . Colonel Charles Lyell 's eldest son was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . 1 +Callery is located in the northwestern corner of Adams Township in southwestern Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the northwestern corner of Adams Township in southwestern Butler County ( 40.739587 , -80.037211 ) . 1 +It is rare in its unhybridized form . It is in its rare form unhybridized . 0 +It also adds to the personality of the Holly Golightly character played by Audrey Hepburn . It also adds to the personality of the character Audrey Hepburn , played by Holly Golightly . 0 +Daryl Powell resigned after not paying and was replaced in April 1995 by player coach Phil Larder . Daryl Powell resigned after not being paid and was replaced by player coach Phil Larder in April 1995 . 1 +Spinoza 's father was born roughly a century after this forced conversion in the small Portuguese city of Alentejo , near Beja in Vidigueira . Spinoza 's father was born about a century after this forced conversion in the small Portuguese town of Alentejo , near Beja in Vidigueira . 1 +Portsmouth won 4 -- 1 , with goals from John Anderson , Cliff Parker and two by Bert Barlow . Portsmouth won 4 -- 1 , with goals of Bert Barlow , John Anderson and two from Cliff Parker . 0 +Free Ride is an album by Trumpeter Dizzy Gillespie , which was composed , arranged and conducted by Lalo Schifrin , recorded in 1977 and published on the Pablo Label . Free Ride is an album by trumpeter Dizzy Gillespie which was composed , arranged and conducted by Lalo Schifrin , recorded in 1977 and released on the Pablo label . 1 +In June 1929 , in New York City , Janet married John William Gordon Powell , who was an investment counselor . In New York City , Janet married John William Gordon Powell in June 1929 , who was an investment advisor . 1 +CUTA has five regional and five national committees . The CUTA has five national and five regional committees . 1 +The Croatian variant is played counter-clockwise , while in Montenegro the order is used clockwise . The Croatian variant is played in a counter-clockwise order , while in Montenegro the clockwise order is used . 1 +In the American series , Michael Evans Benjamin was double . In the American series , Michael Evans was Benjamin 's double . 1 +New buildings were not as monumental and pompous as before , and looked quite unpretentious . The new buildings were not as unpretentious as before and looked quite monumental and pompous . 0 +Roberto de Oliveira is also known as Roberto Oliveira ( born December 16 , 1980 in Brazil ) is a Brazilian footballer . Roberto de Oliveira also known as Roberto Oliveira ( born December 16 , 1980 in Brazil ) is a Brazilian footballer . 1 +Two guards were wounded and four were killed . Two guards were killed and four wounded . 0 +"After consolidating with the "" Commercial "" in 1877 , the paper was then renamed and was again known as the "" Commercial Gazette "" ." "After the consolidation with the "" Commercial "" in 1877 , the paper was then renamed and was once again known as "" Commercial Gazette "" ." 1 +Billie Jean King defeated Alycia Moulton 6 -- 0 , 7 -- 5 Billie Jean King defeated Alycia Moulton 6 -- 0 , 7 -- 5 -- 5 0 +"Louisa Baïleche performed on the Comédie-Française stage as well as in the folies Bergère in a musical version of the French "" Nine "" ." "Louisa Baïleche has performed on the Comédie-Française stage as well as the Folies Bergère , in a French version of the musical "" Nine "" ." 0 +It is practical , often versatile and naturally very easy to move . It is versatile , naturally , very practical and often easy to move about . 0 +In 1859 , William and Elizabeth died the following year . In 1859 , Elizabeth died and William died the following year . 0 +Karthik is the brother of the actress Sridevi and nephew of the actress Maheswari . Karthik is the brother of the actress Maheswari and the nephew of actress Sridevi . 0 +Miloslav Mečíř won against John McEnroe with 6 -- 0 , 3 -- 6 , 6 - 2 , 6 -- 2 in the finals . John McEnroe won against Miloslav Mečíř in the final with 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 . 0 +Bianca Maria Sforza was married to Maximilian on March 16 , 1494 . On 16 March 1494 , Maximilian married the Bianca Maria Sforza . 1 +William 's younger brother , Hugh , was progenitor of the Clan Murray . Hugh 's younger brother , William , was the father of Clan Murray . 0 +The 16th century chronicler Firishta states that this army was ordered to reach Bengal via Warangal . The chronicler Firishta from the 16th century states that this army was ordered to reach Bengal via Warangal . 1 +A week later , Bland left Valparaíso and arrived in Philadelphia on October 29 , 1818 . Bland left Valparaiso a week later and arrived in Philadelphia on October 29 , 1818 . 1 +The Glassport Odds were a professional , later semi-professional football team from Glassport , Pennsylvania from 1913 until 1950 . From 1913 to 1950 , Glassport Odds were a semi-professional , later professional football team from Glassport , Pennsylvania . 0 +The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on January 13 , 2012 . The highest temperature ever recorded in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . 1 +In addition , Spain entered into negotiations with the Portuguese court and agreed on the peace of Lisbon on 13 February 1668 . Furthermore , Spain agreed into negotiations with the Portuguese court and on 13 February 1668 entered the Peace of Lisbon . 0 +A module is called a unisonial module if it is a serial sum of direct modules . A module is called a uniserial module , if it is a serial sum of direct modules . 1 +Zlagna River is a tributary of the River Timiş in Romania . The Timiş River is a tributary of the Zlagna River in Romania . 0 +The estate of Kelly was sold , and Wallace lived in retirement at Seafield Cottage , Greenock . The property of Kelly was sold , and Wallace lived in retirement at the Seafield Cottage , Greenock . 1 +The Irfon defines the northern limit of the Mynydd Epynt area between Llanwrtyd Wells and Builth Wells . Irfon defines the northern border of the Builth Wells area between Llanwrtyd Wells and Mynydd Epynt . 0 +In the following month , Bullet Club received its first Japanese member when Yujiro Takahashi joined and helped Styles conquer the IWGP Heavyweight Championship . The following month , Bullet Club received its first Japanese member , when Styles joined and helped Yujiro Takahashi capture the IWGP Heavyweight Championship . 0 +This would stop the element but fade if the effect is 80 % complete ( with an opacity of 20 % ) . This would stop the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . 1 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam calmed down , and French interest in Europe was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became quieter and the French interest in Vietnam was revived . 0 +Finally , we say that a distribution is regular if formula _ 11 is concave . Finally , we say that distribution is regular if the Formula 11 is concave . 1 +Wiliam Way was born in the Diocese of Exeter about c. 1560 . Bishop Richard Challoner said he was born in Cornwall , and earlier authorities say in Devonshire . Around 1560 , Wiliam Way was born in the Diocese of Exeter , bishop Richard Challoner said he was born in Cornwall , and former authorities say in Devonshire . 1 +Following the departure of Finn in December 2015 , Richie Towell was played in a more advanced position . Finn was played in a more advanced position after the departure of Richie Towell in December 2015 . 0 +In 1938 Japan , under pressure from Germany , ended its support for China and Falkenhausen was forced to withdraw from China . In 1938 , under pressure from Japan , Germany ended its support for China , and Falkenhausen had to withdraw from China . 0 +Huge fields along the zone were discovered at Long Beach Oil Field in 1920 , and the Huntington Beach Oil Field in 1921 . Giant fields along the zone were discovered in 1920 at Long Beach Oil Field and Huntington Beach Oil Field in 1921 . 1 +This marine genus occurs in the East China Sea and the South China Sea . This marine species occurs in the East China Sea and the South China Sea . 1 +Viviano Codazzi was an important contemporary artist of the genre , whose work was influenced by Alessandro Salucci . Alessandro Salucci was an important contemporary practitioner in the genre , whose work was influenced by Viviano Codazzi . 0 +Reading is a road bridge over the River Thames at Reading Bridge in the English county of Berkshire . Reading is a road bridge over the River Thames on the Reading Bridge in the English county of Berkshire . 1 +From her former marriage , Katy Spencer had a daughter , Ann ( a graduate of Texas Tech in 1962 ) . From her former marriage , Ann had a daughter , Katy Spencer ( a graduate of Texas Tech in 1962 ) . 0 +Euthria scepta is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . Euthria scepta is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +The sessions were arranged by Bruce Botnick and scheduled by Nick De Caro . The sessions were arranged by Bruce Botnick and engineered by Nick De Caro . 1 +"Leigh Vance 's screenplay is based on Clive Egleton 's novel "" Seven Days to a Killing "" ." "The screenplay by Clive Egleton is based on Leigh Vance 's novel "" Seven Days to a Killing "" ." 0 +This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in the war in Iraq . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran who was the first Australian to die in the Iraq War . 1 +Unconventional cancer treatments -- see experimental cancer treatment -- unconventional cancer treatments -- see experimental cancer treatment 1 +Before the unification of South Yemen in 1990 , the law determined the minimum age of marriage to 16 in Yemen and 15 in the north . Before the unification of Yemen in 1990 , the law set the minimum age of marriage at 16 in South Yemen and 15 in the north . 0 +Baron Paul George 's Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a Belgian chemist and liberal politician from the Liberal Party . 0 +The Muggins Mountains is a mountain range in the southwest of Arizona east of Yuma , Arizona , northeast of Gila Mountains and east of the Laguna Mountains . The Gila Mountains are a mountain range in the southwest of Arizona east of Yuma , Arizona , northeast of Muggins Mountains and east of the Laguna Mountains . 0 +His previous clubs include Plymouth Argyle , FSV Zwickau , TSV Hartberg , Preston North End , Alemannia Aachen and Eintracht Frankfurt . His previous clubs include Plymouth Argyle , FSV Zwickau , TSV Hartberg , the Preston North End , Alemannia Aachen and Eintracht Frankfurt . 1 +"He is portrayed by actor Robert Guédiguian in the 2009 French film "" The Army of Crime "" directed by Adrien Jolivet ." "He is presented by actor Adrien Jolivet in the French film "" The Army of Crime "" 2009 by Robert Guédiguian ." 0 +"Debbi Benn is the "" teacher and programme for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of primary school Hebrew and Jewish studies "" ." "Debbie Posner is the "" teacher and the program for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of elementary school for Hebrew and Jewish studies "" ." 0 +The once bad relationship between Poland and Germany has now become a strategic relationship . The once strategic relationship between Poland and Germany has now become a bad relationship . 0 +Irfon defines the northern border of the Mynydd Epynt area between Llanwrtyd Wells and Builth Wells . The Irfon defines the northern border of Builth - Wells - area between Llanwrtyd - Wells and Mynydd - Epynt . 0 +""" Slate "" pointed out that Landy , contrary to what is presented in the film , did not accompany Wilson and Ledbetter on their first date ." """ Slate "" has pointed out that , contrary to what is depicted in the film , Landy did not accompany Wilson and Ledbetter on their first date ." 1 +Pune Suburban Railway is an important suburban railway station of Dehu Road Railway Station . Dehu Road Railway Station is an important suburban railway station of the Pune Suburban Railway . 0 +In 2016 , 3.9 % of children attended primary schools in bilingual education . In 2016 , 3.9 % of children attended primary schools in bilingual schools . 0 +The Yarkand River is a river in the autonomous region of Xinjiang Uyghur in West China . The Xinjiang Uyghur Autonomous Region is a river in the Yarkand River of western China . 0 +The university has claimed 36 team national championships , which includes 7 football national championships ( football championships are not awarded by the NCAA ) . The university has awarded 36 national championships , including 7 national football championships ( football championships are not claimed by the NCAA ) . 0 +Nate decides to fight for Ricky and confirms his love for her . Ricky decides to fight for Nate and confirms his love for them . 0 +Players use the GameSpy Arcade - Client to access and create the game 's main lobby , or connect virtual rooms where they can participate in online games . Players use the GameSpy Arcade - Client to create or join the game 's main lobby , and then access virtual rooms where they can participate in online game play . 0 +A functional magnetic resonance imaging ( fMRT ) study found that deaf participants use the primary auditory cortex as well as the visual cortex when they observe sign language . A functional magnetic resonance imaging ( fMRI ) study found that deaf participants use the visual cortex as well as the primary auditory cortex when they observe sign language . 1 +Latin - Pop combines usually optimistic Latin music with American pop music . Latin pop usually combines upbeat Latin music with American pop music . 1 +He then left The Star in 1986 and joined The Muslim . Then he entered the star in 1986 and left The Muslim . 0 +Manager Kevin Nolan said that he expected Adam Collin to challenge Fitzsimons for a first team place . Manager Nolan said that he expected Fitzsimons Adam Collin to challenge a first team place . 0 +Yamagatajuku Station is served by the Suigun Line , and is located 35.2 rail kilometers from the official starting point of the line at Mito Station . Yamagatajuku station is served by the Suigun Line and is 35.2 km from the official starting point of the line at Mito Station . 1 +Trolley service was proposed from Baltimore to Ellicott City in 1892 , approved on April 20 , 1895 , and implemented in 1899 . The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on 20 April 1895 and introduced in 1899 . 1 +Sasol operates commercial gasification plants in Sasolburg , Secunda , Mpumalanga and South Africa . Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg in South Africa . 0 +The association of the human eye with mirrors was so strong that stylised eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . The association of the human eye with mirrors was so strong that stylized eyes in the Teotihuacan art were often used as a substitute for the face of a mirror . 1 +He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddgang hills and then came to Gubbi . Followed his guru and moved to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he came to Gubbi . 1 +The recording was produced by Roscoe Lee Browne , and was narrated by George Lucas and Alan Livingston . The recording was produced by Roscoe Lee Browne and narrated by George Lucas and Alan Livingston . 1 +Other R & D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . Other R 'D officials involved in the development of Bon Air were General Thomas M. Logan , Colonel Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . 1 +Two were planned : Mulberry A for the UK sector and Mulberry B for the American sector . Two were planned : Mulberry A for the British sector and Mulberry B for the American sector . 1 +It was expanded from Laura to Wilmington in 1910 and finally to the Booleroo Centre in 1915 . It was extended from Laura in 1910 to Booleroo Centre , and finally to Wilmington in 1915 . 0 +Union City 's Chief of Police is Richard Molinari , a Union City resident who replaced former Chief Brian Barrett . The Union City Police Chief is Brian Barrett , a resident of Union City , who replaced former Chief Executive Officer Richard Molinari . 0 +The township is in southern Schuylkill County and is bordered to the southeast by Columbia County . The city is located in southern Schuylkill County and is bordered to the southeast by Columbia County . 1 +At the North West 200 Keith Amor were the first winners in the 125cc race and Paul Robinson in the 1000cc Superstock Race . First-time winners at the North West 200 were Paul Robinson in the 125cc race and Keith Amor in the 1000cc Superstock Race . 0 +Morton was the son of William Morton , a Member of Parliament for Shaftesbury , and a nephew of John Morton , the Archbishop of Canterbury . Morton was son of William Morton , Member of Parliament for Shaftesbury , and the nephew of John Morton , the Archbishop of Canterbury . 1 +"It was recorded on his album "" From Elvis in Memphis "" and was released on 18 February 1969 at the American Sound Studio in Memphis ." "It was released on his album "" From Elvis in Memphis "" and was recorded on February 18 , 1969 in Memphis at the American Sound Studio ." 0 +"When Lombardo switched to NBC , Burns and Allen took over his CBS spot with "" The Adventures of Gracie "" from 19 September 1934 ." "When Lombardo switched to CBS , Burns and Allen took over his NBC spot with "" The Adventures of Gracie "" at the beginning of September 1934 ." 0 +The three patrols - districts serving Center City are the 17th , 9th and 6th districts . The three patrol districts serving Center City are the 6th , 9th , and 17th districts . 1 +The mission of this department is to further coordinate and develop the philanthropic work of the Archdiocese . The task of this department is to develop further and to coordinate the philanthropic work of the Archdiocese . 0 +Herberg demonstrated how immigration and religious culture was reflected in American ethnic movements and institutions . Herberg demonstrated how immigration and American ethnic culture reflected in religious movements and institutions . 0 +""" Bonne Citoyenne "" had the misfortune to be damaged in a storm and to become separated from the rest of the French squadron ." """ Bonne Citoyenne "" had the misfortune to be damaged in a storm and separated from the rest of the French squadron ." 1 +One night , Rick contacts Jill and informs her about Maddy 's sudden death . One night , Rick contacts Jill and informs her of Maddy 's sudden death . 1 +He was born in 1799 in Kingston , Toronto , and grew up in York . Born in York ( Toronto ) in 1799 , he grew up in Kingston . 0 +Together , the rebels attempted to cross the eastern bank of the Rawda Island and enter Yalbugha 's camp , but were rejected by Naphtha - artillery and arrows . Together , the rebels attempted to cross the east bank of the Rawda Island and enter Yalbugha 's camp , but they were repelled by naphtha artillery and arrows . 1 +In 2014 , when Hollywood Park Racetrack was closed the race in Santa Anita Park was moved . In 2014 when Santa Anita Park closed the race was moved to Hollywood Park Racetrack . 0 +Eleanor was the youngest son of Robert Hungerford , 3rd Baron Hungerford and Walter Hungerford . Walter Hungerford was the youngest son of Robert Hungerford , the 3rd Baron Hungerford and Eleanor . 0 +The two secondary schools , Heatherhill Secondary College , Springvale Secondary College and Chandler Secondary College have been merged with Coomoora Secondary College into Keysborough Secondary College . The two secondary schools , Heatherhill Secondary College , Springvale Secondary College and Chandler Secondary College , have been merged to Keysborough Secondary College with Coomoora Secondary College . 1 +"Wollstonecraft arrived in Grenada on board the ship "" Sydney "" on 31 August 1819 ." "Wollstonecraft met on 31 August 1819 on board the ship "" Sydney "" in Grenada ." 1 +He was among the leaders in stranded runners inherited with 51 . He was inherited by 51 among the leaders in stranded runners . 1 +The weighted weighting function at wavelength formula _ 1 can be written as the mesoscopic sum , The weighted weighting function at the wavelength formula 1 can be written as a mesoscopic amount . 1 +Extremal states are usually called extremal states . Note that a condition is a pure state if and only if it is convex in the pure state group . Extremal states are usually called pure states . Note that a state is a pure state if and only if it is extremal in the convex set of states . 0 +Newspapers available in Goudhurst are the free and Maidstone extra owned by KM Group and yourtunbridgewells and yourmaidstone both owned by KOS Media The newspapers available in Goudhurst are free and Maidstone extra owned by KOS Media and yourtunbridgewells and yourmaidstone , both owned by KM Group . 0 +Olivella bitleri is a species of dwarf sea snail , the small gastropod mollusk in the Olivellidae family , the marine olives . Olivella bitleri is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . 1 +"Their son Marc appeared with Tony on "" Taxi "" in two episodes as Brian Sims ." "Her son Marc appeared in two episodes with Tony on "" Taxi "" as Brian Sims ." 1 +Dana Mountain , Elevation , was climbed by the group the next day before Martinez had to return to Muir . Mount Dana , elevation , was climbed the next day by the group before Muir had to return home to Martinez . 0 +He is a professor in Adult Education at the Åbo Akademi University , Finland ( Vaasa ) . He is a Professor of Adult Education at Åbo Akademi University in Vaasa , Finland . 1 +The expansion of the international presence of China Airlines has long been limited by the political status of Taiwan . The expansion of China Airlines political presence has long been limited by the international status of Taiwan . 0 +It is located in Duchouquet Township and is adjacent to Shawnee Township in Allen County . It is located in Shawnee Township and adjacent to Duchouquet Township in Allen County . 0 +In fact , it was not Vanuatu , but a present-day island in Australia . In fact , it was not Australia , but an island in Vanuatu today . 0 +He lives in New York City , he teaches language , literature , culture and Hebrew and studies at Queens College in Flushing , New York . He lives in New York City and teaches Hebrew language , literature and culture , and Middle East studies at Queens College in Flushing , New York . 0 +The 8 talukas of this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . The 8 Talukas in this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then at a studio in St. Ann Street . About 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then in a studio in Ridgefield . 0 +Neelankarai is located on the Old Mahabalipuram Road ( State Highway 49 ) and runs parallel to Thoraipakkam on OMR ( East Coast Road ) . Neelankarai is located on the Old Mahabalipuram Road ( State Highway 49 ) and is parallel to Thoraipakkam on the OMR ( East Coast Road ) . 1 +Both in 2001 Mark Warner and John Kerry in 2004 lost Loudoun and Prince William counties . Both John Kerry in 2001 and Mark Warner lost counties to Loudoun and Prince William in 2004 . 0 +In Singapore , ADCs who are officers of the Singapore Armed Forces and the Singapore Civil Defence Force wear gold aiguillettes and police officers wear silver aiguillettes . In Singapore , ADCs , the officers of the Singapore Armed Forces and the Singapore are Civil Defence Force , Gold - Aiguillettes , and police officers wear silver Aiguillettes . 1 +In 1736 , Mackay 's widow sold the islands to Charles Cotesworth Pinckney , father of General Charles Pinckney . In 1736 , Mackay 's widow sold the islands to Charles Cotesworth Pinckney , the father of General Charles Pinckney . 1 +Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 - October 26 , 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . 1 +Tetracosanoic acid , or Lignoceric acid , is the saturated fatty acid with formula CHCOOH . Lignoceric acid or tetracosanic acid is the saturated fatty acid with CHCOOH formula . 1 +The Marignane is located at Marseille Airport in Provence . The Marignane is located in Marseille Provence Airport . 1 +The mouth of Batten Kill is situated in East Dorset , Vermont , and the source of the river is in Easton , New York . The mouth of the Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . 0 +In 1365 Brome was in Avignon on business , with Thomas Maldon . He resigned his post in 1379 , and died in his monastery a year later . In 1365 , Brome was business with Thomas Maldon in Avignon , resigned in 1379 and died in his monastery a year later . 1 +Dalem Lake Provincial Park is a provincial park located in the Canadian province of Nova Scotia on Boularderie Island . Boularderie Island is a provincial park in the Canadian province of Nova Scotia on Dalem Lake Provincial Park . 0 +Litwin wrote a story about and a song for the cat , and the two began a partnership , although the collaboration between Dean and Litwin ended in 2012 . Litwin wrote a story and a song for the cat , and the two began a partnership , although the collaboration between Dean and Litwin ended in 2012 . 1 +Katha : Tell a Story ; Sell a Dream ( the Art of Corporate Storytelling ) Katha : Tell yourself a story , sell a dream ( the art of corporate storytelling ) 0 +This was the first time since 1976 that Pennsylvania did not vote for the same candidate as neighboring New Jersey . This was the first time since 1976 that Pennsylvania did not vote for the same candidate as the neighboring New Jersey . 1 +There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Ireland than in Scotland . There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more popular in Ireland than in Scotland . 1 +Socioeconomically , many Malaysian Chinese work or study in Singapore due to its proximity to Malaysia . Socioeconomically , many Malaysian Chinese work or study in Malaysia due to its close proximity to Singapore . 0 +In a game similar to SimLife , the player wants to create a new ecology for gungun colonisers . In a game new to SimLife , the player aims to create a similar ecology for Gungun colonisers . 0 +She reached Sydney on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . She reached Melbourne on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . 0 +Belize High School is a secondary school , high school in Belize City , Belize . Belize High School is a high school in Belize City , Belize , Secondary School . 1 +For example , the spin case only allows a magnetic dipole , but for spin 1 particles magnetic quadrupoles and electric dipoles are also possible . For example , the spin-fall also allows a magnetic dipole , but for spin 1 particles only electric quadrupoles and magnetic dipoles are possible . 0 +Harold Berridge CIE OBE ( June 1872 - June 17 , 1949 ) was a British mechanical engineer and civil engineer . Major Harold Berridge CIE OBE ( 1872 -- 17 June 1949 ) was a British civil engineer and mechanical engineer . 1 +is and represents the 19th letter of the Icelandic alphabet . Ó is the 19th letter of the Icelandic alphabet and represents . 0 +"About the song Billboard wrote : "" You know the beat , now you catch the groove ." "About the song wrote Billboard : "" You start the beat , now know the groove ." 0 +Irregular menstruation is a menstrual disorder whose manifestations include irregular cycle lengths as well as metrorrage ( vaginal bleeding between expected periods ) . Irregular menstruation is a vaginal disorder whose manifestations include menstrual cycle lengths as well as metrorrhagia ( irregular bleeding between expected periods ) . 0 +The division goes through or touches the states of Mississippi , Tennessee , Virginia , North Carolina , South Carolina , Georgia , Alabama , West Virginia and Kentucky . The divide passes through or touches the states of Mississippi , Tennessee , Virginia , North Carolina , South Carolina , Georgia , Alabama , West Virginia and Kentucky . 1 +""" Frog Legs Rag "" is a classic cardboard composed by James Scott and published in December 1906 by John Stillwell ." """ Frog Legs Rag "" is a classic cardboard composed by John Stillwell Stark and published by James Scott in December 1906 ." 0 +Louie is a moderately common given name , related to the more common name Louis . Louie is a moderately common related name given to the more general name Louis . 0 +Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . Due to the results in the last round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 1 +The Silesian Museum is a museum in Katowice , Poland . Katowice , Poland is a museum in the city of Silesian Museum . 0 +Cooper was born in Long Beach , California , and has lived in Los Angeles , California his whole life . Cooper was born in Los Angeles , California , and lives his whole life in Long Beach , California . 0 +He played the Montreux Jazz Festival in Switzerland in 1981 and met John McLaughlin , Billy Cobham , who popularized him with Michael Brecker and other fusion stars . He played the Montreux Jazz festival in Switzerland in 1981 and met John McLaughlin , Billy Cobham who introduced him to Michael Brecker and other fusion stars . 1 +Sakura Spirit was a visual novel developed by Winged Cloud in 2014 and published by Sekai Project . Sakura Spirit is a 2014 visual novel published by Winged Cloud and developed by Sekai Project . 0 +Some organic compounds are valid minerals , recognized by the CNMNC ( IMA ) . Some organic compounds are valid minerals recognised by the CNMNC ( IMA ) . 1 +William Pendry Bidelman ( September 25 , 1918 - May 3 , 2011 ) , whose friends called him “ Billy , ” was an American astronomer . "Billy Billy ( 25 September 1918 - 3 May 2011 ) , whose friends called him "" William Pendry Bidelman "" , was an American astronomer ." 0 +It is located at 142 South Rexford Drive in Beverly Hills , California . It stands opposite the First Church of Christ , Scientist , Beverly Hills . It is located at 142 South Rexford Drive in Beverly Hills , California . It is located opposite the First Church of Christ , scientist , Beverly Hills . 1 +Ratheesh lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega . Nadhin Ratheesh Vega lives with his wife Dr Anu Ratheesh Vega and his son Ratheesh in Thrissur . 0 +However , he obliged Keldorfer properly and replaced the orchestral introduction with the A - cappella - opening . However , he duly obliged Keldorfer and replaced the orchestral introduction with the a cappella opening . 1 +He died at Fort Edward on August 18 , 1861 , and was buried at the Union Cemetery in Sandy Hill . He died on August 18 , 1861 , in Fort Edward and was buried at the Union Cemetery in Sandy Hill . 1 +Michael Chang won 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan in the finals . Renzo Furlan won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang . 0 +Dave Denine is a former Canadian politician in Newfoundland and Labrador , Canada , who served as Minister for Intergovernmental Affairs in the Provincial Cabinet from 2007-2011 . Dave Denine is a provincial politician in Newfoundland and Labrador , Canada , who worked as Minister of Intergovernmental Affairs from 2007-2011 in the former Canadian cabinet . 0 +Mundla Chand is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . Mundla Chand is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil . 0 +The Russian villain is , however , an original and sometimes interesting danger . The Russian villain , however , is an interesting and sometimes original menace . 0 +The Fixer Uppers is a short film by Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach , in 1935 . The Fixer Uppers is a short film by Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . 0 +The Rotunda River is a tributary of the River Purul in Romania . The Purul River is a tributary of the Rotunda River in Romania . 0 +Garcia de Luna fought on the Spanish side in the Battle of Carabobo , against Simón Bolívar and the British Legions , during Venezuelan War of Independence in 1821 . In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side in the Battle of Carabobo . 0 +In general , lower temperatures and higher pressures promote sponge coke formation . In general , higher temperatures and lower pressures promote the formation of sponge coke . 0 +On September 11 , 2017 , a fourth series of resuscitation started and the second series overall . A second series of the revival , and the fourth series overall , started on 11 September 2017 . 0 +Founders of the Charta 77 Foundation František Janouch and Tal Bashan or the German activist Rainer Höss with the Israeli journalist Ada Kolman have participated in the debates . The founders of Charter 77 - Foundation František Janouch and Tal Bashan , or German activist Rainer Höss have participated in the debates with Israeli journalist Ada Kolman . 1 +Varshamov was with Arnold Walfisz in Tbilisi ( where he studied Georgian ) . Varshamov studied in Tbilisi under Arnold Walfisz ( where he was Georgian ) . 0 +For nearly six weeks , 10 TFS crews attacked Iraqi airfields , communication centers , and military command centers . For nearly six weeks , 10th TFS crews attacked military airfields , communication centers and Iraqi command centers . 0 +Lord Stair married Emily Mary Julia Stonor , daughter of Ralph Stonor , 7th Baron Camoys and Elizabeth Mary Hyde Parker , in 2006 . In 2006 , Lord Stair married Elizabeth Mary Hyde Parker , the daughter of Ralph Stonor , 7th Baron Camoys and Emily Mary Julia Stonor . 0 +The tendered speed limit is generally reduced as low as within the two cities . The posted speed limit is generally , reduced as low as within the two cities . 1 +He was the father of historian Peyton C. March and General Francis Andrew March , the chief of staff of the United States Army during World War I . He was the father of historian Francis Andrew March and General Peyton C. March , the chief of staff of the United States Army during World War I . 0 +On the April 12 episode of Impact , Waltman , Hall and Nash defeated Team 3D and Jesse Neal in a Street Fight . In the aftermath of Impact , Jesse Neal , Hall and Nash defeated Team 3D and Waltman in a Street Fight on April 12 . 0 +The last Chief Executive , Charles Mindenhall , stepped down in January 2018 , and the current Chairman is Richard Craig . The last Chief Executive , Charles Mindenhall , stepped down in January 2018 . The current Chair is Richard Craig . 1 +Three LSU scholars prepared Long as he described his first campaign for governor : Three LSU scholars described Long as he prepared his first campaign for the governor : 0 +Usually volatile states with small economies have most of their national debt in foreign currency . Usually volatile states with small economies have the bulk of their national debt in foreign currency . 1 +The objects in mirror are closer than they appear ( Confrontation Camp Album ) Objects in the Mirror Are Closer Than They Appear ( Confrontation Camp album ) 1 +Shiva wanted to see Rama , but Sati was in the dark that Rama was a manifestation of God . Shiva wanted to see God , yet Sati was in the dark that Rama was a manifestation of Rama . 0 +In 1969 the change was still in the air and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . In 1969 the change was still in the air and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . 0 +The 1978 Daytona 500 , the 20th race of the event , was the second race of NASCAR Winston Cup season 1978 . The 1978 Daytona 500 , the 20th running of the event , was the second race of the 1978 NASCAR Winston Cup season . 1 +Brent Rademaker also played a bass in Beachwood Sparks with former and Tyde member Christopher Gunst . Christopher Gunst also played bass in Beachwood Sparks with former Further and Tyde member Brent Rademaker . 0 +The Wrestling team won the Non - Public , South B section title in 2006 with a 45-31 win over Sacred Heart High School in the tournament final . The wrestling team won the sectional , South B Non-Public title in 2006 with a 45-31 win over Sacred Heart High School in the tournament final . 0 +He preached in Bridgeville , Callicoon , Fallsburgh , Grahamsville , Lackawack , Neversink , North Branch , Otisville , Stephen 's , and Factories . He preached in Bridgeville , Callicoon , Fallsburgh , Grahamsville , Lackawack , Neversink , North Branch , Otisville , Stephen and Fabriken . 1 +The Catholic congregation was administered by a young French missionary , Father Joly . The young French parish was administered by a Catholic missionary , Father Joly . 0 +Late Neolithic cultures have a relationship with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady Valley and the late Neolithic developments in southern China . Late Neolithic cultures have a relationship with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady Valley and the late Neolithic developments in southern China . 1 +Ambernath ( also spelled Ambarnath ) is a railway station on the Central Line of the Mumbai Suburban Railway network . It is an important terminus for local commuters . Ambarnath ( also called Ambernath ) is a railway station on the Central Line of the Mumbai Suburban Railway network and is an important terminus for local commuters . 1 +Writers for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston included writers for the project . 1 +When his family from Italy , Rodolpho and Marco , begin to migrate and live with him illegally , the small world in which he operates is destroyed . When his family from Italy , Rodolpho and Marco , live illegally and begin to migrate with him , the small world that he operates in is disrupted . 0 +He continued in this post when Winston Churchill came to power in 1940 and was also Churchill 's general postmaster between 1943 and 1945 . He continued in this post also when Winston Churchill came to power in 1940 , and was then Postmaster General under Churchill between 1943 and 1945 . 0 +At the next day 's AFL meeting , Tobin was forced to defend Beck 's actions . At the AFL meeting the next day , Beck was forced to defend Tobin ’ s actions . 0 +San Pedro Springs Park is located in the city of San Antonio des Bexar County in the US state of Texas . San Pedro Springs Park is located in the city of Bexar County San Antonio in the US state of Texas . 0 +The winner of the Playoffs was Blu : sens Monbús and until 2011 -- 12 ACB season with CB Murcia , the champion of the regular season promoted . The winner of the Playoffs was Blu : sens Monbús and until 2011 -- 12 CB Murcia season with ACB , the champion of regular season promoted . 0 +The music is composed by John Farrar with texts by Sir Tim Rice , the book by Cliff Richard and Frank Dunlop . The music was composed by Tim Rice with texts by Sir Cliff Richard and Frank Dunlop . The book is by John Farrar . 0 +It is owned by the NMG ( Nation Multimedia Group ) . It is owned by NMG ( Nation Multimedia Group ) . 1 +The most active treatment method at present was the preferred medication . The most active treatment method at the time was preferred medication . 1 +Ernest Renan visited Chalaaboun during his mission in Lebanon and found what he described in his book Mission de Phénicie ( 1865-1874 ) . Ernest Renan visited Chalaaboun during his mission to Lebanon and found what he described in his book Mission de Phénicie ( 1865-1874 ) . 1 +Palmer and Liu ( 2012 ) have studied the contents of the Baguadao as a tradition of orthodox and elaborate forms of Taoist self-cultivation techniques . Palmer and Liu ( 2012 ) have studied the contents of the Baguadao as a tradition of Orthodox and Taoist forms of sophisticated self-cultivation techniques . 0 +There are no bus stops in West Bridgewater , but there are stops in Bridgewater and the Campello section of Brockton . There are no stops in Bridgewater , but there are bus stops in West Bridgewater and the Campello section of Brockton . 0 +The season 2009-2010 National Hockey League was the 17th season of the operation ( 16th season of the game ) for the Anaheim Ducks franchise . The 2009 season -- 10 Anaheim Ducks was the 17th season of the operation ( 16th season of the game ) for the National Hockey League Franchise . 0 +"She also had a supporting role in the movie "" Dolores Perrigrew "" 1992 as Bob Roberts ." "She also had a side role in the film "" Bob Roberts "" , as Dolores Perrigrew in 1992 ." 0 +Brekeke Software , Inc. offers two versions of its Brekeke PBX software , Multi-Tenant-tenant and single version . Brekeke Software , Inc. offers two versions of its brekeke - PBX software , multi-tenant - tenant and single - version . 1 +The Marxist element of communism would be intensified in some atheistic movements after his death . The atheistic element of communism would be strengthened after his death in some Marxist movements . 0 +He moved to Macau , joined the Jesuit North and died in 1737 as a martyr in Vietnam . He was moved to Macau , joined the Jesuit Order , and died as a martyr in Vietnam in 1737 . 1 +"In response to a question from Anthony Metcalf , Whitmer attempted to clarify the "" spiritual "" versus "" natural "" viewing the plates :" "In response to a question by Anthony Metcalf , Whitmer attempted to clarify the "" spiritual "" versus "" natural "" viewing of the plates :" 1 +The neighborhood also has two commuter train stations , the Forest Hills and Kew Gardens railway stations of the Long Island Rail Road . The neighborhood also has two commuter stations , the Long Island Rail Road train stations of Forest Hills and Kew Gardens . 0 +Barrai is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal Tehsil . Barrai is a village in the Bhopal district of Madhya Pradesh , India , in the Berasia tehsil . 0 +During the palatial period , the ring walls and the most important public buildings within the main fortress were built . During the palatial period , the walls and the most important public buildings were built within the main fortress . 1 +It consists of two parts , Zemendorf and Stöttera , both on the Wulka river downstream from Pöttelsdorf and upstream of Antau . It consists of two parts , Zemendorf and Stöttera , which are both upstream from Pöttelsdorf and downstream from Antau on the Wulka . 0 +Decasyllable was used in Serbian epic poetry of the Southern Slavs , for example epic poetry sung to the gusle instrument : Decasyllable was used in the epic poetry of the southern Slavs , for example Serbian epic poetry sung on the Gusle instrument : 0 +The river Bota Mare is a tributary of the river Zăbrătău in Romania . The river Zăbrătău is a tributary of the Bota Mare river in Romania . 0 +Carl was Janice Turner 's husband , and the father of Debbie & Alice Whipple . was Janice Turner 's husband , and the father of Debbie , Alice Whipple . 1 +The cumulative file version of SP2 is full -- SP1 does not have to be installed -- while the client version requires SP1 to be installed . The cumulative file version of SP2 is full -- SP1 does not need to be installed -- while SP1 needs to be installed for the client version . 1 +Mitch Clarke opposed Iaquinta at UFC 173 on 24 May 2014 . Iaquinta confronted Mitch Clarke on 24 May 2014 at UFC 173 . 0 +The Cârlibaba River is a tributary of the Tătarca River in Romania . Tătarca river is a tributary of the River Cârlibaba in Romania . 0 +Joe was born on 27 March 1929 in Somerville , Massachusetts and grew up in Quincy , Massachusetts . Joe was born on March 27 , 1929 in Quincy , Massachusetts , where he grew up in Somerville , Massachusetts . 0 +Nick Lindahl defeated Alexandre Sidorenko ( 6 -- 3 , 7 -- 6 ) in the final . In the final , Alexandre Sidorenko defeated Nick Lindahl ( 6 - 3 , 7 - 6 ) . 0 +On July 4 , 1968 , at Harper 's request , Smith resigned from the cabinet . On 4 July 1968 , Smith resigned from the Cabinet at Harper 's request . 1 +Hamilcar had to send a part of his army back to Carthage to reinforce Libya . Hamilcar had to send part of his army back to Carthage to reinforce Libya . 1 +On March 29 , 1861 it was evacuated by federal troops and reoccupied after the civil war until 1869 . Fort Mason was reoccupied by federal troops on March 29 , 1861 , and evacuated after the Civil War until 1869 . 0 +Further restoration was carried out in 1962 for William Cardinal Godfrey who had earlier appointed the poet and mystic John Bradburne to be caretaker . In 1962 , for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker , further restoration was carried out . 1 +The opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak in February 2014 . In February 2014 , the opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak . 1 +As part of the established logistics support system for the major platforms , ST Kinetics has integrated the MRO services under its Kinetics Integrated Services ( KIS ) arm . As part of the established logistics support system for the major platforms , ST Kinetics has integrated MRO services under its Kinetics Integrated Services ( KIS ) arm . 1 +It took place at the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain , from April 23 through April 29 , 2010 . It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain . 1 +The Antarctic Peninsula is an island archipelago off the west coast of the Wilhelm Archipelago in Antarctica . The Wilhelm Archipelago is an island group off the west coast of the Antarctic Peninsula in Antarctica . 0 +David Miliband was trained at the Primrose Hill Primary School in Camden and Newlaithes Primary School in Leeds . David Miliband was educated at Primrose Hill Primary School , in Camden , and Newlaithes Primary School , in Leeds . 1 +He was the son of Eoin MacNeill founder of the Irish Volunteers which Niall MacNeill joined later becoming an officer in the Irish Army . He was the son of Eoin MacNeill , the founder of Irish Volunteers , whom Niall MacNeill later joined in the Irish Army as an officer . 1 +Grapes discovered such acts as Peter , Paul , and Mary , Randy Newman ( with whom he was arrested for obscenity ) , Lenny Bruce , and The Isley Brothers . Weintraub discovered such acts as Peter , Paul and Mary , Lenny Bruce ( with whom he was arrested for obscenity ) , Randy Newman and The Isley Brothers . 0 +Since 2002 , Scotland A has participated in the Amateur Four Nations competition and toured Serbia , the Netherlands , and Italy . Since 2002 , Scotland A has participated in the Amateur Four Nations competition and travelled to Serbia , the Netherlands and Italy . 1 +The RFPs also tend to be dominated by turbulent phenomena and other non-ideal effects . RFPs also tend to be controlled by non-ideal phenomena and turbulent effects . 0 +The series is published in Japan by VIZ Media and in the United States in English by Shogakukan . The series will be published in Japan by VIZ Media and in the United States by Shogakukan in English . 1 +Alexander Nikolayevich Veselovsky ( in Moscow -- in St. Petersburg ) was a leading Russian literary theorist who laid the foundations for comparative literature studies . Alexander Nikolayevich Veselovsky ( in Moscow -- in St. Petersburg ) was a leading Russian literary theorist who laid the groundwork for comparative literary studies . 1 +The Australian state election of 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state ’ s legislative assembly . The 1945 Victorian state election was held in the Australian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . 0 +It was first described by Wolfgang Killian in 1977 and further researched by Maria Teschler-Nicola and Philip Pallister in 1981 . It was first described by Wolfgang Killian in 1977 and further researched in 1981 by Maria Teschler - Nicola and Philip Pallister . 1 +Sébastien Fournier ( born 27 June 1971 ) is a former football manager , most recently for FC Sion , and Swiss football player . Sébastien Fournier ( born June 27 , 1971 ) is a former football manager , most recently for FC Sion , and Swiss football player . 1 +"In 2009 , Silent Majority Group 's single signing Framing Hanley received a Gold certification for their first "" Lollipop "" ." "In 2009 , the Single Signing Framing Hanley of Silent Majority Group received a gold certification for their first "" Lollipop "" ." 1 +Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Wisconsin State Senate . Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and the Senate of Wisconsin . 0 +Many religious groups offer different programs for different age levels within scouting , and some have separate programs or emblems for boys and girls . Many religious groups have different programs for different age groups within Scouting , and some offer different programs or emblems for boys and girls . 0 +"She also had a supporting role in the film "" Bob Roberts "" , as Dolores Perrigrev in 1992 ." "She also had a supporting role in the movie "" Dolores Perrigrew "" 1992 as Bob Roberts ." 0 +"Atari also improved the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." "Atari later improved the basic design with the "" 1040ST "" ( also written "" STF "" ) in 1986 ." 0 +From 1714 to 1725 the house was extended on plans by William Adam , ( father to Robert Adam the architect who created Edinburgh New Town ) . From 1714 to 1725 , the house was extended according to plans by Robert Adam ( father of William Adam , the architect who created Edinburgh New Town ) . 0 +EPZ is a thana under the Chittagong Division , Bangladesh in Chittagong District . EPZ is a Thana under the district of Chittagong in the division Chittagong , Bangladesh . 0 +"She was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on 26 October , 1943 ." "It was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." 0 +Foley collaborated with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , among others . Foley worked with , among others , Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block , and Guy Schwartz . 1 +At present , the ranks and titles given to members of the Thai sangha are as follows ( from lowest to highest ) : At present , the ranks and titles given to members of the Thai sangha are as follows ( from the highest to lowest ) : 0 +The current Chief Executive is Nick Hawkins , who replaces Rob Powell in October 2017 . The current Chief Executive is Rob Powell , who replaced Nick Hawkins in October 2017 . 0 +The other European powers were no longer disposed to oppose a new French expansion and were prepared to form alliances to accept such a thing . The other European powers were no longer prepared to accept a new French expansion , and were willing to form alliances to resist such a thing . 0 +Among the bugis traders were also members of the nobility , such as Engku Karaeng Talibak , who married the daughter of Raja Ali Haji . Among the Bugis traders were also members of the nobility like Raja Ali Haji who married the daughter of Engku Karaeng Talibak . 0 +The second segment was built in 1929 , the third segment was completed by Peters Corners in 1930 . The third segment was built in 1929 and the second segment was completed in 1930 by Peters Corners . 0 +He later planted the movement in London , and then in Brooklyn , New York , and Monticello , New York . He later replanted the movement in London , and then in Brooklyn , New York , and Monticello , New York . 1 +"Tim Pro Mooney of Danforth 's Meierhenry and Mark V. Meierhenry of Arno Political Consultants wrote the "" per "" arguments for the state ballot :" "Tim Mooney of Danforth & Meierhenry and Mark V. Meierhenry of Arno Political Consultants wrote the "" pro "" arguments for the state Ballot Question Pamphlet :" 0 +Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a certain quantile . The Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a specific quantile . 1 +"The finished product was marketed as "" UFO : Enemy Unknown "" in North America and as "" X-COM : UFO Defense "" in Europe and Australia ." "The finished product has been marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X-COM : UFO Defense "" ." 0 +One of the main advantages of this approach is that routers are very simple : they just become a sensor , a pulse - reshaper and a transmitter . One of the main advantages of this approach is that routers become very simple : they are just one sensor , a pulse - reshaper and a station . 0 +CIE OBE ( 1872 -- June 17 , 1949 ) was a British mechanical engineer and civil engineer . Harold Berridge CIE OBE ( June 1872 - June 17 , 1949 ) was a British mechanical engineer and civil engineer . 0 +Kenya then confronts Amanda about the real meaning of her necklace and Amanda finally tells her the whole story . Amanda Kenya finally confronts the real meaning of her necklace , and Amanda tells her the whole story . 0 +The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . The first Syracuse Chiefs baseball team were established in 1934 , when the Jersey City Skeeters moved to Syracuse and was renamed the Chiefs . 1 +"They selected the area where like gabi-herbaceous giant plants which they called "" Marviga "" grew abundantly ." "They selected the area in which herbaceous giant gabi-like plants they called "" Marviga "" grew abundantly ." 0 +This site was excavated in 1921 by Johan Gunnar Andersson and discovered in 1921 and produced two human teeth . This site was first discovered by Johan Gunnar Andersson in 1921 and was first excavated in 1921 , and produced two human teeth . 0 +The single was produced overseas , in the United States , and created and recorded by Howard Benson . The single was produced overseas in the United States and was created and recorded by Howard Benson . 1 +In October 2015 , Bennett resigned from the Knesset to allow Shuli Mualem to take over his seat . In October 2015 , Shuli Mualem from the Knesset resigned to allow Bennett to take over his seat . 0 +He was also suspected of having bludgeoned to death a young dancer , Anya Sosoyeva , as well as having assaulted the Russian actress Delia Bogard , who survived . He was also suspected of having caught a young dancer , Anya Sosoyeva , to death , as well as attacking the Russian actress Delia Bogard , who survived . 1 +When a solvent is shaken , two immiscible liquids are extracted together . When a solvent is extracted , two unmixed liquids are shaken together . 0 +Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and last endgame . Between 1971 and 1980 , Goolagong Cawley reached five finals , but won only her first and final finals . 0 +Prakash was the International CIO of Avaya , then the Group CIO of iSoft and later the CIO of Sage Group in UK . Prakash was the international CIO of Avaya , then the Sage Group Group CIO and later the CIO of iSoft in England . 0 +Discretization is also linked to discrete mathematics and is an important component of granular computing . Discretization is also related to discrete mathematics , and is an important component of granular computing . 1 +Hannah Craske was born on November 26 , 1892 in Norfolk , England , daughter of Edmund and Margaret Craske . Margaret Craske was born in Norfolk , England , November 26 , 1892 , daughter of Edmund and Hannah Craske . 0 +Belagere is a village in Karnataka , India , Chitradurga district , Challakere . Belagere is a village in Karnataka , India , district of Chitradurga , Challakere . 1 +The Blauvelt family first arrived in America in 1638 , and first arrived in Rockland County in 1683 . The Blauvelt family arrived in America in 1638 and first arrived in Rockland County in 1683 . 1 +The PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . PATH - Service of Exchange Place runs east to the World Trade Center , north to Hoboken Terminal and west to Journal Square and Newark Penn Station . 0 +The ICAO and the FAA are working on a sonic boom standard to allow supersonic flights overland . The FAA and the ICAO are working on a Sonic boom standard to allow supersonic flights over land . 1 +Halbert Township , Martin County is an unincorporated community in Ironton , in the U.S. state of Indiana . Ironton is an unlawful community in Halbert Township , Martin County , in the U.S. state of Indiana . 0 +It is followed by a route from Hub Industrial Area to Orangi Town and from Nazimabad and North Karachi . It is a pathway from Hub Industrial Area to North Karachi and followed by Nazimabad and Orangi Town . 0 +Angelica Panganiban ( Lizelle Jimenez ) is in new relationship with surgeon Adrian Benitez ( Gabby Concepcion ) . Lizelle Jimenez ( Angelica Panganiban ) is in a new relationship with Surgeon Adrian Benitez ( Gabby Concepcion ) . 1 +On June 30 , 2016 , Infante agreed to a minor league deal with the Braves . He was released by the Atlanta Braves on August 16 , 2016 . On June 30 , 2016 , Infante agreed to a Minor League Deal with the Braves and was released from the Atlanta Braves on August 16 , 2016 . 1 +Under Phil Testa and later Nicky Scarfo was served by Frank . Under Frank and later Nicky Scarfo served Phil Testa . 0 +The first air data computer developed in the USA was patented by John H. Andresen in February 1971 . The first air data patented in the USA was developed in February 1971 by John H. Andresen . 0 +Marat Safin won against Nikolay Davydenko in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . Nikolay Davydenko won against Marat Safin in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . 0 +Spencer also came as Jason Dohring on board . Spencer also came on board as Jason Dohring . 1 +Serena Williams and Venus Williams won 5 : 7 , 6 : 2 , 6 : 2 against Alexandra Fusai and Nathalie Tauziat in the final . Alexandra Fusai and Nathalie Tauziat won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams . 0 +Sotherton 's younger brother , Micklethwait , also performed first-class cricket for Cambridge University . Sotherton 's younger brother , Micklethwait , also played first-class cricket for Cambridge University . 1 +Born in Dublin in 1582 , he was the second but third surviving son of Arland Ussher and his wife Margaret . Born in Dublin about 1582 , he was second but third surviving son of Arland Ussher and his wife Margaret . 1 +In 2012 , Duncan appeared alongside Romola Garai in Scrubber , a film by Amanda Hale written and led . In 2012 Duncan appeared alongside Romola Garai in Scrubber , a film written and directed by Amanda Hale . 1 +George George Harrison considered Mukunda and the others who came to England first to become his lifelong friends . Mukunda considered George Harrison and the others who came to England for the first time to be his lifelong friends . 0 +The Crump family had a home in Bristol while Phil was racing in the British League , which he started doing in 1971 with the Crewe Kings . The Crump family had a home in Bristol , while Phil was walking in the British League , which he began with the Crewe Kings in 1971 . 1 +In Klaipėda they make up 13 % of the population , and 28 % in Vilnius . They make up 13 % of the population in Vilnius , 28 % in Klaipėda . 0 +His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed with Tipperary also All - Ireland - success . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , also enjoyed All-Ireland success with Tipperary . 1 +Kathy Williams , Kathryn or Katherine refer to : Kathy Williams , Kathryn or Katherine may refer to : 1 +Peter McNab died in 1960 when he suffered a heart attack while playing golf , and his son McNab later played in the second American Soccer League . Peter McNab died in 1960 , when he suffered a heart attack playing golf . His son , McNab later played in the second American Soccer League . 1 +For a horizontal edge , we want to interpolate in the vertical direction , using only the column centered at the pixel . For a vertical edge , we want to interpolate in horizontal direction by using only the column that is centered at the pixel . 0 +Pauline Goldmark was a close friend and correspondent of William James . A close friend and correspondent of Pauline Goldmark was William William James . 0 +"In 2004 , Stotesbery played opposite Jason Schwartzman in the FOX pilot "" Cracking Up "" created by Mike White ." "In 2004 , Stotesbery played beside Mike White in the FOX - pilot "" cracking up "" created by Jason Schwartzman ." 0 +With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the Chaotic basic universe . Dracco Company Ltd. with Apex Marketing then created the online version of the game and established the basic universe of Chaotic . 1 +An electrical load is an active component or portion of a circuit that consumes ( electric ) electrical power . An electric load is an electrical component or part of a circuit that consumes ( active ) electrical power . 0 +Until 1930 , Lombard College was based in Galesburg and is now the site of the Lombard Middle School . Until 1930 , the Lombard High School was located in Galesburg and is now the site of Lombard - College . 0 +The zoological garden was initiated by zoologist Alfred Brehm and founded in 1876 . The zoological garden was founded by the zoologist Alfred Brehm and initiated in 1876 . 0 +The sonata was premiered in 1919 at the Aeolian Hall , London , by Billy Reed , with Landon Ronald at the piano . The Sonata was premiered in 1919 by Billy Reed in the Aeolian Hall , London , with Landon Ronald at the piano . 1 +The Agriș River is a tributary of the Cormoș River in Romania . The River Cormos is a tributary of the River Agris in Romania . 0 +"He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" . The first mention mistakenly names his father , James Hinton ." "He is mentioned twice in James Hinton 's novel "" Moonchild "" , the first mention being mistakenly called his father , Aleister Crowley ." 0 +""" Opson "" is therefore equivalent to Banchan in Korean cuisine and Okazu in Japanese cuisine ." """ Opson "" is therefore Banchan in Japanese and Okazu in Korean cuisine equivalent ." 0 +He was selected in the 1998 NFL Draft by the St. Louis Rams in the 7th Round ( 236th overall ) with a compensatory pick . He was selected at the NFL Draft in 1998 by the St. Louis Rams in the 236th round ( 7th general ) with a compensatory pick . 0 +She moved to Germany in 1989 and settled two years later in Luxembourg , where her husband , Tommy Danielsson , is her trainer and training partner . She moved to Luxembourg in 1989 and settled down in Germany two years later . Her husband Tommy Danielsson , is her coach and training partner . 0 +The story is about Matthias , a priest of an extremely advanced and very ancient breed of beings who inhabit a cold and dying universe . The story is about Matthias , a priest of an extremely ancient and highly advanced race of beings , who inhabit a cold and dying universe . 0 +She won Democrats 64-35 , but Sanders 66-33 lost to the Independents . She won Democrats 64-35 , but lost Sanders 66-33 to Independents . 1 +In Havana , another series between Cincinnati Reds and Boston Red Sox was played . Another series was played in Havana between Boston Red Sox and Cincinnati Reds . 1 +Camm decided that both engines would be used : the Tempest Mk 5 had fitted with the Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . Camm decided that both machines would be used : the Tempest Mk 5 had fitted with Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . 1 +Born in 1967 in Madrid , Spain , grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) house . Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual house ( English , Spanish and Swedish ) . 0 +Schützen-Eisenberg is a municipality in Burgenland in the Oberwart district of Austria . Deutsch Schützen-Eisenberg is a municipality in Burgenland in the district of Oberwart in Austria . 1 +Mitch Clarke faced Iaquinta at UFC 173 on May 24 , 2014 . Mitch Clarke opposed Iaquinta at UFC 173 on 24 May 2014 . 1 +It was also recorded by the Guy Lombardo and His Royal Canadians orchestra and the vocal group The Three Suns in the United States . It was also recorded by the Guy Lombardo and his Royal Canadians orchestra and the singing group The Three Suns in the United States . 1 +Releases have also been carried out in Mexico , and the wild birth of a first wolf litter in Mexico was reported in 2014 . Releases have also been conducted in Mexico , and the wild birth of a first wolf litter in Mexico was reported in 2014 . 1 +This theory does not explain the observed instability of colloidal dispersions against irreversible aggregation in solutions of high ionic strength . This theory did not explain the observed instability of irreversible dispersions against colloidal aggregation in solutions with high ionic strength . 0 +The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the 2014 Basketball season -- 15 NCAA Division I men . The 2014 -- 15 Idaho State University men 's basketball team represented Idaho State Bengals during the 2014 -- 15 NCAA Division I men 's basketball season . 0 +"His first instrumental solo - acoustic guitar album ( "" Favored Nations "" , 2001 ) was a song that he dedicated to Michael Hedges ." """ Intuite "" ( Favored Nations , 2001 ) included his first instrumental , solo acoustic guitar album . It was a song he dedicated to Michael Hedges ." 0 +Dana Mountain , Elevation , was climbed by the group the next day before Martinez had to return to Muir . Mount Dana , elevation , was climbed the next day by the group before Martinez had to return home to Muir . 1 +However , David Pizarro , Mirko Vučinić and Marco Cassetti bought full ownership of Roma . However , David Pizarro , Mirko Vučinić and Marco Cassetti bought the full ownership of Roma . 1 +He was also trained at the Academy of Art in Zurich , where he and others learned musically to use the computer for composing music . He was musically trained at the academy of art in Zurich , where he and others also learned how to use the computer for composing music . 0 +The season 2010 -- 11 Rain or Shine Elasto painter was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . The 2010 -- 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +After the Eagles confiscated a young defensive tackle in Thomas , the Eagles Broderick Bunkley cut off . After the Eagles drafted a young defensive tackle in Thomas , the Eagles cut Broderick Bunkley . 0 +Nadhin Ratheesh Vega is living with his wife Dr. Anu Ratheesh Vega and son Ratheesh in Thrissur . Ratheesh lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega . 0 +He is one of the leading English war poets of the First World War and has been compared with the German poet Wilfred Owen . He is one of the leading German war poets of the First World War , and has been compared with English poet Wilfred Owen . 0 +Elizabeth Warren is the United States Senator from Massachusetts , a former member of the Republican Party and is currently a member of the Democratic Party . Elizabeth Warren is the former United States Senator from Massachusetts , a senior member of the Democratic Party and currently a member of the Republican Party . 0 +Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal day is October 1 . The current mayor ( from 2013 to 2017 ) is Fernando Nogueira , elected by the PenCe ( municipal movement ) , the independent holiday is October 1 . 0 +In 1928 , his eldest son , the third baronet , died unmarried and was replaced by his nephew , the second Baronet . His eldest son , the third Baronet , died unmarried in 1928 and was succeeded by his nephew , the second Baronet . 1 +Sakura Spirit is a 2014 visual novel published by Winged Cloud and developed by Sekai Project . Sakura Spirit is a visual novel from 2014 , developed by Winged Cloud and published by Sekai Project . 0 +When Joseph Spalding Coe was born , his name was changed in Barry Clark Heacock , when his mother , Jean Elizabeth Shea Joseph Spalding Coe , married in Los Angeles in 1940 . Born Joseph Spalding Coe , his name was changed to Barry Clark Heacock when his mother Jean Elizabeth Shea married Joseph Spalding Coe Sr. in 1940 in Los Angeles . 0 +Further editions of the book were published after Sutherland 's death in 1950 by Cressey and D. F. Luckenbill as co-authors . Further editions of the book were published by Cressey and Sutherland as co-authors after the death of D. F. Luckenbill in 1950 . 0 +He participated in non-comatose evacuation operations in Cambodia ( Operation Eagle Pull ) and in South Vietnam ( Operation Frequent Wind ) . There he participated in Non-Combatant Evacuation Operations in South Vietnam ( Operation Eagle Pull ) and in Cambodia ( Operation Frequent Wind ) . 0 +The breaker was operated by the Blue Coal Corporation , a subsidiary of the Glen Alden Coal Coal Company . The breaker was operated by the Glen Alden Coal Company , a subsidiary of the Blue Coal Corporation . 0 +The King George River is a perennial river located in the Kimberley region of Australia , in Western Australia . The King George River is a multi-year river in the Kimberley region of Australia , in Western Australia . 0 +Neustadtl an der Donau is a city located in the district of Amstetten in Lower Austria in Austria . Neustadtl an der Donau is a town in the district of Lower Austria in Amstetten in Austria . 0 +Ila , formerly Ilevolden , is a tram stop located at Trondheim Tramway , in Ila , Trondheim in Trondheim , Norway . Ila , formerly Ilevolden , is a tram stop on the Trondheim Tramway , located at Ila , Trondheim in Trondheim , Norway . 1 +"Other mentions of people who speak "" in Gallic "" ( gallice ) or similar may refer to the speaking of Latin with a regional Gallic accent ." "Other mentions of people who speak "" in the Gallic manner "" ( gallice ) "" or similar may refer to speaking Latin with a regional Gaulish accent ." 1 +He has a son , Seamus , who is mentioned but never seen in the series . He has a son , Seamus , who mentions , but never is seen in the series . 1 +The process requires air as the source of oxygen and uses metal oxides as heterogeneous catalysts . The process uses air as an oxygen source and requires metal oxides as heterogeneous catalysts : 0 +Ray Bergman -- who was in one of the youth choirs of Stephens -- also disputes any claims that Stephen 's homosexual was . Ray Bergman -- who was in one of Stephens 's youth choirs -- also disputes any claims that Stephens was homosexual . 0 +He was born in July 1973 in Athens ( Petroupoli ) . He was born in Petroupoli ( Athens ) in July 1973 . 1 +Luke Salopek is a village in Karlovac County , under the municipality Slunj , in Croatia . Salopek Luke is a village in Karlovac County , under the Slunj township , in Croatia . 1 +Winner - Effects were shown when established dominant chicks were placed in a study by Drummond against inexperienced chicks . Winners - Effects were shown when established non-experienced chicks were placed in a study by drummond against dominant chicks . 0 +Although it has never been used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events were played . Although it has never been played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake Events were used . 0 +Electronic sports for the Asian Indoor and Martial Arts Games 2017 were a demonstration sport . Indoor sports for the 2017 Asian Electronic and Martial Arts Games was be a demonstration sport . 0 +In 1992 the fighting 3-1-7 took part in humanitarian air transportations to Somalia ( Operation Provide Promise ) and Bosnia ( Operation Provide Relief ) . In 1992 , the Fighting 3-1-7 took part in humanitarian airlifts to Bosnia ( Operation Provide Promise ) and Somalia ( Operation Provide Relief ) . 0 +The track was acquired in 1997 450 and the following year was renumbered by the Punchbowl Bus Company . The route was acquired 450 in 1997 and renumbered by the Punchbowl Bus Company the following year . 1 +Arabic Supplement is a Unicode block that encodes old letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and Arabic Persian . Supplement is a Unicode block that encodes Arabic letter variants used for writing non-Arabic languages , including the languages of Pakistan and Africa and old Persian . 0 +In 2017 , Cetera Co-headliner for the Night of the Proms in Germany and Luxembourg was his first time in Germany for 35 years . In 2017 , Cetera was a co-headliner for the Night of the Proms in Germany and Luxembourg , his first time performing in Germany in 35 years . 1 +In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half a share of their American Oil Company to Pan American in return for a guaranteed oil supply . In 1923 Louis Blaustein and his son Jacob Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . 1 +The music for the film is composed by Bijibal and by Nadirsha as a background score . The music for the film is composed by Nadirsha , and background score by Bijibal . 0 +The PBA season 2002 was the first franchise season in the Philippine Basketball Association ( FedEx Express ) . The 2002 PBA season was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . 1 +Thruston was the father of U.S . Senator Charles Mynn Thruston and the grandfather of the US - Brigadier General Buckner Thruston . Thruston was the father of U.S . Senator Buckner Thruston and the grandfather of U.S. Brigadier General Charles Mynn Thruston . 0 +Although sold in Germany , Fonzies is produced in Italy by LU Snack Foods GmbH . Although sold in Germany , Fonzies are produced in Italy by LU Snack Foods GmbH . 1 +The multi-scale geometric analysis or geometric multiscale analysis is an emerging area of high-dimensional signal processing and data analysis . Dimensional geometric analysis or geometric multiscale analysis is an emerging area of multiscale-high signal processing and data analysis . 0 +Reverend Guitars Signature - Models have been created with several well-known artists , including Billy Corgan , Reeves Gabrels and Mike Watt . Reverend Guitars signature models have been created with several notable artists , including Mike Watt , Reeves Gabrels , and Billy Corgan . 1 +He died in 1916 and was retired on 30 September 1918 . He retired in 1916 and died on 30 September 1918 . 0 +The cooperative National Weather Service reports that Occidental has cool , damp winters and warm , dry summers . The cooperative national weather station reports that Occidental has warm , dry winters and cool , wet summers . 0 +A hotel in Wales ( Carmarthen ) is the Ivy Bush Royal Hotel named after it . A hotel in Carmarthen ( Wales ) is named the Ivy Bush Royal Hotel . 1 +This yields the diagonal factor decomposition , and the normal entries of Smith invariant form are the invariant factors . This results in invariant factor decomposition and the diagonal entries of the Smith - normal form are the invariant factors . 0 +Saraiya is a town in Gorakhpur , Uttar Pradesh and a village in Bharatpur Rajasthan India . Saraiya is a village in India , and a village in Bharatpur rajasthan Gorakhpur , Uttar Pradesh . 0 +Prosser began his training in the office of the architect Ignatius Bonomi ( 1787-1870 ) in Durham . Prosser began his training in the office of architect Ignatius Bonomi ( 1787-1870 ) in Durham . 1 +In 1888 , one of the first gum flavors to be created in a vending machine , sold by the Adams New York Gum Company , was tutti frutti . In 1888 , Tutti Frutti was one of the first rubber flavors to be produced in a vending machine sold by the Adams New York Gum Company . 1 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Caldara for Apostolo Zeno . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a Caldara libretto from 1709 for Apostolo Zeno . 1 +Dowa is a district in the Central Region of Malawi . The capital is Dowa . Dowa is a district in the central region of Malawi with the capital Dowa . 1 +Originally , the Lafayette Township was called Havana Township and was founded under the latter name in 1857 . Havana Township was originally called the Lafayette Township and was founded in 1857 under the latter name . 0 +"As the name suggests , the bilinear Interpolant "" is not "" linear , but the product of two linear functions ." "As the name suggests , the bilinear interpolant is "" not "" linear ; but it is the product of two linear functions ." 1 +is a daily newspaper , focusing on central and northern Bohuslän , as well as western Dalsland . It is a daily newspaper focusing on central and northern Dalsland as well as western Bohuslän . 0 +Extremal states are usually called extremal states . Note that a state is a pure state if and only if it is convex in the pure set of states . Extremal states are usually called extremal states . Note that a condition is a pure state if and only if it is convex in the pure state group . 1 +L'Estany is a municipality in the province of Catalonia , Spain and autonomous community of Barcelona . L ' ; Estany is a municipality in the province of Catalonia , Spain and autonomous community of Barcelona . 1 +The tributary Mauses Creek has Mahoning Creek upstream of its mouth and joins a watershed area of . The tributary of Mauses Creek joins the Mahoning Creek upstream of its mouth and has a watercrossing area . 0 +Sam has a much younger brother named Hank Bennett , who is not much older than Sam ’ s eldest son . Sam has a much younger brother named Sam , who is not much older than the eldest son of Hank Bennett . 0 +Brayshaw ended his career and began his with Claremont Football Club in the West Australian Football League . Brayshaw ended his career and started with his Club Claremont in the West Australian Football League . 1 +"He is also the second cousin of Lauren Waters , playing in "" Britannia High "" Georgina Hagen ." "He is also the second cousin of Georgina Hagen , playing in "" Britannia High "" Lauren Waters ." 0 +According to the United States Census Bureau , Irvine is a total surface area of which land is and , or 5.13 % , has water . According to the United States Census Bureau , Irvine has a total area of , of which is land and , or 5.13 % , is water . 1 +Because it is only about 100 miles from New York City , WHCN uses a directional antenna to avoid co-channel interference with WQXR-FM . Since it is only about 100 miles from New York City , WHCN uses a co-channel antenna to avoid directional interferences with WQXR-FM . 0 +The dividends have increased the total return on the average equity to double , approximately 3.2 % . "The dividends have increased the total "" real "" return on average equity to the double , about 3.2 % ." 1 +For a more detailed discussion of ETA ( pm ) and the separatist ETA ( m ) see ETA ( parallel group ) . For a more detailed discussion of ETA ( pm ) and the parallel ETA ( m ) see ETA ( separatist group ) . 0 +In 1960 , Ardley married Bridget Gantley , and the couple had one daughter . In 2003 he married Vivian Wilson . He died in Milford , Derbyshire . In 1960 , Ardley married Bridget Gantley , and the couple had a daughter , he married Vivian Wilson in 2003 and died in Milford , Derbyshire . 1 +"The canonical choice for ( "" m "" , "" n "" ) is chosen so that "" n "" is positive , i.e ." "The positive choice for ( ( "" m "" , "" n "" ) ) is chosen so that "" n "" is canonical and , i.e ." 0 +The theme music was composed by Gaynor Colbourn and Hugh Wisdom , arranged by Gaynor Colbourn and conducted by Ronnie Hazlehurst . The theme music was composed by Ronnie Hazlehurst and Hugh Wisdom , headed by Gaynor Colbourn and arranged by Gaynor Colbourn . 0 +The 1963 San Francisco State Gators football team represented San Francisco State College during the 1963 College Division football season . The 1963 San Francisco State Gators football team represents San Francisco State College during the 1963 Football College Division season . 1 +"Eduardo Rivadavia of "" AllMusic "" praised "" Restless and Wild "" with 4.5 of 5 stars and called it the "" creative breakthrough "" ." "Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 out of 5 stars and praised it Accept 's "" creative breakthrough . """ 0 +Amos Tversky was married to fellow prominent psychologist Tversky ( 1937-1996 ) , until his death in 1996 . Until his death in 1996 , Tversky was married to his prominent psychologist Amos Tversky ( 1937-1996 ) . 0 +The band appears in the video alongside the British comic actors Jo Guest and Sara Stockbridge and the model Matt Lucas . The band appears in the video alongside British comic actors Matt Lucas and Sara Stockbridge and model Jo Guest . 0 +Jason Dohring also came on board as Spencer . Jason Dohring also came as a Spencer on board . 1 +Ahmad of Shirvan was the eighth Shah of Shirvan and fourth Shah of Layzan . Ahmad von Shirvan was the fourth Shah of Shirvan and eighth of Shah of Layzan . 0 +He was part of the Danish team that won the silver medal in men 's gymnastics in 1920 , the Swedish system event in 1920 . He was part of the Swedish team which won the silver medal in men 's gymnastics , Danish system event in 1920 . 0 +In 1964 , Djamila Amrane became after her marriage to Danièle Minne . Djamila Amrane became Danièle Minne after marriage in 1964 . 1 +Robinson played high school basketball at Memphis Melrose High School , where one of his teammates was his professional college and future teammate , Larry Finch . Robinson played High School Basketball at the Memphis Melrose High School , where one of his teammates was his future college and professional teammate , Larry Finch . 0 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and played the Sunset Junction Festival in Los Angeles . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and directed the Los Angeles Sunset Junction Festival . 0 +He previously operated the station through a previous marketing agreement with local owner Liberman Broadcasting . Previously , he had operated the station through a prior marketing agreement with local owner Liberman Broadcasting . 1 +The new style was also encouraged by changes in the social order and the economic structure . The new style was also encouraged by changes in the social order and economic structure . 1 +Fanny Pak had five of the new members from the second season and four same members . Fanny Pak had five of the new members from season two and four same members . 1 +Sakura Spirit is a 2014 visual novel developed by Winged Cloud and developed by Sekai Project . Sakura Spirit is a 2014 visual novel developed by Winged Cloud and published by Sekai Project . 0 +Mirzá Pír Muhammad soon took to Delhi , which place he went and where he was crowned as king . Soon Mirzá Pír Muhammad took to Delhi where he went and where he was crowned as king . 1 +Lake Vernon is located in the Tiltill Valley in the northern sector of Hetch Hetchy Valley just north of Yosemite National Park . Lake Vernon is situated in Tiltill Valley in the northern sector of the Hetch Hetchy Valley north of Yosemite National Park . 1 +Huge fields along the zone were discovered at the Huntington Beach Oil Field in 1920 and at Long Beach Oil Field in 1921 . Huge fields along the zone were discovered at Huntington Beach Oil Field in 1920 , and the Long Beach Oil Field in 1921 . 1 +Tangasaurus is an extinct genus of late Changhsingian tangasaurid neodiapsid known from the Late Permian period ( aquatic basal stage ) of Tanga , northeastern Tanzania . Tangasaurus is an extinct genus of the late Changhsingian Tangasaurids Neodiapsid , known from the late Permian period ( aquatic basal stage ) of Tanga , in northeastern Tanzania . 1 +She studied with Robert Morris , Carl Andre and Robert Barry , and met her fellow art students Tony Smith , Eugene Goossen and Ad Reinhardt . She studied there with Tony Smith , Eugene Goossen and Ad Reinhardt , and met her art students Robert Morris , Carl Andre and Robert Barry . 0 +Villanueva is one of three parishes ( administrative divisions ) in Asturias , a municipality within the province and autonomous community of Ribadedeva , in northern Spain . Villanueva is one of three parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadedeva , northern Spain . 1 +Augustus was consul in 17 BC , during the reign of Gaius Furnius . Gaius Furnius was 17 BC during the reign of the Augustus Consul . 0 +This species comes from southern California in the Pacific Ocean to Peru . This species occurs in the Pacific Ocean from Southern California to Peru . 1 +However , a few families were permitted to live in two villages , Endingen and Lengnau , in Aargau which became the Jewish ghetto in Switzerland . However , a few families were allowed to live in two villages , Endingen and Lengnau , in the Aargau , which became the Jewish ghetto in Switzerland . 1 +"It was born in 2005 , and in 2006 the debut EP "" The Departure "" was released ." "It was released in 2005 and in 2006 was born the debut - EP "" The Departure "" ." 0 +The Murphy and DeSanto wrote the project in 2003 , and DeSanto developed a treatment . The project was developed in 2003 by Murphy and DeSanto , and DeSanto wrote a treatment . 0 +It was released on August 31 , 2004 in the United Kingdom and October 17 , 2005 in the United States . It was published in the United Kingdom on August 31 , 2004 and in the United States on October 17 , 2005 . 1 +Williams ( 1892-1962 ) was the first president of the Welsh Academy ( Yr Academi Gymreig ) . Williams , ( 1892-1962 ) , was the first president of Yr Academi Gymreig ( Welsh Academy ) . 1 +Baarrooble is a town in the central Hiran region of Somalia . Baarrooble is a town in the central region of Somalia of Hiran . 0 +During the LGM , the Laurentide Ice Sheet covered most of northern Alaska , while Beringia connected Siberia with North America . During the LGM the Laurentide Ice Sheet covered most of northern North America while Beringia connected Siberia to Alaska . 0 +One road was built by the government in 1901 from Rotorua to Ruatahuna to end the isolation of Tūhoe by opening the first road . A road was built by the government from Ruatahuna to Rotorua in 1901 to end the isolation of Tūhoe by opening up the first motor road . 0 +Sara Varga ( born April 14 , 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish Vispop singer , songwriter , author and DJ . Sara Varga Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , professionally known as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . 0 +Seleucus was a wealthy Christian Roman Senator of Greek descent who lived in the second half of the 4th century and first half of the 5th century . Seleucus was a wealthy Christian Roman senator of Greek origin who lived in the first half of the 4th century and the second half of the fifth century . 0 +Born as Doris Miles in Glastonbury , Connecticut , she married George J. Disney in 1936 and died in Fredericksburg , Virginia . Born as Doris Miles in Fredericksburg , Virginia , she married George J. Disney in 1936 and died in Glastonbury , Connecticut . 0 +He was considered a liberal Spaniard , who practiced the liberal principles for enforcing liberal and democratic laws . He was considered a liberal Spaniard who practiced the liberal principles for imposing liberal and democratic laws . 1 +"On 11 October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , named "" Felipe Calderón "" ." "On 11 October 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." 0 +He was also familiar with the'abbreviated construction 'as described by Alberti and the geometrical construction of shadows , a technique of Leonardo da Vinci . "He was also familiar with the "" shortened construction "" and the geometrical construction of shadows described by Alberti , a technique of Leonardo da Vinci ." 1 +"Although the arrangement described above is considered "" typical "" , plant species show a wide variation in floral structure ." "Although the arrangement described above is considered "" typical "" , plant species show a wide variation in flower structure ." 1 +It is versatile , naturally very practical and often easy to move . It is practical , often versatile and naturally very easy to move . 0 +John Kasich endorsed Cullen in the 2016 New Hampshire primary several weeks before it took place . Cullen supported John Kasich in the 2016 New Hampshire primary several weeks before it took place . 0 +The show was based on Jackson Davies ' apos ; Beachcombers Constable John Constable character . The show was based on John Constable 's Beachcombers character Constable Jackson Davies . 0 +Geographically , Belews Creek Township occupies in central Forsyth County . Geographically , occupies Forsyth County in the central Belews Creek Township . 0 +Pyrgus alpinus is a butterfly of the family Hesperiidae . It is found from Ghissar to northern India and western China . Pyrgus alpinus is a butterfly of the Hesperiidae family , from Ghissar to northern India and Western China . 1 +In 2013 Nicholas Furiuele married Julia while Peter is married to Anna Barattin , both are members of the band Shantih Shantih . Peter Anna Barattin married in 2013 while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . 1 +He was born in Sofia on May 21 , 1897 , and died in Yambol on June 15 , 1945 . He was born on May 21 , 1897 , in Sofia and died on June 15 , 1945 , in Yambol . 1 +The continuing popularity of this mobile suit in Japan has led Bandai to develop a 1.5m high model version , which went on sale in Japan in 2007 . The continued popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . 0 +"Ashok was then selected to replace Vaibhav Reddy in Deepan Chakravarthy 's psychological thriller "" , a second film in C. V. Kumar ' ; s "" Pizza "" series ." "Ashok was then selected to replace Deepan Chakravarthy in C. V. Kumar 's psychological thriller , a second film in Vaibhav Reddy 's "" Pizza "" franchise ." 0 +In 2009 he joined the San Diego Sockers Professional Arena Soccer League . In 2009 , he joined San Diego Sockers of the Professional Arena Soccer League . 0 +Jagtial is a village and in Mallapur district in the state of Telangana in India . Jagtial is a village and Mallapur district in the state of Telangana , India . 1 +The chapel was also dedicated to St. John , the Baptist and Christina , St. James , all the protectors of the House of Visconti . The chapel was also consecrated to Saint John the Baptist and James , Blessed Christina , all the protectors of the House of Visconti . 0 +( 1892-1962 ) was the first president of Yr Academi Gymreig ( Welsh Academy ) . Williams , ( 1892-1962 ) , was the first president of Welsh Academy ( Yr Academi Gymreig ) . 1 +On 4 January 2015 , Soane Patita Paini Mafi announced that he would appoint Tonga 's Bishop , Pope Francis , on 14 February as a cardinal . On 4 January 2015 , Pope Francis announced that he would make Tonga 's bishop , Soane Patita Paini Mafi , a cardinal on 14 February . 0 +Where codice _ 3 is a type qualifier , which the unqualified type of codice _ 27 is codice _ 28 and the qualified type is codice _ 29 . codice 3 is a type qualifier , where the qualified type of codice 27 codice 28 and the unqualified type are codice 29 . 0 +The 2013 Alcorn State Braves football team represents Alcorn State University in the NCAA Division I FCS Football - Season 2013 . The 2013 Alcorn State Braves football team represented Alcorn State University in the 2013 NCAA Division I FCS football season . 1 +The physical basis of the flower is that lenses in the real world can never perfectly focus . The physical basis of bloom is that , in the real world , lenses can never focus perfectly . 1 +The first Terminus of the Western Lincoln Highway , the historic transcontinental road across America , is in San Francisco 's Lincoln Park . The Western Terminus of the historic transcontinental Lincoln Highway , the first road across America , is located at Lincoln Park in San Francisco . 0 +Xylophanes porcus ( porcus sphinx ) is a moth of the family Sphingidae . It is found from Bolivia south to Florida . Xylophanes porcus ( porcus sphinx ) is a moth of the Sphingidae family and is found from Bolivia south to Florida . 1 +On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further first team experience . On 8 January 2008 , Cumbers was borrowed from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience in the first team . 1 +BareMetal OS has a build script to compile the latest code , make the needed changes , and then pull C code using the Newlib C standard library . BareMetal OS has a build script to compile the latest code , make the necessary changes , and then retrieve the C code using the Newlib C - standard library . 1 +The length of the forewings is 3.5 - 5 mm . Adults have been recorded from November to February in Brazil and in October in Argentina . The length of the wings is 3.5-5 mm , adults have been registered in Brazil from November to February and in Argentina in October . 1 +The following month , Bullet Club received its first Japanese member , when Yujiro Takahashi joined and helped Styles capture the IWGP Heavyweight Championship . The following month , Bullet Club received its first Japanese member , when Styles joined and Yujiro Takahashi helped win the IWGP Heavyweight Championship . 0 +Dracco Company Ltd. with Apex Marketing subsequently created the basic version of the game and established the online universe of Chaotic . With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the basic universe from Chaotic . 0 +In New South Wales , the Narara Valley High School in Australia and the Nossal High School in Victoria taught the course in their 2012 school year . In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their 2012 school year . 0 +Élisabeth Dominique Lucie Guignot was born to a well-off Parisian family and married Gérard Depardieu on 19 February 1970 . Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on 19 February 1970 . 1 +Le Sueur County is a lake in Sasse Lake , in the U.S. state of Minnesota . Le Sueur County is a lake in Sasse Lake , in the US state of Minnesota . 1 +The river Burduja is a tributary of the River Urechioiu in Romania . The Urechioiu River is a tributary of the Burduja River in Romania . 0 +Renovations in 2007 have replaced the front entrance with a modern design that mimics the original façade and the taller original roof is now a simpler metal roof structure . Renovations in 2007 have replaced the front entrance with a modern design that mimics the original façade and the higher original roof is now a simpler metal roof structure . 1 +Culross Island is an island in Prince William Sound , Alaska , within the Chugach National Forest , located immediately east of Perry Island . Culross Island is an island in Prince William Sound , Alaska , within the Chugach National Forest , just east of Perry Island . 1 +The river Cleja is a tributary of the Iminog River in Romania . The River Iminog is a tributary of the River Cleja in Romania . 0 +After moving to Norway as a political refugee in 1988 , he began writing novels about the leftist uprising in Turkey . After moving to Turkey in 1988 , as a political refugee , he began writing novels about the leftist revolt in Norway . 0 +This process is the photographic equivalent of a cylindrical card projection in cartography . This process is the cylindrical equivalent of a photographic map projection in cartography . 0 +Jacopo Silvestri ( 16th -- 15th century ) was an Italian cryptographer and author . Jacopo Silvestri ( 16th century -- 15th century ) was an Italian cryptographer and author . 1 +In 1893 , Emma Lee married Robert Kelley . In 1893 , Emma married Robert Lee Kelley . 0 +From 1999 to 2006 he was a national sportscaster for popular radio sports on CBC Radio , and anchored the radio coverage for four Olympic Games . From 1999 to 2006 he was a national athlete for popular radio sports at CBC Radio and anchored the radio coverage for four Olympic Games . 1 +"Upland is mentioned in 2008 Hugh Laurie Film "" Street Kings "" as the home of the LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." "Upland is mentioned in the 2008 Keanu Reeves film "" Street Kings "" as the home of LAPD Internal Affairs Captain James Biggs ( played by Hugh Laurie ) ." 0 +In February 2016 it was announced that John Kasich has joined Governor Kasich of Ohio as National Co Chairman and California State Chairman for Steve Poizner for President . In February 2016 , it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich as President . 0 +Between 1937 and 1957 , Squadron was a unit of the British Auxiliary Air Force and later of the Royal Auxiliary Air Force . No . 615 ( County of Surrey ) Squadron was a unit of the British Royal Auxiliary Air Force and later the Auxiliary Air Force between 1937 and 1957 . 0 +"During this period , two Liberals held cabinet rank , plus one who sat as a "" National "" ." "During this period , two national liberals had a cabinet rank , plus one who sat as "" Liberal "" :" 0 +Goolagong Cawley reached five finals between 1971 and 1980 but won only her first and last finals . Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and last endgame . 0 +Santander department is a town and municipality in Albania in northeastern Colombia . Albania is a town and municipality in the Santander Department in northeastern Colombia . 0 +Hector Pieterson was buried together with Hastings Ndlovu at the Avalon Cemetery in Johannesburg . Hastings Ndlovu was buried with Hector Pieterson at the Avalon cemetery in Johannesburg . 0 +The bones of Zrinski and Frankopan were found in 1907 in Austria and brought to Zagreb in 1919 , where they were rebuilt in the Zagreb Cathedral . The bones of Zrinski and Frankopan were found in Zagreb in 1907 and brought to Austria in 1919 , where they were buried in the Zagreb Cathedral . 0 +""" Frog Legs Rag "" is a classic cardboard composed by John Stillwell Stark and published by James Scott in December 1906 ." """ Frog Legs Rag "" is a classic rag composed by James Scott and published by John Stillwell Stark in December 1906 ." 0 +In March 1977 , Hannah retired and died the following year . Hannah died in March 1977 and went retired the following year . 0 +It is distributed from China to Siberia and found in dry slopes or rocky places . It is distributed from China to Siberia and found in rocky slopes or dry places . 0 +Many people who admit to being common tanners say that they tan to look good , to feel good and relax . Many people who admit to being frequent tanners say they tan to look good , feel good , and to relax . 1 +All the fixed commemorations below are observed on 17 January by the Orthodox Churches on the Old Calendar . All observed commemorations below are fixed on January 17 by Orthodox Churches on the Old Calendar . 0 +Morris Township is located in the 11th Congressional District and is part of New Jersey 's 25th state legislative district . Morris Township is located on the 25th Congressional District and is part of the 11th State Legislative District in New Jersey . 0 +"Other works of Bailly in Washington , D.C. include sculptures by Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Bailly 's other works in Washington , D.C. include sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." 1 +The Hunters is a 2011 French crime horror thriller film directed by Antoine Huet . The film was produced by Chris Briant , The film The Hunters is a French crime - horror - thriller - film from 2011 by Antoine Huet , produced by Chris Briant . 1 +After the death of his first wife , Ann Fontron , Forbes Madeleine married Carpenter and had one daughter , Julie Holmquist . After the death of his first wife , Ann Fontron , Forbes married Madeleine Carpenter . He had one daughter , Julie Holmquist . 0 +The river Albele is a tributary of the Ciolanu River in Romania . The Ciolanu River is a tributary of the Albele River in Romania . 0 +Is a short book by Karla Kuskin , published first in 1962 , with illustrations by Virginia Cary Hudson . Is a short book by Virginia Cary Hudson , first published illustrations by Karla Kuskin in 1962 . 0 +Chevrolet Performance LSX376 crate engines use updated versions of LSX crate engine family designed to support up to 1,000 horsepower . All models are Chevrolet Performance LSX Bowtie block . Chevrolet Performance LSX376 crates - Engines use updated versions of the LSX box - engine family designed to support up to 1,000 horsepower . All models are Chevrolet Performance LSX Bowtie Block . 1 +Ogier in versions of the Renaissance travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 's paramour . In versions of the Renaissance , Ogier travels into the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's Paramour . 0 +In combination with Estradiol Enanthate , Algestone Acetophenide is used as a monthly injectable contraceptive for women in Latin America and Spain . Algestone acetophenide is used in combination with estradiol enanthate as a monthly-once combined injectable contraceptive for women in Latin America and Spain . 1 +Solomons was born in Thorpe Bay and brought up with his four siblings in Orsett , Essex by his mother and father . Solomons was born in Orsett , Essex and with his four siblings in Thorpe Bay brought up by his mother and his father . 0 +In 1824 Richard Grainger was commissioned by John Dobson to produce designs for Old Eldon Square . In 1824 , John Dobson was commissioned by Richard Grainger to produce designs for the Old Eldon Square . 0 +From there it flows downward into the valley through a minimally developed series of swamps and ponds , south but trending further to the west . From there , through a minimally developed series of swamps and ponds , it flows south into the valley , to the south , but further west . 1 +Cherry Jones ' character is the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary played by Katie Holmes . The character of Cherry Jones was the daughter of Elizabeth , played by Allison Janney , and not Mary 's daughter , played by Katie Holmes . 1 +"I also made silver and gold , as is written : "" And the king gathered silver to be as stones in Jerusalem , ( 1 kings x ." "I made me also silver and gold ; as it is written , "" And the king gathered silver to be in Jerusalem as stones "" ( I Kings x ." 1 +The 1956 National Football League season was the 11th anniversary year of the Los Angeles Rams team and the 19th season in Los Angeles . The 1956 Los Angeles Rams season was the 19th anniversary of the team with the National Football League and 11th season in Los Angeles . 0 +Lea Lea Antonoplis and Cammy MacGregor won in the final with 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . Ann Henricksson and Julie Richardson won 6 -- 3 , 3 -- 6 , 7-5 against Lea Antonoplis and Cammy MacGregor in the final . 0 +The journalist , played by Elio Germano ( Luke Gualtieri , the fictitious journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . The journalist played by Elio Germano ( Lorenzo Guadagnucci , the fictional Journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . 0 +The first stamps used in Tunisia were those of the colonial power , France , from 1888 . Stamps specifically for Tunisia were issued from 1 July 1888 . The first stamps used in Tunisia were those of the colonial power of France in 1888 . Stamps specifically issued for Tunisia were issued from 1 July 1888 . 1 +Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston included writers for the project . For this project , Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included . 1 +Another series was played in Havana between the Boston Red Sox and the Cincinnati Reds . Another series was played between the Boston Red Sox and the Cincinnati Reds in Havana . 1 +Magda Lorne learns from her supervisor , Cholayna Ares , that a Terran operative , Alexis Anders , has survived a plane crash in the Hellers a week earlier . Alexis Anders learns from her supervisor , Cholayna Ares , that a Terran agent , Magda Lorne , has survived a plane crash in the Hellers a week earlier . 0 +The nest is on the ground in a low shrub . Like most Old World warblers , this insectivorous passerine is small . The nest is located in a low shrub on the ground , and like most old world warblers , this small passerine is insect-eating . 0 +In addition to her own dowry , Katherine brought the wardship of her daughter Cecily to her new husband . Together William Hastings and Katherine had six children : In addition to her own dowry , Cecily brought her new husband the station of her daughter , Katherine , who , together with William Hastings and Katherine , had six children : 0 +Recently , Sexson lived with his wife Kerry in Ridgefield , Washington , and has been a baseball trainer at the Summit High School in Bend , Oregon since 2014 . Most recently , Sexson lived with his wife Kerry in Bend , Oregon , and has been a baseball trainer at Summit High School in Ridgefield , Washington since 2014 . 0 +It will be convenient to write the acceleration vector as formula _ 26 and also to set It will be convenient to write and set the acceleration vector as Formula 26 . 1 +The Indian reserves of the first peoples of Okanagan also form identifiable communities : The identifiable reserves of the Okanagan Indian peoples also form first communities . 0 +"Immediately after he and Whitehead wrote PM , he published his 1912 , "" The Problems of Philosophy "" ." "Immediately after he and Whitehead PM released , he wrote his "" The Problems of Philosophy "" in 1912 ." 0 +Initials can be placed either before or after their first name when they are used . Initials can be used either before or after their first name when they are placed . 0 +Elinor had also told Do privately that she had read her letters to Juliet . Julia had also privately told Do that she had read her letters to Elinor . 0 +Hindsholm was incorporated into the former Odense County while the bulk of the new province was merged with Tranekær County and renamed to Svendborg County . Hindsholm was incorporated into the new Odense county , while most of the former province was merged with Tranekær County and renamed the county of Svendborg . 0 +It is south west of Burlington , Vermont , south of Montreal , Quebec , south of Albany and north of Plattsburgh . It is southwest of Burlington , Vermont , south of Montreal , Quebec , south of Albany , and north of Plattsburgh . 1 +"The Botfei River or the Agri "" River is a tributary of the Beliu River in Romania ." "The Beliu River or Agri "" River is a tributary of the Botfei River in Romania ." 0 +Leontin Florian Grozavu ( born August 19 , 1967 ) , better known as Leo Grozavu , is a former football manager and Romanian football professional . Leontin Florian Grozavu ( born 19 August 1967 ) , commonly known as Leo Grozavu , is a former football manager and Romanian professional football player . 1 +The ritual of the celebration gradually received a distinctive character with a number of similar elements : ceremonial meetings , speeches , lectures , receptions and fireworks . The ritual of the celebration gradually obtained a distinctive character with a number of ceremonial elements : similar meetings , speeches , lectures , receptions and fireworks . 0 +"During the first season of the FOX series "" Sleepy Hollow "" , Aarniokoski directed the 7th episode , "" The Midnight Ride "" ." "During the first season of FOX - Series "" Sleepy Hollow "" , Aarniokoski staged the 7th episode "" The Midnight Ride "" ." 1 +For a few years Björn went to the same school as Daniel ; at the age of fifteen he founded a band called Butler together with Björn Dixgård . For a few years Daniel went to the same school as Björn Dixgård and founded a band called Butler with Björn at the age of fifteen . 0 +On December 30 , 1888 , she married Susie J. Clarke in Ayer , Massachusetts . Brown married Susie J. Clarke in Ayer , Massachusetts , on December 30 , 1888 . 1 +It is possible to calculate when to remove the press and to open the cured , molded rubber . It is possible to calculate when the press is to open and to remove the hardened , molded rubber . 0 +Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man , and Tingvoll in Scotland bear names of the same root and meaning . The names of Dingwall and Tingwall in Scotland , Thingwall in England , Tynwald on the Isle of Man and Tingvoll in Norway bear the same roots and meanings . 0 +It followed MacPaint and was a competitor to SuperPaint from Silicon Beach Software . It was MacPaint and followed a competitor to Silicon Beach Software 's SuperPaint . 0 +In August 2010 , Axel Bulthaupt presented an episode , while Stefan Mross was absent for personal reasons . Stefan Mross presented an episode in August 2010 , while Axel Bulthaupt was absent for personal reasons . 0 +On May 24 , 1938 , a spur to Oglesby was designated , but not created . On May 24 , 1938 , a spur was designated after Oglesby , but not created . 0 +Seon is a municipality in the Aargau district of the canton of Lenzburg , Switzerland . Seon is a municipality in the district of Aargau in the canton of Lenzburg in Switzerland . 1 +It is found in Burundi , the Democratic Republic of the Congo , Rwanda , and Uganda . It was found in Uganda , the Democratic Republic of the Congo , Rwanda and Burundi . 0 +After leaving the Stuttgart opera , Ellmenreich performed as a guest artist . She also had a career as a concert singer . She died in Berlin . After leaving the Berlin Opera , Ellmenreich performed as a guest artist , had a career as a concert singer and died in Stuttgart . 0 +Mary Pierce won the title by defeating Iva Majoli 6 -- 4 , 6 -- 4 in the final . Iva Majoli won the title by defeating Mary Pierce 6 -- 4 , 6 -- 4 in the finals . 0 +The 12th and last months contain 30 days and the even numbered months 29 days , the odd month in a leap year contains 30 days . The 12th and final numbered months contain 30 days and the even numbered months 29 days , the odd month in a leap year contains 30 days . 1 +Uut is the chemical symbol of university , the former name of a chemical element now called nihonium ( Nh ) . Uut is the chemical symbol of Ununtrium , the former name of a chemical element now called Nihonium ( Nh ) . 0 +In the London production the role was played by Jerome Pradon , and the role was taken over by Robbie Scotcher on 23 June 2008 . In London production , the role of Robbie Scotcher was played and the role was taken on 23 June 2008 by Jerome Pradon . 0 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in London , and lived in North Kilworth , South - Leicestershire . Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in Leicestershire , and lived in North Kilworth , South London . 0 +The main father and spiritual initiator of this wine school was Immanuel Dornfeld . Immanuel Dornfeld was the spiritual father and main initiator of the wine school . 0 +Many owners of resorts operated both a summer resort in Florida and a winter resort in Maine . Many resort owners run both a summer resort in Maine and a winter resort in Florida . 0 +A small-medium Macedonian Jewish community has a very long presence on the Mediterranean coast , especially in Gush Dan and northern Israel . A small-medium Macedonian Jewish community has a very long presence in the Mediterranean coast , especially in Gush Dan and in the Northern Israel . 1 +I 'm Swiss ( and other Treasonous Statements ) is the seventh HBO special by comedian Bill Maher . I am a Swiss ( and other treasonous statements ) is the seventh HBO - Special by Comedian Bill Maher . 1 +He feared that he would be murdered if he fled to Tokyo and went to Moulmein instead . He feared that he would be murdered if he went to Moulmein and fled to Tokyo instead . 0 +Other languages spoken at home contains Mandarin 4.0 % , Cantonese 1.8 % , Russian 1.7 % , Greek 1.6 % and Spanish 1.3 % . Other languages spoken at home include Mandarin 4.0 % , Spanish 1.8 % , Greek 1.7 % , Russian 1.6 % and Cantonese 1.3 % . 0 +Add new equation and collective bargaining sites and federal labor laws , and these become numerous considerations for the problem solving method . Add new locations to the equation and Collective Bargaining and Federal labor laws and these become numerous considerations for the problem solving method . 0 +Weintraub discovered such acts as Peter , Paul and Mary , Randy Newman ( with whom he was arrested for obscenity ) , Lenny Bruce and The Isley Brothers . Grapes discovered such acts as Peter , Paul , and Mary , Randy Newman ( with whom he was arrested for obscenity ) , Lenny Bruce , and The Isley Brothers . 1 +In 1977 , he was re-elected and elected to the newly created Court of Appeals District 1 in April 1978 . He was elected in 1977 , and in April 1978 was re-elected to the newly created Court of Appeals District 1 . 0 +Ramakrishna is a family drama in Tamil directed by Agathyan produced by Sivasakthi Pandian . Ramakrishna is a family drama in Tamil staged by Agathyan , directed by Sivasakthi Pandian . 0 +The Monroe Free Press is a weekly newspaper serving Monroe , Louisiana , El Dorado , Arkansas . The Monroe Free Press is a weekly newspaper serving Monroe , Arkansas , El Dorado , Louisiana area . 1 +Pleasant Peak is a location on the Falkland Islands , East Falkland , to the north of RAF Mount Pleasant . Pleasant Peak is a location on the RAF Mount Pleasant , East Falkland , north of Falkland Islands . 0 +The work was released in its fifth in 2003 , it was completed in August the release Rush from the same year . The work was completed in its fifth in 2003 , it was released in August the release Rush from the same year . 0 +Siskiyou National Forest is located on U.S. Route 101 between the Pacific Ocean and the Gold Beach , north of Port Orford and south of Bandon . Port Orford is located on the US Route 101 between the Pacific and Siskiyou National Forest , north of Gold Beach and south of Bandon . 0 +Most Japanese troops are killed in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is captured . Most of the Japanese troops are captured in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is killed . 0 +"Religious Institute -- "" a society where members ... pronounce public vows ... and lead a common life of brothers or sisters "" ." "Religious institute -- "" a society in which members ... pronounce common vows ... and lead a life of brothers or sisters in public "" ." 0 +The project was similar , with the unique one in Estonia , but Belgrade is the only European capital to have it . The project was unique , with the similar in Estonia , but Belgrade is the only European capital to have it . 0 +He moved of health reasons to Santa Barbara in 1871 where he first settled in Southern California . In 1871 , for health reasons , he moved to Santa Barbara , where he first settled in Southern California . 1 +He played for the Brooklyn Dodgers in 1942 , and from 1946 to 1948 for the New York Giants . He played for the New York Giants in 1942 and for the Brooklyn Dodgers from 1946 to 1948 . 0 +All songs written and composed by Jack Hues except as noted Note that Nick Feldman was credited as Nick DeSpig during this album . All songs written and composed by Nick Feldman , except as noted . Note that Jack Hues was credited as Nick DeSpig throughout this album . 0 +Meridian Charter Township is a charter township of Ingham County in the US state of Michigan . Ingham County is a charter township of Meridian Charter Township in the U.S. state of Michigan . 0 +In the MotoGP race Casey Stoner won finishing 3.44 seconds ahead of 2010 world champion Jorge Lorenzo with Dani Pedrosa in third place . In the MotoGP race Jorge Lorenzo won 3.44 seconds ahead of the 2010 World Champion , third place Casey Stoner with Dani Pedrosa . 0 +In November 2015 , Bensebaini was appointed for the first time to the national team of Algeria for a pair of FIFA World Cup qualifiers in 2018 against Tanzania . In November 2015 , Bensebaini was appointed for the first time to the national team of Tanzania for a pair of FIFA World Cup qualifiers in 2018 against Algeria . 0 +Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport for Nanaimo Harbour Water Aerodrome . Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Nanaimo Harbour Water Aerodrome to Vancouver International Water Airport . 0 +Other villages include Larchmont ( also included in Newtown Township ) and Lawrence Park . Other villages include Larchmont ( also in Lawrence Park ) and Newtown Township . 0 +Searching a binary search tree for a specific key can be programmed recursively or iteratively . Searching for a binary search tree according to a specific key can be programmed recursively or iteratively . 1 +It was produced in a limited edition of 4,200 copies as a vinyl - LP and was published on April 21 , 2012 in conjunction with the Record Store Day . It was produced as a vinyl LP in a limited edition of 4,200 copies , and released on April 21 , 2012 , in conjunction with Record Store Day . 1 +The station opened on 1 July 1903 on the Donegal Railway Company line from Stranorlar to Glenties . The station was opened on 1 July 1903 on the railway line Donegal Railway from Stranorlar to Glenties . 1 +There I went forth , and there was he : here and there I find him to my sorrow . There I was , and there he went : here and there to my sorrow I find him . 0 +The subspecies of the Chinese box turtle and the schwarzbreasted pond turtle are native to the islands , as is the Ryukyu yellow leaf turtle . Subspecies of the Chinese box turtle and the black-breasted pond turtle are native to the islands , as is the Ryukyu yellow leaf turtle . 1 +"In July 2012 Sindre and Ole Johan Sæther repeated the feat of climbing the "" Krasnoyarsk route "" ." "In July 2012 , Johan Sæther and Ole Sindre repeated the feat by climbing the "" Krasnoyarsk route "" ." 0 +With the line E of the U-Bahn , PreMetro E2 was the second phase of the project , with the construction of PreMetro E1 being the first phase . With Line E of the Underground , PreMetro E2 was the second phase of the project with the construction of PreMetro E1 being the first phase . 1 +""" Town Without Pity "" is a song written by the composer Ned Washington and lyricist Dimitri Tiomkin ." """ Town Without Pity "" is a song by composer Dimitri Tiomkin and Texter Ned Washington written ." 0 +Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana , and attended Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Tennessee in 1926 , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . 1 +The thirteen colonies of the original United States were all former British possessions , and Anglo culture became an important foundation for American folk music and popular music . The Thirteen Colonies of the Anglo United States were all original possessions , and popular culture became a major foundation for American folk and former British music . 0 +"It is the first entry in the series , the second is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." "It 's the second entry in the series , the first is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." 0 +Brazil had signed a separate Loizaga -- Cotegipe Treaty with Paraguay now in 1872 and already did much to help Paraguay in its negotiations with Argentina . Brazil had signed a separate Loizaga - Cotegipe contract with Paraguay in 1872 and already did much to help Paraguay in its negotiations with Argentina . 1 +Emperor Ferdinand I played a role in the coronation celebrations of Emperor Matthias , 1612 and the election of Johann Reinhard in 1619 . Johann Reinhard I played a role in the coronation of Emperor Matthias in 1612 and the election of Emperor Ferdinand in 1619 . 0 +She is a wife of Tania Cagnotto and mother of Giorgio Cagnotto . She is the wife of Giorgio Cagnotto and mother of Tania Cagnotto . 0 +Prenatal hormones , especially glucocorticoids such as cortisol , are essential for Adrenal development of organs , particularly for the maturation of the lungs . Prenatal hormones , especially glucocorticoids such as cortisol , are essential for the development of the adrenal organs , particularly for the maturation of the lungs . 1 +He remains a somewhat enigmatic figure . It has been questioned whether he could be distinguished with Monulph , but the two saints are usually identical . He remains a somewhat mysterious figure : it has been questioned whether he could be identical with Monulph , but the two saints are usually distinguished from one another . 0 +The ARRC Support Battalion is based in the military complex Rheindahlen , Germany ( until June 2010 it was at Imjin Barracks , Innsworth ) . The ARRC Support Battalion is based at Imjin Barracks , Innsworth ( until June 2010 , it was at Rheindahlen Military Complex , Germany ) 0 +The winning Mike McEwen team represented Ottawa at the 2016 Tim Hortons Brier in Manitoba . The winning team from Mike McEwen represented Ottawa in the Tim Hortons Brier 2016 in Manitoba . 1 +The Nottawa Creek , also known as the Nottawa River , flows through Athens . The Nottawa River , also known as the Nottawa Stream , flows through Athens . 1 +The Murphy and DeSanto wrote the project in 2003 , and DeSanto developed a treatment . Murphy and DeSanto developed the project in 2003 , and DeSanto wrote a treatment . 0 +Eusebius , despite his own views on Papias , knew that Irenaeus believed Papias to be a reliable witness to original apostolic traditions . Despite his own views about papias , Eusebius believed that Irenaeus papias knew to be a reliable witness of original apostolic traditions . 0 +Peggy Edenfield testified against her husband George in that case and also agreed to testify against her son , David , during his trial . Peggy Edenfield testified in the case against her husband David and has also agreed to testify against her son George during his trial . 0 +Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper-Ghat in winter . Kunkuri is the coldest region in Nichghat in summer and Pandrapat is the hottest region in Upper Ghat in winter . 0 +The Hardin Independent School District is a public school district based in Hardin , Texas ( USA ) . Hardin Independent School District is a public school district located in Hardin , USA ( Texas ) . 1 +"After the meeting with "" O 13 "" , which returned from West India , both ships returned to the Netherlands ." "After meeting with "" O 13 "" , which returned from the Netherlands , both ships returned to the West Indies ." 0 +At UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . During the UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . 1 +The executive branch of the government consisted of the president , the prime minister , a number of federal ministers , and deputy prime ministers . The executive branch of government consisted of the president , the prime minister , a number of federal ministers , and the deputy prime ministers . 1 +Shaffer Creek is a tributary of Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania in the United States . Shaffer Creek is an tributary of Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania in the United States . 1 +Liberty Township borders Clinton County to the northeast , Marion Township to the southeast , Howard Township to the southwest , and Curtin Township to the West . Curtin Township is limited by Liberty Township to the northeast , Marion Township to the southeast , Clinton County to the southwest and Howard Township to the West . 0 +"Her son Marc appeared in two episodes with Tony as "" Brian Sims "" on "" Taxi "" ." "Her son Brian Sims appeared in two episodes with Tony on "" Taxi "" as Marc ." 0 +The cast list indicates a date of first performance after Taylor joined the company in the Spring of 1619 , and before Tooley 's death in June 1623 . The cast list indicates a first performance date after Taylor entered the company in the spring of 1619 and before the death of Tooley in June 1623 . 1 +He studied oriental languages in Leiden ( Athenaeum Illustre ) and in Amsterdam . He studied oriental languages in Amsterdam ( Athenaeum Illustre ) and in Leiden . 0 +He has previously played for the Anaheim Angels/Los Angeles Angels of Anaheim , New York Mets , Baltimore Orioles , Milwaukee Brewers , and Detroit Tigers . He has previously played for the Anaheim - Angel / Los Angeles - Angels of Anaheim , New York Mets , Baltimore Orioles , Milwaukee Brewers and Detroit Tigers . 1 +Frederick A. de Armas is a literary scholar , critic and novelist who is currently Andrew W. Mellon Distinguished Service Professor in Humanities at the University of Chicago . Frederick A. de Armas is a literary scholar , critic , and novelist who is currently Andrew W. Mellon Distinguished Service Professor of Humanities at the University of Chicago . 1 +Gasson was born in New York City , and his registered home in Ireland at the time of the Civil War . Gasson was born in Ireland , and his registered home was in New York City at the time of the civil war . 0 +Incumbent Jeb Hensarling ( R-Dallas ) faced Democrat Charlie Thompson of Athens in the general election , along with Libertarian Mike Nelson . Incumbent Jeb Hensarling ( R-Athens ) confronts Democrat Charlie Thompson of Dallas in the general election , along with Libertarian Mike Nelson . 0 +Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of the established character Tiger Dyke from his hometown . Joey Ellis was in the role of Nathan Bryon , who would be introduced from his hometown as a friend of the established character Tiger Dyke . 0 +H02 is a regional road ( H-Highway ) in Lviv - Oblast and Ternopil - Oblast , Ukraine , which runs westway and connects Ternopil with Lviv . H02 is a regional road ( H-Highway ) in Ternopil . It runs west-east and connects Lviv Oblast and Ternopil Oblast , Ukraine with Lviv . 0 +In 1955 , the United Kingdom , Italy followed in 1964 by Hiroshi Tada and Germany in 1965 from Katsuaki Asai . The United Kingdom followed in 1955 ; Italy in 1964 by Hiroshi Tada ; and Germany in 1965 by Katsuaki Asai . 1 +The New York and Erie Railroad completed its line between Hornell and Dunkirk , New York via Piermont and Salamanca in 1851 . In 1851 , New York and Erie Railroad completed its line between Hornell and Dunkirk , New York via Piermont and Salamanca . 1 +For the 2014 season , Ricochet received a new varnish , green supports and a blue track . Ricochet received a new paint job for the 2014 season , blue supports and a green track . 0 +He was born in Cedar Rapids , Iowa , and died in Fairfax , Iowa . Terry was born in Fairfax , Iowa , and died in Cedar Rapids , Iowa . 0 +All of the songs are written by Chaitanya and composed by S. Narayan . All the songs are composed by Chaitanya and written by S. Narayan . 0 +It is found only in Yunnan and its tributaries in the Dianchi - Lake , China . It is only found on Dianchi Lake and its tributaries in Yunnan , China . 0 +It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it is often grown with gravel in sandy soils . It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it is often grown with gravel in sandy soils . 0 +As a senior team with a compliant stadium , they are entitled to enter the Scottish Cup . As a compliant team with a senior citizen stadium , you are entitled to enter the Scottish Cup . 0 +In 2013 was the highest teenager - birth rate in Alabama and the lowest in Wyoming . In 2013 was the highest teenager - birth rate in Wyoming and the lowest in Alabama . 0 +McConkey is best remembered for his performance in Super Bowl XXI after the Giants ' 1986 season , which the Giants won 39-20 over the Denver Broncos . McConkey is best for his performance in the Super Bowl XXI after the 1986 season in Denver Broncos , which won the Giants 39-20 against the Giants . 0 +Walnut Hill was also on the Goshen Road , an early road across Illinois , from Glen Carbon to the Goshen Settlement near Shawneetown . Walnut Hill was also on the Goshen Road , an early street through Illinois , from Shawneetown to the Goshen Settlement near Glen Carbon . 0 +"J. Augustus Johnston ( "" fl . "" 1870-1890 ) was the American consul in Beirut and replaced G. Augustus Johnson ." "G. Augustus Johnson ( "" fl . "" 1870-1890 ) was American consul in Beirut . He replaced J. Augustus Johnston ." 0 +He was born in July 1973 in Petroupoli ( Athens ) . He was born in July 1973 in Athens ( Petroupoli ) . 1 +On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League B of New York Cosmos . On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League after New York Cosmos B . 0 +Massy was the son of Colonel Hugh Massy and the elder brother of General Eyre Massey , the first Baron Clarina . Massy was the son of Colonel Hugh Massy and the elder brother of General Eyre Massey , 1st Baron Clarina . 1 +Sporting Club Suceava was a professional football club from Romania , based in Suceava and founded in 2008 . Sporting Club Suceava was a professional football club from Romania with headquarters in Suceava and founded in 2008 . 1 +He frequently attended ballet performances at the Paris Opera and often observed teaching at the dance school . He frequently attended ballet performances at the Paris Opera and often observed classes at the dance school . 1 +Narwee railway station is located at the South Line Airport on the Sydney Trains Network , with Riverwood to the west and Beverly Hills to the east . Beverly Hills railway station is located at the South Line Airport on the Sydney Trains Network , with Riverwood in the west and Narwee to the east . 0 +In 2010 , Hatherley joined the band of KT Tunstall , playing lead guitar and replacing Sam Lewis . In 2010 Hatherley joined Sam Lewis 's band , playing lead guitar and replacing KT Tunstall . 0 +The Salem militia used Charlotte County and White Creek as its bases in 1776 . The Charlotte County and White Creek Militia used Salem as its base in 1776 . 0 +"Cody was seen as Linda Lou in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." "Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefit Concerto by "" The Best Little Whorehouse in Texas "" ." 1 +Three ships of the United States Navy have been named Cowell , after John G. Cowell . Three United States Navy ships have been named after Cowell John G. Cowell . 0 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." "In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." 1 +Donnelly was one of several players born in Northern Ireland who benefited from the FAI 's attempts to establish their all-Ireland influence . Donnelly was one of several players born in Ireland who benefited from the FAI 's attempts to establish their entire Nordic influence in Ireland . 0 +On the April 12 episode of Impact , Jesse Neal , Hall and Nash defeated Team 3D and Waltman in a Street Fight . In the episode of Impact Jesse Neal , Hall and Nash Team 3D and Waltman defeated in a street fight . 0 +The advent of vocal percussion added new dimensions to the a cappella genre and has spread very widely in modern arrangements . The advent of modern percussion added new dimensions to the a cappella genre and has become very prevalent in vocal arrangements . 0 +Belson as an audio director programmed live kinetic visuals and Jacobs programmed electronic music and visual experiments . Belson as Visual Director programmed live kinetic visuals and Jacobs programmed electronic music and audio experiments . 0 +The nearest train station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , which is in the station Nakamura . The nearest train station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Shimanto . 0 +In April 2015 , Schultz left Novo Nordisk to assume a position as CEO of Lundbeck . In April 2015 , Schultz Novo left Nordisk to assume a position as CEO of Lundbeck . 1 +Ronald Raphael Coifman is the Phillips Professor of Mathematics at Yale University . Coifman earned a doctorate from the University of Geneva in 1965 , supervised by Jovan Karamata . Jovan Karamata is a Phillips professor of mathematics at Yale University , doctorate from the University of Geneva in 1965 and supervised by Ronald Raphael Coifman . 0 +"In the film 2015 "" The Danish girl "" Sebastian Koch is presented by Kurt Warnekros ." "Kurt Warnekros is presented by Sebastian Koch in the film "" The Danish Girl "" 2015 ." 0 +In their second game , which was their first game in the Puerto Rico , they beat Hofstra 108 -- 63 . In their second game , which was their first game in the Puerto Rico tip-off , they beat Hofstra 108 -- 63 . 1 +The regular radio announcers are Mark Champion with play-by-play and Rick Mahorn with color commentary . The regular radio announcers are Mark Champion with Play - by-Play and Rick Mahorn with color commentary . 1 +64 Democrats and 64 Whigs were declared elected to the New York State Legislature of the 73rd New York State Assembly . In the New York State legislature of the 73rd New York State Assembly , 64 democrats and 64 whigs were elected . 1 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it on October 6th , 2015 in North America ." """ The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment released it in Germany on October 6 , 2015 ." 0 +Nakamura has also worked on green LEDs , and is responsible for creating the white LED and blue laser diodes used in Blu-ray Discs and HD DVDs . Nakamura has also worked on white LEDs and is responsible for creating the blue LED and green laser diodes that are used in Blu - ray Discs and HD DVDs . 0 +Gerard Leachman travelled with St. John Philby and Holt on occasion . Holt traveled on occasion with St. John Philby and Gerard Leachman . 0 +The marshal 's daughter is a US American action film , staged by William Berke in 1953 and written by Bob Duncan . The Marshal 's Daughter is a 1953 American action film directed by William Berke and written by Bob Duncan . 1 +Turbonilla garthi is a species of sea snail , a marine gastropod mollusk in the family Pyramidellidae , the pyrams and their allies . It has the genus Turbonilla . Turbonilla garthi has a species of sea snail , a marine gastropod mollusk in the family Pyramidellidae , the pyramids and their allies It is the class Turbonilla . 0 +The CPE may refer to devices provided by the subscriber , or to those purchased by the operator or service provider . CPE can refer to devices purchased by the subscriber , or to those provided by the operator or service provider . 0 +Unionville is an unincorporated community in Massac County , Illinois , United States . Unionville is east of Brookport . Unionville is an unlawful community in Massac County , Illinois , United States Brookport is east of Unionville . 0 +The 1973 Purdue Boilermakers football team represented Purdue University in the 1973 Big Ten Conference football season . The 1973 Purdue Boilermakers football team represented Purdue University in the football season of 1973 at the Big Ten Conference . 1 +In 1989 , the magazine received its present name , and the following year the Jewish Bible Association became the World Jewish Bible Society . The journal received its present name in 1989 , and the following year the World Jewish Bible Society became the Jewish Bible Association . 0 +Born in the middle of the Great Depression , Carl Carl Spitz was trained and owned by Terry . Carl Spitz , born in the midst of the Great Depression , was trained and owned by Terry . 1 +The primitive heart or the tubular heart tube is the earliest stage of the heart development . The tubular heart or the primitive heart tube is the earliest stage of heart development . 1 +In 1880 , he was the democratic candidate for his old seat and lost 1725 votes to Bradford 's 2,263 votes to Republican incumbent Ira B. Bradford . In 1880 , he was the Republican candidate for his old seat , losing to Democratic incumbent Ira B. Bradford with 1725 votes to Bradford 's 2,263 . 0 +The wingspan flies , the moth comes depending on the location from July to August . The wingspan is sized , the moth flies depending on the location from July to August . 0 +It was created in 2003 from parts of Mississauga and Mississauga West -- Brampton West ridings . It was created in 2003 from parts of the Mississauga and Mississauga West -- Brampton West Ridings . 1 +Virgil Weigel is Democratic member of the Kansas House of Representatives , representing the 56th district ( Shawnee County , Kansas in Topeka , Kansas ) . Virgil Weigel is a democratic member of the House of Representatives of Kansas , representing the 56th district ( Topeka , Kansas in Shawnee County , Kansas ) . 0 +The Colnici River is a tributary of the Borcut River in Romania . The Borcut River is a tributary of the River Colnici in Romania . 0 +Orange lights show a sunny day , green lights a cloudy day and blue lights indicate rain . Orange lights indicate a sunny day , green lights a cloudy day and blue lights indicate rain . 1 +The outlaws decided to live off the poor class of people instead of the rich . The outlaws chose to live off the wealthy class of people instead of the poor . 0 +Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico , born Daniela Castro ) is a Mexican - Irish actress and vocalist . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico ) is a Mexican - Irish actress and singer . 0 +In 2014 , founding member of 15 years Dan McGruer left the band and was replaced by Devin Abrams . Founding member Dan McGruer left the band in 2014 and was replaced by Devin Abrams . 1 +To find the cuts used by this method , problem-specific methods are required . Problem-specific methods are needed to find the cuts used by this method . 1 +During the First World War , Cary fought with a Nigerian regiment fighting in the German colony of Cameroon . During the First World War Cary served with a Nigerian regiment fighting in the German colony of Cameroon . 1 +His son John I Lestrange ( died before 1178 ) , twice Sheriff of Shropshire , held the castles Shrewsbury and Bridgnorth in 1174 for King Henry II . His son Henry II ( pre-1178 died ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I Lestrange . 0 +Theorem was proved in 1933 by Chiungtze C. Tsen ( also known as Zeng Jiongzhi in English ) . The theorem was proved by Zeng Jiongzhi ( also rendered as Chiungtze C. Tsen in English ) in 1933 . 0 +He defeated Quentin Gilbert and Pierre Roche , with Gilbert receiving the titles in WRC3 and JWRC not long ago . He defeated Gilbert , with Quentin Gilbert and Pierre Roche having not long ago clinched the titles in WRC3 and JWRC . 0 +Much of the city 's crime , however , is centralized in most of its western neighborhoods and scattered neighborhoods adjacent to Hartsfield-Jackson International Airport . However , much of the city 's crime is centralized in most of Western neighborhoods and scattered neighborhoods adjacent to Hartsfield - Jackson International Airport . 1 +John John Magufuli won the presidential election in October 2015 and secured a two-thirds majority in parliament , the other party or main party in Tanzania is called Chadema . John Magufuli won the October 2015 presidential election and secured a two-thirds majority in parliament . The main party or other party in Tanzania is called Chadema . 1 +The test above does not distinguish between more complex distributions , such as quantum and bosonic , or between fermionic and classical statistics . The above test does not distinguish between more complex distributions such as quantum and boson , or between fermionic and classical statistics . 1 +The river LÄ puá is a tributary of the Coruia River in Romania . The river Coruia is a tributary of the river LÄ puà in Romania . 0 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent Aneurin Bevan , challenged by Herbert Morrison . The 1953 Labour Party deputy leadership election took place on October 29 , 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . 0 +Hussain has received 432 votes , and his only rival , Wajihuddin Ahmed , secured 77 . Hussain received 432 votes , and his only rival , Wajihuddin Ahmed , was 77 . 0 +The First Oil Well in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian Territory , though it was not completed until 1888 . The first oil source in Indian territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . 0 +"He then produced "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which began as "" The Problemist Fairy Chess Supplement "" ." "He subsequently began "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which was produced as "" The Problemist Fairy Chess Supplement "" ." 0 +Pemberton Township is located in the 3rd Congressional District and is part of New Jersey 's 8th state legislative district . Pemberton Township is located in the 3rd Congressional District and is part of the 8th State Legislative District in New Jersey . 1 +"In "" The Guardian "" in 2006 , Stanage argued in contrast to George Monbiot , who had written that the Iraqi insurgency was comparable to the IRA :" "In "" The Guardian "" in 2006 , George Monbiot argued in contrast to Stanage , who had written that the Iraqi insurgency is comparable to the IRA ." 0 +"At 10 : 59 AM the last naval element of the 2nd Marine Battalion left the zone and the last helicopter landed at 12 : 15 on the USS "" Okinawa "" ." "At 10 : 59 , the last element of 2nd Battalion 4th Marines left the zone and the last marine helicopter landed on the USS "" Okinawa "" at 12 : 15 ." 0 +Ali Şaşal Vural ( born July 10 , 1990 ) is a professional Turkish football player who plays for Sivasspor . Ali Şaşal Vural ( born 10 July 1990 ) , is a Turkish professional football player , who plays for Sivasspor . 1 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first Theakson pub , where the first Theakston beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first pub of the Theakson , where the first Theakston 's beers were brewed ." 0 +Commander Adama arrives on Kobol with Galen Tyrol and Chief Billy Keikeya . Commander Adama arrives in Kobol with Billy Keikeya and Chief Galen Tyrol . 0 +"Unlike many amateur astronomers , scientific research is mostly not the "" main goal "" for professional astronomers ." "Unlike professional astronomers , for many amateur astronomers , scientific research is usually not the "" main goal "" ." 0 +"Although A . A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony was "" critical in "" The Observer and A.A. Gill of "" The Sunday Times "" was unimpressed ." 0 +Isitt attended our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Darren Wassall . Darren Wassall went to our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Isitt . 0 +The film was produced through Columbia Pictures and Imagine Entertainment by daughter and father Brian Grazer , as well as Bryce Dallas Howard and Ron Howard . The film was produced by Columbia Pictures and Imagine Entertainment by Daughter and Father Brian Grazer , as well as Bryce Dallas Howard and Ron Howard . 1 +The lower Duwamish was the site of the former concentration of Duwamish villages before substantial European contact . The lower Duwamish was the site of the former concentration of Duwamish villages before the main European contact . 1 +His mother , born in Devonshire , was the tenth child of parents emigrating from Kingston to Canada . His mother , born in Kingston , was the tenth child of parents emigrating from Devonshire to Canada . 0 +"According to the investigators , the two-year-old "" was not nearly verbal enough to provide any information ." "According to investigators , the two-year-verbal was "" not nearly old enough "" to provide any information ." 0 +The national organization was organized in March 1979 under Draft Bylaws . PAS was officially founded in March 1980 in Kansas City , Missouri . The national organisation was founded in March 1979 under Draft Bylaws , and PAS was officially organized in March 1980 in Kansas City , Missouri . 0 +"A mechanical nightingale is introduced in "" and is used to replace a real nightingale for a princess ." "A mechanical nightingale is featured in "" and is used to replace a real nightingale for a princess ." 1 +The Gloucester magazine folded within its first season but Leicester 's Shedhead is still going strong . The Gloucester magazine worked within its first season , but Leicester 's Shedhead is still strong . 1 +It is found only in Lake Dianchi and its tributaries in Yunnan , China . It is only found on Dianchi Lake and its tributaries in Yunnan , China . 1 +In Portage township there are two villages : part of Jerry City to the south and part of Portage in the northwest . Two villages are located in Portage Township : part of Jerry City in the south , and part of Portage in the northwest . 1 +Cornelia Stuyvesant Vanderbilt ( George and Edith Vanderbilt 's only child ) married British aristocrat , John F. A. Cecil , a descendant of William Cecil in 1924 . John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married in 1924 to the British aristocrat William Cecil , a descendant of Edith Vanderbilt . 0 +From 1969 onwards the family lived in rented houses in California , close to Los Angeles recording studios . From 1969 , the family lived in rented houses in Los Angeles , close to California recording studios . 0 +Some large excess microwave noise generators use avalanche diodes to create a commercial noise figure that can be turned off and on . Some commercial microwave noise generators use Avalanche diodes to create a large excess noise that can be switched on and off . 0 +Philip Marlowe was not exactly my idea of Elliott Gould , but anyway there we were . Elliott Gould was not exactly my idea from Philip Marlowe , but we were there anyway . 0 +Bostaph left the band due to an elbow injury and was replaced by the former member Lombardo . Lombardo left the band for an elbow injury and was replaced by former member Bostaph . 0 +Daniel , another Jesuit from England , joined William Good soon after , even though she had a turbulent relationship . Another Jesuit from England , Daniel joined William Good soon after , though they had a turbulent relationship . 1 +The father was an influential writer on agricultural law and poor questions between 1825 and 1828 . The father was an influential writer between 1825 and 1828 on poor law and agriculture . 0 +He died on 24 August 1878 in Wyandotte ( now part of Kansas City ) , Kansas . He died in Wyandotte ( now a part of Kansas ) , Kansas City , August 24 , 1878 . 1 +"In 1821 , Elias Magnus Fries treated the genus name "" Clavaria "" and sanctioned "" Ramaria "" as a part of "" Clavaria "" ." "In 1821 , Elias Magnus Fries sanctioned the genus name "" Clavaria "" , and treated "" Ramaria "" as a section of "" Clavaria "" ." 0 +Lazkao is a city and municipality in the region of Gipuzkoa in the province of Goierri , in the Basque Autonomous Community of northern Spain . Lazkao is a town and municipality located in the Goierri region of the province of Gipuzkoa , in the Basque Autonomous Community in Northern Spain . 0 +In May 1955 , a new Balkan Express was started from Vienna via Graz and Belgrade ( excluding Bulgaria ) to Athens and Istanbul . In May 1955 , a new Balkan Express was launched from Bulgaria to Athens and Istanbul via Vienna ( bypassing Graz and Belgrade ) . 0 +The 1990 Philadelphia Wings season marked the second season of the team operation and fourth championship . The 1990 season Philadelphia Wings marked the fourth season of the team 's operation and the second championship . 0 +When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . When Arnold arrived in the scene , Samuel Herrick had already been sent to Panton with departments to secure boats to Skenesboro and Asa Douglas . 0 +From 1976 to 1979 , he was also employed as a regional CBS NFL and CBS NBA announcer at NBC , after which he switched to CBS Sports . He was also employed by CBS Sports as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to NBC . 0 +This quite common species can be found in the Indo-West Pacific , the Red Sea , the Indian Ocean and the Australian coast . This fairly common species can be found in the Indo-West Pacific , the Indian Ocean , the Red Sea and the Australian coast . 1 +The instruments of Embergher are remarkable , not only are the richness and abundance of tone unsurpassed , but also the intonation is perfect . "The instruments of Embergher are remarkable , not only the richness and fullness of tone are unequalled , but the intonation is also perfect """ 1 +The weather is moderately warm in winter , cold in summer . In winter the weather is moderately warm , in summer it is cold . 1 +In the semi-finals the teams play in second place in the pools , the first places from the other pool . In the semi-finals the teams in first place in the pools play the second place teams from the other pool . 0 +Stian currently resides in Odda with his partner , Randi . He has three children , Lothe , Ida , and Vetle , from a previous relationship . He currently lives in Odda with his partner Randi and has three children , Stian , Ida and Vetle , from a previous relationship . 0 +Melisio Morales ( sometimes Melesio Morales ) ( December 4 , 1838 - May 12 , 1908 ) was a Mexican composer . Melesio Morales ( sometimes Melisio Morales written ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . 1 +He has edited several books on statistical dynamics and molecular mechanics developments , including : He has issued several books on molecular dynamics and statistical mechanics developments , including : 0 +Two months after Abdullah 's death , in 570 AD , Muhammad was born . Two months after Abdullah 's death , in 570 , Muhammad was born . 1 +Adobe Director ( formerly known as Macromedia Director ) is a multimedia application authorisation platform created by Macromedia and now managed by Adobe Systems . Adobe Director ( formerly Macromedia Director ) is a multimedia application authoring platform created by Macromedia and now managed by Adobe Systems . 1 +The Waitaki River district , in the Canterbury and Otago regions of New Zealand , straddles the traditional border between the two regions , the Waitaki . The district of Waitaki , in the regions of Canterbury and Otago in New Zealand , stretches the traditional border between the two regions , the Waitaki River . 0 +Munro was chairman of the Highfields Divisional Board from 1888 to 1913 , and of the Highfields Shire Council from 1915 to 1917 . From 1888 to 1913 , he was chairman of the Highfields Shire Council and , from 1915 to 1917 , Chairman of the Highfields Divisional Board . 0 +It was expanded in 1910 from Laura to the Booleroo Centre and finally to Wilmington in 1915 . It was expanded in 1910 from Laura to Wilmington and finally to the Booleroo Centre in 1915 . 0 +These puppets had covered their English or Spanish names with a sticker with the German name or sometimes nothing at all . These dolls had their English or Spanish names covered by a sticker with the German name or sometimes nothing at all . 1 +The music is composed by John Farrar with texts by Sir Tim Rice , the book by Cliff Richard and Frank Dunlop . The music was composed by John Farrar with lyrics written by Sir Tim Rice . The book is by Cliff Richard and Frank Dunlop . 1 +It has developed an open and thoroughly evaluated evaluated execution environment ( TEE ) ecosystem with accredited laboratories and trusted products . It has developed an open and thoroughly evaluated ecosystem with an evaluated execution environment ( TEE ) with accredited laboratories and trustworthy products . 1 +Hippotion moorei is a moth of the Sphingidae family , known from dry areas from northern Somalia to Ethiopia and Tanzania . Hippotion moorei is a moth of the family Sphingidae . It is known from dry areas from northern Somalia to Ethiopia and Tanzania . 1 +The most common genres are epic , tragedy , comedy , and creative non-fiction . The most creative genres are epic , tragedy , comedy and general non-fiction . 0 +Bland left Valparaíso one week later and arrived in Philadelphia on 29 October 1818 . Bland left Philadelphia a week later and met in Valparaíso on 29 October 1818 . 0 +His son was the scientist Francis Ratcliffe , and one of his two daughters was married to the neurophysiologist W. Grey Walter , whose grandson Nicholas Walter was . The son of Ratcliffe married the scientist W. Grey Walter , and one of his two daughters was neurophysiologist Nicholas Walter , Francis Ratcliffe was his grandson . 0 +William Middleton ( or William de Middleton ; died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . William Middleton ( or William Middleton , died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . 1 +Sekou Sundiata was born Robert Franklin Feaster in Harlem , New York , but changed his name in the late 1960s to honor his African heritage . Sekou Sundiata was born as Robert Franklin Feaster in Harlem , New York , but changed his name in the late 1960 's to honor his African heritage . 1 +Liarea bicarinata is a species of small land snail , a terrestrial gastropod mollusc in the family Pupinidae . Liarea bicarinata is a species of small land snail , a terrestrial gastropod mollusc in the Pupinidae family . 1 +Reena calls Anjali , a BNTV reporter at Everest - base camp and Arjun 's former lover . Anjali calls Reena , a BNTV reporter in Everest base camp and Arjun 's former lover . 0 +Former Mangalore Station was located north of Seymour at the crossroads of North East and Shepparton lines . Former North East station was located north of Seymour at the crossroads of the Mangalore and Shepparton lines . 0 +The development of Bas 90 began in the 1970s and started being implemented in the 1980s . The development of Bas 90 started in the 1970s and was implemented in the 1980s . 1 +Madsen was born in Nigeria to one Danish father and a Nigerian mother . Madsen was born in Nigeria to a Nigerian father and Danish mother . 0 +Missed funds were used by Tahir and his son Tilawat Khan . Missed used funds by Tahir and his son Tilawat Khan . 1 +Psalm 79 ( biblical numbering : Psalm 78 ) is the 79th Psalm in the Greek Psalm Book . Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th Psalm in the Biblical Psalm Book . 0 +The two new cantons , however , had immediate financial problems and were forced to impose a series of unpopular taxes and laws . The two unpopular cantons , however , had immediate financial problems and were forced to introduce a series of new taxes and laws . 0 +See the article on the full history of French for phonological details . For phonological details see the article on the whole history of French . 1 +She is the wife of Predrag Å ariè and mother of Dario and Dana Å ariÄ . She is the wife of Dana Šarić and mother of Dario and Predrag Šarić . 0 +His eyewitness account reports that the Afghans simply occupied the site and fled Hari Singh Nalwa without a battle from Peshawar . His eyewitness account reports that the Afghans simply occupied the place and Hari Singh Nalwa fled Peshawar without a battle . 1 +""" Nobody Does It Better "" is a song composed by Carole Bayer Sager with lyrics by Marvin Hamlisch ." """ Nobody Does It Better "" is a song with texts by Carole Bayer Sager composed by Marvin Hamlisch ." 0 +The Austin Catholic Academy and St. Thomas of Villanova College are officially sponsored and are not operated independently of the Augustinian Order . Of these , Austin Catholic Academy and St. Thomas of Villanova College are independently operated and not officially sponsored by the Augustinian Order . 0 +The data created and maintained by the portal is used by a range of other organisations . The data created and maintained by the portal is used by a number of other organisations . 1 +It has also been said that the arrangement later inspired the work of Jimmy Webb . It 's also been said that the arrangement later inspired the work of Jimmy Webb . 1 +This kind is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . This species is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey , and Spain . 1 +The sales began in the third quarter of 2008 in Europe and in early 2010 in North America as a model for 2010 . Sales began in Europe in the third quarter of 2008 and in North America in early 2009 as a 2010 model . 0 +It followed MacPaint and was a competitor to Silicon Beach Software 's SuperPaint . It was followed by MacPaint and a competitor to Silicon Beach Software SuperPaint . 1 +It was first released as a knapweed biocontrol in the 1980s in Oregon , and it is currently established in the Pacific Northwest . It was first released as Knopweed Biocontrol in Oregon in the 1980s , and is currently established in the Pacific Northwest . 1 +was born on November 17 , 1845 in Tacubaya ( today Morelia , Michoacán ) and died on 9 February 1919 in Valladolid . Parra was born on 17 November 1845 in Tacubaya ( nowadays Morelia , Michoacán ) and died on 9 February 1919 in Valladolid . 1 +The seventh series was won by the Shadow Theatre Toupe attraction , with Comedian Jack Carroll in second place and opera duo Richard Adam in third place . The second series was won by shadow theatre troupe Attraction , with comedian Jack Carroll finishing in third place and opera duo Richard & Adam in seventh place . 0 +The province of Dalmatia has spread inland to cover all the Dinaric Alps and most of the actual coast , including the entire eastern Adriatic coast of Montenegro . The province of Dalmatia spread inland to cover all of the Dinaric Alps and most of the eastern Adriatic coast , including all actual Montenegro . 0 +On 16 January 2009 , Hollins was traded with DeSagana Diop to Dallas Mavericks , in exchange for Matt Carroll . On 16 January 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop for the Dallas Mavericks . 0 +He died in New City ( now Clarkstown ) , New York , August 16 , 1850 . He died on 16 August 1850 in Clarkstown ( now New City ) , New York City . 0 +The song was composed by the trio of songwriters and producers Chen Neeman , Aris Archontis and Jeannie Lurie . The song was composed by the trio of song writers and producers Chen Neeman , Aris Archontis and Jeannie Lurie . 1 +Lukaszuk has two daughters , one with his current wife , news anchor Stacey Brotzel CTV Edmonton and one with his previous wife . Lukaszuk has two daughters , one with his former wife , news - anchor Stacey Brotzel CTV Edmonton and one with his current wife . 0 +It was directed by an Australian , Alan Burke , with many Australians in the cast including Ed Devereaux . It was directed by an Australian , Alan Burke , with many Australians , including Ed Devereaux in the occupation . 1 +Linden asks to interrogate Mills , but Skinner ( Elias Koteas ) says he 'll just talk to Danette . Linden asks to interrogate Skinner , but Mills ( Elias Koteas ) says he 'll talk only with Danette . 0 +Point Marsden was discovered on March 21 , 1802 by Matthew Flinders , and named after William Marsden , Secretary of the Admiralty . Point Marsden was discovered on March 21 , 1802 by William Marsden and named after Matthew Flinders , Secretary of the Admiralty . 0 +A mass ceremony was held that night , and prayers were prayed until dawn . A mass ceremony was held that night , and prayers were held until dawn . 0 +"Louisa Baïleche performed on the Comédie-Française stage as well as the folies Bergère in a French version of the musical "" Nine "" ." "Louisa Baïleche has performed on the Comédie-Française stage as well as the Folies Bergère , in a musical version of the French "" Nine "" ." 0 +In 2013 the domestic branches of the bank in Austria were sold to Anadi Financial Holdings , and renamed to Austrian Anadi Bank . In 2013 , the Bank 's domestic branches in Austria were sold to Anadi Financial Holdings and renamed Austrian Anadi Bank . 1 +The combination of cold surface waters and warm , deep waters supports a high level of biodiversity . The combination of cold surface waters and warm deeper waters supports a high level of biodiversity . 1 +After his move to Wawel , style antico became the musical language of the main statement of Pękiel . Importantly , Stile antico became the main language of the musical statement of Pękiel after his move to Wawel . 0 +A historical figure is a famous person in history , such as Catherine the Great , Abraham Lincoln , Washington , or Napoleon . A historical figure is a famous person in history , such as Katharina the Great , Napoleon , Washington , or Abraham Lincoln . 1 +It made the Atlantic crossing from Brazil to Liberia , then east of Central Africa to Sudan . It crossed the Atlantic crossing from Brazil to Liberia , then east across Central Africa to Sudan . 0 +Scopula anfractata is a moth of the family Geometridae and is found in China ( Yunnan ) . Scopula anfractata is a moth of the family Geometridae . It is found in Yunnan ( China ) . 1 +In the pathological samples from Spain and Montana the redundant shell layer is as thick as in the original . In the redundant specimens from Spain and Montana , the thick shell layer is as pathological as in the original . 0 +It was described by Alpheus Spring Packard in 1874 and is found in North America . It was described by Alpheus Spring Packard in 1874 and found in North America . 1 +He is buried at the Jewish cemetery in Rožna Dolina , near Nova Gorica , Slovenia . He is buried in the Jewish cemetery in Rožna Dolina near Nova Gorica , Slovenia . 1 +"On the map of the 18th century "" Irkutsk governorate with the adjacent islands and the west coast of America "" from the Hinka lake follows the river Usuri ." "On the map of the 18th century "" America governorate with the adjacent islands and the western coast of Irkutsk "" from Lake Hinka follows the river Usuri ." 0 +Margarites giganteus , common name the giant margarite , is a species of sea snail , a marine gastropod mollusk in the family Margaritidae . Margarites giganteus , common name of the giant margarite , is a species of sea snail , a marine gastropod mollusk in the Margaritidae family . 1 +"The mentioned "" between song banter "" hidden track was made up of ..." "The mentioned "" between song banter "" hidden track was made of ..." 1 +There are four hyperbolic honeycombs in 3D regular compact space . There are four hyperbolic honeycombs in regular 3D space . 1 +All celebrated commemorations below on 8 June by Orthodox churches determined on the old calendar . All fixed commemorations below celebrated on June 8 by Orthodox Churches on the Old Calendar . 0 +Indeed , the two terms are also used now in other parts of the country . The two terms are indeed also used in other parts of the country . 1 +"Marianne is found guilty of the fire in hotel "" Ter Smissen "" and the dead of Freddy ." "Freddy is found guilty of fire at Hotel "" Ter Smissen "" and the dead of Marianne ." 0 +The Indus cities are known for their complex planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are noted for their elaborate planning , baked brick houses , urban drainage systems , water supply systems , and clusters of large non-residential buildings . 1 +The 1956 National Football League season was the 11th anniversary year of the Los Angeles Rams team and the 19th season in Los Angeles . The 1956 Los Angeles Rams season was the team 's 19th year with the National Football League and the 11th season in Los Angeles . 0 +I tried to buy it when George Romney ( later Governor of Michigan ) and Roy Abernethy were leading AMC . I tried to buy it when Roy Abernethy ( later Michigan governor ) and George Romney were running AMC . 0 +Zhu Huan 's army experienced great success initially and destroyed all of Cao Ren 's armies in the field . The army of Zhu Huan initially experienced great success and destroyed all of Cao Ren 's armies in the field . 1 +The evidence was great Celtic sagas about British queens and warrior maidens . The evidence was British Celtic sagas about great queens and warrior girls . 0 +He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London , England . He died on 29 January 1984 in London . He was born on 23 January 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . 1 +The Lewis ' Clark Council was formed in 2009 from the merger of the Trails West Council ( OVC ) and the Okaw Valley Council ( TWC ) . The Lewis & Clark Council was formed from the 2009 merger of Trails West Council ( OVC ) and Okaw Valley Council ( TWC ) . 1 +Quinuabamba District is one of 4 districts in the Ancash region of the Province of Pomabamba in Peru . Quinuabamba District is one of 4 districts in the Pomabamba Province of the Ancash Region in Peru . 0 +After Mary Ann Pederson in 1975 , Louise Redfield left the show until 1981 . After Mary Ann Pederson left in 1975 , Louise Redfield took over the show until 1981 . 1 +On 25 October 1975 , the Hale Koa Hotel opened with a traditional Hawaiian blessing and a royal procession . On 25 October 1975 , a royal blessing complete with traditional Hawaiian procession opened the Hale Koa Hotel . 0 +The mountainous stage 20 of the Giro began on the slopes of Les Deux Alpes , and the second stage ended the next day on the mountain . The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the penultimate stage started the next day on the mountain . 0 +Matthew DeCoursey proposes that Thorne may have joined the project late . Thorne suggests that Matthew DeCoursey may have joined the project late . 0 +Katy Spencer had a daughter , Ann ( a graduate of Texas Tech in 1962 ) from her former marriage . From her previous marriage , Katy Spencer had a daughter , Ann ( a 1962 graduate of Texas Tech ) . 1 +"Quetzalcoatl 's father Mixcoatl was murdered ; Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Zolton , and Cuilton . """ "Quetzalcoatl 's father Mixcoatl was assassinated , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Zolton , and Cuilton ." 1 +"This story is a complex of interwoven , sometimes A-class themes ... "" chimera debut ." "This story is a complex of interwoven , sometimes chimeric themes ... A-class debut. """ 0 +He was a member of the Louisiana State Fair Board , Chairman of the State Fair Stadium Commission and Commissioner of the Louisiana Superdome in New Orleans . He was a member of the State Fair Stadium Commission , chairman of the Louisiana State Fair Board , and a chairman of the Louisiana Superdome in New Orleans . 0 +Hamilcar had to send part of his army back to Libya to reinforce Carthage . Hamilcar had to send a part of his army back to Libya to reinforce Carthage . 1 +The two main water systems are in the north of the Esmeraldas and in the south the Guayas . The two main water systems are the Esmeraldas River in the North and the Guayas in the South . 1 +He served as the general counsel to both the Panama Railroad Company and later the Isthmian Canal Commission . He served as the General Counsel of the Isthmian Canal Commission and later the Panama Railroad Company . 0 +Nick Danger is a fictional character portrayed by the comedy group The Firesign Theatre , created by Phil Austin . Nick Danger is a fictional character created by the comedy The Firesign Theatre , portrayed by Phil Austin . 0 +The two leased aircraft from Centavia were returned to the lessor BAE Systems on 9 November 2006 . Centavia 's two leased aircraft were returned to the lessor , BAE Systems , on November 9 , 2006 . 1 +They finished the season 10 -- 2 OVC and 7 -- 0 in total to win the conference championship . They finished the season 10 -- 2 overall and 7 -- 0 in OVC play to win the conference championship . 0 +Abraham Salomon Gluck was probably killed on or around May 20 , 1944 , like most of the 878 men in convoy 73 . Abraham Salomon Gluck was probably murdered , alike most of the 878 men in convoy 73 , on or around 20 May 1944 . 1 +Miguel Ángel Virasoro ( * 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . Miguel Ángel Virasoro ( ; born 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . 1 +The route was widened into a divided highway between Dewey Beach and the Indian River Inlet the same year . The route was extended in the same year into a divided highway between Dewey Beach and the Indian River Inlet . 1 +Mount Cline is a mountain in western Alberta , Canada , north of Saskatchewan Crossing , southwest of Nordegg . Mount Cline is a mountain in the western part of Alberta , Canada , north of Saskatchewan Crossing , southwest of Nordegg . 1 +Despite the high employment rate and low unemployment , the community has a low poverty rate . The community has a low poverty rate despite the high participation rate and low unemployment . 1 +It was created in 2003 from parts of Brampton West -- Mississauga and Mississauga West ridings . It was established in 2003 from parts of Brampton West -- Mississauga and Mississauga West Ridings . 1 +He finished his career by playing in various leagues for European teams . He finished his career playing for various teams in European leagues . 0 +La La Boda is a 1982 Venezuelan film , filmed by Thaelman Urguelles , directed by Universidad de los Andes . La Boda is a 1982 Venezuelan film directed by Thaelman Urguelles co-produced by Universidad de los Andes . 0 +The episode was written by Ken Keeler and directed by Stephen Sandoval . The episode was written by Ken Keeler . Directed by Stephen Sandoval . 1 +He was the only Australian and the only Architect in the group . He was the only Australian and the only architect within the group . 1 +Nool Veli ( Fence of Yarn ) is a Tamil film with Saritha , Sujatha and Sarath Babu in 1979 . Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Saritha , Sujatha and Sarath Babu . 1 +In 1993 , at Kuban State University , he graduated as a philologist and teacher of the same language , and in 1995 he graduated from the Russian University as a lawyer . In 1993 he graduated from Kuban State University as a philologist and teacher of the Russian language , in 1995 the same university as a lawyer . 0 +Industrially , argon is generated by the fractional distillation of liquid air . Argon is produced industrially by the liquid distillation of fractional air . 0 +In Wimbledon , Osaka Sara Sorribes Tormo and Barbora Strýcová defeated before losing Venus Williams in the third round . At Wimbledon , Osaka defeated Sara Sorribes Tormo and Barbora Strýcová before losing to Venus Williams in the third round . 0 +"Eventually in 2000 , the "" Chemistry "" name was dropped , and "" Conspiracy "" by Chris Squire & Billy Sherwood was released ." "In 2000 , the name "" Chemistry "" was released and "" Conspiracy "" by Billy Sherwood 's Chris Squire was dropped ." 0 +States in blue were won by Republican Abraham Lincoln ; states in red were won by Democrat George B. McClellan . The states in red were won by the Republican Abraham Lincoln , who won states in blue by Democrat George B. McClellan . 0 +Container glass has a lower magnesium oxide and sodium oxide content than flat glass and higher content of silica , calcium oxide and aluminium oxide . Container glass has a higher magnesium oxide and sodium oxide content than flat glass and a reduced content of silica , calcium oxide and aluminum oxide . 0 +The Rusca River is a tributary of the River Giumalău in Romania . The Giumalău River is a tributary of the River Rusca in Romania . 0 +""" Oliver Twist "" , released in 1838 , was one of Dickens ' better known stories and became the first Victorian novel with a child protagonist ." """ Oliver Twist "" , published in 1838 , became one of Dickens ' better known stories and was the first Victorian novel with a child protagonist ." 1 +Eoacmaea calamus is a species of sea snail , a real limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of naval limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a naval gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . 0 +The technological center was founded as a result of collaboration between the Armenian government , the World Bank , and the Enterprise Incubator Foundation . The technological center was founded as a result of the cooperation between the Armenian government , Enterprise Incubator Foundation and the World Bank . 1 +The technological center was founded as a result of the cooperation between the Armenian Government , the Enterprise Incubator Foundation and the World Bank . The technological center was founded as a result of collaboration between the Armenian government , the World Bank , and the Enterprise Incubator Foundation . 1 +The album was released by Furious in the USA and by 7 Spin Music on May 26th , 2007 in the UK . The album was released on May 26 , 2007 by Furious in the UK and 7 Spin Music in the United States . 0 +Caleb J. Emerson was born in 1860 in Tunnel Hill , Georgia , as daughter of William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . William Henry Emerson was born in Tunnel Hill , Georgia in 1860 to Matilda Caroline Austin , daughter of Clisbe Austin , and Caleb J. Emerson . 0 +The Los Angeles County Sheriff 's Department ( LASD ) operates the Lennox Station in Lennox , serving Alondra Park ( El Camino Village ) . The Los Angeles County Sheriff 's Department ( LASD ) operates Lennox Station in Lennox , serving El Camino Village ( Alondra Park ) . 1 +Stone Quarry Hill is a mountain in the New York region of Central New York . It is located northwest of East Worcester , New York . Stein Quarry - Hill is a mountain in the central New York region of New York and is located northwest of East Worcester , New York . 0 +There is thus growing interest in Community Informatics as an approach to understanding of how collective ICTs can enable and empower marginalized communities to achieve their different goals . The interest in Community Informatics is thus growing as an approach to understanding how different ICTs can empower and empower marginalized communities to achieve their collective goals . 0 +Chongming is the only county in Chongming north of the Shanghai Peninsula on three inhabited Yangtze islands - Shanghai , Changxing , and Hengsha . Chongming is Shanghai 's only county and lies north of the Shanghai Peninsula on three inhabited islands in the Yangtze estuary : Chongming , Changxing , and Hengsha . 0 +It comes in standard black worldwide , although a white version was released in Japan only . It comes in standard black worldwide , even though a white version was only released in Japan . 1 +"With "" lytic phages "" , such as the T4 phage , bacterial cells are broken off ( lysized ) and destroyed after immediate replication of the Virion ." "With "" lytic phages "" such as the T4 phage , bacterial cells are broken open ( lysed ) and destroyed after immediate replication of the virion ." 1 +On July 31 , Molina was traded with B.J . Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera to the Braves . On July 31 , Molina was traded with B. J. Surhoff to the Braves for Trenidad Hubbard , Fernando Lunar and Luis Rivera . 1 +In 1985 he won the Special Mention Kerala State Film Awards and secured the Filmfare Award for his role as Mammootty . Ravi Varma won the Special Mention in 1985 Kerala State Film Awards and secured Filmfare Award for his role as Mammootty . 1 +His son Félix Allard was a politician from Quebec , his daughter Marguerite married Aimé Boucher , a member of the Canadian lower house . His son , Aimé Boucher , was a politician from Quebec , his daughter Marguerite married Félix Allard , a member of the Canadian House of Commons . 0 +"David Dodde 's "" Fleurs et riviere "" was an entry that placed magnetic flowers on the Alexander Calder sculpture "" La Grande Vitesse "" ." """ Fleurs et riviere "" was an entry that placed magnetic flowers on the sculpture "" La Grande Vitesse "" by Alexander Calder ." 0 +The tenth Baronet was Lord Lieutenant of Denbighshire , and the ninth Baronet served as Lord Lieutenant of Denbighshire and Clwyd . The tenth Baronet was Lord Lieutenant of Denbighshire , and the ninth Baronet served as Lord Lieutenant of Denbighshire and of Clwyd . 1 +"There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Don Woods and modified by Will Crowther ." "He was introduced to the version of the computer - text game "" Colossal Cave Adventure "" , created by Don Woods in 1977 and modified by Will Crowther ." 1 +He died in Brussels on August 15 , 1950 ( Ixelles ) . He died on August 15 , 1950 in Ixelles ( Brussels ) . 1 +""" Cru Bourgeois "" as a classification term since 1932 was cancelled in 2007 and reintroduced in 2009 ." """ Cru Bourgeois "" as a term of classification since 1932 , was reintroduced in 2007 , and annulled in 2009 ." 0 +The R335 is a Regional Route in Somerset East that connects Port Elizabeth from the south to South Africa to the north via Addo . The R335 is a regional road in Somerset East , which connects Port Elizabeth from the south to South Africa via Addo to the north . 1 +The characters of Geronimo Stilton also used their other names from the second to the sixth novel . The characters of Geronimo Stilton used their other names from the sixth to the second novel . 0 +There are direct trains from Agra Fort Railway Station to Kolkata , most of them pass through Tundla Junction , which is a 40-minute drive from Agra . There are direct trains from Kolkata to Agra , most of them driving through Agra Fort Railway Station , which is a 40-minute drive from Tundla Junction . 0 +Two more aftershocks above Magnitude 5 in Kyrgyzstan and one in Xinjiang met on 13 October UTC - Time . Two more aftershocks above magnitude 5 in Kyrgyzstan and one in Xinjiang struck on October 13 , UTC time . 1 +Columbus is three miles north of Columbus Municipal Airport , in Bartholomew County , Indiana , United States . Columbus is three miles north of Columbus Municipal Airport , in Bartholomew County , Indiana . 1 +The main plains of the prefecture is plain of Pozar in the north and the vast plain of Giannitsà in the southeastern part of the county . The main level of the prefecture is the plain of Pozar in the north and the vast plain of Giannitsà in the southeastern part of the county . 1 +This novel has been translated into Bulgarian , Croatian , Swedish , Polish , Russian , Korean , French , Norwegian and Dutch . The novel has been translated into Russian , Croatian , Swedish , Polish , Bulgarian , Korean , French , Norwegian and Dutch . 1 +The Barmat Scandal was often used later in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . The Barmat scandal was later often used in Nazi propaganda as an electoral strategy and as an appeal to anti-Semitism . 1 +Roger Kirk was born in Norfolk and grew up in East London and educated . Roger Kirk was born in Norfolk and brought up and educated in East London . 1 +The eldest son of Doug and Lyn Enoch from Brisbane , Wesley Enoch grew up in Stradbroke Island . He is the brother of Queensland government minister Leeanne Enoch . Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of Prime Minister Leeanne Enoch in Queensland . 0 +""" Holocaust "" , dedicated to Lincoln Park in November 1984 , was created by the sculptor George Segal ." """ Holocaust , "" created in November 1984 in Lincoln Park , was dedicated by the sculptor George Segal ." 0 +He has studied medicine in Graz and in Vienna and Padua . He studied philosophy in Graz and medicine in Vienna and Padua . 0 +In the compositions of the Camerata members , the theory preceded the practice ; the men set how the music should sound , before they decided to compose it . In the compositions of the Camerata members the theory preceded practice : the men determined how the music should sound before they decided to compose them . 1 +Lombardo left the band due to an elbow injury and was replaced by former member Bostaph . Bostaph left the band due to an elbow injury and was replaced by the former member Lombardo . 0 +Yamini Reddy is married and lives in Hyderabad . She has a son , Arjun Reddy ( b.2014 ) Arjun Reddy is a married and lives in Hyderabad , she has a son , Yamini Reddy ( b.2014 ) . 0 +Mine Bengidzakiwe is a traditional song sung in native ceremonies in Swaziland , which became a local hit in 2007 . Bengidzakiwe is a native song singed in traditional ceremonies in Swaziland , which became a local hit in 2007 . 0 +Coverage in urban areas is considerably higher than in rural areas . The coverage in rural areas is considerably higher than in urban areas . 0 +Stevie would work and record with various acts including Christian hard rock , R & B group Jimmy Ellis & the Saints , and Suzie Cappetta . Stevie would work and record with various acts , including Christian hard rock , the R & amp ; B group Jimmy Ellis ' the Saints and Suzie Cappetta . 1 +He later joined the 25th Regiment of Foot , 8th Husaren , and ended his military career in 1865 with the rank of Major in the 11th Husaren . He later joined the 25th Regiment of Foot , 11th Hussars and ended his military career , in 1865 , with the rank of major in the 8th Hussars . 0 +Ashley was born on 1 November 1986 and is a contemporary dancer from Arizona who originally grew up in Los Angeles . Born on November 1 , 1986 , Ashley is a contemporary dancer from Arizona , who was originally raised in Los Angeles . 1 +"The "" National Post "" and Warman apologized , retracted the statement and started out of court with Kay ." "The "" National Post "" and Kay apologized , retracted the statement , and started with Warman out of court ." 0 +A few weeks later , Fixell defended his stance in an interview with HumansVsZombies.org . A few weeks later , Fixell defended his position in an interview with HumansVsZombies.org . 1 +The county cabinet is led by Anne Marit Mevassvik and has four members , from the Conservative Party , the Labour Party and the Christian Democratic Party . The District Cabinet is led by Anne Marit Mevassvik and has four members , from the Labour Party , the Conservative Party and the Christian Democratic Party . 1 +The cars were tuned and produced by Abarth . Cars were produced and tuned by Abarth . 0 +However , a pair of Lola T616s run by B.F. Goodrich Company used the same Mazda engine and were successful in beating both 727Cs , claiming 1st and 3rd . A pair of Lola T616s running by B. F. Goodrich Company , however , used the same Mazda engine and were successful in beating both 727Cs , 1st and 3rd claiming . 1 +Taylor grew up in Mount Duneed , just outside the coastal town of Torquay , Victoria . Grew up in Torquay , just outside of the coastal town of Mount Duneed in Victoria . 0 +"Note : "" NA "" -- Information was not listed on the specified page ." "Note : "" NA "" -- information was not cited on the listed page ." 1 +"J. Carter Brown referred to 15th Street as : "" the missing tooth in the smile of Rhodes Tavern "" ." "J. Carter Brown referred to 15th Street as "" the missing tooth in the smile of the Rhodes Tavern "" ." 1 +After Martha was found , Anna married a man by the name of George I Eisenhauer . After Anna was found , Martha married a man by the name of George I. Eisenhauer . 0 +"In the United States , many anthropologists used Caucasian as a general name for "" white "" ." "In the United States , many anthropologists used white as a general term "" Caucasian "" ." 0 +Is a short book by Karla Kuskin , first published illustrations by Virginia Cary Hudson in 1962 . Is a short book by Virginia Cary Hudson , first published illustrations by Karla Kuskin in 1962 . 0 +Needs are also developed according to the existential categories of being , having , doing and interacting , and from these dimensions a 36 - cells - matrix is defined . Needs are also defined by the existential categories of being , having , doing and interacting , and from these dimensions a 36 - cell matrix is developed . 0 +It originally grew around the copper mine at Kilembe , while attention later turned to cobalt mining . It originally grew around the copper mine at Kilembe , while attention later turned on cobalt mining . 1 +Marine losses for the day were 16 killed and 98 wounded , while the KPA lost 9 captured and an estimated 50 killed and 55 wounded . Losses for the day were killed 16 and 98 captured , while the KPA 9 wounded and approximately 50 killed and 55 wounded lost . 0 +David 's best friends are Selva , a good spirited boy , and Rajesh , an arrogant sports hero but with a good heart . The best friends of Rajesh are Selva , a good boy and David , an arrogant sports hero , but with a good heart . 0 +This species occurs in the Atlantic and the Gulf of Mexico , in the Caribbean Sea and Brazil . This species occurs in the Atlantic Ocean and the Gulf of Mexico ; in the Caribbean Sea off Brazil . 1 +He is the nephew of Larry Bowa . Johnson and his wife , Brianna , had their first child , Liz , on January 31 , 2006 . He is the nephew of Larry Bowa Johnson and his wife Liz born January 31 , 2006 , their first child , Brianna . 0 +It served as Court for York County , which formerly included the City of Metropolitan Toronto . It served as a court for York County , which formerly contains the city of Metropolitan Toronto . 1 +The idea is to sort the data on the x or y coordinates of one of the corners of the rectangles . The idea is to coordinate the data on the x or y sort of one of the corners of the rectangles . 0 +From 1999 to 2002 she attended the Scott Middle School and the Lincoln Southwest High School from 2002 to 2005 . From 1999 to 2002 she attended the Lincoln Southwest High School and from 2002 to 2005 she visited Scott Middle School . 0 +Williamstown Station is located on the North Williamstown line in Victoria , Australia . Williamstown railway station is located on the North Williamstown line in Victoria , Australia . 1 +Panther competes against the 7A classification of the Huntsville High School and uses the AHSAA nickname for all team sports . Panther competes at the 7A classification of the Huntsville High School and uses the AHSAA nickname for all team sports . 1 +Eschenz is a municipality in the Frauenfeld district of the Canton Thurgau in Switzerland . Eschenz is a municipality in Frauenfeld District in the canton of Thurgau in Switzerland . 1 +For nearly four decades , Mohsin Zaidi lived in Delhi before settling after his retirement in Lucknow . Mohsin Zaidi lived in Delhi for nearly four decades before settling down in Lucknow after retirement . 1 +Then he taught in Ohio , Ithaca , Dayton , Pennsylvania ( Cornell University ) , New York City ( Penn State ) , and Minneapolis , Duluth . He then taught in Ohio , Ithaca , Dayton , Pennsylvania ( Cornell University ) , New York City ( Penn State ) , and Minneapolis , Duluth . 1 +As a result , Sumitada opened the port of Nagasaki to the Portuguese in 1570 and supported its development . As a result , Sumitada sponsored the port of Nagasaki to the Portuguese in 1570 and inaugurated its development . 0 +In December 1883 , for two years , he moved to Fresno and then to Los Angeles . In December 1883 he moved to Los Angeles and then for two years to Fresno . 0 +Both Phasael and Herod , began their careers under her father , Antipater , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . Both Phasael and Herod began their careers under their father , Antipater , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . 1 +Hickman County is part of the Nashville -- Davidson -- Murfreesboro -- Franklin , TN Metropolitan Statistical Area . Hickman County is part of the Metropolitan Statistical Area Nashville - Davidson - Murfreesboro - Franklin , TN . 1 +The River Stroe is a tributary of the River Nechitu in Romania . The Nechitu River is a tributary of the Stroe River in Romania . 0 +Ashe was spoken in Japanese by Mie Sonozaki in English and by Kari Wahlgren . Ashe was spoken by Kari Wahlgren in English and by Mie Sonozaki in Japanese . 0 +Between 1900 and 1915 , additional tracks for local traffic were built , with the existing tracks being reserved for transit trains . Between 1900 and 1915 additional tracks were built for local traffic with the existing tracks being reserved for through trains . 1 +Narayangad is a hill fort near Narayangaon , located 80 km from Pune , 8 km from Pune and 5 km from Khodad village . Narayangad is a fort near Narayangaon , 80 km from Pune , 8 km from Pune and 5 km from the village of Khodad . 1 +He won three all-Ireland medals for Dublin in 1977 , 1976 and 1974 . He won three all-Dublin medals for Ireland in 1977 , 1976 , 1974 . 0 +He considers C. S. Lewis a negative influence and has accused Lewis of featuring emotional propaganda , misogyny , racism , and religious sadism in his books . He considers C. S. Lewis a negative influence and has accused Lewis of showing religious propaganda , misogyny , racism and emotional sadism in his books . 0 +The system required the user to first encode the quasi-phonetic spelling into a standard rendering . The system required the user to encode the quasi-phonetic spelling first into a default rendering . 1 +In the second round of the tournament , Oscar Bonavena hit Ellis . During the second round of the tournament , Ellis met Oscar Bonavena . 0 +Nick Rotteveel ( born 6 January 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . Nicky Romero ( born January 6 , 1989 ) , known professionally as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . 0 +The SSSI has an area of 190.3 hectares while the SAC covers 168.3 hectares . The SSSI has an area of 190.3 hectares , while the SAC comprises 168.3 hectares . 1 +Ma Smith is widow with two of her own children : Will and Dora Smith . Dora Smith is widow with two of her own children : Will and Ma Smith . 0 +The Cârlibaba - River is a tributary of the River Tătarca in Romania . Tătarca river is a tributary of the Cârlibaba River in Romania . 0 +If a lower number is required , the changes are calculated to improve the score . When a lower number is calculated , changes are required to improve the score . 0 +Rachmaninoff dedicated the work to his friend the violinist Nikolai Medtner . He wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : He dedicated this work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : 1 +In general , Ireland came under the influence of Protestantism , with the exception of most of northern Europe . In general , Northern Europe , with the exception of most of Ireland , came under the influence of Protestantism . 0 +Booth married Mary Macaulay in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Beatrice Webb . In 1871 , Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and writer Beatrice Webb . 1 +While communism represented the latter , the United States represented the former . Whereas communism represented the latter , the United States represented the former . 1 +He is a professor in Adult Education at the Åbo Akademi University , Finland ( Vaasa ) . He is a professor of adult education at Åbo Akademi University in Finland ( Vaasa ) . 1 +""" The Evolution of Dance "" is the second interlude and the ninth bit on the album ." """ The Evolution of Dance "" is the second interlude and the ninth track on the album ." 1 +Casper is voiced by Devon Werkheiser in the film , Robbie Sublett in the first season and Matthew Géczy in the second season . Casper is represented in the second season by Robbie Sublett in the movie , Matthew Géczy in the first season and Devon Werkheiser . 0 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of the true limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the Marine limpets . 0 +Note that Ionia and Aeolis were not considered separate units by the Persians , while Lykia was included in offshore - Caria and Sparda - the semi-autonomous islands . Please note that Ionia and Aeolis were not considered separate units by the Persians , while Lycia was included in semi-autonomous Caria and Sparda the offshore islands . 0 +Each line has three points , so in the language of configurations the Hesse configuration contains the notation 912 . Each line has three points , therefore the Hesse configuration contains the notation 912 in the language of the configurations . 1 +The ship visited Okinawa during the second week in September and then spent the rest of the month at Guam in the Marianas . The ship attended Guam during the second week of September and then spent the rest of the month in Okinawa in the Marianas . 0 +Mountain Hardwear opened its first retail location in Seattle in April 2008 . A Portland , Oregon , Washington retail store opened on December 5 , 2008 . In April 2008 , Mountain Hardwear opened its first retail location in Seattle , and a retail shop in Portland , Oregon , Washington , opened on December 5 , 2008 . 1 +Westman was the son of the postmaster Carl Johan Westman and Tonny Westman . Johan Westman was the son of postmaster Karl Gustaf Westman and Tonny ( Andersson ) Westman . 0 +At the Azalea Community Park , creative artists have created a unique oasis with the Water Conservation Garden , a collection of local plants and succulents . At the Azalea Community Park , local artists have created a unique oasis with the Water Conservation Garden , collection of succulent plants and creative sculpture . 0 +When Justice John Tyler died in 1813 , Tyler inherited Greenway at the age of 23 . When Judge Tyler died in 1813 , John Tyler at the age of 23 inherited Greenway . 0 +Many , many provinces and states organise national championship tournaments , and the highest age groups in Canada and the USA also participate in regional and provincial championships . Many provinces and states organize regional and provincial championship tournaments , and the highest age groups in Canada and USA also participate in national championships . 0 +"Annie Homan ( 1944 ) shows the street as "" Livermore Road "" , according to the historian Bowerman ." "Annie Homan ( 1944 ) shows the road as the "" Livermore Road "" , according to historian Bowerman ." 1 +Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . 0 +He married Elizabeth ( 1770 -- 1845 ) , the youngest daughter of Peter Dobree of Beauregarde , Guernsey . He married Elizabeth ( 1770 -- 1845 ) , youngest daughter of Peter Dobree of Beauregarde , Guernsey . 1 +Neustadtl an der Donau is a town in the district of Lower Austria in Amstetten in Austria . Neustadtl an der Donau is a city in the district of Amstetten in Lower Austria , Austria . 1 +Irvine Park in Orange , California is a park that became Orange County 's first regional park in 1897 . Irvine Park in Orange , California , is a park that became the first regional park in Orange County in 1897 . 1 +The music of Kalia is penned by Wajahat Attre with lyrics composed by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . The music from Kalia is composed by Wajahat Attre with texts by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . 0 +Within a few days , around 7,000 female prisoners were evacuated from Ravensbrück to Denmark and then to Sweden . Within a few days , around 7,000 female prisoners were evacuated from Sweden to Denmark and then on to Ravensbrück . 0 +Abbott would see action in 24 games for the track athletics that fall , and was traded to the Florida - Marlins after the season in exchange for Kerwin Moore . Kerwin Moore saw action in 24 games for the athletics that fall , and was traded to the Florida - Marlins after the season in exchange for Abbott . 0 +The Pascu River is a tributary of the river Valea Voenilor . The Pascu River is a tributary of the Valea Voenilor River . 1 +In 2013 , Nicholas Furiuele married Julia while Peter was married to Anna Barattin , both of whom are members of the band Shantih Shantih . In 2013 Nicholas Furiuele married Julia while Peter is married to Anna Barattin , both are members of the band Shantih Shantih . 1 +Careful study of actual pieces will show that many G-marked rifles had features found on K-marked rifles and vice versa . Careful examination of the actual pieces will show that many G-marked rifles had found features on K-marked rifles and vice versa . 1 +Many of Friend 's descendants now live in Friendsville , and the Friend Family Association 's headquarters and library are in Garrett County because of this connection . Many of Friend 's descendants live in Friendsville today , and the headquarters and library of the Friend Family Association are in Garrett County because of this connection . 1 +Dora Smith is widow with two of her own children : Will and Ma Smith . Dora Smith is a widow with two children of her own : Will and Ma Smith . 1 +Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of more than 100 milligrams of dissolved minerals per liter . Stony Creek 's water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . 1 +River Thames is a tributary of the Littlemore Brook in Oxfordshire , Southern England . The Thames is a tributary of Littlemore Brook in Oxfordshire , Southern England . 1 +According to the United States Census Bureau , the district has a total area of , of which is land and ( 0.0 % ) of which is water . According to the United States Census Bureau , the district has a total area , of which land and ( 0.0 % ) of it is water . 1 +In 1912 , he organized a syndicate in Plainview near Hale County , Texas for drilling irrigation wells to irrigate about 60,000 acres ( 243 km ² ) . In 1912 , he organized a syndicate in Hale County , Texas , near Plainview for drilling irrigation fountains to irrigate about 60,000 acres ( 243 km ² ) . 0 +James and his brother John were born in Alfreton , Derbyshire . John and James brother were born in Alfreton , Derbyshire . 1 +In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. in Tallaght , Ireland , and moved to Dublin . In the 1970s , W & R Jacob in Tallaght , Ireland merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Dublin . 1 +The song was written by George Harrison and inspired by his friend Eric Clapton 's preference for chocolate . The song was written by George Harrison and inspired by his friend Eric Clapton 's fondness for chocolate . 1 +For example , in JavaScript the factorial function can be defined via anonymous recursion as such : In JavaScript , for example , the factorial function can be defined through anonymous recursion as such : 1 +"It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and will be released on Bridge 9 records in 2003 ." "It was re-released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" Format ) and released in 2003 on Bridge 9 Records ." 0 +The popular French singers Grégory Bettiol and Coralie Clément , as well as football players hopeful Benjamin Biolay and actor and cellist Maurice Baquet are born in the town . The popular French singers Coralie Clément and Benjamin Biolay , as well as the football player hopeful Grégory Bettiol and the actor and cellist Maurice Baquet were born in the city . 0 +The Sântinica River is a tributary of the Dâmboviţa River in Romania . The Dâmboviţa River is a tributary of the river Sântinica in Romania . 0 +During the 1745 uprising it was again held by Jakobites and visited twice by Bonnie Prince Charlie . During the 1745 uprising it was twice visited by Jacobites and held again by Bonnie Prince Charlie . 0 +Halt station of Llandow ( Wick Road ) was a short-lived railway station in South Wales . Llandow ( South Wales ) Halt railway station was a short-lived railway station in Wick Road . 0 +The path was opened in stages , with the most recent section ( from Wellsboro to north of Ansonia ) being completed in 2007 . The trail opened in stages with the most recent section ( from Ansonia to just north of Wellsboro ) being completed in 2007 . 0 +Martha decides to add Jimmy to her story about olive by renaming him in James . Martha decides to add Jimmy to her story about Olive , renaming him James . 1 +He wrote the script in collaboration with Bianca Olsen , Laurie Aubanel , and Cyril Rambour . In collaboration with Cyril Rambour , Laurie Aubanel and Bianca Olsen , he wrote the script . 1 +A closely related area is the examination of combinatorial Markov chains , especially on finite objects . A closely related area is the study of combinatorial Markov chains , especially on finite objects . 1 +"In August 1969 , "" Callaghan "" transported the first battalion of the Pershing 1a Field Artillery Missile System from Port Canaveral to West Germany ." "In August 1969 , the "" Callaghan "" transported the first battalion of the Pershing 1a Field Artillery Missile System from Port Canaveral to West Germany ." 1 +At the AFL session the next day , Tobin was forced to defend Beck 's actions . At the AFL meeting the next day , Tobin was forced to defend Beck 's actions . 1 +""" Clitarchus hookeri "" is found from Wellington to the Northland region in the south of the North Island of New Zealand ." """ Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of the North Island of New Zealand ." 0 +The average body length is 50 centimeters , but the maximum length is 25 centimetres . The maximum body length is 50 centimeters , but the average length is 25 centimeters . 0 +Walker received 27,735 votes ( 45.5 percent ) to Speedy Long 33,250 ( 54.5 percent ) . Walker received 27,735 votes ( 45.5 percent ) to Speedy Long 's 33,250 ( 54.5 percent ) . 1 +"In 1994 , Crowden played the role of Professor Pollux in the BBC TV adaptation of the John Hadfield - novel "" Love on a Branch Line "" ." "In 1994 , Crowden played the part of Professor Pollux in the BBC TV adaptation of the John Hadfield novel "" Love on a Branch Line "" ." 1 +In 1180 , as a bishop of Łęczyca , he participated in the Synod in Poznań . As a Poznań bishop , he participated in the synod in Łęczyca in 1180 . 0 +He was born in Gollnow , Pomerania , and died in Dahme , Brandenburg . He was born in Gollnow , Pomerania , and died in the Brandenburg Dahme . 1 +"After "" The Kids "" were recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks except "" The Kids "" was re-recorded with Derrick ." "After "" The Kids "" was recorded with the drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recorded with Derrick , except for "" The Kids "" ." 1 +He played for the Brooklyn Dodgers in 1942 , and from 1946 to 1948 for the New York Giants . He played for the New York Giants in 1942 , and from 1946 to 1948 for the Brooklyn Dodgers . 0 +It began as a fishing village inhabited by Polish settlers from the Kaszub region in 1870 , as well as by some German immigrants . It began as a fishing village populated by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . 0 +The road usually closes near the Mammoth Mountain Ski Area of Main Lodge before Thanksgiving and usually does not open much before Memorial Day . The road usually closes near the Main Lodge of Mammoth Mountain Ski Area before Thanksgiving and usually not much before the Memorial Day . 0 +Pike , Wyoming County , New York is the name of two locations in New York : Pike , New York is the name of two locations in the Wyoming County , New York : 0 +908th Airlift Squadron is part of the 357th Airlift Wing on the Maxwell Air Force Base , Alabama . The 357th Airlift Squadron is part of the 908th Airlift Wing at Maxwell Air Force Base , Alabama . 0 +Itami City is located in the southeast of Hyogo Prefecture , with the Ina River east and the Mukogawa River west . Itami City is located in the southeast of Hyogo Prefecture , with the Ina river to the east and the Mukogawa River to the west . 1 +It has been effectively drunk in the house of the brewer , which then becomes a pub until all its beer is sold . It has effectively been drunk in the brewer 's house , which then becomes a pub until all the beer is sold . 1 +Juan Carlos Ferrero won 7-6 , 6-2 against Guillermo Cañas in the finals . Guillermo Cañas won against Juan Carlos Ferrero with 7 : 6 , 6 : 2 in the final . 0 +As predicted , since 2015 , only 28 % of the promised amount has been reimbursed . As predicted , only 28 % of the promised amount has been refunded since 2015 . 1 +"Interested in traditional Egyptian music , he plays the Kawala , a Sufi flute , to be seen and heard in "" The Other Son "" ." "Interested in traditional Egyptian music , he plays the kawala , a Sufi flute , that is seen and heard in "" The Other Son "" ." 1 +"City of Spires is a Big Finish Productions British drama based on the long-running audio science fiction television series "" Doctor Who "" ." "City of Spires is a British drama of the Big Finish Productions based on the long-running audio - Science - Fiction - TV series "" Doctor Who "" ." 1 +The Chapel was also dedicated to the Saints John , the Baptist and Christina , Blessed James , all protectors of the House of Visconti . The chapel was also dedicated to St. John , the Baptist and Christina , St. James , all the protectors of the House of Visconti . 1 +He had been in the state playing for New Town , but moved to Victoria in 1925 and established himself for Melbourne . He had been in the state playing for New Town but in 1925 moved to Victoria and lined up for Melbourne . 1 +Sir Herbert was re-elected at the new seat in Croydon East and returned in 1951 . Sir Herbert was returned to the new headquarters in Croydon East and was re-elected in 1951 . 0 +Patrick Aussems ( born February 6 , 1965 in Moelingen , Belgium ) is a former Belgian football player and former coach of the Nepal national team . Patrick Aussems ( born 6 February 1965 in Moelingen , Nepal ) is a former Belgian footballer and the former coach of the Belgium national football team . 0 +"It was their first blow with the third "" Peaches "" , Linda Greene ." "It was their first hit with the third "" Peaches "" , Linda Greene ." 1 +"Before 1911 , the Ottoman Vilayet of Tripolitania ( the "" kingdom of Tripoli "" ) encompassed much of the same territory as modern Libya ." "Before 1911 , the Ottoman vilayet of Tripoli ( the "" kingdom of Tripolitania "" ) included much of the same territory as modern Libya ." 0 +Critics , however , claimed that Pershing commanded from far behind the lines and was critical of commanders who personally led troops into battle . Critics , however , claimed that Pershing was commanded by far behind the lines and critical of commanders who personally led troops into struggle . 1 +Võhma is a village in the parish Lääneranna , Estonia , in western Pärnu County . Võhma is a village in Lääneranna Parish , Pärnu County , in western Estonia . 0 +Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Florida to the sequence of SCSV from Taiwan . Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan with the sequence of SCSV from Florida . 0 +It is found on quartzite hills in the Wheatbelt region of Western Australia near Moora where it grows in sandy soils often with gravel . It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it often grows with gravel in sandy soil . 0 +In 1985 , Mammootty won the Special Mention Kerala State Film Award and secured the Filmfare Award for his role as Ravi Varma . In 1985 he won the Special Mention Kerala State Film Awards and secured the Filmfare Award for his role as Mammootty . 0 +The second dorsal fin is smaller than the first , and the distance between it and the first dorsal fin is less than the length of its base . The second spine fin is smaller than the first and the distance between it and the first fin is less than the length of its base . 1 +The average low temperature in summer ( December -- January ) is , and the average high temperature in winter ( June -- July ) is . The average maximum temperature is in summer ( December - January ) , and the average low temperature in winter ( June - July ) is . 0 +"In 1910 , a Japanese reporter described in a local newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" "A local reporter described in 1910 in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." 0 +Jack Adams ( 1895 -- 1968 ) was a long ice hockey player and Canadian professional-time coach and manager of the Detroit Red Wings . Jack Adams ( 1895 -- 1968 ) was a Canadian ice hockey player and longtime coach and manager of the Detroit Red Wings . 0 +Jimmy Wareing was born in Cumberland in 1917 and played for Silloth and Silloth Rugby - Union prior to the war . Jimmy Wareing was born in Cumberland in 1917 and played rugby union for Silloth and Silloth before the war . 1 +Danièle Minne became Djamila Amrane by marriage in 1964 . In 1964 , Djamila Amrane became after her marriage to Danièle Minne . 0 +Belagere is a village in Karnataka , India , district of Chitradurga , Challakere . Belagere is a village in Challakere , Chitradurga district , Karnataka , India . 1 +Born and raised in Dallas , was the son of Margot ( born Birmingham ) and Ross Perot . Born and raised in Dallas , was the son of Ross Perot ( born Birmingham ) and Margot . 0 +"He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his paintings of the "" death of the Diagoras "" ." "He won the first Prix de Rome for painting in 1813 and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagoras "" ." 0 +Baba ji has spread his Sufi thoughts through various books like Piya Rung Kala , Kajal Kotha etc . Baba ji spread his Sufi thoughts through various books like Piya Rung Kala , Kajal Kotha , etc . 1 +In 2016 , he was called against the Singapore U19 selection for the Bahrain U19 team . In 2016 , he was called up for the Bahrain U19 team facing the Singapore U19 selection . 1 +On August 11 , 2005 , Yoshinobu Shimamura became Minister of Agriculture following the resignation of Iwanaga . On August 11 , 2005 , Yoshinobu became Shimamura after the resignation of Iwanaga Minister of Agriculture . 0 +In December 1995 , Xylogics was acquired by Bay Networks , which was in turn taken over by Nortel in June 1998 . Xylogics was acquired by Bay Networks in December 1995 which in turn was acquired by Nortel in June 1998 . 1 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in the Ahmednagar District . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the Aurangabad District in Ahmednagar District . 0 +1843 : China : Seafarers and marines from the canton were landed at the trading station in St. Louis after a clash between Americans and Chinese . 1843 : China : Sailors and marines from the St. Louis were landed after a clash between Americans and Chinese at the trading post in Canton . 0 +El Elk Township is located in the 2nd Congressional District and is part of the 3rd State Legislative District of New Jersey . Elk Township is located in the 2nd Congressional District and is part of New Jersey 's 3rd state legislative district . 1 +The total production 483,593 units , were narrowly beaten by its predecessor , the 9000 , of which 503,000 was built . The total production of 483,593 units , was short beaten by its predecessor , the 9000 , of which 503,000 were built . 1 +Mount Fillmore is a mountain in the Plumas National Forest in Sierra County , California , northeast of La Porte and north of Downieville . Downieville is a mountain in the Plumas National Park in Sierra County , California , northeast of La Porte and north of Mount Fillmore . 0 +Formula 15 is the ( finite ) dimension of the irreducible representation formula 11 . Where formula _ 15 is the ( irreducible ) dimension of the finite representation formula _ 11 . 0 +"On 18 November 2010 Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." "Polumenta released his second studio album "" Buntovnik "" ( Rebel ) on 18 November 2010 under Grand Production , his fifth project with the label ." 0 +The mountain was named in 1863 by Charles Lyell after the geologist Charles Gould , a follower of Charles Darwin . The mountain was named by Charles Lyell in 1863 after geologist Charles Gould , a supporter of Charles Darwin . 1 +This is the location of the junction of former U.S. Route 45 Alternate ( Monroe Avenue ) and Mississippi Highway 32 ( Church Street ) . This is the location of the crossroads of the former U.S. Route 45 Alternate ( Church Street ) and Mississippi Highway 32 ( Monroe Avenue ) . 0 +Pelmus has been exhibited in museums in Romania , France , Germany , Israel , Canada , Austria , Chile and Brazil , including five solo exhibitions . Pelmus has been exhibited in museums of Canada , France , Germany , Israel , Romania , Austria , Chile and Brazil , including five solo exhibitions . 1 +Phaecadophora fimbriata is a moth of the Tortricidae family . It is found in India , China , Thailand , Japan , Taiwan , Java and New Guinea . Phaecadophora fimbriata is a moth from the family of tortricidae found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . 1 +"There is also a more promising and faithful remake named "" Xenonauts "" ." "Also , there is a faithful and more promising remake called "" Xenonauts "" ." 0 +The main partners of this festival are Parmigiani Fleurier , Manor , Heineken , Vaudoise and UBS . Main partners of the Festival are Parmigiani Fleurier , Manor , Heineken , Vaudoise Assurances and UBS . 1 +Mukherjee was born on 30 September 1909 in Benares ( now Varanasi ) , United Provinces ( now Uttar Pradesh ) , British India . Mukherjee was born on September 30 , 1909 in Benares ( now Varanasi ) , United Provinces ( now Uttar Pradesh ) , British - India . 1 +The first base with known weiferich - prime number with order 3 is 9 , where 2 is a wieferich - prime number to base 9 with order 3 . The first base with known Wieferich prime with order 3 is 9 , where 2 is a Wieferich prime to base 9 with order 3 . 1 +Liparulo was born in West Point , New York . He attended Weber State University in Utah . Liparulo was born in West Point , Utah , and attended the Weber State University in New York . 0 +These airlines operate more than 80 cities across India and also connect overseas routes after the liberalisation of Indian aviation . These airlines operate more than 80 cities all over India and , after the liberalisation of Indian aviation , also connect overseas routes . 1 +For scalar fluctuations , Formula 9 is referred to as the scalar spectral index , with the formula 10 corresponding to scalar invariant fluctuations . For scalar spectral fluctuations , Formula 9 is referred to as the scalar index , with the formula 10 corresponding to scalar invariant fluctuations . 0 +Therefore , the regulation of which imaginal disc cells become SMCs is vital to neural development . Therefore , the regulation from which neural disc cells become SMCs is vital to the development of the imaginal . 0 +The Danai Udomchoke won the tournament after defeating Samuel Groth in the final with 7 - 6 , 6 -- 3 . Samuel Groth won the tournament after defeating Danai Udomchoke 7 -- 6 , 6 -- 3 in the final . 0 +Nature explains the hardware of cognitive processing , and information processing theory provides the cognitive functioning based on those hardware . Nature provides the hardware of cognitive processing and Information Processing theory explains cognitive functioning based on that hardware . 0 +"Dean Loxton did the editing and visual effects for the music video of the song "" Slow Me "" for singer Mudibu , directed by Negrin ." "For the music video of the song "" Slow Me "" for singer Mudibu , directed by Negrin , Dean Loxton was responsible for the editing and visual effects ." 1 +I tried to buy it when George Romney ( later Michigan governor ) and Roy Abernethy were running AMC . I tried to buy it when Roy Abernethy ( later Michigan Governor ) and George Romney run AMC . 0 +"The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixtieth of the second ." "The word nanosecond is formed by the prefix "" nano "" and the basic one is second a second unit of time or a sixtieth of a second ." 0 +Sakura Spirit is a 2014 visual novel developed by Winged Cloud and published by Sekai Project . Sakura Spirit is a visual novel from 2014 , developed by Winged Cloud and published by Sekai Project . 1 +Alberto Cortina together with Alicia has three sons . Alberto Cortina has three sons with Alicia . 1 +Catriona Lambert was born in North Berwick and grew up in Edinburgh , Germany . Catriona Lambert was born in Edinburgh , Germany and grew up in North Berwick . 0 +Google allows business owners to review their own business data and has also recruited volunteers to verify and correct ground truth data . Google allows business owners to verify their own business data , and has also recruited volunteers to check and correct ground truth data . 1 +The planned electrification of the route Manchester to Blackpool Nord was announced in December 2009 . The planned electrification of the Blackpool North to Manchester route was announced in December 2009 . 0 +In early texts , 18 or 20 old schools are mentioned . In the early texts , 18 or 20 old schools are mentioned . 1 +"The Lagrangian of the "" free "" flat metric Wess - Zumino model in four-dimensional spacetime with massless formula 1 is" "The lagrangian of the "" free "" massless Wess -- Zumino -- model in four-dimensional space time with flat metric formula 1 is :" 0 +Three ships of the United States Navy have been named John G. Cowell , after Cowell . Three United States Navy ships have been named after Cowell John G. Cowell . 1 +Bouchier was married to Dorothy Britton , who translated a number of Japanese books into English . Dorothy Britton was married to Bouchier , who had translated a number of Japanese books into English . 0 +Iaquinta confronted Mitch Clarke at UFC 173 on 24 May 2014 . Mitch Clarke faced Iaquinta at UFC 173 on May 24 , 2014 . 0 +RocketBowl ( also RocketBowl Plus ) is a sports game developed by GarageGames and published by LargeAnimal , released November 4 , 2004 for Windows . RocketBowl Plus ( also known as RocketBowl Plus ) is a sports game developed by LargeAnimal and released by GarageGames , published on November 4 , 2004 for Windows . 0 +Woody Deck ( born June 8 , 1983 in Vilnius , Lithuania ) is an American professional poker player residing in Nashville , TN . Woody Deck ( born June 8 , 1983 in Vilnius , Lithuania ) is an American poker player residing in Nashville , TN . 1 +A complete edition was published in 1862 -- 1864 in Edinburgh , in seven volumes by Alexander Grosart , with a biographical memoir by James Nichol . A complete edition was published 1862 -- 1864 in Edinburgh , in seven volumes , by James Nichol , with a biographical memoir by Alexander Grosart . 0 +However , McKeithen Humphrey had supported Humphrey at the Democratic National Convention in Chicago in 1968 . Humphrey , however , had supported McKeithen at the 1968 Democratic National Convention in Chicago . 0 +Reginald Owen was a pseudonym used by John Ramsey . John Ramsey was a pseudonym used by the Reginald Owen . 0 +Thompson was born in 1960 in Hendon , North - London , Dena Holmes and worked for a building society . Dena Holmes was born in Hendon , North London in 1960 as Thompson and worked for a building society . 0 +The legend of Hallowdega is a 2010 black comedy - Fantasy - Mockumentary - short film , directed by Aaron Bergeron following a screenplay by Terry Gilliam . The Legend of Hallowdega is a 2010 black comedy fantasy mockumentary short film , directed by Terry Gilliam from a screenplay by Aaron Bergeron . 0 +Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC combined statistical area . Union County is included in the Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC Combined Statistical Area . 1 +Hans Jürgen Kallmann was painted in 1963 by Konrad Adenauer . Hans Jürgen Kallmann was painted by Konrad Adenauer in 1963 . 1 +The small dimension of the Montenegrin media market has constrained possible media ventures , especially in the broadcasting sector where the operating costs are high . The small dimension of the possible media market has restricted the Montenegrin media companies , especially in the broadcasting sector , where operating costs are high . 0 +A light novel - series - adaptation under the same name comes from Kadokawa 's Kadokawa Beans Bunko , all volumes were published by Tōko Fujitani with illustrations by Yamako . A light novel series adaptation under the same name is published by Kadokawa 's Kadokawa Beans Bunko . All volumes were written by Tōko Fujitani with illustrations by Yamako . 0 +The volumes 5 and 6 were published by DeVorss ' Co postum from various articles that Spalding had written . Volumes 5 and 6 were written by DeVorss & Co posthumously from various articles that Spalding had published . 0 +"Young Fathers ' third studio album "" Cocoa Sugar "" was announced with single "" In My View "" on the 17th January 2018 ." "The third studio album "" Cocoa Sugar "" was announced on 17th January 2018 with the single "" In My View "" ." 1 +He was born in Sarlat in the province of Dordogne and studied law in Toulouse and Paris . Tarde was born in Dordogne in the province of Sarlat , and he studied law at Toulouse and Paris . 0 +In February 2010 along with the Trinity Mirror 's other regional and local titles , the newspaper was sold to competitor Guardian Media Group plc . In February 2010 , the newspaper was sold together with other Guardian Media Group regional and local titles to competitor Trinity Mirror plc . 0 +This was approved by the Constitution of Afghanistan , which was created on 4 January 2004 . It was created by the Constitution of Afghanistan , which was approved on January 4 , 2004 . 0 +Eurosta is a species of the Tephritidae family , known in Europe as fruit flies and in North America as wing flies . Eurosta is a genus of the family Tephritidae , known as fruit flies in Europe and Picture wing flies in North America . 1 +In the infected EXE files , no text strings are visible within the starting code , but the following text strings are encrypted within the virus copy of the ABC virus : No text strings are visible within the initial code in infected EXE files , but the following text strings are encrypted within the viral copy of the ABC virus : 1 +If a Teredo client wants to contact a native IPv6 node , it must in practice locate the corresponding Teredo - Relay , e.g . "In practice , when a Teredo client wants to locate a corresponding node , it must contact the native IPv6 Teredo relay , "" i.e ." 0 +Therefore , those who miss it often quote the third and fourth lines completely . Those who quote it so often miss the third and fourth lines completely . 0 +Francesco Merano ( 1619 -- 1657 ) was an active painter of the baroque , mainly Italian in Genoa , where he was born . Francesco Merano ( 1619 -- 1657 ) was an active painter of the Baroque period , mainly Italian in Genoa , where he was born . 1 +"The song was performed on February 8 , 2008 on "" Friday Night with Adele "" and during the show on "" Saturday Night Live "" on October 18 , 2008 ." "Adele performed the song on "" Friday Night with Jools Holland "" on 8 February 2008 and on "" Saturday Night Live "" during the 18 October 2008 show ." 0 +Theodosius died in Constantinople in 395 , and was buried in Milan . Theodosius died 395 in Milan and was buried in Constantinople . 0 +Jeremy Bates and Anders Järryd won against Mansour Bahrami and Henri Leconte in the finals 6 : 4 , 7 : 6 . Jeremy Bates and Anders Järryd won in the final 6 -- 4 , 7 -- 6 against Mansour Bahrami and Henri Leconte . 1 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola from Bogota and three grandchildren . He is survived by his children Jason Coppola from Brooklyn and Samantha Coppola of Bogota and three grandchildren . 0 +Iguana Lovers ' sound was defined by the sound experimentation , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . The sound of Iguana Lovers has been defined by sound experimentation , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . 1 +It was shot on the set of Jesus Franco 's count Dracula , and also Christopher Lee as Dracula and Herbert Lom as Van Helsing . It was filmed on the set of Herbert Lom 's count Dracula and also played Jesus Franco as Dracula and Christopher Lee as Van Helsing . 0 +Liao works mainly in the fields of comparative literature , cultural theory and postcolonial studies . Liao works primarily in the fields of comparative literature , cultural theory , and postcolonial studies . 1 +Chananian is a village in the Leepa Valley , Hattian Bala district of Azad Kashmir , Pakistan . Chananian is a village in Azad Kashmir , the Leepa Valley , Hattian Bala District , Pakistan . 0 +Born in Bradford , Chapman performed for Frickley Athletic , Torquay United , Notts County , Mansfield , Exeter City , Bradford City , Darlington and Emley . Born in Bradford , Chapman played for Frickley Athletic , Bradford City , Notts County , Mansfield Town , Exeter City , Torquay United , Darlington and Emley . 1 +Like rest of the area in Central Luzon , there are two seasons in the area , the dry season and wet season . Like the rest of the area in Central Luzon there are two seasons in the area , the dry season and the rainy season . 1 +"It was also reproduced by PP Arnold on her album "" Boots "" and Nancy Sinatra in 1970 , produced again by Andrew Loog Oldham in 1966 ." "It was also produced by Nancy Sinatra in 1966 on their album "" Boots "" and PP Arnold again by Andrew Loog Oldham in 1970 ." 0 +Produced was directed by Cameron Crain , Richard Shelgren and Kamala Lopez and Kamala Lopez . It is directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . 0 +Diloma radula is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . Diloma radula is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . 0 +On 26 March 2012 , it was first successfully concluded by a 12-year-old American , Tom Schaar . It was first successfully completed on 26 March 2012 by a twelve-year-old American , Tom Schaar . 1 +In 2016 , the Milpitas , California campus relocated to San Jose , California . In 2016 , the campus moved Milpitas , California to San Jose , California . 1 +Many religious groups offer various programs for different age groups within Scouting , and some have separate programs or emblems for boys and girls . Many religious groups have separate programs for different age levels within scouting , and some offer different programs or emblems for boys and girls . 0 +Following his defeat in Cardiganshire , Henry Richard was elected Liberal Member of Parliament for the Merthyr Parliament of Wales in 1868 . Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 , districts in Cardiganshire . 0 +This scene has been cut , although its opening recitative was present in rewritten form in the first production . This scene was rewritten , although its opening - recitative in cut form was already present in the first production . 0 +The manuscript was transferred to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . The manuscript was presented to Eduard Reuss , the bishop of Imbro , Nicephorus Glykas . 0 +Little Tramp is a musical with a book by David Pomeranz and music and lyrics by David Pomeranz and Steven David Horwich . Little Tramp is a musical with a book by David Pomeranz and Steven David Horwich and music and texts by David Pomeranz . 0 +The pier was later relocated to Ferry Point near Kwun Chung . The pier was later shifted to Kwun Chung near Ferry Point . 0 +In the final , Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá from 7 to 6 ( 6 ) , 6 - 3 . Franco Ferreiro and André Sá defeated Oliver Marach and Leonardo Mayer 7 - 6 ( 6 ) , 6 - 3 in the final . 0 +Narayangad is a hill fort near Narayangaon , located 80 km from Pune , 8 km from Pune and 5 km from Khodad village . Narayangad is a fort near Pune , 80 km from Pune , 8 km from Narayangaon and 5 km from Khodad . 0 +His father , Gouri Devi , was a lawyer , while his mother , Kunjlal Ganguly , was a housemaker . His father , Kunjlal Ganguly , was a lawyer , while his mother , Gouri Devi , was a housemaker . 0 +In the Democratic primary , Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy and Robert J. Sullivan defeated John T. Driscoll . In democratic primary , John T. Driscoll defeated Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy , and Robert J. Sullivan . 0 +It conducted services between the following centres : Townsville , Bundaberg , Gladstone , Rockhampton , Mackay , Brisbane , Blackwater , Thangool , Coolangatta and Newcastle . It provided services between the following centres : Brisbane , Bundaberg , Gladstone , Rockhampton , Mackay , Townsville , Blackwater , Thangool , Coolangatta and Newcastle . 1 +Sekou Sundiata was born in Harlem , New York , as Robert Franklin Feaster , but changed his name in the late 1960 ’ s to honor his African heritage . Sekou Sundiata was born Robert Franklin Feaster in Harlem , New York , but changed his name in the late 1960s to honor his African heritage . 1 +For six months , Hopkins toured England , the United States and Japan with the band . Hopkins toured with the band for six months through Japan , the United States , and England . 1 +Former State Road 52 segments have included Roth Lane , Saint Leo , North 21st Street and Lock Street in Dade City . Former segments of State Road 52 , have included Roth Lane , in Dade City , and North 21st Street and Lock Street in Saint Leo . 0 +Rustem Igor Gamow was born to the famous cosmologist and physicist George Gamow and the ballet dancer Rho Gamow . George Gamow was born to Rustem Igor Gamow , the celebrated cosmologist and physicist , and ballet dancer Rho Gamow . 0 +The second section dealt with official intercourse between the two empires and specified the extraterritorial privileges of British subjects in China . The second section dealt with official transport between the two riches and specified the extraterritorial privileges of British subjects in China . 1 +In 2006 , the team added a second car for Thed Bjork and was replaced by Richard Göransson in 2009 . The team added a second car for Richard Göransson in 2006 , and was replaced by Thed Björk in 2009 . 0 +Walker was born in Chicago Heights , Illinois , in 1967 . He attended Bloom High School in Glenwood , Illinois . Born in 1967 in Chicago Heights , Illinois , he attended the Bloom High School in Glenwood , Illinois . 1 +Cory Rodgers caught a TD pass and Paul McCallum had two field goals and a single for the Lions , who played their 900th CFL game since 1954 . Paul McCallum caught a TD pass and Cory Rodgers had two field goals and one for the Lions who passed their 900th CFL game since 1954 . 0 +Indeed , the two terms are now also used in other parts of the country . Indeed , the two terms are now used also in other parts of the country . 1 +In 1930 , the architects Miguel Santos and Mariano Garrigues were commissioned to build the Faculty of Pharmacy , and Agustín Aguirre was selected for the Faculties of Medicine and Dentistry . In 1930 , the architects Agustín Aguirre and Mariano Garrigues were commissioned to build the Faculty of Pharmacy , and Miguel Santos was selected for the Faculties of Medicine and Dentistry . 0 +Dario Cvitanić ( Croatian : Darío Cvitanich ) ( born May 16 , 1984 ) is an Argentine football striker who plays for Banfield . Dario Cvitanić ( Croatian : Darío Cvitanich ; born 16 May 1984 ) is an Argentine football striker who plays for Banfield . 1 +It was established in January 2005 as a short-cost , low-article alternative to the mainstream press . It was established in January 2005 as a cost-effective short-article - alternative to the mainstream - press . 0 +"Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefit Concerto by "" The Best Little Whorehouse in Texas "" ." "Linda Lou was seen as Cody in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." 0 +SV Lurup is a federal association of the Football Association from Hamburg in the state of the same name . SV Lurup is a German association football club from the city of Hamburg in the state of the same name . 0 +Since 1984 , Sam Elliott has been married to the actress Katherine Ross . Katherine Ross has been married to actress Sam Elliott , since 1984 . 0 +Chrishan was born in Toledo , Ohio and grew up in Minneapolis , Minnesota . He attended High School for Recording Arts in St. Paul , Minnesota . He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and attended the High School for Reception Arts in St. Paul , Minnesota . 1 +Only six episodes survive in television archives , one from the first series , two each from the third and fourth , and one from the final series . In television archives , only six episodes survive , one from the first series , two from the third and fourth , one from the last series . 1 +Tide is the sixth album by Antônio Carlos Jobim , which was released in 1970 on A 'M Records and arranged by Deodato . Tide is the sixth album by Antônio Carlos Jobim , released in 1970 on A & M Records and arranged by Deodato . 1 +The family is very religious and , at the age of 12 , Géneviève joined the Protestant choir of her junior church . The family is very religious and at the age of 12 Géneviève joined her protestant church 's junior choir . 0 +His parents were William Halderman ( 1822-1866 ) , a local businessman and miller , and Anna Hostetter Halderman ( 1828-1919 ) . William Halderman ( 1822-1866 ) , a local businessman and Müller , and Anna Hostetter Halderman ( 1828-1919 ) were his parents . 1 +Archana is an accomplished film actress and South Indian Kuchipudi and Kathak dancer , known for her works in the Indian film industry . Archana is an Indian film actress and completed Kuchipudi and Kathak Dancer , known for her works in the South Indian film industry . 0 +Vevey is a town in Vaud in the canton Switzerland , on the north shore of Lake Geneva , near Lausanne . Vevey is a city in Switzerland in the canton of Vaud , on the north shore of Lake Geneva , near Lausanne . 0 +But these Iranian folk songs are funny , ironic and give a view of the old woman when she is in private . But these old folk songs are funny , ironic , and give a glimpse of the Iranian when she is private . 0 +""" Live : Legend 1999 & 1997 Apocalypse "" was first released on August 16 , 2014 , with an official trailer announced on September 11 , 2014 ." """ Live : Legend 1999 / 1997 Apocalypse "" was released on August 16th , 2014 with an official trailer on September 11 , 2014 ." 0 +They form the majority of the population of the River Xié and the upper Vaupés river above the mouth of the Rio Negro . They form the bulk of the population of the Xié River and the upper Rio Negro above the mouth of the Vaupés River . 0 +Original members included Amzi Barber , William , John D. Rockefeller , J. P. Morgan and Cornelius Vanderbilt . Original members included Cornelius Vanderbilt , William and John D. Rockefeller , J. P. Morgan and Amzi Barber . 1 +Eagle Harbor Township is a civil community of Keweenaw County in the U.S. state of Michigan . Eagle Harbor Township is a civil township of Keweenaw County in the U.S. state of Michigan . 1 +The Voievodu River is a tributary of the Sterminos River in Romania . The Sterminos River is a tributary of the River Voievodu in Romania . 0 +The A40 - parallels of the M40 from London to Oxford and was for years the main road between the two cities as a precursor . The A40 parallels the M40 from London to Oxford and for years was the main road between the two cities as its precursor . 1 +This was also the fifth series since the first to include a railroad consultant in the role as part of the production team with Sam Wilkinson . This also marked the first series since the fifth to include a railway consultant as part of the production team , with Sam Wilkinson in the role . 0 +The valley itself is made rocky by the river , while the surrounding area is lush and green desert . The valley itself is made rocky through the river , while the surrounding area is lush and green desert . 1 +"In October 1989 , Freud performed at the same theatre in "" Nuts ( Homage to Langland ) "" ." "In October 1989 , Langland performed at the same theatre in "" Nuts ( Homage to Freud ) "" ." 0 +Barrallier Island is a very small uninhabited island , located north-west of French Island in Victoria , Australia . French Island is a very small uninhabited island in the northwest of Barrallier Island , Victoria , Australia . 0 +A delicate teddy bear - similar creature , she looks harmless , but the fabulous talents of her Ursine Race called Spreens can provide a secret . A harmless teddy bear like creature , she looks fabulous , but the delicate talents of her ursine race called Spreens can provide a secret . 0 +Parent organizations include PTSA , Sports Boosters , Music Boosters , Drama Boosters , Art Boosters , the English Language Advisory Committee . Parental organizations include PTSA , sports boosters , music - boosters , drama - boosters , art boosters , the English Language Advisory Committee . 1 +He continued his cross country and track career at the Boston English High School and began his career at Boston State College . He started his cross country and track career at the Boston English High School and continued his career at Boston State College . 0 +Born in Bootle , Kathy Lloyd grew up in Netherton , Carrickfergus , Northern Ireland , where she visited Warwick Bolam High School . Kathy Lloyd was born in Bootle and grew up in Netherton , Carrickfergus , Northern Ireland , where she attended Warwick Bolam High School . 1 +In 1916 he retired and died on September 30 , 1918 . He retired in 1916 , and died on September 30 , 1918 . 1 +After his discharge he moved from Germany to Los Angeles and then to San Francisco then to New Mexico . After his dismissal , he moved from Germany to New Mexico and then to Los Angeles , then to San Francisco . 0 +Mr Cave made the highest bid for Mr Payne 's goods at an auction . At an auction , Mr Cave gave the highest bid for Mr Payne 's goods . 1 +During the Gulf War , the NPC called the Gulf Crisis Working Group , a coalition of several groups that organised . During the Gulf War , the NPC organised the Gulf Crisis Working Group , a coalition of several groups that : 0 +The original Murdoc , Michael Des Barres , portrayed Nicolas Helman ’ s Mentor Murdoc in the 2016 series . The original Murdoc , Michael Des Barres , portrayed Nicolas Helman 's mentor , Murdoc , in the 2016 Series . 1 +Johnson has worked in laboratories in Sydney , Townsville Queensland , Melbourne , and Boston USA in molecular genetic animal research . Johnson has worked in animal molecular genetics in laboratories in Melbourne , Townsville Queensland , Sydney and Boston USA . 1 +There are 4 playable characters , each with a unique ability and a different style of fighting : There are 4 playable characters , each with a unique ability and also a different fighting style : 1 +The Club The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter prizes . The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapter prizes . 0 +When the band moved from Virginia Beach in 2012 , we split up from Los Angeles and Texas . In 2012 , when the band separated from Virginia Beach , we moved between Los Angeles and Texas . 0 +The southern region is separated from the mountains of Moab by the Karak governorate in the central region . The South Region is separated from the Karak Governorate by the Mountains of Moab in Central Region . 1 +The Huánuco Region is the largest of eleven provinces of the Puerto Inca Province in Peru . The Puerto Inca province is the largest of the eleven provinces of Huánuco region in Peru . 0 +It lives in many habitats , including steppes , mountainous regions , semi-deserts , and urban areas . It lives in many habitats , including steppes , mountainous areas , semi-deserts , and urban areas . 1 +Franklin Township , Ripley County , Indiana was founded in 1855 and named after Franklin Township , the home of an early settler . Franklin Township , Ripley County , Indiana was organized in 1855 , and named after Franklin Township , the native home of an early settler . 1 +A single egg weighs around and usually has 17 ribs , but sometimes 18 or less often 16 . A single egg weighs about and usually has 17 ribs , but sometimes 18 or less often 16 . 1 +Joe Root also of Yorkshire and now England 's rising cricket star , currently captain of England , was born and raised in Dore . Born and raised in Dore , Joe Joe Root was born , also by Yorkshire and currently England 's rising cricket star , now Captain of England . 1 +"Kjersti Løken Stavrum is a sister of Karl Petter Løken and is married to Gunnar Stavrum , editor in chief of the online newspaper "" Nettavisen "" ." "Kjersti Løken Stavrum is a sister of Karl Petter Løken and is married to Gunnar Stavrum , editor-in-chief of the online newspaper "" Nettavisen "" ." 1 +First Presbyterian Church is located in 1702 Iowa Street , Davenport , Iowa Davenport , Iowa , United States . First Presbyterian Church is located at 1702 Iowa Street , Davenport , Iowa , Iowa Davenport , Iowa , United States . 1 +His mother was named Augusta Boltman , and his father , Albert Henneberg , was an opera singer . His mother was called Albert Henneberg and his father Augusta Boltman was an opera singer . 0 +When Khadr was injured in a battle in Kabul in 1995 , Mohamad Elzahabi visited him at Peshawar Hospital . When Khadr was injured in a 1995 battle in Kabul , Mohamad Elzahabi visited him the Peshawar hospital . 1 +On the interior are slates engraved with the image of Padmasambhava , Gautama Buddha and Ngawang Namgyal . On the inside are engraved slates with the image of Ngawang Namgyal , Gautama Buddha and Padmasambhava . 1 +The township contains eight cemeteries : Bell , Mount Moriah , Evergreen , Shinn , Bethel , Hetzler , John and West Grove . The municipality contains eight cemeteries : Bell , Mount Moriah , Evergreen , Shinn , Bethel , Hetzler , John and West Grove . 1 +In March 1904 , his brother was kidnapped in Mexico for ransom and brought across the border to West Texas . In March 1904 , his brother was kidnapped for ransom in West Texas and taken across the border to Mexico . 0 +Jennica Garcia is the only daughter of Jean Garcia and Jigo Garcia . Jennica Garcia is the sole daughter of Jean Garcia and Jigo Garcia . 1 +Oliver helps Johnston develop a weapon , knowing that historically Oliver loses the siege . Oliver helps Johnston develop a weapon , knowing that Oliver historically loses the siege . 1 +The house was bought in 1858 by Sir George Dewhurst of Dunira , who in 1864 sold it to David Dundas of Lymm , Cheshire . The house was purchased in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst from Lymm , Cheshire in 1864 . 0 +In 1909 he had Lee Alexander ( d. 1959 ) . They married together : In 1909 , he married Lee Alexander ( d. 1959 ) . Together , they had : 0 +The beta - acute dose effects of dependent radiation on the skin are as follows : The beta Dose Acute effects of dependent radiation on skin are as follows : 1 +Eight years in Britain , Mumbai , Moraes now spent London and Oxford , New York City , Hong Kong , Delhi , and Bombay . Moraes spent eight years in Britain , London , and Oxford , New York City , Hong Kong , Delhi , and Bombay , now Mumbai . 0 +""" Hard to Buy "" is a song by American singer K. Michelle from her second studio album "" Anybody Wan na Do a Heart ? """ """ Hard to Buy "" is a song from the American singer K. Michelle from her second studio album "" Anybody Wan na Do a Heart ?" 1 +The Arbatel de Magia veterum was a Latin grimoire of the Renaissance ceremonial magic that was published in Switzerland in 1575 . The Arbatel De Magia veterum was a Latin grimoire of renaissance ceremonial magic published in 1575 in Switzerland . 1 +Irfon defines the northern border of the Mynydd Epynt area between Llanwrtyd Wells and Builth Wells . The Irfon defines the northern limit of the Builth Wells area between Llanwrtyd Wells and Mynydd Epynt . 0 +The original squadron 159 was to be dissolved during the First World War , but the idea was formed so that reinforcements could be sent into France . The original 159 Squadron was to be formed during the First World War , but the idea was disbanded so that reinforcements could be sent to France . 0 +Born in Geneva and grew up in New York Cramer was born . Cramer was born in Geneva and grew up in New York City . 1 +Nuala McGee ( 0 -- 7 ) and Maureen McAleenan ( 1 -- 2 ) got for Leitrim . Maureen McAleenan ( 0 -- 7 ) and Nuala McGee ( 1 -- 2 ) scored for Leitrim . 0 +Biancaneve is an Italian erotic comic book , created in 1972 by Renzo Barbieri and Rubino Ventura ( pseudonym of Giuseppe Pederiali ) and illustrated by Leone Frollo . Biancaneve is an Italian erotic comic book , created in 1972 by Leone Frollo and Rubino Ventura ( pseudonym Giuseppe Pederiali ) and illustrated by Renzo Barbieri . 0 +Aldred was born in Flint , Michigan . He graduated in 1986 from Hill McCloy High School in Montrose , Michigan , a rural town just north of Flint . Aldred was born in Montrose , Michigan , and graduated from the Hill McCloy High School in Flint , a rural town north of Flint , Michigan in 1986 . 0 +Unfortunately , Tam has the ability to analyze people and situations and to manipulate them expertly . Unfortunately , Tam has the ability to manipulate and expertly analyze people and situations . 0 +The thirteen colonies of the Anglo - United States were all original possessions , and popular culture became a major basis for American folk and former British music . The Thirteen Colonies of the Anglo United States were all original possessions , and popular culture became a major foundation for American folk and former British music . 1 +Thomas Enqvist won the tournament , beating Brett Steven in the final , 4 -- 6 , 6 -- 3 , 7 -- 6 ( 0 ) . The tournament won Thomas Thomas Enqvist and struck Brett Steven in the final , 4 -- 6 , 6 -- 3 , 7 -- 6 ( 0 ) . 1 +The Berkeley edition was published in February 1985 , the second printing was in June 1985 , and the third printing was in November 1985 . The Berkeley issue was published in February 1985 , the third printing was in June 1985 and the second pressure was in November 1985 . 0 +Wayne Black and Kevin Ullyett won against Jonas Björkman and Todd Woodbridge in the Finals 6 : 3 , 6 : 4 . Wayne Black and Kevin Ullyett won in the final 6 -- 3 , 6 -- 4 , against Jonas Björkman and Todd Woodbridge . 1 +However , Dan Dan decides to keep this truth a little longer from Serena . Serena decides , however , to keep this truth for a little longer from Dan . 0 +Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Andrew E. C. Gaska and illustrated by Daniel Dussault . 0 +The screenplay by Robert Carrington and Jane-Howard Carrington is based on the 1966 play by Frederick Knott . The screenplay by Robert Carrington and Jane - Howard Carrington is based on the 1966 play by Frederick Knott . 1 +On December 31 , 2015 , Melvin returned as Defensive Line Coach for Darrell Hazell to Purdue University . On December 31 , 2015 , Darrell Hazell returned to Purdue University as the defensive line coach for Melvin . 0 +Was born Terry in Fairfax , Iowa , and died in Cedar Rapids , Iowa . Terry was born in Fairfax , Iowa , and died in Cedar Rapids , Iowa . 1 +Daniel , another Jesuit from England , joined William Good soon after , even though she had a turbulent relationship . William Good , another Jesuit from England , joined Daniel soon after , even though he had a turbulent relationship . 0 +Also Bill Bill Pickett , an African-American rodeo actor , appeared in early Western films for the same audience . Bill Pickett , an American-African rodeo performer , also appeared in early western films for the same audience . 0 +Another new bridge was built at Phnom Penh on the Neak Leung to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . Another new bridge was built by Neak Leung at the Phnom Penh to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . 0 +Miniatures flourished mainly in Mewar , Bundi , Kota , Jaipur , Kishangarh , Jodhpur and Bikaner . Rajasthani Miniatures flourished mainly in Mewar , Bundi , Kota , Kishangarh , Jaipur , Jodhpur and Bikaner . 1 +The soils are organic , with a considerable lime content , significant in clay material , with a good proportion of poor elements , which allows for good drainage . The soils are clayey , with a good lime content , poor in organic material , with a significant proportion of sizable elements which allows for good drainage . 0 +In return , Grimoald gave him his daughter in marriage and granted him the duchy of Spoleto after the death of Atto . In return , Grimoald granted him his daughter in marriage and gave him the duchy of Spoleto following the death of Atto . 1 +In 1963 I met Felix Cavaliere ( a pickup singer on the local R 'B circuit ) and Eddie Brigati ( a classically trained pianist ) . In 1963 , he met Eddie Brigati ( a pickup singer on the local R & amp ; B circuit ) and Felix Cavaliere ( a classically trained pianist ) . 0 +In July 2013 , the Tigers Vásquez and a player who would later be named ( David Paulino ) traded to Houston Astros for José Veras . In July 2013 , the Tigers traded Vásquez and a player to be named later ( David Paulino ) to the Houston Astros for José Veras . 0 +In a relatively simple form , a microcapsule is a uniform sphere with a small wall around it . In a relatively simple form , a microcapsule is a uniform ball with a small wall around it . 1 +"The team , founded in 1906 , took the first American "" double "" when it won the National Association Football League and the American Cup title in 1912 ." "Founded in 1906 , the team won the first American "" double "" when it took the 1912 National Association Football League and American Cup titles ." 0 +The National Treasury of the Republic of Kenya is the Kenyan government ministry which formulates financial policies and oversees effective coordination of Government financial and economic operations . The Treasury Department of the Republic of Kenya is the Kenyan Ministry of Government , which formulates financial and economic policies and monitors effective coordination of government financial operations . 0 +When Herlin returned to Finland in 1928 , he initially worked as a designer for Kone , his father 's company . When Kone returned to Finland in 1928 , he initially worked as a designer for the company of his father Herlin . 0 +The river is crossed by the Princes Highway east of Cann River . The river is traversed by the Princes Highway east of Cann River . 1 +He meets Kekesfalva 's paralyzed daughter Edith and develops deep affection and delicate compassion for her . He meets Kekesfalva 's paralyzed daughter Edith and develops deep affection and subtle compassion for her . 1 +B is the middle term between the two premises ( the common term ) but is never distributed , so this syllogism is invalid . B is the medium term between the two premises ( the common term ) , but is never distributed , so this syllogism is invalid . 1 +PTAs were abolished by the 1985 Local Government Act when the Metropolitan County Councils were restored . PTAs were restored by the 1985 Local Government Act , when the Metropolitan County Councils were abolished . 0 +"In 2007 , Wiik appeared as Jason in the "" Timber Falls "" thriller ." "In 2007 , Jason appeared in the thriller "" Timber Falls "" as a Wiik ." 0 +This article is the second history of Alexander Mackenzie , the Prime Minister of Canada . This article is the second history of Alexander Mackenzie , the Electoral Prime Minister of Canada . 1 +In 1955 , it became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . In 1955 , the company became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . 0 +The Slatina River is a tributary of the Cochirleanca River in Romania The river Cochirleanca is a tributary of the Slatina river in Romania . 0 +A survey among software engineering experts revealed , however , that documentation is by no means considered unnecessary in agile development . However , a survey among software engineering experts revealed that documentation is by no means agile in the event of unnecessary development . 0 +Azerbaijan is a largely Sunni Shia population country with a non-observant minority . Azerbaijan is a largely Sunni - Shia population with a non-observant minority . 1 +Károli started his school in Nagykároly and closed it in Brassó , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . Károli started his school in Nagykároly and finished in Brassó . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . 1 +In 1979 she fled to West Germany by boarding a plane from Budapest to Munich with a false West German passport . In 1979 , she fled to West Germany by flying with a false West German passport from Munich to Budapest . 0 +El Arco Mine is a large copper mine in the northwest of the Baja California in Mexico . The El Arco Mine is a large copper mine in the northwest of Mexico in Baja California . 0 +The government of Qingyang County is located in Rongcheng Town . Qingyang County Government is located in the town of Rongcheng . 1 +Eoacmaea calamus is a species of sea snail , a true limpet , a naval gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . 1 +It is owned by the Nation Multimedia Group ( NMG ) . It is owned by Nation Multimedia Group ( NMG ) . 1 +Maine is a center and warehouse for the Hog Island chapter of the National Audubon Society . Hog Island is a center and a camp for the Maine - chapter of the National Audubon Society . 0 +Sébastien Fournier ( born 27 June 1971 ) is a Swiss football manager , most recently for FC Sion , and former football player . Sébastien Fournier ( born June 27 , 1971 ) is a former football manager , most recently for FC Sion , and Swiss football player . 0 +Cape Breton Island is an island in the Canadian province of Nova Scotia , located off the coast of Baleine , Scatarie Island . Scatarie Island is an island located in the Canadian province of Nova Scotia , off the coast of Baleine , Cape Breton Island . 0 +In 1948 , he moved to Cyprus . In 1958 , he relocated to England . In 1948 he moved to Cyprus , to England in 1958 . 1 +Separate lists are provided for the 61 listed properties and historic districts of Evanston and the more than 350 listed properties and districts in Chicago . Separate lists are provided for the 61 listed properties and historic districts in Evanston and the more than 350 listed properties and districts in Chicago . 1 +The Shetland Islands of the Central Mainland is the part of the Mainland , between Hellister , Aith and Voe . The central mainland of the Shetland Islands is part of the mainland between Hellister , Aith and Voe . 0 +The Ojhas are spiritual guides , teachers and members of the highest ritual rank as brahmans in the varna system of Hinduism . As Brahmins , the Ojhas are ritual leaders , teachers , and members of the highest spiritual rank in the varna system of Hinduism . 0 +Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) it was built by a crew of 300 over a period of 4 months . Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) , it was built by a crew of 300 over a period of four months . 1 +"Greg Smith has released two solo albums as Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "As Greg Smith Sounds , Smith released two solo plates : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 0 +"The Progressive Teacher Jürgen Reichen ( Swiss Education ) established this method "" Writing to read "" 1982 ." "In 1982 , the Swiss teacher Jürgen Reichen ( progressive education ) founded this method "" Writing to read "" ." 0 +Hummer first pursued a broadcasting career in 1996 . He briefly worked for TVG Network , a horse racing network . Hummer pursued a broadcasting career briefly in 1996 and worked for TVG Network , a horse racing network . 0 +In 1968 , Catherine Gillies , the granddaughter of Charles Manson , learned of Barbara Myers about Myers Ranch . In 1968 , Barbara Myers learned about the Myers Ranch from Catherine Gillies , the granddaughter of Charles Manson . 1 +Barley has been used as animal feed , as a source of fermentable material for beer and various distilled drinks and as a component of certain health foods . Barley has been used as animal fodder , as a source of fermentable material for beer and certain distilled beverages , and as a component of various health foods . 0 +Each evening will be an optimistic celebration of discussion , a pep rally for the inner spirit , and an intimate look at the overwhelming intensity of life . Every evening will be an intimate celebration of discussion , a pep rally for the inner mind and an optimistic look at the overwhelming intensity of life . 0 +In Exeter , Robert senior was succeeded by his younger son , James , and this branch became Robert Veitch & Sons . In Exeter , Robert Senior was replaced by his younger son James , and this branch became Robert Veitch 's Sons . 1 +The Cornish poet was a schoolfellow of Robert Stephen Hawker ; later literary friends included Tennyson and Charles Dickens . The Cornish poet was a schoolmate of Robert Stephen Hawker , later literary friends included Tennyson and Charles Dickens . 1 +Although five issues of the series were printed , the project was completed without any of them being cancelled . Although five issues of the series were finished , the project was cancelled without any of them being printed . 0 +"( A1 ) Boston Celtics versus ( A2 ) New York Knicks : "" Knicks Series 4-1 "" Win" "( A1 ) Knicks versus ( A2 ) Boston Celtics : "" New York Knicks Series 4-1 "" Win" 0 +Players pick a server , and then choose from six classes of either the good team or the evil team . Players choose a server and then select from six classes of the good team or the evil team . 1 +PTAs were restored by the 1985 Local Government Act , when the Metropolitan County Councils were abolished . PTAs were recreated by the Local Government Act 1985 when the metropolitan county councils were abolished . 1 +It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland and married Stephen Jackson . She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson , who married Henry Albert Hartland . 0 +Tom Ortenberg , CEO of Open Road Films and former president of Lionsgate Films , was born and raised in Briarcliff Manor . Born and raised in Briarcliff Manor , Tom Ortenberg , CEO of Lionsgate Films and a former president of Open Road Films , was born . 0 +For the 1951 season , the circuit with the Arizona - Southwest International League merged to form the Texas League . For the 1951 season , the circuit merged with the Arizona -- Texas League to form the Southwest International League . 0 +He is a member of the IEEE , the ACM , the AAAS and EATCS . He is a fellow of the ACM , the IEEE , the AAAS , and EATCS . 1 +This current bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the small Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . This little bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge over the Peace River . 0 +It is the seat of the district of Zerendi in Akmola region . It is the seat of Akmola Region in Zerendi District . 0 +The Buzăiel River is a tributary of the Tătaru River in Romania . The river Tătaru is a tributary of the Buzăiel River in Romania . 0 +In a standard - RAID - 01 - configuration , at least four disks are used , but larger arrays are also necessary . At least four disks are used in a standard RAID 01 configuration , but larger arrays are also required . 1 +He was appointed successor to Bishop Brian King in 2002 and is the first Anglican bishop in Australia to have a Chinese ethnic background . Lee was appointed in 2002 to replace Bishop Brian King . He is the first Anglican bishop in Australia to have a Chinese ethnic background . 1 +Earl Bales Park is former park in Ontario and the large city of North York , Toronto , with the East Don River running through it . Earl Bales Park is a large park in Toronto and the former city of North York , Ontario , with the East Don River walking through it . 0 +A competition between Deputy Chief Sharon Raydor , Commander Leo Mason and Captain Winnie Davis developed for the position . A competition develops between Deputy Chief Winnie Davis , Commander Leo Mason and Captain Sharon Raydor for the position . 0 +Thomas Kincaid Blake Jr. 's mother John married his father Sinclair T. Chitty at the age of 15 . Sinclair T. Chitty , his mother , married his father Thomas Kincaid Blake Jr. at the age of 15 . 0 +Portsmouth won 4 -- 1 , with goals from Bert Barlow , John Anderson and two by Cliff Parker . Portsmouth won 4 -- 1 , with goals by Bert Barlow , John Anderson and two by Cliff Parker . 1 +Roberto Oliveira also known as Roberto de Oliveira ( born December 16th , 1980 in Brazil ) , is a Brazilian footballer . Roberto Oliveira is also known as Roberto de Oliveira ( born December 16 , 1980 in Brazil ) , a Brazilian footballer . 1 +The series is written by Chris Roberson and drawn by Robert Adler . The series was written by Robert Adler and drawn by Chris Roberson . 0 +Since 2008 , Hoyer has toured Canada several times , including two times with Michael Rault , once with Sean Nicholas Savage and once with Joe . Hoyer has toured Canada several times since 2008 , including twice with Michael Rault , once with Sean Nicholas Savage , and once with The Joe . 1 +Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria in Austria . Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria , Austria . 1 +"The first known European sighting of Whidbey Island was during the 1790 Spanish expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." "The first known European observation of Whidbey Island was at the "" Princesa Real "" during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro in 1790 ." 1 +Bourg-de-Péage is from Valence , Prefecture of Drôme , away from Lyon , Marseille and Paris . Bourg-de-Péage is located from Valence , prefecture of Drôme , away from Lyon , from Marseille and from Paris . 1 +Simon Mathews ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Butler in 1712 . Simon Mathews ( b . 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Butler . 1 +"It is Goine 's first written work and was written before "" Dopefiend "" , but was released in 1972 after "" Dopefiend "" was published ." "It is Goines 's first written work and was written before "" Dopefiend "" but was published in 1972 , after "" Dopefiend "" was released ." 1 +The continued popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . The continuing popularity of this mobile suit in Japan has led Bandai to create a 1.5 m high model version , which went on sale in Japan in 2007 . 0 +His name is decorated by the Federal Office Building of Reuss Plaza in Dundee , Wisconsin , and the National Park Service 's Henry Reuss Ice Age center near Milwaukee . His name graces the Reuss Plaza Federal Office Building in Milwaukee , and the National Park Service 's Henry Reuss Ice Age Center near Dundee , Wisconsin . 0 +The first stamps used in Tunisia were those of the colonial power France of 1888 . Stamps specifically issued for Tunisia were issued from 1 July 1888 . The first stamps used in Tunisia were those of the colonial power , France , from 1888 . Stamps specifically for Tunisia were issued from 1 July 1888 . 1 +The episodes were shot in various places in the UK and foreign scenes were shot at Twickenham Studios . The episodes were shot in various locations the UK , and foreign scenes were shot in Twickenham studios . 1 +Fixing can often change the value of a financial instrument , and can be difficult to price in the software models used to encode such instruments . Fixing can often change the value of a financial instrument and can be difficult to assess in the software models used to encode such instruments . 1 +De Doorns is a city in South Africa in the province of Western Cape Cape Winelands District Municipality . De Doorns is a city in the Cape Winelands District Municipality in the province of Western Cape , South Africa . 0 +Jolly 's parents settled in Rajshahi from West Bengal . Her elder sister Sharmili Ahmed is an actress . Jolly 's parents settled in West Bengal in Rajshahi , her elder sister Sharmili Ahmed is actress . 1 +"The film is based on Mollie Dickenson 's 1987 biography about Brady titled "" Thumbs Up "" ." "The film is based on Brady 's 1987 biography about Mollie Dickenson entitled "" Thumbs Up "" ." 0 +The logo is similar to that of the Buffalo Sabres of the NHL . The Bearcats ' old jersey is that of the Florida Panthers from 1996/97-2005/06 . The logo is similar to that of the NHL Buffalo Sabres , the jersey of the Bearcats is that of the Florida Panthers from 1996 / 97-2005 / 06 . 1 +The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Mumbai near Bharuch , or Vasai about 290 kilometers south of Bhārukaccha . The port of Suppāraka is either modern Sopara near Bharukaccha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bharukaccha . 1 +Theoretically , TS can be measured for numerical targets such as balls and cylinders , but is usually calculated empirically or derived with simple models in practice . Theoretically , TS can be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numeric models . 0 +In all , there are three red hats and two blue . All in all , there are three blue hats and two red . 0 +With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports increased and employment rose . 1 +The Banaue rice terraces were declared by the Philippine Government in 1973 by the Presidential Decree No . 260 as the National Cultural Treasure under Ifugao rice terraces . The Banaue Rice Terraces were declared by the Philippine government as a National Cultural Treasure under Ifugao Rice Terraces by virtue of Presidential Decree No . 260 in 1973 . 1 +NDA won 206 seats while RJD won 22 seats . NDA won 206 seats , while RJD 22 seats won . 1 +The current line - up is Chris Fogal on the guitar and vocals , Forrest Bartosh on drums and Johnny Wilson on bass and background - vocals . The current line-up is Chris Fogal on guitar and vocals , Forrest Bartosh on drums and Johnny Wilson on bass and background vocals . 1 +It 's later been said that the arrangement also inspired the work of Jimmy Webb . It has also been said that the arrangement later inspired the work of Jimmy Webb . 0 +In Daniel Dewey ( F ) resigned February 24 , 1814 , and was replaced by a special election of John W. Hulbert ( F ) . In the , John W. Hulbert ( F ) resigned on 24 February 1814 and was replaced by a special election of Daniel Dewey ( F ) . 0 +Robert Owen ( 1810 -- 1890 ) , Richard Owen 's youngest son , came to New Harmony in 1828 and initially taught school there . Robert Owen ( 1810 -- 1890 ) , the youngest son of Richard Owen , came to New Harmony in 1828 and taught school there . 1 +There are three primary schools and a number of secondary schools in Caringbah . In Caringbah there are three primary schools and a series of secondary schools . 1 +In 1882 , he was named to the Quebec Superior Court for Gaspé district , later serving in Joliette , Kamouraska and Montmagny districts . In 1882 , he was named in the Quebec Superior Court for Gaspé district , later in Joliette , Kamouraska , and Montmagny Districts . 1 +Angelica Panganiban ( Lizelle Jimenez ) is in a new relationship with Surgeon Adrian Benitez ( Gabby Concepcion ) . Angelica Panganiban ( Lizelle Jimenez ) is a new relationship with Adrian Benitez surgeon ( Gabby Concepcion ) . 1 +Some witnesses reported seeing a white crystalline powder : TATP is a white powder . Some witnesses reported a white powder : TATP is a white crystalline powder . 0 +She married Antonio Bourque and first lived in Moncton before returning to Villa Providence in Shediac . She married Antonio Bourque and first lived in Shediac before retiring to the Villa Providence in Moncton . 0 +Kanwarlal is a 1988 Bollywood Action film , produced by G. Hanumantha Rao by Padmalaya Studios banner , presented by Krishna and directed by S.S. Ravichandra . Kanwarlal is a 1988 Bollywood Action Film produced by G. Hanumantha Rao by Padmalaya Studios Banner , presented by Krishna and S.S. Ravichandra . 0 +Cartman regards Connor as a separate entity and has talks with him , while Stan and Kyle do not accept this idea at all . Cartman regards Connor as a separate entity and has conversations with him , while Stan and Kyle do not accept this idea at all . 1 +Much of Bear Mountain State Park borders on the Tomkins Cove . Much of the Tomkins Cove perimeter borders Bear Mountain State Park . 0 +Finally , we say that distribution is regular if the Formula 11 is concave . Finally , we say that if Formula 11 is regular , a distribution is concave . 0 +In rats , it also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin . It also inhibits the peripheral , though not central secretion of oxytocin and vasopressin in rats . 0 +""" Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the UK and on March 1 , 2016 in the United States ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the USA and on March 1 , 2016 in the United Kingdom ." 0 +Frank proposed to accompany the children because he wanted to see Aslan himself . Frank offered to accompany the children , because he wanted to see Aslan himself . 1 +In JavaScript , for example , the factor function can be defined via anonymous recursion as such : For example , in JavaScript , the factor function can be defined as anonymous via such a recursion : 0 +Its earliest settlers were George Woods in 1774 , and George McCormick who settled at Spring Mills in 1773 and built the first mill there . Its earliest settlers in 1774 were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . 1 +Võhma is a village in Lääneranna Parish , Pärnu County , in western Estonia . Võhma is a village in the Lääneranna parish , Estonia , in western Pärnu County . 0 +""" Sketch "" was recorded as the last album with the bassist Nina Souto and the drummer Arturo Garcia ." """ Sketch "" was the last album recorded with bassist Arturo Garcia and drummer Nina Souto ." 0 +Élisabeth Dominique Lucie Guignot was born to a well-off Parisian family and married Gérard Depardieu on 19 February 1970 . Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on February 19 , 1970 . 1 +Darren Burnett won 9-4 , 9-5 against Simon Skelton in the finals . Simon Skelton won in the final 9-4 , 9-5 against Darren Burnett . 0 +Until 1971 the Southern Pacific Railroad operated from its Third and Townsend Depot commuter trains to San Jose and long distance trains to Los Angeles . Until 1971 , the Southern Pacific Railroad operated from its Third and Townsend depots private trains to Los Angeles and long distance trains to San Jose . 0 +BA relocated the former BCal routes to Tokyo and Saudi Arabia to Heathrow . BA published the former BCal routes to Heathrow to Tokyo and Saudi Arabia . 0 +He lived ten years in Italy and won the classic Bardolino race in Turin , Italy for six years in a row from 2001 to 2006 . Living in Italy for ten years , he won The Bardolino classic race in Turin , Italy for six years in a row , from 2001 to 2006 . 1 +In February 1852 , Urquiza Rosas defeated and replaced the Battle of Caseros . In February 1852 Urquiza defeated Rosas at the battle of Caseros and replaced him . 0 +In 1828 , Layitia Snyder married Yeomans of Albany , with whom he had two daughters and three sons . Yeomans married Laetitia Snyder of Albany in 1828 , with whom he had two daughters and three sons . 0 +The task of this department is to coordinate further and to develop the philanthropic work of the Archdiocese . The role of this department is to further develop and coordinate the philanthropic work of the Archdiocese . 0 +He is the brother of Hashim Khan and Azam Khan , second cousin of Roshan Khan and uncle of Jahangir Khan and Torsam Khan . He is the brother of Hashim Khan and Azam Khan , the second cousin of Roshan Khan and the uncle of Jahangir Khan and Torsam Khan . 1 +Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Mercer County with parts of Lackawannock Township in Lawrence County . In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Lawrence County with parts of the Lackawannock Township in Mercer County . 0 +Newark returned to NAFBL , but withdrew back at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . Newark withdrew to NAFBL , but returned at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . 0 +The seeds are long , with a thin shell , a white endosperm , and a vestigial wing . The seeds are white , with a thin shell , a long endosperm and a wing wing . 0 +The Oklahoma authorities offer her to extradite her to Florida , but she insists on staying in Florida to fight against arson . The Oklahoma authorities offer to extradite her to Florida , but she insists on staying in Florida to fight the arson charges . 1 +Paraparaumu has an oceanic climate typical of New Zealand , with moderately warm summers and mild winters . Paraparaumu has an oceanic climate typical of New Zealand , with temperate warm summers and mild winters . 1 +Designed by the architect Henry L. Taylor , it was built by O. R. Woodcock . Built by the architect Henry L. Taylor , it was designed by O. R. Woodcock . 0 +The requirement for the Assembly was maintained in 2004 , but was dropped for those seeking membership of the Executive Board . The requirement for the assembly was maintained in 2004 , but was dropped for those seeking board membership . 1 +North Dalton Park is located at Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . Towradgi is located at Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +A systematic study of category theory then allows us to prove general results about any of these types of mathematical structures from the axioms of a category . A systematic study of category theory then allows us to prove mathematical results on each of these types of general structures from the axioms of a category . 0 +During the night of 6/7 August , the Croatian Home Guard Regiment , supported by 20th police and elements of the 153rd Brigade , captured Glina despite strong resistance . During the night of 6 to 7 August , the Croatian Home Guard Regiment , supported by the 20th police and elements of the 153rd Brigade , captured Glina despite strong resistance . 1 +A film director Larysa Malyukova and film critic Amir Yatsiv discussed the rare genre of the animated documentary . The director Amir Yatsiv and the film critic Larysa Malyukova discussed the rare genre of the animated documentary film . 0 +The codice _ 2 branch is updated daily , and the codice _ 3 branch gets updated every 6 months . The codice 2 branch is updated daily , and the branch codice 3 is updated every 6 months . 1 +Gangatheri is a village and gram panchayat in Assandh , Karnal district , Haryana , India . Its 1991 population was 2628 . Gangatheri is a village and a gram panchayat in Assandh , Karnal district , Haryana , India , 1991 was population 2628 . 1 +"The "" Super Deluxx Edition "" was published by 9th Level Games , but is designed by Dork Storm Press ." "The "" Super Deluxx Edition "" was still designed by 9th Level Games , but is published by Dork Storm Press ." 0 +Vladan Desnica ( 17 September,1905 -- 4 March , 1967 ) was a Serb writer of Yugoslav origin . Vladan Desnica ( September 17 , 1905 - March 4 , 1967 ) was a Yugoslav writer of Serbian origin . 0 +Tynion followed up the series with an additional horror comic for Thrillbent , The House In The Wall , co-written by Noah J. Yuenkel and drawn by Eryk Donovan . Tynion followed the series with an additional horror comic for Thrillbent , The House In The Wall , co-written by Noah J. Yuenkel and drawn by Eryk Donovan . 1 +Pi noticed that hollow point ammunition would not expand , and went around creating a line of ammunition with reliable expansion . Pi noticed that hollow point ammunition would not expand and went about creating a line of ammunition with reliable expansion . 1 +According to the above definition , two relations with identical graphs , but different domains or different codemas are considered different . According to the definition above , two relations with identical graphs but different domains or different codomains are considered different . 1 +The nearest train station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Shimanto . The nearest train station is Nakamura station , the terminus of the Tosa Kuroshio railway line Nakamura , located in Shimanto . 1 +In 1858 he moved with a group of four members from Downieville to Eagle Valley in the area which today is known as Nevada . In 1858 , he moved with a group of four members from Nevada to Downieville in the area that is now known as Eagle Valley . 0 +He played only one appearance in 2012 and then debuted 4 times the following year . He debuted in 2012 making only 1 appearance and then played 4 times the following year . 0 +"Kjersti Løken Stavrum is a sister of Gunnar Stavrum and is married to Karl Petter Løken , editor in chief of the online newspaper "" Nettavisen "" ." "Kjersti Løken Stavrum is a sister of Karl Petter Løken and is married to Gunnar Stavrum , editor-in-chief of the online newspaper "" Nettavisen "" ." 0 +1938 : The non-profit Saint Francis Hospital Association becomes the nonprofit Saint Francis Hospital Company . 1938 : The for-profit Saint Francis Hospital Association becomes the non-profit Saint Francis Hospital Company . 0 +The second series used fewer celebrity characters than the first series . The first series used fewer celebrities - characters than the second series . 0 +Charles joined Bishop Guerin on September 22 , 1904 and returned to Béni Abbès on 24 January 1905 . On 22 September 1904 he joined the Bishop Guerin and returned to Béni Abbès on 24 January 1905 . 1 +On 5 July 1846 he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and great-grandmother of Bernhard Klein . On 5 July 1846 , he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and great-granddaughter of Bernhard Klein . 1 +He is also skilled in singing numerous semi-classical forms like Bhajans , Ghazals , Nazrulgeeti and other regional songs as well . He is also well singing in other regional forms such as Bhajans , Ghazals , Nazrulgeeti and numerous semi-classical songs . 0 +It is situated in the eastern end of Montgomery County and is south of the city of Amsterdam which borders it . It is located in the eastern end of Montgomery County and borders south of the City of Amsterdam , which it is . 0 +Google allows business owners to review their own business data and has also recruited volunteers to verify and correct ground truth data . Google allows business owners to check their own business data , and has also recruited volunteers to verify and correct truth data . 1 +The new location contained buildings similar to the sunken floor buildings of West Stow , England . The new site contained buildings similar to the sunken floor buildings of West Stow in England . 1 +Femi 's musical career began when he started playing in the band of his father , Egypt 80 . Femi 's musical career began when he started playing in the band of his father , Egypt 80 . 1 +Marc Bergevin ( born August 11 , 1965 ) is a Canadian professional ice hockey executive and former player . Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey player and former gamer . 1 +The first six years of her childhood spent in Angeles City before she moved to Manila . The first six years of her childhood spent in Manila before moving to Angeles City . 0 +It can be a single object , a group of objects , a specific environment , the entire system , etc . It can be a single object , a group of objects , a specific environment , the whole system , etc . 1 +For this match against the Dragons , whose colours are also red and white , Wigan wore mostly black jerseys . For this match against the Dragons , whose colors are also red and white , Wigan wore mostly black jerseys . 1 +Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Thomas Easthope by Elizabeth , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver from Overbury , Worcestershire . 1 +"In the TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." "In TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by the Turkish actress Şah Sultan ." 0 +The Republicans lost two seats , one to the Progressive Party and one to Prohibition . Republicans lost two seats , one to the Prohibition Party and one to the Progressive Party . 1 +The Permanent Representative of Austria to Croatia is based in the Philippine embassy in Philippines . The Permanent Representative of the Philippines near Croatia is based in the Philippine Embassy in Austria . 0 +He died in his home in Bridgeton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . He died in his home in Trenton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . 0 +After his service in 6th Virginia Infantry , he was promoted to Lieutenant Colonel in the 2nd Virginia Infantry . After his service in the 6th Virginia Infanterie , he was promoted to Lieutenant Colonel in the 2nd Virginia Infantry . 1 +Later they moved to New York City , and then to Whitefish Bay , Wisconsin . They later moved to New York City and then to Whitefish Bay , Wisconsin . 1 +The house was purchased in 1858 by Sir David Dundas of Dunira , who sold it to George Dewhurst from Lymm , Cheshire in 1864 . The house was purchased by Sir George Dewhurst of Dunira in 1858 , who sold it on to David Dundas of Lymm , Cheshire , in 1864 . 0 +It turns to the north on the side of the Mont Rouge du Giétro and then west between Le Pleureur and Mont Rouge . It descends to the north on the side of Mont Rouge du Giétro and then curves to the west between Le Pleureur and Mont Rouge . 0 +Other indigenous communities are the Konkanis and the Tuluvas of the coastal town of Karnataka , the Kodavas of Kodagu - district of Karnataka . Other indigenous communities are the Tuluvas and the Konkanis of coastal Karnataka , the Kodavas of Kodagu district of Karnataka . 1 +Most of his work was carried out on domestic buildings , but he also designed churches , public and commercial buildings . Most of his work was carried out on public and commercial buildings , but he also designed churches , and domestic buildings . 0 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Lawrence County with parts of the Lackawannock Township at Mercer County . In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Mercer County with parts of the Lackawannock Township in Lawrence County . 0 +In one of his works ( epic poem on Nikola Jurišić ) , Skanderbeg was a subordinate subject . In one of his works ( epic poem on Nikola Jurišić ) a subordinate theme was Skanderbeg . 1 +"In the comic - Thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors , together with Byron , are poisoned ." "In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors are poisoned , along with Byron ." 1 +Arkansas Highway 1 Business is a business route in Forrest City . It is in length . The highway runs near Forrest City High School . Arkansas Highway 1 Business is a business route in Forrest City , in length , the highway runs near the Forrest City High School . 1 +Qingyang County Government is located in the town of Rongcheng . The government of Rongcheng Town is located in Qingyang County . 0 +In the summer of 1956 , Mike Barnett took over Frank Lovejoy 's role until the end of the series in the same year . In the summer of 1956 , Frank Lovejoy took over the role of Mike Barnett until the end of the series that same year . 0 +Cape Breton Island is an island located in the Canadian province of Nova Scotia , off the coast of Baleine , Scatarie Island . Scatarie Island is an island located in the Canadian province of Nova Scotia , off the coast of Baleine , Cape Breton Island . 0 +For the first batch of 300 students , lectures were held beginning from 2 June , 1969 . At that time , the local workforce consisted of 28 academic lecturers . From 2 June 1969 , lectures were held for the first 300 students , and at that time the academic workforce consisted of 28 local lecturers . 0 +Some poets belonging to this period are Kurup , Punaloor Balan and Puthussery Ramachandran , Thirunalloor Karunakaran , P. Bhaskaran , Vayalar Ramavarma . Some poets belonging to this period are O N V Kurup , Punaloor Balan and Puthussery Ramachandran . Thirunalloor Karunakaran , P. Bhaskaran , Vayalar Ramavarma . 1 +His mother , born in Devonshire , was the tenth child of parents who emigrated to Canada from Kingston . His mother , born in Devonshire , was the tenth child of a parent who emigrated from Kingston to Canada . 1 +More advanced research has included optical techniques such as Multiphoton microscopy , Second-harmonic imaging microscopy , Photoacoustic tomography , nonlinear Raman spectroscopy , and diffuse optical spectroscopy . More advanced research included optical techniques such as multiphoton microscopy , secondharmonic imaging microscopy , photoacoustic tomography , nonlinear raman spectroscopy , and diffuse optical spectroscopy . 1 +Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a Spanish Capuchin and a missionary bishop . Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a Spanish Capuchin and missionary bishop . 1 +Kallir is incompetent , but in politics very honest . Kallir is honest , but in politics very incompetent . 0 +The Taverniers are visited by Gidea Thompson ( Sian Martin ) , a friend of Jules ' family in Trinidad . The Taverniers are visited by Sian Martin ( Gidea Thompson ) , a friend of Jules ' and the family in Trinidad . 1 +The winner of each semi-final ( best of 3 ) went to the gold medal race . The other two riders advanced to the bronze medal race . The winner of each semi-final ( Best of 3 ) went to the gold medal race and the other two riders rose to the bronze medal race . 1 +"In 2017 , a book of straight photography made in the early 1970s in LA was published , "" People in Cars . """ "In 2017 , a book of straight photography was published in LA in the early 1970s "" people in cars "" ." 1 +Inception is a science fiction film from 2010 , written , co-produced and staged by Christopher Nolan and co-produced by Emma Thomas . Inception is a 2010 science fiction film , co-produced by Emma Thomas , and written , co-produced , and directed by Christopher Nolan . 1 +The citizens rejected the Burgundian bishop and the new influence , which led to the Liège Wars . Louis was exiled to Maastricht . The citizens rejected the new bishop and the Burgundian influence that led to the Liège wars ; Louis was exiled to Maastricht . 0 +The Pustnic River or Orociu River is a tributary of the Oraciu River in Romania . The Pustnic River or Orociu River is a tributary of the River Oraciu in Romania . 1 +Muidhara has its own library , club ( Muidhara Kishore Sangha ) , upper stage , primary school , playground , Masjid , Kali Mandir , Shiv Mandir . Muidhara has its own library , club ( Muidhara Kishore Sangha ) , upper primary school , primary school , playground , Masjid , kali mandir , Shiv Mandir . 1 +The Antarctic Peninsula is an island archipelago off the west coast of the Wilhelm Archipelago in Antarctica . The Antarctic Peninsula is an island group off the west coast of the Wilhelm Archipelago , Antarctica . 1 +The Salcia River ( or Moca ) is a tributary of the River Mouca in Romania . The Salcia River ( or Moca River ) is a tributary of the Mouca River in Romania . 1 +22.0 % were German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English origin according to the 2000 census . 22.0 % were German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English descent according to the 2000 census . 0 +The flag of Kenya in 1963 is white , but has inserted similar lines between the colors . The flag of Kenya of 1963 is similar , but has inserted white lines between colors . 0 +Other invitations followed and more sisters arrived for a hospital in Iloilo , schools in Vigan , Tuguegarao and Manila and a leprosary in Culion . Other invitations followed and more Sisters arrived for a hospital in Iloilo , schools in Vigan , Tuguegarao , and Manila , and a Leprosarium in Culion . 1 +This research has frequently led him to South Africa , where he concentrates on the Royal Bafokeng Nation , as well as Brazil and Jamaica . This research has taken him frequently to Jamaica , where he focuses on the Royal Bafokeng Nation as well as Brazil and South Africa . 0 +At least 3 inserts were printed , but none of them were anticipated . At least 3 supplements were anticipated , but none of them were printed . 0 +This practice has its roots in the traditions concerning the black caps of the Danish students . This practice has its roots in the traditions regarding the Danish caps of the black students . 0 +RAF Ash was closed and the website was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash was sold and the site was closed in July 1998 and is now being used by The Bunker , an Internet hosting company , as a secure server farm . 0 +In the first quarter of 2016 , BC was the largest net beneficiary of interprovince - migrants in Alberta , with half of the 5,000 people coming from Canada . BC was the largest net recipient of interprovincial migrants in Canada in the first quarter of 2016 with half of the 5,000 people coming from Alberta . 0 +Walker was born in Chicago Heights , Illinois , in 1967 . He attended Bloom High School in Glenwood , Illinois . Born in 1967 in Glenwood , Illinois , he attended the Bloom High School in Chicago Heights , Illinois . 0 +"Young played Byron Morrow in a cameo appearance in the "" Death Valley Days "" episode , "" An Organ for Brother Brigham "" ( 1966 ) ." "Byron Morrow played in a cameo performance in the episode "" Death Valley Days "" , "" An organ for brother Brigham "" ( 1966 ) ." 1 +Decasyllable was used in the Serbian epic poetry of the southern Slavs , for example the epic poetry sung on the Gusle instrument : Decasyllable was used in Serbian epic poetry of the Southern Slavs , for example epic poetry sung to the gusle instrument : 1 +After Laurer refused to reconcile , Waltman was eventually ejected from the house by the other guests . After Laurer refused to reconcile himself , Waltman was finally ejected from the house by the other guests . 1 +The Pascu River is a tributary of the river Valea Voenilor . The Valea Voenilor River is a tributary of the Pascu River . 0 +He began his career under the care of his father Ustad Ayat Ali Khan and took his elder brother Ustad Bahadur Hossain Khan lessons as a violinist . Khan began his career under the guardianship of his father Ustad Ayat Ali Khan . He took lessons as a violinist from his elder brother Ustad Bahadur Hossain Khan . 1 +This is a list of city and regional parks in British Columbia including national parks , provincial parks , urban and regional parks . This is a list of national parks in British Columbia , including urban and regional parks , provincial parks , municipal and regional parks . 0 +The national organisation was organized under Draft Bylaws in March 1979 and was officially founded in March 1980 in Kansas City , Missouri . The national organisation was founded in March 1979 under Draft Bylaws , and PAS was officially organized in March 1980 in Kansas City , Missouri . 0 +The awards were distributed by actor Vijay Babu , producer turned actor Jayasurya etc . The awards were distributed by actor Jayasurya , producer of actor Vijay Babu etc . 0 +Hernandez defeated Morgan on April 17 in Lockdown in a steel cage - Match to win the Feud . On 17 April , Morgan defeated in Lockdown Hernandez in a steel cage - Match to win the Feud . 0 +The second step works as follows . As long as there are three or more wires with the same weight add a following layer : The following step works as follows : as long as there are three or more wires of the same weight , add a second layer : 0 +Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th psalm in the biblical Book of Psalms . Psalm 79 ( biblical numbering : Psalm 78 ) is the 79th Psalm in the Greek Psalm Book . 0 +On 2 February 2009 , the French striker , in consultation with the Brazilian team , terminated his contract with Sochaux . On 2 February 2009 the Brazilian striker has terminated his contract with Sochaux in agreement with the French team . 0 +Sampling - Theory of Gy is a theory about the sampling of materials developed in articles and books by Pierre Gy in the 1950s to including 2000s : Gy 's sampling theory is a theory about the sampling of materials , developed by Pierre Gy from the 1950s to beginning 2000s in articles and books including : 0 +The Blauvelt family arrived in Rockland County for the first time in 1638 and first arrived in America in 1683 . The Blauvelt family arrived in America in 1638 and first arrived in Rockland County in 1683 . 0 +There are 38 public primary schools and 66 secondary schools in Lilongwe with a total of 103,602 students , as well as 29 private schools with 30,795 students . There are 38 public primary and 66 secondary schools with a total of 103,602 pupils as well as 29 private schools with 30,795 students in Lilongwe . 1 +Robson Glacier is a glacier , long north , which flows from Gonville and Caius Range along the eastern side of the Red Ridge . Robson Glacier is a glacier , long north , which flows about from the Gonville and Caius Range along the east side of Red Ridge . 1 +The 10 Espadas are numbered 0-9 , 0 being the weakest and 9 the strongest . The 10 Espadas are numbered 0-9 , 0 is the weakest and 9 the strongest . 1 +Vehicles built before 1992 are common goals , along with the obvious including expensive vehicles , luxury - SUVs and minivans . Vehicles built before 1992 are common targets , along with the more obvious including expensive vehicles , luxury SUVs and minivans . 1 +Miller Miller County is a part of the Texarkana , TX-AR , Metropolitan Statistical Area . Texarkana is a part of the Miller County , TX-AR , Metropolitan Statistical Area . 0 +Actavis acquired Allergan on 17 March 2015 and acquired the name Allergan . On 17 March 2015 , Allergan Allergan acquired the name Actavis . 0 +The university has claimed 36 team national championships , which includes 7 football national championships ( football championships are not awarded by the NCAA ) . The university claimed 36 national team championships , including 7 national football championships ( football championships are not awarded by the NCAA ) . 1 +"In Steinmeyer 's words : "" beyond the practical concerns , the image of the woman in danger became a specific fashion in the entertainment "" ." "In Steinmeyer 's words : "" beyond the specific concerns , the image of the woman in peril became a practical fashion in entertainment "" ." 0 +There went I , and there was he : here and there to my grief I find him . There I was , and there he went : here and there to my sorrow I find him . 0 +Wesleyan Seminary was founded in 1831 as Genesee College by Methodist Episcopal Church . Genesee College was founded as the Genesee Wesleyan Seminary , in 1831 , by the Methodist Episcopal Church . 0 +Abhishek Jain approached Anurag Kashyap to produce the film ; although Kashyap was impressed with the script , the collaboration did not work out for the film . Anurag Kashyap turned to Abhishek Jain to produce the film , although Kashyap was impressed by the script , did not work out the collaboration for the film . 0 +Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road at the Fish Point in the east . Two bridges cross the river to Pental Island , to the west on Fish Point Road and in the east on Swan Hill at Fish Point . 0 +Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a missionary Capuchin and Spanish bishop . Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a Spanish Capuchin and a missionary bishop . 0 +These whole cays gave their name to the northwestern bank , known in Spanish as Placer de los Roques . These whole cays gave their name to the northwestern bank , which is known as Placer de los Roques , in the Spanish language . 1 +Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) . Feliciano Centurión was a Paraguayan painter ( 29 March 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) . 0 +Charlie stages a conversation with Carol about how she needs money to buy Charlie an apartment . Carol conducts a conversation with Charlie about how she needs money to buy Charlie an apartment . 0 +Riverside is located in the 3rd Congressional District and is part of New Jersey 's 7th state legislative district . Riverside is located in the 7th Congressional District and is part of the 3rd State Legislative District of New Jersey . 0 +In 1989 , London joined the Peace Corps in Africa and organized a regional business development program in Malawi . In 1989 , London joined the Peace Corps in Malawi and co-managed a regional business development program in Africa . 0 +Scientists believe that amber was deposited in a flat part of a sea basin in a delta of a prehistoric river during the Upper Eocene and the Lower Oligocene . Scientists believe that amber was deposited during the Upper Eocene and Lower Oligocene in a delta of a prehistoric river , in a shallow part of a marine basin . 1 +The album was released on digital download in 2008 shortly after the CD was deleted . The album was deleted during the digital download shortly after the CD was released in 2008 . 0 +In Finland , benzoylfentanyl was banned in September 2017 and Sweden in October 2017 . Benzoylfentanyl was banned in Finland in September 2017 , and in Sweden in October 2017 . 1 +B is the common term between the two premises ( the central term ) , but is never distributed , so this syllogism is invalid . B is the middle term between the two premises ( the common term ) but is never distributed , so this syllogism is invalid . 0 +Recker kept the grocery store and Portner focused on expanding the brewery . Recker retained the grocery store , and Portner focused on expanding the brewery . 1 +Eleni Daniilidou and Jasmin Wöhr won against Anabel Medina Garrigues and Virginia Ruano Pascual at 6 : 2 , 6 : 4 in the final . Anabel Medina Garrigues and Virginia Ruano Pascual won against Eleni Daniilidou and Jasmin Wöhr in the Final 6 : 2 , 6 : 4 . 0 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital in Forest Gate , Leicestershire , and lived in North Kilworth , South London . John Geza Ashton was born on 30 November 1957 in Whips Cross Hospital , Forest Gate , London , and lived in North Kilworth in south Leicestershire . 0 +He also visited the nearby Chinatown and often friended with Reverend Ng Poon Chew , a local Chinese missionary friend of his parents . He also visited nearby Chinatown and often befriended the Reverend Ng Poon Chew , a local Chinese missionary friend of his parents . 1 +The 2015 -- 16 PBA season is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . The season 2015 -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . 0 +Ueki intended to introduce and explain Buddhism for a daily audience easily with broad concepts or common sense . Ueki intended to imagine and explain Buddhism easily for a broad audience with daily concepts or common sense . 0 +Sir George was the son of Sir John Buchanan and Anabella , daughter of Adam Erskine , the commander of Cambuskenneth , a son of the Master of Mar . Sir Adam Erskine was the son of Sir George and Anabella , daughter of John Buchanan , commendator of Cambuskenneth , a son of the Master of Mar . 0 +The national road cycling championships 2010 began in January in Australia and New Zealand , most of the European championships will take place in June . The national championships in road cycling 2010 began in January in Australia and New Zealand , most of the national championships will take place in June . 0 +The river Valea Negrenilor or Negreni River is a tributary of the Amaradia River . The river Amaradia or the river Negreni is a tributary of the river Valea Negrenilor . 0 +He has two sons : younger Maharana Mahendra Singh and elder Arvind Singh . He has two sons : the elder Maharana Mahendra Singh and the younger Arvind Singh . 0 +This new heavier isotope can be stable or unstable ( radioactive ) depending on the chemical element involved . Depending on the chemical element , this new heavier isotope can be stable or unstable ( radioactive ) . 1 +Orson Welles saw in New York Schilling and followed him in Florida . Orson Welles saw Schilling in Florida and followed him to New York . 0 +The show was based on John Constable 's Beachcombers character Constable Jackson Davies . The show was based on Jackson Davies Beachcombers character Constable John Constable . 0 +The show was produced by Peter Weil , initiated by Barraclough Carey Productions . The show was produced by Peter Weil and initiated by Barraclough Carey Productions . 1 +He was born in Sarlat in the province of Dordogne and studied law in Toulouse and Paris . Tarde was born in Sarlat in the province of Dordogne , and he studied law at Toulouse and Paris . 1 +A strange dark boy , mistreated by his parents , offers a young rider a piece of his meal . A strange dark boy who was mistreated by his parents offers a young rider a piece of his meal . 1 +Born in Bangor , Williams was brought up in Llanberis . Williams was born in Llanberis , and brought up in Bangor . 0 +Bidwill Wolfner owned the Chicago Cardinals after her husband ’ s death in 1947 , and inherited the franchise until she died in 1962 . Violet Bidwill Wolfner owned the Chicago Cardinals after her husband 's death in 1947 and inherited the franchise until she died in 1962 . 1 +Mukunda looked at George Harrison and the others who came to England first to be his lifelong friends . George George Harrison considered Mukunda and the others who came to England first to become his lifelong friends . 0 +This name refers either to the Little Para River ( which starts at the confluence of South Para River and North Para River ) or the Gawler River . This name refers to either the Gawler River ( which starts at the confluence of the South Para River and North Para River ) or the Little Para River . 0 +She graduated from The Glen High School in Pretoria in 1983 and studied at Rhodes University in Grahamstown . She graduated in 1983 from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . 0 +The Rusca River is a tributary of the Giumalău River in Romania . The River Giumalău is a tributary of the River Rusca in Romania . 0 +Syrian Haitians are Syrian of Haitian descent or a Haitian with Syrian citizenship . A small Syrian community exists in Haiti . Syrian Haitians are Syrians of Haitian descent , or a Haitian with Syrian citizenship . A small Syrian community exists in Haiti . 1 +It was renamed Ricory in 1952 and developed by the early 1970s . It was developed in 1952 as Ricory and by the early 1970s was renamed . 0 +The Rusca River is a tributary of the Suceviţa River in Romania . The river Suceviţa is a tributary of the Rusca River in Romania . 0 +It first engaged and destroyed a soviet cavalry regiment , and used the captured equipment to transform itself into a cavalry unit . It first attacked and destroyed a Soviet cavalry - regiment and used the captured equipment to transform itself into a cavalry - unity . 1 +O'Dea was born in Armidale in 1889 and moved to Sydney with his family as a child . O 'Dea was born in Armidale in 1889 and moved to Sydney as a child with his family . 1 +Director Albert Pyun , who had previously worked with Cannon , was brought on board and worked with the Tolkin script that originally started at Cannon . Albert Pyun , who had previously worked with Cannon , was brought on board and started with the Tolkin script that originally worked at Cannon . 0 +On July 31 , he was traded by the Athletics with Kevin Appier to the Kansas City Royals for Jeff D'Amico and Brad Rigby . On 31 July he was traded by the Athletics with Jeff D ' ; Amico and Brad Rigby to the Kansas City Royals for Kevin Appier . 0 +The Zlagna River is a tributary of the Timiş River in Romania . The River Timiş is a tributary of the River Zlagna in Romania . 0 +Besides Lena Olin , several other actresses have portrayed Irina in the course of the series : Besides Lena Olin , several other actresses portrayed Irina in the course of the series : 1 +All 14 films were received in North America by Funimation , and all have licensed in-house dubs by the company . All 14 films were received from funimation in North America and all have in-house dubs licensed by the company . 1 +These predictive functions are referred to as pedo-transfer functions in a non-spatial context . These pedotransfer functions , in a non-spatial context , are referred to as predictive functions . 0 +The field also included 1928 Olympian ( and 1932 Olympic champion ) Paul Jessup of Cornell , and future world record holder John Anderson of Washington . The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell and future world record player Paul Jessup of Washington in 1928 . 0 +Grevillea macleayana , commonly known as Jervis Bay grevillea , is a shrub of the Proteaceae family born to New South Wales . Grevillea macleayana , commonly known as New South Wales grevillea , is a shrub of the Proteaceae family native to Jervis Bay . 0 +The South Branch and North Branch unite north of the Boyne Falls , and the resulting Boyne River flows north-west to Boyne City at the southeastern end of Lake Charlevoix . The Boyne cases lead north of Boyne City , and the resulting Boyne river flows northwest to South Branch and North Branch at the southeastern end of Lake Charlevoix . 0 +Simon Skelton won 9-4 , 9-5 vs. Darren Burnett in the final . Darren Burnett won in the final 9-4 , 9-5 against Simon Skelton . 0 +The Interogator read a lot of papers , then came in the four-month stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . The interogator typed a lot of papers then came to Abdulla in the four months stress , the intorgator read the papers and forced Abdulla to write it . 0 +Barry Mero died in 2014 and the Company is now headed-up by his son , Dean Mero . In 2014 , Barry Mero died , and the company is now run by his son Dean Mero . 1 +The difference between neutralizing antibodies and binding antibodies is that neutralizing antibodies neutralize the biological effects of antigen , while the antibodies bind the antigens . The difference between neutralizing antibodies and binding antibodies is that neutralizing antibodies neutralize the biological effects of the antigen , while binding antibodies flag antigens . 1 +On the north side of the administrative building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . On the south side of the administrative building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . 0 +The Durga temple is the principal attraction for Aihole visitors and iconic in its apsidal layout . The Durga - Temple is the main attraction for Aihole - visitors and its iconic layout apsidal . 0 +He sang with success also at La Fenice in Naples , at the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Venice . He also sang with success at La Fenice in Venice , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Naples . 0 +Nora Navarro was born as the second of six children of the physician Winifredo Santos and María Rosario Santos y Navarro . María Rosario Santos y Navarro was born the second of six children of Winifredo Santos , a physician , and Nora Navarro . 0 +"Dean called Bosley Crowther 's performance a "" mass of histrionic gingerbread "" which clearly emulated the style of Marlon Brando ." "Bosley Crowther called Dean 's performance "" mass of histrionic gingerbread "" , which clearly imitates the style of Marlon Brando ." 0 +Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford , Moyles came through the Crossmolina Deel Rovers system . Besides Moyles , Peadár Gardiner and Stephen Rochford , Ciarán McDonald came through the Crossmolina Deel Rovers . 0 +He began his studies at the Main Gimnázium in Budapest in 1946 , and from 1947 to 1951 he visited Madách Gimnázium in Debrecen . He began his studies in 1946 at the Reformed Gimnázium in Debrecen and from 1947 to 1951 he visited Madách Gimnázium in Budapest . 0 +The father of Woodstock , Artie Kornfeld , has teamed up with Larry McClurg to promote the Goodstock Music Festival , Pollstar reported . Larry McClurg , the father of Woodstock , has teamed up with Artie Kornfeld to promote the Goodstock Music Festival , reported Pollstar . 0 +It was the longest lived of any of the early African-American newspapers published in Omaha . It was the longest lived of the early African-American newspapers in Omaha published . 1 +Graham Bayne ( born 22 August 1979 ) is a Scottish professional footballer who currently plays for Elgin City , where he is also Assistant Manager . Graham Bayne ( born August 22 , 1979 ) is a Scottish professional footballer who also plays for Elgin City , where he is currently the Assistant Manager . 1 +Terry Griffiths won in the final 9 -- 8 against Steve Davis . Steve Davis won against Terry Griffiths in the finals 9 -- 8 . 0 +The Austrian School theorizes that the subjective choices of individuals including individual knowledge , time , expectation , and other subjective factors , cause all economic phenomena . The Austrian school assumes that the subjective choices of individuals , including individual knowledge , time , expectations , and other subjective factors , cause all economic phenomena . 1 +In June 2011 , the Rosenthal curated by Julian Schabel opened at the Museo Correr in Venice . In June 2011 , Julian Schabel , curated by Rosenthal , opened at Venice Museo Correr . 0 +Impressive essays by ... Marilynne Robinson ... Terry Eagleton and ... H. Allen Orr set out to tell Dawkins how wrong he is . Impressive essays by Dawkins ... , Marilynne Robinson and H. Allen Orr , set out to tell Terry Eagleton how false he is . 0 +Leading Creek is located at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of Middleport . is located at ( 38.998829 , -82.057204 ) along the Ohio River at the mouth of Leading Creek . 0 +Major General Nathan Mugisha replaced Major General Francis Okello as commander of AMISOM on 7 July 2009 . On 7 July 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . 0 +Mackenzie is a writer in the 2B Theatre in Halifax and teaches at the National Theatre School of Canada , Montreal . Mackenzie is a writer at the 2B Theatre in Montreal and teaches at the National Theatre School of Canada in Halifax . 0 +Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and together they had at least 10 children ( 6 sons and 4 daughters ) . Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and had together at least 10 children ( 6 sons and 4 daughters ) . 1 +""" Bouncing Back "" is the eleventh episode of the third season of the American television series "" Agents of S.H.I.L.D ." Bouncing Back ' is the third episode of the eleventh season of the American television series 'Agents of S.H.I.E.L.D ' . 0 +When maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . If maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . 1 +Equinox Mountain is a city in northern Bennington County , Vermont , with its village center on the east side of Manchester . Equinox Mountain is a town in northern Bennington County , Vermont , with its village center on the east side of Manchester . 1 +Nikolay Davydenko won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Marat Safin . Marat Safin won in the last 6 -- 4 , 5 - 7 , 6 -- 4 against Nikolay Davydenko . 0 +There I went forth , and there he was : here and there I find him to my sorrow . I was there , and there he went : here and there to my sorrow I find him . 0 +The PBA season 2002 was the first franchise season in the Philippine Basketball Association ( FedEx Express ) . The FedEx Express season 2002 was the first season of the franchise at the Philippine Basketball Association ( PBA ) . 0 +The film is about two Californian brothers who move to Arizona and end up fighting a gang of young vampires . The film is about two California brothers who move to Arizona and end up fighting a gang of young vampires . 1 +In Kyle 's body , Parallax captured John Stewart , Guy Gardner , and Hal Jordan and brought them to Qward . Parallax captured John Stewart , Guy Gardner , and Hal Jordan in Kyle 's body , bringing them to Qward . 1 +Xylophanes porcus ( porcus sphinx ) is a moth of the family Sphingidae . It is found from Florida south to Bolivia . Xylophanes porcus ( porcus sphinx ) is a moth of the Sphingidae family and is found from Bolivia south to Florida . 0 +The function of the cumulative distribution ( cdf ) of the standard distribution is : The standard distribution function ( cdf ) of cumulative distribution is : 0 +The land south of Severin was governed for Bulgaria by the despot of Vidin , Michael Shishman , a follower of Vejtehi . The land to the south of Severin was governed for Bulgaria by the despot of Vidin , Michael Shishman , a supporter of Vejtehi . 1 +The 13th World Cup season began in Japan in December 1978 and ended in March 1979 in Austria . The 13th World Cup season began in December 1978 in Japan and concluded in March 1979 in Austria . 1 +Mnquma Local Municipality is an administrative area of the Amatole District of the Eastern Cape in South Africa . Mnquma Local Municipality is an administrative area in the Amatole District of the Eastern Cape in South Africa . 1 +"Her other great hit was "" The White Cliffs of Dover "" , words by Walter Kent , music by Nat Burton ." "Her other great wartime hit was "" The White Cliffs of Dover "" , words by Nat Burton , music by Walter Kent ." 0 +In 1973 , Manor Township officially merged into Washington Boro . Manor Township was officially merged into Washington Boro in 1973 . 1 +Agriphila straminella is a species of moth of the family Crambidae . It was described by Michael Denis and Ignaz Schiffermüller in 1775 and is found in Europe . Agriphila straminella is a species of the Crambidae family which was found in 1775 by Michael Denis and Ignaz Schiffermüller and described in Europe . 0 +The other European powers were no longer prepared to oppose a new French expansion and were willing to form alliances to accept such a thing . The other European powers were no longer disposed to accept a new French expansion and were prepared to form alliances to oppose such a thing . 0 +Weslandia is a children 's book Newbery Medal winner Paul Fleischman , with illustrations by Kevin Hawkes . Weslandia is a children 's book Newbery Medal winner Kevin Hawkes with illustrations of Paul Fleischman . 0 +At WrestleMania XV , Holly lost the title to Gunn in a Triple Threat match that also included Al Snow . At WrestleMania XV , Holly lost the title to Gunn in a Triple Threat match which also included Al Snow . 1 +The music for the first series was created by Takeo Yamashita , with vocal performances on tracks by Charlie Kosei . The music for the first series was created by Charlie Kosei with vocal performances on Takeo Yamashita tracks . 0 +In August 1987 , the family took a hit when Orndorff Heenan delivered and Oliver Humperdink joined . In August 1987 , the Family took a hit when Orndorff dumped Heenan and joined Oliver Humperdink . 0 +Where codice 3 is a type qualifier , with the qualified type of codice 27 codice 28 and the unqualified type codice 29 . codice 3 is a type qualifier with the unqualified type of codice 27 codice 28 , which is the qualified type codice 29 . 0 +"This large distinctive fly has three pairs of yellow comma markings ( lunules ) on the abdomen , these are white on "" Scaeva selenitica "" ." "This large distinctive fly has three pairs of yellow comma - markings ( steady ) on the belly , these are white on "" Scaeva selenitica "" ." 1 +Lalitpur has produced the highest number of Nepalese artists and the finest craftsmen ever recorded in the history of renowned art . Lalitpur has produced the highest number of Nepali artists and finest craftsmen ever recorded in the history of renowned art . 1 +In 1969 , US Armed Forces PFC Steven Hohensee won the 10th Army Championship . 1969 , Army PFC Steven Hohensee won the 10th US Armed Forces championship . 0 +Plymouth is located on Albemarle Sound about seven miles ( 11 km ) upstream from its mouth into the Roanoke River in the North Banks North Carolina region . Plymouth is located on the Roanoke River about seven miles ( 11 km ) upriver from its mouth into the Albemarle Sound in North Carolina 's Inner Banks region . 0 +Following his defeat in Cardiganshire , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 - districts in Wales . Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in Cardiganshire in 1868 . 0 +The body is compact with a large head , short wings and a long tail . The body is compact with a large head , short wings and long tail . 1 +The Lord Chancellor , a post in the UK Government , is responsible for relations between the government and the Channel Islands . Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relationship between the government and the UK . 0 +Nikolai Myaskovsky wrote his symphony No . 9 in e - Moll op . 28 between 1926 and 1927 . Nikolai Malko was dedicated . Nikolai Myaskovsky wrote his Symphony No . 9 in E minor , Op . 28 , between 1926 and 1927 . It was dedicated to Nikolai Malko . 1 +Quinuabamba District is one of 4 districts in the Ancash region of the Province of Pomabamba in Peru . Quinuabamba District is one of four districts in Pomabamba province in the Ancash region of Peru . 0 +In 1964 , he placed ninth in the downhill and fourth in the giant slalom competition . In 1964 he finished fourth in the downhill contest and ninth in the giant slalom competition . 0 +James and his brother John were born in Alfreton , Derbyshire . John and his brother were born in Alfreton , Derbyshire , James . 1 +Talks about the marriage of Meena have started , and Chandra has begun looking for a Jodi for Chandra . Talks about Chandra 's marriage have begun , and Meena has started looking for a Jodi for Chandra . 0 +The winner of each semi-final ( Best of 3 ) went to the gold medal race and the other two riders rose to the bronze medal race . The winner of each semi-final ( best of 3 ) advanced to the gold medal race . The other two riders went to the bronze medal race . 0 +Tom Patterson ( born 12 February 1979 ) is an American entrepreneur , who founded the Tommy John company in 2008 . Tom Patterson ( born February 12 , 1979 ) is the American entrepreneur who founded Tommy John in 2008 . 1 +Maine is a center and warehouse for the Hog Island chapter of the National Audubon Society . Hog Island is a center and camp for the Maine chapter of the National Audubon Society . 0 +"Based on the "" Disney Fairies "" franchise , it was animated and produced by DisneyToon Studios by Prana Studios ." "Based on the "" Disney Fairies "" franchise , it was produced by DisneyToon Studios and animated by Prana Studios ." 0 +Surumaitta Kannukal is a 1983 Indian Malayalam film , directed by SKonnanatt and produced by K Manoharan and K Sreedharan . Surumaitta Kannukal is an Indian Malayalam film dating from 1983 , produced by Skonnanatt and directed by K Manoharan and K Sreedharan . 0 +For example , in JavaScript the factorial function can be defined via such recursion as anonymous : In JavaScript , for example , the factorial function can be defined as anonymous using such a recursion : 1 +"Marans was famous until the early twentieth century for the "" local bean of Marans "" and its fairs in honour of these specially red beans ." "Until the early twentieth century , Marans was famous for the "" local bean of Marans "" and its fairs in honor of these especially red beans ." 1 +It was built and widened in 1974 , with gravel roads dredged on each side of the canal . It was dredged and extended in 1974 , built with gravel roads on each side of the canal . 0 +However , he later became Meyna of Westerburg and after his father 's death married the first count of Nassau-Beilstein . He later married Meyna of Westerburg and became the first Count of Nassau-Beilstein after his father 's death . 0 +Juan Carlos Ferrero won 7-6 , 6-2 against Guillermo Cañas in the finals . Guillermo Cañas won against Juan Carlos Ferrero in the final with 7 : 6 , 6 : 2 . 0 +Searching a specific search tree according to a binary key can be recursively or iteratively programmed . Searching a binary search tree after a specific key can be programmed recursively or iteratively . 0 +For theories at the level of second-order arithmetic , the reverse mathematical program has much to say . For theories at the level of reversal - arithmetic has much to say the second mathematics program . 0 +Regiment Highveld was formed in Nelspruit on the 1 January , 1960 , it also stationed a rear HQ in the town of Middelburg . On 1 January 1960 , the Highveld regiment was founded in Middelburg , which also stationed a Rear HQ in the town of Nelspruit . 0 +He also worked as a consulting research psychiatrist at State Hospital in Central Islip and director of research at South Oaks Psychiatric Hospital in Amityville . He has also worked as a consulting research psychiatrist at the State Hospital in Amityville and a research director at the South Oaks Psychiatric Hospital in Central Islip . 0 +"Hermione Hoby wrote for "" The Observer "" that "" Guardian "" is "" anthemic and power chord-heavy . """ "Hermine Hoby wrote for "" The Observer "" that "" Guardian "" Heavy and Power Chord-anthemic "" is ." 0 +When Philpot came to the throne , Mary soon attracted attention . When Philpot came to the throne , Mary attracted soon attention . 1 +There are 38 private and 66 public primary schools in Lilongwe with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . There are 38 public primary and 66 secondary schools with a total of 103,602 pupils as well as 29 private schools with 30,795 students in Lilongwe . 0 +Rebana in Jakarta is particularly connected with the Muslim community , such as the Minang in Sumatra and the Betawi in Indonesia . Rebana in Jakarta is particularly associated with the Muslim community , such as the Minang in Sumatra and the Betawi in Indonesia . 1 +FOX Latin America is the American version of the Latin American broadcaster FOX . Fox Latin America is the Latin American version of the American channel FOX . 0 +Chuck Robb was ran as incumbent for a third term , but lost to Republican George Allen . Incumbent Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . 0 +A back injury forced Nik Lentz out of his battle with Rafaello Oliveira and he was replaced by Dan Lauzon . A back injury forced Nik Lentz out of his bout with Rafaello Oliveira and he was replaced by Dan Lauzon . 1 +Con and Bonar Colleano had no children , Con was the uncle of the American actor Jack Stehlin and the American - uncle of great actor Winnie . Con and Bonar Colleano had no children ; Con was the uncle of American actor Jack Stehlin and the American-uncle of great actor Winnie . 1 +A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who from 1918 to 1963 was the organist of the Blackpool Parish Church . A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was the organist of the Blackpool Parish Church from 1918 to 1963 . 0 +The Los Angeles County Department of Health Services operates the Pomona Health Center in Hacienda Heights , which serves Pomona . The Los Angeles County Department of Health Services operates the Pomona Health Center in Hacienda Heights , serving Pomona . 1 +The Final FESPIC Games had 18 venues : 9 in Selangor , 7 in Kuala Lumpur and 1 in Putrajaya and Negeri Sembilan each . The Final FESPIC Games had 18 venues for the games . 9 in Kuala Lumpur , 7 in Selangor and 1 each in Putrajaya and Negeri Sembilan respectively . 0 +Christine Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . 1 +The river Oraciu or Orociu is a tributary of the River Pustnic in Romania . The Pustnic River or Orociu River is a tributary of the Oraciu River , Romania . 0 +The 2010 season -- 11 Rain or Shine Elasto painter was the fifth season of the franchise at the Philippine Basketball Association ( PBA ) . The 2010 - 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +Alice Josephine McLellan was born in Marietta , Georgia , the daughter of Leander and Harriet Tatem McLellan . Tatem McLellan was born in Marietta , Georgia , as daughter of Leander and Alice Josephine McLellan . 0 +Bianca Maria Sforza was married to Maximilian on March 16 , 1494 . On March 16 , 1494 , Maximilian married Bianca Maria Sforza . 1 +In April 1944 , Cozen 's Lieutenant-General was appointed and was later promoted to Assistant Chief General Ronald Scobie . In April 1944 , Cozens was appointed Lieutenant-General and was later promoted Assistant Chief to General Ronald Scobie . 1 +When Khadr was injured in a battle in Kabul in 1995 , Mohamad Elzahabi visited him at Peshawar Hospital . When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him at the hospital in Peshawar . 0 +He was stranded by 51 among the leaders in inherited runners . He was among the leaders in stranded runners inherited with 51 . 0 +Through the Formula 26 above , where Formula 14 is a solution of the linear ODE By the above formula _ 26 where formula _ 14 is a solution of the linear ODE 1 +The number of aircraft operated by the 939th was increased simultaneously by the transfer of KC-135 from the 507th and 137th air refueling wings . The number of aircraft operated by the 507th and 137th machines was increased simultaneously by the transfer of KC-135s from the 939th air refuelling wing . 0 +It was designed by Taxan and published by Eurocom Entertainment Software . It was designed by the Eurocom Entertainment Software and was published by Taxan . 0 +Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Alfonso Enrique Ponce Martínez , a famous Spanish bullfighter . 1 +It is located at 142 South Rexford Drive in Beverly Hills . It is opposite the First Church of Christ , scientist , Beverly Hills , California . It is located at 142 South Rexford Drive in Beverly Hills , California . It is located opposite the First Church of Christ , scientist , Beverly Hills . 1 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first pub of Theakson , where the first Theakston 's beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first pub of the Theakson , where the first Theakston 's beers were brewed ." 0 +Most of the information about Cicero 's life and career comes from the contents of Murena 's speech . Most of our information about Murena 's life and career comes from the content of Cicero 's speech . 0 +The film was produced through Columbia Pictures and Imagine Entertainment by daughter and father Bryce Dallas Howard and Ron Howard , as well as Brian Grazer . The film was produced by Columbia Pictures and Imagine Entertainment by daughter and father Bryce Dallas Howard and Ron Howard as well as Brian Grazer . 1 +During my entire school years I was in a white environment , with racist people . I was in a racist environment with white people during my school years . 0 +"The Presbyterian teaching is "" reformed "" , and the form of government is "" theological "" ." "The theological doctrine is "" reformed "" , and the form of government is "" presbyterian "" ." 0 +Lord Lumley , with Richard Caldwell , donated a series of lectures known as the Lumleian Lectures , starting in 1582 and still given today . With Lumley , Lord Richard Caldwell endowed a series of lectures , known as the Lumleian Lectures , starting in 1582 and still being given today . 0 +During the late twenties , Merzbach worked in Sweden before returning to Germany . During the late 1920s , Merzbach worked in Sweden before returning to Germany . 1 +James Woods won an Emmy for his portrayal of Wilson . A Wilson won an Emmy for his portrayal of James Woods . 0 +Andrés Gómez defeated Guillermo Pérez Roldán 6 -- 0 , 7 -- 6 , 3 - 6 , 0 - 6 , 6 - 2 Guillermo Pérez Roldán defeated Andrés Gómez 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 -- 6 , 6 -- 2 . 0 +Then Tyrone tells him who Tommy is . Tyrone then tells him who Tommy is . 1 +But in the fifteenth century , only two of them were resident in Sisteron , the others were officials of the Roman Curia in Avignon . But , in the fifteenth century , only two of them were resident in Avignon ; the rest were functionaries of the Roman Curia in Sisteron . 0 +""" Eric was a very good friend and confidante of Thomas Joseph Mboya "" , said 3rd Kenyan President Mwai Kibaki during the funeral of Khasakhala ." """ Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of third Kenyan President Mwai Kibaki during the funeral of Khasakhala ." 0 +In the 2011 election , Subinay Ghosh of Trinamool Congress defeated his nearest rival Abani Mohan Joardar of CPI ( M ) . In the 2011 election , Abani Mohan Joardar of the Trinamool Congress defeated his next rival Subinay Ghosh of CPI ( M ) . 0 +He acquired homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . He acquired buildings in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . 1 +Zika decided not to play in the 2016 Summer Olympics , citing health concerns and the Raonic virus . Zika decided not to play at the Summer Olympics in 2016 , invoking health concerns and the Raonic virus . 1 +The 147th and 260th units were later reorganized as 147th Field Artillery - Battalions . The 147th and 260th units were later reorganized as the 147th Field Artillery Battalions . 1 +Bill Pickett , an African-American rodeo performer , also appeared in early western films for the same audience . Bill Bill Pickett , an African-American rodeo , also appeared in early Western films for the same audience . 1 +More than 5 species of rhizophoraceae grow in Australasia with particularly high biodiversity on the island of New Guinea and in northern Australia . More than 5 species of rhizophoraceae grow in Australasia with particularly high biodiversity on the island of Australia and in northern New Guinea . 0 +Where Formula 9 is the transcendent lerch function and coth the hyperbolic cotangens - function is . Where formula 9 is the Lerch hyperbolic function and coth is the transcendent cotangent function . 0 +The real basis of the flower is that lenses can never focus perfectly in the physical world . The physical basis of the flower is that lenses in the real world can never perfectly focus . 0 +He has a son ( born 2000 ) from a former relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . He has a son ( born 2000 ) from a previous relationship with TV presenter Birgit Schrowange . In July 2011 Lanz married Angela Gessmann . 1 +He was first elected in 1992 for Croydon North West after having unsuccessfully contested the seat previously in 1987 . In 1992 , he was elected Croydon North West for the first time after having previously denied the seat unsuccessfully in 1987 . 0 +The development of Bas 90 began in the 1970s and started implementation in the 1980s . The development of Bas 90 started in the 1970s and was implemented in the 1980s . 1 +"Smith asked him when he should declare , Griffith said "" Now ! """ "Griffith asked him when he should declare , Smith said "" Now ! "" Now !" 0 +Then a relationship begins with Peter , very much to the disgust of Drew . Amanda then begins a relationship with Drew , much to the disgust of Peter . 0 +His second wife was Anna Williams , the sister of his first wife . His first wife was Anna Williams , the sister of his second wife . 0 +He was born on March 14 , 1981 in Erdington , West Midlands , and has an older brother , Cartwright , who is also an actor . Cartwright was born on 14 March 1981 in Erdington , West Midlands . He has an older brother , Che Cartwright , who is also an actor . 0 +Williamstown Station is located on the North Williamstown line in Victoria , Australia . North Williamstown Station is located on the Williamstown line in Victoria , Australia . 0 +It also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin in rats . It also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin in rats . 0 +When Judge John Tyler died in 1813 , Tyler at the age of 23 inherited Greenway . When Justice John Tyler died in 1813 , Tyler inherited Greenway at the age of 23 . 1 +In Eskisehir , the company built a hotel in Turkey and a paper mill in Kazakhstan . The company built in Eskisehir a hotel in Turkey and a paper factory in Kazakhstan . 1 +Commander Adama arrives on Kobol with Galen Tyrol and Chief Billy Keikeya . Commander Adama arrives with Galen Tyrol and Chief Billy Keikeya in Kobol . 1 +He died in Westminster in 1821 , had married Elizabeth , daughter of George Germain , 1st Viscount Sackville , and they had a son , Charles John . He died in Westminster in 1821 , had married Elizabeth , the daughter of Charles John , 1st Viscount Sackville , and they had a son , George Germain . 0 +"It was their third hit with the first "" Peaches "" , Linda Greene ." "It was their third shot with the first "" Peaches "" , Linda Greene ." 1 +Boiestown ( 1991 population : 349 ) is a rural community located in the Canadian community of Upper Miramichi in Northumberland County , New Brunswick . Boiestown ( 1991 population : 349 ) is a rural community in the Canadian community of Upper Miramichi in Northumberland County , New Brunswick . 1 +They meet with Quinito Castañeda ( Danny ) and his friend Joross Gamboa ( Rafael Rosell ) , who bring them to a beach resort in Cavite . They meet Quinito Castañeda ( Rafael Rosell ) and his friend Danny ( Joross Gamboa ) , who brings them to a beach resort in Cavite . 0 +As Superintendent of Police , he served in Salem from 1982 to 1983 and Dharmapuri from 1983 to 1985 . He served in Salem from 1982 to 1983 as a superintendent of the police and in Dharmapuri from 1983 to 1985 . 1 +They played in the 2015 China Amateur Football League finished 3rd and won the ascent to the China League Two 2016 . They played in the 2015 China Amateur Football League finished the 3rd place and won promotion to 2016 China League Two . 1 +After four years it moved to Jacopo Sandri 's house , which had more space , and in 1705 moved again to the palazzo of Conte Luigi Ferdinando Marsigli . After four years it moved to the house of Conte Luigi Ferdinando Marsigli , which had more space , and moved back to the Palazzo of Jacopo Sandri in 1705 . 0 +"It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released via Checkbook records on February 19 , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" ." 1 +It uses captures from the OVA and has an interview with Go Nagai . It uses recordings from the OVA and has an interview with Go Nagai . 1 +After leaving Happy Valley in Serbia , Božović returned to Hong Kong and joined Superlige-side FK Voždovac in July 2014 . After leaving the Happy Valley in Serbia , Božović returned to Hong Kong and joined the superlight - FK Voždovac in July 2014 . 1 +Cumberland was shot in the side , head and legs himself , and Captain Lister was wounded into the shoulder . Cumberland was himself wounded in the side , head , and legs , and Captain Lister was shot in the shoulder . 0 +It is Aarne -- Thompson type 707 , which is named after it : the dancing water , the singing apple , and the speaking bird . It is Aarne -- Type 707 Thompson named after him : the dancing water , the speaking apple and the singing bird . 0 +As an official Soviet artist , his work was widely exhibited and well received . As an official Soviet artist , his work was widely displayed and well received . 1 +The village has three schools -- a secondary and two primary schools . The village has three schools -- a primary school and two secondary schools . 0 +"During the French and Spanish withdrawals , Admiral Sir James Saumarez welcomed the "" Superb "" and ordered Keats to catch and engage the Allied fleet 's rear ." "During the French and allied retreat Admiral Sir James Saumarez hailed the "" Superb "" and ordered Keats to catch the Spanish fleet 's rear and engage ." 0 +He represented Nigeria in 1999 at the FIFA - Youth - World Championship in Australia . He represented Nigeria at the 1999 FIFA World Youth Championship held in Australia . 1 +"Below is the early version of the album with all the early segues . Also , "" The Sacrifice of Victor "" is slightly longer on the original configuration ." "Below is the early version of the album with all the original segues and "" The Sacrifice of Victor "" is slightly longer in the early configuration ." 0 +The River Mouca ( or Moca River ) is a tributary of the Salcia River in Romania . The Salcia River ( or Moca ) is a tributary of the River Mouca in Romania . 0 +It was a finalist for the Sidewise Award 2002 for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . It was a finalist for the 2002 Sidewise Award for best long-form alternate history , and the 2003 John W. Campbell Memorial Award . 1 +WORHP , also referred to by ESA as eNLP ( European NLP Solver ) , is a non-linear software library for numerically solving continuous mathematical optimization problems . WORHP , also referred to as eNLP ( European NLP Solver ) , is a mathematical software library for numerically solving continuous , nonlinear optimization problems . 0 +He also appeared in 53 games for the Greensboro Patriots ( Piedmont League ) with a 26 - 19 record over the course of the seasons 1928 and 1929 . He also appeared in 53 games for the Greensboro Patriots ( Piedmont League ) with a 26 -- 19 record over the course of the 1928 and 1929 seasons . 1 +In this 75 - minute production , filmmaker Jocelyn Demers will meet Salt Spring Island on Dan Jason . In this 75 minute production , filmmaker , Jocelyn Demers meets Dan Jason on Salt Spring Island . 0 +An aggressive and energetic entrepreneur , he lost a fortune ( which he created ) and started the Crosbie dynasty . As an aggressive and energetic entrepreneur , he lost a fortune ( which he created ) and started the crosbie dynasty . 1 +Like other Corvids , Blue Jays are highly curious and are considered to be intelligent birds . Blue jays , like other corvids , are highly curious and are considered intelligent birds . 1 +Its signal includes Cundinamarca , Boyacá , Tolima , Amazonas , Meta , Huila , Casanare , Caquetá , Guaviare , Vaupés , Vichada , Arauca and Putumayo . Its signal covers Cundinamarca , Boyacá , Tolima , Amazonas , Meta , Huila , Casanare , Caquetá , Guaviare , Vaupés , Vichada , Arauca , and Putumayo . 1 +Gregory was born in Darlinghurst , he died at the age of 32 in the region of Sydney of the same city . Gregory was born in Sydney ; he died at the age of 32 in the Darlinghurst region of the same city . 0 +Pseudostellaria jamesiana is a species of pink flowering plant in the tuber family known by the common names sticky starwort and pink starwort . Pseudostellaria jamesiana is a kind of pink flowering plant in the tuber family , known by the general names sticky starwort and pink starwort . 1 +Electronic sports for the Asian Indoor and Martial Arts Games 2017 were a demonstration sport . For the Asian Electronic and Martial Arts Games 2017 Indoor - Sport was a demonstration sport . 0 +After Louise Redfield left in 1975 , Mary Ann Pederson took over the show until 1981 . After leaving Louise Redfield in 1975 , Mary Ann Pederson took over the show until 1981 . 1 +From 1913 to 1962 , the University of Loma Linda taught basic science , but sent its students to Los Angeles for clinical experience . From 1913 to 1962 , the university taught basic sciences in Los Angeles , but sent its students to Loma Linda for clinical experience . 0 +She bequeathed the remaining years of the lease of her house in Soper Lane to Warcop . She left the remaining years of the lease of her house in Soper Lane to Warcop . 1 +"It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and was released on Bridge 9 Records in 2003 ." "It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and will be released on Bridge 9 records in 2003 ." 0 +Bill was married and was then divorced from his wife Patricia ( Pat ) . Bill was married and then divorced from his wife Pat ( Patricia ) . 1 +This international game is made for the Germans and has certainly played the pressure of global authority . This international game is made for the Germans and the pressure of worldwide authority certainly played . 1 +The Department of Dramatic Speaking and Public Arts was originally run by T. Earl Pardoe . The department of public speaking and dramatic arts was originally headed by T. Earl Pardoe . 0 +"* "" Hammy McMillan was replaced by Warwick Smith as skip after Draw 4 . """ Warwick Smith was replaced as Skip for Draw 4 by Hammy McMillan . 0 +The MCI migrated the voice and data traffic of most SBS customers to its terrestrial network . SBS migrated the voice and data traffic of most MCI customers to its terrestrial network . 0 +The former has black marble and white stone shivlingas , while the latter has only white marble . The former has black marble and white stone shivlingas , while the latter has only white marble ones . 1 +She is open about her disapproval of Rob 's father , Billy , and often mentions how bad a father he was for rob . She is open about her disapproval of Rob 's father , Rob and often mentions how bad a father he was against Billy . 0 +The princess was received with great fanfare at Bassein ( Pathein ) on 24 September 1573 . The princess was received with great fanfare on 24 September 1573 in Bassein ( Pathein ) . 1 +He was third place at his table in 1958 and 1967 , but in 1962 , he won the 1st . In 1958 and 1967 he won first place at his table , but was the third in 1962 . 0 +""" Darn That Dream "" is a popular song with music by Eddie DeLange and texts by Jimmy Van Heusen , published 1939 ." """ Darn That Dream "" is a popular song with music by Jimmy Van Heusen and texts of Eddie DeLange , published in 1939 ." 0 +Mirambeau is situated on the Via Turonensis , the ancient pilgrimage route from Santiago de Compostela to Paris via Tours . Mirambeau is located on Via Turonensis , the ancient pilgrimage route from Paris to Santiago de Compostela via Tours . 0 +By contrast , the lemmings are strikingly colored and behave aggressively towards predators and even human observers . By contrast , lemmings are aggressively colored , and behave conspicuously against predators and even human observers . 0 +The episode was written by Stephen Sandoval and managed by Ken Keeler . The episode was written by Ken Keeler . Directed by Stephen Sandoval . 0 +Ruhollah Khomeini was appointed Chief Prosecutor by Fallahian in 1987 as Chief Prosecutor of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . In 1987 , Fallahian was appointed Chief Prosecutor by Ruhollah Khomeini of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . 0 +For example , in JavaScript , the factor function can be defined as anonymous via such a recursion : In JavaScript , for example , the factorial function can be defined through anonymous recursion as such : 0 +These canons were later approved in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . These canons were later rejected by the Eastern Council in Trullo in 692 but approved by Pope Constantine . 0 +At this point we can either integrate first , or we can change the integrands directly and continue from there . At this point we can either integrate first , or we can directly change the integrand to and continue from there . 1 +Ricardo Cano defeated Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 - 4 . Ricardo Cano defeated with Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 - 3 , 6 - 4 - 0 +After the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 , Crisp was again maintained as a line coach . Crisp was again retained as line coach after the resignation of Drew and the hiring of Jennings B. Whitworth in December 1954 . 0 +During the UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . At the UFC Fight Night 101 Jon Tuck succeeded with a split decision to steal a victory against Brown . 0 +She plays for Naisten Liiga of the Åland United . She plays for Åland United of Naisten Liiga . 0 +Paul Annacone won against Andre Agassi in the final with 6 -- 2 , 6 -- 4 . Andre Andre Agassi won 6 -- 2 , 6 -- 4 against Paul Annacone in the finals . 0 +The prosecution of Gaius Verres in 70 BC was a great forensic success for Cicero . The persecution of Cicero in 70 BC was for Gaius Verres a great forensic success . 0 +Its base or the free edge contains the round band and the paraumbilical veins between its layers . Its base or round edge contains the free band and the paraumbilical veins between its layers . 0 +Defeated Chris Evert Lloyd , Martina Navratilova , 6 -- 1 , 3 -- 6 , 6 - 2 - Martina Navratilova defeated Chris Evert Lloyd , 6 -- 1 , 3 -- 6 , 6 -- 2 1 +The New Mexico Senate is the upper house of the New Mexico State Legislature . The New Mexico Senate is the upper house of New Mexico State Legislature . 1 +A railway station of the same name on the Golitsyno -- Minsk railway , is located in Moscow . A railway station of the same name on the Golitsyno -- Minsk railway line is located in Moscow . 1 +From 1978 to 1995 in the California State Assembly and from 1995 to 2004 in the California State Senate . Johnson served in the California State Assembly from 1978 to 1995 and then served in the California State Senate from 1995 to 2004 . 0 +RCMP referred the Senate to all 30 cases . The RCMP referred all 30 cases to the Senate . 1 +"Her son Brian Sims appeared in two episodes with Tony on "" Taxi "" as Marc ." "Their son Brian Sims appeared with Tony on "" Taxi "" in two episodes as Marc ." 1 +She moved to Germany in 1989 and settled two years later in Luxembourg , where her husband , Tommy Danielsson , is her trainer and training partner . She moved to Germany in 1989 and settled down in Luxembourg two years later . Her husband , Tommy Danielsson , is her coach and training partner . 1 +"Together with Sam Raimi and Rob Tapert , Campbell has produced the remake of "" The Evil Dead "" ." "Sam Sam Raimi and Rob Tapert produced together with Campbell the remake of "" The Evil Dead "" ." 0 +He was born in Mauritius ( Quatre Bornes ) in 1951 and died in 2002 . He was born in Quatre Bornes in Mauritius in 1951 and died in 2002 . 1 +Fersfield is limited to the east and south by the village of Kenninghall , in the west are South Lopham and North Lopham and to the north are Bressingham . Fersfield is limited to the east and south by the village of Bressingham , in the west are South Lopham and North Lopham and to the north of Kenninghall . 0 +Later they moved to Whitefish Bay , Wisconsin , and then to New York City . They later moved to New York City and then to Whitefish Bay , Wisconsin . 0 +Red Bank is located in the 4th Congressional District and is part of New Jersey 's 11th state legislative district . Red Bank is located in the 11th Congressional District and is part of the 4th State Legislative District of New Jersey . 0 +Licensed to Wauchula , Florida , USA , the station serves the Sebring area . The station , licensed to Sebring , serves the area of Wauchula , Florida , USA . 0 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to the United Alkali Company in 1926 . It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to form United Alkali Company . 1 +"It was released on February 19th , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." 0 +She sailed via Sydney and arrived in Rio de Janeiro on 14 September . She sailed over Sydney and arrived on 14 September in Rio de Janeiro . 1 +According to the Louis and Clarke Adventures , Salina is considered the Grand Island ( of Nebraska ) of the south . After the Louis and Clarke Adventures , Grand Island is considered the Salina ( of Nebraska ) of the south . 0 +The manuscript was added to the list of New Testament manuscripts by Scrivener ( 683 ) and Gregory ( 868 ) . The manuscript was added to the list of manuscripts of the New Testament by Scrivener ( 683 ) and Gregory ( 868 ) . 1 +2,4-Dibromophenol is a brominated derivative of phenol with the molecular formula CHBrO . is a molecular derivative of phenol with the brominated formula CHBrO . 0 +For the 2014 season , Ricochet received a new coat , blue supports and a green track . For the 2014 season , Ricochet received a new varnish , green supports and a blue track . 0 +Political prisoners were Wim Schermerhorn ( Prime Minister 1945-1946 ) , Pieter Geyl and all of the post-war politicians . Political prisoners were Wim Schermerhorn ( Prime Minister 1945-1946 ) , , Pieter Geyl and , all post-war politicians . 1 +The Olt River or Pârâul Sec is a tributary of the River Seaca , Romania . The Seaca River or Pârâul Sec is a tributary of the Olt River in Romania . 0 +The line card consists of the modular interface card and a physical service card . The Line card consists of the modular interface card and a physical services card . 1 +Before going to Lebanon , her family was originally from Acre , Palestine . Before travelling to Palestine , her family was originally from Acre , Lebanon . 0 +And he has composed music for dozens of traditional Arabic literary works , various films and many orchestras . And he has composed music for tens of traditional Arabic literary works , various films and many orchestras . 0 +Bayswater is connected to the south by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) south of the Redcliffe Bridge . Bayswater is linked to south of the Redcliffe Bridge by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) . 1 +The sales started in the third quarter of 2008 in North America and in early 2009 in Europe as a model for 2010 . Sales began in Europe in the third quarter of 2008 and in North America in early 2009 as a 2010 model . 0 +She died in Fort Worth and was buried in Abilene at the municipal cemetery in Abilene . She died in Abilene and was buried in Fort Worth at the municipal cemetery in Abilene . 0 +The series tells the life of 14-year-old Isabelle and her mother , Barbara , who is a divorced lawyer . The series tells the life of fourteen-year-old Barbara and her mother Isabelle , who is a divorced lawyer . 0 +The Cărbunele River or Rădocheasa River is a tributary of the Rădoteasa River in Romania . The Rădoteasa or Rădocheasa river is a tributary of the Cărbunele River in Romania . 0 +Farrow himself goes between two different appearances , one in a black suit and another in a red jacket with a black undercoat that features crosses on it . Farrow himself goes between two different appearances , one in a black suit and another in a red jacket with a black undercoat that wears crosses . 1 +His parents are Ernie Gordon , who grew up with Yankees - fan in Hyde Park , New York , and Wendy Abrahamsen . His parents are Ernie Gordon , who grew up a Yankees fan in Hyde Park , New York , and Wendy Abrahamsen . 1 +Majdan Trzebieski is a village in the district of Opole Lubelskie County , Lublin Voivodeship , in Gmina Opole Lubelskie , Eastern Poland . Majdan Trzebieski is a village in the administrative district of Opole Lubelskie County , Lublin Voivodeship , within Gmina Opole Lubelskie , in eastern Poland . 1 +"In 1994 , John Hadfield played the part of Professor Pollux in the BBC TV adaptation of the Crowden novel "" Love on a Branch Line "" ." "In 1994 , John Hadfield played the role of Professor Pollux in the BBC - TV - Adaptation of the Crowden - novel "" Love on a Branch Line "" ." 1 +In 2008 Chris sent Donna and Victor a card to express their sadness that they could not attend Toni 's ( Laura Hill ) funeral . In 2008 , Chris Donna and Victor sent a card to express their sadness that they could not attend Toni ( Laura Hill ) funeral . 0 +Gaines came from New York to Ephraim Fletcher in 1836 and settled in Van Vleet Road ( Section 16 ) . Ephraim Fletcher came to Gaines from New York in 1836 and settled on Van Vleet Road ( section 16 ) . 0 +""" Sex with Me "" was assisted by Chris Galland at Larrabee Studios in Universal City , California and was mixed by Manny Marroquin and Ike Schultz ." """ Sex with Me "" was mixed by Manny Marroquin at Larrabee Studios in Universal City , California and supported by Chris Galland and Ike Schultz ." 0 +Mandikal is a village located in present Kolar district in Karnataka , India . It is a small village of a population more than 1000 . It is a village located in small Kolar - district in Karnataka , India It is a present village with a population of more than 1000 . 0 +During my school years , I was in a racist environment with white people . During my entire school years I was in a white environment , with racist people . 0 +In 2004 SCA acquired the tissue and hygiene products businesses of Carter Holt Harvey from International Paper . In 2004 , SCA acquired International Paper 's Tissue and Hygiene products businesses from Carter Holt Harvey . 1 +The company also operated car ferries and owned the Fjord Line ferry company . The company also operated car ferries and owned the ferry company Fjord Line . 1 +In the first round of the tournament , Sean Loeffler defeated Baker via TKO at Bellator 16 . In the first round of the tournament , Baker defeated Sean Loeffler in Bellator 16 via TKO . 0 +This leads him to question the reality of his existential life further by providing the element itself . This leads him to question further the reality of his very life , providing the existential element . 0 +On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innocent X on 16 September 1647 . 1 +"Yuan Shao was a "" xiaolian "" and served as a county official in his early years under the warlord Dong Zhao before being promoted to a military adviser ." "Dong Zhao was a "" Xiaolian "" and in his early years served as district official under the warlord Yuan Shao before being promoted to a military consultant ." 0 +Administratively , this bay belongs to Chukotka Autonomous Okrug of the Russian Federation . Administratively , this bay belongs to the Russian Federation of the Chukotka Autonomous County . 0 +Fletcher subsequently apologised to Edwards and compensated him for the flowers . Subsequently , Edwards apologized to Fletcher and compensated him for the flowers . 0 +This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on 26 March 2010 . This game was released in Japan on February 18 , 2010 , North America on February 23 , 2010 and Europe on March 26 , 2010 . 0 +Originally called Columbia Road , this Trail Ridge Road became . Originally called Ridge Road , this Trail Columbia Road became . 0 +The tributary Mauses Creek joins Mahoning Creek upstream of its mouth and has a watershed area of . The tributary of Mauses Creek joins the Mahoning Creek upstream of its mouth and has a watercrossing area . 1 +She won Democrats 64-35 , but Sanders 66-33 lost to the Independents . She won Democrats 64-35 , but lost Independents 66-33 to Sanders . 0 +He graduated from the military school in St. Petersburg , Russia and in 1910 from the Military Academy Sofia General Staff in Nikolaevsk . He graduated from the Military School in Sofia and in 1910 from the Military Academy of the General Staff of Nikolaevsk , St. Petersburg , Russia . 0 +Ashe was spoken in English by Kari Wahlgren and by Mie Sonozaki in Japanese . Ashe was voiced by Kari Wahlgren in English and by Mie Sonozaki in Japanese . 1 +During the construction of the launch complexes 31 and 32 , which were built on the same site , LC-10 was subsequently demolished . LC-10 was subsequently demolished during the construction of Launch Complexes 31 and 32 , which were built on the same site . 1 +"The Gospels and some other books within the New Testament were likely circulated around 1388 , before the "" General Prologue "" was written ." "The Gospels and some other books within the New Testament were probably written around 1388 , before the "" General Prologue was circulated ." 0 +A small modular reactor concept has been designed , but the big design is still being conceptualized . A large reactor concept has been designed , but the small modular design is still being designed . 0 +This bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . This little bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge over the Peace River . 0 +They were accompanied or were soon followed by several other families , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . They were accompanied by some other families or were soon followed by them , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver and Rich . 0 +Crash Landed was released in Korea as the third single in July 2009 and the second single in Japan in April 2010 . Crash Landed was published in Japan in July 2009 as the second single and in April 2010 as the third single in Korea . 0 +The 1980 Atlanta Braves season was the 15th season in Atlanta together with the 110th season as a franchise . The 1980 Atlanta Braves season was the 110th season in Atlanta along with the 15th season as a franchise overall . 0 +On the other hand , General De Gaulle was less impressed , read her recommendations , and only half rejected most of her reports . On the other hand , General De Gaulle was less impressed , rejected her recommendations and read only half most of her reports . 0 +The series was released by Dell ( NY ) for the US editions and Armada ( London ) for the UK editions . The series was published by Dell ( NY ) for the US editions , and Armada ( London ) for the UK editions . 1 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was established in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines in Zanzibar . 0 +Ian Weatherhead lived many years in Cheltenham before moving to Somerset . For many years , Ian Weatherhead lived in Cheltenham , before moving to Somerset . 1 +Discretization is also related to granular mathematics and is an important component of discrete data processing . Discretization is also related to granular mathematics , and is an important component of discrete computing . 1 +Miss C. Abram Roberson was the first female graduate in 1908 , while Mr Ethel Peele was the first male graduate . Miss C. Abram Roberson was the first female graduate in 1908 , while Mr. Ethel Peele was the first male graduate . 1 +"Celypha rufana , common name lakes marble , is a small moth species of the family Tortricidae , long known under the junior synonym "" C. rosaceana "" ." "Small Celypha - rufana , small name lakes marble , is a common moth kind of the Tortricidae family , long under the junior - synonym "" C. rosaceana "" known ." 0 +The Irish origin from this time suggests it was a commentary on the lack of agreement within the Confederate Assembly , during the other Confederate Wars . The other origin from that period suggests that it was a commentary on the lack of agreement within the Confederate Assembly during the Irish Confederate Wars . 0 +In 1975 he moved to Odibo , and in 1977 returned to Windhoek . He moved to Odibo in 1975 , and in 1977 he returned to Windhoek . 1 +This model is based on Bandura 's ( 1986 ) cognitive-social framework and Goffman 's work on the management of identity . This model is based on the social-cognitive framework of Bandura ( 1986 ) and Goffman 's work on the management of identity . 1 +They meet with Quinito Castañeda ( Danny ) and his friend Joross Gamboa ( Rafael Rosell ) , who will take you to a beach resort in Cavite . They meet up with Quinito Castañeda ( Rafael Rosell ) and his friend , Danny ( Joross Gamboa ) who take them to a beach resort in Cavite . 0 +Adam : We 're at 1750 now , Natalie . Do you live at home ? We 're now 1750 , Natalie , do you live at home ? 1 +There is a standard technique ( see for example ) for computing the change of variables to normal coordinates , at a point as a formal Taylor series expansion . There is a standard technique ( see for example ) to calculate the change of variables to formal coordinates , at a point as a normal Taylor series expansion . 0 +"In the 1988 miniseries "" Hemingway "" , starring Fiona Fullerton , Duff Twysden was played by Stacy Keach ." "Duff Twysden was played by Fiona Fullerton in the miniseries "" Hemingway "" in 1988 with Stacy Keach ." 0 +The agency was founded in 1976 in Chicago , and it entered the New York market in 1998 and Milwaukee in 2009 . The agency was founded in Chicago in 1976 and entered New York in 1998 and Milwaukee in 2009 . 1 +Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official sponsor for clothing of all teams in the Indian cricket league . Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official clothing sponsor of all teams in the Indian Cricket League . 1 +Beth later turns the machine off and Robbie is shocked but understanding . Later Robbie turned off the machine and Beth is shocked but understanding . 0 +The music of the film was composed by Vijaya Bhaskar and the lyrics for the soundtrack written by Chi , Udaya Shankar and Vijaya Narasimha . The music of the film was composed by Vijaya Narasimha and texts for the soundtrack by Chi , Udaya Shankar and Vijaya Bhaskar . 0 +He was born on January 23 , 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on January 29 , 1984 in London . He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London , England . He died on 29 January 1984 in London . 1 +Liverpool Township is located between 20 and 30 miles west of Lake Erie and about 5 miles south of Interstate 71 . Liverpool Township is located between 20 and 30 miles south of Lake Erie and about five miles west of Interstate 71 . 0 +""" Tuscumbia "" was sold at auction at Mound City to W. K. Adams on 29 November 1865 ." """ Tuscumbia "" was sold on November 29 , 1865 at an auction in Mound City to W. K. Adams ." 1 +Yıkılgan is a village in the district of Amasya in the province Amasya , Turkey . Yıkılgan is a village in the district Amasya , Turkey , province of Amasya . 1 +However , mice with a single copy of the non-working TWIST gene survived . However , mice with a single copy of the non-working TWIST - Gens survived . 1 +From 1800 -- 04 , Wright was British consul-general for the republic of the Ionian Islands ( Seven Islands ) . Wright was from 1800 -- 04 British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . 1 +"In the Tiberian masoretic codices , the only "" parashah "" found in Ruth is for the short chronology at the end of the book :" "In the only codes is the Tiberian masoretic "" Parasha "" , found in Ruth , for the short chronology at the end of the book ." 0 +"The Diet Pepsi is a grey silver color and represents "" cool , rich , and fresh "" ." "The diet - Pepsi is a cool , rich and fresh silver color and represents "" gray "" ." 0 +When the RPP was divided and Thapa broke away and formed the Rastriya Janshakti Party , Yadav joined RJP . When the RPP was divided and Thapa dissolved and the Rastriya Janshakti Party joined , Yadav formed RJP . 0 +Around 1685 he moved to Québec and lived for some time in New - France . He moved to Quebec around 1685 and lived in New France for some time . 1 +For 1934 the body was redesigned and marked as 452D and in 1935 as 452E . For 1934 , the body was denoted again and redesigned as 452D , and as 452E in 1935 . 0 +The northern territory contains the Tara mountains and the southern area consists of open plains along the coast and the actual city . The northern area contains the Tara Mountains and the southern area consists of open plains along the coast , and the city proper . 1 +Outhgill is a hamlet in Mallerstang , Cumbria , situated about 5 miles south of Kirkby Stephen . Outhgill is a hamlet in Mallerstang , Cumbria . It lies about 5 miles south of Kirkby Stephen . 1 +If the n vectors are linearly independent , equality is achieved in the inequality of Hadamard if and only if the vectors are orthogonal . When the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only if the vectors are independent . 0 +It is run at Haydock Park over a distance of about 1 mile 7 ½ furlongs , and during its running there are nine hurdles to be jumped . It is jumped at Haydock Park at a distance of about 1 mile 7 ½ furlongs , and there are nine hurdles to walk during its run . 0 +"Otto Friedrich wrote in "" The Kingdom of Auschwitz "" about Rudolf Höss about his decision to present the motto so prominently at the entrance Auschwitz :" "Rudolf Höss wrote in "" The Kingdom of Auschwitz "" about Otto Friedrich about his decision to present the motto so prominently at the entrance Auschwitz ." 0 +It is found on quartzite hills in the Wheatbelt region of Western Australia near Moora where it grows in sandy soils often with gravel . It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it often grows with gravel in sandy floors . 1 +Olivella kifos is a species of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the navy olives . Olivella kifos is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . 1 +"The question of how many Islanders were "" blackbirded "" is unknown and remains controversial ." "The question of how many islanders were "" ashes "" is unknown and remains controversial ." 0 +In recognition of its history , its administrative importance and its economic success , Cambridge was granted city rights in 1951 . In recognition of its history , its economic importance and its administrative success , Cambridge was granted city rights in 1951 . 0 +It began as a fishing village inhabited by German settlers from the region of Kaszub , as well as some Polish immigrants in 1870 . It began as a fishing village inhabited by Polish settlers from the Kaszub region in 1870 , as well as by some German immigrants . 0 +In 2012 , the championships were held in Italy , in 2013 in Pouch , Germany , and in 2014 in Dunakeszi , Hungary ( Luserna ) . The championships were held in 2012 in Dunakeszi , Hungary , in Pouch , Germany , in 2013 , and in Luserna , Italy in 2014 . 0 +This species occurs in the Pacific Ocean , from Peru to Southern California . This species comes from southern California to Peru in the Pacific Ocean . 0 +For many years it was run by the British actor Seymour Matthews , and his son Giles and son-in-law Jack Watling . For many years , it was managed by the British actor Jack Watling and his son Giles and his son-in-law Seymour Matthews . 0 +On October 1 , 2005 the village of Ito District , from Hanazono , was merged into Katsuragi . On 1 October 2005 , the village of Hanazono was merged from the district Ito with Katsuragi . 0 +It was known for most of its time next to the Grand Prairie Armed Forces reserve complex , now known as Naval Air Station Dallas . It was known for most of its time next to Naval Air Station Dallas , now called the Grand Prairie Armed Forces Reserve Complex . 0 +Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 -- 6 , 6 - 3 . Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 -- 6 , 6 -- 3 . 1 +The promotion of research and innovation in Europe is being supported financially by the Horizon 2020 programme , which is also open to participation worldwide . Research and innovation in Europe is also supported by the programme Horizon 2020 , which is financially open to participation worldwide . 0 +Sometimes it is also convenient to pursue the purely covariant version by : It is also convenient to sometimes define the purely covariant version by 0 +There are two important special cases : ( i ) a simple open chain , and ( ii ) a simple closed chain . There are two major special cases : ( i ) a simple open chain and ( ii ) a simple closed chain . 1 +For many years members of the Dave McKay Christians distributed religious literature , much of it written by Jesus . For many years distributed members of the Jesus-Christian religious literature , much of it written by Dave McKay . 0 +Baptist is living back in North Sydney and currently working from his Sydney studio . Baptist lives back in Sydney and is currently working from his North Sydney studio . 0 +Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney , in the city of Hawkesbury . Grose Wold is a suburb of Sydney , in the state of New South Wales , Australia . It is in the City of Hawkesbury . 0 +He gradually had contributions as a soldier and was apparently promoted . Apparently he had contributions as a soldier and was progressively promoted . 0 +In the 1970s , W R Jacob merged with Bolands Biscuits to Irish Biscuits Ltd. in Dublin and moved to Tallaght , Ireland . In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. in Tallaght , Ireland , and moved to Dublin . 0 +The opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak in February 2014 . In February 2014 , the opening ceremony for the monument to victims of the Uşak massacre was held in Khojaly . 0 +In 2012 , he was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur as a candidate of the Indian National Congress . He was elected as a Chairman of Indian National Congress ( District Pnachayat ) of Kolhapur in 2012 as a Zilla Parishad candidate . 0 +It was shot on the set of Jesus Franco 's count Dracula , and also Christopher Lee as Dracula and Herbert Lom as Van Helsing . It was shot on the set of Jesus Franco 's Count Dracula , and also stars Christopher Lee as Dracula and Herbert Lom as Van Helsing . 1 +Counties include : St. Joseph , LaPorte , Marshall , Elkhart and Strong Counties in Indiana and Berrien and Cass Counties in Lower Michigan . Counties include : Elkhart , LaPorte , Marshall , St. Joseph and Strong Counties in Indiana and Berrien and Cass Counties in Lower Michigan . 1 +The term is sometimes used in exclusive reference to Guatemala and Mexico . Sometimes the term is used in exclusive reference to Guatemala & Mexico . 1 +Renzo Furlan won against Thomas Johansson in the finals with 6 -- 3 , 6 -- 4 . Thomas Johansson won in the final 6 -- 3 , 6 -- 4 against Renzo Furlan . 0 +In 1593 David Rogers served the church , followed by Richard Brown in 1601 and Alexander Fleming in 1612 . In 1593 , David Rogers served in the church , followed by Richard Brown in 1601 and Alexander Fleming in 1612 . 1 +He received official Mongol recognition as the ruler of Burma in March 1298 . In March 1298 , he received official Mongolian recognition as the ruler of Burma . 1 +""" Burton C. Bell of the Fear Factory "" , "" Filter "" , "" Tricky "" and "" Rob Zombie "" all returned for the soundtrack of "" ." "Hole , Burton C. Bell of Fear Factory , Filter , Tricky and Rob Zombie all returned for the soundtrack of "" ." 1 +Cooper built a motorcycle company which was in Mexico off-road motorcycles . Cooper built a motorcycle company that was off-road motorcycles in Mexico . 1 +Nicky Romero ( born January 6 , 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . Nick Rotteveel ( born January 6 , 1989 ) , known professionally as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . 0 +The Italian ice hockey league consists mostly of South Tyrolean teams . The South Tyrolean ice hockey league consists predominantly of Italian teams . 0 +Fort Mason was evacuated by federal troops on March 29 , 1861 , and reoccupied after the Civil War until 1869 . On March 29 , 1861 , the Fort Fort Mason was cleared by federal troops and reoccupied after the Civil War until 1869 . 1 +Helicopter pilot Gary Pfitzner and photographer Bill Strothman were both killed in the crash . The helicopter pilot Bill Strothman and photographer Gary Pfitzner were both killed in the crash . 0 +Kunkuri is the hottest region in Nichghat in the summer and Pandrapat is the coldest region in Upper Ghat in winter . Kunkuri is the coldest region in Nichghat in summer and Pandrapat is the hottest region in Upper Ghat in winter . 0 +Newark withdrew to the NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark withdrew to NAFBL , but returned at the end of the season to join the New Yorker and District Amateur Association Football League ( NYDAAFBL ) . 1 +PremLata Singh was married to Birender Singh on June 9 , 1970 . On June 9 , 1970 , Birender Singh married the PremLata Singh . 1 +Souray married former WWE professional wrestler Kelly Kelly , better known as Barbara Blank in February 2016 . They have separated in October 2017 . In February 2016 , Souray married the former WWE - professional - wrestler Barbara Blank , better known as Kelly Kelly , who separated in October 2017 . 0 +Brendan McManamon ( b . 1982 ) is a Gaelic football player for Dublin and St Judes in Ireland . Brendan McManamon ( born 1982 ) is a Gaelic football player for Dublin and St Judes in Ireland . 1 +"Verma was respected among the teacher community of Delhi . He was the owner of a daily Hindi national newspaper called "" Haribhumi "" ." "Verma was respected in the teacher community of Delhi , he was the owner of a daily Hindi newspaper called "" Haribhumi "" ." 1 +A Jewish full fast lasts from sunset to darkness the following night . There are two Jewish full days : A Jewish full fast lasts the following night from sunset to darkness . There are two Jewish full-fasting days : 0 +Part of the neighborhood has been connected to Santa Clara County , while the rest consists of non-registered areas of San Jose . Part of the neighborhood has been annexed to San Jose , while the rest consists of unincorporated areas of Santa Clara County . 0 +"Murray Cantor , Distinguished Engineer of IBM , wrote "" Nate Silver 's signal and noise "" is an excellent description of how the forecast works ." "Murray Cantor , IBM Distinguished Engineer , wrote "" Nate Silver 's "" The Signal and Noise "" is an excellent description of how prediction works ." 1 +He died in Boston , Massachusetts , on February 19 , 1935 , and was interred in Holyhood Cemetery , Brookline , Massachusetts . He died on February 19 , 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . 1 +"All songs were written by Ritchie Blackmore , except "" Tragovi "" by Nenad Jovanović ( music ) and Dragan Urošević ( texts ) ." "All songs were written by Dragan Urošević , except "" Tragovi "" by Ritchie Blackmore ( music ) and Nenad Jovanović ( lyrics ) ." 0 +John McEnroe won against Miloslav Mečíř at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . Miloslav Mečíř won against John McEnroe at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . 0 +The airline was established in 1990 and was owned by the New Zealand Post ( 50 % ) and Airwork ( 50 % ) . The airline was established in 1990 and was owned by Airwork ( 50 % ) and New Zealand Post ( 50 % ) . 1 +The series was written by Ed Brubaker , illustrated by Bryan Hitch , and inked by Butch Guice . The series was written by Ed Brubaker , illustrated by Bryan Hitch and colorized by Butch Guice . 1 +He is the son of French cyclist Adri van der Poel , the brother of Mathieu van der Poel and the grandson of the Dutch cyclist Raymond Poulidor . He is the son of the Dutch cyclist Adri van der Poel , the brother of Mathieu van der Poel and grandson of French cyclist Raymond Poulidor . 0 +"The species was first formally collected by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was described in Port Jackson ." "The species was first formally described in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , which was gathered in Port Jackson ." 0 +The cast list gives a first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . The casting list indicates a first performance date after Taylor joined the company in the spring of 1619 and before the death of Tooley in June 1623 . 0 +The party is currently led by Giacomo Stucchi as national secretary and Paolo Grimoldi as the national president . The party is currently led by Paolo Grimoldi as national secretary and Giacomo Stucchi as national president . 0 +From 1931 until the outbreak of World War II in Europe in 1939 , he worked in Shanghai . He worked in Europe from 1931 until the outbreak of the Second World War in Shanghai in 1939 . 0 +Political prisoners were Pieter Geyl ( Prime Minister 1945-1946 ) , , Wim Schermerhorn and , all post-war politicians . Political prisoners were Pieter Geyl ( Prime Minister 1945-1946 ) , Wim Schermerhorn , and all politicians of the post-war period . 1 +He died on 18 June 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . He died in Melbourne , Florida , on June 18 , 1936 . He was buried in Daytona Beach , Florida . 0 +The first air data computer developed in the USA was patented by John H. Andresen in February 1971 . The first air data computer developed in the US was patented by John H. Andresen in February , 1971 . 1 +In May 1942 , he joined the 23rd Indian Brigade in the 1st Indian Division . In May 1942 , she joined the 1st Indian Brigade in the 23rd Indian Division . 0 +Scott was born in Parkesburg , Pennsylvania , and buried in Chester County , Pennsylvania . Born in Chester County , Pennsylvania , Scott was buried in Parkesburg , Pennsylvania . 0 +The winter is characterized by cool and quite dry , sunny days and pleasant and occasionally foggy nights . The winter is characterized by dry , sunny and pleasant days and cool and occasionally foggy nights . 0 +Most of the curriculum consisted of classical languages , the young and ambitious Cauchy , a brilliant student , won many prizes in Latin and Humanities . Most of the curriculum consisted of classical languages ; the young and ambitious Cauchy , being a brilliant student , won many prizes in Latin and Humanities . 1 +Since 1984 , Katherine Ross has been married to the actress Sam Elliott . Katherine Ross has been married to actress Sam Elliott , since 1984 . 1 +Coldfoot Airport , on the west side of the Dalton Highway , consists of a 4,000-foot ( 1220 m ) gravel strip . The Coldfoot Airport on the west side of Dalton Highway consists of a 1220 m high gravel strip . 1 +In other words , at this extremely high temperature , the binding energy of the photons would overwhelm the kinetic energy of strong nuclear power . In other words , at this extremely high temperature , the photons ' kinetic energy would overwhelm the binding energy of the strong nuclear force . 0 +"Published in Belgium in September 2003 , "" Sharko III "" was later released in France , the Netherlands , Switzerland and Japan ." "In September 2003 , published in France , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland and Japan ." 0 +Charlie conducts a conversation with Carol about how she needs money to buy an apartment to Charlie . Charlie stages a conversation with Carol about how she needs money to buy Charlie an apartment . 1 +Suruga-Tokuyama Station is a manned station with a single island platform and a small wooden station building . Suruga-Tokuyama Station is a manned station with a single island platform and small wooden station building . 1 +It is separated into two parts by the Limbang district of Sarawak . It is separated by the Limbang - district of Sarawak in two parts . 1 +He has also been influenced by progressive punk , metallic hardcore , thrash metal , punkrock and many other hardcore metal bands . He also has been influenced by many other hardcore punk , metallic hardcore , thrash metal , punk rock and progressive metal bands . 0 +William Halderman ( 1822-1866 ) , a local businessman and Müller , and Anna Hostetter Halderman ( 1828-1919 ) were his parents . His parents were Anna Hostetter Halderman ( 1822-1866 ) , a local businessman and miller , and William Halderman ( 1828-1919 ) . 0 +The party was officially registered on June 20 , 2013 , although it was formed in November , 2012 . The party was officially registered on 20 June 2013 , although it was formed in November 2012 . 1 +Jeremy Horn lives in his hometown of Memphis , with his wife Denise and their children Judah , Liam and Daisy . Judah lives in his hometown of Memphis with his wife Denise and children Jeremy Horn , Liam and Daisy . 0 +Barkheda Baramad is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Barkheda Baramad is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 1 +McMeel Universal , subsidiary of Universal Press Syndicate , was an independent press syndicate . Universal Press Syndicate , a subsidiary of Andrews McMeel Universal , was an independent press syndicate . 0 +They had three children ( Gloria , Calixto , Carlos ) and also moved Antonio 's nephew . They had three children ( Carlos , Calixto , Gloria ) and also raised Antonio 's nephew . 0 +It is a municipality in the western part of the department of Montenegro , Colombia , located 10 km west of the district capital Armenia . Montenegro is a municipality in the western part of the department of Quindío , Colombia . It is located 10 km west of the departmental capital Armenia . 0 +Stone Cold Steve Austin appeared and hit Triple H , Patterson , Brisco , Shane and Vince with a chair . Cold Steve Stone appeared and struck Triple H , Patterson , Brisco , Shane and Vince with a chair . 0 +The company also owned car ferries and operated the ferry company Fjord Line . The company also operated car ferries and owned the Fjord Line ferry company . 0 +The mutated boss for Heroside is a rejected final clone of Pollux . The mutated boss for herosits is a rejected final clone of Pollux . 1 +Chris Egan ( Nick Smith ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different scratches . Nick Smith ( Chris Egan ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . 1 +It was selected in the second round of the WNBA draft 2012 ( 20th overall ) by Minnesota Lynx . She was selected in the second round of the 2012 WNBA Draft ( 20th overall ) by the Minnesota Lynx . 1 +Sexual cannibalism is common among species with extreme size dimorphism ( SSD ) , prominent sexual SSD likely drove the evolution of sexual cannibalism in spiders . Sexual cannibalism is common among species with pronounced sexual size dimorphism ( SSD ) , extreme SSD probably drove the evolution of sexual cannibalism in spiders . 0 +"Bowers was played by Pruitt Taylor Vince in the 1991 film "" JFK "" ." "Pruitt Taylor Vince was played by actor Bowers in the film "" JFK "" from 1991 ." 0 +In September 2004 , NL Industries completed the acquisition of 68 % of CompX International at $ 168.6 million . In September 2004 , CompX International completed the acquisition of 68 % of NL Industries for USD 168.6 million . 0 +The 1987 -- 88 Toto Cup Artzit was the 4th season of the second tier League Cup since its introduction . The 1987 -- 88 Toto Cup Artzit was the 4th season of the second league cup since its introduction . 1 +Newly released CSS3 and JavaScript frameworks allowed new design patterns such as the box model followed by grids and flex , accompanied by translations , transformations , animations . Newly released CSS3 and JavaScript - Frameworks allowed new design patterns like the box - model accompanied by grids and flex , followed by translations , transformations and animations . 0 +"As the name suggests , the bilinear Interpolant "" is not "" linear , but the product of two linear functions ." "As the name suggests , the linear Interpolant "" is not "" linear , but rather it is the product of two bilinear functions ." 0 +The fractional Schrödinger equation is a fundamental equation of fractional quantum mechanics . The fractional Schrödinger equation is a fundamental equation of the fractional quantum mechanics . 1 +"The route from Chicago to Lafayette is used by Amtrak for "" Cardinal "" and "" Hoosier State "" ." "The Chicago to Hoosier State route is used by Amtrak for the "" Cardinal "" and the "" Lafayette "" ." 0 +She died in Fort Worth , and is buried in Abilene , in the Abilene Municipal Cemetery . She died in Abilene and was buried in Fort Worth at the municipal cemetery in Abilene . 0 +Castlebrae Community High School is a secondary school in the Greendyke area of Edinburgh . Castlebrae Community High School is a secondary school in the Edinburgh area of Greendykes . 0 +On July 31 , 2015 , Moore was signed by the Chicago Bears . On September 5 , 2015 , he was released by the Bears . On 31 July 2015 , Moore was signed by the Chicago Bears , and on 5 September 2015 he was released by the Bears . 1 +"At "" Shine 8 "" Valkyrie defeated Amazing Kong , Mia Yim , Christina von Eerie and Angelina Love in an eight - man - team - match ." "At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Angelina Love , Christina Von Eerie , and Mia Yim in an eight-woman tag team match ." 1 +In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria taught the course in their 2012 school year . In Australia , the Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their school year 2012 . 0 +In Lilongwe there are 38 public primary schools and 66 secondary schools with a total of 103,602 students , as well as 29 private schools with 30,795 students . There are 38 private and 66 public primary schools in Lilongwe with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . 0 +The Final FESPIC Games had 18 venues for the games . 9 in Kuala Lumpur , 7 in Selangor and 1 each in Putrajaya and Negeri Sembilan respectively . The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and 1 in Putrajaya and Negeri Sembilan each . 1 +It has been found in Western Tasmania , in Mines near Dundas , Tasmania It has been found in Dundas , Tasmania , in mines located near Western Tasmania 0 +The office was moved to Delhi Mills and reconstructed in February 1871 , although the Scio office was renamed in September 1871 . The office was moved to Delhi Mills and re-established in February 1871 , though the Scio office was renamed in September 1871 . 1 +The Seaborne landings were first proposed by Michael Collins and then taken over by Emmet Dalton . Seaborne landings were the first proposed by Emmet Dalton and then adopted by Michael Collins . 0 +Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . Castlebrae Community High School is a secondary school located in the area of Greendykes in Edinburgh . 0 +The university is in Sholinganallur about 15 kilometers from Chennai in Adyar . The university is located in Sholinganallur about 15 kilometers from Adyar in Chennai . 0 +The album was recorded at Brian Elliot studios in North Hollywood , California , with engineer David Hines and co-producer Jay Lansford . The album was recorded at Brian Elliot Studios in North Hollywood , California , together with engineer Jay Lansford and Co - producer David Hines . 0 +In 1883 the first schools were built in the surroundings for 400 black and 60 white students . In 1883 , the first schools in the area were built for 400 white students and 60 black students . 0 +""" Desert Magazine "" is also the name of a monthly desert lifestyles magazine sent to subscribers to the Palm Springs daily newspaper "" The Desert Sun "" ." """ Desert Magazine "" is also the name of a monthly desert lifestyle magazine sent to subscribers to the Palm Springs newspaper "" The Desert Sun "" ." 1 +Lolita knows that Humbert has no living relatives and immediately realizes that something is very wrong . Humbert knows Lolita has no living relatives and immediately realizes something is very wrong . 0 +He ended this practice because of the difficulty of distinguishing between ethnographic works and original arrangements and between main and side works . He ended this practice because of the difficulty of distinguishing between original works and ethnographic arrangements , and between major and minor works . 0 +Born in Brooklyn , New York , he died in San Francisco , California at the age of 81 . He was born in San Francisco , California and died in Brooklyn , New York , at the age of 81 . 0 +A post office called Lodi was founded in 1837 and the post office was renamed Maple Park in 1880 . A post office called Maple Park was first established in 1837 , and the post office was renamed in Lodi in 1880 . 0 +"Sestri Ponente is an industrial suburb of Genoa in northwest Italy . It is part of the Medio Ponente "" municipio "" of Genoa ." "Sestri Ponente is an industrial suburb of Genoa in northwest Italy and is part of the Medio Ponente "" Municipio "" of Genoa ." 1 +Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic programming language Haskell . Xmonad is a functional window manager ( tiling ) for the X Window System , written in the Haskell dynamic programming language . 1 +A tower was built in 1841 by Barry , but it was never designed . A tower was designed by Barry in 1841 , but it was never built . 0 +Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport for Nanaimo Harbour Water Aerodrome . Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and the Nanaimo Harbour Water Aerodrome to Vancouver International Water Airport . 0 +In 2012 , for the Italian progressive group Karnya , Claudio Nigris made some violins - arrangements and the singer Francesca Naccarelli is guest in a song . In 2012 , for Italian progressive group Karnya , Claudio Nigris made some violins arrangements and the singer Francesca Naccarelli is guest in a song . 1 +Aimee Semple McPherson engaged Brook Hawkins from the Winter Construction Company , the architect of the Culver Hotel , the Metropolitan Theatre des Grauman and the Pasadena Playhouse . Aimee Semple McPherson hired Brook Hawkins from Winter Construction Company , the architect of the Culver Hotel , the Grauman 's Metropolitan Theatre and the Pasadena Playhouse . 1 +Peter Ebdon won the title for the first time , beating Stephen Hendry 9 -- 8 in the final . For the first time , Stephen Hendry won the title and defeated Peter Ebdon 9-8 in the final . 0 +"The first known Spanish sighting of Whidbey Island was during the 1790 European expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." "The first well-known Spanish sighting of Whidbey Island was at the "" Princesa Real "" during the European expedition of Manuel Quimper and Gonzalo López de Haro ." 1 +Route 130 leads north to Olney and south to Grayville , while Route 15 leads east to Mount Carmel and west to Fairfield . Route 130 leads north to Olney and south to Grayville , while Route 15 leads to the east to Mount Carmel and west to Fairfield . 1 +But in recent years , the number of black Americans has increased in the city , and some have occupied well-kept areas in traditionally European areas . But in recent years the number of European Americans in the city has increased , and some have occupied gentrified areas in traditionally black neighborhoods . 0 +The episode was written by Elaine Ko and was directed by Gail Mancuso . The episode was written by Gail Mancuso and directed by Elaine Ko . 0 +"She also had a supporting role in the film "" Bob Roberts "" , as Dolores Perrigrev in 1992 ." "She also had a supporting role in the 1992 film "" Bob Roberts "" , as Dolores Perrigrew ." 1 +The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell in 1928 and future world record player Paul Jessup of Washington . The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell in 1928 and future world record maker John Anderson of Washington . 0 +Pearland ISD serves most of the city of Silverlake , the city of Pearland , and unincorporated areas in Brazoria County ( including Brookside Village ) . Pearland ISD serves most of the city of Pearland , the city of Brookside Village and unregistered areas in Brazoria County ( including Silverlake ) . 0 +Pura Khana is a village in Bhopal - district of Madhya Pradesh , India It is in Berasia tehsil . Pura Khana is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 1 +Kirk Deighton is operated by Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . Kirk Deighton is served by Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate through Wetherby and Spofforth . 0 +The Stejioara River is a tributary of the Bârnărel River in Romania . The river Bârnărel is a tributary of the River Stejioara in Romania . 0 +The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Portugal and then of Indonesia . The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 first by Indonesia and then from Portugal . 0 +This was resolved with the Ostrów agreement -- Jogaila became Grand Prince of Lithuania , while Vytautas retained the rights of an overlord . This was resolved with the Ostrów Agreement -- Vytautas became the Grand Duke of Lithuania while Jogaila retained rights of an overlord . 0 +Rachmaninoff dedicated the work to his friend the violinist Nikolai Medtner . He wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : He devoted the work to his friend , the violinist Fritz Kreisler , who wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : 0 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Missouri to Illinois . The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Illinois from Missouri . 1 +It is currently serving as the newspaper of record for Galveston , as well as Galveston County . It currently serves as the newspaper of record for Galveston County , as well as Galveston . 1 +On the other hand , many democrats welcomed industrialization , feared the whigs . On the other hand , many democrats feared an industrialization that welcomed the whigs . 0 +The Thirteen Colonies of the original United States were all former British possessions , and Anglo culture became a major foundation for American folk and popular music . The thirteen colonies of the Anglo-United States were all original possessions , and popular culture became a major foundation of American folk and former British music . 0 +In the second round of the US Open , Roger Federer lost in three sets against Alves , it was Federer 's 600th win in the career - Match . Roger Federer lost to Alves in the second round of the US Open in three sets . It was Federer 's 600th career match win . 1 +It was intended to allow a descent game Playoff between Antrim and Wexford , but instead it was decided to hold both in the 2010 championship . It was intended to hold a relegation playoff between Antrim and Wexford , but instead it was decided to allow both compete in the 2010 championship . 0 +Tver Carriage Works provides the following products and manufactures the following services : Tver Carriage Works manufactures the following products and provides the following services : 0 +The resulting explosion then destroyed the core vehicle , and the second SRB also initiated its own self-destruction . The resulting explosion then destroyed the nuclear vehicle , and the second SRB initiated its own self-destruction . 1 +Karen and Kristoffer together have eight children . Together , Karen and Kristoffer have eight children . 1 +Taubensee played for three different ballclubs during his career : the Cleveland Indians , Cincinnati Reds ( - ) and Houston Astros ( - ) . During his career , Taubensee played for three different ball clubs : the Cleveland Indians , Houston Astros ( - ) and Cincinnati Reds ( - ) . 1 +Garden Town ( Punjabi ) is a neighborhood and trade union council located in Gulberg Tehsil of Lahore , Punjab , Pakistan . Garden Town ( Punjabi , ) is a neighbourhood and union council located in Gulberg Tehsil of Lahore , Punjab , Pakistan . 1 +At the time , Meacham was president , and his administration knew that Andrew Johnson did not support him . At the time , Andrew Johnson was president , and his administration learned that Meacham did not support him . 0 +"The six episodes were written by Gareth Carrivick ( "" Gim me Gim me Gim me "" ) and directed by Jonathan Harvey ." "The six sequels were written by Jonathan Harvey ( "" Gim me Gim me Gim me "" ) and directed by Gareth Carrivick ." 0 +Most students living in Jeffersonville attend the following schools , which are located nearby Mount Sterling : Most students residing within Jeffersonville attend the following schools , which are located in nearby Mount Sterling : 1 +She sailed over Rio de Janeiro and arrived in Sydney on September 14 . She sailed via Sydney and arrived in Rio de Janeiro on 14 September . 0 +The mouth of Batten Kill is situated in East Dorset , Vermont , and the source of the river is in Easton , New York . The mouth of Batten Kill is in Easton , New York , and the source of the river is at East Dorset , Vermont . 0 +Marian Anderson 's body was found by her sister Lolly and Danielle Santos Bernal on November 4 , 2001 . Danielle Santos Bernals Body was found on November 4 , 2001 by her sister Lolly and Marian Anderson . 0 +Juan Colomer publishes his work with Editions BIM of Spain , Editorial Piles , Tritó and Rivera editores in Switzerland . Juan Colomer publishes his works with Editions BIM of Spain , Editorial Piles , Tritó and Rivera editores in Switzerland . 1 +A specification tree shows all specifications of a technical system under development in a hierarchical order . A specification tree shows all the specifications of a technical system in development in a hierarchical order . 1 +On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innocent X on 16 September 1647 . On May 14 , 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . 1 +It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Catalonia , Barcelona , Spain . It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain . 1 +Its capital was Godthaab ( modern Nuuk ) . Its capital was at Godthaab ( modern Nuuk ) . 1 +On the northern side of the administration building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . On the south side of the administrative building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . 0 +The second one came in the fourth quarter on a pass from Dunlap to Stumpy Thomason . The second came in the fourth quarter on a pass from Dunlap to Stumpy Thomason . 1 +In February 1852 Rosas replaced Urquiza at the battle of Caseros and defeated him . In February 1852 , Rosas Urquiza replaced and defeated the Battle of Caseros . 0 +It was abandoned in 1446 and destroyed in 1551 and rebuilt . It was destroyed in 1446 and rebuilt and abandoned in 1551 . 0 +All bytes are cushioned at the beginning by a recessive start bit and a dominant stop bit . All the bytes are cushioned in the beginning by a recessive start bit and a dominant stop bit . 1 +Moritz Thomsen ( 1915 - 1991 ) , known as Martin Moritz Thomsen Titus , was an American writer , farmer and Peace Corps volunteer . Moritz Thomsen ( 1915-1991 ) , known as Martin Moritz Thomsen Titus , was an American writer , farmer and volunteer at the Peace Corps . 1 +The first main span was positioned in 1857 and the finished bridge was opened on May 2 , 1859 by Prince Albert . The first main span was positioned in 1857 and the completed bridge was opened by Prince Albert on 2 May 1859 . 1 +Alworth was chosen in the eighth round ( first overall ) of the 1962 NFL draft by the San Francisco 49ers . Alworth was elected by the San Francisco 49ers in the eighth round ( first overall victory ) of the NFL - draft in 1962 . 1 +Carolyne McCoy first married Darrell Fetty , who is a descendant of the famous feuding families ( her mother was a Hatfield , her father a McCoy ) . Carolyne McCoy first married Darrell Fetty , who is a descendant of the famous feud families ( her mother was a Hatfield , her dad a McCoy ) . 1 +The first edition of the tournament won Eduardo Schwank versus Ricardo Mello with 6 -- 4 , 6 -- 2 in the final . Eduardo Schwank won the first edition of the tournament against Ricardo Mello 6 -- 4 , 6 -- 2 in the final . 1 +Upgrades included rheostatic brakes and new brakes , electromagnetic speed measurement and curve lights . Upgrades included rheostatic brakes and new brakes , electromagnetic speed measurement and curve lighting . 1 +"In December 2002 , Omar joined the team of the morning radio broadcast "" Ya Párate "" with Facundo and Tamara Vargas ." "In December 2002 Omar joined the team of the morning radio show "" Ya Párate "" with Facundo and Tamara Vargas ." 1 +It shows 362 different species of wood trees , bushes and 236 different old species of fruit trees . It shows 362 different old species of wood , bushes and 236 different species of fruit trees . 0 +The Moutse district was conquered from KwaNdebele in 1980 and was officially integrated into Lebowa despite violent resistance . Moutse district was seized from KwaNdebele in 1980 and was , despite violent resistance , officially integrated into Lebowa . 1 +Guillermo Pérez Roldán defeated Andrés Gómez with 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 - 6 , 6 - 2 . Andrés Gómez defeated Guillermo Pérez Roldán 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 -- 6 , 6 -- 2 0 +Tyrone tells him who is Tommy . Tommy then tells him who Tyrone is . 0 +Trained by César Cielo , coach of the American swimmer Bob Bowman , at the University of Michigan , he is a childhood friend of Michael Phelps . Trained with Bob Bowman , coach of American swimmer Michael Phelps , at the University of Michigan . He is a childhood friend of César Cielo . 0 +In 1969 the change was still in the air and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . In 1969 change was still in the air and T. and R. Smith 's was taken over by J. N. Nichols ( Vimto ) of Manchester . 0 +The magnetic and thermal gradient terms are connected with the first and last pressure , which is the sum of the overall pressures , Formula 9 . The magnetic and thermal gradient terms are associated with the first and last pressure which is the sum of the total pressures ; formula _ 9 . 1 +In 1851 , New York and Erie Railroad completed its line between Piermont and Dunkirk , New York via Hornell and Salamanca . The New York and Erie Railroad completed its line between Piermont and Dunkirk , New York via Hornell and Salamanca in 1851 . 1 +The film followed a moderate success , as it was Mithun 's low-budget formula . The film was a moderate success because it followed Mithun 's low-budget formula . 0 +Currently , the countries on the list are Iran , Syria , Sudan and North Korea . The countries on this list are currently Iran , North Korea , Sudan and Syria . 1 +He has a son , Seamus , who is seen but never mentioned in the series . He has a son , Seamus , who is seen , but is never mentioned in the series . 1 +On the banks of the Rio Acre , opposite the Brazilian city of Brasiléia , lies Cobija . Cobija lies on the banks of the Rio Acre across from the Brazilian city of Brasiléia . 1 +Born in Monroe County , Smith was educated at the Culloden Academy in Twiggs County , Georgia . Smith was born in Twiggs County , Georgia and was educated at the Culloden Academy in Monroe County . 0 +In 1983 , she graduated from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . In 1983 , she graduated from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . 0 +For example , the COBOL programming language supports a total of five numeric formats with zones , each encoding the decimal sign in a different way : The COBOL programming language , for example , supports a total of five zoned decimal formats , each one encoding the numeric sign in a different way : 0 +Continue to the north through Hughesville on Old Leonardtown Road ( MD 625 ) . The Old Leonardtown Road on Hughesville continues to the north ( MD 625 ) . 0 +The Chateau is planted with Cabernet Sauvignon , Merlot , and Cabernet Franc . A second wine has produced under t The chateau has planted with Cabernet Sauvignon , Merlot and Cabernet Franc . A second wine is produced under the label “ Vivens ” . 0 +They speak the Chuvash language and have some pre-Christian traditions , and many people use the Russian language in addition to the Chuvash . They speak the Russian language and have some pre-Christian traditions . In addition to Chuvash , many people also use the Chuvash language . 0 +Along with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Gosforth , and Cockermouth districts of Cumberland . Together with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Cumberland , Gosforth , and Cockermouth . 0 +This can occur due to autosomal dominant diseases such as hereditary hemorrhagic telangiectasia . Can occur due to hereditary hemorrhagic diseases , such as autosomal dominant telangiectasia . 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - videogame by Kush Games developed and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by Kush Games and published by 2K Sports . 1 +The team added a second car to Richard Göransson in 2006 and was replaced in 2009 by Thed Björk . The team added a second car for Thed Björk in 2006 , and was replaced by Richard Göransson in 2009 . 0 +Jason Kubler won the title by defeating Radu Albot in the final with 6 : 4 , 6 : 1 . Radu Albot won the title by defeating Jason Kubler 6 -- 4 , 6 -- 1 in the final . 0 +Jason Kubler won the title by defeating Radu Albot 6 -- 4 , 6 -- 1 in the final . Radu Albot won the title by defeating Jason Kubler in the finals with 6 -- 4 , 6 -- 1 . 0 +The Austin Catholic Academy and St. Thomas of Villanova College are officially sponsored and are not operated independently of the Augustinian Order . Of these , the Austin Catholic Academy and St. Thomas of Villanova College are operated independently and are not officially supported by the Augustinian Order . 0 +Jacques Dicker ( 1879 , Khotyn , Bessarabia -- November 17 , 1942 , Geneva ) was a Swiss - Socialist Ukrainian politician and lawyer . Jacques Dicker ( 1879 , Khotyn , Bessarabia -- November 17 , 1942 , Geneva ) was a Swiss socialist-born Ukrainian politician and lawyer . 1 +It only comes in standard black , although a white version has been released worldwide in Japan . It comes in standard black worldwide , even though a white version was only released in Japan . 0 +Kumara Sambhavam is a 1969 Indian Malayalam and Tamil film ( bilingual ) , directed and produced by P. Subramaniam . Kumara Sambhavam is a 1969 Indian Malayalam and bilingual film ( Tamil ) , leaded and produced by P. Subramaniam . 1 +John M. Work was born January 3 , 1869 , in rural Iowa in Southeastern Washington County , the son of John H. Work , a farmer . John M. Work was born on January 3 , 1869 in rural Iowa in southeastern Washington County , the son of John H. Work , a farmer . 1 +The V9 was sent to Hungary after a tour through Romania as a demonstrator and arrived on 5 February 1939 . V9 was sent to Romania as a demonstrator after a tour of Hungary , and arrived on 5th February,1939 . 0 +Adventures Of Cow is a picture book series for children from 2005 by Lori Korchek and illustrated by Marshall Taylor . Adventures Of Cow is a 2005 children 's picture book series by Lori Korchek and illustrated by Marshall Taylor . 1 +Suffolk County , New York , United States is a hamlet and census-designated place ( CDP ) in Eastport . Eastport is a hamlet and census - designated place ( CDP ) in Suffolk County , New York , United States . 0 +Thus , if we know the probability distribution - Function Formula 35 , we can find the Formula 36 function and calculate the optimal reservation price from it . So , if we know the probability distribution functions formula 35 , we can find the function formula 36 , and from it , calculate the optimal reservation price . 1 +Strikingly , both childless parents were judged to be less competent for the job than male and female applicants . Strikingly , both male and female parents were judged as less competent for the job than childless applicants . 0 +"He lives in the "" Gokuldham Society "" along with his father Champaklal , his wife Daya and his son Tapu ." "He lives in "" Gokuldham Society "" along with his father Champaklal , wife Daya and son Tapu ." 1 +The company 's artificial intelligence software collects social data that allows emotional and visual insights . The company 's artificial intelligence software collects social data that provide emotional and visual insights . 1 +Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - Socialist and writer Beatrice Webb . In 1871 , Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and author Mary Macaulay . 0 +The R335 is a Regional Route in South Africa that connects Port Elizabeth in the south to Somerset East to the north via Addo . The R335 is a regional route in South Africa that links Port Elizabeth to the south via Addo to the north with Somerset East . 1 +In the London production the role was played by Jerome Pradon , and the role was taken over by Robbie Scotcher on 23 June 2008 . In London production , the role of Jerome Pradon was played , and the role was taken over by Robbie Scotcher on 23 June 2008 . 0 +Pajumaa is a village in Lääneranna , Estonia , in western Pärnu County . Pajumaa is a village in Lääneranna Parish , Estonia , in western Pärnu County . 1 +"In the documentary "" The Gettysburg Address "" of 2015 , Edward Everett is portrayed by the actor Ed Asner ." "Ed Asner is portrayed by the actor Edward Everett in the documentary "" The Gettysburg Address "" from 2015 ." 0 +The other entrances on the west side have new iron lamp standards and old lanterns , and one has an iron balustrade . The other entrances on the west side have new iron lamp standards and old lamps , and one has an iron balustrade . 1 +Majdan Trzebieski is a village in the administrative district of Gmina Opole Lubelskie , within Opole Lubelskie County , Lublin Voivodeship , in eastern Poland . Majdan Trzebieski is a village in the district of Opole Lubelskie County , Lublin Voivodeship , in Gmina Opole Lubelskie , Eastern Poland . 0 +Tacitus , however , records two contradictory but common views of Augustus : However , Augustus Tacitus records two contradictory but common views of Augustus : 1 +Banknotes printed by the three commercial banks are issued in Hong Kong by Hong Kong Note Printing Limited . The banknotes issued by the three commercial banks are printed at Hong Kong Note Printing Limited in Hong Kong . 0 +He was taught by the Croatian composer Vatroslav Lisinski music and was later enrolled at the Rudolf Matz Music School . He was taught music by the Croatian composer Vatroslav Lisinski and later enrolled in the Rudolf Matz music school . 1 +In April 472 , Olybrius Ricimer appointed Emperor as opposed to Anthemius , who was besieged in Rome with his family . In April 472 , Olybrius appointed Ricimer as Emperor , in opposition to Anthemius , who , together with his family , was besieged in Rome . 0 +Shortly after his son , Santha , was drowned in a swimming pool under mysterious circumstances , Jagath died of heart attack on April 11 , 1981 . Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on April 11 , 1981 . 0 +"The instruments of Embergher are unequalled , not only the richness and fullness of tone are remarkable , but the intonation is also perfect """ The instruments of Embergher are remarkable , not only are the richness and abundance of tone unsurpassed , but also the intonation is perfect . 0 +Xmonad is a dynamic window manager ( tiling ) for the X Window System , written in the functional programming language Haskell . Xmonad is a dynamic window manager ( tiling ) for the X Window System written in the functional Haskell programming language . 1 +It is owned by the RTL Group , a subsidiary of RTL Nederland . It is owned by RTL Nederland , a subsidiary of RTL Group . 0 +In February 2007 Barbara Fischinger performed on the original Lumigraph in Frankfurt , and in 2012 in Amsterdam . In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in Frankfurt in 2012 . 0 +Balıklı is a village in the District of Gümüşhacıköy , Turkey , Amasya Province . Balıklı is a village in the district Gümüşhacıköy , Turkey , province of Amasya . 1 +Automatic transmission was standard , manually , with or without overdrive , became an option in 1967 . Automatic transmission was standard ; manual , with or without overdrive , became an option in 1967 . 1 +On May 11 , President Davis appointed McCulloch a brigadier general . On 11 May , President Davis McCulloch appointed brigadier general . 0 +In order to maintain Malaysia 's neutrality , the Sabres were flown to Thailand via Singapore . In order to preserve Malaysia 's neutrality , the Sabres were flown to Singapore via Thailand . 0 +Among the musicians of the recording session on March 7 were Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) . The musicians of the recording session on 7 March included Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . 0 +During his reign , Ricimer had some problems to overcome because of the presence of Severus and because his rule was not recognised in several provinces . Ricimer had to face several problems during his reign , because of the presence of Severus and because his rule was not recognised in several provinces . 0 +Although neither Chandidas nor Maladhar Basu were Vaishnavas , they were to lay the foundation for much of the following Vaishnava poetry in Bengal . Although neither Maladhar Basu nor Chandidas were Vaishnavas , they should lay the foundation for much of the following Vaishnava poetry in Bengal . 1 +For nearly four decades , Mohsin Zaidi lived in Delhi before settling after his retirement in Lucknow . Mohsin Zaidi lived in Lucknow for nearly four decades before settling down in Delhi after retirement . 0 +This was the first time since 1976 that Pennsylvania did not vote for the same candidate as the neighboring New Jersey . This was the first time since 1976 that New Jersey did not vote for the same candidate as the neighboring Pennsylvania . 0 +Pre-modern ( 18th-century ) elements are often the Japanese pronunciation of their Korean equivalents , e.g . Pre-modern ( 18th-century ) elements often are the Korean pronunciation of their Japanese equivalents , e.g. , 0 +Allen was born in South Hinksey , Berkshire ( now Oxfordshire ) and graduated from Oxford University . All was born in Oxfordshire , Berkshire ( now South Hinksey ) and graduated from Oxford University . 0 +"It was released via Checkbook records on February 19 , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" ." "It was released on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." 0 +The bridge starts in Denmark and the tunnel is in Sweden . The bridge starts in Denmark and the tunnel in Sweden . 1 +Many celebrities have during the centuries visited or stayed at the castle , including Carl Michael Bellman in the 18th century and August Strindberg in the 19th century . Many celebrities have visited or visited the castle throughout the centuries , including Carl Michael Bellman in the 18th century and August Strindberg in the 19th century . 1 +It is endemic to California , where it is known only from the Pecho Hills southwest of San Luis Obispo in San Luis Obispo County , California . It is endemic in San Luis Obispo County , California , where it is known only from the Pecho Hills southwest of San Luis Obispo , California . 0 +Stella Maris played in Dublin with Dunne , before playing in England for Everton . Stella Maris played in Dublin with Dunne , before playing for Everton in England . 1 +Next , Lee faced Jake Matthews on July 8 , 2016 , at which Lee won the fight via TKO in the first round . Lee next faced Jake Matthews on July 8 , 2016 , at . Lee won the fight via TKO in the first round . 1 +By then , three-quarters of the slaves in Maryland had been freed , and a high proportion of slaves in Delaware . By then , three-quarters of the slaves had been liberated in Delaware , and a high proportion of slaves in Maryland . 0 +He was born in Gollnow , Pomerania and died in Dahme , Brandenburg , Germany . He was born in Gollnow , Brandenburg , and died in Dahme , Pomerania . 0 +Reynolds was selected by the Arizona Diamondbacks in the 476th round ( 16th overall ) of the 2004 Major League Baseball draft . In the 476th round ( 16th overall rank ) of the Major League Baseball - Draft 2004 , Arizona Reynolds was selected by the Arizona Diamondback . 1 +In June of 1921 , the giants sold Perritt to the Detroit Tigers . In June 1921 , the Giants sold Perritt to the Detroit Tigers . 1 +Maughan and his wife , the former Lorraine Hannemann of Honolulu , Hawaii , live in Manhattan , New York . Maughan and his wife , the former Lorraine Hannemann of Manhattan , New York , live in Honolulu , Hawaii . 0 +It was filmed on the set of Herbert Lom 's count Dracula and also played Jesus Franco as Dracula and Christopher Lee as Van Helsing . It was shot on the set of Herbert Lom 's Count Dracula , and also stars Jesus Franco as Dracula and Christopher Lee as Van Helsing . 1 +The diocese covers the County of Cumbria except for Sedbergh Rural District and the former Alston Moor . The diocese includes the county of Cumbria except for Alston Moor and the former Sedbergh Rural District . 0 +Bowen Hills and Ferny Grove Station is served from all Beenleigh Line Services stops from Woodridge to Beenleigh . Bowen Hills and Ferny Grove station is served by all stops Beenleigh line services from Woodridge to Beenleigh . 1 +This species is caught regularly along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . This species is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey , and Spain . 1 +The Colgate - football team from 1927 represented the Colgate - University in the College - Football - Season of 1927 . The 1927 Colgate football team represented Colgate University in the 1927 college football season . 1 +"In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is presented with a bass ." "In the 2014 film "" Get On Up "" , a biography of Josh Hopkins portrayed by James Brown , Bass is produced by Bryan Grazer and Mick Jagger ." 0 +In US the film earned $ 360,000 , UK -- $ 157,000 , Mid-East -- $ 300,000 and Australia -- NZ -- $ 150,000 . In the USA , the film earned 360,000 US dollars , UK -- 157,000 , Mid-East -- 300,000 and Australia -- NZ -- 150,000 . 1 +She left the remaining years of the lease of her house in Soper Lane to Warcop . She bequeathed the remaining years of the lease of her house in Warcop to Soper Lane . 0 +Despite the general success of the limited attack the battalion lost nearly half its strength . Despite the general success of the limited attack , the battalion lost nearly its half force . 1 +Similarly , with the real evaluation formula 26 , an agent prefers to lie weakly and declare Formula 26 than to declare Formula 24 ; Similarly , an agent with real valuation formula _ 26 weakly prefers to lie and declare formula _ 26 than to declare formula _ 24 ; hence : 1 +Later he joined the Calcutta Football League and played in Kolkata - Klub United SC . Later he joined the Outfit United SC in Kolkata and played in the Calcutta Football League . 0 +Guðmundur Ívarsson Guðmundsson replaced Emil Jónsson as Foreign Minister . Guðmundur Ívarsson Guðmundsson replaced Emil Jónsson as Minister for Foreign Affairs . 1 +"The Vadakalai sect are also referred to as the "" southern "" culture or school , and the Thenkalai sect are the "" northern "" variant ." "The Vadakalai - Sects are also referred to as the "" northern "" culture or school , and the Thenkalai - Sect are the "" southern "" variant ." 0 +The attempt has been made to explain the Biblical Nazarites as forerunners of monastic orders addicted to the practice of ascetic discipline . The attempt has been made to explain the monastic Nazarites as precursors of the biblical orders addicted to the practice of ascetic discipline . 0 +Later , a CPI ( Parliamentary Inquiry Commission ) was installed in the City Council of the City of Rio de Janeiro . Later , a CPI ( Parliamentary Commission of Inquiry ) was installed in the City Council of city of Rio de Janeiro . 1 +Anadasmus endochra is a moth of the Depressariidae family . It is found in Amazonas ( Brazil ) . Anadasmus endochra is a moth from the family of Depressariidae , which is found in Brazil ( Amazonas ) . 1 +Design by Jeff Grubb with Andria Hayday , a cover by Jeff Easley and illustrations by Karl Waller . Design was by Jeff Grubb with Andria Hayday , a cover by Karl Waller , and illustrations by Jeff Easley . 0 +They are patrilineal and were in several areas organized into small chiefdoms . They are patrilineal and were organized into small chieftains in several areas . 1 +Maureen McAleenan ( 0 -- 7 ) and Nuala McGee ( 1 -- 2 ) for Leitrim . Nuala McGee ( 0 -- 7 ) and Maureen McAleenan ( 1 -- 2 ) got for Leitrim . 0 +He quoted influences such as Skrillex , Reso , Rusko and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . Zomboy cites influences such as Skrillex , Reso , Rusko and Bare Noize . He studied Music Production at the Academy of Contemporary Music in Guildford . 1 +Djokovic has more ATP points that Roger Federer No . 2 and Andy Murray No . 3 combined . Djokovic has combined more ATP points than Andy Murray No . 2 and Roger Federer No . 3 . 0 +"On October 31 , 1846 , Duke of Roxburgh "" again sailed from Port Phillip and reached Gravesend on March 7 , 1847 ." "On 31 October 1846 , the "" Duke of Roxburgh "" sailed again from Gravesend and arrived in Port Phillip on 7 March 1847 ." 0 +From behind bars , Erica finds out Dimitri is not Maddie 's father and helps Edmund reunite with his daughter . From behind bars Dimitri finds out that Maddie is not Erica 's father and helps Edmund come back with his daughter . 0 +In Laurens , New York , the Otego Creek flows to the Wharton Creek . The Otego Creek flows into the Wharton Creek in Laurens , New York . 1 +After the constitution of the United States was adopted in 1789 , the US was ratified by Bill of Rights in 1791 . After the Constitution of the United States was ratified in 1789 , the United States Bill of Rights was adopted in 1791 . 0 +The fortress was besieged again from 22 December 1813 until 14 April 1814 by French troops under the command of General Zoller before the Bavarian garrison surrendered . From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by French troops under the command of General Zoller , before the Bavarian garrison capitulated . 1 +It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , for the first time it was shown in Borneo . It was shown at the Borneo Eco Film Festival on September 30 , 2012 , when it was first premiered in Borneo . 0 +He met with a group of Europe 's most influential musicians to discuss a school based on the Conservatories of Boston . He met with a group of Boston 's most influential musical leaders to discuss a school based on the conservatories of Europe . 0 +At the time , Meacham was president , and his administration knew that Andrew Johnson did not support him . At the time , Meacham was president , and his administration learned that Andrew Johnson did not support him . 1 +The palpi , head and thorax are white and the shoulders yellowish . Palpi , head and thorax are yellowish and the shoulders are white . 0 +About 1838 , Stephenson returned to Manchester and established himself as an historical and landscape engraver in St. Ann Street , and then in a studio in Ridgefield . In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then at a studio in Ridgefield . 1 +In the United States , systems of proportional representation , especially above the local level , are unusual and are completely absent at the national level . In the United States , systems of proportional representation are uncommon , especially above the national level , and are entirely absent at the local level . 0 +"Machiavelli divides the theme of mixed states into two types , "" new "" cases and "" purely new "" states ." "Machiavelli divides the subject of new states into two types , "" mixed "" cases and purely new states ." 0 +The Hudsonian whiteface is found in an area stretching from Alaska to Labrador and from the Hudson bay to northern West Virginia . Hudsonian Whiteface is found in an area stretching from West Virginia to Labrador and from Hudson Bay to North Alaska . 0 +The crate he used was large and not very deceptive , and instead of an attractive woman he employed a page as an assistant . The box he used was large and not very deceptive and instead of an attractive woman he employed a bellboy as an assistant . 1 +Roger Kirk was born in Norfolk and brought up and trained in East London . Roger Kirk was born in East London and brought up in Norfolk and educated . 0 +"The school 's motto "" Incepto ne Desistam "" means "" May I not Shrink from my Purpose "" or more colloquially , "" stay the course . """ "The motto of the school "" Incepto ne Desistam "" means "" May I not shrink from my purpose "" or more colloquially , "" stay the course ." 1 +After the separation of their previous volume , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . After the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of forming a new band with Brendan Benham . 0 +""" A. frondiculus "" is the only member of the genus that is not present in the western Indian Ocean or the Red Sea ." """ A. frondiculus "" is the only member of the genus which is not found in the western Red Sea or the Indian Ocean ." 0 +Examples of ceramics include white porcelain or white porcelain , which is decorated with cobalt , copper red underglaze , blue underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain , decorated with cobalt , copper blue underglaze , red underglaze and iron glaze . 0 +The tournament was re-organized in San Francisco in 2006 , where it was resumed for two years . The tournament was resumed in San Francisco in 2006 , where it was organized for two years . 0 +There are three secondary schools in Caringbah and a number of elementary schools . There are three primary schools and a number of secondary schools in Caringbah . 0 +The school was founded in Australia and then pioneered in Ireland in 1903 . The school was founded in Ireland and was pioneered in 1903 in Australia . 0 +""" Sidewalk "" magazine helped to spawn the careers of characters such is Brian Sumner , Benny Fairfax , Olly Todd , John Rattray , Stuart Graham and more ." """ Sidewalk "" magazine helped to create the careers of characters such as Olly Todd , John Rattray , Stuart Graham , Benny Fairfax , Brian Sumner and more ." 1 +"Because DFAs can be reduced to "" canonical form "" ( efficient DFAs ) , there are also minimal algorithms to determine :" "Because DFAs can be reduced to a "" canonical form "" ( efficient DFAs ) , there are also minimal algorithms to determine :" 1 +Egremont is south-southwest of Pittsfield , west of Springfield , west of Boston , and southeast of Albany , New York . Egremont is south west of Pittsfield , west of Springfield , west of Boston and southeast of Albany , New York . 1 +Spectral bands are part of optical spectra of polyatomic systems , including condensed materials , large molecules , etc . Spectral bands are part of the optical spectra of multi-atomic systems , including condensed materials , large molecules , etc . 1 +In some cases , the pain , or at least the discomfort , is insignificant or rather subordinate to humiliation . In some cases , pain or at least discomfort is insignificant or rather secondary to the humiliation . 1 +The Mach number is used to evaluate whether the incompressibility can be included , otherwise the effects of compressibility must be accepted . The Mach number is used to evaluate whether the incompressibility can be included , otherwise the effects of compressibility must be assumed . 1 +A manual for teachers in the first year includes the National Pig Day as a seasonal activity and recommends cooking bacon , making BLTs and discussing where pork chops come from . A handbook for first year teachers includes National Pig Day as a seasonal activity and recommends cooking bacon , making BLTs , and discussing where pork chops come from . 1 +This story is about a ghostly double - Hemutiu , which is called Senu and his young red . This story is about a young hemutiu called Senu and his ghostly double Red . 0 +Lombardo left the band due to an elbow injury and was replaced by former Bostaph member . Bostaph left the band due to an elbow injury and was replaced by former member Lombardo . 0 +Charles Wilson Hursthouse married Ellen Humphries . Charles Wilson Hursthouse married to Ellen Humphries . 1 +The term Siyin is official , however , and Sizang is local terminology The name Siyin is local , however , and Sizang is official terminology . 0 +On 29 March 2013 , Lancina Cotonsport Garoua signed the contract from Bulgaria and left PFC Lokomotiv Sofia for Kamerun A Grupa side . On 29 March 2013 , Lancina signed Cotonsport Garoua from Bulgaria and left for Cameroon A Grupa side PFC Lokomotiv Sofia . 0 +"Victoria S. Bull ( "" Vicki "" ) was introduced in 2001 as Victor 'apos ; s sister , but has not been seen for many years ." "Victoria S. Bull ( "" Vicki "" ) was introduced as Victor 's sister in 2001 , but has not been seen for many years ." 1 +Cedarbrae Mall is a shopping mall in the Toronto , Ontario , Canada area of Scarborough located at the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre located in the area of Toronto , Ontario , Canada of Scarborough on the corner of Markham Road and Lawrence Avenue East . 1 +The IAA again became active in Liberal politics when the federal government released its White Paper Policy in 1969 . The IAA became active again in liberal politics when the Federal Government published its White Paper policy in 1969 . 1 +In the 1970s , a new professional studio facility , new equipment ( 1974 ) and the entrance of Diego León Rábago were opened as a director in 1970 . The 1970s saw a new professional studio facility in 1970 , new equipment ( in 1974 ) and the entrance of Diego León Rábago as director . 1 +In 1990 , Maxtor bought the hard drive manufacturer MiniScribe . In 1990 , MiniScribe bought the hard drive manufacturer Maxtor . 0 +The wooden vault of the roof is visible in the choir and in the right transept , while the rest of the church has a stone roof . The groined vaulting of the roof is visible in the choir and the right transept , while the rest of the church has a wooden roof . 0 +The team added a second car to Richard Göransson in 2006 and was replaced in 2009 by Thed Björk . The team added a second car for Thed Bjork in 2006 and was replaced in 2009 by Richard Göransson . 0 +WORHP , also referred to as eNLP ( European NLP solver ) by ESA , is a nonlinear software library for solving continuous large scale mathematical optimization problems numerically . WORHP , also referred to as eNLP ( European NLP Solver ) , is a mathematical software library for numerically solving continuous , nonlinear optimization problems on a large scale . 0 +He moved to Morocco 1239 / 40 ( after the fall of Valencia in 1238 ) and continued to work for the sultan there . He moved to Valencia in 1239/40 ( after the fall of Morocco in 1238 ) and continued to work for the sultan there . 0 +The parents of Steve Steve DeBauche are Jean and Brent DeBauche from Suamico , WI and has two younger brothers , Brad and Ken . The parents of Jean Ken are Jean and Steve DeBauche from Suamico , WI and has two younger brothers , Brad and Brent DeBauche . 0 +It has been effectively drunk in the brewer 's house , which then becomes a pub until all the beer is sold . It has effectively been drunk in the brewer 's house , which then becomes a pub until all the beer is sold . 1 +The scenes in the marshes were also shot in Gillingham , at Riverside Country Park in Kent . The scenes in the marshes were also shot in Gillingham at the Riverside Country Park in Kent . 1 +She is the wife of Predrag Å ariè and mother of Dario and Dana Å ariÄ . She is the wife of Dana Å ariÅ and mother of Dario and Predrag Å ariÄ . 0 +Music was written by Vedha and lyrics were composed by Kannadasan . The music was written by Vedha and the lyrics by Kannadasan were composed . 1 +Elsinboro Township borders with the Lower Alloways Creek Township , Pennsville Township and Salem . Elsinboro Township borders Lower Alloways Creek Township , Pennsville Township and Salem . 1 +He is trained by Daniel Jacobs and together with former World Champion Andre Rozier shares a gymnasium . He is trained by Daniel Jacobs and shares a gym with former world champion Andre Rozier . 1 +She was born in Mississippi , but grew up in Flint , Michigan . Born in Mississippi , she grew up in Flint , Michigan . 1 +With a strong start to the season and the new Arise Racing team , which brought new cars and new competition to the series , it brought 3 great races . With a strong start to the season and the new Arise Racing team , which brought new cars and great competition to the series , it brought three new races . 0 +He does , and then decides at home that he looks bad . He does , then at home decides he looks bad . 1 +"In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain in the ABC – Soap "" One Life to Live "" ." "Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in the ABC - Soap "" One Life to Live "" 2007 ." 0 +"Chris booker also hosts the podcast "" Justin is married , Booker is single "" with comedian Justin Worsham ." "The Justin Booker also hosts the podcast "" Chris is married , Booker is single "" with the comedian Justin Worsham ." 0 +In October 1930 , Barnard planned to accompany Charles Kingsford Smith on a record flight to Australia , but Kingsford Smith made it a solo flight . In October 1930 , Kingsford Smith planned to join Charles Kingsford Smith on a record breaking flight to Australia , but Barnard made it a solo flight . 0 +Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in Texas House of Representatives since January 2013 . Republican Drew Springer , Jr. , a businessman from Muenster in Cooke County , has since January 2013 represented Young County in the Texas House of Representatives . 0 +One of these two was seriously cognitively impaired and physically disabled . Of these two , one was severely cognitively impaired and physically disabled . 1 +Since 2008 , Hoyer has been touring Canada several times , once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . Hoyer has toured Canada several times since 2008 , including once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . 1 +Kattoor is located 5 km west of Kozhencherry and 9 km east of Ranni town . Kattoor is situated 5 km west of Kozhencherry town and 9 km east of Ranni town . 1 +Gordon Watkins was a professional American football player who played offensive lineman for two seasons for the Minneapolis Red Jackets , Frankford Yellow Jackets , and Brooklyn Dodgers . Gordon Watkins was an American football player who played Offensive Lineman for the Minneapolis Red Jackets , Frankford Yellow Jackets and Brooklyn Dodgers for two years . 1 +"The spacecraft is the second application of the "" Flexbus "" platform by Astrium , GRACE was the first ." "The spacecraft is the first application of Astrium 's "" Flexbus "" platform ; GRACE was the second ." 0 +Sexson recently lived in Bend , Oregon with his wife Kerry . Since 2014 , he has been a baseball coach at Summit High School in Ridgefield , Washington . Most recently , Sexson lived with his wife Kerry in Bend , Oregon , and has been a baseball trainer at Summit High School in Ridgefield , Washington since 2014 . 1 +"In his retirement , Macdonald compiled the "" MacDonald dictionary of Canterbury biographies "" , a collection of 12,000 biographies held by the Canterbury Museum ." "In his retirement , Macdonald wrote the "" MacDonald dictionary of Canterbury - Biographies "" , a collection of 12,000 biographies run by the Canterbury Museum ." 1 +Assuming that the causal relationships are linear , this background knowledge can be expressed in the following structural equation model ( SEM ) specification . Assuming that the structural relationships are causal , this background knowledge can be expressed in the following specification for the linear equation model ( SEM ) . 0 +Following the Allied victory in May 1945 , the Soviets occupied Central and Western Europe , while strong US remained American and Western allies in Eastern Europe . Following the Allied victory in May 1945 , the Soviets occupied Central and Eastern Europe , while strong US and Western allies remained in Western Europe . 0 +Easton forms the northeastern corner of Bristol County , where the county cuts with Plymouth County to the east and Norfolk County to the north . Easton forms the northeastern corner of Bristol County , where the county intersects with Norfolk County to the east and Plymouth County to the north . 0 +According to Smith , the Aaronic Priesthood was reproduced to him and Oliver Cowdery somewhere in the woods near the house on May 15 , 1829 . According to Oliver Cowdery , the Aaronic priesthood was restored to him and Smith on May 15 , 1829 , somewhere in the woods near the home . 0 +Various high-ranking positions were occupied at Yukos Oil Company and its subsidiary , the Menatep Group . Nevzlin occupied various high-ranking positions at Yukos Oil Company and its subsidiary , the Group Menatep . 1 +The Sitna River is a tributary of the River Urechioiu in Romania . The river Urechioiu is a tributary of the River Sitna in Romania . 0 +Brigadier General Thaddeus Kosciuszko is a bronze statue by Antoni Popiel . General Brigadier Thaddeus Kosciuszko is a bronze sculpture by Antoni Popiel . 1 +Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of established character Tiger Dyke from his hometown . Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of the established character Tiger Dyke from his hometown . 1 +Players pick a server , and then choose from six classes of either the evil team or the good team . Players choose a server and then select from six classes of the good team or the evil team . 1 +A road was built by the government from Rotorua to Ruatahuna in 1901 to end the isolation of Tūhoe by opening up the first motor road . A road was built by the government in 1901 from Rotorua to Ruatahuna to end the isolation of Tūhoe by opening the first motorway . 1 +Djan Faridz ( born in Indonesia on 5 August , 1950 ) was once a Minister of Public Housing of Jakarta and owner of PT Dizamatra Powerindo . Djan Faridz ( born August 5 , 1950 in Indonesia ) was a Minister of Public Housing in Jakarta and owner of PT Dizamatra Powerindo . 1 +A section of the route remains in place and is also known as the Phoenixville Industrial Track ( currently owned by NS ) . A section of the route remains in place and is currently known as the Phoenixville Industrial Track ( also owned by NS ) . 0 +Most of the existing larger building societies are the end result of the mergers of many smaller societies . Most of the existing larger building societies are the end result of the merger of many smaller societies . 1 +It was first recorded in November 1961 by Allen Toussaint , and produced by Irma Thomas . It was initially recorded by Allen Toussaint in November 1961 and produced by Irma Thomas . 1 +Although the ruins were discovered in 1888 by Samuel Alejandro Lafone Quevedo , they were first examined in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were examined in 1888 by Samuel Alejandro Lafone Quevedo , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +The original 159 Squadron was to be disbanded during the First World War , but the idea was formed so that reinforcements could be sent to France . The original squadron 159 was to be dissolved during the First World War , but the idea was formed so that strengthening could be sent to France . 1 +"He was asked his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." "He was asked for his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." 1 +This is lower than most opera basses to sound , and tend to venture as if they were in the cellar when they arrive there . This is lower than most opera basses care to venture , and they tend to sound as if they were in the cellar when they get there . 0 +The building is currently managed by Ellicott Development Co. , founded by Carl Paladino and owned by the company . The building is currently managed by Ellicott Development Co. , the company founded and owned by Carl Paladino . 0 +He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy for six years in a row from 2001 to 2006 . Living in Italy for ten years , he won The Bardolino classic race in Turin , Italy for six years in a row , from 2001 to 2006 . 0 +Hugo Käch died on 31 December 2003 in Schaffhausen , near Switzerland ( Flurlingen ) . Hugo Käch died on 31 December 2003 in Flurlingen near Schaffhausen . 0 +The Botizu River is a tributary of the Scridoasa River in Romania . The Botizu River is the tributary of the Scridoasa River in Romania . 1 +Born in Bradford , Chapman performed for Frickley Athletic , Torquay United , Notts County , Mansfield , Exeter City , Bradford City , Darlington and Emley . Born in Bradford , Chapman played for Frickley Athletic , Torquay United , Notts County , Mansfield Town , Exeter City , Bradford City , Darlington and Emley . 1 +ABC stopped airing the series after the first episode of the sixth season . ABC stopped ventilating the series after the sixth episode of the first season . 0 +Danelli met Eddie Brigati ( a pickup singer on the local R & B circuit ) , and Felix Cavaliere ( a classically trained pianist ) in 1963 . In 1963 , he met Felix Cavaliere ( a singer on the local R & amp ; B circuit ) and Eddie Brigati ( a classically trained pianist ) . 0 +The planned electrification of the Manchester to Blackpool North route was announced in December 2009 . The planned electrification of the Manchester route to Blackpool Nord was announced in December 2009 . 1 +He left Loughrea , County Galway after ordination for the Diocese of Clonfert in 1895 , and was appointed as a Roman Catholic priest to Maynooth between 1896 and 1904 . He left Maynooth after consecrating the Diocese of Clonfert in 1895 and was appointed Roman - Catholic priest between 1896 and 1904 to Loughrea , County Galway . 0 +The first stamps used in Tunisia were those of the colonial power France of 1888 . Stamps specifically issued for Tunisia were issued from 1 July 1888 . The first stamps issued in Tunisia were those of the colonial power , France , from 1888 . Stamps specifically for Tunisia were used from 1 July , 1888 . 0 +"At BHCC , Phillips Brooks preached his last sermon and his Christmas Carol "" O Little Town of Bethlehem "" had its first performance ." "Phillips Brooks preached its last sermon at BHCC and its Christmas song "" O Little Town of Bethlehem "" had its first performance ." 1 +When Stokes retired in 1967 , the administration was reorganized , and Robin Hunter became Medical Director and Psychiatrist-in-Chief . When Robin Hunter retired in 1967 , the administration was reorganized and Stokes became medical director and psychiatrist - Chief . 0 +PTAs were restored by the Local Government Act of 1985 , when the Metropolitan County Councils were abolished . PTAs were recreated by the Local Government Act 1985 when the metropolitan county councils were abolished . 1 +Trenton is southeast of Bordentown and northeast of Philadelphia . Trenton is located southeast of Bordentown and northeast of Philadelphia . 1 +For the 1951 season , the circuit with the Arizona -- Texas League merged to form the Southwest International League . For the 1951 season , the circuit with the Arizona - Southwest International League merged to form the Texas League . 0 +The new vice rector Jürgen Willer was elected as former rector of Danube University Krems . The new vice rector Jürgen Willer was elected as former rector of the Danube University Krems . 1 +If a test function formula 2 is used to obtain the weak form , the final Galerkin formulation is indicated after integration by parts as follows : If a test function formula 2 is used to obtain the final form , the weak Galerkin formulation is given after integration of parts as follows : 0 +Examples of such factors include rape , fraternization , public sexual behavior , or any other factors that would adversely affect good order and discipline . Examples of such factors include rape , fraternization , public sexual behavior , or other factors that would adversely affect good order and discipline . 1 +Scraper was a hardcore punk band from the West Midlands of the United Kingdom . Scraper was a hardcore punk volume from the West Midlands of the United Kingdom . 1 +The polychrome mosaics of the villa are geometric designs , stylistically close to North African mosaics , and damaged areas indicate that figures were also included . The polychrome mosaics of the villa are geometric designs , stylistically close to North African mosaics , and damaged areas suggest figures were also included . 1 +Ali Sarı is currently living in Konya for his university education with his two brothers , and is trained by Ekrem Boyalı . Ekrem Boyalı is currently living in Konya for his university education with his two brothers , which are trained by Ali Sarı . 0 +The manga series was written by Yukimaru Katsura and was illustrated by Satoru Akahori . The manga series was written by Satoru Akahori and represented by Yukimaru Katsura . 0 +In 1883 , the first schools were built in the vicinity for 400 white and 60 black students . In 1883 , the first schools in the area were built for 400 black students and 60 white students . 0 +There are shorts in the Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is much more prominent in Scotland than in Ireland . There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Scotland than in Ireland . 1 +After trepales in Italy and Juf in Switzerland it is the third highest village in Europe . It is the third highest village in Europe , after Trepalle in Italy and Juf in Switzerland . 1 +The most other common countries of birth were China 14.7 % , Nepal 7.0 % , India 5.1 % , Philippines 2.6 % and England 1.9 % . Most of the other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % , and Britain 1.9 % . 1 +Born in Nanjing , he attended the engineering school in Nanhui and spent one year at the University of California . Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California . 0 +"that was updated in February 2011 . Each report contains data for the previous completed school year. """ Each report , which was completed in February 2011 , contains data for the updated school year . 0 +Constantine Giannaris ( born 1959 in Athens , Constantines Giannaris ) is a Greek film director , screenwriter and actor . Constantine Giannaris ( born 1959 in Athens ) is a Greek film director , screenwriter , and actor . 1 +In 2010 he won the 17th place in the 2nd Ukrainian Team Chess Championship with the Rivne Forest Bisons team . "In 2010 he won 17th place in 2nd Ukrainian Team Chess Championship with team "" Rivne Forest Bisons "" ." 1 +Muckalt Tanner Kero , the 2014-15 WCHA player of the year training with the Chicago Blackhawks , signed with Michigan Tech . With Michigan Tech , Muckalt coached Tanner Kero , the 2014-15 WCHA Player of the Year , who signed with the Chicago Blackhawks . 0 +It was released as a digital download on April 6 , 2010 , and was added on Modern Rock radio in the United States on May 5 , 2010 . It was added on 6 April 2010 as a digital download and published on May 5 , 2010 by Modern Rock radio in the United States . 0 +Johnnie Penrose , a wealthy son of a rich and pampered doctor , joins a gang of car thieves in France after being denied a car by his father . A rich and spoiled doctor 's wealthy son , Johnnie Penrose joins a gang of car thieves in France after being denied a car by his father . 1 +In biology , biological specificity is the tendency of a characteristic , such as behavior or biochemical variation , in a particular way to occur . In biology , biochemical specificity is the tendency of a characteristic , such as a behavior or a biological variation to occur in a particular species . 0 +Christine was hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . 0 +"The Active pattern "" aphel "" is verbal Causative ." "The active pattern "" aphel "" is causative verbal ." 1 +In its upper reaches in the red hills of the Piedmont , it flows through a deeply incised canal etched into crystalline rocks . In its upper reaches in the crystalline hills of the Piedmont , it flows through a deeply incised channel etched into red rocks . 0 +"Other works of Benjamin Hallowell in Washington , D.C. , include sculptures by Bailly and Alexander "" Boss "" Shepherd ." "Benjamin Hallowell 's other works in Washington , D.C. include sculptures of Bailly and Alexander "" Boss "" Shepherd ." 1 +In 1936 , the Works Progress Administration of the Federal Theatre Project put unemployed theatre performers and employees to work . The Works Progress Administration of the Federal Theatre Project used unemployed theatre performers and employees to work in 1936 . 1 +Many central government agencies are located in the city of Taipei , because of its proximity to the capital , New Taipei City . Many agencies of the central government are located in New Taipei City due to its proximity to the capital Taipei City . 0 +She left Sydney on 1 January 1829 for London via Madras . She left Sydney on 1 January 1829 via Madras to London . 1 +The same year , he was appointed Vicar General for the Quebec region of the Diocese of Mississippi and Illinois . In the same year , he was appointed General Vicar for the Mississippi and Illinois region of Quebec Diocese . 0 +Chinese dumplings were influenced by Indonesian immigrants and brought to Indonesia . Indonesian dumplings were influenced by Chinese immigrants and brought to Indonesia . 0 +""" Life Line "" is the 24th episode from the of "" , the 144th episode overall ." """ Life Line "" is the 144th episode from the 24th episode of the series ." 0 +Produced was directed by Cameron Crain , Richard Shelgren and Kamala Lopez and Kamala Lopez . Kamala Lopez directed and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . 0 +During the Vietnam War , the 104th field battery also served with the 12th field regiment , which was also assigned to the 161th field battery RNZA . During the Vietnam War , the 12th field battery also served the 104th field regiment -- which was also connected to the 161th field battery RNZA . 0 +He originally played with HC Spartak Moscow in KHL during the 2010 season -- 11 Continental Hockey League . He originally played with HC Spartak Moscow in the Continental Hockey League during the season 2010 -- 11 KHL . 1 +For almost two years , Pablo Neruda was Adoum 's personal secretary in Chile . Pablo Neruda was Adoum 's personal secretary for nearly two years in Chile . 1 +There are two important special cases : ( i ) a simple closed chain and ( ii ) a simple chain open . There are two important special cases : ( i ) a simple open chain , and ( ii ) a simple closed chain . 1 +In 2014 , Sarah Potts will join the World Curling Tour for her first season with new teammates Lilly , Oye-Sem Won Briand and Tirzah Keffer . In 2014 , Lilly will visit the World Curling Tour for her first season with the new teammates Sarah Potts , Oye-Sem Won Briand and Tirzah Keffer . 0 +He was the first sculler to ever win the Diamond Challenge Sculls at Henley Royal Regatta and also the first provincial to win the Wingfield Sculls . He was the first sculler in the province ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first to win the Wingfield Sculls . 0 +The proposed routes are to be built mostly on underground rails , with elevated routes and extensions to follow in future phases . The proposed routes are largely to be built on increased rails , with underground routes and extensions to follow in future phases . 0 +Along the coast there are almost 2,000 islands , about three quarters of which are uninhabited . There are approximately 2,000 islands along the coastline , almost three quarters of which are uninhabited . 1 +He also worked as a translator for Swedish media journalists and as national newspaper . He also worked as translator for national media journalists and a Swedish newspaper . 0 +It has a plant and four factories in New York City , and a subsidiary in Bangladesh . It has a plant and four factories in Bangladesh , and a branch office in New York City . 0 +"It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on 10 January 2006 ." "It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on January 10 , 2006 ." 1 +"The sophisticated systems at large airports consist of two different radar systems , the "" primary "" and the "" secondary "" surveillance radar ." "The sophisticated systems at large airports consist of two different radar systems , the "" primary "" and "" secondary "" surveillance radar ." 1 +In February 2016 , it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich as President . In February 2016 , it was announced that John Kasich Governor Kasich of Ohio joined National Co Chairman and California State Chairman for Steve Poizner as President . 0 +From 1990 to 1992 , White had the same positions at Division I-A ( now Division I FBS ) Pacific under Walt Harris . From 1990 to 1992 , Walt Harris had the same positions at Division I - A ( now Division I FBS ) Pacific under White . 0 +The fortress was once again besieged by Bavarian troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the French garrison capitulated . The fortress was besieged again from 22 December 1813 until 14 April 1814 by Bavarian troops under the command of General Zoller before the French garrison surrendered . 1 +In the early days , many wheelchair basketball players saw participation in individual wheelchair sports as complementary training for their primary interest in basketball . In the early days , many wheelchair basketball players saw the participation in supplementary wheelchair sports as a basic training for their individual interest in basketball . 0 +Thomas Edward Donne ( 1860 -- 1945 ) was a New Zealand civil servant , writer , fine hunter and collector of Maori - antiquities and New Zealand leisure art . Thomas Edward Donne ( 1860 -- 1945 ) was a New Zealand civil servant , author , recreational hunter and collector of Maori antiquities and New Zealand fine art . 0 +Italy is a national park in the northeast of the national park Stelvio , founded in 1935 . Stelvio National Park ( ; ) is a national park in the north-east of Italy , founded in 1935 . 0 +Jarvis Bay is a summer village in Alberta , Canada . It is located on the eastern shore of Jarvis Bay Provincial Park south of Sylvan Lake . Jarvis Bay is a summer village in Alberta , Canada , located on the eastern shore of Sylvan Lake south of Jarvis Bay Provincial Park . 0 +He worked as a translator and teacher in Europe for most of the four years he was in school there and then worked in Costa Rica for one year . He worked as a translator and teacher in Europe for most of the four years he was in school , and then he worked for a year in Costa Rica . 1 +Bill Scanlon defeated Wally Masur 6 -- 4 , 7 -- 6 to secure the title . Wally Masur defeated Bill Scanlon with 6 -- 4 , 7 -- 6 to secure the title . 0 +The diet - Pepsi is a cool , rich and fresh silver color and represents “ grey ” . "The Diet Pepsi is a grey silver color and represents "" cool , rich , and fresh "" ." 0 +Archdale is a residential area in the Starmount ( South Boulevard near Arrowood and South Charlotte ) . Archdale is a residential neighborhood in the Starmount ( South Boulevard at Arrowood and South Charlotte ) area . 1 +This scene was cut even though its opening recitative was present in rewritten form in the first production . This scene was rewritten , although its opening recitative in cut form was present in the first production . 0 +Anthony Calvillo completed 22 of 32 pass attempts for 301 yards . Ricky Ray was 22 for 37 for 371 yards . Ricky Ray completed 22 of 32 pass tests for 301 Yards Anthony Calvillo was 22 for 37 for 371 yards . 0 +Before Pang Tong arrived , Zhang ordered Fei , who knew that Zhang Fei loved wine , that the wine should be diluted with water . Before Zhang Fei arrived , Pang Tong , who knew that Zhang Fei loved wine , ordered that every wine should be diluted with water . 0 +He was born in Canada and died in Canada ’ s Ontario . He was born in Canada and died in Ontario , Canada . 1 +"From 2015 , Brown appears as a political commentator on "" The Verdict "" of Channel 9 with Karl Stefanovic ." "From 2015 , Brown appears as a political commentator on Channel 9 's "" The Verdict "" with Karl Stefanovic ." 1 +Then he returned to the Auckland Rugby League competition and played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . He also returned to the Auckland Rugby League contest and then played for the Auckland Lions at the Bartercard Cup Level before being contracted by the New Zealand Warriors . 0 +In 1999 , non-clinical research and clinical development become a global organization within Johnson & Johnson . In 1999 , non-clinical research and clinical development became a global organization within Johnson 'Johnson . 1 +Lucas , Lyon , and Senn were replaced by Erin Kaplan and Roxy Olin beginning in the second half of the first season . Starting in the second half of the first season , Erin Kaplan and Roxy Olin were replaced by Lyon , Lyon and Senn . 0 +Initially , Drummond worked hard to build his farm , but increasingly it was later taken over by his sons Thomas and James . Initially Drummond worked hard to establish his farm , but later this was increasingly taken over by his sons Thomas and James . 0 +The reserve is located in Central Alberta , near Wetaskiwin and south of Maskwacis . The reserve is located in the central - Alberta , near Maskwacis and south of Wetaskiwin . 0 +Darrell Fetty first married Carolyne McCoy , a descendant of the famous families ( her mother was a Hatfield , her father a McCoy ) . Darrell Fetty first married Carolyne McCoy , who is a descendant of the famous feuding families ( her mother was a Hatfield , her father a McCoy ) . 1 +The construction of a seed length of Formula 32 , which is constant up to optimal factors . The construction of a seed length of Formula 32 , which is optimal to constant factors . 0 +Thus , the white drops on a red field are an allusion to his name and his ancestry . Thus , the red drops on a white field are an allusion to both his name and his ancestry . 0 +It was shot on the set of Jesus Franco 's count Dracula , and also Christopher Lee as Dracula and Herbert Lom as Van Helsing . It was shot on the set of Herbert Lom 's Count Dracula , and also stars Jesus Franco as Dracula and Christopher Lee as Van Helsing . 0 +Walnut Hill was also on the Goshen Road , an early road across Illinois , from Glen Carbon to the Goshen Settlement near Shawneetown . Walnut Hill was also on the Goshen Road , an early road through Illinois , from Glen Carbon to the Goshen Settlement near Shawneetown . 1 +The 2014 -- 15 Idaho State Bengals men 's basketball team represented Idaho State University during the 2014 -- 15 NCAA Division I men 's basketball season . The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengals during the 2014 Basketball season -- 15 NCAA Division I mens . 0 +Serkan Yalçın ( born 2 November 1982 ) is a Turkish professional footballer who plays as a defender for Akhisar Belediyespor in the TFF First League . Serkan Yalçan ( born November 2 , 1982 ) is a Turkish professional footballer who plays in the TFF First League as a defender of Akhisar Belediyespor . 1 +The season 1995 -- 96 Bayern Munich was their 31st season of existence and the 95th Bundesliga season . The 1995 -- 96 Bayern Munich season was their 31st season of existence and 95th Bundesliga season . 1 +"Other critics called his style "" , "" uneven "" , "" careless "" , "" clumsy "" , and "" vulgar "" ." "Other critics called his style "" clumsy , "" uneven , "" careless , "" awkward , "" and "" vulgar . """ 1 +"The series was strongly profiled in the Christian - fundamentalist documentary "" Deception of a generation "" as an example of occult influences on children 's entertainment ." "The series was heavily profiled in the Christian fundamentalist documentary "" Deception of a Generation "" as an example of occult influences on children 's entertainment ." 1 +On 7 September 2011 , the Blue House officially scrapped plans for a rich tax deduction , marking the fundamental end of Mbnomics . On 7 September 2011 , the Blue House officially scrapped plans for a rich tax deduction , marking the foundational end of Mbnomics . 1 +The series was written by Ed Brubaker , illustrated by Bryan Hitch and colorized by Butch Guice . The series was inked by Ed Brubaker , written by Butch Guice , and illustrated by Bryan Hitch . 0 +"24 May 1939 , the division "" Sila "" was renamed "" Brescia "" and received a normal artillery regiment instead of 1st mobile infantry artillery regiment ." "May 1939 the division "" Sila "" in "" Brescia "" was renamed and received a 1st mobile artillery - regiment instead of normal infantry - artillery - regiments ." 0 +He grew up surrounded by traditional and eastern Jewish music that influenced his later compositions . He grew up surrounded by traditional and East-Mediterranean Jewish music that influenced his later compositions . 1 +CTVglobemedia acquired the CFXJ-FM station in Toronto in 2010 from Milestone Radio . CTVglobemedia acquired Toronto station CFXJ-FM from Milestone Radio in 2010 . 1 +3200m races run on the outer oval first , then the inner oval . First run 3200 races on the inner oval , then the outer oval . 0 +Berkarat ( formerly Romanized as Berk ’ arrat , Berqarat , and Berkarrat ; also , Akhula ) is a town in the Aragatsotn Province of Armenia . Berkarat ( formerly known as Berk 'Arrat , Berqarat and Berkarrat ; also Akhula Romanized ) is a town in the aragatsotn province of Armenia . 1 +"The "" create "" command is used to establish a new database , table , index , or stored procedure ." "The command "" create "" is used to create a new database , table , new index , or stored procedure ." 0 +"Bowerman ( 1944 ) shows the street as "" Livermore Road "" , according to the historian Annie Homan ." "Bowerman ( 1944 ) shows the road as the "" Livermore Road "" , according to historian Annie Homan ." 1 +The sinus anal is very shallow . The shallow sinus is very anal . 0 +The hamlet is within the Richmond ; the Swaledale ward of Richmondshire District Council and the Upper Dales Electoral Division of North Yorkshire County Council . The hamlet is within the Richmond , the Swaledale Ward of the Richmondshire District Council and the Upper Dales district of North Yorkshire County Council . 1 +His mother , born in Devonshire , was the tenth child of parents who emigrated to Canada from Kingston . His mother , born in Kingston , was the tenth child of parents emigrating from Devonshire to Canada . 0 +"In September 2014 Peter Sculthorpe published the album "" Tamara Anna Cislowska -- Complete works for solo - piano "" ." "Peter Sculthorpe released the album "" Tamara Anna Cislowska -- Complete Works for Solo Piano "" in September 2014 ." 1 +The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if any ) : The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if any ) : 0 +Sawamatsu is the sister of tennis player Naoko Sawamatsu and the aunt of Junko Sawamatsu . Sawamatsu is the sister of Naoko Sawamatsu tennis player and the aunt of Junko Sawamatsu . 1 +The logo is similar to that of the Buffalo Sabres of the NHL . The Bearcats ' old jersey is that of the Florida Panthers from 1996/97-2005/06 . The logo is similar to that of the NHL 's Florida Panthers , the old jersey of the Bearcats is that of the Buffalo Sabres from 1996 / 97-2005 / 06 . 0 +He studied music history with Guido Adler and Curt Sachs at the University of Vienna and studied composition with Hans Gál . He studied music history at the University of Vienna under Guido Adler and Curt Sachs , and studied composition under Hans Gál . 1 +The population is 80 ( 2011 census ) is a village in the Croatian region of Slavonia , located east of Daruvar . Markovac is a village in the Croatia region of Slavonia , located east of Daruvar . The population is 80 ( census 2011 ) . 0 +Cole then kills Magruder 's henchman Dutchie and his men , and captures Magruder 's armored train . Cole then captures Magrud 's henchman , Dutchie , and his men , and kills Magruder 's armored train . 0 +"The Riemann Zeta function is defined by the absolutely convergent infinite row for reelle "" s "" with complex part greater than 1 ." "The Riemann Zeta function is defined for complex "" s "" with real part greater than 1 by the absolutely convergent infinite row defined ." 0 +After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this became a permanent family home later . This later became the permanent family home , after purchase in 1948 by Hew Lorimer 's son , the sculptor Robert Lorimer . 0 +"In the early 1970s , Naughton wrote for the scientific weekly , the "" New Statesman "" , mainly covering political and cultural issues ." "In the early 1970s , Naughton wrote for the scientific weekly , the "" New Statesman "" , mainly on political and cultural issues ." 1 +Ice hockey at the Canada Winter Games 2011 was held at the Halifax Metro Centre and Halifax Forum in Halifax and at Dartmouth Sportsplex in Dartmouth , Nova Scotia . Ice hockey at the Canada Winter Games 2011 was held in the Halifax and Halifax Forum in New Scotland and at the Halifax Metro Centre in Dartmouth , Dartmouth Sportsplex . 0 +It is also the number 11 Alma Road , and is now referred to as the Moorfield Court . It is now 11 Alma Road , and is also referred to as the Moorfield Court . 0 +PLEO delegates usually consist of members of the Democratic National Committee , Democratic members of Congress , Democratic Governors , and former Democratic Party leaders . The PLEO delegates usually consist of members of the Democratic Party , democratic members of Congress , democratic governors and former leaders of the Democratic National Committee . 0 +Highland English or Highland and Iceland English is the variety of Scottish English spoken by many in the Scottish Highlands and the Hebrides . Highland English or Highland and Island English is the variety of Scottish English spoken by many in the Hebrides and the Scottish Highlands . 0 +The album was recorded and mixed at Seawolf Studios by vocalist , Peter James Goodman , and guitarist , Heikki Warma in early 1999 . The album was recorded and mixed at the Seawolf Studios in early 1999 by singer Peter James Goodman and guitarist Heikki Warma . 1 +His sound aesthetics usually are described as transparent , yet aggressive and powerful . His sound aesthetics are usually described as transparent , but aggressive and powerful . 1 +Harry Hayward 's trial for first degree murder began , before Judge Seagrave Smith , on 21 January 1895 . Seagrave Smith 's trial for first-degree murder began on January 21 , 1895 before Judge Harry Hayward . 0 +There is an Orang Asli museum in Melaka , and also in Gombak , about 25 km north of Kuala Lumpur . There is a Orang Asli Museum in Gombak and also in Melaka , about 25 km north of Kuala Lumpur . 0 +It was later reported that Sunita will embark on an affair with John Michie ( Karl Munro ) . Later , it was reported that Sunita will begin an affair with John Michie ( Karl Munro ) . 1 +A few years later , Hyman became himself Goodman pianist . A few years later , Goodman himself became Hyman 's pianist . 0 +Daphne from Rey , Jenny Shimizu , Catherine Opie , Sheree Rose , Ron Athey , Vaginal Davis , Bob Flanagan and Michele Mills . Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne von Rey , Jenny Shimizu , Catherine Opie , Michele Mills are included . 1 +In 2008 , the MDC-Tsvangirai candidate Misheck Kagurabadza won against the ZANU-PF candidate . In 2008 , the MDC-Misheck Kagurabadza won candidate Tsvangirai against the ZANU-PF candidate . 0 +The cooperative National Weather Service reports that Occidental has cool , damp winters and warm , dry summers . The cooperative National Weather Service station reports that Occidental has cool , wet winters and warm , dry summers . 1 +In 2004 Peter Eigen celebrated her second wedding in Berlin with the long-standing companion Gesine Schwan . In 2004 , Gesine Schwan celebrated her second wedding with longtime companion Peter Eigen in Berlin . 0 +"In 2014 , Townsquare Media acquired "" XXL "" , "" King "" and "" Antenna "" from Harris Publications ." "In 2014 , Harris acquired Publications "" XXL "" , "" King "" and "" Antenna "" from Townsquare Media ." 0 +Taobao is a Chinese online shopping website similar to eBay , Amazon and Alibaba Group , which is operated in Hangzhou , Zhejiang by Rakuten . Taobao is a Chinese online shopping site similar to eBay , Amazon and Alibaba Group , operated by Rakuten in Hangzhou , Zhejiang . 1 +Morris County is a residential community located in the northwest corner of Mine Hill Township . Morris County is a residential community located in the north-western corner of Mine Hill Township . 1 +Somanath is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . Somanath is a village in Dahanu - district of Maharashtra , India . It is located in the Palghar Taluka . 1 +Due to the castration of Agha Mohammad Khan , his brother Hossein was appointed Qoli Khan as new chieftain of Qoyunlu . Due to Agha Mohammad Khan 's castration , his brother Hossein Qoli Khan was appointed as the new chieftain of the Qoyunlu instead . 0 +The dam is operated by the United States Bureau of Reclamation , which it built , and is owned by the Elephant Butte irrigation area . The dam is owned by the United States Bureau of Reclamation , which it has built , and is operated by the Elephant Butte Irrigation District . 0 +On 4 January 2015 , Soane Patita Paini Mafi announced that he would make Tonga 's bishop , Pope Francis , a cardinal on 14 February . On 4 January 2015 , Soane Patita Paini Mafi announced that on 14 February he would appoint Tonga 's Bishop , Pope Francis , as Cardinal . 1 +In 1914 , when Holt retired , Green followed him as Chief Inspector . When Holt retired in 1914 , Green succeeded him as Chief Inspector . 1 +North of Tioga , it receives Crooked Creek from the West , then in Steuben County , New York , near Lawrenceville , Pennsylvania . North of Lawrenceville , Pennsylvania it receives Crooked Creek from the west , then crosses into Steuben County , New York , near Tioga . 0 +Great Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo of Spain . Francisco Javier Mier Campillo ( 1748 - 1818 ) was a Spanish bishop who , from 1814 to 1818 , was a Grand Inquisitor in Spain . 0 +Limestone from the quarry of TexaStone in Garden City was donated in 2004 for the establishment of the Stonehenge - replica in Odessa , Texas . Limestone from the quarry of TexaStone in Odessa , Texas , was donated in 2004 for the establishment of the Stonehenge replica in Garden City . 0 +In 1848 he married Eleanor Wayman and Phebe Crosby Peck Knight , Joseph Knight 's mother - in- and a widow of Hosea Stout . In 1848 he married Eleanor Wayman and Phebe Crosby Peck Knight , Hosea Stout 's mother-in-law and widow of Joseph Knight . 0 +The Sâmbăta River is a tributary of the Piatra Caprei River in Romania . The river Sâmbăta is a tributary of the River Piatra Caprei in Romania . 1 +There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 persons and can be reserved . There are seven picnic areas and several have reserved pavilions , the largest of which can be covered for up to 100 people and can be covered . 0 +From 1908 to 1912 , Henry Tonks studied at the Slade School of Fine Art in London , under Spencer and others . From 1908 to 1912 , Henry Tonks studied under Spencer and others at the Slade School of Fine Art in London . 1 +"have Danish and Norwegian "" , Swedish uses "" ( pronounced ( u ) ) and Icelandic and Faroe use the related "" ." Swedish and Norwegian use , whereas Danish uses ( pronounced ( u ) ) , and 'Icelandic and Faroese have the related ' . 0 +""" CQ Politics "" considered this race as ' Tossup ' . "" The Cook Political Report "" rated it ' Lean Republican ' ." """ CQ Politics "" assessed this race as "" Tossup "" . "" The Cook Political Report "" considered it as "" Lean Republican "" ." 0 +During the main period , the ring walls and the most important public buildings within the palatial fortress were built . During the palatial period , the ring walls and the main public buildings were built within the main fortress . 0 +Holt traveled on occasion with St. John Philby and Gerard Leachman . Holt traveled with St. John Philby and Gerard Leachman on occasion . 1 +He was among the leaders in stranded runners inherited with 51 . He was stranded among the leaders in inherited runners at 51 . 0 +""" P. seippi "" should be implanted in pairs in a well housed terrarium ." """ P. seippi "" should be planted in pairs in a well housed terrarium ." 1 +"He had published a novel "" Seventy Times Seven "" , a violent thriller that appeared in 1992 , in 2012 ." "He had a novel "" Seventy Times Seven "" , a violent thriller set in 1992 , published in 2012 ." 1 +The social consequences of criminal conviction are not the same as the collateral consequences of conviction . The collateral consequences of criminal conviction are not the same as the social consequences of the conviction . 0 +Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist based in Montreal . Éric Fombonne ( Montreal , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist who is based in Paris . 0 +"In 2007 , Jason appeared in the thriller "" Timber Falls "" as a Wiik ." "In 2007 , Wiik appeared as Jason in the thriller "" Timber Falls "" ." 0 +In 2014 , Lilly will visit the World Curling Tour for her first season with the new teammates Sarah Potts , Oye-Sem Won Briand and Tirzah Keffer . In 2014 , Sarah Potts will attend the World Curling Tour for her first season with the new teammates Lilly , Oye-Sem Won Briand and Tirzah Keffer . 0 +Potter married in 1945 . He and his wife Anne ( a weaver ) had two children , Julian ( born 1947 ) and Mary ( born 1952 ) . He and his wife Anne ( a weaver ) had two children , Julian ( born 1947 ) and Mary ( born in 1952 ) . 0 +These terms are often used when selling models in order to indicate their suitability for showing . These terms are often used in selling models to indicate their suitability for showing . 1 +The series ends with Wonder Woman reconciling herself with Cassie , who tells Cassie that she has become her own wife . The series ends with Cassie reconciling with Wonder Woman , who tells Cassie that she has become her own woman . 0 +Some HTC systems , such as HTCondor and PBS , may run tasks on opportunistic resources . Some PBS systems , such as HTCondor and HTC , can run tasks on opportunistic resources . 0 +""" Clockwork "" is the fourth single by American rapper Juelz Santana from his second studio album "" What the Game is Missing ! "" ( 2005 ) ." """ Clockwork "" is the second single by American rapper Juelz Santana from his fourth studio album "" What the Game 's Been Missing ! "" ( 2005 ) ." 0 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Mercer County with parts of the Lackawannock Township in Lawrence County . Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Mercer County with parts of Lackawannock Township in Lawrence County . 1 +The Ozunca River or Pârâul cu Păstrăvi is a tributary of the Păstrăvul River in Romania . The river Păstrăvul or Pârâul cu Păstrăvi is a tributary of the Ozunca river in Romania . 0 +On 4 July 1968 , at Smith 's request , Harper resigned from the cabinet . On 4 July 1968 , Smith resigned from the Cabinet at Harper 's request . 0 +Between 1900 and 1915 additional tracks were built for local traffic with the existing tracks being reserved for through trains . Between 1900 and 1915 , additional tracks were built for local traffic , with the existing tracks reserved for transit trains . 1 +Lloyd took over command of the 12th Field Artillery Brigade on 28 November , 1917 and then the 6th Field Artillery Brigade on 7 February , 1918 . Lloyd took over the command of the 12th Feldartillerie - Brigade on November 28 , 1917 and then the 6th Field - Artillery - Brigade on February 7 , 1918 . 1 +On August 17 , 1599 , Elizabeth married Knightley Samuel Luke , the daughter of Sir Valentine Knightley and Anne Unton , whose son Luke was an MP . Elizabeth Knightley married Samuel Luke , daughter of Sir Valentine Knightley and Anne Unton on 17 August 1599 . Their son Luke was also an MP . 1 +General elections were held in India in 1998 , after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . In 1998 , parliamentary elections were held in India after the government called in 1996 collapsed and the 12th Lok Sabha was elected . 1 +In 1982 , SGA moved its executive office from New York City to Nashville . In 1982 , SGA moved its executive bureau from Nashville to New York City . 0 +"The exterior shown for the Heffernan house that was used in CBS sitcom "" The King of Queens "" is in Cliffside Park ." "The exterior that is shown for the Heffernan house used in the CBS - Sitcom "" The King of Queens "" is in Cliffside Park ." 1 +"Jamil commented that Gwen is homophobic and said he thought "" every lesbian woman was a woman waiting for the right man "" ." "Jamil commented that Gwen is homophobic , saying that he thought "" every lesbian woman was a woman waiting for the right man "" ." 1 +The government of He County is located in the town of Liyang . The government of He County is located in Liyang Town . 1 +He visits Fred and makes him his new partner , then goes to the cratchit house , where he restores Bob and increases his reward . He rehires Fred and makes him his new partner , then goes to the Cratchit house where he visits Bob and increases his wages . 0 +The Astors settled in North America , first appearing in Germany in the 18th century with John Jacob Astor , one of the richest people in history . The astors settled in Germany , appearing for the first time in the 18th century in North America with John Jacob Astor , one of the richest people in history . 0 +This manages filter processing , creates the filter chain with the appropriate filters in the correct order and initiates processing . This creates filter processing and manages the filter chain with the appropriate filters in the correct order and processing starts . 0 +His son John I Lestrange ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King Henry II in 1174 . His son Heinrich II ( died before 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I. Lestrange . 0 +One of the main advantages of this approach is that routers become very simple . They are just a sensor , pulse reshaper and a transmitter . One of the main advantages of this approach is that routers are very simple : they just become a sensor , a pulse - reshaper and a transmitter . 0 +The father was an influential writer on agricultural law and poor questions between 1825 and 1828 . The father was an influential writer between 1825 and 1828 on agricultural law and bad questions . 1 +This study also showed a greater activation of the left amygdala in men and the right amygdala in women . This study also found greater activation of the left amygdala in men and the right amygdala in women . 1 +Ashtabula County includes the Ashtabula , OH Micropolitan Statistical Area , which is also included in the Cleveland -- Akron -- Canton , OH combined statistical field . Ashtabula comprises the Canton , OH Micropolitan Statistical Area , which is also included in the Cleveland -- Akron -- Ashtabula County , OH Combined Statistical Area . 0 +The region is famous for trade fairs like Expozebu in Uberaba , Fenamilho in Patos de Minas and Feniub in Uberlândia . The region is famous for fairs like Expozebu in Uberaba , Fenamilho in Uberlândia and Feniub in Patos de Minas . 0 +The SOT23-3 package is very popular and a common package for transistors and is also used for diodes and voltage controllers . The SOT23-3 package is very common and a popular package for transistors , and is also used for diodes and voltage regulators . 1 +In 1960 , Ardley married Bridget Gantley , the couple had a daughter , in 2003 he married Vivian Wilson and died in Milford , Derbyshire . In 1960 , Ardley married Vivian Wilson , the couple had a daughter , in 2003 he married Bridget Gantley and died in Milford , Derbyshire . 0 +He finished his career by playing for European teams in various leagues . He finished his career while playing for various teams in European leagues . 0 +Thus , the issuance of local catechisms , such as the Dutch Catechism , was confirmed , although Dutch views on particular theological issues remain controversial within the Church . Thus , the publication of local catechisms , such as the Dutch catechism , was confirmed , although Dutch views on certain theological issues remain controversial within the Church . 1 +Károli started his school in Nagykároly and finished in Brassó . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . Károli started his school in Nagykároly , graduated in Brassó , went to the Wittenberg Academy in 1556 and ordered the Synod of Gönc in 1566 . 1 +The song was composed by Gilles Thibaut and written by written . The song was composed by Gilles Thibaut and written by . 1 +Regressive assimilations are caused only by semantic factors , while substitutions take phonological information into account . Regressive assimilations are only conditioned by semantic factors while substitutions take into account phonological information . 1 +This version was released in Europe and Australia on August 18 , 2016 , and North America on January 5 , 2017 . This version was published on August 18 , 2016 in North America and on January 5 , 2017 in Europe and Australia . 0 +Under Phil Testa , and later Nicky Scarfo , Frank served . Phil Testa served under Frank and later Nicky Scarfo . 0 +Theodore was imprisoned and banished together with ten other monks to Constantinople , while Plato was flogged away in Thessaloniki . Theodore was flogged and banished to Thessaloniki , together with ten other monks , while Plato was imprisoned in Constantinople . 0 +Original members included Amzi Barber , William , John D. Rockefeller , J. P. Morgan and Cornelius Vanderbilt . Original members included Amzi Barber , William and John D. Rockefeller , J. P. Morgan and Cornelius Vanderbilt . 1 +In addition , German uses divisible stress for inseparable prefixes and different prefixes in verbs and words derived from such verbs . In addition , German uses different stress for separable prefixes and inseparable prefixes in verbs and words derived from such verbs : 0 +Deposed in 1776 by the revolutionary government of Perth Amboy , William was arrested at his home in New Jersey , at the Proprietary House and imprisoned for a time . William was deposed in 1776 by the revolutionary government of New Jersey and arrested at his home in Perth Amboy at the Proprietary House and temporarily imprisoned . 0 +There is some uncertainty as to whether Ruby Glaze , a singer with whom Kate McTell recorded in 1932 , is the same person as Willie McTell . There is some uncertainty about whether Ruby Glaze , a singer with whom Willie McTell recorded 1932 , is the same person as Kate McTell . 0 +Asarpay spoke of the Apurimac shrine , understood as an oracle of the personified river . Asarpay spoke for the Apurimac shrine , personified as an oracle of the understood river . 0 +The remaining Peracarida orders are the abundant and either moderately cryptic , Cumacea and Tanaidacea , or are extremely rare and relictual , Mictacea , Spelaeogriphacea , and Thermosbaenacea . The other Peracarida orders are the abundant and either moderately cryptic , Cumacea and Tanaidacea , or are extremely rare and Relictual , Mictacea , Spelaeogriphacea and Thermosbaenacea . 1 +The princess was received with great fanfare on 24 September 1573 in Pathein ( Bassein ) . The princess was received with great fanfare at Pathein ( Bassein ) on 24 September 1573 . 1 +She was born in Litchfield , Ohio on December 18 , 1814 but later settled in Hebron , Connecticut . She was born on 18 December 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . 0 +This site was excavated in 1921 by Johan Gunnar Andersson and discovered in 1921 and produced two human teeth . This site was first excavated by Johan Gunnar Andersson in 1921 and was first discovered in 1921 and produced two human teeth . 1 +RAF Ash has been closed and the site was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash was sold and the site closed in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . 0 +The team has played teams in recent years such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . The team has played teams such as Hawaii , Rutgers , Iowa , Mississippi State , Nebraska , Connecticut , Syracuse and Pittsburgh in the last years in 2011 . 1 +Since then , there have been few significant changes , with noticeable changes in the design of the Railcard most common . There have been few significant changes since then , with noticeable changes in the design of the Railcard being the most frequent . 1 +The independent foundation operates under private law with foundation capital from the governments of Germany and the State of North Rhine-Westphalia . The Privatstiftung operates under independent law with foundation capital from the governments of Germany and the state of North Rhine-Westphalia . 0 +Taungya also meant that after a few years , the British or their agents would return to the newly planted areas to harvest the previously cut teakwood . Taungya also meant that the British or their agents would return to the newly planted areas after some years to harvest the previously cut teak . 1 +On 16 March 1494 , Maximilian married the Bianca Maria Sforza . On March 16 , 1494 , Bianca Maria Sforza married Maximilian . 1 +Robinson played High School Basketball at the Memphis Melrose High School , where one of his teammates was his future college and professional teammate , Larry Finch . Robinson played High School Basketball at the Memphis Melrose High School , where one of his teammates was his professional college and future teammate , Larry Finch . 0 +is a suburb of Raumanga in the Northland region of New Zealand . The main campus of the Northland Polytechnic is located in Whangarei . Raumanga is a suburb of Whangarei in the Northland region of New Zealand . The main campus of Northland Polytechnic is in Raumanga . 0 +It flows north near Pietragalla and curves to the east north of Cancellara and south of Bradano . It curves north near Pietragalla and flows eastward north of Cancellara and south of the Bradano . 0 +In September 2004 , CompX International completed the acquisition of 68 % of NL Industries for USD 168.6 million . In September 2004 , NL Industries completed the acquisition of 68 % of CompX International for $ 168.6 million . 0 +It supported the views of the Republican Party and the Free Soil Party . It endorsed the views of the Free Soil Party and the Republican Party . 1 +Elizabeth Smylie and Patrick McEnroe won in the final 7 -- 5 , 6 -- 3 against Jana Novotná and Jim Pugh . Elizabeth Smylie and Patrick McEnroe won against Jana Novotná and Jim Pugh in the Final 7 : 5 , 6 : 3 . 1 +"His role is played by Bernard Le Coq , in Oliver Stone - Film "" W. "" and in "" The Conquest "" by Charles Fathy ." "His role is played by Charles Fathy in the Oliver Stone film "" W. "" and in "" The Conquest "" by Bernard Le Coq ." 0 +Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney , in Hawkesbury City . Grose Wold is a suburb of New South Wales , Australia , in the state of Sydney . It is in the City of Hawkesbury . 1 +The Tătaru River is a tributary of the Buzăiel River in Romania . The Buzăiel river is a tributary of the River Tătaru in Romania . 0 +The Federal Hotel is a timber two-storey hotel located on the northern side of Childers main street , North Street , at the corner of Churchill Street . The Federal Hotel is a two-storey wooden hotel located on the northern side of Childers main street , North Street , on the corner of Churchill Street . 1 +The book has a foreword of Vera Baird , one of the lawyers who represented Humphreys , and contributions by Beatrix Campbell and friends of Humphreys . The book has a foreword by Vera Baird , one of the barristers who represented Humphreys , and contributions from Beatrix Campbell and friends of Humphreys . 1 +Eisele died in 1987 and Schirra in 2007 . In 1987 , Eisele died and in 2007 the Schirra . 1 +In 1987 , Fallahian was appointed Chief Prosecutor by Ruhollah Khomeini of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . In 1987 Fallahian was appointed by Ruhollah Khomeini as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . 1 +Karinizhal is an Indian Malayalam film directed by JD Thottan and produced by Kovai Ramaswamy in 1971 . Karinizhal is a 1971 Indian Malayalam film , produced by JD Thottan and directed by Kovai Ramaswamy . 0 +Bridie Morton married Timothy Torlot in 1986 . In 1986 , Bridie Morton married Timothy Torlot . 1 +Currently it is the fifth tallest skyscraper in Central Park after QV.1 , the BankWest Tower , City Square and Perth . Currently it is the fifth highest skyscraper in Perth after QV.1 , the BankWest Tower , City Square and Central Park . 0 +The Hopf theorem is a statement in differential topology , saying that the topological degree is the continuous homotopy invariant of only maps to spheres . The Hopf - Theorem is a statement in the differential topology which states that the topological degree is the only homotopy - invariant of continuous maps to spheres . 0 +To use the parameter λ that maximizes the probability function for the Poisson population , we can find the logarithm of the likelihood function . To use the λ parameter that maximizes the probability function for the Poisson population , we can find the logarithm of the probability function . 1 +The Olt River or Pârâul Sec is a tributary of the River Seaca , Romania . The River Seaca or Pârâul Sec is a tributary of the River Olt in Romania . 0 +It was , however , a legal ceremony and not a spiritual one . It was , however , a spiritual and not a legal ceremony . 0 +The Chinese ambassador in Apia is the official representative of the Government in Beijing to the Government of Samoa . The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Samoa government . 1 +Marine losses for the day were 16 killed and 98 captured , while the KPA lost 9 wounded and an estimated 50 killed and 55 wounded . Losses for the day were killed 16 and 98 captured , while the KPA 9 wounded and approximately 50 killed and 55 wounded lost . 1 +In singles , King was 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Christine Truman Janes and 1 -- 1 against Virginia Wade . King was against Ann Haydon-Jones , 4 -- 0 against Virginia Wade and 1 -- 1 against Christine Truman Janes at the singles with 6 -- 1 . 0 +The average gross salary of a Croatian worker in January 2017 was 5,895 HRK per month , and the average net salary was 7,911 HRK per month . In January 2017 , the average gross content of a Croatian worker was 5,895 HRK per month and the average net content was 7,911 HRK per month . 1 +Siyin , however , is official , and Sizang is Local Terminology The name Siyin is local , however , and Sizang is official terminology . 0 +In Veracruz , breeding takes place from May onwards and in Yucatán , between August and April . The breeding takes place in Yucatán from May and in Veracruz between August and April . 0 +In addition , German uses separable stress for inseparable prefixes and different prefixes in verbs and words that are derived from such verbs . In addition , German uses different stress for separable prefixes and inseparable prefixes in verbs and words derived from such verbs : 0 +Red Bank is located in the 4th Congressional District and is part of the 11th State Legislative District of New Jersey . Red Bank is located in the 11th Congressional District and is part of the 4th State Legislative District of New Jersey . 0 +Design was by Jeff Grubb with Andria Hayday , a cover by Karl Waller , and illustrations by Jeff Easley . Design was developed by Jeff Grubb with Andria Hayday , a cover of Karl Waller and illustrations by Jeff Easley . 1 +It is separated into two parts by the Sarawak district of Limbang . It is separated through the Sarawak district of Limbang into two parts . 1 +The Sadrist movement left the Alliance before the December 2005 elections , which also brought the Iraqi National Congress firmly to the Alliance . The Iraqi National Congress left the Alliance before the December 2005 elections , which also brought the Sadrist movement more to the Alliance . 0 +Rodney Waschka II is an American composer known for his algorithmic compositions and his theatrical works . Rodney Waschka II is an American composer known for his algorithmic compositions and theatrical works . 1 +She won Democrats 64-35 , but lost Independents 66-33 to Sanders . She won Democrats 64-35 , but the Independents 66-33 lost to Sanders . 1 +The filmmakers share many common techniques including the use of allegorical dialogue and poetic storytelling dealing with political and philosophical issues with documentary style narrative films . The filmmakers share many common techniques , including the use of poetic dialogue and allegorical storytelling , which deals with political and philosophical questions with documentary style - narrative films . 0 +The River Frasin is a tributary of the River Straja in Romania . The Frasin River is a tributary of the Straja River in Romania . 1 +Nick also stated that , Leanne wants to forget the McDonalds and raise the child with Danson . Danson also explained that Leanne wants to forget the McDonalds and raise the child with Nick . 0 +Later five men died , one missing and 25 were wounded , two of whom died immediately . Five men died instantly , one was missing , and 25 were wounded , two of whom died later . 0 +DelliBovi was a member of the New York State Assembly from 1971 to 1978 and was in the 179th , 180th , 181st and 182th New York State Legislatures . DelliBovi was a member of the New York State Assembly from 1971 to 1978 , sitting in the 179th , 180th , 181st and 182nd New York State Legislatures . 1 +In South Carolina , the law applies only to minors under 16 and in Delaware for minors under 17 . In Delaware the law only applies to minors under 16 , and in South Carolina to minors under 17 . 0 +According to the definition above , two relations with identical graphs , but different domains or different codomans are considered different . According to the definition above , two relations with identical graphs but different domains or different codomains are considered different . 1 +Critics of HRW include the former governments that it has examined , NGO monitor , the media and its founder ( and national chairman ) , Robert L. Bernstein . Critics of HRW include the national governments that it has examined , NGO monitor , the media and its founder ( and former chairman ) , Robert L. Bernstein . 0 +Steckborn is a municipality in Frauenfeld District in the canton of Thurgau in Switzerland . Steckborn is a municipality in Thurgau , in the Canton of Frauenfeld , Switzerland . 0 +""" Holocaust , "" dedicated in November 1984 in Lincoln Park , was created by the sculptor George Segal ." """ Holocaust "" , created in November 1984 in the Lincoln Park , was dedicated by the sculptor George Segal ." 0 +"The building is covered in a "" U "" plan designed in tile roof , with the opposite wing shorter than the western wing ." "The building is designed in a "" U "" plan in brick roof , with the opposite wing being shorter than the western wing ." 1 +This pumped engine lubricating oil , seawater coolant and also provided a bilge pump for the lifeboat . This provided engine lube oil , seawater coolant and also pumped a bilge pump for the lifeboat . 0 +Pointe Aux Barques is located in Pointe aux Barques Lighthouse , not Huron Township . Pointe Aux Barques is located in the Pointe Aux Barques lighthouse , not Huron Township . 1 +The music was composed by MB Sreenivasan and lyrics was written by K Ayyappa Panicker and Kavalam Narayana Panicker . The music was composed by K. Ayyappa Panicker and Kavalam Narayana Panicker and the lyrics by M. B. Sreenivasan were written . 0 +According to the US Census Bureau , the county has a total area , of which land and ( 17.6 % ) is water . According to the U.S. Census Bureau , the county has a total area , of which land and ( 17.6 % ) have water . 1 +Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher . Since 1983 she has been active in the Canadian dance scene . Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher who has been active on the Canadian dance scene since 1983 . 1 +Leighton Meester replaced Carrie Bishop in the kickstarter as Andrea Estella - financed Veronica Mars Movie ( 2014 ) . Leighton Meester replaced Carrie Bishop as Andrea Estella in the Kickstarter funded Veronica Mars Movie ( 2014 ) . 1 +These teams are supplied by the US Marine Corps and the US Army . These teams are provided by the US army and the US Marine Corps . 1 +He was born at Mülhausen in Alsace and died in Meissen in Saxony . He was born in Meissen in Alsace and died in Mülhausen , Saxony , Germany . 0 +The outlaws chose to live off the wealthy class of people instead of the poor . The outlaws decided to live off the wealthy class of people instead of the poor . 1 +The scene in which Lee jumps from a cliff and dives , was done at Greenpoint Warehouse , in Brooklyn with Eminem and video producer Justin Diener . The scene in which Lee jumps and dives from a cliff was made at the Greenpoint Warehouse in Brooklyn with Eminem and the video producer Justin Diener . 1 +These teams are provided by the US Marine Corps and the US Army . These teams are provided by the US army and the US Marine Corps . 1 +ABC Books has released seven paperback novels , each based on a specific episode and from the perspective of a single character . ABC Books has released seven popular book novels , each based on a single episode , and from the perspective of a particular character . 1 +We hear the laughter , we see faces , we see the music . "We see the laughter , we see the faces , we hear the music. """ 0 +Contempo Magazine is a daily online American print and monthly magazine published in McAllen , Texas . Contempo Magazine is a daily American print and monthly magazine , published in McAllen , Texas . 1 +"In 2013 Jerome Flynn revealed to Lederman live on air that the BBC Drama "" Ripper Street "" had been cancelled ." "In 2013 , Jerome Flynn Lederman live on air revealed that the BBC - drama "" Ripper Street "" had been canceled ." 0 +The Royal Thai Government officially turned Korat over to the USAF on 26 February 1976 . On 26 February 1976 , the USAF officially handed over the Korat to the Royal Thai Government . 0 +Ocee was a small community in Milton County , now located in Johns Creek in Fulton County , Georgia . Ocee was a small town in Fulton County , Georgia , now located in Johns Creek , Milton County . 0 +Hojo is voiced in Japanese by Nachi Nozawa and in English by Paul Eiding . Hojo is spoken in English by Nachi Nozawa in Japanese and by Paul Eiding . 0 +A police authority for the British transport police was established on 1 July 2004 . On 1 July 2004 , a British transport police force was created for the police authority . 0 +"She was also presented in an article with her son Maxwell Minard for Robert Kennedy 's motivation magazine "" Off the Couch "" ." "She was also featured in an article with her son , Robert Kennedy , for Maxwell Minard 's motivational magazine "" Off the Couch "" ." 0 +Sissi units have more weapons served by the crew and fewer sniper rifles than regular infantry . Sissi units have more crew served weapons and fewer sniper rifles than regular infantry . 1 +Eight years in the United Kingdom , in Mumbai , Moraes now spent London and Oxford , New York City , Hong Kong , Delhi , and Bombay . Moraes spent eight years in Britain , in Mumbai now London and Oxford , New York City , Hong Kong , Delhi and Bombay . 1 +When he calls Holly , Adam warns his sister that she can do it much better , but she does not listen and spends the evening with Aaron . When he asks Holly out , Adam warns his sister that she can do much better , but she does not listen and spends the evening with Aaron . 1 +Yıkılgan is a village in the Amasya district in the province of Amasya , Turkey . Yıkılgan is a village in the district Amasya , Turkey , province of Amasya . 1 +He grew up surrounded by Jewish and East-Mediterranean traditional music that influenced his later compositions . He grew up surrounded by traditional and eastern Jewish music that influenced his later compositions . 0 +Robert Burns refers to the Buchanites in some of his personal letters . The following lines attributed to him are thought to relate to Elspeth Buchan : In some of his personal letters , Robert Robert Burns refers to the Buchanites , the following lines attributed to him are supposed to refer to Elspeth Buchan : 1 +He followed his guru and came to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then moved to Gubbi . He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddgang hills and then came to Gubbi . 0 +Incumbent George Allen ran for a third term , but lost to Democrat Robb . Incumbent Democrat Chuck Robb ran for a third term , but lost to Republican George Allen . 0 +The ACS ( Ambient Control Space ) is the ambient of an internal network . The ACS ( Ambient Control Space ) is the atmosphere of an internal network . 1 +The Irish team consisted of Murphy together with Ken Doherty , Fergal O - Brien and Michael Judge as sub . The Irish team consisted of Ken Doherty , Fergal O Brien and Michael Judge along with Murphy as a sub . 0 +Other studies have also been submitted to the Congress by the Federal Power Commission and Power Authority of New York . Other studies were also presented to the Federal Power Commission by the Congress and the Power Authority of New York . 0 +"For "" Archives to Eighties "" Bobby Haynes recorded new bass and drums tracks played by Mayall and Joe Yuele ." "Bobby Haynes adopted new bass and drums tracks for "" Archives to Eighties - tracks played by Mayall and Joe Yuele ." 1 +For example , the National Civic League ( originally the National Municipal League ) promotes effective municipal management . For example , the National Municipal League ( originally the National Civic League ) promotes an effective management of the local government . 0 +On January 20 , 1891 , Pleydell-Bouverie married Charles Balfour , the daughter of Julian Eleanor Adelaide Balfour , and had ten children . Before inheriting the Earldom , Pleydell-Bouverie married Charles Balfour , daughter of Julian Eleanor Adelaide Balfour , on 20 January 1891 , and they had ten children . 0 +If the main diagonal is the first upper diagonal multiplied by 2 , it is of the second kind . When the first upper diagonal is the main diagonal multiplied by 2 , it is of the second kind . 0 +Alex Alex Corretja defeated Andre Agassi 2 -- 6 , 6 -- 2 , 6 -- 3 Andre Andre Agassi defeated Alex Corretja 2 -- 6 , 6 -- 2 , 6 -- 3 0 +In Caringbah there are three secondary schools and a number of primary schools . There are three primary schools and a number of secondary schools in Caringbah . 0 +In this episode , Nellie Bertram ( Catherine Tate ) returns to the office to find Andy Bernard ( Ed Helms ) on the manager 's chair . In this episode , Andy Bernard ( Ed Helms ) returns to the office to find Nellie Bertram ( Catherine Tate ) on the manager 's chair . 0 +English is understood by many people and spoken by some fluently . English is understood by many people and spoken by some of them fluently . 1 +Waconia is a lake located within the city limits of Lake Waconia in Carver County , Minnesota in the United States . Waconia is a lake within the city borders of Lake Waconia in Carver County , Minnesota in the United States . 1 +""" All Along the Watchtower "" was remixed in 2002 and released on The Paperboys ' greatest hits album "" Tenure "" ." """ All Along the Watchtower "" was released in 2002 and remixed on The Paperboy 's greatest hits - Album "" Tenure "" ." 0 +"The perfect continuous is created by adding the "" mi- "" prefix to the perfect :" "The perfect is made by adding the prefix "" mi- "" to the perfect continuous ." 0 +While prostitution is legal in Canada , most activities related to prostitution are illegal . While prostitution in Canada is illegal , most of the activities related to prostitution are legal . 0 +Ayeza Khan ( born Aiza Khan on 15 January ,1991 ) , also known as Kinza Khan , is a Pakistani television actress and model . Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , known as Aiza Khan , is a Pakistani television actress and a model . 0 +Online , there were a number of Advanced Chess tournaments worldwide , Freestyle Chess Tournaments defined by Centaur ( Centaur = human player + computer ) . There have been , worldwide , a number of Advanced Chess tournaments online , defined Freestyle Chess Tournaments by Centaur ( Centaur = human player + computer ) . 0 +Stosur then traveled to Fribourg to represent Australia against Switzerland in their Fed - Cup draw . Stosur then traveled to Fribourg to represent Switzerland in their Fed Cup against Australia . 0 +Geographically , the NDP campaign focused on targeting seats in Toronto in Ottawa , Hamilton , Scarborough and Etobicoke and Northern Ontario . Geographically , the NDP campaign focused on targeting seats in Toronto in Ottawa , Hamilton , Scarborough , and Etobicoke and North Ontario . 1 +These places belong to Spain ( since 2012 ) , Canada , Japan and some parts of the United States . These places belong to Canada , Japan ( since 2012 ) , Spain and some parts of the United States . 0 +In Java , unless the inner class is declared static , a reference to an instance of an inner class carries a reference to the outer class with it . In Java , a reference to an instance of an inner class contains a reference to the inner class , unless the outer class is declared as static . 0 +Born in Newbury , Massachusetts , the first son of Richard Dummer and his second wife , Frances Burr , was born . Dummer was born in Newbury , Massachusetts , the second son of Richard Dummer and his first wife , Frances Burr . 0 +Units can be owned on any other continent but can not be imported . Units can be imported , but not owned , on any other continent . 0 +The Honourable Brian Sully AM QC has kindly donated his Judicial Robes and personal Library to the University of Western Sydney . The Honourable Brian Sully AM QC kindly donated his Judicial Robes and his personal library to the University of Western Sydney . 1 +The Mureş River is a tributary of the Jecnova River in Romania . The MureÅ River is a tributary of the River Jecnova in Romania . 1 +"After meeting with "" O 13 "" , which returned from the Netherlands , both ships returned to the West Indies ." "After the meeting with "" O 13 "" , which had returned from the Netherlands , both ships returned to West India ." 1 +"In 2009 , Silent Majority Group 's single signing Framing Hanley received a Gold certification for their first "" Lollipop "" ." "In 2009 , the Single Signing Framing Hanley received the Silent Majority Group a gold certification for their first "" Lollipop "" ." 1 +The development will include 4,000 houses , apartments , hotels and commercial & mixed use plots . The development will include 4,000 houses , apartments , hotels and mixed and commercial plots . 1 +After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this became a permanent family home later . After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this became the permanent family home later . 0 +The station was built in 1915 by the Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York line . The station was built by the New Yorker , New Haven and Hartford Railroad in 1915 along the former Connecticut Valley Railroad line . 0 +He also met William Withey Gull , who led the Cholera Committee with William Baly . He also met William Baly , who with William Withey Gull ran the Cholera Committee . 0 +Stella Maris played Dunne in Dublin before playing for Everton in England . Stella Maris played in Dublin with Dunne , before playing in England for Everton . 0 +The Lessos -- Uganda border section is jointly funded by the government of Kenya and JICA . The Lessos-Kenya border section is funded jointly by the Government of Uganda and JICA . 0 +""" acting for "" has the same basic meaning as "" Acting "" , except it indicates that the original occupant of the position still formally holds power ." """ Acting for "" has the same basic meaning as "" acting "" , except that it indicates that the original occupant of the position is still formally holding power ." 1 +"In the 2014 film "" Get On Up "" , a biography of James Brown produced by Bryan Grazer and Mick Jagger , Bass is portrayed by Josh Hopkins ." "In the 2014 film "" Get On Up "" , a biography of Josh Hopkins presented by James Brown , Bryan Grazer and Mick Jagger bass is produced ." 0 +Scientists believe that amber was deposited in a flat part of a prehistoric basin during the Upper Eocene and the Lower Oligocene in a delta of a naval river . Scientists believe that amber was deposited during the Upper Eocene and Lower Oligocene in a delta of a marine river , in a shallow part of a prehistoric basin . 1 +The team was formed as the Atlantic Coast Hockey League and played its first season beginning in October 2002 with the Orlando Seals ( ACHL ) . The team was formed as Orlando Seals and played its first season with the Atlantic Coast Hockey League ( ACHL ) from October 2002 . 0 +Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Xicai very trusted him . Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Xicai trusted him greatly . 1 +They make up 13 % of the population in Vilnius , 28 % in Klaipėda . They make up 13 % of the population in Klaipėda , 28 % in Vilnius . 0 +It also adds to the personality of the character Holly Golightly , played by Audrey Heppurn . It also adds to the personality of the character Holly Golightly , played by Audrey Hepburn . 1 +This minus sign indicates that the imaginary part of the impedance is negative . The imaginary sign indicates that the minus part of the impedance is negative . 0 +It was originally developed by groups of Chinese scholars in the Soviet Union , used by Chinese and Russian immigrants there until the majority of them left the country . It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until the majority left the country . 0 +The Arbatel De Magia veterum was a Latin grimoire of renaissance ceremonial magic published in 1575 in Switzerland . The Arbatel de Magia veterum was a ceremonial grimoire of the Latin Renaissance - magic that was published in Switzerland in 1575 . 0 +In 1892 , Harmsworth married Annie Louisa , daughter of Thomas Scott , 1892 . In 1892 , Harmsworth married Thomas Scott , the daughter of Annie Louisa , 1892 . 0 +He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and since 1946 a step-son of Gyda Christensen . He was also a nephew of Gyda Christensen , a brother of Johan Hambro , Carl Joachim and Cato , and from 1946 a stepson of Elise Hambro . 0 +"Although A.A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony in "" The Observer "" was more critical and A . A. Gill of "" The Sunday Times "" was unimpressed ." 0 +"Willa Cather is a short story by Peter . It was first published in "" The Mahogany Tree "" in 1892 ." "It is a short story by Willa Cather , which was published in "" The Mahogany Tree "" in 1892 ." 0 +"His meeting with Dave Brubeck is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Naresh Fernandes ." "His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" by Dave Brubeck from 2011 ." 0 +Stella Maris played in Dublin with Dunne , before playing for Everton in England . In Dublin he played with Stella Maris before playing for Everton in England . 0 +Band moves to Williamsburg , Brooklyn ( NY ) . Band moves to Brooklyn ( NY ) , Williamsburg . 1 +Asia Argento ( ; born Aria Maria Vittoria Rossa Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . Maria Maria Vittoria Rossa Argento ( born September 20 , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and film director . 1 +After the death of her grandfather and her grandmother 's struggle with alcoholism , Mary met and married Tyrone Proctor , Together they moved to Tallahassee , Florida . After her grandfather 's death and her grandmother 's struggle with alcoholism , Mary Tyrone Proctor met and married them and together they moved to Tallahassee , Florida . 0 +In later life he was an atheist , but in the early stages became a believer . He was an atheist in later life , but converted into a believer in the early stages . 1 +The sixth studio album was released on February 24 , 2010 in Europe , Japan on March 2 , North America on March 3 , and Canada on April 6th . The sixth studio album was released on February 24 , 2010 in Japan , on March 2 , Canada , in Europe on March 3 , and on April 6 in North America . 0 +It is located in the central portion of Warren Township in Belmont County and is part of the Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central part of the Belmont County in Warren Township and is part of Wheeling , West Virginia Metropolitan Statistical Area . 0 +Under the direction of George D. Widener , the current 16th Street Clubhouse was built by the architect Horace Trumbauer . The current 16th Street Clubhouse was constructed under the leadership of Horace Trumbauer by architect George D. Widener . 0 +From 1999 to 2002 she attended the Scott Middle School and from 2002 to 2005 the Lincoln Southwest High School . She attended Lincoln Southwest High School from 1999 to 2002 and attended Scott Middle School from 2002 to 2005 . 0 +Billie Jean King defeats Ann Jones , 6 -- 3 , 6 -- 4 Billie Jean King defeated Ann Jones , 6 -- 3 , 6 -- 4 1 +"As announcer Clark Kellogg noted : "" Victor Oladipo is like a baby bottom , smooth and sometimes ..." As announcer Victor Oladipo noted , Clark Kellogg is like a baby 's bottom , smooth and sometimes . 0 +Several roads are named after him , including the streets in Geelong West , Brighton , Melton , Buninyong and Ballarat . Several streets are named after him , including the roads in Ballarat , Melton , Buninyong , Geelong West , Brighton . 1 +Wernstein am Inn is a municipality in the district of Schärding in the Austrian state of Upper Austria . Wernstein am Inn is a municipality in the district of Schärding in the Austrian federal state of Upper Austria . 1 +An acoustic music video directed by Chris Hicky was premiered in April 2012 and was premiered in March 2013 by the official music video directed by Stephen Shepherd . An acoustic music video , directed by Stephen Shepherd , premiered in April 2012 . The official music video , directed by Chris Hicky , premiered in March 2013 . 0 +2008 champion Brandon Jennings , 2005 champion Deron Williams and rookie Steve Nash also competed . Brandon Jennings Champion 2008 , Champion Deron Williams 2005 and Rookie Steve Nash also participated . 1 +Mr Payne made the highest bid for Mr Cave 's goods at an auction . At an auction , Mr Cave gave the highest bid for Mr Payne 's goods . 0 +It was also more terrestrial , with its remains discovered in inland forests and sub-Alpine regions as well as coastal wetlands . It was also more terrestrial , with its remains discovered in inland forests and coastal regions as well as subalpine wetlands . 0 +From 1898 to 1902 , about 1,300 birds were imported from America and released from Southland to Northland in many parts of the North and South Islands . From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . 1 +The STAVKA reformed the army ordered on March 2 , 1942 . STAVKA reformed the army ordered on 2 March , 1942 . 1 +Xavier Malisse defeated Tommy Haas 6 -- 3 , 3 -- 6 , 7 -- 6 . Xavier Malisse defeated Tommy Haas with 6 -- 3 , 3 -- 6 , 7 -- 6 . 1 +"Some of the details that Daniel cites are specific to the old English poem , based on "" Peeters "" ." "Some of the details Daniel cites are specific to the Old English poem based on "" Peeters "" ." 1 +In Autumn 2014 , Tom supported Stephen Merchant on his European Tour . In autumn 2014 Tom Stephen supported Merchant on his European Tour . 1 +In June 1986 , Boeing 767-200ERs replaced the DC-10 fleet , with a new route to Montréal -- Mirabel International Airport . In June 1986 , Boeing 767-200ER replaced the DC-10 fleet with a new route to the international airport of Montréal -- Mirabel . 1 +Elegia southi is a species of moth of the family Pyralidae . It was found by Reginald James West in 1932 and is described in Taiwan . Elegia southi is a kind of moth of the Pyralidae family described in 1932 by Reginald James West and is found in Taiwan . 0 +Now the new matrix representation for the symmetric bilinear form is given by The Symmetric Bilinear Matrix Representation for the New Form is Now Given 0 +In 2015 , SAP announced George X and Manny Rodriguez as the SpikeTV Spanish commentators for Premier Boxing Champions on Spike TV . In 2015 , SAP George X and Manny Rodriguez announced SpikeTV Spanish commentators for Premier Boxing Champions at Spike TV . 1 +Mishima is voiced by Daisuke Sakaguchi in Japanese and Sean Chiplock in English . Mishima is spoken in Japanese and Daisuke Sakaguchi in English by Sean Chiplock . 0 +When Jews were expelled from Italy in 1492 , many of them found refuge in Spain , where they were protected by King Ferdinand I. of Naples . When Jews were expelled from Italy in 1492 , many of them found refuge in Spain , where they were given protection by King Ferdinand I of Naples . 1 +The acute dose-dependent effects of beta radiation on skin are as follows : Acute dose-dependent effects of beta radiation on the skin are as follows : 1 +In 1987 , Fallahian was appointed Chief Public Prosecutor of the Special Court for the Clergy by Ruhollah Khomeini , and led the trial of Mehdi Hashemi . Ruhollah Khomeini was appointed Chief Prosecutor by Fallahian in 1987 as Chief Prosecutor of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . 0 +New teaching sites were opened in the 1990s in Alessandria , Biella , Ivrea , Mondovì and Vercelli . In the 1990s , new teaching campuses were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli . 1 +Jon Bon Jovi and lead singer Sambora formed the main songwriting unit for the band . Sambora and lead singer Jon Bon Jovi formed the main - songwriting - unit of the band . 0 +A post office called Pennville was established in 1856 , and remained in operation until 1909 . The community most likely was named after Penn Township . A post office called Pennville was founded in 1856 and remained in operation until 1909 , and was most likely named after the Penn Township . 1 +"Togdheer River ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer region in eastern Somaliland ." "Togdheer River ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer region of eastern Somaliland ." 1 +"Unrealistic is known to have great body proportions for his characters and "" Tenjho Tenge "" is no different ." "Unrealistic is known for his characters to have great body proportions and "" Tenjho Tenge "" is no different ." 1 +Assuming that structural relations are causal , this background knowledge can be expressed in the following specification of the linear equation model ( SEM ) . Assuming that the causal relationships are linear , this background knowledge can be expressed in the following structural equation model ( SEM ) specification . 0 +The uniforms are manufactured by Russell Athletic and the hats are produced by New Era . The uniforms are made by Russell Athletic and the hats are manufactured by New Era . 1 +The bill passed the House 32-8 on April 2 , 2009 , and later passed the Senate 76-41 . The bill happened the house 32-8 on 2 April 2009 and later the Senate 76-41 . 0 +In 1901 the critic Jean Lahor ( alias Henri Cazalis ) , listed the workshop as one of the best producers in France of Art Nouveau ceramics . In 1901 , the critic Jean Lahor ( aka Henri Cazalis ) listed the workshop as one of the best manufacturers of Art Nouveau - ceramics in France . 1 +Collera is one of nine parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadesella , northern Spain . Collera is one of nine parishes ( administrative divisions ) in Asturias , a municipality within the province and autonomous community of Ribadesella , in northern Spain . 1 +One of the greatest landowners in Saint Mary at the turn of the 20th century was Blanche Blackwell , mother of Chris Blackwell . One of the largest landowners in Saint Mary at the turn of the 20th Century was Blanche Blackwell , mother of Chris Blackwell . 1 +If the immigration official had known that asylum was intended on arrival , he would not have granted entry as a visitor . If the immigration official had intended that asylum was known on arrival , he would not have granted entry as a visitor . 0 +Murfreesboro is a part of the TN Metropolitan Statistical Area -- Davidson - Hickman County -- Franklin , Nashville . Hickman County is part of the Nashville -- Davidson -- Murfreesboro -- Franklin , TN Metropolitan Statistical Area . 0 +The People 's Armed Forces for the Liberation of Angola ( FAPLA ) and Cuban troops took the town on 1 February 1976 during the Angolan Civil War . The popular armed forces for the liberation of Angola ( FAPLA ) and Cuban troops took the city on 1 February 1976 during the Angolan civil war . 1 +Many coastal towns of Louisiana ( and Mississippi ) had already been obliterated , in a single night . In a single night , many coastal towns of Louisiana ( and Mississippi ) had already been wiped out . 1 +"On October 11 , 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." "Felipe Calderón inaugurated a boulevard in Tijuana , Baja California called "" José Francisco Blake Mora "" on 11 October 2012 ." 1 +is located on the southern coast of the Isle of Wight , England , to the east of the village of Monks Bay . Monks Bay is situated on the southern coast of the Isle of Wight , England , to the east of the village of Bonchurch . 0 +The manga is published in French by Pika Edition , in Spanish by Planetacomic , in German and Italian by Panini Comics . The manga is published by Pika Edition in French , by Planetacomic in Spanish , by Panini comics in English and Italian . 0 +Abdirazak Ali Hassan took over the company after his brother Hassan had died . Abdirazak Ali Hassan took over the company after his brother , Hassan died . 1 +Lieutenant-Governor John Graves Simcoe gave the river the name of Humber , likely after the Humber estuary in England . John Graves Simcoe gave the river the name of Humber , probably after the Humber estuary in England . 1 +Philip Philip Lawson is a pseudonym for mystery novels written by Michael Bishop with Paul Di Filippo . Michael Bishop is a pseudonym for mystery novels by Paul Di Filippo written by Philip Lawson . 0 +In Kyle 'apos ; s body , Parallax Hal Jordan , Guy Gardner , and John Stewart captured and brought them to Qward . In Kyle 's body , Parallax captured Hal Jordan , Guy Gardner , and John Stewart and brought them to Qward . 0 +Born in Carrickfergus , Northern Ireland , Kathy Lloyd grew up in Netherton , Bootle , where she visited Warwick Bolam High School . Born in Bootle , Kathy Lloyd grew up in Netherton , Carrickfergus , Northern Ireland , where she visited Warwick Bolam High School . 0 +Turing had an elder brother , John Dermot Turing ( the father of Sir John , 12th Baronet of the Turing baronets ) . Turing had an elder brother , John Dermot Turing ( father of Sir John , 12th Baronet of the Turing Baronets ) . 1 +Spooner founded the rock band Erikson with two fellow musicians in Madison , Wisconsin in 1974 . In 1974 , Erik Erikson founded the rock band Spooner with two fellow musicians in Madison , Wisconsin . 0 +On Victory Road , they introduced their new manager , the Voodoo Queen , Roxxi Laveaux , to embarrass Christy Hemme . At Victory Road , they introduced their new manager , the Voodoo Queen , Christy Hemme , to embarrass Roxxi Laveaux . 0 +Statistically speaking , Halifax is the 204th largest community in the Commonwealth in terms of population , and 186th in terms of population density . Halifax is statistically the Commonwealth 's 204th largest community in terms of population and 186th in terms of population density . 1 +The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was finalized in 3D and made in post-production . The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was completed in 3D and made in the post-production . 1 +The Stăvnicel River is a tributary of the Durduc River in Romania . The river Durduc is a tributary of the River St ? vnicel in Romania . 0 +There is some uncertainty about whether Ruby Glaze , a singer with whom Willie McTell recorded 1932 , is the same person as Kate McTell . There is some uncertainty as to whether Ruby Glaze , a singer with whom Willie McTell recorded in 1932 , is the same person as Kate McTell . 1 +KSR-3 ( South Korean Sounding Rocket-3 ) is Korean sounding rocket designed by KARI . KSR-3 ( Korean Sounding Rocket-3 ) is a Korean sounding rocket designed by KARI . 0 +On September 5 , Rey Bucanero , another CMLL - Wrestler , started a NJPW tour as a member of the Bullet Club . On September 5 , Rey Bucanero , another CMLL wrestler , started a NJPW tour working as a member of Bullet Club . 1 +Previously held in the city of Christchurch , the show moved to Auckland at Hagley Park in 2008 . The show , which was previously held in the city of Auckland , moved to Christchurch at the Hagley Park in 2008 . 0 +He moved to Nacogdoches in 1836 to near Texas . In 1836 he moved to Texas to be near Nacogdoches . 0 +However , as soon as he escapes , the Native Americans attack Silent Creek and Jamie arrives . However , as soon as he escapes , the native Americans attack Silent Creek and Jamie . 1 +Mercy Lewis , known formally as Mercy Allen , was the child of Philip Lewis and Mary ( Cass ) Lewis . Formally known as Mercy Lewis , Mercy Allen was the child of Philip Lewis and Mary ( Cass ) Lewis . 0 +The wizard Merlin had Arthur educated by the knight Sir Ector and his son Kay . The wizard Merlin had Arthur brought up by the knight Sir Ector and his son Kay . 1 +Riverton was a parliamentary electorate in the Southland region of New Zealand . Riverton was a parliamentary election in the Southland of New Zealand region . 1 +"Under Louis XVI his father was an officer in the "" black musketeers "" , the musketeers of the military household of the King of France ." "Under Louis XVI , his father was officer in the "" black musketeers "" , the musketeers of the military budget of the King of France ." 0 +Dighton is located in the Fifth Bristol state representative district , which includes Swansea and parts of Somerset and Taunton . Dighton is located in the fifth Bristol State representative district , including Somerset and parts of Swansea and Taunton . 0 +"As the name suggests , the bilinear interpolant is "" not "" linear ; but it is the product of two linear functions ." "As the name suggests , the linear Interpolant "" is not "" linear , but rather it is the product of two bilinear functions ." 0 +"The 2014 series comprised eight celebrities , including goalkeeper Neville Southall , weather moderator Behnaz Akhgar , singer Ian Watkins , and "" Big Brother "" winner Sam Evans ." "The 2014 series involved eight celebrities including goalkeeper Neville Southall , weather presenter Behnaz Akhgar , singer Ian Watkins and "" Big Brother "" winner Sam Evans ." 1 +Philadelphia Fight defeated Fairfax Eagles 20-12 Fairfax Eagles defeated Fight 20-12 Philadelphia . 0 +""" The Idolmaster "" is a series of videogames - simulation and rhythm - video games by Namco ( formerly Bandai Namco Games ) ." """ The Idolmaster "" is a series of raising simulation and rhythm video games created by Bandai Namco Games ( formerly Namco ) ." 0 +Owaisi is married to Farheen Owaisi , has five daughters and a son , his mother is Nazima Begum . Owaisi is married to Farheen Owaisi and has five daughters and one son . His mother is Nazima Begum . 1 +Lombard Middle School was located in Galesburg until 1930 and is now the site of Lombard College . Until 1930 , the Lombard High School was located in Galesburg and is now the site of Lombard - College . 1 +In the narrative bracket , between the next and the current season , we found out , that Guido is dead due to a car accident . In the narrative , between the current and the next season , we found out that Guido is dead by a car accident . 1 +Belize High School is a secondary school , high school in Belize City , Belize . Belize High School is a high school school in Belize City , Belize . 1 +Martin Gropius was the great-uncle of the architect and Bauhaus - founder Walter Gropius . Martin Gropius was the great-uncle of architect and Bauhaus founder Walter Gropius . 1 +It is endemic to California , in the central Sierra Nevada in eastern Madera County . It is endemic to Madera County , in the eastern Sierra Nevada within central California . 0 +Then Agrippa Polemon I sent from Pontus to take Scribonius and remove the throne himself . Agrippa then sent Polemon I of Pontus to take Scribonius and remove the throne himself . 1 +The Nordiques signed Free Agent Tony Currie from Edmonton Oilers , while Blake Wesley , who signed with the Toronto Maple Leafs , lost . The Nordiques signed free agent Tony Currie from the Edmonton Oilers , while they lost Blake Wesley , who signed with the Toronto Maple Leafs . 1 +"She was portrayed by Mariko in the 2013 film "" The Wolverine "" , in which Tao Okamoto Wolverines is primary romantic interest , girlfriend and lover ." "She was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" in which Mariko is Wolverine 's primary romantic interest , girlfriend , and lover ." 0 +This was followed by MassWIT in Boston , NycWIT in New York and CapitolWIT in Washington , D.C . It was followed by MassWIT in New York City , NycWIT in Boston and CapitolWIT in Washington , D.C . 0 +Two villages are located in Portage : part of Jerry City in the south , and part of Portage Township in the northwest . In Portage township there are two villages : part of Jerry City to the south and part of Portage in the northwest . 0 +In the 9th century Bethlehem went through control of the Islamic caliphates of the Abbasids , then in the 8th century the Umayyads . In the 8th century Bethlehem went through control of the Islamic caliphates of the Umayyads , then in the 9th century the Abbasids . 0 +It was re-created in 1987 from parts of Lake Centre , Humboldt -- Assiniboia and Moose Jaw ridings . It was obtained in 1987 from parts of Assiniboia , Humboldt - Lake Centre and Moose Jaw Ridings . 0 +The significant tributaries of the Cascapédia River are ( in upstream order ) : The upstream tributaries of the Cascapédia are ( in significant order ) : 0 +He also appeared in music films and later in life , in comedic roles . He also appeared in comedic films and later in life , in musical roles . 0 +Steve Davis won against Terry Griffiths in the finals 9 -- 8 . Terry Griffiths won against Steve Davis with 9 : 8 in the final . 0 +She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on the 21 January 1751 . She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on 21 January 1751 . 0 +Hickman County is part of the Metropolitan Statistical Area Nashville - Davidson - Murfreesboro - Franklin , TN . Murfresboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . 0 +There is the Pakistani market and a similar Russian market in Russian blocks for shopping . There is a Russian market for shopping and a similar Russian market in Pakistani blocks . 0 +It corresponds to the zodiacal sign of Cancer , and overlaps later with approximately half of July and early half of August in the Gregorian calendar . It corresponds to the zodiacal sign of cancer and intersects in the Gregorian calendar approximately with the later half of July and the early half of August . 0 +The mechanism also has found thermobaric use in the military weapons . The mechanism has also found thermobaric use in military weapons . 1 +From the early 1980s to the late 1990s , Cabble was the lead singer in the all female rock bands Clinic Q and then Miss B . Haven . From the late 1980s to the early 1990s , Cabble was the lead singer in the female rock bands Clinic Q and then Miss B . Haven . 0 +During the uprising of 1745 it was again held by Jakobites and visited twice by Bonnie Prince Charlie . During the 1745 uprising it was twice visited by Jacobites and held again by Bonnie Prince Charlie . 0 +Cypress County is served by the Federal Electoral Division of MHCW and represented in the Canadian House of Commons by the Conservative MEP GLEN MOTZ . Cypress County is represented by the Federal Electoral Division of MHCW and served in the Canadian House of Commons by Conservative MP GLEN MOTZ . 0 +"At "" Shine 8 "" , Valkyrie Amazing Kong , Angelina Love , Christina von Eerie and Mia Yim defeated in an eight-person team - team match ." "At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Mia Yim , Christina Von Eerie , and Angelina Love in an eight-woman tag team match ." 0 +Also several free web hosting services such as geocities provided free webspace for personal web pages . Also personal web hosting - services such as geocities provided free web space for several free websites . 0 +Mouhoun is one of 45 provinces in Burkina Faso and is located in the Boucle du Mouhoun region . The capital of Mouhoun is Dédougou . Mouhoun is one of the 45 provinces of Burkina Faso and is in Boucle du Mouhoun Region . The capital of Mouhoun is Dédougou . 1 +The Three Sisters Islands are islands that lie off the south coast of Goat Island The islands are part of Niagara Falls , New York . The Three Sisters Islands are islands which lie off the south shoreline of Niagara Falls , New York . The islands are part of Goat Island . 0 +The 1963 San Francisco State Gators football team represented College Division during the 1963 San Francisco State College football season . The 1963 San Francisco State Gators football team represents College Division during the 1963 San Francisco State College Football season . 1 +The former members of the active MDU and ABL were arrested by the police , such as John Eber and Dr. Joseph K.M . The active members of former MDU and ABL were arrested by the police , such as John Eber and Dr Joseph K.M . 0 +They also included Peter Mutharika ( the brother of President Mutharika ) , Goodall Gondwe , the Minister for Economic Development , and Chief Secretary Bright Msaka . They also included Goodall Gondwe ( the brother of President Mutharika ) , Peter Mutharika , the Minister for Economic Development , and Chief Secretary Bright Msaka . 0 +Peggy Edenfield testified against her husband George in that case and also agreed to testify against her son , David , during his trial . Peggy Edenfield testified against her husband David in that case and also agreed to testify during his trial against her son , George . 0 +In the application a statistic is determined from the experimental data , a probability of exceeding this statistic is calculated and probability is compared with a threshold value . In application , a statistic is calculated from the experimental data , a probability of exceeding that statistic is determined and the probability is compared to a threshold . 0 +The South Deep mine is a large mine located in the northern part of South Africa in Gauteng . The Mine South Deep is a large mine in the northern part of Gauteng in South Africa . 0 +However , in 1919 , concluded that no more operational awards would be made for the recently decreed war . In 1919 , however , no operational awards would be made for the recently concluded war . 0 +He was a lifelong friend of Lewis Carroll ( 'Charles Lutwidge Dodgson ' ) , and encouraged Dodgson to take up photography . "He was a lifelong friend of Lewis Carroll ( "" Charles Lutwidge Dodgson "" ) , and encouraged Dodgson to take photography ." 1 +In 2010 , the son-in-law Stuart Stuart was sworn in because of the death of Prime Minister David Thompson . Freundel Stuart was sworn in , in 2010 because of the death of the Prime Minister David Thompson . 1 +Franklin Township was organized in 1855 , and named after Franklin Township , Ripley County , Indiana , the native home of an early settler . Franklin Township was founded in 1855 and named after Franklin Township , Ripley County , Indiana , the home of an early settler . 1 +In December 1995 , Xylogics was acquired by Bay Networks , which was in turn taken over by Nortel in June 1998 . Xylogics was acquired by Nortel in December 1995 , which in turn was acquired by Bay Networks in June 1998 . 0 +615 ( County of Surrey ) Squadron was a unit of the British Royal Auxiliary Air Force and later the Auxiliary Air Force between 1937 and 1957 . No . 615 ( County of Surrey ) Squadron was a unit of the British Royal Auxiliary Air Force and later the Auxiliary Air Force between 1937 and 1957 . 1 +The Antarctic Peninsula is an island archipelago off the western coast of the Wilhelm archipelago in Antarctica . The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in Antarctica . 0 +Roxus supported the international bands Poison and Bon Jovi in 1989 on their respective Australian tours . In 1989 , Roxus supported Australian bands Poison and Bon Jovi on their international tours . 0 +The arrows were a new Canadian wave band of the 1980s . The Arrows were a Canadian 1980s new wave band . 0 +In the final , Nick Lindahl defeated Alexandre Sidorenko ( 6 - 3 , 7 - 6 ) . Nick Lindahl defeated Alexandre Sidorenko ( 6 -- 3 , 7 -- 6 ) in the final . 1 +Robert Holland ( 1569 -- 1633 ) , the son of Hugh Holland , was born in Denbigh in the north of Wales . The son of Hugh Holland ( 1569 - 1633 ) was born in Denbigh in the north of Wales . 1 +"Izabella Scorupco is a main character and fictitious bond - girl in the James - Bond - film "" GoldenEye "" , played by the actress Natalya Fyodorovna Simonova ." "Natalya Fyodorovna Simonova is a fictional character and the main Bond girl in the James Bond film "" GoldenEye "" , played by actress Izabella Scorupco ." 0 +The application allows players to track their physical map collection , play a virtual version of the TCG , and view the monsters in augmented reality . The application allows players to view their physical card collection , play a virtual version of the TCG and track the monsters in augmented reality . 0 +"Bodybuilders often shorten these three steps to the well-known motto "" eat clean , train hard , sleep well "" ." "Bodybuilders often shorten these three steps into the well-known motto "" eat clean , sleep well , train hard "" ." 1 +William Henry Emerson was born in Tunnel Hill , Georgia in 1860 to Matilda Caroline Austin , daughter of Clisbe Austin , and Caleb J. Emerson . Caleb J. Emerson was born in 1860 in Tunnel Hill , Georgia , the son of William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . 0 +The mammalian fauna of Madagascar is highly different and largely endemic . The mammalian fauna of Madagascar is largely endemic and highly distinctive . 1 +Epigenomics is a molecular diagnostics company headquartered in Seattle , WA , with a wholly owned subsidiary , Epigenomics Inc. , based in Berlin . Epigenomics is a molecular diagnostics company headquartered in Berlin , Germany with a wholly owned subsidiary , Epigenomics Inc. based in Seattle , WA . 0 +New Two is an album by jazz pianist Mal Waldron and baritone saxophonist George Haslam , which was recorded in 1995 and published on the English slam label . Two New is an album by jazz pianist George Haslam and baritone saxophonist Mal Waldron recorded in 1995 and released on the English Sl 0 +Bergamo railway station is connected with regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . Bergamo railway station is connected with regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . 1 +Siyin , however , is official , and Sizang is Local Terminology However the term Siyin is local and Sizang is official terminology . 0 +Combinatorial placement later exceeded quadratic solutions , both in quality and stability . Quadratic placement later exceeded combinatorial solutions in both quality and stability . 0 +Mahiwa is a place in Tanzania . It is located in the Lindi Region of the Lindi Rural District . It is a place in Tanzania , located in the Lindi district of the region Lindi . 0 +At least four hard disks are required in a standard - RAID - 01 - configuration , but larger arrays are also used . In a standard - RAID - 01 - configuration , at least four disks are used , but larger arrays are also necessary . 0 +In the 2012 NFL Draft , Posey was selected by the Houston Texans in the 68th round ( third overall ) . In the 2012 NFL Draft , Posey was selected in the third round by the Houston Texans ( 68th total ) . 0 +Enter through the south gate , turn left and worship on the eastern side Ganapathy , Shiva and Ayyappan . Enter through the eastern gate , turn left and worship on the south side Ganapathy , Shiva and Ayyappan . 0 +This species is present in Italy , France and in Switzerland . This species is present in Switzerland , France and Italy . 1 +Scott and Short then traveled overland to the Kentucky River to claim the land they would later examine . Scott and Short then traveled overland to the Kentucky River to investigate the land that they would claim later . 0 +It is located from Fennoscandinavia to the Pyrenees , Great Britain and Greece and from Italy to Russia and Ukraine . It is found from Fennoscandinavia to the Pyrenees , Italy , and Greece and from Great Britain to Russia and Ukraine . 0 +For example , to telephone Norway before 1992 in Oslo , it was necessary to call : For example , to call Oslo in Norway before 1992 , it was necessary to dial : 0 +This species is present in Switzerland , in France and in Italy . This species is present in Switzerland , France and Italy . 1 +The French , led by Bertrand du Guesclin , defeated and met the relief force . The French , led by Bertrand du Guesclin , met and defeated the relief force . 0 +The Federal University , Lokoja , popularly known as Fulokoja , is a federal government university in Lokoja , in North-Central Nigeria . Federal University , Lokoja , known as Fulokoja , is a university of the Federal Government in Lokoja , North-Central - Nigeria . 1 +Ann Henricksson defeated Martina Navratilova with 6 -- 1 , 6 -- 1 . Martina Navratilova defeated Ann Henricksson 6 -- 1 , 6 -- 1 0 +""" Little Boys "" is the fourth episode in the third season of the television series "" How I Met Your Mother "" and 48th total ." """ Little Boys "" is the third episode in the fourth season of the TV series "" How I Met Your Mother "" and total 48th ." 0 +Similar to a CFG , a probabilistic context-free grammar can be defined by a Quintupel : Similar to a CFG , a free context-probabilistic grammar can be defined by a quintuple . 0 +They are often consumed with beer and are sometimes a snack . They are often consumed with beer and are sometimes a bar snack . 1 +The Astors settled in North America , first appearing in Germany in the 18th century with John Jacob Astor , one of the richest people in history . The astors settled in North America , appearing for the first time in the eighteenth century with John Jacob Astor , one of the richest people in history , in Germany . 1 +Ten Olympic teams took part in the tournament , 3 teams from Europe and 7 teams from Africa . Ten Olympic teams took part in the tournament , three teams from Africa and 7 teams from Europe . 0 +In November 1888 , Lucy Stone invited Laura Clay to present a speech at the AWSA Convention in Cincinnati . In November 1888 , Laura Clay invited Lucy Stone to present a lecture at the AWSA Convention in Cincinnati . 0 +Qarabağlı ( also , Karabagly ) is a village and municipality in the Samukh Rayon of Azerbaijan . It has a population of 652 . It is a village and municipality in the Samukh - Rayon of Azerbaijan , has a population of 652 . 1 +The radio and television station Turku is a mast in Kaarina , Finland , which has a height of and was built in 1964 . Turku radio and television station is a mast in Kaarina , Finland . It has a height of and it was built in 1964 . 1 +Indy - Legend Gordon Johncock , Veteran Stan Fox and Buddy Lazier , who have made the race for the first time . Indy legend Buddy Lazier , veteran Stan Fox , and Gordon Johncock , who made the race for the first time . 0 +The main international airport is Douala International Airport and a second international airport at the Yaoundé Nsimalen International Airport . The main international airport is the Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . 0 +The River De La Hagher is a tributary of the River Jiul de Vest in Romania The Jiul de Vest river is a tributary of the River De La Hagher in Romania . 0 +A quantum fluid refers to each system that shows quantum mechanical effects at the macroscopic level , such as superfluids , superconductors , ultracold atoms , etc . A quantum mechanical fluid refers to any system that exhibits macroscopic effects at the quantum level such as superfluids , superconductors , ultracold atoms , etc . 0 +Inorganic liquids include water , magma , many solvents and inorganic non-watery acids . Inorganic liquids include water , magma , inorganic non-aqueous solvents and many acids . 0 +The wingspan flies . The moth is from July to August depending on the location . The wingspan is sized , the moth flies depending on the location from July to August . 0 +Due to high prices and volatile capital costs , few deposits without subsidies can be exploited economically . Due to the volatile prices and high capital costs few deposits can be exploited economically without subsidies . 0 +The crew consisted of Doncho Papazov , Julia Papazova , their 5-year old daughted Yana , Simeon Idakiev , Boris Siriyski , Rumen Kostov and Peter Andonov . The crew consisted of Doncho Papazov , Julia Papazova , their five-year-old Yana , Simeon Idakiev , Boris Siriyski , Rumen Kostov and Peter Andonov . 1 +Anastasia Myskina won 6-2 , 6-3 against Jelena Dokić in the finals . Anastasia Myskina won in the final , 6 - 2 , 6 - 3 against Jelena Dokić . 1 +Nikolai Malko wrote his Symphony No . 9 in E minor , Op . 28 , between 1926 and 1927 . It was dedicated to Nikolai Myaskovsky . Between 1926 and 1927 Nikolai Malko wrote his symphony No . 9 in e - Moll op . 28 , dedicated to Nikolai Myaskovsky . 1 +Jens Hoffmann was the founding director of the Institute . The current director is Anthony Huberman , who replaced Lawrence Rinder in 2013 . The founding director of the institute was Jens Hoffmann , the current director is Anthony Huberman , who in 2013 replaced Lawrence Cattle . 0 +In August 2010 , Axel Bulthaupt presented an episode , while Stefan Mross was absent for personal reasons . In 2010 , Stefan Mross presented an episode in August while Axel Bulthaupt was absent for private reasons . 0 +Stella was born in Nnewi Northern Nigeria into the family of Felix Ebelechukwu and Margaret Modebelu , descendants of Anambra State in Kano State . Stella was born in Kano State , Northern Nigeria into the family of Felix Ebelechukwu and Margaret Modebelu , descents of Nnewi in Anambra State . 0 +If three variables , Formula 26 , Formula 27 and Formula 28 , are bound for a total function formula 30 by condition formula 29 , the following differentials exist . If three variables , formula 26 , formula 27 and formula 28 are bound by the condition formula 29 for some total function formula 30 , then the following differentials exist . 1 +Tadas Langaitis is a Lithuanian politician , member of the Seimas since November 2016 , citizen activist , active in social and civic projects in Lithuania . Tadas Langaitis is a Lithuanian politician , member of the Seimas , social and civic activist since November 2016 , active in citizens ' projects in Lithuania . 0 +The album was released by Furious in the UK and by 7 Spin Music in the US on May 26 , 2007 . The album was released on May 26 , 2007 by Furious in the US and 7 Spin Music in England . 0 +John John Braithwaite married Caroline or possibly Caroline Amelia ( 1803-1878 ) and had at least 10 children ( 6 sons and 4 daughters ) : John Braithwaite married Caroline or possibly Caroline Amelia ( 1803-1878 ) and together they had at least 10 children ( 6 sons and 4 daughters ) : 1 +Curry was born in Longbenton , Northumberland , in 1935 , and died in Mansfield , Nottinghamshire , in 1990 at the age of 54 . Curry was born in Longbenton , Northumberland in 1935 and died in 1990 at the age of 54 in Mansfield , Nottinghamshire . 1 +He has played at the festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . He has performed at the Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach festivals . 0 +The company built a hotel in Eskisehir in Turkey and a paper factory in Kazakhstan . In Eskisehir , the company built a hotel in Turkey and a paper mill in Kazakhstan . 1 +Translated into modern algebraic , an apotom can be interpreted as a rational number , formed by subtracting one square root of a square irrational number from another . Translated into modern algebraic language , an apotome can be interpreted as a quadratic irrational number formed by subtracting one square root of a rational number from another . 0 +The development of Bas 90 started in the 1970s and began being implemented in the 1980s . The development of Bas 90 began in the 1970s and was implemented in the 1980s . 1 +The music of the film was composed by Vijaya Bhaskar and written lyrics for the soundtrack of Chi Udaya Shankar and Vijaya Narasimha . The music of the film was written by Vijaya Narasimha and lyrics for the soundtrack composed by Chi . Udaya Shankar and Vijaya Bhaskar . 0 +A Chinese version , the T28sc was published in China with support for reading and entering special characters . A special version , the T28sc was released in China with support for reading and entering Chinese characters . 0 +-- Light , camera ... Cut ! -Kid wants to win a contest , so he counts on Big Bang and Horace to help him . 2nd lights , camera ... cut ! -Horace wants to win a contest , so he counts on big bang and child to help him . 0 +Glišić went to Zagreb every Sunday and returned to Šabac every weekend . Every Sunday he returned to Zagreb and went to Å abac every weekend . 0 +Goolagong Cawley won five finals between 1971 and 1980 but reached only her first and last finals . Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and final finals . 1 +"Ecologically appropriate , economically sustainable , politically sensitive , and finally , socially just "" , however no references or sources are provided for the data used ." """ Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources for the data used are specified ." 0 +The best-known version of the song was produced by Dick Rowe and recorded in 1953 in England by The Stargazers . The best-known version of the song was recorded by Dick Rowe and produced in 1953 in England by The Stargazers . 0 +This species is present in Italy , in France and in Switzerland . This species is present in Italy , France and in Switzerland . 1 +Wulffius fled with her son to Germany , where she lived until she came to Australia in 1953 . Wulffius came to Germany with her son where she lived until she fled to Australia in 1953 . 0 +"In 2014 , he played the leading role of Dave Martinez in the afternoon - TV series entitled "" Pure Love "" , alongside Alex Gonzaga and Yen Santos ." "In 2014 , he played the main role of Alex Gonzaga in the afternoon TV series entitled "" Pure Love "" , alongside Dave Martinez and Yen Santos ." 0 +Jacky Jasper and Marc Live joined forces with Kool Keith to release two albums as KHM . Kool Keith and Marc Live joined with Jacky Jasper to release two albums as KHM . 0 +It is endemic in San Luis Obispo County , California , where it is known only from the Pecho Hills southwest of San Luis Obispo , California . It is endemic to San Luis Obispo County , California , where it is known only from the Pecho Hills southwest of San Luis Obispo in California . 1 +The river Stejioara is a tributary of the river Bârnărel in Romania . The river Bârnărel is a tributary of the River Stejioara in Romania . 0 +He developed players like Nedko Nedev , Ivan Derventski , spas Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damjan Georgiev . He developed players like Nedko Nedev , Ivan Derventski , Spas Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev . 1 +He was born in Ontario , Canada and died in Canada . He was born in Canada and died in Canada ’ s Ontario . 0 +Ignjat Job painted colorful landscapes on the island of BraÄ in a personal Expressionist style . Ignjat Job painted personal landscapes on the island of BraÄ in a colorful Expressionist style . 0 +He was married twice , to Elizabeth Dettlaff and to Annie Kowalkowski , and had three daughters . He was twice married to Annie Kowalkowski and Elizabeth Dettlaff , and had three daughters . 1 +Indonesian dumplings were influenced and brought by Chinese immigrants to Indonesia . Indonesian dumplings were influenced by Chinese immigrants and brought to Indonesia . 1 +With this money he built a similar lake with a beautiful palace , Hirajheel , on the other side of the Bhagirathi River . With this money he built a similar lake with a beautiful palace , Hirajheel , on the opposite side of the Bhagirathi River . 1 +Viviano Codazzi was an important contemporary artist of the genre , whose work was influenced by Alessandro Salucci . Alessandro Salucci was an important contemporary practitioner of the genre whose work was influenced by Viviano Codazzi . 0 +The use of the Internet has allowed animated cards to become interactive . The use of the Internet has allowed interactive maps to become animated . 0 +Lielplatone parish is an administrative unit of the Jelgava Municipality ( prior to the 2009 administrative reforms the Jelgava District ) , Latvia . Lielplatone community is an administrative unit of the Jelgava district ( prior to the administrative reforms 2009 of the municipality of Jelgava ) , Latvia . 0 +Morgan arrives an sets Chang on fire , where he explodes along with the explosives on board the train . Morgan explodes and sets Chang on fire where he arrives on board the train along with the explosives . 0 +Paniqui is from Tarlac City and is from the provincial capital of Manila . Paniqui is from Tarlac City and is from the provincial capital , Manila . 1 +On March 15 , 1961 , the UPA , in a tribal attack , started the massacre of black populations and white workers born in other regions of Angola . On 15 March 1961 , the UPA launched a tribal attack on the massacre of black populations and white workers born in other regions of Angola . 1 +Sawamatsu is the sister of tennis player Junko Sawamatsu and the aunt of Naoko Sawamatsu . Sawamatsu is the sister of Naoko Sawamatsu tennis player and the aunt of Junko Sawamatsu . 0 +He continued his cross country and track career at Boston English High School and began his career at Boston State College . He started his cross country and track career at the Boston English High School and continued his career at Boston State College . 0 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in Tanzania in 1992 and is one of the most experienced airlines in Zanzibar . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was established in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . 0 +Baptist is living back in North Sydney and currently working from his Sydney studio . Baptist lives back in North Sydney and is currently working from his Sydney studio . 1 +La Unión is a city in the Greater Buenos Aires , Argentina , in the Ezeiza Partido . La Unión is a town in Ezeiza Partido , in the Greater Buenos Aires , Argentina . 1 +They suffered five wounded men in the action , the British had no loss . In the action , they had five men wounded ; the British suffered no casualties . 0 +"It is the first entry in the series , the second being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." "It is the first entry in the series , the second is "" Fast Racing League "" on WiiWare published in 2011 for the Wii ." 1 +In 1976 Thorup returned to Denmark to work with Danish musicians including Sebastian . In 1976 , Sebastian returned to Denmark to work with Danish musicians like Thorup . 0 +It was assigned to Felidae by Carroll ( 1988 ) , but later , it was then later placed within Nimravidae . It was assigned to Felidae of Carroll ( 1988 ) , but later it was placed within Nimravidae . 1 +"After "" The Kids "" was recorded with the drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recorded with Derrick except "" The Kids "" ." "After "" The Kids "" was recorded with the drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recorded with Derrick , except for "" The Kids "" ." 1 +It was created in 1996 from parts of Prescott and Russell and Stormont , Dundas and Glengarry , when ridings were redistributed to correspond to their federal opponents . It was created in 1996 from parts of Prescott and Russell and Stormont , Dundas and Glengarry when ridings were redistributed to match their federal counterparts . 1 +The music was written by MS Baburaj and lyrics was composed by Naattika Sivaram . The music was written by MS Baburaj and the lyrics by Naattika Sivaram composed . 1 +""" Frog Legs Rag "" is a classic cardboard composed by James Scott and published in December 1906 by John Stillwell ." """ Frog Legs Rag "" is a classic rag composed by John Stillwell Stark and published by James Scott in December 1906 ." 0 +It stipulated that a brother of King Louis was to marry Joan of Toulouse , daughter of Alphonse of Toulouse , and so in 1237 Raymond VII married her . It said that a brother of King Louis Joan of Toulouse , daughter of Alphonse of Toulouse , was to marry , and so she married Raymond in 1237 . 0 +Trujillo incorporated elements of contemporary art and native figures in a very hieratic style in his canvases . Trujillo has incorporated in his canvases elements of local art and hieratic figures in a very contemporary style . 0 +However , he later married Meyna of Westerburg and after his father 's death became the first count of Nassau-Beilstein . Later , however , he became Meyna of Westerburg and married the first Count of Nassau-Beilstein after his father ’ s death . 0 +Be ready to get online with the hottest downloads on Mobbed on , Downunder and Mobile ! Be prepared to get Mobbed on air , online and on mobile with the hottest downloads downunder ! 0 +He was elected as Distinguished Lecturer by the International Speech Communication Association and the IEEE Signal Processing Society . He was elected to a Distinguished Lecturer by the IEEE Signal Processing Society and the International Speech Communication Association . 1 +The nest is generally a flat cup , but can be deep with a deepening for the eggs . The nest is generally a flat cup but can be deep with a depression for the eggs . 1 +The radical party of the people ( Narodna radikalna stranka ) was founded in 1881 as a conservative party , but it developed into a radical direction from 1919 . "The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a radical party but from 1919 it evolved into a conservative direction" 0 +Ringwood is located in the 39th Congressional District and is part of the 5th State Legislative District of New Jersey . Ringwood is located in the 39th Congressional District and is part of New Jersey 's 5th state legislative district . 1 +The division goes through or touches the states of Mississippi , Tennessee , Virginia , North Carolina , South Carolina , Georgia , Alabama , West Virginia and Kentucky . The divide passes through or touches the states of West Virginia , Virginia , North Carolina , South Carolina , Georgia , Alabama , Mississippi , Tennessee and Kentucky . 1 +The technological center was founded as a result of the cooperation between the Armenian government , World Bank and the Enterprise Incubator Foundation . The technological center was founded as a result of collaboration between the Armenian government , the World Bank , and the Enterprise Incubator Foundation . 1 +"Verma was respected in the teacher community of Delhi , he was the owner of a daily Hindi newspaper called "" Haribhumi "" ." "Verma was respected among the teacher community of Delhi . He was the owner of a national Hindi daily newspaper called "" Haribhumi "" ." 1 +Scott was born in Chester County , Pennsylvania , and was buried in Parkesburg , Pennsylvania . Born in Parkesburg , Pennsylvania , Scott was buried in Chester County , Pennsylvania . 0 +From 1888 to 1913 , he was chairman of the Highfields Divisional Board and chairman of the Highfields Shire Council from 1915 to 1917 . Munro was chairman of the Highfields Divisional Board from 1888 to 1913 , and of the Highfields Shire Council from 1915 to 1917 . 1 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was directed by Ali Akram Shuvo and composed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and was managed by Sheikh Sadi Khan . 0 +Elinor had also privately told Do that she had read her letters to Julia . Elinor had also told Do privately that she had read her letters to Juliet . 1 +Homer Township was founded in 1837 by a division of Albion Township . Albion Township was established by a division of Homer Township in 1837 . 0 +This performance was also better known as Cassius Clay by future Heavyweight Champions Muhammad Ali and Leon Spinks . This feat was also accomplished by future Heavyweight Champions Cassius Clay known better as Muhammad Ali and Leon Spinks . 0 +Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo from Spain . Francisco Javier Mier Campillo ( 1748 - 1818 ) was a Spanish bishop who , from 1814 to 1818 , was a Grand Inquisitor in Spain . 0 +The opening theme was composed by Gérard Pullicino and was sung by Amina Annabi on its original version . The opening theme was composed by Gérard Pullicino and sung by Amina Annabi in its original version . 1 +The 1935 Chico State College Football team represents Chico State Wildcats during the College - Football - Season 1935 . The 1935 Chico State College football team represented Chico State Wildcats during the 1935 college football season . 1 +It is possible to reverse the inclination sensor to be able to play it properly on a GBA SP . It is possible to play the inclination sensor in order to be able to reverse it on a GBA SP properly . 0 +Janet Lloyd married Ayliffe in 1963 and they had two children . In 1963 , Ayliffe married Janet Lloyd and had two children . 1 +If Formula 142 is a characteristic field of a positive local one . If formula _ 142 is a local field of positive characteristic ( i.e . 0 +In a single night , many coastal towns of Mississippi ( and Louisiana ) had already been wiped out . Many coastal towns of Louisiana ( and Mississippi ) had already been obliterated , in a single night . 1 +"From 1973 to 1974 Aubrey toured with the Cambridge Theatre Company as a diggory in "" You to conquer stoops "" and again as Aguecheek ." "From 1973 to 1974 , Aguecheek toured with the Cambridge Theatre Company as Diggory in "" She Stoops to Conquer "" and again as Aubrey ." 0 +Linda insists Gavin that Flem is her father , Linda is doubtful . Linda insists to Gavin that Flem is her father ; Linda is doubtful . 1 +He was son of Ebenezer Elmer and nephew of Jonathan Elmer , both of whom also served in Congress . He was the son of Jonathan Elmer and nephew of Ebenezer Elmer , both of whom served in Congress . 0 +The Nyon Campus offers kindergarten and secondary education services , while Pully Campus offers a kindergarten , primary and primary school . The Nyon campus offers nursery and primary education , while the pully campus offers a kindergarten , a primary school and a secondary education . 0 +Quintus Caecilius Metellus Macedonicus was the second son of the Roman politician , General Lucius Caecilius Metellus Diadematus . Lucius Caecilius Metellus Diadematus was the second son of the Roman politician and General Quintus Caecilius Metellus Macedonicus . 0 +In general , Ireland , with the exception of most of Northern Europe , came under the influence of Protestantism . In general , Ireland , with the exception of most of northern Europe , was under the influence of Protestantism . 1 +QuasarDB is a built-in query language that has a SQL dialect optimized for time series . QuasarDB is a built-in query language which has a dialect of SQL optimized for time series . 1 +Commander Adama arrives in Kobol with Billy Keikeya and Chief Galen Tyrol . Commander Adama arrives on Kobol with Billy Keikeya and Chief Galen Tyrol . 1 +The leaves are used to prepare a putative drink , known for its refreshing diuretic , sedative and aphrodisiac effects . The leaves are used to prepare a refreshing drink known for its putative diuretic , sedative , and aphrodisiac actions . 0 +Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and a national record swimmer from Havana . Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is an Olympic and national record floating swimmer from Cuba . 1 +Maplewood is located in the 27th Congressional District and is part of the 10th State Legislative District of New Jersey . Maplewood is located in the 27th Congressional District and is part of New Jersey 's 10th state legislative district . 1 +"Ostenau ( Danish : "" Øster Å "" ) is a river of Schleswig-Holstein , Germany . It flows into the Arlau near Almdorf ." Ostenau ( Danish : Øster Å ) is a river of Schleswig-Holstein which flows into the Arlau near Almdorf . 1 +The successor rocket , the Falcon 9 , successfully landed its first stage on 22 December 2015 with its twentieth flight for the first time . The successor rocket , the Falcon 9 , successfully landed its first flight on 22 December 2015 , for the twentieth time , on land . 0 +He was part of the Swedish team that won the silver medal in men 's gymnastics in 1920 , the Danish system event in 1920 . He was part of the Danish team , which won the silver medal in men 's gymnastics in 1920 , a Swedish system event . 0 +4 December 1992 -- Birmingham City coach Ian Atkins is appointed manager of Cambridge United . 4 December 1992 -- Birmingham City Trainer Ian Atkins is appointed manager of Cambridge United . 1 +In 1805 , however , he left Sheffield to study theology at the Manchester College in York . In 1805 , however , he left York to study theology at the Manchester College in Sheffield . 0 +The expressed Fourier can be further approximated as The Fourier expressed can be approximated as : 1 +Soundtrack was composed by Palani Bharathi and lyrics were written by Deva and Vaasan . The soundtrack was composed by Palani Bharathi and the lyrics by Deva and Vaasan were written . 1 +"A book by Nobuyuki Matsuhisa , "" The Japanese Foie Gras Project "" , was released in 2007 and contains a presentation by Scott Hallsworth ." "A book by Nobuyuki Matsuhisa , "" The Japanese Foie Gras Project "" , was published in 2007 , and contains a forward by Scott Hallsworth ." 1 +Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is a record Olympic and national swimmer from Cuba . Heysi Villarreal ( born 26 August 1986 in Cuba ) is an Olympic and national record holding swimmer from Havana , Cuba . 1 +The current available to the internal circuit is limited by external losses I = I + I : The electricity available to the internal circuit is limited by external losses I = I + I : 1 +He visits Fred and makes him his new partner , then goes to the cratchit house , where he restores Bob and increases his reward . He visits Fred and makes him his new partner , then goes to the Cratchit house where he rehires Bob and increases his wages . 1 +Brian Meehan fled with Traynor to Portugal ( who later fled to Amsterdam ) . Brian Meehan fled with Traynor to Amsterdam ( who later fled to Portugal ) . 0 +""" Live : Legend 1999 / 1997 Apocalypse "" was released on August 16 , 2014 with an official trailer announced on September 11 , 2014 ." """ Live : Legend 1999 & 1997 Apocalypse "" was first announced on August 16 , 2014 , with an official trailer released on September 11 , 2014 ." 0 +It is located from South 78th Street to Cobbs Creek , east of Lindbergh Boulevard , South 84th Street . It is located from South 78th Street to Cobbs Creek , east of Lindbergh Boulevard to South 84th Street . 1 +South Africa was under apartheid at the time , but it encouraged trade and investment from Hong Kong and Japan . At the time , South Africa was under apartheid , but it encouraged trade and investment from Hong Kong as well as Japan . 1 +At the LSE , Davies had roomed with Harold Laski , and had absorbed the socialist views of Jomo Kenyatta . At the LSE , Davies had lived with Jomo Kenyatta and absorbed the socialist views of Harold Laski . 0 +By the 1830 ’ s , the British decided to replace Shah Shuja with Dost Mohammad Khan on the throne in Kabul . In the 1830s , the British decided to replace Dost Mohammad Khan by Shah Shuja on the Kabul throne . 0 +Gatewood was released by the Philadelphia Eagles on August 25 , 2009 . He was signed as a final cut on September 5 . Gatewood was signed on August 25 , 2009 by the Philadelphia Eagles and was released on 5 September as Final Cut . 0 +Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems , rejecting the invasion of Kuwait by Iraq . Both Iran and Saudi Arabia opposed the use of force as a solution to regional problems and rejected the invasion of Kuwait by Iraq . 1 +On 25 May 2016 , club owner Silvio Berlusconi announced his departure , along with those of Phillippe Mexes , Kevin-Prince Boateng and Mario Balotelli . Club owner Silvio Berlusconi announced his departure on May 25 , 2016 , along with those of Mario Balotelli , Kevin - Prince Boateng and Phillippe Mexes . 1 +"Västra Götaland County ( "" Töreboda kommun "" ) is a municipality in Töreboda community in western Sweden ." "Västra Götaland County ( "" Töreboda kommun "" ) is a municipality in Töreboda Municipality in western Sweden ." 0 +"In flat spacetime and linear coordinatization , "" differences "" in coordinates , , can be treated as a contravariant vector ." "In the flat spacetime and linear coordination "" differences "" can be treated in coordinates as a contravariant vector ." 1 +The soundtrack was composed by the musician Wajahat Attre , with lyrics by Noor Jehan , and Mehnaz and sung by Hazin Qadri . The soundtrack was composed by the musician Wajahat Attre with texts by Noor Jehan and Mehnaz and was sung by Hazin Qadri . 1 +Lewis Allen McGee survived her husband McGee and did not marry . Lewis Allen McGee survived her husband McGee and did not remarry . 1 +"A generally unobtrusive survey of the American reception of Franz of Assisi , however , judged that "" is the book derivative and much later "" ." "However , a much later survey of the American reception of Francis of Assisi judged that "" the book is derivative and generally undistinguished "" ." 0 +The above results can be used to show that , contrary to the one-dimensional case , there is not always a spherical state in a bound cavity . The results above can be used to show that , contrary to the one-dimensional case , there is not always a bound state in a spherical cavity . 0 +When toxic concentrations are reached , there may be a delay of one or two days before maximum toxicity occurs . When toxic concentrations are reached , there may be a delay of one or two days before a maximum toxicity occurs . 1 +VT 67A Connector was removed in 1974 and assigned in 2004 concurrent to the assignment of VT 279 . The VT 67A Connector was removed in 1974 and simultaneously assigned to the assignment of VT 279 in 2004 . 1 +The music was written by M. K. Arjunan and lyrics was composed by KH Khan Sahib and Kanam EJ . The music was composed by M. K. Arjunan and written by KH Khan Sahib and Kanam EJ . 0 +Chloe Wang was born Chloe Bennet in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker and Stephanie Crane , an internist . Chloe Bennet was born in Chicago , Illinois , Chloe Wang and is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an intern . 0 +KOTC 36 : Albuquerque , New Mexico , United States an event was held on May 15 , 2004 at the Sky City Casino in Albuquerque . KOTC 36 : Albuquerque , New Mexico , United States , an event was held on May 15 , 2004 at Sky City Casino in Albuquerque . 1 +As professor of Sociology at ETH Zurich , he worked on evolutionary game theory and agent-based computer simulations of social processes and phenomena . As Professor of Sociology at the ETH Zurich , he worked on social game theory and agent-based computer simulations of evolutionary processes and phenomena . 0 +Until 1971 the Southern Pacific Railroad operated from its Third and Townsend Depot commuter trains to San Jose and long distance trains to Los Angeles . Until 1971 , the Southern Pacific Railroad operated from its Third and Townsend depots public trains to San Jose and long distance trains to Los Angeles . 1 +The Legacy of the Aldenata , also known as the Posleen War Series , is the military universe of one of John Ringo 's fictional science fiction series . The heritage of the Aldenata , also known as the Posleen War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . 1 +The date set for the executions of the three Quaker evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer , was 27 October 1659 . The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson , and Mary Dyer - was October 27 , 1659 . 1 +In Korea , dubbed episodes were broadcast in 2006 by Animax Asia , where it was the 6th most popular animated show broadcast that year . In Korea , synchronized episodes were broadcast in 2006 by Animax Asia , where it was the 6th most popular animated show that was broadcast this year . 1 +Suzie Cappetta would work and record with several acts , including Christian Hard Rock , the R & amp ; B group Stevie 'the Saints and Jimmy Ellis . Suzie Cappetta would work and record with various acts including Christian hard rock , R & B group Stevie & the Saints , and Jimmy Ellis . 0 +On September 11 , 2017 , a second series of revival began and the fourth series overall . A fourth series of the revival , and the second series overall , started on 11 September 2017 . 0 +With the help of Daniel 's brother Jack Shaftoe , whose infantry unit stationed there , Bob flees . Bob escapes with the help of Daniel 's brother Jack Shaftoe , whose infantry unit is stationed there . 1 +Another two goals helped Blyth eliminate Moor Green from the FA Trophy , and in the next round he won again North Ferriby United . Another two goals helped Blyth eliminate North Ferriby United from the FA Trophy , and in the next round he won again against Moor Green . 0 +The beta version of the service was released on July 30 , 2008 . Windows Live FrameIt was discontinued on December 15 , 2010 . The beta version of the service was released on July 30 , 2008 , and Windows Live FrameIt was discontinued on December 15th , 2010 . 1 +The Hartford High School was founded in 1857 , shortly after the city of Hartford was established . Hartford High School was founded in 1857 , shortly after the city of Hartford was created . 0 +The US Army and the US Air Force operated 4 variants of the 8x8 model under the titles M1001 , M1002 , M1013 and M1014 . The US Army and the US Air Force operated 4 variations of the 8x8 model under the designations M1001 , M1002 , M1013 and M1014 . 1 +The river Crişul Mic is a tributary of the Doba River in Romania . The Doba River is a tributary of the River Crişul Mic in Romania . 0 +William de Middleton ( or William Middleton , died August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . William de Middleton ( or William Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . 1 +His grandson , Edward , was elected for Grenville in the 11th Parliament of Upper Canada . His grandson , Grenville , was elected to the 11th Parliament of Upper Canada for Edward . 0 +Cork railway station was on the Cork Albert Street , Blackrock and Passage Railway in County Cork , Ireland . Cork Albert Street railway station was on Cork , Blackrock and Passage Railway in County Cork , Ireland . 0 +The final meeting of the BBU in 1932 in Chicago was the first meeting of the GARBC . The last meeting of the BBU in Chicago in 1932 was the first meeting of GARBC . 1 +"The team , founded in 1906 , took the first American "" double "" when in 1912 the National Association Football League and the American Cup won ." "The team , founded in 1906 , won the first American "" double "" when it brought the National Association Football League and American Cup titles in 1912 ." 0 +On 1 July , the judge in Madrid , Antonio Pérez , issued a death sentence on Rodrigo de Arce . On 1 July , the judge of Madrid , Rodrigo de Arce , issued a death sentence against Antonio Pérez . 0 +The Ortoloaia River is a tributary of the Neagra Broșteni River in Romania . The Ortoloaia River is a tributary of the Neagra Broateni River in Romania . 1 +Nadhin Ratheesh Vega is living with his wife Dr. Anu Ratheesh Vega and son Ratheesh in Thrissur . Nadhin Ratheesh Vega lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Ratheesh . 1 +The preferred method of treatment at the time was active medication . The most active treatment method at the time was preferred medication . 0 +She arrived on 24 June in Cork and was in the downs on 8 July . She was in Cork on June 24 and arrived on 8 July in the downs . 0 +Mike Monroney was challenged in the Democratic primary by A.S. Thomas in 1950 . Mike Monroney was challenged in 1950 by A.S. Thomas in the Democratic Prefix . 1 +Ten Liberals served as Prime Minister , either considered liberal , or as a member of the VLD , the Liberal Party or the MR . Ten Liberals have served as prime minister , either as being considered Liberal , or as a member of the Liberal Party , the VLD , or the MR . 1 +In the third film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the first film . In the first film , the fat lady of Elizabeth Spriggs and Dawn French is played in the third film . 0 +Vikram Singh Katoch won that election , lost in 1989 and 1991 , and lost the seat to Dhumal in 1996 . Vikram Singh Katoch won this election , lost in 1989 and 1991 and lost the seat in 1996 to Dhumal . 1 +Oliver Knussen studied composition with John Lambert between 1963 and 1969 , and also received encouragement from Britten . John Lambert studied composition with Oliver Knussen between 1963 and 1969 and received suggestions from Britten . 0 +The Bartibog River ( also written Bartibogue ) is a tributary of the Miramichi River in New Brunswick , Canada . The Miramichi River ( also spelled Bartibogue ) is a tributary of the Bartibog River in New Brunswick , Canada . 0 +In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Mays Hill by Westerleigh and to Broad Lane by Frog Lane . Ram Hill was known as Nutridge Hill in the Mudge Map in 1815 and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . 1 +Pallas was originally a slave of Antonia Minor , a daughter of Mark Anton and the niece of Emperor Augustus . Pallas was originally a slave of Antonia Minor , a daughter of Emperor Augustus and niece of Mark Antony . 0 +Castlebrae Community High School is a secondary school in the Greendykes area of Edinburgh . Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . 0 +For the 1951 season , the circuit with the Arizona - Southwest International League merged to form the Texas League . For the 1951 season , the circuit merged with the Arizona - Texas League to form the Southwest International League . 0 +The 8 talukas of this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . This district 's 8 Talukas are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +The main international airport is Douala International Airport and a second international airport at the Yaoundé Nsimalen International Airport . The main international airport is the Douala International Airport and a secondary international airport at Yaoundé Nsimalen International Airport . 1 +There have been few significant changes since then , with noticeable changes in the design of the Railcard being the most frequent . Since then , there have been few significant changes , with remarkable changes in the design of the Railcard the most . 1 +Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso . He is currently Ghana 's ambassador to Ghana . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso , which is currently Ghana 's ambassador to Ghana . 1 +The Alliance Française de Dhaka is located at Mirpur Road 26 , Dhanmondi , Dhaka , Bangladesh , corner of Dhanmondi Road No . Alliance Française de Dhaka is located at 26 Mirpur Road , Dhanmondi , Dhaka , Bangladesh , corner of Dhanmondi Road No . 1 +Decasyllable was used in the epic poetry of the southern Slavs , for example Serbian epic poetry sung on the Gusle instrument : Decasyllable was used in the Serbian epic poetry of the southern Slavs , for example the epic poetry sung on the Gusle instrument : 0 +"Uthai is a district ( "" Amphoe "" ) in the eastern part of Thailand , in the Ayutthaya province ." "Uthai is a district ( "" amphoe "" ) in the eastern part of Ayutthaya Province , in Thailand ." 0 +The president remains the key authority that ratifies the main legal documents in the IT sector and directs ICT policy in the country . The President remains the main legal authority that ratifies the key documents in the IT sector and leads the ICT policy in the country . 0 +The River Colbu or Izvorul Giumalăului River is a tributary of the Vltava River in Romania . The Colbu River or Izvorul Giumalăului River is a tributary of the Moldova River in Romania . 0 +Khan began his career under the guardianship of his father Ustad Ayat Ali Khan . He took lessons as a violinist from his elder brother Ustad Bahadur Hossain Khan . He began his career under the guardianship of his father Ustad Ayat Ali Khan and took Hossain Khan to his elder brother Ustad Bahadur as a violinist . 0 +According to Bryan , Muftić was a true scientist in every way ( who ) always looked for psychological explanations of physical and chemical problems . According to Bryan , Muftić was , in every respect , a true scientist who always looked for psychological explanations for physical and chemical problems . 1 +While North Carolina is typically a conservative state , Wake County is historically a swing-voting area . While North Carolina is typically a conservative state , Wake County is historically a swing voting area . 1 +Jason played youth football in the same league his brother Aaron did Humble Area Football League HAFL Aaron played youth football in the same league his brother Jason did Humble Area Football League HAF 0 +She arrived at Cork on 24 June , and was in the Downs on 8 July . She arrived on 24 June in Cork and was in the downs on 8 July . 1 +The station is located from Råde Station , south of Oslo Central Station and north of Moss Station . The station is located from Oslo Central Station , to the south of Moss Station and north of Råde Station . 0 +He was sent to Rangoon , Burma ( today Yangon , Myanmar ) and taught in Thailand for further study . He was sent to Rangoon , Burma ( now Yangon , Myanmar ) , for further study and then taught in Thailand . 1 +In the final of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first round . In the first phase of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the final : 0 +Kalliyankattu Neeli is a 1979 Indian Malayalam horror film , produced by M. Krishnan Nair and directed by M Mani . Kalliyankattu Neeli of 1979 is an Indian Malayalam - horror film directed by M. Krishnan Nair and produced by M Mani . 0 +"The first news of the album came on March 13 , 2014 when "" Rat "" and "" Tamatsubaki "" were uploaded to Merzbow 's SoundCloud ." "The first news of the album came on March 13 , 2014 , when "" Council "" and "" Tamatsubaki "" were uploaded to Merzbow 's SoundCloud ." 0 +He also continued in this position when Winston Churchill came to power in 1940 , and was then Churchill 's general postmaster between 1943 and 1945 . He continued in this post then when Winston Churchill came to power in 1940 , and was also Postmaster General under Churchill between 1943 and 1945 . 0 +The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and Radnor Joint Counties , was a psychiatric hospital at Mid Wales Hospital . The Talgarth , Wales , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Mid Wales Hospital . 1 +The 1945 Northwestern Wildcats team represented Northwestern University during the 1945 Big Ten Conference football season . The 1945 Big Ten Conference Team represented Northwestern University during the 1945 Northwestern Wildcats soccer season . 0 +Many celebrities have visited or visited the castle throughout the centuries , including Carl Michael Bellman in the 18th century and August Strindberg in the 19th century . Many celebrities have visited or visited the castle over the centuries , including Carl Michael Bellman in the 19th century and August Strindberg in the 18th century . 0 +The journey begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora Caves , Nashik and back . The trip begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . 1 +"This is a list of the second football transfers for the "" Malaysian transfer window 2013 "" ." "This is a list of Malaysian football transmissions for the "" second transfer window 2013 "" ." 0 +The area was once served by Edinburgh Waverley Railway Station , which provided direct access to the railway to Corstorphine . The area was once served by Corstorphine railway station which provided direct railway access to Edinburgh Waverley . 0 +The second method is written when the number of elements in each row is the same and known at the time the program is used . The second method is used if the number of elements in each row is the same and is known at the time the program was written . 0 +La République En Marche is a political group in the National Assembly , including representatives of La République En Marche , after the 2017 parliamentary elections . The La République En Marche group is a legislative group in the National Assembly including representatives of La République En Marche ! after the 2017 parliamentary elections . 0 +Later that night , after a double date with his brother , Danny returns to his room to find Kennedy , waiting for him . Later that night , after being rejected from a double date with his brother , Kennedy returns to his room to find Danny waiting for him . 0 +The genre is today well established and incredibly diverse . Today , the genre is well established and incredibly diverse . 1 +"Some of the details Peeters cites are specific to the Old English poem based on "" Daniel "" ." "Some of the details that Daniel cites are specific to the old English poem , based on "" Peeters "" ." 0 +"The fungus is toxic , but due to possible confusion with edible "" Amanita "" species is not recommended ." "The mushroom is edible , but not recommended due to possible confusion with toxic "" Amanita "" species ." 0 +After the partition of India in 1947 , Bade Ghulam returned to his hometown Kasur in Pakistan , but went to India later to reside permanently there in 1957 . After the partition of India in 1947 , Bade Ghulam went to his hometown of Kasur in Pakistan , but later returned to India to live there permanently in 1957 . 0 +This religious organization is an inert conviction , a non-political wing of the Deobandi school of thought and a counterweight to the ulema . This religious organization is of inert conviction , a non-political wing of the Deobandi school of thought , and a counterweight to the ulema . 1 +Due to high prices and volatile capital costs , few deposits without subsidies can be exploited economically . Due to the high prices and volatile capital costs , few deposits can be exploited economically without subsidies . 1 +The joint administration of the memorial by the United States Navy and the National Park Service was established on September 9 , 1980 . The joint management of the memorial by the National Park Service and the United States Navy was founded on 9 September 1980 . 1 +Like many aspects of Byzantine ivory , this reflects the Islamic traditions that Islam has inherited . Like many aspects of Byzantine ivory , this reflects the Islamic traditions , Islam inherited . 1 +The ports of Massachusetts alone employed an average of 183 vessels in northern fisheries between 1771 and 1775 and 121 in the southern . Between 1771 and 1775 the Massachusetts ports alone employed an average of 183 vessels in the northern fishery , and 121 in the southern . 1 +"Mayer ( 2001 ) says Hyman , "" wrote the definitive work on loyalty tests throughout the American history ." "Hyman ( 2001 ) said Mayer , "" wrote the definitive work on loyalty tests throughout American history ." 0 +In 2014 , Sawyer 's authorized biography was published by Huston Smith . In 2014 , Huston Smith was published an authorized biography of Sawyer . 0 +Gelechia hetaeria is a moth of the Gelechiidae family , who is found in Veracruz ( Mexico ) . Gelechia hetaeria is a moth of the Gelechiidae family . It is found in Mexico ( Veracruz ) . 1 +Lake Provincial Park is a provincial park in the Canadian province Nova Scotia on the island of Boularderie . Boularderie Island is a provincial park in the Canadian province of Nova Scotia on Dalem Lake Provincial Park . 0 +"The first newspaper was published in 1781 in the state , the weekly "" Vermont Gazette "" ." "The weekly newspaper was published in the state in 1781 , the first "" Vermont Gazette "" ." 0 +The Royal College of Music has appointed Peter Stark alongside Maestro Natalia as professor of conducting . The Royal College of Music , alongside Maestro Peter Stark , has appointed Natalia as a conductor professor . 0 +"During this time , he had a new gimmick , Rockabilly , and adopted a short-lived feud with "" The Real Double J "" Jesse James ." During this time he accepted a new gimmick , rockabilly , and had a short-lived feud with “ The Real Double J ” Jesse James . 0 +Much of the film was shot in Gladstone , New Jersey , New Brunswick , and the Palisades Park , the producer 's home . Much of the film was shot in Gladstone , New Jersey ; New Brunswick ; and the Palisades Park home of the producer . 1 +The Wild Party is a 1956 American crime film directed by Harry Horner and written by John McPartland . The Wild Party is a 1956 US American crime film , staged by Harry Horner and written by John McPartland . 1 +Diloma radula is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . Diloma radula is a species of sea snail , a top gastropod mollusk in the Trochidae family , the naval snails . 0 +For large data , linear or square factors can not be ignored , but an asymptotically inefficient algorithm can be more efficient for small data . For large data linear or quadratic factors can not be ignored , but for small data an asymptotically inefficient algorithm may be more efficient . 1 +Very unhappy and confused , Salene falls in love with the Chosen , Ellie , but he rejects her for Luke . Salene falls in love with the chosen , Ellie , very unhappy and confused , but he rejects them for Luke . 1 +The 2016 North Carolina Central Eagles football team represented North Carolina Central University in the 2016 NCAA Division I FCS football season . The 2016 North Carolina Central Eagles football team represents North Carolina Central University at the 2016 NCAA Division I FCS football season . 1 +Summers are hot and humid , and winters are mild with cool periods . The summers are hot and humid , and winters are cool with mild periods . 0 +Enrique Ponce ( born 8 December 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . 1 +The fourth election of 23 November 1958 perpetuated the previous coalition . The fourth election of 23 November 1958 continued the previous coalition . 1 +The state road was completed from Frederick to Harpers Ferry in the early 1910s and constructed to Knoxville in 1919 . The state road was completed in the early 1910s from Frederick to Harpers Ferry and built in 1919 to Knoxville . 1 +Originally , Lexington Plantation was part of the Gunston Hall Plantation Lands . Lexington Plantation was originally part of the Gunston Hall Plantation land . 1 +""" American Duos "" is the first episode of the second season of "" Psych "" and is the 16th episode in total ." """ American Duos "" is the first episode of the 16th season of "" Psych "" , and is the second episode overall ." 0 +The Squaw Creek Bridge was located in Harrison Township in rural Boone County , Iowa , USA . The Squaw Creek Bridge was located in Boone County , Iowa , United States in rural Harrison Township . 0 +However , it was bought by McVities and then purchased by Murdoch Allan and Sons . However , it was acquired by McVities and then purchased by Murdoch Allan and Sons . 1 +At the UFC Fight Night 101 Jon Tuck managed to steal a victory against Brown with a split decision . At UFC Fight Night 101 , Jon Tuck managed to steal a victory against Brown with a split decision . 1 +And he has composed music for dozens of traditional Arabic literary works , many films and various orchestras . And he has composed music for tens of traditional Arabic literary works , various films and many orchestras . 0 +Orders for prototypes made in December 1930 were with three companies : Renault , Citroën and Brandt . Orders for prototypes were made in December 1930 with three firms : Renault , Citroën and Brandt . 0 +Cedarbrae Mall is a shopping mall in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre located in the Scarborough area of Toronto , Ontario , Canada on the corner of Markham Road and Lawrence Avenue East . 1 +This main shrine has 59 branch shrines in Tokyo and 162 shrines in Saitama Prefecture . This main shrine has 59 branch shrines in Saitama Prefecture and 162 branch shrines in Tokyo . 0 +In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Sand Mountain , and in Wills Valley to the east . In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Wills Valley and the Sand Mountain to the east . 0 +Despite the low employment rate and high unemployment , the community has a low poverty rate . The community has a low poverty rate despite the low participation rate and high unemployment . 0 +Neptunea alexeyevi is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks navy . Neptunea alexeyevi is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +Only 11 days after his first in a $ 1,500 Limit Hold ' ; em Shootout Event Mueller won his second World Series of Poker bracelet and $ 194,909 . Mueller won his second World Series of Poker bracelet and $ 194,909 only 11 days after his first in a $ 1,500 Limit Hold'em Shootout event . 1 +"He lives in "" Gokuldham Society "" along with his father Daya , wife Champaklal and son Tapu ." "He lives in the "" Gokuldham Society "" along with his father Champaklal , his wife Daya and his son Tapu ." 0 +In the Netherlands , Owobale was born into a Nigerian father and a Dutch mother . Owobale was born in the Netherlands to a Nigerian father and a Dutch mother . 1 +In South Korea , the South Korean New Right movement is a Korean attempt at neoconservative politics . In South Korea , the Korean New Right movement is a neo-conservative attempt at Korean politics . 0 +The partially closed short vowels began as initial , unemphasized vowels , but were reduced later . The partially closed initial unstressed vowels began as short vowels , but were later reduced . 0 +I 've tried to buy it when George Romney ( later governor of Michigan ) and Roy Abernethy AMC were running . I tried to buy it when Roy Abernethy ( later Michigan governor ) and George Romney were running AMC . 0 +Tampa became less important when several digger projects made the port of Tampa accessible to all shipping . Port Tampa became less important when several dredging projects made the Port of Tampa accessible to all shipping . 0 +In 2014 , Dan McGruer , a founding member , left the band for 15 years and was replaced by Devin Abrams . In 2014 , founding member of 15 years Devin Abrams left the band and was replaced by Dan McGruer . 0 +When his family from Italy , Rodolpho and Marco , begin to live and migrate with him illegally , the small world in which he operates is destroyed . When his family from Italy , Rodolpho and Marco begin to migrate illegally and to live with him , the small world in which he operates is destroyed . 0 +The conclusions are that , we are all manifest ideas of the one perfect spiritual Mind , and divine Spirit , not a material body . The conclusions are that we are all perfect spiritual notions of one divine spirit and manifest the spirit , not a material body . 0 +40 % of the entire dam area is the present river itself and the flooded areas are stiff slopes along the river bank . Of the total dam area , 40 % is the present river itself and the inundated areas are stiff slopes along the river bank . 1 +The bibliography of the book of Han ( 2nd century AD ) lists Agriculturalism as one of ten philosophical schools and presents 9 books that belong to this school . The bibliography of the Book of Han ( 2nd century AD ) lists Agriculturalism as one of 10 philosophical schools and presents 9 books belonging to that school . 1 +Jones was born in Morton , Mississippi and grew up in Mississippi , Vicksburg . Jones was born in Morton , Mississippi and grew up in Vicksburg , Mississippi . 1 +It supported the opinions of the Free Soil Party and the Republican Party . It supported the views of the Republican Party and the Free Soil Party . 1 +While at American Express , Espuelas worked on the Wunderman , General Foods Gevalia and Weight Watchers accounts . While at Wunderman , Espuelas worked in the accounts of American Express , General Foods Gevalia and Weight Watchers . 0 +Deepak Chand Lall lives in ( New Jersey ) Meena Gupta ( Kolkata ) and Madhuri Jaiswal ( Mumbai ) . Deepak Chand Lall who lives in ( New Jersey ) Meena Gupta ( Mumbai ) and Madhuri Jaiswal ( Kolkata ) 0 +He moved to Wisconsin in 1853 and settled down in the Rock County near Beloit . He moved to Wisconsin in 1853 and settled near Beloit in Rock County . 1 +Jason Jamie Syme is the elder Borther of the Rugby - League and Rugby - Union - Footballer . Jamie Syme is the older borther of the rugby league , and rugby union footballer ; Jason Syme . 1 +H02 is a regional road ( H-Highway ) in Lviv Oblast and Ternopil Oblast , Ukraine . It runs west-east and connects Ternopil with Lviv . H02 is a regional road ( H-Highway ) in Lviv - Oblast and Ternopil - Oblast , Ukraine . It runs West - East and connects Ternopil with Lviv . 1 +The beach was defended by two battalions of the German 716th infantry division , with elements of the 21st armoured division near Caen in the reserve being held . The beach was defended by two battalions of the German 716th Infantry Division , with elements of the 21st Panzer Division held in reserve near Caen . 1 +Kissell was contracted by Branch Rickey in 1940 as an infielder and spent 69 years with the Cardinals Organization . Kissell was signed as an infielder in 1940 by Branch Rickey , and spent 69 years with the Cardinals organization . 1 +Lowther died in 1872 and because he had no legitimate heirs , the Lowther Estates were handed over to his nephew William . William died in 1872 and because he had no legitimate heirs the Lowther Estates were passed to his nephew Henry Lowther . 0 +Thus the publication of local catechisms , such as the Dutch catechism , was confirmed , although Dutch views on certain theological issues within the Church remain controversial . Thus , the issuance of local catechisms , such as the Dutch Catechism , was confirmed , although Dutch views on particular theological issues remain controversial within the Church . 1 +It was dredged and widened in 1974 , built with gravel roads on each side of the channel . It was built and widened in 1974 , dredged with gravel roads on each side of the channel . 0 +New boys and girls will come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . New boys and girls come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . 1 +The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell in 1928 and future world record maker John Anderson of Washington . The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell and future world record player Paul Jessup of Washington in 1928 . 0 +A counterclockwise angle in one figure would correspond to a clockwise angle in the other figure . A clockwise angle in a character would correspond to a counterclockwise angle in the other figure . 0 +The museum leased the locomotive and operated the North Shore Scenic Railroad through its subsidiary # 2719 . The museum operated the locomotive and leased # 2719 through its affiliate , the North Shore Scenic Railroad . 0 +It measures an aperture of ~ 5 cm and it has the spectrum of 1.7 -- 17 μm . It measures an aperture of ~ 5 cm and it has the spectrum of 1.7 - 17 μm . 1 +"Sicha described it as "" huge , organic and ... seemingly seriously night-active "" -- in fact around the clock ." "Sicha described it as "" night-active and ... seemingly seriously huge , organic "" -- in fact around the clock ." 0 +In 1855 , the Republican Party and the Whig Party merged in New York to form the Anti-Nebraska Party . In 1855 , the Whig Party and the Anti - Nebraska Party in New York merged to form the Republican Party . 0 +Katharina Knie is a German musical by Mischa Spoliansky composed with a libretto by Robert Gilbert . Katharina Knie is a German musical composed by Robert Gilbert with a libretto by Mischa Spoliansky . 0 +"He is also the second cousin of Lauren Waters who has played Georgina Hagen in "" Britannia High "" ." "He is , also , the second cousin of Lauren Waters , who played Georgina Hagen in "" Britannia High "" ." 1 +The River Rusca is a tributary of the Giumalău River in Romania . The River Giumalău is a tributary of the River Rusca in Romania . 0 +He graduated from Nihon University , holding a 4th dan in judo and a 5th dan in karate . He graduated from Nihon University with a 4th Dan in Judo and a 5th Dan in karate . 1 +"His meeting with Dave Brubeck is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Naresh Fernandes ." "His meeting with Dave Brubeck is documented in the book 2011 "" Taj-Mahal Foxtrot "" by Naresh Fernandes ." 1 +He has also played for the Pittsburgh Steelers and was part of the Super Bowl XLV winning team over the Green Bay Packers . He also played for the Green Bay Packers and was part of the Super Bowl XLV - winning team over the Pittsburgh Steelers . 0 +Other BenchPrep investments include Mediaocean , InnerWorkings , Tempus , Loyalty Startup Belly , Lightbank Test Preparation Service , Qwiki , ClusterFlunk and HighGround . Other Lightbank - Investments include Mediaocean , InnerWorkings , Tempus , Loyalty Startup Belly , BenchPrep test preparation service , Qwiki , ClusterFlunk and HighGround . 0 +Belleville has a bicycle path that runs through the city from the Scott Air Force Base to Southwestern Illinois College and Southside Park and is mainly used for recreational purposes . Belleville has a bicycle trail that runs through the city from Southside Park to Southwestern Illinois College and Scott Air Force Base ; it is mainly used for recreational purposes 0 +Iwama 's style is generally regarded as more martial than counterparts , such as Aikikai , which tends to be more acrobatic and artistic than martial . Generally speaking , Iwama style is considered more martial than counterparts , such as Aikikai 's , which tends to be more martial than acrobatic and artistic . 0 +Following his defeat in Cardiganshire , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 - districts in Wales . Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 , districts in Cardiganshire . 0 +Its College of Education & College of Arts and Humanities offer bilingual education teachers additional training for them to improve their academic Spanish . Its College of Education and College of Arts and Humanities offer additional education teachers bilingual training for them to improve their academic Spanish . 0 +"The casting includes Cecile Andrews as host and Wanda Urbanska , author of "" Circle of Simplicity "" ." "The cast includes Cecile Andrews as the host and Wanda Urbanska , author of "" Circle of Simplicity "" ." 1 +Tables of vibration transitions of stable and transient molecules are also available . Tables of stable and transient transitions of vibration molecules are also available . 0 +"City of Spires is a Big Finish Productions audio drama based on the long-running British science fiction television series "" Doctor Who "" ." "City of Spires is a British drama of the Big Finish Productions based on the long-running audio - Science - Fiction - TV series "" Doctor Who "" ." 0 +""" Full Circle "" was produced by Michael Costa , manager of Birtles Shorrock Goble , and mixed by longtime supporter and friend Paul Rodger at the Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Paul Rodger , the manager of Birtles Shorrock Goble , and mixed by long-time supporter and friend Michael Costa at the Stream AV Studios in Melbourne ." 0 +The flag from Kenya of 1963 is white , but has inserted similar lines between the colors . The flag of Kenya of 1963 is similar , but has inserted white lines between colors . 0 +Souray married former WWE professional wrestler Kelly Kelly , better known as Barbara Blank in February 2016 . They have separated in October 2017 . In February 2016 , Souray married the former WWE - professional - wrestler Kelly Kelly , better known as Barbara Blank , who separated in October 2017 . 1 +The eastern end was cut off in 1963 to Wadsworth Boulevard and to the Sheridan Boulevard in 1967 . The east end was cut off to Sheridan Boulevard in 1963 , and to Wadsworth Boulevard in 1967 . 0 +His mother and his wife left him and followed Henry IV to Germany . His mother and wife followed him and left Henry IV to Germany . 0 +The Flushing Line was opened on 21 April 1917 from 40th Street to Queensboro Plaza -- Corona Plaza , with a local station on 103rd Street . The Flushing Line was opened from Queensboro Plaza to 103rd Street -- Corona Plaza on April 21 , 1917 , with a local station at 40th Street . 0 +It was built and widened in 1974 , dredged with gravel roads on each side of the channel . It was dredged and widened in 1974 , with gravel roads built on each side of the canal . 0 +It borders on the federal ridings of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . It borders on the Bundeskämme of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . 0 +Studies on male rats and rabbits have shown that inhalation of dichloroacetylene can cause tubular necrosis , focal necrosis , and other nephrotoxic effects . Studies on male rats and rabbits have shown that the inhalation of dichloroacetylene can cause tubular necrosis , focal necrosis , and other nephrotoxic effects . 1 +John Corabi replaced Vince Neil after the scream in Mötley Crüe . After the cry , Vince Neil John Corabi replaced temporarily in Mötley Crüe . 0 +Because of the lack of wood , boats were bundled with made papyrus reeds . Because of the lack of wood , boats with papyrus reeds were bundled . 1 +""" Slate "" pointed out that Wilson did not accompany Landy and Ledbetter on their first date , contrary to what is displayed in the film ." """ Slate "" has pointed out that , contrary to what is depicted in the film , Landy did not accompany Wilson and Ledbetter on their first date ." 0 +The others were Donald Carr from Repton School and the Etonian , Luke White . The others were Luke White of the Repton School and Etonian Donald Carr . 0 +The 2015 season -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +"For example , the only values from "" n "" are up to 600,000 , for which there are more pythagorean than non-Pythagorean odd primes , 26861 and 26862 ." "For example , the only values of "" n "" up to 600000 for which there are more Pythagorean than non-Pythagorean odd primes are 26861 and 26862 ." 1 +He graduated from the Galatasaray High School in Istanbul in 1858 and became a teacher in Shumen , where he remained until 1864 . In 1858 he graduated from the Galatasaray Gymnasium in Istanbul and became a teacher in Shumen , where he remained until 1864 . 1 +It flows generally northwest , through the Siuslaw National Forest and enters Pacific City on the Pacific near Nestucca Bay . It generally flows northwest , through the Siuslaw National Forest and enters the Pacific City on the Pacific coast near Nestucca Bay . 1 +Stockfish is cured in a process called fermentation , where cold-adapted bacteria let the fish mature , similar to the maturing process of cheese . Stockfish is cured in a process called fermentation where cold-adapted bacteria matures the fish , similar to the maturing process of cheese . 1 +Speedcore tracks often contain elements of related genres early hardcore and breakcore , as well as samples from death metal and black metal music . Speedcore tracks often contain elements of the related genres early hardcore and breakcore , as well as samples from death metal and black metal music . 1 +It is based on Mika Waltari 's novel of the same name and the screenplay was adapted by Philip Dunne and Casey Robinson . It is based on the same novel by Philip Dunne and Casey Robinson , and the screenplay was adapted by Mika Waltari . 0 +Viñac District is one of thirty-three districts of the Yauyos Province in the Lima Region of Peru . District Viñac is one of thirty-three districts in the Lima region in the province of Yauyos in Peru . 0 +Oliver helps Johnston develop a weapon , knowing that Oliver historically loses the siege . Johnston helps Oliver develop a weapon , knowing that historically Oliver loses the siege . 0 +O'Dea was born in Sydney in 1889 and moved to Armidale with his family as a child . O 'Dea was born in Sydney in 1889 and moved with his family to Armidale as a child . 1 +For two years , Kokomo Jr. was used to perform weather forecasts and present short sketches . For two years , Kokomo Jr. was used to present weather forecasts and to produce short sketches . 0 +"The moai statues of Easter Island ( Chile ) appear as enemies in several "" Gradius "" games ." "The Moai statues of Chile ( Easter Island ) appear in several "" gradius "" plays as enemies ." 1 +Linkuwa Pokhari is a village and Village Development Committee in Sagarmatha Zone in the Khotang District of eastern Nepal . Linkuwa Pokhari is a village and village development committee in the Sagarmatha area of Khotang district in eastern Nepal . 1 +Havana Township was originally called the Lafayette Township and was founded in 1857 under the latter name . Havana Township was originally called Lafayette Township , and under the latter name was organized in 1857 . 1 +Most of them settled in London , with the largest community in Toronto , followed by those in Hamilton , Ontario and Kingston . The majority of them settled in Ontario , with the largest community in Toronto , followed by those in Hamilton , London and Kingston . 0 +In 2011 , Trevor Hunter was not the director as he was director at Belmont City College and was replaced by Geraldine Hardy in 2012 . Geraldine Hardy was not the principal in 2011 as he was Principal at Belmont City College and was replaced in 2012 by Trevor Hunter . 0 +The fungus is edible , but due to possible confusion with toxic Amanita species is not recommended . "The mushroom is toxic , but not recommended due to possible confusion with edible "" Amanita "" species ." 0 +In 1858 he graduated from the Galatasaray Gymnasium in Shumen and became a teacher in Istanbul , where he remained until 1864 . He graduated from the Galatasaray High School in Shumen in 1858 and became a teacher in Istanbul , where he remained until 1864 . 1 +Two weeks before the invasion , the corps was pulled out of the Third Army and placed in Omar Bradley 's First Army . Two weeks before the invasion , the corps was pulled from the Third Army and placed in the First Army of Omar Bradley . 1 +He studied at the Davis Studio , Melbourne and at the Julian Ashton Art School in Sydney . He studied at Davis Studio , Melbourne and at the Julian Ashton Art School in Sydney . 1 +The former was brought together in 1994 with another Piedmontese bank Cassa di Risparmio di Biella . The Piedmontese was brought together in 1994 with another former Cassa di Risparmio di Biella bank . 0 +It is bordered to the northeast by the Pacific Ocean , to the southeast by Orchidlands Estates and to the south-west by Hawaiian beaches and Ainaloa . It is bordered to the northeast by the Pacific Ocean , to the southeast by Orchidlands Estates , and to the southwest by Hawaiian Beaches and Ainaloa . 1 +Khurda Road is one of three divisions of the East Coast Railway . Khurda Road is one of the three divisions of East Coast Railway . 1 +A cover version by Sinitta appeared in 1989 , produced by Phil Harding and Ian Curnow . In 1989 , a cover version of Sinitta , produced by Phil Harding and Ian Curnow , appeared . 1 +Butler died on 16 January 1909 in Oxford and was buried at Holywell Cemetery in Torquay . Butler died in Torquay on 16 January 1909 and was buried at the Holywell cemetery in Oxford . 0 +"The Crow Canyon Archaeological Center notes , "" Today , Pueblo people live in the modern world while maintaining their distinct culture and rich traditional heritage . """ "The Crow Canyon Archaeological Center notes : "" Today Pueblo lives - people in the modern world while preserving their distinct culture and rich traditional heritage ." 1 +In the base version of the game , magic-user was one of the original character classes . Magic-user was one of the original character classes in the basic version of the game . 1 +"As Greg Smith Sounds , Smith released two solo plates : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "Smith has released two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 1 +In the London production the role was played by Robbie Scotcher and the role was taken over by Jerome Pradon on 23 June 2008 . In London production , the role of Robbie Scotcher was played and the role was taken on 23 June 2008 by Jerome Pradon . 1 +Paralovo is a village situated in the municipality of Novi Pazar in Serbia . Paralovo is a village situated in Novi Pazar municipality in Serbia . 1 +"Together with Sam Raimi and Rob Tapert , Campbell has produced the remake of "" The Evil Dead "" ." "Sam Sam Raimi and Rob Tapert , together with Campbell , produced the remake of "" The Evil Dead "" ." 0 +Matches between teachers and other expats in Bogotá continued in 2001 , before in May that year a touring team from Panamá spent a week in the Colombian capital . The meetings between teachers and other expats in Panamá continued in 2001 , before a touring team from Bogotá spent a week in the Colombian capital in May of that year . 0 +The community is located 33 miles southwest of Solon Springs ; 42 miles south of the city of Superior , and 14 miles northeast of Danbury . The village is located 33 miles northeast of Solon Springs , 42 miles south of the city of Superior and 14 miles southwest of Danbury . 0 +He worked as a translator and teacher in Europe for most of the four years he was in school there and then worked in Costa Rica for one year . He worked as a translator and teacher in Europe for most of the four years he was in school , and then he worked in Costa Rica for a year . 1 +Johnson allowed the three inexperienced pilots to damage it , but they only managed to attack the bomber . The three inexperienced pilots were allowed to damage it , but they managed only to attack the bomber . 1 +According to the United States Census Bureau , the town is a total area of , of which has land and , or 1.35 % , is water . According to the United States Census Bureau , the city has a total surface area of which is land and , or 1.35 % , is water . 1 +In the week before the incident with Coventry fans , 13 men were arrested after clashes between fans from Leicester and Norwich , in which some men suffered slight injuries . The week before the incident with Coventry fans , 13 men were arrested after clashes between fans from Leicester and Norwich in which some men sustained minor injuries . 1 +Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard , cousin of Claude Pratte , son of Gaston Pratte and Jeannette Verge . Born in Quebec City , Quebec , son of Garon Pratte and Claude Pratte . Cousin of G. Rivard , who is son of Gaston Pratte and Jeannette Verge . 0 +The A686 is the main road located near Hunsonby , which is the main route to the market town of Penrith . The nearest train station is in Langwathby . The A686 is the main road near Hunsonby , the main route to the market town of Penrith , the nearest station is in Langwathby . 1 +The A686 is the main road located near Langwathby , which is the main route to the market town of Penrith . The nearest train station is in Hunsonby . The A686 is the main road near Hunsonby , the main route to the market town of Penrith , the nearest station is in Langwathby . 0 +Nool Veli ( fence of the yarn ) is a 1979 - Tamil film with Sarath Babu , Sujatha and Saritha . Nool Veli ( Fence of Yarn ) is a Tamil film with Saritha , Sujatha and Sarath Babu in 1979 . 1 +The story attracted widespread attention from social media and mainstream media . History attracted widespread attention from social media and the mainstream media . 1 +Pedestrians and bicycles are not allowed , but can be permitted on a footpath . Pedestrians and bicycles are not permitted , but may be allowed on a footpath . 1 +The Shadrick won a by-election in Holsworthy with a majority of 66 votes after the death of Liberal Democrat councillor Pam Johns . After the death of Liberal Democrat Councilor Des Shadrick , Pam Johns won a by-election in Holsworthy with a majority of 66 votes . 0 +Wanzhou District is a district in Chongqing , China and the location of a former prefecture . Wanzhou District is a district in Chongqing , China and the site of a former prefecture . 1 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian-born American composer and musician . Ulpio Minucci ( 29 June 1917 - 9 March 2007 ) was an American - Italian composer and musician . 0 +The 2002 season Seattle Seahawks was the 27th season of the team with the National Football League . The 2002 Seattle Seahawks season was the team 's 27th season with the National Football League . 1 +They speak the Russian language and have some pre-Christian traditions.In addition to Chuvash , many also use the Chuvash language . They speak the Russian language and have some pre-Christian traditions . In addition to Chuvash , many people also use the Chuvash language . 1 +Kerr broke into the first team this season , but Couper found himself on the bench again . Kerr broke into the first team that season , but Couper found himself on the bench . 1 +Both John Kerry in 2001 and Mark Warner in 2004 lost Loudoun and Prince William counties . Both John Kerry in 2001 and Mark Warner lost counties in 2004 to Loudoun and Prince William . 1 +On 28 February 2011 , Mikko Lehtonen of the Bruins was traded with Anton Khudobin to the Minnesota Wild in exchange for Penner . On February 28 , 2011 , Mikko Lehtonen was traded by the Bruins along with Anton Khudobin to the Minnesota Wild in exchange for Penner . 1 +This procedure is the cylindrical equivalent of a photographic map projection in cartography . This process is the cylindrical equivalent of a photographic map projection in cartography . 1 +"Halperin and Jay Velie introduced the song "" I Love You "" from Thompson and Archer ." "Halperin and Jay Velie introduced the song "" I Love You "" by Thompson and Archer ." 1 +Germar Scheerer , also known as Germar Rudolf , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born on 29 October 1964 , is a German chemist and convicted Holocaust denier . 1 +Of the total dam area , 40 % is the stiff river itself and the inundated areas are present slopes along the river bank . 40 % of the entire dam area is the present river itself and the flooded areas are stiff slopes along the river bank . 0 +Pepsi Next was launched in March 2013 in Finland and Canada and in France in March 2014 . Pepsi Next was first introduced in Finland and Canada in March 2013 , and in France in March 2014 . 1 +All of the songs are written by Chaitanya and composed by S. Narayan . All the songs are written by Chaitanya and composed by S. Narayan . 1 +He would go on to have a number of children with her , including Emilio ( Emilito ) , Facundo , Maria , Jose , Daniel , and Carmen . He would have a number of children with her , including Emilio ( Emilito ) , Facundo , Maria , Jose , Daniel and Carmen . 1 +The Greeks and Romans identified the region as Gangaridai , a historical kingdom of the powerful subcontinent , in the 3rd century BCE . In the 3rd century BC , the Greeks and Romans described the region as Gangaridai , a powerful kingdom of the historical subcontinent . 0 +Deutschnofen borders the following municipalities : Aldein , Bolzano , Bronzolo , Karneid , Laives , Welschnofen , and municipalities of Predazzo , Tesero and Varena in Trentino . Deutschnofen borders with the following municipalities : Aldein , Predazzo , Bronzolo , Karneid , Leifers , Welschnofen and municipalities of Bolzano , Tesero and Varena in Trentino . 0 +These changes include blebbing , cell shrinkage , chromosomal fragmentation , chromatin condensation , nuclear DNA fragmentation , and global mRNA decay . These changes include vesicular education , cell shrinkage , chromosomal fragmentation , chromatin condensation , nuclear DNA - fragmentation , and global mRNA - decay . 1 +According to Inova 's projects , this is reversed in Manovich : the paradigmatic database is tangible , while the syntagmatic narrative is virtual . In New Media projects , this is reversed according to Manovich . The virtual database is tangible , while the syntagmatic narrative is paradigmatic . 0 +"Atari also improved the basic design with the "" 1040ST "" ( later written "" STF "" ) in 1986 ." "Atari later improved the basic design with the "" 1040ST "" ( also written "" STF "" ) in 1986 ." 0 +Nick Swisher opened the top of the fifth inning with a double and scored on a single to center field by Andy Pettitte . Andy Pettitte opened the top of the fifth inning with a double and achieved field by Nick Swisher in a single to center . 0 +Temuka was a parliamentary electorate in the New Zealand region of Canterbury from 1911 to 1946 . The electorate was represented by four Members of Parliament . From 1911 to 1946 , Temuka was a parliamentary electorate in the Canterbury region of New Zealand and was represented by four Members of Parliament . 0 +As a result of this success , other multinational groups such as Unilever , Microsoft , Digital Equipment , Schlumberger or Lazard approached the services of Leclercq 's firm . As a result of this success , other multinational companies such as Unilever , Microsoft , Digital Equipment , Schlumberger or Lazard have approached the services of Leclercq 's company . 1 +The qualification rounds for the four previous World Cups were very confusing , with controversial rules and many shortfalls . The qualification rounds for the four previous World Cups were very controversial , with confusing rules and many failures . 0 +On 4 January 2015 , Pope Francis announced that on 14 February he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . On 4 January 2015 , Soane Patita Paini Mafi announced that he would make Tonga 's bishop , Pope Francis , a cardinal on 14 February . 0 +The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell in 1928 and future world record maker John Anderson of Washington . The field also included 1928 Olympian ( and 1932 Olympic champion ) Paul Jessup of Cornell , and future world record holder John Anderson of Washington . 1 +The district Viñac is one of thirty-three districts of the province of Yauyos in the Peruvian region Lima . District Viñac is one of thirty-three districts of the region Lima in Yauyos province in Peru . 0 +It was designed by Kansas City , Missouri architect James C. Sunderland in Chicago style . It was created by Kansas City , Missouri Architect James C. Sunderland in Chicago style . 1 +She spent the first six years of her childhood in Angeles City before moving on to Manila . She spent the first six years of her childhood in Manila before moving to Angeles City . 0 +2 . To bring together those interested directly or indirectly in matters of accounting , to encourage the exchange of ideas , and to promote mutual assistance between members . 2 . To bring together those interested in accounting issues directly or indirectly , to promote the exchange of ideas and to promote mutual assistance between members . 1 +The 2013 Texas A & M University football team represented Texas A & M Aggies in the 2013 , NCAA Division I FBS football season . They played their home games at Kyle Field . The football team of Texas A 'M University from 2013 represented Texas A ' M Aggies in the FBS season of NCAA Division I . They played their home games at Kyle Field . 1 +In 1995 , Lawler accused Bret Hart of being a racist to create problems between Hart and the Japanese wrestler Hakushi . Bret Hart accused Lawler in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 0 +It was also more terrestrial , with its remains discovered in inland forests and sub-Alpine regions as well as coastal wetlands . It was also more terrestrial , with its remains discovered in inland forests and subalpine regions as well as coastal wetlands . 1 +Teewurst was invented in Pomerania , probably in the small Baltic town of Rügenwalde ( now Darłowo , Poland ) , in the middle of the 19th century . Teawurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwalde ( today Darłowo , Pomerania ) . 0 +Nora Navarro was born the second of six children of Winifredo Santos , a physician , and María Rosario Santos y Navarro . María Rosario Santos y Navarro was born as the second of six children of Winifredo Santos , a doctor , and Nora Navarro . 0 +After the Herat affair , Britain would remove its military and diplomatic missions from Persia and occupy the island of Kharg and attack Bushehr . In the wake of the Bushehr affair , Great Britain would remove its military and diplomatic missions from Persia , and occupy Kharg island and attack Herat . 0 +Armand Alexander de Castagny was a Lieutenant in the French siege of Antwerp in 1832 , and later he served in Algiers . As a lieutenant , Armand Alexander de Castagny was at the French siege of Algiers in 1832 . He later served in Antwerp . 0 +Ammu is a 1965 Indian Malayalam film , produced by NN Pisharady and directed by M Kesavan . Ammu is an Indian Malayalam film , produced by NN Pisharady and directed by M Kesavan in 1965 . 1 +Germany ended its support for China in 1938 , under pressure from Japan , and Falkenhausen had to withdraw from China . In 1938 , Japan ended its support for China under pressure from Germany , and Falkenhausen had to withdraw from China . 0 +He moved to Attica , Indiana , in 1853 and to Bloomington , Illinois , in 1859 . He moved to Attika , Indiana in 1853 , and in 1859 to Bloomington , Illinois . 1 +"He starred in "" The Secret Circle "" on The CW and appeared in the Hallmark series "" When Calls the Heart "" ." "He appeared in "" The Secret Circle "" on The CW and performed in the Hallmark - series "" When Calls the Heart "" ." 0 +Natural Essence is the debut album by the American saxophonist Tyrone Washington with performances published in 1967 and recorded on Blue No Natural Essence is the debut album by American saxophonist Tyrone Washington featuring performances released in 1967 and recorded on the Blue No 1 +The objective of the game is to score points by destroying a variety of shapes and surviving by not touching them . The objective of the game is to collect points by touching and surviving a variety of forms by not destroying them . 0 +The VT 67A Connector was removed in 1974 and assigned to the assignment of VT 279 simultaneously in 2004 . VT 67A Connector was removed in 1974 and assigned in 2004 concurrent to the assignment of VT 279 . 1 +Wu Sangui ( died 1644 ) was a general of the Ming dynasty and father of Wu Xiang . Wu Xiang ( d. 1644 ) was a general of the Ming Dynasty and the father of Wu Sangui . 0 +This was a limited release -- only 300 red vinyl and 200 black vinyl copies were issued . This was a limited release -- only 300 red vinyl copies and 200 black vinyl copies were issued . 1 +While octreotid has reduced the terminal threonine to the corresponding amino alcohol . While octreotide has the corresponding amino threonine reduced to the terminal alcohol . 0 +Paul Whitty ( born 1970 ) is an England-based experimental composer and sound artist born in Northern Ireland . Paul Whitty ( born in 1970 ) is an English-born experimental composer and sound artist born in Northern Ireland . 1 +"Guido Crepax is known for publishing the original edition of the "" Codex Seraphinianus "" and some books of Ricci ." "Ricci is known for publishing the original edition of the "" Codex Seraphinianus "" and some books by Guido Crepax ." 0 +"There is also a faithful and more promising remake called "" Xenonaut "" ." "There is also a more promising and fairer remake called "" Xenonauts "" ." 0 +Jones was based in Los Angeles until he moved to New York in 1997 . Jones was resident in New York until he moved to Los Angeles in 1997 . 0 +Shayne Doyle said I have invested a lot of money in sound facilities , I have door to sound people and people pay . "Owner Shayne Doyle said "" I have a lot of money invested in sound equipment , I have door people and sound people to pay ." 0 +Guillermo Pérez Roldán defeated Andrés Gómez 6 -- 0 , 7 -- 6 , 3 -- 6 , 0 -- 6 , 6 -- 2 . Guillermo Pérez Roldán defeated Andrés Gómez with 6 : 0 , 7 -- 6 , 3 -- 6 , 0 - 6 , 6 -- 2 . 1 +He studied at Davis Studio in Melbourne and at Julian Ashton Art School , Sydney . He studied at Davis Studio , Sydney and at the Julian Ashton Art School in Melbourne . 0 +"The open circuit time linear procedure provides the constant term in "" j "" ω regardless of how complex the RC network becomes ." "The linear procedure for the open circuit time provides the constant term in "" j "" y , regardless of how complex the RC network becomes ." 1 +Creative Director JoFF Rae of ARTIVIST has developed and presented Creative Vision Provision and Production : creative in unique , produced installations . Recent Vision Provision and Production has been developed and presented by Creative Director JoFF Rae of ARTIVIST : creative in unique produced installations . 1 +On March 31 , 1958 Daley was traded , along with Larry Doby and Don Ferrarese , to the Baltimore Orioles , for Gene Woodling and Dick Williams . On March 31 , 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . 1 +Bordentown is situated southeast of Trenton and northeast of Philadelphia . Trenton is located southeast of Bordentown and northeast of Philadelphia . 0 +In 1406 he had added the Juliana Anicia Codex of Dioscurides , rebound and a table of contents and Minuskel scholia in Byzantine Greek extensively restored . In 1406 he had the Juliana Anicia Codex of Dioscurides restored , rebound , and a table of contents and extensive scholia added in Byzantine Greek minuscule . 0 +As with most languages , the written language tends to use a more formal register than the language spoken . As with most languages , spoken language tends to use a more formal register than written language . 0 +Pepsi Next was launched in March 2013 in Finland and Canada and in France in March 2014 . Pepsi Next was first launched in March 2013 in France , in March 2014 in Finland and Canada . 0 +The sixth studio album was released on February 24 , 2010 in Europe , Japan on March 2nd , North America on March 3 , and Canada on April 6 . Kalmah 's sixth studio album was released in Europe on 24 February 2010 , Japan on 2 March , North America on 3 March and Canada on 6 April . 0 +It is covered by the integument , deep fascia , platysma and surface fascia . It is ( covered ) by the integument , deep fascia , Platysma and superficial fascia . 1 +In 1893 , Emma married Robert Lee Kelley . Emma V. Lee married Robert Kelley in 1893 . 0 +The freeway was first built in the 1960s in Michigan , although the plans in Indiana date back to the 1950s . The freeway was first built in Indiana in the 1960s , although the plans in Michigan date back to the 1950s . 0 +Amazingly , the second stimulus can , in some cases , actually affect the perception of the first stimulus . Amazingly , in some cases , the first stimulus can actually influence the perception of the second stimulus . 0 +Copies of the Leach catapult , made locally by the Royal Engineers , were used in the Gallipoli Campaign . Copies of the Leach catapult , which were used by the Royal Engineers locally , were made in the Gallipoli campaign . 0 +Felix researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization in London from 1927 to 1945 . Felix researched in Bielsko , Vienna , Prague and London and worked in Jerusalem from 1927 to 1945 for the Hadassah Medical Organization . 0 +They are exhibited in the Old Cathedral in the summer and in winter in the Great Cathedral . They are exhibited for veneration in the Old Cathedral in summer and in the Great Cathedral in winter . 1 +Nick Swisher opened the top of the fifth inning with a double and scored on a single to center field by Andy Pettitte . Nick Swisher opened the top of the fifth inning with a double and achieved in a single to center field by Andy Pettitte . 1 +The program was shot at the Eaves Movie Ranch near Las Vegas , New Mexico and near Storrie Lake in Santa Fe . The program was filmed at the Eaves Movie Ranch near Las Vegas , New Mexico and near Storrie Lake in Santa Fe . 1 +The others were Luke White of the Repton School and Etonian Donald Carr . The others were Luke White from Repton School and the Etonian , Donald Carr . 1 +Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and spiritual center for centuries . Kandy , originally known as Senkadagala , has been the bastion of culture and spiritual centre of Sri Lanka for centuries . 0 +In 1969 , Amanda married Rod Lyne , Mary Smith . Amanda Mary Smith married Rod Lyne in 1969 . 0 +The portner kept the grocery store , and Recker focused on expanding the brewery . Portner kept the grocery store and Recker focused on expanding the brewery . 1 +Lake Sammamish enters the Issaquah Creek park . Issaquah Creek enters the Sammamish lake in the park . 0 +Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who was not seen during the day . Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman that had never been seen during the day . 0 +Many German troops regarded the war in Soviet terms , and viewed their Nazi enemies as subhumans . Many German troops viewed the war in Soviet terms and regarded their Nazi enemies as sub-human . 1 +He also received music lessons from friends of Buitrago , including the Cuban pianist Pablo Desverine and Venezuelan pianist and composer Teresa Carreño . He also received music lessons from friends of Buitrago , including the Venezuelan pianist Pablo Desverine and the Cuban pianist and composer Teresa Carreño . 0 +Political prisoners were Wim Schermerhorn ( Prime Minister 1945-1946 ) , , Pieter Geyl and , all post-war politicians . Political prisoners were Pieter Geyl ( Prime Minister 1945-1946 ) , Wim Schermerhorn , and all politicians of the post-war period . 0 +The Federal Theatre Project of the Works Progress Administration set unemployed theatre performers and employees to work in 1936 . The Works Progress Administration of the Federal Theatre Project used unemployed theatre performers and employees to work in 1936 . 0 +Minervén Sport Club , formerly known as Minervén Bolívar Fútbol Club , is a Venezuelan football club , usually known as Minervén . Minervén Sport Club , usually Minervén Bolívar Fútbol Club , formerly known as Minervén , is a Venezuelan football ( soccer ) club . 0 +In the Hong Kong Chief Executive election , 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . At the Hong Kong Chief Executive elections in 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . 1 +The principal person is Jennifer Haack for K-5 and Stefan Ladenburger is Assistant Principal , the Associate Principal is Michael McDonnell The principal is Jennifer Haack for K-5 and Stefan Ladenburger is the assistant principal . The associate principal is Michael McDonnell . 1 +Today Galesburg-Augusta consists of community schools from a high school and a high school in Augusta and a primary school in Galesburg . Today , Galesburg-Augusta Community Schools consists of a middle school and a high school in Augusta and a primary school in Galesburg . 0 +Dighton is located in the fifth Bristol State representative district , which includes Swansea and parts of the Somerset and Taunton regions . Dighton is located in the Fifth Bristol state representative district , which includes Somerset and parts of Swansea and Taunton . 0 +He coached for A.C. Milan , Santos F.C . and Ajax F.C . football academies . He trained for A.C. Milan , Ajax F.C . and Santos F.C . Football Academies . 1 +This species comes from Nicaragua to Costa Rica in the demersal zone of the Pacific Ocean . This species occurs in the demersal zone of the Pacific Ocean from Nicaragua to Costa Rica . 1 +It followed MacPaint and was a competitor to Silicon Beach Software 's SuperPaint . It was MacPaint and followed a competitor to SuperPaint by Silicon Beach Software . 0 +In April 2016 , the son of Ahmed Ali Riaz Malik , Malik Riaz Hussain , was named in the Panama Papers . In April 2016 , Ahmed Ali Riaz Malik 's son , Malik Riaz Hussain , was named in the Panama Papers . 1 +Several streets are named after him including streets in Geelong West , Brighton , Melton , Buninyong , and Ballarat . Several streets are named after him , including the roads in Ballarat , Melton , Buninyong , Geelong West , Brighton . 1 +The expansion of China Airlines ' political presence has long been limited by Taiwan 's international status . The expansion of the international presence of China Airlines has long been limited by the political status of Taiwan . 0 +Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relations between the government and the United Kingdom . Lord Chancellor , a post in the British Government , is responsible for relations between the Channel Islands and the government . 0 +In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Arlington , from Abilene to Texas . In 1968 , the boardwalk Bowl followed Tangerine Bowl , and the Pecan Bowl moved from Abilene to Texas within Arlington . 1 +In March 2017 , following the success of the first film , star Robin Jones Gunn and author Niall Matter confirmed that Hallmark is developing a continuation . Following the success of the first film , star Niall Matter and author Robin Jones Gunn both confirmed in March 2017 that Hallmark were developing a sequel . 0 +It was also recorded by the Guy Lombardo and His Royal Canadians orchestra and the vocal group The Three Suns in the United States . It was also recorded by Guy Lombardo and His Royal Canadians Orchestra and the vocal group The Three Suns in the United States . 1 +She spent the first six years of her childhood in Angeles City before moving to Manila . She spent the first six years of her childhood in Angeles City before moving on to Manila . 1 +The western border is variously given as either Smith or Court Streets , and Warren or Wyckoff Streets as the southern edge . The southern border is variously indicated as Smith or Court Streets and Warren or Wyckoff Streets as the western edge . 0 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , died on January 17 , 1845 in Ludwigsburg ) . Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on 17 January 1845 in Stuttgart ) . 0 +Lehigh River is a tributary of the Mahoning Creek in Schuylkill and Carbon County , Pennsylvania , in the United States of America . Mahoning Creek is a tributary of the Lehigh River in the Schuylkill and Carbon - County , Pennsylvania , in the United States . 0 +The ship was deleted from the naval register on 1 March 1973 and sold for scrapping in 1974 . The ship was sold from the Naval Vessel Register on March 1 , 1973 and struck for scrapping in 1974 . 0 +Born in Newbury , Massachusetts , the second son of Richard Dummer and his first wife , Frances Burr , was born . Dummer was born in Newbury , Massachusetts , the second son of Richard Dummer and his first wife , Frances Burr . 0 +In 1979 , she fled to West Germany by flying with a false West German passport from Munich to Budapest . In 1979 , she fled to West Germany by flying with a false West German passport from Budapest to Munich . 0 +Another lodger was James Russell Lowell , an aunt of Sarah Lowell . Another sub-tenant was Sarah Lowell , an aunt of James Russell Lowell . 0 +If Tomin is told by a prior to kill them , he refuses , and Mitchell kills the prior , whose powers were blocked by the anti-prior device . When Tomin is ordered by a Prior to kill them , he refuses , and Mitchell kills the Prior , whose powers were being blocked by the Anti-Prior device . 1 +The Chapel and Hall were both fully funded by William Gibbs and were also designed by Butterfield . The chapel and the room were both fully funded by William Gibbs and were also designed by Butterfield . 1 +The New Democratic Party of Ontario ( Ontario NDP ) is one of three major political parties in Ontario that are running in the 2011 general elections in Ontario , Canada . The New Democratic Party of Ontario ( Ontario NDP ) is one of three major political parties in Ontario , Canada running in the Ontario general election , 2011 . 0 +Cashel is a village in County Galway , Connacht province of Ireland . Cashel is a village in Ireland , in Connacht Province , County Galway . 0 +The 1929 New Zealand tour rugby to New South Wales was the 14th tour by the New Zealand national rugby union team to Australia . The 1929 New Zealand - Rugby tour to New South Wales was the 14th tour of the New Zealand Rugby - Union team to Australia . 1 +The castle is used now as a fancy place near Madrid for glamorous weddings , social events , banquets and so on . The castle is now being used as a chic place near Madrid for glamorous weddings , social events , banquets and so on . 1 +"The hyperbolic case is similar , with the area of a disk of the hyperbolic radius "" R "" at the constant level ( intrinsic curvature formula 83 ) given by" "The hyperbolic case is similar , with the area of a disk of intrinsic radius "" R "" in the ( constant curvature formula _ 83 ) hyperbolic plane given by" 0 +Hollande blamed the 2017 social unrest in French Guiana on President Fillon 's policies , which he said had failed . Fillon blamed the social unrest in 2017 in French - Guiana on the policies of President Hollande , which , he said , had failed . 0 +The 2005 North Indian Ocean cyclone season was destructive and deadly to southern India despite the weak storms . The North Indian Ocean cyclone season in 2005 was weak , despite the destructive and deadly storms in southern India . 0 +Saraiya is a village in India and village in Bharatpur Rajasthan Gorakhpur , Uttar Pradesh . Saraiya is a town in Gorakhpur , Uttar Pradesh and a village in Bharatpur Rajasthan India . 0 +Musa Kadhim was a descendant of seventh Imam , Muhammad Bin Syed Abdullah . Syed Musa Kadhim was a descendant of the seventh imam , Muhammad Bin Syed Abdullah . 1 +Jarron argues that Lee was the artist who dominated the newspapers and magazines of Dundee before the Great War . Lee argues that Jarron was the artist who dominated Dundee 's newspapers and magazines before the Great War . 0 +The 1990 Philadelphia Wings season marked the team 's fourth season of operation and second league championship . The 1990 Philadelphia Wings season marked the second season of the team 's operations and fourth league championship . 0 +The park is situated 65 km northeast of Fianarantsoa and 139 km west of Mananjary in the regions Haute Matsiatra and Vatovavy-Fitovinany . The park is 65 km west of Fianarantsoa and 139 km northeast of Mananjary in the regions of Haute Matsiatra and Vatovavy-Fitovinany . 0 +A second portion is exposed to a universal allergy such as pokeweed to serve as a positive control . A second portion is exposed to a positive allergy such as pokeweed to serve as universal control . 0 +The river Bazga is a tributary of the Bohotin River in Romania . The Bohotin River is a tributary of the River Bazga in Romania . 0 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith which was recorded in 2001 and released on Tzadik Records . Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith , which was recorded in 2001 and published by Tzadik Records . 1 +Codice 1 can not be deleted because its copy constructor and its assignment operators are explicitly copied . A codice 1 can not be copied as its copy constructor and its assignment operators are explicitly deleted . 0 +She lived in the Manila Metro before moving to Minglanilla , Cebu . She lived in Minglanilla , Cebu , before moving to Manila Metro . 0 +Sporting Club Suceava was a professional football club from Suceava , founded in Romania and established in 2008 . Sporting Club Suceava was a professional football club from Romania with headquarters in Suceava and founded in 2008 . 0 +"Artificial beings are common in fiction since the 19th century , as in Karel Čapek 's "" Frankenstein "" or Mary Shelley "" R.U.R "" ." "Since the 19th century , artificial beings are common in fiction , as in Mary Shelley 's "" Frankenstein "" or Karel Čapek 's "" R.U.R ." 0 +Once said logical log page is no longer the last page ( i.e . Once the logical log page is no longer the last page ( i.e . 1 +It was built in 1974 and widened , dredged with gravel roads on each side of the channel . It was built and widened in 1974 , with gravel roads dredged on each side of the canal . 1 +The Ark and stone house together formed the North Mountain House hotel , which opened in 1873 , and was managed by Ricketts ' brother Frank until 1898 . The North Mountain House and the stone house together formed the Ark Hotel , which opened in 1873 and was managed by Ricketts ' , brother Frank until 1898 . 0 +It is endemic to California , where it is known only from the Pecho Hills southwest of San Luis Obispo in San Luis Obispo County , California . It is endemic in San Luis Obispo County , California , where it is only known by the Pecho Hills southwest of San Luis Obispo , California . 0 +Granel was an important influence in a number of French philosophers , including Bernard Stiegler , Jean-Luc Nancy , and Jacques Derrida . Granel was an important influence on a number of French philosophers , including Jacques Derrida , Jean - Luc Nancy , and Bernard Stiegler . 1 +Chiang received 1,012 out of 1,064 votes while Lee received 873 votes . 1,012 out of 1,064 votes , while Lee received 873 votes . 1 +The aircraft was situated on a domestic flight from Goma via Ndjili to Kisangani . The aircraft was located on a domestic flight from Goma via Kisangani to Ndjili . 0 +The Rebricea River is a tributary of the Cocora River in Romania . The Rebricea River is a tributary of Cocora River in Romania . 1 +The Museumpark is located in the Chabot Museum in the Rotterdam Centrum , between the Netherlands Architecture Institute and the Boijmans Van Beuningen Museum . The Chabot Museum is located at the Museumpark in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . 0 +There are nine secondary level schools , 16 primary schools and two schools for special education . There are nine primary schools , 16 secondary schools and two schools for special education . 0 +"In September 2014 Peter Sculthorpe published the album "" Tamara Anna Cislowska -- Complete works for solo - piano "" ." "In September 2014 Tamara Anna Cislowska published the album "" Peter Sculthorpe -- Complete works for solo - piano "" ." 0 +In October 2001 , he defended his PhD in Psychology at the Free University of Brussels on the subject of cognitive models of human hypertext navigation . He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of cognitive models of human hypertext navigation . 1 +"Szekelys ( Hungarian : "" Székely "" ) are Hungarian people from the historical region of Transylvania , Romania ." "Szekelys ( Hungarian : "" Székely "" ) are historical people from the Hungarian region of Transylvania , Romania ." 0 +In the American Football League for the Washington Redskins and the National Football League for the Los Angeles Chargers , a former American football defensive was finished . was a former American football defensive end in the American Football League for the Washington Redskins and in the National Football League for the Los Angeles Chargers . 1 +Garcia de Luna fought on the Spanish side in the Battle of Carabobo , against Simón Bolívar and the British Legions , during Venezuelan War of Independence in 1821 . In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . 1 +Earthquakes are common in Peru , especially in the Peruvian coastal area of Arequipa . Earthquakes are common in Peru , especially in the Arequipa coastal area of Peru . 0 +The McKenzie County Farmer is a weekly newspaper based in Watford City , North Dakota , and serves Watford City and all of McKenzie County , North Dakota . The McKenzie County Farmer is a weekly newspaper based in McKenzie County , North Dakota . It serves Watford City , North Dakota and all of Watford City . 0 +Note that k is a vector consisting of three real numbers with dimensions of inverse length , while pis a vector of operators ; to be explicit , It is necessary to note that k is a vector consisting of three inverse numbers with dimensions of real length , while pis a vector of operators ; 0 +"The concept of a redistributive system is at least as old as the concept of Pharaoh , which means "" royal house "" and describes the large palace ." "The concept of a redistributive system is at least as old as the concept of Pharaoh , which means "" great house "" and describes the Royal Palace ." 0 +"Hall Island ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in Franz Josef Land , Oblast Archangelsk , Russia ." "Hall Island ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in Franz Josef Land , Arkhangelsk Oblast , Russia ." 1 +A radar-modified Vickers Wellington was equipped for use by the Fighter Interception Unit , as one of the first Airborne Early Warning and Control ( AEW & C ) aircraft . A radar-modified Vickers Wellington has been one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . 1 +Civolution maintains offices in Eindhoven ( The Netherlands ) , London ( UK ) , Rennes ( France ) , New York City and Burbank ( Los Angeles ) . Civolution has offices in London ( The Netherlands ) , Eindhoven ( UK ) , Rennes ( France ) , New York City , Burbank ( Los Angeles ) . 0 +Due to the results of the previous round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 0 +Interleukins are a group of cytokines ( secreted proteins and signal molecules ) that were first saw to be expressed by white blood cells ( leukocytes ) . Interleukins are a group of cytokines ( secreted proteins and signal molecules ) that were first seen to be expressed by white blood cells ( leukocytes ) . 1 +"She was also a member of the "" Sculptures and Memorials "" organisation , which was founded in 1934 to support local sculptors working with British stones ." "She was also a member of the organization "" sculptures and monuments "" , which was founded in 1934 to support local sculptors working with British stones ." 1 +According to Tellgren ( 2017 ) , Inta Ruka worked the way she described as documentary . Inta Ruka , according to Tellgren ( 2017 ) , worked in the way she described it as a documentary . 1 +Sidmouth was the son of Reverend William Leonard Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister Henry Addington , 1st Viscount Sidmouth . The son of Reverend William Leonard Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister Henry Addington , 1st Viscount Sidmouth . 1 +The text was written in the form of a Byzantine - attic Greek and depicts the artificial perception of the Crusades . The text was written in a form of Byzantine Attic Greek and shows the artificial perception of the Crusades . 1 +Cameron changed his mind when Horner presented him with the song . Horner changed his mind when Cameron presented the song to him . 0 +Although its conjugatic acid is highly reactive , peroxynitrite is basic in stable solutions . Although its conjugated acid is highly reactive , peroxynitrite in basic solutions is stable . 0 +According to the RKD he was the son of genre painter Abraham Busschop and the brother of the bird painter Cornelis Bisschop . According to the RKD he was the son of the genre painter Abraham Busschop and brother of the bird painter Cornelis Bisschop . 1 +( Formula 26 are normal vectors at the intersection points ; their product is scalar in Formula 27 . ) ( formula _ 26 are normal vectors at the intersection points . Their scalar product is formula _ 27 . ) 0 +""" Countdown "" is the sixth single by the Japanese singer Hyde , and the first single from his third solo album "" Faith "" ." """ Countdown "" is the sixth single by Japanese singer Hyde , and the first single from his third solo album "" Faith "" ." 1 +He was born in Athens ( Petroupoli ) in July 1973 . He was born in July 1973 in Athens ( Petroupoli ) . 1 +Directed by Jack Arnold , film stars John Agar and Lori Nelson . Directed by Jack Arnold , the film stars John Agar and Lori Nelson . 1 +It is owned by the RTL Group , a subsidiary of RTL Nederland . It is owned by RTL Group , a subsidiary of RTL Nederland . 1 +Note that Ionia and Aeolis were not considered separate units of the Persians , while Lycia was included in offshore - Caria and Sparda - the semi-autonomous islands . Note that Ionia and Aeolis was not considered separate entities by the Persians , while Lycia were included in offshore Caria and Sparda included the semi-autonomous islands . 1 +It was completed in 1933 in a modernist style for the US federal government and is now used by the United States Postal Service as an office accommodation . It was completed in modernist style in 1933 for the United States Postal Service and is now used as an office by the US Federal Government . 0 +This is a list of national parks in British Columbia , including urban and regional parks , provincial parks , municipal and regional parks . This is a list of national parks in British Columbia including municipal and regional parks , provincial parks , municipal and regional parks . 1 +The game was released in North America on September 12 , 2008 , and in Europe on September 22 , 2008 . The game was released on September 12 , 2008 in Europe and on September 22nd in North America . 0 +Tabda , also known as Tabto , is a city in the southern Jubbada Hoose ( Lower Juba ) region of Somalia . Tabda , also known as Tabto , is a town in the southern region of the lower Juba ( Jubbada Hoose ) of Somalia . 1 +Partnership with Bob Mark and Jeanne Arth , but lost to Sally Moore in the quarterfinals . Howe partnered with Sally Moore but lost in the quarterfinals to Bob Mark and Jeanne Arth . 0 +He moved from Chennai to Bengaluru in 1996 to start his own business . In 1996 , he moved from Bengaluru to Chennai to start his own business . 0 +Originally , Kimura did the series story , while Urasawa created the artwork . Originally , Kimura created the story of the series , while Urasawa did the artwork . 0 +In 1922 , Sharett married Tzipora Meirov ( 12 August 1896 - 30 September 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . In 1922 , Sharett married Tzipora Meirov ( 12 August 1896 -- 30 September 1973 ) and had two sons and one daughter , Jacob , Yael and Chaim . 1 +The nest is generally a flat cup , but can be deep with a deepening for the eggs . The nest is generally a deep cup but can be flat with a depression for the eggs . 0 +The couple got their first child , Nicol , in August 2012 , and in March 2014 their second son , Shalk Jr. , was born . The couple had their first child , Shalk Jr , in August 2012 , and in March 2014 his second son Nicol was born . 0 +They are patrilineal and were in several areas organized into small chiefdoms . They are patrilineal and were organized in several areas into small chieftains . 0 +Another feature of traditional houses is their unique design for the cooling of the interior in summer and for heating in winter . Another unique feature of traditional houses is their special design for cooling the interior in summer and heating the interior in winter . 1 +This species can be found in the Caribbean Sea and the Gulf of Mexico , in the Atlantic Ocean from South Carolina to Brazil . This species can be found in the Atlantic Ocean and the Gulf of Mexico , in the Caribbean Sea , from South Carolina to Brazil . 0 +Harun immediately fled Italy for Libya , where he was arrested on June 24 , 2011 . Immediately Harun fled Italy to Libya , where he was arrested on 24 June 2011 . 1 +Local sustainability strategies will show ways in which the Community ’ s decline is to be reversed and local sustainability is to be created . The local sustainability strategies will state ways in which community decline is to be reversed and local sustainability is to be created . 1 +Pepsi Next was established in March 2013 in France and in March 2014 in Finland and Canada . Pepsi Next was first introduced in France in March 2013 , and in Finland and Canada in March 2014 . 1 +The song was produced by Toxey French and Michael Omartian and was arranged by Jimmie Haskell , Omartian and Bill Straw . The song was produced by Toxey French and Michael Omartian and arranged by Jimmie Haskell , Omartian , and Bill Straw . 1 +Originally , Lexington Plantation was part of the Gunston Hall Plantation Lands . Gunston Hall Plantation was originally a part of the Lexington Plantation . 0 +Parallel world , which seems more favorable than real to them . The real world , which seems more favorable to them than in parallel . 0 +Trenčianske Jastrabie is a village and municipality in Trenčín Region in the Trenčín District of northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in the Trenčín district in the region of Trenčín in northwestern Slovakia . 0 +"The term "" Pusticamica "" of Algonguin - origin means "" Lake of the mountain countries "" ." "The term "" Pusticamica "" means mountainous origin , "" Lake of Algonguin - countries "" ." 0 +"Centered vertically on a scarlet background is a green runway with white markings and the white numerals "" 47 "" ." "Vertically centered on a green background is a white runway with white markings and scarlet digits "" 47 "" ." 0 +The initial plan was to promote Mark Butcher to the opening batsman 's position , which has now become vacant , and to include Paul Collingwood in the middle order . The initial plan was to promote Mark Butcher to the now vacant opening batsman position , and include Paul Collingwood in the middle order . 1 +Ogoki River , located to the northeast of Marten Falls First Nation ( Ogoki Post ) near Ogoki Post Airport in Ontario , Canada . Ogoki Post Airport , located northeast of Marten Falls First Nation ( Ogoki Post ) near the Ogoki River in Ontario , Canada . 0 +"She lived on board the "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." "She aboard the "" Augusta Jessie "" and she and Andrew lived in Hobart Town and Launceston ." 0 +Shops in Matiari , Oderolal station , Shahpur Chakar , Allah Dino Saand and Tajpur remained closed out of respect . Shops in Matiari , station Oderolal , Tajpur , Allah Dino Saand and Shahpur Chakar remained closed out of respect . 1 +After the 1962 season , Green was traded to the New York Mets along with Tracy Stallard and Al Moran in exchange for Felix Mantilla . Following the 1962 season , Green was traded with Tracy Stallard and Al Moran in exchange for Felix Mantilla to the New York Mets . 1 +The scene was filmed with dust-covered and highly choreographed actors from The Open Theatre . The scene was filmed with dust-covered and highly choreographed actors from the Open Theater . 1 +Ezra 's family originally came as immigrants from Palestine and settled in Iraq . Ezra 's family originally came as immigrants from Iraq and settled down in Palestine . 0 +She was the second daughter and the youngest of four children by Wright and his wife , Mary Weeks ( Bracket ) Philander Montague Wright . She was the second daughter and the youngest of four children born to Wright and his wife , Mary Weeks ( Bracket ) Philander Montague Wright . 1 +On the April 12 episode of Impact , Jesse Neal , Hall and Nash defeated Team 3D and Waltman in a Street Fight . In the episode of Impact Waltman , Hall and Nash Team 3D and Jesse Neal defeated in a street fight . 0 +The Driftless Area is a reserve of current and former forest in Minnesota 's Richard J. Dorer Memorial Hardwood State Forest . The Driftless Area is a reserve of current and former woodland in Minnesota Richard J. Dorer Memorial Hardwood State Forest . 1 +"Andy Paul is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Anna Maria Lena "" in the Eurovision Song Contest 1984 in Luxembourg ." "Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" at the Eurovision Song Contest in Luxembourg in 1984 ." 0 +The PacifiCats were designed by Philip Hercus from Vancouver and Robert Allan Limited of Australia . The PacifiCats were designed by Philip Hercus of Vancouver and Robert Allan Limited of Australia . 1 +After the resignation of Drew and the attitude of Jennings B. Whitworth in December 1954 , Crisp was retained as a line coach . Crisp was again retained as line coach after the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 . 0 +The Hyslop farm was named after George Hyslop , who was hired by Agronomy Department founder Henry Scudder when he opened the department in 1907 . The Hyslop farm was named after Henry Scudder , who was employed by the founder of the Agronomy Department , George Hyslop , when he opened the department in 1907 . 0 +Irreversibility in thermodynamic processes is a consequence of the asymmetric character of thermodynamic operations and not of any irreversible internal microscopic properties of the body . Irreversibility in irreversible microscopic processes is a consequence of the asymmetric character of thermodynamic operations , and not of any internally thermodynamic properties of the bodies . 0 +Archdale is a residential area at Starmount ( South Boulevard in Arrowood and South Charlotte ) . Starmount is a residential area on the South Charlotte ( South Boulevard in Arrowood and Archdale ) . 0 +Karthik is the brother of the actress Sridevi and the nephew of actress Maheswari . Karthik is the brother of the actress Maheswari and the nephew of actress Sridevi . 0 +Aphonopelma catalina is a species of spiders in the family Theraphosidae , found in Arizona ( United States ) . Aphonopelma catalina is a species of spiders in the family Theraphosidae , found in the United States ( Arizona ) . 1 +The tram line was built in 1913 , abandoned in 1923 and expanded in 1983 . The tram line was built in 1913 and was abandoned in 1923 and expanded in 1983 . 1 +Directed by Go Nagai , his third film as a director and his first film as solo director . It was directed by Go Nagai , his third film as director and his first as a solo director . 1 +Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in the Arabian Sea Taluka , on the banks of Palghar . Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in the Arabian Sea taluka , on the shore of Palghar . 1 +In 2008 , the MDC-Misheck Kagurabadza candidate Tsvangirai won against the ZANU-PF candidate . In 2008 the MDC-Misheck won Kagurabadza - candidate Tsvangirai against the ZANU-PF candidate . 0 +He was ordered to New Mexico Territory in 1860 and transported to the rank of captain on December 20 in the 4th Infantry . He was ordered to New Mexico Territory in 1860 , and was promoted to the rank of captain in the 4th Infantry on December 20 . 1 +Prakash was the international CIO of Avaya , then the Group CIO of iSoft and later the CIO of Sage Group in the UK . Prakash was the International CIO of Avaya , then the Group CIO of iSoft and later the CIO of Sage Group in UK . 1 +A complete edition was published in 1862 -- 1864 in Edinburgh , in seven volumes by Alexander Grosart , with a biographical memoir by James Nichol . A complete issue was published in 1862 -- 1864 in Edinburgh , in seven volumes by James Nichol , with a biographical memoir by Alexander Grosart . 0 +She sailed to Brisbane to replenish , and on 16th August returned on her seventh war patrol . She returned to Brisbane to replenish , and on 16 August she sailed on her seventh war patrol . 0 +Black Drawing Chalks is a Brazilian rock band from Goiânia , Goiás , Brazil , formed in 2005 , by a group of graphic design students . Black Drawing Chalks is a Brazilian rock band from Goiânia , Goiás , Brazil , founded by a group of graphic design students in 2005 . 1 +Moore was survived by his wife Marjorie Ann Snave , and daughter Lillian . Moore was survived by his wife Marjorie Ann Snave and his daughter Lillian . 1 +Rituximab was investigated and approved by the FDA in April 2011 , when used in combination with glucocorticoids in adult patients . Rituximab has been investigated , and in April 2011 approved by the FDA when used in combination with glucocorticoids in adult patients . 1 +The cars were tuned and produced by Abarth . The cars were produced by Abarth and tuned . 0 +In February 2011 , Cenveo Corporation sold its Envelope Products business , including the Columbian Brand Envelope , to the Quality Park Envelope Products Group of MeadWestvaco . In February 2011 , MeadWestvaco sold its Envelope Products Business including the Columbian Brand Envelope to Cenveo Corporation 's Quality Park Envelope Products Group . 0 +The design of this European porcelain has been made by Wagener according to the Japanese taste many , with white and blue flowers . Wagener made the design of this European porcelain , according to the Japanese taste many , with white and blue flowers . 1 +The Nelson River flows into Playgreen Lake from Lake Winnipeg then flows from two channels into Cross Lake . The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Lake Winnipeg . 0 +Maximilian II ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian Lieutenant General and War Minister under Bernhard Franz von Hess of Bavaria . Bernhard Franz von Hess ( May 22 , 1792 - April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Maximilian II of Bavaria . 0 +The initial plan was to promote Paul Collingwood to the now vacant opening batsman position , and include Mark Butcher in the middle order . The initial plan was to promote Mark Butcher to the opening batsman 's position , which has now become vacant , and to include Paul Collingwood in the middle order . 0 +The anal sinus is very shallow . The sinus anal is very shallow . 1 +Orson Welles was in New York Schilling and followed him to Florida . Orson Welles saw Schilling in Florida and followed him to New York . 0 +He attended training camps with the NHL Carolina Hurricanes in 2011 , but was sent to Florida , then to Charlotte , for training camps . He attended training camps with the NHL Carolina Hurricanes in 2011 , but was sent to Charlotte , then to Florida for training camps . 0 +There are 22 species in the genera , 17 species have a dextral shell and 5 species are sinistral . There are 22 species in the genera , 17 species have a sinistral shell and 5 species are dextral . 0 +Teewurst was invented in Poland , probably in the small Baltic town of Rügenwalde ( now Darłowo , Pomerania ) , in the middle of the 19th century . Teewurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic city of Rügenwalde ( today Darłowo , Poland ) . 0 +"The concept of a redistribution system is at least as old as the concept of Pharaoh , which means "" great house "" and describes the royal palace ." "The concept of a redistributive system is at least as old as the concept of Pharaoh , which means "" great house "" and describes the Royal Palace ." 1 +This was the 4th season in the MLS for the Philadelphia and the first full year under manager John Hackworth . This was the 4th season in MLS for the Philadelphia and the first full year under manager John Hackworth . 1 +The river Eliseni or Hidecut is a tributary of the river Vidăcut in Romania . The Eliseni River or Hidecut River is a tributary of the Vidăcut River , in Romania . 1 +It is licensed and published in North America by Blu on 8 May 2007 , and is licensed by Sharp Point Press in Taiwan . It is licensed and published in Taiwan by Blu on 8 May 2007 , and is licensed by Sharp Point Press in North America . 0 +The Straja River is a tributary of the Frasin in Romania . The River Frasin is a tributary of the Straja River in Romania . 0 +Fiddler 's Island is an island in the River Thames near Oxford in England . It is situated south of Port Meadow above Osney Lock . Fiddler 's Island is an island in the River Thames at Port Meadow in England . It is situated south of Oxford on the reach above Osney Lock . 0 +Sentence elements ( with the exception of verbs ) can be raised by moving to the beginning of the sentence and being marked with themed eyebrows . Sentence elements ( with the exception of verbs ) can be topicalised by being moved to the beginning of the sentence and marked with raised eyebrows . 0 +"There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Will Crowther and modified by Don Woods ." "He was introduced to the version of the computer - text game "" Colossal Cave Adventure "" , created by Don Woods in 1977 and modified by Will Crowther ." 0 +Murphy and DeSanto wrote the project in 2003 , and DeSanto developed a treatment . The project was developed in 2003 by Murphy and DeSanto , and DeSanto wrote a treatment . 0 +"The different words "" vulva "" and "" vagina "" both stem from Latin , but originally they had modern scientific or polite meanings ." "The different words "" Vulva "" and "" Vagina "" are both from Latin , but originally they had modern scientific or polite meanings ." 1 +"Ceremonial music ( "" rokon fada "" ) is performed as a status symbol , and musicians are generally chosen for musical reasons as opposed to political ones ." "Ceremonial music ( "" rokon fada "" ) is listed as a status symbol , and musicians are generally selected for musical reasons , as opposed to political ones ." 0 +This is a list of caves in the United Kingdom , including information on the largest and deepest caves in the UK . This is a list of the caves in Britain , including information about the largest and deepest caves in the United Kingdom . 1 +Guntakal railway station is classified as D railway station in the Venkatagiri division . "Venkatagiri railway station is classified as a "" D -- category "" station in the Guntakal railway division ." 0 +All lines have ceased to exist , except that a short section of the Charlestown line forms a part of the inverkeithing to Dunfermline line . All lines have ceased to exist , except that a short section of the Dunfermline line forms a part of the Charlestown - Inverkeithing line . 0 +The Council 's weak legislative design , however , makes it only a very functional review mechanism . However , the functional design of the Council only makes it a very weak legislative review mechanism . 0 +""" Town Without Pity "" is a song written by the composer Ned Washington and lyricist Dimitri Tiomkin ." """ Town Without Pity "" is a song written by composer Dimitri Tiomkin and lyricist Ned Washington ." 0 +Faces can be reconstructed with a three-dimensional model or by 2D , which includes sketches or digital reconstructions , similar to facial composites . Faces can be reconstructed with a three-dimensional model or 2D , which includes sketches or digital reconstructions , similar to face composites . 1 +The Great Western Railway took over the OW & W in 1862 and enlarged Honeybourne station in the 1900s when it built the railway between and Cheltenham Spa . The Great Western Railway took over OW 'W in 1862 and enlarged Honeybourne Station in the 1900s when it built the railway between and Cheltenham Spa . 1 +In the first year , there were 65 members , at the end of the second year , 91 members , and in the third year , 106 members . In the first year there were 65 members , 91 members at the end of the second year and 106 members for the third year . 1 +The Japanese otter was known as one of the leading carnivores in the aquatic food chain . The aquatic otter was known as one of the top carnivores in the Japanese food chain . 0 +Charlevoix County is located in southern Antrim County and is bordered to the south and west by South Arm Township . South Arm Township is located in the southern Charlevoix County and is bordered to the south and west by Antrim County . 0 +Spice Diana is a female Ugandan musician , one of the youngest Ugandan artists . Spice Diana is a Ugandan musician , one of the youngest Ugandan artists . 1 +"She arrived aboard the "" Augusta Jessie "" and she and Andrew lived in Hobart Town and Launceston ." "She lived on board the "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." 0 +During his stay at Yale , Whorf acquired this current of thought partly from Sapir and partly through his own readings of Russell and Ogden and Richards . During his stay in Yale , Richards partly acquired this train of thought from Sapir and partly through his own readings of Russell and Ogden and Whorf . 0 +On 28 June 1960 , Natalma was bred as the last companion of his first crop to Nearctic . Natalma was bred to Nearctic on June 28 , 1960 , as the first mate of his last crop . 0 +It was reopened in 2010 with new buses and upgraded in early 2011 . It was upgraded with new coaches in 2010 and reopened in early 2011 . 0 +The last day is the first day of the old year . The last day is the first day of the year . 1 +It is named for Jackfork Mountain in Oklahoma and Pushmataha counties , Pittsburg . It was named for Jackfork Mountain in Oklahoma and Pushmataha Counties , Pittsburg . 1 +Automatic transmission became standard , manually , with or without overdrive , was an option in 1967 . Automatic transmission was standard , manually , with or without overdrive , became an option in 1967 . 0 +The characters of Geronimo Stilton used their other names from the sixth to the second novel . The characters of Geronimo Stilton also used their other names from the second novel to the sixth . 0 +Although the Iroquois never settled the Piedmont territory , they entered it for hunting and raiding against other tribes . Although the Iroquois never settled the Piedmont area , they entered it for hunting and raiding against other tribes . 1 +For example , 351 W 5th Avenue is approximately west of High Street on the south side of Fifth Avenue . For example , 351 W 5th Avenue is located approximately west of High Street on the south side of Fifth Avenue . 1 +His mother , born in Devonshire , was the tenth child of a parent who emigrated from Kingston to Canada . His mother , born in Kingston , was the tenth child of parents emigrating from Devonshire to Canada . 0 +Scutellastra tucopiana is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Patellidae , one of the families of true limpets . Scutellastra tucopiana is a species of sea snail , a true limpet , a marine gastropod mollusk in the Patellidae family , one of the families of the true limpets . 1 +The Deputy Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second Kabinett of Kjell Magne Bondevik . The Deputy to the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . 1 +Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . Bridges at this point are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . 0 +He was part of the Swedish team which won the silver medal in men 's gymnastics , Danish system event in 1920 . He was part of the Swedish team , which won the silver medal in the men 's gymnastics , Danish system event in 1920 . 1 +He helps everyone get a good night 's rest and have sweet dreams and often talks with a yawning voice . He helps everyone get a good night ’ s sleep and have yawning dreams and often talks with a sweet voice . 0 +1999 , local reports said that the average sea depth had increased to 11 feet with the maximum depth at 15 feet . In 1999 , local reports said the maximum lake depth had increased to 11 feet with the average depth at 15 feet . 0 +One group travelled north from Greta , and the other started from Mansfield and travelled south . A group travelled north from Greta , and the other started from Mansfield and travelled south . 1 +"In 1910 , a local reporter described in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." "In 1910 , a Japanese reporter described in a local newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" 0 +He mostly used historical subjects to express his patriotic aspirations and to speak out about the current social situation in society . He used mostly historical issues to express his patriotic aspirations and to speak out about the current social situation in society . 1 +Then the lady recognises Florent and notices him as her own son . Then the lady acknowledges Florent and notices him as her own son . 1 +Due to the castration of Hossein Qoli Khan , his brother Agha Mohammad Khan was appointed Qoyunlu 's new chieftain . Due to the castration of Agha Mohammad Khan , his brother Hossein Qoli Khan was instead appointed the new Qoyunlu chief . 0 +In 1858 he graduated from the Galatasaray Gymnasium in Shumen and became a teacher in Istanbul , where he remained until 1864 . In 1858 he completed the Galatasaray High School in Istanbul and became a teacher in Shumen , where he remained until 1864 . 0 +Roxus supported the respective Australian bands Poison and Bon Jovi in their international tours in 1989 . In 1989 Roxus supported respective Australian bands , Poison and Bon Jovi , on their international tours . 1 +For the 1951 season , the circuit with the Arizona -- Texas League merged to form the Southwest International League . For the 1951 season , the circuit merged with the Arizona -- Texas League to form the Southwest International League . 1 +These predictive functions are referred to as pedo-transfer functions in a non-spatial context . These predictive functions , in a non-spatial context are referred to as pedotransfer functions . 1 +Butler died in Oxford on 16 January 1909 and was buried at Holywell Cemetery in Torquay . Butler died in Torquay on 16 January 1909 and was buried at the Holywell cemetery in Oxford . 0 +"The term "" Pusticamica "" means mountainous origin , "" Lake of Algonguin - countries "" ." "Of algonguin origin , the term "" Pusticamica "" means "" lake of the mountainous countries "" ." 0 +""" The Brute Man "" was the second episode of the seventh season , broadcast on February 10 , 1996 in Comedy Central ." """ The Brute Man "" was the second episode of the seventh season , which was broadcast on Comedy Central on February 10 , 1996 ." 1 +Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Florida with the sequence of SCSV in Taiwan . Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Taiwan with the sequence of SCSV in Florida . 0 +In order to mark valid conversions between restricted types , a casting with the attribute force is used to avoid sparse printing a warning . To mark valid conversions between restricted types , a casting with the force attribute is used to avoid Sparse giving a warning . 1 +The Hebrew Union College -Jewish Institute of Religion also manages the cultural center Skirball in Los Angeles and the Skirball Museum in Jerusalem . The Hebrew Union College-Jewish Institute of Religion also manages the Skirball Cultural Center in Los Angeles and Skirball Museum in Jerusalem . 1 +In the same year he played in the UEFA Champions League qualification against Dinamo Zagreb and later in UEFA Cup against HJK Helsinki and Celtic Glasgow . In the same year he played in the qualification for the UEFA Champions League against Dinamo Zagreb and later in the UEFA Cup against HJK Helsinki and Celtic Glasgow . 1 +It is part of the NE -- Sioux City , IA -- SD Metropolitan Statistical Area . It is part of the Sioux City , IA -- NE - SD Metropolitan Statistical Area . 0 +The 1945 San Diego State Aztecs football team represented San Diego State College during the 1945 college football season . The 1945 San Diego State College football team represented San Diego State Aztecs during the 1945 season College Football . 0 +The festival debuted in 2007 and originated in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . The festival was founded in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . 0 +When Lucius E. Pinkham died in 1917 , the territorial governor Liliuokalani granted her the honor of a state funeral in the throne room of the palace . When Liliuokalani died in 1917 , territorial governor Lucius E. Pinkham granted her the honor of a state funeral in the throne room of the palace . 0 +The body is streamlined and compressed , and its uniform body makes it a fast swimmer . The body is streamlined and compressed , and its ovoid body makes it a fast swimmer . 0 +Some had several corpses so bound in canvas that the stiff , sharp outline of death was easily traceable . Some had traceable corpses so tied up in canvas that the stiff , sharp outline of death was easily several . 0 +""" Sketch "" was recorded as the last album with the bassist Nina Souto and the drummer Arturo Garcia ." The last album was recorded with bassist Arturo Garcia and drummer Nina Souto . 0 +The 12th and last months contain 30 days and the even numbered months 29 days , the odd month in a leap year contains 30 days . The odd numbered months contain 30 days and the even numbered months 29 days , the 12th and final month in a leap year contains 30 days . 0 +In 1796 , Isaac Walker took over the share of Hare , and the company acquired the name Taylor Walker in 1816 , when John Taylor became a partner . In 1796 Isaac Walker took Hare 's share , and the company acquired the name Taylor Walker in 1816 when John Taylor became a partner . 1 +She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on January 21 , 1751 . She married twice . The first time with Prince Kazimierz Poniatowski in 1749 , and the second time with Prince Antoni Lubomirski on 21 January 1751 . 0 +"She criticizes the play 's "" uncomfortable subtext of misogyny "" and describes the plot as "" farcical "" ." "She criticizes the "" uncomfortable subtext of the game 's misogyny and describes the plot as "" Farcical "" ." 1 +In Exeter , James senior was succeeded by his younger son , Robert , and this branch became Robert Veitch & Sons . In Exeter , Robert Senior was replaced by his younger son James , and this branch became Robert Veitch 's Sons . 0 +Mr Cave made the highest bid for Mr Payne 's goods at an auction . At an auction , Mr Payne submitted the highest bid for Mr Cave 's goods . 0 +The following night , Delirious set aside his problems with Danielson to challenge Pearce . The following night , Delirious put his problems with Pearce aside to challenge Danielson . 0 +Other finalists included Wall Street Journal , New York , Vanity Fair , and National Geographic . Other finalists included the Wall Street Journal , New York , Vanity Fair , and National Geographic . 1 +Poulenc later reduced the full score to a shorter orchestral suite . Poulenc reduced the full score to a shorter orchestral suite later . 1 +Pepsi Next was first implemented in March 2013 in Finland and Canada , in March 2014 in France . Pepsi Next was first introduced in France in March 2013 , and in Finland and Canada in March 2014 . 0 +The lowest temperature ever recorded in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was on 13 January 2012 . The lowest temperature ever recorded in Pokhara was on May 4 , 2013 , while the highest temperature ever recorded was January 13 , 2012 . 1 +"The commissioned prose history ( "" Bataviae Hollandiaeque Annales "" ) was finally published in 1601 ." "Finally , in 1601 , the published prose story ( "" Bataviae Hollandiaeque Annales "" ) was commissioned ." 0 +After her departure from the Speer Family in 1954 , Speer stopped singing and moved to Ohio and back to Nashville in 1968 after her husband died . After retiring from the Spear family in 1954 , Speer stopped singing and moved to Nashville in 1968 and back to Ohio after her husband died . 0 +Char Hesamaddi is a village in the Barisal District of Barisal Division in Southern Central Bangladesh . Char Hesamaddi is a village in the Barisal division of the Barisal district in southern Bangladesh . 1 +There are three secondary schools and a number of primary schools in Caringbah . In Caringbah there are three secondary schools and a number of primary schools . 1 +"In 1987 , Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription . """ "Paul Conn wrote his autobiography in 1987 with Jack : "" Eckerd : Finding the Right Prescription "" ." 0 +The station is located at Råde Station , south of Oslo Central Station and north of Moss Station . The station is located from Råde Station , south of Oslo Central Station and north of Moss Station . 1 +Robert Morris Ogden was born on 6th July 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Beulah Maria Carter . Beulah Maria Carter was born on July 6th , 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Robert Morris Ogden . 0 +Dhundalwadi is a village in the Palghar district of Maharashtra , India . It is located in Dahanu Taluka . Dhundalwadi is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . 1 +Since then , several FRC students , alumni and mentors have contributed to the project by providing feedback , documenting the communication protocols and creating Linux packages . Since then , several FRC students , alumni and mentors have contributed to the project by giving feedback , documenting communication protocols , and creating Linux packages . 1 +The best-known version of the song was produced by Dick Rowe and recorded in 1953 in England by The Stargazers . Probably the best-known version of the song was produced by Dick Rowe and recorded in the UK by The Stargazers in 1953 . 1 +Foley worked with , among others , Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block , and Guy Schwartz . Foley worked together with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , amongst others . 1 +These puppets had covered their English or Spanish names with a sticker with the German name or sometimes nothing at all . These puppets had covered their English or German names with a sticker with the Spanish name or sometimes nothing at all . 0 +Then , in 1986 , he entered the star and left The Muslim . He then left the star and joined the Muslim in 1986 . 0 +Eupithecia yunnani is a moth in the family of Geometridae It is found in Yunnan ( China ) . Eupithecia yunnani is a moth within the family Geometridae It is found in China ( Yunnan ) . 1 +He sent his brother , the younger Cyrus , to relieve Tissaphernes of his command over Lydia . He sent his brother Tissaphernes the younger to relieve Cyrus of his command over Lydia . 0 +Oberst Acker died on 6 September 1879 in Kalamazoo , Michigan , and is buried in Union City in the state of Michigan , USA . Colonel Acker died on September 6 , 1879 in Kalamazoo , Michigan and is buried in Union City , in the state of Michigan . 1 +They featured singer Ronnie Sweetheart , bassist Roger Ericson , drummer Ronnie Magri and guitarist Danny Nordahl . They marked singer Ronnie Sweetheart , bassist Danny Nordahl , drummer Ronnie Magri and guitarist Roger Ericson . 0 +The goalies in the game were Andrei Mezin for the New York Rangers and Henrik Lundqvist for Metallurg Magnitogorsk . The goalkeepers in the game were Andrei Mezin for the New York Rangers and Henrik Lundqvist for Metallurg Magnitogorsk . 1 +Ameloblastomas account for about one percent of all oral tumours and about 18 % of odontogenic tumors . Ameloblastomas account for about one percent of all oral tumors and about 18 % of odontogenic tumors . 1 +The traditional clothing of the Ruska Roma is based on traditional and Russian calderash - clothing and is actively used by singers and dancers . The traditional clothing of Ruska Roma is based on the Russian and traditional Kalderash clothes and is actively used by singers and dancers . 0 +The team added a second car to Richard Göransson in 2006 and was replaced in 2009 by Thed Björk . The team added a second car for Richard Göransson in 2006 , and was replaced by Thed Björk in 2009 . 1 +( Published by Marysia Lewandowska and Laurel Ptak ) are recent publications , edited by Tensta konsthall together with Sternberg Press , Berlin . ( edited by Marysia Lewandowska and Laurel Ptak ) are current publications which are published by Tensta konsthall together with Sternberg Press , Berlin . 0 +Skapetis had trials at several clubs including Derby County , Cardiff City and Sheffield United late in 2016 . Late in 2016 , Skapetis had attempts at several clubs , including Derby County , Cardiff City , and Sheffield United . 1 +The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left justification and the hierarchically nested elements are indented further . The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left orientation and the hierarchically nested elements are further indented . 1 +Wayne Black and Kevin Ullyett won against Jonas Björkman and Todd Woodbridge in the Finals 6 : 3 , 6 : 4 . Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett at 6 : 3 , 6 : 4 in the final . 0 +Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a Spanish Capuchin and missionary bishop . Cyril Sieni ( Barcelona Cyril ) ( died after 1799 ) was a Spanish capuchin and missionary bishop . 1 +The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer - was set on 27 October 1659 . The date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - was set on 27 October 1659 . 1 +It was designed by Brunel 's former assistant William Jacomb , built by Head Wrightson and opened in 1889 . Built by Brunel 's former assistant , William Jacomb , designed by Head Wrightson , it was opened in 1889 . 0 +Brooks was served in Ferriday in 1932 by the banker Daniel B. Fleming of the Concordia Parish . Brooks was removed in 1932 by banker Daniel B. Fleming of Ferriday in the parish of Concordia . 0 +Rafael Nadal won against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final with 6 -- 3 , 7 -- 6 . Rafael Nadal won in the final 6 -- 3 , 7 -- 6 , against Andrei Pavel , Alexander Waske and Bartolomé Salvá-Vidal . 1 +He has lost only 3 and he has also saved two games . He has also saved 3 and he has lost only two games . 0 +"The species was first collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , and was described in Port Jackson ." "The species was first formally collected by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was described in Port Jackson ." 1 +By contrast , cold years are often associated with dry Pacific La Niña episodes . In contrast , dry years are often associated with cold Pacific La Niña episodes . 0 +Katowice , Poland is a museum in the city of Silesia Museum . The Silesian Museum is a museum in Katowice , Poland . 0 +Dharmapuram is a village near Srikakulam town in Ponduru Mandal Division in Andhra Pradesh , India . Dharmapuram is a village near the town of Srikakulam in Ponduru Mandal Division in Andhra Pradesh , India . 1 +The garden is called because it was planned around the area where a monumental hanging tank was built with a circular base . The garden is called so because it was built around the area where a monumental suspended pool was planned with a circular shaped foot . 0 +Announced to be created July 2013 . July 2013 to be announced . 0 +In 2008 the warrant officer ranks of the South African National Defence Force were created and the rank of master warrant officer was expanded . In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of the Master Warrant Officer was extended . 1 +And it is uncertain how the nonfungal biota interact with the fungal constituents of the microbiome . And it is uncertain how the nonfungal - Biota interact with the fungal components of the microbiome . 1 +The manga is published in French by Pika Edition , in Spanish by Planetacomic , in German and Italian by Panini Comics . The manga is published in French by Panini Comics , in the Spanish language of Planetacomic , in German and Italian by Pika Edition . 0 +The finding site was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of Shorter University in Rome , Georgia . The site was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of Shorter University in Rome , Georgia . 1 +On December 14 , 2003 , Azzopardi received his first country match for Poland in a game against Malta . Azzopardi received his first cap for Malta on 14 December 2003 in a match against Poland . 0 +They entered the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery in Chicago . They performed at the Beachland Ballroom in Cleveland on November 30 , 2012 , and at the City Winery in Chicago on December 1 , 2012 . 1 +This song was composed by the trio of songwriters and producers Chen Neeman , Aris Archontis and Jeannie Lurie . The song was composed by the trio of songwriters and producers Jeannie Lurie , Aris Archontis and Chen Neeman . 1 +Real world , which seems to them more favorable than parallel . Parallel world , which seems more favorable to them than the real one . 0 +During the second year , students will have more advanced lectures in visual science and spend time learning and perfecting clinical procedures . During the second year , students will have more advanced lectures in visual science and will spend time learning and perfecting clinical techniques . 1 +Kerr broke into the first team this season , but Couper found himself on the bench again . Couper broke into the first team that season , but Kerr found himself on the bench . 0 +Daniel Rinner ( born 11 November 1990 in Liechtenstein ) is a Vaduz cyclist . Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a Liechtenstein cyclist . 0 +Eddie told Peyton that he had rocked , and Peyton was seen later at his concert with Sarah . Sarah told Peyton that he rocked and Peyton was later seen at his concert with Eddie . 0 +The Indus cities are noted for their elaborate planning , baked brick houses , urban drainage systems , water supply systems , and clusters of large non-residential buildings . The Indus cities are known for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and clusters of large non-residential buildings . 0 +Gangatheri is a village and gram panchayat in Haryana , India , Karnal district , Assandh . Its 1991 population was 2628 . Gangatheri is a village and a gram panchayat in Assandh , Karnal district , Haryana , India Its population in 1991 was 2628 . 1 +Below is the underlying phonetic system of Mëranaw including sound features . Below is the underlying phonetic system of Mëranaw , including the sound features . 1 +Together with James Watson and Francis Crick , Maurice Wilkins was awarded the Nobel Prize for Physiology and Medicine in 1962 , Rosalind Franklin had already died from cancer in 1958 . Maurice Wilkins shared the 1962 Nobel Prize for Physiology and Medicine with James Watson and Francis Crick ; Rosalind Franklin had already died from cancer in 1958 . 1 +It was established in January 2005 as a low-cost , short-article alternative to the mainstream press . It was established in January 2005 as a cost-effective short-article - alternative to the mainstream - press . 1 +A white ring can be changed to function like a green ring if the user can master the emotional spectrum . A white ring can be altered to function like a green ring if the user can master the emotional spectrum . 1 +Dhundalwadi is a village in the Palghar district of Maharashtra , India . It is located in Dahanu Taluka . Dhundalwadi is a village in the Dahanu district of Maharashtra , India . It is located in Palghar Taluka . 0 +The character of Katie Holmes was the daughter of Mary , played by Cherry Jones , and not Elizabeth 's daughter , played by Allison Janney . Cherry Jones ' character was the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary , who was played by Katie Holmes . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam quieted and French interest in Europe was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam calmed down , and French interest in Europe was revived . 1 +In a chain drive the power is transmitted into the cush wheel via a rear drive . In a chain drive , the force is transmitted via a cush drive into the rear wheel . 0 +It was created in 1996 from parts of Prescott and Russell and Stormont , Dundas and Glengarry when ridings were redistributed to match their federal counterparts . It was redistributed in 1996 from parts of Prescott and Russell , and from Stormont , Dundas , and Glengarry , when ridings were created to match their federal counterparts . 0 +So if we know the probability distribution functionality formula 35 , we can find the function formula 36 and calculate the optimal reservation price from it . So , if we know the probability distribution functions formula 35 , we can find the function formula 36 , and from it , calculate the optimal reservation price . 1 +Margaret Foote Hawley 's niece Kate Foote Coe was an artist who specialized in portrait miniatures . Kate Foote Coe , the niece of Margaret Foote Hawley , was an artist who specialized in portrait miniatures . 1 +The couple had two daughters , Sara Lynn ( born 1942 ) and Martha Anne ( born 1947 ) . The couple had two daughters , Sara Lynn ( born 1942 ) and Martha Anne ( born in 1947 ) . 1 +The cellular reproduction process of Meiose was discovered by Oscar Hertwig in 1876 , and was discovered several years later by Walther Flemming in 1882 . The cellular reproduction process of meiosis was discovered by Walther Flemming in 1876 . Mitosis was discovered several years later in 1882 by Oscar Hertwig . 0 +The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Melbourne , along the Princes Highway , north of Lakes Entrance . The Buchan Caves are located east to the northeast ( or five hours drive ) from Melbourne on Princes Highway , north of Lakes Entrance . 1 +The Xinjiang Uyghur Autonomous Region is a river in the Yarkand River of western China . The Xinjiang Uyghur Autonomous Region is a river on the Yarkand River in Western China . 1 +Born in Nanjing , he attended engineering school in Nanhui and spent a year at the University of California . Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California , USA . 0 +The name Edith has four name days : May 14 in Estonia , October 31 in Latvia , July 5 in Sweden , and September 16 in France . The name Edith has four name days : 14 May in Estonia , 31 October in Latvia , 5 July in Sweden and September 16 in France . 1 +From 1888 to 1913 , he was chairman of the Highfields Divisional Board and , from 1915 to 1917 , Chairman of the Highfields Shire Council . From 1888 to 1913 , he was chairman of the Highfields Shire Council and the Highfields Divisional Board from 1915 to 1917 . 0 +The station opened on 1 July 1903 on the Donegal Railway Company line from Stranorlar to Glenties . The station was opened on 1 July 1903 on the Donegal Railway Company railway from Stranorlar to Glenties . 1 +In the final , Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá from 7 to 6 ( 6 ) , 6 - 3 . Franco Ferreiro and André Sá defeated Oliver Marach and Leonardo Mayer from 7-6 ( 6 ) , 6-3 in the final . 0 +She is portrayed by Katherine McNamara in the film of the book and Lily Collins in the television series . It is portrayed by Lily Collins in the film of the book and Katherine McNamara in the television series . 0 +The River Urechioiu is a tributary of the Sitna River in Romania . The Urechioiu River is a tributary of the Sitna River in Romania . 1 +She reached Sydney on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Melbourne . She reached Sydney on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . 1 +"As of 2009 , the website Rotten Tomatoes had given the film a 90 % rating with 19 "" rotten "" and 2 "" fresh "" reviews ." "Since 2009 , the website Rotten Tomatoes had given the film a rating of 90 % with 19 "" fresh "" and 2 "" faul "" reviews ." 0 +In many problems , it is more convenient to work with D and the total charges than with E and the free charge . In the case of many problems , it is more convenient to work with D and total fees than with E and the free charge . 1 +Ekrem Boyalı is currently living in Konya for his university education with his two brothers , who are practiced by Ali Sarı . Ali Sarı is currently living in Konya for his university education with his two brothers , who are trained by Ekrem Boyalı . 0 +Alzheimer was known for having a variety of medical interests including early diseases of the brain , vascular dementia , brain tumors , forensic psychiatry and epilepsy . Alzheimer 's was known for a variety of medical interests , including brain vascular diseases , early dementia , brain tumors , forensic psychiatry , and epilepsy . 0 +The old party leader was his geological mentor , Mike Morton . The leader of the geological party was his old mentor Mike Morton . 0 +On April 25 , 2016 , Jamar Howard was traded to the Portland Steel for Robinson . On April 25 , 2016 , Robinson was traded for Jamar Howard to Portland Steel . 0 +Formula 11 , where the intersection of all normal subgroups runs from finite index . Formula 11 , where the intersection runs through all finite subgroups of normal index . 0 +Ranchi Road Railway Station is a small station in Ramgarh district , Jharkhand . Jharkhand railway station is a small railway station in Ramgarh district , Ranchi Road . 0 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and United Alkali Company in 1926 to set up Imperial Chemical Industries . It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to form United Alkali Company . 0 +Since March 2016 , Levine is the technical manager of the youth Israeli national teams . Since March 2016 , Levine is the technical manager of the Israeli youth national teams . 1 +Muagututia was signed by the Chicago Rush on November 14 , 2002 . He was released by the Rush on March 31 , 2003 . He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on 31 March 2003 . 0 +As an official Soviet artist , his work was widely displayed and well received . As an official Soviet artist , his work was well received and exhibited widely . 1 +In 1842 , after his wife died , Martha Chardevoyne married Jack Shackelford . After his wife had died in 1842 , Jack Shackelford married Martha Chardevoyne . 0 +Mount Dana , elevation , was climbed the next day by the group before Martinez had to return home to Muir . Mount Dana , Elevation , was climbed by the group the following day before Martinez had to return to Muir . 1 +"The species was first formally described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by Carl Meissner ." "This species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material by James Drummond ." 0 +"Marans was famous until the early twentieth century for the "" local bean of Marans "" and its fairs in honor of these especially red beans ." "Marans was famous until the early twentieth century for the "" red bean of Marans "" and its fairs in honour of these specially local beans ." 0 +In 2008 , the College Department was introduced and Chittagong Collegiate School was renamed the Government College School . In 2008 the college section was introduced and Government renamed the school Chittagong Collegiate School & College . 0 +Somanath is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Somanath is a village in Dahanu - district of Maharashtra , India . It is located in the Palghar Taluka . 0 +White , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in Romney , where he had served as a master . A practicing member of the Presbyterian faith , Romney was a Mason in the Clinton Lodge of White , where he had served as a Master . 0 +It was based on a novel by Robert Suhosky and was turned into a screenplay by James Hardiman . It was based on a novel by Robert Suhosky and turned into a screenplay by James Hardiman . 1 +""" The candidate "" is the 117th episode of the 14th season of the American Broadcasting Company of the serial drama - TV series "" Lost "" and sixth episode overall ." """ The Candidate "" is the 117th episode of the American Broadcasting Company 's 14th season of the serial drama television series "" Lost "" and sixth episode overall ." 1 +"In the music he has created covers for Lou Reed 's self-titled album and Iron Maiden 's compilation "" Edward the Great "" ." "In music , he has done covers for Iron Maiden 's self-titled album and Lou Reed 's compilation "" Edward the Great "" ." 0 +"The other song "" Vopreki "" ( "" Despite "" ) was written by Konstantin Meladze , performed by Russian star Valery Meladze ." "The other song "" Vopreki "" ( "" Despite "" ) was written by Konstantin Meladze . This song is performed by Russian star Valery Meladze ." 1 +According to the United States Census Bureau , Waverly Township has a total surface area of which land and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township is a total surface area of which has land and , or 9.21 % , is water . 1 +An experiment was tried in 1919 , where a standardization method of testing was done . An experiment was conducted in 1919 , where a standardization method of testing was tried . 0 +Pimpini plays in Second position as a Second and is right-handed . Pimpini plays as second in the second position and is right-handed . 1 +In 1796 Isaac Walker took Hare 's share , and the company acquired the name Taylor Walker in 1816 when John Taylor became a partner . In 1796 , John Taylor acquired the share of Hare and the company took the name of Taylor Walker when Isaac Walker became a partner in 1816 . 0 +Then the Raptors Bender swapped to the Indiana Pacers for Antonio Davis . The Raptors then traded Bender to the Indiana Pacers for Antonio Davis . 0 +"Since horses with only one copy of the defective gene were normal , the mutation was labeled "" e "" or sometimes "" E "" ." "Since horses with only one copy of the normal gene were defective , the mutation was called "" e "" or sometimes "" E "" ." 0 +Nashville , TN is part of the Hopkinsville television market . Hopkinsville is part of the television market of Nashville , TN . 0 +"He appeared as an archie mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the disaster film "" Daylight "" 1996 and as Archie Mullen in the movie "" Freedom Song "" ( 2000 ) ." 0 +Sukhbinder Singh Sarkaria is an Indian politician who belongs to the Indian National Congress and is a member of the Punjab Legislative Assembly and represents Raja Sansi . Sukhbinder Singh Sarkaria is an Indian politician who belongs to the Punjab Legislative Assembly and is a member of the Indian National Congress and represents Raja Sansi . 0 +As a graduate student Kaplan worked with Heinz Werner , and then collaborated further with Norman Geschwind and Harold Goodglass . As a PhD student , Kaplan collaborated with Heinz Werner and then worked with Norman Geschwind and Harold Goodglass . 1 +Now the symmetric bilinear matrix representation for the new form is given by The Symmetric Bilinear Matrix Representation for the New Form is Now Given 1 +Fanny Pak had five of the new members from the second season and four same members . Fanny Pak had five of the same members of season two and four new members . 0 +In Autumn 2014 , Tom supported Stephen Merchant on his European Tour . In autumn 2014 , Stephen Merchant Tom supported his European Tour . 0 +The third segment was built in 1929 , the second segment was completed by Peters Corners in 1930 . The second segment was built in 1929 , and the third segment through Peters Corners was completed in 1930 . 0 +The section from Eagle Junction to Bowen Hills was duplicated in 1886 , with the section to Northgate duplicated in 1890 , and on to Caboolture by 1917 . The section from Eagle Junction to Bowen Hills was duplicated in 1886 , with the section duplicated in Northgate in 1890 , and on Caboolture in 1917 . 1 +Gonzalo advises his son to always forget Paola . Gonzalo advises his son , Paola , to always forget . 0 +He sent his brother Tissaphernes the younger to relieve Cyrus of his command over Lydia . He sent his brother , Cyrus the younger , to relieve Tissaphernes of his command of Lydia . 0 +Chabrian Jattan is a village in Mirpur Tehsil by Azad Kashmir in the Mirpur district of Pakistan . Chabrian Jattan is a village in the Mirpur Tehsil of Mirpur District of Azad Kashmir , Pakistan . 1 +At least four disks are used in a standard RAID 01 configuration , but larger arrays are also required . In a standard - RAID - 01 - configuration , at least four disks are required , but larger arrays are also required . 0 +After Elena falls into a magical , coma-like slumber , Matt takes on more responsibility and eventually becomes the sheriff of Mystic Falls . After Matt fell into a magical , coma-like slumber , Elena takes on more responsibility and eventually becomes the sheriff of Mystic Falls . 0 +During a transit , Earth would be visible from Mars as a small black disc moving across the face of the Sun . During a transit , Mars would be visible from Earth as a small black disc moving over the face of the sun . 0 +Ackman sold credit-default swaps against MBIA - corporate debt and bought the swaps for a large profit during the 2008 financial crisis . Ackman sold credit default swaps against MBIA corporate debt and bought the swaps for a large profit during the financial crisis of 2008 . 1 +The wieferich - base with known first prime number at order 3 is 9 , where 2 is a wieferich - prime number to base 9 with order 3 . The first base with known wieferich - prime number with order 3 is 9 , where 2 is a weifer - prime number to base 9 with order 3 . 0 +Other players played a prominent role in the introduction as Tom Howard ( the logo ) and Mike Caroll ( more men ) . Other players played a prominent role in the launching such as Mike Caroll ( the logo ) and Tom Howard ( more men ) . 0 +He was born on May 21 , 1897 in Jambol and died in Sofia on June 15 , 1945 . He was born on 21 May 1897 in Sofia and died in Jambol on 15 June 1945 . 0 +General De Gaulle on the other hand was less impressed , dismissing her recommendations and only half reading most of her reports . On the other hand , General De Gaulle was less impressed , rejected her recommendations and read only half most of her reports . 1 +Ranjib Biswal is married to Anita Mohanty , an NRI from London , United Kingdom Ranjib Biswal is married to Anita Mohanty , a NRI from London , United Kingdom 1 +The Nyon campus offers nursery and primary education , while the pully campus offers a kindergarten , a primary school and a secondary education . The Nyon campus offers Kindergarten and primary school education services , while the Pully campus offers a Kindergarten , primary and a secondary education . 1 +It served as a court for York County , which formerly contains the city of Metropolitan Toronto . It served as Court for Metropolitan Toronto , which formerly included the City of York County . 0 +If the n vectors are linearly independent , equality in the inequality of Hadamard is achieved if and only if the vectors are orthogonal . If the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only when the vectors are independent . 0 +In February 2014 , the opening ceremony for the monument to the victims of the massacre in Uşak was held in Khojaly . In February 2014 , the opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak . 0 +Alexandra Prince was born in Hamburg , Germany . Her father is German and her mother is Brazilian . Alexandra Prince was born in Hamburg , her father is German and her mother is Brazilian . 1 +The season 1986 -- 87 National Hockey League was the 70th season of the Toronto operation in the Toronto Maple Leafs . The 1986 -- 87 National Hockey League season was the 70th season of operation of Toronto in the Toronto Maple Leafs . 1 +"Gus Van Sant also named Chantal Akerman 's film "" Jeanne Dielman , 23 Quai du Commerce , 1080 Brussels "" ( 1975 ) an inspiration ." "Also , Gus Van Sant named Chantal Akerman 's film "" Jeanne Dielman , 23 quai du Commerce , 1080 Bruxelles "" ( 1975 ) an inspiration ." 1 +The architectures implemented by cognitive agents are referred to as intelligent architectures . The architectures implemented by cognitive agents are referred as intelligent architectures . 1 +In 1749 , Boishebert commissioned Acadian Joseph Godin dit Bellefontaine to lead the acadian militia in the region of St. John . In 1749 , Boishebert dit Acadian Joseph Godin assigned Bellefontaine to lead the Acadian militia in the St. John Region . 0 +He was survived by his daughter Caroline and his granddaughter Nicola . He was survived by his daughter Nicola and granddaughter Caroline . 0 +They also included Goodall Gondwe ( the brother of President Mutharika ) , Peter Mutharika , the Minister for Economic Development , and Chief Secretary Bright Msaka . It also included Goodall Gondwe ( President Mutharika 's brother ) , Peter Mutharika , the Minister of Economic Development , and the Chief Secretary , Bright Msaka . 1 +Woody Deck ( born June 8 , 1983 in Vilnius , Lithuania ) is an American poker player residing in Nashville , TN . Woody Deck ( born June 8 , 1983 in Nashville , TN ) is an American professional poker player residing in Vilnius , Lithuania . 0 +"On July 5 , 1946 , Ipswich "" paid off from the service of the Royal Dutch Navy and was transferred to RAN and renamed HNMLS "" Morotai "" ." """ Ipswich "" paid off from Royal Netherlands Navy service on 5 July , 1946 and was transferred to the RAN and renamed HNMLS "" Morotai "" ." 1 +Trolley lines pushed through the Reiffton , in the Birdsboro area on its way to Farming Ridge and in the Township area headed towards Boyertown . The Trolley lines pushed through the Reiffton , in the Birdsboro area on the way to Farming Ridge and in the township area towards Boyertown . 1 +""" The New York Times "" reported : "" Williams had a new pitcher , Clarke , '96 during the first half of the game ." """ The New York Times "" reported : "" Williams had a new pitcher , Clarke ' ; 96 during the first half of the game ." 1 +It may also occur in open areas such as hydrophilic willows near oligotrophic water bodies . It may also occur in hydrophilic areas , such as oligotrophic pastures near open water bodies . 0 +If , on arrival , the immigration official had intended that asylum was known , he would not have granted entry as a visitor . Had the Immigration Officer known on arrival that asylum was intended , then he would not have granted entry as a visitor . 0 +The Turks , Tibetans , Muslim Arabs and the Tang competed for control over Central Asia until the collapse of the Tang in the 10th century . The Turks , Tang , Muslim Arabs , and the Tibetans competed for control of Central Asia until the tang ’ s collapse in the 10th century . 1 +Because of the high costs of Stromectol can be used the veterinary formula Ivomec government programs are needed to help citizens to finance lifelong medication . Because of the high cost of Stromectol , the lifelong formula Ivomec can be used government programs are needed to help citizens finance veterinary medicines . 0 +Daniel Benezet was a native of Philadelphia , the son of John Benezet , a prominent Philadelphia merchant . John Benezet was a native of Philadelphia , the son of Daniel Benezet , a prominent Philadelphia merchant . 0 +The public programme of the EFA consists of political , social , environmental and economic parts . The political , social , ecological and economic programme of the EFA consists of public parts . 0 +"The Riemann Zeta function is defined by the absolutely convergent infinite row for reelle "" s "" with complex part greater than 1 ." "The Riemann Zeta function is defined by the absolutely convergent infinite row for complex "" s "" with real part larger than 1 ." 0 +According to the United States Census Bureau , Masontown is a total area of , of which is land and 2.10 % has water . According to the United States Census Bureau , Masontown has a total area of which there is land and , or 2.10 % , is water . 1 +James the Fat would never return to his native Scotland , he remained in exile in Scotland until his death , his widowed mother and sister in Ireland . James the Fat would never return to his native Scotland , he remained in exile until his death in Ireland , his widowed mother and sister remained in Scotland . 0 +He attended primary and secondary school at the university , and studied preparation architecture at the ( IAVA ) . He attended primary and secondary school at the , and studied preparatory architecture at the ( IAVA ) . 1 +From 1915 to 1928 Fuller represented Wollondilly for the Liberal Party and , from 1916 , the Nationalist Party . Fuller Wollondilly represented Fuller Wollondilly for the Liberal Party from 1915 to 1928 and from 1916 to the Nationalist Party . 0 +The ovipositor is long , mobile , lamelliform , or short , and in some species , acicular . The ovipositor is short , lamelliform or long , mobile and in some species needle-shaped . 0 +The popular French singers Grégory Bettiol and Coralie Clément , as well as football player hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the town . The popular French singers Grégory Bettiol and Coralie Clément , as well as football players hopeful Benjamin Biolay and actor and cellist Maurice Baquet are born in the town . 1 +The Hunters is a 2011 French crime horror thriller film directed by Chris Briant . The film was produced by Antoine Huet , The film The Hunters is a French crime - horror - thriller - film from 2011 by Chris Briant , produced by Antoine Huet . 1 +Live to Fight was an event held on 14 May 2011 at the San Manuel Casino in San Bernardino , California . KOTC : Fight to Live was an event held on 14 May 2011 at San Manuel Casino in San Bernardino , California . 0 +"Kuroń , Modzelewski and Michnik were imprisoned again and a majority of the "" Komandosi "" members were detained ." "Kuroń , Modzelewski and Michnik were arrested again , and a majority of the "" Komandosi "" members were imprisoned ." 1 +He considers C. S. Lewis a negative influence and has accused Lewis of showing religious propaganda , misogyny , racism and emotional sadism in his books . He considers C. S. Lewis to be a negative influence and has accused Lewis of pointing out in his books emotional propaganda , misogyny , racism and religious sadism . 0 +It is clear that as in Scotland , the playing of extended variation sets on the fiddle was current in Northumberland at the time . It is clear that , as in Scotland , the playing of extended variation sets at the violin in Northumberland was current at the time . 1 +The more important buildings had special names and their signs were larger and more decorative . More special buildings had important names and their signs were larger and more decorative . 0 +Bayswater is connected to the south by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the Swan River . Bayswater is linked to south of the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) . 1 +"The boy , called Davis or Davison , went from New South Wales to England aboard the "" Archduke Charles "" , and later worked for Berry in Lima ." "The boy , called Davis or Davison , went from New South Wales to England on board of the Archduke Charles "" , and later worked for Berry in Lima ." 1 +The figures of Christ and the young woman are framed in the portico of a Byzantine temple by the winding round columns . The figures of Christ and the young woman are depicted framed by the twisting round columns in the portico of a Byzantine temple . 1 +He is the first son of the Argentinean coach Oscar Garré , the brother of the Argentine footballer Emiliano Garré and the uncle of Benjamin Garré . He is the first son of the Argentine coach Emiliano Garré , the brother of Argentine footballer Oscar Garré and uncle of Benjamin Garré . 0 +On December 31 , 2015 , Darrell Hazell returned to Purdue University as the defensive line coach for Melvin . On 31 December 2015 , Melvin returned to Purdue University as Defensive Line Coach for Darrell Hazell . 0 +Its villages include Dry Tavern , Jamestown , Mahoning Valley ( also in West Penn Township , Schuylkill County ) , Neu Mahoning , Normal Square , and Packerton . Its villages include Dry Tavern , Normal Square ( also in West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . 0 +He appeared again on 12 May 1789 with Josepha Duschek in the Gewandhaussaal in Leipzig on his Berlin journey . He performed it again with Josepha Duschek on 12th May ,1789 , in the Gewandhaussaal in Berlin on his Leipzig journey . 0 +Ashe was spoken in English by Mie Sonozaki and by Kari Wahlgren in Japanese . Ashe was spoken by Kari Wahlgren in English and by Mie Sonozaki in Japanese . 0 +Other villages include Larchmont ( also in Lawrence Park ) and Newtown Township . Other villages are Larchmont ( also in Lawrence Park ) and Newtown Township . 1 +Between 1900 and 1915 , additional tracks for local traffic were built , with the existing tracks being reserved for transit trains . Between 1900 and 1915 , additional tracks for local traffic were reserved , with the existing tracks being built for transit trains . 0 +The field also included Olympian ( and in 1932 Olympic champion ) Paul Jessup of Cornell and future world record label John Anderson of Washington in 1928 . The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell and future world record player Paul Jessup of Washington in 1928 . 0 +Due to the results in the last round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 0 +The Flushing Line was opened from 40th Street to Queensboro Plaza -- Corona Plaza on April 21 , 1917 , with a local station at 103rd Street . The Flushing Line was opened on April 21 , 1917 from Queensboro Plaza to 103rd Street -- Corona Plaza with a local station on 40 Street . 0 +The traditional clothing of Ruska Roma is based on the Russian and traditional Kalderash clothes and is actively used by singers and dancers . The traditional clothing of Ruska Roma is based on traditional and Russian Kalderash - clothing and is actively worn by singers and dancers . 0 +Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . 1 +Compared to the narrow waters of a mill pond , the broad current is swift and powerful . Compared to the broad waters of a mill pond , the narrow current is quick and powerful . 0 +The Saul region is a semi-open belt of dry forest and savannas that are more characteristic of the province of Guayana Lowland . The Saul region is a dry belt of semi-open forest and savannas that are more characteristic of the province of Guayana Lowland . 0 +"It was released on February 19th , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released via Checkbook records on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" ." 1 +The elevation of the island is , and it has a coastline of length . The elevation of the island has , and it is a shoreline of length . 0 +No text strings are visible within the viral code in infected EXE files , but the following text strings are encrypted within the initial copy of the ABC virus : In the infected EXE files , no text strings are visible within the starting code , but the following text strings are encrypted within the virus copy of the ABC virus : 0 +Martina Hingis defeated Venus Williams 6 - 3 , 6 -- 4 Venus Williams defeated Martina Hingis 6 -- 3 , 6 -- 4 0 +Although this de facto standard is now formally known as ReplayGain , it was originally known as Replay Gain and is sometimes abbreviated RG . Although this de facto standard is sometimes known as ReplayGain , it was originally known as Replay Gain and is now abbreviated to formal RG . 0 +"Past judges include Yaya Han ( Cosplayer ) , Ivy DoomKitty ( Cosplayer ) , Ann Foley ( Costume designer for "" Agents of S.H.I.E.L.D ." "Past judges include Ann Foley ( Cosplayer ) , Ivy DoomKitty ( Cosplayer ) , Yaya Han ( Costume Designer for "" Agent of S.H.I.E.L.D ." 0 +ProxmapSearch uses the proxMap array generated by a previously created ProxmapSort to find keys in the sorted array A2 in constant time . ProxmapSearch uses the proxMap array generated by a previously done ProxmapSort to find keys in the sorted array A2 in constant time . 1 +Eunice Smith married Ossman and had three children , Vess Jr. , Raymond and Annadele . Ossman married Eunice Smith and they had three children , Vess Jr. , Raymond , and Annadele . 1 +Carl was Janice Turner 's husband , and the father of Debbie & Alice Whipple . Janice Turner was the husband of Carl and the father of Debbie 's Alice Whipple . 0 +About 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then in a studio in Ridgefield . About 1838 , Stephenson returned to Manchester and established himself as an historical and landscape engraver in St. Ann Street , and then in a studio in Ridgefield . 1 +Inception is a science fiction film from 2010 , co-produced by Emma Thomas and written , co-produced and staged by Christopher Nolan . Inception is a 2010 science fiction film , co-produced by Emma Thomas , and written , co-produced , and directed by Christopher Nolan . 1 +His son , Félix Allard , was a Quebec politician . His daughter Marguerite married Aimé Boucher , a member of the Canadian House of Commons . His son Félix Allard was a politician from Quebec , his daughter Marguerite married Aimé Boucher , a member of the Canadian lower house . 1 +He won 1st place at his table in 1958 and 1967 but in 1962 he was the third . He became third in 1958 and 1967 at his table , but in 1962 he won the 1st place . 0 +In 2009 , the Mizen family founded the charity The Jimmy Mizen Foundation , which is now called For Jimmy and based in Lee . "In 2009 , the Mizen family founded the charity "" The Jimmy Mizen Foundation "" , which is now called For Lee and based in Jimmy ." 0 +Cobian Backup was a free , written backup software for Microsoft Windows and is supported by Luis Cobian of Umeå University in Delphi . Cobian Backup was a free , donation-supported backup software for Microsoft Windows and was written by Luis Cobian of Umeå University in Delphi . 0 +Former recurring players from the show include Calvert DeForest and Sirajul Islam ( employees of a nearby gift store which has since relocated ) , Mujibur Rahman ( a.k.a . ) . Former recurring players from the show include Mujibur Rahman and Sirajul Islam ( employees of a nearby gift shop , which has since been moved ) , Calvert DeForest ( a.k.a . 0 +He was elected President of the Assam Football Association and the Assam Cricket Association for several terms ; he was also the Vice-President of the Assam Sports Council . He was elected President of the Assam Football Association and the Assam Sports Council for several terms , and he was also Vice-President of the Assam Cricket Association . 0 +Thiruvananthapuram is the first major South Indian city on the longest train route in India , from Kanyakumari to Jammu . Jammu is the first major South Indian city on the longest train route in the India , Kanyakumari to Thiruvananthapuram . 0 +"It was her first studio recording since "" I Wan na Love Somebody "" and the tenth released studio album before her stroke on January 10 , 2006 ." "It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on 10 January 2006 ." 0 +High expression levels of ITGB8 are associated with invasive angiogenic and poorly invasive glioblastoma tumors . Conversely low expression of ITGB8 correlates with highly high but low angiogenic tumors . High expression levels of ITGB8 are associated with highly angiogenic and poorly invasive glioblastoma tumours . Conversely , low expression of ITGB8 correlates with highly invasive but low angiogenic tumors . 0 +Mullan is a city in northern United States , located in the Silver Valley mine district in the northwest of Idaho . Mullan is a city in the northwest United States , located in the Silver Valley mining district of northern Idaho . 0 +The incumbent Democrat Jim Webb ran for re-election to a second term , but lost in a narrow race against the Republican George Allen . Incumbent Republican George Allen ran for re-election to a second term , but lost in a narrow race to Democrat Jim Webb . 0 +Bonchurch is situated on the southern coast of the Isle of Wight , England just to the east of the village of Monks Bay . is located on the southern coast of the Isle of Wight , England , to the east of the village of Monks Bay . 1 +It also has a representation at regional and local level . It has also representation at regional and local level . 1 +Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and final finals . Between 1971 and 1980 , Goolagong Cawley reached five finals , but won only her first and final finals . 0 +In South Korea , the Korean New Right movement is a neo-conservative attempt at Korean politics . In South Korea , the South Korean New Right movement is a neoconservative attempt at Korean politics . 1 +Almost the whole area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . Almost the entire range is part of the Cibola National Forest area , including the Sandia Mountain Wilderness . 0 +"If so , modern territory would probably have been shaped like a fair five-sided "" home plate "" ." "If so , fair territory would probably have been shaped like a modern five-page "" home plate "" ." 0 +On 9 June 2017 , Barkchi Mubin Ergashev appointed her manager after Vitaliy Levchenko joined the Krylia Sovetov coaching staff . On 9 June 2017 , Barkchi Vitaliy Levchenko appointed her manager after Mubin Ergashev joined the Krylia Sovetov coaching staff . 0 +Linkuwa Pokhari is a village and village development committee in the Sagarmatha zone in the Khotang district of eastern Nepal . Linkuwa Pokhari is a village and village development committee in the district of Khotang in the Sagarmatha area in eastern Nepal . 1 +The book even has a chapter on the beginnings of comic books , which has a good overview and is useful short information on the early Superman . The book even has a chapter on the beginnings of comic books , which has a good overview and is useful short information about the early Superman . 1 +The season 2010 -- 11 Rain or Shine Elasto painter was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . The 2010 - 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +It reopened again a few years later but soon failed again . A few years later it failed again , but opened again soon . 0 +Evan Lloyd of Dolobran , son , who married Gwenhafar lloyd , daughter of Meredith Lloyd of Meivod . Evan Lloyd of Dolobran , son of Gwenhafar Lloyd , the daughter of Meredith Lloyd of Meivod married . 0 +He played for TuTo Turku and TPS , played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berlin SC . Lindstrom played for TuTo Turku and TPS . He also played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for Berliner SC . 1 +The Peters family , who was prominent in the racing industry , had donated Vela $ 150,000 over a four-year period . The Peters family , prominent in the racing industry , had donated $ 150,000 to Vela over a four-year period . 1 +He was elected as a Chairman of Zilla Parishad ( District Pnachayat ) of Kolhapur in 2012 as an Indian National Congress candidate . In 2012 , he was elected Chairman of the Indian National Congress ( District Pnachayat ) of Kolhapur as a candidate for Zilla Parishad . 0 +As a result , Sumitada opened the port of Nagasaki to the Portuguese in 1570 and supported its development . As a result , Sumitada sponsored the port of Nagasaki for the Portuguese in 1570 and opened its development . 0 +In Tbilisi , Varshamov studied with Arnold Walfisz ( where he Georgian ) Varshamov was with Arnold Walfisz in Tbilisi ( where he studied Georgian ) . 0 +Currently she is working on a NeoLatin anthology of critical texts . She is currently working on a critical anthology of NeoLatin texts . 0 +Currently , the Western District is administered by Major Dennis Mello , former deputy to Howard Colvin , who was forced into retirement . The Western District is currently administered by Major Dennis Mello , former deputy of Howard Colvin , who was forced into retirement . 1 +Daniel Rinner ( born 11 November 1990 in Liechtenstein ) is a Vaduz cyclist . Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a cyclist from Liechtenstein , Germany . 0 +It is endemic to Hawaii , where it is only known from the northern Koolau Mountains of Oahu . It is endemic to Oahu , where it is known only from the northern Coolau Mountains of Hawaii . 0 +It was added on 28 June 2013 to Steam Greenlit and Steam Early Access on 19 September 2013 . It was Steam Greenlit on 28 June 2013 and entered Steam Early Access on 19 September 2013 . 1 +Petina Gappah was born in Zambia in the province of Copperbelt . Petina Gappah was born in Copperbelt Province , in Zambia . 1 +In the 1919 season , he played for the Eastern Suburbs club , Wally is the great-grandfather of the former coach Phil Gould . Freeman played for the Eastern Suburbs club in the 1919 season . Wally is the great-grandfather of former coach Phil Gould . 1 +Two other authors have since managed this Hilary Mantel ( in 1988 and 2001 ) and Peter Carey ( in 2009 and 2012 ) . Two other authors have managed this Hilary Mantel ( 1988 and 2001 ) and Peter Carey ( 2009 and 2012 ) since then . 1 +Pearland ISD serves most of the city of Silverlake , the city of Pearland and unregistered territories in Brazoria County ( including Brookside Village ) . Pearland ISD serves most of the city of Pearland , the city of Brookside Village , and unincorporated areas in Brazoria County ( including Silverlake ) . 0 +It is then sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . It is then sold in the brewer 's house , which is virtually a pub until all the beer has been drunk . 1 +""" Gynacantha rosenbergi "" appears larger than "" Gynacantha dobsoni "" , which is rather similar in many ways ." """ Gynacantha rosenbergi "" is larger than "" Gynacantha dobsoni "" , which in many ways appears quite similar ." 0 +"DeMille appeared in 1997 in Corey 's novel "" Plum Island "" ." "In 1997 , Corey first appeared in DeMille 's Roman "" Plum Island "" ." 0 +They have two sons and a daughter , Andy , Jake and Alex . They have two sons and one daughter , Andy , Jake , and Alex . 1 +"She was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" in which Mariko is Wolverine 's primary romantic interest , girlfriend , and lover ." "It was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" , in which Mariko Wolverine 's primary romantic interest , girlfriend and lover is ." 1 +He died in Edinburgh on 28 August 1901 and married in 1870 in Mauritius Charlotte , daughter of Percy Fitzpatrick . He died in Mauritius on August 28 , 1901 , married Charlotte , daughter of Percy Fitzpatrick , in Edinburgh in 1870 . 0 +"On November 18 , 2010 , Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." "Polumenta released his second studio album "" Buntovnik "" ( Rebel ) on 18 November 2010 under Grand Production , his fifth project with the label ." 0 +The smaller one of the two boats carries up to 24 cars , the larger 18 cars . The smaller of the two boats carries up to 24 cars , whilst the larger one carries 18 cars . 1 +"The absolute value of this characteristic acoustic impedance is often referred to as acoustic impedance and called "" Z "" :" "The absolute value of this acoustic impedance is often called characteristic acoustic impedance and denoted "" Z "" :" 0 +Danj ( also known as Qūchkānlū ) is a village in the district of Esfarayen , North - Khorasan - Province , Iran , in the Azari county in the central district . Danj ( also known as Qūchkānlū ) is a village in Esfarayen County , North Khorasan Province , Iran , in the Azari Rural District of Central District . 1 +Doriano Romboni ( December 8 , 1968 in Lerici , Italy -- 30 November 2013 in Latina , Italy ) was an Italian Grand Prix - Motorcycle - Road Racer . Doriano Romboni ( 8 December 1968 in Italy -- 30 November 2013 in Latina , Lerici , Italy ) was an Italian Grand Prix motorcycle road racer . 0 +The team was formed as the Atlantic Coast Hockey League and played its first season in October 2002 with the Orlando Seals ( ACHL ) . The team was founded as Orlando Seals and played its first season with the Atlantic Coast Hockey League ( ACHL ) in October 2002 . 0 +Roger is kidnapped and Frankie is enticed by Bobby to the same isolated cottage . Bobby is kidnapped and Frankie is lured to the same isolated cottage by Roger . 0 +Ram Hill was known as Nutridge Hill in the Mudge Map in 1815 and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . In 1815 , Ram Hill was known as Nutridge Hill and was connected to Westerleigh by Broad Lane and Mays Hill by the Frog Lane . 0 +When the first upper diagonal is the main diagonal multiplied by 2 , it is of the second kind . If the first upper diagonal is the main diagonal multiplied by 2 , it is of the second kind . 1 +Walter Hart ( or Walter Lyhert , died May 24 , 1472 ) was a medieval bishop of Norwich . Walter Hart ( or Walter Lyhert ; died 24 May 1472 ) was a medieval Bishop of Norwich . 1 +The weather in winter is moderately cold and warm in summer . The weather in winter is moderately warm and cold in summer . 0 +These teams are provided by the US army and the US Marine Corps . These teams are supplied by the US Army and the US Marine Corps . 1 +Founded by Gianni Ratto in 1959 , it has presented actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Sérgio Britto , it has featured actors such as Fernanda Montenegro , Gianni Ratto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . 0 +This association was further enhanced after the female Christian missionary , Nino , converted Nana , his wife Mirian and household into Christianity in or around 337 . This association was further reinforced after the Christian female missionary Nino , Nana , his wife Mirian and household had converted into Christianity in or around the year 337 . 1 +The Sonata was premiered in 1919 by Billy Reed at the Aeolian Hall in London , with Landon Ronald on the piano . The Sonata was premiered at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed on the piano . 0 +L ' ; Estany is a municipality in the province of Barcelona and autonomous community of Catalonia , Spain . L'Estany is a municipality in the province of Barcelona and autonomous community of Catalonia , Spain . 1 +San Pedro de Pilas District is one of thirty-three districts of the province Yauyos in Peru . Peru is one of thirty-three districts in the province of Yauyos in the district of San Pedro de Pilas . 0 +A film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . A film director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated documentary film . 0 +"Note : "" NA "" -- Information was not listed on the specified page ." "Note : "" NA "" -- information was not listed on the cited page ." 0 +Manager Nolan said that he expected Fitzsimons Adam Collin to challenge a first team place . Manager Kevin Nolan said that he expected Fitzsimons to challenge Adam Collin for a first team place . 1 +Other types of course offered by the Department include short courses , online courses , weekly classes , day and weekend courses and summer schools . Other types of courses offered by the department are short courses , online classes , weekly classes , day and weekend courses and summer schools . 1 +"On July 24 , 2013 , Brother Ali appeared on the Maximum Fun podcast "" Judge John Hodgman "" as an "" Expert Witness "" ." "On 24 July 2013 , John Hodgman appeared on the Maximum Fun Podcast "" Judge Brother Ali "" as "" Expert Witness "" ." 0 +He has a son , Seamus , who is mentioned but was never seen in the series . He has a son , Seamus , who is seen in the series but will never be mentioned . 0 +The song is vocal , with a prominent series of three descending diatonic chords providing the main hook . The song is diatonic , with a prominent series of three descending main chords providing the soundful hook . 0 +Leopoldina Naudet was born in 1773 as the eldest daughter of Giuseppe Naudet and Susanna of Arnth in Florence . Her sister was Luisa . Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna von Arnth ; her sister was Giuseppe Naudet . 0 +Heike Brandt is born in Jever and grew up in Berlin . Born in Berlin , Heike Brandt grew up in Jever . 0 +AB InBev remains the largest brewery , second with SABMiller and Heineken International in third place . AB InBev remains the largest brewery , second with Heineken International , and SABMiller in third place . 0 +Many individuals also have a pattern of dark dots , and younger fish may have a black area at the base of the tail . Many individuals also have a pattern of black points , and younger fish can have a dark area at the base of the tail . 0 +The Simpsonville - Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of Columbia , Maryland - land development . The Simpsonville Mill is a historical pre-colonial mill complex in Columbia , Maryland , part of the Simpsonville , Maryland land development . 0 +The Cârlig River is a tributary of the Șorogari River in Romania . The Cârlig river is a tributary of the river È orogari in Romania . 1 +Mats Wilander defeated Jimmy Arias , 4 -- 6 , 7 -- 5 , 6 - 1 , 6 -- 3 . Jimmy Arias defeated Mats Wilander 4 - 6 , 7 - 5 , 6 - 1 , 6 - 3 . 0 +Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent theory of light in the world . Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent theory of light in the world . 0 +Her husband went to England and died in 1804 in Europe . Her husband traveled to Europe and died in 1804 in England . 0 +Brooks was dismissed in 1932 by banker Daniel B. Fleming of Ferriday in the Concordia Parish . Brooks was unseated in 1932 by the banker Daniel B. Fleming of Ferriday in Concordia Parish . 1 +Agra , Meerut , Lucknow and Jhansi are historical towns famous for their monuments . Agra , Jhansi , Lucknow and Meerut are historical cities famous for their monuments . 1 +Harriet Tatem McLellan was born in Marietta , Georgia , the daughter of Leander and Alice Josephine McLellan . Tatem McLellan was born in Marietta , Georgia , as daughter of Leander and Alice Josephine McLellan . 1 +And he has composed music for dozens of traditional Arabic literary works , many films and various orchestras . And he has composed music for tens of traditional Arabic literary works , many films and various orchestras . 0 +The Măleia River is a tributary of the River Jiul de Est in Romania . The river Jiul de Est is a tributary of the Măleia river in Romania . 0 +Bubas is a genus of Scarabaeidae or scarab beetles in the superfamily Scarabaeoidea . These beetles have been found in Spain , France and Italy . Bubas is a species of Scarabaeidae or Scarabaeus beetles in the superfamily Scarabaeoidea These beetles have been found in France , Italy and Spain . 1 +"Maximilian Lambertz suggested that the word from the Italian "" Bailo "" derived the title of the Venetian ambassador to the Ottomans ." "Maximilian Lambertz suggested that the word derived from Venetian "" bailo "" , the title of the Italian ambassador to the Ottomans ." 0 +In most cells , Ca channels regulate a multitude of intracellular processes due to their role in controlling biochemical ca concentrations . In most cells , Ca channels regulate a multitude of biochemical processes due to their role in controlling intracellular ca concentrations . 0 +Mass internal migration also took place when 2 million Americans migrated to California , 1.2 million of which were settled in Los Angeles . Internal mass migration also took place when 2 million Americans migrated to Los Angeles , of which 1.2 million settled in California . 0 +The Păstrăvul River or Pârâul cu Păstrăvi is a tributary of the Ozunca River in Romania . The river Păstrăvul or Pârâul cu Păstrăvi is a tributary of the Ozunca river in Romania . 1 +The county seat for DeWitt Township was also in Clinton County from the founding of the county . The county seat for Clinton County was also located in DeWitt Township from the inception of the County . 0 +The Beliu River or Agriș River is a tributary of the Botfei River in Romania . "The Beliu River or Agri "" River is a tributary of the Botfei River in Romania ." 1 +Instead , Octavian wanted to battle Antony by sea where his experienced sailors could dominate . Instead , Octavian Antony wanted to fight by sea , where his experienced sailors could dominate . 0 +This name refers to , either the Little Para River ( which starts at the confluence of the South Para River and North Para River ) or the Gawler River . This name refers either to the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . 0 +When Bumstead retired in 1906 , Arthur Williams Wright became professor of physics at Yale College and Director of the Sloan Physics Laboratory . When Arthur Williams Wright retired in 1906 , Bumstead became a professor of physics at Yale College and director of the Sloan Physics Laboratory . 0 +The cylindrical spur is white and curved upward , longer than the ovary . The white spur is cylindrical and upward curved , longer than the ovary . 0 +The Allied hardies saw service on the Rhodesian side during the opening trains of the East African Theatre of World War II . The Allied Hardys saw service on the Rhodesian side during the opening moves of the East African theatre of World War II . 1 +In Japan it was first discovered on and the name was given . In Japan it was discovered first and the name was given . 1 +The judges were appointed by the Minister of Justice and nominated by the Tsar . Judges were appointed by the Minister of Justice and nominated by the tsar . 1 +In 2010 she won the 12th Nojak Literature Prize , the 57th Hyundae Literary Award in 2011 and the 10th Yi Yuksa Poetry Awards in 2015 . Kim won the 10th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 12th Yi Yuksa Poetry Award in 2015 . 0 +Similar to a CFG , a probabilistic context-free grammar can be defined by a Quintupel : Similar to a CFG , a probabilistic context-free grammar can be defined by a quintuple : 1 +The Irfon defines the northern limit of the Mynydd Epynt area between Llanwrtyd Wells and Builth Wells . The Irfon defines the northern border of Builth - Wells - area between Llanwrtyd - Wells and Mynydd - Epynt . 0 +Synaptic clustering refers to the addition of new spines to a dendritic area where other spines have been added by previous learning . Synaptic clustering refers to the addition of Dendritic spines to a new area where other spines have been added through previous learning . 0 +Polali is a village in Bantwal taluk , in the Dakshina Kannada ( South Canara ) district of Karnataka state in India . Polali is a village in Bantwal Taluk , in the district of Dakshina Kannada ( South - Canara ) of the state of Karnataka , India . 1 +"There is also a faithful and more promising remake called "" Xenonaut "" ." "Also , there is a faithful and more promising remake called "" Xenonauts "" ." 1 +In the late 1920s she was a researcher in America at Illinois State University and later Radcliffe College and McGill University . She was a researcher in America at McGill University in the late 1920s , and later at Radcliffe College and Illinois State University . 0 +""" Whatever Will Be "" ( 2005 ) is the second song by Tammin of her first album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the first song of Tammin from her second album "" Whatever Will Be "" ." 0 +Thompson was born in Juniata County , Pennsylvania , entered Port Royal , Pennsylvania , and was later buried in Perrysville . Thompson was born in Juniata County , Pennsylvania , entered service in Port Royal , Pennsylvania , and was later buried in Perrysville . 1 +His name is decorated by the Federal Office Building of Reuss Plaza in Dundee , Wisconsin , and the National Park Service 's Henry Reuss Ice Age center near Milwaukee . His name graces the Reuss Plaza Federal Office Building in Dundee , Wisconsin , and the National Park Service 's Henry Reuss Ice Age Center near Milwaukee . 1 +This is the only story of Albert Campion that is told by Campion in the first person . This is the first champion story told by Albert Campion in the single person . 0 +Inside there are historical objects , including an old church bell from 1801 and colonial paintings and photographs Inside , there are historical buildings , including an old church bell from 1801 and colonial paintings and photographs . 1 +The following schools are located in Takanini ( the schools in Rosehill , Papakura , Opaheke are excluded ) : The following schools are located in Takanini ( schools in Rosehill , Papakura , and Opaheke are excluded ) : 1 +Is a short book by Karla Kuskin , published first in 1962 , with illustrations by Virginia Cary Hudson . Is a short book published by Virginia Cary Hudson , first in 1962 with illustrations by Karla Kuskin . 0 +Guy Watson , of Love Song took over on drums and Ernie Earnshaw on bass in the new group . In the new group , Guy Watson , Love Song , drums and Ernie Earnshaw on the bass took over . 1 +The team was led by General Manager and head coach Mike Powers with the assistant coaches Tatu and Caesar Cervin . The team was led by general manager and head coach Mike Powers with assistant coaches Tatu and Caesar Cervin . 1 +Theodore was imprisoned , and , together with ten other monks , banished to Constantinople , while Platon was flogged in Thessaloniki . Theodore was imprisoned and banished together with ten other monks to Constantinople , while Plato was flogged away in Thessaloniki . 1 +The building was expanded in 1967 , and a second major expansion was completed in 1999 . The building was completed in 1967 , and a second major enlargement was expanded in 1999 . 0 +Ayeza Khan ( born January 15 , 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , also known as Aiza Khan , is a Pakistani TV actress and model . 0 +"In "" House of Despair "" , Quentin Collins tells Ed Griffin that the people of Collinsport have not forgotten how "" that Winters girl "" inexplicably disappeared ." "In "" House of Despair "" Ed Griffin Quentin Collins tells that the people of Collinsport have not forgotten how "" the winter girl "" inexplicably disappeared ." 0 +From 1913 to 1962 , the University teached basic sciences in Los Angeles , but sent its students to Loma Linda for clinical experience . From 1913 to 1962 , the university taught basic sciences in Los Angeles , but sent its students to Loma Linda for clinical experience . 1 +In 2004 , Sim 's Miss Georgia Junior was crowned National Teenager and later won the Miss Junior National Teenager title in 2005 . In 2004 , Sims was crowned Miss Georgia Junior National Teenager and later won the Miss Junior National Teenager title 2005 . 0 +In versions of the Renaissance , Ogier travels to the Avalon governed by Morgan le Fay and eventually becomes King Arthur 's parade . Ogier in versions of the Renaissance travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 's paramour . 1 +The gate is approximately high , with the still visible the grooves in the granite stones for the hinges used in opening and closing the access . The gate is approximately high , with the still visible grooves in the granite stones for the hinges that are used when opening and closing the access . 1 +Ponti played guitars and keyboards on the album , with the help of bassist Camus Celli , keyboard player Guy Daniel and drummer Pat Schick . With the help of bassist Camus Celli , keyboarder Guy Daniel and drummer Pat Schick , guitars and keyboards played on the album . 1 +Margaret Fleming married James of Barrochan and was succeeded by Alexander , his eldest son . Margaret Fleming married James of Barrochan and was followed by Alexander , his eldest son . 1 +Jackson Township is located on the 4th Congressional District and is part of the 12th State Legislative District in New Jersey . Jackson Township is located in the 4th Congressional District and is part of New Jersey 's 12th state legislative district . 1 +Two more aftershocks above Magnitude 5 in Xinjiang and one in Kyrgyzstan beat UTC on October 13 - time . Two more aftershocks above magnitude 5 in Xinjiang and one in Kyrgyzstan struck on October 13 , UTC time . 1 +Magnus turned around and reformed the British invasion of Williams by attacking the Eric Young and Orlando Jordan team . Magnus turned heel and reformed the British Invasion with Williams by attacking the team of Eric Young and Orlando Jordan . 1 +The renovation of the building was completed in spring 2008 and inaugurated on April 17 , 2008 under the new name of William E. Macaulay Honors College . The building 's renovation was completed in Spring 2008 and dedicated under the new name of William E. Macaulay Honors College on April 17 , 2008 . 1 +It was created by the Constitution of Afghanistan , which was adopted on 4 January 2004 . It was approved by the Constitution of Afghanistan , created on 4 January 2004 . 0 +"In TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by the Turkish actress Şah Sultan ." "In TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by the Turkish actress Deniz Çakır ." 0 +"The album contains the single "" You Lose , I Win "" , which was a small hit in Germany and also received considerable airplay in Canada ." "The album features the single "" You Win , I Lose "" , which was a minor hit in Germany and also received considerable airplay in Canada ." 0 +Sweden has an embassy in Ankara and a General Consulate in Istanbul . Turkey has an embassy in Stockholm . Sweden has an embassy in Ankara and a General Consulate in Stockholm . Turkey has an embassy in Istanbul . 0 +In 2006 , François Bozizé was appointed President of the Council of State by President Bozanga . In 2006 , François Bozizé was appointed by President Bozanga the chairman of the Council of State . 1 +Mr. Jones had been selected for Mr. Morel for a job in Seychelles . Mr. Jones had been selected for a job in Seychelles working for Mr. Morel . 1 +Perigea bahamica is a moth in the family Noctuidae It is found in the Bahamas The species was collected in Monroe County , Florida , in 2012 . Perigea bahamica is a moth in the family Noctuidae . It is found on the Bahamas . The species was collected in Monroe County , Florida , in 2012 . 1 +The operation was a complete success for Germany as planned : Denmark and Norway were occupied , and surprise was almost decisive , especially in Denmark . The operation as planned was a complete success for Germany . Both Denmark and Norway were occupied . Surprise was almost decisive , particularly in Denmark . 1 +Itamati has one degree college , one junior college , three upper primary schools and six high schools . Itamati has one degree college , a junior college , three upper primary schools and six high schools . 1 +Rashad Evans then replaced Rua with Liddell in the main event , but Liddell was forced to withdraw from the card due to a thigh injury . Liddell then replaced Rua in the main event with Liddell , but Rashad Evans was forced to withdraw from the card due to a femoral injury . 0 +The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance and serving Rolling Hills Estates . The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance , and serves Rolling Hills Estates . 1 +"It was originally placed by Alphonse Pyrame de Candolle in 1844 and published and described in its own section , "" Stylotheca "" ." "It was originally placed and published by Alphonse Pyrame de Candolle in 1844 and was described in its own section , "" Stylotheca "" ." 1 +The development of Bas 90 began in the 1970s and was implemented in the 1980s . The development of Bas 90 started in the 1970s and began implementation in the 1980s . 1 +In January 1938 , he became head of the 64th department and chief of staff of the 2nd Manghud Border Detachment . In January 1938 he became the head of the 64th department and chief of staff of the 2nd Manghud - Border - Detachments . 1 +Kendra Saunders is now 100 % Hawkgirl . Now Hawkgirl is 100 % Kendra Saunders . 0 +The new style was also promoted by changes in economic order and the social structure . The new style was also encouraged by changes in the social order and economic structure . 0 +Twenty-three episodes of the show were aired before it was cancelled in 1972 . Twenty-three episodes of the show were canceled before it was aired in 1972 . 0 +The dominant market is the direct distribution and retail network for American comic books . The direct market is the dominant distribution and retail network for American comics - books . 0 +Tennehena is a village in Central Province within Sri Lanka . Tennehena is a village in Sri Lanka within the central province . 1 +At first , he worked in public relations for the American Jewish Committee in New York and until his retirement for the Combined Jewish Philanthropies of Boston . First , he worked in public relations for the American Jewish Committee in Boston , and until his retirement for the Combined Jewish Philanthropies of New York . 0 +Born in Guadalajara , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Monterrey . Born in Guadalajara , Mora played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . 1 +After that the doors were charged and the man was taken from the mob . After that , the doors were taken and the man was charged by the mob . 0 +Judith has even tried to be friends with Alan ; however , it was extremely difficult for him to be happy for the woman who ruined his life . Alan even tried to be friends with Judith , but it was extremely difficult for him to rejoice for the woman who has ruined his life . 0 +Actress Manuela do Monte portrayed Carol in the Brazilian version of the series 2013 . Actress Carol do Monte portrays Manuela in the 2013 Brazilian version of the series . 0 +Mateusz Kowalczyk and Lukáš Rosol defeated Nicholas Monroe and Simon Stadler with 6 -- 4 , 6 -- 4 in the final to win the title . In the final , Mateusz Kowalczyk and Lukáš Rosol Nicholas Monroe and Simon Stadler defeated at 6 : 4 , 6 : 4 , to win the title . 0 +Somaiya Vidyavihar is an educational campus in the suburb of Vidyavihar in Mumbai . Somaiya Vidyavihar is an educational campus in Vidyavihar - suburb of Mumbai . 0 +Peter Maag ( Ernst Peter Johannes Maag ) ( 10 May 1919 -- 16 April 2001 ) was a Swiss conductor . Peter Johannes Maag ( May 10 , 1919 -- April 16 , 2001 ) was a Swiss conductor . 1 +"Triandos was referenced in the second sequence of the third season of the HBO - original series , "" The Wire "" ." "Triandos was referenced in the third episode of the second season of HBO - original series "" The Wire "" ." 0 +He also had to temporarily occupy the Ministry of the Interior in the presidential cabinet over 1838 . Also in the presidential cabinet he had to occupy twice the Ministry of Interior temporarily over 1838 . 0 +The Bank is owned by the United Bank of India and is jointly sponsored by the Government of India , the Government of Tripura and UBI . The bank is sponsored by United Bank of India & is jointly Owned by the Government of India , Government of Tripura and UBI . 0 +This book was written by Arthur Laurents , with music by Leonard Bernstein , text by Stephen Sondheim and choreography by Jerome Robbins . The book was written by Arthur Laurents , with music by Stephen Sondheim , texts by Leonard Bernstein and choreography by Jerome Robbins . 0 +The town of Sremska Mitrovica includes the city of Mačvanska Mitrovica and several villages . The city of Sremska Mitrovica includes the town of Mačvanska Mitrovica , and several villages . 1 +Further editions of the book were published after Sutherland 's death in 1950 by Cressey and D. F. Luckenbill as co-authors . Further issues of the book were published as co-authors following Sutherland 's death in 1950 by Cressey and D. F. Luckenbill . 1 +"The term "" non-hereditary spherocytosis is rarely , albeit occasionally , used ." "The term "" non-hereditary spherocytosis "" is used occasionally , albeit rarely ." 0 +The journey starts from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . The journey begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . 0 +Frederick died on 23 February 1902 at Johnstone Street in Bath and is buried with his wife in Faulkbourne . Frederick died at Faulkbourne , on 23 February , 1902 and is buried with his wife at Johnstone Street , Bath . 0 +""" Welcome to my Living Room "" was filmed in Sydney , Australia in August 2005 , with additional footage filmed in Temecula , California in November 2006 ." """ Welcome to my Living Room "" was filmed in August 2005 in Sydney , Australia , with additional footage that was shot in November 2006 in Temecula , California ." 1 +Juan Ramón Jiménez was born on 23 December 1881 in Huelva , near Moguer in Andalusia . Ramón Jiménez was born on 23 December 1881 in Moguer , near Huelva , in Andalucia . 0 +After the 2015 season , Seoul FC Martyrs left the league , but three new teams Buyeo FC , Siheung Citizen and Yangpyeong FC joined the league . After 2015 season Seoul FC Martyrs joined the league , but three new teams Buyeo FC , Siheung Citizen and Yangpyeong FC left them . 0 +His son Erik Spoelstra is a former manager of the National Basketball Association and his grandson Jon Spoelstra is the current coach of Miami Heat . His son , Erik Spoelstra is a former National Basketball Association executive and his grandson , Jon Spoelstra is the current head coach of the Miami Heat . 1 +was the brother of Charles Fenton Mercer and father of George Mercer and John Francis Mercer . was the brother of George Mercer and John Francis Mercer and dad of Charles Fenton Mercer . 0 +The film stars Lyllian Leighton ( invoiced as Adrienne Kroell , Lillian Leighton ) and Jack Nelson . The film stars Adrienne Kroell , Lillian Leighton ( as Lyllian Leighton charged ) and Jack Nelson . 0 +The soils are not deep , mostly sandy with loose granite and quartz pebbles . There are many rocky outcrops and the soil is generally poor in organic matter . The floors are not sandy , generally poor with loose granite and quartz pebbles , there are many rocky outcrops and the soil is mostly deep in organic matter . 0 +Instead of Prince Patrick Island , the island is in the film north of Ellesmere Island . Instead of Ellesmere Island , the island in the film is located due north of Prince Patrick Island ( cf . 0 +Ana Ivanovic defeats Maria Sharapova to win the women 's title 2008 Australian Open . 26 -- Maria Sharapova defeats Ana Ivanovic to win the 2008 Australian Open women 's singles title . 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in the war in Iraq . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in Iraq - war . 0 +Huntington is a city in Baker County , on the eastern border of Oregon , United States . Huntington is a city in Baker County on the eastern border of Oregon . 1 +The Organizing Committee banned the unauthorized filming , and on 6 August 2008 , investigated SBS cameras inside the stadium during the ceremony as reprisals for the leak . The organizing committee banned the unauthorized filming and investigated SBS cameras in the stadium on August 6 , 2008 during the ceremony as retaliation for the leak . 1 +She lives in Bandra , Mumbai . She has a son Anwesha Arya , film director , and two daughters , Chimmu and Aditya Bhattacharya , a writer . She lives in Bandra , Mumbai , and has a son , Anwesha Arya , director , and two daughters , Chimmu and Aditya Bhattacharya , a writer . 1 +The Square was opened by President Choummaly Sayasone and Lao President Alexander Lukashenko on July 2 , 2013 , during a ceremony on the square . The place was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony on the square . 1 +District Mhow consists of four divisions : Depalpur , Sanwer , Indore and Indore . Indore district consists of 4 divisions ; Depalpur , Sanwer , Indore and Mhow . 0 +"According to Pier Jaarsma in 2011 , neurodiversity is a "" typical neurological concept "" , which "" regards normal human development as a controversial difference "" ." "According to Pier Jaarsma in 2011 , neurodiversity is a "" typical neurological concept "" that "" regards normal human development as a controversial difference "" ." 1 +When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy , and most of the Piedmont . When Francis II died , France withdrew from Piedmont , Corsica , Scotland , Brazil , Savoy and most of Tuscany . 0 +New teaching sites were opened in the 1990s in Ivrea , Mondovì , Biella , Alessandria and Vercelli . New teaching sites were opened in the 1990s in Alessandria , Biella , Ivrea , Mondovì and Vercelli . 1 +Flower was captured in 1945 in Salzburg by the Americans and brought to the Landsberg prison . In 1945 , flower was captured by the Americans in the Landsberg prison and brought to Salzburg . 0 +The Indus cities are known for their complex planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are noted for their urban planning , baked brick houses , elaborate drainage systems , water supply systems , and clusters of large non-residential buildings . 0 +In its early , Period it was one of the greatest Classical empires . It was one of the greatest classical empires in its early days . 1 +The statistical leaders of the team included Jim Butler with 1,687 heated yards , Mike Ridley with 311 passing yards and Todd Starks with 486 receiving yards . The team 's statistical leaders included Todd Starks with 1,687 passing yards , Mike Ridley with 311 rushing yards , and Jim Butler with 486 receiving yards . 0 +Smith was born in Monroe County and was educated at the Culloden Academy in Twiggs County , Georgia . Born in Monroe County , Smith was educated at the Culloden Academy in Twiggs County , Georgia . 1 +"Victoria S. Bull ( "" Victor "" ) was introduced as Vicki 's sister in 2001 , but has not been seen for many years ." "Victoria S. Bull ( "" Vicki "" ) was introduced in 2001 as Victor 'apos ; s sister , but has not been seen for many years ." 0 +Chakwal District , is a subdivision ( tehsil ) of Talagang Tehsil in the Punjab province of Pakistan . Talagang Tehsil is a subdivision ( tehsil ) of the district of Chakwal in the Pakistani province Punjab . 0 +The church serves the parish of Brighton , a residential area in the north of Hove near the border with West Blatchington . The church serves the parish of West Blatchington , a residential area in the north of Hove , near the Brighton border . 0 +"The "" formal operations "" are the addition and multiplication of rational series , together with iteration ." "The "" rational operations "" are the addition and multiplication of formal series , together with the iteration ." 0 +The music was composed by A. T. Ummer and lyrics were written by Koorkkancheri Sugathan and Poovachal Khader . The music was written by A. T. Ummer and lyrics was composed by Koorkkancheri Sugathan and Poovachal Khader . 0 +Trained by César Cielo , coach of the American swimmer Bob Bowman , at the University of Michigan , he is a childhood friend of Michael Phelps . Trained with Bob Bowman , the coach of the American swimmer Michael Phelps , at the University of Michigan , he is a childhood friend of César Cielo . 0 +It can also be specified that the angle of the invading electron is seen with the direction of the exiting photon by : It can also be specified that the angle of the incoming electron with the direction of the outgoing photon is seen by 1 +"Kurt Warnekros is portrayed by Sebastian Koch in the 2015 film "" The Danish Girl "" ." "In the film 2015 "" The Danish girl "" Sebastian Koch is presented by Kurt Warnekros ." 0 +Brock Township is a community in Beaverton in the Regional Municipality of Durham , Ontario , Canada . Beaverton is a municipality in Brock Township in the regional commune of Durham , Ontario , Canada . 0 +Some of the filmmakers are seen in the film but not heard . Several of the filmmakers are seen but not heard in the film . 1 +The Fixer Uppers is a 1935 short film starring Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . The Fixer Uppers is a short film by Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . 0 +Katrina Alegre ( Eula Valdez ) is the best friend of Alma Bautista ( Jean Garcia ) . The best friend of Alma Bautista ( Jean García ) is Katrina Alegre ( Eula Valdez ) . 1 +She was born on 18 December 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . She was born on December 18 , 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . 0 +The instrumental album is still exclusive to the box . The instrumental album is still exclusive to the box set . 1 +Romney , a practicing member of the Presbyterian belief , was a freemason in the Clinton Lodge of White , where he had served as a master . White , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in Romney , where he had served as a master . 0 +The large area of black is shaded first with blue and then with green . The large area of black is first shaded with blue and then with green . 1 +Jagtial is a village and in Mallapur district in the state of Telangana in India . Mallapur is a village and Jagtial district in the state of Telangana in India . 0 +For many years members of the Jesus Christians distributed religious literature , much of it written by Dave McKay . For many years distributed members of Jesus - Christian religious literature , much of it written by Dave McKay . 1 +Beattyville is served by Kentucky Utilities , while much of Lee County is served by Jackson Energy , based in McKee , Kentucky that serves south-central Kentucky . While Beattyville is served by Kentucky Utilities , much of Lee County is served by Jackson Energy , based in McKee , Kentucky . 1 +The development of the energy business included the opening of a special office in Middlesbrough and the construction of a new vessel , Cable Enterprise . The development of the energy business included the opening of a specialist office in Middlesbrough and the construction of a new vessel , Cable Enterprise . 1 +After Sutherland 's death in 1950 , further issues of the book were published by Cressey and D. F. Luckenbill as co-authors . Further editions of the book were published by Cressey and Sutherland as co-authors after the death of D. F. Luckenbill in 1950 . 0 +The ceremonial county includes the Isles of Scilly , which are not part of the administrative district of Cornwall . The Administrative county includes the Isles of Scilly , which are not part of the ceremonial county of Cornwall . 0 +Governor Flanagin took the state archives and moved first to Arkadelphia , and then on to Washington in Hempstead County where he set up a new capitol . Governor Flanagin took the state archives and first moved to Hempstead County , and then continued to Washington , Arkadelphia , where he set up a new capital . 0 +Mississauga was a municipality until 1967 , when it became the Town of Toronto Township . Mississauga was a community until 1967 when it became the municipality of Toronto Township . 1 +The unpublished ( and possibly unwritten ) stories of series three are : The unwritten ( and possibly unpublished ) stories of the three series are : 0 +Robertson is a railway station in Robertson , Moss Vale , on the railway line Unanderra - New South Wales . Robertson is a railway station in Robertson , Moss Vale , on the Unanderra -- New South Wales railway line . 1 +"The elder Chic Young took over "" Dumb Dora "" when Fung left that strip ." "The older Chic Young took over "" Dumb Dora "" when Fung left that strip ." 1 +The Purdue Boilermakers football team from 1981 represented Purdue University during the Big Ten Conference 's football season in 1981 . The 1981 Purdue University football team represented Purdue Boilermakers during the 1981 Big Ten Conference football season . 0 +The persecution of Cicero in 70 BC was for Gaius Verres a great forensic success . The prosecution of Cicero in 70 BC was a great forensic success for Gaius Verres . 1 +There is a juice shop which provides fresh juice for all . There is a juice shop which provides fresh juice for all . 1 +Jarymowycz was a frequent lecturer at the Royal Military College and was a sessional writer of letters to the editor . Jarymowycz was a frequent lecturer at the Royal Military College and was a recorder of letters to the editor . 1 +In June 2011 , Rosenthal , curated by Julian Schabel , opened at Venice Museo Correr . In June 2011 , the Rosenthal curated by Julian Schabel opened at the Museo Correr in Venice . 1 +France won a medal in each of the three team events , but took no more gold medals . In each of the three team events France took a medal , but no longer won gold medals . 1 +The UCP is a political party , the official opposition in Alberta , Canada . The UCP is a political party which forms the official opposition in Alberta , Canada . 0 +All the lines have ceased to exist , except that a short section of the Dunfermline line forms part of the Charlestown to Inverkeithing line . All lines have ceased to exist , except that a short section of the Charlestown line forms a part of the inverkeithing to Dunfermline line . 0 +This species can be found in the Atlantic Ocean and the Gulf of Mexico , in the Caribbean Sea , from South Carolina to Brazil . This species can be found in the Caribbean Sea and in the Gulf of Mexico ; in the Atlantic Ocean from South Carolina to Brazil . 0 +He was considered an official member of the council and often was sent to Canada on active Albany business . He was considered the official member of the Council and was often sent to Canada in an active Albany business . 1 +The audio companion for live concert was released on January 29 , 2008 as a digital album on iTunes . The audio companion to the digital concert was released as a live album on iTunes on January 29 , 2008 . 0 +The free tetracubes from two complete sets of corresponding tetrominos can also fit into 2 × 4 × 5 and 2 × 2 × 10 boxes . The corresponding tetracubins from two complete sets of free tetrominos can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes : 0 +Catterick Garrison is a garrison and town south of Richmond in the Richmondshire District of North Yorkshire , England . Catterick Garrison is a major garrison and town south of Richmond in the North Yorkshire district of Richmondshire , England . 0 +Field is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . Field 's is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . 1 +In November 2005 , Robert Israel sold the weekly Plotkin to Mitchell in Bolinas , California . In November 2005 , Robert Israel Plotkin sold the weekly to Mitchell of Bolinas , California . 0 +Steven Andrew Miller moved away from Orange County and now resides in San Diego . Steven Andrew Miller moved away from San Diego and now lives in Orange County . 0 +She moved to Switzerland when she was a couple of months old , then grew up to France , but mostly in Paris . She moved to Switzerland when she was a few months old , mostly to France , but then grew up in Paris . 0 +Every Sunday he returned to Zagreb and went to Å abac every weekend . Glišić returned to Zagreb every Sunday and went to Šabac every weekend . 1 +The Australian state election of 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state ’ s legislative assembly . The 1945 Australian state election was held in the Victorian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . 1 +The company is one of the oldest German companies still in operation and was founded in 1880 by Brazilian brothers Bruno and Hermann Hering . The company is one of the oldest Brazilian companies still in activity , founded by German brothers Bruno and Hermann Hering , in 1880 . 0 +Motivated by his passion for the local football , Arid Garcia decided to support the professional football in the state of Lara . Motivated by his passion for professional football , Arid Garcia decided to support local football in the State of Lara . 0 +If he saw two white hats , he could conclude that he was wearing a black hat . If he saw two black hats , he could have deduced that he was wearing a white hat . 0 +It can be seen in the Panamint Range and Funeral Mountains adjoining Death Valley within Death Valley National Park ; and in the Spring Mountains in Clark County . It can be seen in the Panamint Range and Funeral Mountains next to the Death Valley in Death Valley National Park and the Spring Mountains in Clark County . 1 +Cooper has also represented several Hollywood actors , including Lynn Baggett for homicide , Joan Bennett , and Shirley Temple in her divorce from John Agar . Lynn Lynn Baggett has also represented several Hollywood actors , including Cooper for Murder , Joan Bennett and Shirley Temple in her divorce from John Agar . 0 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it on October 6th , 2015 in North America ." "On February 27 , 2015 , "" The Timber "" was released in North America , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." 0 +On 4 July 1968 , at Smith 's request , Harper resigned from the cabinet . At Harper 's request , Smith resigned from the cabinet on 4 July 1968 . 0 +At the age of 66 , Hironobu Takesaki Terada replaced Chief Justice on April 1 , 2014 , when Takesaki reached retirement . At age 66 , Hironobu Takesaki replaced Terada as Chief Justice on April 1 , 2014 , when Takesaki reached the date of his retirement . 0 +Benmont Tench , the man at the campsite played by Jared Harris , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . Benmont Tench , the man at the campsite , played by Jared Harris , is named after Benmont Tench , keyboardist with Tom Petty and the Heartbreakers . 1 +Carl Gould ( Dwayne Hill 2009 -- 2010 , Dylan Hoerner 2010 -- present ) is a cream rabbit with brown hair and blue glasses . ( Dylan Hoerner 2009 -- 2010 , Dwayne Hill 2010 -- Present ) is a cream rabbit with brown hairs and blue glasses . 0 +He is the nephew of Larry Bowa . Johnson and his wife , Liz , had their first child , Brianna , on January 31 , 2006 . He is the nephew of Larry Bowa Johnson and his wife , Brianna , was born on 31 January 2006 , their first child , Liz . 0 +John McEnroe won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against Miloslav Mečíř . Miloslav Mečíř won against John McEnroe at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . 0 +The river Olt is a tributary of the river Madicea in Romania . The Madicea River is a right tributary of the Olt River in Romania . 0 +Born in Stockholm , Sweden in 1967 , she grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) home . Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual house ( English , Spanish and Swedish ) . 1 +Jeetenkumar Naorem and Tony Aheibam have composed the soundtrack for the film and Raju Mikoncha wrote the lyrics . Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha composed the texts . 0 +"The American philosopher Stanley Cavell helped to re-introduce the book to modern philosophical readers in his collection "" Must We Mean What We Say ? "" ( 1969 ) ." "The American philosopher Stanley Cavell helped reintroduce the book in his collection "" Must say what we mean "" ( 1969 ) to modern philosophical readers ." 0 +Jan Kodeæe defeated Ilie NÄ stase , 8 -- 6 , 6 -- 2 , 2 -- 6 , 7 -- 5 - 5 Ilie Năstase defeated Jan Kodeš , 8 -- 6 , 6 -- 2 , 2 -- 6 , 7 -- 5 0 +Its villages include Dry Tavern , Jamestown , Mahoning Valley ( also in West Penn Township , Schuylkill County ) , New Mahoning , Normal Square , and Packerton . Its villages include Dry Tavern , Normal Square ( also located in West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . 0 +He repeats Fred and makes him his new partner , then goes to the cratchit house , where he visits Bob and increases his remuneration . He visits Fred and makes him his new partner , then goes to the cratchit house , where he restores Bob and increases his reward . 0 +Players can visit Las Vegas to increase their nickel stash and store their coins at the Cool World bank . Players can visit Las Vegas to store their nickel storage space and increase their coins at the Cool World Bank . 0 +Ultron was established by writer Roy Thomas and artist John Buscema . Ultron was created by writer Roy Thomas and artist John Buscema . 1 +The abbey is registered as a cultural asset of regional importance . The abbey is registered as a regional cultural asset . 0 +In 1989 , he travelled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . In 1989 he travelled on a peace-seeking mission to South Africa , Johannesburg and Angola , Mozambique . 1 +The Senate referred to all 30 cases to the RCMP . The Senate referred all 30 cases to the RCMP . 1 +The idols are available locally and they are made of very old stone . The idols are locally available and they are made of the very old stone . 1 +The diocese consists of the counties of Lambton , Huron , Middlesex , Elgin , Norfolk , Oxford , Perth , Kent and Essex . The Diocese covers the counties of Middlesex , Elgin , Norfolk , Oxford , Perth , Huron , Lambton , Kent and Essex . 1 +In the week before the first race , Barwa Addax driver Josef Král was replaced by Dani Clos . Brendon Hartley also replaced Ocean Racing Technology 's Jon Lancaster . In the week before the first race , Barwa Addax - pilot Josef Král was replaced by Dani Clos , Brendon Hartley replaced Jon Lancaster with Ocean Racing Technology . 1 +Siskiyou National Forest is located on the U.S. Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . Port Orford is located on the U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . 0 +Her work is being collected and exhibited in New York , San Francisco , Monterey , Toledo and Fort Wayne , Takaoka , Isle of Man , London , Tokyo . Her work is collected and exhibited in New York , San Francisco , Monterey , Toledo and Fort Wayne , Takaoka , Isle of Man , London , Tokyo . 1 +Despite the limited success of the general attack , the battalion lost nearly half of its strength . Despite the general success of the limited attack , the battalion lost nearly half of its strength . 0 +He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in 1820 in Canandaigua , New York ) . He was a son of the surgeon Timothy Hosmer ( born in 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut , 1820 ) . 0 +It was renamed in 1952 as Ricory and by the early 1970s was developed . It was renamed Ricory in 1952 and developed by the early 1970s . 1 +"In "" Duel the Double Cruisers ! "" Batman uses a simulation of Despero to train the outsiders ." "In "" Duel of the Double Crossers ! "" , Despero uses a simulation of Batman to train the Outsiders ." 0 +His grandson , Grenville , was elected to the 11th Parliament of Upper Canada for Edward . For Edward , his grandson , Grenville , was elected to the 11th Parliament of Upper Canada . 1 +The 2002 National Football League season was the 27th season of the team with the Seattle Seahawks . The 2002 National Football League season was the team 's 27th season with the Seattle Seahawks . 1 +"Bailly 's other works in Washington , D.C. include sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Other works of Benjamin Hallowell in Washington , D.C. , include sculptures by Bailly and Alexander "" Boss "" Shepherd ." 0 +The Cooke and Wheatstone Telegraph was an early electric telegraph system dating from the 1830s , invented by the English inventor Charles Wheatstone and the English scientist William Fothergill Cooke . The Cooke and Wheatstone telegraph was an early electrical telegraph system dating from the 1830s invented by English inventor William Fothergill Cooke and English scientist Charles Wheatstone . 0 +""" Purple Clover "" describes the page as for people who are "" ... still cool , still curious and after all these years are still crazy ." """ Purple Clover "" describes the site as for people who "" ... still curious , still cool and still crazy after all those years are "" ." 1 +He left Sheffield in 1805 to study theology at Manchester College in York . However , in 1805 he left York to study theology at Manchester College in Sheffield . 0 +The 2005 Standards were approved by the California Energy Commission on November 5 , 2003 , and adopted by the Building Standards Commission on July 21 , 2004 . The standards were approved by the California Energy Commission on 5 November 2003 and adopted on 21 July 2004 by the Building Standards Commission . 1 +It responds weakly alkaline and gives a deep red color with iron ( III ) chloride . It gives weakly alkaline and reacts with iron ( III ) chloride a deep red color . 0 +"The figure was killed later in the second episode of the fourth season , "" First Down "" ." "Your character was later killed in the fourth episode of the second season , "" First Down "" ." 0 +""" FIFA Manager 12 "" is a football manager - simulation video game , developed by Bright Future GmbH and published by EA Sports worldwide under the label Electronic Arts ." """ FIFA Manager 12 "" is a football manager simulation video game developed by Bright Future GmbH and published by EA Sports worldwide under the Electronic Arts label ." 1 +The Indonesian translations of the Dutch terms are Aceh bodoh ( Aceh pungo ) or Aceh gila ( Aceh mord ) . The Indonesian translations of the Dutch terms are Aceh Bodoh ( Aceh Pungo ) or Aceh Gila ( Aceh Murder ) . 1 +Amazingly , the first stimulus can , in some cases , actually affect the perception of the second stimulus . Amazingly , the first stimulus can actually influence the perception of the second stimulus in some cases . 1 +From Croatia , there are many international bus routes to the neighboring countries ( Slovenia , Bosnia and Herzegovina , Serbia etc . From Croatia there are many international bus routes to the neighbouring countries ( Slovenia , Bosnia and Herzegovina , Serbia , etc . ) . 1 +Crocker moved from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and crossed toward the lower Ouachita in the section called the Black River . Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the Black River section . 1 +"In Europe , "" Pueraria montana "" grows in several places in warm regions of Switzerland and Italy near Lake Maggiore and Lake Lugano ." """ Pueraria montana "" grows in Europe in warm regions of Switzerland and Italy near Lake Maggiore and Lake Lugano ." 1 +The album was produced by Rafael Gayol and contributed by Billy Harvey and the Tosca String Quartet . The album was produced by Rafael Gayol , and featured contributions by Billy Harvey and the Tosca String Quartet . 1 +"According to Pier Jaarsma in 2011 , neurodiversity is a "" typical neurological concept "" , which "" regards normal human development as a controversial difference "" ." "According to Pier Jaarsma in 2011 , neurodiversity is a "" controversial concept "" that considers "" atypical neurological development as a normal human difference "" ." 0 +Granger is part of the Michiana -- Mishawaka , IN-MI , Metropolitan Statistical Area as well as the larger South Bend region . Granger is part of the South Bend -- Mishawaka , IN - MI , Metropolitan Statistical Area as well as the larger region of Michiana . 0 +General De Gaulle on the other hand was less impressed , reading her recommendations and only half dismissing most of her reports . On the other hand , General De Gaulle was less impressed , rejected her recommendations , and read most of her reports only half . 0 +North Dalton Park is located on Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . North Dalton Park is situated on the Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . 1 +The Patriarch of Romania wears a white epanokamelavkion with a white cross , and the Patriarch of Bulgaria also carries a small epanokamelavkion . The Patriarch of Romania wears a white epanokamelavkion with white cross . The Patriarch of Bulgaria also wears a small epanokamelavkion . 1 +To the north of this and off the east coast of Zemlya Georga is the British Channel , which has Hooker Island to the far southeast . To the north , and off the southeast coast of Zemlya , Georga has the British Channel , which is in the far east Hooker Island . 0 +At the next day 's AFL meeting , Tobin was forced to defend Beck 's actions . At the AFL meeting the next day , Beck was forced to defend Tobin 's actions . 0 +When Geoffrey de Havilland met Cunningham , he was invited to a hangar . When Geoffrey de Havilland met Cunningham he was summoned to a hangar . 1 +The 1990 PBA season was the 16th season of the Philippine Basketball Association ( PBA ) . The PBA season 1990 was the 16th PBA ( Philippine Basketball Association ) season . 1 +"She was commissioned to the Royal Navy and took over as HMS "" Tattoo "" on 26 October 1943 ." "It was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." 0 +"It has been suggested that "" P. azurophilum "" represents more than one species with one species infecting red blood cells and the other infecting white blood cells ." "It has been suggested that "" P. azurophilum "" represents more than one species , with a species infecting red blood cells and the other infecting white blood cells ." 1 +Vonberg worked at Imperial College then joined the Cavendish Laboratory in 1945 where he studied with Martin Ryle . Vonberg studied at Imperial College and joined the Cavendish Laboratory where he worked with Martin Ryle in 1945 . 0 +Jackson Township is located in the 12th Congressional District and is part of New Jersey 's 4th state legislative district . Jackson Township is located on the 4th Congressional District and is part of the 12th State Legislative District in New Jersey . 0 +"The Chi "" River is a tributary of the Rât River in Romania ." The Rât River is a tributary of the Chișer River in Romania . 0 +Under Portuguese rule , this province was renamed Moçambique , but with independence the name Mozambique was named for its capital throughout the country and province . Under Portuguese rule this province was renamed Moçambique but with independence , the name Mozambique was used for the entire country and the province named for its capital . 1 +Lea Antonoplis and Cammy MacGregor won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . Lea Lea Antonoplis and Cammy MacGregor won 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson in the finals . 1 +In 1958 he spoke throughout East Asia and in Western Europe , and in 1961 in Northern Ghana . In 1958 , he spoke throughout East Asia and Ghana , in Northern and Western Europe in 1961 . 0 +Grapes were discovered by acts such as Peter , Paul and Mary , Randy Newman ( with whom he was arrested for obscenity ) , Lenny Bruce and The Isley Brothers . Weintraub discovered such acts as Peter , Paul and Mary , Randy Newman ( with whom he was arrested for obscenity ) , Lenny Bruce and The Isley Brothers . 0 +The Australian state election of 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state ’ s legislative assembly . The Victorian state election of 1945 was held on Saturday , November 10 , 1945 , in the Australian state of Victoria , to elect 65 members of the state ’ s legislative assembly . 0 +Later he joined Kolkata outfit United SC and played in the Calcutta Football League . He later joined Outfit United SC in Kolkata and played in the Calcutta Football League . 1 +Ida Bjørndalen replaced Linn Jørum Sulland on 30 November 2014 due to an injury . Linn Jørum Sulland replaced Ida Bjørndalen due to an injury on 30 November , 2014 . 0 +Brian Meehan fled with Traynor to Amsterdam ( who later fled to Portugal ) . Brian Meehan fled to Portugal with Traynor ( who later escaped to Amsterdam ) . 0 +"It was also reproduced by PP Arnold on her album "" Boots "" and Nancy Sinatra in 1970 , produced again by Andrew Loog Oldham in 1966 ." "It was also covered by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold in 1970 , once again produced by Andrew Loog Oldham ." 0 +Turing had an older brother , John ( the father of Sir John Dermot Turing , 12th Baronet of the Turing Baronets ) . Turing had an elder brother , John Dermot Turing ( the father of Sir John , 12th Baronet of the Turing baronets ) . 0 +Stukley had provided false evidence against Raleigh , but not necessarily hostile . Stukley had given false , but not necessarily hostile , evidence against Raleigh . 1 +The arms and banner of the city show three silver towers on red background . The arms and banner of the city show three red towers on silver . 0 +Anguilla is famous for its important and ecologically spectacular coral reefs and beaches . Anguilla is noted for its spectacular and ecologically important coral reefs and beaches . 0 +Surviving earthworks to the east and south of the former hamlet show the extent of the present village . Surviving earthworks east and south of the former hamlet show the extent of the present village . 1 +"Three of these joints are true anatomical joints while two are physiological ( "" false "" ) joints ." "Three of these joints are true anatomic joints , while two physiological ( "" false "" ) joints are ." 1 +Top Gear Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Kemco and published by Snowblind Studios . Hyper Bike is a motorbike racing game for the Nintendo 64 , developed by Kemco and published by Snowblind Studios . 1 +Then the raptors Antonio Davis traded to the Indiana Pacers against Bender . The Raptors then traded Antonio Davis to the Indiana Pacers for Bender . 0 +The Bazga River is a tributary of the Bohotin River in Romania . The Bohotin River is a tributary of the River Bazga in Romania . 0 +Later Beth switched the machine off and Robbie is shocked but understanding . Robbie later turns the machine off and Beth is shocked but understanding . 0 +The Salem Militia used Charlotte County and White Creek as bases in 1776 . The Charlotte County and White Creek Militia used Salem as their base in 1776 . 0 +Colombian folk music Bambuco has Basque roots . Basque folk music Bambuco has Colombian roots . 0 +Alivardi 's commander Syed Ahmed freed Mir Jafar and his family . Syed Ahmed , commander of Alivardi , freed Mir Jafar and his family . 1 +Louisa Catherine , on March 22 , 1839 , had an illegitimate daughter , Sarah . Sarah had an illegitimate daughter , Louisa Catherine , on 22 March 1839 . 0 +"In 2007 , security representative Jerry Springer left Wilkos "" to host his own syndicated talk show ." "In 2007 , security director Jerry Springer left "" Wilkos "" to host his own syndicated talk show ." 1 +She was Catholic and he was a Jewish . She was Jewish and he was Catholic . 0 +"Halperin and Jay Velie introduced the song "" I Love You "" by Thompson and Archer ." "Halperin , Thompson and Archer introduced the song "" I Love You "" from Jay Velie ." 0 +It contained Tan Yuling 's bedroom , reading room , the family hall , Buddhist chapel and the separate quarters for Empress Wan Rong and the concubine Puyi . It contained Puyi 's bedroom , reading room , family hall , Buddhist chapel and the separate rooms for Empress Wan Rong and the concubine Tan Yuling . 0 +The Chinnocks are three villages in South Somerset , south west of Yeovil in the Somerset , England district . The Chinnocks are three villages in South - Somerset , southwest of Yeovil in the Somerset , England district . 1 +Its natural habitats are subtropical or tropical dry forest and subtropical or tropical marshland . Its natural habitats are subtropical or tropical dry forest and subtropical or tropical swampland . 1 +In autumn 2014 , Stephen Merchant Tom supported his European Tour . In autumn 2014 Tom Stephen supported Merchant on his European Tour . 0 +Brush Valley Township was formed from Wheatfield Township in 1835 , and named for the valley of Brush Creek . Brush Valley Township was formed in 1835 from Wheatfield Township and named after the Brush Creek Valley . 1 +The private elementary school of St. Catherine of Sienna was closed in June 2012 . The private St. Catherine of Sienna elementary school closed in June 2012 . 1 +Santha died on 11 April 1981 from a heart attack shortly after his son Jagath drowned under mysterious circumstances in a swimming pool . Shortly after his son , Santha , drowned in a swimming pool in mysterious circumstances , Jagath died of a heart attack on April 11 , 1981 . 0 +Entries marked with an asterisk are set in the fictional community of King 's Nodd 's Ridge . Entries marked with an asterisk are set in King 's fictional community of Nodd 's Ridge . 1 +In the midst of the memory flashback Dr. Briggs makes enough sounds to attract Dr. Krane . In the midst of the memory - flashbacks , Dr. Krane makes enough noise to attract Dr. Briggs . 0 +Cashel is a village in County Galway , in the province of Connacht , Ireland . Cashel is a village in Ireland , in Connacht Province , County Galway . 0 +Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard . Cousin of Claude Pratte who is son of Gaston Pratte and Jeannette Verge . Born in Quebec City , Quebec , son of Garon Pratte and Claude Pratte , cousin of G. Rivard , the son of Gaston Pratte and Jeannette Verge is . 0 +The long tunnel runs from a warehouse near the San Diego airport to a warehouse in Tijuana . The long tunnel runs from a warehouse near Tijuana airport to a warehouse in San Diego . 0 +Sammamish lake enters the Issaquah Creek in the park . Lake Sammamish enters Issaquah Creek in the park . 1 +In 1914 the south aisle was added by Alfred Shuttleworth , paid for by Temple Lushington Moore , at the same time the Rood Screen was added . In 1914 , the southern ship was added by Alfred Shuttleworth , paid for by Temple Lushington Moore , while the Rood Screen was added at the same time . 1 +Renzo Furlan won against Thomas Johansson in the finals with 6 -- 3 , 6 -- 4 . Thomas Johansson won 6 -- 3 , 6 -- 4 against Renzo Furlan in the finals . 0 +As a result , Sumitada sponsored the port of Nagasaki to the Portuguese in 1570 and inaugurated its development . As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and supported its development . 0 +Kinetic Compensation : An increase in the pre-exponential factors tends to compensate for the rise in activation energy : Kinetic compensation : an increase in the pre-exponential factors tends to compensate for the increase in activation energy : 1 +She and character Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . Yakov Fuchs and character performers were the parents of the famous Polish-American actor Leo Fuchs . 0 +This method requires pure arrangement and is not statistically arbitrary since manual adjustments can be made . This method requires a pure arrangement and is not statistically arbitrary , since manual adjustments can be made . 1 +Jalan Kampung Raja , Johor , Malaysia ( Pagoh State Route J139 ) is a major street in Johor . Jalan Kampung Raja , Pagoh ( Johor state route J139 ) is a major road in Johor , Malaysia . 0 +Agostina Segatori gave Vincent van Gogh 's first exhibition in her Café Tambourin . Vincent van Gogh gave Agostina Segatori 's first exhibition in her Café Tambourin . 0 +Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher . Since 1983 she has been active in the contemporary dance scene . Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher . Since 1983 she has been active in the Canadian dance scene . 0 +Peter Peter has also appeared as Brian Packham in Coronation Street , Brian Packham has also appeared in Coronation Street as Peter . 0 +Former recurring players from the show include Calvert DeForest and Sirajul Islam ( employees of a nearby gift store which has since relocated ) , Mujibur Rahman ( a.k.a . ) . Former recurring players from the show include Mujibur Rahman and Sirajul Islam ( employees of a nearby gift shop , which has been relocated since then ) , Calvert DeForest ( a.k.a . 0 +Casper is expressed in the film by Devon Werkheiser , in the first season of Robbie sublett and in the second season of Matthew Géczy . Casper is voiced by Devon Werkheiser in the film , Robbie Sublett in the first season and Matthew Géczy in the second season . 1 +The southern half of the village is in the town of Dannemora , while the northern half is in the city of Saranac The zip code is 12929 . The northern half of the village is in the town of Dannemora , while the southern half is in the town of Saranac postal code is 12929 . 0 +The music of Kalia is composed by Wajahat Attre with lyrics penned by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . The music from Kalia is composed by Wajahat Attre with texts by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . 1 +In 2009 , the third Rapid Ride , the 777 Green Line , started from downtown to Tramway Boulevard . In 2009 , the third Rapid Ride , the 777 Green Line , started service from Tramway Boulevard to Downtown . 0 +It formally explored the mechanics of social networks , and articulated the mathematical consequences of these ( including the degree of connectedness ) . It formally investigated the mechanics of social networks and articulated the mathematical consequences of these ( including the degree of connectedness ) . 1 +He moved to New France around 1685 and lived in Quebec for some time . Around 1685 he moved to Québec and lived for some time in New - France . 0 +Mark Edmondson and Sherwood Stewart won the title and defeated in the final Anders Järryd and Hans Simonsson . Mark Edmondson and Sherwood Stewart won the title , defeating Anders Järryd and Hans Simonsson in the final . 1 +Weeraketiya Divisional Secretariat is a Divisional Secretariat of Southern Province , of Hambantota District , Sri Lanka . The Divisional Secretariat Weeraketiya is a divisional secretariat of Hambantota District in the southern province of Sri Lanka . 1 +Instead the Melkite Church consists of Arab Catholics and its Byzantine Rite liturgy is celebrated in Arabic . Instead , the Melkite church consists of Arab Catholics , and its liturgy of Byzantine rite is celebrated in Arabic . 1 +In 1875 , he moved to Watervliet with his parents , who settled in Berrien County . In 1875 he moved to Watervliet with his parents who settled in the Berrien County . 1 +He had trials with English Premier League teams Manchester United and Sunderland in November 2014 , and then again with Leicester City in January 2015 . He has had tests with English Premier League teams Leicester City and Sunderland in November 2014 and then again with Manchester United in January 2015 . 0 +Karinizhal is an Indian Malayalam film produced by JD Thottan and directed by Kovai Ramaswamy in 1971 . Karinizhal is a 1971 Indian Malayalam film , directed by JD Thottan and produced by Kovai Ramaswamy . 0 +Cornelis van Cleve painted mainly religious paintings and , to a lesser extent , mythological scenes and portraits . Cornelis van Cleve painted predominantly religious paintings and to a lesser extent mythological scenes and portraits . 1 +The reigning monarch is known if the date is not given more precisely . The ruling monarch is given if the date is not more precisely known . 0 +They rented a house in Grosse Pointe , Michigan , for two years , then bought one in the Palmer Woods section of Detroit . They rented a house in Grosse Pointe , Michigan for two years , and then bought one in the Palmer Woods area of Detroit . 1 +In 1930 , it was purchased by American Airlines to become AVCO . It was acquired by AVCO American Airlines in 1930 . 0 +Mitch Clarke opposed Iaquinta at UFC 173 on 24 May 2014 . Iaquinta faced Mitch Clarke at UFC 173 on May 24 , 2014 . 0 +Through the 2017 season , the Cornell Big Red have won 649 games , lost 529 games , and tied 33 regular season games . The Cornell Big Red have won 649 games during the 2017 season , lost 529 games and 33 regular season games bound . 1 +The water of Nescopeck Creek is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams of dissolved minerals per litre . Stony Creek 's water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . 0 +It has some weak functionality in moving the knee and the ankle , but is generally considered redundant and is often used as a source of tendons for transplants . It has some redundant functionality in moving the knee and ankle , but is generally considered weak and is often used as a source of tendon for grafts . 0 +"The book is the basis for the 2016 film "" In the Forests of Siberia "" , directed by Raphaël Personnaz and Safy Nebbou ." "The book is the basis for the 2016 film "" In the Forests of Siberia "" , directed by Safy Nebbou and starring Raphaël Personnaz ." 0 +Bostaph left the band due to an elbow injury and was replaced by former member Lombardo . Due to an elbow injury , Bostaph left the band and was replaced by his former member Lombardo . 1 +The southern half of the village is in the town of Dannemora , while the northern half is in the city of Saranac The zip code is 12929 . The northern half of the village is in the town of Dannemora , while the southern half is in the town of Saranac . The ZIP code is 12929 . 0 +Frank Herzberg Trio is a contemporary Brazilian jazz trio , consisting of the bassist Frank Herzberg , drummer Zé Eduardo Nazario and pianist Alexandre Zamith . The Frank Herzberg Trio is a contemporary Brazilian jazz trio that consists of bassist Frank Herzberg , drummer Zé Eduardo Nazario , and pianist Alexandre Zamith . 1 +Inside there are colonial objects , including an old church bell from 1801 and historical paintings and photographs Inside there are colonial objects , including an old church bell of 1801 and historical paintings and photographs . 1 +Kevin and John ( Jason Grimshaw ) finally find John and Rosie , and Ryan Thomas takes in his car . Kevin and Jason Grimshaw ( Ryan Thomas ) eventually find John and Rosie and John takes off in his car . 0 +Solomons was born in Orsett , Essex and brought up with his four siblings in Thorpe Bay by his mother and father . Solomons was born in Orsett , Essex and with his four siblings in Thorpe Bay brought up by his mother and his father . 1 +In 1981 , Freleng and DePatie sold DFE Films to Marvel Comics , and Freleng returned to Warner Bros . In 1981 , Freleng and DePatie Warner Bros. sold Marvel Comics and Freleng to DFE Films Returned 0 +The 2014 -- 15 Idaho State Bengals men 's basketball team represented Idaho State University during the 2014 -- 15 NCAA Division I men 's basketball season . The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the Basketball season 2014 -- 15 NCAA Division I men . 1 +Larry McClurg , the father of Woodstock , has teamed up with Artie Kornfeld to promote the Goodstock Music Festival , Pollstar reported . The father of Woodstock , Artie Kornfeld , has teamed up with Larry McClurg to promote the Goodstock Music Festival , Pollstar reported . 0 +24 . A geometric lattice is projective . 24 . A geometric lattice is projective . ( def ) 1 +Ashley was born on 1 November 1986 and is a contemporary dancer from Arizona who originally grew up in Los Angeles . Ashley was born on November 1 , 1986 and is a contemporary dancer from Los Angeles , who originally grew up in Arizona . 0 +In 1914 the south aisle was added , by Temple Lushington Moore , paid for by Alfred Shuttleworth , at the same time the Rood Screen was added . In 1914 , the southern ship was added by Alfred Shuttleworth , paid for by Temple Lushington Moore , while the Rood Screen was added at the same time . 0 +"The novel was translated into English by Roger Senhouse and published in 1953 ( with "" The Cat "" by Antonia White ) ." "The novel was translated into English by Antonia White and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." 0 +Carl was Janice Turner 's husband , and the father of Debbie & Alice Whipple . Janice Turner 's husband , and the father of Debbie , was Alice Whipple . 0 +The original issue was published in 1953 by Allen Unwin in New York and Harper in London . The original edition was published in 1953 in New York by Allen & Unwin and in London by Harper . 1 +He was born in Kristiansand in Norway , but came to Bukan , Iran in 1997 . He was born in Kristiansand , Norway , but came to Bukan , Iran in 1997 . 1 +When toxic concentrations are reached , there may be a delay of one or two days before maximum toxicity occurs . When toxic concentrations are achieved , there may be a delay of one or two days before the maximum toxicity occurs . 1 +Cooper has also represented several Hollywood actors , including Lynn Baggett for homicide , Joan Bennett , and Shirley Temple in her divorce from John Agar . Cooper Cooper has also represented several Hollywood actors , including Lynn Baggett for Murder , Joan Bennett and Shirley Temple in her divorce from John Agar . 1 +Agassiz founded a school for girls from Boston in her home in Cambridge in 1856 . In her home in Boston , Agassiz founded a school for girls from Cambridge in 1856 . 0 +Thomas Allen ( 1608 in Norwich -- September 21 , 1673 ) was a nonconformist minister and godly . Thomas Allen ( 1608 in Norwich -- 21 September , 1673 ) was a divine minister and nonconformist . 0 +He helps everyone get a good night 's rest and have sweet dreams and often talks with a yawning voice . He helps everyone get a good night 's sleep and have yawning dreams and often talks with a sweet voice . 0 +The film was produced , directed and edited by Tom Flannery and Lorne Clarke . The soundtrack was composed by Bruce David Janu . The film was produced by Bruce David Janu , directed and processed , the soundtrack was composed by Tom Flannery and Lorne Clarke . 0 +The album employed a cleaner , more technical style and again featured clean vocals by Sabine Scherer . The album has a cleaner , more technical style and again clean vocals by Sabine Scherer . 1 +RJD won 206 seats while NDA won 22 seats . NDA won 206 seats , while RJD 22 seats won . 0 +Her father is known as the first serious archeologist and influenced Ennigaldi to create her educational antiquity museum . Her father is known as the first serious archaeologist and influenced Ennigaldi to create her educational antiquity museum . 1 +Bostaph left the band due to an elbow injury and was replaced by former member Lombardo . Bostaph left the band due to an elbow injury and was replaced by the former member Lombardo . 1 +Thrapston ( Bridge Street ) was on the former LNWR Peterborough to Northampton line . Thrapston ( Bridge Street ) was launched on the former LNWR Peterborough to Northampton line . 0 +The NBA season from 1979 to 80 was the 34th season of the National Basketball Association . The 1979 -- 80 National Basketball Association season was the 34th season of the NBA . 1 +Dungen is a twin town of Portishead , Somerset in England . Den Dungen is a twin town of England in Portishead , Somerset . 0 +On the island of Brač , Ignjat Job painted colourful landscapes in a personal Expressionist style . Ignjat Job painted colorful landscapes on the island of BraÄ in a personal Expressionist style . 1 +In the Democratic primary , Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy and Robert J. Sullivan defeated John T. Driscoll . John T. Driscoll defeated Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy , and Robert J. Sullivan in the democratic primary . 0 +"Fil de Cassons ( also known as "" Cassonsgrat "" ) is a mountain in the Glarus Alps , located near Graubünden , Switzerland in the canton of Flims ." "Fil Fil de Cassons ( also known as the "" Cassonsgrat "" ) is a mountain in the Glarus Alps , near Flims in the Canton of Graubünden , Switzerland ." 0 +Paul Annacone won 6 -- 2 , 6 - 4 against Andre Agassi in the final . Andre Agassi won in the final 6 -- 2 , 6 -- 4 against Paul Annacone . 0 +The festival has also been traditionally observed by Newar Buddhists , such as by Jains and non-Hindus ( Nepal ) . The festival has traditionally also been observed by non-Hindus , such as Jainas and Newar - Buddhists ( Nepal ) . 0 +It was founded in 2002 by Metin Üstündağ , Bahadır Baruter , Erdil Yaşaroğlu and Selçuk Erdem . It was founded by Metin Üstündağ , Selçuk Erdem , Erdil Yasaroğlu and Bahadır Baruter in 2002 . 1 +East of the village of Niagara County , NY 104 of Ridge Road follows through a sparsely populated area of Lewiston . East of Lewiston village , NY 104 follows Ridge Road through a sparsely populated area of Niagara County . 0 +Emma V. Lee married Robert Kelley in 1893 . In 1893 , Emma V. Lee Robert Kelley married . 1 +Dye rode in Mauritius after eight years in Hong Kong . Dye rode after eight years in Hong Kong , Mauritius . 1 +"The "" World Atlas for Language Structures "" has a global map of 400 languages and chapter text , including geographical discussion :" "The "" World Atlas of Language Structures "" has a global map showing 400 languages and chapter text including geographical discussion :" 1 +The orbital data is consistent with the secondary component being either a red dwarf or a white dwarf star . The orbital data are consistent with the secondary component either a red dwarf or a white dwarf star . 1 +In order to determine the two best second-placed teams , the following criteria were used : To determine the two best second-placed teams , the following criteria were used : 1 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in the district of Aurangabad and then in Shrirampur Taluka in the district of Ahmednagar . He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in Ahmednagar District . 1 +However , a few families were allowed to live in two villages , Endingen and Lengnau , in Switzerland , which became the Jewish ghetto in the Aargau . However , a few families were permitted to live in two villages , Endingen and Lengnau , in Aargau which became the Jewish ghetto in Switzerland . 0 +This view is usual in northern India and parts of southern India . This view is common in southern India and parts of northern India . 0 +Anabel Medina Garrigues and Virginia Ruano Pascual won against Eleni Daniilidou and Jasmin Wöhr in the Final 6 : 2 , 6 : 4 . Eleni Daniilidou and Jasmin Wöhr won in the final 6 -- 2 , 6 -- 4 , against Anabel Medina Garrigues and Virginia Ruano Pascual . 0 +This would stop the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . This would fade the element but stop when the 80 % effect is complete ( with an opacity of 20 % ) . 0 +Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems , rejecting the invasion of Kuwait by Iraq . Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems and opposed the invasion of Kuwait by Iraq . 1 +The ornamental iron fence in particular shows Eastlake influence in its medieval design . The medieval iron fence in particular shows Eastlake influence in its ornamental design . 0 +Ranjit Singh marched to Rawalpindi , from there to Rohtas and via ( Sarai Kala ) until Sirikot . Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and to Sirikot via ( Sarai Kala ) . 0 +The corps was first formed as the 43rd Rifle Corps in late 1945 and became the 137th Rifle Corps ( Second Formation ) in 1955 . The corps was first formed in 1945 as the 43rd rifle corps and became the 137th Gun Corps ( Second Formation ) in 1955 . 1 +On 15 September 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on 17 July 2016 . On September 15 , 2015 , Johnson signed with Romanian team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Polish team Stal Ostrów Wielkopolski . 1 +Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey professional professional and former player . Marc Bergevin ( born August 11 , 1965 ) is a Canadian professional ice hockey executive and former player . 1 +He was born on May 21 , 1897 , in Yambol and died on June 15 , 1945 , in Sofia . He was born on 21 May 1897 in Jambol and died in Sofia on 15 June 1945 . 1 +Liverpool Township is located between 20 and 30 miles west of Lake Erie and about five miles south of Interstate 71 . Liverpool Township is between 20 and 30 miles south of Lake Erie and approximately five miles west of Interstate 71 . 0 +The flood pulse concept is a theory that the annual flood pulse is the most productive aspect and the most biologically important feature of a river 's ecosystem . The concept of flood pulse is a theory that the annual flood pulse is the most productive aspect and the biologically most important feature of the ecosystem of a river . 1 +On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the organization Blue Jackets . On July 7 , 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . 0 +Leudesius and Theuderic III fled to Baizieux with the royal treasure , where Leudesius overtook it and murdered Ebroin . Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Ebroin overtook them and had Leudesius murdered . 0 +The objective is to find the empirical control parameters that best represent the optimal distribution of a given row . The objective is to find the empirical control parameters that best represent the optimal distribution of a given dataset . 1 +The temperature should be around 28 ° C during the day and should sink to about 20 ° C at night . The temperature should be around 28 ° C during the day and should drop to about 20 ° C at night . 1 +They learn at the police station that Devayani 's brother had the money , but Jayaraman is charged with murder . They learned at the police station that Jayaraman 's brother had the money , but Devayani is charged with murder . 0 +The Darkest Hour was founded on 23 September 1995 and initially consisted of singer Matt Maben , guitarist John Henry , bassist Mike Schleibaum and drummer Raul Mayorga . Darkest Hour was formed on September 23 , 1995 , and initially consisted of vocalist Matt Maben , guitarist John Henry , bassist Mike Schleibaum and drummer Raul Mayorga . 1 +He helps everyone get a good night 's sleep and have yawning dreams and often talks with a sweet voice . He helps everyone get a good night ’ s sleep and have yawning dreams and often talks with a sweet voice . 1 +In March 1298 , he received official Mongolian recognition as the ruler of Burma . He received Mongol official recognition as the ruler of Burma in March 1298 . 1 +Catterall , Nummy Deane and captain Herbie Taylor were the only survivors of the 1924 team to England to be picked for the 1929 tour . Catterall , Herbie Taylor and Captain Nummy Deane were the only survivors of the 1924 team to England , who had to be selected for the tour in 1929 . 0 +Incumbent Democrat Chuck Robb ran for a third term , but lost to Republican George Allen . The established Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . 0 +Sometimes already allocated codes were re-used or the x00 codes spared previously were assigned . Sometimes already assigned codes were reused or the previously allocated x00 codes were spared . 0 +It is located about five miles southeast of Jerseyville and about seven miles northwest of Godfrey along US Highway 67 . It is located about five miles northwest of Jerseyville and about seven miles southeast of Godfrey along the US Highway 67 . 0 +When combined for joint or coalition operations , it was known as a joint or employed air operating centre for coalition operations . When combined for joint or coalition operations , it was known as a joint or employed air operations center for coalition operations . 1 +John R. MacLean was elected speaker in 1965 . Frank Myers replaced MacLean as speaker in 1965 . Frank Myers was elected speaker . John R. MacLean replaced MacLean as speaker in 1965 . 0 +Manjaguni is a village in Ankola Taluk , district of Uttara Kannada , Karnataka State , India . Manjaguni is a village in Ankola taluk , Uttara Kannada district , Karnataka state , India . 1 +There are 4 playable characters , each with a different ability and also a unique style of fighting . There are 4 playable characters , each with a unique ability and a different style of fighting : 0 +The Bank of the People was founded in 1835 in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph . The Bank of the People was created by radical Reform politicians John Rolph , James Hervey Price , and Dr James Lesslie in Toronto in 1835 . 0 +The equality holds when formula _ 8 is a ball in formula _ 2 . The equality occurs when Formula 8 holds a ball in Formula 2 . 0 +A secondary romance affects Laurey 's friend , Ado Annie ( Grahame ) , and Cowboy Will Parker ( Nelson ) , who also has an unwilling rival . A secondary romance concerns Laurey 's friend , Ado Annie ( Grahame ) , and cowboy Will Parker ( Nelson ) , who also has an unwilling rival . 1 +The Marquis was a leading field marshal and early figure in the Japanese Imperial Japanese Army . Field Marshal The Marquis was a leading field marshal and early figure in the Japanese Imperial Japanese Army . 1 +"Aguiari described it as "" a Zen action up there in the middle of traffic , but alone with a beautiful statue ." "Aguiari described it as "" a nice action in the middle of traffic alone , but up there with a Zen - statue "" ." 0 +He moved to Morocco in 1239/40 ( after the fall of Valencia in 1238 ) and continued to work for the sultan there . He moved 1239 / 40 to Morocco ( after the fall of Valencia in 1238 ) and continued to work for the sultan there . 1 +This creates generally colder nights through the warmer season . This generally creates warmer nights through the colder season . 0 +The music was composed by KJ Joy and lyrics was written by Sathyan Anthikkad . The music was written by KJ Joy and the lyrics by Sathyan Anthikkad composed . 0 +The Argintărie River is a tributary of the Ciunget River in Romania . The River Ciunget is a tributary of the Argintărie River in Romania . 0 +"On the following night on "" Raw "" Daivari and Hassan Shawn interrupted Michaels during a promo ." "The following night on "" Raw "" , Shawn Michaels interrupted Daivari and Hassan during a promo ." 0 +James Addison Cravens ( August 2 , 1802 - December 4 , 1876 ) was a US representative from Indiana , second cousin of James Harrison Cravens . James Addison Cravens ( August 2 , 1802 -- December 4 , 1876 ) was a U.S. Representative from Indiana , second cousin of James Harrison Cravens . 1 +Illnesses associated with this genus include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . Diseases associated with this genus include : DCV : increased reproductive potential ; extremely high when associated with pathogenic injected mortality ; CrPV : paralysis and death . 1 +Norton Township was originally called the Sumner Township and was founded in 1858 under the latter name . Sumner Township was originally called Norton Township and under the latter name was organized in 1858 . 0 +Power was held by a small group of Anglo-Irish families that were loyal to the Anglican Church of Ireland . Power was held by a small group of Irish-Anglo families , who were loyal to the Anglican Church of Ireland . 0 +The Salem Militia used Charlotte County and White Creek as bases in 1776 . The Charlotte County and White Creek militia used Salem as its base in 1776 . 0 +In 1975 he was appointed the first General Consul Papua - New Guinea in Australia . In 1975 he was appointed Australia 's first Consul of General in Papua - New Guinea . 0 +The eldest son of Colonel Henry Lyell and Katharine Murray Lyell , he was a nephew of Sir Charles Lyell , 1st Baronet , the geologist . The eldest son of Colonel Charles Lyell was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . 0 +The Westlake village neighborhood and the Ventura Freeway ( 101 ) are to the south , and Lake Lindero on the west . The Lake Lindero neighborhood and the Ventura Freeway ( 101 ) are in the south and Westlake Village to the west . 0 +Baptist lives back in North Sydney and is currently working from his Sydney studio . Baptist is living back in Sydney and currently working from his North Sydney studio . 0 +Jolly 's parents settled in West Bengal from Rajshahi . Her elder sister Sharmili Ahmed is an actress . Jolly 's parents settled down from Rajshahi in West Bengal , her older sister , Sharmili Ahmed , is an actress . 1 +The boat has an average PHRF racing handicap of 183 with a depth of 198 and a high of 180 . The boat has a PHRF racing average handicap of 183 with a high of 198 and low of 180 . 0 +Tommy Watt was a Scottish jazz bandleader ( October 31 , 1925 , Bristol , May 20 , 2006 , Glasgow , England ) . Tommy Watt ( 31 October 1925 , Bristol-20 May 2006 , Glasgow , England ) was a Scottish jazz bandleader . 1 +Inspirica , Inc. houses approximately 300 people and serves more than 800 people each year . Each night Inspirica , Inc. serves approximately 300 people and each year houses more than 800 people . 0 +In the late 1920s , she was researcher at Illinois State University in America and later at Radcliffe College and McGill University . She was a researcher in America at McGill University in the late 1920s , and later at Radcliffe College and Illinois State University . 0 +The season 2010 -- 11 Rain or Shine Elasto painter was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . The season 2010-11 rain or gloss Elasto painter was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +During the series ' last story conference held on September 4 , 2012 , King stated that she felt overwhelmed to work with Evangelista . During the last story conference on September 4 , 2012 , Evangelista declared that she felt overwhelmed to work with King . 0 +The Squadron RAF was a unit of the Royal Air Force in Egypt during the Second World War and then in Italy and North Africa . 651 Squadron RAF was a unit of the Royal Air Force in Italy and North Africa during the Second World War and afterwards in Egypt . 0 +In September 2003 , Marta Hillers ( a German literature editor ) identified the anonymous author as the journalist Jens Bisky , who died in 2001 . In September 2003 , Marta Hillers ( a German literary editor ) identified the anonymous author as journalist Jens Bisky , who had died in 2001 . 1 +Mimi Arnold defeated Rosie Reyes , 8 -- 6 , 6 -- 2 Rosie Reyes suggested Mimi Arnold , 8 -- 6 , 6 -- 2 . 0 +The old grammar school became the Upper School while the new building became the Lower School . The new high school became the Upper School , while the old building became the Lower School . 0 +Sidmouth was the son of Reverend Henry Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . was the son of Reverend Henry Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . 1 +Euglandina jacksoni is a species of terrestrial pulmonate air-breathing snail , a predatory gastropod mollusk in the Spiraxidae family . Euglandina jacksoni is a species of terrestrial pulmonate air-breathing land snail , a predatory gastropod mollusk in the family Spiraxidae . 1 +The chemical is boiling at a pressure of 760 millimeters of mercury and its flash point . The chemical is at a pressure of 760 millimeters of mercury and its flash point boils . 0 +The US 9 leads to Cape May -- Lewes Ferry , which crosses the Delaware Bay to Lewes , Delaware . US 9 leads to the Cape May -- Lewes Ferry , which heads across the Delaware Bay to Lewes , Delaware . 1 +New boys and girls will come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . New boys and girls will come to the Pretty Land School of Arts and already known people will have to face complicated and funny situations . 1 +The fully completed action plan , published on 3 March 2006 , is being placed directly in the hands of other ministers by ministerial members of the task force . The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the Ministers for Ministers by other members of the task force . 0 +The current Chief Executive Officer is Martin Katz , and the chairman of the Board is Beth Janson . The current Chief Executive Officer is Beth Janson , and the Chairman of the Board is Martin Katz . 0 +Sheep are sacrificed and the meat is given to relatives and neighbours and distributed to the poor . The sheep are being sacrificed and the meat is given to relatives and neighbours and is distributed to the poor . 1 +Immanuel Dornfeld was a spiritual father and main initiator of this wine school . The main father and spiritual initiator of the wine school was Immanuel Dornfeld . 0 +People from all over China come to Lujiang to look at Zhou Yu 's reverence . People from all over the Lujiang came to China to look at with Zhou Yu 's reverence . 0 +During the British period , all the connections to East Bengal were through North Bengal . During the British period all connections to East Bengal were through North Bengal . 1 +In 1690 , Louis Louis Rudolph married Christine Louise in Aurich , daughter of Albert Ernest I , Prince of Oettingen , who had the following children who reached adulthood : Louis Rudolph married Christine Louise , daughter of Albert Ernest I , Prince of Oettingen , at Aurich in 1690 . They had the following children who reached adulthood : 1 +Gérard Depardieu was born to a well-off Parisian family and married Élisabeth Dominique Lucie Guignot on 19 February 1970 . Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on February 19 , 1970 . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of commercial and industrial areas . Branksome is a suburb of Poole in Dorset , England . The area is composed of commercial and industrial properties and also a number of residential areas . 0 +A second company , New York Rubber Company , was founded in 1941 as a Winslow Life Raft Company . A second company , Winslow Life Raft Company was established as New York Rubber Company in 1941 . 0 +Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna von Arnth ; her sister was Giuseppe Naudet . Leopoldina Naudet was born in 1773 in Florence as the eldest daughter of Giuseppe Naudet and Susanna of Arnth , whose sister Luisa was . 0 +He was born in France , and died in Great Britain . He was born in France and died in Britain . 1 +It was released on August 31 , 2004 in the United States and October 17 , 2005 in the United Kingdom . It was published in the United Kingdom on August 31 , 2004 and in the United States on October 17 , 2005 . 0 +The city is located above the Vizcarra river and has two districts , Aguamiro on the right bank and Ripán on the left bank , and has a regional hospital . The city is over the Vizcarra river and has two districts , Aguamiro on the right bank and Ripán on the left bank . It has a regional hospital . 1 +Hugo Käch died on December 31 , 2003 in Flurlingen near Schaffhausen . Hugo Käch died on 31 December 2003 in Flurlingen , near Schaffhausen ( Switzerland ) . 1 +Dena Holmes was born in Hendon , North London in 1960 as Thompson and worked for a building society . Thompson was born Dena Holmes in 1960 in Hendon , North London . She worked for a building society . 0 +The new grammar school became the Upper School , while the old building became the Lower School . The new high school became the Upper School , while the old building became the Lower School . 1 +This is also a shearing effect : when the focal length is smaller , the shearing effect is larger . This is also a shearing effect : when the focal length is larger , the shear effect is smaller . 0 +Bobby Osborne worked at the Osborne Brothers until Mosley 's retirement in 2003 and then in 2011 with Sonny and his band , the Rocky Top Express . Until Sonny 's retirement in 2003 , Mosley worked with the Osborne Brothers , and by 2011 with Bobby Osborne and his band Rocky Top Express . 0 +From 1911 to 1946 , Temuka was a parliamentary electorate in the New Zealand region of Canterbury , which was represented by four Members of Parliament . Temuka was a parliamentary electorate in the New Zealand region of Canterbury from 1911 to 1946 . The electorate was represented by four Members of Parliament . 1 +"( 2 ) Rochester Royals vs. ( 3 ) Lakers : "" Minneapolis Lakers win series 2-1 """ "( 2 ) Minneapolis Lakers versus ( 3 ) Rochester Royals : "" Lakers Win 2-1 Series" 0 +Lauderdale also played in the CBA , in China , Spain , England , Iran , Venezuela , Cyprus , Lebanon , Saudi Arabia and the United Arab Emirates . Lauderdale also played in the CBA , China , Spain , England , Iran , Venezuela , Cyprus , Lebanon , Saudi Arabia , and the United Arab Emirates . 1 +The museum 's building was built in 1948 to designs by Wadsworth , Boston & Tuttle of Portland . The museum ’ s building was built in 1948 according to designs by Wadsworth , Boston 's Tuttle of Portland . 1 +The Coruia River is a tributary of the river LÄ puÅ in Romania . The river LÄ puá is a tributary of the Coruia River in Romania . 0 +Charles A. Lindbergh State Park is located right west of Little Falls on the MN 27 . Charles A. Lindbergh State Park is located immediately west of Little Falls on MN 27 . 1 +The current Chief Executive is Mathew Walker , and the Chair from 2002 to 2009 was Martin Dean who was succeeded by Eric Bowen . The current Chief Executive is Martin Dean , and the leader from 2002 to 2009 was Mathew Walker , who was followed by Eric Bowen . 0 +According to the Indian Census 2011 , the population of Samdari is 25012 , where female population is 12805 and male population is 12207 . According to the Indian census 2011 , the population is of Samdari 25012 , where the male population is 12805 and female population is 12207 . 0 +The diocese of Southern Leyte includes the whole province of Maasin , including six municipalities southwest of Leyte . The diocese of Maasin comprises the whole province of Southern Leyte including six municipalities southwest of Leyte . 0 +Prior to the unification of Yemen in 1990 , the law set the minimum age of marriage at 16 in South Yemen and 15 in the north . Before the unification of Yemen in 1990 , the law determined the minimum age of marriage to 16 in South Yemen and 15 in the north . 1 +Like the 'CBR250RR ' , the 'Across ' was widely available in Japan and Australia . The 'Across ' was not officially grey-imported elsewhere . Like the CBR250RR , the Across was officially available in Japan and Australia , whereas the Across was not imported widely gray elsewhere . 0 +The Mornington House was the Georgian residence of the Dublin Social Season of the Earls of Mornington . Mornington House was the Georgian season of Dublin 's social residence at the Earls of Mornington . 0 +"The exterior used for the Heffernan house that was shown in the CBS - Sitcom "" king of Queens "" is in Cliffside Park ." "The exterior that is shown for the Heffernan house used in the CBS - Sitcom "" The King of Queens "" is in Cliffside Park ." 0 +A post office called Maple Park was first established in 1837 , and the post office was renamed in Lodi in 1880 . A post office called Lodi was established first in 1837 , and the post office was renamed Maple Park in 1880 . 0 +As correspondent she traveled to Russia , Scotland , Estonia , Germany , France , Finland , Italy and in 1923 , on a grant , to Iceland . As a correspondent she traveled to Russia , Finland , Italy , France , Scotland , Estonia , Germany and in 1923 to Iceland . 1 +""" Spruance "" was sunk on 23 March 2005 and then defeated on 8 December 2006 as a target ." """ Spruance "" was decommissioned on 23 March 2005 and then was sunk as a target on 8 December 2006 ." 0 +The 86th Airlift Squadron is part of 309th Airlift Wing in Air Base Chièvres , Belgium . The 309th Airlift Squadron is part of the 86th Airlift Wing at Chièvres Air Base , Belgium . 0 +The series was written by Ed Brubaker , illustrated by Bryan Hitch , and inked by Butch Guice . The series was written by Ed Brubaker by Butch Guice and illustrated by Bryan Hitch . 0 +Albion Township was established in 1837 by a department of Homer Township . Albion Township was established by a division of Homer Township in 1837 . 1 +The SAS curve ( Surprise Aggregate Supply ) is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) in the long term . 0 +This orchid grows on large tree trunks and larger branches of bare forest trees at altitudes of 500-1100m . This orchid grows on bare trunks and larger branches of large forest trees at altitudes of 500-1100m . 0 +"In December 2006 , John von Rhein von Muspratt and the staff of the "" Chicago Tribune "" were named "" Chicagoan of the Year "" in classical music ." "In December 2006 , Muspratt was named "" Chicagoan of the Year by John von Rhein and the staff of the "" Chicago Tribune "" in the Classic ." 0 +Houyan is a station on Line 3 of the Dalian Metro in Dalian City . It is located in the Ganjingzi District of Liaoning Province , China . Houyan is a station on line 3 of the Dalian Metro Dalian City and is located in the Ganjingzi District of the Province of Liaoning , China . 1 +The original squadron 159 was to be formed during the First World War , but the idea was dissolved so that reinforcements could be sent to France . The original 159 Squadron was to be formed during the First World War , but the idea was disbanded so that reinforcements could be sent to France . 1 +The weighted weighting function at the wavelength formula 1 can be written as a mesoscopic amount . The mesoscopic weighting function for the wavelength formula 1 can be written as a weighted sum ; 0 +On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed on 17 July 2016 with the Romanian team Stal Ostrów Wielkopolski . On September 15 , 2015 , Johnson signed with Polish team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Romanian team Stal Ostrów Wielkopolski . 1 +Cotton gins continued to operate in Carencro until the middle 1970s , when the last two , Cotton Products Co. and Farmer 's Gin Co. , were closed . Until the late 1970s , when the middle two Cotton Products Co. and Farmer 's Gin Co. were closed , Cotton Gins continued to operate in Carencro . 0 +Ali Sarı is currently living in Konya for his university education with his two brothers , and is trained by Ekrem Boyalı . Ekrem Boyalı is currently living in Konya for his university education with his two brothers , who are practiced by Ali Sarı . 0 +The 1995 -- 96 Bayern Munich season was their 95th season of existence and 31st Bundesliga season . The season 1995 -- 96 Bayern Munich was their 95th season of existence and the 31st Bundesliga season . 1 +During the French and Indian War , the French abandoned their outposts and burned their fort in 1759 . In 1759 , during the French and Indian War , the French spent their outposts and burned their fort . 1 +When Arnold arrived in the scene , Samuel Herrick had already been sent to Panton with departments to secure boats to Skenesboro and Asa Douglas . When Arnold arrived on the scene , Samuel Herrick had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . 1 +Zinkyaik Mountain is located in Tenasserim in the northern part of the Mon State coast . Zinkyaik Mountain is situated in Mon State in the northern part of the Tenasserim coast . 0 +The area in which Crookston is located remained virtually unoccupied during pre-European contact and was little more than a hunting ground , associated with the Pembina settlements , until the 1860s . The area where Crookston is located remained virtually unfilled during pre-European contact and until the 1860s was little more than a hunting ground associated with the Pembina settlements . 1 +The season from 1982 to 83 National Basketball Association was the 37th season of the NBA . The NBA season from 1982 to 83 was the 37th season of the National Basketball Association . 1 +The . eu domain is also shared , as it is used with other European Union member states . The .eu domain is also used as it is shared with other EU Member States . 0 +Karinizhal is an Indian Malayalam film produced by JD Thottan and directed by Kovai Ramaswamy in 1971 . Karinizhal is an Indian Malayalam film directed by JD Thottan and produced by Kovai Ramaswamy in 1971 . 0 +The Muereasca River is a tributary of the River Pălăoaia in Romania . The river Pălăoaia is a tributary of the River Muereasca in Romania . 0 +The established Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . Chuck Robb was ran as incumbent for a third term , but lost to Republican George Allen . 0 +Cast included : Eileen Way , Gary Watson , Simon Oates and Roy Stewart , Vivien Merchant , Sean Connery , Barry Foster , Michael Gough and Peter Bayliss . Included : Eileen Way , Gary Watson , Simon Oates and Roy Stewart , Vivien Merchant , Sean Connery , Barry Foster , Michael Gough and Peter Bayliss . 1 +His nephews include actors Nikhil Nanda and Armaan Jain , and businessman Ranbir Kapoor . His nephews include the actors Nikhil Nanda and Armaan Jain and businessman Ranbir Kapoor . 1 +The winner of each semi-final ( Best of 3 ) rose to the gold medal race , the other two drivers went to the bronze medal race . The winner of each semi-final ( best of 3 ) advanced to the gold medal race . The other two riders went to the bronze medal race . 1 +Each hall has quiet rooms , computer suites , laundry facilities and recreational study rooms elsewhere in each building . Each hall has quiet rooms , computer suites , laundry and recreational study rooms elsewhere in every building . 1 +In 2015 , Stephen Hawking offered Richard Branson a seat for free in the spaceship Virgin Galactic . In 2015 , Richard Branson offered Stephen Hawking a seat on the Virgin Galactic spaceship for free . 0 +The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and fourth if the pre- 2003 Metropolitan Cup is included . The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eight if the Pre - 2003 - Metropolitan Cup is included . 0 +It arrived in Australia in August 2006 and was introduced in early 2007 in New Zealand . It arrived in Australia in August 2006 and debuted in New Zealand in early 2007 . 1 +Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on September 11 , 1866 and got 8 children . Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on 11 September 1866 and got 8 children . 1 +Slatyer returned to Australia in 1982 , after four years in Paris , and resumed his professorship at ANU . After four years in Australia , Slatyer returned to Paris in 1982 and restarted his professorship at the ANU . 0 +It 'll be very very dense , very very hardcore . It 'll be very dense , very , very hardcore . 1 +Orange lights indicate a cloudy day , blue lights indicate a sunny day and green lights indicate rain . Orange lights show a sunny day , green lights a cloudy day and blue lights indicate rain . 0 +Kadria then fled twice from Milić Krstić and shot . Kadria then shot Milić Krstić twice and fled . 0 +From 1999 to 2002 she attended the Lincoln Southwest High School and the Scott Middle School from 2002 to 2005 . She attended Scott Middle School from 1999 to 2002 and attended Lincoln Southwest High School from 2002 to 2005 . 0 +""" The New York Times "" reported : "" Clarke had a new pitcher , Williams , '96 during the first half of the game "" ." """ The New York Times "" reported : "" Williams had a new pitcher , Clarke ' ; 96 during the first half of the game ." 0 +Fred was the youngest child of farmers Thomas and Elizabeth Goodwill . Fred was the youngest child of the Thomas and Elizabeth Goodwill farmers . 1 +A PlayStation Vita - Port of the game was completed on May 26 , 2015 , mainly released by Sickhead Games . A PlayStation Vita port of the game was completed on May 26 , 2015 , released chiefly by Sickhead Games . 1 +Alberto Cortina together with Alicia has three sons . Alicia has three sons with Alberto Cortina : 0 +Restovich was traded to the Arizona Diamondbacks from the Chicago White Sox on July 27 , 2011 . On July 27 , 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . 1 +Saint Cennych was a medieval saint of Pre-congregational , South Wales . He is the patron Saint of Llangennych , Carmarthenshire . Saint Cennych was a medieval saint of Pre - Kongregational , South Wales He is the patron saint of Llangennych , Carmarthenshire . 1 +Anadasmus endochra is a moth from the family of Depressariidae , which is found in Brazil ( Amazonas ) . Anadasmus endochra is a moth from the family of Depressariidae , which is found in Amazonas ( Brazil ) . 1 +"Then he met mechanic "" Gears "" Garvin , and then fought Baron Brimstone ." "He then met mechanic "" Gears "" Garvin , and then battled Baron Brimstone ." 1 +Originally sponsored by the now defunct PNO , the DC area Mystic District Planning Coalition is currently sponsored by The Open Hearth Foundation . Originally sponsored by the now deceased Mystic District Planning Coalition , the DC PNO is currently sponsored by the Open Hearth Foundation . 0 +The album was released on May 26 , 2007 by Furious in the UK and 7 Spin Music in the United States . The album was released by Furious in the US and by 7 Spin Music in the UK on May 26 , 2007 . 0 +Lee Lee Field , in Wyoming neighborhood of Galewood , Michigan , is the home stadium of the club . Lee Lee Field is the club 's home stadium on the Galewood neighborhood of Wyoming , Michigan . 0 +Ali Sarı is currently living in Konya for his university education with his two brothers , and is trained by Ekrem Boyalı . Living currently in Konya for his university education with his two brothers , Ekrem Boyalı is coached by Ali Sarı . 0 +Another set of hermeneutical concepts used by Mahayana Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . Another set of hermeneutic concepts used by Mahayana - Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . 1 +The cylindrical spur is curved white and upward , longer than the ovar . The cylindrical spur is white and curved upward , longer than the ovary . 1 +Roger Kirk was born in Norfolk and brought up and trained in East London . Roger Kirk was born in East London and brought up and educated in Norfolk . 0 +Indian stamps were used until 1923 when they began to be overprinted KUWAIT . The Indian stamps were used until 1923 , when they began to be overprinted with KUWAIT . 1 +The novel was read by Kirsty Williams as BBC - Radio - 4 - Bedtime Book , adapted by Toby Stephens and produced by Lu Kemp . The novel was adapted in 2008 by Lu Kemp as BBC Radio 4 book near Bedtime , read by Toby Stephens and produced by Kirsty Williams . 0 +Van Hoof was born in Antwerp , was a student of Peter Benoit and was influenced by the works of Paul Gilson . Born in Antwerp , Van Hoof was a pupil of Peter Benoit and was heavily influenced by the works of Paul Gilson . 1 +This small bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . This small bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the current Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . 1 +Cribbins wears on his hat the badge of the parachute - regiment where Mott served during his national service . Cribbins wears on his hat the badge of the Parachute Regiment , in which Mott served during his National Service . 1 +"The IEEE standard 1139 "" Standard definitions of Physical Quantities for Fundamental Frequency and Time Metrology "" is beyond that of a standard a comprehensive reference and educational resource ." "The IEEE - Standard 1139 "" Standard definitions of physical sizes for fundamental frequency and time metrology "" is a comprehensive reference and educational resource beyond a standard ." 1 +The Bazga River is a tributary of the River Bohotin in Romania . The Bohotin River is a tributary of the River Bazga in Romania . 0 +Cunningham Elementary School was selected in 2003 by Governor Jim McGreevey as one of 25 schools nationwide recognized for the first annual Governors School of Excellence Award . Cunningham Elementary School was selected by Governor Jim McGreevey in 2003 as one of 25 schools recognized statewide for the First Annual Governor 's School of Excellence award . 0 +She married Eero on June 10 , 1939 and had two children : Susan Saarinen , born in 1942 , and Eric Saarinen , born in 1945 . She married Eero on June 10 , 1939 , and they had two children : Eric Saarinen , born 1942 , and Susan Saarinen , born in 1945 . 0 +From the late 1980s to the early 1990s , Cabble was the lead singer in the all female rock bands Clinic Q and then Miss B . Haven . From the early 1980s until the late 1990s , Cabble was the lead singer in the female rock bands Clinic Q and then Miss B . Haven . 0 +Angolemi is a village in Morphou , southwest of the district of Nicosia . Angolemi ( ; ) is a village in Nicosia District , southwest of Morphou . 0 +"Standard arguments in the homological algebra suggest that these cohomology groups are independent of the choice of the injective resolution of "" E "" ." "Standard arguments in homological algebra imply that these cohomology groups are independent of the choice of injective resolution of "" E "" ." 1 +Diloma radula is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . Diloma radula is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . 1 +Other languages spoken at home included Mandarin 4.0 % , Cantonese 1.8 % , Russian 1.7 % , Greek 1.6 % and Spanish 1.3 % . Other languages spoken at home contains Mandarin 4.0 % , Cantonese 1.8 % , Russian 1.7 % , Greek 1.6 % and Spanish 1.3 % . 1 +They are distributed by wind and drift , for example on dead wood , and are often introduced by humans through transported humus or similar . They are distributed through wind and drifting , for example on dead wood , and are often introduced by humans , by means of transported humus or similar . 1 +The 1999-2000 season of the Segunda Divisão de Honra was the 66th season of the competition , and the second season of the recognised tenth football in Portugal . The 1999 -- 2000 Segunda Divisão de Honra season was the 10th season of the competition and the 66th season of recognised second-tier football in Portugal . 0 +Gangahoni is a total village located in Biaora of Rajgarh district , Madhya Pradesh with large 639 families residing . Gangahoni is a large village in Biaora Rajgarh district , Madhya Pradesh with a total of 639 families . 0 +He graduated from Nihon University with a 5th Dan in Judo and a 4th dan in karate . He graduated from Nihon University with a 4th Dan in Judo and a 5th Dan in karate . 0 +The texts were first written by Taupin and John composed the music later . The lyrics were later written by Taupin and John first composed the music . 0 +"The "" longitudinal "" derivation in Laplacian can be further reduced by only considering functions of the form ." "The "" longitudinal "" derivative in the Laplacian can only be reduced by considering further functions of the form" 0 +Professor Roman 's books have been translated into Portuguese , French , Korean , Chinese , Bulgarian , Czech , Polish , Russian and Spanish . Professor Roman ’ s books have been translated into Portuguese , French , Korean , Chinese , Bulgarian , Czech , Polish , Russian and Spanish . 1 +The New Democratic Party of Ontario ( Ontario NDP ) is one of three major political parties in Ontario that are running in the 2011 general elections in Ontario , Canada . The New Democratic Party of Ontario ( Ontario NDP ) is one of three major political parties in Ontario running in the Ontario , Canada general election , 2011 . 1 +"This story is a complex of interwoven , sometimes A-class themes ... "" chimera debut ." "This story is a complex of interwoven , sometimes A-class themes ... "" chimeric debut. """ 1 +Importantly , Stile antico became the main language of the musical statement of Pękiel after his move to Wawel . Stile antico became after his move to Wawel the musical language of the main statement of Pękiels . 0 +The scenes in the marshes were also shot in Kent , at Riverside Country Park in Gillingham . The scenes in the marshes were also shot in Gillingham , Kent 's Riverside Country Park . 0 +On 25 August 2014 , Palmer had her first appearance as Lucy . Palmer made her first appearance as Lucy on 25 August 2014 . 1 +Past editors include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet and Raymond Aron . Previous editors include Michel Foucault , Emmanuel Le Roy Ladurie , Georges Dumézil , François Jacob , Jacques Le Goff , François Furet and Raymond Aron . 1 +When Bumstead retired in 1906 , Arthur Williams Wright became a professor of physics at Yale College and director of the Sloan Physics Laboratory . When Bumstead retired in 1906 , Arthur Williams Wright became professor of physics at Yale College and Director of the Sloan Physics Laboratory . 1 +The river Geamărtălui is a tributary of the Strâmba River in Romania . The Strâmba River is a tributary of the Geamărtălui River in Romania . 0 +A total of 16 teams qualified , but only 13 teams participated in the final round of the Olympic tournament . A total of 16 teams participated , but only 13 teams qualified in the finals of the Olympic tournament . 0 +The mountain was named by Jules de Blosseville after the French naval officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 -- 1835 ) . The mountain was named by Marie Henri Daniel Gauthier after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) . 0 +Germar Rudolf , also known as Germar Scheerer , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born October 29 , 1964 , is a German chemist and a convicted Holocaust denier . 1 +It was added on 28 June 2013 to Steam Greenlit and Steam Early Access on 19 September 2013 . It entered Steam Greenlit on 28th June 2013 and was Steam Early Access on 19th September 2013 . 0 +It shows 362 different old wood species , bushes and 236 different species of fruit trees . It shows 362 different old species of wood trees , bushes and 236 different species of fruit trees . 1 +The Galbena River is a tributary of the Boul River in Romania . The Galbena River is a tributary of the River Boul in Romania . 1 +He was the father of the painter Emanuel Swedenborg and cousin of religious leader John Hesselius . He was the father of painter Emanuel Swedenborg and cousin of the religious leader John Hesselius . 1 +The Belgian Rooms themselves were decorated in their present style and named after Prince Albert 's uncle Léopold I , first King of the Belgians . Today 's rooms themselves were decorated in their first style and named after the uncle Léopold I , the Belgian king of Belgians . 0 +It has received condemnation from Indian politicians and from various Internet users . It has received condemnation from various politicians and Indian Internet users . 0 +Amazingly , the second stimulus can , in some cases , actually affect the perception of the first stimulus . Amazingly , the first stimulus can actually influence the perception of the second stimulus in some cases . 0 +Conservatives argued that elected politicians should be trusted instead . The conservatives argued that elected politicians should instead be trusted . 1 +There she studied with Robert Morris , Carl Andre and Robert Barry and met fellow art students Tony Smith , Eugene Goossen and Ad Reinhardt . She studied there with Tony Smith , Eugene Goossen and Ad Reinhardt , and met her art students Robert Morris , Carl Andre and Robert Barry . 0 +Perot was born and raised in Dallas , the son of Ross Perot ( nee Birmingham ) and Margot . Born and raised in Dallas , the son of Ross Perot ( nee Birmingham ) and Margot was born . 1 +"On October 1 , 1974 , Streisand and Columbia Records released ButterFly as their sixteenth studio album , months after "" The Way We Were "" ." "Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , released months after "" The Way We Were "" ." 0 +InFocus M810 is a smartphone distributed by InFocus and manufactured by Foxconn . It was released on July 31 , 2014 . InFocus M810 is a smartphone manufactured by InFocus and marketed by Foxconn . It was released on July 31 , 2014 . 0 +Almost all the people in the district of Phu Tan had to be evacuated ( mainly in the Cho Moi , An Phu ) . Almost all of the people in Phu Tan district had to be evacuated ( mainly to the Cho Moi , An Phu ) . 1 +Without a big attacker , Garzelli was very constant and could go on a good day with the best climbers . Garzelli , without being a permanent attacker , was very good and could go on a great day with the best climbers . 0 +In physics confocal ellipsoids appear as equipotential surfaces : Confocal ellipsoids appear in physics as equipotential surfaces : 1 +Many celebrities have visited or visited the castle over the centuries , including Carl Michael Bellman in the 19th century and August Strindberg in the 18th century . Many celebrities have during the centuries visited or stayed at the castle , including Carl Michael Bellman in the 18th century and August Strindberg in the 19th century . 0 +Very Long Baseline Array ( VLBA ) observations have identified a complex central region that is dominated by two bright components , A and B . The observations of Very Long Baseline Array ( VLBA ) have identified a bright region dominated by two complex central components A and B . 0 +Although Gonsalves was born in Portsmouth , Rhode Island , he grew up in the Fall River , Massachusetts . Although born in the Fall River , Massachusetts , Gonsalves grew up in Portsmouth , Rhode Island . 0 +, the longest surviving example in Michigan is the three-span , US 12 -- St. Joseph River Bridge , built in 1922 in Mottville . The longest surviving example in the US is the three-stage Mottville 12 -- St. Joseph River Bridge , built in Michigan in 1922 . 0 +Together with his team colleague Haris Hajradinović from the Croatian club NK Inter Zaprešić he came to AS Trenčín in summer 2013 . Together with his team colleague Haris Hajradinović from the Croatian club AS Trenčín he came to NK Inter Zaprešić in summer 2013 . 0 +It has developed an open and thoroughly evaluated evaluated execution environment ( TEE ) ecosystem with accredited laboratories and trusted products . It has developed an open and thoroughly evaluated TEE - Ecosystem ( Trusted Execution Environment ) with accredited laboratories and rated products . 0 +Trained with Bob Bowman , the coach of the American swimmer Michael Phelps , at the University of Michigan , he is a childhood friend of César Cielo . Trained with César Cielo , coach of American swimmer Bob Bowman , at the University of Michigan . He is a childhood friend of Michael Phelps . 0 +The ACS ( Ambient Control Space ) is the internal of an ambient network . The ACS ( Ambient Control Space ) is the internal network of an environment . 1 +The 1956 National Football League season was the 11th year of the team with the Los Angeles Rams and the 19th season in Los Angeles . The 1956 Los Angeles Rams season was the team 's 19th year with the National Football League and the 11th season in Los Angeles . 0 +Most of the existing larger building societies are the end result of the merger of many smaller societies . Most of the existing smaller building societies are the end result of the mergers of many larger societies . 0 +Danson also explained that Leanne wants to forget the McDonalds and raise the child with Nick . Danson also stated that Leanne wants to forget the McDonalds and raise the child with Nick . 1 +The Gorova River is a tributary of the Bârzava River in Romania . The river Bârzava is a tributary of the River Gorova in Romania . 0 +The Italian church St. Giovanni Bosco is named after St. John Bosco . The Italian Church of St. John Bosco is named after St. Giovanni Bosco . 0 +On 15 March 1961 , the UPA launched a tribal attack on the massacre of black populations and white workers born in other regions of Angola . On March 15 , 1961 , the UPA , in a tribal attack , started the massacre of white populations and black workers born in other regions of Angola . 0 +Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank in the city of Antwerp , Belgium . The Rockox House is a former residence of the Rockox family and Belgian private museum of KBC Bank in the city of Antwerp , Belgium . 1 +The Data Definition Facility provides a persistent function for semantic artefacts such as collections and indexes in XQuery or JSONiq programs . Data Definition Facility provides a semantic for persistent artifacts such as collections and indexes in XQuery or JSONiq programs . 0 +Since 2008 , Hoyer has toured Canada several times , including two times with Michael Rault , once with Sean Nicholas Savage and once with Joe . Since 2008 , Hoyer has toured Canada on several occasions , once with Sean Nicholas Savage , once with Michael Rault and twice with The Joe . 0 +Maplewood is situated in the 10th Congressional District and is part of New Jersey 's 27th legislative district . Maplewood is located on the 27th Congressional District and is part of the 10th State Legislative District in New Jersey . 0 +The Dublin Council of Unions is the Trade Council for Ireland in the county of Dublin . The Dublin Council of Trade Unions is the trades council for Ireland in County Dublin . 1 +"Interested in Sufi music , he plays the kawala , a traditional Egyptian flute , that is seen and heard in "" The Other Son "" ." "Interested in traditional Egyptian music , he plays the Kawala , a Sufi flute , to be seen and heard in "" The Other Son "" ." 0 +Problem-specific methods are used to find the cuts needed by this method . To find the cuts used by this method , problem-specific methods are required . 0 +Shane Kelly Brooks ( born March 18 , 1974 in Breckenridge , Texas ) is a former American country music artist who recorded Shane Stockton . Kelly Shane Brooks ( born March 18 , 1974 , Breckenridge , Texas ) is a former American country music artist who recorded under the name Shane Stockton . 1 +The team -- kits for season 2005 -- 06 are produced by Vivatel and sponsored by Uhlsport . The 2005 -- 06 team kits are produced by Uhlsport and sponsored by Vivatel . 0 +Senator Kennedy telephoned Albert Gore Sr. to inform him that some of his constituents had called to voice their objections to integration . Senator Kennedy called Albert Gore Sr. to inform him that some of his constituents had expressed their objections to integration . 1 +The band did not perform official final shows . The band did not perform any final official shows . 1 +Hickman County is part of the Metropolitan Statistical Area Nashville - Davidson - Murfreesboro - Franklin , TN . Murfreesboro is a part of the TN Metropolitan Statistical Area -- Davidson - Hickman County -- Franklin , Nashville . 0 +The popular series follows a unique group of craftsmen from the West Virginia . The popular series follows a unique group of West Virginia craftsmen . 1 +3M suggested the name change to Acquire , and Sackson agreed . 3M agreed to the change of name in Acquire and Sackson suggested . 0 +The original intention of Igor Girkin and his men was the repetition of Crimea - scenarios ( the seizure of the territory by the Russian army ) . The original intention of Igor Girkin and his men was the repetition of the Russian scenario ( the seizure of the territory by Crimean army ) . 0 +San Lorenzo Axocomanitla is a municipality in Mexico in the south-eastern Tlaxcala . Axocomanitla is a municipality in south-eastern Mexico in Tlaxcala . 0 +These species were discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . Species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . 0 +The group died in 1991 when the most active members joined Quartex . The group died in 1991 , when Quartex joined the most active members . 0 +It was built in the 14th century , and by the 17th century had It was built in the 17th century and had in the 14th century . 0 +Before Pang Tong arrived , Zhang Fei , who knew that Zhang Fei loved wine , ordered that all wine must be diluted with water . Before Zhang Fei arrived , Pang Tong , who knew that Zhang Fei loved wine , ordered that every wine should be diluted with water . 0 +This version was published on August 18 , 2016 in North America and on January 5 , 2017 in Europe and Australia . This version was released in North America on August 18 , 2016 , and Europe and Australia on January 5 , 2017 . 1 +In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in Frankfurt in 2012 . In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Frankfurt and in Amsterdam in 2012 . 0 +A few years later , General Obasanjo was released and pardoned after Abacha died and after General Abdulsalami Abubakar took over power . General Abacha was released and pardoned a number of years later after Obasanjo died and after General Abdulsalami Abubakar took power . 0 +A few years later , after Obasanjo died and General Abdulsalami Abubakar took power , General Abacha was released and pardoned . Several years later , General Obasanjo was released and pardoned after Abacha died and after General Abdulsalami Abubakar took power . 0 +Anguilla is famous for its important and ecologically spectacular coral reefs and beaches . Anguilla is renowned for its spectacular and ecologically important coral reefs and beaches . 0 +Inside there are historical objects , including an old church bell from 1801 and paintings and photographs from the colonial period . Inside there are historical objects , including an old church bell from 1801 and colonial paintings and photographs 1 +Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete from Maringá . Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a Brazilian taekwondo athlete . 0 +On March 29 , 1861 it was evacuated by federal troops and reoccupied after the civil war until 1869 . On March 29 , 1861 , the Fort Fort Mason was reoccupied by federal troops and evacuated to 1869 after the civil war . 0 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on 17 January 1845 in Stuttgart ) . Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , Germany , died 17 January 1845 in Ludwigsburg ) . 0 +"He has three colored stripes that decorate his head , and in the "" Street Fighter Alpha "" series , he removes a turban that he wears before the battle ." "He has three colored stripes on his head , and in the "" Street Fighter Alpha "" series , he wears a turban that he removes before the battle ." 0 +Later in life Toth became one of close friends of Procopio . Later in life , Procopio became one of Toth 's close friends . 0 +His case was widely published in religious as well as medical publications . His case was widely publicized in medical as well as in religious publications . 1 +In 1985 , Stewart became Deputy Reeve of the Township of Otonabee and was guardian of Peterborough County from 1992 to 1994 . Stewart was deputy reeve of the Township of Otonabee in 1985 , and became a warden of Peterborough County from 1992 to 1994 . 0 +The Istanbul Football League season 1907 -- 08 was the fourth season of the League , Moda FC won for the first time the league . The 1907 -- 08 İstanbul Football League season was the fourth season of the league . Moda FC won the league for the first time . 1 +In August 2011 , Mark asked Matt to leave the show , which he did . In August 2011 Mark Matt asked to leave the show , which he did . 0 +In 1406 he had the Juliana Anicia Codex of Dioscurides restored , added a rebound and a table of contents and extensive scholies in Byzantine - Greek minuscles . In 1406 he had the Juliana Anicia Codex of Dioscurides added , rebound , and a table of contents and minuscule scholia restored in Byzantine Greek extensive . 0 +Greg Rusedski defeated Lars Rehmann 6 -- 4 , 3 -- 1 ( Rehmann is retired ) Greg Rusedski defeated Lars Rehmann 6 -- 4 , 3 -- 1 ( Rehmann retired ) 1 +A second company , New York Rubber Company was founded as the Winslow Life Raft Company in 1941 . A second company , Winslow Life Raft Company was established as New York Rubber Company in 1941 . 0 +Associação Desportiva Confiança , or Confiança as they are usually called , is a Brazilian football team from Sergipe in Aracaju , founded on May 1st , 1936 . Confiança , or Confiança , as they are usually called , is a Brazilian football team from Sergipe in Aracaju , founded on May 1 , 1936 . 1 +The credits to this film are lost , and the identity of the director and the actors are controversial . The credits to this film are disputed , and the identity of the director and actors are lost . 0 +Suq Al Lail is a neighborhood of Mecca in Saudi Arabia , in the western province of Makkah . Suq Al Lail is a neighborhood of Mecca in Saudi Arabia , in western Makkah Province . 1 +The distributions of Rihaczek and Choi -- Williams are examples of class distributions of affine invariant Cohen . The Rihaczek and Choi -- Williams distributions are examples of affine invariant Cohen 's class distributions . 1 +Born in Beaumont , Texas , Brian Babin attended high school in Woodville TX , where his father , Lucas was the town mayor . Brian Babin , born in Beaumont , Texas , visited the high school in Woodville , TX , where his father Lucas was mayor . 1 +Although he was born in Kingaroy , Ballin grew up in Nanango and visited the Kingaroy State High School , where his father was school leader . Although he was born in Nanango , Ballin grew up in Kingaroy and visited the Kingaroy State High School , where his father was school leader . 0 +There was only one scholar , however , and Qian published two or three articles more than Li , so that Qian was preferred . There was only one scholar , however , and Li published two or three articles more than Qian , so Qian was preferred . 0 +Peter Anna married Barattin in 2013 , while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . In 2013 Peter married Anna Barattin while Julia is married to Nicholas Furiuele , both are members of the band Shantih Shantih . 0 +The western part of Indian Lake is located in the eastern Richland Township . The eastern part of the Indian Lake is township in western Richland . 0 +Both sailed from Quebec to London . From London , both sailed on to Quebec . 0 +The first European to visit Cornwallis Island was Sir William Cornwallis in 1819 and was named for British Royal Navy admiral Sir William Edward Parry . The first European to visit Cornwallis Island was Sir William Edward Parry in 1819 and named after British Royal Navy Admiral Sir William Cornwallis . 0 +The Curtis Museum in Alton , is a local history museum in Hampshire , England . The Curtis Museum in Alton is a local historic museum in Hampshire , England . 1 +"This name change meant that the NSRL would be "" placed under "" the Nazi Party ." This name change meant that the Nazi party would be “ placed ” under the NSRL . 0 +The triluminary is a small Minbari device ( one of three such devices ) with a triangular chip in the center . The triluminary is a triangular minbari device ( one of three such devices ) with a small chip in the middle . 0 +He is upset to learn in June that Ethan Lovett ( Nathan Parsons ) is his half brother . He is angry to learn that in June Ethan Lovett ( Nathan Parsons ) is his half brother . 0 +In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally . This will be distilled in Florida and bottled in Puerto Rico . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally , which will be distilled in Puerto Rico and bottled in Florida . 0 +"During the early years of the HUAC hearings , Howe was blacklisted and moved to Mexico City to protect the "" grey listed "" Babb from further harassment ." "During the early years of the HUAC hearings , Babb was blacklisted , and moved to Mexico City to protect the "" graylisted "" Howe from further harassment ." 0 +Some postage stamps show the arms flanked by two lions . There is also a painting , showing the arms supported by flags . Some stamps show the arms supported by two lions There is also a painting showing the arms flanked by flags . 0 +Eschenz is a municipality in Frauenfeld District in the canton of Thurgau in Switzerland . Eschenz is a municipality in the district of Frauenfeld in the Canton Thurgau , Switzerland . 1 +In March 1833 , Dearborn Township was renamed Redford and the southern half became Pekin on April 1 . In March 1833 , Pekin was renamed Redford and the southern half was on 1 April Dearborn Township . 0 +Kuzmice is a village and municipality in the region of Košice in the district of Trebišov in eastern Slovakia . Kuzmice is a village and municipality in the district of Trebišov in the region of Košice in eastern Slovakia . 0 +He claimed that four Ukrainian soldiers were killed , while two of his men were injured during the fighting . He claimed that four Ukrainian soldiers were killed , while two of his men were wounded during the fighting . 1 +Nigel Randell Evans was the oldest son of Air Chief Marshal Sir Donald Randell Evans ( 1912-1975 ) and Pauline Evans . Nigel Randell Evans was the eldest son of Air Chief Marshal Sir Donald Randell Evans ( 1912-1975 ) and Pauline Evans . 1 +The battalion reassigned during October and November 1969 to MCB Camp Pendleton and was relocated to the 5th Marine Amphibious Brigade . The battalion was transferred to MCB Camp Pendleton in October and November 1969 and relocated to the 5th Marine Amphibious Brigade . 1 +In 2015 , Priya Pillai argued the case for Indira Jaising in the Green Peace India case . In 2015 , Priya Pillai she argued the case for Indira Jaising in Green Peace India case . 1 +Agathe knows Guillaume had a lover , but believes it was a young woman , Guillaume and Tom 's co-worker Sarah . Agathe knows that Guillaume had a lover , but believes that it was a young woman , Guillaume and Tom 's co-worker Sarah . 1 +Eckhoff represented New Zealand against Great Britain in 1928 , against Australia in 1930 . Eckhoff represented Great Britain in 1928 against New Zealand , and in 1930 against Australia . 0 +Mullan is a city in the north of the United States , located in the Silver Valley mining district in northwest Idaho . Mullan is a city in the northwest United States , located in the Silver Valley mining district of northern Idaho . 0 +Typically prepaid Voucher Management Systems are used with Intelligent Network based external systems . Typically , prepaid voucher management systems are used with external systems based on an intelligent network . 1 +Touche was the first son of the third baronet of the 1920 's Creation . Touche was the third son of the first Baronet of Creation in 1920 . 0 +Qtractor intends to provide a digital audio workstation software that is simple enough for the average home user and yet powerful enough for the professional user . Qtractor 's intention is to provide digital audio workstation software powerful enough for the average home user , and yet simple enough for the professional user . 0 +The Sultan of Golconda accepted and attacked Mysore and extinguished the Vijayanagara empire and humiliated the kingdom of Mysore . The Sultan of Golconda accepted and attacked Mysore and extinguished the Vijayanagara Empire and humbled the kingdom of Mysore . 1 +"He was a journalist for the "" Greater Malling Gazette "" in Greater Malling , York , living in Yorkshire ." "He was a journalist for the "" Greater Malling Gazette "" at Greater Malling , York , living in Yorkshire ." 1 +As a lieutenant , Armand Alexander de Castagny was at the French siege of Antwerp in 1832 . He later served in Algiers . Armand Alexander de Castagny was lieutenant at the French siege of Antwerp in 1832 and later served in Algiers . 1 +In 2011 , EBSCO Publishing H. W. Wilson Company took over . In 2011 , EBSCO Publishing took over H. W. Wilson Company . 1 +In her fake confession , Marley admitted that she had slept with Jake , and Donna turned her back on her mother . In her fake confession , Donna admitted she had slept with Jake and Marley turned her back on her mother . 0 +Finsch 's monitor was only known from Blanche Bay , Ralum , and New Britain in Massawa . The Finsch monitor was known only from Blanche Bay , Ralum and New Britain in Massawa . 1 +Forty different plant communities containing at least 1,342 species and 54 rare plants have been identified in the gorge . Forty rare plant communities were identified in the gorge , containing at least 1,342 species and 54 different plants . 0 +Baby Boom is a 1987 romantic comedy directed by Charles Shyer , written by Nancy Meyers and Shyer , produced by Meyers and Bruce A . Baby Boom is a romantic comedy in 1987 , directed by Nancy Meyers , produced by Charles Shyer and Shyer , written by Meyers and Bruce A . 0 +The nearest domestic and defence airports are : Halwara , Adampur and Sahnewal . The next domestic and defence airports are : Halwara , Adampur and Sahnewal . 1 +John 's mother Sinclair T. Chitty married his father Thomas Kincaid Blake Jr. at the age of 15 . Sinclair T. Chitty , his mother , married his father Thomas Kincaid Blake Jr. at the age of 15 . 1 +His current research investigates the influence of Jewish ideas and stories on Islamic sources . His current research explores the influence of Islamic ideas and stories on Jewish sources . 0 +In addition to the generic information described above , military applications also include weapon system and sensor data such as : In addition to the generic information described above , military applications include weapons system and sensor data such as : 1 +On the runway , she has walked for Lacoste , Michael Kors , Valentino , Fendi , Alexander Wang , Altuzarra , and Jason Wu among others . On the runway she went among others for Lacoste , Michael Kors , Valentino , Fendi , Jason Wu , Altuzarra and Alexander Wang . 1 +In 1960 , Ardley married Vivian Wilson , the couple had a daughter , in 2003 he married Bridget Gantley and died in Milford , Derbyshire . In 1960 , Ardley married Bridget Gantley , and the couple had one daughter . In 2003 he married Vivian Wilson . He died in Milford , Derbyshire . 0 +The hand kills them and she is forced to kill her , which also attacks the sale . The hand attacks her and she is forced to kill it , which also kills the sale . 0 +Rolly Tasker won Australia 's first sail medal at the Melbourne Olympic Games in 1956 , when he and John Scott won a silver medal in their 12 m sharp . Rolly Tasker won Australia 's first sailing medal at the 1956 Olympic Games in Melbourne when he and John Scott won a silver medal in their 12 m Sharpie . 1 +"On November 8th , 2011 , the previous album "" Wicked Game "" published , three years after the release of their fifth album ." "8 November 2011 , published the previous album "" Wicked Game "" , three years after the release of their fifth album ." 1 +Most Japanese troops are captured in the raid , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) will be killed . Most Japanese troops are killed in the attack , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . 0 +They came from Quedlinburg to the west and Helmstedt to the east , from Celle in the north and Hanover to the south . They came from , among other places , Hanover to the west and Helmstedt in the east , from Celle to the north and Quedlinburg to the south . 0 +Jarvis Bay is a summer village in Alberta , Canada , located on the eastern shore of Jarvis Bay Provincial Park , south of Sylvan Lake . Jarvis Bay is a summer village in Alberta , Canada , located on the eastern shore of Sylvan Lake south of Jarvis Bay Provincial Park . 0 +""" Meriden , Connecticut "" was sold to Burdett Pond in Tennessee on 15 September 1886 ." """ Tennessee "" was sold to Burdett Pond by Meriden , Connecticut , on September 15 , 1886 ." 0 +Via the Appomattox River and the Bush River , it is part of the James River watershed . He is part of the James River Watershed via the Appomattox River and the Bush River . 1 +"The northern cavefish or southern blindfish , "" Amblyopsis spelaea "" , is found in caves through Indiana and northern Kentucky ." "The northern Cavefish or the northern blindfish , "" Amblyopsis spelaea "" , is found in caves by Kentucky and southern Indiana ." 0 +The season 2010-11 Rain or Shine Elasto painter was the fifth season of the franchise at the PBA ( Philippine Basketball Association ) . The 2010 - 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +The marriage ensured that the same dynasty would continue in the male line . The marriage ensured that the same dynasty would continue on the male line . 1 +"Mengesha was survived by his younger "" natural "" son "" Ras "" Araya Selassie Yohannes and by his elder "" legitimate "" son Yohannes IV ." "Mengesha was survived by his younger "" natural "" son "" Ras "" Araya Selassie Yohannes and his elder "" legitimate "" son Yohannes IV ." 1 +Yıkılgan is a village in the district of Amasya in the province Amasya , Turkey . Yıkılgan is a village in the district of Amasya , Turkey , province Amasya . 1 +The Blauvelt family arrived in Rockland County for the first time in 1638 and first arrived in America in 1683 . The Blauvelt family first arrived in America in 1638 , and first arrived in Rockland County in 1683 . 0 +The first air data computer developed in the United States was patented in February 1971 by John H. Andresen . The first air data computer patented in the US was developed by John H. Andresen in February , 1971 . 0 +"In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is depicted as bass ." "In the 2014 film "" Get On Up "" , a biography of Josh Hopkins portrayed by James Brown , Bass is produced by Bryan Grazer and Mick Jagger ." 0 +The Republicans lost two seats , one to the Progressive Party and one to Prohibition . Republicans lost two seats , one to the Progressive Party and one to the Prohibition Party . 1 +The Pandabeswar CD Block had 1 special and non-formal college with 1,007 students , 257 institutions for general education with 9,690 students . The Pandabeswar CD Block had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students 0 +""" Lonely Journey "" and "" Lullaby "" have been used in arranged versions of Hironobu Kageyama in several music collections ." """ Lonely Journey "" and "" Lullaby "" have been used in several music collections in sung versions arranged by Hironobu Kageyama ." 0 +The city of Cortland , close to the western border of the county , is surrounded by the town of Cortlandville . The town of Cortlandville , located near the western border of the county , is surrounded by the city of Cortland . 0 +Between five and twelve blossoms are loosely arranged along a high stem or more flowers . Between five and twelve flowers are loosely arranged along a flowering stem or more high . 0 +The new cable company announced that they would charge $ 10 for connecting to their service and $ 5 per month to subscribe to the signals . The new cable company announced that they would charge $ 10 to subscribe to their service , and $ 5 per month to connect to the signals . 0 +She was the sister of William who was already married to David King Udall 's sister Eliza Stewart . She was the sister of William , who had already been married to David King Udall 's sister Eliza Stewart . 1 +It is used as a measure of absorbed dose , specific energy ( imparted ) , and kerma ( an acronym for kinetic energy released per unit mass ) . It is used as a measure for absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per unit of mass ) . 1 +"He dismissed Thomas Hardy as "" harmless rustic "" , but admired George Meredith for his appreciation of beauty ." "He dismissed Thomas Hardy as a "" harmless rustic "" but admired George Meredith for his appreciation of beauty ." 1 +It was directed by Harry Piel and made by Ariel production . It was led by Harry Piel and made by Ariel Production . 1 +Cariani was born in Presque Isle , Maine . He was eight when his family moved to Brockton , Massachusetts . Born in Brockton , Massachusetts , Cariani was eight when his family moved to Presque Isle , Maine . 0 +"As guests on the EP appeared YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Srđan Todorović and Roze Poze guitarist Ivan Vdović ." "YU grupa guitarist Dragi Jelić , Ivan Vdović "" VD "" , Sr "" unk "" at Todorović and Roze Poze guitarist Željko Nikolić appeared as guests on the EP ." 0 +This species occurs in the demersal zone of the Pacific Ocean from Costa Rica to Nicaragua . This species is found in the demersal zone of the Pacific Ocean from Nicaragua to Costa Rica . 0 +The river Grojetu is a tributary of the River Repedea in Romania . The Repedea River is a tributary of the Groșetu River in Romania . 0 +He represented Australia at the FIFA - Youth - World Championship in Nigeria in 1999 . He represented Nigeria at the 1999 FIFA World Youth Championship held in Australia . 0 +John John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married the British aristocrat William Cecil , a descendant of Edith Vanderbilt in 1924 . John F. A. Cecil ( George and Cornelia Stuyvesant Vanderbilt 's only child ) married British aristocrat , William Cecil , a descendant of Edith Vanderbilt in 1924 . 1 +"Santiago is the Galician evolution of the Latin vulgar Sanctu Iacobu , "" Saint James "" ." "Santiago is the Galician evolution of Vulgar Latin Sanctu Iacobu , "" Saint James "" ." 1 +"Uigorlersuaq Island ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the municipality of Qaasuitsup in northwest Greenland ." "Qaasuitsup ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the Uigorlersuaq Island municipality in northwestern Greenland ." 0 +On the other hand , General De Gaulle was less impressed , read her recommendations , and rejected most of her reports only half . On the other hand , General De Gaulle was less impressed , rejected her recommendations , and read most of her reports only half . 0 +He joined the Canadian Fencibles in Quebec in 1803 and came to Scotland with them in 1805 . In 1803 , he joined the Canadian Fencibles in Quebec and joined them in 1805 to Scotland . 1 +Marco Bandinelli , also known as Marchino di Guido Reni , was an Italian painter of the Baroque period . Marco Marco Bandinelli , also known as the Marchino di Guido Reni , was an Italian baroque painter . 1 +He died in 1916 and was retired on 30 September 1918 . He retired in 1916 , and died on September 30 , 1918 . 0 +"In 2014 , he played the leading role of Dave Martinez in the afternoon - TV series entitled "" Pure Love "" , alongside Alex Gonzaga and Yen Santos ." "In 2014 , he played the main role of Dave Martinez in the afternoon TV series entitled "" Pure Love "" , alongside Alex Gonzaga and Yen Santos ." 1 +Asha is the first Indian and the second Asian to win that captivity , the first Asian to win Miss Supranational is Mutya Datul from the Philippines . Asha is the first Asian to win the said pageant , the first Indian and second Asian to win Miss Supranational is Mutya Datul from Philippines . 0 +After testifying in the Till case , Reed moved to Chicago and changed his name to Willie Louis from Willie Reed . After testifying in the Till case , Reed moved to Chicago and changed his name from Willie Louis to Willie Reed . 0 +In Brazil , the USA , Mexico ( Adolfo Constanzo case ) , Singapore ( see Toa Payoh - ritual killings ) and Uganda are committed murders . In Uganda , the USA , Mexico ( Adolfo Constanzo case ) , Brazil ( see Toa Payoh Ritual Murder ) and Singapore are committed murders . 0 +He was then traded from the Arizona Diamondbacks to Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . He was then traded by the Arizona Diamondbacks with Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . 1 +The 1981 Purdue University football team represented Purdue Boilermakers during the 1981 Big Ten Conference football season . The Purdue University football team in 1981 represented Purdue Boilermakers during the 1981 football season of the big ten conference . 1 +It has been introduced and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . It has been introduced and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . 1 +Madison was platted out and sold in 1810 , and the first lots were laid in 1811 by John Paul . In 1810 , Madison was laid and relocated , and the first lots were sold by John Paul in 1811 . 0 +The other entrances on the west side have new iron lamps - standards and old lanterns , and one has an iron balustrade . The other entrances on the west have old iron lamps standards and new lanterns , and one has an iron balustrade . 0 +The following ( strong ) Boolean Theorem ( MIT ) for maximum ideal algebras is thus equivalent to BPI : Thus the following ( strong ) Boolean theorem ( MIT ) for maximal ideal algebras is equivalent to BPI : 1 +Marlborough is located north of the Harare City Centre and lies between the streets leading from Harare to Chinhoyi and Bindura . Marlborough lies to the north of Harare and is between the roads leading to Harare City Centre from Chinhoyi and Bindura . 0 +Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan with the sequence of SCSV from Florida . Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Florida with the sequence of SCSV from Taiwan . 0 +Williams , ( 1892-1962 ) , was the first president of Welsh Academy ( Yr Academi Gymreig ) . Williams ( 1892-1962 ) was the first president of the Welsh Academy ( Yr Academi Gymreig ) . 1 +The Legend of Hallowdega is a 2010 black comedy fantasy mockumentary short film , directed by Terry Gilliam from a screenplay by Aaron Bergeron . The legend of Hallowdega is a 2010 black comedy Fantasy Mockumentary short film , directed by Aaron Bergeron from a script by Terry Gilliam . 0 +He and Sant Dnyaneshwar were the popular Sants and both revered Lord Vitthal . He and Sant Dnyaneshwar worshiped the popular sants and both were Lord Vitthal . 0 +She moved to Germany in 1989 and settled two years later in Luxembourg , where her husband , Tommy Danielsson , is her trainer and training partner . She moved to Luxembourg in 1989 and settled in Germany two years later , her husband Tommy Danielsson is her coach and training partner . 0 +Mateare is a municipality in the Nicaragua department of Managua . Mateare is a municipality in Nicaragua - Department of Managua . 0 +The valley itself is made rocky through the river , while the surrounding area is lush and green desert . The valley itself is made through the river and green , while the surrounding area is rocky desert . 0 +Chlef Province , Algeria is a district of El Marsa District . El Marsa District is a district of the province Chlef , Algeria . 0 +Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the district Jelgava 2009 ) , Latvia . Lielplatone parish is an administrative unit of the Jelgava District ( prior to the 2009 administrative reforms the Jelgava Municipality ) , Latvia . 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - videogame by Kush Games developed and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulation Videogame of 2K Sports developed and published by Kush Games . 0 +"Debbi Benn is the "" Hebrew and Jewish Studies Teacher and Program "" and Debbie Posner is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." "Debbie Posner is the "" teacher and the program for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of elementary school for Hebrew and Jewish studies "" ." 0 +In 2002 , Miller joined bassist Russell Malone 's Golden Striker Trio , with guitarist Ron Carter . In 2002 , Miller joined the Golden Striker Trio by bassist Ron Carter , with guitarist Russell Malone . 0 +Fersfield is limited to the east and south by the village of Bressingham , in the west are South Lopham and North Lopham and to the north of Kenninghall . Fersfield is limited to the east and south by the village of Kenninghall , to the west are South Lopham and North Lopham and in the north of Bressingham . 0 +"A large carnival offers "" chirigotas "" , costumed groups that sing in a humorous way of current events ." "A costumed carnival features "" chirigotas "" , large groups that sing of current events in a humorous way ." 0 +Born in Adelaide , he was brought to Australia by his parents , his father , John Firth Forest , led in Scotland a jewellery and watchmaking business . Born in Adelaide , he was brought to Australia by his parents . His father , John Firth Wald , ran a jewellery and watchmaking business in Scotland . 1 +Fred was the youngest child of farmers Thomas and Elizabeth Goodwill . Thomas was the youngest child of peasant Fred and Elizabeth Goodwill . 0 +On 29 September 1849 , Queen Victoria travelled from Swindon by train to Gloucester , On 29 September 1849 , Queen Victoria traveled from Gloucester to Swindon by train , 0 +On July 19 , 1973 , she was sold and scrapped . She was scrapped on 19 July 1973 and was sold . 0 +Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk in front of the historical formation of Suffolk County Cricket - Club 1864 . Suffolk county cricket teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket Club in 1864 . 1 +The tributaries of the Cascapédia upstream are ( in a significant order ) : The upstream tributaries of the Cascapédia River are ( in significant order ) : 1 +"5th "" Meet the People "" ( Reprise 1 ) by Lucille Ball ( sung by Gloria Grafton ) and Chorus ." "5 . "" Meet the People "" ( reprise 1 ) dubbed by Lucille Ball ( Sung by Gloria Grafton ) and Chorus ." 1 +The 9th Highland Brigade was connected from the 3rd Infantry Division to the 1st Infantry Division . The 3rd Highland Brigade was connected from the 9th Infantry Division to the 1st Infantry Division . 0 +The site was excavated in 1992 and 1993 by Patrick Garrow of the University of Georgia and David Hally of Shorter University in Rome , Georgia . The finding site was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of Shorter University in Rome , Georgia . 0 +In 1890 , French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom , which was officially annexed to the French West Africa in 1904 . French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom in 1890 , which was formally annexed into French West Africa in 1904 . 1 +Dharmapuram is a village near the town of Srikakulam in Ponduru Mandal Division in Andhra Pradesh , India . Srikakulam is a village near Dharmapuram town in Ponduru Mandal Division in Andhra Pradesh , India . 0 +Latin - Pop combines usually optimistic Latin music with American pop music . Latin pop usually combines American Latin music with upbeat pop music . 0 +On February 17 , 2015 , Starlin collaborated with Universal Cable Productions to adapt Dreadstar as a script - TV - series with Chris Bender and J. C. Spink as producers . On February 17 , 2015 , Chris Bender teamed with Universal Cable Productions to adapt Dreadstar as a scripted TV series with Starlin and J. C. Spink as producers . 0 +The northern half of the village is in the town of Dannemora , while the southern half is in the town of Saranac postal code is 12929 . The southern half of the village is in the town of Dannemora , while the northern half is in the town of Saranac postal code is 12929 . 0 +Until his death in 1996 , Amos Tversky was married to his prominent psychologist Tversky ( 1937-1996 ) . Tversky was married to fellow prominent psychologist Amos Tversky ( 1937-1996 ) until his death in 1996 . 0 +She also published biographies of the Nobel laureate Juan Soriano and the artist Octavio Paz . She has also published biographies , of the Nobel laureate Octavio Paz and artist Juan Soriano . 0 +It is found in North America , where it was recorded from southern California and Nevada to Texas . It is found in North America , where it has been recorded from southern California and Nevada to Texas . 1 +The unlucky drivers turned out to be Max Wissel ( FC Basel 1893 ) , Ryan Dalziel ( Rangers F.C . ) The carpenters turned out to be Max Wissel ( FC Basel 1893 ) , Ryan Dalziel ( Rangers F.C . ) 0 +Eivind Saxlund was active in the Church of Norway and married to Asserson . Asserson was working in the Church of Norway and was married to Eivind Saxlund . 0 +"Therefore , all strictly non-palindromic "" n "" 6 prime numbers are ." "Therefore , all strictly non-palindromic "" n "" > 6 are prime ." 1 +Saladas - Department is a department of the Corrientes - province in Argentina . Saladas Department is a department of Corrientes Province in Argentina . 1 +It was the first single to be released by the group and their third release on Silvertone Records . It was the first single released by the group and their third release on Silvertone Records . 1 +The Furu River is a tributary of the Jiul de Vest River in Romania . The river Furu is a tributary of the Jiul de Vest river in Romania . 1 +Notoacmea parviconoidea is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . Notoacmea parviconoidea is a species of sea snail , a true limpet , a naval gastropod mollusk in the Lottiidae family , one of the families of true limpets . 0 +Besides Quintin , they had five children : Lucy , Phillip , Juan , Patrick and Willie . They had five children besides Quintin : Juan , Phillip , Willie , Patrick and Lucy . 1 +The Oklahoma authorities offer her to extradite her to Florida , but she insists on staying in Florida to fight against arson . The Florida authorities offer to extradite her to Oklahoma , but she insists on staying in Florida to fight the arson charges . 0 +Richmond 's friend and financial supporter is the owner of the mansion into which Walter Sullivan has broken . Luther is Richmond 's friend and financial supporter and the owner of the mansion Walter Sullivan has broken into . 1 +On 19 July 1973 she was sold and scrapped . She was sold on 19 July 1973 and scrapped . 1 +He moved to Bloomington , Illinois in 1853 , and in 1859 to Attika , Indiana . He moved to Attica , Indiana , in 1853 and to Bloomington , Illinois , in 1859 . 0 +Wagenknecht was born in Oak Park , Illinois , where he grew up and went to school in Chicago . Wagenknecht , who was born in Chicago , grew up and went to the school in Oak Park , Illinois . 0 +On 4 July 1968 , Smith resigned from the Cabinet at Harper 's request . On July 4 , 1968 , at Smith 's request , Harper resigned from the cabinet . 0 +The old school has been put on the new playing fields . The old school has been placed on the new playing fields . 1 +Music is in his blood because he inherited this art from his grandfather , Ustad Banne Khan , who is himself a singer . Music is in his blood as he has inherited this art from his grandfather , Ustad Banne Khan , who is a singer himself . 1 +"Such a modified peptide or a "" distorted key "" will automatically become an inhibitor candidate against HIV protease ." "Such a distorted peptide or "" modified key "" becomes an inhibitor candidate against HIV protease automatically ." 0 +The specific number of spaces in the indentation is unimportant as long as parallel elements are the same left justification and the hierarchically indented elements have nested further . The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left alignment and the hierarchically indented elements are further nested . 1 +The other states with severe but less restrictive restrictions are Finland , Poland , Iceland , Monaco and the United Kingdom . The other states with existent , but less severe restrictions are Finland , Poland , Iceland , Monaco and the United Kingdom . 0 +The reservoirs that form the chain are from northwest to southeast : Little Swinburne Reservoir → Hallington Reservoir → Catcleugh Reservoir → Colt Crag reservoir → Whittle Dene . The reservoirs that form the chain are from the northwest to the southeast : Catcleugh Reservoir → Colt Crag Reservoir → Little Swinburne Reservoir → Hallington Reservoirs → Whittle Dene . 0 +Ranjit Singh marched to ( Rohtas ) , from there to ( Rawalpindi ) and via ( Sarai Kala ) reached Sirikot . Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and to Sirikot via ( Sarai Kala ) . 1 +The arena has hosted concerts by many famous artists , including Whitney Houston , Tina Turner , TOTO , Trance Energy and André Rieu , among others . The Arena has hosted concerts by many famous artists , including Whitney Houston , Tina Turner , TOTO , Trance Energy and André Rieu . 1 +He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Vice President and Chief Legal Counsel of Ayala Corporation . He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Ayala Corporation ’ s Vice President and Chief Legal Counsel . 1 +Hard Candy is the fourth studio album by Counting Crows , released in the United States on June 7 , 2002 and the following day in the United Kingdom . Hard Candy is the fourth studio album of Counting Crows published on 7 June 2002 and the following day in the United States in the United Kingdom . 0 +The first Syracuse Chiefs baseball team was established in 1934 , when the Jersey City Skeeters moved to Syracuse and were renamed the Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . 1 +Ruth Page , Berenice Holmes ( the ballet teacher of Gene Kelly ) and Elise Reiman were conducted by the three Muses and Hans Kindler . Ruth Page , Elise Reiman ( Hans Kindler 's ballet teacher ) , and Berenice Holmes were the three Muses and Gene Kelly conducted . 0 +Despite the general success of the limited attack the battalion lost nearly half its strength . Despite the limited success of the general attack , the battalion lost nearly half of its strength . 0 +Bridges at this site are the only crossing of the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . Bridges at this location are the only crossing of the Taunton River between the Veterans Memorial Bridge in the River case and the Weir Street Bridge in Taunton . 0 +Ten Olympic teams took part in the tournament , 3 teams from Europe and 7 teams from Africa . The tournament took part in 10 Olympic teams , 3 teams from Africa and 7 teams from Europe . 0 +Milestone Radio acquired the CFXJ-FM station in Toronto from CTVglobemedia in 2010 . CTVglobemedia acquired the CFXJ-FM station in Toronto in 2010 from Milestone Radio . 0 +All 15 episodes were presented by the British naval officer Commander Campbell and produced by Harry Pringle . All 15 episodes were presented by British naval officer and broadcaster Commander Campbell and produced by Harry Pringle . 1 +The 2005 -- 06 team kits are produced by Uhlsport and sponsored by Vivatel . The team -- kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . 0 +Highsmith is the father of the current former NFL player Ali Highsmith and the uncle of the former NFL player Alonzo Highsmith . Highsmith is the father of the former NFL player Alonzo Highsmith and the uncle of the current former NFL player Ali Highsmith . 0 +The cave was destroyed in September 1938 by the New England Hurricane in 1938 , the station was repaired but damaged . The canopy was destroyed in September 1938 by the 1938 New England hurricane , the station was repaired but damaged . 0 +Their leaders sought European protection in order to support their authority and stabilize trade . Their leaders sought European protection to support their authority and stabilize trade . 1 +"The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in Luxembourg in 1984 ." "Andy Paul is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Anna Maria Lena "" in the Eurovision Song Contest 1984 in Luxembourg ." 1 +Then the main attack by heavy tanks , infantry and artillery would break the German lines . Then the heavy assault by German tanks , infantry and artillery would break the main lines . 0 +He died on February 20 , 1930 in Oneida . He was buried at the Glenwood Cemetery in Albany , New York . He died in Oneida on February 20 , 1930 and was buried at the Glenwood Cemetery in Albany , New York . 1 +The beta version of the service was released on July 30 , 2008 , and Windows Live FrameIt was discontinued on December 15th , 2010 . The beta version of the service was discontinued on July 30 , 2008 . Windows Live FrameIt was released on December 15 , 2010 . 0 +Beaten Guillermo Vilas defeated Björn Borg , 6 -- 1 , 6 -- 1 , 6 - 3 . Björn Borg defeated Guillermo Vilas , 6 -- 1 , 6 -- 1 , 6 -- 3 0 +Black Black Lake drains Grass Lake and flows north before emptying in Grass Creek , near Rossie , New York . Black Lake drains Grass Lake and flows north before emptying into Grass Creek near Rossie , New York . 1 +He began his medical studies in Dijon , later relocating to Paris , where he served as librarian of the Académie de Médecine and at the Bibliothèque Mazarine . He began his medical studies in Dijon , later he moved to Paris , where he served as the librarian of the Académie de Médecine and at the Bibliothèque Mazarine . 1 +While at American Express , Espuelas worked on the Wunderman , General Foods Gevalia and Weight Watchers accounts . While he was at Wunderman , Espuelas worked on the accounts of American Express , General Foods Gevalia and Weight Watchers . 0 +"He has three colored stripes on his head , and in the "" Street Fighter Alpha "" series , he wears a turban that he removes before the battle ." "He has three colored stripes adorning his head , and in the "" Street Fighter Alpha "" series , he wears a turban that he removes before battle ." 1 +Reynolds was selected by the Arizona Diamondbacks in the 16th round ( 476th overall ) of the 2004 Major League Baseball draft . In the 476th round ( 16th total ) of the Major League Baseball draft in 2004 , Arizona Reynolds was selected by the Arizona Diamondbacks . 0 +Neighboring communities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . Neighboring communities are Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . 1 +"Bowers was played by Pruitt Taylor Vince in the 1991 film "" JFK "" ." "was played by Pruitt Taylor Vince in the film "" JFK "" in 1991 ." 1 +Adult males grow a head hump , and males are larger than females . Adult males grow up at a head hump , and males are larger than females . 1 +Coëtivy Island is in the Indian Ocean south of the main Seychelles group . The island of Coëtivy is located in the Indian Ocean south of the main Seychelles group . 1 +Nijgh was trained by Ernst van Altena , who had previously translated works by Jacques Brel . Nijgh was translated by Ernst van Altena , who had previously coached works by Jacques Brel . 0 +In a liquid state it appears as white powder , but when it is heated , it forms a solid crystal . In a liquid state , it appears as a white powder , but when heated it forms a solid crystal . 1 +Thimilarmadam is a small town in Sri Lanka 's northern province . Thimilarmadam is a small town in Sri Lanka , within Northern Province . 1 +WORHP , also referred to as eNLP ( European NLP solver ) by ESA , is a nonlinear software library for solving continuous large scale mathematical optimization problems numerically . WORHP , also referred to as eNLP ( European NLP Solver ) , is a mathematical software library for numerically solving continuous , nonlinear optimization problems . 0 +Mount Cobb is a mountain on Mount Filberg , located east of Gold River and southwest of Vancouver Island , British Columbia , Canada . Mount Cobb is a mountain located on Vancouver Island , British Columbia , Canada , east of Gold River and southwest of Mount Filberg . 0 +The Fruntești River is a tributary of the Valea Botului River in Romania . The Frunte ? ti river is a tributary of the River Valea Botului in Romania . 1 +Quinuabamba District is one of 4 districts in the Ancash Region of the Pomabamba Province in Peru . Quinuabamba District is one of four districts in Pomabamba province in the Ancash region of Peru . 0 +Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist , famous for his early participation in the American Beat movement . Joffre Stewart ( born 1925 ) is an American poet , anarchist , and pacifist known for his early participation in the early Beat movement . 0 +His mother was Auguste Moser ( Auguste Kleinlogel , 1827 -- 1900 ) . His mother was Auguste Kleinlogel ( born Auguste Moser , 1827 - 1900 ) . 0 +Mike Parlett ( also known as Michael J. Parlett ) is a producer and radio host of English jazz saxophonist . Michael J. Parlett ( also known as Mike Parlett ) is an English jazz saxophonist producer and radio host . 1 +The Appalachian Trail , a National Scenic Trail from Maine to Georgia , crosses Franconia Ridge , including Little Haystack . The Appalachian Trail , a National Scenic Trail from Georgia to Maine , passes through Franconia Ridge , including Little Haystack . 0 +"In 1987 , Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" ." "Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" in 1987 ." 1 +Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Ukrainian ( until 2000 ) and a Belarusian cross-country skier ( since 2000 ) . Alla Petrovna Tsuper ( born 16 April 1979 ) is a Belarusian ( until 2000 ) and Ukrainian ( since 2000 ) aerial skier . 0 +Ann Henricksson defeated Martina Navratilova with 6 -- 1 , 6 -- 1 . Ann Henricksson defeated Martina Navratilova 6 -- 1 , 6 -- 1 . 1 +Union City 's Chief of Police is Richard Molinari , a Union City resident who replaced former Chief Brian Barrett . Union City ’ s police chief is Richard Molinari , a resident of Union City , who replaced former Chief Executive Brian Barrett . 1 +The second digit of the hand is short compared to the other digits , while on the foot , the fourth toe is the longest . The second digit of the hand is short compared to the other digits , while on foot the fourth toe is the longest . 1 +"When Lombardo switched to NBC , Burns and Allen took over his CBS spot with "" The Adventures of Gracie "" from 19 September 1934 ." "When Lombardo switched to NBC , Burns and Allen took over his CBS spot with "" The Adventures of Gracie "" beginning September 19 , 1934 ." 1 +NJ Transit offers seasonal bus service between the borough and the Port Authority Bus Terminal in Midtown Manhattan on the 137 route and to Newark on the 67 route . Transit offers seasonal bus services between the district and the Port Authority Bus Terminal in Midtown Manhattan on the 137 route and to Newark on the 67 route . 1 +Although five issues of the series were printed , the project was finished without any of them being aborted . Although five issues of the series were finished , the project was cancelled without any of them being printed . 0 +In 1976 , a version of Wonder Girl called Wonder Woman appeared in the Drusilla TV series and was played by Debra Winger . "In 1976 , a version of Wonder Girl called Drusilla appeared in the television series "" Wonder Woman "" and was played by Debra Winger ." 0 +"On 12 March 1801 , "" Eling was sailing with the British fleet under Admiral Sir Hyde Parker and became the Battle of Copenhagen ( 1801 ) ." "On March 12 , 1801 , "" Eling was with the British fleet under Admiral Sir Hyde Parker and sailed in the Battle of Copenhagen ( 1801 ) ." 0 +In 1805 , however , he left York to study theology at the Manchester College in Sheffield . However , in 1805 he left Sheffield to study theology at Manchester College in York . 0 +Jenna Bartholemew ( born 10 August 1988 ) is a South African born Canadian woman cricketer . Jenna Bartholemew ( born August 10 , 1988 ) is a Canadian South African cricketer . 1 +Cooper was elected as a Democrat to the Thirty-seventh Congress and served until his death in Coopersburg in 1862 . Interment is in Woodland Cemetery . Cooper was elected as a democrat to the thirty-seventh congress and served until his death in Coopersburg in 1862 . The funeral is in Woodland Cemetery . 1 +The concordant Greek text forms the basis of the concordant literal New Testament , which in its English is more idiomatic than the hyperliteral Sublinear . The Concordant Greek Text forms the basis of the Concordant hyper New Testament , which is more idiomatic in its English than the literal-Literal sublinear . 0 +The episode was written by Elaine Ko and was directed by Gail Mancuso . The episode was written by Elaine Ko and directed by Gail Mancuso . 1 +In 1736 , Mackay 's widow sold the islands to Charles Pinckney , father of General Charles Cotesworth Pinckney . In 1736 , Mackay 's widow sold the islands to Charles Pinckney , the father of General Charles Cotesworth Pinckney . 1 +The Finsch monitor was known only from Blanche Bay , Ralum and New Britain in Massawa . The Finsch monitor was only known from Blanche Bay , Ralum and Massawa in New Britain . 0 +Düzce is a village in the District of Yüreğir , Adana Province , Turkey . Düzce is a village in Yüreğir district , Adana Province , Turkey . 1 +My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Christine Newbauer , Martin Lindow and Maria Ehrich . My brother is a dog is a film from 2004 by Peter Timm and Christine Newbauer , Martin Lindow and Maria Ehrich directed . 0 +Eunice Smith married Ossman and had three children , Vess Jr. , Raymond and Annadele . Eunice Smith married Ossman and they had three children , Vess Jr. , Raymond , and Annadele . 1 +There is another nearby feature with this name , North Bloomfield northeast . There is another northeast feature with this name , located nearby North Bloomfield . 0 +On 2 February 2009 , the French striker , in consultation with the Brazilian team , terminated his contract with Sochaux . On 2 February 2009 , the Brazilian striker terminated his contract with Sochaux in agreement with the French team . 0 +The Birkenhead Enfranchisement Act 1861 provided that it should contain the wapentakes of Agbrigg , Osgoldcross , Strafforth and Tickhill , Staincross and Barkston Ash . The Birkenhead Enfranchisement Act 1861 provided that it was to contain the wapentakes of Agbrigg , Osgoldcross , Strafforth and Tickhill , Staincross , and Barkston Ash . 1 +Benjamin Ray ( * 1819 Hudson , New York ) was an American politician from the Columbia County , New York . Benjamin Ray ( born 1819 Hudson , Columbia County , New York ) was an American politician from New York . 1 +The film was produced by Bruce David Janu , directed and processed , the soundtrack was composed by Tom Flannery and Lorne Clarke . The film was produced , directed and edited by Bruce David Janu . The soundtrack was composed by Tom Flannery and Lorne Clarke . 1 +In 1979 , he discovered about 30 Hawaiian petroglyphs on Kahoolawe , which strengthened the case against the experimental bombings . In 1979 , he discovered about 30 experimental petroglyphs on Kahoolawe , which strengthened the case against the Hawaiian bomb attacks . 0 +Many religious groups have separate programs for different age levels within scouting , and some offer different programs or emblems for boys and girls . Many religious groups have different programs for different age groups within Scouting , and some offer different programs or emblems for boys and girls . 1 +Love on the Line is the name of a Crazy Penis album that was produced in 2008 and was released only in Australia . Love on the Line is the name of a Crazy Penis album released in 2008 , produced only in Australia . 0 +A Methodist , he was the first non-conformist to serve as Attorney-General or as a judge in New Brunswick . He died in Fredericton in 1878 . As a methodist , he was the first non-conformist to serve as attorney-general or judge in Fredericton and died in New Brunswick in 1878 . 0 +In this way it was possible to literally combine dozens of separate tracks and include them in finished recordings of great complexity . In this way it was possible to record dozens of separate tracks literally and to combine them into finished shots of great complexity . 0 +As an alternative , tantric Tibetan Buddhism enables consciously to create a desire to choose the desire , rather than being created by it . As an alternative , tantric Tibetan Buddhism allows to create a desire consciously ; to choose desire rather than being created by it . 1 +They learned at the police station that Jayaraman 's brother had the money , but Devayani is charged with murder . At the police station , they learn that Devayani 's brother had the money , but Jayaraman is charged with murder . 0 +The church that we see today , however , was dedicated in 1640 , designed by Agostino Avanzo and replaced in 1655 . However , the church we see today was consecrated in 1640 , designed by Agostino Avanzo , and replaced in 1655 . 1 +Finally , in the evening , came a bowl of thin soup with a small piece of bread . In the evening , a small soup came with a thin piece of bread . 0 +Fothergill also served as a member of the executive committee of the Scottish Liberal Agricultural Committee and as sometime Chairman of the Scottish Liberal Party . Fothergill also served as a member of the executive committee of the Scottish Liberal Agriculture Committee and as chairman of the Scottish Liberal Party . 1 +Thomas Fothergill D.D . was an English academic administrator at the University of Oxford . Thomas Fothergill was an academic English administrator at the University of Oxford . 1 +Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and imposed some high dignitaries of the king . Archbishop Robert von Esztergom therefore placed the Kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some of the king 's high dignitaries . 0 +Balıklı is a village in the District of Gümüşhacıköy , Amasya Province , Turkey . Balıklı is a village in the district of Gümüşhacıköy , Turkey , province Amasya . 1 +Vehicles built before 1992 are common goals , along with the obvious including expensive vehicles , luxury - SUVs and minivans . Vehicles built before 1992 are obvious targets , along with the more common including expensive vehicles , luxury SUVs and minivans . 0 +SR 416 was created around 1990 when SR 438 was moved from Princeton Street to the old Silver Star Road extension , and the new alignment needed a number . The SR 416 was created around 1990 when the SR 438 was moved from Princeton Street to the old Silver Star Road extension and the new orientation needed a number . 1 +Madison was laid out and platted in 1810 , and the first lots were sold in 1811 by John Paul . In 1810 , Madison was dealt and sold , and the first lots were laid by John Paul in 1811 . 0 +In 1892 , William H. Bennett died , and Langdon Hubbard took over the mill . Langdon Hubbard died in 1892 , and William H. Bennett took over the mill . 0 +The representative Tenant 's House was built in the 18th century in Baroque style . The representative tenant house was built in the baroque style in the 18th century . 1 +"Under King Louis Phillippe , a "" Gendarmerie Africa "" was restored to service in Algeria , and during the Second Empire the Gendarmerie - Regiment of the Imperial Guard was created ." "Under King Louis Phillippe a "" gendarmerie of Africa "" was created for service in Algeria and during the Second Empire the Imperial Guard Gendarmerie Regiment was re-established ." 0 +Guntakal railway station is classified in the Venkatagiri division as D railway station . "Guntakal railway station is classified as a "" D -- category "" station in the Venkatagiri railway division ." 1 +The son of James Jeffords , who served as Chief Justice of the Vermont Supreme Court , Olin M. Jeffords was born in Rutland , Vermont . The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born in Rutland , Vermont , Olin M. Jeffords . 1 +Soon thereafter , the Shahaji left the service of Nizam Shah and sought his fortune under the Adil Shah . Adil Shah soon quit the service of the Nizam Shah and sought his fortune under the Shahaji . 0 +Mead was born in Trumann in Poinsett County in northeastern Arkansas but lived most of his life in the nearby larger city of Jonesboro in Craighead County . Mead was born in Trumann , Poinsett County , northeast Arkansas , but lived most of his life in the nearby larger city of Jonesboro in Craighead County . 1 +Inspirica , Inc. houses approximately 300 people and serves more than 800 people each year . Inspirica , Inc. serves approximately 300 people and houses more than 800 people each year . 0 +Daniela Castro Arellano ( born Daniela Castro on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico ) is a Mexican - Irish actress and singer . 0 +Most pre- 1976 series produced by CBS Films or distributed by Paramount Television were later distributed by Viacom and CBS . Most of the series produced by CBS before 1976 or distributed by CBS films were later distributed by Viacom and Paramount Television . 0 +CBS offered the NFL $ 1.58 billion over four years , significantly more than the $ 290 million per year offered by Fox . CBS offered a then-record $ 1.58 billion to the NFL over four years , significantly more than the $ 290 million per year offered by Fox . 1 +After the battle of Stångebro , he left with Sigismund and Princess Anna Sweden and left Poland . He left Sweden for Poland with Sigismund and Princess Anna after the Battle of Stångebro . 0 +Rabbi Levi taught that in the night Jacob described in God showed all the signs . Rabbi Levi showed that in the night Jacob described in God has taught all the signs . 0 +Walter Hart ( or Walter Lyhert , died on 24 May 1472 ) was a medieval bishop of Norwich . Walter Lyhert ( or Walter Hart , died May 24 , 1472 ) was a medieval bishop of Norwich . 1 +The Vânăta river is a tributary of the River Milotina in Romania . The Vânăta River is a tributary of the Milotina River in Romania . 1 +The Cărbunele River or Rădocheasa River is a tributary of the Rădoteasa River in Romania . The river Cărbunele or Rădocheasa River is a tributary of the Rădoteasa River in Romania . 1 +The politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . Politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . 1 +Stalin ( December 4 , 1888 , Puławy , August 21 , 1937 ) was a leading Polish communist , purged by Edward Próchniak . Edward Próchniak ( December 4 , 1888 - August 21 , 1937 ) was a leading Polish communist , purged by Stalin . 0 +In the final , Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá from 7 to 6 ( 6 ) , 6 - 3 . Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá 7 -- 6 ( 6 ) , 6 -- 3 in the final . 1 +In 2000 , he founded together with his mother Jan Cousteau and his sister Alexandra Cousteau EarthEcho International . In 2000 , he co-founded EarthEcho International with his mother Jan Cousteau and his sister Alexandra Cousteau . 0 +Chris Lewis defeated John McEnroe , 6 -- 2 , 6 - - 2 , 6 -- 2 John McEnroe defeated Chris Lewis , 6 -- 2 , 6 -- 2 , 6 -- 2 0 +Melodies were used by composers such as Franz Liszt , Ludwig van Beethoven , Pablo de Sarasate and others . Bihari 's melodies were used by such composers as Franz Liszt , Ludwig van Beethoven , Pablo de Sarasate and others . 1 +Regardless of quick sorrow , he was known for his spiritual understanding and discipline . He was known for his spiritual understanding and discipline , regardless of quick suffering . 1 +In May 2013 , the title track was a single - five - top on the Texas Music - Chart . The title track was a top five single on the Texas Music Chart in May 2013 . 0 +"Billy ( September 25 , 1918 -- May 3 , 2011 ) whose friends called him "" William Pendry Bidelman "" , was an American astronomer ." "Bidelman William Pendry ( September 25 , 1918 - May 3 , 2011 ) , whose friends called him "" Billy "" , was an American astronomer ." 0 +Fish species of the parks rivers and lakes are Sperchios Barbe , Greek Döbel , Sperchios spirlin , Macedonian trout and probably the endangered Marathon Minnow . Fish species of the parks rivers and lakes are Sperchios barbel , Macedonian chub , Sperchios spirlin , Greek trout and probably the endangered Marathon minnow . 0 +They were the parents of agricultural educationist Alfred Charles True and zoologist Frederick William True . They were the parents of the agricultural educator Frederick William True and zoologist Alfred Charles True . 0 +If one of them caught the trap , they automatically won and their opponent lost the round , along with the prizes they had already chosen . If one of them picked the trap , they automatically lost and their opponent won the round , along with whatever prizes they had already chosen . 0 +"Sportswriter and player Wallace put Jimmy Smith on his All American team "" from 1909 ." Sportswriter and player Jimmy Smith put Wallace on his All American team in 1909 . 0 +Alworth was elected in the first round ( eighth overall ) of the NFL - draft in 1962 by the San Francisco 49ers . Alworth was elected by the San Francisco 49ers in the eighth round ( first overall victory ) of the NFL - draft in 1962 . 0 +"The species was first formally described by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by Carl Meissner ." "The species was first formally described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by Carl Meissner ." 1 +Manor Township was officially merged into Washington Boro in 1973 . In 1973 , Washington Boro officially merged into Manor Township . 0 +Despite the limited success of the general attack the battalion lost nearly half its strength . Despite the general success of the limited attack , the battalion lost nearly its half force . 0 +The Janmashtmi Festival is organised in the village and a mela is also celebrated . The Janmashtmi festival is celebrated in the village and a mela is also organised . 0 +Jalan Kampung Raja , Johor , Malaysia ( Pagoh state route J139 ) is a major road in Johor . Jalan Kampung Raja , Johor , Malaysia ( Pagoh State Route J139 ) is a major street in Johor . 1 +"For example , the lyrics "" I fought the law and the law won "" became "" I fought the Lloyds and the Lloyds lost "" ." "For example , the text "" I fought the law and the law was won "" I fought the Lloyds and the Lloyds lost "" ." 0 +In life , the physical functions of the soul are restricted by rational and intelligent senses of pleasure , pain , visibility and sound . In life , the rational and intelligent functions of the soul are restricted by bodily senses of pleasure , pain , sight , and sound . 0 +The district of Waitaki , in the regions of Canterbury and Otago of New Zealand , spans the traditional border between the two regions , the Waitaki River . The Waitaki River district , in the Canterbury and Otago regions of New Zealand , straddles the traditional border between the two regions , the Waitaki . 0 +The cartoons are more technically advanced than the rather rough animation in Ward 's earlier series , derived from Gamma Productions , a Mexican studio sponsored by Ward . The cartoons are technically more advanced than the rather crude animation in Ward 's earlier series , which originated from Gamma Productions , a Mexican studio sponsored by Ward . 1 +These puppets had covered their English or Spanish names with a sticker with the German name or sometimes nothing at all . These dolls had their English or German names covered by a sticker with the Spanish name or sometimes nothing at all . 0 +Asha is the first Indian and the second Asian to win that captivity , the first Asian to win Miss Supranational is Mutya Datul from the Philippines . Asha is the first Indian and second Asian to win the said pageant , the first Asian to win Miss Supranational is Mutya Datul from Philippines . 1 +Mohammad Hariri is currently President of the Board of Directors , and Abdullah Orkun KAYA is CEO of the TTNET . Abdullah Orkun KAYA is currently President of the Board of Directors and Mohammad Hariri is the CEO of the TTNET . 0 +The bill is black , the eyes , cere , legs and feet are yellow . The bill is yellow , eyes , cere , the legs and feet are black . 0 +In 1871 , Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and author Mary Macaulay . Booth married Mary Macaulay in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Beatrice Webb . 0 +Maria Vittoria Rossa Argento ( ; born Aria Asia Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . Argento ( born September 20 , 1975 in Argento , Aria Maria Vittoria Rossa Argento ) is an Italian actress , singer , model , activist and director . 1 +Several publications published by the Public Health Service have shown that veterans have increased rates of cancer , and nerve , respiratory , skin , and digestive disorders . Several publications of the Public Health Service have shown that veterans have increased cancer , nerve , respiratory , skin and digestive disorders . 1 +The mine is located near Abakan in the south of Russia in Khakassia . The mine is located near Abakan in South Chakassia in Russia . 0 +Thomas Thomas Pratt ( 1837 - March 6 , 1917 ) , also known as Tame Parata , was a Māori and a liberal party member in New Zealand . Tame Parata ( 1837 -- 6 March 1917 ) , also known as Thomas Pratt , was a Māori and a Liberal Party Member of Parliament in New Zealand . 1 +His son John I Lestrange ( died before 1178 ) , twice sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth for King Henry II in 1174 . His son John I Lestrange ( died prior to 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King Henry II . 1 +According to the United States Census Bureau , Harmony Township has a total area of which is land , and 5.21 % is water . According to the United States Census Bureau , Harmony Township is a total area of which is land and , or 5.21 % , has water . 1 +Currently , Mohammad Hariri is Chairman of the Board of Directors and Abdullah Orkun KAYA is the CEO of the TTNET . Mohammad Hariri is currently President of the Board of Directors , and Abdullah Orkun KAYA is the CEO of TTNET . 1 +"Great is known for his characters to have unrealistic body proportions , and "" Tenjho Tenge "" is no different ." "Unrealistic is known to have his characters having great body proportions and "" Tenjho Tenge "" is no different ." 0 +In August 2011 , Lee was selected as a member of the South Korean U-18 national team for the Asian Junior Baseball Championship in Yokohama , Japan . In August 2011 , Lee was selected as a member of the South Korean National Team for the Asian Junior Baseball Championships in Yokohama , Japan . 0 +In the final , Herbert and Maxime Teixeira defeated Alessandro Giannessi and João Sousa 6 : 4 , 6 : 3 . Pierre-Hugues Herbert and Alessandro Giannessi and João Sousa defeated Maxime Teixeira 6 -- 4 , 6 -- 3 in the final . 0 +Paraguay finished the fourth round of the group stage with eight points in second place and then qualified for the FIFA World Championship of Youth 1999 . Paraguay finished in fourth place of the second round group stage with eight points and subsequently qualified for the 1999 FIFA World Youth Championship . 0 +He was born from Feckenham , Worcestershire , England , around John Leighton by Wattlesborough and Joyce Sutton , daughter of Edward Sutton , 2nd Baron Dudley . He was from Feckenham , Worcestershire , England , born to John Leighton of Wattlesborough and Joyce Sutton , daughter of Edward Sutton , 2nd Baron Dudley . 0 +Kendra Saunders is now 100 % Hawkgirl . Now Kendra Saunders is 100 % Hawkgirl . 1 +Cobija lies on the banks of the Brasiléia across from the Brazilian city of Rio Acre . On the banks of the Rio Acre , opposite the Brazilian city of Brasiléia , lies Cobija . 0 +Devnya is also the seat of the municipality of Devnya ( part of the province of Varna ) , which includes the following 2 villages : The province of Varna is also the seat of the municipality of Devnya ( part of Devnya ) , which includes the following 2 villages : 0 +The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and fourth if the pre- 2003 Metropolitan Cup is included . 1 +The final easily won Peter Snell , but Odložil managed to get silver before John Davies . John Davies easily won the final , but Odložil managed to get silver ahead of Peter Snell . 0 +From 1915 to 1928 , Fuller Wollondilly represented the Liberal Party and the Nationalist Party since 1916 . From 1915 to 1928 Fuller represented Wollondilly for the Liberal Party and , from 1916 , the Nationalist Party . 0 +Miloslav Mečíř won against John McEnroe with 6 -- 0 , 3 -- 6 , 6 - 2 , 6 -- 2 in the finals . John McEnroe won against Miloslav Mečíř at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . 0 +An experiment was conducted in 1919 , where a standardization method of testing was tried . An experiment was tried in 1919 , where a method of standardization of testing was done . 0 +"Ceremonial music ( "" rokon fada "" ) is listed as a status symbol , and musicians are generally chosen for political reasons as opposed to musical ones ." "Ceremonial music ( "" rokon fada "" ) is performed as a status symbol , and musicians are generally chosen for musical reasons as opposed to political ones ." 0 +Sportswriter and player Jimmy Smith put Wallace on his All American team in 1909 . "Sportswriter and fellow player Jimmy Smith put Wallace on his 1909 "" All American Team . """ 1 +Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC combined statistical area . Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County - Spartanburg , SC -- Anderson , SC combined statistics . 0 +A potential protocol for the use of sensitive flow control signals must be used , however , to avoid such deadlock conditions . A potential protocol for the use of sensible transmission flow control signals must be used , to avoid such deadlock conditions , however . 1 +Lina was born on 21 September 1830 into the Dutch aristocracy of New York City , descendants of the city 's original settlers . Lina was born on September 21 , 1830 into New York City 's original aristocracy , descendants of the city 's Dutch settlers . 0 +There are Amateur Barbershop Harmony Society and occupational groups that sing exclusively a cappella . There are amateur Barbershop Harmony Society and professional groups that sing a cappella exclusively . 1 +The Entente Cordiale of 1904 changed the fictional landscape , which was reflected in diplomatic and military writings . The Entente Cordiale of 1904 changed the diplomatic and military landscape , which reflected in fictional writings . 0 +A multi-region - DVD of the entire series was announced by Warner Archive on February 4th , 2015 and released on February 10 , 2015 . A multi-region DVD of the entire series was released on February 4 , 2015 by Warner Archive and was announced on February 10 , 2015 . 0 +Different choices for the free variables may lead to different descriptions of the same solution set . Different choices for the same variables may lead to different descriptions of the free solution . 0 +When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except for Yu and Jimo because of Tian Dan . When Yue Yi attacked the Qi state in the past , he conquered more than 70 cities in Qi , except Ju and Jimo for Tian Dan . 0 +Slatyer returned to Australia in 1982 , after four years in Paris , and resumed his professorship at ANU . In 1982 , Slatyer returned to Australia after four years and resumed his professorship in the ANU . 1 +He played for the Kansas City Royals for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Chicago Cubs . He played for the Kansas City Royals for ten games during the 1991 Kansas City Royals season and four games during the 1992 Chicago Cubs season . 1 +"Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish-Swedish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Swedish - Finnish soprano ." 0 +The vaults are mesopotamian in design and decorative elements appear in the Coptic and Byzantine carvings . The vaults are of Mesopotamian design and Coptic and Byzantine elements appear in the decorative carving . 0 +He was also trained at the Academy of Art in Zurich , where he and others musically learned to use the computer for composing music . He was musically trained at the Art Academy in Zurich , where he and others also learned to use the computer for composing music . 0 +This scene was cut , although its opening recitative in rewritten form was present in the first production . This scene has been cut , although its opening recitative was present in rewritten form in the first production . 1 +Is a short book published by Virginia Cary Hudson , first in 1962 with illustrations by Karla Kuskin . Is a short book by Karla Kuskin , first published illustrations by Virginia Cary Hudson in 1962 . 0 +The score and soundtrack of the movie was composed by Alex Paul with lyrics penned by Vayalar Sarath Chandra Varma . The score and soundtrack of the movie was composed by Alex Paul with texts by Vayalar Sarath Chandra Varma . 1 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries in 1926 to join the United Alkali Company . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and United Alkali Company in 1926 to set up Imperial Chemical Industries . 0 +On January 16 , 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop to Dallas Mavericks . On 16 January 2009 , Hollins was traded with DeSagana Diop to Dallas Mavericks , in exchange for Matt Carroll . 0 +TS can theoretically be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numerical models . Theoretically , TS can be measured for numerical targets such as balls and cylinders , but in practice it is usually empirically calculated or derived with simple models . 0 +Portrayed by Soichiro Akizuki , Kantaro Suga is . Kantaro Suga is portrayed by Soichiro Akizuki . 1 +Amata leucacma is a species of moth of the family Erebidae . It is found in Australia ( Queensland ) . Amata leucacma is a species of the moth of the Erebidae family it is found in Queensland ( Australia ) . 1 +Then Hendrick attempted Tim Richmond to hire Dale Earnhardt , but not . Then Hendrick attempted Dale Earnhardt to hire Tim Richmond , but not . 0 +In 1949 , Arthur V. Watkins wrote to Utah - Senator Pabawena to report : Pabawena wrote in 1949 to Utah Senator Arthur V. Watkins to report : 0 +This leads him to question further the reality of his existential life , providing the very element . This leads him to question the reality of his existential life further by delivering the very element . 1 +Container glass has a lower magnesium oxide and sodium oxide content than flat glass and higher content of silica , calcium oxide and aluminium oxide . Container glass has a higher content of magnesium oxide and sodium oxide as flat glass and a lower content of silica , calcium oxide and aluminum oxide . 0 +Lucille Wilcox Joullin ( 1876 -- 1924 ) was an American painter known for her landscapes of New Mexico and the Pueblo Indians of California . Wilcox Joullin ( 1876 -- 1924 ) was an American painter , known for her landscapes of California and the Pueblo Indians of New Mexico . 0 +This species is caught regularly along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . This kind is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . 1 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variations ( if any ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if present ) : 0 +That night a mass ceremony was conducted and prayers were kept until dawn . A mass ceremony was held that night , and prayers were held until dawn . 0 +Pat Cash and Patrick Rafter won 3 : 6 , 6 : 1 , 6 : 3 against Jan Apell and Brent Haygarth in the final . Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 in the final against Pat Cash and Patrick Rafter . 0 +All the lines have ceased to exist , except that a short section of the Dunfermline line forms part of the Charlestown to Inverkeithing line . All lines have ceased to exist , except that a short section of the Dunfermline line forms a part of the Charlestown - Inverkeithing line . 1 +The nest is on the ground in a low shrub . Like most Old World warblers , this small passerine is insectivorous . The nest is located in a low shrub on the ground , and like most old world warblers , this small passerine is insect-eating . 1 +"SynthFont is a European MIDI editor and "" MIDI to Waveform "" converter , developed by commercial software developer Kenneth Rundt ." "SynthFont is an European MIDI editor and "" MIDI to Waveform "" converter , developed by the commercial software developer Kenneth Rundt ." 1 +"Mullan intended the initials to mean "" Military Road "" , but the crew began using them to mean "" Mullan Road "" ." "Mullan intended to mean the initials "" Mullan Road "" , but the crew used them to mean "" military road "" ." 0 +They belong to the Gautama - Gotra , they originate and are mainly based in Karnataka ( Kodagu ) , Coorg , a state in southern India . They belong to the Gautama gotra ; they originate from and are mainly based in Karnataka ( Kodagu ) , Coorg , a state in South India . 1 +Columbia College was founded as King 's College , by royal charter of King George II of New York in the Province of Great Britain in 1754 . Columbia College was founded in 1754 as the Royal College by the Royal Charter of King George II of Great Britain in New York Province . 0 +The Ceapa is a tributary of the Titimoiu River in Romania . The Ceapa River is a tributary of the Titimoiu River in Romania . 1 +The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to form the Bareilly -- Bareilly Railway on 1 January 1891 . The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to the Bareilly -- Bareilly Railway on 1 January 1891 . 1 +The village of Bellport is located on the shore of Bellport Bay , an arm of the Great South Bay , one mile south of North Bellport . The village of Bellport is located on the shores of Bellport Bay , an arm of the Great South Bay , a mile south of North Bellport . 1 +Brian King was appointed in 2002 to replace Bishop Lee . He is the first Anglican bishop in Australia to have a Chinese ethnic background . Brian King was appointed successor to Bishop Lee in 2002 and is the first Anglican bishop in Australia to have a Chinese ethnic background . 1 +Waye played his earliest football in Willunga and Renmark , before arriving in Adelaide and competing in the Port Adelaide Church Association . Waye played his earliest football game in Adelaide before arriving in Willunga and Renmark and joining the Port Adelaide Church Association . 0 +The driest calendar year since 1948 has been in 1965 and the wettest in 1956 . The driest calendar year since 1948 has been 1965 and the wettest 1956 . 1 +The species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . The species was discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . 0 +Emperor Ferdinand I played a role in the coronation celebrations of Emperor Matthias , 1612 and the election of Johann Reinhard in 1619 . I played a role at the coronation of Emperor Matthias in 1612 and the election of Emperor Ferdinand in 1619 . 0 +At UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . At the UFC Fight Night 101 Jon Tuck managed to steal a victory against Brown with a split decision . 0 +The expressway continues for another mile and crosses several buildings in short tunnels before crossing the Harlem River into the Bronx via the Alexander Hamilton Bridge . The expressway continues for another mile , crosses several buildings in short tunnels before crossing the Alexander Hamilton Bridge via the Harlem River into the Bronx . 0 +is a 1947 Donald Duck short , produced by Walt Disney and directed by Jack King for Walt Disney Productions and RKO Radio Pictures . Wide Open Spaces is a 1947 Donald Duck short cartoon , produced by Walt Disney and directed by Jack King for Walt Disney Productions and RKO Radio Pictures . 0 +Peter Anna Barattin married in 2013 while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . In 2013 , Nicholas Furiuele married Julia while Peter was married to Anna Barattin , both of whom are members of the band Shantih Shantih . 1 +Although the Maryland Department of Transportation is headquartered in Baltimore , three of its subordinate organizations have headquarters located in Anne Arundel County . Although the Maryland Department of Transportation is located in Anne Arundel County , three of its subordinate organizations have their headquarters in Baltimore . 0 +Anri is expressed in English by Yuko Mizutani in Japanese and by Katherine Burton . Anri is voiced by Yuko Mizutani in Japanese and by Katherine Burton in English . 1 +Emperor Yang Zhi agreed and , in 276 , married Wu and created her empress . Emperor Yang Zhi agreed and married 276 Wu and created her Empress . 0 +In 2005 , Toshiaki Imai was appointed assistant to Chen , then manager of Chinese Taipei national team . In 2005 , Chen was appointed assistant of Toshiaki Imai , then manager of the Chinese national team Taipei . 0 +( formula _ 26 are normal vectors at the intersection points . Their scalar product is formula _ 27 . ) ( Formula 26 are normal vectors at the intersection points . Your product in Formula 27 is scalar . ) 0 +Ranjit Singh marched to ( Rawalpindi ) , from there to ( Rohtas ) and via ( Sarai Kala ) reached Sirikot . Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and to Sirikot via ( Sarai Kala ) . 0 +The diocese of Southern Leyte comprises the whole province of Maasin including six municipalities southwest of Leyte . The diocese of Maasin includes the whole province of Southern Leyte , including six municipalities southwest of Leyte . 0 +The Sultan of Golconda extinguished Mysore and humiliated the Vijayanagara empire and accepted and attacked the kingdom of Mysore . The Sultan of Golconda accepted and attacked Mysore and extinguished the Vijayanagara empire and humiliated the kingdom of Mysore . 0 +Simeon P. was born on 11 June 1890 in Winton , North Carolina , around Taylor and Kate ( Taylor ) Ward . Taylor was born on 11 June 1890 in Winton , North Carolina , around Simeon P. and Kate ( Ward ) Taylor . 0 +"The duo borrowed the title "" Electric Arguments "" from the poem "" Kansas City to St. Louis "" by Allen Ginsberg ." "The duo borrowed the title "" Electric Arguments "" from the poem "" Kansas City to St. Louis "" of Allen Ginsberg ." 1 +Thommessen 's list of works includes numerous symphonic works , chamber music pieces , and vocal music works . The list of works by Thommessen includes vocal works , chamber music pieces and numerous symphonic music works . 0 +The result of their creation is that Williams , famous tennis player sisters Montserrat Caballe , Marilyn Manson wear these clothes . The result of their creation is that Montserrat Caballe , Marilyn Manson , famous tennis players sisters Williams wear these clothes . 0 +It is located on the historic Natchez Trace , at Mile 180.7 at the modern Natchez Trace Parkway in Mississippi , USA . It is located on the modern Natchez Trace , Mile 180.7 at the historic Natchez Trace Parkway in Mississippi , USA . 0 +The 16 remaining shareholders were Frances Bannister ( 75 shares ) , George Truog ( 30 shares ) and Joseph Stenger ( 8 shares ) . Among the remaining 16 shareholders were Joseph Stenger ( 75 shares ) , George Truog ( 30 shares ) and Frances Bannister ( 8 shares ) . 0 +Euacidalia brownsvillea is a moth of the Geometridae family that is found in North America , including Texas as well as Hawaii . Euacidalia brownsvillea is a moth of the family Geometridae . It is found in North America , including Hawaii as well as Texas . 1 +In Havana , another series was played between Cincinnati Reds and the Boston Red Sox . Another series was played in Havana between the Boston Red Sox and the Cincinnati Reds . 1 +The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was made in 3D and finalized in post-production . The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was finalized in 3D and manufactured in the post-production . 0 +Vespasian was a Roman soldier of the equestrian class , whom Gaius Cornelius Gallicanus received during the year of the Four Emperors for his loyalty to the Roman Senate . Gaius Cornelius Gallicanus was a Roman soldier of the equestrian class whom Vespasian adlected into the Roman senate for his loyalty during the Year of the Four Emperors . 0 +"Felipe Calderón inaugurated a boulevard in Tijuana , Baja California called "" José Francisco Blake Mora "" on 11 October 2012 ." "On 11 October 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." 1 +"In 2017 , Chris Shiflett for "" Cheney "" filled in the spring tour of "" Me First and the Gim me Gimmes "" ." "In 2017 , Cheney filled in for "" Chris Shiflett "" on the spring tour of "" Me First and the Gim me Gimmes "" ." 0 +The 1927 Colgate football team represented Colgate University in the 1927 college football season . The 1927 Colgate University Football team represent Colgate in the College - Football - Season 1927 . 0 +Indiana was also founder and director of Kerchoonz.com , a social networking site that was dissolved in 2009 and launched in 2011 . Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking site that was dissolved in 2009 and launched in 2011 . 1 +HBV is transmitted to carrier mothers by perinatal contact with body fluids such as blood and lymph , as well as through parenteral exposure of infants . HBV is transmitted by parenteral contact with body fluids , such as blood and lymph ; perinatal exposure of infants to carrier mothers . 0 +The affine scaling direction can be used to choose a heuristic to adaptively define the centering parameter as The affine scaling direction can be used to define a heuristic to adaptively the centering parameter as : 0 +The Lăpuş River is a tributary of the Coruia River in Romania . The river LÄ puá is a tributary of the Coruia River in Romania . 1 +On the same day , the Quebec Railway Corporation announced that it is purchasing the Sydney Coal Railway ( SCR ) from Logistec Corporation . On the same date , Logistec Corporation announced that it was purchasing the Sydney Coal Railway ( SCR ) from the Quebec Railway Corporation . 0 +"None of these songs , with the exception of "" Live to Rise "" , is heard in the film ." "None of these songs , with the exception of "" Rise to Live "" , is heard in the film ." 0 +The second wife of Lü Bu , who was mentioned only by name in the novel , was a fictional daughter of Cao Bao . The second wife of Cao Bao , who was mentioned in the novel only by name , was a fictional daughter of Lü Bu . 0 +While these two stations are relatively close to each other , the two stations are not interchangeable , they are situated along different parts of the Pudian Road . While these two stations are relatively close to each other , the two stations are not interchangeable , but are located along different parts of the Pudian Road . 1 +In the team that played the second test , Pakistan made a change : Alimuddin replaced Intikhab Alam . Pakistan made one change in the team that played the Second Test ; Intikhab Alam replaced Alimuddin . 0 +In 1989 Roxus supported international bands , Poison and Bon Jovi , on their respective Australian tours . In 1989 , Roxus supported Australian bands Poison and Bon Jovi on their international tours . 0 +In 2017 , Will Hammer stands in the 89th district , Terry Hurst in the 20th district , and Michael Millner in the 22nd district . Candidates running in 2017 include Will Hammer , in the 89th district ; Terry Hurst in the 20th district ; and Michael Millner in the 22nd district . 0 +A tribute to Frank Sinatra : the US - American actor Seth MacFarlane was the lead singer with Jamie Parker and Claire Martin . A tribute to Jamie Parker and Claire Martin , the American actor Seth MacFarlane , with Frank Sinatra , was the lead singer . 0 +Cunningham became tenth in the NBA in scoring and third in rebounds . Cunningham was tenth in the NBA in scoring and third in rebounds . 1 +Sean and his son Dirk finally leave the wilderness and discover that a war is brewing between the British and the Boers . Finally the Dirk and his son Sean leave the wilderness and discover that there is a war brewing between the British and the Bureau . 0 +"Mount Sis is also a plateau which has called "" Sis Dağı Yaylası "" in Turkey ." "Mount Sis is also a plateau that has called "" Sis Dağı Yaylası "" in Turkey ." 1 +In November 2017 , Starbucks sold Tazo to Unilever for $ 384 million . In November 2017 , Starbucks Tazo sold Unilever for $ 384 million . 0 +After the 1962 season , Green was traded with the New York Mets together with Felix Mantilla in exchange for Tracy Stallard and Al Moran . After the season in 1962 , Green was traded with Tracy Stallard and Al Moran in exchange for Felix Mantilla , with the New York Mets . 0 +This victory repeated in an Opel Astra in 2003 this victory with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . 1 +They speak a creole called Baba Malay , which is a colloquial form of Malay words mixed with Hokkien . They speak a creole termed Baba Malay which is a colloquial form of Hokkien mixed with Malay words . 0 +Ulpio Minucci ( June 29 , 1917 - March 9 , 2007 ) was an Italian-born American composer and musician . Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian composer and musician . 0 +The 6th Field Artillery - Regiment was first activated by elements of the 5th and 8th field artillery in 1916 . The 8th Field Artillery Regiment was first activated in 1916 from elements of the 5th , and 6th Field Artillery . 0 +The Data Definition Facility provides a semantic for persistent artifacts such as collections and indexes in XQuery or JSONiq programs . Data Definition Facility provides a semantic for persistent artifacts such as collections and indexes in XQuery or JSONiq programs . 1 +( The EL - succeeded Conrail in 1982 sold the old main route Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway . ) ( EL - Successor Conrail sold the old New York main route through Utica , Chenango , and Susquehanna Valley in 1982 to Cassville , Susquehanna , and Western Railway . ) 0 +In September 2017 , benzoylfentanyl was banned in Sweden and in Finland in October 2017 . Benzoylfentanyl was banned in September 2017 in Finland , in October 2017 in Sweden . 0 +The five candidates elected were Slovenia , Brazil , Gabon , Gambia , and Bahrain . The five elected candidates were Bahrain , Brazil , Gabon , Gambia and Slovenia . 1 +It has been found in Croatia , Bosnia and Herzegovina , Serbia and Montenegro , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +It is now held by John Richard Attlee ’ s grandson Clement Attlee , 3rd Earl Attlee . It is now held by Clement Attlee 's grandson John Richard Attlee , Earl Attlee 3rd . 0 +"She was also a member of the organisation "" sculptures and memorials "" , founded in 1934 to support local sculptors working with British stones ." "She was also a member of the "" Sculptures and Memorials "" organisation , which was founded in 1934 to support local sculptors working with British stones ." 1 +Speakers included many pioneers of the interactive immersive media space , including David A. Smith , Graham Smith , Sara Diamond , optical holography artist Michael Page . Speakers included many pioneers of the interactive immersive media space , including David A. Smith , Graham Smith , and Sara Diamond , the optical holographic artist Michael Page . 1 +Colombres is one of three parishes ( administrative districts ) in Ribadedeva , a municipality in the province and autonomous community of Asturias , northern Spain . Colombres is one of three parishes ( administrative divisions ) in Asturias , a municipality within the province and autonomous community of Ribadedeva , in northern Spain . 0 +The A40 parallels the M40 from Oxford to London and for years was the main road between the two cities as its precursor . The A40 parallels to the M40 from Oxford to London and for years was the main road between the two cities as a precursor . 1 +It is about southeast of White Cap Mountain , 2 miles southwest of Baker Mountain , and 5 miles west of Moosehead Lake . It is located southeast of Moosehead Lake , 2 miles southwest of Baker Mountain and 5 miles west of White Cap Mountain . 0 +In 2006 , Bozanga was appointed Chairman of the State Council by President François Bozizé . In 2006 , François Bozizé was appointed President of the Council of State by President Bozanga . 0 +( Zhu Youzhen changed his name to Zhu Zhen . ) ( Zhu Zhen changed his name to Zhu Youzhen . ) 0 +Vladimír Železný ( born March 3 , 1945 in Samara , Soviet Union ) is a media businessman and politician in the Czech Republic . Vladimír Železný ( born March 3 , 1945 in Samara , Czech Republic ) is a media businessman and politician in the Soviet Union . 0 +This night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . That night , Emperor Li Zhan died , and Muzong took the throne ( as Emperor Jingzong ) . 0 +Its organic elements were simultaneously activated , and the battalion was reconstituted on 1st June ,1959 with headquarters at Clearfield , Pennsylvania . Its organic elements were reconstituted simultaneously and the battalion was activated on 1 June 1959 , with its headquarters in Clearfield , Pennsylvania . 0 +Only the sara of the South was effectively governed , the French presence in the Islamic North and East was nominal . Only the Sara of the south was governed effectively ; nominal presence in the French north and east was Islamic . 0 +To avoid sparse conversions between limited types , a casting with the attribute force is used to mark a valid warning . To mark valid conversions between restricted types , a casting with the force attribute is used to avoid Sparse giving a warning . 0 +Ivan Ivanov is a successful kickboxing - master and coach and a famous producer in Russia . Ivan Ivanov is a famous kickboxing master and coach and a successful producer in Russia . 0 +Alla Petrovna Tsuper ( born 16 April 1979 ) is a Belarusian ( until 2000 ) and Ukrainian ( since 2000 ) aerial skier . Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Belarusian ( until 2000 ) and Ukrainian ( since 2000 ) flight skier . 1 +The original intention of Igor Girkin and his men was the repetition of Crimea - scenarios ( the seizure of the territory by the Russian army ) . The original intention of Igor Girkin and his men was the repetition of the Crimean scenario ( the seizure of the territory by Russian army ) . 1 +He is the son of Juan he has three brothers Danilo Jr. , Antonio , Danilo K. Rapadas and Cerila Matias Rapadas and his sisters Roberta and Christina . He is the son of Danilo K. Rapadas and Cerila Matias Rapadas has three brothers Danilo Jr. , Antonio , Juan and his sisters Roberta and Christina . 0 +Starring Holly Hunter and Tim Robbins , the series focuses on a multi-racial contemporary family in the Portland area . The series , occupied with Holly Hunter and Tim Robbins , focuses on a contemporary multi-racial family in the Portland area . 1 +Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in Puntarenas Province , Costa Rica . Puerto Jiménez Airport is an airport that serves Puerto Jiménez , the second district of Golfito Canton in the province of Puntarenas , Costa Rica . 0 +Nevertheless , his detailed notes on his academic laboratory work are remarkable . Nevertheless , his detailed notes on his undergraduate laboratory work are remarkable . 1 +Simon Butler ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Mathews in 1712 . Simon Butler ( d. 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Mathews . 1 +"The striped mouse of Temminck or West African Hybomys ( "" Hybomys trivirgatus "" ) is a species of the rodent in the Muridae family ." "Temminck 's West African mouse or striped hybomys ( "" Hybomys trivirgatus "" ) is a species of rodent in the family Muridae ." 0 +If it was right and moral , as I now believe , then it was necessary . If it was necessary , as I believe now , it was right and moral . 0 +"In the early 1970s , Naughton wrote for the political and cultural weekly , the "" New Statesman "" , mainly covering scientific issues ." "In the early 1970s , Naughton wrote for the scientific weekly , the "" New Statesman "" , mainly on political and cultural issues ." 0 +Otto Müller died on December 9 , 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . On December 9 , 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . 0 +Joe was born on 27 March 1929 in Quincy , Massachusetts and grew up in Somerville , Massachusetts . Joe was born in Quincy , Massachusetts on March 27 , 1929 and grew up in Somerville , Massachusetts . 1 +On 7 September 2011 , the Blue House officially scrapped plans for a foundational tax deduction , marking the rich end of Mbnomics . On September 7 , 2011 , the Blue House officially scrapped plans for a basic tax deduction , marking the rich end of Mbnomics . 1 +Iowa State has won eight titles , and then both Oklahoma and Penn State have each won seven championships . Iowa State has won eight titles , and Oklahoma and Penn State have won seven championships each . 1 +The Padres left Qualcomm Stadium for Petco Park for the 2004 baseball season . For the baseball season 2004 the padres left the Qualcomm stadium for the Petco Park . 1 +During peak hours , the Bedford services continue to Kentish Town . During peak hours , the services of Kentish Town continue to Bedford . 0 +Finally , the global stiffness matrix is extended by adding together the individual element matrices constructed . Finally , the global stiffness matrix is built up by adding together the individual element matrices expanded . 0 +The castle was seized from Grüner by SSLieutenant General Heinrich Himmler under the orders of Oswald Pohl on 7th February , 1943 . The castle was confiscated by Lieutenant General Oswald Pohl on 7 February 1943 under the orders of Heinrich Himmler from Grüner . 0 +was a son of Reverend Henry Addington , 2nd Viscount Sidmouth , the eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . Sidmouth was the son of Reverend William Leonard Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister Henry Addington , 1st Viscount Sidmouth . 0 +There are two important special cases : ( i ) a simple closed chain and ( ii ) a simple chain open . There are two important special cases : ( i ) a simple closed chain , and ( ii ) a simple open chain . 1 +Mark Williams is played in the TV series by Olaf Petersen . Olaf Petersen is played in the television series of Mark Williams . 0 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland 's success with Tipperary . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed with Tipperary also All - Ireland - success . 0 +Often these plots were retired , so that a one-storey bungalow , especially for large people , was quite practical . Often these plots were large , so that a one-storey bungalow was particularly practical for retired people . 0 +In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Frankfurt and in Amsterdam in 2012 . In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in 2012 in Frankfurt . 0 +""" Under the Radar "" gave him five out of ten stars and called it "" a very professional , but ultimately uninspired set ... flat and almost insignificant ." """ Under the Radar "" gave him five out of ten stars and called it "" a very professional , but almost insignificant set ... flat and ultimately uninspired ." 0 +Simon Bosboom ( 1614 , Emden -- 1662 , Amsterdam ) , was a Dutch Golden Age architect and writer . Simon Bosboom ( 1614 , Emden - 1662 , Amsterdam ) was a Dutch architect and writer of the Golden Age . 1 +Bourg-de-Péage is from Valence , Prefecture of Drôme , away from Lyon , Marseille and Paris . Bourg-de-Péage is located from Valence , prefecture of Drôme , away from Lyon , from Paris and from Marseille . 1 +The situation is complicated when Bob 's Chief Stellan ( Matthew Lillard ) falls in love with Cathy . The situation is complicated when Stellan 's boss Bob ( Matthew Lillard ) falls in love with Cathy . 0 +Disputes with leaders of Marble Hill persuaded the railroad to relocate their route through Lutesville instead . Disputes with leaders of Lutesville persuaded the railroad to move their route through Marble Hill instead . 0 +On September 15 , 2015 , Johnson signed with Romanian team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Polish team Stal Ostrów Wielkopolski . On September 15 , 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on July 17 , 2016 . 1 +Giler wrote some paragraphs about the idea and then he and Hill went and wrote a full script . Giler wrote some paragraphs about the idea and then he and Hill went out and wrote a full script . 1 +The association of the human eye with mirrors was so strong that stylized eyes were often used in Teotihuacan - art as a substitute for the face of a mirror . The association of the stylized eye with mirrors was so strong that in the Teotihuacan art , human eyes were often used as a substitute for the face of a mirror . 0 +Catlin is the hometown of Illinois State Representative Chad Hays , who represents the 104th Representative District of Illinois . Catlin is the hometown of Illinois State Representative Chad Hays , representing the 104th Representative District of Illinois . 1 +The music was composed by M. K. Arjunan and written by KH Khan Sahib and Kanam EJ . The music was composed by M. K. Arjunan and lyrics was written by KH Khan Sahib and Kanam EJ . 1 +Here is a list of schools in Harford County , Maryland . Both public schools and independent schools are included , but parochial schools are not listed . Here is a list of schools in Harford County , Maryland , which are included in both public schools and independent schools , but parish schools are not listed . 1 +She previously played for HJK , FC Honka and Åland United of the Finnish Naisten Liiga , as well as for Danish club Fortuna Hjørring . Previously , she played for Åland United , the FC Honka and HJK of the Finnish Naisten Liiga as well as the Danish club Fortuna Hjørring . 1 +In 1977 , the US 1 was moved to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River with Alexander Hamilton Bridge . In 1977 , the US 1 was transferred to Webster Avenue and Alexander Hamilton Bridge , crossing the Harlem River via the Cross Bronx Expressway . 0 +Kalamazoo was the first community to change the name of its street followed by Jackson and Marshall in 1924 , Battle Creek in 1928 and Albion in 1929 . Albion was the first community to change the name of its street , followed by Jackson and Marshall in 1924 , Battle Creek 1928 and Kalamazoo in 1929 . 0 +In addition to Diana Hubbard , the album includes musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker , and Patrick Moraz . The album includes Diana Hubbard , musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker and Patrick Moraz . 1 +Naval propellants were then filled at ROF Bishopton and manufactured at ROF Chorley , and later ROF Glascoed . Then were manufactured at ROF Bishopton and filled with ROF Chorley and later at ROF Glascoed . 0 +The continuous power density is determined by the product 's continuous torque density and the constant torque speed range of the electric machine . The continuous power density is determined by the product of the continuous torque density and the constant torque speed range of the electric machine . 1 +Some white colonies can not contain the desired recombinant plasmid for a number of reasons . Some white colonies may not contain the desired recombinant plasmid for a number of reasons . 1 +Container glass has a higher magnesium oxide and sodium oxide content than flat glass , and a lower Silica , Calcium oxide , and Aluminum oxide content . Container glass has a higher magnesium oxide and sodium oxide content than flat glass and a reduced content of silica , calcium oxide and aluminum oxide . 1 +Tennehena is a village in Sri Lanka within Central Province . Tennehena is a village in Sri Lanka within the central province . 1 +The 2010 -- 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . The 2010 season -- 11 Rain or Shine Elasto painter was the fifth season of the franchise at the Philippine Basketball Association ( PBA ) . 1 +The software is object-oriented and offers a wide range of specialist functionality for document management and global collaboration , which can be extended by sophisticated cloud applications . The software is object-oriented and offers a wide range of sophisticated functions for document management and global collaboration , which can be extended by specialised cloud applications . 0 +Before the unification of South Yemen in 1990 , the law determined the minimum age of marriage to 16 in Yemen and 15 in the north . Before the unification of Yemen in 1990 , the law determined the minimum age of marriage to 16 in South Yemen and 15 in the north . 0 +Edward married Mary Letitia Stawell ( 1870 -- 3 November 1938 ) , daughter of Sir William Stawell KCMG , on 14 May 1890 . Their children included : Edward married Mary Letitia Stawell on May 14 , 1890 ( 1870 - November 3 , 1938 ) , daughter of Sir William Stawell KCMG . 1 +The ship was deleted from the naval register on 1 March 1973 and sold for scrapping in 1974 . The ship was struck from the Naval Vessel Register on March 1 , 1973 and sold for scrapping in 1974 . 1 +Cheetham was born on January 30 , 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . Born in El Paso , Texas , January 30 , 1928 , Cheetham grew up in Taos , New Mexico , received B.S . 0 +The series was also produced with some success in Italy , where new stories were published in France even after the series ended . The series was also produced with some success in Italy , where new stories were published even after the closing of the series in France . 1 +Isitt attended our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Darren Wassall . Isitt went to our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Darren Wassall . 1 +It was created on July 18th , 1914 for the pharmacist and businessman William Horlick , brother of James Horlick . It was created on 18 July 1914 for the pharmacist and businessman William Horlick , brother of James Horlick . 1 +The legacy of the Aldenata , also known as the Posleen War Series , is the fictitious universe of one of the military science - fiction - series by John Ringo . The heritage of the Aldenata , also known as the Posleen War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . 0 +In early spring 2008 , a more official sketch was published , which was then discussed with various interest groups before another version was to be produced . A more official sketch was published early in spring 2008 , which was then discussed with various interest groups before a further version is to be produced . 1 +In November 2012 she was in Cairo , and in October she was in Tokyo , to write on the film festivals , interact with programmers and visit studios . In November 2012 she was in Tokyo and in Cairo in October to write at the film festivals , interact with programmers and visit studios . 0 +"The hyperbolic case is similar , with the area of a disk of the hyperbolic radius "" R "" at the constant level ( intrinsic curvature formula 83 ) given by" "The hyperbolic case is similar , with the area of a disk of hyperbolic radius "" R "" in the ( intrinsic curvature formula _ 83 ) constant plane given by" 1 +"Maviz Central District is a rural district ( "" dehestan "" ) in the Tehran Province of Shahriar County , Rural District , Iran ." "Maviz Rural District is a rural district ( "" Dehestan "" ) in the county of Shahriar , Tehran , Iran ." 0 +There are about 2,018 clinics and hospitals in Caracas , 634 in Valencia , 195 in Barquisimeto , 173 in Maracaibo , and 92 in Venezuela . In Venezuela there are approximately 2,018 clinics and hospitals , 634 in Caracas , 195 in Maracaibo , 173 in Valencia and 92 in Barquisimeto . 0 +In 1993 he graduated from the Kuban State University as a philologist and teacher of the Russian language , in 1995 , the same University as a lawyer . In 1993 he graduated from Kuban State University as a philologist and teacher of the Russian language , in 1995 the same university as a lawyer . 1 +Scopa is white , but black at the front edge . Scopa is white , at the front edge but black . 1 +In comparison to previous instruments , this camera allows for more sensitive images in the near infrared range of the visible spectrum and in the red area . This camera allows for more sensitive images in the near infrared part of the visible spectrum and in the red , in comparison to previous instruments . 1 +The car was sold in various markets with different names . The car was sold with various names in different markets . 1 +Mornington House was the Georgian season of the Dublin Social Residence of the Earls of Mornington . Mornington House was the Dublin Georgian season social residence of the Earls of Mornington . 1 +John Peter Featherston married Bessie Parnell , daughter of John Parnell , County Wicklow , Ireland in 1871 . In 1871 Bessie Parnell married John Parnell , daughter of John Peter Featherston , of County Wicklow , Ireland . 0 +The opera debuted on December 3 , 1954 at the Royal Opera House in London , directed by Sir Malcolm Sargent and directed by George Devine . The opera debuted at the Royal Opera House , London , on 3 December 1954 directed by Sir Malcolm Sargent , and conducted by George Devine . 1 +Danijel Šarić ( born July 27 , 1977 ) is a handball goalkeeper of Bosnian - Serb origin for Al Quiada and the Cataran national team . Danijel Šarić ( born 27 July 1977 ) is a Qatari handball goalkeeper of Bosnian Serb origin for Al Quiada and the Qatari national team . 0 +This small bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the current Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . This little bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge over the Peace River . 1 +Michael Chang won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan . Michael Chang won 3 : 6 , 6 : 3 , 7 : 5 against Renzo Furlan in the final . 1 +The ovarian arteries swell during pregnancy in order to increase uterine blood supply . The uterine arteries swell during pregnancy , in order to increase the ovarian blood supply . 0 +Somerville had joined the Royal Scots Greys regiment of the British Army in December 1831 . Somerville joined the regiment of the British Royal Scots Greys in December 1831 . 0 +In addition to her own dowry , Cecily brought the wardship of her daughter Katherine to her new husband . Together William Hastings and Katherine had six children : In addition to her own dowry , Cecily brought her new husband the station of her daughter , Katherine , who had six children , together with William Hastings and Katherine : 0 +It is a segment of the Natchez Trace , located at an interpretive stop of Natchez Trace Parkway . It is a segment of the Natchez Trace located at a Natchez Trace Parkway interpretive stop . 1 +The music of Kalia is composed by Wajahat Attre with lyrics by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . The music of Kalia is composed by Wajahat Attre with lyrics penned by Waris Ludhianvi and Khawaja Pervez and singers are Noor Jehan and Naheed Akhtar . 1 +The family was a BBC television series from 1974 made by producer Franc Roddam and addressed by Paul Watson . The Family was a 1974 BBC television series made by producer Franc Roddam , and directed by Paul Watson . 1 +Among the bugis dealers were also members of the nobility like Raja Ali Haji , who married the daughter of Engku Karaeng Talibak . Among the Bugis traders were also members of the nobility like Engku Karaeng Talibak who married the daughter of Raja Ali Haji . 0 +On June 17 , 1988 , the Baltimore Blast selected Agnew in the first round ( fourth overall ) of the Major Indoor Soccer League draft . On June 17 , 1988 , the Baltimore Blast Agnew elected in the fourth round ( first total ) of the Major Indoor Soccer League Draft . 0 +There are direct trains from Agra Fort Railway Station to Kolkata , most of them through Tundla Junction , which is a 40-minute drive from Agra . There are direct trains from Kolkata to Agra , most of them pass through Agra Fort Railway Station , which is a 40-minute drive from Tundla Junction . 0 +It serves Mumbai area of the city Dadar . It serves Dadar area of Mumbai city . 0 +After receiving a second Nobel Prize in 1903 with her husband Pierre , Marie Curie won the Nobel Prize for Chemistry in 1911 . After receiving a second Nobel Prize with her husband Pierre in 1903 , Marie Curie won a joint Nobel Prize for Chemistry in 1911 . 1 +"He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created by Will Crowther in 1977 and modified by Don Woods ." "There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Don Woods and modified by Will Crowther ." 0 +The wingspan is located , the moth flies from July to August depending on the location . The wingspan flies , the moth comes depending on the location from July to August . 0 +The incident was not originally reported by the state-controlled international media , but was instead first reported on by Iranian media . The incident was originally not reported by the state-controlled Iranian media , but was first reported by international media . 0 +"The book is the basis for the 2016 film "" In the Forests of Siberia "" , directed by Raphaël Personnaz and Safy Nebbou ." "The book is the basis for the 2016 film "" In the Forests of Siberia "" , directed by Raphaël Personnaz and starring Safy Nebbou ." 1 +He was drafted by the Chicago Cardinals and also played for the Washington Redskins and the Philadelphia Eagles . He was drafted by the Chicago Cardinals and played for the Philadelphia Eagles and Washington Redskins . 1 +Specific light wavelengths contained in the observed light from stars can be separated and related to the quantized transitions in free gas atoms . Specific light wavelengths contained in the quantized light from stars can be separated and referred to the observed transitions in free gas atoms . 0 +In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador as a state geologist in the fall of 1879 . In 1877 he returned to Connecticut but soon went back again to California , and in the fall of 1879 went to the Republic of Salvador as State Geologist . 0 +Surumaitta Kannukal is an Indian Malayalam film dating from 1983 , produced by Skonnanatt and directed by K Manoharan and K Sreedharan . Surumaitta Kannukal is a 1983 Indian Malayalam film , produced by SKonnanatt and directed by K Manoharan and K Sreedharan . 1 +Just before his death , Aleksander Mikhailov received threats from a high-ranking FSB general , Grigory Pasko , according to Sergei Yushenkov . Shortly before his death , according to Grigory Pasko , Sergei Yushenkov received threats from a high-ranking FSB - General , Aleksander Mikhailov . 0 +In general , Northern Europe , with the exception of most of Ireland , came under the influence of Protestantism . Northern Europe , with the exception of most of Ireland , generally came under the influence of Protestantism . 1 +Although the ruins were discovered by Samuel Alejandro Lafone Quevedo in 1888 , they were first investigated in 1897 by the archaeologist Juan Bautista Ambrosetti . Although studied in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +He played in 2007 in Chicago Lollapalooza , and in 2008 at Los Angeles at the FuckYeah Festival . He played Lollapalooza in Los Angeles in 2007 , and the FuckYeah Festival in Chicago in 2008 . 0 +The station was built in 1915 by Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York stretch . The station was built in 1915 by the Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York line . 1 +George Wilson was born on June 24 , 1766 in Robert Wilson , a shipbuilder , and Mary Finlay , Newcastle . George Wilson was born on 24 June 1766 to Robert Wilson , a shipbuilder , and Mary Finlay in Newcastle . 1 +The 1879 -- 80 Home Nations rugby union matches were a series of international rugby union friendlies held between the England , Ireland and Scotland national rugby union teams . The 1879-80 Home Nations Rugby Union games were held a series of national rugby union friendship games between the international Rugby Union teams England , Ireland and Scotland . 0 +Cranoe is a civil village and small municipality in the district of Harborough of Leicestershire , England . Cranoe is a small village and civil parish in the Harborough district of Leicestershire , England . 0 +"The Izbândi "" River is a tributary of the River Crişul Repede in Romania . ' ;" "The river Crişul Repede is a tributary of the Izbândi "" River in Romania ." 0 +Edmund Butler ( died in 1551 ) was Archbishop of Cashel and the illegitimate son of Piers Butler , 8th Earl of Ormonde . Piers Butler ( died 1551 ) was archbishop of Cashel and the illegitimate son of Edmund Butler , 8th Earl of Ormonde . 0 +Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively measurable and that space is infinitely divisible . Renée Descartes , the founder of the analytical geometry , believed that the natural world is objectively divisible and that the space is infinitely measurable . 0 +Marling died on May 29 , 1935 in Bronx , New York City . He was buried in Woodlawn Cemetery in Manhattan , New York City . He was died on May 29 , 1935 in Manhattan , New York City , and buried in the Woodlawn Cemetery in Bronx , New York City . 0 +He moved to Illinois and settled in Ottawa in 1891 . He moved to Ottawa and settled down in Illinois in 1891 . 0 +During the Bengal Sultanate , medieval Bengali authors were influenced by Arabic and Persian works . During the Bengali sultanate , Arab and Persian Bengal writers were influenced by medieval works . 0 +"The noble parts of the "" Dalem "" were a building for the other women ." "The noble parts of the "" Dalem "" was a building for the other women ." 1 +On 20 November 1852 , he married Frederik Due . He was the brother-in-law of Maria Soane . On November 20 , 1852 , he married Frederik Due , he was the brother of Maria Soane . 0 +"Adolf Hitler argued that "" Germany without Wagner and everything he represents would be impossible "" ." "Wagner argued that "" Germany would be impossible without Adolf Hitler and all he represents . """ 0 +He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and visited the High School for Recording Arts in St. Paul , Minnesota . He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and attended the High School for Reception Arts in Minneapolis , Minnesota . 0 +Damian Smith Mayer married January 2001 . Mayer married Damian Smith in January 2001 . 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in Iraq - war . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in the war in Iraq . 0 +Younger brother of Petri Walli was Hasse Walli of Kingston Wall . Younger brother of Hasse Walli was Petri Walli of Kingston Wall . 0 +Tver Carriage Works manufactures the following products and provides the following service.s : Tver Carriage Works manufactures the following products and provides the following services : 1 +The standards of 2005 were adopted by the California Energy Commission on November 5 , 2003 and approved by the Building Standards Commission on July 21 , 2004 . The standards for 2005 were approved by the California Energy Commission on 5 November 2003 and adopted by the Building Standards Commission on 21 July 2004 . 0 +About 90 % of all tobacco produced in Canada is grown here . Approximately 90 % of all tobacco grown in Canada is produced here . 0 +In 1996 , Teresa Latham ran a stop sign by the State Capitol and crashed into a 1990 Dodge Spirit sedan owned by Migden . In 1996 , Migden ran a stop sign through the State Capitol and crashed into a 1990 Dodge Spirit limousine owned by Teresa Latham . 0 +In 2010 , Buick introduced a new version of the Shanghai GM GL8 Luxury Business Edition . In 2010 , Shanghai GM provided a new version of the Buick GL8 Luxury Business Edition . 0 +Butler died in Torquay on January 16 , 1909 , and was buried in Holywell , Oxford Cemetery . Butler died in Oxford on 16 January 1909 and was buried at Holywell Cemetery in Torquay . 0 +The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . 1 +"In 2009 , Silent Majority Group 's first signing Framing Hanley received a Gold certification for their single "" Lollipop "" ." "In 2009 , the Single Signing Framing Hanley received the Silent Majority Group a gold certification for their first "" Lollipop "" ." 0 +Clarke was the second husband of mother Arthur Katherine . Arthur was the second husband of Clarke 's mother Katherine . 0 +Metro Radio Group or Metropolitan Broadcasting , as it was more widely known , was a group of independent local radio stations in the northeast of England . Metropolitan Broadcasting or the Metro Radio Group as it was more commonly known , was a group of Independent Local Radio stations in North East of England . 1 +Some neighbouring landowners have revegetated areas of previously cleared private land to form additional corridors between these remnants . Some neighbouring landowners have cleared areas of previously replanted private land to form additional corridors between these remnants . 0 +Jack Evans won his second Cruiserweight Title by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . He won his second Cruiserweight title by winning 5-man stroke ladder - match against Sugi San , Jack Evans , Rocky Romero and Teddy Hart . 0 +"While Quine has referred to such logics as "" inclusive "" logics , they are now called free logic ." "While Quine called such logics "" free "" logic they are now referred to as inclusive logic ." 0 +"The "" National Post "" and Warman apologized , retracted the statement and settled out of court with Kay ." "The "" National Post "" and Kay apologized , retracted the statement , and started with Warman out of court ." 0 +Allen was born in Ashland , Kentucky and attended high school in Oldtown . He played football at the West Virginia University from 1932 to 1934 . Allen was born in Oldtown , Kentucky , visited the High School in Ashland and played at West Virginia University from 1932 to 1934 . 0 +Northern Indiana is part of the East Central Indiana and Montpelier . Montpelier is part of East Central Indiana and Northern Indiana . 0 +And she also sings Sting , where she meets and even kisses him . And she also meets Sting , where she sings and even kisses . 0 +"The "" Friends of the Art and Design School of Putney "" protects the school and promotes the interests of the students ." "The "" Friends of the Art and Design School of Putney "" promotes the school and protects the interests of the current students ." 0 +Lindstrom played for TuTo Turku and TPS . He also played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for Berliner SC . He played for TuTo Turku and Klagenfurter AC , played a season in Austria for TPS and four playing times in the Bundesliga for Berliner SC . 0 +In 1883 , the first schools in the area were built for 400 white students and 60 black students . In 1883 , the first schools were built in the vicinity for 400 white and 60 black students . 1 +The second section deals with a conversation between the Ogdai and his son , Khan , after the Battle of Samarkand . The second section deals with a conversation between Ogdai and his son Khan following the battle of Samarkand . 1 +Goodwillie came from Blackburn Rovers , Andy Halliday from Middlesbrough , Andy Keogh from Millwall and Tony McMahon from Sheffield United . David Goodwillie came in from Blackburn Rovers ; Andy Halliday from Middlesbrough ; Andy Keogh from Millwall ; and Tony McMahon from Sheffield United . 1 +It is located north of New Hempstead , east of Harriman State Park , north of Monsey and west of Mount Ivy . It is north of New Hempstead to the east of Harriman State Park , north of Monsey and west of Mount Ivy . 1 +Maureen McAleenan ( 0 -- 7 ) and Nuala McGee ( 1 -- 2 ) for Leitrim . Maureen McAleenan ( 0 -- 7 ) and Nuala McGee ( 1 -- 2 ) scored for Leitrim . 1 +In addition , it destroyed 340 homes and damaged 12 , most of which were in Collier County . In addition , it damaged 340 houses and destroyed 12 , most of which were in Collier County . 0 +Caleb J. Emerson was born in 1860 in Tunnel Hill , Georgia , as daughter of William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . Caleb J. Emerson was born in Tunnel Hill , Georgia in 1860 to William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . 1 +"Lost Bass -- "" Bomb Your Soul "" ." "Lost the Bass -- "" Bomb Your Soul "" ." 1 +According to the fundamental theorem of algebra , all polynomial equations with complex coefficients in a single variable , have a solution in real or complex numbers . According to the fundamental rate of the algebra , all polynomic equations with complex coefficients in a single variable have a solution in real or complex numbers . 0 +Cox also owned a lobster factory and operated a farm near Morell . Cox also had a lobster factory and operated a farm near Morell . 1 +According to McCombs and Funk ( 2011 ) , intermedia agenda setting is a future path of the new agenda setting research . According to McCombs and Funk ( 2011 ) , the intermedial agenda setting is a future path of new agenda setting research . 1 +He trained at Canada 's prestigious Sheridan College under the tutelage of such renowned illustrators as Kathryn Adams , Joe Morse , Gary Taxali and Christoph Niemann . "He trained at the prestigious Sheridan College in Canada under the direction of renowned illustrators such as Joe Morse , Gary Taxali , Christoph Niemann "" and Kathryn Adams ." 1 +Steckborn is a municipality in Thurgau in the canton of Frauenfeld District in Switzerland . Steckborn is a municipality in the Frauenfeld district of the Canton Thurgau in Switzerland . 0 +The topographic features include good soil , with hilly conditions for agriculture and livestock . The topographic characteristics include good soil with hilly conditions for agriculture and livestock . 1 +The beta - dose acute effects of dependent radiation on the skin are as follows : Acute dose-dependent effects of beta radiation on the skin are as follows : 0 +Mr Cave made the highest bid for Mr Payne 's goods at an auction . Mr Payne has made the highest bid for Mr Cave 's goods at an auction . 0 +Spooner formed the rock band Erikson in 1974 with two fellow musicians in Madison , Wisconsin . Spooner founded the rock band Erikson with two fellow musicians in Madison , Wisconsin in 1974 . 1 +In October 2001 , he defended his Ph.D. in Psychology at the Free University of Brussels on the theme of the human models of cognitive hypertext navigation . In October 2001 , he defended his PhD in Psychology at the Free University of Brussels on the subject of cognitive models of human hypertext navigation . 0 +He plays three keyboards , which he uses with a stick attached to the neck of his guitar . He plays three keyboards , which he uses with a stick attached to his guitar neck . 1 +"Carter played the role of Ryan Little in Corey 's film "" House of Fears "" of 2007 ." "Corey played the part of Carter in Ryan Little 's 2007 film "" House of Fears "" ." 0 +In this situation the person is passive and God plays a more active role in which they share power . In this situation , the person is active and God plays a more passive role in which they share the power . 0 +The languages of the Rai coast are a family of languages in Madang - continent of New Guinea . The Madang languages are a family of languages in the New Guinea stock of Rai Coast . 0 +On 9 June 2017 , Barkchi Mubin Ergashev appointed manager after Vitaliy Levchenko joined the coaching staff of Krylia Sovetov . On 9 June 2017 , Barkchi appointed Mubin Ergashev as their manager after Vitaliy Levchenko joined the coaching staff of Krylia Sovetov . 0 +The school was founded in Ireland and was pioneered in Australia in 1903 . The school was founded in Ireland and then pioneered in Australia in 1903 . 1 +Krishna Kumar is the director of music and Jassie Gift is the cameraman of the film . Krishna Kumar is the music director and Jassie Gift is the cinematographer of the film . 1 +"The name "" Macaire "" appears to have several claims to origin : it was a male or female name and is currently considered a male name ." "The name "" Macaire "" seems to have several claims of origin : it was a male name and is currently considered a male or female name ." 0 +Condon said she wanted to give Suzanne a Valentine 's Day card . Condon said that she wanted Suzanne to give a Valentine 's Day card . 1 +George George Harrison considered Mukunda and the others who came to England first to become his lifelong friends . Mukunda considered George Harrison and the others who first came to England to be his lifelong friends . 0 +Ice hockey was played in two venues , in Håkons Halle in Lillehammer and at the Gjøvik Olympic Cavern Hall in Gjøvik . In Gjøvik in Lillehammer and in the Gjøvik Olympic Cavern Hall in Håkons Hall , ice hockey was played in two venues . 0 +The oldest of these are the channels : the Manchester Ship Canal , the Trent and Mersey Canal , the Weaver Navigation and the Bridgewater Canal . The oldest of these are the canals : the Manchester Ship Canal , the Trent and Mersey Canal , the Weaver Navigation and the Bridgewater Canal . 1 +This is due to the reduction of excitatory synaptic transmission in a nucleus and increased excitability in motor neurons caused by nicotinic activation . This is due to the reduction of excitatory synaptic transmission in a nucleus and the increased excitability in the motor neurons caused by nicotine activation . 1 +From Nebbi , the power line turns northwest and runs another , to end at Arua . From Arua the power line runs northwest and turns to Nebbi at the end . 0 +There are three main components of the army : a national headquarters , independent commandos and territorial units . There are three main components of the Army : a national headquarters , territorial commands , and independent units . 0 +Shortly thereafter , steel player Tom Brumley was announced and replaced by Jay McDonald . Shortly thereafter , steel player Tom Brumley quit and was replaced by Jay McDonald . 1 +The show won on MBC 2 with a big prize $ 100 000 , was not aired because of the cancellation . The show was broadcast on MBC 2 with a big prize $ 100 000 , not won because of the cancellation . 0 +According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , so TNA gave the promos to Anarquia . According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , TNA gave the promos to Anarquia . 1 +Eoacmaea calamus is a species of sea snail , a real limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of naval limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . 0 +The association of the stylized eye with mirrors was so strong that in the art of Teotihuacan , human eyes were often used as a substitute for the face of a mirror . The association of the human eye with mirrors was so strong that stylised eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . 0 +"Although iron is generally less active in many catalytic applications , it is less expensive and "" greener "" than other metals ." "Although iron is generally less active in many catalytic applications , it is less expensive and "" -greener than other metals ." 1 +Jharkhand Railway Station is a small station in Ramgarh district , Ranchi Road . Ranchi Road Railway Station is a small railway station in the district of Ramgarh , Jharkhand . 0 +Selangor or Jalan Kelab ( state of Jalan Kampung Kuantan Route B77 ) is a main road in Selangor , Malaysia . Jalan Kampung Kuantan or Jalan Kelab ( Selangor state route B77 ) is a major road in Selangor , Malaysia . 0 +Don Myers is the father of Michael Myers and Judith Myers in the novel , in contrast to Peter Myers in the Film . Don Myers is the father of Michael Myers and Judith Myers in the novel , as opposed to Peter Myers in the film . 1 +During the American Civil War , Indiana was the site of the Battle of Corydon , the only official pitched battle waged in Corydon . Indiana was the site of the Battle of Corydon during the American Civil War , the only official battle in Corydon . 1 +Laetitia Snyder married Yeomans of Albany in 1828 , with whom he had two daughters and three sons . In 1828 , Yeoman married Laetitia Snyder of Albany , with whom he had two daughters and three sons . 0 +A Franconian army under Winigis and Hildebrand , duke of Spoleto , defeated Grimoald and joined soon after his landing Adelchis along the coast . A Frankish army under Winigis and Hildebrand , Duke of Spoleto , defeated Grimoald and joined Adelchis on the coast soon after his landing . 1 +Mohsin Zaidi lived in Lucknow for almost four decades before settling down after his retirement in Delhi . For nearly four decades , Mohsin Zaidi lived in Delhi before settling after his retirement in Lucknow . 0 +Thus a regular polygon is a tangential polygon . Regular polygon is thus a tangential polygon . 1 +The leaves are generally 1.5-4 mm long and 0,2-0,7 mm wide . The leaves are generally 1,5-4 mm wide and 0.2-0.7 mm long . 0 +Coopers Plains train station on the south coast railway line ( now the Beenleigh line ) opened in 1885 . Coopers Plains train station on the Beenleigh railway line ( now the south coast line ) opened in 1885 . 0 +Applied psychology is the use of psychological methods and findings of scientific psychology to solve practical problems of human and animal behavior and experience . Applied psychology is the use of psychological methods and findings of scientific psychology to solve practical problems of human and animal behaviour and experience . 1 +"The "" All Clear "" was lifted and the Blackout order sounded at 7 : 21 ." "The "" all clear "" was lifted and the blackout order sounded at 7 : 21 am ." 1 +The manuscript was added by Gregor ( number 243 ) and Scrivener ( number 218 ) to the list of manuscripts of the New Testament . The manuscript was added to the list of New Testament manuscripts by Gregory ( number 243 ) and Scrivener ( number 218 ) . 1 +Every report that was updated in February 2011 contains data for the completed school year . Each report , which was completed in February 2011 , contains data for the school year that is updated . 0 +Enrique Ponce ( born 8 December 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Enrique Ponce , is a famous Spanish bullfighter . 1 +At the end of his term , Hurtado left Spain to return to Lima , where he died in 1609 . At the end of his term , Hurtado Lima left to return to Spain , where he died in 1609 . 0 +Chandima Weerakkody ( UPFA-SLFP ) died on May 30 , 2009 . His replacement Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on May 30 , 2009 , and his replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +In the meantime Nick is confronted by his former crew : Mikka , Vector , Sib and Pup . In the meantime , Nick is confronted with his former crew : Mikka , Vector , Sib and Pup . 1 +Moutse district was seized from Lebowa in 1980 and was , despite violent resistance , officially integrated into KwaNdebele . The Moutse district was conquered from KwaNdebele in 1980 and was officially integrated into Lebowa despite violent resistance . 0 +Martin ( Javier De Pietro ) is a 16-year-old young student who is attracted to his coach , Sebastián . Martin ( Sebastián ) is a 16-year-old young student who is attracted by his coach Javier De Pietro . 0 +This is a list of the caves in Britain , including information about the largest and deepest caves in the United Kingdom . This is a list of caves in the United Kingdom , including information about the largest and deepest caves in the UK . 1 +People from all over China come to Lujiang to look at the reverence of Zhou Yu . People from all over Lujiang came to China to look at the reverence of Zhou Yu . 0 +"The plate is sometimes known as "" Turkish pizza "" or "" Armenian pizza "" ." "The dish is sometimes known as "" Armenian pizza "" or "" Turkish pizza "" ." 1 +The palpi , head and thorax are yellowish and the shoulders white . Palpi , head and thorax are white and the shoulders yellowish . 0 +Born in 1794 in Alpheton in Suffolk , Thomas Clark joined William Debenham in a partnership to manage a draper 's store at 44 Wigmore Street in London . Born in 1794 in Alpheton , Suffolk , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . 1 +The weighted weighting function at the wavelength formula 1 can be written as the mesoscopic sum . The weighted weighting function at wavelength formula _ 1 can be written as the mesoscopic sum , 1 +After the actual invasions of the seventh century the original Christians have nearly disappeared from Muslim Azerbaijan . After the Muslim invasions of the seventh century , the original Christians from Azerbaijan have almost disappeared . 0 +Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a Swiss naturalist , a comparative anatomist and a student of the German biologist Ernst Haeckel . Arnold Lang ( 18 June 1855 -- 30 November 1914 ) was a comparative naturalist , a Swiss anatomist and student of German biologist Ernst Haeckel . 0 +They are sometimes consumed with beer and are often a bar snack . They are often consumed with beer and are sometimes a snack . 0 +"In 2017 , a book of straight photography , published in LA in the early 1970 ’ s , was made "" People in Cars "" ." "In 2017 , a book of straight photography was published in the early 1970s in LA "" people in cars "" ." 0 +The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . 1 +By elevation , Wilmont is the highest incorporated community in Nobles County , and is the only place in America where Larry Lang 's onion rings are sold . Wilmont is the highest integrated community in Nobles County through elevation , and is the only place in America where onion rings are being sold by Larry Lang . 1 +Stävlö or Stäflö is a castle in Sweden in the municipality of Kalmar . Stävlö or Stäflö is a castle in Kalmar Municipality of Sweden . 0 +The first air data patented in the USA was developed in February 1971 by John H. Andresen . The first air data computer developed in the United States was patented in February 1971 by John H. Andresen . 0 +Immediately north of the intersection Card Sound Road meets US 1 on the southern end of Krome Avenue ( State Road 997 ) and then reaches Florida City . Just north of the Krome Avenue intersection , US 1 meets the southern end of Card Sound Road ( State Road 997 ) , and then enters Florida City . 0 +The position of opposition leader throughout the early twentieth century was essentially informal , with formal recognition only being granted in the nineteenth century . The position of Leader of the Opposition was essentially informal throughout the early twentieth century , with formal recognition only being granted in the nineteenth century . 1 +SDUU currently has local branches in Stockholm , Göteborg , Halmstad , Kalmar , Skåne , Örebro , Umeå , Skellefteå and Piteå . Currently , SDUU has branches in Skåne , Örebro , Umeå , Halmstad , Kalmar , Stockholm , Gothenburg , Skellefteå and Piteå . 1 +Kalyanarathriyil is an Indian Malayalam film from 1966 , produced by M. Krishnan Nair and directed by M Raju Mathan . Kalyanarathriyil is a 1966 Indian Malayalam film , produced by M. Krishnan Nair and directed by M Raju Mathan . 1 +The Japanese Embassy in Doha is organizing cultural events in Qatar . The Japanese Embassy in Doha is active in organizing cultural events in Qatar . 1 +Like many aspects of Islamic ivory , this reflects the Byzantine traditions that Islam has inherited . Like many aspects of Byzantine ivory , this reflects the Islamic traditions , Islam inherited . 0 +It was not long after Watts joined the group that Wyman took over the percussion . It was not long after Wyman joined the group when Watts took over the drums . 0 +Wagenknecht , born in Chicago , grew up and went to school at Oak Park , Illinois . Wagenknecht was born in Oak Park , Illinois , where he grew up and went to school in Chicago . 0 +The official language is Bhojpuri , while the local language is Hindi . Bhojpuri is the local language and the official language is Hindi . 0 +When Hill died in 1936 , Fletcher was appointed to fill the vacancy until a successor could be elected . When Hill died in 1936 , Fletcher was appointed to fill up the vacancy until a successor could be elected . 1 +Quintus Caecilius Metellus Macedonicus was the second son of Roman politician and general Lucius Caecilius Metellus Diadematus . Quintessus Caecilius Metellus Macedonicus was the second son of Roman politician and General Lucius Caecilius Metellus Diadematus . 1 +Chamran was married to Tamsen Heiman , an American Muslim , in 1961 . In 1961 , Tamran Heiman , an American Muslim , was married to Chamran . 1 +The northern slope of the Obshchy Syrt is covered with deciduous forests , while the southern slope towards the Caspian Depression has the characteristics of a steppe . The southern slope of the Obshchy Syrt is covered by hardwood forests , while the northern slope towards the Caspian Depression has the characteristics of a steppe . 0 +Chinese family planning policy allows minorities , including Muslims , to have up to two children in rural areas , and three to four children in urban areas . The Chinese family planning policy allows minorities , including Muslims , to have up to two children in rural areas and three to four children in urban areas . 1 +In May 2012 , Collins decided he would not challenge Broun . Broun decided in May 2012 that he would not challenge Collins . 0 +Also several free web hosting services such as geocities provided free webspace for personal web pages . Also personal web hosting services such as Geocities provided free web space for several free web pages . 0 +They were accompanied by several other families , or were soon followed , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . They were accompanied or were soon followed by several other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . 1 +Promegestone is only weakly bound to albumin , it does not bind to gender-binding globulin and binds mainly to Transcortin . Promegestone is only weakly bound to albumin ; it does not bind to sex hormone-binding globulin , and binds mainly to transcortin . 1 +As synonymous ablation may lead to cell ablation , it can be used as a genetic term at appropriate times . As synonymous ablation can lead to cell ablation , it can be used at appropriate times as a genetic term . 1 +Winterfield Township is located in the northwestern corner of Clare County and is bordered to the west by Osceola County and to the north by Missaukee County . Winterfield Township is in the northwestern corner of Clare County and is bordered to the west by Missaukee County and to the north by Osceola County . 0 +Theophilus Jones was the oldest son of Jones ( 1729 -- 1811 ) . Jones was the oldest son of Theophilus Jones ( 1729 - 1811 ) . 0 +Publius Minucius Augurinus was a Roman statesman who was in 492 BC with Titus Geganius Macerinus Consul . Publius Minucius Augurinus was a Roman statesman who served as Consul in 492 BC with Titus Geganius Macerinus . 0 +Bharri is a village situated in the northeastern Bihar district of Katihar . Bharri is a village in the northeastern district of Bihar of Katihar . 1 +A desperate Helen went to Dilip Kumar , who told her to meet Karim Lala . A desperate Helen went to Karim Lala , who asked her to meet Dilip Kumar . 0 +The other major retailers in the city are Menards , Meijer , Walgreens , and Tractor Supply Company . The other major retailers in the city include Menards , Meijer , Walgreens and Tractor Supply Company . 1 +Billy Hewes defeated Reeves on 2 August 2011 . On August 2 , 2011 , defeated Reeves Billy Hewes . 0 +The equality is when formula 8 holds a ball in formula 2 . The equality occurs when Formula 8 holds a ball in Formula 2 . 1 +Cozarinsky visited New York City from September 1966 to June 1967 , stopping for a visit to Buenos Aires on his return to Europe . From September 1966 to June 1967 , Cozarinsky visited Europe and made a visit to New York City on his return to Buenos Aires . 0 +He is the nephew of Larry Bowa . Johnson and his wife , Liz , had their first child , Brianna , on January 31 , 2006 . He is the nephew of Larry Bowa Johnson and his wife Liz born January 31 , 2006 , their first child , Brianna . 1 +Edward married Mary Letitia Stawell on May 14 , 1890 ( 1870 - November 3 , 1938 ) , daughter of Sir William Stawell KCMG . William Stawell KCMG married Mary Letitia Stawell ( 1870 -- 3 November 1938 ) , daughter of Sir Edward , on 14 May 1890 . Their children included : 0 +And she also sings Sting , where she meets and even kisses him . She also sings Sting , where she meets and even kisses . 1 +Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of two public secondary schools operated by the Twin Falls School District . Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of the two public secondary schools operated by the Twin Falls School District . 1 +He predicted oscillating chemical reactions , in particular the Belousov -- Zhabotinsky reaction . He has predicted oscillating chemical reactions , in particular the Belousov -- Zhabotinsky - reaction . 1 +It is located in the eastern end of Montgomery County and borders south to the city of Amsterdam , which is it . It is located in the eastern end of Montgomery County and borders south of the City of Amsterdam , which it is . 1 +The combination of warm surface waters and cold deeper waters supports a high level of biodiversity . The combination of warm surface waters and cold , deeper waters supports a high biodiversity . 1 +Recker kept the grocery store and Portner concentrated on expanding the brewery . Recker kept the grocery store and Portner focused on expanding the brewery . 1 +The initial plan was to promote Mark Butcher to the now vacant opening batsman position , and include Paul Collingwood in the middle order . The initial plan was to promote Paul Collingwood to the now releasing opening batsman position and to include Mark Butcher in the middle order . 0 +Of these , 2,088 ( 18.6 % ) lived in urban areas , and 9,112 ( 81.4 % ) lived in rural areas . Of these , 2,088 ( 18.6 % ) lived in rural areas , and 9,112 ( 81.4 % ) were living in urban areas . 0 +"The outer brick wall , original gates and entrances were preserved and the name remains "" Crump Stadium ." "The original brick wall , outer gates and entrances were retained and the name remains "" Crump Stadium "" ." 0 +In Tuscany , Leopold II inserted a liberal constitution and sanctioned a liberal ministry . In Tuscany , Leopold II sanctioned a liberal constitution ; and instituted a liberal ministry . 0 +KXLF lost ABC programming in 1955 ; soon afterward , the station added DuMont when it shut down . In 1955 , KXLF added ABC programming , soon the DuMont station was lost when it was shut down . 0 +The Hallets Cove Terminal is located in Astoria between the Astoria Houses project and Socrates Sculpture Park . The Astoria Terminal is located in the Hallets Cove between the Astoria Houses project and Socrates Sculpture Park . 0 +In 1938 , under pressure from Japan , Germany ended its support for China , and Falkenhausen had to withdraw from China . In 1938 Germany , under pressure from Japan , ended its support for China and Falkenhausen was forced to withdraw from China . 1 +The popular French singers Coralie Clément and Benjamin Biolay , as well as footballers hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the city . The popular French singers Coralie Clément and Benjamin Biolay , as well as football player hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the town . 1 +"In Ngapoi , for example , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga - Wang Jigmê "" his personal name ." "In Ngapoi Ngawang Jigme "" Ngapoi "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." 0 +On Labor Eve 2016 , Badou Jack was named as the replacement for Bute to challenge Julio Cesar Chavez Jr. for the WBC Super Middleweight Championship . At the Labor Eve 2016 , Bute was named as a replacement for Julio Cesar Chavez Jr. , to challenge Badou Jack for the WBC Super - Middleweight - Championship . 0 +Domenico Tibaldi was born in Bologna and trained in the workshop of the architect Agostino Carracci . Domenico Tibaldi was born in Bologna , and trained at the workshop of the architect Agostino Carracci . 1 +It had been directed by the governor of Rome , Ludovico Spada Veralli Potenziani , who was commissioned by Mussolini to manage the Capital . It was led by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been commissioned by Mussolini to run the capital . 1 +"The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixtieth of the second ." "The word nanosecond is formed by the prefix "" nano "" and the basis is a second second unit of time or a sixtieth of a second ." 0 +"The likely column represents the Cue numbers that correspond to the titles "" first "" ." "The first column represents the cue numbers to which the titles "" likely "" correspond ." 0 +This allowed Capcom to translate Lee 's basic expressions and use them to Wayne in the game . This allowed Capcom to translate the basic expressions from Lee and use them Wayne in game . 1 +Belle Creek Township was organized in 1858 and took its name from Belle Creek . Belle Creek was organized in 1858 , and took its name from the Belle Creek Township . 0 +Adults are above white green and down green with metallic flanks . Adults are white green above and green below with metallic flanks . 1 +For example : during the summer , the distance from Mammoth Lakes to Fresno is , while in winter it nearly doubles to . For example : during the summer is the distance from Fresno to Mammoth Lakes , while in winter it almost doubles . 0 +Completed in 1848 it was the first railway to reach the coastal port of Calais . The Paris-Lille railway had reached Lille from Paris two years previously . Completed in 1848 , it was the first railway to reach the coastal port of Calais , while the Paris-Lille railway had reached Paris from Lille two years earlier . 0 +The Nechitu River is a tributary of the Stroe River , Romania . The River Stroe is a tributary of the River Nechitu in Romania . 0 +In 2004 , SCA acquired from Carter Holt Harvey the International Paper Tissue and Hygiene Products division . In 2004 , SCA acquired International Paper 's Tissue and Hygiene products businesses from Carter Holt Harvey . 0 +The real world , which seems more favorable to them than in parallel . Parallel world , which seems more favorable to them than the real one . 0 +There have been few significant changes since then , with frequent changes in the design of the Railcard being the most noticeable . Since then , there have been few significant changes , with frequent changes in the design of the Railcard most recognizable . 1 +He was also influenced by Spanish music and began a lifelong love of the Spanish classical guitar . He was also influenced by Spanish music and began a lifelong love of classical Spanish guitar . 1 +Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and the opponent received the other half . Notre Dame got half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent received the other half . 1 +In the infected EXE files , no text strings are visible within the starting code , but the following text strings are encrypted within the virus copy of the ABC virus : In the infected EXE files , no text strings are visible within the virus code , but the following text strings are encrypted within the original copy of the ABC virus : 0 +Stella Maris was born in Dublin . After initially playing for Brady Brady was born in Dublin , after playing for Stella Maris initially . 0 +It was the first album by Carol Emanuel , Bill Frisell and Kenny Wollesen , who became known as The Gnostic Trio . It was the first album by Carol Emanuel , Bill Frisell , and Kenny Wollesen who would become known as The Gnostic Trio . 1 +Dick Stockton defeated Arthur Ashe , 6 : 3 , 6 : 2 . Arthur Ashe defeated Dick Stockton , 6 -- 3 , 6 -- 2 . 0 +"Maviz Rural District is a rural district ( "" dehestan "" ) in the Central District of Shahriar County , Tehran Province , Iran ." "Maviz Central District is a rural district ( "" Dehestan "" ) in Tehran - province of Shahriar County , district , Iran ." 0 +It was printed in 1985 by Kids Can Press and published by Everbest in Hong Kong . It was printed in 1985 by Kids Can Press and published in Hong Kong by Everbest . 1 +Varshamov studied in Tbilisi with Arnold Walfisz ( where he was Georgian Varshamov was with Arnold Walfisz in Tbilisi ( where he studied Georgian ) . 0 +Soon , though , Empress Wei was overthrown in a coup led by Emperor Zhongzong 's sister Princess Taiping and his nephew Li Longji the Prince of Linzi . Soon , Empress Wei was overthrown in a coup , led by Emperor Zhongzong 's sister , Princess Taiping , and his nephew Li Longji , the Prince of Linzi . 1 +In October 2011 , eight horns were also sent from Williamstown to RAAF Base Pearce to protect the CHOGM meeting in nearby Perth . Eight Hornets were also deployed from Williamstown to RAAF Base Pearce in October 2011 to protect the CHOGM meeting in nearby Perth . 1 +"He is mentioned twice in James Hinton 's novel "" Moonchild "" , the first mention being mistakenly called his father , Aleister Crowley ." "He is mentioned twice in James Hinton 's novel "" Moonchild "" . The first mention mistakenly names his father , Aleister Crowley ." 1 +MacMahon - Formula is the multiplicative formula for general values of the Formula 30 : The formula of MacMahon is the general formula for multiplicative values of Formula 30 : 0 +State Route 223 or SR-223 is a route that serves as a connection between Union Springs in Bullock County with Banks in Pike County . Route 223 or SR-223 is a route that serves as a connection between Union Springs in Pike County with banks at Bullock County . 0 +It was first successfully concluded on 26 March 2012 by a 12-year-old American , Tom Schaar . It was successfully completed first by a 12-year-old American , Tom Schaar , on March 26 , 2012 . 1 +Tangasaurus is an extinct genus of the late Changhsingian Tangasaurids Neodiapsid , known from the late Permian period ( aquatic basal stage ) of Tanga , in northeastern Tanzania . Tangasaurus is an extinct genus of aquatic basal tangasaurid neodiapsid known from the Late Permian period ( late Changhsingian stage ) of Tanga , northeastern Tanzania . 0 +Hutchison Whampoa was formerly listed on the New York ( SEHK ) and Hong Kong ( NYSE ) stock exchanges , and is fully owned by Hutchison Telecom . Hutchison Whampoa was formerly listed on the stock exchanges of New York ( SEHK ) and Hong Kong ( NYSE ) . It is fully owned by Hutchison Telecom . 1 +The references to New Orleans were changed to Las Vegas , a reference to the negative effects of gambling in Sin City . The references to New Orleans have been changed to Sin City , a reference to the negative effects of gambling in Las Vegas . 0 +Antonio Šišić ( born March 29 , 1983 in Zagreb ) is a Croatian manager and former football goalkeeper . Antonio Šišić ( born 29 March 1983 in Zagreb ) is a former football manager and Croatian football goalkeeper . 0 +Dominika Cibulková won the title and defeated Agnieszka Radwańska in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . Agnieszka Radwańska won the title and struck Dominika Cibulková in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . 0 +New teaching sites were opened in the 1990s in Ivrea , Mondovì , Biella , Alessandria and Vercelli . In the 1990s , new teaching campuses were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli . 1 +He married in 1901 Anne Blanche Harriet Proctor ( 1870-1935 ) , daughter and coheiress of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes . In 1901 he married Anne Blanche Harriet Proctor ( 1870-1935 ) , daughter and cofounder of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes . 0 +Elizabeth Warren is the United States Senator from Massachusetts , a former member of the Republican Party and is currently a member of the Democratic Party . Elizabeth Warren is the senior United States Senator from Massachusetts , a former member of the Republican Party and currently a member of the Democratic Party . 1 +Julian A. McPhee was born in 1896 in San Francisco , the son of Charles and Ellen MacDonald McPhee , Canadian immigrants of Scottish descent . Ellen MacDonald McPhee was born in San Francisco in 1896 to Charles and Julian A. McPhee , Scottish immigrants of Canadian descent . 0 +In 1853 he moved to Bloomington , Illinois , and in 1859 to Attika , Indiana . He moved to Bloomington , Illinois , in 1853 and to Attica , Indiana , in 1859 . 1 +Tuckerton is located in the 2nd Congressional District and is part of the 9th State Legislative District in New Jersey . Tuckerton is located in the 2nd Congressional District and is part of New Jersey 's 9th state legislative district . 1 +""" Purple Clover "" describes the site as being for people who are "" ... still cool , still curious , and still crazy after all these years . """ """ Purple Clover "" describes the page as for people who "" ... still curious , still cool and still crazy after all these years are "" ." 1 +Braddock Lake is a protected reservoir near Swift Current , Saskatchewan , Canada . The Braddock Lake is a protected reservoir near Swift Current , Saskatchewan , Canada . 1 +Konstantin Airich ( born 4 November , 1978 ) is a Kazakh-based German heavyweight boxer born in Astana , Kazakhstan and lived in Hamburg , Germany . Konstantin Airich ( born November 4 , 1978 ) is a Kazakh - German heavyweight boxer , born in Astana , Kazakhstan , in Hamburg , Germany . 0 +After World War I more branches were opened in Swindon ( 1921 ) , Wells ( 1922 ) and Coleford ( 1924 ) . In Swindon ( 1921 ) , Wells ( 1922 ) and Coleford ( 1924 ) , further branches were opened after World War I . 1 +He became professor of inorganic chemistry in 1891 and professor of general and analytical chemistry in 1903 . In 1891 he became Professor of General and Analytical Chemistry and in 1903 a Professor of Inorganic Chemistry . 0 +"Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish-Finnish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Swedish - Finnish soprano ." 1 +Whether classical users know that they are modern or not , does not matter . Whether modern users know that they are classical or not does not matter . 0 +Bagwell countered for a fisherman 's suplex that page went into a diamond cutter . Bagwell countered for a fishman 's suplex that Page went into a Diamond Cutter . 1 +The amphibious version of the LCVP , or Higgins Boat , was extensively used in American landings in World War II . The American version of the LCVP , or Higgins boat was used extensively in amphibious landings in World War II . 0 +The final easily won John Davies , but Odložil managed to get silver before Peter Snell . The final easily won Peter Snell , but Odložil managed to get silver before John Davies . 0 +Irregular menstruation is a vaginal disorder whose manifestations include menstrual cycle lengths as well as metrorrage ( irregular bleeding between expected periods ) . Irregular menstruation is a menstrual disorder whose manifestations include irregular cycle lengths as well as metrorrhagia ( vaginal bleeding between expected periods ) . 0 +Slatyer returned to Australia in 1982 , after four years in Paris , and resumed his professorship at ANU . After four years in Australia , he returned to Paris in 1982 and resumed his professorship at the ANU . 0 +There are 4 playable characters , each with a different ability and also a unique style of fighting . There are 4 playable characters , each with a unique ability and also a different fighting style : 0 +Foley worked with Gurf Morlix , with Townes Van Zandt , with Guy Schwartz , with Billy Block and Calvin Russell , among others . Foley worked with , among others , Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block , and Calvin Russell . 1 +At that time , Constantinople was the capital of the Byzantine Empire and the Patriarch of Constantinople was the most influential leader of the Church in the eastern Christian world . At that time Constantinople was the capital of the Byzantine empire and the patriarch of Constantinople was the most influential Church leader in the eastern Christian world . 1 +The 1912 -- 13 season was Manchester United 's 21st season in the Football League and sixth in the First Division . The 1912-13 season was the sixth season of Manchester United in the Football League and the 21st in the First Division . 0 +It is located in Shawnee Township and is adjacent to Duchouquet Township in Allen County . It is located in Duchouquet Township and is next to the Shawnee Township in Allen County . 0 +The second paragraph of the hand is short compared to the other numbers , while the fourth toe is the longest on the foot . The fourth digit of the hand is short compared to the other digits , while on the foot , the second toe is the longest . 0 +Her family contacted Corentin Rahier , who suggested Muriel Zazoui as a potential partner . Her family contacted Corentin Rahier , who proposed Muriel Zazoui as a potential partner . 1 +Therefore , the optimal language is universal up to this additive constant . The optimum language up to this additive constant is therefore universal . 1 +Dave Denine is a former Canadian politician in Newfoundland and Labrador , Canada . He served in the provincial cabinet from 2007-2011 as Minister of Intergovernmental Affairs . Dave Denine is a provincial politician in Newfoundland and Labrador , Canada , who served as Minister for Intergovernmental Affairs from 2007-2011 in the former Canadian cabinet . 0 +He died on 23 April 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . He died in Long Island , New York ( now Elmhurst Station ) , Flushing , Newtown , April 23 , 1881 . 1 +The Dublin Council of Unions is the Trade Council for Ireland in Dublin County . The Dublin Council of Trade Unions is the trades council for Ireland in County Dublin . 1 +The 2003 Rose Revolution replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer relations with Western institutions like NATO . The Rose Revolution of 2003 replaced Georgian President Mikheil Saakashvili with Eduard Shevardnadze , who promoted closer ties with Western institutions , including NATO . 0 +Eckhoff represented New Zealand in 1928 against Great Britain , and in 1930 against Australia . Eckhoff represented New Zealand in 1928 against Great Britain , in 1930 against Australia . 1 +Coxeter defines other groups with anti-unitary constructions , such as these three : the first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines anti-unitary groups with other constructions , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . 0 +On September 15 , 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on July 17 , 2016 . On September 15 , 2015 , Johnson signed with Polish team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Romanian team Stal Ostrów Wielkopolski . 0 +The band 's first DVD recording shot in March 2010 at the Y Theatre in Leicester was published in January 2011 . The band 's first DVD recording , released at the Y Theatre in Leicester in March 2010 , was filmed in January 2011 . 0 +"Pagny also covered the hit "" Lucio Dalla "" , performed by Caruso ." "Pagny also covered "" Lucio Dalla "" , the hit originally performed by Caruso ." 1 +The SAS curve ( Surprise Aggregate Supply ) is , in the long term , a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) . The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . 0 +The director was John Guedel , the producer Harry Kronman . The director was Harry Kronman and producer John Guedel . 0 +He played the Montreux Jazz Festival in Switzerland in 1981 and met John McLaughlin , Billy Cobham , who popularized him with Michael Brecker and other fusion stars . He played the Montreux Jazz festival in Switzerland in 1981 and met Michael Brecker who introduced him to John McLaughlin , Billy Cobham and other fusion stars . 0 +Importantly , Stile antico became the main language of the musical statement of Pękiel after his move to Wawel . Stile Antico became after his move to Wawel the main language of the musical statement of Pękiel . 1 +He then returned to the Auckland Rugby League competition and also played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . He also returned to the Auckland Rugby League contest and then played for the Auckland Lions at the Bartercard Cup Level before being contracted by the New Zealand Warriors . 0 +The specification is a method of describing teaching strategies ( educational models ) and pedagogical goals . The specification is a method for describing teaching strategies ( pedagogical models ) and educational goals . 1 +The Măleia River is a tributary of the River Jiul de Est in Romania . The Jiul de Est River is a tributary of the Măleia River in Romania . 0 +Mallapur is a village and in Jagtial district in the state of Telangana in India . Jagtial is a village and Mallapur district in the state of Telangana , India . 0 +John Higgins lost the third round of the UK Championship against Carter in 6 -- 2 . Carter lost in 6 -- 2 the third round of the UK Championship to John Higgins . 0 +"The "" National Post "" and Warman apologized , retracted the statement and started with Kay out of court ." "The "" National Post "" and Warman apologized , retracted the statement and settled out of court with Kay ." 1 +After a brief conversation , Hardy made it clear to Peter Bavasi that Mattick would not be fired in this way . After a brief conversation , Hardy Peter Bavasi made it clear that Mattick will not be fired in this way . 0 +Cedar wood has been exploited over the centuries by the Phoenicians , Persians , Babylonians , Egyptians , Assyrians , Romans , Israelites and Turks . Over the centuries , cedar wood was exploited by the Phoenicians , Persians , Babylonians , Egyptians , Assyrians , Romans , Israelites and Turks . 1 +Another special feature of traditional houses is their unique design for cooling the interior in summer and heating the interior in winter . Another feature of traditional houses is their unique design for the cooling of the interior in summer and for heating in winter . 1 +"McClain was one of the pioneers in introducing "" vaudevillized minstrelsy "" , which opened a wider range of styles on the eve of the ragtime era ." "McClain was one of the pioneers in introducing "" ragtime minstrelsy "" , which opened up a wider range of styles on the eve of the vaudevillized era ." 0 +Eupithecia yunnani is a moth in the Geometridae family It is found in Yunnan ( China ) . Eupithecia yunnani is a moth in the Geometridae family it is found in China ( Yunnan ) . 1 +Slashdong is a blog about teledildonic and erotic use of technology for similar purposes . Slashdong is a blog about teledildonics and erotic use of technology for similar purposes . 1 +Two other sons were born here : Louis in 1882 and Fred in 1884 . Here two more sons were born : 1882 Fred and 1884 Louis . 0 +It is roughly southeast of Moosehead Lake , 2 miles southwest of Baker Mountain and 5 km west of White Cap Mountain . It is about southeast of White Cap Mountain , 2 miles southwest of Baker Mountain , and 5 miles west of Moosehead Lake . 0 +Glitting - Whittington , Gloucestershire is a village and rural town in the county of Gloucestershire in England , United Kingdom . Whittington , Gloucestershire is a village and rural parish in the county of Gloucestershire in England , United Kingdom . 1 +The team played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi - State , Nebraska , Connecticut , Syracuse and Pittsburgh in 2011 . The team has played teams in recent years such as Iowa , Rutgers , Hawaii , Mississippi State , Nebraska , Connecticut , Syracuse , and Pittsburgh in 2011 . 1 +The river Madicea is a tributary of the River Olt in Romania . The Olt is a river tributary of the Madicea River in Romania . 0 +The production was repeated from 8 June , 2011 in Berlin and from 8 July , 2012 in Amsterdam . The production was repeated in Berlin from 8 June 2011 and in Amsterdam on 8 July 2012 . 1 +Codice 13 is also a compiler - magic - function of oxygene that is not a real function and is rolled up to conditional statements at compile time . Codice 13 is also a compiler - magic - function of oxygene that is not a conditional function and is rolled back to real statements at compile time . 0 +The choir includes the Gothic altar and a magnificent wooden choir-enclosure ( 1521 ) with two floors . The choir includes the magnificent wooden altar and a Gothic choir with two floors ( 1521 ) . 0 +The last member to represent only Tensas Parish was then the Democrat S. S. DeWitt of Newellton , and later St. Joseph . The last member to represent only Newellton was then Democrat S. S. DeWitt of St. Joseph and later Tensas Parish . 0 +This international game is made for the Germans and the pressure of worldwide authority certainly played . This world game is made for the Germans and has certainly played the pressure of international authority . 1 +The Taveuni silktail is a small black bird , measuring around and weighing . The Taveuni Silktail is a small black bird weighing and measuring . 0 +The Borcut River is a tributary of the Colnici River in Romania . The Borcut River is a tributary of the River Colnici in Romania . 1 +"Anas bin Malik : Abu Jahl said : "" O Allah !" "Abu Jahl narrated : Anas bin Malik said : "" O Allah !" 0 +It was dredged and widened in 1974 , with gravel roads built on each side of the canal . It was dredged and widened in 1974 , built with gravel roads on each side of the channel . 1 +They belong to the Gautama - Gotra , they originate and are mainly based in Karnataka ( Kodagu ) , Coorg , a state in southern India . They belong to the Gautama gotra ; they originate from and are mainly based in Kodagu ( Coorg ) , Karnataka , a state in South India . 0 +Lukaszuk has two daughters , one with his current wife , news speaker Stacey Brotzel CTV Edmonton and one with his previous wife . Lukaszuk has two daughters , one with his current wife , news anchor Stacey Brotzel CTV Edmonton and one with his previous wife . 1 +Elegia southi is a kind of moth of the Pyralidae family , which was described by Reginald James West in 1932 and which is found in Taiwan . Elegia southi is a species of moth of the family Pyralidae . It was described by Reginald James West in 1932 and is found in Taiwan . 1 +The nearest domestic and defence airports are : Halwara , Sahnewal and Adampur . The next domestic and defence airports are : Halwara , Adampur and Sahnewal . 1 +The long tunnel runs from a warehouse near San Diego airport to a warehouse in Tijuana . The long tunnel runs from a warehouse near the San Diego airport to a warehouse in Tijuana . 1 +"In 1916 , Lily Hardy Hammond wrote , "" You do n't pay love back ; you pay it forward . """ "In 1916 , Lily wrote Hardy Hammond : "" You do not pay back love ; you pay it forward ." 0 +The founders of Charter 77 - Foundation František Janouch and Tal Bashan , or German activist Rainer Höss have participated in the debates with Israeli journalist Ada Kolman . Founders of the Charta 77 Foundation František Janouch and Ada Kolman or the German activist Rainer Höss with the Israeli journalist Tal Bashan have participated in the debates . 0 +"From then on , "" transferable chieftains were replaced by permanent officials , "" formally appointed by the Ming court ." From then on , “ transferable chieftains ” were replaced by permanent officials , formally appointed by the Ming Court . 1 +"In conservative potential coordinates , the Hamilton operator can be written of a free particle moving in a spherical "" U "" ." "In spherical coordinates the Hamiltonian of a free particle moving in a conservative potential "" U "" can be written" 0 +The Tigers eventually won the ALDS but lost to the Red Sox in the American League Championship Series . The Tigers eventually won the ALDS , but lost the Red Sox in the American League Championship Series . 1 +Bob and Clint are identical twins while Dave is a fraternal triplet . Bob and Clint are unique twins , while Dave is a fraternal triplet . 0 +The area is famous as the site of the Battle of Chausa , in which the forces of Sher Shah Suri defeated Mughal emperor Humayun 's army in 1539 . The area is famous as the site of the Battle of Chausa , where the Sher Shah Suri forces defeated the army of Mughal - Emperor Humayun in 1539 . 1 +Consequently , Master of Social Science degrees are quite common amongst Finnish & Swedish graduates . Consequently , Master of Social Science degrees are quite common amongst Swedish and Finnish graduates . 1 +"During "" latent infections "" there is a minimal to no expression of the viral genome infected ." "During "" latent infections "" there is minimal to no expression of infected viral genome ." 1 +He was involved in a coup in late July 1647 and left London before he could be arrested in April 1648 . He was arrested in a coup in late July 1647 and , before he could be implicated in April 1648 , left London . 0 +The term is sometimes used in exclusive reference to Mexico and Guatemala . Sometimes the term is used in exclusive reference to Guatemala & Mexico . 1 +The character of Holden Ford is based on FBI - Agent John E. Douglas , and Bill Tench is based on a pioneer - FBI - Agent Robert K. Ressler . The character of Holden Ford is based on FBI - Agent Robert K. Ressler , and Bill Tench is based on a pioneer - FBI - Agent John E. Douglas . 0 +If the immigration official had intended that asylum was known on arrival , he would not have granted entry as a visitor . Had the Immigration Officer known on arrival that asylum was intended , then he would not have granted entry as a visitor . 0 +He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to CBS Sports . From 1976 to 1979 , he was also employed as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he joined NBC . 0 +In June 1921 , the Giants sold Perritt to the Detroit Tigers . In June of 1921 , the Detroit Tigers sold Perritt to the Giants . 0 +"The Allmusic review by Michael Erlewine awarded the album 4 ½ stars and stated "" another excellent album with Green and pianist Sonny Clark "" ." "The Allmusic review by Michael Erlewine distinguished the album with 4 ½ stars and stated : "" Another excellent album with Sonny Clark and pianist Green "" ." 0 +At the executive level , EEAA represents the central arm of the Ministry . At the central level , EEAA represents the executive of the ministry . 0 +Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper-Ghat in winter . Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper Ghat in the winter . 1 +Prior to his arrival in Sweden in 2002 , Mišović was in Serbia , where he was involved in organized crime , and left the country to escape arrest . Prior to his arrival in Serbia in 2002 , Mišović was in Sweden where he was involved in organized crime , he left the country to avoid arrest . 0 +Juan Ramón Jiménez was born on December 23 , 1881 in Huelva , near Moguer in Andalusia . Ramón Jiménez was born on 23 December 1881 in Moguer , near Huelva , in Andalucia . 0 +The 1945 Victorian state election was held in the Australian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . The Victorian state election of 1945 was held on Saturday , November 10 , 1945 , in the Australian state of Victoria , to elect 65 members of the state ’ s legislative assembly . 1 +Transcode disappeared very quickly but the EBCDIC and USASCII dialects of Bisync continued in use . Transcode continued very fast , but the EBCDIC and USASCII dialects of Bisync disappeared in use . 0 +The Nordiques signed free agent Tony Currie from the Edmonton Oilers , while they lost Blake Wesley , who signed with the Toronto Maple Leafs . The Nordiques signed the Free Agent Tony Currie from Edmonton Oilers while they lost Blake Wesley , who signed with the Toronto Maple Leafs . 1 +A second company , Winslow Life Raft Company , was founded in 1941 as a New York Rubber Company . A second company , New York Rubber Company , was founded in 1941 as a Winslow Life Raft Company . 0 +He said in December 2007 that the presidential majority would present joint lists for the 2008 local elections . In December 2007 , he said that the local majority would present common lists for the presidential elections in 2008 . 0 +The above results can be used to show that , unlike the one-dimensional case , there is not always a bound state in a spherical cavity . The results above can be used to show that , contrary to the one-dimensional case , there is not always a spherical state in a bound cavity . 0 +They developed a canon of ideal expressive figures , counter to the theatrical baroque of Bernini . They developed a canon of theatrical figures , opposite to the ideal expressive baroque of Bernini . 0 +Under his supervision , the choir also gave concert tours in Israel ( 1987 ) , Australia ( 1988 ) and Estonia ( 1989 , 1990 ) . The choir also gave concert tours in Australia ( 1987 ) , Israel ( 1988 ) , and Estonia ( 1989 , 1990 ) under his leadership . 0 +After testifying in the Till case , Reed moved to Chicago and changed his name to Willie Louis in Willie Reed . After testing in the Till case , Reed moved to Chicago and changed his name from Willie Reed to Willie Louis . 0 +The season 1988 -- 89 National Basketball Association was the 43rd NBA season . The 1988 -- 89 NBA season was the 43rd season of the National Basketball Association . 1 +Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a missionary Capuchin and a Spanish bishop . Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a Spanish Capuchin and missionary bishop . 0 +Surprise Lake is a lake located on Vancouver Island north of Brewster Lake and south of Amor Lake . Surprise Lake is a lake on Vancouver Island north of Brewster Lake and to the south of Amor Lake . 1 +Seon is a municipality in the district of Lenzburg in the canton of Aargau in Switzerland . Seon is a municipality in the Aargau district of the canton of Lenzburg , Switzerland . 0 +In the 1990s , Schwartz worked in the adult film industry in smaller , non-sexual roles and in numerous administrative roles behind the scenes . In the 1990s , Schwartz worked in numerous administrative roles and behind the scenes in small , non-sexual roles in the adult film industry . 0 +In JavaScript , for example , the factor function can be defined via anonymous recursion as such : For example , in JavaScript the factorial function can be defined via anonymous recursion as such : 1 +It is a commercial production of the EPDM intermediate polymer . It is a commercial in the production of the intermediate polymer EPDM . 1 +The Greeks and Romans identified the region as Gangaridai , a historical kingdom of the powerful subcontinent , in the 3rd century BCE . In the 3rd century BC the Greeks and Romans identified the region as Gangaridai , a historical kingdom of the mighty subcontinent . 1 +Searching for a binary search tree according to a specific key can be programmed recursively or iteratively . Searching a specific search tree according to a binary key can be recursively or iteratively programmed . 0 +"Owens did not like "" Act Naturally "" at first ." Owens did not act at first like naturally . 0 +Nigeria was originally announced as one of the sixteen teams , but shortly afterwards the team was withdrawn from the rugby competition and replaced by Barbados . Nigeria were originally announced as one of the sixteen teams , but shortly after the team was withdrawn from the rugby competition and replaced by Barbados . 1 +Sol Lesser , a film producer who had discovered Jackie Coogan , signed Breen at RKO Radio Pictures . Film producer Sol Lesser , who had discovered Breen , signed Jackie Coogan to RKO Radio Pictures . 0 +Galinoporni is a southern village situated in Cyprus , on the Turkish - Cypriot side of the Karpas peninsula . Galinoporni ( ; ) is a Turkish Cypriot village in Cyprus , located on the southern side of the Karpas Peninsula . 0 +His film debut as Amallo gave his Rahardjo , who was a member of Teater Populer , Karya later remembered that his acting was stiff in the film . Teater Populer , who was a member of Rahardjo , gave his film debut as Amallo , Karya later remembered that his acting was stiff in the film . 0 +Parmele was signed by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was released by the team . Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on 31 August 2015 . 0 +Lee received 1,012 out of 1,064 votes while Chiang received 873 votes . 1,012 out of 1,064 votes was received while Chiang received 873 votes . 0 +The URNG led the left-wing opposition in peace negotiations with the conservative Guatemalan Government . The URNG led the leftist opposition in peace negotiations with the conservative Guatemalan government . 1 +Indeed , the two terms are now also being used in other parts of the country . Indeed , the two terms are now used also in other parts of the country . 1 +The 1986 Italy rugby union tour of Italy was a series of matches played between May and June 1986 in Australia by Australia national rugby union team . The 1986 Italy Rugby Union Tour through Italy was played a series of games between May and June 1986 in Australia by Australia National Rugby Union team . 1 +In the second round she beat Julia Görges , then she defeated the 17th seed Olga Govortsova in the third . In the second round she beat Olga Govortsova , then defeated the 17th place Julia Görges in the third . 0 +"The singers of Sonic Syndicate , Richard Sjunnesson and Peter Wichers , sang also for a compilation - album , called "" with Soilwork guitarist Roland Johansson ." "The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , sang also for a compilation - album called "" Soilwork - guitarist Peter Wichers "" ." 0 +Nancy returns home and thanks her mother for attempting to protect her , but Freddy appears behind Gwen in a mirror . Nancy returns home and thanks her mother for attempting to protect her , but Gwen appears in a mirror behind Freddy . 0 +Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on September 11 , 1866 and got 8 children . Susannah Louisa Barnett married Lorenzo Giuntini on 11 September 1866 in Frome , Somerset and had 8 children . 1 +Peoria County is part of the Peoria , IL Metropolitan Statistical Area . Peoria County is a part of the Peoria , IL Metropolitan Statistical Area . 1 +Sandals were provided by Brian Atwood , Stuart Weitzman and Sophia Webster , while a pair of boots were designed by Giuseppe Zanotti . Sandals were supplied by Brian Atwood , Stuart Weitzman and Sophia Webster , while a pair of boots were designed by Giuseppe Zanotti . 1 +On 4 November 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . 1 +Members of the patent pool G.723.1 are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . Members of the patent pool G.723.1 are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . 1 +Where Formula 11 is the natural inclusion of the natural factor and Formula 12 is the first projection of the second factor . Where formula _ 11 is the natural inclusion over the first factor and formula _ 12 is the natural projection over the second factor . 0 +For centuries Kandy , originally known as Senkadagala , has been the bastion of Sri Lanka 's culture and its spiritual centre . Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and spiritual center for centuries . 0 +More Iranian research has found a connection between the Xionites and Göbl 's first wave of recent Huns . Recent research has found a connection between the Xionites and Göbl 's first wave of the Iranian Huns . 0 +The movie was filmed in 1993 . Allen Payne was the original choice to portray Kyle Watson , but was rejected by Pollack in favor of Duane Martin . The film was filmed in 1993 , and Duane Martin was the original choice to portray Allen Payne , but was rejected by Pollack in favor of Kyle Watson . 0 +The square is symbolic and has Vedic origins from fire altar , Agni . The square is symbolic and has vedic origins from the Agni fire altar . 1 +Siyin , however , is official , and Sizang is Local Terminology However the term Siyin is official and Sizang is local terminology 1 +In 1945 , Daley married Anne Marie ( 1918-1986 ) . They were the parents of Blanche Daigle , Rosemary , Daniel , and Timothy . In 1945 , Daley married Anne Marie ( 1918-1986 ) , they were parents of Blanche Daigle , Rosemary , Daniel and Timothy . 1 +However , a pair of Lola T616s run by B.F. Goodrich Company used the same Mazda engine and were successful in beating both 727Cs , claiming 1st and 3rd . A pair of Lola T616s running by B. F. Goodrich Company , however , used the same Mazda engine and were successful in beating both 727Cs , claiming 1st and 3rd . 1 +After the Muslim invasions of the seventh century the original Christians have nearly disappeared from actual Azerbaijan . After the Muslim invasions of the seventh century , the original Christians from Azerbaijan have almost disappeared . 1 +At the Ponce Grand Prix she ran a personal record of 9 : 39.36 minutes then claimed the national title at the 2013 USA Outdoor Track and Field Championships . At the Ponce Grand Prix she had a national record of 9 : 39.36 minutes and then took the personal title at the USA Outdoor Track and Field Championships 2013 . 0 +Another name of Wincham Park ( Sports Direct Arena ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . Another name of Sports Direct Arena ( Wincham Park ) was hosted in the popular BBC1 TV Show Room 101 by Frank Skinner . 1 +The Argintărie River is a tributary of Ciunget River in Romania . The River Ciunget is a tributary of the Argintărie River in Romania . 0 +The Galbena River is a tributary of the Boul River in Romania . The river Galbena is a tributary of the River Boul in Romania . 1 +On the second day , Jen sees a girl who looks very similar to her lost sister Jess . On the second day Jen sees a girl who sees her lost sister Jess very similar . 1 +In May 2012 , Broun decided he would not challenge Collins . Broun decided in May 2012 that he would not challenge Collins . 1 +Tommy tells him who is Tyrone . Tyrone tells him who is Tommy . 0 +In 1995 , Kris Jenner , the close friend of Kendall Nicole Jenner , named her daughter Brown in memory of Brown . In 1995 , Brown 's close friend Kris Jenner named her daughter Kendall Nicole Jenner in memory of Brown . 0 +This apartment is mainly used as a meeting place , with monks usually taking their meals in their separate cells . This apartment is chiefly used as a meeting place , with the monks usually taking their meals in their separate cells . 1 +The event draws tourists and participants from all areas of the Oregon coast , Washington and California . The event will attract tourists and participants from all areas of the Oregon Coast , Washington and California . 1 +In the United States , classified letters may be used to send classified material up to the level registered by Secret . In the United States , registered mail may be used to send classified material up to the Secret classified level . 0 +It was played by Daryl Somers and Ossie Ostrich hosted by Ernie Carroll . Hosted by Daryl Somers and Ossie Ostrich by Ernie Carroll was played . 0 +According to Smith , the Aaronic Priesthood was reproduced to him and Oliver Cowdery somewhere in the woods near the house on May 15 , 1829 . According to Smith , the Aaronic priesthood was restored to him and Oliver Cowdery on May 15 , 1829 , somewhere in the woods near the home . 1 +The Cartal River is a tributary of the Casimcea River in Romania . The river Casimcea is a tributary of the River Cartal in Romania . 0 +Karnataka State Road Transport Corporation ( KSRTC ) , ply buses from Bengaluru , Mysuru , Malavalli , Kollegala , and T.Narasipura . Karnataka State Road Transport Corporation , Ply Buses from Bengaluru , Mysuru , Malavalli , Kollegala , T.Narasipura . 1 +Warren County is included in the Des Moines - West Des Moines , Metropolitan Statistical Area IA . The Moines is included in the Warren County -- West Des Moines , Metropolitan Statistical Area IA . 0 +"It was described in 2015 as a new species within the new genus "" Gigantopelta "" and was classified in the Peltospiridae family ." "It was described as a new species within new genus "" Gigantopelta "" in 2015 and it was classified within the family Peltospiridae ." 1 +Bagraj is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Bagraj is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 1 +Members include Andrew Large and the Faccenda Group . The CEO has been Bernard Matthews since 2013 , previously CEO of the Cleaning and Support Services Association . Its members include Andrew Large and the Faccenda Group , whose CEO Bernard Matthews has been since 2013 and was previously CEO of the Cleaning and Support Services Association . 1 +Professor Gilbert was survived by his wife , Ingrid , whom he married in 1967 , and their daughters , Michelle and Fiona . Professor Gilbert was survived by his wife Fiona , whom he married in 1967 , and whose daughters Michelle and Ingrid survived . 0 +The third and final series started in May 2011 . In the new series Javone Prince and a recurring Marek Larwood appeared . The third and final series started in May 2011 . In the new series , Marek Larwood and a recurring Javone Prince appeared . 0 +After conferences between Leonard and Griffith in Los Angeles , Griffith flew to New York and filmed the episode . Following conferences between Leonard and Griffith in New York , Griffith flew to Los Angeles and filmed the episode . 0 +"In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the reverse alphabet in lyrical style ." "In 1966 , Soupy Sales released a song called "" Backwards Alphabet "" , which contained the lyrical alphabet in reverse style ." 0 +Rowden was widowed , and in 1825 he married and St. Quentin . Rowden was widowed , and in 1825 he and St Quentin married . 0 +Lamellar corpuscles , or Pacinian corpuscles , are pressure receptors located in the skin and also in various internal organs . Each is connected to a sensory neuron . Lamellar corpuscles or Pacinian corpuscles are pressure receptors in the skin and also in different internal organs , each connected to a sensory neuron . 1 +The most basic index letters for distinguishing the important types are as follows : The most important index letters for distinguishing basic types are as follows : 0 +It is located adjacent to the hamlet of Hickstead , to the west of Burgess Hill and next to the main A23 road from London to Brighton . It is situated next to the hamlet of Hickstead , west of Burgess Hill and adjacent to the main road A23 from London to Brighton . 1 +Bifascioides yemenellus is a moth in the family Cosmopterigidae . It is found in Iran and southern Yemen . Bifascioides yemenellus is a moth in the Cosmopterigidae family in Yemen and southern Iran . 0 +Imam Bukhari married later and had two sons , Ahmad and Muhammad , also known as Ismael , the most prominent Sunni hadith collector . Ismael also married and had two sons , Ahmad and Muhammad . Muhammad would later be known as Imam Bukhari , the most prominent Sunni hadith collector . 0 +The system required the user to first encode the standard spelling into a quasi-phonetic rendering . The system required the user to encode the default spelling first into a quasi-phonetic rendering . 1 +The first air data computer developed in the United States was patented in February 1971 by John H. Andresen . The first air data computer developed in the US was patented by John H. Andresen in February , 1971 . 1 +She is a specialist in West Indian landscape painting and the visual culture of British colonialism and of British slavery . She is a specialist in West Indian landscape painting and the visual culture of British colonialism and British slavery . 1 +"We defeated Georgia Tech , who tied Tulane , so we are champions ... The newspapers , however , more or less generally supported the claim of Auburn ... """ We defeated Georgia Tech , who had bound Tulane , so we are masters ... However , the newspapers supported more or less generally the claim of Auburn ... 1 +Albania is a town and municipality in the department of Santander in northeastern Colombia . Santander Department is a town and municipality in the Albania in northeastern Colombia . 0 +The Sultan of Golconda accepted and attacked Mysore and extinguished the Vijayanagara empire and humiliated the kingdom of Mysore . The Sultan of Golconda extinguished Mysore and humbled the Vijayanagara Empire and accepted and attacked the kingdom of Mysore . 0 +"In 2017 , a book of straight photography "" People in Cars "" , published in LA in the early 1970 ’ s , was made ." "In 2017 , a book of straight photography published in the early 1970s in LA was made , "" People in Cars . """ 1 +In 1925 , her series of syndicated crossword puzzles for children was illustrated in several newspapers . Her series of illustrated crossword puzzles for children was published in several newspapers in 1925 . 0 +The main international airport is Yaoundé Nsimalen International Airport and the second international airport at Douala International Airport . The main international airport is Douala International Airport and the second international airport at Yaoundé Nsimalen International Airport . 0 +Although it has never been played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake Events were used . Although it was never played in the series , elements of the gameplay were used for the Powerball , Whiplash and Earthquake events . 1 +Catlin represents the hometown of Illinois State Representative Chad Hays , who is the 104th Representative District of Illinois . Catlin is the hometown of Illinois State Representative Chad Hays , representing the 104th Representative District of Illinois . 0 +Trujillo incorporated elements of native art and hieratic figures in a very contemporary style in his canvases . Trujillo has incorporated in his canvases elements of local art and hieratic figures in a very contemporary style . 1 +Presented by Danny Pintauro and Jason Voorhees portrayed by Kane Hodder , accepted by Russell Streiner and John Russo . Depicted by Russell Streiner and John Russo , presented by Kane Hodder , accepted by Danny Pintauro and Jason Voorhees . 0 +The RCMP referred all 30 cases to the Senate . The Senate referred to all 30 cases to the RCMP . 0 +The Monroe Free Press is a weekly newspaper serving the Monroe , Arkansas , El Dorado , Louisiana area . The Monroe Free Press is a weekly newspaper serving Monroe , Arkansas , El Dorado , Louisiana area . 1 +NOA can also be used in the calculation of Discounted cash flow ( FCF ) and therefore the Free cash flow model . NOA can also be used in the calculation of free cash flow ( FCF ) and hence in the discounted cash flow model . 0 +She died in Abilene and was buried in Fort Worth in the municipal cemetery of Abilene . She died in Abilene and buried in Fort Worth , in the Abilene Municipal Cemetery . 1 +The Barmat scandal was later often used in Nazi propaganda as an electoral strategy and as an appeal to anti-Semitism . The Barmat Scandal was later used often in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . 0 +Then , in 1986 , he entered the star and left The Muslim . He then left The Star in 1986 and joined The Muslim . 0 +The Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank , Antwerp , Belgium . The Rockox House is a Belgian private residence of the Rockox family and former museum of KBC Bank in the city of Antwerp , Belgium . 0 +Cory S. Sheffield described the species in 2013 and named the specific name in honor of Noam Chomsky . Cory S. Sheffield described the species in 2013 , naming the specific name in honor of Noam Chomsky . 1 +Hussain received 432 votes , and his only rival , Wajihuddin Ahmed , was 77 . Hussain secured 432 votes and his only rival Wajihuddin Ahmed received 77 . 1 +Originally , Frank Trigg was hired to defend his middleweight championship against Tom Watson . Originally , Tom Watson was supposed to defend his middleweight championship against Frank Trigg . 0 +William Debenham , born in 1794 in Alpheton , Suffolk , joined Thomas Clark in a partnership to run a draper 's store at Wigmore Street 44 in London . Born in Alpheton , Suffolk in 1794 , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . 0 +They are hard , dense purple-black rocks with considerable content of pyrite . They are purple , dense black-hard rocks with a considerable pyrite content . 0 +The maintenance of the critical project would be the entire duration of the overall path for the project . The lead of the critical project would be the entire duration of the overall path for the project . 1 +At midnight , General Berg arrived with a new ultimatum signed by Paskevich in Warsaw . Around midnight General Berg arrived in Warsaw with a new ultimatum signed by Paskevich . 1 +His books are often seen as dystopian fiction and social science fiction , although they are not classified as political fiction . Thus his books are often seen as dystopian fiction and social science fiction , although they are not classified as political fiction . 1 +Jean François Pastré was the son of the shipowner Eugène Pastré ( 1758-1821 ) and his wife Eugénie Sabine Gautier ( 1776-1862 ) . Jean François Pastré was the son of the owner Eugène Pastré ( 1758-1821 ) and his wife Eugénie Sabine Gautier ( 1776-1862 ) . 1 +"Izabella Scorupco is a main character and the fictional Bond girl in the James Bond film "" GoldenEye "" , played by actress Natalya Fyodorovna Simonova ." "Izabella Scorupco is a main character and fictitious bond - girl in the James - Bond - film "" GoldenEye "" , played by the actress Natalya Fyodorovna Simonova ." 1 +The music was composed by Vedha and the lyrics by Kannadasan were written . Music was composed by Vedha and lyrics were written by Kannadasan . 1 +Tartalo was dead , but not yet blind . Tartalo was blind , but not yet dead . 0 +A resident of Montmartre , Metzinger frequented the Bateau Lavoir at this time and exhibited with Georges Braque at the Berthe Weill gallery . Georges Braque , a resident of Montmartre , attended the Bateau Lavoir at that time and exhibited with Metzinger at the Berthe Weill Gallery . 0 +It is part of the Sioux City , IA -- NE - SD Metropolitan Statistical Area . It is part of the Sioux City , IA -- NE -- SD Metropolitan Statistical Area . 1 +The Sweikert finished the following May at Salem Speedway Sixth , but then died weeks later , at the age of 30 , in 1956 , after crashing a sprint car in Indianapolis . Sweikert finished sixth at Salem Speedway the following May , but then died weeks later , at age 30 , in 1956 , after crashing a Sprint car at Indianapolis . 1 +The zoological garden was initiated by zoologist Alfred Brehm and founded in 1876 . The zoological garden was initiated by the zoologist Alfred Brehm and founded in 1876 . 1 +Wayne Black and Kevin Ullyett won in the final 6 -- 3 , 6 -- 4 , against Jonas Björkman and Todd Woodbridge . Wayne Black and Kevin Ullyett won 6 : 3 , 6 : 4 in the finals against Jonas Björkman and Todd Woodbridge . 1 +Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan with the sequence of SCSV from Florida . Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Florida with the sequence of SCSV in Taiwan . 0 +In an interview at the Massachusetts Institute of Technology in April 1980 , Borges explained that Norman Thomas di Giovanni claimed that his translations were better than Borges ' apos ; originals . In an interview at the Massachusetts Institute of Technology in April 1980 , Borges stated that Norman Thomas di Giovanni claimed his translations were better than Borges 's originals . 1 +A mass ceremony was held that night , and prayers were held until dawn . A mass ceremony was conducted that night , and prayers were held until dawn . 0 +"Marshall also directed "" Doomsday "" in 2008 , and wrote and directed "" Centurion "" in 2010 ." "In 2008 , Marshall also wrote and directed "" Doomsday "" and 2010 "" Centurion "" ." 0 +There were 12 female and 31 male athletes representing the country at the 2000 Summer Paralympics . There were 12 male and 31 female athletes representing the country at the summer - Paralympics 2000 . 0 +Spinoza 's father was born roughly a century after this forced conversion in the small Portuguese city of Vidigueira , near Beja in Alentejo . Spinoza 's father was born about a century after this forced conversion in the small Portuguese city of Vidigueira , near Beja in Alentejo . 1 +The Jiul de Vest river is a tributary of the River Furu in Romania . The Furu River is a tributary of the Jiul de Vest River in Romania . 0 +However , he was driven out in the Cardiff side , soon after by Johnny Watkins and later Colin Hudson . Soon after , he was displaced by Colin Hudson and later Johnny Watkins on the Cardiff side . 0 +Bland left Valparaíso one week later and arrived in Philadelphia on 29 October 1818 . A week later , Bland left Philadelphia and arrived in Valparaíso on October 29 , 1818 . 0 +Three times married and has four children , Amy , Alex and James Firth from his first marriage , Rory Firth from his second . Firth has been married three times and has four children ; Rory Firth , from his first marriage , Amy , Alex and James Firth from his second . 0 +The Bank of the People was created by radical Reform politicians John Rolph , James Hervey Price , and Dr James Lesslie in Toronto in 1835 . The Bank of the People was founded in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph in 1835 . 0 +Nikolaus Moser and Cedrik-Marcel Stebe won 7 -- 6 , 3 -- 6 , 10 -- 8 against Henri continent and Christopher Rungkat in the final . Henri Kontinen and Christopher Rungkat and Cedrik-Marcel Stebe won in the final 7 -- 6 , 3 -- 6 , 10 -- 8 , against Nikolaus Moser . 0 +He is married to Gordana , with whom he has a son , Daniella ( born 1990 ) and daughter , Dejan ( born 1996 ) . He is married to Gordana , with whom he has a son , Dejan ( born 1990 ) and his daughter , Daniella ( born 1996 ) . 0 +"Duff Twysden was played by Fiona Fullerton in the miniseries "" Hemingway "" in 1988 with Stacy Keach ." "In the miniseries "" Hemingway "" of 1988 with Fiona Fullerton , Duff Twysden was played by Stacy Keach ." 0 +In 1989 , a cover version of Phil Harding and Ian Curnow , produced by Sinitta , appeared . In 1989 , a cover version of Sinitta , produced by Phil Harding and Ian Curnow , appeared . 0 +After leaving Sheffield , Mary was taken by her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . After leaving Wingfield Manor , Mary was taken by her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . 0 +Today , Karmøy refers to the southern part of the island of Skudenes . Today , the Skudenes area refers to the southern part of Karmøy island . 0 +Alexandra Prince was born in Hamburg , Germany . Her father is German and her mother is Brazilian . Alexandra Prince was born in Hamburg , her father is Brazilian and her mother German . 0 +"According to the Miramar Ship Index "" Baie St. Paul © has a capacity of 24,430 tons and a gross tonnage of 37,690 tons ." """ Baie St. Paul "" has a deadweight tonnage of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." 1 +Born in York ( Toronto ) in 1799 , he grew up in Kingston . Born in 1799 in Kingston , Toronto , he grew up in York . 0 +The Sri Parashakthi Kshetra is located almost 30 km from Mangalore Railway Station and 20 km from Mangalore International Airport . Sri Parashakthi Kshetra is almost 30 km from Mangalore International Airport and 20 km from Mangalore Railway Station . 0 +"The "" Super Deluxx Edition "" was developed by 9th Level Games , but is published by Dork Storm Press ." "The "" Super Deluxx Edition "" was still designed by 9th Level Games , but is published by Dork Storm Press ." 1 +The team was a sister organization of the men 's Los Angeles Legends team , which plays in the USL Premier Development League . The team was a sister organization of the USL Premier Development League team , which plays in the Los Angeles legends . 0 +Charles F. Hoffmann and his fellow geologist , William Henry Brewer , did not know it already had a name , and climbed and named it Mt . Charles Charles F. Hoffmann and his geologist colleague William Henry Brewer did not know that it had already had a name , and climbed and named it Mt . 1 +Evelyn L. Hu is Gordon McKay Professor of Applied Physics and Electrical Engineering at Harvard University . Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrotechnics at Harvard University . 0 +In 2014 , Sawyer 's authorized biography was published by Huston Smith . In 2014 , Huston Smith 's authorized biography was published by Sawyer . 0 +The Tigers eventually won the ALDS , but lost the Red Sox in the American League Championship Series . The Red Sox finally won the ALDS , but lost to the tigers in the American League Championship Series . 0 +"At "" Shine 8 "" defeated Valkyrie Amazing Kong , Mia Yim , Christina von Eerie and Angelina Love in an eight-man team - match ." "At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Angelina Love , Christina Von Eerie , and Mia Yim in an eight-woman tag team match ." 0 +Weston Favell is an eastern area of Northampton , part of Brookside Station of Northampton , England . Weston Favell is an eastern area of Northampton , England , part of the Brookside ward of Northampton . 0 +She graduated in 1983 from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . She graduated from The Glen High School in Grahamstown in 1983 and studied at Rhodes University in Pretoria . 1 +In the Smythe Division , the Winnipeg Jets and the Calgary Flames made the playoffs every year while the original Edmonton Oilers only missed twice . In the Smythe division , the Calgary Flames and Edmonton Oilers made the playoffs every year , while the original Winnipeg jets only missed twice . 0 +He died in Albany , New York on February 20 , 1930 , and was buried at the Glenwood Cemetery in Oneida . He died in Oneida on 20 February 1930 and was buried at the Glenwood Cemetery in Albany , New York . 0 +Eurosta is a species of the Tephritidae family , known in North America as fruit flies and in Europe as wing flies . Eurosta is a genus of the family Tephritidae , known as fruit flies in Europe and Picture wing flies in North America . 0 +In 1988 , Yvonne Yvonne died and in 2007 Pat died . Yvonne died in 1988 , and Pat died in 2007 . 1 +He developed psychogenic disorder and a severe dissociative amnesia . He developed a severe dissociative disorder and psychogenic amnesia . 0 +Tuckerton is located in the 9th Congressional District and is part of the 2nd State Legislative District of New Jersey . Tuckerton is located in the 9th Congressional District and is part of New Jersey 's 2nd state legislative district . 1 +Joe was born in Somerville , Massachusetts on March 27 , 1929 and grew up in Quincy , Massachusetts . Joe was born on March 27 , 1929 in Quincy , Massachusetts , where he grew up in Somerville , Massachusetts . 0 +"On 31 August 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." "Wollstonecraft arrived in Sydney on board the ship "" Grenada "" on 31 August 1819 ." 1 +He replaced Derrek Lee as a backup at 1st base to John Mabry . He replaced Derrek Lee with John Mabry as a backup at 1st Base . 1 +In codice 4 is the second file codice 8 and in codice 5 the second file is codice 10 . In codice 5 is the second file codice 8 and in codice 4 is the second file codice 10 . 0 +The neighbourhood became part of the township of North York , which then became a city and then a city and was later incorporated into the city of Toronto . The neighbourhood became part of the Township of North York which later became a borough and then a city , and was then incorporated into the city of Toronto . 1 +Schrankia capnophanes is a species of moth of the Erebida family . It is found in Australia ( Tasmania ) . Schrankia capnophanes is a species of moth of the Erebidae family . It is found in Australia ( Tasmania ) . 1 +Kuzmice is a village and a municipality in the Košice region in the district of Trebišov in eastern Slovakia . Kuzmice is a village and municipality in the district of Trebišov in the Košice region of Eastern Slovakia . 0 +DeBona was married to former TNA and current WWE commentator Josh Mathews from November 2006 until their divorce in 2008 . From November 2006 until her divorce in 2008 , DeBona was married to the former TNA and the current WWE commentator Josh Mathews . 1 +One-dimensional examples include the normal distribution , the exponential distribution , the binomial distribution and the Poisson distribution . Examples include the binomial distribution , the dimensional distribution , the exponential distribution and the Poisson distribution . 0 +In March 1833 Pekin was renamed Redford and the southern half became Dearborn Township on April 1 . In March 1833 , Pekin was renamed Redford and the southern half was on 1 April Dearborn Township . 1 +The legend of Hallowdega is a 2010 black comedy Fantasy Mockumentary short film , directed by Terry Gilliam of a script by Aaron Bergeron . The Legend of Hallowdega is a 2010 black comedy fantasy mockumentary short film , directed by Aaron Bergeron from a screenplay by Terry Gilliam . 0 +"Kippi appeared for the first time in 1983 on "" Rechov Sumsum "" , and he also appeared on "" Shalom Sesame "" , a bilingual Israel-US - co-production from 1986 ." "Kippi also appeared on "" Rechov Sumsum "" in 1983 and he first appeared on "" Shalom Sesame "" , a bilingual 1986 Israel-US co-production ." 0 +"The "" Friends of the Art and Design School of Putney "" promotes the school and protects the interests of the current students ." "The "" Friends of Putney School of Art and Design "" promotes the School and protects the interests of current students ." 1 +"Weegee 's aesthetics formed the foundation for Hellinger 's film "" The Naked City "" in 1948 ." "In 1948 , Hellinger 's aesthetic formed the foundation for Weegee 's film "" The Naked City "" ." 0 +It is well known as the place where Friedrich Schiller worked on the first act of Don Carlos and wrote his second edition of the famous Ode to Joy . It is well known as the place where Friedrich Schiller worked on the second act of Don Carlos and wrote his first edition of the famous Ode to Joy . 0 +The change was still in the air in 1969 and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . In 1969 the change was still in the air and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . 0 +In 1963 , Janet married Lloyd Ayliffe and had two children . In 1963 , Ayliffe married Janet Lloyd and had two children . 0 +""" Still Losing You "" is a song written by Ronnie Milsap , recorded by the American country singer Mike Reid ." """ Still Losing You "" is a song written by Mike Reid , and recorded by American country music singer Ronnie Milsap ." 0 +London joined the Peace Corps in Malawi in 1989 and led a regional business development program in Africa . In 1989 , London joined the Peace Corps in Africa and organized a regional business development program in Malawi . 0 +Lee Field in the Galewood neighborhood of Wyoming , Michigan is the home stadium of the club . Lee Field in the Galewood neighborhood of Wyoming , Michigan is the club 's home stadium . 1 +This abnormal electron density affects the created magnetic field and causes the observed chemical shift to change . This abnormal electron density affects the observed magnetic field and causes the applied chemical shift to change . 0 +The diocese covers the County of Cumbria except for Alston Moor and the former Sedbergh Rural District . The diocese includes the county of Cumbria except for Alston Moor and the former Sedbergh Rural District . 1 +It is located close to the Mandurriao at 113 R. Mapa Street in the Iloilo City district of Old Iloilo Airport . It is located close to Mandurriao at 113 R. Mapa Street in Old Iloilo Airport 's Iloilo City district . 1 +One of the largest landowners in Saint Mary at the turn of the twentieth century was Blanche Blackwell , mother of Chris Blackwell . One of the largest landowners in Saint Mary at the turn of the 20th Century was Blanche Blackwell , mother of Chris Blackwell . 1 +Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles south of the Virginia border . Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the Virginia border . 1 +It extends from the US - Route 95 ( US-95 ) north of Copeland , east to the British Columbia Highway 21 ( BC 21 ) in Porthill . It extends from U.S. Route 95 ( US-95 ) north of Copeland , east to British Columbia Highway 21 ( BC 21 ) in Porthill . 1 +from the second relative homotopy group to the fundamental group , may be given the structure of crossed module . The functor The structure of the crossed module can be given from the second relative homotopy group to the fundamental group . 1 +Formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives , and steric effects . The formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives and steric effects . 1 +On June 1 , 1874 , Cornwall Minerals Railway opened its line from St Dennis Junction to Fowey , where it was connected to the Newquay Railway of Treffry . The Cornwall Minerals Railway opened its line from St Dennis Junction to Fowey on 1 June 1874 , where it connected with Treffry 's Newquay Railway . 1 +Ogbemudia was appointed Mid-West administrator of Military state in September , 1967 following the liberation of state from the secessionist Biafran forces . In September 1967 , following the liberation of the state from the secessionist Biafran forces , Ogbemudia was appointed military administrator of the mid-western state . 0 +Codd married Kathleen Warner , daughter of Carlos E. Warner , in 1894 . The couple had three children : John W. , George C. , and Kathleen . In 1894 , Kathleen Codner married Kathleen Warner , daughter of Carlos E. Warner , and the couple had three children : John W. , George C. and Kathleen . 1 +"She played Ellie Morgan in a BBC One drama miniseries "" Moving On "" , entitled "" Drowning Not Waving "" , which was broadcast in May 2009 ." "She played Ellie Morgan in the BBC One - Drama - Miniseries "" Moving On "" entitled "" Drowning Not Waving "" , which was aired in May 2009 ." 1 +In 2009 , the Mizen family founded the charity The Jimmy Mizen Foundation , which is now called For Jimmy and based in Lee . "In 2009 , the Mizen family set up the charity "" The Jimmy Mizen Foundation "" , now called For Lee , which is based in Jimmy ." 0 +"Smith has released two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) as Smith Sounds ." 0 +No . 615 ( County of Surrey ) Squadron was a unit of the British Royal Auxiliary Air Force and later the Auxiliary Air Force between 1937 and 1957 . 615 ( County Surrey ) Squadron was one unit of the British Royal Auxiliary Air Force and later of the Auxiliary Air Force between 1937 and 1957 . 1 +In 2004 , Peter Eigen celebrated her second wedding with longtime companion Gesine Schwan in Berlin . In 2004 Peter Eigen celebrated her second wedding with the longtime companion Gesine Schwan in Berlin . 1 +The Crump family had a home in Bristol , while Phil was walking in the British League , which he began with the Crewe Kings in 1971 . The Crump family had a home in Bristol , while Phil started walking in the British League , which he made with the Crewe - kings in 1971 . 0 +The Boyne cases lead north of Boyne City , and the resulting Boyne river flows northwest to South Branch and North Branch at the southeastern end of Lake Charlevoix . The South Branch and North Branch join north of Boyne Falls , and the resulting Boyne River flows northwest to Boyne City at the southeastern end of Lake Charlevoix . 0 +In 1955 , it became the Central Electricity Generating Board , which in turn in 1957 the Central Electricity Authority . In 1955 , the company became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . 0 +Johannes III died in 1378 , when John II inherited most of these possessions . When John II died in 1378 , John III inherited most of these possessions . 0 +"He now describes his view as "" non-reductive but comprehensive naturalism "" ." "He now describes his view as "" a comprehensive but non-reductive naturalism "" ." 0 +In 1956 , Charlotte Popescu married Julian Popescu and had four children , including Christine , who also wrote child pony books . Charlotte Popescu married Julian Popescu in 1956 and had four children , including Christine , who also wrote children 's pony books . 1 +One of the best and most prestigious schools in Aligarh is St Francis inter college , Hathras road . St Francis Inter College , Hathras Road , is one of the best and most renowned schools in Aligarh . 1 +She reached Sydney on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Melbourne . She reached Melbourne on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . 0 +Regiment Highveld was formed in Nelspruit on the 1 January , 1960 , it also stationed a rear HQ in the town of Middelburg . On January 1 , 1960 , the Highveld regiment was founded in Middelburg , which also stationed a Rear HQ in the town of Nelspruit . 0 +In 2000 , the RadioShack Corporation became the Tandy Corporation officially . In 2000 , Tandy Corporation officially became the RadioShack Corporation . 0 +Mateare is a municipality in the Nicaragua department of Managua . Mateare is a municipality in the Managua department of Nicaragua . 0 +When a solvent is extracted , two immiscible liquids are shaken together . When a solvent is extracted , two unmixed liquids are shaken together . 1 +In June it was reported that Burke had signed a record deal with RCA Records and the album will be jointly handled by the Syco and RCA Records . It was reported in June that Burke has signed a record contract with RCA Records and the album will be handled jointly by Syco and RCA Records . 1 +In bioinformatics , inverted indexes for the sequence assembly of short fragments of sequenced DNA are very important . In bioinformatics , short indexes are very important in the sequence assembly of inverted fragments of sequenced DNA . 0 +In January 1938 he became the head of the 64th department and chief of staff of the 2nd Manghud - Border - Detachments . In January 1938 , he became head of the 2nd department and chief of staff of the 64th Manghud Border Detachment . 0 +The Ojhas are ritual leaders , teachers and members of the highest spiritual rank in the varna system of Hinduism as brahmans . As Brahmins , the Ojhas are ritual leaders , teachers , and members of the highest spiritual rank in the varna system of Hinduism . 1 +MacMahon - Formula is the multiplicative formula for the general values of Formula 30 : MacMahon formula is the general formula for multiplicative values of formula 30 : 0 +It is linked to the American Baptist Churches USA , the Southern Baptist Convention and the Baptist World Alliance and supports the work of the Cooperative Baptist Fellowship . It is affiliated with American Baptist Churches USA , the Southern Baptist Convention and the Baptist World Alliance , and supports the work of the Cooperative Baptist Fellowship . 1 +The Bhutanese language is national ( Dzongkha ) , one of 53 languages in the Tibetan language family . The national language is Bhutanese ( Dzongkha ) , one of the 53 languages in the Tibetan family . 0 +Surprise Lake is a lake located north of Vancouver Island and south of Amor Lake at Brewster Lake . Surprise Lake is a lake located on Vancouver Island north of Brewster Lake and south of Amor Lake . 0 +From September 1966 to June 1967 , Cozarinsky visited Europe and made a visit to New York City on his return to Buenos Aires . Cozarinsky visited Europe from September 1966 to June 1967 , stopping for a visit to New York City on his return to Buenos Aires . 1 +Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . Due to the results of the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 1 +This French-supported production with Jean Louis Martinoty , conductor , and his orchestra was directed by John Eliot Gardiner . This French supported production with John Eliot Gardiner , conductor , and his Orchestra was directed by Jean Louis Martinoty . 0 +Adam Helmer died on 9 April 1830 in the city of Brutus at Cayuga County in New York . Brutus died on April 9 , 1830 in the city of Adam Helmer at Cayuga County in New York . 0 +Rosemary Casals defeated Nancy Richey 3 -- 6 , 6 -- 1 , 7 -- 5 - 5 Rosemary Casals defeated Nancy Richey 3 -- 6 , 6 -- 1 , 7 -- 5 0 +Roger Kirk was born in East London and brought up and educated in Norfolk . Roger Kirk was born in East London and educated and brought up in Norfolk . 1 +The expansion of the international presence of China Airlines has long been limited by Taiwan 's political status . The expansion of China Airlines ' political presence has long been limited by Taiwan 's international status . 0 +A brunch forum by Chris Wallace with presidential candidates , originally sponsored by the New Hampshire Republican Party , was planned to be broadcast at Fox News . A brunch forum housed by Chris Wallace with presidential candidates , originally to be sponsored by the New Hampshire Republican Party , was planned for broadcast on Fox News . 1 +Danièle Minne became Djamila Amrane by marriage in 1964 . In 1964 , Danièle Minne became Djamila Amrane by marriage . 1 +The episode was directed by Graham Roland and written by Paul Holahan . The consequence was directed by Graham Roland and written by Paul Holahan . 1 +The province of Dalmatia spread inland to cover all of the Dinaric Alps and most of the actual coast , including all eastern Adriatic Montenegro . The province of Dalmatia has spread inland to cover all the Dinaric Alps and most of the actual coast , including the entire eastern Adriatic coast of Montenegro . 1 +( Formula 26 are normal vectors at the intersection points and their scalar product is Formula 27 ) ( formula _ 26 are normal vectors at the intersection points . Their scalar product is formula _ 27 . ) 1 +Later , St. George 's Homes in Kodaikanal had the same purpose as the Kalimpong Homes , but were influenced and modeled by Graham 's work in Kalimpong . St. George 's Homes in Kalimpong constructed later had the same purpose as that of Kodaikanal homes , but influenced and modeled by Graham 's work in Kalimpong . 0 +Pratt left Vickers in 1912 to work for J. Samuel White at Cowes . Vickers had left Pratt in 1912 to work for J. Samuel White at Cowes . 0 +Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo from Brazil . Natália Falavigna da Silva ( born 9 May 1984 in Brazil ) is a taekwondo athlete from Maringá . 0 +In 235 BC , after an attack on the state of Zhao , troops united from the states of Qin and Chu Wei attacked , but suffered a defeat . In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Wei united to attack Chu but suffered a defeat . 0 +""" Mission Santa Ynez "" , scrapped in 2010 , was the last survivor of over 500 T2 tankers built during the Second World War ." """ Mission Santa Ynez "" , built in 2010 , was the last survivor of over 500 T2 tankers scrapped during the Second World War ." 0 +She was the second daughter and the youngest of four children to be born Wright and his wife , Mary Weeks ( bracket ) Philander Montague Wright . She was the second daughter and the youngest of four children born of Philander Montague Wright and his wife , Mary Weeks ( Bracket ) Wright . 0 +He was part of the Danish team that won the silver medal in the gymnastics of the men , Swedish system event . He was part of the Danish team that won the silver medal in the gymnastics men 's team , Swedish system event . 1 +In 1971 , a new campus was completed in 33 MacDonnell Road for primary school . In 1971 , a primary campus in 33 MacDonnell Road was completed for the new school . 0 +The government of Punjab , a provincial government in the federal structure of Pakistan , is in Lahore , the capital of the province of Punjab . The Government of Punjab , a federal government in the provincial structure of Pakistan , is based in Lahore , the capital of the Punjab Province . 0 +A strange dark boy , mistreated by his parents , offers a young rider a play of his meal . A strange dark boy , mistreated by his parents , offers a young rider a piece of his meal . 1 +From September 1966 to June 1967 , Cozarinsky visited New York City to visit Buenos Aires on his return to Europe . Cozarinsky visited Europe from September 1966 to June 1967 , stopping for a visit to New York City on his return to Buenos Aires . 0 +The Mouca River ( or Moca River ) is a tributary of the Salcia River in Romania . The River Salcia ( or Moca ) is a tributary of the Mouca River in Romania . 0 +The radical party of the people ( Narodna radikalna stranka ) was founded as a conservative party in 1881 , but it developed into a radical direction from 1919 . "The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a radical party but from 1919 it evolved into a conservative direction" 0 +Maison Jansen then asked Kennedy if they would restore the table . Then Kennedy asked Maison Jansen whether they would restore the table . 0 +Georges Merle died in Paris in 1881 , and his son Hugues Merle also became painter . Georges Merle died in 1881 in Paris . His son Hugues Merle also became a painter . 1 +The building , which was opened by the City Fathers was designed by William Stark , was commissioned in 1808 , originally as St. George 's Parish Church . The building , commissioned by the city fathers and designed by William Stark , was originally opened in 1808 as St. George 's Parish Church . 0 +His parents were Sergeant Major Astrid Ingeborg Tuominen and the librarian Rudolf Mikael Friberg . His parents were sergeant major Astrid Ingeborg Tuominen and librarian Rudolf Mikael Friberg . 1 +A post office called Maple Park was first established in 1837 , and the post office was renamed in Lodi in 1880 . A post office called Maple Park was established first in 1837 , and the post office was renamed Lodi in 1880 . 1 +This was a limited release -- only 300 red vinyl and 200 black vinyl copies were issued . This was a limited release -- only 300 black vinyl and 200 red vinyl copies were printed out . 0 +This form of parallelism allows sprite data to be decompressed while other types of data are quickly passed to the main CPU . This form of parallelism allows sprite data to be decompressed while other data types are quickly forwarded to the main CPU . 1 +The tournament won by Matthew Stevens , John Higgins 9-7 in the final . Matthew Stevens won the tournament , defeating John Higgins 9-7 in the final . 0 +Scopula anfractata is a moth of the Geometridae family and is found in Yunnan ( China ) . Scopula anfractata is a moth of the family Geometridae and is found in China ( Yunnan ) . 1 +It is now a recreation reserve managed by the Wellington City Council ( HPPA ) in partnership with the Highland Park Progressive Association ( WCC ) . It is now a recreational reserve managed by the Wellington City Council ( HPPA ) in partnership with the Highland Park Progressive Association ( WCC ) . 1 +Notes from Big Sur is an album by jazz saxophonist Lloyd recorded in July 1993 by Charles Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . Notes by Big Sur is an album by jazz saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . 1 +The station opened on 1 July 1903 on the Donegal Railway Company line from Glenties to Stranorlar . The station was opened on 1 July 1903 on the railway line Donegal Railway from Stranorlar to Glenties . 0 +The pre-synaptic monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of vesicular neurons . The vesicular monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of presynaptic neurons . 0 +The PGM 500 and PGM 2000 are guided bombs developed by MBDA and are now being marketed by Alenia Marconi Systems . The PGM 500 and PGM 2000 are guided bombs developed by MBDA and now marketed by Alenia Marconi Systems . 1 +The city is situated on the main road between Mogadishu and Jilib , close to Barawa and about 50 miles northeast of Kismayo . The city is situated on the main road between Mogadishu and Jilib , near Barawa and about 50 miles northeast of Kismayo . 1 +The Republicans backed Charles Evans Hughes , and Progressive leaders reluctantly nominated him , but some former Roosevelt supporters refused to support Hughes . The Republicans supported Charles Evans Hughes , and Progressive leaders nominated him reluctantly , but some former Roosevelt supporters refused to support Hughes . 1 +Henny Trylesinski , also known as Henny Trayles ( Argentina , 4 June , 1937 ) is a Uruguayan-born German actress and comedian , who lives in Hamburg . Henny Trylesinski , also known as Henny Trayles ( Argentina , 4 June 1937 ) , is a Uruguayan - born German actress and comedian who lives in Hamburg , Germany . 1 +This story is about a ghostly double - Hemutiu , which is called Senu and his young red . This story is about a ghostly double hemutiu called Senu and his young Red . 1 +"Julius Caesar returned to Gaul in 51 BC , where he was again a "" legatus "" for Vatinius ." "In 51 BC Vatinius returned to Gallia , where he was again "" Legatus "" for Julius Caesar ." 0 +""" Chuck Versus the Family Volkoff "" is the fourth episode of the 20th season of "" Chuck "" , and the 74th overall episode of the series ." """ Chuck against the family Volkoff "" is the fourth episode of the 20th season of "" Chuck "" , and the 74th overall episode of the series ." 1 +Howard County was named after its position at the geographical center of Center Township . Howard County was named from its position at the geographical center of Center Township . 1 +They were designed by Electric Boat and were built by other yards under subcontracts . They were built by Electric Boat and were designed under subcontracts by other shipyards . 0 +For the first time , Stephen Hendry won the title and defeated Peter Ebdon 9-8 in the final . Peter Ebdon won the title for the first time and proposed Stephen Hendry 9 -- 8 in the final . 0 +In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Ministry head of staff . In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Head of Ministry of Staff . 1 +She died in Fort Worth and was buried in Abilene at the municipal cemetery in Abilene . She died in Fort Worth , and is buried in Abilene , in the Abilene Municipal Cemetery . 1 +The postwar immigrants founded the Belarusian Congress Committee of America here in 1951 . In 1951 , the Belarusian immigrants founded the Congress Committee of America . 0 +In 1982 , SGA transferred its executive office from New York City to Nashville . In 1982 , SGA moved its executive office from New York City to Nashville . 1 +Ramagundam experiences dry inland climatic conditions with hot summers and cool winters . Ramagundam experiences cool climatic conditions inland with hot summers and dry winters . 0 +The 2009 season -- 10 Anaheim Ducks was the 17th season of the operation ( 16th season of the game ) for the National Hockey League Franchise . The 2009 - 2010 National Hockey League season was the 17th season of operation ( 16th season of play ) for the Anaheim Ducks franchise . 0 +On 23 September , Myles C. Fox reached Yokosuka and left San Diego on 8 October . On 23 September , Myles C. Fox left Yokosuka and reached San Diego on October 8 . 0 +"The "" perceived lack of independence and politicized , opaque decision-making "" of the CCA remains a strong issue ." "The CCA 's "" perceived lack of independence and strong decision-making "" remains a politicized , opaque issue ." 0 +She was sold on 19 July 1973 and scrapped . On 19 July 1973 , she was scrapped and sold . 0 +The 500 Hispanic settlers who had lived near Los Adaes had to relocate in 1773 in San Antonio . The 500 Hispanic settlers who had lived near San Antonio had to relocate in Los Adaes in 1773 . 0 +The former AFL players Tarkyn Lockyer ( Collingwood ) and Ryan Brabazon ( Sydney ) , Jason Mandzij ( Gold Coast ) , started their football careers and played for the Kangas . Former AFL players Ryan Brabazon ( Collingwood ) and Tarkyn Lockyer ( Sydney ) , Jason Mandzij ( Gold Coast ) started their football careers playing for the Kangas . 0 +Maurice Tellier is the son of Paul Tellier and the grandson of Sir Joseph - Mathias Tellier , who was the brother of Louis Tellier . Paul Tellier is the son of Maurice Tellier , and the grandson of Sir Joseph – Mathias Tellier , who was the brother of Louis Tellier . 0 +Caterina Scotti married Vincenzo . Caterina Scotti married Vincenzo . 1 +In 1841 , Francis Davenport returned to England , leaving Henry Giles to manage his business . Henry Giles returned to England in 1841 , leaving Francis Davenport to manage his affairs . 0 +The FIFA Manager 10 was developed by Bright Future and published by EA Spore . FIFA Manager 10 was published by Bright Future and developed by EA Spore . 0 +He was born in Cedar Rapids , Iowa , and died in Fairfax , Iowa . Terry was born in Cedar Rapids , Iowa , and died in Fairfax , Iowa . 1 +The others were Donald Carr from Repton School and the Etonian , Luke White . The others were Donald Carr from the Repton School and Etonians , Luke White . 1 +Mr Payne made the highest bid for Mr Cave 's goods at an auction . At an auction , Mr Payne submitted the highest bid for Mr Cave 's goods . 1 +ISPS Handa promotes blind golf and disabled golf and offers worldwide management and financial support for a number of tournaments in cooperation with local golf associations . ISPS Handa promotes disabled golf and blind golf and offers worldwide management and financial support for a number of tournaments in cooperation with local golf associations . 1 +It is the 24th episode in the series , which was written by Silvio Horta & Marco Pennette and directed by James Hayman . It is the 24th episode in the series , written by Silvio Horta , Marco Pennette and directed by James Hayman . 1 +"The name "" rigid analytic cohomology "" comes from its relation to rigid spaces ." "The name "" rigid analytical cohomology "" comes from its relation to rigid spaces ." 1 +In 1973 , she moved to New South Wales , and toured with Jimmy Little , performing at popular clubs and pubs around Sydney . In 1973 she moved to New South Wales , toured with Jimmy Little and performed in popular clubs and pubs around Sydney . 1 +According to the United States Census Bureau , the community has a total area of which land and , or 24.17 % , is water . According to the United States Census Bureau , the township is a total area of , which is land and , or 24.17 % , has water . 1 +Alfred Gregson ( March 2 , 1889 - March 1968 ) was an English professional football player who played for Grimsby Town and Bury in the Football League . Alfred Gregson ( 2 March , 1889 -- March 1968 ) was an inside football English professional left , who played in the Football League for Grimsby Town and Bury . 0 +Let Formula 4 follow a continuous ( uniform ) distribution between Formula 19 and Formula 20 . Let demand , formula _ 4 , follow a uniform distribution ( continuous ) between formula _ 19 and formula _ 20 . 1 +On 14 May 1647 , he was confirmed as Archbishop of Messina and selected by Pope Innocent X on 16 September 1647 . On May 14 , 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . 0 +Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park north of Hetch Hetchy Valley . Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park just north of Hetch Hetchy Valley . 1 +San Lorenzo Axocomanitla is a municipality in Mexico in the south-eastern Tlaxcala . San Lorenzo Axocomanitla is a municipality in Mexico in south-eastern Tlaxcala . 1 +Paralepetopsis tunnicliffae is a sea snail species , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of true limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of marine limpets . 0 +Its earliest settlers were George Woods in 1774 , and George McCormick who settled at Spring Mills in 1773 and built the first mill there . In 1774 , its earliest settlers were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . 1 +He also worked in several houses and monasteries in Belgium , in Beaulieu Castle ( Ghent ) in Machelen and in Horst Castle . He also worked in several houses and monasteries in Ghent , in the castle Beaulieu ( Belgium ) in Machelen and in the castle of Horst . 0 +Saptarshis - List : Kashyapa , Atri , Vashista , Angira , Gautama , Agastya , Bharadvaja During the Vaivasvata-manvantara the avatar is called Lord Vishnu Vamana . Saptarshis list : Kashyapa , Atri , Vashista , Angira , Gautama , Agastya , Bharadvaja . During Vaivasvata-manvantara , Lord Vishnu 's avatar is called Vamana 1 +There are nine primary level schools , 16 secondary schools and two schools for special education . There are nine primary schools , 16 secondary schools and two schools for special education . 1 +He frequently observed ballet performances at the Paris Opera and often attended lessons at the dance school . He frequently attended ballet performances at the Paris Opera and often observed teaching at the dance school . 0 +Euglandina jacksoni is a species of terrestrial pulmonate air-breathing land snail , a predatory gastropod mollusk in the family Spiraxidae . Euglandina jacksoni is a species of predatory air-breathable snail , a terrestrial pulmonate gastropod mollusk in the Spiraxidae family . 0 +Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett in the finals with 6 -- 3 , 6 -- 4 . Wayne Black and Kevin Ullyett won in the final 6 -- 3 , 6 -- 4 , against Jonas Björkman and Todd Woodbridge . 0 +Muagututia was signed by the Chicago Rush on November 14 , 2002 . He was released by the Rush on March 31 , 2003 . He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on March 31 , 2003 . 0 +The film was managed by S. P. S. Pictures of R. Sockalingam and was produced by Ch . The film was directed by S. P. S. Pictures managed by R. Sockalingam and was produced by Ch . 0 +In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Arlington , from Abilene to Texas . 0 +She arrived in Cork on June 24 and was in the downs on July 8 . She arrived at Cork on 24 June , and was in the Downs on 8 July . 1 +He repeatedly produced portraits and was mainly used by the Spanish and also Austrian Habsburgs . He repeatedly produced portraits , and was mainly used by the Spanish , and also the Austrian , Habsburgs . 1 +With Hirai defeated , Kato escapes with Yukari . Defeated with Kato , Hirai escapes with Yukari . 0 +The communes which border on Calvagese della Riviera are Polpenazze del Garda , Prevalle , Bedizzole , Padenghe sul Garda , Lonato , Soiano del Lago , and Muscoline . The municipalities which border Calvagese della Riviera are Polpenazze del Garda , Prevalle , Bedizzole , Padenghe sul Garda , Lonato , Soiano del Lago and Muscoline . 0 +Robert W. Edgar was appointed Member of the Council of the President 's Common Cause by Cohen . Robert W. Edgar was appointed by Cohen as a member of the President 's Council of Common Cause . 1 +The series was written by Jim Starlin and drawn by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . This series was written by Jim Starlin and Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 0 +Later , a city council ( Parliamentary Commission of Inquiry ) was established in the CPI of the city of Rio de Janeiro . Later , a CPI ( Parliamentary Commission of Inquiry ) was installed in the City Council of city of Rio de Janeiro . 0 +Thus a tangential polygon is a regular polygon . A tangential polygon is thus a regular polygon . 1 +It has small , high concrete walls with high stained glass windows . It has small , high stucco-on-concrete walls with high stained glass windows . 1 +After Matt falls into a magical , coma-like slumber , Elena takes on more responsibility and eventually , becomes the sheriff of Mystic Falls . After Matt falls into a magical , coma-like slumber , Elena takes on more responsibility and finally becomes the sheriff of Mystic Falls . 1 +Although the two sections appear in the full text in modern editions , chapter X has also been published separately , both as a separate book and in collections . Although the two sections appear in full text in modern editions , Chapter X has also been published separately , both as a book of its own and in collections . 1 +Members of the G.723.1 patent pool are Nokia , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . Members of the G.723.1 patent pool are AudioCodes , France Télécom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . 1 +Wanjiru 's cousin Joseph Riri is a world class marathon runner , and Wanjiru 's younger brother , Simon Njoroge , is also a long-distance runner . Wanjiru 's cousin Simon Njoroge is a world-class marathon runner , and Wanjiru 's younger brother Joseph Riri is also a long-distance runner . 0 +Tătarca river is a tributary of the River Cârlibaba in Romania . The Tătarca River is a tributary of the Cârlibaba River in Romania . 1 +The Arbatel de Magia veterum was a Latin grimoire of the Renaissance ceremonial magic that was published in Switzerland in 1575 . The Arbatel de Magia veterum was a ceremonial grimoire of Latin Renaissance magic , which appeared in Switzerland in 1575 . 0 +Their light engines caused wing fatigue due to the heavy aluminium alloy used . Their heavy engines caused wing spar fatigue due to the light aluminium alloy used . 0 +Matsumoto played previously for Tokushima Vortis , Shonan Bellmare and Kyoto Purple Sanga . Matsumoto previously played for Tokushima Vortis , Shonan Bellmare and Kyoto Purple Sanga . 1 +Elinor had also told Do privately that she had read their letters to Julia . Julia also privately told Do that she had read her letters to Elinor . 0 +In the east is Susquehanna County , with Middletown Township ( North ) and Rush Township ( South ) along the border . To the east is Susquehanna County , with Middletown Township ( north ) and Rush Township ( south ) along the border . 1 +The Voievodu River is a tributary of the River Sterminos in Romania . The Sterminos River is a tributary of the Voievodu River in Romania . 0 +"Psychopolitical validity is divided into two components : "" epistemic validity "" and "" transformation validity "" ." "Psychopolitical validity is divided into two components : "" transformational validity "" and "" epistemic validity "" ." 1 +It is used for the training of Bayero University medical students and postgraduate medical doctors ( Residency training ) . It is used for the training of medical students and doctors at Bayero University ( Residency Training ) . 0 +The company moved cigar production from Cuba to Trenton in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . In 1932 , the company moved cigar production from Cuba to Trenton after a strike at the Cuban factory , in order to avoid high customs duties . 1 +He participated in the War of Awan and Waroux and intervened in the siege of Maastricht in 1334 . He participated in the War of Awans and Waroux and intervened in the 1334 siege of Maastricht . 1 +Benzoylfentanyl was banned in Finland in September 2017 , and in Sweden in October 2017 . Benzoylfentanyl was banned in September 2017 in Finland , in October 2017 in Sweden . 1 +Abolitionists increased in 1850 to the defense of Ellen and William Craft , Anthony Burns in 1851 and Shadrach Minkin in 1854 . Abolitionists rose to the defense of Ellen and William Craft in 1850 , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . 1 +On September 24 , the cyclone dissolved into a tropical depression and was weakened the next day . The cyclone dissipated into a tropical depression on September 24 and weakened the next day . 1 +The hospital provides tertiary and quaternary services in the areas of cardiovascular surgery , neurosurgery , inner city health and therapeutic endoscopy . The hospital provides tertiary and quaternary services in cardiovascular surgery , neurosurgery , inner city health and therapeutic endoscopy . 1 +"It is widespread in Europe but is never as common as "" L. sponsa "" ." It is widespread in Europe , but it is never as common as L. sponsa . 1 +After the breakup of their previous band , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . After the separation of their previous band , Brendan Benham and Dan Mena discussed the idea of founding a new band with Shae Lappen . 1 +He lived ten years in Italy and won the classic Bardolino race in Turin , Italy for six years in a row from 2001 to 2006 . He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy for six years in a row from 2001 to 2006 . 0 +It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Barcelona , Catalonia , Spain . It took place at the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain , from April 23 through April 29 , 2010 . 1 +"cleared dry lake or forest ( comes from the name of the old domain "" Les Eychartelles "" , which once contained a forest )" "Old lake or forest cleared ( comes from the name of the dry domain "" les eychartelles "" which once included a forest ) ." 0 +In the Chamber he joined the conservative group Appel au peuple and voted with the parliamentary minority . In the Chamber he joined the Appel au peuple parliamentary group , and voted with the conservtive minority . 0 +Albert Speer later said Hitler described Hess 's actions as one of the worst personal blows of his life , as he considered it a personal betrayal . Hitler later said that Hess described the actions of Albert Speer as one of the worst personal blows of his life , as he considered it a personal betrayal . 0 +In the third film , the fat lady of Elizabeth Spriggs and Dawn French is played in the first film . In the first movie , the Fat Lady is played by Elizabeth Spriggs , in the third film by Dawn French . 0 +She attended Lincoln Southwest High School from 1999 to 2002 and attended Scott Middle School from 2002 to 2005 . From 1999 to 2002 she attended the Scott Middle School and the Lincoln Southwest High School from 2002 to 2005 . 0 +Celestine V identifies a persistent tradition as the nameless figure Dante Alighieri sees among those in the anteroom of hell , in the mysterious verses : A persistent tradition identifies Celestine V as the enigmatic figure Dante Alighieri sees among those in the antechamber of Hell , in the nameless verses : 0 +They bought a house in Grosse Pointe , Michigan for two years , and then rented one in the Palmer Woods section of Detroit . They bought a house in Grosse Pointe , Michigan , for two years , then rented one in the Palmer Woods section of Detroit . 1 +The novel was read by Kirsty Williams as BBC - Radio - 4 - Bedtime Book , adapted by Toby Stephens and produced by Lu Kemp . The novel was read as a BBC Radio 4 Book at Bedtime by Kirsty Williams in 2008 , adapted by Toby Stephens and produced by Lu Kemp . 1 +In 1913 , Lepel had lost its strategic and economic importance and was a quiet regional center . By 1913 , Lepel had lost its quiet regional importance and was a strategic and economic town center . 0 +In fact , it was not Australia but an island in present-day Vanuatu . In fact , it was not Vanuatu , but a present-day island in Australia . 0 +Sometimes already allocated codes were re-used or the x00 codes spared previously were assigned . Sometimes already allocated codes were reused or the previously spared x00 codes were assigned . 1 +Tousignant served in the 31st and 32nd Canadian Parliament before being defeated by Gabriel Desjardins of the Progressive Conservative Party in 1984 . Gabriel Desjardins served in the 31st and 32nd Canadian Parliaments before being defeated in the 1984 election by Tousignant of the Progressive Conservative party . 0 +Andy Halliday came from the Blackburn Rovers , David Goodwillie from Middlesbrough , Andy Keogh from Millwall and Tony McMahon of Sheffield United . Goodwillie came from Blackburn Rovers , Andy Halliday from Middlesbrough , Andy Keogh from Millwall and Tony McMahon from Sheffield United . 0 +Liao works mainly in the fields of comparative literature , cultural theory and postcolonial studies . Liao works primarily in the fields of comparative literature , postcolonial theory , and cultural studies . 0 +"During 1942 , "" Whitehall "" was "" adopted "" by the national community of Cheltenham , Gloucestershire , in a Warship Week civil savings campaign ." "During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civilian savings campaign of the warship - week "" ." 1 +The museum has two specific sections in two separate buildings : one is the Nicaraguan numismatics and another on the pre-Hispanic archaeology of the area . The museum has two specific sections in two separate buildings ; one is the Nicaraguan Numismatics , and another about pre-Hispanic archaeology of the area . 1 +He sent his brother , the younger Cyrus , to relieve Tissaphernes of his command over Lydia . He sent his brother , Cyrus the younger , to relieve Tissaphernes of his command of Lydia . 1 +Dora Lee McClain was born in Montgomery , Alabama , as the daughter of a single mother Boyd . Dora Lee McClain was born in Montgomery , Alabama , the daughter of single mother Boyd . 1 +Papanui is a former New Zealand parliamentary electorate . The electorate was in the northern suburbs of the city of Christchurch , and existed from 1969 to 1984 . Papanui is a former New Zealand parliamentary electorate which existed in the northern suburbs of the city of Christchurch and which was from 1969 to 1984 . 1 +""" Sidewalk "" magazine helped to create the careers of characters such as Olly Todd , John Rattray , Stuart Graham , Benny Fairfax , Brian Sumner and more ." """ Sidewalk "" Magazine has helped spawn the careers of characters such as Brian Sumner , Benny Fairfax , Olly Todd , John Rattray , Stuart Graham and more ." 1 +After Munga 's death Khan Kublai became . After Munga 's death , Khan became the Kublai . 1 +The Durga - Temple is the main attraction for Aihole - visitors and its iconic layout apsidal . The Durga temple is the principal attraction for Aihole visitors and apsidal in its iconic layout . 1 +Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . Big Sur 's album Notes is an album by Jazz - saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . 0 +The first three were on CBS , and the last was on the Blue Network . The first three were on CBS , and the last one was on the Blue Network . 1 +"Religious institute -- "" a society in which members ... pronounce common vows ... and lead a life of brothers or sisters in public "" ." "Religious Institute -- "" a society in which members ... take off public vows ... and lead a common life of brothers or sisters "" ." 0 +Brooks was served in Ferriday in 1932 by the banker Daniel B. Fleming of the Concordia Parish . Brooks was unseated in 1932 by the banker Daniel B. Fleming of Concordia Parish in Ferriday . 1 +Juan Carlos Ferrero won 7-6 , 6-2 against Guillermo Cañas in the finals . Guillermo Cañas won in the final 7 -- 6 , 6 -- 2 , against Juan Carlos Ferrero . 0 +In 1971 , a new campus was completed in 33 MacDonnell Road for primary school . In 1971 , a new campus in 33 MacDonnell Road was completed for the primary school . 1 +She is voiced by Kanako Hatori in the Japanese anime and by Tara Platt in the English dub . She is expressed by Tara Platt in the Japanese anime and by Kanako Hatori in the English Dub . 0 +By elevation , Wilmont is the highest incorporated community in America , and is the only place in Nobles County where Larry Lang 's onion rings are sold . Wilmont is the highest integrated community in Nobles County through elevation , and is the only place in America where onion rings are being sold by Larry Lang . 0 +Yiddish names are in parentheses ( if different ) , current names are linked . Yiddish names are associated in parentheses ( if different ) , current names are linked . 1 +He preached in Bridgeville , Callicoon , Fallsburgh , Grahamsville , Lackawack , Neversink , North Branch , Otisville , Stephen and Fabriken . He preached in Grahamsville , Fallsburgh , Bridgeville , Callicoon , Lackawack , Neversink , North Branch , Otisville , Stephen 's , and Factories . 1 +The Henry Ford Health System operates forty general medical centers and seven specialized medical facilities . The Henry Ford Health System operates forty general medical centres and seven specialized medical facilities . 1 +Arabic Supplement is a Unicode block encoding old letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and Arabic Persian . Supplement is a Unicode block that encodes Arabic letter variants used for writing non-Arabic languages , including the languages of Pakistan and Africa and old Persian . 0 +The station will be located near Griffintown of Lachine Canal and right next to the emerging Peel Basin area . The station will be located near the Griffintown of the Lachine Canal , and right next to the burgeoning Peel Basin area . 0 +She graduated from The Glen High School in Pretoria in 1983 and studied at Rhodes University in Grahamstown . She graduated in 1983 from the Glen High School in Pretoria and studied at the Rhodes University in Grahamstown . 1 +Suncook is located in the southern corner of the city of Pembroke and the western end of the town of Allenstown . Suncook is located in the southern corner of the town of Pembroke and the western end of the town of Allenstown . 1 +September 2 : CF Michael Bourn and CF Drew Stubbs activated , C. Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson by AAA Norfolk recalled . September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino recalled by AAA Norfolk . 0 +He controls Ballox the Monstroid , and battles Spider-Man and the Vision . He battles the monstroid Ballox and controls SpiderMan and the vision . 0 +Santander Department is a town and municipality in the Albania in northeastern Colombia . Santander department is a town and municipality in Albania in northeastern Colombia . 1 +The series was published by Dell ( NY ) for the US editions , and Armada ( UK ) for the London editions . The series was published by Dell ( NY ) for the US issues and Armada ( London ) for the UK editions . 0 +She plays for Åland United of the Naisten Liiga . She plays for Naisten Liiga of Åland United . 0 +Secular spirituality does not mean rejecting contemporary ideas of liberalism , socialism or science , but it exists as a parallel reading of the discourse with modern society . Secular spirituality does not imply rejecting contemporary ideas of liberalism , socialism or science , but instead exists as a parallel reading of the discourse with modern society . 1 +He was born in Quebec around 1760 and settled in Detroit ( then part of Scotland ) in 1782 . He was born in Scotland around 1760 and settled in Detroit in 1782 ( then still Quebec ) . 0 +April 23 , 1975 : Derby County wins the title after Ipswich Town can only draw with Manchester City 1 : 1 . April 23 , 1975 : Manchester City win the title after Derby County only with Ipswich Town 1-1 draw . 0 +Here is a list of schools in Harford County , Maryland . Both public schools and independent schools are included , but parochial schools are not listed . Here is a list of schools in Harford County , Maryland.There are listed both public schools and parish schools , but independent schools are not included . 0 +The PidariAmman Temple in Vavvaneri is located nearer to the hamlet . The same idol is PidariAmman with a small MariAmman idol placed in the main chamber . The PidariAmman temple in Vavvaneri is situated closer to the hamlet , the same idol is PidariAmman with a small MariAmman idol placed in the main chamber . 1 +Nearly the entire area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . Almost the whole area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . 0 +For many centuries it was a royal peculiar , independent royal , and from 1480 a chapel of the Diocese of Lichfield and even the Province of Canterbury . For many centuries it was a royal , independent royal royal and from 1480 a chapel of the diocese of Lichfield and even the province of Canterbury . 1 +Kinetic Compensation : An increase in preexponential factors tends to compensate for the increase in activation energy . Kinetic Compensation : An increase in the preexponential factors tends to compensate for the increase in activation energy : 1 +However , Grossman was later injured in the season , and temporarily relieved by Griese . However , Grossman was later injured in the season and temporarily relieved of Griese . 1 +They were planning to play in three Texan cities , Dallas , Tyler and San Antonio , which was cancelled due to an illness . They were scheduled to play in three Texas cities , San Antonio , Tyler and Dallas , which was cancelled due to an illness . 1 +His son Graham Haynes is a cornetist ; his son Craig Haynes and grandson Marcus Gilmore are both drummers . His son Graham Haynes is a cornettist , his son Craig Haynes and his grandson , Marcus Gilmore , are both drummers . 1 +""" Frog Legs Rag "" is a classic cardboard composed by John Stillwell Stark and published by James Scott in December 1906 ." """ Frog Legs Rag "" is a classic rag composed by John Stillwell Stark and published by James Scott in December 1906 ." 1 +The River Frasin is a tributary of the River Straja in Romania . The Straja River is a tributary of the Frasin River in Romania . 0 +However , the church that we see today was replaced in 1640 , designed by Agostino Avanzo , and consecrated in 1655 . The church we are seeing today , however , was consecrated in 1640 , designed by Agostino Avanzo and replaced in 1655 . 0 +Psilochilus is a genus of flowering plants from the orchid family , Orchidaceae , which is home to Mexico , Central America , South America and the West Indies . Psilochilus is a genus of flowering plants from the orchid family , Orchidaceae . It is native to Mexico , Central America , South America and the West Indies . 1 +For centuries Kandy , originally known as Senkadagala , has been the bastion of Sri Lanka 's culture and its spiritual centre . Sri Lanka , originally known as the Senkadagala , has been the bastion of the culture of Kandy and its spiritual centre for centuries . 0 +It was originally developed by groups of Chinese and Russian scholars in the Soviet Union and used by Chinese immigrants there until the majority of them left the country . It was originally developed by groups of Chinese scholars in the Soviet Union , used by Chinese and Russian immigrants there until the majority of them left the country . 0 +Except for a small border with Perry Township ( Brookside Estates ) in the west , Worthington is completely surrounded by Columbus . Except for a small border with Perry Township ( Columbus ) on the west , Worthington is completely surrounded by Brookside Estates . 0 +The Gradis family was Jewish , and had probably moved to Portugal from Bordeaux around 1495 . The Gradis family was Jewish and was probably moved from Bordeaux to Portugal around 1495 . 1 +Macedonian Turks speak the Turkish language , and second Albanian in the west and Macedonian in the east . You speak the Macedonian language and , secondly , Albanian in the west and Macedonian in the east . 0 +In some communities , personal and spiritual knowledge takes on traditional meanings . In some communities , personal and spiritual knowledge takes traditional meanings . 1 +Fersfield is bounded on the east and south by the village of Kenninghall ; to the west are South Lopham and North Lopham and to the north Bressingham . Fersfield is limited to the east and south by the village of Bressingham , to the west are South Lopham and North Lopham and in the north is Kenninghall . 0 +Teliphasa similalbifusa is a type of moth of the Pyralidae family . It is found in China ( Guangxi ) . Teliphasa similalbifusa is a kind of moth of the Pyralidae family . It is found in Guangxi ( China ) . 1 +From 1913 to 1962 , the university taught basic sciences in Los Angeles , but sent its students to Loma Linda for clinical experience . From 1913 to 1962 , the University of Loma Linda taught basic sciences , but sent its students to Los Angeles for clinical experience . 0 +"Bass lost -- "" Bomb Your Soul "" ." "Lost the Bass -- "" Bomb Your Soul "" ." 1 +The origins of the blues are also closely linked to the religious music of the afro-American community , the spirituals . The origins of the blues are also closely related to the American music of the Afro-religious community , the 'spirituals ' . 0 +The other visa facility does not allow the conversion into free permits or visa - extension . The visa other facility does not allow the change into free permits or visa extension . 1 +In 1992 , Perence Shiri was replaced by Tungamirai as the air force commander . In 1992 , Tungamirai was replaced by Perence Shiri as an air commander . 0 +The season 2015 -- 16 PBA is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . The season 2015 -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . 0 +New Zealand has similar restrictions contained in its Electronic Unsolicited Messages Act 2007 . New Zealand has similar restrictions in its 2007 Act on Electronic Unsolicited Messages . 1 +Has a renowned glass art center , built and run by Osamu and Yumiko Noda , graduates of Illinois State University , where they studied with Joel Philip Myers . Has built and managed by Osamu and Yumiko Noda , graduates of Illinois State University , where they studied with Joel Philip Myers , a renowned glass art centre . 1 +"In hieroglyphic Arabic , Egyptian writing is called "" the alphabet of the birds "" ." "In Egyptian Arabic , the hieroglyphic script "" is called the alphabet of birds "" ." 0 +The fate of the German prisoners of war in the Soviet Union was little better ; more than half a million died in terrible conditions in the Soviet camps . The fate of the German prisoners of war in the Soviet Union was scarcely any better , with more than half a million died in terrible conditions in the Soviet camps . 1 +In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Haakon Haakonsson . In 1236 , Magnus , son of Gille Brigte , Mormaer of Angus , was awarded by King Haakon Haakonsson the Jarldom of Orkney . 1 +The first integer formula 177 , for which Formula 178 is ranked , has Formula 179 the Formula 180 . The first integer formula _ 177 for which formula _ 178 has rank formula _ 179 is formula _ 180 . 0 +He started to date Fergus Kearney ( Paul Ellis ) but clashed with both Minnie Crozier ( Katrina Devine ) and Mackenzie Choat ( Ingrid Park ) . He started to date Fergus Kearney ( Paul Ellis ) , but competed with Minnie Crozier ( Katrina Devine ) and Mackenzie Choat ( Ingrid Park ) . 1 +When Herlin returned to Finland in 1928 , he worked first as a designer for Kone , his father 's company . When Herlin returned to Finland in 1928 , he initially worked as a designer for Kone , his father 's company . 1 +Butler died in Oxford on 16 January 1909 and was buried at Holywell Cemetery in Torquay . Butler died at Torquay on 16 January 1909 , and was buried in Holywell cemetery , Oxford . 0 +The train station was opened on December 8 , 1890 , closed on November 8 , 1969 and demolished in 1971 . The station was closed on December 8 , 1890 , opened on 8 November 1969 and was demolished in 1971 . 0 +New boys and girls come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and funny situations . 0 +In December 1883 he moved for two years to Los Angeles and then to Fresno . In December 1883 he moved for two years to Fresno and Los Angeles . 0 +Teams had to hit a traditional tribal club from a distance to use the pots . The teams had to use from a distance a traditional tribal club to beat the pots . 0 +Conservative central forces can always be expressed as the potential gradient of negative energy . Central forces that are conservative can always be expressed as the potential gradient of a negative energy . 1 +In December 1995 , Xylogics was taken over by Nortel , which was in turn acquired by Bay Networks in June 1998 . Xylogics was acquired in December 1995 by Bay Networks , which in turn was taken over by Nortel in June 1998 . 0 +Research in medical physiology began in 1950 through a small group of scientists and military physiologists at the Defence Science Laboratory , Delhi . Research in military physiology began in 1950 with a small group of scientists and medical physiologists at the Defence Science Laboratory in Delhi . 0 +In January 1967 , Daltoni won first place at the second guitar festival in Belgrade . In January 1967 , Daltoni won second place at the first guitar festival of Belgrade . 0 +The garden is called because it was planned around the area where a monumental hanging tank was built with a circular base . The garden is so called because it was built around the area where a monumental suspended tank with a circular shaped base was planned . 0 +The leaves are usually 1.5-4 mm long and 0.2-0.7 mm wide . The leaves are typically 1.5-4 mm wide and 0.2-0.7 mm long . 0 +Kulappully falls under the Shornur Assembly Constituency and the Palakkad Constituency . Kulappully falls under the Shornur assembly constituency , and the Palakkad parliament constituency . 1 +The freeway was first built in Indiana in the 1960s , although the plans in Michigan date back to the 1950s . The freeway was first built in Michigan in the 1960s , although plans in Indiana date back to the 1950s . 0 +Coxeter defines other groups with anti-unitary constructions , such as these three : the first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines with other constructions anti-unitary groups , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . 0 +For example , the player controlling Clarke will find toy soldiers in a biology facility , while the player that controls Carver will not see them . For example , the player controlling Carver will find toy soldiers in a biology facility , while the player controlling Clarke will not see them . 0 +It is a pathway from Hub Industrial Area to North Karachi and followed by Nazimabad and Orangi Town . It is a path from Hub Industrial Area to Orangi Town , followed by Nazimabad and North Karachi . 0 +In 2006 , after the death of Paul Britton in December 2005 , David Neale was appointed Chief Executive . Paul Britton was appointed Chief Executive in December 2005 after the death of David Neale . 0 +Hernandez defeated Morgan on 17 April in Lockdown in a steel cage - Match to win the Feud . On April 17 at Lockdown , Hernandez defeated Morgan in a steel cage match to win the feud . 1 +In 1947 we did not join the Arabs from the Jewish villages that bombed other vehicles . In 1947 , we did not join the Arabs from the other villages that bombed Jewish vehicles . 0 +"The campus - newspaper "" The Oklahoma Daily "" is produced daily during the autumn and spring semesters and weekly during the summer semester ." "The campus newspaper , "" The Oklahoma Daily "" , is produced daily during the fall and spring semesters and weekly during the summer semester ." 1 +Munro was chairman of the Highfields Shire Council from 1888 to 1913 and of the Highfields Divisional Board from 1915 to 1917 . From 1888 to 1913 , he was chairman of the Highfields Shire Council and the Highfields Divisional Board from 1915 to 1917 . 1 +In the final , 6 : 0 , 6 : 4 , Kiki Bertens and Johanna Larsson won the title , defeated Anabel Medina Garrigues and Arantxa Parra Santonja . Anabel Medina Garrigues and Arantxa Parra Santonja won the title , defeated Kiki Bertens and Johanna Larsson in the finals , 6 -- 0 , 6 -- 4 . 0 +Currently it is the fifth tallest skyscraper in Central Park after QV.1 , the BankWest Tower , City Square and Perth . It is currently the fifth highest skyscraper in Perth after QV.1 , the BankWest Tower , City Square and Central Park . 0 +Madison is located in the 27th State District and is part of the 11th Congressional Legislative District in New Jersey . Madison is located in the 27th state District and is part of New Jersey 's 11th Congressional legislative district . 1 +Howes married three times in his life : to Lillian Pechin in 1923 , Catherine Tabor in 1932 , and Mary Donovan Howard in 1937 . Howes married three times in his life : in 1923 with Mary Donovan Howard , in 1932 with Catherine Tabor and in 1937 with Lillian Pechin . 0 +It includes a long ilium and narrow ischium . It includes a long ilium and a narrow ischium . 1 +A very small part of the southwestern Red House borders the town of Great Valley . A very small part of southwestern Red House borders the town of Great Valley . 1 +In the 1970s Suzuki was one of the first buyers of Woolrich fashion in Japan . In 2006 he became a designer for Woolrich Woolen Mills in America . In the 1970s , Suzuki was one of the first customers of Woolrich Mode in America , in 2006 he became a designer for Woolrich Woolen Mills in Japan . 0 +The courtyard barn was built in the early 20th century as a tithe barn for Glastonbury Abbey and was restored in the 15th century . The Court Barn was built in the early 20th century as a Tithe barn for Glastonbury Abbey , and was restored in the 15th century . 1 +Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and visited the Lew Wallace High School in Gary , Indiana . 0 +Awwad was born in Jerusalem and graduated from the Arab College in Salfit in 1947 . Awwad was born in Salfit and graduated in 1947 from the Arab College in Jerusalem . 0 +Arthur Arthur Ashe defeated Dick Stockton , 6 - 3 , 6 -- 2 . Dick Stockton defeated Arthur Ashe , 6 -- 3 , 6 - 2 0 +Petra Keppeler ( born March 22 , 1965 ) , born Petra Feucht , is a former professional tennis player from Germany . Petra Feucht ( born March 22 , 1965 ) , born Petra Keppeler , is a former professional tennis player from Germany . 0 +So proud to die of so proud to live . """ So proud to die , so proud to live "" ." 1 +"He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." "He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan ( 1940 ) in "" The Great Profile "" ." 0 +This was resolved with the Ostrów Agreement -- Jogaila became the Grand Duke of Lithuania while Vytautas retained rights of an overlord . This was resolved by the Ostrów agreement -- Jogaila became Grand Duke of Lithuania , while Vytautas retained the rights of an overlord . 1 +In the 1990s , Schwartz worked in the adult film industry in minor , non-sexual roles , and behind the scenes in numerous administrative roles . In the 1990s , in the adult film industry , Schwartz worked in numerous administrative roles and behind the scenes in smaller , non-sexual roles . 0 +Scott and Short then traveled overland to the Kentucky River to examine the land they would later claim . Then Scott and Short traveled overland to the Kentucky River to claim the land that they would investigate later . 0 +McCartney received his award from Griggs at a dinner in London . McCartney received his Griggs Award at a dinner in London . 1 +In 1776 , the Salem Militia used Charlotte County and White Creek as their bases . The Charlotte County and White Creek Militia used Salem as their base in 1776 . 0 +White , a practising member of the Presbyterian faith , was a bricklayer in the Clinton Lodge of Romney where he had served as a master . Romney , a practicing member of the Presbyterian belief , was a freemason in the Clinton Lodge of White , where he had served as a master . 0 +Borsalino are the Chapeau Lamp ( 2014 ) and the sculpture The Hatband ( 2016 ) by Philippe Starck , designed by Moritz Waldemeyer for Flos . Homage to Borsalino are the Chapeau Lamp ( 2014 ) by Philippe Starck for Flos and the sculpture The Hatband ( 2016 ) by Moritz Waldemeyer . 0 +He died on December 27 , 1966 in Woodland Hills and was buried at the Oakwood Memorial Park Cemetery in Chatsworth . He died in Chatsworth on December 27 , 1966 , and was buried at Oakwood Memorial Park Cemetery in Woodland Hills . 0 +Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in Córdoba , 13 in San Luis and 15 in Mendoza . The Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in Córdoba , 13 in San Luis and 15 in Mendoza . 1 +It is medially thick , but laterally under the ligament coracoacromialis thinner . It is laterally thick , but medially under the ligament coracoacromialis thinner . 0 +The number of aircraft operated by the 507th and 137th machines was increased simultaneously by the transfer of KC-135s from the 939th air refuelling wing . The number of aircraft operated by the 507th and 137th was simultaneously increased by the transfer of KC-135s from the 939th Air Refueling Wing . 1 +LaRoche was recalled on September 1 , after being degraded to Triple-A Las Vegas . After being recalled to Triple-A Las Vegas , LaRoche was demoted on September 1 . 0 +It is a single genus , containing the monotypic species Ripexicium spinuliferum , found in the Solomon Islands . It is a monotypical genus containing the single species Ripexicium spinuliferum , found in the Solomon Islands . 1 +In 1824 Richard Grainger was commissioned by John Dobson to produce designs for Old Eldon Square . In 1824 , Richard Grainger was assigned by John Dobson to produce designs for the Old Eldon Square . 1 +Abijah Stark came with his family from Coleraine , Massachusetts and settled first just north of Fish House near the Providence town line . Abijah Stark came together with his family from Coleraine , Providence , and settled just north of Fish House near the Massachusetts Town Line . 0 +"Maviz Central District is a rural district ( "" Dehestan "" ) in Tehran - province of Shahriar County , district , Iran ." "Maviz Rural District is a rural district ( "" Dehestan "" ) in the county of Shahriar , Tehran , Iran ." 0 +The inner lip has a thin glaze on the body and Columella , whose union is very slightly concave . The inner lip has a concave glaze on the body and columella , whose union is very slightly thinnish . 0 +The paper reports on business , politics , developments in corporate and labour law , commercial news and features . The work reports on business , politics , developments in commercial and labour law , corporate news and features . 0 +He apparently had contributions as a soldier and was gradually transported . He apparently had contributions as a soldier and was gradually promoted . 0 +In Portage there are two villages : a part of Jerry City in the south and part of the Portage township in the northwest . In Portage township there are two villages : part of Jerry City to the south and part of Portage in the northwest . 0 +In round 2 , Christina Anthony defeated , and Blake defeated Blair . In round 2 . Christina defeated Anthony and Blake defeated Blair . 0 +It was opened on April 8 , 1994 and was the second bridge over the lower Mekong , and the first on the full course of the Mekong . Opened on April 8 , 1994 , it was the first bridge across the lower Mekong , and the second on the full course of the Mekong . 0 +In December 1992 the department formed the technical rescue team to dive to respond to rescue and emergencies throughout the city . In December 1992 , the department formed the Technical Rescue Team to dive to respond rescue , and high-angle emergencies throughout the city . 1 +"The spacecraft is the second application of the "" Flexbus "" platform by Astrium , GRACE was the first ." "The spacecraft is the first application of the "" Flexbus "" platform of Astrium , the second was GRACE ." 0 +Alexander Seton also commissioned the tomb of his friend , the architect William Schaw , at the Dunfermline Abbey . The tomb of his friend , the architect Alexander Seton , at Dunfermline Abbey was also commissioned by William William Schaw . 0 +Thiers proposed that France continue the hostilities against Rosas . Thiers proposed that France should continue the hostilities against Rosas . 1 +Jimmy Wareing was born in Cumberland in 1917 and played rugby union for Silloth and Silloth before the war . Jimmy Wareing was born in 1917 in Silloth and played the Rugby - Union for Silloth and Cumberland before the war . 0 +Gatting 's brother is the former England cricketer Joe Gatting , and his son Mike Gatting is currently a cricketer for Hampshire . The brother of Gatting is former English cricketer Joe Gatting , and his son Mike Gatting is currently a cricketer for Hampshire . 1 +In the series finale , Stevie at age 13 , portrayed by Mateus Ward , is bar mitzvahed . In the series Finale is Stevie at the age of 13 , portrayed by Mateus Ward , mitzvahed bar . 1 +The first air data computer developed in the US was patented by John H. Andresen in February , 1971 . The first air data patented in the USA was developed in February 1971 by John H. Andresen . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Ghana , and currently Ghana 's Ambassador to Burkina Faso . Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Burkina Faso and currently Ghana 's Ambassador to Ghana . 0 +Schools include six primary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets and a secondary school Montrose Academy . Schools include six secondary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets and a Montrose Academy primary school . 0 +These include replicas in Ramat Shlomo in Jerusalem and in Kfar Chabad , Israel . These include replicas in Ramat Shlomo in Israel and Kfar Chabad in Jerusalem . 0 +Nationalism is nationalism , which claims that Romanians are a nation and promotes the cultural unity of the Romanians . Romanian nationalism is the nationalism which asserts that Romanians are a nation and promotes the cultural unity of Romanians . 1 +Chad Johnson ( born 1978 ; formerly Chad Ochocinco ) is an American football wide receiver . Chad Johnson ( born 1978 ; formerly Chad Ochocinco ) is an American - American - football receiver . 1 +The carrier expanded with the acquisition of British Caledonian in 1987 , Dan-Air in 1992 , and British Midland International in 2012 . The carrier expanded with the acquisition of British Midland International in 1987 , Dan - Air in 1992 and British Caledonian in 2012 . 0 +However , mice with a non-working copy of the single TWIST gene survived . However , mice survived with a non-working copy of the single TWIST - Gens . 1 +She studied composition with David Lumsdaine and was strongly influenced by her study of the Australian composer Alexander Goehr . She studied composition with David Lumsdaine and was strongly influenced by her studies of the Australian composer Alexander Goehr . 1 +Conotalopia mustelina is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . Conotalopia mustelina is a species of sea snail , a marine gastropodemollusk in the Trochidae family , the top snails . 1 +Bill married Hillary on October 11 , 1975 , and their only child , Chelsea , was born on February 27 , 1980 . Hillary married Bill on 11 October 1975 , and their only child , Chelsea , was born on February 27 , 1980 . 1 +Obrovac is a town in northern Dalmatia , in the county of Zadar in Croatia . Obrovac ( is a town located in northern Dalmatia , in the Zadar County of Croatia . 1 +The rostral scale is about as broad as deep and visible from above . The rostral scale is about as deep as broad , and is visible from above . 0 +Startforth Rural District was a historical district in the North Riding of the rural county of Yorkshire in the Pennines of Northern England . Startforth Rural District was a rural district in the North Riding of the historic county of Yorkshire in the Pennines of northern England . 0 +It is important for achieving the thermal regime of the quantum oscillator , where mechanical noise effects become negligible on the component . It is important to reach the quantum regime of the mechanical oscillator , where thermal noise effects become negligible on the device . 0 +He was known for his spiritual understanding and discipline , regardless of quick suffering . Regardless of spiritual sorrow , he was known for his quick understanding and discipline . 0 +Governors Bay is a small settlement in Canterbury , New Zealand . Governors Bay is a small settlement located in New Zealand 's Canterbury . 1 +"The author Christopher Hitchen expressed his admiration for Jessica Mitford and praised "" Hons and Rebels "" ." "The author Jessica Mitford expressed her admiration for Christopher Hitchen and praised "" Hons and Rebels "" ." 0 +Fixing can often change the value of a financial instrument and can be difficult to price in the software models that are used to encode such instruments . Fixing can often change the value of a financial instrument , and can be difficult to encode in the software models used to price such instruments . 0 +Alzheimer was known for having a variety of medical interests including early diseases of the brain , vascular dementia , brain tumors , forensic psychiatry and epilepsy . Alzheimer 's was known for a variety of medical interests , including vascular diseases of the brain , early dementia , brain tumors , forensic psychiatry , and epilepsy . 0 +To distinguish them , Attilio was referred to as Mattei II , Augusto as Mattei II and Aldo as Mattei III . To distinguish them , Attilio was referred to as Mattei I , Augusto as Mattei II and Aldo as Mattei III . 0 +The Izvoarele River is a tributary of the Podriga River in Romania . Izvoarele River is a tributary of the River Podriga in Romania . 1 +The PacifiCats were designed by Philip Hercus of Australia and Robert Allan Limited of Vancouver . The PacifiCats were designed by Philip Hercus of Australia and Robert Allan Limited in Vancouver . 1 +Carlisle County , Kentucky , United States was an unincorporated community in Mississippi . Mississippi was an unlawful community in Carlisle County , Kentucky , United States . 0 +The gray suit was largely replaced by the dark blue or black suit in the 20th century . In the 20th century , the grey suit was largely replaced by the dark blue or black suit . 1 +When Joseph Spalding Coe was born , his name was changed in Barry Clark Heacock , when his mother , Jean Elizabeth Shea , married Joseph Spalding Coe Sr. in Los Angeles in 1940 . Born Barry Clark Heacock , his name was changed to Joseph Spalding Coe when his mother Jean Elizabeth Shea married Joseph Spalding Coe Sr. in 1940 in Los Angeles . 0 +Ricky decides to fight for Nate and confirmed his love for her . Nate decides to struggle for Ricky and confirms his love for her . 0 +"Comedian Soupy Sales released a song called "" Backward 's Alphabet "" in 1966 , which contained the reverse alphabet in lyrical style ." "In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the lyrical alphabet in reverse style ." 0 +The separate fricatives and retroflex fricatives represent dialectally different pronunciations of the same sound , not palatal phonemes . The separate fricatives and retroflex - fricatives dialectally represent different pronunciations of the same sound , not palatal phonemes . 1 +-- Light , camera ... Cut ! -Kid wants to win a contest , so he counts on Big Bang and Horace to help him . 2 . Lights , Camera ... Cut ! -Horace wants to win a contest , so he counts on Big Bang and Kid to help him . 0 +"The finished product was marketed as "" UFO : Enemy Unknown "" in North America and as "" X-COM : UFO Defense "" in Europe and Australia ." "The finished product was marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X - COM : UFO Defense "" ." 0 +Stanislaw Dombrowski ( born August 7 , 1894 in Kishinev , near Orhei , Bessarabia ) was a painter born László Dombrovszky . László Dombrovszky ( born August 7 , 1894 in Orhei , near Kishinev , Bessarabia ) was a painter born Stanislaw Dombrowski . 0 +The wing commander PS Nara was killed in misfortune , while wing commander SV Munje was injured . Wing Commander PS Nara was killed in the mishap , while Wing Commander SV Munje was injured . 1 +Born in 1794 in Alpheton , Suffolk , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . Born in 1794 in Alpheton in Suffolk , William Debenham joined Thomas Clark in a partnership to manage a draper 's store at 44 Wigmore Street in London . 0 +The nationalists , led by volunteers from the RSS and the AGD , took advantage of the opportunity and captured Piparia . The nationalists led by volunteers of the RSS and the AGD took the opportunity and captured Piparia . 1 +"Bambra felt that the island of Wa "" draws its inspiration from the Tokugawa Shogunate of Japan and represents a less centralized and more war-painted period "" ." "Bambra felt that the island of Wa "" draws its inspiration from the Tokugawa Shogunate of Japan and presents a less centralized and more war-torn period "" ." 0 +But the other judges prefer Trish ( April Marie Eden ) , an attractive , but untalented , and unintelligent woman . But the other judges favor Trish ( April Marie Eden ) , an attractive but untalented and unintelligent woman . 1 +Instead , the philosophy is seen as an activity of defining and clarifying the empirical relationships of logical rates . Instead , philosophy is seen as an activity of defining and clarifying the empirical relationships of logical propositions . 1 +The Thirteen Colonies of the original United States were all former British possessions , and Anglo culture became a major foundation for American folk and popular music . The thirteen colonies of the original United States were all former British possessions , and Anglo culture became an important foundation for American folk music and popular music . 1 +The village has three schools -- a primary school and two secondary schools . The village has three schools - a secondary and two primary schools . 0 +The Greeks decided by a 69.18 % majority against a parliamentary monarchy and for a constitutional republic . The Greeks decided by a 69.18 % majority against a constitutional monarchy and for a parliamentary republic . 0 +He also recorded two solo albums under his own name and three albums in Indonesia under the name Sabah Habas Mustapha . He has also recorded two solo albums under his own name and three albums made in Indonesia under the name of Sabah Habas Mustapha . 0 +Then the lady acknowledges Florent and notices him as her own son . Then the lady notices Florent and recognises him as her own son . 0 +The 40 Watt Uptown was large and professional , and it was a major stop for independent underground music acts in the 1980s . The 40 Watt Uptown was large and professional , and it was a major stop for independent underground music players in the 80s . 1 +In 1955 , Johannes Herman Johannes married Annie Marie Gilbertine Amalo . In 1955 , Annie Marie Gilbertine Amalo married Herman Johannes . 1 +To avoid Sparse conversions between restricted types , a casting with the force attribute is used to mark valid giving a warning . To avoid sparse conversions between restricted types , a casting with the attribute force is used to mark valid warnings . 1 +The mare was sent to Europe where she was trained by Maurice Zilber in France . The mare was sent to France , where she was trained in Europe by Maurice Zilber . 0 +Eschenz is a municipality in the Thurgau in the canton of Frauenfeld in Switzerland . Eschenz is a municipality in Frauenfeld District in the canton of Thurgau in Switzerland . 0 +The 2014 offer is more compact than the 2010 project due to the disappearance of the venues Ramsau , St. Johann and Kitzbühel . The 2014 bid is more compact than the 2010 project , due to the elimination of the Ramsau , St. Johann and Kitzbühel venues . 1 +Roan Carneiro faced LaFlare on February 11 , 2017 at UFC 208 . He won the fight by unanimous decision . LaFlare confronted Roan Carneiro on February 11 , 2017 at UFC 208 . He won the fight by unanimous decision . 0 +This view is usual in northern India and parts of southern India . This view is common in northern India and parts of southern India . 1 +Elizabeth Gordon was the daughter of Adam de Gordon , Lord of Gordon and Elizabeth Keith , daughter of William Keith , Marishal of Scotland . Elizabeth Gordon was the daughter of Adam de Gordon , Lord of Gordon and Elizabeth Keith , daughter of William Keith , Marischal of Scotland . 1 +Potter married in 1945 . He and his wife Anne ( a weaver ) had two children , Julian ( born 1947 ) and Mary ( born 1952 ) . He and his wife Mary ( a weaver ) had two children , Anne ( born 1947 ) and Julian ( born in 1952 ) . 0 +Born as Doris Miles in Glastonbury , Connecticut , she married George J. Disney in 1936 and died in Fredericksburg , Virginia . She was born Doris Miles in Fredericksburg , Virginia , and married George J. Disney in 1936 . She died in Glastonbury , Connecticut . 0 +QuasarDB has a built-in query language , which is an optimized dialect of SQL for time series . QuasarDB has a built-in query language which is a dialect of SQL optimized for time series . 1 +He was trained at Brunswick House , a preparatory school in Hove , and then moved to Sutherland House , a similar school in Folkestone . He was educated at Brunswick House , a preparatory school in Hove and then moved to Sutherland House , a similar school in Folkestone . 1 +After leaving the East India Company College Frere was appointed a writer in the Mumbai ( now Bombay ) civil service in 1834 . In 1834 , after the departure of the East India Company College , Frere was appointed Civil Service writer in Bombay ( now Mumbai ) . 0 +He was born on February 17 , 1828 in Waynesboro , Virginia , and his parents were William Henry Harman and Sally ( Garber ) Harman . William Henry Henry Harman was born on 17 February 1828 in Waynesboro , Virginia , where his parents were Lewis and Sally ( Garber ) Harman . 0 +The continuous power density is determined by the product of the continuous torque density and the constant torque speed range of the electric machine . The constant power density is determined by the product out of the continuous torque density and the continuous torque speed of the electric machine . 0 +Second , a road from Cunetio ( Mildenhall , near Durocornovium ) joined the Ermin Way near Marlborough . Secondly a road from Cunetio ( Mildenhall , near Durocornovium ) joined the Ermin Way near Marlborough . 1 +Algestone Acetophenide , in combination with Estradiol Enanthate , is used as a combined injectable contraceptive for women in Latin America and Spain once a month . Algestone acetophenide is used in combination with estradiol enanthate as a once-monthly combined injectable contraceptive for women in Latin America and Spain . 1 +Suzie Cappetta would work and record with various acts , including Christian hard rock , the R 'B group Stevie 'the Saints and Jimmy Ellis . Suzie Cappetta would work and record with various acts including Christian hard rock , R & B group Stevie & the Saints , and Jimmy Ellis . 1 +Originally from Sydney , Holmes attended the Australian Institute of Sport in Canberra . Holmes , who is originally from Sydney , attended the Australian Institute of Sport in Canberra . 1 +Previously , it was planned that Sergey Sergey Volkov 's position would be filled by Thomas Reiter ( Russia ) before the launch of STS-121 was postponed until July 2006 . Sergey Volkov 's position was previously planned to be filled by Thomas Reiter ( Russia ) before the launch of STS-121 was postponed until July 2006 . 1 +The French institute is involved in the cultural life of the UK and is a partner of Cameo , Edinburgh , and the seat of the office of the French film festival Edinburgh . The French Institute is involved in the UK cultural life and is a partner of the Cameo , Edinburgh and hosts the office of the French Film Festival Edinburgh . 1 +He won third place at the Parapan American Games in Guadalajara , Mexico in 2011 and another third place at the International Tournament of Champions in Charlotte , USA . In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the International Champions Tournament in Charlotte , USA . 1 +The agency was founded in 1976 in Chicago , and it entered the New York market in 1998 and Milwaukee in 2009 . The agency was founded in 1976 in Chicago and entered the New York market in 1998 , in Milwaukee in 2009 . 1 +Albania is a town and municipality in the Santander Department in northeastern Colombia . Albania is a town and municipality in the department of Santander in northeastern Colombia . 1 +It was launched on July 28 , 1941 and completed in August . She was completed on 28 July 1941 and launched in August . 0 +Andrew Castle and Roberto Saad won 6 : 7 , 6 : 4 , 7 : 6 against Gary Donnelly and Jim Grabb in the final . Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 -- 6 , against Andrew Castle and Roberto Saad . 0 +Ambassador G. McMurtrie Godley and his successor William Sullivan , however , continued to supervise the air strikes in Laos . Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee airstrikes in Laos . 0 +It is located in the eastern end of Montgomery County and is south of the city of Amsterdam , which it is limited . It is located in the eastern end of Montgomery County and borders south of the City of Amsterdam , which it is . 0 +There is no railway station & airport in Sultanpur . You can reach here by bus from Kadipur . There is no railway station and airport in Kadipur , which you can reach from Sultanpur by bus . 0 +Kevin Abbring ( born 20 January 1989 ) is a Dutch rally driver . His father , Edwin Abbring , is also a well-known former rally driver . Kevin Abbring ( born January 20 , 1989 ) is a Dutch rally driver , and his father Edwin Abbring is also a well-known former rally driver . 1 +The flood pulse concept is a theory that the annual flood pulse is the most productive aspect and the most biologically important feature of a river 's ecosystem . The concept of flood impulse is a theory that the annual flood pulse is the most important aspect and biologically most productive feature of the ecosystem of a river . 0 +The 2002 National Football League season was the 27th season of the team with the Seattle Seahawks . The 2002 season Seattle Seahawks was the 27th season of the team with the National Football League . 0 +Javier Moracho Torrente ( born August 18 , 1957 in Spain ) is a former hurdler from Monzón , Huesca . Javier Moracho Torrente ( born August 18 , 1957 in Spain ) is a retired hurdler from Monzón , Huesca . 1 +Injured with Sabin , America 's Most Wanted Dutt hit the death sentence to keep the titles . With Sabin injured , America 's Most Wanted hit Dutt with the Death Sentence to retain the titles . 1 +Many central government agencies are located in the city of Taipei , owing to the proximity to the capital , New Taipei City . Many agencies of the central government are located in New Taipei City due to its proximity to the capital Taipei City . 0 +Silver became the engine of the Spanish colonial economy , both in New Spain and in Peru . Silver became the motor of the Spanish colonial economy both in New Spain and in Peru . 1 +In 1496 his son Alexander Jagiellon granted privilege and extended the city with Magdeburg laws . His son , Alexander Jagiellon extended the privilege in 1496 and granted the town with Magdeburg Laws . 0 +Clockwise from the northwest are Monte Vista , College View , Universität Heights , Mesa Grande , Granada Heights and the eastern half of Broadmoor . Clockwise from northwest , these are Monte Vista , College View , University Heights , Mesa Grande , Granada Heights and the eastern half of Broadmoor . 1 +As with the Navy , the Army has a single-track system , where officers from other Navy communities transfer over to Foreign Area Officer permanently . As with the army , the Navy has a single track system , where officers from other Navy communities permanently transfer to Foreign Area Officer . 0 +Dunkerton moved from London to Herefordshire at the age of fourteen . Dunkerton moved to Herefordshire from London at the age of 14 . 1 +Chris Blackwell , the mother of Blackwell , was one of the greatest landowners in Saint Mary at the turn of the 20th century . One of the largest landowners in Saint Mary at the turn of the 20th Century was Blanche Blackwell , mother of Chris Blackwell . 0 +A route section remains in place and is currently known as the Phoenixville Industrial Track ( also owned by NS ) . A section of the line remains in place , and is also known as the Phoenixville Industrial track ( currently owned by NS ) . 0 +Smith received the ISCB Senior Scientist Award and was elected as ISCB Fellow by the International Society for Computational Biology in 2009 . Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology and received the ISCB Fellow in 2009 . 0 +On 17 March 2015 , Allergan Allergan acquired the name Actavis . On March 17 , 2015 , Allergan acquired Allergan and took the Actavis name . 1 +Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) played in a revival at Old Vic in London in 2009 . Matthew Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) played in a revival at The Old Vic in London in 2009 . 0 +Robert W. Edgar was appointed by Cohen as a member of the Council of the President 's Common Cause . He was appointed by Robert W. Edgar as a member of the Council of the President 's Common Cause . 0 +"Tennessee coach Jones described Johnny Majors as "" one of the greatest leaders I ever had "" ." "Tennessee Trainer Jones described Johnny Majors as "" one of the greatest leaders I ever had "" ." 1 +Cribbins wears on his hat the badge of the parachute - regiment where Mott served during his national service . Mott wears on his hat the badge of the Parachute Regiment , in which Cribbins served during his National Service . 0 +"The Mtskheta tribe was later ruled by a prince known as "" mamasakhlisi "" ( "" father of household "" in Georgian ) ." "The Georgian tribe was later ruled by a prince locally known as "" mamasakhlisi "" ( "" father of the household "" in Mtskheta ) ." 0 +The magazine was located in London , but was published by Gerald Duckworth and Company in Paris . The magazine was based in London but was published in Paris by Gerald Duckworth and Company . 1 +Jane , now a werewolf , kills Nicodemus only to be shot dead by Edgar . Nicodemus , now a werewolf , kills Jane , only to be shot by Edgar . 0 +In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. and moved to Dublin in Tallaght , Ireland . In the 1970s , W R Jacob merged with Bolands Biscuits to Irish Biscuits Ltd. in Dublin and moved to Tallaght , Ireland . 0 +Lusaghbyur ( formerly known as Lusakhpyur , also romanized Agbulakh and Agbulag ) is a city in the Lori province of Armenia . Lusaghbyur ( formerly romanized as Lusakhpyur , also Agbulakh and Agbulag ) is a town in the Lori Province of Armenia . 1 +Under certain conditions therefore , equivalence classes of convex ensembles have the structure of a statistical set . Equivalence classes of convex ensembles thus have the structure of a statistical set under certain conditions . 1 +On 14 June , Jackson served in a duel on behalf of his junior officer William Carroll as second against Jesse Benton , the brother of Thomas . On June 14 , Jackson served as a second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . 0 +He was born in New York City and grew up in Athens , Greece , and then at North Grafton , Massachusetts . He was born in New York City , and grew up in Athens , Greece , and then North Grafton , Massachusetts . 1 +The mine is located near Abakan in south Khakassia in Russia . The mine is located near Abakan in the south of Russia in Khakassia . 0 +The Rotunda River is a tributary of the Purul River in Romania . The Rotunda River is a tributary of the River Purul in Romania . 1 +Casper is voiced by Devon Werkheiser in the film , Robbie Sublett in the first season and Matthew Géczy in the second season . Casper was expressed in the film by Devon Werkheiser , Robbie Sublett in the first season and Matthew Géczy in the second season . 1 +The technological center was founded as a result of the cooperation between the Armenian Government , the Enterprise Incubator Foundation and the World Bank . The technological center was founded as a result of the cooperation between the Armenian government , World Bank and the Enterprise Incubator Foundation . 1 +It is both a primary school , lower secondary school and upper secondary school with the International Baccalaureate Programme . It is both a primary school , upper secondary school and secondary school with the International Baccalaureate Program . 0 +On July 3 , their feud culminated when Paris and Bobby Eaton were defeated by Ganz and Ricky Morton . Their feud culminated on July 3 , when Paris and Bobby Eaton were beaten by Ganz and Ricky Morton . 1 +The movement is limited primarily to the two shoulder joints : the Scapulothoracic joint and the glenohumera joint . The movement is primarily limited to the two shoulder joints : the scapulothoracic joint and the glenohumeral joint . 1 +Foley worked with Gurf Morlix , with Townes Van Zandt , with Guy Schwartz , with Billy Block and Calvin Russell , among others . Foley worked with , among others , Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block , and Guy Schwartz . 1 +Herochroma perspicillata is a species of moth of the family Geometridae . It is found in Yunnan ( China ) . Herochroma perspicillata is a kind of moth of the family Geometridae It is found in Yunnan ( China ) . 1 +Critics , however , claimed that Pershing was commanded by far behind the lines and critical of commanders who personally led troops into struggle . Critics , however , claimed that Pershing led from far behind the lines and was critical of commanders who personally commanded troops into battle . 1 +This layer deals only with the physical connectors and sockets and the electrical specification of signals . This layer deals with the electrical plugs and sockets and physical specification of signals only . 0 +He moved into Rock County in 1853 and settled in Wisconsin near Beloit . He moved to Wisconsin in 1853 and settled down in the Rock County near Beloit . 0 +The inductive method is essentially the application of the scientific approach to investigation . The inductive method is essentially the application of the scientific approach to the investigation . 1 +In 2010 he won the 2nd place in the 17th Ukrainian Team Chess Championship with the Rivne Forest Bisons team . "In 2010 he won 2nd place in 17th Ukrainian Team Chess Championship with team "" Rivne Forest Bisons "" ." 1 +Their reasons were published in a paper which was printed by John Foxe . Their reasons were published in a paper printed by John Foxe . 1 +The Tick - Canyon - Formation is a geological epoch of the Miocene - formation in the Sierra Pelona Mountains in Los Angeles County , California . The Tick Canyon Formation is a geologic epoch Miocene formation in the Sierra Pelona Mountains of Los Angeles County , California . 1 +Container glass has lower magnesium oxide and sodium oxide content than flat glass and a higher content of silica , calcium oxide and aluminium oxide . Container glass has a lower magnesium oxide and sodium oxide content than flat glass , and a higher Silica , Calcium oxide , and Aluminum oxide content . 1 +Steele Indian School Park Pond is a lake in the Steele Indian School Park in Indian School Road , east of Phoenix and north of Central Avenue . Steele Indian School Park Pond is a lake located in Steele Indian School Park in Phoenix , east of Central Avenue and north of Indian School Road . 0 +Roger Kirk was born in Norfolk and brought up and trained in East London . Roger Kirk was born in East London and educated and brought up in Norfolk . 0 +From there , through a minimally developed series of swamps and ponds , it flows south into the valley , but to the south further west . From there it flows through a minimally developed series of swamps and ponds to the south into the valley , downwards , but further west . 0 +Kallir is incompetent , but in politics very honest . Kallir is incompetent , but very honest in politics . 1 +Top singer Noor Jehan was expecting for duets with G. M. Durrani to be the other singers . Top - singer G. M. Durrani expected to be the other singers for duets with Noor Jehan . 0 +Conservatives argued that trusted politicians should be elected instead . The conservatives argued that instead , elected politicians should be trusted . 0 +"It was classified as a new kind in 2015 within the new genus "" Gigantopelta "" and was described within the Peltospiridae family ." "It was described as a new species within new genus "" Gigantopelta "" in 2015 and it was classified within the family Peltospiridae ." 0 +Chris Paul signed to the Oklahoma City Thunder , and Carmelo Anthony signed with the Houston Rockets . Chris Paul signed with Houston Rockets , and Carmelo Anthony signed at the Oklahoma City Thunder . 0 +Mt . Kanchenjunga , Mt . Pandim , Mt . Siniolchu , Mt . Kabru are just a few of the main peaks that are clearly visible from Ravangla . Mt . Kanchenjunga , Mt . Pandim , Mt . Siniolchu , Mt . Kabru are just a few of the major peaks that are clearly visible from Ravangla . 1 +An acoustic music video directed by Chris Hicky was premiered in April 2012 and was premiered in March 2013 by the official music video directed by Stephen Shepherd . An acoustic music video , directed by Chris Hicky , premiered in April 2012 . The official music video , directed by Stephen Shepherd , premiered in March 2013 . 1 +Charlevoix County is located in southern Antrim County and is bordered by South Arm Township to the south and west . South Arm Township is located in the southern Charlevoix County and is bordered to the south and west by Antrim County . 0 +A 2001 Broadway revival was directed by Joe Mantello and starred Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . A 2001 Broadway - Revival was led by Joe Mantello and played Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . 1 +The music for the first series was produced by Takeo Yamashita with vocal performances on tracks by Charlie Kosei . The music for the first series was created by Charlie Kosei , with vocal performances on tracks by Takeo Yamashita . 0 +Nijgh was coached by Ernst van Altena , who had previously translated works by Jacques Brel . Nijgh was trained by Ernst van Altena , who had previously translated works by Jacques Brel . 1 +The Football Federation of Armenia was established on 18 January 1992 and had relations with UEFA in 1992 and FIFA in 1993 . The Football Federation of Armenia was founded on 18 January 1992 and established relations with FIFA in 1992 and with UEFA in 1993 . 0 +In 1999 , local reports said the maximum lake depth had increased to 11 feet with the average depth at 15 feet . 1999 , local reports said that the average lake depth had raised to 11 feet with the maximum depth at 15 feet . 0 +Eupithecia yunnani is a moth in the family Geometridae . It is found in Yunnan ( China ) . Eupithecia yunnani is a moth in the Geometridae family it is found in China ( Yunnan ) . 1 +Kayalar is a village connected to the district Tirebolu in the province of Giresun . Kayalar is a village connected to the Tirebolu district of Giresun province . 1 +Applied psychology is the use of scientific methods and findings of psychology to solve practical problems of human and animal behavior and experience . Applied psychology is the use of psychological methods and findings of scientific psychology to solve practical problems of human and animal behaviour and experience . 0 +It has developed an open and thoroughly evaluated trusted execution environment ( TEE ) ecosystem with accredited laboratories and evaluated products . It has developed an open and thoroughly evaluated TEE - Ecosystem ( Trusted Execution Environment ) with accredited laboratories and rated products . 1 +The Chief Justice was the Chief Justice of the High Commission Territories ( Swaziland , Bechuanaland Protectorate & Basutoland ) . From 1951 the Chief Justices were : The Chief Justice was the Chief Justice of the High Commission territories ( Basutoland , Bechuanaland Protectorate , Swaziland ) , and from 1951 the Chief Justice : 1 +The South / Kazai government was supported by another Belgian mining company , which received concessions from the new state in return for financial support . The South Kasai government was supported by , another new mining company , which received concessions from the Belgian state in return for financial support . 0 +On the island of Brač , Ignjat Job painted personal landscapes in a colourful Expressionist style . Ignjat Job painted personal landscapes on the island of BraÄ in a colorful Expressionist style . 1 +Lombardo left the band due to an elbow injury and was replaced by former Bostaph member . Lombardo left the band due to an elbow injury and was replaced by former member Bostaph . 1 +Montgomery County is part of the Metropolitan Statistical Area of Blacksburg - Christiansburg -- Radford , VA . Montgomery County is part of the Blacksburg -- Christiansburg -- Radford , VA Metropolitan Statistical Area . 1 +It is used for training medical students and doctors of Bayero University ( Residency Training ) . It is used for the training of Bayero University postgraduate medical students and medical doctors ( Residency training ) . 1 +"Resurrected with the addition of Mikey , Turbo returned to the gayo world October 1997 with their aptly titled 3rd album "" Born Again ... "" ." "Born with the addition of Mikey , Turbo returned in October 1997 with the aptly titled third album "" Resurrected Again "" to gayo world ." 0 +For centuries Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and its spiritual centre . Sri Lanka , originally known as the Senkadagala , has been the bastion of the culture of Kandy and its spiritual centre for centuries . 1 +The parallel analysis may be applied to the same LC circuit . The total impedance is then given by : The parallel analysis can be applied to the same LC circuit , then the total impedance is given by : 1 +As an aggressive and energetic entrepreneur , he lost a fortune ( which he created ) and started the crosbie dynasty . An aggressive and energetic entrepreneur , he created a fortune ( which he lost ) and founded the Crosbie - dynasty . 0 +Asserson was working in the Church of Norway and was married to Eivind Saxlund . Asserson was active in the Church of Norway and was married to Eivind Saxlund . 1 +He was educated at Brunswick House , a preparatory school in Folkestone and then moved to Sutherland House , a similar school in Hove . He was trained at Brunswick House , a preparatory school in Hove , and then moved to Sutherland House , a similar school in Folkestone . 0 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was established in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . 1 +Stukley had given hostile , but not necessarily false , evidence against Raleigh . Stukley had provided false evidence against Raleigh , but not necessarily hostile . 0 +In 1997 , 27.4 % of the population were overweight and 14.4 % were obese , the obesity rate was twice as high in rural areas as in urban areas . In 1997 , 27.4 % of the population was overweight and 14.4 % were obese . Obesity rates were twice as high in rural areas than in urban areas . 1 +The population is concentrated in the Andean highlands and along the Caribbean coast , also the population densities are generally higher in the Andean region . The population is concentrated in the Andean highlands and along the Caribbean coast , and the population densities in the Andean region are usually higher . 1 +We are strong and we are proud We are very proud and we are strong . 1 +There are 38 public primary schools and 66 secondary schools in Lilongwe with a total of 103,602 students , as well as 29 private schools with 30,795 students . There are 38 private and 66 public primary schools in Lilongwe with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . 0 +"In 2001 Khanna appeared in Farhan Akhtar 's cult classic "" Dil Chahta Shai "" ." "In 2001 , Khanna appeared in Farhan Akhtar 's cult classic "" Dil Chahta Hai "" ." 1 +He represented Australia at the FIFA - Youth - World Championship in Nigeria in 1999 . He represented Nigeria in 1999 at the FIFA - Youth - World Championship in Australia . 0 +In the 476th round ( 16th overall rank ) of the Major League Baseball - Draft 2004 , Arizona Reynolds was selected by the Arizona Diamondback . Reynolds was selected by the Arizona Diamondbacks in the 16th round ( 476th overall ) of the 2004 Major League Baseball draft . 0 +The 1980 Atlanta Braves season was the 15th season in Atlanta along with the 110th season as a franchise overall . The 1980 Atlanta Braves season was the 15th season in Atlanta together with the 110th season as a franchise . 1 +The former coordinator of the Australian Cyber Security Centre was the deputy director of the Australian Signals Directorate . The concurrent Coordinator of the Australian Cyber Security Centre was the former Deputy Director of the Australian Signals Directorate . 0 +The Fixer Uppers is a 1935 short film starring Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . The Fixer Uppers is a short film by Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach , in 1935 . 1 +Between 1900 and 1915 , additional tracks were built for local traffic , with the existing tracks reserved for transit trains . Between 1900 and 1915 , additional tracks for local traffic were reserved , with the existing tracks being built for transit trains . 0 +Because there was a lack of evidence to prove that Jim was not killed in self-defense , Johnson was acquitted and had the right to return home . Because there was a lack of evidence to prove that Johnson was not killed in self-defense , Jim was acquitted and allowed to return home . 0 +Seymour , born December 15 , 1850 in Walkill , New York , arrived in the 1880s to Bayonne , New Jersey , and became active in the Democratic Party politics . Born December 15 , 1850 in Walkill in upstate Bayonne , New Jersey , Seymour came to New York in the 1880s and became active in Democratic Party politics . 0 +In one of his works ( epic poem on Skanderbeg ) , Nikola Jurišić was a subordinate topic . In one of his works ( epic poem on Skanderbeg ) a subordinate theme was Nikola Jurišić . 1 +Due to high prices and volatile capital costs , few deposits without subsidies can be economically exploited . Due to volatile prices and high capital costs , few deposits without subsidies can be exploited economically . 0 +Passengers travel to Maynooth to transfer to Sligo to Dublin intercity service . Passengers travel to Maynooth to convert to Sligo to Dublin Intercity service . 1 +In 2009 , Damien Ritter founded his own Funk Volume record label with Hopsin . In 2009 , Damien Ritter founded his own independent record label , Funk Volume , with Hopsin . 1 +The church relocated to Downey , California in 1979 , to the former home of the Downey Congregational Church , its current location . In 1979 , the church moved to Downey , California , to the former home of the Downey Congregational Church , its current location . 1 +Balaji Baji Rao was born in Supe near Pune as the eldest son of Vishwasrao ( Supe was the Jagir of Shahaji in Pune ) . Vishwasrao was born as the eldest son of Balaji Baji Rao in Supe near Pune ( Supe was the Jagir of Shahaji at Pune . 0 +Fallout 3 is an action role-playing game - Open - World - a videogame developed by Bethesda Softworks and published by Bethesda Game Studios . Fallout 3 is an action role-playing open world video game developed by Bethesda Game Studios and published by Bethesda Softworks . 0 +The series ends with Cassie reconciling with Wonder Woman , whom Cassie tells that she has become her own woman . The series ends with Wonder Woman reconciling with Cassie , who tells Cassie that she has become her own woman . 0 +"Three of these joints are incorrect joints , while two true anatomical ( "" physiological "" ) joints are ." "Three of these joints are false joints while two are true anatomical ( "" physiological "" ) joints ." 1 +When commercially added , illustrations were printed by J. Augustus Knapp . When it was printed commercially , illustrations were added by J. Augustus Knapp . 0 +Richard A. Kowalski ( born 1963 ) is an American astronomer who discovered many asteroids and comets , including numerous near-earth objects . Richard A. Kowalski ( born 1963 ) is an American astronomer who has discovered many asteroids and comets , among them , numerous near-Earth objects . 1 +Anguilla is renowned for its spectacular and ecologically important coral reefs and beaches . Anguilla is noted for its important and ecologically spectacular coral reefs and beaches . 0 +BC was the largest net recipient of interprovincial migrants in Canada in the first quarter of 2016 with half of the 5,000 people coming from Alberta . In the first quarter of 2016 , BC was the largest net recipient of interprovince - migrants in Alberta , with half of the 5,000 came from Canada . 0 +The abbey is registered as a cultural heritage of regional importance . The abbey is registered as a cultural asset of regional importance . 1 +"Postman refers to Harold Innis "" concept of "" knowledge monopoly "" to explain the way in which technology power in a technopoly usurps ." "Postman refers to Harold Innis "" concept of "" knowledge monopolies "" to explain the manner in which technology usurps power in a technopoly ." 1 +His son , Aimé Boucher , was a politician from Quebec , his daughter Marguerite married Félix Allard , a member of the Canadian House of Commons . His son , Félix Allard , was a politician from Quebec and his daughter Marguerite married Aimé Boucher , a member of the Canadian House of Commons . 0 +Players can visit Las Vegas to increase their nickel production and store their coins at the Cool World Bank . Players can visit Las Vegas to increase their nickel stash and store their coins at the Cool World bank . 1 +When Fletcher died in 1936 , Hill was appointed to fill the vacancy until a successor could be elected . In 1936 , when Hill died , Fletcher was appointed to fill the vacancy until a successor could be elected . 0 +George Henry Compton Cavendish , first son of the second Earl of Burlington , was Member of Parliament for Aylesbury . George Henry Compton Cavendish , the first son of the second Earl of Burlington , was a Member of Parliament for Aylesbury . 1 +Scraper was a hardcore punk band from the United Kingdom of the West Midlands . Scraper was a hardcore punk band from the United Kingdom West Midlands . 0 +For Kholm 's command of the defense , Scherer was personally awarded the knight 's cross of the Iron Cross with oak foliage by Adolf Hitler . Scherer was personally awarded the Knight 's Cross of the Iron Cross with Oak Leaves by Adolf Hitler for the command of the defense of Kholm . 1 +It heard the cases in civil law , criminal law and cases concerning the conflict of competences between the military , police and civil courts . It heard the cases in criminal law , civil law , and cases involving the conflict of jurisdiction between the military , police and civil courts . 1 +The Final FESPIC Games had 18 venues for the Games , 9 in Selangor , 7 in Kuala Lumpur and each 1 in Putrajaya and Negeri Sembilan . The Final FESPIC Games had 18 venues for the games . 9 in Kuala Lumpur , 7 in Selangor and 1 each in Putrajaya and Negeri Sembilan respectively . 0 +In February 2016 , it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich as President . In February 2016 it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich for President . 1 +Enter through southern gate , turn left and worship Ganapathy , Shiva and Ayyappan on the eastern side . Enter through the southern gate , turn left and worship on the east side Ganapathy , Shiva and Ayyappan . 1 +""" Little Me "" was written by Neil Simon and Sid Caesar ." """ Little Me "" was written by Sid Caesar and starred Neil Simon ." 0 +"It was born in 2005 , and in 2006 was published the debut - EP "" The Departure "" ." "It was released in 2005 , and in 2006 the debut EP "" The Departure "" was born ." 0 +In 1968 , the boardwalk Bowl followed Tangerine Bowl , and the Pecan Bowl moved from Abilene to Texas within Arlington . In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl within Texas , moved from Abilene to Arlington . 0 +Dora Lee McClain was born in Montgomery , Alabama , as the daughter of a single mother Boyd . Boyd was born in Montgomery , Alabama , the daughter of a single mother , Dora Lee McClain . 0 +Following the election the Labour leader of the council for the previous 3 years , Colin Anderson , was defeated in a leadership election by Bob Symonds . Following the election , Colin Anderson , the Labour leader of the Council for the last three years , was defeated in a leadership election by Bob Symonds . 1 +Mischa Zverev won the title , defeating Malek Jaziri 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . Mischa Zverev won the title and beat Malek Jaziri 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . 1 +The tournament requires an import or a pure-foreign player for each team . The tournament requires an import or player for each team . 0 +They also meet the twins Timmy and Tommy Reston in their Ford Mustang , which were soon invited by Keun 's friend to Waffle House . They soon encounter twins Timmy and Tommy Reston in their Ford Mustang , who were also invited to the Waffle House by Keun 's friend . 0 +In March 2008 , Sophina participated in the Heart of a Champion Invitational as a Level 10 where she won the all-around title . In March 2008 , Sophina participated in the heart of a Champion Invitational as Level 10 , where she won the total title . 1 +Frugalware has a codice 2 and a codice 3 branch . The codice 2 branch gets updated daily , and the codice 3 branch is updated every 6 months . Frugalware has a branch codice 2 and a twig codice 3 . The branch codice 2 is updated daily , and the branch codice 3 is updated every six months . 1 +Leontin Florian Grozavu ( born 19 August 1967 ) , commonly known as Leo Grozavu , is a former football manager and Romanian professional football player . Leontin Florian Grozavu ( born August 19 , 1967 ) , better known as Leo Grozavu , is a former football manager and a Romanian professional football player . 1 +Somaiya Vidyavihar is an educational campus in the suburb of Vidyavihar in Mumbai . Somaiya Vidyavihar is an educational campus located in the Mumbai suburb of Vidyavihar . 1 +"In 2014 , A. R. Rahman adopted a song for Chithra 's private album "" Raunaq "" in a Singapore studio , written by Kapil Sibal ." "In 2014 , Chithra recorded a song at a Singapore studio for A. R. Rahman 's private album "" Raunaq "" written by Kapil Sibal ." 0 +Wilson was the only VC receiver during the Italian invasion of British - Somalia , only six additional VCs were awarded for operations in East Africa . Wilson was the only VC recipient during the Italian invasion of British East Africa ; only six other VCs were awarded for operations in Somalia . 0 +Leyser has a magic background , while Marie has a dance background . Leyser has a background in magic , while Marie has a background in dance . 1 +His parents are Angelina Miers , a prominent artist himself , and Don Luis Toranzos , of Argentina . His parents are Angelina Miers , himself a prominent artist , and Don Luis Toranzos from Argentina . 1 +Political movements in other provinces have also tried to use the provincial government as a force to build provincial autonomy and safeguard local identity . Political movements in other provinces have also tried to use the provincial government as a force to build up provincial autonomy and secure local identity . 1 +Due to volatile prices and high capital costs , few subsidies can be exploited economically without subsidies . Due to the high prices and volatile capital costs , few deposits can be exploited economically without subsidies . 0 +The west town line is the border of Steuben County , and the south town line is the border of Ontario County . The western town line is the border of Steuben County , and the southern town line is the border of Ontario County . 1 +Altamonte Mall is a super-regional shopping mall located in Altamonte Springs , Florida , United States , a suburb of Orlando . Orlando is a super-regional shopping mall located in Altamonte Mall , a suburb of Altamonte Springs , Florida . 0 +The mammalian fauna of Madagascar is highly different and largely endemic . The mammalian fauna of Madagascar is highly distinctive and largely endemic . 1 +However , after Carnot 's resignation and replacement by Alfred de Falloux , the commission was dissolved . However , after the resignation of Alfred de Falloux and replacement by Carnot , the Commission was dissolved . 0 +The Empire Zinc Company was a subsidiary of the New Jersey Zinc Company . The New Jersey Zinc Company was a subsidiary of Empire Zinc Company . 0 +"The sprawling active adult community is also locally known as "" Original "" Leisure Village because it was the first of three neighboring active adult communities bearing similar names ." "The large active adult community is also known locally as "" Original "" Leisure Village , because it was the first of three neighboring active adult communities with similar names ." 1 +Solomons was born in Thorpe Bay and with his four siblings in Orsett , Essex brought up by his mother and his father . Solomons was born in Orsett , Essex and brought up with his four sisters in Thorpe Bay by his mother and his father . 0 +Use of Awakening drains the colors from surrounding objects and the less colorful an object is , the more difficult it is to apply Awakening to it . The use of awakening drains the colors from the surrounding objects , and the less colorful an object is , the harder it is to apply awakening to it . 1 +Dodson maintains a private practice in New York City and has an active website . Dodson maintains private practice in New York City and has an active website . 1 +The album was deleted on digital download in 2008 , shortly after the CD was released . The album was released as a digital download shortly after the CD was deleted in 2008 . 0 +"In hieroglyphic - Arabic is the Egyptian script "" called the alphabet of birds "" ." "In Egyptian Arabic , hieroglyphic writing is called "" the alphabet of the birds "" ." 0 +Located in west-central Franklin Township only physically borders Portage County , Brady Lake , which completely surrounds the village . In West - Central Franklin Township located only physically borders Portage County , Brady Lake , which surrounds the village completely . 1 +In the United Kingdom , mescaline in purified powder form is a Class A drug . However , dried cactus can be bought and sold legally . In the United Kingdom , meskaline is a class A drug in purified powder form , but dried cactus can be bought and sold legally . 1 +The railway station of Tyabb is located in Victoria , Australia , on the Stony Point line . Stony Point railway station is located on the Tyabb line in Victoria , Australia . 0 +Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress and the younger sister of Assunta De Rossi . Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and a younger sister of the actress Alessandra De Rossi . 0 +"According to Jon Uren , Marketing Director of Warner Music Europe , the song also had an "" early "" fantastic support across Europe ." "According to Jon Uren , Marketing - Director of Warner Music Europe , the song had also "" fantastic "" early support across Europe ." 1 +The idea is to coordinate the data on the x or y sort of one of the corners of the rectangles . The idea is to sort the data on the X or Y coordinate one of the corners of the rectangle . 0 +Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the Jelgava district 2009 ) , Latvia . Lielplatone parish is an administrative unit of the Jelgava District ( prior to the 2009 administrative reforms the Jelgava Municipality ) , Latvia . 0 +Danielle Santos Bernals Body was found on November 4 , 2001 by her sister Lolly and Marian Anderson . Danielle Santos Bernal 's body was found by her sister Lolly and Marian Anderson on November 4 , 2001 . 1 +He has been a liberal member of the Victorian Legislative Council since October 1992 , representing the province of Koonung and since then the Eastern Metropolitan Region from 1992 to 2006 . He has been a Liberal member of the Victorian Legislative Council since October 1992 , representing Koonung Province from 1992 to 2006 and Eastern Metropolitan Region since . 1 +In 1951 , the Belarusian immigrants founded the Congress Committee of America . The Belarusian immigrants founded the postwar Congress Committee of America here in 1951 . 1 +In 2014 , founding member of 15 years Dan McGruer left the band and was replaced by Devin Abrams . In 2014 , the founding member of 15 years of age left Devin Abrams and was replaced by Dan McGruer . 0 +The geological party leader was his old mentor , Mike Morton . The leader of the old party was his geological mentor Mike Morton . 0 +Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - socialist and author Mary Macaulay . Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - Socialist and writer Beatrice Webb . 0 +When Holt retired in 1914 , Green succeeded him as Chief Inspector . In 1914 , when Green retired , Holt followed him as Chief Inspector . 0 +The Russian villain is , however , an original and sometimes interesting danger . "The Russian villain , however , is an original and sometimes interesting menace. """ 1 +In some cases , Teruo 's father ( Keizo Kanie ) becomes depression , has slept and Teruo runs the Secondhand - bookstore instead of his father . In some case , Teruo 's father ( Keizo Kanie ) has depression , becomes slept and Teruo runs the secondhand bookstore , instead of his father . 0 +The Bill & Cathy Stoller Center is home to all of the university 's intercollegiate athletic teams , athletic offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all intercollegiate athletic teams from the university , sports offices and the Department of Exercise Science . 1 +All was born in Oldtown , Kentucky , and attended the High School in Ashland , where he played football at West Virginia University from 1932 to 1934 . All was born in Ashland , Kentucky , and attended the High School in Oldtown , where he played football at West Virginia University from 1932 to 1934 . 0 +The 10 Espadas are numbered 0-9 , 0 being the strongest and 9 the weakest . The 10 Espadas are numbered 0-9 , 0 is the weakest and 9 the strongest . 0 +The ditch was cut out of rock and about 5 m wide and 4 to 5 m deep . The ditch was cut from rock and about 5 m wide and 4 to 5 m deep . 1 +Conservatives argued that elected politicians should be trusted instead . Conservatives argued that instead , trusted politicians should be elected . 0 +Deputy Marshal Heck Thomas remembered Bob Dalton as the most accurate shot he had ever seen . The Deputy Marshal Bob Dalton remembered Heck Thomas as the most accurate shot he had ever seen . 0 +Sales began in North America in the third quarter of 2008 and in Europe in early 2009 as a model for 2010 . Sales began in Europe in the third quarter of 2008 and in North America in early 2009 as a 2010 model . 0 +Most of our information about Cicero 's life and career comes from the contents of Murena 's speech . Most of the information about Cicero 's life and career comes from the contents of Murena 's speech . 1 +A multi-region - DVD of the entire series was announced by Warner Archive on February 4th , 2015 and released on February 10 , 2015 . A multi-region DVD of the entire series was announced on February 4 , 2015 by Warner Archive and was released on February 10 , 2015 . 1 +Mr. C. Morgan was the architect , Mr. J.D . Verhoewe the contractor and Mr. J. Dey , chairman of the action committee . The architect was Mr. C. Morgan , the contractor Mr. J. D. Verhoewe and the chairman of the action committee , Mr. J. Dey . 1 +After Anna was found , Martha married a man by the name of George I. Eisenhauer . After Anna was found , Martha married a man by the name of George I Eisenhauer . 1 +Half Dome is a granite dome in Little Yosemite Valley located at the northwestern end of Yosemite National Park at Half Dome is a granite dome at Yosemite National Park in the northwestern end of Little Yosemite Valley ? 0 +The director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated film . The director Amir Yatsiv and the film critic Larysa Malyukova discussed the rare genre of the animated documentary film . 0 +Green was a financial supporter of Theresa May 's prime ministerial campaign . Green was a financial supporter of Prime Minister Theresa May 's campaign . 1 +Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 6 -- 1 Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 6 - 1 1 +Local intradermal injection of botulinum toxin is helpful and chronic for focal neuropathies painful . Local intradermal injection of botulinum toxin is helpful in chronic focal painful neuropathies . 0 +Lalitpur has produced the highest number of renowned artists and finest craftsmen ever recorded in the history of Nepali art . Lalitpur has produced the highest number of Nepalese artists and the finest craftsmen ever recorded in the history of renowned art . 0 +After the 1962 season , Green was traded to the New York Mets along with Felix Mantilla in exchange for Tracy Stallard and Al Moran . Following the 1962 season , Green was traded with Tracy Stallard and Al Moran in exchange for Felix Mantilla to the New York Mets . 0 +The 21st Governor - General of Australia , Bill Hayden , Senator Ron Boswell and the Commonwealth - Parliament of Australia are among the tenants . Among the tenants are the 21st Governor-General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth Parliament of Australia . 0 +Nick Bolen ( formerly known as Dominic ; Jeffrey Nordling ) is the manipulative husband of Angie Bolen . Angie Bolen ( formerly Dominic ; Jeffrey Nordling ) is the manipulative husband of Nick Bolen . 0 +"In the miniseries "" Hemingway "" of 1988 with Fiona Fullerton , Duff Twysden was played by Stacy Keach ." "In the miniseries "" Hemingway "" from 1988 with Stacy Keach , Duff Twysden was played by Fiona Fullerton ." 0 +Therefore , under certain conditions , equivalence classes of statistical ensembles have the structure of a convex quantity . The equivalence classes of convex ensembles therefore have the structure of a statistical amount under certain conditions . 0 +His father was the renowned late Ud Maestro Munir Bashir , his uncle was the late Oud Master Jamil Bashir . His father was the renowned deceased Ud Maestro Munir Bashir , his uncle was the late Oud - Master Jamil Bashir . 1 +Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) house . Born in Stockholm , Sweden in 1967 , she grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) home . 1 +The town was founded in 1899 by George Dewey and named after Admiral Jacob A. Bartles . Founded by Jacob A. Bartles in 1899 , the town was named for Admiral George Dewey . 0 +Williams , the first president of the Welsh Academy , was Yr Academi Gymreig . ( 1892-1962 ) was the first president of Yr Academi Gymreig ( Welsh Academy ) . 1 +This means that Lisp is homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of the language itself . This means that Lisp is homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of language itself . 1 +South Africa meridionalis is a small jumping spider that lives in Tanzania . Tanzania meridionalis is a small diving spider that lives in South Africa . 0 +Boiestown ( 1991 population : 349 ) is a Canadian community in the rural community of Upper Miramichi in Northumberland County , New Brunswick . Boiestown ( 1991 population : 349 ) is a Canadian community located in the rural community of Upper Miramichi in Northumberland County , New Brunswick . 1 +""" New York Newsday "" Romantico 's visual poetry on the run . And , as any work of art does when it is successful ." """ New York Newsday "" Romantico is visual poetry on the run ... And as any work of art does when it is successful ," 1 +He died in Bordeaux on 23 July 1963 and was buried at the Cemetery de la Chartreuse in Lyons . He died in Lyon on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Bordeaux . 0 +She lives in Bandra , Mumbai , and has a son Aditya Bhattacharya , film director , and two daughters , Chimmu and Anwesha Arya , a writer . She lives in Bandra , Mumbai , and has a son , Anwesha Arya , director , and two daughters , Chimmu and Aditya Bhattacharya , a writer . 0 +The development of the energy business included the opening of a new office in Middlesbrough and the construction of a specialist vessel , Cable Enterprise . The development of the energy business included the opening of a special office in Middlesbrough and the construction of a new vessel , Cable Enterprise . 0 +Judges were appointed by the Minister of Justice and nominated by the tsar . The judges were nominated by the Minister of Justice and appointed by the Tsar . 0 +This film screenplay was written by Titus Popovici and was managed by Sergiu Nicolaescu . This film screenplay was written by Sergiu Nicolaescu and was directed by Titus Popovici . 0 +For a few years Daniel went to the same school as Björn Dixgård ; at the age of fifteen he founded a band called Butler together with Björn . For a few years Daniel went to the same school as Björn Dixgård and founded a band called Butler with Björn at the age of fifteen . 1 +Humphrey John Ikin ( born 1957 in Lower Hutt ) is a New Zealand furniture designer . Humphrey John Ikin ( born in Lower Hutt in 1957 ) is a New Zealand furniture designer . 1 +""" Yeh Hai Mumbai Meri Jaan "" is a love story between Akshay Anand while Saif Ali Khan and Twinkle Khanna is the spoiler ." """ Yeh Hai Mumbai Meri Jaan "" is a love story between Akshay Anand , while Saif Ali Khan and Twinkle Khanna are the spoiler ." 1 +He was chosen before the next match at Lord and was never injured again . He was chosen before the next match at Lord 's , and was never injured again . 1 +They came from , among other places , Quedlinburg to the west and Helmstedt in the east , from Celle to the north and Hanover to the south . They came from Quedlinburg to the west and Helmstedt to the east , from Celle in the north and Hanover to the south . 1 +The North Fork Republican River is a tributary of the Republican River . The North Fork Republican River is a flow of the Republican River . 1 +"Some of the details that Peeters cites are specific to the old English poem , which is based on "" Daniel "" ." "Some of the details Peeters cites are specific to the Old English poem based on "" Daniel "" ." 1 +The Indore district consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . The district of Mhow consists of 4 divisions : Depalpur , Sanwer , Indore and Indore . 0 +He remained in Germany for three years before moving back to Japan with his family . He stayed in Germany for three years before moving back with his family to Japan . 1 +7 -- 6 , 7 -- 6 defeated Arnaud Boetsch Marc Rosset defeated Arnaud Boetsch 7 -- 6 , 7 -- 6 1 +OPAL is a high-level interface for low - level - physics engines used in games , robotics simulations and other 3D applications . OPAL is a low-level interface for high-level physics engines used in games , robotics simulations , and other 3D applications . 0 +The film was produced by S. P. S. Pictures administered by R. Sockalingam and was managed by Ch . The film was directed by S. P. S. Pictures managed by R. Sockalingam and was produced by Ch . 0 +It is part of the James River watershed over the Bush River and the Appomattox River . Via the Appomattox River and the Bush River , it is part of the James River watershed . 1 +Almost all the people in the Phu Tan district had to be evacuated ( mainly to Cho Moi , An Phu ) . Almost all of the people in Phu Tan district had to be evacuated ( mainly to the Cho Moi , An Phu ) . 1 +Nationalist parties , however , together with other liberal groups , said that they would boycott the elections in July . Other liberal parties , however , said , along with nationalist groups , that they would boycott the July elections . 0 +Schools that do not accept the authority of the Vedas are heterodox philosophies , of which four ( Nāstika ) schools are highlighted . Schools which do not accept the authority of the Vedas are Nāstika - philosophies , of which four ( heterodox ) schools are prominent : 0 +The city of Baguio can be reached from Banaue by jeepney , bus or private car . Baguio City can be reached by jeepney , bus or private car from Banaue . 1 +The Malayan field rat is known from Malaysia , Thailand , Sumatra , Borneo , the Philippines and many smaller islands . The Malaysian field rat is known from Malaysia , Thailand , Sumatra , Borneo , the Philippines and many smaller islands . 1 +In axillary copies the flowers are yellowish and appear in male groups . In axillary specimens , the flowers are yellowish and appear in male groups . 1 +"EA has developed a new "" Syndicate "" game for Starbreeze Studios , which was released on February 21 , 2012 ." "Starbreeze Studios have developed a new "" Syndicate "" game for EA , which was released on February 21 , 2012 ." 0 +Before going to Palestine , her family was originally from Acre , Lebanon . Before journeying to Lebanon , her family was originally from Acre , Palestine . 0 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if exists ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if present ) : 0 +The 2005 North Indian Ocean cyclone season was weak to southern India despite the destructive and deadly storms . The North Indian Ocean cyclone season in 2005 was destructive and deadly for southern India , despite the weak storms . 0 +"It was described by ( Spreng . ) K. Schum and published in 1888 in "" Flora Brasiliensis 6 ( 6 ) : 128 "" ." "It was described by ( Spreng . ) K.Schum . and published in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , in 1888 ." 1 +He is the son of the French cyclist Adri van der Poel , the brother of Mathieu van der Poel and grandson of the Dutch cyclist Raymond Poulidor . He is the son of the Dutch cyclist Adri van der Poel , the brother of Mathieu van der Poel and grandson of French cyclist Raymond Poulidor . 0 +The VT 67A Connector was removed in 1974 and simultaneously assigned to the assignment of VT 279 in 2004 . VT 67A Connector was assigned in 1974 and removed in 2004 concurrent to the assignment of VT 279 . 0 +In 1016 , the Serbian prince Ivan Vladislav was murdered in Prespa , ordered by Jovan Vladimir . In 1016 the Serbian prince Ivan Vladislav was murdered in Prespa by order of Jovan Vladimir . 1 +Statue of Ma.Po.Si 2011 unveils in Chennai ( T. Nagar , Tyagaraya Nagar ) 2011 Statue of Ma.Po.Si unveiled in Chennai ( T. Nagar , Tyagaraya Nagar ) 1 +Taungya also meant that after a few years , the British or their agents would return to the newly planted areas to harvest the previously cut teakwood . Taungya also meant that the British or their agents would return to the previously cut areas after some years to harvest the newly planted teak . 0 +Every level , from the national and global level to individual and local level , has its own essential function in a globalised world . Every level , from the individual and local level to the national and global level , has its own essential function in a globalised world . 0 +Directors have fiduciary duties in Australia under general law . Directors have general duties under Fiduciary law in Australia . They are : 0 +Another new bridge was built at Phnom Penh on Neak Leung to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . Another new bridge was built at Neak Leung on the Phnom Penh to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . 0 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on January 17 , 1845 in Stuttgart ) . Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , Germany , died 17 January 1845 in Ludwigsburg ) . 0 +The Sunehri Mosque in the Walled City of Lahore was also converted to a gurdwara , while the Mosque of Mariyam Zamani Begum was repurposed into a gunpowder factory . The Sunehri mosque in the walled city of Lahore was also converted into a Gurdwara , while the mosque of Mariyam Zamani Begum was changed to a firing powder factory . 1 +"Michel Deville ( 1915 -- 1984 ) was a French actress who performed in 1980 under director Françoise Morhange in "" Le Voyage en douce "" ." "Michel Deville ( 1915 -- 1984 ) was a French actress . In 1980 , she starred in "" Le Voyage en douce "" under director Françoise Morhange ." 1 +Born in Athens , Greece , he grew up in New York City and then in North Grafton , Massachusetts . He was born in New York City , and grew up in Athens , Greece , and then North Grafton , Massachusetts . 0 +The music of the film was composed by Vijaya Narasimha and texts for the soundtrack by Chi , Udaya Shankar and Vijaya Bhaskar . The music of the film was written by Vijaya Narasimha and lyrics for the soundtrack composed by Chi . Udaya Shankar and Vijaya Bhaskar . 1 +In 1951 , postwar immigrants founded the Belarusian Congress Committee of America . In 1951 , the Belarusian immigrants founded the Congress Committee of America . 0 +It began on Social Esportiva Vitória , then went to the Fabriciano and was borrowed to various clubs and other Ceará before returning to Ceará in mid 2010 . It began on Social Esportiva Vitória , then went to the Fabriciano and was lent to other clubs and various Ceará before returning to Ceará in 2010 . 1 +The western extension of the London congestion charge was introduced in 2007 ( and withdrawn on January 1 , 2011 ) . The Western Extension of the London congestion charge was introduced in 2007 ( and withdrawn on 1 January 2011 ) . 1 +In 2006 , François Bozizé was appointed by President Bozanga as Chairman of the Council of State . In 2006 , Bozanga was appointed President of the Council of State by President François Bozizé . 0 +It was produced by Eddie Mort and Lili Chin and created by Warner Bros . It was produced by Eddie Mort and Lili Chin and created by Warner Bros.. 1 +The following year were studios and offices for Station 1484 Beech Street in Hornell , just outside Hornellsville . The following year , studios and offices for the station were moved to the 1484 Beech Street in Hornellsville , just outside Hornell . 0 +The river Zăbrătău is a tributary of the River Bota Mare in Romania . The Zăbrătău River is a tributary of the Bota Mare River in Romania . 1 +"The binding "" total energy per nucleon "" would be this value divided by "" A "" ." "The "" overall binding energy per nucleon "" would be this value divided by "" A "" ." 0 +According to the website of Force Ministries , the current Executive Board members include Greg Wark as President , along with Robert Owens and Art Smith . Current board members , according to Force Ministries website , include Robert Owens and Art Smith as president , along with Greg Wark . 0 +The safe system is based on a remote mechanism of the ONC procedure call system developed in SunOS . The first system is based on a secure mechanism of the ONC remote procedure call system developed in SunOS . 0 +Count Johann II was arrested for two years , Rapperswil and its castle were destroyed by the Zürich troops , and Brun 's opponents executed or banned . Count Johann II was executed or banned for two years , Rapperswil and its castle were destroyed by the Zurich troops and arrested of Brun 's opponents . 0 +Morse replaced Kelly Nestor in March 2006 . In March 2006 , Kelly Morse replaced Kelly Nestor . 1 +"This article incorporates information translated from the article ( "" Usuki-shi "" ) in the Japanese Wikipedia , retrieved before September 28 , 2011 ." "This article contains information from the article ( "" Usuki-shi "" ) in Japanese Wikipedia , translated before the 28 September 2011 ." 0 +Shine has written more than 900 articles in professional journals , two books published ( Australian Snakes ) . Shine has written more than 900 papers in professional journals , published two books ( Australian Snakes . 1 +In some cases , pain or at least discomfort is secondary or rather insignificant to the humiliation . In some cases , the pain , or at least the discomfort , is insignificant or rather subordinate to humiliation . 0 +Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the water quantity . Ristretto is traditionally a short shot of espresso made with the normal amount of ground coffee but extracted with about half the amount of water . 0 +Diseases associated with this species include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . Diseases associated with this genus include : DCV : increased reproductive potential ; extremely pathogenic when injected with high associated mortality ; CrPV : paralysis and death . 0 +The most preferred treatment method at the time was active medication . The most active treatment at that time was the preferred medication . 0 +There are numerous student organizations available on campus , including academic groups , religious groups , and student activity groups . There are numerous student organizations on the campus , including religious groups , academic groups , and student activity groups . 1 +He has a son ( born 2000 ) from a former relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . He has a son ( born 2000 ) from a former relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . 0 +"On the following night on "" Raw "" Daivari and Hassan Shawn interrupted Michaels during a promo ." "The following night on "" Raw "" , Daivari and Hassan interrupted Shawn Michaels during a promo ." 1 +They manufactured an even bigger truck , with a 9.8 litre engine , and tried a motor bus . They trialled an even bigger truck , with a 9.8 litre engine , and manufactured a motor bus . 0 +The sheep are being sacrificed and the meat is given to relatives and neighbours and is distributed to the poor . The sheep are being sacrificed and the meat is distributed to relatives and neighbours and given to the poor . 1 +Tadas Langaitis is a Lithuanian politician , from november 2016 member of the Seimas , social and civic activist , active in civic projects in Lithuania . Tadas Langaitis is a Lithuanian politician , member of the Seimas since November 2016 , citizen activist , active in social and civic projects in Lithuania . 0 +Jack Cross was a comic book series written by Warren Ellis and drawn by Gary Erskine . It was first published by DC Comics in 2005 . Jack Jack Cross was a comic series written by Gary Erskine and drawn by Warren Ellis . It was first published by DC Comics in 2005 . 0 +New York was created as the junction of three rail branches , the Jamesburg division of the Pennsylvania Railroad , the Rocky Hill and the Monmouth Junction and Freehold . Monmouth Junction was created as the intersection of three rail branches , the New York division of the Pennsylvania Railroad , the Rocky Hill and the Jamesburg and Freehold . 0 +Separate lists are provided for the 61 listed real estate and historic districts in Chicago and more than 350 listed properties and districts in Evanston . Separate lists are provided for the 61 listed properties and historic districts in Evanston and the more than 350 listed properties and districts in Chicago . 0 +Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) played in a revival at Old Vic in London in 2009 . Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) starred in a 2009 revival at The Old Vic in London . 0 +The large area of black is shaded first with green and then with blue . The large area of black is shaded first with blue and then with green . 0 +"She was portrayed by Mariko in the 2013 film "" The Wolverine "" , in which Tao Okamoto Wolverines is primary romantic interest , girlfriend and lover ." "She was portrayed by Mariko in the 2013 film "" The Wolverine "" in which Tao Okamoto is Wolverine 's primary romantic interest , girlfriend , and lover ." 1 +The reactor will have an output of 1500 MWth of electrical power and 600 MW thermal power . The reactor will have an output of 1500 MWth thermal power and 600 MW electric power . 0 +Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English internal football player who played for Grimsby Town and Bury in the Football League . Alfred Gregson ( 2 March , 1889 -- March 1968 ) was an inside football English professional left , who played in the Football League for Grimsby Town and Bury . 1 +A screw-shaped camshaft is a type of variable mechanical valve actuation system ( VVA ) . A helical camshaft is a type of mechanical variable valve actuation ( VVA ) system . 1 +It also is home to the unincorporated towns of Redwood Valley , Calpella , Potter Valley and Talmage . It is also home to the unregistered towns of Redwood Valley , Calpella , Potter Valley and Talmage . 1 +The couple had their first child , Schalk Jr , in August 2012 , and their second son Nicol was born in March 2014 . The couple had their first child in August 2012 , Nicol , and in March 2014 their second son Shalk Jr. was born . 0 +They meet with Quinito Castañeda ( Danny ) and his friend Joross Gamboa ( Rafael Rosell ) , who bring them to a beach resort in Cavite . They meet up with Quinito Castañeda ( Rafael Rosell ) and his friend , Danny ( Joross Gamboa ) who take them to a beach resort in Cavite . 0 +Linn Jørum Sulland replaced Ida Bjørndalen on 30 November 2014 due to an injury . Ida Bjørndalen replaced Linn Jørum Sulland due to an injury on 30 November 2014 . 0 +Red Bank is located in the 11th Congressional District and is part of the 4th State Legislative District of New Jersey . Red Bank is located in the 11th Congressional District and is part of New Jersey 's 4th state legislative district . 1 +RAF Ash has been closed and the site was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash has been sold and the site was closed in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . 0 +Confiança , or Confiança , as they are usually called , is a Brazilian football team from Sergipe in Aracaju , founded on May 1 , 1936 . Associação Desportiva Confiança , or Confiança as they are usually called , is a Brazilian football team from Aracaju in Sergipe , founded on May 1 , 1936 . 0 +Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Florida with the sequence of SCSV from Taiwan . Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Taiwan with the sequence of SCSV in Florida . 0 +In the meantime , Nick is confronted with his former crew : Mikka , Vector , Sib and Pup . In the meantime , Mikka is confronted by his former crew : Nick , Vector , Sib and Pup . 0 +Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez at 6 : 2 , 6 : 2 in the final . Sergio Galdós and Luis David Martínez won the title and defeated Julio Peralta and Horacio Zeballos with 6 -- 2 , 6 -- 2 in the final . 0 +Callery is located in the northwestern corner of Adams Township in southwestern Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the northwestern corner of Adams Township in the southwestern part of Butler County , at ( 40.739587 , -80.037211 ) . 1 +The 1986 -- 87 Toronto Maple Leafs season was the 70th season of operation of Toronto in the National Hockey League . The 1986 -- 87 National Hockey League season was the 70th season of the Toronto operation in Toronto Maple Leafs . 0 +The character of Holden Ford is based on FBI agent John E. Douglas , and Bill Tench is based on pioneering FBI agent Robert K. Ressler . The character of Holden Ford is based on FBI - Agent Robert K. Ressler , and Bill Tench is based on a pioneer - FBI - Agent John E. Douglas . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso , which is currently Ghana 's ambassador to Ghana . Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Ghana , and currently Ghana 's Ambassador to Burkina Faso . 0 +He lost to Vinnie Rossano but stopped Joey DeJohn in five rounds . He lost against Vinnie Rossano , but Joey DeJohn stopped in five rounds . 1 +The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Germany , Belgium and Vichy France in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Germany , Belgium , and Vichy , France in 1945 . 1 +Clanculus natalensis is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top screws . Clanculus natalensis is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . 0 +Fotbal Club Forex Braşov was a Romanian professional football club from Braşov , Romania , founded in October 2002 and dissolved in 2011 . Fotbal Club Forex Braşov was a Romanian pro - football club from Braşov , Romania , founded in October 2002 and dissolved in 2011 . 1 +King was against Ann Haydon-Jones , 4 -- 0 against Christine Truman Janes and 1 -- 1 against Virginia Wade at the singles with 6 -- 1 . King was against Ann Haydon-Jones , 4 -- 0 against Virginia Wade and 1 -- 1 against Christine Truman Janes at the singles with 6 -- 1 . 0 +African stone tool technologies are divided into the modes outlined by Lawrence Barham and Peter Mitchell in 1969 , and proposed by Grahame Clark as follows : African stone tool technologies are divided into modes as proposed by Grahame Clark in 1969 and outlined by Lawrence Barham and Peter Mitchell as follows : 0 +"In October 1989 , Freud performed in the same theatre "" Nuts ( Homage to Langland ) "" ." "In October 1989 , Langland performed at the same theatre in "" Nuts ( Homage to Freud ) "" ." 0 +The audio companion to the digital concert was released on 29 January 2008 as a live album at iTunes . The audio companion to the digital concert was released as a live album on iTunes on January 29 , 2008 . 1 +The Calova River is a tributary of the Timiş River in Romania . The Timiş River is a tributary of the River Calova in Romania . 0 +According to the United States Census Bureau , Harmony Township has a total area of , of which is land and , or 5.21 % , is water . According to the United States Census Bureau , Harmony Township is a total area of which is land and , or 5.21 % , has water . 1 +The Ciunget River is a tributary of the Argintărie River in Romania . The River Ciunget is a tributary of the Argintărie River in Romania . 1 +It was written by Leslie H. Martinson , written by George Kirgo , and was originally broadcast on NBC on April 5 , 1982 . It was directed by Leslie H. Martinson , written by George Kirgo and was originally broadcast April 5 , 1982 on NBC . 1 +The Swiss Federal Assembly and the Swiss Federal Council have recommended that the initiative be rejected . The Swiss Federal Assembly and the Swiss Federal Council recommended that the initiative should be rejected . 1 +"In response to the "" political first "" attitude of the organized labor movement and the Socialists , Harrison provided a "" race first "" white perspective ." "In response to the "" white first "" attitude of the organized workers ' movement and the Socialists , Harrison offered a political perspective "" race first "" ." 0 +For Edward , his grandson , Grenville , was elected to the 11th Parliament of Upper Canada . For Grenville , his grandson , Edward , was elected to the 11th Parliament of Upper Canada . 0 +In white wines , a lower pH ( higher acidity ) causes the phenolic resins to darken in the wine and eventually polymerize as brown deposits . In white wines , lower pH ( higher acidity ) causes the phenolics in the wine to darken and eventually polymerize as brown deposits . 1 +Deaton was born in Clayton , Oklahoma , and his family lived for two years in a tent in the plains of New Mexico . Deaton was born in Clayton , New Mexico and his family lived in a tent on the Oklahoma plains for two years . 0 +For example , the National Civic League ( originally the National Municipal League ) promotes effective local government management . For example , the National Municipal League ( originally the National Civic League ) promotes an effective management of the local government . 0 +In 1948 , he relocated to Cyprus . In 1958 , he moved to England . In 1948 he moved to Cyprus , to England in 1958 . 1 +Malmö FF U18 beat Djurgårdens IF U18 with 3 : 0 . Malmö FF U18 beat Djurgårdens IF U18 with 3 -- 0 . 1 +"Streisand and Columbia Records released "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , distributed months after "" The Way We Were "" ." "Streisand and Columbia Records released ButterFly as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." 1 +The logo is similar to that of the Buffalo Sabres of the NHL . The Bearcats ' old jersey is that of the Florida Panthers from 1996/97-2005/06 . The logo is similar to that of the Florida Panthers of the NHL , the old jersey of the Bearcats is that of Buffalo Sabres from 1996 / 97-2005 / 06 . 0 +A general function assigned to a superfamily was used to reflect the main function for that superfamily . A major function assigned to a superfamily was used to reflect the general function for that superfamily . 0 +The latter study remains one of the few prospective demonstrations that environmental stress is associated with hypertension and LVH . The latter study is one of the few prospective demonstrations that remains associated with high blood pressure and LVH environmental stress . 1 +Codice 1 can not be deleted because its copy constructor and its assignment operators are explicitly copied . Codice 1 can not be copied because its copy constructor and assignment operator are explicitly deleted . 0 +Szabo 's method of double protection was , however , vulnerable to Sybil attacks . Szabo 's method of sybilizing protection , however , was vulnerable to double attacks . 0 +"At the end of this "" Dasaratha-Jataka "" discourse , the prior text declares that the Buddha in his Buddhist rebirth was Rama ." "At the end of this "" Dasaratha-Jataka "" discourse , the previous text declares that Buddha was Rama in his Buddhist rebirth ." 1 +Gralee is a suburb of the Leeton Shire in Leeton , New South Wales . Gralee is a suburb of Leeton , New South Wales in Leeton Shire . 0 +The lyrics were first written by Taupin and John later composed the music . The texts were first written by Taupin and John composed the music later . 1 +Later he joined the Outfit United SC in Kolkata and played in the Calcutta Football League . Later he joined Calcutta Football League and played in the Kolkata outfit United SC . 0 +In terms of internal relations , the Sami languages are divided into two groups : western and eastern . In terms of internal relationships , the Sami languages are divided into two groups : western and eastern . 1 +Indoor sports for the 2017 Asian Electronic and Martial Arts Games was be a demonstration sport . Electronic sport for the Asian indoor and martial arts games 2017 was a demonstration sport . 0 +It has developed an open and thoroughly evaluated ecosystem with evaluated execution environments ( TEE ) with accredited laboratories and trusted products . It has developed an open and thoroughly evaluated TEE - Ecosystem ( Trusted Execution Environment ) with accredited laboratories and rated products . 0 +The role of corpus callosum in the epilepsy is the interhemispheric transmission of epileptiform discharges . The role of corpus callosum in the epilepsy is the epileptiform transmission of interhemispheric discharges . 0 +In 2016 , a group of black students of Wiggins High School put a noose around a white student ’ s neck . In 2016 a group of black students at Wiggins High School put a noose around the neck of a white student . 1 +"Since the 19th century , artificial beings are common in fiction , as in Mary Shelley "" Frankenstein "" or Karel Čapek 's "" R.U.R ." "Artificial beings are common in fiction since the 19th century , as in Karel Čapek 's "" Frankenstein "" or Mary Shelley "" R.U.R "" ." 0 +Although neither Chandidas nor Maladhar Basu were Vaishnavas , they were to lay the foundation for much of the following Vaishnava poetry in Bengal . Although neither Chandidas nor Maladhar Basu Vaishnavas were , they should lay the foundation for much of the following Vaishnava poetry in Bengal . 0 +Tim Tim Henman won 6 -- 2 , 7 -- 6 against Yevgeny Kafelnikov in the finals . Yevgeny Kafelnikov won in the final 6 -- 2 , 7 -- 6 , against Tim Henman . 0 +On the runway she went among others for Lacoste , Michael Kors , Valentino , Fendi , Alexander Wang , Altuzarra and Jason Wu . On the runway she went among others for Lacoste , Michael Kors , Valentino , Fendi , Jason Wu , Altuzarra and Alexander Wang . 1 +WaridTel also offers this option but it is not nationwide and displays uses only . WaridTel also uses this option , but is not nationwide and only displays offers . 0 +Taizhou , Zhejiang railway station ( Taizhou ) is a railway station of Yongtaiwen Railway located in Zhejiang Province , People 's Republic of China . Taizhou Station ( Zhejiang province ) is a train station of Yongtaiwen Railway in Taizhou , Zhejiang , People 's Republic of China . 0 +On 10 November 2015 , ATP editor Josh Meiseles confirmed the final list of 8 players on the ATP World Tour official website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final 8-player list on the official ATP World Tour website . 1 +This would fade the element , but stop when the effect is 80 % complete ( with an opacity of 20 % ) . This would last the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . 0 +Steve Davis won 9 -- 8 against Terry Griffiths in the finals . Terry Griffiths won in the final 9 -- 8 against Steve Davis . 0 +One of the main advantages of this approach is that routers become very simple : they are just one sensor , a pulse - reshaper and a station . One of the main advantages of this approach is that routers are very simple . They become just a sensor , pulse reshaper and a transmitter . 0 +Andre Andre Agassi defeated Andrei Medvedev , 1 -- 6 , 2 -- 6 , 6 -- 4 , 6 -- 3 , 6 -- 4 . Andrei Medvedev defeated Andre Agassi , 1 -- 6 , 2 -- 6 , 6 -- 4 , 6 -- 3 , 6 -- 4 . 0 +Soon Erko Elblaus and Gertrud Luhaoja were replaced by Rasmus Rändvee and Karl Kallas respectively . Erko Elblaus and Gertrud Luhaoja were soon replaced by Rasmus Rändvee and Karl Kallas . 1 +Hypodactylus is a genus of frogs which are found in Northern South America ( from central - Ecuador to Peru and Colombia ) . Hypodactylus is a genus of frogs found in northern South America ( from central Peru to Ecuador and Colombia ) . 0 +The 1916 Middle Tennessee State University football team presented the Middle Tennessee Blue Raiders during the College - Football - Season 1916 . The Blue Raiders Team captain was Cass Miles . The 1916 Middle Tennessee Blue Raiders football team represented Middle Tennessee State University during the College Football season 1916 . The Blue Raiders team - captain was Cass Miles . 0 +"In September 2014 Peter Sculthorpe published the album "" Tamara Anna Cislowska -- Complete works for solo - piano "" ." "Tamara Anna Cislowska released the album "" Peter Sculthorpe -- Complete Works for Solo Piano "" in September 2014 ." 0 +The Oltu region ( briefly administered by Georgia in 1920 ) was also claimed by Armenia . The Oltu region ( administered in 1920 by Georgia ) was also claimed by Armenia . 1 +The next day Mount Dana was climbed by the group before Muir had to return to Martinez . Mount Dana , elevation , was climbed the next day by the group before Muir had to return home to Martinez . 1 +For scalar fluctuations , Formula 9 is referred to as a scalar spectral index , with the formula 10 corresponding to scaleninvariant fluctuations . For scalar spectral fluctuations , Formula 9 is referred to as the scalar index , with the formula 10 corresponding to scalar invariant fluctuations . 0 +"I report it as I hear it. """ I will report it as I hear it . 1 +Tver Carriage Works offers the following products and provides the following services : Tver Carriage Works manufactures the following products and provides the following services : 0 +On the line between Market Harborough and Hallaton , there was once a Nottingham train station . There was once a Nottingham railway station on the line between Market Harborough and Hallaton . 1 +""" Rockingham "" reached Bombay on 23 May , and arrived at Whampoa on 21 September ." """ Rockingham "" reached Whampoa on 23 May and arrived on September 21 in Bombay ." 0 +The current Chief Executive is Mathew Walker , and the chairman from 2002 to 2009 was Martin Dean , who was replaced by Eric Bowen . The current Chief Executive is Martin Dean , and the Chairman from 2002 to 2009 , was Mathew Walker , who was succeeded by Eric Bowen . 0 +This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on 26 March 2010 . This game was released in Japan on February 18 , 2010 , in North America on February 23 , 2010 and in Europe on March 26 , 2010 . 0 +Spurrite is a white , yellow or light blue mineral with monoclinic crystals , the chemical formula of which is Ca ( SiO ) CO . Spurrite is a monoclinic mineral with white , yellow or light blue crystals . Its chemical formula is Ca ( SiO ) CO . 0 +The current format is new for the 2010 season and consists of three levels . The new format is current for the 2010 season and consists of three stages . 0 +The sheep are being sacrificed and the meat is given to relatives and neighbours and is distributed to the poor . The sheep are sacrificed and meat is distributed to relatives and neighbours and distributed to the poor . 1 +Schützen-Eisenberg is a municipality in Burgenland in the Oberwart district of Austria . Schützen-Eisenberg is a municipality in Oberwart , in the Burgenland district of Austria . 0 +She talks to Jess 's parents and speculates that Jen may have come back to take the earrings . She talks to Jen parents and speculates that Jess may have come back to take the earrings . 0 +During the winter , the bird travels to a warmer climate where she visits Bristow 's counterpart , a white man in a black suit . During the winter , the bird travels into a warmer climate , where it visits Bristow 's counterpart , a black man in a white suit . 0 +In the 1929 general election in Northern Ireland , Pringle stood as a candidate for the local option at Larne , but was not elected . At the Northern Ireland general election , 1929 , Pringle stood as a Local Option candidate in Larne , but was not elected . 1 +The music was written by V. Dakshinamoorthy and the lyrics by Sreekumaran Thampi composed . The music was composed by V. Dakshinamoorthy and the lyrics by Sreekumaran Thampi and written . 0 +In November of 2005 , Mitchell sold the weekly to Robert Israel Plotkin from Bolinas , California . In November 2005 , Mitchell sold the weekly to Robert Israel Plotkin of Bolinas , California . 1 +It was originally published by Cyan Worlds , a division of Brøderbund , and developed by Red Orb Entertainment . Developed by Cyan Worlds , it was initially published by Red Orb Entertainment , a division of Brøderbund . 0 +The Italian church St. John Bosco is named after St. Giovanni Bosco . The Italian church of St. Giovanni Bosco is named after St. John Bosco . 0 +A new company began the production of Indian Chiefs in 2006 in King ' ; s Mountain , North Carolina . An Indian company began production of new Chiefs in 2006 in King 's Mountain , North Carolina . 0 +"In Egyptian Arabic , hieroglyphic writing is called "" the alphabet of the birds "" ." "In Egyptian Arabic , the hieroglyphic script "" is called the alphabet of birds "" ." 1 +Paul Allen has a flower fly named after him , for his contributions to dipterology , called All Flower Fly . Allen has a flower fly named after him for his contributions to Dipterology , called Paul Allen 's flower fly . 0 +"Comités Abertos de Faculdade ( Open Faculty Committees , "" CAF "" in English ) was a student organization of Galiza ." "Abitos de Faculdade ( Open Faculty Committees , "" CAF "" in English ) was a student organization of Galiza ." 1 +An electronic signature is intended to provide the signatory with a seamless identification method to guarantee a secure and accurate transaction . An electronic signature is intended to provide the signatory with a secure and accurate identification method to allow a seamless transaction . 0 +The victory over Wei increased Fei Yi 's fame even further . The victory over Fei Yi increased Wei 's fame even further . 0 +Although Gonsalves was born in Portsmouth , Rhode Island , he grew up in the Fall River , Massachusetts . Although born in Portsmouth , Rhode Island , Gonsalves grew up in Fall River , Massachusetts . 1 +The remaining line from Point Reyes Station to Monte Rio was dismantled in 1930 . The remaining line from Monte Rio to the Point Reyes station was dismantled in 1930 . 0 +On 29 September 1849 , Queen Victoria traveled from Swindon to Gloucester by train , On 29 September 1849 , Queen Victoria travelled by train from Swindon to Gloucester , 1 +Amata hyalota is a kind of moth of the family Erebidae It is found in Australia ( Queensland ) . Amata hyalota is a species of moth of the family Erebidae . It is found in Queensland ( Australia ) . 1 +Songwriter Bryan Foster improved during these years , according to critic Jeremy Martin . According to songwriter Bryan Foster , the critic Jeremy Martin has improved during these years . 0 +On January 28 , 2015 , Watson was brought into the backroom team of John Carver at Newcastle United for the remaining 16 games of the 2014-15 season . On 28 January 2015 , Watson was brought into John Carver 's backroom team at Newcastle United for the remaining 16 games of the 2014/15 season . 1 +Nick Frangos ( born Atlantic City , New Jersey ) is a professional poker player who plays in White Plains , New York . Nick Frangos ( born White Plains , New York ) is a professional poker player who plays in Atlantic City , New Jersey . 0 +The river Lemnia is a tributary of the River Lutoasa in Romania . The Lemnia River is a tributary of the Lutoasa River in Romania . 1 +Nick Smith ( Chris Egan ) settles with his family in Summer Bay , and he and Duncan quickly get friends and get into various crises . Nick Smith ( Chris Egan ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . 1 +During the Gulf War , the NPC organised the Gulf Crisis Working Group , a coalition of several groups that called During the Gulf War , the NPC organised the Gulf Crisis Working Group , a coalition of several groups that : 1 +-- Light , camera ... Cut ! -Kid wants to win a contest , so he counts on Big Bang and Horace to help him . 2 . Lights , Camera ... Cut ! -Kid wants to win a contest , so he counts on Big Bang and Horace to help him . 1 +Byron Township changed its name to Byron Township on December 28 , 1850 , in order to avoid confusion with Dunham Township and honor a resident , Solomon J. Dunham . Byron Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . 1 +"The "" Houston Chronicle "" is the local newspaper . The "" Midtown Paper "" is a citywide area newspaper ." "The "" Houston Chronicle "" is the local newspaper The "" Midtown Paper "" is a city-wide area newspaper ." 1 +He participated in the War of Awan and Waroux and intervened in the siege of Maastricht in 1334 . He intervened in the War of Awans and Waroux and participated in the 1334 siege of Maastricht . 0 +Sean and his son Dirk finally leave the wilderness and discover that a war is brewing between the British and the Boers . Finally Sean and his son Dirk leave the wilderness and discover that a war is brewing between the British and the Bureau . 0 +In third place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso placed second with 1,362 votes ( 4.9 % ) . In second place was Gaughan with 9,264 votes ( 34,5 % ) and Calvaneso with 1,362 votes ( 4.9 % ) third . 0 +"On July 17 , 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" "On 17 July 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" 0 +"Of mountainous origin , the term "" Pusticamica "" means "" lake of the algonguin countries "" ." "The term "" Pusticamica "" means Algonguin - origin "" Lake of the mountainous countries "" ." 0 +In its upper reaches in the crystal-clear hills of Piedmont , it flows through a deeply incised channel etched into red rocks . In its upper reaches in the red hills of the Piedmont , it flows through a deeply incised channel etched into crystalline rocks . 0 +She has created Chinese oil paintings , watercolors , digital ink and calligraphy . She has created digital oil paintings , watercolors , Chinese ink paintings and calligraphy . 0 +Powerful Stuff is a studio album by the Memphis Blues rock band The Fabulous Thunderbirds , which was recorded in Texas and produced by Terry Manning in 1989 . Powerful Stuff is a 1989 studio album by Texas based blues rock band The Fabulous Thunderbirds . It was recorded in Memphis and produced by Terry Manning . 0 +The tournament took part in 10 Olympic teams , 3 teams from Europe and 7 teams from Africa . The tournament took part in 10 Olympic teams , 3 teams from Africa and 7 teams from Europe . 0 +Luke Bryan returned to organise the show for his fourth consecutive year , with Dierks Bentley as his co-host . Dierks Bentley returned to host the show for his fourth consecutive year , with Luke Bryan as his co-host . 0 +She spent her first six years of childhood in Manila before moving to Angeles City . She spent the first six years of her childhood in Angeles City before moving to Manila . 0 +David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk on 15 March 1886 . Wladimir Burliuk was born in Kharkiv , the younger brother of David Burliuk , on March 15 , 1886 . 0 +"It 's the second entry in the series , the first is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." "It is the first entry in the series , the second being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." 0 +The first Queensland branch was formed in Rockhampton in 1888 and Brisbane in 1890 . The first Rockhampton branch was formed in 1888 in Queensland and in 1890 in Brisbane . 0 +It was owned locally by Walter Stiles ' Albert M. Cadwell . It was locally owned by Walter Stiles & Albert M. Cadwell . 1 +Sarons typically come in a number often sizes , from smallest to largest : Typically , sarons often come in a number of sizes , from largest to smallest . 0 +It was first recorded in November 1961 by Allen Toussaint , and produced by Irma Thomas . It was first admitted by Irma Thomas in November 1961 and produced by Allen Toussaint . 0 +Big Creek is a tributary of the San Joaquin River in the Sierra National Forest , within the Sierra Nevada , Central and California . Big Creek is a tributary of the San Joaquin River in the Sierra Nevada , in the Sierra National Forest in Central California . 0 +Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett in the finals with 6 -- 3 , 6 -- 4 . Wayne Black and Kevin Ullyett won 6 : 3 , 6 : 4 in the finals against Jonas Björkman and Todd Woodbridge . 0 +In a standard - RAID - 01 - configuration , at least four disks are used , but larger arrays are also necessary . In a standard - RAID - 01 - configuration , at least four disks are required , but larger arrays are also required . 0 +Dewalkheda is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Dewalkheda is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 0 +"On the following night on "" Raw "" Daivari and Hassan Shawn interrupted Michaels during a promo ." "The following night on "" Raw "" , Shawn interrupted Michaels Daivari and Hassan during a promo ." 0 +Turing had an elder brother , John ( the father of Sir John Dermot Turing , 12th Baronet of the Turing baronets ) . Turing had an older brother , John Dermot Turing ( the father of Sir John , 12th Baronet of Turing Baronets ) . 0 +The preliminary chairman was John F. Henry , and the permanent chairman was Alson Streeter . Alson Streeter was the temporary chairman and John F. Henry was the permanent chairmen . 0 +Saddle Butte is located in the southeast of Hill County ( 48.523344 , -109.644020 ) , along the eastern border of Havre , County Seat . Saddle Butte is located in eastern Hill County at ( 48.523344 , -109.644020 ) , along the southeast border of Havre , the county seat . 0 +Formal education in Sheffield , a city in England , takes place at the city ’ s two universities , at 141 primary schools and 28 secondary schools . Formal education in England , a city in Sheffield , takes place at the city 's two universities , at 141 primary schools and 28 secondary schools . 0 +Charles Henry Cooper was the son of Thompson Cooper , a Cambridge lawyer and antiquarian . Thompson Cooper was the son of Charles Henry Cooper , a Cambridge solicitor and antiquarian . 0 +It is jumped at Haydock Park at a distance of about 1 mile 7 ½ furlongs , and there are nine hurdles to walk during its run . It is jumped at Haydock Park over a distance of about 1 mile 7 ½ furlongs , and during its running there are nine hurdles to be run . 1 +"The longtime owner and publisher of the "" Hyde Park Herald "" remains Bruce Sagan . He is father of Paul Sagan , the former CEO of Akamai Technologies ." "Bruce Sagan , a longtime owner and publisher of "" Hyde Park Herald , is the father of Paul Sagan , the former CEO of Akamai Technologies ." 1 +Club owner Silvio Berlusconi announced his departure on May 25 , 2016 , along with those of Phillippe Mexes , Kevin - Prince Boateng and Mario Balotelli . On 25 May 2016 , club owner Silvio Berlusconi announced his departure , along with those of Phillippe Mexes , Kevin-Prince Boateng and Mario Balotelli . 1 +A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewmen were released . A month later the Spanish fleet were destroyed at the Battle of Santiago de Cuba and the crewman was released . 1 +Serkan Yalçan ( born November 2 , 1982 ) is a Turkish professional footballer who plays Akhisar Belediyespor as a defender in the TFF First League . Serkan Yalçın ( born 2 November 1982 ) is a Turkish professional footballer who plays as a defender for Akhisar Belediyespor in the TFF First League . 1 +On February 6 , 2014 , Spencer Machacek was traded by the Penguins to the Columbus Blue Jackets in exchange for Thompson . On 6 February 2014 , Thompson was traded by the penguins for the Columbus Blue Jackets in exchange for Spencer Machacek . 0 +Ferintosh is a village in central Camrose located about south of Alberta , Canada , and southeast of Edmonton . Ferintosh is a village in central Alberta , Canada south of Camrose and southeast of Edmonton . 0 +He later replanted the movement in London , and then in Brooklyn , New York , and Monticello , New York . Then he re-planted the movement in Brooklyn , New York , and later in London , and Monticello , New York . 0 +Stephen Mortimer directed the game , and it was produced by Akiya Sakamoto and Kensuke Tanabe . Kensuke Tanabe conducted the game , and it was produced by Akiya Sakamoto and Stephen Mortimer . 0 +The popular armed forces for the liberation of Angola ( FAPLA ) and Cuban troops took the city on 1 February 1976 during the Angolan civil war . The People 's Army for the Liberation of Angola ( FAPLA ) and Angolan troops took the city on 1 February 1976 during the Cuban civil war . 0 +Azerbaijan has a largely non-observant Shia population country with a Sunni minority . Azerbaijan is a largely Sunni - Shia population with a non-observant minority . 0 +In 1988 , Yvonne Yvonne died and in 2007 Pat died . Pat died in 1988 , and Yvonne died in 2007 . 0 +On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace long-time Braves manager Bobby Cox as manager of the team in 2011 . On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González as team manager in 2011 . 0 +Every report that was updated in February 2011 contains data for the completed school year . that was completed in February 2011 . Each report contains data for the previous updated school year . 0 +He was a Member of Parliament of England for Newtown in 1614 and for Guildford , Isle of Wight in 1614 . He was a Member ( MP ) of the Parliament of England for Guildford in 1614 and for Newtown , Isle of Wight in 1614 . 0 +The work was released in his fifth in 2003 , it was completed in August the release Rush from the same year . The work was concluded in 2003 in his fifth , it was released the release rush from the same year in August . 0 +"In 1997 he made a cameo appearance in succession 164 of Wings ( 16th episode of the 8th season ) entitled "" Flight from New York ." "In 1997 , he made a cameo appearance in episode 164 of Wings ( 16th episode of the 8th season ) entitled "" Escape from New York . """ 1 +CJOS-FM broadcasts a Canadian radio station , that is a classic hits format at 92.3 FM in Owen Sound , Ontario . CJOS-FM is a Canadian radio station that broadcasts a classic hit format at 92.3 FM in Owen Sound , Ontario . 0 +Arthur V. Watkins wrote Utah - Senator Pabawena in 1949 to report : Chief Pabawena wrote Utah Senator Arthur V. Watkins in 1949 to report : 0 +He was part of the Danish team , which won the silver medal in the men 's gymnastics , Swedish system event in 1920 . He was part of the Swedish team that won the silver medal in men 's gymnastics in 1920 , the Danish system event in 1920 . 0 +On January 23 , 2006 , Paul Martin was defeated by Stephen Harper as Prime Minister of Canada . On 23 January 2006 , Stephen Harper was defeated as Prime Minister of Canada by Paul Martin . 0 +"Religious institute -- "" a society in which members ... pronounce public vows ... and lead a life of brothers or sisters in common "" ." "Religious Institute -- "" a society in which members ... pronounce common vows ... and lead a life of brothers or sisters in the public "" ." 0 +The manga is published in French by Panini Comics , in the Spanish language of Planetacomic , in German and Italian by Pika Edition . The manga is published in French by Panini Comics , in Spanish by Planetacomic , in German and Italian by Pika Edition . 1 +Columbus is three miles north of Columbus Municipal Airport , in Bartholomew County , Indiana . Columbus Municipal Airport is three miles north of Columbus , in Bartholomew County , Indiana , United States . 0 +Nokia has also launched mobile applications for its music application on the iOS , Android , Windows and Symbian ( iROKING ) mobile handsets . IROKING also launched mobile applications for its music application on the mobile phones iOS , Android , Windows and Symbian ( Nokia ) . 0 +Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , not the daughter of Elizabeth , played by Allison Janney . The character of Cherry Jones was the daughter of Elizabeth , played by Allison Janney , and not Mary 's daughter , played by Katie Holmes . 0 +"His intention was to go beyond the "" photographic and stupid perfection of some painters "" to an intensity , born of color and linear rhythm ." "His intention was to go beyond "" the photographic and silly perfection of some painters "" to an intensity born of color and linear rhythms ." 1 +The unpredictable consonant of every word was then dropped , the distribution of first leaving . The unpredictable consonant of each word was then dropped , leaving the distribution of first . 1 +With the activation of the 310th Strategic Missile Squadron , 310th on 1 March 1962 was renamed the 550th Strategic Aerospace Wing . With the activation of the 310th Strategic Missile Squadron , the 310th was redesignated as the 550th Strategic Aerospace Wing on 1 March , 1962 . 1 +The 16 remaining shareholders were Frances Bannister ( 75 shares ) , George Truog ( 30 shares ) and Joseph Stenger ( 8 shares ) . Among the 16 remaining shareholders were Frances Bannister ( 75 shares ) , George Truog ( 30 shares ) and Joseph Stenger ( 8 shares ) . 1 +The terrain was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of the Shorter University in Rome , Georgia . The site was excavated in 1992 and 1993 by Patrick Garrow of the University of Georgia and David Hally of Shorter University in Rome , Georgia . 0 +"In the miniseries "" Hemingway "" from 1988 with Stacy Keach , Duff Twysden was played by Fiona Fullerton ." "In the 1988 miniseries "" Hemingway "" , starring Fiona Fullerton , Duff Twysden was played by Stacy Keach ." 0 +The FAA and ICAO are working on a Sonic Boom standard to enable supersonic flights overland . The ICAO and the FAA are working on a sonic boom standard to allow supersonic flights overland . 1 +The cooperative national weather station reports that Occidental has warm , dry winters and cool , wet summers . The cooperative National Weather Service station reports that Occidental has warm , dry winters and cool , wet summers . 1 +The Irish Aviation Authority has constructed a new control tower 1 km from the main terminal to the west of the old runway . The Irish Aviation Authority has completed a new control tower 1 km from the old terminal to the west of the main runway . 0 +This practice has its roots in the traditions concerning the Danish caps of the black students . This practice has its roots in the traditions of the black caps of the Danish students . 0 +Giovanola also marketed the first freefall ( developed by Intamin ) and the first drop tower . Giovanola also marketed the first Freefall ( developed by Intamin ) experience and the first drop tower . 1 +The second segment was built in 1929 , and the third segment through Peters Corners was completed in 1930 . The second segment was built in 1929 , the third segment was completed in 1930 by Peters Corners . 1 +Simeon P. was born on 11 June 1890 in Winton , North Carolina , around Taylor and Kate ( Taylor ) Ward . Taylor was born in Winton , North Carolina on June 11 , 1890 to Simeon P. and Kate ( Ward ) Taylor . 0 +The series is published in Japan by Shogakukan and in the USA by VIZ Media in English . The series is published in Japan by VIZ Media and in the USA by Shogakukan in English . 0 +The idea of the ensemble is further discussed in the mathematical ensemble ( statistical physics ) article . The idea of the ensemble is discussed further in the article mathematical ensemble ( Statistical physics ) . 1 +The Full-Time MBA is ranked # 1 in Europe and # 18 in Central Europe by QS Global 200 Business School Report 2012 . The full-time MBA is ranked number 1 in Central Europe by the QS Global 200 Business School Report 2012 and 18th in Europe . 0 +A 2001 Broadway - Revival was led by Joe Mantello and played Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . A Broadway - Revival 2001 was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . 0 +Over the years , ACT-R models have been cited in more than 700 different scientific publications and have been used more in many other areas . Over the years , ACT-R models have been cited in more than 700 different scientific publications , and have been used in many more . 1 +In the third place , Gaughan was second with 9,264 votes ( 34.5 % ) , Calvaneso with 1,362 votes ( 4.9 % ) . In second place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso placed third with 1,362 votes ( 4.9 % ) . 0 +Research in medical physiology began in 1950 through a small group of scientists and military physiologists at Defence Science Laboratory , Delhi . Research in military physiology began in 1950 with a small group of scientists and medical physiologists at the Defence Science Laboratory in Delhi . 0 +The Potiscum - Emirate was subjugated by the Ngizim - people who had organized the Karakare people . The Potiskum Emirate was subjugated by the Ngizim people , who had organized the Karakare people . 1 +The outer bark is black to dark brown , while the inner bark is reddish-brown to pink . The outer bark is black to dark brown while the inner bark is reddish brown to pink . 1 +Ball died in 1978 in Grassy Creek , North Carolina , and is buried at Corinth Baptist Church in Rugby , Grayson County , Virginia . Died in Grassy Creek , North Carolina in 1978 , and is buried in the Corinth Baptist Church in Rugby , Grayson County , Virginia . 0 +Holtwood , Pennsylvania is a village in the Martic Township , Lancaster County , in the US state of Pennsylvania . Holtwood , Martic Township , Lancaster County is a village in Pennsylvania , in the U.S. state of Pennsylvania . 0 +BC was the largest net recipient of interprovincial migrants in Alberta in the first quarter of 2016 with half of the 5,000 people coming from Canada . In the first quarter of 2016 , BC was the largest net beneficiary of interprovince - migrants in Alberta , with half of the 5,000 people coming from Canada . 1 +Notes from Big Sur is an album by jazz saxophonist Charles Lloyd recorded in July 1993 by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . Notes by Big Sur is an album by jazz saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . 0 +The Hârtibaciu River is a tributary of the Halmer in Romania . The Hârtibaciu River is a tributary of the Halmer River in Romania . 1 +Hartford High School was founded in 1857 , shortly after the city of Hartford was created . Hartford High School was established in 1857 , shortly after The City of Hartford was founded . 0 +Only the Sara of the south was governed effectively ; French presence in the Islamic north and east was nominal . Only the sara of the South was governed effectively , the French presence in the Islamic North and East was nominal . 1 +Many people still believe in Dhami and Jhakri and often resort to local practices before seeking allopathic treatment . Many people still believe in Dhami and Jhakri and often resort to local practices before they seek allopathic treatment . 1 +Adults often remove paper from new nests and use it to recycle for old ones . Adults often remove paper from old nests and recycle it to use it for new ones . 0 +""" Gynacantha rosenbergi "" appears larger than "" Gynacantha dobsoni "" , which in many ways is quite similar ." """ Gynacantha rosenbergi "" appears larger than "" Gynacantha dobsoni "" , which is rather similar in many ways ." 1 +Milestone Radio acquired the CFXJ-FM station in Toronto from CTVglobemedia in 2010 . CTVglobemedia acquired Toronto station CFXJ-FM from Milestone Radio in 2010 . 0 +After Carnot 's resignation and replacement by Alfred de Falloux , however , the Commission was dissolved . However , after the resignation of Alfred de Falloux and replacement by Carnot , the Commission was dissolved . 0 +However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 while leaving Kunda with his position of Justice Minister . However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . 1 +The MSM model can be specified both in discrete and continuous time . The MSM model can be specified in both continuous time and discrete time . 1 +Ekrem Boyalı is currently living in Konya for his university education with his two brothers , which are trained by Ali Sarı . Living currently in Konya for his university education with his two brothers , Ali Sarı is coached by Ekrem Boyalı . 0 +Ardning is a municipality in the district of Styria in the Austrian province of Liezen . Ardning is a municipality in the district of Styria in the Austrian state of Liezen . 1 +She is currently working on a critical anthology of Neo-Latin texts . Currently she is working on a NeoLatin anthology of critical texts . 0 +Politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . Politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . 0 +In the 1982 elections , Abdul Rauf Ansari of Congress defeated his nearest rival Abul Hasan of CPIM . In the 1982 election , Abdul Rauf Ansari of Congress defeated his nearest rival Abul Hasan of CPIM . 1 +The 1921 Stanford University football team represented Stanford in the 1921 college football season . The 1921 Stanford football team represented Stanford University at the College - Football - Season 1921 . 0 +Although sold in Germany , Fonzies is produced in Italy by LU Snack Foods GmbH . Although sold in Italy , foncies are produced by LU Snack Foods GmbH in Germany . 0 +It is located east of Ardmore and southeast of Oklahoma City . It is east of Ardmore and southeast of Oklahoma City . 1 +Mohsin Zaidi lived in Lucknow for nearly four decades before settling down in Delhi after retirement . Mohsin Zaidi lived in Delhi for nearly four decades before settling after his retirement in Lucknow . 0 +Michael Fry is an American caricaturist , online - media entrepreneur and screenwriter . Michael Fry is an online cartoonist , American media entrepreneur , and screenwriter . 0 +Pennsauken Township is located in the 6th Congressional District and is part of New Jersey 's 1st state legislative district . Pennsauken Township is located on the 1st Congressional District and is part of the 6th State Legislative District in New Jersey . 0 +She married Antonio Bourque and first lived in Moncton before returning to Villa Providence in Shediac . She married Antonio Bourque and lived in Shediac first before returning to the Villa Providence in Moncton . 0 +Amun comes closest to Venus , and in 1964 , 2034 and 2103 it passes within 10 g . Amun comes closest to Venus , and in 1964 , 2034 , and 2103 passes within 10 Gm of it . 1 +From 1999 to 2002 she attended the Lincoln Southwest High School and the Scott Middle School from 2002 to 2005 . From 1999 to 2002 she attended the Scott Middle School and the Lincoln Southwest High School from 2002 to 2005 . 0 +"The Handbook of the Birds in India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist Salim Ali , along with S. Dillon Ripley ." "The Birds Handbook in India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist S. Dillon Ripley , written with Salim Ali ." 0 +North Tripura district is in the Lok Sabha constituency of South Tripura , which is shared with Dhalai and Tripura East districts . North Tripura District is shared in the Lok Sabha constituency of Tripura East , which is shared with Dhalai and South Tripura districts . 0 +Small Business Saturday UK began in the United Kingdom in 2013 after the success of Small Business Saturday in the United States of America . The United Kingdom began in 2013 after the success of Small Business Saturday in the United States of America in the UK . 0 +It is then sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . It is sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . 1 +Once Norfolk won the Minor Counties Championship , sharing the title with Herefordshire in 2002 . Norfolk has won the Minor Counties Championship once , sharing the title with Herefordshire in 2002 . 1 +A back injury forced Dan Lauzon out of his bout with Rafaello Oliveira and he was replaced by Nik Lentz . A back injury forced Dan Lauzon out of his fight with Rafaello Oliveira and was replaced by Nik Lentz . 1 +Alworth was chosen in the eighth round ( first overall ) of the 1962 NFL draft by the San Francisco 49ers . Alworth was elected in the eighth round ( first overall victory ) of the NFL - draft in 1962 by the San Francisco 49ers . 1 +"Resurrected with the addition of Mikey , Turbo returned to the gayo world October 1997 with their aptly titled 3rd album "" Born Again ... "" ." "Born with the addition of Mikey , Turbo returned to gayo world in October 1997 with the aptly titled third album "" Resurrected Again "" ." 0 +was a former American football defensive end in the American Football League for the Washington Redskins and in the National Football League for the Los Angeles Chargers . In 2017 , a former American football defensive ended in the National Football League for the Washington Redskins and the American Football League for the Los Angeles Charger . 0 +He was a mediator with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . He was a mediator with the United States Postal Service and was an arbitration panel member with the United States Olympic Committee . 0 +In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as President of the City of Boston . In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the city council in Boston . 0 +William de Roumare 's death inherited his son -- Roger , Count of Lincoln -- the manor . After Roger 's death , his son inherited -- William de Roumare , Earl of Lincoln -- the manor house . 0 +It was released as a digital download on April 6 , 2010 , and was added on Modern Rock radio in the United States on May 5 , 2010 . It was released on April 6 , 2010 as a digital download and recorded on May 5 , 2010 in Modern Rock Radio in the United States . 1 +Nool Veli ( Fence of Yarn ) is a Tamil film with Sarath Babu , Sujatha and Saritha in 1979 . Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Saritha , Sujatha and Sarath Babu . 1 +South Arm Township is located in southern Charlevoix County and is bordered by Antrim County to the south and west . Charlevoix County is located in southern Antrim County and is bordered to the south and west by South Arm Township . 0 +The series was co-written by John Misto and was produced by Misto , Graeme Koetsveld and Ray Kolle . The series was created by John Misto and co-written by Misto , Graeme Koetsveld and Ray Kolle 0 +While Formula 9 is the molar gas constant , Formula 10 is the temperature and Formula 11 is the ideal mass of atoms . Where formula _ 9 is the ideal gas constant , formula _ 10 is the temperature , and formula _ 11 is the molar mass of the atoms . 0 +Motes also encounters Enoch Emery , a young man who seems to parallel himself , and they follow the blind man down the street . Motes also encounters Enoch Emery , a blind man who seems to be parallel to himself , and they follow the street along the young man . 0 +Janaki ( Viswanathan ) has two daughters : Mythili ( Amrutha ) and Venniradai Moorthy ( Mantra ) . has two daughters : Mythili ( Amrutha ) and Venniradai Moorthy ( Mantra ) . 0 +"The Allmusic review by Michael Erlewine distinguished the album with 4 ½ stars and stated : "" Another excellent album with Sonny Clark and pianist Green "" ." "The Allmusic review by Michael Erlewine awarded the album 4 ½ stars and stated "" another excellent album with Sonny Clark and pianist Green "" ." 1 +Other nearby geographical features include Dorsa Barlow in the southeast and Rima Jansen to the south . Other nearby geographical features include Dorsa Barlow to the southeast and Rima Jansen to the south . 1 +"The former actor Conlan Carter , who appeared on the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ "The former actor James Whitmore , who performed with Conlan Carter and "" Combat ! "" in the television series "" The Law and Mr. Jones "" ." 0 +"Young Father 's 17th studio album "" Cocoa Sugar "" was announced with single "" In My View "" on the third January 2018 ." "The third studio album "" Cocoa Sugar "" was announced on 17th January 2018 with the single "" In My View "" ." 0 +Margaret Fleming married James von Barrochan and was succeeded by his eldest son , Alexander . He married Margaret Fleming of Barrochan and was succeeded by his eldest son , Alexander . 0 +The divergent languages , spoken across the Pacific and Indian Oceans , are represented in MSEA by the Austronesian Chamic group . The Austronesian languages , which are spoken across the Pacific and Indian Oceans , are represented in MSEA by the differing Chamic group . 0 +Kathy Lloyd was born in Carrickfergus , Northern Ireland , and grew up in Netherton , Bootle , where she attended the Warwick Bolam High School . Born in Bootle , Kathy Lloyd grew up in Netherton , Carrickfergus , Northern Ireland , where she visited Warwick Bolam High School . 0 +""" Holocaust , "" created in November 1984 in Lincoln Park , was dedicated by the sculptor George Segal ." """ Holocaust "" , inaugurated in Lincoln Park in November 1984 , was created by the sculptor George Segal ." 0 +Billie Jean King defeated Ann Jones , 6 -- 3 , 6 -- 4 6 -- 3 , 6 -- 4 defeated Billie Jean King . 0 +"Dong Zhao was a "" xiaolian "" and served as a county official in his early years under the warlord Yuan Shao before being promoted to a military adviser ." "Dong Zhao was a "" Xiaolian "" and in his early years served as district official under warlord Yuan Shao before being promoted to military adviser ." 1 +Portsmouth won 4 -- 1 , with goals from John Anderson , Cliff Parker and two by Bert Barlow . Portsmouth won 4 -- 1 , with goals by Bert Barlow , John Anderson and two by Cliff Parker . 0 +Eupithecia yunnani is a moth in the family of Geometridae It is found in Yunnan ( China ) . Eupithecia yunnani is a moth in the family Geometridae . It is found in China ( Yunnan ) . 1 +In the Romanian reserve , the division covered the Danube crossing on the front-Bulgarian border . In the front reserve , the division covered the crossing of the Danube on the Romanian-Bulgarian border . 0 +However , the original flag had a green colour instead of brownish . The original flag , however , had a green color instead of brownish . 1 +Lucas married the writer Ralph Peterson in 1946 and their son , Joel Patterson ( 1957 -- 2017 ) , became a cinematographer . In 1946 , Lucas married the writer Ralph Peterson and her son , Joel Patterson ( 1957 - 2017 ) , became a cinematographer . 1 +Week 1 : Teams have to move from Venice Beach , California , to Santa Barbara , California . Week 1 : The teams have to move from Venice Beach , California to Santa Barbara , California . 1 +Cariani was born in Brockton , Massachusetts , and eight years old when his family moved to Presque Isle , Maine . Born in Brockton , Massachusetts , Cariani was eight when his family moved to Presque Isle , Maine . 1 +The specification is a method for describing teaching strategies ( educational models ) and education goals . The specification is a method for describing teaching strategies ( pedagogical models ) and educational goals . 1 +The estuary of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . The mouth of Batten Kill is in Easton , New York , and the source of the river is at East Dorset , Vermont . 0 +Mary Frazier defeated Mary Joe Fernández with 3 -- 6 , 6 -- 2 , 6 -- 3 . Mary Joe Fernández defeated Amy Frazier 3 -- 6 , 6 -- 2 , 6 - 3 0 +It is located in the central part of the Warren Township in Belmont County and is part of Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central part of Belmont County , Warren Township and is part of the Wheeling , West Virginia Metropolitan Statistical Area . 0 +On June 30 , 2016 , Infante agreed to a minor league deal with the Braves . He was released by the Atlanta Braves on August 16 , 2016 . On June 30 , 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves , which was released by the Braves on August 16 , 2016 . 1 +When the fruit is ripe , it appears orange-brown and tastes sweet . When ripe the fruit appears orange-brown and tastes sweet . 1 +He died on July 23 , 1942 at his home in Trenton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . He died in his home in Bridgeton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . 0 +The 123-bed geriatric hospital is located in Piedmont Sanatorium on the site of the former Burkeville . The 123-bed geriatric hospital is located in the sanatorium Piedmont on the site of the former Burkeville . 1 +She is born on 18 April 1976 in Usera , Madrid ( Spain ) . She was born in Usera , Madrid ( Spain ) on April 18 , 1976 . 1 +In other words , at this extremely high temperature , the photons ' binding energy would overwhelm the kinetic energy of the strong nuclear force . In other words , at this extremely high temperature , the kinetic energy of the photons would overwhelm the binding energy of strong nuclear power . 0 +Abolitionists rose in 1850 to defend Ellen and William Craft , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , in 1851 Shadrach Minkins , and in 1854 Anthony Burns . 0 +Bennington Township is a civil township of Shiawassee County in the U.S. state of Michigan . Shiawassee County is a civil community of the Bennington Township in the U.S. state of Michigan . 0 +In late 2003 , he told an interviewer that his favorite bassists were Charles Mingus ( R.E.M . ) , Mike Mills ( Albert Collins Band ) and Johnny Gayden . In late 2003 he told an interviewer that his favorite bassists Mike Mills ( R. E. M. ) , Johnny Gayden ( Albert Collins Band ) and Charles Mingus were . 0 +He graduated from Harvard University in 1891 and received a Master 's degree in 1893 from MIT . He graduated from Harvard University in 1893 and received a Master 's degree from MIT in 1891 . 0 +After his discharge he moved from Germany to Los Angeles and then to San Francisco then to New Mexico . After his dismissal , he moved from Germany to Los Angeles , then to San Francisco and then to New Mexico . 1 +Chief Pabawena wrote Utah Senator Arthur V. Watkins in 1949 to report : In 1949 , Pabawena wrote to Utah Senator Arthur V. Watkins to report : 1 +The Arlington County Washington Boulevard replaced the line between Bluemont Junction Trail and Bluemont Junction . Arlington County 's Washington Boulevard replaced the line between Bluemont Junction Trail and Bluemont Junction . 1 +In 1851 , New York and Erie Railroad completed its line between Piermont and Dunkirk , New York via Hornell and Salamanca . The New York and Erie Railroad completed its line between Hornell and Dunkirk , New York via Piermont and Salamanca in 1851 . 0 +In 1967 , Case Institute merged with DePaul University , and Wilding-White accepted an invitation from Western Reserve University to design and install an electronic music studio there . In 1967 , the Case Institute merged with Western Reserve University , and Wilding - White accepted an invitation from DePaul University to design and install an electronic music studio there . 0 +Charles Spencer Chaplin was born on 16 April 1889 to Hannah Chaplin ( born Hannah Harriet Pedlingham Hill ) and Charles Chaplin Sr . Hannah Chaplin was born on April 16 , 1889 to Hannah Harriet Pedlingham Hill ( born Charles Spencer Chaplin ) and Charles Chaplin Sr . 0 +The Czech composer Antonín Dvořák spent summer 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . 1 +Former segments of State Road 52 , have included Roth Lane , in Dade City , and North 21st Street and Lock Street in Saint Leo . Former segments of the State Road 52 include Roth Lane , in Dade City , and North 21st Street and Lock Street in Saint Leo . 1 +The border section of The Lessos -- Uganda is funded jointly by the Kenyan Government and JICA . The Lessos -- Uganda border section is jointly funded by the government of Kenya and JICA . 1 +The tournament was hosted again in 2006 in San Francisco , where it was resumed for two years . The tournament was resumed in 2006 in San Francisco , where it was hosted for two years . 0 +Hormoz Farhat was born in an Armenian family in Tehran , Iran . He is married to the composer and musicologist Maria Baghramian . Maria Baghramian was born in Tehran , Iran in an Armenian family and is married to the composer/musicologist Hormoz Farhat . 0 +Industrially , argon is produced by the fractionated distillation of liquid air . Argon is produced industrially by the liquid distillation of fractional air . 0 +The Bank of the People was founded in 1835 in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph . The Bank of the People was created by radical Reform politicians James Lesslie , James Hervey Price , and Dr John Rolph in Toronto in 1835 . 1 +At the diocesan level celebrations are decided by a local team usually appointed by the ordinary . At the local level , the celebrations are decided by a diocesan team normally appointed by ordinary members . 0 +Caracase is a city in the southwestern Somalia region of Gedo . Caracase is a town in the southwestern Somalia region of Gedo . 1 +It is also home to the unregistered towns of Redwood Valley , Calpella , Potter Valley and Talmage . It is also home to the unincorporated towns of Potter Valley , Calpella , Redwood Valley and Talmage . 1 +Nancy finds Charlie and tells him he is Justin 's dad and that he has leukaemia . Nancy finds Justin and tells him that he is Charlie 's father and has leukaemia . 0 +Pustovlah is a village situated in the municipality of Novi Pazar in Serbia . Pustovlah is a village situated in Novi Pazar municipality in Serbia . 1 +With his wife Dr. Anu Ratheesh Vega and his son Nadhin Ratheesh Vega he lives in Thrissur . Ratheesh lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega . 1 +All positions except for those held by the director and Office of Student Media student leaders , are appointed by the president of the university . All positions except for those appointed by the Director and the Office of the Student Media Student Media are held by the President of the University . 0 +The traditional clothing of the Ruska Roma is based on traditional and Russian calderash - clothing and is actively used by singers and dancers . The traditional clothing of Ruska Roma is based on the traditional Russian and Kalderash clothes and is actively used by singers and dancers . 0 +Azaloxan ( CGS-7135A ) is a medication that was patented in the early 1980s by Ciba-Geigy as an antidepressant , but was never marketed . Azaloxan ( CGS-7135A ) is a drug which was patented as an antidepressant by Ciba-Geigy in the early 1980s , but was never marketed . 1 +This kind is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . This species is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey , and Spain . 1 +The architectures implemented by intelligent agents are referred to as cognitive architectures . The architectures implemented by cognitive agents are referred to as intelligent architectures . 0 +The Turks , Tang , Muslim Arabs , and Tibetans competed for control of Central Asia until the tang 's collapse in the 10th century . The Turks , Tibetans , Muslim Arabs , and Tang competed for control of Central Asia until the tang 's collapse in the 10th century . 1 +Following the death of his father , James Holman , he was elected King on 4th March 1827 in the presence of King George . After the death of his father , King George , he was elected king in the presence of James Holman on March 4 , 1827 . 0 +Another way to assess a sluice gate problem is to develop the dimensionless form of this diagram by dividing the energy equation with critical depth and replacing the equation : Another way to develop a sluice gate problem is to evaluate the dimensionless form of this diagram , dividing the energy equation by the critical depth and substituting Equation : 0 +The pollution tolerance value is 6 ( on the 0 - - 10 ; 0 scale the worst water quality , 10 is the best water quality ) . The pollution tolerance value is 6 ( on scale 0 -- 10 ; 0 is the best water quality , 10 is the worst water quality ) . 0 +The spokesman first was James David Edgar , and later Thomas Bain . The Speaker was first Thomas Bain , and later James David Edgar . 0 +She married Eero on June 10 , 1939 , and they had two children : Susan Saarinen , born 1942 , and Eric Saarinen , born 1945 . She married Eero on June 10 , 1939 and had two children : Susan Saarinen , born in 1942 , and Eric Saarinen , born in 1945 . 1 +The areas south of the government were controlled by the Ottoman Empire and the southern border was not defined . The areas south of the governorate were defined by the Ottoman Empire , and the southern border was not controlled . 0 +When the Florentine Republic fell in 1530 , Volterra came under the control of the Medici family and later the history of the Grand Duchy of Tuscany . When the Florentine Republic came in 1530 , Volterra fell under the control of the Medici family and later persecuted the history of the Grand Duchy of Tuscany . 0 +Reena calls Anjali , a BNTV reporter in Everest base camp and Arjun 's former lover . Reena calls Anjali , a BNTV reporter in the base camp Everest and Arjun 's former lover . 1 +"Therefore , the complex equivalent given - transformation formula 5 of a Hermitian matrix "" H "" is also a Hermitian matrix similar to "" H "" :" "Hence , the similar Givens transformation formula _ 5 of a Hermitian matrix "" H "" is also a Hermitian matrix complex equivalent to "" H "" :" 0 +In 2013 , Williamson left and was replaced by guitarist Don Hill and later , Boling left and was repalced by Keith Tew . In 2013 , Williamson left and was replaced by guitarist Don Hill and later , Boling was left and replaced by Keith Tew . 1 +The combinatorial data could be encoded in a coloured directed graph , with labels given by the simple roots . The combinatorial data could be encoded in a simple directed graph . 0 +Dunkerton moved to London from Herefordshire at the age of 14 . Dunkerton went from London to Herefordshire at the age of 14 . 0 +Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on April 11 , 1981 . Shortly after his son , Santha , drowned in a swimming pool in mysterious circumstances , Jagath died of a heart attack on April 11 , 1981 . 0 +In 1975 he returned to Odibo , and in 1977 to Windhoek . He moved to Odibo in 1975 , and in 1977 he returned to Windhoek . 0 +His involvement in Thailand ended in 2002 years ago and the Tournament has now moved to Uzbekistan in Asia . His engagement ended in Thailand years ago 2002 and the tournament has now moved to Uzbekistan in Asia . 1 +Among their children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . Her children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Senate of Wisconsin . 0 +Born in Presque Isle , Maine , Cariani was eight when his family moved to Brockton , Massachusetts . Cariani was born in Presque Isle , Maine . He was eight when his family moved to Brockton , Massachusetts . 1 +Bhils has the highest population in Jhabua district , followed by the Dhar , Barwani and Khargone districts . Bhils have the highest population in Khargone district , followed by Dhar , Barwani and Jhabua . 0 +Online , there were a number of Advanced Chess tournaments worldwide , Freestyle Chess Tournaments defined by Centaur ( Centaur = human player + computer ) . There have been , online , a number of Advanced Chess tournaments worldwide , defined Freestyle Chess Tournaments by Centaur ( Centaur = human player + computer ) . 1 +During the palatial period , the ring walls and the most important public buildings within the main fortress were built . During the palatial period , the ring walls and the main public buildings were built within the main fortress . 1 +Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 as son of his father Rabbi David Tebele Scheuer . Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi David Tebele Scheuer . 1 +"In 2015 , Spencer Barnett Jenkins produced the EP "" 13 Summers In "" ." "In 2015 Spencer Barnett produced Jenkins 's EP "" 13 Summers In . """ 0 +"He went to Al and said : "" You have lost a father "" and "" I lost a son "" ." "He went to Al and said , "" you 've lost a father "" and "" I have lost a son "" ." 1 +Kingsville is surrounded by the restored Jerusalem Mill Village Museum , the Jericho Farm and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls . Kingsville is bordered by the restored Jerusalem Mill Village museum , Jericho Farm , and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls . 1 +In 1989 he travelled on a peace-seeking mission to Mozambique , Johannesburg and Angola , South Africa . In 1989 he travelled on a peace-seeking mission to South Africa , Johannesburg and Angola , Mozambique . 1 +Barrai is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . Barrai is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 1 +The executive committee elected Livermore in 1859 as a member of the American Unitarian Association . In 1859 , the American Unitarian Association elected Livermore as a member of the Executive Committee . 0 +It breeds in the deciduous mountain forests of southeast Kazakhstan , Kyrgyzstan and northern China . It breeds in the deciduous forests of northern Kazakhstan , Kyrgyzstan , and southeast China . 0 +Following the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan have nearly disappeared . After the Muslim invasions of the seventh century the original Christians have nearly disappeared from actual Azerbaijan . 0 +"The name "" Macaire "" appears to have several claims of origin . It was a male or female name and currently is considered a male name ." "The name "" Macaire "" seems to have several claims of origin : it was a male name and is currently considered a male or female name ." 0 +Orders for prototypes were made by three companies in December 1930 : Renault , Citroën and Brandt . Orders for prototypes that were made in December 1930 were with three companies : Renault , Citroën and Brandt . 0 +Some of the Dalit writings published by the magazine were considered to be inflammatory by the middle class and even led to calls to ban the concerned issues . Some of the Dalit writings published by the magazine were considered to be concerned by the middle class and even led to calls to ban the inflammatory problems . 0 +On August 17 , 1599 , Elizabeth married Knightley Samuel Luke , daughter of Sir Valentine Knightley and Anne Unton , and her son Luke was an MP . Elizabeth Knightley married Samuel Luke , daughter of Sir Valentine Knightley and Anne Unton on 17 August 1599 . Their son Luke was also an MP . 0 +The chief editor is Tim Kroenert and the assistant editor is Michael Mullins . The chief editor is Tim Kroenert and the assistant is Michael Mullins . 1 +KSR-3 ( Korean Sounding Rocket-3 ) is a Korean sounding rocket designed by KARI . KSR-3 ( South Korean sounding rocket-3 ) is a Korean sounding rocket designed by KARI . 0 +In 2005 , Chen was appointed assistant of Toshiaki Imai , then manager of the Chinese national team Taipei . In 2005 , Toshiaki Imai was appointed assistant to Chen , the then manager of the Chinese Taipei national team . 0 +In 2009 , it was won by Australian Ryoichi Sekiya , the world champion of the 24-hour race in 2008 , and in 2008 by Martin Fryer . In 2009 it was won by Australian Martin Fryer , the 2008 world champion of 24-hour racing , and in 2008 by Ryoichi Sekiya . 0 +Ann Henricksson and Julie Richardson won 6 -- 3 , 3 -- 6 , 7-5 against Lea Antonoplis and Cammy MacGregor in the final . Ann Henricksson and Julie Richardson won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Lea Antonoplis and Cammy MacGregor . 1 +"Corey played the role of carter in Ryan Little 's film "" House of Fears "" in 2007 ." "Carter played the part of Ryan Little in Corey 's 2007 film "" House of Fears "" ." 0 +Within a few days around 7,000 female prisoners were evacuated from Ravensbrück to Denmark and then on to Sweden . Within a few days , around 7,000 female prisoners were evacuated from Sweden to Denmark and then to Ravensbrueck . 0 +His son Jon Spoelstra is a former manager of the National Basketball Association and his grandson Erik Spoelstra is the current coach of Miami Heat . His son , Erik Spoelstra is a former National Basketball Association executive and his grandson , Jon Spoelstra is the current head coach of the Miami Heat . 0 +At that time , Constantinople was the capital of the Byzantine Empire and the Patriarch of Constantinople was the most influential leader of the Church in the eastern Christian world . At that time Constantinople was the capital of the eastern Christian empire and the patriarch of Constantinople was the most influential Church leader in the Byzantine world . 0 +Iva Majoli won the title by defeating Mary Pierce in the final with 6 : 4 , 6 : 4 . Mary Pierce won the title by defeating Iva Majoli 6 -- 4 , 6 -- 4 in the final . 0 +Jelena Dokić won against Anastasia Myskina with 6 -- 2 , 6 -- 3 in the final . Jelena Dokić won in the final 6 -- 2 , 6 -- 3 against Anastasia Myskina . 1 +Xylogics was acquired by Nortel in December 1995 , which in turn was acquired by Bay Networks in June 1998 . In December 1995 , Xylogics was taken over by Nortel , which was in turn acquired by Bay Networks in June 1998 . 1 +The most popular travel resources are still ones from online LGBT media organizations and local LGBT news and lifestyle websites . The most popular travel resources are still online - LGBT - media organizations and local LGBT news and lifestyle websites . 1 +"In 2011 , Dave took over from Sean Lock as the presenter of the John Sergeant Comedy - Panel - Show "" Argumental "" ." "In 2011 , Sean Lock took over from John Sergeant as the moderator of the Dave - Comedy - Show "" Argumental "" ." 0 +After his wife died in 1842 , Jack Shackelford married Martha Chardevoyne . In 1842 , after his wife died , Martha Chardevoyne married Jack Shackelford . 0 +Michael Chang won 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan in the finals . Renzo Furlan won 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang in the finals . 0 +Gloria tells Jay that she is also an excellent player , but lets Jay think that he is better . Jay tells Gloria , she is also an excellent player but lets Gloria thinks he is better . 0 +At Augmented World Expo 2013 , Optinvent demonstrated a prototype of their ORA see-through mobile AR display platform . At Augmented World Expo 2013 , Optinvent demonstrated a prototype of their mobile AR display platform , ORA . 1 +Dragan Umičević ( born October 9 , 1984 in Dubica , Yugoslavia ) is a Serbian ice hockey player of Swedish origin . Dragan Umičević ( ; born October 9 , 1984 , in Dubica , SFR Yugoslavia ) is a Swedish ice hockey player of Serbian descent . 0 +Wright was from 1800 -- 04 British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . From 1800 -- 04 , Wright was British consul-general for the republic of the Seven Islands ( Ionian Islands ) . 1 +The novel was adapted by Lucy Catherine with music by Stephen Warbeck for the broadcast on BBC Radio 3 on March 15 , 2015 . The novel has been adapted by Stephen Warbeck , with music by Lucy Catherine , for broadcast on BBC Radio 3 on 15 March 2015 . 0 +The remixes for the song were made by Gloria Estefan ’ s personal remixer Pablo Flores and by Tommy Musto . The remixes for the song were made by Pablo Flores 's personal remixer Tommy Musto and by Gloria Estefan . 0 +A copy of the letter reached Montpellier by Toulouse on April 10 , 1562 . A copy of the letter reached Montpellier by way of Toulouse on April 10 , 1562 . 1 +"As a result , Adric is one of the most popular , or even the least hated "" , of the doctor 's companions among fans of the program ." "As a result , Adric is one of the most popular , or even "" least hated "" , of the Doctor 's companions among fans of the programme ." 1 +"The Royal Navy returned "" Foley "" to the U.S. Navy at Harwich , England , on 22 August 1945 ." The U.S. Navy returned to the Royal Navy on August 22 , 1945 in Harwich , England . 0 +In addition to the German teaching programme , the official Mexican language was only taught as a foreign language . The German language was only taught as a foreign language in addition to the official Mexican teaching program . 0 +For a number of reasons , some recombinant colonies can not contain the desired white plasmid . Some white colonies may not contain the desired recombinant plasmid for a number of reasons . 0 +Ivanov is a famous kickboxing master and coach and a successful producer in Russia . Ivan Ivanov is a famous kickboxing master and coach and a successful producer in Russia . 1 +Dr. Carter worked in Africa for several months and remains in Kem 's AIDS clinic . Dr. Carter remains in Africa for several months and works in the Kem AIDS clinic . 0 +In 1820 , the city wall was torn down , with the exception of the defensive towers and gates , and the individual ditches were filled in . In 1820 the city wall was demolished with the exception of the individual towers and gates and the defensive ditches were filled . 0 +The successor rocket , the Falcon 9 , successfully landed its first stage on land on December 22 , 2015 , for the twentieth time . The successor rocket , the Falcon 9 , landed its first stage successfully on land for the first time on its twentieth flight , on December 22 , 2015 . 0 +He owned a collection of 190 paintings , nine by Frans van Mieris and eleven by Gerard Dou , highly appreciated and expensive painters in the 17th century . He owned a collection of 190 paintings , nine by Frans van Mieris and eleven by Gerard Dou , in the 17th century highly valued and pricey painters . 1 +"There is also a faithful and more promising remake called "" Xenonaut "" ." "There is also a more promising and faithful remake named "" Xenonauts "" ." 0 +Some of the governing bodies are the Advertising Standards Bureau and Communications Council , who is appointed by the Advertising Standards Board . Some of the governing bodies are the Advertising Standards Bureau and the Communications Council , which is appointed by the Advertising Standards Board . 1 +Between 1971 and 1980 , Goolagong Cawley reached five finals , but only won her first and final finals . Goolagong Cawley won five finals between 1971 and 1980 but reached only her first and last finals . 0 +There are currently twenty-one churches in seven states ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia . ) There are currently twenty-one churches in seven countries ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . 1 +On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further first team experience . On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . 1 +Brigadier General Antoni Popiel is a bronze statue by Thaddeus Kosciuszko . General Brigadier Thaddeus Kosciuszko is a bronze statue of Antoni Popiel . 0 +Fallout 3 is an action role-playing game open world video game developed by Bethesda Game Studios and published by Bethesda Softworks . Fallout 3 is an action role-playing game - Open - World - a videogame developed by Bethesda Softworks and published by Bethesda Game Studios . 0 +Babbar Khalsa is listed as a terrorist organisation by the United Kingdom , the EU , Canada , India , and the United States . Babbar Khalsa is run by the United Kingdom , the EU , Canada , India and the United States as a terrorist organisation . 0 +New teaching sites were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli in the 1990s . In the 1990s , new teaching campuses were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli . 1 +The Pennsylvania Route 35 runs northeast along the base of the Shade Mountain to Mifflin , and the Pennsylvania Route 641 leads southeast over the Tuscarora Mountain to Spring Run . Pennsylvania Route 35 runs northeast along the base of Shade Mountain to Mifflin , and Pennsylvania Route 641 leads southeast over Tuscarora Mountain to Spring Run . 1 +"He is also the second cousin of Georgina Hagen that played Lauren Waters in "" Britannia High "" ." "He is , also , the second cousin of Georgina Hagen , who played Lauren Waters in "" Britannia High "" ." 1 +It is the 24th episode in the series , which was written by Silvio Horta & James Hayman and directed by Marco Pennette . It is the 24th episode in the series , written by Silvio Horta , Marco Pennette and directed by James Hayman . 0 +According to a 1974 report , more than 75 % of all water-borne diseases were preventable at that time . According to a 1974 report , more than 75 percent of all preventable diseases at that time were waterborne . 0 +On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground Filderstadt station . On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground train station Filderstadt . 1 +The Deputy Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first Kjell Magne Bondevik Cabinet . The deputy of the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . 0 +As a compliant team with a senior citizen stadium , you are entitled to enter the Scottish Cup . As a compliant team with a senior stadium , they are entitled to enter the Scottish Cup . 1 +Arjun Reddy is married and lives in Hyderabad . She has a son , Yamini Reddy ( b.2014 ) . Arjun Reddy is a married and lives in Hyderabad , she has a son , Yamini Reddy ( b.2014 ) . 1 +The third segment was built in 1929 , the second segment was completed by Peters Corners in 1930 . The third segment was built in 1929 , and the second segment through Peters Corners was completed in 1930 . 1 +The Deju River is a left-wing tributary of the River Putna in Romania . The Putna River is a left tributary of the Deju River in Romania . 0 +Riverside is located in the 7th Congressional District and is part of the 3rd State Legislative District of New Jersey . Riverside is located in the 7th Congressional District and is part of New Jersey 's 3rd state legislative district . 1 +Lamellaria is a genus of small slug-like sea snails , marine gastropod molluscs in the family Velutinidae . Lamellaria is a genus of sea snails , like the gastropod molluscs in the Velutinidae family . 0 +He was educated in Weimar , and later in Dresden until 1865 , and after a short residence in Leipzig with Franz Liszt went to New York in 1869 . He was trained in Weimar , later until 1865 in Dresden , and after a short stay in Leipzig went to New York with Franz Liszt in 1869 . 1 +This heavier radioactive isotope may be new depending on the chemical element ( stable or unstable ) . Depending on the chemical element , this new heavier isotope can be stable or unstable ( radioactive ) . 0 +Their leaders sought European protection to stabilize their authority and support trade . Their leaders sought European protection to stabilize their authority and to support trade . 1 +"He appeared on the CW in "" The Secret Circle "" and played in the Hallmark - series "" When Calls the Heart "" ." "He starred in "" The Secret Circle "" on The CW and appeared in the Hallmark series "" When Calls the Heart "" ." 0 +This game was released in Japan on 18 February 2010 , North America on 23 February 2010 and Europe on 26 March 2010 . This game was released in Europe on February 18 , 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . 0 +Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League from 1957 to 1974 . From 1957 until 1974 , Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts . 0 +After leaving Louise Redfield in 1975 , Mary Ann Pederson took over the show until 1981 . After having left Mary Ann Pederson in 1975 , Louise Redfield took over the show until 1981 . 0 +Like its neighbour , Scotland , the constituency was one of Labour 's safest seats in Dunfermline East . The constituency was like its neighbour , Scotland , one of the safest seats of Labour in Dunfermline East . 1 +He was appointed as a member of the Council of the President 's Common Cause by Robert W. Edgar . Robert W. Edgar was appointed Member of the Council of the President 's Common Cause by Cohen . 0 +On May 12 , 2012 , Croucier reunited with RATT and performed with the band at the M3 Rock Festival for the first time since 1991 . On May 12 , 2012 , Croucier joined RATT again and performed with the band for the first time since 1991 at the M3 Rock Festival . 1 +William Good , another Jesuit from England , joined Daniel soon after , even though he had a turbulent relationship . Another Jesuit from England , Daniel joined William Good soon after , though they had a turbulent relationship . 0 +The city of Cortland , near the western border of the county , is surrounded by the town of Cortlandville . The city of Cortland , close to the western border of the county , is surrounded by the town of Cortlandville . 1 +He was also invited in 1992 to play for the barbarians and became the first Japanese player to be chosen in the Babaas . He was also chosen to play for the Barbarians in 1992 , becoming the first Japanese player to be invited in the Babaas . 0 +Joseph Muscat wrote a biography of the Labour Party leader , Prime Minister Dr. Cyrus Engerer . Joseph Joseph Muscat wrote a biography of the Labour Party leader , Prime Minister Dr. Cyrus Engerer . 1 +This was the first season for the American Football League after the AFL -- Giants merger , in which ten NFL teams joined the National Football League . This was the first season for the Giants after the AFL - NFL merger , in which ten American Football League teams joined the National Football League . 0 +The district 's linguistic makeup is 94.94 % Finnish , and 5.06 % Swedish . The district 's linguistic composition is 94.94 % Swedish and 5.06 % Finnish . 0 +Individuals and families from around Lexington , Normal , Hudson , Bloomington and elsewhere come out for it . Individuals and families from around Lexington , Normal , Hudson , Bloomington , and elsewhere come out of it . 1 +"In the 2015 documentary film "" The Gettysburg Address "" , Ed Asner is portrayed by actor Edward Everett ." "In the documentary "" The Gettysburg Address "" of 2015 , Ed Asner is portrayed by the actor Edward Everett ." 1 +The 1982 -- 83 National Basketball Association season was the 37th season of the NBA . The season from 1982 to 83 National Basketball Association was the 37th season of the NBA . 1 +""" Jamestown "" was decommissioned on December 19 , 1969 and was scrapped in May 1970 ." """ Jamestown "" was decommissioned 19 December 1969 and scrapped in May 1970 ." 1 +He graduated from military school in Sofia , and in 1910 from the Military Academy in St. Petersburg , Russia . He graduated from the military school in St. Petersburg , Russia and in 1910 from the Military Academy Sofia General Staff in Nikolaevsk . 0 +Of course , these inscriptions are only dated from the Sixth Dynasty , but it still tells us a little bit about what they valued . Of course , these inscriptions are only dated from the Sixth Dynasty , but it still tells us a little bit about what they have valued . 1 +"Phon Sai is a district ( "" amphoe "" ) in the southeastern part of Roi Et Province , northeastern Thailand ." "Phon Sai is a district ( "" Amphoe "" ) in the southeastern part of the province of Roi Et , in northeastern Thailand ." 1 +Suncook is located in the western corner of the town of Allenstown and at the southern end of the city of Pembroke . Suncook is located in the southern corner of the town of Pembroke and the west end of the city of Allenstown . 0 +He also asked Krishna Reddy to come from Hyderabad to Chennai to help him in his business . He also asked Krishna Reddy to come from Chennai to Hyderabad to help him in the business . 0 +Lucey 's wife Betty Tokar Jankovich was the sister of Helen Tokar , who briefly dated Bob Montana and was the inspiration for Betty Cooper . The wife of Betty Tokar Jankovich was the sister of Helen Tokar , who dated Bob Montana briefly and was the inspiration for Betty Cooper . 0 +"The word nanosecond is formed by the prefix "" nano "" and the base is a second second time unit or a sixtieth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixth of a second ." 0 +He was promoted to the New Mexico Territory in 1860 and ordered to rank as a captain on December 20 in the 4th Infantry . He was ordered to New Mexico Territory in 1860 , and was promoted to the rank of captain in the 4th Infantry on December 20 . 0 +It seems to be most active in the late morning and early afternoon . It seems to be the most active in the early morning and late afternoon . 0 +After leaving the East India Company College Frere was appointed a writer in the Mumbai ( now Bombay ) civil service in 1834 . In 1834 , after leaving the East India Company College , Frere was appointed a civil servant writer in the Bombay ( today Mumbai ) . 0 +The 13th World Cup season began in December 1978 in Austria and concluded in March 1979 in Japan . The 13th World Cup season began in Austria in December 1978 and ended in Japan in March 1979 . 1 +On March 17 , 2015 , Actavis acquired Allergan and took the Allergan name . Actavis acquired Allergan on 17 March 2015 and acquired the name Allergan . 1 +Depending on exact species , the Asian species weigh between , and include the smallest ungulates in the world . Depending on exact species , the Asian species include between and the smallest animals in the world and weigh . 0 +He also worked as a consulting research psychiatrist at State Hospital in Amityville and director of research at South Oaks Psychiatric Hospital in Central Islip . He has also worked as a consulting research psychiatrist at the State Hospital in Amityville and a research director at the South Oaks Psychiatric Hospital in Central Islip . 1 +In the absence of a free load , formula 5 , we have the transverse vibration equation . In the absence of a cross load , Formula 5 , we have the equation of free vibration . 0 +In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in America , and in 2006 he became designer for Woolrich Woolen Mills in Japan . In the 1970s Suzuki was one of the first buyers of Woolrich fashion in Japan . In 2006 he became a designer for Woolrich Woolen Mills in America . 0 +Eckhoff represented New Zealand in 1928 against Great Britain , in 1930 against Australia . Eckhoff represented Britain against New Zealand in 1928 and Australia in 1930 . 0 +The season 1912 -- 13 was the 21st season of Manchester United in the Football League and the sixth in the First Division . The season of 1912-13 was the sixth season of Manchester United in the Football League and 21st in the First Division . 0 +Somerville joined the regiment of the British Royal Scots Greys in December 1831 . In December 1831 , Somerville joined the Royal Scots Greys regiment of the British Army . 0 +It was built in 1974 and widened , dredged with gravel roads on each side of the channel . It was dredged and widened in 1974 , built with gravel roads on each side of the channel . 0 +Rabbi Levi taught that on the night described in God showed Jacob all the signs . Rabbi Levi taught that all the signs were shown on the night described in God Jacob . 0 +This is a list of the etymology of street names in Covent Garden district of London . This is a list of the etymology of street names in London 's Covent Garden district . 0 +There are approximately 2,000 islands along the coastline , almost three quarters of which are uninhabited . There are nearly 2,000 islands along the coastline , of which about three quarters are uninhabited . 1 +Moonlight Graham was a Major League Player whose career , statistically speaking , was only a little different from that of Daniel . Daniel was a major league player whose career , statistically speaking , was only slightly different from that of Moonlight Graham . 0 +Peter Strauss played a 1994 - TV adaptation as Ezra Baxter , Jean Smart as Ora Baxter and Philip Seymour Hoffman as Buck . Philip Seymour Hoffman played a 1994 - TV adaptation as Ezra Baxter , Jean Smart as Ora Baxter and Peter Strauss as Buck . 0 +It consists of two parts , Zemendorf and Stöttera , which are both upstream from Pöttelsdorf and downstream from Antau on the Wulka . It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka downstream from Pöttelsdorf and upstream from Antau . 0 +A number of conditions can be put on a market , sometimes to model hypothetical markets and sometimes to highlight certain types of actual market behavior . A number of conditions can be imposed on a market , sometimes to model the actual markets , and sometimes to emphasize certain types of hypothetical market behavior . 0 +Bianca Maria Sforza was married to Maximilian on March 16 , 1494 . On March 16 , 1494 , Bianca Maria Sforza married Maximilian . 1 +After Robert Child died , Hortense married Eldred G. Smith in 1977 . Hortense married Robert Child in 1977 , after Eldred G. Smith died . 0 +The modern Oval Office was built in 1933 by President Franklin D. Roosevelt and the old one was demolished . President Franklin D. Roosevelt demolished the old Oval Office in 1933 , and built the modern one . 0 +The Voievodeasa River is a tributary of the Suceviţa River in Romania . The river Voievodeasa is a tributary of the Suceviţa River in Romania . 1 +Later he joined Calcutta Football League and played in the Kolkata outfit United SC . He later joined the Calcutta Football League and played in Kolkata - Klub United SC . 1 +"Like her sister ship , "" Tirpitz "" was armed with a main battery of eight guns in four twin turrets ." "Like her sister ship was "" Tirpitz "" with a main battery of eight guns in four twin towers armed ." 1 +Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a road cyclist , brother of another Belgian bicycle professional , Bert Scheirlinckx . Staf Scheirlinckx ( born 12 March 1979 in Herzele ) is a Belgian former professional road bicycle racer , the brother of another professional cyclist , Bert Scheirlinckx . 0 +Franco Ferreiro and André Sá defeated Oliver Marach and Leonardo Mayer 7 - 6 ( 6 ) , 6 - 3 in the final . Franco Ferreiro and André Sá defeated Oliver Marach and Leonardo Mayer from 7-6 ( 6 ) , 6-3 in the final . 1 +His case was widely publicized in medical as well as in religious publications . His case was widely publicized in medical , as well as religious publications . 1 +Perot was born and raised in Dallas , the son of Margot ( nee Birmingham ) and Ross Perot . Born and raised in Dallas , the son of Ross Perot ( nee Birmingham ) and Margot was born . 0 +Then overcomes the story to tell how Sheelabathi continues all problems . Then the story overcomes telling how Sheelabathi continues to all problems . 1 +"His first instrumental solo – acoustic guitar album , "" Intuite "" ( Favored Nations , 2001 ) , was a song that he dedicated to Michael Hedges ." """ Intuite "" ( Favored Nations , 2001 ) was his first instrumental , solo acoustic guitar album . It included a song he dedicated to Michael Hedges ." 0 +He served as chairman of the town of Barron County , Wisconsin and on the Rice Lake Board of Supervisors . He served as chairman of the city of Rice Lake and the Barron County , Wisconsin Board of Supervisors . 0 +Perigea - bahamica is a moth in the family Noctuidae It is collected in the Bahamas The species was found in Monroe County , Florida , in 2012 . Perigea bahamica is a moth in the family Noctuidae . It is collected on the Bahamas . The species was found in Monroe County , Florida , in 2012 . 1 +Marco Marco Bandinelli , also known as Marchino di Guido Reni , was an Italian painter of the Baroque . Guido Reni , also known as Marchino di Marco Bandinelli , was an Italian painter of the Baroque period . 0 +The Purdue University football team in 1981 represented Purdue Boilermakers during the 1981 football season of the big ten conference . The Purdue Boilermakers football team from 1981 represented Purdue University during the Big Ten Conference 's football season in 1981 . 0 +The station , formerly licensed for North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . Formerly licensed to North Myrtle Beach , the station was owned by City of North Myrtle Beach , South Carolina , USA . 1 +Konrad Adenauer was painted 1963 by Hans Jürgen Kallmann . 1963 Hans Jürgen Kallmann was painted by Konrad Adenauer . 0 +After the death of his father , King George , he was elected king in the presence of James Holman on 4 March 1827 . Following the death of his father , James Holman , he was elected King on 4th March 1827 in the presence of King George . 0 +Back in England , Watson beat Benny Sharkey before bearing only the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . Benny Sharkey beat Sonny Lee in England before he suffered only the fifth defeat of his career when he was disqualified against Watson for a low blow . 0 +Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams solved minerals per liter . The water of Nescopeck Creek is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams of dissolved minerals per litre . 0 +Ingham County is a charter township of Meridian Charter Township in the U.S. state of Michigan . Ingham County is a charter township of the Meridian Charter Township in the US state of Michigan . 1 +Users can upload written entries similar to a standard personal journal and can also create photos from their devices . Users can create written entries similar to a personal standard journal and also upload photos from their devices . 0 +According to Pliny the Elder , the Emperor Augustus was sufficiently embarrassed by the history of Greek plunder of Roman art to return some pieces to their original homes . According to Pliny the Elder , Emperor Augustus was so embarrassed enough by the history of the Greek plundering of Roman art to return some pieces to their original homes . 1 +Born in Warsaw , he was a child prodigy on the piano in Łuck and then went to Warsaw Conservatory . He was born in Warsaw , was a wonder child on the piano in Łuck and then went to the Warsaw Conservatory . 1 +Hyper Bike is a motorbike racing game for the Nintendo 64 , developed by Kemco and published by Snowblind Studios . Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Snowblind Studios and released by Kemco . 0 +Stephen Samuel Munson ( missionary ) and Stephen Johnson went to Bangkok and Sumatra . Samuel Munson ( missionary ) and Stephen Johnson went to Bangkok and Sumatra . 1 +These places include Spain ( since 2012 ) , Canada , Japan , and some parts of the United States . These places belong to Canada , Japan ( since 2012 ) , Spain and some parts of the United States . 0 +The Hallets Cove Terminal is located in Astoria , between the public residential project Astoria Houses and the Socrates Sculpture Park . The Astoria terminal is located in Hallets Cove between the Astoria Houses public housing project and Socrates Sculpture Park . 0 +This second iteration of the WiFI module reduced the size by 60 % and increased processing speed by 300 % . This 2nd iteration of WiFi Module increased the size by 300 % and reduced the processing speed by 60 % . 0 +"Atari later upgraded the basic design in 1986 with the "" 1040ST "" ( also written "" STF "" ) ." "Atari later improved the basic design with the "" 1040ST "" in 1986 ( also written "" STF "" ) ." 1 +The AIHL season 2008 is the ninth season of the Australian ice hockey league , the seventh in which the Goodall Cup will be awarded to the league master . The AIHL season 2008 is the seventh season of the Australian ice hockey league , in which the Goodall Cup will be awarded to the championship for the ninth time . 0 +Ieyoshi 's sixth wife was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . The official wife of Ieyoshi was Princess Takako ( 1795 - 1840 ) , sixth daughter of Prince Arisugawa Orihito . 0 +At present the school has five senior citizens and five junior houses . At present the school has five senior and five junior Houses . 1 +Mhasad is a village in the Palghar region of Maharashtra , India . It is located in Dahanu Taluka . Mhasad is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . 0 +Typically , external voucher management systems with prepaid systems based on an intelligent network are used . Typically prepaid Voucher Management Systems are used with Intelligent Network based external systems . 0 +Hillary married Bill on 11 October 1975 , and their only child , Chelsea , was born on February 27 , 1980 . On October 11 , 1975 , Hill married Bill Hillary , and her only child , Chelsea , was born on February 27 , 1980 . 1 +Kulappully falls under Palakkad constituency and the constituency of the Shornur Parliament . Kulappully falls under the Shornur assembly constituency , and the Palakkad parliament constituency . 0 +April 23 , 1975 : Derby County title win after Ipswich Town with Manchester City can only draw 1 : 1 . 23rd April 1975 : Manchester City win the title after Derby County can only draw 1 - 1 with Ipswich Town . 0 +The southern half of the village is in the town of Dannemora , while the northern half is in the city of Saranac The zip code is 12929 . The southern half of the village is in the town of Dannemora , while the northern half is in the town of Saranac . The ZIP code is 12929 . 1 +Politics and religion would then be united once again after the return of the hidden Mahdi , now disappeared for over a millennium . After the return of the hidden Mahdi , politics and religion would now be united again , then disappear for a millennium . 0 +Brigadier General Abram Duryée had commanded the 97th , 104th and 105th New York Infantry - Regimenter and the 107th Pennsylvania Infantry . Brigadier General Abram Duryée commanded the 107th New York Infantry Regiment and the 97th , 104th and 105th Pennsylvania Infantry . 0 +Rabbi Levi taught that in the night Jacob described in God showed all the signs . Rabbi Levi showed that on the night described in God taught Jacob all the signs . 0 +In 1979 , she fled to West Germany by flying with a false West German passport from Munich to Budapest . In 1979 she fled to West Germany by boarding a plane from Munich to Budapest with a false West German passport . 1 +Military applications , in addition to the generic information described above , also include weapon system and sensor data such as : In addition to the military information described above , generic applications include weapons system and sensor data such as : 0 +Wulffius and her son came to Germany where she lived until she fled to Australia in 1953 . Wulffius fled with her son to Germany , where she lived until she came to Australia in 1953 . 0 +"The name Syrtis Major is derived from the classic Roman name "" Syrtis Maior "" for the Gulf of Sidra on the Cyrenaica Coast ( classical Libya ) ." "The name Syrtis Major is derived from the classical Roman name "" Syrtis maior "" for the Gulf of Sidra on the coast of Libya ( classical Cyrenaica ) ." 0 +The languages of the Rai coast are a family of languages in Madang - continent of New Guinea . The Rai Coast languages are a family of languages in the Madang stock of New Guinea . 1 +In 1914 , when Holt retired , Green followed him as Chief Inspector . In 1914 , when Green retired , Holt followed him as Chief Inspector . 0 +The Comina River is a tributary of the River Slănic in Romania . The Slănic River is a tributary of the Comina River in Romania . 0 +The magazine was based in Paris , but was released by Gerald Duckworth and Company in London . The magazine was located in London , but was published by Gerald Duckworth and Company in Paris . 0 +The body is compact with a large head , short wings and a long tail . The body is compact with large head , long wings and short tail . 0 +Anthony Patrick Babington ( 4 April 1920 , County Cork -- 10 May 2004 , London ) was an Anglo-Irish author , judge and Army officer . Anthony Patrick Babington ( 4 April 1920 , County Cork -- May 10 , 2004 , London ) was an English author , judge and army officer . 1 +"To underscore this view , it is customary to say that the operations are "" evaluated "" or "" rather than "" executed "" ." "To underscore this view , it is customary to say that the operations are "" executed "" or "" applied "" , rather than "" evaluated "" ." 0 +Warren County is included in the Des Moines -- West Des Moines , IA Metropolitan Statistical Area . Warren County is included in the Des Moines - West Des Moines , Metropolitan Statistical Area IA . 1 +Stephen Hendry reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Jimmy White and 8 -- 9 against Steve Davis respectively . In 1991 and 1992 , Steve Davis reached the finals of the tournament , but lost to Stephen Hendry 4 -- 10 and against Jimmy White 8 -- 9 . 0 +The corresponding tetracubins from two complete sets of free tetrominos can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes : The corresponding tetracubes from two complete sets of free tetrominoes can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes : 1 +Ten Olympic teams took part in the tournament , 3 teams from Europe and 7 teams from Africa . The tournament took part in 10 Olympic teams , 3 teams from Europe and 7 teams from Africa . 1 +John F. A. Cecil ( George and Cornelia Stuyvesant Vanderbilt 's only child ) married British aristocrat , William Cecil , a descendant of Edith Vanderbilt in 1924 . Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married to the British aristocrat John F. A. Cecil , a descendant of William Cecil in 1924 . 0 +Stalin ( 4 December 1888 , Puławy , 21 August 1937 ) was a leading Polish communist purged by Edward Próchniak . Stalin ( December 4 , 1888 , Puławy , August 21 , 1937 ) was a leading Polish communist , purged by Edward Próchniak . 1 +In 1974 , Lyn Collins recorded the song , producing Brown . In 1974 Brown recorded the song , with Lyn Collins producing . 0 +Maria Maria Vittoria Rossa Argento ( born 20 September , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and director . Argento ( born September 20 , 1975 in Argento , Aria Maria Vittoria Rossa Argento ) is an Italian actress , singer , model , activist and director . 1 +He lives with his wife Mabel and their children Noah and Lucy together . He lives in Noah and Mabel with his wife Lucy and their children . 0 +The 1945 Australian state election was held in the Victorian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . The Victorian state election in 1945 was held on November 10 , 1945 , in the Australian state of Victoria to elect 65 members of the state legislative assembly . 0 +"Andy Paul is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Anna Maria Lena "" in the Eurovision Song Contest 1984 in Luxembourg ." "Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." 0 +The region is famous for its sparkling wines but also for its white wines ( white , red and rosé ) . The region is famous for its white wines , but also for the sparkling wines ( white , red and rosé ) . 0 +The 2002 FedEx Express season was the first season of the franchise in the Philippine Basketball Association ( PBA ) . The PBA season 2002 was the first franchise season in the Philippine Basketball Association ( FedEx Express ) . 0 +The mental world is usually considered subjective and not objective . The mental world is usually considered to be subjective and not objective . 1 +My brother is a dog is a film by Peter Timm and Maria Ehrich , Martin Lindow and Christine Newbauer in 2004 . My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Christine Newbauer , Martin Lindow and Maria Ehrich . 0 +We believe that Jesus Christ was born of the Holy Ghost and received by the Virgin Mary , and is true God and true man . We believe that Jesus Christ was born by the Holy Spirit and conceived of the Virgin Mary and is true God and true man . 1 +The sonata was premiered in 1919 at the Aeolian Hall , London , by Landon Ronald , with Billy Reed at the piano . The Sonata was premiered in 1919 by Billy Reed at the Aeolian Hall in London , with Landon Ronald on the piano . 0 +Both Phasael and Antipater began their career under their father Herod , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . Both Phasael and Herod , began their careers under her father , Antipater , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . 0 +"In 2013 signed beals for the main role of ABC - Drama - Pilot "" Westside "" developed by McG and produced by Ilene Chaiken ." "In 2013 , Beals signed on for the main role of the ABC drama pilot "" Westside "" produced by McG and developed by Ilene Chaiken ." 0 +Jackson Township is located in the 4th Congressional District and is part of New Jersey 's 12th state legislative district . Jackson Township is located in the 12th Congressional District and is part of the 4th State Legislative District in New Jersey . 0 +His troops , however , were enough to prevent a Serbian invasion , and he introduced the Serbian delegation that negotiated with the Bulgarian king , Stefan Decanski . However his troops were enough to prevent a Serbian invasion and he led the Bulgarian delegation which negotiated with the Serbian King Stefan Decanski . 0 +Initials , when used , can be placed either before or after their first name . Initials can be used either before or after their first name when they are placed . 0 +"Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) as Smith Sounds ." "As Greg Smith Sounds , Smith released two solo plates : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 0 +He played the Montreux Jazz Festival in Switzerland in 1981 and met Michael Brecker , introducing him to John McLaughlin , Billy Cobham and other fusion stars . He played the Montreux Jazz festival in Switzerland in 1981 and met Michael Brecker who introduced him to John McLaughlin , Billy Cobham and other fusion stars . 1 +Most of the municipalities are located on the islands in the Sulu Archipelago . Two of them , Mapun , and Turtle Islands lie within the Sulu Sea . Most of the municipalities are located on the islands of the Sulu sea , two of them , Mapun and the Turtle Islands , are in the Sulu archipelago . 0 +In addition to her own dowry , Katherine brought her new husband the station of her daughter , Cecily , who , together with William Hastings and Katherine , had six children : In addition to her own dowry , Katherine brought the wardship of her daughter Cecily to her new husband . Together William Hastings and Katherine had six children : 1 +Thomas Calvert was born on 30 December , 1870 in London . He was the first son of journalist Herbert Hepburn Calvert and his wife Grace ( née Hepburn ) . Herbert Hepburn Calvert was born in London on December 30 , 1870 , and was the first son of the journalist Thomas Calvert and his wife Grace ( near Hepburn ) . 0 +Sawamatsu is the sister of the tennis player Naoko Sawamatsu and aunt of Junko Sawamatsu . Sawamatsu is the sister of tennis player Naoko Sawamatsu and the aunt of Junko Sawamatsu . 1 +Grand Inquisitor ( 1699 -- 1774 ) was a Spanish clergyman who , from 1755 to 1774 , was Manuel Quintano Bonifaz of Spain . Quintano Bonifaz ( 1699 -- 1774 ) was a Spanish cleric who , from 1755 to 1774 , was a Grand Inquisitor of Spain . 0 +It is part of the Panama City Beach -- Lynn Haven -- Panama City It is a part of Panama City -- Lynn Haven -- Panama City Beach 1 +In Brazil , the brand IPHONE was registered in 2000 by the company then called Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . In Brazil the brand IPHONE was in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . 1 +The weather in winter is moderately cold and warm in summer . The weather is moderately warm in winter , cold in summer . 0 +If one of them picked the trap , they automatically lost and their opponent won the round , along with whatever prizes they had already chosen . If one of them caught the trap , they won automatically and their opponent lost the round , along with the prizes they had already chosen . 0 +Gasson was born in Ireland and his registered home at the time of the civil war in New York City . Gasson was born in New York City , and his registered home was in Ireland at the time of the civil war . 0 +"The names "" googol "" and "" googolplex "" were invented by Edward Kasner 's nephew , Milton Sirotta , and introduced in Kasner and Newman 's 1940 book ," "The names "" Googol "" and "" Googolplex "" were invented by Newman 's nephew Milton Sirotta and introduced to the book of Kasner and Edward Kasner in 1940 ." 0 +The exterior colors are red , black , silver , cool vanilla and dark titanium . The exterior colors are red , black , silver , dark vanilla and cool titanium . 0 +Major General Nathan Mugisha replaced Major General Francis Okello as commander of AMISOM on 7 July 2009 . On July 7 , 2009 , General Major Francis Okello was replaced as Commander of AMISOM by the general major Nathan Mugisha . 1 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy film produced by , written by and directed by Wong Jing . Men Suddenly in Love is a 2011 Hong Kong romantic comedy of Wong Jing written , produced and directed by . 1 +A copy of the letter reached Montpellier by Toulouse on 10 April 1562 . A copy of the letter reached Montpellier by way of Toulouse on April 10 , 1562 . 1 +Daniela Castro ( born Daniela Castro Arellano on August 17 , 1966 in Mexico , City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico as Daniela Castro ) is an Irish Mexican actress and singer . 0 +"In the 1983 American television biopic "" Dempsey "" , Victoria Tennant was portrayed by British actress Estelle Taylor ." "In the American television biopia "" Dempsey "" , 1983 , Estelle Taylor was portrayed by the British actress Victoria Tennant ." 0 +Although its conjugatic acid is highly reactive , peroxynitrite is stable in basic solutions . Although its conjugated acid is highly reactive , peroxynitrite in stable solutions is basic . 0 +He was soon joined in the woodwind section by Jack Brymer ( clarinet ) , Gwydion Brooke ( bassoon ) and Terence MacDonagh ( oboe ) . He was soon in the woodwind - section of Terence MacDonagh ( clarinet ) , Jack Brymer ( bassoon ) and Gwydion Brooke ( oboe ) . 0 +In 1992 , the 14th Air Defence Department and the 10th Air Defence Corps were disbanded . In 1992 the 14th Air Defence Division and the 10th Air Defence Corps were disbanded . 1 +Vladan Desnica ( ; 17 September 1905 -- 4 March 1967 ) was a Yugoslav writer of Serb origin . Vladan Desnica ( September 17 , 1905 - March 4 , 1967 ) was a Yugoslav writer of Serbian origin . 1 +Its base or free edge contains between its layers the round band and the paraumbilical veins . Its base or free edge contains between its layers the round ligament and the paraumbilical veins . 1 +In 1901 , Winn met Emma Goldman in Chicago and found a lasting ally . In 1901 , Winn met Emma Goldman in Chicago , and found in her a lasting ally . 1 +In 2008 , the Warrant Officer ranks of the South African National Defence Force were expanded and the rank of Master Warrant Officer was established . In 2008 the warrant officer ranks of the South African National Defence Force were created and the rank of master warrant officer was expanded . 0 +"The IEEE - Standard 1139 "" Standard definitions of physical sizes for fundamental frequency and time metrology "" is a comprehensive reference and educational resource beyond a standard ." "The IEEE Standard 1139 "" standard definitions of Fundamental Quantities for Physical Frequency and Time Metrology "" is beyond that of a standard a comprehensive reference and educational resource ." 0 +Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German birth actress . Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German actress of Russian birth . 0 +The series was created by Robert Palm and executive produced by John Ashley and Frank Lupo . The series was produced by Robert Palm and John Ashley and Frank Lupo . 0 +Ella Signe Quist Kristoffersen ( born Ella Hval ) ( 7 January 1904 , Kristiania -- 17 December 1994 , Stavanger ) was a Norwegian actress . Ella Hval ( born Ella Signe Quist Kristoffersen ) ( 7 January 1904 , Kristiania -- December 17 , 1994 , Stavanger ) was a Norwegian actress . 0 +The specification is a method for describing teaching strategies ( educational models ) and education goals . The specification is a method for describing teaching strategies ( educational models ) and pedagogical goals . 0 +He also circulated rumors about a possible Hungarian federation , as proposed to him by Romanian landowners . He also spread rumors about a possible Hungarian -- Romanian federation , as proposed to him by Hungarian landowners . 0 +Marcel Danis , ( born October 22 , 1943 ) is a former university administrator , lawyer and Canadian politician . Marcel Danis ( born October 22 , 1943 ) is a Canadian university administrator , lawyer and politician . 0 +It is located in Mangalagiri Mandal of the Guntur Revenue Division . It is located in Mangalagiri mandal of Guntur revenue division . 1 +It is endemic to San Luis Obispo County , California , where it is known only from the Pecho Hills southwest of San Luis Obispo in California . It is endemic in San Luis Obispo County , California , where it is only known by the Pecho Hills southwest of San Luis Obispo , California . 1 +He studied piano with Michael Dussek , and piano accompaniment with Hamish Milne and Nicholas Walker . He studied piano with Michael Dussek , piano accompaniment with Hamish Milne and Nicholas Walker . 1 +Maria Vittoria Rossa Argento ( ; born Aria Asia Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . Maria Maria Vittoria Rossa Argento ( born September 20 , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and film director . 1 +Performing on stage with pop artists such as Barry Manilow and Luther Vandross as well , other gigs as a child included Rod Stewart 's wedding in 1993 . On stage with pop artists like Rod Stewart and Luther Vandross , as well as other gigs as a child , including Barry Manilow 's wedding in 1993 . 0 +Tony Holm ( May 22 , 1908 - July 15 , 1978 ) , called Bernard Patrick Holm , was a professional American football player . Tony Holm ( May 22 , 1908 -- July 15 , 1978 ) , nicknamed Bernard Patrick Holm , was a professional American football player . 1 +Moore was born in Topeka , Kansas , and grew up in Memphis , Tennessee , where , in his youth , he sang ballads and spirituals . Moore was born in Memphis , Tennessee , and raised in Topeka , Kansas , where he sang ballads and spirituals in his youth . 0 +In the usual flat-fall frame , Maxwell 's equations have their free-space form for the falling observer . In the usual , flat-fall frame , Maxwell 's equations have their free-spacetime form for the falling observer . 1 +The Sadrist Movement left the alliance prior to the December 2005 elections , which also brought the Iraqi National Congress more firmly into the Alliance . The Iraqi National Congress left the Alliance before the December 2005 elections , which also brought the Sadrist movement more to the Alliance . 0 +The 381st Bombardment Group was formed at the Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , about six miles from Haverhill . The 381st Bombardment Group was formed at Pyote Air Force Base and was assigned to Ridgewell Airfield in Haverhill , about six miles from Essex , England . 0 +The second method is written when the number of elements in each line is the same and is known at the time of using the program . The second method is used when the number of elements in each line is the same and is known at the time the program was written . 0 +It was for most of its time next to Naval Air Station Dallas , now known as the Grand Prairie Armed Forces Reserve Complex . It was known for most of its time next to the Grand Prairie Armed Forces reserve complex , now known as Naval Air Station Dallas . 0 +He worked from 1931 until the outbreak of World War II in Europe in 1939 in Shanghai . From 1931 until the outbreak of World War II in Shanghai in 1939 , he worked in Europe . 0 +He was born in Gollnow , Pomerania and died in Dahme , Brandenburg , Germany . He was born in Gollnow , Brandenburg , died in Dahme , Pomerania . 0 +Margaret Fleming married James von Barrochan and was succeeded by his eldest son , Alexander . James married Margaret Fleming of Barrochan and was succeeded by Alexander , his eldest son . 0 +Charles Spencer Chaplin was born on 16 April 1889 to Hannah Chaplin ( born Hannah Harriet Pedlingham Hill ) and Charles Chaplin Sr . Hannah Chaplin was born on April 16 , 1889 , as Hannah Harriet Pedlingham Hill ( b. Charles Spencer Chaplin ) and Charles Chaplin Sr . 0 +Research and innovation in Europe is also supported by the programme Horizon 2020 , which is financially open to participation worldwide . Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation worldwide . 1 +The first meeting of the BBU 1932 in Chicago was the final meeting of the GARBC . The last meeting of the BBU 1932 in Chicago was the first meeting of the GARBC . 0 +He began his studies in Budapest in 1946 at the Main Gimnázium , and from 1947 to 1951 he visited the Madách Gimnázium in Debrecen . He began his studies at the Main Gimnázium in Debrecen in 1946 , and from 1947 to 1951 he visited the Madách Gimnázium in Budapest . 0 +"Kennebec County comprises the "" Augusta - Waterville , ME Micropolitan Statistical Area "" ." "Kennebec County comprises the "" Augusta -- Waterville , ME Micropolitan Statistical Area "" ." 1 +His son George was a prominent architect active in Winnipeg and his son John James was also an architect active in Montreal . His son John James was a prominent architect working in Winnipeg , and his son George was also an architect in Montreal . 0 +This settlement was part of Charlotteville , where Fort Norfolk was built in 1813 with a seat for 300 troops . This settlement was part of Fort Norfolk where Charlotteville was built in 1813 with accommodation for 300 troops . 0 +A KWL chart can be used for all subjects in a whole group or a small group atmosphere . A KWL chart can be used for all subjects in a small group or in a whole group atmosphere . 1 +During the First World War , Cary fought with a Nigerian regiment fighting in the German colony of Cameroon . During the First World War , Cary served with a German regiment fighting in the Nigerian colony of Cameroon . 0 +Berry Head , the southeast point of Torbay , was distant between six and nine miles . The Berry Head , the distant point of Torbay , was seen between six and nine miles south-east . 0 +John Knox also designed the Doric column for the statue of Hamilton ( 1825 ) in the Glasgow necropolis ( see Glasgow 's statues ) . John Knox also designed the Doric column for the statue of Hamilton ( 1825 ) in the Glasgow Necropolis ( see Glasgow 's public statues ) . 1 +He developed players like Nedko Nedev , Ivan Derventski , resorts Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev . He developed players like Nedko Nedev , Ivan Derventski , Spas Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev . 1 +This Vancouver - produced series was set in each episode in a different locale , such as in a historic music hall or a western saloon . This Vancouver - produced series was set in each episode in a different locale , such as in a western music hall or a historic saloon . 0 +Axocomanitla is a municipality in south-eastern Tlaxcala in Mexico . Axocomanitla is a municipality in south-eastern Mexico in Tlaxcala . 0 +Nescopeck Creek 's water is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of more than 100 milligrams of dissolved minerals per liter . 0 +"On April 20 , 2007 , Hennig joined the cast of "" Days of Our Lives "" in the contract role of Stephanie Johnson ." "On April 20 , 2007 , Hennig joined the occupation of "" Days of Our Lives "" in the contract role of Stephanie Johnson ." 1 +Schools that do not accept the authority of the Vedas are heterodox philosophies , of which four ( Nāstika ) schools are highlighted . Schools that do not accept the authority of the Vedas are heterodox philosophies , of which four ( nāstika ) schools are prominent . 1 +The son of Alexander , 3rd Lord was Robert Boyd . Boyd was the son of Alexander , 3rd Lord Robert Boyd . 1 +A delicate teddy bear - similar creature , she looks harmless , but the fabulous talents of her Ursine Race called Spreens can provide a secret . A delicate teddy bear like creature , she looks harmless , but the fabulous talents of her ursine race called Spreens can provide a secret 1 +The smaller one of the two boats carries up to 24 cars , the larger 18 cars . The larger of the two boats carries up to 24 cars , whilst the smaller one carries 18 cars . 0 +She was born in Da Lat in 1963 , son of a French father and a Vietnamese mother . It was born in Da Lat in 1963 , to a Vietnamese father and a French mother . 0 +Uwe Kröger played Belle and Marc G. Dalio played the Bestie and Leah Delos Santos played Gaston . Uwe Kröger played Belle and Marc G. Dalio played the Beast and Leah Delos Santos played Gaston . 0 +His father was the renowned late Ud Maestro Munir Bashir , his uncle was the late Oud Master Jamil Bashir . His father was the late Ud Maestro Munir Bashir , whose uncle was the renowned late Oud - Master Jamil Bashir . 0 +This is a list of national parks in British Columbia , including municipal and regional parks , provincial parks , communal and regional parks . This is a list of city and regional parks in British Columbia including national parks , provincial parks , urban and regional parks . 0 +Born in Oak Park , Illinois , Wagenknecht grew up and went to school in Chicago . Wagenknecht , born in Chicago , grew up and went to school at Oak Park , Illinois . 0 +The screenplay by Frederick Knott and Jane-Howard Carrington is based on the 1966 play by Robert Carrington . The screenplay by Robert Carrington and Jane-Howard Carrington was based on the 1966 play by Frederick Knott . 0 +The Stiniș River is a tributary of the Olt River in Romania . The Stini - River is a tributary of the Olt river in Romania . 1 +Samuel J. Tilden House is located on the south side of Gramercy Park , opposite the park overlooking the Gramercy Park South between Irving Place and Gramercy Park West . The Samuel J. Tilden House is located on the south side of Gramercy Park South , facing the park across Gramercy Park between Irving Place and Gramercy Park West . 0 +After the Eagles had collected a young defensive tackle in Thomas , the Eagles Broderick Bunkley cut . After the Eagles drafted a young defensive tackle in Broderick Bunkley , the Eagles cut Thomas . 0 +The northernmost part of the Black Creek watershed , south of the central line of hills , including the mouth of Nescopeck Creek , is also in this range . The northernmost part of the Black Creek watershed , south of the central line of the hills , including the mouth of the Nescopeck Creek , is also in this row . 1 +In 2014 election , Indian National Congress candidate Dambaru Sisa defeated Biju Janata Dal candidate Sunadhar Kakari by a margin of 24,730 votes . In 2014 election defeated candidate Dambaru Sisa Biju Janata Dal candidate Sunadhar Kakari with a margin of 24,730 votes to Indian National Congress . 0 +He served as the general counsel to both the Isthmian Canal Commission and later the Panama Railroad Company . He served as the General Counsel for both the Panama Railroad Company and later the Isthmian Canal Commission . 0 +The company is one of the oldest German companies still in activity , founded by Brazilian brothers Bruno and Hermann Hering , in 1880 . The company is one of the oldest German companies still in operation and was founded in 1880 by Brazilian brothers Bruno and Hermann Hering . 1 +"The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 14 and Dolní Počernice ." "The administrative district ( "" správní obvod "" ) of the same name consists of municipal districts Prague 14 and Dolní Počernice ." 0 +As an alternative , tantric Tibetan Buddhism allows to consciously choose a desire , to create desire , rather than being created by it . As an alternative , tantric Tibetan Buddhism allows to choose a desire consciously ; to create desire rather than being created by it . 1 +Franz Franz Osten was a successful social film from Bombay Talkies , directed by Kishore Sahu , who played in his debut film with Devika Rani and Mumtaz Ali Jeevan Prabhat . Franz Osten was a successful social film from Bombay Talkies directed by Kishore Sahu . It starred Jeevan Prabhat in his debut film with Devika Rani and Mumtaz Ali . 1 +Bremerton Marina is a public marina in the centre of Kitsap County at Puget Sound , in Bremerton , Washington . The marina is located within Sinclair Inlet . Bremerton Marina is a public marina located in downtown Bremerton , Washington on Puget Sound , in Sinclair Inlet . The facility of the marina is within Kitsap County . 0 +The printed version appears under a Latin title , with a Latin subtitle ( edita per consules civitatis Trani ) . "The printed version appears under a Latin title , with a Latin subtitle ( "" edita per consules civitatis Trani "" ) , possible both original ." 0 +Manx Airlines can trace its history back to March 1991 , when Manx Airlines created Regional Airlines Europe to expand and fly routes within the United Kingdom . British Regional Airlines can trace its history back to March 1991 , when Manx Airlines founded Manx Airlines Europe in order to expand and fly routes within the United Kingdom . 0 +Henry VI was a son of Count Adolph III and his wife Elisabeth of Berg . Adolph III was the son of Count Henry VI and his wife Elisabeth of Berg . 0 +These predictive functions are referred to as pedo-transfer functions in a non-spatial context . These pedo-transfer functions are referred to as predictive functions in a non-spatial context . 0 +In a relatively simple form , a microcapsule is a small sphere with a uniform wall around it . In a relatively simple form , a microcapsule is a small bullet with a uniform wall around it . 1 +Pat Cash and Patrick Rafter won 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth in the finals . Pat Cash and Patrick Rafter won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth . 1 +The school is managed by the Neelaveni Thayarammal Memorial Trust , Coimbatore , which took over the school management from BHEL Educational Society , Trichy on 1 June 2011 . The school is headed by the Neelaveni Thayarammal Memorial Trust , Trichy , which took over the school leadership from the BHEL Educational Society , Coimbatore , on 1 June 2011 . 0 +This version was published on August 18 , 2016 in Europe and Australia and on January 5 , 2017 in North America . This version was released in Europe and Australia on August 18 , 2016 , and North America on January 5 , 2017 . 1 +An online VMS system has access to one or more operating disks , each of which contains a complete , independent file system . An online VMS system has access to one or more operational disks , each of which contains a complete , independent file system . 1 +Later they moved to New York City , and then to Whitefish Bay , Wisconsin . Later they went to New York City and then to Whitefish Bay , Wisconsin . 1 +Mirambeau is located on Via Turonensis , the ancient pilgrimage route from Paris to Santiago de Compostela via Tours . Mirambeau is situated on Via Turonensis , the old pilgrimage route from Santiago de Compostela via Tours to Paris . 0 +Mansour Bahrami and Henri Leconte won in the final 6 -- 4 , 7 -- 6 against Jeremy Bates and Anders Järryd . Jeremy Bates and Anders Järryd won against Mansour Bahrami and Henri Leconte at 6 : 4 , 7 : 6 in the final . 0 +The Manhattan Building , also known as the Phoenix Building or the Phoenix Manhattan Building , is a historic skyscraper in Muskogee , Oklahoma . The Manhattan Building , also known as the Phoenix Building or the Phoenix-Manhattan Building , is a historic skyscraper in Muskogee , Oklahoma . 1 +Others involved in the development of Bon Air -- officials were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . Other R 'D officials involved in the development of Bon Air were General Thomas M. Logan , Colonel Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . 0 +1969 , Army PFC Steven Hohensee won the 10th US Armed Forces championship . In 1969 , US forces won the 10th Army Championship PFC Steven Hohensee . 0 +Each report , updated in February 2011 , contains data for the completed school year . Each report , which was completed in February 2011 , contains data for the school year that is updated . 0 +On 10 November 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . 1 +Ueki intended to easily introduce and explain Buddhism to a broad audience with daily concepts or common sense . Ueki intended to introduce and explain Buddhism for a broad audience easily with daily concepts or common sense . 1 +He died on 23 April 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . He died on 23 April 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . 0 +The season of the National Basketball Association from 1954 - 55 was the NBA 's ninth season . The NBA season between 1954 and 55 was the ninth season of the National Basketball Association . 1 +"Maviz Rural District is a rural district ( "" dehestan "" ) in the Central District of Shahriar County , Tehran Province , Iran ." "Maviz Rural District is a rural district ( "" Dehestan "" ) in the county of Shahriar , Tehran , Iran ." 1 +The Casimcea River is a tributary of the Cartal River in Romania . The river Casimcea is a tributary of the River Cartal in Romania . 1 +"The white-spotted fantail , ( "" R. albogularis "" ) until recently was considered a subspecies ." "The white-stained fantail ( "" R. albogularis "" ) was until recently considered a subspecies ." 1 +Waye played his earliest football in Willunga and Renmark before arriving in Adelaide and participating in the Port Adelaide Church Association . Waye played his earliest football in Willunga and Renmark , before arriving in Adelaide and competing in the Port Adelaide Church Association . 1 +In 1892 , William H. Bennett died , and Langdon Hubbard took over the mill . William H. Bennett died in 1892 , and Langdon Hubbard took over the mill . 1 +In Tbilisi , Varshamov studied with Arnold Walfisz ( where he Georgian ) Varshamov was with Arnold Walfisz ( where he studied Georgian ) in Tbilisi . 0 +Sir Charles Waldstein , Sir Charles Walston ( born 1918 ) ( March 30 , 1856 - March 21 , 1927 ) was an Anglo-American archaeologist . Sir Charles Waldstein , from 1918 Sir Charles Walston ( March 30 , 1856 -- March 21 , 1927 ) was an Anglo-American archaeologist . 1 +"For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." """ Futurama "" was also revived in 2007 by Comedy Central for similar reasons : impressive viewership in syndication as well as high DVD sales ." 1 +"His British English feature film "" Déjàvu "" with international actors premiered at the 54th Locarno International Film Festival ." "His international feature film "" Déjàvu "" with British actors was premiered at the 54th International Film Festival of Locarno ." 0 +The list has been comprehensively revised to include philatelic entities and to direct the links away from the country articles to the ( proposed ) extra articles . The list has been comprehensively revised to include philatelic entities and to direct the links from the country articles to the ( proposed ) additional articles . 1 +Nina 's friends Christine and Danny Romalotti warned David before Nina , but Nina and David continued their romance . Nina 's friends Christine and Danny Romalotti warned David against Nina , but Nina and David continued their romance . 1 +Kevin Abbring ( born on 20th January 1989 ) is a former rally driver . His father , Edwin Abbring is also a well-known Dutch rally driver . Kevin Abbring ( born January 20 , 1989 ) is a Dutch rally driver , and his father Edwin Abbring is also a well-known former rally driver . 0 +Casper is represented in the second season by Robbie Sublett in the movie , Matthew Géczy in the first season and Devon Werkheiser . Casper is expressed in the film by Devon Werkheiser , in the first season of Robbie sublett and in the second season of Matthew Géczy . 0 +""" Caladenia picta "" is a terrestrial , perennial , deciduous , herb with an underground tuber and a single , sparsely long leaf , hairy , linear and ." """ Caladenia picta "" is a terrestrial , persistent , deciduous herb with an underground tuber and a single , sparsely long leaf , hairy , linear and ." 1 +They did not hesitate to send members of the respective professions to the various congresses held in Bessarabia throughout 1917 , and became very influential . They did not hesitate to send members of their respective professions to the various congresses held in Bessarabia throughout the year 1917 , and they became extremely influential . 1 +On June 30 , 2016 , Infante agreed to a minor league deal with the Atlanta Braves . He was released by the Braves on August 16 , 2016 . On June 30 , 2016 , Infante agreed to a Minor League Deal with the Braves and was released from the Atlanta Braves on August 16 , 2016 . 1 +Peter Myers is the father of Don Myers in the novel , as opposed to Michael Myers and Judith Myers in the film . Don Myers is the father of Michael Myers and Judith Myers in the novel , in contrast to Peter Myers in the Film . 0 +The inauguration was organized jointly by the Presidential Transition Cooperation Team of incumbent President Corazon Aquino and the transition team of outgoing President Ramos . The Inauguration was organized jointly by the Presidential Transition Cooperation Team of outgoing President Corazon Aquino and the Transition Team of incoming President Ramos . 0 +Mayer married Damian Smith in January 2001 . January 2001 married Damian Smith Mayer . 0 +In general , Ireland , with the exception of most of northern Europe , was under the influence of Protestantism . Northern Europe , with the exception of most of Ireland , generally came under the influence of Protestantism . 0 +Founded by Sérgio Britto in 1959 , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Gianni Ratto , it has featured actors such as Fernanda Montenegro , Sérgio Britto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . 0 +In 2006 , Silverlake Partners sold the company to Goldman Sachs for 800 million US dollars . In 2006 , Goldman Sachs sold the company to Silverlake Partners for US $ 800 million . 0 +The Nottawa River , also known as the Nottawa Stream , flows through Athens . The Nottawa Creek , also known as Nottawa River , flows through Athens . 1 +Its capital was Nuuk ( modern Godthaab ) . Its capital was at Nuuk ( modern Godthaab ) . 1 +The Dâmboviţa River is a tributary of the Sântinica River in Romania . The river Dâmboviţa is a tributary of the river Sântinica in Romania . 1 +Using dynamic programming languages for sound and graphics , improvisational programming is also used as an interactive performance style algorithmic coding , mainly in live music and video . Using dynamic programming languages for sound and graphics , interactive programming is also used as live coding with improvisational playing style , mainly in algorithmic music and video . 0 +Lothe currently lives with his partner Randi in Odda and has three children , Stian , Ida and Vetle , from a previous relationship . Stian currently resides in Odda with his partner , Randi . He has three children , Lothe , Ida , and Vetle , from a previous relationship . 0 +Meteuthria futilis is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Meteuthria futilis is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks navy . 1 +Iaquinta confronted Mitch Clarke on 24 May 2014 at UFC 173 . Mitch Clarke opposed Iaquinta on 24 May 2014 at UFC 173 . 0 +Barrowfield is an area of east Camlachie in Glasgow , close to Celtic Park , home of Celtic Football Club . Barrowfield is an area located in the east of Glasgow , Camlachie , close to Celtic Park , the home of the Celtic Football Club . 0 +Sara Varga Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , professionally known as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . Sara Varga ( born 14 April 1982 ) , known professionally as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author , and DJ . 0 +Thus the following ( strong ) maximal ideal theorem ( MIT ) for Boolean algebras is equivalent to BPI : The following ( strong ) Boolean Theorem ( MIT ) for maximum ideal algebras is thus equivalent to BPI : 0 +The old Nahant Life Saving Station ( NLSS ) on the Nahant Road and the new war memorial across from the NLSS were renovated in 2004 . The old Nahant Life Saving Station ( NLSS ) on Nahant Road and the new War Memorial erected across the street from the NLSS were renovated in 2004 . 1 +The music was composed by M. K. Arjunan and the lyrics by KH Khan Sahib and Kanam EJ were written . The music was composed by M. K. Arjunan and lyrics was written by KH Khan Sahib and Kanam EJ . 1 +Zabolotye Lake ( is a lake in the district of Sergiyev Posad of Moscow Oblast . The Zabolotye lake ( is a lake in the Moscow Oblast District of Sergiyev Posad ) . 0 +The mountain was named in 1863 by Charles Gould after the geologist Charles Lyell , a follower of Charles Darwin . The mountain was named in 1863 by Charles Lyell after the geologist Charles Gould , a follower of Charles Darwin . 0 +Total Population : 333 of which 49.8 % were female and 50.2 % were male . The total population was 333 , of which 49.8 % were female and 50.2 % were male . 1 +In 2001 , two new large sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . In 2001 , two large new sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . 1 +"( A1 ) Knicks vs. ( A2 ) Boston Celtics : "" New York Knicks win series 4-1 """ "( A1 ) Boston Celtics versus ( A2 ) New York Knicks : "" Knicks Series 4-1 "" Win" 0 +""" Whatever Will Be "" ( 2005 ) is the first song by Tammin of her second album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the second song released by Tammin from her first album "" Whatever Will Be "" ." 0 +The station was opened on May 1 , 1934 on the Finn valley - railway line from Strabane to Stranorlar . The station opened on 1 May 1934 on the Finn Valley Railway line from Strabane to Stranorlar . 1 +It was also recorded by the Royal Canadians and their Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . It was also recorded by the Royal Canadians and His Guy Lombardo orchestra and the vocal group The Three Suns in the United States . 1 +The idea was supported by Jonas Basanavičius , Jonas Šliūpas and others and further crystallized . The idea was crystallized and further supported by Jonas Basanavičius , Jonas Šliūpas , and others . 0 +Completed in 1848 it was the first railway to reach the coastal port of Calais . The Paris-Lille railway had reached Paris from Lille two years previously . Completed in 1848 , it was the first railway to reach the coastal port of Calais , the Paris-Lille railway had reached Lille Paris two years earlier . 0 +This article is the seventh history of Sir Wilfrid Laurier , the Electoral Prime Minister of Canada . This article is the seventh history of Sir Wilfrid Laurier , Prime Minister of Canada . 1 +It has 12 dorsal soft spines and 15 to 17 dorsal beams . It has 12 dorsal soft spines , and 15 to 17 dorsal rays . 1 +He attended Meiji University and graduated from the Kawawa High School . He visited the Kawawa High School and graduated from Meiji University . 0 +Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . Annie Marie Gilbertine Amalo married Herman Johannes in 1955 . 1 +A great battle took place on the Dagorlad in which Sauron 's forces were stormed and the Black Gate was destroyed . At Dagorlad , a great battle took place in which Sauron 's forces were stormed and the Black Gate destroyed . 1 +The inbound logistics follows as details the freight - audit process . Inbound logistics follows the freight audit process as details . 1 +Emu Park was also the crossroads of Central Western Line and the Rockhampton line . Rockhampton was also the intersection of the Central Western Line and Emu Park Line . 0 +The Japanese otter was known as one of the top carnivores in the aquatic food chain . The water otter was known as one of the top carnivores in the Japanese food chain . 0 +Prior to the unification of Yemen in 1990 , the law set the minimum age of marriage at 16 in South Yemen and 15 in the north . Before the unification of South Yemen in 1990 , the law determined the minimum age of marriage to 16 in Yemen and 15 in the north . 0 +The village of Mineral Hills and the town of Stambaugh were consolidated with the town of Iron River effective July 1 , 2000 . The village of Iron River and the town of Stambaugh were consolidated with the town of Mineral Hills effective July 1 , 2000 . 0 +It is located in Tattapani ( Himachal Pradesh ) , at an altitude of 650mts , the perfect temperature for the treatments . It is located in Himachal Pradesh ( Tattapani ) , at an altitude of 650mts , the perfect temperature for the treatments . 1 +The inbound logistics follows as details the freight - audit process . Inbound logistics details the freight audit process as follows : 0 +It was re-created in 1987 from parts of Lake Centre , Humboldt -- Assiniboia and Moose Jaw ridings . It was obtained in 1987 from parts of the Lake Centre , Humboldt -- Assiniboia and Moose Jaw Ridings . 1 +Design by Jeff Grubb with Andria Hayday , a cover by Jeff Easley and illustrations by Karl Waller . Design was developed by Jeff Grubb with Andria Hayday , a cover of Karl Waller and illustrations by Jeff Easley . 0 +It is located in Guntur Mandal of the Mangalagiri Revenue Division . It is located in Mangalagiri Mandal of the Guntur Revenue Division . 0 +""" Still Losing You "" is a song written by Mike Reid , and recorded by American country music singer Ronnie Milsap ." """ Still Losing You "" is a song written by Mike Reid , recorded by American country music singer Ronnie Milsap ." 1 +Talagang Tehsil , is a subdivision ( Tehsil ) of the district of Chakwal in the province of Punjab in Pakistan . Talagang Tehsil , is a subdivision ( tehsil ) of Chakwal District in the Punjab province of Pakistan . 1 +From 1888 to 1913 , he was chairman of the Highfields Divisional Board and chairman of the Highfields Shire Council from 1915 to 1917 . From 1888 to 1913 , he was chairman of the Highfields Shire Council and the Highfields Divisional Board from 1915 to 1917 . 0 +Fritz Fritz Heider wrote that people tend to regard behavior in one of two ways : the cause of situational factors or dispositional factors . Fritz Heider wrote that people tend to view behavior in one of two ways ; the cause of situational factors or of dispositional factors . 1 +In 1997 , the South African Navy renamed SAS Kobie Coetzee to the SAS Job Masego . In 1997 , the SAS renamed the SAS Kobie Coetzee the South African Navy Job Masego . 0 +Often , prepared packs are warm ; the heat opens up the pores of the skin , and helps the interaction of the clay with the body . Often prepared packs are warm , the heat opens the pores of the skin and helps with the interaction of the clay with the body . 1 +In 1901 the critic Jean Lahor ( alias Henri Cazalis ) , listed the workshop as one of the best producers in France of Art Nouveau ceramics . In 1901 , the critic Jean Lahor ( aka Henri Cazalis ) listed the workshop as one of the best producers of Art Nouveau pottery in France . 1 +For shopping , there is a Russian market and a similar Russian market in Pakistani blocks . There is the Pakistani market and a similar Russian market in Russian blocks for shopping . 0 +Hernon was born in East Bridgewater , Massachusetts , and died in New Bedford , Massachusetts . He is buried in St. Mary Cemetery in New Bedford . Hernon was born in New Bedford , Massachusetts , died in New Bedford and is buried in the St. Mary cemetery in East Bridgewater , Massachusetts . 0 +He is the son of the French cyclist Adri van der Poel , brother of Mathieu van der Poel and grandson of the Dutch cyclist Raymond Poulidor . He is the son of the Dutch cyclist Adri van der Poel , the brother of Mathieu van der Poel and grandson of French cyclist Raymond Poulidor . 0 +Mosques were bombed and in many provinces Hui were slaughtered by Japanese troops or destroyed . Mosques were destroyed , and in many provinces , Hui was slaughtered or bombed by Japanese troops . 0 +A second son of Theophilus Levett and his wife , Lady Jane , was Berkeley John Talbot Levett , an officer of the Scots Guards . A second son of Theophilus Levett and his wife Lady Jane was Berkeley John Talbot Levett , an officer in the Scots Guards . 1 +"Abraham was "" hundred years old , when his son , whom he called Isaac , was born , and he circumcised him when he was eight days old ." "Abraham was "" an hundred years old "" , when his son whom he named Isaac was born ; and he circumcised him when he was eight days old ." 1 +Buchanan accepted the reports of the judges without any further investigation , and the new non-sectarian governor was accompanied by troops sent to garrison forts in the new territory . Buchanan accepted the reports of the judges without further investigation , and the new governor was accompanied by troops sent to garrison fortresses in the new non-sectarian area . 0 +Ink of a third color , and a much stiffer consistency , is then applied to the lower areas of the plate with a softer rubber roller . Then ink of a third color and a much softer consistency with a stiffer rubber roll are applied to the lower areas of the plate . 0 +Fotbal Club Forex Braşov was a Romanian professional club from Braşov , Romania , who was founded in October 2002 and was dissolved in 2011 . Fotbal Club Forex Braşov was a Romanian professional club from Braşov , Romania , which was dissolved in October 2002 and was founded in 2011 . 0 +The black suit was largely replaced in the 20th century by the dark blue or grey suit . In the 20th century , the grey suit was largely replaced by the dark blue or black suit . 0 +A product of Feilding High School , Northcott followed a well-run path into the Manawatu Turbos Mitre 10 Cup team . A product of Feilding High School , Northcott walked a well followed path into the Manawatu Turbos Mitre 10 Cup team . 0 +At Dagorlad , a great battle took place in which Sauron 's forces were stormed and the Black Gate destroyed . On the Dagorlad , a great battle took place in which Sauron ’ s forces were destroyed and the Black Gate stormed . 0 +It is used as a measure of absorbed dose , kinetic energy ( released ) , and kerma ( an acronym for specific energy imparted per unit mass ) . It is used as a measure of the absorbed dose , kinetic energy ( released ) and kerma ( an acronym for specific energy awarded per mass unit ) . 1 +Sometimes , small mammals , including bats , are caught , but insects are only very seldom eaten . Sometimes , small mammals , including bats , are eaten , but insects are rarely caught . 0 +Andrea Dovizioso remained with Ducati for the 2015 season , while Andrea Iannone came from a Pramac Ducati to the factory team . Andrea Iannone remained with Ducati for the 2015 season with Andrea Dovizioso coming to the factory team from a Pramac Ducati . 0 +Gastric atresia is the complete occlusion of the pylorus outlet of the stomach and is an extremely rare event . Gastric atresia is the complete occlusion of the pyloric outlet of the stomach and is an extremely rare event . 1 +Born in 1783 in Birmingham as second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby , the family went to Birmingham in 1783 . 0 +Szabo 's method of double protection was , however , vulnerable to Sybil attacks . However , Szabo 's method of Sybil-spending protection was vulnerable to double attacks . 0 +Allan Stewart ( 1865-1951 ) was a Scottish painter who built his reputation on military and particularly romantic historical paintings as well as on landscapes and portraits . Allan Stewart ( 1865 - 1951 ) was a Scottish painter who built his reputation on military and particularly romantic , historical paintings as well as landscapes and portraits . 1 +Tatranska Javorina is a village in the Prešov region in Poprad district of northern Slovakia . Tatranská Javorina is a village in Poprad District in the Prešov Region of northern Slovakia . 0 +On June 17 , 1988 , the Baltimore Blast selected Agnew in the fourth round ( first overall ) of the Major Indoor Soccer League draft . On June 17 , 1988 , the Baltimore Blast Agnew selected the Major Indoor Soccer League in the fourth round ( first total ) . 0 +The Chinese ambassador in Beijing is the official representative of the Government in Apia to the Government of Samoa . The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Government of Samoa . 0 +Japan is a dam completed in 1941 in the Tokiwa dam . Tokiwa Dam is a dam completed in Nagano Prefecture , Japan , in 1941 . 0 +"In Europe he appeared in Le Lido in Paris and sang with Betty Grable in the London West End Musical "" Belle Starr "" ." "He sang in Europe at Le Lido in Paris and performed with Betty Grable in London 's West End Musical "" Belle Starr "" ." 0 +Intamin also marketed the first freefall - experience ( developed by Giovanola ) and the first drop tower . Giovanola also marketed the first freefall ( developed by Intamin ) and the first drop tower . 0 +Kumutrampatti is a small village close to Madurai District ( Kottampatti Gateway ) in Tamil Nadu . Kumutrampatti is a small village near Madurai District ( Gateway to Kottampatti ) in Tamil Nadu . 1 +Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the Uganda of the 21st century . Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in 21st century Uganda . 1 +The building , which was opened by the city fathers , was designed by William Stark and was commissioned in 1808 , originally as St. George 's Parish Church . The building , which was opened by the City Fathers was designed by William Stark , was commissioned in 1808 , originally as St. George 's Parish Church . 1 +Finally in 2002 the name of İçel was replaced with that of Mersin . In 2002 the name of Mersin was finally replaced by that of İçel . 0 +""" Gujarati cinema "" called the movie a "" glimmer of hope "" for long cinema ." """ Gujarati cinema "" called the movie a "" glimmer of hope "" for Long live cinema ." 0 +Kenya 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Norway in September 2015 . Monica Mæland , Minister of Trade in Kenya , led a delegation of 54 companies to Norway in September 2015 . 1 +The central core of the central Ministry of Defence was the new Defence Office . The central core of the new Ministry of Defense was the Central Defence Office . 0 +Teversall Manor is a former railway station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . Teversall Manor is a former station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . 1 +The second segment was built in 1929 , and the third segment through Peters Corners was completed in 1930 . The second segment was built in 1929 , the third segment was completed by Peters Corners in 1930 . 1 +In 2012 , the airline carried 57,500 passengers per month to 15 domestic flights and 90,000 passengers on international routes ( about 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 international targets and 90,000 passengers on domestic routes ( about 1.77 million passengers per year ) . 0 +Satellite Beach is part of the Metropolitan Statistical Area Melbourne - Palm Bay - Titusville . Satellite Beach is part of the Metropolitan Statistical Area of Palm Bay -- Melbourne -- Melbourne -- Titusville . 1 +Cyril Sieni ( Barcelona Cyril ) ( died after 1799 ) was a Spanish capuchin and missionary bishop . Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a missionary Capuchin and a Spanish bishop . 0 +A KWL chart can be used for all subjects in a whole group or small group atmosphere . A KWL chart can be used for all subjects in a small group or in a whole group atmosphere . 1 +When his family from Italy , Rodolpho and Marco , begin to live and migrate with him illegally , the small world in which he operates is destroyed . When his family from Italy , Rodolpho and Marco , migrate illegally and begin to live with him , the small world that he operates in is disrupted . 0 +William died in 1859 and Elizabeth died the following year . In 1859 , William and Elizabeth died the following year . 1 +Nuala McGee ( 0 -- 7 ) and Maureen McAleenan ( 1 -- 2 ) got for Leitrim . Nuala McGee ( 0 -- 7 ) and Maureen McAleenan ( 1 -- 2 ) scored for Leitrim . 1 +In 1910 , it was owned by Rupert Brooke and Florence Neeve , from whom Henry rented a room , and later a large part of the house . In 1910 it was owned by Rupert Brooke and Florence Neeve , from whom Henry had rented a room and later a large part of the house . 1 +"A longstanding story suggests that "" People "" was originally written for "" Mr. Magoo "" , but Theodore Taylor 's biography of Styne disputes this ." "A long-standing story suggests that "" people "" was originally written for "" Mr. Magoo "" , but Theodore Taylor 's biography of Styne disputes this ." 1 +"Dresses for special occasions were made of striped silk with winged sleeves with a short "" Taqsireh "" jacket , known as Bethlehem jacket ." "Clothes for special occasions were made of striped silk with short sleeves with a winged "" Taqsireh "" jacket as bethlehem jacket ." 0 +An additional study found that the proximal promoter is one of many thousand direct targets of transcription factor , Myc , in vivo . An additional study found that the direct promoter is one of many thousands of proximal targets of the transcription factor Myc in vivo . 0 +On May 3 , 2016 , Blaine Pedersen was appointed to the portfolio by the Progressive Conservative government of Brian Pallister . On 3 May 2016 , Brian Pallister was appointed by the Progressive Conservative government of Blaine Pedersen in the portfolio . 0 +The band supports Wrexham FC , with the exception of John Evans who follows Norwich City FC . The band supports Wrexham FC , with the exception of John Evans , who follows the Norwich City FC . 1 +Big Sur 's album Notes is an album by Jazz - saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . Notes from Big Sur is an album by jazz saxophonist Lloyd recorded in July 1993 by Charles Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . 1 +Dielectric elastomers ( DEs ) are intelligent material systems that produce large strains . Dielectric elastomers ( DEs ) are large material systems that produce smart deformations . 0 +"In 1997 , he made a cameo appearance in the episode 164 of Wings ( 8th episode of the 16th season ) entitled "" Flight from New York "" ." "In 1997 he made a cameo appearance in succession 164 of Wings ( 16th episode of the 8th season ) entitled "" Flight from New York ." 0 +It is located north of New Hempstead , east of Harriman State Park , north of Monsey and west of Mount Ivy . It is located to the north of Mount Ivy , east of Harriman State Park , north of Monsey and west of New Hempstead . 0 +He died in 1879 in Bannock County , Idaho , USA Jefferson Hunt is buried at the Red Rock Cemetery in Oxford , Idaho . He died in 1879 in Oxford , Idaho . Jefferson Hunt is buried at the Red Rock Cemetery in Bannock County , Idaho , US . 0 +A change in the team that played the second test was made Pakistan : Alimuddin replaced Intikhab Alam . Pakistan made one change in the team that played the Second Test : Alimuddin replaced Intikhab Alam . 1 +In October 2006 , CryptoLogic changed its name to Media Corporation and sold Casino.co.uk in August 2007 to Gaming Corporation for £ 3.6 million in cash . In October 2006 , Gaming Corporation changed its name to Media Corporation , and sold Casino.co.uk to CryptoLogic for £3.6m in cash in August 2007 . 0 +"The cousin right is the "" complete "" form of the institution of cousin marriage and preference without right the "" incomplete "" form ." "The cousin right is the "" complete "" form of the institution of the cousin marriage and preference without right the "" incomplete "" form ." 1 +"Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" in 1987 ." "Jack wrote his autobiography in 1987 with Paul Conn , "" Eckerd : Finding the Right Prescription ." 0 +Emphasis is placed on serving meals of moderate quality at high cost . Emphasis is placed on serving high quality meals at moderate cost . 0 +It is based on Ealing in Ealing Broadway , near the Uxbridge Road Station , London , the same address as Transworld . It is based on Uxbridge Road in Ealing , near the Ealing Broadway Station , London , the same address as Transworld . 0 +According to the above definition , two relations with different graphs , but different domains or different codomans are considered identical . According to the definition above , two relations with different graphs but different domains or different codomains are considered identical . 1 +Blair hopes to stop Drake at the race . Blair next hopes to stop Drake at the race . 1 +"She lived aboard the "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." "She lived aboard "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." 1 +Has been recorded from western Europe including Great Britain ( where it is rare ) and from Scandinavia . Has been received from Western Europe , including Scandinavia ( where it is rare ) and from Great Britain . 0 +He struck Kakhaber Zhvania , but lost the final to Andrey Balanov . He beat Kakhaber Zhvania but lost the final to Andrey Balanov . 1 +""" Arrow "" was built by Walkers Limited in Maryborough , Queensland , commissioned on February 17 , 1968 and launched on July 3 , 1968 ." """ Arrow "" was built by Walkers Limited at Maryborough , Queensland , commissioned on 17 February 1968 , and launched on 3 July 1968 ." 1 +Cornelis van Cleve painted predominantly mythological paintings and to a lesser extent religious scenes and portraits . Cornelis van Cleve painted mainly religious paintings and , to a lesser extent , mythological scenes and portraits . 0 +Yesss was sold to Mobilkom Austria following the sale of Orange to Hutchison Whampoa . Following the sale of Orange to Mobilkom Austria , Yesss was sold off to Hutchison Whampoa . 0 +Note : The votes were cast on January 20 , but both Houses met in a joint session on January 21 to declare nominations , and compare the result . Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint session to compare the nominations and explain the result . 0 +The French institute participates in the cultural life of the UK and is a partner of Cameo , Edinburgh and hosts the office of the French film festival Edinburgh . The French Institute is involved in the UK cultural life and is a partner of the Cameo , Edinburgh and hosts the office of the French Film Festival Edinburgh . 1 +Airport Road is assigned to the CR 183 which links NY 17B and NY 55 to Sullivan County International Airport . CR 183 is assigned to Sullivan County International Airport , which connects NY 17B and NY 55 to Airport Road . 0 +Károli started his school in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . Károli started his school in Nagykároly and closed it in Brassó , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . 0 +In 2004 , Barclaycard took over the sponsorship of Barclays ’ Premier League . Barclaycard took over sponsorship of the Premier League from Barclays in 2004 . 1 +A new company began production of Indian Chiefs in King 'apos ; s Mountain , North Carolina in 2006 . An Indian company began production of new Chiefs in 2006 in King 's Mountain , North Carolina . 0 +On December 28 , 1850 , the name of Dunham Township changed from Byron Township to avoid confusion with Byron Township and honor a resident of Solomon J. Dunham . Byron Township changed his name to Byron Township on December 28 , 1850 , in order to avoid confusion with Dunham Township and honor a resident , Solomon J. Dunham . 0 +It is found in North America , where it was recorded from southern California and Nevada to Texas . It is found in California and Nevada , where it has been recorded from southern Texas to North America . 0 +Together , these three features completely determine the direct structure of the algebraic product . Together , these three properties completely determine the direct structure of the algebraic product . 1 +Viñac District is one of thirty-three districts of the Yauyos Province in the Lima Region of Peru . District Viñac is one of thirty-three districts of the region Lima in Yauyos province in Peru . 0 +Tide is the sixth album by Antônio Carlos Jobim , released in 1970 on A & M Records and arranged by Deodato . Tide is the sixth album by Deodato that was released on A 'M Records in 1970 and arranged by Antônio Carlos Jobim . 0 +Some large excess microwave noise generators use avalanche diodes to create a commercial noise figure that can be turned off and on . Some large excess microwave noise generators use Avalanche diodes to create a commercial noise value that can be turned on and off . 1 +Richard Owen ( 1810 -- 1890 ) , the youngest son of Robert Owen , came to New Harmony in 1828 and taught school there . Robert Owen ( 1810 -- 1890 ) , the youngest son of Richard Owen , came to New Harmony in 1828 and taught school there . 0 +In 1978 , Gailes was finally closed down and the buildings were demolished when the radar station moved to the Atlantic House in Prestwick . Gailes was finally closed in 1978 and the buildings demolished when the Radar station staff moved to Prestwick in Atlantic House . 0 +"In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at Turkey 's folk festival in Inegol ." "In summer 2007 she performed with the "" Shavnabada Ensemble "" at the Folk Festival in Turkey in Inegol ." 1 +The song is diatonic , with a prominent series of three descending main chords providing the soundful hook . The song is diatonic , with a prominent series of three descending main chords providing the tuneful hook . 1 +There are three primary schools and a number of secondary schools in Caringbah . There are three elementary schools in Caringbah and a number of secondary schools . 1 +"Under King Louis Phillippe , a "" Gendarmerie Africa "" was restored to service in Algeria , and during the Second Empire the Gendarmerie - Regiment of the Imperial Guard was created ." "Under King Louis Phillippe a "" gendarmerie of Africa "" was re-established for service in Algeria and during the Second Empire the Imperial Guard Gendarmerie Regiment was created ." 1 +For example , the National Civic League ( originally the National Municipal League ) promotes effective municipal management . For example , the National Municipal League ( originally the National Civic League ) encourages effective management of local government . 0 +The following step works as follows . As long as there are three or more wires with the same weight add a second layer : The following step works as follows : as long as there are three or more wires of the same weight , add a second layer : 1 +Only one percent of blue diamonds are of this type and most are natural to gray . Only one percent of natural diamonds are of this type , and most are blue to gray . 0 +In 1997 , 27.4 % of the population were overweight and 14.4 % were obese , the obesity rate was twice as high in rural areas as in urban areas . In 1997 , 27.4 % of the population was overweight and 14.4 % were obese . Obesity rates were twice as high in urban areas than in rural areas . 0 +It was first recorded in November 1961 by Irma Thomas , and produced by Allen Toussaint . It was first admitted by Irma Thomas in November 1961 and produced by Allen Toussaint . 1 +In return , Grimoald granted him his daughter in marriage and gave him the duchy of Spoleto after the death of Atto . In return , Grimoald granted him his daughter in marriage and , after the death of Atto , gave him the duchy of Spoleto . 1 +In September 1970 , Romney refused and Mitchell 's plan collapsed . In September 1970 , Romney refused and collapsed Mitchell Plan . 1 +It was first recorded in November 1961 by Allen Toussaint , and produced by Irma Thomas . It was initially recorded in November 1961 by Allen Toussaint and produced by Irma Thomas . 1 +In 1406 he had the Juliana Anicia Codex of Dioscurides restored , rebound , and a table of contents and extensive scholia added in Byzantine Greek minuscule . In 1406 he had the Juliana Anicia Codex of Dioscurides restored , added a rebound and a table of contents and extensive scholies in Byzantine - Greek minuscles . 1 +"Temminck 's striped mouse or West African hybomys ( "" Hybomys trivirgatus "" ) is a species of rodent in the family Muridae ." "The West African mouse or striped hybomys ( "" Hybomys trivirgatus "" ) from Temminck is a species of the rodent in the Muridae family ." 0 +He played in 2007 in Los Angeles Lollapalooza and 2008 at the FuckYeah Festival in Chicago . He played Lollapalooza in Los Angeles in 2007 , and the FuckYeah Festival in Chicago in 2008 . 1 +The band separated shortly afterwards and reformed in 1987 as a trio with Matt Green and Brothers Lucy ( drums , vocals ) and Joel Green ( guitar ) . The band separated shortly afterwards and reformed in 1987 as a trio with Lucy and Brothers Joel Green ( drums , vocals ) and Matt Green ( guitar ) . 0 +When Peugeot launched the stylish new 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . When Peugeot launched the stylish all-new 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . 1 +Sasol operates commercial gasification plants in Secunda , Mpumalanga and South Africa in Sasolburg . Sasol , in South Africa , operates commercial gasification plants in Secunda , Mpumalanga and in Sasolburg . 0 +It was reported in June that Burke had signed a record deal with Syco and the album is handled jointly by RCA Records and RCA Records . In June it was reported that Burke had signed a record deal with Syco and the album will be jointly handled by the RCA Records and RCA Records . 1 +After the death of his father , King George , he was elected king in the presence of James Holman on March 4 , 1827 . After the death of his father , James Holman , he was elected king in the presence of King George on March 4 , 1827 . 0 +He replaced Peter Gaussen as Governor and was succeeded by James Sperling . He dissolved Peter Gaussen as Governor and was replaced by James Sperling . 1 +They also brought their seasonal beers , including a porter , a pumpkin ale , and a bock . They also brought back their seasonal brews , including a Porter , a Pumpkin Ale and a Bock . 1 +In 2014 , Lilly will join the World Curling Tour for her first season with new teammates Sarah Potts , Oye-Sem Won Briand and Tirzah Keffer . In 2014 , Sarah Potts will attend the World Curling Tour for her first season with the new teammates Lilly , Oye-Sem Won Briand and Tirzah Keffer . 0 +Until 31 May 1931 , Colonel Kenji Doihara , lieutenant colonel Kanji Ishiwara , Colonel Takayoshi Tanaka , and Major Seishiro had completed Itagaki plans for the incident . Colonel Kenji Doihara , Lieutenant Colonel Kanji Ishiwara , Colonel Takayoshi Tanaka and Major Seishirō Itagaki had completed plans for the incident by 31 May 1931 . 1 +The company currently manages multi-strategy funds , specialised credit funds , including opportunistic credit funds and institutional credit strategies - products , real estate funds and other alternative investment forms . The company is currently managing opportunistic funds , special credit funds , including multi-strategy credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . 0 +Under the direction of George D. Widener , the current 16th Street Clubhouse was built by the architect Horace Trumbauer . Under the leadership of Horace Trumbauer , the current 16th Street Clubhouse was built by architect George D. Widener . 0 +There is a standard technology ( see for example ) for calculating the change of variables to formal coordinates , at a point as a normal Taylor series expansion . There is a standard technique ( see for example ) for calculating the change of variables to normal coordinates , at a point as a formal Taylor series expansion . 0 +In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. and moved to Dublin in Tallaght , Ireland . In the 1970s , W & R Jacob in Dublin merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Tallaght , Ireland . 0 +A funnel is a pipe with a wide mouth , good for feeding , often conical and a narrow stem . A funnel is a pipe with a wide mouth , good for feeding , often conical mouth and a narrow stem . 1 +In 1901 , Winn met Emma Goldman in Chicago and found a lasting ally . In 1901 , Emma Goldman Winn met in Chicago and found in her a lasting ally . 0 +Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated from the East Coast railway . Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated from the East Coast railway . 0 +Ybbsitz is a town in the district of Lower Austria in Amstetten , Austria . Ybbsitz is a town in the district of Lower Austria in Amstetten in Austria . 1 +They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . 1 +McCreary is the brother of Bill McCreary Sr , the uncle of Bill McCreary Jr. and Ron Attwell and the brother of Bob Attwell . McCreary is the brother of Bill McCreary Sr , the uncle of Bill McCreary Jr. and Ron Attwell , and the brother-in-law of Bob Attwell . 0 +Born in 1967 in Madrid , Spain , grown up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . Born in Madrid , Spain , in 1967 , she grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . 1 +Later , however , he became Meyna of Westerburg and married the first Count of Nassau to Beilstein after his father 's death . However , he later married Meyna of Westerburg and after his father 's death became the first count of Nassau-Beilstein . 0 +The mentioned scientists Adam adores are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Isaac Newton , Nikola Tesla , Charles Darwin , and Albert Einstein The aforementioned scientists , Adam , are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Isaac Newton , Nikola Tesla , Charles Darwin , and Albert Einstein 1 +The active members of the former MDU and ABL were arrested by the police , as John Eber and Dr. Joseph K.M . The former members of the active MDU and ABL were arrested by the police , such as John Eber and Dr. Joseph K.M . 0 +"In the Christian - fundamentalist documentary "" Deception of a Generation "" , the series was strongly profiled as an example of occult influences on children 's entertainment ." "The series was heavily profiled in the Christian fundamentalist documentary "" Deception of a Generation "" as an example of occult influences on children 's entertainment ." 1 +"In addition to livestreaming gameplay footage , several members of the crew also produce "" Let 's Play "" style videos ." "Livestreaming - Members of the crew produce , in addition to several gameplay movies , also "" Let 's Play "" style videos ." 0 +In return , Grimoald granted him his daughter in marriage and , after the death of Atto , gave him the duchy of Spoleto . In return , Grimoald gave him his daughter in marriage and granted him the duchy of Spoleto after the death of Atto . 1 +On October 31 , 2012 , Watson took Actavis for and acquired the Actavis name . On October 31 , 2012 , Watson Actavis took the name Actavis and acquired it . 1 +As a correspondent she traveled to Russia , Scotland , Estonia , Germany , France , Finland , Italy and 1923 to Iceland . As correspondent she traveled to Russia , Scotland , Estonia , Germany , France , Finland , Italy and in 1923 , on a grant , to Iceland . 1 +So if we know the probability distribution functionality formula 35 , we can find the function formula 36 and calculate the optimal reservation price from it . So , if we know the probability distribution functions formula _ 35 , we can calculate the function formula _ 36 , and from it , find the optimal reservation price . 0 +From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Cancer Foundation , and CEO of Huntsman Family Holdings Company . From 1993 to 2001 , Huntsman worked as senior executive for Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . 1 +In 1994 , Texas Democrat Jamie Whitten was defeated by Steve Stockman in the year he was expected to succeed Jack Brooks as Dean . In 1994 , Texas - Democrat Jamie Whitten was defeated by Steve Stockman in the year he was expected to follow with Jack Brooks as Dean . 1 +Sahl Smbatyan wrote that Movses Kaghankatvatsi was a descendant of the ancient Armenian House of Aranshahik ( itself a branch of the Syunid dynasty ) . Chair Smbatyan wrote that Movses Kaghankatvatsi was a descendant of the ancient Armenian house of Aranshahik ( himself a branch of the Syunid dynasty ) . 1 +On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González in 2011 as the team manager . On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves ’ manager Bobby Cox as team manager in 2011 . 0 +Boraston is a civil village and small parish in Shropshire , England . Boraston is a small village and civil community in Shropshire , England . 0 +Glasson won national hall championships , including nine Australian championships , 19 times . Glasson won Australian championships 19 times including nine national indoor championships . 0 +The camp was given to the former Kenosha Council in 1951 , and it was sold when Racine and Kenosha Councils merged in 1971 . The camp was sold in 1951 to the former Kenosha Council , and it was given when Racine and Kenosha - Council merged in 1971 . 0 +These include the Union of European Federalists , European Movement International and the European Federalist Party . These include the Union of European Federalists , the European Movement International and the European Federalist Party . 1 +Fernando González defeated Gaudio Gastón 6-3 , 6-4 Gastón Gaudio defeated Fernando González 6 -- 3 , 6 -- 4 0 +From 1911 to 1946 , Temuka was a parliamentary electorate in the Canterbury region of New Zealand and was represented by four Members of Parliament . From 1911 to 1946 , Temuka was a parliamentary electorate in the New Zealand region of Canterbury , which was represented by four Members of Parliament . 0 +Yiddish names are linked in parentheses ( if different ) , current names are associated . Yiddish names are in parentheses ( if different ) , current names are linked . 1 +Creswell is served by the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC . Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC is operated by Creswell . 1 +The band consisted of Anders Hector , Claes Bure , Peter Börk , Peter Forbes , Roger Capello and Chino Mariano . The band consisted of Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector and Chino Mariano . 1 +If a spectral error correction code is used , the forward efficiency is reduced from the uncoded modulation efficiency figure . If a spectral error correction code is used , the forward efficiency is reduced by the uncoded modulation efficiency . 1 +He joined the Janata Dal ( United ) and left the Bharatiya Janata Party in February , 2008 . He joined the Janata Dal ( United ) and left Bharatiya Janata Party in February 2008 . 1 +Howes married three times in his life : in 1923 with Mary Donovan Howard , in 1932 with Catherine Tabor and in 1937 with Lillian Pechin . Howes married three times in his life : in 1923 with Lillian Pechin , in 1932 with Catherine Tabor and in 1937 with Mary Donovan Howard . 0 +Some recombinant colonies may not contain the desired white plasmid for a number of reasons . For a number of reasons , some white colonies can not contain the desired recombinant plasmid . 0 +She is the wife of Giorgio Cagnotto and mother of the Tania Cagnotto . She is the wife of Giorgio Cagnotto and mother of Tania Cagnotto . 1 +The main projects under the consolidated investment programme of IDGC Holding for 2011 are as follows : The consolidated projects under the IDGC Holding main investment program for 2011 are as follows : 0 +Adam was a member of the important Julius Adam family of Munich artists . Julius Adam was a member of the important Adam family of the artists of Munich . 0 +In 2009 , Hopsin founded his independent record label Funk Volume with Damien Ritter . In 2009 , Damien Ritter founded his own independent record label , Funk Volume , with Hopsin . 0 +He was also a nephew of Gyda Christensen , a brother of Johan Hambro , Carl Joachim and Cato , and from 1946 a step son of Elise Hambro . He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and since 1946 a step-son of Gyda Christensen . 0 +Mode 9 was born on June 14 , 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . Mode 9 was born in London on June 14 , 1975 as the third child of his parents but maintains , ( Osun State ) ) as his origin . 0 +His uncle , Wally Griffiths , taught his own sons Tony and Chris Griffiths , and Digsy to play guitar . His uncle , Wally Griffiths , taught his own sons Tony and Chris Griffiths and Digsy Guitare to play . 1 +Rockhampton was also the intersection of Central Western Line and the Emu Park Line . Rockhampton was also the junction of the Central Western line and Emu Park line . 1 +The mountain was named after the geologist Charles Lyell , a follower of Charles Darwin , in 1863 , by Charles Gould . The mountain was named in 1863 by Charles Lyell after the geologist Charles Gould , a follower of Charles Darwin . 0 +""" Iti "" usually refers to something abstract but may also refer to concrete nouns ." """ Iti "" usually refers to something abstract , but can also refer to concrete nouns ." 1 +On June 30 , ContentFilm announced its intention to acquire Allumination Filmworks as well as certain assets of UAV Corporation and UAV Holdings . On June 30 , ContentFilm announced its intent to acquire Allumination Filmworks as well as certain assets from UAV Corporation and UAV Holdings . 1 +These dolls had their English or German names covered by a sticker with the Spanish name or sometimes nothing at all . These dolls had covered their English or German names with a sticker with the Spanish name or sometimes nothing . 1 +Cypress County is represented by the Federal Electoral Division of MHCW and served in the Canadian House of Commons by Conservative MP GLEN MOTZ . Cypress County is represented by the Federal Electoral Division of MHCW and served by the conservative member GLEN MOTZ in the Canadian House of Commons . 1 +On Marth 's death in 1897 he was replaced by Frederick William Henckel , who ran the observatory until Cooper 's death in 1902 . He was replaced as Marth 's death in 1897 by Frederick William Henckel , who headed the observatory until Cooper 's death in 1902 . 0 +Cheetham , born on 30 January 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . Cheetham was born on January 30 , 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . 0 +"According to Jon Uren , Marketing Director of Warner Music Europe , the song had also "" early "" fantastic support across Europe ." "According to Jon Uren , marketing director of Warner Music Europe , the song also had "" early "" fantastic support across Europe ." 1 +Abolitionists increased in 1850 to the defense of Ellen and William Craft , Anthony Burns in 1851 and Shadrach Minkin in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , in 1851 Shadrach Minkins , and in 1854 Anthony Burns . 0 +The original route started at U.S. 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . The original route started at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . 0 +The Communist Party of Pakistan was registered under Article 17 of the Constitution of Pakistan in 1973 , as reported vide . The Communist Party of Pakistan was registered under the Article 17 of the Constitution of Pakistan , 1973 as reported vide 1 +Charles Charles Duret Aubin , Generalawalt HM , Jersey , Ambrose Sherwill , Jersey , Jurat Dorey , HM Procureur and Guernsey , received CBEs . Charles Duret Aubin , HM Attorney-General , Jersey , Ambrose Sherwill , Jersey , Jurat Dorey , HM Procureur , and Guernsey , received CBEs . 1 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Ethel and Mcoy with the other reoccupied by Gaby . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Ethel and Mcoy , while the other was reoccupied by Gaby . 1 +The poetic cosmogony of Thales , who made water the first element , can be seen as a natural excess of this pre-socratic thinking . The pre-Socratic cosmogony of Thales , who made water the first element , may be seen as a natural outgrowth of this poetic thinking . 0 +Fred Hovey defeated Oliver Campbell 7 -- 5 , 3 -- 6 , 6 -- 3 , 7 -- 5 . Fred Hovey defeated Oliver Campbell 7 -- 5 , 3 -- 6 , 6 - 3 , 7 -- 5 . 1 +They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in quarter finals 58 -- 10 . 1 +The government of Qingyang County is located in the town of Rongcheng . The government of Rongcheng Town is located in Qingyang County . 0 +The book was written by Arthur Laurents , with music by Leonard Bernstein , lyrics by Stephen Sondheim , and choreography by Jerome Robbins . The book was written by Arthur Laurents , with music by Stephen Sondheim , texts by Leonard Bernstein and choreography by Jerome Robbins . 0 +Also in 1999 , Abdelaziz Bouteflika , who supported the independence of Algeria , became president of Western Sahara . Also in 1999 , Abdelaziz Bouteflika , who supported Western Sahara 's independence , became president of Algeria . 0 +The neighbourhood became part of the township of North York , which then became a city and then a city and was later incorporated into the city of Toronto . The neighbourhood became part of the Township of North York , which then became a borough and then a city and was later incorporated into the city of Toronto . 1 +Blair hopes to stop Drake at the race . Drake next hopes to stop Blair at the race . 0 +In 2004 , Sims was crowned Miss Georgia Junior National Teenager and later won the Miss Junior National Teenager title 2005 . In 2004 , Sim 's Miss Georgia Junior National Teenager was crowned and later won the Miss Junior National Teenager title in 2005 . 1 +Orders for prototypes made in December 1930 were with three companies : Renault , Citroën and Brandt . Orders for prototypes that were made in December 1930 were with three companies : Renault , Citroën and Brandt . 1 +Azaloxan ( CGS-7135A ) is a medication that was patented by Ciba-Geigy in the early 1980s as an antidepressant , but was never marketed . Azaloxan ( CGS-7135A ) is a medication that was marketed by Ciba-Geigy as an antidepressant in the early 1980s , but was never patented . 0 +Surrounding suburbs are ( from north to south ) : Balgownie , West Wollongong , Mount Ousley , Mount Pleasant , Keiraville , Figtree and Mount Kembla . Surrounding suburbs ( from the north to the south ) are Balgownie , Mount Pleasant , Mount Ousley , Keiraville , West Wollongong , Figtree and Mount Kembla . 1 +From 1516 , the Mundy family had the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . From 1516 , the Mundy family had the manor of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . 0 +In 1901 , Winn met Emma Goldman in Chicago , and found in her a lasting ally . In 1901 , Emma Goldman Winn met in Chicago and found in her a lasting ally . 0 +Hamilcar had to send part of his army back to Libya to reinforce Carthage . Hamilcar had to send back part of his army to Carthage to reinforce Libya . 0 +Orson Welles saw in Florida Schilling and followed him in New York . Orson Welles saw in New York Schilling and followed him in Florida . 0 +Lombard College was located in Galesburg until 1930 , and is now the site of Lombard Middle School . Until 1930 , Lombard College was located in Galesburg and is today the site of the Lombard Middle School . 1 +Stille is a river of Thuringia , Germany . It flows into the river Schmalkalde in the town Schmalkalden . Stille is a river of Schmalkalden It flows into the river Schmalkalde in the city of Thuringia , Germany . 0 +The organization also operates a free pediatric center within the Mayo Refugee Camp , since December 2005 on the outskirts of Khartoum and since 2011 in Port Sudan . The organization also runs a free paediatric center within the Mayo Refugee camp , on the outskirts of Port Sudan since December 2005 , and in Khartoum since 2011 . 0 +After some protests from the girl 's father , the man of Douji and Suzu was killed before Hime and her father 's corpse were consumed by the Orochi . After some protesting from the girl 's father , the man was killed by Douji and Suzu before Hime and her father 's corpse were consumed by the Orochi . 0 +He was born in Kingston ( Toronto ) in 1799 and grew up in York . Born in 1799 in Kingston , Toronto , he grew up in York . 1 +Mandikal is a village located in small Kolar - district in Karnataka , India . It is a present village of a population over 1000 . Mandikal is a village located in present Kolar district in Karnataka , India . It is a small village of a population more than 1000 . 0 +"First B side "" Road Hog "" was written by Brad Shepherd and second B side "" Wait for the Sun "" by Faulkner ." "The first B page "" Road Hog "" was written by Brad Shepherd and the second B side "" Wait for the Sun "" by Faulkner ." 1 +Lesley Gray married Anton in September 1994 . In September 1994 , Anton married Lesley Gray Anton . 1 +The first Syracuse Chiefs baseball team were established in 1934 , when the Jersey City Skeeters moved to Syracuse and was renamed the Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 when the Jersey City Skeeters moved to Syracuse and were renamed to Chiefs . 1 +The 1916 Middle Tennessee Blue Raiders football team represented the Middle Tennessee State University during the 1916 college football season . The Blue Raiders team captain was Cass Miles . The 1916 Middle Tennessee Blue Raiders football team represented Middle Tennessee State University during the College Football season 1916 . The Blue Raiders team - captain was Cass Miles . 1 +Proteins that form stable complexes with binding molecules are often referred to as receptors , whereas their other partners are called ligands . Proteins that form stable complexes with other molecules are often referred to as receptors while their binding partners are called ligands . 0 +Charles Gowan was born in New York in 1849 or in 1850 and emigrated early to Wisconsin . Charles Gowan was born in Wisconsin in 1849 or 1850 , and migrated to New York early in life . 0 +He then left The Star in 1986 and joined The Muslim . In 1986 he left the star and joined the Muslim . 1 +Jack Evans won his second title in cruiser weight by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . Tiger won his second Cruiserweight Title by winning 5-man ladder match against Sugi San , Jack Evans , Rocky Romero and Teddy Hart . 0 +In the new group , Guy Watson , Love Song , drums and Ernie Earnshaw on the bass took over . Ernie Earnshaw , of Love Song took over on drums and Guy Watson on bass in the new group . 0 +Kendra Saunders is now 100 % Hawkgirl . Kendra Saunders is 100 % Hawkgirl now . 1 +Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . Yauli District is one of nineteen districts of the province Huancavelica in Peru . 0 +The river Stejioara is a tributary of the river Bârnărel in Romania . The Bârnărel River is a tributary of the River Stejioara in Romania . 0 +The music was composed by Poovachal Khader and lyrics was written by M. S. Viswanathan . The music was composed by Poovachal Khader and the lyrics by M. S. Viswanathan were written . 1 +Users can create written entries similar to a standard personal journal and can also upload photos from their devices . Users can upload written entries similar to a personal standard journal and can also create photos from their devices . 0 +Eagle Harbor Township is a civil community of Keweenaw County in the U.S. state of Michigan . Keweenaw County is a civil township of Eagle Harbor Township in the U.S. state of Michigan . 0 +Somanath is a village in the Palghar district of Maharashtra , India . It is situated in Dahanu Taluka . Somanath is a village in Dahanu - district of Maharashtra , India . It is located in the Palghar Taluka . 0 +He played for TuTo Turku and Klagenfurter AC , playing a season in Austria for TPS and four seasons in the Bundesliga for the Berliner SC . He played for TuTo Turku and TPS , played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berlin SC . 0 +The scenes in the marshes were also shot in Gillingham , at Riverside Country Park in Kent . The scenes in the marshes were also shot in Gillingham , Kent 's Riverside Country Park . 1 +Administratively , this bay belongs to Chukotka Autonomous Okrug of the Russian Federation . Administratively , this bay belongs to the Russian Federation of the Chukotka Autonomous Okrug . 0 +"We tied Georgia Tech , who defeated Tulane , so we are champions ... The newspapers , however , more or less generally supported the claim of Auburn ... """ We defeated Georgia Tech , who had bound Tulane , so we are masters ... However , the newspapers supported more or less generally the claim of Auburn ... 0 +"The administrative district ( "" správní obvod "" ) of the same name consists of municipal districts Prague 17 and Zličín ." "The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." 0 +Even today , the island threatens to divide into a southern and a northern part , which can only be avoided by extensive coastal protection measures . Even today , the island threatens to divide into a southern and a northern part , something which can only be avoided by extensive coastal defence measures . 1 +Container glass has a lower magnesium oxide and sodium oxide content than flat glass and higher content of silica , calcium oxide and aluminium oxide . Container glass has a higher magnesium oxide and sodium oxide content than flat glass , and a lower Silica , Calcium oxide , and Aluminum oxide content . 0 +Itami-go was a part of the castle of Arioka , which ruled Oda Nobunaga under Araki Murashige . Itami-go was a part of Castle Arioka which Oda Nobunaga ruled under Araki Murashige . 1 +Further work in this area aimed at generating milder reaction conditions and developing more robust yields . Further work in this area was aimed at generating milder reaction conditions and developing more robust yields . 1 +This keeps all boats as similar as possible and ensures a true one design class . This keeps all boats as similar as possible and ensures a true design class . 1 +He was born in Mauritius ( Quatre Bornes ) in 1951 and died in 2002 . He was born in 1951 in Mauritius ( Quatre Bornes ) and died in 2002 . 1 +After being recalled to Triple-A Las Vegas , LaRoche was demoted on September 1 . LaRoche was dismantled on 1 September after being recalled to Triple-A Las Vegas . 1 +Formerly licensed to North Myrtle Beach , South Carolina , USA , the station was owned by City of North Myrtle Beach . The station , previously licensed to North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . 1 +New Two is an album by jazz pianist George Haslam and the baritone saxophonist Mal Waldron , which was recorded in 1995 and published on English Sl . Two New is an album by jazz pianist Mal Waldron and baritone saxophonist George Haslam recorded in 1995 and released on the English Slam label . 0 +Jagtial is a village in the Mallapur district in the state of Telangana in India . Jagtial is a village and in Mallapur district in the state of Telangana in India . 1 +He was a lifelong friend of Charles Lutwidge Dodgson ( 'Lewis Carroll ' ) , and encouraged Dodgson to take up photography . "He was a lifelong friend of Lewis Carroll ( "" Charles Lutwidge Dodgson "" ) , and encouraged Dodgson to take photography ." 1 +In 1774 , his earliest settlers were George McCormick and George Woods , who settled in Spring Mills in 1773 and built the first mill there . In 1774 , his earliest settlers were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . 0 +( Zhu Youzhen changed his name to Zhu Zhen . ) ( Zhu Youzhen then changed his name to Zhu Zhen . ) 1 +In 2012 , Duncan appeared alongside Romola Garai in Scrubber , a film by Amanda Hale written and led . In 2012 Duncan appeared alongside Amanda Hale in Scrubber , a film written and directed by Romola Garai . 0 +In 2008 , the MDC-Misheck Kagurabadza candidate Tsvangirai won against the ZANU-PF candidate . In 2008 , the MDC-Misheck Kagurabadza won candidate Tsvangirai against the ZANU-PF candidate . 1 +Due to the results of the previous round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . Due to the results in the last round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . 0 +""" Futurama "" was also revived in 2007 by Comedy Central for similar reasons : high viewership in syndication as well as impressive DVD sales ." "For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." 1 +It was completed in 1933 in a modernist style for the US federal government and is now used by the United States Postal Service as an office accommodation . It was completed in 1933 in a modernist style for the United States Postal Service and is now used by the US federal government as office accommodation . 0 +On 17 May 2016 , Sassuolo DS Giovanni Carnevali confirmed that Luca Mazzitelli will be part of Sassuolo first team squad for the 2016-17 season . On May 17 , 2016 , Sassuolo DS Luca Mazzitelli confirmed that Giovanni Carnevali will be in the first team of Sassuolo for the 2016-17 season . 0 +The island of Coëtivy is located in the Indian Ocean south of the Seychelles main group . Seychelles is located in the Indian Ocean to the south of the main group Coëtivy Island . 0 +This article is the seventh history of Sir Wilfrid Laurier , Prime Minister of Canada . This article is the Electoral history of Sir Wilfrid Laurier , the seventh Prime Minister of Canada . 0 +Shayne Doyle said I have invested a lot of money in sound facilities , I have door to sound people and people pay . "Shayne Doyle said : "" I invested a lot of money in sound equipment , I have door people and sound people to pay ." 0 +The Ballymore Cup 2007 is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eight if the Pre - 2003 - Metropolitan Cup is included . 0 +On 4 January 2015 , Soane Patita Paini Mafi announced that he would appoint Tonga 's Bishop , Pope Francis , on 14 February as a cardinal . On 4 January 2015 , Pope Francis announced that on 14 February he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . 0 +The inner lip has a thin glaze on the body and Columella , whose union is very slightly concave . The inner lip has a concave glaze on the body and Columella , whose union is very slightly thin . 0 +"Some of the details that Peeters quotes are specific to the old English poem , based on "" Daniel "" ." "Some of the details Peeters cites are specific to the Old English poem based on "" Daniel "" ." 1 +The song was written by Calvo Da Gr8 and produced by The Writing Camp . The song was produced by Calvo Da Gr8 and wrote by The Writing Camp . 0 +Baden Powell was a student at the Naval Academy when he received an interest in scouting after reading a book by Mimi Sodré named Scouting for Boys . Mimi Sodré was a student at the Naval Academy when after reading a book by Baden Powell named Scouting for Boys , he became interested in Scouting . 0 +In June 2007 , drummer Wayne Bennett left the band and was replaced by Ben Timony . In June 2007 , the drummer Wayne Bennett left the band and was replaced by Ben Timony . 1 +The key could be easily changed for each new guest by inserting a new template in the lock that corresponds to the new key . The key could easily be changed for each new guest by inserting a new key template in the lock that matched the new key . 0 +"Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) as Smith Sounds ." "Smith has published two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 0 +The front row allows characters to perform powerful melee attacks while the back row is for ranged attacks , which may be either arches or spells . The back series allows characters to perform powerful melee attacks , while the front row is for ranged attacks , which can be either arches or spells . 0 +Mirigama Divisional Secretariat is a Divisional Secretariat of Western Province , Sri Lanka , of Gampaha District . Divisional Secretariat is a Divisional Secretariat of the district Gampaha , the western province of Sri Lanka . 0 +Clara Louise Bell ( 1886 -- 1978 ) ( known as Clara Louise Janowsky ) was an American miniature painter . Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature painter . 1 +"This is similar to Borel 's integral summation method , except that the Borel transform need not converge for all "" t "" , but converges" "This is similar to Borel 's integral summation method , except that the Borel transformation does not need to converge for all "" t "" , but converges ." 1 +In 1969 , US Armed Forces PFC Steven Hohensee won the 10th Army Championship . 1969 , US Armed Forces PFC Steven Hohensee won the 10th Army championship . 1 +Soon Erko Elblaus and Karl Kallas were replaced by Rasmus Rändvee and Gertrud Luhaoja respectively . Soon Erko Elblaus and Karl Kallas were replaced by Rasmus Rändvee and Gertrud Luhaoja . 1 +Specifically , p63 is expressed within embryonic ectodermal keratinocytes and the early ridge during development . Specifically , p63 is expressed within the early keratinocytes and embryonic ectodermal ridge during development . 0 +Most white horses , however , have pink skin and some have blue eyes . However , most pink horses have white skin and some have blue eyes . 0 +He soon found his place among the stalwarts as Ritter , Hoksary , Steiner , Wetzer , Semler and Vogl . As Steiner , Hoksary , Semler , Wetzer , Ritter and Vogl he soon found his place among the regular guests . 1 +On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González in 2011 as the team manager . On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace long-time Braves manager Bobby Cox as manager of the team in 2011 . 0 +For the iconographer , similarity is rarely direct or spontaneous , hardly any reference to the literal or singular . Resemblance is rarely direct or spontaneous for the iconographer , reference hardly to the literal or singular . 1 +Since 2008 , Hoyer has toured Canada on several occasions , once with Sean Nicholas Savage , once with Michael Rault and twice with The Joe . Hoyer has toured Canada several times since 2008 , including twice with Michael Rault , once with Sean Nicholas Savage , and once with The Joe . 0 +Bassett was the owner of the Toronto Argonauts from 1957 to 1974 , a team in the Canadian football league . From 1957 until 1974 , Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts . 0 +Gary Lucy was paired with Vanilla Ice in series 6 and Katie Stainsby in series 9 of the British version of Dancing on Ice . Gary Lucy was paired with Vanilla Ice in series 6 and Katie Stainsby in the series 9 of the British version of Dancing on Ice . 1 +"In 2001 he founded in Zagreb , Croatia , the publishing house and the graphic workshop "" Petikat "" , most recently he worked on animation films at the Zagreb film ." "In 2001 he founded in Zagreb , Croatia , the publishing house and animation workshop "" Petikat "" , most recently at Zagreb film worked on graphic films ." 0 +"The glabrezu true tanar ' ; ri also appeared for the planescape - campaign setting in the first "" Planescape Monstrous Compendium Appendix "" ( 1994 ) ." "The glabrezu true tanar'ri also appeared for the Planescape campaign setting in the first "" Planescape Monstrous Compendium Appendix "" ( 1994 ) ." 1 +Bradykinin - Receptor B is a G-protein - encoded receptor for Bradykinin , coupled to the BDKRB2 - Gene in humans . Bradykinin receptor B is a G-protein coupled receptor for bradykinin , encoded by the BDKRB2 gene in humans . 0 +The manuscript was added to the list of New Testament manuscripts by Gregory ( 683 ) and Scrivener ( 868 ) . The manuscript was added by Scrivener ( 683 ) and Gregory ( 868 ) to the list of manuscripts of the New Testament . 0 +Samuel Groth won the tournament after defeating Danai Udomchoke in the final with 7 : 6 , 6 : 3 . The Danai Udomchoke won the tournament after defeating Samuel Groth in the final with 7 - 6 , 6 -- 3 . 0 +Teams had to use a traditional tribal club from a distance to hit the pots . The teams had to use a traditional tribal club from a distance to hit the pots . 1 +It was the last edition in which cyclists participated in commercial teams of 1969 , were used on national teams . It was the last edition , in which the cyclists participated in commercial teams from 1969 , on national teams were used . 1 +The first base with known wieferich - prime number with order 3 is 9 , where 2 is a weifer - prime number to base 9 with order 3 . The Wieferich base with known first prime with order 3 is 9 , where 2 is a Wieferich prime to base 9 with order 3 . 0 +In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the Champions International Tournament in Charlotte , USA . In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Tournament of Champions in Mexico ’ s Guadalajara . 0 +This novel has been translated into Bulgarian , Croatian , Swedish , Polish , Russian , Korean , French , Norwegian and Dutch . The novel has been translated into Bulgarian , Croatian , Swedish , Polish , Russian , Korean , French , Norwegian and Dutch . 1 +In 1976 Peraza was Miss Venezuela , but she resigned on 24 May 1976 because she married two days after her crowning . In 1976 , Peraza Miss was Venezuela , but she married on May 24 , 1976 , because she resigned two days after her crowning . 0 +Hine was born in New Westminster , British Columbia in 1936 and grew up in Burnaby . Hine was born in 1936 in New Westminster ( British - Colombia ) and grew up in Burnaby . 1 +Saladas Department is a department of Argentina in the Corrientes province . Saladas - Department is a department of the Corrientes - province in Argentina . 0 +From her previous marriage , Ann had a daughter , Katy Spencer ( a 1962 graduate of Texas Tech ) . From her former marriage , Ann had a daughter , Katy Spencer ( a graduate of Texas Tech in 1962 ) . 1 +Pete knows Brewster , who was a friend of Peter 's father . Pete knows Brewster , a friend of Peter 's father . 1 +"The novel was translated by Roger Senhouse into English and published in 1953 ( with "" The Cat "" by Antonia White ) ." "The novella was translated into English by Antonia White and published ( with "" The Cat "" translated by Roger Senhouse ) in 1953 ." 0 +Separate lists are provided for the 61 listed properties and historic districts in Chicago and more than 350 listed properties and districts in Evanston . Separate lists are provided for the 61 listed real estate and historic districts in Chicago and more than 350 listed properties and districts in Evanston . 1 +"The six episodes were written by Gareth Carrivick ( "" Gim me Gim me Gim "" ) and directed by Jonathan Harvey ." "The six sequels were written by Jonathan Harvey ( "" Gim me Gim me Gim me "" ) and directed by Gareth Carrivick ." 0 +In 2016 , Naver 's Webtoon service entered the Chinese market as XOY and Dongman Manhua in the Japanese market . In 2016 , Naver 's webtoon service entered the Japanese market as XOY and the Chinese market as Dongman Manhua . 0 +was the son of Reverend Henry Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . Sidmouth was the son of Reverend William Leonard Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister Henry Addington , 1st Viscount Sidmouth . 0 +New exhibitions are planned in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . Planned are new exhibitions in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . 1 +"The boy , called Davis or Davison , went from Lima to England aboard the "" Archduke Charles "" , and later worked for Berry in New South Wales ." "The boy , called Davis or Davison , went from New South Wales to England on board of the Archduke Charles "" , and later worked for Berry in Lima ." 0 +The character of Michel Ardan , the real member of the party in the novel , was inspired by the French-life photographer Félix Nadar . The character of Michel Ardan , the real member of the party in the novel , was inspired by the French photographer Félix Nadar . 1 +He replaced Peter Gaussen as Governor and was succeeded by William Ewer . He dissolved Peter Gaussen as Governor and was replaced by William Ewer . 0 +The physical basis of the flower is that lenses in the real world can never perfectly focus . The real basis of the flower is that lenses can never perfectly focus in the physical world . 0 +In May 1955 , a new Balkan Express was launched from Vienna via Graz and Belgrade ( without Bulgaria ) to Athens and Istanbul . In May 1955 , a new Balkan Express was launched from Bulgaria to Athens and Istanbul via Vienna ( bypassing Graz and Belgrade ) . 0 +Brian Meehan fled with Traynor ( who later fled to Amsterdam ) to Portugal . Brian Meehan fled with Traynor to Amsterdam ( who later fled to Portugal ) . 0 +Finsch 's monitor was only known from Blanche Bay , Ralum , and New Britain in Massawa . Finsch 's monitor was only known by Blanche Bay , Ralum and Massawa in New Britain . 0 +Internal partitions are single skin and have belt rails with barrel edges . Internal partitions have single skin and are belt rails with beaded edges . 0 +He was a mediator with the United States Olympic Committee and was an arbitration panel member with the United States Postal Service . He was a mediator with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . 0 +""" Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the collected material Mount Rainier National Park in 1950 , is a synonym ." """ Cortinarius rainierensis "" , described in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material collected Mount Rainier National Park , is a synonym ." 1 +Sheikh Russell ( born June 6 , 1990 ) is a Bangladeshi footballer who plays as a midfielder , defender for Ashraf Mahmud Linkon and Bangladesh 's football national team . Sheikh Russell ( born 6 June 1990 ) is a Bangladeshi footballer who plays as a Midfielder , Defender for Ashraf Mahmud Linkon and Bangladesh national football team . 1 +In the Oratory , the annual ski trip to Italy is popular ( in 2007 , however , they went to Italy instead of Utah ) . Popular at Oratory is the annual ski trip to Italy ( however in 2007 , they went to Utah instead of Italy ) . 0 +Hernon was born in New Bedford , Massachusetts , and died in New Bedford . He is buried in St. Mary Cemetery in East Bridgewater , Massachusetts . Hernon was born in New Bedford , Massachusetts , died in New Bedford , and is buried at St. Mary 's Cemetery in East Bridgewater , Massachusetts . 1 +Mowbray Park , a large park on the riverside , was the location of a public swimming pool built into the river until the 1930s . Mowbray Park , a large riverside park , was until the 1930s , the site of a public swimming pool built into the river . 1 +The Eastern Australian Football League is an Australian rule football contest in the eastern United States of America and a division of the United States Australian Football League . The United States Australian Football League is an Australian rule football competition in the eastern United States of America and a division of the Eastern Australian Football League . 0 +The following songs were featured in the film but were not included on the soundtrack : The following songs were included in the film , but were not introduced on the soundtrack : 0 +Other BenchPrep investments include Mediaocean , InnerWorkings , Tempus , Loyalty Startup Belly , Lightbank Test Preparation Service , Qwiki , ClusterFlunk and HighGround . Other Lightbank investments include Mediaocean , InnerWorkings , Tempus , loyalty startup Belly , test preparation service BenchPrep , Qwiki , ClusterFlunk and HighGround . 0 +He was born in Petroupoli ( Athens ) in July 1973 . He was born in Athens in July 1973 ( Petroupoli ) . 1 +Stevens became close to April Bobby and they began a relationship and eventually married . April Stevens became close to Stevens and they began a relationship and eventually married . 0 +In June 1986 , Boeing 767-200ER replaced the DC-10 fleet with a new route to the international airport of Montréal -- Mirabel . In June 1986 , Boeing 767-200ERs replaced the DC-10 fleet , with a new route to Mirabel International Airport , Montréal . 1 +In 1894 , he began his career as an independent architect in Berlin ; the same year he took a study trip to Italy , one year later to England . He began his career in 1894 as an independent architect in Berlin , the same year he made a study trip to Italy , one year later to England . 1 +Lawrence Rinder was the founding director of the Institute . The current director is Anthony Huberman , who replaced Jens Hoffmann in 2013 . Founding director of the institute was Lawrence Rinder , the current director is Anthony Huberman , who succeeded Jens Hoffmann in 2013 . 1 +The traditional clothing of Ruska Roma is based on the traditional Russian and Kalderash clothes and is actively used by singers and dancers . The Ruska Roma traditional clothing is based on traditional and Kalderash Russian clothing , and is used actively by singers and dancers . 0 +"The white-stained fantail ( "" R. albogularis "" ) was until recently considered a subspecies ." "The spotted-white fantail , ( "" R. albogularis "" ) until recently was considered a subspecies ." 1 +This marine species has been found from Bristol Bay , Bering Sea , to Monterey Bay , California , USA . This marine species was found from Bristol Bay , Bering Sea , to Monterey Bay , California , USA . 1 +Sydney also has a small street art scene Perth 's street art scene includes Newtown - graffiti and street art . Sydney also has a small street art scene . Perth 's street art scene includes Newtown area graffiti and street art . 1 +Suruga-Tokuyama Station is a manned station with a single island platform and small wooden station building . Suruga-Tokuyama Station is a small wooden station with a single island platform and a manned station building . 0 +This victory repeated in an Opel Astra in 2003 this victory with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . 1 +Tătaru river is a tributary of the river Buzăiel in Romania . The Buzăiel river is a tributary of the River Tătaru in Romania . 0 +Cheetham , born on 30 January 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . Cheetham was born on January 30 , 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . 0 +In both cases he had been chosen as critic by Eugenio Scalfari , first for the weekly and then for the daily edition . In both cases , he had been selected by Eugenio Scalfari as a critic , first for the weekly newspaper and then for the daily edition . 1 +This creates filter processing and manages the filter chain with the appropriate filters in the correct order and processing starts . This manages the filter processing and creates the filter chain with the appropriate filters in the correct order and processing is started . 0 +The US 340 has a diamond exchange with MD 180 east of Petersville and crosses Catoctin Creek . East of Petersville , US 340 crosses a diamond interchange with MD 180 and has Catoctin Creek . 0 +The co-founders and Co-Artistic Directors are Sean Derry and Jaysen Mercer , Alanna Romansky is Co - Founder and Managing Director . The Co-Founders and Co-Artistic Directors are Sean Derry and Jaysen Mercer . Alanna Romansky is Co-Founder and Managing Director . 1 +The characters of Geronimo Stilton also used their other names from the sixth to the second novel . The characters of Geronimo Stilton also used their other names from the second novel to the sixth . 0 +The SOT23-3 package is very popular and a generic package for transistors and is also used for diodes and voltage regulators . The SOT23-3 package is very common and a popular package for transistors , and is also used for diodes and voltage regulators . 1 +They were accompanied by several other families , or were soon followed , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . They were accompanied by several other families , or were soon followed , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . 1 +The majority of philanthropic patients come from the poorer strata of society , who have access to free medical treatment in the Afghan Government or in Pakistani healthcare facilities . The majority of philanthropic patients are from the poorer strata of society who have access to free medical treatment in Afghan government or Pakistani healthcare facilities . 1 +It is based on Uxbridge Road in Ealing , close to Ealing Broadway Station , London , the same address as Transworld . It is based on Ealing in Ealing Broadway , near the Uxbridge Road Station , London , the same address as Transworld . 0 +The ectodermal symptoms of hypohydrotic dysplasia described above are provable not only in the skin of affected individuals , but also in their phonation and voice production . The ectodermal symptoms of hypohydrotic dysplasia described above are evidenced not only in the skin of affected individuals , but also in their phonation and voice production . 1 +""" Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the collected material Mount Rainier National Park in 1950 , is a synonym ." """ Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material described Mount Rainier National Park , is a synonym ." 0 +""" Gynacantha rosenbergi "" is larger than "" Gynacantha dobsoni "" , which seems quite similar in many ways ." """ Gynacantha rosenbergi "" is larger than "" Gynacantha dobsoni "" , which in many ways appears quite similar ." 1 +Theoretically , TS can be measured for numerical targets such as balls and cylinders , but in practice it is usually empirically calculated or derived with simple models . TS can be measured theoretically for numerical targets such as spheres and cylinders , but in practice , it is usually calculated empirically or derived with simple models . 1 +Trujillo incorporated elements of contemporary art and native figures in a very hieratic style in his canvases . Trujillo has incorporated in his canvases elements of contemporary art and local figures in a very hieratic style . 1 +The South Branch and North Branch unite north of the Boyne Falls , and the resulting Boyne River flows north-west to Boyne City at the southeastern end of Lake Charlevoix . The Boyne Falls join north of Boyne City , and the resulting Boyne River flows northwest to South Branch and North Branch at the southeastern end of Lake Charlevoix . 0 +These include replicas in Ramat Shlomo in Israel and Kfar Chabad in Jerusalem . These include replicas at Ramat Shlomo in Israel and in Kfar Chabad in Jerusalem . 1 +In 2000 , Tandy Corporation officially became the RadioShack Corporation . In 2000 , the RadioShack Corporation became officially the Tandy Corporation . 0 +He was elected President of the Assam Football Association and the Assam Cricket Association for several terms . He was also Vice-President of the Assam Sports Council . He has been elected President of the Assam Football Association and the Assam Sports Council for several terms , and he was also the Vice-President of the Assam Cricket Association . 0 +( MD 625 ) continues to the north through Hughesville on Old Leonardtown Road . The Old Leonardtown Road on Hughesville continues to the north ( MD 625 ) . 0 +The northern slope of the Obshchy Syrt is covered by deciduous forests , while the southern slope to the Caspian Depression has the characteristics of a steppe . The southern slope of the Obshchy Syrt is covered by deciduous forests , while the north slope towards the Caspian Depression has the characteristics of a steppe . 0 +"Other works at the world premiere were "" second "" , "" Adagio ( from Choral Suite ) "" , Scherzo , Op ." "Other works at the premiere were "" Choral "" ; "" Adagio ( from second Suite ) "" ; "" Scherzo , Op ." 0 +The album was released on digital download in 2008 shortly after the CD was deleted . The album was released in 2008 as a digital download shortly after the CD was deleted . 1 +Caroline Wozniacki won the title by beating Vera Zvonareva in the last 6 - 3 , 3 - - 6 , 6 -- 3 . Caroline Wozniacki won the title by beating Vera Zvonareva in the final 6 -- 3 , 3 -- 6 , 6 -- 3 . 1 +"In Europe , he sang at Le Lido in Paris and appeared with Betty Grable in the London West End musical "" Belle Starr "" ." "He sang in Europe at Le Lido in Paris and performed with Betty Grable in London 's West End Musical "" Belle Starr "" ." 1 +The meetings between teachers and other expats in Panamá continued in 2001 , before a touring team from Bogotá spent a week in the Colombian capital in May of that year . The encounters between teachers and other expats in Bogotá were continued in 2001 , before a touring team from Panamá spent a week in the Colombian capital in May of that year . 0 +Support for HTML + , a proposed successor to HTML 2 , was implemented while the specification was being developed . Support for HTML + , a proposed successor of HTML 2 , was developed while the specification was implemented . 0 +He only lost 3 and he has also saved two games . He has also saved 3 and he has lost only two games . 0 +He moved to Ottawa in 1891 and settled down in Illinois . He moved to Ottawa and settled in Illinois in 1891 . 1 +On 23 September , Myles C. Fox reached Yokosuka and left San Diego on 8 October . "On 23 September left Myles C. Fox "" Yokosuka and reached San Diego on 8 October ." 0 +The Talgarth , Wales , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Mid Wales Hospital . Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Talgarth , Wales . 0 +"In the 2015 documentary film "" The Gettysburg Address "" , Edward Everett is portrayed by actor Ed Asner ." "In the documentary "" The Gettysburg Address "" of 2015 , Ed Asner is portrayed by the actor Edward Everett ." 0 +He is well known for his precise jab , but the weakness is the glass chin , which is from the Muay Thai already . He is well known for his precise jab , but the weakness is the glass chin that already comes from the Muay Thai . 1 +Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez at 6 : 2 , 6 : 2 in the final . Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez 6 -- 2 , 6 -- 2 in the final . 1 +Thomas Johansson won against Renzo Furlan in the finals with 6 -- 3 , 6 -- 4 . Renzo Furlan won 6 -- 3 , 6 -- 4 against Thomas Johansson in the finals . 0 +On April 25 , 2016 , Robinson was traded to the Portland Steel for Jamar Howard . On 25 April 2016 , Robinson was traded for Jamar Howard to Portland Steel . 1 +Although there are regional financial implications , there also seem to be overwhelming social patterns that continue this trend . Although there are regional financial implications , there also seem to be overwhelming social patterns that perpetuate this trend . 1 +Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett in the finals with 6 -- 3 , 6 -- 4 . Wayne Black and Kevin Ullyett won against Jonas Björkman and Todd Woodbridge in the Finals 6 : 3 , 6 : 4 . 0 +Alexis Anders learns from her supervisor , Cholayna Ares , that a Terran agent , Magda Lorne , has survived a plane crash in the Hellers a week earlier . Magda Lorne learns from her supervisor , Cholayna Ares , that a terran woman , Alexis Anders , survived a plane crash in the Hellers a week earlier . 0 +The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to the Bareilly -- Bareilly railway on January 1 , 1891 . The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to form the Lucknow -- Bareilly Railway on 1 January 1891 . 0 +He then became Associate Director of the BPI Capital Corporation 's Strategic Planning Group and Ayala Corporation 's Vice President and Chief Legal Counsel . He then became Associate Director of Ayala Corporation ’ s Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . 0 +Chris Egan ( Nick Smith ) settles down with his family in Summer Bay , and he and Duncan quickly become friends and get into various crises . Chris Egan ( Nick Smith ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . 1 +The Song of Ceylon is a 1934 British documentary film directed by Basil Wright and produced by John Grierson for the Ceylon Tea Propaganda Board . The Song of Ceylon is a British documentary film directed by Basil Wright by John Grierson for the Ceylon Tea Propaganda Board in 1934 . 1 +Sweden has an embassy in Ankara and a Consulate General in Istanbul , and Turkey has an embassy in Stockholm . Sweden has an embassy in Ankara and a consulate general in Stockholm . Turkey has an embassy in Istanbul . 0 +For the 2003 season , he joined Robert Yates Racing and won two races for Yates in 2004 . Elliott Sadler joined Robert Yates Racing for the 2003 season and won two races for Yates in 2004 . 1 +The New Mexico Senate is the upper house of New Mexico State Legislature . The New Mexico State Legislature is the upper house of New Mexico Senate . 0 +According to the RKD he was the son of the genre painter Cornelis Bisschop and brother of the bird painter Abraham Busschop . According to the RKD he was the son of the genre painter Abraham Busschop and the brother of bird painter Cornelis Bisschop . 0 +The Los Angeles County Sheriff 's Department ( LASD ) operates the Lennox Station in Lennox , serving El Camino Village ( Alondra Park ) . The Los Angeles County Sheriff 's Department ( LASD ) operates Lennox Station in Lennox , serving El Camino Village ( Alondra Park ) . 1 +"He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Ian Ross , who took over Chris Bath ." "He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Ian Ross who took over from Chris Bath ." 1 +He died on 15 September 1856 in his country residence of Rosemore at Dunoon , near Holy Loch . He died at his country residence of Rosemore on the Holy Loch near Dunoon on 15 September 1856 . 0 +The manuscript was bought by Edward Everett from America to Constantinople in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett of Constantinople to America in 1819 , together with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +Likewise , an individual 's perception of self-worth is a fluctuating attitude that can rise and fall with changing components of the physical self . Likewise , the perception of self-worth as an individual is a fluctuating attitude that can rise and fall with changing components of the physical self . 1 +Audubon Park was founded in 1941 as a community within Audubon with the construction of 500 accommodation units for the employees of New York Shipbuilding in Camden , New Jersey . Camden , New Jersey was established as a community within Audubon in 1941 with the construction of 500 housing units for employees of New York Shipbuilding in Audubon Park . 0 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of non-hydrogen energy from gibbs ( Î G ) to the number of free atoms in the connection . Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs non-hydrogen energy ( ΔG ) to the number of free atoms of the compound . 1 +Kesova Gora is connected by paved roads with Bezhetsk and Kashin . There are also local roads . Kesova Gora is connected by local roads with Bezhetsk and Kashin , and there are also paved roads . 0 +After the war , the squadron in the Marine Corps reserve was reactivated and based out Following the war the squadron was based in the Marine Corps Reserve and reactivated out of 0 +""" m "" represents the number of edges and "" n "" is the number of vertices ." """ m "" representing the number of edges and "" n "" is the number of vertices ." 1 +He has been a liberal member of the Victorian Legislative Council since October 1992 , representing the province of Koonung and since then the Eastern Metropolitan Region from 1992 to 2006 . He has been a Liberal member of the Victorian Legislative Council since October 1992 , representing Eastern Metropolitan Region from 1992 to 2006 and Koonung Province since . 0 +The following night , Delirious put his problems with Pearce aside to challenge Danielson . The following night , Delirious put aside his problems with Danielson in order to challenge Pearce . 0 +On 5 July 1846 he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and great-grandmother of Bernhard Klein . On July 5 , 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-grandmother of Friedrich Nicolai . 0 +In 2006 , an additional compressor was introduced with a lateral prism with large reflectors to allow a multi-pass arrangement at the prism . An additional compressor , using a lateral prism with large reflectors to enable a multi-pass arrangement at the prism , was introduced in 2006 . 1 +The film was shot on location in Austria and Bavaria and at the Bavaria Studios in Munich . The film was shot on site in Munich and in Bavaria and at the Bavaria Studios in Austria . 0 +"It was her first studio recording since "" I Wan na Love Somebody "" and the tenth released studio album before her stroke on January 10 , 2006 ." "It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on 10 January 2006 ." 1 +D. To foster and develop the intellectual and moral life of Catholic students through religious education , cultural activity and social participation . D. The intellectual and moral life of Catholic students through religious education , cultural activities and social participation to promote and develop . 1 +Amun passes closest to Venus , and in 1964 , 2034 , and 2103 comes within 10 Gm of it . Amun comes closest to Venus and passes by in 1964 , 2034 and 2103 within 10 Gm . 0 +Pinneberg is a town in the district of Elmshorn in Schleswig-Holstein in Germany . Elmshorn is a town in the Pinneberg district of Schleswig-Holstein , Germany . 0 +18 December : Matt Long and Jarrett Martin of the Los Angeles Dodgers for Shawn Zarraga received . December 18 : Received Shawn Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . 0 +The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if present ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural second variants ( if any ) : 1 +The codice _ 2 branch is updated daily , and the codice _ 3 branch gets updated every 6 months . The branch codice 2 is updated daily , the branch codice 3 is updated every 6 months . 1 +The Olt River is a right tributary of the Madicea River in Romania . The river Olt is a tributary of the river Madicea in Romania . 1 +Stewart became deputy reeve of the Township of Otonabee in 1985 , and was a warden of Peterborough County from 1992 to 1994 . In 1985 , Stewart became Deputy Reeve of the Township of Otonabee and was guardian of Peterborough County from 1992 to 1994 . 1 +In August 2011 Lee was selected as a member of the South Korean U- 18 national team for the Asian Junior Baseball Championship held in Yokohama , Japan . In August 2011 , Lee was selected as a member of the South Korean U-18 national team for the Asian Junior Baseball Championship in Yokohama , Japan . 1 +On 7 July 1997 , Pathfinder increased the altitude record for solar powered aircraft , which was also the record for propeller aircraft . On July 7 , 1997 , Pathfinder raised the altitude record for solar driven aircraft to , which was also the record for propeller powered aircraft . 1 +For example , in JavaScript the factorial function can be defined via anonymous recursion as such : For example , in JavaScript , the factor function can be defined as anonymous via such a recursion : 0 +On July 26 , 1891 , Parnakh was born to a Jewish family in the Azov port of Taganrog . Parnakh was born into a Jewish family in the Taganrog port of Azov Sea on July 26 , 1891 . 0 +He retired in 1951 and died in 1956 . In 1951 , he retired and died in 1956 . 1 +The Score Report is the relevant statistical basis for both the game 's box score and the official records . The score report is the relevant statistical basis for both the box score of the game and the official records . 1 +After the death of his father , James Holman , on 4 March 1827 he was elected king in the presence of King George . After the death of his father , King George , he was elected king in the presence of James Holman on 4 March 1827 . 0 +The terrain was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of the Shorter University in Rome , Georgia . The site was excavated in 1992 and 1993 by Patrick Garrow of the University of Georgia and David Hally of the Shorter University in Rome , Georgia . 0 +Because there was a lack of evidence to prove that Johnson was not killed in self-defense , Jim was acquitted and allowed to return home . Because there was a lack of evidence to prove that Johnson had not been killed in self-defense , Jim was acquitted and was allowed to return home . 1 +Also for Avatamsaka , the historic Buddha Sakyamuni is simply a magical emanation of the cosmic Buddha Vairocana . Also , for the Avatamsaka , the historical Buddha Sakyamuni is simply a cosmic emanation of the magical Buddha Vairocana . 0 +""" Do whatever you want , be what you are "" was covered in 1979 by The Dramatics ." """ Be What You Are , Do What You Want "" was covered by The Dramatics in 1979 ." 0 +The last day is the first day of the year . The first day is the last day of the year . 0 +He played the Montreux Jazz Festival in Switzerland in 1981 and met John McLaughlin , Billy Cobham , who popularized him with Michael Brecker and other fusion stars . He played the Montreux Jazz Festival in Switzerland in 1981 and met Michael Brecker , introducing him to John McLaughlin , Billy Cobham and other fusion stars . 0 +McDowell first began work for Frances Williard , founder of the Women 's Christian Temperance Movement , where she met Elizabeth Harrison . First work began for Frances Williard , founder of the Christian Temperance Movement of Women , where she met Elizabeth Harrison . 1 +Bilcisha is a city in the southwestern region of Gedo , Somalia . Bilcisha is a town in the southwestern Gedo region of Somalia . 1 +"Dong Zhao was a "" Xiaolian "" and in his early years served as district official under the warlord Yuan Shao before being promoted to a military consultant ." "He was a "" Xiaolian "" and served in his early years as a district official under the warlord Dong Zhao , before being promoted to a military adviser ." 0 +He was born in Bukan , Iran , but came to Kristiansand , Norway in 1997 . He was born in Bukan , Iran , but came to Kristiansand in 1997 , Norway . 1 +The Salem militia used Charlotte County and White Creek as its bases in 1776 . In 1776 , the Salem Militia used Charlotte County and White Creek as its bases . 1 +It was next to Gillette Stadium and the site of Foxboro Stadium . It stood next to Gillette Stadium and the site of Foxboro Stadium . 1 +The High School also serves students from four other postings - communities : Alpha , Bloomsbury ( in Greenwich Township and Lopatcong Township ) , Hunterdon County . The high school also serves students from four other sending communities : Alpha , Bloomsbury ( in Hunterdon County ) , Greenwich Township and Lopatcong Township . 0 +Other cast include Avtar Gill , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Anang Desai . Other actors include Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Avtar Gill , and Anang Desai . 1 +David was the son of Sir David Barclay . David David was the son of Sir David Barclay . 1 +As children , Paul Rosbaud and his brother Hans performed with their mother , who taught piano . Paul Rosbaud and his brother Hans appeared as children with their mother , who taught the piano . 1 +St Quentin was widowed , and in 1825 he and Rowden married . Quentin was widowed , and in 1825 he and Rowden married . 1 +The central part of the watershed of Nescopeck Creek , south of the northernmost hill line , including the mouth of Black Creek , is also located in this area . The northernmost part of the Black Creek watershed , south of the central line of the hills , including the mouth of the Nescopeck Creek , is also in this row . 0 +Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . Castlebrae Community High School is a secondary school in the Edinburgh area of Greendykes . 0 +In late 2003 , he told an interviewer that his favorite bassists were Charles Mingus ( RM ) , Mike Mills ( Albert Collins Band ) , and Johnny Gayden . In late 2003 , he told an interviewer that his favorite bassists were Charles Mingus ( R.E.M . ) , Mike Mills ( Albert Collins Band ) and Johnny Gayden . 1 +The song ends with the same spoken segment of Prince that the EP begins . The song begins with the same spoken segment of Prince that the EP ends . 0 +In July 1962 , the 9th Support Squadron was activated at Mountain Home and assigned to the division , but attached to the 4364th wing . In July 1962 , the 4364th support squadron was activated in Mountain Home and allocated to the division , but assigned to the 9th wing . 0 +The participants were TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales . The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuos , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales . 1 +Notoacmea parviconoidea is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . Notoacmea parviconoidea is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 1 +Hine was born in New Westminster , British Columbia in 1936 and grew up in Burnaby . Hine was born in Burnaby , Germany in 1936 and grew up in New Westminster , British Columbia . 0 +The Giro 's mountainous stage 20 began on the slopes of Les Deux Alpes , and the penultimate stage ended on the mountain the next day . The mountainous stage 20 of the Giro began on the slopes of Les Deux Alpes , and the second stage ended the next day on the mountain . 1 +Born in Gosforth , Northumberland , he moved to the south as a boy to Wiseton Estate , near Retford , Nottinghamshire , when his father found jobs there . Born in Retford , Nottinghamshire , he moved as a boy to Wiseton Estate , near Gosforth , Northumberland , when his father found jobs there . 0 +He died on 19 February 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . He died in Boston , Massachusetts , on February 19 , 1935 , and was interred in Holyhood Cemetery , Brookline , Massachusetts . 1 +In 1951 , the Cogioba Council , based in Bowling Green with the West Kentucky Area Council , merged to form the Audubon Council , which serves a good third of Kentucky . In 1951 , the West Kentucky Area Council , headquartered in Bowling Green merged with the Audubon Council to form the Cogioba Council serving a good third of Kentucky . 0 +New publications edited by Marysia Lewandowska and Laurel Ptak , published by Tensta konsthall together with Sternberg Press , Berlin . ( edited by Marysia Lewandowska and Laurel Ptak ) are recent publications , published by Tensta konsthall together with Sternberg Press , Berlin . 1 +It is found in the Zimbabwe , the central province of Midlands . It is found the Midlands Province , in the central Zimbabwe . 0 +Synaptic clustering refers to the addition of dendritic spines to a new area where other spines have been added by previous learning . Synaptic clustering refers to the addition of new spines in a dendritic area , where other spines have been added by previous learning . 0 +In 1915 , Pando and a number of former liberals and dissatisfied conservatives formed the Republican Party . In 1915 , Pando and a number of former Liberals and discontented Conservatives formed the Republican Party . 1 +The Albanian law is codified and is based on French law . The French law is codified and is based on Albanian law . 0 +Besides Irina , several other actresses Lena Olin have portrayed in the course of the series . Besides Lena Olin , several other actresses have portrayed Irina in the course of the series : 0 +"The Second Fortress is an electronic set for , what the liner notes say , are "" enigmatic sounds "" ." "The Second Fortress is an electronic set for what liner notes say are "" mysterious sounds "" ." 1 +They come close to succeeding , with unintentional help from Jim and Tim Possible , but Kim is saved by Ron at the last minute . They come close to being successful , with unintentional help from Kim and Tim possible , but Jim is saved at the last minute by Ron . 0 +The western extension of the congestion charge in London was withdrawn in 2007 ( and introduced on 1 January 2011 ) . The Western Extension of the London congestion charge was withdrawn in 2007 ( and introduced on 1 January 2011 ) . 1 +Born in San Francisco , California , he died in Brooklyn , New York , at the age of 81 . Born in Brooklyn , New York , he died at the age of 81 in San Francisco , California . 0 +The event was held on outdoor grass courts and played from September 27 through October 5 , 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was held on outdoor grass courts and was played in the Philadelphia Cricket Club in Wissahickon , Philadelphia from 27 September to 5 October 1887 . 1 +"Some priority rights , called "" internal priority rights "" , are defined by some national laws ." "Some priority rights , "" national priority rights , are defined by some internal laws ." 0 +Only three wrestlers in the history of sumo have ever lost more times to another than Akinoshima did against Kotonishiki . Only three wrestlers in the history of Sumo have ever lost more to another than Kotonishiki against Akinoshima . 0 +April 9 : RHP Ryan Webb and C Brian Ward traded to Los Angeles Dodgers for RHP Ben Rowen and C Chris O'Brien April 9 : RHP Ben Rowen and C Brian Ward traded to Los Angeles Dodgers for RHP Ryan Webb and C Chris O 'Brien . 0 +Teliphasa similalbifusa is a species of moth of the Pyralidae family . It is found in China ( Guangxi ) . Teliphasa similalbifusa is a type of moth of the Pyralidae family . It is found in China ( Guangxi ) . 1 +In 2000 , the RadioShack Corporation became the Tandy Corporation officially . In 2000 , RadioShack Corporation officially became the Tandy Corporation . 1 +In an apartment in SoHo Daniel awakes with Aya and Maeda at her side . Daniel awakens in an apartment in SoHo , with Aya and Maeda at her side . 1 +Rogue waves can result from the directional interference ( dispersive and elementary focusing ) of constructive 3D waves enhanced by nonlinear effects . Rogue - Waves can result from the directional interference ( dispersive and elementary focusing ) of constructive 3D waves , which are amplified by nonlinear effects . 1 +On 24 November 2012 , Franscoviak married the writer Charlie Kirn , who live in Livingston , Montana , with their children Maisie and Maggie McGuane . On November 24 , 2012 , Franscoviak married writer Charlie Kirn . The two live in Livingston , Montana with her children Maisie and Maggie McGuane . 1 +He died on February 20 , 1930 in Albany , New York . He was buried at the Glenwood Cemetery in Oneida . He died in Oneida on February 20 , 1930 and was buried at the Glenwood Cemetery in Albany , New York . 0 +Calibogue Sound is between Daufuskie and Hilton Head Islands . It connects the Intracoastal Waterway and the Harbour Town Marina with the Atlantic Ocean . Calibogue Sound is located between Daufuskie and the Atlantic Ocean and connects the Hilton Head Islands and the Harbour Town Yacht Marina with Intracoastal Waterway . 0 +He performed at festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . He has performed at the Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach festivals . 1 +This makes Pyhä-Luosto Finland 's newest but at the same time oldest national park . This makes Pyhä-Luosto Finland 's newest and oldest national park at the same time . 1 +Robertson is a railway station in Robertson , New South Wales , on the Unanderra -- Moss Vale railway line . Robertson is a railway station in Robertson , New South Wales , on the railway line Unanderra - Moss Vale . 1 +"Karthik was first introduced by Bharathiraja in the film "" Alaigal Oivathillai "" ." "First Bharathiraja was presented in the film "" Alaigal Oivathillai "" by Karthik ." 0 +The museum consists of a new information room , a restoration hangar , the main hangar Texas Flying Legends and the hangar Oswin H. Elker . The museum consists of a main information room , a restoration hangar , the new hangar Texas Flying Legends and the Oswin H. Elker Hangar . 0 +There are professional Barbershop Harmony Society and amateur groups who sing exclusively a cappella . There are amateur Barbershop Harmony Society and professional groups that sing a cappella exclusively . 0 +Enrique Franco Aguilar ( Mazatlán , December 19 , 1938 ) is a Mexican-born American songwriter . Enrique Franco Aguilar ( Mazatlán , 19 December 1938 ) is a Mexican-born naturalized American songwriter . 1 +Bhojpuri is the local language and the official language is Hindi . Bhojpuri is the national language and Hindi is the official language . 0 +"Annie Homan ( 1944 ) shows the street as the "" Livermore Road "" , according to historian Bowerman ." "Annie Homan ( 1944 ) shows the road as the "" Livermore Road "" , according to historian Bowerman ." 1 +Mushtaq was born in Baihar town of Balaghat district Madhya Pradesh . Mushtaq was born in Baihar City of Balaghat District Madhya Pradesh . 1 +"Chrysiliou ( ; ) is a small village in Cyprus to the east of Morphou "" De facto "" , it is under the control of Northern Cyprus ." "Chrysiliou ( ; ) is a small village in Cyprus , east of Morphou . "" De facto "" , it is under the control of Northern Cyprus ." 1 +Nationalist parties , however , said , together with other liberal groups , that they would boycott the July elections . Other liberal parties , however , along with nationalist groups , said that they would boycott the July elections . 0 +The Nadeş River is a tributary of the River Ciortosu in Romania . The Ciortosu River is a tributary of Nadeş River in Romania . 0 +Ruth Page , Berenice Holmes ( Gene Kelly 's ballet teacher ) , and Elise Reiman were the three Muses and Hans Kindler conducted . Ruth Ruth Page , Elise Reiman ( Hans Kindler 's ballet teacher ) and Berenice Holmes were managed by the three Muses and Gene Kelly . 0 +"The final product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X-COM : UFO Defense "" ." "The finished product was marketed as "" UFO : Enemy Unknown "" in Europe and Australia and as "" X-COM : UFO Defense "" in North America ." 0 +In 1996 , Fleet acquired the US branch network ( New York and New Jersey ) of the British National Westminster Bank . In 1996 , Fleet acquired the British branch network ( in New York and New Jersey ) of the US National Westminster Bank . 0 +Holt represents the residents of Weakley , Obion and part of the Carroll County . Holt represents the residents of Weakley , Obion , and part of Carroll County . 1 +In 2015 , Kim was twice selected for the Korean national team , and became the first man since 1985 to win the World Archery Championships again . In 2015 , Kim was once again chosen for the Korean national team , and became the first man since 1985 to win twice the World Archery Championship . 0 +Proteins that form stable complexes with other molecules are often referred to as receptors , while their binding partners are referred to as ligands . Proteins that form stable complexes with binding molecules are often referred to as receptors while their other partners are called ligands . 0 +Landowski was born in Paris of a Polish refugee father of the January Uprising , and a French mother . Landowski was born in Paris as the son of a Polish refugee father of the January uprising and a French mother . 1 +The first main span was completed in 1857 and the positioned bridge was opened by Prince Albert on 2 May 1859 . The first field was completed in 1857 and the positioned bridge was opened on 2 May 1859 by Prince Albert . 1 +Wayne Black and Kevin Ullyett won in the final 6 -- 3 , 6 -- 4 , against Jonas Björkman and Todd Woodbridge . Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett at 6 : 3 , 6 : 4 in the final . 0 +Botelloides chrysalidus is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . Chrysalidus Botelloides is a species of sea snail , a top gastropod mollusk in the Trochidae family , the naval snails . 1 +"Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in the ABC - Soap "" One Life to Live "" 2007 ." "Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston on the ABC soap "" One Life to Live "" in 2007 ." 1 +Euthria amorimi is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Euthria amorimi is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +Mount Darwin ( alternate : Darwin ) is one of seven districts in the Mashonaland Central province of Zimbabwe . Mount Darwin ( alternatively : Darwin ) is one of seven districts in the province of Mashonaland Central of Zimbabwe . 1 +His involvement in Thailand ended in 2002 years ago and the Tournament has now moved to Uzbekistan in Asia . His participation in Thailand ended 2002 years ago and the tournament has now moved to Uzbekistan in Asia . 1 +According to the United States Census Bureau , Harmony Township is a total area of , of which is land and , or 5.21 % , has water . According to the United States Census Bureau , Harmony Township is a total area of which is land and , or 5.21 % , has water . 1 +"Burton L. "" Burt "" Collins ( March 27 , 1931 , Philadelphia - February 23 , 2007 , New York City ) was an American jazz trumpeter ." "Burton L. "" Burt "" Collins ( 27 March 1931 , New York City -- February 23 , 2007 , Philadelphia ) was an American trumpeter ." 0 +4 December 1992 -- Birmingham City coach Ian Atkins is appointed manager of Cambridge United . December 4 , 1992 -- Cambridge United Trainer Ian Atkins is appointed coach of Birmingham City . 0 +John Peter Featherston married Bessie Parnell , daughter of John Parnell , County Wicklow , Ireland in 1871 . Bessie married Parnell John Parnell , daughter of John Peter Featherston , County Wicklow , Ireland in 1871 . 0 +Further restoration was carried out in 1962 for William Cardinal Godfrey who had earlier appointed the poet and mystic John Bradburne to be caretaker . In 1962 , for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker , further restoration was carried out . 0 +The Cannon County Courthouse located at Court Square in Woodbury , Tennessee , is an historic building and the center of county government in Cannon County . The Court Square at the Cannon County courthouse in Woodbury , Tennessee , is a historic building and the center of County Government in Cannon County . 0 +Norton Township was originally called Sumner Township , and under the latter name was organized in 1858 . Norton Township was originally called the Sumner Township and was founded in 1858 under the latter name . 1 +"From 2015 , Brown appears as a political commentator on "" The Verdict "" of Channel 9 with Karl Stefanovic ." "From 2015 , Karl Stefanovic appears with Brown as political commentator on "" The Verdict "" from Channel 9 ." 0 +The leaves are typically 1.5-4 mm wide and 0.2-0.7 mm long . The leaves are generally 1.5-4 mm long and 0.2-0.7 mm wide . 0 +The government of He County is located in Liyang Town . The He County government is located in the town of Liyang . 1 +In 2002 , Ethridge married Model Nancy Hagen , they live in Rockaway Beach , Queens and his studio is in Brooklyn , NY . In 2002 , Ethridge married fashion model Nancy Hagen . They live in Rockaway Beach , Queens and his studio is in Brooklyn , NY . 1 +The government of He County is located in the town of Liyang . The government of Liyang Town is located in He County . 0 +Moreover , his achievements should be recognized in the traditional arena , as he was the first generation of Taiwanese literature in literary history . Furthermore , his achievements in the traditional arena should be recognised , as he was the first generation of Taiwanese literature in literary history . 1 +Suo Chao is killed in a fight against Shi Bao 's general Fang La . Suo Chao is killed in a fight against General Fang La of Shi Bao . 1 +Townshend was the son of Lord John Townshend , younger son of George Townshend , 1st Marquess Townshend . Townshend was the son of Lord John Townshend , the younger son of George Townshend , 1st Marquess Townshend . 1 +In 2013 , Williamson left and was replaced by guitarist Keith Tew and later , Boling left and was repalced by Don Hill . In 2013 , Williamson left and was replaced by guitarist Keith Tew and later , Boling left and was restored by Don Hill . 1 +The Hebrew Union College -Jewish Institute of Religion also manages the Skirball Cultural Center in Jerusalem and the Skirball Museum in Los Angeles . The Hebrew Union College -Jewish Institute of Religion also manages the Skirball Cultural Center in Los Angeles and the Skirball Museum in Jerusalem . 0 +He was re-elected in 1977 , and in April 1978 was elected to the newly created Court of Appeals District 1 . It was elected in 1977 and re-elected in April 1978 to the newly created Court of Appeals District 1 . 0 +Mornington House was the Dublin social season Georgian residence of the Earls of Mornington . Mornington House was the Georgian season of the Dublin Social Residence of the Earls of Mornington . 0 +Behar is the 32nd annual Jewish parshah or portion in the weekly cycle of Torah reading . Behar is the 32nd annual Jewish parshah or part of the weekly Torah reading cycle . 1 +She married Eero on June 10 , 1939 and she had two children : Eric Saarinen , born in 1942 , and Susan Saarinen , born 1945 . She married Eero on June 10 , 1939 , and they had two children : Eric Saarinen , born 1942 , and Susan Saarinen , born 1945 . 1 +It is found from western Mexico in the United States south of Texas . It is found from western Texas in the United States south to Mexico . 0 +We did not join the Arabs from the Jewish villages bombarding other vehicles in 1947 . In 1947 we did not join the Arabs from the Jewish villages that bombed other vehicles . 1 +It was also banned in Japan , the United States ( where it was first released , then cut in a heavily distributed version ) , England and France . It was also distributed to England and France in Japan , the United States ( where it was first banned , then published in a heavily cut version ) . 0 +"This is a list of locomotives of the "" Polish National Railways , PKP "" ( Polskie Koleje Państwowe ) ." "This is a list of Locomotives of the "" Polskie Koleje Państwowe "" ( Polish State Railways , PKP ) ." 1 +Shiva wanted to see God , but Sati was in the dark that Rama was a manifestation of Rama . Shiva wanted to see God , yet Sati was in the dark that Rama was a manifestation of Rama . 1 +The resulting explosion also destroyed the core vehicle , and the second SRB then initiated its own self-destruction . The resulting explosion also destroyed the nuclear vehicle , and then the second SRB initiated its own self-destruction . 1 +Emperor Ferdinand I played a role at the coronation ceremonies of Emperor Matthias in 1612 and the election of Johann Reinhard in 1619 . I played a role at the coronation of Emperor Matthias in 1612 and the election of Emperor Ferdinand in 1619 . 0 +The game was published on September 12 , 2008 in North America and on September 22 in Europe . The game was released in North America on September 12 , 2008 , and in Europe on September 22 , 2008 . 1 +The music was composed by MS P. Bhaskaran and G Sankara Kurup and the lyrics were written by Baburaj . The music was composed by MS Baburaj and lyrics was written by P. Bhaskaran and G Sankara Kurup . 0 +New teaching sites were opened in the 1990s in Ivrea , Mondovì , Biella , Alessandria and Vercelli . New teaching sites were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli in the 1990s . 1 +She left London on 1 January 1829 for Sydney via Madras . She left London on 1 January 1829 via Madras to Sydney . 1 +The museum consists of a main information room , a restoration hangar , the new Texas Flying Legends hangar , and the Oswin H. Elker Hangar . The museum consists of a main information room , a restoration hangar , the new Texas Flying Legend Hangar and the Oswin H. Elker Hangar . 1 +"Triandos was referenced in the third episode of the second season of the HBO original series , "" The Wire "" ." "Triandos was referenced in the second sequence of the third season of the HBO - original series , "" The Wire "" ." 0 +Giant fields along the zone were discovered in 1920 at Long Beach Oil Field and Huntington Beach Oil Field in 1921 . Huge fields along the zone were discovered at the Huntington Beach Oil Field in 1920 and at Long Beach Oil Field in 1921 . 0 +In Finland , Bank of Åland is a full service bank focused on premium banking and private banking . In Finland , the Bank of Åland is a full service bank focused on premium banking and private banking . 1 +The film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . A film director Larysa Malyukova and film critic Amir Yatsiv discussed the rare genre of the animated documentary . 0 +The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengal during the 2014 Basketball season -- 15 NCAA Division I men . The 2014 -- 15 Idaho State University men 's basketball team represented Idaho State Bengals during the 2014 -- 15 NCAA Division I men 's basketball season . 1 +""" Rockingham "" reached Bombay on 23 May and arrived on September 21 in Whampoa ." """ Rockingham "" reached Whampoa on 23 May , and arrived at Bombay on 21 September ." 0 +In 2012 , he went to Canada to play with London City in the Canadian Soccer League , returning to Serbia to play with Srem Jakovo and Jedinstvo Surčin . In 2012 , he returned to Canada to play with London City in the Canadian Soccer League.He went to Serbia to play with Srem Jakovo , and Jedinstvo Surčin . 0 +He played only 18 games and just came to beat 29 times . He played only 18 games , and came to bat just 29 times . 1 +Frans Wittouck and his brother Paul ( 1855 -- 1914 ) possessed a sugar factory in Wanze . Frans Wittouck and his brother Paul ( 1855 -- 1914 ) owned a sugar factory in Wanze . 1 +A new Goo Ball is introduced , which is ground up by the Corporation into a facial cream . A new Goo Ball is introduced , which is ground by the Corporation into a facial cream . 1 +"In March 1799 , Captain Boyle David Lloyd replaced and sailed "" Hyaena "" on 4 March to the Mediterranean Sea ." "In March 1799 Captain Boyle replaced David Lloyd , and sailed "" Hyaena "" for the Mediterranean on 4 March ." 0 +During the hearings , it was revealed that neither Lewis nor Forbes knew that Claude had feathered the No . During the hearings , it was revealed that neither Lewis nor Forbes knew that Claude had feathered the number . 1 +The Oltu region ( also claimed by Georgia in 1920 ) was administered by Armenia briefly . The Oltu region ( also claimed by Georgia in 1920 ) was briefly administered by Armenia . 1 +Scopula anfractata is a moth of the Geometridae family and is found in Yunnan ( China ) . Scopula anfractata is a moth of the Geometridae family that is found in China ( Yunnan ) . 1 +Jack Evans won his second Cruiserweight track by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . Tiger won his second Cruiserweight Title by winning 5-man ladder match against Sugi San , Jack Evans , Rocky Romero and Teddy Hart . 0 +Harry uses Shay 's taxi to get away with the briefcase . She opens the briefcase and finds diamonds and money in it . Harry uses Shay 's taxi to get away with the bag , she opens the pocket and finds in it diamonds and money . 1 +The journalist played by Elio Germano ( Lorenzo Guadagnucci , the fictional Journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . The journalist played by Elio Germano ( Luke Gualtieri , the fictional journal of Bologna ) is Lorenzo Guadagnucci , journalist from Il Resto del Carlino . 0 +""" Note : not all of the above details are verifiable in available sources , but the primary outline is in Messenger . """ """ Note : Not all of the above details are verifiable in available sources , but the primary structure is in Messenger ." 1 +The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classical image of the foyer . The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classic image of the foyer . 1 +An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot routine computation library , as scientific WAKPDF . An implementation that calculates the probability density function of the Wakeby distribution is included as scientific WAKPDF in the routine data library Dataplot . 1 +"The canonical choice for ( "" m "" , "" n "" ) is chosen so that "" n "" is positive and that is ." "The positive choice for ( ( "" m "" , "" n "" ) ) is chosen so that "" n "" is canonical and , i.e ." 0 +There are a considerable number of nurses from the Anglophone Caribbean who work in the United Kingdom and an even greater number in the United States . There are a substantial number of nurses from the Anglophone Caribbean working in the United States and an even greater number in the United Kingdom . 0 +This can be generalized by transposing the bi-anisotropes 6 × 6 - susceptibility tensor to full materials . This can be further generalized to bi-anisotropic materials by transposing the full 6 × 6 susceptibility tensor . 0 +Green Mountain is a peak in the Glacier Peak Wilderness above the Sauk River in Snohomish County , Washington . Green Mountain is a summit in Glacier Peak wilderness above the Sauk River in Snohomish County , Washington . 1 +In February 2007 , Barbara Fischinger performed in Frankfurt at the Original Lumigraph and in Amsterdam in 2012 . In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in 2012 in Frankfurt . 0 +"Singer Zsuzsa Koncz and composer János Bródy sang their famous song , "" Ha én rózsa volnék "" ( "" If I were a rose "" ) ." "Singer János Bródy and the composer Zsuzsa Koncz sang their famous song , "" Ha én rózsa volnék "" ( "" If I were a rose "" ) ." 0 +Their appearance ranges from clear sediment to completely cloudy , and their colour ranges from almost colourless to amber to brown . Their appearance ranges from cloudy with sediment to completely clear , and their colour ranges from almost colourless to amber to brown . 0 +( EL - Successor Conrail sold the old New York main route to Cassville , Susquehanna , and Western Railway in 1982 through Utica , Chenango , and Susquehanna Valley . ) ( EL - Successor Conrail sold the old main route , Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway in 1982 . ) 0 +The agency was founded in Milwaukee in 1976 and entered Chicago in 1998 and New York in 2009 . The agency was founded in 1976 in Chicago and entered the New York market in 1998 , in Milwaukee in 2009 . 0 +"The spacecraft is the second application of the "" Flexbus "" platform from Astrium , the first was GRACE ." "The spacecraft is the first application of Astrium 's "" Flexbus "" platform ; GRACE was the second ." 0 +In 2014 , founding member Devin Abrams left the band for 15 years and was replaced by Dan McGruer . In 2014 , founding member of 15 years Dan McGruer left the band and was replaced by Devin Abrams . 0 +Tara Moore won the title defeating Myrtille Georges in the final 7 -- 6 , 5 -- 7 , 6 -- 4 . Myrtille Georges won the title and defeated Tara Moore in the final 7 -- 6 , 5 -- 7 , 6 -- 4 . 0 +It was written by John Sanborn and directed Michael Kaplan . It was written by John Sanborn and directed by Michael Kaplan . 1 +There are five university clinics , a military hospital and more than 40 common hospitals and specialist hospitals . There are five university hospitals , a military hospital and more than 40 general hospitals and specialist clinics . 1 +Sri Parashakthi Kshetra is located almost 30 km from Mangalore International Airport and 20 km from Mangalore Railway Station . The Sri Parashakthi Kshetra is located almost 30 km from Mangalore Railway Station and 20 km from Mangalore International Airport . 0 +The user can only use the package in read-only mode to evaluate it . The user can only evaluate the package in use-only mode in order to read it . 0 +Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt Music Academy in Budapest . Born in Hungary ( Békésszentandrás ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . 1 +The logo is similar to that of the Florida Panthers of the NHL , the old jersey of the Bearcats is that of Buffalo Sabres from 1996 / 97-2005 / 06 . The logo is similar to that of the NHL Buffalo Sabres , the jersey of the Bearcats is that of the Florida Panthers from 1996 / 97-2005 / 06 . 0 +On October 1 , 2005 the village of Hanazono , from Ito District , was merged into Katsuragi . On 1 October 2005 , the village of Hanazono was merged from the district Ito with Katsuragi . 1 +They performed at the Beachland Ballroom in Cleveland on November 30 , 2012 , and at the City Winery in Chicago on December 1 , 2012 . They appeared in the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , at the Beachland Ballroom in Cleveland . 0 +Mahathir wrote another letter to Manser in March 1992 : In March 1992 , Mahathir wrote another letter to Manser : 1 +William E. Kiernan ( 22 May 1925 , in Croydon -- 3 April 2006 , in Pembury ) was an English footballer . Kiernan was an English footballer ( May 22 , 1925 in Croydon -- April 3 , 2006 in Pembury ) . 1 +"The Diet Pepsi is a cool , rich , and fresh silver color and represents "" grey "" ." The diet - Pepsi is a cool , rich and fresh silver color and represents “ grey ” . 1 +For this match , Paul Jones was bound in Valiant corner by a rope to Dusty Rhodes . For this match Dusty Rhodes in Valiant 's corner was tied by a rope to Paul Jones . 0 +When the sun is quiet , fewer galactic cosmic rays reach the earth than in the times when the sun is active . When the Sun is active , fewer Galactic cosmic rays reach Earth than during times when the Sun is quiet . 0 +The New Matrix Representation for Symmetric Bilinear Form is Now Given The Symmetric Bilinear Matrix Representation for the New Form is Now Given 0 +Until May 31 , 1931 , Colonel Seishiro Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident . Colonel Seishirō Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident by 31 May 1931 . 1 +His police career began in San Antonio , Texas , and was a police officer in San Diego before he returned to San Francisco . His police career started in San Antonio , Texas , and was a police officer in San Francisco before he returned to San Diego . 0 +From 1999 to 2002 she attended the Lincoln Southwest High School and from 2002 to 2005 she visited Scott Middle School . She attended Scott Middle School from 1999 to 2002 and attended Lincoln Southwest High School from 2002 to 2005 . 0 +The party is currently run by Paolo Grimoldi as national secretary and Giacomo Stucchi as national president . The party is currently led by Giacomo Stucchi as national secretary and Paolo Grimoldi as the national president . 0 +Following the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan have nearly disappeared . After the actual invasions of the seventh century the original Christians have nearly disappeared from Muslim Azerbaijan . 1 +He has presented papers and the College Art Association conference in New York ( 2007 ) and at the Subtle Technologies Conference in Toronto ( 2002 ) . He has presented presentations and the College Art Association Conference in New York ( 2007 ) and at the Subtle Technologies Conference in Toronto ( 2002 ) . 1 +In 1995 , Kris Jenner , the close friend of Kendall Nicole Jenner , named her daughter Brown in memory of Brown . In 1995 , Kendall Nicole Jenner 's close friend Kris Jenner named her daughter Brown in memory of Brown . 1 +In 2012 , Lufthansa announced its plans to transfer short-haul flights from cities other than Frankfurt and Munich from Lufthansa to Germanwings . In 2012 Lufthansa announced its plans to transfer point-to-point shorthaul flights operating from cities other than Frankfurt and Munich from Lufthansa to Germanwings . 0 +As Secretary of the Archbishop of Split , he went to Hungary and through Zagreb in 1503 to Venice . As Secretary of the Archbishop of Split , he went to Venice and in 1503 through Zagreb to Hungary . 0 +Agnes Milowka ( 23 December 1981 - 27 February 2011 ) was an Australian technical diver , underwater photographer , writer , maritime archaeologist and cave explorer . Agnes Milowka ( 23 December 1981 - 27 February 2011 ) was an underwater diver , Australian technical photographer , author , maritime archaeologist and cave explorer . 0 +Mumba Malila , however , removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position as Minister of Justice . However , Mumba Malila removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position of Justice Minister . 1 +The BMS - Chairman is Jürg Kramer ( FU ) , and the deputy chairpersons are Günter M. Ziegler ( HU ) and John M. Sullivan ( TU ) . The BMS - Chairperson is Günter M. Ziegler ( FU ) , the deputy chairs are Jürg Kramer ( HU ) and John M. Sullivan ( TU ) . 0 +On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar , and Luis Rivera for the Braves for B. J. Surhoff . On July 31 , Molina was traded with B. J. Surhoff to the Braves for Trenidad Hubbard , Fernando Lunar and Luis Rivera . 0 +Marat Safin won in the last 6 -- 4 , 5 - 7 , 6 -- 4 against Nikolay Davydenko . Marat Safin won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Nikolay Davydenko . 1 +He was placed in the vault at Glenwood Cemetery and then removed to the Presbyterian Cemetery in Alexandria , Virginia . He was placed in the vault at the Glenwood cemetery and then taken to the Presbyterian cemetery in Alexandria , Virginia . 1 +The locomotives were delivered by Neilson , Reid and Company and ordered from 1903 . The locomotives were ordered from Neilson , Reid and Company and delivered in 1903 . 0 +Face of Evil is a 1996 TV movie starring Jeanelle Polk as Shawnee Smith , Perry King as Russell Polk and Darcy Palmer as his daughter Tracey Gold . Face of Evil is a 1996 TV movie with Jeanelle Polk as Shawnee Smith , Perry King as Russell Polk and Darcy Palmer as his daughter Tracey Gold . 1 +The Saul region is a dry belt of semi-open forest and patches of savanna that are more characteristic of the Guayana Lowland province . The Saul region is a dry belt of semi-open forest and savannas that are more characteristic of the province of Guayana Lowland . 1 +The Banach - Mackey - topology and the weak Arens - space topology are relatively rarely used . The Arens - Mackey - Topology and the weak Banach - Space topology are relatively rarely used . 0 +Jayson Scott Musson is an artist who currently lives and works in Brooklyn , NY . He was born in Bronx , NY . Jayson Scott Musson is an artist who currently lives and works in Bronx , NY , born in Brooklyn , NY . 0 +The river is wide and the river deep , Alleluia ! The river is deep and the river is wide , Alleluia ! 1 +Richard Biddle was the brother of the American financier Nicholas Biddle , nephew of Congressman Edward Biddle , and Congressman Charles Biddle 's uncle . Richard Biddle was the brother of American financier Nicholas Biddle , nephew of Congressman Edward Biddle and uncle of Congressman Charles John Biddle . 1 +In 2004 , SCA acquired International Paper 's Tissue and Hygiene products businesses from Carter Holt Harvey . In 2004 SCA acquired the tissue and hygiene products businesses of International Paper from Carter Holt Harvey . 0 +"Brown also appeared in Peaches Christ 's "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow ." "Brown also appeared in "" All about the Evil "" of Peaches Christ with Cassandra Peterson , Mink Stole and Patrick Bristow ." 1 +The Max Planck , the Albert Einstein , the Lev Landau , and the Eugene Wigner academic genealogies ultimately lead to the Renaissance humanist Niccolò Leoniceno . The academic genealogies Albert Einstein , Eugene Wigner , Max Planck and Niccolò Leoniceno ultimately lead to the Renaissance - humanist Lev Landau . 0 +The decisive interest of the members was one of the common musical factors for the formation of Coldrain . The decisive interest of the members was one of the common musical factors for the forming of Coldrain . 1 +It is known as the place where Friedrich Schiller worked on the second act of Don Carlos and wrote his first edition of the famous Ode to Joy . It is well known as the place where Friedrich Schiller worked on the first act of Don Carlos and wrote his second edition of the famous Ode to Joy . 0 +Dora Lee McClain was born in Montgomery , Alabama , the daughter of single mother Boyd . Boyd was born in Montgomery , Alabama , the daughter of a single mother , Dora Lee McClain . 0 +Caspar David Friedrich was born on September 5 , 1774 in Germany , on the Baltic coast of Greifswald , Sweden , Pomerania . Caspar David Friedrich was born on 5 September 1774 in Greifswald , Pomerania , Sweden , on the Baltic coast of Germany . 0 +Shawn told Shawn that his mother was not dead and his father was still married and on the day of the wedding of Colleen and Santo , Shawn told Colleen . Shawn told Shawn that his mother was not married and his father was still dead and on the day of Colleen 's wedding , Stefano told Colleen and Santo . 0 +There is a collection of these works in the Deutsche Bank New York City , as well as the Piergoi Flat Files in Brooklyn . There is a collection of these works in Deutsche Bank New York City as well as the Piergoi Flat Files in Brooklyn . 1 +The back row allows characters to perform powerful melee attacks , while the front row is for ranged attacks , which can be either bows or magic spells . The back series allows characters to perform powerful melee attacks , while the front row is for ranged attacks , which can be either arches or spells . 1 +The following table lists all the matches played by the Brazilian national football team in official competitions and friendly games in 2006 . The following table lists all the games played by the Brazil national football team in friendly competitions and official matches during 2006 . 0 +Synaptic cluster formation refers to the addition of Dendritic spines to a new area where other spines have been added by previous learning . Synaptic clustering refers to the addition of dendritic spines to a new area where other spines have been added by previous learning . 1 +Jan Hambourg was born in Voronezh , Russia , the intermediate brother between the famous pianist Mark Hambourg . Mark Hambourg was born in Voronezh , Russia , as a middle brother of the famous pianist Jan Hambourg . 0 +Satellite Beach is part of the Melbourne -- Palm Bay -- Titusville Metropolitan Statistical Area . Satellite Beach is part of the Metropolitan Statistical Area Melbourne - Palm Bay - Titusville . 1 +The Indore district consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . Mhow district consists of 4 divisions ; Depalpur , Sanwer , Indore and Indore . 0 +As a bishop of Łęczyca he participated in the Synod in Poznań in 1180 . As a bishop of Poznań , he participated in the Synod in Łęczyca in 1180 . 0 +Deputy Marshal Bob Dalton remembered Heck Thomas as the most accurate shot he had ever seen . The Deputy Marshal Bob Dalton remembered Heck Thomas as the most accurate shot he had ever seen . 1 +Dhumal lost that election , won in 1989 and 1991 , and lost the seat to Vikram Singh Katoch in 1996 . Vikram Singh Katoch won this election , lost in 1989 and 1991 and lost the seat in 1996 to Dhumal . 0 +"In 1942 , Breton collaborated with artist Wifredo Lam on the publication of Breton 's poem "" Fata Morgana "" , which was illustrated by Lam ." "In 1942 , Breton collaborated with the artist Lam on the publication of Breton 's poem "" Fata Morgana "" , illustrated by Wifredo Lam ." 1 +The LKP was a member of the Comintern ( Third International ) from 1919 . From 1919 the LKP was a member of the Komintern ( Third International ) . 1 +"Highland Park is the location of the former home of the main characters in the CBS - drama "" The Good Wife "" ." "Highland Park is the location of the former character 's main home in CBS drama "" The Good Wife "" ." 0 +In the Adams division , the Buffalo Sabres have never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens have missed only two occasions . In the Adams division , the Boston Bruins and Montreal Canadians never missed the playoffs in this format , while the Buffalo Sabres missed only twice . 0 +Bellingsgate Island , sometimes known as Billingsgate Island , was an island before Cape Cod in Massachusetts in the United States . Bellingsgate Island , also sometimes known as Billingsgate Island , was an island off Cape Cod in Massachusetts in the United States . 1 +The teams had to use a traditional tribal club from a distance to hit the pots . Teams had to hit a traditional tribal club from a distance to use the pots . 0 +Her family contacted Corentin Rahier , who suggested Muriel Zazoui as a potential partner . Her family contacted Corentin Rahier , whom Muriel Zazoui suggested as a potential partner . 1 +The tournament took part in 10 Olympic teams , 3 teams from Europe and 7 teams from Africa . Ten Olympic teams took part in the tournament , three teams from Africa and 7 teams from Europe . 0 +The 1980 Atlanta Braves season was the 15th season in Atlanta together with the 110th season as a franchise . The 1980 season Atlanta Braves was the 110th season in Atlanta together with the 15th season as a franchise . 0 +Yates joined Robert Yates Racing for the 2003 season and won two races for Elliott Sadler in 2004 . For the 2003 season he joined Robert Yates Racing and won two races for Elliott Sadler in 2004 . 1 +In 1774 , its earliest settlers were George McCormick and George Woods , who settled in Spring Mills in 1773 and built the first mill there . Its earliest settlers were George McCormick in 1774 , and George Woods who settled at Spring Mills in 1773 and built the first mill there . 1 +She moved to Switzerland when she was a couple of months old , then grew up to France , but mostly in Paris . She moved to Switzerland when she was a few months old , mostly to France , but grew up in Paris . 0 +The station was opened on 1 May 1934 on the Stranorlar line from Strabane to Finn Valley Railway . The station opened on 1 May 1934 on the Finn Valley Railway line from Strabane to Stranorlar . 0 +Sumner Slichter was the brother of the geophysicist Louis B. Slichter , father of physicist Charles Pence Slichter , and the grandfather of the musician Jacob Slichter . Jacob Slichter was the brother of geophysicist Charles Pence Slichter , father of physicist Louis B. Slichter , and the grandfather of musician Sumner Slichter . 0 +The festival 's main partners are Parmigiani Fleurier , Manor , Heineken , Vaudoise Assurances and UBS . The festival 's main partners are UBS , Manor , Heineken , Vaudoise Assurances and Parmigiani Fleurier . 1 +Starmount is a residential area on the South Charlotte ( South Boulevard in Arrowood and Archdale ) . Archdale is a residential neighborhood in the Starmount ( South Boulevard at Arrowood and South Charlotte ) area . 0 +Alema Nature Reserve is a nature reserve in northern Harju County , in Estonia . Alema Nature Reserve is a nature reserve situated in northern Harju County , in Estonia . 1 +Abbie Carmichael ( played by Jamie Ross ) replaced Carey Lowell ( Angie Harmon ) of the season 8 in the role of Assistant District Attorney . Abbie Carmichael ( played by Angie Harmon ) replaced the season 8 Jamie Ross ( Carey Lowell ) in the role of Assistant District Attorney . 0 +"The first newspaper was published in the state in 1781 , and the weekly "" Vermont Gazette "" ." "The first newspaper was published in the state in 1781 , the weekly "" Vermont Gazette "" ." 1 +The Greek census of 1951 counted a total of 127 Muslim Albanian Chams in Epirus . The Muslim - Albanian census of 1951 in Epirus included a total of 127 Greek chams . 0 +The Slavic Soul includes the most traditional , classical and popular music topics from 9 countries . Songs are beautiful , all in new arrangements . The Slavic Soul includes the most beautiful musical themes from 9 countries : songs are traditional , classic and popular , all in new arrangements . 0 +Ahmad of Shirvan was the eighth Shirvan Shah and the fourth Shah of Layzan . Ahmad of Shirvan was the eighth Shah of Shirvan and fourth Shah of Layzan . 1 +The Buzăiel River is a tributary of the Tătaru River in Romania . The river Buzăiel is a tributary of the River Tătaru in Romania . 1 +Moreover , there are many other Malay dialects spoken by indigenous communities such as Dayak and Iban . Moreover , there are indigenous dialects spoken by many other Malay communities , such as Dayak and Iban . 0 +It is found from Fennoscandinavia to the Pyrenees , Italy and Greece and from Britain to Russia and Ukraine . It is found from Fennoscandinavia to the Pyrenees , Great Britain , and Greece and from Italy to Russia and Ukraine . 0 +For the first time since 1956 , the Eastern Conference Finals had neither the Knicks nor the Celtics involved . For the first time since 1956 , the Eastern Conference Finals had neither the Knicks nor Celtics participating . 1 +The nationalists led by volunteers of the RSS and the AGD captured the opportunity and took Piparia . The nationalists , led by volunteers of the RSS and the AGD , took the opportunity and took Piparia . 1 +"The debate was presented by anchors Jessica Soho and Mike Enriquez of GMA News and John Nery , editor-in-chief of "" Inquirer.net "" ." "The debate was presented by the anchors John Nery of GMA News and Jessica Soho and Mike Enriquez , editor-in-chief of "" Inquirer.net "" ." 0 +Edwin F. Parry , the son of John Parry , was a Mormon Hymnwriter . John Parry , a son of Edwin F. Parry , was a Mormonian hymnwriter . 0 +Balıklı is a village in the District of Gümüşhacıköy , Turkey , Amasya Province . Balıklı is a village in the Gumushacıköy district , province of Amasya , Turkey . 1 +Carolyne McCoy first married Darrell Fetty , who is a descendant of the famous feuding families ( her mother was a Hatfield , her father a McCoy ) . Darrell Fetty first married Carolyne McCoy , who is a descendant of the famous feud families ( her mother was a Hatfield , her father was a McCoy ) . 0 +In 1993 , he graduated from Kuban State University as a philologist and teacher of the same language , in 1995 the Russian University as a lawyer . In 1993 , he graduated from Kuban State University as a philologist and teacher of the Russian language , the same university as a lawyer in 1995 . 0 +Through the 2017 season , the Cornell Big Red have won 649 games , tied 529 games , and lost 33 regular season games . The Cornell Big Red have won 649 games during the 2017 season , 529 games lost and 33 regular season games bound . 0 +The Arbatel De Magia veterum was a ceremonial grimoire of renaissance Latin magic published in 1575 in Switzerland . The Arbatel de Magia veterum was a Latin grimoire of the Renaissance ceremonial magic that was published in Switzerland in 1575 . 0 +Writers for the project included Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston . Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston included writers for the project . 1 +Paul Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . In February 2016 , Daniel Pollack announced that Argentina had reached agreement with Paul Singer . 0 +In the early days , family life was a long one : water and firewood had to be brought from hard . Family life was hard in the early days . Both water and firewood had to be brought from long 0 +Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC combined statistical area . Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Service . 0 +Box Hill Senior Secondary College has no feeder schools , new students are welcomed from all over Melbourne , but are only selected after interview . Box Hill Senior Secondary College has no feeders - schools , new students are welcomed from all over Melbourne , but are only selected after the interview . 1 +Pemberton Township is located in the 8th Congressional District and is part of New Jersey 's 3rd state legislative district . Pemberton Township is located in the 8th Congressional District and is part of the 3rd State Legislative District in New Jersey . 1 +The River Milotina is a tributary of the river Vânăta in Romania . The Milotina River is a tributary of the Vânăta River in Romania . 1 +In later life , Procopio became one of Toth 's close friends . Later in life , Toth became one of Procopio 's close friends . 0 +Top layers contain technologies that are not yet standardized or contain only ideas that should be implemented to realize Semantic Web . Top layers contain technologies that are not yet standardized or contain just ideas that should be implemented in order to realize Semantic Web . 1 +Binary fluorides of metalloids and p- block - nonmetals are generally covalent and volatile , with varying reactivities , period 3 and heavier non-metals can form hypervalent fluorides . Binary fluorides of metalloids and p- block nonmetals are generally hypervalent , with varying reactivities . Period 3 and heavier nonmetals can form covalent and volatile fluorides . 0 +These teams are supplied by the US Marine Corps and the US Army . These teams are provided by the US Marine Corps and the US Army . 1 +This orchid grows on bare trunks and larger branches of large forest trees at altitudes of 500-1100m . This orchid grows on bare tree trunks and larger branches of large forest trees at altitudes of 500-1100m . 1 +Spencer is about ten miles from downtown Midwest City and borders the city of Nicoma Park to the east and the city of Oklahoma City to the south . Spencer is approximately ten miles from downtown Midwest City and borders the City of Nicoma Park to the east and the City of Oklahoma City to the south . 1 +Brazil had signed a separate Loizaga -- Cotegipe Treaty with Paraguay already in 1872 and now did much to help Paraguay in its negotiations with Argentina . Brazil had already signed a separate Loizaga - Cotegipe contract with Paraguay in 1872 , and now did much to support Paraguay in its negotiations with Argentina . 1 +In 1956 , she worked with the orchestras of Boris Simeonov and Emil Georgiev for Big Orchestra Concert Directorate conductors , who were Christo Vuchkov and Dimitar Ganev . In 1956 , she worked with the orchestras of Christo Vuchkov and Dimitar Ganev for Big Orchestra Concert Directorate conductors , which were Boris Simeonov and Emil Georgiev . 0 +In 1987 Fallahian was appointed by Ruhollah Khomeini as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . In 1987 , Fallahian was appointed Chief Public Prosecutor of the Special Court for the Clergy by Ruhollah Khomeini , and led the trial of Mehdi Hashemi . 1 +The cunning must always be stealthed and fearful , while the wise are open and confident . The cunning must always be open and confident , while the wise are furtive and fearful . 0 +The figures of Christ and the young woman are framed in the portico of a Byzantine temple by the winding round columns . The figures of Christ and the young woman are depicted framed by the distorting Byzantine columns in the column of a round temple . 0 +Mornington House was the Dublin Georgian season social residence of the Earls of Mornington . The Mornington House was the Georgian residence of the Dublin Social Season of the Earls of Mornington . 0 +Elena Dementieva won 6 -- 3 , 6 -- 2 against Alisa Kleybanova in the finals . Alisa Kleybanova won in the final 6 -- 3 , 6 -- 2 , against Elena Dementieva . 0 +Argon is produced industrially by the fractional distillation of liquid air . Industrially , argon is produced by the fractionated distillation of liquid air . 1 +The names of such goans are included in the following list , with the name of the domestic team standing in parentheses . The names of domestic goans are included in the list below , with the name of the team concerned standing in parentheses . 0 +Zorina was the grandmother of the sisters Lizzie ( Elizabeth ) , Katherine and Kristina Lieberson , who are members of the band TEEN . Zorina was the grandmother of sisters Elizabeth ( Lizzie ) , Katherine , and Kristina Lieberson , who are now members of the band TEEN . 1 +Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed the entire country and province for its capital . Under Portuguese rule this province was named Moçambique but with independence , the name Mozambique was used for the entire country and the province renamed for its capital . 1 +The position of opposition leader throughout the early twentieth century was essentially informal , with formal recognition only being granted in the nineteenth century . The position of Leader of the Opposition was essentially informal throughout the nineteenth century , with formal recognition only being granted in the early twentieth century . 0 +QuasarDB is a built-in query language that has a SQL dialect optimized for time series . QuasarDB has a built-in query language , which is an optimized dialect of SQL for time series . 0 +She married Eero on June 10 , 1939 , and they had two children : Eric Saarinen , born 1942 , and Susan Saarinen , born in 1945 . She married Eero on June 10 , 1939 , and they had two children : Eric Saarinen , born 1942 , and Susan Saarinen , born 1945 . 1 +The cellular reproduction process of Meiose was discovered by Oscar Hertwig in 1876 , and was discovered several years later by Walther Flemming in 1882 . The cellular reproduction process of meiosis was discovered by Oscar Hertwig in 1876 . Mitosis was discovered several years later in 1882 by Walther Flemming . 1 +Winner - Effects were shown when established unexperienced chicks were placed in a study by Drummond against dominant chicks . Winner - Effects were shown when established dominant chicks were placed in a study by Drummond against inexperienced chicks . 0 +Although being developed in Europe , it is mainly used commercially in Singapore . Although developed in Europe , it is used mainly in Singapore commercially . 1 +""" During all my school years , I was in a white environment , with racist people ." During my school years , I was in a racist environment with white people . 0 +The American Unitarian Association elected Livermore a member of the Executive Committee in 1859 . The executive committee elected Livermore in 1859 as a member of the American Unitarian Association . 0 +The musicians on the 7th March recording session included Larry Knechtel , drums ; Hal Blaine , guitar ; Don Randi , bass ; and Al Casey , piano . Among the musicians of the recording session on March 7 were Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) . 0 +Most other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % and England 1.9 % . The most common other birth countries were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . 0 +Mercer was the brother of George Mercer and John Francis Mercer , and father of Charles Fenton Mercer . was the brother of George Mercer and John Francis Mercer and dad of Charles Fenton Mercer . 1 +Trained with Bob Bowman , the coach of the American swimmer Michael Phelps , at the University of Michigan , he is a childhood friend of César Cielo . Trained with Bob Bowman , coach of American swimmer Michael Phelps , at the University of Michigan . He is a childhood friend of César Cielo . 1 +Janković was the fourth seed at Wimbledon , but lost in the third round to the surprising finalist Marion Bartoli . Janković was the third seed at Wimbledon , but lost in the fourth round to the surprising finalist Marion Bartoli . 0 +Third Air Force inactivated and 16th Air Force assumed the new role as Warfighting Headquarters for the USAFE . Sixteenth Air Force inactivated and Third Air Force took over the new role as Warfighting Headquarters for the USAFE . 0 +Bowen Hills and Ferny Grove Station are served by all Beenleigh Line Services stops from Woodridge to Beenleigh . Bowen Hills and Ferny Grove station is served by all stops Beenleigh line services from Woodridge to Beenleigh . 1 +North Durham County Prison - Camp , also known as Durham County Tuberculosis Sanatorium , is a historic prison at the Sanatorium in Durham , Durham County , North Carolina . North Durham County Prison Camp , also known as Durham County Tuberculosis Sanatorium , is a historic prison ad sanatorium located at Durham , Durham County , North Carolina . 1 +Surprise Lake is a lake located on Vancouver Island north of Brewster Lake and south of Amor Lake . Surprise Lake is a lake on Brewster Lake north of Vancouver Island and south of Amor Lake . 0 +The 1981 Purdue Boilermakers football team represented Purdue University during the 1981 Big Ten Conference football season . The Purdue Boilermakers football team from 1981 represented Purdue University during the Big Ten Conference 's football season in 1981 . 1 +Babbar Khalsa is listed as a terrorist organisation by the United States , the EU , Canada , India , and the United Kingdom . Babbar Khalsa is performed by the United States , the EU , Canada , India and the United Kingdom as a terrorist organisation . 0 +It was completed when the Amersfoort to Zutphen section was opened . It was opened when the section from Amersfoort to Zutphen was completed . 0 +During the five days of the journey he studied some books about Elba , which he brought by Fontainebleau . During the five days of the journey he brought with him some books about Elba , which he studied from Fontainebleau . 0 +He is a member of IEEE , the ACM , the AAAS and the EATCS . He is a member of ACM , the IEEE , the AAAS and the EATCS . 1 +Sergio Galdós and Luis David Martínez won the title and defeated Julio Peralta and Horacio Zeballos with 6 -- 2 , 6 -- 2 in the final . Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez 6 -- 2 , 6 -- 2 in the final . 0 +The standards of 2005 were adopted by the California Energy Commission on November 5 , 2003 and approved by the Building Standards Commission on July 21 , 2004 . The 2005 Standards were approved by the California Energy Commission on November 5 , 2003 , and adopted by the Building Standards Commission on July 21 , 2004 . 0 +The Purul River is a tributary of the River Rotunda in Romania . The Purul River is a tributary of the Rotunda River in Romania . 1 +Leo Thomas Maher was ordained a priest on December 18 , 1943 by Archbishop Mitty in St. Mary 's Cathedral in San Francisco . Mitty was ordained a priest by Archbishop Leo Thomas Maher on December 18 , 1943 at St. Mary 's Cathedral in San Francisco . 0 +His current research explores the impact of Jewish ideas and stories on Islamic sources . His current research explores the impact of Islamic ideas and stories on Jewish sources . 0 +The architectural art style of this idol is unique and is in perfect proportion to it . The unique art & style of this idol is structural and it is in perfect proportion . 0 +Although it is being developed in Europe , it is used commercially mainly in Singapore . Although being developed in Europe , it is mainly used commercially in Singapore . 1 +Its natural habitats are subtropical or tropical dry shrubland , subtropical or tropical seasonally wet or flooded lowland grassland , coastal mangroves and heavily degraded former forest . Its natural habitats are subtropical or tropical dry bushland , subtropical or tropical seasonally wet or flooded lowland grassland , coastal mangroves and heavily degraded former forests . 1 +Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete from Maringá . Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo from Brazil . 0 +Fersfield is limited to the east and south by the village of Kenninghall , in the west are South Lopham and North Lopham and to the north are Bressingham . Fersfield is bounded on the east and south by the village of Bressingham ; to the west are South Lopham and North Lopham and to the north Kenninghall . 0 +A Bollywood remake of the film was made in the year 2005 named Rog starring Irrfan Khan and Himanshu Brahmbhatt Directed by Ilene Hamann . A Bollywood - remake of the film was made in 2005 with Irrfan Khan and Himanshu Brahmbhatt , directed by Ilene Hamann , named Rog . 1 +"Linda Lou was viewed as a cody on October 6 , 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." "Linda Lou was seen as Cody in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." 1 +Hugues Merle died in 1881 in Paris . His son Georges Merle also became a painter . Georges Merle died in Paris in 1881 , his son Hugues Merle became a painter as well . 0 +Government also issued 70 permits to private operators on local routes in the district . Government has also issued 70 permits to local operators on private routes in the district . 0 +Rakhal Chandra Ghosh ( 1863 -- 1922 ) , whose original name was Swami Brahmananda , was son of a zamindar in the Basirhat area . Rakhal Chandra Ghosh ( 1863 -- 1922 ) , whose original name was Swami Brahmananda , was the son of a Zamindar in the Basirhat . 1 +Chabrian Jattan is a village in the Mirpur Tehsil of Mirpur District of Azad Kashmir , Pakistan . Chabrian Jattan is a village in Mirpur Tehsil of the Mirpur District of Azad Kashmir , Pakistan . 1 +It is clear that , as in Scotland , the playing of current variation sets on the violin in Northumberland was extended at that time . It is clear that as in Scotland , the playing of current variation sets on the fiddle was extended in Northumberland at the time . 1 +Mississippi was an unincorporated community in Carlisle County , Kentucky , United States . Mississippi was an unlawful community in Carlisle County , Kentucky , United States . 1 +In 1981 , Frank Malina died in Paris , near Boulogne Billancourt , France . Frank Malina died in 1981 in Paris , near Boulogne Billancourt , France . 1 +It was led by G.K Mehta and produced by Shankradev Arya . It was produced by G.K Mehta and directed by Shankradev Arya . 0 +"At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Angelina Love , Christina Von Eerie , and Mia Yim in an eight-woman tag team match ." "At "" Shine 8 "" , Valkyrie Amazing Kong , Angelina Love , Christina von Eerie and Mia Yim defeated in an eight-person team - team match ." 0 +However , he later became Meyna of Westerburg and after his father 's death married the first count of Nassau-Beilstein . Later , however , he became Meyna of Westerburg and married the first Count of Nassau to Beilstein after his father 's death . 1 +The work was released in his fifth in 2003 , it was completed in August the Rush release from the same year . The work was concluded in 2003 in his fifth , it was released the release rush from the same year in August . 0 +It also adds to the personality of the character Audrey Hepburn , played by Holly Golightly . It also adds to the personality of the character Holly Golightly , played by Audrey Heppurn . 0 +The Atlantic Bronze Age was unified by a number of regional centers of metal production , defined by a regular sea exchange of some of their products . The Atlantic Bronze Age was unified by a number of distinct regional centres of metal production , defined by a regular maritime exchange of some of their products . 1 +In September 2015 , Kenyan Trade Minister Monica Mæland led a delegation of 54 companies to Norway . Norway 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Kenya in September 2015 . 0 +Cranoe is a small village and civil community in the Harborough Leicestershire district of England . Cranoe is a civil village and small municipality in the district of Harborough of Leicestershire , England . 0 +He was born in Brooklyn , New York and died in San Francisco , California , at the age of 81 . He was born in San Francisco , California , and died at the age of 81 in Brooklyn , NY . 0 +The song ends with the same spoken segment of Prince that the EP begins . The song ends with the same spoken segment from Prince that begins the EP . 1 +In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first at the Tristan Bates Theater in London , and then at the Charing Cross Theatre . In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first at the Charing Cross Theatre in London , and then at Tristan Bates Theatre . 0 +On August 12 , 2003 Kottonmouth Kings released their 3rd compilation album , their 9th overall album and their 1st live album titled , Classic Hits Live . On August 12 , 2003 Kottonmouth Kings released their 3rd Compilation - Album , their 9th General Album and their 1st Live album , Classic Hits Live . 1 +In 1968 , Charles Manson learned about the Myers Ranch from Catherine Gillies , the granddaughter of Barbara Myers . In 1968 , Catherine Gillies , the granddaughter of Charles Manson , learned of Barbara Myers about Myers Ranch . 0 +In the 2001 census , Hindus numbered 311,840 and formed 77.09 % of the combined population of Krisnanagar I and Krishnanagar II CD Blocks . In the 2001 census , Hindus included 311,840 , and formed 77.09 % of the combined population of Krisnanagar I and Krishnanagar II CD blocks . 1 +He associated noted film personalities of Murali Mohan , Madala Ranga Rao , Chiranjeevi , Dasari Narayana Rao , R . He associated well-known film personalities of Dasari Narayana Rao , Madala Ranga Rao , Chiranjeevi , Murali Mohan , R . 1 +However , Pérez was only involved in three team games in IWA Japan , focusing instead on the promotion of Victor Quiñones AAA . However , Pérez was only involved in three team matches in IWA Japan , instead focusing on Victor Quiñones AAA promotion . 1 +During the era between 1836 and 1846 , when Mexico was a province of independent Napa County , the following 13 ranchos were granted in California : During the period between 1836 and 1846 , when California was a province of independent Mexico , the following 13 ranchos were granted in Napa County : 0 +"The first known European observation of Whidbey Island was during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." "The first well-known Spanish sighting of Whidbey Island was at the "" Princesa Real "" during the European expedition of Manuel Quimper and Gonzalo López de Haro ." 0 +Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles north of the border to Virginia . Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the Virginia border . 1 +Afterwards , she taught in secondary schools in Derbyshire and then Yorkshire . Afterwards she taught at secondary schools in Derbyshire and then in Yorkshire . 1 +The discovery of Wallace was sold , and Kelly lived in retirement at Seafield Cottage , Greenock . The estate of Wallace was sold , and Kelly lived in retirement at Seafield Cottage , Greenock . 0 +"Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" in 1987 ." "In 1987 , Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription . """ 0 +"However , species such as "" T. eurycephalus "" had a shorter rostrum and a lower skull ." "Species such as "" T. eurycephalus "" however had a shorter rostrum and a deeper skull ." 1 +Linden asks to interrogate Skinner but Mills ( Elias Koteas ) says he 'll only talk to Danette . Linden asks to interrogate Skinner , but Mills ( Elias Koteas ) says he 'll talk only with Danette . 1 +Azzopardi received his first cap for Poland on 14 December 2003 in a match against Malta . On December 14 , 2003 , Azzopardi received his first country match for Malta in a game against Poland . 0 +It stipulated that a brother of King Louis was to marry Joan of Toulouse , daughter of Raymond VII of Toulouse , and so in 1237 Alphonse married her . It said that a brother of King Louis Joan of Toulouse , daughter of Raymond VII of Toulouse , was to marry and thus married Alphonse in 1237 . 0 +"Yolandita Monge 's third album with CBS Records ( now Sony Music ) is Sueesos ( "" Dreams "" ) ." "Sueños ( "" Dreams "" ) is Yolandita Monge 's third album with Sony Music ( now CBS Records ) ." 0 +Havana Township was originally called Lafayette Township , and under the latter name was organized in 1857 . The Havana Township Lafayette was originally called Township and was founded under the latter name in 1857 . 0 +The locomotives were delivered by Neilson , Reid and Company and ordered from 1903 . The locomotives were ordered from Neilson , Reid and Company and were delivered in 1903 . 0 +Lucille Wilcox Joullin ( 1876 -- 1924 ) was an American painter known for her landscapes of California and the Pueblo Indians of New Mexico . Wilcox Joullin ( 1876 -- 1924 ) was an American painter , known for her landscapes of New Mexico and the Pueblo Indians of California . 0 +He played Garrett Burns , a love of interest for Caitlin Stasey ( Rachel Kinski ) . He played Garrett Burns , a love interest for Rachel Kinski ( Caitlin Stasey ) . 1 +The pork is cut thick , about 2 inches square , and should consist equally of fat and lean meat . The pork is thick cut , about 2 inches in the square , and should consist of fat and lean meat . 1 +Dr. Carter worked in Africa for several months and remains at the AIDS clinic in Kem . Dr. Carter worked in Africa for several months and remains in Kem 's AIDS clinic . 1 +From 1957 until 1974 , Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League . Bassett was the owner of the Canadian Football League from 1957 to 1974 , a team in the Toronto Argonauts . 0 +"In December 2006 , John von Rhein was named "" Chicagoan of the Year "" in classical music by Muspratt and the staff of the "" Chicago Tribune "" ." "In December 2006 , Muspratt was awarded by John von Rhein and the staff of the "" Chicago Tribune "" as the "" Chicagoan of the Year "" in classical music ." 0 +It inhabits rather dry habitat on the border between the Great and Little Karoo of Western Northern Cape and the Eastern Free State Provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of Eastern Northern Cape and the Western Free State Provinces , South Africa . 0 +"He found "" spontaneous electric fluctuations "" which he showed independent of blood pressure and peripheral nerves electric activity ." "He found "" spontaneous electric fluctuations "" , which he showed electrical activity independent of blood pressure and peripheral nerves ." 1 +The main village is inhabited mainly by people of East Indian origin , there are Hindu temples and mosques and there is a small church . The main village is mainly inhabited by people of East Indian descent . There are Hindu temples and mosques and there is one small church . 1 +The new negative is printed and again is tested . The new negative is printed and tested again . 1 +"To underscore this view , it is customary to say that the "" operations are "" or "" applied "" , rather than "" evaluated "" ." "To underscore this view , it is customary to say that the operations are "" evaluated "" or "" rather than "" executed "" ." 0 +Harry Steger worked as a journalist both in America and in England . Harry Harry Steger worked as a journalist in both America and England . 1 +This is due to the reduction of nicotinic transmission in a nucleus and increased excitability in motor neurons caused by excitatory synaptic activation . This is due to the reduction of excitatory synaptic transmission in a nucleus and the increased excitability in the motor neurons caused by nicotine activation . 0 +Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and national record holder from Havana , Cuba . Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is an Olympic and national record floating swimmer from Cuba . 0 +Konrad Adenauer was painted by Hans Jürgen Kallmann in 1963 . 1963 Hans Jürgen Kallmann was painted by Konrad Adenauer . 0 +She was the twin sister of Muhammad , father of Abdullah . She was the twin sister of Abdullah , the father of Muhammad . 0 +They were replaced in 2008 by Jill Culton , followed by Chris Jenkins , with Todd Wilderman in 2010 . They were replaced by Jill Culton in 2008 , who was followed by Chris Jenkins , with Todd Wilderman in 2010 . 1 +The longest surviving example in the US is the three-stage Mottville 12 -- St. Joseph River Bridge , built in Michigan in 1922 . The longest surviving example in US is the three-span , Mottville 12 -- St. Joseph River Bridge , built in 1922 in Michigan . 1 +Williams ( 1892-1962 ) was the first president of the Welsh Academy ( Yr Academi Gymreig ) . The first president of the Yr Academi Gymreig ( Welsh Academy ) was ( 1892-1962 ) . 0 +Simpson is now part of the civil parish of Simpson and Ashland , which also includes Ashland and West Ashland . Simpson is now part of the municipality of Simpson and Ashland , which also includes Ashland and West Ashland . 0 +This bridge today was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge over the Peace River . This small bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the current Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . 0 +The Ciolanu river is a tributary of the River Albele in Romania . The Albele River is a tributary of the Ciolanu River in Romania . 0 +"The same named district ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." "The administrative district ( "" správní obvod "" ) of the same name consists of municipal districts Prague 17 and Zličín ." 0 +The combination of cold surface waters and warm , deeper waters supports a high degree of biodiversity . The combination of warm surface waters and cold deeper waters supports a high level of biodiversity . 0 +And procedural knowledge ( steps to take and what decision when to do ) . And procedural knowledge ( steps to do and what decision to make when ) . 1 +This was the first partnership of more than 100 runs for a team seven wickets down for less than 100 runs in List A Cricket in Bangladesh . This was the first partnership of fewer than 100 runs for a team seven wickets down for more than 100 runs in List A cricket in Bangladesh . 0 +""" Tuscumbia "" was sold at auction at Mound City to W. K. Adams on 29 November 1865 ." """ Mound City "" was sold on November 29 , 1865 at the auction in Tuscumbia to W. K. Adams ." 0 +The following table lists all the games played by the Brazilian national team in friendly competitions and official matches during 2011 . The following table lists all the games that the Brazilian national team played in official competitions and friendly matches in 2011 . 0 +He also won numerous children 's books and illustrated the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . He also illustrated numerous children 's books and won five times the Levstik - Prize for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . 0 +In August 2017 , as a member of the Republican Party , Glassman announced an exploratory campaign for the Arizona Corporation Commission ’ s race of 2018 . In August 2017 , Glassman announced an exploratory campaign for the 2018 Arizona Corporation Commission race as a member of the Republican Party . 1 +Lemoa is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , Northern Spain . Lemoa is a town and municipality in the province of Bizkaia , in the Autonomous Community of Basque Country , in northern Spain . 0 +Puerto Jiménez Airport is an airport that serves Puerto Jiménez , the second district of Golfito Canton in Puntarenas Province , Costa Rica . Puerto Jiménez Airport is an airport that serves Puerto Jiménez , the second district of Golfito Canton in the province of Puntarenas , Costa Rica . 1 +Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo the day of Colleen ’ s wedding . Shawn told Shawn that his mother was not married and his father was still dead and on the day of Colleen 's wedding , Stefano told Colleen and Santo . 1 +It travels a distance of 112 km from Araku to Vizag . It travels for a distance of 112 km from Vizag to Araku . 0 +He said that the ordinary Cairenes believed that there was an American conspiracy to attack EgyptAir 990 and that the Americans were covering up the fact . He said that the ordinary Americans believed there was an American conspiracy to attack EgyptAir 990 , and that the Cairenes covered up the fact . 0 +"About the song wrote Billboard : "" You know the beat , now you catch the groove ." "About the song wrote Billboard : "" You start the beat , now know the groove ." 0 +Maximilian II ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Bernhard Franz von Hess of Bavaria . Bernhard Franz von Hess ( May 22 , 1792 - April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Maximilian II of Bavaria . 0 +She was born on July 28 , 1992 in Tokyo and married Timothy Koleto in Okayama , Japan in January 2017 . Komatsubara was born on July 28 , 1992 , in Tokyo . She married Timothy Koleto in January 2017 in Okayama , Japan . 1 +In 1986 he joined forces with Edgeworth David to work together on the ANARE expedition that established the Sir Erich A. Colhoun summer field base in the Bunger Hills . In 1986 , he joined Edgeworth David to work together on the ANARE expedition that founded the summer field base of Sir Erich A. Colhoun in the Bunger Hills . 1 +Aslan offered to accompany the children , as he wanted to see Frank himself . Frank offered to accompany the children because he wanted to watch Aslan himself . 0 +Barney was born in Galesburg , Illinois , and attended public schools and Lombard College , Hartford and Wisconsin . Born in Galesburg , Illinois , Barney attended public schools and Lombard College , Hartford , Wisconsin . 1 +Kanpur Cantonment is located inside Kanpur Civil Airport . Kanpur Civil Airport is located inside the Kanpur Cantonment . 0 +A common condition is established for its subsequent use in the law . A condition common is noted for its subsequent use in the law . 1 +The series was created by John Ashley and Frank Lupo and was produced by Robert Palm as an executive . The series was created by Robert Palm and executive produced by John Ashley and Frank Lupo . 0 +Formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or steric additives , and polar effects . The formation of aggregates is affected by electrostatic interactions , coordination between lithium and surrounding solvent molecules or steric additives and polar effects . 1 +To the east lies Middletown Township , with Rush Township ( North ) and Susquehanna County ( South ) along the border . To the east is Middletown Township , with Rush Township ( north ) and Susquehanna County ( south ) along the border . 1 +The station was closed on 8 December 1890 and opened on 8 November 1969 and was demolished in 1971 . The train station was opened on December 8 , 1890 , closed on November 8 , 1969 and demolished in 1971 . 0 +He was born and grew up in Podgorica ( now Titograd ) in a family of musicians . He was born in Podgorica ( today Titograd ) in a family of musicians and grew up there . 1 +Its base or free edge contains between its layers the round ligament and the paraumbilical veins . Its base or round edge contains between its layers the free band and the paraumbilical veins . 0 +The listed buildings on Derwent Isle are a former house and a large chapel . The historical buildings on Derwent Isle are a large house and a former chapel . 0 +Georges Merle died in Paris in 1881 , and his son Hugues Merle also became painter . Hugues Merle died in Paris in 1881 , his son Georges Merle also became painter . 0 +""" Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the collected material Mount Rainier National Park in 1950 , is a synonym ." """ Cortinarius rainierensis "" , collected from the material described in Mount Rainier National Park in 1950 by Alex H. Smith and Daniel Elliot Stuntz , is a synonym ." 0 +JFK : A Musical Drama is a musical with music by Will Holt and Tom Sawyer , and book and lyrics by Will Holt . JFK : A Musical Drama is a musical with music by Will Holt and Tom Sawyer and book and text by Will Holt . 1 +Angelica Panganiban ( Lizelle Jimenez ) is in a new relationship with Surgeon Adrian Benitez ( Gabby Concepcion ) . In a new relationship with surgeon Adrian Benitez ( Gabby Concepcion ) is Liz Lizene Jimenez ( Angelica Panganiban ) . 1 +"His meeting with Naresh Fernandes is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Dave Brubeck ." "His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" from Dave Brubeck in 2011 ." 1 +Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Ukrainian cross-country skier ( until 2000 ) and a Belarusian ( since 2000 ) . Alla Petrovna Tsuper ( ; ; ; born 16 April 1979 ) is a Ukrainian ( until 2000 ) and Belarusian ( since 2000 ) aerial skier . 1 +Giulio Pomponio Leto ( 1428 - June 9 , 1498 ) , known as Julius Pomponius Laetus , was an Italian humanist . Julius Pomponius Laetus ( 1428 -- 9 June 1498 ) , also known as Giulio Pomponio Leto , was an Italian humanist . 1 +"( 2 ) Minneapolis Lakers versus ( 3 ) Rochester Royals : "" Lakers Win 2-1 Series" "( 2 ) Minneapolis Lakers vs. ( 3 ) Rochester Royals : "" Lakers win series 2-1 """ 1 +If it was commercially printed , illustrations were added by J. Augustus Knapp . When commercially added , illustrations were printed by J. Augustus Knapp . 0 +Minervén Sport Club , formerly Minervén Bolívar Fútbol Club , usually known as Minervén , is a Venezuelan football ( soccer ) club . Minervén Sport Club , formerly known as Minervén Bolívar Fútbol Club , is a Venezuelan football club , usually known as Minervén . 1 +In 2005 , BH Air and the Virgin Group signed a two-year contract for a wet lease . In 2005 , Virgin Group signed a two-year contract for a wet lease with BH Air . 0 +The Lord Chancellor , a post in the Channel Islands Government , is responsible for relations between the government and the UK . Lord Chancellor , a post in the British Government , is responsible for relations between the Channel Islands and the government . 0 +"The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in Luxembourg in 1984 ." "Anna Maria Lena is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." 0 +"Where "" k "" , "" k "" , and "" k "" are the constants , one can obtain the three together to multiply ." "Where "" k "" , "" k "" and "" k "" are the constants , you can multiply the three to obtain ." 0 +Furthermore , his achievements in the literary arena should be recognised , as he was the first generation of traditional literature in Taiwanese history . Moreover , his achievements should be recognized in the traditional arena , as he was the first generation of Taiwanese literature in literary history . 0 +Pedestrians and bicycles are not permitted , but can be allowed on a footpath . Pedestrians and bicycles are not allowed , but may be permitted on a footpath . 1 +In most cases their destinations were Involuntary areas ( see underpopulated remote settlements in the Soviet Union ) . In most cases , their destinations were involuntary areas ( see settled remote settlements in the Soviet Union ) . 1 +Several of these names were chosen to correspond to their international equivalents in rough chess , and not as literal translations of the Japanese names . These names were chosen to correspond to their rough equivalents in international chess , not literal translations of the Japanese names . 0 +The Yarkand River is a river in the Xinjiang Uyghur Autonomous Region of western China . The Yarkand River is a river in the autonomous region of Xinjiang Uyghur in West China . 1 +Thorne suggests that Matthew DeCoursey may have joined the project late . Matthew DeCoursey suggests that Thorne may have joined the project later . 0 +The band then added bassist Duane Cowan , who recently moved from Los Angeles to Japan . The band then added bassist Duane Cowan , who had recently relocated from Los Angeles to Japan . 1 +The third group mostly contains soft ions of post-transition metals . The third group contains mostly soft ions ion of post-transition metals . 1 +He was an atheist in early life , but transformed into a believer in the later stages . In later life , he was an atheist , but became a believer in the early stages . 0 +Proteins that form stable complexes with binding molecules are often referred to as receptors , whereas their other partners are called ligands . Proteins that form stable complexes with binding molecules are often referred to as receptors while their other partners are called ligands . 1 +The total number of electrons , and electron density is much greater than in the corresponding positive corona . The total number of electrons and electron density is much greater than in the positive corona in question . 1 +The Trust also manages corporate sites on behalf of other bodies on the Wrexham Industrial Estate The Trust also manages corporate sites on behalf of other organizations on Wrexham Industrial Estate 1 +The 1980 Atlanta Braves season was the 110th season in Atlanta together with the 15th season as a franchise . The 1980 Atlanta Braves season was the 110th season in Atlanta along with the 15th season as a franchise overall . 1 +Texans in Saltillo recommended establishing a provisional government in Bexar during the unrest to strengthen the autonomy of Texas . The Texans in Texas recommended establishing a provisional government in Saltillo during the riots to strengthen the autonomy of Bexar . 0 +The river Pilugul is a tributary of the river Văcăria in Romania . The Văcăria River is a tributary of the Pilugul River in Romania . 0 +She previously played for HJK , FC Honka and Åland United of the Finnish Naisten Liiga , as well as for Danish club Fortuna Hjørring . She played for HJK , FC Honka and Åland United of the Finnish Naisten Liiga as well as for the Danish club Fortuna Hjørring . 1 +In the old texts , 18 or 20 early schools are mentioned . There are 18 or 20 old schools in the early texts . 0 +Anabel Medina Garrigues and Arantxa Parra Santonja won the title , defeated Kiki Bertens and Johanna Larsson in the finals , 6 -- 0 , 6 -- 4 . Anabel Medina Garrigues and Arantxa Parra Santonja won the title , defeating Kiki Bertens and Johanna Larsson in the final , 6 -- 0 , 6 -- 4 . 1 +Mode 9 was born in London on June 14 , 1975 as the third child of his parents but maintains , ( Osun State ) ) as his origin . Mode 9 was born on 14 June 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . 0 +Roy Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica as Clemencia Montealegre Carazo and Roy Elwood Cohn . 0 +"In September 2013 Enfield appeared in the BBC Three comedy series "" Bad Education "" as Martin , the father of Jack Whitehall 's character Alfie ." "In September 2013 , Enfield appeared in the BBC Three - Comedy - Series "" Bad Education "" as Martin , father of Jack Whitehall 's character Alfie ." 1 +The magnetic and thermal gradient terms are associated with the first and last pressure which is the sum of the total pressures ; formula _ 9 . The magnetic and thermal gradient terms are connected with the first and final pressure , which is the sum of the total pressures , Formula 9 . 1 +The newspaper reports on business , politics , developments in corporate and labour law , commercial news and features . The work reports on business , politics , developments in commercial and labour law , corporate news and features . 0 +Austin Bureau operates a KTTC within the Riverland Community College Campus on 8th Avenue Northwest in addition to the main studios . In addition to its main studios , Austin Bureau operates an KTTC , within the Riverland Community College campus , on 8th Avenue Northwest . 1 +The school is headed by the Neelaveni Thayarammal Memorial Trust , Trichy , which took over the school leadership on 1 June 2011 from the BHEL Educational Society , Coimbatore . The school is managed by the Neelaveni Thayarammal Memorial Trust , Trichy , which took over the school management from BHEL Educational Society , Coimbatore on 1 June 2011 . 1 +The 3rd Highland Brigade was attached to the 1st Infantry Division from the 9th Infantry Division The 3rd Highland Brigade was connected from the 9th Infantry Division to the 1st Infantry Division . 1 +Although sold in Italy , Fonzies are produced in Germany by LU Snack Foods GmbH . Although sold in Germany , Fonzies is produced in Italy by LU Snack Foods GmbH . 0 +Theodosius died in Milan in 395 , and was buried in Constantinople . Theodosius died 395 in Constantinople and was buried in Milan . 0 +"Despite international distribution , North American audiences initially only received the 1985 OVA , "" Yume no naka no Rondo "" ." "Despite international distribution , the North American audience received initially only the OVA 1985 , "" Yume no naka no Rondo "" ." 1 +In November 1957 , the United Federal Party merged with the Federal Party to the United Rhodesia Party . In November of 1957 , the Federal Party merged with the United Rhodesia Party to form the United Federal Party . 0 +The joint administration of the memorial by the United States Navy and the National Park Service was established on September 9 , 1980 . The joint management of the memorial by the United States Navy and the National Park Service was founded on 9 September 1980 . 1 +The isodynamic conjugates of Fermat - points are the isogonal points and vice versa . The isogonal conjugates of the Fermat points are the isodynamic points and vice versa . 0 +Coxeter defines anti-unitary groups with other constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines other groups with anti-unitary constructions , for instance these three : the first was discovered and drawn by Peter McMullen in 1966 . 0 +Stephen Maguire won his seventh professional title by conquering Joe Perry 4 : 2 in the final . Stephen Maguire won his seventh professional title by defeating Joe Perry 4 -- 2 in the final . 1 +Two villages are located in Portage : a part of Jerry City in the south and part of Portage township in the northwest . In Portage township there are two villages : a part of the Jerry City in the south and part of Portage in the northwest . 0 +The North Grant district was one of the first Victorian districts of the original Legislative Assembly , 1856 . The North Grant district was one of the first districts of the first Victorian Legislative Assembly , 1856 . 0 +NDA won 206 seats , while RJD 22 seats won . The RJD won 206 seats , while the NDA 22 won seats . 0 +"All Greek societies at the Pacific University are "" local "" , meaning that they are unique on the campus ." "All of the Greek societies at Pacific University are "" local "" , meaning that they are unique to the campus ." 1 +Blacksburg is part of the VA Metropolitan Statistical Area -- Christiansburg -- Radford , Montgomery County . Montgomery County is part of the Metropolitan Statistical Area of Blacksburg - Christiansburg -- Radford , VA . 0 +At King of the Ring in 1994 , Fatu and Crush failed to win the WWF Tag Team Championship from The Headshrinkers ( Samu and Yokozuna ) . At King of the Ring 1994 , Yokozuna and Crush failed to win the WWF Tag Team Championship from The Headshrinkers ( Samu and Fatu ) . 0 +It is ( covered ) by the integument , superficial fascia , Platysma and deep fascia ; It is covered by the integument , deep fascia , platysma and surface fascia . 1 +Marrero is on the West Bank of the Metairie , within the New Orleans -- Mississippi River -- Kenner Metropolitan Statistical Area . Marrero is located on the west bank of Metairie , within the New Orleans -- Mississippi River -- Connoisseur Metropolitan Statistical Area . 0 +The first consonant of every word was then dropped , the distribution of unpredictable leaving . The first consonant of each word was then dropped , leaving the distribution of unpredictable . 1 +Catriona Lambert was born in Edinburgh , Germany and grew up in North Berwick . Catriona Lambert was born in Edinburgh , and grew up in North Berwick . 1 +Blue is an album by guitarist Bjørn Kjellemyr and The Chasers , bassist Terje Rypdal and drummer Audun Kleive , recorded in 1985 and released on the E is an album by guitarist Bjørn Kjellemyr and The Chasers , bassist Terje Rypdal and drummer Audun Kleive , recorded in 1985 and published on the E . 1 +"The Gujarat and mumbai , maharashtra are a partly Hindu sanghar also called "" JAMOTAR "" Sanghar India ." "The Gujarat and Mumbai , Maharashtra are a partly Hindu Sanghar also "" Jamotar "" Sanghar India ." 1 +The Penchala River is a river in Petaling Jaya that runs from Kampung Sungai Penchala to Klang - River near Selangor , Malaysia . The Penchala River is a river in Selangor , Malaysia It runs from Kampung Sungai Penchala to the sound - river near Petaling Jaya . 0 +The marriage ensured that the same dynasty would continue on the male line . The marriage ensured that the male dynasty would continue in the same line . 0 +Yevgeny Kafelnikov won in the final 6 -- 2 , 7 -- 6 , against Tim Henman . Yevgeny Kafelnikov won against Tim Henman in the final 6 -- 2 , 7 -- 6 . 1 +The rest of the material are covers from Argentina folk artists Jose Larralde , Anibal Troilo , Cátulo Castillo and Pedro Bonifacio Palacios . The rest of the material are covers by Argentine folk artists Jose Larralde , Pedro Bonifacio Palacios , Cátulo Castillo and Anibal Troilo . 1 +The lack of background to find the statistically significant recurring variants has limited its performance due to stochastic noise and biological variability . The lack of background to find the statistically significant recurrent variants has limited its performance due to stochastic noise and biological variability . 1 +The small village is mainly inhabited by people of East Indian descent . There are Hindu temples and mosques and there is one main church . The small village is mainly inhabited by people of East Indian origin , there are Hindu temples and mosques and there is a main church . 1 +In 219 , while Cao Ren was attacking Fancheng , Sun Quan agreed to send reinforcements to help the entrapped Guan Yu . In 219 , while Cao Ren Fancheng was attacking , Sun Quan agreed to send reinforcements to help the enclosed Guan Yu . 1 +Where the sum extends over all paths formula _ 39 with the property that formula _ 40 and formula _ 41 . The analogous expression in quantum mechanics is the path integral . Where the total extends over all paths , Formula 39 with the property that Formula 40 and Formula 41 . The analog expression in quantum mechanics is the path integral . 1 +Elsie Winterfeld was married to Henry Winterfeld . She worked as a toy designer and created a patented three - Elsie Winterfeld was married to Henry Winterfeld , worked as a toy designer and created a patented toy 1 +The four wives of Mundal Ji had Khemi , Toli , Thukri and Santokhi named a son Seuram Ji and a daughter . The four women of Mundal Ji had named Khemi , Toli , Thukri , and Santokhi a son called Seuram Ji and a daughter . 1 +Suq Al Lail is a neighborhood of Mecca in Makkah Province , in western Saudi Arabia . Suq Al Lail is a neighborhood of Mecca in Saudi Arabia , in the western province of Makkah . 0 +Bynum was born in Boston in 1975 , and grew up in Baltimore . Bynum , born in 1975 in Boston , grew up in Baltimore . 1 +In addition to the German teaching programme , the official Mexican language was taught only as a foreign language . The official Mexican language was only taught as a foreign language in addition to the German teaching program . 1 +The national championships in road cycling 2010 began in January in Australia and New Zealand , most of the European championships will take place in June . The 2010 European national road cycling championships began in January in Australia and New Zealand . Most of the national championships take place in June . 0 +The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but from 1919 it developed into a conservative direction . The radical party of the people ( Narodna radikalna stranka ) was founded in 1881 as a conservative party , but it developed into a radical direction from 1919 . 0 +"In 1922 the novel was adapted into a film "" Diana of the Crossways "" directed by Denison Clift and starring Fay Compton and Henry Victor ." "In 1922 , the novel was adapted into a film "" Diana of the Crossways "" by Denison Clift with Fay Compton and Henry Victor directed ." 1 +Loiu is a town and municipality located in the province of Biscay , in the autonomous community of Basque Country , northern Spain . Loiu is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , in northern Spain . 0 +Sydney also has a small street art scene Perth 's street art scene includes Newtown - graffiti and street art . Perth also has a small street art scene . Sydney 's street art scene includes Newtown area graffiti and street art . 0 +In the early days , many wheelchair basketball players saw participation in supplementary wheelchair sports as primary training for their individual interest in basketball . In the early days , many wheelchair basketball players saw participation in individual wheelchair sports as complementary training for their primary interest in basketball . 0 +Born in Bradford , Chapman performed for Frickley Athletic , Torquay United , Notts County , Mansfield Town , Bradford City , Exfield City , Darlington and Emley . Born in Bradford , Chapman played for Frickley Athletic , Bradford City , Notts County , Mansfield Town , Exeter City , Torquay United , Darlington and Emley . 0 +The destroyer reached Okinawa 12 August and patrolled there until 1 September when she departed for Tokyo , Japan . On August 12 , the destroyer reached Tokyo , Japan , and patrolled there until September 1 , when she left for Okinawa . 0 +"After the consolidation with the "" Commercial "" in 1877 , the paper was then renamed and was once again known as "" Commercial Gazette "" ." "After consolidating with the "" Commercial "" in 1877 , the paper was again renamed and was then known as the "" Commercial Gazette "" ." 0 +Cambodia is represented through its UN mission in New York , Canada . Canada is represented in Cambodia by its UN mission in New York City . 0 +Like the CBR250RR , the Across was officially available in Japan and Australia , whereas the Across was not imported widely gray elsewhere . Like the CBR250RR , the Across was officially available in Japan and Australia . The Across was not widely grey-imported elsewhere . 1 +The Alliance Française de Dhaka is located at 26 Dhanmondi Road , Bangladesh , corner Mirpur Road , Dhanmondi , Dhaka No . The Alliance Française de Dhaka is located at Mirpur Road 26 , Dhanmondi , Dhaka , Bangladesh , corner of Dhanmondi Road No . 0 +It is a marine , deep water-dwelling eel , which is known from the Pacific Ocean , in the western Philippines . It is a marine , deep water - eel which is known from the Philippines in the western Pacific Ocean . 0 +However , Griese was temporarily injured in the season and later relieved of Grossman . However , Grossman was later injured in the season , and temporarily relieved by Griese . 0 +The Expected Exposure ( EE ) is defined similar to the PFE , except that the average is used instead of a certain quantile . The Expected Exposure ( EE ) is defined similarly to the PFE , except that the average is used instead of a specific quantile . 1 +Olaf originated from a warm south of Acapulco on August 21 over extremely disturbed waters . On August 21 , Olaf came from a warm south of Acapulco over extremely disturbed waters . 1 +Rice is harvested mid-August and planted around Christmas and New Year . Rice is harvested in mid-August and planted around Christmas and New Year . 1 +"Then he met mechanic "" Gears "" Garvin , and then fought Baron Brimstone ." "He then battled mechanic "" Gears "" Garvin and then met Baron Brimstone ." 0 +Company sells ice cream , then moves to bake ice cream cones and headquarters is expanding to Baltimore . Company sells ice cream , then moves to bake ice cream cones and Headquarters expands to Baltimore . 1 +He began 2014 with the AA Frisco RoughRiders of the Texas League and was promoted to the AAA Round Rock Express of the Pacific Coast League . He began playing the AA Frisco RoughRiders of the Texas League in 2014 and was appointed to the AAA Round Rock Express of the Pacific Coast League . 1 +All five territorial governors are male , the mayor of Washington is female . All five territorial governors are female , the mayor of Washington is male . 0 +Denco is a former settlement in Colusa , north of Colusa County , California on the Southern Pacific Railroad . Denco is a former settlement in Colusa County , California , north of Colusa on Southern Pacific Railroad . 0 +The Suceviţa River is a tributary of the Voievodeasa River in Romania . The river Voievodeasa is a tributary of the River Suceviţa in Romania . 0 +He died on August 24 , 1878 in Wyandotte ( now part of Kansas ) , Kansas City . He died in Wyandotte ( now a part of Kansas ) , Kansas City , August 24 , 1878 . 1 +Tartalo was blind , but not yet dead . Tartalo was dead , but not blind yet . 0 +Ovarian diseases can be classified as endocrine disorders or as a disorders of the reproductive system . Ovarian diseases may be classified as reproductive disorders or as disorders of the endocrine system . 0 +Alema Nature Reserve is a nature reserve in northern Harju County , in Estonia . Alema Nature Reserve is a nature reserve situated in northern Estonia , in Harju County . 0 +Shaffer Creek is a tributary of Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania in the United States . Shaffer Creek is an tributary of Raystown Branch Juniata River ( Brush Creek ) in Bedford County , Pennsylvania in the United States . 1 +On 28 April 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially announced as resolved . On April 28 , 2011 , the dispute between DSP Entertainment and Kara 's 3 members was officially resolved as announced . 0 +The river Cărbunele or Rădocheasa River is a tributary of the Rădoteasa River in Romania . The Rădoteasa or Rădocheasa river is a tributary of the River Cărbunele in Romania . 0 +In 1918 the administrative representation of the parliamentary county of Dublin was increased from two divisions to four . In 1918 , the parliamentary representation of the Dublin administrative district was increased from two to four divisions . 0 +The 1990 Philadelphia Wings season marked the second season of the team operation and fourth championship . The 1990 Philadelphia Wings season marked the fourth season of the team operation and second championship . 0 +"The commissioned prose history ( "" Bataviae Hollandiaeque Annales "" ) was finally published in 1601 ." "Finally , the commissioned prose history ( "" Bataviae Hollandiaeque Annales "" ) was published in 1601 ." 1 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Lawrence County with parts of the Lackawannock Township at Mercer County . Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Mercer County with parts of Lackawannock Township in Lawrence County . 0 +The program was filmed at the Eaves Movie Ranch near Santa Fe and Storrie Lake in Las Vegas , New Mexico . The program was shot at the Eaves Movie Ranch near Las Vegas , New Mexico and near Storrie Lake in Santa Fe . 0 +St. James ' ; Parish Church is a member of the Culworth Benefit with Sulgrave and Thorpe Mandeville and Chipping Warden with Edgcote and Moreton Pinkney . St. James parish is a member of the Benefice of Culworth with Chipping Warden and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . 0 +Yuresha and Wright danced -- and later staged -- productions of these ballets with dance companies around the world , designing original costumes and sets for those performances . Yuresha and Wright staged -- and later danced -- productions of these ballets with dance companies around the world , designing original costumes and stage paintings for these performances . 0 +NY 104 follows the Ridge Road to the east of Lewiston Village through a sparsely populated area of Niagara County . East of the village of Niagara County , NY 104 of Ridge Road follows through a sparsely populated area of Lewiston . 0 +"The show 's theme song was "" Life Goes On "" , written by Billy Vera and performed by John Bettis and George Tipton ." "The show 's title song was "" Life Goes On "" , written by Billy Vera and performed by John Bettis and George Tipton ." 1 +The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Lakes Entrance , along the Princes Highway , north of Melbourne . The Buchan Caves are located east to the northeast ( or five hours drive ) from Melbourne on Princes Highway , north of Lakes Entrance . 0 +"The final product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X-COM : UFO Defense "" ." "The finished product was marketed as "" UFO : Enemy Unknown "" in North America and as "" X-COM : UFO Defense "" in Europe and Australia ." 1 +The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on protecting the main roads and controlling the governor and government centre . In Ramadi , the 2nd BCT of the 28th Infantry Division focused on controlling the main roads and protecting the governor and government center . 0 +"In 1966 , Soupy Sales released a song called "" Backwards Alphabet "" , which contained the lyrical alphabet in reverse style ." "Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the lyrical alphabet in reverse style ." 1 +During a battle , Harrison lost his left arm , his knees and three fingers on his right hand . During a battle , Harrison lost his left arm , kneecap , and three fingers on his right hand . 1 +She approaches Lance Smart ( Martin Dibble ) , Peter Vroom ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they form a band named Image . She approaches Lance Smart ( Martin Dibble ) , Peter Vroom ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they found a band named Image . 1 +It is located to the north of New Square and New Hempstead , east of Viola , south of Spring Valley and west of New City . It is located to the north of Spring Valley , east of Viola , south of New Square and New Hempstead and west of New City . 0 +In November , the Royals CF Coco Crisp acquired the Boston Red Sox in return for RP Ramón Ramírez . In November , the Royals CF Ramón Ramírez acquired the Boston Red Sox in exchange for RP Coco Crisp . 0 +Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Hebrew abbreviations and the List of Aramaic abbreviations , respectively . Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . 1 +Blacksburg is part of VA Metropolitan Statistical Area -- Christiansburg -- Radford , Montgomery County . Montgomery County is part of the Metropolitan Statistical Area Blacksburg -- Christiansburg -- Christiansburg -- Radford , VA . 0 +Ricardo Lingan Baccay was ordained priest by Diosdado Aenlle Talamayan on April 10 , 1987 . Diosdado Aenlle Talamayan was ordained a priest on April 10 , 1987 by Ricardo Lingan Baccay . 0 +"McClain was one of the pioneers in introducing "" ragtime minstrelsy "" , which opened a wider range of styles on the eve of the vaudevillized era ." "McClain was one of the pioneers in introducing "" ragtime minstrelsy "" , which opened up a wider range of styles on the eve of the vaudevillized era ." 1 +She has also published biographies by the Nobel laureate Octavio Paz and artist Juan Soriano . She also published biographies of the Nobel laureate Juan Soriano and the artist Octavio Paz . 0 +Sara Varga ( born 14 April 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author and DJ . Sara Varga Madeleine Jonsson ( born 14 April 1982 ) , known professionally as Sara Varga , is a Swedish vispop singer , songwriter , author , and DJ . 0 +Total Population : 333 of which 49.8 % were female and 50.2 % were male . Total population : 333 of which were 49.8 % male and 50.2 % female . 0 +It borders Kariobangi and Dandora to the east , Moi Air Base to the south , Mathare to the north and Eastleigh to the west . It is bordered by Kariobangi and Dandora to the east , Moi Air Base to the south , Mathare to the north and Eastleigh to the west . 1 +Daniel Pollack announced in February 2016 that Argentina reached an agreement with Paul Singer . Paul Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . 0 +If a forward error correction code is used , the spectral efficiency is reduced from the uncoded modulation efficiency figure . If a spectral error correction code is used , the forward efficiency is reduced by the uncoded modulation efficiency . 0 +For Mead , however , unlike John Dewey and J. J. Gibson , the key is not simply social action , but human action . However , unlike John Dewey and J. J. Gibson , the key to Mead is not simply human action , but social action . 0 +"She lived aboard "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." "She arrived aboard the "" Augusta Jessie "" and she and Andrew lived in Hobart Town and Launceston ." 0 +John John Magufuli won the presidential election in October 2015 and secured a two-thirds majority in parliament , the other party or main party in Tanzania is called Chadema . John John Magufuli won the presidential election in October 2015 and secured a two-thirds majority in the parliament The Main Party or other party in Tanzania called Chadema . 1 +The state of unrest in Hungary began to spread into Poland . The state of unrest in Hungary began to spread to Poland . 1 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith which was released in 2001 and recorded on Tzadik Records . Red Sulphur Sky is a solo album by the American jazz trumpeter Wadada Leo Smith which was released in 2001 and included on Tzadik Records . 1 +In the first round , Liuget was moved to Draft Pick as the 18th by the San Diego Chargers . Liuget was drafted in the first round as the 18th draft pick by the San Diego Chargers . 1 +The standard distribution function ( cdf ) of cumulative distribution is : The standard distribution function ( cdf ) of the cumulative distribution is : 1 +Bit 4 is set if the K register is affected , Bit 5 is set when the J register is affected . Bit 4 is affected if the K register is affected , bit 5 is set when the J register is set . 0 +Katy Spencer had a daughter , Ann ( a graduate of Texas Tech in 1962 ) from her former marriage . From her previous marriage , Ann had a daughter , Katy Spencer ( a 1962 graduate of Texas Tech ) . 0 +A post office called Lodi was established first in 1837 , and the post office was renamed Maple Park in 1880 . A post office called Lodi was founded in 1837 and the post office was renamed Maple Park in 1880 . 1 +He was born in Scotland in 1760 and settled in Detroit in 1782 ( then part of Quebec ) . He was born in Québec around 1760 and settled in Detroit in 1782 ( then a part of Scotland ) . 0 +There is no railway station & airport in Sultanpur . You can reach here by bus from Kadipur . There is no railway station and airport in Sultanpur , which you can reach from Kadipur by bus . 1 +Magic-user was one of the original character classes in the basic version of the game . In the original version of the game , magic-user was one of the basic character classes . 0 +In June 2007 , drummer Ben Timony left the band and was replaced by Wayne Bennett . In June 2007 , drummer Leonard Ben Timony left the band and was replaced by Wayne Bennett . 1 +He signed with a record of 7 - 0 and victories over WEC - Veteran Eddie Mendez and Strikeforce - Veteran Fernando Gonzalez at Bellator . With a record of 7 -- 0 and victories over Strikeforce veteran Eddie Mendez and WEC veteran Fernando Gonzalez , he signed with Bellator . 0 +The Hallets Cove Terminal is located in Astoria , between the public residential project Astoria Houses and the Socrates Sculpture Park . The Hallets Cove terminal is located in Astoria between the Astoria Houses public housing project and Socrates Sculpture Park . 1 +He left Egypt to Cairo , where he met in Tunis Mahmud al-Kurdi of the Khalwati Order . He left Egypt for Cairo where he met Mahmud al-Kurdi of the Khalwati order in Tunis . 1 +It is found in Texas and Nevada , where it has been admitted from Washington to California and West to North America . It is found in North America , where it has been recorded from Washington to California and west to Texas and Nevada . 0 +Pleasant Peak is a location on the Falkland Islands , East Falkland , north of RAF Mount Pleasant . Pleasant Peak is a location on the Falkland Islands , East Falkland , to the north of RAF Mount Pleasant . 1 +Teewurst was invented in Pomerania , probably in the small Baltic town of Rügenwalde ( now Darłowo , Poland ) , in the middle of the 19th century . Teewurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwald ( today Darłowo , Pomerania ) . 0 +His mother , born in Devonshire , was the tenth child of a parent who emigrated from Kingston to Canada . His mother , born in Kingston , was the tenth child of parents who emigrated to Canada from Devonshire . 0 +A Wilson won an Emmy for his portrayal of James Woods . James Woods won an Emmy for his portrayal of the Wilson . 0 +The river Oraciu or Orociu is a tributary of the River Pustnic in Romania . The Pustnic River or Orociu River is a tributary of the River Oraciu in Romania . 0 +She was born on 18 December 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . She was born in Hebron , Connecticut on December 18 , 1814 but later settled in Litchfield , Ohio . 1 +The 69.8 percent total claimed by the BPD would be the lowest vote share claimed by a Communist-dominated alliance in Romania . The 69.8 % claimed by the BPD would be the lowest share of the vote claimed by a communist-dominated alliance in Romania . 1 +The ACS ( Ambient Control Space ) is the internal of an ambient network . The ACS ( Ambient Control Space ) is the internal environment of an ambient network . 1 +The 2007 -- 08 Kansas State University Men 's Basketball - Team represent Kansas State Wildcats in the 2007 -- 08 College - Basketball - Season . The 2007 -- 08 Kansas State University men 's basketball team represented Kansas State Wildcats in the 2007 -- 08 college basketball season . 1 +Spectral bands are part of large spectra of optical systems , including condensed materials , polyatomic molecules , etc . Spectral bands are part of large spectra of optical systems , including condensed materials , multi-tomography molecules , etc . 1 +In Yucatán , breeding takes place from May onwards and in Veracruz , between August and April . The breeding takes place in Veracruz from May and in Yucatán between August and April . 0 +Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 -- 6 , 7 - 6 . Xavier Malisse defeated Tommy Haas with 6 -- 3 , 3 -- 6 , 7 -- 6 . 0 +Eisele died in 1987 and Schirra in 2007 . In 1987 , Eisele died and Schirra in 2007 . 1 +By contrast , cold years are often associated with dry Pacific La Niña episodes . By contrast , dry years are often associated with cold Pacific La Niña episodes . 0 +"In collaboration with cousin Harold White , B & H Publications produced "" George Bernard Shaw Through The Camera "" in 1948 ." "In collaboration with Cousin Harold White , B & amp ; H Publications produced George Bernard Shaw in 1948 by the camera "" ." 1 +"Finally , in 1601 , the commissioned prose story ( "" Bataviae Hollandiaeque Annales "" ) was published ." "Finally , in 1601 , the published prose story ( "" Bataviae Hollandiaeque Annales "" ) was commissioned ." 0 +Tokiwa Dam is a dam in the Nagano Prefecture , Japan , completed in 1941 . Japan is a dam completed in 1941 in the Tokiwa dam . 0 +As a Dr. Pepper salesman , Jimmy knew all of the local grocery store owners and they would save the overripe bananas for Bob . As Dr. Pepper salesman Jimmy knew all the local grocery store owners and they would save the overripe bananas for Bob . 1 +This name refers to either the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . This name refers to , either the Little Para River ( which starts at the confluence of the South Para River and North Para River ) or the Gawler River . 0 +The first two editions by Cock were not quite successful but the 1601 Galle edition , on the other hand , was particularly successful . The first two editions of Cock were not particularly successful , but the Galle - edition of 1601 was , on the other hand , quite successful . 0 +It is clear that as in Scotland , the playing of extended variation sets on the fiddle was current in Northumberland at the time . It is clear that , as in Scotland , playing extended variation sets on the violin in Northumberland was current at the time . 1 +The neighborhood also has two commuter train stations , the Long Island Rail Road railway stations of Forest Hills and the Kew Gardens . The neighborhood also has two commuter train stations , the Long Island Rail Road railway stations of the Forest Hills and Kew Gardens . 1 +Dyson died on board a ship while travelling from Australia to England in 1939 and was buried at sea . Dyson died on board a ship when he was travelling to England from Australia in 1939 and was buried at sea . 1 +"According to Bryan , Muftić was "" a true scientist in every way ( who ) always looked for physical and chemical explanations of psychological problems ." According to Bryan , Muftić was , in every respect , a true scientist who always looked for physical and chemical explanations for psychological problems . 1 +Tamsen Heiman was married to Chamran , an American Muslim , in 1961 . In 1961 , he was married to Tamsen Heiman , an American Muslim . 0 +"In 2014-15 , Shapiro appeared in the role of Maron 's eccentric neighbor , Marc Maron , in the IFC comedy series "" Bernie "" ." "In 2014-15 , Shapiro appeared in the role of the eccentric neighbor Maron , Marc Maron , in the IFC - Comedy - Series "" Bernie "" ." 1 +Her husband continued travelling to England and died in Europe in 1804 . Her husband continued to England and died in Europe in 1804 . 1 +In San Francisco , Hicks led Dan Hicks and the Hot Licks from 1968 to 1973 , a band that never used electric instruments and rare drums . In San Francisco from 1968 -- 1973 , Hicks led Dan Hicks and the Hot Licks , a band that rarely used electric instruments and never used drums . 0 +Douglas died in hospital in Northampton on 29 October 1969 and was buried at St Clement Danes in The Strand in London . He died at hospital in Northampton on 29 October 1969 and was buried in St. Clement Danes in The Strand in London . 1 +However , unlike John Dewey and J. J. Gibson , the key to Mead is not simply human action , but social action . For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just social action , but human action . 0 +Antillophos bahamensis is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Antillophos bahamensis is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +Tynion followed up the series with an additional horror comic for Thrillbent , The House In The Wall , drawn by Noah J. Yuenkel and co-written by Eryk Donovan . Tynion followed the series with an additional horror comic book for Thrillbent , The House In The Wall , drawn by Noah J. Yuenkel and Eryk Donovan . 1 +"The Georgian tribe was later ruled by a prince known locally as "" mamasakhlisi "" ( "" father of household "" in Mtskheta ) ." "The Georgian tribe was later ruled by a prince locally known as "" mamasakhlisi "" ( "" father of the household "" in Mtskheta ) ." 1 +Thomas Allen ( 1608 in Norwich -- September 21 , 1673 ) was a nonconformist minister and godly . Thomas Allen ( 1608 in Norwich -- 21 September 1673 ) was a nonconformist minister and divine . 1 +Rachel played swimsuit model Decker , while Peter Jacobson played Alan , her nebbish husband . Rachel played Decker swimwear model , while Peter Jacobson Alan , her nebbish husband , played . 1 +The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is located near the border with South Africa . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa located near the border to Botswana . 0 +Rapper Eminem mentions Dee Barnes in his song Guilty Conscience , in which Dr. Dre is featured . Rapper Eminem mentions Dr. Dre in his song Guilty Conscience , in which Dee Barnes occurs . 0 +On October 1 , 2005 , the village of Hanazono was merged with Katsuragi from the Ito district . On October 1 , 2005 the village of Ito District , from Hanazono , was merged into Katsuragi . 0 +Annual rainfall varies from in Venezuela to the east of the Gulf of Paria to in parts of Suriname . The annual rainfall varies from Suriname east of the Gulf of Paria to parts of Venezuela . 0 +The estuary of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . The mouth of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . 1 +As a superintendent of the police , he served in Dharmapuri from 1982 to 1983 , and from 1983 to 1985 in Salem . As Superintendent of Police , he served in Dharmapuri from 1982 to 1983 and Salem from 1983 to 1985 . 1 +Founding member Dan McGruer left the band in 2014 and was replaced by Devin Abrams . In 2014 , founding member Devin Abrams left the band for 15 years and was replaced by Dan McGruer . 0 +In May 2013 , the title track was a top Five single on the Texas Music Chart . In May 2013 , the title track was a single - five - top on the Texas Music - Chart . 0 +Twin Falls High School is a traditional high school in Twin Falls , Idaho , operated by one of the two public secondary schools of the Twin Falls School District . Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of two traditional high schools operated by the Twin Falls School District . 0 +Today the railheads for Wellsville are Alma Township and Friendship . Today the railheads for Alma Township Wellsville are friendship . 0 +She is open about her disapproval of Rob 's father , Billy , and often mentions how bad a father he was for rob . She is open about her disapproval of Rob 's father , Billy and often mentions how bad a father he was to Rob . 1 +It was the first single to be released by the group and their third release on Silvertone Records . It was the third single released by the group and it was their first release on Silvertone Records . 0 +PEVQ - MOS - results range from 1 ( excellent ) to 5 ( bad ) and specify the perceived quality of the decoded sequence . PEVQ MOS results range from 1 ( bad ) to 5 ( excellent ) and indicate the perceived quality of the decoded sequence . 0 +The New York and Erie Railroad completed its route between Hornell and Dunkirk in 1851 , New York via Piermont and Salamanca . The New York and Erie Railroad completed its line between Hornell and Dunkirk , New York via Piermont and Salamanca in 1851 . 1 +For a vertical edge , we want to interpolate in the horizontal direction , using only the column centered at the pixel . For a horizontal edge , we want to interpolate in vertical direction , using only the column centered on the pixel . 0 +In September 2017 , benzoylfentanyl was banned in Sweden , in October 2017 in Finland . Benzoylfentanyl was banned in Finland in September 2017 , and in Sweden in October 2017 . 0 +Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda waits for Carrie at the bar where Steve is working . Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda waits for Steve at the bar where Carrie is working . 0 +TSU students take part in major international events such as the III International Student Forum in Rome , Italy , and the 3rd International Student Forum in Berlin . TSU students take part in major international events such as the III International Student Forum in Berlin and the III International Student Forum in Rome , Italy . 0 +The word Octoroon is an eighth black : a quarter black is a quadroon , and half a black means a mulatto . The word octoroon is one-eighth black . A quarter black is a quadroon and a half black means a mulatto . 1 +In August 2017 , Hardy joined Sky Sports as an analyst for Conor McGregor vs Floyd Mayweather . Hardy came to Sky Sports in August 2017 as an analyst for Floyd Mayweather vs. Conor McGregor . 1 +"Maximilian Lambertz proposed that the word from the Italian "" Bailo "" , the title of the Venetian Ambassador to the Ottomans derived ." "Maximilian Lambertz suggested that the word derived from Venetian "" bailo "" , the title of the Italian ambassador to the Ottomans ." 0 +Although he was born in Nanango , Ballin grew up in Kingaroy and visited the Kingaroy State High School , where his father was school leader . Although he was born in Nanango , Ballin grew up in Kingaroy and attended Kingaroy State High School where his father was the school principal . 1 +Year 6 inferior Venus - Sets on Arahsamnu 28 and after 3 days rises on Kislimu 1 1 . Year 6 inferior Venus rises on Arahsamnu 28 and after 3 days sets on Kislimu 1 . 0 +Spain recognized Spanish nobles on equal footing as Spaniards , and Irish could claim Irish citizenship . Spain recognized Irish nobles as Spaniards on equal terms , and Irish citizens could claim Spanish citizenship . 0 +Rodney Waschka II is an American composer , known for his theatre compositions and his algorithmic works . Rodney Waschka II is an American composer known for his algorithmic compositions and his theatrical works . 0 +Puerto Jiménez Airport is an airport that serves Puerto Jiménez , the second district of Golfito Canton in the province of Puntarenas , Costa Rica . Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in the Puntarenas province of Costa Rica . 0 +The son of the geologist and mineralogist Emma Brosy and the Swiss bearer George Escher was born . Escher was born the son of the geologist and mineralogist Berend George Escher and the Swiss Emma Brosy . 0 +""" Still Losing You "" is a song written by Ronnie Milsap , recorded by the American country singer Mike Reid ." """ Still Losing You "" is a song written by Mike Reid , recorded by American country music singer Ronnie Milsap ." 0 +The Curtis Museum in Hampshire , England , is a local history museum in Alton . The Curtis Museum in Hampshire , England , is a local museum in Alton . 1 +The eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia from 1866 until 1928 , when the patriarchal seat was moved to Beirut , Lebanon . Eparchy was the seat of the Armenian - Catholic Patriarchate of Cilicia from 1866 to 1928 until the patriarchal seat of Beirut was moved to Lebanon . 1 +Nicky Romero ( born January 6 , 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . Nick Rotteveel ( born 6 January 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . 0 +This species comes from southern California in the Pacific Ocean to Peru . This species occurs in the Pacific Ocean , from Peru to Southern California . 0 +However , a few families were allowed to live in two villages , Endingen and Lengnau , in the Aargau , which became the Jewish ghetto in Switzerland . However , a few families were allowed to live in two villages , Endingen and Lengnau , in Switzerland , which became the Jewish ghetto in the Aargau . 0 +After a while , Miao Yu Jia left the band and was replaced in August 2008 by Wang Di . After a while , Miao Yu Jia left the band and was replaced by Wang Di in August 2008 . 1 +Kirk Deighton is served over the Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . Kirk Deighton is served by route 780 , Harrogate to Wetherby , and route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 1 +The following year , studios and offices were moved to the station at 1484 Beech Street in Hornell , just outside Hornellsville . The following year , studios and offices for the station were moved to 1484 Beech Street in Hornellsville , just outside Hornell . 0 +When the fruit is ripe , it appears orange-brown and tastes sweet . When the fruit is ripe , it tastes sweet-brown and appears orange . 0 +Fowey Rocks Light is located seven miles southeast from Cape Florida on Key Biscayne . Fowey Rocks Light is located seven miles southeast of Key Biscayne at Cape Florida . 0 +Germar Rudolf , also known as Germar Scheerer , was born on October 29 , 1964 , is a German chemist and a convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . 1 +After the constitution of the United States was adopted in 1789 , the US was ratified by Bill of Rights in 1791 . After the Constitution of the United States was adopted in 1789 , the United States Bill of Rights was ratified in 1791 . 1 +Bilcisha is a town in the southwestern region of Somalia by Gedo . Bilcisha is a town in the southwestern Somalia region of Gedo . 1 +The regiment was in the campaign of Mexico City and served in the Battle of Contreras , Battle of Churubusco and Battle of Molino del Rey . The regiment served in the Mexico City campaign and was in the Battle of Contreras , Battle of Churubusco , and Battle of Molino del Rey . 0 +RFPs also tend to be dominated by turbulent phenomena and non-ideal effects . RFPs also tend to be controlled by non-ideal phenomena and turbulent effects . 0 +Parnakh was born into a Jewish family in the Azov Sea port of Taganrog on July 26 , 1891 . On July 26 , 1891 , Parnakh was born to a Jewish family in the Azov port of Taganrog . 1 +The mesoscopic weighting function at wavelength formula _ 1 can be written as the weighted sum , The weighted weighting function at the wavelength formula 1 can be written as a mesoscopic amount . 0 +MacCullagh found that a conventional potential function proportional to the squared norm of the displacement field was incompatible with known properties of light waves . MacCullagh found that a squared function that is proportional to the known norm of the shift field was incompatible with conventional potential properties of light waves . 0 +Andre Andre Agassi won against Paul Annacone in the final with 6 -- 2 , 6 -- 4 . Andre Agassi won in the final 6 -- 2 , 6 -- 4 against Paul Annacone . 1 +The Taverniers are visited by Sian Martin ( Gidea Thompson ) , a friend of Jules ' and the family in Trinidad . The Taverniers are visited by Sian Martin ( Gidea Thompson ) , a friend of Jules ' family back in Trinidad . 1 +The club is very active in yacht racing and high-performance catamarans have been designed specifically for the lake . The club is very active in yacht racing and high-performance catamarans have been developed specifically for the lake . 1 +As usual for canonical properties , this defines up to a universal isomorphism . This defines , as is usual for universal properties , up to a canonical isomorphism . 0 +Howes married three times in his life : to Mary Donovan Howard in 1923 , Catherine Tabor in 1932 , and Lillian Pechin in 1937 . Howes married three times in his life : in 1923 with Mary Donovan Howard , with Catherine Tabor in 1932 and in 1937 with Lillian Pechin . 1 +The original issue was published in 1953 by Allen Unwin in London and by Harper in New York . The original issue was published in 1953 by Allen Unwin in New York and Harper in London . 0 +Her release was celebrated by the suffragettes and her achievement was recognised with flowers . Her release was recognized by the suffragettes and her achievement with flowers was celebrated . 0 +The Kabul River is a tributary of the Swat River , part of the Indus River . The Swat River is a tributary of the Kabul River , part of the Indus River basin . 0 +If it was right and moral , as I now believe , it was necessary . If it was right and moral , as I now believe , then it was necessary . 1 +Blackedge was teamed with Brad Nessler and sideline reporter Erin Andrews for the 2009 season , while Patrick is teamed with Craig James and sideline reporter Heather Cox . Blackedge was working with Craig James and Sideline Reporter Brad Nessler for the 2009 season , while Patrick collaborated with Heather Cox and Sideline Reporter Erin Andrews . 0 +Grew up in Torquay , just outside of the coastal town of Mount Duneed in Victoria . Grown up in Mount Duneed , just outside the coastal town of Torquay in Victoria , Taylor grew up . 0 +In March , the 1st Photographic Group at Peterson Field , Colorado and the 11th Photographic Group at MacDill Field , Florida , were assigned to the wing . In March , the 1st Photographic Group in Peterson Field , Colorado and the 11th Photographic Group were assigned to the wing in MacDill Field , Florida . 1 +"In 1994 , Crowden played the role of Professor Pollux in the BBC TV adaptation of the John Hadfield - novel "" Love on a Branch Line "" ." "In 1994 , John Hadfield played the role of Professor Pollux in the BBC - TV - Adaptation of the Crowden - novel "" Love on a Branch Line "" ." 0 +The volcanic activity of Mount St. Helens ( 2004-2008 ) has been documented as a continuous eruption with a gradual extrusion of magma at Mount St. Helens volcano . The 2004 -- 08 volcanic activity of Mount St. Helens has been documented as a gradual eruption with a continuous extrusion of magma at the Mount St. Helens volcano . 0 +The novel has been adapted by Lucy Catherine , with music by Stephen Warbeck , for broadcast on BBC Radio 3 on 15 March 2015 . The novel was adapted by Lucy Catherine with music by Stephen Warbeck for the broadcast on BBC Radio 3 on March 15 , 2015 . 1 +Bridie Morton married in 1986 Timothy Torlot . In 1986 , Timothy married Torlot Bridie Morton . 1 +There was only one scholar , however , and Qian published two or three articles more than Li , so that Qian was preferred . There was only one scholarship however , and Li published two or three more articles as Qian , so Qian was preferred . 0 +As an Imperial prince , Anton Egon ranked above the local nobles , whose traditional privileges he tried to curtail . Anton Egon ranked as an imperial prince above the traditional noblemen , whose local privileges he tried to curtail . 0 +Sixteenth Air Force inactivated and Third Air Force assumed the new role as the Warfighting Headquarters for USAFE . Sixteenth Air Force inactivated and Third Air Force assumed the new role of Warfighting Headquarters for USAFE . 1 +Once again , Sundance is killed by a job when the poet comes there first , and three of Sundance 's men are foiled . Sundance is once again killed on a job by the Poet getting there first , and three of Sundance 's men are foiled . 1 +Year 6 inferior Venus sets on Arahsamnu 28 and after 3 days rises on Kislimu 1 Year 6 inferior Venus - Sets on Arahsamnu 28 and after 3 days rises on Kislimu 1 1 . 1 +Born in Bradford , Chapman played for Frickley Athletic , Torquay United , Notts County , Mansfield Town , Exeter City , Bradford City , Darlington and Emley . Born in Bradford , Chapman performed for Frickley Athletic , Torquay United , Notts County , Mansfield Town , Bradford City , Exfield City , Darlington and Emley . 0 +Mrs Gandhi was represented by the noted lawyer Nana Palkhiwala , Raj Narayan by Shanti Bhushan . Mrs Gandhi was represented by the well-known lawyer , Shanti Bhushan , by Nana Palkhiwala , Raj Narayan . 0 +Linguists sometimes posit that pidgins can become first language , when a generation of children learn a pidgin as their creole language . Linguists sometimes claim that when a generation of children learn a pidgin as their first language , pidgins can become Creole languages . 0 +Sigmatel was later sold to Freescale Semiconductor . Sigmatel later was sold to Freescale Semiconductor . 1 +The Church was designated as a listed landmark of the City of Santa Barbara on May 17 , 2016 . The church was listed as a marked landmark of the city of Santa Barbara on 17 May 2016 . 0 +Her brother Virendranath Chattopadhyaya was a revolutionary and her other brother , Harindranath was a poet , a dramatist , and an actor . Her brother , Virendranath Chattopadhyaya , was a revolutionary , and her other brother , Harindranath , was a poet , dramatist , and actor . 1 +The Tour of Turkey is a cycling race in Antalya . The Antalya tour is a cycling race in Turkey . 0 +If the used assay varies , the selective pressure changes on the cells and can therefore change what properties are selected in the transformed cells . Varying the assay selected , changes the selective pressure on the cells and therefore can change what properties are used in the transformed cells . 0 +""" It had to be long , sexy , slender , but in a sexy and provocative way "" ." """ It had to be sexy and provocative , but in a long , sexy , sleek way . """ 0 +The completed action plan , published on 3 March 2006 , will be placed by ministerial members of the Task Force directly in the hands of other ministers . The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the Ministers for Ministers by other members of the task force . 0 +The reserve contains an interesting flora , outstanding lichen and moss communities and a wealth of invertebrates . The reserve contains interesting flora , excellent lichen and moss communities and a wealth of invertebrates . 1 +Glenn Jones replaced Hart in the band in 1996 and played guitar , while Eric Midkiff moved to bass . In 1996 , Eric Midkiff replaced Glenn Jones in the band and played guitar , while Hart switched to the bass . 0 +This creates filter processing and manages the filter chain with the appropriate filters in the correct order and processing starts . This manages filter processing and creates the filter chain with the appropriate filters , in the correct order , and initiates processing . 0 +It is jumped at Haydock Park over a distance of about 1 mile 7 ½ furlongs , and during its running there are nine hurdles to be run . It jumped at Haydock Park over a distance of about 1 mile 7 ½ furlongs , and there are nine hurdles to run during its course . 1 +He also played alongside Snookum Russell , Wallace Davenport , Juni Gardner , Nick Gagliardi , Milton Ziedrich and occasionally Al Hirt . He also played alongside Snookum Russell , Wallace Davenport , June Gardner , Nick Gagliardi , Milton Ziedrich , and occasionally Al Hirt . 1 +Mabanda is a city located close to the southern tip of Tanzania , near the border with Burundi . Mabanda is a city near the southernmost tip of Burundi , close to the border with Tanzania . 0 +Stefano told Shawn that his mother was not dead and his father was still married and on the day of Colleen and Santo 's wedding , Shawn told Colleen . Shawn told Shawn that his mother was not dead and his father was still married and told Shawn Colleen on the day of the wedding of Colleen and Santo . 1 +Naxalbari has a railway station on the Siliguri -- Katihar line . Naxalbari has a railway station on the Katihar - Siliguri line . 1 +In 1892 , William H. Bennett and Langdon Hubbard died the mill . William H. Bennett died in 1892 , and Langdon Hubbard took over the mill . 0 +"On April 20 , 2007 , Hennig joined the occupation of "" Days of Our Lives "" in the contract role of Stephanie Johnson ." "On April 20 , 2007 , Stephanie Johnson joined the cast of "" Days of Our Lives "" in the contract role of Hennig ." 0 +Caspar David Friedrich was born on September 5 , 1774 in Germany , on the Baltic coast of Greifswald , Sweden , Pomerania . Caspar David Friedrich was born on 5 September 1774 , in Germany , on the Baltic coast of Greifswald , Swedish Pomerania . 1 +The symmetric octahedral group is the full product of the cross group Sand the cyclic group Z . The symmetric octaedrian group is the full product of the cross group Sand of the cyclic group Z . 1 +"According to Philips , the Sowo Gande demonstrates virtuosity through "" the triumphant summoning of new forms that are recognizable variations of old forms "" ." "According to Philips , the Sowo Gande demonstrates virtuosity through "" the triumphant conjuring of recognizable forms which are new variations of old forms "" ." 0 +Funimation released the series in North America and licensed the first Blu-ray and DVD set on January 23 , 2018 . On 23 January 2018 , Funimation released the series in North America and licensed the first Blu - ray and DVD set . 1 +The suburb of Umina Beach officially begins where Woy Woy and Blackwall end in Veron Road and Gallipoli Avenue . The suburb of Umina Beach officially begins where Woy Woy and Blackwall end-at Veron Road and Gallipoli Avenue . 1 +The eldest son of Colonel Charles Lyell was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . The eldest son of Colonel Henry Lyell and Katharine Murray Lyell , was a nephew of Sir Charles Lyell , 1st Baronet , the geologist . 0 +The Luzley White Horse , near Mossley , cut in 1981 , was neglected in 1992 , after its creator had died , but was not completely lost for some time . The Luzley White Horse near Mossley , cut in 1981 , was neglected in 1992 after its creator died , but was not completely lost for some time . 1 +William H. Bennett died in 1892 , and Langdon Hubbard took over the mill . In 1892 , Langdon Hubbard died , and William H. Bennett took over the mill . 0 +Katherine , Kathryn or Kathy Williams may refer to : Kathy Williams , Kathryn or Katherine refer to : 1 +Ball died in 1978 in Grassy Creek , North Carolina , and is buried at Corinth Baptist Church in Rugby , Grayson County , Virginia . Ball died in 1978 in Grayson County , Virginia , and is buried in the Corinth Baptist Church at Rugby , Grassy Creek , North Carolina . 0 +Field is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . Field 's is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . 1 +The station , formerly licensed for North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . Formerly licensed to North Myrtle Beach , South Carolina , USA , the station was owned by City of North Myrtle Beach . 1 +Striking were both male and female parents as less competent for the job than childless applicants . Strikingly , both male and female parents were judged as less competent for the job than childless applicants . 1 +The work was released in 2003 in his fifth , it was concluded the release rush from the same year in August . The work was released in his fifth in 2003 , it was completed in August the release Rush from the same year . 1 +The crossover influence of Australian country is also evident in the music of successful contemporary bands The Waifs and the John Butler Trio . The crossover - influence of the Australian country is also reflected in the music of the successful contemporary bands The Waifs and the John Butler Trio . 1 +In September , the squadron B-24H aircraft began to fly , the model of liberators they would receive in combat . In September , the squadron began to fly B-24H aircraft , the model of the Liberator they would receive in combat . 1 +"A large carnival offers "" chirigotas "" , costumed groups that sing in a humorous way of current events ." "A costumed carnival showing "" chirigotas "" , large groups that sing in a humorous way of current events ." 0 +He died in Lyon on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Bordeaux . He died in Bordeaux on 23 July 1963 and was buried at the Chartreuse cemetery in Lyon . 0 +Ranjit Singh marched to Rawalpindi , from there after ( Rohtas ) and via ( Sarai Kala ) to Sirikot . Ranjit Singh marched to ( Rawalpindi ) , from there to ( Rohtas ) and via ( Sarai Kala ) reached Sirikot . 1 +The summers are hot and humid and the winters are mild with cool periods . The summers are hot and humid , and winters are cool with mild periods . 0 +There are formula _ 72 correct hypotheses for the null ranking of each 4 means . The significance level of each hypothesis is formula _ 73 There are formula 72 null hypotheses for the correct order of all 4 means The significance level of each hypothesis is Formula 73 . 0 +Mount Cline is a mountain in western Nordegg , north of Saskatchewan Crossing , southwest of Alberta , Canada . Mount Cline is a mountain in the western part of Alberta , Canada , north of Saskatchewan Crossing , southwest of Nordegg . 0 +Dodson has private practice in New York City and maintains an active website . Dodson maintains a private practice in New York City and has an active website . 0 +He has received awards from Ghalib Academy , New Delhi and Uttar Pradesh Urdu Academy in Lucknow . He has received awards from the Ghalib Academy , Lucknow and the Uttar Pradesh Urdu Academy in New Delhi . 0 +In the final won Count 6 -- 4 , 6 -- 1 against Jana Novotná . Jana Novotná won in the final 6 -- 4 , 6 -- 1 against Graf . 0 +It was commissioned by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been instructed by Mussolini to manage the capital . It was commissioned by the governor of Rome , Ludovico Spada Veralli Potenziani , who had been directed by Mussolini to manage the Capital . 1 +Bengidzakiwe is a local song sung in traditional ceremonies in Swaziland , which became a local hit in 2007 . Mine Bengidzakiwe is a native song sung in traditional ceremonies in Swaziland , which became a local hit in 2007 . 1 +Lina was born on September 21 , 1830 into New York City 's original aristocracy , descendants of the city 's Dutch settlers . Lina was born on 21 September 1830 into the original aristocracy of New York City , descendants of the city 's Dutch settlers . 1 +His case was widely publicized in medical , as well as religious publications . His case was widely published in religious as well as medical publications . 1 +The zonal polynomials are the formula _ 6 case of the C normalization of the Jack function . The zonal polynomials are the formula - 6 - case of C - normalization of the jack function . 1 +On the other hand , John McCain lost the state badly to the opponent , Mitt Romney , who won 60 % of the vote . On the other hand , Mitt Romney badly lost the state to opponent John McCain , who gained 60 % of the vote . 0 +"The name "" rigid cohomology "" comes from its relation to rigid analytic spaces ." "The name "" rigid analytical cohomology "" comes from its relation to rigid spaces ." 0 +The upstream tributaries of the Cascapédia River are ( in significant order ) : The upstream tributaries of the Cascapédia are ( in significant order ) : 1 +Neighboring communities are Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . Neighboring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . 1 +The Deputy Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first Kjell Magne Bondevik Cabinet . The Deputy to the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and the first cabinet of Kjell Magne Bondevik . 1 +Eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia from 1866 to 1928 , when the Armenian seat was moved to Beirut in Lebanon . The eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia from 1866 until 1928 , when the patriarchal seat was moved to Beirut , Lebanon . 0 +Texarkana is part of the Miller County , TX-AR , Metropolitan Statistical Area . Miller Miller County is a part of the Texarkana , TX-AR , Metropolitan Statistical Area . 0 +The Euler - Tour - Representation ( ETR ) can be presented in parallel with an undirected tree constructed as a set of edges : The Euler - Tour - Representation ( ETR ) can be constructed in parallel with an undirected tree presented as a set of edges : 0 +The victory over Wei further increased Fei Yi 's fame . The victory over Fei Yi increased Wei 's fame even further . 0 +It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and by Kamala Lopez . Kamala Lopez directed and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . 0 +The Galbena River is a tributary of the River Dunăreana in Romania . The river Dunăreana is a tributary of the River Galbena in Romania . 0 +"The "" medal "" for the golden classes are the 6th and 7th bronze ." "The "" medal "" for the 6th and 7th classes are golden bronze ." 0 +If a certain Feynman chart is generally given in Formula 15 by an integral formula 16 , it is represented at finite temperature by the sum formula 17 . Generally speaking , if at formula _ 15 , a certain Feynman diagram is given by an integral formula _ 16 , at finite temperature it is represented by the sum formula _ 17 . 1 +However the term Siyin is local and Sizang is official terminology . The name Siyin is local , however , and Sizang is official terminology . 1 +It is bounded to the northeast by Londonderry Township , to the east by Napier Township and to the south by Harrison Township . It is bordered to the northeast by Londonderry Township , to the east by Napier Township , and to the south by Harrison Township . 1 +The 2013 Texas A 'M Aggies Football Team represented Texas A ' M University in the NCAA Division I FBS Football - Season 2013 , where they played their home games at Kyle Field . The football team of Texas A 'M University from 2013 represented Texas A ' M Aggies in the FBS season of NCAA Division I . They played their home games at Kyle Field . 0 +Scouting in Malaysia ( now YMCA ) was first introduced in Malaya in 1908 as an experimental troop in Penang before it spread throughout the peninsula . Scouting in Malaya ( now Malaysia ) was first introduced in Penang in 1908 as an experimental troop in YMCA before spreading throughout the entire peninsula . 0 +Mosques were destroyed , and in many provinces , Hui was slaughtered or bombed by Japanese troops . Mosques were bombed , and in many provinces , Hui was slaughtered or destroyed by Japanese troops . 0 +A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September followed another tour to Switzerland . A market was perceived for future tours and destinations . Scandinavia was in April 1975 and there followed another tour to Switzerland in September . 1 +"During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civil saving campaign of the warship - week "" ." "During 1942 , "" Whitehall "" was "" adopted "" by the national community of Cheltenham , Gloucestershire , in a Warship Week civil savings campaign ." 1 +The London Reefs are located between and ( and ) in the Spratly Islands of the South China Sea . The London Reefs are located between and around the Spratly Islands in the South China Sea . 1 +Jenny Maria Öhlund is a Swedish singer better known as Jenny Silver ( born January 22 , 1974 ) . Jenny Silver better known as Jenny Maria Öhlund ( born January 22 , 1974 ) is a Swedish singer . 0 +This sometimes could produce a surprise when from a perfect stock Dutch Cropper , a good Pomeranian Pouter is hatched . This could sometimes cause a surprise when a good Pomeranian pouter is hatched from a perfect Dutch cropper . 1 +In 2000 , Tandy Corporation officially became the RadioShack Corporation . In 2000 , Tandy Corporation became officially RadioShack Corporation . 1 +NH electrification began on July 24 to New Rochelle , August 5 to Port Chester and October 6 , 1907 the rest of the way to Stamford . On 24 July the NH - electrification to New Rochelle began , on 5 August to Port Chester and on 6 October 1907 the rest of the route to Stamford . 1 +It features a fresh 1814 spin on legendary artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . It features a fresh 1814 shoot on legendary artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . 1 +After the death of her first husband , Tom Dalton remarried Katharina Dalton , who passed away in 1992 . After the death of her first husband , Katharina Dalton married Tom Dalton , who passed away in 1992 . 0 +He was born in Podgorica ( now Titograd ) and grew up in a family of musicians . He was born in Titograd ( today Podgorica ) and grew up in a family of musicians . 0 +The deputy of the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . The Deputy to the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . 1 +Despite his own views about papias , Eusebius believed that Irenaeus papias knew to be a reliable witness of original apostolic traditions . Eusebius , despite his own views on Papias , believed that Irenaeus knew Papias to be a reliable witness to original apostolic traditions . 1 +"Sportswriter and player Wallace put Jimmy Smith on his All American team "" from 1909 ." "Sportswriter and fellow player Jimmy Smith put Wallace on his 1909 "" All American Team . """ 0 +An electronic signature is intended to provide the signatory with a secure and accurate identification method for ensuring a seamless transaction . An electronic signature is intended to provide a seamless identification method for the signatory to provide a secure and accurate transaction . 0 +Marian ( 1510 ? - 1558 ? ) was an English Protestant writer and Bartholomew Traheron exile . Marian ( 1510 ? -- 1558 ? ) was an English Protestant writer and Bartholomew Traheron exile . 1 +Born Chloe Bennet in Chicago , Illinois , Chloe Wang is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Chloe Bennet was born in Chicago , Illinois , Chloe Wang and is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an intern . 0 +Alabama beat South Carolina 29-0 and moved into the Top Five as Wisconsin . # 8 Alabama beat South Carolina 29-0 and dropped into the Top Five as Wisconsin moved out . 0 +Brayshaw began his career and ended his career with Claremont Football Club in the West Australian Football League . Brayshaw finished his career and began with his Club Claremont in the West Australian Football League . 0 +The water of Nescopeck Creek is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams of dissolved minerals per litre . Nescopeck Creek 's water is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . 1 +The district of Waitaki , in the regions of Canterbury and Otago in New Zealand , stretches the traditional border between the two regions , the Waitaki River . The Waitaki River district in the regions of Canterbury and Otago in New Zealand spans the traditional border between the two regions , the Waitaki . 0 +He represented the country at UEFA Euro in 1968 , when Italy lost in the final to Yugoslavia . He represented the country at UEFA Euro 1968 , as Italy lost to Yugoslavia in the final . 1 +Staveley Street is named after him in Hong Kong . Staveley Street in Central in Hong Kong is named after him . 0 +"Also , there is a promising and more faithful remake called "" Xenonauts "" . """ "There is also a faithful and more promising reprint called "" Xenonauts "" ." 0 +Brock Township is a community in Beaverton in the Regional Municipality of Durham , Ontario , Canada . Brock Township is a municipality in Beaverton in the regional village of Durham , Ontario , Canada . 1 +Margarites giganteus , common name of the marine margarite , is a species of sea snail , a huge gastropod mollusk in the Margaritidae family . Margarites giganteus , common name the giant margarite , is a species of sea snail , a marine gastropod mollusk in the family Margaritidae . 0 +""" Still Losing You "" is a song written by Ronnie Milsap , and recorded by American country music singer Mike Reid ." """ Still Losing You "" is a song written by Mike Reid , recorded by American country music singer Ronnie Milsap ." 0 +The Galbena River is a tributary of the River Dunăreana in Romania . The river Dunăreana is a tributary of the Galbena River in Romania . 0 +Conotalopia mustelina is a species of sea snail , a marine gastropodemollusk in the Trochidae family , the top snails . Conotalopia mustelina is a species of sea snail , a top gastropod mollusk in the Trochidae family , the navy snails . 0 +A brief biography and short summaries of Brodsky 's long fiction and critical reception can be found here : A brief biography , and short summaries of Brodsky 's longer fiction and critical reception can be found here : 0 +Qtractor 's intention is to provide digital audio workstation software simple enough for the average home user , and yet powerful enough for the professional user . Qtractor intends to provide a digital audio workstation software that is simple enough for the average home user and yet powerful enough for the professional user . 1 +Communism is a communist ideology and movement with the ultimate aim of achieving a political society . Communism is a political ideology and movement with the aim of achieving a communist society . 0 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian - born American composer and musician . Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian-born American composer and musician . 1 +He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . 1 +Born in London for John May , superintendent of a department of the Metropolitan Police , himself , May himself joined the force and left England in 1845 to Hong Kong . Born in Hong Kong to John May , Superintendent of A Division of the Metropolitan Police . May himself joined the force and left England in 1845 for London . 0 +"In 2015 , Trenyce hosted the cabaret show "" Taboo at the Casino City of Dreams in Macau , China , produced by Franco Dragone ." "In 2015 , Franco Dragone organized the Trenyce-produced cabaret show "" Taboo "" at the Casino City of Dreams in Macau , China ." 0 +Edward Biddle was the brother of the American financier Nicholas Biddle , nephew of Congressman Charles John Biddle , and Congressman Richard Biddle ’ s uncle . Richard Biddle was the brother of American financier Nicholas Biddle , nephew of Congressman Edward Biddle and uncle of Congressman Charles John Biddle . 0 +One of the highest peaks of the district is Khuchiyuq at approximately . Other mountains are listed below : One of the highest peaks of the district is Khuchiyuq below , other mountains are listed approximately . 0 +The Court Barn was built in the early 20th century as a Tithe barn for Glastonbury Abbey , and was restored in the 15th century . The Court Barn was built in the early 20th century as a tithe barn for Glastonbury Abbey , restored in the 15th century . 1 +Kane concludes that he is unable to solve the puzzle and that the meaning of Thompson 's last word will remain a mystery forever . Kane concludes that he is unable to solve the mystery and that the meaning of Thompson 's last word will forever remain an enigma . 1 +Arabic Supplement is a Unicode block encoding old letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and Arabic Persian . Arabic Supplement is a Unicode block that encodes Arabic letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and old Persian . 0 +Central forces that are conservative can always be expressed as the negative gradient of a potential energy : Conservative central forces can always be expressed as the potential gradient of negative energy . 0 +In 1997 he founded Equicore Beteiligungs GmbH and in 1998 the Freiburger Vermögensmanagement GmbH . In 1997 , he co-founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . 0 +In addition to its main studios , KTTC operates an Austin Bureau , within the Riverland Community College campus , on 8th Avenue Northwest . In addition to the main studios , KTTC operates an Austin Bureau within the Riverland Community College Campus at 8th Avenue Northwest . 1 +The cyclops device was sold in volume by Halfords , Motor World , Puegeot , Citroën , Nissan , Alfa Romeo and Ford as an aftermarket product . The Cyclops device was sold in volume by Halfords , Motor World , Puegeot , Citroen , Nissan , Alfa Romeo and Ford as an aftermarket product . 1 +"Where "" r "" is the annual rate , "" i "" the periodic rate , and "" n "" the number of compounding periods per year ." "Where "" r "" is the periodic rate "" i "" is the annual rate and "" n "" the number of connection periods per year ." 0 +The PGM 500 and PGM 2000 are guided bombs developed by Alenia Marconi Systems and now marketed by MBDA . The PGM 500 and PGM 2000 are guided bombs developed by Alenia Marconi Systems and are now marketed by MBDA . 1 +The work was released in its fifth in 2003 , it was completed in August the Rush release from the same year . The work was completed in its fifth in 2003 , it was released in August the release Rush from the same year . 0 +Pennsauken Township is located on the 6th Congressional District and is part of the 1st State Legislative District in New Jersey . Pennsauken Township is located in the 1st Congressional District and is part of New Jersey 's 6th state legislative district . 0 +Minervén Sport Club , usually Minervén Bolívar Fútbol Club , formerly known as Minervén , is a Venezuelan football ( soccer ) club . Minervén Sport Club , usually Minervén Bolívar Fútbol Club , formerly known as Minervén , is a Venezuelan football club . 1 +In 2010 , Convergys sold its Human Resources Management business to NorthgateArinso . In 2010 , Northgate Arinso sold its Human Resources Management business to Convergys . 0 +This prayer and the following are said in a concelebrated fair by individual concelebrants . This prayer and the following are concelebrated in a said fair by individual concelebrants . 0 +In 2017 , Will Hammer candidated in the 20th district , Michael Millner in the 22nd district , and Terry Hurst in the 89th district . Candidates running in 2017 include Will Hammer , in the 89th district ; Terry Hurst in the 20th district ; and Michael Millner in the 22nd district . 0 +It begins near the western extremities of the Central Oregon Coast Range and flows generally west to the ocean south of Depot Bay and north of Otter Rock . It starts close to the western extremities of the Central Oregon Coast Range and generally flows west to the ocean south of Depot Bay and north of Otter Rock . 1 +The continuing popularity of this mobile suit in Japan has led Bandai to develop a 1.5m high model version , which went on sale in Japan in 2007 . The continuing popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version that went on sale in Japan in 2007 . 0 +On 29 March 2013 , Lancina signed Cotonsport Garoua from Bulgaria and left for Cameroon A Grupa side PFC Lokomotiv Sofia . On 29 March 2013 , Lancina Cotonsport Garoua signed a contract from Bulgaria and left PFC Lokomotiv Sofia for Cameroon A Grupa . 0 +She moved to BBC News in Belfast within a couple of years and became the Ireland producer for BBC National news . Within a few years she moved to BBC News in Ireland and became Belfast Producer for BBC National News . 0 +The region has a temperate climate with dry winters and wet summers . The region has a temperate climate with humid winters and dry summers . 0 +Andre Agassi won in the final 6 -- 3 , 4 -- 6 , 2 -- 6 , 7 -- 6 , 6 -- 1 against Alberto Mancini . Alberto Mancini won against Andre Agassi in the final 6 -- 3 , 4 -- 6 , 2 -- 6 , 7 -- 6 , 6 -- 1 . 0 +Wall Township is located in the 4th Congressional District and is part of New Jersey 's 30th state legislative district . Wall Township is located on the 30th Congressional District and is part of the 4th State Legislative District in New Jersey . 0 +She was trained in Scotland , France and Italy . She trained in Italy , France and Scotland . 1 +"It was also produced by TV9 before they broadcast their own Berita TV9 "" news programmes ." "It was also broadcast by TV9 before they produced their own news programmes "" Berita TV9 "" ." 0 +Following the death of David Neale in December 2005 , Paul Britton was named Chief Executive . Following the death of Paul Britton in December 2005 , David Neale was named Chief Executive . 0 +"The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in 1984 in Luxembourg ." "Anna Maria Lena is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." 0 +"However , on July 17 , 2006 , in a radio interview with López Obrador on "" Radio UNAM "" , Miguel Ángel Granados Chapa said :" "On 17 July 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" 1 +For the 1951 season , the circuit merged with the Arizona -- Southwest International League to form the Texas League . For the 1951 season , the circuit merged with the Arizona - Texas League to form the Southwest International League . 0 +The 345th Naval Brigade and 79th Rifle Division arrived by sea as reinforcements , using the long winter nights and their naval superiority . The 79th Naval Brigade and the 345th Rifle Division came as reinforcements by sea , using the long winter nights and their naval superiority . 0 +The Dublin Council of Unions is the trade council for the county of Dublin in Ireland . The Dublin Council of Trade Unions is the trades council for Ireland in County Dublin . 0 +He has also served as chairman of the Long Island branch of the North Shore Division of the American Jewish Congress . He also served as chairman of the North Shore branch of the Long Island division of the American Jewish Congress . 0 +Its villages include Dry Tavern , Normal Square ( also in the West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . Its villages include Dry Tavern , Jamestown , Mahoning Valley ( also in West Penn Township , Schuylkill County ) , New Mahoning , Normal Square , and Packerton . 0 +The first main span was positioned in 1857 and the finished bridge was opened on 2 May 1859 by Prince Albert . The first main span was positioned in 1857 and the completed bridge was opened by Prince Albert on 2 May 1859 . 1 +Alberto Cortina together with Alicia has three sons . Alberto Cortina has three sons , Alicia : 0 +The song begins with the same spoken segment of Prince that the EP ends . The song ends with the same spoken segment from Prince that begins the EP . 0 +The Malawi Central Africa Protectorate existed between 1891 and 1907 in the territory of the present-day British . In the area of present-day Malawi , the British Central Africa - Protectorate existed between 1891 and 1907 . 0 +In 1859 he moved to Attica , Indiana , and in 1859 to Bloomington , Illinois . He moved to Attica , Indiana , in 1853 and to Bloomington , Illinois , in 1859 . 0 +Cameron Lake is a lake located on Vancouver Island south of St. Mary Lake . Cameron Lake is a lake on Vancouver Island , located south of St. Mary Lake . 1 +Blue jays , like other corvids , are highly curious and are considered intelligent birds . Like other Corvids , Blue Jays are highly intelligent and are considered to be curious birds . 0 +Creswell is served by the daily Roanoke Beacon from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC , Creswell is serviced . 0 +"He also worked in the Certosa di San Martino , where he painted at "" Coro dei Conversi "" and "" Quarto del priori "" ." "He also painted in the Certosa di San Martino , where he worked in the "" Coro dei Conversi "" and "" Quarto del priori "" ." 0 +On 2 February 2009 , the French striker , in consultation with the Brazilian team , terminated his contract with Sochaux . On 2 February , 2009 , the French striker has terminated his contract with Sochaux in agreement with the Brazilian team . 1 +Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former shooter . Paavo Mikkonen ( born 25 January 1942 ) is a Finnish former sports shooter . 1 +In the 2012 NFL Draft , Posey was selected by the Houston Texans in the 68th round ( third overall ) . In the NFL Draft 2012 , Posey was selected by Houston Texans in the 68th round ( third total ) . 1 +The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . 1 +It has been developed by FunLabs and is published by Activision . It is developed by FunLabs and published by Activision . 1 +In 1925 , her series of syndicated crossword puzzles for children was shown in several newspapers . In 1925 her series of illustrated crossword puzzles for children was syndicated in several newspapers . 0 +Although five issues of the series were printed , the project was finished without any of them being cancelled . Although five issues of the series were printed , the project was completed without any of them being cancelled . 1 +While North Carolina is historically a conservative state , Wake County is typically a swing voting area . While North Carolina is typically a conservative state , Wake County is historically a swing-voting area . 0 +The church formerly contains an organ at the Central Methodist Church in Saltergate , Chesterfield . The church now contains an organ formerly in the Central Methodist Church , Saltergate , Chesterfield . 0 +Turner represented the Ontario riding of London East at which he was elected in 1968 and re-elected in 1972 , 1974 , 1979 and 1980 . Turner represented the Ontario - horse riding of London East , on which he was elected in 1968 and was re-elected in 1972 , 1974 , 1979 and 1980 . 1 +was the brother of Charles Fenton Mercer and father of George Mercer and John Francis Mercer . Mercer was the brother of George Mercer , John Francis Mercer and father of Charles Fenton Mercer . 0 +On 30 August 1853 , the daughter of Stephen Champlin , Eliza Ellen Champlin , John B. Cook , married a partner of Minnesota Alexander Ramsey . On August 30 , 1853 , Stephen Champlin 's daughter , Eliza Ellen Champlin , married John B. Cook , a partner of Minnesota 's Alexander Ramsey . 1 +The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition in mixed pairs . The third season was premiered on 7 June 2010 and as the fourth season was the system of competition in mixed couples . 0 +"Around Christmas 1985 , Massot produced Slim Gaillard 's Latin album "" Siboney "" , recorded at Gateway Studios in Battersea , London ." "Around Christmas 1985 , Massot Slim Gaillard produced Latin - album "" Siboney "" , recorded at the gateway studios in Battersea , London ." 0 +Toimi is 29 miles west of Silver Bay and 27 miles southeast of Hoyt Lakes . Toimi is located 29 miles south-east of Hoyt Lakes , and 27 miles west of Silver Bay . 0 +It has a legendary 1814 shoot on fresh artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . It features a fresh 1814 spin on legendary artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . 0 +The outer narrator meets with his old friend Rodgers by Sterling , Colorado , and asks about the murdered agent at Grover station . The outer narrator meets with his old friend Grover at Sterling , Colorado , and asks about the murdered agent in the Rodgers station . 0 +Pablo Neruda was Adoum 's personal secretary for nearly two years in Chile . Pablo Neruda 's personal secretary was in Chile for nearly two years . 0 +It reacts weakly alkaline and gives a deep red colour with iron ( III ) chloride . It gives weakly alkaline and reacts with iron ( III ) chloride a deep red color . 0 +The championship was formed around the then newly created New Zealand rally when it was included in the Rally - World Championship in 1977 . The championship was formed around the then newly created Rally New Zealand when it joined the World Rally Championship in 1977 . 1 +Air Niugini operated their Boeing 707 from Auckland to Hong Kong via Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini served their Boeing 707 from Auckland via Port Moresby to Hong Kong in a tripartite agreement with Air New Zealand and Cathay Pacific . 1 +He had a good advantage on Russell Prince , who was considered the stronger mountain runner , and Saggers needed a lead of 2 min 29 sec . He needed a good advantage on Russell Prince , who was considered the stronger mountain runner , and Saggers had a lead of 2 min 29 sec . 0 +Teversall Manor is a former railway station in Mansfield on the border to Derbyshire west of Teversal , Nottinghamshire . Teversall Manor is a former station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . 0 +No EQ was created when the Griffin digital master was used . There was no EQ created when the digital master was used by Griffin . 1 +The Government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of the Punjab Province . The government of Punjab , a federal government in the provincial structure of Pakistan , is in Lahore , the capital of the Punjab province . 0 +The original route began at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . The original route started at US 410 in Eureka and led north to Touchet and east to SSH 3E to the west of Prescott . 0 +"In Australia , "" The Other Man 's Grass Is Always Greener "" reached # 30 while in South Africa the track achieved a # 19 chart peak ." "Achieved in South Africa "" The other man 's grass is greener than 30 , while in Australia the track reached a peak of # 19 ." 0 +Daniel Johansson ( born September 10 , 1974 ) is a Swedish professional ice hockey player . He was formerly known as Daniel Glimmenvall until 2009 . Daniel Johansson ( born September 10 , 1974 ) is a Swedish ice hockey professional who was known as Daniel Glimmenvall until 2009 . 1 +The Roman - Catholic diocese of Aurangabad is a diocese in the city of Aurangabad in the church province of Nagpur , India . The Roman Catholic Diocese of Aurangabad is a diocese located in the city of Nagpur in the Ecclesiastical province of Aurangabad in India . 0 +In the 2006-07 season , Goldwire played with Panellinios from the Spanish Basketball League and joined the Greek Club CB Girona in 2009 . Goldwire played with Panellinios of the Greek basketball league in the 2006-07 season . In 2009 , he joined the Spanish club CB Girona . 0 +After The Scream , Vince Neil temporarily replaced John Corabi in Mötley Crüe . John Corabi replaced after the scream Vince Neil in Mötley Crüe . 0 +The Pica ( Pike ) represent Martial Warrior and Valiant Knight , emblem of Honorable Military and Knightly service , and The perfection of gallant affairs . The Pica ( Pike ) represent Martial Warrior and Valiant Knight , emblem of the Honorable Military and Knight service and the perfection of knightly affairs . 1 +Together with James Watson and Francis Crick , Maurice Wilkins was awarded the Nobel Prize for Physiology and Medicine in 1962 , Rosalind Franklin had already died from cancer in 1958 . James Watson and Francis Crick shared the Nobel Prize for Physiology and Medicine with Rosalind Franklin in 1962 , and Maurice Wilkins died from cancer in 1958 . 0 +Although Porter survived , neither he nor Draper were charged with either Walsh or Irving 's death . Although Porter survived , neither he nor Walsh were charged with either the draper or Irving 's death . 0 +It is bounded to the northeast by Napier Township , to the east by Harrison Township and to the south by Londonderry Township . It is bounded to the northeast by Londonderry Township , to the east by Napier Township and to the south by Harrison Township . 0 +Planned are new exhibitions in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . New exhibitions are planned in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . 0 +Louisa Catherine had an illegitimate daughter , Sarah , on 22 March 1839 . Louisa Catherine had an illegitimate daughter , Sarah , March 22 , 1839 . 1 +Teversall Manor is a former station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . Teversall Manor is a former railway station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . 0 +The album was announced on April 30 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31 . The album was announced on April 30 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31st . 1 +Morris County is a residential community located in the north-western corner of Mine Hill Township . Mine Hill Township is a residential community located in the northwest corner of Morris County . 0 +The Roblin Centre has a building energy management system and is the largest C-2000 * The Roblin Centre has a building energy management system and is the biggest C-2000 * * 1 +Amélie Mauresmo won the title by defeating Svetlana Kuznetsova in the final with 6 : 4 , 6 : 0 . Amélie Mauresmo won the title by defeating Svetlana Kuznetsova 6 -- 4 , 6 -- 0 in the final . 1 +Decasyllable was used in the Serbian epic poetry of the southern Slavs , for example the epic poetry sung on the Gusle instrument : Decasyllable was used in epic poetry of the Southern Slavs , for example Serbian epic poetry sung to the gusle instrument : 0 +Emily forces him to sleep on the couch , where he is seduced by Jessica . Emily forces him to sleep in the couch where he is seduced by Jessica . 1 +The actress Carol do Monte portrays Manuela in the Brazilian version of the 2013 series . Actress Carol do Monte portrays Manuela in the 2013 Brazilian version of the series . 1 +It was added on 6 April 2010 as a digital download and published on May 5 , 2010 by Modern Rock radio in the United States . It was added as a digital download on April 6 , 2010 , and was released on Modern Rock radio in the United States on May 5 , 2010 . 1 +Most of the original work of the mosque has gone under waiver , however , the Mihrab contains remains of polychrome marble of the era . Most of the mosque 's polychrome work has gone under restortation , however , the mihrab contains remains of the original marble of the era . 0 +""" Come Over "" is the second US single and the second UK single from Estelle 's fifth studio album "" Shine "" ( 2008 ) ." """ Come Over "" is the fifth UK single and the second U.S. single from Estelle 's second studio album "" Shine "" ( 2008 ) ." 0 +Nigel Randell Evans was the eldest son of Air Chief Marshal Sir Donald Randel Evans ( 1912-1975 ) and Pauline Evans . Donald Randell Evans was the eldest son of Air Chief Marschall Sir Pauline Evans ( 1912-1975 ) and Nigel Randell Evans . 0 +This is caused by a combination of adiabatic ( ribbed ) heating and kinetic compression . This is caused by a combination of adiabatic ( friction ) heating and kinetic compression . 1 +"In 2014 , Townsquare Media purchased from Harris Publications "" XXL "" , "" King "" and "" Antenna "" ." "In 2014 , Harris Publications acquired "" XXL "" , "" King "" and "" Antenna "" from Townsquare Media ." 0 +On July 3 , their feud culminated , when Paris and Ricky Morton were defeated by Ganz and Bobby Eaton . On July 3 , their feud culminated when Paris and Ricky Morton were defeated by the whole and Bobby Eaton . 0 +In the Fourth Coalition War , Klein fought in the Grande Armée under the command of Joachim Murat . In the War of the Fourth Coalition , Klein fought in the Grande Armée under command of Joachim Murat . 1 +"In 1960 , Glenville also directed Robert Anderson on Broadway in "" Silent Night , Lonely Night "" by Barbara Bel Geddes and Henry Fonda ." "In 1960 , Glenville directed also Robert Anderson on Broadway in "" Silent Night , lone night "" by Barbara Bel Geddes and Henry Fonda ." 1 +Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Colombia ) is a Colombian footballer currently playing for Total Chalaco of the Segunda División in Peru . Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Peru ) is a Colombian footballer who is currently playing for Total Chalaco of the Segunda División in Colombia . 0 +It is located on the west shore and forms the southern end of Melville Water . It is situated on the southern shore and forms the western end of the Melville Water . 0 +Manchester is a city in northern Bennington County , Vermont , with its village center on the east side of the Equinox Mountain . Equinox Mountain is a city in northern Bennington County , Vermont , with its village center on the east side of Manchester . 0 +Neptunea alexeyevi is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true pustules . Neptunea alexeyevi is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +In 1968 , Catherine Gillies , granddaughter of Charles Manson , Barbara Myers learned about Myers Ranch . In 1968 , Catherine Gillies , the granddaughter of Barbara Myers , learned of Charles Manson about Myers Ranch . 0 +There was Japanese resistance to ongoing invasions and in any case war crimes may also be committed during civil wars . There was Japanese resistance to ongoing invasions , and war crimes can in any case be committed during civil wars . 1 +The album is released in two versions : The Standard Edition and the Digipack Limited Edition . The album is being released in two versions . The standard edition and the digipack limited edition . 1 +It flows east from a source in Dundy County , Nebraska , to north of Hagler in Yuma County , Colorado . It flows eastward from a source in Yuma County , Colorado to just north of Hagler in Dundy County , Nebraska . 0 +One of the main features of Open VOGEL is that it provides built-in tools to facilitate the creation of geometrical models . One of the key features of Open VOGEL is that it provides built-in tools intended to facilitate the creation of geometrical models . 1 +Mackenzie is a writer in the 2B Theatre in Halifax and teaches at the National Theatre School of Canada , Montreal . Mackenzie is a writer-in-residence at the 2B Theatre in Halifax and teaches at the National Theatre School of Canada in Montreal . 1 +Almost all the people in the district of Phu Tan had to be evacuated ( mainly in the Cho Moi , An Phu ) . Almost all of the people in An Phu had to be evacuated ( mainly to the Cho Moi , Phu Tan district ) . 0 +Eight Hornets were also deployed from Perth to RAAF Base Pearce in October 2011 to protect the CHOGM meeting in nearby Williamstown . In October 2011 , eight horns were also sent from Williamstown to RAAF Base Pearce to protect the CHOGM meeting in nearby Perth . 0 +Alan has even tried to be friends with Judith ; however , it was extremely difficult for him to be happy for the woman who ruined his life . Alan even tried to be friends with Judith , but it was extremely difficult for him to rejoice for the woman who has ruined his life . 1 +""" Espoir "" lost her master killed , and had wounded six men , two of whom were seriously wounded ." """ Espoir "" lost her master wounded and killed six men , of whom two were seriously wounded ." 0 +It was extended by Laura to the Booleroo Centre in 1910 and finally to Wilmington in 1915 . It was extended from Laura in 1910 to Wilmington , and finally to Booleroo Centre in 1915 . 0 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( number 252 ) and Scrivener ( number 223 ) . The manuscript was added to the list of New Testament manuscripts by Scrivener ( number 252 ) and Gregory ( number 223 ) . 0 +In Turkey , the company built a hotel in Eskisehir and a paper mill in Kazakhstan . The company built a hotel in Eskisehir and a paper factory in Kazakhstan in Turkey . 1 +"His first instrumental solo – acoustic guitar album , "" Intuite "" ( Favored Nations , 2001 ) , was a song that he dedicated to Michael Hedges ." "His first instrumental solo - acoustic guitar album ( "" Favored Nations "" , 2001 ) was a song that he dedicated to Michael Hedges ." 0 +For scalar spectral fluctuations , formula _ 9 is referred to as the scalar index , with formula _ 10 corresponding to scale invariant fluctuations . For scalar spectral fluctuations , Formula 9 is referred to as the scalar index , with the formula 10 corresponding to scalar invariant fluctuations . 1 +Some southern states , such as Chu and Wu , claimed independence from the Zhou , who undertook wars against some of them ( Wu and Yue ) . Some southern states , such as Zhou and Wu , claimed independence from the Chu , who were waging wars against some of them ( Wu and Yue ) . 0 +Although it has never been used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events were played . Although it was never used in the series , elements of the gameplay were played for the Powerball , Whiplash and Earthquake events . 1 +Administratively , the island belongs to the Astrakhan Oblast of the Russian Federation . Administratively , this island belongs to the Russian Federation of the Astrakhan Oblast . 0 +Kyparissia ( Latin : Ciparissia ) is a village , former diocese and present Latin Catholic titular seen in southwestern Arcadia , Peloponnese peninsula of continental Greece . Kyparissia ( Latin Ciparissia ) is a village , continental bishopric and present Latin Catholic titular see in former Arcadia , Peloponnese peninsula of southwestern Greece . 0 +All 1 trains skipped Marble Hill -- 225th , 207th , 191st and 157th Streets , while all 9 trains skipped 238th , 215th , Dyckman and 145th Streets . All 1 trains skipped Marble Hill -- 225th , 207th , 191st and 145th Street , while all 9 trains jumped 238th , 215th , Dyckman and 157th Streets . 0 +Adoum was Pablo Neruda 's personal secretary for nearly two years in Chile . For almost two years , Pablo Neruda was Adoum 's personal secretary in Chile . 0 +"Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the second "" Tlatoani "" and the 16th Governor of Tenochtitlan ." "Don Diego de San Francisco Tehuetzquititzin ( sometimes called Tehuetzquiti or Tehuetzqui ) ( died 1554 ) was the second "" tlatoani "" and 16th governor of Tenochtitlan ." 1 +The museum has two specific sections in two separate buildings ; one is the Nicaraguan Numismatics , and another about pre-Hispanic archaeology of the area . The museum has two pre-Hispanic sections in two separate buildings , one of which is Nicaraguan numismatics and another on the specific archaeology of the area . 0 +Face of Evil is a 1996 TV movie starring Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as his daughter Jeanelle Polk . Face of Evil is a 1996 TV film with Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as his daughter Jeanelle Polk . 1 +He moved into Rock County in 1853 and settled in Wisconsin near Beloit . He moved to Wisconsin in 1853 and settled near Beloit in Rock County . 0 +"Koca ( a Turkish word for "" large "" or "" great "" ) may refer to :" "Koca ( a Turkish word for "" great "" or "" large "" ) may refer to :" 1 +The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Germany , Belgium and Vichy France in 1945 . The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders who fled Vichy - France , Belgium , and Germany in 1945 . 1 +Leah Delos Santos played Belle and Uwe Kröger played the animal and Marc G. Dalio played Gaston . Uwe Kröger performed Belle and Marc G. Dalio played the Beast and Leah Delos Santos played Gaston . 0 +Almost all of the people in An Phu had to be evacuated ( mainly to the Cho Moi , Phu Tan district ) . Almost all of the people in An Phu had to be evacuated ( mainly to Cho Moi , Phu Tan District ) . 1 +Formally known as Mercy Lewis , Mercy Allen was the child of Philip Lewis and Mary ( Cass ) Lewis . Mercy Lewis , formally known as Mercy Allen , was the child of Philip Lewis and Mary ( Cass ) Lewis . 0 +In 1919 , however , no operational awards would be made for the recently concluded war . However , in 1919 , decreed that no more operational awards would be made for the recently concluded war . 1 +"The species was first formally described by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by James Drummond ." "This species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material by James Drummond ." 1 +Suddenly Greg appears and asks Mr. Collins , the knife he holds against Jane , to hand over . Suddenly , Greg appears and asks Mr. Collins to hand over the knife he is holding against Jane . 1 +If one of them caught the trap , they won automatically and their opponent lost the round , along with the prizes they had already chosen . If one of them picked the trap , they automatically won and their opponent lost the round , along with whatever prizes they had already chosen . 1 +The team was formed as Orlando Seals and played its first season with the Atlantic Coast Hockey League ( ACHL ) from October 2002 . The team was formed as the Orlando Seals and played its first season beginning in October 2002 with the Atlantic Coast Hockey League ( ACHL ) . 1 +The game created a 32 - digit alphanumeric password after successful completion of a level that was also unique for the player name to allow for a later resumption . The game created a 32 digit unique password after a successful completion of a level , which was alphanumeric also to the player name , to allow later resumption . 0 +Kalithozhan is an Indian Malayalam film from 1966 , produced by M. Krishnan Nair and directed by AV Subbarao . Kalithozhan is an Indian Malayalam film from 1966 , directed by M. Krishnan Nair and produced by AV Subbarao . 0 +Hyogo Prefecture is located in the southeast of Mukogawa River , with the Ina River east and the Itami City west . Itami City is located in the southeast of Hyogo Prefecture , with the Ina river to the east and the Mukogawa River to the west . 0 +It is bordered to the west and east by Massapequa , to the northwest by northern Massapequa and to the north by South Farmingdale . It is bordered by Massapequa to the west and east , South Farmingdale to the northwest , and North Massapequa to the north . 0 +They measure not only population numbers , but also demographic parameters . This combination technique consists of camera traps and sufficient tiger search to collect base data . They not only measure population numbers , but also measure demographic parameters . This combination technique consists of camera traps and sufficient tiger search to collect basic data . 1 +Fish species of the parks rivers and lakes are Sperchios Barbel , Macedonian Döbel , Sperchios Spirlin , Greek trout and probably the endangered Marathon Minnow . Fish species of the parks rivers and lakes are Sperchios barbel , Macedonian chub , Sperchios spirlin , Greek trout and probably the endangered Marathon minnow . 1 +Original members of the NYL include : Fresno , Roosevelt , Merced , Visalia , Madera , Hanford and Edison . Original members of the NYL are : Fresno , Roosevelt , Merced , Visalia , Madera , Hanford and Edison . 1 +The Phelps moved from Missouri to Far West , Jackson County , Missouri to Nauvoo , Illinois , where Murdock was again united with his father . The Phelps moved from Jackson County , Missouri to Far West , Missouri to Nauvoo , Illinois , where Murdock was reunified with his father . 0 +Their most common colors are white , though other rarer colors , such as red , blue , yellow , and green , have been seen or mentioned . Their most common colors are red , blue , yellow and green , even though other rarer colors , such as white , have been seen or mentioned . 0 +The Dallas Cowboys released Spears to a futures contract on January 8 , 2014 . On May 12 , 2014 the Dallas Cowboys signed Quinton Spears . On January 8 , 2014 , the Dallas Cowboys published Spears on a Futures contract , on May 12 , 2014 , the Dallas Cowboys signed Quinton Spears . 1 +He studied Oriental languages in Amsterdam ( Athenaeum Illustre ) and Leiden . He studied oriental languages in Leiden ( Athenaeum Illustre ) and in Amsterdam . 0 +Gregoria Ortega is a religious activist and Mexican – American sister . Gregoria Ortega is a Mexican American activist and religious sister . 0 +It comes in standard black worldwide , although a white version has only been released in Japan . It comes in standard black worldwide , although a white version was released in Japan only . 1 +It was written and produced by Bowie and produced by David Richards . It was written by David Richards and produced by him and Bowie . 0 +After an attempt to arrest the queen herself had failed , Joan called on Sforza who defeated the Aragonese militias near Castel Capuano in Naples . After an attempt to arrest the Queen himself failed , Joan Sforza , who defeated the Aragonese militias near Castel Capuano in Naples , called . 0 +He started out in 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . He began working with the Texas League AA Frisco RoughRiders in 2014 and was promoted to the AAA Round Rock Express of the Pacific Coast League . 0 +At that time , Cao Mao was only a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( cousin of Sima Wang ) . At the time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of Regent Sima Wang ( Sims Zhaos Cousin ) . 0 +He spent his exile in France and preached Gareccio in Italy where he preached . He spent his exile in Italy and preached in France to Gareccio , where he preached . 0 +In the first quarter of 2016 , BC was the largest net recipient of interprovince - migrants in Alberta , with half of the 5,000 came from Canada . BC was the largest net recipient of interprovincial migrants in Alberta in the first quarter of 2016 with half of the 5,000 people coming from Canada . 1 +She died in Fort Worth , and is buried in Abilene , in the Abilene Municipal Cemetery . She died in Fort Worth and is buried in Abilene at the municipal cemetery of Abilene . 1 +Castlebrae Community High School is a secondary school located in the area of Greendykes in Edinburgh . Castlebrae Community High School is a secondary school in the Greendyke area of Edinburgh . 0 +Elmwood Charter Township is a charter township of Leelanau County in the state of Michigan . Elmwood Charter Township is a charter township of Leelanau County in the U.S. state of Michigan . 1 +At the Azalea Community Park , creative artists have created a unique oasis with the Water Conservation Garden , a collection of local plants and succulents . At the Azalea Community Park , creative artists have created a unique oasis with the Water Conservation Garden , collection of local plants and succulent sculpture . 1 +Aldred was born in Montrose , Michigan , and graduated from the Hill McCloy High School in Flint , a rural town north of Flint , Michigan in 1986 . Aldred was born in Montrose , Michigan . He graduated in 1986 from Hill McCloy High School in Flint , a rural town just north of Flint , Michigan . 1 +As the date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - 27 October 1659 was set . The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson , and Mary Dyer - was October 27 , 1659 . 1 +His wife Eddy was the one who made the most appointments with the great artists of Tania G. Novarro . His wife Tania G. Novarro was the one who made the most appointments with the great artists for Eddy . 0 +"In January 2014 , "" Point Blank 1.5 "" was published in Singapore and Malaysia , published by Garena ." """ Point Blank 1.5 "" was published in Singapore and Malaysia in January 2014 , released by Garena ." 1 +Newly released CSS3 and JavaScript - Frameworks allowed new design patterns such as the box - model , followed by grids and flex , accompanied by translations , transformations and animations . Newly released CSS3 and JavaScript - Frameworks allowed new design patterns like the box - model accompanied by grids and flex , followed by translations , transformations and animations . 0 +The group originally consisted of the young sculptors Branko BuniÄ , Stjepan Gračan , Ratko PetriÄ and Miro Vuco . The group originally consisted of the young sculptors Miro Vuco , Stjepan Gračan , Ratko Petrić and Branko Bunić . 1 +The Republicans nominated Charles Evans Hughes , and Progressive leaders reluctantly backed him , but some former Roosevelt supporters refused to support Hughes . The Republicans supported Charles Evans Hughes , and Progressive leaders nominated him reluctantly , but some former Roosevelt supporters refused to support Hughes . 0 +Born in Chester County , Pennsylvania , Scott was buried in Parkesburg , Pennsylvania . Scott was born in Parkesburg , Pennsylvania , and was buried in Chester County , Pennsylvania . 0 +Dye rode in Hong Kong in Mauritius after eight years . Dye rode after eight years in Hong Kong , Mauritius . 0 +The Ciortosu River is a tributary of Nadeş River in Romania . The Ciortosu River is a tributary of the Nadeş River in Romania . 1 +In total , the Celtic Association was able to organize three pan-Celtic congresses : Dublin ( 1901 ) , Caernarfon ( 1904 ) and Edinburgh ( 1907 ) . In total , the Celtic Association was able to organise three Pan-Celtic Congresses : Edinburgh ( 1901 ) , Caernarfon ( 1904 ) and Dublin ( 1907 ) . 0 +She is currently working on a Neo-Latin anthology of critical texts . Currently she is working on a critical anthology of neo-Latin texts . 0 +The city is over the Vizcarra river and has two districts , Aguamiro on the left bank and Ripán on the right bank . It has a regional hospital . The city is located above the Vizcarra river and has two districts , Aguamiro on the right bank and Ripán on the left bank , and has a regional hospital . 0 +T helper cells then activate B cells , which are also in the presence of these antigens , which causes the production of autoantibodies . The T helper cells also activate B cells , which are then located in the presence of these antigens , causing the production of autoantibodies . 0 +"Mahatma Gandhi said , "" spiritual education is the evolution of the spirit "" , but nowadays , we are making zero Real progress ." "Mahatma Gandhi said : "" Spiritual education is the evolution of the Spirit "" , but nowadays we are not making any real progress ." 1 +It is 2 km northeast of Agios Stefanos and 20 km west of Athens town centre . It is located 2 km west of Agios Stefanos and 20 km northeast of Athens city center . 0 +Ippolita Rostagno was born in Florence on December 10 , 1963 and is the daughter of an American artist and an Italian intellectual . Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an Italian artist and an American intellectual . 0 +Roger Kirk was born in East London and brought up in Norfolk and educated . Roger Kirk was born in Norfolk and grew up in East London and educated . 0 +Field 's is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . 1 +"Hodge ( fl . c.1769 ) was one of James Boswell 's cats immortalized in Samuel Johnson 's Life of Johnson "" in a characteristically bizarre passage ." "Hodge ( fl . c.1769 ) was one of James Boswell 's cats , immortalised in a characteristically whimsical passage in Samuel Johnson 's , "" Life of Johnson "" ." 1 +The secure system is based on the remote mechanism of the ONC First Procedure Call System developed in SunOS . The first system is based on a secure mechanism of the ONC remote procedure call system developed in SunOS . 0 +In Kingston , Jamaica , Chin was born to a Chinese Jamaican mother and a Jamaican father . Chin was born in Kingston , Jamaica to a Jamaican mother and a Chinese Jamaican father . 0 +The last member to represent only Tensas Parish was then the Democrat S. S. DeWitt of Newellton , and later St. Joseph . The last member to represent only Tensas Parish was then Democrat S. S. DeWitt of Newellton and later St. Joseph . 1 +Another important route that crossed the Campbelltown area included the road which led from the Bindnagle settlement to Palmyra , which is now PA 117 . Another important route that crossed the Campbelltown territory included the road that led from the Bindnagle settlement to Palmyra , which is now PA 117 . 1 +Hoff Township was originally called the Arthur Township , for settler Abel Hoff , and under the latter name was organized in 1881 . Arthur Township was originally called Hoff Township , for settler Abel Hoff , and under the latter name was organized in 1881 . 0 +At the Larne general elections in 1929 , Pringle stood as a local option candidate in Northern Ireland , but was not elected . At the Larne general election , 1929 , Pringle stood as a Local Option candidate in Northern Ireland , but was not elected . 1 +XS also released Shikigami No Shiro II , and translated it for the PlayStation 2 under its own name , Castle Shikigami 2 . Shikigami No Shiro II has also been released and translated for the PlayStation 2 under its own name , Castle Shikigami 2 . 1 +He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( also WJPC ) in Chicago . Jones also served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( later WJPC ) in Chicago . 0 +When commercially added , illustrations were printed by J. Augustus Knapp . When it was printed commercially , illustrations by J. Augustus Knapp were added . 0 +In addition , it destroyed 340 homes and damaged 12 , most of which were in Collier County . In addition , it damaged 340 houses and destroyed 12 , most of them in Collier County . 0 +Cantharidus turneri is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . Cantharidus turneri is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . 1 +The private elementary school of St. Catherine of Sienna was closed in June 2012 . The elementary St. Catherine of Sienna private school closed in June 2012 . 0 +The R335 is a regional road in South Africa that connects Port Elizabeth to the south via Addo with Somerset East to the north . The R335 is a Regional Route in South Africa that connects Port Elizabeth in the south to Somerset East to the north via Addo . 1 +Ogoki River , located to the northeast of Marten Falls First Nation ( Ogoki Post ) near Ogoki Post Airport in Ontario , Canada . Ogoki Post Airport , , is located northeast of Marten Falls First Nation ( Ogoki Post ) near the Ogoki River in Ontario Canada . 0 +Genesee Wesleyan Seminary was founded as the Genesee College , in 1831 , by the Methodist Episcopal Church . Wesleyan Seminary was founded in 1831 by Methodist Episcopal Church as Genesee College . 1 +In February 2014 , the opening ceremony for the monument to the victims of the Uşak massacre was held in Khojaly . The opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak in February 2014 . 0 +Unlike most liberal protests in the United States , the Tax March focused not on broad issues , but on specific demand . Unlike most liberal protests in the United States , the Tax March focused not on specific issues , but on broad demand . 0 +It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and re-released in 1999 by Universal Music 's Spectrum label . It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Universal Music by Spectrum Label in 1999 . 1 +"Streisand and Columbia Records distributed "" ButterFly "" as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." "Streisand and Columbia Records distributed "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , released months after "" The Way We Were "" ." 1 +The Grewals are the popular family that was released in the second series of the UK Channel 4 series The Family . The Grewals are the popular family that appeared in the second series of the UK Channel 4 series The Family . 1 +Some commercial applications for ionomera are golf ball covers , semipermeable membranes , sealing tape and thermoplastic elastomers . Some commercial applications for ionomers are golf ball covers , semipermeable membranes , sealing tape and thermoplastic elastomers . 1 +Johnson wrote the lyrics for the songs composed by Girish Puthenchery . Johnson wrote the lyrics for the songs of Girish Puthenchery composed . 1 +Johannes Herman Johannes married in 1955 Annie Marie Gilbertine Amalo . In 1955 , Annie Marie Gilbertine Amalo married Herman Johannes . 1 +Born in 1794 in Alpheton in Suffolk , William Debenham joined Thomas Clark in a partnership to manage a draper 's store at 44 Wigmore Street in London . Born in Alpheton , Suffolk in 1794 , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . 0 +Until 1847 , the Keiskamma River marked the border between the Cape Province and the former British Kaffraria , also known as Queen Adelaide 's province at the time . The Keiskamma River marked the border between the Cape Province and former British Kaffraria , known also then as Queen Adelaide 's Province , until 1847 . 1 +Married to Gianluca Guidi , had the couple a son , actor Johnny Dorelli . Lauretta was married to Johnny Dorelli , the married couple had a son , the actor Gianluca Guidi . 0 +Jack Jack Cross was a comic series written by Warren Ellis and drawn by Gary Erskine . It was first published in 2005 by DC Comics . Jack Cross was a comic book series written by Gary Erskine and drawn by Warren Ellis . It was first published by DC Comics in 2005 . 0 +The modern Meskwaki settlement at Tama County maintains a casino , public schools , tribal courts , tribal police , and a Tribal Works department . The modern Meskwaki Settlement in Tama County maintains a casino , tribal schools , tribal courts , and tribal police , and a public works department . 0 +It marks the dominant s - against the blue chord , which would be in the key of C B and G -- B -- D . It features the dominant seventh against the blue chord , which in the key of C would be B and G -- B -- D . 0 +Simple chain and padlocks are often used , with the worn chain locked around the waist like a belt while riding . Simple chain locks and padlocks are often used , while the locked chain is worn like a belt around the waist when riding . 0 +The magazine was based in London , but was released by Gerald Duckworth and Company in Paris . The magazine was based in Paris but was published in London by Gerald Duckworth and Company . 0 +The most general genres are epic , tragedy , comedy and creative non-fiction . The most common genres are epic , tragedy , comedy , and creative non-fiction . 1 +Daniel , another Jesuit from England , joined William Good soon after , although they had a turbulent relationship . William Good , another Jesuit from England , joined Daniel soon , though she had a turbulent relationship . 0 +This kind is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . This kind is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . 1 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it in North America on October 6 , 2015 ." "On February 27 , 2015 , "" The Timber "" was released in North America , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." 0 +He retired in 1916 , and died on September 30 , 1918 . He died in 1916 and was retired on September 30 , 1918 . 0 +After the separation of their previous band , Brendan Benham and Dan Mena discussed the idea of founding a new band with Shae Lappen . After the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of forming a new band with Brendan Benham . 0 +Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth of Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . 1 +""" The day when the violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." """ The day on which violence died "" is the seventh episode of "" The Simpsons "" of the eighteenth season ." 0 +Mosques were destroyed and in many provinces Hui were slaughtered by Japanese troops or bombed . Mosques were bombed , and in many provinces , Hui was slaughtered or destroyed by Japanese troops . 0 +This short film was created by PJ Liguori , Sophie Newton , Jamie Swarbrick , and Louis Grant . This short movie was created by Jamie Swarbrick , Sophie Newton , PJ Liguori and Louis Grant . 1 +After Izumi drew some early character designs for Hibiki , Maeda wanted to continue the story and start a manga with Izumi as the artist . After Izumi had drawn some early character designs for Hibiki , Maeda wanted to continue the story and start a manga with Izumi as artist . 1 +Today it is an internationally recognised artistic and educational institution with developed departments , academic degrees , artistic and scientific activities . Today it is an internationally recognized artistic and educational institution with academic departments , developed degrees , artistic and scientific activities . 0 +The company is one of the oldest German companies still in activity , founded by Brazilian brothers Bruno and Hermann Hering , in 1880 . The company is one of the oldest Brazilian companies still in operation , founded in 1880 by the German brothers Bruno and Hermann Hering . 0 +He died in 1879 in Oxford , Idaho . Jefferson Hunt is buried at the Red Rock Cemetery in Bannock County , Idaho , US . He died in 1879 in Oxford , Idaho , Jefferson Hunt was buried at the Red Rock Cemetery in Bannock County , Idaho , USA . 1 +Hickman County is part of the Nashville Metropolitan Statistical Area - Davidson - Murfreesboro - Franklin , TN . Hickman County is part of the Nashville -- Davidson -- Murfreesboro -- Franklin , TN Metropolitan Statistical Area . 1 +La Tempestad ( International Translation : The Storm , called by Univision the Storm ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Televisa . La tempestad ( International translation : The Tempest , dubbed The Storm by Televisa ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Univision . 0 +In Kenya , there are large occupying communities , such as Kibera in Nairobi . In Nairobi there are big squatter communities , such as Kibera in Kenya . 0 +The Trevi Fountain is a well in the Trevi district in Rome , Italy , designed by Italian architect Pietro Bracci and completed by Nicola Salvi . The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architect Nicola Salvi and completed by Pietro Bracci . 0 +When he completed his career in Canada , he went to Poland to sign with the Toronto Falcons of the National Soccer League . When he finished off his career in Canada he went overseas to Poland to sign with the Toronto Falcons of the National Soccer League . 1 +Season 2012 -- 13 he spent in Israeli Basketball Super League with Bnei Herzliya . He spent the season 2012 -- 13 in the Israeli Basketball Super League with Bnei Herzliya . 1 +Howard gives Lucy her phone number to give to Raj . Howard gives Lucy her phone number to give them to Raj . 1 +Grant holds multiple records in many categories for Utah , including several all-time records , such as : Grant holds several records in multiple categories for Utah , including many all-time records , such as : 1 +The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . The first Syracuse Chiefs baseball team was established in 1934 , when the Jersey City Skeeters moved to Syracuse and were renamed the Chiefs . 1 +Mike Altman is the son of the original film 's director , Robert Altman , and was 14 years old when he wrote the song 's lyrics . Robert Altman is the son of Mike Altman , director of the original film , and was 14 years old when he wrote the lyrics . 0 +The Taverniers are visited by Gidea Thompson ( Sian Martin ) , a friend of Jules ' family in Trinidad . The Taverniers are visited by Gidea Thompson ( Sian Martin ) , a friend of Jules ' family back in Trinidad . 1 +With Dutt injured , America 's Most Wanted hit Sabin with the Death Sentence to retain the titles . Injured with Dutt , America 's Most Wanted Sabin hit the death sentence to obtain the titles . 1 +"Natasha is described as a snooty blonde and "" gorgeous "" by the British newspaper "" The Independent "" ." "Natasha is described by British newspaper "" The Independent "" as being a gorgeous blonde and "" snooty "" ." 0 +In addition to the strictly modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of the scientific discoveries . In addition to the strictly scientific work , de Broglie thought and wrote about the philosophy of science , including the value of modern scientific discoveries . 0 +The water of the Nescopeck Creek is the hardest water in the Stony Creek watershed with a concentration of over 100 milligrams of minerals per liter . Stony Creek 's water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . 0 +The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapter prizes . The Model United Nations club participates in intellectual discussions and academic forums throughout the Boston area , and has won several chapter awards 0 +The city is located northeast of Gaza - city and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located northeast of Gaza City and the Mediterranean Sea , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . 1 +In March 1298 , he received Mongolian official recognition as the ruler of Burma . He received Mongol official recognition as the ruler of Burma in March 1298 . 1 +After Candice 's eviction , Spencer would be nominated again for three consecutive evictions , but was spared each time at the expense of Judd , Jessie and Helen . After Candice 's eviction , Spencer was once again nominated for three consecutive evictions , but each time spared at the expense of Judd , Jessie and Helen . 1 +In 1915 , Pando and a number of discontented Liberals and former Conservatives formed the Republican Party . In 1915 , Pando and a number of former liberals and dissatisfied conservatives formed the Republican Party . 0 +Adults often remove paper from new nests and use it in order to recycle for old . Adults often remove paper from new nests and use it to recycle for old ones . 1 +The division goes through or touches the states of Mississippi , Tennessee , Virginia , North Carolina , South Carolina , Georgia , Alabama , West Virginia and Kentucky . The divide happens or touches the states of West Virginia , Virginia , North Carolina , South Carolina , Georgia , Alabama , Mississippi , Tennessee and Kentucky . 1 +He was trained at the Remonstrant Seminary of Amsterdam and served first in Emden 1733-1736 before moving to Haarlem . He was trained at the Remonstrant Seminary in Haarlem and first served in Emden from 1733-1736 before moving to Amsterdam . 0 +The show , which was previously held in the city of Auckland , moved to Christchurch at the Hagley Park in 2008 . The show , which was previously held in the city of Christchurch , was moved to Auckland in 2008 at Hagley Park . 0 +A frozen quasimodo announced with Esmeralda 's help Johnny 's true nature during the celebration of Mavis , where the fly translated his frozen language . With Esmeralda 's help , a frozen Quasimodo announced Johnny 's true nature during Mavis ' celebration where the Fly translated his frozen language . 1 +The Bohotin River is a tributary of the River Bazga in Romania . The Bohotin River is a tributary of the Bazga River in Romania . 1 +Effective July 1 , 2000 , the village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River . The village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills with effect from 1 July 2000 . 0 +In the Fourth Coalition War , Klein fought in the Grande Armée under the command of Joachim Murat . In the war of the Fourth Coalition , Joachim Murat fights in the Grande Armée under the command of Klein . 0 +This song was composed by the trio of songwriters and producers Chen Neeman , Aris Archontis and Jeannie Lurie . The song was composed by the trio of songwriters and producers Chen Neeman , Aris Archontis and Jeannie Lurie . 1 +"He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created by Will Crowther in 1977 and modified by Don Woods ." "He was introduced to the version of the computer text game "" Colossal Cave Adventure "" , created in 1977 by Don Woods and modified by Will Crowther ." 0 +Columbia College was founded in 1754 as the Royal College by the Royal Charter of King George II of Great Britain in New York Province . Columbia College was founded as King 's College , by royal charter of King George II of Great Britain in the Province of New York in 1754 . 1 +He was taught by the Croatian composer Vatroslav Lisinski music and was later enrolled at the Rudolf Matz Music School . He was taught music by the Croatian composer Rudolf Matz and later enrolled the Vatroslav Lisinski music school . 0 +The three inexperienced pilots were allowed to attack it , but they only managed to damage the bomber . Johnson allowed the three inexperienced pilots to attack it , but they only managed to damage the bomber . 1 +He worked in Europe from 1931 until the outbreak of the Second World War in Shanghai in 1939 . He worked from 1931 until the outbreak of World War II in Europe in 1939 in Shanghai . 0 +The pottery is currently being run by Alun Jenkins , son of Thomas Arthur Jenkins . The pottery is currently run by Alun Jenkins , son of Thomas Arthur Jenkins . 1 +According to the US Census Bureau , the county has a total area , of which land and ( 17.6 % ) is water . According to the U.S. Census Bureau , the county has a total area of , of which is land and ( 17.6 % ) is water . 1 +In Redistricting the 23rd district was renumbered into the 20th district . In redistricting , the 20th District was renumbered as the 23rd District . 0 +PSPs is one form of other peptide for absolute quantification , and Standard of the Expressed Protease ( STEP ) is the standard . PSPs is a form of a standard peptide for the absolute quantification and standard of Expressed Protease ( STEP ) is the other . 0 +Ackman bought credit default swaps against MBIA corporate debt and sold the swaps for a large profit during the financial crisis of 2008 . Ackman purchased credit default swaps against MBIA Corporate Debt and sold the swaps for a large profit during the 2008 financial crisis . 1 +"In Ngapoi , Ngapoi Ngawang Jigme "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." "In Ngapoi Ngawang Jigme "" Ngapoi "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." 0 +Between 2006 and 2011 , Nantes , Bordeaux , Rennes , Montpellier , Toulouse and Lyon had the fastest-growing metropolitan areas in France . Between 2006 and 2011 , Toulouse , Rennes , Montpellier , Nantes , Bordeaux , and Lyon had the fastest-growing metropolitan regions in France . 1 +However , it was purchased by McVities and then bought by Murdoch Allan and Sons . However , it was acquired by McVities and then purchased by Murdoch Allan and Sons . 1 +The fourth election of 23 November 1958 perpetuated the previous coalition . The fourth election of November 23 , 1958 immortalized the previous coalition . 1 +"According to Jon Uren , Marketing Director of Warner Music Europe , the song also had an "" early "" fantastic support across Europe ." "According to Jon Uren , marketing director of Warner Music Europe , the song also had "" fantastic "" early support across Europe ." 1 +Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park north of Hetch Hetchy Valley . Lake Vernon is located in the Tiltill Valley in the northern sector of Hetch Hetchy Valley just north of Yosemite National Park . 0 +He died in Long Island , New York ( now Elmhurst Station ) , Flushing , Newtown , April 23 , 1881 . He died on April 23 , 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . 1 +Barley has been used as animal feed , as a source of fermentable material for beer and certain distilled beverages , and as a component of various foods for health . Barley has been used as animal fodder , as a source of fermentable material for beer and certain distilled beverages , and as a component of various health foods . 1 +At executive level , EEAA represents the central arm of the ministry . At the central level , EEAA represents the executive arm of the Ministry . 0 +For theories at the level of reverse-order arithmetic , the second mathematics program has much to say . For theories at the level of second-order arithmetic , the program for reverse mathematics has much to say . 0 +The second digit of the hand is short compared to the other digits , while on foot the fourth toe is the longest . The fourth digit of the hand is short compared to the other digits , while on the foot , the second toe is the longest . 0 +The resolution was signed by almost all the representatives of the Parti Bersatu Sabah ( PBS ) in Sri Gaya . The resolution has been signed by almost all PBS representatives in Sri Gaya ( Parti Bersatu Sabah ) . 1 +Chief Arthur V. Watkins wrote Utah Senator Pabawena in 1949 to report : In 1949 , Pabawena wrote to Utah Senator Arthur V. Watkins to report : 0 +In 1467 , John John 's uncle Edward IV made him the Earl of Lincoln . John 's uncle Edward IV made him Earl of Lincoln in 1467 . 1 +The FAMI is an outpatient procedure and an alternative to various fillers , blepharoplastics or artificial face lifts . FAMI is an outpatient procedure and an alternative to artificial fillers , blepharoplasty or various face lifts . 0 +"From 2015 , Brown appears as a political commentator on "" The Verdict "" of Channel 9 with Karl Stefanovic ." "From 2015 Karl Stefanovic appears with Brown as a political commentator on "" The Verdict "" ." 0 +Fernando Verdasco defeated Marcel Granollers , 6 -- 4 , 3 - 6 , 6 - 3 . Marcel Granollers defeated Fernando Verdasco , 6 -- 4 , 3 -- 6 , 6 -- 3 0 +Also other studies were submitted to the Congress by the Federal Power Commission and Power Authority of New York . Other studies have also been submitted to the Federal Power Commission by the Congress and the Power Authority of New York . 0 +When a bottle of vinegar is removed , mother of vinegar may develop . It is considered harmless and can be opened by filtering . When a bottle of vinegar is opened , vinegar mother may develop , which is considered harmless and can be removed by filtering . 0 +The 1927 Colgate football team represented Colgate University at the College - Football - Season 1927 . The 1927 Colgate football team represented Colgate University in the 1927 college football season . 1 +Tessalit is a rural town and village in the Kidal region of Mali . Mali is a rural commune and village in the Kidal Region of Tessalit . 0 +Sergio Galdós and Luis David Martínez won the title and defeated Julio Peralta and Horacio Zeballos with 6 -- 2 , 6 -- 2 in the final . Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 -- 2 , 6 -- 2 in the final . 1 +Originally discovered and developed by Eli Lilly , Oritavancin was taken over by InterMune in 2001 and in late 2005 by Targanta Therapeutics . Originally taken over by Eli Lilly , oritavancin was discovered and developed by InterMune in 2001 and in late 2005 by Targanta Therapeutics . 0 +Gunnar Ryan Wiik ( ; born September 23 , 1981 ) , also known as Ryan Wiik , is a Norwegian actor and entrepreneur . Ryan Wiik ( born September 23 , 1981 ) is a Norwegian actor and entrepreneur , also known as Gunnar Ryan Wiik . 1 +It was played by Daryl Somers and Ossie Ostrich hosted by Ernie Carroll . It was hosted by Daryl Somers and Ossie Ostrich by Ernie Carroll . 0 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian composer and musician . Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an American-born Italian composer and musician . 1 +He began his cross country and track career at the Boston English High School and set his career at the Boston State College . He continued his cross country and track career at Boston English High School and began his career at Boston State College . 0 +The Burduja River is a tributary of the Urechioiu River in Romania . The Burduja River is a tributary of the River Urechioiu , Romania . 1 +Joe Manganiello makes a cameo as Harry at Flash Thompson 's funeral . Joe Manganiello makes a camee as Flash Thompson at Harry 's Funeral . 0 +"On October 31 , 1846 , Duke of Roxburgh "" again sailed from Port Phillip and reached Gravesend on March 7 , 1847 ." """ Duke of Roxburgh "" sailed again from Gravesend on 31 October 1846 and arrived at Port Phillip on 7 March 1847 ." 0 +His father was the renowned deceased Ud Maestro Munir Bashir , his uncle was the late Oud - Master Jamil Bashir . His father was the late Ud Maestro Munir Bashir , whose uncle was the renowned late Oud - Master Jamil Bashir . 0 +This album is the first album with pianist Ethan Iverson who replaced Orrin Evans . This album is the first album with the pianist Orrin Evans , who replaced Ethan Iverson . 0 +It is divided by the Limbang - district of Sarawak into two parts . It is separated into two parts by the Limbang district of Sarawak . 1 +Its capital was Nuuk ( modern Godthaab ) . Its capital was at Godthaab ( modern Nuuk ) . 0 +He started his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and visual audio producer . He started his career as a photojournalist , but soon distinguished himself also as an industrial and advertising photographer and audio-visual producer . 1 +"In 1813 he won the first Prix de Rome for painting and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagora ." "He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his painting of the "" death of the Diagora "" ." 0 +"The Java Virtual Machine includes a "" String Literal Pool and a "" Class Constant Pool ." "The Java virtual machine has a "" string literal pool "" and a "" class constant pool "" ." 1 +As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Everett , Landover and Atlanta . As part of a streamlining campaign , the company reported in January 2017 that it will close three remaining regional cuisines in Everett , Landover and Atlanta . 1 +The US post office considers the area an expansion of Bay St. Louis , although between Waveland and Clermont Harbor . The US Post Office considers the area an extension of Bay St. Louis although Waveland and Clermont Harbor lie between . 1 +Bethlehem then passed through the control of the Islamic caliphates of the Umayyads in the 8th century , then the Abbasids in the 9th century . In the 8th century Bethlehem went through control of the Islamic caliphates of the Umayyads , then in the 9th century the Abbasids . 1 +In Brazil , the brand IPHONE was registered in 2000 by the company then called Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . In Brazil , the IPHONE brand was registered in 2000 by the company Gradiente Eletrônica S.A. , and then IGB Eletrônica S.A . 0 +Due to the increased crystallinity of PDLA , the biodegradation of PDLA is slower than for PLA . Biodegradation of PDLA is slower than for PLA due to the higher crystallinity of PDLA . 1 +The 1921 Stanford University Football team represents Stanford in the College - Football - Season 1921 . The 1921 Stanford soccer team represented Stanford University in the 1921 College Football season . 0 +A multi-image filter is an electronic filter consisting of composite image filter sections of two or more different types . A multiple image filter is an electronic filter consisting of composite image filter sections of two or more different types . 1 +The Hebrew Union College -Jewish Institute of Religion also manages the cultural center Skirball in Los Angeles and the Skirball Museum in Jerusalem . The Hebrew Union College -Jewish Institute of Religion also manages the Skirball Cultural Center in Jerusalem and the Skirball Museum in Los Angeles . 0 +On 2 April 2011 , Jenkins married Ivy Vujic . Ivy Vujic married Jenkins on 2 April 2011 . 1 +The temperature should be around 28 ° C during the day and should sink to about 20 ° C at night . The temperature should be about 28 ° C during the day and drop to around 20 ° C at night . 1 +Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) starred in a 2009 revival at The Old Vic in London . Matthew Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) played at The Old Vic in London in a revival in 2009 . 0 +"Examples for use are in the type "" ShowS "" in the Prelude of Haskell and in the list of Donald Bruce Stewart 's difference lists ." "Examples of use are in the "" ShowS "" type in the Prelude of Donald Bruce Stewart , and in Haskell 's difference list library for Haskell ." 0 +In 1969 the change was still in the air and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . In 1969 change was still in the air and T. and J. N. Nichol 's was taken over by R. Smith ( Vimto ) of Manchester . 1 +"She lived on board the "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." "She lived aboard the "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." 1 +An electrical load is an active component or portion of a circuit that consumes ( electric ) electrical power . An electric load is an active component or part of a circuit that consumes ( electrical ) electrical power . 1 +Supplement is a Unicode block that encodes Arabic letter variants used for writing non-Arabic languages , including the languages of Pakistan and Africa and old Persian . Arabic Supplement is a Unicode block that encodes old letter variants used for writing non-Arabic languages , including the languages of Pakistan and Africa , and Arabic Persian . 0 +It was believed by this method popular philosophy could be separated from true wisdom . It was believed that popular philosophy could be separated from true wisdom by this method . 1 +It will shorten the distance from Hong Kong to Macau and Zhuhai and reduce the journey time to half an hour . It will shorten the distance from Hong Kong to Macao and Zhuhai and reduce the journey time to half an hour . 1 +Another significant difference is that plutonyl is a much stronger oxidizing agent than uranyl . The aqueous reduction potentials for standard solutions are shown in the next table . Another significant difference is that Plutonyl is a much stronger oxidation agent than uranyl . The standard reduction potentials for aqueous solutions are shown in the next table . 0 +He lived for twenty years in San Antonio and returned to New York City in May 2005 . He lived in San Antonio for twenty years , returning to New York City in May 2005 . 1 +"However , the Georgian language is the singular form when the quantity is specified , so , in practice the plural of "" tetri "" uses just "" tetri "" ." "The Georgian language , however , uses the singular form when the quantity is specified , so in practice the plural of "" tetri "" is just "" tetri "" ." 0 +The architectural art style of this idol is unique and is in perfect proportion to it . The unique style of this idol is structural and is in perfect proportion . 0 +Brooks was unseated in 1932 by the banker Daniel B. Fleming of Concordia Parish in Ferriday . Brooks was removed in 1932 by banker Daniel B. Fleming of Ferriday in the parish of Concordia . 0 +Marian Anderson 's body was found by her sister Lolly and Danielle Santos Bernal on November 4 , 2001 . The body of Marian Anderson was found on November 4 , 2001 by her sister Lolly and Danielle Santos Bernal . 1 +The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Bharuch , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . The port of Suppāraka is either modern Sopara near Bharukaccha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bharukaccha . 0 +James James is a cousin of Vince Williams and Karlos Williams , both former Florida State Seminoles players , as well as Mike James , former Miami Hurricanes . James is a cousin of Vince Williams and Karlos Williams , both former Florida State Seminoles players , as well as Mike James , former Miami Hurricanes running back . 1 +In 1955 , it became the Central Electricity Authority , which in turn in 1957 the Central Electricity Generating Board . In 1955 , this became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . 0 +It is found in North America where it has been recorded in Canada from the coast to the coast . It has been recorded in Canada , where it is found from coast to coast in North America . 0 +Enzo Nahuel Copetti ( born January 16 , 1996 ) is an Argentine professional footballer who plays as a midfielder at Primera B Nacional at Atlético de Rafaela . Enzo Nahuel Copetti ( born 16 January 1996 ) is an Argentine professional footballer who plays as a midfielder for Primera B Nacional side Atlético de Rafaela . 1 +Cyril feels bad about hurting Ryan , but Khan tells him that it was necessary to survive inside Oz . Cyril feels bad about hurting Ryan , but Khan tells him that it was necessary to survive in Oz . 1 +Butler died in Torquay on 16 January 1909 and was buried at the Holywell cemetery in Oxford . Butler died at Torquay on 16 January 1909 , and was buried in Holywell cemetery , Oxford . 1 +Adult males grow up at a head hump , and males are larger than females . Adult males are a head hump , and males grow larger than females . 0 +"However , the Georgian language is the singular form when the quantity is specified , so , in practice the plural of "" tetri "" uses just "" tetri "" ." "The Georgian language , however , uses the singular form when the number is specified , so in practice the plural of "" tetri "" is only "" tetri "" ." 0 +These pedo-transfer functions are referred to as predictive functions in a non-spatial context . These predictive functions , in a non-spatial context are referred to as pedotransfer functions . 0 +"The nucleoporin NDC1 anchors a protein that is encoded in humans by the "" TMEM48 "" gene ; it is an aladin of the nuclear pore complex ." "Nucleoporin NDC1 is a protein that in humans is encoded by the "" TMEM48 "" gene . It anchors aladin to the nuclear pore complex ." 0 +In 2000 , he co-founded EarthEcho International with his mother Alexandra Cousteau and his sister Jan Cousteau . In 2000 , he founded together with his mother Alexandra Cousteau and his sister Jan Cousteau EarthEcho International . 1 +"The Moai statues of Easter Island ( Chile ) occur in several "" gradius "" games as enemies ." "The moai statues of Chile ( Easter Island ) appear as enemies in several "" Gradius "" games ." 1 +If Formula 102 is differentiable and its domain formula 107 convex , then that If formula 102 is convex and its domain formula 107 is differentiable , then 0 +Indoor sports for the 2017 Asian Electronic and Martial Arts Games was be a demonstration sport . For the Asian Electronic and Martial Arts Games 2017 Indoor - Sport was a demonstration sport . 1 +Born and raised in Briarcliff Manor , Tom Ortenberg , CEO of Lionsgate Films and a former president of Open Road Films , was born . Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films , was born and former President of Lionsgate Films . 0 +Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent light theory in the world . Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent theory of light in the world . 0 +Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Snowblind Studios and released by Kemco . Top Gear Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Kemco and published by Snowblind Studios . 0 +"He was the son of Shmuel Binyamin Sofer ( "" Moses Sofer "" ) and grandson of Ksav Sofer ( the "" Chasam Sofer "" ) ." "He was the son of Shmuel Binyamin Sofer ( "" Ksav Sofer "" ) and grandson of the Moses Sofer ( the "" Chasam Sofer "" ) ." 0 +In 1923 Louis Blaustein and his son Jacob Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a participation in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . 0 +However , after Alfred de Falloux 's resignation and replacement by Carnot , the commission was dissolved . However , after the resignation of Alfred de Falloux and replacement by Carnot , the Commission was dissolved . 1 +Chanchala is a 1974 Indian Malayalam film staged by SSabu and produced by Hassan Rasheed . Chanchala is a 1974 Indian Malayalam film , produced by SSabu and directed by Hassan Rasheed . 0 +This episode marks the final appearance of guest actress Merritt Wever as Denise Cloyd , who was introduced in the beginning of the sixth season . This episode marks the final appearance of guest actress Denise Cloyd as Merritt Wever , who was introduced at the beginning of the sixth season . 0 +Boats that drew 70 tons were now 87 ½ feet long , 10 ½ feet wide and attracted 4 ½ feet water . Boats that drew 70 tons were now 87 ½ feet wide , 10 ½ feet long and attracted 4 ½ feet water . 0 +Lucas married the writer Ralph Peterson in 1946 and their son , Joel Patterson ( 1957 -- 2017 ) , became a cinematographer . In 1946 , the writer Ralph Peterson Lucas and her son , Joel Patterson , married ( 1957 - 2017 ) , became a cinematographer . 0 +Boudrioz was born in Versailles and died in Paris . Boudrioz was born in Paris and has died in Versailles . 0 +Typically , sarons in a number often come in sizes , from the smallest to largest : Typically , a number of sarons often come in sizes , from largest to smallest . 0 +There are 22 species in the genera , 17 species have a sinistral shell and 5 species are dextral . There are 22 species in the genus . 17 species have a sinistral shell and 5 species are dextral . 1 +Holt represents the residents of Weakley , Carroll County , and is part of Obion . Holt represents the residents of Weakley , Obion and part of the Carroll County . 0 +The Romance language currently spoken in Galicia , Galician ( Galego ) is closely related to the Portuguese language used mainly in Brazil and Portugal . The Romanesque language , Galician ( Galego ) , which is currently used in Galicia , is closely related to the Portuguese language spoken mainly in Brazil and Portugal . 1 +Born Chloe Bennet in Chicago , Illinois , Chloe Wang is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Chloe Wang was born Chloe Bennet in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker and Stephanie Crane , an internist . 1 +This settlement also had the advantage of having a significant building already from a previous sheep station . This settlement already had the advantage of a substantial building also from a previous sheep station . 0 +Initially , Drummond worked hard to build his farm , but this was increasingly taken over later by his sons Thomas and James . Initially Drummond worked hard to establish his farm , but increasingly this was later taken over by his sons Thomas and James . 1 +On 1 July , the judge in Madrid , Antonio Pérez , issued a death penalty against Rodrigo de Arce . On 1 July , the judge of Madrid , Rodrigo de Arce , issued a death sentence against Antonio Pérez . 0 +The movie begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Kerala from Bengal . The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) from Bengal to Kerala . 1 +Furthermore , in many dietary supplements containing raspberry ketones , manufacturers add other ingredients such as caffeine which may have unsafe effects . In addition , manufacturers in many dietary supplements containing raspberry ketones add unsafe ingredients such as caffeine , which may have other effects . 0 +Because of the death of Prime Minister David Thompson , the son-in-law Stuart Stuart was sworn in in 2010 . In 2010 , David Thompson was sworn in by the death of the prime minister , Freundel Stuart . 0 +He also won numerous children 's books and illustrated the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . He also illustrated numerous children ’ s books and won five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . 0 +A JW - Algebra is a Jordan - Subalgebra of the Jordan - Algebra of self-weak operators on a complex Hilbert - space closed in the adjuncted operator - topology . A JW algebra is a Jordan subalgebra of the Jordan algebra of self-adjoint operators on a complex Hilbert space that is closed in the weak operator topology . 0 +A film director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated documentary film . A film director Larysa Malyukova and film critic Amir Yatsiv discussed the rare genre of the animated documentary . 1 +"Godman was a leading actor of the Lou Blonger ( "" né "" John Homer French ) , bookmaker for Jackie French ." "Godman was a paramour of the Lou Blonger ( "" né "" John Homer French ) , bookmaker for Jackie French ." 0 +The ACS ( Ambient Control Space ) is the atmosphere of an internal network . The ACS ( Ambient Control Space ) is the internal network of an environment . 0 +"He went to Al and said : "" You lost a father "" and "" I have lost a son "" ." "He went to Al and said : "" You have lost a father "" and "" I lost a son "" ." 1 +Derlis Aníbal Cardozo ( born 16 June 1981 , in Pedro Juan Caballero ) is a Paraguayan football defender . Pedro Juan Caballero ( born June 16 , 1981 in Derlis Aníbal Cardozo ) is a Paraguayan football defender . 0 +The next day , after Ashley has left , Constantine visits Ryan P. to discuss their feelings . The next day after Ashley left , Constantine visits Ryan P. to discuss their feelings . 1 +Sympatric predators include the mountain lion , grizzly bear and American black bear . Sympatric - predators include the mountain lion , the grizzly bear and the American black bear . 1 +The western extension of London ’ s congestion charge was withdrawn in 2007 ( and introduced on January 1 , 2011 ) . The Western Extension of the London congestion charge was withdrawn in 2007 ( and introduced on 1 January 2011 ) . 1 +When playing fields were sold nearer the school , Fender Field was later developed . As playing fields nearer the school were sold , Fender Field was later developed . 1 +The combination jersey for the combination rating was calculated in 1985 , and this classification was introduced as a combination of the other classification . The combination jersey for the combination classification was calculated in 1985 . This classification was introduced as a combination of the other classifications . 1 +In 2004 , Bessonova won the all-around silver medal at the 2004 European Championships . Bessonova won the silver medal at the 2004 European Championships in 2004 . 1 +Equinox Mountain is a city in northern Bennington County , Vermont , with its village center on the east side of Manchester . Manchester is a town in northern Bennington County , Vermont , with its village center on the east side of Equinox Mountain . 0 +"It was published by ( Spreng . ) K.Schum , and described in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , in 1888 ." "It was described by ( Spreng . ) K. Schum and published in 1888 in "" Flora Brasiliensis 6 ( 6 ) : 128 "" ." 0 +Currently , SDUU has branches in Skåne , Örebro , Umeå , Halmstad , Kalmar , Stockholm , Gothenburg , Skellefteå and Piteå . SDUU currently has local branches in Skåne , Örebro , Umeå , Halmstad , Kalmar , Stockholm , Göteborg , Skellefteå and Piteå . 1 +It was designed by Little Rock architect Harold A. Berry and Dallas , Texas Architect F. Eugene Withrow in international style . It was designed by Little Rock architect F. Eugene Withrow and Dallas , Texas architect Harold A. Berry in the International style . 0 +The River Gorova is a tributary of the Bârzava River in Romania . The Bârzava River is a tributary of the Gorova River in Romania . 0 +"The album was produced by Mike Leander and staged by Peter Sullivan and Reg Guest "" ." "The album was produced by Mike Leander and "" directed "" by Peter Sullivan and Reg Guest ." 1 +Various authors explored the Soweto riots in novels , including Mbulelo Mzamane , Mothobi Mutloatse and Miriam Tlali . Various authors explored the Soweto uprisings in novels , including Mbulelo Mzamane , Mothobi Mutloatse , and Miriam Tlali . 1 +According to the United States Census Bureau , Waverly Township has a total surface area of which land and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township is a total area from which land has and , or 9.21 % , is water . 1 +It features the dominant seventh against the blue chord , which in the key of C would be B and G -- B -- D . It characterizes the dominant seventh against the blue chord , which would be in the key of C B and G - B - D . 0 +Maximilian II ( May 22 , 1792 - April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Bernhard Franz von Hess von Bayern . Bernhard Franz von Hess ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian Lieutenant General and War Minister under Maximilian II of Bavaria . 0 +During the competition , they lost 50-25 to Tanzania , 84-16 to South Africa , 58-24 to Zimbabwe . They lost 50-25 to Tanzania during the competition , 84-16 to South Africa and 58-24 to Zimbabwe . 1 +The album was produced by Jason Suecof and mixed by Colin Richardson . The album was produced by Colin Richardson and merged by Jason Suecof . 0 +"He was the son of Shmuel Binyamin Sofer ( "" Moses Sofer "" ) and grandson of Ksav Sofer ( the "" Chasam Sofer "" ) ." "He was the son of Shmuel Binyamin Sofer ( "" Moses Sofer "" ) and grandson of Ksav Sofer ( "" Chasam Sofer "" ) ." 1 +Dielectric elastomers ( DEs ) are large material systems that produce smart deformations . Dielectric elastomers ( DEs ) are smart material systems which produce large strains . 0 +The musicians of the recording session on 7 March included Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . The musicians on the 7th March recording session included Larry Knechtel , drums ; Hal Blaine , guitar ; Don Randi , bass ; and Al Casey , piano . 1 +The Canadian stamps were issued with amounts in dollars and cents . Canadian postage stamps were issued with the amounts denominated in dollars and cents . 1 +Releases have also been conducted in Mexico , and the first birth of a wild wolf litter in Mexico was reported in 2014 . Releases have also been carried out in Mexico , and in 2014 the first birth of a Wild Wolf was reported in Mexico . 1 +His wife , Lydia , who was also an accomplished artist , authored some of the books Freeman illustrated . His wife , Lydia , who was also an accomplished artist , illustrated some of the books that Freeman wrote . 0 +Ottawa County is a civil community of Park Township in the U.S. state of Michigan . Park Township is a civil township of Ottawa County in the U.S. state of Michigan . 0 +His second wife was Anna Williams , the sister of his first wife . His first wife was Anna Williams , his second wife 's sister . 0 +Building walls were made of stiff earth wall or clay with pebbles and large stones in the upper layers . Building walls were of wall made of stiff earth or clay with pebble bases and large stones in the upper layers . 1 +"In April 2013 , when the merger of Air Italy was completed , Meridiana Fly returned to her former , shorter name "" Meridiana "" ." "In April 2013 , when the merger with Air Italy was completed , Meridiana returned to her former , shorter name "" Meridiana Fly "" ." 0 +Several publications published by the Public Health Service have shown that veterans have increased rates of cancer , and nerve , digestive , skin , and respiratory disorders . Several publications of the Public Health Service have shown that veterans have increased cancer , nerve , respiratory , skin and digestive disorders . 1 +Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on October 29 , 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver of Overbury , Worcestershire . 0 +He died on 24 August 1878 in Wyandotte ( now part of Kansas ) , Kansas City . He died on August 24 , 1878 in Wyandotte ( now part of Kansas City ) , Kansas . 1 +CMA adds an anthropological dimension to traditional critical approaches , thereby avoiding a top-down perspective . The CMA adds an anthropological dimension to traditional critical approaches , thereby avoiding a top-down perspective . 1 +At the opening ceremony of the monument , the President of Russia , Heydar Aliyev , and the President of Azerbaijan Vladimir Putin also attended . Heydar Aliyev , the president of Russia and Vladimir Putin , the president of Azerbaijan also participated in the opening ceremony of the monument . 1 +Slatyer returned to Paris in 1982 , after four years in Australia , and resumed his professorship at ANU . In 1982 , Slatyer returned to Australia after four years and resumed his professorship in the ANU . 0 +Mode 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origins . Mode 9 was born on 14 June 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . 0 +Quarterback Jameis Winston and Defensive Back P. J. Williams were named the most valuable players of the game for their performances in the game . Quarterback P. J. Williams and Defensive Back Jameis Winston were named the most valuable players of the game for their performances in the game . 0 +"Brown also appeared in "" All about the Evil "" of Peaches Christ with Cassandra Peterson , Mink Stole and Patrick Bristow ." "Cassandra Peterson also appeared in "" All about the Evil "" of Peaches Christ with Patrick Bristow , Mink Stole and Brown ." 0 +This is the list of places in South Wales County Borough , Blaenau Gwent . This is a list of places in the Blaenau Gwent county borough , South Wales . 0 +Many people who admit to being frequent tanners say they tan to feel good , look good , and to relax . Many people who admit to being common tanners say that they tan to look good , to feel good and relax . 1 +The oldest of these are the channels : the Bridgewater Canal , Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . The oldest of these are the canals : the Bridgewater Canal , the Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . 1 +In San Francisco , Hicks led Dan Hicks and the Hot Licks between 1968 and 1973 , a band that rarely used electric instruments and never drums . In San Francisco from 1968 -- 1973 , Hicks led Dan Hicks and the Hot Licks , a band that never used electric instruments and rarely used drums . 0 +With Esmeralda 's help , a frozen Quasimodo announced Mavis 's true nature during Johnny'celebration where the Fly translated his frozen language . A frozen quasimodo announced with Esmeralda 's help Johnny 's true nature during the celebration of Mavis , where the fly translated his frozen language . 0 +Powerful Stuff is a 1989 studio album by Texas based blues rock band The Fabulous Thunderbirds . It was recorded in Memphis and produced by Terry Manning . Powerful Stuff is a studio album by Memphis Blues - a rock band The Fabulous Thunderbirds from 1989 , which was recorded in Texas and produced by Terry Manning . 0 +Liparulo was born in West Point , Utah . He attended Weber State University in New York . Born in West Point , New York , Liparulo attended Weber State University in Utah . 0 +At the end of the season , George Curtis was dismissed and was replaced by Nils Arne Eggen . At the end of the season , George Curtis was dismissed and replaced with Nils Arne Eggen . 1 +The zone serves eastern and central Madhya Pradesh , the southern Uttar Pradesh and northeastern Rajasthan State . The zone serves eastern & central Madhya Pradesh , southern Rajasthan , and northeastern Uttar Pradesh state . 0 +Marietta Martin , who suffered from lung diseases , spent several years in Switzerland between 1927 and 1931 in a sanatorium in Leysin in the canton of Vaud . Suffering from lung disease , Marietta Martin spent several years between 1927 and 1931 in Switzerland , in a sanatorium in Leysin in the Canton of Vaud . 1 +In historical times there were Cherokee and Creek villages in the Tennessee Valley west of the Wills Valley and the Sand Mountain to the east . In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Sand Mountain and the Wills Valley to the east . 0 +Bignell gave his first-class debut for Warwickshire against Hampshire in the 1904 County Championship . Bignell made his first-class debut for Hampshire against Warwickshire in the 1904 County Championship . 0 +In 1894 , he began his career as an independent architect in Berlin ; the same year he took a study trip to Italy , one year later to England . In 1894 he began his career as an independent architect in Berlin , in the same year he made a study trip to Italy , a year later to England . 1 +For the 1951 season , the circuit merged with the Arizona -- Southwest International League to form the Texas League . For the 1951 season , the circuit with the Arizona -- Texas League merged to form the Southwest International League . 0 +Gesine Schwan celebrated her second wedding in 2004 with the long-time companion Peter Eigen in Berlin . In 2004 , Gesine Schwan celebrated her second wedding with longtime companion Peter Eigen in Berlin . 1 +It was recorded in 2000 and was released by Satchmo Jazz Records . It was released in 2000 and was recorded by Satchmo Jazz Records . 0 +"Other works at the premiere were "" second "" ; "" Adagio ( from Choral Suite ) "" ; Scherzo , Op ." "Other works at the premiere were "" Choral "" , "" Adagio ( from the second suite ) "" , "" Scherzo , Op ." 0 +The Russian villain is , however , an original and sometimes interesting danger . However , the Russian villain is an interesting and sometimes original threat . 0 +The lead is played by Gabriella Ethereal and the film is narrated by Cameron Smith . The lead role is played by Gabriella Ethereal and the film by Cameron Smith is told . 1 +Marco Conti is Captain Regent of San Marino together with Glauco Sansovini for the semester from 1 April 2010 to 1 October 2010 . Glauco Sansovini is together with Marco Conti captain Regent of San Marino for the semester from April 1 , 2010 to October 1 , 2010 . 0 +The hall was the scene of the state funeral of the federal leader of the official opposition and the NDP leader Jack Layton on 27 August 2011 . The hall was the venue of the state funeral of Official Leader of the federal Opposition and NDP leader Jack Layton on August 27 , 2011 . 0 +It was designed by Eurocom Entertainment Software and published by Taxan . It was designed by the Eurocom Entertainment Software and was published by Taxan . 1 +Mo'ayyad Omar Suleiman Abu Keshek is a Jordanian footballer of Palestinian origin who plays for Silwan SC in Palestine . Omar Suleiman Abu Keshek is a Jordanian footballer of Palestinian origin , who plays for Silwan SC in Palestine . 1 +After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this later became a permanent family home . This later became the permanent family home , after purchase in 1948 by Robert Lorimer 's son , the sculptor Hew Lorimer . 1 +""" Top Dog "" and "" Wally the Wizard "" were also original comic Star early titles ." """ Top Dog "" and "" Wally the Wizard "" were also original comics - Star - Early titles ." 1 +For example , the spin case allows only one magnetic dipole , but for spin - 1 particles also magnetic quadrupoles and electrical dipoles are possible . For example , the spin case also allows a magnetic dipole , but for spin 1 particles electric quadrupoles and magnetic dipoles are only possible . 0 +Emphasis is placed on the serving of meals of moderate quality at high cost . Emphasis is placed on serving high quality meals at moderate cost . 0 +Each line has three points , so in the language of configurations the Hesse configuration contains the notation 912 . Each line has three points , so the Hesse configuration includes the notation 912 in the language of the configurations . 1 +Garcia de Luna fought on the British side in the Battle of Carabobo , against Simón Bolívar and the Spanish Legions , during Venezuelan War of Independence in 1821 . In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . 0 +Herbert and Alessandro Giannessi and João Sousa defeated Maxime Teixeira 6 -- 4 , 6 -- 3 in the final . Pierre-Hugues Herbert and Maxime Teixeira defeated Alessandro Giannessi and João Sousa 6 -- 4 , 6 -- 3 in the final . 0 +The larvae are initially white with black spots . The larvae are white initially with black spots . 1 +Total population : 333 of which were 49.8 % male and 50.2 % female . Total Population : 333 of which 49.8 % were male and 50.2 % were female 1 +Djan Faridz ( born August 5 , 1950 in Jakarta ) is a former public housing minister of Indonesia and owner of PT Dizamatra Powerindo . Djan Faridz ( born August 5 , 1950 in Indonesia ) was a Minister of Public Housing in Jakarta and owner of PT Dizamatra Powerindo . 0 +Regressive assimilations are only caused by phonological factors , while substitutions take semantic information into account . Regressive assimilations are conditioned only by semantic factors , while substitutions take phonological information into consideration . 0 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the Marinelimpets families . 1 +"Clive Egleton 's screenplay is based on Leigh Vance 's novel "" Seven Days to a Killing "" ." "Leigh Vance 's screenplay is based on Clive Egleton 's novel "" Seven Days to a Killing "" ." 0 +The music was composed by G. Devarajan and the lyrics by ONV Kurup and Vayalar Ramavarma were written . The music was composed by G. Devarajan and lyrics was written by ONV Kurup and Vayalar Ramavarma . 1 +In the evening , a bowl of thin soup came with a piece of bread . Finally , in the evening , came a bowl of small soup with a thin piece of bread . 0 +"In April 2013 , when the merger of Air Italy was completed , Meridiana Fly returned to its former , shorter name "" Meridiana "" ." "In April 2013 , when the Air Italy merger was completed , Meridiana returned to its former , shorter name , "" Meridiana Fly "" ." 0 +In urban areas , coverage is significantly higher than in rural areas . Coverage in urban areas is considerably higher than in rural areas . 1 +North Tripura district is in the Lok Sabha constituency of Tripura East , which is shared with Dhalai and South Tripura districts . North Tripura district is shared in the loc Sabha constituency of Tripura East , which is divided with Dhalai and South Tripura districts . 0 +Freescale Semiconductor later was sold to Sigmatel . Sigmatel was later sold to Freescale Semiconductor . 0 +He was the son of Shmuel Binyamin Sofer ( “ Moses Sofer ” ) and grandson of Ksav Sofer ( the “ Chasam Sofer ” ) . "He was the son of Shmuel Binyamin Sofer ( "" Moses Sofer "" ) and grandson of Ksav Sofer ( the "" Chasam Sofer "" ) ." 1 +Since its 59th broadcast in 1927 , BBC Radio has also presented a live racing commentary for the first time . BBC Radio also presented a live race commentary for the 59th time since its first broadcast in 1927 . 0 +Exterior colors are red , black , silver , cool vanilla , and dark titanium . The exterior colors are red , black , silver , dark vanilla and cool titanium . 0 +George Wilson was born on 24 June 1766 to Robert Wilson , a shipbuilder , and Mary Finlay in Newcastle . Robert Wilson was born on June 24 , 1766 in Newcastle , George Wilson , a shipbuilder , and Mary Finlay . 0 +Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on September 11 , 1866 and got 8 children . Susannah Louisa Barnett married Lorenzo Giuntini on 11 September 1866 in Frome , Somerset and had 8 children . 1 +"In collaboration with Cousin Harold White , B & amp ; H Publications produced George Bernard Shaw in 1948 by the camera "" ." "In collaboration with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 by the camera "" ." 0 +He was the first provincial sculler to ever win the Diamond Challenge Sculls at Henley Royal Regatta and also the first to win the Wingfield Sculls . He was the first sculler in the province ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first to win the Wingfield Sculls . 1 +"The cast for the fourth season of "" California Dreams "" was the same occupation as for the third season ." "The cast for the third season of "" California Dreams "" was the same as the cast for the fourth season ." 0 +His father was the late Ud Maestro Munir Bashir , his uncle was the renowned late Oud Master Jamil Bashir . His father was the renowned deceased Ud Maestro Munir Bashir , his uncle was the late Oud - Master Jamil Bashir . 0 +The Botizu River is the tributary of the Scridoasa River in Romania . The Scridoasa River is a tributary of the Botizu River in Romania . 0 +Then Agrippa Polemon I sent from Pontus to take Scribonius and remove the throne himself . Agrippa then sent Polemon I of Pontus to remove Scribonius and take the throne himself . 0 +Nowa Wieś Lęborska is a PKP railway station in Poland ( Nowa Wieś Lęborska ) , Pomeranian Voivodeship . Nowa Wieś Lęborska is a PKP station in Nowa Wieś Lęborska ( Pomeranian Voivodeship ) , Poland . 0 +"One day in 1939 an "" Autogyro landed on the ballfield and remained a short time ." "One day in 1939 , an "" autogyro "" remained on that ballfield and landed a short time ." 0 +Illnesses associated with this genus include : DCV : increased reproductive potential , extremely high when associated with pathogenic injected mortality , CrPV : paralysis and death . Diseases associated with this species include : DCV : increased reproductive potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . 0 +The cast list indicates a date of first performance after Taylor joined the company in the Spring of 1619 , and before Tooley 's death in June 1623 . The cast list gives a first performance date after Tooley joined the company in the spring of 1619 and before the death of Taylor in June 1623 . 0 +The valleys are shaped by three mountain ranges : the Alaska Range , the Chugach Mountains and the Talkeetna Mountains . The Matanuska-Susitna Valley has been carved by glaciers . The valleys are shaped by three mountain ranges : the Alaska Range , the Talkeetna Mountains and the Chugach Mountains . The Matanuska-Susitna Valley was carved by glaciers 1 +Banknotes issued by the three commercial banks are printed in Hong Kong by Hong Kong Note Printing Limited . The banknotes issued by the three commercial banks are printed at Hong Kong Note Printing Limited in Hong Kong . 1 +Thomas Pratt ( 1837 -- 6 March 1917 ) , also known as Tame Parata , was a Māori and a Liberal Party Member of Parliament in New Zealand . Tame Parata ( 1837 - March 6 , 1917 ) , also known as Thomas Pratt , was Māori and a member of the Liberal Party in New Zealand . 1 +For example , the spin case allows only one magnetic dipole , but for spin - 1 particles also magnetic quadrupoles and electrical dipoles are possible . For example , the spin-fall also allows a magnetic dipole , but for spin 1 particles only electric quadrupoles and magnetic dipoles are possible . 0 +In 1986 he joined forces with Erich A. Colhoun to work together on the ANARE expedition that established the Sir Edgeworth David summer field base in the Bunger Hills . In 1986 , he joined Edgeworth David to work together on the ANARE expedition that founded the summer field base of Sir Erich A. Colhoun in the Bunger Hills . 0 +Theodore was flogged , and , together with ten other monks , banished to Thessaloniki , while Platon was imprisoned in Constantinople . Theodore was flogged and banished to Thessaloniki , together with ten other monks , while Plato was imprisoned in Constantinople . 1 +Petina Gappah was born in Zambia , Copperbelt province . Petina Gappah was born in Zambia , in Copperbelt Province . 1 +In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in Japan , and in 2006 he became a designer at Woolrich Woolen Mills in America . In the 1970s Suzuki was one of the first buyers of Woolrich fashion in Japan . In 2006 he became a designer for Woolrich Woolen Mills in America . 1 +The 372nd Air Division in central Vietnam as well as the 917th , 935th and 937th Air Regiments in southern Vietnam were quickly deployed to the north . The 372nd Air Force in Central Vietnam , as well as the 917th , 935th and 937th air regiments in South Vietnam , were quickly deployed to the north . 1 +Three values of the octagonal stamps were introduced to cover higher foreign and registered charges on the following data : Three values of the octagonal stamps were introduced to cover higher foreign and registered postal charges on the following dates : 1 +Hugh Holland ( 1569 -- 1633 ) , the son of Robert Holland , was born in Denbigh in the north of Wales . The son of Hugh Holland ( 1569 - 1633 ) was born in Denbigh in the north of Wales . 0 +Fluter returns to Cyprus but the people , and Cleopatra , blame him for the loss of Egypt and the death of Ptolemy . Fluter returns to Cyprus , but the people and cleopatra make him responsible for the loss of Egypt and the death of Ptolemy . 1 +Damerham was once in Wiltshire , but was brought to Hampshire in 1895 . Damerham once was in Hampshire , but was moved to Wiltshire in 1895 . 0 +"All songs written by Graham Russell ; except "" A Place Where We Belong "" co-written by Alejandro Lerner ." "All songs of Alejandro Lerner , except "" A Place Where We Belong "" written by Graham Russell ." 0 +San San Pedro de Pilas district is one of thirty-three districts in the province of Yauyos in Peru . San Pedro de Pilas District is one of thirty-three districts of the province Yauyos in Peru . 1 +A pneumatic chain saw driven by an air hose from a conventional external compressor is under development . A conventional external chain saw driven by an air hose from a pneumatic compressor is currently under development . 0 +the definition can be extended to standard or non-standard ( arbitrary ) points as follows : The definition can be extended as follows to standard or nonstandard points ( arbitrary ) : 1 +Hernandez defeated Morgan on 17 April in Lockdown in a steel cage - Match to win the Feud . On 17 April , Morgan defeated in Lockdown Hernandez in a steel cage - Match to win the Feud . 0 +On February 28 , 2018 Interoute announced the acquisition of GTT Communications for $ 2.3 Billion . On 28 February 2018 , Interoute announced the acquisition of GTT Communications for $ 2.3 billion . 1 +Baby Boom is a romantic comedy orchestrated by Nancy Meyers in 1987 , produced by Charles Shyer and Shyer and written by Meyers and Bruce A . Baby Boom is a 1987 romantic comedy directed by Charles Shyer , written by Nancy Meyers and Shyer , produced by Meyers and Bruce A . 0 +Very unhappy and confused , Salene falls in love with the Chosen , Luke , but he rejects her for Ellie . Very unhappy and confused , Salene falls in love with the chosen , Luke , but he rejects them for Ellie . 1 +Gérard Depardieu was born to a well-off Parisian family and married Élisabeth Dominique Lucie Guignot on 19 February 1970 . Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on 19 February 1970 . 0 +After moving to Norway as a political refugee in 1988 , he began writing novels about the leftist uprising in Turkey . After moving to Turkey as a political refugee in 1988 , he began to write novels about the leftist revolt in Norway . 0 +Bulhar is an archeological site in the northwestern region of Somaliland Woqooyi Galbeed . Bulhar is an archaeological site in the northwestern Somaliland region of Woqooyi Galbeed . 1 +The Roxburgh Junction railway station was on the Kelso Line and served the village of Roxburgh , Scottish Borders from 1850 to 1964 . The Roxburgh Junction railway station served on the Kelso Line and was the village of Roxburgh , Scottish Borders from 1850 to 1964 . 0 +died at the age of 76 in South Africa , Grahamstown , Cape Province . He died at the age of 76 in Grahamstown , Cape Province , in South Africa . 0 +"By controlling the fluid with a magnetic field , it is formed to generate liquid 3-complex shapes as a "" dimensional sculpture "" ." "By controlling the fluid with a magnetic field , it is formed to create complex 3-dimensional shapes as a "" liquid sculpture "" ." 0 +The series is moderated by Linda Blair and narrated by Zelda Rubinstein . The series is hosted by Zelda Rubinstein and told by Linda Blair . 0 +In 2010 , she performed at the sixth annual Jewlicious Festival alongside Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . In 2010 she performed at the sixth annual Jewlicious Festival next to Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . 1 +"He went to Al and said , "" you have lost a father "" and "" I 've lost a son "" ." "He went to Al and said : "" You have lost a father "" and "" I lost a son "" ." 1 +The mentioned scientists Adam adores are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . The mentioned scientists Adam are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . 1 +He left Germany in 1991 to work in the palliative care of cancer patients in Italy as well as in various Third World countries . He left Germany in 1991 to work in the field of palliative care for cancer patients in Italy as well as in various countries in the Third World . 1 +The Kneisel Hall Chamber Music School was formally reestablished in 1953 by Marianne , pianist Artur Balsam , violinist Joseph Fuchs , and violist Lillian Fuchs . The chamber music school in the Kneisel hall was formally rebuilt in 1953 by Marianne , pianist Artur Balsam , violinist Joseph Fuchs and violist Lillian Fuchs . 1 +Rosas took advantage of this policy shift to deny the parcels preferentially to his supporters and sell them to politically unreliable elements . Rosas took advantage of this policy shift to prefer to sell the packages to his supporters and deny them politically unreliable elements . 0 +Lü Bu 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Cao Bao . The second wife , who was mentioned in the novel only by name , was a fictional daughter of Cao Bao . 1 +"He is commonly called Pasa Isageum , "" isageum "" is the royal title in early Silla ." "He is commonly called Pasa Isageum , "" isageum "" being the royal title in early Silla ." 1 +Condon said that she wanted Suzanne to give a Valentine 's Day card . Suzanne has said that she wanted to give Condon a Valentine 's Day card . 0 +Red Bank is located in the 4th Congressional District and is part of the 11th State Legislative District of New Jersey . Red Bank is located in the 11th Congressional District and is part of New Jersey 's 4th state legislative district . 0 +Electricity downstream San Lazzaro Reale , where it gets Tresenda waters , the Impero receives the following streams : Downstream San Lazzaro Reale , where it gets Tresenda waters , the Impero receives the following streams : 1 +A few weeks later , Fixell defended his stance in an interview with HumansVsZombies.org . A few weeks later , HumansVsZombies.org defended his position in an interview with Fixell . 0 +Danny Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums producing with Lou Adler . Gordon played guitar , Danny Kortchmar played bass and Lou Adler played drums with Charles Larkey producing . 0 +There are a total of 107,166 Maonan , mostly living northern Guangxi province in southern China . There is a total of 107,166 Maonan , mostly living northern province of Guangxi in southern China . 1 +"Pierre Bourdieu and Basil Bernstein explore how the cultural capital of the legitimate classes has been regarded as "" dominant knowledge throughout history ." "Pierre Bourdieu and Basil Bernstein explore , how the cultural capital of the legitimate classes has been viewed throughout history as the "" most dominant knowledge "" ." 1 +Hortense married Robert Child in 1977 , after Eldred G. Smith died . After Eldred G. Smith died , Hortense married Robert Child in 1977 . 1 +The Philadelphia Eagles selected Hicks in the ninth round ( 84th overall ) of the 2015 NFL Draft . He was the third linebacker selected in 2015 . The Philadelphia Eagles selected hicks in the third round ( 84th total ) of the NFL Draft 2015 . He was the ninth linebacker elected in 2015 . 0 +The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was taught at the Royal College in Colombo . The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was educated at the Royal College , Colombo . 1 +Stille is a river of Schmalkalden It flows into the river Schmalkalde in the city of Thuringia , Germany . Stille is a river of Thuringia , Germany , which flows into the river Schmalkalde in the town of Schmalkalden . 0 +He married in 1901 Mary Ellen Blanche Crookes ( 1870-1935 ) , daughter and coheiress of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor . He married Anne Blanche Harriet Proctor ( 1870-1935 ) , a daughter and co-founder of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes in 1901 . 0 +If it was right and moral , as I now believe , it was necessary . If , as I believe , it was necessary , it was right and moral . 0 +"Jesus ( "" The beginning of the gospel of Jesus Christ , the Son of God "" ) identifies Mark as both Christ and the Son of God ." "Jesus ( "" The beginning of the gospel of Jesus Christ , the Son of God "" ) identifies Markus as Christ and as the Son of God ." 1 +Trenčianske Jastrabie is a village and municipality in Trenčín Region in the Trenčín District of northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in the district of Trenčín in the region of Trenčín in northwestern Slovakia . 0 +Thomas Allen ( 1608 in Norwich -- September 21 , 1673 ) was a nonconformist and divine nation . Thomas Allen ( 1608 in Norwich -- 21 September 1673 ) was a nonconformist minister and divine . 0 +They are more common in less prestigious tournaments . They are less common in prestigious tournaments . 0 +Be ready to get online with the hottest downloads on Mobbed on , Downunder and Mobile ! Be prepared to get Mobbed on air , downunder and on mobile with the hottest downloads online ! 1 +""" Espoir "" lost her master killed , and had wounded six men , two of whom were seriously wounded ." """ Espoir "" lost her master wounded and killed six men , two of whom were seriously wounded ." 0 +Satellite Beach is part of the Melbourne -- Palm Bay -- Titusville Metropolitan Statistical Area . Satellite Beach is part of the Metropolitan Statistical Area of Palm Bay -- Melbourne -- Melbourne -- Titusville . 1 +Both track sections were abandoned with the Hurtsboro segment in 2002 and the Lafayette line in 2003 . Both track segments were abandoned beginning with the Lafayette segment in 2002 and the Hurtsboro line in 2003 . 0 +She had four children from a previous marriage , and , in 1901 , bore another daughter , Elizabeth . She had four children from a previous marriage and got another daughter , Elizabeth , in 1901 . 1 +Clara Louise Bell ( 1886 -- 1978 ) ( also known as Clara Louise Janowsky ) was an American miniature painter . Clara Louise Janowsky ( 1886 - 1978 ) ( known as Clara Louise Bell ) was an American miniature painter . 1 +He was born in Bukan , Iran , but arrived in 1997 to Kristiansand , Norway . He was born in Kristiansand , Norway , but came to Bukan , Iran in 1997 . 0 +"In "" The Kingdom of Auschwitz "" , Rudolf Höss wrote about Otto Friedrich , regarding his decision to display the motto so prominently at the Auschwitz entrance ." "Otto Friedrich wrote in "" The Kingdom of Auschwitz "" about Rudolf Höss about his decision to present the motto so prominently at the entrance Auschwitz :" 0 +Strathairn visited the Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts in 1970 . Strathairn attended Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts , in 1970 . 1 +Another name of Wincham Park ( Sports Direct Arena ) was hosted in the popular BBC1 TV - Show Room 101 by Frank Skinner . Another name of Wincham Park ( Sports Direct Arena ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . 1 +It is separated from the Sudhar township by the Pakistan - branch of the Satluj River , which flows into the Indus river in Abohar . It is separated from the Sudhar township by the Abohar branch of Satluj river , which flows into the Indus river in Pakistan 0 +In 1945 , flower was captured by the Americans in the Landsberg prison and brought to Salzburg . In 1945 , Blume was captured in Salzburg by the Americans and brought to Landsberg Prison . 0 +Benny Sharkey beat Sonny Lee in England before he suffered only the fifth defeat of his career when he was disqualified against Watson for a low blow . Back in England , Watson beat Benny Sharkey before suffering only the fifth defeat of his career when he was disqualified against Sonny Lee for a low blow . 0 +"Leigh Vance 's screenplay is based on Clive Egleton 's novel "" Seven Days to a Killing "" ." "The screenplay by Leigh Vance is based on Clive Egleton 's novel "" Seven Days to a Killing "" ." 1 +Big Creek is a tributary of the San Joaquin River in the Sierra Nevada , within the Sierra National Forest , central California . Big Creek is a tributary of the San Joaquin River in the Sierra Nevada , in the Sierra National Forest in Central California . 1 +Major General Nathan Mugisha replaced Major General Francis Okello as commander of AMISOM on 7 July 2009 . On 7 July 2009 , General Major Francis Okello was replaced as Commander of the AMISOM by General Major Nathan Mugisha . 1 +In 2005 , Chen was assistant to Toshiaki Imai , then manager of the Chinese Taipei national team . In 2005 , Toshiaki Imai was appointed assistant to Chen , the then manager of the Chinese Taipei national team . 0 +The first patented air data computer in the USA was developed by John H. Andresen in February 1971 . The first air data computer developed in the United States was patented in February 1971 by John H. Andresen . 0 +The South Deep Mine is a large mine in the northern part of Gauteng in Southern Africa . The South Deep mine is a large mine located in the northern part of Gauteng in South Africa . 1 +The main tributaries are the Kilwinning and Caaf Water , which unite north and south of Dalry , and the Lugton Water , which joins south of Rye Water . The main tributaries are the Rye Water and Caaf Water which join north and south of Dalry respectively and the Lugton Water which joins just south of Kilwinning . 0 +This is due to the reduction of excitatory synaptic transmission in a nucleus and the increased excitability in the motor neurons caused by nicotine activation . This is due to the reduction of nicotine transmission in a nucleus and an increased excitability in motor neurons caused by excitatory synaptic activation . 0 +The song was written by Bryan Adams and was already recorded in 1999 by Melanie C . The song was written by Bryan Adams and had already been recorded by Melanie C in 1999 . 1 +Following the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan have nearly disappeared . After the Muslim invasions of the seventh century , the original Christians from actual Azerbaijan disappeared almost . 0 +In 1949 , he joined the National Security Agency and moved on to the newly formed Armed Forces Security Agency in 1952 . Buffham joined the Armed Forces Security Agency in 1949 and went on to the newly formed National Security Agency in 1952 . 0 +Losses for the day were killed 16 and 98 wounded , while the KPA 9 killed captive and estimated 50 and lost 55 wounded . Marine losses for the day were 16 killed and 98 captured , while the KPA lost 9 wounded and an estimated 50 killed and 55 wounded . 0 +It was built by Brunel 's former assistant William Jacomb , designed by Head Wrightson and opened in 1889 . It was built by Brunel 's former assistant , William Jacomb , designed by Head Wrightson and inaugurated in 1889 . 1 +The Rusca River is a tributary of the Giumalău River in Romania . The River Rusca is a tributary of the Giumalău River in Romania . 1 +British Regional Airlines can trace its history back to March 1991 , when Manx Airlines founded Manx Airlines Europe in order to expand and fly routes within the United Kingdom . British Regional Airlines can trace its history back to March 1991 when Manx Airlines created Manx Airlines Europe in order to expand and fly routes within the United Kingdom . 1 +Its College of Education and College of Arts and Humanities offer additional training teachers bilingual education for them to improve their academic Spanish . Its College of Education & College of Arts and Humanities offer bilingual education teachers additional training for them to improve their academic Spanish . 0 +Ciarán McDonald came through the Crossmolina Deel Rovers system alongside Moyles , Peadár Gardiner and Stephen Rochford . Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford came Moyles through the Crossmolina Deel Rovers system . 0 +Like many aspects of Islamic ivory , this reflects the Byzantine traditions that Islam has inherited . Like many aspects of Byzantine ivory , this reflects the Islamic traditions that Islam has inherited . 0 +In the 1990 ’ s , a backlash against utilitarian bioethics , led by figures such as Dean Koontz and novelist Wesley J. Smith , emerged . In the 1990s , a backlash against utilitarian bioethics emerged , led by such figures as Wesley J. Smith and novelist Dean Koontz . 0 +On March 17 , 2015 , Actavis acquired Allergan and took the Allergan name . On 17 March 2015 , Allergan Allergan acquired the name Actavis . 0 +Kolana Airport is located near Jhalawar . The Kolana Airport is located near Jhalawar . 1 +"Andrea Andrea Bocelli called her sample performance "" very nice "" , and David Foster called her voice spectacular ." "David Foster called her rehearsal performance "" very nice "" , and Andrea Bocelli called her voice spectacular ." 0 +Due to the results in the previous round , Gianni Morbidelli received + 30 kg , Jordi Gené + 20 kg and Andrea Belicchi + 10 kg . Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Jordi Gené + 20 kg and Andrea Belicchi + 10 kg . 1 +It was published in the United States on 31 August 2004 and on 17 October 2005 in the United Kingdom . It was released on August 31 , 2004 in the United Kingdom and October 17 , 2005 in the United States . 0 +The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and Bandini Station Post Office at 5555 Bandini Boulevard . The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and the Bandini Boulevard Post Office at 5555 Bandini Station . 0 +Juan Colomer publishes his works with Editions BIM of Switzerland , Editorial Piles , Tritó and Rivera Editors in Spain . Juan Colomer publishes his work with Editions BIM of Spain , Editorial Piles , Tritó and Rivera editores in Switzerland . 0 +"Between these two towns , the road followed ( unlike the old asphalt road ) the route of the current path of "" Bougas "" ." "In between these two cities the road ( unlike the current asphalt road ) followed the route of the old path of "" Bougas "" ." 0 +Some southern states , such as Chu and Wu , claimed independence from the Zhou , who undertook wars against some of them ( Wu and Yue ) . Some southern states , such as Zhou and Wu , claimed independence from the Chu who led to wars against some of them ( Wu and Yue ) . 0 +"A mechanical nightingale is featured in "" and is used to replace a real nightingale for a princess ." "A real nightingale is used in "" and "" to replace a mechanical nightingale for a princess ." 0 +Effective July 1 , 2000 , the village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River . The village of Iron River and the town of Stambaugh were consolidated with the town of Mineral Hills effective July 1 , 2000 . 0 +Born in Austin , Texas , Smith began his career in black baseball 's equivalent of the minor leagues with the Austin Black Senators in Giddings , Texas . Smith , born in Austin , Texas , began his career in the equivalent of the black leagues with the Austin Black Senators in Giddings , Texas . 1 +Allie sails from England to Australia alone after her father 's death . After her father 's death , Allie sails alone from Australia to England . 0 +His mother , born in Devonshire , was the tenth child of parents who emigrated to Canada from Kingston . His mother , born in Kingston , was the tenth child of parents who had migrated from Devonshire to Canada . 0 +The Sabres specialized in instrumental music and early rock artists like the aforementioned Dale Hawkins , The Ventures and Chuck Berry . The Sabres specialized in instrumental music and early rock artists like the afore-mentioned Chuck Berry , The Ventures and Dale Hawkins . 1 +Scopula undulataria is a moth of the Geometridae family that is found in India ( Darjeeling ) . Scopula undulataria is a moth of the family Geometridae . It is found in India ( Darjeeling ) . 1 +The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack deathmatch at Destruction , where Tanahashi was winning . The rivalry between Tanahashi and Tanahashi culminated on September 29 at a Lumberjack Deathmatch in Destruction , where Devitt won . 0 +It includes all of Douglas County , which includes Omaha , and the suburban areas of western Sarpy County . It includes all Douglas county , which includes Sarpy County , and the western areas of suburban - Omaha . 0 +He was a member of the State Fair Stadium Commission , Chairman of the Louisiana State Fair Board and a Commissioner for the Louisiana Superdome in New Orleans . He was a member of the Louisiana State Fair Board , chairman of the State Fair Stadium Commission , and a commissioner of the Louisiana Superdome in New Orleans . 0 +On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base in his honor . On 30 April 1950 , the Nellis Air Force Base was renamed to Las Vegas Air Force Base in Nevada . 1 +She moved to Germany in 1989 and settled in Luxembourg two years later , where her husband , Tommy Danielsson , is her coach and training partner . She moved to Luxembourg in 1989 and settled in Germany two years later , her husband Tommy Danielsson is her coach and training partner . 0 +Diosdado Aenlle Talamayan was ordained a priest on April 10 , 1987 by Ricardo Lingan Baccay . Aenlle Talamayan was ordained a priest on April 10 , 1987 by Ricardo Lingan Baccay . 1 +Anabel Medina Garrigues and Virginia Ruano Pascual won in the final 6 -- 2 , 6 -- 4 , against Eleni Daniilidou and Jasmin Wöhr . Eleni Daniilidou and Jasmin Wöhr won against Anabel Medina Garrigues and Virginia Ruano Pascual in the Finals 6 : 2 , 6 : 4 . 0 +For free bodies , the specific force is the cause and measure of the proper acceleration of the body . For free bodies , the specific force is the cause of , and a measure of , the body 's proper acceleration . 1 +He was elected President of the Assam Football Association and the Assam Cricket Association for several terms ; he was also the Vice-President of the Assam Sports Council . He has been elected President of the Assam Football Association and the Assam Sports Council for several terms , and he was also the Vice-President of the Assam Cricket Association . 0 +On 16 January 2018 , Volaris announced a codeshare agreement with Frontier Airlines , the US low-cost carrier . On January 16 , 2018 , Volaris announced a codeshare agreement with American low-cost carrier Frontier Airlines . 1 +He began his cross country and track career at the Boston English High School and set his career at the Boston State College . He continued his cross country and track career at the Boston English High School and began his career at Boston State College . 0 +Anton Lesley Gray was married in September 1994 . In September 1994 , Anton married Lesley Gray Anton . 0 +The chiral centers in Pumiliotoxin 251D can create several stereoisomers of the connection : only one form of toxin is present in nature and has toxic properties . The chiral centers in pumiliotoxin 251D can give toxic stereoisomers of the compound . Only one form of the toxin is present in nature and has several properties . 0 +In the late 1970s , he worked in the popular space disco scene , and was a founding member of the French band Space . In the late 1970 ’ s he worked in the popular Space Disco scene and was a founding member of the French band Space . 1 +The novel was adapted as a BBC Radio 4 Book at Bedtime by Lu Kemp in 2008 , read by Toby Stephens and produced by Kirsty Williams . The novel was adapted by Lu Kemp as BBC Radio 4 book near Bedtime in 2008 , read by Toby Stephens and produced by Kirsty Williams . 1 +Malek Jaziri won the title and beat Mischa Zverev 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . Mischa Zverev won the title and beat Malek Jaziri 4 -- 6 , 6 -- 3 , 6 -- 3 in the final . 0 +The Karoo mine is a large mine in the northern part of South Africa in Gauteng . The Karoo - Mine is a big mine in the northern part of Gauteng in South Africa . 0 +"In Jin Yong 's "" Wuxia "" novel "" The legend of Kondor heroes "" is Guo Jing the ancestor of the protagonist Guo Sheng ." "In Jin Yong 's "" Wuxia "" novel "" The Legend of Condor - Heroes "" Guo Sheng is the ancestor of the protagonist Guo Jing ." 0 +Initially , Owens was unimpressed , but Rich liked it , and they took it up on February 12 , 1963 with the Buckaroos . Owens was initially unimpressed , but Rich liked it , and they recorded it with the Buckaroos on February 12 , 1963 . 1 +It is a place in Tanzania , located in the Lindi district of the region Lindi . Mahiwa is a place in Tanzania . It is located in the Lindi Rural District of the Lindi Region . 1 +This version of Hector Hammond is a xenobiology - professor , an old friend of Hal Jordan and the son of US senator Robert Hammond . This version of Robert Hammond is a Xenobiology - Professor , an old friend of Hal Jordan and the son of US Senator Hector Hammond . 0 +The following year , studios and offices for the station were moved to 1484 Beech Street in Hornell , just outside Hornellsville . The following year , studios and offices for the station were moved to the 1484 Beech Street in Hornellsville , just outside Hornell . 0 +"There is also a more promising and faithful remake named "" Xenonauts "" ." "Also , there is a promising and more faithful remake called "" Xenonauts "" . """ 1 +Many religious groups offer different programs for different age levels within scouting , and some have separate programs or emblems for boys and girls . Many religious groups offer various programs for different age groups within Scouting , and some have separate programs or emblems for boys and girls . 1 +Expansion , Power , and Release is an album by the American jazz pianist Matthew Shipp , which was released in 1999 and recorded on Swiss HatOLO . Expansion , Power , Release is an album by American jazz pianist Matthew Shipp which was recorded in 1999 and released on the Swiss hatOLOGY label . 0 +Björn Freiberg ( born March 28 , 1970 in Isny , Allgäu ) is a German actor , painter , author , translator and former university teacher . Björn Freiberg ( born March 28 , 1970 in Isny , Allgäu ) is a former actor , writer , translator , and German university teacher . 0 +The city is situated on the main road between Mogadishu and Jilib , near Barawa and about 80 kilometers northeast of Kismayo . The city is situated on the main road between Mogadishu and Kismayo , near Barawa and about 50 miles northeast of Jilib . 0 +Dariyan Rodin Younessi has a child , a son named Younessi , who began his racing career with Karting at the age of four . Younessi had a child , a son named Dariyan Rodin Younessi , who started his racing career with Karting at the age of four . 0 +Incumbent Jeb Hensarling ( R-Athens ) faced Democrat Charlie Thompson of Dallas in the general election , along with Libertarian Mike Nelson . Incumbent Jeb Hensarling ( R-Athens ) confronts Democrat Charlie Thompson of Dallas in the general election , along with Libertarian Mike Nelson . 1 +"It is the first entry in the series , the second is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." "It 's the second entry in the series , the first is "" Fast Racing League "" published on WiiWare for the Wii in 2011 ." 0 +McConkey is best remembered for his performance in the Super Bowl XXI after the 1986 season in Denver Broncos , which recalls the Giants 39-20 over the Giants . McConkey is best remembered for his performance in Super Bowl XXI after the Giants ' 1986 season , which the Giants won 39-20 over the Denver Broncos . 0 +Yuresha and Wright staged -- and later danced -- productions of these ballets with dance companies around the world , designing original costumes and sets for those performances . Yuresha and Wright staged -- and later danced -- productions of these ballets with dance companies around the world , designing original costumes and stage paintings for these performances . 1 +In December 1945 , the Soviets established Kim as the chairman of the North Korean branch of the Korean Communist Party . In December 1945 , the Soviets installed Kim as chairman of the Korean branch of the North Korean Communist Party . 0 +The taungya also meant that after a few years the British or their agents would return to the newly planted areas to harvest the previously cut teak wood . Taungya also meant that after a few years the British or their agents would return to the previously cut off areas to harvest the newly planted teak wood . 0 +Strathairn attended Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts , in 1970 . Strathairn attended Williams College , Williamstown , Massachusetts , and graduated from the Redwood High School in Larkspur , California in 1970 . 0 +The River Rotunda is a tributary of the Purul River in Romania . The Purul River is a tributary of the River Rotunda in Romania . 0 +"Panthro is renamed "" Pantro "" in the German version , "" Pantor "" in the French version , and "" Pantéro "" in the Spanish version ." "Panthro is renamed in the English version "" Pantro "" , in the French "" Pantor "" and in the Spanish version "" Pantéro "" ." 0 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half the amount of water . Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the water quantity . 0 +Riverside is located in the 7th Congressional District and is part of the 3rd state of New Jersey 's Legislative District . Riverside is located in the 3rd Congressional District and is part of the 7th State Legislative District of New Jersey . 0 +"Mahatma Gandhi said : "" Spiritual education is the evolution of the Spirit "" , but nowadays we are not making any real progress ." "Mahatma Gandhi said , "" Real education is the evolution of the spirit "" , but nowadays we are making zero spiritual progress ." 0 +The texts were written by Taupin first and John later composed the music . The texts were later written by Taupin and John composed the music first . 0 +The species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . These species were discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . 0 +This version should be avoided because of poor sound quality and mediocre packaging . This version should be avoided because of its poor sound quality and mediocre packaging . 1 +For shopping there is Russian Market and a similar Russian Market in Pakistani blocks . There is a Russian market for shopping and a similar Russian market in Pakistani blocks . 1 +It was directed by Joanna Lipper and produced by Nicholas Paleologos . It was led by Joanna Lipper and produced by Nicholas Paleologos . 1 +"In the specific case of cis alkenes where the two carbons have one substituent each , "" trans-disubstituted "" notation may be used ." "In the specific case of disubstituted alkenes , where the two carbons have one substituent each , the "" cis "" -- "" trans "" -- notation can be used ." 0 +Qtractor intends to provide a digital audio workstation software that is powerful enough for the average home user and yet simple enough for the professional user . Qtractor intends to provide a digital audio workstation software that is simple enough for the average home user and yet powerful enough for the professional user . 0 +Saunders Dan Barrera defeated by unanimous decision . Saunders defeated Dan Barrera at by unanimous decision . 0 +Cory S. Sheffield described the species in 2013 and named the name in honor of Noam Chomsky . Cory S. Sheffield described the species in 2013 and named the specific name in honor of Noam Chomsky . 1 +Lottia persona is a species of sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . Lottia persona is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 0 +Chronometry applies to electronic devices , while Horology refers to mechanical devices . Chronometry applies to mechanical devices , Horology refers to electronic devices . 0 +The Astore replaced the Tecnam P2002 Sierra in ultralight production , although not the certified P2002JF model . The Astore replaced the Tecnam P2002 Sierra in ultralight production , although not the certified model P2002JF . 1 +On 11 August 2005 , after the resignation of Yoshinobu Shimamura , Iwanaga became Minister of Agriculture . On August 11 , 2005 , Yoshinobu Shimamura became Minister of Agriculture following the resignation of Iwanaga . 0 +""" It was a crazy race and I had such a fast Pennzoil Ford "" , Logano said ." """ It was a fast race , and I had such a crazy Pennzoil Ford , "" said Logano ." 0 +Tom Ortenberg , CEO of Open Road Films and former president of Lionsgate Films , was born and raised in Briarcliff Manor . Born and raised in Briarcliff Manor , Tom Ortenberg was born , CEO of Lionsgate Films and former president of Open Road Films . 0 +On the line between Market Harborough and Nottingham , there was once a train station of Hallaton . There was once a Hallaton railway station on the line between Market Harborough and Nottingham . 1 +It is located in the eastern end of Montgomery County and is south of the city of Amsterdam , which it is limited . It is located in the eastern end of Montgomery County and borders south to the city of Amsterdam , which is it . 0 +The band then added bassist Duane Cowan , who had recently relocated from Japan to Los Angeles . The band then added bassist Duane Cowan , who moved from Los Angeles to Japan recently . 0 +Two villages are located in Portage : part of Jerry City in the south , and part of Portage Township in the northwest . In Portage there are two villages : a part of Jerry City in the south and part of the Portage township in the northwest . 1 +A second company , Winslow Life Raft Company , was founded in 1941 as a New York Rubber Company . A second company , Winslow Life Raft Company was founded as the New York Rubber Company in 1941 . 1 +Hjärup , with more than 4,250 inhabitants , is the second largest town in Sweden , Scania , Staffanstorp Municipality . Hjärup is , with its more than 4,250 inhabitants , the second largest locality in Staffanstorp Municipality , Scania , Sweden . 1 +It was dredged and widened in 1974 , with gravel roads built on each side of the canal . It was built in 1974 and widened , dredged with gravel roads on each side of the channel . 0 +This was resolved with the Ostrów agreement -- Jogaila became Grand Prince of Lithuania , while Vytautas retained the rights of an overlord . This was resolved with the Ostrów Agreement -- Jogaila became the Grand Duke of Lithuania while Vytautas retained rights of an overlord . 1 +It has not currently been held since the 2008 event , and there are no plans yet for it to be held again . It has not yet been held since the 2008 event , and there are currently no plans for it to take place again . 0 +In 1851 , New York and Erie Railroad completed their line between Piermont and Dunkirk , New York via Hornell and Salamanca . In 1851 , New York and Erie Railroad completed their line between Hornell and Dunkirk , New York via Piermont and Salamanca . 0 +Scott Wells was replaced by Sherman Howard as Lex Luthor . Scott Wells was also replaced as Lex Luthor by Sherman Howard . 1 +They form the majority of the population of the river Xié and of the upper Rio Negro above the mouth of the river Vaupés . They form the bulk of the population of the Xié River and the upper Rio Negro above the mouth of the Vaupés River . 1 +The chapel was also dedicated to Saint John , the Baptist and Christina , Saint James , all the protectors of the House of Visconti . The Chapel was also dedicated to the Saints John , the Baptist and Christina , Blessed James , all protectors of the House of Visconti . 1 +Kizaru and the Navy escape Zephyr and the straw hats , but the Ex - Admiral allows the Neo - Marines , Kuzan and the straw hats to confront the island . Kizaru and the navy escape Zephyr and the Straw Hats but the ex-Admiral allows the Neo Marines , Kuzan and the Straw Hats to confront the island . 1 +He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Vice President and Chief Legal Counsel of Ayala Corporation . He then became Deputy Director of the Ayala Corporation 's Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . 0 +It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland and married Stephen Jackson . She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Stephen Jackson . She married Henry Albert Hartland . 0 +He was born in Sioux City , Iowa and died in Portland , Oregon . He was born in Portland , Oregon . He died in Sioux City , Iowa . 0 +Music was composed by Vedha and the lyrics were written by Kannadasan . Music was written by Vedha and lyrics were composed by Kannadasan . 0 +Madison was platted out and sold in 1810 , and the first lots were laid in 1811 by John Paul . In 1810 , Madison was dealt and sold , and the first lots were laid in 1811 by John Paul . 1 +On October 19 , Linear Technology ( SHPG ) replaced Shire PLC ( LLTC ) in the index . On 19 October , Shire PLC ( SHPG ) Linear Technology ( LLTC ) replaced the index . 0 +Founded by Gianni Ratto in 1959 , it has presented actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded by Sérgio Britto in 1959 , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . 0 +The novel was read by Kirsty Williams as BBC - Radio - 4 - Bedtime Book , adapted by Toby Stephens and produced by Lu Kemp . The novel was adapted as a BBC Radio 4 Book at Bedtime by Lu Kemp in 2008 , read by Toby Stephens and produced by Kirsty Williams . 0 +In 1982 , SGA moved its executive bureau from Nashville to New York City . In 1982 , SGA transferred its executive office from New York City to Nashville . 0 +Pedestrians and bicycles are not permitted , but can be allowed on a footpath . Pedestrians and bicycles are not allowed , but can be permitted on a footpath . 1 +On 3 August 2015 , Parmele was signed by the Cleveland Browns and was dismissed by the team on 31 August 2015 . Parmele was released by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was signed by the team . 0 +These dioceses had the direct election of four members , the indirect election of three members : These dioceses had direct election of four members , indirect election of three members : 1 +When Vicky had the dream , she did her best to preserve him from Barnabas , but to stop her pain , Barnabas made her tell him . When Vicky had the dream , she did her best to stop it from Barnabas , but in order to keep her pain , Barnabas let her tell him . 0 +"In 2012 he began working on the new 52 series "" Batwing "" with the writer Judd Winick and the artists ChrisCross and Marcus To ." "In 2012 , he began work on The New 52 series "" Batwing "" with writer Marcus To and artists ChrisCross and Judd Winick ." 0 +These were the third championships in the state of Colorado , but the first on Crested Butte . These were the first championships held in the state of Colorado but the third at Crested Butte . 0 +It was shown at the Borneo Eco Film Festival on 30 September 2012 , when it was first premiered in Borneo . It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , because it was first shown in Borneo . 0 +"In the TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." "In the television series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." 0 +According to the United States Census Bureau , the town has a total area of , of which is land and , or 1.35 % , is water . According to the United States Census Bureau , the city has a total surface area of which is land and , or 1.35 % , is water . 1 +The Harana is rooted in the Mexican-Spanish tradition and is based on the rhythmic pattern of the Habanera . The Harana is rooted in the Spanish-Mexican tradition and based on the rhythmic patterns of the habanera . 0 +In April 1944 , Cozens was appointed Lieutenant-General and was later promoted Assistant Chief to General Ronald Scobie . In April of 1944 , Cozens was promoted to Lieutenant-General and was later appointed Assistant Chief of General Ronald Scobie . 0 +Austria ’ s Permanent Representative to Croatia is based in the Philippine Embassy in the Philippines . The Permanent Representative of Philippines to Croatia is based in the Philippine embassy in Austria . 0 +Despite the attention of Ehinger 's father Vicente de Requejada , Augustine died on 31 May 1533 and was buried under a tree . Despite the attention of the father of Augustine Vicente de Requejada , Ehinger died on 31 May 1533 and was buried under a tree . 0 +Shreveport is a part of the DeSoto Parish -- Bossier City , LA Metropolitan Statistical Area . DeSoto Parish is part of the Shreveport -- Bossier City , LA Metropolitan Statistical Area . 0 +When Kone returned to Finland in 1928 , he initially worked as a designer for Herlin , his father 's company . When Herlin returned to Finland in 1928 , he worked first as a designer for Kone , his father 's company . 0 +"A generally unobtrusive survey of the American reception of Franz of Assisi , however , judged that "" is the book derivative and much later "" ." "However , a generally undistinguished survey of the American reception of Francis of Assisi judged that "" the book is derivative and much later "" ." 1 +"The spacecraft is the second application of the "" Flexbus "" platform from Astrium , the first was GRACE ." "The spacecraft is the second application of Astrium 's "" Flexbus "" platform ; GRACE was the first ." 1 +Guy was the son of Lambert and Teutberga the Austrasian family of the Guideschi . Guy was the son of Lambert and Teutberga of the Austrasian family of the Guideschi . 1 +Palmer and Liu ( 2012 ) have studied the contents of the Baguadao as a tradition of orthodox and Taoist forms of elaborate self-cultivation techniques . Palmer and Liu ( 2012 ) have studied the contents of the Baguadao as a tradition of Orthodox and Taoist forms of sophisticated self-cultivation techniques . 1 +"In addition , the song "" Calling All Angels "" is included in the movie by Jane Siberry and is played on the soundtrack ." "In addition , the song "" Calling All Angels "" by Jane Siberry is included in the film and is played on the soundtrack ." 1 +Pustovlah is a village situated in Serbia municipality in Novi Pazar . Pustovlah is a village situated in the municipality of Novi Pazar in Serbia . 0 +The eparchy was the seat of the patriarchal Catholic Patriarchate of Cilicia from 1866 until 1928 , when the Armenian seat was moved to Beirut , Lebanon . From 1866 to 1928 , eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia until the patriarchal seat of Beirut was moved to Lebanon . 0 +"The "" create "" command is used to establish a new database , table , index , or stored procedure ." "The command "" create "" is used to set up a new database , table , index , or stored procedure ." 1 +The more important buildings had special names and their signs were larger and more decorative . More important buildings had special names and their signs were larger and more decorative . 1 +The third and final series started in May 2011 . Marek Larwood and a returning Javone Prince were released in the new series . The third and final series started in May 2011 . Javone Prince and a returning Marek Larwood appeared in the new series . 0 +The isodynamic conjugates of the Fermat points are the isogonal points and vice versa . The isogonal conjugates of the fermat points are isodynamic points and vice versa . 0 +"There is also a faithful and more promising reprint called "" Xenonauts "" ." "Also , there is a faithful and more promising remake called "" Xenonauts "" ." 1 +The oxidative degradation of Uracil produces urea and diatomic acid in the presence of HO and Fe or in the presence of paint oxygen and Fe . Oxidative degradation of uracil produces urea and diatomic acid in the presence of HO and Fe or in the presence of maleic oxygen and Fe . 0 +Younessi has one child a son named Dariyan Rodin Younessi who started his racing career at the age of four with Karting . Younessi had a child , a son named Dariyan Rodin Younessi , who started his racing career with Karting at the age of four . 1 +Although developed in Singapore , it is commercially used mainly in Europe . Although being developed in Europe , it is mainly used commercially in Singapore . 0 +AMBIT is a historical programming language that was introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for the symbolic calculation . AMBIT is a historical programming language that was introduced by Carlos Christensen of Massachusetts Computer Associates in 1964 for symbolic computation . 1 +Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana , which is currently Ghana 's Ambassador to Burkina Faso . Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Burkina Faso and currently Ghana 's Ambassador to Ghana . 0 +Huntsville High School competes at the 7A classification of the AHSAA and uses the Panther nickname for all team sports . Panther competes against the 7A classification of the Huntsville High School and uses the AHSAA nickname for all team sports . 0 +After testifying in the Till case , Reed moved to Chicago and changed his name from Willie Reed to Willie Louis . After testifying in the Till case , Reed moved to Chicago and changed his name to Willie Louis from Willie Reed . 1 +""" Naalvar "" was produced at the Central Studios , Coimbatore and was shot by M. A. Venu under the banner Sangeetha Pictures ." """ Naalvar "" was shot in the Central Studios , Coimbatore and produced by M. A. Venu under the banner Sangeetha Pictures ." 0 +I was there , and there he went : here and there to my sorrow I find him . There I went forth , and there was he : here and there I find him to my sorrow . 0 +The film stars Adrienne Kroell , Lillian Leighton ( as Lyllian Leighton charged ) and Jack Nelson . The film stars Adrienne Kroell , Lillian Leighton ( billed as Lyllian Leighton ) and Jack Nelson . 1 +Central Butte Airport is located close to Central Butte , Saskatchewan , Canada . Central Butte Airport is located near to Central Butte , Saskatchewan , Canada . 1 +In 1978 , Gailes was finally closed down and the buildings were demolished when the radar station moved to the Atlantic House in Prestwick . Gailes was finally closed in 1978 and the buildings demolished when the Radar station staff moved to Atlantic House in Prestwick . 1 +The bill happened the house 32-8 on April 2 , 2009 and later the Senate 76-41 . The bill passed the House 32-8 on April 2 , 2009 , and later passed the Senate 76-41 . 0 +In historical times there were Cherokee and Creek villages in the Tennessee Valley to the west of Wills Valley and the Sand Mountain to the east . In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Wills Valley , and in Sand Mountain to the east . 1 +Written by John Sanborn , it was directed by Michael Kaplan . It was written by Michael Kaplan and was directed by John Sanborn . 0 +The Coruia River is a tributary of the river LÄ puÅ in Romania . The Coruia River is a tributary of the Lăpuş River in Romania . 1 +It is a municipality in the western part of the department of Montenegro , Colombia , located 10 km west of the district capital Armenia . Montenegro is a municipality located in the western part of the Quindío department of Colombia , 10 km west of the district capital Armenia . 0 +Hucknall Town was a railway station on the Great Northern Railway 's Shirebrook to Nottingham line . Hucknall Town was a railway station on the Shirebrook to Nottingham - line of the Great Northern Railway . 1 +She is a member of the Nehru -- Gandhi family , the second of the three daughters born by Jawaharlal Nehru 's sister , Vijaya Lakshmi Pandit . She is a member of the Nehru-Gandhi family , the second of the three daughters born to Vijaya Lakshmi Pandit 's sister , Jawaharlal Nehru . 0 +She also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and closed for Prada , Costume National and Louis Vuitton . She also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen and closed for Prada , Kostüm National and Louis Vuitton . 1 +The Oltu region ( briefly administered by Georgia in 1920 ) was also claimed by Armenia . The Oltu region ( administered briefly by Georgia in 1920 ) was also claimed by Armenia . 1 +It was also relatively small : usually 12x of 6 pages composited 20 cm , printed in two columns . It was also relatively small : usually 12x of 6 pages composed 20 cm , printed in two columns . 1 +Peter Ebdon won the title for the first time , beating Stephen Hendry 9 -- 8 in the final . Peter Ebdon won the title for the first time and proposed Stephen Hendry 9 -- 8 in the final . 1 +A codice 1 can not be copied as its copy constructor and its assignment operators are explicitly deleted . A codice 1 can not be deleted because its copy constructor and assignment operators are explicitly copied . 0 +American American Edit is a mashup album , released by Party Ben and Team9 under the common alias Dean Gray . American Edit is a mashup album released by Party Ben and Team9 under the shared alias Dean Gray . 1 +The album was produced by Rafael Gayol and contributed by Billy Harvey and the Tosca String Quartet . The album was produced by Billy Harvey and contributed by Rafael Gayol and the Tosca String Quartet . 0 +The architect of the initial station was Nikolai Kolli who worked with Le Corbusier on the nearby Tsentrosoyuz building . The architect of the first station was Nikolai Kolli , who worked with Le Corbusier on the nearby Tsentrosoyuz building . 1 +On January 20 , 1873 , she again married Paul Kamai , a maternal uncle of Helen Manaiula Lewis Isenberg and her half-sister Abigail Kuaihelani Campbell . On January 20 , 1873 , she remarried to Paul Kamai , a maternal uncle of Abigail Kuaihelani Campbell and her half-sister Helen Manaiula Lewis Isenberg . 0 +He fought Wyatt Earp in a bout refereed by a young 21-year-old Mike Donovan on July 4 , 1868 or 1869 in Cheyenne , Wyoming . He fought Mike Donovan in a battle headed by a young 21-year-old Wyatt Earp on 4 July 1868 or 1869 in Cheyenne , Wyoming . 0 +Its villages include Dry Tavern , Normal Square ( also located in West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . Its villages include Dry Tavern , Normal Square ( also in West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . 1 +Abe Drexler ( Charlie Hofheimer ) calls Peggy ( Elisabeth Moss ) and insists on meeting her for dinner . Abe Drexler ( Charlie Hofheimer ) calls Peggy ( Elisabeth Moss ) and insists on meeting them for dinner . 1 +Leon Bates was born in Carrollton , Missouri , Werner Bates and Matilda ( White ) Bates . Leon Bates was born in Carrollton , Missouri , to Werner Bates and Matilda ( White ) Bates . 0 +The South Tyrolean People 's Party held a provincial election on 21 April 2013 , to select the party 's head of the primary list . On April 21 , 2013 , the South Tyrolean People 's Party held a state election to select the party 's head on the primary list . 1 +Relations between Fiji and Solomon Islands are diplomatic and other bilateral relations between the Republic of Fiji and the Solomon Islands . Solomon Islands -- Solomon Islands relations are diplomatic and other bilateral relations between the Republic of Fiji and Fiji . 0 +The Three Sisters are volcanic peaks that form a complex volcano in the US state of Oregon . The three sisters are complex peaks that form a volcano in the US state of Oregon . 0 +The River Piatra Caprei is a tributary of the river Sâmbăta in Romania . The river Sâmbăta is a tributary of the River Piatra Caprei in Romania . 0 +Smith received the Conspicuous Gallantry Medal , while Magennis and Fraser were both awarded the Victoria Cross . Reed was promoted to temporary lieutenant in December 1945 . Reed was awarded the Conspicuous Gallantry Medal , while Magennis and Fraser both received the Victoria Cross and Smith was promoted to Lieutenant in December 1945 . 0 +During the fight , Steedman was wounded when his horse was shot and killed under him . During the fight , Steedman was shot when his horse was wounded under him . 0 +After some protesting from the girl 's father , the man was killed by Douji and Suzu before Hime and her father 's corpse were consumed by the Orochi . After some protests from the girl 's father , the man of Douji and Suzu was killed before her father 's hime and corpse were consumed by the Orochi . 0 +The combination of blue metal halide light and red high-pressure sodium light is an attempt to provide a very wide spectrum within a single lamp . The combination of blue metal halogen light and red sodium high-pressure light is an attempt to provide a very broad spectrum within a single lamp . 1 +Orson Welles saw Schilling in New York and followed him to Florida . Orson Welles saw Schilling in Florida and followed him into New York . 0 +Kenya 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Norway in September 2015 . Monica Mæland , Minister for Trade in Norway , led a delegation of 54 companies to Kenya in September 2015 . 0 +This radioactive heavier isotope can be new ( stable or unstable ) depending on the chemical element involved . Depending on the chemical element , this new heavier isotope can be stable or unstable ( radioactive ) . 0 +The Durga - Temple is the main attraction for Aihole - visitors and its apsidal layout iconic . The Durga - Temple is the main attraction for Aihole - visitors and its iconic layout apsidal . 0 +It supported the opinions of the Free Soil Party and the Republican Party . It supported the views of the Free Soil Party and the Republican Party . 1 +Later Robbie switched the machine off and Beth is shocked but understanding . Beth later turns the machine off and Robbie is shocked but understanding . 0 +"On 31 August 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." "Wollstonecraft arrived in Grenada on board the ship "" Sydney "" on 31 August 1819 ." 0 +Although Gonsalves was born in Portsmouth , Rhode Island , he grew up in the Fall River , Massachusetts . Although born in Fall River , Massachusetts , Gonsalves grew up in Portsmouth , Rhode Island . 0 +Olaf came from a disturbed south of Acapulco on 21 August over extremely warm waters . Olaf originated from a disturbed south of Acapulco on August 21 over extremely warm waters . 1 +""" The Evolution of Dance "" is the ninth interplay and the second track on the album ." """ The Evolution of Dance "" is the second interlude and the ninth track on the album ." 0 +"The "" Standard "" was the leading newspaper in Montana , financed by Marcus Daly , and built by campaign editor John Hurst Durston ." "The "" Standard "" was the leading newspaper in Montana , built by Marcus Daly and financed by campaigning editor John Hurst Durston ." 0 +These crystallographic solvents dissolve the silicon in a highly anisotropic way , with some alkali orientations dissolving up to 1000 times faster than others . These crystallographic solvents solve the silicon in a strongly anisotropic way , with some alkali orientations dissolving up to 1000 times faster than others . 1 +The southern region is separated by the Moab mountains in the central region of Karak - Governorate . The South Region is separated from the Central Region by the Mountains of Moab in Karak Governorate . 0 +We are very proud and we are strong . We are proud and we are strong 1 +"In addition , the song "" Calling All Angels "" by Jane Siberry is included in the film and is played on the soundtrack ." "In addition , the song "" Calling All Angels "" is played by Jane Siberry in the film and is recorded in the soundtrack ." 0 +This small bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . This current bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the small Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . 0 +The son of Alexander , 3rd Lord Robert Boyd was . Robert Boyd was the son of Alexander , Lord Boyd . 0 +"The noble parts of the "" Dalem "" were a building for the other women ." "The other parts of "" Dalem "" was a building for the noble women ." 0 +They form the bulk of the population of the River Xié and the upper Rio Negro above the mouth of the Vaupés River . They form the majority of the population of the Xié River and the upper Vaupés river above the mouth of the Rio Negro . 0 +Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a road cyclist , brother of another Belgian bicycle professional , Bert Scheirlinckx . Staf Scheirlinckx ( born 12 March , 1979 , in Herzele ) is a professional road bicycle racer , the brother of another Belgian former professional cyclist , Bert Scheirlinckx . 1 +Hutchison Telecom was formerly listed on the stock exchanges of Hong Kong ( SEHK ) and New York ( NYSE ) . It is fully owned by Hutchison Whampoa . Hutchison Telecom was formerly listed on the Hong Kong ( SEHK ) and New York ( NYSE ) exchanges , and is fully owned by Hutchison Whampoa . 1 +Brigadier General Abram Duryée commanded the 107th New York Infantry Regiment and the 97th , 104th and 105th Pennsylvania Infantry . Brigadier General Abram Duryée had commanded the 97th , 104th and 105th New York Infantry Regiments and the 107th Pennsylvania Infantry . 0 +Geographically , Belews Creek Township occupies in central Forsyth County . Geographically , Belews Creek occupies township in the central Forsyth County . 1 +Walnut Hill was also on the Goshen Road , an early road through Illinois , from Glen Carbon to the Goshen Settlement near Shawneetown . Walnut Hill was also on the Goshen Road , an early street through Illinois , from Shawneetown to the Goshen Settlement near Glen Carbon . 0 +It was created by Argonaut software and is distributed by Mindscape Group . It was created by Mindscape Group and distributed by Argonaut Software . 0 +The Portneuf River is a long tributary of Marsh Creek at Bannock County , Idaho . Marsh Creek is a long tributary of the Portneuf River at Bannock County in Idaho . 0 +The Parma School Memorial Committee was formed in the summer of 2016 by several PHS alumni and former community leaders . In the summer of 2016 , former PHS alumni and several community leaders formed the Parma School Memorial Committee . 0 +It is located on the N83 road at the junction with national roads R328 and R360 . It is located on the N83 national secondary road at its junction with the R328 and R360 regional roads . 0 +In January 2006 , he involved in David Di Michele transfer , which seen Santoni , Simone Pepe and Salvatore Masiello went to Udinese Calcio in co-ownership deal . In January 2006 , he participated in David Di Michele Transfer , which went to Santoni , Simone Pepe and Salvatore Masiello in Udinese Calcio in the Co-Ownership Deal . 1 +"The boy , called Davis or Davison , went from Lima to England on board the Archduke Charles "" , and later worked for Berry in New South Wales ." "The boy , called Davis or Davison , went from Lima to England aboard the "" Archduke Charles "" , and later worked for Berry in New South Wales ." 1 +The original squadron 159 was to be formed during the First World War , but the idea was dissolved so that reinforcements could be sent to France . The original 159 Squadron was to be disbanded during the First World War , but the idea was formed so that reinforcements could be sent to France . 0 +While working on American Express , Espuelas worked on the accounts Wunderman , General Foods Gevalia and Weight Watchers . While at Wunderman , Espuelas worked in the accounts of American Express , General Foods Gevalia and Weight Watchers . 0 +Born in 1935 in Longbenton , Northumberland , Curry died in 1990 in Mansfield , Nottinghamshire , at the age of 54 . Curry was born in Longbenton , Northumberland , in 1935 , and died in Mansfield , Nottinghamshire , in 1990 at the age of 54 . 1 +Indonesia ’ s President Suharto visited Indonesia in October 1977 . Syrian Prime Minister Mahmoud Zubei visited Syria and Syrian Prime Minister Naji Ottri in January 2009 in June 1997 . Indonesian President Suharto visited Indonesia in October 1977 . Syrian Prime Minister Mahmoud Zubei visited Syria in June 1997 and Syrian Prime Minister Naji Ottri in January 2009 . 1 +""" Chuck Versus the Family Volkoff "" is the fourth episode of the 20th season of "" Chuck "" , and the 74th overall episode of the series ." """ Chuck versus the Family Volkoff "" is the 20th episode of the fourth season of "" Chuck "" , and the 74th overall sequence of the series ." 0 +The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in 2011 in Italy . The championship was held in 1999 in Italy , 2003 in Germany , 2007 in Kawasaki ( Japan ) and 2011 in Austria . 0 +"He was asked to give his opinion on the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." "He was asked his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." 0 +In 1988 , the Paramount Pictures changed its name to Suncoast Motion Picture Company . In 1988 , the Suncoast Motion Picture Company changed its name to Paramount Pictures . 0 +He joined the Canadian Fencibles in Quebec in 1803 and came to Scotland with them in 1805 . In 1803 , he joined the Canadian Fencibles in Scotland and joined them in 1805 to Quebec . 0 +The 1945 Big Ten Conference team represented Northwestern University during the 1945 Northwestern Wildcats football season . The 1945 Big Ten Conference Team represented Northwestern University during the 1945 Northwestern Wildcats soccer season . 1 +He left Italy in 1991 to work in the field of palliative care for cancer patients in Germany as well as in various countries in the Third World . In 1991 he left Italy to work in the palliative care of cancer patients in Germany as well as in various countries of the Third World . 1 +In recent years , however , the number of black Americans has increased in the city , and some have occupied well-kept areas in traditionally European neighborhoods . But in recent years the number of black Americans in the city has increased , and some have occupied gentrified areas in traditionally European neighborhoods . 1 +At the UFC Fight Night 101 , Brown succeeded with a split decision to steal a victory against Jon Tuck . At UFC Fight Night 101 , Jon Tuck managed to steal a victory against Brown with a split decision . 0 +The result of their creation is that Montserrat Caballe , Marilyn Manson , famous tennis players sisters Williams wear these clothes . The result of their creation is that Williams , famous tennis players sisters Montserrat Caballe , Marilyn Manson wear this clothes . 0 +"In spherical coordinates , the Hamilton operator can be written of a free particle moving in a conservative potential "" U "" ." "In spherical coordinates the Hamiltonian of a free particle moving in a conservative potential "" U "" can be written" 1 +The tower house was built in the 9th and 10th centuries and was extended into a castle in the Middle Ages . The tower house , expanded in the 9th and 10th centuries , was built in the Middle Ages into a castle . 0 +Ammu is a 1965 Indian Malayalam film staged by NN Pisharady and produced by M Kesavan . Ammu is a 1965 Indian Malayalam film , directed by NN Pisharady and produced by M Kesavan . 1 +"According to that publication it was devoted to "" rural economy , internal improvements , news , prices current . """ "According to this publication it was devoted to "" rural economy , internal improvements , news , prices current "" ." 1 +Glenn McCoy illustrated the Legend of Spud Murphy by Eoin Colfer , published in 2004 . Eoin Colfer illustrated the Legend of Spud Murphy by Glenn McCoy , which was released in 2004 . 0 +Babbar Khalsa is run by the United Kingdom , the EU , Canada , India and the United States as a terrorist organisation . Babbar Khalsa is run as a terrorist organisation by the United States , the EU , Canada , India and the United Kingdom . 0 +"In some species the closed invert and lophophore are protected by an operculum ( "" lid "" ) , which is opened by muscles and retracted by fluid pressure ." "In some species , the withdrawn invert and lophophore are protected by an operculum ( "" lid "" ) , which is closed by muscles and opened by fluid pressure ." 0 +In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria , the course was taught in their 2012 school year . In Australia , the Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in their school year 2012 . 0 +Later this year , Tamarie Cooper returned to Houston to found the Catastrophic Theatre with Nodler . Later this year , Nodler returned to Houston to found the Catastrophic Theatre with Tamarie Cooper . 0 +In 1836 he moved to Nacogdoches near Texas . In 1836 he moved to Texas to be near Nacogdoches . 0 +It is Aarne -- Thompson type 707 , which is named after it : the dancing water , the singing apple , and the speaking bird . It is Aarne -- Thompson type 707 , which is named after him : the dancing water , the talking apple and the singing bird . 0 +""" The Idolmaster "" is a series of raising simulation and rhythm video games created by Namco ( formerly Bandai Namco Games ) ." """ The Idolmaster "" is a series of video games - simulation and rhythm - videogames by Namco ( formerly Bandai Namco Games ) ." 1 +This short film was written by PJ Liguori , Sophie Newton , Jamie Swarbrick and Louis Grant . This short film was created by Jamie Swarbrick , Sophie Newton , PJ Liguori , and Louis Grant . 1 +Alex Brown ( born September 30 , 1992 ) is an English footballer who plays for Dartford as central or right-wing midfielder . Alex Brown ( born 30 September 1992 ) is an English footballer who plays as a central or right-sided midfielder for Dartford . 1 +He represented Nigeria at the FIFA - Youth - World Championship in Australia in 1999 . He represented Australia at the 1999 FIFA - Youth - World Championship in Nigeria . 0 +A road was built by the government in 1901 from Ruatahuna to Rotorua to end the isolation of Tūhoe by opening the first motorway . A road was built by the government in 1901 from Rotorua to Ruatahuna to end the isolation of Tūhoe by opening the first motorway . 0 +The body of Marian Anderson was found by her sister Lolly and Danielle Santos Bernal on 4 November 2001 . Danielle Santos Bernal 's body was found by her sister Lolly and Marian Anderson on November 4 , 2001 . 0 +Anri is expressed in English by Yuko Mizutani in Japanese and by Katherine Burton . Yuko Mizutani is voiced by Katherine Burton in Japanese and by Anri in English . 0 +Gillick is represented in Great Britain by Maureen Paley , Ireland by Casey Kaplan and in New York by the Kerlin Gallery . Gillick is represented in the UK by Maureen Paley , in New York by Casey Kaplan , and in Ireland by Kerlin Gallery . 0 +""" Little Me "" was written by Sid Caesar and Neil Simon played ." """ Little Me "" was written by Neil Simon and starred Sid Caesar ." 0 +Terry Griffiths won in the final 9 -- 8 against Steve Davis . Terry Griffiths won against Steve Davis in the finals 9 -- 8 . 1 +According to the website of Force Ministries , the current Executive Board members include Greg Wark as President , along with Robert Owens and Art Smith . Current board members , according to Force Ministries website , include Greg Wark as president , along with Robert Owens and Art Smith . 1 +Although this de facto standard is now formally known as ReplayGain , it was originally known as Replay Gain and is sometimes abbreviated RG . Although this de facto standard is sometimes known as ReplayGain , it was originally known as a replay gain and is now formally abbreviated as RG . 0 +The value of the pollution tolerance is 6 ( on the 0 - - 10 ; 0 scale the worst water quality is 10 is the best water quality ) . The pollution tolerance value is 6 ( on scale 0 -- 10 ; 0 is the worst water quality , 10 is the best water quality ) . 1 +The new format is current for the 2010 season and consists of three stages . The current format for the 2010 season is new and consists of three phases . 0 +Valley Downs is a neighborhood of Louisville , Kentucky , USA located along Johnsontown Road south of Omar Khayyam Boulevard . Valley Downs is a district of Louisville , Kentucky , USA , along Omar Khayyam Boulevard , south of Johnsontown Road . 0 +The Sadrist Movement left the alliance prior to the December 2005 elections , which also brought the Iraqi National Congress more firmly into the Alliance . The Sadrist movement left the Alliance before the elections in December 2005 , which also brought the Iraqi National Congress more firmly to the Alliance . 1 +Field 's is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . Field is the second largest shopping centre in Denmark and one of the largest in Scandinavia . 1 +On 16 January 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop for the Dallas Mavericks . On January 16 , 2009 , Hollins was traded with DeSagana Diop in exchange for Matt Carroll to Dallas Mavericks . 0 +SDUU currently has local branches in Stockholm , Göteborg , Halmstad , Kalmar , Skåne , Örebro , Umeå , Skellefteå and Piteå . SDUU currently has branches in Stockholm , Gothenburg , Halmstad , Kalmar , Skåne , Örebro , Umeå , Skellefteå and Piteå . 1 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentine physicist who has done the most work in Argentina . Miguel Ángel Virasoro ( born Argentina in 1940 ) is an Argentine physicist who has done most of his work in Italy . 0 +"As a result , Adric is one of the least popular , or even "" most hated "" , of the Doctor 's companions among fans of the programme ." "As a result , Adric is one of the most popular , or even the least hated "" , of the doctor 's companions among fans of the program ." 0 +Note also the use of the codice _ 13 attribute to mark the codice _ 6 elements as non-translatable . Also note the use of the codice 13 attribute to mark the codice 6 items as non-translatable . 1 +The Mike Weatherley MP won the discretionary award of the parliamentary competition Rock the House and became the band 's manager . Collibus won the Mike Weatherley MP discretionary award of the Parliamentary competition Rock the House . Weatherly became the band 's manager . 0 +Hennig is also Chairman referee of the region Dinslaken -- Mülheim -- Duisburg and lives in Duisburg . Hennig is also president referee of the region Duisburg -- Mülheim -- Dinslaken and lives in Duisburg . 1 +Written by Michelle MacLaren and directed by George Mastras , broadcast on AMC in the United States and Canada on 8 September 2013 . Written by George Mastras and directed by Michelle MacLaren , it aired on AMC in the United States and Canada on September 8 , 2013 . 0 +Sumner Slichter was brother of the geophysicist Louis B. Slichter , father of the physicist Charles Pence Slichter and the grandfather of the musician Jacob Slichter . Jacob Slichter was the brother of geophysicist Charles Pence Slichter , father of physicist Louis B. Slichter , and the grandfather of musician Sumner Slichter . 0 +Shaffer Creek is a tributary of the Raystown Branch Juniata River ( Brush Creek ) in Bedford County , Pennsylvania , United States . Shaffer Creek is a tributary of Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania in the United States . 1 +Scutellastra tucopiana is a species of sea snail , a true limpet , a marine gastropod mollusk in the Patellidae family , one of the families of the true limpets . Scutellastra tucopiana is a species of sea snail , a true limpet , a true gastropod mollusk in the Patellidae family , one of the families of the Marine limpets . 0 +"He lives along with his father Champaklal , his wife Daya and his son Tapu in the "" Gokuldham Society "" ." "He lives in "" Gokuldham Society "" along with his father Daya , wife Champaklal and son Tapu ." 0 +"Anna Maria Lena is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Andy Paul "" in the Eurovision Song Contest 1984 in Luxembourg ." "Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" at the Eurovision Song Contest in Luxembourg in 1984 ." 1 +Kulhor is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Kulhor is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 1 +Together with Bradley ( Robert Knepper ) and Rodney Mitchum ( Jim Belushi ) Cooper arrives at the railway station . Cooper arrives at the station with Bradley ( Jim Belushi ) and Rodney Mitchum ( Robert Knepper ) . 0 +The office was moved to Delhi Mills and renamed in February 1871 , though the Scio office was re-established in September 1871 . The office was moved to Delhi Mills and reconstructed in February 1871 , although the Scio office was renamed in September 1871 . 0 +After the closure of the Central Australian Railway in December 1974 , the remaining 10 NTs were transferred to the North Australia Railway . Following the closure of the Central Australian Railway in December 1974 , the remaining 10 NTs were transferred to the North Australia Railway . 1 +Sarah Stiles died in 1862 and Breck married Jane Breck in 1864 . Three years later he moved to Benicia , California to build another two institutions . In 1862 , Sarah died , and in 1864 Breck married Jane Breck , and three years later he moved to Benicia , California , to build two more institutions . 1 +She also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen and closed for Prada , Kostüm National and Louis Vuitton . She also closed for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and opened for Prada , Costume National and Louis Vuitton . 0 +He played for Beacon FC , Camptown FC and Caledonia AIA and had stints with Notre Dame of Barbados and Alpha United in the T 'T Pro League . He played for Beacon FC , Camptown FC and Alpha United and had stints with Notre Dame of Barbados and Caledonia AIA in the T & T Pro League . 0 +They were driven out in 877 from the region of Bozhou , now Guizhou , by a local military force organized by the Yang family from Shanxi . They were driven from the Bozhou region , modern Guizhou , in 877 by a local military force organized by the Yang family from Shanxi . 1 +At the age of nine , he appeared in his first concert and since then he has appeared alone or with his aunt and uncle in all parts of France . Garcia performed in his first concert at the age of nine , and since then he appeared alone or with his aunt and uncle in all parts of France . 1 +Kuzmice is a village and municipality in the region of Košice in the district of Trebišov in eastern Slovakia . Kuzmice is a village and municipality in the Košice Region in the Trebišov District of eastern Slovakia . 1 +In 2009 , the third Rapid Ride , the 777 Green Line , launched from Tramway Boulevard to Downtown . In 2009 , the third Rapid Ride , the 777 Green Line , started from downtown to Tramway Boulevard . 0 +""" Crawdaddy Simone "" is a cover of The Syndicats ( with Ray Fenwick ) of 1965 single , produced by Joe Meek ." """ Crawdaddy Simone "" is a cover of The Syndicats ( featuring Ray Fenwick ) 1965 single , produced by Joe Meek ." 1 +Wayne Township from today was known as Saddle River and belonged to Bergen County . Today 's Wayne Township was known as Saddle River , and belonged to Bergen County . 1 +Velké Svatoňovice is a small village in the Czech Republic , near the Karkonosze , established in 1260 C.E . Velké Svatoňovice is a small village in Karkonosze , near the Czech Republic , founded in the year 1260 C.E . 0 +The results are high when comparable flow rates can be maintained . The results are comparable when high flow rates can be maintained . 0 +The pollution tolerance value is 6 ( on scale 0 -- 10 ; 0 is the worst water quality , 10 is the best water quality ) . Pollution - tolerance value is 6 ( on scale 0 -- 10 ; 0 the best water quality , 10 is the worst water quality ) . 0 +Bit 4 is affected if the K register is affected , bit 5 will be set if the J register is set . Bit 4 is set if the K register is affected . Bit 5 is set if the J register is affected . 0 +At the AFL session the next day , Tobin was forced to defend Beck 's actions . At the next day 's AFL meeting , Beck was forced to defend Tobin 's actions . 0 +In June 1921 , the Giants sold Perritt to the Detroit Tigers . In June of 1921 , the Giants Perritt sold the Detroit Tigers . 1 +A meeting between the leaders of the two rival governments of Malta was held at Auberge de Castille in Valletta , Libya on 16 December 2015 . On 16 December 2015 , a meeting between the leaders of the two rival governments of Libya took place at the Auberge de Castille in Valletta , Malta . 0 +Teawurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic town of Rügenwalde ( today Darłowo , Poland ) . Teewurst was invented in Poland , probably in the small Baltic town of Rügenwalde ( now Darłowo , Pomerania ) , in the middle of the 19th century . 0 +The parents of Steve Steve DeBauche are Jean and Brent DeBauche from Suamico , WI and has two younger brothers , Brad and Ken . Ken 's parents are Jean and Steve DeBauche of Suamico , WI and has two younger brothers , Brad and Brent DeBauche . 0 +The culture fee , in the case of an ampoule , for commercial organizations is 10,800 Japanese yen , and the fee for non-profit organizations is 5,400 Japanese yen . The culture fee , in case of an ampoule , for non-profit organizations is 10800 Japanese yen and the fee for commercial organizations is 5400 Japanese yen . 0 +It has served as a forum for speakers ranging from Henry James , William Butler Yeats and William Jennings Bryan to Tennessee Williams , to Pete Seeger and Phil Donahue . It has served as a forum for speakers ranging from Henry James , William Butler Yeats and William Jennings Bryan to Tennessee Williams , Pete Seeger and Phil Donahue . 1 +The R335 is a regional route in Somerset East , which links Port Elizabeth from the south to South Africa via Addo to the north . The R335 is a regional route in South Africa that links Port Elizabeth to the south via Addo to the north with Somerset East . 0 +Its signal covers Cundinamarca , Boyacá , Tolima , Huila , Casanare , Meta , Vichada , Arauca , Caquetá , Guaviare , Vaupés , Amazon and Putumayo . Its signal covers Cundinamarca , Boyacá , Tolima , Huila , Casanare , Meta , Vichada , Arauca , Caquetá , Guaviare , Vaupés , Amazonas , and Putumayo . 1 +Republicans lost two seats , one to the Prohibition Party and one to the Progressive Party . The Republicans lost two seats , one to the Prohibition Party and one to the Progressive Party . 1 +This allowed Capcom to translate the basic expressions from Lee and use them Wayne in game . This allowed Capcom to use Lee 's basic expressions and translate them to Wayne in the game . 0 +In 2002 Laila Harré was elected over Alliance leader Lynne Pillay . In 2002 , Lynne Pillay was elected as Alliance leader Laila Harré . 0 +Besides Quintin , they had five children : Juan , Phillip , Willie , Patrick and Lucy . They had five children besides Quintin : Lucy , Phillip , Juan , Patrick and Willie . 1 +The river is deep and the wide river , Alleluia ! The river is deep and the river is wide , Alleluia ! 1 +Port Orford is located on U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . Port Orford is located on the US Route 101 between the Pacific and Siskiyou National Forest , north of Gold Beach and south of Bandon . 1 +Charles , Edwin and James , all served in the US Army . Everyone , James , Edwin and Charles , all served in the US army . 1 +Major Harold Berridge CIE OBE ( 1872 -- 17 June 1949 ) was a mechanical engineer and British civil engineer . Harold Berridge CIE OBE ( June 1872 - June 17 , 1949 ) was a British mechanical engineer and civil engineer . 1 +In an interview at the Massachusetts Institute of Technology in April 1980 , Norman Thomas di Giovanni stated that Borges claimed his translations were better than Borges 's originals . In an interview at the Massachusetts Institute of Technology in April 1980 , Borges explained that Norman Thomas di Giovanni claimed that his translations were better than Borges ' apos ; originals . 0 +In 1929 , however , Amanullah Khan abdicated after Habibullah took authority from Kalakani . However , in 1929 , Amanullah Khan abdicated after Habibullah Kalakani took over authority . 0 +It is written by Yasir Nawaz and directed by Rida Bilal . It is led by Yasir Nawaz and written by Rida Bilal . 0 +Red Bank is located on the 4th Congressional District and is part of the 11th State Legislative District in New Jersey . Red Bank is located in the 11th Congressional District and is part of the 4th State Legislative District of New Jersey . 0 +The vertebral column consisted of ten caudal ( neck ) , twelve dorsal , six merged sacral and an unknown number of cervical vertebrae ( tail ) . The vertebral column consisted of ten caudal ( neck ) , twelve dorsal , six fused sacral and an unknown number of cervical ( tail ) vertebrae . 1 +John John Sewell defeated incumbent Mel Lastman to become the mayor of Toronto , and Art Eggleton was re-elected as Mayor of North York . John Sewell narrowly defeated incumbent Mel Lastman to become Mayor of Toronto , and Art Eggleton was re-elected as Mayor of North York . 1 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith , which was recorded in 2001 and published by Tzadik Records . Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith which was released in 2001 and recorded on Tzadik Records . 0 +Yuwen Xian , however , was able to defeat Gao Jie and Gao Xiaoheng , capturing them . Gao Jie , however , was able to defeat Yuwen Xian and Gao Xiaoheng , who was capturing them . 0 +This time Custine did not defend Robespierre . This time , Custine Robespierre did not defend . 0 +In the Smythe division , the Calgary Flames and Edmonton Oilers made the playoffs every year , while the original Winnipeg jets missed only twice . In the Smythe Division , the Calgary Flames and the Edmonton Oilers made the playoffs every year while the original Winnipeg Jets only missed twice . 1 +John Ramsey was a pseudonym used by Reginald Owen . Reginald Owen used a pseudonym by John Ramsey . 0 +The development of the energy business included the opening of a special office in Middlesbrough and the construction of a new vessel , Cable Enterprise . The development of the energy business included the opening of a new office in Middlesbrough and the construction of a special vessel , Cable Enterprise . 0 +A more official sketch was produced early in spring 2008 , which was then discussed with various interest groups before a further version is to be published . In early spring 2008 , a more official sketch was published , which was then discussed with various interest groups before another version was to be produced . 0 +Steubenville has two main libraries , the public branch and the Schiappa Branch Library . Steubenville has two main lending libraries , the public branch and Schiappa Branch Library . 1 +This species occurs in the Caribbean and the Gulf of Mexico , in the Atlantic Ocean off Brazil . This species occurs in the Atlantic Ocean and the Gulf of Mexico ; in the Caribbean Sea off Brazil . 0 +Ochoco Creek is located on the Crooked River at the mouth of Prineville , northwest of the Prineville Reservoir . Ochoco Creek is located on the Crooked River at the mouth of Prineville , northwest of Prineville Reservoir . 1 +The Izvoarele River is a tributary of the Podriga River in Romania . The River Podriga is a tributary of the River Izvoarele in Romania . 0 +Due to the castration of Hossein Qoli Khan , his brother Agha Mohammad Khan was instead appointed the new Qoyunlu chief . Due to Hossein Qoli Khan 's castration , his brother Agha Mohammad Khan was appointed as the new chieftain of the Qoyunlu instead . 1 +Ferguson remained in Liberia , Monrovia in 1916 until his death in 1968 . Ferguson remained in Monrovia until his death , in Liberia in 1916 . 0 +In 2015 , Kim was once again chosen for the Korean national team , and became the first man since 1985 to win twice the World Archery Championship . In 2015 , Kim was again selected for the Korean national team , and became the first man since 1985 to win the World Archery Championships twice . 1 +Roxburgh Junction railway station was on the Kelso Line , and served the village of Roxburgh , Scottish Borders , from 1850 to 1964 . The Roxburgh Junction station was on the Kelso Line and served from 1850 to 1964 the village of Roxburgh , Scottish Borders . 1 +Eddie told Peyton that he rocked and Peyton was later seen at his concert with Sarah . Sarah told Peyton that he rocked and Peyton was later seen during his concert with Eddie . 0 +On March 17 , 2015 , Actavis acquired Allergan and took the Allergan name . On 17 March 2015 , Actavis acquired Allergan and adopted the name Allergan . 1 +He is married to Gordana , with whom he has a son , Dejan ( born 1990 ) and daughter , Daniella ( born 1996 ) . He is married to Gordana , with whom he has a son , Dejan ( born 1990 ) and his daughter , Daniella ( born 1996 ) . 1 +Note that k is a vector consisting of three real numbers with dimensions of inverse length , while pis is a vector of operators ; Note that k is a vector consisting of three inverse numbers with dimensions of real length , while p is a vector of operators ; to be explicit , 0 +He was born in Athens , Greece and grew up in New York City and then in North Grafton , Massachusetts . Born in New York City , he grew up in Athens , Greece , and then in North Grafton , Massachusetts . 0 +In 1848 he married Eleanor Wayman and Phebe Crosby Peck Knight , Joseph Knight 's mother-in-law and widow of Hosea Stout . In 1848 he married Eleanor Wayman and Phebe Crosby Peck Knight , Joseph Knight 's mother - in- and a widow of Hosea Stout . 1 +Among the bugis dealers were also members of the aristocracy like Engku Karaeng Talibak , who married the daughter of Raja Ali Haji . Among the Bugis traders were also members of the nobility like Engku Karaeng Talibak who married the daughter of Raja Ali Haji . 1 +Every level , from the national and global , to the individual and local , has its own , essential function in a globalised world . Every level , from the individual and local level to the national and global level , has its own essential function in a globalised world . 0 +Orlando is a super-regional shopping centre in Altamonte Mall , a suburb of Altamonte Springs , Florida , United States . Orlando is a super-regional shopping mall located in Altamonte Mall , a suburb of Altamonte Springs , Florida , United States . 1 +The small institutions they founded would not have seemed to them like universities -- they were tiny and did not offer the higher degrees in medicine and theology . The tiny institutions they founded would not have found them like universities -- they were small and did not offer the higher degrees in medicine and theology . 1 +The federal governor Alejandro Heredia took his father , Juan Bautista Paz , as its general minister , and he obtained a pardon for his son . The Federal Governor Juan Bautista Paz took his father , Alejandro Heredia , as Minister of General , and he received a pardon for his son . 0 +"This was , according to John C. Kelly , the impetus for Augustine 's later "" Confessions "" ." "According to Augustine , this was the impetus behind John C. Kelly 's later "" Confessions "" ." 0 +"Ben Peterson of AllMusic gave the album 4 out of 5 stars and never named it imaginative and consistently predictable "" ." "Ben Peterson of AllMusic gave the album 4 stars out of 5 , calling it "" never imaginative and consistently predictable "" ." 0 +It is a commercial product in the production of the intermediate polymer EPDM . It is an intermediate product in the production of the commercial EPDM polymer . 0 +In August 1927 , shortly after her engagement with the Berlin jurist and later Hamburg senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . In August 1927 , shortly after her engagement to the Berlin jurist and later Hamburg senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . 1 +It is also convenient , sometimes the purely covariant version by : It is sometimes convenient to also define the purely covariant version by 0 +Kavminvodyavia ( KMV Avia ) was an airline in Mineralnye Vody in the Caucasus , Russia . KMV Avia ( Kavminvodyavia ) was an airline based in Mineralnye Vody in the Caucasus , Russia . 1 +His grandson , Grenville , was elected for Edward to the 11th Parliament of Upper Canada . His grandson , Grenville , was elected to the 11th Parliament of Upper Canada for Edward . 1 +Galen Seemann died in 1908 and the newspaper was bought by Jolley . Jolley died in 1908 and the newspaper was bought by Galen Seaman . 0 +She was born in Usera , Spain ( Madrid ) on April 18 , 1976 . She is born on April 18 , 1976 in Usera , Spain ( Madrid ) . 1 +"He chose to teach Indian history "" because he wanted to study it "" ." He decided to study Indian history because he wanted to teach it . 0 +On 5 July 1846 he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and great-grandmother of Bernhard Klein . On 5 July 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-granddaughter of Friedrich Nicolai . 0 +The game was published on 12 September 2008 in Europe and on September 22 in North America . The game was published on 12 September 2008 in North America and on September 22 in Europe . 0 +He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and from 1946 a stepson of Gyda Christensen . He was also a nephew of Gyda Christensen , a brother of Johan Hambro , Carl Joachim and Cato , and from 1946 a step son of Elise Hambro . 0 +Union City ’ s police chief is Richard Molinari , a resident of Union City , who replaced former Chief Executive Brian Barrett . The Union City Police Chief is Brian Barrett , a resident of Union City , who replaced former Chief Executive Officer Richard Molinari . 0 +The highway then leaves the central Taichung and enters the southern suburbs of Dali and Wufeng before leaving for Nantou County . The highway then exits central Nantou County and enters the southern suburbs of Dali and Wufeng before leaving for Taichung . 0 +Tyler flirts with Courtney at the party , but he is not interested and she leaves with Elly Conway ( Jodi Anasta ) . At the party , Tyler flirts with Courtney , but he is not interested and she comes with Elly Conway ( Jodi Anasta ) . 0 +Carlitos and Norma are still together and Micky and Justa are still . Carlitos and Norma are still together and so are Micky and Justa . 1 +Simon Butler ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Mathews in 1712 . Simon Mathews ( * 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Butler . 0 +North Western Administration is an administration in the central Maekel region ( Zoba Maekel ) of Eritrea . Administration is an administration in the central region Zoba Maekel ( Maekel ) of Eritrea . 0 +"It was also covered by PP Arnold in 1966 , on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." "It was also produced by Nancy Sinatra in 1966 on their album "" Boots "" and PP Arnold again by Andrew Loog Oldham in 1970 ." 0 +The north slope of the Obshchy Syrt is covered by deciduous forests , while the southern slope towards the Caspian Depression has the characteristics of a steppe . The southern slope of the Obshchy Syrt is covered by hardwood forests , while the northern slope towards the Caspian Depression has the characteristics of a steppe . 0 +CAA is not affiliated with the Automobile Protection Agency or consumer groups such as the Dominion Automobile Association . The CAA is not connected with the Automobile Protection Agency or consumer groups such as the Dominion Automobile Association . 1 +The Hopf theorem is a statement in differential topology , saying that the topological degree is the only homotopy invariant of continuous maps to spheres . The Hopf - Theorem is a statement in the differential topology which states that the topological degree is the only homotopy - invariant of continuous maps to spheres . 1 +The Dublin Council of Unions is the Trade Council for Ireland in the county of Dublin . The Dublin Council of Trade Unions is the trades council for County Dublin in Ireland . 0 +The championship was formed around the then newly created rally New Zealand when it was included in the 1977 Rally - World Championship . The championship was created around the newly formed Rally New Zealand when it joined the World Rally Championship in 1977 . 1 +In 2005 , BH Air signed a two-year contract with the Virgin Group for a Wet - Lease contract . In 2005 , BH Air signed a two-year contract for a wet lease with Virgin Group . 1 +James Addison Cravens ( August 2 , 1802 -- December 4 , 1876 ) was a U.S. Representative from Indiana , second cousin of James Harrison Cravens . James Harrison Cravens ( August 2 , 1802 - December 4 , 1876 ) was a U.S. representative from Indiana , second cousin of James Addison Cravens . 0 +Finally , we say that a distribution is regular if formula _ 11 is concave . Finally , we say that the distribution is regular if Formula 11 is concave . 1 +Pi noticed that hollow point ammunition would not expand , and went around creating a line of ammunition with reliable expansion . Pi noticed that reliable point ammunition would not expand and went about creating a line of ammunition with hollow expansion . 0 +The northern coast of the island is also on the south side of the large gulf known as the Bay of Mecklenburg , which Wismar Bay enters into . The south coast of the island is also located on the northern side of the large gulf , the bay of Mecklenburg , into which the Wismar bay enters . 0 +When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Teramo Diocese . When , in 1818 , Ortona was joined to Lanciano , Campli was assigned to the diocese of Teramo . 1 +CBS Sports broadcast the first US Open Tennis Championships in 1968 . Bud Collins called the action alongside Jack Kramer . CBS Sports broadcast the first US Open Tennis Championships in 1968 , and Bud Collins called the action next to Jack Kramer . 1 +He meets Kekesfalva 's paralyzing daughter Edith and develops deep affection and subtle compassion for her . He meets Kekesfalva 's paralyzed daughter Edith and develops subtle affection and deep compassion for her . 0 +She was born on January 30 , 1912 as the first daughter of banker Maurice Wertheim and his Jewish wife Alma Morgenthau . She was born on January 30 , 1912 , the first daughter of the banker Maurice Wertheim and his Jewish wife Alma Morgenthau . 1 +It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until most of them left the country . It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until most of them left the country . 0 +The 381st Bombardment Group was formed at Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , about six miles from Haverhill . The 381st Bombardment Group was formed at the Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , about six miles from Haverhill . 1 +He started in 62 games and appeared in 60 games . He started out in 62 games and appeared in 60 games . 1 +Here is a list of schools in Harford County , Maryland , which are included in both public schools and independent schools , but parish schools are not listed . Here is a list of schools in Harford County , Maryland.There are both public schools and parish schools listed , but independent schools are not included . 0 +Geraldine Hardy was not the principal in 2011 as he was Principal at Belmont City College and was replaced in 2012 by Trevor Hunter . In 2011 , Geraldine Hardy was not the director as he was director at Belmont City College and was replaced in 2012 by Trevor Hunter . 1 +No Jewish schools were permitted within Russia , nor did any institutions within the Soviet Union offer courses in Yiddish , Hebrew , or Yiddish history . No Yiddish schools were permitted within Russia , nor did any institutions within the Soviet Union provide courses in Yiddish , Hebrew , or Jewish history . 0 +After Mary Ann Pederson in 1975 , Louise Redfield left the show until 1981 . After Louise Redfield left in 1975 , Mary Ann Pederson took over the show until 1981 . 0 +From 1993 to 2001 , Huntsman worked as senior executive for Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Family Holdings Company , and CEO of Huntsman Cancer Foundation . 0 +Higashiura is located in the northern tip of the Chita peninsula in the southern prefecture of Aichi . Higashiura is located in the northern tip of Chita Peninsula in southern Aichi Prefecture . 1 +The plant is native to northern Oregon and into southern California . The plant is native to northern California and in southern Oregon . 0 +"DeMille appeared in 1997 in Corey 's novel "" Plum Island "" ." "Corey first appeared in DeMille 's novel "" Plum Island , in 1997 . """ 0 +Bessie married Parnell John Parnell , daughter of John Peter Featherston , County Wicklow , Ireland in 1871 . In 1871 , John Peter Featherston married Bessie Parnell , daughter of John Parnell , from County Wicklow , Ireland . 0 +Her husband traveled to Europe and died in 1804 in England . Her husband continued to Europe and died in England in 1804 . 1 +She later left TNA in August 2008 , to return to WWE three months later , where she remained until 2011 . She left the WWE later in August 2008 to return to TNA three months later , where she remained until 2011 . 0 +For a horizontal edge , we want to interpolate in the vertical direction , using only the column centered at the pixel . For a vertical edge , we want to interpolate in a horizontal direction , using only the column centered at the pixel . 0 +Sentence elements ( with the exception of verbs ) can be raised by being moved to the beginning of the sentence and marked with topicalised eyebrows . Sentence elements ( with the exception of verbs ) can be raised by moving to the beginning of the sentence and being marked with themed eyebrows . 1 +"Pruitt Taylor Vince was played by actor Bowers in the 1991 film "" JFK "" ." "was played by Pruitt Taylor Vince in 1991 in the film "" JFK "" ." 0 +The 1995 -- 96 Bayern Munich season was their 95th season of existence and 31st Bundesliga season . The season 1995 -- 96 Bayern Munich was their 31st season of existence and the 95th Bundesliga season . 0 +""" Frog Legs Rag "" is a classic cardboard composed by James Scott and published in December 1906 by John Stillwell ." """ Frog Legs Rag "" is a classic rag composed by James Scott and published by John Stillwell Stark in December 1906 ." 1 +In 1967 , Thailand 's husband became Thailand 's ambassador to Singapore . Li 's husband became Thailand 's ambassador to Singapore in 1967 . 0 +After spending six months in Buenos Aires , Forchhammer returned to Christiania in 2010 , where he joined the writing team Future Animals -- Don Stefano and Rissi Royall . After six months in Buenos Aires , Forchhammer returned to Christiania in 2010 , where he joined the writing team Future Animals -- Don Stefano and Rissi Royall . 1 +Those Catholics who refused to convert generally fled , eventually to Scotland . Those Catholics who had refused to convert fled generally to Scotland . 1 +The 8 talukas of this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . The 8 Talukas in this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . 1 +Hine was born in 1936 in New Westminster , British Columbia . Hine grew up in Burnaby . Hine was born in 1936 in Burnaby and grew up in New Westminster , British Colombia . 0 +Cheetham , born on 30 January 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . Born in El Paso , Texas , January 30 , 1928 , Cheetham grew up in Taos , New Mexico , received B.S . 1 +He was then traded for the Detroit Tigers for Matt Drews and Joe Randa through the Arizona Diamondbacks with Travis Fryman . He was then traded from the Arizona Diamondbacks to Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . 0 +The Georgian Government protested against the supposedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . The Georgian Government protested against the supposedly increasing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . 0 +In 1918 , the administrative representation of the parliamentary county of Dublin was raised from two to four divisions . In 1918 the parliamentary representation of the administrative county of Dublin was increased from two divisions to four . 0 +Although most migrants returned to Japan , in 1946 , GHQ estimates indicated that 650,000 Koreans remained in Korea . Though most migrants returned to Japan , GHQ estimates in 1946 indicated that 650,000 Koreans remained in Korea . 1 +"Ararat is currently divided into 95 communities ( "" hamaynkner "" ) , of which 4 are urban and 91 rural :" "Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are rural and 91 urban :" 0 +Following the success of the first film , star Robin Jones Gunn and author Niall Matter both confirmed in March 2017 , that Hallmark were developing a sequel . Following the success of the first film , star Robin Jones Gunn and author Niall Matter both confirmed in March 2017 that Hallmark is developing a continuation . 1 +According to the above definition , two relations with identical graphs , but different domains or different codemas are considered different . According to the above definition , two relations with different graphs , but different domains or different codomans are considered identical . 0 +He was born on 23 January 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London . He died on 29 January 1984 in London , England . 1 +Among the 16 remaining shareholders were Frances Bannister ( 75 shares ) , George Truog ( 30 shares ) and Joseph Stenger ( 8 shares ) . Among the remaining 16 shareholders were Joseph Stenger ( 75 shares ) , George Truog ( 30 shares ) and Frances Bannister ( 8 shares ) . 0 +The top ten was completed by Zhou , Sette Câmara and Sekiguchi . Zhou , Sette Câmara and Sekiguchi completed the top ten . 1 +An aggressive and energetic entrepreneur , he created a fortune ( which he lost ) and founded the Crosbie - dynasty . An aggressive and energetic entrepreneur , he created a fortune ( which he lost ) and started the Crosbie dynasty . 1 +The local high school is Priestmead Primary School on Hartford Avenue . The local school is Claremont High School on Claremont Avenue off Kenton Road . The local school is Priestmead Primary School at Hartford Avenue and the local school is Claremont High School on Claremont Avenue on Kenton Road . 0 +The network previously repeated a translator in Waterbury , W12BH ( channel 12 ) , which directly operated WEDY . The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which repeated WEDY directly . 0 +Likewise , the perception of self-worth as an individual is a fluctuating attitude that can rise and fall with changing components of the physical self . Likewise , the perception of an individual of self-worth is a changing attitude that can rise and fall with fluctuating components of physical self . 1 +Nigeria was originally announced as one of the sixteen teams , but shortly afterwards the team was withdrawn from the rugby competition and replaced by Barbados . Nigeria was originally announced as one of the sixteen teams , but shortly after the team were withdrawn from the rugby competition and replaced by Barbados . 1 +If a forward error correction code is used , the spectral efficiency is reduced from the unencoded modulation efficiency . If a spectral error correction code is used , the forward efficiency is reduced by the uncoded modulation efficiency . 0 +Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson in July 1993 . Notes from Big Sur is an album by jazz saxophonist Charles Lloyd recorded in July 1993 by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . 1 +12242 Amritsar Chandigarh Superfast Express leaves Amritsar Junction daily at 05 : 15 IST and reaches Chandigarh at 09 : 10 IST on the same day . 12242 Amritsar Chandigarh Superfast Express reaches Amritsar Junction daily at 05 : 15 IST and leaves Chandigarh at 09 : 10 IST on the same day . 0 +The southern border of the municipality is also the northern border of the National Park of Lahemaa . The northern border of this municipality is also the southern border of the Lahemaa National Park . 0 +"The company has published over 60 works in its series "" numerous other papers "" as well as occasional works published ." "The society has published over 60 works in its "" occasional papers "" series as well as numerous other works ." 0 +"During the 7th season of the FOX series "" Sleepy Hollow "" , Aarniokoski directed the first episode , "" The Midnight Ride "" ." "Aarniokoski staged the 7th episode "" The Midnight Ride "" during the first season of the FOX series "" Sleepy Hollow "" ." 0 +Jim Gray ( HBO ) and Max Kellerman ( Showtime ) covered the changing rooms of Pacquiao and Mayweather . Jim Gray ( HBO ) and Max Kellerman ( Showtime ) covered the locker rooms of Pacquiao and Mayweather , respectively . 1 +By the middle of the 7th century , alchemy was an almost mystical discipline . By the middle of the 7th century alchemy was entirely an almost mystical discipline . 1 +The deputy of the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first cabinet of Kjell Magne Bondevik . The Deputy Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second Kabinett of Kjell Magne Bondevik . 0 +The MSM model can be specified in both discrete and continuous time . The MSM model can be specified in both continuous time and discrete time . 1 +The continued popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . The continuing popularity in Japan of this mobile suit has led Bandai to create a 1.5m tall model version , which went on sale in Japan in 2007 . 0 +This is negative for all non-negative Formula 63 if both have such rooms a metric type . This is negative for all non-negative formula 63 if both such spaces have metric type . 1 +Nigali Band village is located in Kanchanpur District of Krishnapur Municipality . Nigali band village is situated in Krishnapur municipality of Kanchanpur district . 0 +The remaining three Pokolgép members , Tarcza , Pazdera and Kukovecz started to look for a new singer and second guitarist . The remaining three Pokolgép members , Tarcza , Pazdera and Kukovecz , started to search for a new singer and second guitarist . 1 +In most cells , Ca channels regulate a wide variety of intracellular processes due to their role in controlling biochemical Ca concentrations . In most cells , Ca channels regulate a multitude of biochemical processes due to their role in controlling intracellular ca concentrations . 0 +Music is great with some excellent songs that are etched forever in everybody 's memory . Music is great with some excellent songs which are etched in everybody 's memory forever . 1 +The river Halmer is a tributary of the Hârtibaciu River in Romania . The Halmer River is a tributary of the Hârtibaciu River in Romania . 1 +In the hospital , Traci Lords is awakened by a nurse named Barb ( Brooke ) who tells her that Lance has been seriously injured and is operated . At the hospital , Traci Lords is awakened by a nurse named Barb ( Brooke ) who informs her that Lance has been seriously injured and is in surgery . 1 +Refers to the action of the body in moving figures ; turning the opposite hip and shoulder towards the direction of the turning foot . Refers to the movement of the body in moving figures : turning the opposite hip and shoulder in the direction of the foot turning . 1 +Voltage-driven ion channels are a class of transmembrane proteins that form ion channels activated by changes in the electrical membrane potential near the channel . Voltage-gated ion channels are a class of electrical proteins that form ion channels that are activated by changes in the transmembrane membrane potential near the channel . 0 +Hawkgirl now is 100 % Kendra Saunders . Hawkgirl is now 100 % Kendra Saunders . 1 +When Ibn Tahir decides to return to Alamut and kill Hassan . Hassan decides to return to Alamut and to kill Ibn Tahir . 0 +Flower was captured in 1945 in Salzburg by the Americans and brought to the Landsberg prison . In 1945 , Blume was captured in Salzburg by the Americans and brought to Landsberg Prison . 1 +Silver became the motor of the Spanish colonial economy both in Peru and in New Spain . In both Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +It is found in California and in Nevada , where it has been recorded from southern Texas to North America . It is found in North America , where it has been recorded from southern California and Nevada to Texas . 0 +The northern municipality is situated in the former Jorat high plateau with a small enclave between Correvon and Vuissens . The northern municipality is located in the former Jorat plateau with a small enclave between Correvon and Vuissens . 1 +She was Jewish and was Catholic . She was Jewish and he was Catholic . 1 +Romanian nationalism promotes the nationalism which asserts that Romanians are a nation and is the cultural unity of Romanians . Nationalism is nationalism , which claims that the Romanians are a nation and promotes the cultural unity of Romanians . 0 +It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and directed by Kamala Lopez . It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and by Kamala Lopez . 0 +The province of Puerto Inca is the largest of the eleven provinces in the Huánuco region in Peru . The region of Huánuco is the largest of the eleven provinces of the Province of Puerto Inca in Peru . 0 +RJD won 206 seats while NDA won 22 seats . The RJD won 206 seats , while the NDA 22 seats won . 1 +""" Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of New Zealand 's North Island ." """ Clitarchus hookeri "" is found from Wellington to the region of Northland in the south of the North Island of New Zealand ." 0 +Under Portuguese rule this province was renamed Moçambique , but with its independence the name Mozambique was named for its capital for the whole country and the province . Under Portuguese rule this province was renamed Moçambique but with independence , the name Mozambique was used for the entire country and the province named for its capital . 1 +Vladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk , on March 15 , 1886 . 0 +It was directed by Randall Einhorn , his fourth episode of the season and twelfth in the series . It was directed by Randall Einhorn , his twelfth episode of the season and fourth in the series overall . 0 +""" Fried Onions "" was shown in a television advertisement for Options indulgence chocolate drink , first used on UK TV in December 2011 ." """ Fried Onions "" was shown in a TV advertisement for options - enjoyment - chocolate drink , which was first used in December 2011 on UK television ." 1 +He is a specialist in Baroque music and contemporary music . He is specialist in contemporary music and baroque music . 1 +Only one percent of natural diamonds are of this type , and most are blue to gray . Only one percent of natural diamonds are of this type , and most are blue to grey . 1 +All observed commemorations below are fixed on 18 Pashons by the Coptic Orthodox Church . All of the fixed commemorations below are observed by the Coptic Orthodox Church on 18 Pashons . 0 +Stanley Graham ( baptized Eric Stanley George Graham ) ( 12 November 1900 -- 21 October 1941 ) was a New Zealander who killed seven people . Stanley Graham ( baptized Eric Stanley George Graham ) ( 12 November 1900 - 21 October 1941 ) was a New Zealander who killed seven people . 1 +Kalmah 's sixth studio album was released in Japan on 24 February 2010 , Canada on 2 March , Europe on 3 March and North America on 6 April . The sixth studio album was released on February 24 , 2010 in Japan , on March 2 , Canada , in Europe on March 3 , and on April 6 in North America . 1 +The wooden vaulting of the roof is visible in the choir and the right transept , while the rest of the church has a groined roof . The wooden vault of the roof is visible in the choir and in the right transept , while the rest of the church has a stone roof . 1 +Until 1971 , the Southern Pacific Railroad operated from its Third and Townsend depots public trains to San Jose and long distance trains to Los Angeles . Until 1971 , the Southern Pacific Railroad operated from its Third and Townsend depots private trains to Los Angeles and long distance trains to San Jose . 0 +Björn Borg defeated Guillermo Vilas , 6 -- 1 , 6 -- 1 , 6 -- 3 Björn Borg defeated Guillermo Vilas , 6 -- 1 , 6 - - 1 , 6 - 3 1 +Scopa is white , at the front edge but black . Scopa is black , at the front edge but white . 0 +The constant term is non-physical in global supersymmetry ( as opposed to supergravity ) . The unphysical term is constant in global supersymmetry ( as opposed to supergravity ) . 0 +Weyman Airpark is an airport in New Brunswick , Canada , situated near the Keswick River in Sisson Settlement . Keswick River is an airport in New Brunswick , Canada located near the Weyman Airpark in Sisson Settlement . 0 +Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County in the north , Curtin Township to the east and Clinton County to the southeast . 1 +A Public Elementary School was built in the hamlet of Stain in 1850 and enlarged in 1858 to hold 100 children . The Wesleyans built a school in 1875 . A public primary school was built in the hamlet of Stain in 1850 and expanded to 100 children in 1858 , the Wesleyans built a school in 1875 . 1 +If this option is set , and in case the category is numerically approved , the petition 's priority date will be limited to that date of receipt . If approved , and in the case that the category is numerically capped , the petition 's Priority Date will be set to this date of receipt . 0 +In June 1921 , the Detroit Tigers sold Perritt to the Giants . In June of 1921 , the Detroit Tigers sold Perritt to the Giants . 1 +In 1998 the race was renamed for Amsterdam , New York , a neighbor town of Saratoga Springs in Upstate New York . In 1998 , the race for Amsterdam , New York , was renamed a neighbouring town of Saratoga Springs in the upstate of New York . 1 +The Arbatel De Magia veterum was a ceremonial grimoire of renaissance Latin magic published in 1575 in Switzerland . The Arbatel de Magia veterum was a ceremonial grimoire of the Latin Renaissance - magic that was published in Switzerland in 1575 . 1 +At the time when Motorola overtook the developers and their patents , they held 50 valid patents and had 40 for approval . At the time Motorola overtook the developers and their patents , they held 50 valid patents and had 40 waiting for approval . 1 +Saghar has written over 2,000 songs for many singers and music directors for Pakistani films , radio and TV . For many singers and music directors , Saghar has written more than 2,000 songs for Pakistani films , radio and TV . 1 +The main ferry ran to 42nd Street and was for a short time part of the transcontinental Lincoln Highway . The main ferry ran to 42nd Street and for short time was a component of the transcontinental Lincoln Highway . 1 +Ås IF is a Swedish football club which is located in Östersund , near Ås . Ås IF is a Swedish football club located in Östersund near Ås . 1 +Almost the whole area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . Nearly the entire area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . 0 +At Philadelphia , ( 5-1-0 ) Penn State defeated ( 5-1-0 ) Pennsylvania , 19-7 At Pennsylvania ( 5-1-0 ) , Penn State ( 5-1-0 ) defeated Philadelphia , 19-7 . 0 +In January 1967 Daltoni won the first place at Belgrade 's second Guitar festival . In January 1967 , Daltoni won first place at the second Belgrade Guitar Festival . 1 +Tyrone then tells him who Tommy is . Tommy tells him who is Tyrone . 0 +Cillian sacrifices himself in order to give Todd time to escape . Cillian sacrifices himself to give Todd time to escape . 1 +On 14 May 1647 , he was confirmed as Archbishop of Messina and selected by Pope Innocent X on 16 September 1647 . On May 14 , 1647 , he was confirmed as Archbishop of Messina and chosen on 16 September 1647 by Pope Innozenz X . 1 +Macedonian Turks speak the Turkish language and secondly Albanian in the west and Macedonian in the east . You speak the Macedonian language and , secondly , Albanian in the west and Macedonian in the east . 0 +Sometimes already assigned codes were re-used or the x00 codes spared previously were allocated . Sometimes already assigned codes were reused or the x00 codes assigned previously were spared . 0 +It was directed by Go Nagai , his first film as director and his third as a solo director . Directed by Go Nagai , his first film as a director and his third film as solo director . 1 +He followed his guru and came to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then moved to Gubbi . Followed his guru and came to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he moved to Gubbi . 1 +With these and other men he continued in the following five years to complete the harrying of the north and conduct the Norman conquest of England . With these and other men he went on in the five succeeding years to conduct the Harrying of the North and complete the Norman conquest of England . 0 +In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then at a studio in Ridgefield . Around 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then in a studio in St. Ann Street . 0 +Currently , Mohammad Hariri is Chairman of the Board of Directors and Abdullah Orkun KAYA is the CEO of the TTNET . Abdullah Orkun KAYA is currently President of the Board of Directors and Mohammad Hariri is the CEO of the TTNET . 0 +"The March 2000 issue had a limited edition , and a hardcover "" French "" edition appeared in 2002 ." "The March 2000 edition had a limited edition , and in 2002 a "" French "" edition appeared ." 1 +When Mary came on to the throne , Philpot soon attracted attention . When Philpot came to the throne , Mary attracted soon attention . 0 +Karthik is the brother of the actress Maheswari and the nephew of actress Sridevi . Karthik is the brother of actress Sridevi and the nephew of actress Maheswari . 0 +The structural art & style of this idol is unique and it is in perfect proportion . The architectural art style of this idol is unique and is in perfect proportion to it . 1 +In 1973 , it was added by the Ontario Heritage Trust to the inventory of the historical buildings of the Toronto Historical Board . In 1973 , it was added to the Toronto Historical Board 's inventory of historical buildings by the Ontario Heritage Trust . 1 +It corresponds to the zodiacal sign of Cancer , and overlaps later with approximately half of July and early half of August in the Gregorian calendar . It corresponds to the zodiacal sign of cancer and later overlaps with about half of July and the early half of August in the Gregorian calendar . 1 +The rapidly expanding field of landscape ecology utilizes the spatial aspects of basic ecology in its research . The rapidly expanding field of the landscape ecology uses the spatial aspects of basic ecology in its research . 1 +""" Duke of Roxburgh "" sailed again from Port Phillip on 31 October 1846 and arrived at Gravesend on 7 March 1847 ." "On 31 October 1846 , the "" Duke of Roxburgh "" sailed from Gravesend again and arrived in Port Phillip on 7 March 1847 ." 0 +Seon is a municipality in the Aargau district of the canton of Lenzburg , Switzerland . Seon is a municipality in the Lenzburg district in the canton of Aargau , Switzerland . 0 +Around 1890 Emily Dennison Allen Morgan ran off with Albert Allen , a stepson of Tom 's stepmother , Kate . Around 1890 Kate ran with Albert Allen , a stepson of Tom 's stepmother , Emily Dennison Allen Morgan . 0 +In the summer of 1893 , the Czech composer Josef Jan Kovařík spent in Spillville , where his friend Antonín Dvořák had relatives . The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . 0 +Saladas Department is a department of the Province of Corrientes in Argentina . Saladas Department is a department of Argentina in the province of Corrientes . 0 +There I went forth , and there was he : here and there I find him to my sorrow . There went I , and there was he : here and there to my grief I find him . 1 +Maria has a Master in Italian Theater and Culture , is a member of the European Film Academy and speaks Romanian , English and Japanese . Maria has a master in Japanese theater and culture , is member of European Film Academy and speak Romanian , English and Italian . 0 +The 1993 -- 94 Segunda Divisão de Honra season was the 60th season of the competition and the second season of recognised 4th-tier football in Portugal . The season 1993 -- 94 Segunda Divisão de Honra was the 60th season of the competition and the second season of recognized 4th - animal football in Portugal . 0 +Damian Smith Mayer married January 2001 . Damian Smith married Mayer in January 2001 . 0 +Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in India ( Assam ) . Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in Assam ( India ) . 1 +The 1988 -- 89 National Basketball Association season was the 43rd season of the NBA . The 1988 season -- 89 National Basketball Association was the 43rd NBA season . 1 +Wyoming Highway 377 was a short Wyoming state road in central Sweetwater County that served the community of Point of Rocks and the Jim Bridger Power Plant . Wyoming Highway 377 was a short Wyoming State Road in the central Sweetwater County that served the Point of Rocks and the Jim Bridger Power Plant . 1 +Hardie became the party 's Secretary , while Cunninghame Graham was the first Treasurer and George Mitchell was the President . The secretary of the party became Hardie , while George Mitchell was the first treasurer and Cunninghame Graham was the president . 0 +Methods of algebraic geometry enable the following parameterization of Fermat 's cubic : Methods of the cubic geometry provide the following parameterization of Fermat 's algebraic : 0 +At the same time , Klaus meets Elena and asks Elena and Stefan to go with him so they can start the ritual that will break the curse . At the same time , Klaus meets Elena and asks Elena and Stefan to go with him so that they can start the ritual that will break the curse . 1 +"In "" The Guardian "" in 2006 , Stanage argued in contrast to George Monbiot , who had written that the Iraqi insurgency was comparable to the IRA :" "In "" The Guardian "" in 2006 , Stanage argued in opposition to George Monbiot , who had written that the Iraqi insurgency was comparable to the IRA :" 1 +In 2002 , the American-born scholar Kwame Ture Molefi listed Kete Asante as one of his 100 greatest African-Americans . In 2002 , the American-born scholar Kwame Ture listed Molefi Kete Asante as one of his 100 Greatest African-Americans . 1 +Barry Mero died in 2014 and the Company is now headed-up by his son , Dean Mero . In 2014 , Dean Dean Mero died and the company is now led by his son Barry Mero . 0 +In April 1944 , Cozen was promoted to Lieutenant-General and was later appointed Assistant Chief General Ronald Scobie . In April 1944 , Cozen 's Lieutenant-General was appointed and was later promoted to Assistant Chief General Ronald Scobie . 0 +His interests included processes of cultural interaction and intercultural exchange in modern times . His interests included processes of cultural interaction and cross-cultural exchange in modern times . 1 +It can , however , be used to include VST instruments , which you can then control . However , it can be used to control VST instruments which you can then record . 0 +The full-time MBA is ranked number 1 in Central Europe by the QS Global 200 Business School Report 2012 and 18th in Europe . The Full-Time MBA is ranked # 1 in Central Europe and # 18 in Europe by QS Global 200 Business School Report 2012 1 +In 2010 , Axel Bulthaupt presented an episode in August while Stefan Mross was absent for private reasons . In August 2010 , Axel Bulthaupt presented an episode , while Stefan Mross was absent for personal reasons . 1 +"The goal of the learning process is to maximize the error rate on a "" typical "" test set ( to minimize the correctness ) ." "The goal of the learning procedure is then to minimize the error rate ( maximize the correctness ) on a "" typical "" test set ." 0 +In 2012 , the airline carried 57,500 passengers to 15 international destinations and 90,000 passengers on domestic routes per month ( apx . 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 international destinations and 90,000 passengers on domestic flights ( around 1.77 million passengers per year ) . 1 +Fuksas was born in Rome in 1944 ; his father was Lithuanian Jewish while his French mother was the daughter of a Catholic father and an Austrian mother . He was born in 1944 in Rome , his father was Lithuanian - Jewish , his French mother was the daughter of a Catholic father and an Austrian mother . 1 +Sugino cited Gordon , who conducted a survey with a sample of Brazilians and conducted interviews of Brazilian school teachers and staff as well as Brazilian parents . Gordon quoted Sugino , who conducted a survey with a sample of Brazilians , and conducted interviews with Brazilian school teachers and staff , as well as with Brazilian parents . 0 +Both Mark Warner in 2001 and John Kerry in 2004 Loudoun and Prince William lost counties . Both Mark Warner in 2001 and John Kerry in 2004 lost Loudoun and Prince William counties . 1 +The city is located to the northeast of Gaza - town and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located northeast of Gaza City and the Mediterranean Sea , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . 1 +Following the closure of Hollywood Park , the race was moved to Santa Anita Park in 2014 . Following the closure of Santa Anita Park , the race moved to Hollywood Park in 2014 . 0 +"However , on July 17 , 2006 , in a radio interview with López Obrador on "" Radio UNAM "" , Miguel Ángel Granados Chapa said :" "On 17 July 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" 0 +( 3 ) The Heart Protector , a Yin organ , shields the heart . It filters psychic inclinations and stabilizes emotions . ( 3 ) The heart protector , a yin organ , shields the heart , filters psychic inclinations and stabilizes emotions . 1 +It is analogous but not homologous to the articular process of the lower jaw . It is analogous to , but not homologous to the articular process of the lower jaw . 1 +It was directed by Paul Krasny , written by Nancy Steen and Neil Thompson , and produced by Robert K. Weiss . Directed by Paul Krasny , written by Nancy Steen and Neil Thompson , produced by Robert K. Weiss . 1 +Andrés Oppenheimer considers that the proposal would allow Maduro to abolish all democratic institutions in Cuba in a process similar to the 1976 Venezuela Constitution . Andrés Oppenheimer considers that the proposal would allow Maduro to abolish all the democratic institutions in Cuba , in a similar process to the 1976 Constitution of Venezuela . 1 +Her family contacted Muriel Zazoui , who suggested Corentin Rahier as a potential partner . Her family contacted Corentin Rahier , whom Muriel Zazoui suggested as a potential partner . 0 +"The Crow Canyon Archaeological Center notes , "" Today , Pueblo people live in the modern world while maintaining their rich traditional culture and distinct heritage . """ "The Crow Canyon Archaeological Center notes : "" Today Pueblo lives - people in the modern world while preserving their distinct culture and rich traditional heritage ." 0 +Somaiya Vidyavihar is an educational campus located in the Vidyavihar suburb of Mumbai . Somaiya Vidyavihar is an educational campus in Vidyavihar - suburb of Mumbai . 1 +The liberal autocracy is a non-democratic government that follows the principles of liberalism . A liberal autocracy is a non-democratic government that follows the principles of liberalism . 1 +It also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and closed for Prada , Kostum National and Louis Vuitton . She also closed for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and opened for Prada , Costume National and Louis Vuitton . 0 +The program was filmed at the Eaves Movie Ranch near Santa Fe and near Storrie Lake in Las Vegas , New Mexico . The program was shot at the Eaves Movie Ranch near Las Vegas , New Mexico and near Storrie Lake in Santa Fe . 0 +Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a second handball player who plays in the Hungarian League for Szent István SE . Szabina Tápai ( born 30 January 1986 in Kiskunhalas ) is a second handballer who plays for Szent István SE in the Hungarian league . 1 +The use of the Internet has allowed animated cards to become interactive . The use of the Internet has allowed animated maps to become interactive . 1 +Among the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . Of the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . 0 +Ranjit Singh appointed a governor to administer the newly conquered area which was expanded in 1819 with the annexation of Kashmir by a Sikh force . Ranjit Singh appointed a governor to manage the newly conquered territory , which was expanded by a Sikh force in 1819 with the annexation of Kashmir . 1 +Donnelly was one of several players born in Northern Ireland who benefited from the FAI 's attempts to establish their all-Ireland influence . Donnelly was one of several players born in Northern Ireland who benefited from the FAI 's attempts to justify their all-Ireland influence . 1 +The 147th units were later reorganized as the 147th and 260th Field Artillery Battalions . The 147th and 260th units were later reorganized as 147th Field Artillery - Battalions . 0 +The music for the first series was produced by Takeo Yamashita with vocal performances on tracks by Charlie Kosei . The music for the first series was created by Charlie Kosei with vocal performances on Takeo Yamashita tracks . 0 +For many centuries it was a royal peculiar , independent royal , and from 1480 a chapel of the Diocese of Lichfield and even the Province of Canterbury . For many centuries it was a royal chapel and from 1480 a royal strange chapel , independent of the diocese of Lichfield and even the province of Canterbury . 0 +The 1960 San Diego State Aztecs football team represented San Diego State College during the 1960 NCAA College Division football season . The 1960 San Diego State College football team represents the NCAA College Division , during the 1960 San Diego State Aztecs football season . 0 +The 1981 Purdue Boilermakers football team represented Purdue University during the football season of the Big Ten Conference in 1981 . The 1981 Purdue University football team represented Purdue Boilermakers during the 1981 Big Ten Conference football season . 0 +It had been almost completely shattered by the impact and was only slightly preserved . It was only slightly shattered by the impact and almost completely preserved . 0 +Andropogon capillipes is a species of grass known by the common name chalky bluestem . Andropogon capillipes is a species of grass known through the common name chalky bluestem . 1 +On January 8 , 2008 , Cumbers was recalled from Grays to Gillingham , but lent to AFC Wimbledon on February 8 , 2008 to collect further first team experience . On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was loaned to AFC Wimbledon on 8 February 2008 to gain further first team experience . 1 +"The Gospels and some other books within the New Testament were probably written around 1388 , before the "" General Prologue was circulated ." "The Gospels and some other books within the New Testament were likely written around 1388 , before the "" General Prologue "" was circulated ." 1 +The hosts also do a number of bits that they have between themselves . The hosts also do a number of bits that they have among themselves . 1 +They presented singer Ronnie Sweetheart , bassist Roger Ericson , drummer Ronnie Magri and guitarist Danny Nordahl . They featured singer Ronnie Sweetheart , bassist Danny Nordahl , drummer Ronnie Magri and guitarist Roger Ericson . 0 +"Johann Dominik Bossi ( 1767 -- 1853 ) , also known as the Domenico Bossi "" , was an Italian painter ." "Domenico Bossi ( 1767 -- 1853 ) , also known as "" Johann Dominik Bossi "" , was an Italian painter ." 1 +Prior to his arrival in Serbia in 2002 , Mišović was in Sweden where he was involved in organized crime , he left the country to avoid arrest . Prior to his arrival in Serbia in 2002 , Mišović was in Sweden , where he was involved in organized crime , and he left to escape the arrest . 1 +""" Chuck Versus the Family Volkoff "" is the 20th episode of the fourth season of "" Chuck "" , and the 74th overall episode of the series ." """ Chuck against the family Volkoff "" is the fourth episode of the 20th season of "" Chuck "" , and the 74th overall episode of the series ." 0 +In collaboration with Bianca Olsen , Laurie Aubanel and Cyril Rambour , he wrote the script . In collaboration with Cyril Rambour , Laurie Aubanel and Bianca Olsen , he wrote the script . 1 +Luther is Richmond 's friend and financial supporter and the owner of the mansion Walter Sullivan has broken into . Richmond 's friend and financial supporter is Luther , and the owner of the villa into which Walter Sullivan has broken . 1 +The basic index letters for distinguishing the important types are as follows : The most basic index letters for distinguishing the important types are as follows : 1 +The Arrows were a Canadian new wave band of the 1980s . The Arrows were a Canadian 1980s new wave band . 1 +The codice _ 2 branch is updated daily , and the codice _ 3 branch gets updated every 6 months . The branch codice 2 is updated daily , the codice 3 branch is updated every 6 months . 1 +Central forces that are conservative can always be expressed as the negative gradient of a potential energy : The conservative central forces can always be expressed as a negative gradient of a potential energy : 1 +She grew up in Upper Palatinate ( Cham , Cologne ) and has lived in Germany since 1991 . She grew up in Upper Palatinate ( Cham , Germany ) and since 1991 has lived in Köln . 0 +With her family she took refuge in London in 1938 , and the family settled in East Finchley , in northern England where she attended Tollington Hill School . She took refuge in England with her family in 1938 , and the family settled in East Finchley in northern London , where they visited the Tollington Hill School . 0 +A light novel - series - adaptation under the same name was written by Kadokawa ' ; s Kadokawa Beans Bunko , all volumes were published by Tōko Fujitani with illustrations by Yamako . A light novel series adaptation under the same name is written by Kadokawa 's Kadokawa Beans Bunko . All volumes were published by Tōko Fujitani with illustrations by Yamako . 1 +Touche was the first son of the third baronet of the 1920 's Creation . Touche was the third son of the first baronet in the Creation of 1920 . 0 +In 1964 , he placed ninth in the downhill and fourth in the giant slalom competition . In 1964 he became fourth in the Downhill - Contest and Ninth in Giant Slalom - Competition . 0 +The main international airport is the Douala International Airport and a secondary international airport at Yaoundé Nsimalen International Airport . The main international airport is Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . 0 +This species can be found in the Caribbean Sea and in the Gulf of Mexico ; in the Atlantic Ocean from South Carolina to Brazil . This species can be found in the Caribbean Sea and the Gulf of Mexico , in the Atlantic Ocean from South Carolina to Brazil . 1 +It will reduce the distance from Hong Kong to Macau and Zhuhai from , and shorten the journey time to within half an hour . It will shorten the distance from Hong Kong to Macau and Zhuhai and reduce the journey time to half an hour . 1 +"Eduardo Rivadavia of "" AllMusic "" praised "" Restless and Wild "" with 4.5 out of 5 stars and called it Accept 's "" creative breakthrough . """ "Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 of 5 stars and praised it as "" creative breakthrough "" ." 0 +It supported the opinions of the Free Soil Party and the Republican Party . It supported the views of the Republican Party and of the Free Soil Party . 1 +In Laurens , New York , Otego Creek flows into Wharton Creek . The Otego Creek flows into the Wharton Creek in Laurens , New York . 1 +He was born in Quebec around 1760 and settled in Detroit in 1782 ( the then Scotland ) . He was born in Scotland in 1760 and settled in Detroit in 1782 ( then part of Quebec ) . 0 +In 1979 , the Church moved to Downey , California , to the current home of the Downey Congregational Church , its former location . In 1979 , the church moved to Downey , California , to the former home of the Downey Congregational Church , its current location . 0 +This manages the filter processing and creates the filter chain with the appropriate filters in the correct order and processing is started . This manages filter processing and creates the filter chain with the appropriate filters , in the correct order , and initiates processing . 1 +Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá 7 -- 6 ( 6 ) , 6 -- 3 in the final . Franco Ferreiro and André Sá defeated Oliver Marach and Leonardo Mayer from 7-6 ( 6 ) , 6-3 in the final . 0 +The 1954 -- 55 NBA season was the ninth season of the National Basketball Association . The NBA season from 1954 to 55 was the ninth season of the National Basketball Association . 1 +The Lewis ' Clark Council was formed in 2009 from the merger of the Trails West Council ( OVC ) and the Okaw Valley Council ( TWC ) . The Lewis & Clark Council was formed from the 2009 merger of Okaw Valley Council ( OVC ) and Trails West Council ( TWC ) . 0 +Producers of the state are RJD2 ( Columbus ) and Drama Beats ( Akron ) . State producers are RJD2 ( Akron ) and Drama Beats ( Columbus ) . 0 +The returning Isaac Fontaine , who last played Sta.Lucia three years ago , replaces Carrawell . The returning Carrawell , who played with Sta.Lucia for the last time three years ago , replaces Isaac Fontaine . 0 +"In 2015 , Trenyce hosted the Franco Dragone-produced cabaret show "" Taboo "" at the casino City of Dreams in Macau , China ." "In 2015 , Trenyce hosted the cabaret show "" Taboo at the Casino City of Dreams in Macau , China , produced by Franco Dragone ." 1 +Ovarian diseases can be classified as endocrine disorders or as a disorders of the reproductive system . Ovarian diseases can be classified as endocrine disorders or as disturbances of the reproductive system . 1 +Following the match , Hart Shawn attacked Michaels in anger . Following the match Hart attacked Shawn Michaels in anger . 0 +Iguana Lovers ' sound was defined by the sound experimentation , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . The sound of Iguana Lovers was defined by experimenting , sentimental and ethereal vocal melodies , mixed with distorted guitars and creative sounds . 1 +Dena Holmes was born in Hendon , North London in 1960 as Thompson and worked for a building society . Dena Holmes was born Thompson in 1960 in Hendon , North London . She worked for a building society . 1 +Kevin Abbring ( born 20 January 1989 ) is a Dutch rally driver . His father , Edwin Abbring , is also a well-known former rally driver . Kevin Abbring ( born January 20 , 1989 ) is a Dutch rally driver , his father Edwin Abbring is also a famous former rally pilot . 1 +Coopers Plains train station on the south coast railway line ( now the Beenleigh line ) opened in 1885 . Coopers Plains railway station on the Beenleigh railway line ( now the South Coast line ) opened in 1885 . 0 +He was born in New York City , and grew up in Athens , Greece , and then North Grafton , Massachusetts . He was born in Athens , Greece and grew up in New York City and then in North Grafton , Massachusetts . 0 +He originally played with HC Spartak Moscow in KHL during the 2010 season -- 11 Continental Hockey League . He originally played with HC Spartak Moscow in the Continental Hockey League during the 2010 -- 11 KHL season . 1 +A second manufacturing facility opened in Kumasi , Ghana in 1973 , and a third opening in Pilsting , in December 1974 to support a large order . A second production facility was opened in 1973 in Kumasi , Ghana , and a third opening in Pilsting in December 1974 in order to support a large contract . 1 +Scott and Short then traveled overland to the Kentucky River to investigate the land they would later claim . Then Scott and Short traveled overland to the Kentucky River to claim the land that they would investigate later . 0 +Dundas Public School is a primary school in western Sydney , Dundas , in the suburb of New South Wales . Dundas Public School is a Primary School in western Sydney of Dundas in it 's suburb New South Wales . 1 +"Singer János Bródy and the composer Zsuzsa Koncz sang their famous song , "" Ha én rózsa volnék "" ( "" If I were a rose "" ) ." "Singer János Bródy and composer Zsuzsa Koncz sang their famous song , "" Ha én rózsa volnék "" ( "" If I were a rose "" ) ." 1 +"McClain was one of the pioneers in introducing "" ragtime minstrelsy "" , which opened a wider range of styles on the eve of the vaudevillized era ." "McClain was one of the pioneers in introducing "" vaudevillized minstrelsy "" , which opened up a wider range of styles on the eve of the Ragtime era ." 0 +A 1994 television adaptation starred Philip Seymour Hoffman as Ezra Baxter , Jean Smart as Ora Baxter , and Peter Strauss as Buck . Peter Strauss played a television adaptation in 1994 as Ezra Baxter , Jean Smart as Ora Baxter and Philip Seymour Hoffman as a buck . 0 +Kadria shot twice and fled Milić Krstić . Kadria then shot Milić Krstić twice and fled . 0 +The following units and commanders fought in the Battle of Changde ( late November -- early December 1943 ) , the Second Chinese - Japanese War . The following units and commanders fought in the Battle of Changde ( early November -- late December 1943 ) , of the Second Sino-Japanese War . 0 +Originally called Columbia Road became this Trail Ridge Road . Originally called Columbia Road this trail became Ridge Road . 0 +"Her son Marc appeared in two episodes with Tony on "" Taxi "" as Brian Sims ." "Her son Brian Sims appeared in two episodes with Tony on "" Taxi "" as Marc ." 0 +The Bhutanese language is national ( Dzongkha ) , one of the 53 languages of the Tibetan language family . The national language is Bhutanese ( Dzongkha ) , one of 53 languages in the Tibetan language family . 0 +In 2010 , Buick launched a new version of the Shanghai GM GL8 Luxury Business Edition . In 2010 , Buick introduced a new version of the Shanghai GM GL8 Luxury Business Edition . 1 +"One ship , the "" Warrnambool "" class corvette HMAS "" Bathurst "" , was sunk during these operations ." "A ship , the "" Warrnambool "" class Corvette HMAS "" Bathurst "" , was sunk during these operations ." 1 +She was selected in the 20th round of the 2012 WNBA Draft ( second total ) by Minnesota Lynx . She was selected in the 20th round of the 2012 WNBA Draft ( second overall ) by the Minnesota Lynx . 1 +It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean generally west of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean in general to the west of Depot Bay and north of Otter Rock . 1 +A brunch forum with presidential candidates sponsored by Chris Wallace , originally to be housed by the New Hampshire Republican Party , should be broadcast on Fox News . A brunch forum by Chris Wallace with presidential candidates , originally sponsored by the New Hampshire Republican Party , was planned to be broadcast at Fox News . 0 +Feliciano Centurión ( March 29 , 1962 in San Ignacio , Paraguay -- November 7 , 1996 in Buenos Aires , Argentina ) was a Paraguayan painter . Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- 7 November 1996 in Buenos Aires , Argentina ) . 1 +Montpelier is a part of East Central Indiana and Northern Indiana . Montpelier is part of East Central Indiana and Northern Indiana . 1 +The 6th Field Artillery - Regiment was first activated by elements of the 5th and 8th field artillery in 1916 . The 8th Field Artillery - Regiment was first activated by elements of the 5th and 6th field artillery in 1916 . 0 +Kevin Abbring ( born on 20th January 1989 ) is a former rally driver . His father , Edwin Abbring is also a well-known Dutch rally driver . Kevin Abbring ( born January 20 , 1989 ) is a Dutch rally driver , his father Edwin Abbring is also a famous former rally pilot . 0 +Alice Hunter was married to the chemist George E. Kimball , whom he met at MIT , and they had four children together . George E. Kimball was married to chemist Alice Hunter , whom he met at MIT , and they had four children together . 0 +It is south of the Sunset Memorial Gardens and east of the Evansville Regional Airport cemetery . It is south of the regional airport of Evansville and east of the Sunset Memorial Gardens graveyard . 0 +Might is right makes aphorism with several potential meanings ( in order of increasing complexity ) : Might makes right is an aphorism with several potential meanings ( in order of increasing complexity ) : 0 +It was directed by Randall Einhorn , his twelfth episode of the season and fourth in the series . It was directed by Randall Einhorn , his twelfth episode of the season and fourth in the series overall . 1 +"Guntakal railway station is classified as a "" D -- category "" station in the Venkatagiri railway division ." Guntakal railway station is classified as D railway station in the Venkatagiri division . 1 +The Bill 's Cathy Stoller Center is home to all the intercollegiate athletic teams of the University , the Sports Offices and the Department of Exercise Science . The Bill & Cathy Stoller Center is home to all of the university 's athletic teams , intercollegiate athletic offices and the Department of Exercise Science . 0 +It is on the southern end of the Great Dividing Range , at the west of the Monaro Range , and lies west of the Wadbilliga National Park . It is located at the southern end of the Great Dividing Range , west of the Monaro Range , and is west of the Wadbilliga National Park . 1 +Richard Owen ( 1810 -- 1890 ) , Robert Owen 's youngest son , came to New Harmony in 1828 and taught there first the school . Robert Owen ( 1810 -- 1890 ) , the youngest son of Richard Owen , came to New Harmony in 1828 and taught school there . 0 +He was born in Sioux City , Iowa , and died in Portland in Oregon . He was born in Portland , Oregon and died in Sioux City , Iowa . 0 +Born in Gosforth , Northumberland , as a boy he moved south to the Wiseton Estate , near Retford , Nottinghamshire when his father found work there . Born in Gosforth , Northumberland , he moved to Wiseton Estate as a boy near Retford , Nottinghamshire , when his father found jobs there . 1 +Varshamov studied in Tbilisi under Arnold Walfisz ( where he was Georgian ) . Varshamov was in Tbilisi with Arnold Walfisz ( where he studied Georgian ) . 0 +Joanna is located within the electoral department of Barker , the federal district of MacKillop , and the local government division of the Naracoorte Lucindale Council . Joanna is located within the electoral Division of Barker , the state federal district of MacKillop , and the local government area of the Naracoorte Lucindale Council . 1 +He moved to Macao , joined the Jesuit Order and died in 1737 as a martyr in Vietnam . He was transferred to Vietnam , joined the Jesuit Order and died in Macau in 1737 as a martyr . 0 +"All songs were written by Ritchie Blackmore , except "" Tragovi "" by Nenad Jovanović ( music ) and Dragan Urošević ( lyrics ) ." "All songs were written by Dragan Urošević , except for "" Tragovi "" by Ritchie Blackmore ( music ) and Nenad Jovanović ( texts ) ." 0 +Inner Ear was released in September 2009 as Limited Edition LP ( 500 black vinyls and 500 red vinyls ) . In September 2009 Inner Ear released it as a limited edition LP ( 500 black vinyls and 500 red vinyls ) . 1 +He was also influenced by Spanish classical music and began a lifelong love of Spanish guitar . He was also influenced by Spanish music and began a lifelong love of classical Spanish guitar . 0 +David Tatuashvili , another Georgian partisan of Soviet origin , described the funeral as follows : David Tatuashvili , another Soviet partisan of Georgian origin , described the funeral as follows : 0 +Her father , Mitchell Melich , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Democrat Calvin L. Rampton . Her father , the democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully in 1964 for the governor of Utah against Mitchell Meich . 0 +I created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . I 've created Francis Bacon figures in a Sidney Nolan landscape , inspired with stunts by Jean Cocteau . 0 +On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competition career in rhythmic gymnastics . On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . 1 +Where formula 11 is the natural inclusion over the natural factor and formula 12 is the first projection over the second factor . Where Formula 11 is the natural integration over the natural factor and Formula 12 is the first projection on the second factor . 1 +It is in Otsego Township in Steuben County , and in DeKalb County it is in Franklin Township . In Steuben County , it is in Otsego Township , and in DeKalb County it is in Franklin Township . 1 +Thus , the issuance of Dutch catechisms , such as the Dutch Catechism , was confirmed , although local views on particular theological issues remain controversial within the Church . Thus , the publication of local catechisms , such as the Dutch catechism , was confirmed , although Dutch views on certain theological issues remain controversial within the Church . 0 +"The single is Paisley 's ninth overall Number One single on the "" Billboard "" Hot Country Songs charts , as well as his fifth consecutive Number One ." "The single is Paisley 's fifth consecutive number one in the "" Billboard "" Hot Country Songs Charts , as well as his ninth number one ." 0 +Narayangad is a fort near Pune , 80 km from Pune , 8 km from Narayangaon and 5 km from Khodad . Narayangad is a fort near Narayangaon , 80 km from Pune , 8 km from Pune and 5 km from the village of Khodad . 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by 2K Sports and published by Kush Games . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball Simulation Videogame developed by 2K Sports and published by Kush Games . 1 +"Venkatagiri railway station is classified as a "" D -- category "" station in the Guntakal railway division ." Guntakal railway station is classified in the Venkatagiri division as D railway station . 0 +IROKING also launched mobile applications for its music application on the mobile phones iOS , Android , Windows and Symbian ( Nokia ) . Nokia also launched mobile applications for its music application on the mobile phones iOS , Android , Windows and Symbian ( iROKING ) . 0 +Reidar Smestad ( 8 May 1888 -- 29 June 1962 ) was a Norwegian industrialist , the son of Carl Smestad and grandson of Jacob Olssøn Smestad . Reidar Smestad ( May 8 , 1888 - June 29 , 1962 ) was a Norwegian industrialist , the son of Carl Smestad and grandson of Jacob Olssøn Smestad . 1 +In 2008 the warrant officer ranks of the South African National Defence Force were expanded and the rank of master warrant officer was created . In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of a Master Warrant Officer was expanded . 0 +It was written by Bowie and produced by him and David Richards . It was written by David Richards , produced by him and Bowie . 0 +It took place at the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain , from April 23 through April 29 , 2010 . It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Barcelona , Catalonia , Spain . 1 +The qualification rounds for the four previous World Cups were very controversial , with confusing rules and many failures . The qualification rounds for the four previous World Cups were very controversial , with confusing rules and many withdrawals . 1 +Keerthi has published the Sahasa Simha Comics series , which is being distributed by India Book House ( IBH ) . Keerthi has distributed the Sahasa Simha Comics Series , which is published by India Book House ( IBH ) . 0 +On 4 July 1968 , Smith resigned from the Cabinet at Harper 's request . At Harper 's request , Smith resigned from the cabinet on 4 July 1968 . 1 +"A book by Nobuyuki Matsuhisa , "" The Japanese Foie Gras Project "" , was published in 2007 and contains a lecture by Scott Hallsworth ." "A book by Scott Hallsworth , "" The Japanese Foie Gras Project "" was published in 2007 , and contains a forward by Nobuyuki Matsuhisa ." 0 +IDA can also browse FTP servers or preview the contents of ZIP or RAR files before downloading them . IDA can also browse FTP servers or preview the contents of ZIP or RAR files before downloading . 1 +Owaisi is married to Farheen Owaisi , has five daughters and a son , his mother is Nazima Begum . Owaisi is married to Nazima Begum and has five daughters and one son . His mother is Farheen Owaisi . 0 +The Giumalău River is a tributary of the River Rusca in Romania . The Rusca River is a tributary of the Giumalău River in Romania . 0 +"Eventually in 2000 , the "" Chemistry "" name was released , and "" Conspiracy "" by Billy Sherwood & Chris Squire was dropped ." "Sometime in 2000 , the name "" Chemistry "" was dropped and "" Conspiracy "" was released by Chris Squire 's Billy Sherwood ." 0 +On July 31 , Molina was traded with B. J. Surhoff to the Braves for Trenidad Hubbard , Fernando Lunar and Luis Rivera . On 31 July , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . 0 +It is claimed that he died out of grief , that the Frankists left Judaism . It is alleged that he left out of grief that the Frankists died Judaism . 0 +Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on September 11 , 1866 and got 8 children . Lorenzo Giuntini married Susannah Louisa Barnett on 11 September 1866 in Frome , Somerset and had 8 children . 1 +Early industries in Hughesville were built to serve farmers and citizens of the Eastern Lycoming County . Early industries in Lycoming County were built to serve the farmers and citizens of eastern Hughesville . 0 +In February 2016 , Souray married the former WWE - professional - wrestler Barbara Blank , better known as Kelly Kelly , who separated in October 2017 . In February 2016 , Souray married the former WWE - professional - wrestler Kelly Kelly , better known as Barbara Blank , who separated in October 2017 . 0 +The finals took place at Halloween Havoc , where Richard Morton defeated Brian Pillman to become the opening champion . The finals took place at Halloween Havoc , where Brian Pillman defeated Richard Morton to become the inaugural champion . 0 +""" Purple Clover "" describes the site as being for people who are "" ... still curious , still cool , and still crazy after all these years . """ """ Purple Clover "" describes the site as for people who "" ... still curious , still cool and still crazy after all those years are "" ." 1 +The couple had two daughters , Sara Lynn ( born in 1942 ) and Martha Anne ( born 1947 ) . The couple had two daughters , Sara Lynn ( born 1942 ) and Martha Anne ( born 1947 ) . 1 +He was also suspected of having tied a young dancer , Anya Sosoyeva , to death , as well as the Russian actress Delia Bogard , who survived having attacked him . He was also suspected of having bludgeoned to death a young dancer , Anya Sosoyeva , as well as having assaulted the Russian actress Delia Bogard , who survived . 0 +He went to Hungary as Secretary of the Archbishop of Split , and in 1503 via Zagreb to Venice . As Secretary of the Archbishop of Split , he went to Venice and in 1503 to Hungary through Zagreb . 0 +"The names "" Googol "" and "" Googolplex "" were invented by Newman 's nephew Milton Sirotta and introduced in 1940 to the book of Kasner and Edward Kasner ." "The names "" googol "" and "" googolplex "" were invented by Edward Kasner 's nephew , Milton Sirotta , and introduced in Kasner and Newman 's 1940 book ," 0 +Owobale was born in the Netherlands to be a Nigerian father and a Dutch mother . Owobale was born in the Netherlands into a Dutch father and a Nigerian mother . 0 +Talks about the marriage of Meena have started , and Chandra has begun looking for a Jodi for Chandra . Talks of Meena 's marriage have begun , and Chandra has started looking for a jodi for Chandra . 1 +The two unpopular cantons , however , had immediate financial problems and were forced to introduce a series of new taxes and laws . The two new cantons had immediate financial problems , however , and were forced to introduce a series of unpopular taxes and laws . 0 +"In 2011 , Sean Lock took over from John Sergeant as the host of the Dave comedy panel show , "" Argumental "" ." "In 2011 , Dave took over from Sean Lock as the presenter of the John Sergeant Comedy - Panel - Show "" Argumental "" ." 0 +In 1992 , Tungamirai was replaced as Air Force Commander by Perence Shiri . In 1992 Tungamirai was replaced by Perence Shiri as Air Force commander . 1 +Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper Ghat in the winter . Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat during winter . 0 +Also Bill Bill Pickett , an African-American rodeo actor , appeared in early Western films for the same audience . Also Bill Bill Pickett , an American-African rodeo actor , appeared in early Western films for the same audience . 0 +The Chinese camped about 30 Li from Zhizhi 's fortress and the two sides exchanged rather hypocritical messages . The Chinese encamped about 30 Zhizhi from Li 's fortress and the two sides exchanged rather hypocritical messages . 0 +The Yarkand River is a river in the autonomous region of Xinjiang Uyghur in West China . The autonomous region Xinjiang Uyghur is a river in the Yarkand River in Western China . 0 +Upgrades included rheostatic brakes and electromagnetic brakes , new speed measurement and curve lights . Upgrades included rheostatic brakes and new brakes , electromagnetic speed measurements and curve lights . 0 +"But despite the complex gameplay , "" Absolute Obedience offers a multitude of very simple character designs for the main characters as well as their "" destinations "" ." "But despite the simple gameplay "" Absolute Obedience "" offers a variety of very complex character designs for the main characters as well as their "" targets "" ." 0 +As children , Hans and his brother Paul Rosbaud performed with their mother , who taught piano . Paul Rosbaud and his brother Hans performed as children with their mother , who teached the piano . 1 +The Bhutanese language is national ( Dzongkha ) , one of the 53 languages of the Tibetan language family . The national language is Bhutanese ( Dzongkha ) , one of the 53 languages in the Tibetan family . 0 +In addition , it destroyed 340 houses and damaged 12 , most of which are in Collier County . In addition , it destroyed 340 houses and damaged 12 , most of which were in Collier County . 1 +The Russian villain is , however , an interesting and sometimes original threat . However , the Russian villain is an original and sometimes interesting danger . 0 +In 2007 Mathe Fischer left the band after a one-year stay , and Jens Ramon joined . After a one-year stay , Mathe Fischer joined the band in 2007 and Jens Ramon left the band . 0 +The Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a specific quantile . The Expected Exposure ( EE ) is defined similar to the PFE , except that the average is used instead of a certain quantile . 0 +"Although A.A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although A . A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." 1 +The River Olt or Pârâul Sec is a tributary of the River Seaca in Romania . The Seaca River or Pârâul Sec is a tributary of the River Olt in Romania . 0 +Singer Angélique Kidjo and actor Djimon Hounsou was born in Cotonou , Benin . Singer Angélique Kidjo and actor Djimon Hounsou were born in Cotonou , Benin . 1 +"This is a list of second football transfers for the "" 2013 Malaysian transfer window "" ." "This is a list of the second football transfers for "" 2013 Malaysian transfer window "" ." 1 +Tamarie Cooper returned to Houston to found The Catastrophic Theatre with Nodler later in that year . Later this year , Nodler returned to Houston to found the Catastrophic Theatre with Tamarie Cooper . 0 +It is believed that Anna Wilson met Dan in New Orleans , eventually persuading her to come to Omaha with him . It is believed that Anna Wilson met Dan in New Orleans to eventually convince her to come with him into Omaha . 1 +Ortacami is a village connected to the Giresun district of Tirebolu province . Ortacami is a village connected to the district Tirebolu of the province of Giresun . 0 +Olavur Jakobsen is a sought after arranger and has produced albums for Hanus G. , Sunleif Rasmussen and Aldubáran . Olavur Jakobsen is a demanded arranger and has produced albums for Hanus G. , Sunleif Rasmussen and Aldubáran . 1 +William was deposed in 1776 by the revolutionary government of New Jersey and arrested at the Proprietary House at his home in Perth Amboy and temporarily imprisoned . William was deposed in 1776 by the revolutionary government of Perth Amboy , who was arrested at his home in New Jersey , in the Proprietary House , and imprisoned for a period of time . 0 +Most recently , Sexson lived with his wife Kerry in Bend , Oregon , and has been a baseball trainer at Summit High School in Ridgefield , Washington since 2014 . Recently , Sexson lived with his wife Kerry in Ridgefield , Washington , and since 2014 has been a baseball trainer at the Summit High School in Bend , Oregon . 0 +Auld Robin Gray is the title of a Scots ballad written by the Scottish poet Lady Anne Lindsay in 1772 . Anne Anne Lindsay is the title of a Scottish ballad written in 1772 by the Scottish poet Lady Auld Robin Gray . 0 +Linna is voiced by Michie Tomizawa in Japanese and Elizabeth Becks in English in the original series , with Rio Natsuki and Kelly Manison in the 2040 series . Linna is spoken in the original series by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English , with Michie Tomizawa in the 2040s . 0 +His three sisters included Helen C. Bulkeley , who married Roland Redmond , Mary Caroline Bulkeley ( b . His three sisters included Helen C. Bulkeley , who married Roland Redmond , Mary Caroline Bulkeley . 1 +During peak hours , services from Kentish Town to Bedford will continue . During peak hours , the Bedford services continue to Kentish Town . 0 +The grammatical-historical method distinguishes between one original meaning and the significance of the text . The historical-grammatical method distinguishes between the one original meaning and the significance of the text . 1 +And constructed the Rado graph using the BIT predicate as follows . They identified the vertices of the graph with the natural numbers 0 , 1 , 2 , ... And constructed the rado graph using the BIT predicate as follows : They identified the vein points of the graph with the natural numbers 0 , 1 , 2 , ... 1 +Wu 's method is powerful for complete theorem proving in elementary geometry , and provides a mechanical decision process for certain classes of problem . The method of Wu is powerful for the complete theorem proving in elementary geometry and provides a mechanical decision process for certain problem classes . 1 +One of them , Micheál Martin , said that Fianna Fáil - leader Shane Ross had contacted her the day before and that they would meet the following week . One of them , Shane Ross , said that Fianna Fáil - leader Micheál Martin had contacted her the previous day and that she would meet the following week . 0 +The game was launched on 16 May when the Steam Greenlight campaign was announced . The game was announced on May 16 , when the Steam Greenlight campaign was launched . 0 +Kolahoi Peak is part of the Himalaya Range , and is located between 15 km south of Sonamarg and 21 km north from Arin Pahalgam . The Kolahoi Peak is part of the Himalaya Range and is located between 15 km south of Sonamarg and 21 km north of Arin Pahalgam . 1 +About 90 % of all tobacco grown in Canada is produced here . About 90 % of the tobacco produced in Canada is grown here . 0 +The work reports on business , politics , developments in commercial and labour law , corporate news and features . The paper reports on business , politics , developments in commercial and labour law , corporate news and features . 1 +Then Hendrick attempted Dale Earnhardt to hire Tim Richmond , but not . Afterwards , Hendrick attempted to hire Dale Earnhardt , then Tim Richmond , but did not . 1 +From 1957 until 1974 , Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts . Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts from 1957 to 1974 . 1 +The principal person is Jennifer Haack for K-5 and Stefan Ladenburger is Assistant Principal , the Associate Principal is Michael McDonnell The principal is Stefan Ladenburger for K-5 and Jennifer Haack is the associate principal . The assistant principal is Michael McDonnell . 0 +It is separated through the Sarawak district of Limbang into two parts . It is divided by the Limbang - district of Sarawak into two parts . 0 +Warwick Smith was replaced by Hammy McMillan as skip after Draw 4 . """ Hammy McMillan was replaced by Warwick Smith as Skip after Draw 4 Replaced" 0 +Coxeter defines other groups with anti-unitary constructions , such as these three : the first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines other groups with anti-unitary constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . 1 +Shayne Doyle said I have invested a lot of money in sound equipment , I have door to sound people and people to sound pay . "Shayne Doyle said : "" I have invested a lot of money in sound equipment , I 've door people and sound people to pay ." 0 +Leading Creek is located along the Ohio River at the mouth of Middleport ( 38.998829 , -82.057204 ) . is located at ( 38.998829 , -82.057204 ) along the Ohio River at the mouth of Leading Creek . 0 +The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Portugal and then of Indonesia . The party began as a resistance movement that fought for the independence of East Timor , first from Portugal and then from Indonesia , between 1974 and 1998 . 1 +He married his first wife , Helie of Semur , about 1033 , and repudiated her in 1048 . Robert and Helie had five children : In 1033 , he rejected his first wife , Helie of Semur , and married her in 1048 . Robert and Helie had five children : 0 +The stains are typically a rectangular brown shape , around 150 mm long and 100 mm wide . The stains are typically a rectangular brown shape roughly 150 mm long and 100 mm wide . 1 +The band supports Norwich City FC , with the exception of John Evans , who follows the Wrexham FC . The band supports Norwich City FC , with the exception of John Evans who follows Wrexham FC . 1 +When Mackey was killed in the company of Crowley , Aceveda dedicated himself to bringing it down . When Crowley was killed while in the company of Mackey , Aceveda dedicated himself to bringing him down . 0 +"Machiavelli divides the subject of new states into two types , "" mixed "" cases and purely new states ." "Machiavelli divides the theme of the new states into two types , "" mixed "" cases and purely new states ." 1 +He graduated from Washburn Law School in 1976 and in 1979 from Kansas Newman College . He graduated from Kansas Newman College in 1976 and from Washburn Law School in 1979 . 0 +Lambert was the son of Guy and Teutberga of the Austrasian family of the Guideschi . Guy was the son of Lambert and Teutberga the Austrasian family of the Guideschi . 0 +Gould married Harriet Willes , eldest daughter of the Reverend William Willes , Archdeacon of Taunton , in 1803 . In 1803 , Harriet Willes , the eldest daughter of Reverend William Willes , married Archidiakon of Taunton . 0 +A product of Feilding High School , Northcott followed a well walked path into the Manawatu Turbos Mitre 10 Cup team . Northcott , a product of Feilding High School , followed a well committed path into the Manawatu Turbos Mitre 10 Cup team . 1 +He was the son of Niall MacNeill founder of the Irish Volunteers which Eoin MacNeill joined later becoming an officer in the Irish Army . He was the son of Eoin MacNeill , the founder of Irish Volunteers , whom Niall MacNeill later joined in the Irish Army as an officer . 0 +Initially , Anusree took the lead pair into play and later replaced Mamta Jayaram and Mamta Mohandas . Initially Anusree signed into play the lead pair and later Mamta replaced Jayaram and Mamta Mohandas . 0 +Granel was an important influence on a number of French philosophers , including Jacques Derrida , Jean-Luc Nancy and Bernard Stiegler . Granel was an important influence in a number of French philosophers , including Bernard Stiegler , Jean-Luc Nancy , and Jacques Derrida . 1 +In 1742 the last possession of the Genoese in the Mediterranean , the island fortress of Tabarka , was lost to Tunis . The last possession of the Genoese in the Mediterranean , the island fortress Tabarka , was lost in Tunis in 1742 . 1 +In 1930 the architects Agustín Aguirre and Mariano Garrigues were commissioned to build the Faculty of Pharmacy and Miguel Santos was chosen for the Faculties of Medicine and Dentistry . In 1930 , the architects Agustín Aguirre and Mariano Garrigues were commissioned to build the Faculty of Pharmacy , and Miguel Santos was selected for the Faculties of Medicine and Dentistry . 1 +Taylor grew up in Mount Duneed just outside the coastal town of Torquay in Victoria . Taylor grew up in Mount Duneed , just outside the coastal town of Torquay , Victoria . 1 +In the 2015 federal elections , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . In the 2015 regional elections , after Tosi was excluded by the Federal Party , Gidoni was elected to the Veneto Regional Council in the province of Belluno . 0 +Karolina Šprem defeated Silvia Farina Elia 6 -- 3 , 4 -- 6 , 6 -- 4 . Karolina Šprem defeated Silvia Farina Elia with 6 -- 3 , 4 -- 6 , 6 -- 4 . 1 +He currently lives in NYC and is a member of MJ12 , an instrumental group based in New York . He currently lives in New York and is a member of MJ12 , an instrumental group based in NYC . 1 +The valley itself is made rocky by the river , while the surroundings is lush and green desert . The valley itself is made lush by the river and green , while the surrounding is stone desert . 0 +It overlooked the Upper St. Francis Road , and was manned by members of Missouri 33rd . It overlooked the Upper St. Francis Road , and was manned by members of the 33rd Missouri . 1 +NOA can also be used in the calculation of the discounted cash flow ( FCF ) and therefore the free cash flow model . NOA can also be used in the calculation of free cash flow ( FCF ) and hence in the discounted cash flow model . 0 +"Although iron is generally less active in many catalytic applications , it is less expensive and "" greener "" than other metals ." "Although iron in many catalytic applications is generally less active , it is less expensive and "" greener than other metals ." 1 +Stephen Harper was defeated by Paul Martin as Prime Minister of Canada on 23 January 2006 . On January 23 , 2006 , Paul Martin was defeated by Stephen Harper as Prime Minister of Canada . 0 +"She found Westwick 's portrayal of Chuck was James Spader of "" Pretty in Pink "" and Robert Downey , Jr. similar ." "She found Westwick 's portrayal of James Spader was similar to Chuck of "" Pretty in Pink "" and Robert Downey Jr.." 0 +The site was excavated in 1992 and 1993 by Patrick Garrow of the University of Georgia and David Hally of the Shorter University in Rome , Georgia . The site was excavated in 1992 and 1993 by David Hally of the University of Georgia and Patrick Garrow of Shorter University in Rome , Georgia . 0 +A back injury forced Nik Lentz out of his battle with Rafaello Oliveira and he was replaced by Dan Lauzon . A back injury forced Dan Lauzon out of his fight with Rafaello Oliveira and was replaced by Nik Lentz . 0 +Lewis MacLeod replaced Paul Leyshon for the series 2 . For series 2 , Paul Leyshon replaced Lewis MacLeod . 0 +Kurgo products are also available in Europe through the distributor Accapi Group , while MasterPet distributes Kurgo products in Australia and New Zealand . Kurgo products are also available through the distributor Accapi Group in Australia and New Zealand , while MasterPet Kurgo products are sold in Europe . 0 +Fox offered a then-record $ 1.58 billion to the NFL over four years , significantly more than the $ 290 million per year offered by CBS . CBS offered the NFL $ 1.58 billion over four years , significantly more than the $ 290 million per year offered by Fox . 0 +"Maximilian Lambertz proposed that the word from the Italian "" Bailo "" , the title of the Venetian Ambassador to the Ottomans derived ." "Maximilian Lambertz suggested that the word be derived from the Venetian "" bailo "" , the title of the Italian Ambassador to the Ottomans ." 0 +Archana is an accomplished film actress and southern Indian Kuchipudi and Kathak dancer , renowned for her works in the Indian film industry . Archana is an Indian film actress and completed Kuchipudi and Kathak Dancer , known for her works in the South Indian film industry . 0 +Later , engineers who followed Interstate 85 constructed again much of this route from Petersburg , Virginia , to the border of Georgia State . Later , engineers who designed Interstate 85 followed much of this route again from Petersburg , Virginia , to roughly the Georgia state border . 0 +There were 5 different groups of people at EuroJam . The official border colors of their main EuroJam scarves identified them . There were 5 main groups of people at EuroJam who were identified by the different border colors of their official EuroJam scarves . 0 +It inhabits rather dry habitat on the border between the Great and Little Karoo of the western Northern Cape and Eastern Free State Provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of eastern Northern Cape and western Free State provinces , South Africa . 0 +Dunkerton moved to Herefordshire from London at the age of 14 . Dunkerton moved from Herefordshire to London at the age of fourteen . 0 +The damage was particularly serious in La Paz , Triunfor , San Antonio , San Bartolo , San Lucas , San José del Cabo and Miraflores . Damage was particularly heavy in La Paz , Triunfor , San Antonio , San Bartolo , Cabo San Lucas , San José del Cabo , and Miraflores . 1 +Coxeter defines other groups with anti-unitary constructions , for instance these three : the first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines with other constructions anti-unitary groups , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . 0 +Although developed in Singapore , it is commercially used mainly in Europe . Although being developed in Singapore , it is mainly used commercially in Europe . 1 +Lautenberg 's relationship with Lautenberg had been very rocky , especially when Torricelli Torricelli directly accused Whitman of encouraging him to ask for his seat in the Senate . Lautenberg 's relationship with Lautenberg had been very rocky , especially when Torricelli directly accused Torricelli of encouraging Whitman to challenge him for his Senate seat . 0 +The Italian church St. John Bosco is named after St. Giovanni Bosco . The Italian Church of St. John Bosco is named after St. Giovanni Bosco . 1 +The album was released on the RCA Vict The album was released on the RCA Victor label in France and at Metronome Label in Germany . 0 +The event will attract tourists and participants from all areas of the Oregon Coast , Washington and California . The event draws tourists and participants from all areas of the California coast , Washington and Oregon . 0 +During the late twenties , Merzbach worked in Sweden before returning to Germany . Merzbach worked in Germany during the late twenties before returning to Sweden . 0 +The terminal was built by Legend Airlines and was later used by Legend Airlines and Delta Connection/Atlantic Southeast Airlines . The terminal was built by Legend Airlines and was later used by Legend Airlines and Delta Connection / Atlantic Southeast Airlines . 1 +Between 2006 and 2011 , Nantes , Bordeaux , Rennes , Montpellier , Toulouse and Lyon had the fastest-growing metropolitan areas in France . Between 2006 and 2011 , Nantes , Bordeaux , Rennes , Montpellier , Toulouse , and Lyon had the fastest-growing conurbations in France . 1 +The Geamărtălui River is a tributary of the Strâmba River in Romania . The river Geamărtălui is a tributary of the Strâmba River in Romania . 1 +He was born and grew up in Podgorica ( now Titograd ) in a family of musicians . He was born in Podgorica ( now Titograd ) and grew up in a family of musicians . 1 +Dighton is located in the Fifth Bristol state representative district , which includes Somerset and parts of Swansea and Taunton . Dighton is located in the fifth Bristol State representative district , which includes the Somerset and parts of Swansea and Taunton . 1 +For example : during the summer , the distance from Fresno to Mammoth Lakes is , while in winter it nearly doubles to . For example : during the summer is the distance from Fresno to Mammoth Lakes , while in winter it almost doubles . 1 +"Griffith asked him when he should declare , said Smith "" Now ! "" Now !" "Smith asked him when he should declare , Griffith said "" Now ! """ 0 +The authors for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . Writers for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . 1 +Eddie told Peyton that he rocked and Peyton was later seen at his concert with Sarah . Sarah told Peyton that he had rocked and Peyton was seen later at his concert with Eddie . 0 +He also continued this post when Winston Churchill came to power in 1940 , and was Churchill 's general postmaster between 1943 and 1945 . He continued in this post then when Winston Churchill came to power in 1940 , and was also Postmaster General under Churchill between 1943 and 1945 . 0 +Dantès ' friend Sidney Blackmer ( Fernand Mondego ) accompanies him to the jail . The friend of Dantès , Sidney Blackmer ( Fernand Mondego ) , accompanies him to the jail . 1 +The sender of an original message shared the decoding technique needed to recover the encrypted information only with intended recipients , thereby preventing unwanted persons from doing the same thing . The originator of an original message shared the decoding technique needed to recover the encrypted information only with intended recipients , thereby precluding unwanted persons from doing the same . 1 +Leopoldina Naudet was born in 1773 in Florence as the eldest daughter of Giuseppe Naudet and Susanna of Arnth , whose sister Luisa was . Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Giuseppe Naudet and Susanna von Arnth ; her sister was Luisa . 1 +In 1968 , Barbara Myers learned about the Myers Ranch from Catherine Gillies , the granddaughter of Charles Manson . In 1968 , Catherine Gillies , granddaughter of Charles Manson , Barbara Myers learned about Myers Ranch . 1 +She rented a house in Grosse Pointe , Michigan for two years , and then bought one in the Palmer Woods section of Detroit . They rented a house in Grosse Pointe , Michigan , for two years , then bought one in the Palmer Woods section of Detroit . 0 +Seremban is part of the Nilai constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Seremban is part of the Nilai constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 1 +"The Chicago to Hoosier State route is used by Amtrak for the "" Cardinal "" and the "" Lafayette "" ." "The route from Chicago to Hoosier State is used by Amtrak for "" Cardinal "" and "" Lafayette "" ." 1 +It is directed by Yasir Nawaz and written by Rida Bilal . It is led by Yasir Nawaz and written by Rida Bilal . 1 +Both series were written by Joel Goss and Michael Kaluta , and drawn by Gary Gianni . The two series were drawn by Joel Goss and Michael Kaluta and written by Gary Gianni . 0 +The 1973 Purdue University football team represented Purdue Boilermakers in the 1973 Big Ten Conference football season . The 1973 Purdue Boilermakers football team represented Purdue University in the football season of 1973 at the Big Ten Conference . 0 +Bhilai Airport is located in Bhilai , Chhattisgarh , India . Bhilai Airport is located at Bhilai , in Chhattisgarh , India . 1 +Founded by George Dewey in 1899 , the town was named for Admiral Jacob A. Bartles . Founded in 1899 by George Dewey , the town was named after Admiral Jacob A. Bartles . 1 +Cowper drew a pencil portrait of John Higgins and painted landscapes . John Higgins drew a pencil portrait of Cowper , and also painted landscapes . 0 +Roman was born in Rankin , PA and grew up in Verona , PA attending Penn Hills High School in Penn Hills , PA . Roman was born in Rankin , PA , and grew up in Verona , PA , attended by Penn Hills high school in Penn Hills , PA . 1 +He has also interviewed authors and musicians , including his interview with bassist Sean Yseult of White Zombie , author Anne Bishop and author Janet Evanovich . Sherwin has also interviewed authors and musicians . Including , his interview with bassist Sean Yseult of White Zombie , author Anne Bishop , and author Janet Evanovich . 1 +Alex Alex Corretja defeated Andre Agassi 2 -- 6 , 6 -- 2 , 6 -- 3 Alex Corretja defeated Andre Agassi 2 -- 6 , 6 -- 2 , 6 -- 3 1 +Taylor was born on 11 June 1890 in Winton , North Carolina , around Simeon P. and Kate ( Ward ) Taylor . Taylor was born in Winton , North Carolina on June 11 , 1890 to Simeon P. and Kate ( Ward ) Taylor . 1 +In 2015 it was named Philharmonie 2 as part of the Philharmonie de Paris when a larger symphony hall was built by Jean Nouvel and renamed Philharmonie 1 . In 2015 it was renamed Philharmonie 2 as part of the Philharmonie de Paris , when a larger Symphony Hall was built by Jean Nouvel and Philharmonic 1 was named . 0 +In order to calculate such a point mass , an integration over the entire range of continuous size is carried out on the probability density of the random part . To calculate such a point mass , an integration is carried out over the entire range of the random variable , on the probability density of the continuous part . 0 +Fowey Rocks Light is located seven miles southeast from Cape Florida on Key Biscayne . Fowey Rocks Light is located seven miles southeast of Cape Florida on Key Biscayne . 1 +6 -- 3 , 6 -- 4 defeated Billie Jean King . Ann Jones defeated Billie Jean King , 6 -- 3 , 6 -- 4 . 1 +He was commissioned first lieutenant on October 14 , 1917 at Fort Des Moines , and weeks later married a West Medford native , Madeline Mabray Kountze . He was commissioned on 14 October 1917 in Fort Des Moines first lieutenant , and weeks later a West Medford born , Madeline Mabray Kountze , married . 1 +In a game new to SimLife , the player aims to create a similar ecology for Gungun colonisers . In a game similar to SimLife , the player aims to create a new ecology for Gungun - colonial gentlemen . 0 +In the front reserve , the division covered the Danube crossing on the Romanian-Bulgarian border . In the front reserve , the division covered the crossing of the Danube on the Romanian-Bulgarian border . 1 +Heike Brandt was born in Jever and grew up in Berlin . Heike Brandt is born in Jever and grew up in Berlin . 1 +The United Kingdom followed in 1955 ; Italy in 1964 by Hiroshi Tada ; and Germany in 1965 by Katsuaki Asai . In 1955 , the United Kingdom followed , in 1964 Katsuaki Asai Germany and in 1965 Hiroshi Tada Italy . 0 +"At the 54th International Film Festival of Locarno , his British English feature , Déjàvu "" , was premiered with international actors ." "His international English feature film "" Déjàvu "" with British actors premiered at the 54th Locarno International Film Festival ." 0 +Drummond and Smith College , a new college inside the University of New England ( Australia ) , is currently closed to residents . Drummond and Smith College , a new college within the University of New England ( Australia ) , is currently closed to residential residents . 1 +The manuscript was added by Gregor ( number 252 ) and Scrivener ( number 223 ) to the list of manuscripts of the New Testament . The manuscript was added to the list of New Testament manuscripts by Scrivener ( number 252 ) and Gregory ( number 223 ) . 0 +The nearest airport is Ujjain . The nearest railway station is Devi Aahilya Bai Holkar Airport , Indore . The nearest airport is Devi Aahilya Bai Holkar Airport in Indore , the nearest station is Ujjain . 0 +When synthetic pins are hit by the ball , they usually sound different from wooden pins . When hit by the ball , synthetic pins usually sound different from wooden pins . 1 +Born in Atlanta , Georgia , the son of Gina Ann ( nee Carlton ) and William Riggs , he has a younger brother , Grayson . Riggs was born in Atlanta , Georgia , the son of Gina Ann ( née Carlton ) and William Riggs . He has a younger brother , Grayson . 1 +In March 1904 , his brother was kidnapped in Mexico for ransom and brought across the border to West Texas . In March 1904 , his brother was kidnapped for ransom in Mexico and taken across the border to West Texas . 1 +The radio stations with nationwide coverage include the three public channels ( Radio Tirana 1 , 2 , and 3 ) , Top Albania Radio and Plus 2 Radio . The radio stations with comprehensive coverage include the three public channels ( Radio Tirana 1 , 2 and 3 ) , Top Albania Radio and Plus 2 Radio . 1 +One of these , Micheál Martin , said Fianna Fáil leader Shane Ross had contacted them the previous day and that they would meet the following week . One of them , Micheál Martin , said that Fianna Fáil - leader Shane Ross had contacted her the day before and that they would meet the following week . 1 +Hasan took his squadron into the port without hesitation , burned it and the arsenal , plundered the Umayyad ships anchored there , and returned to Ifriqiya . Without hesitating , Hasan took his squadron into the harbour , plundered it and the arsenal , burned the Umayyad ships anchored there , and returned to Ifriqiya . 0 +Route 136 is a cross-regional service connecting the lower districts of North Shore , Forest and Northern Beaches . Route 136 is a cross-regional service connecting the lower Northern Beaches , Forest and North Shore districts . 0 +One week after Benjamin Linus ’ apos ; birth came Alex ( Michael Emerson ) and took Alex from Rousseau . One week after Alex 'apos ; birth came Benjamin Linus ( Michael Emerson ) and took Alex from Rousseau . 0 +This species is spread in the Gulf of Mexico and the Atlantic , along Brazil in the Caribbean Sea . This species is distributed in the Gulf of Mexico and the Atlantic Ocean ; in the Caribbean Sea along Brazil . 1 +Luke binds Ashley with tape , then forces her to play truth or dare . Luke binds Ashley with duct tape , then forces her to play truth or dare . 1 +The film was produced by S. P. S. Pictures managed by R. Sockalingam and was directed by Ch . The film was produced by S. P. S. Pictures administered by R. Sockalingam and was managed by Ch . 1 +The music was composed by Poovachal Khader and the lyrics by M. S. Viswanathan were written . The music was composed by M. S. Viswanathan and the lyrics by Poovachal Khader were written . 0 +He is the son of the French cyclist Adri van der Poel , the brother of Mathieu van der Poel and grandson of the Dutch cyclist Raymond Poulidor . He is the son of the Dutch cyclist Adri van der Poel , brother of Mathieu van der Poel and grandson of the French cyclist Raymond Poulidor . 0 +"Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish-Swedish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish - Swedish soprano ." 1 +""" PixelJunk Eden "" can be played alone or with up to three local players performing cooperatively , each controlling their own Grimp ." """ PixelJunk Eden "" can be played alone or with up to three local players who operate cooperatively , with each controlling their own grimp ." 1 +Holcombe Ward ( USA ) defeated William Clothier ( USA ) 10 -- 8 , 6 -- 4 , 9 -- 77 Holcombe Ward ( USA ) defeated William Clothier ( USA ) 10 -- 8 , 6 -- 4 , 9 -- 7 0 +The New Mexico Senate is the upper house of New Mexico State Legislature . The New Mexico State Legislature is the upper house of the New Mexico Senate . 0 +Lawrence Albert plays Watson among the Holmes of first John Gilbert and later John Patrick Lowrie . John Patrick Lowrie plays Holmes to the Watson first Lawrence Albert and later John Gilbert . 0 +The museum consists of a main information room , a restoration hangar , the new hangar Texas Flying Legends and the Oswin H. Elker Hangar . The museum consists of a new information hall , a restoration hangar , the main hangar Texas Flying Legends and the Oswin H. Elker Hangar . 0 +On December 22 , 1862 , to reorganize the Montana territory and form the new Washington territory . 738 on December 22 , 1862 , to reorganize the Montana Territory and form the new Washington Territory . 1 +From 1714 to 1725 , the house was extended according to plans by William Adam ( father of the architect Robert Adam , who created Edinburgh New Town ) . From 1714 to 1725 the house was extended on plans by William Adam , ( father to Robert Adam the architect who created Edinburgh New Town ) . 1 +Bandra is a neighborhood located in western Bandra in the state of Maharashtra , India . Many personalities active in Bollywood , cricket and politics reside in Mumbai . Bandra is a neighborhood located in western Mumbai in the state of Maharashtra , India Many personalities active in Bollywood , in cricket and politics , live in Bandra . 0 +Manuel Santana defeated Dennis Ralston , 6 -- 4 , 11 -- 9 , 6 -- 4 Defeated Dennis Ralston , Manuel Manuel Santana , 6 -- 4 , 11 -- 9 , 6 - 4 - 0 +Allie sails from England to Australia alone after her father 's death . After her father 's death , Allie sails from Australia alone to England . 0 +Des Moines are included in the Warren County -- West Des Moines , Metropolitan Statistical Area IA . Warren County is included in the Des Moines - West Des Moines , Metropolitan Statistical Area IA . 0 +"It was classified in 2015 as a new kind within the new genus "" Gigantopelta "" and was described within the family Peltospiridae ." "It was described as a new species within new genus "" Gigantopelta "" in 2015 and it was classified within the family Peltospiridae ." 0 +John Benezet was a native of Philadelphia , the son of Daniel Benezet , a prominent Philadelphia merchant . Daniel Benezet was a native of Philadelphia and the son of John Benezet , a prominent Philadelphia merchant . 0 +The school is split into four houses : Castle ( red ) , Palace ( green ) , Tower ( yellow ) and Abbey ( blue ) . The school is subdivided into four houses : castle ( red ) , palace ( green ) , tower ( yellow ) and abbey ( blue ) . 1 +Some large excess microwave noise generators use Avalanche diodes to create commercial noise that can be switched on and off . Some large excess microwave noise generators use avalanche diodes to create a commercial noise figure that can be turned off and on . 1 +Regular verbs are like the participle perfect very predictable , but many verbs ( mainly the second conjugation ) are irregular . Like the past participle , regular verbs are very predictable , but many verbs ( mainly of the second conjugation ) are irregular . 0 +The rivalry between Devitt and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Tanahashi was victorious . The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack deathmatch at Destruction , where Tanahashi was winning . 1 +"Livestreaming - In addition to several gameplay movies , members of the crew also produce "" Let 's Play "" style videos ." "In addition to livestreaming - gameplay - films , several members of the crew also produce videos in "" Let 's Play "" style ." 0 +Chris Egan ( Nick Smith ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different scratches . Nick Smith ( Chris Egan ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different situations . 1 +"The accompanying music video for "" Slow "" was run by Michael Rooney and choreographed by Baillie Walsh ." "The accompanying music video for "" Slow "" was directed by Michael Rooney and choreographed by Baillie Walsh ." 1 +"Of the twelve stories that are included , six were previously published in the author 's first collection , "" evening news "" ." "Six of the twelve published stories were previously included in the author ’ s first collection , "" The Evening News "" ." 0 +Elizabeth Wood 's first memorable encounter with Thomas Kane was at the age of six when he was twenty years old . Elizabeth Wood 's first memorable encounter with Thomas Kane was at six years old when he was twenty . 1 +Mars is a dry world with a thin atmosphere whose inhabitants , described as short and insect-like , are seen but not mentioned in the stories . Mars is a dry world with a thin atmosphere , whose inhabitants , who are described as short and insect-like , are seen but not mentioned in the stories . 1 +The Olt River is a tributary of the Stini River in Romania . The Olt River is a tributary of the Stiniș River in Romania . 1 +It includes all of Douglas County , which includes Sarpy County , and the western areas of suburban Omaha . It includes all Douglas county , which includes Sarpy County , and the western areas of suburban - Omaha . 1 +Dave Denine is a provincial politician in Newfoundland and Labrador , Canada , who worked as Minister of Intergovernmental Affairs from 2007-2011 in the former Canadian cabinet . Dave Denine is a provincial politician in Newfoundland and Labrador , Canada . He served in the former Canadian cabinet from 2007-2011 as Minister of Intergovernmental Affairs . 1 +The 2005 Standards were adopted by the California Energy Commission on November 5 , 2003 , and approved by the Building Standards Commission on July 21 , 2004 . The standards for 2005 were approved by the California Energy Commission on 5 November 2003 and adopted by the Building Standards Commission on 21 July 2004 . 0 +The Latoriţa River is a tributary of the Galbenu River in Romania . The river Latoriţa is a tributary of the River Galbenu in Romania . 1 +It is found from most of Britain to Romania and from Japan through Central Russia to the Iberian Peninsula . It is found from most of Britain to Romania and Russia through Central Japan to the Iberian Peninsula . 0 +""" Welcome to my Living Room "" was filmed in August 2005 in Sydney , Australia , with additional footage that was shot in November 2006 in Temecula , California ." """ Welcome to my Living Room "" was filmed in August 2005 in Temecula , California and filmed in November 2006 in Sydney , Australia ." 0 +The following year , Herman Rarebell resigned for personal reasons and was replaced by Rudy Lenners . For personal reasons , Rudy Lenners joined the following year and was replaced by Herman Rarebell . 0 +The boat has a PHRF racing average handicap of 183 with a low of 198 and high of 180 . The boat has an average PHRF racing handicap of 183 with a depth of 198 and a high of 180 . 1 +Peter Ebdon won the title for the first time and proposed Stephen Hendry 9 -- 8 in the final . Stephen Hendry won the title for the first time and beat Peter Ebdon 9-8 in the final . 0 +When the arms were removed , they were landed by volunteers on bicycles and vehicles . When the arms were removed they were landed on bicycles and in vehicles by volunteers . 1 +As a senior in 2003 , he threw for 1,070 yards and rushed for 1,291 to earn District 18-4A MVP honors . As a senior in 2003 , he rushed for 1,070 yards and threw for 1.291 to earn District 18-4A MVP honors . 0 +District Viñac is one of thirty-three districts in the province of Yauyos in the region Lima in Peru . Viñac District is one of thirty-three districts of the Yauyos Province in the Lima Region of Peru . 1 +Later he joined Calcutta Football League and played in the Kolkata outfit United SC . He later joined Outfit United SC in Kolkata and played in the Calcutta Football League . 0 +"As the name suggests , the linear Interpolant "" is not "" linear , but rather it is the product of two bilinear functions ." "As the name suggests , the linear interpolant is "" not "" linear ; but it is the product of two bilinear functions ." 1 +The IAA became active in federal politics again when the Liberal Government published its White Paper policy in 1969 . The IAA again became active in Liberal politics when the federal government released its White Paper Policy in 1969 . 0 +The Casimcea River is a tributary of the Cartal River in Romania . The Cartal River is a tributary of the River Casimcea in Romania . 0 +Both highlighted the continuing influence of the forms of cultural materialism developed by Williams and his successors on literary and cultural studies . Both traced the continuing influence on cultural studies of the kinds of literary and cultural materialism developed by Williams and his successors . 0 +Hutchison Whampoa was formerly listed on the New York ( SEHK ) and Hong Kong ( NYSE ) stock exchanges , and is fully owned by Hutchison Telecom . Hutchison Telecom was formerly listed on the stock exchanges of Hong Kong ( SEHK ) and New York ( NYSE ) . It is fully owned by Hutchison Whampoa . 0 +In the summer of 1893 , the Czech composer Josef Jan Kovařík spent in Spillville , where his friend Antonín Dvořák had relatives . The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had kinship . 0 +She took refuge in London with her family in 1938 , and the family settled in East Finchley in the north of England , where she attended the Tollington Hill School . With her family she took refuge in London in 1938 , and the family settled in East Finchley , in northern England where she attended Tollington Hill School . 1 +In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in 2012 in Frankfurt . In February 2007 , Barbara Fischinger performed on the original Lumigraph in Amsterdam , and in 2012 in Frankfurt . 1 +After Izumi had drawn some early character designs for Hibiki , Maeda wanted to continue the story and start a manga with Izumi as artist . After Izumi drew some early character designs for Hibiki , Izumi wanted to continue the story and start a manga with Maeda as the artist . 0 +Previously , she played for Åland United , the FC Honka and HJK of the Finnish Naisten Liiga as well as the Danish club Fortuna Hjørring . She played for HJK , FC Honka and Åland United of the Finnish Naisten Liiga as well as for the Danish club Fortuna Hjørring . 1 +""" Pantheon and other role-playing games "" included a total of five different storytelling games or five different competitive scenarios , as they all use the same "" narrative "" ." """ Pantheon and other role-playing games "" included a total of five different storytelling games -- or five different scenarios , as they all use the same "" narrative "" style ." 0 +He was born in Quebec around 1760 and settled in Detroit in 1782 ( the then Scotland ) . He was born in Scotland around 1760 and settled in Detroit in 1782 ( then still Quebec ) . 0 +Annie Young won the NCAA Division I individual championship in 2010 under new coach Caroline Hedwall . Caroline Hedwall won the individual championship of NCAA Division I under new trainer Annie Young in 2010 . 0 +Both Phasael and Antipater began their careers under their father , Herod , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . Both Phasael and Antipater began their career under their father Herod , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . 1 +Shikiji Station is an unmanned station with a wooden side platform connected directly to a single station building . Shikiji Station is an unmanned station with a wooden side platform that is directly connected to a single station building . 1 +Riverton was a parliamentary electorate in the Southland region of New Zealand . Riverton was a parliamentary electorate in the Southland region of New Zealand . 0 +23 April 1975 : Derby County win the title after Ipswich Town can only draw 1 -- 1 with Manchester City . April 23 , 1975 : Derby County wins the title after Ipswich Town can only draw with Manchester City 1 : 1 . 1 +"Max Nettlau wrote to historian Goldman that the Haymarket affair had awakened the social consciousness of "" hundreds , perhaps thousands , of people "" ." "Goldman wrote to historian Max Nettlau that the Haymarket affair had awakened the social awareness of "" hundreds , perhaps thousands of people "" ." 0 +"Yuan Shao was a "" xiaolian "" and served as a county official in his early years under the warlord Dong Zhao before being promoted to a military adviser ." "He was a "" Xiaolian "" and served in his early years as a district official under the warlord Dong Zhao , before being promoted to a military adviser ." 1 +"The plate is sometimes known as "" Turkish pizza "" or "" Armenian pizza "" ." "The dish is sometimes known as "" Turkish pizza "" or "" Armenian pizza "" ." 1 +"On 12 March 1801 , "" Eling was sailing with the British fleet under Admiral Sir Hyde Parker and became the Battle of Copenhagen ( 1801 ) ." "On 12 March , 1801 , "" Eling "" was with the British fleet under Admiral Sir Hyde Parker and sailed at the Battle of Copenhagen ( 1801 ) ." 0 +Expected Exposure ( EE ) is used similarly to the PFE , except that the average instead of a certain quantile is defined . The Expected Exposure ( EE ) is defined similarly to the PFE , except that the average is used instead of a specific quantile . 0 +Earl Russell Madden was born in Austin , Minnesota , John Madden and Mary Margaret Madden . Earl Russell Madden was born in Austin , Minnesota to John Madden and Mary Margaret ( née Flaherty ) Madden . 1 +The first edition of the tournament won Ricardo Mello against Eduardo Schwank with 6 -- 4 , 6 -- 2 in the finals . Ricardo Mello won the first edition of the tournament against Eduardo Schwank 6 -- 4 , 6 -- 2 in the final . 1 +In the early years , KETS was associated with PBS , the forerunner of the current National Educational Television . In the early years , KETS was connected with National Educational Television , the forerunner of the current PBS . 0 +""" Nobody Does It Better "" is a song composed by Carole Bayer Sager with texts by Marvin Hamlisch ." """ Nobody Does It Better "" is a song with texts by Carole Bayer Sager composed by Marvin Hamlisch ." 0 +It is located in the central part of the Belmont County in Warren Township and is part of Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central portion of Belmont County in Warren Township and is part of the Wheeling , West Virginia Metropolitan Statistical Area . 1 +But the targets are not easy -- grandmother , wife of an oligarch , virgin , feminist and sectarian . But the goals are not easy - grandmother , wife of an oligarch , sectarian , feminist and virgin . 1 +Eaton is named after William Eaton , a military officer and commander of the Revolutionary Forces of the United States in Tripoli . Eaton is named for William Eaton , a Revolutionary officer and commander of the United States military forces in Tripoli . 0 +Born and raised in Vancouver , Canada , British Columbia , he died in Aylesbury , Saskatchewan , Canada . Born and raised in Aylesbury , Saskatchewan , Canada , he died in Vancouver , British Columbia , Canada . 0 +"Koca ( a Turkish word meaning "" large "" or "" great "" ) may refer to :" "Koca ( a Turkish word for "" large "" or "" great "" ) may refer to :" 1 +The Euler - Tour - Representation ( ETR ) can be represented in parallel in an undirected tree constructed as a set of edges as follows : The Euler - Tour - Representation ( ETR ) can be constructed in parallel with an undirected tree presented as a set of edges : 0 +SR = ratio of the number of won Grand - Slam tournaments to the number of played . SR = ratio of the number of Grand Slam singles tournaments played to the number won . 0 +This Caladenia usually grows in open forests and is found in the southern Flinders Ranges and northern Mount Lofty Ranges . This caladenia usually grows in open forest and is found in the southern Flinders Ranges and northern Mount Lofty Ranges . 1 +He is the nephew of Larry Bowa Johnson and his wife , Brianna , was born on 31 January 2006 , their first child , Liz . He is the nephew of Larry Bowa . Johnson and his wife , Brianna , had their first child , Liz , on January 31 , 2006 . 1 +WaridTel also uses this option , but is not nationwide and only displays offers . WaridTel also uses this option but it is not nationwide and displays offers only . 1 +""" PixelJunk Eden "" can be played alone or with up to three local players who operate cooperatively , with each controlling their own grimp ." """ PixelJunk Eden "" can be played cooperatively or with up to three local players performing alone , each controlling their own Grimp ." 0 +For the season in 1951 the circuit merged with the Arizona - Southwest - International League to form the Texas League . For the 1951 season , the circuit merged with the Arizona -- Southwest International League to form the Texas League . 1 +Stony Point railway station is located on the Tyabb line in Victoria , Australia . Stony Point railway station is on the Tyabb line in Victoria , Australia . 1 +Because of a misunderstanding on 11 November , he was assigned to Zaječar and transferred as commander of an infantry brigade in the Timok Division . Because of a misunderstanding on November 11 , he was allocated to Zaječar and transferred to the Timok Division as commander of an infantry brigade . 1 +The building was expanded in 1967 and a second major enlargement was completed in 1999 . The building was expanded in 1967 , and a second major expansion was completed in 1999 . 1 +Its current chairman is Henry Butler , and its district manager is Richard Flateau . Its current chairman is Henry Butler , and its district manager is Richard Flateau . 1 +Despite its name , Red Lake County contains only one named lake : Moran Lake , near Huot . Despite its name , Red Lake County contains only a named lake : Moran Lake , near Huot . 1 +It was first completed successfully by a 12-year-old American , Tom Schaar , on March 26 , 2012 . It was first successfully completed by a twelve-year-old American , Tom Schaar , on 26 March 2012 . 1 +It serves Udupi and the university town of Udupi , which is south of the train station and manipal . It serves Udupi and the university town of Manipal , which is south from the station and Udupi . 0 +""" Point Blank 1.5 "" was released in Singapore and Malaysia in January 2014 , published by Garena ." """ Point Blank 1.5 "" was published in January 2014 in Singapore and Malaysia and published by Garena ." 1 +Joe was born on March 27 , 1929 in Somerville , Massachusetts , where he grew up in Quincy , Massachusetts . Joe was born on 27 March 1929 in Quincy , Massachusetts and grew up in Somerville , Massachusetts . 0 +Bremerton Marina is a public marina located in downtown Bremerton , Washington on Puget Sound , in Sinclair Inlet . The facility of the marina is within Kitsap County . Bremerton Marina is a public marina in the downtown of Kitsap County at Puget Sound , Bremerton , Washington . The marina is located in Sinclair Inlet . 0 +2006 : David Neale was appointed Chief Executive following the death of Paul Britton in December 2005 . In 2006 , after the death of Paul Britton in December 2005 , David Neale was appointed Chief Executive . 1 +Kennell was born in Colorado Springs , Colorado , and spent her early years between the Rockies and Dunedin , Florida . Kennell was born in Colorado Springs , Colorado . She spent her early years going back and forth between the Rockies and Dunedin , Florida . 1 +In 2013 Peter married Anna Barattin while Julia is married to Nicholas Furiuele , both are members of the band Shantih Shantih . In 2013 , Nicholas married Furiuele Julia , while Peter is married to Anna Barattin , both of whom are members of the band Shantih Shantih . 1 +A Broadway - Revival 2001 was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . A Broadway - Revival 2001 was staged by Joe Mantello and performed Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . 0 +The flag of Sri Lanka , was adopted for the Western Province of Western Province in 1987 . Sri Lanka 's flag was adopted in 1987 for the Western Province of Western Province . 1 +The continuous power density is determined by the product of the continuous torque density and the constant torque speed range of the electric machine . The constant power density is determined by the product resulting from the continuous torque density and the continuous torque - speed range of the electric machine . 0 +He was inherited by 51 among the leaders in stranded runners . He was among the leaders in inherited runners stranded with 51 . 0 +The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the second stage began the next day on the mountain . The Giro 's mountainous stage 20 ended on the slopes of Les Deux Alpes , and the penultimate stage began on the mountain the next day . 1 +Although it is being developed in Europe , it is used commercially mainly in Singapore . Although developed in Singapore , it is commercially used mainly in Europe . 0 +Club owner Silvio Berlusconi announced his departure on May 25 , 2016 , along with those of Mario Balotelli , Kevin - Prince Boateng and Phillippe Mexes . On 25 May 2016 , club owner Silvio Berlusconi announced his departure , along with those of Mario Balotelli , Kevin-Prince Boateng and Phillippe Mexes . 1 +Eastside is a former settlement in Imperial County , California . It was located north of Holtville . Eastside is a former settlement located in Imperial County , California , north of Holtville . 1 +It is found on quartzite hills in the Wheatbelt region of Western Australia near Moora where it grows in sandy soils often with gravel . It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it is often grown with gravel in sandy soils . 0 +There are seven picnic places and some have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 persons and can be reserved . 0 +Techne as an activity is concrete , variable and context-dependent . As an activity , techne is dependent , variable , and context-concrete . 0 +Calvert requested that the supply drops contain less food and more ammunition . Calvert requested that supply drops contain less food and more ammunition . 1 +Seychelles is in the Indian Ocean south of the main Coëtivy Island group . The island of Coëtivy is located in the Indian Ocean south of the main Seychelles group . 0 +He has also recorded two solo albums under his own name and three albums made in Indonesia under the name Sabah Habas Mustapha . He also recorded two solo albums under his own name and three albums in Indonesia under the name Sabah Habas Mustapha . 0 +The locomotives were ordered from Neilson , Reid and Company and delivered in 1903 . The locomotives were ordered from Neilson , Reid and Company and were delivered in 1903 . 1 +Motivated by his passion for professional football , Arid Garcia decided to support local football in the State of Lara . Motivated by his passion for professional football , Arid Garcia decided to support the local football in the state of Lara . 1 +These canons were later approved in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . These canons were later approved by the Eastern Council in Trullo in 692 but rejected by Pope Constantine . 1 +Finally , Yachama Naidu arranged with the captain of the Vellore Fort to murder the guards and release Sriranga II and his family . Finally , Yachama Naidu agreed with the captain of the Vellore Fort to murder the guards and to release Sriranga II and his family . 1 +The black suit was largely replaced in the 20th century by the dark blue or grey suit . In the 20th century , the black suit was largely replaced by the dark blue or grey suit . 1 +He died in Brussels ( Ixelles ) on August 15 , 1950 . He died in Brussels ( Ixelles ) on 15 August 1950 . 1 +She was born Doris Miles in Fredericksburg , Virginia , and married George J. Disney in 1936 . She died in Glastonbury , Connecticut . She was born in 1936 in Glastonbury , Connecticut , and married George J. Disney , died in Fredericksburg , Virginia . 0 +The heart is opened and the ventricular septal defect is closed with a patch . The heart is opened and the ventricular septum defect is closed with a patch . 1 +Daniela Castro ( born Daniela Castro Arellano on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico as Daniela Castro ) is an Irish Mexican actress and singer . 0 +The River Titimoiu is a tributary of the Ceapa River in Romania . The Ceapa River is a tributary of the Titimoiu River in Romania . 0 +Daniel Benezet was a native of Philadelphia , the son of John Benezet , a prominent Philadelphia merchant . Daniel Benezet was a native of Philadelphia and the son of John Benezet , a prominent Philadelphia merchant . 1 +All 14 films were received in North America by Funimation , and all have licensed in-house dubs by the company . All 14 films were received from funimation in North America , and all of them have licensed in-house dubs by the company . 1 +Shortly before his death , Aleksander Mikhailov , according to Sergei Yushenkov , received threats from a high-ranking FSB - General , Grigory Pasko . Shortly before his death , according to Grigory Pasko , Sergei Yushenkov received threats from a high-ranking FSB - General , Aleksander Mikhailov . 0 +Democrat Rob Robb , the incumbent , ran for a third term , but lost to Republican George Allen . The established Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . 0 +In the November 1856 state elections , 81 Republicans , 31 Democrats , and 8 Americans were elected to the Assembly for the 1857 session . At the State election in November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the session of 1857 . 1 +""" Countdown "" is the sixth single by the Japanese singer Hyde , and the first single from his third solo album "" Faith "" ." """ Countdown "" is the sixth single by Japanese singer Hyde , and the third solo single from his first album "" Faith "" ." 0 +Roxburgh Junction railway station served on the Kelso Line , and was the village of Roxburgh , Scottish Borders , from 1850 to 1964 . The Roxburgh Junction railway station was on the Kelso Line and served the village of Roxburgh , Scottish Borders from 1850 to 1964 . 0 +"The 2nd constituency of Cantal is a French constituency in the Cantal "" département "" ." The French legislative constituency of Cantal is a 2nd constituency in the Cantal département . 0 +Pratt left Vickers in 1912 to work for J. Samuel White at Cowes . Pratt had left Vickers in 1912 to work for J. Samuel White at Cowes . 1 +Warren County is included in the Des Moines -- West Des Moines , IA Metropolitan Statistical Area . Des Moines are included in the Warren County -- West Des Moines , Metropolitan Statistical Area IA . 0 +In 2006 , the newspaper celebrated its 100th anniversary and celebrates its 90th anniversary in 2016 . The newspaper celebrated its 100th anniversary in 2006 and will celebrate its 90th anniversary in 2016 . 1 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy film written by , produced by and directed by Wong Jing . Men Suddenly in Love is a 2011 Hong Kong romantic comedy written by Wong Jing , produced and managed by . 1 +Until 1847 , the Keiskamma River marked the border between the Cape Province and the former British Kaffraria , also known as Queen Adelaide 's province at the time . The Keiskamma River marked the border between the Province and former British Kaffraria , known also then as Queen Adelaide 's Cape Province , until 1847 . 0 +For the 2011 season -- 12 Cowdenbeath were managed by Jimmy Nicholl , following the resignation of Colin Cameron at the end of the last season . For season 2011 -- 12 Cowdenbeath were managed by Jimmy Nicholl , following the resignation of Colin Cameron at the end of the previous season . 1 +Ravi Varma won the Special Mention in 1985 Kerala State Film Awards and secured Filmfare Award for his role as Mammootty . Mammootty won the Special Mention Kerala State Film Awards in 1985 and secured the film fare award for his role as Ravi Varma . 0 +The game was published on September 12 , 2008 in North America and on September 22 in Europe . The game was released in Europe on September 12 , 2008 , and in North America on September 22 , 2008 . 0 +The Peabody Orlando , located near Orlando , Florida , was opened in 1986 as the second Peabody Hotel . The Peabody Hotel , near Peabody Orlando opened in 1986 as the second Orlando , Florida . 0 +The castle was seized from Grüner by SSLieutenant General Oswald Pohl under the orders of Heinrich Himmler on 7 February 1943 . The castle was seized by Lieutenant General Oswald Pohl on 7 February 1943 under the command of Heinrich Himmler from Grüner . 1 +According to the 2000 census , 36.4 % of Finnish , 10.2 % Swedish , 9.2 % were German , 7.1 % Italian and 5.4 % Scottish origin . 36.4 % were Finnish , 10.2 % Italian , 9.2 % of German , 7.1 % Swedish and 5.4 % Scottish origin according to the 2000 census . 0 +Teams had to hit a traditional tribal club from a distance to use the pots . From a distance , the teams had to meet a traditional tribal club to use the pots . 1 +The son of Olin M. Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born in Rutland , Vermont , Olin M. Jeffords . 0 +Reynolds was selected by the Arizona Diamondbacks in the 476th round ( 16th overall ) of the 2004 Major League Baseball draft . In the 476th round ( 16th total ) of the Major League Baseball draft in 2004 , Arizona Reynolds was selected by the Arizona Diamondbacks . 1 +Just two weeks before her death , Aaliyah traveled from New York to East Hampton , New Jersey to visit Dash at the summer house he shared with Jay Z . Just two weeks before her death , Aaliyah traveled from New York to East Hampton , New Jersey , to visit Dash in the summer house he shared with Jay Z . 1 +He devoted the work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : He devoted the work to his friend , the violinist Fritz Kreisler , and wrote to another friend , the composer Nikolai Medtner , on December 21 , 1931 : 0 +Cooper was born in Los Angeles , California , and lived all his life in Long Beach , California . Cooper was born in Long Beach , California , and lives his whole life in Los Angeles , California . 0 +On the other hand , General De Gaulle was less impressed , read her recommendations , and rejected most of her reports only half . General De Gaulle on the other hand was less impressed , reading her recommendations and only half dismissing most of her reports . 1 +They finished the season 10 -- 2 OVC and 7 -- 0 in total to win the conference championship . They finished the season 10 -- 2 OVC and 7 -- 0 in overall play to win the conference championship . 1 +The music was written by K. Raghavan and lyrics was composed by Swathi Thirunal and Edasseri . The music was composed by K. Raghavan and the lyrics by Swathi Thirunal and Edasseri were written . 0 +"The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." "The logical fallacy is a historical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." 0 +The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) from Kerala to Bengal . The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) from Bengal to Kerala . 0 +Raumanga is a suburb of Whangarei in the Northland region of New Zealand . The main campus of Northland Polytechnic is in Raumanga . Raumanga is a suburb of Raumanga in the Northland Region of New Zealand . The main campus of Northland Polytechnic is situated in Whangarei . 0 +In 1941 , he joined the London Philharmonic Orchestra ( LPO ) as second trumpet and became a solo trumpet in 1943 . In 1941 he joined the London Philharmonic Orchestra ( LPO ) as second trumpet and became principal trumpet in 1943 . 1 +Younessi has a child , a son named Dariyan Rodin Younessi , who started his racing career at Karting at the age of four . Younessi has one child a son named Dariyan Rodin Younessi who started his racing career at the age of four with Karting . 1 +With 26 of the team 's 41 points Carter started and the All Blacks finished their tour on the highest level . Carter started with 26 of the team 's 41 points and the All Blacks finished off their tour on the highest possible note . 1 +Alworth was chosen in the first round ( eighth overall ) of the 1962 NFL draft by the San Francisco 49ers . Alworth was elected in the first round ( eighth overall ) of the NFL - draft in 1962 by the San Francisco 49ers . 1 +Looker spent a training camp with the Rams in 2000 before being traded on 7 August with the New England Patriots . Looker spent 2000 training camp with the Rams before being traded to the New England Patriots on August 7 . 1 +In the United States , Scion was allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . In the United States , Scion were allocated 10,000 units of the 2013 model year ( MY13 ) production , while Subaru was limited to only 6,000 units . 1 +The Catholic parish was administered by a young French missionary , Father Joly . The young French parish was administered by a Catholic missionary , P. Joly . 0 +Hirasea diplomphalus is a species of small air-breathing snail , a terrestrial pulmonate gastropod mollusk in the Endodontidae family . Hirasea diplomphalus is a species of small air-breathing land snail , a terrestrial pulmonate gastropod mollusk in the family Endodontidae . 1 +Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee the air strikes in Laos . However , Ambassador William Sullivan , and his successor , G. McMurtrie Godley , continued to oversee air strikes in Laos . 1 +A practicing member of the Presbyterian faith , Romney was a Mason in the Clinton Lodge of White , where he had served as a Master . Romney , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in White , where he had served as a master . 1 +Born in Antwerp , Van Hoof was a pupil of Paul Gilson and was heavily influenced by the works of Peter Benoit . Van Hoof was born in Antwerp , was a student of Peter Benoit and was influenced by the works of Paul Gilson . 0 +The evidence was British Celtic sagas about great queens and warrior maidens . The evidence was British Celtic sagas about great queens and warrior girls . 1 +Adults often remove paper from new nests and use it to recycle for old ones . Adults often remove paper from new nests and use it to recycle old ones . 1 +From 1911 to 1946 , Temuka was a parliamentary electorate in the New Zealand region of Canterbury , which was represented by four Members of Parliament . Temuka was a parliamentary electorate in the Canterbury region of New Zealand from 1911 to 1946 . The electorate was represented by four Members of Parliament . 0 +"She was the founder of the Inner Healing Movement and became the author of "" Healing Light "" ." "She became the founder of the Inner Healing Movement and was the author of "" The Healing Light "" ." 0 +"In March 2009 Claudia Winkleman , whom Marco Pierre White has described as "" naturally funny "" , was confirmed as the new host ." "In March 2009 , Claudia Winkleman , described by Marco Pierre White as "" naturally funny "" , was confirmed as the new host ." 1 +It was born in Da Lat in 1963 , to a Vietnamese father and a French mother . She was born in 1963 in Da Lat , to a French father and a Vietnamese mother . 0 +The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . 1 +The Legacy of the Aldenata , also known as the Posleen War Series , is the fictional universe of one of John Ringo 's military science fiction series . The legacy of the Aldenata , also known as the Posley War Series , is the fictional universe of one of the military science - fiction - series by John Ringo . 1 +The Merovingian Kingdom of the Franks became the most powerful realm in Western Europe among all the barbarian tribes . Amongst all the Merovingian tribes , barbarian kingdom of the Franks became the most powerful realm in Western Europe . 0 +He and his family moved from Colorado to Wyoming to Oregon until he was about five years old when they settled in Silver Spring , Maryland . He and his family moved from Wyoming to Colorado to Oregon until he was about 5 years old , when they settled in Silver Spring , Maryland . 0 +He has also played for the Green Bay Packers and was part of the Super Bowl XLV winning team over the Pittsburgh Steelers . He has also played for the Pittsburgh Steelers and was part of the Super Bowl XLV winning team at the Green Bay Packers . 0 +The garden is so called because it was built around the area where a monumental suspended tank with a circular shaped base was planned . The garden is called so because it was built around the area where a monumental suspended pool was planned with a circular shaped foot . 1 +Aramaic remains , however , a local language for spoken , literary and liturgical Christians and also for some Jews . However , Aramaic remains a local language for spoken , literary , and liturgical Christians and also some Jews . 1 +It grows in sunny positions in sandy and well drained soils , often over limestone . It grows in sunny well drained soils , often over limestone , in sandy positions . 0 +In 1854 , Cooper left London and returned to Australia where he lived , a confirmed bachelor , until his death at the age of ninety . He left London in 1854 and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . 1 +According to the U.S. Census Bureau , the county has a total area of , of which is land and ( 17.6 % ) is water . According to the U.S. Census Bureau , the county has a total area of which is land and ( 17.6 % ) water . 1 +"In his song "" Mañana "" sings Anita Bryant "" I hope Jimmy Buffett does never make one of my songs "" ." "In his song "" Mañana "" , Jimmy Buffett sings "" I hope Anita Bryant never ever does one of my songs "" ." 0 +In 1871 he moved to Southern California for health reasons , where he settled in Santa Barbara . He moved of health reasons to Southern California in 1871 where he first settled in Santa Barbara . 1 +Margarites giganteus , common name of the giant margarite , is a species of sea snail , a marine gastropod mollusk in the Margaritidae family . Margarites giganteus , common name of the marine margarite , is a species of sea snail , a huge gastropod mollusk in the Margaritidae family . 0 +In Brazil , the brand IPHONE was registered in 2000 by the company now called Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . In Brazil , the IPHONE brand was registered in 2000 by the company Gradiente Eletrônica S.A. , and then IGB Eletrônica S.A . 1 +She worked on processes of solvent extraction of metal complexes and described the chemical and physical properties of chemical species in an organic solvent . It worked on solvent extraction processes of metal complexes and described the chemical and physical properties of chemical species in an organic solvent . 1 +The church was named on May 17 , 2016 as a landmark of the city of Santa Barbara . The Church was designated as a listed landmark of the City of Santa Barbara on May 17 , 2016 . 1 +Several branches of the Castor River , a tributary of the South Nation River , flow through the township . Several branches of the South Nation River , a tributary of the Castor River , run through the township . 0 +Although discovered in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first studied in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were examined in 1888 by Samuel Alejandro Lafone Quevedo , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +With his wife , Jean , daughter of Sir Duncan Campbell , Baronet , and Jean Stewart , their children were : By his wife , Jean , daughter of Sir Duncan Campbell , Baronet and Jean Stewart , their children were : 1 +He is the son of French cyclist Adri van der Poel , the brother of Mathieu van der Poel and the grandson of the Dutch cyclist Raymond Poulidor . He is the son of the Dutch cyclist Adri van der Poel , brother of Mathieu van der Poel and grandson of the French cyclist Raymond Poulidor . 0 +From the OR Tambo International Airport in Kempton Park and close to the airport , Benoni is also served . Benoni is also served by the OR Tambo International Airport in Kempton Park and close to the airport . 1 +When Blanchard donated his farmland to the college later that year , Warren L. Wheaton renamed the school after him and it known as Wheaton College . Later that year , when Blanchard donated his farmland to the college , Warren L. Wheaton named the school after him and was known as Wheaton College . 1 +Huge fields along the zone were discovered at Huntington Beach Oil Field in 1920 , and the Long Beach Oil Field in 1921 . Huge fields along the zone were discovered in 1920 at Huntington Beach Oil Field and at Long Beach Oil Field in 1921 . 1 +Ann Henricksson and Julie Richardson won 6 -- 3 , 3 -- 6 , 7-5 against Lea Antonoplis and Cammy MacGregor in the final . Lea Antonoplis and Cammy MacGregor won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . 0 +Ashtabula County comprises the Ashtabula , OH Micropolitan Statistical Area , which is also included in the Cleveland -- Akron -- Canton , OH Combined Statistical Area . Ashtabula County includes the Ashtabula , OH Micropolitan Statistical Area , which is also contained in the Cleveland -- Akron -- Canton , OH combined statistical area . 1 +Its earliest settlers were George McCormick in 1774 , and George Woods who settled at Spring Mills in 1773 and built the first mill there . Its earliest settlers in 1774 were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . 0 +His brother Winckelmann , was a neoclassical doctor , art historian , and antiquarian , who was a close friend of Giovanni Ludovico Bianconi . His brother Winckelmann was a neoclassical doctor , art historian and bookseller who was a close friend of Giovanni Ludovico Bianconi . 1 +The opening theme was composed by Amina Annabi and was sung by Gérard Pullicino on its original version . The opening theme was composed by Gérard Pullicino and sung by Amina Annabi in its original version . 0 +The Kohmyojis are again rescued by DARK , but are captured by Kikaider . The Kohmyojis are again captured by DARK , but they are rescued by Kikaider . 0 +Warrington died in London on February 10 , 1906 , and his will was proven on March 29 in Brentford , Middlesex . Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was detected in London on 29 March . 0 +26 -- Ana Ivanovic defeats Maria Sharapova to win the 2008 Australian Open women 's singles title . 26 -- Maria Sharapova defeats Ana Ivanovic to win the women 's title 2008 of the Australian Open . 0 +Two were planned : Mulberry A for the American B and Mulberry B for the British sector . Two were planned : Mulberry A for the American sector , and Mulberry B for the British sector . 0 +Maplewood is located in the 10th Congressional District and is part of New Jersey 's 27th state legislative district . Maplewood is located in the 27th Congressional District and is part of the 10th State Legislative District of New Jersey . 0 +"In 1916 , Lily Hardy wrote Hammond : "" You pay no forward love , you pay it back ." "In 1916 , Lily Hardy Hammond wrote , "" You do n't pay love forward ; you pay it back . """ 0 +Barrai is a village in the Berasia district of Madhya Pradesh , India . It is situated in Bhopal Tehsil . Barrai is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . 0 +Neuqua Valley High School , along with three middle schools and 19 elementary schools from this district , are within Naperville city limits in the southern part . Neuqua Valley High School , together with three secondary schools and 19 elementary schools from this district , are within Naperville city limits in the southern part . 1 +All celebrated commemorations below on 19 October by eastern Orthodox churches determined on the old calendar . All fixed commemorations below celebrated on October 19 by Eastern Orthodox Churches on the Old Calendar . 0 +"His intention was to go beyond the "" photographic and stupid perfection of some painters "" to an intensity , born of color and linear rhythm ." "His intention was to go beyond "" the linear perfection of some painters "" to an intensity born of color , photographic and silly rhythms ." 0 +"Since the 19th century , artificial beings have been common in fiction , as in Mary Shelley 's "" Frankenstein "" or Karel Čapek 's "" R.U.R ." "Artificial beings are common in fiction since the 19th century , as in Karel Čapek 's "" Frankenstein "" or Mary Shelley "" R.U.R "" ." 0 +"The band consisted of Ralph Schuckett on lead guitar , Tom Cosgrove on rhythm guitar , "" Buffalo "" Bill Gelber on bass and "" Chocolate "" on drums ." "The band consisted of Tom Cosgrove on the lead guitar , Ralph Schuckett on the rhythm guitar , "" Buffalo "" Bill Gelber on the bass and "" Chocolate "" on drums ." 0 +William Halderman ( 1822-1866 ) , a local businessman and Müller , and Anna Hostetter Halderman ( 1828-1919 ) were his parents . His parents were Anna Hostetter Halderman ( 1822-1866 ) , a local businessman and Müller , and William Halderman ( 1828-1919 ) . 0 +Grand Inquisitor ( 1699 - 1774 ) was a Spanish cleric who was Manuel Quintano Bonifaz from Spain from 1755 to 1774 . Quintano Bonifaz ( 1699 -- 1774 ) was a Spanish cleric who , from 1755 to 1774 , was a Grand Inquisitor of Spain . 0 +Brush Valley Township was formed in 1835 from Wheatfield Township and named after the Brush Creek Valley . Brush Valley Township was formed from Brush Creek in 1835 , and named for the valley of Wheatfield Township . 0 +In 1858 he completed the Galatasaray High School in Istanbul and became a teacher in Shumen , where he remained until 1864 . He graduated from the Galatasaray High School in Shumen in 1858 and became a teacher in Istanbul , where he remained until 1864 . 0 +"The flowers often appear showy and "" outlandish "" because they are most commonly pollinated by insects , so use these tactics to appeal to pollinators ." "The flowers often appear striking and "" foreign "" because they are most commonly pollinated by insects , so use these tactics to appeal to pollinators ." 1 +During peak hours , Kentish Town services continue to Bedford . During peak hours , services from Kentish Town to Bedford will continue . 1 +She returned to Brisbane to replenish , and on 16 August sailed on her seventh war patrol . She returned to Brisbane to replenish , and on 16 August she sailed on her seventh war patrol . 1 +"Temminck 's striped mouse or West African hybomys ( "" Hybomys trivirgatus "" ) is a species of rodent in the family Muridae ." "The striped mouse of Temminck or West African Hybomys ( "" Hybomys trivirgatus "" ) is a species of the rodent in the Muridae family ." 1 +Mercer was the brother of Charles Fenton Mercer , and father of George Mercer and John Francis Mercer . was the brother of George Mercer and John Francis Mercer and dad of Charles Fenton Mercer . 0 +The valley itself is made rocky by the river , while the surroundings is lush and green desert . The valley itself is made rocky by the river , while the surrounding area is lush and green desert . 1 +Schools that do not accept the authority of the Vedas are nāstika philosophies , of which four ( heterodox ) schools are prominent : Schools which do not accept the authority of the Vedas are Nāstika - philosophies , of which four ( heterodox ) schools are prominent : 1 +It borders the Bundeskämme of Edmonton Centre , Edmonton Griesbach , Sherwood Park -- Fort Saskatchewan , Edmonton Mill Woods and Edmonton Riverbend . It borders on the federal ridings of Edmonton Centre , Edmonton Griesbach , Sherwood Park -- Fort Saskatchewan , Edmonton Mill Woods , and Edmonton Riverbend . 0 +The river Bârnărel is a tributary of the River Stejioara in Romania . The Stejioara River is a tributary of Bârnărel River in Romania . 0 +"It was then the capital of a province ( called "" Mauretania Prima "" ) under Byzantine rule and was still a place of strategic importance ." "Back then , it was the capital of a province ( called "" Mauretania Prima "" ) under Byzantine rule and was still a place of strategic importance ." 1 +The founders of the Charter 77 Foundation , František Janouch and Ada Kolman , or the German activist Rainer Höss participated in the debates with the Israeli journalist Tal Bashan . The founders of Charter 77 - Foundation František Janouch and Tal Bashan , or German activist Rainer Höss have participated in the debates with Israeli journalist Ada Kolman . 0 +He was a member of the Bapounou people , was born in Moussambou and trained in local Catholic schools , then at the secondary school of Lambaréné , public . A member of the Bapounou people , he was born at Moussambou and educated in local Catholic schools , then at the public secondary school of Lambaréné . 1 +The Vesicular Monoamine Transporter ( VMAT ) is a transport protein that is integrated into the membrane of synaptic vesicles of presynaptic neurons . The presynaptic monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of vesicular neurons . 0 +"Agamben shows that "" auctoritas "" and "" potestas "" form together distinct -- although they are clearly a system "" ." "Agamben shows that "" auctoritas "" and "" potestas "" are clearly delineated -- although together they form a system "" ." 0 +Tadiyale is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka , on the shore of Arabian Sea . Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in the Arabian Sea Taluka , on the banks of Palghar . 0 +The collateral consequences of criminal conviction are not the same as the social consequences of conviction . The collateral consequences of criminal convictions are not the same as the social consequences of a conviction . 1 +Neelankarai is located on the Old Mahabalipuram Road ( State Highway 49 ) and is parallel to Thoraipakkam on the OMR ( East Coast Road ) . Neelankarai is located on Old Mahabalipuram Road ( State Highway 49 ) and is parallel to the Thoraipakkam on OMR ( East Coast Road ) . 1 +He fought Mike Donovan in a bout refereed by a young 21-year-old Wyatt Earp on July 4 , 1868 or 1869 in Cheyenne , Wyoming . He fought Mike Donovan in a struggle led by a young 21-year-old Wyatt Earp on 4 July 1868 or 1869 in Cheyenne , Wyoming . 1 +In most cases their destinations were underpopulated remote areas ( see Involuntary settlements in the Soviet Union ) . Their objectives were , in most cases , involuntary areas ( see Underpopulated Remote Settlements in the Soviet Union ) . 0 +In the TV series , Mark Williams is played by Olaf Petersen . In the TV series , Olaf Petersen is played by Mark Williams . 0 +"As Smith Sounds , Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "Smith has released two solo albums as Greg Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 0 +Some southern states , such as Zhou and Wu , claimed independence from the Chu who led to wars against some of them ( Wu and Yue ) . Some southern states , such as Chu and Wu , claimed independence from the Zhou , who waged wars against some of them ( Wu and Yue ) . 0 +On December 14 , 2003 , Azzopardi received his first country match for Poland in a game against Malta . Azzopardi received his first country match for Malta in a game against Poland on 14 December 2003 . 0 +"During this time he had a new gimmick , rockabilly , and took a short-living feud with "" The Real Double J "" Jesse James ." "During this time , he adopted a new gimmick , Rockabilly , and had a short-lived feud with "" The Real Double J "" Jesse James ." 0 +Bridges at this site are the only crossing on the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . 0 +announced to be created July 2013 . To be announced July 2013 . 0 +Itami-go was a part of Castle Arioka which Araki Murashige ruled under Oda Nobunaga . Itami-go was a part of the castle of Arioka , which ruled Oda Nobunaga under Araki Murashige . 0 +Rosetown is a location within the Kingston District Council in the Limestone Coast region of South Australia . Rosetown is a locality located within the Kingston District Council in the Limestone Coast region of South Australia . 1 +CLAWS is involved in qualitative and quantitative research , which is primary and secondary in nature . CLAWS is involved in the qualitative and quantitative research , which is primary and secondary in nature . 1 +The following night , Delirious set aside his problems with Danielson to challenge Pearce . The following night , Delirious set aside his problems with Pearce to challenge Danielson . 0 +On 24 November 2012 , Franscoviak married the writer Charlie Kirn , who live in Livingston , Montana , with their children Maisie and Maggie McGuane . Franscoviak married the writer Maggie McGuane on November 24 , 2012 , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . 0 +Living in Turin , Italy for ten years , he won The Bardolino classic race in Italy for six years in a row , from 2001 to 2006 He lived ten years in Italy and won the classic Bardolino race in Turin , Italy for six years in a row from 2001 to 2006 . 0 +The names of domestic goans are included in the list below , with the name of the team concerned standing in parentheses . In the list below , names of domestic Goans are included , with the name of the such team in parentheses . 1 +He began his cross country and track career at Boston English High School and continued his career at Boston State College . He continued his cross country and track career at the Boston English High School and began his career at Boston State College . 0 +"His works were declared by the cultural nomenklatura of the Soviet Union as "" non-political and immoral "" ." "His works were declared "" cultural "" by the apolitical and immoral nomenklatura of the Soviet Union ." 0 +In 2015 it was renamed Philharmonie 2 as part of the Philharmonie de Paris when a larger symphony hall was built by Jean Nouvel and named Philharmonie 1 . In 2015 it was renamed Philharmonie 2 as part of the Philharmonie de Paris , when a larger Symphony Hall was built by Jean Nouvel and Philharmonic 1 was named . 1 +In 2007 Mathe Fischer left the band after a one-year stay , and Jens Ramon joined . In 2007 , Mathe Fischer left the band after a one-year stay , and Jens Ramon added . 1 +Christine married Julian Popescu in 1956 and had four children , including Charlotte Popescu , who also wrote children 's pony books . In 1956 , Charlotte Popescu married Julian Popescu and had four children , including Christine , who also wrote children 's ponybooks . 0 +The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Winnipeg Lake . The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows from two channels into Cross Lake . 0 +In the Middle Ages , Spain saw a slow Christian re-conquest of Muslim territories . In the Middle Ages , Spain saw a slow Christian reconquest of Muslim territories . 1 +Taman Heiman was married to Chamran in 1961 , an American Muslim . In 1961 , Tamran Heiman , an American Muslim , was married to Chamran . 0 +Six hours later , Corey returns but Pierson does not , and Corey claims not to know where Pierson is . Six hours later , Corey returns , but Pierson does not , and Corey claims not to know where is Pierson . 1 +On March 31 , 1958 Daley was traded , along with Gene Woodling and Dick Williams , to the Baltimore Orioles , for Larry Doby and Don Ferrarese . On March 31 , 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . 0 +Examples of decidable languages that are not context-sensitive are more difficult to describe . More difficult to describe are examples of identifiable languages that are not context-sensitive . 0 +The awards have often bypassed the top try scorer , winning captain or great International player . The awards have often bypassed the great Try scorer , winner - captain or international top player . 0 +Some say that when Chan Heung returned from studying with Ching Cho , he went back to Jeong Yim and combined his knowledge into the Choy Li Fut system . Some say that when Jeong Yim returned from studying with Ching Cho , he went back to Chan Heung and combined his knowledge into the Choy Li Fut System . 0 +Although it is being developed in Singapore , it is used commercially mainly in Europe . Although it is being developed in Europe , it is used commercially mainly in Singapore . 0 +Augustus was a master of mystical power , and was physically a match for both the Undertaker and Kane in his Embalmer guise . Augustus was a master of mystical power and was physically a match for the undertaker and kane in his Embalmer - garment . 1 +Students at Everest Academy get to know the international students and are at school with them , while international students get to know American culture and the American students . The Everest Academy students get to know the international students and go to school with them , while international students get to know American culture and American students . 1 +She finds new hope and friendship in Enzo , the replacement guitarist who inspires her to reach new creative heights . She finds new creative hope and friendship in Enzo , the replacement guitarist that inspires her , to reach new heights . 0 +In the original version of the game , magic-user was one of the base character classes . In the original version of the game , magic-user was one of the basic character classes . 1 +Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 - 1 Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 6 -- 1 0 +Smith died in Grahamstown , Cape Province , in South Africa at the age of 76 . At the age of 76 he died in Grahamstown , Cape Province , in South Africa . 1 +The river Amaradia or the river Negreni is a tributary of the Valea Negrenilor river . The river Valea Negrenilor or Negreni River is a tributary of the Amaradia River . 0 +There are no regional or national franchises in Danbury , only local shops such as the Danbury General Store and small restaurants . There are no regional or national franchises in Danbury , only local shops like the Danbury General Store , and small restaurants . 1 +In November 2011 , Muzu started offering Sony videos through its Sony Entertainment Network on several home entertainment devices . In November 2011 , Muzu began offering Sony videos on several home entertainment devices through its Sony Entertainment Network . 1 +The difference between neutralizing antibodies and binding antibodies is that binding antibodies neutralize the biological effects of antigen , while the antibodies neutralize antigens . The difference between neutralizing antibodies and binding antibodies is that neutralizing antibodies neutralize the biological effects of the antigen , while binding antibodies flag antigens . 0 +He graduated from the Galatasaray High School in Istanbul in 1858 and became a teacher in Shumen , where he remained until 1864 . In 1858 he completed the Galatasaray High School in Istanbul and became a teacher in Shumen , where he remained until 1864 . 1 +The House Democratic Caucus nominates and elects the Democratic Party leadership in the United States House of Representatives . The Democratic Party appoints and elects House Democratic Caucus leadership in the House of Representatives of the United States . 0 +On 19 July 1973 , she was scrapped and sold . She was scrapped on 19 July 1973 and was sold . 1 +He then became Deputy Director of the Ayala Corporation 's Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . He then became Associate Director of the Strategic Planning Group of Ayala Corporation and Vice President and Chief Legal Counsel of BPI Capital Corporation . 1 +Her release was recognized by the suffragettes and her achievement with flowers was celebrated . Her release was recognised by the suffragettes and her achievement was celebrated with flowers . 1 +He died in Daytona Beach , Florida , on June 18 , 1936 . He was buried in Melbourne , Florida . He died on 18 June 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . 1 +In the 2011 election , Abani Mohan Joardar of Trinamool Congress defeated his nearest rival Subinay Ghosh of CPI ( M ) . In the 2011 election , Abani Mohan Joardar of the Trinamool Congress defeated his next rival Subinay Ghosh of CPI ( M ) . 1 +Different reactions are also taking place on the surface of a catalyst of a heterogeneous phase . Reactions that take place on the surface of a catalyst of a heterogeneous phase are also different . 1 +Coelurosaurs , for example , had good stereoscopic or binocular vision , whereas large carnosaurs had poor binocular vision , comparable to that of modern alligators . For example , coelurosaurs had poor binocular vision , while large carnosaurs had good stereoscopic or binocular vision , comparable to that of modern alligators . 0 +In 1955 , it became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . In 1955 , it became the Central Electricity Authority , which in turn in 1957 the Central Electricity Generating Board . 0 +In 1951 , postwar immigrants founded the Belarusian Congress Committee of America . The Belarusian immigrants founded the postwar Congress Committee of America here in 1951 . 0 +A professional thief ( John Cusack ) takes a former racing driver ( Thomas Jane ) hostage and forces him to drive his car . A professional thief ( Thomas Jane ) takes a former racing driver ( John Cusack ) hostage and forces him to drive his car . 0 +The Liberal Party retained John Olsen as leader , partly because his main rival Dean Brown lost his seat to Independent Liberal Stan Evans . The Liberal Party retained John Olsen as the leader , partly because his main competitor , Stan Evans , lost his seat to Independent Liberal Dean Brown . 0 +He began his career under the care of his father Ustad Ayat Ali Khan and took his elder brother Ustad Bahadur Hossain Khan lessons as a violinist . Khan began his career under the guardianship of his father Ustad Bahadur Hossain Khan . He took lessons as a violinist from his elder brother Ustad Ayat Ali Khan . 0 +Shane Endicott 's tenure with the Ducks only lasted one month before he was traded to the Nashville Predators for Durno on January 26 , 2007 . Durno 's tenure with the Ducks lasted only a month before he was traded on January 26 , 2007 with the Nashville - Predators for Shane Endicott . 0 +In 1851 , the territorial legislature created the office of General Adjutant and placed the first territorial militia under its jurisdiction . Then in 1851 the territorial Legislature created the office of Adjutant General and placed the first territorial Militia under its jurisdiction . 1 +He was enrolled in music lessons by the Croatian composer Rudolf Matz and later the Vatroslav Lisinski Music School . He was taught music by the Croatian composer Rudolf Matz and later enrolled the Vatroslav Lisinski music school . 1 +In order to obtain a biomarker for diagnostics , the sample material must be as simple as possible to use . In order to use a biomarker for diagnostics , the sample material must be as easy to obtain as possible . 0 +Sjón frequently collaborates with the singer Björk and has performed with The Sugarcubes as Johnny Triumph . Johnny Triumph often collaborates with the singer Björk and has performed as Sjón with The Sugarcubes . 0 +"In November 2007 , Joseph Ransdell advocated Jaime Nubiola 's view that "" it is simply a mystery at this point "" ." "In November 2007 , Joseph Ransdell endorsed Jaime Nubiola 's view that "" It is simply a mystery at this point "" ." 1 +Prof.Rowena Hill , a British born Venezuelan poet has selected 47 translated poems into Spanish and English . Prof.Rowena Hill , a British Venezuelan poet , has translated 47 selected poems into Spanish and English . 0 +The marshal 's daughter is a US American action film , staged by Bob Duncan in 1953 and written by William Berke . The Marshal 's Daughter is a 1953 American action film directed by Bob Duncan and written by William Berke . 1 +Today is a great day for the Indian-American relations . Today is a great day for Indian-American relations . 1 +The flag from Kenya of 1963 is white , but has inserted similar lines between the colors . The flag of Kenya of 1963 is white , but has similar lines inserted in between the colors . 1 +"The Sunday Times recently said of The Chemistry Set "" The rare scientists Psychedelic English Toytown Acid-Pop songs achieve exquisite combinations of muscle and melody "" ." "The Sunday Times recently said of The Chemistry Set "" The rare scientists Psychedelic English Toytown Acid-Pop songs reach exquisite combinations of muscle and melody "" ." 1 +"She has participated in the second season of the most popular non fiction controversial bengali reality show "" Bigg Boss Bangla "" ." "She participated in the second season of the most popular non - fiction controversial bengali reality - show "" Bigg Boss Bangla "" ." 1 +Spoon in London is an album by Blues - singer Jimmy Witherspoon , which was recorded in 1965 in England and published on the Prestige label . Spoon in London is an album by blues vocalist Jimmy Witherspoon which was recorded in England in 1965 and released on the Prestige label . 1 +When alcohol is found , Doug suspects it belongs to Laurel , but Ashley finds out it was Gabby 's . When alcohol is found , Ashley suspects that it belongs to Laurel , but Doug finds out that it was Gabby . 0 +"He was asked about his opinions on the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." "He was asked his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." 0 +It runs from east to west for , serving 7 counties : Claiborne , Copiah , Hinds , Rankin , Smith , Jasper , and Clarke . It runs from east to west for 7 counties : Claiborne , Copiah , Hinds , Rankin , Smith , Jasper and Clarke . 1 +The park is 65 km northeast of Fianarantsoa and 139 km west of Mananjary in the regions of Haute Matsiatra and Vatovavy-Fitovinany . The park is located 65 km north-east of Fianarantsoa and 139 km west of Mananjary in the regions Haute Matsiatra and Vatovavy-Fitovinany . 1 +The three inexperienced pilots were allowed to damage it , but only the bomber managed to attack . Johnson allowed the three inexperienced pilots to attack it , but they only managed to damage the bomber . 0 +Tupperware Corporation , formerly Tupperware Brands Corporation , is an American multinational direct sales company . Tupperware Brands Corporation , formerly Tupperware Corporation , is an American multinational direct distribution company . 0 +In the past , we remember the famous Maran , another Indian intelligence officer of DHEIVA THAAI from 1964 . In the past , we remember the other Maran , a famous Indian intelligence officer of DHEIVA THAAI from 1964 . 0 +The series was co-written by John Misto and was produced by Misto , Graeme Koetsveld and Ray Kolle . The series was co-written by John Misto and created by Misto , Graeme Koetsveld and Ray Kolle . 1 +Her eldest brother , George Edward Hall ( February 23 , 1851 , Pasadena , CA-August 29 , 1921 , Jamaica ) became a minister . Her eldest brother , George Edward Hall ( February 23 , 1851 , Jamaica - August 29 , 1921 , Pasadena , CA ) , became a minister . 0 +After Kuklinski gave him the money , Hoffman told him that the deal was a ruse . After Kuklinski gave him the money , Hoffman told him that the deal was a trick . 1 +Disputes with leaders of Lutesville persuaded the railroad to relocate their route through Marble Hill instead . Disputes with leaders of Marble Hill persuaded the railroad to move their route through Lutesville instead . 0 +In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to England through Scotland . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to Scotland through England . 0 +22.0 % were of German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % English ancestry according to Census 2000 . 22.0 % were German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English descent according to the 2000 census . 1 +The national councils had already begun acting more or less as provisional governments of independent countries . The provisional councils had already begun to operate more or less as national governments of independent countries . 0 +There is an Orang Asli museum in Melaka , and also in Gombak , about 25 km north of Kuala Lumpur . There is a Orang Asli Museum in Melaka and also in Gombak , about 25 km north of Kuala Lumpur . 1 +The spiritual father and main initiator of this wine school was Immanuel Dornfeld . The main father and spiritual initiator of the wine school was Immanuel Dornfeld . 0 +Assuming that the causal relationships are linear , this background knowledge can be expressed in the following structural equation model ( SEM ) specification . On the assumption that causal relationships are linear , this background knowledge can be expressed in the following Structural Equation Model ( SEM ) specification . 1 +The Marshal 's Daughter is a 1953 American action film directed by William Berke and written by Bob Duncan . The marshal 's daughter is a US American action film , staged by Bob Duncan in 1953 and written by William Berke . 0 +In ( 5 ) the first term of the right hand side , formula _ 27 is the increment in hydrostatic energy for unit volume change due to elastic pressure . In ( 5 ) is the first term on the right , Formula 27 , the increment of hydrostatic energy for volume change of unit due to elastic pressure . 1 +Stävlö or Stäflö is a castle in the municipality of Kalmar in Sweden . Stävlö or Stäflö is a fortress in Kalmar Municipality of Sweden . 0 +Zhou , Sette Câmara and Sekiguchi completed the top ten . The top ten was completed by Sekiguchi , Sette Câmara and Zhou . 1 +"The following night on "" Raw "" , Shawn Michaels interrupted Daivari and Hassan during a promo ." "The following night on "" Raw "" , Shawn interrupted Michaels Daivari and Hassan during a promo ." 1 +Brutus died on April 9 , 1830 in the city of Adam Helmer at Cayuga County in New York . On April 9 , 1830 , Adam Helmer died in the city of Brutus , Cayuga County , New York . 0 +The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and each 1 in Putrajaya and Negeri Sembilan . The Final FESPIC Games had 18 venues : 9 in Selangor , 7 in Kuala Lumpur and 1 in Putrajaya and Negeri Sembilan each . 0 +The sonata was premiered in 1919 at the Aeolian Hall , London , by Billy Reed , with Landon Ronald at the piano . The Sonata was premiered in 1919 by Billy Reed at the Aeolian Hall in London , with Landon Ronald on the piano . 1 +It was published by Kids Can Press in 1985 and was printed by Everbest in Hong Kong . It was printed in 1985 by Kids Can Press and published by Everbest in Hong Kong . 0 +The current governor of the province is Nasratullah Arsala , his predecessor was Maj Gen Zalmai Weesa , the city of Gardez is the capital of the province . The current governor of the province is Maj Gen Zalmai Weesa . His predecessor was Nasratullah Arsala . The city of Gardez serves as the capital of the province . 0 +He was musically trained at the Art Academy in Zurich , where he and others also learned to use the computer for composing music . He was musically trained at the academy of art in Zurich , where he and others also learned how to use the computer for composing music . 1 +The new Nahant Life Saving Station ( NLSS ) on the Nahant Road and the old war memorial across from the NLSS were renovated in 2004 . The old Nahant Life Saving Station ( NLSS ) on Nahant Road and the new War Memorial erected across the street from the NLSS were renovated in 2004 . 0 +Capitán Jorge Osvaldo García successfully ejected but was not recovered . Jorge Osvaldo García recovered successfully , but was not ejected . 0 +In 2004 , Bessonova won the all-around silver medal at the 2004 European Championships . In 2004 Bessonova won the Allround - Silver Medal at the European Championships 2004 . 1 +The legacy of the Aldenata , also known as the Posley War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . The legacy of the Aldenata , also known as the Posley War Series , is the fictional universe of one of the military science - fiction - series by John Ringo . 0 +Psalm 79 ( biblical numbering : Psalm 78 ) is the 79th Psalm in the Greek Psalm Book . The Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th Psalm in the Biblical Book of Psalms . 0 +However , a pair of Lola T616s run by B.F. Goodrich Company used the same Mazda engine and were successful in claiming both 727Cs , beating 1st and 3rd . A pair of Lola T616s running by B. F. Goodrich Company , however , used the same Mazda engine and were successful in beating both 727Cs , claiming 1st and 3rd . 0 +It was completed in modernist style in 1933 for the US federal government and is now used as an office by the United States Postal Service . It was completed in 1933 in Modernist style for the United States Postal Service , and is now used as office accommodation by the United States Federal Government . 0 +Joey Ellis was cast in the role of Nathan Bryon , who was introduced from his hometown as a friend of the established character Tiger Dyke . Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of established character Tiger Dyke from his hometown . 0 +Allison & Allison was the architectural firm of James Edward Allison ( 1870-1955 ) and his brother David Clark Allison ( 1881-1962 ) . Allison was the architectural firm of James Edward Allison ( 1870-1955 ) and his brother David Clark Allison ( 1881-1962 ) . 1 +They also encounter twins Timmy and Tommy Reston in their Ford Mustang , who were soon invited by Keun ’ s friend to Waffle House . They also encounter twins Timmy and Tommy Reston in their Ford Mustang , who were soon invited to the Waffle House by Keun 's friend . 1 +Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting them for dinner . Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting her for dinner . 1 +He fought Mike Donovan in a battle headed by a young 21-year-old Wyatt Earp on 4 July 1868 or 1869 in Cheyenne , Wyoming . He fought Wyatt Earp in a battle led by a young 21-year-old Mike Donovan on 4 July 1868 or 1869 in Cheyenne , Wyoming . 0 +Parkala is a suburb of Udupi city located east of Manipal in Udupi district of Karnataka , India . Parkala is a suburb of the city of Manipal east of Udupi in Udupi district Karnataka , India . 0 +They speak the Chuvash language and have some pre-Christian traditions . In addition to Chuvash , many people also use the Russian language . They speak the language of Chuvash and have some pre-Christian traditions , and many people also use the Russian language in addition to Chuvash . 1 +Elmshorn is a town in the Pinneberg district of Schleswig-Holstein , Germany . Pinneberg is a town in the district of Elmshorn in Schleswig-Holstein , Germany . 0 +The population is 80 ( 2011 census ) , a village in the region of Slavonia in Croatia , located east of Daruvar . Markovac is a village in the Slavonia region of Croatia , located east of Daruvar . The population is 80 ( census 2011 ) . 1 +Stenoma relata is a moth of the Depressariidae family , which is found in Amazonas ( French - Guiana , Brazil ) and in Peru . Stenoma relata is a moth of the Depressariidae family . It is found in French Guiana , Brazil ( Amazonas ) and Peru . 1 +Harry Kronman was the director , and John Guedel was the producer . The director was John Guedel and its producer was Harry Kronman . 0 +Then ink of a third color and a much softer consistency with a stiffer rubber roll is applied to the lower parts of the plate . Ink of a third color , and a much stiffer consistency , is then applied to the lower areas of the plate with a softer rubber roller . 0 +"Finally , in 1601 , the commissioned prose story ( "" Bataviae Hollandiaeque Annales "" ) was published ." "Finally , the published prose history ( "" Bataviae Hollandiaeque Annales "" ) was commissioned in 1601 ." 0 +"In the first episode of the tenth season , "" The Wayfarers "" ( 1964 ) , he made his last appearance on "" Lassie "" ." "Reilly made his last appearance on "" Lassie "" in the first episode of the tenth season , "" The Wayfarers "" ( 1964 ) ." 1 +In 2004 SCA acquired the tissue and hygiene products businesses of International Paper from Carter Holt Harvey . In 2004 , SCA acquired the International Paper Tissue and Hygiene Products division from Carter Holt Harvey . 1 +Lusaghbyur ( formerly known as Lusakhpyur , also romanized Agbulakh and Agbulag ) is a city in the Lori province of Armenia . Lusaghbyur ( also romanized as Lusakhpyur ; formerly , Agbulakh and Agbulag ) is a town in the Lori Province of Armenia . 0 +Ordinary plates have white text on a black background . Ordinary plates have white text on black background . 1 +The regiment was re-established in November 2013 in Florina after the 9th Infantry Brigade ( former 9th Infantry Division ) moved to Kozani . The regiment was re-established in November 2013 , again at Kozani , after the 9th Infantry Brigade ( former 9th Infantry Division ) was moved to Florina . 0 +Tamira Paszek defeated Agnieszka Radwaą ska , 6 -- 3 , 6 -- 4 . Agnieszka Radwańska defeated Tamira Paszek , 6 -- 3 , 6 -- 4 0 +Often prepared packs are warm , the heat opens the pores of the skin and helps with the interaction of the clay with the body . Often , warm packs are prepared ; the heat opens up the pores of the skin , and helps the interaction of the clay with the body . 0 +In 1968 , Catherine Gillies , the granddaughter of Charles Manson , learned of Barbara Myers about Myers Ranch . In 1968 , Catherine Gillies , the granddaughter of Barbara Myers , learned of Charles Manson about Myers Ranch . 0 +The new matrix representation for the symmetrical bilinear form is now given by The Symmetric Bilinear Matrix Representation for the New Form is Now Given 0 +The bay ends at Trenton ( Quinte West ) and the River Trent , both on the north side . The bay ends at Trenton ( Quinte West ) and the Trent River , both also on the north side . 1 +Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of industrial and commercial areas . Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and a number of residential areas . 0 +A great battle took place on the Dagorlad in which Sauron 's forces were stormed and the Black Gate was destroyed . On the Dagorlad , a great battle took place in which Sauron ’ s forces were destroyed and the Black Gate stormed . 0 +There are many Vithoba Temples in Maharashtra and some are in Karnataka , Tamil Nadu and Andhra Pradesh . There are many Vithoba temples in Karnataka and some in Andhra Pradesh , Tamil Nadu and Maharashtra . 0 +The PIN used to generate a PVV can be randomly selected or user generated or even derived using the IBM method . The PIN used to generate a PVV can be randomly selected or generated by the user , or even derived using the IBM method . 1 +The Hudsonian whiteface is found in an area stretching from West Virginia to Labrador and from the Hudson bay to northern Alaska . Hudsonian Whiteface is found in an area stretching from West Virginia to Labrador and from Hudson Bay to North Alaska . 1 +Würdemann 's most successful patrol ( his second ) led him into the Gulf of Mexico in May 1942 , where he sunk nine ships and damaged three ships . Würdemann 's most successful patrol ( his second ) took him into the Gulf of Mexico in May 1942 , where he sank nine ships and damaged three . 1 +Olivella kifos is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . Olivella kifos is a type of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 0 +"is the twelfth episode of the second season , 34th episode in total and the mid-season premiere from the FOX series "" Gotham "" ." "Freeze "" is the twelfth episode of the mid-season season , 34th episode overall and the second premiere from the FOX series "" Gotham "" ." 0 +It is bordered by Massapequa to the west and east , North Massapequa to the northwest , and South Farmingdale to the north . It is bordered by Massapequa in the west and east , South Farmingdale in the northwest and North Massapequa to the north . 0 +The tombs of Hakim Mukaram Khan and the Urdu poet Maulana Altaf Hussain Hali are also located within the enclosure . The graves of Hakim Mukaram Khan and the Urdu - poet Maulana Altaf Hussain Hali are also within the enclosure . 1 +Sakura Spirit is a visual novel from 2014 , developed by Winged Cloud and published by Sekai Project . Sakura Spirit is a visual novel released by Winged Cloud in 2014 and developed by Sekai Project . 0 +The season 1995 -- 96 Bayern Munich was their 95th season of existence and the 31st Bundesliga season . The 1995 -- 96 Bayern Munich season was their 31st season of existence and 95th Bundesliga season . 0 +"Murray Cantor , Distinguished Engineer of IBM , wrote "" Nate Silver 's signal and noise "" is an excellent description of how the forecast works ." "Nate Silver , IBM Distinguished Engineer , wrote "" Murray Cantor 's "" The Signal and Noise "" is an excellent description of how prediction works ." 0 +"that was updated in February 2011 . Each report contains data for the previous completed school year. """ Each report , which was completed in February 2011 , contains data for the school year that is updated . 0 +She is open about her disapproval of Rob 's father , Rob and often mentions how bad a father he was against Billy . She is open about her disapproval of Rob 's father , Rob and often mentions how bad a father he was to Billy . 1 +The nasal opening for the North American species is triangular , unlike that of the Eurasian race , which is square . The nasal opening for Eurasian species is triangular , unlike that of the North American race , which is square . 0 +In April 1944 , Cozens was appointed Lieutenant-General and was later promoted Assistant Chief to General Ronald Scobie . In April 1944 , Cozens was appointed Lieutenant-General and was later promoted to Chief of General Ronald Scobie of Assistant Cozens . 0 +Participants in the experimental condition were given an initial eye position , followed by a saccade target position on the picture . Participants in the experimental state were given an initial eye position , followed by a saccade - target position on the picture . 1 +The tubular heart or primitive heart tube is the earliest stage of heart development . The tubular heart or the primitive heart tube is the earliest stage of heart development . 1 +""" Opson "" is therefore Banchan in Japanese and Okazu in Korean cuisine equivalent ." """ Opson "" is therefore Banchan in Korean cuisine and Okazu equivalent in Japanese cuisine ." 0 +His father has called him Ali , and his nickname was Murtaza . His father called him Murtaza and his nickname was Ali . 0 +Tide is the sixth album by Deodato that was released on A 'M Records in 1970 and arranged by Antônio Carlos Jobim . Tide is the sixth album by Deodato , released in 1970 on A & M Records and arranged by Antônio Carlos Jobim . 1 +"From 1973 to 1974 Aguecheek toured with the Cambridge Theatre Company as a diggory in "" She Stoops to Conquer "" and again as Aubrey ." "From 1973 to 1974 Aubrey toured with the Cambridge Theatre Company as a diggory in "" You to conquer stoops "" and again as Aguecheek ." 0 +Since March 2016 , Levine is the technical manager of the Israeli youth national teams . Since March 2016 , Levine is the Israeli national manager of the youth technical teams . 0 +Pilar is an American actress , best known for her role as Chontelle Moore . Pilar is an American actress known for her role as Chontelle Moore . 1 +He died on February 20 , 1930 in Albany , New York , and was buried at the Glenwood Cemetery in Oneida . He died in Oneida on February 20 , 1930 and was buried at the Glenwood Cemetery in Albany , New York . 0 +On August 2 , 2011 , Reeves defeated Billy Hewes . On August 2 , 2011 , defeated Reeves Billy Hewes . 1 +The Divisional Secretariat Mirigama is a divisional secretariat of the Western Province of Sri Lanka , the Gampaha District . Mirigama Divisional Secretariat is a Divisional Secretariat of Gampaha District , of Western Province , Sri Lanka . 0 +First , initialize the result formula _ 5 to 1 and preserve the value of b in the variable x : First , initialize the 5 result formula to 1 and keep the value of b in the x variable : 0 +"Peter is a short story by Willa Cather . It was first published in "" The Mahogany Tree "" in 1892 ." "Willa Cather is a short story by Peter , which was published in 1892 in "" The Mahogany - Tree "" ." 0 +""" The Remarkable Rocket "" is a parody of aristocratic vanity and masculine image ." """ The Remarkable Rocket "" is a parody of masculine vanity and aristocratic imagination ." 0 +The second section dealt with extraterritorial intercourse between the two empires and specified the official privileges of British subjects in China . The second section dealt with official transport between the two riches and specified the extraterritorial privileges of British subjects in China . 0 +The CEO of the AIG Advisor Group was Erica McGinnis , Interim CEO of the independent company , now Advisor Group , is Valerie Brown . The CEO of AIG Advisor Group was Valerie Brown . The interim CEO of the independent company , now called Advisor Group , is Erica McGinnis . 0 +Tadas Langaitis is a Lithuanian politician , from november 2016 member of the Seimas , civic activist , active in social and civic projects in Lithuania . Tadas Langaitis is a Lithuanian politician , member of the Seimas since November 2016 , citizen activist , active in social and civic projects in Lithuania . 1 +"The area was also threatened by Shi'a extremists known as Assassins ( "" Hassassin "" ) and in 1260 the Mongols briefly swept through Syria ." "The area was also threatened by Shia extremists known as assassins ( "" hassasin "" ) , and in 1260 the Mongols swept through Syria briefly ." 1 +About 292 Bahraini observers from non-governmental organizations monitored the elections , though foreign observers were not allowed . About 292 Bahraini observers from non-governmental organisations monitored the elections , even though foreign observers were not allowed . 1 +Daniel Rinner ( born November 11 , 1990 in Liechtenstein , Germany ) is a cyclist from Vaduz . Daniel Rinner ( born 11 November 1990 in Liechtenstein ) is a Vaduz cyclist . 1 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs free energy ( Α G ) to the number of non-hydrogen atoms of the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs free energy ( ΔG ) to the number of non-hydrogen atoms of the compound : 1 +""" Always and Forever "" , written by Alan Durant and illustrated by Debi Gliori , was nominated for the Kate Greenaway Medal in 2003 ." """ Always and Forever "" , written by Debi Gliori and illustrated by Alan Durant , was shortlisted for the Kate Greenaway Medal in 2003 ." 0 +Algestone Acetophenide , in combination with Estradiol Enanthate , is used as a combined injectable contraceptive for women in Latin America and Spain once a month . Algestone acetophenide is used in combination with estradiol enanthate as a monthly-once combined injectable contraceptive for women in Latin America and Spain . 1 +Perkins is the grandson of Charlie Perkins , an Eastern Arrernte elder , and a nephew of Hetty Perkins . Perkins was the grandson of Charlie Perkins , an Eastern Arrernte elder and a nephew of Hetty Perkins . 1 +In the , John W. Hulbert ( F ) resigned February 24 , 1814 and was replaced in a special election by Daniel Dewey ( F ) In Daniel Dewey ( F ) resigned February 24 , 1814 , and was replaced by a special election of John W. Hulbert ( F ) . 0 +Essentially , there are four types of databases : curated databases , predictive databases , literature databases and integrative databases There are essentially four kinds of databases : curated databases , predictive databases , literature databases and integrative databases . 1 +Teatern , Malmö is a neighbourhood of Malmö Municipality , Skåne County , Sweden , situated in the Borough of Västra Innerstaden , Malmö . Malmö is a neighbourhood of Malmö , Skåne County , Sweden , in the municipality of Västra Innerstaden , Malmö . 1 +For the NdFeB magnet we can calculate the magnetic force ( MMF ) , the reluctance formula 4 and the magnetomotive flow over that magnet in the same way : For the NdFeB magnet we can calculate the magnetic force ( MMF ) , the reluctance formula 4 and the magnetomotor flow over this magnet in the same way : 1 +It was written by Tom Spezialy and Marc Cherry and was led by Jeff Melman . It was written by Jeff Melman and was directed by Tom Spezialy and Marc Cherry . 0 +His representative grandchildren , Hannah and Matt Smith , have played for Scotland a great rugby . His representative grandchildren , Hannah and Matt Smith have played great rugby for Scotland . 1 +After arriving in Portland , Oregon , he abandoned her and moved to California . After arriving in Portland , Oregon , he abandoned them and moved to California . 1 +After completing his initial university education at Cardiff University , and in Harrogate , North Yorkshire , he was from 1996 to 1999 based in Rouen , France . After completing his first university education at Cardiff University and in Rouen , France , he was established in Harrogate , North Yorkshire , from 1996 to 1999 . 0 +Startforth Rural District was a rural district in the North Riding of the historic county of Yorkshire in the Pennines north of England . Startforth Rural District was a historical district in the North Riding of the rural county of Yorkshire in the Pennines of Northern England . 0 +He has a son , Seamus , who is mentioned but was never seen in the series . He has a son , Seamus , who is mentioned but never seen in the series . 1 +Creek Township borders Elsinboro Township , Pennsville Township and Salem . Elsinboro Township borders with the Lower Alloways Creek Township , Pennsville Township and Salem . 0 +Pseudostellaria jamesiana is a species of pink flowering plant in the tuber family , known by the generic names sticky starworth and pink starwort . Pseudostellaria jamesiana is a species of flowering plant in the pink family known by the common names tuber starwort and sticky starwort . 0 +When the Hollywood Park Racetrack closed in 2014 , the race was transferred to Santa Anita Park . In 2014 when Santa Anita Park closed the race was moved to Hollywood Park Racetrack . 0 +Along with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Gosforth , and Cockermouth districts of Cumberland . Together with Frederick Murray Trotter and others he helped create new maps and memoirs of the districts of Brampton , Whitehaven , Gosforth and Cockermouth in Cumberland . 1 +He was a revolutionary hero that gave the regional movement in Telangana a new wave . He was a revolutionary hero who gave a new wave to the regional movement in Telangana . 1 +All 14 films were received from funimation in North America , and all of them have licensed in-house dubs by the company . All 14 films were licensed in North America by Funimation , and all have received in-house dubs by the company . 0 +Malden ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) again transferred additional land to Medford . Additional land was transferred to Medford from Malden ( 1817 ) , Everett ( 1875 ) , and Malden ( 1877 ) again . 1 +He developed players like Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev , Ivan Derventski , Spas Kirov , Nedko Nedev . He developed players like Stefan Bogomilov , Bozhil Kolev , Stefan Janev , Damyan Georgiev , Ivan Derventski , Spas Kirov , Nedko Nedev . 1 +Michael Chang won 3 : 6 , 6 : 3 , 7 : 5 against Renzo Furlan in the final . Renzo Furlan won 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang in the finals . 0 +The Olt River or Pârâul Sec is a tributary of the River Seaca , Romania . The Olt River or Pârâul Sec is a tributary of the Seaca River in Romania . 1 +Reena calls Anjali , a BNTV reporter in Everest base camp and Arjun 's former lover . Reena calls Anjali , a BNTV reporter at Everest - base camp and Arjun 's former lover . 1 +"In the United States , where the show is being broadcast , "" Caso Cerrado "" is produced exclusively by Telemundo ." "In the United States , where the show is broadcast , "" Caso Cerrado "" is produced exclusively by Telemundo ." 1 +Problem-specific methods are used to find the cuts needed by this method . Problem-specific methods are used to find the sections needed by this method . 1 +In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador in the fall of 1879 as a state geologist . He returned to Connecticut in 1877 , but soon returned to California and went to the Republic of Salvador in the fall of 1879 as a state geologist . 0 +From 1898 to 1902 , some 1,300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Southland to Northland . 1 +On February 24 , 1798 , Colonel Richard Randolph II married the grandson of John Bolling Jr. , William Bolling 's daughter Mary ( 1775 - 1863 ) . John Bolling Jr. 's grandson , Colonel William Bolling married Richard Randolph II 's daughter , Mary ( 1775 -- 1863 ) on February 24 , 1798 . 0 +The white Pontiac , the last 2010 model year G6 4 - door limousine , was built in January 2010 at the Orion Township assembly line . The last Pontiac , a white 2010 model year - G6 4 - Doors - Limousine , was built in January 2010 at the Orion Township assembly line . 0 +The three upper floors were completed in 1885 and the first three floors were completed in 1906 . The first three floors were completed in 1885 , and the upper three floors were completed in 1906 . 0 +He left Shrewsbury in January 2006. and next joined Nuneaton Borough He left Shrewsbury in January 2006 and joined Nuneaton Borough next . 1 +Germar Rudolf , also known as Germar Scheerer , was born on October 29 , 1964 , is a German chemist and a convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born October 29 , 1964 , is a German chemist and a convicted Holocaust denier . 1 +However , Aramaic remains a local language for spoken , literary , and liturgical Christians and also some Jews . However , Aramaic remains a local language for spoken , literary and liturgical Christians and also for some Jews . 1 +An electronic signature is intended to provide a seamless identification method for the signatory to provide a secure and accurate transaction . An electronic signature is intended to provide the signatory with a seamless identification method to guarantee a secure and accurate transaction . 1 +He was released on October 3 , 2016 and was re-signed again on October 8 . He was released on 3 October 2016 and was resigned again on 8 October . 1 +There are 4 playable characters , each with a unique ability and a different style of fighting : There are 4 playable characters , each with a different ability and also a unique fighting style . 0 +Briggs later met Ravi Shankar at the 1967 Monterey Pop Festival , where Briggs was also performing , with Eric Burdon and The Animals . Briggs met Briggs later at the Monterey Pop Festival of 1967 , where Ravi Shankar also performed with Eric Burdon and The Animals . 0 +It also included Goodall Gondwe ( President Mutharika 's brother ) , Peter Mutharika , the Minister of Economic Development , and the Chief Secretary , Bright Msaka . They also included Peter Mutharika ( the brother of President Mutharika ) , Goodall Gondwe , the Minister for Economic Development , and Chief Secretary Bright Msaka . 0 +Pat takes Roy on a tour of Paris and they visit the below landmarks . Pat takes Roy on a tour of Paris and they visit the landmarks below . 1 +Fancher also says that the theory of CBT is inconsistent with basic principles and research of rationality , and even ignores many rules of logic . Fancher also says that the CBT theory is incompatible with many principles and research of rationality , and even ignores basic rules of logic . 0 +It is situated 40 km south of Ráckeve , on the island of Csepel , in the center of the little town of Budapest . It is situated 40 km south of Budapest , on the island of Csepel , in the center of the town of Ráckeve . 0 +The first trustees were David Limond Murdoch , Arthur Mielziner Myers ( President ) , Robert Hall and Alfred Seymour Bankart . The first trustees were David Limond Murdoch , Arthur Mielziner Myers ( chairman ) , Robert Hall and Alfred Seymour Bankart . 1 +In January 1954 , Sadler 's Wells Ballet announced that Benjamin Britten was working with Cranko to create a ballet . In January 1954 Sadler 's Wells Ballet announced that Cranko was collaborating with Benjamin Britten to create a ballet . 0 +He founded and operates ZOE Broadcasting Network Inc. and owns Channel 11 on Filipino television . He founded and owns ZOE Broadcasting Network Inc. and operates the Channel 11 on Filipino television . 0 +Today is a great day for American-Indian relations . Today is a great day for the Indian-American relations . 1 +The first president of Antigone was Stefano Anastasia ( 1991-1999 ) , who were replaced by Mauro Palma ( 1999-2005 ) . The first president of Antigone was Stefano Anastasia ( 1991-1999 ) , who has been replaced by Mauro Palma ( 1999-2005 ) . 1 +It is hosted by Guy Zu-Aretz and Eli Mizrahi with judges Yarden Harel and the latest Uri Paster and Michal Amdurski . It is hosted by Guy Zu-Aretz and Eli Mizrahi with judges Yarden Harel and the Newest Uri Paster and Michal Amdurski . 1 +The defect in the mechanism could not be seen in flight and only could be detected by examining the screw and checking it for defects during maintenance . The defect of the mechanism could not be seen in the flight and could only be detected by checking the screw and checking it during maintenance for defects . 1 +This species is found in the demersal zone of the Pacific Ocean from Nicaragua to Costa Rica . This species comes from Costa Rica to Nicaragua in the demersal zone of the Pacific Ocean . 0 +The destruction of Popov 's Mobile Group and the 6th Army during the early stages of the Soviet counterattack created a large gap between German lines . The destruction of the mobile group of Popov and the 6th army during the early stages of the Soviet counterattack caused a large gap between German lines . 1 +From Quebec , both sailed on to London . Both sailed to London from Quebec . 1 +It was redistributed in 1996 from parts of Prescott and Russell and Stormont , Dundas and Glengarry when ridings were created to match their federal counterparts . It was created in 1996 from parts of Prescott and Russell and Stormont , Dundas and Glengarry , when ridings were redistributed to correspond to their federal opponents . 0 +Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is an Olympic and national record floating swimmer from Cuba . Heysi Villarreal ( born 26 August 1986 in Cuba ) is an Olympic and national record holding swimmer from Havana , Cuba . 1 +The eldest son of Colonel Henry Lyell and Katharine Murray Lyell , was a nephew of Sir Charles Lyell , 1st Baronet , the geologist . The eldest son of Colonel Charles Lyell , he was a nephew of Sir Henry Lyell and Katharine Murray Lyell , 1st Baronet , the geologist . 0 +Stephens -- who was in one of Ray Bergman 's youth choirs -- also disputes any claims that Stephens was homosexual . Ray Bergman -- who was in one of the youth choirs of Stephens -- also disputes any claims that Stephen 's was homosexual . 0 +Elizabeth Warren is the United States Senator from Massachusetts , a former member of the Republican Party and is currently a member of the Democratic Party . Elizabeth Warren is the former US Senator from Massachusetts , a senior member of the Democratic Party and currently a member of the Republican Party . 0 +She also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen and closed for Prada , Kostüm National and Louis Vuitton . It also closed for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen and opened for Prada , Costume National and Louis Vuitton . 0 +Northern Indiana is part of the East Central Indiana and Montpelier . Montpelier is a part of East Central Indiana and Northern Indiana . 0 +Rachel played Decker swimwear model , while Peter Jacobson Alan , her nebbish husband , played . Decker played the swimsuit model Rachel , while Peter Jacobson Alan , her nebbish husband , played . 0 +After the dictionary of the National Biography of 1885 , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . According to the 1885 Dictionary of National Biography , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . 1 +After his death , Kellow 's widow Mary moved to Sydney with her daughter Mary Hope Kellow . After his death Kellow with Mary Hope Kellow and her daughter Mary moved to Sydney . 0 +Walter Hart ( or Walter Lyhert , died on 24 May 1472 ) was a medieval bishop of Norwich . Walter Lyhert ( or Walter Hart ; died on 24 May 1472 ) was a medieval bishop of Norwich . 1 +She worked on processes of chemical extraction of metal complexes and described the chemical and physical properties of solvent types in an organic solvent . She worked on solvent extraction processes in metal complexes and described the chemical and physical properties of chemical species in an organic solvent . 0 +Under Portuguese rule this province was named Moçambique but with independence , the name Mozambique was used for the entire country and the province renamed for its capital . Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed for its capital for the whole country and the province . 1 +Auden revised or dropped many of the poems in the 1933 edition for the collections and selections that he prepared in the 1940s and afterwards . Many of the poems in the 1933 edition for the collections and selections that he prepared in the 1940s and after have been revised or dropped . 1 +The filly was sent to France where she was trained in Europe by Maurice Zilber . The mare was sent to Europe where she was trained by Maurice Zilber in France . 0 +The Brothers , who arrived in Montreal in 1837 and founded the first permanent community of De La Salle Brothers in North America . The brothers arrived in Montreal in 1837 and founded the first permanent community of De La Salle Brothers in North America . 1 +Valerin 's castle is seized , he is released and the queen is killed . Valerin 's castle is seized , he is killed and the queen released . 0 +In 1986 , Timothy married Torlot Bridie Morton . Bridie Morton married Timothy Torlot in 1986 . 1 +"The "" Friends of the Art and Design School of Putney "" protects the school and promotes the interests of the students ." "The "" Friends of Putney School of Art and Design "" protects the School and promotes the interests of current students ." 1 +In 1962 , further restoration was carried out for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker . In 1962 , further restoration was carried out for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker . 0 +Wulffius and her son came to Germany where she lived until she fled to Australia in 1953 . Wulffius came to Germany with her son where she lived until she fled to Australia in 1953 . 1 +"Note : "" NA "" -- Information was not quoted on the page listed ." "Note : "" NA "" -- information was not listed on the cited page ." 0 +Born in Bradford , Chapman performed for Frickley Athletic , Bradford City , Notts County , Mansfield , Exeter City , Torquay United , Darlington and Emley . Born in Bradford , Chapman played for Frickley Athletic , Bradford City , Notts County , Mansfield Town , Exeter City , Torquay United , Darlington and Emley . 1 +The district , as originally proposed , was larger to include the commercial areas to the west of Shrewsbury Avenue , including ancient buildings , the Galleria and Maple Avenue . The district as originally proposed was larger , to include the commercial areas west of Maple Avenue , including the antique buildings , The Galleria , and Shrewsbury Avenue . 0 +Further restoration was carried out in 1962 for John Bradburne , who had earlier appointed the poet and mystic William Cardinal Godfrey to be caretaker . In 1962 , for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker , further restoration was carried out . 1 +The Madang languages are a family of languages in New Guinea - condition of the Rai - coast . The Rai Coast languages are a family of languages in the Madang stock of New Guinea . 0 +Geoff Downes wrote six songs for Warman 's album Vox Humana , released in 1992 . Geoff Downes wrote six songs for Warman 's album Vox Humana , which released in 1992 . 1 +She was at Cork on 24 June , and arrived in the Downs on 8 July . She was in Cork on June 24 and arrived in the downs on July 8 . 1 +The Mornington House was the Georgian residence of the Dublin Social Season of the Earls of Mornington . Mornington House was the Dublin social season Georgian residence of the Earls of Mornington . 1 +His early attempt to set up a trade business in Scotland was a failure and he returned to Virginia . His early attempt to set up a merchanting business in Scotland was a failure and he returned to Virginia . 1 +Coxeter defines other groups with anti-unitary constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines with other constructions anti-unitary groups , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . 0 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it in North America on October 6 , 2015 ." """ The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it on October 6th , 2015 in North America ." 1 +John Murcot , Anthony à Wood and Zachary Bogan were among his students . Among his pupils were John Murcot , Anthony à Wood , and Zachary Bogan . 1 +It is equivalent to the rank of rear admiral in the Royal Navy and the rank of the rear admiral ( upper half ) in the United States Navy . It is equivalent to the rank of rear admiral in the United States Navy and the rank of rear admiral ( upper half ) in the Royal Navy . 0 +The station was opened on July 1 , 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . The station opened on 1 July 1903 on the Donegal Railway Company line from Stranorlar to Glenties . 0 +"The reconstruction projects were officially approved by the parliament , so the navy "" Prince Eugen "" and her sister ships were routinely rebuilt ." "Reconstruction projects were officially approved by the parliament , so the navy routinely rebuilt "" Prinz Eugen "" and her sister ships ." 1 +The temple is maintained and was renovated around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . The temple has been renovated and was maintained around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 0 +In 1998 the race was renamed for Amsterdam , New York , a neighbor town of Saratoga Springs in Upstate New York . In 1998 , the race for Amsterdam , New York , was renamed a neighboring town of Saratoga Springs in Upstate New York . 1 +He represented Australia at the 1999 FIFA World Youth Championship held in Nigeria . He represented Nigeria at the FIFA - Youth - World Championship in Australia in 1999 . 0 +Paraparaumu has an oceanic climate typical of New Zealand , with moderately warm summers and mild winters . Paraparaumu has a typical New Zealand oceanic climate with moderately warm summers and mild winters . 1 +As the date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - 27 October 1659 was set . The date set for the executions of the three Quaker evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer , was 27 October 1659 . 1 +Director Albert Pyun , who had previously worked at Cannon , was brought on board and worked with the Tolkin script that originally started at Cannon . Director Albert Pyun , who had previously worked with Cannon , was brought on board and worked with the Tolkin script that originally started at Cannon . 1 +In the 1970s , W & amp ; R Jacob merged with Boland 's Biscuits to Irish Biscuits Ltd. in Tallaght , Ireland , and moved to Dublin . In the 1970s , W & R Jacob in Dublin merged with Boland 's Biscuits to form Irish Biscuits Ltd. and moved to Tallaght , Ireland . 0 +Aleksandra Piłsudska ( Suwałki , December 12 , 1882 -- London , March 31 , 1963 ) , b. Szczerbińska , was the second wife of Józef Piłsudski . Aleksandra Piłsudska ( Suwałki , 12 December 1882 -- London , 31 March 1963 ) , née Szczerbińska , was the second wife of Józef Piłsudski . 1 +A week later , Bland left Philadelphia and arrived in Valparaíso on October 29 , 1818 . Bland left Philadelphia a week later and met in Valparaíso on 29 October 1818 . 1 +When the membrane potential reaches approximately – 60 mV , the K channels close and the Na channels open and the prepotential phase begins again . When the membrane potential reaches approximately − 60 mV , the K channels close and Na channels open , and the prepotential phase begins again . 1 +Irvine Park in Orange , Orange County is a park that became California 's first regional park in 1897 . Irvine Park in Orange , California , is a park that became the first regional park in Orange County in 1897 . 0 +St. James Parish is a member of the Benefice of Culworth with Chipping Wardens and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . St. James ' ; Parish Church is a member of the Culworth Benefit with Sulgrave and Thorpe Mandeville and Chipping Warden with Edgcote and Moreton Pinkney . 0 +In September the new large field was extended and all leagues finished . In September the new large field was expanded and all leagues finished . 1 +It is based on a novel by Robert Suhosky and was turned into a script by James Hardiman . It was based on a novel by James Hardiman and turned into a screenplay by Robert Suhosky . 0 +Ice hockey was played in two venues , in Håkons Halle in Lillehammer and at the Gjøvik Olympic Cavern Hall in Gjøvik . Ice hockey was played at two venues , in Håkons Hall in Lillehammer and Gjøvik Olympic Cavern Hall in Gjøvik . 1 +From 3 March 1989 to 2 February 1990 , he was Governor of Bihar , from July 27 , 2009 to July 26 , 2014 , as Governor of Haryana . He was governor of Haryana from 3 March , 1989 to 2 February , 1990.He also served as the governor of Bihar from 27 July , 2009 to 26 July , 2014 . 0 +His parents were William Henry Harman and Sally ( Garber ) Harman , who was born in Waynesboro , Virginia , February 17 , 1828 . William Henry Henry Harman was born on February 17 , 1828 in Waynesboro , Virginia , with his parents Lewis and Sally ( Garber ) Harman . 0 +""" Florida "" was ordered on 4 May 1898 , and awarded to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." "On 4 May 1898 , "" Florida "" was awarded and ordered on 11 October 1898 to Crescent Shipyard , Elizabethport , New Jersey ." 0 +It is only found in Yunnan and its tributaries in the Dianchi - Lake , China . It is found only in Lake Dianchi and its tributaries in Yunnan , China . 0 +In 1612 he was governor of Tlalmanalco and in 1613 the governor of Texcoco . In 1612 he was governor of Texcoco , and in 1613 governor of Tlalmanalco . 0 +Where the sum extends over all paths formula _ 40 with the property that formula _ 39 and formula _ 41 . The analogous expression in quantum mechanics is the path integral . Where the total extends over all paths , Formula 39 with the property that Formula 40 and Formula 41 . The analog expression in quantum mechanics is the path integral . 0 +This name refers to either the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . This name refers either to the Little Para River ( which starts at the confluence of South Para River and North Para River ) or the Gawler River . 0 +Nancy returns home , and thanks her mother for trying to protect her , but Freddy appears in a mirror behind Gwen . Nancy returns home and thanks her mother for attempting to protect her , but Freddy appears behind Gwen in a mirror . 1 +"It was recorded on his album "" From Elvis in Memphis "" and was released on 18 February 1969 at the American Sound Studio in Memphis ." "It was released on his album "" From Elvis in Memphis "" and was recorded on 18 February 1969 at the American Sound Studio in Memphis ." 0 +In codice 5 the second file is codice 8 and in codice 4 the second file is codice 10 . In codice 5 is the second file codice 8 and in codice 4 is the second file codice 10 . 1 +His grandson , Edward , was elected to the 11th Parliament of Upper Canada for Grenville . His grandson , Edward , was elected for Grenville in the 11th Parliament of Upper Canada . 1 +For the next thirty years , Kriebel and Warner Sallman marketed over 100 Bates works . Over the next thirty years , Kriebel and Warner Sallman marketed over 100 Bates works . 1 +In November , the Royals acquired CF Coco Crisp from the Boston Red Sox in exchange for RP Ramón Ramírez . In November , the Royals CF Ramón Ramírez purchased from Boston Red Sox in exchange for the RP Coco Crisp . 0 +In 2010 , the son-in-law Stuart Stuart was sworn in because of the death of Prime Minister David Thompson . In 2010 , David Thompson was sworn in by the death of the prime minister , Freundel Stuart . 0 +The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance , and serves Rolling Hills . The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance and serving Rolling Hills . 1 +His current best championship result is the 4th place in the team - Dressage at the European Dressage Championships 2015 , while his current best individual result is 18th place of the 2014 Worlds . His current best championship result is 18th place in team dressage at the 2015 European Dressage Championships , while his current best individual result is 4th place from 2014 Worlds . 0 +The minister of climate and energy was Connie Hedegaard until November 2009 when she was replaced with Lykke Friis . The Minister for Climate and Energy was Lykke Friis until November 2009 , when she was replaced with Connie Hedegaard . 0 +He played for the Kansas City Royals for ten matches during the Kansas City Royals season in 1991 and four games during the Chicago Cubs season of 1992 . He played for the Chicago Cubs for ten games in the 1991 season Kansas City Royals and four matches during the 1992 season in Kansas City Royals . 0 +"On November 18 , 2010 , Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." "On 18 November 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project on the label ." 0 +It was based on a novel by Robert Suhosky and turned into a screenplay by James Hardiman . It is based on a novel by James Hardiman and was turned into a script by Robert Suhosky . 0 +The decision to use modern clothing was called Houseman as an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . "Houseman called the decision to use clear contemporary dress "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." 0 +"It is the second entry in the series , the first being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." "It is the first entry in the series , the second is published "" Fast Racing League "" on WiiWare in 2011 for the Wii ." 0 +During his stay in NWA Bloom and Bull Pain , Nick Dinsmore called Rob Conway for the NWA OVW Southern Tag Team title challenged in a No - Contest . During his stay in NWA Bloom , Bull Pain challenged Rob Conway & Nick Dinsmore for the NWA OVW Southern tag team titles ending in a no contest . 0 +The municipality is divided into the Barrios San José , Isabel , Realengo and Asunción . The municipality is divided into Barrios Asunción , Isabel , Realengo and San José . 1 +Piers Butler ( died in 1551 ) was Archbishop of Cashel and the illegitimate son of Edmund Butler , 8th Earl of Ormonde . Piers Butler ( died 1551 ) was archbishop of Cashel and the illegitimate son of Edmund Butler , 8th Earl of Ormonde . 1 +"Negrin did the editing and visual effects for the music video of the song "" Slow Me "" for singer Mudibu , directed by Dean Loxton ." "For the music video of the song "" Slow Me "" for singer Mudibu , directed by Negrin , Dean Loxton was responsible for the editing and visual effects ." 0 +"He went to Al and said : "" You have lost a father "" and "" I lost a son "" ." "He went to Al and said , "" you have lost a father "" and "" I 've lost a son "" ." 1 +"It was born in 2005 , and in 2006 was published the debut - EP "" The Departure "" ." "It was released in 2005 and in 2006 was born the debut - EP "" The Departure "" ." 0 +Warrington died in London on 10 February 1906 , and his will was proven on 29 March in Brentford , Middlesex . Warrington died on 10 February 1906 in London , and his will was proved on 29 March in Brentford , Middlesex . 1 +The change from thirty to forty nights does not reflect a change in the knowledge of Moses , but only a change in knowledge that God possessed . The change from thirty nights to forty nights do not reflect a change in God 's Knowledge , but only a change in the knowledge that Moses possessed . 0 +A section of the line remains in place , and is also known as the Phoenixville Industrial track ( currently owned by NS ) . A section of the route remains in place and is also known as the Phoenixville Industrial Track ( currently owned by NS ) . 1 +"In later years , his poems were more metaphysical and included contemporary events in "" Dominion Janana "" and the "" Samsara Rajyanga "" ." "In the later years his poems were more contemporary and contain metaphysical events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." 0 +Balıklı is a village in the district Gümüşhacıköy , Turkey , province of Amasya . Balıklı is a village in the Gumushacıköy district , province of Amasya , Turkey . 1 +The 1912 - 13 season was Manchester United 's sixth season in the Football League and 21st in the First Division . The 1912 -- 13 season was the 21st season of Manchester United in the Football League and sixth place in the First Division . 0 +The river Gorova is a tributary of the river Bârzava in Romania . The river Bârzava is a tributary of the River Gorova in Romania . 0 +She moved to Switzerland when she was a few months old , mostly to France , but grew up in Paris . She moved to Switzerland when she was a few months old , then grew up to France , but largely in Paris . 0 +Peter Mortimer , his older brother Steve Mortimer and younger brother Chris Mortimer played in four Grand Finals together . Peter Mortimer , his elder brother Steve Mortimer and his younger brother , Chris Mortimer , played together in four grand finals . 1 +"Victoria S. Bull ( "" Victor "" ) was introduced in 2001 as Vicki 's sister , but has been unseen for many years ." "Victoria S. Bull ( "" Vicki "" ) was introduced in 2001 as Victor 'apos ; s sister , but has not been seen for many years ." 0 +In bioinformatics , short indexes are very important in the sequence assembly of inverted fragments of sequenced DNA . In bioinformatics , short indexes of the sequence assembly of inverted fragments of sequenced DNA are very important . 1 +Nool Veli ( Fence of Yarn ) is a 1979 Tamil film playing with Saritha , Sujatha and Sarath Babu . Nool Veli ( fence of the yarn ) is a 1979 - Tamil film with Sarath Babu , Sujatha and Saritha . 1 +Although it has never been played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake Events were used . Although it was never used in the series , elements of the gameplay were played for the Powerball , Whiplash and Earthquake events . 0 +The 372nd Air Division in central Vietnam as well as the 917th , 935th and 937th Air Regiments in southern Vietnam were quickly deployed to the north . The 372nd air division in South Vietnam , as well as the 917th , 935th and 937th air regiments in Central Vietnam , were quickly deployed to the north . 0 +The E30 M3 was initially produced with the S14B23 . Versions equipped with a catalytic converter released 230 Nm . The E30 M3 was initially delivered with the ; S14B23 versions with a catalytic converter and 230 Nm produced . 0 +The hypohydrotic symptoms of ectodermal dysplasia described above are evidenced not only in the skin of affected individuals , but also in their phonation and voice production . The hypohydrotic symptoms of ectodermal dysplasia described above are not only reflected in the skin of individuals concerned , but also in their phonation and voice production . 0 +Karthik is the brother of actress Maheswari and the nephew of actress Sridevi . Karthik is the brother of the actress Sridevi and nephew of the actress Maheswari . 0 +The Los Angeles County Department of Health Services operates the Pomona Health Centre in Hacienda Heights , Pomona . The Los Angeles County Department of Health Services operates the Pomona Health Center in Pomona , serving Hacienda Heights . 0 +"Santiago is the vulgar evolution of the Latin Galician Sanctu Iacobu , "" Saint James "" ." "Santiago is the Galician evolution of Vulgar Latin Sanctu Iacobu , "" Saint James "" ." 0 +RVD tried to break the hold , but the flair rolled into the ropes to reverse the hold . RVD tried to reverse the hold , but the flair rolled into the ropes to break the hold . 0 +In 1855 , the Republican Party and the Whig Party merged in New York to form the Anti-Nebraska Party . In 1855 , the Republican Party and the Whig Party merged in New York to found the Anti-Nebraska Party . 1 +"Salmons Brook is marked thus on Rocque 's map of 1754 , probably named from the family of John "" Salemon "" of Edmonton mentioned in 1274 ." "Thus is mentioned on the map of Rocque of 1754 , probably from the family of John "" Salemon "" of Edmonton in 1274 , marked Salmons Brook ." 1 +Ammu is a 1965 Indian Malayalam film staged by NN Pisharady and produced by M Kesavan . Ammu is an Indian Malayalam film , produced by NN Pisharady and directed by M Kesavan in 1965 . 0 +The church we are seeing today , however , was consecrated in 1640 , designed by Agostino Avanzo and replaced in 1655 . However , the church we see today was consecrated in 1640 , designed by Agostino Avanzo , and replaced in 1655 . 1 +The Nottawa River , also known as the Nottawa Creek , flows through Athens . The Nottawa Creek , also known as Nottawa River , flows through Athens . 1 +After moving to Turkey as a political refugee in 1988 , he began writing novels about the leftist uprising in Norway . After moving to Norway as a political refugee in 1988 , he began to write novels about the leftist revolt in Turkey . 0 +In 1882 , however , Haldeman administered corrective back surgery to Haldeman at the Jane Addams home in Mitchellville , Iowa . In 1882 , however , Haldeman Haldeman administered corrective back operations at the Jane Addams home in Mitchellville , Iowa . 1 +While these two stations are located relatively close to each other , the two stations are not interchangeable ; they are situated along different parts of Pudian Road . While these two stations are relatively close to each other , the two stations are not interchangeable , they are situated along different parts of the Pudian Road . 1 +Edward Brooke defeated Elliot Richardson in the Republican Primary . Edward Brooke defeated Elliot Richardson in the Primary Republican Association . 1 +Mille Lacs County , Minnesota , United States is a municipality in Princeton Township . Princeton Township is a township in Mille Lacs County , Minnesota , United States . 0 +The Urechioiu River is a tributary of the Burduja River in Romania . The Burduja River is a tributary of the River Urechioiu , Romania . 0 +They create moving and plastic facts . They create plastic and moving limpid facts . 0 +Therefore , South Korea has high climate zones and various precipitations , and this condition leads to a diversity of wildlife . Therefore , South Korea has high climate zones and various precipitation , and this condition leads to a diversity of wildlife . 1 +Baldwin attended Oregon State University and was later transferred to Texas A 'M University . Baldwin attended Oregon State University and later transferred to Texas A & M University . 1 +A swing is a resonant example of a simple system that most people have practical experience with . A swing set is a resonant example of a simple system with which most people have practical experience . 1 +The district Viñac is one of thirty-three districts of the province of Yauyos in the Peruvian region Lima . Viñac District is one of thirty-three districts of the Yauyos Province in the Lima Region of Peru . 1 +The scientific method is essentially the application of the inductive approach to investigation . The inductive method is essentially the application of the scientific approach to the investigation . 0 +It is part of the James River watershed over the Bush River and the Appomattox River . Via the Appomattox River and the Bush River , it is part of the watershed of the James River . 1 +For the U.S. Information Agency ( now the State Department ) he has lectured in Germany , Czechoslovakia , Portugal , France , Indonesia , Japan , and Spain . For the US Information Agency ( now the State Department ) , he has lectured in Germany , Czechoslovakia , Portugal , France , Indonesia , Japan , and Spain . 1 +He was the 1st Governor of Cebu , who once became a Governor of Samar in the early 1900s . He was the first governor of Cebu , who once became Governor of Samar in the early 1900s . 1 +In 1697 he was returned as Whig - Member of Parliament for Eye and was sitting until 1713 , when he was re-elected for Lymington . In 1697 he was returned as a Whig Member of Parliament for Eye , and sat until 1713 when he was re-elected for Lymington . 1 +"The pericarditis is divided into "" acute "" and "" chronic "" forms depending on the time and duration ." "Depending on the time of presentation and duration , pericarditis is divided into "" chronic "" and "" acute "" forms ." 0 +District Viñac is one of thirty-three districts in the Lima region in the province of Yauyos in Peru . District Viñac is one of thirty-three districts in the province of Yauyos in the region Lima in Peru . 0 +Jimmy Wareing was born in Cumberland in 1917 and played for Silloth and Silloth Rugby - Union prior to the war . Jimmy Wareing was born in Silloth in 1917 and played rugby union for Silloth and Cumberland before the war . 0 +The 1979 -- 80 NBA season was the 34th season of the National Basketball Association . The NBA season from 1979 to 80 was the 34th season of the National Basketball Association . 1 +The United States , as a signatory , started foreign parcel services in 1887 but did not institute domestic services until 1913 . The United States started foreign parcel services as a signatory in 1887 , but did not introduce domestic services until 1913 . 1 +""" Whatever Will Be "" ( 2005 ) is the second song by Tammin of her first album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the first song released by Tammin from her second album "" Whatever Will Be "" ." 0 +This is a list of dual Lebanese and foreign individuals born in the Lebanese diaspora of Lebanese ancestry or people of Lebanese nationality who live in the diaspora . This is a list of Lebanese and foreign people born in the Lebanese diaspora of Lebanese descent , or persons of Lebanese nationality who live in the diaspora . 1 +Thimilarmadam is a small town in Sri Lanka , within the northern province . Thimilarmadam is a small town in Sri Lanka , within Northern Province . 1 +"His poems were more contemporary in later years and included metaphysical events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." "In later years , his poems were more metaphysical and included contemporary events in "" Dominion Janana "" and the "" Samsara Rajyanga "" ." 0 +On July 4 , 1968 , at Harper 's request , Smith resigned from the cabinet . On July 4 , 1968 , at Smith 's request , Harper resigned from the cabinet . 0 +The atheistic element of communism would be intensified in some Marxist movements after his death . After his death , the Marxist element of communism would be intensified in some atheist movements . 0 +""" Pokarekare Ana "" was used in the popular culture as the title song for the 2005 South Korean film "" Crying Fist "" ." "In South Korean culture , "" Pokarekare Ana "" was used as title song for the popular film "" Crying Fist "" 2005 ." 0 +Week 1 : Teams have to move from Santa Barbara , California , to Venice Beach , California . Week 1 : The teams have to move from Venice Beach , California to Santa Barbara , California . 0 +This is a list of the local heads of the various governmental organisations that have served London , England . This is a list of the local heads of various government organisations that have served London , England . 1 +An AMO warm phase reduces the summer rainfall over Sahel , while a cold phase strengthens it . An AMO warm phase reduces the summer rain over the Sahel , while a cold phase strengthens it . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in Assam ( India ) . Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in India ( Assam ) . 1 +"Jamil commented that Gwen is homophobic , saying that he thought that "" every Lesbian woman was a woman waiting for the right man "" ." "Gwen commented that Jamil is homophobic , saying that he thought "" every lesbian woman was a woman waiting for the right man "" ." 0 +Crash Landed was published in Korea in July 2009 as the third single and in April 2010 as the second single in Japan . Crash Landed was published in Japan in July 2009 as the second single and in April 2010 as the third single in Korea . 0 +The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Lakes Entrance , along the Princes Highway , north of Melbourne . The Buchan Caves are located about east to the northeast ( or five hours drive ) from Lakes Entrance , along Princes Highway , north of Melbourne . 1 +Wolff rejected Impressionism , although he occasionally praised individual works from this school . Wolff praised Impressionism , although occasionally , he opposed individual works from this school . 0 +The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in the Antarctic . The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in Antarctica . 1 +The journal is published by Brill and indexed in Academic Search Complete and Scopus . The journal is published by Brill and is indexed in Academic Search Complete and Scopus . 1 +Joanna is located within the federal Division of Barker , the state electoral district of MacKillop , and the local government area of the Naracoorte Lucindale Council . Joanna is located within the federal division of Barker , the state constituency of MacKillop and the local government area of Naracoorte Lucindale Council . 1 +Surfers often travel to San Lorenzo to find powerful waves ( regularly head high ) . Surfers often travel to San Lorenzo to find powerful waves ( high regularly ) . 1 +After leaving Wingfield Manor , Mary was transferred from her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . After leaving Wingfield Manor , Mary was taken to Sheffield in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . 1 +Billie Jean King defeated Kerry Melville , 6 - 3 , 7 -- 5 Billie Jean King defeated Kerry Melville , 6 -- 3 , 7 -- 5 1 +Back in England , Benny Sharkey beat Sonny Lee before suffering only the fifth defeat of his career when he was disqualified against Watson for a low blow . Benny Sharkey beat Sonny Lee in England before he suffered only the fifth defeat of his career when he was disqualified against Watson for a low blow . 1 +Robinson played High School Basketball at the Memphis Melrose High School , where one of his teammates was his future college and professional teammate , Larry Finch . Robinson played high school basketball at Memphis Melrose High School , where one of his teammates was his future college and professional teammate , Larry Finch . 1 +The PIN used to generate a PVV can be randomly generated or user selected or even derived using the IBM method . The PIN used to generate a PVV can be randomly selected or generated by the user , or even derived using the IBM method . 0 +The first verse expresses the reason for the second verse : the goodness of the Lord has been experienced in the past , and his faithfulness will last forever . The first verse expresses the reason for the second verse : the goodness of the Lord has been experienced in the past , and his faithfulness will exist forever . 1 +It is located on the west shore and forms the southern end of Melville Water . It is located on the southern shore and forms the west end of Melville Water . 0 +In October 2011 , eight hornets were sent from Williamstown to the RAAF Base Pearce to protect the CHOGM meeting in nearby Perth . In October 2011 , eight horns were also sent from Perth to RAAF Base Pearce to protect the CHOGM meeting in nearby Williamstown . 0 +In her home in Boston , Agassiz founded a school for girls from Cambridge in 1856 . In 1856 in their home in Cambridge , Agassiz founded a school for girls from Boston . 0 +He acquired homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . He acquired buildings in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . 0 +The high ground was Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from Los Angeles , California to St. Augustine , Florida . The high ground became Gentilly Boulevard and US Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . 0 +The river Valea Voenilor is a tributary of the river Pascu . The Pascu River is a tributary of the river Valea Voenilor . 0 +The government of Qingyang County is located in the town of Rongcheng . The government of Qingyang County is located in Rongcheng Town . 1 +While still in Nevada , the Highway Boundary Peak , the highest point in California . While still in Nevada , the highway passes Boundary Peak , the highest point in California . 1 +He defeated Gilbert , with Quentin Gilbert and Pierre Roche having not long ago clinched the titles in WRC3 and JWRC . He defeated Gilbert , with Quentin Gilbert and Pierre Roche the titles in WRC3 and JWRC won not long ago . 1 +"The 2012 season of the League Indonesia First Division ( seventeenth : "" Divisi Satu Liga Indonesia 2012 "" ) is the Indonesian edition of Liga Indonesia First Division ." "The 2012 Liga Indonesia First Division season ( seventeenth : "" Divisi Satu Liga Indonesia 2012 "" ) is the Indonesian edition of Liga Indonesia First Division ." 1 +The Tripper is a 2006 comedy horror slasher film which was directed by Jaime King , Thomas Jane and Lukas Haas and stars David Arquette . The Tripper is a 2006 comedy - horror - slasher film , filmed by David Arquette and stars Jaime King , Thomas Jane and Lukas Haas . 0 +Cullen endorsed John Kasich in the 2016 New Hampshire primary several weeks before it took place . Cullen supported John Kasich in the 2016 New Hampshire primary several weeks before it took place . 1 +"The Moai statues of Chile ( Easter Island ) appear in several "" gradius "" plays as enemies ." "The Moai statues of Easter Island ( Chile ) appear in several "" gradius "" plays as enemies ." 1 +The season 1988 -- 89 National Basketball Association was the 43rd NBA season . The 1988 -- 89 National Basketball Association season was the 43rd season of the NBA . 1 +The fumarate - hydratase - gene , located on the long arm of chromosome 1 ( 1q42.3-43 ) , stretches over 22 kilobases and has 10 exons . The fumarate hydratase gene , located on the long arm of chromosome 1 ( 1q42.3-43 ) , spans 22 kilobases and has 10 exons . 1 +Walter Hart ( or Walter Lyhert ; died 24 May 1472 ) was a medieval Bishop of Norwich . Walter Lyhert ( or Walter Hart , died May 24 , 1472 ) was a medieval bishop of Norwich . 1 +American Edit is a mashup album shared by Party Ben and Team9 under the released alias Dean Gray . American American Edit is a mashup album , released by Party Ben and Team9 under the common alias Dean Gray . 0 +Andrew Pugh has appeared the most times for the county , playing in eighteen matches , closely followed by Nick Folland , who made sixteen appearances . Nick Folland has appeared most for the county , playing in eighteen games , followed closely by Andrew Pugh , who made sixteen appearances . 0 +Ida Bjørndalen replaced Linn Jørum Sulland on 30 November 2014 due to an injury . Linn Jørum Sulland replaced Ida Bjørndalen on 30 November 2014 due to an injury . 0 +For example , 351 W 5th Avenue is located approximately west of High Street on the south side of Fifth Avenue . For example , 351 W 5th Avenue is just west of Fifth Avenue on the south side of High Street . 0 +It was the northernmost of several Muslim states in the Horn of Africa and served as a buffer between the Christian Kingdom and the Muslim states along coastal regions . It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between Muslim kingdom and the Christian states along the coastal regions . 0 +In 2006 , Goldman Sachs sold the company to Silverlake Partners for US $ 800 million . Silverlake Partners sold the company to Goldman Sachs in 2006 for $ 800 million . 0 +Eusebius , despite his own views on Papias , believed that Irenaeus knew Papias to be a reliable witness to original apostolic traditions . Eusebius believed , despite his own views about papias , that Irenaius knew Papias to be a reliable witness to original apostolic traditions . 1 +"Billy Billy ( 25 September 1918 - 3 May 2011 ) , whose friends called him "" William Pendry Bidelman "" , was an American astronomer ." "William Pendry Bidelman ( ; September 25 , 1918 -- May 3 , 2011 ) whose friends called him "" Billy "" , was an American astronomer ." 0 +This may be caused by the loss of three different additional genes , each of which has different effects , resulting in three types of syndrome . This may be caused by the loss of three different genes , each of which has different effects , resulting in three types of syndrome . 1 +"But despite the complex gameplay , "" Absolute Obedience offers a variety of very simple character designs for the main characters as well as their "" goals "" ." "But despite the simple gameplay "" Absolute Obedience "" offers a variety of very complex character designs for the main characters as well as their "" targets "" ." 0 +"It is now written by Bread for the city , a local social services organization , and above the door is used "" dignity , respect , service "" ." "It is now written by Bread for the City , a local social service organization , and above the door is used "" Dignity , Respect , Service . """ 1 +Jones also served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( later WJPC ) in Chicago . He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( later WJPC ) radio station in Chicago . 1 +Frank served under Phil Testa and later Nicky Scarfo . Under Frank and later Nicky Scarfo , Phil Testa served . 0 +Applied psychology is the use of scientific methods and findings of psychological psychology to solve practical problems of human and animal behavior and experience . Applied psychology is the use of scientific methods and findings of psychology to solve practical problems of human and animal behavior and experience . 1 +Then Tyrone tells him who Tommy is . Then Tommy tells him who Tyrone is . 0 +In 1955 , the United Kingdom followed , Katsuaki Asai Germany in 1964 and Hiroshi Tada Italy in 1965 . The United Kingdom followed in 1955 ; Italy in 1964 by Hiroshi Tada ; and Germany in 1965 by Katsuaki Asai . 0 +The Siphumelele mine is one of the largest platinum mines located in the north-western part of South Africa in Rustenburg , North West . The Siphumelele - Mine is one of the largest platinum mines in the north-western part of South Africa in Rustenburg , northwest . 1 +In the long run , his lodge won -- his reservations were incorporated into the United Nations in 1945 , where the US had a veto . Lodge won in the long run -- his reservations were incorporated into the United Nations in 1945 , where the U.S. had a veto . 1 +In 2011 , H. W. Wilson Company took over EBSCO Publishing . EBSCO Publishing H. W. Wilson Company took over in 2011 . 0 +Later that day both the JMA & the JTWC upgraded the depression to a tropical storm . Later that day , both the JMA and the JTWC have upgraded the depression to a tropical storm . 1 +On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar , and Luis Rivera for the Braves for B. J. Surhoff . On July 31 , Molina was traded with B.J . Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera to the Braves . 0 +In a said Mass , this prayer and the following are concelebrated by individual concelebrants . This prayer and the following are concelebrated in a said fair by individual concelebrants . 1 +She is voiced by Tara Platt in the Japanese anime and by Kanako Hatori in the English dub . She is expressed in the Japanese anime by Tara Platt and in the English dub by Kanako Hatori . 1 +It is located on the west shore and forms the southern end of Melville Water . It is located on the western shore and forms the southern end of Melville Water . 1 +In 1958 , the company got a production structure in Houston , USA , and later in Frederikssund . The company got a production structure in Frederikssund in 1958 and later in Houston , United States . 0 +Issaquah Creek enters the Sammamish lake in the park . Sammamish lake enters the Issaquah Creek in the park . 0 +This concept of visual ( subjective ) direction is very old . The concept of ( visual ) subjective direction is very old . 1 +An operational VMS system has access to one or more online disks , each of which contains a complete , independent file system . An operational VMS system has access to one or more online media , each of which contains a complete , independent file system . 1 +The Borcut River is a tributary of the River Colnici in Romania . The River Colnici is a tributary of the River Borcut in Romania . 0 +Timothy Torlot married Bridie Morton in 1986 . In 1986 , Timothy Torlot married Bridie Morton . 1 +Aphonopelma catalina is a species of spiders in the Theraphosidae family , found in the United States ( Arizona ) . Aphonopelma catalina is a species of spiders in the family Theraphosidae , found in Arizona ( United States ) . 1 +This was a limited release -- only 300 red vinyl and 200 black vinyl copies were issued . This was a limited release -- only 300 black vinyl copies and 200 red vinyl copies were issued . 0 +It aims to appeal to those who love wood and varnish , or the look and feel of well-drawn and well-built boats . It aims to appeal to those who love wood and varnish , or the appearance and feel of well-built and well-drawn boats . 1 +William J. Galvin married Kathryn Galvin in 1956 , the daughter of Kevin White , who also served as a Boston City Council president . In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the city council in Boston . 0 +During all my school years , I was in a racist environment , with white people . During my school years , I was in a racist environment with white people . 1 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half of the water volume . Ristretto is traditionally a short shot of espresso made with the normal amount of ground coffee but extracted with about half the amount of water . 1 +Today the area of Skudenes refers to the southern part of the island Karmøy . The Karmøy area today refers to the southern part of the island of Skudenes . 0 +Neighboring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . Neighboring municipalities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . 0 +The township occupies the southwestern corner of Fulton County , bordered to the west by Franklin County and to the south by the Washington County in the state of Maryland . The township occupies the southwest corner of Fulton County , bordered to the west by Franklin County and to the south by Washington County in the state of Maryland . 1 +The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Italy in 2011 . The championship was held in Austria in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Italy in 2011 . 1 +In September 2017 , benzoylfentanyl was banned in Sweden , in October 2017 in Finland . In Finland , benzoylfentanyl was banned in September 2017 and Sweden in October 2017 . 0 +"He appeared as an archie mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as Archie Mullen in the film "" Freedom Song "" ( 2000 ) ." 0 +Born in Łuck , he was a child prodigy on the piano in Warsaw and then went to Warsaw Conservatory . He was born in Warsaw , was a wonder child on the piano in Łuck and then went to the Warsaw Conservatory . 0 +The new cable company announced that they would charge $ 10 for their service and $ 5 per month to connect to the signals . The new cable company announced that they would charge $ 10 to subscribe to their service , and $ 5 per month to connect to the signals . 1 +""" Cortinarius rainierensis "" , collected from the material described in Mount Rainier National Park in 1950 by Alex H. Smith and Daniel Elliot Stuntz , is a synonym ." """ Cortinarius rainierensis "" , described in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material collected Mount Rainier National Park , is a synonym ." 0 +He was also a nephew of Gyda Christensen , a brother of Johan Hambro , Carl Joachim and Cato , and from 1946 a step son of Elise Hambro . He was also a nephew of Gyda Christensen , a brother of Johan Hambro , Carl Joachim and Cato , and from 1946 a stepson of Elise Hambro . 1 +Sandringham Railway Station is located on Brighton Beach line in Victoria , Brighton , and serves south-eastern Australia , suburbs of Melbourne . Brighton Beach Railway Station is located on the Sandringham line in Victoria , Australia , and serves the south-eastern Melbourne suburbs of Brighton . 0 +Stay Up , Get Down is the band 's first EP , The Maine , and was released on 8 May 2007 . Get Up , Stay Down is the first EP by the band , The Maine , and was released on May 8 , 2007 . 0 +Kennedy withdrew from the race and Humphrey had gained the victory , he needed to prove to the party 's bosses that a Catholic could win in a non-Catholic state . Humphrey withdrew from the race , and Kennedy had gained the victory he needed to prove to the Party ’ s bosses that a Catholic could win in a non-Catholic state . 0 +The first field was completed in 1857 and the positioned bridge was opened on 2 May 1859 by Prince Albert . The first main span was positioned in 1857 and the finished bridge was opened on 2 May 1859 by Prince Albert . 0 +The leaves are usually 1.5-4 mm long and 0.2-0.7 mm wide . The leaves are generally 1,5-4 mm wide and 0.2-0.7 mm long . 0 +The winner of each semi-final ( Best of 3 ) rose to the gold medal race , the other two drivers went to the bronze medal race . The winner of each semi-final ( best of 3 ) went to the gold medal race . The other two riders advanced to the bronze medal race . 0 +In 2009 he joined the San Diego Sockers Professional Arena Soccer League . In 2009 , he joined the Professional Arena Soccer League of the San Diego Sockers . 1 +On August 12 , 2003 Kottonmouth Kings released their 3rd Compilation - Album , their 1st Live album and their 9th total album , Classic Hits Live . On August 12 , 2003 Kottonmouth Kings released their 3rd compilation album , their 1st live album and their 9th overall album titled , Classic Hits Live . 1 +Another Jesuit from England , William Good joined Daniel soon after , though they had a turbulent relationship . Daniel , another Jesuit from England , joined William Good soon after , although they had a turbulent relationship . 0 +Carlos Robacio , BIM5 commander , was awarded to the Argentine nation to the Valour in Combat Medal , and the Battalion itself was awarded in 2002 by the Argentine Congress . Carlos Robacio , BIM5 commander , was decorated the Argentine Nation to the Valour in Combat Medal and the battalion itself was awarded by the Argentine Congress in 2002 . 0 +Private school Bal Bhavan is a public school in Mayur Vihar Ph - II near DDA - market Patparganj , Delhi-110091 . Bal Bhavan public school is a private school located in Mayur Vihar Ph II near DDA market Patparganj , Delhi-110091 0 +Stockfish is cured in a process called fermentation , where cold-adapted bacteria let the fish mature , similar to the maturing process of cheese . Stockfish is adapted in a process called fermentation where cold-cured bacteria matures the fish , similar to the maturing process of cheese . 0 +The area has a huge amount of sunshine all year round due to its stable descending air and high pressure . The area has a large amount of sunshine year round due to its high descending air and stable pressure . 0 +In April 2011 , Akari Saho left Aa ! In April 2011 Akari left Saho Aa ! 0 +Ralf Hogge married Margaret Henslowe , sister of Philip Henslowe , an Elizabethan theatrical entrepreneur and impresario . Margaret Henslowe married Ralf Hogge , the sister of Philip Henslowe , an Elizabethan theatrical entrepreneur and impresario . 0 +He and his family moved from Colorado to Wyoming to Oregon until he was about 5 years old , when they settled in Silver Spring , Maryland . He and his family moved from Colorado to Wyoming to Oregon until he was about five years old when they settled in Silver Spring , Maryland . 1 +Azzopardi received his first country match for Poland in a game against Malta on 14 December 2003 . Azzopardi received his first cap for Malta on 14 December 2003 in a match against Poland . 0 +"The Mtskheta tribe was later ruled by a prince known as "" mamasakhlisi "" ( "" father of household "" in Georgian ) ." "The Mtskheta tribe was later ruled by a prince locally known as "" mamasakhlisi "" ( "" father of the household "" in Georgian ) ." 1 +In December 1883 he moved to Los Angeles and then for two years to Fresno . In December 1883 , he moved to Fresno and then Los Angeles for two years . 0 +The once bad relationship between Poland and Germany has now become a strategic relationship . The once bad relationship between Poland and Germany now has become a strategic relationship . 1 +AICAR offers a two-year residential-time full PGDM programme approved by the All India Council of Technical Education , New Delhi . AICAR offers a full two-year PGDM programme for residential purposes , approved by the All India Council of Technical Education , New Delhi . 1 +Daka sends his electronic followers together with a zombie that he controls via an American brain implant by microphone to steal the precious metal . Daka sends his American henchmen , along with a zombie that he controls by microphone via an electronic brain implant , to steal the precious metal . 0 +The city of Cortlandville , near the western border of the county , is surrounded by the town of Cortland . The town of Cortlandville , located near the western border of the county , is surrounded by the city of Cortland . 1 +"Bowen , "" Trevis R. Badeaux honored as ' agent of change ' , "" Acadiana Sunday "" , May 5 , 2002 ." """ Trevis R. Badeaux as "" Agent of Change "" , "" Acadiana Sunday "" , May 5 , 2002 honored ." 1 +Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Leudesius overtook them and had Ebroin murdered . Leudesius and Theuderic III escaped to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . 0 +"He was introduced to the version of the computer - text game "" Colossal Cave Adventure "" , created by Don Woods in 1977 and modified by Will Crowther ." "He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created in 1977 by Will Crowther and modified by Don Woods ." 0 +Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 , against Rafael Nadal and Bartolomé Salvá-Vidal . Andrei Pavel and Alexander Waske won against Rafael Nadal and Bartolomé Salvá - Vidal in the final 6 -- 3 , 7 -- 6 . 1 +Irma Chilton ( born Mair Elizabeth Irma Evans , 12 November 1930 -- 1990 ) was a Welsh children 's writer in the English and Welsh languages . Irma Chilton ( born Mair Elizabeth Irma Evans , November 12 , 1930 -- 1990 ) was a Welsh children writer in the English and Welsh languages . 1 +Nyceryx tacita is a moth of the Sphingidae family , which is found from Mexico , Guatemala , Costa Rica and Panama to Bolivia . Nyceryx tacita is a moth of the family Sphingidae , which is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . 0 +The Detroit Red Wings were winning 4 games to 2 against the Norris Toronto Maple Leafs Division . The Detroit Red Wings were defeated 4 games to 2 , against the Norris Division winning Toronto Maple Leafs . 0 +In March 1999 , Chris Anderson took over the succession of Wayne Bennett as team coach . In March 1999 , Chris Wayne Bennett took over the succession of Chris Anderson as team coach . 0 +The site chosen for Droxford was located on the opposite side of the Meon in the neighbouring Soberton on the east bank . The site chosen for Droxford station was on the east side of the Meon , in neighbouring Soberton on the opposite bank . 0 +The chapel was also dedicated to St. John , the Baptist and Christina , St. James , all the protectors of the House of Visconti . The Chapel was also dedicated to the Saints John the Baptist and James , Blessed Christina , all protectors of the House of Visconti . 0 +Margaret Turner ( Myrna Loy ) and Susan Turner ( Shirley Temple ) are all sisters who live together . Margaret Turner ( Myrna Loy ) and Susan Turner ( Shirley Temple ) are sisters who live together . 1 +It is found in Iron Knob , specifically in the Iron Monarch mine , South Australia , Middleback Range , Eyre Peninsula , South Australia . It is found in Iron Knob , especially in the Iron Monarch Mine , South Australia , Middleback Range , Eyre Peninsula , South Australia . 1 +"Arriving in Philadelphia October 16 , "" Jarvis "" decommissioned on October 24 and entered the Atlantic Reserve fleet ." "Arriving Philadelphia 16 October , "" Jarvis "" decommissioned 24 October and entered the Atlantic Reserve Fleet ." 1 +Tipsarević started playing tennis at age six , and at the age of nine , began playing at the New Belgrade Tennis Club with Russian coach Roman Savochkin . Tipsarević started playing tennis at the age of six , and at the age of nine he began with the Russian coach Roman Savochkin at the New Belgrade Tennis Club . 1 +Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the border to Virginia . Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the Virginia border . 1 +Riggs was born in Atlanta , Georgia , the son of William Riggs ( nee Carlton ) and Gina Ann , and has a younger brother , Grayson . He was born in Atlanta , Georgia , the son of Gina Ann ( b. Carlton ) and William Riggs , and has a younger brother , Grayson . 0 +Xavier Malisse defeated Tommy Haas with 6 -- 3 , 3 -- 6 , 7 -- 6 . Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 - 6 , 7 -- 6 . 0 +Chad Johnson ( born 1978 ; formerly Chad Ochocinco ) is an American - American - football receiver . Chad Ochocinco ( born 1978 ; formerly Chad Johnson ) is an American football wide receiver . 0 +The South Tyrolean ice hockey league consists predominantly of Italian teams . The South Tyrolean ice hockey league consists mostly of Italian teams . 1 +The BMS - Chairperson is Günter M. Ziegler ( FU ) , the deputy chairs are Jürg Kramer ( HU ) and John M. Sullivan ( TU ) . The BMS Chair is Günter M. Ziegler ( FU ) , and the deputy Chairs are Jürg Kramer ( HU ) and John M. Sullivan ( TU ) . 1 +After his death , the atheistic element of communism would be stepped up in some Marxist movements . After his death , the Marxist element of communism would be intensified in some atheist movements . 0 +He died in Oneida on February 20 , 1930 and was buried at the Glenwood Cemetery in Albany , New York . He died in Albany , New York on February 20 , 1930 , and was buried at the Glenwood Cemetery in Oneida . 0 +When they are both discovered by Janeece , their titles are taken away from Kim Campbell 's disappointment as house captains . When they are both discovered by Janeece their titles as house captains are taken away much to Kim Campbell 's disappointment . 1 +He was born at Cringleford , Norfolk and died at Thames Ditton , Surrey . He was born in Cringleford , Norfolk , and died at Thames Ditton , Surrey . 1 +The music was composed by K. Ayyappa Panicker and Kavalam Narayana Panicker and lyrics was written by M. B. Sreenivasan . The music was composed by MB Sreenivasan and written texts by K Ayyappa Panicker and Kavalam Narayana Panicker . 0 +Tver Carriage Works offers the following products and provides the following services : Tver Carriage Works provides the following products and manufactures the following services : 1 +As part of a rationalization campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Atlanta , Landover and Everett . As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Everett , Landover and Atlanta . 1 +Hangars 1 -- 4 were built on the south side of the administration building , while hangars 5 -- 8 were built on the north side . On the southern side of the administration building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . 1 +Trujillo incorporated elements of contemporary art and native figures in a very hieratic style in his canvases . Trujillo involved in his canvases elements of contemporary art and native figures in very hieratic style . 1 +In collaboration with Joe Newman , Richard P. Tinkham was co-founder of the current American Basketball Association . Richard P. Tinkham was the co-founder of the current American Basketball Association with Joe Newman . 1 +The first laser in the world was developed in 1960 by American scientists Nikolay Basov and Alexander Prokhorov and the Russian scientist Charles H. Townes . 1960-The world 's first laser was developed by Russian scientists Nikolay Basov and Alexander Prokhorov , and American scientist Charles H. Townes . 0 +Queen Peak is a mountain on Vancouver Island , British Columbia , Canada , located north of Gold River and east of Victoria Peak . Queen Peak is a mountain located on Vancouver Island , British Columbia , Canada , north of Gold River and east of Victoria Peak . 1 +He was a member of the Louisiana State Fair Board , Chairman of the State Fair Stadium Commission and Commissioner of the Louisiana Superdome in New Orleans . He was a member of the State Fair Stadium Commission , chairman of the Louisiana State Fair Board , and a commissioner of the Louisiana Superdome in New Orleans . 0 +A frozen quasimodo announced with Esmeralda 's help Johnny 's true nature during Mavis ' apos ; celebration where the fly translated his frozen language . With Esmeralda 's help , a frozen Quasimodo announced Mavis 's true nature during Johnny'celebration where the Fly translated his frozen language . 0 +The Chabot Museum is located in the Museumpark in the Rotterdam Centrum , between the Netherlands Architecture Institute and the Boijmans Van Beuningen Museum . The Chabot Museum is located at the Museumpark in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . 1 +"In 2009 , Silent Majority Group 's single signing Framing Hanley received a Gold certification for their first "" Lollipop "" ." "In 2009 , the first signing of Silent Majority Group Framing Hanley received a gold certification for their single "" Lollipop "" ." 0 +Lahore governor Malik Ikhtyaruddin Qaraqash fled the Mongols , while the Mongols held the city for a few years under the rule of the Mongol chief Toghrul . The governor of Lahore , Malik Ikhtyaruddin Qaraqash , held the Mongols , while the Mongols , under the rule of the Mongolian chief Toghrul , fled the city for a few years . 0 +""" Blastfighter "" was theatrically distributed in Italy , where it was released on July 25 , 1984 by Medusa Distribuzione ." """ Blastfighter "" was released in Italy , where it was distributed by Medusa Distribuzione on July 25 , 1984 ." 0 +However , John refused to hand Hainaut over to Margaret . Margaret , however , refused to hand over the Hainaut to John . 0 +District Viñac is one of thirty-three districts of the region Lima in Yauyos province in Peru . Viñac District is one of thirty-three districts of the Lima Region in the Yauyos Province of Peru . 1 +Kayalar is a village connected to the Giresun district of the province of Tirebolu . Kayalar is a village connected to the Tirebolu district of Giresun province . 0 +It follows roughly I - 40 from Asheville to Canton and the US Route 74 , also known as Great Smoky Mountains Expressway , from Canton to Murphy . It roughly follows I-40 from Asheville to Canton and US Route 74 , also known as the Great Smoky Mountains Expressway , from Canton to Murphy . 1 +For the Asian Electronic and Martial Arts Games 2017 Indoor - Sport was a demonstration sport . Electronic sports for the 2017 Asian Indoor and Martial Arts Games was be a demonstration sport . 0 +After the death of Louis XIV in 1661 , Cardinal Mazarin , who had been nominally king since 1643 , began to rule France in his own direction . After the death of Cardinal Mazarin in 1661 , Louis XIV , who had been nominally king since 1643 , began to rule France in his own direction . 0 +It has developed an open and thoroughly evaluated TEE - Ecosystem ( Trusted Execution Environment ) with accredited laboratories and rated products . It has developed an open and thoroughly evaluated ecosystem with an evaluated execution environment ( TEE ) with accredited laboratories and trustworthy products . 0 +Starmount is a residential area in the South Charlotte ( South Boulevard of Arrowood and Archdale ) . Archdale is a residential neighborhood in the Starmount ( South Boulevard at Arrowood and South Charlotte ) area . 0 +Phytoliths may be colorless , light brown , or transparent ; most are opaque . Phytolithes may be colorless , light brown or opaque , most are transparent . 0 +Dirk and his son Sean finally leave the wilderness and discover that a war is brewing between the British and the Boers . Finally the Dirk and his son Sean leave the wilderness and discover that a war is brewing between the British and the Bureau . 1 +Dungog Station is located on the North Coast line in New South Wales , Australia . Dungog railway station is located on the North Coast line in New South Wales , Australia . 1 +The combination jersey for the combination classification was introduced in 1985 . This classification was calculated as a combination of the other classifications . The combination jersey for the combination rating was calculated in 1985 , and this classification was introduced as a combination of the other classification . 0 +Young Jason played youth football in the same league that his brother Aaron Humble Area Football League HAFL did Jason played youth football in the same league his brother Aaron did Humble Area Football League HAFL 1 +Her father , the democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully in 1964 for the governor of Utah against Mitchell Meich . Her father , Mitchell Melich , served in the Senate of Utah and ran unsuccessfully in 1964 for the governor of Utah against the democrat Calvin L. Rampton . 0 +Ocee was a small municipality in Milton County , now located in Johns Creek , Fulton County , Georgia . Ocee was a small community in Milton County , now located in Johns Creek in Fulton County , Georgia . 1 +Felix researched in Bielsko , Vienna , Prague and London and worked in Jerusalem from 1927 to 1945 for the Hadassah Medical Organization . Felix researched in Bielsko , Vienna , Prague , and London . Between 1927 and 1945 , he worked in Jerusalem for the Hadassah Medical Organization . 1 +Roger Kirk was born in East London and brought up in Norfolk and educated . Roger Kirk was born in East London and brought up and educated in Norfolk . 1 +AT 'T is the subsidiary of Michigan Bell , the State of Michigan . Michigan Bell is the subsidiary of AT & T serving the state of Michigan . 0 +It consists of 54 framed text panels , 14 framed chromogenic prints , five wood sculptures , five painted white plinths and one caption . It consists of 54 framed text panels , 14 framed white prints , five chromogenic sculptures , five painted wooden plinths , and a caption . 0 +Khurda Road is one of the three divisions of East Coast Railway . Khurda Road is one of three divisions on the east coast of the railway . 1 +His wordless novels influenced the development of the graphic novel . His graphic novels have affected the development of the wordless novel . 0 +They have sometimes pointed wings , and long tails , and a fast direct flight . Sometimes they have pointed wings and long cocks and a fast direct flight . 0 +Elinor had also privately told Do that she had read her letters to Julia . Julia also privately told Do that she had read her letters to Elinor . 0 +One of the greatest landowners in Saint Mary at the turn of the 20th century was Chris Blackwell , the mother of Blackwell . One of the largest landowners in Saint Mary at the turn of the 20th Century was Chris Blackwell , mother of Blanche Blackwell . 1 +George George Harrison regarded Mukunda and the others who came to England first to be his lifelong friends . Mukunda looked at George Harrison and the others who came to England first to be his lifelong friends . 0 +He also wrote and founded the Imprenta Rosario where he and his family published several newspapers . He wrote and established the Imprenta Rosario , where he and his family published several newspapers . 1 +It is located in the eastern end of Montgomery County and is south of the City of Amsterdam , which it borders . It is located in the eastern end of Montgomery County and is south of the city of Amsterdam , which it is limited . 1 +The first edition of the tournament won Ricardo Mello against Eduardo Schwank at 6 : 4 , 6 : 2 in the final . Eduardo Schwank won the first edition of the tournament against Ricardo Mello 6 -- 4 , 6 -- 2 in the final . 0 +Spurrite is a white , yellow or light blue mineral with monoclinic crystals . Its chemical formula is Ca ( SiO ) CO . Spurrite is a white , yellow or light blue mineral with monoclinic crystals , the chemical formula of which is Ca ( SiO ) CO . 1 +On the same day , the Logistec Corporation announced that it is purchasing the Sydney Coal Railway ( SCR ) from Quebec Railway Corporation . On the same day , the Quebec Railway Corporation announced that it is purchasing the Sydney Coal Railway ( SCR ) from Logistec Corporation . 0 +Pandabeswar CD Block had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students The CD - Block Pandabeswar had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students 1 +In 2001 , two large new sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . Two new , large sports venues opened in 2001 : the Ralph Engelstad Arena and the Alerus Center . 1 +The game was published on 12 September 2008 in North America and on September 22 in Europe . The game was released on September 12 , 2008 in Europe and on September 22nd in North America . 0 +The Nordiques signed the Toronto Maple Leafs Free Agent Tony Currie while they lost Blake Wesley , who signed with Edmonton Oilers . The Nordiques signed free agent Tony Currie from the Edmonton Oilers , while they lost Blake Wesley , who signed with the Toronto Maple Leafs . 0 +On 16 December 2015 , a meeting was held in the Auberge de Castille in Valletta , Malta , between the leaders of the two rival governments in Libya . A meeting between the leaders of the two rival governments of Libya was held at Auberge de Castille in Valletta , Malta on 16 December 2015 . 1 +On the northwest corner of the lake is the Sayran bus stop , while the Sayran metro station is on the south-eastern corner . On the southeast corner of the lake is the Sayran bus station , while on the northwest corner is the Sayran metro station . 0 +The design of this European porcelain has been made by Wagener according to the Japanese taste many , with white and blue flowers . The design of this Japanese porcelain has made Wagener white and blue according to European taste with many flowers . 0 +At the Ponce Grand Prix she had a national record of 9 : 39.36 minutes and then took the personal title at the USA Outdoor Track and Field Championships 2013 . At the Ponce Grand Prix she ran a national record of 9 : 39.36 minutes then claimed the personal title at the 2013 USA Outdoor Track and Field Championships . 1 +CLP also hosts a Corporate Liaison Program ( ICFO ) , which serves as a bridge between ICFO researchers and industries and companies . ICFO also hosts a Corporate Liaison Program ( CLP ) which serves as a bridge between ICFO researchers and industries and corporations . 0 +"Whannell wrote the script for the paranormal thriller film "" Insidious "" , which was staged by Wan in 2011 and produced by Oren Peli ." "Oren Peli wrote the script for the paranormal thriller film "" Insidious "" , which was staged by Wan in 2011 and produced by Whannell ." 0 +He and his wife Anne ( a weaver ) had two children , Julian ( born in 1947 ) and Mary ( born 1952 ) . He and his wife Mary ( a weaver ) had two children , Anne ( born in 1947 ) and Julian ( born 1952 ) . 0 +Nilai is part of the Seremban constituency of Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Seremban is part of the Nilai constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 0 +"In popular culture , "" Pokarekare Ana "" was used as the theme song for the 2005 South Korean film "" Crying Fist "" ." "In the popular culture "" Pokarekare Ana "" was used as the title song for the South Korean film "" Crying Fist "" 2005 ." 1 +Coopers Plains railway station opened in 1885 on the south coast railway ( now the Beenleigh line ) . Coopers Plains railway station on the South Coast railway line ( now the Beenleigh line ) opened in 1885 . 1 +After harvesting bamboo it still changes size and shape , so it must rest for to 3 years after cutting it before it can be used . After harvesting bamboo , it still changes in size and shape , so that after cutting it must rest for up to 3 years before it can be used . 1 +James D Biggs resigned in May 1994 at the Perth Observatory and began in 2010 . Dr James D Biggs resigned at the Perth Observatory in May 1994 and commenced in 2010 . 1 +The tower house , built in the 9th and 10th centuries , was expanded in the Middle Ages into a castle . The tower house , built in the 9th and 10th centuries , was expanded into a castle in the Middle Ages . 1 +The scenes in the marshes were also shot in Kent , the Riverside Country Park in Gillingham . The scenes in the marshes were also shot in Kent , at Riverside Country Park in Gillingham . 1 +J. Thomas Spriggs , born in Peterborough , England , migrated to the United States with his parents settled in Whitesboro ( New York ) in 1836 . J. Thomas Spriggs , who was born in Whitesboro , New York , emigrated to the United States with his parents settled in Peterborough , England in 1836 . 0 +The team was led by General Manager and head coach Mike Powers with the assistant coaches Tatu and Caesar Cervin . The team was led by general manager and head coach Tatu with assistant coaches Mike Powers and Caesar Cervin . 0 +Benny Sharkey beat Sonny Lee in England before he suffered the fifth defeat of his career when he was disqualified for a low blow against Watson . Back in England , Watson beat Benny Sharkey before he suffered just the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . 0 +Ringwood is located in the 39th Congressional District and is part of the 5th State Legislative District of New Jersey . Ringwood is located in the 5th Congressional District and is part of the 39th New Jersey State Legislative District . 0 +There is also a candle and matches in case one forgets , but you can usually leave some when they have too many . There is usually a candle and matches in case one forgets , but one can also leave some if they have too many . 0 +Hummer first pursued a broadcasting career in 1996 . He briefly worked for TVG Network , a horse racing network . Hummer pursued a broadcasting career briefly in 1996 , first working for TVG Network , a horse racing network . 0 +Back in Gotham , Batman ( Bruce Wayne ) and Belson investigate Dick 's kidnapping and learn that Barbara is also missing . Batman ( Bruce Wayne ) and Belson investigate the kidnapping of Dick back in Gotham and learn that Barbara is also missing . 1 +This course will be designed for younger Dunghutti adults in 2013 , and a certificate 2 course will be offered for a test run in 2014 . This course will be designed again in 2013 for younger Dunghutti adults , and a Certificate 2 course will be offered for a test run in 2014 . 1 +Originally from Sydney , Holmes attended the Australian Institute of Sport in Canberra . Holmes , who is originally from Canberra , attended the Australian Institute of Sport in Sydney . 0 +It runs the harbour route of York Street and is parallel to Stirling Terrace for part of its end . It runs the harbour side route of York Street and is parallel to Stirling Terrace for part of its end . 1 +Waconia is a lake within the city borders of Lake Waconia in Carver County , Minnesota in the United States . Lake Waconia is a lake located within the city limits of Waconia in Carver County , Minnesota in the United States . 0 +Indiana was the site of the Battle of Corydon during the American Civil War , the only official battle in Corydon . During the American Civil War , Corydon was the site of the Battle of Corydon , the only official pitched battle waged in Indiana . 0 +Algestone acetophenide is used in combination with estradiol enanthate as a monthly-once combined injectable contraceptive for women in Latin America and Spain . Algestone Acetophenide is used in combination with Estradiol Enanthate as a monthly injectable contraceptive for women in Latin America and Spain . 1 +Szabina Tápai ( born 30 January 1986 in Kiskunhalas ) is a Hungarian handballer who plays for Szent István SE in the second league . Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a second handball player who plays in the Hungarian League for Szent István SE . 0 +Belize High School is a secondary high school in Belize City , Belize . Belize High School is a high school school in Belize City , Belize . 1 +The episodes identified three men as the assassins of Kennedy : deceased drug trafficker Lucien Sarti and two living men ( Roger Bocagnani and Sauveur Pironti ) . The episodes identified three men as the assassins of Kennedy : late drug trafficker Lucien Sarti and two living men ( Roger Bocagnani and Sauveur Pironti ) . 1 +""" With his music , he is more passionate , more extroverted , more courageous "" ." He is more courageous , passionate , more extroverted with his music . 1 +Sagaing is the former capital of Sagaing Region ( formerly Sagaing Division ) . The Sagaing Region is the former capital of Sagaing ( formerly the Sagaing Division ) . 0 +Abraham Salomon Gluck was equally murdered , probably most of the 878 men in convoy 73 on or around May 20 , 1944 . Abraham Salomon Gluck was probably murdered , alike most of the 878 men in convoy 73 , on or around 20 May 1944 . 0 +In September 2015 , Kenyan Trade Minister Monica Mæland led a delegation of 54 companies to Norway . Monica Mæland , Minister for Trade in Norway , led a delegation of 54 companies to Kenya in September 2015 . 0 +"His works were declared "" cultural "" by the apolitical and immoral nomenklatura of the Soviet Union ." "His works were declared by the apolitical and immoral nomenclature of the Soviet Union as "" cultural "" ." 1 +Pooja plans to escape with Ajay to Europe but Venky takes them to his area in Hyderabad . Pooja plans to escape to Europe with Ajay , but Venky brings them to his area in Hyderabad . 1 +The Little Jocko River flows across the Saint Lawrence River and the Ottawa River to the Jocko River . The Little Jocko River flows across the Jocko River and the Ottawa River to the Saint Lawrence River . 0 +Ingham County is a charter municipality of the Meridian Charter Township in the U.S. state of Michigan . Ingham County is a charter township of Meridian Charter Township in the U.S. state of Michigan . 1 +On the runway , she has walked for Lacoste , Michael Kors , Valentino , Fendi , Jason Wu , Altuzarra , and Alexander Wang among others . On the runway she went among others for Lacoste , Michael Kors , Valentino , Fendi , Alexander Wang , Altuzarra and Jason Wu . 1 +It is owned by NMG ( Nation Multimedia Group ) . It is owned by the Nation Multimedia Group ( NMG ) . 1 +The university is located in Sholinganallur about 15 kilometers from Chennai in Adyar . The university is in Sholinganallur about 15 kilometers from Adyar in Chennai . 0 +In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria taught the course in their 2012 school year . In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in her 2012 school year . 0 +Reginald Owen used a pseudonym by John Ramsey . John Ramsey was a pseudonym used by the Reginald Owen . 0 +The Nechitu River is a tributary of the Stroe River , Romania . The Nechitu River is a tributary of the Stroe River in Romania . 1 +"But despite the complex gameplay "" Absolute Obedience "" offers a variety of very simple character designs for the main characters as well as their "" targets "" ." "But despite the complex gameplay , "" Absolute Obedience offers a variety of very simple character designs for the main characters as well as their "" goals "" ." 1 +Lina was born on 21 September 1830 into the Dutch aristocracy of New York City , descendants of the city 's original settlers . Lina was born on September 21 , 1830 into New York City 's Dutch aristocracy , descendants of the city 's original settlers . 1 +Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included in the project . Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston included writers for the project . 1 +He attended primary and secondary school at the , and studied preparatory architecture at the ( IAVA ) . He attended the preparatory school and studied primary and secondary architecture at the ( IAVA ) . 0 +In 1845 railroad developers founded the Marietta and Cincinnati Railroad , but the destination was changed to Belpre , with a corresponding name change in 1851 . In 1845 , railway developers founded the Marietta and Cincinnati Railroad , but the destination was changed to Belpre , with a corresponding change in name in 1851 . 1 +The magazine was based in London , but was released by Gerald Duckworth and Company in Paris . The magazine was based in London but was published in Paris by Gerald Duckworth and Company . 1 +Warrington died on February 10 , 1906 in Brentford , Middlesex , and his will was demonstrated in London on March 29 . Warrington died in London on February 10 , 1906 , and his will was proven on March 29 in Brentford , Middlesex . 0 +The former has black marble and white stone shivlingas , while the latter has only white marble . The former has white marble and black stone shivlingas , while the latter has only white marble ones . 0 +The mountain was named by Jules de Blosseville after the French naval officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 -- 1835 ) . The mountain was named by Jules de Blosseville , after French naval officer Marie Henri Daniel Gauthier , comte de Rigny ( 1782 -- 1835 ) . 1 +It is north of New Hempstead to the east of Harriman State Park , north of Monsey and west of Mount Ivy . It is located north of Mount Ivy , east of Harriman State Park , north of Monsey and west of New Hempstead . 0 +Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Wisconsin State Senate . Among their children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . 0 +Jan Kodeæe defeated Ilie NÄ stase , 8 -- 6 , 6 -- 2 , 2 -- 6 , 7 -- 5 - 5 Jan Kodeš defeated Ilie Năstase , 8 -- 6 , 6 -- 2 , 2 -- 6 , 7 -- 5 1 +This concept of the ( subjective ) visual direction is very old . This concept of visual ( subjective ) direction is very old . 1 +The conclusions are that we are all perfect spiritual notions of one divine mind and manifest the mind , not a material body . The conclusions are that , we are all manifest ideas of the one perfect spiritual Mind , and divine Spirit , not a material body . 0 +is an album by guitarist Bjørn Kjellemyr and The Chasers , bassist Terje Rypdal and drummer Audun Kleive , recorded in 1985 and published on the E . Blue is an album by guitarist Terje Rypdal and The Chasers , bassist Bjørn Kjellemyr and drummer Audun Kleive , recorded in 1985 and released on the ECM label . 0 +On 12 February 2014 , Elebert signed under Roddy Collins for Derry City . On 12 February 2014 , Roddy Collins signed for Derry City   under Elebert . 0 +Barako from Batangas was shipped from Manila to San Francisco . Barako from Batangas was shipped to San Francisco from Manila . 1 +The resolution was signed by almost all the representatives of the Parti Bersatu Sabah ( PBS ) in Sri Gaya . The resolution was signed by almost all PBS ( Parti Bersatu Sabah ) representatives in Sri Gaya . 1 +From each work , depending on its importance , it has a brief description , selected poems and includes different reviews . From each work it has , depending on importance , a short description , selected poems and includes different reviews . 1 +Leonard and Madonna had added instrumental phrases in the chorus , over the trumpets of the second verse and also in the added Spanish break in the middle . Leonard and Madonna had added Spanish phrases in the chorus , about the trumpets of the second verse and also in the added instrumental fracture in the middle . 0 +The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Portugal and then of Indonesia . The party began as a resistance movement that fought for the independence of East Timor , first from Indonesia and then from Portugal , between 1974 and 1998 . 0 +In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally , which will be distilled in Puerto Rico and bottled in Florida . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally . This will be distilled in Puerto Rico and bottled in Florida . 1 +Until Sonny ’ s retirement in 2003 , Mosley worked with the Osborne Brothers and until 2011 with Bobby Osborne and his band Rocky Top Express . Bobby Osborne worked at the Osborne Brothers until Mosley 's retirement in 2003 and then in 2011 with Sonny and his band , the Rocky Top Express . 0 +Defeated Bill Kerry Melville Billie Jean King , 6-3 , 7-5 Kerry Melville defeated Billie Jean King , 6 - 3 , 7 - 5 0 +The Commodore Barry Bridge is a cantilever bridge that spans the Delaware River from Chester , Pennsylvania to Bridgeport in Logan Township . The Commodore Barry Bridge is a freeware bridge that spans the Delaware River from Bridgeport to Logan Township in Chester , Pennsylvania . 0 +Since 2009 , no highly significant agonists or antagonists have been discovered for the M receptor , but several non-selective Muscarian agonists and antagonists have selective affinity for M . No highly significant agonists or antagonists for the M receptor have been discovered as of 2009 , but several non-selective muscarinic agonists and antagonists have selective affinity for M . 1 +The optimum language up to this universal constant is therefore additive . Therefore , the optimal language is universal up to this additive constant . 0 +While the building is wide , it is not more than a long . While the building is long , it is not more than wide . 0 +Constantine Giannaris ( born 1959 in Athens , Constantines Giannaris ) is a Greek film director , screenwriter and actor . Constantinos Giannaris , also Constantine Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . 1 +A game in combinatorial game theory is impartial if it is not partisan . In combinatorial game theory , a game is partisan if it is not impartial . 0 +Gesine Schwan celebrated her second wedding with the long-time companion Peter Eigen in Berlin in 2004 . In 2004 , Gesine Schwan celebrated her second wedding with longtime companion Peter Eigen in Berlin . 1 +Bath was served by Boston , Concord and Montreal and White Mountains ( N.H. ) Railroad in 1874 . By 1874 , Boston , Concord and Montreal and White Mountains was served by the Bath ( N.H. ) Railroad . 0 +This time the vocals were mastered by Matti Auerkallio , and the EP was performed by Pirkka Rännäli . This time the vocals were mastered by Matti Auerkallio and the EP performed by Pirkka Rännäli . 1 +Stille is a river of Thuringia , Germany , which flows into the river Schmalkalde in the town of Schmalkalden . Stille is a river of Schmalkalden . It flows into the river Schmalkalde in the town Thuringia , Germany . 0 +Chandler and Connie Chandler were nominated by the Independent Party of Utah , Crane and Alma Peter Crane received 1,101 votes . The Independent Party of Utah nominated Alma Peter Crane and Connie Chandler . Crane and Chandler received 1,101 votes . 0 +Booth married Beatrice Webb in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Mary Macaulay . In 1871 , Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and writer Beatrice Webb . 0 +Sarah told Peyton that he had rocked and Peyton was seen later at his concert with Eddie . Eddie told Peyton that he had rocked , and Peyton was seen later at his concert with Sarah . 0 +It is based on a novel by Robert Suhosky and was turned into a script by James Hardiman . It was based on a novel by Robert Suhosky and turned into a screenplay by James Hardiman . 1 +It offers a fresh 1814 spin on legendary artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . It features a fresh 1814 spin on legendary artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . 1 +The musical was published in Perú on June 16 , 2012 with Tati Alcántara , Denisse Dibós and Marco Zunino in Teatro Municipal ( Lima ) . In Perú , the musical was released on June 16 , 2012 starring Tati Alcántara , Denisse Dibós , and Marco Zunino in Teatro Municipal ( Lima ) . 1 +Part of the barley is roasted to give Guinness its dark colour and characteristic taste . A portion of the barley is roasted to give Guinness its dark colour and characteristic taste . 1 +Louise Jackson was born in Gallatin , Tennessee , and raised by her mother Lena Terrell Jackson . Lena Terrell Jackson was born in Gallatin , Tennessee and was raised by her mother Louise Jackson . 0 +The Gill family closed the mill in 1968 and sold them to the new owners in 1980 . The Gill family sold the mill in 1968 , and the new owners closed it in 1980 . 0 +At different times , Paramount has concluded distribution agreements with Filmax , Lauren Films , Lakeshore , Summit , Fintage House , Nulmage , Annapurna and Freeway . At different times Paramount has entered into distribution agreements with Filmax , Lauren Films , Lakeshore , Summit , Fintage House , Nulmage , Annapurna and Freeway . 0 +It was shown at the Borneo Eco Film Festival on September 30 , 2012 , when it was first premiered in Borneo . It was premiered on 30 September 2012 at the Borneo Eco Film Festival as it was the first time shown in Borneo . 0 +In 2001 , two new large sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . Two new , large sports venues opened in 2001 : the Alerus Center and the Ralph Engelstad Arena . 1 +The earliest local lesion is a provable narrowing or irregularity of the lumen . The earliest detectable lesion is a local narrowing or irregularity of lumen . 0 +There are direct trains from Kolkata to Agra , most of them driving through Agra Fort Railway Station , which is a 40-minute drive from Tundla Junction . There are direct trains from Agra Fort Railway Station to Kolkata , most of them through Tundla Junction , which is a 40-minute drive from Agra . 0 +""" Yesteryear "" is the second episode of the first season of the animated American science fiction television series "" ." """ Yesteryear "" is the first episode of the second season of animated American science - fiction - television series ." 0 +Carolyne McCoy first married Darrell Fetty , who is a descendant of the famous feuding families ( her mother was a Hatfield , her father a McCoy ) . Darrell Fetty first married Carolyne McCoy , a descendant of the famous families ( her mother was a Hatfield , her father a McCoy ) . 0 +In 2015 , the Middleton branch of Quality Save was founded , and a superstore in the former Tesco unit next door was closed . In 2015 , the Middleton branch of Quality Save was launched , and a superstore was closed in the ex Tesco unit next door . 1 +Peggy Edenfield testified against her husband George in that case and also agreed to testify against her son , David , during his trial . Peggy Edenfield testified of her husband David in the case and also agreed to testify against her son , George , during his trial . 0 +In 1963 , he met Felix Cavaliere ( a singer on the local R & amp ; B circuit ) and Eddie Brigati ( a classically trained pianist ) . In 1963 , they met Eddie Brigati ( a pickup singer on the local R 'B circuit ) and Felix Cavaliere ( a classically trained pianist ) . 0 +"In December , Hyeyeon released on Quattro Code Single "" Stick With You "" and Bestie published the digital single "" Zzang Christmas "" ." "In December , Hyeyeon released on Quattro Code 's digital single "" Stick With You "" and Bestie featured the single "" Zzang Christmas "" ." 0 +"Daughter of Duncan Bell Murdoch ( "" May "" ) Baldwin ( 1871 -- 1961 ) married Mary W. ( 1860 -- 1964 ) ." "Daughter Mary W. ( "" May "" ) Baldwin ( 1871 -- 1961 ) married Duncan Bell Murdoch ( 1860 -- 1964 ) ." 0 +These dioceses had direct election of three members , indirect election of four members : These dioceses had a direct election of three members , the indirect election of four members : 1 +The system required the user to first encode the standard spelling into a quasi-phonetic rendering . The system required the user to encode the quasiphonetic spelling first into a standard rendering . 0 +She worked and lived in Stuttgart and Berlin ( Germany ) and in Vienna ( Austria ) . She worked and lived in Stuttgart , Berlin ( Germany ) and in Vienna ( Austria ) . 1 +Suncook is located in the western corner of the town of Allenstown and at the southern end of the city of Pembroke . Suncook is located in the western corner of the town of Allenstown and the southern end of the town of Pembroke . 1 +The Blauvelt family first arrived in America in 1638 , and first arrived in Rockland County in 1683 . The Blauvelt family arrived in America in 1638 and first arrived in 1683 in Rockland County . 1 +On September 4 the Third French Republic was installed and the Government of National Defence proclaimed . On 4 September , the Third French Republic was proclaimed and the Government of National Defence was established . 0 +Santa Ana Nopalucan is a municipality in Tlaxcala in south-eastern Mexico . Santa Ana Nopalucan is a municipality in Mexico , in the south-eastern Tlaxcala . 0 +The film was written by AR Murugadoss and co-produced and produced by P. Madhan under the banner of Escape Artists Motion Pictures . The film was written and co-produced by P. Madhan and produced by AR Murugadoss under banner of Escape Artists Motion Pictures . 0 +The 8th Field Artillery - Regiment was first activated by elements of the 5th and 6th field artillery in 1916 . The 6th Field Artillery Regiment was first activated in 1916 from elements of the 5th , and 8th Field Artillery . 0 +""" Boudewijn "" , as king of "" Belgium "" , was the contemporary real name for the Dutch - Belgian crown prince ." """ Boudewijn "" , as King of "" Belgium "" , was the Dutch name for the contemporary real-world Belgian crown prince ." 0 +After the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of forming a new band with Brendan Benham . After the separation of their previous band , Shae Lappen and Dan Mena discussed with Brendan Benham the idea of founding a new band . 1 +A smaller Sedgwick Avenue continues into Yonkers , north of Van Cortlandt Park and east of the Saw Mill River Parkway . A smaller Sedgwick Avenue continues to Yonkers , to the north of Van Cortlandt Park and east of Saw Mill River Parkway . 1 +Candle Lake Airpark , located west - northwest of Candle Lake , Saskatchewan , Canada . Candle Lake Airpark , , is located west northwest of Candle Lake , Saskatchewan , Canada . 1 +Two villages are located in Portage Township : part of Jerry City in the south , and part of Portage in the northwest . In Portage township there are two villages : a part of the Jerry City in the south and part of Portage in the northwest . 1 +Dr. Savithri has already arranged Mukesh 's marriage with Hari ( Ravindran ) , so he opposes the lovers . Ravindran has already arranged Savithri 's marriage with Hari ( Mukesh ) , so he resists the lovers . 0 +Mode 9 was born in Osun State on June 14 , 1975 as the third child of his parents but maintains , ( London ) as his origin . Mode 9 was born on June 14 , 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . 1 +New teaching sites were opened in the 1990s in Alessandria , Biella , Ivrea , Mondovì and Vercelli . In the 1990s , new teaching campuses were opened in Alessandria , Biella , Ivrea , Mondovì and Vercelli . 1 +""" Purple Clover "" describes the page as for people who are "" ... still cool , still curious and after all these years are still crazy ." """ Purple Clover "" describes the site as being for people who are "" ... still cool , still curious , and still crazy after all these years . """ 1 +This individual mandate requires most individuals and their families to have a certain minimal amount of health insurance , with certain exemptions . This individual mandate requires a certain amount of health insurance from most individuals and their families , with certain minimal exemptions . 0 +Its base or round edge contains the free band and the paraumbilical veins between its layers . Its base or round edge contains between its layers the free ligament and the paraumbilical veins . 1 +Indentured people were numerically important mostly in the region from Virginia north to New Jersey . Many people in the region from New Jersey north to Virginia were mostly numerically important . 0 +He ruled under Trujillo at the end of his era and later served Duvalier in Haiti . He served at the end of his era under Trujillo , and later Duvalier ruled in Haiti . 0 +In 2005 , the Virgin Group signed a two-year contract with BH Air for a wet lease contract . In 2005 , Virgin Group signed a two-year contract for a wet lease with BH Air . 1 +On December 17 , 2014 , he was one of nine Progressive Conservative MLAs that crossed the floor to join the Wildrose Caucus . On December 17 , 2014 , he was one of nine Wildrose MLAs who crossed the floor to join the Progressive Conservative caucus . 0 +"There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Will Crowther and modified by Don Woods ." "He was introduced to the version of the computer text game "" Colossal Cave Adventure "" , created in 1977 by Don Woods and modified by Will Crowther ." 0 +According to the United States Census Bureau , Harmony Township has a total area of which is land , and 5.21 % is water . According to the United States Census Bureau , Harmony Township is a total area of , of which is land and , or 5.21 % , has water . 1 +In 1878 , Josef Miesen was Müllenbach 's mayor , and the parish priest was Mathias Gilles , born 28 March 1831 in Müllenbach . In 1878 , Mathias Gilles Müllenbach was the mayor , and the parish was Josef Miesen , born March 28 , 1831 in Müllenbach . 0 +Defines a tetrahedron that is embedded into the surface to which the curve is adapted . Defines a tetrahedron embedded to the surface into which the curve is adapted . 1 +In May 2013 , the title track was a single - five - top on the Texas Music - Chart . The title track was a single-five top on the Texas Music chart in May 2013 . 1 +"Houseman called the decision to use clear contemporary dress "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." "The decision to use clear contemporary clothing was what Houseman called "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." 1 +The first president of the Yr Academi Gymreig ( Welsh Academy ) was ( 1892-1962 ) . Williams , ( 1892-1962 ) , was the first president of Yr Academi Gymreig ( Welsh Academy ) . 0 +He was selected in Sri Lanka 's One Day International ( ODI ) Tri-Series team in Zimbabwe , with West Indies being the third team . He was selected in Sri Lanka 's One Day International ( ODI ) team for Tri-Series in Zimbabwe , with West Indies being the third team . 1 +Charles City County , Virginia , also known as Shirley Hundred Island , is an island and a historic house and archaeological sites near Eppes Island . Hopewell , Charles City County , Virginia , also known as Shirley Hundred Island , is an island and a historic home and archaeological sites located near Eppes Island . 1 +Human taxonomy is the classification of the human species ( zoological name Homo sapiens ) within systematic taxonomy . Human taxonomy is the classification of the human species ( zoological name Homo sapiens ) within the systematic taxonomy . 1 +The actress Carol do Monte portrays Manuela in the Brazilian version of the 2013 series . The actress Manuela do Monte portrays Carol in the Brazilian version of the 2013 series . 0 +Paul Britton was appointed Chief Executive in December 2005 after the death of David Neale . Following the death of Paul Britton in December 2005 , David Neale was named Chief Executive . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of St. Joseph are assigned in Bad Urach . The members of the United Methodist Church gather in Laichingen , while the Catholics are assigned to the parish of St. Josef in Bad Urach . 1 +Webmention was originally published in the IndieWebCamp community and developed as a W3C working draft on January 12 , 2016 . Webmention was originally published in the IndieWebCamp community and was developed as a W3C Working Draft on January 12 , 2016 . 1 +The relevant date is when the photo was submitted , rather than being taken . The relevant date is when the photo was taken , rather than submitted . 0 +Isitt visited our Lady of Fatima Primary School and the Lordswood Girls Secondary School and is a cousin of footballer Darren Wassall . Darren Wassall attended our Lady of Fatima Primary School and the Lordswood Girls Secondary School and is a cousin of footballer Isitt . 0 +The 1981 Purdue University football team represented Purdue Boilermakers during the 1981 Big Ten Conference football season . The 1981 Purdue University football team represented Purdue Boilermakers during the football season of the Big Ten conference in 1981 . 1 +Article 4 is immutable and the Council of Guardians ensures that all articles of the Constitution as well other laws are based on Islamic criteria . Article 4 is Islamic , and the Guardians ' Council ensures that all articles of the Constitution and other laws are based on immutable criteria . 0 +"There was later an Australian version of "" Press Your Luck "" hosted on Seven Network by Ian Turpie from 1987 to 1988 and also produced by Grundy ." "There was later an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and also produced by Grundy ." 1 +Finally , we say that a distribution is concave if formula _ 11 is regular . Finally , we say that the distribution is regular if Formula 11 is concave . 0 +It has been claimed that the church was founded in the 12th century by St. Birinus and parts of the church date from the 7th century . It has been claimed that the church was founded in the 12th century by St Birinus and parts of the church date from the 7th century . 1 +Examples of ceramics include white porcelain or white porcelain decorated with cobalt , copper red underglaze , blue underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain , decorated with cobalt , copper blue underglaze , red underglaze and iron glaze . 0 +The 1956 National Football League season was the team 's 11th year with the Los Angeles Rams and the 19th season in Los Angeles . The 1956 National Football League season was the 11th anniversary year of the Los Angeles Rams team and the 19th season in Los Angeles . 1 +In the 9th minute , Xabi Alonso opened the leadership , followed by Lewandowski four minutes later . Xabi Alonso opened the scoring in the 9th minute , followed by Lewandowski four minutes later . 1 +Ahmad von Shirvan was the fourth Shah of Shirvan and eighth of Shah of Layzan . Ahmad of Shirvan was the fourth Shah of Shirvan and eighth Shah of Layzan . 1 +Jack Cross was a comic series written by Warren Ellis and drawn by Gary Erskine . It was first published by DC Comics in 2005 . Jack Jack Cross was a comic series written by Gary Erskine and drawn by Warren Ellis . It was first published by DC Comics in 2005 . 0 +Nahr Ibrahim is a municipality in the Mount Lebanon Governorate , Lebanon of Jbeil District . Nahr Ibrahim is a municipality located in Jbeil district of Mount Lebanon Governorate , Lebanon . 0 +T. helena is locally common and widely spread in forest areas . """ T. helena "" is widely distributed and locally common in forest areas ." 0 +""" Live : Legend 1999 & 1997 Apocalypse "" was first announced on August 16 , 2014 , with an official trailer released on September 11 , 2014 ." """ Live : Legend 1999 / 1997 Apocalypse "" was released on 16th August 2014 with an official trailer on September 11 , 2014 ." 1 +The common musical interest of members was one of the decisive factors for the foundation of Coldrain . The decisive interest of the members was one of the common musical factors for the formation of Coldrain . 0 +The championship was held in Italy in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Austria in 2011 . The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Italy in 2011 . 0 +On 14 October 1923 , however , they tried to rob the family estate of Eltz in Ivankovo near Vinkovci . On 14 October 1923 , however , they attempted to rob the Eltz family estate in Ivankovo near Vinkovci . 1 +The Roman - Catholic diocese of Masaka is a diocese in the city of Masaka in the church province of Kampala in Uganda . The Roman Catholic Diocese of Masaka is a diocese located in the city of Masaka in the Ecclesiastical province of Kampala in Uganda . 1 +Belize High School is a secondary high school in Belize City , Belize . Belize High School is a secondary school , high school in Belize City , Belize . 1 +Goodlatte , a pilot and air force veteran who made a primary challenge to State Delegate Chris Head in 2015 , asked Harry Griego for the Republican nomination . Goodlatte , a pilot and Air Force veteran , who made a 2015 primary challenge of State Delegate Chris Head , challenged Harry Griego for the Republican nomination . 1 +Primidone also causes exfoliative dermatitis , Johnson - Stevens -- Syndrome and toxic epidermal necrolysis . Primidone also causes exfoliative dermatitis , Stevens -- Johnson syndrome , and toxic epidermal necrolysis . 0 +Terry , born in the midst of the Great Depression , was trained and owned by Carl Spitz . Born in the middle of the Great Depression , Carl Carl Spitz was trained and owned by Terry . 0 +Music was composed by Rajagopala Iyer while the lyrics were penned by T. K. Sundara Vathiyar and G. Ramanathan . The music was composed by G. Ramanathan , while the lyrics were written by T. K. Sundara Vathiyar and Rajagopala Iyer . 0 +The novel was read as a BBC Radio 4 Book at Bedtime by Kirsty Williams in 2008 , adapted by Toby Stephens and produced by Lu Kemp . The novel was adapted in 2008 by Lu Kemp as BBC Radio 4 book near Bedtime , read by Toby Stephens and produced by Kirsty Williams . 0 +In Redistricting the 20th district was renumbered into the 23rd district . In redistricting , the 20th District was renumbered as the 23rd District . 1 +In 2006 , François Bozizé was appointed President of the Council of State by President Bozanga . In 2006 , Bozanga was appointed President of the Council of State by President François Bozizé . 0 +106 Herculis is a spectral giant with a red type of M0III . Its surface temperature is about 3,789 K . Herculis is a red giant with a spectral type of M0III , whose surface temperature is about 3,789 K . 0 +The change was still in the air in 1969 and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . In 1969 change was still in the air and T. and J. N. Nichol 's was taken over by R. Smith ( Vimto ) of Manchester . 0 +The 8 talukas of this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . The 8 Talukas of this area are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . 1 +It was a private subscription school and was kept open until 1870 , when the public school house was built . It was a public subscription school and was kept open until 1870 , when the private school building was built . 0 +RK is the cathode resistor and Rtot is the external combination of RP ( parallel plate resistor ) and Rload . RK is the cathode resistor , and rtot is the parallel combination of RP ( external resistor ) and rload . 0 +"In hieroglyphic Arabic , the Egyptian script "" is called the alphabet of birds "" ." "Hieroglyphic writing is called "" the alphabet of birds in Egyptian Arabic ." 0 +Support for HTML + , a proposed successor of HTML 2 , was developed while the specification was implemented . Support for HTML + , a proposed successor to HTML 2 , was developed while the specification was being implemented . 1 +He died on 19 February 1935 in Boston , Massachusetts , and was buried in Holyhood Cemetery , Brookline , Massachusetts . He died on February 19 , 1935 at Holyhood Cemetery in Brookline , Massachusetts , and was buried in Boston , Massachusetts . 0 +The river Valea Turcului is a tributary of the River Azuga in Romania . The Valea Turcului River is a tributary of the Azuga River in Romania . 1 +"On October 11 , 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." "On 11 October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , named "" Felipe Calderón "" ." 0 +Both Phasael and Herod began their careers under their father , Antipater , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . Both Phasael and Antipater began their career under their father Herod , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . 0 +Fanny Pak had five of the new members from season two and four same members . Fanny Pak had five of the same members of season two and four new members . 0 +The Pustnic River or Orociu River is a tributary of the Oraciu River in Romania . The Oraciu River or Orociu is a tributary of the Pustnic River in Romania . 0 +Likewise , an individual 's perception of self-worth is a changing attitude that can rise and fall with fluctuating components of the physical self . Likewise , the perception of an individual of self-worth is a changing attitude that can rise and fall with fluctuating components of physical self . 1 +She was born on January 30 , 1912 , the first daughter of the banker Maurice Wertheim and his Jewish wife Alma Morgenthau . She was born on 30 January 1912 as the first daughter of banker Maurice Wertheim and his Jewish wife Alma Morgenthau . 1 +The localized versions of subsequent games instead use the current designation convention . The following versions of localized games use instead the current naming convention . 0 +Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on 12 July 2002 as a transfer to Evans . Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on a free transfer on 12 July , 2002 , as backup to Evans . 1 +Fletcher subsequently apologized to Edwards and compensated him for the flowers . Subsequently , Edwards apologized to Fletcher and compensated him for the flowers . 0 +It is found in Sindh from north India to Kanara and Madhya Pradesh and from Kangra to Kumaon . It is found in India from northern Canary to Sindh and Madhya Pradesh and from Kangra to Kumaon . 0 +The character of Cherry Jones was the daughter of Elizabeth , played by Allison Janney , and not Mary 's daughter , played by Katie Holmes . Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , and not the daughter of Elizabeth played by Allison Janney . 0 +Relatively small , it had a strong wall and a circular , wooden gatehouse as well as watchtowers . Relatively small it had a circular wooden wall and a strong gate house as well as watchtowers . 0 +In San Francisco , Hicks led Dan Hicks and the Hot Licks from 1968 to 1973 , a band that never used electric instruments and rare drums . In San Francisco , Hicks led Dan Hicks and the Hot Licks between 1968 and 1973 , a band that rarely used electric instruments and never drums . 0 +After being demoted to Triple-A Las Vegas , LaRoche was recalled on September 1 . LaRoche was dismantled on September 1 , after being recalled to Triple-A Las Vegas . 0 +Satellite Beach is part of Melbourne 's Metropolitan Statistical Area -- Palm Bay -- Titusville . Satellite Beach is part of the Melbourne -- Palm Bay -- Titusville Metropolitan Statistical Area . 1 +His father had been a blacksmith and an inventor and had worked in Scotland with the iron rope . Of California . His father had been a blacksmith and an inventor , and had worked with iron rope in Scotland . 1 +The 119th squadron of helicopters was formed in May 1968 as part of the 48th transport helicopter regiment at Niš Airport . The 48th helicopter squadron was founded in May 1968 as part of the 119th transport helicopter regiment at Niš Airport . 0 +"The first game features a modification . It is a more advanced HUD than the original "" Doom II "" ." "The first game has a modification , it is a more advanced HUD than the original "" Doom II "" ." 1 +John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married in 1924 to the British aristocrat William Cecil , a descendant of Edith Vanderbilt . John F. A. Cecil ( George and Cornelia Stuyvesant Vanderbilt 's only child ) married British aristocrat , William Cecil , a descendant of Edith Vanderbilt in 1924 . 1 +The remained only directed one episode for the season . The remaining remained only one episode directed for the season . 1 +Tridens melanops is a species of pencil catfish endemic to Brazil where it is native to the Amazon Basin . Tridens melanops is a species of pencil endemic to Brazil , where it is native to the Amazon Basin . 1 +By 1874 , Bath was served by the Boston , Concord and Montreal and White Mountains ( N.H. ) Railroad . From 1874 Bath was served by Boston , Concord and Montreal and White Mountains ( N.H. ) Railroad . 1 +Somanath is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Somanath is a village in the Dahanu district of Maharashtra , India . It is located in Palghar - Taluka . 0 +Cole then kills Magruder 's henchman Dutchie and his men and takes Magruder 's armored train . Cole then kills Magruder 's henchman Dutchie and his men , and captures Magruder 's armored train . 1 +He married Mary , daughter of Lachlan MacLean of Lochbuie , and had from her : He married Mary , daughter of Lachlan MacLean of Lochbuie , and had by her : 1 +"Other critics called his style "" , "" uneven "" , "" careless "" , "" clumsy "" , and "" vulgar "" ." "Other critics called his style "" vulgar , "" uneven , "" clumsy , "" awkward , "" and "" careless . """ 1 +Ruth later reluctantly agrees that Nate can stay for a few more days . Nate later reluctantly agrees that Ruth can stay for a few days . 0 +The Fenez River ( Hungarian : Fenes-patak ) is a tributary of the Mureş River in Transylvania , Romania . The Feneș River ( Hungarian : Fenes-patak ) is a tributary of the Mureş River in Transylvania , Romania . 1 +The music was written by S. P. Venkatesh and lyrics was composed by Kaithapram . The music was written by S. P. Venkatesh and the lyrics by Kaithapram composed . 1 +Royce Johnson is a recurring character in the Netflix shows at Marvel Cinematic Universe , where he is presented by Brett Mahoney . Brett Mahoney is a recurring figure in the Netflix shows at Marvel Cinematic Universe , where he is portrayed by Royce Johnson . 0 +Lahore governor Malik Ikhtyaruddin Qaraqash held the Mongols , while the Mongols fled the city for a few years under the rule of the Mongol chief Toghrul . The governor of Lahore , Malik Ikhtyaruddin Qaraqash , held the Mongols , while the Mongols , under the rule of the Mongolian chief Toghrul , fled the city for a few years . 1 +In the final , Count 6 -- 4 , 6 -- 1 won against Jana Novotná . Graf won in the final 6 -- 4 , 6 -- 1 against Jana Novotná . 0 +Colombres is one of three parishes ( administrative districts ) in Ribadedeva , a municipality in the province and autonomous community of Asturias , northern Spain . Colombres is one of three parishes ( administrative districts ) in Asturias , a municipality in the province and autonomous community of Ribadedeva , northern Spain . 0 +In December 1945 , the Soviets presented Kim as chairman of the Korean branch of the North Korean Communist Party . In December 1945 , the Soviets established Kim as the chairman of the North Korean branch of the Korean Communist Party . 0 +"She also appears in "" , where a vision of Freddy causes her to meet with other Freddy and Jason survivors ." "She also appears in "" , where a vision of Freddy prompts her to meet with other survivors of Freddy and Jason ." 1 +In February 2017 , Prodrive announced that they will enter a Renault Mégane for Guerlain Chicherit at the 2018 FIA World Rallycross Championship . In February 2017 , Renault announced that it will win a Prodrive Mégane for Guerlain Chicherit at the 2018 FIA Rallycross World Championship . 0 +It can synchronize address book manually or automatically in the phone with the address book online in the backup assistant ( wireless ) . It can wirelessly sync the address book in the phone with the address book online in Backup Assistant ( manually or automatically ) . 0 +One of the main advantages of this approach is that the routers become very simple : they are just a sensor , a pulse - reshaper and a transmitter . One of the main advantages of this approach is that routers are very simple . They become just a sensor , pulse reshaper and a transmitter . 0 +Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Union Association of the Washington Nationals . Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington Nationals in 32 games . 1 +Participants in the experimental condition were given an initial eye position , followed by a saccade target position on the picture . Participants in the test condition were given an initial eye position , followed by a saccade - target position on the picture . 1 +In one of his works ( epic poem on Nikola Jurišić ) , Skanderbeg was a subordinate subject . In one of his works ( epic poem on Skanderbeg ) a subordinate theme was Nikola Jurišić . 0 +""" The Brute Man "" was the seventh episode of the second season , which was broadcast on Comedy Central on February 10 , 1996 ." """ The Brute Man "" was the seventh episode of the second season that was broadcast on February 10 , 1996 in Comedy Central ." 1 +It covers Gram Panchayat in Middle of village , which has Endla and Rampura Ki Dhani also . It covers Gram Panchayat in the middle of the village , which also has Endla and Rampura Ki Dhani . 1 +The venue has two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1100 people ) . The venue has two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1,100 people ) . 1 +Laboratory with 18 manually operated sewing machines and an electrically operated sewing machine Laboratory with 18 manually operated sewing machines and one electrically operated sewing machine . 1 +The square was opened on 2 July 2013 by President Alexander Lukashenko and Laos President Choummaly Sayasone during a ceremony at the square . The square was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony at the square . 0 +For example , an animal given as a gift must be eaten , not bred . For example , an animal given as a gift must be bred and not eaten . 0 +By contrast , lemmings are aggressively colored , and behave conspicuously against predators and even human observers . By contrast , lemmings are conspicuously colored , and behave aggressively to predators and even human observers . 0 +The journal is abstracted and indexed by EMBASE , Expanded Academic , Google Scholar , and Summon by Serial Solutions . The magazine is abstracted and indexed by Academic Solutions by EMBASE , Expanded Serial , Google Scholar and Summon . 0 +On the north side of the administrative building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . Hangars 1 -- 4 were built on the south side of the administration building , while hangars 5 -- 8 were built on the north side . 0 +Container glass has lower magnesium oxide and sodium oxide content than flat glass and a higher content of silica , calcium oxide and aluminium oxide . Container glass has a higher magnesium oxide and sodium oxide content than flat glass and a reduced content of silica , calcium oxide and aluminum oxide . 0 +His mother , born in Devonshire , was the tenth child of parents emigrating from Kingston to Canada . His mother , born in Kingston , was the tenth child of parents who had migrated from Devonshire to Canada . 0 +The city community contains nine cemeteries : Boxley , Crown Hill , Phillips , Ridge , Spencer , Spicewood , Teter , Union Grove and Wiles . The township contains nine cemeteries : Boxley , Crown Hill , Phillips , Ridge , Teter , Spicewood , Spencer , Union Grove and Wiles . 1 +"Cicero jokingly refers to "" andabata "" in a letter to his friend Trebatius Testa , who was stationed in Gaul ." "In a letter to his friend Cicero stationed in Gaul , Testa jokingly refers to "" andabata "" ." 0 +It was published in 1985 by Kids Can Press , and printed by Everbest in Hong Kong . It was printed in 1985 by Kids Can Press and published in Hong Kong by Everbest . 0 +Great Alne Railway Station was a station in the village of Great Alne in Warwickshire on the Great Western Railway line from Alcester , Warwickshire to Bearley , Warwickshire . Great Alne Railway Station was a station in the village Great Alne in Warwickshire on the Great Western Railway - line from Alcester , Warwickshire to Bearley , Warwickshire . 1 +He was displaced soon after by Colin Hudson and later Johnny Watkins on the Cardiff side . However , he was driven out in the Cardiff side , soon after by Johnny Watkins and later Colin Hudson . 0 +Chloe Bennet was born Chloe Wang in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Chloe Wang was born in Chicago , Illinois , Chloe Bennet , the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internal . 0 +The 2014 offer is more compact than the 2010 project due to the disappearance of the venues Ramsau , St. Johann and Kitzbühel . The 2014 offer is more compact than the 2010 project due to the disappearance of the venues Kitzbühel , St. Johann and Ramsau . 1 +The average January temperature ranges from and the average temperature in July to average precipitation varies from north to south . Average January temperature ranges from to and average July temperature varies from to . Average precipitation ranges from in the north to in the south . 1 +However , the Council 's weak legislative approach only makes it a very functional review mechanism . However , the Council 's functional draft only makes it a very weak mechanism for legislative review . 0 +Chambers was born in Chicago , Illinois , to an Irish-American family . His father Michael emigrated from Newport in Ireland . Born in Chicago , Illinois , in an Irish-American family , his father Michael emigrated from Ireland to Newport . 0 +"Byron Morrow played in a cameo performance in the episode "" Death Valley Days "" , "" An organ for brother Brigham "" ( 1966 ) ." "Byron Morrow played Young in a cameo appearance in the "" Death Valley Days "" episode , "" An Organ for Brother Brigham "" ( 1966 ) ." 0 +Ernakulam is the seat of the North Paravur Additional District Court . North Paravur is the seat of Ernakulam Additional District court . 0 +Senator Albert Gore Sr. telephoned Kennedy to inform him that some of his constituents had called to voice their objections to integration . Senator Kennedy called Albert Gore Sr. to inform him that some of his constituents had expressed their objections to integration . 0 +It is located in Thiruvannamalai Outer Ring Road in Vengikkal New Town at Thirinjapuram Union , Thiruvannamalai District , Tamil Nadu . It is situated in Thiruvannamalai District in Vengikkal New town at Thirinjapuram Union , Thiruvannamalai Outer Ring Road , Tamil Nadu . 0 +The old party leader was his geological mentor , Mike Morton . The leader of the geological party was his elder mentor , Mike Morton . 0 +Foley worked with , among others , Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block , and Calvin Russell . Foley collaborated with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , among others . 1 +In March 1298 , he received official Mongolian recognition as the ruler of Burma . In March 1298 , he received official Mongolian recognition as the ruler of Burma . 1 +He attended training camps with the NHL Carolina Hurricanes in 2011 , but was sent to Florida , then to Charlotte , for training camps . He attended 2011 training camp with the NHL 's Carolina Hurricanes , but was sent to Florida , then to Charlotte , for training camps . 1 +Gesine Schwan celebrated her second wedding in 2004 with the long-time companion Peter Eigen in Berlin . In 2004 , Peter Eigen celebrated her second wedding with longtime companion Gesine Schwan in Berlin . 0 +On 12 February 2014 , Roddy Collins signed for Derry City   under Elebert . On February 12 , 2014 , Elebert signed under Roddy Collins for Derry City . 0 +Her brother , Virendranath Chattopadhyaya , was a revolutionary , and her other brother , Harindranath , was a poet , dramatist , and actor . Her brother Harindranath was a revolutionary and her other brother , Virendranath Chattopadhyaya was a poet , a dramatist , and an actor . 0 +Baba ji spread his Sufi thoughts through various books like Piya Rung Kala , Kajal Kotha , etc . Baba ji has spread his various thoughts through Sufi books like Piya Rung Kala , Kajal Kotha etc . 0 +The river Urechioiu is a tributary of the River Sitna in Romania . The river Sitna is a tributary of the River Urechioiu in Romania . 0 +"None of these songs , with the exception of "" Live to Rise , "" are heard in the film ." "None of these songs , with the exception of "" Rise to Live "" , is heard in the film ." 0 +""" Tuscumbia "" was sold on November 29 , 1865 at an auction in Mound City to W. K. Adams ." """ Mound City "" was sold on November 29 , 1865 at the auction in Tuscumbia to W. K. Adams ." 0 +He had gained CFL coaching experience as a guest coach with the Lions in 1984 and with the Saskatchewan Roughriders in 1985 and 1986 . He had gained CFL Coaching - experience as a guest - coach at the Saskatchewan Roughriders in 1984 and at the Lions in 1985 and 1986 . 0 +Along with Mary Murphy , Tony and Len Goodman are released in an infomercial for the Core Rhythms Workout System . Tony and Mary Murphy work with Len Goodman in an Infomercial for the Core Rhythms Workout system . 0 +In 1932 , the company moved cigar production from Cuba to Trenton following a strike in the Cuban factory and to avoid high tariffs . The company moved cigar production from Trenton to Cuba in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . 0 +After leaving the East India Company College Frere was appointed a writer in the Bombay ( now Mumbai ) civil service in 1834 . In 1834 , after leaving the East India Company College , Frere was appointed a writer in the Mumbai ( today Bombay ) civil service . 0 +""" Under the Radar "" gave it five stars out of ten and called it "" a very professional but almost inconsequential set ... flat and ultimately uninspired . """ """ Under the Radar "" gave him five out of ten stars and called it "" a very professional , but ultimately uninspired set ... flat and almost insignificant ." 0 +Simon Mathews ( * 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Butler . Simon Butler ( d. 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Mathews . 0 +On 26 February 1976 , the USAF officially handed over the Korat to the Royal Thai Government . On 26 February 1976 , the Royal Thai Government officially handed over Korat to the USAF . 0 +In 2008 , Lee Remmel received the Distinguished Service Award from the McCarthy Sports Awards Banquet at Green Bay . In 2008 , Lee Remmel received the distinguished service award at the McCarthy sports awards banquet in Green Bay . 1 +"He had published a novel "" Seventy Times Seven "" , a violent thriller , which plays in 1992 , in 2012 ." "He had a novel "" Seventy Times Seven "" , a violent thriller set in 1992 , published in 2012 ." 1 +On February 17 , 2015 , Starlin teamed with Universal Cable Productions to adapt Dreadstar as a scripted TV series with Chris Bender and J. C. Spink as producers . On February 17 , 2015 , Chris Bender teamed up with Universal Cable Productions to adapt Dreadstar as a screenplay - TV - series with Starlin and J. C. Spink as producers . 0 +The River Dove or Bradbourne Brook is a small tributary of the Bentley Brook in Derbyshire , England , and is 14.5 kilometres ( 9 miles ) long . The Bentley Brook or Bradbourne Brook is a small tributary of the Dove River in Derbyshire , England , which is 14.5 kilometres long . 0 +In the summer of 2016 , the Parma School Memorial Committee was formed by several PHS alumni and former community leaders . In the summer of 2016 , several PHS alumni and former community leaders formed the Parma School Memorial Committee . 1 +Huge fields along the zone were discovered at the Huntington Beach Oil Field in 1920 and at Long Beach Oil Field in 1921 . Huge fields along the zone were discovered at Long Beach Oil Field in 1920 , and the Huntington Beach Oil Field in 1921 . 0 +Luzerne County is located in western Schuylkill County and is bordered by Carbon County to the north and Banks Township to the west . Lucerne County is located in western Schuylkill County and is bordered to the north by Carbon County and to the west by Banks Township . 1 +Kissell was signed as an infielder in 1940 by Branch Rickey , and spent 69 years with the Cardinals organization . Kissell was born in 1940 by Branch Rickey as an infielder and spent 69 years with the Cardinals organization . 1 +Near Rainmaker Mountain is Pago Pago , which gives Pago Pago Harbor an unusually high rainfall . Near Rainmaker Mountain is Pago Pago , which gives Pago Pago Harbour an unusually high rainfall . 1 +"Dean Loxton did the editing and visual effects for the music video of the song "" Slow Me "" for singer Mudibu , directed by Negrin ." "For the music video of the song "" Slow Me "" for the singer Mudibu , directed by Negrin , Dean Loxton was responsible for editing and visual effects ." 1 +The name appears to have been current among the regional scholars of London - Welsh - societies and the Welsh Eisteddfodau in Wales . The name appears to have been current among Welsh scholars of the London-Welsh Societies and the regional eisteddfodau in Wales . 0 +Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married in 1924 to the British aristocrat John F. A. Cecil , a descendant of William Cecil . John John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married the British aristocrat William Cecil , a descendant of Edith Vanderbilt in 1924 . 0 +In 2004 , Barclaycard took over the sponsorship of Barclays ’ Premier League . In 2004 , Barclays of Barclaycard took over sponsorship of the Premier League . 0 +( Zhu Zhen changed his name to Zhu Youzhen . ) ( Zhu Youzhen then changed his name to Zhu Zhen . ) 0 +He was ordered to New Mexico Territory in 1860 and transported to the rank of captain on December 20 in the 4th Infantry . He was promoted to the New Mexico Territory in 1860 and ordered to rank as a captain on December 20 in the 4th Infantry . 0 +The Mornington House was the Georgian residence of the Dublin Social Season of the Earls of Mornington . Mornington House was the Georgian season of the Dublin Social Residence of the Earls of Mornington . 0 +Hawkgirl now is 100 % Kendra Saunders . Kendra Saunders is now 100 % Hawkgirl . 0 +Jurong East was chosen as the Singapore terminus of the Kuala Lumpur -- Singapore High Speed Rail on 5 May 2015 . On May 5 , 2015 , Kuala Lumpur was elected as the terminus of the Jurong East -- Singapore High Speed Rail track in Singapore . 0 +Phalombe is a town about 40 km northeast of Mulanje in southern Malawi . Mulanje is a town approx . 40 km northeast of Phalombe in southern Malawi . 0 +On election night , Rauschenberger defeated Noland by 585 votes . On the election night , Rauschenberger Noland defeated by 585 votes . 0 +St. James ' parish is a member of the Benefice of Culworth with Sulgrave and Thorpe Mandeville and Chipping Warden with Edgcote and Moreton Pinkney . St. James ' ; Parish Church is a member of the Culworth Benefit with Sulgrave and Thorpe Mandeville and Chipping Warden with Edgcote and Moreton Pinkney . 1 +Once the indigenous people had become indigenous , they would cease to be French . Once the indigenous peoples had become indigenous , they would cease to be French . 1 +In 1993 , Aviance who was living in Florida at the time was asked to moved down to New York City by Mother Juan . In 1993 , Aviance , who was at the time living in Florida , was asked by Mother Juan to move to New York . 1 +In May 2012 , Collins decided that he would not challenge Broun . Broun decided in May 2012 that he would not challenge Collins . 0 +He died in Boston , Massachusetts , on February 19 , 1935 , and was interred in Holyhood Cemetery , Brookline , Massachusetts . He died on February 19 , 1935 in Holyhood Cemetery , Brookline , Massachusetts , and was buried in Boston , Massachusetts . 0 +"In 2008 , McMichael 's memoirs were published under the title "" LEADERSHIP : Changing Life-Achieving Success From Within "" ." "In 2008 , McMichael 's memoirs were published under the title "" LEADERSHIP : Achieving life - Success from within "" ." 0 +Missouri House is a former settlement and stopping place in El Dorado County , California . It was located below Placerville . Missouri House is a former settlement and stopping place in El Dorado County , California , located below Placerville . 1 +Sir Charles Walston , 1918 Sir Charles Waldstein ( March 30 , 1856 - March 21 , 1927 ) was an Anglo-American archaeologist . Sir Charles Waldstein , Sir Charles Walston ( born 1918 ) ( March 30 , 1856 - March 21 , 1927 ) was an Anglo-American archaeologist . 0 +"English also has many words , such as "" zillion "" , which are informally used to mean indefinite and fictitious but unspecified amounts , see large numbers ." "English also has many words , such as "" zillion "" , used informally to mean large but unspecified amounts ; see indefinite and fictitious numbers ." 0 +Elizabeth Clay Beebe married William Beebe , daughter of Ananda Coomaraswamy from Kent , in 1878 . They had a son , Coomaraswamy , the eminent art critic . In 1878 , Elizabeth Clay Beebe married William Beebe , daughter of Ananda Coomaraswamy from Kent , and they had a son , Coomaraswamy , the great art critic . 1 +Passengers travel to Maynooth to convert to Sligo to Dublin Intercity service . Passengers travel to Maynooth to transfer from Dublin to Sligo Intercity - service . 0 +The Soviet Union maintained embassy in Oslo and a consulate in Barentsburg , while Norway maintained an embassy in Moscow . The Soviet Union maintained an embassy in Oslo and a consulate in Barentsburg , while Norway maintained an embassy in Moscow . 1 +This species occurs in the Caribbean and the Gulf of Mexico , off Brazil in the Atlantic . This species occurs in the Atlantic and the Gulf of Mexico , in the Caribbean Sea and Brazil . 0 +There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr in Ireland is far more than in Scotland . There are Shorts listed in Kirkcudbrightshire east Scotland and a few McGirrs ; however , the McGirr name is far more prominent in Scotland than in Ireland . 0 +Smith died in South Africa , in Grahamstown , Cape Province at the age of 76 . At the age of 76 he died in South Africa , in Grahamstown , Cape Province . 1 +Winner effects were shown when established dominant chicks were placed against non-experienced chicks in a study by Drummond . Winners - Effects were shown when established dominant chicks were placed in a study by Drummond against non-experienced chicks . 1 +The episode was written by Gail Mancuso and is directed by Elaine Ko . The episode was written by Elaine Ko and directed by Gail Mancuso . 0 +He played for the Chicago Cubs for ten games during the 1991 Kansas City Royals season and four games during the 1992 Kansas City Royals season . He played for the Kansas City Royals for ten matches during the Kansas City Royals season in 1991 and four games during the Chicago Cubs season of 1992 . 0 +Seaside Heights is located on the Atlantic Ocean , a long , narrow barrier peninsula that separates Barnegat Bay from the Barnegat Peninsula . Seaside Heights is situated on the Atlantic Ocean , a long , narrow barrier peninsula that separates Barnegat Bay from the Barnegat Peninsula . 1 +Women 's sports , which are not sponsored by the Southeastern Conference , practised by SEC schools : Women 's varsity sports not sponsored by the Southeastern Conference which are played by SEC schools : 1 +The Harana is rooted in the Mexican-Spanish tradition and based on the rhythmic patterns of the habanera . The Harana is rooted in the Spanish-Mexican tradition and is based on the rhythmic patterns of the Habanera . 0 +The MSM model can be specified in both discrete and continuous time . The MSM model can be specified both in continuous time and in discrete time . 1 +The 500 Hispanic settlers who had lived near Los Adaes had to relocate in 1773 in San Antonio . The 500 Hispanic settlers who had lived near Los Adaes had to resettle in San Antonio in 1773 . 1 +""" Symphonic Poem "" had some details and nuances used and was tweaked as the entire second act like it had been at Symphonic Legends ." """ Symphonic Poem "" had used some details and nuances and was adapted like the entire second act as it had been at Symphonic Legends ." 1 +They were formed in January 1961 to replace the Trail Smoke Eaters who traveled to Europe to represent Canada at the 1961 World Ice Hockey Championships . They were founded in January 1961 to replace the Trail Smoke Eaters that traveled to Europe to represent Canada at the 1961 World Ice Hockey Championships . 1 +The road usually closes near the Main Lodge of Mammoth Mountain Ski Area before Thanksgiving and usually does not open much before Memorial Day . The road usually closes near the Main Lodge of Mammoth Mountain Ski Area before Thanksgiving and usually not much before the Memorial Day . 1 +After the sixth stage , Vanzella lost the lead to Sean Yates . Vanzella lost the lead to Sean Yates after the race 's sixth stage . 1 +His family moved from Brooklyn to Manhattan later on 110th Street and Amsterdam Avenue . His family later moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . 0 +The Seaca River or Pârâul Sec is a tributary of the River Olt in Romania . The Seaca River or Pârâul Sec is a tributary of the Olt River in Romania . 1 +"During this period , two national liberals held cabinet positions , plus one who sat as "" Liberal "" :" "During this period , two Liberals held cabinet rank , plus one who sat as a "" National "" ." 0 +Colchester won 2 -- 0 with goals from coming from Jabo Ibehre on his second debut for the club and Freddie Sears . Colchester won 2 -- 0 with goals by Jabo Ibehre on his second debut for the club and Freddie Sears . 1 +John Ramsey was a pseudonym used by Reginald Owen . John Ramsey was a pseudonym used by the Reginald Owen . 1 +Equatorial Africa is an ambiguous term that sometimes is used to refer to tropical Africa , or the equatorial region of Sub-Saharan Africa traversed by the equator . Equatorial Africa is an ambiguous term that is sometimes used to refer to sub-Saharan tropical Africa or the equatorial region of Africa crossed by the equator . 0 +Consequently , Master of Social Science degrees are quite common amongst Swedish & Finnish graduates . Consequently , Master of Social Science degrees are quite common amongst Swedish and Finnish graduates . 1 +He is the son of the Dutch cyclist Adri van der Poel , the brother of Mathieu van der Poel and grandson of French cyclist Raymond Poulidor . He is the son of the Dutch cyclist Adri van der Poel , brother of Mathieu van der Poel and grandson of the French cyclist Raymond Poulidor . 1 +In 1864 , the Taiping Rebellion ended with defeat to the Nanjing , and Yang fled to America from Shanghai by ship . In 1864 , the Taiping rebellion ended with the defeat of America , and Yang fled by ship from Nanjing to Shanghai . 0 +It was built by Brunel 's former assistant , William Jacomb , designed by Head Wrightson and inaugurated in 1889 . It was designed by Brunel 's former assistant William Jacomb , built by Head Wrightson and opened in 1889 . 0 +The music was composed by MS P. Bhaskaran and G Sankara Kurup and lyrics was written by Baburaj . The music was composed by MS P. Bhaskaran and G Sankara Kurup and the lyrics were written by Baburaj . 1 +Face Neck ( born 1984 in Stockton , California ) is an anonymous graffiti artist , renowned for his frightening drawing style and humorous writings . Neck Face ( born 1984 in Stockton , California ) is an anonymous graffiti artist . He is known for his humorous drawing style and frightening writings . 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became quieter and the French interest in Vietnam was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene calmed in Vietnam , and French interest in Europe was revived . 0 +Stanislaw Dombrowski ( born August 7 , 1894 in Kishinev , near Orhei , Bessarabia ) was a painter born László Dombrovszky . Stanislaw Dombrowski ( born 7 August 1894 in Kishinev , near Orhei , Bessarabia ( Eastern Moldova ) ) was a painter born as László Dombrovszky . 1 +Although the Maryland Department of Transportation is headquartered in Anne Arundel County , three of its subordinate organizations have in Baltimore . Although the Maryland Department of Transportation is headquartered in Anne Arundel County , three of its subordinate organizations have headquarters located in Baltimore . 1 +VirusProtectPro is a rogue malware program that claims to be a commercial anti-spyware , when in fact it is , itself , adware-advertised . VirusProtectPro is a rogue - malware program that claims to be a commercial anti-spyware when it is in fact itself adware - advertising . 1 +It is limited by North Dakota . The nearest American community is Gretna , Neche , Pembina County , North Dakota . It is bordered by Pembina County , North Dakota . The nearest American community to Gretna is Neche , North Dakota . 0 +His father had been a blacksmith and an inventor and had worked in Scotland with the iron rope . His father had been a blacksmith and inventor and had worked with an iron rope in California . 0 +All these equal visual horopters are in fact corresponding , empirically , to the empirical direction horopter . All these empirical horopters are in fact empirically equal to the same visual direction , horopter . 0 +Locus is a racing game developed by the GT Interactive Software Corp and published in North America by Zombie LLC . Locus is a racing game developed by Zombie LLC and released in North America by GT Interactive Software Corp . 0 +Like many aspects of Byzantine ivory , this reflects the Islamic traditions inherited from Islam . Like many aspects of Islamic ivory , this reflects the Byzantine traditions that inherited Islam . 0 +To avoid Sparse conversions between restricted types , a casting with the force attribute is used to mark valid giving a warning . To avoid sparse conversions between limited types , a casting with the attribute force is used to mark a valid warning . 1 +The sheep are being sacrificed and the meat is distributed to relatives and neighbours and given to the poor . The sheep is sacrificed and the meat is given to relatives and neighbours and distributed to the poor . 1 +In fifth place with them Van Vanmarcke , Boasson Hagen was three seconds behind fourth place . Vanmarcke was with them in fifth place ; Boasson Hagen finished three seconds behind in fourth place . 0 +The season 1979 -- 80 National Basketball Association was the 34th NBA season . The NBA season from 1979 to 80 was the 34th season of the National Basketball Association . 1 +Bandra is a neighborhood located in western Bandra in the state of Maharashtra , India many personalities active in Bollywood , in cricket and in politics , have lived in Mumbai . Bandra is a neighborhood located in western Mumbai in the state of Maharashtra , India Many personalities active in Bollywood , in cricket and politics , live in Bandra . 0 +St Albans was the only son of Elizabeth Catherine , 9th Duke of St Albans , and Joseph Gubbins , daughter of Major-General William Beauclerk . St Albans was the only son of William Beauclerk , 9th duke of St. Albans , and Elizabeth Catherine , daughter of General Joseph Gubbins . 0 +ProxmapSearch uses the proxMap array generated by a previously done ProxmapSort to find keys in the sorted array A2 in constant time . ProxmapSearch uses the proxMap array created by a previously created ProxmapSort to find keys in the sorted A2 array in constant time . 1 +Albion Township was established by a division of Homer Township in 1837 . Homer Township was established in 1837 by a department of Albion Township . 0 +"In 1942 , Breton collaborated with the artist Lam on the publication of Breton 's poem "" Fata Morgana "" , illustrated by Wifredo Lam ." "In 1942 , Breton collaborated with artist Lam on the publication of Breton 's poem "" Fata Morgana "" , which was illustrated by Wifredo Lam ." 1 +The song is tuneful , with a prominent series of three descending diatonic chords providing the main hook . The song is vocal , with a prominent series of three descending diatonic chords providing the main hook . 1 +Other finalists included Wall Street Journal , New York , Vanity Fair , and National Geographic . Other finalists closed National Geographic , New York , Vanity Fair , and Wall Street Journal . 1 +He moved to Illinois and settled in Ottawa in 1891 . He moved to Ottawa in 1891 and settled down in Illinois . 0 +"This article contains information from the article ( "" Usuki-shi "" ) in Japanese Wikipedia , translated before the 28 September 2011 ." "This article incorporates information retrieved from the article ( "" Usuki-shi "" ) in the Japanese Wikipedia , translated before September 28 , 2011 ." 1 +Henry Cole was succeeded as caretaker of Breakheart Hill by Bailey . Bailey was replaced by Henry Cole as caretaker of Breakheart Hill . 0 +Sabirabad is a village and municipality in Jalilabad - Rayon of Azerbaijan . It has a population of 3,577 . Jalilabad Rayon is a village and municipality in the Sabirabad of Azerbaijan . It has a population of 3,577 . 0 +As a correspondent she traveled to Russia , Finland , Italy , France , Scotland , Estonia , Germany and in 1923 to Iceland . As a correspondent she traveled to Russia , Scotland , Estonia , Germany , France , Finland , Italy and 1923 to Iceland . 1 +Monica Mæland , Norwegian Trade Minister , led a delegation of 54 companies to Kenya in September 2015 . Monica Mæland , Minister of Trade in Kenya , led a delegation of 54 companies to Norway in September 2015 . 0 +The first field was completed in 1857 and the positioned bridge was opened on 2 May 1859 by Prince Albert . The first main span was positioned in 1857 and the finished bridge was opened on May 2 , 1859 by Prince Albert . 0 +Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Peru ) is a Colombian footballer who is currently playing for Total Chalaco of the Segunda División in Colombia . Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Colombia ) is a Colombian footballer who is currently playing for Total Chalaco of the Segunda División in Peru . 0 +The Forggensee is a lake north of the Ostallgäu in the district of Füssen in Bavaria , Germany . Forggensee is a lake located north of Ostallgäu in the district of Füssen in Bavaria , Germany . 1 +He currently lives in Ridgefield , Connecticut , with his wife Cynthia . He has four children : Lindsay , Heather , Jason , and Rebecca . He lives in Ridgefield , Connecticut with his wife Cynthia , and has four children : Jason , Heather , Lindsay and Rebecca . 1 +A light novel series adaptation under the same name is published by Kadokawa 's Kadokawa Beans Bunko . All volumes were written by Tōko Fujitani with illustrations by Yamako . A light novel - series - adaptation under the same name was written by Kadokawa ' ; s Kadokawa Beans Bunko , all volumes were published by Tōko Fujitani with illustrations by Yamako . 0 +Or should they continue to be used int , and instead dereferenced that version ? Or should they be dereferenced further to int and that version used instead ? 0 +He considers C. S. Lewis a negative influence and has accused Lewis of featuring religious propaganda , misogyny , racism , and emotional sadism in his books . He considers C. S. Lewis to be a negative influence and has accused Lewis of pointing out in his books emotional propaganda , misogyny , racism and religious sadism . 0 +The series was also published with some success in France , where new stories were produced even after the closing of the series in Italy . The series was also produced with some success in Italy , where new stories were also published in France after the end of the series . 0 +The department is divided into a regional forensic science center in Edmond and four central laboratories : The Division is divided into a central Forensic Science Center in Edmond and four regional laboratories : 0 +The Georgian Government protested against the supposedly increasing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . The Georgian Government protested against the allegedly growing uncontrolled presence in the region and against the Russian economic and political military on the South Ossetian side . 0 +In 1948 , Bubba produced the first Italian self-propelled combine , the 1500 that only Massey Harris preceded in 1941 . In 1948 , Massey Harris produced the first Italian self-driving combine harvester , the 1500 , which was only preceded by Bubba in 1941 . 0 +In 2016 , Naver 's webtoon service entered the Japanese market as XOY and the Chinese market as Dongman Manhua . In 2016 , Naver 's webtoon service joined the Japanese market as XOY and Dongman Manhua entered the Chinese market . 0 +In round 2 Blair Anthony defeated , and Christina defeated Blake . In round 2 . Blair defeated Anthony and Christina defeated Blake . 0 +Born in Bootle , Kathy Lloyd grew up in Netherton , Carrickfergus , Northern Ireland , where she visited Warwick Bolam High School . Kathy Lloyd was born in Carrickfergus , Northern Ireland and grew up in Netherton , Bootle where she attended Warwick Bolam High School . 0 +Granel was an important influence on a number of French philosophers , including Bernard Stiegler , Jean-Luc Nancy and Jacques Derrida . Granel was an important influence on a number of French philosophers , including Jacques Derrida , Jean - Luc Nancy , and Bernard Stiegler . 1 +Often these plots were retired ; so , a one-storey bungalow was quite practical , particularly for large people . Often these plots were large , so that a one-storey bungalow was particularly practical for retired people . 0 +3200m races run on the inner oval first , then the outer oval . First run 3200m on the outer oval , then on the inner oval . 0 +Elizabeth Smylie and Patrick McEnroe won in the final 7 -- 5 , 6 -- 3 against Jana Novotná and Jim Pugh . Jana Novotná and Jim Pugh won against Elizabeth Smylie and Patrick McEnroe in the finals 7 -- 5 , 6 -- 3 . 0 +"In December 2006 , John von Rhein von Muspratt and the staff of the "" Chicago Tribune "" were named "" Chicagoan of the Year "" in classical music ." "In December 2006 , Muspratt was awarded by John von Rhein and the staff of the "" Chicago Tribune "" as the "" Chicagoan of the Year "" in classical music ." 0 +"Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources for the data used are given ." """ Politically sensitive , economically appropriate , ecologically sustainable , and finally , socially just "" , however no references or sources are provided for the data used ." 0 +Cobian Backup was a free , donation-supported backup software for Microsoft Windows and was written by Luis Cobian of Umeå University in Delphi . Cobian Backup was a free , donation-written backup software for Microsoft Windows . It is supported in Delphi by Luis Cobian of Umeå University . 0 +She lives in Bandra , Mumbai , and has a son Aditya Bhattacharya , film director , and two daughters , Chimmu and Anwesha Arya , a writer . She lives in Bandra , Mumbai . She has a son Aditya Bhattacharya , film director , and two daughters , Chimmu and Anwesha Arya , a writer . 1 +In Japan there is a region of 1080p Blu-ray with English Dolby TrueHD 2.0 track available . In Japan a region free 1080p Blu-ray is available with English Dolby TrueHD 2.0 track . 1 +Switching the systemic ventricle to repair the left ventricle and the right ventricle to pump blood into the pulmonary artery can be a levo-transposition . Switching the systemic ventricle to repair the left ventricle and the right ventricle to pump blood into the pulmonary artery can be levo-transposition . 1 +Since these laws were opened , many nanobreweries have changed . Many nanobreweries have opened since these laws were changed . 0 +Brutus died on April 9 , 1830 in the city of Adam Helmer at Cayuga County in New York . Adam Helmer died on April 9 , 1830 , in the town of Brutus in Cayuga County , New York . 0 +Mornington House was the Dublin social season Georgian residence of the Earls of Mornington . The Mornington House was the Georgian residence of Dublin 's social season at the Earls of Mornington . 1 +"Louisa Baïleche has performed on the Comédie-Française stage as well as the Folies Bergère , in a musical version of the French "" Nine "" ." "Louisa Baïleche performed on the Comédie-Française stage as well as the Bergère folies in a French version of the musical "" Nine "" ." 0 +"In July 2012 , Johan Sæther and Ole Sindre repeated the feat by free climbing the "" Krasnoyarsk Route "" ." "In July 2012 , Johan Sæther and Ole Sindre repeated the feat by climbing the "" Krasnoyarsk route "" ." 1 +Clara Maass was born in East Orange , New Jersey , to the German immigrants Hedwig and Robert Maass . Robert Maass was born in East Orange , New Jersey , to study German immigrants Hedwig and Clara Maass . 0 +In the evening , a small soup came with a thin piece of bread . Finally , in the evening , came a bowl of small soup with a thin piece of bread . 1 +From 1931 to the outbreak of the Second World War in Shanghai in 1939 , he worked in Europe . He worked in Europe from 1931 until the outbreak of the Second World War in Shanghai in 1939 . 1 +Doyle said the Maryland -- Pennsylvania Mason -- Dixon line is exactly : Doyle said the Maryland -- Pennsylvania Mason -- Dixon line is exact : 1 +Irreversibility in thermodynamic processes is a consequence of the asymmetric character of thermodynamic operations and not of any irreversible internal microscopic properties of the body . Irreversibility in thermodynamic processes is a consequence of the asymmetric character of thermodynamic operations , and not of any internally irreversible microscopic properties of the bodies . 1 +"In some species , the withdrawn invert and lophophore are protected by an operculum ( "" lid "" ) , which is closed by muscles and opened by fluid pressure ." "In some species the retracted invert and lophophore are protected by an operculum ( "" lid "" ) , which is closed by muscles and opened by fluid pressure ." 1 +"In his diocese he will be remembered as "" a spirit of peace , a desire to bring the pastoral spirit and great libéralité ." "He is remembered in his diocese as bringing "" a spirit of peace , a desire to bring the great spirit and pastoral libéralité """ 0 +The Driftless Area is a reserve of current and former woodland in Minnesota Richard J. Dorer Memorial Hardwood State Forest . The Richard J. Dorer Memorial Hardwood State Forest is a reserve of current and former forest in Minnesota 's Driftless Area . 0 +In 1963 , Vogel founded Bioforce AG in Roggwil in Thurgau , Switzerland , and died in 1996 at the age of 94 in Feusisberg . In 1963 , Vogel established Bioforce AG in Roggwil in Thurgau , Switzerland . He died in 1996 in Feusisberg at the age of 94 . 1 +Weslandia is a children 's book Newbery Medal winner Kevin Hawkes with illustrations of Paul Fleischman . Weslandia is a Newbery Medal winner of the children 's book Paul Fleischman , with illustrations by Kevin Hawkes . 0 +After the constitution of the United States was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . After the Constitution of the United States was adopted in 1789 , the United States Bill of Rights was ratified in 1791 . 0 +The South Branch and North Branch join north of Boyne Falls , and the resulting Boyne River flows northwest to Boyne City at the southeastern end of Lake Charlevoix . The South Branch and North Branch unite north of the Boyne Falls , and the resulting Boyne River flows north-west to Boyne City at the southeastern end of Lake Charlevoix . 1 +The new cable company announced that they would charge $ 10 for their service and $ 5 per month to connect to the signals . The new cable company announced that they would charge $ 10 for connecting to their service and $ 5 per month to subscribe to the signals . 0 +They did not hesitate to send members of their respective professions to the various congresses held in Bessarabia throughout the year 1917 , and they became very powerful . They did not hesitate to send members of the respective professions to the various congresses held in Bessarabia throughout 1917 , and became very influential . 1 +"When Rachel learned that she wore Thomas "" child , she moved discreetly to Santa Barbara , while Thomas remained in Monterey , working with his brother ." "When Rachel learned she was carrying Thomas "" child , she discreetly moved to Santa Barbara while Thomas remained in Monterey , working with his brother ." 1 +In the circulated materials , such as the Red Bus Airplay calculation , EMI is still referred to as Gold Label Entertainment . Gold Label Entertainment is still referred to as EMI in the distributed materials such as the Red Bus Airplay calculation . 0 +Moreover , many Angika speakers in the Persian Gulf have emigrated to the United Kingdom , the United States , Canada , and other countries . Moreover , many Angika speakers in the Persian Gulf , the United States , Canada , the United Kingdom , and other countries have emigrated . 1 +Agnes Milowka ( 23 December 1981 -- 27 February 2011 ) was an Australian technical diver , underwater photographer , author , maritime archaeologist and cave explorer . Agnes Milowka ( 23 December 1981 - 27 February 2011 ) was an underwater diver , Australian technical photographer , author , maritime archaeologist and cave explorer . 0 +For example , the spin case allows only one magnetic dipole , but for spin - 1 particles magnetic quadrupoles and electrical dipoles are also possible . For example , the spin-fall also allows a magnetic dipole , but for spin 1 particles only electric quadrupoles and magnetic dipoles are possible . 0 +Scraper was a hardcore punk volume from the West Midlands of the United Kingdom . Scraper was a hardcore punk band from the United Kingdom of the West Midlands . 0 +He needed a good lead on Russell Prince , who was considered the stronger mountain runner , and Saggers had a lead of 2 min 29 sec . He needed a good advantage on Russell Prince , who was considered the stronger mountain runner , and Saggers had a lead of 2 min 29 sec . 1 +Licensed to Sebring , the station serves the Wauchula , Florida , USA area . The station , which is licensed to Sebring , serves the Wauchula , Florida , USA area . 1 +"On November 18 , 2010 , Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." "Polumenta released his fifth studio album "" Buntovnik "" ( "" Rebel "" ) on 18 November 2010 under Grand Production , his second project with the label ." 1 +In the 1990s , Schwartz worked in the adult film industry in smaller , non-sexual roles and in numerous administrative roles behind the scenes . In the 1990s , in the adult film industry , Schwartz worked in numerous administrative roles and behind the scenes in smaller , non-sexual roles . 0 +According to Iranian state news agency PressTV , a poll conducted by The Doha Debates showed that 55 % of Syrian respondents did not want Assad to resign . According to the Syrian state news agency PressTV , a survey by The Doha Debates showed that 55 % of Iranian respondents did not want Assad to resign . 0 +After Martha had been found , Anna married a man by the name of George I Eisenhauer . After Anna was found , Martha married a man by the name of George I Eisenhauer . 0 +From 2001 to 2007 it was part of the Ajdabiya district and from 1983 to 1987 it was part of the district of Jalu . From 2001 to 2007 , it was part of Jalu District . From 1983 to 1987 , it was part of Ajdabiya District . 0 +Mike Parlett ( also known as Michael J. Parlett ) is an English jazz saxophonist - producer and radio moderator . Michael J. Parlett ( also known as Mike Parlett ) is an English jazz saxophonist producer and radio host . 1 +The best girlfriend of Alma Bautista ( Eula Valdez ) is Katrina Alegre ( Jean Garcia ) . Katrina Alegre ( Eula Valdez ) is the best friend of Alma Bautista ( Jean Garcia ) . 0 +It has been released in a limited edition of 4,200 copies as a vinyl - LP and produced on April 21 , 2012 in connection with Record Store Day . It was produced as a vinyl LP in a limited edition of 4,200 copies , and released on April 21 , 2012 , in conjunction with Record Store Day . 0 +The newspaper reports on business , politics , developments in corporate and labour law , commercial news and features . The paper reports on the economy , politics , developments in commercial and labour law , corporate news and features . 0 +""" The day on which violence died "" is the seventh episode of "" The Simpsons "" of the eighteenth season ." """ The Day the Violence Died "" is the seventh episode of "" The Simpsons "" eighteenth season ." 1 +A new directive was adopted by the Council in July 2008 and approved by the European Parliament in October 2008 . In July 2008 , a new directive was adopted by the European Parliament and adopted by the Council in October 2008 . 0 +The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eighth if the pre- 2003 Metropolitan Cup is included . The Ballymore Cup 2007 is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . 0 +Graves was born in Owensboro , Kentucky and raised near Yelvington , Virginia , about 12 miles east of Kentucky on KY Hwy 144 . Graves was born in Virginia and grew up near Yelvington , Kentucky , about 12 miles east of Owensboro , Kentucky on KY Hwy 144 . 0 +"William Pendry Bidelman ( ; September 25 , 1918 -- May 3 , 2011 ) whose friends called him "" Billy "" , was an American astronomer ." William Pendry Bidelman ( September 25 , 1918 - May 3 , 2011 ) , whose friends called him “ Billy , ” was an American astronomer . 1 +Eckhoff represented Britain against New Zealand in 1928 , in 1930 against Australia . Eckhoff represented Great Britain in 1928 against New Zealand , and in 1930 against Australia . 1 +Kerr broke this season into the first team , but Couper found himself on the bench . Couper broke into the first team that season , but Kerr found himself on the bench . 0 +The Pittsburgh Frank & Seder was expanded in 1913 , but destroyed by fire in 1917 at a loss of $ 600,000 ; its replacement was completed in 1918 . The Pittsburgh Frank Seder was expanded in 1913 , but destroyed by a fire in 1917 with a loss of $ 600,000 , the replacement was completed in 1918 . 1 +In 1824 , Whitehead brought his new life to Wesley -- 5 : it used Moore 's work , sometimes without acknowledgment . Moore brought out his new life of Wesley in 1824 -- 5 : it used Whitehead 's work , sometimes without acknowledgment . 0 +In October 2001 , he defended his PhD in Psychology at the Free University of Brussels on the subject of cognitive models of human hypertext navigation . He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of human models of cognitive hypertext navigation . 0 +It was founded by Metin Üstündağ , Bahadır Baruter , Erdil Yaşaroğlu and Selçuk Erdem in 2002 . It was founded by Metin Üstündağ , Selçuk Erdem , Erdil Yasaroğlu and Bahadır Baruter in 2002 . 1 +The Initial H Block ( former Isolation Ward ) was designed by Leighton Irwin , in conjunction with the first major works on the relocated hospital site . The former H block ( Initial Isolation Ward ) was designed by Leighton Irwin in conjunction with the first major works on the relocated hospital area . 0 +He has a son , Seamus , who is mentioned but never seen in the series . He has a son , Seamus , who is seen in the series but will never be mentioned . 0 +The season 2010-11 rain or gloss Elasto painter was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2010 -- 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +The three inexperienced pilots were allowed to attack it , but they only managed to damage the bomber . The three inexperienced pilots were allowed to damage it , but only the bomber managed to attack . 0 +The production was repeated in Berlin from 8 June 2011 and in Amsterdam on 8 July 2012 . The production was repeated in Amsterdam on 8 June 2011 and 8 July 2012 in Berlin . 0 +Rakhal Chandra Ghosh ( 1863 -- 1922 ) , whose original name was Swami Brahmananda , was the son of a Zamindar in the Basirhat . Swami Brahmananda ( 1863 -- 1922 ) , whose original name was Rakhal Chandra Ghosh , was son of a zemindar in the Basirhat area . 0 +North Dalton Park is situated on the Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . Towradgi is located at Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +He was elected to the Lok Sabha the lower house of Indian Parliament from Bhubaneswar in Odisha . He was elected by Odisha in Bhubaneswar to the Lok Sabha , the lower house of the Indian Parliament . 0 +A fundamental domain for the modular group formula 22 is given A modular domain for the fundamental group formula _ 22 is given by : 0 +RJD won 206 seats while NDA won 22 seats . NDA won 206 seats while RJD 22 won seats . 0 +Then Wright William Tate became student . Wright then became William Tate 's student . 0 +San Pedro Springs Park is located in the city of Bexar County San Antonio in the US state of Texas . San Pedro Springs Park is located in the Bexar County city of San Antonio in the U.S. state of Texas . 1 +"Prairie Justice is a 1938 "" B "" movie directed by Bob Baker and starring George Waggner as a singing cowboy ." "Prairie Justice is a 1938 "" B film directed by Bob Baker and George Waggner as a singing cowboy ." 1 +Eastside is a former settlement in Holtville . It was located north of Imperial County , California . Eastside is a former settlement located in Imperial County , California , north of Holtville . 0 +The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was constructed in 2003 . The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was built in 2003 . 1 +Crocker moved from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and crossed toward the lower Ouachita in the section called the Black River . Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of the Concordia Parish , and moved towards the lower Ouachita in the Black River section . 1 +Peraza was Miss Venezuela 1976 , but she married on May 24 , 1976 , because she resigned two days after her coronation . In 1976 Peraza was Miss Venezuela , but she resigned on 24 May 1976 because she married two days after her crowning . 0 +In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Walt Disney World in Disney Springs , Florida . In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Disney Springs in Walt Disney World , Florida . 0 +Tracks 7-17 from the album Let 's Be Up and Make Friendly . Tracks 7-17 from Let 's album ; s Be Up and Make Friendly . 1 +This is negative for all non-negative Formula 63 if both have such rooms a metric type . This is non-negative for all such formula _ 63 iff both metric spaces have negative type . 0 +The name appears to have been current among regional scholars of the London-Welsh Societies and the Welsh eisteddfodau in Wales . The name appears to have been current among the regional scholars of London - Welsh - societies and the Welsh Eisteddfodau in Wales . 1 +Any two of the digitalized waveforms could be used by the two digital oscillators provided . Any two of the digitised waveforms could be provided by the two digital oscillators used . 0 +He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . 0 +"The Oxford English Dictionary cites Hoccleve as one of the modern users of the term "" slut "" in its modern sense , although not in its original spelling ." "The Oxford English Dictionary cites Hoccleve as one of the first users of the term "" slut "" in its modern sense , though not in its modern spelling ." 0 +The project was the creation of Mute Records founder Frank Tovey , with Daniel Miller acting as the band 's fictional frontman . The project was the creation of Mute Records - founder Daniel Miller , with Frank Tovey as a fictional frontman of the band . 0 +The first house , a Shanty , built Jacox from New York in 1830 in Clarkston . Squatter Linux Jacox from New York built the first house , a Shanty , in Clarkston in 1830 . 1 +It is found in California and in Nevada , where it has been recorded from southern Texas to North America . It is found in North America , where it was recorded from southern California and Nevada to Texas . 0 +"Alan Dale returned as Tom Morrow , a character who left "" NCIS "" in the episode "" Kill Ari ( Part I ) "" of the third season ." "Tom Morrow returned as Alan Dale , a character who left "" NCIS "" in the third season 's episode "" Kill Ari ( Part I ) "" ." 0 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all coming from Illinois to Missouri . The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Missouri to Illinois . 0 +Cob Cobian Backup was a free , donation-supported backup software for Microsoft Windows , written by Luis Cobian of Umeå University , Delphi . Cobian Backup was a free , written backup software for Microsoft Windows and is supported by Luis Cobian of Umeå University in Delphi . 0 +RAF Ash was closed and the website was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash has been sold and the site was closed in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . 0 +The series was created by Marklen Kennedy and is co-developed by Richard Grieco . The series was co-developed by Marklen Kennedy and created by Richard Grieco . 0 +As a child Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) . Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) as a child . 1 +Deutsche Bahn opened a new underground tunnel to the new railway station Filderstadt on 29 September 2001 . On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new underground train station Filderstadt . 0 +Under Phil Testa , and later Nicky Scarfo , Frank served . Frank served under Phil Testa and later Nicky Scarfo . 1 +Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and attended Lew Wallace Highschool in Gary , Indiana . Bingaman was born in McKenzie , Tennessee in 1926 , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . 0 +Critics of HRW include the former governments it has investigated , NGO Monitor , the media , and its founder ( and national chairman ) , Robert L. Bernstein . Critics of HRW include the former governments that it has examined , NGO monitor , the media and its founder ( and national chairman ) , Robert L. Bernstein . 1 +Fotbal Club Forex Braşov was a Romanian professional football club from Braşov , Romania , dissolved in October 2002 and founded in 2011 . Fotbal Club Forex Braşov was a Romanian pro - football club from Braşov , Romania , founded in October 2002 and dissolved in 2011 . 0 +Šišić ( born March 29 , 1983 in Zagreb ) is a Croatian football manager and former goalkeeper . Antonio Šišić ( born 29 March 1983 in Zagreb ) is a Croatian football manager and former football goalkeeper . 1 +This would stop the element but fade if the effect is 80 % complete ( with an opacity of 20 % ) . This would fade the element but stop when the 80 % effect is complete ( with an opacity of 20 % ) . 0 +Karoo Mine is a large mine in the northern part of South Africa in Gauteng . The Karoo - Mine is a big mine in the northern part of Gauteng in South Africa . 0 +The song was produced by Toxey French and Michael Omartian and was arranged by Jimmie Haskell , Omartian and Bill Straw . The song is arranged by Toxey French and Michael Omartian and produced by Jimmie Haskell , Omartian and Bill Straw . 0 +""" Thanks to the Facebook generation , anyone by simply mounting a Selfie can become a Harvey Weinstone or a Kevin Spacey "" , he added ." """ Thanks to the Facebook generation , by simply attaching a selfie , anyone can become a Harvey Weinstein or a Kevin Spacey , "" he added ." 1 +Annaberg-Lungötz is a municipality in the district of Hallein in the Austrian province of Salzburg , Germany . Annaberg-Lungötz is a municipality in the district of Hallein , in the Austrian state of Salzburg . 1 +"At 10 : 59 AM the last element of the 2nd Battalion 4th Marines left the zone and the last naval helicopter landed at 12 : 15 on the USS "" Okinawa "" ." "At 10 : 59 , the last marine element of 2nd Battalion 4th Marines left the zone and the last helicopter landed on the USS "" Okinawa "" at 12 : 15 ." 0 +It also adds the personality of the character Audrey Hepburn , played by Holly Golightly . It also adds to the personality of the Holly Golightly character played by Audrey Hepburn . 0 +She studied journalism in London for three years and has an MA in Mass Media from a university in New York City . For three years she studied journalism in London and holds an MA in mass media at a university in New York City . 1 +Our theories can not be both dogmatically held vitalistic constructs and be scientific at the same time . Our theories can not be both dogmatic scientific constructs and at the same time be vitalistic . 0 +He and his family moved from Colorado to Wyoming to Oregon until he was about 5 years old , when they settled in Silver Spring , Maryland . He and his family moved from Colorado to Wyoming to Oregon until he was about 5 years old when she settled in Silver Spring , Maryland . 1 +In front of the wooden veranda , are holes for fixing broken pillars . In front of the broken veranda are holes for fastening wooden pillars . 0 +East Coast Railway is one of the three divisions of Khurda Road . The East Coast Railway is one of three departments of Khurda Road . 1 +Agostino Carracci was born in Bologna , and trained at the workshop of the architect Domenico Tibaldi . Domenico Tibaldi was born in Bologna and trained in the workshop of the architect Agostino Carracci . 0 +Rudy Lenners retired the following year for personal reasons and was replaced by Herman Rarebell . The following year , Rudy Lenners resigned for personal reasons and was replaced by Herman Rarebell . 1 +They presented singer Ronnie Sweetheart , bassist Roger Ericson , drummer Ronnie Magri and guitarist Danny Nordahl . They featured singer Ronnie Sweetheart , bassist Roger Ericson , drummer Ronnie Magri and guitarist Danny Nordahl . 1 +He won three all-Dublin medals for Ireland in 1977 , 1976 , in 1974 . He won medals for Dublin in 1977 , 1976 , 1974 three all-Ireland . 0 +""" Florida "" was awarded on 4 May 1898 , and ordered to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." "On 4 May 1898 , "" Florida "" was awarded and ordered to Crescent Shipyard , Elizabethport , New Jersey , on October 11 , 1898 ." 1 +The character of Michel Ardan , the French member of the party in the novel , was inspired by realistic photographer Félix Nadar . The character of Michel Ardan , the real member of the party in the novel , was inspired by the French photographer Félix Nadar . 0 +The reciprocal cross produces sterile F1 males and no female progeny . The sterile cross produces reciprocal F1 - males and no female descendants . 0 +Stimson Bullitt served as president until Payne took over in 1972 , and Steven A. Clifford was appointed President of King Broadcasting in 1987 . Stimson Bullitt served as president until Steven A. Clifford took over in 1972 , and Payne was named president of King Broadcasting in 1987 . 0 +In 1854 , Cooper left Australia and returned to London , where he lived until his death at the age of 90 , a verified bachelor . He left London in 1854 and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . 0 +The Chateau is planted with Cabernet Sauvignon , Merlot , and Cabernet Franc . A second wine has produced under t "The chateau has planted with Cabernet Sauvignon , Merlot and Cabernet Franc . A second wine is produced under the name of "" Vivens "" ." 0 +The 1966 National Football League season was the 17th season of the team with the Cleveland Browns . The 1966 Cleveland Browns season was the team 's 17th season with the National Football League . 0 +Lombardo left the band due to an elbow injury and was replaced by former member Bostaph . Lombardo left the band for an elbow injury and was replaced by former member Bostaph . 1 +Unlike most liberal protests in the United States , the Tax March focused not on broad issues , but on specific demand . Unlike most liberal protests in the United States , the Tax March did not focus on broad issues , but instead focused on a specific demand . 1 +He had trials with English Premier League teams Manchester United and Sunderland in November 2014 , and then again with Leicester City in January 2015 . He has had tests with the English Premier League - Teams Manchester United and Sunderland in November 2014 and then again with Leicester City in January 2015 . 1 +The director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated film . A film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . 0 +In the past , we remember the other Maran , a famous Indian intelligence officer of DHEIVA THAAI from 1964 . In the past , we remember the other Maran , an Indian intelligence famous officer from DHEIVA THAAI of 1964 . 1 +Teversall Manor is a former railway station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . Teversall Manor is a former station in Teversal , Nottinghamshire , on the border with Derbyshire west of Mansfield . 0 +The eastern end was cut off in 1963 to Wadsworth Boulevard and in 1967 to the Sheridan Boulevard . The east end was cut off to Wadsworth Boulevard in 1963 and to Sheridan Boulevard in 1967 . 1 +In October 2001 he defended his doctorate in psychology at the Free University of Brussels on the subject of human models of cognitive hypertext navigation . In October 2001 , he defended his Ph.D. in Psychology from the Free University of Brussels on cognitive models of human hypertext navigation . 0 +The Field Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . Field is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . 1 +He has a son ( vintage 2000 ) from a previous relationship with TV presenter Birgit Schrowange , who married Angela Gessmann in July 2011 . He has a son ( vintage 2000 ) from a previous relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . 0 +Only one percent of blue diamonds are of this type and most are natural to gray . Only one percent of natural diamonds are of this type , and most are blue to grey . 0 +Webmention was originally developed in the IndieWebCamp community and published as a W3C working draft on January 12 , 2016 . Webmention was originally developed in the IndieWebCamp community and published as W3C Working Draft on January 12 , 2016 . 1 +Here formula 2 , the dependent variance , is a time-instantaneous CIR process : Here is Formula 2 , the dependent variance , a time-instinct CIR process : 1 +He added 105 performances in La Liga in a 19-year second career , with the Senior Club as well as Deportivo . He added 105 appearances in La Liga in a 19-year second career , with the senior club as well as Deportivo . 1 +The Jecnova River is a tributary of the River MureÅ in Romania . The Mureş River is a tributary of the Jecnova River in Romania . 0 +Valdir Bigode ( born 15th March , 1972 ) , commonly known as Valdir de Moraes Filho , is a Brazilian former footballer who played as a striker . Valdir Bigode ( born March 15 , 1972 ) , commonly known as Valdir de Moraes Filho , is a former Brazilian footballer who played as a striker . 1 +He won his second Cruiserweight title by winning 5-man stroke ladder - match against Sugi San , Jack Evans , Rocky Romero and Teddy Hart . Jack Evans won his second Cruiserweight track by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . 0 +It is the biggest private club in Houston and one of the largest in the world , with over 3,300 members . It is the largest private club in Houston and one of the biggest in the world , with more than 3,300 members . 1 +In October 2015 , Bennett resigned from the Knesset to allow Shuli Mualem to take over his seat . In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take his seat . 0 +The first consonant of each word was then dropped , leaving the distribution of unpredictable . The unpredictable consonant of each word was then dropped , the distribution leaving first . 0 +Wright was from 1800 -- 04 British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . From 1800 -- 04 Wright was British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . 1 +Fernando González defeated Gastón Gaudio 6 - 3 , 6 - 4 Fernando González defeated Gaudio Gastón 6-3 , 6-4 1 +Graves was born in Virginia and grew up near Yelvington , Kentucky , about 12 miles east of Owensboro , Kentucky on KY Hwy 144 . Graves was born in Virginia and raised near Yelvington , Kentucky , about 12 miles east of Owensboro , Kentucky on KY Hwy 144 . 1 +In 2008 , the college section was introduced and the government was renamed the school Chittagong Collegiate School 'College . In 2008 the college section was introduced and Government renamed the school Chittagong Collegiate School & College . 1 +The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Winnipeg Lake . The Nelson River flows into Cross Lake from Playgreen Lake then flows from two channels into Lake Winnipeg . 1 +The Democratic Party nominates and elects the House Democratic Caucus leadership in the United States House of Representatives . The House Democratic Caucus nominates and elects the leadership of the Democratic Party in the House of Representatives of the United States . 0 +The mountain was named by Jules de Blosseville after the French naval officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 -- 1835 ) . The mountain was named after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) by Marie Henri Daniel Gauthier . 0 +Among the remaining 16 shareholders were Joseph Stenger ( 75 shares ) , George Truog ( 30 shares ) and Frances Bannister ( 8 shares ) . Among the 16 remaining shareholders were Joseph Stenger ( 75 shares ) , George Truog ( 30 shares ) , and Frances Bannister ( 8 shares ) . 1 +Angry Man is a 2010 film directed by Peter LeDonne and Steven Moskovic and Jackie Mason . One Angry Man is a 2010 film starring Peter LeDonne and Steven Moskovic and directed by Jackie Mason . 0 +After completing his initial university education at Cardiff University , and in Rouen , France , he was from 1996 to 1999 based in Harrogate , North Yorkshire . After completing his university education at Cardiff University and in Harrogate , North Yorkshire , he worked in Rouen , France from 1996 to 1999 . 0 +"A mechanical nightingale is introduced in "" and is used to replace a real nightingale for a princess ." "A real nightingale is introduced in "" and is used to replace a mechanical nightingale for a princess ." 0 +Section 141 ( a ) of the Internal Revenue Code stipulates that the term private activity bond meets any bond issued as part of an issue , which means : Section 141 ( a ) of the Internal Revenue Code provides that the term private activity bond means any bond issued as part of an issue which meets : 0 +The company then acquired St. Louis and Cairo Railroad , which was the narrow gauge . The company then acquired the St. Louis and Cairo Railroad , which was narrow gauge . 1 +The election of the Oldham Metropolitan Borough Council in 2000 took place on 4 May 2000 to elect members of the Oldham Council in the Greater Manchester , England . The 2000 Oldham Metropolitan Borough Council election took place on 4 May 2000 to elect members of Oldham Council in Greater Manchester , England . 1 +Electrical elements such as inductors and capacitors used in electrical analog computers had to be carefully manufactured to reduce non-ideal effects . Electrical elements such as inductors and capacitors used in non-ideal analog computers must be carefully manufactured to reduce electrical effects . 0 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines in Zanzibar . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines on Zanzibar . 1 +According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the forest near the home . According to Smith , the Aaronic Priesthood was reproduced to him and Oliver Cowdery somewhere in the woods near the house on May 15 , 1829 . 0 +"The Charge Spear is a large spear that can be "" charged "" to form a sharpened organic blade that can be used to stab foes ." "The Charge Spear is a large spear that can be "" sharpened to form a charged organic blade that can be used to strike opponents ." 0 +Scott was born in St. Andrews and grew up in Edinburgh and attended the University of St. Andrews , where he studied geology . Scott was born in Edinburgh , grew up in St Andrews and attended the University of St Andrews , where he studied geology . 0 +He ruled under Trujillo at the end of his era and later served Duvalier in Haiti . He served at the end of his era under Trujillo and later ruled Duvalier in Haiti . 0 +Bagwell countered for a fisherman 's suplex that page went into a diamond cutter . Bagwell went for a fishman 's suplex that Page countered into a Diamond Cutter . 0 +101 confirmed cases after seven cases in British Columbia , three in Alberta , two in Nova Scotia and Ontario , and one in Quebec were confirmed . Certified cases were confirmed after seven cases in British Columbia , three in Alberta , two in Nova Scotia and Ontario and one in Quebec . 0 +John Mozeliak is the President of Baseball Operations , Mike Girsch is the general manager and Mike Matheny is the manager . John Mozeliak is the president of the Baseball Operations , Mike Girsch is General Manager and Mike Matheny is the manager . 1 +He is the nephew of Larry Bowa Johnson and his wife Liz was born on 31 January 2006 , Brianna , their first child . He is the nephew of Larry Bowa Johnson and his wife , Brianna , was born on 31 January 2006 , their first child , Liz . 0 +The first person to open a shop and build the second residence in Cave City was Judge C. Roberts . The first person to open a business in Cave City and to build the second residence was Judge C. Roberts . 1 +Day Heights is west of Downtown Cincinnati . Day Heights is situated west of Downtown Cincinnati . 1 +Antisymmetric totally parallel torsion . Totally parallel antisymmetric torsion . 0 +He was also suspected of having linked to death a Russian dancer , Anya Sosoyeva , as well as attacking the young actress Delia Bogard , who survived . He was also suspected of having caught a young dancer , Anya Sosoyeva , to death , as well as attacking the Russian actress Delia Bogard , who survived . 0 +"There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 hosted by Ian Turpie on Seven Network and later produced by Grundy ." "There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." 1 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after the current deputy leader Herbert Morrison was challenged by Aneurin Bevan . 1 +"A real nightingale is used in "" and "" to replace a mechanical nightingale for a princess ." "A mechanical nightingale is introduced in "" and is used to replace a real nightingale for a princess ." 0 +Ann Henricksson and Julie Richardson won against Lea Antonoplis and Cammy MacGregor at 6 : 3 , 3 : 6 , 7 : 5 in the final . Lea Antonoplis and Cammy MacGregor won in the final 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . 0 +They manufactured an even bigger truck , with a 9.8 litre engine , and trialled a motor bus . They manufactured an even bigger truck , with a 9.8 litre engine , and tried a motor bus . 1 +The wettest calendar year since 1948 has been 1965 with and the driest 1956 with . The driest calendar year since 1948 has been in 1965 and the wettest in 1956 . 0 +The aircraft was situated on a domestic flight from Goma to Kisangani via Ndjili . The aircraft was located on a domestic flight from Goma via Kisangani to Ndjili . 0 +Nigel Melville is the Chief Executive Officer and President of Rugby - Operations for USA Rugby , while Les Cusworth is the Director of Rugby in Argentina . Les Cusworth is the chief executive officer and president of rugby operations for USA Rugby while Nigel Melville is Argentina 's Director of Rugby . 0 +Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 -- October 26 , 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( January 17 , 1891 - October 26 , 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . 1 +Harvey had been the last to speak to Oates . Harvey had been the last person to speak to Oates . 1 +Police Tactical Group ( SERT ) is the Special Emergency Response Team of the Queensland Police , Australia . The Police - Tactical Group ( SERT ) is the special emergency team of Queensland Police in Australia . 1 +December 18 : Received Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . December 18 : Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . 1 +The quadratic reciprocity law is the statement that certain patterns found in the table are true in general . The square reciprocity law is the statement that certain patterns in the table in general are true . 1 +On 2 June 2006 , the Palestinian Supreme Court banned Jund al-Sham , together with the Russian group of Islamic Jihad . On June 2 , 2006 the Palestinian Supreme Court banned Jund al-Sham along with the Russian Islamic Jihad group . 1 +Bhils have the highest population in Khargone district , followed by Dhar , Barwani and Jhabua . Bhils have the highest population in Jhabua district followed by Dhar , Barwani and Khargone districts . 0 +The Works Progress Administration of the Federal Theatre Project in 1936 used unemployed theatre performers and employees to work . In 1936 , the Federal Theatre Project of the Works Progress Administration put unemployed theatre performers and employees to work . 0 +The song was written and composed by Gilles Thibaut . The song was composed by Gilles Thibaut and written by written . 0 +He was born in Røyken as a son of farmer Edvard Jensen ( 1850 -- 1930 ) and Berthe Marie Kristiansen ( 1883 -- 1961 ) . He was born in Røyken as son of the farmer Edvard Jensen ( 1850 - 1930 ) and Berthe Marie Kristiansen ( 1883 - 1961 ) . 1 +The city is located on the main road between Mogadishu and Kismayo , near Barawa and about 50 miles northeast of Jilib . The city is situated on the main road between Mogadishu and Jilib , near Barawa and about 50 miles northeast of Kismayo . 0 +He was born in July 1973 in Athens ( Petroupoli ) . In July 1973 , he was born in Petroupoli , Athens . 1 +Cobian Backup was a free , donation-supported backup software for Microsoft Windows and was written by Luis Cobian of Umeå University in Delphi . Cobian Backup is a free , written backup software for Microsoft Windows , supported by Luis Cobian of Umeå University in Delphi . 0 +Faces can be reconstructed with a three-dimensional model or with 2D , which includes sketches or facial reconstructions , similar to digital composites . Faces can be reconstructed with a three-dimensional model or by 2D , which includes sketches or digital reconstructions , similar to facial composites . 0 +"Almost all Basal - Ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae were known ." "Psittacosaurides were basal to almost all known Ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae ." 0 +Crash Landed was released in Japan as the second single in July 2009 and the third single in Korea in April 2010 . Crash Landed was published in Korea in July 2009 as the third single and in April 2010 as the second single in Japan . 0 +Later , Poulenc reduced the full score to a shorter orchestral suite . Poulenc later reduced the orchestral score to a shorter full suite . 0 +Seleucus was a wealthy Christian Roman senator of Greek origin who lived in the first half of the 4th century and the second half of the fifth century . Seleucus was a wealthy Christian Roman senator of Greek descent , who lived in the second half of the 4th century and the first half of the 5th century . 0 +They tried out psychedelic looks and sounds , but Columbia Records preferred to stay with the proven pop - rock - sound and look . They tried psychedelic looks and sounds , but Columbia Records preferred sticking with the proven pop rock sound and look . 1 +Alberta was established in 1788 and shares with Fort Chipewyan the title of the oldest European settlement in Fort Vermilion . Established in 1788 , Fort Vermilion shares the title of oldest European settlement in Alberta with Fort Chipewyan . 0 +"As reported by Count Harrach , Franz Ferdinand 's last words "" Sophie , Sophie !" "As Sophie reported , Sophie 's were ; last words "" Count Harrach , Franz Ferdinand !" 0 +The River Milotina is a tributary of the Vânăta River in Romania . The river Vânăta is a tributary of the River Milotina in Romania . 0 +In 1997 , Sandy Lam , Teresa Carpio , Prudence Liew , and Qi Yu published a cover of the song , along with What A Wonderful World In 1997 , Sandy Lam , Qi Yu , Prudence Liew and Teresa Carpio released a cover of the song , along with What A Wonderful World 1 +After Sheila was raped in 1986 and the death of son Bobby in 1987 , Damon and Sheila began to shake marriage . After Sheila was raped in 1986 and the death of son Bobby in 1987 , Damon and Sheila 's marriage began to falter . 0 +The Monroe Free Press is a weekly newspaper serving the Monroe , Louisiana , El Dorado , Arkansas area . The Monroe Free Press is a weekly newspaper serving Monroe , Louisiana , El Dorado , Arkansas . 1 +In an apartment in SoHo Daniel awakes with Aya and Maeda at her side . Aya awakens in an apartment in SoHo , with Daniel and Maeda at her side . 0 +Pedestrians and bicycles are not permitted , but can be allowed on a footpath . Pedestrians and bicycles are not permitted , but can be allowed on a footpath . 1 +"Christ himself confirms this opinion by answering , "" Elias truly shall first come , and restore all things . """ "Christ himself confirms this opinion by answering : "" Elias will truly come first and restore all things ." 1 +Nokia also launched mobile applications for its music application on the mobile phones iOS , Android , Windows and Symbian ( iROKING ) . Nokia has also launched mobile applications for its music application on the iOS , Android , Windows and Symbian ( iROKING ) mobile handsets . 1 +The district of Indore consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . The district of Mhow consists of 4 divisions : Depalpur , Sanwer , Indore and Indore . 0 +When he succeeded Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . In 1981 , when he succeeded Karlheinz Kaske , Plettner became the first Chairman of the Supervisory Board who was not a member of the Siemens family . 0 +In addition to strictly modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of scientific discoveries . In addition to the strictly scientific work , de Broglie thought and wrote about the philosophy of science , including the value of modern scientific discoveries . 0 +The codice _ 2 branch gets updated daily , and the codice _ 3 branch is updated for every 6 months . The branch codice 2 is updated daily , the branch codice 3 is updated every 6 months . 1 +Scurria viridula is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . Scurria viridula is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of true limpets . 0 +April 23 , 1975 : Derby County title win after Ipswich Town with Manchester City can only draw 1 : 1 . April 23 , 1975 : Manchester City win the title after Derby County only with Ipswich Town 1-1 draw . 0 +Cashel is a village in County Galway , in the province of Connacht , Ireland . Cashel is a village in the province of Connacht , County Galway , Ireland . 0 +The brothers who arrived in North America in 1837 and founded the first permanent community of the De La Salle Brothers in Montreal . The Brothers , who arrived in North America in 1837 and founded the first permanent community of De La Salle Brothers in Montreal . 1 +In peroxisomes the same enzymes are generated as in the mitochondrial matrix , and acetyl - CoA is used . The same enzymes are generated in peroxisomes as in the mitochondrial matrix , and acetyl-CoA is used . 1 +Power was held by a small group of Anglo-Irish families that were loyal to the Anglican Church of Ireland . Power was held by a small group of Anglo-Irish families , who were loyal to the Anglican Church of Ireland . 1 +In the Hong Kong Chief Executive election , 2007 , Alan Leong of the Civic Party successfully entered the race against the incumbent Donald Tsang . In the 2007 Hong Kong Chief Executive elections , Alan Leong successfully entered the race against the incumbent Donald Tsang from the Civic Party . 1 +Shi Jingtang also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically raised Taizong and Liao to a superior position . Shi Jingtang also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically elevated Taizong and the Liao to a superior position . 1 +Mariano and Zappi were rescued the next day ; the body of Finn Malmgren was not found . The next day Mariano and Zappi were rescued , the corpse of the Finn Malmgren was not found . 1 +Restovich was traded to the Arizona Diamondbacks from the Chicago White Sox on July 27 , 2011 . On 27 July 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . 1 +The change from thirty nights to forty nights do not reflect a change in Moses 's Knowledge , but only a change in the knowledge that God possessed . The change from thirty nights to forty nights does not reflect a change in Moses ' knowledge , but only a change in the knowledge which God possessed . 1 +Another series was played in Havana between the Boston Red Sox and the Cincinnati Reds . In Havana , another series between Cincinnati Reds and Boston Red Sox was played . 1 +The audio companion to the live concert was released on January 29 , 2008 as a digital album with iTunes . The audio companion to the digital concert was released on 29 January 2008 as a live album at iTunes . 0 +On June 30 , 2016 , Infante agreed to a minor league deal with the Atlanta Braves . He was released by the Braves on August 16 , 2016 . On 30 June 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves and was released by the Braves on August 16 , 2016 . 1 +"The theological doctrine is "" reformed "" , and the form of government is "" presbyterian "" ." "The theological teaching is "" reformed "" , and the form of government is "" Presbyterian "" ." 1 +In 1888 , Tutti Frutti was one of the first rubber flavors to be produced in a vending machine sold by the Adams New York Gum Company . In 1888 , Tutti Frutti was one of the first rubber flavors to be sold in a vending machine manufactured by the Adams New York Gum Company . 0 +"He was introduced to the version of the computer text game "" Colossal Cave Adventure "" , created in 1977 by Don Woods and modified by Will Crowther ." "There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Don Woods and modified by Will Crowther ." 1 +From 1800 -- 04 Wright was British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . From 1800 -- 04 , Wright was British consul-general for the republic of the Seven Islands ( Ionian Islands ) . 1 +One of the fine constants is the dimensionless fundamental constant : One of the dimensionless fundamental constants is the fine structure constant : 0 +San Lorenzo Axocomanitla is a municipality in Mexico in south-eastern Tlaxcala . Axocomanitla is a municipality in south-eastern Mexico in Tlaxcala . 0 +The season 1986 -- 87 National Hockey League was the 70th season of the Toronto operation in the Toronto Maple Leafs . The 1986 -- 87 Toronto Maple Leafs season was the 70th season of operation of Toronto in the National Hockey League . 0 +Cafarlet is a fortress built in the village of Kafr Lam , located in the 8th or 9th century . Cafarlet is a fortress that was built in the village of Kafr Lam , located in the 8th or 9th century . 1 +Devon still delivers the same drive to Chuck ; when he returns to Ellie , however , it is revealed that Ellie is still working on hard research . Devon still delivers the same drive to Chuck , but when he returns to Ellie , it is revealed that Ellie is still working on hard science . 1 +Regoul is a small rural hamlet , located 4.5 miles south of Nairn , in Nairnshire , Scottish Highlands and is in the Scottish council area of Highland . Regoul is a small rural hamlet , located 4.5 miles south of Nairn , in Nairnshire , Scotland , and is in the Scottish Council of Highlands . 1 +In the 3rd century BC the Greeks and Romans identified the region as Gangaridai , a historical kingdom of the mighty subcontinent . The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a mighty kingdom of the historical subcontinent . 0 +Hasegawa 's research also includes the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . Hasegawa 's research also includes the Japanese history of the Russian Revolution of 1917 and Soviet -- political and social relationships . 0 +Dan McGugin did not play in Bob Blake 's first year of 1904 , but resumed game on the 1905 team . Bob Blake did not play in Dan McGugin 's first year of 1904 , but resumed play on the 1905 team . 0 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy written by Wong Jing , produced and managed by . Men Suddenly in Love is a 2011 Hong Kong romantic comedy by Wong Jing produced , written and directed . 1 +In normal resting hearts , the physiological rhythm of the heart is a normal sinus rhythm ( NSR ) . In normal resting hearts , the normal rhythm of the heart is physiologic sinus rhythm ( NSR ) . 0 +In the past , we remember the other Maran , an Indian intelligence famous officer from DHEIVA THAAI of 1964 . In the past , we remember the other Maran , a famous Indian intelligence officer from DHEIVA THAAI of 1964 . 1 +The highway then leaves the central Taichung and enters the southern suburbs of Dali and Wufeng before leaving for Nantou County . The highway then exits central Taichung and enters the southern suburbs of Dali and Wufeng before leaving for Nantou County . 1 +Wolfbot also had the ability to shoot webbing to bind his victims . Wolfbot also had the ability to bind seatbelt to shoot his victims . 0 +However , the Russian villain is an original and sometimes interesting danger . The Russian villain , however , is an interesting and sometimes original menace . 0 +On 4 May 2015 , the UOB opened its branch in Yangon , Myanmar . UOB opened its Myanmar branch in Yangon on 4 May 2015 . 0 +The museum 's building was built in 1948 to designs by Wadsworth , Boston & Tuttle of Portland . The building of the museum was built in 1948 according to designs by Wadsworth , Boston 's Tuttle of Portland . 1 +Newark withdrew to the NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark returned to NAFBL , but withdrew by the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . 0 +"In 2010 , Derek Miller released their third album , "" Miller with Double Trouble "" ." "In 2010 Derek Miller released his third album , "" Miller with Double Trouble "" ." 1 +He represented the country at UEFA Euro in 1968 , when Italy lost to Yugoslavia in the final . He represented the country at UEFA Euro 1968 , as Yugoslavia lost to Italy in the final . 0 +Marcollat is within the electoral department of Barker , the federal district of MacKillop and the local government area of the Kingston District Council . Marcollat is located within the electoral division of Barker , the state federal district of MacKillop and the local government area of the Kingston District Council . 1 +Schützen-Eisenberg is a municipality in the district of Oberwart in Austria in Burgenland . Deutsch Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . 0 +It is about 100 km from Auckland 's Northern Motorway , and around 75 nautical miles from the Ports of Auckland . It is around 100 km from Northern Motorway Auckland and about 75 nautical miles from the Ports of Auckland . 1 +He played for the New York Giants in 1942 and for the Brooklyn Dodgers from 1946 to 1948 . He played for the New York Giants in 1942 , and from 1946 to 1948 for the Brooklyn Dodgers . 1 +A macro is used to design variables or procedures , to allow code reuse , or to define domain-specific languages . A macro is used to define variables or procedures , to allow reuse of code , or to design domain-specific languages . 0 +Ferguson remained in Monrovia until his death , in Liberia in 1916 . Ferguson remained in Liberia until his death , Monrovia in 1916 , in 1916 0 +In Singapore , ADCs that are officers of the Singapore Civil Defence Force and the Singapore Armed Forces are Gold - Aiguillettes and Police Officers Silver - Aiguillettes . In Singapore , ADCs , the officers of the Singapore Armed Forces and the Singapore are Civil Defence Force , Gold - Aiguillettes , and police officers wear silver Aiguillettes . 0 +Sir Martin ( or Roger Martyn ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . Sir Martin ( or Roger Martyn ) was a Mercer and Lord Mayor of London in 1567 , and in 1559 he was Sheriff of London . 1 +His birth certificate records his name as Carmen Erminio Blotta , but his Argentine identity papers have Erminio Antonio Blotta Mainieri instead . His birth certificate bears his name as Erminio Antonio Blotta Mainieri , but his Argentine identity documents instead have Carmen Erminio Blotta . 0 +In the 1970s Suzuki was one of the first buyers of Woolrich Mode in Japan and became Designer for Woolrich Woolen Mills in America in 2006 . In the 1970s , Suzuki was one of the first customers of Woolrich Mode in America , in 2006 he became a designer for Woolrich Woolen Mills in Japan . 0 +A second portion is exposed to a universal allergy such as pokeweed to serve as a positive control . A second portion is exposed to a positive allergen , such as Pokeweed , to serve as a universal control . 0 +He is a fellow of the ACM , the IEEE , the AAAS , and EATCS . He is a member of ACM , the IEEE , the AAAS and the EATCS . 1 +"The series is based on the book series "" The Mortal Instruments "" by Cassandra Clare , and developed for television by Ed Decter ." "The series is based on the book series "" The Mortal Instruments "" from Ed Decter and was developed by Cassandra Clare for television ." 0 +In the confusion of events , Empress Gao tried to have the mother of Emperor Xiaoming , Consort Hu , kill , but could not . In the confusion of the events , Empress Gao tried to have Consort Hu 's mother Emperor Xiaoming killed , but could not . 0 +The port of Los Cristianos ( Tenerife ) has the greatest number of passengers recorded in the Canary Islands , followed by the port of Santa Cruz de Tenerife . The port of Santa Cruz de Tenerife ( Tenerife ) has the greatest number of passengers in the Canary Islands , followed by the port of Los Cristianos . 0 +The Gallatin Speedway is located on the outskirts of Belgrade northeast of Bozeman Yellowstone International Airport on Tubb Road . The Gallatin Speedway is located on the outskirts of Belgrade northeast of Bozeman Yellowstone International Airport in Tubb Road . 1 +Stephen Vizinczey suggests that Tolstoy created Maria out of his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before Tolstoy 's second birthday . Stephen Vizinczey suggests that Tolstoy created Maria from his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before the second birthday of Tolstoy . 1 +""" Duke of Roxburgh "" sailed again from Gravesend on 31 October 1846 and arrived at Port Phillip on 7 March 1847 ." "On 31 October 1846 , the "" Duke of Roxburgh "" sailed again from Gravesend and arrived in Port Phillip on 7 March 1847 ." 1 +The first fiduciaries were David Limond Murdoch , Arthur Mielziner Myers ( chairman ) , Robert Hall and Alfred Seymour Bankart . The first trustees were Robert Hall ( Chairman ) , David Limond Murdoch , Mielziner Arthur Myers , and Alfred Seymour Bankart . 0 +Saghar has written over 2,000 songs for many singers and music directors for Pakistani films , radio and TV . Saghar has written over 2,000 songs for Pakistani films , radio and television for many singers and music directors . 1 +Now to find the indifference bid price solve for formula _ 31 Now solve the indifference bid price for Formula 31 . 0 +He also played alongside Snookum Russell , Wallace Davenport , Juni Gardner , Nick Gagliardi , Milton Ziedrich and occasionally Al Hirt . He also played alongside June Gardner , Nick Gagliardi , Wallace Davenport , Snookum Russell , Milton Ziedrich , and occasionally Al Hirt . 1 +In the final of the first edition of these championships Carlos Carlos Salamanca won and defeated Horacio Zeballos with 7 -- 5 , 6 -- 2 . Horacio Zeballos won in the final of the first edition of these championships . He defeated Carlos Salamanca 7 -- 5 , 6 -- 2 . 0 +In 1896 , Webster , Old Orchard , Webster Park , Tuxedo Park and Selma merged in 1876 to implement public services and establish a unified city government . Webster , Old Orchard , Webster Park , Tuxedo Park , and Selma merged in 1896 to implement public services and develop a unified city government . 0 +Paul Annacone won against Andre Agassi in the final with 6 -- 2 , 6 -- 4 . Andre Agassi won in the final 6 -- 2 , 6 -- 4 against Paul Annacone . 0 +In the 1970s Suzuki was one of the first buyers of Woolrich fashion in America . In 2006 he became a designer for Woolrich Woolen Mills in Japan . In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in Japan , and in 2006 he became a designer at Woolrich Woolen Mills in America . 0 +Operation Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator - videogame developed by Codemasters and published by Bohemia Interactive Studio in 2001 . Operation Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator video game developed by Bohemia Interactive Studio and published by Codemasters in 2001 . 0 +Until Sonny 's retirement in 2003 , Mosley worked with the Osborne Brothers , and by 2011 with Bobby Osborne and his band Rocky Top Express . Mosley worked with The Osborne Brothers until Sonny 's retirement in 2003 , and then with Bobby Osborne and his band , the Rocky Top Express , until 2011 . 1 +Sapthaswaragal is a 1974 Indian Malayalam film staged by Baby and produced by MS Narayanan . Sapthaswaragal is a 1974 Indian Malayalam film , produced by Baby and directed by MS Narayanan . 0 +It 'll be very very hardcore , very very dense . It 'll be very dense , very , very hardcore . 1 +According to the United States Census Bureau , Waverly Township has a total area of , of which is land and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township has a total surface area of which land and , or 9.21 % , is water . 1 +Steve Davis won in the final 9 -- 8 against Terry Griffiths . Steve Davis won 9 -- 8 against Terry Griffiths in the finals . 1 +It also has experimental support for real-time signals . It has also experimental support for real-time signals . 1 +Hennig is also president referee of the Dinslaken -- Mülheim -- Duisburg region and lives in Duisburg . Hennig is also Chairman referee of the region Duisburg -- Mülheim -- Dinslaken and lives in Duisburg . 1 +The software is object-oriented and offers a wide range of sophisticated functions for document management and global collaboration , which can be extended by specialised cloud applications . The software is object-oriented and offers a wide range of sophisticated functionality for document management and global collaboration , which can be extended by specialist cloud applications . 1 +Obrovac is a town in northern Dalmatia , in Croatia of the County of Zadar . Obrovac ( is a town located in northern Dalmatia , in the Zadar County of Croatia . 0 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . Eoacmaea chamorrorum is a sea snail species , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . 0 +Parmele was released by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was signed by the team . Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on August 31 , 2015 . 1 +"Adults mainly feed on leaves of the species "" Corylus avellana "" , "" Quercus "" and "" Crataegus "" , while larvae may feed in leaf litter ." "Adults possibly feed on leaves of "" Corylus avellana "" , "" Quercus "" and "" Crataegus "" species , while larvae mainly feed in leaf litter ." 0 +On July 10 , 2013 it was announced that Cote De Pablo would not be returning to her role as Ziva David for the upcoming 11th season . On 10 July 2013 , it was announced that Cote De Pablo would not return to her role as Ziva David for the upcoming 11th season . 1 +""" Under the Radar "" gave it five stars out of ten and called it "" a very professional but ultimately uninspired set ... flat and almost inconsequential . """ """ Under the Radar "" gave him five out of ten stars and called it "" a very professional , but ultimately uninspired set ... flat and almost insignificant ." 1 +He researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization from 1927 to 1945 in London . Felix researched in Bielsko , Vienna , Prague , and Jerusalem . Between 1927 and 1945 , he worked in London for the Hadassah Medical Organization . 1 +His mother , born in Devonshire , was the tenth child of a parent who emigrated from Kingston to Canada . His mother , born in Kingston , was the tenth child of parents who had migrated from Devonshire to Canada . 0 +It flows southwest to meet the Samara Bend of the Volga near Sokolyi Mountains , north of the city of Samara . It flows southwest to the Samara Bend of the Volga near the Sokolyi mountains to the north of the city of Samara to meet . 1 +Ruby - Lasers generate deep red light pulses at a wavelength of 694.3 nm , which is a coherent visible color . Ruby lasers produce pulses of coherent visible light at a wavelength of 694.3 nm , which is a deep red color . 0 +In 2006 , Rahm Emanuel pushed for an expansion of O 'Hare and worked with Kirk on a package to clean up the Michigan Lake . In 2006 , Kirk pushed for an expansion of O'Hare and worked with Rahm Emanuel on a package to clean up Lake Michigan . 0 +Is 1958 black-and-white Indian Tamil drama film produced by D. Yoganand and directed by V. Govindarajan . The Indian - Tamil drama film of 1958 is directed by D. Yoganand and produced by V. Govindarajan . 0 +Most transmitters have the heterodyne principle , so they also use frequency conversion units . Most transmitters use the heterodyne principle so that they also have frequency conversion units . 0 +Here is Formula 2 , the present variance , a time-dependent CIR process : Here is Formula 2 , the dependent variance , a time-instinct CIR process : 0 +Hard Candy is the fourth studio album by Counting Crows , released in the United States on June 7 , 2002 and the following day in the United Kingdom . Hard Candy is the fourth studio album of Counting Crows that was released on June 7 , 2002 and the following day in the United States in the United Kingdom . 0 +From 1913 to 1962 , the University teached basic sciences in Los Angeles , but sent its students to Loma Linda for clinical experience . From 1913 to 1962 , the University of Loma Linda taught basic sciences , but sent its students to Los Angeles for clinical experience . 0 +He met with a group of the most influential musical directors of Boston to discuss a school based on Europe 's conservatories . He met with a group of Boston 's most influential musical leaders to discuss a school based on the conservatories of Europe . 1 +Peter Mortimer , his elder brother Steve Mortimer and his younger brother , Chris Mortimer , played together in four grand finals . Chris Mortimer , his older brother Peter Mortimer and younger brother Steve Mortimer played in four Grand Finals together . 0 +"He is known for the creation of various origami models , including erotic instrumentalists , insects and complex origami works , called "" Pornigami "" ." "He is known for the creation of complex origami models , including various instrumentalists , insects and erotic origami - works called "" Pornigami "" ." 0 +This introduction to travel began a lifelong passion that led her to study in the remote areas of Alaska and British Columbia . This introduction to the journey began with a lifelong passion that led her to study in the remote areas of Alaska and British Columbia . 1 +She has created Chinese oil paintings , watercolors , digital ink and calligraphy . She has created Chinese oil paintings , watercolors , digital ink paintings and calligraphy . 1 +Napier was named after Sir Mellis Napier , who was Chief Justice of South Australia for 25 years and a total of 43 years in the Supreme Court . Napier is named after Sir Mellis Napier , who was Chief Justice of South Australia for 25 years and a total of 43 years in the Supreme Court . 1 +Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . Notes by Big Sur is an album by jazz saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . 0 +The Cornwall Minerals Railway opened its line from Fowey to St Dennis Junction on 1 June 1874 , where it connected with Treffry 's Newquay Railway . On June 1 , 1874 , Cornwall Minerals Railway opened its line from St Dennis Junction to Fowey , where it was connected to the Newquay Railway of Treffry . 0 +In July 2013 , the Houston Astros traded Vásquez and a player to be named later ( José Veras ) to the Tigers for David Paulino . In July 2013 , the Houston Astros Vásquez and a later player ( José Veras ) traded the tigers for David Paulino . 0 +He moved to Attika , Indiana in 1853 , and in 1859 to Bloomington , Illinois . He moved to Bloomington , Illinois , in 1853 and to Attica , Indiana , in 1859 . 0 +Great Chalfield Manor is an English country house at Great Chalfield , about northeast of the town of Bradford on Avon in the west of the county of Wiltshire . Bradford is an English country house situated at the Great Chalfield Manor , northeast of the city of Great Chalfield on Avon in the west of the county of Wiltshire . 0 +In February 2016 , Paul Paul Singer announced that Argentina reached an agreement with Daniel Pollack . Daniel Pollack announced in February 2016 that Argentina reached an agreement with Paul Singer . 0 +Palmer made her first appearance as Lucy on 25 August 2014 . Lucy made her first performance as Palmer on August 25 , 2014 . 0 +In 1975 he returned to Odibo and went to Windhoek in 1977 . In 1975 he returned to Odibo , and in 1977 moved to Windhoek . 1 +The region is famous for trade fairs like Expozebu in Uberaba , Fenamilho in Patos de Minas and Feniub in Uberlândia . The region is famous for trade fairs like Expozebu in Uberaba , Fenamilho in Uberlândia and Feniub in Patos de Minas . 0 +In 1998 , parliamentary elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was called . General elections were held in India in 1998 , after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . 1 +He represented Australia at the 1999 FIFA World Youth Championship held in Nigeria . He represented Nigeria in 1999 at the FIFA - Youth - World Championship in Australia . 0 +Two years later , he earned a master 's degree in history from Southwest Missouri State University ( then Missouri State University ) . Two years later , he bought a master 's degree in history from Missouri State University ( then Southwest Missouri State University ) . 0 +"Past judges include Ann Foley ( Cosplayer ) , Ivy DoomKitty ( Cosplayer ) , Yaya Han ( Costume Designer for "" Agent of S.H.I.E.L.D ." "Past judges include Ann Foley ( Cosplayer ) , Ivy DoomKitty ( Cosplayer ) , Yaya Han ( Costume designer for "" Agents of S.H.I.E.L.D ." 1 +She is the wife of Predrag Šarić and mother of Dario and Dana Šarić . She is the wife of Dana Å ariÅ and mother of Dario and Predrag Å ariÄ . 0 +"The soundtrack also featured the song "" Unchained Melody "" from 1955 , composed by Alex North with texts by Hy Zaret ." "The soundtrack also featured the 1955 song "" Unchained Melody "" , composed by Hy Zaret with lyrics by Alex North ." 0 +Anita Mohanty is married to Ranjib Biswal , an NRI from London , United Kingdom . Anita Mohanty is married to Ranjib Biswal , a NRI from London , United Kingdom . 1 +The song begins with the same spoken segment of Prince that the EP ends . The song begins with the same spoken segment from Prince that ends the EP . 1 +Jelena Dokić won 6 -- 2 , 6 - 3 against Anastasia Myskina in the final . Anastasia Myskina won in the final , 6 - 2 , 6 - 3 against Jelena Dokić . 0 +A quantum fluid refers to any system that exhibits quantum mechanical effects at the macroscopic level such as superfluids , superconductors , ultracold atoms , etc . A quantum mechanical fluid refers to any system that shows macroscopic effects at the quantum level , such as superfluids , superconductors , ultracold atoms , etc . 0 +It was also distributed to England and France in Japan , the United States ( where it was first banned , then published in a heavily cut version ) . It was also distributed in Japan , the United States ( where it was first banned , then released in a heavily cut version ) , England and France . 1 +The song was written by Thicke and Lamar alongside Dr. Luke and was produced by will.i.am and Cirkut . The song was written by Thicke and Lamar alongside Dr. Luke , and produced by will.i.am and Cirkut . 1 +Helpmann is described in the Margot Fonteyn biography as dark-haired , pale and with large dark eyes . In the Margot Fonteyn biography , Helpmann is described as being large-pale , dark and having dark haired eyes . 0 +James Pugh ( born March 4 , 1983 in Wales ) is a Cypriot rugby player who has played for the Cyprus Rugby - Union team since 2007 . Alun James Pugh ( born 4 March 1983 in Cyprus ) is a Cypriot rugby player who has played for the Wales national rugby union team since 2007 . 0 +This assembly was seen as a divine counterpart to the semi-democratic legislative system that existed during the Third Dynasty of Ur ( 2112 BC -- 2004 BC ) . This assembly was seen as a semi-democratic statutory counterpart to the divine system that existed during the Third Dynasty of Ur ( 2112 BC -- 2004 BC ) . 0 +Rafikov made his Kontinental Hockey League debut during the 2015 -- 16 KHL season . His KHL debut made Rafikov during the season 2015 -- 16 Continental Hockey League . 1 +The title track was a top five single on the Texas Music Chart in May 2013 . The title track was a single - five - top in May 2013 on the Texas Music - Chart . 0 +The section from Interstate 5 to Canyonville at Fifth Street overlaps OR 99 . The section from Interstate 5 to Fifth Street in Canyonville overlaps OR 99 . 0 +In November 2017 , Unilever Tazo sold at Starbucks for $ 384 million . In November 2017 , Unilever sold Tazo to Starbucks for $ 384 million . 0 +In October 2007 , he signed on to play for three years with West Adelaide Football Club in the SANFL . In October 2007 , he signed with SANFL in the West Adelaide Football Club for three years . 0 +"In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain at ABC - Soap "" One Life to Live "" ." "Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston on the ABC soap "" One Life to Live "" in 2007 ." 0 +On September 11 , 2017 , a fourth series of revival began , and the second series overall . On September 11 , 2017 , a second series of revival began and the fourth series overall . 0 +Today it is an internationally recognized artistic and educational institution with academic departments , developed degrees , artistic and scientific activities . Today it is an internationally recognizable artistic and educational institution with academic departments , developed degrees , expressed artistic and scientific activities . 1 +Santander Department is a town and municipality in northeastern Colombia in Albania . Albania is a town and municipality in the department of Santander in northeastern Colombia . 0 +The other stations include Peelamedu , Singanallur , Irugur , Perianaikanpalayam , Sulur Road , Somanur and Madukkarai . Other stations include Peelamedu , Singanallur , Irugur , Perianaikanpalayam , Madukkarai , Somanur and Sulur Road . 1 +The name derives from the nearby town of Gath , which was identified with the Philistine site of Tel Erani at the time the Kibbutz was founded . The name is derived from the Philistine town Gath , which at the time the kibbutz was founded was identified with the nearby site of Tel Erani . 0 +He took three wickets , including India 's two best strugglers , Rahul Dravid and Captain Sachin Tendulkar . He took three wickets , including India 's two best batsmen , Rahul Dravid and captain Sachin Tendulkar . 0 +Wilfred France Senior died at Franceville in 1934 and Wilfred Jr. ( Billy ) in 1936 . In 1934 , Wilfred France Senior died in Franceville and Wilfred Jr. ( Billy ) in 1936 . 1 +Mwanawasa , however , removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . Mumba Malila , however , removed Kunda from the position of Attorney General and appointed Mwanawasa in 2006 , while leaving Kunda with his position as Minister of Justice . 0 +Patella swakopmunden sis is a kind of sea snail , a true limpet , a true gastropod mollusk in the Patellidae family , one of the families of the marine limpets . Patella swakopmunden sis is a species of sea snail , a true limpet , a true gastropod mollusk in the family Patellidae , one of the families of marine limpets . 1 +""" All Along the Watchtower "" was released in 2002 and remixed on The Paperboys ' greatest hits album "" Tenure "" ." """ All Along the Watchtower "" was released in 2002 and remixed on The Paperboy 's greatest hits - Album "" Tenure "" ." 1 +Operation Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator - videogame developed by Codemasters and published by Bohemia Interactive Studio in 2001 . Flashpoint : Cold War Crisis is a tactical shooter and battlefield simulator - video game developed by Bohemia Interactive Studio and published by Codemasters in 2001 . 0 +At the North West 200 Keith Amor were the first winners in the 125cc race and Paul Robinson in the 1000cc Superstock Race . First-time winners at the North West 200 were Keith Amor in the 125cc race and Paul Robinson in the 1000cc Superstock Race . 1 +"Kirwan , Zehava 's father , won land from the "" Merida "" , and Zehava himself won even more land ." "Zehava , the father of Zehava , won land from "" Merida "" , and Kirwan himself won even more land ." 0 +Gobble Hoof was an American rock band from Massachusetts , founded in 1990 , led by Charlie Nakajima , previously Deep Wound . Gobble Hoof were an American rock band from Massachusetts founded in 1990 . The group was led by Charlie Nakajima , previously of Deep Wound . 1 +The school was founded in Australia and subsequently pioneered in 1903 in Ireland . The school was founded in Ireland and was pioneered in Australia in 1903 . 0 +This list shows atmospheric entries in which the spacecraft is not to be destroyed , but is recovered in the atmosphere . This list shows atmospheric entries in which the spacecraft is not intended to be recovered , but is destroyed in the atmosphere . 0 +He has also recorded duets with Daniel Santos , Olimpo Cárdenas and Alci Acosta . He also accompanied duets with Alci Acosta , Olimpo Cárdenas and Daniel Santos . 1 +The season 1980 -- 81 Toronto Maple Leafs was the Toronto Maple Leafs 64th season of the franchise , the 54th season as the Maple Leafs . The 1980-81 Toronto Maple Leafs season was the Toronto Maple Leafs 54th season of the franchise , season 64th as the Maple Leafs . 0 +In 1888 , one of the first gum flavors to be created in a vending machine , sold by the Adams New York Gum Company , was tutti frutti . In 1888 , Tutti Frutti was one of the first rubber flavors to be sold in a vending machine manufactured by the Adams New York Gum Company . 0 +The Timiş River is a tributary of the Calova River in Romania . The Timiş River is a tributary of the River Calova in Romania . 1 +At mobile World Expo 2013 , Optinvent demonstrated a prototype of their ORA see-through Augmented AR display platform . At Augmented World Expo 2013 , Optinvent demonstrated a prototype of their mobile AR display platform , ORA . 0 +The 1987 -- 88 Toto Cup Artzit was the second season of the 4th League Cup since its launch . The 1987 -- 88 Toto Cup Artzit was the second season of the 4th tier League Cup since its introduction . 1 +After leaving the Berlin Opera , Ellmenreich performed as a guest artist , had a career as a concert singer and died in Stuttgart . After leaving the Berlin opera , Ellmenreich performed as a guest artist . She also had a career as a concert singer . She died in Stuttgart . 1 +"Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain on the ABC soap "" One Life to Live "" in 2007 ." "In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain in the ABC – Soap "" One Life to Live "" ." 1 +Two villages are located in Portage : a part of Jerry City in the south and part of Portage township in the northwest . Two villages are located in Portage Township : part of Jerry City in the south , and part of Portage in the northwest . 0 +It opened in 1955 , shortly after new mayor Norris Poulson ended all new public housing in the city . It opened in 1955 , shortly after the new mayor Norris Poulson ended all the new public housing in the city . 1 +All five territorial governors are male , the mayor of Washington is female . All five territorial governors are male ; the mayor of Washington , D.C. is female . 1 +Sir Richard Wells died on 26 November 1957 and was followed by his son , Sir Charles Maltby Wells , 2nd Baronet ( 1908-1996 ) . Sir Richard Wells died on 26 November 1957 , and was succeeded by his son , Sir Charles Maltby Wells , 2nd Baronet ( 1908-1996 ) . 1 +""" Eric was a very good friend and confidante of Thomas Joseph Mboya "" , said 3rd Kenyan President Mwai Kibaki during the funeral of Khasakhala ." """ Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of 3rd Kenyan President Mwai Kibaki during the funeral of Khazakhala ." 0 +In 1955 , this became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . In 1955 , it became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . 1 +Colus aurariae is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . Colus aurariae is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 1 +Dom is defeated by Deckard and imprisoned . Deckard is defeated and imprisoned by Dom . 0 +She became one of Sigmund Freud 's most important patients and , for a short period of time around 1897 , was a psychoanalyst herself . She became one of the most important patients of Sigmund Freud and was herself a psychoanalyst for a short time around 1897 . 1 +The American Unitarian Association elected Livermore in 1859 as a member of the Executive Committee . The executive committee elected Livermore in 1859 as a member of the American Unitarian Association . 0 +Born in Beaumont , Texas , Brian Babin attended high school in Woodville TX , where his father , Lucas was the town mayor . Born in Beaumont , Texas , Brian Babin visited the High School in Woodville , TX , where his father was Lucas Mayor . 1 +When Mustafa marched to Murad in Anatolia , Junayd was persuaded to confront him . When Mustafa marched to confront Murad in Anatolia , Junayd was persuaded to leave him . 0 +kinetic compensation : an increase in the preexponential factors tends to compensate for the increase in activation energy : Kinetic Compensation : An increase in preexponential factors tends to compensate for the increase in activation energy . 1 +His eyewitness report reports that the Afghans simply occupied the place and fled Hari Singh Nalwa without a battle from Peshawar . His eyewitness account reports that the Afghans simply fled the place and Hari Singh Nalwa occupied Peshawar without a battle . 0 +The winning Mike McEwen team represented Ottawa at the 2016 Tim Hortons Brier in Manitoba . The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in Ottawa in 2016 . 0 +"He then fought mechanic "" Garvin gears and then met Baron Brimstone ." "He then battled mechanic "" Gears "" Garvin and then met Baron Brimstone ." 1 +Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English dominance . Layla was born in London as a daughter of a Brazilian mother and an English father of the Irish and Scottish ancestors . 0 +Fiddler 's Island is an island in the River Thames at Oxford in England . It is situated south of Port Meadow on the reach above Osney Lock . Fiddler 's Island is an island in the River Thames near Oxford in England . It is situated south of Port Meadow above Osney Lock . 1 +""" Our School is of the Spiritual and the Spiritual , Love of The Rehit ( Temporal Path ) is our First Commitment "" ." """ Our school is of spiritual and spiritual , love of rehit ( temporal path ) is our first commitment "" ." 1 +The Madicea River is a right tributary of the Olt River in Romania . The Madicea River is a right-wing tributary of the Olt river in Romania . 1 +The band appears in the video alongside the British comic actors Jo Guest and Sara Stockbridge and the model Matt Lucas . The band appears in the video alongside British comic actors Jo Guest and Sara Stockbridge and model Matt Lucas . 1 +The Borcut River was a tributary of the Colnici River in Romania . The Borcut River is a tributary of the Colnici River in Romania . 1 +The area has a large amount of sunshine year round due to its stable descending air and high pressure . The area has a huge amount of sunshine all year round due to its stable descending air and high pressure . 1 +Lippard focuses on understanding the physical and structural properties of metal complexes , their synthesis and reactions and the involvement of metallions in biological systems . Lippard focuses on understanding the biological properties of metal complexes , their synthesis and reactions , and the involvement of metal ions in physical and structural systems . 0 +Faiyaz Ali Khan was at Sir Muhammad Faiz Ali Khan in 1851 . Faiyaz Ali Khan was to Sir Muhammad Faiz Ali Khan in 1851 . 1 +Old Polish is the time in the history of the Polish language between the 9th and the 16th century , followed by the middle Polish language . Old Polish is the time in the history of the Polish language between the 16th and 9th centuries , followed by the middle Polish language . 1 +A recurring theme in the books is conversation between Daniel and baby Carter ( Uncle Mort 's son ) . A recurring theme in the books is the conversation between Daniel and Baby Carter ( Uncle Mort 's Son ) . 1 +Smith received the ISCB Senior Scientist Award and was elected as ISCB Fellow by the International Society for Computational Biology in 2009 . Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology in 2009 and honored with ISCB Fellow . 0 +is located on the southern coast of the Isle of Wight , England , to the east of the village of Monks Bay . Monks Bay is situated on the southern coast of the Isle of Wight , England just to the east of the village of Bonchurch . 0 +"Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from singer Adele 's 1985 song "" Acilara Tutunmak "" ." "Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" from singer Adele of 1985 ." 1 +With the help of Jack Shaftoe 's brother Bob , whose infantry unit is stationed there , Daniel flees . Daniel escapes with the help of Jack Shaftoe 's brother Bob , whose infantry unit is stationed there . 1 +Mir Jafar , Commander of Alivardi , freed Syed Ahmed and his family . Syed Ahmed , commander of Alivardi , freed Mir Jafar and his family . 0 +Børsen on Slotsholmen and Hillerød in Frederiksborg Palace are prominent examples of the Dutch Renaissance in Copenhagen . Prominent examples of the Dutch Renaissance style in Copenhagen are the Børsen on the Slotsholmen and the Frederiksborg palace in Hillerød . 0 +By then , only the largely Spanish areas of Lamitan and the interior remained outside of Yakan control . Until then , only the largely Spanish areas of Lamitan and the interior remained outside Yakan control . 1 +The production was repeated in Berlin from 8 June 2011 and in Amsterdam on 8 July 2012 . The production was repeated in Amsterdam from 8th June 2011 and from 8 July 2012 in Berlin . 0 +He won a third term in 1994 and a second term in 1996 with 63 % of the vote . He won a second term in office in 1994 , and in 1996 a third term with 63 % of the vote . 0 +At the age of 76 he died in Grahamstown , Cape Province , in South Africa . Smith died in South Africa , in Grahamstown , Cape Province at the age of 76 . 0 +Long Island is still a popular excursion destination in the summer and is a 45-minute ferry ride from Portland . Portland is still a popular destination in the summer , and is a 45-minute ferry ride from Long Island . 0 +It was released in 2000 and recorded by Satchmo Jazz Records . It was released in 2000 and was recorded by Satchmo Jazz Records . 1 +It was , however , a legal ceremony and not a spiritual one . However , it was a spiritual ceremony and not a legal one . 0 +Mohammad Hariri is currently President of the Board of Directors , and Abdullah Orkun KAYA is the CEO of TTNET . Currently , Abdullah Orkun KAYA is Chairman of the Board of Directors and Mohammad Hariri is the CEO of the TTNET . 0 +Marouf with Popular athletes such as Ali Daei , Hamid Sourian and Behdad Salimi the helpers in the fight and eradicate poverty and hunger in World Food Programme . Popular with Marouf - athletes such as Ali Daei , Hamid Sourian and Behdad Salimi , aides in the fight against poverty and hunger in the World Food Programme . 0 +David Urquidi played keyboards while Rami Jaffee played saxophone and Aguilar played trumpet . David David Urquidi played keyboards while Rami played Jaffee saxophone and played Aguilar trumpet . 0 +"Some authors split the species in two , regarding the Russian and central Asian populations as "" Fallopia aubertii "" and the Chinese species as "" F. baldschuanica "" ." "Some authors share the species in two , the Russian and Central Asian populations as "" Fallopia aubertii "" and the Chinese species as "" F. baldschuanica "" ." 1 +George William Rowley was the son of George Dawson Rowley and his wife , Jane Catherine . George Dawson Rowley was the son of George William Rowley & his wife Jane Catherine née Maine 0 +Michael advises the girls to try their poses in the cold to avoid wasting time on set and get backstage . Michael advises girls to try their poses in the backstage in order to avoid wasting time on the set and to cold . 0 +The Edmonton Oilers became the first NHL team in Alberta as they were absorbed by the National Hockey League when the WHA folded . The Edmonton Oilers were the first NHL team in Alberta when they were absorbed by the National Hockey League as the WHA folds . 1 +These ancient rites are rarely performed in contemporary Sri Lanka , but the preserved songs are still performed by folk musicians . These ancient rites are rarely performed in contemporary Sri Lanka , but the conserved songs are still performed by folk musicians . 1 +Encouraged Ralph in mathematics and chess . Ralph encouraged Maurice in mathematics and chess . 0 +Surprise Lake is a lake located on Vancouver Island north of Brewster Lake and south of Amor Lake . Surprise Lake is a lake in Vancouver Island , north of Brewster Lake and south of Amor Lake . 1 +Nate decides to struggle for Ricky and confirms his love for her . Ricky decides to fight for Nate and confirms his love for them . 0 +In 1516 , the Mundy family owned the manor house of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . The Mundy family owned the Manor of Allestree from 1516 until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . 1 +The freeway was first built in Michigan in the 1960s , although plans in Indiana date back to the 1950s . The freeway was first built in the 1960s in Michigan , although the plans in Indiana date back to the 1950s . 1 +Only the sara of the south was governed effectively , the nominal presence in the French north and east was Islamic . Only the sara of the South was governed effectively , the French presence in the Islamic North and East was nominal . 0 +The rostral scale is about as broad as deep and visible from above . The rostral scale is about as broad as deep , and is visible from above . 1 +Oldenburg ( 1832 , Berlin , Friedrich Tietjen - 1895 Westerstede ) was a German astronomer . Friedrich Friedrich Tietjen ( 1832 – Westerstede , Oldenburg -- 1895 Berlin ) was a German astronomer . 0 +A macro is used to design variables or procedures , to allow code reuse , or to define domain-specific languages . A macro is used to design variables or procedures , to enable reuse of code , or to define domain-specific languages . 1 +He graduated from MIT in 1891 , and then received a master 's degree from Harvard University in 1893 . He graduated from Harvard University in 1893 and received a Master 's degree from MIT in 1891 . 1 +An implementation that computes the probability density function of the Wakeby distribution is included as a routine WAKPDF in the scientific data library of Dataplot . An implementation that computes the probability density function of the Wakeby distribution is included as a scientific WAKPDF in the routine calculation library of Dataplot . 0 +The week before the incident with Coventry fans , 13 men were arrested after clashes between fans from Leicester and Norwich in which some men sustained minor injuries . In the week before the incident with Leicester fans , 13 men were arrested following clashes between fans from Coventry and Norwich , in which some men suffered minor injuries . 0 +He moved to Wisconsin in 1853 and settled near Beloit in Rock County . He moved to Wisconsin in 1853 and let himself be settled in Rock County near Beloit . 1 +He studied music history with Hans Gál at the University of Vienna and studied composition with Guido Adler and Curt Sachs . He studied music history at the University of Vienna under Hans Gál , and studied composition under Guido Adler and Curt Sachs . 1 +Examples of such factors include rape , fraternization , good behavior , or other factors that would adversely affect public sexual order and discipline . Examples of such factors include rape , fraternization , public sexual behavior , or other factors that would adversely affect good order and discipline . 0 +The church serves the parish of Brighton , a residential area in the north of Hove near the border with West Blatchington . The church serves the parish of Brighton , a residential area in the north of Hove near the border to West Blatchington . 1 +Outhgill is a hamlet in Kirkby Stephen . It lies about 5 miles south of Mallerstang , Cumbria . Outhgill is a hamlet in Mallerstang , Cumbria , situated about 5 miles south of Kirkby Stephen . 0 +Notes from Big Sur is an album by jazz saxophonist Lloyd recorded in July 1993 by Charles Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson in July 1993 . 0 +The 2nd BCT of the 28th Infantry Division focused in Ramadi on controlling the main roads and protecting the governor and government center . In Ramadi , the 2nd BCT of the 28th Infantry Division focused on controlling the main roads and protecting the governor and government center . 1 +The original squadron 159 was to be formed during the First World War , but the idea was dissolved so that reinforcements could be sent to France . The original squadron 159 was to be dissolved during the First World War , but the idea was formed so that strengthening could be sent to France . 0 +However , the new algorithm would divide the original interval into a larger and a smaller part interval in step 4 . The new algorithm , however , would divide the original interval into a larger and a smaller subinterval in Step 4 . 1 +His style is conservative , sometimes progressive , but in other ways curious experimental . His style is progressive , sometimes experimental , but in other ways curiously conservative . 0 +The Dublin Council of Trade Unions is the trades council for County Dublin in Ireland . The Dublin Council of Unions is the Trade Council for Ireland in Dublin County . 0 +Mylott was the paternal grandmother of the actor and film director Mel Gibson and is also related to Australian pianist Tamara Anna Cislowska . Mylott was the paternal grandmother of the actor and film director Mel Gibson and is also related to the Australian pianist Tamara Anna Cislowska . 1 +The average low temperature in summer ( December -- January ) is , and the average high temperature in winter ( June -- July ) is . The average low temperature in summer ( December - January ) and the average high temperature in winter ( June -- July ) . 1 +Danielle , Nadine and Mark have visible their pictures in the school case . Mark , Nadine , and Danielle have their pictures visible in the school display case . 1 +PTAs were restored by the 1985 Local Government Act , when the Metropolitan County Councils were abolished . PTAs were abolished by the Local Government Act 1985 when the metropolitan county councils were recreated . 0 +In 1816 , King Sarah Worthington , second daughter of the governor Thomas Worthington , married . In 1816 , King married Sarah Worthington , second daughter of Governor Thomas Worthington . 0 +On December 14 , 2003 , Azzopardi received his first country match for Poland in a game against Malta . On December 14 , 2003 , Azzopardi received his first country match for Malta in a game against Poland . 0 +Michael Creedon ( born 1960 ) is an Irish retired Gaelic footballer who played as goalkeeper for the Cork - A - national team . Michael Creedon ( born 1960 ) is an Irish retired Gaelic footballer who played as a goalkeeper for the Cork senior team . 1 +It borders on the federal ridings of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . It borders the Bundeskämme of Edmonton Centre , Edmonton Griesbach , Sherwood Park -- Fort Saskatchewan , Edmonton Mill Woods and Edmonton Riverbend . 0 +Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 -- 6 , 7 - 6 . Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 -- 6 , 7 -- 6 1 +Kevin White married Kathryn Galvin in 1956 , the daughter of William J. Galvin , who also served as a Boston City Council president . In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as Council President of Boston . 0 +The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and fourth if the pre- 2003 Metropolitan Cup is included . The Ballymore Cup 2007 is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . 1 +In 1997 the South African Navy renamed the SAS Kobie Coetzee the SAS Job Masego In 1997 , the South African Navy renamed SAS Kobie Coetzee to the SAS Job Masego . 1 +Iain Andrew Stirling ( born 27 January 1988 ) is a Scottish comedian , writer and television presenter from London now based in Edinburgh . Iain Andrew Stirling ( born January 27 , 1988 ) is a Scottish comedian , writer , and television host from Edinburgh , now living in London . 0 +There are about 2,018 clinics and hospitals in Venezuela , 634 in Caracas , 195 in Maracaibo , 173 in Valencia , and 92 in Barquisimeto . In Venezuela there are about 2,018 hospitals and hospitals , 634 in Caracas , 195 in Maracaibo , 173 in Valencia and 92 in Barquisimeto . 1 +The first meeting of the BBU 1932 in Chicago was the final meeting of the GARBC . The final meeting of the BBU in 1932 in Chicago was the first meeting of the GARBC . 0 +The 1987 -- 88 Toto Cup Artzit was the 4th season of the second league cup since its introduction . The 1987 -- 88 Toto Cup Artzit was the second season of the 4th League Cup since its launch . 0 +On January 4 , 2015 , Pope Francis announced that on February 14 , he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . On 4 January 2015 , Soane Patita Paini Mafi announced that on 14 February he would appoint Tonga 's Bishop , Pope Francis , as Cardinal . 0 +Eric becomes the cook for her father 's restaurant , which improves the business , so Scott 's father Malia is thankful . Eric becomes the chef for her father 's restaurant , which improves the business , so Scott 's father is thankful to Malia . 1 +"It is a short story by Willa Cather , which was published in "" The Mahogany Tree "" in 1892 ." "Willa Cather is a short story by Peter , which was published in 1892 in "" The Mahogany - Tree "" ." 0 +Simmons trained with the Oldham Theatre Workshop and National Youth Music Theatre and studied at Pleckgate High School , Mathematics and Computing College . Simmons trained with the Oldham Theatre Workshop and the National Youth Music Theatre and studied at Pleckgate High School , at Mathematics and Computing College . 1 +The French , led by Bertrand du Guesclin , defeated and met the relief force . The French , led by Bertrand du Guesclin , met the relief force and defeated them . 0 +Carol conducts a conversation with Charlie about how she needs money to buy Charlie an apartment . Charlie conducts a conversation with Carol about how she needs money to buy an apartment to Charlie . 0 +NOA can also be used in the calculation of free cash flow ( FCF ) and hence in the discounted cash flow model . NOA can also be used in the calculation of Free cash flow ( FCF ) and therefore the Discounted cash flow model . 1 +Kosmos operates blocks offshore - Senegal in Cayar and St. Louis . Kosmos operates in the Cayar and Senegal blocks offshore St. Louis . 0 +He left behind three legitimate sons , Jayappa , Dattaji and Jotiba , and two illegitimate , Tukaji and Mahadji . He left three illegitimate sons , Jayappa , Dattaji , and Jotiba , and two legitimate , Tukaji and Mahadji . 0 +Its ancient cult sanctuary of Aphrodite was the second most important in Cyprus , her homeland , after Paphos . After Cyprus , its ancient cult sanctuary of Aphrodite was the second most important in Paphos , her homeland . 0 +Toxo was replaced at the congress by the Basque regional secretary Unai Sordo , whom Toxo supported as a candidate . At the Congress Toxo was replaced by the Basque regional secretary Unai Sordo whom Toxo has supported as candidate . 1 +Specific historical conditions determined the attitude of Russians towards the idea of cultural-national autonomy . Specific historical conditions determined the attitude of the Russians towards the idea of national-cultural autonomy . 1 +Eastern Cape is an administrative area of the Amatole District of the Mnquma Local Municipality in South Africa . Mnquma Local Municipality is an administrative area in the Amatole District of the Eastern Cape in South Africa . 0 +The TV shows in Praia are made in Cape Verde by TCV and Record Cabo Verde . Television shows in Cape Verde are made by TCV and Record Cabo Verde in Praia . 0 +"Scientific research is most often not the "" main "" goal for professional astronomers , unlike many amateur astronomers ." "For many amateur astronomers , unlike professional astronomers , scientific research is usually not the "" main goal "" ." 0 +Karthik is the brother of the actress Maheswari and the nephew of actress Sridevi . Karthik is the brother of actress Maheswari and the nephew of actress Sridevi . 1 +I 've created Sidney Nolan figures in a Francis Bacon landscape , inspired with stunts by Jean Cocteau . I 've created Francis Bacon figures in a Sidney Nolan landscape with stunts inspired by Jean Cocteau . 0 +The Giumalău River is a tributary of the River Rusca in Romania . The Giumalău River is a tributary of the Rusca River in Romania . 1 +New exhibitions are planned in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . Planned are new exhibitions in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . 1 +Patrik Leban and Urh Kastelic replaced Jan Grebenc and Urban Lesjak seven days later . Seven days later , Jan Grebenc and Urban Lesjak replaced the Patrik Leban and Urh Kastelic . 0 +It was expanded from Laura to Wilmington in 1910 and finally to the Booleroo Centre in 1915 . It was expanded in 1910 from Laura to the Booleroo Centre and finally to Wilmington in 1915 . 0 +Stevie would work and record with various acts , including Christian hard rock , the R & amp ; B group Jimmy Ellis ' the Saints and Suzie Cappetta . Suzie Cappetta would work and record with various acts including Christian hard rock , R & B group Stevie & the Saints , and Jimmy Ellis . 0 +Canadian postage stamps were denominated with the amounts issued in dollars and cents . The Canadian stamps were denominated with amounts issued in dollars and cents . 1 +The Urechioiu River is a tributary of the Sitna River in Romania . The river Sitna is a tributary of the River Urechioiu in Romania . 0 +Inception is a science fiction film from 2010 , co-produced by Emma Thomas and written by Christopher Nolan , co-produced and staged . Inception is a science fiction film from 2010 , written , co-produced and staged by Christopher Nolan and co-produced by Emma Thomas . 1 +In this sense , the biquaternions of William Rowan Hamilton ( 1844 ) and the dual Split - biquaternions and related quaternions do not form biquaternion - algebras . The biquaternions of William Rowan Hamilton ( 1844 ) and the dual split-biquaternions and related quaternions do not form biquaternion algebras in this sense . 1 +Unfortunately , Tam has the ability to manipulate people and situations , and analyze them expertly . Unfortunately , Tam has the ability to analyze people and situations and to manipulate them expertly . 0 +The series tells the life of 14-year-old Isabelle and her mother , Barbara , who is a divorced lawyer . The series tells the life of the 14-year-old Isabelle and her mother , Barbara , who is a divorced lawyer . 1 +He developed and introduced a number of microsurgical techniques that improved the safety and effectiveness of neurosurgery , including the use of the surgical microscope in neurosurgery . He developed and implemented a number of surgical techniques that improve the safety and effectiveness of neurosurgery , including the use of the microsurgical microscope in neurosurgery . 0 +With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports rose and employment increased . 1 +He has a son ( vintage 2000 ) from a previous relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . He has a son ( born 2000 ) from a previous relationship with TV presenter Angela Gessmann . In July 2011 Lanz married Birgit Schrowange . 1 +The Muereasca River is a tributary of the Pălăoaia River in Romania . The river Pălăoaia is a tributary of the Muereasca River in Romania . 0 +Dragan Umičević ( born October 9 , 1984 in Dubica , SFR Yugoslavia ) is a Swedish hockey player of Serbian descent . Dragan Umičević ( born October 9 , 1984 , in Dubica , SFR Yugoslavia ) is a Serbian ice hockey player of Swedish descent . 0 +According to the United States Census Bureau , the city is a total surface area of which has land and , or 1.35 % , is water . According to the United States Census Bureau , the town is a total area of , of which has land and , or 1.35 % , is water . 1 +Despite lengthy correspondence , Tolkien did not succeed in convincing the Swedish translator of his objections , and was similarly frustrated in the Dutch case . Despite lengthy correspondence , Tolkien did not succeed in convincing the Swedish translator of his objections , and was also frustrated in the Dutch case . 1 +The incumbent Governor Hunt was defeated , the incumbent Church , Follett and Clark were re-elected . The incumbent governor Hunt was re-elected , the incumbent church , follet , and clark were defeated . 0 +I thought the game itself was dead , but the ambience was really fantastic . I thought the game itself was dead , but the ambience was really kind of fantastic . 1 +RAF Ash has been closed and the site was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash was closed and the site sold in July 1998 . It is now used as a secure server farm by The Bunker , an Internet hosting company . 1 +Brooks was dismissed in 1932 by banker Daniel B. Fleming of Ferriday in the Concordia Parish . Brooks was unseated in 1932 by the banker Daniel B. Fleming of Concordia Parish in Ferriday . 0 +After a brief conversation , Peter Bavasi made it clear to Hardy that Mattick would not be fired this way . After a brief conversation , Peter Bavasi made it clear to Hardy that Mattick would not be fired in this way . 1 +It was written by David Richards , produced by him and Bowie . It was written by David Richards and produced by him and Bowie . 1 +Sol Lesser , a film producer who had discovered Breen , signed Jackie Coogan at RKO Radio Pictures . Film producer Sol Lesser , who had discovered Jackie Coogan , signed Breen to RKO Radio Pictures . 0 +"After "" The Kids "" was recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks except "" The Kids "" were re-recorded with Derrick" "After "" The Kids "" was recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recaptured with Derrick except "" The Kids "" with Derrick ." 1 +Much of the western half of the city is relatively urbanized , while the eastern part of the city ( roughly from Woodbury Point east ) is more rural . Most of the eastern half of the city is relatively rural , while the western part of the city is more urbanized ( for example , from Woodbury Point east ) . 0 +Daka sends his American henchmen , along with a zombie that he controls by microphone via an electronic brain implant , to steal the precious metal . Daka sends his American followers together with a zombie that he controls via an electronic brain implant by microphone to steal the precious metal . 1 +In 1882 he was named the Quebec Superior Court for Joliette district , later in Montmagny , Kamouraska and Gaspé districts . In 1882 , he was named to the Quebec Superior Court for Joliette district , later serving in Montmagny , Kamouraska and Gaspé districts . 1 +Mosques were bombed and in many provinces Hui were slaughtered by Japanese troops or destroyed . Mosques were bombed , and in many provinces , Hui was slaughtered or destroyed by Japanese troops . 1 +Abdel-Majid was born in Ago-Iwoye in Ijebu North Local Government of Ogun State . Abdel-Majid was born in Ago-Iwoye in the Ogun State Local Government of Ijebu North . 0 +"Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 out of 5 stars and praised the "" creative breakthrough "" from Accept ." "Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 out of 5 stars and praised it Accept 's "" creative breakthrough . """ 1 +""" The Evolution of Dance "" is the ninth interlude and the second track on the album ." """ The Evolution of Dance "" is the ninth interplay and the second track on the album ." 1 +According to the 2000 census , 36.4 % of Finnish , 10.2 % Swedish , 9.2 % were German , 7.1 % Italian and 5.4 % Scottish origin . 36.4 % were of Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % Scottish ancestry according to Census 2000 . 0 +Now Shiva has to face Bharati and his men to win the love between him and Manivasagam . Now Shiva must face Manivasagam and his men to win the love between him and Bharati . 0 +In the wet valley rare species such as the strandzhan periwinkle , laurel , caucausian blueberry , common yew can be observed . In the wet valley rare species such as the Strandzhan Emergreen , laurel , Caucausian blueberry , can be observed in common yew . 0 +She was born on December 18 , 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . She was born on 18 December 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . 0 +Rasmus Seebach has written songs for Nik 'Jay , Burhan G and Lars Ankerstjerne as songwriters . As a songwriter , Rasmus Seebach has written songs for Nik & Jay , Burhan G and Lars Ankerstjerne . 1 +He was the first sculler ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first provincial to win the Wingfield Sculls . He was the first provincial sculler ever to win the Diamond Challenge Sculls at the Henley Royal Regatta and also the first to win the Wingfield Sculls . 0 +"At the end of this "" Dasaratha-Jataka "" discourse , the Buddhist text declares that the Buddha in his prior rebirth was Rama :" "At the end of this "" Dasaratha-Jataka "" discourse , the Buddhist text declares that Buddha was Rama in his previous rebirth :" 1 +At the State election in November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the session of 1857 . In the November 1856 state elections , 81 Americans , 31 Democrats , and 8 Republicans were elected to the Assembly for the 1857 session . 0 +Stella was born in Kano State , Northern Nigeria in the family of Felix Ebelechukwu and Margaret Modebelu , descents of Nnewi in Anambra State . Stella was born in Kano State , Northern Nigeria into the family of Felix Ebelechukwu and Margaret Modebelu , descents of Nnewi in Anambra State . 1 +It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it often grows with gravel in sandy floors . It is found on quartzite hills in the Moora region of Western Australia near Wheatbelt , where it grows in sandy soils often with gravel . 0 +PremLata Singh was married on June 9 , 1970 with Birender Singh . Birender Singh married the PremLata Singh on June 9 , 1970 . 1 +George Dawson Rowley was the son of George William Rowley , his wife , Jane Catherine , by Maine George Dawson Rowley was the son of George William Rowley & his wife Jane Catherine née Maine 0 +Four others , including Turner , Machen , and Cissell , were also offered nominees . Four others , including Turner , Machen , and Cissell , were also offered as nominees . 1 +Some of the filmmakers are seen in the film but not heard . Several of the filmmakers are heard but not seen in the film . 0 +Baroque Baroque is a strand of Spanish architecture developed in Spain , its provinces and former colonies . The Spanish baroque is a strand of baroque architecture that developed in Spain , its provinces and former colonies . 0 +"Streisand and Columbia Records released "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , distributed months after "" The Way We Were "" ." "On October 1 , 1974 , Streisand and Columbia Records released ButterFly as their sixteenth studio album , months after "" The Way We Were "" ." 1 +A 1994 television adaptation starred Peter Strauss as Ezra Baxter , Jean Smart as Ora Baxter , and Philip Seymour Hoffman as Buck . Philip Seymour Hoffman played a 1994 - TV adaptation as Ezra Baxter , Jean Smart as Ora Baxter and Peter Strauss as Buck . 0 +"If "" A is explicit , this singular solution does not even exist ." "If "" A "" is explicit , this singular solution does n't even exist ." 1 +"Viner was the official Laverne Cox for the Logo TV network at the premier of Marsh 's "" The T Word . """ "Viner was the official laverne Cox for the Logo TV network at the premiere of Marsh 's "" The T Word "" ." 1 +Bus connections to Dunstable Busway Route A on the Luton also connect Parkway to Luton Airport . Bus services on the Parkway to Dunstable Busway Route A also connect Luton to Luton Airport . 0 +"According to the Miramar Ship Index "" Baie St. Paul © has a capacity of 24,430 tons and a gross tonnage of 37,690 tons ." "According to the Miramar Ship Index , "" Baie St. Paul "" has a gross tonnage number of 24,430 tons and a capacity of 37,690 tons ." 0 +The River Milotina is a tributary of the Vânăta River in Romania . The Vânăta river is a tributary of the River Milotina in Romania . 0 +Crash Landed was released in Japan as the second single in July 2009 and the third single in Korea in April 2010 . Crash Landed was released in Japan as the second single in July 2009 and Korea as the third single in April 2010 . 1 +The plant is native to northern California and in southern Oregon . The plant is native to northern Oregon and southern California . 0 +Foley collaborated with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , among others . Foley worked together with Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block and Calvin Russell , amongst others . 1 +Shane Kelly Brooks ( born March 18 , 1974 in Breckenridge , Texas ) is a former American country music artist who recorded Shane Stockton . Shane Stockton ( born March 18 , 1974 , Breckenridge , Texas ) is a former American country music artist who recorded under the name Kelly Shane Brooks . 0 +It has been claimed that the church was founded in the 12th century by St. Birinus and parts of the church date from the 7th century . It was claimed that the church was founded in the 7th century by St. Birinus , and parts of the church date from the 12th century . 0 +With 10 goals , Ishmael Miller was top scorer in all competitions , followed by James Hayter with 8 goals . Nottingham Forest loanee Ishmael Miller was top scorer in all competitions with 10 goals , followed by James Hayter with 8 goals . 1 +"Virginia Woolf wrote a play called "" Freshwater "" , showing Tennyson as host to his friends Julia Margaret Cameron and G.F. Watts ." "Julia Margaret Cameron wrote a play called "" Freshwater "" , which Tennyson shows as host to his friends Virginia Woolf and G.F. Watts ." 0 +"Three of these joints are true anatomic joints , while two physiological ( "" false "" ) joints are ." "Three of these joints are false joints while two are true anatomical ( "" physiological "" ) joints ." 0 +It contained Tan Yuling 's bedroom , reading room , family hall , Buddhist chapel and the separate rooms for Empress Wan Rong and the concubine Puyi . It contained Puyi 's bedroom , reading room , the family hall , Buddhist chapel and the separate quarters for Empress Wan Rong and the concubine Tan Yuling . 0 +His style is conservative , sometimes progressive , but in other ways curious experimental . His style is conservative , sometimes progressive , but curiously experimental in other ways . 1 +From 1976 to 1979 , he also worked as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he moved to NBC . From 1976 to 1979 , he was also employed as a regional CBS NFL and CBS NBA announcer at NBC , after which he switched to CBS Sports . 0 +He meets Kekesfalva 's paralyzed daughter Edith and develops for her subtle affection and deep sympathy . He meets Kekesfalva 's paralyzed daughter Edith and develops subtle affection and deep compassion for her . 1 +Vertical Communications was acquired by Comdial in September 2005 . In September 2005 , Comdial was acquired by Vertical Communications . 0 +Caranavi is situated to the north of Coroico on the road from La Paz to Rurrenabaque . Caranavi is north of Rurrenabaque , on the road from La Paz to Coroico . 0 +The Malayan field rat is known from Borneo , Sumatra , Malaysia , Thailand , the Philippines and many smaller islands . The Malaysian field rat is known from Malaysia , Thailand , Sumatra , Borneo , the Philippines and many smaller islands . 1 +In December 1883 he moved for two years to Fresno and Los Angeles . In December 1883 , he moved to Fresno and then Los Angeles for two years . 1 +"The name "" Prabhavati "" means goddess Lakshmi and Parvati ." "The name "" Lakshmi "" means the goddess Prabhavati and Parvati ." 0 +The hurricane killed one person directly and two indirectly in the state . The hurricane directly killed one person and indirectly killed two in the state . 1 +Ambarnath ( also called Ambernath ) is a railway station on the Central Line of the Mumbai Suburban Railway network and is an important terminus for local commuters . Ambarnath ( also spelled Ambernath ) is a railway station on the Central Line of the Mumbai Suburban Railway network . It is an important terminus for local commuters . 1 +During the last story conference on September 4 , 2012 , Evangelista declared that she felt overwhelmed to work with King . During the series ' last story conference held on September 4 , 2012 , Evangelista stated that she felt overwhelmed to work with King . 1 +Sean Kandel is Chief Technical Officer and co-founder of Trifacta , along with Joseph M. Hellerstein and Jeffrey Heer . Together with Sean Kandel and Jeffrey Heer , Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and co-founder . 0 +Besides Quintin , they had five children : Juan , Phillip , Willie , Patrick and Lucy . They had five children alongside Quintin : Lucy , Phillip , Juan , Patrick and Willie . 1 +Their recording of the song was produced and arranged by Richard Carpenter and performed by Ray Gerhardt . Their recording of the song was produced and arranged by Richard Carpenter , and engineered by Ray Gerhardt . 1 +The body is oily and compressed , and its streamlined body makes it a fast swimmer . The body is ovoid and compressed , and its streamlined body makes it a fast swimmer . 0 +The song is arranged by Toxey French and Michael Omartian and produced by Jimmie Haskell , Omartian and Bill Straw . The song was produced by Toxey French and Michael Omartian and arranged by Jimmie Haskell , Omartian , and Bill Straw . 0 +The finals of the Continental Hockey League ( KHL ) Conference are the Eastern Conference and the Western Conference Championship Series of KHL . The Kontinental Hockey League ( KHL ) Conference Finals are the Eastern Conference and Western Conference Championship series of the KHL . 1 +The Dunăreana River is a tributary of the Galbena River in Romania . The river Dunăreana is a tributary of the River Galbena in Romania . 1 +Lauretta was married to Johnny Dorelli , the married couple had a son , the actor Gianluca Guidi . Lauretta was married to Gianluca Guidi ; the couple had a son , actor Johnny Dorelli . 0 +According to Roman authors such as Pliny the Elder , even through the classical period , Harran maintained an important position in the economic life of Assyria . According to Roman authors such as Pliny the Elder , Harran had an important position in the economic life of Assyria even during the classical period . 1 +Bynum was born in Baltimore in 1975 , grew up in Boston . Bynum was born in Boston in 1975 , and grew up in Baltimore . 0 +The Botfei River or Agriș River is a tributary of the Beliu River in Romania . "The Beliu River or Agri "" River is a tributary of the Botfei River in Romania ." 0 +In generalized mechanics , the Lagrangian coordinates form a discrete set of variables that define the configuration of a system . In the Lagrange mechanics , the generalized coordinates form a discrete set of variables that define the configuration of a system . 0 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , enjoyed also with Tipperary All - Ireland - success . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed also with Tipperary All - Ireland - success . 0 +On 4 July 1968 , Harper resigned from the Cabinet at Smith 's request . On July 4 , 1968 , at Harper 's request , Smith resigned from the cabinet . 0 +Their feud culminated on July 3 , when Paris and Ricky Morton were defeated by General and Bobby Eaton . On July 3 , their feud culminated , when Paris and Ricky Morton were defeated by Ganz and Bobby Eaton . 0 +The woman who calls herself Annie is in the well , and she asks Esther to save her . The woman ( calling herself Annie ) is in the well , and she asks Esther to save her . 1 +Two weeks before the invasion , the corps was pulled from the Third Army and placed in the First Army of Omar Bradley . Two weeks before the invasion , the corps was pulled out of the First Army and placed in the Third Army by Omar Bradley . 0 +In 1982 , Parfit Janet met Radcliffe Richards , who married in 2010 . Parfit married Janet Radcliffe Richards in 1982 . They met in 2010 . 0 +Klyne met Barbara Clayton in 1947 while both were employed at the Medical Research Council ; they married in 1949 . Klyne met Barbara Clayton in 1947 , when they both were employed at the Medical Research Council and married in 1949 . 1 +Homage to Borsalino are the Chapeau Lamp ( 2014 ) by Philippe Starck for Flos and the sculpture The Hatband ( 2016 ) by Moritz Waldemeyer . The Chapeau Lamp ( 2014 ) designed by Moritz Waldemeyer for Flos and the sculpture The Hatband ( 2016 ) by Philippe Starck are both tributes to Borsalino . 0 +Eventually , North Dakota also moved to Division I , and since then the two schools have been negotiating conditions to resume the series . North Dakota also moved to Division I eventually , and since then the two schools have been negotiating terms to resume the series . 1 +Anteojito sells some balloons , meets his friend , Buzoncito the little red mailbox , and the balloons escape when he argues with some brats . Anteojito sells some balloons , meets his friend , Buzoncito , the little red letterbox , and the balloons escape when he argues with some gorges . 1 +""" Robbers "" is a song by English rock band The 1975 , titled as the sixth single from their self-released debut on 26 May 2014 ." """ Robbers "" is a song by the English rock band The 1975 , which appeared on May 26 , 2014 as the sixth single from their self-titled debut ." 0 +"While Governor , he may have founded the colonies "" Colonia Domitiana Lindensium "" ( Lincoln ) and "" Colonia Nervia Glevensium "" ( Gloucester ) ." "While governor , he may have founded the colonies of "" Colonia Domitiana Lindensium "" ( Gloucester ) and "" Colonia Nervia Glevensium "" ( Lincoln ) ." 0 +Mastax poecila is a type of beetle in the Carabidae family that can be found in Singapore , China and Cambodia . Mastax poecila is a species of beetle in the Carabidae family that can be found in Singapore , China and Cambodia . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in India ( Assam ) . Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in Assam ( India ) . 1 +He played Lollapalooza in Los Angeles in 2007 , and the FuckYeah Festival in Chicago in 2008 . He played in 2007 in Los Angeles Lollapalooza and 2008 in Chicago at the FuckYeah Festival . 1 +The Gill family sold the mill in 1968 , and the new owners closed it in 1980 . The Gill family sold the mill in 1968 and was closed by the new owners in 1980 . 1 +The Salt Lake City , Utah to Los Angeles trail was usually restricted by lack of water to winter . The trail of Salt Lake City , Utah to Los Angeles was usually restricted by water shortages to the winter . 1 +The Dick Smith Wilderness is a wilderness area in the mountains of eastern Santa Barbara County , California , United States , with a portion in Ventura County . The Dick Smith Wilderness is a wilderness area in the mountains of eastern Santa Barbara County , California , with a part in Ventura County . 1 +Sales began in North America in the third quarter of 2008 and in Europe in early 2009 as a 2010 model . Sales started in the third quarter of 2008 in Europe and early 2009 in North America as a model for 2010 . 0 +However , many tourists do not visit the suspension bridge and hike only . However , many of the tourists do not visit and only hike the suspension bridge . 1 +It is being developed by FunLabs and published by Activision . It is developed by FunLabs and published by Activision . 1 +"1946 -- After the Second World War the state of Prussia is abolished , Meppen will become part of the newly created "" Land "" Lower Saxony ." "1946 -- The state of Prussia becomes abolished after the Second World War . Meppen is part of the newly created "" Land "" of Lower Saxony ." 1 +The Tour of Turkey is a cycling race in Antalya . The Tour of Turkey is a cycling race held in Antalya . 1 +He was also a highly celebrated warrior in the popular culture and traditional Chinese dramas . He was also a highly celebrated warrior in traditional Chinese culture and popular dramas . 0 +In most cells , Ca channels regulate a multitude of biochemical processes due to their role in controlling intracellular ca concentrations . In most cells , Ca channels regulate a wide variety of biochemical processes due to their role in controlling intracellular Ca concentrations . 1 +Typically , the warmest day of the year is reached , and a maximum temperature of or above should reach 3.7 days a year . Typically , the warmest day of the year is reached , and a maximum temperature of or above should reach 3.7 days a year . 1 +The father was an influential writer on poor law and agricultural questions between 1825 and 1828 . The father was an influential writer between 1825 and 1828 on agricultural law and bad questions . 0 +"His father was under Louis XVI , an officer in the "" military musketeers "" , the musketeers of the black house of the king de France ." "Under Louis XVI his father was an officer in the "" military musketeers "" , the musketeers of the black household of the King of France ." 1 +"This is a list of Locomotives of the "" Polish State Railways , PKP "" ( Polskie Koleje Państwowe ) ." "This is a list of locomotives of the "" Polish National Railways , PKP "" ( Polskie Koleje Państwowe ) ." 1 +Born in Dublin in 1582 , he was the second but third surviving son of Arland Ussher and his wife Margaret . Born in Dublin about 1582 , he was third but second surviving son of Arland Ussher and his wife Margaret . 0 +In 1893 , Emma Lee married Robert Kelley . Robert Kelley married Emma V. Lee in 1893 . 1 +Two more aftershocks above the Magnitude 5 in Xinjiang and one in Kyrgyzstan beat UTC on 13 October - time . Two more aftershocks above magnitude 5 in Xinjiang and one in Kyrgyzstan struck on October 13 , UTC time . 1 +William de Middleton ( or William Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . William Middleton ( or William Middleton , died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . 1 +As a result , Sumitada sponsored the port of Nagasaki to the Portuguese in 1570 and inaugurated its development . As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and sponsored its development . 0 +Homalopoma subobsoletum is a species of small sea snail with calcareous opercula , a marine gastropod mollusk in the family Colloniidae . Homalopoma subobsoletum is a kind of calcareous sea snail with small opercula , a marine gastropod mollusk in the Colloniidae family . 0 +Lavoisier also conducted joint research in physical chemistry and thermodynamics in early experiments with Laplace . Lavoisier also did joint research in physical chemistry and thermodynamics in early experiments with Laplace . 1 +"At the 2013 South by Southwest Festival , director Brent Hodge and producer Chris Kelly made a retrospective of Nardwuar 's career for "" Time "" ." "At the 2013 South by Southwest Festival film director Chris Kelly and producer Brent Hodge did a retrospective of Nardwuar 's career for "" Time "" ." 0 +TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales were among the participants . TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales were among the participants . 1 +The large surface of black is shaded with blue first and then with green . The large area of black is shaded first with green and then with blue . 0 +Dyson died on board a ship when he was travelling from England to Australia in 1939 and buried at sea . Dyson died on board a ship when he was travelling to England from Australia in 1939 and was buried at sea . 0 +The father could rape or keep the rapist 's wife or make the rapist marry his daughter . The father could rape or keep the rapist 's wife or get the rapist to marry his daughter . 1 +The track was acquired in 1997 450 and was renumbered the following year by the Punchbowl Bus Company . The route was acquired 450 in 1997 and renumbered by the Punchbowl Bus Company the following year . 1 +The Rusca River is a tributary of the Giumalău River in Romania . The Rusca River is a tributary of the River Giumalău in Romania . 1 +He remained in Japan for three years before moving back to Germany with his family . He remained in Germany for three years before moving with his family back to Japan . 0 +Cox also operated a lobster factory and owned a farm near Morell . Cox also owned a lobster factory and had a farm near Morell . 0 +The Los Angeles to Salt Lake City , Utah trail was usually restricted by lack of water to winter . The trail of Salt Lake City , Utah to Los Angeles was usually restricted by a lack of water to the winter . 0 +The present church , built in June 1885 by the bishop of St. Albans , is not the first to be consecrated in East Hanningfield . The current Church , consecrated by the Bishop of St Albans in June 1885 , is not the first to be built in East Hanningfield . 0 +Athelas Sinfonietta Copenhagen is a Copenhagen-based , Danish chamber ensemble specializing in the performance of modern compositions . The Athelas Sinfonietta Copenhagen is a Copenhagen-based , modern chamber ensemble specializing in the performance of Danish compositions . 0 +Emma V. Lee married Robert Kelley in 1893 . Emma married Robert Lee Kelley in 1893 . 0 +He married Maria José Costa , and had three sons : , Federal Judge of Rio Grande do Norte , Liane Maria and Ângelo Augusto . He married Maria José Costa and had three sons : Federal judge of Rio Grande do Norte , Liane Maria and Augusto . 1 +Ian Weatherhead lived for many years in Somerset before moving to Cheltenham . Ian Weatherhead lived many years in Cheltenham before moving to Somerset . 0 +Taungya also meant that after a few years the British or their agents would return to the previously cut off areas to harvest the newly planted teak wood . Taungya also meant that after a few years , the British or their agents would return to the newly planted areas to harvest the previously cut teakwood . 0 +Dodson maintains private practice in New York City and has an active website . Dodson has a private practice in New York City and maintains an active website . 0 +Queen Peak is a mountain located at Victoria Peak , north of Gold River and east of Vancouver Island , British Columbia , Canada . Queen Peak is a mountain on Vancouver Island , British Columbia , Canada , located north of Gold River and east of Victoria Peak . 0 +Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver from Overbury , Worcestershire . Easthope , born on October 29 , 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver of Overbury , Worcestershire . 0 +He is trained by Andre Rozier and shares a gym with former world champion Daniel Jacobs . He is trained by Daniel Jacobs and together with former World Champion Andre Rozier shares a gymnasium . 0 +Now to solve the indifference bid price find for formula _ 31 . Now you find the bid price indifference solve for Formula 31 0 +He was a member of the municipal council of Jura for the canton of Beaufort , then general councilor in 1877 . He was a member of the Jura Municipal Council for the Canton of Beaufort , then General Council in 1877 . 1 +In December 2007 , he said that the local majority would present common lists for the presidential elections in 2008 . In December 2007 , he said that the presidential majority would present common lists for the local elections in 2008 . 0 +About 1838 , Stephenson returned to Manchester and established himself as an historical and landscape engraver in St. Ann Street , and then in a studio in Ridgefield . Around 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then in a studio in St. Ann Street . 0 +He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on August 5 , 1875 . He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on August 5 , 1875 . 0 +In combinatorial game theory , a game is impartial if it is not partisan . In combinatorial game theory , a game is partisan when it is not impartial . 0 +Psalm 96 ( Greek numbering : Psalm 95 ) is one of the Psalms in the Biblical Psalms Book . Psalm 96 ( biblical numbering : Psalm 95 ) is one of the psalms in the Greek Psalms Book . 0 +John Rzeznik is an ambassador for the Save the Music Foundation of VH1 , Robby Takac is the founder of music in Art Foundation . Robby Takac is an ambassador for VH1 's Save the Music Foundation . John Rzeznik is the founder of the Music is Art Foundation . 0 +It is used as a measure of absorbed dose , kinetic energy ( released ) and kerma ( acronym for specific energy transmitted per mass unit ) . It is used as measure of absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per mass unit ) . 0 +Cape Breton Island is an island located in the Canadian province of Nova Scotia , off the coast of Baleine , Scatarie Island . Cape Breton Island is an island in the Canadian province of Nova Scotia , located off the coast of Baleine , Scatarie Island . 1 +Then the main assault by heavy tanks , infantry and artillery would break the German lines . The main attack by heavy tanks , infantry and artillery would then break the German lines . 1 +Ian McDiarmid played Tekla , Jonathan Kent played Adolf , and Suzanne Bertish played the gustaf . Suzanne Bertish played Tekla , Jonathan Kent played Adolf , and Ian McDiarmid played Gustaf . 0 +"The Birds Handbook in India and Pakistan is the "" Magnum Opus "" of the Indian ornithologist S. Dillon Ripley , written with Salim Ali ." "The Handbook of the Birds of India and Pakistan is the "" magnum opus "" of Indian ornithologist Salim Ali , written along with S. Dillon Ripley ." 0 +Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on February 19 , 1970 . Gérard Depardieu was born to a wealthy Parisian family and married Lucie Guignot , Élisabeth Dominique , on February 19 , 1970 . 0 +The work on this manuscript was started in 1426 on the orders of the Timurid Prince Baysonghor Mirza and completed four years later , in 1430 . The work on this manuscript was completed in 1426 at the order of Baysonghor Mirza , the Timurid prince , and was started on 1430 , four years later . 0 +The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and Dunfermline , but also under extraordinary circumstances from High Valleyfield . The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also from Dunfermline under exceptional circumstances . 0 +"The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed for television by Ed Decter ." "The series is based on the book series "" The Mortal Instruments "" by Ed Decter and has been developed by Cassandra Clare for television ." 0 +The Gallery has hosted talks by artists including Ann Hamilton , Jordan Crandall , Micha Cárdenas , Amy Sara Carroll , Sharon Daniel , Warren Sack and Rita Raley . The gallery has given lectures by artists , including Ann Hamilton , Jordan Crandall , Micha Cárdenas , Amy Sara Carroll , Sharon Daniel , Warren Sack and Rita Raley . 1 +However , John Rabe and the international committee manage to have the Nanking Safety Zone recognised by the Japanese authorities . However , John Rabe and the Japanese Committee manage to have the Nanking Safety Zone recognised by the international authorities . 0 +Another Marston Company product line started in 1931 , with Marine - outboard engines first as Marston Seagull , later marketed as British Seagull . Another Marston company product line started in 1931 , with marine outboard engines first known as Marston Seagull , later marketed as British Seagull . 1 +Frank Malina died in 1981 in Boulogne Billancourt , near Paris , France . In 1981 , Frank Malina died in Paris , near Boulogne Billancourt , France . 0 +The mouth is nearly vertical , the snout is short and the eyes are large . The mouth is virtually vertical , the snout is short and the eyes are large . 1 +It is also used as an experimental treatment of the bone disorder osteogenesis imperfecta . It has been studied in the treatment of complex regional pain syndrome . It is also used as an experimental treatment of the bone disorder osteogenesis imperfecta and has been studied in the treatment of complex regional pain syndrome . 1 +It comprises parts of Palos Hills , Worth , Chicago Ridge , Oak Lawn . It includes parts of Chicago Ridge , Oak Lawn , Worth , Palos Hills . 1 +Disputes with leaders of Marble Hill persuaded the railroad to move their route through Lutesville instead . Disputes with leaders of Lutesville persuaded the railroad to move their route through Marble Hill instead . 0 +In November 2015 , Bensebaini was appointed for the first time to the national team of Algeria for a pair of FIFA World Cup qualifiers in 2018 against Tanzania . In November 2015 , Bensebaini was called up to the Algeria national team for the first time for a pair of 2018 FIFA World Cup qualifiers against Tanzania . 1 +The line falls briefly from Muirhouse North Junction , but climbs to Mount Florida at a prevailing gradient of 1 to 70 . The line falls briefly from Muirhouse North Junction , but climbs at a ruling gradient of 1 in 70 to Mount Florida . 1 +"Mukesh ( Venugopal ) is a lead singer of the music band "" Hits Orchestra "" ." "Venugopal ( Mukesh ) is a singer of the music band "" Hits Orchestra "" ." 1 +Its modern location has been postulated in northern Tunisia or somewhere in southern modern Libya . Its modern situation has been postulated in northern Tunisia or somewhere in southern modern Libya . 1 +He graduated from military school in Sofia , and in 1910 from the Military Academy in St. Petersburg , Russia . He completed the military school in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . 0 +In some communities , personal and spiritual knowledge takes traditional meanings . In some communities , traditional knowledge takes on personal and spiritual meanings . 0 +The Karmøy area today refers to the southern part of the island of Skudenes . Today , the Skudenes area refers to the southern part of Karmøy island . 0 +"Though not called "" Norrington "" , it resembles Lieutenant James Norrington and Commodore Norrington from "" ." "Though not called "" Norrington "" , it closely resembles Lieutenant James Norrington and Commodore Norrington from "" ." 1 +Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a protected monument ( natural area of Ulyanovsk Oblast ) . Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a natural monument ( Ulyanovsk Oblast protected areas ) 0 +Also in 1999 , Abdelaziz Bouteflika , who supported Algeria ’ s independence , became president of the Western Sahara . Also in 1999 , Abdelaziz Bouteflika , who supported Western Sahara 's independence , became president of Algeria . 0 +In 1992 , he was elected Croydon North West for the first time after having previously denied the seat unsuccessfully in 1987 . He was first elected in 1992 for Croydon North West after having previously contested the seat unsuccessfully in 1987 . 1 +Alema Nature Reserve is a nature reserve situated in northern Estonia , in Harju County . Alema Nature Reserve is a nature reserve in northern Estonia , in Harju County . 1 +After the massacre , they left the corpses and brought them into the swamps of Rayer Bazaar . After the massacre , they left the corpses and brought them to the swamps of the Rayer - Bazaar . 1 +VirusProtectPro is a commercial malware program that claims to be a rogue - anti-spyware when it is in fact itself adware - advertising . VirusProtectPro is a rogue malware program that claims to be a commercial anti-spyware , when in fact it is , itself , adware-advertised . 0 +The walls of the building were made with straw reinforced Adobe and have engraved on the coating ornaments . The walls of the building were reinforced by straw made adobe , and have engraved ornaments on coating . 0 +Since then , there have been few significant changes , with frequent changes in the design of the Railcard most recognizable . There have been few significant changes since then , with noticeable changes in the design of the Railcard being the most frequent . 0 +The festival originated in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . The festival was founded in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . 1 +In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Chu to attack Wei , however , defeat suffered . In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , however , defeat suffered . 0 +The Ellerslie Rugby Park is in Richford . The Ellerslie Rugby Park is located in Richford . 1 +"In "" House of Despair "" Quentin Collins Ed Griffin tells that the people of Collinsport have not forgotten how "" the winter girl disappeared inexplicably ." "In "" House of Despair "" , Quentin Collins tells Ed Griffin that the people of Collinsport have not forgotten how "" that Winters girl "" inexplicably disappeared ." 1 +In 1982 , Slatyer returned to Australia after four years and resumed his professorship in the ANU . After four years in Australia , Slatyer returned to Paris in 1982 and restarted his professorship at the ANU . 0 +On 7 June he won the postponed Superstock TT race , his 27th TT victory and the 16th podium . On 7 June he won the postponed Superstock TT race , his 16th TT victory and the 27th podium . 0 +Nadia Petrova defeated Agnieszka Radwańska , 6 -- 4 , 6 - 7 , 6 -- 4 . Agnieszka Radwańska defeated Nadia Petrova , 6 -- 4 , 6 -- 7 , 6 - 4 - 0 +The Bank of the People was founded in 1835 by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . The Bank of the People was created by radical Reform politicians James Lesslie , James Hervey Price , and Dr John Rolph in Toronto in 1835 . 0 +After serving in various headquarters and troops , in 1951 General Major , Lieutenant in 1955 and was promoted to the rank of General in 1959 . After serving in various headquarters and troops , general-general in 1951 , lieutenant in 1955 and was promoted to the rank of major in 1959 . 0 +Most Japanese troops are killed in the attack , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . Most of the Japanese troops are killed in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . 1 +Elsie Winterfeld was married to Henry Winterfeld , worked as a toy designer and created a patented toy Henry Winterfeld was married to Elsie Winterfeld . She worked as a toy designer and created a patented three - 1 +where formula _ 3 is the original supply curve and formula _ 23 is the minimum wage . The new curve has thus a horizontal first branch and a kink at the point Where Formula 3 has the original supply curve and Formula 23 is the minimum wage , the horizontal first curve is a new branch and a branch at the point . 0 +Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in the House of Representatives of Texas since January 2013 . Since January 2013 , Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives . 0 +According to Smith , the Aaronic Priesthood was returned to him and Oliver Cowdery somewhere in the woods near the house on 15 May 1829 . According to Smith , the Aaronic priesthood was restored to him and Oliver Cowdery on May 15 , 1829 , somewhere in the woods near the home . 1 +He was born in Kristiansand , Norway , but arrived in 1997 to Bukan , Iran . He was born in Bukan , Iran , but came to Kristiansand , Norway in 1997 . 0 +Aramaic remains , however , a local language for spoken , literary and liturgical Christians and also for some Jews . Aramaic remains , however , a spoken , literary and liturgical language for local Christians and also for some Jews . 0 +The difficulty of measuring or defining intelligence in non-human animals makes the subject difficult for a scientific study . The difficulty of defining or measuring intelligence in non-human animals makes the subject difficult for scientific study . 1 +The arms and banner of the city show three silver towers on red background . The arms and banner of the city show three silver towers on red . 1 +Sébastien Fournier ( born June 27 , 1971 ) is a Swiss football manager , most recently for FC Sion , and a former football player . Sébastien Fournier ( born 27 June 1971 ) is a Swiss football manager , most recently for FC Sion , and former football player . 1 +Anastasia Gromoglasova , together with her sister Liubov Gromoglasova , has won several awards and prizes in important international competitions , both as a solo and as a piano duo . Anastasia Gromoglasova has won several awards and prizes in important international contests performing both as a solo and in a piano duo , together with her sister Liubov Gromoglasova . 1 +Among the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . Among women , the favourites were Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . 0 +It is endemic to Oahu , where it is known only from the northern Coolau Mountains of Hawaii . It is endemic to Oahu , where it is known only from the northern Koolau Mountains of Hawaii . 1 +Scurria viridula is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of true limpets . Scurria viridula is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 1 +Strathairn visited the Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts in 1970 . Strathairn attended Williams College , Williamstown , Massachusetts , and graduated from the Redwood High School in Larkspur , California in 1970 . 0 +The section from Interstate 5 to Canyonville at Fifth Street overlaps OR 99 . The section from Interstate 5 to Canyonville in Fifth Street overlaps OR 99 . 1 +Scott Templeton is an unscrupulous and ambitious young reporter played by Tom McCarthy . Tom McCarthy is an unscrupulous and ambitious young reporter . Templeton is played by Scott Templeton . 0 +It was written by Jeff Melman and was directed by Tom Spezialy and Marc Cherry . It was written by Jeff Melman and was run by Tom Spezialy and Marc Cherry . 1 +At executive level , EEAA represents the central arm of the ministry . At the central level , EEAA represents the executive of the ministry . 0 +Drummond and Smith College , a new college inside the University of New England ( Australia ) , is currently closed to residents . Drummond and Smith College , a residential college within the University of New England ( Australia ) , is currently closed to new residents . 0 +All the lines have ceased to exist , except that a short section of the Charlestown line forms part of the Inverkeithing to Dunfermline line . All lines have ceased to exist , except that a short section of the Charlestown line forms a part of the inverkeithing to Dunfermline line . 1 +There are four regular compact honeycombs in 3D hyperbolic space : There are four regular compact honeycombs in the hyperbolic 3D space : 1 +Xmonad is a dynamic window manager ( tiling ) for the X Window System , written in the functional programming language Haskell . Xmonad is a functional window manager ( tiling ) for the X Window System , written in the Haskell dynamic programming language . 0 +""" Whatever Will Be "" ( 2005 ) is the first song of Tammin from her second album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the first song released by Tammin from her second album "" Whatever Will Be "" ." 1 +The 372nd Air Division in southern Vietnam as well as the 917th , 935th and 937th Air Regiments in central Vietnam were quickly deployed to the north . The 372nd Air Force in Central Vietnam , as well as the 917th , 935th and 937th air regiments in South Vietnam , were quickly deployed to the north . 0 +They also display aspects of the physical discipline Parkour , while climbing over buildings and jumping from staircases . They also show aspects of the physical discipline Parkour , while jumping over buildings and climbing staircases . 0 +NH 2 , 92 km through the district from the north end to the south end . 92 km of NH 2 passes through the District from the south end to the north end . 0 +The Irish team consisted of Murphy along with Ken Doherty , Fergal O ’ Brien and Michael Judge as sub . The Irish team consisted of Ken Doherty , Fergal O Brien and Michael Judge along with Murphy as a sub . 0 +A total lunar eclipse took place on 13 April 1968 , the first of two total darknesses in 1968 , and the second on 6 October . A total lunar eclipse took place on April 13 , 1968 , the first of two total eclipses in 1968 , the second being on October 6 . 1 +The Conservatory has a wet climate , the hottest in October and November and most likely to be dry in April and May . The conservancy has a wet climate , hottest in October and November and most likely to be dry in April and May . 1 +Philip Lawson is a pseudonym used for mystery novels written by Michael Bishop with Paul Di Filippo . Michael Bishop is a pseudonym for mystery novels by Paul Di Filippo written by Philip Lawson . 0 +George George Harrison regarded Mukunda and the others who came to England first to be his lifelong friends . Mukunda considered George Harrison and the others who came to England for the first time to be his lifelong friends . 0 +He attended the William Penn Charter School until Junior - year , then moved with his family to New York in Long Island . He attended the William Penn Charter School through junior year , then moved with his family to New York in Long Island . 1 +The company was founded in 2008 from the merger between SP Telemedia , which was founded in 1986 by David and Vicky Teoh , and the Total Peripherals Group . The company was formed from the merger between Total Peripherals Group , founded by David and Vicky Teoh in 1986 , and SP Telemedia in 2008 . 0 +Anadasmus endochra is a moth from the family of Depressariidae , which is found in Amazonas ( Brazil ) . Anadasmus endochra is a moth of the Depressariidae family . It is found in Brazil ( Amazonas ) . 1 +"He played in "" The Secret Circle "" on The CW and appeared in Hallmark - Series "" When the Heart calls "" ." "He appeared in "" The Secret Circle "" on The CW and performed in the Hallmark - series "" When Calls the Heart "" ." 0 +The following night , Delirious put aside his problems with Danielson in order to challenge Pearce . The following night , Delirious put his problems with Danielson aside to challenge Pearce . 1 +"A DVD was released on March 5 , 2012 , performed "" Dudley Taft live at Hwy 99 "" , called August 6 , 2011 in Seattle , Washington ." "A DVD was released on March 5 , 2012 called "" Dudley Taft live at Highway 99 , "" performed August 6 , 2011 in Seattle , Washington ." 0 +The inauguration was organized jointly by the Presidential Transition Cooperation Team of outgoing President Corazon Aquino and the transition team of the coming President Ramos . The inauguration was organized jointly by the Presidential Transition Cooperation Team of incumbent President Corazon Aquino and the transition team of outgoing President Ramos . 0 +Munro was chairman of the Highfields Shire Council from 1888 to 1913 and of the Highfields Divisional Board from 1915 to 1917 . From 1888 to 1913 , he was chairman of the Highfields Divisional Board and chairman of the Highfields Shire Council from 1915 to 1917 . 0 +The album was recorded at Brian Elliot studios in North Hollywood , California , with engineer Jay Lansford and co-producer David Hines . The album was recorded at Brian Elliot Studios in North Hollywood , California , together with engineer Jay Lansford and Co - producer David Hines . 1 +Kalithozhan is a 1966 Indian Malayalam film , produced by M. Krishnan Nair and directed by AV Subbarao . Kalithozhan is an Indian Malayalam film from 1966 , produced by M. Krishnan Nair and directed by AV Subbarao . 1 +""" Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." """ Love Hurts "" is the first episode of the twentieth season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." 0 +In 1998 , parliamentary elections were held in India after the government called in 1996 collapsed and the 12th Lok Sabha was elected . General elections were held in India in 1998 , after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . 0 +He finished his NFL career in splitting the season between the Seattle Seahawks and the New York Giants . He finished his NFL career in the division of the season between Seattle Seahawks and the New York Giants . 1 +"was located at 40 ° 09 ' ; 57 "" Baltimore , 87 ° 26 ' ; 31 "" West ( 40.165833 , -87.441944 ) ." "North was located at 40 ° 09 '57 "" Baltimore , 87 ° 26 ' 31 "" West ( 40.165833 , -87.441944 ) ." 1 +The 2015 season -- 16 rains or gloss Elasto painters is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +Hine was born in 1936 in New Westminster ( British - Colombia ) and grew up in Burnaby . Hine was born in 1936 in Burnaby and grew up in New Westminster , British Colombia . 0 +The Albele River is a tributary of Ciolanu River in Romania . The Albele River is a tributary of the Ciolanu River in Romania . 1 +The eparchy was the seat of the patriarchal Catholic Patriarchate of Cilicia from 1866 until 1928 , when the Armenian seat was moved to Beirut , Lebanon . Eparchy was the seat of the Armenian - Catholic Patriarchate of Cilicia from 1866 to 1928 until the patriarchal seat of Beirut was moved to Lebanon . 0 +The Slavic Soul includes the most beautiful musical themes from 9 countries : songs are traditional , classic and popular , all in new arrangements . The Slavic Soul includes the most beautiful music themes from 9 countries . Songs are traditional , classical and popular , all in new arrangements . 1 +Probably the most famous version of the song was produced by Dick Rowe and was recorded in 1953 by The Stargazers in the UK . Probably the best-known version of the song was recorded by Dick Rowe and produced in the UK by The Stargazers in 1953 . 0 +Emily forces him to sleep in the couch where he is seduced by Jessica . Jessica forces him to sleep on the couch , where he is seduced by Emily . 0 +The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in Antarctica . The Wilhelm Archipelago is an island group off the west coast of the Antarctic Peninsula in Antarctica . 1 +Lisson Grove bus stops for Edgware Road are served by bus routes 16 , 6 , 98 , and 414 . Edgware Road bus stops for Lisson Grove are served by bus lines 16 , 6 , 98 , 414 . 0 +The North Downs Way crosses the Medway viaduct at the eastern end of Medway Valley Walk or the Autobahn bridge . The North Downs Way crosses Medway Valley Walk at the eastern end of the Medway Viaduct or the motorway bridge . 0 +Bordentown is southeast of Trenton and northeast of Philadelphia . Trenton is located southeast of Bordentown and northeast of Philadelphia . 0 +The Ciolanu River is a tributary of the Albele River in Romania . The Albele River is a tributary of Ciolanu River in Romania . 0 +Higher is the fourth album and the fifth studio album , by Ezio , released in 2000 . Higher is the fourth album and the fifth studio album , published by Ezio , in 2000 . 1 +It is found in Canada in northern Ontario and possibly Alberta . It is found in Canada in North - Ontario and possibly Alberta . 1 +After completing his first university education at Cardiff University and in Harrogate , North Yorkshire , he was established in Rouen , France from 1996 to 1999 . After completing his initial university education at Cardiff University , and in Harrogate , North Yorkshire , he was from 1996 to 1999 based in Rouen , France . 1 +The building was expanded in 1967 and a second major enlargement was completed in 1999 . The building was completed in 1967 , and a second major enlargement was expanded in 1999 . 0 +Javier Moracho Torrente ( born August 18 , 1957 in Spain ) is a former Monzón Huesca hurdler . Javier Moracho Torrente ( born August 18 , 1957 in Monzón , Huesca ) is a retired hurdler from Spain . 0 +Baker was established on the Iowa side of the river , and Buell , the side of Illinois . Baker established itself on the Illinois side of the river , and Buell , the Iowa side . 0 +Tom Patterson ( born 12 February 1979 ) is an American entrepreneur , who founded the Tommy John company in 2008 . Thomas John ( born February 12 , 1979 ) is an American entrepreneur who founded the company Tom Patterson in 2008 . 0 +"A Japanese reporter in 1910 described the scene for the people of Kyūshū in a local newspaper , the "" Fukuoka Nichinichi "" :" "In 1910 , a local reporter described in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." 0 +"Abraham was "" hundred years old , when his son was born , whom he called Isaac , and he circumcised him when he was eight days old ." "Abraham was "" an hundred years old "" , when his son whom he named Isaac was born ; and he circumcised him when he was eight days old ." 1 +Staff Kelly , Stacy and Rolo sneak into the jungle to have sex . The Rolo , Stacy and Kelly staff sneak into the jungle to have sex . 1 +The river Lemnia is a tributary of the Lutoasa River in Romania . The Lutoasa River is a tributary of the Lemnia River in Romania . 0 +In the 1980s , the NUM successfully campaigned for the end of the job reservation system , a system that ensured that the best-paid jobs were given to whites . NUM campaigned successfully in the 1980s for the end of the job reservation system , a system which ensured that the best-allocated jobs were paid to whites . 0 +The season of the National Basketball Association from 1954 - 55 was the NBA 's ninth season . The 1954 -- 55 National Basketball Association season was the ninth season of the NBA . 1 +""" Mauritia Mayer "" is the fourth single of the English Gothic Rock band Sex Gang Children and their first on Clay Records ." """ Mauritia Mayer "" is the first single by English gothic rock band Sex Gang Children and their fourth on Clay Records ." 0 +Formal education in Sheffield , a city in England , takes place at the city 's two universities , 141 primary schools and 28 secondary schools . Formal education in Sheffield , a city in England , takes place at the city ’ s two universities , at 141 primary schools and 28 secondary schools . 1 +Conservative central forces can always be expressed as the potential gradient of negative energy . Conservative central forces that are conservative can always be expressed as a negative gradient of potential energy : 0 +Sukagawa has five primary schools , ten junior high schools and seventeen high schools . Sukagawa has five high schools , ten junior high schools , and seventeen elementary schools . 0 +"Jason Lipshutz of Fuse wrote that in the song Rihanna "" varies between the decision to leave and to stay the impulse "" ." "Jason Lipshutz of Fuse wrote that in the song Rihanna is "" swaying between the decision to leave and the impulse to stay "" ." 1 +Leopoldina Naudet was born in 1773 as the eldest daughter of Luisa and Susanna of Arnth in Florence , the sister was Giuseppe Naudet . Leopoldina Naudet was born in 1773 as the eldest daughter of Giuseppe Naudet and Susanna of Arnth in Florence . Her sister was Luisa . 0 +"As reported by Count Harrach , Franz Ferdinand 's last words "" Sophie , Sophie !" "As reported by Sophie , Sophie 's last words were "" Count Harrach , Franz Ferdinand !" 0 +Saladas Department is a department of Argentina in Corrientes Province . Saladas Department is a department of the Province of Corrientes in Argentina . 0 +"William Kellogg bought the "" Jamestown Alert "" by Percy Hansen and Bryon Hansen in 1925 ." "In 1925 , Percy Hansen and Bryon Hansen bought the "" Jamestown Alert "" by William Kellogg ." 0 +In March 1992 , Manser wrote another letter to Mahathir . Manser Mahathir wrote another letter in March 1992 . 0 +This private humanitarian-public project is led by African Agricultural Technology Foundation , a Kenyan non-governmental organization . This public-private humanitarian project is led by the African Agricultural Technology Foundation , a Kenyan non-governmental body . 0 +He represented Australia at the 1999 FIFA - Youth - World Championship in Nigeria . He represented Australia at the 1999 FIFA World Youth Championship held in Nigeria . 1 +Twenty-three episodes of the show were aired before it was cancelled in 1972 . Twenty-three episodes of the show were aired before it was canceled in 1972 . 1 +Tatranska Javorina is a village in Poprad district in the Prešov region of northern Slovakia . Tatranska Javorina is a village in the Prešov region in Poprad district of northern Slovakia . 0 +From 1996 to September 2010 he was Ambassador of Liechtenstein to Belgium . From 1996 to September 2010 , he was ambassador to Belgium in Liechtenstein . 0 +The effect has mainly been observed on nuclear atoms which have alkaline properties particularly suitable for working with traps . The effect has been observed mainly on nuclear atoms with alkaline properties which are particularly suitable for working with traps . 1 +Mora was born in Guadalajara and played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . Mora was born in Monterrey and professionally played for the Universidad de Guadalajara , Cruz Azul and Guadalajara . 0 +It is possible to play the tilt sensor to be able to properly reverse it on a GBA SP . It is possible to play the tilt sensor in order to be able to reverse it properly on a GBA SP . 1 +B is the medium term between the two premises ( the common term ) , but is never distributed , so this syllogism is invalid . B is the usual term between the two premises ( the center term ) , but is never distributed , so this syllogism is invalid . 0 +PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station , and west to Journal Square and Hoboken Terminal . The PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . 1 +Examples of ceramics include white porcelain or white porcelain , decorated with cobalt , copper-blue underglaze , red underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain decorated with cobalt , copper blue underglaze , red underglaze and iron underglaze . 1 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - video game developed by Kush Games and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulation Videogame of 2K Sports developed and published by Kush Games . 0 +Bridges at this site are the only crossing on the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . Bridges at this site are the only crossing of the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . 0 +The library is located next to the headquarters of BHPD , opposite the Beverly Hills Fire Department and near the Beverly Hills City Hall . The library is located next door to the Beverly Hills Fire Department headquarters , opposite the BHPD , and near the Beverly Hills City Hall . 0 +""" Melaleuca similis "" occurs in the Ravensthorpe district in the Esperance Plains and Mallee biogeographic regions . It grows in sand along drainage lines ." """ Melaleuca similis "" comes in the Ravensthorpe district in the biogeographic regions Esperance Plains and Mallee and grows in sand along drainage lines ." 1 +After that , the doors were charged and the man was taken by the mob . After that the doors were charged and the man was taken from the mob . 1 +"The Futon Critic named "" Spin the Bottle "" the 33rd best episode of 2002 and "" Peace Out "" the 25th best episode of 2003 ." "The Futon - critic "" Spin the Bottle "" called the 33rd best episode of 2002 and "" Peace Out "" the 25th best episode of 2003 ." 1 +Dodson has a private practice in New York City and maintains an active website . Dodson has private practice in New York City and maintains an active website . 1 +"In 2014 , A. R. Rahman recorded a song for Chithra 's private album "" Raunaq "" in a studio in Singapore , written by Kapil Sibal ." "In 2014 , Chithra recorded a song at a Singapore studio for A. R. Rahman 's private album "" Raunaq "" written by Kapil Sibal ." 0 +The church was listed as a marked landmark of the city of Santa Barbara on 17 May 2016 . The church was named on May 17 , 2016 as a landmark of the city of Santa Barbara . 0 +Honeyroot is an independent dance collaboration between Glenn Gregory and Keith Lowndes , signed to the ambient reco Honeyroot is an Ambient Dance Collaboration between Glenn Gregory and Keith Lowndes , which is signed by the independent record label Just Music . 0 +David J. Spurlock was born on 18 November 1959 in Memphis , Tennessee . He moved to Dallas , Texas in 1973 . J. David Spurlock was born on November 18 , 1959 in Dallas , Texas . He moved to Memphis , Tennessee in 1973 . 0 +Tuckerton is located in the 2nd Congressional District and is part of New Jersey 's 9th state legislative district . Tuckerton is located in the 9th Congressional District and is part of the second state of New Jersey 's Legislative District . 0 +It was the last edition in which cyclists participated in commercial teams of 1969 , were used on national teams . It was the last edition in which cyclists participated in the national teams , and from 1969 commercial teams were used . 0 +Harry Steger worked as a journalist both in America and in England . Harry Steger worked as a journalist in England and America . 1 +He has been elected President of the Assam Football Association and the Assam Sports Council for several terms , and he was also the Vice-President of the Assam Cricket Association . He was elected President of the Assam Football Association and the Assam Sports Council for several terms ; he was also the Vice-President of the Assam Cricket Association . 1 +Sidmouth is a local government district in Devon , England . Its council is based in East Devon and the largest town is Exmouth . Sidmouth is a local government district in Devon , England , whose council is based in East Devon and the largest city is Exmouth . 1 +He was born on May 21 , 1897 , in Sofia and died on June 15 , 1945 , in Yambol . He was born on 21 May 1897 in Jambol and died in Sofia on 15 June 1945 . 0 +Hector Crawford was the brother of 3DB manager and administrator Curteis Crawford , and also brother to Dorothy Crawford . Hector Crawford was the brother of 3DB manager and administrator Dorothy Crawford , and brother of Curteis Crawford . 0 +In Nairobi there are big squatter communities , such as Kibera in Kenya . There are large squatter communities in Kenya , such as Kibera in Nairobi . 0 +Units can be obsessed on any other continent , but not imported . Units can be owned , but not imported , on any other continent . 1 +Metzinger , a resident of Montmartre , attended the Bateau Lavoir at that time and exhibited with Georges Braque at the Berthe Weill Gallery . Georges Braque , a resident of Montmartre , attended the Bateau Lavoir at that time and exhibited with Metzinger at the Berthe Weill Gallery . 0 +"It is now written by Bread for the City , a local social service organization , and above the door is used "" Dignity , Respect , Service . """ "It is now written by Bread for the city , a local social service organization , and above the door "" dignity , respect , service "" is used ." 1 +On 28 January 2015 , John Carver was brought into Watson 's backroom team at Newcastle United for the remaining 16 games of the 2014/15 season . On 28 January 2015 , Watson was brought into the backroom team of John Carver at Newcastle United for the remaining 16 games of the 2014-15 season . 0 +In 2001 , two new large sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . In 2001 , two new large sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . 1 +His parents were Sr. Rose Boghosian ( Heditisian ) , and Albert David Hedison ; they were Armenian . His parents were Sr. Rose Boghosian ( Heditisian ) and Albert David Hedison , who were Armenian . 1 +The film producer Sol Lesser , who had discovered Jackie Coogan , signed Breen for RKO Radio Pictures . Sol Lesser , a film producer who had discovered Breen , signed Jackie Coogan at RKO Radio Pictures . 0 +Bishop Bennett made Father Thomas Heilman a vicar of the students . Bishop Thomas Heilman made Father Bennett the student 's vicar . 0 +The Casimcea River is a tributary of the River Cartal in Romania . The river Cartal is a tributary of the Casimcea River in Romania . 0 +If the n vectors are linearly independent , equality in Hadamard 's inequality is achieved if and only if the vectors are orthogonal . If the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only when the vectors are independent . 0 +The other Americium forms three-quality fluoride , oxalate , iodate , hydroxide , phosphate , and insoluble salts . The other americium forms trivalent fluoride , oxalate , iodate , hydroxide , phosphate and insoluble salts . 1 +We believe that Jesus Christ was born of the Holy Ghost and received by the Virgin Mary , and is true God and true man . We believe that Jesus Christ was conceived by the Holy Spirit and born of the Virgin Mary and is true God and true man . 0 +In 1963 , the National Chiropractic Association reorganized the American Chiropractic Association ( ACA ) . In 1963 , the American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) . 0 +It is a commercial production of the EPDM intermediate polymer . It is an intermediate product in the production of the commercial EPDM polymer . 0 +"Which is greater or less than or greater than formula _ 16 as "" b "" + "" c "" is less than one ." "What is greater or less than or greater than Formula 16 , as "" b "" + "" c "" is less than one ." 1 +From 1931 until the outbreak of World War II in Europe in 1939 , he worked in Shanghai . From 1931 to the outbreak of the Second World War in Shanghai in 1939 , he worked in Europe . 0 +Amelia and Michael is a British drama short film , produced by Richard Johns in 2007 with Anthony Head and Natasha Powell , and by Daniel Cormack . Amelia and Michael is a 2007 British drama short film directed by Daniel Cormack , starring Anthony Head and Natasha Powell and executive produced by Richard Johns . 0 +Sawamatsu is the sister of the tennis player Naoko Sawamatsu and aunt of Junko Sawamatsu . Sawamatsu is the sister of tennis player Junko Sawamatsu and the aunt of Naoko Sawamatsu . 0 +On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on 7 February 1918 the 12th Field - Artillerie - Brigade . Lloyd took over command of the 12th Field Artillery Brigade on 28 November , 1917 and then the 6th Field Artillery Brigade on 7 February , 1918 . 0 +"In November 2007 , Joseph Ransdell advocated Jaime Nubiola 's view that "" it is simply a mystery at this point "" ." "In November 2007 , Jaime Nubiola endorsed Joseph Ransdell 's view that "" It is simply a mystery at this point "" ." 0 +In a said Mass , this prayer and the following are concelebrated by individual concelebrants . This prayer and the following are concelebrated by individual concelebrants in a said fair . 1 +The river Bârzava is a tributary of the River Gorova in Romania . The River Gorova is a tributary of the Bârzava River in Romania . 0 +A Methodist , he was the first non-conformist to serve as Attorney-General or as a judge in Fredericton . He died in New Brunswick in 1878 . As a methodist , he was the first non-conformist to serve as attorney-general or judge in Fredericton and died in New Brunswick in 1878 . 1 +During the five days of the journey , he studied some books about Elba which he brought from Fontainebleau . During the five days of the journey he brought with him some books about Elba , which he studied from Fontainebleau . 0 +The festival debuted in 2007 and was created in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . The festival was founded in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . 0 +Route 223 or SR-223 is a route that serves as a connection between Union Springs in Bullock County with banks in Pike County . State Route 223 or SR-223 is a route that serves as a connection between Union Springs in Pike County with Banks in Bullock County . 0 +The 2002 Seattle Seahawks season was the team 's 27th season with the National Football League . The season 2002 Seattle Seahawks was the 27th season of the team with the national football league . 1 +The Borcut River is a tributary of the River Colnici in Romania . The River Colnici is a tributary of the Borcut River in Romania . 0 +The album was produced by Jason Suecof and mixed with Colin Richardson . The album was produced by Jason Suecof and mixed by Colin Richardson . 1 +Mukherjee was born on 30 September 1909 in United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British India . Mukherjee was born on September 30 , 1909 in United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British - India . 1 +John Parry , a son of Edwin F. Parry , was a Mormonian hymnwriter . John Parry , a son of Edwin F. Parry , was a Mormon hymnwriter . 1 +Appley converges into the village of Shevington Vale which is within the Greater Manchester border . Appley converges to the village of Shevington Vale , which is located within the Greater Manchester border . 1 +However , most white horses have pink skin and some have blue eyes . Most white horses , however , have pink skin and some have blue eyes . 1 +She is a practicing joiner in Otisfield , Maine and a member of the Oxford Advent Christian Church , an evangelical church in Oxford . Hamper is a practicing carpenter in Oxford and is a member of the Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . 0 +The Great Western Railway took over the OW 'W in 1862 and increased the Cheltenham Spa station in the 1900s when it built the railway between and Honeybourne . The Great Western Railway took over OW 'W in 1862 and enlarged Honeybourne Station in the 1900s when it built the railway between and Cheltenham Spa . 0 +The 908th Airlift Squadron is part of the 357th Airlift Wing at Maxwell Air Force Base , Alabama . 357th Airlift Squadron is part of the 908th Airlift Wing in the Maxwell Air Force Base , Alabama . 0 +Armand Jeanne married Ruth Stuber in 1941 . In 1941 , Ruth Stuber married Armand L. Jeanne ( b . 1 +In the series Finale is Stevie at the age of 13 , portrayed by Mateus Ward , mitzvahed bar . In the series finale , Mateus Ward at age 13 , portrayed by Stevie , is bar mitzvahed . 0 +Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the traditional constitutional monarchies in the Uganda of the 21st century . Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the 21st century Uganda . 0 +The company was then acquired the St. Louis and Cairo Railroad , the narrow gauge . The company acquired the St. Louis and Cairo Railroad , which was narrow gauge . 0 +Yıkılgan is a village in the District of Amasya , Amasya Province , Turkey . Yıkılgan is a village in the Amasya district in the province of Amasya , Turkey . 1 +The northernmost part of the Black Creek watershed , south of the central hill line , including the mouth of Nescopeck Creek , is also in this area . The northernmost part of the Black Creek watershed , south of the central line of hills , including the mouth of Nescopeck Creek , is also in this range . 1 +On 4 January 2015 , Soane Patita Paini Mafi announced that on 14 February he would appoint Tonga 's Bishop , Pope Francis , as Cardinal . On 4 January 2015 , Pope Francis announced that he would make Tonga 's bishop , Soane Patita Paini Mafi , a cardinal on 14 February . 0 +It is south of the Sunset Memorial Gardens and east of the Evansville Regional Airport cemetery . It is south of Evansville Regional Airport and to the east of the Sunset Memorial Gardens cemetery . 0 +He claimed that four Ukrainian soldiers were injured , while two of his men were killed during the fighting . He claimed that four Ukrainian soldiers were killed , while two of his men were wounded during the fighting . 0 +The closest airport is Kagoshima Airport which is located in Kirishima . The closest airport is Kirishima , located in Kagoshima Airport . 0 +Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 - 6 , against Andrew Castle and Roberto Saad . Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 - 6 against Gary Donnelly and Jim Grabb . 0 +Danny Kortchmar played guitar , Charles Larkey played bass and Gordon played drums with Lou Adler producing . Guitar played Gordon , Danny Kortchmar Bass and Lou Adler drums producing with Charles Larkey . 0 +He died on 15 September 1856 at his country home , Rosemore , on the Dunoon near Holy Loch . He died at his country residence of Rosemore on the Holy Loch near Dunoon on 15 September 1856 . 0 +Eugen Luening ( sometimes Eugene Luening ) ( 1852 -- 1944 ) was a musician of German origin born in Milwaukee . Eugen Luening ( sometimes Eugene Luening ) ( 1852 -- 1944 ) was a Milwaukee born musician of German descent . 1 +Adoum was Pablo Neruda 's personal secretary for nearly two years in Chile . For almost two years , Pablo Neruda 's personal secretary was in Chile Adoum . 0 +Antony Worrall Thompson said the pie was meant as a treat for children and was not intended for regular consumption . Antony Worrall Thompson said that the cake was intended as a treat for children and was not meant for regular consumption . 1 +He spent several more years in Atlanta as a computer advisor and software engineer , then moved to New York City in 1998 . He spent several more years in Atlanta as a computer consultant and software engineer , then moved to New York City in 1998 . 1 +A month later the Spanish fleet were destroyed at the Battle of Santiago de Cuba and the crewman was released . A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewmen were released . 1 +Others during the expedition were Frederick William Beechy , science officer and Edward Sabine . Others on the expedition were Frederick William Beechy , science officer and Edward Sabine . 1 +The presynaptic monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of vesicular neurons . The pre-synaptic monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of vesicular neurons . 1 +The district , as originally proposed , was larger to include the commercial areas to the west of Shrewsbury Avenue , including ancient buildings , the Galleria and Maple Avenue . The district as originally proposed was larger , to include the commercial areas west of Shrewsbury Avenue , including the antique buildings , The Galleria and Maple Avenue . 1 +When Arnold arrived in the scene , Samuel Herrick had already been sent to Panton with departments to secure boats to Skenesboro and Asa Douglas . When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with departments to secure boats . 0 +Itami-go was a part of the castle of Arioka , which ruled Araki Murashige under Oda Nobunaga . Itami-go was a part of the castle of Arioka , which ruled Oda Nobunaga under Araki Murashige . 0 +She moved to Switzerland when she was a few months old , then grew up to France , but largely in Paris . She moved to Switzerland when she was a few months old , mostly to France , but then grew up in Paris . 0 +Szabo 's method of double protection was , however , vulnerable to Sybil attacks . Szabo 's method of sybilizing protection was , however , vulnerable to double attacks . 0 +""" Bonne Citoyenne "" had the misfortune to be damaged in a storm and separated from the rest of the French squadron ." """ Bonne Citoyenne "" had the misfortune to be damaged in a storm and to be separated from the rest of the French squadron ." 1 +For example , the National Municipal League ( originally the National Civic League ) encourages effective management of local government . For example , the National Civic League ( originally the National Municipal League ) promotes an effective management of the local government . 0 +The orbital data are consistent with the secondary component either a red dwarf or a white dwarf star . The orbital data is consistent with the secondary component being either a white dwarf or a red dwarf star . 1 +Baptist lives back in Sydney and is currently working from his North Sydney studio . Baptist is living back in Sydney and currently working from his North Sydney studio . 1 +Incumbent mayor John Herron won a divided Republican Primary against Councilman Joseph A. McArdle and Register of Wills Joseph Mackrell . The current mayor , John Herron , won a divided Republican primary against Councilman Joseph A. McArdle and Register of Wills , Joseph Mackrell . 1 +"This is a list of the second football transfers for the "" Malaysian transfer window 2013 "" ." "This is a list of second football transfers for the "" 2013 Malaysian transfer window "" ." 1 +They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . 0 +He was appointed by Stephen Harper to the Senate of Canada on August 27 , 2009 and represents Nunavut as a Conservative . Stephen Harper was named to the Senate of Canada by Patterson on August 27 , 2009 . He represents Nunavut as a Conservative . 0 +In 1938 , under pressure from Germany , Japan ended its support for China , and Falkenhausen had to withdraw from China . Germany ended its support for China in 1938 , under pressure from Japan , and Falkenhausen had to withdraw from China . 0 +Yves Préfontaine ( born 1 February 1937 in Montreal , Quebec ) is a Canadian writer based in Quebec . Yves Préfontaine ( born February 1 , 1937 in Quebec ) is a Canadian writer in Montreal , Quebec , Canada . 1 +"The league has been described as using English and Celtic mythology "" against what is perceived as a politically correct celebration of multicultural southern diversity "" ." "The League has been described as using English and Celtic mythology "" belligerently against what is perceived as a politically correct celebration of multicultural Southern diversity "" ." 1 +"In April 2013 , when the merger with Air Italy was completed , Meridiana returned to its former , shorter name "" Meridiana Fly "" ." "In April 2013 , when the Air Italy merger was completed , Meridiana Fly returned to its former , shorter name , "" Meridiana "" ." 0 +Huge fields along the zone were discovered in 1920 at Huntington Beach Oil Field and at Long Beach Oil Field in 1921 . Giant fields along the zone were discovered in 1920 at Long Beach Oil Field and Huntington Beach Oil Field in 1921 . 0 +Orson Welles saw in Florida Schilling and followed him in New York . Orson Welles saw Schilling in New York and followed him to Florida . 0 +He was also invited to play for the Barbarians in 1992 , becoming the first Japanese player to be chosen in the Babaas . He was also invited in 1992 to play for the barbarians and became the first Japanese player to be chosen in the Babaas . 1 +The name of the genus comes from the Latin word Augusta , the venerable form of Augustus , meaning feminine . The name of the genus is taken from the Latin word augusta , the venerable form of augustus , meaning feminine . 1 +"During 1942 , "" Whitehall "" was "" adopted "" by the civil community of Cheltenham , Gloucestershire , in a Warship Week national savings campaign ." "During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civilian savings campaign of the warship - week "" ." 0 +And later , Roque Lopez installed himself as president of the provisional government in Santa Barbara town in Iloilo . And later installed Roque Lopez as president of the provisional government in Iloilo town in Santa Barbara . 0 +The 1960 San Diego State Aztecs football team represents San Diego State College during the NCAA College Division Football season in 1960 . The 1960 San Diego State College football team represented NCAA College Division , during the 1960 San Diego State Aztecs football season . 0 +In other words , at this extremely high temperature , the binding energy of the photons would overwhelm the kinetic energy of strong nuclear power . In other words , at this extremely high temperature , the photons ' binding energy would overwhelm the kinetic energy of the strong nuclear force . 1 +They were replaced by Jill Culton in 2008 , who was followed by Chris Jenkins , with Todd Wilderman in 2010 . They were replaced in 2008 by Jill Culton , followed by Todd Wilderman , with Chris Jenkins in 2010 . 0 +He worked in Shanghai from 1931 until the outbreak of the Second World War in Europe in 1939 . From 1931 until the outbreak of World War II in Shanghai in 1939 , he worked in Europe . 0 +Hill went and wrote some paragraphs about the idea then he and Giler wrote a full script . Giler wrote some paragraphs about the idea and then he and Hill went out and wrote a full script . 0 +He was also elected the Fellow of the Royal Society in 1749 and was appointed Fellow of the Royal College of Physicians in London in 1754 . Also in 1749 he was elected a Fellow of the Royal Society and in 1754 was made Fellow of the Royal College of Physicians , London . 1 +Davidson is a statue created by Will Rogers . In 1938 , two versions were unveiled . Jo Davidson is a statue created by Will Rogers , two versions of which were unveiled in 1938 . 1 +Cain married in 1968 Vera Nell Washington , who has a son , Brian Earl Cain , and a grandson , Brian Earl Cain , Jr.. Cain married Vera Nell Washington in 1968 . He has a son , Brian Earl Cain , and a grandson , Brian Earl Cain , Jr . 1 +The Jewish Community Leadership Council was formed in 2003 ( the Jewish Leadership Council ) . The Jewish Community Leadership Council was formed in 2003 ( as the Jewish Leadership Council ) . 1 +The leaves are usually 1.5-4 mm long and 0.2-0.7 mm wide . The leaves are generally 1.5-4 mm wide and 0.2-0.7 mm long . 0 +For the recording of this album , a new drummer , Dave Traves , joined the band , as were a second guitarist Heyden Wilson . A new drummer , Heyden Wilson , joined the band for recording this album , as did a second guitarist , Dave Traves . 0 +The SDF headquarters in Tel Abyad was attacked and 5 other villages , Sharghrat , Kantari , Nastleh , Ghuwera and Qantrah , were attacked . The SDF headquarters in Tel Abyad was targeted and 5 other villages ; Sharghrat , Kantari , Nastleh , Ghuwera and Qantrah were attacked . 0 +States in red were won by Republican Abraham Lincoln ; states in blue were won by Democrat George B. McClellan . The states in red were won by the Republican Abraham Lincoln , who won states in blue by Democrat George B. McClellan . 1 +The majority of Victorian Coatham is modern housing , most notably at its northern tip by the Coatham Hotel built in 1860 . The majority of modern Coatham is a Victorian housing , especially at its northern tip built by the Coatham Hotel in 1860 . 0 +The album includes Diana Hubbard , musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker and Patrick Moraz . In addition to Michael Boddicker , and Patrick Moraz , the album includes musical contributions from Diana Hubbard , John Goodsall , Chick Corea , Stanley Clarke . 0 +In 2015 , it was named as part of the Philharmonie de Paris Philharmonie 2 , when a larger symphony room was built by Jean Nouvel and renamed to Philharmonie 1 . In 2015 it was renamed Philharmonie 2 as part of the Philharmonie de Paris when a larger symphony hall was built by Jean Nouvel and named Philharmonie 1 . 0 +In September 1994 , Anton Anton married Lesley Gray . In September 1994 , Anton married Lesley Gray Anton . 1 +The Canadian Red Cross also has long-term development programs in the regions of Asia , the Americas , Africa , and the Middle East and North Africa . The Canadian Red Cross also has long-term development programs in the regions of Africa , the Americas , Asia , and the Middle East and North Africa . 1 +The typical Portuguese immigrant was a single man in Brazil . The typical Portuguese immigrant in Brazil was a single man . 1 +SAfm was the first radio station of the SABC and the country 's first public radio station . SAfm was the SABC 's first public radio station , and the country 's first radio station . 0 +Feliciano Centurión ( March 29 , 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) was a Paraguayan painter . Feliciano Centurión was a Paraguayan painter ( 29 March 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) . 1 +Moraes spent eight years in Britain , London , and Oxford , New York City , Hong Kong , Delhi , and Bombay , now Mumbai . Moraes spent eight years in Britain , in Mumbai now London and Oxford , New York City , Hong Kong , Delhi and Bombay . 0 +The LKP was a member of the Comintern ( Third International ) from 1919 . From 1919 was the Third International Member of the Comintern ( LKP ) . 0 +Skepi is an extinct Dutch creole language of Guyana , spoken in the region of Essequibo . Skepi is an extinct Dutch-based creole language of Guyana , spoken in the region of Essequibo . 1 +Italy qualified for the 2009 European Baseball Championship from the 2007 competition . The other qualifiers were Netherlands , Great Britain , Spain , Germany , France and Sweden . Italy qualified for the Baseball - European Championship 2009 from the 2007 competition . The other qualifiers were Netherlands , Sweden , Spain , Germany , France and the UK . 1 +The couple had their first child , Nicol , in August 2012 , and their second son Schalk Jr. was born in March 2014 . In August 2012 , the couple had their first child , Shalk Jr . In March 2014 , their second son Nicol was born . 0 +There was once a Nottingham railway station on the line between Market Harborough and Hallaton . On the line between Market Harborough and Nottingham , there was once a train station of Hallaton . 0 +I would have taken the experience for five years to gather in New York and I was able to accumulate it in six months . "The experience would have taken me five years to accumulate in New York , and I was able to gather it in six months. """ 1 +Ila , formerly Ilevolden , is a tram stop at Trondheim Tramway , in Trondheim , Ila , Trondheim , Norway . Ila , formerly Ilevolden , is a tram stop on the Ila , located at Trondheim Tramway , Trondheim in Trondheim , Norway . 0 +The idea is to sort the data on the x or y coordinate of one of the corners of the rectangles . The idea is to coordinate the data in the x or y type of one of the corners of the rectangles . 0 +Molecular evidence supports a tree for Janthinoidea that shows the sequential development of traits for a neustonic life . Molecular evidence supports a tree for Janthinoidea that shows the sequential development of properties for a neustonic life . 1 +Central Butte is located near to Central Butte Airport , Saskatchewan , Canada . Central Butte Airport is located close to Central Butte , Saskatchewan , Canada . 0 +A few years later it was reopened , but soon failed again . A few years later it failed again , but opened again soon . 0 +It was born in Da Lat in 1963 , to a Vietnamese father and a French mother . It was born in Da Lat in 1963 , to a French father and a Vietnamese mother . 0 +In January 2006 , Juliette opened the doors to the Urban Dance Centre with her husband Douglas Blaikie . Juliette and her husband Douglas Blaikie opened the doors to Urban Dance Centre in January 2006 . 1 +They can be heard often long before they are seen . They can be often seen long before they are heard . 0 +"By Sudeep Sen , Anthology of Contemporary Indian Poetry edited by Menka Shivdasani published by Michael Rothenberg in 2004 ; "" Ten : The New Indian Poets "" ." "By Michael Rothenberg , Anthology of Contemporary Indian Poetry , edited by Sudeep Sen , published by Menka Shivdasani in 2004 , "" Ten : The New Indian Poets "" ." 0 +In Finnmark he completed some of the paintings he had outlined on his Stockholm tour in 1832 . In Finnmark , he completed several of the paintings he had outlined on his 1832 Stockholm tour . 1 +The second method is used if the number of elements in each row is the same and is known at the time the program was written . The second method is written when the number of elements in each row is the same and is known at the time of program use . 0 +The major organisational changes brought about by the Transport Act were themselves the subject of major changes in the period after 1983 . The major organisational changes brought about by the Transport Act were themselves subject to major changes in the period after 1983 . 1 +Albert Henry Ross ( January 1 , 1881 -- September 14 , 1950 ) , ( pseudonym Frank Morison ) , was an English advertising agency and freelance writer . Frank Morison ( January 1 , 1881 - September 14 , 1950 ) , ( pseudonym Albert Henry Ross ) , was an English advertising agent and freelance writer . 0 +Fish species of the parks rivers and lakes are Sperchios barbel , Greek chub , Sperchios spirlin , Macedonian trout and probably the endangered Marathon minnow . Fish species of the parks rivers and lakes are Sperchios Barbel , Greek Dobel , Sperchios spirlin , Macedonian trout and probably the endangered Marathon Minnow . 1 +In addition to the static array used in design , SystemVerilog offers dynamic arrays , associative arrays and queues : SystemVerilog also offers static arrays , dynamic arrays and queues in addition to the associative array used in the design . 0 +Miloslav Mečíř won against John McEnroe at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . Miloslav Mečíř won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against John McEnroe . 1 +The village of North Bellport is located on the shore of Bellport Bay , an arm of the Great South Bay , a mile south of Bellport . The village of Bellport is located on the shore of Bellport Bay , an arm of the Great South Bay , one mile south of North Bellport . 0 +"The Riemann zeta function is defined for complex "" s "" with real part greater than 1 by the absolutely convergent infinite series" "The Riemann Zeta function is defined by the absolutely convergent infinite row for reelle "" s "" with complex part greater than 1 ." 0 +This procedure requires a manual arrangement and is not pure statistically , since arbitrary adjustments can be made . This method requires a pure arrangement and is not statistically arbitrary , since manual adjustments can be made . 0 +The audio companion for live concert was released on January 29 , 2008 as a digital album on iTunes . The audio companion to the digital concert was released on 29 January 2008 as a live album at iTunes . 0 +As a candy , they are often black with licorice flavor or red and strawberry or cherry flavored . As a candy , they are often red with liquorice or black and strawberry or cherry flavor . 0 +The standard gauge line followed a new alignment through the Avon Valley of the Darling Scarp east of Perth . The standard gauge was followed by a new alignment through the Avon valley of the Darling Scarp east of Perth . 1 +"The "" National Post "" and Warman apologized , retracted the statement and started with Kay out of court ." "The "" National Post "" and Kay apologized , retracted the statement and settled out of court with Warman ." 0 +Bernicat speaks Russian , Hindi and French in addition to English . In addition to English , Bernicat speaks French , Hindi and Russian . 1 +Simon Brook is the son of director Peter Brook and actress Natasha Parry , his sister is actress and writer Irina Brook . Simon Brook is the son of fellow director Peter Brook and the actress Irina Brook . His sister is the actress and writer Natasha Parry . 0 +The father of Woodstock , Artie Kornfeld , has teamed up with Larry McClurg to promote the Goodstock Music Festival , Pollstar reported . The Father of Woodstock Larry McClurg teamed up with Artie Kornfeld to promote Goodstock Music Festival , reported Pollstar . 0 +Germar Rudolf , also known as Germar Scheerer , was born on 29 October 1964 , is a German chemist and convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born on 29 October 1964 , is a German chemist and convicted Holocaust denier . 1 +David Niepsuj ( born August 16 , 1995 ) is a German-born Polish footballer who plays for Pogoń Szczecin as a rights defender . David Niepsuj ( born 16 August , 1995 ) is a Polish-born German footballer , who plays as a right-back for Pogoń Szczecin . 0 +Eckhoff represented New Zealand in 1928 against Great Britain , in 1930 against Australia . Eckhoff represented Great Britain in 1928 against New Zealand , and in 1930 against Australia . 0 +The game was published on 12 September 2008 in North America and on September 22 in Europe . The game was released in Europe on September 12 , 2008 , and in North America on September 22 , 2008 . 0 +The single root - the test is then carried out under the null hypothesis formula 8 against the alternative hypothesis of Formula 9 , once a value for testing The unit root test is then carried out under the null hypothesis formula _ 8 against the alternative hypothesis of formula _ 9 Once a value for the test statistic 1 +On 26 February 1976 , the Royal Thai Government officially handed over Korat to the USAF . The USAF officially turned Korat over to the Royal Thai Government on 26 February 1976 . 0 +PEVQ - MOS - results range from 1 ( excellent ) to 5 ( bad ) and specify the perceived quality of the decoded sequence . The PEVQ - MOS results range from 1 ( bad ) to 5 ( excellent ) and show the perceived quality of the decoded sequence . 0 +Teewurst was invented in the middle of the 19th century in Poland , probably in the small Baltic town of Rügenwald ( today Darłowo , Pomerania ) . Teewurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic city of Rügenwalde ( today Darłowo , Poland ) . 0 +He died in Lyon on 23 July 1963 and was buried at the cemetery of la Chartreuse in Bordeaux . He died in Bordeaux on 23 July 1963 and was buried at the Cemetery de la Chartreuse in Lyons . 0 +"The small marine blennioid blenny ( "" Ecsenius australianus "" ) are Australian fish of the genus "" Ecsenius "" ." "Australian Blenny ( "" Ecsenius australianus "" ) are small marine blennioid fish of the genus "" Ecsenius "" ." 0 +"Clothes for special occasions were made of striped silk with short sleeves with a winged "" Taqsireh "" jacket as bethlehem jacket ." "Dresses for special occasions were made of striped silk with short sleeves with a winged "" taqsireh "" jacket known as the Bethlehem jacket ." 1 +The first vector locates the direction of the axis and the second vector identifies its position . The first vector identifies the direction of the axis and the second vector determines its position . 0 +Micky and Norma are still together and Carlitos and Justa are too . Micky and Norma are still together and so are Carlitos and Justa . 1 +The Muslim Student Society of Nigeria ( MSSN ) was co-founded in 1954 by Abdurrahaman Sahid , Babs Fafunwa , Aromashodun Tajudeen , Lateef Adegbite in Lagos . The Muslim Students Society of Nigeria ( MSSN ) was cofounded in 1954 by Lateef Adegbite , Tajudeen Aromashodun , Abdurrahaman Sahid , Babs Fafunwa in Lagos . 1 +David Tebele Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi Abraham Naftali Hertz Scheuer . Abraham Naftali Hertz Scheuer was born in 1753 , the son of his father Rabbi David Tebele Scheuer in Frankfurt am Main . 0 +In 2014 , founding member Devin Abrams left the band for 15 years and was replaced by Dan McGruer . In 2014 , founding member of 15 years Devin Abrams left the band and was replaced by Dan McGruer . 1 +Gu8mundur Ívarsson Guðmundsson replaced Emil Jónsson as Minister for Foreign Affairs . Guðmundur Ívarsson Guðmundsson replaced Emil Jónsson as Minister for Foreign Affairs . 1 +They feed on fruits , large insects and occasionally small vertebrates ( e.g . They feed on fruit , large insects and occasionally small vertebrates ( e.g . 1 +""" Nobody Does It Better "" is a song composed by Marvin Hamlisch with lyrics by Carole Bayer Sager ." """ Nobody Does It Better "" is a song composed by Carole Bayer Sager with texts by Marvin Hamlisch ." 0 +As part of a streamlining campaign , the company reported in January 2017 that it will close three remaining regional cuisines in Everett , Landover and Atlanta . As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Atlanta , Landover and Everett . 1 +Later , he met Theodoros Kolokotronis , whom he also wanted to admire . He later met Theodoros Kolokotronis , whom he also came to admire . 1 +The Glassport Odds were a semi-professional , later professional football team from Glassport , Pennsylvania from 1913 until 1950 . The Glassport Odds were a semi-professional , later professional , football team from Glassport , Pennsylvania from 1913 to 1950 . 1 +In 1974 , he won the positions of Concertmaster of the Boston Symphony and Associate Concertmaster of the Boston Pops , where he spent 11 years . In 1974 he won the positions of the Concertmaster of Boston Pops and Associate Concertmaster of the Boston Symphony , where he spent 11 years . 0 +"In September 2013 , a book by David Rankin on Dore Ashton 's work titled "" David Rankin : The New York Years "" was released ." "In September 2013 , a book by David Rankin was published on Dore Ashton 's work entitled "" David Rankin : The New York Years "" ." 1 +"Santiago is a vulgar evolution of the Galician Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is the Galician evolution of the Latin vulgar Sanctu Iacobu , "" Saint James "" ." 0 +The Director-General , Mr Lee Hsien Yang , is led by CAAS , with Mr Kevin Shum serving as Chairman of the Board . CAAS is led by Director-General Mr Lee Hsien Yang , with Mr Kevin Shum serving as the board 's Chairman . 1 +"Vancouver also had 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had 11.2 and Sarnia had 12.7. """ Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had had 11.2 and Sarnia had 12.7 . 1 +It was delineated as a census-designated place ( CDP ) for the 2000 census , at which time its population was 8,487 . It was delineated for the census of 2000 as a census - designated place ( CDP ) , at which time its population was 8,487 . 1 +In the summer of 1956 , Mike Barnett took over Frank Lovejoy 's role until the end of the series in the same year . In the summer of 1956 , Mike Barnett took over the role of Frank Lovejoy until the series ' end that same year . 1 +Thomas was the youngest child of peasant Fred and Elizabeth Goodwill . Fred was the youngest child of the Thomas and Elizabeth Goodwill farmers . 0 +They were accompanied by several other families , or were soon followed , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver , and Rich . They were accompanied or were soon followed by some other families , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . 1 +In March 1298 , he received official Mongolian recognition as the ruler of Burma . He received official Mongol recognition as the ruler of Burma in March 1298 . 1 +This North American East Hour series was broadcast from 22 May to 10 July 1966 on Sundays at 3 : 00 p.m. ( half time ) . This North American Eastern-hour series was broadcast on Sundays at 3 : 00 p.m. ( half time ) from 22 May to 10 July 1966 . 1 +He was trained at Brunswick House , a preparatory school in Folkestone , and moved to Sutherland House , a similar school in Hove . He was educated at Brunswick House , a preparatory school in Folkestone and then moved to Sutherland House , a similar school in Hove . 1 +The first relates to the selection of a single language and the adoption of a common script : The first sign refers to the selection of a common language and the adoption of a single script : 0 +His son , Aimé Boucher , was a Quebec politician . His daughter Marguerite married Félix Allard , a member of the Canadian House of Commons . His son Félix Allard was a politician from Quebec , his daughter Marguerite married Aimé Boucher , a member of the Canadian lower house . 0 +Nishiyama was elected as the inaugural President of the new AAKF . Nishiyama was elected as the new president of the first AAKF . 0 +Flashbacks show between their conversations Hannah and Annie 's history with Adrian . In between their conversations , flashbacks show Adrian 's history with Hannah and Annie . 0 +The following year , studios and offices for the station were moved to the 1484 Beech Street in Hornellsville , just outside Hornell . The following year , studios and offices for the station were moved to 1484 Beech Street in Hornellsville , just outside Hornell . 1 +Over the Bush River and Appomattox River it is part of the watershed of the James River . He is part of the James River Watershed via the Appomattox River and the Bush River . 1 +Doriano Romboni ( December 8 , 1968 in Lerici , Italy -- 30 November 2013 in Latina , Italy ) was an Italian Grand Prix - Motorcycle - Road Racer . Doriano Romboni ( 8 December 1968 in Lerici , Italy -- 30 November 2013 in Latina , Italy ) was an Italian Grand Prix motorcycle road racer . 1 +For six months , Hopkins toured the band through Japan , the United States and England . Hopkins toured with the band for six months through Japan , the United States , and England . 1 +He was born in Gollnow , Brandenburg , died in Dahme , Pomerania . He was born in Gollnow , Brandenburg , and died in Dahme , Pomerania . 1 +Warrington died on February 10 , 1906 in Brentford , Middlesex , and his will was demonstrated in London on March 29 . Warrington died in London on 10 February 1906 , and his will was proven on 29 March in Brentford , Middlesex . 0 +There were also 58 connection aircraft , but 20 of these were used only for messengers . There were only 58 liaison aircraft but 20 of these were also used for messengers . 0 +He came from Feckenham , Worcestershire , England , and was born on Joyce Sutton of Wattlesborough and Edward Sutton , daughter of John Leighton , 2nd Baron Dudley . He was from Feckenham , Worcestershire , England , born to John Leighton of Wattlesborough and Joyce Sutton , daughter of Edward Sutton , 2nd Baron Dudley . 0 +Maplewood is situated in the 10th Congressional District and is part of New Jersey 's 27th legislative district . Maplewood is located in the 27th Congressional District and is part of New Jersey 's 10th state legislative district . 0 +Ian Weatherhead lived for many years in Somerset before moving to Cheltenham . Ian Weatherhead lived in Cheltenham many years before moving to Somerset . 0 +"In Euclidean morphology , an image is viewed as a subset of an binary space formula _ 1 or the integer grid formula _ 2 , for some dimension "" d "" ." "In binary morphology , an image is considered a subset of an Euclidean space formula 1 or the integer grid formula 2 for some dimension "" d "" ." 0 +Zvonareva 's first victory against Clijsters came at the 2010 Wimbledon Championships . Zvonareva 's first victory against Clijsters came at the Wimbledon Championships in 2010 . 1 +In 2013 , Williamson left and was replaced by guitarist Keith Tew and later , Boling left and was restored by Don Hill . In 2013 , Williamson left and was replaced by guitarist Don Hill and later , Boling was left and replaced by Keith Tew . 0 +The J.N . Hobbs medal may be awarded annually for outstanding contributions to amateur ornithology by an Australasian ornithologist . The J.N . Hobbs - Medal can be awarded annually for outstanding contributions to Australasian ornithology by an amateur ornithologist . 0 +In 1643 , the English parliamentarian Alexander Rigby bought the great existing Plough of Lygonia patent , which included the entire area , including Cape Elizabeth . In 1643 , English Parliamentarian Alexander Rigby bought the entire existing Plough of Lygonia patent which included the large area including Cape Elizabeth . 0 +He was a member of the Louisiana State Fair Board , Chairman of the State Fair Stadium Commission and Commissioner of the Louisiana Superdome in New Orleans . He was a member of the State Fair Stadium Commission , Chairman of the Louisiana State Fair Board and a Commissioner for the Louisiana Superdome in New Orleans . 0 +"It was relaunched in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and published on Bridge 9 Records in 2003 ." "It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" Format ) and re-released in 2003 on Bridge 9 Records ." 0 +From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . From 1898 to 1902 , around 1,300 birds were imported from America and released from Northland to Southland in many parts of the North and South Islands . 1 +Yıkılgan is a village in the Amasya district in the province of Amasya , Turkey . Yıkılgan is a village in the District of Amasya , Turkey , Amasya Province . 1 +Moulthrop began experimenting with the hypertext theory in the 1980s and has written several articles as well as many hypertext - fiction - works since then . Moulthrop began experimenting with hypertext theory in the 1980s , and has written several articles as well as authored many hypertext fiction works . 0 +He lived in New York City for twenty years and returned in May 2005 to San Antonio . He lived in New York City for twenty years , returning to San Antonio in May 2005 . 1 +""" Chuck versus the Family Volkoff "" is the 20th episode of the fourth season of "" Chuck "" , and the 74th overall sequence of the series ." """ Chuck Versus the Family Volkoff "" is the 20th episode of the fourth season of "" Chuck "" , and the 74th overall episode of the series ." 1 +From 1965 to 2000 , it was owned by newspaper chains including Thomson Newspapers and the MediaNews Group . From 1965 to 2000 , it was owned by newspaper chains including MediaNews Group and Thomson Newspapers . 1 +The song was written by Thicke and Lamar besides will.i.am and produced by Dr. Luke and Cirkut . The song was written by Thicke and Lamar alongside will.i.am , and produced by Dr. Luke and Cirkut . 1 +The Mapuche live in southern South America especially in central Chile ( Araucanía and Los Lagos ) and the adjacent areas of Argentina . The Mapuches live in southern South America mostly in central Chile ( Araucanía and Los Lagos ) and the adjacent areas of Argentina . 1 +Miller was raised in the outskirt mountains of Tijuana , Mexico for some time , before settling down in Santa Barbara , California . For some time , Miller Miller was raised in the mountains of Tijuana , Mexico , before settling in Santa Barbara , California . 1 +In the TV series , Olaf Petersen is played by Mark Williams . Mark Williams is played in the TV series by Olaf Petersen . 0 +However his troops were enough to prevent a Serbian invasion and he led the Serbian delegation which negotiated with the Bulgarian King Stefan Decanski . His troops were , however , enough to prevent a Serbian invasion , and he led the Bulgarian delegation that negotiated with Serbian King Stefan Decanski . 0 +"Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) as Smith Sounds ." "Greg Smith has released two solo albums as Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 1 +"Other works of Benjamin Hallowell in Washington , D.C. , include sculptures by Bailly and Alexander "" Boss "" Shepherd ." "Bailly 's other works in Washington , D.C. are sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." 0 +He thinks that Elbow is too accepting while he , himself , believes that the writer should prove himself first . He believes that Elbow is too acceptable , while he thinks himself that the writer should first prove himself . 1 +Callery is located in the southwestern corner of the Adams Township in northwest Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the northwestern corner of Adams Township in southwestern Butler County ( 40.739587 , -80.037211 ) . 0 +Danelli met Eddie Brigati ( a pickup singer on the local R & B circuit ) , and Felix Cavaliere ( a classically trained pianist ) in 1963 . In 1963 , they met Eddie Brigati ( a pickup singer on the local R 'B circuit ) and Felix Cavaliere ( a classically trained pianist ) . 1 +The specific number of spaces in the indentation is not important as long as parallel elements have the same left orientation and the hierarchically indented elements are further nested . The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left orientation and the hierarchically nested elements are further indented . 0 +Caranavi is located north of Rurrenabaque , on the road from La Paz to Coroico . Caranavi is situated to the north of Coroico on the road from La Paz to Rurrenabaque . 0 +This layer only deals with electrical connectors and sockets and the physical specification of the signals . This layer deals only with the physical connectors and sockets and the electrical specification of signals . 0 +His representative grandchildren , Hannah and Matt Smith , have played a great rugby for Scotland . His great grandchildren , Hannah and Matt Smith have played representative rugby for Scotland . 0 +Thomas Foley married Anne Foley , the daughter of Bourchier , M.P . Bourchier married Anne Foley , daughter of Thomas Foley , M.P . 0 +For many problems it is more convenient to work with D and free charges than with E and the total charge . In the case of many problems , it is more convenient to work with D and total fees than with E and the free charge . 0 +After four years in Australia , he returned to Paris in 1982 and resumed his professorship at the ANU . Slatyer returned to Paris in 1982 , after four years in Australia , and resumed his professorship at ANU . 1 +The Georgian Government protested against the allegedly growing uncontrolled presence in the region and against the Russian economic and political military on the South Ossetian side . The Georgian government protested against the allegedly increasing Russian economic and political presence in the region and against the uncontrolled military of the South Ossetian side . 0 +Intravenous therapy is monitored and the urine output is utilized with a catheter in the bladder . The intravenous therapy is applied and the urine output is monitored with a catheter in the bladder . 0 +Its natural habitats are subtropical or tropical wet lowland forests and plantations . Its subtropical or tropical moist habitats are natural lowland forests and plantations . 0 +Pacinian corpuscles , or Lamellar corpuscles , are pressure receptors located in the skin and also in various internal organs . Each is connected to a sensory neuron . Lamellar corpuscles or Pacinian corpuscles are pressure receptors in the skin and also in different internal organs , each connected to a sensory neuron . 1 +After a brief stay in New York City with his cousin , he moved to New Orleans . He moved to New York City after a short stay in New Orleans with his cousin . 0 +East of Niagara County village , NY 104 follows Ridge Road through a sparsely populated area of Lewiston . East of the village of Niagara County , NY 104 of Ridge Road follows through a sparsely populated area of Lewiston . 1 +This radioactive heavier isotope may be new depending on the chemical element ( stable or unstable ) . Depending on the chemical element , this new heavier isotope can be stable or unstable ( radioactive ) . 0 +"While Quine has referred to such logics as "" including "" logic , they are now called free logic ." "While Quine called such logics "" inclusive "" logic they are now referred to as free logic ." 1 +Jackson Heights is surrounded by a number of light industrial neighbourhoods and residential subdivisions . Jackson Heights is surrounded by a number of light industrial neighbourhoods and residential areas . 1 +The event attracts tourists and participants from all areas of the California coast , Washington and Oregon . The event draws tourists and participants from all areas of the Oregon coast , Washington and California . 0 +Its holding company , Guinness World Records Ltd , was owned by Diageo , subsequently Guinness plc , until 2001 . Its holding company , Guinness World Records Ltd , was owned by Diageo until 2001 , later Guinness plc . 1 +The Family was a 1974 BBC television series made by producer Paul Watson , and directed by Franc Roddam . The family was a BBC television series from 1974 directed by producer Franc Roddam and directed by Paul Watson . 0 +Kendrick - Mass defect is the exact kendrick - mass subtracted from the next integer Kendrick mass . The Kendrick mass defect is the exact Kendrick mass subtracted from the nearest integer Kendrick mass . 1 +A Kepler triangle is a right-angled triangle with edge lengths in geometric progression , whereby the ratio of the edges of a Kepler triangle is bound to the golden ratio . A Kepler triangle is a right triangle with edge lengths in geometric progression . The ratio of the edges of a Kepler triangle is linked to the golden ratio 1 +When first paved , the route was designated between Treichlers and Bath . When it was first designated , the route between Treichlers and Bath was paved . 0 +Marine losses for the day were 16 killed and 98 wounded , while the KPA lost 9 captured and an estimated 50 killed and 55 wounded . Losses for the day were killed 16 and 98 wounded , while the KPA 9 captive and estimated 50 killed and 55 wounded lost . 0 +On October 11 , 1975 , Hill married Bill Hillary , and her only child , Chelsea , was born on February 27 , 1980 . Bill married Hillary on October 11 , 1975 , and their only child , Chelsea , was born on February 27 , 1980 . 1 +In 1854 the Kansas Territory was founded , in 1861 Lane County became the 34th U.S. state , in 1873 Kansas was established . In 1854 , the Kansas Territory was organized , then in 1861 Kansas became the 34th U.S. state . In 1873 , Lane County was established . 0 +Caymanians lightened mules or donkeys with lanterns tied to their bodies to walk along the beaches , or made a large campfire to attract sailors . Caymanians lit mules or donkeys with lanterns tied to their bodies to walk along the beaches or made a large bonfire to attract sailors . 1 +This French supported production with Jean Louis Martinoty , conductor , and his Orchestra was directed by John Eliot Gardiner . This French-supported production with Jean Louis Martinoty , conductor , and his orchestra was directed by John Eliot Gardiner . 1 +The Connecticut WFP helped elect Congressman Jim Himes by defeating Republican Congressman Chris Shays . The Connecticut WFP helped elect congressman Chris Shays , defeating long-term Republican congressman Jim Himes . 0 +This main shrine has 59 branch shrines in Tokyo and 162 shrines in Saitama Prefecture . This main shrine has 59 branch shrines in Tokyo and 162 branch shrines in Saitama Prefecture . 1 +The Maltz Museum of the Jewish Heritage is located next to the temple in Beachwood and houses part of the collection of the Temple Museum . The Maltz Museum of Jewish Heritage is located next to The Temple in Beachwood and houses part of the Temple Museum 's collection . 1 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital in the Forest Gate , London , and lived in North Kilworth , South - Leicestershire . Ashton was born on November 30 , 1957 in the Whips Cross Hospital in Forest Gate , Leicestershire , and lived in North Kilworth , South London . 0 +Kathryn Lindskoog , an independent Lewis scholar , argued that Hooper 's scholarship is not reliable and that he has made false statements and attributed false works . The independent hooper - scholar Kathryn Lindskoog argued that Lewis ' scholarship is not reliable and that he has made false statements and attributed fake works to Lewis . 0 +In the Netherlands , Owobale was born into a Dutch father and a Nigerian mother . In the Netherlands , Owobale was born into a Nigerian father and a Dutch mother . 0 +Baby Boom is a 1987 romantic comedy film directed by Nancy Meyers , produced by Charles Shyer and Shyer , and written by Meyers and Bruce A . Baby Boom is a romantic comedy by Charles Shyer in 1987 , written by Nancy Meyers and Shyer and produced by Meyers and Bruce A . 0 +The Rose Revolution of 2003 replaced Georgian President Mikheil Saakashvili with Eduard Shevardnadze , who promoted closer ties with Western institutions , including NATO . The 2003 Rose Revolution replaced Georgian President Mikheil Saakashvili with Eduard Shevardnadze , who has promoted closer ties with western institutions including NATO . 1 +Turrisipho dalli is a species of the sea snail , a true gastropod mollusk in the Buccinidae family , the navy whelks . Turrisipho dalli is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +On March 8 , 2017 , Benedi promoted his Spanish La Vida Amiga with a video led by Ivaylo Petkov and announced a new single album in production together with them . On 8 March 2017 , Benedi promoted his Spanish La Vida Amiga with video directed by Ivaylo Petkov and together with that announced a new single album in production . 1 +David Tebele Scheuer was born in 1753 in Frankfurt am Main as son of his father Rabbi Abraham Naftali Hertz Scheuer . Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 as son of his father Rabbi David Tebele Scheuer . 0 +Hussain received 432 votes and his only rival Wajihuddin Ahmed secured 77 . Hussain received 432 votes , and his only rival , Wajihuddin Ahmed , was 77 . 0 +Sarah told Peyton that he rocked and Peyton was later seen at his concert with Eddie . Sarah told Peyton that he rocked and Peyton was later seen during his concert with Eddie . 1 +Instead , some theorists think , a state similar in culture and preferences to the old hegemon will assume new hegemon status . Instead , some theorists think that a condition similar to the new hegemon in culture and preferences will assume old hegemon status . 0 +Shelbyville Road is a district of Louisville , Kentucky along Boston ( US 60 ) and Long Run Creek . Boston is a district of Louisville , Kentucky along Shelbyville Road ( US 60 ) and Long Run Creek . 0 +Trujillo has incorporated in his canvases elements of local art and hieratic figures in a very contemporary style . Trujillo involved in his canvases elements of contemporary art and native figures in very hieratic style . 0 +Murfresboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . Hickman County is part of the Nashville Metropolitan Statistical Area - Davidson - Murfreesboro - Franklin , TN . 0 +"The species was first described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material from Carl Meissner ." "The species was first formally described by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by Carl Meissner ." 1 +Thiago is the father of the current players Mazinho of Inter Milan and Rafinha of the FC Bayern Munich . Thiago is the father of current players Mazinho of Inter Milan and Rafinha of Bayern Munich . 1 +The uniforms are produced by Russell Athletic and the hats are manufactured by New Era . The uniforms are manufactured by Russell Athletic and the hats are produced by New Era . 1 +The organization encouraged Islamic unity and cohesion , while promoting American ideals . The organization promoted Islamic unity and cohesion while promoting American ideals . 1 +Kuzmice is a village and municipality in the district of Trebišov in the Košice region of Eastern Slovakia . Kuzmice is a village and municipality in the Košice Region in the Trebišov District of eastern Slovakia . 0 +If a test function formula 2 is used to get the weak form , the final Galerkin formulation will be given after integration of parts as follows : If a test function formula _ 2 is used to obtain the weak form , after integration by parts the final Galerkin formulation will be given as follows : 1 +The Janmashtmi festival is celebrated in the village and a mela is also organised . Janmashtmi festival is celebrated in the village and a Mela is also organised . 1 +It is clear that , as in Scotland , playing extended variation sets on the violin in Northumberland was current at the time . It is clear that as in Scotland , the playing of current variation sets on the fiddle was extended in Northumberland at the time . 0 +The initial intention of creating a non-private sector of radio was to create an alternative to the business interests of the private radio sector . The initial intention of creating a non-private sector of radio was to create an alternative to the corporate interests of the private radio sector . 1 +Cameron says no , because he always stays with Lily , so Mitchell decides to go to the concert and then to the party . Mitchell says no , since he always stays with Lily so Cameron decides to go to the concert then the party . 0 +Another significant difference is that plutonyl is a much stronger oxidizing agent than uranyl . The standard reduction potentials for aqueous solutions are shown in the next table . Another significant difference is that Plutonyl represents a much stronger oxidizing agent than uranyl . The standard reduction potential for aqueous solutions is shown in the next table . 1 +In December 1831 , Somerville joined the Royal Scots Greys regiment of the British Army . In December 1831 , Somerville joined the British army regiment of the Royal Scots Greys . 0 +"In response to the "" white first "" attitude of the organized workers ' movement and the Socialists , Harrison offered a political perspective "" race first "" ." "In response to the "" white first "" attitude of the organized labor movement and the Socialists , Harrison provided a "" race first "" political perspective ." 1 +On 29 September 1849 , Queen Victoria traveled from Gloucester to Swindon by train , On September 29 , 1849 , Queen Victoria of Gloucester traveled to Swindon by train , 1 +""" Standard "" was the leading newspaper in Montana , built by Marcus Daly and financed by the campaigns - Editor John Hurst Durston ." "The "" Standard "" was the leading newspaper in Montana , financed by Marcus Daly , and built by campaign editor John Hurst Durston ." 0 +The Federal Theatre Project of the Works Progress Administration set unemployed theatre performers and employees to work in 1936 . The Works Progress Administration of the Federal Theatre Project in 1936 used unemployed theatre performers and employees to work . 0 +The small institutions that they founded would not have found them like universities -- they were tiny and did not offer higher degrees in medicine and theology . The tiny institutions they founded would not have appeared to them like universities -- they were small and did not offer the higher qualifications in medicine and theology . 1 +The game wins a player who captures the opponent 's only remaining king or prince . A player who captures the opponent 's sole remaining king or prince wins the game . 0 +The Piedmontese was merged with another former bank Cassa di Risparmio di Biella in 1994 . The Piedmontese was brought together in 1994 with another former Cassa di Risparmio di Biella bank . 1 +""" Countdown "" is the sixth single by Japanese singer Hyde , and the third solo single from his first album "" Faith "" ." """ Countdown "" is the sixth single from the Japanese singer Hyde and the first single of his third solo album "" Faith "" ." 0 +This was also the fifth series since the first to include a railroad consultant in the role as part of the production team with Sam Wilkinson . This also marked the fifth series since the first to include a railway consultant as part of the production team , with Sam Wilkinson in the role . 1 +Tetraazidomethane is a colorless , highly functional fluid whose chemical structure consists of a carbon atom substituted with four explosive azide groups . Tetraazidomethane is a colorless , highly explosive liquid . Its chemical structure consists of a carbon atom substituted with four azide functional groups . 0 +( Oklahoma vs. Oklahoma State has been uninterrupted since 1910 , one year longer than Kansas vs. Kansas St . ) ( Oklahoma vs. Oklahoma State has been uninterrupted since 1910 , a year longer than Kansas vs. Kansas St . ) 1 +If it was necessary , as I now believe , then it was right and moral . If it was right and moral , as I now believe , it was necessary . 0 +Hardin Independent School District is a public school district based in Hardin , Texas ( USA ) . The Hardin Independent School District is a public school district based in Hardin , Texas ( USA ) . 1 +The area has a large amount of sunshine year round due to its stable descending air and high pressure . The area has a large amount of sunshine all year round due to its high descending air and stable pressure . 0 +Leonard and Madonna had added Spanish phrases in the chorus , over the trumpets of the second verse , and also in the added instrumental break in the middle . Leonard and Madonna had added Spanish phrases in the refrain , about the trumpets of the second verse and also in the added instrumental break in the middle . 1 +The segment from Kaduna to Abuja ( 187 km ) was officially opened after many delays on 26 July 2016 . The segment from Abuja to Kaduna ( 187 km ) was officially opened on July 26th , 2016 after many delays . 0 +The city is located south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . The city is located northeast of Gaza - city and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . 0 +Inside there are historical objects , including an old church bell from 1801 and paintings and photographs from the colonial period . Inside there are colonial objects , including an old church bell of 1801 and historical paintings and photographs . 0 +The Kelso High School provides primary education and upper secondary education is provided by Edenside Primary and Broomlands Primary . Kelso High School provides secondary education to the town , and primary education is provided by Edenside Primary and Broomlands Primary . 0 +During the second year , students will have more advanced lectures in visual science and will spend time learning and perfecting clinical techniques . During the second year , students will have more advanced lectures in clinical science and spend time learning and perfecting visual procedures . 0 +Isaac was born in Panama in 1915 to become a Panamanian father and a Jamaican mother . Isaacs was born in 1915 in Panama to a Panamanian father and a Jamaican mother . 0 +He also illustrated numerous children 's books and won five times the Levstik - Prize for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . He also illustrated numerous children 's books and won the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . 1 +"The LMB ( or "" Mexican Baseball League "" ) is a professional baseball league located in Mexico ." "The LMB ( or "" Mexican Baseball League "" ) is a professional baseball league based in Mexico ." 1 +Paola always advises his son to forget Gonzalo . Paola advises his son to always forget Gonzalo . 1 +In 2017 she was shortlisted for a Sobey Art Award ( nominated for the Prairies and the North region ) . She was nominated for a Sobey Art Award in 2017 ( nominated for the Prairies and the North ) . 1 +After leaving Wingfield Manor , Mary was transferred from her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . After leaving Sheffield , Mary was taken by her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . 0 +Baarrooble is a city in the central Hiran region of Somalia . Baarrooble is a town in the central Hiran region of Somalia . 1 +The Royal College of Music , alongside Maestro Peter Stark , has appointed Natalia as a conductor professor . The Royal College of Music , together with Maestro Natalia , has appointed Peter Stark as a professor of conducting . 0 +Turner was born in 1932 and played in the Brisbane Norths competition for Brisbane Rugby League and Redcliffe . He also coached Redcliffe in 1968 and 1969 . Turner was born in 1932 and played in the Brisbane Rugby League competition for Brisbane Norths and Redcliffe and also trained Redcliffe 1968 and 1969 . 0 +On January 23 , 2006 , Stephen Harper was defeated by Paul Martin as Prime Minister of Canada . On 23 January 2006 , Paul Martin , Prime Minister of Canada , was defeated by Stephen Harper . 0 +The Western District is currently administered by Major Dennis Mello , former deputy of Howard Colvin , who was forced into retirement . Currently , the Western District is administered by Major Howard Colvin , former deputy to Dennis Mello , who was forced into retirement . 0 +He addresses the socio-political and psychological history of Islam from a social , political and cultural perspective . He addresses the sociopolitical and psychological history of Islam , from a social , political , and cultural perspective . 1 +The design of this European porcelain has been made by Wagener according to the Japanese taste many , with white and blue flowers . Wagener made the design of this Japanese porcelain , according to the European taste white and blue , with many flowers . 0 +Frank Frank Malina died in Boulogne Billancourt in 1981 , near Paris , France . In 1981 , Frank Malina died in Paris , near Boulogne Billancourt , France . 0 +In the absence of a transverse load , formula _ 5 , we have the free vibration equation . In the absence of a cross load , Formula 5 , we have the equation of free vibration . 1 +The position was occupied by William Hay from 2007 until 13 October 2014 , but has since been replaced by Mitchel McLaughlin . The position was filled from 2007 until 13 October 2014 by William Hay , but has since been succeeded by Mitchel McLaughlin . 1 +The languages of Rai - Coast are a language family in Madang - stock of New Guinea . The Madang languages are a family of languages in New Guinea - stock on the Rai - coast . 0 +Komatsubara was born on July 28 , 1992 , in Okayama , Japan . She married Timothy Koleto in January 2017 in Tokyo . She was born on July 28 , 1992 in Tokyo and married Timothy Koleto in Okayama , Japan in January 2017 . 0 +In 1825 , George Patterson of Springfield Estate sold his friend and business partner , James Sykes . In 1825 , George Patterson sold of Springfield Estate to his friend and business associate , James Sykes . 1 +The eastern end was cut off in 1963 to Wadsworth Boulevard and in 1967 to the Sheridan Boulevard . The east end was cut off to Sheridan Boulevard in 1963 , and to Wadsworth Boulevard in 1967 . 0 +The climate during this period was a mixture of two different seasons , of a dry season and of a shorter rainy season . The climate during this period was a mixture of two different seasons , a rainy season and a shorter dry season . 0 +From 1800 -- 04 , Wright was British consul-general for the republic of the Ionian Islands ( Seven Islands ) . From 1800 -- 04 Wright was British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . 1 +He was educated at Brunswick House , a preparatory school in Folkestone , and then moved to the Sutherland House , a similar school in Hove . He was educated at Brunswick House , a preparatory school in Folkestone and then moved to Sutherland House , a similar school in Hove . 1 +The Ojhas are spiritual guides , teachers and members of the highest ritual rank as brahmans in the varna system of Hinduism . The Ojhas are ritual leaders , teachers and members of the highest spiritual rank in the varna system of Hinduism as brahmans . 0 +A mass ceremony was conducted that night , and prayers were held until dawn . That night a mass ceremony was conducted and prayers were kept until dawn . 1 +In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports increased and employment rose . With the weakening of the Canadian dollar , manufacturing sales and exports increased in November and December 2015 , and employment rose . 1 +In September 2004 , CompX International completed the acquisition of 68 % of NL Industries for USD 168.6 million . In September 2004 , CompX International completed the acquisition of 68 % of NL Industries for $ 168.6 million . 1 +Madison was laid out and platted in 1810 , and the first lots were sold in 1811 by John Paul . In 1810 , Madison was dealt and sold , and the first lots were laid in 1811 by John Paul . 0 +He worked in Shanghai from 1931 until the outbreak of the Second World War in Europe in 1939 . He worked from 1931 until the outbreak of World War II in Europe in 1939 in Shanghai . 1 +His father returned as a finished violinist of the Russian School to Bombay . His father returned to Bombay as a Russian violinist of the finished school . 0 +Lord Hartington , who had refused to serve under Gladstone because of his Irish policies , became leader of the Liberal Unionists . Lord Hartington , who had refused to serve under Gladstone because of his liberal policies , became the leader of the Irish Unionists . 0 +Abhishek introduces Rishi and Netra Tanuja as his wife . Abhishek introduces Tanuja to Rishi and Netra as his wife . 0 +"It was released via Checkbook records on February 19 , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" ." "It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" on Checkbook Records ." 1 +The Simpson Memorial Church belongs to the Church of Southern India , located on the GST Road is one of the most popular churches in Madurantakam . The Simpson Memorial Church belongs to the Church of Southern India , on which Madurantakam is located one of the most popular churches in the GST Road . 0 +CSX and P & W trains to Fresh Pond cross the Hell Gate Bridge onto Long Island . CSX and P & W - Fresh Pond trains cross the Hell Gate Bridge on Long Island . 0 +Webmention was originally developed in the IndieWebCamp community and published as W3C Working Draft on January 12 , 2016 . Webmention was originally published in the IndieWebCamp community and was developed on January 12 , 2016 as a W3C work draft . 0 +Born December 15 , 1850 in Walkill in upstate New York , Seymour came to Bayonne , New Jersey in the 1880s and became active in Democratic Party politics . Seymour , born December 15 , 1850 in Walkill , New York , came to Bayonne , New Jersey in the 1880s and was active in the Democratic Party politics . 1 +In this episode , Andy Bernard ( Ed Helms ) returns to the office to find Nellie Bertram ( Catherine Tate ) on the manager 's chair . In this episode , Nellie Bertram ( Catherine Tate ) returns to the office to find Andy Bernard ( Ed Helms ) in the manager 's chair . 0 +Nantucket Regional Transit Authority ( NRTA ) operates wide island-many shuttle buses to seasonal destinations including Surfside Beach , Siasconset , and the airport . Nantucket Regional Transit Authority ( NRTA ) operates seasonal island shuttle buses to many destinations including Surfside Beach , Siasconset and the airport . 0 +The river Suceviţa is a tributary of the river Voievodeasa in Romania . The Suceviţa River is a tributary of the Voievodeasa River in Romania . 1 +Dancing With The Stars team consisted of : Kym Johnson , Keo Motsepe , Lindsay Arnold , Sharna Burgess , and Sasha Farber . Kym Johnson , Keo Motsepe , Lindsay Arnold , Sharna Burgess and Sasha Farber consisted of the team . 0 +Some of the visual effects used for these events are very realistic , whereas others are deliberately fake . Some of the visual effects used for these events are deliberately fake , while others are very realistic . 0 +Cline was born on 10 September 1970 in Kelowna , British Columbia and grew up in Calgary , Alberta . Cline was born on September 10 , 1970 in Calgary , Alberta and grew up in Kelowna , British Columbia . 0 +On 22 September 1904 he joined Bishop Guerin and returned on 24 January 1905 to Béni Abbès . Guerin joined Bishop Charles on September 22 , 1904 and returned to Béni Abbès on 24 January , 1905 . 0 +No text strings are visible within the viral code in infected EXE files , but the following text strings are encrypted within the initial copy of the ABC virus : In the infected EXE files , no text strings are visible within the virus code , but the following text strings are encrypted within the original copy of the ABC virus : 1 +Auaxa cesadaria is a moth of the family Geometridae . It is found in Taiwan , China and Japan . Auaxa cesadaria is a moth of the Geometridae family that is found in Taiwan , China and Japan . 1 +The renovation of the building was completed in spring 2008 and inaugurated on April 17 , 2008 under the new name of William E. Macaulay Honors College . The building 's renovation was completed Spring 2008 and dedicated under the new name of William E. Macaulay Honors College on April 17 , 2008 . 1 +They make up 13 % of the population in Klaipėda , 28 % in Vilnius . In Vilnius they make up 13 % of the population , and 28 % in Klaipėda . 0 +The new format is currently for the 2010 season and consists of three stages . The current format for the 2010 season is new and consists of three phases . 0 +Nick Rotteveel ( born January 6 , 1989 ) , known professionally as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . Nicky Romero ( born January 6 , 1989 ) , known professionally as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . 0 +Herberg demonstrated how immigration and religious culture was reflected in American ethnic movements and institutions . Herberg demonstrated how immigration and religious culture were reflected in American ethnic movements and institutions . 1 +In 1969 , Rod married Amanda Mary Smith . Amanda Mary Smith married Rod Lyne in 1969 . 1 +Jacob Bellaert ( born in Zierikzee ) was an early Dutch publisher who produced 17 books in Haarlem from 1483 to 1486 . Jacob Bellaert ( born in Zierikzee ) was an early Dutch publisher who produced seventeen books in Haarlem from 1483 to 1486 . 1 +Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket - Club 1864 . Suffolk county cricket teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket Club in 1864 . 1 +In 1951 , the West Kentucky Area Council , based in Bowling Green , merged with the Audubon Council to form the Cogioba Council , which operates a good third of Kentucky . In 1951 , the Cogioba Council , headquartered in Bowling Green merged with the West Kentucky Area Council to form the Audubon Council serving a good third of Kentucky . 0 +The Valea Turcului River is a tributary of the Azuga River in Romania . The Azuga River is a tributary of the River Valea Turcului in Romania . 0 +The first oil source in Indian territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . The First Oil Well in Indian Territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . 1 +When Josh wakes up , he finds himself at home in Omaha , Nebraska , at Lonnie . When Josh wakes up , he finds himself at Lonnie 's home in Omaha , Nebraska . 1 +It is located at 142 South Rexford Drive in Beverly Hills , California . It stands opposite the First Church of Christ , Scientist , Beverly Hills . It is located at 142 South Rexford Drive in Beverly Hills . It is opposite the First Church of Christ , scientist , Beverly Hills , California . 1 +While prostitution in Canada is legal , most of the activities related to prostitution are illegal . While prostitution in Canada is illegal , most of the activities related to prostitution are legal . 0 +She spent the first six years of her childhood in Angeles City before moving to Manila . The first six years of her childhood spent in Manila before moving to Angeles City . 0 +The song was written by Powderfinger lead singer John Collins , and influenced by bassist Bernard Fanning . The song was written by Powderfinger - singer John Collins and influenced by bassist Bernard Fanning . 1 +It was published in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Universal Music Spectr in 1999 . It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and re-released in 1999 by Universal Music 's Spectrum label . 0 +In 1989 Roxus supported international bands , Poison and Bon Jovi , on their respective Australian tours . Roxus supported the international bands Poison and Bon Jovi in 1989 on their respective Australian tours . 1 +Use the appropriate grass and limit the amount of grass to reduce the irrigation and maintenance requirements . Use the appropriate grass and limit the amount of grass to reduce the watering and maintenance requirements . 1 +Linkuwa Pokhari is a village and village development committee in the district of Khotang in the Sagarmatha area in eastern Nepal . Linkuwa Pokhari is a village and village development committee in the Sagarmatha area of Khotang district in eastern Nepal . 1 +The FC Malatia is a professional football club from the capital , Yerevan , which was dissolved in 2002 and is currently inactive from poor Armenian football . FC Malatia , is a professional football club from the capital Yerevan . The club was dissolved in 2002 and is currently inactive from defunct Armenian football . 0 +It is one of four phytophagous species found in Britain of the predominantly carnivorous insect family Pentatomidae . It is one of four carnivorous species found in Britain by the predominantly phytophagous Pentatomidae family of insects . 0 +According to the fundamental theorem of the algebra , all polynomic equations with real or complex coefficients have a solution in complex numbers in a single variable . According to the fundamental theorem of algebra , all polynomial equations with complex coefficients in a single variable , have a solution in real or complex numbers . 0 +Rotorua is a small town at the north western end of Lake Rotorua in the South Island of New Zealand . Rotorua is located in the Tasman Region . Rotorua is a small town at the northwestern end of Lake Rotorua in the South Island of New Zealand , located in the Tasman region . 1 +"Quetzalcoatl 's father Mixcoatl was assassinated , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Zolton , and Cuilton ." "Quetzalcoatl 's father Zolton was murdered ; Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Mixcoatl , and Cuilton "" ." 0 +In 2009 , the Mizen family set up the charity The Jimmy Mizen Foundation , now called For Jimmy , which is based in Lee "In 2009 , the Mizen family founded the charity "" The Jimmy Mizen Foundation "" , which is now called For Lee and based in Jimmy ." 0 +A PlayStation Vita - Port of the game was completed on May 26 , 2015 , mainly released by Sickhead Games . A PlayStation Vita port of the game was released on May 26 , 2015 , completed chiefly by Sickhead Games . 0 +He founded and owns ZOE Broadcasting Network Inc. and operates Channel 11 on Filipino television . He founded and owns ZOE Broadcasting Network Inc. and operates the Channel 11 on Filipino television . 1 +He met with a group of the most influential musical directors of Boston to discuss a school based on Europe 's conservatories . He met with a group of Europe 's most influential musical leaders to discuss a school based on the conservatories of Boston . 0 +For the first time , Stephen Hendry won the title and defeated Peter Ebdon 9-8 in the final . Stephen Hendry won the title for the first time , beating Peter Ebdon 9 - 8 in the final . 1 +This settlement was part of Charlotteville , where Fort Norfolk was built in 1813 with a seat for 300 troops . This settlement was part of Fort Norfolk , where Charlotteville was erected in 1813 with accommodation for 300 troops . 0 +The incumbent governor Hunt was re-elected , the incumbent church , follet , and clark were defeated . The incumbent governor Hunt was defeated , the incumbent church , follet , and clark were re-elected . 0 +In 1969 , US forces won the 10th Army Championship PFC Steven Hohensee . In 1969 , Army PFC Steven Hohensee won the 10th US Armed Forces - Championship . 0 +Southbound the train departed Glasgow Central 10 : 50 and Edinburgh Waverley 10 : 44 and arrived at Brighton 20 : 20 . The train left Glasgow Central 10 : 50 and Edinburgh Waverley 10 : 44 and arrived at Brighton 20 : 20 . 1 +It is rare in its unhybridized form . In its unhybridized form it is rare . 1 +Container glass has lower magnesium oxide and sodium oxide content than flat glass and a higher content of silica , calcium oxide and aluminium oxide . Container glass has a higher magnesium oxide and sodium oxide content than flat glass , and a lower Silica , Calcium oxide , and Aluminum oxide content . 0 +Sir Herbert was returned to the new seat of Croydon East and was re-elected in 1951 . Sir Herbert was re-elected to the new seat of Croydon East and was returned in 1951 . 0 +The company was formed from the merger between Total Peripherals Group , which was established in 1986 by David and Vicky Teoh , and SP Telemedia in 2008 . The company was formed from the merger between Total Peripherals Group , founded by David and Vicky Teoh in 1986 , and SP Telemedia in 2008 . 1 +The Wilhelm Archipelago is an island group off the west coast of the Antarctic Peninsula in Antarctica . The Antarctic Peninsula is an island archipelago off the western coast of the Wilhelm archipelago in Antarctica . 0 +The sonata was premiered in 1919 at the Aeolian Hall , London , by Landon Ronald , with Billy Reed at the piano . The Sonata was premiered in 1919 by Billy Reed in the Aeolian Hall , London , with Landon Ronald at the piano . 0 +She worked and lived in Germany ( Stuttgart and Berlin ) and in Vienna ( Austria ) . She worked and lived in Germany ( Stuttgart , Berlin ) and in Vienna ( Austria ) . 1 +Slashdong is a blog about teledildonics and erotic use of technology for similar purposes . Slashdong is a blog about teledildonics and a similar use of technology for erotic purposes . 0 +HomeAdvisor currently employs a Chief Economist , Brad Hunter and Smart Home Strategist and Home Expert , Dan DiClerico . Currently HomeAdvisor employs a chief economist , Brad Hunter , and a Smart Home Strategist and Home Expert , Dan DiClerico . 1 +It flows in its upper reaches in the red hills of Piedmont through a deeply incised canal etched into crystalline rocks . In its upper reaches in the crystalline hills of the Piedmont , it flows through a deeply incised channel etched into red rocks . 0 +Ogbunka is a town in Orumba South Local Government Area of Anambra State , Nigeria . Ogbunka is a city in Orumba South Local Government Area of Anambra State , Nigeria . 1 +The new revised and extended bus network was implemented in 2010 . In 2010 , the new implemented bus network was revised and extended . 0 +A mechanical control valve actuator transforms energy ( typically in the form of compressed air ) into pneumatic motion . A pneumatic control valve actuator converts energy ( typically in the form of compressed air ) into mechanical motion . 0 +McLoughlin applied the law to British subjects , kept the peace with the natives and maintained friendly relations with American merchants and later colonists . McLoughlin applied the law to American subjects , kept the peace with the natives , and maintained friendly relations with British merchants and later colonists . 0 +The Purul River is a tributary of the River Rotunda in Romania . The Rotunda River is a tributary of the Purul River in Romania . 0 +In the midst of the memory flashback Dr. Briggs makes enough sounds to attract Dr. Krane . In the midst of the memory flashback Dr. Krane makes enough noise to attract Dr. Briggs . 0 +Mode 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origins . Mode 9 was born on June 14 , 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . 0 +The characteristic function provides an alternative way of describing a random variable . The random function provides , an alternative way for describing a characteristic variable . 0 +Nationalism is nationalism , which claims that Romanians are a nation and promotes the cultural unity of the Romanians . Romanian nationalism promotes the nationalism which asserts that Romanians are a nation and is the cultural unity of Romanians . 0 +Pennsauken Township is located on the 1st Congressional District and is part of the 6th State Legislative District in New Jersey . Pennsauken Township is located in the 6th Congressional District and is part of the 1st State Legislative District of New Jersey . 0 +They are patrilineal and were in small areas organized into several chiefdoms . They are patrilineal and were organized into several chieftains in small areas . 1 +The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance , and serves Rolling Hills . The Los Angeles County Department for Health Services operates the Torrance Health Center in Torrance , near Harbor Gateway , Los Angeles , and serves Rolling Hills . 0 +The program was filmed at the Eaves Movie Ranch near Santa Fe and Storrie Lake in Las Vegas , New Mexico . The program was filmed at the Eaves Movie Ranch near Las Vegas , New Mexico and near Storrie Lake in Santa Fe . 0 +The common musical interest of the members was one of the decisive factors for the forming of Coldrain . The common musical interest of members was one of the decisive factors for the foundation of Coldrain . 1 +Mackenzie is a writer-in-residence at the 2B Theatre in Halifax and teaches at the National Theatre School of Canada in Montreal . Mackenzie is a writer at the 2B Theatre in Montreal and teaches at the National Theatre School of Canada in Halifax . 0 +"In 2009 , the Mizen family founded the charity "" The Jimmy Mizen Foundation "" , which is now called For Lee and based in Jimmy ." "In 2009 , the Mizen family set up the charity "" The Jimmy Mizen Foundation "" , now called For Lee , which is based in Jimmy ." 1 +Both Mark Warner in 2001 and John Kerry in 2004 lost Loudoun and Prince William counties . Both John Kerry in 2001 and Mark Warner lost counties in 2004 to Loudoun and Prince William . 0 +An implementation that calculates the probability density function of the Wakeby distribution is included as scientific WAKPDF in the routine data library Dataplot . An implementation that computes the probability density function of the Wakeby distribution is included as a routine WAKPDF in the scientific data library of Dataplot . 0 +Alaric informs Caroline that Stefan ( Paul Wesley ) has stopped looking for a way to get Damon and Bonnie back . Alaric informs Caroline that Stefan ( Paul Wesley ) stopped looking for a way to bring back Damon and Bonnie . 1 +The Fighter Escadrille was at the beginning of the Second World War a unit of the Polish Air Force , which was attached to the Łódź army . The Fighter Escadrille was at the beginning of the Second World War a unit of the Łódź army , which was attached to the Polish air force . 0 +"( A1 ) Boston Celtics vs. ( A2 ) New York Knicks : "" Knicks win series 4-1 """ "( A1 ) Boston Celtics versus ( A2 ) New York Knicks : "" Knicks Series 4-1 "" Win" 1 +El Elk Township is located in the 3rd Congressional District and is part of the 2nd State Legislative District in New Jersey . El Elk Township is located in the 2nd Congressional District and is part of the 3rd State Legislative District of New Jersey . 0 +After Sutherland 's death in 1950 , further issues of the book were published by Cressey and D. F. Luckenbill as co-authors . Further editions of the book were published as co-authors after the death of D. F. Luckenbill in 1950 by Cressey and Sutherland . 0 +Meteuthria futilis is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Meteuthria futilis is a sea snail species , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 1 -- 6 Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 6 -- 1 1 +Until recently , Khandwa was known as East – Nimar . Until recently , Nimar was known as Khandwa . 0 +It is used for the training of medical students and doctors at Bayero University ( Residency Training ) . It is used for the training of Bayero University postgraduate medical students and medical doctors ( Residency training ) . 1 +In historical times there were Cherokee and Creek villages in the Tennessee Valley west of the Wills Valley and the Sand Mountain to the east . In historical times , Cherokee and Creek villages were located in the Tennessee Valley to the west of Sand Mountain , and in Wills Valley to the east . 0 +Bland left Valparaiso a week later and arrived in Philadelphia on October 29 , 1818 . Bland left Philadelphia one week later and arrived in Valparaíso on October 29 , 1818 . 0 +The vaults are in Mesopotamian design , and decorative elements appear in the Coptic and Byzantine carving . The vaults are of Mesopotamian design and Coptic and Byzantine elements appear in the decorative carving . 0 +Even though the series had shot scenes in California , they never left New York City for this episode . Though the series had shot scenes in New York City , they never left California for this episode . 0 +Thiruvananthapuram is the first major South Indian city on the longest train route in the India , Kanyakumari to Jammu . Thiruvananthapuram is the first major South Indian city on the longest train route in India , from Kanyakumari to Jammu . 1 +The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to form the Bareilly -- Bareilly Railway on 1 January 1891 . The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to the Lucknow -- Bareilly railway on 1 January 1891 . 0 +The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in Ottawa in 2016 . The winning Mike McEwen team represented Manitoba at the 2016 Tim Hortons Brier in Ottawa . 1 +The station was built by the New Yorker , New Haven and Hartford Railroad in 1915 along the former Connecticut Valley Railroad line . The station was built in 1915 by Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York stretch . 0 +The Timiş River is a tributary of the River Calova in Romania . The river Calova is a tributary of the River Timiş in Romania . 0 +The government was led by Gordon Coates from the United Party , with George Forbes of Reform as finance minister . The government was led by George Forbes of the United Party , with Gordon Coates of Reform as Minister of Finance . 0 +In both cases , he had been chosen by Eugenio Scalfari as a critic , first for the daily newspaper and then for the weekly newspaper . In both cases he had been chosen as critic by Eugenio Scalfari , first for the daily and then for the weekly edition . 1 +Titus Geganius Macerinus was a Roman statesman who served as Consul in 492 BC with Publius Minucius Augurinus . Publius Minucius Augurinus was a Roman statesman who served as a consul with Titus Geganius Macerinus in 492 BCE . 0 +Alfred Gregson ( March 2 , 1889 - March 1968 ) was an internal English football professional who played for Grimsby Town and Bury in the Football League . Alfred Gregson ( March 2 , 1889 - March 1968 ) was an English professional football player who played for Grimsby Town and Bury in the Football League . 0 +East Nimar was known as Khandwa until recently . Until recently , Khandwa was known as East – Nimar . 0 +The Phelps moved from Jackson County , Missouri to Far West , Missouri to Nauvoo , Illinois , where Murdock was reunified with his father . The Phelps moved from Missouri to Far West , Jackson County , Missouri to Nauvoo , Illinois , where Murdock was reunited with his father . 0 +Berkarat ( formerly known as Berk ’ Arrat , Berqarat and Berkarrat ; also Akhula Romanized ) is a city in the aragatsotn province of Armenia . Berkarat ( formerly Romanized as Berk ’ arrat , Berqarat , and Berkarrat ; also , Akhula ) is a town in the Aragatsotn Province of Armenia . 1 +She and character actor Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . She and the character actor Leo Fuchs were parents of the famous Polish-American actor Yakov Fuchs . 1 +He began 2014 with the AA Frisco RoughRiders of the Texas League and was promoted to the AAA Round Rock Express of the Pacific Coast League . He began working with the Texas League AA Frisco RoughRiders in 2014 and was promoted to the AAA Round Rock Express of the Pacific Coast League . 1 +Boats drawing 70 tons were now 87 ½ feet wide , 10 ½ feet long , and drew 4 ½ feet of water . Boats that drew 70 tons were now 87 ½ feet wide , 10 ½ feet long and attracted 4 ½ feet water . 1 +Dummer was born in Newbury , Massachusetts , where he was the first son of Richard Dummer and his second wife , Frances Burr . Dummer was born in Newbury , Massachusetts , the second son of Richard Dummer and his first wife , Frances Burr . 0 +The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the 2014 Basketball season -- 15 NCAA Division I men . The 2014 -- 15 Idaho State Bengals men 's basketball team represented Idaho State University during the 2014 -- 15 NCAA Division I men 's basketball season . 1 +"Goldman wrote to historian Max Nettlau that the Haymarket affair had awakened the social consciousness of "" hundreds , perhaps thousands , of people "" ." "Goldman wrote to historian Max Nettlau that the Haymarket affair had awakened the social awareness of "" hundreds , perhaps thousands of people "" ." 1 +The Conservation Fund was founded in 1985 by Pat Noonan , former head of the Nature Conservancy . The Nature Conservancy was founded in 1985 by Pat Noonan , former head of the Nature Conservation Fund . 0 +In 1961 , he was married to Tamsen Heiman , an American Muslim . Chamran was married to Tamsen Heiman , an American Muslim , in 1961 . 1 +Mine Hill Township is a residential community located in the north-western corner of Morris County . Mine Hill Township is a residential community located in the northwest corner of Morris County . 1 +Some Some Your Blood is a horror novel in short form by Theodore Sturgeon , published first in 1961 . Some of Your Blood is a epistolary horror novel in short form by Theodore Sturgeon , first published in 1961 . 1 +Bree wakes up and Tells Orson That Gloria tried to kill her . Gloria wakes up and tells Bree that Orson wanted to kill her . 0 +Earthquakes are common in Peru , especially in the Peru coastal area of Arequipa . Earthquakes are common in Peru , especially in the Peruvian coastal area of Arequipa . 1 +"The "" World Atlas of Language Structures "" has a geographical map including 400 languages and chapter text showing global discussion :" "The "" World Atlas for Language Structures "" has a global map of 400 languages and chapter text , including geographical discussion :" 0 +Eight Hornets were also deployed from Perth to RAAF Base Pearce in October 2011 to protect the CHOGM meeting in nearby Williamstown . In October 2011 , eight horns were also sent from Perth to RAAF Base Pearce to protect the CHOGM meeting in nearby Williamstown . 1 +"Ceremonial music ( "" rokon fada "" ) is listed as a status symbol , and musicians are generally chosen for political reasons as opposed to musical ones ." "Ceremonial music ( "" rokon fada "" ) is performed as a status symbol , and musicians are generally chosen for political reasons as opposed to musical ones ." 1 +Abdullah Orkun KAYA is currently President of the Board of Directors and Mohammad Hariri is the CEO of the TTNET . Mohammad Hariri is currently President of the Board of Directors , and Abdullah Orkun KAYA is the CEO of TTNET . 0 +Jequié is rich in iron ore , so it is very cold during the day and hot at night . Jequié is rich on Iron Ore , so it is very hot during the day , and cold at night . 0 +After leaving Wingfield Manor , Mary was transferred from her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . After leaving Sheffield , Mary was transferred from her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . 0 +Brian Meehan fled with Traynor to Amsterdam ( who later fled to Portugal ) . Brian Meehan fled to Amsterdam with Traynor ( who later escaped to Portugal ) . 1 +In 1976 , Peraza Miss was Venezuela , but she married on May 24 , 1976 , because she resigned two days after her crowning . Peraza was Miss Venezuela 1976 , but she married on May 24 , 1976 , because she resigned two days after her coronation . 1 +The effect has been observed mainly in alkaline atoms that have nuclear properties which are particularly suitable for working with traps . The effect has been observed mainly on nuclear atoms with alkaline properties which are particularly suitable for working with traps . 0 +Ernest Renan visited Chalaaboun during his mission in Lebanon and found what he described in his book Mission de Phénicie ( 1865-1874 ) . Ernest Renan visited Chalaaboun during his mission to the Lebanon and described what he found in his book Mission de Phénicie ( 1865-1874 ) . 0 +The curve is plotted with the cumulative units produced on the horizontal axis and unit cost on the vertical axis . The curve is applied on the horizontal axis with the cumulative units on the vertical axis and unit cost . 0 +Hennig is also Chairman referee of the region Dinslaken -- Mülheim -- Duisburg and lives in Duisburg . Hennig is also president referee of the Dinslaken -- Mülheim -- Duisburg region and lives in Duisburg . 1 +Cheadle Heath railway station was a railway station , which between 1901 and 1968 served the village of Cheadle , Cheshire , and the Stockport suburb of Cheadle Hulme . Cheadle Heath railway station was a train station that served the village of Cheadle , Cheshire and the suburb of Stockport by Cheadle Hulme between 1901 and 1968 . 1 +They were replaced in 2008 by Jill Culton , followed by Chris Jenkins , with Todd Wilderman in 2010 . They were replaced by Jill Culton in 2008 , who was followed by Todd Wilderman , with Chris Jenkins in 2010 . 0 +L ' ; Estany is a municipality in the province of Catalonia , Spain and autonomous community of Barcelona . L ' ; Estany is a municipality in the province of Barcelona and autonomous community of Catalonia , Spain . 0 +"Louisa Baïleche performed on the Comédie-Française stage as well as in the folies Bergère in a musical version of the French "" Nine "" ." "Louisa Baïleche has performed on the Comédie-Française stage as well as the Folies Bergère , in a musical version of the French "" Nine "" ." 1 +Bender -- Knuth involutions were used by to give a short proof of the Littlewood -- Richardson rule . The Bender -- Knuth -- Involutions were used to give a short proof of Littlewood -- Richardson -- rule . 1 +The sessions were arranged by Bruce Botnick and engineered by Nick De Caro . The sessions were arranged by Nick De Caro and developed by Bruce Botnick . 0 +The Barmat Scandal was often used later in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . The Barmat scandal was later often used in the Nazi - propaganda , both as an electoral strategy and as an appeal to anti-Semitism . 0 +"Maximilian Lambertz suggested that the word derived from Italian "" bailo "" , the title of the Venetian ambassador to the Ottomans ." "Maximilian Lambertz suggested that the word be derived from the Venetian "" bailo "" , the title of the Italian Ambassador to the Ottomans ." 0 +These dolls had covered their English or German names with a sticker with the Spanish name or sometimes nothing . These puppets had covered their English or Spanish names with a sticker with the German name or sometimes nothing at all . 0 +Didkovsky has composed or performed for a number of CDs , including : Didkovsky has performed or composed for a number of CDs , including : 1 +On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed with the Romanian team Stal Ostrów Wielkopolski on July 17 , 2016 . On September 15 , 2015 , Johnson signed with Polish team SCM CSU Craiova . On July 17 , 2016 , Johnson signed with Romanian team Stal Ostrów Wielkopolski . 1 +Hastings Ndlovu was buried with Hector Pieterson at the Avalon cemetery in Johannesburg . Hector Pieterson was buried at the Avalon Cemetery in Johannesburg with Hastings Ndlovu . 0 +Augustus was 17 BC during the reign of Gaius Furnius Consul . Gaius Furnius was consul in 17 BC , during the reign of Augustus . 0 +The weighted weighting function at the wavelength formula 1 can be written as the mesoscopic sum . The mesoscopic weighting function at wavelength formula _ 1 can be written as the weighted sum , 0 +The organ is usually played for Saturday sunset masses and also during festivities like Easter and Christmas . The organ is also played for Saturday - sunset masses and usually during festivals like Easter and Christmas . 0 +Stefan Mross presented an episode in August 2010 , whereas Axel Bulthaupt was absent for private reasons . In 2010 , Axel Bulthaupt presented an episode in August while Stefan Mross was absent for private reasons . 0 +It first begins with Dr. Sanjay Mehra ( Rakesh Roshan ) and his wife Sonia ( Rekha ) who are part of a car-crash . It begins first with Dr. Sanjay Mehra ( Rakesh Roshan ) and his wife Sonia ( Rekha ) , who are part of a car accident . 1 +That night , Emperor Li Zhan died , and Muzong took over the throne ( as Jingzong Emperor ) . That night , Emperor Muzong died , and Li Zhan took the throne ( as Jingzong Emperor ) . 0 +Ila , formerly Ilevolden , is a tram stop at Trondheim Tramway , in Trondheim , Ila , Trondheim , Norway . Ila , formerly Ilevolden , is a tram stop on the Trondheim Tramway , located at Ila , Trondheim in Trondheim , Norway . 1 +"The "" Royal "" Title was approved by Queen Elizabeth II and awarded in 1987 by Prince Philip to coincide with a Royal Tour of the Year ." "The "" Royal "" title was approved by Queen Elizabeth II and bestowed by HRH Prince Philip in 1987 , to coincide with a Royal tour of that year ." 1 +( 3 ) The heart protector , a yin organ , shields the heart , filters psychic inclinations and stabilizes emotions . ( 3 ) The Heart Protector , a Yin organ , filters the heart . It shields psychic inclinations and stabilizes emotions . 0 +Nick Folland has appeared most for the county , playing in eighteen games , closely followed by Andrew Pugh , who made sixteen appearances . Andrew Pugh has appeared the most times for the county , playing in eighteen matches , closely followed by Nick Folland , who made sixteen appearances . 0 +There are different types of average polymer molecular weight , which can be measured in different experiments . There are different types of molecular polymer - average weight that can be measured in different experiments . 0 +The Taverniers are visited by Gidea Thompson ( Sian Martin ) , a friend of Jules ' family in Trinidad . The Taverniers are visited by Sian Martin ( Gidea Thompson ) , a friend of Jules ' family back in Trinidad . 1 +The Scânteia River or Mitoc River or Nacu River is a tributary of the River Miletin , Romania . The Miletin River or Mitoc River or Nacu River is a tributary of the Scânteia River in Romania . 0 +Originally , the incident was not reported by the state-controlled Iranian media , but was first reported by international media . The incident was not originally reported by the state-controlled Iranian media , but was instead first reported on by international media . 1 +Psalm 96 ( Greek numbering : Psalm 95 ) is one of the psalms in the biblical Book of Psalms . Psalm 96 ( Greek numbering : Psalm 95 ) is one of the Psalms in the Biblical Psalms Book . 1 +A molecular vibration occurs when atoms in a molecule are in periodic motion while the molecule as a whole has constant translational and rotational motion . A molecular vibration occurs when atoms are in a molecule in constant translation and rotation motion , while the molecule as a whole has periodic motion . 0 +In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in Frankfurt in 2012 . In February 2007 , Barbara Fischinger performed in Frankfurt at the Original Lumigraph and in Amsterdam in 2012 . 0 +Currently he lives in New York and is a member of MJ12 , an instrumental group based in NYC . He currently lives in NYC and is a member of MJ12 , an instrumental group based in New York . 1 +Redmond , Oregon ( Roberts Field ) is a domestic airport in the Deschutes County , Oregon , owned and operated by Redmond Municipal Airport . Redmond Municipal Airport ( Roberts Field ) is a domestic airport in Deschutes County , Oregon . It is owned and operated by the city of Redmond , Oregon . 0 +The ovipositor is short , lamelliform , or long , mobile , and in some species , acicular . The ovipositor is short , lamelliform or long , mobile and in some species needle-shaped . 1 +Probably he was the son of the painter Girolamo Danti , also from Pesaro who had married the sister of the painter Giovanni Antonio Pandolfi . He was probably the son of the painter Giovanni Antonio Pandolfi , also from Pesaro who had married the sister of the painter Girolamo Danti . 0 +Enrique Franco Aguilar ( Mazatlán , December 19 , 1938 ) is a Mexican-born American songwriter . Enrique Franco Aguilar ( Mazatlán , 19 December 1938 ) is a naturalized American-born Mexican songwriter . 0 +It was created on July 18th , 1914 for the pharmacist and businessman William Horlick , brother of James Horlick . It was created on July 18 , 1914 for the pharmacist and businessman James Horlick , the brother of William Horlick . 0 +She married twice . The first time with Prince Antoni Lubomirski in 1749 , and the second time with Prince Kazimierz Poniatowski on 21 January 1751 . She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on 21 January 1751 . 1 +John Carter lost in 6 -- 2 the third round of the UK Championship against John Higgins . Carter lost in 6 -- 2 the third round of the UK Championship to John Higgins . 1 +From her previous marriage to Anne she has two children , Merlijn and Fluitsma . Herman van Veen currently lives in Soest . From her previous marriage with Anne she has two children , Merlijn and Fluitsma , Herman van Veen currently lives in Soest . 1 +A closely related area is the study of finite Markov chains , especially on combinatorial objects . A closely related area is the examination of combinatorial Markov chains , especially on finite objects . 0 +Then in 1851 the first territorial Legislature created the office of Adjutant General and placed the territorial Militia under its jurisdiction . In 1851 , the territorial legislature created the office of General Adjutant and placed the first territorial militia under its jurisdiction . 0 +Conchita Martínez Granados ( born 20 January 1976 in Barcelona , Spain ) is a former professional female tennis player from Spain . Conchita Martínez Granados ( born January 20 , 1976 in Spain ) is a former Barcelona tennis player , Spain . 0 +AICAR offers a full two-year PGDM programme for residential purposes , approved by the All India Council of Technical Education , New Delhi . AICAR offers a two-year full-time residential PGDM programme approved by the All India Council of Technical Education , New Delhi . 0 +Every level , from the national and global level to individual and local level , has its own essential function in a globalised world . Every level , from the individual and local , to the national and global , has its own , essential function in a globalised world . 0 +Mouhoun is one of 45 provinces in the Boucle du Mouhoun region and is located in Burkina Faso , the capital of Mouhoun is Dédougou . Mouhoun is one of 45 provinces in Burkina Faso and is located in the Boucle du Mouhoun region . The capital of Mouhoun is Dédougou . 0 +The hurricane killed one person indirectly and killed two immediately in the state . The hurricane indirectly killed one person and directly killed two in the state . 1 +The Mureş River ( Hungarian : Fenes-patak ) is a tributary of the Feneș River in Transylvania , Romania . The Fenez River ( Hungarian : Fenes-patak ) is a tributary of the Mureş River in Transylvania , Romania . 0 +In July 2008 , the Council adopted a new directive , which was approved by the European Parliament in October 2008 . In July 2008 , a new directive was adopted by the European Parliament and adopted by the Council in October 2008 . 0 +The beta version of the service was released on July 30 , 2008 , and Windows Live FrameIt was discontinued on December 15th , 2010 . The beta version of the service was discontinued on 30 July 2008 and Windows Live FrameIt was released on December 15 , 2010 . 0 +The music was composed by MS Baburaj and the lyrics were written by P. Bhaskaran and Yusufali Kechery . The music was written by MS Baburaj and lyrics was composed by P. Bhaskaran and Yusufali Kechery . 0 +Schirra died in 1987 and Eisele in 2007 . In 1987 , Eisele died and Schirra in 2007 . 0 +Wilcox Joullin ( 1876 -- 1924 ) was an American painter , known for her landscapes of California and the Pueblo Indians of New Mexico . Wilcox Joullin ( 1876 -- 1924 ) was an American painter , known for her landscapes of New Mexico and the Pueblo Indians of California . 0 +Then Luther attacks Jesus before he hides himself in the bathroom . Then Jesus attacks Luther before he hides himself in the bathroom . 0 +The railway station was opened on December 8 , 1890 , closed on 8 November 1969 and demolished in 1971 . The station was closed on 8 December 1890 and opened on 8 November 1969 and was demolished in 1971 . 0 +Elegia southi is a species of moth of the family Pyralidae . It was found by Reginald James West in 1932 and is described in Taiwan . Elegia southi is a kind of moth of the Pyralidae family , which was described by Reginald James West in 1932 and which is found in Taiwan . 0 +In 1993 he graduated from Kuban State University as a philologist and teacher of the Russian language , in 1995 the same university as a lawyer . In 1993 , he graduated from Kuban State University as a philologist and teacher of the same language , in 1995 the Russian University as a lawyer . 0 +They came to Russia from Poland in the eighteenth century , and their language includes Polish , German and Russian words . They came to Russia from Poland in the 18th century , and their language contains Russian , German and Polish words . 1 +Grew up in Torquay , just outside of the coastal town of Mount Duneed in Victoria . Taylor grew up in Torquay just outside the coastal town of Mount Duneed in Victoria . 1 +"An iOS version called "" Devil May Cry 4 : Refrain "" was released on January 11 , 2011 , and was announced on February 3 , 2011 ." "An iOS version called "" Devil May Cry 4 : Refrain "" was released January 11 , 2011 . It was announced on February 3 , 2011 ." 1 +The branch codice 2 is updated daily , the branch codice 3 is updated every 6 months . The branch codice 2 is updated daily , and the branch codice 3 is updated every 6 months . 1 +"In 2013 , Beals signed on for the main role of the ABC drama pilot "" Westside "" produced by McG and developed by Ilene Chaiken ." "In 2013 signed beals for the main role of ABC - Drama - Pilot "" Westside "" produced by McG and developed by Ilene Chaiken ." 1 +Many other volunteer groups made valuable sightseeings , including teams from the Llangollen Railway and the Mid-Hants Railway . Many other volunteer groups made valuable tracklaying visits including teams from the Mid-Hants Railway and the Llangollen Railway . 0 +Björn Freiberg ( born March 28 , 1970 in Isny , Allgäu ) is a German actor , painter , author , translator and former university teacher . Björn Freiberg ( born 28 March 1970 in Isny im Allgäu ) is a German actor , painter , author , translator and former University teacher . 1 +The season 1982 -- 83 National Basketball Association was the 37th season of NBA . The 1982 -- 83 NBA season was the 37th season of the National Basketball Association . 1 +22.0 % were of German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % English ancestry according to Census 2000 . 22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English origin . 0 +Wichita North High School was the first high school in the city of Wichita , completed in 1929 . Wichita East High School was the second high school . Wichita North High School was the first high school in the city of Wichita , completed in 1929 , and was the second high school in Wichita . 0 +The first two parts were directed by Cheung Ying and Choi Cheung , while the next two parts were directed by Yeung Kungleung . The next two parts were directed by Cheung Ying and Choi Cheung while the first two parts were directed by Yeung Kung-leung . 0 +""" Frog Legs Rag "" is a classic rag composed by John Stillwell Stark and published by James Scott in December 1906 ." """ Frog Legs Rag "" is a classic cardboard composed by John Stillwell Stark and published in December 1906 by James Scott ." 0 +A market was perceived for future tours and destinations . Scandinavia followed in April 1975 and there was another tour to Switzerland in September . A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September followed another tour in Switzerland . 1 +"And big , round eyes , so dark brown they almost look black "" ." And large , round eyes , so dark brown they look almost black . 1 +"From 1973 to 1974 Aubrey toured with the Cambridge Theatre Company as a diggory in "" She Stoops to Conquer "" and again as Aguecheek ." "From 1973 to 1974 Aguecheek toured with the Cambridge Theatre Company as a diggory in "" She Stoops to Conquer "" and again as Aubrey ." 0 +This prayer and the following are said by individual concelebrants in a concelebrated fair . In a said Mass , this prayer and the following are concelebrated by individual concelebrants . 0 +Keenan played as 197 cm Ruckman and was a good marker of the ball as well as a solid drop - punt . Keenan played as 197 cm Ruckman and was a solid marker of the ball as well as a good drop - punt . 0 +Now Shiva has to face Manivasagam and his men to win the love between him and Bharati . Now Shiva must face Manivasagam and his men to win the love between him and Bharati . 1 +He died in Lyon on 23 July 1963 and was buried at the Chartreuse cemetery in Bordeaux . He died in Bordeaux on 23 July 1963 and was buried at the Chartreuse cemetery in Lyon . 0 +The Thoothukudi port is located about 8 kilometers from the railway station and the nearest airport is the Tuticorin airport , 18 kilometers away . The Thoothukudi Port is located about 8 kilometers from the station and the nearest airport is the Tuticorin Airport situated 18 kilometers away . 1 +"He subsequently began "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which was produced as "" The Problemist Fairy Chess Supplement "" ." "He subsequently began "" The Fairy Chess Review "" ( 1930 -- 1951 ) , which produced as "" The Problemist Fairy Chess Supplement "" ." 1 +In 2004 the Parents Television Council revealed the FCC as the primary source of most content complaints received . In 2004 , the FCC revealed the Parents Television Council as the primary source for most content complaints . 0 +The series was written by Butch Guice by Ed Brubaker and illustrated by Bryan Hitch . The series was written by Ed Brubaker , illustrated by Bryan Hitch , and inked by Butch Guice . 0 +Henny Trylesinski , also known as Henny Trayles ( Argentina , 4 June 1937 ) , is a Uruguayan - born German actress and comedian who lives in Hamburg , Germany . Henny Trylesinski , also known as Henny Trayles ( Hamburg , 4 June 1937 ) is a German-born Uruguayan actress and comedian who lives in Argentina . 0 +Purdue is the birthplace of former Hall coach and UCLA player John Wooden . Purdue is the birthplace of former Hall trainer and UCLA player John Wooden . 1 +The volumes 5 and 6 were written by DeVorss ' Co posthum from various articles that Spalding had published . Volumes 5 and 6 were published by DeVorss & Co posthumously from various articles that Spalding had written . 0 +Despite its low labor-force participation rate and high unemployment , the community has a low poverty rate . Despite the high employment rate and low unemployment , the community has a low poverty rate . 0 +After the separation of their previous band , Shae Lappen and Dan Mena discussed with Brendan Benham the idea of founding a new band . After the breakup of their previous band , Brendan Benham and Dan Mena discussed the idea of forming a new band with Shae Lappen . 0 +Steve Richard is the head sales trainer at Vorsight . David Stillman is the President and CEO of the company . David Stillman is the Head Sales Trainer at Vorsight and Steve Richard is President and CEO of the company . 0 +For example , the spin-fall also allows a magnetic dipole , but for spin 1 particles only electric quadrupoles and magnetic dipoles are possible . For example , the spin case also allows a magnetic dipole , but for spin 1 particles electric quadrupoles and magnetic dipoles are only possible . 1 +The others were Luke White from Repton School and the Etonian , Donald Carr . The others were Donald Carr of the Repton School and Etonian Luke White . 0 +Binary fluorides of metalloids and p- block nonmetals are generally covalent and volatile , with varying reactivities . Period 3 and heavier nonmetals can form hypervalent fluorides . Binary fluorides of metalloids and p- block - nonmetals are generally hypervalent , with varying reactivities , period 3 and heavier non-metals can form covalent and volatile fluorides . 0 +The film is written and directed by Emmy Winner , Matt Drummond and co-produced by Jason Moody and Megan Williams . The film is written and staged by Emmy Winner , Jason Moody and Megan Williams and is co-produced by Matt Drummond . 0 +First , because the treatment influences the brain , the side effects can be severe and sometimes unique . First , because the treatment is affecting the brain , the side effects can be severe and sometimes unique . 1 +Bifascioides yemenellus is a moth in the Cosmopterigidae family in Yemen and southern Iran . Bifascioides yemenellus is a moth in the Cosmopterigidae family . It is found in Iran and Southern Yemen . 0 +In San Francisco , Hicks listed Dan Hicks and the hot licks from 1968 to 1973 , a band that rarely used electric instruments and never drums . In San Francisco from 1968 -- 1973 , Hicks led Dan Hicks and the Hot Licks , a band that rarely used electric instruments and never used drums . 1 +"In 1977 he worked for the British magazine "" Woman 'apos ; s Realm "" and for the German magazine "" Roman Woche "" ." "In 1977 he worked for the German magazine "" Woman 's Realm "" and for the British magazine "" Roman Woche "" ." 0 +On March 16 , 1494 , Maximilian married Bianca Maria Sforza . On March 16 , 1494 , Maximilian Bianca Maria Sforza was married . 1 +Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology and received the ISCB Fellow in 2009 . Smith was awarded the ISCB Senior Scientist Award and elected ISCB Fellow in 2009 by the International Society for Computational Biology . 0 +In the late 1920s she was a researcher in America at Illinois State University and later Radcliffe College and McGill University . In the late 1920s , she was researcher at Illinois State University in America and later at Radcliffe College and McGill University . 1 +He was born and grew up in Podgorica ( now Titograd ) in a family of musicians . He was born in Titograd ( today Podgorica ) and grew up in a family of musicians . 0 +Michael Fry is an American caricaturist , online - media entrepreneur and screenwriter . Michael Fry is an American cartoonist , online media entrepreneur , and screenwriter . 1 +Pabawena wrote in 1949 to Utah Senator Arthur V. Watkins to report : Arthur V. Watkins wrote Utah - Senator Pabawena in 1949 to report : 0 +In 2015 , SAP announced George X and Manny Rodriguez as the SpikeTV Spanish commentators for Premier Boxing Champions on Spike TV . In 2015 , SpikeTV George X and Manny Rodriguez announced SAP Spanish commentators on Premier Boxing Champions on Spike TV . 0 +The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was completed in 3D and made in the post-production . The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was produced in 3D and finalized in the post-production . 0 +Hampden plays Yamaha drums with Vic Firth sticks and records with Samson Technologies gear . Hampden Sticks Yamaha drums with Vic Firth plays and shoots with Samson Technologies Gear . 0 +The methodology also avoids traditional procedures that require long , continuous data segments , thus taking short sequences such as those provided by temporary weather stations into consideration . The methodology also avoids traditional procedures that require long , continuous data segments , thus accommodating for short sequences , such as those provided by temporary weather stations . 1 +The river Zlagna is a tributary of the River Timiş in Romania . The Timiş River is a tributary of the Zlagna River in Romania . 0 +Colombres is one of three parishes ( administrative districts ) in Ribadedeva , a municipality in the province and autonomous community of Asturias , northern Spain . Colombres is one of three parishes ( administrative divisions ) in Ribadedeva , a municipality within the province and autonomous community of Asturias , in northern Spain . 1 +During three days of riots in Monrovia in October 2004 , nearly 400 people were killed and 15 wounded . During the three days of riots in Monrovia in October 2004 , nearly 400 people were killed and 15 wounded . 1 +Võhma is a village in the Lääneranna parish , Estonia , in western Pärnu County . Võhma is a village in Lääneranna Parish , Estonia , in western Pärnu County . 1 +Many people were mostly numerically important in the region from New Jersey north to Virginia . Indentured people were numerically important mostly in the region from New Jersey north to Virginia . 1 +Caspar David Friedrich was born on September 5 , 1774 in Germany , on the Baltic coast of Greifswald , Sweden , Pomerania . Caspar David Friedrich was born on 5 September 1774 , in Greifswald , Swedish Pomerania , on the Baltic coast of Germany . 0 +"The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a radical party but from 1919 it evolved into a conservative direction" The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but it developed into a conservative direction from 1919 . 1 +Reynolds was selected by the Arizona Diamondbacks in the 476th round ( 16th overall ) of the 2004 Major League Baseball draft . In the 16th round ( 476th total ) of the Major League Baseball draft in 2004 , Arizona Reynolds was selected by the Arizona Diamondbacks . 0 +When high rates of flow can be maintained , the results are comparable . The results are comparable when high flow rates can be maintained . 1 +The song is arranged by Toxey French and Michael Omartian and produced by Jimmie Haskell , Omartian and Bill Straw . The song was arranged by Toxey French and Michael Omartian and produced by Jimmie Haskell , Omartian , and Bill Straw . 1 +"Ricci is known for publishing the original edition of the "" Codex Seraphinianus "" and some books by Guido Crepax ." "Guido Crepax is known for publishing the original edition of "" Codex Seraphinianus "" and some Ricci books ." 0 +A medal was flown from Hawaii to Guam and presented to him in the hospital . A medal was flown from Hawaii to Guam and presented to him in the hospital there . 1 +Long Island is still a popular excursion destination in the summer and is a 45-minute ferry ride from Portland . Long Island is still a popular destination in the summer , and is a 45-minute ferry ride from Portland . 1 +Professor Gilbert was survived by his wife Ingrid , whom he married in 1967 , and his daughters Michelle and Fiona . Professor Gilbert was survived by his wife , Fiona , whom he married in 1967 , and their daughters , Michelle and Ingrid . 0 +From 1866 to 1928 , eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia until the Armenian seat was moved to Beirut in Lebanon . Eparchy was the seat of the Armenian - Catholic Patriarchate of Cilicia from 1866 to 1928 until the patriarchal seat of Beirut was moved to Lebanon . 0 +Tessalit is a rural town and village in the Kidal region of Mali . Tessalit is a rural commune and village in the Kidal Region of Mali . 1 +The building on the north side of the field followed by Emivest Aerospace Corp. , owned and operated by Sino Swearingen Aircraft Corp. Is now owned by Acer Tech . The building on the north side of the field , previously owned by Sino Swearingen Aircraft Corp. , followed by the Emivest Aerospace Corp. , is now owned and operated by Acer Tech . 0 +Giedraitis is a Lithuanian family name , the Polish language version is Giedroyć . Giedraitis is a Polish language family name . The Lithuanian-language version is Giedroyć . 0 +The three inexperienced pilots were allowed to damage it , but only the bomber managed to attack . Johnson allowed the three inexperienced pilots to damage it , but they only managed to attack the bomber . 1 +The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classic image of the foyer . The museum building maintains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . 0 +The recording was produced by George Lucas and Alan Livingston and was recorded by Roscoe Lee Browne . The recording was produced by George Lucas and Alan Livingston , and was narrated by Roscoe Lee Browne . 0 +Some notable performers to have shows at Echoplex include The Mars Volta , Beck , NIN , Lorde , The Rolling Stones and Thom Yorke . Some remarkable performers to have shows at Echoplex include The Mars Volta , Beck , NIN , Lorde , the Rolling Stones and Thom Yorke . 1 +The 1960 San Diego State Aztecs football team represented San Diego State College during the 1960 NCAA College Division football season . The 1960 San Diego State Aztecs football team represents San Diego State College football season during the 1960 NCAA College Division . 1 +On 23 January 2006 , Ericsson acquired a majority of Marconi Communications ' parent company , Telent plc . The remainder of Marconi Corporation plc was renamed Marconi Corporation plc . On January 23 , 2006 , Ericsson acquired a majority stake in the parent company of Marconi Communications , Marconi Corporation plc . The rest of Marconi Corporation plc was renamed Telent plc . 0 +Martha decides to add James to her story about olive by renaming Jimmy . Martha decides to add James to her story about Olive , renaming him Jimmy . 1 +Morton W. MacAuley , generally known as M. W. MacAuley , was a politician in Alberta , Canada , and a municipal council in Edmonton . Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a local representative in Alberta , Canada . 0 +Mora was born in Monterrey and played professionally for the Universidad de Guadalajara , Cruz Azul and Guadalajara . Mora was born in Guadalajara and played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . 0 +In October 2001 he defended his doctorate in psychology at the Free University of Brussels on the subject of human models of cognitive hypertext navigation . He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of human models of cognitive hypertext navigation . 1 +The first verse expresses the reason for the second verse : the goodness of the Lord was experienced in the past , and his faithfulness will remain forever . The first verse expresses the reason for the second verse : the goodness of the Lord has been experienced in the past , and his faithfulness will last forever . 1 +The series was written by George Pérez , with the art by Kurt Busiek . The series was written by Kurt Busiek , with art by George Pérez . 0 +Peter has also appeared in Coronation Street as Brian Packham , Brian Packham also appeared as Peter in Coronation Street . 0 +Garcia performed in his first concert at the age of nine , and since then he appeared alone or with his aunt and uncle in all parts of France . At the age of nine , he appeared in his first concert and since then he joined alone or with his aunt and his uncle in all parts of France . 1 +He was appointed by Robert W. Edgar as a member of the Council of the President 's Common Cause . Robert W. Edgar was appointed by Cohen as a member of the President 's Council of Common Cause . 0 +"There were others who thought as I did , but we could not speak. """ There were others who thought I did , but we could not speak . 1 +Furthermore , Spain agreed into negotiations with the Portuguese court and on 13 February 1668 entered the Peace of Lisbon . Furthermore , Spain agreed to negotiate with the Portuguese court and entered into the peace of Lisbon on 13 February 1668 . 1 +In 1989 , he travelled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . In 1989 , he traveled to South Africa , Johannesburg , and Angola , Mozambique on a peace-seeking mission . 1 +On the same date , Quebec Railway Corporation announced that it was purchasing the Sydney Coal Railway ( SCR ) from the Logistec Corporation . On the same day , the Logistec Corporation announced that it was buying the Sydney Coal Railway ( SCR ) from Quebec Railway Corporation . 0 +"If "" A "" and "" B "" are algebraic spaces , the Banach tensor product of "" A "" and "" B "" means the tensor product of" "Are "" A "" and "" B "" algebraic rooms , the Banach - tensor product of "" A "" and "" B "" means the tensor product of" 1 +He later joined the 25th Regiment of Foot , 8th Husaren , and ended his military career with the rank of a major in the 11th husaren in 1865 . He later joined the 25th Regiment of Foot , 11th Hussars and ended his military career , in 1865 , with the rank of major in the 8th Hussars . 0 +O 'Dea was born in Armidale in 1889 and moved to Sydney as a child with his family . O 'Dea was born in 1889 in Sydney and moved with his family to Armidale as a child . 0 +Azzopardi received his first cap for Malta on 14 December 2003 in a match against Poland . Azzopardi received his first country match for Malta in a game against Poland on 14 December 2003 . 1 +Scott Templeton is an unscrupulous and ambitious young reporter . Templeton is played by Tom McCarthy . Scott Templeton is an unscrupulous and ambitious young reporter played by Tom McCarthy . 1 +If the n vectors are linearly independent , equality is achieved in the inequality of Hadamard if and only if the vectors are orthogonal . If the n vectors are linearly orthogonal , equality in Hadamard 's inequality is achieved if and only if the vectors are independent . 0 +On 24 May 2017 , Lajunen signed a 1-year contract with KHL from HC Spartak Moscow . On May 24 , 2017 Lajunen signed a 1-year contract with KHL from HC Spartak Moscow . 1 +"The character was later killed off in the fourth episode of the second season , "" First Down "" ." "The character was later killed in the second episode of the fourth season , "" First Down "" ." 0 +Vishwasrao was born as the eldest son of Balaji Baji Rao at Supe near Pune ( Supe was the Jagir of Shahaji near Pune . Vishwasrao was born as the eldest son of Balaji Baji Rao in Supe near Pune ( Supe was the Jagir of Shahaji at Pune . 1 +It was reported in June that Burke had signed a record contract with Syco and the album will be processed jointly by RCA Records and RCA Records . In June it was reported that Burke had signed a record deal with Syco and the album will be jointly handled by the RCA Records and RCA Records . 1 +In all authors , the verb tends to be final in subordinate clauses more often than in the main sentences . In all authors , the verb tends to be head , more often in the final clauses than in subordinate clauses . 0 +In 1949 , Arthur V. Watkins wrote to Utah - Senator Pabawena to report : In 1949 , Pabawena wrote to Utah Senator Arthur V. Watkins to report : 0 +It has 12 torsal soft spines and 15 to 17 dorsal rays . It has 12 dorsal spines , and 15 to 17 dorsal soft rays . 0 +"In 2017 , a book of straight photography "" People in Cars "" , published in LA in the early 1970 ’ s , was made ." "In 2017 , a book of straight photography was published in the early 1970s in LA "" people in cars "" ." 0 +The screenplay by Robert Carrington and Jane-Howard Carrington is based on the 1966 play by Frederick Knott . The screenplay by Robert Carrington and Jane-Howard Carrington was based on the 1966 play by Frederick Knott . 1 +"On 17 July 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" "However , on July 17 , 2006 , in a radio interview with Miguel Ángel Granados Chapa on "" Radio UNAM "" , López Obrador said :" 0 +Spinoza 's father was born about a century after this forced conversion in the small Portuguese town of Alentejo , near Beja in Vidigueira . Spinoza 's father was born roughly a century after this forced conversion in the small Portuguese city of Vidigueira , near Beja in Alentejo . 0 +This scene was rewritten , although its opening recitative in cut form was present in the first production . This scene was rewritten , although its opening - recitative in cut form was already present in the first production . 1 +"In 1901 the first part of his piano cycle "" On an Overgrown Path "" was performed and gradually became one of his most released works ." "In 1901 , the first part of his piano cycle "" On an Overgrown Path "" was published and gradually became one of his most frequently-performed works ." 0 +"The Finnish album "" Deathstar Rising "" cracked the new album Top 10 and reached place 8th in the first week of March 2011 ." "The new album "" Deathstar Rising "" cracked the Finnish Album Top 10 and reached # 8 in first week of March 2011 ." 0 +Like other Corvids , Blue Jays are highly curious and are considered to be intelligent birds . Like other Corvids , Blue Jays are highly intelligent and are considered to be curious birds . 0 +Compared to the broad waters of a mill pond , the narrow current is quick and powerful . Compared to the narrow waters of a mill pond , the broad current is fast and powerful . 0 +The second verse expresses the reason for the first verse : the goodness of the Lord has been experienced in the past , and his faithfulness will last forever . The second verse expresses the reason for the first verse : the goodness of the Lord has been experienced in the past , and his faithfulness will exist forever . 1 +Rosenberg has produced more than 40 detonographic works for public buildings in the United States and abroad . Rosenberg has produced more than 40 public works for detonographic buildings around the United States and abroad . 0 +Soon the collector uncle Willy , who attacks the others . The Collector soon possesses Uncle Willy , who attacks the others . 0 +"Mayer ( 2001 ) says Hyman , "" wrote the definitive work on loyalty tests throughout American history . """ "Mayer ( 2001 ) says Hyman , "" wrote the definitive work on loyalty tests throughout the American history ." 1 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the Marinelimpets families . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of the true limpets . 0 +He returned from the negotiations that the Bavarian agreement has now been signed and ended . He returned from the negotiations that now the Bavarian agreement has been signed and finished . 1 +Kennell was born in Dunedin , Florida , and spent her early years between the Rockies and Colorado Springs , Colorado . Kennell was born in Colorado Springs , Colorado . She spent her early years going back and forth between the Rockies and Dunedin , Florida . 0 +It connects Yeongju in the north - Gyeongsang - province with Gangneung in the Gangwon province . It connects Yeongju in Gangwon Province with Gangneung in North Gyeongsang Province . 0 +William Middleton ( or William de Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . William Middleton ( or William de Middleton ; died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . 1 +The Doba River is a tributary of the River Crişul Mic in Romania . The Doba River is a tributary of the Crişul Mic River in Romania . 1 +However , some multi-system predictions of variable measurement statistics on entangled quantum mechanical states can not be simulated by any local hidden quantum theory . However , some multi-system predictions of variable measurement statistics on negligible quantum mechanical states can not be simulated by any local hidden quantum theory . 1 +Morris Township is located in the 25th Congressional District and is part of the 11th State Legislative District of New Jersey . Morris Township is located in the 11th Congressional District and is part of the 25th State Legislative District of New Jersey . 0 +The scientists mentioned , whom Adam reveres , are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . The mentioned scientists Adam adores are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . 1 +The outer narrator meets his old friend Grover with Sterling , Colorado , and asks about the murdered agent at Rodgers Station . The outer narrator meets with his old friend Rodgers by Sterling , Colorado , and asks about the murdered agent at Grover station . 0 +Commander Adama comes with Galen Tyrol and Chief Billy Keikeya on Kobol . Commander Adama arrives in Kobol with Billy Keikeya and Chief Galen Tyrol . 0 +When Jews were expelled from Italy in 1492 , many of them found refuge in Spain , where they were protected by King Ferdinand I. of Naples . When Jews were expelled from Spain in 1492 , many of them found refuge in Italy , where they were given protection by King Ferdinand I of Naples . 0 +Local intradermal injection of botulinum toxin is helpful and chronic for focal neuropathies painful . The local intradermal injection of botulinum toxin is helpful in chronic focal painful neuropathies . 0 +Once Aburao 's school friend Dilip Prabhavalkar ( Gunawant ) , who has now become a minister , attends his show . Aburao 's school friend Dilip Prabhavalkar ( Gunawant ) , who has now become a minister , attends his show . 1 +Lillith 's father tells Emily that the only way to get Lillith is to kill her to sleep . Lillith 's father tells Emily that the only way to get Lillith is to bring her to sleep . 1 +When Peugeot launched the stylish new 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . When Peugeot launched the new Allstylish 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . 1 +He served under Trujillo during the end of his era , and later ruled Duvalier in Haiti . He served at the end of his era under Trujillo and later ruled Duvalier in Haiti . 1 +Ridenour was married to Eleanor Fay , they had two daughters , Nancy Page Buchanan ( nee Ridenour ) and Gretchen Kraemer . Dr. Ridenour was married to Eleanor Fay ; they had two daughters , Nancy Page Buchanan ( née Ridenour ) and Gretchen Kraemer . 1 +"In Jin Yong 's "" Wuxia "" novel "" The legend of Kondor heroes "" is Guo Jing the ancestor of the protagonist Guo Sheng ." "In Jin Yong 's "" wuxia "" novel "" The Legend of the Condor Heroes "" , Guo Sheng is the ancestor of the protagonist , Guo Jing ." 0 +Mars is a dry world with a thin atmosphere whose inhabitants , described as short and insect-like , are mentioned but not seen in the stories . Mars is a dry world with a thin atmosphere , whose inhabitants , who are described as short and insect-like , are seen but not mentioned in the stories . 0 +Yves Préfontaine ( born February 1 , 1937 in Montreal , Quebec ) is a Canadian writer who lives in Quebec . Yves Préfontaine ( born 1 February , 1937 , in Quebec ) is a Canadian writer based in Montreal , Quebec . 1 +The organizing committee banned the unauthorized filming and examined SBS cameras in the stadium on August 6 , 2008 during the ceremony as reprisals for the leak . The Organizing Committee banned the unauthorized filming , and on 6 August 2008 , investigated SBS cameras inside the stadium during the ceremony as reprisals for the leak . 1 +Production was repeated in Berlin on 8 June 2011 and from 8 July 2012 in Amsterdam . The production was repeated from 8 June , 2011 in Berlin and from 8 July , 2012 in Amsterdam . 1 +Walnut Hill was also on the Goshen Road , an early road through Illinois , from Glen Carbon to the Goshen Settlement near Shawneetown . Walnut Hill was also on the Goshen Road , an early road across Illinois , from Shawneetown to the Goshen Settlement near Glen Carbon . 0 +Many Roswell residents work in the nearby Atlanta . Many Atlanta residents work in nearby Roswell . 0 +Besides Moyles , Peadár Gardiner and Stephen Rochford , Ciarán McDonald came through the Crossmolina Deel Rovers . Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford came Moyles through the Crossmolina Deel Rovers system . 0 +Imam Bukhari later married and had two sons , Ahmad and Muhammad . Muhammad would also be known as Ismael , the most prominent Sunni hadith collector . Imam Bukhari married later and had two sons , Ahmad and Muhammad , also known as Ismael , the most prominent Sunni hadith collector . 1 +Recently Antonio appeared in Ireland in duo with singer Donovan and special guest Chris De Burgh , and with Eoin Dillon ( Kila ) . Antonio recently appeared in Ireland with the singer Donovan and the special guest Chris De Burgh and with Eoin Dillon ( Kila ) in Ireland . 1 +In 1742 , the last possession of the Genoese in the Mediterranean , the island fortress of Tunis , was lost to Tabarka . The last possession of the Genoese in the Mediterranean , the Tunisian island fortress , was lost to Tabarka in 1742 . 1 +He was released on 3 October 2016 and was resigned again on 8 October . He was re-signed on October 3 , 2016 and was released again on October 8 . 0 +Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Thomas Easthope by Elizabeth , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver from Overbury , Worcestershire . 0 +"The six episodes were written by Jonathan Harvey ( "" Gim me Gim me Gim me "" ) and directed by Gareth Carrivick ." "The six episodes were written by Gareth Carrivick ( "" Gim me Gim me Gim "" ) and directed by Jonathan Harvey ." 0 +He was taught music by the Croatian composer Rudolf Matz and later enrolled the Vatroslav Lisinski music school . He was taught by the Croatian composer Vatroslav Lisinski music and later enrolled at the music school Rudolf Matz . 0 +Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . Deutsch Schützen-Eisenberg is a municipality in Burgenland in the district of Oberwart in Austria . 0 +Today the railheads for Wellsville Alma are township and friendship . Today the railheads for Alma Township are Wellsville and Friendship . 0 +Meanwhile , young Ben Cameron idolizes a picture of Elsie Stoneman . Meanwhile , the young Elsie Stoneman idolizes a picture of Ben Cameron . 0 +Lake Arrowhead is an artificial lake in the Mojave River on the Little Bear Creek , a tributary of Deep Creek and San Bernardino mountains . Lake Arrowhead is an artificial lake in the San Bernardino Mountains on the Little Bear Creek , a tributary of Deep Creek and the Mojave River . 0 +After two starts with Altoona , Glasnow returned to West Virginia . Glasnow returned to Altoona after two starts with West Virginia . 0 +He is generally credited as Tashi Wangchuk Tenzing of Australia , sometimes with a note that he is Tenzing 's grandson . He is usually credited as Tashi Wangchuk Tenzing of Australia , sometimes with a note that he is Tenzing 's grandson 1 +Thus , the red drops on a white field are an allusion to his name and his origins . Thus , the red drops on a white field are an allusion to both his name and his ancestry . 1 +San Pedro Springs Park is located in the city of San Antonio in the Bexar County in the state of Texas . San Pedro Springs Park is located in the Bexar County city of San Antonio in the U.S. state of Texas . 0 +Simpson is also part of the civil parish of Simpson and Ashland , which now includes Ashland and West Ashland . Simpson is also part of the municipality of Simpson and Ashland , which now includes Ashland and West Ashland . 1 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - videogame by Kush Games developed and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball Simulation Videogame developed by 2K Sports and published by Kush Games . 0 +The book proposes a legal reform for Switzerland that has never been realized because of political controversies . The book proposes a legal reform for Switzerland which has never been realized because of political controversies . 1 +Jeetenkumar Naorem and Tony Aheibam composed the soundtrack for the film and Raju Mikoncha wrote the lyrics . Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha composed the texts . 0 +She withdrew her daughter Vinod from public school and sent Rekha to a school in another district . She returned her daughter Rekha from the public school and sent Vinod to a school in another district . 0 +"Her son Marc appeared in two episodes with Tony as "" Brian Sims "" on "" Taxi "" ." "Their son Brian Sims appeared with Tony in two episodes as "" Marc "" in "" Taxi "" ." 0 +This version of Hector Hammond is a xenobiology professor , an old friend of Hal Jordan and the son of United States senator Robert Hammond . This version of Robert Hammond is a Xenobiology - Professor , an old friend of Hal Jordan and the son of US Senator Hector Hammond . 0 +On March 17 , 2015 , Allergan Allergan acquired the name Actavis . On March 17 , 2015 , Allergan acquired Allergan and took the Actavis name . 0 +Hernon was born in New Bedford , Massachusetts , died in New Bedford and is buried in the St. Mary cemetery in East Bridgewater , Massachusetts . Hernon was born in New Bedford , Massachusetts , and died in New Bedford . He is buried in St. Mary Cemetery in East Bridgewater , Massachusetts . 1 +The Los Angeles Recording School is a division of the Los Angeles Film School , accredited by ACCSC , the Career Schools and Colleges Accreditation Commission . The Los Angeles Film School is a division of The Los Angeles Recording School which is accredited by ACCSC , the Accrediting Commission of Career Schools and Colleges . 0 +In computer - complexity theory , randomized polynomial time ( RP ) is the complexity class of problems for which a probabilistic turing machine exists with these characteristics : In polynomial complexity theory , randomized computational time ( RP ) is the complexity class of problems for which a probabilistic Turing machine exists with these properties : 0 +It is being found in Burundi , the Democratic Republic of the Congo , Rwanda and Uganda . It was found in Uganda , the Democratic Republic of the Congo , Rwanda and Burundi . 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - video game developed by Kush Games and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball Simulation Videogame developed by 2K Sports and published by Kush Games . 0 +Surprise Lake is a lake located on Brewster Lake north of Vancouver Island and south of Amor Lake . Surprise Lake is a lake on Vancouver Island north of Brewster Lake and to the south of Amor Lake . 0 +Denco is a former settlement in Colusa County , California , north of Colusa on the Southern Pacific Railroad . Denco is a former settlement in Colusa County , California , north of Colusa on Southern Pacific Railroad . 1 +The journey begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . The trip begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . 0 +He ran dashes and threw the shot put on the track team and played on the football team at Columbus East High School . He ran strokes and threw the shot on the track team and played on the football team at Columbus East High School . 1 +He first worked in public relations for the American Jewish Committee in Boston and until his retirement for the combined Jewish philanthropies of New York . At first , he worked in public relations for the American Jewish Committee in New York and until his retirement for the Combined Jewish Philanthropies of Boston . 0 +In bioinformatics , inverted indexes for the sequence assembly of short fragments of sequenced DNA are very important . In bioinformatics , short indices in the sequence assembly of inverted fragments of sequenced DNA are very important . 0 +"In addition , the song "" Calling All Angels "" by Jane Siberry is played in the film and is included on the soundtrack ." "In addition , the song "" Calling All Angels "" is played by Jane Siberry in the film and is recorded in the soundtrack ." 1 +"It is the fourth track and third single from their breakthrough "" Smash "" ( 1994 ) ." "It is the third track and fourth single from their breakthrough album "" Smash "" ( 1994 ) ." 0 +Binary fluorides of metalloids and p- block - nonmetals are generally covalent and volatile , with varying reactivities , period 3 and heavier non-metals can form hypervalent fluorides . Binary fluorides of metalloids and p- block nonmetals are generally covalent and volatile , with varying reactivities . Period 3 and heavier nonmetals can form hypervalent fluorides . 1 +It overlooked the Upper St. Francis Road , and was manned by members of Missouri 33rd . It overlooked the Missouri , and was manned by members of the 33rd Upper St. Francis Road . 0 +He died on 23 April 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . He died on April 23 , 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . 0 +The most important energy parts are in negligible losses , the other two are thermal and kinetic . Most important energy parts are located in the negligible losses , the two others are thermal and kinetic . 1 +Lucille Wilcox Joullin ( 1876 -- 1924 ) was an American painter known for her landscapes of New Mexico and the Pueblo Indians of California . Wilcox Joullin ( 1876 -- 1924 ) was an American painter , known for her landscapes of New Mexico and the Pueblo Indians of California . 1 +He spent his exile in Italy and preached Gareccio in France where he preached . He spent his exile in France and in Italy preached Gareccio , where he preached . 0 +"In "" Suicide Squad "" ( 2016 ) , Harley Quinn carried the batsuit twice in the film , where he captured Deadshot and Bruce ." "In "" Suicide Squad "" ( 2016 ) , Bruce wore the Batsuit again twice in the film where he captured Deadshot and Harley Quinn ." 0 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland 's success with Tipperary . His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland success with Tipperary . 1 +Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Academy of Music in Budapest . Born in Hungary ( Békésszentandrás ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . 1 +Portsmouth won 4 -- 1 , with goals by John Anderson , Cliff Parker and two of Bert Barlow . Portsmouth won 4 -- 1 , with goals of Bert Barlow , John Anderson and two from Cliff Parker . 0 +In January 1967 Daltoni won the first place at Belgrade 's second Guitar festival . In January 1967 , Daltoni won first place at the second guitar festival in Belgrade . 1 +"Chontelle Moore is an American actress known for her role as the pilar in "" ." Pilar is an American actress known for her role as Chontelle Moore . 0 +In 2006 , Bozanga was appointed Chairman of the State Council by President François Bozizé . In 2006 , Bozanga was appointed by President François Bozizé the chairman of the Council of State . 1 +He also helps Jennifer Bransford ( Bo ) by defending Robert S. Woods when he was accused of murder of Georgie Philips ( Nora and Bo Buchanan ) . He also helps Nora and Bo Buchanan ( Robert S. Woods ) by defending Bo when he was accused of murdering Georgie Philips ( Jennifer Bransford ) . 0 +It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , for the first time it was shown in Borneo . It was shown on 30 September 2012 at the Borneo Eco Film Festival as it was the first time premiered in Borneo . 0 +Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the Melbourne Olympic Games in 1956 . Peter Evatt was an Olympic rower , who became 1953 national sculling champion and represented Australia in rowing at the 1956 Olympic Games in Melbourne . 1 +""" Duke of Roxburgh "" sailed again from Port Phillip on 31 October 1846 and arrived at Gravesend on 7 March 1847 ." "On 31 October 1846 , the "" Duke of Roxburgh "" sailed again from Gravesend and arrived in Port Phillip on 7 March 1847 ." 0 +A meeting between the leaders of the two rival governments of Libya was held at Auberge de Castille in Valletta , Malta on 16 December 2015 . On 16 December 2015 , a meeting between the leaders of the two rival governments of Malta took place at the Auberge de Castille in Valletta , Libya . 0 +Horner changed his mind when Cameron presented him with the song . Cameron changed his mind when Horner presented him with the song . 0 +Maria has a master in Italian theater and culture , is member of European Film Academy and speak Romanian , English and Japanese . Maria has a Master in Italian Theater and Culture , is a member of the European Film Academy and speaks Romanian , English and Japanese . 1 +Together with his team colleague Haris Hajradinović from the Croatian club AS Trenčín he came to NK Inter Zaprešić in summer 2013 . He came to AS Trenčín in summer 2013 together with his teammate Haris Hajradinović from Croatian club NK Inter Zaprešić . 0 +The fourth election of 23 November 1958 continued the previous coalition . The previous election of 23 November 1958 perpetuated the fourth coalition . 0 +Valdir de Moraes Filho ( born March 15 , 1972 ) , commonly known as Valdir Bigode , is a former Brazilian soccer player who played as a striker . Valdir de Moraes Filho ( born 15 March 1972 ) , commonly known as Valdir Bigode , is a Brazilian former footballer who played as a striker . 1 +Pike , Wyoming County , New York is the name of two locations in New York : Pike , Wyoming County , New York is the name of two villages in New York : 1 +People from all over China come to Lujiang to look at Zhou Yu 's reverence . People from all over the China come to Lujiang to look at with Zhou Yu 's reverence . 1 +The destroyer was defeated in 1922 and entered on 12 April in the Philadelphia Navy Yard , where she was inactivated on 17 July 1922 . The destroyer was decommissioned in 1922 , and on 12 April , entered the Philadelphia Navy Yard where she was ordered inactivated on 17 July 1922 . 1 +It was built in the 17th century , and by the 14th century had It was built in the 17th century and had in the 14th century . 1 +2006 : David Neale was appointed Chief Executive following the death of Paul Britton in December 2005 . Following the death of Paul Britton in December 2005 , David Neale was named Chief Executive . 1 +This research in historical astronomy covers the disciplines of archaeoastronomy , ethnoastronomy , cultural astronomy , geomythology and Indigenous knowledge . This research in cultural astronomy includes the disciplines of archaeoastronomy , ethnoastronomy , historical astronomy , geomythology and indigenous knowledge . 0 +Kristoffer together with Karen had eight children . Together , Karen and Kristoffer have eight children . 1 +The 375th Airlift Squadron ( 457 AS ) is part of the 457th Air Mobility Wing and is located at the Andrews Air Force Base , Maryland . The 457th Airlift Squadron ( 457 AS ) is part of the 375th Air Mobility Wing and is stationed at Andrews Air Force Base , Maryland . 0 +"Psittacosaurides were basal to almost all known Ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae ." "Psittacosaurids were known to almost all basal ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae ." 0 +The Maltz Museum of the Jewish Heritage is located next to the temple in Beachwood and houses part of the collection of the Temple Museum . The Maltz Museum of Jewish Heritage houses located next to The Temple in Beachwood and is part of the Temple Museum 's collection . 0 +The Simpson Memorial Church belongs to the Church of Southern India , on which Madurantakam is located one of the most popular churches in the GST Road . The Simpson Memorial Church belongs to the Church of South India , located on the Madurantakam is one of the popular churches in GST Road . 1 +In 2010 she won the 12th Nojak Literature Prize , the 57th Hyundae Literary Award in 2011 and the 10th Yi Yuksa Poetry Awards in 2015 . In 2010 she won the 10th Nojak Literature Award , the 57th Hyundae Literary Award in 2011 and the 12th Yi Yuksa Poetry Award in 2015 . 0 +Most of the Japanese troops are killed in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . Most Japanese troops are captured in the raid , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) will be killed . 0 +Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is a record Olympic and national swimmer from Cuba . Heysi Villarreal ( born 26 August 1986 in Havana , Cuba ) is an Olympic and national record holding swimmer from Cuba . 1 +The mesoscopic weighting function at the wavelength formula 1 can be written as the weighted sum ; The weighted weighting function at the wavelength formula 1 can be written as a mesoscopic amount . 0 +In bioinformatics , inverted indexes are very important in the sequence assembly of short fragments of sequenced DNA . In bioinformatics , short indices in the sequence assembly of inverted fragments of sequenced DNA are very important . 0 +The Peak family remained in Kilallah for only a few years , when the house was bought by a Mr Horrigan who sold it to the Fletcher family . The Peak family remained in Kilallah for only a few years , when the house was purchased by a Mr Fletcher who sold it to the Horrigan family . 0 +The Bazga River is a tributary of the River Bohotin in Romania . The Bazga River is a tributary of the Bohotin River in Romania . 1 +Queen Peak is a mountain located on Vancouver Island , British Columbia , Canada , north of Gold River and east of Victoria Peak . Queen Peak is a mountain located at Victoria Peak , north of Gold River and east of Vancouver Island , British Columbia , Canada . 0 +Their arrival in Kenya occurred shortly before the introduction of iron to East Africa . Their arrival in East Africa was shortly before the introduction of iron to Kenya . 0 +It is found in southeastern Venezuela , where is known as jequitibá-branco or jequitibá-rosa , possibly Brazil and possibly Colombia . It is found in southeast Brazil , where is known as jequitibá-branco or jequitibá-rosa , possibly Colombia and possibly Venezuela . 0 +It is located in the central portion of Warren Township in Belmont County and is part of the Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central part of Belmont County , Warren Township and is part of the Wheeling , West Virginia Metropolitan Statistical Area . 0 +Butler County is represented in the U.S. Senate by US Senators Claire McCaskill ( Democrat ) and Roy Blunt ( Republican ) . Butler County is represented in the U.S. Senate by US Senators Roy Blunt ( Democrat ) and Claire McCaskill ( Republican ) . 0 +The geometric mosaics of the villa are polychrome designs , stylistically close to North African mosaics and damaged areas suggest figures were also included . The polychrome mosaics of the villa are geometric designs , stylistically close to North African mosaics , and damaged areas indicate that figures were also included . 0 +Turing had an elder brother , John Dermot Turing ( father of Sir John , 12th Baronet of the Turing Baronets ) . Turing had an older brother , John ( the father of Sir John Dermot Turing , 12th Baronet of the Turing Baronets ) . 0 +Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relations between the government and the United Kingdom . Lord Chancellor , a post in the British Government , is responsible for the relations between the government and the Channel Islands . 0 +While the RFA serves the Royal Navy fleet around the world , RFA crews are civilians and thus not suitable for the awards and decorations of the Royal Navy . While the RFA services the fleet of the RFA around the world , Royal Navy crews are civilians and thus not eligible for Royal Navy awards and decorations . 0 +He was born on 21 May 1897 in Sofia and died in Jambol on 15 June 1945 . He was born on May 21 , 1897 , in Yambol and died on June 15 , 1945 , in Sofia . 0 +Ranjib Biswal is married to Anita Mohanty , an NRI from London , United Kingdom Anita Mohanty is married to Ranjib Biswal , an NRI from London , United Kingdom . 0 +Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the 21st century Uganda . Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the constitutional traditional monarchies in 21st century Uganda . 0 +Other finalists included National Geographic , New York , Vanity Fair , and Wall Street Journal . Other finalists closed National Geographic , New York , Vanity Fair , and Wall Street Journal . 1 +He has two careers Hattricks , the first against the Vancouver Canucks and the second against the Edmonton Oilers on 8 December 2009 . He has two career hat-tricks , the first against the Vancouver Canucks and the second against the Edmonton Oilers on December 8 , 2009 . 1 +In 1896 , Webster , Old Orchard , Webster Park , Tuxedo Park and Selma merged in 1876 in order to implement public services and develop a unified city government . Webster , Old Orchard , Webster Park , Tuxedo Park , and Selma merged in 1896 to implement public services and develop a unified city government . 0 +Startforth Rural District was a historic district in the North Riding of the rural county of Yorkshire in the Pennines of Northern England . Startforth Rural District was a rural district in the North Riding of the historic county of Yorkshire in the Pennines north of England . 0 +The company sells ice cream , then moves to bake ice cream cones and headquarters expands to Baltimore . Company sells ice cream , then moves to bake ice cream cones and Headquarters expands to Baltimore . 1 +Original members included Cornelius Vanderbilt , William , John D. Rockefeller , J. P. Morgan and Amzi Barber . Original members included Cornelius Vanderbilt , William and John D. Rockefeller , J. P. Morgan and Amzi Barber . 1 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital in the Forest Gate , London , and lived in North Kilworth , South - Leicestershire . John Geza Ashton was born on 30 November , 1957 in Whips Cross Hospital , Forest Gate , Leicestershire , and lived in North Kilworth in south London . 0 +The Texans in Texas recommended establishing a provisional government in Saltillo during the riots to strengthen the autonomy of Bexar . Texans in Texas recommended establishing a provisional government in Saltillo during the unrest to strengthen the autonomy of Bexar . 1 +He died in Holyhood Cemetery , Brookline , Massachusetts , on February 19 , 1935 and was interred in Boston , Massachusetts . He died on February 19 , 1935 at Holyhood Cemetery in Brookline , Massachusetts , and was buried in Boston , Massachusetts . 1 +"As of September 2015 , Goodyear is again the president of "" Goodyear Investment Company "" and "" Goodyear Capital Corporation "" ." "From September 2015 Goodyear is again president of "" Goodyear Capital Corporation "" and the "" Goodyear Investment Company "" ." 1 +With Luis Scola injured , Patrick Patterson had his first NBA start with the Rockets on March 14 , 2011 , scoring 2 points and grabbing 5 rebounds . Injured with Luis Scola , Patterson had his first NBA start with the Rockets on March 14 , 2011 , achieved 2 points and 5 rebounds . 1 +On 7 July 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . Major General Francis Okello replaced Major General Nathan Mugisha as commander of AMISOM on 7 July 2009 . 1 +As an alternative , tantric Tibetan Buddhism allows to choose a desire consciously ; to create desire rather than being created by it . As an alternative , tantric Tibetan Buddhism enables consciously to create a desire to choose the desire , rather than being created by it . 0 +It is found on Quartzite hills in the Moora region of Western Australia near Wheatbelt , where it is often grown with gravel in sandy soils . It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it often grows with gravel in sandy floors . 0 +In all authors , the verb tends to be final in subordinate clauses more often than in the main sentences . In all authors , the verb tends to be final more often in subordinate clauses than in main clauses . 1 +He reaches himself and settles down under his seat cushion to confirm the presence of a dagger . He settles himself and reaches under his seating cushion to confirm the presence of a dagger . 0 +""" Slate "" has pointed out that , contrary to what is depicted in the film , Wilson did not accompany Landy and Ledbetter on their first date ." """ Slate "" pointed out that Landy , contrary to what is presented in the film , did not accompany Wilson and Ledbetter on their first date ." 0 +Like other Corvids , Blue Jays are very intelligent and are considered curious birds . Like other Corvids , Blue Jays are very curious and are considered intelligent birds . 0 +Although fiddling has changed considerably since that time in Cape Breton , it is widely believed that the tradition of Scottish Fiddle music in Scotland has been better preserved . Although fiddling has changed considerably , since this time in Cape Breton , it is widely held that the tradition of Scottish fiddle music has been better preserved in Scotland . 1 +This is also a shearing effect : when the focal length is smaller , the shearing effect is greater . This is also a shearing effect : when the focal length is larger , the shearing effect is smaller . 0 +The use of awakening drains the colors from the surrounding objects , and the less colorful an object is , the harder it is to apply awakening to it . Use of Awakening drains the colors from surrounding objects and the more colorful an object is , the less difficult it is to apply Awakening to it . 0 +MacFarlane has commented that he can not understand why the word is not allowed on Fox , given that it is permitted on other networks . MacFarlane has commented that he can 't understand why the word is not allowed on Fox , provided that it is permitted on other networks . 1 +"Susan 's husband said : "" Stanton stirred the puddings , Susan stirred up Susan , and then Elizabeth shaked the world !" "Susan 's husband said , "" Stanton stirred the puddings , Susan stirred up Susan , and then Elizabeth stirs up the world ! """ 1 +Along with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Cumberland districts of Gosforth , and Cockermouth . Together with Frederick Murray Trotter and others he helped create new maps and memoirs of the districts of Brampton , Whitehaven , Gosforth and Cockermouth in Cumberland . 0 +Another interpretation specifies Sicily separate from Naples , plus Jerusalem and Aragon . Another interpretation specifies Sicily separated from Naples , plus Jerusalem and Aragon . 1 +The leaves are generally 1.5-4 mm wide and 0.2-0.7 mm long . The leaves are typically 1.5-4 mm wide and 0.2-0.7 mm long . 1 +Yoruba written literature begins with the formation of its grammar published in 1843 . The published literature of Yoruba begins with the formation of its grammar written in 1843 . 0 +In 1901 , Winn met Emma Goldman in Chicago and found in her a permanent ally . In 1901 , Winn met Emma Goldman in Chicago , and found in her a lasting ally . 1 +This name change meant that the Nazi party would be “ placed ” under the NSRL . "This change of name meant that the NSRL would be placed under the Nazi party "" ." 0 +For shopping there is Pakistani Market and a similar Russian Market in Russian blocks . There is the Pakistani market and a similar Russian market in Russian blocks for shopping . 1 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs - nonhydrogen energy ( Î G ) to the number of free atoms of the connection . Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs of free energy ( Α G ) to the number of non-hydrogen atoms in the compound : 0 +The album was recorded in six different sessions at the Santa Monica Sound Records in Los Angeles and at the Westlake Recording Studios in Santa Monica , California . The album was recorded in six different sessions , both at Santa Monica Sound Records in Santa Monica , California , and at Westlake Recording Studios in Los Angeles . 0 +They were replaced by Jill Culton in 2008 , who was followed by Chris Jenkins , with Todd Wilderman in 2010 . They were replaced by Jill Culton in 2008 , which was followed by Chris Jenkins , with Todd Wilderman in 2010 . 1 +The river Deju is a left tributary of the Putna River in Romania . The Putna River is a left tributary of the River Deju in Romania . 0 +Pirzio Biroli was personally responsible for the mass execution and numerous terror of the people of Montenegro . Pirzio Biroli was personally responsible for numerous execution and mass terror of the population of Montenegro . 0 +Thomas Edward Donne ( 1860 -- 1945 ) was a New Zealand civil servant , author , fine hunter and collector of Maori antiquities and New Zealand recreational art . Thomas Edward Donne ( 1860 -- 1945 ) was a New Zealand civil servant , writer , fine hunter and collector of Maori - antiquities and New Zealand leisure art . 1 +Under the British Raj , the Bombay presidency was part of the Bijapur district . The Bijapur District was part of the Presidency of Bombay under the British Raj . 0 +Giuliano Calore ( 1938 ) is an extreme cyclist , world champion of Italian cycling , 13 records and won 98 medals . Giuliano Calore ( 1938 ) is an extreme racing cyclist , world champion of Italian cycling , holder of 13 records and won 98 medals . 1 +Munro was chairman of the Highfields Shire Council from 1888 to 1913 and of the Highfields Divisional Board from 1915 to 1917 . From 1888 to 1913 , he was chairman of the Highfields Shire Council and , from 1915 to 1917 , Chairman of the Highfields Divisional Board . 1 +The Tokyo Junior Orchestra Society was recognized as an accredited NPO in 2009 by the Tokyo Metropolitan Government . Tokyo Junior Orchestra Society was accredited by the Tokyo Metropolitan Government as an endorsed NPO in 2009 . 0 +The biomass of wild trout was 48.30 kilograms per hectare , including 23.49 kilograms per hectare of brown trout and 24.81 kilograms per hectare of brook trout . The biomass of wild trout was 48.30 kilograms per hectare , which included 23.49 kilograms per hectare of brook trout and 24.81 kilograms per hectare of brown trout . 0 +And procedural knowledge ( steps to take and what decision when to make ) . And procedural knowledge ( steps to take and what decision when to do ) . 1 +However , Augustus Tacitus records two contradictory but common views of Augustus : Tacitus , however , records two common but contradictory views of Augustus . 0 +Pingding County is a county located in Yangquan , People 's Republic of China under the jurisdiction of the city of Shanxi . Pingding County is a county in the Shanxi Province , People 's Republic of China under the jurisdiction of Yangquan City . 0 +Kaliabor is part of Bokakhat ( Lok Sabha constituency ) . Bokakhat is part of Kaliabor ( constituency of Lok Sabha ) . 0 +Fred Hovey defeated 7 -- 5 , 3 -- 6 , 6 - 3 , 7 -- 5 Oliver Campbell defeated Fred Hovey 7 -- 5 , 3 -- 6 , 6 -- 3 , 7 -- 5 0 +When he succeeded Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . When he was succeeded by Karlheinz Kaske in 1981 , Plettner became the first chairman of the supervisory board not to be a member of the Siemens family . 0 +The government of Punjab , a federal government in the provincial structure of Pakistan , is located in Lahore , the capital of the province of Punjab . The government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of Punjab province . 0 +Between 1928 and 1934 Latham was a member of the Municipal Reform Party , representing Lewisham East as a member of the Conservative-backed London County Council . Between 1928 and 1934 , Latham was a member of the London County Council , representing Lewisham East as a member of the Conservative-backed Communal Reform Party . 0 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Gaby and Mcoy with the other reoccupied by Ethel . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps that Gaby and Mcoy left behind , while the other was reoccupied by Ethel . 1 +For theories at the level of second-order arithmetic , the reverse mathematics program has much to say . For theories at the level of second-order arithmetic , the reverse mathematical program has much to say . 1 +Mount Darwin ( alternatively : Darwin ) is one of seven districts in the province of Mashonaland Central in Zimbabwe . Mount Darwin ( alternatively : Darwin ) is one of seven districts in the province of Mashonaland Central of Zimbabwe . 0 +Many people who admit to being frequent tanners say they tan to look good , feel good and relax . Many people who admit to being frequent tanners say they tan to look good , feel good , and to relax . 1 +In 1979 , Warner Communications founded a company called Warner-Amex Satellite Entertainment , which formed MTV , Nickelodeon and The Movie Channel with American Express . American Express formed a venture with Warner Communications in 1979 called Warner-Amex Satellite Entertainment , which created MTV , Nickelodeon , and The Movie Channel . 0 +The 1907 -- 08 İstanbul Football League season was the fourth season of the league . Moda FC won the league for the first time . The Istanbul League League season 1907 -- 08 was the first season of the League , Moda FC won the league for the fourth time . 0 +Sullivan County International Airport , which connects NY 17B and NY 55 to Airport Road , is allocated CR 183 . Airport Road is assigned to the CR 183 which links NY 17B and NY 55 to Sullivan County International Airport . 0 +This scene has been rewritten , although its opening recitative was present in cut form in the first production . This scene has been cut , although its opening recitative was present in rewritten form in the first production . 0 +This game was released in Japan on February 18 , 2010 , North America on February 23 , 2010 and Europe on March 26 , 2010 . This game was released in Japan on February 18 , 2010 , in North America on February 23 , 2010 and in Europe on March 26 , 2010 . 1 +While these two stations are situated relatively close to each other , the two stations are not interchangeable ; they are located along different parts of Pudian Road . While these two stations are relatively close to each other , the two stations are not interchangeable , but are located along different parts of the Pudian Road . 1 +Forty different plant communities were identified in the gorge , containing at least 1,342 species and 54 rare plants . Forty rare plant communities containing at least 1,342 species and 54 different plants have been identified in the gorge . 0 +The American Unitarian Association elected Livermore a member of the Executive Committee in 1859 . In 1859 , the executive committee elected Livermore as a member of the American Unitarian Association . 0 +Like many aspects of Islamic ivory this reflects the Byzantine traditions Islam inherited . Like many aspects of Byzantine ivory , this reflects the Islamic traditions inherited from Islam . 0 +Linn Jørum Sulland replaced Ida Bjørndalen on 30 November 2014 due to an injury . Linn Jørum Sulland replaced Ida Bjørndalen due to an injury on 30 November , 2014 . 1 +She left Sydney via Madras to London on 1 January 1829 . She left London on 1 January 1829 for Sydney via Madras . 0 +The three inexperienced pilots were allowed to attack it , but they managed only to damage the bomber . The three inexperienced pilots were allowed to damage it , but only the bomber managed to attack . 0 +John and his brother James were born in Alfreton , Derbyshire . James and his brother John were born in Derbyshire , Alfreton . 1 +Raschke , daughter of Kimmey , was a member of the Senate of Puerto Rico . Kimmey 's daughter , Raschke , was a member of the Senate of Puerto Rico . 1 +For Kholm 's command of the defense , Scherer was personally awarded the knight 's cross of the Iron Cross with oak foliage by Adolf Hitler . Adolf Hitler was personally awarded the Knight 's Cross of the Iron Cross with Oak Leaves by Scherer for the command of the defense of Kholm . 0 +"There , he was introduced to the 1977 version of the computer text game "" Colossal Cave Adventure "" , created by Don Woods and modified by Will Crowther ." "He was introduced to the version of Computer - Text - Game "" Colossal Cave Adventure "" , created in 1977 by Will Crowther and modified by Don Woods ." 0 +In 1139 the Archdeacon of Winchester was consecrated and appointed Bishop of Salisbury in 1142 . Joscelin was appointed archdeacon of Winchester in 1139 and consecrated bishop of Salisbury in 1142 . 0 +To sell gold , a country always had to accumulate more goods abroad , than it bought . To sell gold , a country abroad had to accumulate more and more goods than it bought . 1 +On 29 September 1849 , Queen Victoria travelled from Swindon by train to Gloucester , On 29 September 1849 , Queen Victoria traveled from Swindon to Gloucester by train , 1 +Kuala Lumpur was chosen as the Singapore terminus of the Jurong East -- Singapore High Speed Rail on 5 May 2015 . On May 5 , 2015 , Kuala Lumpur was elected as the terminus of the Jurong East -- Singapore High Speed Rail track in Singapore . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in Assam ( India ) . Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in Assam ( India ) . 1 +Rituparna Sengupta and Indrani Halder won the National Film Award for Best Actress in 1998 , for the film . Ghosh shared National Film Award for Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as the Best Actress , Ghosh shared the National Film Award for the Best Screenplay . 1 +Codice _ 13 is also a compiler magic function of Oxygene . It is not a conditional function and is at compile time unrolled to real statements . Codice 13 is also a compiler - magic - function of oxygene that is not a conditional function and is rolled back to real statements at compile time . 1 +Hard Candy is the fourth studio album of Counting Crows published on 7 June 2002 and the following day in the United States in the United Kingdom . Hard Candy is the fourth studio album by Counting Crows , published in the United States on June 7 , 2002 and the following day in the United Kingdom . 0 +Erandio is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , in northern Spain . Erandio is a town and municipality in the province of Biscay , in the Autonomous Community of Basque Country , northern Spain . 0 +The first railway workshops in the Wellington region were near Wellington 's first railway station at Pipitea Point . The first railway workshops in the Wellington region were located near Wellington 's first railway station at Pipitea Point . 1 +Talagang Tehsil is a subdivision ( tehsil ) of the district of Chakwal in the Pakistani province Punjab . Chakwal District is a subdivision ( Tehsil ) of Talagang Tehsil in the Province of Punjab in Pakistan . 0 +This order is higher than the Doorkeeper ( now largely obsolete ) and lower than that of the Subdeacon . This order is lower than the Doorkeeper ( now largely obsolete ) and higher than the subdeacon . 0 +Souray married former WWE wrestler Barbara Blank in February 2016 , better known as Kelly Kelly , and separated in October 2017 . Souray married former WWE professional wrestler Kelly Kelly , better known as Barbara Blank in February 2016 . They have separated in October 2017 . 0 +"The Georgian language , however , uses the singular form when the quantity is specified , so in practice the plural of "" tetri "" is just "" tetri "" ." "However , the Georgian language uses the singular form when the quantity is specified , so in practice the plural of "" tetri "" is just "" tetri . """ 1 +Lizelle Jimenez ( Angelica Panganiban ) is in a new relationship with Surgeon Adrian Benitez ( Gabby Concepcion ) . Angelica Panganiban ( Lizelle Jimenez ) is a new relationship with Adrian Benitez surgeon ( Gabby Concepcion ) . 1 +Founded in 1899 by Jacob A. Bartles , the town was named after Admiral George Dewey . The town was founded in 1899 by George Dewey and named after Admiral Jacob A. Bartles . 0 +When Russ asked him to play guitar in the new band , Aaron agreed . When Russ asked him to play guitar in the new band , Aaron agreed to . 1 +Daka sends his American henchmen , along with a zombie that he controls by microphone via an electronic brain implant , to steal the precious metal . Daka sends his electronic henchmen together with a zombie he controls by microphone via an American brain implant to steal the precious metal . 0 +The orbital data is consistent with the secondary component of either a white dwarf or a red dwarf star . The orbital data are consistent with the secondary component either a red dwarf or a white dwarf star . 1 +Indonesian President Suharto visited Indonesia in October 1977 . Syrian Prime Minister Mahmoud Zubei visited Syria in June 1997 and Syrian Prime Minister Naji Ottri in January 2009 . Indonesia ’ s President Suharto visited Indonesia in October 1977 . In January 2009 , Syrian Prime Minister Mahmoud Zubei visited Syria and Syrian Prime Minister Naji Ottri in June 1997 . 0 +Guest performances include Akon , Game , Corey Latif Williams , Junior Reid , Young Chris and Sigel 's own Group State Property . Guest appearances include Akon , Game , Corey Latif Williams , Junior Reid , Young Chris , and Sigel 's own group State Property . 1 +On May 6 , 2016 , it was announced that Palafox signed the National Premier Soccer League B of the New York Cosmos . On May 6 , 2016 it was announced that Palafox signed to New York Cosmos B of the National Premier Soccer League . 0 +Together with his wife Magda Kathleen he had 5 children -- Julian , Gart , Bridget , Judith and Anthony ( otherwise known as Trout ) . Together with his wife Magda Kathleen , he had 5children -- Julian , Gart , Bridget , Judith and Anthony ( otherwise known as Trout ) . 1 +The SSSI has an area of 190.3 ha , while the SAC covers 168.3 hectares . The SSSI has an area of 190.3 hectares , while the SAC has 168.3 hectares . 1 +In 1951 , he died and retired in 1956 . In 1951 , he retired and died in 1956 . 0 +As in 1955 , the American League beat the national league , this time 6 - 3 . As in 1955 , the American League beat the National League , this time 6 -- 3 . 1 +On 30 August 2017 , the Chicago Red Stars Brian acquired from Dash for Kristie Mewis . On August 30 , 2017 , the Chicago Red Stars acquired Kristie Mewis from the Dash for Brian . 0 +In Bazou you will be pleasantly surprised to see the place of choice that occupies the immaterial heritage that you will appreciate . In Bazou you will be pleasantly surprised to appreciate the place of choice that occupies the intangible heritage , you will see 0 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith , which was released in 2001 and recorded at Tzadik Records . Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith which was released in 2001 and recorded on Tzadik Records . 1 +Jennifer 's Hope was founded by Jennifer 's mother , Elizabeth Crecente , in August 2006 . Jennifer 's Hope was founded in August 2006 by Jennifer 's mother , Elizabeth Crecente . 1 +The majority of modern Coatham is a Victorian housing , especially at its northern tip built by the Coatham Hotel in 1860 . The majority of modern Coatham is Victorian housing , most notably at its northern tip by the Coatham Hotel built in 1860 . 1 +The band consisted of Anders Hector , Claes Bure , Peter Börk , Peter Forbes , Roger Capello and Chino Mariano . The band consisted of Anders Hector , Claes Bure , Peter Björk , Peter Forbes , Roger Capello and Chino Mariano . 1 +Muhammed bin Abdul Rahman married in 2010 a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman , who is a grandchild of Saud . Prince Saud married a daughter of Khalid bin Saud bin Khalid Al Abdul Rahman in 2010 , who is a great grandson of Muhammed bin Abdul Rahman . 0 +"Although Andrew Anthony in "" The Observer "" was more critical and A . A. Gill of "" The Sunday Times "" was unimpressed ." "Although A.A. Gill was "" critical in "" The Observer and Andrew Anthony of "" The Sunday Times "" was unimpressed ." 0 +In 1974 , Erik Erikson founded the rock band Spooner with two fellow musicians in Madison , Wisconsin . Spooner formed the rock band Erikson in 1974 with two fellow musicians in Madison , Wisconsin . 0 +The survival of such binaries through high envelope phases of massive rotation in common ancestral stars may be necessary for their survival . The survival of such binaries , through common envelope phases of high rotation in massive progenitor stars , may be necessary for their survival . 0 +Sebastian eventually ended up in the care of a man named Pedro with many other children . Finally Pedro ended with many other children in the care of a man named Sebastian . 0 +Section 141 ( a ) of the Internal Revenue Code provides that the term private activity bond meets any bond issued as part of an issue which means : Section 141 ( a ) of the Internal Revenue Code stipulates that the term private activity bond meets any bond issued as part of an issue , which means : 1 +Rockhampton was also the intersection of Central Western Line and the Emu Park Line . Emu Park was also the junction of the Central Western line and Rockhampton line . 0 +He was a Chinese collector of art , particularly contemporary paintings . He was a contemporary art collector , particularly Chinese paintings . 0 +Whinnies and screams can be used as emergency calls and are also made at dusk and at dawn . Whinnies and screams can be used as distress calls , and are also made at dawn and at dusk . 1 +The river Cheia is a tributary of the River Silia in Romania . The Cheia River is a tributary of the Silița River in Romania . 1 +The first oil source in Oklahoma was drilled in 1885 in the Atoka County , Choctaw Nation , Indian territory , even though it was not completed until 1888 . The first oil source in Indian territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . 0 +Rolly Tasker won Australia 's first sailing medal at the 1956 Olympic Games in Melbourne when he and John Scott won a silver medal in their 12 m Sharpie . Rolly Tasker won the first Australian sailing medal at the Melbourne Olympic Games in 1956 , when he and John Scott won a silver medal in their 12 m sharpie . 1 +Both track segments were abandoned beginning with the Lafayette segment in 2002 and the Hurtsboro line in 2003 . Both segments were abandoned beginning with the Lafayette segment in 2002 and the Hurtsboro line in 2003 . 1 +In 1996 , Fleet acquired the British branch network ( in New York and New Jersey ) from the US National Westminster Bank . In 1996 , Fleet acquired the US branch network ( in New York and New Jersey ) of the British National Westminster Bank . 0 +Brush Valley Township was formed in 1835 from Wheatfield Township and named after the valley of Brush Creek . Brush Valley Township was formed from Brush Creek in 1835 , and named for the valley of Wheatfield Township . 0 +The song is produced by Calvo Da Gr8 and written by The Writing Camp . The song was produced by Calvo Da Gr8 and written by The Writing Camp . 1 +In both cases , he had been selected by Eugenio Scalfari as a critic , first for the weekly newspaper and then for the daily edition . In both cases , he had been chosen by Eugenio Scalfari as a critic , first for the daily newspaper and then for the weekly newspaper . 0 +Alexis Anders learns from her supervisor , Cholayna Ares , that a Terran operative , Magda Lorne , has survived a plane crash in the Hellers a week earlier . Magda Lorne learns from her supervisor , Cholayna Ares , that a terran woman , Alexis Anders , survived a plane crash in the Hellers a week earlier . 0 +Dharamshala , home to the Dalai Lama , is known for its Tibetan monasteries and Buddhist temples , where many trekking expeditions also begin . Dharamshala , home of the Dalai Lama , is known for its Tibetan monasteries and Buddhist temples . Many trekking expeditions also begin here . 1 +The young French parish was administered by a Catholic missionary , Father Joly . The Catholic parish was led by a young French missionary , Father Joly . 0 +A Kepler triangle is a golden triangle with edge lengths in geometric progression , whereby the ratio of the edges of a Kepler triangle is connected to the right ratio . A Kepler triangle is a golden triangle with edge lengths in geometric progression . The ratio of the edges of a Kepler triangle is linked to the right ratio . 1 +Ceravolo studied writing with Kenneth Koch at the New School for Social Research . Ceravolo studied with the New School for Social Research at Kenneth Koch Schrift . 0 +It was acquired by AVCO American Airlines in 1930 . It was acquired by American Airlines in 1930 to become AVCO . 0 +The non-abbreviated name is complete : Power DDR SDRAM , Low : Synchronous dynamic direct access memory with double data rate and low power . The non-abbreviated name is complete Power DDR SDRAM , Low : Low Power Double Data Rate Synchronous Dynamic Random Access Memory . 1 +She toured with Traffic and Jimi Hendrix before joining with Joe Cocker in 1970 . She toured with Traffic and Joe Cocker before joining in 1970 with Jimi Hendrix . 0 +To the north , the Virginia region continues into central Maryland and southeastern Pennsylvania . To the north , the region continues from Virginia into central Maryland and southeastern Pennsylvania . 1 +The 1962 Cleveland Browns season was the team 's 13th season with the National Football League . The 1962 Cleveland Browns season was the 13th season of the team with the National Football League . 1 +"His role in "" The Mechanic "" was worked positively by critics in both the United States and the United Kingdom ." "His role in "" The Mechanic "" was positively revived by the critics both in the United Kingdom and the United States ." 1 +The researchers administered an object sorting task to 156 children of healthy people , 102 children of schizophrenic people , and 139 children of depressed parents . The researchers administered an object sorting task to 156 children of schizophrenic people , 102 children of depressed persons , and 139 children of healthy parents . 0 +Following the takeover of the Nazi regime in 1936 , he was forced to retire as a citizen of Jewish faith with evangelical ancestors . After the takeover of the Nazi regime , he was forced to retire in 1936 as a citizen of evangelical faith with Jewish ancestors . 0 +Philosophy is seen instead as an activity of defining and clarifying the empirical relationships of logical rates . Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical rates . 0 +Bill Pickett , an American-African rodeo performer , also appeared in early western films for the same audience . Bill Bill Pickett , an African-American rodeo , also appeared in early Western films for the same audience . 0 +Local farmers preferred to market products in Liverpool and avoid the sludge of the lower salina . Local farmers preferred to market products in Salina and prevent the mud of the lower Liverpool . 0 +In 2008 Rice co-headlined a tour with Maria Taylor of Azure Ray , and played Los Angeles ' Sunset Junction festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and played the Sunset Junction Festival in Los Angeles . 1 +The scenes in the marshes were also shot in Gillingham , Kent 's Riverside Country Park . The scenes in the marshes were also shot in Kent , the Riverside Country Park in Gillingham . 0 +Boiling Point is an unlawful community in the Mojave desert of the Antelope Valley , in northern Los Angeles County , California , USA . Boiling Point is an unincorporated community located in the Antelope Valley of the Mojave Desert , in northern Los Angeles County , California . 0 +Rock Lake is a lake in County Lyon , in the U.S. state of Minnesota . Lyon County is a lake in Rock Lake , in the U.S. state of Minnesota . 0 +This introduction to studies began with a lifelong passion that led her to travel in the remote areas of Alaska and British Columbia . This introduction to the journey began with a lifelong passion that led her to study in the remote areas of Alaska and British Columbia . 0 +Greenberg was born in 1930 in Montreal , Quebec , and has three brothers , Ian , Sydney and Harvey . Greenberg was born in Montreal , Quebec , in 1930 and has three brothers , Ian , Sydney , and Harvey . 1 +While the reality of certain aspects may differ from the perceptions , such perceptions are strong enough to mount formidable opposition to public housing programs ( Tighe 2010 ) . While the reality of such aspects may differ from perceptions , public perceptions are strong enough to achieve huge opposition to certain housing programs ( Tighe 2010 ) . 0 +Today , the North Allegheny School District is home to two elementary schools , three secondary schools and seven high schools . Today , the North Allegheny School District is home to two high schools , three middle and seven elementary schools . 0 +Famous Armenian writer and poet Christophor Araratov wrote a poem about his teachers , among whom was Khachik Dashtents : The famous Armenian writer and poet Khachik Dashtents wrote a poem about his teachers , among whom Christophor Araratov was : 0 +The 1962 Cleveland Browns season was the 13th team season with the National Football League . The 1962 National Football League season was the team 's 13th season with the Cleveland Browns . 0 +Ricardo Lingan Baccay was ordained priest by Diosdado Aenlle Talamayan on April 10 , 1987 . Aenlle Talamayan was ordained a priest on April 10 , 1987 by Ricardo Lingan Baccay . 0 +Congregation : But if we confess our sins , God who is faithful and just will cleanse our sins and forgive us from all unrighteousness . Congregation : But if we confess our sins , God who is faithful will cleanse our sins and forgive us from all injustice . 1 +The successor rocket , the Falcon 9 , successfully landed its first stage on land on December 22 , 2015 , for the twentieth time . The successor rocket , the Falcon 9 , successfully landed its first stage on 22 December 2015 with its twentieth flight for the first time . 0 +Bandelin is situated about 15 km south of Greifswald and approximately 3 km northwest of Gützkow . Bandelin is located approximately 15 km south of Greifswald and about 3 km northwest of Gützkow . 1 +In 2005 Coach Jesús Ramírez selected Jorge Torres Nilo to participate in the 2005 CONCACAF U17 Tournament held in Culiacán . In 2005 , coach Jesús Ramírez elected Jorge Torres Nilo to participate in the CONCACAF U17 Tournament 2005 in Culiacán . 1 +In November , the Royals CF Coco Crisp acquired from Boston Red Sox in exchange for RP Ramón Ramírez . In November , the Royals CF Ramón Ramírez purchased from Boston Red Sox in exchange for the RP Coco Crisp . 0 +The tournament was hosted again in San Francisco in 2006 , where it was continued for two years . The tournament was resumed again in 2006 in San Francisco , where it was hosted for two years . 0 +The journalist played by Elio Germano ( Luke Gualtieri , the fictional Journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . The journalist of Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist from Il Resto del Carlino . 0 +The old high school became the Upper School , while the new building became lower school . The new high school became the Upper School , while the old building became the Lower School . 0 +In 1883 the first schools in the area were built for 400 white and 60 black students . In 1883 the first schools in the area were built for 400 black and 60 white students . 0 +It inhabits rather dry habitat on the border between the Great and Little Karoo of Western Northern Cape and the Eastern Free State Provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of eastern Northern Cape and western Free State provinces , South Africa . 0 +"It is important to examine so-called "" human universals "" against the ethnographic record ." "It is important to test so-called "" ethnographic universals "" against the human file ." 0 +The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but the consolidated squadron has since been no longer active . The 913th troop transport squadron was consolidated in September 1985 with the 13th Air Refuelling Squadron , but the active squadron has not been consolidated ever since . 0 +"In conservative potential coordinates , the Hamilton operator can be written of a free particle moving in a spherical "" U "" ." "In conservative potential coordinates the Hamiltonian of a free particle moving in a spherical "" U "" can be written" 1 +Taylor was born in Winton , North Carolina on June 11 , 1890 to Simeon P. and Kate ( Ward ) Taylor . Taylor was born on June 11 , 1890 in Winton , North Carolina , around Simeon P. and Kate ( Ward ) Taylor . 1 +""" Full Circle "" was produced by Michael Costa , manager of Birtles Shorrock Goble , and mixed by longtime supporter and friend Paul Rodger at the Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Paul Rodger , the manager of Birtles Shorrock Goble , and mixed by the long-time supporter and friend Michael Costa at Stream AV Studios in Melbourne ." 0 +In 1877 he returned to Connecticut but soon went back again to California , and in the fall of 1879 went to the Republic of Salvador as State Geologist . He returned to Connecticut in 1877 , but soon returned to California and went to the Republic of Salvador in the fall of 1879 as a state geologist . 1 +Sporting Club Suceava was a professional football club from Suceava , founded in Romania and established in 2008 . Sporting Club Suceava was a professional football club from Romania , based in Suceava and was founded in 2008 . 0 +The cunning must always be furtive and fearful , while the wise are open and confident . The cunning must always be stealthed and fearful , while the wise are open and confident . 1 +In the TV series , Mark Williams is played by Olaf Petersen . Olaf Petersen is played in the television series of Mark Williams . 0 +The formation of aggregates is affected by electrostatic interactions , coordination between lithium and surrounding solvent molecules or steric additives and polar effects . The formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives and steric effects . 0 +These immature somites then are compacted into an outer layer ( the epithelium ) and an inner mass ( the mesenchyme ) . These immature summits are then compacted into an outer layer ( the epithelium ) and an inner mass ( the mesenchyme ) . 0 +Conneaut is situated along Lake Erie at the mouth of Conneaut Creek . Conneaut Creek is located at the mouth of Lake Erie along Conneaut . 0 +Today 's rooms themselves were decorated in their first style and named after the uncle Léopold I , the Belgian king of Belgians . The present Rooms themselves were decorated in their first style and named after Prince Albert 's uncle Léopold I , Belgian King of the Belgians . 1 +Berry Head , the southeast point of Torbay , was distant between six and nine miles . Berry Head , the southeast point of Torbay , was seen between six and nine miles distant . 1 +María Rosario Santos y Navarro was born as the second of six children of Winifredo Santos , a doctor , and Nora Navarro . Nora Navarro was born as the second of six children of the physician Winifredo Santos and María Rosario Santos y Navarro . 0 +His current research explores the impact of Jewish ideas and stories on Islamic sources . His current research explores the influence of Jewish ideas and stories on Islamic sources . 1 +Other Lightbank investments include Mediaocean , InnerWorkings , Tempus , loyalty startup Belly , test preparation service BenchPrep , Qwiki , ClusterFlunk and HighGround . Other Lightbank - Investments include Mediaocean , InnerWorkings , Tempus , Loyalty Startup Belly , BenchPrep test preparation service , Qwiki , ClusterFlunk and HighGround . 1 +"It was also produced by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold produced once again by Andrew Loog Oldham in 1970 ." "It was also reproduced by PP Arnold on her album "" Boots "" and Nancy Sinatra in 1970 , produced again by Andrew Loog Oldham in 1966 ." 0 +He died in Edinburgh on August 28 , 1901 , and in 1870 he married Percy Fitzpatrick , the daughter of Mauritius . He died in Edinburgh on 28 August 1901 . He had married , in Mauritius in 1870 , Charlotte , the daughter of Percy Fitzpatrick . 0 +Tuckerton is located in the 9th Congressional District and is part of the second state of New Jersey 's Legislative District . Tuckerton is located in the 9th Congressional District and is part of New Jersey 's 2nd state legislative district . 1 +Alton is located on the Missouri River above the mouth of the Mississippi . Alton is located on the Missouri River above the mouth of the Mississippi River . 1 +"Lytton was Emma Watson 's double in the film "" Harry Potter and the Chamber of Secrets "" ." "Emma Watson was Lytton 's doppelgänger in the film "" Harry Potter and the Chamber of Secrets "" ." 0 +Joe Root also of Yorkshire and currently England 's rising cricket star , now captain of England , was born and raised in Dore . Born and raised in Dore , Joe Joe Root was also born from Yorkshire and now England 's rising cricket star , currently Captain of England . 1 +"Unterberger comments on the recording : "" The delicacy of the execution is exquisite , the sensual images are more tangible , the sense of desire and fulfillment explicit ." "Unterberger comments on the recording : "" The delicacy of the execution is exquisite , the sensual imagery more tangible , the sense of desire and fulfillment explicit . """ 1 +Needs are also defined according to the existential categories of being , having , doing and interacting , and from these dimensions , a 36 cell matrix is developed Needs are also defined by the existential categories of being , having , doing and interacting , and from these dimensions a 36 - cell matrix is developed . 1 +PATH - Service of Exchange Place runs east to the World Trade Center , north to Hoboken Terminal and west to Journal Square and Newark Penn Station . PATH - Service from the Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . 0 +It was commissioned by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been instructed by Mussolini to manage the capital . It was headed by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been commissioned by Mussolini to lead the capital . 0 +Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , Vogtland and grew up in Rothenkirchen , East Germany . Pohl-Stroher was born on 18 January 1919 in Wurzen in Saxony , East Germany and grew up in Rothenkirchen in the Vogtland region . 0 +The library is located next door to the BHPD headquarters , opposite the Beverly Hills Fire Department , and near the Beverly Hills City Hall . The library is located next to the headquarters of BHPD , opposite the Beverly Hills Fire Department and near the Beverly Hills City Hall . 1 +Team spirit evaporates as disagreements cause the group to separate into factions -- a compassionate one lead by an Andreas , and a violent one led by a Slim . Team spirit evaporates while disagreements lead the group to separate into factions -- a violent one led by an Andreas , and a compassionate , led by a slim . 0 +In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports rose and employment increased . With the weakening of the Canadian dollar , manufacturing sales and exports increased in November and December 2015 , and employment rose . 1 +It was the first and only Super Bowl in which Warner was involved in order not to be decided on the final game play . It was the first and only Super Bowl in which Warner was decided not to be involved on the final play of the game . 0 +"His musical partner Scott Boyer said : "" No one could write a nicer ballad than Talton ." "His musical partner Scott Boyer said , "" No one could write a more beautiful ballad than Talton ." 1 +It had a wooden pedestrian bridge between the two protected platforms , and it was electrified on 26 July 1905 . It had a wooden pedestrian bridge between the two sheltered platforms , and was electrified on July 26 , 1905 . 1 +The album was recorded at Brian Elliot Studios in North Hollywood , California , together with engineer David Hines and co-producer Jay Lansford . The album was recorded at Brian Elliot studios in North Hollywood , California , with engineer Jay Lansford and co-producer David Hines . 0 +The pork is thick cut , about 2 inches in the square , and should consist of fat and lean meat . The pork is cut square , about 2 inches thick , and should consist equally of fat and lean meat . 0 +The Turks , Tibetans , Muslim Arabs , and the Tang competed for control of Central Asia until the tang ’ s collapse in the 10th century . The Turks , Tang , Muslim Arabs and the Tibetans competed for control over Central Asia until the collapse of the Tang in the 10th century . 1 +In 1898 the well is marked small and the rectangular building nearby is not shown . In 1898 the well is marked as small and the rectangular building nearby is not shown . 1 +For example , the player controlling Clarke will find toy soldiers in a biology facility , while the player that controls Carver will not see them . For example , the player controlling Clarke will find toy soldiers in a biology facility , while the player controlling Carver will not see them . 1 +It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it is often grown with gravel in sandy soils . It is found on quartzite hills in the Wheatbelt region of Western Australia near Moora where it grows in sandy soils often with gravel . 1 +Conchita Martínez Granados ( born January 20 , 1976 in Spain ) is a former professional tennis player from Barcelona , Spain . Conchita Martínez Granados ( born 20 January 1976 in Spain ) is a former professional female tennis player from Barcelona , Spain . 0 +All five territorial governors are female , the mayor of Washington is male . All five territorial governors are male ; the mayor of Washington , D.C. is female . 0 +Born and raised in Dore , Joe Joe Root was born , also by Yorkshire and currently England 's rising cricket star , now Captain of England . Born and raised in Dore , Joe Joe Root was also born from Yorkshire and now England 's rising cricket star , currently Captain of England . 1 +Lives . Adele died in 1896 and Elizabeth in 1910 , and both were buried in the family graveyard behind the home . Adele died in 1896 and Elizabeth in 1910 , and both were buried behind the house in the family graveyard . 1 +Groups of eastern lowland gorillas are usually larger than those of western gorillas . Groups of eastern lowland gorillas are usually larger than those of the western gorillas . 1 +For six months , Hopkins toured England , the United States and Japan with the band . For six months , Hopkins toured the band through Japan , the United States and England . 1 +"In addition to several gameplay footage , livestreaming members of the crew also produce "" Let 's Play "" style videos ." "Livestreaming - In addition to several gameplay movies , members of the crew also produce "" Let 's Play "" style videos ." 1 +"Immediately after he and Whitehead PM released , he wrote his "" The Problems of Philosophy "" in 1912 ." "Immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" in 1912 ." 0 +He said that Ichigo introduces the story and leads readers to the events . He said that Ichigo leads the story and introduces the readers to events . 0 +Together with Karen , Kristoffer had eight children . Together , Karen and Kristoffer have eight children . 1 +"The weekly newspaper was published in the state in 1781 , the first "" Vermont Gazette "" ." "The weekly was published in 1781 in the state , the first "" Vermont Gazette "" ." 1 +"While Quine has referred to such logics as "" free "" logic , they are now called inclusive logics ." "While Quine called such logics "" free "" logic they are now referred to as inclusive logic ." 1 +The character of Michel Ardan , the French member of the party in the novel , was inspired by realistic photographer Félix Nadar . The character of Michel Ardan , the real member of the party in the novel , was inspired by the French-life photographer Félix Nadar . 0 +This order is higher than the Doorkeeper ( now largely obsolete ) and lower than the subdeacon . This order is lower than the Doorkeeper ( largely obsolete now ) and higher than the Subdeacon . 0 +In 2005 , Christian Dahl sold the Flash Engineering team to Nilsson , and it was renamed Polestar Racing . In 2005 , Nilsson sold the Flash Engineering team to Christian Dahl and was renamed Polestar Racing . 0 +First run 3200m on the outer oval , then on the inner oval . First run 3200 races on the inner oval , then the outer oval . 0 +The written literature of the Yoruba begins with the formation of its grammar published in 1843 . Yoruba written literature begins with the formation of its grammar published in 1843 . 1 +Scurria plana is a species of sea snail , a true limpet , a marine gastropod mollusc in the family Lottiidae , one of the families of true limpets . Scurria plana is a species of sea snail , a true limpet , a true gastropod mollusc in the Lottiidae family , one of the families of the marine limpets . 0 +Antony died on 6 November 1620 and was buried in Carew church on 7 November . Carew died on 6 November 1620 and was buried in the Antony church on 7 November 1620 . 0 +Under his direction , the choir also gave concert tours in Australia ( 1987 ) , Israel ( 1988 ) and Estonia ( 1989 , 1990 ) . The choir also gave concert tours in Australia ( 1987 ) , Israel ( 1988 ) , and Estonia ( 1989 , 1990 ) under his leadership . 1 +A recurring theme in the books is the conversation between Daniel and Baby Carter ( son of Uncle Mort ) . A recurring theme in the books is conversation between Carter and baby Daniel ( Uncle Mort 's son ) . 0 +Hidalgo , born in Badajoz , played for Sevilla and Celta de Vigo . Hidalgo , who was born in Seville , played for Badajoz and Celta de Vigo . 0 +He had been in the state playing for New Town , but moved to Victoria in 1925 and established himself for Melbourne . He had been in the state playing for Melbourne , but moved to Victoria in 1925 and appointed New Town . 0 +The movie does not clarify the reason why Usha likes and then rejects Rajan . The movie does not clarify the reason why Usha likes , and then dislikes Rajan . 1 +Polali is a village in Bantwal Taluk , in the Dakshina Kannada district ( South - Canara ) of the state of Karnataka in India . Polali is a village in Dakshina Kannada taluk , in the South Canara ( Bantwal ) district of Karnataka state in India . 0 +The T helper cells then activate the B cells , which are also in the presence of these antigens , causing the production of autoantibodies . The T helper cells also activate B cells , which are then located in the presence of these antigens , causing the production of autoantibodies . 0 +Algestone Acetophenide , in combination with Estradiol Enanthate , is used as a combined injectable contraceptive for women in Latin America and Spain once a month . Algestone Acetophenide is used in combination with Estradiol Enanthate as a monthly injectable contraceptive for women in Latin America and Spain . 1 +It was known for its local wine , produced in the fertile farms that characterized the parish until the mid-twentieth century . It was well known for its local wine , produced in the fertile farms that characterized the parish until the mid-twentieth century . 1 +The countries on this list are currently Iran , North Korea , Sudan and Syria . The countries currently on the list are Iran , North Korea , Sudan , and Syria . 1 +Jeremy Horn lives with his wife Denise and the children of Judah , Liam and Daisy in his hometown of Memphis . Jeremy Horn lives in his hometown of Memphis , with his wife Denise and children Judah , Liam and Daisy . 1 +Norris was survived by his wife , Harlyne Norris ( nee Martin ) and his two children , Dale . Bradley Norris and Dale Norris died in 2008 . was died by his wife Harlyne Norris ( born Martin ) and his two children , Dale Bradley Norris and Dale Norris in 2008 . 0 +She talks to Jess 'apos ; parents and speculates that Jen may have come back to take the earrings . She talks to Jen parents and speculates that Jess may have come back to take the earrings . 0 +"One of the Triassic rocks used in Cardiff is "" Radyr Stone "" , a freestone which as its name suggests is quarried in the Radyr district ." "One of the triassic rocks used in Radyr is "" Radyr Stone "" , a Freestone which , as its name suggests , is being dismantled in the Cardiff district ." 0 +Nashville , TN is part of Hopkinsville Television market . Hopkinsville is part of the television market of Nashville , TN . 0 +"He is also the second cousin of Georgina Hagen , playing in "" Britannia High "" Lauren Waters ." "He is , also , the second cousin of Lauren Waters , who played Georgina Hagen in "" Britannia High "" ." 0 +In November 2012 she was in Cairo , and in October she was in Tokyo , to write on the film festivals , interact with programmers and visit studios . She was in Tokyo in November 2012 , and in October she was in Cairo to write at the film festivals , interact with programmers and visit studios . 0 +He finished his career while playing for various teams in European leagues . He finished his career by playing in various leagues for European teams . 0 +Layla was born in London as a daughter of a Brazilian mother and an Irish and Scottish father of the English ancestors . Layla was born in London , the daughter of a Brazilian mother and an English father of Irish and Scottish ancentry . 0 +Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on August 31 , 2015 . On 3 August 2015 , Parmele was signed by the Cleveland Browns and was dismissed by the team on 31 August 2015 . 0 +Once the logical log page is no longer the last page ( i.e . Once said last log page is no longer the logical page ( i.e . 0 +A simple example is the Gaussian prime 5 , which is factored as in the table , and therefore not a rational prime . A simple example is the Gaussian Primnum 5 , which is factored as in the table and therefore is not a rational prime number . 1 +Despite lengthy correspondence , Tolkien did not succeed in convincing the Dutch translator of his objections , and was similarly frustrated in the Swedish case . Despite lengthy correspondence , Tolkien did not succeed in convincing the Swedish translator of his objections , and was also frustrated in the Dutch case . 0 +In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally , which will be burned in Florida and bottled in Puerto Rico . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally . This will be distilled in Florida and bottled in Puerto Rico . 1 +However , most pink horses have white skin and some blue eyes . However , most pink horses have white skin and some have blue eyes . 1 +Throughout the port is committed by the Hadi loyalists , the Houthi fighters along with the popular seized have managed to conduct some attacks in Midi area . Throughout the port is committed by the Hadi loyalists , the Houthi - fighters have managed to conduct some attacks in the Midi area . 1 +"Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 out of 5 stars and praised the "" creative breakthrough "" from Accept ." "Eduardo Rivadavia of "" AllMusic "" praised "" Restless and Wild "" with 4.5 of 5 stars and called it the "" creative breakthrough "" ." 0 +Finally in 2002 the name of Mersin was replaced with that of İçel . In 2002 , the name of İçel was finally replaced by that of Mersin . 0 +Where formula 9 is the Lerch hyperbolic function and coth is the transcendent cotangent function . Where Formula 9 is the transcendent lerch function and coth is the hyperbolic kotangen function . 0 +Kennell was born in Colorado Springs , Colorado , and spent her early years between the Rockies and Dunedin , Florida . Kennell was born in Dunedin , Florida , and spent her early years between the Rockies and Colorado Springs , Colorado . 0 +The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but the consolidated squadron has since been no longer active . The 913th Troop Carrier Squadron was consolidated with the 13th Air Refueling Squadron in September 1985 but the active squadron has not been consolidated since . 0 +The town typically has cold , snowy winters and mild summers . The town has typically cold , snowy winters and mild summers . 1 +The aforementioned scientists , Adam , are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Isaac Newton , Nikola Tesla , Charles Darwin , and Albert Einstein The scientists mentioned , whom Adam reveres , are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . 1 +The church that we see today , however , was dedicated in 1640 , designed by Agostino Avanzo and replaced in 1655 . However , the church we see today was replaced in 1640 , designed by Agostino Avanzo , and consecrated in 1655 . 0 +He represented Australia at the 1999 FIFA World Youth Championship held in Nigeria . He represented Australia at the FIFA - Youth - World Championship in Nigeria in 1999 . 1 +"He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Large Profile "" ( 1940 ) ." "He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." 1 +Erko Elblaus and Karl Kallas were soon replaced by Rasmus Rändvee and Gertrud Luhaoja . Soon Erko Elblaus and Gertrud Luhaoja were replaced by Rasmus Rändvee and Karl Kallas respectively . 0 +""" The New York Times "" reported : "" Clarke had a new pitcher , Williams , '96 during the first half of the game "" ." """ The New York Times "" reported : "" Williams had a new pitcher , Clarke ' ; 96 during the first half of the game ." 0 +In 1844 , Brookline became a part of Pill Hill when it was annexed from Boston . In 1844 , Pill Hill became a part of Brookline when it was annexed from Boston . 0 +The standards for 2005 were adopted by the California Energy Commission on 5 November 2003 and approved by the Building Standards Commission on July 21 , 2004 . The 2005 Standards were adopted by the California Energy Commission on November 5 , 2003 , and approved by the Building Standards Commission on July 21 , 2004 . 1 +He was awarded on 8 May 1781 as the Knight of the Order of the White Eagle . He was invested as a Knight of the Order of the White Eagle , awarded on May 8 , 1781 . 0 +In the first year , there were 65 members , at the end of the third year , 91 members and in the second year , 106 members . There were 65 members in the first year , 91 members at the end of the second year and 106 members for the third year . 0 +Perth also has a small street art scene . Sydney 's street art scene includes Newtown area graffiti and street art . Sydney has also a small street art scene Perth 's street art scene includes newtown area graffiti and street art . 0 +"In 1813 he won the first Prix de Rome for painting and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagora ." "He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his paintings of the "" death of the Diagoras "" ." 0 +Christopher Gunst played bass in Beachwood Sparks with former Weiter and Tyde member Brent Rademaker . Christopher Gunst also played bass in Beachwood Sparks with former Further and Tyde member Brent Rademaker . 0 +This research has frequently led him to Jamaica , where he focuses on the Royal Bafokeng Nation , as well as Brazil and South Africa . This research has taken him frequently to Jamaica , where he focuses on the Royal Bafokeng Nation as well as Brazil and South Africa . 1 +The construction of achieves a seed length of formula _ 32 , which is constant up to optimal factors . The construction of a seed length of Formula 32 , which is optimal to constant factors . 0 +The magazine was based in Paris , but was released by Gerald Duckworth and Company in London . The magazine was based in London but was published in Paris by Gerald Duckworth and Company . 0 +Upernivik Island is an uninhabited island in the Qaasuitsup municipality in northwest Greenland . Qaasuitsup is an uninhabited island in the municipality of Upernivik Island in northwestern Greenland . 0 +"Whannell wrote the script for the paranormal thriller film "" Insidious "" , which was staged by Wan in 2011 and produced by Oren Peli ." "Oren Peli wrote the script for and acted in the 2011 paranormal thriller film , "" Insidious "" , which was directed by Wan and produced by Whannell ." 0 +In 1139 the Archdeacon of Winchester was consecrated and appointed Bishop of Salisbury in 1142 . Joscelin was consecrated archdeacon of Winchester in 1139 and appointed bishop of Salisbury in 1142 . 1 +The Bega River is a tributary of the Fădimac River in Romania . The river Fădimac is a tributary of the River Bega in Romania . 0 +This manages the filter processing and creates the filter chain with the appropriate filters in the correct order and processing is started . This creates filter processing , manages the filter chain with the appropriate filters in the correct order and initiates the processing . 0 +The fans were impressed by his spectacular diversity , technical aesthetics , tactics and strength . The fans were impressed by his spectacular diversity , technical aesthetics , tactics and strength . 1 +The father of Ted and Steve was Tom Tom . Tom was the father of Ted and Steve . 1 +A probable diagnosis requires the two minor criteria , plus one ( IgM ) or two ( IgG ) obligate criteria . A probable diagnosis requires the two subordinate criteria plus one ( IgM ) or two ( IgG ) obligate criteria . 1 +McConnell was killed at the scene , but Turbitt was kidnapped . At the crime scene , Turbitt was killed , but McConnell was kidnapped . 0 +Marzia Grossi defeated Barbara Rittner 3 -- 6 , 7 -- 5 , 6 -- 1 Barbara Rittner defeated Marzia Grossi with 3 -- 6 , 7 -- 5 , 6 -- 1 . 0 +Some white colonies can not contain the desired recombinant plasmid for a number of reasons . Some recombinant colonies may not contain the desired white plasmid for a number of reasons . 0 +In Redistricting the 23rd district was renumbered into the 20th district . In redistricting , the 23rd District was renumbered as the 20th District . 1 +Teversall Manor is a former railway station in Teversal , Nottinghamshire on the Derbyshire border west of Mansfield . Teversall Manor is a former station in Teversal , Nottinghamshire , on the border with Derbyshire west of Mansfield . 1 +In combination with Estradiol Enanthate , Algestone Acetophenide is used as a monthly injectable contraceptive for women in Latin America and Spain . In combination with Estradiol Enanthate , Algestone Acetophenide is used as a combined injectable contraceptive for women in Latin America and Spain once a month . 1 +John Ikin ( born 1957 in Lower Hutt ) is a furniture designer from New Zealand . Humphrey John Ikin ( born in 1957 in New Zealand ) is a furniture designer by Lower Hutt . 0 +In 1767 , Heathcote published an anonymous letter to Horace Walpole on the dispute between David Hume and Jean-Jacques Rousseau , who was attributed to Walpole himself . In 1767 , Heathcote published an anonymous letter to Horace Walpole on the dispute between David Hume and Jean-Jacques Rousseau , which was attributed to Walpole himself . 1 +The city sits at the confluence of the Weiser River with the great Snake River , which marks the border with Oregon . The city lies at the confluence of the Snake River and the Great Weiser River , which marks the border with Oregon . 0 +In the 2011 census , Muslims formed 131,116 and accounted for 60.38 % of the population in Karimpur II CD block . In the 2011 census , Muslims numbered 131,116 and formed 60.38 % of the population in Karimpur II CD Block . 0 +In 1884 , as assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus . As an assistant to Carl Flügge in Göttingen , Nicolaier discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . 0 +Dan , however , decides to keep this truth from Serena a little while longer . However , Serena decides to keep this truth for a little longer from Dan . 0 +Hussain received 432 votes and his only rival Wajihuddin Ahmed secured 77 . Hussain won 432 votes , and his only rival , Wajihuddin Ahmed , received 77 . 0 +They did not hesitate to send members of the various professions to the respective congresses held in Bessarabia throughout the year 1917 , and they became very powerful . They did not hesitate to send members of their respective professions to the various congresses held in Bessarabia throughout the year 1917 , and they became very powerful . 0 +In 1951 , the West Kentucky Area Council , based in Bowling Green , merged with the Audubon Council to form the Cogioba Council , which operates a good third of Kentucky . In 1951 , the West Kentucky Area Council , headquartered in Bowling Green merged with the Audubon Council to form the Cogioba Council serving a good third of Kentucky . 1 +In 2004 , Sims was crowned Miss Junior National Teenager and later won the Miss Georgia Junior National Teenager title 2005 . In 2004 , Sim 's Miss Georgia Junior National Teenager was crowned and later won the Miss Junior National Teenager title in 2005 . 0 +Yevgeny Kafelnikov defeated Nicklas Kulti 6 -- 7 , 6 -- 3 , 6 -- 4 . Nicklas Kulti defeated Yevgeny Kafelnikov 6 -- 7 , 6 - 3 , 6 - 4 0 +Founded in 1959 by Sérgio Britto , it has presented actors such as Fernanda Montenegro , Gianni Ratto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded by Gianni Ratto in 1959 , it has presented actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . 0 +Carmen Aub Romero ( born October 24 , 1989 in Mexico City , Mexico ) is an Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico City , DF , Mexico ) is a Mexican actress . 1 +He also assisted Nora and Bo Buchanan ( Robert S. Woods ) by defending Bo when he was accused of murdering Georgie Philips ( Jennifer Bransford ) . He also helps Jennifer Bransford ( Bo ) by defending Robert S. Woods when he was accused of murder of Georgie Philips ( Nora and Bo Buchanan ) . 0 +In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador in the fall of 1879 as a state geologist . He returned to Connecticut in 1877 , but soon went back to California and went to the Republic of Salvador in the autumn of 1879 as a state geologist . 0 +In 1974 , Erik Erikson founded the rock band Spooner with two fellow musicians in Madison , Wisconsin . In 1974 , Spooner founded the rock band Erikson with two fellow musicians in Madison , Wisconsin . 0 +La Tempestad ( International Translation : The Storm , called the Storm by Televisa ) is a 2013 Mexican telenovela by Salvador Mejía Alejandre for Univision produced . La tempestad ( International translation : The Tempest , dubbed The Storm by Televisa ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Univision . 0 +Coronets and supporters were formally reserved for the nobility , but they were used also by a number of others , without any protests from the public authorities . The Coronets and the supporters were formally reserved for the nobility , but were also used by a number of others without protests from the public authorities . 1 +Here two more sons were born : 1882 Louis and 1884 Fred . Here were two other sons born : Fred in 1882 and Louis in 1884 . 0 +Dummer was born in Newbury , Massachusetts , where he was the first son of Richard Dummer and his second wife , Frances Burr . Dummer was born in Newbury , Massachusetts , the first son of Richard Dummer and his second wife , Frances Burr . 1 +""" Mound City "" was sold at auction at Tuscumbia to W. K. Adams on 29 November , 1865 ." """ Tuscumbia "" was sold to W. K. Adams on November 29 , 1865 at an auction in Mound City ." 0 +"Adults may feed leaves of species "" Corylus avellana "" , "" Quercus "" , and "" Crataegus "" , while larvae mainly feed in leaf litter ." "Adults mainly feed on leaves of the species "" Corylus avellana "" , "" Quercus "" and "" Crataegus "" , while larvae may feed in leaf litter ." 0 +On June 30 , Florida Governor Farris Bryant announced the formation of a biracial committee to restore interracial communication in St. Augustine . St. Augustine Governor Farris Bryant announced on 30 June the creation of a biracial committee to restore interracial communication in Florida . 0 +The mythical Hindu and Buddhist beast : the Garuda is the national emblem of Thailand and the official symbol or'arms ' of the King of Thailand . "The mythical Hindu and Buddhist beast : the Garuda is the national emblem of Thailand and the official symbol or "" poor of the King of Thailand ." 0 +There have been few significant changes since then , with frequent changes in the design of the Railcard being the most noticeable . Since then , there have been few significant changes , with remarkable changes in the design of the Railcard the most . 0 +In JavaScript , for example , the factorial function can be defined through anonymous recursion as such : In JavaScript , for example , the factorial function can be defined as anonymous using such a recursion : 0 +As a result , BFD is not included separately , but is always distributed with releases of binutils and GDB . As a result , BFD is not distributed separately , but is always included in the releases of binutils and GDB . 0 +He was born in Quatre Bornes in Mauritius in 1951 and died in 2002 . He was born in 1951 in Quatre Bornes ( Mauritius ) and died in 2002 . 1 +On October 11 , 2007 , Daiki cameda defeated Naito by unanimous decision for the first defense of his WBC and linear titles . On October 11 , 2007 , Naito defeated Daiki Kameda by unanimous decision for the first defense of his WBC and lineal titles . 0 +In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take over his seat . In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take his seat . 1 +Locus is a racing game developed by Zombie LLC and published by GT Interactive Software Corp in North America . Locus is a racing game developed by Zombie LLC and released in North America by GT Interactive Software Corp . 1 +The film was produced , directed and edited by Tom Flannery and Lorne Clarke , and the soundtrack was written by Bruce David Janu . The film was produced , directed and edited by Bruce David Janu . The soundtrack was composed by Tom Flannery and Lorne Clarke . 0 +In 1975 a group of five young photographers ( including Bronson Fellow Robert Rauschenberg , son of Christopher Rauschenberg ) pooled their resources to start a small gallery . In 1975 , a group of five young photographers ( including Bronson Fellow Christopher Rauschenberg , son of Robert Rauschenberg ) collected their resources to start a small gallery . 0 +With the help of Chad Kroeger of Nickelback , Kroeger signed to Thornley 's 604 Records . With the help of Chad Kroeger of Nickelback , Thornley signed to Kroeger ´ s 604 records . 0 +It serves the port of Baltimore and local shipping companies , Helen Delich Bentley , and connects two railway lines I : CSX Transportation and the Norfolk Southern Railway . It connects the port of Bentelore with Baltimore , Helen Delich and local shipping companies , and serves two railways of Class I : CSX Transportation and the Norfolk Southern Railway . 0 +"The Sunday Times recently said of The Chemistry Set "" The Psychedelic scientists exquisite English Toytown Acid-Pop songs achieve rare combinations of muscle and melody """ "The Sunday Times recently said of The Chemistry Set "" The rare scientists Psychedelic English Toytown Acid - Pop songs achieve exquisite combinations of muscle and melody "" ." 0 +George William Rowley was the son of George Dawson Rowley & his wife Jane Catherine née Maine George William Rowley was the son of George Dawson Rowley and his wife , Jane Catherine . 1 +The Danakil Desert is a desert in northeast Ethiopia , southern Eritrea , and northwestern Djibouti . The Danakil desert is a desert in southern Ethiopia , in northwestern Djibouti and northeast Eritrea . 0 +The Janmashtmi Festival is organised in the village and a mela is also celebrated . Janmashtmi festival is organised in the village and a Mela is also celebrated . 1 +He used mostly historical issues to express his patriotic aspirations and to speak out about the current social situation in society . He mostly used patriotic subjects to express his historical aspirations and to speak out about the current social situation in society . 0 +The series is moderated by Linda Blair and narrated by Zelda Rubinstein . The series is hosted by Zelda Rubinstein , and narrated by Linda Blair . 0 +There are 4 playable characters , each with a unique ability and a different style of fighting : There are 4 playable characters , each with a different ability and a unique fighting style . 0 +The URNG led the conservative Guatemalan opposition in peace negotiations with the leftist government . The URNG led the left-wing opposition in peace negotiations with the conservative Guatemalan Government . 0 +The journal is abstracted and indexed by EMBASE , Expanded Serial , Google Scholar , and Summon by Academic Solutions . The magazine is abstracted and indexed by Academic Solutions by EMBASE , Expanded Serial , Google Scholar and Summon . 1 +His uncle , Wally Griffiths , taught his own sons Tony and Chris Griffiths , and Digsy to play guitar . His uncle , Chris Griffiths , taught his own sons Tony and Wally Griffiths and Digsy Guitar to play . 0 +On 30 August 2017 , the Chicago Red Stars Brian acquired from Dash for Kristie Mewis . On August 30 , 2017 , the Chicago Red Stars acquired Brian from the Dash for Kristie Mewis . 1 +Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha composed the texts . Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha composed the lyrics . 1 +Known brands are Alka-Seltzer in the United Kingdom and Eno in the United States . Well known brands are Alka-Seltzer in the United Kingdom , and Eno in the United States . 1 +ICFO also organizes a Corporate Liaison Program ( CLP ) , which serves as a bridge between ICFO researchers and industries and corporations . CLP also hosts a Corporate Liaison Program ( ICFO ) , which serves as a bridge between ICFO researchers and industries and companies . 0 +It is not even known if any two free group factors are isomorphic . It is not even known if two free group factors are isomorphic . 1 +"Maximilian Lambertz proposed that the word from the Italian "" Bailo "" , the title of the Venetian Ambassador to the Ottomans derived ." "Maximilian Lambertz suggested that the word derived from Italian "" bailo "" , the title of the Venetian ambassador to the Ottomans ." 1 +John Monte is the bassist for Evan Seinfeld 's new band , The Spyderz . John Monte is the bassist for the new band Evan Seinfeld , The Spyderz . 1 +Paul Okoh is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana . He is currently Ghana 's ambassador to Egypt . Paul Okoh is a Ghanaian diplomat , member of the New Patriotic Party of Ghana , and Egypt 's ambassador to Ghana . 0 +Annie Young won the individual NCAA Division I championship under the new trainer Caroline Hedwall in 2010 . Caroline Hedwall won the individual championship of NCAA Division I under new trainer Annie Young in 2010 . 0 +On 16 December 2015 , a meeting between the leaders of the two rival governments of Malta took place at the Auberge de Castille in Valletta , Libya . On 16 December 2015 , a meeting between the leaders of the two rival governments of Libya took place at the Auberge de Castille in Valletta , Malta . 0 +This gravitational gradiometry is useful because absolute gravity is a weak effect and depends on the local density of the earth , which is quite variable . This gravity gradiometry is useful because absolute gravity is a variable effect and depends on local density of the Earth which is quite weak . 0 +The Central Mainland of the Shetland Islands is the part of the Mainland , between Hellister , Aith and Voe . The central mainland of the Shetland Islands is part of the mainland between Hellister , Aith and Voe . 1 +The 13th Troop Carrier Squadron was consolidated with the 913th Air Refueling Squadron in September 1985 but the consolidated squadron has not been active since . The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but since then the consolidated squadron has not been active anymore . 1 +On February 17 , 2015 , Chris Bender teamed up with Universal Cable Productions to adapt Dreadstar as a screenplay - TV - series with Starlin and J. C. Spink as producers . On February 17 , 2015 , Starlin collaborated with Universal Cable Productions to adapt Dreadstar as a script - TV - series with Chris Bender and J. C. Spink as producers . 0 +"Ashok was then selected to replace Vaibhav Reddy in Deepan Chakravarthy 's psychological thriller "" , a second film in C. V. Kumar 's "" Pizza "" franchise ." "Ashok was then selected to replace Vaibhav Reddy in Deepan Chakravarthy 's psychological thriller "" , a second film in C. V. Kumar ' ; s "" Pizza "" series ." 1 +Most of the municipalities are located on the islands of the Sulu archipelago , two of them , Mapun and the turtle islands , are in the Sulu sea . Most of the municipalities are located on the islands in the Sulu Archipelago . Two of them , Mapun , and Turtle Islands lie within the Sulu Sea . 1 +They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . 0 +In recent years , this has become a reason for students who do not attend state universities to go abroad or study at other institutes and professional organizations . In recent years , this has become a reason for students , who do not attend state universities to prefer going abroad or study at professional institutes and other bodies . 0 +Meghana Raj is married to Sundar Raj and they have a daughter called Pramila Joshai . Pramila Joshai is married to Sundar Raj , and they have a daughter named Meghana Raj . 0 +He survived the Soviet leadership transition from Brezhnev to Khrushchev in 1964 . In 1964 , he survived the Soviet leadership transition from Khrushchev to Brezhnev . 0 +Trujillo has incorporated in his canvases elements of contemporary art and local figures in a very hieratic style . Trujillo has incorporated in his canvases elements of local art and hieratic figures in a very contemporary style . 0 +Arnaud Boetsch defeated 7 -- 6 , 7 -- 6 Marc Rosset defeated Arnaud Boetsch 7 -- 6 , 7 -- 6 0 +Elena Dementieva won against Alisa Kleybanova in the finals 6 -- 3 , 6 -- 2 . Alisa Kleybanova won in the final 6 -- 3 , 6 -- 2 , against Elena Dementieva . 0 +The weather in winter is moderately cold and warm in summer . In winter the weather is moderately warm , in summer it is cold . 0 +In July 1962 , the 4364th squadron of support was activated at Mountain Home and allocated to the division , but assigned to the 9th wing . In July 1962 , the 4364th Support Squadron was activated at Mountain Home and assigned to the division , but attached to the 9th wing . 1 +Nirimba is a rural locality in the Shire of Murray in the South Yunderup of Peel Region , located directly south of the Austin Cove development in Western Australia . Nirimba is a rural locality in the Shire of Murray in the South Yunderup of the Peel Region , just south of the Austin Cove development in Western Australia . 1 +Newly released CSS3 and JavaScript frameworks allowed new design patterns such as the box model followed by grids and flex , accompanied by translations , transformations , animations . Newly released CSS3 and JavaScript - Frameworks allowed new design patterns such as the box - model , followed by grids and flex , accompanied by translations , transformations and animations . 1 +She also published biographies of the Nobel laureate Juan Soriano and the artist Octavio Paz . She has also published biographies , of the Nobel laureate Juan Soriano and artist Octavio Paz . 1 +Oberreidenbach 's mayor is Peter Gleßner , and his deputies are Reiner Weiß and Stefan Becker . Mayor is Peter Gleßner and his deputies are Reiner Weiß and Stefan Becker . 0 +Together , these three properties fully determine the algebraic structure of the direct product . Together , these three features completely determine the direct structure of the algebraic product . 0 +The Hunters is a 2011 French crime horror thriller film directed by Antoine Huet . The film was produced by Chris Briant , The Hunters film is a French crime - horror - thriller - film from 2011 by Chris Briant , produced by Antoine Huet , 0 +The Bathopele - Mine is a mechanized mine in the north-western part of South Africa in Rustenburg , North West . The Bathopele mine is a mechanised mine located in the north-western part of South Africa in Rustenburg , North West . 1 +However , Grossman was later injured in the season , and temporarily relieved by Griese . Grossman was injured later in the season , however , and temporarily relieved of Griese . 1 +"Jane Maxwell Gordon is the focus of Ciji Ware 's 1989 novel "" Island of the Swans "" ." "Ciji Ware is the focus of Jane Maxwell Gordon 's novel "" Island of the Swans "" from 1989 ." 0 +At that time , Cao Mao was only a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( cousin of Sima Wang ) . At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Wang ( Sima Zhao 's cousin ) . 0 +Canada is represented in Cambodia by its UN mission in New York City . Cambodia is represented by its UN mission in New York City in Canada . 0 +The Lake Lindero neighborhood and the Ventura Freeway ( 101 ) are to the south , and Westlake Village on the west . The Westlake Village neighborhood and the Ventura Freeway ( 101 ) are in the south and Lake Lindero to the west . 0 +Dierker is also the first manager in MLB history to win a division championship in his sixth season for the Astros in 1997 . Dierker is also the sixth manager in the MLB story to win a Championship division in his first season for the Astros in 1997 . 0 +The Kabul River is a tributary of the Swat River , part of the Indus River basin . The river Kabul is a tributary of the Swat River , part of the Indus River . 1 +It has not been held since the 2008 event , and there are currently no plans for it to be returned . It has not been held since the 2008 event , and there are no plans for it to be reimplemented yet . 0 +On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González as team manager in 2011 . On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves ’ manager Bobby Cox as team manager in 2011 . 0 +He died on 16 August 1850 in Clarkstown ( now New City ) , New York City . He died on August 16 , 1850 in New City ( now Clarkstown ) , New York City . 0 +Simon Bosboom ( 1614 , Emden -- 1662 , Amsterdam ) , was a Dutch Golden Age architect and writer . Emden ( 1614 , Simon Bosboom - 1662 , Amsterdam ) , was a Dutch architect and writer of the Golden Age . 0 +Cardinal Mazarin married Anne Marie Martinozzi , daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the eldest sister of Armand , and had the following children : Cardinal Mazarin married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , elder sister of Armand . They had the following children : 1 +Maison Jansen then asked Kennedy if they would restore the table . Then Maison Jansen Kennedy asked if she would restore the table . 0 +St Francis Inter College , Hathras Road , is one of the best and most renowned schools in Aligarh . One of the best and most prestigious schools in Hathras is St Francis inter college , Aligarh road . 0 +Glasson won Australian championships 19 times including nine national indoor championships . Glasson won 19 times Australian championships , including nine national hall championships . 1 +Drietoma is a village and municipality in the Trenčín region in the district of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the district Trenčín in the region of Trenčín in north-western Slovakia . 1 +"The album features the single "" You Lose , I Win "" , which was a minor hit in Germany and also received considerable airplay in Canada ." "The album contains the single "" You Lose , I Win "" , which was a small hit in Germany and also received considerable airplay in Canada ." 1 +In 1988 , Emmis Broadcasting acquired the WNBC license and moved WFAN from 1050 to 660 . In 1988 , Emmis Broadcasting acquired the license of WNBC and moved WFAN from 1050 to 660 AM . 1 +She was a researcher in America at McGill University in the late 1920s , and later at Radcliffe College and Illinois State University . In the late 1920 's she was a researcher in America at McGill University and later Radcliffe College and Illinois State University . 1 +Shiva wanted to see Rama , but Sati was in the dark that Rama was a God manifestation . Shiva wanted to see God , but Sati was in the darkness that Rama was a manifestation of Rama . 0 +Tynion followed the series with an additional horror comic for Thrillbent , The House In The Wall , co-written by Noah J. Yuenkel and drawn by Eryk Donovan . Tynion followed the series with an additional horror comic book for Thrillbent , The House In The Wall , drawn by Noah J. Yuenkel and Eryk Donovan . 0 +"The "" Royal "" title was bestowed by Queen Elizabeth II and approved by HRH Prince Philip in 1987 , to coincide with a Royal tour of that year ." "The "" Royal "" Title was approved by Queen Elizabeth II and awarded in 1987 by Prince Philip to coincide with a Royal Tour of the Year ." 0 +Juan Martinez ( also known as the Diego ) was a Marcilla and Isabel a Segura . Juan Martinez ( also known as Diego ) was a Marcilla and Isabel a Segura . 1 +Lives . Adele died in 1896 and Elizabeth in 1910 , and both were buried in the family graveyard behind the home . Elizabeth died in 1896 and Adele in 1910 , and both were buried behind the house in the family graveyard . 0 +Units can be owned , but not imported , on any other continent . Units can be owned on any other continent but can not be imported . 1 +Scientists believe that amber was deposited in a flat part of a sea basin in a delta of a prehistoric river during the Upper Eocene and the Lower Oligocene . Scientists believe that amber was deposited in a flat part of a prehistoric basin during the Upper Eocene and the Lower Oligocene in a delta of a naval river . 0 +In the Netherlands , Moszkowicz was known for defending the godfather of the Amsterdam underworld Willem Holleeder and the Heineken kidnapper Cor van Hout and Klaas Bruinsma . Moszkowicz became well known in the Netherlands for defending the godfather of the Amsterdam underworld Willem Holleeder and the Heineken kidnappers Cor van Hout and Klaas Bruinsma . 1 +At this time Philips Media was taken over by Infogrames , who became the publisher of the game . At the time , Infogrames was taken over by Philips Media , who became the publisher of the game . 0 +Mount Darwin ( alternative : Darwin ) is one of seven districts in the province of Mashonaland Central in Zimbabwe . Mount Darwin ( alternatively : Darwin ) is one of seven districts in the province of Mashonaland Central in Zimbabwe . 0 +In 1918 , the administrative representation of the Dublin parliamentary county was increased from two to four divisions . In 1918 the parliamentary representation of the administrative county of Dublin was increased from two divisions to four . 0 +Amelia and Michael is a 2007 British drama short film directed by Daniel Cormack , starring Anthony Head and Natasha Powell and executive produced by Richard Johns . Amelia and Michael is a British drama short film from 2007 , produced by Daniel Cormack with Anthony Head and Natasha Powell and by Richard Johns . 0 +The Greeks and Romans identified the region as Gangaridai , a powerful kingdom of the historical subcontinent , in the 3rd century BCE . The Greeks and Romans identified the region in the 3rd century BC as Gangaridai , a historical kingdom of the mighty subcontinent . 0 +The building , which was commissioned by the City Fathers was designed by William Stark , was opened in 1808 , originally as St. George 's Parish Church . The building , commissioned by the city fathers and designed by William Stark , was originally opened in 1808 as St. George 's Parish Church . 1 +Macedonian Turks speak the Turkish language , and second Albanian in the west and Macedonian in the east . The Turkish Turks speak the Macedonian language and , secondly , Albanian in the west and Macedonian to the east . 0 +The area was once served by Corstorphine railway station which provided direct railway access to Edinburgh Waverley . The area was once served by Corstorphine railway station , which provided direct access to the railway to Edinburgh Waverley . 1 +The music was composed by V. Dakshinamoorthy and lyrics was written by Sreekumaran Thampi and . The music was composed by V. Dakshinamoorthy and the lyrics by Sreekumaran Thampi and written . 1 +For example , the National Municipal League ( originally the National Civic League ) promotes an effective management of the local government . For example , the National Municipal League ( originally the National Civic League ) promotes effective local government management . 1 +The 1986 -- 87 National Hockey League season was the 70th season of operation of Toronto in the Toronto Maple Leafs . The 1986 -- 87 Toronto Maple Leafs season was the 70th season operation of Toronto in the National Hockey League . 0 +"Another category that is sometimes associated with "" inspirational fiction "" is "" gentle fiction . """ "Another category , which is sometimes associated with "" inspirational fiction "" , is "" gentle fiction "" ." 1 +Emphasis is placed on the serving of meals of moderate quality at high cost . "Emphasis is placed on serving meals of high quality at moderate cost. """ 0 +Most Arabs in France come from the Maghreb , but some also come from the Mashreq areas of the Arab world . Most Arabs in France are from the Maghreb but some also come from the Mashreq areas of the Arab world . 1 +"In the 2014 film "" Get On Up "" , a biography of James Brown , produced by Bryan Grazer and Mick Jagger , Josh Hopkins is depicted as bass ." "In the 2014 film "" Get On Up "" , a biography of Josh Hopkins presented by James Brown , Bryan Grazer and Mick Jagger bass is produced ." 0 +The 2007 -- 08 Kansas State Wildcats men 's basketball team represented Kansas State University in the 2007 -- 08 college basketball season . The 2007 -- 08 Kansas State University Men 's Basketball - Team represent Kansas State Wildcats in the 2007 -- 08 College - Basketball - Season . 0 +Over the years , ACT-R models have been used in more than 700 different scientific publications , and have been cited in many more . Over the years , ACT-R models have been used in more than 700 different scientific publications and have been cited in many others . 1 +The first president of Antigone was Mauro Palma ( 1991-1999 ) , who have been replaced by Stefano Anastasia ( 1999-2005 ) . The first president of Antigone was Stefano Anastasia ( 1991-1999 ) , who were replaced by Mauro Palma ( 1999-2005 ) . 0 +Although Porter survived , neither he nor Walsh were charged with either the draper or Irving 's death . Although Porter survived , neither he nor Walsh were charged with either Draper or Irving 's death . 1 +Ezra 's family came originally as immigrants from Palestine and settled in Iraq . Ezra 's family originally came as immigrants from Iraq and settled down in Palestine . 0 +Montenegro is a municipality in the western part of the department of Quindío , Colombia . It is located 10 km west of the departmental capital Armenia . Montenegro is a municipality located in the western part of the Quindío department of Colombia , 10 km west of the district capital Armenia . 1 +Since 2006 , when Josephine Alhanko placed in the top 20 , Cerljen was also the first delegate from Sweden to the international finals . At the first final since 2006 , Cerljen was also an international delegate from Sweden when Josephine Alhanko placed himself in the Top 20 . 0 +The SAS curve ( Surprise Aggregate Supply ) is , in the long term , a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) . The SAS curve ( Surprise Aggregate Supply ) is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . 0 +Their founder was , who came from China during the Seongjong of Goryeo period . Their founder , who came from China during the Seongjong of the Goryeo , was . 1 +The absence of trouble with the law was guaranteed by the secret protection of the Préfet de police Jean Chiappe and Minister Albert Sarraut . The absence of annoyance with the law was guaranteed by the secret protection of Préfet de Police Albert Sarraut and Minister Jean Chiappe . 0 +At the 2012 Summer Olympics , Brady Ellison qualified for the last 32 , where he was knocked out by Javier . At the 2012 Summer Olympics , Brady Ellison qualified for the last 32 , where he was retired by Javier . 1 +A functional magnetic resonance imaging ( fMRT ) study showed that deaf participants use the visual cortex as well as the primary auditory cortex when they observe sign language . A functional magnetic resonance imaging ( fMRI ) study found that deaf participants use the primary auditory cortex as well as the visual cortex when they observe sign language . 1 +On September 19 , Star Empire announced 4 members : Jian , Jeup , Taeho and Ungjae will participate in the show . On September 19 , Star Empire announced 4 members : Jian , Jeup , Taeho and Ungjae will participate the show . 1 +DesAutels is the editor of several volumes in ethics and feminist psychology . DesAutels is the editor of several volumes in moral ethics and feminist psychology . 1 +Essentially , there are four types of databases : curated databases , predictive databases , literature databases and integrative databases There are essentially four types of databases : curated databases , integrative databases , literary databases and predictive databases . 1 +The 16th century chronicler Firishta states that this army was ordered to reach Warangal via Bengal . The chronicler Firishta from the 16th century states that this army was ordered to reach Bengal via Warangal . 0 +Construction of the new stadium were held for 4 years and on 21 August 1974 was inaugurated . The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . 1 +Ruth Ruth Page , Elise Reiman ( Hans Kindler 's ballet teacher ) and Berenice Holmes were managed by the three Muses and Gene Kelly . Ruth Page , Berenice Holmes ( the ballet teacher of Gene Kelly ) and Elise Reiman were conducted by the three Muses and Hans Kindler . 0 +With the professional products of Linea Pro , the production is mainly dedicated to the industrial market , while the do-it-yourself market is served by the Linea Blu product range . The production is mainly dedicated to the professional market , with the industrial products Linea Pro , the DIY market , is operated by the Linea Blu product line . 0 +"The "" Friends of the School of Art and Design of Putney "" promotes the school and protects the interests of the current students ." "The "" Friends of the Art and Design School of Putney "" protects the school and promotes the interests of the students ." 0 +On the second day , Jen sees a girl who looks very similar to her lost sister Jess . On the second day , Jen sees a girl very similar to her lost sister , Jess . 1 +The region was followed by the Muslim house of Arakkal , ruled by Tipu Sultan . The region was then ruled by the Muslim house of Arakkal , followed by Tipu Sultan . 0 +Kumara Sambhavam is a 1969 Indian Malayalam and bilingual film ( Tamil ) , leaded and produced by P. Subramaniam . Kumara Sambhavam is a 1969 Indian Malayalam and bilingual film ( Tamil ) , directed and produced by P. Subramaniam . 1 +"In the United States , many anthropologists used white as a general term for "" Caucasian "" ." "In the United States , many anthropologists used white as a general term "" Caucasian "" ." 1 +In the second round she beat Julia Goerges , then defeated 17th seed Olga Govortsova in the third . In the second round she beat Olga Govortsova , then defeated the 17th place Julia Görges in the third . 0 +The affine scaling direction can be used to choose a heuristic to adaptively define the centering parameter as The affine scaling direction can be used to create a heuristic to adaptively define the centering parameter as 1 +An additional compressor , using a lateral prism with large reflectors to enable a multi-pass arrangement at the prism , was introduced in 2006 . In 2006 , an additional compressor was introduced with a large prism with side reflectors to enable a multi-pass arrangement at the prism . 0 +Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Aramaic abbreviations or the list of Hebrew abbreviations . Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Aramaic abbreviations and the List of Hebrew abbreviations , respectively . 1 +Jequié is rich in iron ore , so it is very hot and cold at night during the day . Jequié is rich on Iron Ore , so it is very hot during the day , and cold at night . 0 +The station was built in 1915 by the New York , New Haven and Hartford Railroad along the former Connecticut Valley Railroad line . The station was built in 1915 by Connecticut Valley Railroad , New Haven and Hartford Railroad along the former New York stretch . 0 +The unit was armed and equipped by the Volunteer Department of Natal and recruited by the Imperial Remount Department . The unit was armed and equipped by the Natal Volunteer Department and horsed by the Imperial Remount Department . 0 +Inception is a 2010 science fiction film , co-produced by Emma Thomas , and written , co-produced , and directed by Christopher Nolan . Inception is a science fiction film from 2010 , co-produced by Emma Thomas and written by Christopher Nolan , co-produced and staged . 1 +John Lambert studied composition with Oliver Knussen between 1963 and 1969 and received suggestions from Britten . John Lambert studied composition with Oliver Knussen between 1963 and 1969 , and also received encouragement from Britten . 1 +In 1612 he was governor of Texcoco , and in 1613 governor of Tlalmanalco . In 1612 he was the governor of Texcoco and in 1613 the governor of Tlalmanalco . 1 +Alliances with CPU controlled players can only be set at the beginning of the game . Alliances with CPU controlled players can only be set at the start of the game . 1 +"His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" from Dave Brubeck in 2011 ." "His meeting with Dave Brubeck is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Naresh Fernandes ." 0 +Today , Bhangra has developed into a slightly beat-based music genre , unlike before 1994 , when it was largely more mature and classical . Bhangra today has developed into a largely beat-based music genre , unlike before 1994 , when it was slightly more mellow and classical . 0 +The Square was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on July 2 , 2013 , during a ceremony on the square . The place was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony on the square . 0 +The Văcăria River is a tributary of the Pilugul River in Romania . The Văcăria River is a tributary of the River Pilugul in Romania . 1 +It is available in areas including Phibsboro and Castleknock , Finglas , Cabra and Ballymun . It is available in areas including Ballymun , Finglas , Cabra , Phibsboro and Castleknock . 1 +Ryan Wiik ( born September 23 , 1981 ) is a Norwegian actor and entrepreneur , also known as Gunnar Ryan Wiik . Ryan Wiik ( born September 23 , 1981 ) is a Norwegian actor and entrepreneur . He is also known as Ryan Wiik . 1 +In 2012 , he was elected Chairman of the Indian National Congress ( Pnachayat District ) of Kolhapur as a candidate of Zilla Parishad . He was elected as a Chairman of Zilla Parishad ( District Pnachayat ) of Kolhapur in 2012 as an Indian National Congress candidate . 0 +Neurological problems are expressed either as hard signs or diagnosable disorders such as epilepsy or other attack disorders or soft signs . Neurological problems are expressed as either diagnosable signs , or other disorders , such as epilepsy or soft seizure disorders , or hard signs . 0 +Portsmouth won 4 -- 1 , with goals of Bert Barlow , John Anderson and two from Cliff Parker . Portsmouth won 4 -- 1 , with goals from Bert Barlow , John Anderson and two by Cliff Parker . 1 +The Major A premiership is currently held by the Major League in Pine Hills Lightning and Runcorn Indians in the Pacific League . The Major A Premiership is currently held in the Pacific League by the Major League in Pine Hills Lightning and Runcorn Indians . 1 +Young birds are light grey and brown above , with buff underparts and a dark spot through the eye . Young birds are light grey and brown above , with buff underparts and a dark patch through the eye . 1 +Linkuwa Pokhari is a village and Village Development Committee in Khotang District in the Sagarmatha Zone of eastern Nepal . Linkuwa Pokhari is a village and village development committee in the Sagarmatha zone in the Khotang district of eastern Nepal . 1 +The Miletin River or Mitoc River or Nacu River is a tributary of the Scânteia River in Romania . The River Miletin or Mitoc or Nacu is a tributary of the Scânteia river in Romania . 1 +""" Florida "" was ordered on 4 May 1898 , and awarded to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." "On 4 May 1898 , "" Florida "" was awarded and ordered to Crescent Shipyard , Elizabethport , New Jersey , on October 11 , 1898 ." 0 +Both track segments were abandoned beginning with the Hurtsboro segment in 2002 and the Lafayette line in 2003 . Both segments were abandoned in 2003 , starting with the Lafayette segment in 2002 and the Hurtsboro line . 0 +Andy was grateful until Jo Lee Naylor caught him damaging the washing machine . Andy was grateful until Jo caught Lee Naylor damaging the washing machine . 1 +Hutchison Telecom was formerly listed on the Hong Kong ( SEHK ) and New York ( NYSE ) exchanges , and is fully owned by Hutchison Whampoa . Hutchison Whampoa was formerly listed on the New York ( SEHK ) and Hong Kong ( NYSE ) stock exchanges , and is fully owned by Hutchison Telecom . 0 +The valley itself is made rocky by the river , while the surrounding area is lush and green desert . The valley itself is made through the river and green , while the surrounding area is rocky desert . 0 +"Franca Treur ( born 1979 ) is a Dutch writer and freelance journalist for "" NRC Handelsblad "" and "" nrc.next "" ." "Franca Treur ( * 1979 ) is a freelance writer and Dutch journalist for "" NRC Handelsblad "" and "" nrc.next "" ." 0 +Marcelinho , or simply Marcelo Santos Oliveira ( born March 9 , 1981 in Aracaju ) , is a Brazilian offensive midfielder . Marcelinho or simply Marcelo Santos Oliveira ( born March 9 , 1981 in Aracaju ) , is a Brazilian attacking midfielder . 1 +Asserson was active in the Church of Norway and was married to Eivind Saxlund . Eivind Saxlund was active in the Church of Norway and married to Asserson . 0 +"The 2014 series involved eight celebrities including goalkeeper Neville Southall , weather presenter Sam Evans , singer Ian Watkins and "" Big Brother "" winner Behnaz Akhgar ." "The 2014 series comprised eight celebrities , including goalkeeper Neville Southall , weather moderator Behnaz Akhgar , singer Ian Watkins , and "" Big Brother "" winner Sam Evans ." 0 +This is then opened in computer-aided design software to be further edited . This is then opened in Computer-aided design software to be worked further . 1 +The new format is current for the season 2010 and consists of three stages . The current format is new for the 2010 season and consists of three levels . 0 +The river Gorova is a tributary of the river Bârzava in Romania . The Bârzava River is a tributary of the Gorova River in Romania . 0 +Malmö FF is a former football club and Swedish sports club in Malmö . Malmö FF is a former football club and a swedish sports club in Malmö . 1 +At the next day 's AFL meeting , Tobin was forced to defend Beck 's actions . At the AFL meeting the next day , Tobin was forced to defend Beck 's actions . 1 +The Doba River is a tributary of the Crişul Mic River in Romania . The river Doba is a tributary of the Crişul Mic River in Romania . 1 +This was the beginning for a joint cooperation with a new international testing and training standard . This was the beginning of a joint cooperation with a new international testing and training standard . 1 +This series was exclusive to Wal-Mart Canada , but was finally sold online in the Spawn Store . This series was exclusive to Wal-Mart Canada , but was sold online in the Spawn Store . 1 +Didkovsky has performed or composed for a number of CDs , including : Didkovsky has performed for or composed on a number of CDs including : 1 +However his troops were enough to prevent a Serbian invasion and he led the Bulgarian delegation which negotiated with the Serbian King Stefan Decanski . His troops were , however , enough to prevent a Serbian invasion , and he led the Bulgarian delegation that negotiated with Serbian King Stefan Decanski . 1 +In 1975 he returned to Odibo , and in 1977 to Windhoek . In 1975 he moved to Odibo and returned to Windhoek in 1977 . 0 +Likewise , the perception of an individual of self-worth is a changing attitude that can rise and fall with fluctuating components of physical self . Likewise , an individual 's perception of self-worth is a fluctuating attitude that can rise and fall with changing components of the physical self . 1 +Walter Hungerford was the youngest son of Robert Hungerford , the 3rd Baron Hungerford and Eleanor . Walter Hungerford was the youngest son of Robert Hungerford , 3rd Baron Hungerford and Eleanor . 1 +""" Blastfighter "" was released theatrically in Italy where it was distributed by Medusa Distribuzione on 25 July 1984 ." """ Blastfighter "" was released in Italy , where it was distributed by Medusa Distribuzione on July 25 , 1984 ." 1 +He was born in Adelaide into a Scottish family from Glasgow and is the brother of footballer Ryan McGowan . McGowan was born in Adelaide into a Scottish family from Glasgow . He is the brother of fellow footballer Ryan McGowan . 1 +This would stop the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . This would last the element , but fade when the effect is 80 % complete ( with an opacity of 20 % ) . 1 +Webmention was originally published in the IndieWebCamp community and developed as a W3C working draft on January 12 , 2016 . Webmention was originally developed in the IndieWebCamp community and published on January 12 , 2016 as a W3C work draft . 0 +Daniel Johansson ( born September 10 , 1974 ) is a Swedish ice hockey professional who was known as Daniel Glimmenvall until 2009 . Daniel Glimmenvall ( born September 10 , 1974 ) is a Swedish ice hockey professional who was known as Daniel Johansson until 2009 . 0 +The club is renowned for playing many homegrown players and developing young players . The club is renowned for developing young players and playing many local players . 1 +Hugo Käch died on December 31 , 2003 in Schaffhausen near Flurlingen , Germany . Hugo Käch died on 31 December 2003 in Flurlingen , near Schaffhausen ( Switzerland ) . 0 +On December 9 , 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . Otto Müller died on 9 December 1979 as a result of a serious lung disease at the Carl von Basedow - Clinic in Merseburg . 0 +The Monroe Free Press is a weekly newspaper serving the Monroe , Arkansas , El Dorado , Louisiana area . The Monroe Free Press is a weekly newspaper serving Monroe , Louisiana , El Dorado , Arkansas . 1 +Whittington , England , United Kingdom is a village and rural municipality in the county of Gloucestershire in Gloucestershire . Whittington , England , United Kingdom is a village and rural parish in the county of Gloucestershire in Gloucestershire . 1 +Shortly before his death , Aleksander Mikhailov , according to Sergei Yushenkov , received threats from a high-ranking FSB - General , Grigory Pasko . Just before his death , Sergei Yushenkov received threats from a high-ranking FSB general , Aleksander Mikhailov , according to Grigory Pasko . 0 +"From 2015 , Brown appears as a political commentator on Channel 9 's "" The Verdict "" with Karl Stefanovic ." "From 2015 , Karl Stefanovic appears with Brown as political commentator on "" The Verdict "" from Channel 9 ." 0 +The lowest temperature ever recorded in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was on 13 January 2012 . The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . 0 +It has effectively been drunk in the brewer 's house , which then becomes a pub until all the beer is sold . It is then sold in the brewer 's house , which is virtually a pub until all the beer has been drunk . 0 +The 1945 Big Ten Conference Team represented Northwestern University during the Northwestern Wildcats football season of 1945 . The 1945 Big Ten Conference team represented Northwestern University during the 1945 Northwestern Wildcats football season . 1 +"Such a very high "" Q "" resonator stores energy with very low loss and narrow bandwidth ." "Such a high "" Q "" resonator stores energy with very low loss and narrow bandwidth ." 1 +In 2005 , Virgin Group signed a two-year contract for a wet lease with BH Air . In 2005 , BH Air signed a two-year contract with the Virgin Group for a Wet - Lease contract . 0 +The series was written by Ed Brubaker by Butch Guice and illustrated by Bryan Hitch . The series was written by Ed Brubaker , illustrated by Bryan Hitch and colorized by Butch Guice . 0 +""" The Missionary Position "" is the 206th episode of the ninth season of the American police procedural drama "" NCIS "" , and the 20th episode overall ." """ The missionary position "" is the 206th episode of the ninth season of the American police - procedural drama "" NCIS "" , and the 20th episode as a whole ." 1 +He lives together with his wife Dr. Anu Ratheesh Vega and son Nadhin Ratheesh Vega in Thrissur . Nadhin Ratheesh Vega lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Ratheesh . 0 +When in 1955 the National League of the American League beat , this time 6 -- 3 . As in 1955 , the National League beat the American League , this time 6 -- 3 . 0 +Several years later , General Obasanjo was released and pardoned after Abacha died and after General Abdulsalami Abubakar took power . General Obasanjo was released and pardoned a number of years later after Abacha died and after General Abdulsalami Abubakar took power . 1 +The R335 is a Regional Route in South Africa that connects Port Elizabeth in the south to Somerset East to the north via Addo . The R335 is a regional route in Somerset East , which links Port Elizabeth from the south to South Africa via Addo to the north . 0 +In the same year , Ban Chao and Guo Xun sent Dou Gu along with 36 men to go south . In the same year , Ban Chao and Guo Xun Dou Gu sent to the south with 36 men . 0 +Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint session to compare the nominations and explain the result . Note : The votes were cast on January 20 , but both Houses met in a joint session on January 21 to compare nominations , and declare the result . 1 +On 25 May 2016 , club owner Silvio Berlusconi announced his departure , along with those of Mario Balotelli , Kevin-Prince Boateng and Phillippe Mexes . Club owner Silvio Berlusconi announced his departure on May 25 , 2016 , along with those of Phillippe Mexes , Kevin - Prince Boateng and Mario Balotelli . 1 +Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the 1956 Olympic Games in Melbourne . Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the 1956 Olympic Games in Melbourne . 0 +This occurs when the trust associated with a professional relationship is destroyed because of non-professional actions or requests for non-professional actions . This occurs when the confidence associated with a non-professional relationship is destroyed because of non-professional actions or requirements for professional actions . 0 +Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic programming language Haskell . Xmonad is a dynamic window manager ( tiling ) for the X Window System written in the functional Haskell programming language . 0 +The canopy was destroyed in September 1938 by Hurricane New England in 1938 , and the station was damaged but repaired . The canopy was destroyed in September 1938 by the 1938 New England hurricane , the station was repaired but damaged . 0 +The band then added bassist Duane Cowan , who moved from Japan to Los Angeles recently . The band then added bassist Duane Cowan , who had recently relocated from Los Angeles to Japan . 0 +Jared Harris , the man at the camp site , played by Benmont Tench , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . Benmont Tench , the man at the campsite played by Jared Harris , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . 0 +She was to become the mother of Akbar 's oldest surviving son and successor , Jehangir . She was to become the mother of Jehangir 's eldest surviving son and successor , Akbar . 0 +She is expressed in the Japanese anime by Kanako Hatori and in the English Dub by Tara Platt . She is expressed by Tara Platt in the Japanese anime and by Kanako Hatori in the English Dub . 0 +In 2005 , Christian Dahl sold the Flash Engineering Team to Nilsson and was renamed to Polestar Racing . In 2005 , Nilsson sold the Flash Engineering team to Christian Dahl and was renamed Polestar Racing . 0 +Irreversibility in irreversible microscopic processes is a consequence of the asymmetric character of thermodynamic operations and not of any thermodynamic properties of the body . Irreversibility in irreversible microscopic processes is a consequence of the asymmetric character of thermodynamic operations , and not of any internally thermodynamic properties of the bodies . 0 +In 1883 , the first schools in the area were built for 400 black students and 60 white students . In 1883 the first schools in the area were built for 400 white and 60 black students . 0 +Dyson died on board a ship when he was travelling to Australia from England in 1939 and was buried at sea . Dyson died on board a ship when he was travelling from Australia to England in 1939 and buried at sea . 0 +He replaced Derrek Lee as a backup at 1st base to John Mabry . He replaced Derrek Lee as backup at 1st Base to John Mabry . 1 +Nescopeck Creek 's water is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams per liter of dissolved minerals . Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of over 100 milligrams solved minerals per liter . 0 +The current governor of the province is Nasratullah Arsala . His predecessor was Maj Gen Zalmai Weesa . The city of Gardez serves as the capital of the province . The current governor of the province is Nasratullah Arsala , his predecessor was Maj Gen Zalmai Weesa , and the city of Gardez serves as the capital of the province . 1 +The work was performed in 2008 by New Zealand-based London singer Paul Whelan and the NZSO . The factory was performed in 2008 by the London-based New Zealand singer Paul Whelan and NZSO . 0 +Formal education in Sheffield , a city in England , takes place at two universities in the city , at 141 primary and 28 secondary schools . Formal education in England , a city in Sheffield , takes place at the city 's two universities , 141 primary schools and 28 secondary schools . 0 +I 'm Swiss ( and seventh Statements ) is the other Treasonous HBO special by comedian Bill Maher . I am a Swiss ( and other treasonous statements ) is the seventh HBO - Special by Comedian Bill Maher . 0 +It is located in the central part of the Warren Township in Belmont County and is part of Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central portion of Belmont County in Warren Township and is part of the Wheeling , West Virginia Metropolitan Statistical Area . 0 +William Belden Noble Lectures is an American series of annual presentations by accomplished individuals , held at Harvard University . Noble Lectures by William Belden is an annual series of successful presentations of American individuals held at Harvard University . 0 +The 26 letters displayed directly from bopomofo are transcribed in the following table . The 26 letters transcribed directly from bopomofo are shown in following table . 0 +It is bordered to the west and east by Massapequa , North Massapequa to the northwest , and to the north by South Farmingdale . It is bordered by Massapequa to the west and east , North Massapequa to the northwest , and South Farmingdale to the north . 1 +The expressway continues another mile , crossing under several buildings in short tunnels , before crossing the Harlem River via the Alexander Hamilton Bridge into the Bronx . The expressway continues for another mile and crosses several buildings in short tunnels before crossing the Alexander Hamilton Bridge into the Bronx via the Harlem River . 0 +A total of 16 teams qualified but only 13 teams participated in the finals of the Olympic tournament . In total , 16 teams participated , but only 13 teams qualified for the finals of the Olympic tournament . 0 +It began as a fishing village populated by Polish settlers from the Kaszub region as well as some German immigrants in 1870 . It began as a fishing village , populated by Polish settlers from the Kaszub region and some German immigrants in 1870 . 1 +The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows into Cross Lake from two channels . The Nelson River flows into Cross Lake from Playgreen Lake then flows from two channels into Lake Winnipeg . 0 +He retired in 1916 , and died on September 30 , 1918 . He retired in 1916 and died on 30 September 1918 . 1 +He was a member of the Jura municipal council for the canton of Beaufort , then in 1877 General Council . He was a member of the General Council of the Jura for the Canton of Beaufort , then in 1877 a municipal councilor . 0 +The remixes for the song were written by Gloria Estefan 's personal remixer Pablo Flores and Tommy Musto . The remixes for the song were made by Gloria Estefan 's personal remixer Pablo Flores and by Tommy Musto . 1 +"In 2015 , Sixto Rodriguez and Stephen "" Sugar "" Segerman "" Sugar Man published : The Life , Death and Resurrection of Craig Bartholomew Strydom "" ." "In 2015 , Craig Bartholomew Strydom and Stephen "" Sugar "" Segerman published "" Sugar Man : The Life , Death and Resurrection of Sixto Rodriguez "" ." 0 +Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Andrew E. C. Gaska and illustrated by Daniel Dussault . Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Daniel Dussault and illustrated by Andrew E. C. Gaska . 0 +In July of 1659 , Sir George Booth was a supporter of Sir Richard in the abortive pro - Royalist Cheshire and Lancashire Rising . In July 1659 , Sir George Booth was a supporter of Sir Richard in the abortive pro-Royalist Cheshire and Lancashire Rising . 1 +The Coruia River is a tributary of the Lăpuş River in Romania . The river Coruia is a tributary of the river LÄ puà in Romania . 1 +"Lars Rosing plays the protagonist Lars Rosing in Greenland 's first international feature film "" Nuummioq "" , Malik lives close to Montreal , Canada ." "Lars Rosing plays the protagonist Lars Rosing in Greenland 's first international feature film "" Nuummioq "" . Malik lives near Montreal in Canada ." 1 +Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . This victory repeated in an Opel Astra in 2003 with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann this victory . 1 +Chelsey Nash ( also known as Chelsey Tregear ) is an Australian netball player in the ANZ Championship , playing for the Melbourne Vixens . Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player in the ANZ Championship and playing for the Melbourne Vixens . 1 +Many of Friend 's descendants live in Garrett County today , and the headquarters and library of the Friend Family Association are in Friendsville because of this connection . Many of Friend 's descendants now live in Friendsville , and the Friend Family Association 's headquarters and library are in Garrett County because of this connection . 0 +Pixar also studied the Disney Cruise Line and visited Las Vegas , which was helpful for understanding artificial lighting . Pixar also visited the Disney Cruise Line and studied Las Vegas , which was helpful in understanding artificial lighting . 0 +Nick Danger is a fictional figure portrayed by the comedy group The Firesign Theatre and created by Phil Austin . Nick Danger is a fictional character portrayed by the comedy group The Firesign Theatre , created by Phil Austin . 1 +Edwards subsequently apologised to Fletcher and compensated him for the flowers . Subsequently , Fletcher apologized to Edwards and compensated him for the flowers . 0 +In 1936 , he designed the renovation of the York Road Theatre , which later became known as Embassy Theatre . In 1936 he designed renovation of the York Road Theatre , later known as the Embassy Theatre . 1 +The 1935 Chico State Wildcats football team represented Chico State College during the 1935 college football season . The 1935 Chico State Wildcats football team represents Chico State College during the College - Football - Season 1935 . 1 +These gates are of enormous size , ranging from high , depending on position , and are thick . These doors are of enormous size , ranging from thick , depending on the position , and are high . 0 +Jason Syme is the older borther of the rugby league , and rugby union footballer ; Jamie Syme . Jason Syme is the elder Borther of Rugby - League and Rugby - Union - Footballer , Jamie Syme . 1 +Humphrey John Ikin ( born in 1957 in New Zealand ) is a furniture designer by Lower Hutt . Humphrey John Ikin ( born 1957 in Lower Hutt ) is a New Zealand furniture designer . 0 +The soundtrack theme was composed by John Williams and was performed by Paul McCartney . The soundtrack theme was composed by Paul McCartney and performed by John Williams . 0 +The Kanuni text , often controversial and with many different interpretations , which have evolved significantly since the 15th century , was named after Dukagjini only . The text of the Kanuni , often contested and with many different interpretations which significantly evolved since 15th century , was only named after Dukagjini . 1 +This riding was created in 1987 by Okanagan -- similar cameras , and in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan , eliminated . This riding was created in 1987 from Okanagan -- Similkameen , and eliminated in 1996 when it was divided between Okanagan -- Coquihalla and West Kootenay , Okanagan . 1 +Then Tyrone tells him who Tommy is . Tommy tells him who is Tyrone . 0 +William Wilberforce Nadiope was succeeded as Kyabazinga by the late Sir Muloki . Muloki succeeded the late Sir William Wilberforce Nadiope as Kyabazinga . 0 +The Burduja River is a tributary of the Urechioiu River in Romania . The Urechioiu River is a tributary of the River Burduja in Romania . 0 +Known by the name David , his real first name was Peter . His real first name was Peter , known by the name of David . 1 +The specification is a method of describing teaching strategies ( educational models ) and pedagogical goals . The specification is a method for describing teaching strategies ( educational models ) and education goals . 0 +In Brazil , the IPHONE brand was registered in 2000 by the company Gradiente Eletrônica S.A. , and then IGB Eletrônica S.A . In Brazil , the IPHONE brand was registered in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A.. 0 +"In South Korean culture , "" Pokarekare Ana "" was used as the title song for the film "" Crying Fist "" , popular in 2005 ." "In South Korean culture , "" Pokarekare Ana "" was used as the theme song for the 2005 popular film "" Crying Fist "" ." 1 +With support from the Carnegie Foundation and the Rockefeller Foundation , Carter conterred . Carter countered with support from the Carnegie Foundation and the Rockefeller Foundation . 1 +In February 2013 , the school opened a new dining area and pastoral offices , followed by a new assembly hall and library in May 2013 . In February 2013 the school opened a pastoral dining area and new offices , in May 2013 followed a new auditorium and library . 0 +Elati is a village in the regional unit of Greece , Kozani . Elati is a village in the Greece regional unit , Kozani . 1 +Notable is Robert 's letter to Sarah . Robert 's letter to Sarah is notable . 1 +The river Valea Mare is a tributary of the Moldova river in Romania . The Valea Mare River is a right tributary of the Moldova River in Romania . 1 +Cooper was born in Los Angeles , California , and lived all his life in Long Beach , California . Cooper was born in Los Angeles , California , and has lived in Long Beach , California his whole life . 1 +This game was released in Europe on February 18 , 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . This game was released in Japan on February 18 , 2010 , in North America on February 23 , 2010 and in Europe on March 26 , 2010 . 0 +Ali and some of Marwan 's supporters who later became the Khawarij caused a lot of trouble . A lot of trouble later caused Marwan and some of Ali 's supporters who later became Khawarij . 0 +In this joint there are two bands : the dorsal capsule and the articular talonavicular . There are two ligaments in this joint : the dorsal capsule and the articular talonavicular . 1 +Alan Gevins worked with his MIT classmate , Dr. Brian Cutillo , in the Brian Cutillo worked with his MIT classmate , Dr. Alan Gevins , in : 0 +"After the meeting with "" O 13 "" , which had returned from the Netherlands , both ships returned to West India ." "After the meeting with "" O 13 "" , which returned from West India , both ships returned to the Netherlands ." 0 +"I made me also silver and gold ; as it is written , "" And the king gathered silver to be in Jerusalem as stones "" ( I Kings x ." "I have also made silver and gold , as written : "" And the king gathered silver to be as stones in Jerusalem , ( I kings x ." 1 +A brief biography and short summaries of Brodsky ’ s longer fiction and critical reception can be found here : A short biography , and brief summaries of Brodsky 's longer fiction and critical reception can be found here : 0 +"He received a formal koan in 1988 - studied with Yamada Koun and completed the Dharma name Tetsu-un , "" Wisdom - Cloud "" ." "He completed formal koan study in 1988 with Yamada Koun and received the dharma name Tetsu-un , "" Wisdom Cloud "" ." 0 +Gandini was born on May 19 , 1906 in Parma to Ernesto Gandini and Diomira Di Centa of Venice . Gandini was born in Parma on May 19 , 1906 to Ernesto Gandini and Diomira Di Centa of Venice . 1 +Barrai is a village in the Bhopal district of Madhya Pradesh , India , in the Berasia tehsil . Barrai is a village in the Berasia district of Madhya Pradesh , India . It is situated in Bhopal Tehsil . 0 +The journey begins from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora Caves , Nashik and back . The journey starts from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back again . 0 +Baron Ambroży Mikołaj Skarżyński of Bończa ( 1787 -- 1868 ) was a Napoleonic officer , Chevalier de l'Empire and a Polish general . Baron Ambroży Mikołaj Skarżyński of Bończa ( 1787 -- 1868 ) was a Polish officer , Chevalier de l 'Empire and a Napoleonic general . 0 +In 1853 he moved to Rock County and let himself be settled near Beloit in Wisconsin . He moved to Wisconsin in 1853 and settled near Beloit in Rock County . 0 +The Pike County School System consists of 25 high , middle , and elementary schools . The Pike County school system consists of 25 elementary , middle and secondary schools . 1 +Each hall has quiet rooms , computer suites , laundry and recreational study rooms elsewhere in every building . Each hall has recreational rooms , computer suites , laundry facilities , and quiet study rooms elsewhere in each building . 0 +He worked as a translator and teacher in Costa Rica for most of the four years he was in school , and then worked in Europe for a year . He worked as a translator and teacher in Europe for most of the four years he was in school , and then he worked in Costa Rica for a year . 0 +"Mount Sis is also a plateau which has called "" Sis Dağı Yaylası "" in Turkey ." "Mount Sis also has a plateau called "" Sis Dağı Yaylası "" in Turkey ." 1 +The 381st Bombardment Group was formed at Pyote Air Force Base and was assigned to Ridgewell Airfield in Haverhill , about six miles from Essex , England . The 381st Bombardement Group was formed on the Pyote Air Force Base and was assigned to Ridgewell Airfield in Haverhill , about six miles from Essex , England . 1 +He died at Fort Edward on August 18 , 1861 , and was buried at the Union Cemetery in Sandy Hill . He died at Sandy Hill on August 18 , 1861 , and was buried at the Union Cemetery in Fort Edward . 0 +A specification tree shows all specifications of a technical system under development in a hierarchical order . A specification tree shows all the specifications of a hierarchical system under development in a technical order . 0 +"He appeared as Archie Mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as an archie mullen in the film "" Freedom Song "" ( 2000 ) ." 0 +In the Hong Kong Chief Executive election , 2007 , Alan Leong of the Civic Party successfully entered the race against the incumbent Donald Tsang . In the 2007 Hong Kong Chief Executive election , Alan Leong from the Civic Party successfully entered the race against the incumbent Donald Tsang . 1 +List of fictional astronauts ( modern period , works released 1990 -- 1999 ) List of modern astronauts ( fictional period , works published 1990 -- 1999 ) . 0 +The river Geamărtălui is a tributary of the Strâmba River in Romania . The river Strâmba is a tributary of the River Geamărtălui in Romania . 0 +In 1999 , Trinity merged with Trinity Mirror to Mirror Group Newspapers , the largest stable in the country 's newspapers . In 1999 , Trinity merged with Mirror Group newspapers to Trinity Mirror , the largest stable in the country 's newspapers . 0 +The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition in mixed pairs . The third season was premiered on 7 June 2010 , and like the fourth season was the system of competition in mixed pairs . 0 +The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architect Pietro Bracci and completed by Nicola Salvi . The Trevi Fountain is a well in the Trevi district in Rome , Italy , designed by Italian architect Pietro Bracci and completed by Nicola Salvi . 1 +This is a list of caves in the UK , including information about the largest and deepest caves in the United Kingdom . This is a list of caves in the UK , including information on the largest and deepest caves in the United Kingdom . 1 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half the amount of water . Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the quantity of water . 0 +"Cody was seen on October 6 , 2006 as Linda Lou in the Actors Fund of America Benefits Concert of "" The Best Little Whorehouse "" in Texas" "Cody was seen as Linda Lou in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." 1 +Buccinum parvulum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Buccinum parvulum is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true well horn screws . 0 +In 1990 , Maxtor bought the hard drive manufacturer MiniScribe . MiniScribe bought hard drive manufacturer Maxtor in 1990 . 0 +The nearest station to Hayes Knoll is Cricklade , the nearest train station is on the Great Western Main Line . The nearest railway station to Hayes Knoll is Cricklade . The nearest mainline railway station is on the Great Western Main Line . 1 +Bilcisha is a city in the southwestern region of Gedo , Somalia . Bilcisha is a town in the southwestern region of Somalia by Gedo . 0 +The confused Confederates were completely untrained in this situation , and their organization was lost . The confused Confederates were totally untrained in this situation and their organization was lost . 1 +It was developed by Taxan and published by Eurocom Entertainment Software . It was designed by Taxan and published by Eurocom Entertainment Software . 1 +Veymandoo Kandu is the channel between Thaa Atoll and Laamu Atoll of the Maldives . Veymandoo Kandu is the channel between the Thaa Atoll and Laamu Atoll of the Maldives . 1 +The network previously operated a translator in Waterbury , W12BH ( channel 12 ) , which directly repeated WEDY . The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY operates directly . 0 +This scene was cut even though its opening recitative was present in rewritten form in the first production . This scene has been rewritten , although its opening recitative was present in cut form in the first production . 0 +He was guillotined on 28 April 1794 , when he was sentenced at the same time as his elder brother . He was sentenced on April 28 , 1794 , when he was guillotined at the same time as his elder brother . 0 +Muckalt Tanner Kero , the 2014-15 WCHA player of the year who signed with the Chicago Blackhawks , trained with Michigan Tech . With Michigan Tech , Muckalt coached Tanner Kero , the 2014-15 WCHA Player of the Year , who signed with the Chicago Blackhawks . 0 +PTAs were abolished by the 1985 Local Government Act when the Metropolitan County Councils were restored . PTAs were abolished by the Local Government Act 1985 when the metropolitan county councils were recreated . 1 +I will report it as I hear it . I report it as I hear it . 1 +"Carpenter would describe the script later as "" too campy , too light "" ." "Carpenter would later describe the script as "" too light , too campy "" ." 1 +The nearest airport is the airport Devi Aahilya Bai Holkar in Indore , the nearest station is Ujjain . The nearest airport is Ujjain . The nearest railway station is Devi Aahilya Bai Holkar Airport , Indore . 0 +In 2012 , for the Italian progressive group Karnya , Francesca Naccarelli made some violins - arrangements and the singer Claudio Nigris is in a song to guest . In 2012 , for Italian progressive group Karnya , Francesca Naccarelli made some violins arrangements and the singer Claudio Nigris is guest in a song . 1 +Mike Altman is the director 's son , Robert Altman , and was 14 years old when he wrote the lyrics of the song . Robert Altman is the son of the original film 's director , Mike Altman , and was 14 years old when he wrote the song 's lyrics . 0 +The state is divided into four administrative districts , with offices in Jackson , Crossville and Morristown ( also the headquarters of the headquarters ) , Nashville . The state is divided into four administrative regions , with offices in Jackson , Nashville ( also the location of the headquarters ) , Crossville and Morristown . 0 +As the first year 2011 she appeared in 22 games and started in 23 out of a total of 24 games . As a first year in 2011 , she started in 22 games and appeared in 23 of the 24 total matches . 0 +And later , Roque Lopez installed himself as president of the provisional government in the town of Iloilo in Santa Barbara . And later , Roque Lopez installed himself as president of the provisional government in the town of Santa Barbara in Iloilo . 0 +In 1996 he was named Chief Operating Officer of AIU in New York City and appointed President in 1997 . In 1996 , he was appointed Chief Operating Officer of AIU in New York City and was appointed President in 1997 . 1 +From the west from Lucin , the unimproved route along the Union Pacific Railroad rail is long . From the west of Lucin is the unimproved route along the Union Pacific Railroad Rail long . 1 +"In 2008 , the Vatican began an "" ecological island "" for renewable waste and continued the initiative in the whole Papacy of Francis ." "In 2008 , the Vatican began an "" ecological island "" for renewable waste and has continued the initiative throughout the papacy of Francis ." 1 +By the middle of the 7th century alchemy was almost an entirely mystical discipline . By the middle of the 7th century , alchemy was an almost mystical discipline . 0 +The sonata was premiered in 1919 at the Aeolian Hall , London , by Landon Ronald , with Billy Reed at the piano . The Sonata was premiered at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed on the piano . 1 +This settlement was part of Charlotteville where Fort Norfolk was built in 1813 with accommodation for 300 troops . This settlement was part of Charlotteville , where Fort Norfolk was built in 1813 with a seat for 300 troops . 1 +She attended Lincoln Southwest High School from 1999 to 2002 and attended Scott Middle School from 2002 to 2005 . From 1999 to 2002 she attended the Lincoln Southwest High School and from 2002 to 2005 she visited Scott Middle School . 1 +Crisp was again retained as line coach after the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 . After the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 , Crisp was again maintained as a line coach . 1 +She was Catholic and he was a Jewish . She was Catholic and he was Jewish . 1 +The current line-up is Chris Fogal on guitar and vocals , Forrest Bartosh on drums and Johnny Wilson on bass and background vocals . The current line-up is Johnny Wilson on guitar and vocals , Forrest Bartosh on drums and Chris Fogal on bass and background song . 0 +On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar , and Luis Rivera for the Braves for B. J. Surhoff . On July 31 , Molina was traded with B. J. Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera on the Braves . 0 +Dye rode after eight years in Mauritius , Hong Kong . Dye rode in Hong Kong after eight years in Mauritius . 1 +He later married Meyna of Westerburg and became the first Count of Nassau-Beilstein after his father 's death . Later , however , he became Meyna of Westerburg and married the first Count of Nassau-Beilstein after his father ’ s death . 0 +On September 20 , 2011 , Shelley was suspended for the remainder of the pre-season and 5 games of the regular season for boarding Darryl Boyce . On September 20 , 2011 , Shelley was suspended for the remainder of the preseason and 5 regular season games for boarding Darryl Boyce . 1 +God does not like uniformity , he likes the unity in diversity , a unity that does n't exclude , he likes multitude of expressions and forms . God does not like uniformity , he likes unity in diversity , a unity that does not exclude , he likes a multitude of expressions and forms . 1 +The magazine was located in Paris , but was published by Gerald Duckworth and Company in London . The magazine was based in London , but was released by Gerald Duckworth and Company in Paris . 0 +Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . The Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . 1 +A railway station of the same name on the Golitsyno -- Minsk railway line is located in Moscow . In Golitsyno there is a railway station of the same name on the Moscow Railway Minsk . 0 +In Gjøvik in Lillehammer and in the Gjøvik Olympic Cavern Hall in Håkons Hall , ice hockey was played in two venues . Ice hockey was played at two venues , in Gjøvik in Lillehammer and Gjøvik Olympic Cavern Hall in Håkons Hall . 1 +On 29 September 1849 , Queen Victoria travelled by train from Swindon to Gloucester , On 29 September 1849 , Queen Victoria traveled from Gloucester to Swindon by train , 0 +Holt represents the residents of Weakley , Obion , and part of Carroll County . Holt represents the residents of Weakley , Carroll County , and is part of Obion . 0 +The first amber tournament was held in Monaco in 2011 , as were the 20th Amber Tournament . The first Amber Tournament was held in 2011 in Monaco , as was the 20th Amber Tournament . 1 +The Leetonia Exempted Village School District is a public school district serving Leetonia and surrounding Salem Township in northern Columbiana County in the U.S. state of Ohio . The Leetonia Exempted Village school district is a public school district serving Leetonia and the surrounding Salem Township in northern Columbiana County , Ohio , USA . 1 +11 ( BA11 ) is one of the most important military airbases in Portugal , northwest of Beja , north of the Algarve . 11 ( BA11 ) is one of the most important military airbases in Portugal , northwest of Beja , north of Algarve . 1 +Divisional Secretariat is a Divisional Secretariat of the district Gampaha , the western province of Sri Lanka . The Divisional Secretariat Mirigama is a divisional secretariat of the Western Province of Sri Lanka , the Gampaha District . 0 +Civolution has offices in London ( The Netherlands ) , Eindhoven ( UK ) , Rennes ( France ) , New York City , Burbank ( Los Angeles ) . Civolution has offices in Eindhoven ( The Netherlands ) , London ( United Kingdom ) , Rennes ( France ) , New York City , Burbank ( Los Angeles ) . 0 +According to Candice 's eviction , Spencer was again nominated for three consecutive evictions , but each time spared at the expense of Judd , Jessie and Helen . After Candice 's eviction , Spencer would be nominated again for three consecutive evictions , but was spared each time at the expense of Judd , Jessie and Helen . 1 +When it was printed commercially , illustrations were added by J. Augustus Knapp . If it was commercially added , illustrations were printed by J. Augustus Knapp . 0 +"Erythroid - membrane-associated protein is a protein that in humans is responsible for the blood group - Scianna system and is encoded by the "" ERMAP "" gene ." "Erythroid membrane-associated protein is a protein that in humans is responsible for the Scianna blood group system , and is encoded by the "" ERMAP "" gene ." 1 +The freeway was first built in Indiana in the 1960s , although the plans in Michigan date back to the 1950s . The freeway was first built in Indiana in the 1960s , although plans in Michigan date back to the 1950s . 1 +Aimee Semple McPherson hired Brook Hawkins from Winter Construction Company , the architect of the Pasadena Playhouse , the Grauman 's Metropolitan Theatre and the Culver Hotel . Aimee Semple McPherson rented Brook Hawkins from the Winter Construction Company , the architect of the Pasadena Playhouse , the Grauman 's Metropolitan Theatre and the Culver Hotel . 1 +The first air data computer patented in the US was developed by John H. Andresen in February , 1971 . The first air data computer developed in the USA was patented by John H. Andresen in February 1971 . 0 +He completed the military school in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . He graduated from the Military School in Sofia and in 1910 from the Military Academy of the General Staff of Nikolaevsk , St. Petersburg , Russia . 0 +In the final stage of the Promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first round . In the final of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first round . 1 +The city of Phichit was founded by Phraya Kotabongthevaraja in 1058 and was first part of the Sukhothai Kingdom and later of Ayutthaya . The town of Ayutthaya was established in 1058 by Phraya Kotabongthevaraja , and was first part of the Sukhothai Kingdom , and later of Phichit . 0 +Stävlö or Stäflö is a fortress in Kalmar Municipality of Sweden . Stävlö or Stäflö is a castle in Sweden in the municipality of Kalmar . 0 +Thomas Thomas Kane 's first memorable encounter with Elizabeth Wood was at six years old when he was twenty . Elizabeth Wood 's first memorable encounter with Thomas Kane was at six years old when he was twenty . 0 +Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature artist . Clara Louise Bell ( 1886 -- 1978 ) ( known as Clara Louise Janowsky ) was an American miniature painter . 1 +The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Government of Samoa . The Chinese ambassador in Apia is the official representative of the Government in Beijing to the Government of Samoa . 1 +The countries on this list are currently Iran , Syria , Sudan and North Korea . The countries on this list are currently Iran , North Korea , Sudan and Syria . 1 +Since 1977 , LAGOS has created more than two million pieces . Steven Lagos estimates that he has made 10,000 pieces and 400 to 500 new designs each year . Since 1977 LAGOS has created more than two million pieces , and Steven Lagos estimates that every year he has produced 10,000 pieces and 400 to 500 new designs . 1 +HMS manufactures and markets industrial communication products that connect different industrial devices to industrial networks and IoT systems . HMS produces and markets products for industrial communication that connect industrial devices to different industrial networks and IoT systems . 0 +Alexandra Fusai and Nathalie Tauziat won 5 : 7 , 6 : 2 , 6 : 2 against Serena Williams and Venus Williams in the final . Alexandra Fusai and Nathalie Tauziat won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams . 1 +The legend of Hallowdega is a 2010 black comedy Fantasy Mockumentary short film , directed by Aaron Bergeron from a script by Terry Gilliam . The legend of Hallowdega is a 2010 black comedy Fantasy Mockumentary short film , directed by Terry Gilliam of a script by Aaron Bergeron . 0 +Eddie told Peyton that he had rocked , and Peyton was seen later at his concert with Sarah . Sarah told Peyton that he rocked and Peyton was later seen during his concert with Eddie . 0 +In March they returned to Reid 's studio to record their first material with latest member Jason Sanderson . In March , they returned to Reid 's studio to record their first material with Jason Sanderson . 1 +Lazkao is a town and municipality located in the Gipuzkoa region of the province of Goierri , in the Basque Autonomous Community in Northern Spain . Lazkao is a town and municipality in the region of Gipuzkoa in the province of Goierri , in the Autonomous Basque Community of northern Spain . 1 +James D Biggs resigned in May 1994 at the Perth Observatory and began in 2010 . Dr James D Biggs commenced at the Perth Observatory in May 1994 and resigned in 2010 . 0 +"The director , Tanvir Ahmed , describes this film as "" a tale of a religious father , a noble mother and a gangster son in Mumbai City "" ." "The director Tanvir Ahmed describes this film as "" a story of a noble father , a religious mother and a gangster - son of Mumbai City "" ." 0 +"Sicha described it as "" huge , organic and ... seemingly seriously nocturnal "" -- in fact , active around the clock ." "Sicha described it as "" huge , organic and ... seemingly seriously night-active "" -- in fact around the clock ." 1 +Elizabeth Smylie and Patrick McEnroe won 7 - 5 , 6 - 3 against Jana Novotná and Jim Pugh in the final . Jana Novotná and Jim Pugh won against Elizabeth Smylie and Patrick McEnroe in the finals 7 -- 5 , 6 -- 3 . 0 +UACCM is located along Interstate 40 approximately west of Morrilton in the town of Little Rock in Conway County , Arkansas . UACCM is located along Interstate 40 about west of Little Rock in the town of Morrilton in Conway County , Arkansas . 0 +Earl of Selkirk is a title in the Peerage of Scotland , whose descent is subject to unique ( and unusual ) provisions . Earl of Selkirk is a title in the Peerage of Scotland . Its descent is subject to unusual ( and unique ) provisions . 1 +Hindsholm was incorporated into the new Odense county , while most of the former province was merged with Tranekær County and renamed the county of Svendborg . Hindsholm was incorporated into the new Odense County while the bulk of the former province was merged with Tranekær County and renamed to Svendborg County . 1 +Importantly , Stile antico became the musical language of the main statement of Pękiel after his move to Wawel . After his move to Wawel , style antico became the musical language of the main statement of Pękiel . 1 +Aditya is carried onto a tiny island where he helps the magical locals to defeat the giant Jhamunda . Aditya is carried to a magical island where he helps the tiny locals defeat the giant Jhamunda . 0 +"In October 1989 , Langland performed at the same theatre in "" Nuts ( Homage to Freud ) "" ." "In October 1989 , Langland performed in the same theatre 's "" Nuts ( Homage to Freud ) . """ 1 +He is an elected member of the American Mathematical Society , a fellow of the Institute of Mathematical Statistics and the International Statistical Institute . He is an elected member of the International Statistical Institute and is a fellow of the Institute of Mathematical Statistics and the American Mathematical Society . 0 +As a political movement , the national Bolshevism ( Nazbol ) combines elements of radical nationalism ( particularly Russian nationalism ) and Bolshevism . As a political movement , the national Bolshevism ( Nazbol ) connects elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . 0 +The school was founded in Australia and subsequently pioneered in 1903 in Ireland . The school was founded in Ireland and was pioneered in 1903 in Australia . 0 +Vonberg studied at Imperial College then joined the Cavendish Laboratory in 1945 where he worked with Martin Ryle . Vonberg worked at Imperial College and then joined the Cavendish Laboratory in 1945 , where he studied with Martin Ryle . 0 +"Three of these joints are false joints , while two real anatomical ( "" physiological "" ) joints are ." "Three of these joints are false joints while two are true anatomical ( "" physiological "" ) joints ." 1 +He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . He then returned to the Auckland Rugby League competition and also played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . 0 +"Mount Sis is also a plateau which was called in Turkey "" Sis Dağı Yaylası "" ." "Mount Sis is also a plateau which has called "" Sis Dağı Yaylası "" in Turkey ." 1 +Conotalopia mustelina is a species of sea snail , a marine gastropodemollusk in the Trochidae family , the top snails . Conotalopia mustelina is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . 0 +Lars Elinderson , born in 1949 , is a Moderate politician of the Swedish Party . Born in 1949 , Lars Elinderson is a moderate politician of the Swedish party . 1 +The music was composed by MB Sreenivasan and written texts by K Ayyappa Panicker and Kavalam Narayana Panicker . The music was composed by MB Sreenivasan and lyrics was written by K Ayyappa Panicker and Kavalam Narayana Panicker . 1 +The first table gives more information than the second table . The first table gives more information than the second . 1 +"The species was first formally collected by English botanist James Edward Smith in "" Annals of Botany "" in 1805 . The type was described in Port Jackson ." "The species was first formally collected in 1805 by the English botanist James Edward Smith in "" Annals of Botany "" , a species described in Port Jackson ." 1 +In 1749 , Boishebert commissioned Acadian Joseph Godin dit Bellefontaine to lead the acadian militia in the St. John region . In 1749 , Boishebert assigned Acadian Joseph Godin dit Bellefontaine to lead the Acadian militia in the St. John Region . 1 +The PGM 500 and PGM 2000 are guided bombs developed by Alenia Marconi Systems and are now marketed by MBDA . The PGM 500 and PGM 2000 are guided bombs developed by MBDA and now marketed by Alenia Marconi Systems . 0 +Mount Darwin ( alternative : Darwin ) is one of seven districts in the province of Mashonaland Central in Zimbabwe . Mount Darwin ( alternate : Darwin ) is one of seven districts in the Mashonaland Central province of Zimbabwe . 1 +In December 2002 , Facundo and Tamara Vargas with Omar joined the team of the morning radio program “ Ya Párate ” . "In December 2002 , Facundo and Tamara Vargas joined the team of the morning radio show , "" Ya Párate "" , with Omar ." 1 +The area is connected to the internal road network of Nevada Test Site ( NTS ) , with cobbled streets leading west to Mercury and south to Yucca Flat . The area is connected to the internal Nevada Test Site ( NTS ) road network , with paved roads leading south to Mercury and west to Yucca Flat . 0 +Justine then leaves Summer Bay after Aaron refuses to help her . Justine leaves Summer Bay after Aaron refuses to help . 1 +Although the ruins were discovered in 1888 by Samuel Alejandro Lafone Quevedo , they were first examined in 1897 by the archaeologist Juan Bautista Ambrosetti . Although studied in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies such as Vermont and a continuing New England influence in the colony . New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a sustained New England influence in the colony . 0 +It contained Tan Yuling 's bedroom , reading room , family hall , Buddhist chapel and the separate rooms for Empress Wan Rong and the concubine Puyi . It contained Puyi 's bedroom , reading room , family hall , Buddhist chapel and the separate rooms for Empress Wan Rong and the concubine Tan Yuling . 0 +On November 24 , 2012 , Franscoviak married the writer Maggie McGuane , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . On 24 November 2012 , Franscoviak married the writer Charlie Kirn , who live in Livingston , Montana , with their children Maisie and Maggie McGuane . 0 +First , he worked in public relations for the American Jewish Committee in Boston , and until his retirement for the Combined Jewish Philanthropies of New York . He first worked in public relations for the American Jewish Committee in Boston and until his retirement for the combined Jewish philanthropies of New York . 1 +These medium to large butterflies have red wings with black and yellow spots and a dark brown edge . These middle to large butterflies have black and yellow wings with dark brown spots and a red edge . 0 +The 1960 San Diego State Aztecs football team represents San Diego State College football season during the 1960 NCAA College Division . The 1960 San Diego State College football team represents the NCAA College Division , during the 1960 San Diego State Aztecs football season . 0 +The river Latoriţa is a tributary of the River Galbenu in Romania . The River Galbenu is a tributary of the Latoriţa river in Romania . 0 +When leaving the station , instead of turning right to take the shortest route to her home in Flower and Aldgate , she turned left towards Dean Street . When she left the train station , instead of turning right to take the shortest route to her home in Flower and Dean Street , turn left towards Aldgate . 0 +Manuel Santana defeated Dennis Ralston , 6 -- 4 , 11 -- 9 , 6 -- 4 Dennis Ralston defeats Manuel Santana , 6 -- 4 , 11 -- 9 , 6 -- 4 0 +It was a public subscription school and was kept open until 1870 , when the private school building was built . It was a private subscription school and was kept open until 1870 when the public school was built . 0 +Robertson is a railway station in Robertson , New South Wales , on the Unanderra railway line -- Moss Vale . Robertson is a railway station in Robertson , Moss Vale , on the Unanderra -- New South Wales railway line . 0 +The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera , and Michael Roy Jornales . TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales were among the participants . 1 +This main shrine has 59 branch shrines in Saitama Prefecture and 162 branch shrines in Tokyo . This main shrine has 59 branch shrines in Tokyo and 162 shrines in the prefecture of Saitama . 0 +It is located at 142 South Rexford Drive in Beverly Hills . It stands opposite the First Church of Christ , Scientist , Beverly Hills , California . It is located at 142 South Rexford Drive in Beverly Hills . It is opposite the First Church of Christ , scientist , Beverly Hills , California . 1 +When alcohol is found , Ashley suspects that it belongs to Laurel , but Doug finds out that it was Gabby . When alcohol is found , Ashley suspects it belongs to Laurel , but Doug finds out it was Gabby 's . 1 +Germar Scheerer , also known as Germar Rudolf , born on 29 October 1964 , is a German chemist and convicted Holocaust denier . Germar Rudolf , also known as Germar Scheerer , was born on October 29 , 1964 , is a German chemist and a convicted Holocaust denier . 1 +Horace W Webb , a native of Oklahoma , is located just south of Graniola , Missouri in 1910 . Horace W Webb a native of Oklahoma , settled just south of Graniola , Missouri in 1910 . 1 +The Bank of the People was created in 1835 in Toronto by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . The Bank of the People was created by radical Reform politicians John Rolph , James Hervey Price , and Dr James Lesslie in Toronto in 1835 . 1 +It is 21 kilometres north-west of Bururi by road and 12.6 kilometres southeast of Vyanda and south of Muyuga . By road it is located 21 kilometres southeast of Bururi and 12.6 kilometres northwest of Vyanda , and south of Muyuga . 0 +Two miles east of Newton it branches off and travels to the north through Oblong and then to Robinson . He branches two miles north of Newton and travels east through Oblong and then to Robinson . 0 +In 1807 , Goforth asked Drake to take over his medical practice , as he wished to move on to Louisiana . In 1807 , Drake asked Goforth to take over his medical practice as he wanted to move on to Louisiana . 0 +He was known for his spiritual understanding and discipline , regardless of his sorrow . Regardless of spiritual sorrow , he was known for his quick understanding and discipline . 0 +Bokakhat is part of Kaliabor ( Lok Sabha constituency ) . Kaliabor is part of Bokakhat ( constituency of Lok Sabha ) . 0 +Gatewood was released by the Philadelphia Eagles on August 25 , 2009 . He was signed as a final cut on September 5 . Gatewood was signed on August 25 , 2009 by the Philadelphia Eagles and was released on September 5 as Final Cut . 0 +The organization manages the Alvin Fund in cooperation with the Swedish Ornithological Society and the Environmental Protection Agency . The organization manages the Alvin Fund jointly with the Environmental Protection Agency and the Swedish Ornithological Society . 1 +There is little in Schell 's book that is new , but his careful assembly of the available evidence will scare the pants off most readers . There is little in Schell 's book that is available , but his careful assembly of the new evidence will scare most readers . 0 +The Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in Córdoba , 13 in San Luis and 15 in Mendoza . Route 7 is divided into 20 sections in Buenos Aires , 2 in Santa Fe , 5 in San Luis , 13 in Córdoba and 15 in Mendoza . 0 +is situated on the southern coast of the Isle of Wight , England , east of the village of Monks Bay . Monks Bay is situated on the southern coast of the Isle of Wight , England just to the east of the village of Bonchurch . 0 +Palmer made her first appearance as Lucy on 25 August 2014 . On August 25 , 2014 , Palmer had her first appearance as Lucy . 1 +It was claimed that the church was founded by St. Birinus in the 12th century , and parts of the church date from the 7th century . It was claimed that the church was founded in the 7th century by St. Birinus , and parts of the church date from the 12th century . 0 +The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was constructed in 2003 . The school is connected with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . 0 +Another series of hidden concepts used by Mahayana - Buddhists are the four hermeneutical intentions ( abhipraya ) and the four special intentions ( abhisamdhi ) . Another series of hermeneutical concepts used by Mahayana - Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . 0 +The Rockox House is a Belgian private house of the Rockox family and former museum of the KBC Bank in Antwerp , Belgium . The Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank , Antwerp , Belgium . 0 +The stretch between Chiswick 's western border to Syon Lane ( Gillette Corner ) is known as the Golden Mile with some remarkable Art Deco factories . The stretch between Gillette Corner 's western border to Syon Lane ( Chiswick ) is known as the Golden Mile with some notable Art Deco factories . 0 +Ann Henricksson and Julie Richardson won against Lea Antonoplis and Cammy MacGregor at 6 : 3 , 3 : 6 , 7 : 5 in the final . Lea Lea Antonoplis and Cammy MacGregor won in the final with 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson . 0 +In London production , the role of Jerome Pradon was played , and the role was taken over by Robbie Scotcher on June 23 , 2008 . In London production , the role of Robbie Scotcher was played and the role was taken over by Jerome Pradon on 23 June 2008 . 0 +In 1912 she met the painter George Bouche , and they had married in 1915 a son , Edmond , and Charmy and Bouche married in 1935 . In 1912 she met the painter George Bouche , and they had a son , Edmond , in 1915 . Charmy and Bouche married in 1935 . 0 +Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named to his honor . Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named in his honor . 1 +The team kits for the 2005 -- 06 season are produced by Uhlsport and sponsored by Vivatel . The team -- kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . 0 +From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Cancer Foundation , and CEO of Huntsman Family Holdings Company . From 1993 to 2001 , Huntsman worked as an executive for Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . 0 +Former New Directions member Blaine Anderson ( Chris Colfer ) attends the concert , accompanied by his boyfriend Kurt Hummel ( Darren Criss ) . Blaine Anderson ( Chris Colfer ) , a former member of New Directions , attends the concert , accompanied by his friend Kurt Hummel ( Darren Criss ) . 1 +"The progressive teacher Jürgen Reichen ( Swiss education ) founded this "" writing to read "" method 1982 ." "The Swiss teacher Jürgen Reichen ( progressive education ) established this method "" Writing to read "" 1982 ." 0 +Schützen-Eisenberg is a municipality in Burgenland in the Oberwart district of Austria . Deutsch Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . 0 +In yacc , a common hack is to use global variables to simulate some kind of inherited attributes and thus LR-attribution . A global hack is to use common variables in yacc to simulate some kind of inherited attributes and thus LR attribution . 0 +""" Thomas Joseph Mboya was a very good friend and confidante of Eric "" , words of the 3rd Kenyan president , Mwai Kibaki , during Khasakhala 's funeral ." """ Eric was a very good friend and confidante of Thomas Joseph Mboya "" , said 3rd Kenyan President Mwai Kibaki during the funeral of Khasakhala ." 0 +Although Fresnel did not know that light waves are electromagnetic , he managed to construct the world 's first coherent theory of light . Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent light theory in the world . 1 +Sinan ( also romanized as Sīnān ) is a village in Azari County , in the central district of Esfarayen , North Khorasan Province , Iran . Sinan ( also Romanized as Sīnān ) is a village in Azari Rural District , in the Central District of Esfarayen County , North Khorasan Province , Iran . 1 +It was named for Jackfork Mountain in Oklahoma and Pushmataha Counties , Pittsburg . It is named for Jackfork Mountain in Pittsburg and Pushmataha counties , Oklahoma . 0 +A JW - Algebra is a Jordan - Subalgebra of the Jordan - Algebra of Self - Adjoint - operators on a complex Hilbert - space that is completed in the weak operator - topology . A JW algebra is a Jordan subalgebra of the Jordan algebra of self-weak operators on a complex Hilbert space that is closed in the adjoint operator topology . 0 +Almost the whole area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . Almost the entire range is part of the Cibola National Forest area , including the Sandia Mountain Wilderness . 1 +Raúl Varela Luthier is supported by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Xavier Moyano . Xavier Moyano is endorsed by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Raúl Varela Luthier . 0 +"Pidoux appeared as cellist Pablo Casals in "" Jackie "" by Pablo Larraín ." "Pidoux appeared as cellist Pablo Casals in Pablo Larraín 's "" Jackie "" ." 1 +The Nile was the last candidate excluded after the distribution of votes to the 77th Count and was not elected to the Senate . After the distribution of the votes , the 77th candidate was excluded from the last count and was not elected to the Senate . 0 +In 1705 , an armatolos named Zisis Karademos led a Greek uprising against the local Ottoman garrison . An Armatolos named Zisis Karademos introduced a Greek uprising against the Ottoman garrison in 1705 . 1 +"He then fought mechanic "" Garvin gears and then met Baron Brimstone ." "Then he met mechanic "" Gears "" Garvin , and then fought Baron Brimstone ." 0 +""" Billboard "" ranked the song as the 77th Best of 2017 and fifth in the R & amp ; B category ." """ Billboard "" ranked the song as the 77th best of 2017 and the fifth in their R & B category ." 1 +The Atlantic Bronze Age was defined by a number of distinct regional centres of metal production , unified by a regular maritime exchange of some of their products . The Atlantic Bronze Age was unified by a number of regional centers of metal production , defined by a regular sea exchange of some of their products . 0 +Instead , some theorists think , a state similar in culture and preferences to the new hegemon will assume old hegemon status . Instead , some theorists think that a state similar to the new hegemon in culture and preferences will take on old hegemon status . 1 +In 1986 , he joined forces with Erich A. Colhoun to work together on the ANARE expedition , which founded the summer field base of Sir Edgeworth David in the Bunger Hills . In 1986 he joined forces with Erich A. Colhoun to work together on the ANARE expedition that established the Sir Edgeworth David summer field base in the Bunger Hills . 1 +Brian Meehan fled with Traynor ( who later fled to Portugal ) to Amsterdam . Brian Meehan fled with Traynor to Portugal ( who later fled to Amsterdam ) . 0 +Electronic sport for the Asian indoor and martial arts games 2017 was a demonstration sport . Indoor - Sport was a demonstration sport for the Asian Electronic and Martial Arts Games 2017 . 0 +Jammu is the first major South Indian city on the longest train route in India , from Kanyakumari to Thiruvananthapuram . Thiruvananthapuram is the first major South Indian city on the longest train route in India , from Kanyakumari to Jammu . 0 +Guillermo Pérez Roldán defeated Andrés Gómez with 6 : 0 , 7 -- 6 , 3 -- 6 , 0 - 6 , 6 -- 2 . Andrés Gómez defeated Guillermo Pérez Roldán 6 -- 0 , 7 -- 6 , 3 - 6 , 0 - 6 , 6 - 2 0 +86th Airlift Squadron is part of the 309th Airlift Wing on Air Base Chièvres , Belgium . The 309th Airlift Squadron is part of the 86th Airlift Wing at Chièvres Air Base , Belgium . 0 +On Victory Road , they introduced their new manager , Voodoo Queen , Christy Hemme , to embarrass Roxxi Laveaux . At Victory Road , they introduced their new manager , the Voodoo Queen , Christy Hemme , to embarrass Roxxi Laveaux . 1 +In 2012 the championships were held in Italy , in Pouch , Germany in 2013 and in Dunakeszi , Hungary ( Luserna ) in 2014 . In 2012 , the championships were held in Italy , in 2013 in Pouch , Germany , and in 2014 in Dunakeszi , Hungary ( Luserna ) . 1 +He died in Lyon on 23 July 1963 and was buried at the Chartreuse cemetery in Bordeaux . He died in Bordeaux on 23 July 1963 and was buried at the Cemetery de la Chartreuse in Lyons . 0 +"Halperin , Thompson and Archer introduced the song "" I Love You "" from Jay Velie ." "Halperin and Jay Velie introduced the song "" I Love You "" from Thompson and Archer ." 0 +In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was granted the Jarldom of Orkney by King Magnus . In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded by King Magnus the Jarldom of Orkney . 1 +The festival debuted in 2007 and began in Phoenix , Arizona and has been in San Diego , Houston and Zurich since then . The festival was founded in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . 0 +In 1964 , Nikolayevna married Bratus Igor Moskvin . In 1964 , Igor married Moskvin Tamara Nikolayevna Bratus . 0 +In 1967 he became a monk at Stagrimo Gompa , a Drukpa - Kagyu monastery in Padum near Ladakh . In 1967 he became a monk in the Stagrimo Gompa , a Drukpa - Kagyu monastery in Ladakh near Padum . 0 +Both highlighted the continuing influence of the forms of cultural materialism developed by Williams and his successors on literary and cultural studies . Both introduced the continuing influence of the literary and cultural materialism developed by Williams and his successors on cultural studies . 0 +It is found on Quartzite hills in the Wheatbelt region of Western Australia near Moora , where it is often grown with gravel in sandy soils . It is found on quartzite hills in the Moora region of Western Australia near Wheatbelt , where it grows in sandy soils often with gravel . 0 +Similarly , in shared memory each node of a cluster has access to a large distributed shared memory in addition to each node 's limited non-shared private memory . Similarly , each node of a cluster has access to a large distributed shared memory in shared memory , in addition to the limited non-shared private storage of each node . 1 +There are only three regular tessellations : those consisting of equilateral triangles , squares or regular hexagons . There are only three regular tessellations : those made up of equilateral triangles , squares , or regular hexagons . 1 +He fought Mike Donovan in a struggle led by a young 21-year-old Wyatt Earp on 4 July 1868 or 1869 in Cheyenne , Wyoming . He fought Wyatt Earp in a battle led by a young 21-year-old Mike Donovan on 4 July 1868 or 1869 in Cheyenne , Wyoming . 0 +Goolagong Cawley won five finals between 1971 and 1980 , but only reached her first and final finals . Goolagong Cawley reached five finals between 1971 and 1980 but won only her first and last finals . 0 +A molecular vibration occurs when atoms are in a molecule in constant translation and rotation motion , while the molecule as a whole has periodic motion . A molecular vibration occurs when atoms in a molecule are in constant translational and rotational motion while the molecule as a whole has periodic motion . 1 +"Spigner , Daisy , et al . "" Texarkana celebrates 125 years : commemorative book "" . Little River County , TX : Alaska Druck , 1992 ." "7 . Spigner , Daisy , et al . "" Texarkana Celebrates 125 Years : Commemorative Book "" . Little River County , TX : Alaska Printing , 1992 ." 1 +This is the first champion history told by Albert Campion in the only person . This is the first Champion story told in the only person by Albert Campion . 1 +Peoria County is a part of the Metropolitan Statistical Area of Peoria , IL . Peoria is part of the Peoria County , IL Metropolitan Statistical Area . 0 +"The boy , called Davis or Davison , went from Lima to England on board the Archduke Charles "" , and later worked for Berry in New South Wales ." "The boy , called Davis or Davison , went from New South Wales to England on board of the Archduke Charles "" , and later worked for Berry in Lima ." 0 +The water turned the famous Catrine - wheel , which drives the mill . The water turned the famous Catrine Wheel which powered the Mill . 1 +"At "" Shine 8 "" , Valkyrie defeated Amazing Kong , Mia Yim , Christina Von Eerie , and Angelina Love in an eight-woman tag team match ." "At "" Shine 8 "" defeated Valkyrie Amazing Kong , Mia Yim , Christina von Eerie and Angelina Love in an eight-man team - match ." 0 +It breeds in the deciduous mountain forests of northern Kazakhstan , Kyrgyzstan and southeast China . It breeds in the deciduous forests of northern Kazakhstan , Kyrgyzstan , and southeast China . 1 +The unique series follows a popular group of West Virginia craftsmen . The unique series follows a popular group of craftsmen from West Virginia . 1 +The main projects under the consolidated investment programme of IDGC Holding for 2011 are as follows : The main projects under the IDGC Holding consolidated investment program for 2011 are as follows : 1 +Sigmatel was later sold to Freescale Semiconductor . Later on , Freescale Semiconductor was sold to Sigmatel . 0 +The Macintosh was the second Apple computer to be delivered with a graphical user interface , with the Apple Lisa being the first . The Macintosh was the first Apple Computer to ship with a graphical user interface , with the Apple Lisa being the second . 0 +Another piece of music used for the album was not written by Gilmour . Another piece of music for the album was not written by Gilmour . 1 +The result was a victory for Labour candidate Patrick Gordon Walker , who comfortably held the seat by a slightly reduced majority with a slightly increased turnout . The result was a victory for the Labour candidate Patrick Gordon Walker , who held the seat comfortably with a slightly reduced majority on a slightly increased turnout . 1 +It is found in Sindh from north India to Kanara and Madhya Pradesh and from Kangra to Kumaon . It is found in India from northern Kanara to Sindh and Madhya Pradesh and from to Kangra to Kumaon . 0 +They had five children besides Quintin : Lucy , Phillip , Juan , Patrick and Willie . They had five children alongside Quintin : Lucy , Phillip , Juan , Patrick and Willie . 1 +The high ground became Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from Los Angeles , California to St. Augustine , Florida . The high ground was Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from Los Angeles , California to St. Augustine , Florida . 1 +The Sheffield Manor Lodge visitor attraction includes the Turret house , Tudor grounds , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The Discovery Centre visitor attraction includes Turret House , Tudor Grounds , Sheffield Manor Lodge , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 0 +The magazine is abstracted and indexed by Academic Solutions by EMBASE , Expanded Serial , Google Scholar and Summon . The journal is abstracted and indexed by EMBASE , Expanded Academic , Google Scholar and Summon of Serial Solutions . 0 +Ephraim Fletcher came to Gaines from New York in 1836 and settled on Van Vleet Road ( section 16 ) . In 1836 , Ephraim Fletcher came to Gaines from New York and settled in Van Vleet Road ( Section 16 ) . 1 +However , before he could go to Louisiana and his new headquarters , he died in an epidemic of yellow fever that swept through southeast Texas . However , before he could leave for Louisiana and his new headquarters , he died in an epidemic of yellow fever that swept through southeast Texas . 1 +""" The Brute Man "" was the seventh episode of the second season that was broadcast on 10 February 1996 in Comedy Central ." """ The Brute Man "" was the second episode of the seventh season that was broadcast on February 10 , 1996 at Comedy Central ." 0 +Jones lives with his wife Cheryl , his son Nathan , and his three daughters , Ella , Coral , and Holly in London . Jones lives with his wife Cheryl , his son Nathan , and the three daughters Holly , Coral and Ella in London . 1 +In fact , it was not Vanuatu , but a present-day island in Australia . In fact , it was not Vanuatu but an island in Australia present-day . 1 +Kürbitz is a former municipality in the district of Vogtlandkreis in Saxony in Germany located near Plauen . Kürbitz is a former municipality located in the district of Vogtlandkreis in Saxony , near Plauen , Germany . 0 +It borders with the federal hikes of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . It borders on the federal ridings of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . 1 +On April 2 , 2011 Jenkins married Ivy Vujic . On 2 April 2011 , Jenkins married Ivy Vujic . 1 +In July of 1659 , Sir Richard was a supporter of Sir George Booth in the abortive pro - Royalist Cheshire and Lancashire Rising . In July 1659 , Sir George Booth was a supporter of Sir Richard in the abortive pro-Royalist Cheshire and Lancashire Rising . 0 +Somerville had joined the British Army regiment of the Royal Scots Greys in December 1831 . In December 1831 , Somerville joined the Royal Scots Greys regiment of the British Army . 0 +Kalithozhan is a Indian Malayalam film staged by M. Krishnan Nair and produced by AV Subbarao . Kalithozhan is an Indian Malayalam film from 1966 , produced by M. Krishnan Nair and directed by AV Subbarao . 0 +He was born in Bukan , Iran , but arrived in 1997 to Kristiansand , Norway . He was born in Bukan , Iran , but came to Kristiansand , Norway in 1997 . 1 +After her father 's death , Allie sails from Australia alone to England . After her father 's death , Allie sails alone from England to Australia . 0 +He received official Mongol recognition as the ruler of Burma in March 1298 . In March 1298 , he received Mongolian official recognition as the ruler of Burma . 1 +"During 1942 , "" Whitehall "" was "" adopted "" by the civil community of Cheltenham , Gloucestershire , in a Warship Week national savings campaign ." "In 1942 , "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national savings campaign of the warship - week "" ." 1 +In February 2016 , it was announced that John Kasich Governor Ohio ’ s Kasich joined National Co Chairman and California State Chairman for Steve Poizner as President . In February 2016 it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich for President . 0 +Robert Wilson was born on June 24 , 1766 in Newcastle , George Wilson , a shipbuilder , and Mary Finlay . George Wilson was born on June 24 , 1766 in Newcastle , Robert Wilson , a shipbuilder and Mary Finlay . 0 +In 1944 he accompanied the American geologist De Golyer to Persia when Everette Lee DeGolyer assessed the reserves of the Middle East . He accompanied the American geologist De Golyer to Persia in 1944 when Everette Lee DeGolyer was assessing the reserves of the Middle East . 1 +In Kenya , there are large occupying communities , such as Kibera in Nairobi . There are large squatter communities in Nairobi , such as Kibera in Kenya . 0 +Robson Glacier is a glacier , about long , which flows north from the Gonville and Caius Range along the east side of Red Ridge . Robson Glacier is a glacier , long north , which flows from Gonville and Caius Range along the eastern side of the Red Ridge . 0 +Felix researched in Bielsko , Vienna , Prague and London and worked in Jerusalem from 1927 to 1945 for the Hadassah Medical Organization . He researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization from 1927 to 1945 in London . 0 +In 1920 , he represented Italy at the Oceanographic Congress in Madrid , and in 1924 represented the geographical society at the International Geographical Congress in Cairo . In 1920 , he represented Italy at the Oceanographic Congress in Cairo , and in 1924 represented the geographical society at the International Geographical Congress in Madrid . 0 +Jones was based in New York until he moved to Los Angeles in 1997 . Jones was resident in New York until he moved to Los Angeles in 1997 . 1 +Methoni is a village and a former municipality in the regional unit of Pieria , Greece . Methoni is a village and a former municipality in Pieria regional unit , Greece . 1 +The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Lakes Entrance , along Princes Highway north of Melbourne . The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Melbourne , along the Princes Highway , north of Lakes Entrance . 0 +In total , the Celtic Association was able to organise three Pan - Celtic congresses : Dublin ( 1901 ) , Caernarfon ( 1904 ) and Edinburgh ( 1907 ) . In total , the Celtic Association was able to organise three Pan-Celtic Congresses : Dublin ( 1901 ) , Caernarfon ( 1904 ) and Edinburgh ( 1907 ) . 1 +Oberst Acker died on 6 September 1879 in Kalamazoo , Michigan , and is buried in Union City in the state of Michigan , USA . Oberst Acker died in Union City on 6 September 1879 and is buried in Kalamazoo , Michigan , in the State of Michigan . 0 +Parmele was released by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was signed by the team . Parmele was released from the Cleveland Browns on August 3 , 2015 , and was signed by the team on 31 August 2015 . 1 +Suffolk county cricket teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket Club in 1864 . Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket - Club 1864 . 0 +In 2009 , Wizard canceled the Texas event and postponed the Los Angeles convention . In 2009 , Wizard canceled the event in Los Angeles and postponed the Texas Convention . 0 +Griese was temporarily injured in the season , however , and later relieved of Grossman . However , Grossman was later injured in the season and temporarily relieved of Griese . 0 +Powell refused to accept the fact and obviously believes that there is gold in his still worthless mine . Powell refused to accept the fact and still believes that gold is in his obviously worthless mine . 0 +He quickly enlisted in the U.S. Navy and served from 1942 -- 1943 . He served quickly in the U.S. Navy and joined from 1942-1943 . 0 +Goodlatte , a pilot and air force veteran who made a primary challenge of State Delegate Chris Head in 2015 , called for Harry Griego for the Republican nomination . Harry Griego , a pilot and Air Force veteran who made a 2015 primary challenge of State Delegate Chris Head , challenged Goodlatte for the Republican nomination . 0 +He remained in Japan for three years before moving with his family back to Germany . He stayed in Germany for three years before moving back with his family to Japan . 0 +"The Sunday Times recently said of The Chemistry Set "" The rare scientists Psychedelic English Toytown Acid - Pop songs achieve exquisite combinations of muscle and melody "" ." "The Sunday Times recently said of The Chemistry Set "" The rare scientists Psychedelic English Toytown Acid-Pop songs achieve exquisite combinations of muscle and melody "" ." 1 +"Atari also improved the basic design with the "" 1040ST "" ( later written "" STF "" ) in 1986 ." "Atari also upgraded the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." 1 +Cooper arrives at the station with Bradley ( Robert Knepper ) and Rodney Mitchum ( Jim Belushi ) . Together with Bradley ( Robert Knepper ) and Rodney Mitchum ( Jim Belushi ) Cooper arrives at the railway station . 1 +He also illustrated numerous children 's books and won five times the Levstik - Prize for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . He also won numerous children 's books and illustrated five times the Levstik Award for his illustrations , in 1958 , 1962 , 1967 , 1974 and 1975 . 0 +Stanislaw Dombrowski ( born August 7 , 1894 in Kishinev , near Orhei , Bessarabia ) was a painter born László Dombrovszky . László Dombrovszky ( born 7 August 1894 in Orhei , near Kishinev , Bessarabia ( Eastern Moldova ) ) was a painter born as Stanislaw Dombrowski . 0 +The Standards Committee also had two appointed Independent Members co-opted to the Police Authority . The police authority had also appointed two coopted independent members to the standards committee . 0 +The R335 is a Regional Route in Somerset East that connects Port Elizabeth from the south to South Africa to the north via Addo . The R335 is a regional route in South Africa that links Port Elizabeth to the south via Addo to the north with Somerset East . 0 +The Mixed 10 metre air rifle prone SH2 event at the 2008 Summer Paralympics took place on September 9 at the Beijing Shooting Range Hall . The mixed 10 meters - air rifle susceptible SH2 - event at the summer - Paralympics 2008 took place on 9 September at the Beijing Shooting Range Hall . 1 +He is a former member of Uzeb ( with Michel Cusson on the guitar and Paul Brochu on the drums ) , who was active from 1976 to 1992 . He is a former member of Uzeb ( with Paul Brochu on guitar and Michel Cusson on drums ) that was active from 1976 to 1992 . 0 +Alexandre Sidorenko defeated Nick Lindahl ( 6 -- 3 , 7 -- 6 ) in the final . In the final , Nick Lindahl defeated Alexandre Sidorenko ( 6 - 3 , 7 - 6 ) . 0 +Of California . His father had been a blacksmith and an inventor , and had worked with iron rope in Scotland . His father had been a blacksmith and inventor and had worked with an iron rope in California . 0 +The Model United Nations club participates in academic discussions and intellectual forums throughout the Boston area , and has won several chapter awards The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapters - awards . 1 +The building on the north side of the field previously followed by Emivest Aerospace Corp . Owned and operated by Sino Swearingen Aircraft Corp. Is now owned by Acer Tech . The building on the north side of the field , previously owned by Sino Swearingen Aircraft Corp. , followed by the Emivest Aerospace Corp. , is now owned and operated by Acer Tech . 0 +On the first day both bands recorded music , and the second day was dedicated to vocals and mixing . On the first day both bands recorded music , and the second day was dedicated to singing and mixing . 1 +The texts were later written by Taupin and John composed the music first . The lyrics were later written by Taupin and John first composed the music . 1 +Gelechia hetaeria is a moth of the Gelechiidae family . It is found in Veracruz ( Mexico ) . Gelechia hetaeria is a moth from the family of gelechiidae , which is found in Mexico ( Veracruz ) . 1 +""" Holocaust "" , created in Lincoln Park in November 1984 , was dedicated by sculptor George Segal ." """ Holocaust , "" created in November 1984 in Lincoln Park , was dedicated by the sculptor George Segal ." 1 +A total lunar eclipse took place on April 13 , 1968 , the first of two total eclipses in 1968 , the second being on October 6 . A total lunar eclipse took place on 13 April 1968 , the first of two total darknesses in 1968 , and the second on October 6 . 1 +He moved of health reasons to Santa Barbara in 1871 where he first settled in Southern California . He moved to Southern California for health reasons in 1871 , where he first settled in Santa Barbara . 0 +"Franz Josef Land , Archangelsk Oblast , Russia ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in the Hall - Island ." "Hall Island ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in Franz Josef Land , Arkhangelsk Oblast , Russia ." 0 +Nahr Ibrahim is a municipality located in Jbeil district of Mount Lebanon Governorate , Lebanon . Nahr Ibrahim is a municipality in the Jbeil District of Mount Lebanon Governorate , Lebanon . 1 +The university has awarded 36 team national championships , which includes 7 football national championships ( football championships are not claimed by the NCAA ) . The university has awarded 36 national championships , including 7 national football championships ( football championships are not claimed by the NCAA ) . 1 +The Red Sox finally won the ALDS , but lost to the tigers in the American League Championship Series . The Tigers eventually won the ALDS , but the Red Sox was lost in the American League Championship Series . 0 +Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . Eoacmaea calamus is a species of sea snail , a real limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of naval limpets . 1 +The standards were approved by the California Energy Commission on 5 November 2003 and adopted on 21 July 2004 by the Building Standards Commission . The 2005 Standards were adopted by the California Energy Commission on November 5 , 2003 , and approved by the Building Standards Commission on July 21 , 2004 . 0 +He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy from 2001 to 2006 for six years in a row . Living in Italy for ten years , he won The Bardolino classic race in Turin , Italy for six years in a row , from 2001 to 2006 . 0 +Some recombinant colonies , for a number of reasons , can not contain the desired white plasmid . Some recombinant colonies may not contain the desired white plasmid for a number of reasons . 1 +The Final FESPIC Games had 18 venues for the games . 9 in Kuala Lumpur , 7 in Selangor and 1 each in Putrajaya and Negeri Sembilan respectively . The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and each 1 in Putrajaya and Negeri Sembilan . 1 +The Queen 's exchange is a play by Richard Brome , a tragicomedy written by Caroline . The Queen 's Exchange is a Caroline era stage play , a tragicomedy written by Richard Brome . 0 +For this match , Dusty Rhodes was bound by a rope to Paul Jones in Valiant 's corner . For this match Paul Jones in Valiant 's corner was tied by a rope to Dusty Rhodes . 0 +They were the parents of the agricultural educator Frederick William True and zoologist Alfred Charles True . They were the parents of agricultural educationist Frederick William True and zoologist Alfred Charles True . 1 +On July 31 , 2015 , Moore was released by the Chicago Bears . On September 5 , 2015 , he was signed by the Bears . On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on 5 September 2015 . 1 +The ZIP Code is 93546 , mail to Lake Mary should be addressed Mammoth Lakes . The postal code is 93546 , mail should be addressed to Mammoth Lakes Lake Mary . 0 +He lost against Joey DeJohn , but Vinnie Rossano stopped in five rounds . He lost to Vinnie Rossano but stopped Joey DeJohn in five rounds . 0 +Human taxonomy is the classification of the human species ( systematic name Homo sapiens ) within zoological taxonomy . Human taxonomy is the classification of the human species ( zoological name Homo sapiens ) within the systematic taxonomy . 0 +Danijel Šarić ( born 27 July 1977 ) is a Bosnian Serb handball goalkeeper of Qatari origin for Al Quiada and the Qatari national team . Danijel Šarić ( born July 27 , 1977 ) is a handball goalkeeper of Bosnian - Serbian origin for Al Quiada and the Qatari national team . 0 +He studied in Damascus until high school , and graduated from the American University in Cyprus with a major in Political Science . He studied in Damascus until high school and graduated from the American University in Cyprus with a major subject in political sciences . 1 +Sakidaira Station is an unattended station with a single side platform and a small wooden station building . Sakidaira Station is an unattended station with a small lateral wooden platform and a single station building . 0 +In Korea , the fried-style fried rice is a separate genre of Korean rice that differs from Korean Chinese-style fried rice dishes . In Korea , Korean Chinese-style fried rice is a separate genre of fried rice that differs from the Korean fried rice . 0 +In 1964 , Nikolayevna married Bratus Igor Moskvin . Igor Moskvin married Tamara Nikolayevna Bratus in 1964 . 0 +In the 1990s , Schwartz worked in the adult film industry in smaller , non-sexual roles and in numerous administrative roles behind the scenes . In the 1990s , Schwartz worked in the adult film industry in numerous administrative roles , and behind the scenes in minor , non-sexual roles . 0 +""" The day when the violence died "" is the seventh episode of "" The Simpsons "" eighteenth season ." """ The day when the violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." 0 +Nationalist parties , however , together with other liberal groups , said that they would boycott the elections in July . Other liberal parties , however , along with nationalist groups , said that they would boycott the July elections . 0 +Bharri is a village in the northeastern Bihar district of Katihar . Bharri is a village situated in the northeastern Bihar district of Katihar . 1 +96 % of people spoke only English at home ; the next most common languages were 1.5 % Samoan , 1 % Vietnamese . 96 % of people only spoke English at home , the second most common languages were 1.5 % Samoan , 1 % Vietnamese . 1 +It borders on the federal ridings of Edmonton Centre , Edmonton Griesbach , Sherwood Park -- Fort Saskatchewan , Edmonton Mill Woods , and Edmonton Riverbend . It borders with the federal hikes of Fort Saskatchewan , Edmonton Griesbach , Edmonton Centre -- Sherwood Park , Edmonton Mill Woods and Edmonton Riverbend . 1 +Andrée Island is an island lying in Recess Cove , Danco Coast , off the north coast of Eurydice Peninsula , Charlotte Bay on the Antarctic Peninsula . Andrée Island is an island in Recess Cove , Charlotte Bay , off the north coast of the Eurydike Peninsula , Danco Coast on the Antarctic Peninsula . 0 +1969 , US Armed Forces PFC Steven Hohensee won the 10th Army championship . In 1969 , US forces won the 10th Army Championship PFC Steven Hohensee . 1 +defeated Margaret Smith , 6 -- 4 , 7 -- 5 . Margaret Smith defeated Maria Bueno , 6 -- 4 , 7 -- 5 0 +The Izvorul River is a tributary of the Jiu River in Romania . The Jiu River is a tributary of the River Izvorul in Romania . 0 +Cowles married Elizabeth Waller in 1900 , and their daughter Harriet was born in 1912 . In 1900 , Elizabeth Waller married Cowles , and her daughter Harriet was born in 1912 . 1 +Most of the Japanese troops are killed in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . Most Japanese troops are captured in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is killed . 0 +The unique art & style of this idol is structural and it is in perfect proportion . The unique art and style of this idol is structural and is in perfect proportion to it . 1 +The Trust also manages other sites on behalf of corporate bodies on the Wrexham Industrial Estate The Trust also manages corporate sites on behalf of other organizations on Wrexham Industrial Estate 0 +Robert Edward Turner 's son , Ted Turner , inherited the company when the elder Turner died in 1963 . The son of Robert Edward Turner , Ted Turner , inherited the company when the elder Turner died in 1963 . 1 +It was described by Herbert Druce in 1895 , and is known from Mexico ( including Cuernavaca , Morelos , the type location ) . It was described by Herbert Druce in 1895 and is known from Morelos ( including Cuernavaca , Mexico , type location ) . 0 +The album was released on May 2 , 2006 under Vinnie Paul 's own label Big Vin Records , posthumously after Dimebag 's assassination in December 2004 . The album was released on May 2 , 2006 , under Dimebag 's o 0 +The 357th Airlift Squadron is part of the 908th Airlift Wing at Maxwell Air Force Base , Alabama . The 357th Airlift Squadron is a part of the 908th Airlift Wing at the Maxwell Air Force Base , Alabama . 1 +A snug ( or antihelix piercing ) is a piercing passing through the anti-helix of the ear from the medial to lateral surfaces . A snug ( or antihelix - piercing ) is a piercing that passes through the anti-helix of the ear from the medial to the lateral surfaces . 1 +"A series of "" Cul de Sac "" animated shorts , produced by RingTales , is hosted by Babelgum ." "A series of "" Cul de Sac "" animated shorts , hosted by RingTales , are produced by Babelgum ." 0 +Billy Hewes defeated Reeves on 2 August 2011 . On 2 August 2011 , Reeves defeated Billy Hewes . 0 +""" Oliver Twist , "" published in 1838 , was one of Dickens 's better known stories , and became the first Victorian novel with a child protagonist ." """ Oliver Twist "" , released in 1838 , was one of Dickens ' better known stories and became the first Victorian novel with a child protagonist ." 1 +The album was released on April 30 , as a limited edition , untitled album with hand drawn covers , and signed by Buckethead himself to be announced on May 31 . The album was released on April 30 as a limited , untitled album with hand drawn covers and signed by Buckethead himself to be announced on May 31 . 1 +After receiving his doctorate , Betzig was hired by Semiconductor Physics Research Department in the AT & T Bell Laboratories in 1989 . After his doctorate in 1989 , Betzig was hired by AT ’ T Bell Laboratories in the semiconductor physics department . 0 +This species is distributed in the Gulf of Mexico and the Caribbean , along Brazil in the Atlantic . This species is spread in the Gulf of Mexico and the Atlantic , along Brazil in the Caribbean Sea . 0 +"Aguiari described it as "" a Zen action up in the middle of traffic , but alone with a beautiful statue ." "Aguiari described it as "" a beautiful action in the midst of traffic alone , but up there with a Zen - statue "" ." 0 +Wesley Enoch , the oldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of Queensland - Minister Leeanne Enoch . Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of Prime Minister Leeanne Enoch in Queensland . 0 +This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in Iraq - war . This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in Iraq - war . 0 +Actress Manuela do Monte portrays Carol in the 2013 Brazilian version of the series . The actress Carol do Monte portrays Manuela in the Brazilian version of the 2013 series . 0 +"Tom Morrow returned as Alan Dale , a character who left "" NCIS "" in the third season 's episode "" Kill Ari ( Part I ) "" ." "Alan Dale returned as Tom Morrow , a character who left "" NCIS "" in the third season of the episode "" Kill Ari ( Part I ) "" ." 0 +The second board revision is true JAMMA and also has a switch to select between JAMMA output as well as MVS output , which has stereo sound . The second board revision is real JAMMA and also has a switch to select between JAMMA output as well as MVS output , which has stereo sound . 1 +In the American series , Michael Evans Benjamin was double . In the American series , Benjamin was Michael Evans 's double . 0 +In 2010 she won the 10th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 12th Yi Yuksa Poetry Award . In 2010 she won the 12th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 10th Yi Yuksa Poetry Award . 0 +Essentially , there are four types of databases : curated databases , integrative databases , literature databases and predictive databases . There are essentially four types of databases : curated databases , integrative databases , literary databases and predictive databases . 1 +In bioinformatics , short indexes are very important in the sequence assembly of inverted fragments of sequenced DNA . In bioinformatics , short indices in the sequence assembly of inverted fragments of sequenced DNA are very important . 1 +DRM playback is not possible via Memory Stick , as Magic Gate is not possible and Windows Media DRM is currently not available on Memory Sticks . DRM playback is not possible via Memory Stick as Magic Gate is not possible and Windows Media DRM is not currently available on Memory Sticks . 1 +At the 2011 census , 86.4 % of inhabitants were Romanians , 5.9 % Roma , 5.2 % Hungarians and 0.7 % Germans . In the 2011 census , 86.4 % of inhabitants were Roma , 5.9 % Hungarians , 5.2 % Romanians and 0.7 % Germans . 0 +Former station North East was located north of Seymour at the junction of the Mangalore and Shepparton lines . Former North East station was located north of Seymour at the crossroads of the Mangalore and Shepparton lines . 1 +"He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Ian Ross who took over from Chris Bath ." "He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Chris Bath , who took over Ian Ross ." 0 +"The "" Standard "" was the leading newspaper in Montana , financed by Marcus Daly , and built by campaigning editor John Hurst Durston ." """ Standard "" was the leading newspaper in Montana , built by Marcus Daly and financed by the campaigns - Editor John Hurst Durston ." 0 +Alice Comyn , his niece and heiress , married Henry Beaumont , a French nobleman in the English service . His niece and heir , Henry Henry Beaumont , married Alice Comyn , a French aristocrat in the English service . 0 +It is found in Sindh from north India to Kanara and Madhya Pradesh and from Kangra to Kumaon . It is found in Sindh from northern India to Kanara and Madhya Pradesh and from to Kangra to Kumaon . 1 +In 2014 Lucas announced he and Winger divorced . In 2014 , Winger announced that he and Lucas divorced . 0 +In 2012 , Solanco School District received homestead residents approved $ 79 . In 2012 , approved Solanco School District Homestead residents received $ 79 . 0 +He was born in Cedar Rapids , Iowa , and died in Fairfax , Iowa . Was born Terry in Fairfax , Iowa , and died in Cedar Rapids , Iowa . 0 +The highest plasma concentrations are reached after two hours when taking them with fatty food , and the area under the curve is increased by 40 % . When reached with fatty food , highest plasma concentrations are taken after two hours , and the area under the curve is increased by 40 % . 0 +The section from Interstate 5 to Fifth Street in Canyonville overlaps OR 99 . From Interstate 5 to Fifth Street in Canyonville , the section overlaps OR 99 . 1 +It is located on the N83 road at the junction with national roads R328 and R360 . It is located on the N83 regional road at its junction with the R328 and R360 national secondary roads . 1 +Local farmers preferred to market products in Liverpool and avoid the mud of lower Salina . Local farmers preferred to market products in Salina and prevent the mud of the lower Liverpool . 0 +Nilai is part of the constituency of Seremban of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook from the Democratic Action Party . Nilai is part of the Seremban constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 1 +"In 1916 , Lily Hardy Hammond wrote , "" You do n't pay love forward ; you pay it back . """ "In 1916 , Lily wrote Hardy Hammond , "" You pay not forward love ; you pay it back ." 0 +There is a small weekly street market on Saturdays , around where the covered daily market is . On Saturdays there is a small weekly street market around which the covered daily market is situated . 1 +John Geza Ashton was born on 30 November , 1957 in Whips Cross Hospital , Forest Gate , Leicestershire , and lived in North Kilworth in south London . Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in Leicestershire , and lived in North Kilworth , South London . 1 +The following table lists all the games played by the Brazil national football team in friendly competitions , and official matches during 1986 . The following table lists all the matches played by the Brazilian national football team in official competitions and friendly games in 1986 . 0 +The new negative is tested and printed again . The new negative is printed and tested again . 0 +The District Cabinet is led by Anne Marit Mevassvik and has four members , from the Conservative Party , the Labour Party and the Christian Democratic Party . The county cabinet is led by Anne Marit Mevassvik and has four members , from the Conservative Party , the Labour Party and the Christian Democratic Party . 1 +His three sisters included Helen C. Bulkeley , who married Roland Redmond , Mary Caroline Bulkeley ( b . His three sisters included Mary Caroline Bulkeley , who married Roland Redmond , Helen C. Bulkeley . 0 +"At 10 : 59 AM the last naval element of the 2nd Marine Battalion left the zone and the last helicopter landed at 12 : 15 on the USS "" Okinawa "" ." "At 10 : 59 AM the last element of the 2nd Battalion 4th Marines left the zone and the last naval helicopter landed at 12 : 15 on the USS "" Okinawa "" ." 0 +It often uses explicit personal pronouns in literary language , but these are generally omitted in colloquial Estonian . It often uses explicit personal pronouns in the literary language , but these are generally omitted in colloquial Estonian . 1 +It was published in the United Kingdom on 31 August 2004 and in the United States on 17 October 2005 . It was released on August 31 , 2004 in the United States and October 17 , 2005 in the United Kingdom . 0 +The Bartibog River ( also written Bartibogue ) is a tributary of the Miramichi River in New Brunswick , Canada . The Bartibog River ( also spelled Bartibogue ) is a tributary of the Miramichi River in New Brunswick , Canada . 1 +The Pennsylvania Route 363 begins at the Lansdale 63 on the western edge of PA and leads southwest on Valley Forge Road . Pennsylvania Route 363 begins at PA 63 on the western edge of Lansdale and heads southwest on Valley Forge Road . 0 +The helicopter pilot Bill Strothman and photographer Gary Pfitzner were both killed in the crash . Helicopter pilot Bill Strothman and photographer Gary Pfitzner were both killed in the crash . 1 +The concept of ( visual ) subjective direction is very old . This concept of the ( subjective ) visual direction is very old . 1 +The majority of Afghan patients come from the poorer sections of society who have access to free medical treatment in the Pakistani government or philanthropic healthcare facilities . The majority of Afghan patients are from the poorer strata of society who have access to free medical treatment in Pakistani government or philanthropic healthcare facilities . 1 +"To underscore this view , it is customary to say that the operations are "" evaluated "" or "" rather than "" executed "" ." "To underscore this view , it is customary to say that the operations are "" evaluated "" or "" applied "" , rather than "" executed "" ." 1 +This second iteration of the WiFI module reduced the size by 60 % and increased processing speed by 300 % . This 2nd iteration of WiFI Module reduced the size by 60 % and increased the processing speed by 300 % . 1 +On October 19 , Shire PLC ( SHPG ) replaced Linear Technology ( LLTC ) in the index . On October 19 , Linear Technology ( SHPG ) replaced the Shire PLC ( LLTC ) index . 0 +Its members include Andrew Large and the Faccenda Group , whose CEO Bernard Matthews has been since 2013 and was previously CEO of the Cleaning and Support Services Association . Members include Bernard Matthews and the Faccenda Group . The CEO has been Andrew Large since 2013 , previously CEO of the Cleaning and Support Services Association . 0 +"In March 2009 Marco Pierre White , whom Claudia Winkleman has described as "" naturally funny "" , was confirmed as the new host ." "In March 2009 , Marco Pierre White , whom Claudia Winkleman described as "" naturally funny "" , was confirmed as a new host ." 1 +Lucy made her first appearance as Palmer on 25 August 2014 . Lucy made her first appearance as a palmer on 25 August 2014 . 1 +Other R & D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . Others involved in the development of Bon Air -- officials were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . 1 +Shops in Matiari , Oderolal station , Tajpur , Allah Dino Saand and Shahpur Chakar remained closed out of respect . Shops in Matiari , station Oderolal , Tajpur , Allah Dino Saand and Shahpur Chakar remained closed out of respect . 1 +The Argentine government remained neutral until the last days of war , but quietly tolerated the entry of Nazi leaders fleeing from Germany , Belgium , and Vichy , France in 1945 . The Argentine government remained neutral until the last days of the war but quietly tolerated entry of Nazi leaders fleeing Vichy France , Belgium and Germany in 1945 . 1 +The father of Ted and Steve was Tom Tom . The father of Ted and Tom was Steve . 0 +Stefan Mross presented an episode in August 2010 , while Axel Bulthaupt was absent for personal reasons . In 2010 , Axel Bulthaupt presented an episode in August while Stefan Mross was absent for private reasons . 0 +Lake Sammamish enters Issaquah Creek in the park . Issaquah Creek enters the Sammamish lake in the park . 0 +The track was acquired in 1997 450 and was renumbered the following year by the Punchbowl Bus Company . The route was renumbered in 1997 in 450 and the following year it was acquired by the Punchbowl Bus Company . 0 +In Havana , another series between Cincinnati Reds and Boston Red Sox was played . Another series was played in Havana between the Cincinnati Reds and the Boston Red Sox . 1 +The Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and headquarters of IBM . Ibirapuera Park is located within this subprefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . 0 +Meanwhile , the young Elsie Stoneman idolizes a picture of Ben Cameron . Meanwhile , the young Ben Cameron idolizes a picture of Elsie Stoneman . 0 +Traditionally Drumgoon have always worn a yellow jersey , shorts and socks with a blue trimm . Traditionally Drumgoon have always worn a yellow jersey , shorts and socks with a blue trim . 1 +The words were written by the previous Mayor Edward Robeson Taylor , and dedicated by Mayor James Rolph . The words were written by former mayor James Rolph and dedicated by Mayor Edward Robeson Taylor . 0 +If a lower number is required , the changes are calculated to improve the score . If a lower number is required , changes are calculated to improve the score . 1 +Peter Peter has also appeared as Brian Packham in Coronation Street , Brian Packham also appeared as Peter in Coronation Street . 0 +The most preferred method of treatment at that time was the active medication . The most active treatment at that time was the preferred medication . 0 +The company is one of the oldest still active German companies , founded in 1880 by the Brazilian brothers Bruno and Hermann Hering . The company is one of the oldest Brazilian companies still in operation , founded in 1880 by the German brothers Bruno and Hermann Hering . 0 +Eoacmaea calamus is a species of sea snail , a true limpet , a naval gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . 0 +None of the Polish-Russian treaties concerning Kiev has ever been ratified . None of the Polish-Russian treaties concerning Kiev have ever been ratified . 1 +"In hieroglyphic Arabic , Egyptian writing is called "" the alphabet of the birds "" ." "In hieroglyphic - Arabic is the Egyptian script "" called the alphabet of birds "" ." 1 +Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on September 11 , 1866 and got 8 children . Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on September 11 , 1866 and got 8 children . 1 +Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . Deutsch Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . 1 +Songs that were used for the film but not written include : Songs written for the film but not used include : 0 +"Three of these joints are genuine anatomical joints , while two physiological ( "" false "" ) joints are ." "Three of these joints are true anatomical joints while two are physiological ( "" false "" ) joints ." 1 +"The United Kingdom version of "" Sale of the Century "" , produced by Anglia Television , was hosted by Nicholas Parsons ." "The British version of "" Sale of the Century "" , hosted by Anglia Television , was produced by Nicholas Parsons ." 0 +Havana Township was originally called the Lafayette Township and was founded in 1857 under the latter name . Lafayette Township was originally called Havana Township , and under the latter name was organized in 1857 . 0 +"In TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by the Turkish actress Şah Sultan ." "In the television series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." 0 +Khandwa was known as East Nimar until recently . Until recently , Khandwa was known as East – Nimar . 1 +In January 2006 , Juliette and her husband Douglas Blaikie opened the doors of the Urban Dance Centre . Douglas Blaikie and her husband Juliette opened the doors to Urban Dance Centre in January 2006 . 0 +He left Maynooth after ordination for the Diocese of Clonfert in 1895 and was appointed as a Roman Catholic priest to Loughrea , County Galway between 1896 and 1904 . He left Maynooth after consecrating the Diocese of Clonfert in 1895 and was appointed Roman - Catholic priest between 1896 and 1904 to Loughrea , County Galway . 1 +""" Baie St. Paul "" has a gross tonnage of 24,430 tons and a deadweight tonnage of 37,690 tons according to the Miramar Ship Index ." "According to the Miramar Ship Index "" Baie St. Paul © has a capacity of 24,430 tons and a gross tonnage of 37,690 tons ." 0 +Mouhoun is one of the 45 provinces of Burkina Faso and is in Boucle du Mouhoun Region . The capital of Mouhoun is Dédougou . Mouhoun is one of 45 provinces of the Boucle du Mouhoun region , located in Burkina Faso , the capital of Mouhoun is Dédougou . 0 +Needs are also developed according to the existential categories of being , having , doing and interacting , and from these dimensions , a 36 cell matrix is defined Needs are also defined by the existential categories of being , having , doing and interacting , and from these dimensions a 36 - cell matrix is developed . 0 +Their skin also secretes chemicals that are unpleasant , and sometimes poisonous , to predators . Their skin also secretes chemicals that are poisonous and sometimes harmful to predators . 0 +These are the same or similar protocol specifications that cover the open space as AMQP : These are the known open protocol specifications that cover the same or similar areas as AMQP : 0 +The University of the Free State is a multi campus public university in Bloemfontein , the capital of the Free State and the judicial capital of South Africa . The Free State University is a multi-campus - public university in Bloemfontein , the capital of the Free State and the capital of the judiciary of South Africa . 1 +Refers to the action of the body when turning figures : turning the opposite hip and shoulder in the direction of the moving foot . Refers to the movement of the body in moving figures : turning the opposite hip and shoulder in the direction of the foot turning . 0 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs of free energy ( Α G ) to the number of non-hydrogen atoms in the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of non-hydrogen energy from gibbs ( Î G ) to the number of free atoms in the connection . 0 +Productions of the show require small set and a minimal cast of 6 actors , as well as a solo violinist who is present on stage throughout the performance . Productions of the show require minimal set and a small cast of 6 actors , as well as a solo violinist who is present on stage throughout the show . 1 +Chloe Wang was born in Chicago , Illinois , Chloe Bennet , the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internal . Chloe Bennet was born in Chicago , Illinois , Chloe Wang and is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an intern . 0 +The pterostigmata of the white males are almost immature . The pterostigmata of immature males are almost white . 0 +He was also a former deputy director ( commercial ) of Sri Lanka Rupavahini Corporation , former director of Sinhala Sri Lanka Broadcasting Corporation . He was also former Deputy Director General ( Commercial ) of Sri Lanka Rupavahini Corporation , former Director of Sinhala Service Sri Lanka Broadcasting Corporation . 1 +Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of the two public secondary schools operated by the Twin Falls School District . Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of two traditional high schools operated by the Twin Falls School District . 0 +The aircraft was located on a domestic flight from Goma to Ndjili via Kisangani . The aircraft was situated on a domestic flight from Goma to Kisangani via Ndjili . 0 +After Vijayabahu was raised to the throne as the king Vijayabahu VII , he married another princess of Kirawelle . Once Vijayabahu VII was raised to the throne as King Vijayabahu , he married another princess of Kirawelle . 0 +Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo on the day of Colleen 's wedding . Stefano told Shawn that his mother was not dead and his father was still married and on the day of Colleen and Santo 's wedding , Shawn told Colleen . 0 +More than 5 species of rhizophoraceae grow in Australasia with particularly high biodiversity on the island of New Guinea and in northern Australia . More than 5 species of Rhizophoraceae grow in Australasia with particularly high biodiversity on the island of New Guinea and northern Australia . 1 +Ruth Roman , Suzan Ball and Linda Christian were among the boarders . Among the boarders were Ruth Roman , Suzan Ball and Linda Christian . 1 +She married Antonio Bourque and first lived in Moncton before returning to Villa Providence in Shediac . She married Antonio Bourque , and first lived in Shediac before retiring to Villa Providence in Moncton . 0 +"Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are rural and 91 are urban :" "Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , 4 of which are rural and 91 urban :" 1 +"The team , founded in 1906 , took the first American "" double "" when in 1912 the National Association Football League and the American Cup won ." "Founded in 1906 , the team took the first American "" double "" when it won the 1912 National Association Football League and American Cup titles ." 1 +The Special Emergency Response Team ( SERT ) is the police - tactical group of Queensland Police , Australia . Special Emergency Response Team ( SERT ) is the Police Tactical Group of the Queensland Police , Australia . 1 +In 1901 , Emma Goldman Winn met in Chicago and found in her a lasting ally . In 1901 , Winn met Emma Goldman in Chicago and found in her a permanent ally . 0 +The 1975 -- 76 National Basketball Association season was the 30th season of the NBA . The NBA season of 1975 -- 76 was the 30th season of the National Basketball Association . 1 +Seaborne landings were first proposed by Emmet Dalton and then adopted by Michael Collins . Seaborne landings were the first proposed by Michael Collins and then adopted by Emmet Dalton . 0 +Teater Populer , who was a member of Rahardjo , gave his film debut as Amallo , Karya later remembered that his acting was stiff in the film . Rahardjo , who was a member of Teater Populer , made his film debut as Amallo ; Karya later recalled that his acting in the film was stiff . 0 +In Danbury there are no regional or national franchises , just small shops like the Danbury General Store and local restaurants . There are no regional or national franchises in Danbury , only local shops like the Danbury General Store , and small restaurants . 0 +And later Roque Lopez installs as president of the provisional government in Iloilo town in Santa Barbara . And later , Roque Lopez installed himself as president of the provisional government in Santa Barbara town in Iloilo . 0 +Two weeks before the invasion , the corps was pulled out of the Third Army and placed in Omar Bradley 's First Army . Two weeks before the invasion , the corps was pulled from the First Army and placed in the Third Army of Omar Bradley . 0 +Klyne met Barbara Clayton in 1947 , when they were both employed at the Medical Research Council and married in 1949 . Klyne married Barbara Clayton in 1947 , while both were employed at the Medical Research Council ; they met in 1949 . 0 +Linkuwa Pokhari is a village and Village Development Committee in Sagarmatha Zone in the Khotang District of eastern Nepal . Linkuwa Pokhari is a village and village development committee in the district of Khotang in the Sagarmatha area in eastern Nepal . 1 +He was sent to Rangoon , Burma ( today Yangon , Myanmar ) and taught in Thailand for further study . He was sent to Yangon , Myanmar ( now Thailand ) , for further study and then taught in Rangoon , Burma . 0 +"In an article by Richard Prum in the "" Houston Chronicle "" of December 18 , 2005 , Dina Cappiello 's position was presented as follows :" "An article by Dina Cappiello in the "" Houston Chronicle "" , published on December 18 , 2005 , stated Richard Prum 's position as follows :" 0 +Traces of Gallo-municipal habitat were found on the Roman territory . On the Roman territory traces of gallo-municipal habitat were found . 1 +The 8 Talukas in this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . The 8 talukas of this district are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +Horner changed his mind when Cameron introduced him to the song . Cameron changed his mind when Horner presented him with the song . 0 +The goalkeeper in the game were Henrik Lundqvist for the New York Rangers and Andrei Mezin for Metallurg Magnitogorsk . The goalkeepers in the game were Andrei Mezin for the New York Rangers and Henrik Lundqvist for Metallurg Magnitogorsk . 0 +Newly released CSS3 and JavaScript - Frameworks allowed new design patterns like the box - model accompanied by grids and flex , followed by translations , transformations and animations . Newly released CSS3 and JavaScript frameworks allowed new design patterns such as , the box model accompanied by grids and flex , followed by translations , transformations , and animations . 1 +Mohsin Zaidi lived in Lucknow for almost four decades before settling down after his retirement in Delhi . Mohsin Zaidi lived in Lucknow for nearly four decades before settling down in Delhi after retirement . 1 +Stefan Mross presented an episode in August 2010 , while Axel Bulthaupt was absent for personal reasons . In 2010 , Stefan Mross presented an episode in August while Axel Bulthaupt was absent for private reasons . 1 +Inside , there are historical buildings , including an old church bell from 1801 and colonial paintings and photographs . Inside there are colonial objects , including an old church bell of 1801 and historical paintings and photographs . 0 +Nikolaus Moser and Cedrik-Marcel Stebe won against Henri Continen and Christopher Rungkat in the final 7 -- 6 , 3 -- 6 , 10 - 8 . Henri Kontinen and Christopher Rungkat and Cedrik-Marcel Stebe won in the final 7 -- 6 , 3 -- 6 , 10 -- 8 , against Nikolaus Moser . 0 +George Harrison considered Mukunda and the others who first came to England to be his lifelong friends . Mukunda looked at George Harrison and the others who came to England first to be his lifelong friends . 0 +In the 1970s , a new professional studio facility , new equipment ( 1974 ) and the entrance of Diego León Rábago as a director were created in 1970 . The 1970s saw a new professional studio facility in 1970 , new equipment ( in 1974 ) and the entrance of Diego León Rábago as director . 1 +Higher is the fourth album and the fifth studio album of Ezio , released in 2000 . Higher is the fourth album and the fifth studio album , by Ezio , released in 2000 . 1 +The center of Eldersburg is at the intersection of Maryland Route 26 ( Liberty Road ) and Maryland Route 32 ( Sykesville Road ) . The centre of Eldersburg is located at the intersection of Maryland Route 26 ( Liberty Road ) and Maryland Route 32 ( Sykesville Road ) . 1 +Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in the House of Representatives of Texas since January 2013 . Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives since January 2013 . 0 +Miguel Ángel Virasoro ( ; born 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . Miguel Ángel Virasoro ( born Argentina in 1940 ) is an Argentine physicist who has done most of his work in Italy . 1 +For these reasons , local Slovenian dishes have permeated the Italian cuisine . For these reasons local Slovenian dishes have penetrated the Italian cuisine . 1 +Peremyshliany Raion is a raion in Ukraine in western Lviv Oblast . Raion Peremyshliany is a raion in western Lviv in the Ukraine . 1 +Agassiz founded a school for girls from Cambridge in her home in Boston in 1856 . In 1856 , Agassiz founded a school for girls from Boston in her home in Cambridge . 0 +In addition to the German teaching programme , the official Mexican language was taught only as a foreign language . In addition to the official Mexican teaching program , the German language has been taught only as a foreign language . 0 +The game was launched on 16 May when the Steam Greenlight campaign was announced . The game was launched on 16 May when Steam Greenlight campaign was announced . 1 +The second wife , who was mentioned in the novel only by name , was a fictional daughter of Cao Bao . Cao Bao 's second wife , called in the novel only by name , was a fictional daughter of Lü Bu . 0 +Face of Evil is a 1996 TV movie with Jeanelle Polk as Shawnee Smith , Perry King as Russell Polk and Darcy Palmer as his daughter Tracey Gold . Face of Evil is a 1996 TV movie starring Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as his daughter Jeanelle Polk . 0 +The Cooke and Wheatstone telegraph was an early electrical telegraph system , dating from the 1830s , invented by English inventor Charles Wheatstone and English scientist William Fothergill Cooke . The Cooke and Wheatstone Telegraph was an early electric telegraph system dating from the 1830s , invented by the English inventor Charles Wheatstone and the English scientist William Fothergill Cooke . 1 +In a relatively simple form , a microcapsule is a uniform sphere with a small wall around it . In a relatively simple form , a microcapsule is a small bullet with a uniform wall around it . 0 +Besta Madang Fighters is a Papua New Guinea football club , based in Madang . Besta Madang Fighters is a football club from Papua - New Guinea , based in Madang . 1 +Administratively , this bay belongs to the Russian Federation of the Chukotka Autonomous Okrug . Administratively , this bay belongs to the Russian Federation of the Chukotka Autonomous County . 1 +She was born on December 18 , 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . She was born in Hebron , Connecticut on December 18 , 1814 but later settled in Litchfield , Ohio . 1 +The series was also produced with some success in Italy , where new stories were published even after the closing of the series in France . The series was also published with some success in France , where new stories were produced even after the end of the series in Italy . 0 +Sjoukje Dijkstra was the father of Dijkstra , a figure skater who won a gold medal in the 1964 Winter Olympics . Dijkstra was the father of Sjoukje Dijkstra , a figure skater who won a gold medal at the Winter Olympics in 1964 . 0 +In South Carolina the law only applies to minors under 16 , and in Delaware to minors under 17 . In South Carolina , the law applies only to minors under 16 and in Delaware to minors under 17 years of age . 1 +In August 2017 , Glassman announced an exploratory campaign for the race of the Republican Party in 2018 as a member of the Arizona Corporation Commission . In August 2017 , Glassman announced an exploratory campaign for the 2018 Republican Party race as a member of the Arizona Corporation Commission . 1 +The district Viñac is one of thirty-three districts of the province of Yauyos in the Peruvian region Lima . District Viñac is one of thirty-three districts in the Lima region in the province of Yauyos in Peru . 0 +Allied armies invaded France in early 1814 , Paris fell , and in April Napoleon surrendered . In early 1814 , Allied armies invaded France , Paris fell , and Napoleon capitulated in April . 1 +In the 1982 elections , Abdul Rauf Ansari of Congress defeated his nearest rival Abul Hasan of CPIM . In the 1982 election , Abdul Rauf Ansari of CPIM defeated his nearest rival Abul Hasan of Congress . 0 +"As of September 2015 , Goodyear is again president of the "" Goodyear Capital Corporation "" and the "" Goodyear Investment Company "" ." "As of September 2015 , Goodyear is again the president of "" Goodyear Investment Company "" and "" Goodyear Capital Corporation "" ." 1 +The major changes brought about by the Transport Act were themselves the subject of major organisational changes in the period after 1983 . The major organisational changes brought about by the Transport Act were themselves subject to major changes in the period after 1983 . 0 +The ship visited Okinawa during the second week in September and then spent the rest of the month at Guam in the Marianas . The ship visited Guam during the second September week and spent the rest of the month in Okinawa in the Marianas . 0 +Hifikepunye Pohamba was replaced by Nujoma in 2005 as President of Namibia . Nujoma was succeeded as President of Namibia by Hifikepunye Pohamba in 2005 . 0 +The last album was recorded with bassist Arturo Garcia and drummer Nina Souto . """ Sketch "" was the last album recorded with bassist Nina Souto and drummer Arturo Garcia ." 0 +Early industries were built in Lycoming County to serve the farmers and citizens of East - Hughesville . Early industries in Lycoming County were built to serve the farmers and citizens of eastern Hughesville . 1 +"In other words , "" remember death "" or "" remember that you will die "" ." "In other words , "" die "" or "" remember that you will remember "" ." 0 +It was taken to Australia , where today is widespread in Queensland , the Northern Territory and New South Wales . It was transported to Australia , where today in Queensland , the Northern Territory and New South Wales is widespread . 1 +Indianapolis Hoosiers was the name of three Major League and at least three smaller league baseball clubs in Indianapolis . Indianapolis Hoosiers was the name of three minor league and at least three major league baseball clubs based in Indianapolis . 0 +LaRoche was recalled on September 1 , after being degraded to Triple-A Las Vegas . LaRoche was dismantled on 1 September after being recalled to Triple-A Las Vegas . 0 +She approaches Lance Smart ( Martin Dibble ) , Peter Vroom ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they form a band called Image . She approaches Lance Smart ( Martin Dibble ) , Peter Vroom ( Craig Thomson ) and Marilyn Chambers ( Emily Symons ) and they form a band named Image . 1 +These were promised by the Council within six months , but implemented in September 2006 . These were implemented by the Council within six months , but were promised in September 2006 . 0 +"In 1830 , James handed over the management of "" Advertiser to John ." "In 1830 , John turned over management of the "" Advertiser "" to James ." 0 +Publius Minucius Augurinus was a Roman statesman who served as a consul with Titus Geganius Macerinus in 492 BCE . Publius Minucius Augurinus was a Roman statesman who served as Consul in 492 BC with Titus Geganius Macerinus . 1 +The Nile was the last candidate excluded after the distribution of votes to the 77th Count and was not elected to the Senate . Nile was the last candidate excluded after the distribution of votes on the 77th count , and was not elected to the Senate . 1 +The heavy rainfall caused severe flooding : in Donalsonville 250 houses and 50 shops suffered water damage , while another 35 were damaged in the nearby Miller County . Heavy rainfall caused severe flooding : in Miller County , 250 homes and 50 shops suffered water damage , while another 35 were damaged in the nearby Donalsonville . 0 +The lowest temperature ever recorded in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was on 13 January 2012 . The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on January 13 , 2012 . 0 +It is found in North America , where it has been recorded from Washington to California and west to Texas and Nevada . It is found in North America , where it has been accepted from Washington to California and the West to Texas and Nevada . 1 +In 1934 he was co-founder of the Badminton World Federation ( now International Badminton Federation ) , of which he was president from 1934 to 1955 . In 1934 , he was co-founder of the Badminton World Federation ( now International Badminton Federation ) , whose president he was from 1934 to 1955 . 1 +Other Lightbank - Investments include Mediaocean , InnerWorkings , Tempus , Loyalty Startup Belly , BenchPrep test preparation service , Qwiki , ClusterFlunk and HighGround . Other BenchPrep investments include Mediaocean , InnerWorkings , Tempus , loyalty startup Belly , test preparation service Lightbank , Qwiki , ClusterFlunk and HighGround . 0 +Asarpay spoke of the Apurimac shrine , understood as an oracle of the personified river . Asarpay spoke for the Apurimac shrine , understood as an oracle of the personified river . 1 +Kristoffer had eight known children together with Karen : Together with Karen , Kristoffer had eight children . 1 +The third season was premiered on June 7 , 2010 . Like the fourth season the system of the competition was in mixed couples . The third season was premiered on 7 June 2010 and as the fourth season was the system of competition in mixed couples . 1 +Surrounding suburbs are ( from the north to the south ) : Balgownie , Mount Pleasant , Mount Ousley , Keiraville , West Wollongong , Figtree and Mount Kembla . Surrounding suburbs are ( from north to south ) : Balgownie , Mount Pleasant ; Mount Ousley ; Keiraville ; West Wollongong ; Figtree and Mount Kembla . 1 +He is the first son of the Argentine coach Emiliano Garré , the brother of the Argentine footballer Oscar Garré and uncle of Benjamin Garré . He is the first son of the Argentine coach Oscar Garré , the brother of Argentine footballer Emiliano Garré and uncle Benjamin Garré . 0 +Under Portuguese rule , this province was renamed Moçambique , but with independence the name Mozambique was named for its capital throughout the country and province . Under Portuguese rule this province was named Moçambique but with independence , the name Mozambique was used for the entire country and the province renamed for its capital . 0 +The PBA season 1990 was the 16th PBA ( Philippine Basketball Association ) season . The PBA season of 1990 was the 16th season of the Philippine Basketball Association ( PBA ) . 1 +The 1978 Daytona 500 , the second running of the event , was the 20th race of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the 20th race of the event , was the second race of NASCAR Winston Cup season 1978 . 0 +Unfortunately , Tam has the ability to analyze and expertly manipulate people and situations . Unfortunately , Tam has the ability to manipulate people and situations , and analyze them expertly . 0 +A second company , New York Rubber Company was founded as the Winslow Life Raft Company in 1941 . A second company , Winslow Life Raft Company , was founded in 1941 as a New York Rubber Company . 0 +According to the dictionary of the National Biography of 1885 , Ralph Acton is assigned to the first half of the fourteenth century by Leland and his supporters . According to the dictionary of the National Biography of 1885 , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his supporters . 0 +Forty rare plant communities containing at least 1,342 species and 54 different plants have been identified in the gorge . Forty rare plant communities were identified in the gorge , containing at least 1,342 species and 54 different plants . 1 +The Gloucester magazine worked within its first season , but Leicester 's Shedhead is still strong . The Leicester magazine folded within its first season but Gloucester 's Shedhead is still going strong . 0 +"His works were declared by the cultural nomenklatura of the Soviet Union as "" non-political and immoral "" ." "His works were declared "" apolitical and immoral "" by the cultural nomenklatura of the Soviet Union ." 1 +Lorenzo Giuntini married Susannah Louisa Barnett on 11 September 1866 in Frome , Somerset and had 8 children . Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on September 11 , 1866 and got 8 children . 1 +In December 1883 , for two years , he moved to Fresno and then to Los Angeles . In December 1883 , he moved to Los Angeles and then Fresno for two years . 0 +A smaller Sedgwick Avenue continues to Yonkers , to the north of Van Cortlandt Park and east of Saw Mill River Parkway . A smaller Van Cortlandt Park continues to Yonkers , to the north of Sedgwick Avenue and east of Saw Mill River Parkway . 0 +On June 30 , 2016 , Infante agreed to a minor league deal with the Braves . He was released by the Atlanta Braves on August 16 , 2016 . On 30 June 2016 , Infante agreed to a Minor League Deal with the Braves and was released by the Atlanta Braves on August 16 , 2016 . 1 +The agency was founded in Milwaukee in 1976 and entered Chicago in 1998 and New York in 2009 . The agency was founded in 1976 in Chicago , and it entered the New York market in 1998 and Milwaukee in 2009 . 0 +"The hyperbolic case is similar , with the area of a disk of the hyperbolic radius "" R "" at the constant level ( intrinsic curvature formula 83 ) given by" "The hyperbolic case is similar , with the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic plane given by" 0 +Agriphila straminella is a species of moth of the family Crambidae . It was found by Michael Denis and Ignaz Schiffermüller in 1775 , and is described in Europe . Agriphila straminella is a species of the Crambidae family which was found in 1775 by Michael Denis and Ignaz Schiffermüller and described in Europe . 1 +The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Nick Winston and choreographed by Ed Curtis . The show was premiered at the Theatre Royal in Newcastle on March 27 , 2012 , directed by Ed Curtis and choreographed by Nick Winston . 0 +QuasarDB has a built-in query language , which is an optimized dialect of SQL for time series . QuasarDB is a built-in query language which has a dialect of SQL optimized for time series . 0 +Scott and Short then traveled overland to the Kentucky River to investigate the land they would later claim . Scott and Short then traveled overland to the Kentucky River to claim the land they would later examine . 0 +Although the Maryland Department of Transportation is headquartered in Anne Arundel County , three of its subordinate organizations have headquarters located in Baltimore . Although the Maryland Department of Transportation is located in Baltimore , three of its subordinate organizations have their headquarters in Anne Arundel County . 0 +The segment from Kaduna to Abuja ( 187 km ) was officially opened after many delays on 26 July 2016 . The segment from Abuja to Kaduna ( 187 km ) was officially opened after many delays on 26 July 2016 . 0 +This research in cultural astronomy includes the disciplines of archaeoastronomy , ethnoastronomy , historical astronomy , geomythology and indigenous knowledge . This research in cultural astronomy covers the disciplines of archaeoastronomy , ethnoastronomy , historical astronomy , geomythology , and Indigenous knowledge . 1 +The Magistrate of Penghu is the chief executive officer of the Penghu County government . The magistrate of Penghu is the chief executive of the government of Penghu County . 1 +In the original IBM - PC , an NMI was detected when a parity error in the system memory was reported or triggered by an external device . An NMI was triggered in the original IBM - PC when a parity error was detected in the system memory or reported by an external device . 0 +In the 2015 Sunrisers Hyderabad , Ashish Reddy was retained by the Indian Premier League and took Darren Sammy 's wicket in the match against RCB . During the Indian Premier League in 2015 , Ashish Reddy was retained by Sunrisers Hyderabad and took Darren Sammy Wicket in the match against RCB . 0 +The instruments of Embergher are remarkable , not only are the richness and abundance of tone unsurpassed , but also the intonation is perfect . The instruments of Embergher are unique , not only are the richness and abundance of tone remarkable , but also the intonation is perfect . 0 +Games that feature are either regularly used , occasionally retired , or were used after a while . Games that use this feature are either regularly used , occasionally used , or retired after a while . 0 +Jack Evans won his second title in cruiser weight by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . Jack Evans won his second Cruiserweight Title by winning 5-man ladder match against Sugi San , Teddy Hart , Rocky Romero and Tiger . 1 +The third group mostly contains soft ions of post-transition metals . The third group contains mostly post-transition ions ion of soft metals . 0 +It passes through Narsapur ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Gudivada to Pamarru on NH 65 . It walks through Gudivada ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Narsapur to Pamarru on NH 65 . 0 +In 1996 , the Veterans Committee selected Ned Hanlon from the 19th century and Bill Foster from the Negro leagues , as well as Jim Bunning and Earl Weaver . In 1996 , the Veterans Committee of Ned Hanlon from the 19th century and Bill Foster from the Negro Ligen , as well as Jim Bunning and Earl Weaver , chose . 1 +Since then , there have been few significant changes , with frequent changes in the design of the Railcard most recognizable . Since then , there have been few significant changes , with remarkable changes in the design of the Railcard the most . 0 +When he can not produce the diamonds , Herschel is shot and killed by Walsh . When he can not produce the diamonds , Herschel is shot by Walsh . 1 +The San Miguel Beermen are a professional basketball team in the PBA ( Philippine Basketball Association ) . The San Miguel Beermen is a professional basketball team in the Philippine Basketball Association ( PBA ) . 1 +If a certain Feynman chart is generally given in Formula 15 by an integral formula 16 , it is represented at finite temperature by the sum formula 17 . Generally speaking , if at formula _ 15 , a certain Feynman diagram is represented by an integral formula _ 16 , at finite temperature it is given by the sum formula _ 17 . 0 +Both tournaments know , despite the clear separation between the two confederations , a tradition to invite countries outside the region . Both tournaments , despite the clear distinction between the two confederations , have a tradition to invite countries outside the region . 0 +The Indore district consists of 4 divisions : Depalpur , Sanwer , Indore and Mhow . District Mhow consists of four divisions : Depalpur , Sanwer , Indore and Indore . 0 +""" Melaleuca similis "" comes in the Ravensthorpe district in the biogeographic regions Esperance Plains and Mallee and grows in sand along drainage lines ." """ Melaleuca similis "" occurs in the Esperance Plains district in the Ravensthorpe and Mallee biogeographic regions . It grows in sand along drainage lines ." 0 +Tetraazidomethane is a colorless , highly explosive liquid . Its chemical structure consists of a carbon atom substituted with four azide functional groups . Tetraazidomethane is a colorless , highly functional liquid whose chemical structure consists of a carbon atom substituted with four Azid explosive groups . 0 +The Dutch example followed Germany , France , and Great Britain . Germany , France , Great Britain followed the Dutch example . 1 +The Chaityas are irregular in their orientation , probably indicating different construction times on the hill . The chaityas are irregular in their orientation probably indicating different periods of construction on the hill . 1 +The 187 km long segment from Kaduna to Abuja was the first one to be built . The 187 km segment from Kaduna to Abuja was the first to be built . 1 +László Dombrovszky ( born 7 August 1894 in Orhei , near Kishinev , Bessarabia ( Eastern Moldova ) ) was a painter born as Stanislaw Dombrowski . László Dombrovszky ( born August 7 , 1894 in Orhei , near Kishinev , Bessarabia ) was a painter born Stanislaw Dombrowski . 1 +McCreary is the brother of Bill McCreary Sr. , uncle of Bill McCreary Jr. and Bob Attwell , and the brother of Ron Attwell . McCreary is the brother of Bill McCreary Sr. , the uncle of Bill McCreary Jr. and Bob Attwell , and the brother-in-law of Ron Attwell . 0 +Initially Anusree signed into play the lead pair and later Mamta replaced Jayaram and Mamta Mohandas . Initially , Anusree took the lead - pair into play , and later Mamta Jayaram and Mamta Mohandas replaced it . 0 +Selangor or Jalan Kelab ( Jalan Kampung Kuantan state route B77 ) is a major road in Selangor , Malaysia . Selangor or Jalan Kelab ( state of Jalan Kampung Kuantan Route B77 ) is a main road in Selangor , Malaysia . 1 +Some windows on the first floor at the southern end of the western wall are modern replacements . Some first floor windows at the southern end of the western wall are modern replacements . 1 +Valesca asked him to curse himself when he began to bring the animals under control . Valesca asked him to curse himself when he began to control the animals . 1 +"The first game has a modification , it is a more advanced HUD than the original "" Doom II "" ." "The first game is a modification for "" . It features a more advanced HUD than the original "" Doom II "" ." 0 +When a complex number is expressed in polar form as When a complex number is expressed in its polar form as 1 +The Flushing Line was opened on April 21 , 1917 from Queensboro Plaza to 103rd Street -- Corona Plaza with a local station on 40 Street . The Flushing Line was opened on 21 April 1917 from 40th Street to Queensboro Plaza -- Corona Plaza , with a local station on 103rd Street . 0 +He has a Norwegian mother and a Portuguese father and spent a part of his childhood in Lisbon . He has a Norwegian mother and a Portuguese father , and spent part of his childhood in Lisbon . 1 +Regressive assimilations are caused only by semantic factors , while substitutions take phonological information into account . Regressive assimilations are only conditioned by phonological factors while substitutions take into account semantic information . 0 +Marian ( 1510 ? - 1558 ? ) was an English Protestant writer and Bartholomew Traheron exile . Bartholomew Traheron ( 1510 ? -- 1558 ? ) was an English Protestant writer and Marian exile . 0 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( 683 ) and Scrivener ( 868 ) . The manuscript was added by Scrivener ( 683 ) and Gregory ( 868 ) to the list of manuscripts of the New Testament . 0 +The other states with severe but less restrictive restrictions are Finland , Poland , Iceland , Monaco and the United Kingdom . The other states with severe , but less existent restrictions are Finland , Poland , Iceland , Monaco and the United Kingdom . 1 +Originally called Ridge Road became this Trail Columbia Road . Originally called Ridge Road this trail became Columbia Road . 0 +The current Chief Executive is Nick Hawkins , who replaces Rob Powell in October 2017 . The current Chief Executive is Nick Hawkins , who replaced Rob Powell in October 2017 . 1 +The seventh series was won by the Shadow Theatre Toupe attraction , with Comedian Jack Carroll in second place and opera duo Richard Adam in third place . The seventh series was won by shadow theatre troupe Attraction , with comedian Jack Carroll finishing in second place and opera duo Richard & Adam in third place . 1 +A cover version by Phil Harding and Ian Curnow appeared in 1989 , produced by Sinitta . In 1989 , a cover version of Sinitta , produced by Phil Harding and Ian Curnow , appeared . 0 +Official Sinn Féin also built up fraternal relations with the USSR and with socialist , workers ' and communist parties around the world . Sinn Féin also established fraternal relations with the USSR and with socialist , workers , and communist parties around the world . 1 +CIE OBE ( 1872 -- June 17 , 1949 ) was a British mechanical engineer and civil engineer . CIE OBE ( 1872 -- June 17 , 1949 ) was a mechanical engineer and British civil engineer . 0 +Elliot Richardson defeated Edward Brooke in the Republican Primary . Edward Brooke defeated Elliot Richardson in the Primary Republican Association . 0 +2008 champion Deron Williams , 2005 champion Steve Nash and rookie Brandon Jennings also competed . Brandon Jennings Champion 2008 , Champion Deron Williams 2005 and Rookie Steve Nash also participated . 0 +"The first ever "" Power stage "" , a live televised 4.16 km short stage at the end of the rally , was held near the village of Gustavsfors ." "The first "" Power Stage "" , a short live 4.16 km long stage at the end of the rally , was held near the village of Gustavsfors ." 0 +The nearest airport is the airport Devi Aahilya Bai Holkar in Indore , the nearest station is Ujjain . The nearest airport is Devi Aahilya Bai Holkar Airport , Indore . The nearest railway station is Ujjain . 1 +Be prepared to become online with the hottest downloads on air , downunder and mobile mobbed ! Be prepared to get Mobbed on air , online and on mobile with the hottest downloads downunder ! 0 +His troops , however , were enough to prevent a Serbian invasion , and he introduced the Serbian delegation that negotiated with the Bulgarian king , Stefan Decanski . However his troops were enough to prevent a Serbian invasion and he led the Serbian delegation which negotiated with the Bulgarian King Stefan Decanski . 1 +In 1816 , Thomas Worthington married Sarah Worthington , second daughter of the Governor King . In 1816 , King married Sarah Worthington , second daughter of Governor Thomas Worthington . 0 +In return , Grimoald gave him his daughter to marriage and granted him the duchy of Spoleto after the death of Atto . In return , Grimoald granted him his daughter in marriage and gave him the duchy of Spoleto after the death of Atto . 1 +After moving to Turkey as a political refugee in 1988 , he began writing novels about the leftist uprising in Norway . After moving to Norway in 1988 , as a political refugee , he began writing novels about the leftist revolt in Turkey . 0 +The 2012 Eurocup Final Four was the concluding stage of the 2011 -- 12 Eurocup season , the 10th season of the second-tier basketball league in Europe . The Eurocup Final Four 2012 was the final stage of the Eurocup season 2011 -- 12 , the 10th season of the second best basketball league in Europe . 1 +Heike Brandt was born in Berlin and grew up in Jever . Heike Brandt is born in Jever and grew up in Berlin . 0 +The Court Barn was built in the early 20th century as a tithe barn for Glastonbury Abbey , restored in the 15th century . The Court Barn was built in the 15th century as a Tithe barn for Glastonbury Abbey , and was restored in the early 20th century . 0 +When the membrane potential reaches approximately − 60 mV , the K channels open and Na channels close and the prepotential phase begins again . When the membrane potential reaches approximately – 60 mV , the K channels close and the Na channels open and the prepotential phase begins again . 0 +In 1977 he was re-elected and elected in April 1978 to the newly created Court of Appeals District 1 . He was elected in 1977 and was re-elected in April 1978 to the newly created Court of Appeal 1 . 0 +Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint session to explain the nominations and compare the result . Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint session to compare the nominations and explain the result . 0 +Auaxa cesadaria is a moth of the Geometridae family and is found in Japan , China and Taiwan . Auaxa cesadaria is a moth of the Geometridae family that is found in Taiwan , China and Japan . 1 +This North American series of eastern hours was broadcast from 22 May to 10 July 1966 on Sundays at 3 : 00 p.m. ( half time ) . This North American Eastern-hour series was broadcast on Sundays at 3 : 00 p.m. ( half time ) from 22 May to 10 July 1966 . 1 +Neyman had betrayed the Shield Corporation by telling Connor the truth about the ozone layer 's status . Neyman betrayed Shield Corporation by telling Connor the truth about the status of the ozone layer . 1 +Initially , Owens was unimpressed , but Rich liked it , and they took it up on February 12 , 1963 with the Buckaroos . Initially , Rich Rich was unimpressed , but Owens liked it , and they adopted it on February 12 , 1963 , with the Buckaroos . 0 +His second wife was Anna Williams , his first wife 's sister . His first wife was Anna Williams , the sister of his second wife . 0 +You Marry Lord Sultan and Annachie Leave "You must marry Lord Sultan and leave Annachie """ 0 +In 2010 he won the 2nd place in the 17th Ukrainian Team Chess Championship with the Rivne Forest Bisons team . "In 2010 he won 17th place in 2nd Ukrainian Team Chess Championship with team "" Rivne Forest Bisons "" ." 0 +Container glass has a lower magnesium oxide and sodium oxide content than flat glass , and a higher Silica , Calcium oxide , and Aluminum oxide content . Container glass has a higher content of magnesium oxide and sodium oxide as flat glass and a lower content of silica , calcium oxide and aluminum oxide . 0 +At the Labor Eve 2016 , Bute was named as a replacement for Julio Cesar Chavez Jr. , to challenge Badou Jack for the WBC Super - Middleweight - Championship . On Labor Eve 2016 , Bute was named as the replacement for Julio Cesar Chavez Jr. to challenge Badou Jack for the WBC Super Middleweight Championship . 1 +In 1975 , Yasuo Sugiyama developed another improved fixed polynomial decoder , based on the extended Euclidean algorithm . In 1975 , another improved fixed polynomial decoder was developed by Yasuo Sugiyama , based on the extended Euclidean algorithm . 1 +"Unrealistic is known for his characters to have great body proportions and "" Tenjho Tenge "" is no different ." "Unrealistic is known to have his characters having great body proportions and "" Tenjho Tenge "" is no different ." 1 +The operation as planned was a decisive success for Germany . Both Denmark and Norway were occupied . Surprise was almost complete , particularly in Denmark . The operation was a complete success for Germany as planned : Denmark and Norway were occupied , and surprise was almost decisive , especially in Denmark . 0 +In May 1955 a new Balkan Express was launched from Bulgaria via Vienna ( avoiding Graz and Belgrade ) to Athens and Istanbul . In May 1955 , a new Balkan Express was launched from Vienna via Graz and Belgrade ( without Bulgaria ) to Athens and Istanbul . 0 +Ocee was a small community in Fulton County , Georgia , now located in Johns Creek in Milton County . Ocee was a small town in Fulton County , Georgia , now located in Johns Creek , Milton County . 1 +It was believed that true philosophy could be separated from popular wisdom by this method . It was believed by this method popular philosophy could be separated from true wisdom . 0 +Van Hoof was born in Antwerp , was student of Paul Gilson and was heavily influenced by the works of Peter Benoit . Born in Antwerp , Van Hoof was a pupil of Peter Benoit and was heavily influenced by the works of Paul Gilson . 0 +Farrow himself goes between two different appearances , one in a black suit and another in a black jacket with a red undercoat that features crosses on it . Farrow himself goes between two different appearances , one in a black suit and another in a red jacket with a black undercoat that wears crosses . 0 +In 1406 he had the Juliana Anicia Codex of Dioscurides restored , rebound , and a table of contents and extensive scholia added in Byzantine Greek minuscule . In 1406 he had added the Juliana Anicia Codex of Dioscurides , rebound and a table of contents and minuscule scholia in Byzantine Greek comprehensively restored . 0 +Other languages spoken at home include Mandarin 4.0 % , Spanish 1.8 % , Greek 1.7 % , Russian 1.6 % and Cantonese 1.3 % . Other languages spoken at home included Mandarin 4.0 % , Spanish 1.8 % , Greek 1.7 % , Russian 1.6 % and Cantonese 1.3 % . 1 +With Apex Marketing , Dracco Company Ltd. created the basic version of the game and established the online universe of Chaotic . With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the Chaotic basic universe . 0 +In the same year he played in the UEFA Champions League - Qualification against HJK Helsinki and Celtic Glasgow and later in the UEFA Cup against Dinamo Zagreb . In the same year he played in the UEFA Champions League qualification against Dinamo Zagreb and later in UEFA Cup against HJK Helsinki and Celtic Glasgow . 0 +It has also experimental support for real-time signals . It also has real support for experimental-time signals . 0 +In October 2015 , Shuli Mualem resigned from the Knesset in order to allow Bennett to take over his seat . In October 2015 , Bennett resigned from the Knesset in order to allow Shuli Mualem to take his seat . 0 +On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on 5 September 2015 . On 31 July 2015 , Moore was signed by the Chicago Bears , and on 5 September 2015 he was released by the Bears . 0 +On October 19 , Shire PLC ( SHPG ) replaced Linear Technology ( LLTC ) in the index . On October 19 , Shire PLC ( SHPG ) Linear Technology ( LLTC ) replaced the index . 0 +Coronado National Forest and the Santa Catalina Mountains in the Oro Valley form the eastern boundary of Catalina State Park . State Park and the Coronado National Forest in Santa Catalina Mountains form the eastern border of the Oro Valley . 0 +She worked on processes of solvent extraction of metal complexes and described the chemical and physical properties of chemical species in an organic solvent . She worked on solvent extraction processes in metal complexes and described the chemical and physical properties of chemical species in an organic solvent . 1 +Adventures Of Cow is a 2005 children 's picture book series by Lori Korchek and illustrated by Marshall Taylor . Adventures Of Cow is a picture book series from 2005 by Marshall Taylor and illustrated by Lori Korchek . 0 +Locus is a racing game developed by Zombie LLC and released in North America by GT Interactive Software Corp . Locus is a racing game developed by GT Interactive Software Corp and published by Zombie LLC in North America . 0 +Surprise Lake is a lake located on Brewster Lake north of Vancouver Island and south of Amor Lake . Surprise Lake is a lake on Brewster Lake north of Vancouver Island and south of Amor Lake . 1 +William died in 1859 and Elizabeth died the following year . William and Elizabeth died the following year in 1859 . 1 +The destruction of Popov 's Mobile Group and the 6th Army during the early stages of the German counterattack created a large gap between Soviet lines . The destruction of the mobile group of Popov and the 6th army during the early stages of the Soviet counterattack caused a large gap between German lines . 0 +He wears a green and yellow baseball cap , and a red and blue t-shirt . He wears a green and yellow baseball cap and a red - blue T-shirt . 1 +The students in these settings receive highly specialized training to address both behavioral learning and special needs . Students in these settings receive highly specialized training to address both special learning and behavioral needs . 0 +Maria Bueno defeated Margaret Smith , 6 -- 4 , 7 -- 5 . Defeated Margaret Maria Bueno Margaret Smith , 6 -- 4 , 7 - 5 . 0 +Paul Cirja # 7 passed 2 TD scramble and also scored 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . Paul Cirja # 7 obtained 2 TD Scramble and also passed 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . 0 +"was played by Pruitt Taylor Vince in the film "" JFK "" in 1991 ." "Pruitt Taylor Vince was played by actor Bowers in the film "" JFK "" from 1991 ." 0 +Usually small states with volatile economies have most of their national debt in foreign currency . Usually volatile states with small economies have the bulk of their national debt in foreign currency . 0 +The Italian overture should not be confused with the French overture , a three-part quick-slow-quick structure . The French overture should not be confused with the Italian overture , a three-part rapid screw structure . 0 +Husain Mohammad , the father of Latifun Nisan , was the son of Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah from Tijara . The father of Latifun Nisan , Husain Mohammad was the son of Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah of Tijara . 1 +Cambodia is represented in Canada through its UN mission in New York City . Cambodia is represented by its UN mission in New York City in Canada . 1 +Although Fresnel did not know that electromagnetic waves are light , he managed to construct the world 's first coherent theory of light . Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent theory of light in the world . 0 +When Liliuokalani died in 1917 , territorial governor Lucius E. Pinkham accorded her the honor of a state funeral in the throne room of the palace . When Lucius E. Pinkham died in 1917 , the territorial governor Liliuokalani granted her the honor of a state funeral in the throne room of the palace . 0 +The third act of 2014 was in Cardiff , Wales for the fifth time , and was held on the bank holiday weekend of 22 - 25 August 2014 . The fifth act of 2014 was held for the third time in Cardiff , Wales , and was held on the holiday weekend from 22 - 25 August 2014 . 0 +Osarvira is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . Osarvira is a village in the Palghar district of Maharashtra , India . It is situated in the Dahanu Taluka . 0 +The Grand Jury recommended legislation so that the statute of limitations would not prevent similar prosecutions in future cases . The grand jury recommended legislation so the statute of limitations would not prevent future prosecutions in similar cases . 0 +Its minimum annual temperature is and its maximum annual temperature is May to October the hottest season . Its minimum annual temperature is and its maximum annual temperature is , with May to October the hottest season . 1 +The states that participated in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . The states that have participated in this study were Aguascalientes , Jalisco , Chihuahua , Durango , Guerrero , Chiapas , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also from Dunfermline under exceptional circumstances . The school teaches pupils from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and Dunfermline , but also from High Valleyfield under exceptional circumstances . 0 +She was the nineteenth out of twenty-three children of her father and her mother 's last children . She was the last out of twenty-three of her father 's children , and the nineteenth of her mother 's children . 0 +At the UFC Fight Night 101 Jon Tuck succeeded with a split decision to steal a victory against Brown . At the UFC Fight Night 101 , Brown succeeded with a split decision to steal a victory against Jon Tuck . 0 +Ordinary plates have black text on white background . Ordinary plates have white text on a black background . 0 +"His British English feature film "" Déjàvu "" with international actors premiered at the 54th Locarno International Film Festival ." "His international English feature film "" Déjàvu "" with British actors premiered at the 54th International Film Festival in Locarno ." 0 +If three variables , formula 26 , formula 27 and formula 28 are bound by the condition formula 29 for some total function formula 30 , then the following differentials exist . If three variables , Formula 26 , Formula 27 and Formula 28 are bound by condition formula 29 for a total function formula 30 , then the following differentials exist . 1 +Siskiyou National Forest is located on the U.S. Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . Port Orford is located on U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . 0 +In 2015 , Richard Branson offered Stephen Hawking a seat free of charge on the Virgin Galactic spaceship . In 2015 , Stephen Hawking offered Richard Branson a seat for free in the spaceship Virgin Galactic . 0 +Following his defeat in Wales , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Cardiganshire , Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in Cardiganshire in 1868 . 1 +This feat was also accomplished by future Heavyweight Champions Cassius Clay known better as Muhammad Ali and Leon Spinks . This performance was also better known by future Heavyweight Champions Muhammad Ali and Leon Spinks as Cassius Clay . 0 +Including a logarithm defines the exponential integro-generalized function . Including a logarithm , the generalized integro-exponential function defines definitions 0 +Michael is killed on their wedding day , before the ceremony takes place , and Centaine goes to Sean for help . On their wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael to get help . 0 +The 2014 -- 15 season will be Sporting Goa 's 8th season in the I - League and 15th season in existence . The 2014 - 15 season will be Sporting Goa 's 15th season in the I-League and 8th season in existence . 0 +The Sitna River is a tributary of the River Urechioiu in Romania . The Urechioiu River is a tributary of the Sitna River in Romania . 0 +The park lies about an hour and a half north of Los Angeles , or five hours south of San Francisco . The park is about an hour and a half south of San Francisco , or five hours north of Los Angeles . 0 +Instead , they could have been relatives , perhaps members of a family connected by blood to serve Dracula . They could perhaps have been relatives , instead members of a family bonded by blood to serve Dracula . 0 +Air Manas has its own certified aircraft base for the technical maintenance of aircrafts . Air Manas has its own certified aviation-operational base for the technical maintenance of aircraft . 1 +Shawn told Shawn that his mother was not dead and his father was still married and told Shawn Colleen on the day of the wedding of Colleen and Santo . Shawn told Shawn that his mother was not married and his father was still dead and on the day of Colleen 's wedding , Stefano told Colleen and Santo . 0 +Dimou was awarded the Dimitris Mitropoulos award in 2000 . Dimitris Mitropoulos was awarded the Dimou Award 2000 . 0 +"John Daly is TV presenter and producer : John Daly hosts his own TV talk show "" The John Daly Show "" in Northern Ireland ." "Daly is a TV presenter and producer . John Daly hosts his own BBC Northern Ireland TV talk show , "" The John Daly Show "" ." 1 +Ayliffe married Janet Lloyd in 1963 and they had two children . Ayliffe married Janet Lloyd in 1963 and had two children . 1 +Software ranged from advanced mortgage interest calculations , word processing , games , and utilities to simple payroll , accounting , and industry-specific applications . Software ranged from simple mortgage interest calculations , word processing , games and utilities to advanced payroll , accounting and industry specific applications . 0 +He is the first son of the Argentine coach Emiliano Garré , the brother of Argentine footballer Oscar Garré and uncle of Benjamin Garré . He is the first son of the Argentine coach Emiliano Garré , the brother of the Argentine footballer Oscar Garré and uncle of Benjamin Garré . 1 +After his wife had died in 1842 , Jack Shackelford married Martha Chardevoyne . After his wife died in 1842 , Jack Shackelford married Martha Chardevoyne . 1 +September 2 : CF Michael Bourn and CF Drew Stubbs activated , C Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson recalled by AAA Norfolk . September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino of AAA Norfolk recalled . 0 +The other European powers were no longer prepared to accept a new French expansion , and were willing to form alliances to resist such a thing . The other European powers were no longer disposed to accept a new French expansion and were prepared to form alliances to oppose such a thing . 1 +The Rădoteasa or Rădocheasa river is a tributary of the River Cărbunele in Romania . The Cărbunele River or Rădocheasa River is a tributary of the Rădoteasa River in Romania . 0 +Eddie told Peyton that he rocked and Peyton was later seen at his concert with Sarah . Eddie told Peyton that he had rocked , and Peyton was seen later at his concert with Sarah . 1 +Hoff Township was originally called Arthur Township , for settler Abel Hoff , and under the latter name was organized in 1881 . Hoff Township was originally called Arthur Township , for settler Abel Hoff , and was founded under the latter name in 1881 . 1 +Cedarbrae Mall is a shopping centre located in the Toronto , Ontario , Canada area of Scarborough on the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping mall in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . 0 +Later , it was reported that Sunita will start an affair with Karl Munro ( John Michie ) . It was later reported that Sunita will embark on an affair with John Michie ( Karl Munro ) . 1 +The city borders Camden , Haddon Township , Brooklawn , Bellmawr , and Mount Ephraim . The city borders on Camden , Haddon Township , Brooklawn , Bellmawr and Mount Ephraim . 1 +Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Ukrainian cross-country skier ( until 2000 ) and a Belarusian ( since 2000 ) . Alla Petrovna Tsuper ( born 16 April 1979 ) is a Belarusian ( until 2000 ) and Ukrainian ( since 2000 ) aerial skier . 0 +Baker established itself on the Illinois side of the river , and Buell , the Iowa side . Baker established himself on the Iowa side of the river , and Buell , the Illinois side . 0 +In 1934 , Khun Wichitmatra wrote the texts of the Thai national anthem , two years after the anthem was written by Chan Kamwilai . In 1934 , Chan Chanwilai wrote the texts of the Thai national anthem , two years after the anthem was first written by Khun Wichitmatra . 0 +The following versions of localized games use instead the current naming convention . The localized versions of subsequent games use the current naming convention instead . 0 +The acute dose-dependent effects of beta radiation on skin are as follows : The beta - dose acute effects of dependent radiation on the skin are as follows : 0 +Hormoz Farhat was born in Tehran , Iran , in an Armenian family and is married to the composer/musicologist Maria Baghramian . Hormoz Farhat was born in an Armenian family in Tehran , Iran . He is married to the composer and musicologist Maria Baghramian . 1 +The last possession of the Genoese in the Mediterranean , the island fort of Tunis , was lost to Tabarka in 1742 . The last possession of the Genoese in the Mediterranean , the island fortress Tabarka , was lost in Tunis in 1742 . 0 +"The former actor James Whitmore , who performed with Conlan Carter and "" Combat ! "" in the television series "" The Law and Mr. Jones "" ." "The former actor Conlan Carter , who appeared in the TV series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ 0 +The group was founded in Los Angeles and later transferred to Las Vegas . The group was founded in Las Vegas and later displaced to Los Angeles . 0 +The 187 km segment from Abuja to Kaduna was the first to be built . The 187 km long segment from Abuja to Kaduna was the first to be built . 1 +Here , Thibault of Champagne established a hermitage and found a source of holy springs , and Louis built a shrine to the spring 's healing powers . Here Thibault built a hermitage from Champagne and found a source of holy springs , and Louis established a shrine for the healing powers of the spring . 0 +It is currently represented by Senator Bert Brackett , Republican of Rogerson , Representative Christy Zito , Republican of Hammett , and Representative Megan Blanksma , Republican of Hammett . It is currently being represented by Senator Christy Zito , Republican of Rogerson , Representative Megan Blanksma , Republican of Hammett , representative Bert Brackett and Republican of Hammett . 0 +The texts were later written by Taupin and John composed the music first . The lyrics were first written by Taupin and John later composed the music . 0 +Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Washington Nationals of the Union Association . Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington National in 32 matches . 0 +Göttsche received international acclaim with his formula for the generating function for the Hilbert numbers of the Betti scheme of points on an algebraic surface : With his formula for the producing function for the Betti - numbers of the Hilbert scheme of points on an algebraic surface , Göttsche received international recognition : 0 +The biomass of brook trout was 48.30 kilograms per hectare , including 23.49 kilograms per hectare of brown trout and 24.81 kilograms per hectare of wild trout . The biomass of wild trout was 48.30 kilograms per hectare , which included 23.49 kilograms per hectare of brook trout and 24.81 kilograms per hectare of brown trout . 0 +The area is connected to the internal Nevada Test Site ( NTS ) road network , with paved roads leading west to Mercury and south to Yucca Flat . The area is connected to the internal road network of Nevada Test Site ( NTS ) , with cobbled streets leading west to Mercury and south to Yucca Flat . 1 +It was designed by Little Rock Architect F. Eugene Withrow and Dallas , Texas Architect Harold A. Berry in an international style . It was designed by Little Rock architect Harold A. Berry and Dallas , Texas architect F. Eugene Withrow in the International style . 0 +The popular French singers Grégory Bettiol and Coralie Clément , as well as footballers hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the city . The popular French singers Grégory Bettiol and Coralie Clément , as well as football player hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the town . 1 +Jagjit Singh has also named Ghoshal as her inspiration to perform songs in the genre of Ghazal . Jagjit Singh also named Ghoshal as her inspiration to hold songs in the genre of Ghazal . 1 +Nancy returns home , and thanks her mother for trying to protect her , but Gwen appears in a mirror behind Freddy . Nancy returns home and thanks her mother for trying to protect her , but Gwen appears behind Freddy in a mirror . 1 +Born in Madrid , Spain , in 1967 , she grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) house . 0 +Doriano Romboni ( 8 December 1968 in Italy -- 30 November 2013 in Latina , Lerici , Italy ) was an Italian Grand Prix motorcycle road racer . Doriano Romboni ( December 8 , 1968 in Lerici , Italy -- 30 November 2013 in Latina , Italy ) was an Italian Grand Prix - Motorcycle - Street Race . 0 +The rapidly expanding field of landscape ecology utilizes the spatial aspects of basic ecology in its research . The rapidly expanding field of landscape ecology uses in its research the spatial aspects of basic ecology . 1 +The Trevi Fountain is a well in the Trevi district in Rome , Italy , designed by Italian architect Pietro Bracci and completed by Nicola Salvi . The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architects Nicola Salvi and concluded by Pietro Bracci . 0 +In 1867 , he was elected to the Canadian House of Commons for the Ontario riding of Norfolk North . In 1867 he was elected to the Canadian House of Commons for Ontario Riding of Norfolk North . 1 +Sotherton 's younger brother , Micklethwait , also played first-class cricket at Cambridge University . Sotherton 's younger brother , Micklethwait , also played first-class cricket for Cambridge University . 1 +It was hosted by Daryl Somers and Ossie Ostrich played by Ernie Carroll . Hosted by Daryl Somers and Ossie Ostrich by Ernie Carroll was played . 1 +The Stejioara River is a tributary of Bârnărel River in Romania . The Bârnărel River is a tributary of the Stejioara River in Romania . 0 +Dom Domino and Psylocke distract Fantomex , while ForgetMeNot sneaks up on him and copies him to Hope , who teleports his superpowers , as well as the entire teams . Domino and Psylocke distract Fantomex while ForgetMeNot sneaks up to him and teleports him to Hope , who copies his super-powers , as well as the entire teams . 0 +"In collaboration with Cousin Harold White , B & amp ; H Publications produced George Bernard Shaw in 1948 by the camera "" ." "In cooperation with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 through the camera "" ." 0 +The combination of blepharospasmodic contractions and cranial dystonia is called oromandibular dystonia or Meige 's syndrome . The combination of blepharospasmodic contractions and oromandibular dystonia is called cranial dystonia or meige - syndrome . 0 +"In "" House of Despair "" Quentin Collins Ed Griffin tells that the people of Collinsport have not forgotten how "" the winter girl disappeared inexplicably ." "In "" House of Despair "" , Ed Griffin tells Quentin Collins that the people of Collinsport have not forgotten how "" that Winters girl "" inexplicably disappeared ." 0 +Major competitors of VISA Steel include ArcelorMittal , Essar Steel , Jindal Steel and Power , Tata Steel , SAIL and JSW Steel . VISA Steel 's major competitors include ArcelorMittal , Essar Steel , Jindal Steel and Power , Tata Steel , SAIL and JSW Steel . 1 +In the Chamber he joined the conservative group Appel au peuple and voted with the parliamentary minority . In the Chamber he joined the Appel au peuple conservtive group , and voted with the parliamentary minority . 1 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno for Caldara in 1709 . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a Caldara libretto from 1709 for Apostolo Zeno . 0 +US 340 east of Petersville crosses a diamond exchange with MD 180 and has Catoctin Creek . East of Petersville , US 340 crosses a diamond interchange with MD 180 and has Catoctin Creek . 1 +Union Star is located at in the Polk township of Andrew County , Missouri on the border with DeKalb County , Missouri . Union Star is located in the polk community of Andrew County , Missouri on the border with DeKalb County , Missouri . 1 +Oxynoe panamensis is a kind of small sea snail or sea snail , a bubble snail , a marine gastropod mollusk in the Oxynoidae family . Oxynoe panamensis is a species of marine sea snail or sea slug , a bubble snail , a small gastropod mollusk in the family Oxynoidae . 0 +Another hirer was James Russell Lowell , an aunt of Sarah Lowell . Another sub-tenant was Sarah Lowell , an aunt of James Russell Lowell . 0 +Estimates of correlations between variables are weakened by measurement errors ( diluted ) . Estimates of correlations between variables are diluted ( weakened ) by measurement error . 1 +James the Fat would never return to his native Scotland . He remained an exile in Ireland until his death . His widowed mother and sister remained in Scotland . James the Fat would never return to his native Scotland , he would remain in Ireland until his death , his widowed mother and sister remained in Scotland . 1 +Indiana was the scene of the Battle of Corydon , the only official battle in Corydon during the American Civil War . During the American Civil War , Corydon was the place of the battle of Corydon , the only official battle in Indiana . 0 +The SSSI has an area of 190.3 ha , while the SAC covers 168.3 hectares . The SSSI has an area of 190.3 hectares while the SAC covers 168.3 hectares . 1 +The 40 Watt Uptown was large and professional , and it was a major stop for independent underground music acts in the 1980s . The 40 Watt Uptown was large and professional , and it was a major stop for independent underground music actors in the 1980s . 1 +The Edmonton Oilers became the first NHL team in Alberta when they were absorbed by the National Hockey League than the WHA folds . The Edmonton Oilers became the first NHL team in Alberta as they were absorbed by the National Hockey League when the WHA folded . 1 +Meteuthria futilis is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks navy . Meteuthria futilis is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +Codice 1 can not be copied because its copy constructor and assignment operator are explicitly deleted . A codice _ 1 can not be copied because its copy constructor and assignment operators are explicitly deleted . 1 +The branch codice 2 is updated daily , the codice 3 branch is updated every 6 months . The codice 2 branch is updated daily , and the branch codice 3 is updated every 6 months . 1 +In 1951 , Avon Publications published a comic adaptation of Walter Gibson ( screenplay ) and Joe Orlando ( art ) in Rocket to the Moon . In 1951 Avon Publications published a comic adaptation in Rocket to the Moon , by Walter Gibson ( script ) and Joe Orlando ( art ) . 1 +One week after Alex 's birth , Benjamin Linus ( Michael Emerson ) came and took Alex from Rousseau . One week after Alex 'apos ; birth came Benjamin Linus ( Michael Emerson ) and took Alex from Rousseau . 1 +He died on February 20 , 1930 in Oneida . He was buried at the Glenwood Cemetery in Albany , New York . He died on February 20 , 1930 in Albany , New York , and was buried at the Glenwood Cemetery in Oneida . 0 +The five elected candidates were Bahrain , Brazil , Gabon , Gambia and Slovenia . The five candidates elected were Bahrain , Brazil , Gabon , Gambia , and Slovenia . 1 +Ulriksdal Palace , preferred by Sweden , as his summer residence and ignored Drottningholm , but Oscar II of Sweden continued the repairs . Oscar II of Sweden preferred Ulriksdal Palace as his summer residence and ignored Drottningholm , but Charles XV of Sweden continued the repairs . 0 +The rest of the material are covers from Argentina folk artists Jose Larralde , Pedro Bonifacio Palacios , Cátulo Castillo and Anibal Troilo . The rest of the material are covers by Argentine folk artists Jose Larralde , Pedro Bonifacio Palacios , Cátulo Castillo and Anibal Troilo . 1 +In addition to the associative array used in design , SystemVerilog offers static arrays , dynamic arrays and queues . SystemVerilog also offers static arrays , dynamic arrays and queues in addition to the associative array used in the design . 1 +Third Air Force inactivated and 16th Air Force assumed the new role as Warfighting Headquarters for the USAFE . Sixteenth Air Force inactivated and Third Air Force assumed the new role as the Warfighting Headquarters for USAFE . 0 +This association was further enhanced after the female Christian missionary , Nino , converted Mirian , his wife Nana and household into Christianity in or around 337 . This association was further strengthened after the Christian female missionary Nino , Mirian , his wife Nana and household converted to Christianity in or around 337 . 1 +It is found in India from northern Canary to Sindh and Madhya Pradesh and from Kangra to Kumaon . It is found in India from northern Kanara to Sindh and Madhya Pradesh and from to Kangra to Kumaon . 1 +This time the vocals were presented by Matti Auerkallio and the EP by Pirkka Rännäli was mastered . This time the vocals were performed by Matti Auerkallio , and the EP was mastered by Pirkka Rännäli . 1 +Rubén Ramírez Hidalgo won the title and defeated Carlos Salamanca 5 -- 7 , 6 - 2 , 6 -- 1 in the final . In the final , Carlos Salamanca won the title and defeated Rubén Ramírez Hidalgo with 5 -- 7 , 6 -- 2 , 6 -- 1 . 0 +During this time he accepted a new gimmick , rockabilly , and had a short-lived feud with “ The Real Double J ” Jesse James . "During this time he had a new gimmick , rockabilly , and took a short-living feud with "" The Real Double J "" Jesse James ." 0 +Another name of Sports Direct Arena ( Wincham Park ) was hosted in the popular BBC1 TV Show Room 101 by Frank Skinner . Another name of Wincham Park ( Sports Direct Arena ) was hosted by Frank Skinner in the popular BBC1 TV - Show Room 101 . 1 +"In 1925 , William Kellogg purchased the "" Jamestown Alert "" from Percy Hansen and Bryon Hansen ." "Percy Hansen and Bryon Hansen bought the "" Jamestown Alert "" in 1925 from William Kellogg ." 0 +The primary prominence of each placode gives rise to the nose , the philtrum of the upper lip and the medial and lateral nasal palate . The medial and lateral nasal prominence of each placode allows the nose , the philtrum of the upper lip and the primary palate to emerge . 0 +"John Daly is TV presenter and producer : John Daly hosts his own TV talk show "" The John Daly Show "" in Northern Ireland ." "John Daly is a TV presenter and producer . Daly hosts his own BBC Northern Ireland TV talk show , "" The John Daly Show "" ." 1 +Critics of HRW include the former governments that it has examined , NGO monitor , the media and its founder ( and national chairman ) , Robert L. Bernstein . Critics of HRW include the national governments it has investigated , NGO Monitor , the media , and its founder ( and former chairman ) , Robert L. Bernstein . 0 +Bell Bell is a color commentator for NBC Sports with Leigh Diffey and Lead Analyst Paul Tracy . Bell is a color commentator for NBC Sports with lead anchor Leigh Diffey and fellow analyst Paul Tracy . 0 +Pablo Cuevas won the title by defeating Top - Top - Máximo González at 6 -- 4 , 6 -- 3 in the final . Máximo González won the title , by defeating top seed Pablo Cuevas 6 -- 4 , 6 -- 3 in the final . 0 +Although he was born in Kingaroy , Ballin grew up in Nanango and attended Kingaroy State High School where his father was the school principal . Although he was born in Nanango , Ballin grew up in Kingaroy and visited the Kingaroy State High School , where his father was school leader . 0 +"Dong Zhao was a "" Xiaolian "" and in his early years served as district official under warlord Yuan Shao before being promoted to military adviser ." "He was a "" Xiaolian "" and served in his early years as a district official under the warlord Dong Zhao , before being promoted to a military adviser ." 0 +The School of Applied Arts offers only postgraduate degrees , while the other three schools offer both undergraduate and postgratuate degrees . The School of Applied Arts offers only postgratuate qualifications , while the other three schools offer both bachelor 's degrees and postgraduate degrees . 1 +Grand Inquisitor ( 1699 -- 1774 ) was a Spanish cleric who was Manuel Quintano Bonifaz of Spain from 1755 to 1774 . Quintano Bonifaz ( 1699 -- 1774 ) was a Spanish cleric who , from 1755 to 1774 , was a Grand Inquisitor of Spain . 0 +""" Blastfighter "" was distributed theatrically in Italy , where it was released by Medusa Distribuzione on 25 July , 1984 ." """ Blastfighter "" was released in Italy , where it was distributed by Medusa Distribuzione on July 25 , 1984 ." 0 +João was born in Portugal , but attended school in Paris before moving to Brazil , the British Antilles and finally to New Orleans . João was born in Brazil but attended school in Portugal , before moving to Paris , the British West Indies , and finally New Orleans . 0 +Cypress County is served by the Federal Electoral Division of MHCW and represented in the Canadian House of Commons by Conservative MP GLEN MOTZ . Cypress County is represented by the Federal Electoral Division of MHCW and served by the conservative member GLEN MOTZ in the Canadian House of Commons . 0 +The main campus of the university is located in the area of Antakya , north of Serinyol . The main campus of the university is located in Antakya area , north of Serinyol . 1 +Soon after Moody 's departure , John Sykes was announced to the press as the new Whitesnake guitarist . Soon after Moody 's departure , John Sykes was announced as the new Whitesnake guitarist from the press . 1 +John Davies easily won the final , but Odložil managed to get silver ahead of Peter Snell . The final won easily John Davies , but Odložil managed to get silver before Peter Snell . 0 +Peter McNab died in 1960 when he suffered a heart attack while playing golf , and his son McNab later played in the second American Soccer League . McNab died in 1960 when he suffered a heart attack playing golf . His son , Peter McNab later played in the second American Soccer League . 0 +In 1858 he moved with a group of four members from Downieville to Eagle Valley in the area which today is known as Nevada . In 1858 , he moved with a group of four members from Downieville to Eagle Valley in the area that is now known as Nevada . 1 +The deep branch is susceptible to damage during thyroidectomy or cricothyrotomy , as it is immediately superior to the external artery of thyroid gland . The external branch is susceptible to damage during thyroidectomy or cricothyrotomy , as it lies immediately deep to the superior thyroid artery . 0 +Wall Township is located in the 30th Congressional District and is part of the 4th State Legislative District of New Jersey . Wall Township is located in the 4th Congressional District and is part of New Jersey 's 30th state legislative district . 0 +And dark brown eyes , so black that they look almost big and round . And large , round eyes , so dark brown they look almost black . 0 +Paul Raymond quit the band during their US tour in August 1986 and was replaced for the rest of the tour by David Jacobson . During her US tour in August 1986 , Paul Raymond left the band and was replaced for the rest of the tour by David Jacobson . 1 +In 2009 , Wizard canceled the Los Angeles event and postponed the Texas convention . In 2009 , Wizard cancelled the Texas event and postponed the Los Angeles Convention . 0 +Anthimus VII responded to their request by suggesting that Konstantinos Psachos was a suitable person for this post . Patriarch Konstantinos Psachos responded to their request by suggesting that Anthimus VII was a suitable person for this post . 0 +The Argintărie River is a tributary of the Ciunget River in Romania . The Ciunget - River is a tributary of the River Argintărie in Romania . 0 +"At the 2013 South by Southwest Festival , director Brent Hodge and producer Chris Kelly made a retrospective of Nardwuar 's career for "" Time "" ." "At the 2013 South by Southwest Festival film director Brent Hodge and producer Chris Kelly did a retrospective of Nardwuar 's career for "" Time "" ." 1 +Lake Sammamish enters the Issaquah Creek park . Lake Sammamish enters Issaquah Creek in the park . 1 +Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop who was Francisco Javier Mier Campillo of Spain from 1814 to 1818 . Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo from Spain . 1 +"The historical climate concept and the modern concept are derived from the related term "" climata "" ." "The historical concept of climate and the modern term are derived from the related concept of "" climata "" ." 1 +"He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his painting of the "" death of the Diagora "" ." "He won the first Prix de Rome for painting in 1813 and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagoras "" ." 0 +Because of the high cost of Stromectol , the veterinary formula Ivomec can be used . Government programs are needed to help citizens finance lifelong medication . Because of the high cost of Stromectol , the lifelong formula Ivomec can be used government programs are needed to help citizens finance veterinary medicines . 0 +Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems , rejecting the invasion of Kuwait by Iraq . Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems , rejecting the invasion of Kuwait by Iraq . 0 +"The former actor James Whitmore , who appeared in the TV series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! "" ." "The former actor Conlan Carter , who performed in the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! "" appeared" 0 +Shawn told Shawn that his mother was not dead and his father was still married and told Shawn Colleen on the day of the wedding of Colleen and Santo . Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo the day of Colleen ’ s wedding . 0 +"In 2013 signed beals for the main role of ABC - Drama - Pilot "" Westside "" developed by McG and produced by Ilene Chaiken ." "In 2013 , Beals signed on for the main role of the ABC drama pilot "" Westside "" developed by McG and produced by Ilene Chaiken ." 1 +In November 2015 , Bensebaini was appointed for the first time to the national team of Tanzania for a pair of FIFA World Cup qualifiers in 2018 against Algeria . In November 2015 , Bensebaini was called up to the Tanzania national team for the first time for a pair of 2018 FIFA World Cup qualifiers against Algeria . 1 +At the UFC Fight Night 101 , Brown succeeded with a split decision to steal a victory against Jon Tuck . At UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . 1 +It is located north of Grosse Ile and west of Fighting Island , about west of the Canadian - United States border . It is located just north of Fighting Island and west of Grosse Ile , about west of the Canada -- United States border . 0 +He married Lady Florence Jane Taylour , the daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . He married Lady Florence Jane Taylour , daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . 0 +It was also accepted by the Royal Canadians and his Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . It was also recorded by the Guy Lombardo and His Royal Canadians orchestra and the vocal group The Three Suns in the United States . 0 +Thangpalkot is a village in Nepal in the Sindhupalchok District of central Nepal . At the time of the 1991 Bagmati Zone census it had a population of 2786 . Thangpalkot is a village in Nepal in the district of Sindhupalchok in central Nepal and had a population of 2786 at the time of the 1991 census . 1 +Lee Field in the Galewood neighborhood of Wyoming , Michigan is the club 's home stadium . Lee Lee Field , in Wyoming neighborhood of Galewood , Michigan , is the home stadium of the club . 0 +Julius Pomponius Laetus ( 1428 - June 1498 ) , also known as Giulio Pomponio Leto , was an Italian humanist . Giulio Pomponio Leto ( 1428 - June 9 , 1498 ) , known as Julius Pomponius Laetus , was an Italian humanist . 1 +Nancy returns home , and thanks her mother for trying to protect her , but Gwen appears in a mirror behind Freddy . Nancy returns home and thanks her mother for trying to protect her , but Freddy is appearing behind Gwen in a mirror . 0 +The crossover - influence of the Australian country is also reflected in the music of the successful contemporary bands The Waifs and the John Butler Trio . "The crossover influence of successful contemporary country is also evident in the music of Australian bands "" The Waifs "" and "" The John Butler Trio "" ." 0 +Haines Township is bordered by Miles Township to the north , Union County to the east , Mifflin County to the south , and Penn Township to the west . Miles Miles Township is bordered by Penn Township to the north , Mifflin County to the east , Union County to the South , and Haines Township to the West . 0 +A minority of modern Egyptologists think that , Huni might be identical to a Ramesside cartouche name known as Khaba . A minority of modern Egyptologists think that Huni might be identical to a Ramesside cartridge name known as Khaba . 0 +In October 2014 , The Go - Katz returned again , with Steve Clark back on the drums and new guitarist Hollie Vee Lucas . The Go-Katz returned again in October 2014 , with Hollie Vee Lucas back on drums , and new guitarist Steve Clark . 0 +Hannah died in March 1977 , and retired the following year . Hannah died in March 1977 and went retired the following year . 1 +Zorina was the grandmother of the sisters Elizabeth ( Lizzie ) , Katherine and Kristina Lieberson , who are now members of the band TEEN . Zorina was the grandmother of sisters Elizabeth ( Lizzie ) , Katherine , and Kristina Lieberson , who are now members of the band TEEN . 1 +The station is located from Oslo Central Station , south of Moss Station and to the north of Råde Station . The station is located at Råde Station , south of Oslo Central Station and north of Moss Station . 0 +Syed Ahmed , commander of Alivardi , freed Mir Jafar and his family . Alivardi 's commander Mir Jafar freed Syed Ahmed and his family . 0 +William Henry Emerson was born in 1860 in Tunnel Hill , Georgia , around Matilda Caroline Austin , daughter of Clisbe Austin , and Caleb J. Emerson . Caleb J. Emerson was born in 1860 in Tunnel Hill , Georgia , as daughter of William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . 0 +English is spoken by many people and understood by some of them fluently . English is spoken by many people and some of them fluently understood . 1 +Ryan Wiik ( born September 23 , 1981 ) , also known as Gunnar Ryan Wiik , is a Norwegian actor and entrepreneur . Gunnar Ryan Wiik ( born September 23 , 1981 ) , known as Ryan Wiik , is a Norwegian actor and entrepreneur . 1 +The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to the Lucknow -- Bareilly railway on 1 January 1891 . The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to the Bareilly -- Bareilly railway on January 1 , 1891 . 0 +The Royal College of Music has appointed Natalia alongside Maestro Peter Stark as Professor of Conductors . The Royal College of Music has appointed Peter Stark alongside Maestro Natalia as professor of conducting . 0 +The Rai Coast languages are a family of languages in the Madang stock of New Guinea . The Madang languages are a family of languages in New Guinea - stock on the Rai - coast . 0 +Garzelli , without being a permanent attacker , was very good and could go on a great day with the best climbers . Without being a constant attacker , Garzelli was very good and on a great day , he could go with the best climbers . 1 +Her eldest brother , George Edward Hall ( February 23 , 1851 , Jamaica-August 29 , 1921 , Pasadena , CA ) became a minister . Her eldest brother , George Edward Hall ( February 23 , 1851 , Jamaica - August 29 , 1921 , Pasadena , CA ) , became a minister . 1 +A closely related formulation of the classical mechanics is Hamiltonian mechanics . A closely related formulation of classical mechanics is Hamiltonian mechanics . 1 +Johann Rupert , the eldest son of Rupert , is now the CEO of Richemont and Chairman of Remgro . Rupert , Johann Rupert ’ s eldest son , is now the CEO of Richemont and Chairman of Remgro . 0 +The Bohol Sea separates the western part of the Cebu Strait with the Camotes Sea , and connects the island provinces of Cebu and Bohol . Cebu Strait connects the western part of the Bohol Sea with the Camotes Sea and separates the island provinces of Cebu and Bohol . 0 +Two weeks before the invasion , the corps was pulled from the First Army and placed in the Third Army of Omar Bradley . Two weeks before the invasion , the corps was pulled from the Third Army and placed in the First Army of Omar Bradley . 0 +He was commissioned first lieutenant on October 14 , 1917 at West Medford , and weeks later married a Fort Des Moines native , Madeline Mabray Kountze . He was appointed on October 14 , 1917 in Fort Des Moines , first lieutenant , and weeks later a West Medford married native Madeline Mabray Kountze . 0 +Thomas Reiter 's position was previously planned to be filled by Sergey Volkov ( Russia ) before the launch of STS-121 was postponed until July 2006 . Previously , it was planned that Sergey Sergey Volkov 's position would be filled by Thomas Reiter ( Russia ) before the launch of STS-121 was postponed until July 2006 . 0 +The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . The first Syracuse Chiefs baseball team were established in 1934 , when the Jersey City Skeeters moved to Syracuse and was renamed the Chiefs . 1 +"She was the founder of the Inner Healing Movement and became the author of "" The Healing Light "" ." "She became the founder of the Inner Healing Movement and was the author of "" Healing Light "" ." 0 +In 1846 , Governor Pio Pico awarded the grant to Vicenta Sepulveda . In 1846 Governor Vicenta Sepulveda issued the grant to Pio Pico . 0 +Here two more sons were born : 1882 Louis and 1884 Fred . Here , two more sons were born : Fred in 1882 and Louis in 1884 . 0 +"Rayburn recalled that he and Fowler "" toured the state together with Earl in 1956 ." Rayburn remembered that he and Earl , together with Fowler , toured the state in 1956 . 0 +The McKenzie County Farmer is a weekly newspaper based in Watford City , North Dakota , and serves Watford City and all of McKenzie County , North Dakota . The McKenzie County Farmer is a weekly newspaper based in Watford City , North Dakota . It serves Watford City and all of McKenzie County , North Dakota . 1 +Two of Joest 's apprentices were Joos van Cleve ( his brother-in-law ) and Barthel Bruyn . Two of Joest 's apprentices were Barthel Bruyn ( his brother ) , and Joos van Cleve . 0 +James the Fat would never return to his native Scotland . He remained an exile in Scotland until his death . His widowed mother and sister remained in Ireland . James the Fat would never return to his native Scotland , he remained in exile in Scotland until his death , his widowed mother and sister in Ireland . 1 +In the above code fragment , the symbol MOS Technology and WDC - Standard - Assembler - Syntax is for a bitwise operand . In the above code fragment , the symbol is MOS Technology and WDC bitwise assembly language syntax for a standard operand . 0 +Now solve the indifference bid price for Formula 31 . Now you find the indifference price bid solve for Formula 31 0 +It was selected in the second round of WNBA Draft 2012 ( 20th Overall ) by the Minnesota Lynx . She was selected in the second round of the 2012 WNBA Draft ( 20th overall ) by the Minnesota Lynx . 1 +James and his brother John were born in Derbyshire , Alfreton . John and his brother were born in Alfreton , Derbyshire , James . 1 +Joseph Joseph Muscat wrote a biography of the Labour Party leader , Prime Minister Dr. Cyrus Engerer . Cyrus Engerer wrote a biography of Labour - Party leader , Prime Minister Dr. Joseph Muscat . 0 +Miniatures flourished mainly in Mewar , Bundi , Kota , Jaipur , Kishangarh , Jodhpur and Bikaner . Rajasthani Miniatures flourished mainly in Kishangarh , Jaipur , Jodhpur , Bundi , Kota , Mewar and Bikaner . 1 +"He also learned more about "" laya "" ( tempo ) by Mahadevan , a Kanjeera and Mridangam artist and a friend of Kanadukathan Rajaraman ." "He also learned more about "" laya "" ( tempo ) from Mahadevan , a kanjeera and mridangam artist and a friend of Kanadukathan Rajaraman ." 1 +The continuous power density is determined by the product from the continuous torque density and the constant torque revolution range of the electric machine . The constant power density is determined by the product resulting from the continuous torque density and the continuous torque - speed range of the electric machine . 0 +They were able to re-capture Amritsar ( 1802 ) , Ludhiana ( 1806 ) , Multan , Kashmir , Ladakh , Peshawar , the Khyber Pass and Lahore . They were able to reclaim Ladakh ( 1802 ) , Ludhiana ( 1806 ) , Amritsar , Kashmir , Lahore , Peshawar , the Khyber Pass and Multan . 0 +If the n vectors are linearly independent , equality in the inequality of Hadamard is achieved if and only if the vectors are orthogonal . If the n vectors are linearly orthogonal , equality in Hadamard 's inequality is achieved if and only if the vectors are independent . 0 +The series was also published with some success in France , where new stories were produced even after the closing of the series in Italy . The series was also published with some success in France , where new stories were produced even after the end of the series in Italy . 1 +Bayswater is connected to the south by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) south of the Redcliffe Bridge . Bayswater is linked to south of the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) . 0 +It was announced later in December 2011 that a U-Dip would also make a return to join a long list of objects that were dropped at midnight on New Year 's Eve . It was later announced in December 2011 that U-Dip would also make a return , joining a long list of objects dropped on New Year 's Eve at midnight . 1 +Polk County is an unincorporated community in Key West , in the U.S. state of Minnesota . Polk County is an unlawful community in Key West , in the U.S. state of Minnesota . 1 +Kalithozhan is a Indian Malayalam film staged by M. Krishnan Nair and produced by AV Subbarao . Kalithozhan is a 1966 Indian Malayalam film , produced by M. Krishnan Nair and directed by AV Subbarao . 0 +In total , the Celtic Association was able to organize three pan-Celtic congresses : Dublin ( 1901 ) , Caernarfon ( 1904 ) and Edinburgh ( 1907 ) . In total , the Celtic Association was able to organise three Pan-Celtic Congresses : Dublin ( 1901 ) , Caernarfon ( 1904 ) and Edinburgh ( 1907 ) . 1 +In 1859 , Elizabeth died and in the following year William died . Elizabeth died in 1859 and William died the following year . 1 +Most students living in Jeffersonville attend the following schools , which are located nearby Mount Sterling : Most students residing within Mount Sterling attend the following schools , which are located in nearby Jeffersonville : 0 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy of Wong Jing written , produced and directed by . Men Suddenly in Love is a 2011 Hong Kong romantic comedy film written by , produced by and directed by Wong Jing . 1 +In the state elections of November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the 1857 session . At the State election in November 1856 , 81 Republicans , 31 Democrats and 8 Americans were elected to the Assembly for the session of 1857 . 1 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half of the water volume . Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the water quantity . 0 +Pleasant Peak is a location on the RAF Mount Pleasant , East Falkland , north of Falkland Islands . Pleasant Peak is a location on RAF Mount Pleasant , East Falkland , north of the Falkland Islands . 1 +Luke binds Ashley with tape , then forces her to play truth or dare . Ashley binds Luke with duct tape , then forces her to play truth or dare . 0 +The codice _ 2 branch gets updated daily , and the codice _ 3 branch is updated for every 6 months . The codice 2 branch is updated daily , and the branch codice 3 is updated every 6 months . 1 +"Examples of 19 articles and 3 abstracts on "" The General and Organizational Questions of the Cadre and the Political Question "" include :" "Examples of the 19 articles and 3 abstracts on "" The political and organization questions of the cadre and general question "" include :" 0 +Ivan Ivanov is a famous kickboxing master and coach and a successful producer in Russia . Ivanov is a successful kickboxing master and coach and a famous producer in Russia . 0 +The Red Sox finally won the ALDS , but lost to the tigers in the American League Championship Series . The Tigers eventually won the ALDS but lost to the Red Sox in the American League Championship Series . 0 +Jolene is Dolly Parton 's thirteenth solo studio album , produced by Bob Ferguson . Jolene is Bob Ferguson 's thirteenth solo - studio album by Dolly Parton . 0 +Hans Jürgen Kallmann was painted in 1963 by Konrad Adenauer . Konrad Adenauer was painted 1963 by Hans Jürgen Kallmann . 0 +On 7 July 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Michael Blunden . He joined his brother Kris Russell with the Blue Jackets organization . 1 +In the year 2011 , Ligron published 2 books in Japan and another book in Thailand in 2012 . In 2011 , Ligron published 2 books in Japan and another book in Thailand in 2012 . 1 +The Monroe Free Press is a weekly newspaper serving the Monroe , Louisiana , El Dorado , Arkansas area . The Monroe Free Press is a weekly newspaper that serves the Monroe , Louisiana , El Dorado , Arkansas area . 1 +Ogoki River , is located northeast of Marten Falls First Nation ( Ogoki Post ) near the Ogoki Post Airport in Ontario , Canada . Ogoki Post Airport , located northeast of Marten Falls First Nation ( Ogoki Post ) near the Ogoki River in Ontario , Canada . 0 +There are two PLC repeater stations : one at Gamaboi in Mozambique and one at Catope in South Africa . There are two PLC repeater stations : one at Gamaboi in Mozambique and one at Catope , South Africa . 1 +There have been few significant changes since then , with frequent changes in the design of the Railcard being the most noticeable . Since then , there have been few significant changes , with noticeable changes in the design of the Railcard most common . 0 +"Parrish and Grey reprise their roles from "" Three Smart Girls "" , and Barbara Read replaces Durbin in the role of the middle sister ." "Parrish and Grey repeat their roles with "" Three Smart Girls "" and Barbara Read replaces Durbin in the role of the middle sister ." 1 +In 1828 , Laetitia Snyder married Yeoman of Albany , with whom he had two daughters and three sons . Yeomans married Laetitia Snyder of Albany in 1828 , with whom he had two daughters and three sons . 0 +These dioceses had indirect election of four members , direct election of three members . These dioceses had an indirect election of four members , direct election of three members . 1 +Matthew Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) played in a revival at The Old Vic in London in 2009 . Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) starred in a 2009 revival at The Old Vic in London . 0 +"Polumenta released his second studio album "" Buntovnik "" ( Rebel ) on 18 November 2010 under Grand Production , his fifth project with the label ." "On November 18th , 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project with the label ." 1 +The first recorded Irish presence in the area of present-day Newfoundland dates from 1536 , when Irish fishermen from Cork traveled to Canada . The first recorded Irish presence in the area of present-day Newfoundland dates back to 1536 , when Irish fishermen from Cork visited Canada . 1 +The village of Bellport is located on the shores of Bellport Bay , an arm of the Great South Bay , a mile south of North Bellport . The village of North Bellport is located on the shore of Bellport Bay , an arm of the Great South Bay , one mile south of Bellport . 0 +The museum 's building was built in 1948 , with designs by Wadsworth , Portland & Tuttle of Boston . The museum building was built in 1948 according to designs by Wadsworth , Portland 's Tuttle of Boston . 1 +It has been ergonomically designed to be fully compatible with 90 percent of the pilot population and 99 percent safe - compatibility . It has been designed fully to be ergonomically compatible with 90 percent of the pilot population and safe-compatible with 99 percent . 0 +The Cyclops device was sold in volume by Alfa Romeo , Motor World , Puegeot , Citroen , Nissan , Halfords and Ford as an aftermarket product . The cyclops device was sold in volume by Halfords , Motor World , Puegeot , Citroën , Nissan , Alfa Romeo and Ford as an aftermarket product . 1 +In August 2009 , they published a special collection of eight DVDs of their tours throughout Europe and Los Angeles and published on their official MySpace . In August 2009 , they released a special collection of eight DVDs of their tours across Europe and Los Angeles and edited them on their official MySpace . 0 +Abolitionists rose in 1850 to defend Ellen and William Craft , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . Abolitionists increased in 1850 to the defense of Ellen and William Craft , Anthony Burns in 1851 and Shadrach Minkin in 1854 . 0 +Early on August 25 , a hurricane warning was issued from Vero Beach to Lake Okeechobee and for Florida City . Early on 25 August , a hurricane warning was issued from Florida City to Vero Beach and for Lake Okeechobee . 0 +Jason Syme is the elder Borther of Rugby - League and Rugby - Union - Footballer , Jamie Syme . Jamie Syme is the older borther of the rugby league , and rugby union footballer ; Jason Syme . 0 +He founded the citadel of Armenia , Yerevan in 782 BC , which is the present capital of Erebuni . He founded the citadel of Erebuni in 782 BC , the present capital of Armenia , Yerevan . 0 +Gangatheri is a village and a gram panchayat in Assandh , Karnal district , Haryana , India Its population in 1991 was 2628 . Gangatheri is a village and gram panchayat in Assandh , Karnal district , Haryana , India . Its 1991 population was 2628 . 1 +"Then , on the interval to right "" f "" is greater than Formula 61 and if Formula 62 so :" "then on the interval to the right , "" f "" is greater than formula 61 and if formula 62 so :" 1 +The island of Coëtivy is located in the Indian Ocean south of the Seychelles main group . Seychelles is in the Indian Ocean south of the main Coëtivy Island group . 0 +The current Lodge , known as The Lodge on Lake Creek , is located at the eastern end of the lake , north of the Suttle Lake Outlet . The current lodge , known as The Lodge at Suttle Lake , is located at the east end of the lake , just north of the Lake Creek outlet . 0 +PATH - Service from the Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . PATH - Service from Exchange Place runs east to the World Trade Center , to the north of the Hoboken Terminal , and west to Journal Square and Newark Penn Station . 0 +The Peak family remained at Kilallah for only a few years when the house was purchased by a Mr Fletcher who sold it to the Horrigan family . The Peak family remained in Kilallah for only a few years , when the house was bought by a Mr Horrigan who sold it to the Fletcher family . 0 +Dissident or English separatists were Protestant Christians who separated from the English Church in the 16th , 17th and 18th centuries . Dissident or Protestant separatists were English Christians who separated from the English Church in the 16th , 17th and 18th centuries . 0 +From 1953 , Mourilyan Tanner was responsible for this department , followed by Frank Falkner . James Mourilyan Tanner was responsible for this department from 1953 onwards , followed by Frank Falkner . 1 +Rosemont 's Allstate Arena is home to the Chicago Wolves of the WNBA , the American Hockey League 's Chicago Sky , and the DePaul University basketball team . The Allstate Arena in Rosemont is home to Chicago Wolves , the Chicago Sky of the American Hockey League and the basketball team of DePaul University . 1 +She was born on 28 July 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . Komatsubara was born on July 28 , 1992 , in Okayama , Japan . She married Timothy Koleto in January 2017 in Tokyo . 1 +He worked as a translator and teacher in Costa Rica for most of the four years he was in school there , and then worked in Europe for one year . He worked as a translator and teacher in Costa Rica for most of the four years he was in school , and then worked in Europe for a year . 1 +Shortly after his son , Santha , was drowned in a swimming pool under mysterious circumstances , Jagath died of heart attack on April 11 , 1981 . Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on 11 April 1981 . 0 +Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting her for food . Abe Drexler ( Charlie Hofheimer ) calls Peggy ( Elisabeth Moss ) and insists on meeting them for dinner . 1 +Irving Berlin ( born 1904 , died 1991 , Long Island , New York ) was a songwriter and main arranger and orchestrator for Helmy Kresa . Helmy Kresa , ( born 1904 , died 1991 , Long Island , New York ) was a songwriter and the principal arranger and orchestrator for Irving Berlin . 0 +Lana was born on 20 December 1997 in Moscow . Her younger sister , Lina Alexeyevna Fedorova , is also into figure skating . Lina Alexeyevna Fedorova was born in Moscow on December 20 , 1997 , and her younger sister Lana is also in figure skating . 0 +Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey professional professional and former player . Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey executive and Canadian professional player . 0 +On December 22 , 1862 , to reorganize the Washington territory and form the new Montana territory . 738 on December 22 , 1862 , to reorganize the Washington Territory and form the new Montana Territory . 1 +""" Godman "" was a paramour of Jackie French "" ( né John Homer French ) , bookmaker of Lou Blonger ." "Godman was a paramour of Lou Blonger ( "" né "" John Homer French ) , bookmaker for Jackie French ." 0 +Nick Smith ( Chris Egan ) settles in Summer Bay with his family and he and Duncan quickly become friends and get into various scrapes . Nick Smith ( Chris Egan ) settles with his family in Summer Bay and he and Duncan quickly become friends and get into different situations . 1 +"Jools Holland performed the song on "" Friday Night with Adele "" on 8 February 2008 and on "" Saturday Night Live "" during the 18 October 2008 show ." "The song was performed on February 8 , 2008 on "" Friday Night with Adele "" and during the show on "" Saturday Night Live "" on October 18 , 2008 ." 1 +""" Holocaust "" , created in Lincoln Park in November 1984 , was dedicated by sculptor George Segal ." """ Holocaust "" , dedicated to Lincoln Park in November 1984 , was created by the sculptor George Segal ." 0 +He is the son of Malaysia 's third prime minister , Najib Razak , and the cousin of the sixth and current prime minister , Hussein Onn . He is the son of the third prime minister of Malaysia , Najib Razak , and the cousin of the sixth and current prime minister , Hussein Onn . 1 +Santa Rosa de Lima is a municipality located in the department of Santa Rosa in Guatemala . Santa Rosa de Lima is a municipality in the Guatemala department of Santa Rosa . 0 +She plays for Åland United of Naisten Liiga . She plays for Åland United of the Naisten Liiga . 1 +He was the son of Eoin MacNeill , the founder of Irish Volunteers , whom Niall MacNeill later joined as an officer in the Irish Army . He was the son of Niall MacNeill founder of the Irish Volunteers which Eoin MacNeill joined later becoming an officer in the Irish Army . 0 +In 2001 , Sir Frank Williams brought Michael Senior Operations Engineer to Williams . In 2001 , Sir Michael brought Frank Williams to Williams as Senior Operations Engineer . 0 +Kittery Point is part of the Portland -- South Portland -- Biddeford , Maine Metropolitan Statistical Area . Kittery Point is part of Portland -- South Portland -- Biddeford , Maine Metropolitan Statistical Area . 1 +If it was necessary , as I believe now , it was right and moral . If it was necessary , as I now believe , then it was right and moral . 1 +Company sells ice cream , then expands to bake ice cream cones Headquarters moves to Baltimore . Company sells ice cream , then expands to bake ice cones headquarters moves to Baltimore . 1 +Eupithecia yunnani is a moth in the family Geometridae . It is found in China ( Yunnan ) . Eupithecia yunnani is a moth within the family Geometridae It is found in China ( Yunnan ) . 1 +It serves the port of Baltimore and local shipping companies , Helen Delich Bentley , and connects two railway lines I : CSX Transportation and the Norfolk Southern Railway . It serves the Helen Delich Bentley Port of Baltimore and local shipping companies , and connects with two Class I railroads : CSX Transportation and the Norfolk Southern Railway . 1 +This association was further enhanced after the female Christian missionary , Nino , converted Mirian , his wife Nana and household into Christianity in or around 337 . This association was further reinforced after the Christian female missionary Nino , Nana , his wife Mirian and household had converted into Christianity in or around the year 337 . 0 +In JavaScript , for example , the factor function can be defined via anonymous recursion as such : For example , in JavaScript the factorial function can be defined via such recursion as anonymous : 0 +He was a member of the important Munich family of artists Julius Adam . Julius Adam was a member of the important Adam family of Munich artists . 0 +Summers was passionately passionate about the work of Behn and found himself incredibly devoted to the appreciation of 17th century literature . Summers was incredibly passionate about the work of Behn and found himself fiercely devoted to the appreciation of 17th century literature . 0 +Leider married the first concert master of the Berlin State Opera , Prof. Rudolf Deman . The first concert master of the Berlin State Opera , Prof. Rudolf Deman , was married . 0 +"Bobby Haynes adopted new bass and drums tracks for "" Archives to Eighties - tracks played by Mayall and Joe Yuele ." "For "" Archives to Eighties "" Mayall recorded new bass and drums tracks played by Bobby Haynes and Joe Yuele ." 0 +The 1960 San Diego State Aztecs football team represents San Diego State College football season during the 1960 NCAA College Division . The 1960 San Diego State College football team represented NCAA College Division , during the 1960 San Diego State Aztecs football season . 0 +When the Mahárája Radhanpur reached Safdar Khán Bábi and Jawán Mard Khán Bábi from Sidhpur , he joined him . When the Mahárája reached Radhanpur he was joined by Safdar Khán Bábi and Jawán Mard Khán Bábi from Sidhpur . 0 +Wright was from 1800 -- 04 British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . Wright was from 1800 -- 04 British Consul - General for the Republic of the Ionian Islands ( Seven Islands ) . 1 +"In July 2012 , Sindre and Ole Johan Sæther repeated the feat by free climbing the "" Krasnoyarsk Route "" ." "In July 2012 Sindre and Ole Johan Sæther repeated the feat of climbing the "" Krasnoyarsk route "" ." 1 +It is found in south-eastern Venezuela , where is known as jequitibá-branco or jequitibá-rosa , possibly Brazil , and possibly Colombia . It is found in southeast Brazil , where is known as jequitibá-branco or jequitibá-rosa , possibly Colombia and possibly Venezuela . 0 +Sheep are sacrificed and the meat is distributed to relatives and neighbours and given to the poor . The sheep are being sacrificed and the meat is distributed to relatives and neighbours and given to the poor . 1 +The album was recorded in Brian Elliot Studios in North Hollywood , California , with the engineer David Hines and co-producer Jay Lansford . The album was recorded at Brian Elliot studios in North Hollywood , California , with engineer Jay Lansford and co-producer David Hines . 0 +The Lutoasa River is a tributary of the River Lemnia in Romania . The river Lemnia is a tributary of the River Lutoasa in Romania . 0 +The destroyer reached Tokyo , Japan on August 12 , and patrolled there until September 1 , when she left for Okinawa . The destroyer reached Okinawa 12 August and patrolled there until 1 September when she departed for Tokyo , Japan . 0 +The River Slivei is a tributary of the Jiet in Romania . The JieT is a tributary of the River Slivei in Romania . 0 +Frank Malina died in 1981 in Paris , near Boulogne Billancourt , France . Frank Frank Malina died in Boulogne Billancourt in 1981 , near Paris , France . 0 +"In December 2006 , John von Rhein von Muspratt and the staff of the "" Chicago Tribune "" were named "" Chicagoan of the Year "" in classical music ." "In December 2006 , Muspratt was named "" Chicagoan of the Year "" in classical music by John von Rhein and the staff of the "" Chicago Tribune "" ." 0 +It was added as a digital download on April 6 , 2010 , and was released on Modern Rock radio in the United States on May 5 , 2010 . It was released on April 6 , 2010 as a digital download and added to Modern Rock radio in the United States on May 5th , 2010 . 0 +"It can be either "" venial "" or "" mortal """ "It can either "" mortal "" or "" venial "" be" 1 +Only one percent of the blue diamonds are of this type , and most are grey to natural . Only one percent of natural diamonds are of this type , and most are blue to gray . 0 +Container glass has a higher magnesium oxide and sodium oxide content than flat glass and a reduced content of silica , calcium oxide and aluminum oxide . Container glass has a lower magnesium oxide and sodium oxide content than flat glass , and a higher Silica , Calcium oxide , and Aluminum oxide content . 0 +He was born in Nanjing , attended the engineering school in Nanhui and spent a year at the University of California . Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California , USA . 0 +He died in Newtown ( now Elmhurst Station ) , Flushing , Long Island , New York , April 23 , 1881 . He died on April 23 , 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . 1 +Face of Evil is a 1996 TV movie with Jeanelle Polk as Shawnee Smith , Perry King as Russell Polk and Darcy Palmer as his daughter Tracey Gold . Face of Evil is a TV movie from 1996 with Tracey Gold as Darcy Palmer , Perry King as Russell Polk and Shawnee Smith as the daughter Jeanelle Polk . 0 +Pablo Neruda was Adoum 's personal secretary for nearly two years in Chile . Pablo Neruda was Adel 's personal secretary in Chile for nearly two years . 0 +The elaborately choreographed song was completed in five days , and the dance was produced by Kala . The elaborately-choreographed song was completed in five days , and the dance was produced by Kala . 1 +Through her father , Elizabeth and her sisters were first cousins of Prince Philip , Duke of Edinburgh . Through their father , Elizabeth and her sisters were first cousins of Prince Philip , Duke of Edinburgh . 1 +The wife of Techotlalatzin was a princess from Huexotla , Queen Cuauhcihuatzin , mother to his successor Quinatzin , her grandson was Ixtlilxochitl I . Techotlalatzin 's wife was a Princess from Huexotla , Queen Cuauhcihuatzin , mother of his successor Quinatzin . Her grandson was Ixtlilxochitl I . 1 +This time the vocals were mastered by Matti Auerkallio and the EP performed by Pirkka Rännäli . This time the vocals were performed by Matti Auerkallio , and the EP was mastered by Pirkka Rännäli . 0 +The town of Cortlandville , close to the western border of the county , is surrounded by the city of Cortland . The city of Cortlandville , near the western border of the county , is surrounded by the town of Cortland . 1 +For this match Paul Jones in Valiant 's corner was tied by a rope to Dusty Rhodes . For this match , Paul Jones was bound in Valiant corner by a rope to Dusty Rhodes . 1 +Karolina Šprem defeated Silvia Farina Elia with 6 -- 3 , 4 -- 6 , 6 -- 4 . Silvia Farina Elia defeated Karolina Šprem 6 -- 3 , 4 -- 6 , 6 -- 4 0 +She won Democrats 64-35 , but lost Independents 66-33 to Sanders . She won Democrats 64-35 , but the Independents lost 66-33 to Sanders . 1 +He died on 18 June 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . He died on June 18 , 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . 0 +David was outraged at the rebuke and immediately opened negotiations with Michal , who welcomed him on the condition that his wife Abner should be returned to him . David was indignant at the rebuke and immediately opened negotiations with Michal , who welcomed him on the condition that his wife Abner should be restored to him . 1 +The mountainous area is irrigated with a municipal territory within the central cordillera of the Andes and both by the rivers Cauca and Tonusco . The municipal area is , with a mountainous territory within the Central Cordillera of the Andes and watered by both the Cauca and the Tonusco Rivers . 0 +Like the CBR250RR , the Across was officially available in Japan and Australia , whereas the Across was not widely imported elsewhere . Like the CBR250RR , the Across was officially available in Japan and Australia . The Across was not widely grey-imported elsewhere . 1 +It was organized from militia companies from Montpelier , Burlington , Castleton , Fletcher , Ludlow , Brattleboro , Tunbridge , Vergennes and Waterbury . It was organized by militia companies from Brattleboro , Burlington , Castleton , Fletcher , Ludlow , Montpelier , Tunbridge , Vergennes and Waterbury . 1 +Chetrit lives in New York City . He teaches Hebrew language , literature and culture , and Middle Eastern studies at Queens College in Flushing , New York . He lives in New York City , he teaches language , literature , culture and Hebrew and studies at Queens College in Flushing , New York . 0 +The series was written by Chris Roberson and drawn by Robert Adler . The series was written by Robert Adler and is drawn by Chris Roberson . 0 +Linna is voiced by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English in the original series , with Michie Tomizawa in the 2040 series . Linna is spoken in the original series by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English , with Michie Tomizawa in the 2040s . 1 +Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a Brazilian taekwondo athlete . Natália Falavigna da Silva ( born 9 May 1984 in Brazil ) is a taekwondo athlete from Maringá . 0 +The light brown irregular lines are composed of dorsolateral and ventrolateral spots . The light brown irregular lines are composed of dorsolateral and ventrolateral patches . 1 +The Jiul de Vest river is a tributary of the River De La Hagher in Romania . The De La Hagher River is a tributary of the Jiul de Vest River in Romania 0 +They are patrilineal and were organized into small chieftains in several areas . They are patrilineal and were in small areas organized into several chiefdoms . 0 +Simon Skelton won 9-4 , 9-5 vs. Darren Burnett in the final . Darren Burnett won against Simon Skelton in the last 9-4 , 9-5 . 0 +It continues to work as a nonprofit development agency for film , television , commercial and print/still photography talent in the city and county of San Diego . It continues to work as a commercial development agency for film , television , nonprofit and print / still photography talent in the city and county of San Diego . 0 +On September 11 , 2017 , a fourth series of revival began , and the second series overall . A second series of the revival , and the fourth series overall , started on 11 September 2017 . 0 +The band then added bassist Duane Cowan , who recently moved from Los Angeles to Japan . The band then added bassist Duane Cowan , who had recently relocated from Japan to Los Angeles . 0 +Aslan offered to accompany the children because he wanted Frank himself to see . Frank proposed to accompany the children because he wanted to see Aslan himself . 0 +For the 2011 season -- 12 Cowdenbeath were managed by Jimmy Nicholl , following the resignation of Colin Cameron at the end of the last season . For the 2011 season -- 12 Cowdenbeath were managed by Colin Cameron , following the resignation of Jimmy Nicholl at the end of the previous season . 0 +"The route followed "" 7th Street "" in Larkin Township and "" 160th Street "" in Wilmont ." "The route had followed "" 7th Street "" in Larkin Township and "" 160th Street "" in Wilmont ." 1 +As a result the southern areas of the county has a strong oceanic climate with humid continental influences . As a result , the southern areas of the county have a strong Oceanic climate with humid continental influences . 1 +In the , John W. Hulbert ( F ) resigned on 24 February 1814 and was replaced in a special election by Daniel Dewey ( F ) . In the , John W. Hulbert ( F ) resigned February 24 , 1814 and was replaced in a special election by Daniel Dewey ( F ) 1 +The additional characters released as DLC in Japan were paid as part of the game in the West . The additional characters published in Japan as paid DLC were released as part of the game in the West . 0 +A virtual instrument is a kind of synthetic instrument that is purely software defined . A virtual instrument is a kind of synthetic instrument that is purely defined by software . 1 +"The administrative district of the same name ( "" správní obvod "" ) consists of the districts of Prague 17 and Zličín ." "The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." 0 +He lost to Joey DeJohn but stopped Vinnie Rossano in five rounds . He lost to Joey DeJohn , but Vinnie Rossano stopped in five laps . 1 +All bytes are cushioned at the beginning by a recessive start bit and a dominant stop bit . All the bytes are cushioned in the beginning by a dominant start bit and a recessive stop bit . 0 +The Togian endemic-eye , another species of white bird , was described in 2008 . The Togian endemic-eye , another white bird species , was described in 2008 . 1 +The music was composed by Tim Rice with lyrics written by Sir Cliff Richard and Frank Dunlop . The book is by John Farrar . The music is composed by John Farrar with texts by Sir Tim Rice , the book by Cliff Richard and Frank Dunlop . 0 +The manuscript was bought in 1819 by Edward Everett from Constantinople to America , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett in 1819 , together with six other manuscripts , from America to Constantinople ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +Arthur Beauchamp was the first representative from 1861 to 1866 . David Monro won the 1866 election , but resigned in 1867 . Arthur Beauchamp was the first representative from 1861 to 1866 , and David Monro won the 1866 election but resigned in 1867 . 1 +Birleffi was of Italian ethnicity and Roman Catholic in a predominantly Protestant state . Birleffi was of Protestant origin and Roman - Catholic in a predominantly Italian state . 0 +Gold Label Entertainment is still referred to as EMI in the distributed materials such as the Red Bus Airplay calculation . EMI is still called Gold Label Entertainment in the circulated materials such as the Red Bus Airplay calculation . 0 +Until 31 May 1931 , Colonel Seishiro Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident . Until 31 May 1931 , Colonel Kenji Doihara , lieutenant colonel Kanji Ishiwara , Colonel Takayoshi Tanaka , and Major Seishiro had completed Itagaki plans for the incident . 0 +She was born on 28 July 1992 in Okayama , Japan , and married Timothy Koleto in Tokyo in January 2017 . She was born in Tokyo on 28 July 1992 and married Timothy Koleto in Okayama , Japan in January 2017 . 0 +One of the main advantages of this approach is that routers become very simple . They are just a sensor , pulse reshaper and a transmitter . One of the main advantages of this approach is that routers become very simple : they are just one sensor , a pulse - reshaper and a station . 1 +The party began as a resistance movement that fought for East Timor ’ s independence between 1974 and 1998 , first from Portugal and then from Indonesia . The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 first by Indonesia and then from Portugal . 0 +From October 1997 to August 1999 , the mine was the subject of a long-standing workers ' strike , performed in the listed Lilyvale Stand Monument . The mine was the subject of a long-running workers ' strike from October 1997 to August 1999 , listed in the heritage-commemorated Lilyvale Stand Monument . 1 +The series was created by Bones and co-produced by Bandai Entertainment . The series was co-produced by Bones and made by Bandai Entertainment . 0 +The brothers arrived in Montreal in 1837 and founded the first permanent community of De La Salle Brothers in North America . The brothers who arrived in North America in 1837 and founded the first permanent community of the De La Salle Brothers in Montreal . 0 +The river Pălăoaia is a tributary of the Muereasca River in Romania . The Muereasca River is a tributary of the River Pălăoaia in Romania . 0 +Anne Lindsay is the title of a Scottish ballad written by the Scots poet Lady Auld Robin Gray in 1772 . Auld Robin Gray is the title of a Scottish ballad written in 1772 by the Scottish poet Lady Anne Lindsay . 0 +They showed how to use secure cryptography to implement a blackmail attack with key public information . They showed how to use secure cryptography to implement a public key information extortion attack . 1 +Sporting Club Suceava was a professional football club from Suceava , founded in Romania and established in 2008 . Sporting Club Suceava was a professional football club from Romania , based in Suceava and founded in 2008 . 0 +"When Lombardo switched to CBS , Burns and Allen took over his NBC spot with "" The Adventures of Gracie "" beginning September 19 , 1934 ." "When Lombardo switched to CBS , Burns and Allen took over his NBC spot with "" The Adventures of Gracie "" at the beginning of September 1934 ." 1 +Amber is south of Center Junction , northwest of Anamosa , northeast of Monticello and north of Olin . Amber is located northeast of Anamosa , northwest of Center Junction , south of Monticello and north of Olin . 0 +A month later the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewman were released . A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewmen were released . 1 +""" Town Without Pity "" is a song written by composer Dimitri Tiomkin and lyricist Ned Washington ." """ Town Without Pity "" is a song by composer Dimitri Tiomkin and Texter Ned Washington written ." 1 +Sir Roger Martyn ( or Martin ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , and in 1559 was Sheriff of London . 1 +It was written by Jim Aparo and Mike DeCarlo and is drawn by Jim Starlin . It was written by Jim Aparo and Mike DeCarlo and drawn by Jim Starlin . 1 +Montenegro is a municipality located in the western part of the Quindío department , Colombia , 10 km west of the district capital of Armenia . Montenegro is a municipality in the western part of the department of Quindío , Colombia . It is located 10 km west of the departmental capital Armenia . 1 +More than 5 species of rhizophoraceae grow in Australasia with particularly high biodiversity on the island of New Guinea and in northern Australia . More than 5 species of Rhizophoraceae grow in Australasia with particularly high biodiversity on the island of Australia and northern New Guinea . 0 +Portsmouth won 4 -- 1 , with goals from Bert Barlow , John Anderson and two by Cliff Parker . Portsmouth won 4 -- 1 , with goals by John Anderson , Cliff Parker and two of Bert Barlow . 0 +Until his death in 1996 , Tversky was married to his prominent psychologist Amos Tversky ( 1937-1996 ) . Tversky was married to fellow prominent psychologist Amos Tversky ( 1937-1996 ) until his death in 1996 . 1 +Pingding County is a county located in Yangquan , People 's Republic of China under the jurisdiction of the city of Shanxi . Pingding County is a county in Shanxi Province , People 's Republic of China under the jurisdiction of the city of Yangquan . 0 +In 2017 , a former American football defensive ended in the National Football League for the Washington Redskins and the American Football League for the Los Angeles Charger . In the American Football League for Washington Redskins and the National Football League for the Los Angeles Chargers , a former American football defensive ended . 0 +Glišić went to Zagreb every Sunday and returned to Šabac every weekend . Every Sunday he went to Zagreb and returned to Å abac every weekend . 0 +Allied armies invaded France in early 1814 , Paris fell , and in April Napoleon surrendered . In early 1814 , Allied armies entered France , Paris surrendered , and Napoleon fell in April . 0 +Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in Buenos Aires , Argentina - November 7 , 1996 in San Ignacio , Paraguay ) . Feliciano Centurión ( March 29 , 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) was a Paraguayan painter . 1 +It provides cross-platform software development tools and embedded components for parallel , data-intensive , and other HPC ( High Performance Computing ) applications . It provides parallel software development tools and embedded components for cross-platform , data-intensive , and other high-performance computing ( HPC ) applications . 0 +Portuguese and Brazilian influence was also added during Portuguese colonization . Feijoada was incorporated into the rest of the guisos . During the Portuguese and Brazilian colonisation , Portuguese influence was also added , and Feijoada was incorporated into the rest of the Guisos . 0 +Berkarat ( formerly known as Berk 'Arrat , Berqarat and Berkarrat ; also Akhula Romanized ) is a town in the aragatsotn province of Armenia . Berkarat ( also Romanized as Berk ’ arrat , Berqarat , and Berkarrat ; formerly , Akhula ) is a town in the Aragatsotn Province of Armenia . 0 +The manuscript was added to the list of New Testament manuscripts by Scrivener ( number 243 ) and Gregory ( number 218 ) . The manuscript was added by Gregor ( number 243 ) and Scrivener ( number 218 ) to the list of manuscripts of the New Testament . 0 +Herberg showed how immigration and religious culture were reflected in the American ethnic movements and institutions . Herberg demonstrated how immigration and American ethnic culture were reflected in religious movements and institutions . 0 +"The "" Friends of the School of Art and Design of Putney "" promotes the school and protects the interests of the current students ." "The "" Friends of Putney School of Art and Design "" protects the School and promotes the interests of current students ." 0 +Her husband continued to Europe and died in England in 1804 . Her husband went to England and died in 1804 in Europe . 0 +BA published the former BCal routes to Heathrow to Tokyo and Saudi Arabia . BA transferred the former BCal routes to Tokyo and Saudi Arabia to Heathrow . 0 +It was written by David Richards , produced by him and Bowie . It was written and produced by Bowie by him and David Richards . 0 +The film is a first Syrian produced and directed film nominated for Oscar . The film is a first Syrian nominated film , produced and destined for Oscar . 0 +At the end of the 19th century the castle was property of Counts Ansidei ; in the 18th century it was bought by the Piceller family . At the end of the 19th century the castle was property of the Counts Ansidei , in the 18th century it was bought by the Piceller family . 1 +Via the Appomattox River and the Bush River , it is part of the watershed of the James River . Over the Bush River and Appomattox River it is part of the watershed of the James River . 1 +He also won numerous children ’ s books and illustrated five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . He also illustrated numerous children ’ s books and won five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . 0 +Damian Smith married Mayer in January 2001 . In January of 2001 , Mayer married Damian Smith . 1 +""" The Missionary Position "" is the 20th episode of the ninth season of the American police procedural drama "" NCIS "" , and the 206th episode overall ." """ The missionary position "" is the 206th sequence of the ninth season of the American police - procedural drama "" NCIS "" , and the 20th episode overall ." 0 +The river Galbena is a tributary of the Dunăreana river in Romania . The Galbena River is a tributary of the Dunăreana River in Romania . 1 +"The "" Ruby Cup "" of "" Molod Ukrayiny "" newspaper ( for the most received goals ) was scored by SKA Kiev ." "The "" Ruby Cup "" of the newspaper "" Molod Ukrayiny "" ( for most goals ) was reached by SKA Kiev ." 1 +In 1915 , the United Kingdom introduced military conscription , a crisis meeting of the London branch of Irish volunteers was held at his home in East Dulwich to discuss conscription . In 1915 , Britain introduced conscription ; a crisis meeting of the Dulwich branch of the Irish volunteers was held at his home in east London to discuss conscription . 0 +In a universal legend , Vikramaditya has 32 marks on his body , a property of the medieval Tamil emperors . In a medieval Tamil legend , Vikramaditya has 32 marks on his body , a property of the universal emperors . 0 +"J. Carter Brown referred to Rhodes Tavern as : "" the missing tooth in the smile of 15th Street . """ "J. Carter Brown referred to 15th Street as "" the missing tooth in the smile of the Rhodes Tavern "" ." 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics are assigned to the parish of St. Josef in Bad Urach . The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of Bad Urach are assigned in St. Joseph . 0 +He lives with his wife Cynthia in Ridgefield , Connecticut , and has four children : Jason , Heather , Lindsay and Rebecca . He currently lives in Ridgefield , Connecticut , with his wife Cynthia . He has four children : Jason , Heather , Lindsay , and Rebecca . 1 +He moved to Illinois in 1891 and settled in Ottawa . He moved to Ottawa and settled down in Illinois in 1891 . 0 +After the partition of India in 1947 , Bade Ghulam went to his hometown Kasur in Pakistan , but returned to India later to reside permanently there in 1957 . After the partition of India in 1947 , Bade Ghulam returned to his hometown of Kasur , Pakistan , but went to India in 1957 to live there permanently in 1957 . 0 +""" The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment released it in Germany on October 6 , 2015 ." """ The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment published it on October 6 , 2015 in North America ." 0 +He then returned to the Auckland Rugby League competition and played for Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . 0 +In 2008 , McCarthy received the distinguished service award at the Lee Remmel sports awards banquet in Green Bay . In 2008 , McCarthy received the Distinguished Service Award from the Lee Remmel Sports Awards Banquet at the Green Bay . 1 +However , Pérez was only involved in three team games in IWA Japan , focusing instead on the AAA - promotion of Victor Quiñones . However , Pérez was only involved in three team matches in IWA Japan , instead focusing on Victor Quiñones AAA promotion . 1 +Houyan is a station on Dalian Metro line 3 in the province of Liaoning , China , in the Ganjingzi district of Dalian . Houyan is a station on line 3 of the Dalian Metro Dalian City and is located in the Ganjingzi District of the Province of Liaoning , China . 0 +Anjali calls Reena , a BNTV reporter at Everest - base camp and Arjun 's former lover . Anjali calls Reena , a BNTV reporter in Everest base camp and Arjun 's former lover . 1 +The outer bark is black to reddish brown , while the inner bark is dark brown to pink . The outer bark is black to dark brown , while the inner bark is reddish-brown to pink . 0 +If the first upper diagonal is with 2 multiplied main diagonal , it is of the second kind . If the main diagonal is the first upper diagonal multiplied by 2 , it is of the second kind . 0 +For a number of reasons , some recombinant colonies can not contain the desired white plasmid . Some recombinant colonies may not contain the desired white plasmid for a number of reasons . 1 +Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and its opponent received the other half . Notre Dame received half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent got the other half . 1 +Alaric informs Caroline that Stefan ( Paul Wesley ) stopped looking for a way to bring back Damon and Bonnie . Stefan informs Caroline that Alaric ( Paul Wesley ) has stopped looking for a way to get Damon and Bonnie back . 0 +The first verse expresses the reason for the second verse : the goodness of the Lord was experienced in the past , and his faithfulness will remain forever . The second verse expresses the reason for the first verse : the goodness of the Lord has been experienced in the past , and his faithfulness will last forever . 0 +Julian A. McPhee was born in San Francisco in 1896 to Charles and Ellen MacDonald McPhee , Canadian immigrants of Scottish descent . Julian A. McPhee was born in 1896 in San Francisco , the son of Charles and Ellen MacDonald McPhee , Canadian immigrants of Scottish descent . 1 +Fuksas was born in Rome in 1944 ; his father was Lithuanian Jewish while his French mother was the daughter of a Catholic father and an Austrian mother . He was born in Rome in 1944 , his father was Lithuanian - Jewish , his French mother was the daughter of a Catholic father and an Austrian mother . 1 +She and character actor Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . She and the actor Yakov Fuchs were parents of the famous Polish-American actor Leo Fuchs . 0 +Elizabeth died in 1896 and Adele in 1910 , and both were buried behind the house in the family graveyard . Adele died in 1896 and Elizabeth in 1910 , and both were buried behind the house in the family graveyard . 0 +1993 Western province presented three teams again as one City team and two suburban teams . In 1993 , Western province once again presented three teams as one city team and two suburban teams . 1 +Ignjat Job painted personal landscapes on the island of BraÄ in a colorful Expressionist style . Ignjat Job painted colourful landscapes on the island of Braa in a personal Expressionist style . 0 +Baba ji spread his different thoughts through Sufi books like Piya Rung Kala , Kajal Kotha , etc . Baba ji spread his Sufi thoughts through various books like Piya Rung Kala , Kajal Kotha , etc . 0 +Damerham once was in Wiltshire , but was moved to Hampshire in 1895 . Damerham was once in Hampshire , but was transferred in 1895 to Wiltshire . 0 +"For "" Archives to Eighties "" Bobby Haynes recorded new bass and drums tracks played by Mayall and Joe Yuele ." "For "" Archives to Eighties "" , Mayall appeared in new bass and drums tracks played by Bobby Haynes and Joe Yuele ." 0 +When BFH were first written , preprints was widely distributed to the nuclear physics community . When the BFH was first written , the preprints were widely distributed to nuclear physics . 1 +According to the Louis and Clarke Adventures , Grand Island is considered the Salina ( of Nebraska ) of the south . After the Louis and Clarke Adventures , Grand Island is considered the Salina ( of Nebraska ) of the south . 1 +Today the railheads for Wellsville Alma are township and friendship . Today are the railheads for the Alma Township Wellsville and Friendship . 0 +"In response to the "" white first "" attitude of the organized workers ' movement and the Socialists , Harrison offered a political perspective "" first "" race "" ." "In response to the "" white first "" attitude of the organized labor movement and the Socialists , Harrison provided a "" race first "" political perspective ." 1 +He was born April 23 , 1979 in Ecuador -- Guayaquil , under the sign of Taurus , the last of five children . He was born on 23 April 1979 in Ecuador -- Guayaquil , under the sign of the Taurus , the last of five children . 1 +In 2013 , the Bank 's domestic branches in Austria were sold to Anadi Financial Holdings and renamed Austrian Anadi Bank . In 2013 , the Bank ’ s domestic branches in Austria were renamed Anadi Financial Holdings and sold to the Austrian Anadi Bank . 0 +After Candice 's eviction , Spencer was once again nominated for three consecutive evictions , but each time spared at the expense of Judd , Jessie and Helen . After Spencer 's eviction , Candice would be nominated again for three consecutive evictions , but was spared each time at the expense of Judd , Jessie and Helen . 0 +It is playing James Craig stars and was written by Devon and Richard Devon . It plays Richard Devon stars and was written by Devon and James Craig . 0 +""" Tuscumbia "" was sold to W. K. Adams on November 29 , 1865 at an auction in Mound City ." """ Mound City "" was sold to W. K. Adams at an auction in Tuscumbia on November 29 , 1865 ." 0 +In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in Japan , and in 2006 he became a designer at Woolrich Woolen Mills in America . In the 1970s , Suzuki was one of the first customers of Woolrich Mode in America , in 2006 he became a designer for Woolrich Woolen Mills in Japan . 0 +His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , also enjoyed All-Ireland success with Tipperary . His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland 's success with Tipperary . 0 +As part of a tightening campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Everett , Landover and Atlanta . As part of a rationalization campaign , the company reported in January 2017 that it will close three remaining regional kitchens in Atlanta , Landover and Everett . 0 +The new grammar school became the Upper School , while the old building became the Lower School . The old high school became the Upper School , while the new building became lower school . 0 +The Braddock Lake is a protected reservoir near Swift Current , Saskatchewan , Canada . Swift Current is a protected reservoir near Braddock Lake , Saskatchewan , Canada . 0 +A Bollywood remake of the film was made in 2005 named Rog with Irrfan Khan and Ilene Hamann directed by Himanshu Brahmbhatt . A Bollywood - remake of the film was made in 2005 with Irrfan Khan and Himanshu Brahmbhatt , directed by Ilene Hamann , named Rog . 0 +Somanath is a village in the Palghar district of Maharashtra , India . It is situated in Dahanu Taluka . Somanath is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . 0 +He was guillotined on April 28 , 1794 , when he was sentenced at the same time as his elder brother . He was sentenced on 28 April 1794 , when he was guillotined at the same time as his elder brother . 0 +Ranchi Road Railway Station is a small station in Ramgarh district , Jharkhand . Ranchi Road railway station is a small railway station in Ramgarh district , Jharkhand . 1 +"The weekly newspaper was published in the state in 1781 , the first "" Vermont Gazette "" ." "The weekly was published in the federal state in 1781 , the first "" Vermont - newspaper "" ." 1 +In September 2015 , Morimoto opened the Pan-Asian restaurant Morimoto Asia at Walt Disney World in Disney Springs in Florida . In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Disney Springs in Walt Disney World , Florida . 0 +Larsen was born in Sarasota , Florida and grew up in Cleveland , Ohio . Larsen was born in Cleveland , Ohio . He grew up in Sarasota , Florida . 0 +The conservancy has a dry climate , hottest in October and November and most likely to be wet in April and May . The Conservatory has a wet climate , the hottest in October and November and most likely to be dry in April and May . 0 +From 1993 to 2001 , Huntsman worked as senior executive for Huntsman Corporation , Chairman of the Huntsman Cancer Foundation and CEO of the Huntsman Family Holdings Company . From 1993 to 2001 , Huntsman worked as an executive for Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . 0 +The material was originally desirable in the 1950s because its high melting point and tensile strength were more interesting than that of the more common form of polyethylene . The material was originally interesting in the 1950s because its high melting point and its high tensile strength were more desirable than the more common form of polyethylene . 0 +The total production 483,593 units , was narrowly beaten by its predecessor , the 9000 , of which 503,000 were built . The total production of 483,593 units , was shortly beaten by its predecessor , the 9000 , of which 503,000 were built . 1 +The Wine Museum of Torgiano ( Umbria , Italy ) is a private museum , specialized and completely dedicated to the culture of wine . The Wine Museum of Torgiano ( Umbria , Italy ) is a specialized museum dedicated to the private and whole wine culture . 0 +It corresponds to the zodiacal sign of cancer and later overlaps with about half of July and the early half of August in the Gregorian calendar . It corresponds to the zodiacal sign of cancer and intersects in the Gregorian calendar approximately with the later half of July and the early half of August . 0 +A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September followed another tour in Switzerland . A market was perceived for future tours and destinations . Scandinavia was in April 1975 and there followed another tour to Switzerland in September . 1 +They have sometimes pointed wings , and long tails , and a fast direct flight . They sometimes have pointed wings and long cocks and a direct fast flight . 0 +In 2002 , Ethridge married Model Nancy Hagen , they live in Rockaway Beach , Queens and his studio is in Brooklyn , NY . In 2002 , Ethridge married fashion model Nancy Hagen . They live in Brooklyn , NY and his studio is in Rockaway Beach , Queens . 0 +Wagener made the design of this Japanese porcelain , according to the European taste white and blue , with many flowers . The design of this Japanese porcelain , white and blue according to European taste , with many flowers , has been made by Wagener . 1 +He also worked as a translator for Swedish media journalists and a national newspaper . He also worked as translator for national media journalists and a Swedish newspaper . 0 +Gao Jie , however , was able to defeat Yuwen Xian and Gao Xiaoheng capturing them . Gao Jie , however , was able to defeat Yuwen Xian and Gao Xiaoheng , who was capturing them . 1 +The 2nd BCT of the 28th Infantry Division focused in Ramadi on controlling the main roads and protecting the governor and government center . In Ramadi , the 2nd BCT of the 28th Infantry Division focused on protecting the main roads and controlling the governor and government center . 0 +Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays out of White Plains , New York . Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays from White Plains , New York . 1 +In yacc , a global hack is to use common variables to simulate some kind of inherited attributes and thus LR-attribution . A global hack is to use common variables in yacc to simulate some kind of inherited attributes and thus LR attribution . 1 +It was written and produced by David Richards by him and Bowie . It was written by Bowie and produced by him and David Richards . 0 +Louis Louis Auchincloss was an American stockbroker and lawyer and a cousin of the writer and lawyer , Hugh Auchincloss . Louis Auchincloss was an American stockbroker and lawyer , and a cousin of the novelist and lawyer , Hugh Auchincloss . 1 +The following step works as follows : as long as there are three or more wires of the same weight , add a second layer : The second step works as follows : as long as there are three or more wires with equal weight , add a layer of the following : 0 +Cincinnati Downtown is located west of Day Heights . Day Heights is west of Downtown Cincinnati . 0 +In January 1967 , Daltoni won second place at the first guitar festival of Belgrade . In January 1967 , Daltoni won the second place at Belgrade 's first Guitar festival . 1 +Elegia southi is a species of moth of the family Pyralidae . It was found by Reginald James West in 1932 and is described in Taiwan . Elegia southi is a kind of moth of the Pyralidae family , which was found in 1932 by Reginald James West and is described in Taiwan . 1 +Wooster Victory , first operated under its original name , was then renamed Castelverde , while Vassar Victory was immediately renamed Castelbianco . Wooster Victory , operated immediately under its original name , was first renamed in Castelverde , while Vassar Victory was then renamed to Castelbianco . 0 +Neighboring communities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . Neighbouring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . 1 +From 2 June 1969 , lectures were held for the first 300 students , and the academic workforce consisted of 28 local lecturers at that time . For the first batch of 300 students , lectures were held beginning from 2 June 1969 . At that time , the academic workforce consisted of 28 local lecturers . 1 +Nadia Petrova defeated Agnieszka Radwańska , 6 -- 4 , 6 -- 7 , 6 -- 4 . Agnieszka Radwańska defeated Nadia Petrova , 6 -- 4 , 6 -- 7 , 6 - 4 - 0 +The heavy rainfall caused severe flooding ; in Miller County , 250 houses and 50 businesses suffered water damage , while another 35 were damaged in nearby Donalsonville . The heavy rainfall caused severe flooding : in Donalsonville 250 houses and 50 shops suffered water damage , while another 35 were damaged in the nearby Miller County . 0 +The eggs , which are generally two in the number , are marked with greenish white brown and measure about 1.14 cm by 0.77 cm . The eggs , which are generally two in number , are greenish white marked with brown , and measure about 1.14 cm by .77 cm . 0 +After Munga 's death , Kublai became the Khan . After Munga 's death Khan Kublai became . 0 +The 1912-13 season was the sixth season of Manchester United in the Football League and the 21st in the First Division . The season 1912 -- 13 was the 21st season of Manchester United in the Football League and the sixth in the First Division . 0 +In 1938 , after Anfuso was appointed Minister of Foreign Affairs , Ciano became Head of Staff Ministers . In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Ministry head of staff . 0 +David David Urquidi played keyboards while Rami played Jaffee saxophone and Aguilar played trumpet . Rami Jaffee played keyboards while David Urquidi played saxophone and Aguilar played trumpet . 0 +Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in Arabian Sea Taluka , on the banks of the Palghar . Tadiyale is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka , on the shore of Arabian Sea . 0 +A fourth series of the revival , and the second series overall , started on 11 September 2017 . On September 11 , 2017 , a second series of revival and the fourth series started off . 0 +She moved to Germany in 1989 and settled in Luxembourg two years later , where her husband , Tommy Danielsson , is her coach and training partner . She moved to Germany in 1989 and settled down in Luxembourg two years later . Her husband , Tommy Danielsson , is her coach and training partner . 1 +The Birkenhead Enfranchisement Act 1861 provided that it was to contain the wapentakes of Barkston Ash , Osgoldcross , Strafforth and Tickhill , Staincross , and Agbrigg . The Birkenhead Enfranchisement Act 1861 provided that it should contain the wapentakes of Agbrigg , Osgoldcross , Strafforth and Tickhill , Staincross and Barkston Ash . 1 +In February 2011 , Cenveo Corporation sold its Envelope Products Business including the Columbian Brand Envelope to MeadWestvaco 's Quality Park Envelope Products Group . In February 2011 , MeadWestvaco sold its Envelope Products business , including the Columbian Brand Envelope , to the Quality Park Envelope Products Group of Cenveo Corporation . 0 +The Ati are a central group in the Visayas , the ethnic part of the Philippine archipelago of Negrito . The Ati are a central group in the Visayas , the Negrito ethnic portion of the Philippine archipelago . 1 +The southwestern end of the basin is currently being deformed by transpression , associated with the eastern end of the Conway segment . The eastern end of the basin is currently being deformed by the transpression associated with the southwestern end of the conway segment . 0 +The Austronesian languages , which are spoken across the Pacific and Indian Oceans , are represented in MSEA by the differing Chamic group . The different languages that are spoken across the Pacific and Indian Oceans are represented by the Austronesian Chamic group in MSEA . 0 +Metzinger , a resident of Montmartre , attended the Bateau Lavoir at that time and exhibited with Georges Braque at the Berthe Weill Gallery . A resident of Montmartre , Georges Braque frequented the Bateau Lavoir at this time and exhibited with Metzinger at the Berthe Weill gallery . 0 +Since the Viking Age , there has been conscription in Denmark , where a physical man of every 10th court had to serve the king . Conscription has been around in Denmark since the Viking Age , where 110th man of every physical court had to serve the king . 0 +His nephews include actor Ranbir Kapoor and Armaan Jain and businessman Nikhil Nanda . His nephews include actors Ranbir Kapoor and Armaan Jain , and businessman Nikhil Nanda . 1 +The lower Duwamish was the site of the former concentration of Duwamish villages before the main European contact . The lower Duwamish was the site of the substantial European concentration of Duwamish villages before former contact . 0 +People from all over China come to Lujiang to look at the reverence of Zhou Yu . People from all over Lujiang came to China to look at Zhou Yu 's reverence . 0 +Most Arabs in France come from the Maghreb , but some are from the Mashreq regions of the Arab world . Most Arabs in France come from the Maghreb but some also are from the Mashreq areas of the Arab world . 1 +No EQ was created when the digital master of Griffin was used . No EQ was used when the Griffin digital master was created . 0 +Visitors also use water taxis to visit the cays for a day trip , and there are about 40 taxis in Mayreau and 5-10 in Union . Visitors also use water taxis to visit the cays for a day trip , there are around 40 taxis in Union and 5-10 in Mayreau . 0 +The local intradermal injection of botulinum toxin is helpful in chronic focal painful neuropathies . Local intradermal injection of botulinum toxin in focal neuropathies is helpful and chronically painful . 0 +It extends from U.S. Route 95 ( US-95 ) north of Copeland , east to British Columbia Highway 21 ( BC 21 ) in Porthill . It extends from the US - Route 95 ( US-95 ) east of Copeland , north to British Columbia Highway 21 ( BC 21 ) in Porthill . 0 +"Released in September 2003 in Belgium , "" Sharko III "" was later released in France , the Netherlands , Switzerland , and Japan ." "Published in Belgium in September 2003 , "" Sharko III "" was later released in France , the Netherlands , Switzerland and Japan ." 1 +Shandaken was established as a town in 1804 from part of the Town of Woodstock . Woodstock was founded in 1804 as a town from a part of the town of Shandaken . 0 +Fotbal Club Forex Braşov was a Romanian professional football club from Braşov , Romania , dissolved in October 2002 and founded in 2011 . Fotbal Club Forex Braşov was a Romanian professional club from Braşov , Romania , which was dissolved in October 2002 and was founded in 2011 . 1 +The postal code is 93546 , mail to Mammoth Lakes should be Lake Mary addressed . The ZIP Code is 93546 , mail to Lake Mary should be addressed Mammoth Lakes . 0 +They are transported through wind and drifting , for example on dead wood , and are often introduced by humans , by means of distributed humus or similar . They are distributed by wind and drift , for example on dead wood , and are often introduced by humans through transported humus or similar . 0 +His parents are Don Luis Toranzos , himself a prominent artist , and Angelina Miers from Argentina . His parents are Angelina Miers , himself a prominent artist , and Don Luis Toranzos from Argentina . 0 +The first edition of the tournament won Ricardo Mello against Eduardo Schwank at 6 : 4 , 6 : 2 in the final . Ricardo Mello won the first edition of the tournament against Eduardo Schwank 6 -- 4 , 6 -- 2 in the final . 1 +After May 4 , 2012 , Gordon M. Snow was replaced by Michael S. Welch and then Joseph M. Demarest with a limited formal announcement . After May 4 , 2012 , Gordon M. Snow was replaced by Joseph M. Demarest and then Michael S. Welch with limited formal announcement . 0 +It is hosted by Guy Zu-Aretz and Eli Mizrahi with judges Yarden Harel and the latest Uri Paster and Michal Amdurski . It is hosted by Guy Zu-Aretz and Yarden Harel with judges Eli Mizrahi and the Newest Uri Paster and Michal Amdurski . 0 +"He was a journalist for the "" Greater Malling Gazette "" in Greater Malling , Yorkshire , living in York ." "He was a journalist for the "" Greater Malling Gazette "" at Greater Malling , York , living in Yorkshire ." 0 +The first verse expresses the reason for the second verse : the goodness of the Lord has been experienced in the past , and his faithfulness will exist forever . The second verse expresses the reason for the first verse : the goodness of the Lord has been experienced in the past , and his faithfulness will exist forever . 0 +The son of Ratcliffe married the scientist W. Grey Walter , and one of his two daughters was the neurophysiologist Nicholas Walter , whose grandson Francis Ratcliffe was . Ratcliffe 's son married the scientist W. Grey Walter , and one of his two daughters was the neurophysiologist Nicholas Walter . Francis Ratcliffe was his grandson . 1 +He was a federal judge in Mexico , and a respected lawyer in Mexico City . He was a federal judge in Mexico and a prestigious lawyer in Mexico City . 1 +"Where "" r "" the annual rate , "" i "" is the periodic rate and "" n "" the number of connection periods per year ." "Where "" r "" is the periodic rate "" i "" is the annual rate and "" n "" the number of connection periods per year ." 0 +He was born on May 21 , 1897 in Jambol and died in Sofia on June 15 , 1945 . He was born on May 21 , 1897 , in Yambol and died on June 15 , 1945 , in Sofia . 1 +Ackman sold credit default swaps against MBIA corporate debt and bought the swaps for a large profit during the financial crisis of 2008 . Ackman bought credit default swaps against MBIA Corporate Debt and sold the swaps for a large profit during the financial crisis in 2008 . 0 +The front row allows characters to perform powerful melee attacks , while the back row is for ranged attacks , which can be either bows or magic spells . The back series allows characters to perform powerful melee attacks , while the front row is for ranged attacks , which can be either arches or spells . 0 +Milestone Radio acquired Toronto station CFXJ-FM from CTVglobemedia in 2010 . Milestone Radio acquired the CFXJ-FM station in Toronto from CTVglobemedia in 2010 . 1 +In New South Wales , the Narara Valley High School in Australia and the Nossal High School in Victoria taught the course in their 2012 school year . In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in her 2012 school year . 0 +CAA is not affiliated with the Automobile Protection Agency or consumer groups such as the Dominion Automobile Association . CAA is not affiliated with the Dominion Automobile Association or with consumer groups such as the Automobile Protection Agency . 0 +Angie cries , but when Liz apologizes , she says that it is because of seeing how Frank and Lynn love each other . Angie apologizes , but when Lynn cries , she says that it is because of how Frank and Liz love herself . 0 +Abbie Carmichael ( played by Angie Harmon ) replaced season 8 's Jamie Ross ( Carey Lowell ) in the role of Assistant District Attorney . Abbie Carmichael ( played by Angie Harmon ) replaced the season 8 Jamie Ross ( Carey Lowell ) in the role of Assistant District Attorney . 1 +In 1967 , he became a monk at the Stagrimo Gompa , a Drukpa Kagyu monastery in Ladakh near Padum . In 1967 he became a monk in the Stagrimo Gompa , a Drukpa - Kagyu monastery in Ladakh near Padum . 1 +Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Ghana , and currently Ghana 's Ambassador to Burkina Faso . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso . He is currently Ghana 's ambassador to Ghana . 0 +Scurria plana is a species of sea snail , a true limpet , a true gastropod mollusc in the family Lottiidae , one of the families of marine limpets . Scurria plana is a species of sea snail , a true limpet , a marine gastropod mollusc in the Lottiidae family , one of the families of the true limpets . 0 +An electronic signature is intended to provide the signatory with a seamless identification method to provide a safe and accurate transaction . An electronic signature is intended to provide the signatory with a secure and accurate identification method for ensuring a seamless transaction . 0 +After the sixth stage , Vanzella lost the lead to Sean Yates . Sean Yates lost the lead to Vanzella after the race 's sixth stage . 0 +The central core of the Ministry of Defence was the new Defence Office . The central core of the new Ministry of Defence was the central Defence Office . 0 +Emma married Robert Lee Kelley in 1893 . Robert Kelley married Emma V. Lee in 1893 . 0 +But instead of returning to heaven , Annie decided to join Chris in hell forever . But instead of returning to Heaven , Chris chooses to join Annie forever in Hell . 0 +He graduated from the Military School in Sofia , and in 1910 from the Nikolaevsk General Staff Military Academy in St. Petersburg , Russia . He graduated from the Military School in Sofia and in 1910 from the Military Academy of the General Staff of Nikolaevsk , St. Petersburg , Russia . 1 +64 Democrats and 64 Whigs were elected to the New York State Assembly of the 73rd New York State Legislature . The New York State Legislature of the 73rd New York State Assembly has elected 64 democrats and 64 whigs . 0 +In 1930 the architects Agustín Aguirre and Mariano Garrigues were commissioned to build the Faculty of Pharmacy and Miguel Santos was chosen for the Faculties of Medicine and Dentistry . In 1930 , the architects Miguel Santos and Mariano Garrigues were commissioned to build the Faculty of Pharmacy , and Agustín Aguirre was selected for the Faculties of Medicine and Dentistry . 0 +The station opened on 1 May 1934 on the Stranorlar line from Strabane to Finn Valley Railway . The station was opened on 1 May 1934 on the Stranorlar line from Strabane to Finn Valley Railway . 1 +"Adele was accused of plagiarizing the melody of "" Million Years Ago "" from singer Ahmet Kaya 's 1985 song "" Acilara Tutunmak "" ." "Adele was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" by singer Ahmet Kaya in 1985 ." 1 +Suffolk County Cricket - Teams were the teams representing the historic county of Suffolk before the first official foundation of Suffolk County Cricket Club in 1864 . Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket - Club 1864 . 0 +Carl Smestad ( May 8 , 1888 -- June 29 , 1962 ) was a Norwegian industrialist , son of Reidar Smestad and grandson of Jacob Olssøn Smestad . Reidar Smestad ( May 8 , 1888 - June 29 , 1962 ) was a Norwegian industrialist , the son of Carl Smestad and grandson of Jacob Olssøn Smestad . 0 +When Brian was only two months out of the police school , his friend Roman Pearce was caught in a garage with eight stolen vehicles . When Brian was only two months out of the Police Academy , his friend Roman Pearce was caught in a garage with eight stolen vehicles . 1 +Four ships of the United States Navy were named in honor of Captain Biddle Nicholas Biddle . Four ships of the United States Navy were named in honor of Captain Nicholas Biddle Biddle . 0 +John Rzeznik is an ambassador of the Save the Music Foundation of VH1 , Robby Takac is the founder of Music is Art Foundation . Robby Takac is an ambassador for VH1 's Save the Music Foundation . John Rzeznik is the founder of the Music is Art Foundation . 0 +It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , and Turkey , Azerbaijan and Iran . It is found in Serbia and Montenegro , Bosnia and Herzegovina , Croatia , the Republic of Macedonia and Bulgaria , as well as Turkey , Azerbaijan and Iran . 1 +Ali Adil Shah II was a leading court figure during the reign of Afzal Khan of the Bijapur Sultanate . Ali Adil Shah II was a leading hoffigur during the reign of the Bijapur Sultanate of Afzal Khan . 1 +Due to the increased crystallinity of PDLA , the biodegradation of PDLA is slower than for PLA . Biodegradation of PDLA is higher than for PLA due to the slower crystallinity of PDLA . 0 +In 2016 , the campus moved to Milpitas , California , San Jose , California . In 2016 , the Milpitas , California campus relocated to San Jose , California . 0 +""" A. frondiculus "" is the only member of the genus which is not found in the western Red Sea or in the Indian Ocean ." """ A. frondiculus "" is the only member of the genus that is not present in the western Indian Ocean or the Red Sea ." 0 +Some large excess microwave noise generators use Avalanche diodes to create commercial noise that can be switched on and off . Some commercial microwave noise generators use Avalanche diodes to create a large excess noise that can be switched on and off . 0 +An NMI was triggered in the original IBM - PC when a parity error was detected in the system memory or reported by an external device . In the original IBM PC , an NMI was triggered if a parity error was detected in system memory , or reported by an external device . 1 +Serving the city and surrounding communities , the buses originate at the Ridge Street terminal , across from City Park and City Hall . The buses serving the city and the surrounding communities are at the Ridge Street terminal , across from City Park and the City Hall . 1 +Joanna is located within the federal division of Barker , the state constituency of MacKillop and the local government area of Naracoorte Lucindale Council . Joanna is located within the electoral department of Barker , the federal district of MacKillop , and the local government division of the Naracoorte Lucindale Council . 0 +For centuries Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and its spiritual centre . Kandy , originally known as Senkadagala , has been the bastion of Sri Lankan culture and its spiritual centre for centuries . 0 +Uwe Kröger performed Belle and Marc G. Dalio played the Beast and Leah Delos Santos played Gaston . Uwe Kröger played Belle and Marc G. Dalio played the Beast and Leah Delos Santos played Gaston . 1 +The station was opened on 1 July 1903 on the railway line Donegal Railway from Stranorlar to Glenties . The station was opened on 1 July 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . 0 +Autreppes is a natural municipality in the department of France , in the Hauts-de-Aisne region of northern France and in the French region of Thiérache . Autreppes is a natural commune in the department of France in the Hauts-de-Aisne region of northern France and in the French region of Thiérache . 0 +On 30 June , St. Augustine Governor Farris Bryant announced the creation of a biracial committee to restore interracial communications in Florida . On June 30 , St. Augustine Governor Farris Bryant announced the formation of a biracial committee to restore interracial communication in Florida . 1 +The Father of Woodstock Artie Kornfeld teamed up with Larry McClurg to promote Goodstock Music Festival , reported Pollstar . Larry McClurg , the father of Woodstock , has teamed up with Artie Kornfeld to promote the Goodstock Music Festival , reported Pollstar . 0 +For six months Hopkins toured the band through England , the United States and Japan . For six months , Hopkins toured the band through Japan , the United States and England . 1 +"The soundtrack also featured the 1955 song "" Unchained Melody "" , composed by Hy Zaret with lyrics by Alex North ." "The soundtrack also featured the song "" Unchained Melody "" from 1955 , composed by Hy Zaret with texts by Alex North ." 1 +Annual rainfall varies from in Suriname to the east of the Gulf of Paria to in parts of Venezuela . The annual rainfall varies from Suriname east of the Gulf of Paria to parts of Venezuela . 1 +In 2011 , the U20 - Team of Dorset and Wilts 4 won and played 3 in the U20 County Championship competition . In 2011 the Dorset and Wilts U20 side played 4 and won 3 in the U20 County Championship competition . 0 +His uncle , Chris Griffiths , taught his own sons Tony and Wally Griffiths and Digsy Guitar to play . His uncle , Wally Griffiths , taught his own sons Tony and Chris Griffiths and Digsy Guitare to play . 0 +"The chateau has planted with Cabernet Sauvignon , Merlot and Cabernet Franc . A second wine is produced under the name of "" Vivens "" ." "The Chateau has planted with Cabernet Sauvignon , Merlot , and Cabernet Franc . A second wine is produced under the label "" Vivens "" ." 1 +We take things with an open mind , while historians tend to find a subject and use the material to prove their point . "We approach things with an open mind , while historians tend to find a subject and take the material to prove their point. """ 1 +The Nature Conservancy was founded in 1985 by Pat Noonan , former head of the Conservation Fund . The Nature Conservancy was founded in 1985 by Pat Noonan , former head of the Nature Conservation Fund . 1 +Very unhappy and confused , Salene falls in love with the chosen , Luke , but he rejects them for Ellie . Salene falls in love with the chosen , Ellie , very unhappy and confused , but he rejects them for Luke . 0 +This layer only deals with the physical plugs and connectors and the electrical specification of signals . This layer deals only with electrical connectors and sockets and with the physical specification of signals . 0 +"In the United States , many anthropologists used Caucasian as a general term for "" white "" ." "In the United States , many anthropologists used Caucasian as a general name for "" white "" ." 1 +The Longmen Wang were a cadet line of the Zhou dynasty hailed Taiyuan Wang , and Wang Yan and his grandson Wang Tong descended from his cadet line . The Longmen Wang were a cadet line of the Zhou dynasty that descended from Taiyuan Wang and hailed Wang Yan and his grandson Wang Tong from his cadet lines . 0 +Mornington Cemetery is a cemetery serving the Melbourne area of Mornington Peninsula . Mornington Cemetery is a cemetery serving the Melbourne area of the Mornington Peninsula . 1 +This view is common in southern India and parts of northern India . This point of view is common in northern India and parts of southern India . 0 +"Machiavelli divides the theme of mixed states into two types , "" new "" cases and "" purely new "" states ." "Machiavelli divides the theme of the new states into two types , "" mixed "" cases and purely new states ." 0 +The first music video for the album filmed and edited for the song 'Trust You ' was made by Pierre Bouvier-Patron of Friends Studio , London . The first music video for the album , filmed and edited for the song 'Trust You ' , was made by Pierre Bouvier-Patron of Friends Studio , London . 1 +He defeated Quentin Gilbert and Pierre Roche , with Gilbert having not long ago clinched the titles in WRC3 and JWRC . He defeated Gilbert , with Quentin Gilbert and Pierre Roche the titles in WRC3 and JWRC won not long ago . 0 +Jeetenkumar Naorem and Tony Aheibam have composed the soundtrack for the film and Raju Mikoncha wrote the lyrics . Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha composed the lyrics . 0 +The climate was during this time a mixture of two different seasons , of a dry season and of a shorter rainy season . The climate during this time was a mixture of two different seasons , rainy seasons and a shorter dry season . 0 +Andreas Schelfhout was born in Schellingwoude in Amsterdam and studied painting with Nicolaas Johannes Roosenboom , a leading romantic landscape painter . Nicolaas Johannes Roosenboom was born in Schellingwoude now in Amsterdam . He studied painting with Andreas Schelfhout , a leading Romantic landscape painter . 0 +Some poets belonging to this period are Kurup , Punaloor Balan and Puthussery Ramachandran , Thirunalloor Karunakaran , P. Bhaskaran , Vayalar Ramavarma . Some poets belonging to this period are P. Bhaskaran , Vayalar Ramavarma . Thirunalloor Karunakaran , O N V Kurup , Punaloor Balan and Puthussery Ramachandran . 1 +Molecular evidence supports a tree for Janthinoidea that shows the sequential development of properties for a neustonic life . Molecular evidence shows a tree for Janthinoidea that supports the sequential development of traits for a neustonic life . 0 +This is a list of the etymology of street names in London 's Covent Garden district . This is a list of the etymology of street names in the district Covent Garden in London . 0 +Posen is a composer , born in 1944 in Poland ( Zdzisław Wysocki ) Poznań . Posen is a composer , born in Poland ( Zdzisław Wysocki ) in 1944 . 1 +In August 2011 , Mark Matt asked the show to leave whatever he did . In August 2011 , Mark asked Matt to leave the show , which he did . 0 +Forty different plant communities containing at least 1,342 species and 54 rare plants have been identified in the gorge . Forty different plant communities were identified in the gorge , containing at least 1,342 species and 54 rare plants . 1 +In 2009 , it was won by Australian Ryoichi Sekiya , the world champion of the 24-hour race in 2008 , and in 2008 by Martin Fryer . In 2009 , it was won by Australian Ryoichi Sekiya , the 2008 world champion of 24-hour racing , and in 2008 by Martin Fryer . 1 +"He is known for the creation of various origami models , including erotic instrumentalists , insects and complex origami works , called "" Pornigami "" ." "He is known for creation of complex origami models , including various instrumentalists , insects , and erotic origami works , called "" pornigami "" ." 0 +In 1697 , he was returned to Eye as a Whig Member of Parliament , and sat until 1713 , when he was re-elected to Lymington . In 1697 he was returned as a Whig Member of Parliament for Eye , and sat until 1713 when he was re-elected for Lymington . 1 +Week 1 : Teams have to move from Venice Beach , California , to Santa Barbara , California . Week 1 : The teams have to move from Santa Barbara , California to Venice Beach , California . 0 +This is caused by a combination of kinetic heating ( friction ) and adiabatic compression . This is caused by a combination of adiabatic ( ribbed ) heating and kinetic compression . 0 +She was born in Moscow and later traveled to Geneva to study chemistry . Born in Moscow , she later traveled to Geneva to study chemistry . 1 +Although born in Portsmouth , Rhode Island , Gonsalves grew up in Fall River , Massachusetts . Although born in the Fall River , Massachusetts , Gonsalves grew up in Portsmouth , Rhode Island . 0 +The Commission was led first by Spencer F. Baird , then Marshall McDonald , George Brown Goode , and finally George Bowers . The Commission was first led by Spencer F. Baird , then by Marshall McDonald , George Brown Goode , and finally George Bowers . 1 +He has a Portuguese mother and a Norwegian father and spent a part of his childhood in Lisbon . He has a Norwegian mother and a Portuguese father , and spent part of his childhood in Lisbon . 0 +The conclusions are that we are all manifestations of one perfect spiritual mind and the divine spirit , not a material body . The conclusions are that we are all perfect spiritual notions of one divine spirit and manifest the spirit , not a material body . 0 +"The Allmusic - Review by Michael Erlewine awarded the album with 4 ½ stars and stated : "" Another award-winning album with Sonny Clark and pianist Green "" ." "The Allmusic review by Michael Erlewine awarded the album 4 ½ stars and stated "" another excellent album with Green and pianist Sonny Clark "" ." 0 +It was extended by Laura to the Booleroo Centre in 1910 and finally to Wilmington in 1915 . It was extended from Laura in 1910 to Booleroo Centre , and finally to Wilmington in 1915 . 1 +"A range of digital resources are available within the UGent network as part of a "" electronic library . """ "Within the UGent network , a series of electronic resources are available as part of a "" digital library "" ." 0 +The release focused on stabilizing the plasma desktop , improving the functionality and integrating KDE . The release focused on stabilizing the Plasma desktop , improving functionality and integrating KDE . 1 +According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave its promos to Anarquia . According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave the promos to Anarquia . 1 +Lavoy was for the Olympians for three seasons and started 10th in the league in field target percentage in 1952 and 9th 1953 . Lavoy started for the Olympians for three seasons and was 10th in the league in field goal percentage in 1952 and 9th in 1953 . 0 +"An important advantage ( projected by Carr ) was that "" if Soviet Russia had already to fight Hitler , the Western Powers would eventually be involved . """ "One important advantage ( projected by Carr ) was that "" if Soviet Russia had to fight Hitler eventually , the Western forces would already be involved ." 0 +Daniel Dewey ( F ) joined February 24 , 1814 , and was replaced by John W. Hulbert ( F ) in a special election . In the , Daniel Dewey ( F ) resigned February 24 , 1814 and was replaced in a special election by John W. Hulbert ( F ) 0 +The ship was sold on 1 March 1973 from the naval register and scrapped for scrapping in 1974 . The ship was sold from the Naval Vessel Register on March 1 , 1973 and struck for scrapping in 1974 . 0 +There are no stops in West Bridgewater , but there are stops in Bridgewater and the Campello section of Brockton . There are no stops in West Bridgewater , but there are bus stops in Bridgewater and the Campello section of Brockton . 1 +He was then traded for the Detroit Tigers for Matt Drews and Joe Randa through the Arizona Diamondbacks with Travis Fryman . He was then traded on the Detroit Tigers for Travis Fryman by the Arizona Diamondbacks with Matt Drews and Joe Randa . 0 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , enjoyed also with Tipperary All - Ireland - success . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed with Tipperary also All - Ireland - success . 0 +Many people who admit to being frequent tanners say they tan to feel good , look good , and to relax . Many people who admit to being common tanners say that they tan to feel good , to look good and relax . 1 +This is the complete list of places in Blaenau Gwent County Borough , South Wales . This is a list of places in the South Wales county borough , Blaenau Gwent . 0 +He worked as a teacher in Bruges and between 1693 and 1717 in Tielt . He worked as a school teacher in Tielt , between 1693 and 1717 , in Bruges . 0 +Then he taught in Ohio , Ithaca , Dayton , Pennsylvania ( Cornell University ) , New York City ( Penn State ) , and Minneapolis , Duluth . He taught in Minneapolis , Duluth , Dayton , Ohio , Ithaca ( Cornell University ) , Pennsylvania ( Penn State ) and New York City . 0 +Some organic compounds are valid minerals , which are recognized by the IMA ( CNMNC ) . Some valid compounds are organic minerals , recognized by the CNMNC ( IMA ) . 0 +Typically , sarons often come in a number of sizes , from largest to smallest . Sarons typically come in a number often sizes , from largest to smallest . 1 +This radioactive heavier isotope may be new depending on the chemical element ( stable or unstable ) . This new heavier isotope can be stable or unstable ( radioactive ) depending on the chemical element involved . 0 +Total population : 333 , of which 49.8 % were male and 50.2 % female . The total population was 333 , of which 49.8 % were female and 50.2 % were male . 0 +After completing his university education at Cardiff University and Rouen , France , he was based in Harrogate , North Yorkshire , from 1996 to 1999 . After completing his initial university education at Cardiff University , and in Rouen , France , he was from 1996 to 1999 based in Harrogate , North Yorkshire . 1 +Popular with Marouf - athletes such as Ali Daei , Hamid Sourian , and Behdad Salimi are helpers in the fight against and eradication of poverty and hunger in the World Food Programme . Popular with Marouf athletes such as Ali Daei , Hamid Sourian and Behdad Salimi the helpers in the fight and eradicate poverty and hunger in World Food Programme . 1 +The station is located next to Meitetsu Nagoya Station , the terminal of Nagoya Railroad , and the Kintetsu Nagoya Station , the terminal of the Kintetsu Nagoya line . The station is located next to the Kintetsu Nagoya Line , the terminal of Nagoya Railroad , and the Kintetsu Nagoya Station , the Meitetsu Nagoya Station terminal . 0 +Mount Cline is a mountain in the western Nordegg , north of Saskatchewan Crossing , southwest of Alberta , Canada . Mount Cline is a mountain in western Alberta , Canada , north of Saskatchewan Crossing , southwest of Nordegg . 0 +In 2006 Venezuelan Carlos Pena gradually took over as co-lead singer , although Beny continued to tour and occasionally record with Ska Cubano . In 2006 , Venezuelan Carlos Pena gradually took over as Co-Lead singer , although Beny continued to record on tour and occasionally with Ska Cubano . 1 +Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football manager and former player . Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football manager and previous player . 1 +The outer narrator meets with his old friend Grover by Sterling , Colorado , and asks about the murdered agent at Rodgers station . The outer narrator meets with his old friend Grover at Sterling , Colorado , and asks about the murdered agent in the Rodgers station . 1 +Until his death in 1996 , Amos Tversky was married to his prominent psychologist Tversky ( 1937-1996 ) . Amos Tversky was married to fellow prominent psychologist Tversky ( 1937-1996 ) , until his death in 1996 . 1 +In both cases , he had been selected by Eugenio Scalfari as a critic , first for the weekly newspaper and then for the daily edition . In both cases he had been chosen as critic by Eugenio Scalfari , first for the daily and then for the weekly edition . 0 +The song was composed and written by Gilles Thibaut . The song was composed by Gilles Thibaut and written by . 1 +In 1836 , Ephraim Fletcher came to Gaines from New York and settled in Van Vleet Road ( Section 16 ) . Gaines came to Ephraim Fletcher in 1836 from New York and settled in Van Vleet Road ( Section 16 ) . 0 +If it was commercially printed , illustrations were added by J. Augustus Knapp . When it was printed commercially , illustrations by J. Augustus Knapp were added . 1 +Inception is a 2010 science fiction film written , co-produced , and directed by Christopher Nolan , and co-produced by Emma Thomas . Inception is a science fiction film from 2010 , co-produced by Emma Thomas and written by Christopher Nolan , co-produced and staged . 1 +""" Opson "" is therefore equivalent to Banchan in Japanese and Okazu in Korean cuisine ." """ Opson "" is therefore Banchan in Korean cuisine and Okazu in Japanese cuisine equivalent ." 0 +Wadsworth became the editor in 1944 when he succeeded C. P. Scott , the son of Edward Taylor Scott . Wadsworth became editor in 1944 , when he succeeded C. P. Scott , son of Edward Taylor Scott . 1 +It was later reported that Sunita will embark on an affair with Karl Munro ( John Michie ) . Later , it was reported that Sunita will start an affair with Karl Munro ( John Michie ) . 1 +After his dismissal , he moved from Germany to New Mexico , then to Los Angeles , and then to San Francisco . After his discharge he moved from Germany to New Mexico and then to Los Angeles then to San Francisco . 1 +The township borders Hammonton in Burlington County ; Medford Township , Tabernacle Township and Washington Township in Camden County ; and Waterford Township in Atlantic County . The municipality borders on Medford Township , Tabernacle Township and Washington Township in Burlington County , Hammonton in Atlantic County and Waterford Township in Camden County . 0 +She was born in Da Lat in 1963 , son of a French father and a Vietnamese mother . She was born in 1963 in Da Lat , to a Vietnamese father and a French mother . 0 +Deutsch Schützen-Eisenberg is a municipality in Burgenland in the district of Oberwart in Austria . Schützen-Eisenberg is a municipality in Oberwart , in the Burgenland district of Austria . 0 +It was launched on July 28 , 1941 and completed in August . It was completed on July 28 , 1941 and launched in August . 0 +The astors settled in Germany , appearing for the first time in the 18th century in North America with John Jacob Astor , one of the richest people in history . The astors settled in North America , appearing for the first time in the 18th century in Germany with John Jacob Astor , one of the richest people in history . 0 +Sarons typically come in a number often sizes , from smallest to largest : Typically , sarons in a number often come in sizes , from the smallest to largest : 1 +Besides Irina , several other actresses Lena Olin have portrayed in the course of the series . Besides Irina , several other actresses portrayed Lena Olin in the course of the series . 1 +Formally known as Mercy Lewis , Mercy Allen was the child of Philip Lewis and Mary ( Cass ) Lewis . Mercy Lewis was the child of Philip Lewis and Mary ( Cass ) Lewis , formally known as Mercy Allen . 0 +His father had been a blacksmith and inventor and had worked in Scotland with an iron rope . Of Scotland , His father had been a blacksmith and an inventor , and had worked with iron rope in California . 0 +Cornelis van Cleve painted predominantly mythological paintings and to a lesser extent religious scenes and portraits . Cornelis van Cleve painted predominantly religious paintings and to a smaller extent mythological scenes and portraits . 0 +Quindío is a municipality in the western part of the department of Montenegro , Colombia . It is located 10 km west of the departmental capital Armenia . It is a municipality located in the western part of the department of Montenegro , Colombia , 10 km west of the district capital Armenia . 1 +The Fixer Uppers is a short film from 1935 with Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . The Fixer Uppers is a short film by Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach , in 1935 . 0 +Muidhara has its own library , club ( Muidhara Kishore Sangha ) , primary school , upper primary school , playground , Masjid , kali mandir , Shiv Mandir . Muidhara has its own library , club ( Muidhara Kishore Sangha ) , upper stage , primary school , playground , Masjid , Kali Mandir , Shiv Mandir . 1 +"As Sophie reported , Sophie 's were ; last words "" Count Harrach , Franz Ferdinand !" "As reported by Sophie , Sophie 's last words were "" Count Harrach , Franz Ferdinand !" 1 +The unpublished ( and possibly unwritten ) stories of the three series are : The unwritten ( and possibly unpublished ) stories of the three series are : 0 +The Millersburg Area School District is required to pay the charter school and cyber charter school teaching for residents who attend these public schools . The Millersburg Area School District is required to pay the charter school and cyber charter school tuition for residents who attend these public schools . 1 +"Therefore , all strictly non-palindromic "" n "" 6 prime numbers are ." "Therefore , all strictly prime "" n "" > 6 are non-palindromic ." 0 +Agrippa then sent Polemon I of Pontus to remove Scribonius and take the throne himself . Agrippa then sent Polemon I of Pontus to remove Scribonius and take over the throne himself . 1 +Following the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 , Crisp was retained as a line coach . After the resignation of Drew and the attitude of Jennings B. Whitworth in December 1954 , Crisp was retained as a line coach . 0 +Kaamadhenu is a 1976 Indian Malayalam film , directed by J. Sasikumar and produced by Hassan Rasheed . Kaamadhenu is an Indian Malayalam film from 1976 , produced by J. Sasikumar and directed by Hassan Rasheed . 0 +His father Robert ( 1662 -- 1706 ) and his brother John were both Members of Parliament . His father John ( 1662 - 1706 ) and his brother Robert were both members of the parliament . 0 +In 1964 he finished fourth in the downhill contest and ninth in the giant slalom competition . In 1964 he became fourth in the Downhill - Contest and Ninth in Giant Slalom - Competition . 1 +"Are "" A "" and "" B "" algebraic rooms , the Banach - tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B "" Banach are rooms , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" 0 +Elena Timina ( born May 8 , 1969 ) is a Russian - Dutch professional table tennis player , born in Moscow , Soviet Union . Elena Timina ( born 8 May 1969 ) is a Dutch professional-born Russian table tennis player . She was born in Moscow , Soviet Union . 0 +It was described by Alpheus Spring Packard in 1874 and found in North America . It is found by Alpheus Spring Packard in 1874 and is described in North America . 0 +At the time when Motorola overtook the developers and their patents , they held 50 valid patents and had 40 for approval . At the time Motorola held the developers and their patents , they had 50 valid patents and overtook 40 waiting for approval . 0 +The father of Woodstock , Artie Kornfeld , has teamed up with Larry McClurg to promote the Goodstock Music Festival , Pollstar reported . The Father of Woodstock Artie Kornfeld teamed up with Larry McClurg to promote Goodstock Music Festival , reported Pollstar . 1 +When Labour formed a government after the , Norman Kirk appointed McGuigan as Minister of Railways , and Minister of Electricity . When Labour formed a government , Norman Kirk McGuigan appointed the Minister of Railways and Minister of Electricity . 1 +In 2006 , an additional compressor was introduced , using a lateral prism with large reflectors to allow a multi-pass arrangement on the prism . An additional compressor , using a large prism with lateral reflectors to enable a multi-pass arrangement at the prism , was introduced in 2006 . 0 +The agency was founded in Chicago in 1976 and entered New York in 1998 and Milwaukee in 2009 . The agency was founded in Milwaukee in 1976 and entered Chicago in 1998 and New York in 2009 . 0 +On 2 April 2011 , Jenkins married Ivy Vujic . Ivy Vujic Jenkins was married on 2 April 2011 . 1 +The season 1980 -- 81 Toronto Maple Leafs was the Toronto Maple Leafs 64th season of the franchise , season 54th as the Maple Leafs . The 1980-81 Toronto Maple Leafs season was the Toronto Maple Leafs 54th season of the franchise , season 64th as the Maple Leafs . 0 +It is found in south-eastern Venezuela , where as Jequitibá - branco or jequitibá-rosa , possibly Brazil and possibly Colombia is known . It is found in southeast Brazil , where is known as jequitibá-branco or jequitibá-rosa , possibly Colombia and possibly Venezuela . 0 +He battles Ballox the Monstroid , and controls Spider-Man and the Vision . He battles the monstroid Ballox and controls SpiderMan and the vision . 1 +The Football Federation of Armenia was established on 18 January 1992 and had relations with FIFA in 1992 and UEFA in 1993 . The Football Federation of Armenia was founded on 18 January , 1992 and established relations with UEFA in 1992 and with FIFA in 1993 . 0 +His son Tokugawa Ieyasu was adopted by Naotora and , under Ii Naomasa , became a dreaded general , who is considered one of his four guardians . His son Ii Naomasa was adopted by Naotora and became under Tokugawa Ieyasu a dreaded general , who is considered one of his four watchmen . 0 +The middle period ( 2600 to 2000 BC ) of the Yellow River culture in the late Longshan area is contemporaneous with the classic Shandong Longshan culture . The middle period ( 2600 to 2000 BC ) of the Yellow River culture in the late Longshan area is coinciding with the classical Shandong Longshan culture . 1 +He was the brother of actor Barry Lupino ( 1882 -- 1962 ) and the father of Ida Lupino . He was the brother of the actor Ida Lupino ( 1882 -- 1962 ) and father of Barry Lupino . 0 +The Chișer River is a tributary of the Rât River in Romania . "The Chi "" River is a tributary of the Rât River in Romania ." 1 +Born in Gosforth , Northumberland , as a boy he moved south to the Wiseton Estate , near Retford , Nottinghamshire when his father found work there . Born in Retford , Nottinghamshire , he moved as a boy to Wiseton Estate , near Gosforth , Northumberland , when his father found jobs there . 0 +The IAA again became active in federal politics when the Liberal government released its White Paper Policy in 1969 . The IAA became active in federal politics again when the Liberal Government published its White Paper policy in 1969 . 1 +About 90 % of all tobacco grown in Canada is manufactured here . About 90 % of all tobacco grown in Canada is produced here . 1 +"The other song "" Hej Clown "" has been written by Benny Andersson and later ABBA - member Lasse Berghagen ." "The other song , "" Hej clown "" was written by Lasse Berghagen and later ABBA member Benny Andersson ." 0 +The game was announced on May 16 , when the Steam Greenlight campaign was launched . The game was announced on 16 May when Steam Greenlight campaign was launched . 1 +In the London production the role was played by Robbie Scotcher and the role was taken over by Jerome Pradon on 23 June 2008 . In London production , the role of Robbie Scotcher was played and the role was taken over by Jerome Pradon on 23 June 2008 . 1 +Tom Watson was originally set to defend his Middleweight Championship against Frank Trigg . Originally , Tom Watson was supposed to defend his middleweight championship against Frank Trigg . 1 +Its unusually long , dark brown tail is used for balance , and its thighs are muscular . Its unusually muscular cock is used for balance , and its thighs are long , dark brown . 0 +The recent Sierra Leone Civil War was secular in nature featuring members of Christian , Muslim , and Tribal faiths fighting on both sides of the conflict . The recent civil war in Sierra Leone was secular in nature , with members of Christian , Muslim , and tribal faith fighting on both sides of the conflict . 1 +Djan Faridz ( born in Jakarta on 5 August 1950 ) is once a Minister of Public Housing of Indonesia and owner of PT Dizamatra Powerindo . Djan Faridz ( born August 5 , 1950 in Indonesia ) was a Minister of Public Housing in Jakarta and owner of PT Dizamatra Powerindo . 0 +Taiping Mountain Forest Railway was commissioned in 1920 and connected to the Luodong Forest Railway in 1924 . The Luodong Forest Railway was opened in 1920 and connected to Taiping Mountain Forest Railway in 1924 . 0 +Although it was never used in the series , elements of the gameplay were played for the Powerball , Whiplash and Earthquake events . Although it was never used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been played . 1 +The first verse expresses the reason for the second verse : the goodness of the Lord was experienced in the past , and his faithfulness will remain forever . The second verse expresses the reason for the first verse : the goodness of the Lord has been experienced in the past , and his faithfulness will exist forever . 0 +As General Counsel , Zhao Nanqi ( General ) and Liu Yuan Liu Yuan ( general ) and Zhao Nanqi serves as its general counsel . 0 +From 1908 to 1912 , Henry Tonks studied at the Slade School of Fine Art in London , among others Spencer . From 1908 to 1912 , Henry Tonks studied at the Slade School of Fine Art in London , under Spencer and others . 1 +The second beta of FrostWire was available in the last quarter of 2005 . The second beta release of FrostWire was available in the last quarter of 2005 . 1 +"Wollstonecraft arrived in Sydney on board the ship "" Grenada "" on 31 August 1819 ." "Wollstonecraft met on 31 August 1819 on board the ship "" Sydney "" in Grenada ." 0 +In 1975 , he was appointed Australia 's first Consul General in Papua New Guinea . In 1975 he was appointed Australia 's first Consul of General in Papua - New Guinea . 1 +Giulio Pomponio Leto ( 1428 -- 9 June 1498 ) , also known as Julius Pomponius Laetus , was an Italian humanist . Julius Pomponius Laetus ( 1428 - June 1498 ) , also known as Giulio Pomponio Leto , was an Italian humanist . 1 +Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist who is based in Montreal . Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist based in Montreal . 1 +The current ( from 2013 to 2017 ) mayor is Fernando Nogueira , elected by the PenCe ( communal movement ) , the independent holiday is October 1 . Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal day is October 1 . 0 +Károli started his school in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . Károli started his school in Brassó and finished in Nagykároly . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . 1 +The system moved west and passed north of Saipan near Guam on October 16 at around 0600 UTC . The system moved on October 16 at 0600 UTC to the west and passed north of Guam near Saipan . 0 +When possible , we offer general music lessons as well as private lessons in piano and other instruments . When possible we are able to offer private music lessons as well as general lessons in piano and other instruments . 0 +The electoral district was created in 1966 from parts of Northumberland -- Frontenac , Hastings South , Hastings , and Prince Edward -- Lennox ridings . The constituency was created in 1966 from parts of the Northumberland -- Frontenac , Hastings South , Hastings and Prince Edward -- Lennox Ridings . 1 +Dave Denine is a provincial politician in Newfoundland and Labrador , Canada , who worked as Minister of Intergovernmental Affairs from 2007-2011 in the former Canadian cabinet . Dave Denine is a former Canadian politician in Newfoundland and Labrador , Canada . He served in the provincial cabinet from 2007-2011 as Minister of Intergovernmental Affairs . 0 +The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was produced in 3D and finalized in the post-production . The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was made in 3D and finalized in post-production . 1 +Asbestos substitutes now include ceramic , carbon , metal , and aramid fibers , such as Twaron or Kevlar . Substitutes for asbestos now include ceramic , carbon , metallic and Aramid fibers , such as Twaron or Kevlar . 1 +The song was originally produced by Mopreme Shakur and features Hurt-M-Badd , Big Syke , Johnny J , Yaki Kadafi 'E.D.I . The song was originally produced by Johnny J and features Hurt-M-Badd , Big Syke , Mopreme Shakur , Yaki Kadafi 's E.D.I . 0 +Bambuco , a Basque folk music , has Colombian roots . Colombian folk music Bambuco has Basque roots . 0 +In April 1944 , Cozen 's Lieutenant-General was appointed and was later promoted to Assistant Chief General Ronald Scobie . In April of 1944 , Cozens was promoted to Lieutenant-General and was later appointed Assistant Chief of General Ronald Scobie . 0 +The Mine Letneye is a large copper mine in the south-west of Russia in the Orenburg region . The Mine Letneye is a large copper mine in the south-west of the Oblast Orenburg in Russia . 0 +"Released in September 2003 in France , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland , and Japan ." "Published in Belgium in September 2003 , "" Sharko III "" was later released in France , the Netherlands , Switzerland and Japan ." 0 +The following schools are located in Papakura ( schools in Rosehill , Takanini and Opaheke are exempt ) : The following schools are located at Takanini ( schools in Rosehill , Papakura and Opaheke are excluded ) : 0 +Clement Teo is the current Team Manager of the S. League team , Hougang United . Clement Teo is the current team manager of S. League team , Hougang United . 1 +Renée Descartes , the founder of analytical geometry , believed that the natural world was objectively divisible and that space is infinitely measurable . Renée Descartes , the founder of the analytical geometry , believed that the natural world is objectively divisible and that the space is infinitely measurable . 1 +The first railway workshops in the Wellington region were located near Wellington 's first railway station at Pipitea Point . The first railway workshops in the Wellington region were near Pipitea Point 's first railway station at Wellington . 0 +Another kuji formula is found in the writings of Jodo Shinshu , founded by Shinran , and is yet another mantra to Amida Nyorai which reads Another Kuji formula can be found in the writings of Jodo Shinshu , founded by Shinran , and is another mantra to Amida Nyorai , which is : 1 +Among women , the favourites were Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . Of the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . 0 +Originally from Sydney , Holmes attended the Australian Institute of Sport in Canberra . Originally from Canberra , Holmes attended the Australian Institute of Sport in Sydney . 0 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of the true limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of the marine limpets . 0 +In 1901 , the critic Jean Lahor ( aka Henri Cazalis ) listed the workshop as one of the best producers of Art Nouveau pottery in France . In 1901 , the critic Henri Cazalis ( aka Jean Lahor ) listed the workshop as one of the best manufacturers of Art Nouveau ceramics in France . 1 +Also four others , including Turner , Machen and Cissell , were offered nominees . Four others , including Turner , Machen , and Cissell , were also offered as nominees . 1 +Hennig is also president referee of the region Duisburg -- Mülheim -- Dinslaken and lives in Duisburg . Hennig is also Chairman referee of the region Duisburg -- Mülheim -- Dinslaken and lives in Duisburg . 1 +"From 1973 to 1974 Aubrey toured with the Cambridge Theatre Company as a diggory in "" You to conquer stoops "" and again as Aguecheek ." "From 1973 to 1974 , Aubrey toured with the Cambridge Theatre Company as Diggory in "" She Stoops to Conquer "" and again as Aguecheek ." 1 +Each report , updated in February 2011 , contains data for the completed school year . "that was updated in February 2011 . Each report contains data for the previous completed school year. """ 1 +EEAA represents the executive branch of the Ministry at the central level . At the central level , EEAA represents the executive arm of the Ministry . 1 +Melodies were used by composers such as Franz Liszt , Ludwig van Beethoven , Pablo de Sarasate and others . Bihari 's melodies were used by such composers as Pablo de Sarasate , Ludwig van Beethoven , Franz Liszt and others . 1 +Trolley service was proposed from Baltimore to Ellicott City in 1892 , approved on April 20 , 1895 , and implemented in 1899 . Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on April 20 , 1895 and implemented in 1899 . 0 +Benjamin Ray ( * 1819 Hudson , Columbia County , New York ) was an American politician from New York , USA . Benjamin Ray ( born 1819 Hudson , New York ) was an American politician from Columbia County , New York . 1 +Funimation licensed the series in North America and released the first Blu-ray and DVD set on January 23 , 2018 . On 23 January 2018 , Funimation released the series in North America and licensed the first Blu - ray and DVD set . 0 +The house was bought in 1858 by Sir George Dewhurst of Dunira , who sold it to David Dundas of Lymm , Cheshire in 1864 . The house was purchased by Sir George Dewhurst of Dunira in 1858 , who sold it on to David Dundas of Lymm , Cheshire , in 1864 . 1 +After the death of her first husband , Tom Dalton married Katharina Dalton , who passed away in 1992 . After the death of her first husband , Katharina Dalton remarried Tom Dalton , who passed away in 1992 . 0 +As an assistant to Nicolaier in Göttingen , Carl Flügge discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . In 1884 , as assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus . 1 +Silver became the motor of the Spanish colonial economy both in Peru and in New Spain . Both in Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +"His musical partner Scott Boyer said : "" No one can write a more beautiful ballad than Talton ." "His musical partner Talton said , "" No one could write a more beautiful ballad than Scott Boyer ." 0 +On average , January is the coolest month , July is the warmest month , and June is the wettest month . January is on average the warmest month , July is the coolest month and June is the wettest month . 0 +Varshamov studied in Tbilisi under Arnold Walfisz ( where he was Georgian ) . Varshamov was with Arnold Walfisz ( where he studied Georgian ) in Tbilisi . 0 +Roxus supported the respective Australian bands Poison and Bon Jovi in their international tours in 1989 . Roxus supported the international bands Poison and Bon Jovi on their respective Australian tours in 1989 . 0 +The FedEx Express season 2002 was the first season of the franchise at the Philippine Basketball Association ( PBA ) . The 2002 FedEx Express season was the first season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +In 1923 , Meltzer married Shach 's niece , Guttel Gilmovski . In 1923 , Meltzer Shach married niece , Guttel Gilmovski . 0 +John Knox also designed the Doric column for the statue of Hamilton ( 1825 ) in the Glasgow necropolis ( see the public statues of Glasgow ) . John Knox also designed the Doric column for the statue of Hamilton ( 1825 ) in the Glasgow Necropolis ( see Glasgow 's public statues ) . 1 +The Commission was first led by Spencer F. Baird , then by Marshall McDonald , George Brown Goode , and finally George Bowers . The Commission was led first by George Bowers , then Marshall McDonald , George Brown Goode , and finally Spencer F. Baird . 0 +"Upland is mentioned in the 2008 Hugh Laurie Film "" Street Kings "" as home to the LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." "Upland is mentioned in the 2008 Hugh Laurie film "" Street Kings "" as the home of LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." 1 +Margaret Henslowe married Ralf Hogge , sister of Philip Henslowe , an Elizabethan theatrical entrepreneur and impresario . Margaret Henslowe married Ralf Hogge , the sister of Philip Henslowe , an Elizabethan theatrical entrepreneur and impresario . 1 +Lee Field in the Wyoming neighborhood of Galewood , Michigan is the club 's home stadium . Lee Field in the Galewood neighborhood of Wyoming , Michigan is the home stadium of the club . 0 +More recently , the band has combined extra life aspects of early music with the modern genre of mathematics rock . More recently , the band has combined Extra Life aspects of modern music with the early genre of math - rocks . 0 +A recurring theme in the books is conversation between Daniel and baby Carter ( Uncle Mort 's son ) . A recurring theme in the books is the conversation between Daniel and Baby Carter ( son of Uncle Mort ) . 1 +Webster , Old Orchard , Webster Park , Tuxedo Park , and Selma merged in 1896 to develop public services and implement a unified city government . In 1896 , Webster , Old Orchard , Webster Park , Tuxedo Park and Selma merged in 1876 in order to develop public services and to implement a unified city government . 0 +Cotton gins continued to operate in Carencro until the middle 1970s , when the last two , Cotton Products Co. and Farmer 's Gin Co. , were closed . Until the late 1970s , when the middle two Cotton Products Co. and Farmer 's Gin Co. were closed , Cotton Gins continued to operate in Carencro . 0 +In the War of the Fourth Coalition , Joachim Murat fought in the Grande Armée under command of Klein . In the Fourth Coalition War , Klein fought in the Grande Armée under the command of Joachim Murat . 0 +In 2006 , Bozanga was appointed Chairman of the State Council by President François Bozizé . In 2006 , François Bozizé was appointed by President Bozanga the chairman of the Council of State . 0 +Ogier in versions of the Renaissance travels to the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's paramour . In versions of the Renaissance , Ogier travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 'apos ; Parade . 0 +Ansong was his career with Great Olympics and here he signed a contract with Heart of Lions , which began as a captain later in the 2008 season . Ansong began his career by Great Olympics and later he signed a contract with Heart of Lions , here was in the season 2008 named as captain . 0 +At that time , Andrew Johnson was the president , and his government learned that Meacham did not support him . At the time , Andrew Johnson was president , and his administration learned that Meacham did not support him . 1 +The direct synthesis is a vigorous reaction of caesium with other halogens . The direct synthesis is a violent reaction of caesium with other halogens . 1 +In 1974 , he won the positions of Concertmaster of the Boston Symphony and Associate Concertmaster of the Boston Pops , where he spent 11 years . In 1974 he won the positions of the concertmaster of the Boston Symphony and the Associate Concertmaster of the Boston Pops , where he spent 11 years . 1 +In 1997 , 27.4 % of the population were overweight and 14.4 % were obese , the obesity rate was twice as high in urban areas as in rural areas . In 1997 , 27.4 % of the population was overweight and 14.4 % were obese . Obesity rates were twice as high in urban areas than in rural areas . 1 +The date set for the executions of the three Quaker evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer , was 27 October 1659 . The date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - was set on 27 October 1659 . 1 +In 2012 , he was elected Chairman of Zilla Parishad ( Pnachayat District ) of Kolhapur as a candidate of the Indian National Congress . In 2012 , he was elected Chairman of the Indian National Congress ( District Pnachayat ) of Kolhapur as a candidate for Zilla Parishad . 0 +In 1865 , an open sewer system replaced the underground sewers . An underground sewer system replaced open sewers in 1865 . 0 +He replaced Derrek Lee with John Mabry as a backup at 1st Base . He replaced John Mabry as a backup at 1st base to Derrek Lee . 0 +Another Jesuit from England , William Good joined Daniel soon after , though they had a turbulent relationship . William Good , another Jesuit from England , joined Daniel soon after , even though he had a turbulent relationship . 1 +In 2010 , Shanghai GM provided a new version of the Buick GL8 Luxury Business Edition . In 2010 , Shanghai GM introduced a new version of the Buick GL8 Luxury Business Edition . 1 +He married Mary Ellen Blanche Crookes ( 1870-1935 ) in 1901 , daughter and co-founder of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor . He married in 1901 Anne Blanche Harriet Proctor ( 1870-1935 ) , daughter and coheiress of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes . 0 +The debate on the ability for social democratic reformism to lead to a socialist transformation of society is over a century old . The debate about the ability of socialist reformism to lead to a social democratic transformation in society is over a century old . 0 +It was described in 1895 by Herbert Druce and is well known from Mexico ( including Cuernavaca , Morelos , the type of type ) . It was described by Herbert Druce in 1895 , and is known from Morelos ( including Cuernavaca , Mexico , the type location ) . 0 +When Wise tells the story , he and Rouse decided to visit the Jacksonville Terminal in Florida to visit the Orange Blossom Special train . As Wise tells the story , he and Rouse decided to visit the Jacksonville Terminal in Florida to tour the Orange Blossom Special train . 1 +Society promoted Lithuanian culture , supported Catholic faith and protected the virtues of women . Society promoted Lithuanian culture , protected Catholic faith and supported the virtues of women . 0 +Lützowstraße is a street in the Pasing and Obermenzing districts of Munich , which was built from 1897 onwards . Lützowstraße is a street in the Munich districts of Pasing and Obermenzing , which was built from 1897 onwards . 0 +Mundla Chand is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . Mundla Chand is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +Via the Appomattox River and the Bush River , it is part of the James River watershed . Over the Bush River and Appomattox River it is part of the watershed of the James River . 1 +"In October 1989 , Langland performed in the same theatre "" Nuts ( Homage to Freud ) "" ." "In October 1989 , Freud performed in the same theatre "" Nuts ( Homage to Langland ) "" ." 0 +"In 2015 , Bookboon was mentioned in newspapers such as the German Handelsblatt "" , and one of its Swedish books was presented in the Swedish U-Bahn ." "In 2015 , Bookboon was featured in newspapers such as the German "" Handelsblatt "" and one of its Swedish books was mentioned in the Swedish Metro ." 1 +Lazkao is a town and municipality located in the Gipuzkoa region of the province of Goierri , in the Basque Autonomous Community in Northern Spain . Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Autonomous Basque Community of Northern Spain . 0 +Beulah Maria Carter was born on 6th July 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Robert Morris Ogden . Beulah Maria Carter was born on July 6 , 1877 in Binghamton , New York . His father was James Sherman Ogden and his mother , Robert Morris Ogden . 1 +"If "" M "" is simplified ( that is , "" B "" = "" C "" = 0 ) , you can use the diagonal formula ." "If "" M "" is simplified ( that is , "" B "" = "" C "" = 0 ) , one can use the diagonal formula ." 1 +He married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther ) , in 1881 and his son is the botanist and sketch artist Vagn Petersson . He married Agnes Theodora Walther , daughter of Vagn Petersson in 1881 , and his son is the botanist and sketch artist Vilhelm Theodor Walther . 0 +In the gene region , NCBI SNP identified 1,326 SNPS on the common strand of C3orf62 . In the coding region , NCBI SNP identified 147 reverse minus SNPs . NCBI - SNP 1.326 SNPS identified in the gene region on the common strand of C3orf62 , identified in the encoding region NCBI - SNP 147 reverse minus SNPs . 1 +"The likely column represents the Cue numbers that correspond to the titles "" first "" ." "The likely column represents the cue numbers to which the titles "" first "" correspond ." 1 +"Wynter Gordon wrote the song "" Take Me Away "" for Cassie Feat , Marvin Priest ." "Wynter Gordon Co-wrote the song "" Take Me Away "" for Cassie Feat . Marvin Priest ." 1 +After a while Wang Di left the band and was replaced in August 2008 by Miao Yu Jia . After a while , Miao Yu Jia left the band and was replaced in August 2008 by Wang Di . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Burkina Faso . He is currently Ghana 's ambassador to Ghana . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana , which is currently Ghana 's Ambassador to Burkina Faso . 0 +From her previous marriage to Herman van Veen she has two children , Merlijn and Anne . Fluitsma currently lives in Soest . From her previous marriage with Anne she has two children , Merlijn and Fluitsma , Herman van Veen currently lives in Soest . 0 +After his death , the Marxist element of communism would be intensified in some atheist movements . The Marxist element of communism would be intensified in some atheistic movements after his death . 1 +It is situated southwest of Burlington , Vermont , south of Plattsburgh , south of Montreal , Quebec and north of Albany . It is southwest of Burlington , Vermont , south of Montreal , Quebec , south of Albany , and to the north of Plattsburgh . 0 +Bulhar is an archaeological site in northwestern Somaliland - Woqooyi Galbeed region . Bulhar is an archaeological site in the northwestern Somaliland region of Woqooyi Galbeed . 1 +Current research directions for bipolar disorder in children include optimizing treatments , increasing knowledge of the genetic and neurobiological basis of pediatric disorder , and improving the diagnostic criteria . Current research directions for bipolar disorder in children include optimizing treatments , increasing the knowledge of the genetic and neurobiological basis of the pediatric disorder and improving diagnostic criteria . 1 +The nearest railway station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , located in the station Nakamura . The nearest train station is Nakamura station , the terminus of the Tosa Kuroshio railway line Nakamura , located in Shimanto . 0 +She tries to resume her relationship with Michael , only to discover he has married Tracey Bregman ( Lauren Fenmore ) . She tries to resume her relationship with Michael just to discover that he has married Tracey Bregman ( Lauren Fenmore ) . 1 +The first DVD -- recording of the band , released in March 2010 at the Y Theatre in Leicester , was filmed in January 2011 . The band 's first DVD recording shot in March 2010 at the Y Theatre in Leicester was published in January 2011 . 0 +"There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 hosted by Ian Turpie on Seven Network and later produced by Grundy ." "There was later an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and also produced by Grundy ." 0 +The station was opened on July 1 , 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . The station was opened on 1 July 1903 on the railway line Donegal Railway from Stranorlar to Glenties . 0 +At the age of nine , Garcia appeared in his first concert and has since appeared alone or with his aunt and uncle in all parts of France . At the age of nine , he appeared in his first concert and since then he joined alone or with his aunt and his uncle in all parts of France . 1 +In 1910 , it was owned by Rupert Brooke and Florence Neeve , from whom Henry rented a room , and later a large part of the house . In 1910 it was owned by Henry and Florence Neeve , of whom Rupert Brooke rented one room and later a large part of the house . 0 +Incumbent George Allen ran for a third term , but lost to Democrat Robb . Incumbent Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . 1 +No EQ was created when the Griffin digital master was used . No EQ was created when the digital master of Griffin was used . 1 +The first Basemen with 16 winners have won the most among the infielders , followed by the second Basemen ( 8 ) and the third Basemen and Shortstops ( 1 ) . First basemen , with 16 winners , have won the most among infielders , followed by second basemen ( 8 ) and third basemen and shortstops ( 1 ) . 1 +It was initially in second place and consisted of a headquarters and infantry - company and mortar - battery , later in 1940 with a small infantry company expanded . It was initially small and consisted a headquarters , and infantry company and mortar battery , later being expanded with the addition of a second infantry company in 1940 . 0 +Walter Hart ( or Walter Lyhert , died on 24 May 1472 ) was a medieval bishop of Norwich . Walter Hart ( or Walter Lyhert ; died 24 May 1472 ) was a medieval Bishop of Norwich . 1 +It was first climbed and named after Bill House when he climbed free in 1938 . It was free climbed and named after Bill House , when he first climbed it in 1938 . 0 +The 1940 San Diego State College football team represented San Diego State Aztecs during the 1940 college football season . The 1940 San Diego State College football team represent San Diego State Aztecs during the 1940 College Football season . 1 +She was placed on the route between Leschi Park and Newport , stopping in between at Roanoke , on Mercer Island . She was placed on the route between Leschi Park and Newport , in between in Roanoke , on Mercer Island . 0 +Bailey had held the record since 1993 , a year before Harrison was born . The Harrison had held the record since 1993 , a year before Bailey was born . 0 +Microscopically , the optical polarization originates from quantum mechanical transitions between different states of the material system . Microscopically , the optical polarization arises from quantum mechanical transitions between different states of the material system . 1 +The adult is scattered black or blue to dorsal pale , with bright yellow spots . The adult is scattered black or blue to pale dorsally , with bright yellow spots . 1 +The island belongs to the modern unitary county of Bute and the traditional authority of Argyll and Bute . The island belongs to the traditional county of Bute and to the modern unity authority of Argyll and Bute . 0 +The series will be published in Japan by Shogakukan and in the United States by VIZ Media in English . The series will be published in Japan by VIZ Media and in the United States by Shogakukan in English . 0 +Sympatric - predators include the mountain lion , the American black bear and the grizzly bear . Sympatric - predators include the mountain lion , the grizzly bear and the American black bear . 1 +Indiana was the scene of the Battle of Corydon , the only official battle in Corydon during the American Civil War . During the American Civil War , Corydon was the site of the Battle of Corydon , the only official pitched battle waged in Indiana . 0 +He also worked in several houses and monasteries in Ghent , in Beaulieu Castle ( Belgium ) in Machelen and in Horst Castle . He has also worked in several houses and monasteries in Ghent , in Beaulieu Castle ( Belgium ) in Machelen and in Horst Castle . 1 +Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by East Coast Railway . Samata Express is a super quick express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by the East Coast Railway . 0 +These include the Union of European Federalists , the European Movement International and the European Federalist Party . These include the Union of European Federalists , the International Movement and the European Federalist Party . 1 +Kattoor is situated 5 km east of Kozhencherry town and 9 km west of Ranni town . Kattoor is located 5 km west of Kozhencherry and 9 km east of Ranni town . 0 +The Model United Nations club participates in intellectual discussions and academic forums throughout the Boston area , and has won several chapter awards The Club The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter prizes . 1 +In 1967 she moved from Italy to Konstanz . In 1967 she moved to Italy from Konstanz . 0 +In 2012 , for Italian progressive group Karnya , Francesca Naccarelli made some violins arrangements and the singer Claudio Nigris is guest in a song . In 2012 , for the Italian progressive group Karnya , Claudio Nigris made some violins - arrangements and the singer Francesca Naccarelli is guest in a song . 0 +"is an album by jazz - organist Richard "" Groove "" Holmes , which was released in 1967 and recorded on the Prestige label ." "Get Up & Get It ! is an album by jazz organist Richard "" Groove "" Holmes which was released in 1967 and recorded on the Prestige label ." 1 +The was a DC electric locomotive operated by Japanese National Railways ( JNR ) between 1958 and 1986 . The was an electric DC locomotive , operated between 1958 and 1986 by the Japanese National Railways ( JNR ) . 1 +Hurd Peninsula is located between South Bay and False Bay on the south coast of Livingston Island in the South Shetland Islands , Antarctica . Hurd Peninsula lies between South Bay and False Bay on the south coast of Livingston Island in the South Shetland Islands , Antarctica . 1 +The river Strâmba is a tributary of the River Geamărtălui in Romania . The Strâmba River is a tributary of the Geamărtălui River in Romania . 1 +The medals were handed over by Syed Shahid Ali , IOC - member , Pakistan , and Yair Davidovich , member of the International Shooting Sport Federation . The medals were presented by Yair Davidovich , IOC - member , Pakistan and Syed Shahid Ali , member of the International Shooting Sport Federation Council . 0 +Saptarshis list : Kashyapa , Atri , Vashista , Angira , Vishnu , Agastya , Bharadvaja . During Vaivasvata-manvantara , Lord Gautama 's avatar is called Vamana . Saptarshis - List : Kashyapa , Atri , Vashista , Angira , Gautama , Agastya , Bharadvaja During the Vaivasvata-manvantara the avatar is called Lord Vishnu Vamana . 0 +Easton forms the northeastern corner of Bristol County , where the county cuts with Plymouth County to the east and Norfolk County to the north . Easton forms the northeastern corner of Bristol County , where the county intersects with Plymouth County to the east and Norfolk County to the north . 1 +The Beatles ' biographer , Philip Norman , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . Charles Sutcliffe , the Beatles ' biographer , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which was observed by the young Sutcliffe . 0 +It was directed by Joanna Lipper and produced by Nicholas Paleologos . Joanna Lipper was directed and produced by Nicholas Paleologos . 1 +A Wilson won an Emmy for his portrayal of James Woods . Wilson won an Emmy for his portrayal of James Woods . 1 +The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) from Kerala to Bengal . The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Kerala from Bengal . 0 +Afzal Khan was a leading court figure during the reign of Ali Adil Shah II of the Bijapur Sultanate . Ali Adil Shah II was a leading hoffigur during the reign of the Bijapur Sultanate of Afzal Khan . 0 +The former has black marble and white stone shivlingas , while the latter has only white marble . The former has white marble and black stone shivlingas , whereas the latter has only white marble . 0 +Soon , however , Li Longji was overthrown in a coup led by Emperor Zhongzong 's sister , Princess Taiping , and his nephew Linzi , the prince of Empress Wei . Soon , Empress Wei was overthrown in a coup , led by Emperor Zhongzong 's sister , Princess Taiping , and his nephew Li Longji , the Prince of Linzi . 0 +He was probably the son of painter Girolamo Danti , also from Pesaro who married the sister of the painter Giovanni Antonio Pandolfi . He was probably the son of the painter Giovanni Antonio Pandolfi , also from Pesaro who had married the sister of the painter Girolamo Danti . 0 +In 1892 , Friars Point was divided into two jurisdictions , one going to Coahoma County and the other to Clarksdale . In 1892 , Coahoma County was divided into two competences , one to Friars Point and the other to Clarksdale . 0 +The Greeks decided by a 69.18 % majority against a parliamentary monarchy and for a constitutional republic . By a majority of 69.18 % , the Greeks decided against a constitutional monarchy and for a parliamentary republic . 0 +The island of Coëtivy is located in the Indian Ocean south of the Seychelles main group . Coëtivy Island is in the Indian Ocean south of the main Seychelles group . 1 +Gaius Furnius was 17 BC during the reign of the Augustus Consul . Gaius Furnius was consul in 17 BC , during the reign of Augustus . 1 +She was born in 1963 in Da Lat , to a Vietnamese father and a French mother . It was born in Da Lat in 1963 , to a French father and a Vietnamese mother . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of St. Joseph are assigned in Bad Urach . The members of the United Methodist Church gather in Laichingen , while the Catholics are appointed to the parish of Bad Urach in St. Joseph . 0 +Their most common colors are white , although other rarer colors such as red , blue , yellow , and green have been seen or mentioned . Their most common colors are red , blue , yellow , and green , though other rarer colors , such as white , have been seen or mentioned . 0 +He graduated from the Galatasaray High School in Shumen in 1858 and became a teacher in Istanbul , where he remained until 1864 . In 1858 he graduated from the Galatasaray Gymnasium in Istanbul and became a teacher in Shumen , where he remained until 1864 . 0 +Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher who has been active on the Canadian dance scene since 1983 . Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher . Since 1983 she has been active in the contemporary dance scene . 0 +"In 1948 , B & amp ; H Publications produced through the camera "" in cooperation with Cousin Harold White "" George Bernard Shaw ." "In cooperation with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 through the camera "" ." 0 +Most of the original work of the mosque has gone under waiver , however , the Mihrab contains remains of polychrome marble of the era . Most of the mosque 's original work has gone under restortation , however , the mihrab contains remains of the polychrome marble of the era . 1 +"Standard arguments in injective algebra imply that these cohomology groups are independent of the choice of homological resolution of "" E "" ." "Standard arguments in the homological algebra suggest that these cohomology groups are independent of the choice of the injective resolution of "" E "" ." 0 +Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in Puntarenas Province , Costa Rica . Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in the Puntarenas province of Costa Rica . 1 +He is generally said to be the brother of Nusa-kor-kamuy , but the two are sometimes regarded as a single entity . He is sometimes said to be the brother of Nusa-kor-kamuy , but the two are generally considered as a single entity . 0 +"However , the Georgian language is the singular form when the quantity is specified , so that in practice the plural of "" tetri "" only uses "" tetri "" ." "The Georgian language , however , uses the singular form when the number is specified , so in practice the plural of "" tetri "" is only "" tetri "" ." 0 +The system uses a mixture of underground and elevated stations and has standard gauge . The system uses a mix of underground and elevated stations and has standard gauge . 1 +The PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . PATH - Service from Exchange Place runs east to the World Trade Center , to the north of the Hoboken Terminal , and west to Journal Square and Newark Penn Station . 0 +It is owned by the NMG ( Nation Multimedia Group ) . It is owned by the Nation Multimedia Group ( NMG ) . 1 +"The first known Spanish sighting of Whidbey Island was during the 1790 European expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." "The first well-known Spanish sighting of Whidbey Island was during the European expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." 1 +The vaults are Mesopotamian in design and Coptic and Byzantine elements appear in the decorative carving . The vaults are of Mesopotamian design and Coptic and Byzantine elements appear in the decorative carving . 1 +"Tuscany is a "" comune "" in the province of Massa and Carrara , Aulla ( central Italy ) ." "Tuscany is a "" municipality in the province of Massa and Carrara , Aulla ( central Italy ) ." 1 +"Lead vocals by Randy Owen on all tracks , except Teddy Gentry on "" Clear Water Blues "" and Jeff Cook on "" This Love 's on Me "" ." "On all tracks , except Teddy Gentry on "" Clear Water Blues "" and Randy Owen on "" This Love ' ; s on Me "" , are lead lead vocals by Jeff Cook ." 0 +The latter study is one of the few prospective demonstrations that environmental stress remains associated with hypertension and LVH . The latter study is one of the few prospective demonstrations that environmental stress with high blood pressure and LVH remains associated . 1 +Due to the castration of Agha Mohammad Khan , his brother Hossein Qoli Khan was instead appointed the new Qoyunlu chief . Due to the castration of Hossein Qoli Khan , his brother Agha Mohammad Khan was instead appointed the new Qoyunlu chief . 0 +From 1957 until 1974 , Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League . Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts from 1957 to 1974 . 0 +Molla Mallory defeated Helen Helen Wills with 6 -- 1 , 6 -- 3 Helen Wills defeated Molla Mallory 6 -- 1 , 6 -- 3 0 +The Bristly Peaks include the Brodie Peak and the Messent Peak . Bristly Peaks include the Brodie Peak and the Messent Peak . 1 +It is found in California and Nevada , where it has been recorded from southern Texas to North America . It is found in California and in Nevada , where it has been recorded from southern Texas to North America . 1 +Meanwhile , ASHRAE 189.1 , the first of a generation of codes for sustainable construction , defines daylight zones and requires control of daylight extraction . Meanwhile , ASHRAE 189.1 , the first of a generation of sustainable construction codes , defines daylight zones and requires daylight harvesting control . 1 +On 17 January 2000 , there were reports of the RSS and some BJP hard-liners threatening to restart the party . On January 17 , 2000 , there were reports of the RSS and some BJP - hardliners threatening to restart the party . 1 +The Phelps moved from Missouri to Far West , Jackson County , Missouri to Nauvoo , Illinois , where Murdock was again united with his father . The Phelps moved from Jackson County , Missouri to Far West , Missouri to Nauvoo , Illinois , where Murdock was reunited with his father . 0 +In the substantia nigra , DAT is localized to axonal and pre- and post-synaptic ( i.e. , dendritic ) plasma membranes . In the substantia nigra , DAT is localized to axonal and dendritic ( i.e . pre- and post-synaptic ) plasma membranes . 1 +The Buzăiel River is a tributary of the Tătaru River in Romania . Tătaru river is a tributary of the river Buzăiel in Romania . 0 +Techotlalatzin 's wife was a Princess from Huexotla , Queen Cuauhcihuatzin , mother of his successor Quinatzin . Her grandson was Ixtlilxochitl I . The wife of Quinatzin was a princess from Huexotla , Queen Cuauhcihuatzin , mother to his successor Techotlalatzin , and her grandson was Ixtlilxochitl I . 0 +Ross was originally imprisoned at North Point , then marched to Sham Shui Po Barracks and finally shipped to Innoshima where he worked at Habu Dockyard for Osaka Ironworks . Originally , Ross was arrested in North Point , then marched to Habu Dockyard , and finally shipped to Innoshima , where he worked for the Osaka Ironworks at Sham Shui Po Barracks . 0 +During the Bengal Sultanate , Arabic and Persian Bengali writers were influenced by medieval works . During the Bengal Sultanate , medieval Bengali authors were influenced by Arabic and Persian works . 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman , Eric Campbell , who was the first Australian to die in the Iraq War . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in the war in Iraq . 0 +Cornelis van Cleve painted primarily mythological paintings and , to a lesser extent , religious scenes and portraits . Cornelis van Cleve painted predominantly religious paintings and to a lesser extent mythological scenes and portraits . 0 +When Lucius E. Pinkham died in 1917 , territorial governor Liliuokalani accorded her the honor of a state funeral in the throne room of the palace . When Lucius E. Pinkham died in 1917 , the territorial governor Liliuokalani granted her the honor of a state funeral in the throne room of the palace . 1 +Eschenz is a municipality in the Thurgau in the canton of Frauenfeld in Switzerland . Eschenz is a municipality in Thurgau in the canton of Frauenfeld District in Switzerland . 1 +Bordaglia Lake is a lake at Forni Avoltri , Province of Udine , Friuli-Venezia Giulia , Italy . Lake Bordaglia is a lake at Forni Avoltri , Udine province , Friuli-Venezia Giulia , Italy . 1 +Celestia flees Twilight and her friends to recover the elements of harmony to stop Chrysalis . Celestia implores Twilight and her friends to stop the Elements of Harmony to recover Chrysalis . 0 +The stigmata are black , the first discal large , the first plical obliquely beyond the subtriangular discal . The stigmata are black , the first discal large , the subtriangular plicale obliquely beyond the first discal . 0 +His parents were William Halderman ( 1822-1866 ) , a local businessman and miller , and Anna Hostetter Halderman ( 1828-1919 ) . His parents were William Halderman ( 1822-1866 ) , a local businessman and Müller , and Anna Hostetter Halderman ( 1828-1919 ) . 1 +A Public Elementary School was built in the hamlet of Stain in 1850 and built in 1858 to hold 100 children . The Wesleyans enlarged a school in 1875 . A public elementary school was built in 1850 in the hamlet of Stain and expanded by 100 children in 1858 , the Wesleyans built a school in 1875 . 0 +"Miranda quotes Voltaire , "" If we do not find something new at least we will find something pleasant , "" and looks longingly at Oscar ." "Miranda quotes Voltaire : "" If we find nothing new , we will at least find something pleasant "" , and looks longingly at Oscar ." 1 +In 1948 , he relocated to Cyprus . In 1958 , he moved to England . In 1948 he moved to Cyprus , in 1958 to England . 1 +New buildings were not as unpretentious as before , and looked quite monumental and pompous . The new buildings were not as unpretentious as before and looked quite monumental and pompous . 1 +Motes also meets Enoch Emery , a blind man who seems to parallel himself , and they follow the young man along the street . Motes also encounters Enoch Emery , a young man who seems to parallel himself , and they follow the blind man down the street . 0 +The 26 letters displayed directly from bopomofo are transcribed in the following table . The 26 letters shown directly from bopomofo are transcribed in the following table . 1 +This generally creates colder nights through the warmer season . This generally creates warmer nights through the colder season . 0 +They came to Russia in the 18th century from Poland , and their language includes Polish , German , and Russian words . They came from Poland to Russia in the eighteenth century , and their language includes Polish , German and Russian words . 1 +He won the 24th World Memory Championships in December 2013 and 22th World Memory Championships in December 2014 . He won the 22nd World Memory Championships in December 2013 and the 24th World Memory Championships in December 2014 . 0 +After Izumi drew some early character designs for Hibiki , Izumi wanted to continue the story and start a manga with Maeda as an artist . After Izumi drew some early character designs for Hibiki , Maeda wanted to continue the story and begin a manga with Izumi as the artist . 0 +"The extensive active adult community is also known locally as "" Original "" Leisure Village , because it was the first of three neighboring active adult communities that wore similar names ." "The neighboring active adult community is also locally known as "" Original "" Leisure Village because it was the first of three sprawling active adult communities bearing similar names ." 0 +Following his defeat in Cardiganshire , Henry Richard was elected Liberal Member of Parliament for the Merthyr Parliament of Wales in 1868 . Following his defeat in Wales , Henry Richard was elected as Liberal Member of the Merthyr Parliament in Cardiganshire in 1868 . 0 +The 1980 - 81 Toronto Maple Leafs season was the Toronto Maple Leafs 54th season of the franchise , 64th season as the Maple Leafs . The season 1980 -- 81 Toronto Maple Leafs was the Toronto Maple Leafs 64th season of the franchise , season 54th as the Maple Leafs . 0 +There is an enormous number of orthogonal formulas involving other polynomials . There are an enormous number of orthogonal formulas involving other polynomials . 1 +He was probably born in Flanders , but emigrated to Hamburg , where he received nationality in 1400 . He was probably born in Flanders , but emigrated to Hamburg , Germany , where he received citizenship in 1400 . 1 +After calling Tinkerer who calls him an updated version of his Clash suit , Clayton makes up Mendel Stromm . After calling Tinkerer who calls him an updated version of his clash suit , Clayton Mendel Stromm produces . 0 +They moved later to Whitefish Bay , Wisconsin , and then to New York City . Later they moved to New York City , and then to Whitefish Bay , Wisconsin . 0 +Many nanobreweries have opened since these laws were changed . Since these laws were changed , many nanobreweries have been opened . 1 +It is on the southern end of the Great Dividing Range , at the west of the Monaro Range , and lies west of the Wadbilliga National Park . It is located at the southern end of the Great Dividing Range , to the west of the Monaro Range , and is west of the Wadbilliga National Park . 1 +Azzopardi received his first country match for Malta in a game against Poland on 14 December 2003 . Azzopardi received his first country match for Poland in a game against Malta on 14 December 2003 . 0 +The Libertyville water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) located in Lake Bluff . Libertyville 's water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) in Lake Bluff . 1 +The video was shot in the city of Mazatlán and in Durango . The video was shot in the city of Mazatlán and in Durango . 1 +It was destroyed and rebuilt in 1446 , and it was abandoned in 1551 . It was destroyed and rebuilt in 1446 , and abandoned in 1551 . 1 +Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same surname , Zhu Xicai very trusted him . Zhu Xicai continued to serve under Zhu Xicai , and it was said that because they shared the same family name , Zhu Ci trusted him greatly . 0 +Organized on May 24 , 1963 by the Strategic Air Command , activated on October 1 , 1963 . Activated by Strategic Air Command on 24 May 1963 . Organized on 1 October 1963 0 +Briggs met Briggs later at the Monterey Pop Festival in 1967 , where Ravi Shankar also appeared with Eric Burdon and the animals . Briggs later met Briggs at the 1967 Monterey Pop Festival , where Ravi Shankar was also performing , with Eric Burdon and The Animals . 1 +The absence of trouble with the law was guaranteed by the secret protection of the Préfet de police Jean Chiappe and Minister Albert Sarraut . The absence of anger with the law was guaranteed by the secret protection of the Préfet de Police Jean Chiappe and Minister Albert Sarraut . 1 +Elizabeth Smylie and Patrick McEnroe won 7 - 5 , 6 - 3 against Jana Novotná and Jim Pugh in the final . Elizabeth Smylie and Patrick McEnroe won in the final 7 -- 5 , 6 -- 3 against Jana Novotná and Jim Pugh . 1 +He received from her the title of Baron of Harsefeld in Bremen , then in French hands , when he was Swedish ambassador in Hamburg . He received the title of a baron of Harsefeld in Bremen , then in Swedish hands when he was a French ambassador in Hamburg . 0 +( EL successor Conrail sold the old Utica , Chenango and Susquehanna Valley main line through Cassville to the New York , Susquehanna and Western Railway in 1982 . ) ( EL - Successor Conrail sold the old main route , Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway in 1982 . ) 1 +In 2004 , Bessonova won the silver medal at the European Championships in 2004 . In 2004 , Bessonova won the all-around silver medal at the 2004 European Championships . 1 +In the week before the first race , Barwa Addax driver Dani Clos was replaced by Josef Král . Brendon Hartley also replaced Ocean Racing Technology 's Jon Lancaster . In the week before the first race , Barwa Addax - pilot Josef Král was replaced by Dani Clos , Brendon Hartley replaced Jon Lancaster with Ocean Racing Technology . 0 +On May 14 , 1885 , Machado received his title and registered in Ensenada , the capital of the Northern District of the Baja California Territory . On May 14 , 1885 , Machado received his title and registered it in Baja California Territory , then the capital city of the Northern District of Ensenada . 0 +There is thus growing interest in Community Informatics as an approach to understanding of how different ICTs can enable and empower marginalized communities to achieve their collective goals . The interest in Community Informatics is thus growing as an approach to understanding how different ICTs can empower and empower marginalized communities to achieve their collective goals . 1 +The most popular travel resources are still online - LGBT - media organizations and local LGBT news and lifestyle websites . The most popular travel resources are still ones from local LGBT media organizations and online LGBT news and lifestyle websites . 0 +Other visitors of the colony were the writer Alfred Kreymborg and the sculptor Adolf Wolff . Other frequenters of the colony were the writer Alfred Kreymborg and the sculptor Adolf Wolff . 1 +White , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in Romney , where he had served as a master . Romney , a practicing member of the Presbyterian faith , was a freemason at the Clinton Lodge in White , where he had served as a master . 0 +When taken with fatty food , highest plasma concentrations are reached after two hours , and the area under the curve is increased by 40 % . The highest plasma concentrations are reached after two hours , when the fatty food is taken and the area under the curve is increased by 40 % . 1 +Of California . His father had been a blacksmith and an inventor , and had worked with iron rope in Scotland . His father had been a blacksmith and inventor and had worked in Scotland with an iron rope . 1 +Chief Pabawena wrote Utah Senator Arthur V. Watkins in 1949 to report : In 1949 , Arthur V. Watkins wrote to Utah - Senator Pabawena to report : 0 +She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland , who married Stephen Jackson . She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Stephen Jackson . She married Henry Albert Hartland . 0 +Mowbray Park , a large park on the riverside , was the location of a public swimming pool built into the river until the 1930s . The Mowbray Park , a public river park , was the site of a large swimming pool built into the river until the 1930s . 0 +Scurria plana is a species of sea snail , a true limpet , a marine gastropod mollusc in the family Lottiidae , one of the families of true limpets . Scurria plana is a sea snail species , a true limpet , a marine gastropod mollusc in the Lottiidae family , one of the families of the true limpets . 1 +Lauretta was married to Johnny Dorelli , the married couple had a son , the actor Gianluca Guidi . Lauretta was married to Johnny Dorelli ; the couple had a son , actor Gianluca Guidi . 1 +"Fil Fil de Cassons ( also known as the "" Cassonsgrat "" ) is a mountain in the Glarus Alps , near Flims in the Canton of Graubünden , Switzerland ." "Fil de Cassons ( also known as "" Cassonsgrat "" ) is a mountain in the Glarus Alps , located near Flims in the canton of Graubünden , Switzerland ." 1 +Wilson was the only VC receiver during the Italian invasion of British - Somalia , only six additional VCs were awarded for operations in East Africa . Wilson was the only VC recipient during the Italian invasion of British Somalia ; only six other VCs were awarded for operations in East Africa . 1 +When regular females kissed the top dominant female , the top dominant female got the bigger part of the food . When the regular females the top dominant female kissed , the top dominant female got the larger part of the food . 1 +Webmention was originally published in the IndieWebCamp community and was developed on January 12 , 2016 as a W3C work draft . Webmention was originally published in the IndieWebCamp community and developed as a W3C working draft on January 12 , 2016 . 1 +The melody , very close to one by Peter Gabriel , mixes electronic music ( electrical guitar , keyboards etc . ) with World music ambient with African drums . The melody , very close to one by Peter Gabriel , mixes electronic music ( E - guitar , keyboards etc . ) with World Music Ambient with African Drums . 1 +He was ordered to New Mexico Territory in 1860 and promoted to the rank of captain on December 20 at the 4th Infantry . He was promoted to the New Mexico Territory in 1860 and ordered to captain the 4th Infantry on December 20 . 0 +36.4 % were of Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % Scottish ancestry according to Census 2000 . 36.4 % were Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % of Scottish origin according to the 2000 census . 1 +On April 30 , 1950 , the Las Vegas Air Force Base was renamed Nellis Air Force Base in Nevada to his honor . On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base to his honor . 0 +Jones was born in Vicksburg , Mississippi and grew up in Morton , Mississippi . Jones was born in Vicksburg , Mississippi , Germany and grew up in Morton , Mississippi . 0 +The Hlynur is by its nature harmless but defensive . The Hlynur is harmless by nature , but defensive . 1 +Born in Edinburgh , Scott was raised in St Andrews and attended the University of St Andrews , where he studied geology . Scott was born in St. Andrews and grew up in Edinburgh and attended the University of St. Andrews , where he studied geology . 0 +In 1858 he returned to Great Britain before escorting Queen Victoria to Cherbourg in August 1858 . He returned to Cherbourg in 1858 before escorting Queen Victoria to Britain in August 1858 . 0 +Originally called Arthur Township Hoff Township , for settler Abel Hoff , and under the latter name was founded in 1881 . Arthur Township was originally called Hoff Township , for settler Abel Hoff , and under the latter name was organized in 1881 . 0 +"On March 12 , 1801 , "" Eling was sailing with the British fleet under Admiral Sir Hyde Parker and became the Battle of Copenhagen ( 1801 ) ." "On 12 March , 1801 , "" Eling "" was with the British fleet under Admiral Sir Hyde Parker and sailed at the Battle of Copenhagen ( 1801 ) ." 0 +It was followed by MassWIT in New York City , NycWIT in Boston and CapitolWIT in Washington , D.C . ChicWIT was followed by MassWIT in Boston , NycWIT in New York City , and CapitolWIT in Washington , D.C . 0 +Gunnar Ryan Wiik ( ; born September 23 , 1981 ) , also known as Ryan Wiik , is a Norwegian actor and entrepreneur . Gunnar Ryan Wiik ( born September 23 , 1981 ) , known as Ryan Wiik , is a Norwegian actor and entrepreneur . 1 +The line climbs briefly from Muirhouse North Junction , but falls at a ruling gradient of 1 in 70 to Mount Florida . The line falls briefly from Muirhouse North Junction , but climbs to Mount Florida at a prevailing gradient of 1 to 70 . 0 +Red and white wine , liqueur wine , brandy and a sweet and dry wine called Angelica were all produced from mission grapes . Red and white wine , fortified wine , brandy , and a sweet and dry wine called Angelica were all produced from Mission grapes . 1 +FAMI is an outpatient procedure and an alternative to various fillers , blepharoplasty or artificial face lifts . The FAMI is an outpatient procedure and an alternative to various fillers , blepharoplastics or artificial face lifts . 1 +In later life , Procopio became one of Toth 's close friends . Later in life Toth became one of close friends of Procopio . 0 +Later , in 1867 , he moved to a semi-detached villa of his own design at 39 Bevington Road , on the corner with Banbury Road . Later , in 1867 , he moved to a semi-detached villa of his own design on 39 Bevington Road , on the corner with Banbury Road . 1 +Since then , two other authors have managed this Hilary Mantel ( 1988 and 2001 ) and Peter Carey ( 2009 and 2012 ) . Two other authors have since managed this Hilary Mantel ( in 1988 and 2001 ) and Peter Carey ( in 2009 and 2012 ) . 1 +The European route E75 runs through the city and connects Chania with the other three cities of Heraklion : Agios Nikolaos , Crete and Rethymno . European route E75 runs through the city and connects Heraklion with the three other major cities of Crete : Agios Nikolaos , Chania , and Rethymno . 0 +The company got a production structure in 1958 in Frederikssund and later in Houston , USA . The company got a production structure in Houston , United States in 1958 and later in Frederikssund . 0 +The sixth studio album was released on February 24 , 2010 in Europe , Japan on March 2 , North America on March 3 , and Canada on April 6th . The sixth studio album was released on February 24 , 2010 in Japan , on March 2 , Canada , on March 3 in Europe and on April 6 in North America . 0 +When Mackey was killed while in the company of Crowley , Aceveda dedicated himself to bringing him down . When Mackey was killed while he was in the company of Crowley , Aceveda dedicated himself to bringing him down . 1 +Scatarie Island is an island in the Canadian province of Nova Scotia , located off the coast of Baleine , Cape Breton Island . Scatarie Island is an island located in the Canadian province of Nova Scotia , off the coast of Baleine , Cape Breton Island . 1 +As a child , Beatrice met Campbell on Edie Martyn ( Jonathan Dakers ) . Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) as child . 0 +Isaacs was born in 1915 in Panama to a Jamaican father and a Panamanian mother . Isaac was born in Panama in 1915 to become a Jamaican father and a Panamanian mother . 0 +She plays for Naisten Liiga of Åland United . She plays for Åland United of Naisten Liiga . 0 +He was also elected Fellow of the Royal Society in 1749 , and in 1754 as Fellow of the Royal College of Physicians , London . Also in 1749 he was made a Fellow of the Royal Society and in 1754 was elected Fellow of the Royal College of Physicians , London . 0 +Thomas Reiter 's position was previously planned to be filled by Sergey Volkov ( Russia ) before the launch of STS-121 was postponed until July 2006 . Previously , the position of Thomas Thomas Reiter was planned to be filled by Sergey Volkov ( Russia ) before the launch of STS-121 was postponed until July 2006 . 1 +At the AFL session the next day , Tobin was forced to defend Beck 's actions . At the AFL meeting the next day , Beck was forced to defend Tobin 's actions . 0 +Jagath died on 11 April , 1981 from a heart attack shortly after his son Santha drowned under mysterious circumstances in a swimming pool . Shortly after his son , Santha , was drowned in a swimming pool under mysterious circumstances , Jagath died of heart attack on April 11 , 1981 . 1 +Plymouth is located on Albemarle Sound about seven miles ( 11 km ) upstream from its mouth into the Roanoke River in the North Banks North Carolina region . Plymouth is located on the Albemarle Sound about seven miles ( 11 km ) upriver from its mouth into the Roanoke River in North Carolina 's Inner Banks region . 1 +On December 18 , Shawn received Zarraga from Dodgers in Los Angeles for Matt Long and Jarrett Martin . December 18 : Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . 0 +The first meeting of the BBU in Chicago in 1932 was the last meeting of GARBC . The final meeting of the BBU in 1932 in Chicago was the first meeting of the GARBC . 0 +"Such a distorted peptide , or "" modified key "" , will automatically become an inhibitor candidate against HIV protease ." "Such a modified peptide or "" distorted key "" becomes an inhibitor candidate against HIV protease automatically ." 0 +The Straja River is a tributary of the Frasin River in Romania . The River Frasin is a tributary of the Straja River in Romania . 0 +Viktor Arkadyevich Bely , also Viktor Aronovich Bely ( January 14 , 1904 - March 6 , 1983 ) , was a Russian composer and social activist . Viktor Arkadyevich Bely , also Viktor Aronovich Bely ( ; 14 January 1904 -- 6 March 1983 ) , was a Russian composer and social activist . 1 +The film was directed by S. P. S. Pictures managed by R. Sockalingam and was produced by Ch . The film was managed by S. P. S. Pictures by R. Sockalingam and was published by Ch . 0 +Jacco Eltingh and Paul Haarhuis won the title , defeated Jan Apell and Jonas Björkman 6-4 , 7-6 in the final . Jan Apell and Jonas Björkman won the title and defeated Jacco Eltingh and Paul Haarhuis with 6 -- 4 , 7 -- 6 in the final . 0 +The FedEx Express season 2002 was the first franchise season in the Philippine Basketball Association ( PBA ) . The PBA season 2002 was the first franchise season in the Philippine Basketball Association ( FedEx Express ) . 0 +This was more common in urban Australia , but has been common for decades in regional Australia and southern Australia . This was more common in regional Australia and southern Australia , but has been common for decades in urban Australia . 0 +It was intended to hold a relegation playoff between Antrim and Wexford , but instead it was decided to allow both compete in the 2010 championship . It was intended to allow a descent game Playoff between Antrim and Wexford , but instead it was decided to compete both in the championship in 2010 . 0 +His second wife was Anna Williams , the sister of his first wife . His second wife was Anna Williams , sister of his first wife . 1 +Lorenzo Giuntini married Susannah Louisa Barnett on 11 September 1866 in Frome , Somerset and had 8 children . Louisa Barnett married Lorenzo Giuntini in Frome , Somerset on 11 September 1866 and got 8 children . 1 +Cheadle Heath railway station was a train station that served the village of Cheadle , Cheshire and the suburb of Stockport by Cheadle Hulme between 1901 and 1968 . Cheadle Heath railway station served a railway station which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb Cheadle Hulme . 0 +Walker received 27,735 votes ( 45.5 percent ) to Speedy Long 33,250 ( 54.5 percent ) . Speedy Long received 27,735 votes ( 45.5 percent ) to Walker 's 33,250 ( 54.5 percent ) . 0 +Bergamo railway station is connected to Milan , Treviglio , Cremona , Lecco , Brescia and Monza with regional trains operated by Trenord . Bergamo railway station is connected with regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . 1 +Two guards were wounded and four killed . Two guards were wounded and four were killed . 1 +Although its conjugate acid is highly reactive , peroxynitrite is stable in basic solutions . Although its conjugated acid is highly reactive , peroxynitrite in stable solutions is basic . 0 +In March 1904 , his brother was kidnapped in Mexico for ransom and brought across the border to West Texas . In March 1904 , his brother was kidnapped for ransom in Westtexas and taken to Mexico across the border . 0 +Jimmy Wareing was born in Silloth in 1917 and played for Silloth and Cumberland Rugby Union prior to the war . Jimmy Wareing was born in Cumberland in 1917 and played rugby union for Silloth and Silloth before the war . 0 +Hector Pieterson was buried at the Avalon Cemetery in Johannesburg with Hastings Ndlovu . Hastings Ndlovu was buried with Hector Pieterson at Avalon Cemetery in Johannesburg . 0 +Also , their skin secretes chemicals that are distasteful , and sometimes poisonous , to predators . Their skin also secretes chemicals that are unpleasant , and sometimes poisonous , to predators . 1 +The joint management of the memorial was founded by the National Park Service and the United States Navy on 9 September 1980 . The joint administration of the memorial by the United States Navy and the National Park Service was established on September 9 , 1980 . 1 +When Santa Anita Park was closed in 2014 , the race was transferred to Hollywood Park Racetrack . In 2014 , when Hollywood Park Racetrack was closed the race in Santa Anita Park was moved . 0 +The venue has two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1100 people ) . The venue has two stages , a small stage ( capacity of 300 people ) and a main stage ( capacity 1,100 people ) . 0 +Pupi Avati , better known as Giuseppe Avati ( born November 3 , 1938 ) , is an Italian film director , producer and screenwriter . Giuseppe Avati , better known as Pupi Avati ( born 3 November 1938 ) , is an Italian film director , producer , and screenwriter . 0 +David Ferrer won the title and defeated Steve Johnson in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . David Ferrer won the title , defeating Steve Johnson in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . 1 +Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and had together at least 10 children ( 6 sons and 4 daughters ) . John John Braithwaite married Caroline or possibly Caroline Amelia ( 1803-1878 ) and had at least 10 children ( 6 sons and 4 daughters ) : 0 +The album was released on June 2 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be announced on July 2 . The album was released on June 2nd as a limited , untitled album with hand drawn covers and signed by Buckethead himself to be announced on July 2 . 1 +He also recorded duets with Alci Acosta , Olimpo Cárdenas , and Daniel Santos . He also accompanied duets with Alci Acosta , Olimpo Cárdenas and Daniel Santos . 1 +IDA can also browse FTP servers or preview the contents of ZIP or RAR files before downloading . IDA can also preview FTP servers or browse the contents of ZIP or RAR files before downloading them . 0 +"The finished product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X - COM : UFO Defense "" ." "The finished product was marketed as "" UFO : Enemy Unknown "" in Europe and Australia and as "" X-COM : UFO Defense "" in North America ." 0 +Sweden has an embassy in Ankara and a consulate -- general in Istanbul . Turkey has an embassy in Stockholm . Sweden has an embassy in Ankara and a General Consulate in Stockholm . Turkey has an embassy in Istanbul . 0 +It carried out services between the following centres : Townsville , Bundaberg , Gladstone , Rockhampton , Mackay , Brisbane , Blackwater , Thangool , Coolangatta and Newcastle . It provided services between the following centres : Brisbane , Bundaberg , Gladstone , Rockhampton , Mackay , Townsville , Blackwater , Thangool , Coolangatta and Newcastle . 1 +J. David Spurlock was born on November 18 , 1959 in Memphis , Tennessee . He moved to Dallas , Texas in 1973 . David J. Spurlock was born on 18 November 1959 in Memphis , Tennessee . He moved to Dallas , Texas in 1973 . 1 +Eoacmaea calamus is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the marine limpets . Eoacmaea calamus is a species of sea snail , a true limpet , a naval gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . 0 +Riverside is located in the 7th Congressional District and is part of New Jersey 's 3rd state legislative district . Riverside is located on the 3rd Congressional District and is part of the 7th State Legislative District in New Jersey . 0 +Howard County was named after its position at the geographical center of Center Township . Center Township was named from its position at the geographical center of Howard County . 0 +The Bentley Brook or Bradbourne Brook is a small tributary of the River Dove in Derbyshire , England , and is 14.5 kilometres ( 9 miles ) long The Bentley Brook or Bradbourne Brook is a small tributary of the Dove River in Derbyshire , England , and is 14.5 kilometers long . 1 +Indy legend Gordon Johncock , veteran Stan Fox , and Buddy Lazier , who made the race for the first time . Buddy Lazier , Veteran Stan Fox and Gordon Johncock made the race for the first time . 0 +The series was published by Dell ( NY ) for the US editions , and Armada ( UK ) for the London editions . The series was released by Dell ( NY ) for the US editions and Armada ( London ) for the UK editions . 0 +In March 1992 , Manser Mahathir wrote another letter . In March 1992 , Manser wrote another letter to Mahathir . 0 +He took cylinders for the Edison company before coming to the US , and these were marketed to the German-speaking population in the United States . He recorded cylinders for the Edison company before coming to the USA , and these were marketed to the German-speaking population in the United States . 1 +Robert Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Clara Maass . Clara Maass was born in East Orange , New Jersey , to the German immigrants Hedwig and Robert Maass . 0 +In 2000 , he was ranked the 51st best prospect in baseball and the fifth best prospect in the Braves organization . In 2000 , he was classified the 51st best prospect in baseball and the fifth best prospect in the Braves organization . 1 +Small mammals , including bats , are sometimes caught , but insects are only rarely eaten . Sometimes , small mammals , including bats , are eaten , but insects are rarely caught . 0 +At Wimbledon Janković was the fourth seed , but in the third round lost to the surprise finalist Marion Bartoli . Janković was the third seed at Wimbledon , but lost in the fourth round to the surprising finalist Marion Bartoli . 0 +Pier Angeli has two kids and his wife Anna ( Curtis ) is pregnant . Pier Angeli has two children and his wife , Anna ( Curtis ) is pregnant . 1 +Quintessus Caecilius Metellus Macedonicus was the second son of Roman politician and General Lucius Caecilius Metellus Diadematus . Caellilius Metellus Diadematus was the second son of Roman politician and General Quintus Caecilius Metellus Macedonicus . 0 +The pollution tolerance value is 6 ( on scale 0 -- 10 ; 0 is the worst water quality , 10 is the best water quality ) . The pollution tolerance value is 6 ( on the 0 - - 10 ; 0 scale the worst water quality , 10 is the best water quality ) . 1 +In 1930 , the architects Miguel Santos and Mariano Garrigues were commissioned to build the Faculty of Pharmacy , and Agustín Aguirre was selected for the Faculties of Medicine and Dentistry . In 1930 the architects Miguel Santos and Mariano Garrigues were commissioned to build the Faculty of Pharmacy and Agustín Aguirre was chosen for the Faculties of Medicine and Dentistry . 1 +It is limited by Pembina County , North Dakota The nearest American community to Gretna is Neche , North Dakota . It is bordered by North Dakota . The nearest American community to Gretna is Neche , Pembina County , North Dakota . 0 +Alicia , together with Alberto Cortina , has three sons : Alberto Cortina has three sons with Alicia . 0 +President Franklin D. Roosevelt built the modern Oval Office in 1933 , and demolished the old one . In 1933 , President Franklin D. Roosevelt built the modern Oval Office and destroyed the old . 1 +Denco is a former settlement in Colusa , north of Colusa County , California , on Southern Pacific Railroad . Denco is a former settlement in Colusa County , California , north of Colusa on Southern Pacific Railroad . 0 +Directed by Paul Krasny , written by Nancy Steen and Neil Thompson , produced by Robert K. Weiss . It was written by Nancy Steen and Neil Thompson , directed by Paul Krasny , and produced by Robert K. Weiss . 1 +Starting in the first half of the second season , Erin Kaplan and Roxy Olin were replaced by Lyon , Lyon and Senn . Lucas , Lyon , and Senn were replaced by Erin Kaplan and Roxy Olin beginning in the first half of the second season . 0 +The white Pontiac , a last model year 2010 G6 4 - doory limousine , was built in January 2010 at the Orion Township assembly line . The last Pontiac , a white 2010 model year G6 4 - door limousine , was built in January 2010 on the Orion Township assembly line . 0 +Anti-dsdNA biological therapies , such as adalimumab , infliximab and etanercept , can often induce the production of Anti-TNFα antibodies . Biological therapies such as Adalimumab , Infliximab and Etanercept can often induce the production of anti-DSNNA antibodies . 0 +Nikolai Myaskovsky wrote his symphony No . 9 in e - Moll op . 28 between 1926 and 1927 . Nikolai Malko was dedicated . Nikolai Malko wrote his Symphony No . 9 in E minor , Op . 28 , between 1926 and 1927 . It was dedicated to Nikolai Myaskovsky . 0 +The novel was translated into Bulgarian , Croatian , Swedish , Polish , Russian , Korean , French , Norwegian and Dutch . The novel has been translated into Bulgarian , Croatian , Swedish , Polish , Russian , Korean , French , Norwegian and Dutch . 1 +"The director , Tanvir Ahmed , describes this film as "" a tale of a noble father , a religious mother and a gangster son in Mumbai City "" ." "The director Tanvir Ahmed describes this film as "" a story of a noble father , a religious mother and a gangster - son of Mumbai City "" ." 1 +"In August 1969 , the "" Callaghan "" transported the first battalion of the Pershing 1a Field Artillery Missile System from West Germany to Port Canaveral ." "In August 1969 , "" Callaghan "" transported the first battalion of the Pershing 1a Field Artillery Missile System from Port Canaveral to West Germany ." 0 +Today the railheads for Alma Township are Wellsville and Friendship . Today the railheads for Alma Township Wellsville are friendship . 1 +It was freely climbed and named after Bill House , when it first climbed in 1938 . It was first climbed and named after Bill House , when he free climbed it in 1938 . 0 +In 1909 , he had Lee Alexander ( d. 1959 ) . Together , they married : In 1909 he had Lee Alexander ( d. 1959 ) . They married together : 1 +Following the independence of Armenia in 1991 , Ijevan became the provincial centre of the newly founded province of Tavush , following the administrative reforms of 1995 . Following the independence of Armenia in 1991 , Ijevan became the provincial centre of the newly founded Tavush Province as per the administrative reforms of 1995 . 1 +In the United States , classified mail may be used to send classified material up to the Secret registered level . In the United States , classified letters may be used to send classified material up to the level registered by Secret . 1 +The series was written by George Pérez , with art by Kurt Busiek . The series was written by Kurt Busiek , with art from George Pérez . 0 +On Monday , Napoleon visited the individual exhibits , as Louis Philippe had done . Napoleon visited the individual exhibits on Mondays , as Louis Philippe had done . 1 +Ricochet received a new paint job for the 2014 season , blue supports and a green track . For the 2014 season , Ricochet received a new coat , blue supports and a green track . 1 +The Izvorul River is a tributary of the Jiu River in Romania . The river Izvorul is a tributary of the Jiu River in Romania . 1 +He also played in several BBC Radio 4 adaptations of Agatha Christie - novels with John Moffatt as Hercule Poirot Captain Hastings . Williams also played Captain Hastings in several BBC Radio 4 adaptations of Agatha Christie novels , starring John Moffatt as Hercule Poirot . 1 +Ponti played guitars and keyboards on the album , with the help of bassist Pat Schick , keyboard player Guy Daniel and drummer Camus Celli . Guitars and keyboards played on the album with the help of bassist Camus Celli , keyboardist Guy Daniel and drummer Pat Schick . 0 +Fontaine Charles-Péguy , Square Alain Gilot , rue Montempoivre 1989 , Charles Péguy , architect , and Liliane Grunig Tribel , landscape architect . Fontaine Charles - Péguy , Square Charles Péguy , rue Montempoivre 1989 , architect Alain Gilot , and Liliane Grunig Tribel , landscape architect . 0 +The square reciprocity law is the statement that certain patterns in the table in general are true . The true reciprocity law is the statement that quadratic patterns found in the table are certain in general . 0 +Sweden has an embassy in Ankara and a consulate general in Stockholm . Turkey has an embassy in Istanbul . Sweden has an embassy in Ankara and a General Consulate in Stockholm . Turkey has an embassy in Istanbul . 1 +Here is a list of schools in Harford County , Maryland , which are included in both public schools and independent schools , but parish schools are not listed . Here is a list of schools in Harford County , Maryland.There are listed both public schools and parish schools , but independent schools are not included . 0 +The mountain was named by Jules de Blosseville , after French naval officer Marie Henri Daniel Gauthier , comte de Rigny ( 1782 -- 1835 ) . The mountain was named by Marie Henri Daniel Gauthier after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) . 0 +They have also served vehicles and crew-released heavy weapons in 1 : 6 scale . They have also released vehicles and serve heavy weapons in scale 1 : 6 . 0 +The astors settled in Germany , appearing for the first time in the 18th century in North America with John Jacob Astor , one of the richest people in history . The astors settled in North America , appearing for the first time in the eighteenth century with John Jacob Astor , one of the richest people in history , in Germany . 0 +They meet with Quinito Castañeda ( Danny ) and his friend Joross Gamboa ( Rafael Rosell ) , who will take you to a beach resort in Cavite . They meet up with Quinito Castañeda ( Danny ) and his friend , Joross Gamboa ( Rafael Rosell ) who take them to a beach resort in Cavite . 1 +Upernivik Island is an uninhabited island in the Qaasuitsup municipality in northwestern Greenland . Qaasuitsup is an uninhabited island in the municipality of Upernivik Island in northwestern Greenland . 0 +Later they moved to Dhaka and lived there for a couple of years until they moved to Khulna . Later they moved to Dhaka and lived there for couple of years until they moved to Khulna . 1 +The mountain was named after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) by Marie Henri Daniel Gauthier . The mountain was named by Marie Henri Daniel Gauthier , after French naval officer Jules de Blosseville , comte de Rigny ( 1782 -- 1835 ) . 1 +Princeton Township is a commune in Mille Lacs County , Minnesota , United States . Princeton Township is a township in Mille Lacs County , Minnesota , United States . 0 +In the wake of the Herat affair , Great Britain would remove its military and diplomatic missions from Persia , and occupy Kharg island and attack Bushehr . After the Bushehr affair , Britain would remove its military and diplomatic missions from Persia and occupy the island of Kharg and attack Herat . 0 +Minolops is a genus of sea snails , top gastropod mollusks in the family Solariellidae within the superfamily Trochoidea , the marine snails , turban snails and their allies . Minolops is a genus of sea snails , marine snails molluscs in the family Solariellidae within the superfamily Trochoidea , the top - snails , turban screws and their allies . 0 +Kennedy then asked Maison Jansen if they would restore the table . Then Kennedy asked Maison Jansen whether they would restore the table . 1 +The last hidden track is an untitled track of nearly 5 minutes of silence , which precedes the 14th track . The 14th track is an untitled track of nearly 5 minutes of silence , which precedes the final hidden track . 0 +In 1999 , Trinity merged with Mirror Group newspapers to Trinity Mirror , the largest stable in the country 's newspapers . In 1999 Trinity merged with Mirror Group Newspapers to become Trinity Mirror , the largest stable of newspapers in the country . 1 +Hard Candy is the fourth studio album by Counting Crows , published in the United States on June 7 , 2002 and the following day in the United Kingdom . Hard Candy is the fourth studio album by Counting Crows , released in the United Kingdom on June 7 , 2002 and the following day in the United States . 0 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania.ZanAir was founded in Zanzibar in 1992 and is one of the most experienced airlines in Tanzania . 1 +There are currently twenty-one churches in seven states ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia . ) Twenty-one churches are currently in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia ) . 1 +María Rosario Santos y Navarro was born as the second of six children of Winifredo Santos , a doctor , and Nora Navarro . Nora Navarro was born as the second of six children of Winifredo Santos , a doctor , and María Rosario Santos y Navarro . 0 +The Cârlibaba River is a tributary of the Tătarca River in Romania . Tătarca river is a tributary of the Cârlibaba River in Romania . 0 +The sixth season premiered on September 15 , 2013 , with the fifth season premiered on April 10 , 2014 . The fifth season was premiered on 15 September 2013 and the sixth season was premiered on April 10 , 2014 . 0 +The temperature should be around 28 ° C during the day and drop to about 20 ° C at night . The temperature should be around 28 ° C during the day and should sink to about 20 ° C at night . 1 +The Nette is a small river in Rhineland - Palatinate , Germany , a left tributary of the Rhine . The Nette is a small river in Rhineland-Palatinate , Germany , a left tributary of the Rhine . 1 +"In Ngapoi , for example , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga - Wang Jigmê "" his personal name ." "For example , in Ngapoi , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga-Wang Jigmê "" his personal name ." 1 +In September 1858 , a joint French and Spanish expedition landed at Tourane ( Da Nang ) and conquered the town . In September 1858 , a joint French and Spanish expedition landed at Da Nang ( Tourane ) and captured the town . 1 +Trujillo has recorded in his canvases elements of native art and hieratic figures in a very contemporary style . Trujillo incorporated elements of contemporary art and native figures in a very hieratic style in his canvases . 0 +In 1844 , Pill Hill became a part of Brookline when it was annexed from Boston . Pill Hill became part of Brookline in 1844 , when it was annexed from Boston . 1 +Tabda , also known as Tabto , is a town in the southern Lower Juba ( Jubbada Hoose ) region of Somalia . Tabda , also known as Tabto , is a city in the southern Jubbada Hoose ( Lower Juba ) region of Somalia . 1 +Instead , Antony wanted to battle Octavian by sea where his experienced sailors could dominate . Instead , Antony Octavian wanted to fight by sea , where his experienced sailors could dominate . 0 +Default maximum speed limits apply to all roads where no specific lower numeric speed limit is already in force . The numeric speed limits apply by default to all roads where no specific lower maximum speed limit is yet in force . 0 +"In 1991 , Sun Publications acquired the "" Naperville Sun "" newspaper and its Copley Newspapers parent ." "In 1991 , Sun Publications acquired the newspaper "" Naperville Sun "" and its parent company , Copley Newspapers ." 1 +The system moved west and passed north of Guam near Saipan on October 16 at around 0600 UTC . The system moved on October 16 around UTC 0600 to the west and passed north of Saipan near Guam . 0 +He died in his home in Bridgeton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . He died in his home in Trenton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . 0 +Johnson allowed the three inexperienced pilots to attack it , but they only managed to damage the bomber . The three inexperienced pilots were allowed to attack it , but they managed only to damage the bomber . 1 +Du Guesclin was taken into custody and ransomed by Charles V for 100,000 francs . Charles V was taken into custody by Du Guesclin and captured for 100,000 Francs . 0 +New York 's initial possession of parts of Vermont ensured a close relationship with other New England colonies like Maine and a sustained New England influence in the colony . New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence in the colony . 0 +In 1033 , he rejected his first wife , Helie of Semur , and married her in 1048 . Robert and Helie had five children : He married his first wife , Helie of Semur , around 1033 and dismissed her in 1048 . Robert and Helie had five children : 0 +Regressive assimilations are caused only by semantic factors , while substitutions take phonological information into account . Regressive assimilations are caused only by phonological factors , while substitutions take semantic information into account . 0 +Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American football wide receiver in the American Football League and the NFL . Charley Frazier ( born August 12 , 1939 in Houston , Texas ) is a former American football receiver in the American Football League and the NFL . 1 +Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport to Nanaimo Harbour Water Aerodrome . Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and the Nanaimo Harbour Water Aerodrome to Vancouver International Water Airport . 0 +Born in Parkesburg , Pennsylvania , Scott was buried in Chester County , Pennsylvania . Scott was born in Chester County , Pennsylvania , and was buried in Pennsylvania , Parkesburg . 0 +Crooked River is drained by Waterford . Waterford is drained by the Crooked River . 0 +Probability ) that the other side of the card is black , since there are two cards it might be : the black and the mixed . Probability that the other side of the card is black , since there are two cards that could be the black and the mixed . 1 +The Ati are a central group in the Visayas , the Negrito ethnic portion of the Philippine archipelago . The Ati are a central group in the Visayas , the Negrito ethnic part of the Philippine archipelago . 1 +Cole then captures Magruder 's henchman Dutchie and his men and kills Magruder 's armored train . Cole then captures Magrud 's henchman , Dutchie , and his men , and kills Magruder 's armored train . 1 +Malik married businessman Asad Bashir Khan Khattak on 25 December 2013 in Dubai . Asad Bashir Khan Khattak married businessman Malik in Dubai on December 25 , 2013 . 0 +"It is the second entry in the series , the first being "" Fast Racing League "" released on WiiWare for the Wii in 2011 ." "It is the first entry in the series , the second is "" Fast Racing League "" on WiiWare published in 2011 for the Wii ." 0 +He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on August 5 , 1875 . He married Lady Florence Jane Taylour , daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . 0 +MRSA rates are also now amongst the best in the country , with the biggest reduction . MRSA - Rates are also now one of the best in the country , with the biggest reduction . 1 +Afterwards , she taught in secondary schools in Yorkshire and then Derbyshire . Afterwards she taught at secondary schools in Yorkshire and then in Derbyshire . 1 +The western part of Indian Lake is located in the eastern Richland Township . The western part of Indian Lake is located in eastern Richland Township . 1 +However , at this point Akram returned to the attack and dismissed Lamb for 31 and the next batsman , Lewis , for 0 . At this point , however , Lewis returned to the attack and dismissed Lamb for 31 and the next stickman , Akram for 0 . 0 +Jimmy Arias defeated Mats Wilander 4 - 6 , 7 - 5 , 6 - 1 , 6 - 3 . Jimmy Arias defeated Mats Wilander by 4-6 , 7-5 , 6-1 , 6-3 . 1 +"Freeze "" is the twelfth episode of the second season , 34th episode overall and the mid-season premiere from the FOX series "" Gotham "" ." "is the twelfth episode of the second season , 34th episode in total and the mid-season premiere from the FOX series "" Gotham "" ." 1 +Kadria then fled twice from Milić Krstić and shot . Kadria shot twice Milić Krstić and fled . 0 +The album was recorded in six different sessions , both in Santa Monica Sound Records in Los Angeles and at Westlake Recording Studios in Santa Monica , California . The album was recorded in six different sessions , both at Santa Monica Sound Records in Santa Monica , California , and at Westlake Recording Studios in Los Angeles . 0 +""" Myles C. Fox "" departed Yokosuka on 23 September and reached San Diego on 8 October ." On 23 September , Myles C. Fox reached Yokosuka and left San Diego on 8 October . 0 +At the age of 76 he died in Grahamstown , Cape Province , in South Africa . At the age of 76 he died in South Africa , in Grahamstown , Cape Province . 0 +In 1807 , Goforth asked Drake to take over his medical practice , as he wished to move on to Louisiana . In 1807 , Goforth Drake asked to take over his medical practice as he wanted to move to Louisiana . 0 +Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat in the winter . Kunkuri is the hottest region in Nichghat in the summer and Pandrapat is the coldest region in Upper Ghat in winter . 0 +In September 1994 , Anton married Lesley Gray Anton . Anton married Lesley Gray in September 1994 . 1 +Strikingly , both childless parents were judged to be less competent for the job than male and female applicants . Striking were both male and female parents as less competent for the job than childless applicants . 0 +Equatorial Africa is an ambiguous term that sometimes is used to refer to tropical Sub-Saharan Africa , or the equatorial region of Africa traversed by the equator . Equatorial Africa is an ambiguous term that is sometimes used to refer to sub-Saharan tropical Africa or the equatorial region of Africa crossed by the equator . 1 +In September 2015 , Morimoto opened the Pan-Asian restaurant Morimoto Asia at Disney Springs in Walt Disney World in Florida . In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Disney Springs in Walt Disney World , Florida . 1 +Doe Deer was written by Ethan Kath , with additional recording from Matthew Wagner . Doe Deer was written by Ethan Kath , with additional recording by Matthew Wagner . 1 +Of the nine games played in Warsaw , Legia won six and moved three . Of the nine games played in Warsaw , Legia won six and drew three . 1 +The state of unrest in Poland began to spread to Hungary . The state of unrest in Hungary began to spread to Poland . 0 +In 2011 , the H. W. Wilson Company took over EBSCO Publishing . In 2011 , EBSCO Publishing took over H. W. Wilson Company . 0 +Awwad was born in Jerusalem . He graduated from the Arab College in Salfit in 1947 . Awwad was born in Salfit and graduated in 1947 from the Arab College in Jerusalem . 0 +When toxic concentrations are reached , there may be a delay of one or two days before maximum toxicity occurs . When the maximum concentrations are reached , there may be a delay of one or two days before a toxic toxicity occurs . 0 +He is the son of Danilo K. Rapadas and Cerila Matias Rapadas he has three brothers Danilo Jr. , Antonio , Juan and his sisters Roberta and Christina . He is the son of Danilo K. Rapadas and Cerila Matias Rapadas has three brothers Danilo Jr. , Antonio , Juan and his sisters Roberta and Christina . 1 +"From September 2015 Goodyear is again president of "" Goodyear Capital Corporation "" and the "" Goodyear Investment Company "" ." "In September 2015 , Goodyear is again the president of "" Goodyear Investment Company "" and "" Goodyear Capital Corporation "" ." 1 +All standard varieties are based on the non-standardized spoken varieties of the Shtokavian dialect ( Ijekavian - varieties , including Ijekavian also Ikavian Shtokavian ) . All standard varieties are based on the non-standard spoken varieties of the Shtokavian dialect ( Ijekavian varieties including , beside Ijekavian , also Ikavian Shtokavian ) . 1 +It is north of Lower Savage Islands , and northwest of Resolution Island and Edgell Island . It is north of Resolution Island and Edgell Island and north-west of Lower Savage Islands . 0 +All 15 episodes were presented and produced by Harry Pringle by the British naval officer and station Commander Campbell . All 15 episodes were presented by British naval officer and broadcaster Commander Campbell and produced by Harry Pringle . 1 +The 1962 National Football League season was the 13th season of the Cleveland Browns team . The 1962 Cleveland Browns season was the 13th season of the team with the National Football League . 0 +He was married twice to Annie Kowalkowski and Elizabeth Dettlaff , and had three daughters . He was married twice , to Elizabeth Dettlaff and to Annie Kowalkowski , and had three daughters . 1 +In the second round she beat Julia Görges , then defeated 17th seed Olga Govortsova in the third . In the second round she beat Julia Goerges , then defeated 17th seed Olga Govortsova in the third . 1 +The survival of such binaries through high envelope phases of massive rotation in common ancestral stars may be necessary for their survival . The survival of such binaries , through high envelope phases of massive rotation in common progenitor stars , may be necessary for their survival . 1 +She is the wife of Giorgio Cagnotto and mother of the Tania Cagnotto . She is a wife of Tania Cagnotto and mother of Giorgio Cagnotto . 0 +The best-known version of the song was recorded by Dick Rowe and produced in 1953 in England by The Stargazers . Probably the most famous version of the song was produced by Dick Rowe and was recorded in 1953 by The Stargazers in the UK . 0 +It also included Peter Mutharika ( President Mutharika 's brother ) , Goodall Gondwe , the Minister of Economic Development , and the Chief Secretary , Bright Msaka . They also included Peter Mutharika ( the brother of President Mutharika ) , Goodall Gondwe , the Minister for Economic Development , and Chief Secretary Bright Msaka . 1 +Bogale Township is a township of Pyapon District in the Ayeyarwady Region of Myanmar ( Burma ) . Bogale Township is a municipality in the Pyapon district of the Ayeyarwady region of Myanmar ( Burma ) . 1 +In 2013 , Williamson left and was replaced by guitarist Don Hill and later , Boling left and was repalced by Keith Tew . In 2013 left Williamson and was replaced by guitarist Don Hill and later , Boling left and was repalced by Keith Tew . 1 +Brokenstraw Creek is a tributary of Coffee Creek at Warren County , Pennsylvania in the United States . Coffee Creek is a tributary of Brokenstraw Creek in Warren County , Pennsylvania , the United States . 0 +Assistant manager Brian Kidd resigned late in the campaign to take the same role at Rangers , and was replaced by Archie Knox . Assistant manager Brian Kidd resigned later in the campaign to take on the same role at Rangers , and was replaced by Archie Knox . 1 +After his death , the atheistic element of communism would be stepped up in some Marxist movements . After his death , the Marxist element of communism would be strengthened in some atheistic movements . 0 +Each line contains three points , so the Hesse configuration has the notation 912 in the language of the configuration . Each line contains three points , so in the language of configurations the Hesse configuration has the notation 912 . 1 +However , at the time of the police raid , Kumar and his other accomplices escaped after the knowledge of possible arrests . At the time of the police raid , however , Kumar and his other accomplices escaped after learning of possible arrests . 1 +Helen Tokar , the wife of Lu Lucey , was the sister of Betty Tokar Jankovich , who dated Bob Montana briefly and was the inspiration for Betty Cooper . Lucey 's wife Betty Tokar Jankovich was the sister of Helen Tokar , who briefly dated Bob Montana and was the inspiration for Betty Cooper . 0 +Kurgo - products are also available through the distributor Accapi Group in Europe , while MasterPet Kurgo products are distributed in Australia and New Zealand . Kurgo products are also available in Europe through the distributor Accapi Group , while MasterPet distributes Kurgo products in Australia and New Zealand . 1 +Their appearance ranges from clear with sediment to completely cloudy , and their colour ranges from almost colourless to amber to brown . Their appearance ranges from clear sediment to completely cloudy , and their colour ranges from almost colorless to amber to brown . 1 +In 1953 , he married the actress Gilda Neeltje , the sister of actress Diane Holland . In 1953 , he married the actress Gilda Neeltje , sister of the actress Diane Holland . 1 +Examples of ceramics include white porcelain or white porcelain decorated with cobalt , copper blue underglaze , red underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain , decorated with cobalt , copper blue underglaze , red underglaze and iron glaze . 1 +A member of the Bapounou people , he was born at Moussambou and educated in public secondary schools , then at the local Catholic school of Lambaréné . He was a member of the Bapounou people , was born in Moussambou and trained in local Catholic schools , then at the public secondary school of Lambaréné . 0 +After Munga 's death , Kublai Khan became . After Munga 's death , Kublai became the Khan . 0 +Hugues Merle died in Paris in 1881 , his son Georges Merle also became painter . Georges Merle died in Paris in 1881 , his son Hugues Merle became a painter as well . 0 +""" Thanks to the Facebook generation , anyone by simply installing a Selfie can become a Kevin Spacey or a Harvey Winestone "" , he added ." """ Thanks to the Facebook generation , anyone by simply mounting a Selfie can become a Harvey Weinstone or a Kevin Spacey "" , he added ." 1 +When she rejected the ultimatum , she was tried by a Church court and excommunicated in June 1952 . When she rejected the ultimatum , she was sentenced and excommunicated by a church court in June 1952 . 1 +Barrallier Island is a very small uninhabited island , located north-west of French Island in Victoria , Australia . French Island is a very small uninhabited island located northwest of Barrallier Island in Victoria , Australia . 0 +Adrenal hormones , especially glucocorticoids such as cortisol , are essential for prenatal development of organs , particularly for the maturation of the lungs . Prenatal hormones , especially glucocorticoids such as cortisol , are essential for the development of the adrenal organs , particularly for the maturation of the lungs . 0 +New exhibitions are planned in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . Planned are new exhibitions in Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) . 0 +Octavian 's fleet was commanded by Antony , while Marcus Vipsanius Agrippa 's fleet was supported by the power of Queen Cleopatra of Ptolemaic Egypt . The Octavian fleet was commanded by Antony , while the fleet of Marcus Vipsanius Agrippa was supported by Queen Cleopatra 's power from Ptolemaic Egypt . 1 +British Manx Airlines can trace its history back to March 1991 when Manx Airlines created Regional Airlines Europe in order to expand and fly routes within the United Kingdom . Manx Airlines can trace its history back to March 1991 , when Manx Airlines created Regional Airlines Europe to expand and fly routes within the United Kingdom . 1 +A total of 16 teams participated , but only 13 teams qualified in the finals of the Olympic tournament . In total , 16 teams participated , but only 13 teams qualified for the finals of the Olympic tournament . 1 +Many of Friend 's descendants now live in Garrett County , and the Friend Family Association 's headquarters and library are in Friendsville because of this connection . Many of Friend 's descendants live in Friendsville today , and the headquarters and library of the Friend Family Association are in Garrett County because of this connection . 0 +In 2016 , he was called for the Bahrain U19 team against the Singapore U19 selection . In 2016 , he was called up for the Bahrain U19 team facing the Singapore U19 selection . 1 +Charlie conducts a conversation with Carol about how she needs money to buy an apartment to Charlie . Carol conducts a conversation with Charlie about how she needs money to buy an apartment to Charlie . 0 +Ruth Stuber married Armand L. Jeanne ( b . 1941 ) . Armand Jeanne married Ruth Stuber in 1941 . 1 +The Piedmontese was merged with another former bank Cassa di Risparmio di Biella in 1994 . The former was brought together in 1994 with another Piedmontese bank Cassa di Risparmio di Biella . 0 +Sondhi countered that Thaksin was trying to silence the press . Sondhi countered by saying that Thaksin was trying to silence the press . 1 +At present it is the third most used language in international trade , and the second most used in politics , diplomacy and culture after English and French . At present , it is the second most widely used language in international trade and the third most widely used language in politics , diplomacy and culture after English and French . 0 +In 1281 , Simon de Beaulieu of Pope Martin IV ( Simon de Brion ) was appointed Archbishop of Bourges . In 1281 , Pope Martin IV ( Simon de Beaulieu ) , Simon de Brion , was appointed Archbishop of Bourges . 0 +Lielplatone parish is an administrative unit of the Jelgava Municipality ( prior to the 2009 administrative reforms the Jelgava District ) , Latvia . Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the Jelgava district 2009 ) , Latvia . 1 +Gus mentions other cases of reporters who made up stories : Jayson Blair , Stephen Glass and Jack Kelley . Gus mentions other cases of reporters who come up with stories : Jack Kelley , Stephen Glass , and Jayson Blair . 1 +Abolitionists rose to the defense of Ellen and William Craft in 1850 , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , in 1851 Shadrach Minkins , and in 1854 Anthony Burns . 0 +Eckhoff represented Britain against New Zealand in 1928 and Australia in 1930 . Eckhoff represented New Zealand against Great Britain in 1928 , against Australia in 1930 . 0 +"It was born in 2005 , and in 2006 the debut EP "" The Departure "" was released ." "It was born in 2005 , and in 2006 was published the debut - EP "" The Departure "" ." 1 +Margaret Fleming married James of Barrochan and was followed by Alexander , his eldest son . James married Margaret Fleming of Barrochan and was succeeded by Alexander , his eldest son . 0 +Constantine Giannaris , also Constantinos Giannaris ( born 1959 in Athens ) , is a Greek director , screenwriter and actor . Constantinos Giannaris , also Constantine Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . 1 +Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who has never been seen during the day . Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman never seen during the day . 1 +It was designed by Little Rock architect F. Eugene Withrow and Dallas , Texas architect Harold A. Berry in the International style . It was designed by Little Rock Architect F. Eugene Withrow and Dallas , Texas Architect Harold A. Berry in an international style . 1 +Today it is an internationally recognizable artistic and educational institution with academic departments , developed degrees , expressed artistic and scientific activities . Today it is an internationally recognised artistic and educational institution with developed departments , academic degrees , artistic and scientific activities . 0 +Prokowo is a non-operational PKP railway station in Prokowo ( Pomeranian Voivodeship ) , Poland . Prokowo is a non-operational PKP railway station in Prokowo ( Pomeranian Voivodship ) , Poland . 1 +Jenny Silver , better known as Jenny Maria Öhlund ( born 22 January 1974 ) is a Swedish singer . Jenny Maria Öhlund is a Swedish singer better known as Jenny Silver ( born January 22 , 1974 ) . 0 +Femi 's musical career began when he started playing in his father 's band , Egypt 80 . Femi 's musical career began when he started playing in the band of his father , Egypt 80 . 1 +Its current chairman is Henry Butler , and its district manager is Richard Flateau . Its current chairman is Richard Flateau , and its district manager is Henry Butler . 0 +These background areas included the state of California , 4 zones in New York City , Las Vegas NV , and a 300-mile radius around Hawaii . These background zones included the state of Hawai'i , 4 zones in California , Las Vegas NV , and a 300-mile radius around New York City . 0 +"The administrative district ( "" správní obvod "" ) of the same name consists of municipal districts Prague 17 and Zličín ." "The administrative district of the same name ( "" správní obvod "" ) consists of the districts of Prague 17 and Zličín ." 1 +Currently it is the fifth tallest skyscraper in Perth after QV.1 , the BankWest Tower , City Square and Central Park . It is currently the fifth highest skyscraper in Perth after QV.1 , the BankWest Tower , City Square and Central Park . 1 +The CCV presents miniature versions of important historical buildings and structures , together with local customs . The CCV presents miniature versions of important historical buildings and buildings , together with local customs . 1 +In both New Spain and Peru , silver became the engine of the Spanish colonial economy . Both in Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +The wieferich - base with known first prime number at order 3 is 9 , where 2 is a wieferich - prime number to base 9 with order 3 . The Wieferich base with known first prime with order 3 is 9 , where 2 is a Wieferich prime to base 9 with order 3 . 1 +The Astoria terminal is located in Hallets Cove between the Astoria Houses public housing project and Socrates Sculpture Park . The Astoria Terminal is located in the Hallets Cove between the Astoria Houses project and Socrates Sculpture Park . 1 +Later , he met Theodoros Kolokotronis , whom he also wanted to admire . He also met Theodoros Kolokotronis , whom he began to admire later . 0 +"Writing in the Guardian , Stephen Bates said : "" John Cornwell has produced a devastating report ." Stephen Bates said in the Guardian : 'John Cornwell has produced a devastating report . 1 +Werder 's forces reached Belfort and invested the city on 3 November . Werder 's troops invested Belfort and reached the city on November 3 . 0 +The Peabody Hotel , located near Peabody Orlando , was opened in 1986 as the second Orlando , Florida . The Peabody Orlando , near Orlando , Florida opened in 1986 as the second Peabody Hotel . 0 +Christian Johansen Ihlen ( November 26 , 1838 -- January 14 , 1901 ) was a Norwegian politician for the moderate liberal party . Christian Johansen Ihlen ( 26 November 1838 -- 14 January 1901 ) was a Norwegian politician for the Moderate Liberal Party . 1 +"His admiral rejected the request until it was too late and "" Conte di Cavour "" had to use a deeper sand bank on November 12 at 04 : 30 ." "His admiral had the request until it was too late and "" Conte di Cavour "" inserted a veto to use a deeper sandbank on November 12 at 04 : 30 ." 0 +The Salcia River ( or Moca River ) is a tributary of the Mouca River in Romania . The River Mouca ( or Moca River ) is a tributary of the Salcia River in Romania . 0 +"In the United States , many anthropologists used Caucasian as a general term for "" white "" ." "In the United States , many anthropologists used white as a general term "" Caucasian "" ." 0 +Webmention was originally developed in the IndieWebCamp community and published on January 12 , 2016 as a W3C work draft . Webmention was originally published in the IndieWebCamp community and was developed on January 12 , 2016 as a W3C work draft . 0 +"Pluto was classified as the planet when the Grand Tour was launched and was proposed at the time "" New Horizons "" ." "Note : Pluto was classified as a planet when the Grand Tour was launched and at the time "" New Horizons "" was proposed ." 1 +It is known from the United States ( from Massachusetts and south Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . It is known from the United States ( from Arizona , Michigan , New Mexico and southern Wyoming south to south Massachusetts and southern Florida ) and Canada . 0 +"Well-known modern Ney players include Niyazi Sayın , Akagündüz Kutbay , Sadreddin Özçimi , Kudsi Erguner , Süleyman Erguner ( "" Torun "" ) , and Münip Utandı ." "Noted modern ney players include Kudsi Erguner , Akagündüz Kutbay , Sadreddin Özçimi , Niyazi Sayın , Süleyman Erguner ( "" torun "" ) and Münip Utandı ." 1 +Lewis also was a member of Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguare , Cleveland Browns , and Virginia Destroyers . Lewis was also a member of Cleveland Browns , Jacksonville Jaguars , the Oakland Raiders , Seattle Seahawks , Detroit Lions , and Virginia Destroyers . 1 +The river Valea Arsurii is a tributary of the river Valea Mică in Romania . The Valea Arsurii River is a tributary of the Valea Mică River in Romania . 1 +During or after his Parthian campaigns , Eucratides was attacked and defeated by Indian King Mithridates I , possibly in the alliance with partisans of the Euthydemides . During or after his Indian campaigns , Eucratides was attacked and defeated by the Parthian king Mithridates I , possibly in alliance with partisans of the Euthydemids : 0 +Some Native Americans and American-European settlers began to create a community around the post . Some indigenous Americans and European-American settlers began to create a community around the post . 0 +Babbar Khalsa is listed as a terrorist organisation by the United Kingdom , the EU , Canada , India , and the United States . Babbar Khalsa is run as a terrorist organisation by the United States , the EU , Canada , India and the United Kingdom . 1 +It was intended to allow a relegation playoff between Antrim and Wexford , but instead it was decided to hold both compete in the 2010 championship . It was intended to allow a descent game Playoff between Antrim and Wexford , but instead it was decided to hold both in the 2010 championship . 1 +Barbara had a son by a previous relationship , Vaughn ( 1934-2002 ) , whom C. L. adopted shortly after the marriage . Vaughn ( 1934-2002 ) had a son whom C. L. adopted shortly after the marriage by a former relationship . 0 +In addition to her own dowry , Katherine brought her new husband the station of her daughter , Cecily , who , together with William Hastings and Katherine , had six children : In addition to her own dowry , Cecily brought her new husband the station of her daughter , Katherine , who , together with William Hastings and Katherine , had six children : 0 +When employed for joint or coalition operations , it was known as a joint or combined air operations center for coalition operations . When combined for joint or coalition operations , it was known as a joint or employed air operating centre for coalition operations . 0 +Boats that drew 70 tons were now 87 ½ feet long , 10 ½ feet wide and attracted 4 ½ feet water . Boats drawing 70 tons were now 87 ½ feet long , 10 ½ feet wide , and drew 4 ½ feet of water . 1 +Ramagundam experiences cool climatic conditions inland with hot summers and dry winters . Ramagundam experiences cool inland climatic conditions with hot summers and dry winters . 1 +Ian Rotten returned the following year and was eliminated in round two by Butcher . In the following year , Butcher returned and was eliminated in round by Ian Rotten . 0 +Fernando Verdasco defeated Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 Robin Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 - 6 , 6 -- 3 . 0 +He lived in New York City for twenty years , returning to San Antonio in May 2005 . He lived for twenty years in San Antonio and returned to New York City in May 2005 . 0 +The Samuel J. Tilden House is located on the south side of Gramercy Park South , facing the park across Gramercy Park between Irving Place and Gramercy Park West . Samuel J. Tilden House is located on the south side of Gramercy Park South , opposite the park opposite the Gramercy Park between Irving Place and Gramercy Park West . 1 +There is a Juice Shop , Which Provides all fresh juice . There is a juice shop which provides fresh juice for all . 1 +He finished his career playing for European teams in various leagues . He finished his career while playing for various teams in European leagues . 0 +Eckhoff represented Britain against New Zealand in 1928 , in 1930 against Australia . Eckhoff represented New Zealand against Great Britain in 1928 , against Australia in 1930 . 0 +The river Jiul de Est is a tributary of the River Măleia in Romania . The Jiul de Est River is a tributary of the Măleia River in Romania . 1 +Under the British Raj , Bijapur District was part of the Bombay Presidency . The Bijapur District was part of the Presidency of Bombay under the British Raj . 1 +It is bordered to the northeast by Londonderry Township , to the east by Napier Township , and to the south by Harrison Township . It is bounded to the northeast by Napier Township , to the east by Harrison Township and to the south by Londonderry Township . 0 +The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Lakes Entrance , along Princes Highway north of Melbourne . The Buchan Caves are located east to the northeast ( or five hours drive ) from Melbourne on Princes Highway , north of Lakes Entrance . 0 +Depicted by Russell Streiner and John Russo , presented by Kane Hodder , accepted by Danny Pintauro and Jason Voorhees . Presented by Russell Streiner and John Russo portrayed by Kane Hodder , accepted by Danny Pintauro and Jason Voorhees . 1 +In the substantia nigra , DAT is localized to axonal and pre- and post-synaptic ( dendritic ) plasma membranes . In the substantia nigra , DAT is localized to axonal and dendritic ( i.e. , pre- and post-synaptic ) plasma membranes . 1 +"Mount Sis also has a plateau called "" Sis Dağı Yaylası "" in Turkey ." "Mount Sis is also a plateau that has called "" Sis Dağı Yaylası "" in Turkey ." 1 +Licensed to Sebring , the station serves the Wauchula , Florida , USA area . The station , which is licensed to Wauchula , Florida , USA , serves the Sebring area . 0 +In 1987 , Fallahian was appointed Chief Prosecutor by Ruhollah Khomeini of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . In 1987 Ruhollah Khomeini was appointed by Fallahian as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . 0 +Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Peru ) is a Colombian footballer who is currently playing for Total Chalaco of the Segunda División in Colombia . Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Peru ) is a Colombian footballer currently playing for Total Chalaco of the Segunda División in Colombia . 1 +In some of his personal letters , Robert Robert Burns refers to the Buchanites , the following lines attributed to him are supposed to refer to Elspeth Buchan : Elspeth Buchan refers to the Buchanites in some of his personal letters . The following lines attributed to him are thought to relate to Robert Burns . 0 +It is southwest of Burlington , Vermont , south of Montreal , Quebec , south of Albany , and north of Plattsburgh . It is situated southwest of Burlington , Vermont , south of Plattsburgh , south of Montreal , Quebec and north of Albany . 0 +In 1916 he retired and died on September 30 , 1918 . He died in 1916 and was retired on September 30 , 1918 . 0 +The river Seolemai is a tributary of the River Sic in Romania . The River Sic is a tributary of the River Seolemai in Romania . 0 +Snow Shoe Township is bounded by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . Burnside Township is limited to the northwest of Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . 0 +There she studied with Tony Smith , Eugene Goossen and Ad Reinhardt and met fellow art students Robert Morris , Carl Andre and Robert Barry . She studied with Robert Morris , Carl Andre and Robert Barry , and met her fellow art students Tony Smith , Eugene Goossen and Ad Reinhardt . 0 +"Franca Treur ( born 1979 ) is a Dutch writer and freelance journalist for "" NRC Handelsblad "" and "" nrc.next "" ." "Franca Treur ( born 1979 ) is a freelance writer and a Dutch journalist for "" NRC Handelsblad "" and "" nrc.next "" ." 0 +"His father was under Louis XVI , an officer in the "" military musketeers "" , the musketeer of the black house of the king of France ." "Under Louis XVI his father was an officer in the "" black musketeers "" , the musketeers of the military household of the King of France ." 0 +After the war , the college returned to Hellenikon , where it remained until its new campus in Aghia Paraskevi , a suburb of Athens . After the War the College returned to Hellenikon , where it remained until it moved to its new campus in Aghia Paraskevi , a suburb of Athens . 1 +Century Digital Digital established a radio station for London and Birmingham was disbanded in 2001 and in 2007 . Century Digital established a radio station for London and Birmingham was in 2001 and disestablished in 2007 . 0 +"In 1975 , Georgi Daneliya performed in one of his most famous comedies "" Afonya "" , directed by Leonid Kuravlyov ." "In 1975 , Georgi Daneliya starred in one of his most famous comedies "" Afonya "" , directed by Leonid Kuravlyov ." 1 +Khun Wichitmatra wrote the lyrics of the Thai National Anthem in 1934 , two years after the anthem was first written by Chan Kamwilai . In 1934 , Chan Chanwilai wrote the texts of the Thai national anthem , two years after the anthem was first written by Khun Wichitmatra . 0 +In 1910 it was owned by Henry and Florence Neeve , of whom Rupert Brooke rented one room and later a large part of the house . In 1910 it was owned by Rupert Brooke and Florence Neeve , from whom Henry had rented a room and later a large part of the house . 0 +codice 3 is a type qualifier where the unqualified type of codice 27 codice 28 is and the qualified type codice 29 . Where codice _ 3 is a type qualifier , which the unqualified type of codice _ 27 is codice _ 28 and the qualified type is codice _ 29 . 1 +The season 2015 -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . The PBA - Season 2015 -- 16 is the 37th season of the franchise at the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . 0 +A multi-region DVD of the entire series was announced on February 4 , 2015 by Warner Archive and was released on February 10 , 2015 . A multi-region - DVD of the entire series was published by Warner Archive on 4 February 2015 and announced on February 10 , 2015 . 0 +"Encouraged by the use of fresh voices in "" Roja "" , Rahman Srinivas approached ." "Encouraged by the use of fresh voices in "" Roja "" , Rahman approached Srinivas ." 0 +"In May 2012 , Dixon took over the role of The Captain in the revival of Walter Charles 's "" Anything Goes "" from actor Cole Porter ." "In May 2012 , Dixon took over the role of captain in the revival of Walter Charles "" Anything Goes "" by the actor Cole Porter ." 1 +"The active pattern "" aphel "" is causative verbal ." "The verbal pattern "" aphel "" is Active Causative ." 0 +In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and Pecan Bowl moved from Abilene to Texas within Arlington . In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . 0 +Orson Welles saw in New York Schilling and followed him in Florida . Orson Welles saw Schilling in Florida and followed him into New York . 0 +In September 2005 , Comdial was acquired by Vertical Communications . Comdial was acquired by Vertical Communications in September 2005 . 1 +Mitch Clarke opposed Iaquinta at UFC 173 on 24 May 2014 . Iaquinta confronted Mitch Clarke at UFC 173 on 24 May 2014 . 0 +The Serbian community massively left the FBiH - part of Sarajevo for RS . The FBiH community massively left the Serb part of Sarajevo for RS . 0 +In the 2012 NFL Draft , Posey was selected in the third round by the Houston Texans ( 68th total ) . In the 2012 NFL Draft , Posey was selected by the Houston Texans in the third round ( 68th overall ) . 1 +Crocker crossed from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and moved toward the lower Ouachita in the section called the Black River . Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of the Concordia Parish , and moved towards the lower Ouachita in the Black River section . 1 +The nearest airport is Ujjain , the nearest is the airport Devi Aahilya Bai Holkar , Indore . The nearest airport is Ujjain . The nearest railway station is Devi Aahilya Bai Holkar Airport , Indore . 0 +The 86th Airlift Squadron is part of 309th Airlift Wing in Air Base Chièvres , Belgium . 309th Airlift Squadron is part of the 86th Airlift Wing in Air Base Chièvres , Belgium . 0 +( The EL - succeeded Conrail in 1982 sold the old main route Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway . ) ( EL successor Conrail sold the old Utica , Chenango and Susquehanna Valley main line through Cassville to the New York , Susquehanna and Western Railway in 1982 . ) 1 +The Raptors then traded Antonio Davis to the Indiana Pacers for Bender . Then the raptors Antonio Davis swapped to the Indiana Pacers for Bender . 0 +Alisdair Wright is in a relationship with musician Hafdís Huld . Hafdís Huld is in a relationship with the musician Alisdair Wright . 0 +Helicigona trizona is a species of true air-breathing land snail , a small gastropod mollusk in the family Helicidae , the terrestrial snails . Helicigona trizona is a species of small air-breathable snail , a terrestrial gastropod mollusk in the Helicidae family , the true snails . 0 +Horace W Webb , a native of Oklahoma , settled south of Graniola , Missouri in 1910 . Horace W , Webb , a native of Missouri , settled south of Graniola , Oklahoma in 1910 . 0 +There are essentially four types of databases : curated databases , integrative databases , literary databases and predictive databases . There are essentially four kinds of databases : curated databases , predictive databases , literature databases and integrative databases . 1 +With the help of the bassist Pat Schick , keyboarder Guy Daniel and drummer Camus Celli , Ponti played guitars and keyboards on the album . Ponti played guitars and keyboards on the album , with the help of bassist Camus Celli , keyboard player Guy Daniel and drummer Pat Schick . 0 +The first thing you learn in racing is to complete a race , first you have to win . The first thing in racing that you learn is to finish a race , first you have to win . 1 +Phaecadophora fimbriata is a moth from the Tortricidae family , which is found in India , China , Thailand , Japan , Taiwan , Java and New Guinea . Phaecadophora fimbriata is a moth of the Tortricidae family , which is found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . 1 +It is found in North America where it has been recorded in Canada from the coast to the coast . It is found in North America , where it has been recorded from coast to coast in Canada . 1 +Parts of the metropolitan city of Kolkata extend over the southern part of the district . Parts of the southern city of Kolkata extend over metropolitan part of the district . 0 +"He was asked his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." "He was asked to give his opinion on the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." 1 +George Henry Compton Cavendish , second son of the first Earl of Burlington , was Member of Parliament for Aylesbury . George Henry Compton Cavendish , the first son of the second Earl of Burlington , was a Member of Parliament for Aylesbury . 0 +The manuscript was added to the list of New Testament manuscripts by Scrivener ( 683 ) and Gregory ( 868 ) . The manuscript was added by Scrivener ( 683 ) and Gregory ( 868 ) to the list of manuscripts of the New Testament . 1 +""" Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." """ Love Hurts "" is the twentieth episode of the first season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." 1 +The River Rusca is a tributary of the Giumalău River in Romania . The Giumalău River is a tributary of the Rusca River in Romania . 0 +"Soviet - nationalistic Ukrainians saw the book "" as a Ukrainian attempt to paint Mykola Lebed with a broad anti-Semitic brush "" ." "Ukrainian nationalist Mykola Lebed saw the book "" as a Soviet attempt to paint Ukrainians with a broad anti-Semitic brush "" ." 0 +Through the 2017 season , the Cornell Big Red have won 649 games , lost 529 games , and tied 33 regular season games . The Cornell Big Red have won 649 games during the 2017 season , 529 games lost and 33 regular season games bound . 1 +Founders of the Charta 77 Foundation František Janouch and Ada Kolman or the German activist Rainer Höss with the Israeli journalist Tal Bashan have participated in the debates . The founders of the Charter 77 Foundation , František Janouch and Ada Kolman , or the German activist Rainer Höss participated in the debates with the Israeli journalist Tal Bashan . 1 +On the assumption that causal relationships are linear , this background knowledge can be expressed in the following Structural Equation Model ( SEM ) specification . Assuming that the structural relationships are causal , this background knowledge can be expressed in the following specification for the linear equation model ( SEM ) . 0 +Cowles ( 1911 ) wrote about clements ' ; the distinction between primary and secondary succession : About Cowles distinction between primary succession and secondary succession , Clements wrote ( 1911 ) : 0 +The film was produced by Columbia Pictures and Imagine Entertainment by Brian Grazer , daughter and father , as well as Bryce Dallas Howard and Ron Howard . The film was produced by Columbia Pictures and Imagine Entertainment by daughter and father Bryce Dallas Howard and Ron Howard as well as Brian Grazer . 0 +Ashtabula County includes the Ashtabula , OH Micropolitan Statistical Area , which is also included in the Cleveland -- Akron -- Canton , OH combined statistical field . Ashtabula County comprises the Ashtabula , OH Micropolitan Statistical Area , which is also included in the Cleveland -- Akron -- Canton , OH Combined Statistical Area . 1 +Just two weeks before her death , Aaliyah traveled from New Jersey to East Hampton , New York to visit Dash at the summer house he shared with Jay Z . Just two weeks before her death , Aaliyah traveled from New York to East Hampton , New Jersey , to visit Dash in the summer house he shared with Jay Z . 0 +Olaf Petersen is played by Mark Williams in the television series . In the TV series , Mark Williams is played by Olaf Petersen . 0 +It was produced by Jim Irvin , Dominic Craik and Larry Hibbitt , with additional production by Julian Emery , and mixes by Cenzo Townshend and Adam Noble . It was produced by Julian Emery , with additional productions of Jim Irvin , Dominic Craik and Larry Hibbitt , and mixes by Cenzo Townshend and Adam Noble . 0 +It was this title that Lancelot Brenton inherited ( his older brother John Jervis Brenton having died in 1817 ) . It was this title that Lancelot Brenton ( his elder brother , John Jervis Brenton , died in 1817 ) inherited . 1 +Another important route that crossed the Palmyra area included the road that led from the settlement Bindnagle to Campbelltown , which is now the PA 117 . Another important route that crossed the Palmyra area included the road which led from the Bindnagle settlement to Campbelltown , which is now PA 117 . 1 +"Eventually in 2000 , the "" Chemistry "" name was dropped , and "" Conspiracy "" by Chris Squire & Billy Sherwood was released ." "In 2000 , the name "" Chemistry "" was dropped and "" Conspiracy "" was published by Chris Squire Billy Sherwood ." 0 +Its Abel sum approaches the limit as x is 1 of the function . "Its Abel - Sum is the limit , as "" x "" 1 approaches the function ." 0 +Society promoted Lithuanian culture , protected Catholic faith and supported the virtues of women . The society promoted Lithuanian culture , protected Catholic faith , and supported women 's virtues . 1 +The Kohmyojis are again captured by DARK , but they are rescued by Kikaider . The Kohmyojis are again captured by DARK , but are rescued by Kikaider . 1 +Following his defeat in Cardiganshire , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Wales , Following his defeat in Cardiganshire , Henry Richard was elected Liberal Member of Parliament for the Merthyr Parliament of Wales in 1868 . 1 +"It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released via Checkbook records on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" ." 0 +On an annual basis , Boy Scout , Cub Scout and Venturing units ( and non-scouting groups ) can rent the cabins and other facilities . On a year-round basis , Boy Scout , Cub Scout and Venturing units ( and other groups ) can rent the cabins and non-Scouting facilities . 0 +Her projects include performance art , storytelling , spoken word , audio art , site-interactive installations , public art , specific projects and new media . Her projects include performance art , storytelling , spoken word , audio , site-specific installations , public art , interactive projects and new media . 0 +Townshend was the son of Lord John Townshend , younger son of George Townshend , 1st Marquess Townshend . Townshend was the son of Lord George Townshend , Marquess Townshend , younger son of John Townshend . 0 +The Montreal Canadiens opened the 1982 Stanley Cup playoffs with a best of five Adams Division quarter-final series with their Battle of Quebec rivals , the Nordiques . The Nordiques opened the Stanley Cup - Playoffs in 1982 with a Best of five Adams Division quarterfinals with their rivals from Battle of Quebec , the Montreal Canadiens . 0 +Following the election , Colin Anderson , the Labour leader of the Council for the last three years , was defeated in a leadership election by Bob Symonds . Following the election the Labour leader of the council for the previous 3 years , Bob Symonds , was defeated in a leadership election by Colin Anderson . 0 +The album was released by Furious in the US and by 7 Spin Music in the UK on May 26 , 2007 . The album was released on May 26 , 2007 by Furious in the US and 7 Spin Music in England . 1 +On December 22 , 1862 , to reorganize the Montana territory and form the new Washington territory . 738 on December 22 , 1862 , to reorganize the Washington Territory and form the new Montana Territory . 0 +The gate is approximately high , with the still visible grooves in the granite stones for the hinges that are used when opening and closing the access . The gate is still visible , with the approximately high the grooves in the granite stones for the hinges used in opening and closing the access . 0 +Episode 1 included the city Bath , Episode 2 , Covent Garden , Episode 3 , Eastnor Castle and Episode 4 , Park Hill , Sheffield . Episode 1 included the City of Bath ; episode 2 , Park Hill , Sheffield ; episode 3 , Eastnor Castle ; and episode 4 , Covent Garden . 0 +"The other parts of the "" dalem "" was a building for the noble women ." "The other parts of "" Dalem "" was a building for the noble women ." 1 +It is located in Kings County and Annapolis County in the Annapolis Valley and connects Kingsport with Spa Springs . It is located in Kings County and Annapolis County in the Annapolis Valley and connects Kingsport to Spa Springs . 1 +Besides the Indonesian language , the people of East - Java daily use Javanese as a formal language . Besides the Indonesian language , daily , East Java people use Javanese as formal language . 1 +William Middleton ( or William de Middleton ; died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . William de Middleton ( or William Middleton , died August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . 1 +When a client specifies the creation of one such resource , it also requests an identifier for it . When a client requests the creation of such a resource , it also specifies an identifier for it . 0 +The Appalachian Trail , a National Scenic Trail from Georgia to Maine , passes through Franconia Ridge , including Little Haystack . The Appalachian Trail , a National Scenic Trail from Maine to Georgia , traverses Franconia Ridge , including Little Haystack . 0 +Lee Lee Field is the club 's home stadium on the Galewood neighborhood of Wyoming , Michigan . Lee Lee Field is the club 's home stadium in Wyoming 's neighborhood of Galewood , Michigan . 0 +Universal Uclick distributes the daily Jumble online ( but not in print , where Tribune Media Services distributes the puzzles ) . Universal Uclick distributes the daily jumble online ( but not in print form , where Tribune Media Services distributes the puzzles ) . 1 +It was won by Agnieszka Włodarczyk ( Potoczny Weronika from Plebania ) . "It was won by Agnieszka Włodarczyk ( Weronika Potoczny from "" Plebania "" ) ." 1 +"In his retirement , MacDonald wrote the "" Macdonald dictionary of Canterbury - Biographies "" , a collection of 12,000 biographies run by the Canterbury museum ." "In his retirement , Macdonald compiled the "" MacDonald dictionary of Canterbury biographies "" , a collection of 12,000 biographies held by the Canterbury Museum ." 1 +Among the bugis traders were also members of the nobility , such as Engku Karaeng Talibak , who married the daughter of Raja Ali Haji . Among the Bugis traders were also members of the nobility like Engku Karaeng Talibak who married the daughter of Raja Ali Haji . 1 +It was written by Michael Kaplan and was directed by John Sanborn . It was written by Michael Kaplan and directed by John Sanborn . 1 +Construction of the new stadium was held for 4 years and on 21 August , 1974 were inaugurated . The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . 1 +During Lan Ling Wang 's absence , Han receives many visions of her past , mostly her happy moments with Bing Xin . During Bing Xin 's absence , Han receives multiple visions of her past-mostly her happy moments with Lan Ling Wang . 0 +The Hlynur is harmless by nature , but defensive . Hlynur is by nature defensive , but harmless . 0 +For the recording of this album , a new drummer , Dave Traves , joined the band , as did a second guitarist Heyden Wilson . A new drummer , Dave Traves , joined the band for recording this album , as did a second guitarist Heyden Wilson . 1 +There are different types of molecular polymer - average weight that can be measured in different experiments . There are different types of molecular polymer average weight , which can be measured in different experiments . 1 +Antony died on 6 November 1620 and was buried in Carew church on 7 November . Antony died on 6 November 1620 and was buried on November 7 in the church of Carew . 1 +Other popular options that can be reformulated as the rainbow option are spread and exchange options . Other popular options that can be spread as a rainbow option are reformulated and exchange options . 0 +Louis Louis Auchincloss was an American stockbroker and lawyer and a cousin of the writer and lawyer , Hugh Auchincloss . Hugh Auchincloss was an American stockbroker and lawyer , and a cousin of the novelist and lawyer , Louis Auchincloss . 0 +Mora was born in Monterrey and played professionally for the Universidad de Guadalajara , Cruz Azul and Guadalajara . Born in Guadalajara , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Monterrey . 0 +Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and had together at least 10 children ( 6 sons and 4 daughters ) . John Braithwaite married Caroline or possibly Caroline Amelia ( 1803-1878 ) and together they had at least 10 children ( 6 sons and 4 daughters ) : 0 +In the first year , there were 65 members , at the end of the third year , 91 members and in the second year , 106 members . In the first year there were 65 members , 91 members at the end of the second year and 106 members for the third year . 0 +In the Adams Division , the Buffalo Sabres never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens only missed twice . In the Adams division , the Buffalo Sabres have never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens have missed only two occasions . 1 +For six months Hopkins toured the band through England , the United States and Japan . Hopkins toured with the band for six months through Japan , the United States , and England . 1 +Kulappully falls under the Shornur Assembly Constituency and the Palakkad Constituency . Kulappully falls under the constituency of Palakkad Assembly and the Shornur constituency . 0 +"Armavir Province is currently divided into 97 municipal communities ( "" hamaynkner "" ) , of which 3 are urban and 94 are rural :" "The province of Armavir is currently divided into 97 municipal communities ( "" hamaynkner "" ) , of which 3 are urban and 94 are rural :" 1 +In addition , many Angika speakers in the Persian Gulf have emigrated to the United States , Canada , the United Kingdom and other countries . Moreover , many Angika speakers have emigrated to the Persian Gulf , the United States , Canada , the United Kingdom and other countries . 1 +In November 2012 she was in Tokyo and in Cairo in October to write at the film festivals , interact with programmers and visit studios . In November 2012 she was in Tokyo , and in October she was in Cairo , to write on the film festivals , interact with programmers and visit studios . 1 +"Parr himself introduced two other versions ( "" unplugged "" and "" acoustic "" ) for the film "" The Brothers Solomon "" ." "Parr himself performed two other versions ( "" unplugged "" and "" acoustic "" ) for the film "" The Brothers Solomon "" ." 1 +The 1990 PBA season was the 16th PBA ( Philippine Basketball Association ) season . The 1990 PBA season was the 16th season of the PBA ( Philippine Basketball Association ) . 1 +He lost to Joey DeJohn but stopped Vinnie Rossano in five rounds . He lost against Vinnie Rossano , but Joey DeJohn stopped in five rounds . 0 +Pelmus has been exhibited in museums of Canada , France , Germany , Israel , Romania , Austria , Chile and Brazil , including five solo exhibitions . Pelmus has been exhibited in museums in Canada , France , Germany , Israel , Romania , Austria , Chile and Brazil , including five solo exhibitions . 1 +But never in Beethoven 's , and least of all in this , which again is full of originality . But again in Beethoven , and least of all in this , which is never full of originality . 0 +After testifying in the Till case , Reed moved to Chicago and changed his name from Willie Louis to Willie Reed . After testing in the Till case , Reed moved to Chicago and changed his name from Willie Reed to Willie Louis . 0 +Hassan decides to return to Alamut and to kill Ibn Tahir . Ibn Tahir decides to return to Alamut and kill Hassan . 0 +He composed other songs and wrote orchestrations for larger choral works that are preserved in Australian libraries . He composed other songs and wrote orchestrations for larger choral works preserved in Australian libraries . 1 +The southern border is variously given as either Smith or Court Streets and Warren or Wyckoff Streets as the western edge . The southern border is variously indicated as Smith or Court Streets and Warren or Wyckoff Streets as the western edge . 1 +"The March 2000 issue had a limited edition , and a hardcover "" French "" edition appeared in 2002 ." "The March 2000 issue had a French issue , and in 2002 a "" limited edition appeared ." 0 +Surf Air announced the sale of its 2,000th membership in September 2015 , 2,500th in December 2015 and 3,000th in June 2016 . Surf Air has announced the sale of its 3,000th membership in September 2015 , 2,500th in December 2015 , and 2000 in June 2016 . 0 +22.0 % were German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English descent according to the 2000 census . 22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English descent . 0 +Many people were mostly numerically important in the region from New Jersey north to Virginia . Resettled people were mostly important in the region from Virginia north to New Jersey numerically . 0 +His current research explores the impact of Islamic ideas and stories on Jewish sources . His current research investigates the influence of Jewish ideas and stories on Islamic sources . 0 +Matija Skurjeni ( 1898 -- 1990 ) was a Croatian painter associated with the naïve art movement . Matija Skurjeni ( 1898 -- 1990 ) was a naïve painter who was associated with the Croatian art movement . 0 +By his wife , Jean , daughter of Sir Duncan Campbell , Baronet and Jean Stewart , their children were : His wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell , were their children : 0 +The government 's executive branch consisted of the president , the prime minister , a number of federal ministers , and the deputy prime ministers . The executive branch of the government consisted of the president , the prime minister , a number of deputy prime ministers , and federal ministers . 1 +The constant power density is determined by the product resulting from the continuous torque density and the continuous torque - speed range of the electric machine . The continuous power density is determined by the product 's continuous torque density and the constant torque speed range of the electric machine . 0 +There are no airports in Sanggau regency , hence the nearest Gateway Supadio Airport ( Pontianak ) and Kuching International Airport ( Sarawak , Malaysia ) . There is no airport in Sanggau regency , hence the nearest gateway are Supadio Airport ( Pontianak ) and Kuching International Airport ( Sarawak , Malaysia ) . 1 +Refers to the action of the body in turning figures ; turning the opposite hip and shoulder towards the direction of the moving foot . Refers to the movement of the body in moving figures : turning the opposite hip and shoulder in the direction of the foot turning . 0 +Ice hockey at the Canada Winter Games 2011 was held in the Halifax and Halifax Forum in New Scotland and at the Halifax Metro Centre in Dartmouth , Dartmouth Sportsplex . Ice hockey at the Canada Winter Games 2011 was held at Halifax Metro Centre and Halifax Forum in Halifax and the Dartmouth Sportsplex in Dartmouth , Nova Scotia . 0 +On July 31 , Molina was traded with B. J. Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera on the Braves . On 31 July , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . 0 +The Indus cities are known for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are renowned for their elaborate planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . 0 +Forward Patrick Marleau was replaced by defender Rob Blake as team captain . Forward Patrick Marleau was replaced as team captain by defenseman Rob Blake . 1 +He was born in Nanhui , attended engineering school in Nanjing and spent one year at the University of California . Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California . 1 +"The figure was killed later in the fourth episode of the second season , "" First Down "" ." "The character was later killed off in the second episode of the fourth season , "" First Down "" ." 0 +After the October revolution of 1917 he left Russia with his parents for Lithuania , first to Kaunas and after two years to Wilno , then in Poland . After the October Revolution of 1917 , he left Russia with his parents for Lithuania , first to Poland and after two years to Vilnius , then in Kaunas . 0 +Lucy made her first performance as Palmer on August 25 , 2014 . On August 25 , 2014 , Palmer had her first appearance as Lucy . 0 +The album will receive a digital release on May 3 , 2010 , followed by a physical release on May 5 , 2010 . The album will see a physical release on 3 May 2010 , followed by a digital release on 5 May 2010 . 0 +Touche was the first son of the Third Baronet of Creation in 1920 . Touche was the third son of the first baronet in the Creation of 1920 . 0 +At work , Daniel asked Betty to get a new wheelchair that he wanted to use at the event . At work , Betty asked Daniel to pick up a new wheelchair that he wanted to use at the event . 0 +Born in Brooklyn , New York , he died at the age of 81 in San Francisco , California . He was born in Brooklyn , New York and died in San Francisco , California , at the age of 81 . 1 +"In the episode "" Cheat It "" , Rico runs a sauna company called "" Señor Steam "" , which patronizes Robby ." "In the episode "" Cheat It "" , Robby runs a sauna company called "" Señor Steam "" , which patronizes Rico ." 0 +In the 2015 municipal elections for the municipality of Serampore , Trinamool Congress won 22 seats , CPI ( M ) 4 seats , Congress 1 seat and Independents 2 seats . In the 2015 , municipal elections for Serampore Municipality Congress won 22 seats , CPI ( M ) 4 seats , Trinamool Congress 1 seat and Independents 2 seats . 0 +These traditional forms are now dominant in modern archery , modern Western bows are in a minority . These traditional forms are now dominant in modern archery , modern western arches are in a minority . 1 +The RCMP referred all 30 cases to the Senate . The Senate referred to the RCMP all 30 cases . 0 +This manuscript was presented to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . The manuscript was presented to Eduard Reuss , the bishop of Imbro , Nicephorus Glykas . 0 +Hidalgo , born in Badajoz , played for Sevilla and Celta de Vigo . Born in Badajoz , Hidalgo played for Seville and Celta de Vigo . 1 +The adrenal arteries are arteries in the human abdomen that cause blood to the adrenal . The human arteries are arteries in the adrenal abdomen that supply blood to the adrenal glands . 0 +Kim won the 10th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 12th Yi Yuksa Poetry Award in 2015 . In 2010 she won the 10th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 12th Yi Yuksa Poetry Award . 1 +The R335 is a Regional Route in Somerset East that connects Port Elizabeth from the south to South Africa to the north via Addo . The R335 is a regional road in South Africa that connects Port Elizabeth to the south via Addo with Somerset East to the north . 0 +""" This series was exclusive to Wal-Mart Canada but were eventually sold in the Spawn Store online ." This series was exclusive to Wal-Mart Canada , but was sold online in the Spawn Store . 1 +Emperor Wu agreed to and married Yang Zhi in 276 and created her Empress . Emperor Yang Zhi agreed and , in 276 , married Wu and created her empress . 0 +An aggressive and energetic entrepreneur , he lost a fortune ( which he created ) and started the Crosbie dynasty . An aggressive and energetic entrepreneur , he created a fortune ( which he lost ) and founded the Crosbie - dynasty . 0 +It also inhibits the peripheral , though not central secretion of oxytocin and vasopressin in rats . It also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin in rats . 1 +El Salvador will send a team of twelve male athletes and a team of ten female athletes to compete in the men 's and women 's tournaments . A team of twelve athletes and a team of ten male athletes will send to the men 's and women 's tournaments . 0 +"All songs were written by Ritchie Blackmore , except "" Tragovi "" by Nenad Jovanović ( music ) and Dragan Urošević ( texts ) ." "All songs were written by Ritchie Blackmore , except "" Tragovi "" by Nenad Jovanović ( music ) and Dragan Urošević ( lyrics ) ." 1 +""" The problem with Popplers "" is the fifteenth episode in the second production time of "" Futurama "" ." """ The problem with Popplers "" is the second episode in the fifteenth production time of "" Futurama "" ." 0 +Castlebrae Community High School is a secondary school in the Greendykes area of Edinburgh . Castlebrae Community High School is a secondary school in the Greendyke area of Edinburgh . 1 +In 2008 , Geographical Indicative poitín was accorded ( GI ) Irish Status by the EU Council and Parliament . In 2008 , geographical indicative poitín ( GI ) of Irish status was granted by the EU - Council and Parliament . 1 +Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna von Arnth ; her sister was Giuseppe Naudet . Leopoldina Naudet was born in 1773 as the eldest daughter of Luisa and Susanna of Arnth in Florence , the sister was Giuseppe Naudet . 1 +Latin pop usually combines upbeat Latin music with American pop music . Latin - Pop usually combines good-natured Latin music with American pop music . 1 +Lake Vernon is situated in Tiltill Valley in the northern sector of the Hetch Hetchy Valley north of Yosemite National Park . Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park just north of Hetch Hetchy Valley . 0 +Katherine goes to talk to Loren . Katherine goes to Loren to talk . 1 +Thomas was the youngest child of peasant Fred and Elizabeth Goodwill . Fred was the youngest child of the farmers Thomas and Elizabeth Goodwill . 0 +"Kurt Warnekros is portrayed by Sebastian Koch in the 2015 film "" The Danish Girl "" ." "In the movie 2015 "" The Danish girl "" Sebastian Koch is portrayed by Kurt Warnekros ." 0 +Holt represents the residents of Weakley , Carroll County , and part of Obion . Holt represents the residents of Weakley , Obion and part of the Carroll County . 0 +The terminal was built by Legend Airlines and was later used by Legend Airlines and Delta Connection / Atlantic Southeast Airlines . The terminal was built by Legend Airlines and was later used by Atlantic Southeast Airlines and Delta Connection/Legend Airlines . 0 +Esler sold it to Charles Conger in 1889 , who sold it to Horace Nichols in May 1891 . In 1889 , he sold it to Esler , who sold it to Horace Nichols in May 1891 . 0 +Over the years , ACT-R models have been used in more than 700 different scientific publications and have been cited in many others . Over the years , ACT-R models have been quoted in more than 700 different scientific publications and have been used in many others . 0 +If the n vectors are linearly independent , equality in the inequality of Hadamard is achieved if and only if the vectors are orthogonal . If the n vectors are linearly independent , equality in Hadamard 's inequality is achieved if and only if the vectors are orthogonal . 1 +Rafikov made his KHL debut during the 2015 -- 16 Kontinental Hockey League season . His KHL debut made Rafikov during the season 2015 -- 16 Continental Hockey League . 1 +""" Bouncing Back "" is the eleventh episode of the third season of the American television series "" Agents of S.H.I.E.L.D ." """ Bouncing Back "" is the eleventh sequence of the third season of American television series "" Agents of S.H.I.E.L.D ." 1 +Thangpalkot is a village in Nepal in the Sindhupalchok district of Central Nepal and had a population of 2786 at the time of the 1991 population census . Thangpalkot is a village in Nepal in the Sindhupalchok District of central Nepal . At the time of the 1991 Bagmati Zone census it had a population of 2786 . 1 +He is a specialist in baroque and contemporary music . He is a specialist in Baroque music and contemporary music . 1 +However , the Council 's weak legislative structure makes it only a very functional review mechanism . The Council 's functional design , however , makes it only a very weak legislative review mechanism . 0 +He joined the Canadian Fencibles in Scotland in 1803 and came to Quebec with them in 1805 . He joined the Canadian Fencibles in Quebec in 1803 , and joined them in 1805 to Scotland . 0 +Bhainsana is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil . Bhainsana is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 1 +Hearnshaw also held the posts of Honorary Secretary of the Royal Historical Society , 1931-1934 and President of the Historical Association , 1936-1938 . Hearnshaw also had the positions of Honorary Secretary of the Historical Association , 1931-1934 and President of the Royal Historical Society , 1936-1938 . 0 +On December 18 , Shawn received Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . 18 December : Matt Long and Jarrett Martin of the Los Angeles Dodgers for Shawn Zarraga received . 0 +Lieutenant-Governor Humber gave the river the name of John Graves Simcoe , likely after the Humber estuary in England . John Graves Simcoe gave the river the name of Humber , probably after the Humber estuary in England . 0 +The system moved westward and passed on 16 October at 0600 UTC north of Saipan near Guam . The system moved west and passed north of Guam near Saipan on October 16 at around 0600 UTC . 0 +Dyson died on board a ship while travelling from Australia to England in 1939 and was buried at sea . Dyson died on board a ship when he was travelling to Australia from England in 1939 and was buried at sea . 0 +Itamati has one degree college , one junior college , three high schools and six upper primary schools . Itamati has one degree college , a junior college , three upper primary schools and six high schools . 0 +"Sabate also translated into English the biography of Francisco Sabate Llopart , "" Christie : An Extraordinary Guerrilla "" , by Antonio Téllez Solá ." "Sabate has also translated the biography of Francisco Sabate Llopart , "" Christie : An extraordinary guerrilla "" , by Antonio Téllez Solá in English ." 1 +In 1866 , he was assigned to the Pensacola Navy Yard , then to the Portsmouth Navy Yard in 1868 . He was assigned in 1866 to the Pensacola Navy Yard , then in 1868 to the Portsmouth Navy Yard . 1 +She married Shlomo Ilan and gave birth to her first first born , Uri Ilan in 1935 . She married Uri Ilan and gave birth to her first first-born , Shlomo Ilan in 1935 . 0 +Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Thomas Easthope by Elizabeth , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth of Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . 0 +"However , the Georgian language is the singular form when the quantity is specified , so that in practice the plural of "" tetri "" only uses "" tetri "" ." "However , the Georgian language uses the singular form when the quantity is specified , so in practice the plural of "" tetri "" is just "" tetri . """ 0 +Civolution has offices in Eindhoven ( The Netherlands ) , London ( UK ) , Rennes ( France ) , New York City , Burbank ( Los Angeles ) . Civolution maintains offices in Eindhoven ( The Netherlands ) , London ( UK ) , Rennes ( France ) , New York City and Burbank ( Los Angeles ) . 1 +The novel was adapted as a BBC Radio 4 Book at Bedtime by Lu Kemp in 2008 , read by Toby Stephens and produced by Kirsty Williams . The novel was adapted in 2008 by Lu Kemp as BBC Radio 4 book near Bedtime , read by Toby Stephens and produced by Kirsty Williams . 1 +This is a list of national parks in British Columbia , including municipal and regional parks , provincial parks , communal and regional parks . This is a list of national parks in British Columbia including municipal and regional parks , provincial parks , municipal and regional parks . 1 +For example , the National Civic League ( originally the National Municipal League ) promotes an effective management of the local government . For example , the National Municipal League ( originally the National Civic League ) promotes effective local government management . 0 +He sang with success also in La Fenice in Venice , in the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Naples . He sang with success also at La Fenice in Naples , at the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Venice . 0 +Little Tramp is a musical with a book by David Pomeranz and Steven David Horwich and music and texts by David Pomeranz . Little Tramp is a musical with a book by David Pomeranz and Steven David Horwich and music and lyrics by David Pomeranz . 1 +The dolls she created in Spain were dramatically different from those in New York . The dolls she created in New York were dramatically different than those in Spain . 0 +In second place was Gaughan with 9,264 votes ( 34,5 % ) and Calvaneso with 1,362 votes ( 4.9 % ) third . In third place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso with 1,362 votes ( 4.9 % ) the second place . 0 +The winning Mike McEwen team represented Manitoba at the 2016 Tim Hortons Brier in Ottawa . The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in 2016 in Ottawa . 1 +It is a townland and a civil parish in the historical barony of Ormond Lower . It is a townland and a historical parish in the civil barony Ormond Lower . 0 +Wooster Victory , first operated under its original name , was then renamed Castelverde , while Vassar Victory was immediately renamed Castelbianco . Wooster Victory , first operated under its original name then was renamed Castelverde , while Vassar Victory was immediately renamed Castelbianco . 1 +The river Zimbroaia is a tributary of the river Coana in Romania . The Zimbroaia River is a tributary of the Coșna River in Romania . 1 +"At the 54th International Film Festival of Locarno , his British English feature , Déjàvu "" , was premiered with international actors ." "His British English feature film "" Déjàvu "" with international actors premiered at the 54th Locarno International Film Festival ." 1 +Younessi has one child a son named Dariyan Rodin Younessi who started his racing career at the age of four with Karting . Dariyan Rodin Younessi has a child , a son named Younessi , who began his racing career with Karting at the age of four . 0 +For example , the National Municipal League ( originally the National Civic League ) encourages effective management of local government . For example , the National Municipal League ( originally the National Civic League ) promotes effective local government management . 1 +He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and from 1946 a stepson of Gyda Christensen . He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and since 1946 a step-son of Gyda Christensen . 1 +The region was then run by the Muslim house of Arakkal , followed by Tipu Sultan . The region then followed the Muslim house of Arakkal , which was ruled by Tipu Sultan . 0 +The couple had two daughters , Sara Lynn ( born 1942 ) and Martha Anne ( born in 1947 ) . The couple had two daughters , Martha Anne ( born 1942 ) and Sara Lynn ( born 1947 ) . 0 +The traditional clothing of the Ruska Roma is based on traditional and Russian calderash - clothing and is actively used by singers and dancers . The Ruska Roma traditional clothing is based on Russian and Kalderash traditional clothing , and is used actively by singers and dancers . 0 +His uncle Robert Dallison and his son William Dallison fought for King Charles . His uncle Robert Dallison and his son , William Dallison , have fought for King Charles . 1 +Paul Cavanagh also doubled for Nelson . Also Paul Paul Cavanagh doubled for Nelson . 1 +Dallas continued to collect and publish Pennsylvania decisions in a second volume of his Reports . Dallas continued to collect and publish resolutions in a second volume of his reports , Pennsylvania . 1 +In 2008 , McCarthy received the distinguished service award at the Lee Remmel sports awards banquet in Green Bay . In 2008 , Lee Remmel received the Distinguished Service Award from the McCarthy Sports Awards Banquet at Green Bay . 0 +The Police - Tactical Group ( SERT ) is the special emergency team of Queensland Police in Australia . The Special Emergency Response Team ( SERT ) is the police - tactical group of Queensland Police , Australia . 0 +His father called him Murtaza and his nickname was Ali . His father has called him Murtaza , and his nickname was Ali . 1 +The remaining peracarida orders are the cryptic and either moderately plentiful , Cumacea and Tanaidacea , or are extremely rare and Relictual , Mictacea , Spelaeogriphacea and Thermosbaenacea . The other Peracarida orders are the abundant and either moderately cryptic , Cumacea and Tanaidacea , or are extremely rare and Relictual , Mictacea , Spelaeogriphacea and Thermosbaenacea . 0 +On 1 November 2017 , Yuri Alberto was promoted to the main team by the interim manager Elano . On 1 November 2017 , Elano was promoted to the main squad by interim manager Yuri Alberto . 0 +Moore was survived by his wife Lillian , and daughter Marjorie Ann Snave . Moore was survived by his wife Marjorie Ann Snave and his daughter Lillian . 0 +After studying in Belfast he sailed out to Shanghai to join his parents in 1933 . After studying in Shanghai , he sailed to Belfast in 1933 in order to join his parents . 0 +She is a specialist in British landscape painting and the visual culture of British colonialism and of West Indian slavery . She is a specialist in West Indian landscape painting and the visual culture of British colonialism and of British slavery . 0 +"Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription in 1987 ." "Paul Conn wrote his autobiography with Jack , "" Eckerd : Finding the Right Prescription "" in 1987 ." 0 +Betty Stöve defeated Virginia Wade 6 -- 4 , 7 -- 6 . Betty Stöve defeated Virginia Wade with 6 -- 4 , 7 -- 6 . 1 +The elastodynamic wave equation for anisotropic media can be expressed as follows : The elastodynamic wave equation for anisotropic media can be expressed as 1 +This musical style was at the time part of the broader galant movement in art . This musical style was part of the wider galant movement in art at the time . 1 +Please note that Ionia and Aeolis were not considered separate units by the Persians , while Lycia was included in semi-autonomous Caria and Sparda the offshore islands . Note that Ionia and Aeolis was not considered separate entities by the Persians , while Lycia were included in offshore Caria and Sparda included the semi-autonomous islands . 0 +Matthew Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) played at The Old Vic in London in a revival in 2009 . Kevin Spacey ( Henry Drummond ) and David Troughton ( Matthew Harrison Brady ) played in a revival at Old Vic in London in 2009 . 0 +Sebastián Decoud and Cristian Villagrán won the title by defeats against Nicolás Lapentti and Eduardo Schwank with 6 -- 4 , 6 -- 0 in the final . Sebastián Decoud and Cristian Villagrán won the title by defeating Nicolás Lapentti and Eduardo Schwank 6 -- 4 , 6 -- 0 in the final . 1 +Barako from Batangas was shipped from Manila to San Francisco . Barako from San Francisco was shipped to Batangas from Manila . 0 +Hlynur is by nature defensive , but harmless . "The Hlynur is defensive by nature , but harmless. """ 1 +CLP also hosts a Corporate Liaison Program ( ICFO ) which serves as a bridge between ICFO researchers and industries and corporations . CLP also hosts a Corporate Liaison Program ( ICFO ) , which serves as a bridge between ICFO researchers and industries and companies . 1 +He played for TuTo Turku and TPS , played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berlin SC . He played for TuTo Turku and Klagenfurter AC , played a season in Austria for TPS and four playing times in the Bundesliga for Berliner SC . 0 +The mare was sent to France , where she was trained in Europe by Maurice Zilber . The filly was sent to France where she was trained in Europe by Maurice Zilber . 1 +The Roman - Catholic diocese of Masaka is a diocese located in the town of Masaka in the church province of Uganda in Kampala . The Roman Catholic Diocese of Masaka is a diocese located in the city of Masaka in the Ecclesiastical province of Kampala in Uganda . 0 +On 18 January , a caucus of 64 Bucktail - legislators US - Vice President Daniel D. Tompkins nominated for governor and senator Benjamin Mooers for Vice Governor . On January 18 , a caucus of 64 Bucktail legislators nominated U.S. Vice President Benjamin Mooers for Governor and State Senator Daniel D. Tompkins for Lieutenant Governor . 0 +Portsmouth won 4 -- 1 , with goals from John Anderson , Cliff Parker and two by Bert Barlow . Portsmouth won 4 -- 1 , with goals by John Anderson , Cliff Parker and two of Bert Barlow . 1 +Rafael Nadal won in the final 6 -- 3 , 7 -- 6 , against Andrei Pavel , Alexander Waske and Bartolomé Salvá-Vidal . Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 against Rafael Nadal and Bartolomé Salva-Vidal . 0 +The name Edith has four name days : 14 May in Estonia , 31 October in Sweden , 5 July in Latvia and 16 September in France . The name Edith has four name days : May 14 in Estonia , October 31 in Sweden , July 5 in Latvia , and September 16 in France . 1 +"In 2007 , Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston in ABC - Soap "" One Life to Live "" ." "Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain on the ABC soap "" One Life to Live "" in 2007 ." 0 +""" The Brute Man "" was the second episode of the seventh season , which was broadcast on Comedy Central on February 10 , 1996 ." """ The Brute Man "" was the seventh episode of the second season that was broadcast on February 10 , 1996 in Comedy Central ." 0 +Julia had also privately told Do that she had read her letters to Elinor . Elinor had also told Do privately that she had read their letters to Julia . 0 +In November 2012 she was in Cairo , and in October she was in Tokyo , to write on the film festivals , interact with programmers and visit studios . In November 2012 she was in Cairo and in October in Tokyo to write at the film festivals , interact with programmers and visit studios . 1 +In the semi-finals , the teams play second in the pools , the first place teams from the other swimming pool . In the semi-finals the teams in second place in the pools , play the first place teams from the other pool . 1 +Kebineng 's greatest rival was another Xianbei chief , Budugen . Kebineng 's greatest rival was Budugen , another Xianbei - chief . 1 +"In 1942 , Breton collaborated with artist Wifredo Lam on the publication of Breton 's poem "" Fata Morgana "" , which was illustrated by Lam ." "In 1942 , Breton collaborated with the artist Wifredo Lam on the publication of Breton 's poem "" Fata Morgana "" , illustrated by Lam ." 1 +His partner was Thiago Motta , purchased from Genoa , like the midfielder Diego Milito . His partner was Diego Milito , acquired from Genoa , like the midfielder Thiago Motta . 0 +Alex Brown ( born September 30 , 1992 ) is an English footballer who plays for Dartford as central or right-wing midfielder . Alex Brown ( born 30 September 1992 ) is an English footballer who plays as a sided or right-central midfielder for Dartford . 0 +Gesine Schwan celebrated her second wedding with the long-time companion Peter Eigen in Berlin in 2004 . In 2004 , Peter Eigen celebrated her second wedding with longtime companion Gesine Schwan in Berlin . 0 +He began his career under the guardianship of his father Ustad Bahadur Hossain Khan and took lessons with his elder brother Ustad Ayat Ali Khan as violinist . Khan began his career under the guardianship of his father Ustad Bahadur Hossain Khan . He took lessons as a violinist from his elder brother Ustad Ayat Ali Khan . 1 +Zander has detailed methods for generating support measures for deciban descent and for morphological serial descent using Bayes factors through molecular serial addition . Zander has detailed methods for creating support measures for molecular serial descent and for morphological serial descent using Bayes factors through Deciban - Addition . 0 +Hekelingen is a village in the Dutch province of South Holland , located immediately to the south of Spijkenisse . Hekelingen is a village in the Dutch province of South Holland . It is located immediately to the south of Spijkenisse . 1 +So , if we know the probability distribution functions formula _ 35 , we can calculate the function formula _ 36 , and from it , find the optimal reservation price . If we know the Formula 35 probability distribution functions , we can calculate the functional formula 36 and find the optimal reservation price from it . 1 +Among the musicians of the recording session on March 7 were Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) . Among the musicians of the recording session on March 7th were Larry Knechtel ( drums ) , Hal Blaine ( guitar ) , Don Randi ( bass ) and Al Casey ( piano ) . 0 +Jonté Buhl ( born April 4 , 1982 ) is a former professional Canadian football cornerback who played four seasons for the Edmonton Eskimos of the Canadian Football League . Jonté Buhl ( born April 4 , 1982 ) is a former Canadian professional football player who played for four years at the Edmonton Eskimos of the Canadian Football League . 1 +If the used assay varies , the selective pressure changes on the cells and can therefore change what properties are selected in the transformed cells . If the selected assay varies , the selective pressure changes on the cells and can therefore change what properties are used in the transformed cells . 0 +Moore was survived by his wife Marjorie Ann Snave and his daughter Lillian . Moore was survived by his wife Lillian and their daughter Marjorie Ann Snave . 0 +Hamilcar had to send a part of his army back to Libya to reinforce Carthage . Hamilcar had to send back part of his army to Carthage to reinforce Libya . 0 +The songs were released for free in the Pink Studio and were recorded by radio B92 with the PGP-RTS label . The songs were recorded in the Pink Studio for free and were released by Radio B92 with the label PGP-RTS . 0 +Route 130 leads north to Olney and south to Grayville , while Route 15 to the east leads to Mount Carmel and west to Fairfield . Route 130 leads north to Olney and south to Grayville , while Route 15 leads east to Mount Carmel and west to Fairfield . 1 +Narwee railway station is located at the South Line Airport on the Sydney Trains Network , with Riverwood to the west and Beverly Hills to the east . Beverly Hills railway station is on the Airport & South Line of the Sydney Trains network , with Riverwood to the west and Narwee to the east . 0 +The above results can be used to show that , unlike the one-dimensional case , there is not always a bound state in a spherical cavity . The results above can be used to show that , contrary to the one-dimensional case , there is not always a bound state in a spherical cavity . 1 +Lyman Glacier was named after William Denison Lyman by Claude Ewing Rusk , because Lyman was one of the first to describe some of the features and history of Mount Adam . Lyman Glacier was named after William Denison Lyman by Lyman because Claude Ewing Rusk was one of the first to describe some of Mount Adams ' features and history . 0 +""" Myles C. Fox "" reached Yokosuka on September 23 and left San Diego on October 8 ." """ Myles C. Fox "" reached Yokosuka on 23 September and departed San Diego on 8 October ." 1 +"He has three colored stripes on his head , and in the "" Street Fighter Alpha "" series , he wears a turban that he removes before the battle ." "He has three colored stripes adorning his head and in the "" Street Fighter Alpha "" series , he removes a turban that he wears before battle ." 0 +"In collaboration with Cousin Harold White , B & amp ; H Publications produced George Bernard Shaw in 1948 by the camera "" ." "In collaboration with cousin George Bernard Shaw , B & H Publications produced "" Harold White Through The Camera "" in 1948 ." 0 +In the 3rd century BC , the Greeks and Romans described the region as Gangaridai , a powerful kingdom of the historical subcontinent . The Greeks and Romans identified the region as Gangaridai , a powerful kingdom of the historical subcontinent , in the 3rd century BCE . 1 +Antony died on November 6 , 1620 and was buried in the church of Carew on November 7 . Carew died on 6 November 1620 and was buried in the Antony church on 7 November 1620 . 0 +The water of Nescopeck Creek is the hardest water in the Stony Creek watershed , with a concentration of over 100 milligrams of dissolved minerals per litre . Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of more than 100 milligrams of dissolved minerals per liter . 0 +There are four main processes by which criminal defendants can be transferred to juvenile court There are four main processes in which criminal defendants can be transferred to juvenile court . 1 +There are no stops in Bridgewater , but there are stops in West Bridgewater and the Campello section of Brockton . There are no stops in West Bridgewater , but there are bus stops in Bridgewater and the Campello section of Brockton . 0 +The music video was released by the actor Hunter Johansson , the twin brother of Scarlett Johansson , and was presented in February 2013 . The music video was featured by the actor Hunter Johansson , twin brother of Scarlett Johansson , and it was released in February 2013 . 0 +Talks of Chandra 's marriage have begun , and Meena has started looking for a jodi for Chandra . Talks about Chandra 's marriage have begun , and Meena has started looking for a Jodi for Chandra . 1 +The fate of the Soviet prisoners of war in the Soviet Union was little better ; more than half a million died in terrible conditions in the German camps . The fate of the Soviet prisoners of war in the Soviet Union was little better , with more than half a million died in terrible conditions in the German camps . 1 +Roger is kidnapped and Frankie is lured to the same isolated cottage by Bobby . Roger is kidnapped and Frankie is enticed by Bobby to the same isolated cottage . 1 +He was a revolutionary hero that gave the regional movement in Telangana a new wave . He was a regional hero who gave a new wave to the revolutionary movement in Telangana . 0 +In 1871 , Landergin breeded cattle on the Chisholm Trail , and shortly afterwards he drove with his brother near Coffeyville , Kansas , and later Greenwood County , Kansas , cattle . Landergin raised cattle on the Chisholm Trail in 1871 . Shortly after , he drove cattle with his brother near Coffeyville , Kansas and later Greenwood County , Kansas . 1 +However , Grossman was later injured in the season and temporarily relieved of Griese . However , Griese was temporarily injured in the season , and later relieved by Grossman . 0 +Gasson was born in Ireland , and his registered home was in New York City at the time of the civil war . Gasson was born in Ireland and his registered home at the time of the civil war in New York City . 1 +Ijagiri is a village in the Bhopal district of Madhya Pradesh , India It is in Berasia tehsil . Ijagiri is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +In Uganda , the USA , Mexico ( Adolfo Constanzo case ) , Brazil ( see Toa Payoh Ritual Murder ) and Singapore are committed murders . Satanic ) murders are committed in Brazil , the USA , Mexico ( Adolfo Constanzo case ) , Singapore ( See Toa Payoh ritual murders ) and Uganda . 0 +SAfm was the SABC 's first public radio station , and the country 's first radio station . SAfm was the first public radio station of the SABC and the country 's first radio station . 1 +"Reactance is defined as the imaginary part of Electrical impedance , and is "" analogous "" but not generally equal to the inverse of the susceptance ." The reactance is defined as the imaginary part of electrical impedance and is equal , but generally not analogous to reversing the susceptance . 0 +In the 2012 NFL Draft , Posey was selected by the Houston Texans in the third round ( 68th overall ) . In NFL Draft 2012 , Posey was selected by the Houston Texans in the third round ( 68th total ) . 1 +The sheep are sacrificed and meat is distributed to relatives and neighbours and distributed to the poor . Sheep are sacrificed and the meat is given to relatives and neighbours and distributed to the poor . 1 +Kijevo was captured on August 26 , and subsequently plundered and burned . Kijevo was captured on 26 August , and subsequently looted and burned . 1 +This can be generalized by transposing the complete 6 × 6 susceptibility tensor to bi-anisotropic materials . This can be generalised by transposing the bi-anisotropic 6 × 6 - susceptibility tensor to full materials . 0 +The indigenous people of Chichigalpa were of Toltec origin , the Niquiranos and Chorotegas . Of Toltec origin , the native people of Chichigalpa were the Niquiranos and Chorotegas . 1 +In 1977 the county decided to move the county town of Brunswick County from Bolivia to Southport . In 1977 , the county decided to move the county seat of Brunswick County from Bolivia to Southport . 0 +Virgil Weigel is Democratic member of the Kansas House of Representatives , representing the 56th district ( Topeka , Kansas in Shawnee County , Kansas ) . Virgil Weigel is democratic member of the House of Representatives of Kansas and represents the 56th district ( Shawnee County , Kansas in Topeka , Kansas ) . 0 +Olivella alectona is a species of dwarf sea snail , small gastropod mollusk in the Olivellidae family , the naval olives . Olivella alectona is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . 0 +In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Westerleigh by Broad Lane and to Mays Hill by Frog Lane . In Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . 0 +Pedestrians and bicycles are not permitted , but can be allowed on a footpath . Pedestrians and bicycles are not permitted , but may be allowed on a footpath . 1 +The bill is black , the eyes , cere , the legs and feet are yellow . The bill is yellow , the eyes , cere , legs and feet are black . 0 +British Manx Airlines can trace its history back to March 1991 when Manx Airlines created Regional Airlines Europe in order to expand and fly routes within the United Kingdom . British Regional Airlines can trace its history back to March 1991 , when Manx Airlines founded Manx Airlines Europe in order to expand and fly routes within the United Kingdom . 0 +Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha wrote the lyrics . Jeetenkumar Naorem and Tony Aheibam have composed the soundtrack for the film and Raju Mikoncha wrote the lyrics . 0 +It is clear that , as in Scotland , the playing of current variation sets on the violin in Northumberland was extended at that time . It is clear that , as in Scotland , playing extended variation sets on the violin in Northumberland was current at the time . 0 +In 1790 he became attorney general of the municipality , then Deputy Secretary of the Finistère department . In 1790 he became deputy attorney of the commune , then general secretary of the department of Finistère . 0 +Hana Mandlíková defeated Manuela Maleeva 6 -- 4 , 6 -- 2 Manuela Maleeva defeated Hana Mandlíková by 6 -- 4 , 6 - 2 . 0 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Mercer County with parts of the Lackawannock Township at Lawrence County . Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Lawrence County with parts of Lackawannock Township in Mercer County . 0 +"The Second Fortress is an electronic set for what liner notes say are "" mysterious sounds "" ." "The Second Fortress is an enigmatic set for , what the liner notes say are "" electronic sounds . """ 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by Kush Games and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball Simulation Videogame developed by 2K Sports and published by Kush Games . 0 +He corresponded on many subjects with his teacher Isaac Cantarini , and he drew upon his medical knowledge in medical passages of his work . He corresponded with his teacher Isaac Cantarini on many subjects , and he approached his medical knowledge in medical passages of his work . 1 +""" Pogonodon "" was described by Edward Drinker Cope in 1880 , and two species are known : "" P. davisi "" and "" P. platycopis "" ." "Pogonodon was recognised by Edward Drinker Cope in 1880 , two species are described : "" P. davisi "" and "" P. platycopis "" ." 0 +The eastern part of Chaoyang is home to a mountain that has been called Fenghuang Mountain since ancient times . The eastern part of the Fenghuang Mountain is home to a mountain that has been called Chaoyang since ancient times . 0 +He was a mediator with the United States Postal Service and was an arbitration panel member with the United States Olympic Committee . He was an intermediary with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . 0 +Pratt had left Vickers in 1912 to work at J. Samuel White in Cowes . Pratt had left Vickers in 1912 to work for J. Samuel White at Cowes . 1 +The Timiş River is a tributary of the Zlagna River in Romania . The Timiş River is a tributary of the River Zlagna in Romania . 1 +However , other liberal parties , together with nationalist groups said they would boycott the July elections . Other liberal parties , however , said , along with nationalist groups , that they would boycott the July elections . 1 +Husain Mohammad , the father of Latifun Nisan , was the son of Mohammad Jamal ibn Muhammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah of Tijara . The father of Latifun Nisan , Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah was the son of Husain Mohammad of Tijara . 0 +Of these , 57.1 % were male and 42.9 % were female . 57.1 % of these were male and 42.9 % female . 1 +"In the episode "" Cheat It "" , Robby runs a sauna company called "" Señor Steam "" , which patronizes Rico ." "In the episode "" Cheat It , "" Rico runs a sauna company called "" Señor Steam "" which Robby patronizes ." 0 +In May 1955 , a new Balkan Express was started from Vienna via Graz and Belgrade ( excluding Bulgaria ) to Athens and Istanbul . In May 1955 a new Balkan Express was launched from Bulgaria via Vienna ( avoiding Graz and Belgrade ) to Athens and Istanbul . 0 +Catterick Garrison is a garrison and town south of Richmond in the Richmondshire District of North Yorkshire , England . Catterick Garrison is a large garrison and town south of Richmond in the North Yorkshire district of Richmondshire , England . 0 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the district of Aurangabad in the district of Ahmednagar . He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in Ahmednagar District . 0 +Meanwhile , Edie will be interviewed in New York City the day after Andy died in 1971 . Meanwhile , in New York City , Andy is interviewed the day after Edie died in 1971 . 0 +The first integer formula 177 , for which Formula 178 is ranked , has the Formula 179 Formula 180 . The first integer formula _ 177 for which formula _ 178 has rank formula _ 179 is formula _ 180 . 0 +Scopa is white , but black at the front edge . Scopa is black , at the front edge but white . 0 +She finds new hope and friendship in Enzo , the replacement guitarist , who inspires her to new creative heights . In Enzo , the replacement guitarist who inspired her to new heights , she finds new creative hope and friendship . 0 +LaRoche was dismantled on September 1 , after being recalled to Triple-A Las Vegas . LaRoche was recalled on September 1 , after being degraded to Triple-A Las Vegas . 0 +Pérès was professor of mathematics and physics at the University of Lyon , later attorney at law and finally a librarian in Agen . Pérès was professor of mathematics and physics at the University of Lyon , later a government attorney and finally librarian at Agen . 1 +Bilcisha is a town in the southwestern Somalia region of Gedo . Bilcisha is a city in the southwestern region of Gedo , Somalia . 0 +The Nette is a left river in Rhineland-Palatinate , a small tributary of the Rhine . The Nette is a small river in Rhineland - Palatinate , Germany , a left tributary of the Rhine . 0 +However the term Siyin is official and Sizang is local terminology The term Siyin , however , is local and Sizang is official terminology . 0 +The film was produced by S. P. S. Pictures managed by R. Sockalingam and was produced by Ch . The film was produced by S. P. S. Pictures managed by R. Sockalingam and was directed by Ch . 0 +In 2012 Duncan appeared alongside Amanda Hale in Scrubber , a film written and directed by Romola Garai . In 2012 , Duncan appeared next to Amanda Hale in Scrubber , a film by Romola Garai written and directed . 1 +Cars were produced and tuned by Abarth . The cars were produced by Abarth and tuned . 1 +Thomas Gluyas was born in Moonta Mines , the fourth son of William Gluyas , a leading Pitman . Thomas Gluyas was born at Moonta Mines the fourth son of William Gluyas , a leading pitman . 1 +In October 2011 , eight horns were also sent from Williamstown to RAAF Base Pearce to protect the CHOGM meeting in nearby Perth . In October 2011 , eight horns were also sent from Perth to RAAF Base Pearce to protect the CHOGM meeting in nearby Williamstown . 0 +Hugo Käch died on 31 December 2003 in Flurlingen , near Schaffhausen ( Switzerland ) . Hugo Käch died on 31 December 2003 in Flurlingen near Schaffhausen . 1 +"Miranda quotes Voltaire , "" If we do not find something new at least we will find something pleasant , "" and looks longingly at Oscar ." "Miranda quotes Voltaire : "" If we don 't find at least something pleasant , we will find something new "" , and looks longingly at Oscar ." 0 +Arnold Lang ( 18 June 1855 -- 30 November 1914 ) was a Swiss naturalist , a comparative anatomist and student of German biologist Ernst Haeckel . Arnold Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a comparative naturalist , Swiss anatomist and student of German biologist Ernst Haeckel . 0 +Jesse meets Saul in the desert and tells him that Walt can contact someone who specializes in creating new identities . Jesse meets with Saul in the desert and tells him that Walt can contact someone that specializes in creating new identities . 1 +After extensive traveling through Africa and Europe and a bit of Asia , the couple settled in New York City , New York . After extensive travels through Asia and a piece of Africa and Europe , the couple settled in New York City , New York . 0 +One of these two was physically disabled and cognitively severely affected . Of these two , one was physically disabled and severely cognitively impaired . 1 +In 1848 the Catholic parish of Cooraclare ( Kilmacduane ) was once again separated from Kilmihil . In 1848 the Catholic parish of Cooraclare ( Kilmacduane ) was again separated from Kilmihil . 1 +MacMahon formula is the multiplicative formula for general values of formula _ 30 : MacMahon - Formula is the multiplicative formula for general values of the Formula 30 : 1 +Nate decides to fight for Ricky and confirms his love for her . Nate decides to struggle for Ricky and confirms his love for her . 1 +""" The Woman King "" is the third episode of the fourteenth season from the science fiction television series "" Battlestar Galactica "" ." """ The Woman King "" is the third episode of the fourteenth season from the Science - Fiction series "" Battlestar Galactica "" ." 1 +The area has a large amount of sunshine all year round due to its high descending air and stable pressure . The area has a large amount of sunshine year round due to its high descending air and stable pressure . 1 +On February 6 , 2014 , Spencer Machacek was traded by the Penguins to the Columbus Blue Jackets in exchange for Thompson . On 6 February 2014 , Spencer Machacek was traded by the penguins to the Columbus Blue Jackets in exchange for Thompson . 1 +Ricardo Cano defeated Balázs Taróczy 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 - 4 . Balázs Taróczy defeated Ricardo Cano 6 -- 7 , 2 -- 6 , 6 -- 1 , 6 -- 3 , 6 -- 4 0 +""" Clockwork "" is the fourth single by American rapper Juelz Santana from his second studio album "" What the Game 's Been Missing ! "" ( 2005 ) ." """ Clockwork "" is the fourth single by American rapper Juelz Santana from his second studio album "" What the Game is Missing ! "" ( 2005 ) ." 1 +One day , Elisa Gonzalo strikes despite the mishap , he begins a beautiful friendship that will serve her in difficult times . One day , despite the mishap , Elisa Gonzalo begins his a beautiful friendship that will serve her in difficult times . 0 +Oliver Knussen studied composition with John Lambert between 1963 and 1969 and also received inspiration from Britten . John Lambert studied composition with Oliver Knussen between 1963 and 1969 and received suggestions from Britten . 0 +In Käru , the politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 - 2012 ) were born . Politician and entrepreneur Juhan Kukk ( 1885 -- 1942 ) and former Archbishop Kuno Pajula ( 1924 -- 2012 ) were born in Käru . 1 +The ship was struck from the Naval Vessel Register on March 1 , 1973 and sold for scrapping in 1974 . The ship was cancelled on 1 March 1973 from the naval register and sold for scrapping in 1974 . 1 +Pre-modern ( 18th-century ) elements are often the Korean pronunciation of their Japanese equivalents , e.g . Pre-modern ( 18th-century ) elements often are the Korean pronunciation of their Japanese equivalents , e.g. , 1 +The Banach -- Mackey topology and the weak Arens space topology are relatively rarely used . The Arens - Mackey - Topology and the weak Banach - Space topology are relatively rarely used . 0 +Godfrey M. Brinley defeated Richard D. Sears with 6 -- 3 , 4 -- 6 , 6 -- 0 , 6 -- 3 . Godfrey M. Brinley defeated Richard D. Sears 6 -- 3 , 4 -- 6 , 6 -- 0 , 6 -- 3 . 1 +This species can be found in the Caribbean Sea and the Gulf of Mexico , in the Atlantic Ocean from South Carolina to Brazil . This species can be found in the Atlantic Ocean and in the Gulf of Mexico ; in the Caribbean Sea from South Carolina to Brazil . 0 +This novel was read by Kirsty Williams as BBC Radio 4 Book at Bedtime in 2008 , adapted by Toby Stephens and produced by Lu Kemp . The novel was adapted by Lu Kemp as BBC Radio 4 book near Bedtime in 2008 , read by Toby Stephens and produced by Kirsty Williams . 0 +On January 23 , 2018 , Funimation released the series in North America and licensed the first Blu - ray and DVD set . Funimation released the series in North America and licensed the first Blu-ray and DVD set on January 23 , 2018 . 1 +In July 2013 , Lone Star sold comics three of their five remaining stores in Mesquite , Hurst and Plano . In July 2013 , Lone Star comics sold three of their five remaining shops in Plano , Hurst and Mesquite . 1 +The average January temperature ranges from and the average temperature in July to average precipitation varies from north to south . Average January temperature ranges from to and average July temperature ranges from to . Average precipitation varies from in the north to in the south . 1 +Some witnesses reported a white powder : TATP is a white crystalline powder . Some witnesses reported seeing a white powder : TATP is a white crystalline powder . 1 +Domenico Tibaldi was born in Bologna , and trained at the workshop of the architect Agostino Carracci . Agostino Carracci was born in Bologna and trained in the workshop of architect Domenico Tibaldi . 0 +The ship was cancelled on 1 March 1973 from the naval register and sold for scrapping in 1974 . The ship was sold from the Naval Vessel Register on March 1 , 1973 and struck for scrapping in 1974 . 0 +""" Yesteryear "" is the second episode of the first season of the animated American science fiction television series "" ." """ Yesteryear "" is the second episode of the first season of the animated American Science - Fiction - TV series ." 1 +Elliot Richardson defeated Edward Brooke in the Republican Primary . Edward Brooke defeated Elliot Richardson in the Republican Primary School . 0 +Roxburgh Junction railway station was on the Kelso Line , and served the village of Roxburgh , Scottish Borders , from 1850 to 1964 . The Roxburgh Junction railway station served on the Kelso Line and was the village of Roxburgh , Scottish Borders from 1850 to 1964 . 0 +Chittoor District , is a district in the Rayalaseema region of the Indian state of Andhra Pradesh . Chittoor district , is a district in Rayalaseema region of the Indian state of Andhra Pradesh . 1 +Brazil had already signed a separate Loizaga - Cotegipe contract with Paraguay in 1872 , and now did much to support Paraguay in its negotiations with Argentina . Brazil had signed a separate Loizaga - Cotegipe contract with Paraguay in 1872 and already did much to help Paraguay in its negotiations with Argentina . 0 +Caracase is a city in the southwestern region of Gedo Somalia . Caracase is a town in the southwestern Gedo region of Somalia . 1 +The scientific method is essentially the application of the inductive approach to the investigation . The inductive method is essentially the application of the scientific approach to investigation . 0 +Her father , the democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully in 1964 for the governor of Utah against Mitchell Meich . Her father , Mitchell Melich , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against the democrat Calvin L. Rampton . 0 +In 1834 , after leaving the East India Company College , Frere was named a writer in the Mumbai ( now Bombay ) civilian service . In 1834 , after leaving the East India Company College , Frere was appointed a civil servant writer in the Bombay ( today Mumbai ) . 0 +He also published Imprenta Rosario , where he and his family wrote and founded several newspapers . He also wrote and founded the Imprenta Rosario where he and his family published several newspapers . 0 +A common suffix is -aga , which is a nominalizer : it forms nouns from verbs . A common suffix is -aga , which is a nominaliser : it forms nouns from verbs . 1 +The film was produced through Columbia Pictures and Imagine Entertainment by daughter and father Brian Grazer , as well as Bryce Dallas Howard and Ron Howard . The film was produced by Columbia Pictures and Imagine Entertainment by daughter and father Bryce Dallas Howard and Ron Howard as well as Brian Grazer . 0 +One week after Benjamin Linus ’ apos ; birth came Alex ( Michael Emerson ) and took Alex from Rousseau . One week after Alex 's birth , Benjamin Linus ( Michael Emerson ) came and took Alex from Rousseau . 0 +Smith was awarded the ISCB Senior Scientist Award and elected ISCB Fellow in 2009 by the International Society for Computational Biology . Smith received the ISCB Senior Scientist Award and was elected as ISCB Fellow by the International Society for Computational Biology in 2009 . 1 +He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and visited the High School for Recording Arts in St. Paul , Minnesota . Chrishan was born in Toledo , Ohio and grew up in Minneapolis , Minnesota . He attended High School for Recording Arts in St. Paul , Minnesota . 1 +The first two editions of Cock were not particularly successful , but the Galle - edition of 1601 was , on the other hand , quite successful . The first two editions by Cock were not particularly successful but the 1601 Galle edition , on the other hand , was quite successful . 1 +Fanny Pak had five of the new members from season two and four same members . Fanny Pak had five new members from the second season and four of the same members . 1 +Sam Elliott has been married to actress Katherine Ross since 1984 . Since 1984 , Katherine Ross has been married to the actress Sam Elliott . 0 +The son of Reverend William Leonard Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister Henry Addington , 1st Viscount Sidmouth . was a son of Reverend Henry Addington , 2nd Viscount Sidmouth , the eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . 0 +The university press has excellent means to support its own works and helps the authors to apply for printing cost subsidies as well as national awards . The University Press has own funds to support excellent works and it helps the authors to apply for printing subsidies as well as national awards . 0 +Previously , this requirement was required only for third perpetrators and permitted for second offenders , and then for a three-year period . Previously , this requirement was only permitted for third offenders and required for second offenders , and then for a three-year period . 0 +The music was composed by G. Devarajan and lyrics was written by ONV Kurup and Vayalar Ramavarma . The music was composed by G. Devarajan and text was written by ONV Kurup and Vayalar Ramavarma . 1 +Lake Arrowhead is an artificial lake located in the San Bernardino Mountains on Little Bear Creek , a tributary of Deep Creek and the Mojave River . Lake Arrowhead is an artificial lake in the San Bernardino Mountains on the Little Bear Creek , a tributary of Deep Creek and the Mojave River . 1 +Two international features were selected to be shown out of competition in special pre-release screenings . Two international features have been selected to be shown in special pre-release screenings out of competition . 1 +The 1945 Northwestern Wildcats team represented Northwestern University during the football season of the Big Ten Conference . The 1945 Big Ten Conference Team represented Northwestern University during the Northwestern Wildcats football season of 1945 . 0 +The river Bohotin is a tributary of the Bazga River in Romania . The Bazga River is a tributary of the Bohotin River in Romania . 0 +Inishnee is a small island off the coast of Ireland , in Roundstone Bay , near the village of Roundstone in Connemara in County Galway . Inishnee is a small island off the shore of Ireland , in Roundstone Bay near the village of Roundstone in Connemara in County Galway . 1 +"The Vadakalai sect are also referred to as the "" southern "" culture or school , and the Thenkalai sect are the "" northern "" variant ." "The Vadakalai sect is also referred to as the "" northern "" culture or school , and the Thenkalai sect are the "" southern "" variant ." 0 +The song was written by Melanie C and had already been admitted by Bryan Adams in 1999 . The song was written by Bryan Adams and had already been recorded by Melanie C in 1999 . 0 +For many centuries it was a royal strange , independent royal , and since 1480 a chapel of the Diocese of Lichfield and even of the province of Canterbury . For many centuries it was a royal peculiar , independent royal , and from 1480 a chapel of the Diocese of Lichfield and even the Province of Canterbury . 1 +The state road was completed in the early 1910s from Frederick to Harpers Ferry and built in 1919 to Knoxville . The State Road was built in the early 1910s from Frederick to Knoxville and completed in 1919 to Harpers Ferry . 0 +"In "" Home Alone "" Kate McCallister traveled from Chicago through Paris on her way to Dallas / Fort Worth ." "In "" Home Alone "" , Kate McCallister traveled through Paris from Chicago on her way to Dallas/Fort Worth ." 1 +Both track sections were abandoned with the Hurtsboro segment in 2002 and the Lafayette line in 2003 . Both segments were abandoned in 2003 , starting with the Lafayette segment in 2002 and the Hurtsboro line . 0 +Homalopoma subobsoletum is a species of calcareous sea snail with small opercula , a marine gastropod mollusk in the family Colloniidae . Homalopoma subobsoletum is a kind of calcareous sea snail with small opercula , a marine gastropod mollusk in the Colloniidae family . 1 +The 1916 Middle Tennessee Blue Raiders football team represented Middle Tennessee State University during the College Football season 1916 . The Blue Raiders team - captain was Cass Miles . The 1916 , Middle Tennessee State University football team represented the Middle Tennessee Blue Raiders during the 1916 college football season . The Blue Raiders team captain was Cass Miles . 0 +The other link is a Fochriw Cwm Bargoed and Mountain Road . The other link is a Fochriw to Cwm Bargoed and Mountain Road . 0 +Upon the death of Louis XIV in 1661 , Cardinal Mazarin , who had nominally been king since 1643 , began to rule France in his own right . After the death of Louis XIV in 1661 , Cardinal Mazarin , who had been nominally king since 1643 , began to rule France in his own direction . 1 +"Marianne is found guilty of fire in the Hotel "" Ter Smissen "" and the dead Freddys ." "Marianne is found guilty of the fire in hotel "" Ter Smissen "" and the dead of Freddy ." 1 +""" Has Anyone Here Seen Larry ? "" -Deirdre Purcell" """ Has anyone seen Deirdre Purcell here ?" 0 +The original 159 Squadron was to be disbanded during the First World War , but the idea was formed so that reinforcements could be sent to France . The original squadron 159 was to be dissolved during the First World War , but the idea was formed so that reinforcements could be sent into France . 1 +The other Peracarida orders are the abundant and either moderately cryptic , Cumacea and Tanaidacea , or are extremely rare and Relictual , Mictacea , Spelaeogriphacea and Thermosbaenacea . The remaining Peracarida orders are the cryptic and either moderately abundant , Cumacea and Tanaidacea , or are extremely rare and relictual , Mictacea , Spelaeogriphacea , and Thermosbaenacea . 0 +It was the first mass political action in Ceylon and the first major social crisis after independence . It was the first mass political action in Ceylon and the first major social crisis following independence . 1 +"On 12 March , 1801 , "" Eling "" was with the British fleet under Admiral Sir Hyde Parker and sailed at the Battle of Copenhagen ( 1801 ) ." "On March 12 , 1801 , "" Eling was with the British fleet under Admiral Sir Hyde Parker and sailed in the Battle of Copenhagen ( 1801 ) ." 1 +In 2009 , Damien Ritter founded his independent record label Funk Volume with Hopsin . In 2009 , Hopsin with Damien Ritter founded his own independent record label Funk Volume . 0 +John and James brother were born in Alfreton , Derbyshire . John and his brother James were born in Alfreton , Derbyshire . 1 +"DeMille first appeared in Corey 's novel "" Plum Island "" , in 1997 ." "DeMille appeared in 1997 in Corey 's novel "" Plum Island "" ." 1 +The river Jiul de Vest is a tributary of the De La Hagher river in Romania . The Jiul de Vest River is a tributary of the De La Hagher River in Romania 1 +The Astore replaced the Tecnam P2002 Sierra in ultralight production , although not the certified model P2002JF . The Astore replaced the Tecnam P2002 Sierra in certified production , although not the ultralight P2002JF model . 0 +Born in 1967 in Glenwood , Illinois , he attended the Bloom High School in Chicago Heights , Illinois . He was born in 1967 in Chicago Heights , Illinois , and attended the Bloom High School in Glenwood , Illinois . 0 +When Justice Tyler died in 1813 , John Tyler inherited Greenway at the age of 23 . When Judge John Tyler died in 1813 , Tyler at the age of 23 inherited Greenway . 0 +""" P. seippi "" should be planted in pairs in a well located terrarium ." """ P. seippi "" should be housed in pairs in a well planted terrarium ." 0 +The Royal College of Music has appointed Natalia alongside Maestro Peter Stark as Professor of Conductors . The Royal College of Music has appointed Peter Stark as a Professor of Conducting alongside Maestro Natalia . 0 +The port of Santa Cruz de Tenerife ( Tenerife ) has the greatest number of passengers recorded in the Canary Islands , followed by the port of Los Cristianos . The port of Santa Cruz de Tenerife ( Tenerife ) has the greatest number of passengers in the Canary Islands , followed by the port of Los Cristianos . 1 +Born in Montreal , he received a Bachelor 's degree from Harvard University in 1945 and a Master 's degree from McGill University in 1947 . Joy was born in Montreal . He received a bachelor 's degree from McGill University in 1945 and a master 's degree from Harvard University in 1947 . 0 +Catriona Lambert was born in North Berwick , and grew up in Edinburgh . Catriona Lambert was born in North Berwick and grew up in Edinburgh , Germany . 1 +The other members included : AcBel , Toshiba , bpl , Corinex Communications , IBEC , Netgear , PCN Technology , Ambient Corporation , Toyo Network Systems and Junaid . Other members included : AcBel , Ambient Corporation , bpl , Corinex Communications , IBEC , Netgear , PCN - Technologie , Toshiba , Toyo Network Systems and Junaid . 1 +She and character Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . She and character actor Yakov Fuchs were the parents of the famous Polish-American actor Leo Fuchs . 0 +Crispulo Zamora married in 1892 the silversmith Pelagia ( 1871 -- 1922 ) , a classmate with whom she had seven children . In 1892 , Crispulo Zamora married the silversmith Pelagia ( 1871 -- 1922 ) , a fellow student , with whom she had seven children . 1 +Robert Morris Ogden was born on July 6 , 1877 in Binghamton , New York . His father was James Sherman Ogden and his mother , Beulah Maria Carter . Robert Morris Ogden was born on 6th July 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Beulah Maria Carter . 1 +Massy was the son of Colonel Hugh Massy and the elder brother of General Eyre Massey , 1st Baron Clarina . Massy was the son of Col. Hugh Massy and the elder brother of General Eyre Massey , 1st Baron Clarina . 1 +Brett Mahoney is a recurring figure in the Netflix shows at Marvel Cinematic Universe , where he is portrayed by Royce Johnson . Royce Johnson is a recurring figure in the Netflix shows at Marvel Cinematic Universe , where he is portrayed by Brett Mahoney . 0 +Other villages include Larchmont ( also in Newtown Township ) and Lawrence Park . Other villages are Larchmont ( also in Lawrence Park ) and Newtown Township . 0 +Iwama 's style is generally regarded as more martial than counterparts , such as Aikikai , which tends to be more acrobatic and artistic than martial . Generally speaking , Iwama style is considered more martial than counterparts , such as Aikikai 's , which tends to be more acrobatic and artistic than martial . 1 +One of the largest parks and rides in Saudi Arabia is located in Kudai , Mecca . One of the largest park and rides in Mecca is located at Kudai in Saudi Arabia . 0 +Janmashtmi festival is organised in the village and a Mela is also celebrated . In the village the Janmashtmi festival is celebrated and a mela is also organised . 0 +In December 1945 , the Soviets installed Kim as chairman of the Korean branch of the North Korean Communist Party . In December 1945 , the Soviets presented Kim as chairman of the Korean branch of the North Korean Communist Party . 1 +The region is famous for its white wines but also for its sparkling wines ( white , red and rosé ) . The region is renowned for its sparkling wines , but also for its white wines ( white , red and rosé wines ) . 0 +John T. Driscoll defeated Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy , and Robert J. Sullivan in the democratic primary . In the Democratic primary , John T. Driscoll defeated Patrick F. McDonough , John B. Kennedy , George F. Hurley , John M. Kennedy , and Robert J. Sullivan . 1 +Clara Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Robert Maass . Robert Maass was born in East Orange , New Jersey , to Hedwig and Clara Maass , German immigrants . 0 +Probability that the other side of the card is mixed , since there are two cards it might be : the black and the black . Probability that the other side of the card is black , since there are two cards that could be the black and the mixed . 0 +The river Sântinica is a tributary of the river Dâmboviţa in Romania . The river Dâmboviţa is a tributary of the river Sântinica in Romania . 0 +The National Chiropractic Association was reorganized into the American Chiropractic Association ( ACA ) in 1963 . The American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) in 1963 . 0 +Archaeological finds place the northwestern border for the prehistoric Martis people in the Oroville area . Archaeological finds place the northwestern border for the prehistoric Martis in the Oroville area . 1 +"In the TV series "" Muhteşem Yüzyıl "" , Deniz Çakır is played by Turkish actress Şah Sultan ." "In TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by the Turkish actress Deniz Çakır ." 0 +The New York and Erie Railroad completed their route between Hornell and Dunkirk in 1851 , New York via Piermont and Salamanca . In 1851 , New York and Erie Railroad completed their line between Piermont and Dunkirk , New York via Hornell and Salamanca . 0 +"The first name was given after the fall of Saigon in 1975 , and H "" unk "" Chí Minh , the current leader of North Vietnam , honors ." The current name was given after the Fall of Saigon in 1975 , and honors Hồ Chí Minh , the first leader of North Vietnam . 0 +Gralee is a suburb of the Leeton Shire in Leeton , New South Wales . Gralee was a suburb of Leeton , New South Wales in Leeton Shire . 0 +In 1998 , Rituparna Sengupta and Indrani Halder for the film shared the National Film Award as Best Actress , Ghosh won the National Film Award as Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as the Best Actress , Ghosh shared the National Film Award for the Best Screenplay . 0 +Pandabeswar CD Block had 1 special and non-formal college with 1,007 students , 257 institutions for general education with 9,690 students . The CD - Block Pandabeswar had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students 0 +Kroeger Thornley signed 604 Records with the help of Chad Kroeger of Nickelback . With the help of Chad Kroeger of Nickelback , Thornley signed to Kroeger ´ s 604 records . 0 +From the second relative homotopy group to the fundamental group , the structure of the crossed module can be given . From the fundamental homotopy group to the second relative group , may be given the structure of crossed module . The functor 0 +On 1 November 2017 , Yuri Alberto was promoted to the main team by the interim manager Elano . On 1 November 2017 , Yuri Alberto was promoted to the main squad by interim manager Elano . 1 +Osarvira is a village in the Palghar district of Maharashtra , India . It is situated in the Dahanu Taluka . Osarvira is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . 1 +The United Kingdom followed in 1955 ; Germany in 1964 by Katsuaki Asai ; and Italy in 1965 by Hiroshi Tada . In 1955 , the United Kingdom followed , Katsuaki Asai Germany in 1964 and Hiroshi Tada Italy in 1965 . 1 +Huracán beat Tigre in 1950 and then beat Quilmes a year later . Huracán defeated Tigre in 1950 and then beat Quilmes a year later . 1 +Sam Bradford 's following pass was tipped by Florida DB Major Wright and intercepted by Florida safety Joe Haden . The following pass of Sam Sam Bradford was tipped by Florida DB Major Wright and intercepted by Florida Safety Joe Haden . 1 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( number 243 ) and Scrivener ( number 218 ) . The manuscript was added to the list of New Testament manuscripts by Gregory ( number 243 ) and Scrivener ( number 218 ) . 1 +He started his practice in Lincoln , Nebraska then moved back to Omaha in 1912 . He started his practice in Lincoln , Nebraska , and then moved back to Omaha in 1912 . 1 +Lawes had one child , Michelle Zonee Barksdale Hurston , born in 1957 . Michelle Zonee Barksdale Hurston , born 1957 , had one child . 0 +For a given value of a hyperbolic function , the corresponding inverse hyperbolic function returns the corresponding hyperbolic angle . For a given value of a hyperbolic function , the corresponding inverse hyperbolic function provides the corresponding hyperbolic angle . 1 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Missouri to Illinois . The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Illinois from Missouri . 1 +These middle to large butterflies have red wings with black and yellow spots and a dark brown edge . These middle to large butterflies have black and yellow wings with dark brown spots and a red edge . 0 +After the separation of their previous band , Brendan Benham and Dan Mena discussed the idea of founding a new band with Shae Lappen . After the separation of their previous band , Shae Lappen and Dan Mena discussed with Brendan Benham the idea of founding a new band . 0 +He was born on 23 January 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . He was born on January 23 , 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . 1 +The recent Sierra Leone Civil War was secular in nature featuring members of Christian , Muslim , and Tribal faiths fighting on both sides of the conflict . The recent civil war in Sierra Leone was of a secular nature , with members of Christian , Muslim , and tribal faiths fighting on both sides of the conflict . 1 +It is Aarne -- Type 707 Thompson , named after him : the dancing water , the singing apple and the speaking bird . It is Aarne -- Thompson type 707 , which is named after it : the dancing water , the speaking apple , and the singing bird . 0 +The car was sold with various names in different markets . The car was sold with various names in different markets . 1 +"Lytton was Emma Watson 's double counterpart in the film "" Harry Potter and the Chamber of Secrets "" ." "Lytton was Emma Watson 's double in the film "" Harry Potter and the Chamber of Secrets "" ." 1 +He meets Kekesfalva 's paralyzed daughter Edith and develops subtle affection and deep compassion for her . He meets Kekesfalva 's paralyzed daughter Edith and develops deep affection and delicate compassion for her . 0 +The leaves are alternately arranged along the branches and lance-shaped , often have small , irregular toothing and are mostly long and wide . The leaves are shaped mostly along the branches and are lance-arranged , alternately have small , irregular serrations , and are often long and wide . 0 +He became a regular canon He was a respected poet in the Latin language , under the name of Santolius Victorinus writing . He became a respected canon . He was a regular poet in the Latin language , writing under the name of Santolius Victorinus . 0 +Bones to Ashes is the tenth novel by Kathy Reichs with forensic anthropologist Temperance Brennan . Bones to Ashes is the tenth novel by Kathy Reichs starring forensic anthropologist Temperance Brennan . 1 +He helps everyone get a good night ’ s sleep and have yawning dreams and often talks with a sweet voice . He helps everyone get a good night 's sleep and have sweet dreams and often speaks with a yawning voice . 0 +However , the two unpopular Cantons had immediate financial problems and were forced to institute a number of new taxes and laws . The two new cantons had immediate financial problems , however , and were forced to introduce a series of unpopular taxes and laws . 0 +J. Thomas Spriggs , born in Whitesboro , New York , migrated to the United States with his parents settled in Peterborough , England in 1836 . Born in Peterborough , England , J. Thomas Spriggs immigrated to the United States with his parents , who settled in Whitesboro , New York in 1836 . 0 +His system was adopted in many houses , in rural districts , in military camps , in private hospitals , and extensively in the British Raj . His system was adopted in private homes , in rural districts , in military camps , in many hospitals , and largely in the British Raj . 0 +One night , Rick contacts Jill and informs her of Maddy 's sudden death . One night Rick contacts Maddy and informs her about Jill 's sudden death . 0 +Mackenzie is a writer at the 2B Theatre in Montreal and teaches at the National Theatre School of Canada in Halifax . Mackenzie is a writer-in-residence at the 2B Theatre in Montreal and teaches at the National Theatre School of Canada in Halifax . 1 +Mayor of Schutz is Thomas Tombers , and his deputy is Joachim Heibges . Schutz 's mayor is Thomas Tombers , and his deputy is Joachim Heibges . 1 +"An "" almost diagonal "" matrix formula 34 in "" Jordan - normal form "" , similar to Formula 2 , is given as follows :" "An "" almost diagonal "" matrix formula _ 34 in "" Jordan normal form "" , similar to formula _ 2 is obtained as follows :" 1 +Scherer was personally awarded the Knight 's Cross of the Iron Cross with Oak Leaves by Adolf Hitler for the command of the defense of Kholm . For Kholm 's command of the defense , Scherer was personally awarded the knight 's cross of the Iron Cross with Adolf Hitler 's oak leaves . 1 +Deepaaradhana is a 1983 Indian Malayalam film , produced by Vijayanand and directed by TK Balachandran . Deepaaradhana is an Indian Malayalam film of 1983 , produced by Vijayanand and directed by TK Balachandran . 1 +His KHL debut made Rafikov during the 2015 season -- 16 Continental Hockey League . Rafikov made his KHL debut during the 2015 -- 16 Kontinental Hockey League season . 1 +Paniqui is from Tarlac City and is from the provincial capital of Manila . Paniqui is from Manila and is from the provincial capital , Tarlac City . 0 +See also a list of small groups for finite Abelian groups of order 30 or less . See also list of small groups for finite abelian groups of order 30 or less . 1 +The son of Olin M. Jeffords , who served as the chief justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . The son of Olin M. Jeffords , who served as Chief Justice of the Vermont Supreme Court , James Jeffords was born in Rutland , Vermont . 1 +In August 2009 they edited a special collection of eight DVDs of their tours around Europe and Los Angeles and published them on their official MySpace . In August 2009 , they released a special collection of eight DVDs of their tours across Europe and Los Angeles and edited them on their official MySpace . 0 +The countries on this list are currently Iran , Syria , Sudan and North Korea . Currently , the countries on the list are Iran , North Korea , Sudan and Syria . 1 +Withypool is located in the Barle Valley on the river Barle . The village lies on the route of the Two Moors Way and the Exmoor Celtic Way option . Withypool lies in the River Barle on the Barle Valley . The village is on the route of the Two Moors Way and the Celtic Way Exmoor Option . 0 +He was also appointed Fellow of the Royal Society in 1749 and was elected the Fellow of the Royal College of Physicians in London in 1754 . He was also elected Fellow of the Royal Society in 1749 , and in 1754 as Fellow of the Royal College of Physicians , London . 0 +Superior Township , officially the Charter Township of Superior , is a charter township of Washtenaw County in the U.S. state of Michigan . Superior Township , officially the Charter Township of Superior , is a charter community of Washtenaw County in the US state of Michigan . 1 +Eight years in the United Kingdom , in Mumbai , Moraes now spent London and Oxford , New York City , Hong Kong , Delhi , and Bombay . Moraes spent eight years in Britain , in London and Oxford , New York City , Hong Kong , Delhi and Bombay now Mumbai . 0 +Alexandra Prince was born in Hamburg , her father is German and her mother is Brazilian . Alexandra Prince was born in Hamburg , her father is Brazilian and her mother German . 0 +Day Heights is situated west of Downtown Cincinnati . Downtown Cincinnati is west of Day Heights . 0 +"She became the founder of the Inner Healing Movement and was the author of "" The Healing Light "" ." "She became the founder of the Inner Healing Movement and was the author of "" Healing Light "" ." 1 +The Luodong Forest Railway was opened in 1920 and connected to Taiping Mountain Forest Railway in 1924 . Luodong Forest Railway was commissioned in 1920 and connected to the Taiping Mountain Forest Railway in 1924 . 1 +The AIHL season 2008 is the ninth season of the Australian ice hockey league , the seventh in which the Goodall Cup will be awarded to the league master . The 2008 AIHL season is the seventh season of the Australian Ice Hockey League , the ninth in which the Goodall Cup will be awarded to the league champions . 0 +The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows into Cross Lake from two channels . The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Lake Winnipeg . 0 +John Franklin Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , son of William Armstrong and Mary W. I. Monroe . William William Armstrong was born on 14 November 1819 in Lincoln County ( Tennessee ) as son of John Franklin Armstrong and Mary W. I. Monroe . 0 +A new directive was approved by the Council in July 2008 and was adopted by the European Parliament in October 2008 . A new directive was adopted by the Council in July 2008 and approved by the European Parliament in October 2008 . 0 +There are two pumping stations outside the city limits and a part of the water service provided by York to Toronto : There are two pumping stations located outside of the city limits and part of the water service provided to York Region by Toronto : 0 +Jana Novotná and Jim Pugh won 7 - 5 , 6 - 3 against Elizabeth Smylie and Patrick McEnroe in the final . Elizabeth Smylie and Patrick McEnroe won 7 - 5 , 6 - 3 against Jana Novotná and Jim Pugh in the final . 0 +English is spoken by many people and some of them fluently understood . English is understood by many people and spoken fluently by some . 0 +The melody , very close to one by Peter Gabriel , mixes ambient music ( electrical guitar , keyboards etc . ) with World music electronic with African drums . The melody , very close to one by Peter Gabriel , mixes electronic music ( E - guitar , keyboards etc . ) with World Music Ambient with African Drums . 0 +Back in England , Watson beat Benny Sharkey before suffering only the fifth defeat of his career when he was disqualified against Sonny Lee for a low blow . Back in England , Watson beat Benny Sharkey before he suffered just the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . 1 +Most of the eastern half of the city is relatively rural , while the western part of the city is more urbanized ( for example , from Woodbury Point east ) . Much of the western half of the city is relatively urbanized , while the eastern part of the city ( say , Woodbury Point East ) is more rural . 0 +The Puerto Inca Province is the largest of eleven provinces of the Huánuco Region in Peru . The region of Huánuco is the largest of the eleven provinces of the Province of Puerto Inca in Peru . 0 +He is well known for his precise jab , but the weakness is the glass chin that already comes from the Muay Thai . He is already known for his precise jab , but the weakness is the glass chin , which is from the Muay Thai well . 0 +It is homologous to , but not analogous to the articular process of the lower jaw . It is analogous but not homologous to the articular process of the lower jaw . 0 +"All songs written by Alejandro Lerner , except "" A Place Where We Belong "" co-written by Graham Russell ." "All songs of Alejandro Lerner , except "" A Place Where We Belong "" written by Graham Russell ." 1 +The 1978 Daytona 500 , the second race of the event , was the 20th round of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the 20th race of the event , was the second race of NASCAR Winston Cup season 1978 . 0 +He was selected in Sri Lanka 's One Day International ( ODI ) team for Tri-Series in West Indies , with Zimbabwe being the third team . He was selected in Sri Lanka ’ s One Day International ( ODI ) Team for Tri-Series in Zimbabwe , West Indies being the third team . 0 +"She also had a supporting role in the film "" Bob Roberts "" , as Dolores Perrigrev in 1992 ." "She also had a supporting role in the 1992 film "" Dolores Perrigrew "" , as Bob Roberts ." 0 +He began his studies in 1946 at the Reformed Gimnázium in Debrecen and from 1947 to 1951 he visited Madách Gimnázium in Budapest . He began his studies in 1946 at the Main Reformed Gimnázium in Budapest , and from 1947 to 1951 , he attended the Madách Gimnázium in Debrecen . 0 +In Japan , a region free 1080p Blu - ray with English Dolby TrueHD 2.0 - track is available . In Japan a region available 1080p Blu-ray is free with English Dolby TrueHD 2.0 track . 1 +Cedarbrae Mall is a shopping mall in the Toronto , Ontario , Canada area of Scarborough located at the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre located in the Scarborough area of Toronto , Ontario , Canada on the corner of Markham Road and Lawrence Avenue East . 0 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in the Ahmednagar District . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the district of Aurangabad in the district of Ahmednagar . 0 +The town was founded in 1899 by George Dewey and named after Admiral Jacob A. Bartles . Founded by George Dewey in 1899 , the town was named for Admiral Jacob A. Bartles . 1 +Yarde often improvised , sometimes while listening to jazz . Yarde sometimes improvised , often while listening to the jazz . 0 +The album was launched with a sold-out show at London 's Soho nightclub Madame Jojo 's . The album was sold with a show at London 's Soho Nightclub Madame Jojo . 0 +According to the definition above , two relations with different graphs but different domains or different codomains are considered identical . According to the definition above , two relations with different graphs , but different domains or different code masses are considered identical . 0 +Parallax captured John Stewart , Guy Gardner , and Hal Jordan in Kyle ’ s body and brought them to Qward . In Kyle 's body , Parallax captured Hal Jordan , Guy Gardner , and John Stewart and brought them to Qward . 1 +The most common measures of arithmetic tendency are the central mean , the median and the mode . The most common measures of the arithmetic tendency are the central mean , the median and fashion . 1 +Sri Lanka , originally known as the Senkadagala , has been the bastion of the culture of Kandy and its spiritual centre for centuries . Kandy , originally known as Senkadagala , has been the bastion of Sri Lankan culture and its spiritual centre for centuries . 0 +At the UFC Fight Night 101 Jon Tuck succeeded with a split decision to steal a victory against Brown . At UFC Fight Night 101 , Brown managed to steal a victory against Jon Tuck with a split decision . 0 +For example , the National Civic League ( originally the National Municipal League ) promotes effective local government management . For example , the National Civic League ( originally the National Municipal League ) promotes an effective management of the local government . 1 +Abolitionists rose to the defense of Ellen and William Craft in 1850 , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , in 1851 Shadrach Minkins , and in 1854 Anthony Burns . 1 +In the original IBM PC , an NMI was detected if a parity error was reported in system memory , or triggered by an external device . In the original IBM - PC , an NMI was detected when a parity error in the system memory was reported or triggered by an external device . 1 +Leopoldina Naudet was born in 1773 as the eldest daughter of Giuseppe Naudet and Susanna of Arnth in Florence . Her sister was Luisa . Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Giuseppe Naudet and Susanna von Arnth ; her sister was Luisa . 1 +Utah claims a margin of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . Utah claims a margin of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . 0 +In 2012 , Duncan appeared alongside Amanda Hale in Scrubber , a film by Romola Garai written and managed . In 2012 , Duncan appeared alongside Romola Garai in Scrubber , a film by Amanda Hale written and led . 0 +"The administrative district of the same name ( "" správní obvod "" ) consists of municipalities Prague 17 and Zličín ." "The district of the same name ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." 0 +Alzheimer 's was known for a variety of medical interests , including vascular diseases of the brain , early dementia , brain tumors , forensic psychiatry , and epilepsy . Alzheimer was known for having a variety of medical interests including vascular diseases of the brain , early dementia , brain tumors , forensic psychiatry and epilepsy . 1 +He spent his exile in Italy and preached in France to Gareccio , where he preached . He spent his exile in Italy and preached Gareccio in France where he preached . 1 +Franco Ferreiro and André Sá defeated Oliver Marach and Leonardo Mayer from 7-6 ( 6 ) , 6-3 in the final . In the finals Oliver Marach and Leonardo Mayer defeated Franco Ferreiro and André Sá with 7 -- 6 ( 6 ) , 6 -- 3 . 0 +The tendered speed limit is generally reduced as low as within the two cities . The reduced speed limit is generally , posted as low as within the two cities . 0 +"Miranda quotes Voltaire , "" If we do not find something pleasant at least we will find something new , "" and looks longingly at Oscar ." "Miranda quotes Voltaire : "" If we find nothing new , we will find at least something pleasant "" , and looks longingly at Oscar ." 0 +Teresita is a diminutive version of the Spanish given name Teresa . Teresita is a Spanish version of the Teresa diminutive name . 0 +Maredudd married Margaret Ferch Dafydd , daughter of Ieuan , Lord of Anglesey , and his wife Nest ferch Dafydd Fychan . Maredudd married Margaret ferch Dafydd , the daughter of Ieuan , Lord of Anglesey , and his wife , Nest ferch Dafydd Fychan . 1 +Warm packs are often prepared , the heat opens the pores of the skin and helps in the interaction of clay with the body . Often , prepared packs are warm ; the heat opens up the pores of the skin , and helps the interaction of the clay with the body . 0 +"Dorchester is sometimes associated with Avenue D , since Ditmas and Ditmas Avenue and Dorchester Road start with the letter "" D "" ." "Dorchester are sometimes associated with Avenue D , since Ditmas and Ditmas Avenue and Dorchester Road start with the letter "" D "" ." 1 +He also gained popularity by replacing Archie Kao with Adam Rodriguez . "He also gained popularity by replacing Adam Rodriguez with "" and Archie Kao on "" ." 0 +He was considered a liberal Spaniard who practiced liberal and democratic principles for the enforcement of liberal laws . He was considered a liberal Spaniard , who practiced the liberal principles for enforcing liberal and democratic laws . 0 +"The band consisted of Ralph Schuckett on lead guitar , Tom Cosgrove on rhythm guitar , "" Buffalo "" Bill Gelber on bass and "" Chocolate "" on drums ." "The band consisted of Ralph Schuckett on lead guitar , Tom Cosgrove on the rhythm guitar , "" Buffalo "" Bill yellow on the bass and "" chocolate "" on drums ." 1 +Its current chairman is Henry Butler , and its district manager is Richard Flateau . Its current chairman is Richard Flateau , and its district manager is Henry Butler . 0 +The remaining two cars were ordered from the Estonian defence league and were delivered in 1927 . The remaining two cars were ordered by the Estonian Defence League and these were delivered in 1927 . 1 +Following the death of his father , King George , he was elected King on 4th March 1827 in the presence of James Holman . After the death of his father , King George , he was elected king in the presence of James Holman on 4 March 1827 . 1 +She also closed for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and opened for Prada , Costume National and Louis Vuitton . It also closed for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen and opened for Prada , Costume National and Louis Vuitton . 1 +In 1971 , a new campus was completed in 33 MacDonnell Road for primary school . In 1971 , a main campus was completed for the new school in 33 MacDonnell Road . 0 +He took the first place in 1984 Olympic Games , but he beat the gold medalist Jeff Blatnick at the fourth round . He took fourth place at the Olympic Games in 1984 , but he beat the gold medal winner Jeff Blatnick in the first round . 0 +When Fletcher died in 1936 , Hill was asked to fill the vacancy until a successor could be elected . In 1936 , when Hill died , Fletcher was appointed to fill the vacancy until a successor could be elected . 0 +David Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of Wladimir Burliuk . Vladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . 0 +is a brominated derivative of phenol with the CHBrO molecular formula . is a molecular derivative of phenol with the brominated formula CHBrO . 0 +In the 2007 Hong Kong Chief Executive election , Alan Leong from the Civic Party successfully entered the race against the incumbent Donald Tsang . Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong at the Hong Kong Chief Executive elections in 2007 . 0 +It is the third highest village in Europe , after Trepalle in Italy and Juf in Switzerland . After trepales in Switzerland and Juf in Italy it is the third highest village in Europe . 0 +"Kallir is honest , but very incompetent in politics. """ Kallir is incompetent , but in politics very honest . 0 +The Interogator typed a lot of papers and then came in the four-month stress to Abdulla , the Intorgator read the papers and forced Abdulla to write it . The interogator read a lot of papers then came to Abdulla in the four months stress , the intorgator typed the papers and forced Abdulla to write it . 0 +These crystallographic solvents solve the silicon in a strongly anisotropic way , with some alkali orientations dissolving up to 1000 times faster than others . These alkali solvents dissolve the silicon in a highly anisotropic way , with some crystallographic orientations dissolving up to 1000 times faster than others . 0 +The Americas Minor had invited four teams , three teams from the South American qualifier and a team from the North American qualifier . The Americas Minor had four teams invited , three teams from the South American qualifier , and one team from the North American qualifier . 1 +The original edition of the disc was published in Malaysia on 11 January 2006 and on 26 January 2006 in Singapore . The original edition of the disc was released on 11 January 2006 in Malaysia and 26 January 2006 in Singapore . 1 +Like its unprepared predecessor , the T-411 Wolverine was designed for operations on Russian surfaces . Like its Russian predecessor the T-411 Wolverine was designed for operations from unprepared surfaces . 0 +The audio companion for live concert was released on January 29 , 2008 as a digital album on iTunes . The audio companion to the live concert was released as a digital album on iTunes on January 29 , 2008 . 1 +Dragon Wars is a fantasy role-playing videogame developed by Rebecca Heineman , published in 1989 by Interplay Productions and distributed by Activision . Dragon Wars is a fantasy role-playing video game developed by Rebecca Heineman and published by Interplay Productions in 1989 , and distributed by Activision . 1 +"Halperin , Thompson and Archer presented the song "" I Love You "" by Jay Velie ." "Halperin , Thompson and Archer introduced the song "" I Love You "" by Jay Velie ." 1 +In the 1990s , Schwartz worked in the adult film industry in minor , non-sexual roles , and behind the scenes in numerous administrative roles . In the 1990s , Schwartz worked in smaller , non-sexual roles in the adult film industry and in numerous administrative roles behind the scenes . 1 +In 1874 , she married the Rev . Roger Bigelow Merriman , and they had a son , Daniel Merriman , who became a historian . In 1874 she married the pastor Roger Bigelow Merriman , and they had a son , Daniel Merriman , who became historian . 1 +Recently , Mediabase KMOD has moved to the mainstream - rock - panel , although Nielsen BDS still reports the station on the active rock panel . Most recently , Mediabase moved KMOD to the active rock panel , although Nielsen BDS reports the station on the mainstream rock panel still . 0 +Most pre- 1976 series produced by CBS Films or distributed by Paramount Television were later distributed by Viacom and CBS . Most of the series produced by CBS films before 1976 or distributed by Paramount Television were later distributed by Viacom and CBS . 1 +Pura Khana is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Pura Khana is a village in Bhopal - district of Madhya Pradesh , India It is in Berasia tehsil . 0 +Cueto Isabel defeated Gabriela Sabatini 6-0 , 6-2 . Isabel Cueto defeated Gabriela Sabatini 6 - 0 , 6 - 2 . 1 +The park is located 65 km north-east of Fianarantsoa and 139 km west of Mananjary in the regions Haute Matsiatra and Vatovavy-Fitovinany . The park is 65 km west of Fianarantsoa and 139 km northeast of Mananjary in the regions Haute Matsiatra and Vatovavy - Fitovinany . 0 +Jagath died on 11 April , 1981 from a heart attack shortly after his son Santha drowned under mysterious circumstances in a swimming pool . Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on 11 April 1981 . 0 +Mike has a new partner called Mike ( Theo Stevenson ) , who has a son named Craig ( Jeremy Edwards ) , who is a nightmare . Sharon has a new partner called Mike ( Theo Stevenson ) , who has a son called Craig ( Jeremy Edwards ) , who is a nightmare . 0 +Four ships of the United States Navy were named in honor of Captain Biddle Nicholas Biddle . Four ships of the United States Navy have been named Nicholas Biddle , in honor of Captain Biddle . 1 +In the second ending , Kisuke arrives to find Tsunayoshi possessed by the Jinkuro-killed Momohime . In the second ending , Kisuke arrived to find Tsunayoshi , killed by the Jinkuro-possessed Momohime . 0 +Freeman played for the Eastern Suburbs club in the 1919 season . Wally is the former-grandfather of great coach Phil Gould . In the 1919 season , he played for the Eastern Suburbs club , Wally is the great-grandfather of the former coach Phil Gould . 0 +The Chinese language has several keywords for Daoist meditation practices , some of which are difficult to translate accurately into English . The Chinese language has several keywords for Daoist meditation practices , some of which are difficult to translate into English . 1 +The album was recorded in six different sessions at the Santa Monica Sound Records in Los Angeles and at the Westlake Recording Studios in Santa Monica , California . The album was recorded in six different sessions at both Santa Monica Sound Records in Los Angeles and Westlake Recording Studios in Santa Monica , California . 1 +It was abridged by Penny Leicester , read by Stephen Mangan , with Peter Serafinowicz as the voice of The Guide , and produced by Heather Larmour . It was shortened by Penny Leicester , read by Stephen Mangan , produced with Peter Serafinowicz as the voice of the guide and by Heather Larmour . 0 +Other major bus stations include Jubilee bus station ( JBS ) , Mehdipatnam bus station , Dilsukhnagar bus station . Other major bus stops include Jubilee Bus Station ( JBS ) , Dilsukhnagar Bus Station , Mehdipatnam Bus Station . 1 +Subclass HB : Economic Theory and Demography is a classification used by the Library of Congress Classification system under . This article describes subclass HB . This article is a subclass of HB : Economic theory and demography describes a classification used by the Library of Congress classification system . 0 +Xavier Moyano is supported by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Raúl Varela Luthier . Xavier Moyano is endorsed by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Raúl Varela Luthier . 1 +Of these , 2,088 ( 18.6 % ) lived in rural areas and 9.112 ( 81.4 % ) in urban areas . Of these , 2,088 ( 18.6 % ) lived in rural areas and 9,112 ( 81.4 % ) in urban areas . 1 +""" Jet Moto 2 "" would have been the last game developed by SingleTrac and published by Sony Computer Entertainment ." """ Jet Moto 2 "" would be the last game published by SingleTrac and developed by Sony Computer Entertainment ." 0 +The Catholic parish was led by a young French missionary , Father Joly . The young French parish was administered by a Catholic missionary , P. Joly . 0 +In addition to Diana Hubbard , the album contains musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker and Patrick Moraz . In addition to Diana Hubbard , the album includes musical contributions from Chick Corea , Stanley Clarke , John Goodsall , Michael Boddicker , and Patrick Moraz . 1 +He became steward of the Royal Forest of Cannock in 1541 , and in 1559 -- 60 was escheator for Staffordshire . He was Steward of the Royal Forest of Staffordshire in 1541 and became an emissary for Cannock in 1559 -- 60 . 0 +Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - socialist and author Mary Macaulay . Booth married Beatrice Webb in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Mary Macaulay . 1 +The song was written together with will.i.am by Thicke and Lamar and produced by Dr. Luke and Cirkut . The song was written by Thicke and Lamar alongside Dr. Luke , and produced by will.i.am and Cirkut . 0 +Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher , who has been active in the Canadian dance scene since 1983 . Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher who has been active on the contemporary dance scene since 1983 . 0 +It was debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . It debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . 1 +Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on April 11 , 1981 . Santha died on 11 April 1981 from a heart attack shortly after his son Jagath drowned under mysterious circumstances in a swimming pool . 1 +Winters are very cold with average temperatures from to in January , while summers are warm with average temperatures from to . Winters are very warm with average temperatures in January , while the summers are cold with average temperatures . 0 +In the final , Carlos Salamanca won the title and defeated Rubén Ramírez Hidalgo with 5 -- 7 , 6 -- 2 , 6 -- 1 . Carlos Salamanca won the title , defeating Rubén Ramírez Hidalgo 5 -- 7 , 6 -- 2 , 6 -- 1 in the final . 1 +Kim won the 12th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 10th Yi Yuksa Poetry Award in 2015 . In 2010 she won the 12th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 10th Yi Yuksa Poetry Award . 1 +Incorporated in 1889 , the city is lies along the Nehalem River and Nehalem Bay near the Pacific Ocean . The city is located in 1889 , along the Nehalem River and Nehalem Bay , near the Pacific Ocean . 1 +In 1940 , Leibbrandt had a son from a German woman ( Bernd ) . In 1940 Leibbrandt had a son by a German woman ( Bernd ) . 1 +Mahone Bay is a city located on the northwest coast of Mahone Bay , along the South Shore of Lunenburg County in Nova Scotia . Mahone Bay is a town located on the northwest shore of Mahone Bay along the South Shore of Nova Scotia in Lunenburg County . 0 +According to Pliny the Elder , Emperor Augustus was so embarrassed enough by the history of the Roman plundering of Greek art to return some pieces to their original homes . According to Pliny the Elder , Emperor Augustus was so embarrassed enough by the history of the Greek plundering of Roman art to return some pieces to their original homes . 0 +There is a national motorway connecting Washim , Kanergaon , Nanded , Amrawati , Hingoli and Akola . There is a National Highway connecting Washim , Kanergaon , Nanded , Amrawati , Hingoli and Akola . 1 +Friedrich Joachim Albrecht ( 1874 - 1940 ) and Friedrich Wilhelm ( 1880 - 1925 ) had two brothers . Joachim had two brothers : Friedrich Heinrich Albrecht ( 1874 -- 1940 ) and Friedrich Wilhelm ( 1880 -- 1925 ) . 0 +"The Cartesian "" L "" can be varied in the Lagrangian r coordinates , for "" N "" particles ," "Cartesian "" L "" can be varied in the Lagrangian r coordinates , for "" N "" particles ," 1 +The Mastaba was the standard type of the grave in pre- and early Dynastic Egypt for both Pharaoh and the social elite . The mastaba was the standard type of tomb in pre-dynastic and early dynastic Egypt for both the pharaoh and the social elite . 1 +Paul Annacone won against Andre Agassi in the final with 6 -- 2 , 6 -- 4 . Paul Annacone won in the final 6 -- 2 , 6 -- 4 against Andre Agassi . 1 +For example , cars built by Daewoo , now owned by GM , are no longer badged as Daewoos . For example , cars built by Daewoo are now owned by GM , no longer marked as Daewoos . 1 +"Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish-Swedish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Finnish - Swedish soprano ." 1 +The Albert Einstein , the Eugene Wigner , the Max Planck and the Niccolò Leoniceno academic genealogies ultimately lead to the Renaissance humanist Lev Landau . The academic genealogies of Albert Einstein , Eugene Wigner , Max Planck and Niccolò Leoniceno lead ultimately to the Renaissance - humanist Lev Landau . 1 +Hickman County is part of the Nashville -- Davidson -- Murfreesboro -- Franklin , TN Metropolitan Statistical Area . Murfresboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . 0 +In 2006 , the team added a second car for Thed Bjork and was replaced by Richard Göransson in 2009 . In 2006 , the team added a second car for Richard Göransson and was replaced by Thed Björk in 2009 . 0 +The initial plan was to promote Paul Collingwood to the now releasing opening batsman position and to include Mark Butcher in the middle order . The initial plan was to promote Mark Butcher to the opening batsman 's position , which has now become vacant , and to include Paul Collingwood in the middle order . 0 +The fully completed action plan , published on 3 March 2006 , is being placed directly in the hands of other ministers by ministerial members of the task force . The fully completed action plan , published on 3 March 2006 , is placed directly in the hands of ministers by other members of the task force . 0 +The game created a 32 - digit alphanumeric password after successful completion of a level , which was also unique to the player 's name in order to allow for a later resumption . The game created a 32 digit alphanumeric password after a successful completion of a level , which was unique also to the player name , to allow later resumption . 1 +Chuck is more interested in the man in the picture with Elizabeth -- his face is cut out , but his tattooed arm is still visible . Elizabeth is more interested in the man on the picture -- his face is cut out , but his tattooed arm is still visible . 0 +Jacques Dicker ( 1879 , Khotyn , Bessarabia -- November 17 , 1942 , Geneva ) was a Ukrainian-born Swiss socialist politician and lawyer . Jacques Dicker ( 1879 , Khotyn , Bessarabia -- November 17 , 1942 , Geneva ) was a Swiss - Socialist Ukrainian politician and lawyer . 0 +Agnieszka Radwańska won the title and struck Dominika Cibulková in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . Dominika Cibulková won the title , defeating Agnieszka Radwańska in the final , 3 -- 6 , 6 -- 4 , 6 -- 4 . 0 +Ranjit Singh marched to Rawalpindi , from there after ( Rohtas ) and via ( Sarai Kala ) to Sirikot . Ranjit Singh marched to ( Rohtas ) , from there to ( Rawalpindi ) and via ( Sarai Kala ) reached Sirikot . 0 +Of course , these inscriptions are dated only from the Sixth Dynasty , but it still tells us a little bit about what they have valued . Of course , these inscriptions are still dated from the Sixth Dynasty , but it only tells us a little bit about what they valued . 0 +Suman Chatterjee recorded several albums under the name of Suman Chattopaddhyay or Kabir Suman between 1992 and 1999 . Kabir Suman adopted a number of albums under the name of Suman Chattopaddhyay or Suman Chatterjee between 1992 and 1999 . 0 +In 1963 , Janet married Lloyd Ayliffe and had two children . Ayliffe married Janet Lloyd in 1963 and they had two children . 0 +Botanist Aaron Davis and gardeners John Grimshaw and Matt Bishop , authors of the works on which these notes are based , also qualify as galanthophiles . As galanthophiles , the authors of the works on which these notes are based also apply , the botanist Aaron Davis and the gardeners Matt Bishop and John Grimshaw . 1 +"He appeared as archie mullen in the disaster film "" Daylight "" 1996 and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the disaster film "" Daylight "" 1996 and as Archie Mullen in the movie "" Freedom Song "" ( 2000 ) ." 0 +"He is a sculptor who has created several monumental sculptures , including the award-winning "" Sentinel "" ." "He is a sculptor who has designed several monumental sculptures , winning the award-including "" Sentinel "" ." 0 +These groups are maximal tori of SO ( 4 ) , which are all mutually conjugate in SO ( 4 ) . See also Clifford torus . These groups are conjugated Tori of SO ( 4 ) , which in SO ( 4 ) are all maximal , see also Clifford - Torus . 0 +However , in 1929 , Amanullah Khan abdicated after Habibullah Kalakani took over authority . In 1929 , however , Amanullah Khan abdicated after Habibullah assumed authority over Kalakani . 0 +The cyclone weakened into a tropical depression on September 24 and dissipated the next day . The cyclone dissolved on September 24 into a tropical depression and was weakened the next day . 0 +The enlarged pleopod of the female is greatly enlarged and almost encloses the first carapace . The enlarged pleopod of the female is greatly enlarged and almost encloses the first tank . 1 +Pointe Aux Barques is located in the Pointe Aux Barques lighthouse , not Huron Township . Pointe aux Barques Lighthouse is situated in Huron Township , not Pointe Aux Barques . 0 +Ruxandra Dragomir defeated Monica Seles , 6 -- 2 , 6 -- 3 . Ruxandra Dragomir defeated Monica Seles , 6 - 2 , 6 -- 3 . 1 +Al Khubah is a village in Saudi Arabia , in south-western Jizan Province . Al Khubah is a village in Saudi Arabia , in the south-western province of Jizan . 1 +"She aboard the "" Augusta Jessie "" and she and Andrew lived in Hobart Town and Launceston ." "She lived aboard "" Augusta Jessie "" and she and Andrew arrived in Hobart Town and Launceston ." 0 +At the police station , they learn that Jayaraman 's brother had the money , but Devayani is charged with murder . They learn at the police station that Devayani 's brother had the money , but Jayaraman is charged with murder . 0 +Born in Monterrey , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Guadalajara . Mora was born in Guadalajara and played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . 0 +Between 1900 and 1915 , additional tracks for local traffic were built , with the existing tracks being reserved for transit trains . Between 1900 and 1915 additional tracks were reserved for local traffic with the existing tracks being built for through trains . 0 +"In December 2009 , it was announced that Conroy as Oliver Jones would be included in the cast of "" The Bold and the Beautiful "" ." "In December 2009 , it was announced that Oliver Jones would be joining the cast of "" The Bold and the Beautiful "" as Conroy ." 0 +Auld Robin Gray is the title of a Scots ballad written by the Scottish poet Lady Anne Lindsay in 1772 . Auld Robin Gray is the title of a Scottish ballad written in 1772 by the Scottish poet Lady Anne Lindsay . 1 +In its inside also were studied many frescoes found in 1907 , by Josep Puig i Cadafalch . In its interior , many frescoes were found , studied in 1907 by Josep Puig i Cadafalch . 0 +Red and white wine , sweet and dry wine , wine brandy and a reinforced wine called Angelica were all produced from mission grapes . Red and white wine , sweet and dry wine , brandy , and a fortified wine called Angelica were all produced from Mission grapes . 1 +James Watson and Francis Crick shared the 1962 Nobel Prize for Physiology and Medicine with Rosalind Franklin ; Maurice Wilkins had already died from cancer in 1958 . Together with James Watson and Francis Crick , Maurice Wilkins was awarded the Nobel Prize for Physiology and Medicine in 1962 , Rosalind Franklin had already died from cancer in 1958 . 0 +He was musically trained at the academy of art in Zurich , where he and others also learned how to use the computer for composing music . He was musically trained at the Academy of Art in Zurich , where he and others also learned to use the computer for composing music . 1 +Later he joined Calcutta Football League and played in the Kolkata outfit United SC . Later he joined the Calcutta Football League and played in Kolkata - Klub United SC . 1 +Cornish is drained by the Saco River and the Ossipee River . Cornish is drained by the Ossipee River and Saco River . 1 +The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but the consolidated squadron has since been no longer active . The 913th troop carrier squadron was consolidated in September 1985 with the 13th air refuelling squadron , but the active squadron has not been consolidated since then . 0 +She talks to Jen 's parents and speculates that Jess has come back to take the earrings . She talks to Jess 'apos ; parents and speculates that Jen may have come back to take the earrings . 0 +Container glass has lower magnesium oxide and sodium oxide content than flat glass and a higher content of silica , calcium oxide and aluminium oxide . Container glass has a higher content of magnesium oxide and sodium oxide as flat glass and a lower content of silica , calcium oxide and aluminum oxide . 0 +Today , High Point City Lake is situated where the original family farmhouse and land was located . Today , High Point City Lake is situated where the original farmhouse and country was located . 1 +He has two sons : younger Maharana Mahendra Singh and elder Arvind Singh . He has two sons : older Maharana Mahendra Singh and younger Arvind Singh . 0 +For large data small factors can not be ignored , but for inefficient data an asymptotically linear or quadratic algorithm may be more efficient . For large data , small factors can not be ignored , but an asymptotically linear or square algorithm can be more efficient for inefficient data . 1 +However , it was purchased by McVities and then acquired by Murdoch Allan and Sons . However , it was purchased by McVities and then bought by Murdoch Allan and Sons . 1 +European route E75 runs through the city and connects Chania with the three other major cities of Heraklion : Agios Nikolaos , Crete , and Rethymno . The European route E75 runs through the city and connects Chania with the three other major cities of Heraklion : Agios Nikolaos , Crete and Rethymno . 1 +New York may refer to the following places in the U.S. state of Albion . Albion may refer to the following places in the US state of New York : 0 +The Bristly Peaks include the Messent Peak and the Brodie Peak . Bristly Peaks include the Brodie Peak and the Messent Peak . 1 +The game created a 32 digit unique password after a successful completion of a level , which was alphanumeric also to the player name , to allow later resumption . The game created a 32 - digit unique password after successful completion of a level that was also alphanumeric to the player name to allow for a later continuation . 1 +Many religious groups have different programs for different age groups within Scouting , and some offer different programs or emblems for boys and girls . Many religious groups offer different programmes for different age groups within Scouting , and some have separate programs or emblems for boys and girls . 0 +Harmsworth married Annie Louisa , daughter of Thomas Scott , in 1892 . In 1892 , Harmsworth married Thomas Scott , the daughter of Annie Louisa , 1892 . 0 +In 2002 , Lynne Pillay was elected as Alliance leader Laila Harré . In 2002 Lynne Pillay was elected over Alliance leader Laila Harré . 1 +Each process that wants to initiate a snapshot records its output status and sends a marker on each of its local channels . Each process that wants to initiate a snapshot records its outgoing state and sends a marker on each of its local channels . 1 +It is a pathway from Hub Industrial Area to Orangi Town and followed by Nazimabad and North Karachi . It is followed by a route from Hub Industrial Area to Orangi Town and from Nazimabad and North Karachi . 1 +Thimilarmadam is a small town in Northern Province , within Sri Lanka . Thimilarmadam is a small town in Sri Lanka , within the northern province . 1 +Later that night , Teddy Phil , Doug , Alan and Stu meet hesitantly for a beer . Later that night , Teddy hesitantly joins Phil , Doug , Alan and Stu for a beer . 0 +"In 1951 , Avon Publications published a comic adaptation in "" Rocket to the Moon "" , by Joe Orlando ( script ) and Walter Gibson ( art ) ." In 1951 , Avon Publications in Rocket to the Moon released a comic adaptation of Walter Gibson ( script ) and Joe Orlando ( art ) . 0 +Old Polish is the time in the history of the Polish language between the 16th and 9th centuries , followed by the middle Polish language . Old Polish language is the period in the history of the Polish language between the 16th and the 9th centuries , followed by the Middle Polish language . 1 +Cold Mountain is approximately southeast of Waynesville and south of Asheville . Cold Mountain is located about southeast of Asheville and south of Waynesville . 0 +The roots of the Fireweed gives off a bitter taste but the petals have a spicy sweet taste . The roots of the fireweed exude a bitter taste , but the petals have a spicy sweet taste . 1 +The Păstrăvul or Pârâul cu Păstrăvi river is a tributary of the Ozunca River in Romania . The Păstrăvul River or Pârâul cu Păstrăvi is a tributary of the Ozunca River in Romania . 1 +The father of Latifun Nisan , Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah was the son of Husain Mohammad of Tijara . Husain Mohammad , the father of Latifun Nisan , was the son of Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah from Tijara . 0 +In 1878 , Elizabeth Clay Beebe married William Beebe , daughter of Ananda Coomaraswamy from Kent , who had a son , Coomaraswamy , the respected art critic . Elizabeth Clay Beebe married William Beebe , daughter of Ananda Coomaraswamy from Kent , in 1878 . They had a son , Coomaraswamy , the eminent art critic . 1 +Between 1865 and 1876 , Jones spent a large part of his time in New York while retaining Baltimore as his residency . Between 1865 and 1876 , Jones spent a large part of his time in Baltimore , while retaining New York as his residence . 0 +"EA has developed a new "" Syndicate "" game for Starbreeze Studios , which was released on February 21 , 2012 ." "Starbreeze Studios developed a new "" Syndicate "" game for EA which was released on 21 February 2012 ." 0 +Paul Cirja # 7 obtained 2 TD Scramble and also passed 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . Paul Cirja # 7 scored 2 TD scramble and also passed 2 TD one to Florin Oltean # 85 and one to Dan Crasnic # 93 . 1 +It was spectroscopically confirmed as a T9 dwarf using the Gemini North telescope , also at Mauna Kea , and was imaged using IRAC on the Spitzer Space Telescope . It was confirmed spectroscopically as T9 - Dwarf using the Gemini - North telescope , also with Mauna Kea , and was pictured using IRAC on the Spitzer - Space telescope . 1 +This riding was created in 1987 by Okanagan -- simile cameos , and in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan , eliminated . This riding was created in 1987 from Okanagan -- Similkameen , and eliminated in 1996 when it was divided between Okanagan -- Coquihalla and West Kootenay , Okanagan . 1 +Tommy then tells him who Tyrone is . Tommy tells him who is Tyrone . 1 +The building was expanded in 1967 and a second major enlargement was completed in 1999 . The building was completed in 1967 , and a second major expansion was expanded in 1999 . 0 +Rickey was contracted by Kissell in 1940 as an infielder and spent 69 years with the Cardinals organization . Branch Rickey was signed as an infielder in 1940 by Kissell , and spent 69 years with the Cardinals organization . 1 +The current State Senator representing the 22nd district is Stuart Adams . The current senator , representing the 22nd district , is Stuart Adams . 1 +He was born in Titograd ( today Podgorica ) in a family of musicians and grew up there . He was born and grew up in Titograd ( now Podgorica ) in a family of musicians . 1 +He claimed that four Ukrainian soldiers were wounded , while two of his men were killed during the fighting . He claimed that four Ukrainian soldiers were killed , while two of his men were injured during the fighting . 0 +The main campus of the university is located in the area of Antakya , north of Serinyol . The main campus of the university is located in the area of Serinyol , north of Antakya . 0 +Ruby lasers produce pulses of deep red light at a wavelength of 694.3 nm , which is a coherent visible color . Ruby - Lasers produce deep red light pulses at a wavelength of 694.3 nm , a coherent visible color . 1 +Another special feature of traditional houses is their unique design for cooling the interior during the summer and for heating in winter . Another special feature of traditional houses is their unique design for cooling the interior in summer and heating the interior in winter . 1 +Italy qualified for the 2009 European Baseball Championship from the 2007 competition . The other qualifiers were Netherlands , Sweden , Spain , Germany , France and Great Britain . Italy qualified for the Baseball - European Championship 2009 from the 2007 competition . The other qualifiers were Netherlands , Sweden , Spain , Germany , France and the UK . 1 +The following pass of Sam Sam Bradford was tipped by Florida DB Joe Haden and intercepted by Florida Safety Major Wright . Sam Bradford 's following pass was tipped by Florida DB Major Wright and intercepted by Florida safety Joe Haden . 0 +Inorganic liquids include water , magma , many solvents and inorganic non-watery acids . Inorganic liquids include water , magma , many solvents and inorganic nonaqueous acids . 1 +Carlos Salamanca won the title , defeating Rubén Ramírez Hidalgo 5 -- 7 , 6 -- 2 , 6 -- 1 in the final . Rubén Ramírez Hidalgo won the title and defeated Carlos Salamanca 5 -- 7 , 6 - 2 , 6 -- 1 in the final . 0 +The Gradis family was Jewish and was probably moved from Bordeaux to Portugal around 1495 . The Gradis family was Jewish , and had probably moved to Bordeaux from Portugal around 1495 . 0 +The two main water systems are the Guayas in the North and the Esmeraldas River in the South . The two main water systems are the Esmeraldas River in the north and the Guayas to the south . 0 +Later he took local councils there and became most of the rulers of the north . He later took local councils and became the most rulers of the north . 1 +The 1962 Cleveland Browns season was the 13th team season with the National Football League . The 1962 Cleveland Browns season was the team 's 13th season with the National Football League . 1 +"Around Christmas 1985 , Massot produced Slim Gaillard 's Latin album "" Siboney "" , recorded at Gateway Studios in Battersea , London ." "Around Christmas 1985 , Massot Slim Gaillard 's Latin produced album "" Siboney "" , recorded at the gateway studios in Battersea , London ." 0 +The ACS ( Ambient Control Space ) is the internal environment of an ambient network . The ACS ( Ambient Control Space ) is the atmosphere of an internal network . 0 +The wettest calendar year since 1948 has been with and the driest of 1956 since 1965 . The driest calendar year since 1948 has been in 1965 and the wettest in 1956 . 0 +Salopek Luke is a village in Croatia , under the Slunj township , in Karlovac County . Luke Salopek is a village in Karlovac County , under the municipality Slunj , in Croatia . 1 +"By "" his example and his actions , he had contributed significantly to the expulsion of the Paraguayan invaders from Brazilian soil ." "By "" his example and his actions he had contributed decisively to the expulsion of the Paraguayan invaders from Brazilian soil . """ 1 +Nate decides to struggle for Ricky and confirms his love for her . Ricky decides to fight for Nate and confirms his love for her . 0 +Elena Dementieva won 6 -- 3 , 6 -- 2 against Alisa Kleybanova in the finals . Alisa Kleybanova won 6 -- 3 , 6 -- 2 against Elena Dementieva in the finals . 0 +In a concelebrated Mass , this prayer and the following are said by individual concelebrants . This prayer and the following are concelebrated in a said fair by individual concelebrants . 0 +Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts from 1957 to 1974 . Bassett was the owner of the Toronto Argonauts from 1957 to 1974 , a team in the Canadian football league . 0 +John Franklin Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , son of William Armstrong and Mary W. I. Monroe . William William Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , the son of John Franklin Armstrong and Mary W. I. Monroe . 0 +If the outer compositions are first performed ( operations are read from right to left ) . If the right compositions are performed first ( operations are read from outer to left ) . 0 +The music was written by A. T. Ummer and the text was composed by Koorkkancheri Sugathan and Poovachal Khader . The music was composed by A. T. Ummer and lyrics were written by Koorkkancheri Sugathan and Poovachal Khader . 0 +Two experimental treatments for retinal problems include fetal retinal replacement and transplantation of cybernetic cells . Two experimental treatments for retinal problems include a cybernetic replacement and transplant of fetal retinal cells . 0 +It seems to be most active in the early morning and late afternoon . It seems to be the most active in the early morning and late afternoon . 1 +Gastón Gaudio defeated Fernando González 6 - 3 , 6 -- 4 Fernando González defeated Gaudio Gastón 6-3 , 6-4 0 +In 2000 , the RadioShack Corporation became officially the Tandy Corporation . In 2000 , the Tandy Corporation became the RadioShack Corporation officially . 0 +"The singers of Sonic Syndicate , Richard Sjunnesson and Peter Wichers , also sang for a compilation album , called "" with Soilwork guitarist Roland Johansson ." "The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , also sang for a compilation - album called "" Soilwork - guitarist Peter Wichers "" ." 0 +Layla was born in London , the daughter of a Brazilian mother and an English father of Irish and Scottish ancentry . Layla was born in London as a daughter of a Brazilian mother and an English father of the Irish and Scottish ancestors . 1 +"Mount Sis also has a plateau called in Turkey "" Sis Dağı Yaylası "" ." "Mount Sis has also a plateau which is called "" Sis Dağı Yaylası "" in Turkey ." 1 +The New York and Erie Railroad completed its line between Piermont and Dunkirk , New York via Hornell and Salamanca in 1851 . In 1851 , New York and Erie Railroad completed its line between Hornell and Dunkirk , New York via Piermont and Salamanca . 0 +Daniel escapes with the help of Jack Shaftoe 's brother Bob , whose infantry unit is stationed there . With the help of Daniel 's brother Jack Shaftoe , whose infantry unit stationed there , Bob flees . 0 +He attended preparatory school at the , and studied primary and secondary architecture at the ( IAVA ) . He attended primary and secondary school at the university , and studied preparation architecture at the ( IAVA ) . 0 +They could perhaps have been relatives , instead members of a family bonded by blood to serve Dracula . They could have been relatives instead , perhaps members of a family connected by blood to serve Dracula . 0 +This layer deals only with electrical connectors and sockets and with the physical specification of signals . This layer deals with the physical plugs and sockets and electrical specification of signals only . 0 +The returning Carrawell , who last played with Sta.Lucia three years ago , replaces Isaac Fontaine . The returning Isaac Fontaine , who last played Sta.Lucia three years ago , replaces Carrawell . 0 +Tatem McLellan was born in Marietta , Georgia , as daughter of Leander and Alice Josephine McLellan . Alice Josephine McLellan was born in Marietta , Georgia , as the daughter of Leander and Harriet Tatem McLellan . 0 +"Koca ( a Turkish word for "" large "" or "" great "" ) may refer to :" "Koca ( a Turkish word meaning "" great "" or "" large "" ) may refer to :" 1 +On 24 May 2017 , Lajunen signed a 1-year contract with HC Spartak Moscow from KHL . On 24 May 2017 , Lajunen signed a 1-year contract with KHL from HC Spartak Moscow . 0 +Vaughn had a son by a previous relationship , Barbara ( 1934-2002 ) , whom C. L. adopted shortly after the marriage . Barbara Vaughn had adopted by a previous relationship a son , Barbara ( 1934-2002 ) , whom C. L. adopted shortly after marriage . 1 +The Arens - Mackey - Topology and the weak Banach - Space topology are relatively rarely used . The Banach - Mackey - topology and the weak Arens - space topology are used relatively rarely . 0 +The Family was a 1974 BBC television series made by producer Paul Watson , and directed by Franc Roddam . The family was a BBC television series from 1974 made by producer Franc Roddam and addressed by Paul Watson . 0 +The Monroe Free Press is a weekly newspaper serving Monroe , Arkansas , El Dorado , Louisiana area . The Monroe Free Press is a weekly newspaper serving the Monroe , Louisiana , El Dorado , Arkansas area . 1 +These gates are of enormous size , ranging from thick , depending on position , and are high . These doors are of enormous size , ranging from thick , depending on the position , and are high . 1 +Suo Chao is killed in a fight against General Fang La of Shi Bao . Suo Chao is killed in a fight against General Shi Bao of Fang La . 0 +The Republicans lost two seats , one to the Progressive Party and one to Prohibition . The Republicans lost two seats , one to the Prohibition Party and one to the Progressive Party . 1 +After writing for Ace Publications , Rudy Ner Siongco moved to Pablos Gold Star Publications , where in 1962 he also wrote several comic stories and serialized novels . After writing for Ace Publications , Rudy Ner Siongco moved to Pablo 's Gold Star Publications , where he also wrote several comik stories and serialized novels in 1962 . 1 +Damage was particularly heavy in La Paz , Triunfor , San Antonio , San Bartolo , Cabo San Lucas , San José del Cabo , and Miraflores . The damage was particularly serious in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo and Cabo San Lucas . 1 +According to Iranian state news agency PressTV , a poll conducted by The Doha Debates showed that 55 % of Syrian respondents did not want Assad to resign . According to the Iranian state news agency PressTV , a survey by The Doha Debates showed that 55 % of Syrian respondents did not want Assad to resign . 1 +Nadhin Ratheesh Vega lives in Thrissur with his wife Dr. Anu Ratheesh Vega and son Ratheesh . With his wife Dr. Anu Ratheesh Vega and his son Nadhin Ratheesh Vega he lives in Thrissur . 0 +Seon is a municipality in the Lenzburg district in the canton of Aargau , Switzerland . Seon is a municipality in the district of Lenzburg in the canton of Aargau in Switzerland . 1 +The valley itself is made rocky by the river , while the surroundings is lush and green desert . The valley itself is made lush and green by the river , while the surrounding area is rocky desert . 0 +Due to the quantum nature of quantum mechanics , the training process of the non-commutative Boltzmann machine can become nontrivial . Due to the quantum nature of quantum mechanics , the training process of the non-commutative Boltzmann machine can become non-trivial . 1 +"But despite the complex gameplay "" Absolute Obedience "" offers a variety of very simple character designs for the main characters as well as their "" targets "" ." "But despite the complex gameplay , "" Absolute Obedience offers a multitude of very simple character designs for the main characters as well as their "" destinations "" ." 1 +Irregular menstruation is a menstrual disorder whose manifestations include irregular cycle lengths as well as metrorrhagia ( vaginal bleeding between expected periods ) . Irregular menstruation is a vaginal disorder whose manifestations contain menstrual cycle lengths as well as metrorragia ( irregular bleeding between expected periods ) . 0 +""" Almost a Memory Now "" is a song written by Van Stephenson , Dave Robbins , and Dale Oliver , recorded by American country music band Blackhawk ." """ Almost a Memory Now "" is a song by Van Stephenson , Dave Robbins and Dale Oliver , recorded by American country music - band Blackhawk ." 1 +He died in 1916 and was retired on September 30 , 1918 . He retired in 1916 and died on 30 September 1918 . 0 +One of the largest landowners in Saint Mary at the turn of the twentieth century was Blanche Blackwell , mother of Chris Blackwell . One of the largest landowners in Saint Mary at the turn of the 20th Century was Chris Blackwell , mother of Blanche Blackwell . 0 +A documentary film is being made about Lee and his wife Opal , directed by Jeff SIlva and Vic Rawlings . A documentary about Lee and his wife Opal , directed by Jeff Silva and Vic Rawlings , is being filmed . 1 +The main campus of the university is located in the area of Serinyol , north of Antakya . The main campus of the university is located in Antakya area , north of Serinyol . 0 +They had two daughters , Agnes and Isabel ( or Elizabeth ) , and one son and heir , William . They had two daughters , Agnes and Elizabeth ( or Isabel ) , and a son and heir to William . 1 +In 2002 the name of Mersin was finally replaced by that of İçel . In 2002 , the name of İçel was finally replaced by that of Mersin . 0 +The city of Pandharpur is located 55 km southeast of the district headquarters in Mangalwedha and 25 km west of Solapur city . The city of Pandharpur is situated 55 km southeast of the district headquarters at Mangalwedha and 25 km west of Solapur city . 1 +""" The Missionary Position "" is the 20th episode of the ninth season of the American police procedural drama "" NCIS "" , and the 206th episode overall ." """ The missionary position "" is the 206th episode of the ninth season of the American police - procedural drama "" NCIS "" , and the 20th episode as a whole ." 0 +In 1981 , Frank Malina died in Boulogne Billancourt , near Paris . Frank Malina died in 1981 in Boulogne Billancourt , near Paris , France . 1 +Kenya 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Norway in September 2015 . In September 2015 , Kenyan Trade Minister Monica Mæland led a delegation of 54 companies to Norway . 1 +Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) were among the musicians of the recording session on 7 March . The musicians on the 7 March recording session included Hal Blaine , drums ; Al Casey , guitar ; Larry Knechtel , bass ; and Don Randi , piano . 1 +Jackson was unanimously approved by the Senate Banking Committee for the seat , and thereafter unanimously confirmed by the United States Senate on December 21 , 2017 . Jackson was unanimously approved by the Senate Banking Committee for the seat and then unanimously approved by the United States Senate on 21 December 2017 . 1 +Baby Boom is a romantic comedy by Charles Shyer in 1987 , written by Nancy Meyers and Shyer and produced by Meyers and Bruce A . Baby Boom is a 1987 romantic comedy film directed by Charles Shyer , written by Nancy Meyers and Shyer , and produced by Meyers and Bruce A . 1 +Before Zhang Fei arrived , Pang Tong , who knew that Zhang Fei loved wine , ordered that all wine must be diluted with water . Before Zhang Fei arrived , Pang Tong , who knew that Zhang Fei loved wine , ordered that every wine should be diluted with water . 1 +Proteins that form stable complexes with binde molecules are often referred to as receptors , while their other partners are called ligands . Proteins that form stable complexes with binding molecules are often referred to as receptors while their other partners are called ligands . 1 +The first edition of the tournament won Ricardo Mello against Eduardo Schwank with 6 -- 4 , 6 -- 2 in the finals . Eduardo Schwank won the first edition of the tournament against Ricardo Mello 6 -- 4 , 6 -- 2 in the final . 0 +The lyrics were written by the Lebanese singer Majida El Roumi and music was rearranged by Kadim Al Sahir . The lyrics were written by the Lebanese singer Majida El Roumi and the music was rearranged by Kadim Al Sahir . 1 +Tame Parata ( 1837 - March 6 , 1917 ) , also known as Thomas Pratt , was a Māori and a liberal party member of New Zealand . Tame Parata ( 1837 -- 6 March 1917 ) , also known as Thomas Pratt , was a Māori and a Liberal Party Member of Parliament in New Zealand . 1 +Akwa Ibom State or Eket Airfield is an airport serving Eket , a city in the Eket Airstrip of Nigeria . Eket Airstrip or Eket Airfield is an airport that serves Eket , a city in the state of Akwa Ibom of Nigeria . 0 +It was written by Tom Spezialy and Marc Cherry and was directed by Jeff Melman . It was written by Jeff Melman and was run by Tom Spezialy and Marc Cherry . 0 +Entries marked with an asterisk are set in the fictional community of King 's Ridge in Nodd . Entries marked with an asterisk are set in Nodd 's fictional community of King 's Ridge . 1 +It is south of the Evansville Regional Airport and east of the Sunset Memorial Gardens cemetery . It is located south of the Sunset Memorial Gardens and east of the Evansville Regional Airport cemetery . 0 +He attended Meiji University and graduated from Kawawa High School . He attended Kawawa High School and graduated from the Meiji University . 0 +However , before he could leave for Texas and his new headquarters , he died in an epidemic of yellow fever that swept through southeast Louisiana . However , before he could go to Louisiana and his new headquarters , he died in an epidemic of yellow fever that swept through southeast Texas . 0 +Negative growth is often accompanied by a negative output gap in an economy ( where potential output exceeds actual demand ) . Often , negative growth is also accompanied by a negative output gap in an economy ( where actual production exceeds potential demand ) . 0 +Chimpanzees often eat the marrow of long bones of colobus monkeys with the help of small sticks , after opening the ends of the bones with their teeth . Chimpanzees often eat the mark of small bones of colobus monkeys with the help of long sticks after having opened the ends of the bones with their teeth . 0 +"The concept of a redistribution system is at least as old as the concept of the Pharaoh , which means "" royal house "" and describes the great palace ." "The concept of a redistribution system is at least as old as the concept of Pharaoh , which means "" royal house "" and describes the great palace ." 1 +It passes through Gudivada ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Narsapur to Pamarru on NH 65 . It comes through Narsapur ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Gudivada to Pamarru on the NH 65 . 0 +Pennsauken Township is located on the 6th Congressional District and is part of the 1st State Legislative District in New Jersey . Pennsauken Township is located on the 1st Congressional District and is part of the 6th State Legislative District in New Jersey . 0 +Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a missionary Capuchin and a Spanish bishop . Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a missionary Capuchin and Spanish bishop . 1 +In 1643 English Parliamentarian Alexander Rigby bought the large existing Plough of Lygonia patent which included the entire area including Cape Elizabeth . In 1643 , the English parliamentarian Alexander Rigby bought the entire existing Plough of Lygonia - patent that included the large area including Cape Elizabeth . 0 +The band did not perform any official final shows . The band did not perform official final shows . 1 +A native of what would be the province of Manitoba , May moved to Ontario soon after completing the education in his hometown . A native of what would become the province of Manitoba , May moved to Ontario soon after completing education in his hometown . 1 +Stefano told Shawn that his mother was not dead and his father was still married and on the day of Colleen and Santo 's wedding , Shawn told Colleen . Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo the day of Colleen ’ s wedding . 0 +The festival debuted in 2007 and was created in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . The festival debuted in 2007 and originated in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . 1 +Rituparna Sengupta and Indrani Halder won the National Film Award for Best Actress in 1998 , for the film . Ghosh shared National Film Award for Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as Best Actress , Ghosh shared the National Film Award as Best Screenplay . 1 +Maximilian II ( May 22 , 1792 - April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Bernhard Franz von Hess von Bayern . Maximilian II ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian Lieutenant General and War Minister under Bernhard Franz von Hess of Bavaria . 1 +It was upgraded with new buses in 2010 and reopened in early 2011 . It was reopened in 2010 with new buses and upgraded in early 2011 . 0 +With Dutt injured , America 's Most Wanted hit Sabin with the Death Sentence to retain the titles . Injured with Sabin , America 's Most Wanted Dutt hit the death sentence to keep the titles . 0 +Scopula undulataria is a moth of the Geometridae family that is found in India ( Darjeeling ) . Scopula undulataria is a moth of the family Geometridae and is found in Darjeeling ( India ) . 1 +Alander Mountain and the southern escarpment of the western Taconic Mountains lie along the western border of Columbia County , New York at the Mount Washington line . Alander Mountain and the southern embankment of the western Taconic Mountains lie along the western border of Columbia County , New York , on the Mount Washington line . 1 +USAFE also announced in 1957 that the new FBW would be receiving the 50th F-100D Super Sabre . In 1957 USAFE also announced that the 50th FBW would receive the new F-100D Super Sabre . 0 +Muczne was in Poland in the former administrative division of the Krosno Voivodeship ( 1975-1998 ) . In the former administrative division of Krosno Voivodeship ( 1975-1998 ) , Muczne was situated in Poland . 1 +Elliott Gould was not exactly my idea from Philip Marlowe , but we were there anyway . Philip Marlowe was not exactly my idea for Elliott Gould , but we were there anyway . 0 +The Ludlow group - formations of Ireland include the Salrock - beds of the county of Galway and the Croagmarhin - beds of the Dingle - peninsula of the county of Kerry . The Ludlow Group formations of County Galway include the Salrock beds of Ireland , and the Croagmarhin beds of Dingle Peninsula of County Kerry . 0 +"In addition , the song "" Calling All Angels "" is included in the film by Jane Siberry and is played on the audio track ." "In addition , the song "" Calling All Angels "" by Jane Siberry is included in the film and is played on the soundtrack ." 1 +Jackson Township is located in the 4th Congressional District and is part of the 12th State Legislative District of New Jersey . Jackson Township is located in the 12th Congressional District and is part of the 4th State Legislative District in New Jersey . 0 +Different reactions take place on the surface of a catalyst of a heterogeneous phase . Reactions that take place on the surface of a catalyst of a different phase are also heterogeneous . 0 +The area is famous as the site of the Battle of Chausa , in which the forces of Humayun defeated Mughal emperor Sher Shah Suri 's army in 1539 . The area is famous as the site of the Battle of Chausa , where the Humayun forces defeated the army of Mughal - Emperor Sher Shah Suri in 1539 . 1 +In 1975 he was appointed the first General Consul Papua - New Guinea in Australia . In 1975 , he was appointed Papua New Guinea 's first Consul General in Australia . 1 +Dunkerton moved to London from Herefordshire at the age of 14 . Dunkerton moved from London to Herefordshire at the age of fourteen . 0 +Major greyhound racing venues include Wentworth Park in Sydney , Cannington Raceway in Perth , Greyhound Park in Adelaide , Albion Park in Brisbane and Sandown Greyhounds in Melbourne . Greyhound Venues - Races include Wentworth Park in Sydney , Cannington Raceway in Perth , Greyhound Park in Adelaide , Albion Park in Brisbane , and Sandown Greyhounds in Melbourne . 1 +The membership figures for TSFL are available , but the following figures are fragmentary . Membership figures for the TSFL are fragmentary , but the following numbers are available . 0 +Karen and Kristoffer together have eight children . Kristoffer together with Karen had eight children . 1 +Then Maison Jansen Kennedy asked whether they would restore the table . Maison Jansen then asked Kennedy if they would restore the table . 0 +"Quetzalcoatl 's father Zolton was murdered ; Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Mixcoatl , and Cuilton "" ." "Quetzalcoatl 's father Mixcoatl was murdered , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father , Apanecatl , Zolton , and Cuilton were "" ." 0 +He made numerous expeditions to tropical Equatorial Guinea , with an emphasis on Africa . He made numerous expeditions to tropical Africa , with emphasis on Equatorial Guinea . 0 +B is the middle term between the two premises ( the common term ) but is never distributed , so this syllogism is invalid . B is the usual term between the two premises ( the center term ) , but is never distributed , so this syllogism is invalid . 0 +"In a 2014 interview with "" Sunrise Daily "" Jesse Jagz said that M.I delayed the departure of Chocolate City also the album ." "In a 2014 interview with "" Sunrise Daily "" , Jesse Jagz said that M.I 's departure from Chocolate City also delayed the album ." 1 +Lottia emydia is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . Lottia emydia is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . 1 +There are 38 private and 66 public primary schools with a total of 103,602 pupils as well as 29 secondary schools with 30,795 students in Lilongwe . In Lilongwe there are 38 public primary schools and 66 secondary schools with a total of 103,602 students , as well as 29 private schools with 30,795 students . 0 +"Narrated Anas bin Malik : Abu Jahl said , "" O Allah !" "Anas bin Malik : Abu Jahl said : "" O Allah !" 1 +Author and researcher Nahid Afrose Kabir studied violent events on similar reporting . Author and researcher Nahid Afrose Kabir examined violent events on similar reporting . 1 +Riverton was a parliamentary electorate in the New Zealand region of Southland . Riverton was a parliamentary election in the Southland of New Zealand region . 0 +It will shorten the distance from Hong Kong to Macao and Zhuhai and reduce the journey time to half an hour . It will reduce the distance from Hong Kong to Macau and Zhuhai from , and shorten the journey time to within half an hour . 1 +The SAS ( Surprise aggregate supply ) curve is in the long run a vertical line called the EAS ( Equilibrium aggregate Supply ) curve . The SAS curve ( Surprise Aggregate Supply ) is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . 0 +In December 1992 the department formed the technical rescue team to dive to respond to rescue and emergencies throughout the city . In December 1992 , the department formed the Technical Rescue Team to respond to dive rescue , and high-angle emergencies throughout the city . 0 +It is the result of an earlier gap created between Classical Latin and its evolved forms , which slowly reduced and eventually severed the intercomprehensibility between the two . It is the result of an earlier gap between classical Latin and its developed forms , which slowly separated and eventually reduced the intercomprehensibility between the two . 0 +Earlier in 209 , Liu Bei married Sun Quan 's younger sister Lady Sun to strengthen the alliance between him and Sun Quan . In early 209 , Liu married Bei Sun Quan 's younger sister , Lady Sun , to strengthen the alliance between him and Sun Quan . 0 +These ancient rites are rarely performed in contemporary Sri Lanka , but the conserved songs are still performed by folk musicians . These old rites are still performed in contemporary Sri Lanka , but the preserved songs are rarely performed by folk musicians . 0 +It is then sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . It has been effectively drunk in the brewer 's house , which then becomes a pub until all the beer is sold . 0 +Hidalgo was born in Seville , who played for Badajoz and Celta de Vigo . Hidalgo , born in Badajoz , performed for Seville and Celta de Vigo . 0 +The single was released digitally and distributed by Fiera Music / Sony Music Entertainment Korea worldwide . The music video was certified by VEVO . The single was released digitally and distributed worldwide by Fiera Music/Sony Music Entertainment Korea and the music video was certified by VEVO . 1 +In the 2016 presidential election , the Party did not nominate a candidate for general , but won three seats in the National Assembly . The party did not nominate a presidential candidate in the 2016 general elections , but won three seats in the National Assembly . 0 +The public programme of the EFA consists of political , social , environmental and economic parts . The political , social , environmental and economic programme of the EFA consists of public parts . 0 +Daniel Rinner ( born 11 November 1990 in Vaduz ) is a Liechtenstein cyclist . Daniel Rinner ( born November 11 , 1990 in Liechtenstein , Germany ) is a cyclist from Vaduz . 0 +The local is also defined for a different degree of finite field extension . The local is also defined for a different degree extension of finite fields . 1 +The Coruia River is a tributary of the Lăpuş River in Romania . The river LÄ puá is a tributary of the Coruia River in Romania . 0 +By unanimous decision , Saunders defeated Dan Barrera . Saunders defeated Dan Barrera at by unanimous decision . 1 +However , Szabo 's method of Sybil-spending protection was vulnerable to double attacks . Szabo 's method of sybilizing protection was , however , vulnerable to double attacks . 1 +"Hodge ( fl . c.1769 ) was one of Samuel Johnson 's cats , immortalised in a characteristically whimsical passage in James Boswell 's "" Life of Johnson "" ." "Hodge ( fl . c.1769 ) was one of James Boswell 's cats immortalized in Samuel Johnson 's Life of Johnson "" in a characteristically bizarre passage ." 0 +The Lewis 's Clark Council was formed in 2009 from the merger of Okaw Valley Council ( OVC ) and Trails West Council ( TWC ) . The Lewis & Clark Council was formed from the 2009 merger of Okaw Valley Council ( OVC ) and Trails West Council ( TWC ) . 1 +Recent systems have often worked on a parallel approach based on probabilistic corpora . More recent systems have often worked on a probabilistic approach , based on parallel corpora . 0 +On May 17 , 2016 , Sassuolo DS Luca Mazzitelli confirmed that Giovanni Carnevali will be in the first team of Sassuolo for the 2016-17 season . On 17 May 2016 , Sassuolo DS Luca Mazzitelli confirmed that Giovanni Carnevali will be part of Sassuolo first team squad for the 2016-17 season . 1 +Didkovsky has composed for or performed on a number of CDs including : Didkovsky has composed or performed for a number of CDs , including : 1 +This name refers to either the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . This name refers to either the Gawler River ( which starts at the confluence of the South Para River and North Para River ) or the Little Para River . 1 +The other entrances on the west side have new iron lamp standards and old lamps , and one has an iron balustrade . The other entrances on the west side have old iron lamp standards and new lanterns , and one has an iron balustrade . 0 +The SAS ( Surprise aggregate supply ) curve is in the aggregate run a vertical line called the EAS ( Equilibrium long Supply ) curve . The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . 1 +It is equivalent to the rank of a rear admiral in the Royal Navy and the rank of a rear admiral ( upper half ) at the United States Navy . It is equivalent to the rank of rear admiral in the Royal Navy and the rank of rear admiral ( upper half ) in the United States Navy . 1 +""" Come Over "" is the fifth British single and the second U.S. single from Estelle 's second studio album "" Shine "" ( 2008 ) ." """ Come Over "" is the fifth UK single and the second U.S. single from Estelle 's second studio album "" Shine "" ( 2008 ) ." 1 +St. James parish is a member of the Benefice of Culworth with Chipping Warden and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . Parish St. James is a member of the Benefice of Culworth with Chipping Warden and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . 1 +Lü Bu 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Cao Bao . Cao Bao 's second wife , called in the novel only by name , was a fictional daughter of Lü Bu . 0 +Elliott Gould was not exactly my idea of Philip Marlowe , but anyway there we were . Philip Marlowe was not exactly my idea of Elliott Gould , but we were there nonetheless . 0 +The eight effects are related to the three comparative static shiftshare effects from the traditional model . The eight effects are related to the three comparative static shift-share effects from the traditional model . 1 +The band then added bassist Duane Cowan , who moved from Japan to Los Angeles recently . The band then added bassist Duane Cowan , who moved from Los Angeles to Japan recently . 0 +The host lifts and breaks incense over the table , then wafts the bread . The host spills incense over the table , then lifts and breaks the bread . 0 +AMBIT is a symbolic programming language that was introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for historical calculations . AMBIT is a historical programming language that was introduced by Carlos Christensen of Massachusetts Computer Associates in 1964 for symbolic computation . 0 +In January 1938 , he became the head of the second department and chief of staff of the 64th Manghud Border Detachment . In January 1938 , he became head of the 2nd department and chief of staff of the 64th Manghud Border Detachment . 1 +Synaptic clustering refers to the addition of new spines in a dendritic area , where other spines have been added by previous learning . Synaptic clustering refers to the addition of new spines to a dendritic area where other spines have been added by previous learning . 1 +Archbishop Robert von Esztergom therefore set the kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some high dignitaries of the king . Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and used some of the king 's high dignitaries . 0 +Maggie finds out , however , that Maggie and Toadie were more than just friends , and Evan has to decide whether she is still fully committed to her husband . However , Evan finds out that Maggie and Toadie were more than friends and Maggie has to decide whether she is still fully committed to her husband . 0 +Pennsauken Township is located in the 6th Congressional District and is part of New Jersey 's 1st state legislative district . Pennsauken Township is located in the 1st Congressional District and is part of the sixth state of New Jersey 's Legislative District . 0 +The Permanent Representative of Philippines to Croatia is based in the Philippine embassy in Austria . The Permanent Representative of the Philippines near Croatia is based in the Philippine Embassy in Austria . 1 +They speak the Chuvash language and have some pre-Christian traditions , and many people use the Russian language in addition to the Chuvash . They speak the Chuvash language and have some pre-Christian traditions . In addition to Chuvash , many people also use the Russian language . 1 +When Vicky had the dream , she did her best to stop it from Barnabas , but to keep her pain , Barnabas made her tell him . When Vicky had the dream , she did her best to preserve him from Barnabas , but to stop her pain , Barnabas made her tell him . 0 +He was elected to a Distinguished Lecturer by the IEEE Signal Processing Society and the International Speech Communication Association . He was elected a Distinguished Lecturer by the IEEE Signal Processing Society and the International Speech Communication Association . 1 +His mother , born in Kingston , was the tenth child of parents who had migrated from Devonshire to Canada . His mother , born in Kingston , was the tenth child of parents who emigrated to Canada from Devonshire . 1 +Because of the high cost of Stromectol , the veterinary formula Ivomec can be used government programs are needed to help citizens to finance lifelong medication . Because of the high cost of Stromectol , the lifelong formula Ivomec can be used . Government programs are needed to help citizens finance veterinary medication . 0 +Mullen also served as Chairman of Saugus Democratic Committee and as a member of the Saugus Dock Commission . Mullen also served as the chairman of the Saugus Dock Commission and as a member of the Saugus Democratic Committee . 0 +It can manually or automatically sync the address book in the phone with the address book online in Backup Assistant ( wirelessly ) . It can synchronize address book manually or automatically in the phone with the address book online in the backup assistant ( wireless ) . 1 +The Council votes in one of three ways ; unanimity , simple majority , or qualified majority . The Council votes in three ways : unanimity , simple majority or qualified majority . 1 +On 14 May 1647 , he was confirmed as Archbishop of Messina and selected by Pope Innocent X on 16 September 1647 . On May 14 , 1647 , he was confirmed as Archbishop of Messina and elected on 16 September 1647 by Pope Innocence X . 1 +George Jones adopted Tina and her sisters shortly after the birth of their Daughter Georgette . Shortly after the birth of her daughter , Georgette , Tina and her sisters Tina George Jones adopted . 1 +The first DVD recording of the band , filmed in March 2010 at the Y Theatre in Leicester , was released in January 2011 . The band 's first DVD recording , released at the Y Theatre in Leicester in March 2010 , was filmed in January 2011 . 0 +Wing commander PS Nara was injured in misadventure , while wing commander SV Munje was killed . The wing commander PS Nara was killed in misfortune , while wing commander SV Munje was injured . 0 +Tuckerton is located in the 2nd Congressional District and is part of the ninth state 's legislative district of New Jersey . Tuckerton is located in the 2nd Congressional District and is part of New Jersey 's 9th state legislative district . 1 +In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Arlington , from Abilene to Texas . In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl within Texas , moved from Abilene to Arlington . 0 +The Slatina River is a tributary of the Cochirleanca River in Romania The River Slatina is a tributary of the River Cochirleanca in Romania 1 +""" Mission Santa Ynez "" , scrapped in 2010 , was the last survivor of the over 500 T2 tankers built during World War II ." """ Mission Santa Ynez "" , built in 2010 , was the last survivor of over 500 T2 tankers scrapped during the Second World War ." 0 +In 1997 , he founded Equicore Beteiligungs GmbH and co-founded Freiburger Vermögensmanagement GmbH in 1998 . In 1997 he founded Equicore Beteiligungs GmbH and in 1998 the Freiburger Vermögensmanagement GmbH . 1 +The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of Botswana It is close to the border to South Africa . Makopong is a village in Kgalagadi District of Botswana . It is located close to the border with South Africa . The population was 1,697 in the 2011 census . 1 +""" The Problem with Popplers "" is the fifteenth episode in the second production season of "" Futurama "" ." """ The problem with Popplers "" is the second episode in the fifteenth production time of "" Futurama "" ." 0 +The PAC lists on its website several officials who organize operational elements of the campaigns of the PAC and manage the organization 's day-to-day operations . The PAC lists operational officers on its website who organize several elements of the PAC 's campaigns and manage day-to-day operations of the organization . 0 +The Oltu region ( also claimed by Georgia in 1920 ) was briefly administered by Armenia . The Oltu region ( administered briefly by Georgia in 1920 ) was also claimed by Armenia . 0 +A railway station of the same name on the Golitsyno -- Minsk railway , is located in Moscow . In Golitsyno there is a railway station of the same name on the Moscow Railway Minsk . 0 +Pretty boys and girls will come to the New Land School of Arts , and already well-known people will have to deal with complicated and funny situations . New boys and girls will come to the Pretty Land School of Arts and already known people will have to face complicated and funny situations . 0 +Simon Skelton won in the final 9-4 , 9-5 against Darren Burnett . Simon Skelton won 9-4 , 9-5 against Darren Burnett in the finals . 1 +On 31 July 2015 , Moore was signed by the Chicago Bears , and on 5 September 2015 he was released by the Bears . On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on September 5 , 2015 . 0 +Dentsu , OLM , and TV Tokyo serve as producers , while OLM Digital provides the animation production . OLM , Dentsu and TV Tokyo serve as producers , while OLM Digital takes over the animation production . 1 +Today the only wild animals remaining as a tangible threat to lambs in the British Isles are the predatory fox , badger and red birds . Today , the only wild animals remaining as a tangible threat to lambs in the British Isles are the predatory fox , the badger and the red birds . 1 +Ranchi Road Railway Station is a small station in Ramgarh district , Jharkhand . Jharkhand Railway Station is a small station in Ramgarh district , Ranchi Road . 0 +Back in England , Watson beat Benny Sharkey before he suffered just the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . Benny Sharkey beat Sonny Lee in England before he suffered only the fifth defeat of his career when he was disqualified against Watson for a low blow . 0 +Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a Spanish Capuchin and a missionary bishop . Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a missionary Capuchin and a Spanish bishop . 0 +In 2009 , Wizard canceled the Texas event and postponed the Los Angeles convention . In 2009 , Wizard cancelled the Texas event and postponed the Los Angeles Convention . 1 +The expansion of the international presence of China Airlines has long been limited by Taiwan 's political status . The expansion of the political presence of China Airlines has long been limited by Taiwan ’ s international status . 0 +Dye rode in Hong Kong after eight years in Mauritius . Dye rode in Hong Kong in Mauritius after eight years . 0 +However , the new algorithm would divide the original interval into a larger and a smaller part interval in step 4 . However , the original algorithm would divide the new interval in step 4 into a smaller and a larger partial interval . 0 +""" Whatever Will Be "" ( 2005 ) is the first song by Tammin of her second album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the second song by Tammin of her first album "" Whatever Will Be "" ." 0 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors , together with Edward , are poisoned ." "In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." 1 +Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and of the Wisconsin State Senate . Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and of the Wisconsin State Senate . 0 +On July 7 , 2009 , General Major Francis Okello was replaced as Commander of AMISOM by the general major Nathan Mugisha . On 7 July 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . 0 +Born in Norway , Kwarasey represents Ghana at international level . Kwarasey , born in Ghana , represents Norway at an international level . 0 +The other entrances on the west side have new iron lamp standards and old lamps , and one has an iron balustrade . The other entrances on the west have old iron lamps standards and new lanterns , and one has an iron balustrade . 0 +On September 5 , Rey Bucanero , another CMLL - Wrestler , started a NJPW tour as a member of the Bullet Club . On September 5 , Rey Bucanero , another NJPW wrestler , started a CMLL tour working as a member of Bullet Club . 0 +The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . 1 +And procedural knowledge ( steps to make and which decision , when to do ) . And procedural knowledge ( steps to do and what decision to make when ) . 1 +A synthetic instrument is a kind of virtual instrument that is purely software defined . A synthetic instrument is a kind of virtual instrument that is purely defined by software . 1 +He died in his home in Bridgeton on July 23 , 1942 , and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . He died on July 23 , 1942 at his home in Bridgeton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Trenton . 1 +The river Pascu is a tributary of the Valea Voenilor river . The Pascu River is a tributary of the Valea Voenilor River . 1 +Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an Olympic competitor in the synchronized swimming and American masters . Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an American competitor in synchronized swimming and Olympic champion . 0 +""" Sound In The Signals "" congratulated the new style on the album , but criticized Dubuc 's vocal ability ." """ Sound In The Signals "" criticized the vocal style found on the album , but complimented Dubuc 's new ability ." 0 +""" Oliver Twist "" , published in 1838 , became one of Dickens ' better known stories and was the first Victorian novel with a child protagonist ." """ Oliver Twist , "" published in 1838 , became one of Dickens 's better known stories , and was the first Victorian novel with a child protagonist ." 1 +It was taken to Queensland , where today is widespread in Australia , the Northern Territory and New South Wales . It was transported to Australia , where today in Queensland , the Northern Territory and New South Wales is widespread . 0 +"There was later an Australian version of "" Press Your Luck "" hosted from 1987 to 1988 on Seven Network by Ian Turpie and also produced by Grundy ." "There was also an Australian version "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and later produced by Grundy ." 0 +The series was also produced with some success in Italy , where new stories were published even after the closing of the series in France . The series was also produced with some success in Italy , where new stories were also published in France after the end of the series . 1 +In 1993 it opened in its present site , which was the former site of the National Museum of Korea . In 1993 it opened in its former site , which was the current site of the National Museum of Korea . 0 +Zhao Yun 's forces thought that there was an ambush inside Cao Cao 's camp so they withdrew . Cao Cao 's forces thought there was an ambush in Zhao Yun 's camp , so they withdrew . 0 +"The decision to use clear contemporary clothing called Houseman "" an essential element in Orson ’ s conception of the play as a political melodrama with modern parallels "" ." "Houseman called the decision to use modern dress "" an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . """ 0 +Mushtaq was born in Baihar City of Balaghat District Madhya Pradesh . Mushtaq was born in Balaghat district Madhya Pradesh town of Baihar . 0 +Dissident or Protestant separatists were English Christians who separated from the English Church in the 16th , 17th and 18th centuries . English Dissenters or English Separatists were Protestant Christians who separated from the Church of England in the 16th , 17th and 18th centuries . 0 +Cumberland was shot in the side , head and legs himself , and Captain Lister was wounded into the shoulder . Cumberland was himself shot in the side , head , and legs , and Captain Lister was wounded in the shoulder . 1 +In geometry , the dull hexahexagonal tiling has a hyperbolic tiling of the single plane , it is Schläfli - symbol of sr ( 6,6 ) . In geometry , the snub hexahexagonal tiling has a hyperbolic tiling of the uniform plane . It is Schläfli symbol of sr ( 6,6 ) . 1 +Those who quote it thus often completely miss the third and fourth lines . Therefore , those who miss it often quote the third and fourth lines completely . 0 +The basic index letters for distinguishing the important types are as follows : The most important index letters for distinguishing basic types are as follows : 0 +"Pidoux appeared as cellist Pablo Larraín in "" Jackie "" by Pablo Casals ." "Pidoux appeared as cellist Pablo Casals in "" Jackie "" by Pablo Larraín ." 0 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who from 1918 to 1963 was the organist of the Blackpool Parish Church . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who from 1918 to 1963 was the organist of the Blackpool Parish Church . 0 +He later replanted the movement in London , and then in Brooklyn , New York , and Monticello , New York . Later , he replanted the London movement , and then in Brooklyn , New York , and Monticello , New York . 1 +""" Espoir "" lost her master wounded and killed six men , two of whom were seriously wounded ." """ Espoir "" lost her master killed and had six wounded , two of whom were seriously wounded ." 0 +was a son of Reverend Henry Addington , 2nd Viscount Sidmouth , the eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . Sidmouth was the son of Reverend Henry Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . 1 +In 1977 , US 1 was moved to Webster Avenue and the Alexander Hamilton Bridge , crossing the Harlem River using the Cross Bronx Expressway . In 1977 , the US 1 was transferred to Webster Avenue and Alexander Hamilton Bridge , crossing the Harlem River via the Cross Bronx Expressway . 1 +"On 17 July 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" "On July 17 , 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" 0 +Parsons , together with Marston T. Bogert , was closely involved in establishing a new structure for the ACS . Parsons was closely involved , along with Marston T. Bogert , in establishing a new structure for the ACS . 1 +In Lilongwe there are 38 private and 66 public primary schools with a total of 103,602 students , as well as 29 secondary schools with 30,795 students . There are 38 public primary schools and 66 secondary schools in Lilongwe with a total of 103,602 students , as well as 29 private schools with 30,795 students . 0 +Emperor Wu agreed and , in 276 , married Yang Zhi and created her empress . Emperor Wu agreed and married 276 Yang Zhi and created her Empress . 0 +Flower was captured in 1945 in Salzburg by the Americans and brought to the Landsberg prison . In 1945 , Blume was captured in Landsberg Prison by the Americans and brought to Salzburg . 0 +The navy is a modern force with foreign ships built . The navy is a modern force with foreign built ships . 1 +Surrounding suburbs are ( from north to south ) : Balgownie , Mount Pleasant ; Mount Ousley ; Keiraville ; West Wollongong ; Figtree and Mount Kembla . The surrounding suburbs ( from north to south ) are Balgownie , West Wollongong , Mount Ousley , Mount Pleasant , Keiraville , Figtree and Mount Kembla . 1 +Archbishop Robert von Esztergom therefore set the kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some high dignitaries of the king . Therefore , on 25 February 1232 , Archbishop Robert of Esztergom excommunicated the Kingdom of Hungary under an interdict and placed some high dignitaries of the king . 0 +Kevin White married Kathryn Galvin in 1956 , the daughter of William J. Galvin , who also served as a Boston City Council president . In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the Boston City Council . 1 +This is the complete list of places in Blaenau Gwent County Borough , South Wales . This is a list of places in the Blaenau Gwent county borough , South Wales . 1 +The season 2009 -- 10 Anaheim Ducks was the 17th season of the operation ( 16th season of the game ) for the National Hockey League Franchise . The 2009 -- 10 Anaheim Ducks season was the 17th season of operation ( 16th season of play ) for the National Hockey League franchise . 1 +Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the Greenville -- Spartanburg -- Anderson , SC combined statistical area . Spartanburg is included in the Greenville Metropolitan Statistical Area , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Area . 0 +Murfreesboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . Hickman County is part of the Nashville Metropolitan Statistical Area - Davidson - Murfreesboro - Franklin , TN . 0 +2. lights , camera ... cut ! -Horace wants to win a contest , so he counts on Big Bang and Kid to help him . 2 . Lights , Camera ... Cut ! -Kid wants to win a contest , so he counts on Big Bang and Horace to help him . 0 +Collins Avenue is home to many historic Art Deco hotels and several night clubs to the north . Collins Avenue is home to several Art Deco hotels , and many historic nightclubs to the north . 0 +The youth of the devil ( Italian : La giovinezza del diavolo ) is an Italian silent film directed by Francesca Bertini and Roberto Roberti in 1921 . The youth of the devil ( Italian : La giovinezza del diavolo ) is an Italian silent film directed by Roberto Roberti and Francesca Bertini in 1921 . 0 +In 2005 , Toshiaki Imai was appointed assistant to Chen , then manager of Chinese Taipei national team . In 2005 , Chen was assistant to Toshiaki Imai , then manager of the Chinese Taipei national team . 0 +"Aguiari described it as "" a Zen action up in the middle of traffic , but alone with a beautiful statue ." "Aguiari described it as "" a beautiful action alone in the middle of traffic , but up there with a Zen statue "" ." 0 +The fifth edition was broadcast from April 17 to April 21 , 2006 , the sixth edition from February 25 to March 2 , 2007 . The fifth edition was broadcast from April 17 to April 21 , 2006 ; the sixth edition aired February 25 to March 2 , 2007 . 1 +The Trevi Fountain is a fountain in the Trevi district in Rome , Italy , designed by Italian architect Nicola Salvi and completed by Pietro Bracci . The Trevi Fountain is a fountain in the Trevi district of Rome , Italy , designed by Italian architect Nicola Salvi and completed by Pietro Bracci . 1 +Two new , large sports venues opened in 2001 : the Ralph Engelstad Arena and the Alerus Center . In 2001 , two new large sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . 1 +Pete knew Brewster , who was a friend of Peter 's father . Peter knows Brewster , who was a friend of Pete 's father . 0 +His partner was Diego Milito , who was acquired like the midfielder Thiago Motta from Genoa . His partner was Thiago Motta , acquired from Genoa , like the midfielder Diego Milito . 0 +Dyson died on board a ship when he was travelling to Australia from England in 1939 and was buried at sea . Dyson died on board a ship when he was travelling to England from Australia in 1939 and was buried at sea . 0 +"Griffith asked him when he should declare , Smith said "" Now ! """ "Griffith asked him when he should declare , Smith said "" Now ! "" Now !" 1 +He was soon joined in the woodwind section by Terence MacDonagh ( clarinet ) , Jack Brymer ( bassoon ) and Gwydion Brooke ( oboe ) . He was soon in the woodwind - section of Terence MacDonagh ( clarinet ) , Jack Brymer ( bassoon ) and Gwydion Brooke ( oboe ) . 1 +Species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . The species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . 1 +Rostamabad ( also Romanized as Rostamābād ) is a village in Jamabrud Rural District , in the Central District of Damavand County , Tehran Province , Iran . Rostamabad ( also romanized as Rostamābād ) is a village in Jamabrud County , in the central district of Damavand , Tehran , Iran . 1 +Margaret Foote Hawley 's niece Kate Foote Coe was an artist who specialized in portrait miniatures . Margaret Foote Hawley , a niece of Kate Foote Coe , was an artist who specialized in portrait miniatures . 0 +As an assistant to Nicolaier in Göttingen , Carl Flügge discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . As assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . 0 +Their children , through his wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell : By his wife , Jean , daughter of Sir Duncan Campbell , Baronet and Jean Stewart , their children were : 0 +Ricky Ray completed 22 of 32 pass attempts for 301 yards and was 22 for 37 for 371 yards . Anthony Calvillo completed 22 of 32 pass attempts for 301 yards . Ricky Ray was 22 for 37 for 371 yards . 0 +Farhan died in Karachi on 19 May 2008 after suffering from heart and liver disease . Mehdi left behind a wife , a daughter and a son , Mehdi . Mehdi died on May 19 , 2008 in Karachi , after suffering from heart and liver disease , leaving behind a woman , a daughter , and a son , Farhan . 0 +He died in Bordeaux on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Lyon . He died in Bordeaux on 23 July 1963 and was buried at the Cemetery de la Chartreuse in Lyons . 1 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who from 1918 to 1963 was the organist of the Blackpool Parish Church . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , organist of Blackpool Parish Church from 1918 to 1963 . 0 +Half Dome is a granite dome in Yosemite National Park located at the northwestern end of Little Yosemite Valley at Half Dome is a granite dome at Yosemite National Park in the northwestern end of Little Yosemite Valley ? 1 +The company got a production structure in 1958 in Frederikssund and later in Houston , USA . The company got a production structure in 1958 in Houston , USA , and later in Frederikssund . 0 +Viktor Aronovich Bely , also Viktor Arkadyevich Bely ( 14 January 1904 -- 6 March 1983 ) , was a Russian composer and social activist . Viktor Arkadyevich Bely , also Viktor Aronovich Bely ( January 14 , 1904 - March 6 , 1983 ) , was a Russian composer and social activist . 1 +Bonnie Gadusek defeated Kathy Rinaldi 6 -- 1 , 6 -- 3 Kathy Rinaldi defeated Bonnie Gadusek at 6 -- 1 , 6 -- 3 . 0 +By then , only the largely Yakan areas of Lamitan and the interior remained outside of Spanish control . Until then , only the largely Spanish areas of Lamitan and the interior remained outside Yakan control . 0 +With its grey , furry leaves and masses of red-orange flowers , this is one of the most attractive eremophilas . This is one of the most attractive Eremophilas with its grey , furry leaves and massive orange-red flowers . 1 +He played just 18 games , and came to bat only 29 times . He played only 18 games and came to beat just 29 times . 1 +The sheadings are now significant only as : The sheadings are only significant now : 1 +Don Bluth agreed to compose the songs for three Barry Manilow pictures . Barry Barry Manilow agreed to compose the songs for three Don Bluth pictures . 0 +The heritage of the Aldenata , also known as the Posleen War Series , is the military universe of one of the fictional science - fiction - series by John Ringo . The Legacy of the Aldenata , also known as the Posleen War Series , is the fictional universe of one of John Ringo 's military science fiction series . 0 +Finally , Sonya Erica returns to Maria and is sent to prison for kidnapping . Eventually , Sonya returns Erica to Maria and is sent to prison for kidnapping . 0 +When the fruit is ripe , it tastes sweet-brown and appears orange . When ripe the fruit tastes sweet-brown and appears orange . 1 +Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a Belgian chemist and liberal politician from the Liberal Party . 0 +His grandfather , Reverend Edna Graham Allan , was the first presenter of the Presbyterian General Assembly of New Zealand , who married Macky in Dunedin in 1920 . His grandfather , Reverend John Macky , was the first moderator of the Presbyterian General Assembly of New Zealand to marry Edna Graham Allan in Dunedin in 1920 . 0 +These algorithmically equivalent sequences can be defined in three random manners . These algorithmically random sequences can be defined in three equivalent ways . 0 +As an assistant to Nicolaier in Göttingen , Carl Flügge discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . In 1884 , as assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus . 0 +The new location contained buildings similar to the sunken floor buildings of West Stow , England . The sunken site contained buildings similar to the new floor buildings of West Stow in England . 0 +""" Streptopus lanceolatus "" can be distinguished from Solomon 's seal and false Solomon 's seal by the alternate leaves on a zigzag trunk ." """ Streptopus lanceolatus "" can be distinguished from Solomon 's seal and alternate Solomon 's seal by the zigzag leaves on a false stem ." 0 +Jolene is Bob Ferguson 's thirteenth solo - studio album by Dolly Parton . Dolly Parton 's thirteenth solo studio album , produced by Bob Ferguson , is Jolene . 0 +Free Ride is an album by trumpeter Lalo Schifrin which was composed , arranged and conducted by Dizzy Gillespie , recorded in 1977 and released on the Pab Free Ride is an album by Trumpeter Dizzy Gillespie , which was composed , arranged and conducted by Lalo Schifrin , recorded in 1977 and published on the Pablo Label . 0 +Lothe currently lives with his partner Randi in Odda and has three children , Stian , Ida and Vetle , from a previous relationship . He currently lives in Odda with his partner Randi and has three children , Lothe , Ida and Vetle , from a previous relationship . 0 +There are 4 playable characters , each with a unique ability and also a different combat style . There are 4 playable characters , each with a different ability and also a unique style of fighting . 0 +Here we view differential operators as a generalization of pseudo-differential operators . We consider differential operators here as a generalization of pseudo-differential operators . 1 +The Astoria terminal is located in Hallets Cove between the Astoria Houses public housing project and Socrates Sculpture Park . The Hallets Cove Terminal is located in Astoria between the Astoria Houses project and Socrates Sculpture Park . 0 +It is now a recreation area managed by the Highland Park Progressive Association ( HPPA ) in partnership with the Wellington City Council ( WCC ) . It is now a recreation reserve managed by the Wellington City Council ( HPPA ) in partnership with the Highland Park Progressive Association ( WCC ) . 0 +The damage in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo and Cabo San Lucas was particularly difficult . The damage was particularly serious in La Paz , Triunfor , San Antonio , San Bartolo , San Lucas , San José del Cabo and Miraflores . 1 +Jimmy Wareing was born in 1917 in Silloth and played the Rugby - Union for Silloth and Cumberland before the war . Jimmy Wareing was born in Cumberland in 1917 and played for Silloth and Silloth Rugby - Union prior to the war . 0 +The Eastern Railway is an historical section of the original Darling Scarp main line across the Mundaring Branch Railway in the Western Australian Government Railways system . The Eastern Railway is an historical section of the original main line of Darling Scarp over the Mundaring - Branch in the Western Australian government - railway system . 1 +She died in Abilene and buried in Fort Worth , in the Abilene Municipal Cemetery . She died in Abilene and was buried in Fort Worth at the municipal cemetery in Abilene . 1 +It was established by Alec Jenner , professor of psychiatry , Phil Virden , executive editor for the first six years , Lin Bigwood , among others . It was established by Alec Jenner , Professor of Psychiatry , Phil Virden , editor for the first six years , Lin Bigwood , among others . 1 +Edward married Mary Letitia Stawell on May 14 , 1890 ( 1870 - November 3 , 1938 ) , daughter of Sir William Stawell KCMG . William Stawell KCMG married Mary Letitia Stawell on 14 May 1890 ( 1870 - November 3 , 1938 ) , daughter of Sir Edward . 0 +The combination of small size and emphasis on excellence in educational performance results in a district that offers a “ private school experience in a public school setting ” . "The combination of small size and emphasis on educational excellence , results in a district that offers a "" public school experience in a private school setting "" ." 0 +MCI migrated the voice and data traffic of most SBS customers to its terrestrial network . The MCI migrated the voice and data traffic of most SBS customers to its terrestrial network . 1 +Twin Falls High School is a public secondary school in Twin Falls , Idaho , one of two traditional high schools operated by the Twin Falls School District . Twin Falls High School is a secondary public school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . 1 +"She criticizes the play 's "" farcical subtext of misogyny "" and describes the plot as "" uncomfortable "" ." "She criticizes the "" uncomfortable subtext of the game 's misogyny and describes the plot as "" Farcical "" ." 0 +Jeppe Tengbjerg ( born December 28 , 1973 ) is a former football manager and Danish football player . Jeppe Tengbjerg ( born December 28 , 1973 ) is a Danish football manager and former football player . 0 +Marjorie Fritz , brother of Richard Fritz , was injured in the explosion and died almost one year later of myocarditis . Marjorie Fritz , the brother of Richard Fritz , was injured in the explosion and died of myocarditis almost a year later . 1 +"She became the founder of the Inner Healing Movement and was the author of "" The Healing Light "" ." "She was the founder of the Inner Healing Movement and became author of "" The Healing Light "" ." 0 +The average net content of a Croatian worker was 5,895 HRK per month in January 2017 , while the average gross salary was 7,911 HRK per month . The average gross salary of a Croatian worker in January 2017 was 5,895 HRK per month , and the average net salary was 7,911 HRK per month . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics are used in the parish of Bad Urach in St. Joseph . The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of St. Joseph are assigned in Bad Urach . 0 +It is found throughout the central palearctic , from Turkey , Cyprus , and Lebanon , through Pakistan , Iran , Afghanistan , and northern Iraq to Kashmir . It is found throughout the central Palaearctic Region , from Turkey , Cyprus and Lebanon , east through Iraq , Iran , Afghanistan and northern Pakistan to Kashmir . 0 +Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays outside Atlantic City , New Jersey . Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays from White Plains , New York . 0 +In Japan it was first discovered on and the name was given . In Japan it was first given up and the name was discovered . 0 +"Founded in 1906 , the team took the first American "" double "" when it won the 1912 National Association Football League and American Cup titles ." "The team , founded in 1906 , won the first American "" double "" when it brought the National Association Football League and American Cup titles in 1912 ." 0 +Girish Puthenchery wrote the lyrics for the songs composed by Johnson . Johnson wrote the lyrics for the songs of Girish Puthenchery composed . 0 +"Santiago is the Galician evolution of the Latin vulgar Sanctu Iacobu , "" Saint James "" ." "Santiago is the vulgar evolution of the Latin Galician Sanctu Iacobu , "" Saint James "" ." 0 +Lyons did not play in his first AFL season , but showed good signs with South Australian National Football League ( SANFL ) side , . Lyons did not play in his first AFL season , but showed good characters with South Australian National Football League ( SANFL ) page . 1 +Lucas is represented by Sadie Coles HQ , London , Barbara Gladstone , New York , and Contemporary Fine Arts , Berlin ( CFA ) . is represented by Sadie Coles HQ , London , Barbara Gladstone , New York , and Contemporary Fine Arts , Berlin ( CFA ) . 0 +It was developed by Monster Games and was published by Hasbro Interactive . It was developed by Monster Games and published by Hasbro Interactive . 1 +Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an American artist and an Italian intellectual . Ippolita Rostagno was born on December 10 , 1963 in Florence and is the daughter of an Italian artist and an American intellectual . 0 +The manuscript was added to the list of New Testament manuscripts by Gregory ( 683 ) and Scrivener ( 868 ) . The manuscript was added to the list of manuscripts of the New Testament by Scrivener ( 683 ) and Gregory ( 868 ) . 0 +His positions at Columbia University and the American Museum of Natural History were used to develop and train several generations of students . His positions at Columbia University and the American Museum of Natural History he used to train and develop several generations of students . 1 +In general , lower temperatures and higher pressures promote sponge coke formation . In general , promote lower temperatures and higher pressures the formation of sponge coke . 1 +The Song was also used as the theme for the American remake of British sitcom , The Inbetweeners . The song was also used as a subject for the American remake of the British sitcom , The Inbetweeners . 1 +John Corabi replaced Vince Neil after the scream in Mötley Crüe . After The Scream , John Corabi temporarily replaced Vince Neil in Mötley Crüe . 1 +""" Chuck Versus the Wedding Planner "" was directed by Anton Cropper and is written by Rafe Judkins and Lauren LeFranc ." """ Chuck Versus the Wedding Planner "" was directed by Anton Cropper and written by Rafe Judkins and Lauren LeFranc ." 1 +Spain recognized Irish nobles on equal footing as Spaniards , and Irish could claim Spanish citizenship . Spain recognized Irish nobles as Spaniards on an equal footing , and Irish may claim Spanish citizenship . 1 +Alema Nature Reserve is a nature reserve in northern Harju County , in Estonia . Alema Nature Reserve is a nature reserve in northern Estonia , in Harju County . 0 +Sir George was the son of Sir John Buchanan and Anabella , daughter of Adam Erskine , the commander of Cambuskenneth , a son of the Master of Mar . Sir George was the son of Sir John Buchanan and Anabella , daughter of Adam Erskine , commendator of Cambuskenneth , a son of the Master of Mar . 1 +""" Bouncing Back "" is the eleventh episode of the third season of the American television series "" Agents of S.H.I.L.D ." """ Bouncing Back "" is the eleventh episode of the third season of the American television series "" Agents of S.H.I.E.L.D ." 1 +The Chinnocks are three villages in Somerset , England , south west of Yeovil in the South Somerset district : The Chinnocks are three villages in South - Somerset , southwest of Yeovil in the Somerset , England district . 0 +Elliott Gould was not exactly my idea of Philip Marlowe , but however , we were there . Philip Marlowe was not exactly my idea of Elliott Gould , but we were there nonetheless . 0 +It now houses the Municipal Video Community , which has designed videos and documentaries on educational and cultural topics , especially for students . It now houses the Municipal videotheque which has videos and documentaries on educational and cultural topics , especially designed for students . 1 +The Youth of the Devil ( Italian : La giovinezza del diavolo ) is a 1921 Italian silent film directed by Roberto Roberti and starring Francesca Bertini . The youth of the devil ( Italian : La giovinezza del diavolo ) is an Italian silent film directed by Roberto Roberti and Francesca Bertini in 1921 . 1 +In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the Boston City Council . In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as President of the City of Boston . 0 +Philip Norman , the biographer of the Beatles , wrote that Charles Sutcliffe was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had watched . The Beatles ' biographer , Charles Sutcliffe , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . 0 +Pyrgus alpinus is a butterfly of the family Hesperiidae . It is found from Ghissar to western China and northern India . Pyrgus alpinus is a butterfly of the Hesperiidae family , from Ghissar to northern India and Western China . 1 +"It was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" , in which Mariko Wolverine is primary romantic interest , girlfriend and lover ." "She was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" in which Mariko is Wolverine 's primary romantic interest , girlfriend , and lover ." 1 +"It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on January 10 , 2006 ." "It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on 10 January 2006 ." 0 +The River Frunte ? ti is a tributary of the River Valea Botului in Romania . The Fruntești River is a tributary of the Valea Botului River in Romania . 1 +Restovich was traded to the Chicago White Sox from the Arizona Diamondbacks on July 27 , 2011 . Restovich was traded on July 27 , 2011 by the Arizona Diamondbacks to Chicago White Sox . 1 +Born in 1783 in Birmingham , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Sheffield . Born in 1783 in Sheffield as second son of Isabella and Thomas Beilby , the family moved to Birmingham in 1783 . 0 +He died on August 24 , 1878 in Wyandotte ( now part of Kansas City ) , Kansas . He died in Wyandotte ( now a part of Kansas City ) , Kansas , August 24 , 1878 . 1 +His Othello was detained as Iago in 1964 with Jay Robinson and in 1981 with Ron Moody as Iago on video . His Othello was captured on record in 1964 with Jay Robinson as Iago and on video in 1981 with Ron Moody as Iago . 0 +Borsalino are the Chapeau Lamp ( 2014 ) and the sculpture The Hatband ( 2016 ) by Philippe Starck , designed by Moritz Waldemeyer for Flos . The Chapeau Lamp ( 2014 ) designed by Moritz Waldemeyer for Flos and the sculpture The Hatband ( 2016 ) by Philippe Starck are both tributes to Borsalino . 1 +He has a son ( vintage 2000 ) from a previous relationship with TV presenter Angela Gessmann , who married Birgit Schrowange in July 2011 . He has a son ( born 2000 ) from a previous relationship with TV presenter Birgit Schrowange . In July 2011 Lanz married Angela Gessmann . 0 +But the goals are not easy -- grandmother , wife of an oligarch , virgin , feminist and sectarian . But the goals are not easy - grandmother , wife of an oligarch , sectarian , feminist and virgin . 1 +Although this de facto standard is now officially known as ReplayGain , it was originally called replay gain , and is sometimes abbreviated as RG . Although this de facto standard is now formally known as ReplayGain , it was originally known as Replay Gain and is sometimes abbreviated RG . 1 +Sakura Spirit was a visual novel developed by Winged Cloud in 2014 and published by Sekai Project . Sakura Spirit is a 2014 visual novel developed by Winged Cloud and published by Sekai Project . 1 +""" Point Blank 1.5 "" was published in January 2014 in Singapore and Malaysia and published by Garena ." """ Point Blank 1.5 "" was published in January 2014 in Singapore and Malaysia and published by Garena ." 0 +Skrillex cites influences such as Rusko , Reso , Zomboy and Bare Noize . He studied Music Production at the Academy of Contemporary Music in Guildford . Zomboy cites influences such as Skrillex , Reso , Rusko and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . 0 +The outer bark is black until reddish brown , while the inner bark is dark brown to pink . The outer bark is black to reddish brown , while the inner bark is dark brown to pink . 1 +This was followed by further launches to Amsterdam , Brussels and Lisbon . This was followed by further route launches to Lisbon , Brussels and Amsterdam . 1 +When Khadr was injured in a battle in Kabul in 1995 , Mohamad Elzahabi visited him at Peshawar Hospital . When Mohamad Elzahabi was injured in a 1995 battle in Kabul , Khadr visited him the Peshawar hospital . 0 +Match 1 : Naoki Sano defeats Masahito Kakihara ( submission ) Match 1 : Masahito Kakihara defeats Naoki Sano ( leg submission ) . 0 +Regionally connects MD 30 Reisterstown and Baltimore with Hanover , Pennsylvania . Regionally , MD 30 connects Hanover , Pennsylvania with Reisterstown and Baltimore . 0 +Sir Herbert was returned to the new headquarters in Croydon East and was re-elected in 1951 . Sir Herbert was returned in the new Croydon East seat and was re-elected in 1951 . 1 +Later they moved to Khulna and lived there for a couple of years until they moved to Dhaka . Later they moved to Khulna and lived there for couple of years until they moved to Dhaka . 1 +In the late 1970s , Willie Francis lived in Canada and worked for several years in Jamaica before returning to England . In the late 1970s , Willie Francis worked in England and lived in Canada for several years before returning to Jamaica . 0 +The 1993 -- 94 Slovenian Ice Hockey League was the third season of the Slovenian Hockey League . The Slovenian ice hockey league in 1993 -- 94 was the third season of the Slovenian ice hockey league . 0 +It was completed in modernist style in 1933 for the United States Postal Service and is now used as an office by the US Federal Government . It was completed in 1933 in Modernist style for the United States Federal Government , and is now used as office accommodation by the United States Postal Service . 0 +He and his family moved from Colorado to Wyoming to Oregon until he was about 5 years old , when they settled in Silver Spring , Maryland . He and his family moved from Wyoming to Colorado to Oregon until he was around five years old when they settled in Silver Spring , Maryland . 0 +According to the dictionary of the National Biography of 1885 , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his supporters . According to the 1885 Dictionary of National Biography , Leland is assigned by Ralph Acton and his followers to the first half of the fourteenth century . 1 +He won the tenth place in all and 8th place in Ball and Ribbon , in the World Cup Madera , Portugal 1999 ( SENIOR LEVEL ) . Obtained the tenth place in over all , and the 8th place in Ball and Ribbon , in World Cup Madera , Portugal 1999 ( SENIOR LEVEL ) . 1 +Bifascioides yemenellus is a moth in the family Cosmopterigidae . It is found in Yemen and southern Iran . Bifascioides yemenellus is a moth in the Cosmopterigidae family . It is found in Iran and Southern Yemen . 0 +The District Cabinet is led by Anne Marit Mevassvik and has four members , from the Labour Party , the Conservative Party and the Christian Democratic Party . The county cabinet is led by Anne Marit Mevassvik and has four members , from the Labour Party , the Conservative Party and the Christian Democratic Party . 1 +Later he joined the Outfit United SC in Kolkata and played in the Calcutta Football League . Later he joined Kolkata outfit United SC and played in the Calcutta Football League . 1 +The social consequences of criminal conviction are not the same as the collateral consequences of conviction . The collateral consequences of criminal convictions are not the same as the social consequences of a conviction . 0 +The current Chief Executive is Martin Dean , and the leader from 2002 to 2009 was Mathew Walker , who was followed by Eric Bowen . The current Chief Executive is Martin Dean , and the Chairman from 2002 to 2009 , was Mathew Walker , who was succeeded by Eric Bowen . 1 +It is located close to Mandurriao at 113 R. Mapa Street in the Iloilo City of Old Iloilo Airport . It is located close to Old Iloilo Airport at 113 R. Mapa Street in Iloilo City 's Mandurriao district . 0 +Curry was born in Longbenton , Northumberland , in 1935 , and died in Mansfield , Nottinghamshire , in 1990 at the age of 54 . Born in 1935 in Mansfield , Nottinghamshire , Curry died in 1990 at the age of 54 in Longbenton , Northumberland . 0 +In the American Football League for Washington Redskins and the National Football League for the Los Angeles Chargers , a former American football defensive ended . 2017 ) was a former American football defensive end in the National Football League for the Washington Redskins and in the American Football League for the Los Angeles Chargers . 0 +Drummer Wayne Bennett left the band in June 2007 and was replaced by Ben Timony . In June 2007 , drummer Leonard Ben Timony left the band and was replaced by Wayne Bennett . 0 +Nicolaas Johannes Roosenboom was born in Schellingwoude in Amsterdam and studied painting with Andreas Schelfhout , a leading romantic landscape painter . Andreas Schelfhout was born in Schellingwoude now in Amsterdam . He studied painting with Nicolaas Johannes Roosenboom , a leading Romantic landscape painter . 0 +The book proposes a legal reform for Switzerland that has never been realized because of political controversies . The book proposes a political reform for Switzerland which has never been realized because of legal controversies . 0 +Hitler 's group consisted only in 800 SA men , while Pittinger was present with 30,000 . Pittinger 's group consisted only of 800 SA - men , while Hitler was present with 30,000 men . 0 +Bifascioides yemenellus is a moth in the family Cosmopterigidae . It is found in Iran and southern Yemen . Bifascioides yemenellus is a moth within the Cosmopterigidae family and is found in Yemen and in southern Iran . 0 +"The older Chic Young took over "" Dumb Dora "" when Fung left that strip ." "The elder Fung took over "" Dumb Dora "" when Chic Young left that strip ." 0 +There is a temperate climate on the Werderaner Wachtelberg , which is characterised by the Atlantic climate from the north and west , and from the east by a continental climate . There is a continental climate on the Werderaner Wachtelberg , which is characterised from the north and west by the Atlantic climate and from the east by a temperate climate . 0 +The average net salary of a Croatian worker in January 2017 was 5,895 HRK per month , and the average gross salary was 7,911 HRK per month . The average gross content of a Croatian worker was 5,895 HRK per month in January 2017 , and the average net content was 7,911 HRK per month . 0 +A macro is used to define variables or procedures , to allow reuse of code , or to design domain-specific languages . A macro is used to design variables or procedures , to enable reuse of code , or to define domain-specific languages . 0 +"He won the second Prix de Rome for painting in 1813 and the first Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." "In 1813 he won the first Prix de Rome for painting and in 1814 the second Prix de Rome for his paintings of the "" death of the Diagora ." 0 +Wilson was the only VC recipient during the Italian invasion of British - East Africa , only six additional VCs were awarded for operations in Somalia . Wilson was the only recipient of VC during the Italian invasion of British Somalia , only six other VCs were awarded for operations in East Africa . 0 +However , he was displaced in the Cardiff side , soon after by Johnny Watkins and later Colin Hudson . However , he was driven out in the Cardiff side , soon after by Johnny Watkins and later Colin Hudson . 1 +The nearest airport is Devi Aahilya Bai Holkar Airport , Indore . The nearest railway station is Ujjain . The nearest airport is Devi Aahilya Bai Holkar Airport in Indore , the nearest station is Ujjain . 1 +The central shaft reached a depth of 2980 feet and a southern shaft was sunk in 1928 to reach a depth of 3,600 feet . The south shaft reached a depth of 2980 feet and a central shaft was sunk in 1928 to reach a depth of 3600 feet . 0 +The 69.8 % claimed by the BPD would be the lowest share of the vote claimed by a communist-dominated alliance in Romania . The 69.8 percent total dominated by the BPD would be the lowest vote share claimed by a Communist-claimed alliance in Romania . 0 +However , mice survived with a non-working copy of the single TWIST - Gens . However , mice with a single copy of the non-working TWIST gene survived . 0 +The project was developed by Murphy and DeSanto in 2003 , and DeSanto wrote a treatment . Murphy and DeSanto developed the project in 2003 , and DeSanto wrote a treatment . 1 +The next two functions are analogous to the above two functions and are used for base clusters . The above two functions are analogous to the next two and are used for base clusters . 0 +"His father was under Louis XVI , an officer in the "" military musketeers "" , the musketeers of the black house of the king de France ." "Under Louis XVI his father was an officer in the "" black musketeers "" , the musketeers of the military household of the King of France ." 0 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the Aurangabad District in Ahmednagar District . He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in Ahmednagar District . 0 +Houyan is a station on line 3 of the Dalian Metro Dalian City and is located in the district of Ganjingzi in the province of Liaoning , China . Houyan is a station on Line 3 of the Dalian Metro in Liaoning Province , China . It is located in the Ganjingzi District of Dalian City . 0 +Marian Schreier was the mayor of Tengen from 1973 to 2015 , and his successor was Helmut Groß . From 1973 to 2015 Helmut Groß was the mayor of Tengen . His successor is Marian Schreier . 0 +Howes married three times in his life : to Lillian Pechin in 1923 , Catherine Tabor in 1932 , and Mary Donovan Howard in 1937 . Howes married three times in his life : in 1923 with Mary Donovan Howard , with Catherine Tabor in 1932 and in 1937 with Lillian Pechin . 0 +The constituency , like its neighbour Scotland , was one of the safest seats of Labour in Dunfermline East . Like its neighbour , Dunfermline East , the constituency was one of Labour 's safest seats in Scotland . 0 +The 913th troop transport squadron was consolidated in September 1985 with the 13th Air Refuelling Squadron , but the active squadron has not been consolidated ever since . The 13th Troop Carrier Squadron was consolidated in September 1985 with the 913th Air Refueling Squadron , but since then the consolidated squadron has not been active anymore . 0 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Lawrence County with parts of the Lackawannock Township in Mercer County . In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Mercer County with parts of the Lackawannock Township at Lawrence County . 0 +Indooroopilly station is served by City network Ipswich & Rosewood and Springfield line services . Station Springfield Station is served by City Network Ipswich , Rosewood and Indooroopilly Line Services . 0 +Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a professional racing cyclist , brother of another former Belgian bicycle professional , Bert Scheirlinckx . Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a former Belgian road cyclist , the brother of another cyclist professional , Bert Scheirlinckx . 0 +"Yohannes IV was survived from his elder "" legitimate "" son "" Ras "" Araya Selassie Yohannes and his younger "" natural "" son Mengesha ." "Yohannes IV was survived by his elder "" legitimate "" son "" Ras "" Araya Selassie Yohannes and by his younger "" natural "" son Mengesha ." 1 +On August 12 , 2003 Kottonmouth Kings released their 3rd Compilation - Album , their 9th General Album and their 1st Live album , Classic Hits Live . On August 12 , 2003 Kottonmouth Kings released their 3rd compilation album , their 1st live album and their 9th overall album titled , Classic Hits Live . 1 +He played for TuTo Turku and Klagenfurter AC , playing a season in Austria for TPS and four seasons in the Bundesliga for the Berliner SC . Lindstrom played for TuTo Turku and Klagenfurter AC . He also played a season in Austria for TPS and four seasons in the Bundesliga for Berliner SC . 1 +Patrick Aussems ( born 6 February 1965 in Moelingen , Belgium ) is a former Belgian footballer and the former coach of the Nepal national football team . Patrick Aussems ( born February 6 , 1965 in Moelingen , Belgium ) is a former Belgian football player and former coach of the National Team of Nepal . 1 +The transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a transmembrane loop connecting two large cytoplasmatic helices . Transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a large cytoplasmic loop that connects two transmembrane helices . 0 +Initials , when placed , can be used either before or after their first name . Initials can be used either before or after their first name when they are placed . 1 +Archana is an Indian film actress and completed Kuchipudi and Kathak Dancer , known for her works in the South Indian film industry . Archana is an Indian film actress and accomplished Kuchipudi and Kathak dancer , known for her works in the South Indian film industry . 1 +"On all tracks , except Teddy Gentry on "" Clear Water Blues "" and Jeff Cook on "" This Love ' ; s on Me "" , are lead lead vocals by Randy Owen ." "Lead vocals by Jeff Cook on all tracks , except Teddy Gentry on "" Clear Water Blues "" and Randy Owen on "" This Love 's on Me "" ." 0 +Lord Chancellor , a post in the Channel Islands - Government , is responsible for the relations between the government and the United Kingdom . The Lord Chancellor , a post in the Channel Islands Government , is responsible for relations between the government and the UK . 1 +It was produced by Eddie Mort and Lili Chin and created by Warner Bros . It was created by Eddie Mort and Lili Chin and produced by Warner Bros.. 0 +The former vice rector Jürgen Willer was elected as new rector of Danube University Krems . The new vice rector Jürgen Willer was elected as former rector of the Danube University Krems . 0 +""" Encrinus "" was described in 1764 . It was assigned to the order Encrinida by Jack Sepkoski in 2002 ." was described in 1764 and was assigned by Jack Sepkoski in 2002 to the Encrinida order . 1 +Later this year , Tamarie Cooper returned to Houston to found the Catastrophic Theatre with Nodler . Nodler returned to Houston to found The Catastrophic Theatre with Tamarie Cooper later in that year . 0 +About 1838 Stephenson returned to Manchester and established himself as an historical and landscape engraver in Ridgefield , and then in a studio in St. Ann Street . In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then at a studio in St. Ann Street . 1 +Germar Scheerer , also known as Germar Rudolf , born October 29 , 1964 , is a German chemist and a convicted Holocaust denier . Germar Rudolf , also known as Germar Scheerer , was born on 29 October 1964 , is a German chemist and convicted Holocaust denier . 1 +Hislop married his wife , Desha , in 1995 . He is the cousin of American sprint athlete Natasha Hastings . In 1995 , Hislop married his wife Desha , the cousin of the American sprint athlete Natasha Hastings . 1 +She talks to Jess 's parents and speculates that Jen may have come back to take the earrings . She talks to Jen 's parents and speculates that Jess has come back to take the earrings . 0 +Lottia persona is a species of sea snail , a true limpet , a marine gastropodemollusk in the Lottiidae family , one of the families of true limpets . Lottia persona is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 1 +Mishima is voiced by Daisuke Sakaguchi in Japanese and Sean Chiplock in English . Mishima is expressed in English by Sean Chiplock in Japanese and Daisuke Sakaguchi . 0 +The Major A Premiership is currently held in the Pacific League by the Pine Hills Lightning in the Major League and Runcorn Indians . The Major A premiership is currently held by the Pine Hills Lightning in Major League and Runcorn Indians in the Pacific League . 1 +It was addressed by Hiroaki Gōda , animated by Anime International Company , and produced by TBS and Kodansha . It was produced by Hiroaki Gōda , animated by TBS and Kodansha , and directed by Anime International Company . 0 +The contents of the latter collection , including the first intact Mastodon , was moved to the American Museum of Natural History of New York City in 1906 . The contents of the first intact collection , including the latter Mastodon , were transferred to the New York City American Natural History Museum in 1906 . 0 +He was a member of the Bapounou people , was born in Moussambou and trained in local Catholic schools , then at the public secondary school of Lambaréné . He was a member of the Bapounou people , was born in Moussambou and trained in public secondary schools , then at the local catholic school of Lambaréné . 0 +Rosetown is a locality located within the Kingston District Council in the Limestone Coast region of South Australia . Rosetown is a locality of the Kingston District Council in the Limestone Coast region of South Australia . 1 +Biodegradation of PDLA is slower than for PLA due to the higher crystallinity of PDLA . Due to the slower crystallisation of PDLA , the biodegradation of PDLA is higher than for PLA . 0 +Honey bees have three castes : drones , workers and queens , drones are female , workers and queens are male . Honey bees have three castes : drones , workers and queens , drones are male , workers and queens are women . 0 +Moyles came through the Crossmolina Deel Rovers system alongside Ciarán McDonald , Peadár Gardiner and Stephen Rochford . Besides Moyles , Peadár Gardiner and Stephen Rochford , Ciarán McDonald came through the Crossmolina Deel Rovers . 0 +"The diminutive form of the word , "" caipirinha "" , is well-known as a cocktail worldwide ." "The diminutive form of the word "" Caipirinha "" is known worldwide as a cocktail ." 1 +The Three Sisters are volcanic peaks that form a complex volcano in the US state of Oregon . The Three Sisters are volcanic peaks that form a complex volcano in the U.S. state of Oregon . 1 +Their distinctive large goose flowers have covered white buds with overlapping scales . Their white daisy flowers have distinctive large buds covered with overlapping scales . 0 +"Debbie Posner is the "" teacher and the program for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of elementary school for Hebrew and Jewish studies "" ." "Debbi Benn is the "" teacher and program for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of the elementary school for Hebrew and Jewish studies "" ." 0 +He also helps Jennifer Bransford ( Bo ) by defending Robert S. Woods when he was accused of murdering Georgie Philips ( Nora and Bo Buchanan ) . He also helps Jennifer Bransford ( Bo ) by defending Robert S. Woods when he was accused of murder of Georgie Philips ( Nora and Bo Buchanan ) . 1 +Beal then starts his match with Chip Reese . Then Beal starts his match with Chip Reese . 1 +She arrived at Cork on 24 June , and was in the Downs on 8 July . She was in Cork on June 24 and arrived on 8 July in the downs . 0 +It is found along the southern Australian coast from Shark Bay in Queensland to Maroochydore in Western Australia , including Tasmania . Along the southern Australian coast , it is found from Shark Bay in West Australia to Maroochydore in Queensland , including Tasmania . 0 +The city is situated on the main road between Mogadishu and Jilib , close to Barawa and about 50 miles northeast of Kismayo . The city is situated on the main road between Mogadishu and Kismayo , near Barawa and about 50 miles northeast of Jilib . 0 +Eoin Colfer illustrated the Legend of Spud Murphy by Glenn McCoy , which was released in 2004 . Eoin Colfer illustrated the Legend of Spud Murphy by Glenn McCoy which was published in 2004 . 1 +The musicians on the 7 March recording session included Hal Blaine , drums ; Al Casey , guitar ; Larry Knechtel , bass ; and Don Randi , piano . Among the musicians of the recording session on March 7 were Hal Blaine ( drums ) , Al Casey ( guitar ) , Larry Knechtel ( bass ) and Don Randi ( piano ) . 1 +Interleukins are a group of cytokines ( secreted proteins and signal molecules ) , which were first seen to be expressed by white blood cells ( leukocytes ) . Interleukins are a group of cytokines ( expressed proteins and signal molecules ) that were first seen to be secreted by white blood cells ( leukocytes ) . 0 +This creates generally warmer nights through the colder season . This generally creates warmer nights through the colder season . 1 +Burki started his career in Paris for a year , until he returned to Switzerland to work in rotogravure from 1971 to 1979 . He started his career in Switzerland for a year until he returned to Paris from 1971 to 1979 to work in gravure . 0 +After the 2015 season , Seoul FC Martyrs left the league , but three new teams added Buyeo FC , Siheung Citizen and Yangpyeong FC . After 2015 season Seoul FC Martyrs left the league , but three new teams Buyeo FC , Siheung Citizen , and Yangpyeong FC joined it . 1 +"The cast includes Wanda Urbanska as the host and Cecile Andrews , author of "" Circle of Simplicity "" ." "The cast includes Wanda Urbanska as host and Cecile Andrews , author of "" Circle of Simplicity "" ." 1 +Peru is one of thirty districts in the province of Yauyos in San Pedro de Pilas district . San Pedro de Pilas District is one of thirty-three districts of the province Yauyos in Peru . 0 +Through the Formula 26 above , where Formula 14 is a solution of the linear ODE With the linear Formula 26 where Formula 14 is a solution of the ODE above . 0 +"She travelled with John , Marian , and Jack in 1912 when they went to Europe and returned home with them on the "" Titanic . """ "She travelled with John , Marian and Jack in 1912 when they returned to Europe and travelled home with them on the "" Titanic "" ." 0 +In 2011 , the literacy rate of West Bengal village was 55.53 % , compared to 76.26 % of the Sattari . In 2011 , the literacy rate of West Bengal village was 55.53 % compared to 76.26 % of Sattari . 1 +Most of the eastern half of the city is relatively rural , while the western part of the city is more urbanized ( roughly Woodbury Point east ) . Much of the western half of the city is relatively urbanized , while the eastern part of the city ( say , Woodbury Point East ) is more rural . 0 +Missouri House is a former settlement and stopping place in Placerville . It was located below El Dorado County , California . Missouri House is a former settlement and stopping place in El Dorado County , California , located below Placerville . 0 +He studied Oriental languages in Leiden ( Athenaeum Illustre ) and Amsterdam . He studied oriental languages in Leiden ( Athenaeum Illustre ) and in Amsterdam . 1 +He decides , then he looks bad at home . He does , and then decides at home that he looks bad . 0 +"Another category that is sometimes associated with "" gentle fiction "" is "" inspirational fiction "" ." "Another category , which is sometimes associated with "" inspirational fiction "" , is "" gentle fiction "" ." 0 +"Achieved in South Africa "" The other man 's grass is greener than 30 , while in Australia the track reached a peak of # 19 ." "Achieved in Australia "" The other man 's grass is always greener in place , while in South Africa the track reached a chart peak of 19 ." 0 +Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was proved on 29 March in London . Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was detected in London on 29 March . 1 +Casper was expressed in the film by Devon Werkheiser , Robbie Sublett in the first season and Matthew Géczy in the second season . Casper is voiced by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser in the second season . 0 +They were accompanied by several other families , or were soon followed , including Masters , Parker , Lundy , Battin , Kisner , Lemon , Oliver , and Rich . They were accompanied by some other families or were soon followed by them , including Masters , Kisner , Battin , Parker , Lundy , Lemon , Oliver and Rich . 0 +She sailed over Sydney and arrived in Rio de Janeiro on 14 September . She sailed via Rio de Janeiro and arrived in Sydney on 14 September . 0 +Richmond Richmond Cricket Club was in Richmond ( historically part of Surrey and now in London ) and was a leading club during the 18th century . Richmond Cricket Club was based in Richmond ( now part of Surrey and historically in London ) and was a leading club during the 18th century . 0 +I was in a racist environment with white people during my school years . During all my school years , I was in a racist environment , with white people . 1 +The bibliography of the book of Han ( 2nd century AD ) lists Agriculturalism as one of 10 philosophical schools and represents 9 books that belong to this school . The bibliography of the Book of Han ( 2nd century AD ) lists Agriculturalism as one of 10 philosophical schools and presents 9 books belonging to that school . 1 +Charles Gowan was born in Wisconsin in 1849 or in 1850 and emigrated early to New York . Charles Gowan was born in Wisconsin in 1849 or 1850 , and migrated to New York early in life . 1 +He retired to Italy , where he fled for two years and returned to his private life . He escaped and returned to Italy where he retired to private life for two years . 0 +Baptist lives back in Sydney and is currently working from his North Sydney studio . Baptist lives back in North Sydney and is currently working from his Sydney studio . 0 +Zvonareva 's first victory against Clijsters came at the Wimbledon Championships in 2010 . Clijsters 's first victory against Zvonareva came at the 2010 Wimbledon Championships . 0 +Average daily patronage , where possible , is taken from the last calendar or financial year . Where possible , the average daily patronage is taken over from the financial calendar or from last year . 0 +"While governor , he may have founded the colonies of "" Colonia Domitiana Lindensium "" ( Lincoln ) and "" Colonia Nervia Glevensium "" ( Gloucester ) ." "While Governor , he may have founded the colonies "" Colonia Domitiana Lindensium "" ( Lincoln ) and "" Colonia Nervia Glevensium "" ( Gloucester ) ." 1 +Aldred was born in Montrose , Michigan , and graduated from the Hill McCloy High School in 1986 in Flint , a rural town north of Flint , Michigan . Aldred was born in Flint , Michigan , and graduated from the Hill McCloy High School in Montrose , Michigan in 1986 , a rural town north of Flint . 0 +Waye played his earliest football in Adelaide , before arriving in Willunga and Renmark and competing in the Port Adelaide Church Association . Waye played his earliest football match in Adelaide before arriving in Willunga and Renmark and joined the Port Adelaide Church Association . 1 +Those Catholics who had refused to convert fled generally to Scotland . Those Catholics who refused to convert eventually fled , generally to Scotland . 0 +Since 2008 , Hoyer toured Canada on several occasions , including twice with Michael Rault , once with Sean Nicholas Savage and once with The Joe . Hoyer has toured Canada several times since 2008 , including once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . 0 +Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of Prime Minister Leeanne Enoch in Queensland . The eldest son of Doug and Lyn Enoch from Stradbroke Island , Wesley Enoch grew up in Brisbane . He is the brother of Queensland government minister Leeanne Enoch . 1 +The Universal Press Syndicate , a subsidiary of Andrews McMeel Universal , was an independent press syndicate . McMeel Universal , subsidiary of Universal Press Syndicate , was an independent press syndicate . 0 +Madison was platted out and sold in 1810 , and the first lots were laid in 1811 by John Paul . In 1810 , Madison was dealt and sold , and the first lots were laid by John Paul in 1811 . 1 +Carmen Aub Romero ( born October 24 , 1989 in Mexico , Mexico , D.F . ) is a Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico City , DF , Mexico ) is a Mexican actress . 1 +Therefore , the optimal language is additive up to this universal constant . The optimum language is therefore additive up to this universal constant . 1 +The song was composed by Unnikumar , written by Baburaj Puthur and sung by Sidharthan Puranattukara . The song was composed by Unnikumar , singed by Baburaj Puthur and written by Sidharthan Puranattukara . 0 +Webmention was originally published in the IndieWebCamp community and was developed as a W3C Working Draft on January 12 , 2016 . Webmention was originally developed in the IndieWebCamp community and published on January 12 , 2016 as a W3C work draft . 0 +In 1643 , the English parliamentarian Alexander Rigby bought the entire existing Plough of Lygonia - patent that included the large area including Cape Elizabeth . In 1643 , English Parliamentarian Alexander Rigby bought the entire existing Plough of Lygonia patent which included the large area including Cape Elizabeth . 1 +Another kuji formula is found in the writings of Jodo Shinshu , founded by Shinran , and reads yet another mantra to Amida Nyorai which is Another Kuji formula can be found in the writings of Jodo Shinshu , founded by Shinran , and is another mantra to Amida Nyorai , which is : 0 +the definition can be extended to arbitrary ( standard or non-standard ) points as follows : The definition can be extended as follows to standard or nonstandard points ( arbitrary ) : 1 +Raouf said Abdul Rahman will only survive if he goes into exile . Abdul Rahman will survive only if he goes into exile . 1 +In 1834 , after leaving the East India Company College , Frere was appointed a writer in the Mumbai ( today Bombay ) civil service . After leaving the East India Company College Frere was appointed a writer in the Mumbai ( now Bombay ) civil service in 1834 . 1 +In 2004 , Bessonova won the silver medal at the European Championships in 2004 . In 2004 , Bessonova won the around-all silver medal at the 2004 European Championships . 1 +On 12 February 2014 , Elebert signed under Roddy Collins for Derry City . On 12 February 2014 , Elebert signed for Derry City   under Roddy Collins . 1 +It was subdivided into departments and each department was divided into departments entrusted with different tasks . It was subdivided into departments and each department was divided into sections entrusted with different tasks . 0 +He was born in Cringleford , Norfolk , and died at Thames Ditton , Surrey . He was born at Thames Ditton , Surrey and died at Cringleford , Norfolk . 0 +"In 2009 , the first signing of Silent Majority Group Framing Hanley received a gold certification for their single "" Lollipop "" ." "In 2009 , Silent Majority Group 's first signing Framing Hanley received a Gold certification for their single "" Lollipop "" ." 1 +"Paul Conn wrote his autobiography in 1987 with Jack : "" Eckerd : Finding the Right Prescription "" ." "Jack wrote his autobiography with Paul Conn , "" Eckerd : Finding the Right Prescription in 1987 ." 0 +In 2013 , Williamson left and was replaced by guitarist Keith Tew and later , Boling left and was repalced by Don Hill . In 2013 left Williamson and was replaced by guitarist Don Hill and later , Boling left and was repalced by Keith Tew . 0 +In 1972 , Leonid Kozlov told film historian Tarkovsky his ten favorite films . In 1972 , Leonid Kozlov film historian Tarkovsky told his ten favorite films . 0 +She was the sister of William who was already married to David King Udall 's sister Eliza Stewart . She was the sister of William , who was already married to the sister of David King Udall Eliza Stewart . 0 +In 2003 , excavation work began on the eastern hill , in 2006 on the western hill . In 2003 the excavation works began on the western hill , on the eastern hill in 2006 . 0 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if any ) : The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variations ( if any ) : 1 +Chloroclystis mniochroa is a moth in the family Geometridae . It is found in Queensland ( Australia ) . Chloroclystis mniochroa is a moth in the family of geometridae which is found in Queensland ( Australia ) . 1 +Humphrey , however , supported McKeithen in 1968 at the Democratic National Convention in Chicago . However , in 1968 , McKeithen Humphrey had supported the Democratic National Convention in Chicago . 0 +Christine was hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . Christine became hopeful that after her first conversation with Walter , her son Gordon Stewart Northcott might still be alive . 0 +Born in Békésszentandrás ( Hungary ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Music Academy in Budapest . 1 +Thus injective abelian groups are divisible modules in the category of abelian groups , and conversely , every injective group is divisible ( Baer 's criterion ) . Thus , injective Abelian groups in the category of Abelian groups are divisible modules , and vice versa , every injective group ( baer - criterion ) is divisible . 1 +Originally taken over by Eli Lilly , oritavancin was discovered and developed in 2001 by InterMune and in late 2005 by Targanta Therapeutics . Originally discovered and developed by Eli Lilly , oritavancin was acquired by InterMune in 2001 and then by Targanta Therapeutics in late 2005 . 0 +Eagle II had a revised rudder and a deepened rear fuselage . The Eagle Eagle II had a deepened rudder and a revised rear fuselage . 0 +Burswood developed as two separate entities-Burswood Island , and a southernmost part within the suburb of Victoria Park until the 1990s . Until the 1990s , Burswood developed as two southernmost units -- Burswood Island and a separate part within the suburb of Victoria Park . 0 +Helen Wills defeated Molla Mallory 6 -- 1 , 6 -- 3 Molla Mallory defeated Helen Wills 6 -- 1 , 6 - 3 . 0 +The unpredictable consonant of every word was then dropped , the distribution of first leaving . The first consonant of each word was then dropped , the distribution of unforeseen leaving . 0 +Its base or free edge contains between its layers the round band and the paraumbilical veins . Its base or round edge contains the free band and the paraumbilical veins between its layers . 0 +The Indian community has successfully integrated into Italian life , and local authorities and people are impressed by their contributions to the Italian economy . The Italian community has integrated successfully into Italian life , and local authorities and people are impressed with their contributions to the Indian economy . 0 +""" Slate "" pointed out that Wilson did not accompany Landy and Ledbetter on their first date , contrary to what is displayed in the film ." """ Slate "" has pointed out that , contrary to what is depicted in the film , Wilson did not accompany Landy and Ledbetter on their first date ." 1 +First , he worked in public relations for the American Jewish Committee in New York , and until his retirement for the Combined Jewish Philanthropies of Boston . He first worked in public relations for the American Jewish Committee in Boston and until his retirement for the combined Jewish philanthropies of New York . 0 +Toakai Puapua is a Tuvalu gymnastics and football coach and the former coach of the Tuvalu national football team . Toakai Puapua is a former gymnastics and football coach and the national coach of the Tuvalu Tuvaluan football team . 0 +"As reported by Count Harrach , Franz Ferdinand 's last words were "" Sophie , Sophie !" "As Sophie reported , Sophie 's were ; last words "" Count Harrach , Franz Ferdinand !" 0 +The Lessos-Kenya border section is funded jointly by the Government of Uganda and JICA . The border section of The Lessos -- Uganda is funded jointly by the Kenyan Government and JICA . 0 +Coxeter defines with other constructions anti-unitary groups , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines anti-unitary groups with other constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . 1 +Amber is located northeast of Anamosa , northwest of Center Junction , south of Monticello and north of Olin . Amber is northeast of Anamosa , northwest of Center Junction , south of Monticello and north of Olin . 1 +By the linear formula _ 26 where formula _ 14 is a solution of the above ODE . With the linear Formula 26 where Formula 14 is a solution of the ODE above . 1 +Simpson is also part of the municipality of Simpson and Ashland , which now includes Ashland and West Ashland . Simpson is now part of the civil parish of Simpson and Ashland , which also includes Ashland and West Ashland . 1 +Juan Ramón Jiménez was born on December 23 , 1881 in Huelva , near Moguer in Andalusia . Juan Ramón Jiménez was born in Moguer , near Huelva , in Andalucia , on 23 December 1881 . 0 +US Route 1 Business was founded in 1960 as a renumbering of U.S. 1A via Gill and Downtown Henderson via Raleigh Road and Garnett Street . U.S. Route 1 Business was established in 1960 , as a renumbering of US 1A through Henderson and downtown Gill , via Raleigh Road and Garnett Street . 0 +He died 5 weeks after former President Jaime Lusinchi on May 21 , 2014 . He did 5 weeks after former President Jaime Lusinchi died on 21 May 2014 . 0 +The opposition liberals , led by Albert C. Saunders , won a large number of seats to defeat the incumbent government of Conservative Prime Minister James D. Stewart . The opposition Liberals led by James D. Stewart gained a large number of seats to defeat the incumbent government of Conservative Premier Albert C. Saunders . 0 +"The Swiss teacher Jürgen Reichen ( progressive education ) established this method "" Writing to read "" 1982 ." "The progress teacher Jürgen Reichen ( Swiss Education ) founded this method "" Writing to read "" 1982 ." 0 +1544 : Earl of Holyrood Palace burns the city , including Hertford and Abbey . 1544 : Earl of Holyrood Palace burns the town , including Hertford and Abbey . 1 +Younessi has a child , a son named Dariyan Rodin Younessi , who started his racing career at Karting at the age of four . Dariyan Rodin Younessi has one child , a son named Younessi , who started his racing career at the age of four with Karting . 0 +In the same year , he was appointed General Vicar for the Quebec region of the Diocese of Mississippi and Illinois . In the same year he was appointed General Vicar for the region of Mississippi and Illinois of the diocese of Quebec . 0 +The incident was not originally reported by state-controlled international media , but was first reported by Iranian media . The incident was not originally reported by the state-controlled Iranian media , but was instead first reported on by international media . 0 +Immanuel Dornfeld was the main father and the spiritual initiator of this wine school . Immanuel Dornfeld was a spiritual father and main initiator of this wine school . 0 +"Kossuth W. Duncan was born in South Australia , the second son of R. B. Duncan , who arrived in Hindmarsh aboard the "" Fitzjames "" in 1855 ." "Kossuth W. Duncan was born in Hindmarsh , the second son of R. B. Duncan , who arrived aboard the "" Fitz James in South Australia in 1855 ." 0 +"In "" The Guardian "" in 2006 , Stanage argued in opposition to George Monbiot , who had written that the Iraqi insurgency was comparable to the IRA :" "In "" The Guardian "" of 2006 , George Monbiot argued in contrast to Stanage , who had written that the Iraqi insurgency was comparable to the IRA ." 0 +Darren Burnett won 9-4 , 9-5 against Simon Skelton in the finals . Simon Skelton won 9-4 , 9-5 vs. Darren Burnett in the final . 0 +While Martin became lawyer and politician , James operated a successful sawmill near Monticello . While James became a lawyer and politician , Martin operated a successful sawmill near Monticello . 0 +Greg Rusedski defeated Lars Rehmann 6 -- 4 , 3 -- 1 ( Rehmann is retired ) Lars Rehmann defeated Rehman 6 -- 4 , 3 -- 1 ( Retired Greg Rusedski ) 0 +He replaced John Mabry as backup at 1st Base to Derrek Lee . He replaced Derrek Lee as backup at 1st Base to John Mabry . 0 +During the Vietnam War , the 12th field battery also served the 104th field regiment -- which was also connected to the 161th field battery RNZA . During the Vietnam War , the 12th Field Battery also served with the 104th Field Regiment -- to which the 161st Field Battery RNZA was also attached . 1 +"In 2010 , Derek Miller released their third album , "" Miller with Double Trouble "" ." "In 2010 , Miller published his third album "" Derek Miller with Double Trouble "" ." 0 +Upernivik Island is an uninhabited island in the Qaasuitsup municipality in northwest Greenland . Qaasuitsup is an uninhabited island in the Upernivik Island municipality in northwestern Greenland . 0 +The magazine received its present name in 1989 , and the following year the Jewish Bible Association became the World Jewish Bible Society . The journal received its present name in 1989 , and the following year the World Jewish Bible Society became the Jewish Bible Association . 0 +""" Cortinarius rainierensis "" , described in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material collected Mount Rainier National Park , is a synonym ." """ Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the Mount Rainier National Park material in 1950 , is a synonym ." 1 +"In 2001 , Farhan Akhtar appeared in Khanna 's cult classic "" Dil Chahta Hai "" ." "In 2001 Khanna appeared in Farhan Akhtar 's cult classic "" Dil Chahta Shai "" ." 0 +All the rooms were destroyed and the meeting tent was stormed , as were statues and crucifixes in the small church . All rooms were destroyed and the meeting tent was stormed , as were statues and crucifixes in the small church . 1 +Special Emergency Response Team ( SERT ) is the Police Tactical Group of the Queensland Police Service in Australia . The Police - Tactical Group ( SERT ) is the special emergency team of Queensland Police in Australia . 0 +Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official clothing sponsor of all teams in the Indian Cricket League . Provogue is the official clothing sponsor of Rajasthan Royals in the Indian Premier League and the official sponsor for clothing of all teams in the Indian cricket league . 0 +The show was moderated by DJ Khaled in 2010 , Mike Epps was the host DJ and DJ Premier DJed the cyphers . The 2010 show was hosted by Mike Epps . DJ Khaled was the host DJ and DJ Premier DJed the cyphers . 0 +In 1945 , Daley married Blanche Daigle ( 1918-1986 ) . They were the parents of Daniel , Rosemary , Anne Marie , and Timothy . In 1945 , Daley married Anne Marie ( 1918-1986 ) , they were parents of Blanche Daigle , Rosemary , Daniel and Timothy . 0 +She departed Korea on 7 October and returned to Japan where she visited Sasebo and Yokosuka before heading back to the United States on 1 November . She left Japan on October 7 and returned to Korea , where she visited Sasebo and Yokosuka before she went back to the United States on November 1 . 0 +The construction of a seed length of Formula 32 , which is constant up to optimal factors . The construction of achieves a seed length of formula _ 32 , which is constant up to optimal factors . 1 +According to the 2002 census of the National Statistics Institute , Toltén has an area of 11,216 inhabitants ( 5,827 men and 5,389 women ) . According to the 2002 census of the National Statistics Institute , Toltén spans an area of and has 11,216 inhabitants ( 5,827 men and 5,389 women ) . 0 +This dish has become one of the most symbolic dishes of Indian cuisine , next to the Indian curry . This dish has become one of the most symbolic dishes of Indian cuisine , next to indian curry . 1 +The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Indonesia and then of Portugal . The party began as a resistance movement that fought for the independence of East Timor , first from Indonesia and then from Portugal , between 1974 and 1998 . 1 +The leaves are generally 1.5-4 mm long and 0,2-0,7 mm wide . The leaves are generally 1.5-4 mm long and 0.2-0.7 mm wide . 1 +"The Finnish album "" Deathstar Rising "" cracked the new album Top 10 and reached place 8th in the first week of March 2011 ." "The new album "" Deathstar Rising "" has cracked the Finnish album Top 10 and reached place 8 in the first week of March 2011 ." 0 +""" Iti "" usually refers to something concrete but may also refer to abstract nouns ." """ Iti "" usually refers to something concrete , but may also relate to abstract nouns ." 1 +Early on August 25 , a hurricane warning was issued from Vero Beach to Lake Okeechobee and for Florida City . Early on August 25 , a hurricane warning was issued by Vero Beach to Lake Okeechobee and Florida City . 1 +Some say that when Chan Heung returned from studying with Ching Cho , he went back to Jeong Yim and combined his knowledge into the Choy Li Fut system . Some say when Chan Heung returned from studying with Ching Cho , he went back to Jeong Yim and combined his knowledge into the Choy Li Fut system . 1 +There is a collapsible water tank and a fuel tank with a removable hat for cleaning . There is a removable water tank and a fuel tank with a folding hatch for cleaning . 0 +"The "" Houston Chronicle "" is the local newspaper The "" Midtown Paper "" is a city-wide area newspaper ." "The "" Houston Chronicle "" is the citywide newspaper , "" Midtown Paper "" is a local newspaper ." 0 +Her father , Mitchell Melich , served in the Senate of Utah and ran unsuccessfully in 1964 for the governor of Utah against the democrat Calvin L. Rampton . Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against Mitchell Melich . 0 +In the first stage of the Promotion , 5 provincial leagues were played , with 9 clubs qualifying for the final round : In the final round of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first lap . 0 +""" Hammy McMillan was replaced by Warwick Smith as Skip after Draw 4 Replaced" "* "" Hammy McMillan was replaced by Warwick Smith as skip after Draw 4 . """ 1 +He said that Ichigo introduces the story and leads readers to the events . He said that Ichigo introduces the story and leads , readers to the events in it . 1 +Nathan Bryon was poured in the role of Joey Ellis , who would be introduced as a friend of Tiger Dyke 's established character from his hometown . Joey Ellis was cast in the role of Nathan Bryon , who was introduced from his hometown as a friend of the established character Tiger Dyke . 0 +In addition to English , Bernicat speaks Russian , Hindi and French . In addition to English , Bernicat also speaks Russian , Hindi and French . 1 +Suncook is located in the southern corner of the town of Pembroke and the west end of the city of Allenstown . Suncook is located in the western corner of the town of Allenstown and the southern end of the town of Pembroke . 0 +Vice Squad Sergeant Sam Hanlon ( Herb Vigran ) brings seventeen-year-old Susan Landis ( Reynolds ) to Mark 's luxurious apartment . Sam Hanlon ( Herb Vigran ) , Vice - Squad Sergeant , brings the seventeen-year-old Susan Landis ( Reynolds ) to Mark 's luxury apartment . 1 +The northern municipality is situated in the former Jorat high plateau with a small enclave between Correvon and Vuissens . The former municipality is located in the northern Jorat plateau with a small enclave between Correvon and Vuissens . 0 +The tiny institutions they founded would not have seemed to them like universities -- they were small and did not offer the higher degrees in medicine and theology . The tiny institutions they founded would not have found them like universities -- they were small and did not offer the higher degrees in medicine and theology . 1 +Carl Gould ( Dwayne Hill 2009 -- 2010 , Dylan Hoerner 2010 -- today ) is a cream-coloured rabbit with brown hair and blue glasses . Carl Gould ( Dylan Hoerner 2009 -- 2010 , Dwayne Hill 2010 -- present ) is a cream rabbit with brown hair and blue glasses . 0 +Bobby Osborne worked with The Osborne Brothers until Mosley 's retirement in 2003 , and then with Sonny and his band , the Rocky Top Express , until 2011 . Until Sonny 's retirement in 2003 , Mosley worked with the Osborne Brothers , and by 2011 with Bobby Osborne and his band Rocky Top Express . 0 +Some scientific applications of ordinary medicines are accepted in traditional medicine , but the underlying belief systems are seldom useful and have not been researched and accepted . Some useful applications of traditional medicines have been researched and accepted within ordinary medicine , however the underlying belief systems are seldom scientific and are not accepted . 0 +On September 28 , 2015 , Ginebra traded Mac Baracael and Dorian Peña in a four team trade that landed Joe Devance to the Ginebra . On 28 September 2015 , Ginebra Mac Baracael and Dorian Peña traded in a four team trade which landed Joe Devance on the Ginebra . 0 +Ann is married to Jennifer Aull , who works with Ann in the Greenpoint Reformed Church in Brooklyn as pastors . Ann is married to Jennifer Aull , who pastors with Ann in the Greenpoint Reformed Church in Brooklyn . 1 +The 13th World Cup season began in Austria in December 1978 and ended in March 1979 in Japan . The 13th World Cup season began in Japan in December 1978 and ended in Austria in March 1979 . 0 +In Mexico and in Sweden , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . 1 +Installation began on 29 October 2011 and the screen doors started operation on 31 January 2012 . The installation began on 29 October 2011 and the umbrella doors started operation on 31 January 2012 . 0 +He left Loughrea , County Galway after ordination for the Diocese of Clonfert in 1895 , and was appointed as a Roman Catholic priest to Maynooth between 1896 and 1904 . He left Maynooth after the consecration to the Diocese of Clonfert in 1895 and was appointed between 1896 and 1904 as a Roman Catholic priest to Loughrea , County Galway . 0 +Stuart married Kerri McKeehan , sister of TobyMac , in 1995 . In 1995 , Kerri McKeehan , sister of Stuart , married TobyMac . 0 +"It was then the capital of a province ( called "" Mauretania Prima "" ) under the Byzantine rule and was still a place of strategic importance ." "It was still the capital of a province ( called "" Mauretania Prima "" ) under Byzantine rule and was then a place of strategic importance ." 0 +"In October 1989 , Langland performed in the same theatre "" Nuts ( Homage to Freud ) "" ." "In October 1989 , Freud performed at the same theatre in "" Nuts ( Homage to Langland ) "" ." 0 +Ashe was spoken by Kari Wahlgren in English and by Mie Sonozaki in Japanese . Ashe was voiced by Mie Sonozaki in English and by Kari Wahlgren in Japanese . 0 +Chandramohan showed an interest in the character , but the character was ultimately played by Sobhan Babu . Chandramohan showed interest in character , but the character was ultimately played by Sobhan Babu . 1 +Suzanne said that she wanted Condon to give a Valentine 's Day card . Suzanne said she wanted to give Condon a Valentine 's Day card . 1 +The lying 10 meter air rifle Mixed SH1 event at the summer - Paralympics 2008 took place on 11 September at the Shooting Range Hall in Beijing . The Mixed 10 metre air rifle prone SH1 event at the 2008 Summer Paralympics took place on September 11 at the Beijing Shooting Range Hall . 0 +The magazine was based in Paris , but was released by Gerald Duckworth and Company in London . The magazine was based in Paris but was published in London by Gerald Duckworth and Company . 1 +The weather is moderately cold in winter , warm in summer . In winter the weather is moderately cold , in the summer warm . 1 +The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in 2016 in Ottawa . The winning Mike McEwen team represented Ottawa at Tim Hortons Brier in Manitoba in 2016 . 0 +Roxus supported the international bands Poison and Bon Jovi on their respective Australian tours in 1989 . In 1989 Roxus supported respective Australian bands , Poison and Bon Jovi , on their international tours . 0 +In 1867 , Natori came within the borders of the new Rikuzen Province , which later became part of Miyagi Prefecture . In 1867 , Natori came to the borders of the new province of Rikuzen , which later became part of the Miyagi Prefecture . 1 +She is Tania Cagnotto 's wife and the mother of Giorgio Cagnotto . She is the wife of Tania Cagnotto and mother of Giorgio Cagnotto . 1 +Northampton is also home to British Military Fitness in Abington Park where members can train up to 7 times a week with serving or ex-military fitness instructors . Northampton is also home to British Military Fitness in Abington Park , where members can train with service instructors or exemplary fitness teachers up to 7 times a week . 1 +Janmashtmi festival is celebrated in the village and a Mela is also organised . In the village the Janmashtmi festival is celebrated and a mela is also organised . 1 +In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then at a studio in Ridgefield . In 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then at a studio in St. Ann Street . 0 +""" Live : Legend 1999 & 1997 Apocalypse "" was first released on August 16 , 2014 , with an official trailer announced on September 11 , 2014 ." """ Live : Legend 1999 / 1997 Apocalypse "" was released on 16th August 2014 with an official trailer on September 11 , 2014 ." 0 +Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Music Academy in Budapest . Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt - Academy of Music in Budapest . 1 +"DeWees won Best Actor at the Los Angeles Method Fest Film Festival for his role as Jerry in "" Mud Season "" ." "For his role as DeWees in "" Mud Season "" won Jerry Jerry Best Actor at the Los Angeles Method Festival Film Festival ." 0 +In August 1927 , Mao ended his marriage with Yang and started a relationship with He Zizhen in early 1928 . In August 1927 , Yang ended his marriage with Mao and , in early 1928 , he began a relationship with He Zizhen . 0 +Midlake opened in Dallas and Oklahoma City and Mudhoney opened for all shows from Portland to Seattle . Midlake opened in Dallas and Oklahoma City and Mudhoney opened for all the shows from Portland to Seattle . 1 +The central shaft reached a depth of 2980 feet , and a southern shaft was dumped in 1928 to reach a depth of 3600 feet . The south shaft reached a depth of 2980 feet and a central shaft was sunk in 1928 to reach a depth of 3600 feet . 0 +Two New is an album by jazz pianist George Haslam and baritone saxophonist Mal Waldron recorded in 1995 and released on the English Sl New Two is an album by jazz pianist George Haslam and the baritone saxophonist Mal Waldron , which was recorded in 1995 and published on English Sl . 1 +""" Quest for the Silver Sword "" was written by William W. Connors . The adventure features cover art by Jeff Easley and interior art by Karl Waller ." """ Quest for the Silver Sword "" was written by William W. Connors , the adventure includes cover art by Karl Waller and interior - art of Jeff Easley ." 0 +The Lie derivative of a type relative tensor field formula _ 36 of weight formula _ 37 along ( the flow of ) a contravariant vector field formula _ 32 may be expressed as The Lie - Derivation of a contravariant tensor field formula of type 36 of Weight Formula 37 along a relative vector field formula ( the flow of ) may be expressed 0 +Upper Austria is a municipality in the Wernstein am Inn district in the Austrian province of Schärding . Upper Austria is a municipality in the district of Wernstein am Inn in the Austrian state of Schärding . 1 +"Owen Bradley has recorded "" Thank Schoen "" for her 1964 album "" By Request "" , produced by Brenda Lee ." "Owen Bradley recorded "" Danke Schoen "" for her 1964 album "" By Request "" , produced by Brenda Lee ." 1 +The agency was founded in 1976 in Milwaukee , and it entered the Chicago market in 1998 and New York in 2009 . The agency was founded in Milwaukee in 1976 and entered Chicago in 1998 and New York in 2009 . 1 +The Edmonton Oilers became the first National Hockey League team in Alberta as they were absorbed by the NHL when the WHA folded . The Edmonton Oilers became the first NHL team in Alberta when they were absorbed by the National Hockey League than the WHA folds . 1 +The tributary Mauses Creek has Mahoning Creek upstream of its mouth and joins a watershed area of . The tributary of the Mauses Creek joins the Mahoning Creek upstream of its mouth and has a watershed . 0 +In the first phase of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the final : In the final round of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first lap . 0 +Epigenomics is a molecular diagnostics company headquartered in Berlin , Germany with a wholly owned subsidiary , Epigenomics Inc. based in Seattle , WA . Epigenomics is a molecular diagnostics company based in Berlin , Germany , and a wholly owned subsidiary , Epigenomics Inc. , headquartered in Seattle , WA . 1 +The Nelson River flows into Cross Lake from Playgreen Lake then flows from two channels into Lake Winnipeg . The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows from two channels into Cross Lake . 0 +Their appearance ranges from clear with sediment to completely cloudy , and their colour ranges from almost colourless to amber to brown . Their appearance ranges from clear sediment to completely cloudy , and their colour ranges from almost colourless to amber to brown . 1 +A synthetic instrument is a kind of virtual instrument that is defined purely by software . A virtual instrument is a kind of synthetic instrument that is purely defined by software . 0 +Fowey Rocks Light is located seven miles southeast of Key Biscayne at Cape Florida . Fowey Rocks Light is located seven miles southeast of Key Biscayne on Cape Florida . 1 +In 1516 , the Mundy family owned the manor house of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . In 1516 , the Mundy family owned the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . 0 +The consolidated projects under the IDGC Holding main investment program for 2011 are as follows : The consolidated projects under the IDGC Holding 's main investment programme for 2011 are as follows : 1 +James , Edwin and Charles , all served in the US Army . Everyone , James , Edwin and Charles , all served in the US army . 1 +Appley runs into the village of Shevington Vale , which is within the Greater Manchester border . Appley converges into the village of Shevington Vale which is within the Greater Manchester border . 0 +"The primary systems at different airports consist of two secondary radar systems , the "" large "" and the "" sophisticated "" surveillance radar ." "The sophisticated systems at large airports consist of two different radar systems , the "" primary "" and the "" secondary "" surveillance radar ." 0 +He was the brother of actor Barry Lupino ( 1882 - 1962 ) and the father of Ida Lupino . He was the brother of the actor Ida Lupino ( 1882 -- 1962 ) and father of Barry Lupino . 0 +The larvae are initially black with white spots . The larvae are white initially with black spots . 0 +Under Phil Testa and later Nicky Scarfo was served by Frank . Frank served under Phil Testa and later Nicky Scarfo . 1 +In 1998 , general elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . In 1998 , general elections were held in India after the government convened in 1996 collapsed and the 12th Lok Sabha was elected . 0 +He is best known for illustrating some books by Edgar Rice Burroughs , and covers for books by Gerald Durrell . He is best known for presenting some books by Gerald Durrell and covers for Edgar Rice Burroughs ' books . 0 +Although this de facto standard is now officially known as ReplayGain , it was originally called replay gain , and is sometimes abbreviated as RG . Although this de facto standard is sometimes known as ReplayGain , it was originally known as Replay Gain and is now formally abbreviated RG . 0 +"The British version of "" Sale of the Century "" , hosted by Anglia Television , was produced by Nicholas Parsons ." "The United Kingdom version of "" Sale of the Century "" , hosted by Anglia Television , was produced by Nicholas Parsons ." 1 +Thus a tangential polygon is a regular polygon . Regular polygon is thus a tangential polygon . 0 +In 1989 , he traveled to South Africa , Johannesburg , and Angola , Mozambique on a peace-seeking mission . In 1989 he travelled on a peace-seeking mission to Mozambique , Johannesburg and Angola , South Africa . 1 +During the hearings , it was revealed that neither Lewis nor Forbes knew that Claude had feathered the number . During the hearings , it was revealed that neither Claude nor Forbes knew that Lewis had feathered the No . 0 +"The hyperbolic case is similar , with the area of a disk of intrinsic radius "" R "" in the ( constant curvature formula _ 83 ) hyperbolic plane given by" "The hyperbolic case is similar , with the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic plane given by" 1 +She has also published biographies , of the Nobel laureate Octavio Paz and artist Juan Soriano . She has also published biographies by the Nobel laureate Octavio Paz and artist Juan Soriano . 1 +In addition to his Olympic experience , Foxall has also been associated with Dinghy , Offshore and American Cup sailing . In addition to his offshore experience , Foxall has also been associated with dinghy , Olympic and America 's Cup sailing . 0 +In 1955 , Bruno Caloi died , and the company was led by his son Guido until 1999 . Guido died in 1955 , and the company was managed until 1999 by his son Bruno Caloi . 0 +"According to Jon Uren , marketing director of Warner Music Europe , the song also had "" early "" fantastic support across Europe ." "According to Jon Uren , Marketing Director of Warner Music Europe , the song also had an "" early "" fantastic support across Europe ." 1 +He only lost 3 and he has also saved two games . He also saved 3 and he only lost two games . 0 +Manuela Maleeva defeated Hana Mandlíková by 6 -- 4 , 6 -- 2 . Manuela Maleeva defeated Hana Mandlíková by 6 -- 4 , 6 - 2 . 1 +The river is located between the Amazon River and the Negro River . The river is situated between the Negro River and the Amazon River . 1 +The Antalya tour is a cycling race in Turkey . The Tour of Turkey is a cycling race held in Antalya . 0 +"Hugh Lawson Cansler was born in 1871 in Maryville , Tennessee , as son of Laura Scott ( originally "" Cansler "" ) and Gentzler ." "Cansler was born in 1871 in Maryville , Tennessee , the son of Hugh Lawson Cansler ( originally "" Gentzler "" ) and Laura Scott ." 0 +He was born on March 14 , 1981 in Erdington , West Midlands , and has an older brother , Cartwright , who is also an actor . He was born on March 14 , 1981 in Erdington , West Midlands , and has an elder brother , Che Cartwright , who is also an actor . 0 +Aditya is carried onto a tiny island where he helps the magical locals to defeat the giant Jhamunda . Aditya is carried to a tiny island where he helps the magical locals defeat the giant Jhamunda . 1 +"In 2007 , the security director of Wilkos left Jerry Springer "" to host his own syndicated talk show ." "In 2007 , security representative Jerry Springer left Wilkos "" to host his own syndicated talk show ." 0 +Károli started his school years in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy and ordered the Synod of Gönc in 1566 . Károli started his school in Nagykároly , graduated in Brassó , went to the Wittenberg Academy in 1556 and ordered the Synod of Gönc in 1566 . 0 +Its capital was Nuuk ( modern Godthaab ) . Its capital was Godthaab ( modern Nuuk ) . 0 +Baby Boom is a 1987 romantic comedy film directed by Nancy Meyers , produced by Charles Shyer and Shyer , and written by Meyers and Bruce A . Baby Boom is a romantic comedy in 1987 , directed by Nancy Meyers , produced by Charles Shyer and Shyer , written by Meyers and Bruce A . 1 +Another memorable ruler was Max Franz ( founded in 1784 -- 1794 ) , who ruled the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( ruled in 1784 -- 1794 ) , who founded the university and spa quarter of Bad Godesberg . 0 +Sydney also has a small street art scene . Perth 's street art scene includes Newtown area graffiti and street art . Sydney has also a small street art scene Perth 's street art scene includes newtown area graffiti and street art . 1 +Lignoceric acid , or tetracosanoic acid , is the saturated fatty acid with formula CHCOOH . Lignoceric acid or tetracosanic acid is the saturated fatty acid with CHCOOH formula . 1 +He returned to Kaufbeuren in 1720 , but became parish minister of Augsburg in 1723 . In 1720 he returned to Augsburg , but became Prime Minister of Kaufbeuren in 1723 . 0 +Cooper was a motorcycle company that built off-road motorcycles in Mexico . Cooper built a motorcycle company which was in Mexico off-road motorcycles . 0 +When she left the train station , instead of turning right to take the shortest route to her home in Flower and Dean Street , turn left towards Aldgate . When leaving the station , instead of turning right to take the shortest route to her home in Flower and Dean Street , she turned left towards Aldgate . 1 +The Royal Thai Government officially turned Korat over to the USAF on 26 February 1976 . On February 26 , 1976 , the USAF officially handed over the Korat to the Royal Thai Government . 0 +Yomiko attempted to stop Joker for ethical purposes , and Joker ordered to have her arrested . Yomiko ordered Joker to stop for ethical reasons , and Joker attempted to have her arrested . 0 +Lemmings , by contrast , are conspicuously colored and behave aggressively towards predators and even human observers . By contrast , lemmings are conspicuously colored , and behave aggressively to predators and even human observers . 1 +The following units and commanders fought in the Battle of Changde ( late November -- early December 1943 ) , the Second Chinese - Japanese War . The following units and commanders fought in the Battle of Changde ( late November -- early December 1943 ) , of the Second Sino-Japanese War . 1 +He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . He married Lady Florence Jane Taylour , the daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . 0 +The Ceapa River is a tributary of the Titimoiu River in Romania . The River Titimoiu is a tributary of the River Ceapa in Romania . 0 +Eupithecia demissa is a moth in the family Geometridae . It is found in Chile ( Malleco Province ) . Eupithecia demissa is a moth in the family Geometridae It is found in province of Malleco ( Chile ) . 1 +Nick Swisher opened the top of the fifth inning with a double and achieved in a single to center field by Andy Pettitte . Andy Pettitte opened the top of the fifth inning with a double and scored on a single to center field by Nick Swisher . 0 +Here he helped with performances of the Association of Young People from the Parish Saint-Sulpice , and began to recite poems with this association . Here he helped with performances given by the association of young people from the parish of Saint-Sulpice , and began to recite poetry with this association . 1 +It is hosted by Daryl Somers and hypnotist Keith Barry who is the hypnotist on the British version . It is hosted by Keith Barry and hypnotist Daryl Somers , who is the hypnotiser on the British version . 0 +The SAS curve ( Surprise Aggregate Supply ) is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . The SAS ( Surprise aggregate supply ) curve is in the aggregate run a vertical line called the EAS ( Equilibrium long Supply ) curve . 1 +The first to die during the work was Wenzel Render , a privileged imperial mason and monumental architect . Wenzel Render , a privileged imperial mason and monumental architect , was the first to die . 1 +There are almost 2,000 islands along the coastline , about three quarters of which are uninhabited . There are nearly 2,000 islands along the coastline , of which about three quarters are uninhabited . 1 +The 20th Amber Tournament was held in Monaco in 2011 , as well as the first amber tournament . The first Amber Tournament was held in 2011 in Monaco , as was the 20th Amber Tournament . 0 +A few years later , after Obasanjo died and General Abdulsalami Abubakar took power , General Abacha was released and pardoned . General Abacha was released and pardoned a number of years later after Obasanjo died and after General Abdulsalami Abubakar took power . 1 +It was developed along the Elk River , at the confluence with Brazeau River , in the hydrographic basin of the North Saskatchewan River . It was developed along the Elk River , at the confluence of Brazeau River , in the hydrographic basin of the North Saskatchewan River . 1 +The district , as originally proposed , was larger to include the commercial areas to the west of Maple Avenue , including ancient buildings , the Galleria and Shrewsbury Avenue . The district , as originally proposed , was larger to include the commercial areas west of Shrewsbury Avenue , including the ancient buildings , the Galleria and Maple Avenue . 0 +The song was written and composed by Gilles Thibaut . The song was composed by Gilles Thibaut and written by . 0 +Morrow can mean either the next day in general or the future in particular . Morrow can either mean the next day in general , or the future in particular . 1 +Edwards subsequently apologised to Fletcher and compensated him for the flowers . Subsequently , Edwards apologized to Fletcher and compensated him for the flowers . 1 +"In October 1989 , Freud performed at the same theatre in "" Nuts ( Homage to Langland ) "" ." "In October 1989 , Langland performed in the same theatre 's "" Nuts ( Homage to Freud ) . """ 0 +Aardam is a former hamlet in the Dutch province of South Holland and is now incorporated into the town Ter Aar , part of the municipality Nieuwkoop . Aardam is a Dutch hamlet in the former South Holland province and is now integrated into the town of Ter Aar , part of the municipality of Nieuwkoop . 0 +Today are the railheads for the Alma Township Wellsville and Friendship . Today the railheads for Wellsville are Alma Township and Friendship . 0 +In Golitsyno there is a railway station of the same name on the Moscow Railway Minsk . The railway station of the same name is located in Moscow on the Golitsyno -- Minsk railway line . 0 +The returning Carrawell , who played with Sta.Lucia three years ago for the last time , replaces Isaac Fontaine . The returning Isaac Fontaine , who last played Sta.Lucia three years ago , replaces Carrawell . 0 +Sigmatel was later sold to Freescale Semiconductor . Freescale 's semiconductor was later sold to Sigmatel . 0 +The Salcia River ( or Moca River ) is a tributary of the Mouca River in Romania . The River Mouca ( or Moca River ) is a tributary of the River Salcia in Romania . 0 +A few weeks later , HumansVsZombies.org defended his position in an interview with Fixell . A few weeks later , in an interview with HumansVsZombies.org , Fixell defended his position . 0 +"The only values from "" n "" to 600000 , for which there are more pythagorean than non-pythagorean odd primes , are for example 26861 and 26862 ." "For example , the only values of "" n "" up to 600000 for which there are more non-Pythagorean odd than Pythagorean primes are 26861 and 26862 ." 0 +The 13th Troop Carrier Squadron was consolidated with the 913th Air Refueling Squadron in September 1985 but the consolidated squadron has not been active since . The 913th troop carrier squadron was consolidated in September 1985 with the 13th air refuelling squadron , but the active squadron has not been consolidated since then . 0 +The settlement Smicksburg is the third largest in Pennsylvania and the eleventh largest in the United States . The Smicksburg settlement is the third largest in Pennsylvania , and the eleventh largest in the U.S . 1 +Teewurst was invented in Pomerania , probably in the small Baltic town of Rügenwalde ( now Darłowo , Poland ) , in the middle of the 19th century . Teawurst was invented in the middle of the 19th century in Pomerania , probably in the small Baltic town of Rügenwalde ( today Darłowo , Poland ) . 1 +The band consisted of Anders Hector , Claes Bure , Peter Björk , Peter Forbes , Roger Capello and Chino Mariano . The band consisted of Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector , Chino Mariano . 1 +On 1 July the judge in Madrid , Rodrigo de Arce , issued a death sentence against Antonio Pérez . On 1 July , the judge in Madrid , Antonio Pérez , issued a death penalty against Rodrigo de Arce . 0 +Twenty dated Jacobite metropolitans of Melitene between the ninth and twelfth centuries are mentioned in the lists of Michael the Syrian . Twenty dated Jacobite metropolitans of Melitene between the twelfth and ninth centuries are mentioned in the lists of Michael the Syrian . 1 +36.4 % were Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % of Scottish origin according to the 2000 census . According to the 2000 census , 36.4 % of Finnish , 10.2 % Swedish , 9.2 % were German , 7.1 % Italian and 5.4 % Scottish origin . 0 +"In popular culture , "" Pokarekare Ana "" was used as the theme song for the 2005 South Korean film "" Crying Fist "" ." "In South Korean culture , "" Pokarekare Ana "" was used as title song for the popular film "" Crying Fist "" 2005 ." 0 +"In the comic thriller , "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." "In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , some of Edward 's ancestors , along with Byron , are poisoned ." 0 +Ink of a third color , and a much softer consistency , is then applied to the lower areas of the plate with a stiffer rubber roller . Then ink of a third color and a much softer consistency with a stiffer rubber roll is applied to the lower parts of the plate . 1 +"The former actor James Whitmore , who appeared in the TV series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! "" ." "The former actor Conlan Carter , who appeared on the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ 0 +"Based on the "" Disney Fairies "" franchise , it was animated by Prana Studios and produced by DisneyToon Studios ." "Based on the "" Disney Fairies "" franchise , it was produced by DisneyToon Studios , animated by Prana Studios ." 0 +Reena calls Anjali , a BNTV reporter at Everest - base camp and Arjun 's former lover . Anjali calls Reena , a BNTV reporter at Everest - base camp and Arjun 's former lover . 0 +""" Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources for the data used are specified ." "Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources of the data used are provided ." 0 +The two methods are condensed for 31 enharmonic temperament , where E and G are equal . The two methods are conflated for 31 enharmonic temperament , where E and G are equal . 1 +Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the twenty-first century constitutional traditional monarchies of Uganda . Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the constitutional traditional monarchies in 21st century Uganda . 1 +AB InBev remains the largest brewery in second place with SABMiller and Heineken International is third . AB InBev remains the largest brewery in second place with Heineken International and SABMiller is third . 0 +"The Allmusic - Review by Michael Erlewine awarded the album with 4 ½ stars and stated : "" Another award-winning album with Sonny Clark and pianist Green "" ." "The Allmusic review by Michael Erlewine awarded the album 4 ½ stars and stated "" another excellent album with Sonny Clark and pianist Green "" ." 1 +"In 2015 , Bookboon was mentioned in newspapers such as the German "" Handelsblatt "" and one of its Swedish books was featured in the Swedish Metro ." "In 2015 , Bookboon was mentioned in newspapers such as the German Handelsblatt "" , and one of its Swedish books was presented in the Swedish U-Bahn ." 1 +From 1964 to 1968 , SR 82 continued past its current end north on Bayshore Boulevard to Alemany Boulevard in San Francisco ( see below ) . From 1964 to 1968 , the SR 82 continued at its current end north on Alemany Boulevard to the Bayshore Boulevard in San Francisco ( see below ) . 0 +The unique art & style of this idol is structural and it is in perfect proportion . The structural art and the style of this idol is unique and is in perfect proportion to it . 0 +The first Syracuse Chiefs baseball team were established in 1934 , when the Jersey City Skeeters moved to Syracuse and was renamed the Chiefs . The first baseball team of the Syracuse Chiefs was founded in 1934 , when the Jersey City Skeeters were moved to Syracuse and renamed to Chiefs . 1 +"For example , in Ngapoi , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga-Wang Jigmê "" his personal name ." "In Ngapoi Ngawang Jigme "" Ngapoi "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." 0 +Grossman was injured later in the season , however , and temporarily relieved of Griese . However , Griese was temporarily injured in the season , and later relieved by Grossman . 0 +Yakov Fuchs and character performers were the parents of the famous Polish-American actor Leo Fuchs . She and character actor Yakov Fuchs were the parents of the famous Polish-American actor Leo Fuchs . 1 +The town was founded in 1899 by Jacob A. Bartles and named after Admiral George Dewey . Founded in 1899 by George Dewey , the town was named after Admiral Jacob A. Bartles . 0 +The main international airport is the Douala International Airport and a secondary international airport at Yaoundé Nsimalen International Airport . The main international airport is Douala International Airport and the second international airport at Yaoundé Nsimalen International Airport . 1 +Although no portrait of Kamo remains , it is said that he was a small man with very pale skin and large eyes . Although no portrait of Kamo remains , it is said that he was a little man with very pale skin and large eyes . 1 +The series ends with Cassie reconciling with Wonder Woman , who tells Cassie that she has become her own woman . The series ends with Cassie reconciling with Wonder Woman , whom Cassie tells that she has become her own woman . 1 +It is about five miles southeast of Jerseyville and about seven miles northwest of Godfrey along the US Highway 67 . It is located about five miles southeast of Jerseyville and about seven miles northwest of Godfrey along US Highway 67 . 1 +The spokesman was Thomas Bain first , and later James David Edgar . The Speaker was first Thomas Bain , and later James David Edgar . 1 +Six were from Nevada , 35 from California , 13 from other states , and four from Canada . Six came from Nevada , 35 from California , 13 from other states and four from Canada . 1 +Aenetus blackburnii ( Blackburn 's ghost moth ) is a moth of the Hepialidae family , which is spread from Australia , where it is widely known . Aenetus blackburnii ( Blackburn 's ghost moth ) is a moth of the family Hepialidae . It is known from Australia , where it is widely distributed . 0 +It is currently being represented by Senator Christy Zito , Republican of Rogerson , Representative Megan Blanksma , Republican of Hammett , representative Bert Brackett and Republican of Hammett . It is currently being represented by Senator Bert Brackett , Republican of Rogerson , Representative Christy Zito , Republican of Hammett , and Representative Megan Blanksma , Republican of Hammett . 0 +The body is compact with large head , long wings and short tail . The body is compact with a large head , long wings and short tail . 1 +Vladimír Železný ( born 3 March 1945 in Samara , Soviet Union ) is a media businessman and politician in the Czech Republic . Vladimír Železný ( born March 3 , 1945 in Samara , Soviet Union ) is a media businessman and politician in the Czech Republic . 1 +Chananian is a village in Azad Kashmir of Leepa Valley , Hattian Bala District , Pakistan . Chananian is a village in Azad Kashmir , the Leepa Valley , Hattian Bala District , Pakistan . 1 +The chief editor is Michael Mullins and the assistant editor is Tim Kroenert . The chief editor is Michael Mullins and the assistant is Tim Kroenert . 1 +Peru is one of thirty-three districts of the province Yauyos in San Pedro de Pilas District . Peru is one of thirty-three districts in the province of Yauyos in the district of San Pedro de Pilas . 1 +Ocellochiton is an extinct polyplacophoran - mollusc . Ocellochiton is an extinct of polyplacophoran mollusc . 1 +Kenny enters the house and frees Brent when Jody fights with Marliston , who manages to brutally kill him . Kenny enters the house and frees Brent as Jody fights with Marliston , who manages to brutally kill him . 1 +Adrenal hormones , especially glucocorticoids such as cortisol , are essential for prenatal development of organs , particularly for the maturation of the lungs . Adrenal hormones , particularly glucocorticoids like cortisol , are essential for the prenatal development of organs , especially for the maturation of the lungs . 1 +This album is the first album with the pianist Ethan Iverson , who replaced Orrin Evans . This album is the first album with pianist Ethan Iverson who replaced Orrin Evans . 1 +His father was Hoani Uru , a farmer , and his mother was Cataraina Kaiparoa . His father was Kataraina Kaiparoa , a farmer , and his mother was Hoani Uru . 0 +"The new album "" Deathstar Rising "" has cracked the Finnish album Top 10 and reached place 8 in the first week of March 2011 ." "The new album "" Deathstar Rising "" cracked the Finnish Album Top 10 and reached # 8 in first week of March 2011 ." 1 +He was probably born in Flanders , but emigrated to Hamburg , where he received nationality in 1400 . He was probably born in Hamburg , Germany , but emigrated to Flanders , where he received citizenship in 1400 . 0 +January 8 : Received Kyle Kubitza and Nate Hyatt from the Kansas City Royals for Ricardo Sanchez . 8 January : reception of Kyle Kubitza and Nate Hyatt for Ricardo Sanchez from the Kansas City Royals . 1 +Pemberton Township is located in the 8th Congressional District and is part of the 3rd State Legislative District in New Jersey . Pemberton Township is located in the 3rd Congressional District and is part of the 8th State Legislative District in New Jersey . 0 +Sheffield Wednesday signed Evans from Huddersfield Town on July 12 , 2002 as a backup to Kevin Pressman . Sheffield Wednesday signed Evans from Huddersfield Town on a free transfer on 12 July 2002 as backup to Kevin Pressman . 1 +Mimi Sodré was a student at the Naval Academy after reading a book by Baden Powell , called Scouting for Boys , when he was interested in scouting . Mimi Sodré was a student at the Naval Academy when after reading a book by Baden Powell named Scouting for Boys , he became interested in Scouting . 1 +He was a member of the General Council of the Jura for the Canton of Beaufort , then in 1877 a municipal councilor . He was a member of the municipal council of Jura for the canton of Beaufort , then general councilor in 1877 . 0 +Many of these now live in Cochin , Tamil Nadu , Gujarat , Chennai , Bangalore , Karnataka , Andhra Pradesh , Vijayawada , Mysore , and Mumbai . Many of them now live in cochin , Tamil Nadu , Andhra Pradesh , Karnataka , Gujarat , Chennai , Bangalore , Vijayawada , Mysore and Mumbai . 1 +Stony Creek water is the hardest water in the Nescopeck Creek watershed , with a concentration of more than 100 milligrams of dissolved minerals per liter . The water of the Nescopeck Creek is the hardest water in the Stony Creek watershed with a concentration of over 100 milligrams of minerals per liter . 0 +Kulappully falls under the constituency of Palakkad Assembly and the Shornur constituency . Kulappully falls under the Palakkad assembly constituency and the Shornur parliament constituency . 1 +The village has three schools - a secondary and two primary schools . The village has three schools -- a secondary and two primary schools . 1 +The series was created by Mike Roberts and is written by Matt Mariska and Andy Sipes . The series was created by Matt Mariska and Andy Sipes and is set to be written by Mike Roberts . 0 +The single was released digitally and distributed by Fiera Music / Sony Music Entertainment Korea worldwide . The music video was certified by VEVO . The single was distributed worldwide and certified digitally by Fiera Music/Sony Music Entertainment Korea and the music video was released by VEVO . 0 +"Nuuluk Island ( old spelling : "" Nûluk "" ) is an uninhabited island in the Qaasuitsup municipality in northwest Greenland ." "Qaasuitsup ( old spelling : "" Nûluk "" ) is an uninhabited island in the municipality of Nuuluk Island in northwestern Greenland ." 0 +At present , it is the third most common language in international trade and the second most common in politics , diplomacy and culture after English and French . At present it is the second most used language in international trade , and the third most used in politics , diplomacy and culture after English and French . 0 +The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( municipal movement ) . The independent holiday is October 1 . Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1st . 0 +Chinese dumplings were influenced and brought by Indonesian immigrants to Indonesia . Indonesian dumplings were influenced by Chinese immigrants and brought to Indonesia . 0 +The father was an influential writer on agricultural law and poor issues between 1825 and 1828 . The father was an influential writer on poor law and agricultural questions between 1825 and 1828 . 0 +Thrincophora signigerana is a type of moth of the family Tortricidae it is found in Australia ( including Tasmania , Victoria and Southern Australia ) . Thrincophora signigerana is a species of moth of the family Tortricidae . It is found in Australia ( including South Australia , Victoria and Tasmania ) . 1 +Dorset is a town in western Vermont , in the Taconic Range of northern Bennington County . Dorset is a city in western Vermont , Taconic Range in the northern part of Bennington County . 1 +In the great freedom movement he came to Indian congressional leaders like Rajagopalachari , Tanguturi Prakasam , and Bulusu Sambamurthi . In the Indian freedom movement he came to great congress leaders like Rajagopalachari , Tanguturi Prakasam , and Bulusu Sambamurthi . 0 +Giuseppe begs his father and his brother Fabrizio to help him dress more presentably for Clara . Fabrizio asks his father and his brother , Giuseppe , to help him dress more for Clara . 0 +( The EL - succeeded Conrail in 1982 sold the old main route Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway . ) ( EL - Successor Conrail sold the old New York main route to Cassville , Susquehanna , and Western Railway in 1982 through Utica , Chenango , and Susquehanna Valley . ) 0 +"Eduardo Rivadavia of "" AllMusic "" praised "" Restless and Wild "" with 4.5 of 5 stars and called it the "" creative breakthrough "" ." "Eduardo Rivadavia of "" AllMusic "" praised "" Restless and Wild "" with 4.5 out of 5 stars and called it Accept 's "" creative breakthrough . """ 1 +On 10 November 2015 , ATP editor Josh Meiseles confirmed the final list of 8 players on the ATP World Tour official website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the final website of the ATP World Tour . 0 +The cooperative national weather station reports that Occidental has warm , dry winters and cool , wet summers . The cooperative national weather station reports that Occidental has cool , wet winters and warm , dry summers . 0 +After passing through Bryson City and the Little Tennessee River , the Tuckasegee flows southwest for another before flowing into the Bryson City Island Park . After passing through Bryson City and the Bryson City Island Park , the Tuckasegee flows southwest for another before flowing into the Little Tennessee River . 0 +There is also a team format where the team benefits a local business and the winner represents a charity . There is also a team format where the team represents a local business and the winner benefits from a charitable organisation . 0 +Zabolotye Lake ( is a lake in the district of Sergiyev Posad of Moscow Oblast . The Zabolotye lake ( is a lake in the Sergiyev Posad District of Moscow Oblast . 1 +Brush Valley Township was formed in 1835 from Wheatfield Township and named after the valley of Brush Creek . Brush Valley Township was formed from Wheatfield Township in 1835 , and named for the valley of Brush Creek . 1 +Fox played internationally for Canada twice , at the 1990 and 1994 FIBA World Championships . He played twice internationally for Canada at the 1990 and 1994 FIBA World Championships . 1 +It is located to the north of Blountstown and east of Altha on the west bank of the Apalachicola River , It is located north of Blountstown and east of Altha on the west bank of the Apalachicola River , 1 +It currently serves as the newspaper for Galveston , as well as Galveston County . It currently serves as the newspaper of record for Galveston , as well as Galveston County . 1 +Technetium forms the simple complex . The potassium salt is isostructural with . The simple complex forms the technetium , whose potassium salt is isostructural . 1 +Has a renowned glass art centre , built and run by Osamu and Yumiko Noda , graduates of Illinois State University , where they studied with Joel Philip Myers . Has a renowned glass art center , built and run by Osamu and Yumiko Noda , graduates of Illinois State University , where they studied with Joel Philip Myers . 1 +The CCV presents miniature versions of important historical buildings and buildings , together with local customs . The CCV presents miniature versions of local buildings and structures , together with important historical customs . 0 +The national symbols of Estonia are flags , coats of arms , icons or cultural expressions that are emblematic , representative or otherwise characteristic of Estonia or Estonian culture . The national symbols of Estonia are flags , coat of arms , icons or cultural expressions that are emblematic , representative or otherwise characteristic of Estonia or Estonian culture . 1 +He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . In Sweden and in Mexico , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . 1 +Crisp was again retained as line coach after the resignation of Drew and the hiring of Jennings B. Whitworth in December 1954 . After the resignation of Drew and the attitude of Jennings B. Whitworth in December 1954 , Crisp was retained as a line coach . 1 +If the liquid is incompressible , the constant volume is molar , Formula 23 , and the integral is Formula 24 . Thus , we will If the liquid is incompressible the constant volume becomes molar , formula _ 23 , and the integral is formula _ 24 . Thus , we get 1 +Peoria is part of Peoria County , IL Metropolitan Statistical Area . Peoria County is a part of the Peoria , IL Metropolitan Statistical Area . 0 +Cypress County is served by the Federal Electoral Division of MHCW and represented in the Canadian House of Commons by the Conservative MEP GLEN MOTZ . Cypress County is represented by the Federal Electoral Division of MHCW and served by the conservative member GLEN MOTZ in the Canadian House of Commons . 0 +Julia had also told Do privately that she had read their letters to Elinor . Julia had also privately told Do that she had read her letters to Elinor . 1 +It was destroyed and rebuilt in 1446 , and it was abandoned in 1551 . It was abandoned in 1446 and destroyed in 1551 and rebuilt . 0 +John Higgins lost the third round of the UK Championship against Carter in 6 -- 2 . John Higgins lost in 6 -- 2 the third round of the UK Championship to Carter . 1 +In 1496 his son Alexander Jagiellon granted privilege and extended the city with Magdeburg laws . His son , Alexander Jagiellon granted the privilege in 1496 and extended the town with Magdeburg Laws . 1 +The game was released on September 12 , 2008 in Europe and on September 22nd in North America . The game was published on September 12 , 2008 in North America and on September 22 in Europe . 0 +In October 2017 , the school joined Outwood Grange Academies Trust , and became Outwood Academy Redcar . In October 2017 , the Outwood Grange Academies Trust school , and joined the Outwood Academy Redcar . 0 +In 1999 , Trinity merged with Trinity Mirror to Mirror Group Newspapers , the largest stable in the country 's newspapers . In 1999 Trinity merged with Mirror Group Newspapers to become Trinity Mirror , the largest stable of newspapers in the country . 0 +Mallapur is a village and Jagtial district in the state of Telangana in India . Mallapur is a village and in Jagtial district in the state of Telangana in India . 1 +During the live performances Oli Müller supported the band as a bassist , and Adi Amstutz left the band . Oli Müller left the band as a bassist in the live performances , and Adi Amstutz supported the band . 0 +The Innerpeffray Library is a current subscription library and was the first library in Scotland.The historic library building was completed in 1762 and is listed in category A . Innerpeffray Library is a current subscription library and was the first lending library in Scotland . The historic library building was completed in 1762 and is Category A listed . 1 +Tony and Mary Murphy work with Len Goodman in an Infomercial for the Core Rhythms Workout system . Tony and Mary Murphy appear along with Len Goodman in an infomercial for the Core Rhythms workout system . 1 +Separate lists are provided for the 61 listed properties and historic districts of Evanston and the more than 350 listed properties and districts in Chicago . Separate lists are provided for the 61 listed properties and historic districts in Chicago and more than 350 listed properties and districts in Evanston . 0 +According to the United States Census Bureau , Waverly Township is a total surface area of which has land and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township has a total area of , of which is land and , or 9.21 % , is water . 1 +He attended primary and secondary school , and studied preparatory architecture at the ( IAVA ) . He attended preparatory school at the , and studied primary and secondary architecture at the ( IAVA ) . 0 +After leaving Louise Redfield in 1975 , Mary Ann Pederson took over the show until 1981 . After Mary Ann Pederson in 1975 , Louise Redfield left the show until 1981 . 0 +"Franz Josef Land , Archangelsk Oblast , Russia ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in the Hall - Island ." "Hall Island ( Russian : "" Остров Галля "" ; "" Ostrov Gallya "" ) is an island in Franz Josef Land , Oblast Archangelsk , Russia ." 0 +Mark , Nadine and Danielle have visible their pictures in the school case . Mark , Nadine , and Danielle have their pictures visible in the school display case . 1 +She reached Sydney on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . She reached Melbourne on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . 0 +Pepsi Next was first launched in March 2013 in France , in March 2014 in Finland and Canada . Pepsi Next was first introduced in Finland and Canada in March 2013 , and in France in March 2014 . 0 +All positions except for those appointed by the Director and the Office of the Student Media Student Media are held by the President of the University . All positions except for those appointed by the director and Office of Student Media student leaders , are held by the president of the university . 1 +A counterclockwise angle in one figure would correspond to a clockwise angle in the other . A clockwise angle in a character would correspond to a counterclockwise angle in the other figure . 0 +In 2004 , Bessonova won the around-all silver medal at the 2004 European Championships . In 2004 Bessonova won the Allround - Silver Medal at the European Championships 2004 . 1 +Each layer is layered on its own and cooked and baked in a pan until the top is tanned . Each layer is cooked on its own and layered in a pan and baked until the top is browned . 0 +Manchester is a town in northern Bennington County , Vermont , with its village center on the east side of Equinox Mountain . Manchester is a city in northern Bennington County , Vermont , with its village center on the east side of the Equinox Mountain . 1 +In 1993 , at Kuban State University , he graduated as a philologist and teacher of the same language , and in 1995 he graduated from the Russian University as a lawyer . In 1993 he graduated from the Kuban State University as a philologist and teacher of the Russian language , in 1995 , the same University as a lawyer . 0 +A market was perceived for future tours and destinations . Scandinavia was in April 1975 and there followed another tour to Switzerland in September . A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September another tour was taken in Switzerland . 1 +He studied music history with Guido Adler and Curt Sachs at the University of Vienna and studied composition with Hans Gál . He studied music history with Hans Gál at the University of Vienna and studied composition with Guido Adler and Curt Sachs . 0 +She was temporarily involved with the author Alexander Roda Roda , who also integrated the experience in his writing . She was temporarily engaged with the author Alexander Roda Roda , who also integrated the experience in his writing . 1 +Considerable resistance from established Vignerons against American vines remained , and official policy still favoured the eradication of the vineyards affected . Considerable resistance remained from established vignerons to American vines and official policy still favoured the eradication of affected vineyards . 1 +In October 1930 , Barnard planned to accompany Charles Kingsford Smith on a record flight to Australia , but Kingsford Smith made it a solo flight . In October 1930 , Barnard planned to join Charles Kingsford Smith on a record breaking flight to Australia , but Kingsford Smith made it a solo flight . 1 +Hussain has received 432 votes , and his only rival , Wajihuddin Ahmed , secured 77 . Hussain secured 432 votes and his only rival Wajihuddin Ahmed received 77 . 0 +The colonies are typically opaque and may become yellowish over time . Colonies are typically opaque and may become yellowish over time . 1 +The Karmøy area today refers to the southern part of the island of Skudenes . Today , Skudenes refers to the southern part of the island of Karmøy . 0 +Specific light wavelengths contained in the quantized light from stars can be separated out and related to the observed transitions in free gas atoms . Specific light wavelengths contained in the observed light from stars can be separated and related to the quantized transitions in free gas atoms . 0 +In 1914 the Sunset Hotel was closed and the Oceanic Hotel bought by John Barber . In 1914 , the Oceanic Hotel closed and the Sunset Hotel was purchased by John Barber . 0 +While these two stations are located relatively close to each other , the two stations are not interchangeable ; they are situated along different parts of Pudian Road . While these two stations are relatively close to each other , the two stations are not interchangeable , but are located along different parts of the Pudian Road . 1 +In 1956 , Charlotte Popescu married Julian Popescu and had four children , including Christine , who also wrote child pony books . In 1956 , Christine married Julian Popescu and had four children , including Charlotte Popescu , who also wrote children 's ponybooks . 0 +In this 75 minute production , filmmaker , Dan Jason meets Jocelyn Demers on Salt Spring Island . In this 75 - minute production , filmmaker Dan Jason will meet Salt Spring Island on Jocelyn Demers . 0 +He graduated in 1976 from Washburn Law School and in 1979 from Kansas Newman College . He graduated in 1976 from Kansas Newman College and in 1979 from the Washburn Law School . 0 +Compared to the broad waters of a mill pond , the narrow current is quick and powerful . Compared to the broad waters of a mill pond , the narrow current is swift and powerful . 1 +He spent his exile in Italy and preached in France to Gareccio , where he preached . He spent his exile in France and in Italy preached Gareccio , where he preached . 0 +They have also released vehicles and crew-served heavy weapons in 1 : 6 scale . They have also released vehicles and serve heavy weapons in scale 1 : 6 . 1 +28.4 % were Italian , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English and 7.7 % of Polish ancestors . 28.4 % were of Italian , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English , and 7.7 % Polish ancestries . 1 +A third album , again on Dragonfly , was then released in 2003 . A third album , once again on Dragonfly , was released in 2003 . 1 +Deepaaradhana is a 1983 Indian Malayalam film , directed by Vijayanand and produced by TK Balachandran . Deepaaradhana is an Indian Malayalam film of 1983 , produced by Vijayanand and directed by TK Balachandran . 0 +Ironton is an unincorporated community in Halbert Township , Martin County , in the U.S. state of Indiana . Ironton is an unlawful community in Halbert Township , Martin County , in the U.S. state of Indiana . 1 +The river Coruia is a tributary of the river LÄ puà in Romania . The Lăpuş River is a tributary of the Coruia River in Romania . 0 +Upper Austria is a municipality in the district of Wernstein am Inn in the Austrian federal state of Schärding . Wernstein am Inn is a municipality in the district of Schärding in the Austrian federal state of Upper Austria . 0 +The same year , he was appointed Vicar General for the Mississippi and Illinois region of the Diocese of Quebec . In the same year , he was appointed General Vicar for the Quebec region of the Diocese of Mississippi and Illinois . 0 +The radical party of the people ( Narodna radikalna stranka ) was founded in 1881 as a conservative party , but it developed into a radical direction from 1919 . The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but it developed into a conservative direction from 1919 . 0 +And procedural knowledge ( steps to do and which decision when to make ) . And procedural knowledge ( steps to make and what decision to do when ) . 1 +Several roads are named after him , including the streets in Geelong West , Brighton , Melton , Buninyong and Ballarat . Several streets are named after him including streets in Ballarat , Melton , Buninyong , Geelong West , Brighton . 1 +The constituency was like its neighbour , Scotland , one of the safest seats of Labour in Dunfermline East . The constituency was like its neighbour , Dunfermline East , one of the safest seats in Labour in Scotland . 0 +"Note : Pluto was classified as a planet when the Grand Tour was proposed and at the time "" New Horizons "" was launched ." "Pluto was classified as the planet when the Grand Tour was launched and was proposed at the time "" New Horizons "" ." 0 +In 2010 she won the 12th Nojak Literature Award , in 2011 the 57th Hyundae Literary Award and in 2015 the 10th Yi Yuksa Poetry Award . In 2010 she won the 10th Nojak Literature Award , the 57th Hyundae Literary Award in 2011 and the 12th Yi Yuksa Poetry Award in 2015 . 0 +Sean is killed on their wedding day , before the ceremony takes place , and Centaine goes to Michael for help . On the day of their wedding , Michael Michael is killed before the ceremony takes place , and Centaine goes to help Sean . 0 +According to the dictionary of the National Biography of 1885 , Ralph Acton is assigned to the first half of the fourteenth century by Leland and his supporters . After the 1885 Dictionary of National Biography , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his followers . 0 +According to the Australian engineer Sharon Beder the main advantages of marine outfalls for the discharge of wastewater are : According to the Australian engineer Sharon Beder , the main advantages of marine processes are the discharge of wastewater : 1 +22.0 % were of German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % English ancestry according to Census 2000 . 22.0 % were German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English origin according to the 2000 census . 1 +In Caringbah there are three primary schools and a series of secondary schools . There are three secondary schools in Caringbah and a number of elementary schools . 0 +Players can visit Las Vegas to store their nickel stash and increase their coins at the Cool World bank . Players can visit Las Vegas to store their nickel storage space and increase their coins at the Cool World Bank . 1 +The river is crossed by the Princes Highway east of Cann River . The river is traversed by the Cann River east of Princes Highway . 0 +Jumping is parachuting or wingsuit , flying from a fixed structure or a cliff . Jumping , is parachuting or wingsuit flying from a fixed structure or cliff . 1 +Toronto Township was a municipality until 1967 , when it became the Town of Mississauga . Mississauga was a community until 1967 when it became the municipality of Toronto Township . 0 +VirusProtectPro is a commercial malware program that claims to be a rogue - anti-spyware when it is in fact itself adware - advertising . VirusProtectPro is a commercial malware program that claims to be a rogue anti-spyware , when in fact it is , itself , adware-advertised . 1 +Taubensee played for three different ballclubs during his career : the Cleveland Indians , Houston Astros ( - ) , and Cincinnati Reds ( - ) . Taubensee played for three different ball clubs : the Cleveland Indians , Houston Astros ( - ) and Cincinnati Reds ( - ) during his career . 1 +In the above example , the topological statement is that the 3rd homotopy group is of three spheres . In the 3rd example , the above statement is that the topological homotopy group of the three sphere is 0 +The aforementioned scientists , Adam , are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Isaac Newton , Nikola Tesla , Charles Darwin , and Albert Einstein The mentioned scientists Adam are : Pythagoras , Galileo Galilei , Nicolaus Copernicus , Albert Einstein , Nikola Tesla , Charles Darwin and Isaac Newton . 1 +Hamilton is widely considered the greatest driver of his generation and often regarded as one of the best Formula One drivers in the history of the sport . Hamilton is widely considered the greatest driver of his generation and often regarded as one of the best formula 1 drivers in the history of sport . 1 +The references to New Orleans were changed to Las Vegas , a reference to the negative effects of gambling in Sin City . The references to New Orleans have been changed to Las Vegas , a reference to the negative effects of gambling in Sin City . 1 +His father , Kunjlal Ganguly , was a lawyer while his mother , Gouri Devi , was a home-maker . His father , Gouri Devi , was a lawyer , while his mother , Kunjlal Ganguly , was a housemaker . 0 +It was reported in June that Burke had signed a record contract with Syco and the album will be processed jointly by RCA Records and RCA Records . In June it was reported that Burke had signed a record deal with RCA Records and the album will be jointly handled by the Syco and RCA Records . 0 +"His admiral rejected the request until it was too late and "" Conte di Cavour "" had to use a deeper sand bank on November 12 at 04 : 30 ." "His admiral vetoed the request until it was too late and "" Conte di Cavour "" had to use a deeper , , sandbank at 04 : 30 on 12 November ." 1 +John Higgins drew a pencil portrait from Cowper and also painted landscapes . Cowper drew a pencil portrait of John Higgins , and also painted landscapes . 0 +Giedraitis is a Lithuanian family name , the Polish language version is Giedroyć . Giedraitis is a Lithuanian language family name . The Polish-language version is Giedroyć . 1 +Various authors explored the Soweto uprisings in novels , including Miriam Tlali , Mothobi Mutloatse , and Mbulelo Mzamane . Various authors explored the Soweto riots in novels , including Mbulelo Mzamane , Mothobi Mutloatse and Miriam Tlali . 1 +Following a merger with Southern Airways in 1979 , North Central Republic Airlines , which merged into Northwest Airlines in 1986 . Following a merger with Southern Airways in 1979 , North Central became Republic Airlines , which merged into Northwest Airlines in 1986 . 1 +In 1956 , she worked with the orchestras of Boris Simeonov and Emil Georgiev for Big Orchestra Concert Directorate conductors , who were Christo Vuchkov and Dimitar Ganev . In 1956 , she worked with the orchestras of Boris Simeonov and Emil Georgiev for Big Orchestra Concert Directorate conductors of which were Christo Vuchkov and Dimitar Ganev . 1 +A macro is used to design variables or procedures , to allow code reuse , or to define domain-specific languages . A macro is used to design variables or procedures , enable code - reuse , or domain-specific languages to define . 1 +"This culminated in a match on March 18 at "" Volume 48 "" , where Knight Melissa defeated to win the Shimmer - Championship ." "This culminated in a match on 18 March on "" Volume 48 "" , where Knight defeated Melissa to win the Shimmer Championship ." 0 +In 1923 Jacob Blaustein and his son Louis Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half a share of their American Oil Company to Pan American in return for a guaranteed oil supply . 0 +The 2016 North Carolina Central Eagles football team represented North Carolina Central University in the 2016 NCAA Division I FCS football season . The 2016 North Carolina Central University soccer team represents North Carolina Central Eagles in the 2016 NCAA Division I FCS football season . 0 +It was a finalist for the Sidewise Award 2002 for the best alternative history and the John W. Campbell Memorial Award 2003 . It was a finalist for the 2002 Sidewise Award for best alternate-form long history , and the 2003 John W. Campbell Memorial Award . 1 +Barbara Rogowska , known as Barbara Kwarc ( born June 19 , 1953 ) is a Polish comedian actress , comic and celebrity . Barbara Rogowska , better known as Barbara Kwarc ( born June 19 , 1953 ) , is a Polish actress , comic book and celebrity . 1 +Players can visit Las Vegas to store their nickel storage space and increase their coins at the Cool World Bank . Players can visit Las Vegas to increase their nickel production and store their coins at the Cool World Bank . 0 +The 1916 , Middle Tennessee State University football team represented the Middle Tennessee Blue Raiders during the 1916 college football season . The Blue Raiders team captain was Cass Miles . The 1916 Middle Tennessee State University football team presented the Middle Tennessee Blue Raiders during the College - Football - Season 1916 . The Blue Raiders Team captain was Cass Miles . 1 +In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side in the Battle of Carabobo . 0 +The 1962 National Football League season was the team 's 13th season with the Cleveland Browns . The 1962 National Football League season was the 13th season of the Cleveland Browns team . 1 +Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Elizabeth of Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver from Overbury , Worcestershire . 0 +"In December 2002 , Facundo and Tamara Vargas together with Omar joined the team of the morning radio broadcast "" Ya Párate "" ." "In December 2002 , Facundo and Tamara Vargas joined the team of the morning radio show , "" Ya Párate "" , with Omar ." 1 +In 1977 , the US 1 was transferred to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River via Alexander Hamilton Bridge . In 1977 , US 1 was moved to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River using the Alexander Hamilton Bridge . 1 +Micklethwait 's younger brother , Sotherton , also played first-class cricket for Cambridge University . Sotherton 's younger brother , Micklethwait , also performed first-class cricket for Cambridge University . 0 +He replaced James Sperling as Governor and was succeeded by Peter Gaussen . He dissolved Peter Gaussen as Governor and was replaced by James Sperling . 0 +Her works are collected and exhibited in New York , San Francisco , Monterey , Toledo and Fort Wayne , Takaoka , Isle of Man , London , Tokyo . Her work is collected and exhibited in New York , San Francisco , Monterey , Toledo and Fort Wayne , Takaoka , Isle of Man , London , Tokyo . 1 +He played in 2007 in Chicago Lollapalooza , and in 2008 at Los Angeles at the FuckYeah Festival . He played Lollapalooza in Chicago in 2007 , and the FuckYeah Festival in Los Angeles in 2008 . 1 +Now resolve the indifference bid price for Formula 31 to solve . Now you find the indifference price bid solve for Formula 31 0 +The Ludlow group - formations of Ireland include the Salrock - beds of the county of Galway and the Croagmarhin - beds of the Dingle - peninsula of the county of Kerry . The Ludlow Group formations of Ireland include the Salrock beds of County Galway , and the Croagmarhin beds of Dingle Peninsula of County Kerry . 1 +National Bolshevism ( Nazbol ) as a political movement combines elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . As a political movement , national Bolshevism ( Nazbol ) brings together elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . 1 +There were others who did , I thought , but we could not speak . There were others who thought I did , but we could not speak . 0 +In one of his works ( epic poem about Nikola Jurišić ) , Skanderbeg was a subordinate theme . In one of his works ( epic poem on Nikola Jurišić ) a subordinate theme was Skanderbeg . 1 +The Nyon campus offers Kindergarten and secondary school education services , while the Pully campus offers a Kindergarten , primary and a primary education . The Nyon campus offers nursery and primary education , while the pully campus offers a kindergarten , a primary school and a secondary education . 0 +Since then , several FRC students , alumni and mentors have contributed to the project by providing feedback , creating the communication protocols and documenting Linux packages . Since then , several FRC students , alumni and mentors have contributed to the project by giving feedback , documenting communication protocols , and creating Linux packages . 0 +In 1854 Cooper left Australia and returned to London where he lived , a confirmed bachelor , until his death at the age of ninety . In 1854 , Cooper left Australia and returned to London , where he lived until his death at the age of 90 , a verified bachelor . 1 +On May 14 , 1885 , Machado received his title and registered it in Ensenada , then the capital city of the Northern District of Baja California Territory . On May 14 , 1885 , Machado received his title and registered it in the Baja California Territory , the capital of the northern district of Ensenada . 0 +The completion of the Mayfield , New Orleans , and Northern Railroad in 1858 connected Memphis with the outside world . The completion of Mayfield , New Orleans and Northern Railroad in 1858 connected Memphis to the outside world . 1 +Ashley was born on 1 November 1986 and is a contemporary dancer from Arizona who originally grew up in Los Angeles . Ashley was born on 1 November 1986 and is a contemporary dancer from Los Angeles who originally grew up in Arizona . 0 +Since 2003 , Heather Weaver has been head of the group and since 2017 Sharon Northe has been President of the Group . Heather Weaver has been the conductor of the group since 2003 and Sharon Northe has been President since 2017 . 1 +The functional structure of the Suhrkamp publishing house is located in the Lindenstraße , the literary reputation of the residence corresponds to its architectural significance . The functional structure of the Suhrkamp publishing house is located in Lindenstraße , the literary reputation of the residence corresponds inversely to its architectural importance . 0 +Hard Candy is the fourth studio album by Counting Crows , released in the United Kingdom on June 7 , 2002 and the following day in the United States . Hard Candy is the fourth studio album of Counting Crows that was released on June 7 , 2002 and the following day in the United States in the United Kingdom . 1 +A section of the route remains in place and is currently known as the Phoenixville Industrial Track ( also owned by NS ) . A section of the line remains in place , and is also known as the Phoenixville Industrial track ( currently owned by NS ) . 0 +""" Full Circle "" was produced by Paul Rodger , the manager of Birtles Shorrock Goble , and mixed by the long-time supporter and friend Michael Costa at Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Birtles Shorrock Goble manager Paul Rodger and mixed by longtime supporter and friend Michael Costa at Stream AV Studios in Melbourne ." 1 +Nick , however , is caught by a corrupt system administrator who blackmails Steven for information for $ 50,000 . Nick is caught , however , by a corrupt system administrator who extorts Steven for $ 50,000 for the information . 1 +Only 11 days after his second in a $ 1,500 Limit Hold ' ; em Shootout Event Mueller won his first World Series of Poker bracelet and $ 194,909 . Mueller won his second World Series of Poker bracelet and $ 194,909 only 11 days after his first in a $ 1,500 Limit Hold'em Shootout event . 0 +September 2 : CF Caleb Joseph and CF Michael Bourn activated ; C Tyler Wilson , LHP Drew Stubbs , and RHP Jayson Aquino recalled from AAA Norfolk . September 2 : CF Michael Bourn and CF Drew Stubbs activated , C. Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson by AAA Norfolk recalled . 0 +The 21st Governor - General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth - Parliament of Australia are among the tenants . Among the tenants are the 21st Governor-General of Australia , Bill Hayden , Senator Ron Boswell , and the Commonwealth Parliament of Australia . 0 +This was a limited release -- only 300 black vinyl and 200 red vinyl copies were issued . This was a limited release -- only 300 black vinyl and 200 red vinyl copies were printed out . 1 +The effect has mainly been observed on alkaline atoms which have nuclear properties particularly suitable for working with traps . The effect has been observed mainly on nuclear atoms with alkaline properties which are particularly suitable for working with traps . 0 +Brockton is approximately 25 miles northeast of Providence , Rhode Island , and 30 miles south of Boston . Brockton is situated about 25 miles northeast of Providence , Rhode Island and 30 miles south of Boston . 1 +Charles Sutcliffe , the Beatles ’ biographer , wrote that Philip Norman was a strong drinker and physically cruel to his wife , which the young Sutcliffe had experienced . The Beatles ' biographer , Charles Sutcliffe , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . 1 +It was completed in 1933 in a modernist style for the United States Postal Service and is now used by the US federal government as office accommodation . It was completed in modernist style in 1933 for the US federal government and is now used as an office by the United States Postal Service . 0 +Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Nanaimo Harbour Water Aerodrome to Vancouver International Water Airport . Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and the Nanaimo Harbour Water Aerodrome to Vancouver International Water Airport . 1 +In 1944 , it was sold to Santa Maria Valley Railroad , and in 1958 it was donated to the Travel Town Museum in Los Angeles , California . In 1944 , it was donated to Santa Maria Valley Railroad and sold to the Travel Town Museum in Los Angeles , California in 1958 . 0 +The tournament was resumed in 2006 in San Francisco , where it was hosted for two years . The tournament was hosted again in San Francisco in 2006 , where it was continued for two years . 0 +Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and the opponent received the other half . Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and his opponent received the other half . 1 +Restovich was traded to the Chicago White Sox from the Arizona Diamondbacks on July 27 , 2011 . On 27 July 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . 0 +She was the first professional female painter and the first feminist writer in Korea . She was the first feminist painter and the first female professional writer in Korea . 0 +Wolf Burn flows through the district to reach Scrabster Harbour and the Atlantic Ocean , halfway between Thurso town centre to the east and Thurso Bay to the west . Wolf Burn flows through the district to enter Scrabster Harbour and the Atlantic Ocean , midway between Thurso town centre to the east and Thurso Bay to the west . 1 +In 1944 , he became the editor when he succeeded Edward Taylor Scott , son of C. P. Scott . Wadsworth became editor in 1944 , when he succeeded Edward Taylor Scott , son of C. P. Scott . 1 +Inishnee is a small island off the coast of Ireland , in Roundstone Bay , near the village of Roundstone in Connemara in County Galway . Inishnee is a small island off the shore of Roundstone Bay , in Connemara near the village of Roundstone in County Galway in Ireland . 0 +The earliest detectable lesion is a local narrowing or irregularity of lumen . The earliest detectable lesion is a local narrowing or irregularity of the lumen . 1 +He bought homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . He bought homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . 0 +Devlin retired as Bishop of Gibraltar on 14 February 1998 and was succeeded by Bishop Charles Caruana on 24 May of the same year . On 14 February 1998 , he retired as Bishop of Gibraltar and was replaced on 24 May of the same year by Bishop Charles Caruana . 1 +Oconto is a village in the Custer County , Nebraska , United States . Oconto is a village in Custer County , Nebraska , United States . 1 +In these cells , a voltage is registered electronically induced . A voltage is registered in these cells , which is induced electronically . 1 +They showed how to use secure cryptography to implement a public key information extortion attack . They showed how to use secure cryptography to implement a blackmail attack using public key information . 1 +It began as a fishing village , inhabited by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . It began as a fishing village inhabited by Polish settlers from the Kaszub region in 1870 , as well as by some German immigrants . 0 +It was also confirmed as a T9 dwarf using the Gemini North telescope , spectroscopically at Mauna Kea , and was imaged using IRAC on the Spitzer Space Telescope . It was confirmed spectroscopically as T9 - Dwarf using the Gemini - North telescope , also with Mauna Kea , and was pictured using IRAC on the Spitzer - Space telescope . 0 +Thus , the white drops on a red field are an allusion to both his name and his ancestry . Thus , the red drops on a white field are an allusion to his name and his origins . 0 +Bilcisha is a town in the southwestern Gedo region of Somalia . Bilcisha is a town in the southwestern region of Somalia by Gedo . 0 +In 2006 , the newspaper celebrated its 100th anniversary and celebrates its 90th anniversary in 2016 . In 2006 , the newspaper celebrated its 90th anniversary and will be celebrating its 100th anniversary in 2016 . 0 +Casper is expressed in the second season by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser . Casper was expressed in the film by Devon Werkheiser , Robbie Sublett in the first season and Matthew Géczy in the second season . 0 +Suppiluliuma installed his son Telipinus as king of Aleppo . Telipinus installed his son Suppiluliuma as the king of Aleppo . 0 +It is based on Ealing in Ealing Broadway near Uxbridge Road station , London , the same address as Transworld . It is based on Uxbridge Road in Ealing , near the Ealing Broadway Station , London , the same address as Transworld . 0 +Design was created by Jeff Grubb with Andria Hayday , a cover of Jeff Easley and illustrations by Karl Waller . Design was by Jeff Grubb with Andria Hayday , a cover by Jeff Easley , and illustrations by Karl Waller . 1 +"She was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on 26 October , 1943 ." "It was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on October 26 , 1943 ." 1 +Estimates of correlations between variables are weakened by measurement errors ( diluted ) . Estimates of correlations between variables are weakened ( diluted ) by measurement error . 1 +The station is located from Råde Station , south of Oslo Central Station and north of Moss Station . The station is located from Oslo Central Station , south of Moss Station and to the north of Råde Station . 0 +"In solitary areas , nests are found in rural areas , such as the tribe of a large tree , or the bottom of a clear "" Heliconia "" leaf ." "In more rural areas nests are found in clear areas such as the trunk of a solitary tree or the underside of a large "" Heliconia "" leaf ." 0 +As an alternative , tantric Tibetan Buddhism enables consciously to create a desire to choose the desire , rather than being created by it . As an alternative , tantric Tibetan Buddhism allows to consciously choose a desire , to create desire , rather than being created by it . 0 +Thrincophora signigerana is a type of moth of the family Tortricidae it is found in Australia ( including Tasmania , Victoria and Southern Australia ) . Thrincophora signigerana is a species of moth of the family Tortricidae . It is found in Australia ( including Tasmania , Victoria and South Australia ) . 1 +"The diminutive form of the word "" Caipirinha "" is known worldwide as a cocktail ." "The diminutive form of the word "" caipirinha "" , is worldwide-known as a cocktail well ." 0 +"The "" Neligh News & Leader "" is a newspaper outlet in Neligh , and serves all of Antelope County ." "The "" Neligh News ' Leader "" is a newspaper outlet in Neligh , serving all of Antelope County ." 1 +Stefan informs Caroline that Alaric ( Paul Wesley ) has stopped looking for a way to get Damon and Bonnie back . Alaric informs Caroline that Stefan ( Paul Wesley ) has stopped looking for a way to get Damon and Bonnie back . 0 +He pioneered important developments in the style of sculpting in wood , parallel to those driven by Domenico Piola in marble sculpture and Filippo Parodi in painting . He pioneered important developments in wood sculpting , in parallel with those driven by Domenico Piola in the marble sculpture and Filippo Parodi in painting . 1 +Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 -- 6 , 6 -- 3 . Robin Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 - 6 , 6 -- 3 . 1 +The ectodermal symptoms of hypohydrotic dysplasia described above are provable not only in the skin of affected individuals , but also in their phonation and voice production . The hypohydrotic symptoms of ectodermal dysplasia described above are evidenced not only in the skin of affected individuals , but also in their phonation and voice production . 0 +McCartney received his Griggs Award at a dinner in London . Griggs received his award from McCartney at a dinner in London . 0 +Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays out of White Plains , New York . Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays outside Atlantic City , New Jersey . 0 +Lars Rehmann defeated Rehmann 6 -- 4 , 3 -- 1 ( Greg Rusedski retired ) Lars Rehmann defeated Rehmann 6 -- 4 , 3 -- 1 ( Greg Rusedski was retired ) 1 +The building , which was opened by the City Fathers was designed by William Stark , was commissioned in 1808 , originally as St. George 's Parish Church . The building , commissioned by the city fathers , was designed by William Stark and was originally opened in 1808 as St. George 's Parish Church . 0 +In the United Kingdom , mescaline in dried powder form is a Class A drug . However , purified cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be bought and sold legally . 1 +The Sitna River is a tributary of the River Urechioiu in Romania . The Sitna River is a tributary of the Urechioiu River in Romania . 1 +The result was a victory for Labour - candidate Patrick Gordon Walker , who comfortably held the seat with a slightly higher majority with a slightly reduced turnout . The result was a victory for Labour candidate Patrick Gordon Walker , who comfortably held the seat by a slightly reduced majority with a slightly increased turnout . 0 +"Machiavelli divides the theme of the new states into two types , "" mixed "" cases and purely new states ." "Machiavelli divides the subject of mixed states into two types , "" new "" cases and "" purely new "" states ." 0 +The Lotriorul River is a tributary of the River Priporul in Romania . The Priporul is a tributary of the Lotriorul in Romania . 0 +With the Ostrów agreement , this was decided -- Vytautas became the Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . This was resolved with the Ostrów agreement -- Jogaila became Grand Prince of Lithuania , while Vytautas retained the rights of an overlord . 0 +Nagano Prefecture , Japan is a dam in the Tokiwa Dam , completed in 1941 . Tokiwa Dam is a dam completed in the prefecture of Nagano , Japan , in 1941 . 0 +For example , the same techniques used to model ideal gases can be applied to model the behavior of a colloidal suspension of a hard ball . For example , the same techniques applied to model hard gases can be used to model the behavior of a colloidal sphere ideal suspension . 0 +When Nick arrives to Wisteria Lane , he runs Patrick Logan over . When Patrick Logan arrives in Wisteria Lane , he runs over Nick . 0 +The other Americium forms three-quality fluoride , oxalate , iodate , hydroxide , phosphate , and insoluble salts . The trivalent americium forms insoluble fluoride , oxalate , iodate , hydroxide , phosphate and other salts . 0 +When Santa Anita Park was closed in 2014 , the race was transferred to Hollywood Park Racetrack . In 2014 when Santa Anita Park closed the race was moved to Hollywood Park Racetrack . 1 +Phaecadophora fimbriata is a moth of the Tortricidae family , which is found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . Phaecadophora fimbriata is a moth of the Tortricidae family . It is found in India , China , Thailand , Japan , Taiwan , Java and New Guinea . 1 +At the end of the 1997 season , Refin -- Mobilvetta stopped because the main sponsor Refin had dissolved . At the end of the 1997 season , Refin -- Mobilvetta stopped because the main sponsor Refin disbanded . 1 +Fanny Pak had five new members from the second season and four of the same members . Fanny Pak had five of the same members of season two and four new members . 0 +She was scrapped on 19 July 1973 and was sold . She was scrapped and sold on 19 July 1973 . 1 +These species were discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . The species was named and described in 2013 and discovered in 2015 by Samuel P. Iglésias and Lou Frotté . 0 +Marat Safin won in the last 6 -- 4 , 5 - 7 , 6 -- 4 against Nikolay Davydenko . Nikolay Davydenko won against Marat Safin in the final 6 : 4 , 5 : 7 , 6 : 4 . 0 +""" Thanks to the Facebook generation , by simply attaching a selfie , anyone can become a Harvey Weinstein or a Kevin Spacey , "" he added ." """ Thanks to the Facebook generation , anyone by simply installing a Selfie can become a Kevin Spacey or a Harvey Winestone "" , he added ." 1 +The constant power density is determined by the product out of the continuous torque density and the continuous torque speed of the electric machine . The continuous power density is determined by the product from the continuous torque density and the constant torque revolution range of the electric machine . 0 +While some rare works with complete voices and a score are available in usable condition , others require extensive restoration and even creation to make them performable . While some rare works are available with complete parts and a score in usable condition , others require extensive restoration and even creation to render them performable . 0 +Sakura Spirit is a visual novel released by Winged Cloud in 2014 and developed by Sekai Project . Sakura Spirit is a 2014 visual novel developed by Winged Cloud and published by Sekai Project . 0 +"A semilinear transformation is a transformation which is linear "" up to a twist "" , meaning "" up to a field automorphism under scalar multiplication "" ." "A semilinear transformation is a transformation that is "" linear "" up to a twist "" , which means "" to a field automorphism under scalar multiplication "" ." 1 +She played for HJK , FC Honka and Åland United of the Finnish Naisten Liiga as well as for the Danish club Fortuna Hjørring . She previously played for Åland United , the FC Honka and HJK of the Finnish Naisten Liiga as well as for the Danish club Fortuna Hjørring . 1 +Governors Bay is a small settlement in Canterbury , New Zealand . Governors Bay is a small settlement located in Canterbury , New Zealand . 1 +The nephew Mary , son of Mare , was the painter William Joseph Williams . Mary 's nephew , son of Mare , was the painter William Joseph Williams . 1 +Stimson Bullitt served as president until Steven A. Clifford took over in 1972 , and Payne was president of King Broadcasting in 1987 . Stimson Bullitt served as president until Steven A. Clifford took over in 1972 , and Payne was named president of King Broadcasting in 1987 . 1 +In 1941 he joined the London Philharmonic Orchestra ( LPO ) as principal trumpet and became second trumpet in 1943 . In 1941 , he joined the London Philharmonic Orchestra ( LPO ) as second trumpet and became a solo trumpet in 1943 . 0 +In religion and mythology , anthropomorphism is the perception of a human being or beings in human form , or the recognition of divine qualities in these beings . In religion and mythology , anthropomorphism is the perception of a divine being or divine being in human form or the recognition of human properties in these beings . 0 +NDA won 206 seats while RJD won 22 seats . NDA won 206 seats while RJD 22 won seats . 1 +The mechanism has also found thermobaric use in the military weapons . The mechanism has also found thermobaric use in military weapons . 1 +Warwick Smith was replaced as Skip for Draw 4 by Hammy McMillan . Warwick Smith was replaced by Hammy McMillan as skip after Draw 4 . 1 +The Banu Harith ( or ) is one of the Jewish tribes of Arabia which once governed the city of Saudi Arabia , now located in southern Najran . The Banu Harith ( or ) is one of the Jewish tribes of Arabia that once ruled the city of Saudi Arabia , which is now in southern Najran . 1 +"In later years , his poems were metaphysical and included contemporary events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." "His poems were more contemporary in later years and included metaphysical events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." 0 +It follows roughly I - 40 from Canton to Canton and the US Route 74 , also known as Great Smoky Mountains Expressway , from Asheville to Murphy . It roughly follows I-40 from Canton to Canton and US Route 74 , also known as the Great Smoky Mountains Expressway , from Asheville to Murphy . 1 +If a lower number is required , the changes are calculated to improve the score . If a lower number is calculated , changes are required to improve the score . 0 +In the summer of 1956 , Frank Lovejoy took over the role of Mike Barnett until the end of the series that same year . In the summer of 1956 , Mike Barnett took over the role of Frank Lovejoy until the end of the series in that same year . 0 +He died on August 24 , 1878 in Wyandotte ( now part of Kansas ) , Kansas City . He died in Wyandotte ( now a part of Kansas City ) , Kansas , August 24 , 1878 . 1 +These airlines operate more than 80 cities across India and , following the liberalisation of Indian aviation , also connect overseas routes . These airlines connect more than 80 cities across India and also operate overseas routes after the liberalisation of Indian aviation . 0 +In Waynesburg , it collects a short stream , known as Little Sandy Creek . At Waynesburg it collects a short stream known as Little Sandy Creek . 1 +There are some old ways to make new matroids out of standard mattresses . There are some old ways to make new matroids out of standard ones . 0 +The series was also produced with some success in Italy , where new stories were also published in France after the end of the series . The series was also published with some success in France , where new stories were produced in Italy after the end of the series . 0 +The resolution was signed by almost all the Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . The resolution has been signed by almost all PBS representatives in Sri Gaya ( Parti Bersatu Sabah ) . 1 +Somerville had joined the British Army regiment of the Royal Scots Greys in December 1831 . In December 1831 , Somerville joined the British army regiment of the Royal Scots Greys . 1 +"The Moai statues of Chile ( Easter Island ) appear in several "" gradius "" plays as enemies ." "The Moai statues of Easter Island ( Chile ) occur in several "" gradius "" games as enemies ." 1 +The station , previously licensed to North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . The station was formerly licensed by North Myrtle Beach and belonged to the city of North Myrtle Beach , South Carolina , USA . 1 +When Joseph Spalding Coe was born , his name was changed in Barry Clark Heacock , when his mother , Jean Elizabeth Shea , married Joseph Spalding Coe Sr. in Los Angeles in 1940 . Born Joseph Spalding Coe , his name was changed to Barry Clark Heacock when his mother Jean Elizabeth Shea married Joseph Spalding Coe Sr. in 1940 in Los Angeles . 1 +Adams was born in England to Gambian parents , and in November 2017 Adams debuted for the Gambia national team against Morocco . Born in England to Gambian parents , Adams debuted for the Gambia national team in November 2017 against Morocco B . 1 +The river Cochirleanca is a tributary of the River Slatina in Romania . The Slatina River is the tributary of Cochirleanca in Romania 0 +In 1989 , the magazine received its present name , and the following year the World Jewish Bible Society became the Jewish Bible Association . In 1989 , the magazine received its present name , and the following year the Jewish Bible Association became the World Jewish Bible Society . 0 +Canterbury , New Zealand is a small settlement in Governors Bay . Governors Bay is a small settlement located in New Zealand 's Canterbury . 0 +The following schools are located in Papakura ( schools at Rosehill , Takanini and Opaheke are excluded ) : The following schools are located in Takanini ( the schools in Rosehill , Papakura , Opaheke are excluded ) : 0 +On 31 March 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . On March 31 , 1958 Daley was traded , along with Larry Doby and Don Ferrarese , to the Baltimore Orioles , for Gene Woodling and Dick Williams . 1 +Formally known as Mercy Lewis , Mercy Allen was the child of Philip Lewis and Mary ( Cass ) Lewis . Mercy Allen , formally known as Mercy Lewis , was the child of Philip Lewis and Mary ( Cass ) Lewis . 1 +The portner kept the grocery store , and Recker focused on expanding the brewery . Recker kept the grocery store and Portner concentrated on expanding the brewery . 0 +In 2010 the new revised and expanded bus network was implemented . The new revised and extended bus network was implemented in 2010 . 1 +He was born in 1932 and played in the Brisbane Rugby League for Brisbane Norths and Redcliffe and also trained Redcliffe in 1968 and 1969 . Turner was born in 1932 and played in the Brisbane Norths competition for Brisbane Rugby League and Redcliffe . He also coached Redcliffe in 1968 and 1969 . 0 +"The track remains one of two tracks that Brant also co-wrote , the other track was ever from the same album , titled "" This Time Around "" ." "The track remains one of two tracks that Brant also co-wrote , the other track was ever from the same album , entitled "" This Time Around "" ." 1 +It was the first single released by the group and their third release on Silvertone Records . It was the third single of the group and their first release on Silvertone Records . 0 +Simon Butler ( d. 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Mathews . Simon Mathews ( * 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Butler . 0 +The first European to visit Cornwallis Island was Sir William Edward Parry in 1819 and named for British Royal Navy admiral Sir William Cornwallis . The first European to visit Cornwallis Island was Sir William Cornwallis in 1819 , and was named after British Royal Navy Admiral Sir William Edward Parry . 0 +There is a continental climate on the Werderaner Wachtelberg , affected by the Atlantic climate from the north and west and a temperate climate from the east . There is a temperate climate on the Werderaner Wachtelberg , which is characterised by the Atlantic climate from the north and west , and from the east by a continental climate . 0 +A daughter , Lester Brickman , was born to Miriam and Frances Anna Brickman on March 5 , 1981 . On March 5 , 1981 , Mirester and Frances Anna Brickman was born a daughter , Lester Brickman . 0 +He was the son of painter Vincenzo , and younger brother of Arturo Petrocelli . He was the son of painter Vincenzo and the younger brother of Arturo Petrocelli . 1 +Beulah Maria Carter was born on July 6 , 1877 in Binghamton , New York . His father was James Sherman Ogden and his mother , Robert Morris Ogden . Beulah Maria Carter was born on July 6th , 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Robert Morris Ogden . 1 +Prestige is inherent to the married Kiribati woman , but she is considerably under the authority of her husband . The married woman of Kiribati is an inherent prestige , but she is considerably under the authority of her husband . 1 +Two months after Muhammad 's death , in 570 AD , Abdullah was born . Two months after Abdullah 's death , in 570 , Muhammad was born . 0 +Eileen Chong was born in Sydney , Australia in 1980 and moved to Singapore in 2007 . Eileen Chong was born in 1980 in Singapore . She moved to Sydney , Australia in 2007 . 0 +The combination of small size and emphasis on educational excellence results in a district that offers a “ public school experience in a private school attitude ” . "The combination of small size and emphasis on educational excellence , results in a district that offers a "" public school experience in a private school setting "" ." 0 +She is the wife of Tania Cagnotto and mother of Giorgio Cagnotto . She is the wife of Giorgio Cagnotto and mother of the Tania Cagnotto . 0 +The series will be published in Japan by Shogakukan and in the United States by VIZ Media in English . The series is published in Japan by Shogakukan and in the United States in English by VIZ Media . 1 +Guido died in 1955 , and the company was led by his son Bruno Caloi until 1999 . In 1955 , Bruno Caloi died and the company was managed until 1999 by his son Guido . 0 +He also won numerous children 's books and illustrated the Levstik Award for his illustrations five times , in 1958 , 1962 , 1967 , 1974 and 1975 . He also won numerous children ’ s books and illustrated five times the Levstik Award for his illustrations , 1958 , 1962 , 1967 , 1974 and 1975 . 1 +Airports near Seymour : Austin Straubel International Airport ( public ) in Greenville , Appleton International Airport ( public ) in Ashwaubenon . Major airports near Seymour include : Austin Straubel International Airport ( public ) , in Greenville ; Appleton International Airport ( public ) , in Ashwaubenon . 1 +In some cases , pain , or at least inconvenience , is secondary , or rather insignificant , to humiliation . In some cases , pain , or at least discomfort , is insignificant , or rather subordinates to humiliation . 0 +Today are the railheads for the Alma Township Wellsville and Friendship . Today the railheads for Alma Township are Wellsville and Friendship . 1 +CSX and P & W trains to Fresh Pond cross the Hell Gate Bridge onto Long Island . CSX and P 'W - Fresh Pond trains cross the Hell Gate Bridge to Long Island . 0 +The current Chief Executive is Mathew Walker , and the chairman from 2002 to 2009 was Martin Dean , who was replaced by Eric Bowen . The current Chief Executive is Mathew Walker , and the Chair from 2002 to 2009 was Martin Dean who was succeeded by Eric Bowen . 1 +The Juniata River offers access to the Lower Trail for much of its length . The Lower Trail offers access to the Juniata River along much of its length . 0 +In other words , at this extremely high temperature , the photons ' kinetic energy would overwhelm the binding energy of the strong nuclear force . In other words , at this extremely high temperature , the kinetic energy of the photons would overwhelm the binding energy of strong nuclear power . 1 +On January 20 , 1873 , she again married Paul Kamai , a maternal uncle of Helen Manaiula Lewis Isenberg and her half-sister Abigail Kuaihelani Campbell . On January 20 , 1873 , she remarried to Paul Kamai , a maternal uncle of Helen Manaiula Lewis Isenberg and her half-sister Abigail Kuaihelani Campbell . 1 +Cardiff Castle was initially held by Philip Herbert , a moderate Parliamentarian , and the castle was then owned by a pro-Royalist garrison . Cardiff Castle was owned at the time by Philip Herbert , a moderate parliamentarian , and the castle was initially held by a pro-royalist garrison . 0 +In the evening , finally a bowl came with a small soup with a thin piece of bread . Finally , in the evening , came a bowl of thin soup with a small piece of bread . 0 +Beulah Maria Carter was born on July 6 , 1877 in Binghamton , New York . His father was James Sherman Ogden and his mother , Robert Morris Ogden . Robert Morris Ogden was born on 6th July 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Beulah Maria Carter . 0 +Some of the Dalit writings published by the magazine were considered concerned by the middle class and even led to calls to ban the inflammation issues . Some of the Dalit writings published by the magazine were considered to be concerned by the middle class and even led to calls to ban the inflammatory issues . 1 +""" With his music , he is more passionate , more extroverted , more courageous "" ." He is more courageous , more passionate and extroverted with his music . 1 +Along the southern Australian coast , it is found from Shark Bay in Western Australia to Maroochydore in Queensland , including Tasmania . Along the southern Australian coast , it is found from Shark Bay in West Australia to Maroochydore in Queensland , including Tasmania . 1 +Simon Butler ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Mathews in 1712 . Simon Butler ( d. 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Mathews . 1 +On January 16 , 1944 , Zeamer received the award from the Army Chief of Staff , Henry H. Arnold , at the Pentagon . Zeamer received the award from Chief of the Army Air Forces General Henry H. Arnold on January 16 , 1944 , at the Pentagon . 1 +All celebrated commemorations below on 21 May by Orthodox churches on the Old Calendar set . All fixed commemorations below celebrated on May 21 by Orthodox Churches on the Old Calendar . 0 +Argon is produced industrially by the fractional distillation of liquid air . Industrially , argon is generated by the fractional distillation of liquid air . 1 +Ruth later reluctantly agrees that Nate can stay for a few more days . Later , Ruth reluctantly agrees that Nate can stay a few more days . 1 +The physical topology defines how nodes in a network communicate across its logical topology . The physical topology defines how nodes communicate in a network over its logical topology . 1 +Sister Sharda ( Leela Naidu ) lives in Bombay with her husband Chandrashekhar ( Rehman ) . Neena 's sister Sharda ( Leela Naidu ) lives with her husband Chandrashekhar ( Rehman ) in Bombay . 1 +In August 2017 , Glassman announced an exploratory campaign for the race of the Republican Party in 2018 as a member of the Arizona Corporation Commission . In August 2017 , Glassman announced an exploratory campaign for the 2018 Arizona Corporation Commission race as a member of the Republican Party . 0 +As Aaron and Robert 's Subaru approaches , Lachlan tries to warn them but Aaron crashes his car into the lake with Emma in the boot . As Subaru approaches from Aaron and Robert , Lachlan tries to warn her , but Aaron crashes his car with Emma in the boot into the lake . 0 +It plays Richard Devon stars and was written by Devon and James Craig . It stars Richard Devon and was written by Devon and James Craig . 1 +"In February 2018 , Tamplin were under police investigation after alleged "" gangster threats "" was made by him to Billericay Town footballer Elliot Kebbie ." "In February 2018 , Tamplin was made under police investigation after "" Gangster threats "" was made by him to Billericay Town footballer Elliot Kebbie ." 1 +In early 1972 , the FCC allocated the frequency to Willimantic , making 98.3 the only FM in Windham County . The FCC Willimantic ordered the frequency in early 1972 , making 98.3 the only FM in Windham County . 1 +"The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , also sang for a compilation album , called "" with Soilwork guitarist Peter Wichers ." "The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , sang also for a compilation - album called "" Soilwork - guitarist Peter Wichers "" ." 1 +Another important route that crossed the Campbelltown area included the road which led from the Bindnagle settlement to Palmyra , which is now PA 117 . Another important route that crossed the area of Campbelltown included the road that led from the settlement Bindnagle to Palmyra , which is now PA 117 . 1 +""" Vector major additive models "" ( VGAMs ) are a generalized ." """ Vector Major Additive Models "" ( VGAMs ) are a more generalized ." 1 +Mendota is a former settlement in Fresno County , California . It was located north of Warsaw near the site of Pueblo de las Juntas . It is a former settlement in the Fresno county of California you was located north of Mendota near the site of Pueblo de Las Juntas . 0 +The response of the observable formula _ 5 to a time-dependent field formula _ 10 is The observable Formula 5 response to a time-dependent field formula 10 is : 1 +He also asked Krishna Reddy to come from Hyderabad to Chennai to help him in his business . He also asked Krishna Reddy to come from Hyderabad to Chennai to help him in the business . 1 +"The weekly newspaper was published in the state in 1781 , the first "" Vermont Gazette "" ." "The first newspaper was published in the state in 1781 , and the weekly "" Vermont Gazette "" ." 0 +"First B side "" Road Hog "" was written by Faulkner and second B side "" Wait for the Sun "" by Brad Shepherd ." "The first B page "" Road Hog "" was written by Brad Shepherd and the second B side "" Wait for the Sun "" by Faulkner ." 0 +Teliphasa similalbifusa is a species of moth of the Pyralidae family . It is found in Guangxi ( China ) . Teliphasa similalbifusa is a kind of moth of the Pyralidae family . It is found in Guangxi ( China ) . 1 +Ashok Kumar also paved the way for his younger brothers Kalyan ( Anoop ) and Kishore Kumar . Anoop also prepared the way for his younger brothers Kalyan ( Kishore Kumar ) and Ashok Kumar . 0 +It was the last of two , all solar eclipses that took place that year . It was part of partial saros 150 . It was the last of two , all solar eclipses that took place that year , and was part of the partial Saros 150 . 1 +In South and Central America the song reached the top 10 in Colombia , Mexico and Venezuela , the top 5 in Guatemala and No . 1 in Argentina . In South and Central America , the song reached the top 10 in Colombia , Mexico and Venezuela , top 5 in Guatemala , and No . 1 in Argentina . 1 +Chloe Bennet was born Chloe Wang in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Born Chloe Wang in Chicago , Illinois , Chloe Bennet is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . 1 +The show was initiated and produced by Barraclough Carey Productions by Peter Weil . The show was produced by Peter Weil , initiated by Barraclough Carey Productions . 0 +He moved to Odibo in 1975 , and in 1977 he returned to Windhoek . In 1975 he returned to Odibo and went to Windhoek in 1977 . 0 +It is found in Bolivia ( Mato Grasso , Perambuco ) and Brazil . It is found in Bolivia ( Mato Grasso , Perambuco ) and in Brazil . 1 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs free energy ( Α G ) to the number of non-hydrogen atoms of the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of non-hydrogen energy from gibbs ( Î G ) to the number of free atoms in the connection . 0 +I 've created Francis Bacon figures in a Sidney Nolan landscape with stunts inspired by Jean Cocteau . "I created Francis Bacon figures in a Sidney Nolan landscape , with stunts inspired by Jean Cocteau. """ 1 +The second wife , who was mentioned in the novel only by name , was a fictional daughter of Cao Bao . Cao Bao 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Lü Bu . 0 +Baarrooble is a town in the central Somalia region of Hiran . Baarrooble is a town in the central region of Somalia of Hiran . 1 +On 8 February Enrico Dandolo met the crusader leader Alexios V for peace talks . On 8 February , Enrico Dandolo met Alexios V , the crusader for peace talks . 1 +The tournament was resumed in San Francisco in 2006 , where it was organized for two years . The tournament was hosted again in San Francisco in 2006 , where it was continued for two years . 0 +Powerful Stuff is a 1989 studio album by Memphis based blues rock band The Fabulous Thunderbirds . It was recorded in Texas and produced by Terry Manning . Powerful Stuff is a studio album by Memphis Blues - a rock band The Fabulous Thunderbirds from 1989 , which was recorded in Texas and produced by Terry Manning . 1 +Another name of Wincham Park ( Sports Direct Arena ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . Another name of Wincham Park ( Sports Direct Arena ) was hosted by Frank Skinner in the popular BBC1 TV - Show Room 101 . 1 +Of the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . Of the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . 0 +In November , the Royals CF Coco Crisp acquired the Boston Red Sox in return for RP Ramón Ramírez . In November , the Royals CF Ramón Ramírez purchased from Boston Red Sox in exchange for the RP Coco Crisp . 0 +The ovarian arteries swell during pregnancy in order to increase uterine blood supply . The uterine arteries swell during pregnancy in order to increase ovarian blood supply . 0 +Francisco Javier Mier Campillo ( 1748 -- 1818 ) was a Spanish bishop who was Grand Inquisitor of Spain from 1814 to 1818 . Francisco Javier Mier Campillo was a Spanish bishop who , from 1814 to 1818 , was the Grand Inquisitor of Spain . 1 +When toxic concentrations are achieved , there may be a delay of one or two days before the maximum toxicity occurs . When maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . 0 +If a test function formula 2 is used to obtain the weak form , the final Galerkin formulation is indicated after integration by parts as follows : If a test function formula _ 2 is used to obtain the final form , after integration by parts the weak Galerkin formulation will be given as follows : 0 +"The flowers often appear outlandish and "" showy "" because they are most commonly pollinated by insects , so use these tactics to appeal to pollinators ." "The flowers often appear striking and "" foreign "" because they are most commonly pollinated by insects , so use these tactics to appeal to pollinators ." 1 +Ponti played guitars and keyboards on the album , with the help of bassist Pat Schick , keyboard player Guy Daniel and drummer Camus Celli . With the help of bassist Pat Schick , keyboarder Guy Daniel and the drummer Camus Celli , Ponti played guitars and keyboards on the album . 1 +For a vertical edge , we want to interpolate in a horizontal direction , using only the column centered at the pixel . For a vertical edge , we want to interpolate in the horizontal direction , using only the column centered at the pixel . 1 +Travelers can also fly to France ( Paris ) by flying with Air St. Pierre to Halifax International Airport and connect with Europe Airpost ( seasonal route ) . Travelers can also fly to France ( Paris ) by flying to Halifax International Airport with Air St. Pierre and connecting with the Europe Airpost ( seasonal route ) . 1 +The membership of this group gives a still impressive but incomplete picture of the breadth of actors that influence global environmental governance . Membership of this group provides a still incomplete but impressive picture of the breadth of the actors that influence global environmental policy . 0 +In 1805 , however , he left Sheffield to study theology at the Manchester College in York . However , in 1805 he left York to study theology at Manchester College in Sheffield . 0 +Shayne Doyle said I have invested a lot of money in sound facilities , I have door to sound people and people pay . Owner Shayne Doyle said , I have a lot of money invested in sound equipment , I have door people and pay people to sound . 1 +The other major retailers in the city include Menards , Meijer , Walgreens and Tractor Supply Company . The other major retailers in the city are Tractor Supply Company , Meijer , Walgreens , and Menards . 1 +Rosetown is a location within the Kingston District Council in the Limestone Coast region of South Australia . Kingston District Council is a locality located within the Limestone Coast in the South Australia region of Rosetown . 0 +Voice of the Turtle is a musical group specializing in Sephardic music . The voice of the turtle is a Sephardic group specializing in musical music . 0 +He left Loughrea , County Galway , after being dedicated to the Diocese of Clonfert in 1895 , and was appointed as a Roman Catholic priest between 1896 and 1904 after Maynooth . He left Maynooth after consecrating the Diocese of Clonfert in 1895 and was appointed Roman - Catholic priest between 1896 and 1904 to Loughrea , County Galway . 0 +"His role in "" The Mechanic "" was positively revived by the critics both in the United States and the United Kingdom ." "His role in "" The Mechanic "" was revived positively by critics in both the United Kingdom and the United States ." 1 +This current bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the small Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . This bridge today was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge over the Peace River . 1 +Lex Gold , CBE ( born 14 December 1940 ) is a former administrator and Scottish footballer who was a director of Caledonian MacBrayne . CBE ( born December 14 , 1940 ) is a former administrator and Scottish footballer who was a director of Caledonian MacBrayne . 1 +Mount Dana , altitude , was climbed by the group the next day before Muir had to return to Martinez . Mount Dana , elevation , was climbed the next day by the group before Martinez had to return home to Muir . 0 +Shortly after the birth of her daughter , George Jones , Tina adopted Georgette Tina and her sisters . Georgette adopted Tina and her sisters shortly after the birth of their Daughter George Jones . 0 +With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the basic universe from Chaotic . Dracco Company Ltd. with Apex Marketing then created the online version of the game and established the basic universe of Chaotic . 1 +The cross vault of the roof is visible in the choir and in the right transept , while the rest of the church has a wooden roof . The wooden vaulting of the roof is visible in the choir and the right transept , while the rest of the church has a groined roof . 0 +Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic programming language Haskell . Xmonad is a dynamic window manager ( tiling ) for the X Window System that is written in the Haskell functional programming language . 0 +Fersfield is bounded on the east and south by the village of Kenninghall ; to the west are South Lopham and North Lopham and to the north Bressingham . Fersfield is limited to the east and south by the village of Bressingham , in the west are South Lopham and North Lopham and to the north of Kenninghall . 0 +Gunston Hall Plantation was originally a part of the Lexington Plantation . Originally , part of Lexington Plantation was part of the Gunston Hall Plantation Land . 0 +"It was released via Checkbook records on February 19 , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" ." "It was released on February 19th , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." 0 +It is located on the east side of Crescent Road at Yonge Street . It is located on the east side of Yonge Street in Crescent Road . 0 +Azaloxan ( CGS-7135A ) is a drug which was patented as an antidepressant by Ciba-Geigy in the early 1980s , but was never marketed . Azaloxan ( CGS-7135A ) is a medication that was patented by Ciba-Geigy in the early 1980s as an antidepressant , but was never marketed . 1 +"Julia Margaret Cameron wrote a play called "" Freshwater "" , which Tennyson shows as host to his friends Virginia Woolf and G.F. Watts ." "Julia Margaret Cameron wrote a play called "" Freshwater "" , showing Tennyson as host to his friends Virginia Woolf and G.F. Watts ." 1 +Schools that were closed when Harlem Consolidated was formed include Lovejoy School ( District No . 49 ) in Harlem Township . Schools which were closed when Harlem Consolidated was formed include Lovejoy School ( District 49 ) in Harlem Township . 1 +Babbar Khalsa is run by the United Kingdom , the EU , Canada , India and the United States as a terrorist organisation . Babbar Khalsa is listed as a terrorist organisation by the United States , the EU , Canada , India , and the United Kingdom . 0 +The leader of the geological party was his elder mentor , Mike Morton . The leader of the geological party was his old mentor Mike Morton . 1 +The response of the dependent Formula 5 to a time-monitoring field formula 10 is The response of the dependent formula 5 to a time-observable field formula 10 is 1 +Some stamps show the arms supported by two lions There is also a painting showing the arms flanked by flags . Some postage stamps show the arms supported by two lions . There is also a painting showing the arms flanked by flags . 1 +In July 2013 , Lone Star sold comics three of their five remaining stores in Plano , Hurst and Mesquite . In July 2013 , Lone Star Comics sold off three of their five remaining stores in Plano , Hurst and Mesquite . 1 +Vishwasrao was born as the eldest son of Balaji Baji Rao in Supe near Pune ( Supe was the Jagir of Shahaji at Pune . Balaji Baji Rao was born as the eldest son of Vishwasrao at Supe near Pune ( Supe was the Jagir of Shahaji near Pune ) . 0 +Omar Suleiman Abu Keshek is a Jordanian footballer of Palestinian origin , who plays for Silwan SC in Palestine . Mo'ayyad Omar Suleiman Abu Keshek is a Palestinian footballer of Jordanian origin who plays for Silwan SC in Palestine . 0 +Nancy Richey defeated Rosemary Casals 3 -- 6 , 6 -- 1 , 7 -- 5 - 5 Nancy Richey defeated Rosemary Casals 3 -- 6 , 6 -- 1 , 7 -- 5 0 +With replicated data on both channels , redundant communication is supported . Redundant communication is replicated with supported data on both channels . 0 +Chad Johnson ( born 1978 ; formerly Chad Ochocinco ) is an American football wide receiver . Chad Ochocinco ( born 1978 ; formerly Chad Johnson ) is an American - American - football receiver . 0 +Incumbent George Allen ran for a third term , but lost to Democrat Robb . Democrat Rob Robb , the incumbent , ran for a third term , but lost to Republican George Allen . 0 +Instead , philosophy is seen as an activity of defining and clarifying the empirical relationships of logical propositions . Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical rates . 0 +Michael manages to survive and Jane finally loses her virginity . Jane manages to survive and Michael loses her virginity . 0 +Beverly Hills railway station is located at the South Line Airport on the Sydney Trains Network , with Riverwood in the west and Narwee to the east . Narwee railway station is on the Airport & South Line of the Sydney Trains network , with Riverwood to the west and Beverly Hills to the east . 0 +"In 2017 , a book of straight photography "" People in Cars "" , published in LA in the early 1970 ’ s , was made ." "In 2017 , a book of straight photography made in the early 1970s in LA was published , "" People in Cars . """ 0 +"In 2007 , Wiik appeared as Jason in the thriller "" Timber Falls "" ." "In 2007 , Wiik appeared as Jason in the "" Timber Falls "" thriller ." 1 +"The moai statues of Easter Island ( Chile ) appear as enemies in several "" Gradius "" games ." "The Moai statues of Easter Island ( Chile ) occur in several "" gradius "" games as enemies ." 1 +The gate is still visible with the approximately high grooves in the granite stones for the hinges that are used when opening and closing the access . The gate is still visible , with the approximately high the grooves in the granite stones for the hinges used in opening and closing the access . 1 +The Chief Justice was the Chief Justice of the High Commission ( Basutoland , Bechuanaland Protectorate , Swaziland ) , from 1951 the Chief Justices : The Chief Justice was the Chief Justice of the High Commission Territories ( Basutoland , Bechuanaland Protectorate & Swaziland ) . From 1951 the Chief Justices were : 1 +People from all over the Lujiang came to China to look at with Zhou Yu 's reverence . People from all over China come to Lujiang to look at the reverence of Zhou Yu . 0 +During the administration of Ayub Khan , Mannan was Secretary General of the Islamic Advisory Council and the Regional Council . Mannan was the Secretary General of the Regional Council and the Islamic Advisory Council during the administration of Ayub Khan . 1 +Their reasons were printed in a paper , which was published by John Foxe . Their reasons were published in a paper printed by John Foxe . 0 +Electrical elements such as inductors and capacitors used in electrical analog computers had to be carefully manufactured to reduce non-ideal effects . Electrical elements such as inductors and capacitors used in non-ideal analog computers had to be carefully produced to reduce electrical effects . 0 +He was born on 14 March 1981 in Erdington , West Midlands , and has an elder brother , Che Cartwright , who is also an actor . Cartwright was born on 14 March 1981 in Erdington , West Midlands . He has an older brother , Che Cartwright , who is also an actor . 1 +Conneaut Creek is situated along Conneaut at the mouth of Lake Erie . Conneaut Creek is located at the mouth of Lake Erie along Conneaut . 1 +The most important use of lead dioxide is the cathode of lead batteries . The most important use of lead dioxide is as the cathode of lead acid batteries . 1 +According to the U.S. Census Bureau , the county has a total area of which is land and ( 17.6 % ) water . According to the U.S. Census Bureau , the county is a total area , of which is land and ( 17.6 % ) has water . 1 +Her daughter Lady Montagu Corry married Henry Lowry-Corry and was the mother of Harriet Anne , 1st Baron Rowton . Their daughter Lady Harriet Anne married Henry Lowry-Corry and was the mother of Montagu Corry , 1st Baron Rowton . 0 +The thirteen colonies of the Anglo-United States were all original possessions , and popular culture became a major foundation of American folk and former British music . The Thirteen Colonies of the Anglo United States were all original possessions , and popular culture became a major foundation for American folk and former British music . 1 +"Cassedy also reminded that the steamers "" Jennie Clark "" , "" Express "" and "" Carrie Ladd "" all belonged to a single company ." "Cassedy also reminded us that the steamers "" Jennie Clark , "" Express "" and "" Carrie Ladd "" all belonged to a single company ." 1 +Her mother is Austrian while her father is Kenyan . Her mother is Austrian , while her father is a Kenyan . 1 +The nationalists , led by volunteers from the RSS and the AGD , took advantage of the opportunity and captured Piparia . The nationalists , led by volunteers of the RSS and the AGD , took the opportunity and took Piparia . 0 +The difficulty of measuring or defining intelligence in non-human animals makes the subject difficult for scientific study . The difficulty of measuring or defining intelligence in non-human animals makes the subject difficult for a scientific study . 1 +In the future , it is planned to extend this rail line to the city of Barbalha , south of Juazeiro do Norte . In the future it is planned to extend this railway line into the city of Barbalha south of Juazeiro do Norte . 1 +Several local buses and minibuses that run north-west on the D400 state road , stop at the Airport intersection , 800 metres east of the airport terminals . Several local buses and minibuses operating on the state road D400 to East-West stop at the airport intersection , 800 metres north of the airport terminals . 0 +Looe Bay Holiday Park , a large holiday park and campsite , is located at the Great Tree . Great Tree , a large holiday park and campsite , is located at Looe Bay Holiday Park . 0 +In mathematics , a Polynomial equation or an algebraic equation is an equation of the In mathematics , an algebraic equation or polynomial equation is an equation of the form 1 +"In binary morphology , an image is viewed as a subset of an Euclidean space formula _ 1 or the integer grid formula _ 2 , for some dimension "" d "" ." "In binary morphology , an image is considered a subset of an Euclidean space formula 1 or the integer grid formula 2 for some dimension "" d "" ." 1 +Belfast is an unincorporated community in Greeley County , Nebraska , in the United States . Belfast is an unlawful community in Greeley County , Nebraska , in the United States . 1 +In 1918 , the administrative representation of the Dublin parliamentary county was increased from two to four divisions . In 1918 , the parliamentary representation of the Dublin administrative district was increased from two to four divisions . 0 +In 1975 , he was appointed Australia 's first Consul General in Papua New Guinea . In 1975 he was appointed the first General Consul Papua - New Guinea in Australia . 0 +A Jewish full fast lasts from sunset to darkness the following night . There are two Jewish full fast days : A Jewish full fast lasts the following night from sunset to darkness . There are two Jewish full-fasting days : 1 +The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY operates directly . The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which repeated WEDY directly . 0 +Christian Johansen Ihlen ( November 26 , 1838 -- January 14 , 1901 ) was a Norwegian politician for the moderate liberal party . Christian Johansen Ihlen ( 26 November 1838 -- 14 January 1901 ) was a Moderate politician for the Norwegian Liberal Party . 0 +It was first established as a knapweed biocontrol in the 1980s in Oregon , and it is currently released in the Pacific Northwest . It was first established in the 1980s in Oregon as the Knotrich - Biocontrol , and it is currently released in the Pacific Northwest . 0 +As a bishop of Poznań , he participated in the Synod in Łęczyca in 1180 . As a Łęczyca bishop , he participated in the synod in Poznań , in 1180 . 0 +The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharges . The role of corpus callosum in the epilepsy is the interhemispheric transmission of epileptiform discharges . 0 +Cerljen was also the first delegate from Sweden at the international final since 2006 when Josephine Alhanko placed in the Top 20 . Since 2006 , when Josephine Alhanko placed in the top 20 , Cerljen was also the first delegate from Sweden to the international finals . 1 +Smith was awarded ISCB Senior Scientist Award in 2009 and voted ISCB Fellow by the International Society for Computational Biology . Smith was elected to the ISCB Senior Scientist Award by the International Society for Computational Biology and received the ISCB Fellow in 2009 . 0 +This short movie was created by Jamie Swarbrick , Sophie Newton , PJ Liguori and Louis Grant . This short film was written by PJ Liguori , Sophie Newton , Jamie Swarbrick and Louis Grant . 1 +Cashel is a village in County Galway , Connacht province of Ireland . Cashel is a village in Ireland , in the province of Connacht , County Galway . 0 +She arrived on 24 June in Cork and was in the downs on 8 July . She was in Cork on June 24 and arrived in the downs on July 8 . 0 +"Upland is mentioned in the 2008 Hugh Laurie film "" Street Kings "" as the home of LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." "Upland is mentioned in the 2008 Keanu Reeves Film "" Street Kings "" as the home of the LAPD Internal Affairs Captain James Biggs ( played by Hugh Laurie ) ." 0 +"After 52 years in the historic BB "" T Ballpark "" , the Dash now plays its home games in the new Ernie Shore Field , which opened in 2010 ." After 52 years at historic BB & T Ballpark , the Dash now plays its home games at the new Ernie Shore Field , which opened in 2010 . 1 +In both cases he had been chosen as critic by Eugenio Scalfari , first for the weekly and then for the daily edition . In both cases , he had been selected by Eugenio Scalfari as a critic , first for the daily newspaper and then for the weekly edition . 0 +Maureen McAleenan ( 0 -- 7 ) and Nuala McGee ( 1 -- 2 ) for Leitrim . Nuala McGee ( 0 -- 7 ) and Maureen McAleenan ( 1 -- 2 ) scored for Leitrim . 0 +"Srinivas approached Rahman , who was encouraged by the use of fresh voices in "" Roja "" ." "Encouraged by the use of fresh voices in "" Roja "" , Srinivas approached Rahman ." 1 +Hasegawa ’ s research also includes the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . Hasegawa 's research also includes the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . 1 +In March 1904 , his brother was kidnapped for ransom in Mexico and taken across the border to West Texas . In March 1904 , his brother was kidnapped in West Texas for ransom and brought across the border to Mexico . 0 +"The "" establish "" command is used to create a new database , table , index , or stored procedure ." "The command "" create "" is used to create a new database , table , new index , or stored procedure ." 1 +"Atari also improved the basic design with the "" 1040ST "" ( later written "" STF "" ) in 1986 ." "Atari later improved the basic design with the "" 1040ST "" in 1986 ( also written "" STF "" ) ." 0 +He was born in Scotland in 1760 and settled in Detroit in 1782 ( then part of Quebec ) . He was born in Quebec around 1760 and settled in Detroit ( then part of Scotland ) in 1782 . 0 +Rory Firth from his first marriage , Amy , Alex and James Firth from his second marriage , has been married three times and has four children . Firth has been married three times and has four children ; Rory Firth , from his first marriage , Amy , Alex and James Firth from his second . 1 +The Asău River is a tributary of the Răjcoiu River in Romania . The Rășcoiu River is a tributary of the Asău River in Romania . 0 +Alessandro Salucci was an important contemporary practitioner in the genre , whose work was influenced by Viviano Codazzi . Alessandro Salucci was an important contemporary practitioner of the genre whose work was influenced by Viviano Codazzi . 1 +Millicent was built on the route of the Rivoli Bay ( Beachport ) to Mount Gambier Railway , built in 1879 . Millicent was on the route of the Rivoli Bay ( Mount Gambier ) to Beachport railway , constructed in 1879 . 0 +On April 28 , 2011 , the dispute between DSP Entertainment and Kara 's 3 members was officially announced as resolved . On April 28 , 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially resolved as announced . 0 +Greenberg was born in 1930 in Montreal , Quebec , and has three brothers , Ian , Sydney and Harvey . Greenberg was born in 1930 in Montreal , Quebec , and has three brothers , Harvey , Sydney and Ian . 1 +The championship took place in 1999 in Italy , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Austria in 2011 . The championship was held in Austria in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Italy in 2011 . 0 +The Royal College of Music , together with Maestro Natalia , has appointed Peter Stark as a professor of conducting . The Royal College of Music has appointed Peter Stark as a Professor of Conducting alongside Maestro Natalia . 1 +A module is called a serial module if it is a direct sum of uniserial modules . A module is called a unisonial module if it is a serial sum of direct modules . 0 +On December 9 , 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . On 9 . December 1979 , Otto Müller died as a result of a serious lung complaint in the Carl von Basedow clinic in Merseburg . 0 +The Zagreb recordings , made at the Kulušić club , were announced by the rock critic Dražen Vrdoljak and featured Theodore Yanni on guest guitar . Zagreb recordings announced at the Kulušić club were made by the rock critic Dražen Vrdoljak and provided by Theodore Yanni on the guest guitar . 0 +"The hidden "" between song banter "" mentioned track was made up of ..." "The mentioned "" between song banter "" hidden track was made of ..." 0 +In 2015 , SAP George X and Manny Rodriguez announced SpikeTV Spanish commentators on Premier Boxing Champions on Spike TV . In 2015 , SAP announced George X and Manny Rodriguez as the SpikeTV Spanish commentators for Premier Boxing Champions on Spike TV . 0 +Like its neighbour , Dunfermline East , the constituency was one of Labour 's safest seats in Scotland . The constituency was like its neighbour , Scotland , one of the safest seats of Labour in Dunfermline East . 0 +The ditch was cut from rock and about 5 m deep and 4 to 5 m wide . The ditch was cut out of rock and about 5 m deep and 4 to 5 m wide . 1 +Although Fresnel did not know that light waves are electromagnetic , he managed to construct the world 's first coherent theory of light . Although Fresnel did not know that light waves are electromagnetic , he managed to construct the first coherent theory of light in the world . 1 +This half-hour series was broadcast from 22 May to 10 July 1966 on Sundays at 3 p.m. ( East North American Time ) . This North American series of eastern hours was broadcast from 22 May to 10 July 1966 on Sundays at 3 : 00 p.m. ( half time ) . 0 +In historical times there were Cherokee and Creek villages in the Tennessee Valley west of the Wills Valley and the Sand Mountain to the east . In historical times there were Cherokee and Creek villages in the Tennessee Valley west of Sand Mountain and in the Wills Valley in the east . 0 +Other liberal parties , however , along with nationalist groups , said that they would boycott the July elections . However , nationalist parties , together with other liberal groups said they would boycott the July elections . 0 +Company sells ice cream , then expands to bake ice cones headquarters moves to Baltimore . Company sells ice cream , then moves to bake ice cream cones and headquarters is expanding to Baltimore . 0 +Needs are also developed according to the existential categories of being , having , doing and interacting , and from these dimensions a 36 - cells - matrix is defined . Needs are also defined according to the existential categories of being , having , action and interaction , and from these dimensions a 36 - cell matrix is developed . 0 +Mount Morris Township is located in Ogle County , Illinois . Ogle County , Illinois is located in the Mount Morris Township . 0 +"All songs were written by Ritchie Blackmore , except "" Tragovi "" by Nenad Jovanović ( music ) and Dragan Urošević ( texts ) ." "All songs were written by Dragan Urošević , except for "" Tragovi "" by Ritchie Blackmore ( music ) and Nenad Jovanović ( texts ) ." 0 +Paola always advises his son to forget Gonzalo . Gonzalo advises his son to always forget Paola . 0 +"Maximilian Lambertz suggested that the word be derived from the Venetian "" bailo "" , the title of the Italian Ambassador to the Ottomans ." "Maximilian Lambertz suggested that the word derived from Venetian "" bailo "" , the title of the Italian ambassador to the Ottomans ." 1 +The auxiliary service of the Archdiocese of Naples is Cardinal Crescenzio Sepe , Lucio Lemmo and Gennaro Acampa are current ordinars . The current ordinary of the Archdiocese of Naples is Cardinal Crescenzio Sepe . Lucio Lemmo and Gennaro Acampa are auxiliary 0 +In this 75 minute production , filmmaker , Dan Jason meets Jocelyn Demers on Salt Spring Island . In this 75 - minute production the filmmaker Dan Jason Jocelyn Demers meets Salt Spring Island . 0 +The Aube has 365 historical monuments of which 144 are enrolled and 221 are classified . The Aube has 365 historical monuments , 144 of which are classified and 221 are registered . 0 +Tuckerton is located in the 9th Congressional District and is part of the second state of New Jersey 's Legislative District . Tuckerton is located in the 2nd Congressional District and is part of the 9th State Legislative District in New Jersey . 0 +Simpson is also part of the municipality of Simpson and Ashland , which now includes Ashland and West Ashland . Simpson is now part of the municipality of Simpson and Ashland , which also includes Ashland and West Ashland . 0 +Neuqua Valley High School , along with three middle schools and 19 elementary schools from this district , are within Naperville city limits in the southern part . Neuqua Valley High School , along with three primary schools and 19 secondary schools from this district , are within Naperville city limits in the southern part . 0 +He was a regional hero that gave the revolutionary movement in Telangana a new wave . He was a revolutionary hero that gave a new wave to the regional movement in Telangana . 0 +"Also , Chantal Akerman named Gus Van Sant 's film "" Jeanne Dielman , 23 quai du Commerce , 1080 Bruxelles "" ( 1975 ) an inspiration ." "Gus Van Sant also named Chantal Akerman 's film "" Jeanne Dielman , 23 Quai du Commerce , 1080 Brussels "" ( 1975 ) an inspiration ." 0 +The Russian villain is , however , an interesting and sometimes original threat . The Russian villain , however , is an interesting and sometimes original menace . 1 +As Superintendent of Police , he served in Salem from 1982 to 1983 and Dharmapuri from 1983 to 1985 . As a superintendent of the police , he served in Salem from 1982 to 1983 , and from 1983 to 1985 in Dharmapuri . 1 +Season 2012 -- 13 he spent in Bnei Herzliya with Israeli Basketball Super League . He has spent 2012 -- 13 in Bnei Herzliya with Israeli Basketball Super League . 1 +The photoelectric records were made by a partial reversal of the Tri-Ergon process , which was used to encode the audio track in the first place . The photoelectric records were made by a partial reversal of the Tri-Ergon process used to encode the sound track in the first place . 1 +On September 15 , 2015 , Johnson signed with the Romanian team SCM CSU Craiova , Johnson signed with the Polish team Stal Ostrów Wielkopolski on July 17 , 2016 . On September 15 , 2015 , Johnson signed with the Polish team SCM CSU Craiova , Johnson signed with the Romanian team Stal Ostrów Wielkopolski on July 17 , 2016 . 0 +Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in the Arabian Sea Taluka , on the banks of Palghar . Tadiyale is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu - Taluka , on the banks of the Arabian Sea . 0 +"In philosophy , a razor is a principle or rule of thumb that allows one to eliminate ( "" shave off "" ) unlikely explanations for a phenomenon ." "In philosophy , a shaver is a principle or rule of thumb that allows to eliminate unlikely explanations for a phenomenon ( "" shave "" ) ." 1 +Gordon Watkins was a US American football player who for two years played Offensive Lineman for Minneapolis Red Jackets , Frankford Yellow Jackets and Brooklyn Dodgers . Gordon Watkins was a professional American football player , who played offensive lineman for two seasons for the Brooklyn Dodgers , Frankford Yellow Jackets , and Minneapolis Red Jackets . 1 +The season 2010-11 Rain or Shine Elasto painter was the fifth season of the franchise at the PBA ( Philippine Basketball Association ) . The season 2010 -- 11 Rain or Shine Elasto painter was the fifth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +Armand Jeanne married Ruth Stuber in 1941 . In 1941 , Armand L. Jeanne married Ruth Stuber . 1 +He is the son of the third prime minister of Malaysia , Najib Razak , and the cousin of the sixth and current prime minister , Hussein Onn . He is the son of Malaysia 's third prime minister , Hussein Onn , and the cousin of the sixth and current prime minister , Najib Razak . 0 +Its color may vary from gray to yellow with a brown underside . Its color may vary from gray to brown with a yellow base . 0 +Her father , Mitchell Melich , served in the Senate of Utah and ran unsuccessfully in 1964 for the governor of Utah against the democrat Calvin L. Rampton . Her father , Mitchell Melich , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Democrat Calvin L. Rampton . 1 +The manuscript was bought in 1819 , by Edward Everett from America to Constantinople , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett of Constantinople in 1819 to America along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 0 +The son of James Jeffords , who served as Chief Justice of the Vermont Supreme Court , Olin M. Jeffords was born in Rutland , Vermont . The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born Olin M. Jeffords in Rutland , Vermont . 1 +Today the railheads are for Wellsville Alma Township and Friendship . Today are the railheads for the Alma Township Wellsville and Friendship . 0 +Jalari is one of the villages in the Nadaun of Hamirpur , India . Jalari is one of the villages in Hamirpur of Nadaun , India . 0 +Rachel played swimwear - Model Decker , while Peter Jacobson Alan , her nebbish husband played . Decker played swimsuit model Rachel , while Peter Jacobson played Alan , her nebbish husband . 0 +In this sense , the biquaternions of William Rowan Hamilton ( 1844 ) and the related Split - biquaternions and dual quaternions do not form biquaternion - algebras . The biquaternions of William Rowan Hamilton ( 1844 ) and the related split-biquaternions and dual quaternions do not form biquaternion algebras in this sense . 1 +The ancient town of Beit Zakariah , in northern Judea , is identified with the ruins of Khirbet Zechariah , less than a kilometer north of Alon Shvut . The ancient city of Beit Zakariah , in northern Judea , is identified with the ruins of Khirbet Zechariah , less than a kilometer north of Alon Shvut . 1 +The album was mixed by Eddy Schreyer in Los Angeles , Hollywood and mastered by Jimmy Westerlund at Oasis Mastering , Los Angeles , Burbank . The album was mixed by Eddy Schreyer in Los Angeles , Hollywood and mastered by Jimmy Westerlund with Oasis Mastering , Los Angeles , Burbank . 1 +The journalist , played by Elio Germano ( Luke Gualtieri , the fictitious journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . The journalist of Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist from Il Resto del Carlino . 0 +The development of Bas 90 started in the 1970s and was implemented in the 1980s . The development of Bas 90 began in the 1970s and was implemented in the 1980s . 1 +Born and raised in Briarcliff Manor , Tom Ortenberg , Managing Director of Open Road Films , was born and former President of Lionsgate Films . Tom Ortenberg , CEO of Lionsgate Films and former president of Open Road Films , was born and raised in Briarcliff Manor . 0 +To Promote local culture Tansen has several local FM radio station including Radio Madanpokhara-106.9 MHz Which is a Community radio Station and several T.V channels . To promote the local culture , Tansen has several FM radio stations including Radio Madanpokhara-106.9 MHz , which is a community radio station and several local TV channels . 0 +Later , it was reported that Sunita will begin an affair with John Michie ( Karl Munro ) . Later , it was reported that Sunita will start an affair with Karl Munro ( John Michie ) . 1 +Earlier in 209 , Liu Bei married Sun Quan 's younger sister Lady Sun to strengthen the alliance between him and Sun Quan . Earlier in 209 , Sun Quan married Quan 's younger sister , Lady Sun , to strengthen the alliance between him and Liu Bei . 0 +The city borders Bellmawr , Brooklawn , Camden , Haddon Township , and Mount Ephraim . The city borders on Camden , Haddon Township , Brooklawn , Bellmawr and Mount Ephraim . 1 +In 1923 Louis Blaustein and his son Jacob Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half of their American Oil Company to Pan American in exchange for a guaranteed oil supply . 1 +The ship visited Guam during the second September week and spent the rest of the month in Okinawa in the Marianas . The ship attended Okinawa during the second week of September and then spent the rest of the month in Guam in the Marianas . 0 +2011 Statue of Ma.Po.Si unveiled in Chennai ( T. Nagar , Tyagaraya Nagar ) Statue of Ma.Po.Si in Chennai in 2011 ( T. Nagar , Tyagaraya Nagar ) 0 +Narayangad is a fort near Narayangaon , 80 km from Pune , 8 km from Pune and 5 km from the village of Khodad . Narayangad is a hill fort near Pune , located 80 km from Pune , 8 km from Narayangaon and 5 km from Khodad village . 0 +The port of Suppāraka is either modern Sopara near Bhārukaccha or modern Bharukh , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Bharuch , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . 1 +For example , the National Civic League ( originally the National Municipal League ) promotes an effective management of the local government . For example , the National Municipal League ( originally the National Civic League ) promotes an effective management of the local government . 0 +"The right "" d "" goes "" 1 + i "" down and "" 2 + i "" differential ." "The "" d "" differential goes "" 1 + i "" down and "" 2 + i "" on the right ." 0 +Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 -- 1 Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 1 -- 6 0 +The river is wide and the river deep , Alleluia ! The river is wide and the river is deep , Alleluia ! 1 +"Bruce Sagan , a longtime owner and publisher of "" Hyde Park Herald , is the father of Paul Sagan , the former CEO of Akamai Technologies ." "Paul Sagan , a longtime owner and publisher of "" Hyde Park Herald , is the father of Bruce Sagan , the former CEO of Akamai Technologies ." 0 +Scott Martin is currently the Australian and Melbourne record holder with a litter of 21.26 meters in the Oceania leg of the World Athletics Tour meeting in February 2008 . Scott Martin is currently the Australian and Melbourne record holder with a throw of 21.26 metres in the Oceania leg of the World Athletics Tour meeting in February 2008 . 1 +An additional study found that the direct promoter is one of many thousand proximal targets of transcription factor , Myc , in vivo . An additional study found that the direct promoter is one of many thousands of proximal targets of the transcription factor Myc in vivo . 1 +Hunter relied on the rationalist system of natural law of Hugo Grotius . Jäger relied on the rationalist system of natural law of Hugo Grotius . 1 +"Rachel Dratch is a name of a fictional "" Saturday Night Live "" character who debuted in 2004 , and who was portrayed by Debbie Downer ." "Debbie Downer is a name of a fictional "" Saturday Night Live "" character that was debuted in 2004 and portrayed by Rachel Dratch ." 0 +Considerable resistance from established Vignerons against American vines remained , and official policy still favoured the eradication of the vineyards affected . Considerable resistance remained from affected vignerons to official vines and American policy still favoured the eradication of established vineyards . 0 +""" Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." """ Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." 0 +"The soundtrack also featured the 1955 song "" Unchained Melody "" , composed by Alex North with lyrics by Hy Zaret ." "The soundtrack also featured the song "" Unchained Melody "" from 1955 , composed by Alex North with texts by Hy Zaret ." 1 +The incumbent mayor , Joseph A. McArdle , won a divided Republican primary against Councilman John Herron and the Register of Wills Joseph Mackrell . The current mayor , John Herron , won a divided Republican primary against Councilman Joseph A. McArdle and Register of Wills , Joseph Mackrell . 0 +In 2001 , two new large sports facilities were opened : the Alerus Center and the Ralph Engelstad Arena . In 2001 , two large new sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . 1 +The dam is owned by the United States Bureau of Reclamation , which it has built , and is operated by the Elephant Butte Irrigation District . The dam is owned by the United States Bureau of Reclamation , which built it , and is operated by the Elephant Butte Irrigation District . 1 +"In 2011 , Sean Lock took over from John Sergeant as the moderator of the Dave - Comedy - Show "" Argumental "" ." "In 2011 , Sean Lock took over from John Sergeant as the host of the Dave comedy panel show , "" Argumental "" ." 1 +( MD 625 ) continues to the north through Old Leonardtown Road on Hughesville . The Old Leonardtown Road on Hughesville continues to the north ( MD 625 ) . 1 +In Tibetan , Amitābha is called and in its distinct form as Amitāyus . They are iconographically reflex . In Tibetan , Amitābha , and in its reflex form is called Amitāyus , they are iconographically diverse . 0 +In addition to strictly modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of scientific discoveries . In addition to rigorously modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of scientific discoveries . 1 +She was born on January 30 , 1912 , the first daughter of the banker Maurice Wertheim and his Jewish wife Alma Morgenthau . She was born on January 30 , 1912 as the Jewish daughter of banker Maurice Wertheim and his first wife , Alma Morgenthau . 0 +Born in Retford , Nottinghamshire , as a boy he moved south to the Wiseton Estate , near Gosforth , Northumberland when his father found work there . Born in Gosforth , Northumberland , he moved to Wiseton Estate as a boy near Retford , Nottinghamshire , when his father found jobs there . 0 +He is sometimes said to be the brother of Nusa-kor-kamuy , but the two are generally regarded as a single entity . He is sometimes said to be the brother of Nusa-kor-kamuy , but the two are generally considered as a single entity . 1 +"Given the principle of the causal completion of the physical domain "" M1 "" is excluded ." "Given the principle of the physical closure of the causal domain , "" M1 "" is excluded ." 0 +He is the son of Danilo K. Rapadas and Cerila Matias Rapadas has three brothers Danilo Jr. , Antonio , Juan and his sisters Roberta and Christina . He is the son of Juan , has three brothers Danilo Jr. , Antonio , Danilo K. Rapadas and Cerila Matias Rapadas and his sisters Roberta and Christina . 0 +The release focused on stabilizing the plasma desktop , improving the functionality and integrating KDE . The release focused on integrating the Plasma desktop , improving functionality and stabilizing KDE . 0 +This music was composed by A. R. Johnson Principal Deborah Walker . The music was composed by A. R. Johnson Principal Deborah Walker . 1 +The 1986 -- 87 National Hockey League season was the 70th season of the Toronto operation in Toronto Maple Leafs . The 1986 -- 87 Toronto Maple Leafs season was the 70th season operation of Toronto in the National Hockey League . 0 +"Different cultures influence ritual aspects of meetings , but around the world "" many particularities of the AA format can be observed at almost every AA meeting "" ." "Different cultures affect ritual aspects of meetings , but around the world "" many particularities of the AA meeting format can be observed at almost any AA gathering "" ." 1 +The partially closed short vowels began as initial unstressed vowels , but were later reduced . The partially closed short vowels began as initial , unloaded vowels , but were later reduced . 1 +Liubov Gromoglasova has won several awards and prizes in important international contests performing both , as a solo and in a piano duo , together with her sister Anastasia Gromoglasova . Anastasia Gromoglasova , together with her sister Liubov Gromoglasova , has won several awards and prizes in important international competitions , both as a solo and as a piano duo . 0 +Agassiz founded a school for girls from Boston in her home in Cambridge in 1856 . In 1856 in their home in Cambridge , Agassiz founded a school for girls from Boston . 1 +The planned electrification of the Manchester to Blackpool North route was announced in December 2009 . The planned electrification of the route Blackpool Nord to Manchester was announced in December 2009 . 0 +It lies about 4 miles to the east of Caernarfon , 7 miles south of Llanberis and 3 miles northwest of Bangor . It is about 4 miles east of Caernarfon , 7 miles south of Bangor and 3 miles northwest of Llanberis . 0 +96 % of people spoke only English at home . The next most common languages were 1.5 % Vietnamese , 1 % Samoan . 96 % of people only spoke English at home , the second most common languages were 1.5 % Samoan , 1 % Vietnamese . 0 +West Woodhay is a civil village and rural scattered parish in West Berkshire , England . West Woodhay is a scattered rural village and civil community in West Berkshire , England . 0 +Alexandra Fusai and Nathalie Tauziat won 5-7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams in the final . Serena Williams and Venus Williams won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat . 0 +Franscoviak married the writer Maggie McGuane on November 24 , 2012 , who lives with her children Maisie and Charlie Kirn in Livingston , Montana . On November 24 , 2012 , Franscoviak married the writer Charlie Kirn , who live with their children Maisie and Maggie McGuane in Livingston , Montana . 0 +""" Soul Sound "" received mixed positive reviews from critics ." """ Soul Sound "" received positive to mixed reviews from critics ." 1 +In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria taught the course in their 2012 school year . In New South Wales , the Narara Valley High School in Australia and the Nossal High School in Victoria taught the course in their 2012 school year . 1 +The constituency is situated in South Wales , on the right bank of the River Afan , near the mouth of Swansea Bay . The constituency is located in Swansea Bay , on the right bank of the Afan River , near its mouth in South Wales . 0 +Where possible , the average daily patronage from the financial calendar or last year is taken from . Average daily patronage , where possible , is taken from the financial calendar or last year . 1 +The areas south of the governorate were controlled by the Ottoman Empire , and the southern border was not defined . The areas south of the government were controlled by the Ottoman Empire and the southern border was not defined . 1 +Thus , the MNDF - marine soldiers undergo an annual cycle of amphibious infantry - oriented training , which is generally of rigorous nature . Thus , the MNDF marines undergo an annual cycle of rigorous infantry oriented training which is generally of amphibious nature . 0 +Ferguson has two sisters ( one older and one younger ) and one older brother . Ferguson had two sisters ( one older and one younger ) and one younger brother . 0 +Capitán Jorge Osvaldo García successfully recovered but was not ejected . Capitán Jorge Osvaldo García was successfully ejected , but could not be recovered . 0 +It is found only in Australia , where it has been recorded from Queensland and New South Wales . It can only be found in Australia , where it has been recorded from Queensland and New South Wales . 1 +"Religious Institute -- "" a society where members ... pronounce public vows ... and lead a common life of brothers or sisters "" ." "Religious Institute -- "" a society in which members ... pronounce common vows ... and lead a life of brothers or sisters in the public "" ." 0 +Caranavi is situated to the north of Coroico on the road from La Paz to Rurrenabaque . Caranavi is north of Coroico , on the road from La Paz to Rurrenabaque . 1 +Flanders Expo is the biggest event hall in Flanders and the 40th biggest in Belgium and the second largest exhibition complex in the world . Flanders Expo is the biggest event hall in the Flanders region and the second biggest in Belgium . It is the 40th largest exhibition complex in the world . 0 +George Jones adopted Tina and her sisters shortly after the birth of their Daughter Georgette . Shortly after the birth of her daughter , Georgette , Tina and her sisters adopted Tina George Jones . 0 +Automatic link establishment ( ALE ) has enabled global radio networks to operate on the high frequency bands with continuous amateur coverage . The Automatic Link Establishment ( ALE ) has enabled continuous amateur radio networks to operate on high-frequency bands with global coverage . 0 +Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . Bridges at this site are the only crossing of the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . 1 +"The former actor Conlan Carter , who performed in the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! "" appeared" "The former actor James Whitmore , who performed with Conlan Carter and "" Combat ! "" in the television series "" The Law and Mr. Jones "" ." 0 +The first oil source in Oklahoma was drilled in 1885 in Atoka County , Choctaw Nation , Indian territory , although it was not completed until 1888 . The First Oil Well in Indian Territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . 0 +The Bill & Cathy Stoller Center is home to all of the university 's athletic teams , intercollegiate athletic offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all University athletics teams , the Intercollegiate Athletic Offices and the Department of Exercise Science . 1 +The first series used fewer celebrities - characters than the second series . The first series used fewer celebrity characters than the second series . 1 +The original version of the work was probably composed in the 15th century , while it bears traces of the later transformation that may belong to the 13th or 14th century . The original version of the work was probably composed in 13th or 14th century , while it bears traces of later remodeling that may belong to the 15th century . 0 +Casper is represented in the second season by Robbie Sublett in the movie , Matthew Géczy in the first season and Devon Werkheiser . Casper was expressed in the film by Devon Werkheiser , Robbie Sublett in the first season and Matthew Géczy in the second season . 0 +On December 14 , 2011 , he was traded along with Kyle Weiland to the Houston Astros for reliever Mark Melancon . On 14 December 2011 , he was traded with Mark Melancon to the Houston Astros for Reliever Kyle Weiland . 0 +In August 2011 Lee was selected as a member of the South Korean U- 18 national team for the Asian Junior Baseball Championship held in Yokohama , Japan . In August 2011 , Lee was selected as a member of the South Korean National Team for the Asian Junior Baseball Championships in Yokohama , Japan . 0 +The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Indonesia and then of Portugal . The party began as a resistance movement that fought for East Timor ’ s independence between 1974 and 1998 , first from Portugal and then from Indonesia . 0 +On 21 April 2018 , Edson Barboza is expected to meet at UFC Fight Night 128 . Lee is expected to face Edson Barboza on April 21 , 2018 at UFC Fight Night 128 . 0 +Burki started his career in Switzerland for a year , until he returned to Paris to work in rotogravure from 1971 to 1979 . He started his career in Switzerland for a year until he returned to Paris from 1971 to 1979 to work in gravure . 1 +The race covered the sixteenth race : Fox Sports was at Auto Club Speedway . The race was sixteenth race Fox Sports covered at the Auto Club Speedway . 0 +It was directed by Randall Einhorn , his fourth episode of the season and twelfth in the series overall . It was directed by Randall Einhorn , his twelfth episode of the season and fourth in the series . 0 +The 1955 Los Angeles State Diablo football team represented Los Angeles State during the College - Football - Season 1955 . The 1955 Los Angeles State Diablos football team represented Los Angeles State during the 1955 college football season . 1 +For 1934 the body was redesigned and marked as 452D and in 1935 as 452E . For 1934 , the body was redesignated and redesigned again as 452D and 452E in 1935 . 0 +Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named to his honor . Sears Bay , Sears Crescent and Sears Place in Arbor Creek and Herbert S. Sears Park in Fairhaven were named in his honor . 0 +"Hayashi said that Mackey "" is the original model of Tenchi "" ." "Hayashi said that Mackey is "" sort of "" the original model for Tenchi ." 1 +With Ross 's permission , Martinez fired the shot that took Nocona 's life . With Martinez 'permission , Ross fired the shot that Nocona 's life took . 0 +""" The day on which violence died "" is the eighteenth episode of the seventh season of "" The Simpsons "" ." """ The Day the Violence Died "" is the seventh episode of "" The Simpsons "" eighteenth season ." 0 +The four wives of Mundal Ji named Khemi , Toli , Thukri and Santokhi had a son Seuram Ji and a daughter . The four women of Mundal Ji had Khemi , Toli , Thukri and Santokhi a son named Seuram Ji and a daughter . 0 +Ryszard Kaczorowski received symbols from the pre-war presidency of Lech Wałęsa . ( Lech Wałęsa accepted the symbols of Ryszard Kaczorowski 's pre-war presidency ) . 0 +So i ) and iii ) , then form the close-called strong Wolfe conditions , and force formula _ 11 to lie together to a critical point of formula _ 28 . Then form i ) and iii ) together the so-called strong wolf conditions and force the Formula 11 to lie close to a critical point of Formula 28 . 0 +Mount Dana , altitude , was climbed by the group the next day before Muir had to return to Martinez . Mount Dana , Elevation , was climbed by the group the following day before Martinez had to return to Muir . 0 +"Although iron is generally less expensive in many catalytic applications , it is less active and "" greener "" than other metals ." "Although iron is generally less active in many catalytic applications , it is less expensive and "" -greener than other metals ." 0 +The construction started in the 15th and 17th century , and the building was redesigned in the 13th century . The construction was started in the 13th century and the building was redesigned in the 15th and 17th centuries . 0 +Automatic transmission was standard ; manual , with or without overdrive , became an option in 1967 . Automatic transmission became standard , manually , with or without overdrive , was an option in 1967 . 0 +Now to solve the indifference bid price find for formula _ 31 . Now solve the indifference bid price for Formula 31 . 1 +She married Eero on June 10 , 1939 , and they had two children : Susan Saarinen , born 1942 , and Eric Saarinen , born 1945 . She married Eero on June 10 , 1939 , and they had two children : Eric Saarinen , born 1942 , and Susan Saarinen , born in 1945 . 0 +Following Backlash , Kane had a small feud with Benoit , while Michaels and Triple H would finish their feud at Bad Blood . Benoit had a small feud with Kane after Backlash , while Michael and Triple H would finish their feud at Bad Blood . 0 +"For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." "For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." 0 +The adrenal arteries are arteries in the human abdomen that cause blood to the adrenal . The adrenal arteries are arteries in the human abdomen that supply blood to the adrenal glands . 1 +Just as influential are Wolayta traditional dance forms that are widely adopted by musicians and often visible in Ethiopian music videos . Just as influential are Wolayta traditional dance forms , which are widely accepted by musicians and often visible in Ethiopian music videos . 1 +"She participated in the second season of the most popular non - fiction controversial bengali reality - show "" Bigg Boss Bangla "" ." "She participated in the second season of the most controversial non - fiction popular bengali reality - show "" Bigg Boss Bangla "" ." 0 +Sullivan County International Airport , which connects NY 17B and NY 55 to Airport Road , is assigned . CR 183 is assigned to Sullivan County International Airport , which connects NY 17B and NY 55 to Airport Road . 0 +Fothergill also served as a member of the executive committee of the Scottish Liberal Agricultural Committee and as sometime Chairman of the Scottish Liberal Party . Fothergill also served as a member of the executive committee of the Scottish Liberal Party and chairman of the Scottish Liberal Agriculture Committee . 0 +It specifies changes to the Commodity Exchange Act , confirms notification intervals for financial transactions . It specifies changes to the Commodity Exchange Act , confirms reporting intervals for financial transactions . 1 +Gandini was born on May 19 , 1906 in Parma to Ernesto Gandini and Diomira Di Centa of Venice . Gandini was born in Parma on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Venice . 1 +The marble pulpit is instead from 1508 , by Benti and Lorenzo Stagi , while the walls and the ceiling were painted by Luigi Ademollo in 1823-1825 . The marble pulpit dates from 1508 by Benti and Lorenzo Stagi , while the walls and ceiling were painted in 1823-1825 by Luigi Ademollo . 1 +The reservoirs that form the chain are , from northwest to southeast : Little Swinburne Reservoir → Hallington Reservoirs → Catcleugh Reservoir → Colt Crag Reservoir → Whittle Dene . The reservoirs that form the chain are from the north-west to the southeast : Little Swinburne Reservoir → Hallington Reservoirs → Catcleugh Reservoir → Colt Crag Reservoir → Whittle Dene . 1 +A public primary school was built in the hamlet of Stain in 1850 and expanded to 100 children in 1858 , the Wesleyans built a school in 1875 . A Public Elementary School was built in the hamlet of Stain in 1850 and built in 1858 to hold 100 children . The Wesleyans enlarged a school in 1875 . 0 +Edward Próchniak ( ; 4 December 1888 , Puławy-21 August 1937 ) was a leading Polish communist purged by Stalin . Edward Próchniak ( December 4 , 1888 - August 21 , 1937 ) was a leading Polish communist , purged by Stalin . 1 +When a solvent is shaken , two immiscible liquids are extracted together . When a solvent is shaken , two nonmixable liquids are extracted together . 1 +There are 22 species in the genus . 17 species have a sinistral shell and 5 species are dextral . There are 22 species in the genus , 17 species have a dextral bowl and 5 species are sinistral . 0 +It is used for the training of Bayero University medical students and postgraduate medical doctors ( Residency training ) . It is used for training medical students and doctors of Bayero University ( Residency Training ) . 0 +On 28 February 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion dollars . On February 28 , 2018 GTT Communications announced the acquisition of Interoute for $ 2.3 Billion 1 +Adana Province , Turkey is a village in the District of Yüreğir , Düzce . Düzce is a village in the district Yüreğir in the province of Adana , Turkey . 0 +The school is in conjunction with the autistic department of the high school Ysgol Plas Brondyffryn , which was built in the year 2003 . The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was built in 2003 . 1 +Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress , a younger sister of the actress Assunta De Rossi . Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and a younger sister of the actress Alessandra De Rossi . 0 +"Quetzalcoatl 's father Zolton was murdered , Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father , Apanecatl , Mixcoatl and Cuilton were "" ." "Quetzalcoatl 's father Mixcoatl was murdered ; Quetzalcoatl was informed by Cozcaquauhtli that "" the uncles who had killed his father were Apanecatl , Zolton , and Cuilton . """ 0 +Ijagiri is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Ijagiri is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 1 +Rogue waves can result from the constructive interference ( dispersive and directional focusing ) of elementary 3D waves enhanced by nonlinear effects . Rogue - Waves can result from the directional interference ( dispersive and elementary focusing ) of constructive 3D waves , which are amplified by nonlinear effects . 0 +He was born out of Feckenham , Worcestershire , England , born to John Leighton by Wattlesborough and Joyce Sutton , daughter of Edward Sutton , 2nd Baron Dudley . He was from Feckenham , Worcestershire , England , born to John Leighton of Wattlesborough and Joyce Sutton , daughter of Edward Sutton , 2nd Baron Dudley . 0 +Back Street was a 1961 film directed by Universal Pictures , produced by David Miller , and by Ross Hunter . Back Street is a 1961 film made by Universal Pictures , produced by David Miller , and directed by Ross Hunter . 1 +Querétaro is a municipality in Pinal de Amoles Municipality in central Mexico . Querétaro is a municipality in the Pinal de Amoles municipality in central Mexico . 1 +It was written by Nancy Steen and Neil Thompson , directed by Paul Krasny , produced by Robert K. Weiss . It was directed by Paul Krasny , written by Nancy Steen and Neil Thompson , and produced by Robert K. Weiss . 1 +Alexander Nikolayevich Veselovsky ( in Moscow -- in St. Petersburg ) was a leading Russian literary theorist who laid the foundations for comparative literature studies . Alexander Nikolayevich Veselovsky ( in Moscow in St. Petersburg ) was a leading comparative literary theorist who laid the groundwork for Russian literary studies . 0 +Furthermore , Spain agreed into negotiations with the Portuguese court and on 13 February 1668 entered the Peace of Lisbon . Furthermore , Spain entered into negotiations with the Portuguese court and agreed to achieve the Lisbon peace on 13 February 1668 . 0 +Renzo Furlan won against Thomas Johansson in the finals with 6 -- 3 , 6 -- 4 . Thomas Johansson won against Renzo Furlan in the finals with 6 -- 3 , 6 -- 4 . 0 +""" It was a crazy race , and I had such a fast Pennzoil Ford , "" said Logano ." """ It was a crazy race and I had such a fast Pennzoil Ford "" , Logano said ." 1 +The Suceviţa River is a tributary of the Rusca River in Romania . The Rusca River is a tributary of the River Suceviţa in Romania . 0 +New teaching sites were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli in the 1990s . In the 1990s , new teaching campuses were opened in Ivrea , Mondovì , Biella , Alessandria and Vercelli . 1 +"The first newspaper was published in the state in 1781 , the weekly "" Vermont Gazette "" ." "The weekly was published in 1781 in the state , the first "" Vermont Gazette "" ." 0 +Palpi , head and thorax are white and the shoulders yellowish . Palpi , head and thorax are yellowish and the shoulders are white . 0 +The film is a first Syrian nominated film , produced and destined for Oscar . The film is a first Syrian nominated film produced and directed for Oscar . 1 +Iaquinta faced Mitch Clarke at UFC 173 on May 24 , 2014 . Iaquinta confronted Mitch Clarke on 24 May 2014 at UFC 173 . 1 +VLC systems generally apply common coding and modulation techniques to achieve robustness compared to specific TLM disturbances . VLC systems generally apply specific coding and modulation techniques to achieve robustness against common TLM disturbances . 0 +"As guests on the EP appeared YU grupa guitarist Dragi Jelić , Ivan Vdović "" VD "" , Srđan Todorović and Roze Poze guitarist Željko Nikolić ." "As guests on the EP appeared YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Sr "" unk "" to Todorović and Roze Poze guitarist Ivan Vdović ." 0 +He appeared in 62 games , and started in 60 games . He started out in 62 games and appeared in 60 games . 0 +Montgomery County is part of the Metropolitan Statistical Area of Blacksburg - Christiansburg -- Radford , VA . Blacksburg is part of VA Metropolitan Statistical Area -- Christiansburg -- Radford , Montgomery County . 0 +Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football manager and former player . Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football trainer and former player . 1 +"A large carnival features "" chirigotas "" , costumed groups that sing of current events in a humorous way ." "A large carnival offers "" chirigotas "" , costumed groups that sing in a humorous way of current events ." 1 +The portner kept the grocery store , and Recker focused on expanding the brewery . Recker kept the grocery store and Portner focused on expanding the brewery . 0 +From 1999 to 2002 she attended the Lincoln Southwest High School and the Scott Middle School from 2002 to 2005 . She attended Lincoln Southwest High School from 1999 to 2002 and attended Scott Middle School from 2002 to 2005 . 1 +The San Miguel Beermen are a professional basketball team at the PBA ( Philippine Basketball Association ) . The San Miguel Beermen are a professional basketball team in the Philippine Basketball Association ( PBA ) . 1 +Jagtial is a village and Mallapur district in the state of Telangana , India . Mallapur is a village and Jagtial district in the state of Telangana in India . 0 +The Frunte ? ti river is a tributary of the River Valea Botului in Romania . The Valea Botului River is a tributary of the Fruntești River in Romania . 0 +For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just social action , but human action . However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply social action , but rather human action . 1 +"It is important to test so-called "" human universals "" against the ethnographic record ." "It is important to examine so-called "" human universals "" against the ethnographic record ." 1 +This said , Gattie , was owned by Godwin , Count of Wessex in the first half of the 11th century , after which the sands are named . This , Godwin said , was owned in the first half of the 11th century by Gattie , Earl of Wessex , after whom the Sands are named . 0 +It is possible to play the inclination sensor in order to be able to reverse it on a GBA SP properly . It is possible to play the tilt sensor to be able to properly reverse it on a GBA SP . 1 +The Final FESPIC Games had 18 venues for the Games , 9 in Selangor , 7 in Kuala Lumpur and each 1 in Putrajaya and Negeri Sembilan . The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and each 1 in Putrajaya and Negeri Sembilan . 0 +The chief editor is Tim Kroenert and the assistant is Michael Mullins . The chief editor is Michael Mullins and the assistant is Tim Kroenert . 0 +In South Carolina the law only applies to minors under 16 , and in Delaware to minors under 17 . In Delaware , the law applies only to minors under 16 and in South Carolina to minors under 17 . 0 +Cedar wood has been exploited over the centuries by the Phoenicians , Persians , Babylonians , Egyptians , Assyrians , Romans , Israelites and Turks . Over the centuries , cedar wood was exploited by the Phoenicians , Egyptians , Assyrians , Babylonians , Persians , Romans , Israelites and Turks . 1 +Entries marked with an asterisk are set in Nodd 's fictional community of King 's Ridge . Entries marked with an asterisk are set in the fictional community of King 's Nodd 's Ridge . 0 +Chris Paul signed with Houston Rockets , and Carmelo Anthony signed at the Oklahoma City Thunder . Chris Chris Paul signed with Oklahoma City Thunder , and Carmelo Anthony signed the Houston Rockets . 0 +Under the British Raj , the Bijapur District was part of the Presidency of Bombay . Under the British Raj , the Bombay presidency was part of the Bijapur district . 0 +She graduated from the Institute of Health Management in Nairobi , where she acquired a Physiotherapy Certificate , she comes from Kenya and stands . She graduated from the Institute of Health Care Management in Nairobi , where she received a physiotherapy certificate . She comes from Kenya and stands . 1 +The Antarctic Peninsula is an island archipelago off the western coast of the Wilhelm archipelago in Antarctica . The Antarctic Peninsula is an island archipelago off the west coast of the Wilhelm Archipelago in Antarctica . 1 +""" Little Boys "" is the fourth episode in the third season of the television series "" How I Met Your Mother "" and 48th overall ." """ Little Boys "" is the fourth episode in the third season of the television series "" How I Met Your Mother "" and 48th total ." 1 +kinetic compensation : an increase in the preexponential factors tends to compensate for the increase in activation energy : Kinetic Compensation : An increase in the preexponential factors tends to compensate for the increase in activation energy : 1 +Nick , however , is caught by a corrupt system administrator who blackmails Steven for information for $ 50,000 . Steven is caught , however , by a corrupt systems administrator who extorts Nick for $ 50,000 for the information . 0 +He lives with his wife Mabel and their children , Noah and Lucy . He lives in Noah and Mabel with his wife Lucy and their children . 0 +Love on the Line is the name of a Crazy Penis album , which was released in 2008 and was only produced in Australia . Love on the Line is the name of a Crazy Penis album produced in 2008 , released only in Australia . 0 +A short history of decay was published in July 2017 on the Latent Recordings label by Michael Timmins in Europe and TV Records Ltd in Canada . A Short History Of Decay was released in July 2017 on Michael Timmins label Latent Recordings in Europe and on TV Records Ltd in Canada . 1 +Denco is a former settlement in Colusa , north of Colusa County , California , on Southern Pacific Railroad . Denco is a former settlement in Colusa , north of Colusa County , California on the Southern Pacific Railroad . 1 +"Alexandra Crandell was credited with "" Adam 's girlfriend "" , while Samantha Swetra was marked as "" Whitney 's friend "" ." "Alexandra Crandell was credited as "" Adam 's girlfriend "" , while Samantha Swetra was labeled "" Whitney 's friend "" ." 1 +It was expanded in 1910 from Laura to Wilmington and finally to the Booleroo Centre in 1915 . It was extended by Laura to the Booleroo Centre in 1910 and finally to Wilmington in 1915 . 0 +It ranges from Wisconsin east to the East Coast , south to Georgia , Texas , and Panama . It ranges from Wisconsin east to the east coast , to the south to Georgia , Texas and Panama . 1 +The chiral centers in Pumiliotoxin 251D can produce several stereoisomers of the compound : only one form of toxin is present in nature and has toxic properties . The chiral centers in pumiliotoxin 251D can give toxic stereoisomers of the compound . Only one form of the toxin is present in nature and has several properties . 0 +"As Smith Sounds , Greg Smith published two solo albums : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." "Greg Smith has released two solo albums as Smith Sounds : "" Hot as a Lemon "" ( 2003 ) and "" The Northern Elation "" ( 2009 ) ." 1 +Jammu is the first major South Indian city on the longest train route in the India , Kanyakumari to Thiruvananthapuram . Jammu is the first major South Indian city on the longest train route in India , from Kanyakumari to Thiruvananthapuram . 1 +Kunkuri is the hottest region in Nichghat during the summer and Pandrapat is the coldest region in Upper Ghat in the winter . Kunkuri is the coldest region in Nichghat in summer and Pandrapat is the hottest region in Upper Ghat in winter . 0 +The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuos , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera and Michael Roy Jornales . The participants included TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso , and Michael Roy Jornales . 1 +Tracks 7-17 from the album Let 's ; s Be Up and Make Friendly . "Tracks 7-17 from the album "" Let 's Make Up and Be Friendly """ 0 +Károli started his school in Brassó and finished in Nagykároly . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . Károli started his school in Nagykároly , graduated in Brassó , went to the Wittenberg Academy in 1556 and ordered the Synod of Gönc in 1566 . 0 +The previous record was .185 by the Kansas City Royals , when they lost to the St. Louis Cardinals in 1985 . The previous record was 185 by the Kansas City Royals when they lost to the St. Louis Cardinals in 1985 . 1 +Petra Feucht ( born March 22 , 1965 ) , born Petra Keppeler , is a former professional tennis player from Germany . Petra Feucht ( born 22 March 1965 ) , born Petra Keppeler , is a former professional tennis player from Germany . 1 +On 5 July 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-granddaughter of Friedrich Nicolai . On July 5 , 1846 , he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and urgent subsidiary of Bernhard Klein . 0 +The headquarters of the Great Western Railway are located in Shaunavon . The Great Western Railway headquarters are located in Shaunavon . 1 +"Cassandra Peterson also appeared in Peaches Christ 's "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." "Also in Peaches Christ ' ; s "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow appeared Brown Brown ." 0 +In 1999 , local reports said the average lake depth had increased to 11 feet with the maximum depth at 15 feet . 1999 , local reports said that the average sea depth had increased to 11 feet with the maximum depth at 15 feet . 1 +The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1 . The current ( from 2013 to 2017 ) mayor is Fernando Nogueira , elected by the PenCe ( communal movement ) , the independent holiday is October 1 . 0 +Wilson was the only VC recipient during the Italian invasion of British East Africa ; only six other VCs were awarded for operations in Somalia . Wilson was the only VC recipient during the Italian invasion of British - East Africa , only six additional VCs were awarded for operations in Somalia . 1 +Initially , Rich Rich was unimpressed , but Owens liked it , and they adopted it on February 12 , 1963 , with the Buckaroos . Owens was initially unimpressed , but Rich liked it , and they recorded it with the Buckaroos on February 12 , 1963 . 0 +Thomas Calvert was born on 30 December , 1870 in London . He was the first son of journalist Herbert Hepburn Calvert and his wife Grace ( née Hepburn ) . Thomas Calvert was born in London on December 30 , 1870 , and was the first son of the journalist Herbert Hepburn Calvert and his wife Grace ( nee Hepburn ) . 1 +""" Opson "" is therefore Banchan in Korean cuisine and Okazu in Japanese cuisine equivalent ." """ Opson "" is therefore equivalent to Banchan in Japanese cuisine and Okazu in Korean cuisine ." 0 +The municipality borders Hammonton in Burlington County , Medford Township , Tabernacle Township and Washington Township in Camden County and Waterford Township in Atlantic County . The township borders Hammonton in Burlington County ; Medford Township , Tabernacle Township and Washington Township in Camden County ; and Waterford Township in Atlantic County . 1 +On June 30 , 2016 , Infante agreed to a minor league deal with the Atlanta Braves . He was released by the Braves on August 16 , 2016 . On June 30 , 2016 , Infante agreed to a Minor League Deal with the Atlanta Braves , which was released by the Braves on August 16 , 2016 . 1 +While Rosenkranz was waiting in Ecuador for a ship to Havana , Cuba , the Japanese attacked Pearl Harbor . While rosary in Ecuador was waiting for a ship to Havana , the Japanese attacked Pearl Harbor . 0 +Planet X is a bicycle company based in Sheffield , in the north of England . It was founded in 1990 by Dave Loughran from Rotherham . It is a bicycle company based in Sheffield in the North of England , founded in 1990 by Dave Loughran from Rotherham . 1 +It is 2 km northeast of Agios Stefanos and 20 km west of Athens city centre . It is located 2 km west of Agios Stefanos and 20 km northeast of the city centre of Athens . 0 +He died in Edinburgh on 28 August 1901 . He had married , in Mauritius in 1870 , Charlotte , the daughter of Percy Fitzpatrick . He died in Mauritius on August 28 , 1901 , married Charlotte , daughter of Percy Fitzpatrick , in Edinburgh in 1870 . 0 +Because there was a lack of evidence to prove that Johnson was not killed in self-defense , Jim was acquitted and allowed to return to home . Because there was a lack of evidence to prove that Jim was not killed in self-defense , Johnson was acquitted and allowed to return home . 0 +Tipsarević started playing tennis at the age of six , and at the age of nine he began with the Russian coach Roman Savochkin at the New Belgrade Tennis Club . Tipsarević began playing tennis at age six , and at the age of nine , started playing at the New Belgrade Tennis Club with Russian coach Roman Savochkin . 1 +Manx Airlines can trace its history back to March 1991 , when Manx Airlines created Regional Airlines Europe to expand and fly routes within the United Kingdom . British Regional Airlines can trace its history back to March 1991 , when Manx Airlines created Manx Airlines Europe in order to expand and fly routes within Britain . 0 +"According to Jon Uren , marketing director of Warner Music Europe , the song also had "" early "" fantastic support across Europe ." "According to Jon Uren , Marketing - Director of Warner Music Europe , the song had also "" fantastic "" early support across Europe ." 1 +The Organizing Committee investigated the unauthorized filming , and on 6 August 2008 , banned SBS cameras inside the stadium during the ceremony as reprisals for the leak . The organizing committee banned the unauthorized filming and examined SBS cameras in the stadium on August 6 , 2008 during the ceremony as reprisals for the leak . 0 +"Atari later improved the basic design with the "" 1040ST "" in 1986 ( also written "" STF "" ) ." "Atari also improved the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." 0 +Former New Directions member Kurt Hummel ( Chris Colfer ) attends the concert , accompanied by his boyfriend Blaine Anderson ( Darren Criss ) . Kurt Hummel ( Chris Colfer ) , a former member of New Directions , attends the concert , accompanied by his friend Blaine Anderson ( Darren Criss ) . 1 +Jana Novotná won 6 -- 4 , 6 -- 1 against Europe in the final . Jana Novotná won in the final 6 -- 4 , 6 -- 1 against Graf . 0 +Gus mentions other cases of reporters who made up stories : Jack Kelley , Stephen Glass and Jayson Blair . Gus mentions other cases of reporters who come up with stories : Jack Kelley , Stephen Glass , and Jayson Blair . 1 +Mons Claudianus lies in the upper desert of Eastern Egypt , and was discovered in 1823 by Wilkinson and Burton . Mons Mons Claudianus is situated in the eastern desert of Upper Egypt and was discovered by Wilkinson and Burton in 1823 . 0 +Duncan Mineral Springs ( formerly , Duncan Springs ) is an unincorporated community in Mendocino County , California . Duncan Mineral Springs ( formerly Duncan Springs ) is an illegal community in Mendocino County , California . 1 +The story was started in Australia as Lawson 's first novel , but was broken off and finally completed after his return to England . The story was begun in Australia as Lawson 's first novel , but was broken off and eventually completed after his return to England . 1 +Susie J. Clarke married Brown on 30 December 1888 in Ayer , Massachusetts , USA . Susie J. Clarke married Brown in Ayer , Massachusetts , on December 30 , 1888 . 1 +"Coins were described using only three adjectives : "" good , "" fine "" or "" uncirculated "" ." "Coins were described using only three adjectives : "" fine "" , "" good "" , or "" immovable "" ." 1 +The navy is a modern force with foreign ships built . The Navy is a modern force with foreign ships built : 1 +In August 2017 , as a member of the Republican Party , Glassman announced an exploratory campaign for the Arizona Corporation Commission ’ s race of 2018 . In August 2017 , as a member of the Arizona Corporation Commission , Glassman announced an exploratory campaign for the 2018 race of the Republican Party . 0 +Monilea patricia is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . Monilea patricia is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . 0 +He worked in Europe from 1931 until the outbreak of the Second World War in Shanghai in 1939 . From 1931 until the outbreak of World War II in Shanghai in 1939 , he worked in Europe . 1 +Separate lists are provided for the 61 listed properties and historical districts in Evanston and the more than 350 listed properties and districts in Chicago . Separate lists are provided for the 61 listed properties and historical districts in Chicago and more than 350 listed properties and districts in Evanston . 0 +Sam and Russ later refused to attend Nicole 's funeral . Sam and Russ both later refused to attend Nicole 's funeral . 1 +Thillana Thillana is a 2003 Indian Malayalam film , produced by T. S. Saji and directed by M. A. Nishad . Thillana Thillana is a 2003 Indian Malayalam film produced by T. S. Saji and by M. A. Nishad . 0 +"Dean Moriarty was the Real - Life model for the character Jack Kerouac in Neal Cassady 's novel "" On The Road "" ." "Dean Moriarty was the real-life model for the character Jack Kerouac in Neal Cassady 's novel "" On The Road "" ." 1 +The Holger Danske and Albertus Pictor , painted on the ceiling of the Floda church in Sweden , were attributed to Burman around 1480 . The Holger Danske and Burman painted on the ceiling of Floda Church in Sweden are attributed Albertus Pictor around 1480 . 0 +Born in Flint , Michigan , she grew up in Mississippi . She was born in Mississippi , Germany , but grew up in Flint , Michigan . 0 +Crocker Paddon defeated 2009 again and took his third victory against Emma Gilmour in 2010 . Paddon defeated Crocker again in 2009 and took his third victory in 2010 over Emma Gilmour . 0 +"Carpenter would later describe the script as "" too campy , too light "" ." "Carpenter would describe the script as "" too campy , too light "" later ." 1 +After the constitution of the United States was adopted in 1789 , the US was ratified by Bill of Rights in 1791 . After the United States Constitution was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . 0 +Turkey is a unitary system , not a federal one , and the provinces are subordinate to the centre . Turkey is a federal not a unitary system , and the provinces are subordinated to the centre . 0 +Game five was Fred Shero 's last game as head coach of the Flyers and Gerry Cheevers left the ice without shaking hands with any of the Flyers . Game five was Fred Shero 's last game as chief coach of the Flyers and Gerry Cheevers left the ice without shaking his hands with one of the flyers . 1 +Cambodia is represented through its UN mission in New York , Canada . Canada is represented in Cambodia through its UN mission in New York City . 0 +Today , the only wild animals remaining as a tangible threat to lambs in the British Isles are the predatory fox , the badger and the red birds . Today the only wild animals remaining as a tangible threat to lambs in the British Isles are the red fox , badger , and predatory birds . 0 +If it was commercially added , illustrations were printed by J. Augustus Knapp . If it was commercially printed , illustrations were added by J. Augustus Knapp . 0 +In order to reward his contributions , King Xiao Feizi wanted to make his father 's legal heir , instead of his half-brother Cheng . To reward his contributions , King Xiao wanted to make Feizi his father 's legal heir instead of his half-brother Cheng . 0 +Shiva wanted to see Rama , but Sati was in the dark that Rama was a God manifestation . Shiva wanted to see God , but Sati was in the dark that Rama was a manifestation of Rama . 0 +The Clarinda Post Office was opened on 13 September 1911 and reopened in 1971 , when it was developed in 1984 . Clarinda Post Office opened on 13 September 1911 and reopened in 1971 . When the suburb was developed , it closed in 1984 . 1 +Hugh 's younger brother , William , was progenitor of the Clan Murray . Hugh 's younger brother , William , was the father of Clan Murray . 1 +Later Beth switched off the machine and Robbie is shocked but understanding . Robbie later turns the machine off and Beth is shocked but understanding . 0 +In 1971 , he divorced again to marry Coralie Legrand , with which he had a daughter , Martine Leroy . In 1971 , he divorced again to marry Coralie Legrand , with whom he had a daughter , Martine Leroy . 1 +The 2004 -- 08 volcanic activity of Mount St. Helens has been documented as a continuous eruption with a gradual extrusion of magma at the Mount St. Helens volcano . The volcanic activity of Mount St. Helens ( 2004-2008 ) has been documented as a continuous eruption with a gradual extrusion of magma at Mount St. Helens volcano . 1 +In 1963 , the American Chiropractic Association was reorganized into the National Chiropractic Association ( ACA ) . The National Chiropractic Association was reorganized into the American Chiropractic Association ( ACA ) in 1963 . 0 +Collera is one of nine parishes ( administrative divisions ) in Ribadesella , a municipality within the province and autonomous community of Asturias , in northern Spain . Collera is one of nine parishes ( administrative districts ) in Ribadesella , a municipality in the province and autonomous community of Asturias , northern Spain . 1 +In 1998 the race was renamed for Saratoga Springs , a neighbor town of Amsterdam , New York in Upstate New York . In 1998 , the race for Amsterdam , New York , was renamed a neighboring town of Saratoga Springs in Upstate New York . 0 +Satellite Beach is part of Melbourne 's Metropolitan Statistical Area -- Palm Bay -- Titusville . Satellite Beach is part of the Metropolitan Statistical Area of Palm Bay -- Melbourne -- Melbourne -- Titusville . 1 +HMS manufactures and markets industrial communication products that connect industrial devices to different industrial networks and IoT systems . HMS produces and markets products for industrial communication that connect industrial devices to different industrial networks and IoT systems . 1 +In total , the Celtic Association was able to organise three Pan - Celtic congresses : Dublin ( 1901 ) , Caernarfon ( 1904 ) and Edinburgh ( 1907 ) . In total , the Celtic Association was able to organise three Pan-Celtic Congresses : Edinburgh ( 1901 ) , Caernarfon ( 1904 ) and Dublin ( 1907 ) . 0 +Principal - Photography took place between July 2016 and October 2016 in small installments with additional collection dates in December 2016 and January 2017 . Principal photography took place in small installments between July 2016 and October 2016 with additional pick-up days in December 2016 and January 2017 . 1 +Drietoma is a village and municipality in the Trenčín District in the Trenčín Region of northwestern Slovakia . Drietoma is a village and municipality in the region of Trenčín in the district Trenčín in north-western Slovakia . 1 +Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and the headquarters of IBM . Ibirapuera Park is located in this sub-prefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . 0 +A few weeks later , HumansVsZombies.org defended his stance in an interview with Fixell . A few weeks later , Fixell defended his position in an interview with HumansVsZombies.org . 0 +Additionally , a left-handed team played against Marylebone Cricket Club ( MCC ) in two other games . Additionally , a left-handed team played in two other matches against Marylebone Cricket Club ( MCC ) . 1 +He later joined the Calcutta Football League and played in Kolkata - Klub United SC . Later he joined Kolkata outfit United SC and played in the Calcutta Football League . 0 +"was introduced first by Bharathiraja in the film "" Alaigal Oivathillai "" ." "Bharathiraja was first introduced by Karthik in the film "" Alaigal Oivathillai "" ." 0 +Various attempts have been made to reconstruct when sabbatical years actually fell using instructions in the Biblical text and events that were clearly understood in fixed historically dated calendars . Various attempts have been made to reconstruct when Sabbatical years actually fell using clues in the Biblical text and events clearly understood in fixed historically dated calendars . 1 +This version was released on August 18 , 2016 in North America and on January 5th , 2017 in Europe and Australia . This version was released on August 18 , 2016 in Europe and Australia and on January 5th , 2017 in North America . 0 +In 1968 , Cain married Vera Nell Washington , with a son , Brian Earl Cain , and a grandson , Brian Earl Cain , Jr . Vera Nell Washington married Brian Earl Cain in 1968 . He has a son , Cain , and a grandson , Brian Earl Cain , Jr . 0 +In the new group , Guy Watson of Love Song took over the drums and Ernie Earnshaw on the bass . Guy Watson , of Love Song took over on drums and Ernie Earnshaw on bass in the new group . 1 +The promotion of research and innovation in Europe is being financially supported by the Horizon 2020 programme , which is also open to participation worldwide . Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation worldwide . 0 +Ashland lies between this group and the related but distinct Armstrong Culture who lived along the Big Sandy . Ashland lies between this group and the related but distinct Armstrong culture that lived along the Big Sandy . 1 +"He is , also , the second cousin of Lauren Waters , who played Georgina Hagen in "" Britannia High "" ." "He is also the second cousin of Georgina Hagen that played Lauren Waters in "" Britannia High "" ." 0 +"He is presented by actor Adrien Jolivet in the French film "" The Army of Crime "" 2009 by Robert Guédiguian ." "He is portrayed by actor Adrien Jolivet in the 2009 French film "" The Army of Crime "" directed by Robert Guédiguian ." 1 +ABC Books has released seven paperback novels , each based on a single episode and from the perspective of a particular character . ABC Books has released seven paperback novels , each based on a specific episode and from the perspective of a single character . 1 +Prokowo is a non-operational PKP railway station in Prokowo ( Pomeranian Voivodship ) , Poland . Prokowo is a non-operational PKP railway station in Pomeranian Voivodeship ( Prokowo ) , Poland . 1 +Pledged also to the lords of Compey , initially , the Château de Sales thus came to the keeping of the princes of Luxembourg . Also pledged to the Lords of Compey , the Château de Sales initially came to the reign of the princes of Luxembourg . 1 +Inside there are historical objects , including an old church bell from 1801 and paintings and photographs from the colonial period . Inside there are colonial objects , including an old church bell from 1801 and historical paintings and photographs 0 +The optimum language is therefore additive up to this universal constant . Therefore , the optimal language is universal up to this additive constant . 0 +Giovanola also marketed the first Freefall ( developed by Intamin ) experience and the first drop tower . Intamin also marketed the first freefall - experience ( developed by Giovanola ) and the first drop tower . 0 +Alun James Pugh ( born 4 March 1983 in Wales ) is a Cypriot rugby player who has played for the Cyprus national rugby union team since 2007 . James Pugh ( born March 4 , 1983 in Cyprus ) is a Cypriot rugby player who has played for the Welsh Rugby - Union team since 2007 . 0 +Felix researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization in London from 1927 to 1945 . Felix researched in Bielsko , Vienna , Prague and London and worked for the Hadassah Medical Organization in Jerusalem from 1927 to 1945 . 0 +Ann is married to Jennifer Aull , who was in the Greenpoint Reformed Church in Brooklyn Pastor with Ann . Ann is married to Ann , who pastors with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn . 0 +The winter is characterized by dry , sunny and pleasant days and cool and occasionally foggy nights . Winter is characterized by dry , sunny , and quite pleasant days , and cool and occasionally foggy nights . 1 +The same report appears in Richard Hardyng 's chronicle , where Arthur Cador 's brother is called the side of his mother . "The same account appears in Richard Hardyng 's "" Chronicle "" where Cador is called Arthur 's brother "" of his mother 's syde . """ 0 +Giuliano Calore ( 1938 ) is an Italian racing cyclist , world champion of extreme cycling , holder of 13 records and won 98 medals . Giuliano Calore ( 1938 ) is an extreme cyclist , world champion of Italian cycling , 13 records and won 98 medals . 0 +It is a well-studied organism in the discipline of Evolutionary biology and was an early and important model system for the study of European phylogeography . It is a well-studied organism in the discipline of evolutionary biology and was an early and important model system for the research of European phylogeography . 1 +""" Full Circle "" was produced by Birtles Shorrock Goble 's manager Michael Costa and mixed by long-time supporter and friend , Paul Rodger at Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Michael Costa , manager of Birtles Shorrock Goble , and mixed by longtime supporter and friend Paul Rodger at the Stream AV Studios in Melbourne ." 1 +After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this later became the permanent family home . After the purchase in 1948 by the son of Robert Lorimer , the sculptor Hew Lorimer , this became a permanent family home later . 0 +Xhemal Pasha Zogu was hereditary governor of Mati , father of Xhelal Pasha Zogolli and grandfather of King Zog I . Xhelal Pasha Zogolli was an hereditary governor of Mati , father of Xhemal Pasha Zogu and grandfather of king Zog I . 0 +Steckborn is a municipality in Thurgau , in the Canton of Frauenfeld , Switzerland . Steckborn is a municipality in the Frauenfeld district of the Canton Thurgau in Switzerland . 0 +The Hyslop farm was named after Henry Scudder , who was employed by the founder of the Agronomy Department , George Hyslop , when he opened the department in 1907 . The Hyslop farm was named after Henry Scudder , who was hired by Agronomy Department founder George Hyslop when he opened the department in 1907 . 1 +Born in 1783 in Birmingham as second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . Born in 1783 in Birmingham , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Sheffield . 1 +J. Thomas Spriggs , who was born in Whitesboro , New York , emigrated to the United States with his parents settled in Peterborough , England in 1836 . Born in Whitesboro , New York , J. Thomas Spriggs immigrated to the United States with his parents , who settled in Peterborough , England in 1836 . 1 +He remains a somewhat puzzling figure : it has been questioned whether he could be distinguished from Monulph , but the two saints are usually identical . He remains a somewhat mysterious figure : it has been questioned whether he could be identical with Monulph , but the two saints are usually distinguished from one another . 0 +He copied the works of Frans Floris , Maerten de Vos , Jan van Cleef , Willem Key , Cornelis van de Capelle and Gillis van Coninxloo . He copied works of Frans Floris , Maerten de Vos , Jan van Cleef , Willem Key , Cornelis van de Capelle and Gillis van Coninxloo . 1 +A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September followed another tour to Switzerland . A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September followed another tour in Switzerland . 1 +Akwa Ibom State or Eket Airfield is an airport serving Eket , a city in the Eket Airstrip of Nigeria . Eket Airstrip or Eket Airfield is an airport that serves Eket , a city in the Akwa Ibom State of Nigeria . 0 +Like its unprepared predecessor , the T-411 Wolverine was designed for operations on Russian surfaces . Like its unprepared predecessor the T-411 Wolverine was designed for operations from Russian surfaces . 1 +Seon is a municipality in the district of Lenzburg in the canton of Aargau in Switzerland . Seon is a municipality in the Lenzburg district of the canton of Aargau in Switzerland . 1 +Prince Edward Island , Canada is a provincial park located in Strathgartney Provincial Park . Prince Edward Island , Canada is a provincial park in Strathgartney Provincial Park . 1 +Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist , known for his early involvement in the American beat movement . Joffre Stewart ( born 1925 ) is an American poet , anarchist , and pacifist known for his early participation in the early Beat movement . 0 +ISPS Handa promotes blind golf and disabled golf and offers worldwide management and financial support for a number of tournaments in cooperation with local golf associations . ISPS Handa promotes disabled golf and blind golf , and provides management and financial support to a number of tournaments in cooperation with the local golf associations worldwide . 1 +For this match , Paul Jones was bound by a rope to Dusty Rhodes in Valiant corner . For this match , Dusty Rhodes was bound by a rope to Paul Jones in Valiant 's corner . 0 +He reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Jimmy White and 8 -- 9 against Steve Davis . In 1991 and 1992 , Steve Davis reached the finals of the tournament , but lost to Stephen Hendry 4 -- 10 and against Jimmy White 8 -- 9 . 0 +The Cârlibaba - River is a tributary of the River Tătarca in Romania . The Cârlibaba River is a tributary of the Tătarca River in Romania . 1 +The small institutions that they founded would not have found them like universities -- they were tiny and did not offer higher degrees in medicine and theology . The small institutions they founded would not have seemed to them like universities -- they were tiny and did not offer the higher degrees in medicine and theology . 1 +The predominant sector , with a secondary occupation of the building , employs 33 % of the workers . The secondary sector , with a predominant occupation of the building , employs 33 % of workers . 0 +""" Lonely Journey "" and "" Lullaby "" have been used in several music collections in arranged versions sung by Hironobu Kageyama ." """ Lonely Journey "" and "" Lullaby "" have been sung in several music collections in arranged versions of Hironobu Kageyama ." 1 +It took place at the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain , from April 23 through April 29 , 2010 . It took place from 23 to 29 April 2010 at the Real Club de Tenis Barcelona , Catalonia , Barcelona , Spain . 1 +The Major A Premiership is currently held in the Pacific League by the Pine Hills Lightning in the Major League and Runcorn Indians . The Major A Premiership is currently held in the Pacific League by the Major League in Pine Hills Lightning and Runcorn Indians . 0 +"Sportswriter and fellow player Wallace played Jimmy Smith on his 1909 All American Team "" ." "Sportswriter and fellow player Wallace put Jimmy Smith on his 1909 "" All American Team . """ 0 +He developed players like Nedko Nedev , Ivan Derventski , resorts Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev . He developed players like Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev , Ivan Derventski , Spas Kirov , Nedko Nedev . 1 +"Mary disapproves of the relationship with Christine until Del convinces her that love knows no boundaries ( "" Our Kind of Love "" ) ." "Mary disapproves of the relationship with Christine until Del convinces that love knows no boundaries ( "" Our Kind of Love "" ) ." 1 +As promised , only 28 % of the predicted amount has been refunded since 2015 . As promised , only 28 % of the predicted amount has been reimbursed since 2015 . 1 +The game was published on 12 September 2008 in Europe and on September 22 in North America . The game was published on September 12 , 2008 in North America and on September 22 in Europe . 0 +On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was lent to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was loaned to AFC Wimbledon on 8 February 2008 to gain further first team experience . 1 +These partnerships allow providers to remove user-uploaded content from VK and replace it with legal embedded copies from the provider 's website . These partnerships allow providers to remove user-uploaded content from VK and substitute it with legal embedded copies from the provider 's site . 1 +"In 1980 , Lucy claimed that the series was written for the poet 's sister Dorothy , but found the Dorothy -- Hunter Davies allusion "" bizarr "" ." "In 1980 , Hunter Davies contended that the series was written for the poet 's sister Dorothy , but found the Lucy -- Dorothy allusion "" bizarre "" ." 0 +Antonio recently appeared in Ireland with the singer Chris De Burgh and the Special Guest Eoin Dillon and with Donovan ( Kila ) in Ireland . Recently Antonio appeared in Ireland in duo with singer Chris De Burgh and special guest Eoin Dillon , and with Donovan ( Kila ) . 1 +The album was released on the RCA Victor label in France , and on Metronome label in Germany . The album was released on the RCA Victor label in France and at Metronome Label in Germany . 1 +In 2006 Romania produced a total of 62 TWh of electricity having an installed capacity of 17,360 MW in thermal , hydro and nuclear power plants . In 2006 , Romania produced a total of 62 TWh of power , with an installed capacity of 17,360 MW in thermal , hydro and nuclear power plants . 1 +The Hârtibaciu River is a tributary of the Halmer in Romania . The Halmer River is a tributary of the Hârtibaciu River in Romania . 0 +from the second relative homotopy group to the fundamental group , may be given the structure of crossed module . The functor From the second relative homotopy group to the fundamental group , the structure of the crossed module can be given . 1 +Humphrey withdrew from the race , and Kennedy had gained the victory he needed to prove to the Party ’ s bosses that a Catholic could win in a non-Catholic state . Humphrey withdrew from the race and Kennedy had gained the victory he needed to prove to the party 's bosses that a Catholic could win in a non-Catholic state . 1 +Other industrial zones are located in Landhi , Korangi , FB Area , North Karachi and Port Qasim . Other industrial zones are in North Karachi , Korangi , F.B . - Area , Landhi and Port Qasim . 1 +Mode 9 was born in Osun State on June 14 , 1975 as the third child of his parents but maintains , ( London ) as his origin . Mode 9 was born on 14 June 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . 1 +There is no railway station in Kadipur airport that you can reach from Sultanpur by bus . There is no railway station & airport in Kadipur . You can reach here by bus from Sultanpur . 1 +Small mammals , including bats , are sometimes caught but insects are eaten only very rarely . Sometimes , small mammals , including bats , are eaten , but very rarely are insects caught . 0 +"In "" Suicide Squad "" ( 2016 ) , Harley Quinn carried the batsuit twice in the film , where he captured Deadshot and Bruce ." "In "" Suicide Squad "" ( 2016 ) , Harley Quinn wore the Batsuit again twice in the film where he captured Deadshot and Bruce ." 1 +The shortest remaining time is short because advantageous processes are handled very quickly . Shortest remaining time is short because advantageous processes are handled very quickly . 1 +He studied oriental languages in Amsterdam ( Athenaeum Illustre ) and in Leiden . He studied Oriental languages in Leiden ( Athenaeum Illustre ) and Amsterdam . 0 +The ports of Massachusetts alone employed an average of 183 vessels in northern fisheries between 1771 and 1775 and 121 in the southern . Between 1771 and 1775 the Massachusetts ports alone employed an average of 183 vessels in the southern fishery , and 121 in the northern . 0 +The Handbook of South American Indians is a scholarly series of edited monographic and reference volumes in ethnographic studies , published by the Smithsonian Institution between 1940 and 1947 . The Handbook of the South American Indians is a monographic series of scientific and reference volumes in ethnographic studies published between 1940 and 1947 by the Smithsonian Institution . 0 +Juan Colomer publishes his works on Editions BIM of Switzerland , Editorial Piles , Tritó and Rivera editores in Spain . Juan Colomer publishes his works with Editions BIM of Switzerland , Editorial Piles , Tritó , and Rivera editores in Spain . 1 +In 1974 , Erik Erikson founded the rock band Spooner with two fellow musicians in Madison , Wisconsin . Erikson formed the rock band Spooner in 1974 with two fellow musicians in Madison , Wisconsin . 1 +For theories at the level of reverse-order arithmetic , the second mathematics program has much to say . For theories at the level of second-order arithmetic , the reverse mathematical program has much to say . 0 +Prayikkara is a village in Kerala , located on the banks of the river Achankovil , between Mavelikaraa and Chennithala Panchayat , in Mavelikara . Prayikkara is a village situated in Kerala , on the banks of the Achankovil river , in between Mavelikaraa Municipality and Chennithala Panchayat , in Mavelikara . 1 +Ardning is a municipality located in the district of Liezen in the Austrian province of Styria . Ardning is a municipality in the district of Liezen in the Austrian state of Styria . 1 +On 4 July 1968 , Harper resigned from the Cabinet at Smith 's request . At Harper 's request , Smith resigned from the cabinet on 4 July 1968 . 0 +Todd Woodbridge defeated Nicklas Kulti 6 -- 2 , 6 -- 0 . Todd Woodbridge defeated Nicklas Kulti with 6 -- 2 , 6 -- 0 . 1 +They come close to succeed , with unintentional help from Kim and Tim Possible , but Jim is saved by Ron at the last minute . They come close to being successful , with unintentional help from Kim and Tim possible , but Jim is saved at the last minute by Ron . 1 +Steve ( Cedric the Entertainer ) is a coach at the high school , and Cedric Robinson 's longtime best friend . Cedric Robinson ( Cedric der Entertainer ) is a coach at High School and Steve 's longtime best friend . 0 +"The Dutch music magazine OOR calls "" Vultures "" the best international album 2012 "" and other media praise the Dutch sound of the album ." "Dutch music magazine OOR call "" Vultures "" the best international album of 2012 "" and other media praise the Dutch sound of the album ." 1 +At this point we can either integrate directly , or we can first change the integrand to and continue from there . At this point we can either integrate first , or we can change the integrands directly and continue from there . 0 +Vertical Communications was acquired by Comdial in September 2005 . Comdial was acquired by Vertical Communications in September 2005 . 0 +""" Pogonodon "" was described in 1880 by Edward Drinker Cope . Two species are recognized , "" P. davisi "" and "" P. platycopis "" ." "Pogonodon was recognised by Edward Drinker Cope in 1880 , two species are described : "" P. davisi "" and "" P. platycopis "" ." 0 +Aisha 's father Haji Mahmood belonged to Kabul from where he went to Hajj and settled there at Makkah . Aisha 's father Haji Mahmood belonged to Kabul , from where he went to Hajj and settled there with Makkah . 1 +Geographically , Forsyth County occupies in central Belews Creek Township . Geographically , occupies Forsyth County in the central Belews Creek Township . 1 +This Vancouver - produced series was set in each episode in a different locale , such as in a western music hall or a historic saloon . This Vancouver-produced series was set in a different locale in each episode , such as a western music hall or a historic saloon . 1 +Also several free web hosting services such as Geocities provided free web space for personal web pages . Also several free web hosting services such as geocities provided free webspace for personal web pages . 1 +None of the Russian-Polish treaties concerning Kiev has ever been ratified . None of the Polish-Russian treaties concerning Kiev has ever been ratified . 1 +Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a Russian actress of German birth . Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German actress of Russian descent . 0 +According to the United States Census Bureau , Irvine is a total surface area of which is land and , or 5.13 % , has water . According to the United States Census Bureau , Irvine is a total area of , of which is land and , or 5.13 % , has water . 1 +It is about southeast of Moosehead Lake , 2 miles southwest of Baker Mountain , and 5 miles west of White Cap Mountain . It is located southeast of White Cap Mountain , 2 miles southwest of Baker Mountain and 5 miles west of Moosehead Lake . 0 +Conn Smythe , the founder of Toronto Maple Leafs , team owner Harold Ballard and Wrestler Whipper Billy Watson , helped Rumball raise the $ 7.6 million to open the center . Harold Ballard , founder of Toronto Maple Leafs , team owner Conn Smythe , and Wrestler Whipper Billy Watson helped Rumball find the 7.6 million dollars to open the centre . 0 +"The spacecraft is the first application of the "" Flexbus "" platform of Astrium , the second was GRACE ." "The spacecraft is the second application of Astrium 's "" Flexbus "" platform ; GRACE was the first ." 0 +This research has frequently led him to Jamaica , where he focuses on the Royal Bafokeng Nation , as well as Brazil and South Africa . This research has frequently led him to South Africa , where he concentrates on the Royal Bafokeng Nation , as well as Brazil and Jamaica . 0 +Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and the opponent received the other half . Notre Dame got half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent received the other half . 1 +He lived near Croydon , at Addiscombe , until his death on 11 July 1851 , at the age of seventy . He lived near Croydon in Addiscombe until his death on July 11 , 1851 at the age of seventy years . 1 +The party began as a resistance movement that fought for the independence of East Timor , first from Indonesia and then from Portugal , between 1974 and 1998 . The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 first by Indonesia and then from Portugal . 1 +Several branches of the South Nation River , a tributary of the Castor River , flow through the township . Several branches of the South Nation River , a tributary of the Castor River , run through the township . 1 +Evelyn L. Hu is Gordon McKay Professor of Applied Physics and Electrical Engineering at Harvard University . Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrical Engineering from Harvard University . 0 +The static component is the total resistance of the soil minus the dynamic component . The dynamic component is the total soil resistance less the static component . 0 +Chronic ischemia was first described in 1895 , while chronic disease was first described in the 1940s : the acute mesenterial disease was initially known as angina abdominis . Acute mesenteric ischemia was first described in 1895 while chronic disease was first described in the 1940s . Chronic disease was initially known as angina abdominis . 0 +It does not matter whether classical users know that they are modern or not . Whether modern users know that they are classical or not does not matter . 0 +"It was released on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." 0 +She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps that Gaby and Mcoy left behind , while the other was reoccupied by Ethel . She entered the Pinoy Big Brother House on Day 46 to fill one of the gaps left behind by Ethel and Mcoy , while the other was reoccupied by Gaby . 0 +In the 2011 census , 86.4 % of inhabitants were Roma , 5.9 % Hungarians , 5.2 % Romanians and 0.7 % Germans . At the 2011 census , 86.4 % of the inhabitants were Romanians , 5.9 % Roma , 5.2 % Hungarians and 0.7 % Germans . 0 +In January 1967 Daltoni won the first place at Belgrade 's second Guitar festival . In January 1967 , Daltoni won second place at the first Belgrade guitar festival . 0 +It was re-released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and released in 1999 by Universal Music 's Spectr It was published in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Universal Music Spectr in 1999 . 1 +There is an enormous number of orthogonal formulas involving other polynomials . There are an enormous number of other formulas involving orthogonal polynomials 0 +The music was composed by MS Baburaj and the lyrics were written by P. Bhaskaran and Yusufali Kechery . The music was written by MS Baburaj and the lyrics by P. Bhaskaran and Yusufali Kechery composed . 0 +"The longtime owner and publisher of the "" Hyde Park Herald "" remains Bruce Sagan . He is father of Paul Sagan , the former CEO of Akamai Technologies ." "Paul Sagan , a longtime owner and publisher of "" Hyde Park Herald , is the father of Bruce Sagan , the former CEO of Akamai Technologies ." 0 +It is found in North America , where it has been accepted from Washington to California and the West to Texas and Nevada . It is found in Texas and Nevada , where it has been recorded from Washington to California and west to North America . 0 +In versions of the Renaissance , Ogier travels to the Avalon governed by Morgan le Fay and eventually becomes King Arthur 's parade . In versions of the Renaissance , Ogier travels into the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's Paramour . 0 +For theories at the level of reversal - arithmetic has much to say the second mathematics program . For theories at the level of second-order arithmetic , the program for reverse mathematics has much to say . 0 +Titus Geganius Macerinus was a Roman statesman who served as Consul in 492 BC with Publius Minucius Augurinus . Titus Geganius Macerinus was a Roman statesman who served as a consul with Publius Minucius Augurinus in 492 BCE . 1 +It is important to achieve the quantum regime of the mechanical oscillator , where thermal noise effects on the device become negligible . It is important for reaching the thermal regime of the quantum oscillator , where mechanical noise effects on the device become negligible . 0 +"Edward Everett is portrayed by the actor Ed Asner in the documentary "" The Gettysburg Address "" from 2015 ." "In the 2015 documentary film "" The Gettysburg Address "" , Edward Everett is portrayed by actor Ed Asner ." 1 +He founded the citadel of Erebuni , the present capital of Armenia , Yerevan , 782 BC . He founded the citadel of Erebuni in 782 BC , which is the present capital of Armenia , Yerevan . 1 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Lawrence County with parts of the Lackawannock Township at Mercer County . In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township in Mercer County with parts of the Lackawannock Township at Lawrence County . 0 +In the 1970s Suzuki was one of the first buyers of Woolrich fashion in Japan . In 2006 he became a designer for Woolrich Woolen Mills in America . In the 1970s Suzuki was one of the first buyers of Woolrich Mode in Japan and became Designer for Woolrich Woolen Mills in America in 2006 . 1 +Although it was never used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been played . Although it was never played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been used . 0 +Branch Rickey was signed as an infielder in 1940 by Kissell , and spent 69 years with the Cardinals organization . Kissell was born in 1940 by Branch Rickey as an infielder and spent 69 years with the Cardinals organization . 0 +"Highland Park is the location of the main characters ' former home in CBS drama "" The Good Wife "" ." "The Highland Park is the location of the former home of the main characters in CBS - Drama "" The Good Wife "" ." 1 +He did not practice from 1970-74 , but continued to perform . From 1970-74 , he did not practice , but continued to perform . 1 +James the Fat would never return to his native Scotland . He remained an exile in Scotland until his death . His widowed mother and sister remained in Ireland . James the Fat would never return to his native Scotland , he remained in exile until his death in Scotland , his widowed mother and sister remained in Ireland . 1 +Kürbitz is a former municipality in the district of Vogtlandkreis in Saxony in Germany located near Plauen . Kürbitz is a former municipality located in the district of Vogtlandkreis in Saxony , Germany , near Plauen . 1 +""" Mound City "" was sold at auction at Tuscumbia to W. K. Adams on 29 November , 1865 ." """ Tuscumbia "" was sold on November 29 , 1865 at an auction in Mound City to W. K. Adams ." 0 +Born in Birmingham in 1783 as the second son of Isabella and Thomas Beilby , the family moved to Sheffield in 1783 . Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby , the family went to Birmingham in 1783 . 0 +Balıklı is a village in the District of Gümüşhacıköy , Amasya Province , Turkey . Balıklı is a village in the district of Gümüşhacıköy , province Amasya , Turkey . 1 +Pseudostellaria jamesiana is a species of pink flowering plant in the tuber family known by the common names sticky starwort and pink starwort . Pseudostellaria jamesiana is a species of pink flowering plant in the tuber family , known by the generic names sticky starworth and pink starwort . 1 +The 2015 season -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +Frugalware has a codice _ 2 and a codice _ 3 branch . The codice _ 2 branch is updated daily , and the codice _ 3 branch gets updated every 6 months . Frugalware has a branch codice 2 and a twig codice 3 . The branch codice 2 is updated daily , and the branch codice 3 is updated every six months . 1 +In 1890 , the French Colonel Louis Archinard later conquered the entire territory of the former Kaarta kingdom , which was officially annexed to French West Africa in 1904 . French Colonel Louis Archinard formally conquered the entire territory of the former Kaarta kingdom in 1890 , which was later annexed into French West Africa in 1904 . 0 +There are no secondary schools on the island , the nearest are Thurstable School in Tiptree and Thomas Lord Audley School in Colchester . There are no secondary schools in the island . The nearest are Thomas Lord Audley School in Colchester and Thurstable School in Tiptree . 1 +Below is the sound system of Mëranaw including underlying phonetic features . Below is the underlying phonetic system of Mëranaw , including the sound features . 0 +These airlines connect more than 80 cities throughout India and , after the liberalisation of Indian aviation , also operate overseas routes . These airlines connect more than 80 cities across India and also operate overseas routes after the liberalisation of Indian aviation . 1 +It was the first major social action in Ceylon and the first political mass crisis after independence . It was the first major social action in Ceylon and the first mass political crisis after independence . 1 +"Godella is a municipality in the "" comarca "" of Valencia , Spain , province of Horta Nord ." "Godella is a municipality in the "" Comarca "" of Horta Nord , province Valencia , Spain ." 0 +The Timiş River is a tributary of the River Zlagna in Romania . The river Zlagna is a tributary of the River Timiş in Romania . 0 +"Houseman called the decision to use clear contemporary dress "" an essential element in Orson 's conception of the play as a political melodrama with modern parallels "" ." The decision to use modern clothing called Houseman an essential element in Orson ’ s conception of the play as a political melodrama with clear contemporary parallels . 0 +The following is a list of all state highways in Waller County , Texas maintained by the Texas Department of Transportation . All state highways in Texas are paved . The following is a list of all state highways in Texas of the Texas Department of Transportation maintained All state highways in Waller County , Texas are paved . 0 +"The modern scientific or polite words "" vulva "" and "" vagina "" both stem from Latin , but originally they had different meanings ." "The different words "" Vulva "" and "" Vagina "" are both from Latin , but originally they had modern scientific or polite meanings ." 0 +He copied works of Frans Floris , Maerten de Vos , Jan van Cleef , Willem Key , Cornelis van de Capelle and Gillis van Coninxloo . He has copied works by Frans Floris , Maerten de Vos , Jan van Cleef , Willem Key , Cornelis van de Capelle and Gillis van Coninxloo . 1 +Daley married Anne Marie ( 1918-1986 ) , parents of Blanche Daigle , Rosemary , Daniel and Timothy in 1945 . In 1945 , Daley married Blanche Daigle ( 1918-1986 ) . They were the parents of Daniel , Rosemary , Anne Marie , and Timothy . 0 +The river Jiul de Est is a tributary of the Măleia river in Romania . The Jiul de Est River is a tributary of the Măleia River in Romania . 1 +The location of the city at the intersection of the routes from London to Birmingham and from Bristol to Southampton made it a transport bottleneck for many years . The town 's location at the intersection of the routes from London to Bristol and from Southampton to Birmingham made it , for many years , a transport bottleneck . 0 +National Bolshevism ( Nazbol ) as a political movement combines elements of radical nationalism ( especially Russian nationalism ) and Bolshevism . As a political movement , the national Bolshevism ( Nazbol ) combines elements of radical nationalism ( particularly Russian nationalism ) and Bolshevism . 1 +The Chief Justice was the Chief Justice of the High Commission territories ( Basutoland , Bechuanaland Protectorate , Swaziland ) , and from 1951 the Chief Justice : The Chief Justice was the Chief Justice of the High Commission Territories ( Basutoland , Bechuanaland Protectorate & Swaziland ) . From 1951 the Chief Justices were : 1 +Parsora is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Parsora is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 1 +Dave Scott plays guitar and vocals , James Marino plays bass . Dave Scott plays guitar and vocals , and James Marino plays bass . 1 +Another memorable ruler was Max Franz ( reg . 1784 - 1794 ) , who founded the university and the spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who dominated the university and spa quarter of Bad Godesberg . 0 +The city of Sremska Mitrovica includes the town of Mačvanska Mitrovica , and several villages . The town of Mačvanska Mitrovica includes the city of Sremska Mitrovica and several villages . 0 +Margaret Beaufort ( 1437 -- 1474 ) was a daughter of Edmund Beaufort , 2nd Duke of Somerset and Lady Eleanor Beauchamp . Margaret Beaufort ( 1437 - 1474 ) was a daughter of Edmund Beaufort , 2nd Duke of Somerset and Lady Eleanor Beauchamp . 1 +The constituency was like its neighbour , Scotland , one of the safest seats of Labour in Dunfermline East . The constituency was like its neighbour , Dunfermline East , one of the safest seats in Scotland for Labour . 0 +Easton forms the northeastern corner of Bristol County , where the county intersects with Norfolk County to the east and Plymouth County to the north . Easton is the northeastern corner of Bristol County , where the county crosses with Norfolk County to the east and Plymouth County to the north . 1 +It has developed an open and thoroughly evaluated ecosystem with evaluated execution environments ( TEE ) with accredited laboratories and trusted products . It has developed an open and thoroughly evaluated trusted execution environment ( TEE ) ecosystem with accredited laboratories and evaluated products . 0 +"The series is based on the book series "" The Mortal Instruments "" by Ed Decter and has been developed by Cassandra Clare for television ." "The series is based on the book series "" The Mortal Instruments "" by Ed Decter , and developed for television by Cassandra Clare ." 1 +In addition to assist in the development of other Métis and Non-Status Indian organizations throughout Canada , helped create a national voice for Canada 's Métis and Non-Status people . In addition to supporting the development of other métis and non-status Indian organizations across Canada , a national voice for Canada 's métis and non-status helped create people . 0 +"Billy Billy ( 25 September 1918 - 3 May 2011 ) , whose friends called him "" William Pendry Bidelman "" , was an American astronomer ." "Bidelman William Pendry ( September 25 , 1918 - May 3 , 2011 ) , whose friends called him "" Billy "" , was an American astronomer ." 0 +When Chaffee established the First National Bank of Denver in 1865 , Smith was a co-investor in the bank and named president . In 1865 , when Smith founded the First National Bank of Denver , Chaffee was a co-investor in the bank and became president . 0 +Hawkgirl is now 100 % Kendra Saunders . Kendra Saunders is 100 % Hawkgirl now . 0 +Kirk Deighton is served by route 780 , Knaresborough to Wetherby , and route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . Kirk Deighton is operated from Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . 1 +The incumbent governor Hunt was defeated , the incumbent church , follet , and clark were re-elected . The incumbent Governor Hunt was re-elected , the incumbent Church , Follett and Clark were defeated . 0 +"It was the first album by Bill Frisell , Carol Emanuel , and Kenny Wollesen , who would become "" The Gnostic Trio "" ." It was the first album by Carol Emanuel , Bill Frisell and Kenny Wollesen , who became known as The Gnostic Trio . 1 +The area was once served by Corstorphine railway station , which provided direct access to the railway to Edinburgh Waverley . The area was once served by Edinburgh Waverley Station , which provided direct access to Corstorphine . 0 +"I created Francis Bacon figures in a Sidney Nolan landscape , with stunts inspired by Jean Cocteau. """ I 've created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . 0 +In 1892 , Pelagia married the silversmith Crispulo Zamora ( 1871 -- 1922 ) , a fellow student , with whom she had seven children . Crispulo Zamora married in 1892 the silversmith Pelagia ( 1871 -- 1922 ) , a classmate with whom she had seven children . 0 +North Tripura district is shared in the Lok Sabha constituency of South Tripura , which is divided with Dhalai and Tripura East . North Tripura District is shared in the Lok Sabha constituency of Tripura East , which is shared with Dhalai and South Tripura districts . 0 +In 1982 , after four years , Slatyer returned to Australia and resumed his professorship at the ANU . Slatyer returned to Australia in 1982 , after four years in Paris , and resumed his professorship at ANU . 1 +The researchers administered an object sorting task to 156 children of schizophrenic people , 102 children of depressed persons , and 139 children of healthy parents . The researchers administered an object sorting task to 156 children of healthy individuals , 102 children of schizophrenic individuals , and 139 children of depressed parents . 0 +In 1940 , Leibbrandt had a son from a German woman ( Bernd ) . In 1940 Bernd had a son by a German woman ( Leibbrandt ) . 0 +The vaults are in Mesopotamian design , and decorative elements appear in the Coptic and Byzantine carving . The vaults are Mesopotamian in design , and decorative elements appear in the Coptic and Byzantine carving . 1 +Rich sources of food , as long as they are evaluated as profitable , are advertised by the scouts when they return to the hive . Rich food sources , as long as they are promoted as profitable , will be evaluated by the spies when they return to the hive . 0 +However , Ambassador G. McMurtrie Godley , and his successor , William Sullivan , continued to oversee air strikes in Laos . However , Ambassador G. McMurtrie Godley and his successor , William Sullivan , continued to oversee the air attacks in Laos . 1 +In most years , one of the additional players was the winner of the Masters Qualifying Event , while the other wildcard was selected . In most years one of the other wild players was the winner of the Masters Qualifying Event while the additional-card was selected . 0 +Eastern Cape is an administrative district in the Amatole District of the Mnquma Local Municipality in South Africa . Eastern Cape is an administrative area in the Amatole District of the Mnquma Local Municipality in South Africa . 1 +Withypool is in the Barle Valley on the River Barle . The village lies on the route of the Two Moors Way and the Celtic Way Exmoor Option . Withypool is located in the Barle Valley on the river Barle . The village lies on the route of the Two Moors Way and the Exmoor Celtic Way option . 1 +He died in Newtown ( now Elmhurst Station ) , Flushing , Long Island , New York , April 23 , 1881 . He died on 23 April 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . 0 +Schools which were closed when Harlem Consolidated was formed include Lovejoy School ( District 49 ) in Harlem Township . Schools that were formed when Harlem Consolidated was closed include Lovejoy School ( District No . 49 ) in Harlem Township . 0 +The other stations include Peelamedu , Singanallur , Irugur , Perianaikanpalayam , Madukkarai , Somanur and Sulur Road . Other stations include Peelamedu , Singanallur , Irugur , Perianaikanpalayam , Madukkarai , Somanur and Sulur Road . 1 +Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a Hungarian handball player who plays in the second league for the Szent István SE . Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a second handball player who plays in the Hungarian League for Szent István SE . 0 +She married Antonio Bourque and first lived in Moncton before returning to Villa Providence in Shediac . She married Antonio Bourque , and first lived in Moncton before retiring to Villa Providence in Shediac . 1 +The two main water systems are the Esmeraldas River in the North and the Guayas in the South . The two main water systems are the Esmeraldas River in the north and the Guayas to the south . 1 +Face Neck ( born 1984 in Stockton , California ) is an anonymous graffiti artist , renowned for his frightening drawing style and humorous writings . Neck Face ( born 1984 in Stockton , California ) is an anonymous graffiti artist . He is known for his frightening drawing style and humorous writings . 1 +Lucille Wilcox Joullin ( 1876 -- 1924 ) was an American painter known for her landscapes of California and the Pueblo Indians of New Mexico . Wilcox Joullin ( 1876 -- 1924 ) was an American painter , known for her landscapes of California and the Pueblo Indians of New Mexico . 1 +It is located to the north of Altha and east of Blountstown on the west bank of the Apalachicola River . It is located to the north of Blountstown and east of Altha on the west bank of the Apalachicola River , 0 +The song was written by Melanie C and had already been recorded by Bryan Adams in 1999 . The song was written by Melanie C and had already been admitted by Bryan Adams in 1999 . 1 +SV Lurup is a German association football club from the city of Hamburg in the state of the same name . SV Lurup is a German association football club from the city of Hamburg in the federal state of the same name . 1 +In the wet valley rare species such as the strandzhan periwinkle , laurel , caucausian blueberry , common yew can be observed . In the wet valley rare species such as the Strandzhan evergreen , laurel , Caucausian blueberry , common yew can be observed . 1 +The building walls were made of stiff earth wall or clay with pebble floors and large stones in the upper layers . Building walls were of wall made of stiff earth or clay with pebble bases and large stones in the upper layers . 1 +Tony and Mary Murphy appear along with Len Goodman in an infomercial for the Core Rhythms workout system . Along with Mary Murphy , Tony and Len Goodman are released in an infomercial for the Core Rhythms Workout System . 0 +Here is an example in Smalltalk of a lazy access method to return the value of a variable using the typical initialization . Here is an example in Smalltalk , of a lazy accessor method to return the value of a variable using typical initialization . 1 +William Henry Henry Harman was born on 17 February 1828 in Waynesboro , Virginia , where his parents were Lewis and Sally ( Garber ) Harman . Lewis was born in Waynesboro , Virginia on February 17 , 1828 . His parents were William Henry Harman and Sally ( Garber ) Harman . 0 +"In 2014 , A. R. Rahman recorded a song at a Singapore studio for Chithra 's private album "" Raunaq "" written by Kapil Sibal ." "In 2014 , A. R. Rahman adopted a song for Chithra 's private album "" Raunaq "" in a Singapore studio , written by Kapil Sibal ." 1 +The original route started at US 410 in Touchet and went north to Eureka and to the east to SSH 3E west of Prescott . The original route started at U.S. 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . 0 +In the week before the first race , Barwa Addax driver Josef Král was replaced by Dani Clos . Brendon Hartley also replaced Ocean Racing Technology 's Jon Lancaster . In the week before the first race , Barwa Addax - pilot Josef Král was replaced by Dani Clos , and Brendon Hartley also replaced Jon Lancaster from Ocean Racing Technology . 1 +Nearby places include Jacobson , Swan River , Libby , and Palisade . Ball Bluff is 10 miles south of Swan River , and 26 miles north of McGregor . Nearby locations include Jacobson , Swan River , Libby and Palisade , Ball Bluff is 10 miles north of Swan River and 26 miles south of McGregor . 0 +Lord Stair married Emily Mary Julia Stonor , daughter of Ralph Stonor , 7th Baron Camoys and Elizabeth Mary Hyde Parker , in 2006 . In 2006 , Lord Stair married Emily Mary Julia Stonor , daughter of Ralph Stonor , 7 . Baron Camoys and Elizabeth Mary Hyde Parker . 1 +""" Rockingham "" reached Bombay on 23 May and arrived on 21 September in Whampoa ." """ Rockingham "" reached Bombay on 23 May , and arrived at Whampoa on 21 September ." 1 +Along with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Cumberland districts of Gosforth , and Cockermouth . Together with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Cumberland , Gosforth , and Cockermouth . 1 +In 1998 , parliamentary elections were held in India after the government called in 1996 collapsed and the 12th Lok Sabha was elected . In 1998 , general elections were held in India after the government elected in 1996 collapsed and the 12th Lok Sabha was convened . 0 +The Sonata was performed at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed at the piano . The Sonata was premiered in 1919 by Billy Reed in the Aeolian Hall , London , with Landon Ronald at the piano . 0 +The series was created by Robert Palm and executive produced by John Ashley and Frank Lupo . The series was created by Robert Palm and was produced by John Ashley and Frank Lupo as an executive . 1 +In 2006 , François Bozizé was appointed by President Bozanga the chairman of the Council of State . In 2006 , Bozanga was appointed President of the Council of State by President François Bozizé . 0 +Ernie Earnshaw of Love Song took over on drums and Guy Watson on the bass in the new group . Ernie Earnshaw , of Love Song took over on drums and Guy Watson on bass in the new group . 1 +"Ed Asner is portrayed by the actor Edward Everett in the documentary "" The Gettysburg Address "" from 2015 ." "In the 2015 documentary film "" The Gettysburg Address "" , Ed Asner is portrayed by actor Edward Everett ." 1 +It is owned by Nation Multimedia Group ( NMG ) . It is owned by the NMG ( Nation Multimedia Group ) . 1 +Twin Falls High School is a traditional high school in Twin Falls , Idaho , operated by one of the two public secondary schools of the Twin Falls School District . Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of two public secondary schools operated by the Twin Falls School District . 1 +Ieyoshi 's official wife was Princess Takako ( 1795 -- 1840 ) , the sixth daughter of Prince Arisugawa Orihito . The official wife of Ieyoshi was Princess Takako ( 1795 - 1840 ) , sixth daughter of Prince Arisugawa Orihito . 1 +Crash Landed was released in Japan as the second single in July 2009 and Korea as the third single in April 2010 . Crash Landed was released in Korea as the third single in July 2009 and the second single in Japan in April 2010 . 0 +Darren Wassall attended our Lady of Fatima Primary School and the Lordswood Girls Secondary School and is a cousin of footballer Isitt . Darren Wassall went to our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Isitt . 1 +Following the closure of the North Australia Railway in December 1974 , the remaining 10 NTs were transferred to the Central Australian Railway . After the closure of the Central Australian Railway in December 1974 , the remaining 10 NTs were transferred to the North Australia Railway . 0 +He attended primary and secondary school at the , and studied preparatory architecture at the ( IAVA ) . He attended primary and secondary school , and studied preparatory architecture at the ( IAVA ) . 1 +Szabina Tápai ( born 30 January 1986 in Kiskunhalas ) is a second handballer who plays for Szent István SE in the Hungarian league . Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a Hungarian handball player who plays in the second league for the Szent István SE . 0 +Popular with Marouf - athletes such as Ali Daei , Hamid Sourian and Behdad Salimi , aides in the fight against poverty and hunger in the World Food Programme . Popular with Marouf athletes such as Ali Daei , Hamid Sourian and Behdad Salimi the helpers in the fight and eradicate poverty and hunger in World Food Programme . 1 +The topographic characteristics include good soil with hilly conditions for agriculture and livestock . The topographic features include hilly soil , with good conditions for agriculture and livestock . 0 +"José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California called "" Felipe Calderón "" on 11 October 2012 ." "On 11 October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , named "" Felipe Calderón "" ." 1 +They are less common in more prestigious tournaments . They are less common in prestigious tournaments . 1 +Burnside Township is bordered to the northwest by Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County in the north , Curtin Township to the east and Clinton County to the southeast . 0 +It was this title that John Jervis Brenton inherited ( his older brother Lancelot Brenton having died in 1817 ) . It was this title that John Jervis Brenton ( his elder brother Lancelot Brenton died in 1817 ) inherited . 1 +In 1996 , Fleet acquired the British branch network ( in New York and New Jersey ) from the US National Westminster Bank . In 1996 , Fleet acquired the British branch network ( in New York and New Jersey ) of the US National Westminster Bank . 1 +Yves Préfontaine ( born 1 February 1937 in Montreal , Quebec ) is a Canadian writer based in Quebec . Yves Préfontaine ( born February 1 , 1937 in Montreal , Quebec ) is a Canadian writer who lives in Quebec . 1 +Note : The votes were cast on January 20 , but both Houses met in a joint session on January 21 to compare nominations , and declare the result . Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint session to explain the nominations and compare the result . 0 +"A real nightingale is featured in "" and is used to replace a mechanical nightingale for a princess ." "A real nightingale is introduced in "" and is used to replace a mechanical nightingale for a princess ." 1 +Percy Sugden by Bill Waddington played . Percy Sugden played by Bill Waddington . 1 +Hussain has received 432 votes , and his only rival , Wajihuddin Ahmed , secured 77 . Hussain received 432 votes and his only rival Wajihuddin Ahmed secured 77 . 1 +Ken Royce ( 1920 -- 1997 ) was an English thriller writer who also wrote under the name of Kenneth Royce Gandley and the pseudonym Oliver Jacks . Ken Royce ( 1920 -- 1997 ) was an English thriller writer , who also wrote under name Kenneth Royce Gandley , and the pseudonym Oliver Jacks . 1 +He joined Asa Danforth and Ephraim Webster , the first whites to live there , who had obtained permission to settle there from the Onondaga . He joined Asa Danforth and Ephraim Webster , the first whites to settle there and who had been given permission from the Onondaga to live there . 0 +In the late 1970 ’ s he worked in the popular Space Disco scene and was a founding member of the French band Space . In the late 1970s , he worked in the French space disco scene , and was a founding member of the popular band Space . 0 +In 1923 , Louis Blaustein and his son , Jacob Blaustein , sold half a share of their American Oil Company to Pan American in return for a guaranteed oil supply . In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a share of their American Oil Company to Pan American in exchange for a guaranteed oil supply . 0 +Martina Hingis defeated Venus Williams 6 -- 3 , 6 -- 4 Martina Hingis defeated Venus Williams 6 - 3 , 6 -- 4 1 +A systematic study of category theory then allows us to prove mathematical results about all these types of general structures from the axioms of a category . A systematic study of category theory then allows us to prove general results about each of these types of mathematical structures from the axioms of a category . 0 +He worked as a teacher in Bruges and in Tielt between 1693 and 1717 . He worked as a school teacher in Bruges and , between 1693 and 1717 , in Tielt . 1 +Willie Francis worked in England in the late 1970s , and lived in Canada for a number of years before returning to Jamaica . In the late 1970s , Willie Francis lived in Canada and worked for several years in Jamaica before returning to England . 0 +He died on December 27 , 1966 in Woodland Hills and was buried at the Oakwood Memorial Park Cemetery in Chatsworth . He died in Woodland Hills on December 27 , 1966 , and was buried at Oakwood Memorial Park Cemetery in Chatsworth . 1 +The problem of testing whether a given polynomial is a permutation polynomial over a polynomial field can be resolved in time . The problem of testing whether a given polynomial over a finite field is a permutation polynomial can be solved in polynomial time . 0 +The album was announced on April 30th as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31 . The album was released on April 30 as a limited , untitled album with hand drawn covers and signed by Buckethead himself to be announced on May 31 . 0 +"Both versions of "" Knat Scatt Private Eye "" were written and led by Eric Forsberg with music and texts by Charlie Silliman ." "Both versions of "" Knat Scatt Private Eye "" were written and directed by Charlie Silliman with music and lyrics by Eric Forsberg ." 0 +The program was filmed at the Eaves Movie Ranch near Santa Fe and Storrie Lake in Las Vegas , New Mexico . The program was filmed at the Eaves Movie Ranch near Santa Fe and near Storrie Lake in Las Vegas , New Mexico . 1 +""" Little Boys "" is the third episode in the fourth season of the TV series "" How I Met Your Mother "" and total 48th ." """ Little Boys "" is the third episode in the fourth season of the television series "" How I Met Your Mother "" and 48th overall ." 1 +"In September 2003 , published in France , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland and Japan ." "Released in September 2003 in France , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland , and Japan ." 1 +He was born in Mauritius ( Quatre Bornes ) in 1951 and died in 2002 . He was born in 1951 in Quatre Bornes ( Mauritius ) and died in 2002 . 1 +And later , Roque Lopez installed himself as president of the provisional government in the town of Iloilo in Santa Barbara . And later installed Roque Lopez as president of the provisional government in Iloilo town in Santa Barbara . 1 +36.4 % were of Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % Italian and 5.4 % Scottish ancestry according to Census 2000 . 36.4 % were Finnish , 10.2 % Italian , 9.2 % of German , 7.1 % Swedish and 5.4 % Scottish origin according to the 2000 census . 0 +The conservancy has a wet climate , hottest in October and November and most likely to be dry in April and May . Winter has a dry climate , the hottest in October and November and most likely in April and May wet . 0 +Dragon Dragon Wars is a fantasy role-playing game developed by Rebecca Heineman and published in 1989 by Interplay Productions and distributed by Activision . Dragon Wars is a fantasy role-playing video game developed by Rebecca Heineman and published by Activision in 1989 , and distributed by Interplay Productions . 0 +Incumbent Republican George Allen ran for a third term , but lost to Democrat Chuck Robb . Democrat Rob Robb , the incumbent , ran for a third term , but lost to Republican George Allen . 0 +Yıkılgan is a village in the District of Amasya , Amasya Province , Turkey . Yıkılgan is a village in the district of Amasya , Turkey , province Amasya . 1 +Most of our information about Murena 's life and career comes from the content of Cicero 's speech . Most of our information about Cicero 's life and career comes from the content of Murena 's speech . 0 +The stripe of Hensen is the section of the tectorial membrane above the inner hair cell . Hensen 's stripe is the section of the tectorial membrane above the inner hair cell . 1 +Further work in this area was aimed at developing milder reaction conditions and generating more robust yields . Further work in this area aimed at generating milder reaction conditions and developing more robust yields . 0 +A complete edition was published 1862 -- 1864 in Edinburgh , in seven volumes , by Alexander Grosart , with a biographical memoir by James Nichol . A complete edition was published in 1862 -- 1864 in Edinburgh , in seven volumes by Alexander Grosart , with a biographical memoir by James Nichol . 1 +Hifikepunye Pohamba was succeeded as President of Namibia by Nujoma in 2005 . Hifikepunye Pohamba was replaced by Nujoma in 2005 as President of Namibia . 1 +Treen Cliff SSSI extends from Porthcurno beach in the west to Penberth Cove in the east . Treen Cliff SSSI stretches from Porthcurno Beach in the west to Penberth Cove in the east . 1 +Drietoma is a village and municipality in the district Trenčín in the region of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the region of Trenčín in the district Trenčín in north-western Slovakia . 1 +The Mine South Deep is a big mine in the northern part of South Africa in Gauteng . The South Deep Mine is a large mine in the northern part of Gauteng in Southern Africa . 0 +The center of the Galápagos Islands is located in the Pacific Ocean at the intersection of the 90th meridian west and the Equator very close to the Western Hemisphere . The center of the western hemisphere is located in the Pacific Ocean at the intersection of the 90th Meridian - West and the Equator very close to the Galapagos Islands . 0 +He married his first wife , Helie of Semur , about 1033 , and dismissed them in 1048 . Robert and Helie had five children : He married his first wife , Helie of Semur , about 1033 , and repudiated her in 1048 . Robert and Helie had five children : 1 +In 1971 , a new campus was completed for primary school in 33 MacDonnell Road . In 1971 , a new campus in 33 MacDonnell Road was completed for the primary school . 1 +This night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . That night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . 1 +From 1871 to 1876 , he served as an internal collector of federal revenue for the district that included Hamilton . From 1871 to 1876 he served as internal collector of federal revenue for the district that included Hamilton . 1 +In August 2011 , Lee was selected as a member of the South Korean U-18 national team for the Asian Junior Baseball Championship in Yokohama , Japan . In August 2011 Lee was selected as a member of the national U- 18 South Korean team for the Asian Junior Baseball Championship held in Yokohama , Japan . 0 +Shiva wanted to see God , yet Sati was in the dark that Rama was a manifestation of Rama . Shiva wanted to see Rama , but Sati in the dark was that Rama was a manifestation of God . 0 +He started out in 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . He began 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . 1 +In the churchyard are the graves of Thomas Payne , the political and bookseller and Major John Cartwright , the radical reformer . In the church there are the graves of Thomas Payne , the radical and bookseller , and Major John Cartwright , the political reformer . 0 +The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eight if the Pre - 2003 - Metropolitan Cup is included . The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and the fourth is if the Metropolitan Cup is included before 2003 . 0 +For these reasons Italian dishes have penetrated the local Slovenian cuisine . For these reasons , local Slovenian dishes have permeated the Italian cuisine . 0 +In versions of the Renaissance , Ogier travels into the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's Paramour . In versions of the Renaissance , Ogier travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 'apos ; Parade . 0 +She was selected in the 20th round of the 2012 WNBA Draft ( second overall ) by the Minnesota Lynx . It was selected in the second round of the WNBA draft 2012 ( 20th overall ) by Minnesota Lynx . 0 +Silver became the engine of the Spanish colonial economy , both in New Spain and in Peru . In both Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +Due to the unusual microclimate and presence of unusual serpentine , there are an abundant number of rare plants in the upper catchment basin . Due to the unusual microclimate and the presence of abundant serpentine , there are an unusual number of rare plants in the upper area . 0 +Codice _ 13 is also a compiler magic function of Oxygene . It is not a real function and is at compile time unrolled to conditional statements . Codice 13 is also a compiler - magic - function of oxygene that is not a conditional function and is rolled back to real statements at compile time . 0 +In 2014 , when Hollywood Park Racetrack was closed the race in Santa Anita Park was moved . In 2014 when Hollywood Park Racetrack closed the race was moved to Santa Anita Park . 1 +The process uses air as the source of oxygen and requires metal oxides as heterogeneous catalysts : The process uses air as an oxygen source and requires metal oxides as heterogeneous catalysts : 1 +( b ) It is also the fusing point of the inner fire and the outer fire . ( b ) It is also the point of merger of the outer fire and the inner fire . 1 +The monastery is a Himalayan monastery located on the outskirts of Kathmandu . More than 100 Tibetan Buddhist monks study Buddhist meditative practices and philosophical inquiry at the monastery . The monastery is a Himalayan monastery on the outskirts of Kathmandu , where more than 100 Tibetan Buddhist monks study Buddhist meditative practices and philosophical questions at the monastery . 1 +"The music video for "" Desire "" was edited by Claudia Wass and staged by Andy Morahan ." "The music video for "" Desire "" was directed by Andy Morahan and published by Claudia Wass ." 1 +It is found along the southern Australian coast from Shark Bay in Queensland to Maroochydore in Western Australia , including Tasmania . Along the southern Australian coast , it is found from Shark Bay in Queensland to Maroochydore in Western Australia , including Tasmania . 1 +A desperate Helen went to Karim Lala , who asked her to meet Dilip Kumar . A desperate Helen went to Karim Lala , who told her to meet Dilip Kumar . 1 +His grandson , Edward , was elected to the 11th Parliament of Upper Canada for Grenville . His grandson , Grenville , was elected for Edward to the 11th Parliament of Upper Canada . 0 +UOB opened its Yangon branch in Myanmar on 4 May 2015 . On 4 May 2015 , the UOB opened its Myanmar branch in Yangon . 0 +During the intensive recultivation efforts around the Shanghai Islands in the late 1960s , many tankas were settled on the island of Hengsha and organised as fishing brigades . During the intensive reclamation efforts around the islands of Shanghai in the late 1960s , many Tanka were settled on Hengsha Island and organised as fishing brigades . 1 +The airline transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport effective from 1 October , 2012 . Effective October 1 , 2012 , the airline has transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport . 1 +The journalist , played by Elio Germano ( Luke Gualtieri , the fictitious journal of Bologna ) is Lorenzo Guadagnucci , journalist of Il Resto del Carlino . The journalist by Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . 0 +Wilmont is the highest integrated community in Nobles County through elevation , and is the only place in America where onion rings are being sold by Larry Lang . Through the elevation Wilmont is the highest registered community in America , and is the only place in Nobles County where Larry Lang 's onion rings are sold . 0 +The river Valea Mare is a tributary of the Moldova river in Romania . The Moldova River is a right tributary of the Valea Mare River in Romania . 0 +""" Hylarana parvaccola "" are relatively small frogs : adult males measure and females in snout -- vent length . Body is long and legs are slender ." """ Hylarana parvaccola "" are relatively small frogs : adult males measure and females in snout length , body is long and legs are slim ." 1 +Elati is a village in the Kozani Regional Unit in Greece . Elati is a village in the regional unit of Greece , Kozani . 0 +After completing his first university education at Cardiff University and in Rouen , France , he was established in Harrogate , North Yorkshire , from 1996 to 1999 . After completing his first university education at Cardiff University and in Harrogate , North Yorkshire , he was established in Rouen , France from 1996 to 1999 . 0 +Teaching opportunities for students are available locally within the BYU -- Public School Partnership , nationally in Houston and Washington , DC as well as internationally in China . Student teaching opportunities are available nationally within the BYU -- Public School Partnership , as well as locally in Houston and Washington , DC , and internationally in China . 0 +On 29 March 2013 , Lancina Cotonsport left Garoua from Cameroon and signed a Grupa team PFC Lokomotiv Sofia for Bulgaria . On 29 March 2013 , Lancina left Cotonsport Garoua from Cameroon and signed for Bulgaria A Grupa side PFC Lokomotiv Sofia . 1 +In March 2016 , Nine Entertainment Co purchased a 9.9 % stake in Southern Cross Media Group from the Macquarie Group . In March 2016 , Macquarie Group acquired a 9.9 % stake in the Southern Cross Media Group from Nine Entertainment Co. Ltd . 0 +Jorge Osvaldo García recovered successfully , but was not ejected . Capitán Jorge Osvaldo García was successfully ejected , but could not be recovered . 0 +Stereoelectronic interactions are useful among other things for conformation analysis and chalcogen effects . Stereoelectronic interactions are useful for conformational analysis and Chalcogen effects , among other things . 1 +During this time the climate was a mixture of two different seasons , a rainy season and a shorter dry season . The climate during this time was a mixture of two different seasons , rainy seasons and a shorter dry season . 1 +Muscles that attach in the forearm send long tendons to the fingers , and these tendons begin at different points on these bones . Muscles that begin in the forearm send long tendons to their fingers , and these tendons attach to these bones at different points . 0 +Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Andrew E. C. Gaska and illustrated by Daniel Dussault . Critical Millennium is a 2010 Graphic Novel published by Archaia Studios Press , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . 0 +The Olt River is a right tributary of the Madicea River in Romania . The Madicea River is a right-wing tributary of the Olt river in Romania . 0 +Frank Herzberg Trio is a contemporary Brazilian jazz trio , consisting of the bassist Frank Herzberg , drummer Zé Eduardo Nazario and pianist Alexandre Zamith . The Frank Herzberg Trio is a contemporary Brazilian jazz trio that consists of bassist Zé Eduardo Nazario , drummer Frank Herzberg , and pianist Alexandre Zamith . 0 +"On all tracks , except Teddy Gentry on "" Clear Water Blues "" and Jeff Cook on "" This Love ' ; s on Me "" , are lead lead vocals by Randy Owen ." "On all tracks , except Teddy Gentry on "" Clear Water Blues "" and Randy Owen on "" This Love ' ; s on Me "" , are lead lead vocals by Jeff Cook ." 0 +In the week before the first race , Barwa Addax - Pilot Dani Clos was replaced by Josef Král , Brendon Hartley replaced Jon Lancaster with Ocean Racing Technology . In the week before the first race , Barwa Addax - pilot Josef Král was replaced by Dani Clos , and Brendon Hartley also replaced Jon Lancaster from Ocean Racing Technology . 0 +There is also a team format where the team represents a local business and the winner benefits a charity . There is also a team format where the team represents a local business and the winner benefits from a charitable organisation . 1 +It is found from western Mexico in the United States south to Texas . It is found from western Mexico in the United States south of Texas . 1 +Residing in New York , he currently is a member of MJ12 , an instrumental group based in NYC . He currently lives in New York and is a member of MJ12 , an instrumental group based in NYC . 1 +In 1996 , Fleet acquired the US branch network ( in New York and New Jersey ) of the British National Westminster Bank . In 1996 , Fleet acquired the US branch network ( New York and New Jersey ) of the British National Westminster Bank . 1 +Charles City County , Virginia , also known as Shirley Hundred Island , is an island and an historic home and archaeological sites near Eppes Island . Eppes Island , also known as Shirley Hundred Island , is an island and a historic home and archaeological sites located near Hopewell , Charles City County , Virginia . 0 +In 1986 he left the star and joined the Muslim . Then , in 1986 , he entered the star and left The Muslim . 0 +It is slightly longer and stouter than house sparrows , and also has a slightly larger and heavier bill . It is slightly longer and thicker than sparrows , and also has a slightly larger and heavier bill . 1 +However , the Russian villain is an original and sometimes interesting danger . However , the Russian villain is an interesting and sometimes original threat . 0 +A hotel in Wales ( Carmarthen ) is the Ivy Bush Royal Hotel named after it . A hotel in Carmarthen ( Wales ) is the Ivy Bush Royal Hotel . 1 +Back in England , Benny Sharkey beat Sonny Lee before suffering only the fifth defeat of his career when he was disqualified against Watson for a low blow . Back in England , Watson beat Benny Sharkey before bearing only the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . 0 +According to the United States Census Bureau , Waverly Township is a total area from which land has and , or 9.21 % , is water . According to the United States Census Bureau , Waverly Township has a total area of , of which is land and , or 9.21 % , is water . 1 +Little Tramp is a musical containing a book by David Pomeranz and music and texts by David Pomeranz and Steven David Horwich . Little Tramp is a musical with a book by David Pomeranz and music and lyrics by David Pomeranz and Steven David Horwich . 1 +On May 3 , 2016 , Brian Pallister was appointed to the portfolio by the Progressive Conservative government of Blaine Pedersen . On 3 May 2016 , Brian Pallister was appointed by the Progressive Conservative government of Blaine Pedersen in the portfolio . 1 +The earliest detectable lesion is a local narrowing or irregularity of lumen . The earliest local lesion is a detectable narrowing or irregularity of the lumen . 0 +Recker retained the grocery store , and Portner focused on expanding the brewery . Portner kept the grocery store and Recker focused on expanding the brewery . 0 +Lawrence Kasha was the producer for the first season ; John Thomas Lenox produced the second season . Producer of the first season was Lawrence Kasha , John Thomas Lenox produced the second season . 1 +It is currently represented by Senator Bert Brackett , Republican of Rogerson , Representative Christy Zito , Republican of Hammett , and Representative Megan Blanksma , Republican of Hammett . It is currently being represented by Senator Bert Brackett , Republican of Rogerson , Representative Christy Zito , Republican of Hammett , and Representative Megan Blanksma , Republican of Hammett . 1 +Her work was widely printed in the photographic press , and was published in book form through the Swiss publisher La Guilde du Livre in the 1950s . Her works were widely printed in the photographic press and published in book form in the 1950s through the Swiss publisher La Guilde du Livre . 1 +There was only one scholar , however , and Qian published two or three more articles than Li , so that Qian was preferred . However , there was only one scholarship awardee and Qian published two or three more articles than Li , so Qian was preferred . 0 +The dam is operated by the United States Bureau of Reclamation , which has built it , and is owned by the Elephant Butte Irrigation District . The dam is owned by the United States Bureau of Reclamation , which built it , and is operated by the Elephant Butte Irrigation District . 0 +In 1767 , Heathcote published an anonymous letter to David Hume on the dispute between Horace Walpole and Jean-Jacques Rousseau , which was attributed to Walpole himself . In 1767 , Heathcote published an anonymous letter to Horace Walpole on the dispute between David Hume and Jean-Jacques Rousseau , who was attributed to Walpole himself . 0 +In 1854 , Cooper left London and returned to Australia where he lived , a confirmed bachelor , until his death at the age of ninety . Cooper left Australia in 1854 and returned to London , where he , a confirmed bachelor , lived until his death at the age of ninety . 0 +Although Fresnel did not know that electromagnetic waves are light , he managed to construct the world 's first coherent theory of light . Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent theory of light in the world . 1 +She took refuge in England with her family in 1938 , and the family settled in East Finchley in northern London , where they visited the Tollington Hill School . With her family she took refuge in England in 1938 , and the family settled in East Finchley , in northern London where she attended Tollington Hill School . 1 +The Pustnic River or Orociu River is a tributary of the Oraciu River , Romania . The Oraciu River or Orociu is a tributary of the Pustnic River in Romania . 0 +Administratively this island belongs to the Astrakhan Oblast of the Russian Federation . Administratively , the island belongs to the Astrakhan Oblast of the Russian Federation . 1 +Members of the G.723.1 patent pool are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . Members of the patent pool G.723.1 are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . 1 +"The U.S. Navy returned "" Foley "" to the Royal Navy at Harwich , England , on 22 August 1945 ." The U.S. Navy returned to the Royal Navy on August 22 , 1945 in Harwich , England . 1 +California , New York , and several other states have produced textbook content influenced by publishers . California , New York , and several other states have produced textbook content that has been influenced by publishers . 1 +The river Bârzava is a tributary of the River Gorova in Romania . The Bârzava River is a tributary of the Gorova River in Romania . 1 +However , Ambassador G. McMurtrie Godley , and his successor , William Sullivan , continued to oversee air strikes in Laos . Ambassador G. McMurtrie Godley and his successor William Sullivan , however , continued to supervise the air strikes in Laos . 1 +The series will be published in Japan by Shogakukan and in the United States by VIZ Media in English . The series is published in Japan by VIZ Media and in the USA by Shogakukan in English . 0 +Ezra 's family came originally as immigrants from Palestine and settled in Iraq . Ezra 's family originally came as immigrants from Palestine and settled in Iraq . 1 +His father was Seán Lemass , while his grandfather was maternal Charles Haughey , everyone served as Taoiseach . His father was Seán Lemass , while his maternal grandfather was Charles Haughey ; each served as Taoiseach . 1 +With the help of Chad Kroeger of Nickelback , Thornley signed to Kroeger 's 604 Records . With the help of Chad Kroeger of Nickelback , Thornley signed to Kroeger ´ s 604 records . 1 +Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford , Moyles came through the Crossmolina Deel Rovers system . Ciarán McDonald came together with Moyles , Peadár Gardiner and Stephen Rochford through the Crossmolina Deel Rovers system . 0 +Specific light wavelengths contained in the quantized light from stars can be separated and referred to the observed transitions in free gas atoms . Specific light wavelengths contained in the quantized light from stars can be separated out and related to the observed transitions in free gas atoms . 1 +In 1957 , USAFE also announced that its 50th FBW would receive the new F-100D Super Sabre . In 1957 USAFE also announced that the 50th FBW would receive the new F-100D Super Sabre . 1 +In 2010 , David Thompson was sworn in by the death of the prime minister , Freundel Stuart . Freundel Stuart was sworn in , in 2010 because of the death of the Prime Minister David Thompson . 0 +Producer of the first season was Lawrence Kasha , John Thomas Lenox produced the second season . Lawrence Kasha was the producer for the second season ; John Thomas Lenox produced the first season . 0 +On 31 July 2015 , Moore was released by the Chicago Bears and signed by the Bears on 5 September 2015 . On 31 July 2015 , Moore was signed by the Chicago Bears and released by the Bears on 5 September 2015 . 0 +Wing commander PS Nara was injured in misadventure , while wing commander SV Munje was killed . Wing Commander PS Nara was killed in the mishap , while Wing Commander SV Munje was injured . 0 +The radical party of the people ( Narodna radikalna stranka ) was founded as a radical party in 1881 , but from 1919 it developed into a conservative direction . The radical party of the people ( Narodna radikalna stranka ) was founded as a conservative party in 1881 , but it developed into a radical direction from 1919 . 0 +The Father of Woodstock Artie Kornfeld teamed up with Larry McClurg to promote Goodstock Music Festival , reported Pollstar . Larry McClurg , the father of Woodstock , has teamed up with Artie Kornfeld to promote the Goodstock Music Festival , Pollstar reported . 0 +And later Roque Lopez installs as president of the provisional government in Iloilo town in Santa Barbara . And later , Roque Lopez installed himself as president of the provisional government in the town of Santa Barbara in Iloilo . 0 +Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on 20 April 1895 and implemented in 1899 . Trolley service was proposed from Baltimore to Ellicott City in 1892 , approved on April 20 , 1895 , and implemented in 1899 . 0 +""" Pantheon and other role-playing games "" included a total of five different storytelling games or five different competitive scenarios , as they all use the same "" narrative "" ." """ Pantheon and Other Roleplaying Games "" included a total of five different competitive storytelling games -- or five different scenarios , as they all use the same "" Narrative" 0 +Phaenomenella mokenorum is a species of the sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Phaenomenella mokenorum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +This order is higher than the Doorkeeper ( now largely obsolete ) and lower than the subdeacon . This order is higher than the Doorkeeper ( now largely obsolete ) and lower than that of the Subdeacon . 1 +The Third International was a member of the Comintern ( LKP ) from 1919 . From 1919 the LKP was a member of the Komintern ( Third International ) . 0 +He broke 13 Brazilian records , and was a Brazilian and South American record holder from 1952 to 1956 . He broke 13 Brazilian records and was a record brazilian and South American holder from 1952 to 1956 . 1 +Marc Bergevin ( born August 11 , 1965 ) is a former Canadian ice hockey manager and professional player . Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey executive and Canadian professional player . 1 +Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , president of the Micex , son of the famous Soviet economist Ruben Aganbegyan . Abel Aganbegyan ( ; b . 1972 , Novosibirsk ) is a Russian economist , the President of Micex . Son of the famous Soviet economist Ruben Aganbegyan . 1 +The season 1995 -- 96 Bayern Munich was their 95th season of existence and the 31st Bundesliga season . The season 1995 -- 96 of FC Bayern Munich was their 31st season of existence and the 95th Bundesliga season . 0 +It was created by Eddie Mort and Lili Chin and made by Warner Bros . It was created by Eddie Mort and Lili Chin and produced by Warner Bros . 1 +The family moved to Tasmania , when he was still a child , and then emigrated again to New Zealand in 1864 . When he was a child , the family moved to Tasmania and emigrated to New Zealand in 1864 . 1 +Paraparaumu has a typical New Zealand oceanic climate with moderately warm summers and mild winters . New Zealand has an oceanic climate typical of Paraparaumu , with moderately warm summers and mild winters . 0 +For the 2007 games , Futsal was added to the program for the first ( and only time since 2011 ) , while Racquetball and the Basque Pelota were dropped . For the 2007 games , Futsal was added to the Basque programme ( and from 2011 for the first time ) , while Racquetball and only Pelota were dropped . 0 +Itami-go was part of Arioka Castle , which ruled Oda Nobunaga under Araki Murashige . Itami-go was a part of Arioka Castle , which was ruled by Araki Murashige under Oda Nobunaga . 0 +The community was named after Raymond , Maine , the home of a first settler . The community was named after Raymond , Maine , the native home of a first settler . 1 +He said in December 2007 , that the local majority would present joint lists for the 2008 presidential elections . In December 2007 , he said that the local majority would present common lists for the 2008 presidential elections . 1 +It is separated from Rainer Island to the east by a narrow sound and from Jackson Island in the south separated by a wide sound . It is separated from Rainer Island in the east by a narrow sound and from Jackson Island in the South by a wide sound . 1 +The Arrows were a new 1980s Canadian wave band . The Arrows were a Canadian new wave band of the 1980s . 0 +Two years later , he earned a master 's degree in history from Missouri State University ( then Southwest Missouri State University ) . Two years later , he bought a master 's degree in history from Missouri State University ( then Southwest Missouri State University ) . 1 +The music was written by V. Dakshinamoorthy and the lyrics by Sreekumaran Thampi composed . The music was written by V. Dakshinamoorthy and lyrics was composed by Sreekumaran Thampi . 1 +The original edition of the disc was published on 11 January 2006 in Malaysia and on January 26 , 2006 in Singapore . The original edition of the Disc was published in Singapore on 11 January 2006 and on 26 January 2006 in Malaysia . 0 +A total of 16 teams qualified , but only 13 teams took part in the finals of the Olympic tournament . A total of 16 teams participated , but only 13 teams qualified in the finals of the Olympic tournament . 0 +1843 : China : Sailors and marines from the Canton were landed after a clash between Americans and Chinese at the trading post in St. Louis . 1843 : China : Seafarers and marines from the canton were landed at the trading station in St. Louis after a clash between Americans and Chinese . 1 +This drama was written by Doctor Ali Arslan , directed by Naeem Khan and produced by Eveready Pictures . This drama is directed by Naeem Khan , written by Doctor Ali Arslan and produced by Eveready Pictures . 1 +It was based on a novel by James Hardiman and turned into a screenplay by Robert Suhosky . It is based on a novel by James Hardiman and was turned into a script by Robert Suhosky . 1 +36.4 % were of Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % Scottish ancestry according to Census 2000 . 36.4 % were Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % of Italian and 5.4 % Scottish origin according to the 2000 census . 0 +Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately west of the community of Bedeque . Lennox Island 6 is located in Fernwood , Bedeque , approximately west of the municipality of Prince Edward Island . 0 +Harry Steger worked as a journalist in England and America . Harry Harry Steger worked as a journalist in both America and England . 1 +The sheadings are only as significant now . The sheadings are only significant now : 0 +"The "" National Post "" and Warman apologized , retracted the statement and started out of court with Kay ." "The "" National Post "" and Warman apologized , retracted the statement and settled out of court with Kay ." 1 +It will shorten the distance from Hong Kong to Macao and Zhuhai and reduce the journey time to half an hour . It will shorten the distance from Hong Kong to Macau and Zhuhai from , and reduce the journey time to within half an hour . 1 +Sir Herbert was re-elected in the new Croydon East seat and was returned in 1951 . Sir Herbert was returned to the new headquarters in Croydon East and was re-elected in 1951 . 0 +It was produced by Cameron Crain , Richard Shelgren and Kamala Lopez and directed by Kamala Lopez . Produced was directed by Cameron Crain , Richard Shelgren and Kamala Lopez and Kamala Lopez . 0 +"According to Philips , the Sowo Gande demonstrates virtuosity through "" the triumphant conjuring of new forms which are recognizable variations of old forms . """ "According to Philips , the Sowo Gande demonstrates virtuosity through "" the triumphant summoning of new forms that are recognizable variations of old forms "" ." 1 +In September 2005 , Vertical Communications was acquired by Comdial . Vertical Communications was acquired by Comdial in September 2005 . 1 +The awards have often bypassed the great Try - Scorer , winner - Captain or Top - International - player . The awards have often bypassed the great try scorer , winning captain or top International player . 1 +Cheilea dormitoria is a species of small limpet-like sea snail , a marine gastropod mollusk in the Hipponicidae family , the snails . Cheilea dormitoria is a species of marine limpet-like sea snail , a small gastropod mollusk in the family Hipponicidae , the hoof snails . 0 +His case was widely publicized in medical as well as in religious publications . His case was widely publicized in religious , as well as medical publications . 1 +KOTC : Fight to Live was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . KOTC : Live to Fight was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . 0 +Edzard II was an ancestor of the Queens Elizabeth II and the Beatrix of the Netherlands . Edzard II was an ancestor of Queens Elizabeth II and Beatrix of the Netherlands . 1 +Wilson was the only VC recipient during the Italian invasion of British Somalia ; only six other VCs were awarded for operations in East Africa . Wilson was the only VC recipient during the Italian invasion of British - East Africa , only six additional VCs were awarded for operations in Somalia . 0 +CAAS is led by Director-General Mr Kevin Shum , with Mr Lee Hsien Yang serving as the board 's Chairman . The Director-General , Mr Lee Hsien Yang , is led by CAAS , with Mr Kevin Shum serving as Chairman of the Board . 0 +Tommy Watt ( October 31 , 1925 , Bristol , May 20 , 2006 , Glasgow , England ) was a Scottish jazz bandleader . Tommy Watt ( 31 October 1925 , Bristol-20 May 2006 , Glasgow , England ) was a Scottish jazz bandleader . 1 +Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking site that was dissolved in 2009 and launched in 2011 . Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking website that was launched in 2009 and dissolved in 2011 . 0 +Roxburgh Junction railway station was on the Kelso Line , and served the village of Roxburgh , Scottish Borders , from 1850 to 1964 . The Roxburgh Junction railway station was on the Kelso Line and served the village of Roxburgh , Scottish Borders from 1850 to 1964 . 1 +Erandio is a town and municipality located in the province of Basque Country , in the autonomous community of Biscay , northern Spain . Erandio is a town and municipality in the province of Basque Country , in the Autonomous Community of Biscay , in northern Spain . 1 +Born in 1967 in Chicago Heights , Illinois , he attended the Bloom High School in Glenwood , Illinois . Walker was born in Glenwood , Illinois , in 1967 . He attended Bloom High School in Chicago Heights , Illinois . 0 +Manager Kevin Nolan said that he expected Adam Collin to challenge Fitzsimons for a first team place . Manager Nolan said that he expected Fitzsimons to challenge Adam Collin for a first team position . 0 +In 2010 the new implemented bus network was revised and expanded . The new revised and extended bus network was implemented in 2010 . 0 +The association of the human eye with mirrors was so strong that stylized eyes in the Teotihuacan art were often used as a substitute for the face of a mirror . The association of the stylized eye with mirrors was so strong that in the art of Teotihuacan , human eyes were often used as a substitute for the face of a mirror . 0 +In March 1904 , his brother was kidnapped for ransom in Mexico and taken across the border to West Texas . In March 1904 , his brother was kidnapped for ransom in Mexico and taken to West Texas across the border . 1 +The Victorian state election in 1945 was held on November 10 , 1945 , in the Australian state of Victoria to elect 65 members of the state legislative assembly . The Australian state election in 1945 was held on Saturday , November 10 , 1945 , in the Victorian state of Victoria to elect 65 members of the state legislative assembly . 0 +His son , Herbie Matthews , later won a Brownlow Medal and his grandson of the same name also played with South Melbourne . His son , Herbie Matthews , also won a Brownlow medal and his grandson the same name played later with South Melbourne . 0 +"Yolandita Monge 's third album with Sony Music ( now CBS Records ) is "" Sue "" ( "" dreams "" ) ." "Sueños ( "" Dreams "" ) is Yolandita Monge 's third album with Sony Music ( now CBS Records ) ." 1 +It also included Peter Mutharika ( President Mutharika 's brother ) , Goodall Gondwe , the Minister of Economic Development , and the Chief Secretary , Bright Msaka . They also included Goodall Gondwe ( the brother of President Mutharika ) , Peter Mutharika , the Minister for Economic Development , and Chief Secretary Bright Msaka . 0 +The magazine was located in London , but was published by Gerald Duckworth and Company in Paris . The magazine was based in Paris but was published in London by Gerald Duckworth and Company . 0 +Early on August 25 , a hurricane warning was issued from Florida City to Vero Beach and for Lake Okeechobee . Early on 25 August , a hurricane warning was issued from Florida City to Vero Beach and for Lake Okeechobee . 1 +Moulthrop began experimenting with the hypertext theory in the 1980s and has written several articles as well as many hypertext - fiction - works since then . Moulthrop began experimenting with hypertext theory in the 1980s , and has since authored several articles as well as written many hypertext fiction works . 1 +Allen was born in Oldtown , Kentucky , visited the High School in Ashland and played at West Virginia University from 1932 to 1934 . Allen was born in Oldtown , Kentucky and attended high school in Ashland . He played football at the West Virginia University from 1932 to 1934 . 1 +Members of the G.723.1 patent pool are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . Members of the G.723.1 patent pool are Nokia , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . 1 +In 2016 , 3.9 % of children attended primary school in bilingual education . In 2016 , 3.9 % of children attended primary schools in bilingual schools . 0 +Since then , they have been manufactured by the successor Keimfarben in Augsburg near Diedorf . Since then , they have been manufactured by the successor company Keimfarben in Diedorf near Augsburg . 0 +It currently runs from Yonge Street south of Davisville Avenue northwest to the Allen Road and Eglinton Avenue West . It currently runs from Yonge Street south of Davisville Avenue to the northwest to Allen Road and Eglinton Avenue West . 1 +However , Szabo 's method of double-spending protection was vulnerable to Sybil attacks . Szabo 's method of double protection was , however , vulnerable to Sybil attacks . 1 +It also is home to the unincorporated towns of Redwood Valley , Calpella , Potter Valley and Talmage . It is also home to the unregistered towns of Potter Valley , Calpella , Redwood Valley and Talmage . 1 +The front row allows characters to perform powerful melee attacks while the back row is for ranged attacks , which may be either arches or spells . The back row allows characters to perform powerful melee attacks , while the front row is for ranged attacks , which can be either bows or magic spells . 0 +The PidariAmman Temple in Vavvaneri is located nearer to the hamlet . The same idol is PidariAmman with a small MariAmman idol placed in the main chamber . The PidariAmman Temple in Vavvaneri is located closer to the hamlet , the main idol is PidariAmman with a small MariAmman idol placed in the same chamber . 0 +Felipe Francisco Molina y Bedoya was born in Guatemala , a diplomat from Costa Rica , Chancellor of the Federal Republic of Central America . Felipe Francisco Molina y Bedoya was a diplomat from Guatemala , born in the city of Costa Rica . He became Chancellor of the Federal Republic of Central America . 0 +There are 22 species in the genus , 17 species have a sinistral cover and 5 species are dextral . There are 22 species in the genus . 17 species have a dextral shell and 5 species are sinistral . 0 +Bourbon County , Kansas , USA is a Timberhill Township township . Bourbon County , Kansas , USA is a township in Timberhill Township . 1 +It was built in the 17th century , and by the 14th century had It was built in the 14th century and had until the 17th century . 0 +The northern slope of the Obshchy Syrt is covered by deciduous forests , while the southern slope to the Caspian Depression has the characteristics of a steppe . The southern slope of the Obshchy Syrt is covered by hardwood forests , while the northern slope towards the Caspian Depression has the characteristics of a steppe . 0 +Arnold Lang ( 18 June 1855 -- 30 November 1914 ) was a comparative naturalist , a Swiss anatomist and student of German biologist Ernst Haeckel . Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a comparative naturalist , Swiss anatomist and student of Ernst Haeckel , German biologist . 1 +Each of the squares of the area is bordered by low walls of carved sandstone , which also have small shaped rail-crossed arches . Each of the squares of the area is limited by low walls of carved sandstone , which also have small formed rail-crossed arches . 1 +"The delightful slogan is "" City of pure gold , delectable coconuts and pineapples , provincial beaches , mountain and caves , land of spiritual beauty "" ." "The delightful slogan is "" city of pure gold , delicious coconuts and pineapples , provincial beaches , mountain and caves , land of spiritual beauty "" ." 1 +Wing commander PS Nara was killed in the misfortune , while wing commander SV Munje was injured . Wing Commander PS Nara was killed in the mishap , while Wing Commander SV Munje was injured . 1 +"There was later an Australian version of "" Press Your Luck "" hosted from 1987 to 1988 on Seven Network by Ian Turpie and also produced by Grundy ." "There was later an Australian version of "" Press Your Luck "" from 1987 to 1988 on Seven Network hosted by Ian Turpie and also produced by Grundy ." 1 +He was also influenced by Spanish music and began a lifelong love of the Spanish classical guitar . He was also influenced by Spanish classical music and began a lifelong love of Spanish guitar . 0 +The original station buildings were replaced by the present ones in 1985/6 . In 1985 , the original station buildings were replaced by the present ones . 0 +Ortacami is a village connected to the Tirebolu district of Giresun province . Ortacami is a village connected to the Tirebolu district in the province of Giresun . 1 +AB InBev remains the largest brewery , with SABMiller second , and Heineken International third . AB InBev remains the largest brewery , second with Heineken International , and SABMiller in third place . 0 +Transit offers seasonal bus services between the district and the Port Authority Bus Terminal in Midtown Manhattan on the 137 route and to Newark on the 67 route . NJ Transit offers seasonal bus service between the borough and the Port Authority Bus Terminal in Newark on the 137 route and to Midtown Manhattan on the 67 route . 0 +It was built in 1988 by Jim Bell and William Feldstein and has been developed by H & amp ; H . It was developed in 1988 by Jim Bell and William Feldstein and built by H & H . 0 +The station signal was to be heard from Vancouver , British Columbia , Vancouver , Washington . The station signal could be heard from Vancouver , British Columbia to Vancouver , Washington . 1 +Some southern states , such as Chu and Wu , claimed independence from the Zhou , who waged wars against some of them ( Wu and Yue ) . Some southern states , such as Chu and Wu , claimed independence from the Zhou , who undertook wars against some of them ( Wu and Yue ) . 1 +Politically , Jalajala is organized into eleven barangays ( three urban , eight rural ) . Politically , Jalajala is divided into eleven barangays ( three rural , eight urban ) . 0 +Nearby are Jacobson , Swan River , Libby and Palisade , Ball Bluff is situated 10 miles south of Swan River and 26 miles north of McGregor . Nearby locations include Jacobson , Swan River , Libby and Palisade , Ball Bluff is 10 miles north of Swan River and 26 miles south of McGregor . 0 +In 1308 , Alauddin ordered Alp Khan to support Malik Kafur during the invasion of Devagiri . In 1308 Alauddin Alp Khan ordered the support of Malik Kafur during the invasion of Devagiri . 0 +Ashtabula comprises the Canton , OH Micropolitan Statistical Area , which is also included in the Cleveland -- Akron -- Ashtabula County , OH Combined Statistical Area . Ashtabula County includes the Ashtabula , OH Micropolitan Statistical Area , which is also contained in the Cleveland -- Akron -- Canton , OH combined statistical area . 0 +On February 11 , 1924 , Governor Friend Richardson appointed Richards as an Associate Justice of the California Supreme Court to fill the vacant seat of Frank H. Kerrigan . On February 11 , 1924 , Governor Friend Richardson Richards appointed Associate Justice of the California Supreme Court to fill Frank H. Kerrigan 's vacant seat . 1 +These environments result from the regressive deposits in a cyclic row . These environments result from the cyclic deposits in a regressive series . 0 +Produced by Arthur Hammerstein the show was directed by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and was choreographed by Danny Dare . Produced by Arthur Hammerstein , the show by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) was led and was choreographed by Danny Dare . 1 +This species can be found in New - Britannia , Bismarck - archipelago : Woodlark Island , Papua - New Guinea , West Papua and Aru - Islands . This species can be found in New Britain , Bismarck Archipelago : Woodlark Island ; Papua New Guinea ; West Papua ; and Aru Islands . 1 +Soundtrack was composed by Deva and lyrics were written by Palani Bharathi and Vaasan . The soundtrack was composed by Palani Bharathi and the lyrics by Deva and Vaasan were written . 0 +Tamsen Heiman was married to Chamran , an American Muslim , in 1961 . In 1961 , Tamran Heiman , an American Muslim , was married to Chamran . 0 +In the confusion of events , Empress Gao tried to have the mother of Emperor Xiaoming , Consort Hu , kill , but could not . In the confusion of the events , Empress Gao tried to have Emperor Xiaoming 's mother Consort Hu killed , but could not . 1 +The trip begins from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back . The journey starts from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . 0 +Her mother was a pastoral blood of the tribe , and her father the owner of a full station which later passed into the hands of the McLachlan family . Her mother was a shepherd ’ s blood of the tribe and her father was the owner of a full station , which later passed into the hands of the McLachlan family . 1 +Apisit Opasaimlikit or Joey Boy ( born in 1975 ) is a Thai hip hop singer and producer . Joey Boy or Apisit Opasaimlikit ( ; , born 1975 ) is a Thai hip hop singer and producer . 1 +"This rare version is called "" first version "" unofficially ." "This rare version is unofficially called "" first version "" ." 1 +The original route started at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . The original route began at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . 1 +"Livestreaming - Members of the crew produce , in addition to several gameplay movies , also "" Let 's Play "" style videos ." "In addition to several gameplay footage , livestreaming members of the crew also produce "" Let 's Play "" style videos ." 1 +This kind is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . This species is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey , and Spain . 1 +The local school is Priestmead Primary School on Hartford Avenue . The local high school is Claremont High School on Claremont Avenue off Kenton Road . The local school is Priestmead Primary School at Hartford Avenue and the local school is Claremont High School on Claremont Avenue on Kenton Road . 1 +However , the church we see today was replaced in 1640 , designed by Agostino Avanzo , and consecrated in 1655 . However , the church that we see today was replaced in 1640 , designed by Agostino Avanzo , and consecrated in 1655 . 1 +They also encounter twins Timmy and Tommy Reston in their Ford Mustang , who were soon invited by Keun ’ s friend to Waffle House . They will soon encounter twins Timmy and Tommy Reston in their Ford Mustang , which were also invited by Keun 's friend to Waffle House . 0 +Crawley Green is part of Crawley Station , which is represented by Cllr Terry Keens ( Labour ) and Cllr James Taylor ( Liberal Democrats ) . Crawley Green is part of the Crawley ward which is represented by Cllr Terry Keens ( Labour ) and Cllr James Taylor ( Liberal Democrats ) . 1 +In second place was Gaughan with 9,264 votes ( 34,5 % ) and Calvaneso with 1,362 votes ( 4.9 % ) third . In the third place , Gaughan was second with 9,264 votes ( 34.5 % ) , Calvaneso with 1,362 votes ( 4.9 % ) . 0 +This name refers either to the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . This name refers to either the Gawler River ( which starts at the confluence of the South Para River and North Para River ) or the Little Para River . 1 +Most of the municipalities are located on the islands of the Sulu archipelago , two of them , Mapun and the turtle islands , are in the Sulu sea . Most of the municipalities are located on the islands of the Sulu sea , two of them , Mapun and the Turtle Islands , are in the Sulu archipelago . 0 +The trophy was designed by Montse Ribé and is inspired by the chimneys of Antoni Gaudi la Pedrera . The trophy was designed by Montse Ribé and is inspired by the chimneys of Antoni Gaudi 's la Pedrera . 1 +When they are both discovered by Janeece their titles as house captains are taken away much to Kim Campbell 's disappointment . When they are both discovered by Janeece , their titles as house captains are taken away much to the disappointment of Kim Campbell . 1 +"Aeroflot Flight 415 ( "" Reys 415 Aeroflota "" ) was a domestic scheduled passenger flight operated by Aeroflot from Simferopol to Sochi with a stopover in Lviv ." "Aeroflot Flight 415 ( "" Reys 415 Aeroflota "" ) was a domestic passenger flight from Aeroflot from Simferopol to Sochi with a stopover in Lviv ." 1 +TS can theoretically be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numerical models . TS can be derived theoretically for simple targets such as spheres and cylinders , but in practice , it is usually measured empirically or calculated with numerical models . 1 +Examples of ceramics include white porcelain or white porcelain , decorated with cobalt , copper-blue underglaze , red underglaze and iron underglaze . Examples of ceramics include white porcelain or white porcelain , which is decorated with cobalt , copper red underglaze , blue underglaze and iron underglaze . 0 +On 22 June 1941 , the 27th , 56th , and 85th Rifle Divisions were part of the corps , as part of 3rd Army . On 22 June 1941 , the 85th , 56th and 27th rifle divisions were part of the corps as part of the 3rd army . 1 +The results above can be used to show that , contrary to the one-dimensional case , there is not always a spherical state in a bound cavity . The above results can be used to show that , contrary to the one-dimensional case , there is not always a spherical state in a bound cavity . 1 +The town itself is very picturesque but also modern with functional , regular urban planning . The city itself is very modern , but also picturesque with functional regular urban planning . 0 +In October 2015 , Bennett resigned from the Knesset in order to enable Shuli Mualem to take his seat . In October 2015 , Shuli Mualem from the Knesset resigned to allow Bennett to take over his seat . 0 +He was born in Gollnow , Pomerania and died in Dahme , Brandenburg , Germany . He was born in Gollnow , Pomerania , and died in Dahme , Brandenburg . 1 +She became one of the most important patients of Sigmund Freud and was herself a psychoanalyst for a short time around 1897 . "She was "" one of Sigmund Freud 's most important patients and , for a short period of time around 1897 , became a psychoanalyst herself "" ." 0 +"As guests on the EP appeared YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Srđan Todorović and Roze Poze guitarist Ivan Vdović ." "As guests on the EP appeared YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Sr "" unk "" to Todorović and Roze Poze guitarist Ivan Vdović ." 1 +The 1990 PBA season was the 16th season of the Philippine Basketball Association ( PBA ) . The season 1990 PBA was the 16th season of the Philippine Basketball Association ( PBA ) . 1 +Hopkins toured with the band for six months through England , the United States , and Japan . For six months , Hopkins toured the band through Japan , the United States and England . 1 +Morris Township is located in the 25th Congressional District and is part of New Jersey 's 11th state legislative district . Morris Township is located in the 11th Congressional District and is part of the 25th State Legislative District of New Jersey . 0 +Starting in 1903 , copper was mined by the Giroux Consolidated Mining Company and by the Nevada Consolidated Copper Company in 1904 . In 1903 , copper was dismantled by the Giroux Consolidated Mining Company and by the Nevada Consolidated Copper Company in 1904 . 1 +The Victorian state election of 1945 was held on Saturday , November 10 , 1945 , in the Australian state of Victoria , to elect 65 members of the state ’ s legislative assembly . The 1945 Australian state election was held in the Victorian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . 0 +Tim Tim Henman won 6 -- 2 , 7 -- 6 against Yevgeny Kafelnikov in the finals . Yevgeny Kafelnikov won against Tim Henman in the final 6 -- 2 , 7 -- 6 . 0 +On December 31 , 2015 , Melvin returned to Purdue University as the defensive line coach for Darrell Hazell . On December 31 , 2015 , Melvin returned as Defensive Line Coach for Darrell Hazell to Purdue University . 1 +He is generally credited as Tashi Wangchuk Tenzing of Australia , sometimes with a note that he is Tenzing 's grandson . He is sometimes credited as Tashi Wangchuk Tenzing of Australia , usually with a note that he is Tenzing 's grandson . 0 +Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda waits for Steve at the bar where Carrie is working . Steve Brady ( David Eigenberg ) and Miranda meet during the second season when Miranda is waiting for Carrie at the bar where Steve works . 0 +The Bhadala are entirely Muslim , and follow the traditions of the other neighbouring Sunni communities . The Bhadala are exclusively Muslim and follow the traditions of the other neighbouring Sunni communities . 1 +"He was named "" Thomas "" for Henry David Thoreau 's friend , Thomas Cholmondeley and "" Parker "" for Theodore Parker ." "He was named "" Thomas "" for Henry David Thoreau ’ s friend , Thomas Cholmondeley , and "" Parker "" for Theodore Parker ." 1 +""" Prodigal Daughter "" is the 11th episode of the television series , the 161st episode of :" """ Prodigal Daughter "" is the 161st episode of the television series "" , the 11th episode of the ." 0 +The top three floors were completed in 1885 and the first three floors were completed in 1906 . The first three floors were completed in 1885 , and the upper three floors were completed in 1906 . 0 +Taobao is a Chinese online shopping website similar to eBay , Amazon and Alibaba Group , which is operated by Rakuten in Hangzhou , Zhejiang . Taobao is a Chinese online shopping website similar to eBay , Amazon and Alibaba Group , which is operated in Hangzhou , Zhejiang by Rakuten . 1 +In 1971 , he divorced again to marry Martine Leroy , with which he had a daughter , Coralie Legrand . In 1971 , he divorced again to marry Coralie Legrand , with whom he had a daughter , Martine Leroy . 0 +The Bega River is a tributary of the Fădimac in Romania . The river Fădimac is a tributary of the River Bega in Romania . 0 +Jun-ki locked Dong-kwon in the car , and discovered him in handcuffs . Jun-ki blocked Dong-kwon in the car and discovered him in handcuffs . 1 +The soundtrack was composed by the musician Wajahat Attre , with lyrics by Hazin Qadri and sung by Noor Jehan , and Mehnaz . The soundtrack was composed by the musician Wajahat Attre with texts by Noor Jehan and Mehnaz and was sung by Hazin Qadri . 0 +Upon the death of Cardinal Mazarin in 1661 , Louis XIV , who had nominally been king since 1643 , began to rule France in his own right . After the death of Cardinal Mazarin in 1661 , Louis XIV , who had been nominally king since 1643 , began to rule France in his own direction . 1 +Dierker is also the first manager in the MLB story to win a Championship division in his sixth season in 1997 for the Astros . Dierker is also the sixth manager in the MLB story to win a Championship division in his first season for the Astros in 1997 . 0 +Marouf with Popular athletes such as Ali Daei , Hamid Sourian and Behdad Salimi the helpers in the fight and eradicate poverty and hunger in World Food Programme . Marouf with popular athletes such as Ali Daei , Hamid Sourian , and Behdad Salimi helpers in the fight and eradication of poverty and hunger in the World Food Program . 1 +The album was released on May 26 , 2007 by Furious in the United Kingdom and 7 Spin Music in the US . The album was released by Furious in the UK and by 7 Spin Music in the US on May 26 , 2007 . 1 +The Russian villain is , however , an original and sometimes interesting danger . The Russian villain is , however , an interesting and sometimes original threat . 0 +The third and final series started in May 2011 . Marek Larwood and a returning Javone Prince appeared in the new series . The third and final series started in May 2011 . In the new series , Marek Larwood and a recurring Javone Prince appeared . 1 +Shortly before his death , Aleksander Mikhailov , according to Sergei Yushenkov , received threats from a high-ranking FSB - General , Grigory Pasko . Just before his death , Aleksander Mikhailov received threats from a high-ranking FSB general , Grigory Pasko , according to Sergei Yushenkov . 1 +The racial constitution of the village was 93.33 % white , 1.67 % Native American , 3.33 % African American and 1.67 % came from two or more races . The racial makeup of the village was 93.33 % White , 1.67 % African American , 3.33 % Native American , and 1.67 % from two or more races . 0 +He was also a professor of history at BYU ( Brigham Young University ) . He was also Professor of History at Brigham Young University ( BYU ) . 1 +This Vancouver-produced series was set in a different locale in each episode , such as a historic music hall or a western saloon . This Vancouver - produced series was set in each episode in a different locale , such as in a historic music hall or a western saloon . 1 +The work was performed in 2008 by London-based New Zealand singer Paul Whelan and the NZSO . The factory was performed in 2008 by the London-based New Zealand singer Paul Whelan and NZSO . 1 +Stenolechia squamifera is a moth from the family of gelechiidae found in Japan ( Kyushu , Tsushima Island ) . Stenolechia squamifera is a moth of the Gelechiidae family . It is found in Japan ( Kyushu , Tsushima Island ) . 1 +Ieyoshi 's sixth wife was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . Ieyoshi ’ s sixth wife was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . 1 +"Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Finnish - Swedish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish - Finnish soprano ." 0 +The nearest station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , in Shimanto . The nearest train station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , which is in the station Nakamura . 0 +Andrés Oppenheimer considers that the proposal would allow Maduro to abolish all the democratic institutions in Venezuela , in a similar process to the 1976 Constitution of Cuba . Andrés Oppenheimer considers that the proposal would allow Maduro to abolish all democratic institutions in Cuba in a process similar to the 1976 Venezuela Constitution . 0 +It was first completed successfully by a 12-year-old American , Tom Schaar , on March 26 , 2012 . It was first successfully concluded on 26 March 2012 by a 12-year-old American , Tom Schaar . 1 +It was produced by Hiroaki Gōda , animated by TBS and Kodansha , and directed by Anime International Company . It was directed by Hiroaki Góda , animated by Anime International Company , and produced by TBS and Kodansha . 0 +Jharkhand Railway Station is a small station in Ramgarh district , Ranchi Road . Jharkhand railway station is a small railway station in Ramgarh district , Ranchi Road . 1 +The US Army and the US Air Force operated 4 variants of the 8x8 model under the titles M1001 , M1002 , M1013 and M1014 . The US Air Force and the US Army operated 4 variations of the 8x8 model under the designations M1001 , M1002 , M1013 and M1014 . 1 +"Domenico Bossi ( 1767 -- 1853 ) , also known as "" John Dominik Bossi "" , was an Italian painter ." "Domenico Bossi ( 1767 -- 1853 ) , also known as "" Johann Dominik Bossi "" , was an Italian painter ." 1 +Tipsarević started playing tennis at the age of six , and at the age of nine he began with the Russian coach Roman Savochkin at the New Belgrade Tennis Club . Tipsarević started playing tennis at the age of six , and at the age of nine he began with the Russian coach Roman Savochkin at the New Belgrade Tennis Club . 1 +This was a limited release -- only 300 black vinyl and 200 red vinyl copies were issued . This was a limited release -- only 300 red vinyl and 200 black vinyl copies were put out . 0 +She moved to Switzerland when she was a few months old , then to France , but mostly grew up in Paris . She moved to Switzerland when she was a couple of months old , then grew up to France , but mostly in Paris . 1 +It is east of Ardmore and southeast of Oklahoma City . It is situated east of Oklahoma City and southeast of Ardmore . 0 +His Othello was captured on record in 1964 with Ron Moody as Iago and on video in 1981 with Jay Robinson as Iago . His Othello was detained in 1964 with Jay Robinson as Iago and in 1981 with Ron Moody as Iago on video . 0 +On an annual basis , Boy Scout , Cub Scout and Venturing units ( and non-scouting groups ) can rent the cabins and other facilities . On a year-round basis , Boy Scout , Cub Scout and Venturing units ( and non-Scouting groups ) can rent the cabins and other facilities . 1 +""" P. seippi "" should be planted in pairs in a well located terrarium ." """ P. seippi "" should be planted in pairs in a well housed terrarium ." 1 +In 1180 , as a bishop of Poznań , he participated in the Synod in Łęczyca . In 1180 , as a bishop of Łęczyca , he participated in the Synod in Poznań . 0 +Scurria viridula is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . Scurria viridula is a species of sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 0 +Shine has written more than 900 articles in professional journals , two books published ( Australian Snakes ) . Shine has published more than 900 papers in professional journals , written two books ( Australian Snakes . 0 +Turrisipho dalli is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Turrisipho dalli is a species of the sea snail , a true gastropod mollusk in the Buccinidae family , the navy whelks . 0 +The arena has hosted concerts by many famous artists , including Whitney Houston , Tina Turner , TOTO , Trance Energy and André Rieu , among others . The Arena has hosted concerts by many famous artists , including Whitney Houston , André Rieu , TOTO , Trance Energy and Tina Turner . 1 +This is a list of people on Zambia 's postage stamps and its predecessor Northern Rhodesia . This is list of people on postage stamps of Northern Rhodesia and its predecessor Zambia . 0 +The series was written by Ed Brubaker by Butch Guice and illustrated by Bryan Hitch . The series was inked by Ed Brubaker , written by Butch Guice , and illustrated by Bryan Hitch . 1 +A portion of the barley is roasted to give Guinness its dark colour and its characteristic flavour . A portion of the barley is roasted to give Guinness its characteristic colour and dark taste . 0 +During or after his Indian campaigns , Eucratides was attacked and defeated by the Parther King Mithridates I , possibly in alliance with partisans of the Euthydemids : During or after his Parthian campaigns , Eucratides was attacked and defeated by the Indian king Mithridates I , possibly in alliance with partisans of the Euthydemids . 0 +was the brother of Charles Fenton Mercer and father of George Mercer and John Francis Mercer . Mercer was the brother of Charles Fenton Mercer , and father of George Mercer and John Francis Mercer . 1 +Andre Andre Agassi won 6 -- 2 , 6 -- 4 against Paul Annacone in the finals . Paul Annacone won 6 -- 2 , 6 - 4 against Andre Agassi in the final . 0 +He was born on April 23 , 1979 in Ecuador -- Guayaquil , under the sign of the Taurus , the last of five children . He was born April 23 , 1979 in Ecuador -- Guayaquil , under the sign of Taurus , the last of five children . 1 +Margaret Craske was born on 26 November 1892 in Norfolk , England , daughter of Edmund and Hannah Craske . Margaret Craske was born in Norfolk , England , November 26 , 1892 , daughter of Edmund and Hannah Craske . 1 +In 1998 , the race for Amsterdam , New York , was renamed a neighbouring town of Saratoga Springs in the upstate of New York . In 1998 the race was renamed for Saratoga Springs , a neighbor town of Amsterdam , New York in Upstate New York . 0 +Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , also known as Aiza Khan , is a Pakistani TV actress and model . Ayeza Khan ( born Aiza Khan on 15 January ,1991 ) , also known as Kinza Khan , is a Pakistani television actress and model . 0 +Phaecadophora fimbriata is a moth from the Tortricidae family , which is found in India , China , Thailand , Japan , Taiwan , Java and New Guinea . Phaecadophora fimbriata is a moth from the family of tortricidae found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . 1 +Chris Chris Paul signed with Oklahoma City Thunder , and Carmelo Anthony signed the Houston Rockets . Chris Paul signed to the Houston Rockets , and Carmelo Anthony signed with the Oklahoma City Thunder . 0 +"Daughter of Duncan Bell Murdoch ( "" May "" ) Baldwin ( 1871 -- 1961 ) married Mary W. ( 1860 -- 1964 ) ." "Daughter Mary W. ( "" May "" ) Baldwin ( 1871 - 1961 ) married Duncan Bell Murdoch ( 1860 -- 1964 ) ." 0 +Cooper arrives at the station with Bradley ( Robert Knepper ) and Rodney Mitchum ( Jim Belushi ) . Together with Bradley ( Jim Belushi ) and Rodney Mitchum ( Robert Knepper ) Cooper arrives at the train station . 0 +"It was their first blow with the third "" Peaches "" , Linda Greene ." "It was their third shot with the first "" Peaches "" , Linda Greene ." 0 +"Owner Shayne Doyle said "" I have a lot of money invested in sound equipment , I have door people and sound people to pay ." Shayne Doyle said I have invested a lot of money in sound equipment , I have door to sound people and people to sound pay . 0 +The municipality is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. Johns and northeast of Placentia . The municipality is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. Johns and northeast of Placentia . 1 +On 10 November 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . On November 10 , 2015 , ATP editor Josh Meiseles confirmed the final list of the eight players on the official ATP World Tour website . 0 +Also note the use of the codice 13 attribute to mark the codice 6 items as non-translatable . Note also the use of the codice _ 6 attribute to mark the codice _ 13 elements as non-translatable . 0 +The event was held on outdoor grass courts and played from September 27 through October 5 , 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . The event was played on outdoor grass courts and held from 27 September to 5 October 1887 at the Philadelphia Cricket Club in Wissahickon , Philadelphia . 0 +Sonia tries to build bridges with Sonia , but an argument ends with Pauline Pauline beating . Sonia tries to build bridges with Sonia but an argument ends with Pauline slapping Pauline . 1 +He also met William Withey Gull , who led the Cholera Committee with William Baly . He also met William Withey Gull , who with William Baly ran the Cholera Committee . 1 +During the competition , they lost 50-25 to Tanzania , 84-16 to South Africa , 58-24 to Zimbabwe . During the competition she lost 50-25 to Zimbabwe , 84-16 to Tanzania , 58-24 to South Africa . 0 +Anthony Calvillo completed 22 of 32 pass attempts for 301 yards . Ricky Ray was 22 for 37 for 371 yards . Ricky Ray completed 22 of 32 passage attempts for 301 Yards Anthony Calvillo was 22 for 37 for 371 Yards . 0 +""" Holocaust "" , created in November 1984 in the Lincoln Park , was dedicated by the sculptor George Segal ." """ Holocaust , "" created in November 1984 in Lincoln Park , was dedicated by the sculptor George Segal ." 1 +Prince Edward Island , Canada is a provincial park located in Strathgartney Provincial Park . Strathgartney Provincial Park is a provincial park in Prince Edward Island , Canada . 0 +The preferred method of treatment at the time was active medication . The most active treatment method at present was the preferred medication . 0 +The protein and gene identifiers are integrated from GeneCards ( with MOPED cross-referenced ) , Genbank , RefSeq , UniProt , WormBase and Saccharomyces Genome Database ( SGD ) . Protein and gene identifiers are integrated from GeneCards ( cross-referenced with MOPED ) , Genbank , RefSeq , UniProt , WormBase , and Saccharomyces Genome Database ( SGD ) . 1 +"All songs written by Alejandro Lerner , except "" A Place Where We Belong "" by Graham Russell ." "All songs written by Alejandro Lerner , except "" A Place Where We Belong "" co-written by Graham Russell ." 1 +It follows roughly I - 40 from Asheville to Canton and the US Route 74 , also known as Great Smoky Mountains Expressway , from Canton to Murphy . It roughly follows I-40 from Canton to Canton and US Route 74 , also known as the Great Smoky Mountains Expressway , from Asheville to Murphy . 0 +On Roger 's death , his son -- William de Roumare , Earl of Lincoln -- inherited the manor . William de Roumare 's death inherited his son -- Roger , Count of Lincoln -- the manor . 0 +Stävlö or Stäflö is a castle in Sweden of Kalmar Municipality . Stävlö or Stäflö is a castle in the municipality of Kalmar in Sweden . 1 +A radar-equipped Vickers Wellington was converted to be one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . A radar-modified Vickers Wellington has been one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . 0 +He is the nephew of Larry Bowa Johnson and his wife Liz was born on 31 January 2006 , Brianna , their first child . He is the nephew of Larry Bowa . Johnson and his wife , Liz , had their first child , Brianna , on January 31 , 2006 . 1 +In 2009 , Wizard canceled the event in Texas and postponed the Los Angeles Convention . In 2009 , Wizard canceled the Texas event and postponed the Los Angeles convention . 1 +He attended the preparatory school and studied at the ( IAVA ) primary and secondary architecture . He attended primary and secondary school , and studied preparatory architecture at the ( IAVA ) . 0 +In 2013 was the highest teenager - birth rate in Alabama and the lowest in Wyoming . In 2013 , the highest teenage birth rate was in Alabama , and the lowest in Wyoming . 1 +Lee Lee Field , in Wyoming neighborhood of Galewood , Michigan , is the home stadium of the club . Lee Field in the Wyoming neighborhood of Galewood , Michigan is the club 's home stadium . 1 +"From 2015 , Karl Stefanovic appears as a political commentator on Channel 9 's "" The Verdict "" with Brown ." "From 2015 Karl Stefanovic appears with Brown as a political commentator on "" The Verdict "" ." 1 +They each had a contrasting public image , with Novak dressing sloppy and Evans ' appearing like a diplomat with a refined manner . They each had a contrasting public image , with Novak looking sloppy , and Evans dressing like a diplomat with a refined manner . 0 +"In December 2006 , John von Rhein was named "" Chicagoan of the Year "" in classical music by Muspratt and the staff of the "" Chicago Tribune "" ." "In December 2006 , John von Rhein von Muspratt and the staff of the "" Chicago Tribune "" were named "" Chicagoan of the Year "" in classical music ." 1 +It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson and married Henry Albert Hartland . She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Stephen Jackson . She married Henry Albert Hartland . 1 +"In the episode "" Cheat It "" , Rico runs a sauna company called "" Señor Steam "" , which patronizes Robby ." "In the episode "" Cheat It , "" Robby runs a sauna company called "" Señor Steam "" which Rico patronizes ." 0 +Surprise Lake is a lake located on Brewster Lake north of Vancouver Island and south of Amor Lake . Surprise Lake is a lake in Vancouver Island , north of Brewster Lake and south of Amor Lake . 0 +It is being found in Burundi , the Democratic Republic of the Congo , Rwanda and Uganda . It is found in Uganda , the Democratic Republic of the Congo , Rwanda , and Burundi . 0 +Other R & amp ; D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . Others involved in the development of Bon Air -- officials were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . 0 +In 2012 , the airline carried 57,500 passengers to 15 international destinations and 90,000 passengers on domestic routes per month ( apx . 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 international targets and 90,000 passengers on domestic routes ( about 1.77 million passengers per year ) . 1 +Chandima Weerakkody ( UPFA-SLFP ) died on 30 May 2009 . His successor Amarasiri Dodangoda ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009.His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 0 +The CUTA has five national and five regional committees . CUTA has five national and five regional committees . 1 +Initially , Rich Rich was unimpressed , but Owens liked it , and they adopted it on February 12 , 1963 , with the Buckaroos . Rich was initially unimpressed , but Owens liked it , and they recorded it with the Buckaroos on February 12 , 1963 . 1 +Big Creek is a tributary of the San Joaquin River in the Sierra National Forest , within the Sierra Nevada , central California . Big Creek is a tributary of the San Joaquin River in the Sierra Nevada , in the Sierra National Forest in Central California . 0 +The Ibirapuera Park is located in this subprefecture , as well as the brazilian campus of Federal University of São Paulo and the main headquarters of IBM . Ibirapuera Park is located in this sub-prefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . 0 +""" Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material described Mount Rainier National Park , is a synonym ." """ Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from the described material of Mount Rainier National Park , is a synonym ." 1 +Charlevoix County is located in southern Antrim County and is bordered to the south and west by South Arm Township . Charlevoix County is located in southern Antrim County and is bordered by South Arm Township to the south and west . 1 +Curtin Township is limited by Liberty Township to the northeast , Marion Township to the southeast , Clinton County to the southwest and Howard Township to the West . Curtin Township is bordered by Liberty Township to the northeast , Marion Township to the southeast , Clinton County to the southwest , and Howard Township to the west . 1 +Granel was an important influence on a number of French philosophers , including Jacques Derrida , Jean-Luc Nancy and Bernard Stiegler . Granel was an important influence on a number of French philosophers , including Jacques Derrida , Jean - Luc Nancy , and Bernard Stiegler . 1 +"The second season introduced Susan Glaspell and his play "" Bound East for Cardiff "" as well as "" Trifles "" by Eugene O ’ Neill ." "In the second season , Eugene O ’ Neill and his play "" Bound East for Cardiff "" as well as "" Trifles "" were introduced by Susan Glaspell ." 0 +William Henry Henry Harman was born on February 17 , 1828 in Waynesboro , Virginia , with his parents Lewis and Sally ( Garber ) Harman . He was born on February 17 , 1828 in Waynesboro , Virginia , and his parents were William Henry Harman and Sally ( Garber ) Harman . 0 +It is located close to the Mandurriao at 113 R. Mapa Street in the Iloilo City district of Old Iloilo Airport . It is located near Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of the city of Iloilo . 0 +This is a form of legislative interpretation that focuses strongly on the literal text of a law . This is a form of literal interpretation that focuses strongly on the legislative text of a statute . 0 +"Adolf Hitler argued that "" Germany without Wagner and everything he represents would be impossible "" ." "Adolf Hitler argued that "" Germany would be impossible without Wagner and all he represents . """ 1 +James James and his brother were born in Alfreton , Derbyshire , John . John and his brother James were born in Alfreton , Derbyshire . 0 +"In 1912 , immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" ." "Immediately after he and Whitehead wrote PM , he published his 1912 , "" The Problems of Philosophy "" ." 1 +"She also had a supporting role in the 1992 film "" Bob Roberts "" , as Dolores Perrigrew ." "She also had a supporting role in the film "" Dolores Perrigrew "" 1992 , when Bob Roberts ." 0 +""" U. malabarica "" grows over wet rocks or lateritic floors in the presence of "" Eriocaulon "" species and grasses ." """ U. malabarica "" grows through lateritic rocks or wet soils in the presence of "" Eriocaulon "" species and grasses ." 0 +Hidalgo was born in Seville , who played for Badajoz and Celta de Vigo . Hidalgo , born in Badajoz , played for Sevilla and Celta de Vigo . 0 +In the Indian Premier League in 2015 , Ashish Reddy was retained by the Sunrisers Hyderabad and took Darren Sammy Wicket against RCB in the game . In the 2015 Indian Premier League , Ashish Reddy was retained by the Sunrisers Hyderabad and took Darren Sammy 's wicket in the match against RCB . 1 +Anguilla is famous for its important and ecologically spectacular coral reefs and beaches . Anguilla is noted for its important and ecologically spectacular coral reefs and beaches . 1 +The Detroit Red Wings were winning four games to 2 against the Norris Division Toronto Maple Leafs . The Detroit Red Wings were defeated 4 games to 2 , against the Norris Division winning Toronto Maple Leafs . 0 +After Martha had been found , Anna married a man by the name of George I Eisenhauer . After Anna was found , Martha married a man by the name of George I. Eisenhauer . 0 +On January 23 , 2006 , Stephen Harper was defeated by Paul Martin as Prime Minister of Canada . On 23 January 2006 , Paul Martin was defeated as Prime Minister of Canada by Stephen Harper . 0 +Thus , the white drops on a red field are an allusion to his name and his ancestry . Thus , the red drops on a white field are an allusion to his name and his origins . 0 +The locomotives were delivered from Neilson , Reid and Company and ordered in 1903 . The locomotives were delivered by Neilson , Reid and Company and ordered from 1903 . 1 +For many years , Ian Weatherhead lived in Somerset , before moving to Cheltenham . Ian Weatherhead lived for many years in Somerset before moving to Cheltenham . 1 +36.4 % were Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % of Italian and 5.4 % Scottish origin according to the 2000 census . 36.4 % were of Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % Italian and 5.4 % Scottish ancestry according to Census 2000 . 1 +In 1988 , WNBC acquired the license of Emmis Broadcasting and moved WFAN from 1050 to 660 AM . In 1988 , Emmis Broadcasting acquired the license of WNBC and moved WFAN from 1050 to 660 . 0 +""" Rockingham "" reached Whampoa on 23 May and arrived on September 21 in Bombay ." """ Rockingham "" reached Bombay on 23 May and arrived on 21 September in Whampoa ." 0 +And that , institutional patriarchs dominated family law because , within these judicial and intra-racist rivalries , judges succeeded in protecting their power over the law that governs the hearth . And the judicial patriarchs dominated family law because , within these institutional and intra-racist rivalries , judges succeeded in protecting their power over the law that dominated the hearth . 0 +The continuous power density is determined by the product 's continuous torque density and the constant torque speed range of the electric machine . The constant power density is determined by the product out of the continuous torque density and the continuous torque speed of the electric machine . 0 +In white wines , a higher pH ( lower acidity ) causes the phenolic resins to darken in the wine and eventually polymerize as brown deposits . In white wines , higher pH ( lower acidity ) causes the phenolics in the wine to darken and eventually polymerize as brown deposits . 1 +Janzur is known as the birthplace of Omar Mukhtar , the Italian resistance leader during Libyan rule . Janzur is known as the birthplace of Omar Mukhtar , the Libyan resistance guide during the Italian rule . 0 +Wesleyan Seminary was founded in 1831 by Methodist Episcopal Church as Genesee College . Genesee College was founded as the Genesee Wesleyan Seminary , in 1831 , by the Methodist Episcopal Church . 0 +Isaacs was born in Panama in 1915 into a Panamanian father and a Jamaican mother . Isaacs was born in Panama in 1915 into a Jamaican father and a Panamanian mother . 0 +In 1955 , Johannes Herman Johannes married Annie Marie Gilbertine Amalo . Annie Marie Gilbertine Amalo married Herman Johannes in 1955 . 1 +It currently runs from Yonge Street south of Davisville Avenue northwest to the Allen Road and Eglinton Avenue West . It currently runs from Yonge Street to the south of Davisville Avenue northwest to Allen Road and Eglinton Avenue West . 1 +"After "" The Kids "" was recorded with the drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recorded with Derrick except "" The Kids "" ." "After "" The Kids "" was recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks except "" The Kids "" were re-recorded with Derrick" 1 +Hussain won 432 votes , and his only rival , Wajihuddin Ahmed , received 77 . Hussain has received 432 votes , and his only rival , Wajihuddin Ahmed , secured 77 . 0 +Cherry Jones ' character was the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary , who was played by Katie Holmes . Cherry Jones ' character is the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary played by Katie Holmes . 1 +The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit services for the city and the agglomeration . The City of Santa Fe has designated the Oklahoma City station as the location for intermodal transit services for the city and metropolitan area . 1 +There are 18 or 20 old schools in the early texts . In the early texts , 18 or 20 old schools are mentioned . 1 +The amphibious version of the LCVP , or Higgins boat was used extensively in American landings in World War II . The amphibious version of the LCVP , or Higgins Boat , was extensively used in American landings in World War II . 1 +The Gradis family was Jewish , and had probably moved to Portugal from Bordeaux around 1495 . The Gradis family was Jewish and was probably moved from Portugal to Bordeaux around 1495 . 0 +Abijah Stark came with his family from Coleraine , Providence and settled first just north of Fish House near the Massachusetts town line . Abijah Stark came together with his family from Coleraine , Providence , and settled just north of Fish House near the Massachusetts Town Line . 1 +If the socket was too loose or the ink was too thin , the pen would leak or smear the ink . If the socket was too loose , or the ink too thin , the pen would smear or the ink would leak . 0 +It was reopened in 2010 with new buses and upgraded in early 2011 . It was reopened with new coaches in 2010 and upgraded in early 2011 . 1 +Butler died in Torquay on January 16 , 1909 , and was buried in Holywell , Oxford Cemetery . Butler died on 16 January 1909 in Oxford and was buried at Holywell Cemetery in Torquay . 0 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of the true limpets . 0 +"Sicha described it as "" nocturnal and ... seemingly seriously huge , organic "" -- in fact , active around the clock ." "Sicha described it as "" huge , organic and ... seemingly seriously night-active "" -- in fact around the clock ." 0 +In the Indian Freedom Movement , he came close to great Congress leaders like Rajagopalachari , Tanguturi Prakasam and Bulusu Sambamurthi . In the great freedom movement he came to Indian congressional leaders like Rajagopalachari , Tanguturi Prakasam , and Bulusu Sambamurthi . 0 +It was premiered on 30 September 2012 at the Borneo Eco Film Festival as it was the first time shown in Borneo . It was premiered at the Borneo Eco Film Festival on September 30 , 2012 , for the first time it was shown in Borneo . 1 +"They felt the "" fresh summer feeling of "" Tail of Hope "" and praised "" Baby You.. "" ( i.e ." "They felt the "" fresh "" summer feeling of "" Tail of Hope "" , and praised "" Baby You.. "" ( i.e ." 1 +In 1964 he became fourth in the Downhill - Contest and Ninth in Giant Slalom - Competition . In 1964 , he finished ninth in the downhill contest and fourth in the giant slalom competition . 0 +"The absolute value of this characteristic acoustic impedance is often referred to as acoustic impedance and called "" Z "" :" "The absolute value of this characteristic acoustic impedance is often called acoustic impedance and denoted as "" Z "" :" 1 +On the inside are engraved slates with the image of Padmasambhava , Gautama Buddha and Ngawang Namgyal . On the interior are slates engraved with the image of Padmasambhava , Gautama Buddha and Ngawang Namgyal . 1 +William Henry Henry Harman was born on 17 February 1828 in Waynesboro , Virginia , where his parents were Lewis and Sally ( Garber ) Harman . His parents were William Henry Harman and Sally ( Garber ) Harman , who was born in Waynesboro , Virginia , February 17 , 1828 . 0 +The two methods are conflated for 31 equal temperament , where E and G are enharmonic . The two methods are condensed for 31 enharmonic temperament , where E and G are equal . 0 +) , Danish and Norwegian have ' , whereas Swedish uses ' ( pronounced ( u ) ) , and Icelandic and Faroese use the related ' . "have Danish and Norwegian "" , Swedish uses "" ( pronounced ( u ) ) and Icelandic and Faroe use the related "" ." 1 +About Cowles distinction between primary succession and secondary succession , Clements wrote ( 1911 ) : Cowles ( 1911 ) wrote about distinguishing clements between primary succession and secondary succession : 0 +She occasionally also served Bella Bella , Skidegate ( Queen Charlotte Islands ) , and several other small , north-western coastal villages . She occasionally served Bella Bella , Skidegate ( Queen - Charlotte Islands ) and several other small , north-western coastal villages . 1 +Bit 4 is set if the K register is affected , Bit 5 is set when the J register is affected . Bit 4 is affected if the K register is affected , bit 5 will be set if the J register is set . 0 +It was released on August 31 , 2004 in the United States and October 17 , 2005 in the United Kingdom . It was published in the United States on 31 August 2004 and in the United Kingdom on 17 October 2005 . 1 +"Finally , the published prose history ( "" Bataviae Hollandiaeque Annales "" ) was commissioned in 1601 ." "The commissioned prose history ( "" Bataviae Hollandiaeque Annales "" ) was finally published in 1601 ." 0 +The show was staged by Nick Winston at the Theatre Royal in Newcastle on March 27 , 2012 and choreographed by Ed Curtis . The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Nick Winston and choreographed by Ed Curtis . 1 +Chin was born in Kingston , Jamaica to a Jamaican mother and a Chinese Jamaican father . Chin was born in Kingston , Jamaica , into a Jamaican mother and a Chinese Jamaican father . 1 +The Commodore Barry Bridge is a cantilever bridge that spans the Delaware River from Chester , Pennsylvania to Bridgeport in Logan Township . The Commodore Barry Bridge is a freelance bridge that spans the Delaware River from Chester , Pennsylvania to Bridgeport in Logan Township . 0 +CUTA has five regional and five national committees . CUTA has five national and regional committees . 1 +At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Zhao ( Sima Wang 's cousin ) . At the time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of Regent Sima Wang ( Sims Zhaos Cousin ) . 0 +Company sells ice cream , then expands to bake ice cream cones Headquarters moves to Baltimore . The company sells ice cream , then moves to bake ice cream cones and headquarters expands to Baltimore . 0 +She married Eero on June 10 , 1939 , and they had two children : Eric Saarinen , born 1942 , and Susan Saarinen , born 1945 . She married Eero on June 10 , 1939 and had two children : Susan Saarinen , born in 1942 , and Eric Saarinen , born in 1945 . 0 +The words were written by the previous Mayor James Rolph , and dedicated by Mayor Edward Robeson Taylor . The words were written by the previous mayor , James Rolph , and dedicated to them by the mayor Edward Robeson Taylor . 1 +The A58 connects the three major cities of North Brabant Eindhoven , Tilburg and Breda with the cities of Goes , Middelburg and Vlissingen in Zeeland . The A58 connects North Brabant 's three major cities Eindhoven , Tilburg and Breda with the cities Goes , Middelburg and Vlissingen in Zeeland . 1 +Olivella amblia is a species of the dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . Olivella amblia is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . 1 +The river Cheia is a tributary of the River Silia in Romania . The Silița River is a tributary of the Cheia River in Romania . 0 +The idea that excessive eating can be bad is not a recent idea . The idea that excessive eating can be bad is not a new idea . 1 +When comparable flow rates can be maintained , the results are high . The results are comparable when high flow rates can be maintained . 0 +Much of Rib Lake is hilly , with small glacial lakes , it lies within the terminal moraine of Perkinstown , which is described under Taylor County . Much of Taylor County is hilly , with small glacial lakes . It lies within the Perkinstown terminal moraine , which is described under Rib Lake . 0 +Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . In 1955 , Annie Marie Gilbertine Amalo married Herman Johannes . 1 +They had a neighborhood allies including the collopys ( Brian Collopy and Phillip Collopy ) . They had a neighborhood allies including the Collopys ( being Brian Collopy and Phillip Collopy ) . 1 +Secular spirituality does not imply rejecting modern ideas of liberalism , socialism or science , but instead exists as a parallel reading of the discourse with contemporary society . Secular spirituality does not mean rejecting contemporary ideas of liberalism , socialism or science , but it exists as a parallel reading of the discourse with modern society . 0 +Stile antico became after his move to Wawel the musical language of the main statement of Pękiels . Stile Antico became after his move to Wawel the main language of the musical statement of Pękiel . 0 +In 2005 , Chen was appointed assistant to Toshiaki Imai , then manager of Chinese Taipei national team . In 2005 , Toshiaki Imai was assistant of Chen , then manager of the Chinese Taipei national team appointed . 0 +Morton W. MacAuley , generally known as M. W. MacAuley , was a politician in Alberta , Canada , and a municipal council in Edmonton . Morton W. MacAuley , usually known as M. W. MacAuley was a politician in Alberta , Canada and a municipal councillor in Edmonton . 1 +Grevillea macleayana , commonly known as Jervis Bay grevillea , is a shrub of the family Proteaceae native to New South Wales . Grevillea macleayana , commonly known as Jervis Bay grevillea , is a shrub of the Proteaceae family born to New South Wales . 1 +James and his brother John were born in Alfreton , Derbyshire . James James and his brother were born in Alfreton , Derbyshire , John . 0 +Garcia performed in his first concert at the age of nine , and since then he appeared alone or with his aunt and uncle in all parts of France . At the age of nine , Garcia appeared in his first concert and since then has appeared alone or with his aunt and his uncle in all parts of France . 1 +The three inexperienced pilots were allowed to attack it , but they only managed to damage the bomber . The three inexperienced pilots were allowed to damage it , but they managed only to attack the bomber . 0 +"During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civil saving campaign of the warship - week "" ." "During 1942 , "" Whitehall "" was "" adopted "" by the civil community of Cheltenham , Gloucestershire , in a Warship Week national savings campaign ." 0 +Sebastian eventually ended up in the care of a man named Pedro with many other children . Eventually , Pedro ended with many other children in the care of a man called Sebastian . 0 +William Henry Emerson was born in 1860 in Tunnel Hill , Georgia , around Matilda Caroline Austin , daughter of Clisbe Austin , and Caleb J. Emerson . Caleb J. Emerson was born in Tunnel Hill , Georgia in 1860 to William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . 0 +To find the cuts used by this method , problem-specific methods are required . Problem-specific methods are used to find the sections needed by this method . 0 +Tipsarević began playing tennis at age six , and at the age of nine , started playing at the New Belgrade Tennis Club with Russian coach Roman Savochkin . Tipsarević started playing tennis at the age of six , and at the age of nine he began with the Russian coach Roman Savochkin at the New Belgrade Tennis Club . 1 +The UNIVAC 1050 was a decimal and variable computer with binary lengths ( one to 16 characters ) . The UNIVAC 1050 was a binary word-length ( one to 16 characters ) decimal and variable computer . 1 +A new directive was adopted by the Council in July 2008 and approved by the European Parliament in October 2008 . In July 2008 , the Council adopted a new directive , which was approved by the European Parliament in October 2008 . 1 +The team was formed as the Atlantic Coast Hockey League and played its first season in October 2002 with the Orlando Seals ( ACHL ) . The team was formed as the Atlantic Coast Hockey League and played its first season beginning in October 2002 with the Orlando Seals ( ACHL ) . 1 +He was sent to Rangoon , Burma ( now Yangon , Myanmar ) and taught in Thailand for further studies . He was sent to Yangon , Myanmar ( now Thailand ) , for further study and then taught in Rangoon , Burma . 0 +They were replaced by Jill Culton in 2008 , which was followed by Chris Jenkins , with Todd Wilderman in 2010 . They were replaced by Jill Culton in 2008 , who was followed by Todd Wilderman , with Chris Jenkins in 2010 . 0 +Jan Hambourg was born in Voronezh , Russia , the middle brother between famous pianist Mark Hambourg ( b . Jan Hambourg was born in Voronezh , Russia , the middle brother between the famous pianist Mark Hambourg ( b . 1 +The Cârlig River is a tributary of the Șorogari River in Romania . The river Cârlig is a tributary of the river È orogari in Romania . 1 +Colus aurariae is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks navy . Colus aurariae is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +The Albert Einstein , the Eugene Wigner , the Max Planck and the Niccolò Leoniceno academic genealogies ultimately lead to the Renaissance humanist Lev Landau . The academic genealogies Albert Einstein , Eugene Wigner , Max Planck and Niccolò Leoniceno ultimately lead to the Renaissance - humanist Lev Landau . 1 +There were 15 ( 6.6 % ) unmarried partnerships and 1 ( 0.4 % ) same-sex couples or partnerships . There were 15 ( 6.6 % ) unmarried opposite-sex partnerships , and 1 ( 0.4 % ) same-sex married couples or partnerships . 1 +Yu resides in Olympia and Seattle . Yu resides in Seattle and in Olympia . 1 +"She was the founder of the Inner Healing Movement and became the author of "" The Healing Light "" ." "She became the founder of the Inner Healing Movement and was author of "" The Healing Light "" ." 0 +The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on controlling the main roads and protecting the governor and government centre . The 2nd BCT of the 28th Infantry Division focused in Ramadi on protecting the main roads and controlling the governor and the government center . 0 +This is the only story of Albert Campion that is told by Campion in the first person . This is the only Albert Campion story told in the first person by Campion . 1 +Formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives , and steric effects . The formation of aggregates is influenced by electrostatic interactions , coordination between lithium and surrounding solvent molecules or polar additives , and by sterilization effects . 0 +Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Enrique Ponce , is a famous Spanish bullfighter . Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , known as Enrique Ponce , is a famous Spanish bullfighter . 1 +""" This series was exclusive to Wal-Mart Canada but were eventually sold in the Spawn Store online ." This series was exclusive to Wal-Mart Canada , but was finally sold online in the Spawn Store . 1 +Cameron says no since he always stays with Lily so Mitchell decides to go to the concert then the party . Cameron says no , because he always stays with Lily , so Mitchell decides to go to the concert and then to the party . 1 +"Miranda quotes Voltaire : "" If we find nothing new , we will at least find something pleasant "" , and looks longingly at Oscar ." "Miranda quotes Voltaire : "" If we don 't find at least something pleasant , we will find something new "" , and looks longingly at Oscar ." 0 +On their wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael to get help . Sean is killed on their wedding day , before the ceremony takes place , and Centaine goes to Michael for help . 1 +Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English dominance . Layla was born in London , the daughter of a Brazilian mother and an English father of Irish and Scottish ancentry . 0 +is a suburb of Raumanga in the Northland region in New Zealand . The main campus of Northland Polytechnic is in Whangarei . Raumanga is a suburb of Raumanga in the Northland Region of New Zealand . The main campus of Northland Polytechnic is situated in Whangarei . 1 +It was published in the United States on 31 August 2004 and on 17 October 2005 in the United Kingdom . It was released on August 31 , 2004 in the United States and October 17 , 2005 in the United Kingdom . 1 +He originally played with HC Spartak Moscow in the Continental Hockey League during the season 2010 -- 11 KHL . He originally played with HC Spartak Moscow in the KHL during the 2010 -- 11 Kontinental Hockey League season . 1 +However , the format was only released in full screen mode ( 1 : 33 : 1 ) instead of wide screen . However , the format was only released in full screen ( 1 : 33 : 1 ) instead of wide screen . 1 +"All of the Greek societies at Pacific University are "" local "" , meaning that they are unique to the campus ." "All local societies at the Pacific University are "" Greek "" , meaning that they are unique on the campus ." 0 +There are two major special cases : ( i ) a simple open chain and ( ii ) a simple closed chain . There are two important cases : ( i ) a simple closed chain and ( ii ) a simple open chain . 1 +It was successfully completed first by a 12-year-old American , Tom Schaar , on March 26 , 2012 . It was first successfully completed by a twelve-year-old American , Tom Schaar , on 26 March 2012 . 1 +Ash Town railway station was a railway station on the East Kent Light Railway . The station served the village of Ash . The railway station of Ash Town was a train station on the East Kent Light Railway and served the village Ash . 1 +The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and Dunfermline , but also under extraordinary circumstances from High Valleyfield . The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also under extraordinary circumstances from Dunfermline . 0 +It was the third single released by the group and their first release on Silvertone Records . It was the first single to be released by the group and their third release on Silvertone Records . 0 +"In 2004 , Stotesbery played beside Mike White in the FOX - pilot "" cracking up "" created by Jason Schwartzman ." "In 2004 , Stotesbery played opposite Mike White in the FOX pilot "" Cracking Up "" created by Jason Schwartzman ." 1 +Some valid compounds are organic minerals , recognized by the CNMNC ( IMA ) . Some organic compounds are valid minerals recognised by the CNMNC ( IMA ) . 0 +Real world , which seems to them more favorable than parallel . Parallel world , which seems more favorable than real to them . 0 +The 1945 San Diego State Aztecs football team represents San Diego State College during the College - Football - Season 1945 . The 1945 San Diego State College football team represent San Diego State Aztecs during the College - Football - Season 1945 . 0 +In April 2014 , 2-5 cavalry used from 1 ABCT , 1CD to Europe to support Operation Combined Resolve II , a NATO exercise in Southeast Germany . In April 2014 , 2-5 Cavalry from 1 ABCT , 1CD deployed to Europe to support Operation Combined Resolve II , a NATO exercise in southeastern Germany . 1 +"Shayne Doyle said : "" I invested a lot of money in sound equipment , I have door people and sound people to pay ." Shayne Doyle said I have invested a lot of money in sound equipment , I have door to sound people and people to sound pay . 0 +The mushroom is edible , but due to possible confusion with poisonous Amanita species is not recommended . "The mushroom is edible , but not recommended due to possible confusion with toxic "" Amanita "" species ." 1 +In 1956 , she worked with the orchestras of Boris Simeonov and Emil Georgiev for Big Orchestra Concert Directorate conductors of which were Christo Vuchkov and Dimitar Ganev . In 1956 , she worked with the orchestras of Christo Vuchkov and Dimitar Ganev for Big Orchestra Concert Directorate conductors , which were Boris Simeonov and Emil Georgiev . 0 +The Simpson Memorial Church belongs to the Church of Southern India , located on the GST Road is one of the most popular churches in Madurantakam . The Simpson Memorial Church belongs to the Church of South India , located on the GST Road is one of the popular churches in Madurantakam . 1 +"The novella was translated into English by Roger Senhouse and published ( with "" The Cat "" translated by Antonia White ) in 1953 ." "The novel was translated into English by Antonia White and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." 0 +It also inhibits the central , though not peripheral secretion of oxytocin and vasopressin in rats . It also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin in rats . 0 +He became Professor of Inorganic Chemistry in 1891 and Professor of Analytical and General Chemistry in 1903 . In 1891 he became Professor of General and Analytical Chemistry and Professor of Inorganic Chemistry in 1903 . 0 +Nachi Nozawa is voiced in Japanese by Hojo and in English by Paul Eiding . Hojo is spoken by Nachi Nozawa in Japanese and by Paul Eiding in English . 0 +EBSCO Publishing H. W. Wilson Company took over in 2011 . In 2011 , the H. W. Wilson Company took over EBSCO Publishing . 0 +Earl Russell Madden was born in Austin , Minnesota , John Madden and Mary Margaret Madden . John Madden was born in Austin , Minnesota to Earl Russell Madden and Mary Margaret ( née Flaherty ) Madden . 0 +"It can either be "" mortal "" or "" venial "" ." "It can be either "" mortal "" or "" venial """ 1 +In 2010 , David Thompson was sworn in by the death of the prime minister , Freundel Stuart . David Thompson was sworn in , in 2010 because of the death of the Prime Minister Freundel Stuart . 1 +Currently she is working on a critical anthology of neo-Latin texts . She is currently working on a critical anthology of Neo-Latin texts . 1 +The Euler - Tour - Representation ( ETR ) can be represented in parallel in an undirected tree constructed as a set of edges as follows : Given an undirected tree constructed as a set of edges , the Euler tour representation ( ETR ) can be presented in parallel as follows : 1 +Sir Herbert was re-elected at the new seat in Croydon East and returned in 1951 . Sir Herbert was returned to the new seat of Croydon East and was re-elected in 1951 . 0 +"The word nanosecond is formed by the prefix "" nano "" and the second one is second a basic unit of time or a sixtieth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixtieth of the second ." 1 +Robert W. Edgar was appointed by Cohen as a member of the Council of the President 's Common Cause . He was appointed as a member of the Council of the President 's Common Cause by Robert W. Edgar . 0 +Born in tiny Pelican in Ouachita Parish in northwestern Louisiana , McKenzie attended public schools in Monroe in DeSoto Parish and Louisiana State University in Baton Rouge . Born in tiny pelican in Ouachita Parish in northwest Louisiana , McKenzie visited public schools in Monroe in DeSoto Parish and Louisiana State University in Baton Rouge . 1 +He is trained by the DPRP Aces Partnership , owned by Graham Lee , and his primary jockey was Ferdy Murphy . He is trained by DPRP Aces Partnership , owned by Graham Lee , and his primary jockey was Ferdy Murphy . 1 +As Secretary of the Archbishop of Split , he went to Hungary and through Zagreb in 1503 to Venice . As Secretary of the Archbishop of Split , he went to Venice and in 1503 to Hungary through Zagreb . 0 +Following Backlash , Benoit had a small feud with Kane , while Michaels and Triple H would finish their feud at Bad Blood . Benoit had a small feud with Kane after Backlash , while Michael and Triple H would finish their feud at Bad Blood . 1 +In 1962 , for William Cardinal Godfrey , who had appointed the poet and mystic John Bradburne as caretaker , further restoration was carried out . In 1962 , further restoration was carried out for John Bradburne , who had appointed the poet and mystic William Cardinal Godfrey as caretaker . 0 +Infer also has a domain abstract language for specific syntax tree linting , based on ideas from Model Checking for Computation Tree Logic . Infer has also a domain - abstract - language for specific syntax tree - linting , based on ideas from Model Checking for Computation Tree Logic . 1 +The programming language Squeak is a dialect of Smalltalk , which is object-based , class-oriented and reflective . The Squeak programming language is a dialect of Smalltalk . It is object-based , class-oriented , and reflective . 1 +It is addressed by Claude Lelouch and stars Jeremy Irons and French singer Patricia Kaas . It is directed by Claude Lelouch and stars Jeremy Irons and French singer Patricia Kaas . 1 +It is separated from Jackson Island in the east by a wide sound and from Rainer Island in the South by a narrow sound . It is separated from Rainer Island to the east by a narrow sound and from Jackson Island in the south separated by a wide sound . 0 +At the Ponce Grand Prix she ran a personal record of 9 : 39.36 minutes then claimed the national title at the 2013 USA Outdoor Track and Field Championships . At the Ponce Grand Prix she drove a personal record of 9 : 39.36 minutes and then took the national title at the USA Outdoor Track and Field Championships 2013 . 1 +"This first version is unofficially called "" rare version "" ." "This first version is called unofficially "" rare version "" ." 1 +Together with Sean Kandel and Jeffrey Heer , Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and co-founder . Sean Kandel is Trifacta 's Chief Technical Officer and Co-founder , along with Joseph M. Hellerstein and Jeffrey Heer . 0 +After the Indian census 2011 is the population of Samdari 25012 , where the male population is 12805 and female population is 12207 . According to the Indian Census 2011 , the population of Samdari is 25012 , where female population is 12805 and male population is 12207 . 0 +"In 2014-15 , Shapiro appeared in the role of Marc Maron 's eccentric neighbor , Bernie , in the IFC comedy series "" Maron "" ." "In 2014-15 , Shapiro appeared in the role of the eccentric neighbor Maron , Marc Maron , in the IFC - Comedy - Series "" Bernie "" ." 0 +But as he tries to burn it , Arrietty and Peagreen recover the will , determined to save the house for the lenders and the clocks . But as he tries to burn it , Arrietty and Peagreen recover the will , determined to save the house for both the Lenders and the Clocks . 1 +These medium to large butterflies have red wings with black and yellow spots and a dark brown edge . These medium to large butterflies have black and yellow wings with dark-brown spots and a red edge . 0 +They were under the mentorship of Coach Glenn Capacio and Coach Norman Black . You were under the mentorship of Coach Norman Black and Coach Glenn Capacio . 1 +Robertson is a railway station in Robertson , New South Wales , on the railway line Unanderra - Moss Vale . Robertson is a railway station in Robertson , Moss Vale , on the Unanderra -- New South Wales railway line . 0 +The ground was home to the American Association , that played in the Players ' League in 1890 and the Boston Reds in 1891 . The soil was home to the American Association , which played in 1890 in the players ' League and the Boston Reds in 1891 . 1 +Poulenc reduced the full score to a shorter orchestral suite later . Later , Poulenc reduced the orchestra score to a shorter full suite . 0 +In November of 1957 , the Federal Party merged with the United Rhodesia Party to form the United Federal Party . In November 1957 , the United Federal Party merged with the Federal Party to form the United Rhodesia Party . 0 +John Knox also designed the Doric column for the statue of Hamilton ( 1825 ) in the Glasgow necropolis ( see Glasgow 's statues ) . Hamilton also designed the Doric column for the statue of John Knox ( 1825 ) in the Glasgow Necropolis ( see Glasgow 's public statues ) . 0 +In July 1659 , Sir Richard was a supporter of Sir George Booth in the abortive pro-Royalist Cheshire and Lancashire Rising . In July of 1659 , Sir Richard was a supporter of Sir George Booth in the abortive pro - Royalist Cheshire and Lancashire Rising . 1 +Janice Turner was the husband of Carl and the father of Debbie 's Alice Whipple . Janice Turner was Carl 's husband , and the father of Debbie & Alice Whipple . 1 +Mabanda is a city near the southernmost tip of Burundi , close to the border with Tanzania . Mabanda is a city located near the southernmost tip of Tanzania , close to the Burundi border . 0 +"In 2000 , the name "" Chemistry "" was released and "" Conspiracy "" by Billy Sherwood 's Chris Squire was dropped ." "Sometime in 2000 , the name "" Chemistry "" was dropped and "" Conspiracy "" was released by Chris Squire 's Billy Sherwood ." 0 +Many agencies of the central government are located in Taipei City due to its proximity to the capital New Taipei City . Many central government agencies are located in the city of Taipei , because of its proximity to the capital , New Taipei City . 1 +"G. Augustus Johnson ( "" fl . "" 1870-1890 ) was an American consul in Beirut who replaced J. Augustus Johnston ." "J. Augustus Johnston ( "" fl . "" 1870-1890 ) was the American consul in Beirut and replaced G. Augustus Johnson ." 0 +It is widespread in Europe but is never as common as L. sponsa . "It is widespread in Europe , but it is never as common as "" L. sponsa "" ." 1 +The scenes in the marshes were also shot in Gillingham , at Riverside Country Park in Kent . The scenes in the marshes were also shot in Kent , the Riverside Country Park in Gillingham . 0 +Mons Mons Claudianus is situated in the eastern desert of Upper Egypt and was discovered by Wilkinson and Burton in 1823 . Mons Claudianus lies in the Eastern desert of upper Egypt , and was discovered in 1823 by Wilkinson and Burton . 1 +He died in 1916 , and retired on September 30 , 1918 . He died in 1916 and was retired on September 30 , 1918 . 1 +Rituparna Sengupta and Indrani Halder won the National Film Award for Best Actress in 1998 , for the film . Ghosh shared National Film Award for Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder for the film shared the National Film Award as Best Actress , Ghosh won the National Film Award as Best Screenplay . 0 +She is portrayed by Lily Collins in the film adaptation of the book and Katherine McNamara in the television series . It is portrayed by Lily Collins in the film of the book and Katherine McNamara in the television series . 1 +The Simpson Memorial Church belongs to the Church of South India , located on the Madurantakam is one of the popular churches in GST Road . The Simpson Memorial Church belongs to the Church of Southern India , located on the GST Road is one of the most popular churches in Madurantakam . 0 +Stevens was a Republican when the party was founded , and was a delegate to the Republican National Conventions in 1860 and 1868 . Stevens became a Republican when the party was founded , and was a Delegate to the Republican National Conventions in 1860 and 1868 . 1 +"Khong Chai is a district ( "" amphoe "" ) in the southern part of Kalasin Province , northeastern Thailand ." "Khong Chai is a district ( "" Amphoe "" ) in the northeastern part of the Kalasin province , South Thailand ." 0 +"For his role as DeWees in "" Mud Season "" Jerry Jerry won Best Actor at the Los Angeles Method Festival Film Festival ." "DeWees won Best Actor at the Los Angeles Method Fest Film Festival for his role as Jerry in "" Mud Season "" ." 0 +Michael Creedon ( born 1960 ) is an Irish retired senior footballer who played as a goalkeeper for the Cork Gaelic team . Michael Creedon ( born 1960 ) is an Irish retired Gaelic footballer who played as goalkeeper for the Cork - A - national team . 0 +Boiestown ( 1991 population : 349 ) is a Canadian community located in the rural community of Upper Miramichi in Northumberland County , New Brunswick . Boiestown ( 1991 population : 349 ) is a rural community located in the Canadian community of Upper Miramichi in Northumberland County , New Brunswick . 0 +"This is integral to Borel 's similar summation method , except that the Borel transform need not converge for all "" t "" , but converges" "This is similar to Borel 's integral summation method , except that the Borel transformation does not need to converge for all "" t "" , but converges ." 0 +Ivan Lendl defeated Anders Järryd 6 -- 3 , 6 -- 2 , 6 -- 4 . Ivan Ivan Lendl defeated Anders Järryd 6 -- 3 , 6 -- 2 , 6 - 4 . 1 +The central core of the Ministry of Defence was the new Defence Office . The central core of the new Ministry of Defense was the Central Defence Office . 0 +Algestone Acetophenide , in combination with Estradiol Enanthate , is used as a combined injectable contraceptive for women in Latin America and Spain once a month . In combination with Estradiol Enanthate , Algestone Acetophenide is used as a monthly injectable contraceptive for women in Latin America and Spain . 1 +The album was announced on June 2 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on July 2 . The album was released on June 2nd as a limited , untitled album with hand drawn covers and signed by Buckethead himself to be announced on July 2 . 0 +STAVKA ordered the army reformed on 2 March 1942 . The STAVKA reformed the army ordered on March 2 , 1942 . 0 +These old rites are still performed in contemporary Sri Lanka , but the preserved songs are rarely performed by folk musicians . These ancient rites are still performed in contemporary Sri Lanka , but the preserved songs are rarely performed by folk musicians . 1 +Tamsen Heiman was married to Chamran , an American Muslim , in 1961 . Taman Heiman was married to Chamran in 1961 , an American Muslim . 1 +Chinese cuisine is based on local cuisine , particularly from Fujian , Guangdong and Yunnan provinces , with Burmese Chinese influences . Burmese Chinese cuisine is based on Chinese cuisine , particularly from the provinces of Fujian , Guangdong and Yunnan , with local influences . 0 +Marouf with Popular athletes such as Ali Daei , Hamid Sourian and Behdad Salimi the helpers in the fight and eradicate poverty and hunger in World Food Programme . Popular with Marouf - athletes such as Ali Daei , Hamid Sourian , and Behdad Salimi are helpers in the fight against and eradication of poverty and hunger in the World Food Programme . 0 +After passing through Bryson City and the Little Tennessee River , the Tuckasegee flows southwest for another before flowing into the Bryson City Island Park . After passing through Bryson City and flowing around the Little Tennessee River , the Tuckasegee flows southwestward for another before emptying into the Bryson City Island Park . 1 +The FIFA 10 Manager was developed by Bright Future and is published by EA Spore . FIFA Manager 10 was developed by Bright Future and published by EA Spore . 1 +However , it was a spiritual ceremony and not a legal one . However , it was a legal , and not a spiritual ceremony . 0 +The aircraft was on a domestic flight from Goma to Ndjili via Kisangani . The aircraft was located on a domestic flight from Goma to Ndjili via Kisangani . 1 +""" Be What You Are , Do What You Want "" was covered by The Dramatics in 1979 ." """ What you are , do what you want "" was covered in 1979 by The Dramatics ." 1 +And the resulting ongoing series , and this revision has been retained in all following DC publications . And the resulting ongoing series , and this revision has been maintained in all following DC publications . 1 +An off-track betting network offers racing from teletheatres in Hamilton , Stoney Creek , Burlington and Brantford . An off-track betting network offers races from teletheatres in Hamilton , Stoney Creek , Burlington and Brantford . 1 +"According to Jon Uren , Marketing Director of Warner Music Europe , the song also had "" fantastic "" early support all over Europe ." "According to Jon Uren , Marketing Director of Warner Music Europe , the song had also "" early "" fantastic support across Europe ." 1 +From behind bars , Dimitri finds out , Maddie is not Erica 's father and helps Edmund to reunite with his daughter . From behind bars , Erica finds out Dimitri is not Maddie 's father and helps Edmund reunite with his daughter . 0 +""" Clitarchus hookeri "" is found from Northland to the Wellington region in the south of the North Island of New Zealand ." """ Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of the North Island of New Zealand ." 1 +"A local reporter in 1910 described the scene for the people of Kyūshū in a Japanese newspaper , the "" Fukuoka Nichinichi "" ." "In 1910 , a Japanese reporter described in a local newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" 0 +After the death of his father , James Holman , he was elected king in the presence of King George on March 4 , 1827 . After the death of his father , King George , he was elected king in the presence of James Holman on 4 March 1827 . 0 +Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Aramaic abbreviations and the List of Hebrew abbreviations , respectively . 1 +Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Giuseppe Naudet and Susanna von Arnth ; her sister was Luisa . Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna of Arnth . Her sister was Giuseppe Naudet . 0 +"The casting includes Cecile Andrews as host and Wanda Urbanska , author of "" Circle of Simplicity "" ." "The cast includes Wanda Urbanska as host and Cecile Andrews , author of "" Circle of Simplicity "" ." 0 +Paul Whitty ( born 1970 ) is an England-based sound composer and experimental artist born in Northern Ireland . Paul Whitty ( born in 1970 ) is an English-born experimental composer and sound artist born in Northern Ireland . 0 +Caymanians made mules or donkeys with lanterns tied to their bodies to walk along the beaches or lit a large bonfire to attract sailors . Caymanians lightened mules or donkeys with lanterns tied to their bodies to walk along the beaches , or made a large campfire to attract sailors . 0 +In one of his works ( epic poem on Skanderbeg ) , Nikola Jurišić was a subordinate topic . In one of his works ( epic poem on Nikola Jurišić ) , Skanderbeg was a subordinate subject . 0 +If a lower number is required , changes are calculated to improve the score . When a lower number is calculated , changes are required to improve the score . 0 +The San Miguel Beermen are a professional basketball team in the Philippine Basketball Association ( PBA ) . The San Miguel Beermen is a professional basketball team in the Philippine Basketball Association ( PBA ) . 1 +It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between the Christian Kingdom and the Muslim states along the coastal regions . It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between Christian kingdom and the Muslim states along the coastal regions . 1 +He was considered the official member of the Council and was often sent to Canada in an active Albany business . He was considered an active member of the council and often was sent to Canada on official Albany business . 0 +It is a segment of the Natchez Trace Parkway located at a Natchez Trace interpretive stop . It is a segment of the Natchez Trace , located at an interpretive stop of Natchez Trace Parkway . 0 +The 1927 Colgate football team represented Colgate University in the 1927 college football season . The 1927 Colgate University Football team represent Colgate in the 1927 College Football season . 0 +When Aaron asked him to play the new band guitar , Russ agreed . When Aaron asked him to play guitar in the new band , Russ agreed . 1 +"Right "" R "" -module is left to a direct sum of copies of "" R "" as isomorphic ( resp ) ." "Right ) "" R "" module is isomorphic to a direct sum of "" R "" copies as left ( resp ." 0 +It is licensed and published in Taiwan by Blu on May 8 , 2007 . The manga is licensed in North America by Sharp Point Press . It is licensed and published in Taiwan by Blu on May 8 , 2007 , and is licensed by Sharp Point Press in North America . 1 +The Council has had 27 members nominated by the local authorities in Wales , the University of Wales , the Welsh Tourist Board and the National Eisteddfod Council . The council had 27 members nominated by local authorities in Wales , the University of Wales , National Eisteddfod Council and the Welsh Tourist Board . 1 +Caleb J. Emerson was born in 1860 in Tunnel Hill , Georgia , the son of William Henry Emerson , daughter of Clisbe Austin and Matilda Caroline Austin . William Henry Emerson was born in 1860 in Tunnel Hill , Georgia , around Matilda Caroline Austin , daughter of Clisbe Austin , and Caleb J. Emerson . 0 +The Little Jocko River flows via the Jocko River and the Ottawa River to the Saint Lawrence River . The Little Jocko River flows across the Jocko River and the Ottawa River to the Saint Lawrence River . 1 +Without a proposed timeframe , given is the Cleveland Athletic Club building conversion into a Crowne Plaza hotel . Without a proposed timeframe , the Cleveland Athletic Club building is transformed into a Crowne Plaza hotel . 1 +He became a regular canon He was a prestigious poet writing in the Latin language , under the name of Santolius Victorinus . He became a respected canon . He was a regular poet in the Latin language , writing under the name of Santolius Victorinus . 0 +The Moons organist Tom Warmsley uses a single manual Vox Continental ; also , The Moons ' James Edward Bagshaw uses a Vox Continental 300 . The Moons - organist Tom Warmsley uses a single manual Vox Continental , and James Edward Bagshaw of The Moons uses a Vox Continental 300 . 1 +Nigali Band Village is located in Kanchanpur District of the Municipality of Krishnapur . Nigali Band village is located in Kanchanpur District of Krishnapur Municipality . 1 +He was also employed by CBS Sports as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he moved to NBC . He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he changed to CBS Sports . 0 +Painter is probably notorious for a famous rivalry with Taylor . Painter is probably also known for a notorious rivalry with Taylor . 0 +In the same year , technologyreview.com won third place at MPA Digital Awards for the best business or news website and second place for the best online video or the best video series . That same year , technologyreview.com won second place in the MPA Digital Awards for best business or news Website and third place for best online video or video series . 0 +"The name "" Macaire "" seems to have several claims of origin : it was a male or female name and is currently considered a male name ." "The name "" Macaire "" appears to have several claims of origin . It was a male name and currently is considered a male or female name ." 0 +In 1864 , the Taiping rebellion ended with the defeat of America , and Yang fled by ship from Nanjing to Shanghai . In 1864 , the Taiping Rebellion ended with defeat to the America , and Yang fled to Shanghai from Nanjing by ship . 1 +The Bathopele mine is a mechanised mine located in the north-western part of Rustenburg , North West in South Africa . The Bathopele - Mine is a mechanized mine in the north-western part of South Africa in Rustenburg , North West . 0 +"In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda at Broadway in "" Silent Night , lonely night "" by Robert Anderson ." "In 1960 , Glenville also directed Barbara Bel Geddes and Henry Fonda on Broadway in "" Silent Night , Lonely Night "" by Robert Anderson ." 1 +"The Dutch music magazine OOR calls "" Vultures "" the best international album 2012 "" and other media praise the Dutch sound of the album ." "Dutch music magazine OOR call "" Vultures "" the best Dutch album of 2012 "" and other media praise the international sound of the album ." 0 +The Flushing Line was opened from 40th Street to Queensboro Plaza -- Corona Plaza on April 21 , 1917 , with a local station at 103rd Street . The Flushing Line was opened on 21 April 1917 from 40th Street to Queensboro Plaza -- Corona Plaza , with a local station on 103rd Street . 1 +Barclays took over sponsorship of the Premier League from Barclaycard in 2004 . In 2004 , Barclays of Barclaycard took over sponsorship of the Premier League . 1 +The river Latoriţa is a tributary of the River Galbenu in Romania . The River Galbenu is a tributary of the River Latoriţa in Romania . 0 +Paola always advises his son , Gonzalo , to always forget . Paola advises his son to always forget Gonzalo . 0 +Belfast is a ghost town in Licking County in the state of Ohio . Licking County is a ghost town in Belfast , in the U.S. state of Ohio . 0 +The 357th Airlift Squadron is part of the 908th Airlift Wing at Maxwell Air Force Base , Alabama . 357th Airlift Squadron is part of the 908th Airlift Wing in the Maxwell Air Force Base , Alabama . 1 +It is situated 40 km south of Budapest , on the island of Csepel , in the center of the little town of Ráckeve . It is situated 40 km south of Budapest , on the island of Csepel , in the center of the town of Ráckeve . 1 +As a bishop of Łęczyca he participated in the Synod in Poznań in 1180 . In 1180 , as a bishop of Poznań , he participated in the Synod in Łęczyca . 0 +Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC , Creswell is serviced . Creswell is served by the Roanoke Beacon daily from Plymouth , NC , and the Washington Daily News from Washington , NC , weekly . 0 +Bland left Valparaiso a week later and arrived in Philadelphia on October 29 , 1818 . A week later , Bland left Philadelphia and arrived in Valparaíso on October 29 , 1818 . 0 +""" Arrow "" was built by Walkers Limited at Maryborough , Queensland , launched on 17 February 1968 , and commissioned on 3 July 1968 ." """ Arrow "" was built by Walkers Limited in Maryborough , Queensland , commissioned on 17 February 1968 and on 3 July 1968 ." 0 +David Spurlock was born on 18 November 1959 in Dallas , Texas , and moved to Memphis , Tennessee in 1973 . David J. Spurlock was born on 18 November 1959 in Memphis , Tennessee . He moved to Dallas , Texas in 1973 . 0 +She sailed via Rio de Janeiro and arrived in Sydney on 14 September . She sailed over Sydney and arrived on 14 September in Rio de Janeiro . 0 +Charles Conger sold it to Esler in 1889 , who sold it to Horace Nichols in May 1891 . In 1889 , Charles Charles Conger sold it to Esler , and in May 1891 it sold to Horace Nichols . 1 +From there it flows through a minimally developed series of swamps and ponds to the south into the valley , downwards , but further west . From there it flows downward into the valley through a minimally developed series of swamps and ponds , south but trending further to the west . 0 +Another important route that crossed the Palmyra area included the road that led from the settlement Bindnagle to Campbelltown , which is now the PA 117 . Another important route that crossed the Campbelltown area included the road which led from the Bindnagle settlement to Palmyra , which is now PA 117 . 0 +If a test function formula _ 2 is used to obtain the final form , after integration by parts the weak Galerkin formulation will be given as follows : If a test function formula 2 is used to get the weak form , the final Galerkin formulation will be given after integration of parts as follows : 0 +Petina Gappah was born in Zambia , in Copperbelt Province . Petina Gappah was born in the province of Copperbelt in Zambia . 1 +From Death Valley National Park , California State Route 178 leads northeast to Ridgecrest . From Ridgecrest , California State Route 178 leads northeast into the Death Valley National Park . 0 +Sara Zaker is married to Zaker is also a media personality , entrepreneur , and social activist . Sara Zaker is married to Zaker , but is also a media personality , entrepreneur and social activist . 1 +The majority of them settled in London , with the largest community in Toronto , followed by those in Hamilton , Ontario and Kingston . The majority of them were settled in Ontario , with the largest community in Toronto , followed by those in Hamilton , London and Kingston . 0 +Bordentown is southeast of Trenton and northeast of Philadelphia . Bordentown is situated southeast of Trenton and northeast of Philadelphia . 1 +In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as Council President of Boston . In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the city council in Boston . 0 +The character of Katie Holmes was the daughter of Mary , played by Cherry Jones , and not Elizabeth 's daughter , played by Allison Janney . Cherry Jones ' character is the daughter of Elizabeth , played by Allison Janney , and not the daughter of Mary played by Katie Holmes . 0 +Quindío is a municipality in the western part of the department of Montenegro , Colombia . It is located 10 km west of the departmental capital Armenia . Montenegro is a municipality located in the western part of the Quindío department of Colombia , 10 km west of the district capital Armenia . 0 +They suffered five wounded men in the action , the British had no loss . In the action they suffered five men wounded ; the British had no casualties . 1 +In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be legally bought and sold . In the United Kingdom , meskaline is a class A drug in purified powder form , but dried cactus can be bought and sold legally . 0 +The series ends with Wonder Woman reconciling with Cassie , who tells Cassie that she has become her own woman . The series ends with Cassie reconciling with Wonder Woman , who tells Cassie that she has become her own wife . 0 +Samuel Groth won the tournament after defeating Danai Udomchoke 7 -- 6 , 6 -- 3 in the final . Samuel Groth won the tournament after defeating Danai Udomchoke in the final with 7 : 6 , 6 : 3 . 1 +McSweeney was born in London but moved to Northern Ireland . McSweeney was born in Northern Ireland , moved to London . 0 +The Arbatel de Magia veterum was a ceremonial grimoire of the Latin Renaissance - magic that was published in Switzerland in 1575 . The Arbatel de Magia veterum was a Latin grimoire of the Renaissance ceremonial magic that was published in Switzerland in 1575 . 0 +Estella flirts with and marries Bentley Drummle , a disdainful rival of Pip 's , and eventually pursues him for his money . Estella flirts with Bentley Drummle , a disdainful rival of pip , and marries him and eventually pursues him for his money . 1 +Crocker defeated Paddon again in 2009 and took his third victory in 2010 over Emma Gilmour . Crocker Paddon defeated 2009 again and took his third victory against Emma Gilmour in 2010 . 1 +The Boul River is a tributary of the Galbena River in Romania . The Galbena River is a tributary of the River Boul in Romania . 0 +Henny Trylesinski , also known as Henny Trayles ( Hamburg , 4 June 1937 ) is a German-born Uruguayan actress and comedian who lives in Argentina . Henny Trylesinski , also known as Henny Trayles ( Hamburg , June 4 , 1937 ) , is a German-speaking Uruguayan actress and comedian who lives in Argentina . 0 +This time the vocals were mastered by Matti Auerkallio and the EP by Pirkka Rännäli was performed . This time the vocals were performed by Matti Auerkallio , and the EP was mastered by Pirkka Rännäli . 0 +She is a member of the Nehru -- Gandhi family , the second of the three daughters born to Jawaharlal Nehru 's sister , Vijaya Lakshmi Pandit . She is a member of the Nehru -- Gandhi family , the second of the three daughters born by Jawaharlal Nehru 's sister , Vijaya Lakshmi Pandit . 1 +He also gained popularity by replacing Archie Kao with Adam Rodriguez . "He gained popularity also by replacing Adam Rodriguez on "" , and Archie Kao on "" ." 0 +The eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia from 1866 until 1928 , when the patriarchal seat was moved to Beirut , Lebanon . From 1866 to 1928 , eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia until the Armenian seat was moved to Beirut in Lebanon . 0 +""" Sketch "" was recorded as the last album with the bassist Nina Souto and the drummer Arturo Garcia ." """ Sketch "" was the last album recorded with bassist Nina Souto and drummer Arturo Garcia ." 1 +However , unlike John Dewey and J. J. Gibson , the key to Mead is not simply human action , but social action . However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply human action , but rather social action . 1 +On Saturdays there is a small weekly street market around which the covered daily market is situated . On Saturdays there is a daily street market around which the covered small weekly market is located . 0 +The programming language Squeak is a dialect of Smalltalk , object-oriented , class-based and reflective . The Squeak programming language is a dialect of Smalltalk . It is object-oriented , class-based , and reflective . 1 +Kathy Lloyd was born in Carrickfergus , Northern Ireland , and grew up in Netherton , Bootle , where she attended the Warwick Bolam High School . Kathy Lloyd was born in Bootle and grew up in Netherton , Carrickfergus , Northern Ireland , where she attended Warwick Bolam High School . 0 +We see laughter , we see the faces , we hear the music . "We see the laughter , we see the faces , we hear the music. """ 1 +Born in Dublin about 1582 , he was third but second surviving son of Arland Ussher and his wife Margaret . Born in Dublin in 1582 , he was the third but second surviving son of Arland Ussher and his wife Margaret . 1 +Nationalist parties , however , together with other liberal groups , said that they would boycott the elections in July . However , other liberal parties , together with nationalist groups said they would boycott the July elections . 0 +"According to Jon Uren , marketing director of Warner Music Europe , the song also had "" fantastic "" early support across Europe ." "According to Jon Uren , Marketing - Director of Warner Music Europe , the song had also "" fantastic "" early support across Europe ." 1 +Her younger sister was named Mary Maude , and her elder sister was Florence Fitch . Her elder sister was Mary Maude , and her younger sister was Florence Fitch . 0 +Yıkılgan is a village in the District of Amasya , Turkey , Amasya Province . Yıkılgan is a village in the district of Amasya , Turkey , province Amasya . 1 +"It was their first blow with the third "" Peaches "" , Linda Greene ." "It was their third hit with the first "" Peaches "" , Linda Greene ." 0 +The Muslim - Albanian census of 1951 in Epirus included a total of 127 Greek chams . The Muslim Albanian census of 1951 counted a total of 127 Greek Chams in Epirus . 1 +The Kabul River is a tributary of the Swat River , part of the Indus River . The Kabul River is a tributary of the Swat River , part of the Indus River basin . 1 +The Bârzava River is a tributary of the River Gorova in Romania . The river Gorova is a tributary of the river Bârzava in Romania . 0 +Hampden sticks Yamaha drums with Vic Firth plays and records with Samson Technologies gear . Hampden Sticks Yamaha drums with Vic Firth plays and shoots with Samson Technologies Gear . 1 +It overlooked the Upper St. Francis Road , and was manned by members of the 33rd Missouri . It overlooked Upper St. Francis Road and was manned by members of the 33rd Missouri . 1 +John Guedel was the director , and Harry Kronman was the producer . The director was John Guedel , the producer Harry Kronman . 1 +William de Roumare 's death inherited his son -- Roger , Count of Lincoln -- the manor . On William de Roumare 's death , his son -- Roger , Earl of Lincoln -- inherited the manor . 1 +The expressway continues for another mile and crosses several buildings in short tunnels before crossing the Harlem River into the Bronx via the Alexander Hamilton Bridge . The expressway continues for another mile and crosses several buildings in short tunnels before crossing the Alexander Hamilton Bridge into the Bronx via the Harlem River . 0 +The second segment was built in 1929 , the third segment was completed in 1930 by Peters Corners . The third segment was built in 1929 and the second segment was completed in 1930 by Peters Corners . 0 +The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College , have been merged with Springvale Secondary College and Chandler Secondary College in Keysborough Secondary College . The two secondary schools , Heatherhill Secondary College , Springvale Secondary College and Chandler Secondary College , have been merged to Keysborough Secondary College with Coomoora Secondary College . 0 +"In 1989 he won posthumously the "" Personal Outstanding Contribution to the Radio "" of Broadcasting Press Guild ." In 1989 he posthumously won the Personal Outstanding Contribution to Radio award from the Broadcasting Press Guild . 1 +The Canadian Red Cross also has long-term development programs in the regions of Asia , the Americas , Africa , and the Middle East and North Africa . The Canadian Red Cross also has long-term development programs in the regions of Asia , the America , the Africa , and the Middle East and the North Africa . 1 +Between 2001 and 2005 , BodyMedia provided healthcare professionals with behavioral assessment and metabolic therapy products for the treatment of obesity , diabetes , and CVD . Between 2001 and 2005 , BodyMedia provided healthcare professionals with behavioral assessment and metabolism - treatment products for the treatment of obesity , diabetes , and CVD . 1 +The long tunnel runs from a warehouse near the Tijuana airport to a warehouse in San Diego . The long tunnel runs from a warehouse near San Diego airport to a warehouse in Tijuana . 0 +Here is an example in Smalltalk , of a typical accessor method to return the value of a variable using lazy initialization . Here is an example in Smalltalk for a typical accessor method to return the value of a variable using delayed initialization . 0 +"The outer brick wall , original gates and entrances were retained and the name remains "" Crump Stadium . """ "The outer brick wall , original gates and entrances were preserved and the name remains "" Crump Stadium ." 1 +Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a professional racing cyclist , brother of another former Belgian bicycle professional , Bert Scheirlinckx . Staf Scheirlinckx ( born 12 March , 1979 , in Herzele ) is a professional road bicycle racer , the brother of another Belgian former professional cyclist , Bert Scheirlinckx . 1 +A 2001 Broadway revival was directed by Joe Mantello and starred Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . A 2001 Broadway - Revival was led by Joe Mantello and played Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . 0 +The first thing you learn in racing is to complete a race , first you have to win . The first thing in racing that you learn is to win a race , first you have to finish . 0 +On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on 7 February 1918 the 12th Field - Artillerie - Brigade . Lloyd took over the command of the 12th Feldartillerie - Brigade on November 28 , 1917 and then the 6th Field - Artillery - Brigade on February 7 , 1918 . 0 +The station is located next to the Kintetsu Nagoya Line , the terminal of Nagoya Railroad , and the Kintetsu Nagoya Station , the Meitetsu Nagoya Station terminal . The station is adjacent to Meitetsu Nagoya Station , the terminal of the Nagoya Railroad , and Kintetsu Nagoya Station , the terminal of the Kintetsu Nagoya Line . 0 +The A cells produce glucagon , which mobilizes the hepatic glycogen , and the enterochromaffin cells produce serotonin , which stimulates the contraction of the smooth muscles . The A cells produce Glucagon , which mobilises hepatic glycogen , and the enterochromaffin cells produce serotonin , which stimulates the contraction of smooth muscles . 1 +Bhati is a census in South District in the state of Delhi , India . Bhati is a census town in Delhi district in the state of South , India . 0 +These names were chosen to correspond to their rough equivalents in the international chess , not as literal translations of Japanese names . These names were chosen to correspond to their international counterparts in the rough chess and not as literal translations of Japanese names . 0 +In 1828 , Yeoman 's Laetitia Snyder of Albany married , with whom he had two daughters and three sons . In 1828 , Layitia Snyder married Yeomans of Albany , with whom he had two daughters and three sons . 0 +The trophy was designed by Montse Ribé and is inspired by the chimneys of Antoni Gaudi 's la Pedrera . The trophy was designed by Montse Ribé and inspired by the fireplaces of Antoni Gaudi 's la Pedrera . 1 +Chloe Wang was born in Chicago , Illinois , Chloe Bennet , the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internal . Chloe Wang was born Chloe Bennet in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker and Stephanie Crane , an internist . 1 +Kaliabor is part of Bokakhat ( Lok Sabha constituency ) . Kaliabor is part of Bokakhat ( constituency of Lok Sabha ) . 1 +2 . Andrea and Carter become immediately declared elected . Carter 's surplus is transferred so that the tallies are : 2 . Andrea and Carter are immediately declared elected , Carter 's surplus is transferred so that the accounts : 1 +It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between the Christian Kingdom and the Muslim states along the coastal regions . It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between Muslim kingdom and the Christian states along the coastal regions . 0 +In 1981 , Freleng and DePatie sold DFE Films to Marvel Comics , and Freleng returned to Warner Bros . In 1981 , Freleng and DePatie sold DFE movies to Marvel Comics and Freleng returned to Warner Bros . 1 +The government of Punjab , a federal government in the provincial structure of Pakistan , is located in Lahore , the capital of the province of Punjab . The Government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of the Punjab Province . 0 +Most important energy parts are located in the negligible losses , the two others are thermal and kinetic . The most important energy parts are in thermal and kinetic losses , the other two are negligible . 0 +Thomas Fothergill D.D . was an English academic administrator at the University of Oxford . Thomas Fothergill D.D . was an English academic administrator at the University of Oxford . 1 +Bridges at this location are the only crossing of the Taunton River between the Veterans Memorial Bridge in the River case and the Weir Street Bridge in Taunton . Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Fall River and the Weir Street Bridge in Taunton . 1 +Here is an example in Smalltalk of a typical access method to return the value of a variable using Lazy Initialization . Here is an example in Smalltalk of a lazy access method to return the value of a variable using the typical initialization . 0 +Cowie began producing music after he stopped buying drugs as an alternative to making money . Cowie began producing music after he stopped dealing drugs as an alternative to making money . 1 +The Potiscum - Emirate was organized by the Ngizim people who had subjugated the Karakare people . The Potiscum - Emirate was subjugated by the Ngizim - people who had organized the Karakare people . 0 +On August 20 , 2012 , the video hosting service was ultimately shut down and the remaining Google Video content was automatically moved to YouTube . On August 20 , 2012 , the video hosting service was finished and the remaining Google Video content was automatically moved to YouTube . 1 +Two of Joest 's apprentices were Barthel Bruyn ( his brother ) , and Joos van Cleve . Two of Joest 's apprentices were Joos van Cleve ( his brother ) , and Barthel Bruyn . 0 +Juan Carlos Ferrero won against Guillermo Cañas in the last 7-6 , 6-2 . Guillermo Cañas won against Juan Carlos Ferrero with 7 : 6 , 6 : 2 in the final . 0 +Beaverton is a community in Brock Township in the Regional Municipality of Durham , Ontario , Canada . Brock Township is a municipality in Beaverton , Regional Community of Durham , Ontario , Canada . 0 +They did not hesitate to send members of their respective professions to the various congresses held in Bessarabia throughout the year 1917 , and they became extremely influential . They did not hesitate to send members of the various professions to the respective congresses held in Bessarabia throughout 1917 , and became very influential . 0 +Startforth Rural District was a rural district in the North Riding of the historic county of Yorkshire in the Pennines north of England . Startforth Rural District was a rural district in the North Riding of the historic county of Yorkshire in the Pennines of northern England . 1 +Querétaro is a municipality in the municipality of Pinal de Amoles in Central Mexico . Querétaro is a municipality in Pinal de Amoles Municipality in central Mexico . 1 +In the episode of Impact Waltman , Hall and Nash Team 3D and Jesse Neal defeated in a street fight . On the April 12 episode of Impact , Waltman , Hall and Nash defeated Team 3D and Jesse Neal in a Street Fight . 1 +He died on August 18 , 1861 , in Fort Edward and was buried at the Union Cemetery in Sandy Hill . He died in Sandy Hill on 18 August 1861 and was buried at the Union Cemetery in Fort Edward . 0 +The Nelson River flows from Playgreen Lake into Cross Lake and then flows from two channels to Lake Winnipeg . The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows from two channels into Cross Lake . 0 +After leaving Wingfield Manor , Mary was taken to Sheffield in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . After leaving Sheffield , Mary was transferred from her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . 0 +A quantum fluid refers to each system that shows quantum mechanical effects at the macroscopic level , such as superfluids , superconductors , ultracold atoms , etc . A quantum mechanical fluid refers to any system that shows macroscopic effects at the quantum level , such as superfluids , superconductors , ultracold atoms , etc . 0 +In 1841 , the Great Western Railway reached Brunel from London Bristol . Brunel 's Great Western Railway from London reached Bristol in 1841 . 0 +The OCMA supports the Western Marmarica Coastal Survey ( WMCS ) to investigate the engagement of the eastern landscape with the coastal trade in Roman and Byzantine Libya . The OCMA supports the Western Marmarica Coastal Survey ( WMCS ) to investigate the engagement of the eastern countryside with coastal trade in Roman and Byzantine Libya . 1 +"On 18 November 2010 Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." "On November 18th , 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project with the label ." 0 +At an auction , Mr Cave gave the highest bid for Mr Payne 's goods . Mr Payne has made the highest bid for Mr Cave 's goods at an auction . 0 +Cao Ren 's army initially experienced a great success and destroyed all Zhu Huan 's armies in the field . Cao Ren 's army experienced great success initially and destroyed all of Zhu Huan 's armies in the field . 1 +Mabanda is a city near the southernmost tip of Burundi , close to the border with Tanzania . Mabanda is a city located close to the southern tip of Burundi , near the border with Tanzania . 1 +Although neither Chandidas nor Maladhar Basu Vaishnavas were , they should lay the foundation for much of the following Vaishnava poetry in Bengal . Although neither Maladhar Basu nor Chandidas were Vaishnavas , they were to lay the foundation for much of the following Vaishnava poetry in Bengal . 0 +In both the stage and film version of Hedwig and the Angry Inch , the character of Hedwig moves to Junction City after leaving East Germany . In both the stage and the film versions of Hedwig and The Angry Inch , the figure of Hedwig moves to East Germany after leaving Junction City . 0 +Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems and opposed the invasion of Kuwait by Iraq . Both Iran and Saudi Arabia rejected the use of force as a solution to regional problems , rejecting the invasion of Kuwait by Iraq . 0 +Lucas married the writer Ralph Peterson in 1946 and their son , Joel Patterson ( 1957 -- 2017 ) , became a cinematographer . In 1946 , Ralph Peterson married the writer Joel Patterson and her son Lucas ( 1957 -- 2017 ) became a cinematographer . 0 +When Warren L. Wheaton donated his farmland to the college later that year , Blanchard renamed the school after him and it became known as Wheaton College . Later that year , when Blanchard donated his farmland to the college , Warren L. Wheaton named the school after him and was known as Wheaton College . 0 +If the immigration official had known that asylum was intended on arrival , he would not have granted entry as a visitor . If , on arrival , the immigration official had intended that asylum was known , he would not have granted entry as a visitor . 0 +Turkey is a single system , not a federal one , and the provinces are subordinated to the centre . Turkey is a federal not a unitary system , and the provinces are subordinated to the centre . 0 +Hana Mandlíková defeated Manuela Maleeva 6 -- 4 , 6 -- 2 Hana Mandlíková defeated Manuela Maleeva 6 -- 4 - - 2 1 +The outer narrator meets his old friend Grover with Sterling , Colorado , and asks about the murdered agent at Rodgers Station . The outer narrator meets with his old friend Grover by Sterling , Colorado , and asks about the murdered agent at Rodgers station . 1 +The majority of modern Coatham is a Victorian housing , mostly built at its northern tip by the Coatham Hotel in 1860 . The majority of modern Coatham is Victorian housing , most notably at its northern tip by the Coatham Hotel built in 1860 . 1 +The Entente Cordiale of 1904 changed the diplomatic and military landscape , which was reflected in fictional writings . The Entente Cordiale of 1904 changed the diplomatic and military landscape , which reflected in fictional writings . 1 +By changing the number of protons , double electron capture transforms the nuclide into a new element . By changing the number of protons , the double electron capture system transforms the nuclide into a new element . 1 +He was a federal judge in Mexico , and a respected lawyer in Mexico City . He was a federal judge in Mexico - city and respected lawyer in Mexico . 0 +In 2007 , he continued as Toyota test driver and also drove for GP2 - Team Trident Racing . In 2007 he continued as a Toyota test driver and also drove for GP2 team Trident Racing . 1 +Since 2008 , Hoyer toured Canada on several occasions , including twice with Michael Rault , once with Sean Nicholas Savage and once with The Joe . Since 2008 , Hoyer has toured Canada on several occasions , once with Sean Nicholas Savage , once with Michael Rault and twice with The Joe . 0 +The buildings were drawn in 1937 , but were only built for André Jaoul and his son Michel post-war period . The buildings were built in 1937 but were only drawn postwar for André Jaoul and his son Michel . 0 +A second production facility was opened in 1973 in Kumasi , Ghana , and a third opening in Pilsting in December 1974 in order to support a large contract . A second manufacturing facility opened in Pilsting in 1973 , and a third opening in Kumasi , Ghana , in December 1974 to support a large order . 0 +In February 2007 , Barbara Fischinger performed on the original Lumigraph in Amsterdam , and in 2012 in Frankfurt . In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Frankfurt and in Amsterdam in 2012 . 0 +This room is built with a barometer and a presented-in scale . In this room a barometer and a built-in scale are represented . 0 +Yu resides in Olympia and Seattle . Yu resides in Olympia and in Seattle . 1 +The first vector locates the direction of the axis and the second vector identifies its position . The first vector locates the direction of the axis , and the second identifies its position . 1 +It also inhibits the central , if not peripheral , secretion of oxytocin and vasopressin in rats . It also inhibits the central , though not peripheral secretion of oxytocin and vasopressin in rats . 1 +According to the United States Census Bureau , the community has a total area of which land and , or 24.17 % , is water . According to the United States Census Bureau , the township has a total area of , of which is land and , or 24.17 % , is water . 1 +Cyril feels bad about hurting Khan , but Ryan tells him that it was necessary to survive inside Oz . Cyril feels bad about hurting Ryan , but Khan tells him that it was necessary to survive in Oz . 0 +It is located in the hills between Koonung Creek and the Mullum Mullum Creek . It is located in the hills between the Mullum Creek and the Koonung Creek . 1 +The Chinese language has Daoist keywords for several meditation practices , some of which are difficult to translate accurately into English . The Chinese language has several keywords for Daoist meditation practices , some of which are difficult to translate into English . 0 +Wing commander PS Nara was injured in misadventure , while wing commander SV Munje was killed . Wing Commander PS Nara was injured in the mishap , while Wing Commander SV Munje was killed . 1 +Most of the series produced by CBS films or distributed by Paramount Television before 1976 were later distributed by Viacom and CBS . Most of the series produced by CBS or distributed by CBS films before 1976 were later distributed by Viacom and Paramount Television . 0 +"The term "" non-hereditary spherocytosis "" is occasionally used , albeit rarely ." "The term "" non-hereditary spherocytosis is rarely , albeit occasionally , used ." 0 +RJD won 206 seats while NDA won 22 seats . The RJD won 206 seats , while the NDA 22 won seats . 1 +Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby , the family went to Birmingham in 1783 . Born in 1783 in Birmingham , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Sheffield . 0 +"In the specific case of disubstituted alkenes , where the two carbons have one substituent each , the "" cis "" -- "" trans "" -- notation can be used ." "In the specific case of disubstituted alkenes where the two carbons have one substituent each , "" cis "" -- "" trans "" notation may be used ." 1 +With these and other men he continued in the following five years to complete the harrying of the north and conduct the Norman conquest of England . With these and other men he went on in the five succeeding years to complete the Harrying of the North and conduct the Norman conquest of England . 1 +The ditch was cut from rock and about 5 m wide and 4 to 5 m deep . The ditch was cut out of rock and about 5 m deep and 4 to 5 m wide . 0 +Argento ( born Aria Maria Vittoria Rossa Argento ; September 20 , 1975 ) is an Italian actress , singer , model , activist and director . Maria Vittoria Rossa Argento ( ; born Aria Asia Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . 1 +He was assigned in 1866 to the Portsmouth Navy Yard , then in 1868 to the Pensacola Navy Yard . It was assigned to the Pensacola Navy Yard in 1866 , and then to the Portsmouth Navy Yard in 1868 . 0 +The Romance language currently spoken in Galicia is closely related to the Portuguese language used mainly in Brazil and Portugal . The Romanesque language , Galician ( Galego ) , which is currently used in Galicia , is closely related to the Portuguese language , mainly spoken in Brazil and Portugal . 1 +Dora Lee McClain was born in Montgomery , Alabama , as the daughter of a single mother Boyd . Boyd was born in Montgomery , Alabama , the daughter of single mother Dora Lee McClain . 0 +Juan Carlos Ferrero won against Guillermo Cañas in the last 7-6 , 6-2 . Juan Carlos Ferrero won in the final 7-6 , 6-2 , against Guillermo Cañas . 1 +He was also elected Fellow of the Royal Society in 1749 , and in 1754 as Fellow of the Royal College of Physicians , London . He was also elected Fellow of the Royal Society in 1749 and the Fellow of the Royal College of Physicians , London in 1754 . 0 +"It was released on February 19th , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" on Checkbook Records ." 0 +Further editions of the book were published by Cressey and Sutherland as co-authors after the death of D. F. Luckenbill in 1950 . Further editions of the book were published after D. F. Luckenbill 's death in 1950 by Cressey and Sutherland as co-authors . 1 +The Viennese ice revue toured through most European countries , including Germany , Italy , the Netherlands , Switzerland , Hungary , Czechoslovakia , Belgium , France and Spain . The Viennese ice revue toured most European countries , including Switzerland , Hungary , Czechoslovakia , Belgium , the Netherlands , Germany , Italy , France and Spain . 1 +He serves as the president of the New York Stock Exchange , including the NYSE Group . He serves as President of the New York Stock Exchange , including the NYSE Group . 1 +An optical waveguide is a physical structure that guides electromagnetic waves in the optical spectrum . Common types of optical waveguides include optical fiber and rectangular waveguides . An optical waveguide is a rectangular structure that guides electromagnetic waves in the physical spectrum . Ordinary types of optical waveguides include optical fibres and optical waveguides . 0 +Homer Township was established in 1837 by a department of Albion Township . Homer Township was established by a division of Albion Township in 1837 . 1 +He frequently observed ballet performances at the Paris Opera and often attended classes at the dance school . He frequently observed ballet performances at the Paris Opera and often attended lessons at the dance school . 1 +The Minis River or Columbu River is a tributary of the Golumbu River in Romania . The Golumbu River or Columbu River is a tributary of the Miniş River in Romania . 0 +Productions of the show require minimal set and a small cast of 6 actors , as well as a solo violinist who is present on stage throughout the performance . Productions of the show require minimal set and a small cast of 6 actors , as well as a solo violinist who is present on stage throughout the show . 1 +Lloyd took over the command of the 12th Field Artillery - Brigade on November 28 , 1917 and the 6th Field Artillery - Brigade on February 7 , 1918 . Lloyd took over command of the 6th Field Artillery Brigade on 28 November 1917 and then the 12th Field Artillery Brigade on 7 February 1918 . 0 +The electoral district was created in 1966 from parts of Hastings South , Hastings -- Frontenac , Northumberland , and Prince Edward -- Lennox ridings . The district was created in 1966 from parts of Hastings South , Hastings -- Frontenac , Northumberland and Prince Edward -- Lennox Ridings . 1 +The 1980 -- 81 Toronto Maple Leafs season was the Toronto Maple Leafs 64th season of the franchise , 54th season as the Maple Leafs . The season 1980 -- 81 Toronto Maple Leafs was the Toronto Maple Leafs 64th season of the franchise , the 54th season as the Maple Leafs . 1 +"In spherical coordinates , the Hamilton operator can be written of a free particle moving in a conservative potential "" U "" ." "In conservative potential coordinates the Hamiltonian of a free particle moving in a spherical "" U "" can be written" 0 +Pedro Juan Caballero ( born June 16 , 1981 in Derlis Aníbal Cardozo ) is a Paraguayan football defender . Pedro Juan Caballero ( born 16 June 1981 , in Derlis Aníbal Cardozo ) is a Paraguayan football defender . 1 +In 2012 , the airline carried 57,500 passengers per month to 15 international destinations and 90,000 passengers on domestic flights ( around 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 domestic targets and 90,000 passengers on international routes ( around 1.77 million passengers per year ) . 0 +Caspar David Friedrich was born on 5 September 1774 , in Germany , on the Baltic coast of Greifswald , Swedish Pomerania . Caspar David Friedrich was born on 5 September 1774 in Greifswald , Pomerania , Sweden , on the Baltic coast of Germany . 0 +She was married to Edmund Ashfield and Richard Glanville after his death . She married Richard Glanville and after his death , Edmund Ashfield . 0 +Another Georgian Partisan of Soviet origin , David Tatuashvili , described the funeral as follows : David Tatuashvili , another Soviet partisan of Georgian origin , described the funeral as follows : 0 +The average net content of a Croatian worker was 5,895 HRK per month in January 2017 , while the average gross salary was 7,911 HRK per month . The average net salary of a Croatian worker in January 2017 was 5,895 HRK per month , and the average gross salary was 7,911 HRK per month . 1 +Satellite Beach is part of the Palm Bay -- Melbourne -- Titusville Metropolitan Statistical Area . Satellite Beach is part of the Metropolitan Statistical Area of Palm Bay -- Melbourne -- Melbourne -- Titusville . 1 +The secretary of the party became Hardie , while George Mitchell was the first treasurer and Cunninghame Graham was the president . Hardie became the party 's Secretary , while George Mitchell was the first Treasurer and Cunninghame Graham was the President . 1 +"On July 5 , 1946 , Ipswich "" paid off from the service of the Royal Dutch Navy and was transferred to RAN and renamed HNMLS "" Morotai "" ." """ Ipswich "" paid off from RAN service on 5 July 1946 and was transferred to the Royal Netherlands Navy and renamed HNMLS "" Morotai "" ." 0 +"Louisa Baïleche performed on the Comédie-Française stage as well as the Bergère folies in a French version of the musical "" Nine "" ." "Louisa Baïleche has performed on the Comédie-Française stage as well as the Folies Bergère , in a French version of the musical "" Nine "" ." 1 +Nationalist parties , however , together with other liberal groups , said that they would boycott the elections in July . However , nationalist parties , together with other liberal groups said they would boycott the July elections . 1 +The 19th and 20th Tibetan Freedom Concerts were held in Tokyo and Taipei , the first appearance of the Beastie Boys in Taiwan . The first Tibetan Freedom Concerts were held in Taiwan , Beastie Boys ' 19th and 20th Tokyo and Taipei appearance . 0 +This area would largely be transferred to the 5th district after the 1990 census , while most of the old 6th district became the 8th district . This area would be transmitted largely according to the 1990 census in the old 6th district , while most of the 5th district became the 8th district . 0 +The band is currently led by Pipe Major Gary Nimmo and Drum Sergeant Shaunna Hilder , along with support from Pipe Sergeant Gary Corkin and Pipe Corporal David Hilder . The band is currently led by Pipe Major Gary Nimmo and Drum Sergeant Shaunna Hilder , together with support of Pipe Sergeant Gary Corkin and Pipe Corporal David Hilder . 1 +Frank offered to accompany the children , because he wanted to see Aslan himself . Aslan offered to accompany the children because he wanted Frank himself to see . 0 +But the targets are not easy -- grandmother , wife of an oligarch , virgin , feminist and sectarian . But the goals are not easy -- grandmother , wife of an oligarch , virgin , feminist and sectarian . 1 +Milton J. Kramer was the architect , and Herbert J. Krapp was the original owner . The architect was Milton J. Kramer and Herbert J. Krapp was the original owners . 1 +"Rufinus ( "" floruit "" 431 -- 432 ) was a Pretorian prefect of the East , one of the most important officials of the Eastern Roman Empire ." "Rufinus ( "" floruit "" 431 -- 432 ) was an important prefect of the East , one of the most pretorian officials of the Eastern Roman Empire ." 0 +This Caladenia usually grows in open forests and is found in the southern Flinders Ranges and northern Mount Lofty Ranges . This Caladenia usually grows in open forests and is found in the northern Flinders ranges and southern Mount Lofty Ranges . 0 +They will soon encounter twins Timmy and Tommy Reston in their Ford Mustang , which were also invited by Keun 's friend to Waffle House . They also encounter twins Timmy and Tommy Reston in their Ford Mustang , who were soon invited to the Waffle House by Keun 's friend . 0 +Hannah died in March 1977 and went retired the following year . Hannah retired in March 1977 , and died the following year . 0 +He developed players like Nedko Nedev , Ivan Derventski , spas Kirov , Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damjan Georgiev . He developed players like Stefan Bogomilov , Bozhil Kolev , Stefan Yanev , Damyan Georgiev , Ivan Derventski , Spas Kirov , Nedko Nedev . 1 +It provides cross-platform software development tools and embedded components for parallel , data-intensive , and other HPC ( High Performance Computing ) applications . It provides cross-platform software development tools and embedded components for parallel , data-intensive , and other high-performance computing ( HPC ) applications . 1 +There is a temperate climate on the Werderaner Wachtelberg , affected by the Atlantic climate from the north and west and a continental climate from the east . There is a continental climate on the Werderaner Wachtelberg , which is characterised from the north and west by the Atlantic climate and from the east by a temperate climate . 0 +Phasael and Antipater began their careers under their father Herod , who was appointed Judea Procurator of the Roman Republic by Julius Caesar . Both Phasael and Herod began their careers under their father , Antipater , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . 0 +The diocese of Southern Leyte includes the whole province of Maasin , including six municipalities southwest of Leyte . The diocese of Southern Leyte comprises the whole province of Maasin including six municipalities southwest of Leyte . 1 +Since 2003 , Heather Weaver has been head of the group and since 2017 Sharon Northe has been President of the Group . Sharon Northe has been Head of the Group since 2003 , and since 2017 Heather Weaver has been President . 0 +"As announcer Clark Kellogg noted , "" Victor Oladipo is like a baby 's bottom , smooth and sometimes ..." "As announcer Clark Kellogg noted : "" Victor Oladipo is like a baby bottom , smooth and sometimes ..." 1 +Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist , known for his early involvement in the American beat movement . Joffre Stewart ( born 1925 ) is an American poet , poet , anarchist , and pacifist known for his early participation in the Beat movement . 0 +"Published in France in September 2003 , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland and Japan ." "Released in September 2003 in Belgium , "" Sharko III "" was later released in France , the Netherlands , Switzerland , and Japan ." 0 +Peoria County is part of the Peoria , IL Metropolitan Statistical Area . Peoria County is a part of the Metropolitan Statistical Area of Peoria , IL . 1 +The Piatra Caprei River is a tributary of the Sâmbăta River in Romania . The River Piatra Caprei is a tributary of the Sâmbăta river in Romania . 1 +In biology , biological specificity is the tendency of a characteristic such as a behavior or a biochemical variation to occur in a particular species . In biology , biological specificity is the tendency of a characteristic , such as behavior or biochemical variation , to occur in a particular way . 1 +Shensari is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Shensari is a village in the Dahanu district of Maharashtra , India . It is located in Palghar Taluka . 0 +His nephews include actors Ranbir Kapoor and Armaan Jain , and businessman Nikhil Nanda . His nephews include the actors Nikhil Nanda and Armaan Jain and businessman Ranbir Kapoor . 0 +A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September another tour followed in Switzerland . A market was perceived for future tours and destinations . Scandinavia was in April 1975 and there followed another tour to Switzerland in September . 1 +It passes through Narsapur ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Gudivada to Pamarru on NH 65 . It comes through Narsapur ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Gudivada to Pamarru on the NH 65 . 1 +Currently she is working on a critical anthology of neo-Latin texts . Currently she is working on a NeoLatin anthology of critical texts . 0 +Winner - Effects were shown when established dominant chicks were placed in a study by Drummond against inexperienced chicks . Winner effects were shown when established dominant chicks were placed against non-experienced chicks in a study by Drummond . 1 +The Much Wenlock Kalkstein - formation is a series of silurian limestone beds that date back to the Homerian age , the early part of the Wenlock - Epoch . The Much Wenlock Limestone Formation is a series of Homerian limestone beds that date back to the Wenlock age , the early part of the Silurian epoch . 0 +His son John James was a prominent architect active in Winnipeg and his son George was also an architect active in Montreal . His son John James was a prominent architect who was active in Winnipeg , and his son George was also an architect in Montreal . 1 +Crash Landed was released in Japan as the second single in July 2009 and the third single in Korea in April 2010 . Crash Landed was published in Japan in July 2009 as the second single and in April 2010 as the third single in Korea . 1 +Thomas was challenged in the Democratic primary by A.S. Mike Monroney in 1950 . was challenged by A.S. Mike Monroney in the Democratic Primary in 1950 . 0 +The Urdaneta - Philippines Temple will be the third LDS temple in the Philippines , after the temples of Cebu City ( 1984 ) and Manila ( 2010 ) . The Urdaneta Philippines Temple will be the third LDS temple built in the Philippines , following the Cebu City ( 1984 ) and Manila ( 2010 ) temples . 1 +"She was the founder of the Inner Healing Movement and became author of "" The Healing Light "" ." "She became the founder of the Inner Healing Movement and was the author of "" Healing Light "" ." 0 +In the above code fragment , the symbol MOS Technology and WDC - Standard - Assembler - Syntax is for a bitwise operand . In the above code fragment , the symbol is MOS Technology and WDC standard assembly language syntax for a bitwise operand . 1 +"Shayne Doyle said : "" I have invested a lot of money in sound equipment , I 've door people and sound people to pay ." Owner Shayne Doyle said , I have a lot of money invested in sound equipment , I have door people and pay people to sound . 0 +Butler County is represented in the U.S. Senate by U.S . Senators Claire McCaskill ( Democrat ) and Roy Blunt ( Republican ) . Butler County is represented in the U.S. Senate by US Senators Roy Blunt ( Democrat ) and Claire McCaskill ( Republican ) . 0 +Scenic design was created by Allen Moyer , lighting by David Van Tieghem , costumes by Michael Krass and the original music and sound design by David Lander . Scenic design was by Allen Moyer , lighting by David Van Tieghem , costumes by Michael Krass and the original music and sound design by David Lander . 1 +Among her admirers were Manuel Machado and the brothers Antonio and Jacinto Benavente . Jacinto Benavente and the brothers Antonio and Manuel Machado were among their admirers . 0 +He developed a psychogenic disorder and severe dissociative amnesia . He developed psychogenic disorder and a severe dissociative amnesia . 1 +A composite image filter is an electronic filter consisting of multiple image filter sections of two or more different types . A multi-image filter is an electronic filter consisting of composite image filter sections of two or more different types . 0 +"The "" total "" binding energy per nucleon "" would be this value divided by "" A "" ." "The "" overall binding energy per nucleon "" would be this value divided by "" A "" ." 1 +He was born in the village of Segutiet , province of Rift Valley , in the former Bomet District of Kenya . He was born in Segutiet village , Bomet District , in the former Rift Valley Province of Kenya . 0 +In this way , the Nestorian faith was established in the East under tragic signs . In this way , under Nestorian auspices , the tragic faith was established in the East . 0 +Taman Heiman was married to Chamran in 1961 , an American Muslim . Chamran was married to Tamsen Heiman , an American Muslim , in 1961 . 0 +She is expressed by Tara Platt in the Japanese anime and by Kanako Hatori in the English Dub . She is voiced by Tara Platt in the Japanese anime and by Kanako Hatori in the English dub . 1 +Kiss Country plays a mix of current and older country music , with more emphasis on modern artists . Kiss Country plays a mixture of current and older country music , with the emphasis on modern artists more . 1 +Thommessen 's list of works includes vocal works , chamber music pieces , and numerous symphonic music works . The list of works by Thommessen includes vocal works , chamber music pieces and numerous symphonic music works . 1 +Suffolk County Cricket Teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket - Club 1864 . Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk before the historic formation of Suffolk County Cricket - Club 1864 . 0 +William was deposed in 1776 by the revolutionary government of Perth Amboy , who was arrested at his home in New Jersey , in the Proprietary House , and imprisoned for a period of time . William was deposed in 1776 by the revolutionary government of New Jersey and arrested at his home in Perth Amboy at the Proprietary House and temporarily imprisoned . 0 +If a forward error correction code is used , the spectral efficiency is reduced from the unencoded modulation efficiency . If a forward error correction code is used , the spectral efficiency is reduced from the uncoded modulation efficiency figure . 1 +Following the takeover of the Nazi regime in 1936 , he was forced to retire as a citizen of Jewish faith with evangelical ancestors . Following the takeover of the Nazi regime in 1936 , he was forced to withdraw as a citizen of evangelical faith with Jewish ancestors . 0 +He took fourth place at the Olympic Games in 1984 , but he beat the gold medal winner Jeff Blatnick in the first round . He took the fourth place in 1984 Olympic Games , but he beat the gold medalist Jeff Blatnick at the first round . 1 +Tectona grandis is a hardwood tree that is native to much of South and Southeast Asia , including Myanmar . Teak , tectona grandis , is a hardwood tree native to much of South and Southeast Asia , including Myanmar . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in India ( Assam ) . Stenolechia zelosaris is a moth from the family of gelechiidae , which is found in Assam ( India ) . 1 +His son Henry II ( pre-1178 died ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King John I Lestrange . His son John I Lestrange ( died prior to 1178 ) , twice Sheriff of Shropshire , held the castles of Shrewsbury and Bridgnorth in 1174 for King Henry II . 0 +The Hunters film is a French crime - horror - thriller - film from 2011 by Chris Briant , produced by Antoine Huet , The film The Hunters is a French crime - horror - thriller - film from 2011 by Antoine Huet , produced by Chris Briant . 0 +""" Espoir "" lost her master killed and had six wounded , two of whom were seriously wounded ." """ Espoir "" lost her master wounded and killed six men , of whom two were seriously wounded ." 0 +On 25 October 1975 a traditional Hawaiian blessing complete with royal procession opened the Hale Koa Hotel . On 25 October 1975 , the Hale Koa Hotel opened with a traditional Hawaiian blessing and a royal procession . 1 +""" Mound City "" was sold on November 29 , 1865 at the auction in Tuscumbia to W. K. Adams ." """ Mound City "" was sold at auction at Tuscumbia to W. K. Adams on 29 November , 1865 ." 1 +His grandfather , Reverend Edna Graham Allan , was the first moderator of the Presbyterian General Assembly of New Zealand . In 1920 Macky married John Macky in Dunedin . His grandfather , Reverend Edna Graham Allan , was the first moderator of the Presbyterian General Assembly of New Zealand to marry John Macky in Dunedin in 1920 . 0 +The consolidated projects under the IDGC Holding 's main investment programme for 2011 are as follows : The main projects under the consolidated investment programme of IDGC Holding for 2011 are as follows : 0 +Layla was born in London as a daughter of a Brazilian mother and an Irish and Scottish father of the English ancestors . Layla was born in London as the daughter of a Brazilian mother and an English father of Irish and Scottish Ancentry . 0 +It is owned by the Nation Multimedia Group ( NMG ) . It is owned by the Nation Multimedia Group ( NMG ) . 1 +The western extension of the London congestion charge was introduced in 2007 ( and withdrawn on January 1 , 2011 ) . The Western Extension of the London congestion charge was withdrawn in 2007 ( and introduced on 1 January 2011 ) . 0 +"Nuuluk Island ( old spelling : "" Nûluk "" ) is an uninhabited island in the Qaasuitsup municipality in northwestern Greenland ." "Nuuluk Island ( old spelling : "" Nûluk "" ) is an uninhabited island in the Qaasuitsup municipality in northwest Greenland ." 1 +George M. Beebe was temporary chairman until the choice of Lester B. Faulkner as president . Lester B. Faulkner was temporary chairman until the election of George M. Beebe as president . 0 +In his memoirs , like popular historians such as Vicente Fidel López , he claims that it was exclusively a product of the liberal initiative . Saavedra claims in his memoirs , as do popular historians like Vicente Fidel López , that it was exclusively a product of the liberal initiative . 1 +Andrew Castle and Roberto Saad won in the final 6 -- 7 , 6 -- 4 , 7 - 6 against Gary Donnelly and Jim Grabb . Gary Donnelly and Jim Grabb won 6 : 7 , 6 : 4 , 7 : 6 against Andrew Castle and Roberto Saad in the final . 0 +The film is about two Californian brothers who move to Arizona and end up fighting a gang of young vampires . The film is about two Arizona brothers who move to California and end up fighting a band of young vampires . 0 +Born in Quebec City , Quebec , son of Garon Pratte and Claude Pratte . Cousin of G. Rivard , who is son of Gaston Pratte and Jeannette Verge . Born in Quebec City , Quebec , son of Garon Pratte and Claude Pratte , cousin of G. Rivard , the son of Gaston Pratte and Jeannette Verge is . 1 +Both of Emperatriz and Bernie Paz fall in love with Esther ( Alejandro Miranda ) . Both Emperatriz and Bernie Paz fall in love with Esther ( Alejandro Miranda ) . 1 +ProxmapSearch uses the proxMap array generated by a previously done ProxmapSort to find keys in the sorted array A2 in constant time . ProxmapSearch uses the proxMap array generated by a previously sorted ProxmapSort to find keys in the completed A2 array in constant time . 0 +There are two types of Hilbert R - Trees : one for dynamic databases and one for static databases . There are two types of Hilbert R-trees : one for static databases , and one for dynamic databases . 1 +Together with his wife Judith , he had 5children -- Magda Kathleen , Gart , Bridget , Julian and Anthony ( otherwise known as Trout ) Together with his wife Magda Kathleen he had 5 children -- Julian , Gart , Bridget , Judith and Anthony ( otherwise known as Trout ) . 0 +This includes public bodies and public bodies that regulate private bodies . This includes public bodies and public bodies that regulate private institutions . 1 +Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named to his honor . Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named in his honour . 1 +As a secretary of the archbishop of Split he went to Venice , and in 1503 through Zagreb to Hungary . He went to Hungary as Secretary of the Archbishop of Split , and in 1503 via Zagreb to Venice . 0 +Ammonia-based processes do not allow recovery of the pulping chemicals since ammonia or ammonium salts are oxidized to nitrogen and nitrogen oxides when burned . Ammonia-based processes do not allow recovery of the pulp - chemicals because ammonia or ammonium salts are oxidized when burned to nitrogen and nitrogen oxides . 1 +"According to the investigators , the two-year-old "" was not nearly verbal enough to provide any information ." "According to investigators , the two-year-old was "" not nearly verbal enough "" to provide any information ." 1 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became more calm and French interest in Vietnam was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene calmed in Vietnam , and French interest in Europe was revived . 0 +At that time Constantinople was the capital of the Byzantine empire and the patriarch of Constantinople was the most influential Church leader in the eastern Christian world . At that time , Constantinople was the capital of the Eastern Christian Empire and the Patriarch of Constantinople was the most influential leader of the Church in the Byzantine world . 0 +He was likely the son of the painter Girolamo Danti , also from Pesaro , who had married the sister of the painter Giovanni Antonio Pandolfi . He was probably the son of painter Girolamo Danti , also from Pesaro who married the sister of the painter Giovanni Antonio Pandolfi . 1 +Barbara Kwarc , known as Barbara Rogowska ( born June 19 , 1953 ) is a Polish comedian actress , comic and celebrity . Barbara Rogowska , known as Barbara Kwarc ( born June 19 , 1953 ) is a Polish actress , comedian and celebrity . 1 +The completion of Memphis , New Orleans and Northern Railroad in 1858 connected Mayfield with the outside world . The completion of Mayfield , New Orleans and Northern Railroad in 1858 connected Memphis to the outside world . 0 +This was more common in regional Australia and South Australia but has been in common usage in urban Australia for decades . This was more common in urban Australia , but has been common in regional Australia and southern Australia for decades . 0 +162 . Fighter Escadrille was a unit of the Polish Air Force at the start of the Second World War . The unit was attached to the Łódź Army . At the beginning of the Second World War , the Fighter Escadrille was a unit of the Łódź army , which was attached to the Polish Air Force . 0 +Ali Sarı is currently living in Konya for his university education with his two brothers , who are trained by Ekrem Boyalı . Ekrem Boyalı is currently living in Konya for his university education with his two brothers , which are trained by Ali Sarı . 0 +Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and its opponent received the other half . Notre Dame received half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent got the other half . 1 +The municipality has a dry , a cold , and a wet season . The municipality has a wet , cold and a dry season . 1 +The museum building retains its classic style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . The museum building maintains its European style of oriental modern architecture through the standing bricks on the south-eastern corner of the building and the classical image of the foyer . 0 +At the end , Princess Donald dubs Mickey , Minnie and Goofy royal musketeers . At the end , Princess Minnie entitles Mickey , Donald and Goofy Royal Musketeers . 0 +Most Arabs in France are from the Maghreb but some also come from the Mashreq areas of the Arab world . Most Arabs in France come from the Maghreb , but some are from the Mashreq regions of the Arab world . 1 +The game was released in North America on September 12 , 2008 , and in Europe on September 22 , 2008 . The game was published on 12 September 2008 in Europe and on September 22 in North America . 0 +He received official Mongolian recognition as the ruler of Burma in March 1298 . In March 1298 , he received Mongolian official recognition as the ruler of Burma . 1 +In 1945 , Blume was captured in Landsberg Prison by the Americans and brought to Salzburg . In 1945 , flower was captured by the Americans in the Landsberg prison and brought to Salzburg . 1 +In July 1659 , Sir Richard was a supporter of Sir George Booth in the abortive pro-Royalist Cheshire and Lancashire Rising . In July of 1659 , Sir George Booth was a supporter of Sir Richard in the abortive pro - Royalist Cheshire and Lancashire Rising . 0 +Children who heard that scene described by a transitive clause containing a novel verb , associated the subject of the verb with the agent . Children who heard this scene , described by a novel clause that contained a transitive verb , associated the subject of the verb with the agent . 0 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the Neolepetopsidae family , one of the families of the Marine limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Neolepetopsidae , one of the families of true limpets . 0 +Keyboarder Rusty Scott left the band at the end of 2012 to continue his musical career in a different direction , and Travis Colby is now on keyboards . Keyboardist Travis Colby left the band at the end of 2012 to continue his music career in a different direction and Rusty Scott is now on keyboards . 0 +""" Ol'Dirty Bastard "" heard the song and agreed to be part of it , to which Pras asked ." Ol ' ; Dirty Bastard heard the song and asked to be part of it , which Pras agreed to . 0 +"He had also cancelled if he had ever stayed in touch with his on-screen family after "" The Munsters "" was said , esp ." "He also had canceled , if he had ever kept in touch with his on-screen family , after "" The Munsters "" was said , esp ." 1 +For the first time since 1956 , the Eastern Conference Finals had neither the Knicks nor the Celtics involved . For the first time since 1956 , the Eastern Conference Finals had neither the Celtics nor the Knicks involved . 1 +Siskiyou National Forest is located on the U.S. Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . Siskiyou National Forest is located on U.S. Route 101 between the Pacific Ocean and the Gold Beach , north of Port Orford and south of Bandon . 1 +A back injury forced Dan Lauzon out of his bout with Rafaello Oliveira and he was replaced by Nik Lentz . A back injury forced Nik Lentz out of his battle with Rafaello Oliveira and he was replaced by Dan Lauzon . 0 +Cameron changed his mind when Horner presented the song to him . Horner changed his mind when Cameron introduced him to the song . 0 +In addition to Lawrence , the film also includes the stars Mark Curry , Tom Lister Jr. and John Witherspoon . In addition to Lawrence , the film also stars Mark Curry , Tom Lister Jr. and John Witherspoon . 1 +Originally , Frank Trigg was hired to defend his middleweight championship against Tom Watson . Frank Trigg was originally set to defend his Middleweight Championship against Tom Watson . 1 +Benjamin Jefferson Hill died on 5 January 1880 at the Old City Cemetery in McMinnville and is buried at McMinnville , Tennessee . Benjamin Jefferson Hill died January 5 , 1880 at Old City Cemetery , McMinnville and is buried in McMinnville , Tennessee . 1 +The village was founded by Pontic Greek refugees from the Of valley in Turkey , and was named after Trabzon ( Trapezounta in Greek ) . The village was founded by Pontic Greek refugees from the valley of Trabzon and named after Turkey ( Trapezounta in Greek ) . 0 +Finland , East Prussia and occupied Poland ) . occupied Finland , Prussia and Poland . 0 +The show was based on Jackson Davies 's Beachcombers character Constable John Constable . The show was based on Jackson Davies ' apos ; Beachcombers Constable John Constable character . 1 +The central part of the Nescopeck Creek watershed , south of the northernmost line of hills , including the mouth of Black Creek , is also in this range . The central part of the watershed of Nescopeck Creek , south of the northernmost hill line , including the mouth of Black Creek , is also located in this area . 1 +The boat has a PHRF racing average handicap of 183 with a low of 198 and high of 180 . The boat has an average handicap of 183 with a low of 198 and a high of 180 . 0 +"In 1654 the Irish parliament gave Oliver Cromwell a free hand to banish British "" undesirables "" ." "In 1654 , the Irish parliament , Oliver Cromwell , gave the free hand to banish the British "" undesirables ." 1 +For example , 351 W 5th Avenue is approximately west of Fifth Avenue on the south side of High Street . For example , 351 W 5th Avenue is located approximately west of High Street on the south side of Fifth Avenue . 0 +In Waynesburg , it collects a short stream , known as Little Sandy Creek . At Little Sandy Creek , it collects a short stream known as Waynesburg . 0 +"Three of these joints are genuine anatomical joints , while two physiological ( "" false "" ) joints are ." "Three of these joints are false joints while two are true anatomical ( "" physiological "" ) joints ." 0 +The transcontinental ferry ran to 42nd Street and was for a short time a part of the main Lincoln Highway . The main ferry ran to 42nd Street and was part of the transcontinental Lincoln Highway for a short time . 0 +The United States started foreign parcel services as a signatory in 1887 , but did not introduce domestic services until 1913 . The United States , as a signatory , started domestic parcel services in 1887 but did not institute foreign services until 1913 . 0 +CR 183 is assigned to Airport Road , which connects NY 17B and NY 55 to Sullivan County International Airport . Sullivan County International Airport , which connects NY 17B and NY 55 to Airport Road , is allocated CR 183 . 0 +Spišská Stará Ves ( ; ; ) is a small town and municipality in Kežmarok district in the Prešov region of northern Slovakia . Spišská Stará Ves is a small town and urban municipality in Prešov Region in the Kežmarok District of north Slovakia . 0 +Lottia persona is a species of sea snail , a true limpet , a marine gastropodemollusk in the Lottiidae family , one of the families of true limpets . Lottia persona is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 0 +Where possible , the average daily patronage is taken over from the financial calendar or from last year . Average daily patronage , where possible , is taken from the financial calendar or last year . 1 +The pterostigmata of white males are almost immature . The pterostigmata of males immature are almost white . 0 +The Stejaru or Zlatcu River is a left tributary of the river Vedea in Romania and flows near Vedea into the Tecuci River . The Tecuci River or Zlatcu River is a left tributary of the river Vedea in Romania . It discharges into the Vedea near Stejaru . 0 +J. Thomas Spriggs , born in Peterborough , England , migrated to the United States with his parents settled in Whitesboro ( New York ) in 1836 . J. Thomas Spriggs , born in Whitesboro , New York , migrated to the United States with his parents settled in Peterborough , England in 1836 . 0 +When Fletcher died in 1936 , Hill was asked to fill the vacancy until a successor could be elected . When Fletcher died in 1936 , Hill was appointed to fill the vacancy until a successor could be elected . 1 +"She was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." "It was transferred to the Royal Navy and commissioned on October 26 , 1943 as HMS "" Tattoo "" ." 1 +Jarvis Bay is a summer village in Alberta , Canada , located on the eastern shore of Jarvis Bay Provincial Park , south of Sylvan Lake . Jarvis Bay is a summer village in Alberta , Canada . It is located on the eastern shore of Jarvis Bay Provincial Park south of Sylvan Lake . 1 +Lucius Caecilius Metellus Diadematus was the second son of Roman politician and general Quintus Caecilius Metellus Macedonicus . Caellilius Metellus Diadematus was the second son of Roman politician and General Quintus Caecilius Metellus Macedonicus . 1 +Confocal ellipsoids appear in physics as equipotential surfaces : Equipotential ellipsoids appear in the physics as confocal surfaces . 0 +Herochroma perspicillata is a kind of moth of the family Geometridae It is found in Yunnan ( China ) . Herochroma perspicillata is a species of moth of the family Geometridae . It is found in China ( Yunnan ) . 1 +By a majority of 69.18 % , the Greeks decided against a parliamentary monarchy and for a constitutional republic . The Greeks decided by a 69.18 % majority against a constitutional monarchy and for a parliamentary republic . 0 +Dighton is located in the fifth Bristol State representative district , which includes the Somerset and parts of Swansea and Taunton . Dighton is located in the fifth Bristol State representative district , which includes Swansea and parts of the Somerset and Taunton regions . 0 +Busabout New South Wales is an Australian private bus company formed in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , Wagga Wagga . Busabout New South Wales is an Australian private bus company , founded in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , Wagga Wagga . 1 +Mohsin Zaidi lived in Delhi for nearly four decades before settling down in Lucknow after retirement . For almost four decades , Mohsin Zaidi lived in Lucknow before settling after retirement in Delhi . 0 +The band 's first DVD recording , filmed at the Y Theatre in Leicester in March 2010 , was released in January 2011 . The first DVD -- recording of the band , released in March 2010 at the Y Theatre in Leicester , was filmed in January 2011 . 0 +The Los Angeles County Department of Health Services operates the Torrance Health Center in Torrance , near Rolling Hills Estates and serving Harbor Gateway , Los Angeles . The Los Angeles County Health Services Department operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance , and serves Rolling Hills Estates . 0 +Later , engineers who followed Interstate 85 designed much of this route again from Petersburg , Virginia , to roughly the Georgia state border . Later , engineers who followed Interstate 85 constructed again much of this route from Petersburg , Virginia , to the border of Georgia State . 1 +When combined for joint or coalition operations , it was known as a common or employed air operations centre for coalition operations . When employed for joint or coalition operations , it was known as a joint or combined air operations center for coalition operations . 0 +Drietoma is a village and municipality in the district Trenčín in the region of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the Trenčín District in the Trenčín Region of northwestern Slovakia . 1 +Games that feature are either regularly used , occasionally used , or were retired after a while . Games that use this feature are either regularly used , occasionally used , or retired after a while . 1 +It will be convenient to write the acceleration vector as formula _ 26 and also to set It will be convenient to write and also to set the accelerator as Formula 26 . 1 +Despite the high participation rate and low unemployment , the community has a low level of poverty . The community has a low poverty rate despite the high participation rate and low unemployment . 1 +Following condition holds : Prefix of the string formula _ 22 of length formula _ 10 equals the prefix of the formula _ 24 of length formula _ 10 implies formula _ 26 . The following condition applies : Prefix of the string formula 22 of length formula 10 corresponds to the prefix of Formula 24 of length formula 10 implies Formula 26 . 1 +A new remix was created after Diddy had highlighted his intention to find a British emcee to record with him a final version of the song . A final remix was created after Diddy highlighted his intent to find a UK emcee to record a new version of the song with him . 0 +High fuel consumption led to a poor range characteristic , especially sensitive for use as a reconnaissance vehicle . High fuel consumption led to poor range characteristics , especially sensitive for use as a reconnaissance vehicle . 1 +The Berkeley edition was published in February 1985 and the second print was in June 1985 and the third was in November 1985 . The Berkeley edition was published in February 1985 , the third printing was in June 1985 , and the second printing was in November 1985 . 0 +Seon is a municipality in the canton of Aargau in the canton of Lenzburg , Switzerland . Seon is a municipality in the district of Aargau in the canton of Lenzburg in Switzerland . 0 +"The track remains one of two tracks that Brant has ever written , the other track was also from the same album , titled "" This Time Around "" ." "The track remains one of two tracks that Brant ever co-wrote , the other track was also from the same album , titled "" This Time Around "" ." 1 +Rajasthan Royals is the official clothing sponsor of Provogue in the Indian Premier League and the official clothing sponsor for all teams of the Indian Cricket League . Provogue is the official clothing sponsor of Rajasthan Royals in the Indian Premier League and the official clothing sponsor of all teams in the Indian Cricket League . 0 +Brigadier General Antoni Popiel is a bronze statue by Thaddeus Kosciuszko . General Brigadier Thaddeus Kosciuszko is a bronze sculpture by Antoni Popiel . 0 +In 1993 he graduated from the Kuban State University as a philologist and teacher of the same language , in 1995 , the Russian University as a lawyer . In 1993 he graduated from Kuban State University as a philologist and teacher of the Russian language , in 1995 the same university as a lawyer . 0 +Radu Albot won the title by defeating Jason Kubler in the final with 6 : 4 , 6 : 1 . Jason Kubler won the title by defeating Radu Albot in the final with 6 : 4 , 6 : 1 . 0 +She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Henry Albert Hartland . She married Stephen Jackson . It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson and married Henry Albert Hartland . 0 +A post office called Maple Park was established first in 1837 , and the post office was renamed Lodi in 1880 . A post office called Lodi was founded in 1837 and the post office was renamed Maple Park in 1880 . 0 +He attended Meiji University and graduated from the Kawawa High School . He attended Meiji University and graduated from Kawawa High School . 1 +By contrast , cold years are often associated with dry Pacific La Niña episodes . Dry years , by contrast , are often associated with cold Pacific La Niña episodes . 0 +Hasegawa 's research also included the political and social history of the Russian Revolution of 1917 and Soviet -- Japanese relations . Hasegawa 's research also includes the Japanese history of the Russian Revolution of 1917 and Soviet -- political and social relations . 0 +The next day , Finn Malmgren was rescued , the corpse of Mariano and Zappi were not found . The next day Mariano and Zappi were saved , the body of Finn Malmgren was not found . 0 +Martin ( Javier De Pietro ) is a young 16-year-old student who is attracted by his coach Sebastián . Martin ( Javier De Pietro ) is a 16-year-old young student who is attracted to his coach , Sebastián . 1 +"John John Ruskin called it "" the most precious Henry James in the world "" , wrote Paul Veronese in 1882 ." "John Ruskin called it "" the world 's most precious Paul Veronese "" . Henry James wrote in 1882 :" 0 +At Dagorlad , a great battle took place in which Sauron 's forces were destroyed and the Black Gate stormed . At Dagorlad , a great battle took place in which Sauron 's forces were stormed and the Black Gate destroyed . 0 +Forward Rob Blake was replaced as team captain by defenseman Patrick Marleau . Forward Rob Blake was replaced by defender Patrick Marleau as team captain . 1 +The film is written and staged by Emmy Winner , Matt Drummond and co-produced by Jason Moody and Megan Williams . The film is written and directed by Emmy Winner , Matt Drummond and co-produced by Jason Moody and Megan Williams . 1 +The New Mexico State Road 337 passes through the municipality , leading south to Tijeras and Interstate 40 and northwest to NM 55 east of Tajique . New Mexico State Road 337 passes through the community , leading northwest to Tijeras and Interstate 40 , and south to NM 55 east of Tajique . 0 +She sailed on 23 October for Gold Coast , from where she departed on 25 October for Takoradi , Monrovia , Liberia , which was reached on 28 October . She sailed to Gold Coast on 23 October , from where she left for Takoradi , Monrovia , Liberia on 25 October , which was reached on 28 October . 1 +Nyberg earned a modest sum from the photograph for the remainder of his life until his death in 1968 . Enstrom died in 2012 . For the rest of his life , Nyberg earned a modest sum from the photo until his death in 1968 . Enstrom died in 2012 . 1 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in Leicestershire , and lived in North Kilworth , South London . Ashton was born on November 30 , 1957 in the Whips Cross Hospital in the Forest Gate , London , and lived in North Kilworth , South - Leicestershire . 0 +Diseases associated with this genus include : DCV : increased reproductive potential ; extremely high when associated with pathogenic injected mortality ; CrPV : paralysis and death . Diseases associated with this genus include : DCV : increased reproduction potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . 0 +The eastern part of Chaoyang is home to a mountain that has been called Fenghuang Mountain since ancient times . The eastern part of Chaoyang is home to a mountain that has been called the Fenghuang Mountain since the ancient times . 1 +"The six episodes were written by Jonathan Harvey ( "" Gim me Gim me Gim me "" ) and directed by Gareth Carrivick ." "The six sequels were written by Jonathan Harvey ( "" Gim me Gim me Gim me "" ) and directed by Gareth Carrivick ." 1 +The Darkest Hour was founded on 23 September 1995 and initially consisted of singer Matt Maben , guitarist John Henry , bassist Mike Schleibaum and drummer Raul Mayorga . Darkest Hour was formed on September 23 , 1995 , and initially consisted of vocalist John Henry , guitarist Mike Schleibaum , bassist Raul Mayorga and drummer Matt Maben . 0 +Hosni Mubarak came to power after the murder of Sadat in a referendum in which he was the only candidate . Sadat came to power after the assassination of Hosni Mubarak in a referendum in which he was the only candidate . 0 +Only 11 days after his second in a $ 1,500 Limit Hold ' ; em Shootout Event Mueller won his first World Series of Poker bracelet and $ 194,909 . Mueller won his first World Series of Poker bracelet and $ 194,909 only 11 days after his second in a $ 1,500 Limit Hold'em Shootout event . 1 +It was the third single released by the group and it was their first release on Silvertone Records . It was the third single released by the group and their first release on Silvertone Records . 1 +It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between the Christian Kingdom and the Muslim states along the coastal regions . It was the northernmost of several Muslim states in the Horn of Africa , as a buffer between the Muslim kingdom and the Christian states along coastal regions . 0 +Former mayor Jacquelin Holzman once served as a judge , and in 2003 Ken Jennings read the first question via video . Former mayor Jacquelin Holzman once served as a judge , and in 2003 , Ken Jennings read the first question via videotape . 1 +"Natasha is described as a snooty blonde and "" gorgeous "" by the British newspaper "" The Independent "" ." "Natasha is described by British newspaper "" The Independent "" as being a snooty blonde and "" gorgeous "" ." 1 +"Rufinus ( "" floruit "" 431 -- 432 ) was a praetorian prefect of the East , one of the most important officials of the Eastern Roman Empire ." "Rufinus ( "" floruit "" 431 -- 432 ) was an important prefect of the East , one of the most pretorian officials of the Eastern Roman Empire ." 0 +While prostitution in Canada is legal , most of the activities related to prostitution are illegal . While prostitution in Canada is illegal , most activities relating to prostitution are legal . 0 +Bled is a 2009 horror film written by Christopher Hutson and directed by Sxv 'leithan Essex . Bled is a 2009 horror film written by Christopher Hutson and directed by Sxv'leithan Essex . 1 +The elevation of the island has , and it is a shoreline of length . The elevation of the island has , and it is a coastline of length . 1 +Smith received the ISCB Senior Scientist Award and was elected as ISCB Fellow by the International Society for Computational Biology in 2009 . Smith was elected the ISCB Senior Scientist Award and awarded ISCB Fellow in 2009 by the International Society for Computational Biology . 0 +He was part of the Danish team , which won the silver medal in men 's gymnastics in 1920 , a Swedish system event . He was part of the Swedish team , which won the silver medal in the men 's gymnastics , Danish system event in 1920 . 0 +This strongly led him to later press the claim of India as the original home of the Hominidae . This led him strongly to later press India 's claim as the original home of the Hominidae . 1 +Kuzmice is a village and a municipality in the Košice region in the district of Trebišov in eastern Slovakia . Kuzmice is a village and municipality in the Košice Region in the Trebišov District of eastern Slovakia . 1 +In late 2017 , Brandon started garage rock band The Vitriots with sydney-based Richard Heath and Jaxon Brown . In late 2017 , Brandon founded the garage rock band The Vitriots with Sydney-based Richard Heath and Jaxon Brown . 1 +In 2012 , Weldon became a professor of creative writing at Bath Spa University , where she appointed an office with Professor Maggie Gee . In 2012 Weldon was appointed Professor of Creative Writing at Bath Spa University where she shares an office with Professor Maggie Gee . 0 +He started his practice in Omaha , Nebraska , and then moved back to Lincoln in 1912 . He started his practice in Omaha , Nebraska then moved back to Lincoln in 1912 . 1 +The company is one of the oldest still active Brazilian companies , founded in 1880 by the German brothers Bruno and Hermann Hering . The company is one of the oldest still active German companies , founded in 1880 by the Brazilian brothers Bruno and Hermann Hering . 0 +The latest letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA The first D stands for Dual Sim function . The last letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA . The first D stands for Dual Sim feature . 1 +"Mount Sis is also a plateau which was called in Turkey "" Sis Dağı Yaylası "" ." "Mount Sis also has a plateau called "" Sis Dağı Yaylası "" in Turkey ." 1 +Next year he became a starter at left guard and right tackle . The next year , he became a starter at both left guard and right tackle . 1 +Alexandra Fusai and Nathalie Tauziat won 5-7 , 6 -- 2 , 6 -- 2 against Serena Williams and Venus Williams in the final . Serena Williams and Venus Williams won 5-7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat in the final . 0 +Caspar David Friedrich was born on 5 September 1774 , in Greifswald , Swedish Pomerania , on the Baltic coast of Germany . Caspar David Friedrich was born on September 5 , 1774 in Greifswald , Sweden , Pomerania , on the Baltic coast of Germany . 1 +It connects the Helen Delich Bentley Port of Baltimore and local shipping companies , and serves with two Class I railroads : CSX Transportation and the Norfolk Southern Railway . It connects the port of Bentelore with Baltimore , Helen Delich and local shipping companies , and serves two railway lines : Class I : CSX Transportation and the Norfolk Southern Railway . 0 +Riverton was a parliamentary electorate in the Southland region of New Zealand . Riverton was a parliamentary electorate in the New Zealand region of Southland . 0 +Weslandia is a children 's book Newbery Medal winner Kevin Hawkes , with illustrations by Paul Fleischman . Weslandia is a Newbery Medal winner of the children 's book Paul Fleischman , with illustrations by Kevin Hawkes . 0 +The 8 Talukas in this district are Devgad , Kankavli , Malvan , Kudal , Sawantwadi , Vengurla and Dodamarg and Vaibhavwadi . This district 's 8 Talukas are Devgad , Kankavli , Vengurla , Kudal , Sawantwadi , Malvan and Dodamarg and Vaibhavwadi . 1 +Polokce is a village situated in the municipality of Novi Pazar in Serbia . Polokce is a village situated in Serbia municipality in Novi Pazar . 0 +Mirzá Pír Muhammad soon went to Delhi , which place he took and where he was crowned as king . Soon Mirzá Pír Muhammad took to Delhi where he went and where he was crowned as king . 0 +Henderson assumed command of Rosario , replacing William Henderson in June 1813 . "William Henderson assumed command of "" Rosario "" . replaced Henderson in June 1813 ." 0 +This is also a shearing effect : if the focal length is larger , the shearing effect is smaller . This is also a shearing effect : when the focal length is smaller , the shearing effect is larger . 0 +For three years she studied journalism in London and holds an MA in mass media at a university in New York City . She studied three years of journalism in New York City and holds an MA in mass media from a university in London . 0 +New Haven was the westernmost point of prehistoric glacial Lake Maumee which was an extension of Lake Erie . New Haven was the westernmost point of the prehistoric glacial lake Maumee , which was an extension of the Lake Erie . 1 +Other invitations followed and more sisters arrived for a hospital in Iloilo , schools in Vigan , Tuguegarao and Manila and a leprosary in Culion . Other invitations followed and more sisters arrived for a hospital in Culion , schools in Vigan , Tuguegarao and Manila and a leprosary in Iloilo . 0 +Waye played his earliest football match in Adelaide before arriving in Willunga and Renmark and joined the Port Adelaide Church Association . Waye played his earliest football in Willunga and Renmark before arriving in Adelaide and participating in the Port Adelaide Church Association . 0 +Yanqing Prison is a prison in Yanqing County in the municipality of Beijing , China . Yanqing imprisonment is a prison in Beijing in the municipality of Yanqing County , China . 0 +In the first round of the tournament , Sean Loeffler Baker defeated the Bellator 16 via TKO . In the first round of the tournament , Sean Loeffler defeated Baker via TKO at Bellator 16 . 0 +Orson Welles saw Schilling in Florida and followed him to New York . Orson Welles saw in Florida Schilling and followed him in New York . 1 +OFA - Statistics indicate that yellow and black labradors are registered in very similar numbers ( yellow slightly more than black ) , chocolate in smaller numbers . OFA statistics suggest that yellow and black Labradors are registered in very similar numbers ( black slightly more than yellow ) ; chocolate in lesser numbers . 0 +After the Muslim invasions of the seventh century , the original Christians from Azerbaijan have almost disappeared . Following the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan have nearly disappeared . 0 +At Pennsylvania ( 5-1-0 ) , Penn State ( 5-1-0 ) defeated Philadelphia , 19-7 . At Pennsylvania , ( 5-1-0 ) Penn State defeated ( 5-1-0 ) Philadelphia , 19-7 . 1 +The Discovery Centre visitor attraction includes the Turret house , Tudor grounds , Sheffield Manor Lodge , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The visitor attraction of Sheffield Manor Lodge includes Turret House , Tudor Premises , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 0 +Jones used Sally as an example of how adopted Indian children were not treated as equal white children . Jones used Sally as an example of how adopted Indian children were not treated as equals to white children . 1 +Antonio recently appeared in Ireland with the singer Chris De Burgh and the Special Guest Eoin Dillon and with Donovan ( Kila ) in Ireland . Recently Antonio appeared in Ireland in duo with singer Donovan and special guest Chris De Burgh , and with Eoin Dillon ( Kila ) . 0 +Other car manufacturers who have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . Other car manufacturers that have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Skoda and Volkswagen . 1 +Alicia has three sons with Alberto Cortina : Alicia , together with Alberto Cortina , has three sons : 1 +She is the current State Convenor and former Secretary of the New South Wales Labor Left faction . She is the former state convenor and current secretary of the Left New South Wales group . 0 +Cao Bao 's second wife , called in the novel only by name , was a fictional daughter of Lü Bu . The second wife of Lü Bu , who was mentioned only by name in the novel , was a fictional daughter of Cao Bao . 0 +Of the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . Among the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . 0 +The father was an influential writer between 1825 and 1828 on agricultural law and bad questions . The father was an influential writer between 1825 and 1828 on poor law and agriculture . 0 +1843 : China : Sailors and marines from the Canton were landed after a clash between Americans and Chinese at the trading post in St. Louis . 1843 : China : Sailors and Marines from St. Louis were landed at the Canton trading station after a clash between Americans and Chinese . 0 +In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the Champions International Tournament in Charlotte , USA . In 2011 , he won third place at the Parapan American Games in Charlotte , USA , and another third place at the International Champions Tournament in Guadalajara , Mexico . 0 +He followed his guru and came to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then moved to Gubbi . He followed his guru and moved to Siddaganga , where he lived for some time in one of the caves of the Siddganga hill and then came to Gubbi . 0 +In Tibetan , Amitābha , and in its reflex form is called Amitāyus , they are iconographically diverse . In Tibetan , Amitābha is called and in its reflex form as Amitāyus , . They are iconographically distinct . 1 +Classicist functionalist theory is generally united by its tendency towards social analogy and the notions of biological evolutionism . Classical functionalist theory is generally united by its tendency towards biological analogy and notions of social evolutionism . 0 +Critical Millennium is a novel published by Archaia Studios Press in 2010 , written by Daniel Dussault and illustrated by Andrew E. C. Gaska . Critical Millennium is a 2010 Graphic Novel , written by Andrew E. C. Gaska , published by Archaia Studios Press and illustrated by Daniel Dussault . 0 +Although Fresnel did not know that light waves are electromagnetic , he managed to construct the world 's first coherent theory of light . Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent light theory in the world . 0 +Part 2 was written by Yasunori Ide and directed by Manabu Nakamura . Part 2 was written by Yasunori Ide and is directed by Manabu Nakamura . 1 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola from Bogota and three grandchildren . He is survived by his children , Jason Coppola of Brooklyn and Samantha Coppola of Bogota , and three grandchildren . 0 +In 1915 , the United Kingdom introduced military conscription , a crisis meeting of the London branch of Irish volunteers was held at his home in East Dulwich to discuss conscription . In 1915 , Britain introduced conscription ; a crisis meeting of the London branch of the Irish volunteers was held at his home in east Dulwich to discuss conscription . 1 +The Wieferich base with known first prime with order 3 is 9 , where 2 is a Wieferich prime to base 9 with order 3 . The first base with known weiferich - prime number with order 3 is 9 , where 2 is a wieferich - prime number to base 9 with order 3 . 0 +The couple had two daughters , Martha Anne ( born in 1942 ) and Sara Lynn ( born in 1947 ) . The couple had two daughters , Sara Lynn ( born in 1942 ) and Martha Anne ( born 1947 ) . 0 +In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Chu united to attack Wei but suffered a defeat . In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Chu to attack Wei , however , defeat suffered . 1 +Jassie Gift is the music director and Krishna Kumar is the cameraman of the film . Jassie Gift is the music director and Krishna Kumar is the cinematographer of the film . 1 +A few months later , Tim and his girlfriend , Molly Milevic ( Lulu McClatchy ) , go out with Toadie and Genevieve Doyle ( Abby Meates ) . A few months later , Tintin and his girlfriend , Molly Milevic ( Abby Meates ) , go with Toadie and Genevieve Doyle ( Lulu McClatchy ) . 0 +KOTC : Fight to Live was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . KOTC : Fight to Live was an event held on 14 May 2011 at San Manuel Casino in San Bernardino , California . 1 +Marat Safin won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Nikolay Davydenko . Nikolay Davydenko won against Marat Safin in the finals 6 -- 4 , 5 -- 7 , 6 -- 4 . 0 +Since then a number of routes in North Worcestershire have been re-branded as Red Diamond along with new routes in competition with First Midland Red 's in Redditch . Since then , a number of routes in North Worcestershire have been renamed Red Diamond along with new routes in competition with First Midland Red in Redditch . 1 +This order is lower than the Doorkeeper ( largely obsolete now ) and higher than the Subdeacon . This order is lower than the Doorkeeper ( now largely obsolete ) and higher than the subdeacon . 1 +Professor Gilbert was survived by his wife , Fiona , whom he married in 1967 , and their daughters , Michelle and Ingrid . Professor Gilbert was survived by his wife Fiona , whom he married in 1967 , and whose daughters Michelle and Ingrid survived . 1 +"It is a village in the Berasia district of Madhya Pradesh , India It is located in Bhopal "" tehsil "" ." "Khukaria is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia "" tehsil "" ." 0 +"Coins were described using only three adjectives : "" fine "" , "" good "" , or "" immovable "" ." "Coins were described using only three adjectives : "" fine , "" good "" or "" uncirculated "" ." 1 +In bioinformatics , inverted indexes are very important in the sequence assembly of short fragments of sequenced DNA . In bioinformatics , inverted indices in the sequence assembly of short fragments of sequenced DNA are very important . 1 +As Brahmins , the Ojhas are ritual leaders , teachers , and members of the highest spiritual rank in the varna system of Hinduism . The Ojhas are spiritual guides , teachers and members of the highest ritual rank in the varna system of Hinduism as brahmans . 0 +Hickman County is part of the Nashville Metropolitan Statistical Area - Davidson - Murfreesboro - Franklin , TN . Murfreesboro is a part of the TN Metropolitan Statistical Area -- Davidson - Hickman County -- Franklin , Nashville . 0 +In the , John W. Hulbert ( F ) resigned on 24 February 1814 and was replaced in a special election by Daniel Dewey ( F ) . In Daniel Dewey ( F ) resigned February 24 , 1814 , and was replaced by a special election of John W. Hulbert ( F ) . 0 +The fate of the German prisoners of war in the Soviet Union was scarcely any better , with more than half a million died in terrible conditions in the Soviet camps . The fate of the Soviet prisoners of war in the Soviet Union was little better , with more than half a million died in terrible conditions in the German camps . 0 +Skapetis had trials at several clubs including Sheffield United , Cardiff City and Derby County late in 2016 . Late in 2016 , Skapetis had attempts at several clubs , including Derby County , Cardiff City , and Sheffield United . 1 +When it was printed commercially , illustrations by J. Augustus Knapp were added . If it was commercially added , illustrations were printed by J. Augustus Knapp . 0 +Yesss was sold to Mobilkom Austria following the sale of Orange to Hutchison Whampoa . Following the sale of Orange to Mobilkom Austria , Yesss was sold off to Hutchison Whampoa . 1 +In 1908 , Jolley died and the newspaper was bought by Galen Seaman . Galen Seemann died in 1908 and the newspaper was bought by Jolley . 0 +From there , through a minimally developed series of swamps and ponds , it flows south into the valley , but to the south further west . From there it flows south into the valley through a minimally developed series of swamps and ponds , downward but trending further to the west . 0 +Although fiddling has changed considerably since that time in Scotland , it is widely believed that the tradition of Scottish fiddle music in Cape Breton has been better preserved . Although fiddling has changed considerably since that time in Cape Breton , it is widely believed that the tradition of Scottish Fiddle music in Scotland has been better preserved . 0 +Cold Mountain is located about southeast of Asheville and south of Waynesville . Cold Mountain is about southeast of Asheville and south of Waynesville . 1 +Barbara Rogowska , known as Barbara Kwarc ( born June 19 , 1953 ) is a Polish actress , comedian and celebrity . Barbara Rogowska , known as Barbara Kwarc ( born June 19 , 1953 ) is a Polish comedian actress , comic and celebrity . 1 +James Harrison Cravens ( August 2 , 1802 -- December 4 , 1876 ) was a U.S. Representative from Indiana , second cousin of James Addison Cravens . James Addison Cravens ( August 2 , 1802 - December 4 , 1876 ) was a US representative from Indiana , second cousin of James Harrison Cravens . 0 +The unique art & style of this idol is structural and it is in perfect proportion . The unique style of this idol is structural and is in perfect proportion . 1 +"In 2014-15 , Shapiro appeared in the role of the eccentric neighbor of Marc Maron , Bernie , in the IFC - Comedy - Series "" Maron "" ." "In 2014-15 , Shapiro appeared in the role of the eccentric neighbor Maron , Marc Maron , in the IFC - Comedy - Series "" Bernie "" ." 0 +At the European Championships in 2004 , Bessonova won the silver medal in 2004 . In 2004 , Bessonova won the all-around silver medal at the 2004 European Championships . 1 +"It was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" , in which Mariko Wolverine 's primary romantic interest , girlfriend and lover is ." "She was portrayed by Mariko in the 2013 film "" The Wolverine "" , in which Tao Okamoto Wolverines is primary romantic interest , girlfriend and lover ." 0 +He was born in Athens , Greece , and grew up in New York City , and then North Grafton , Massachusetts . Born in New York City , he grew up in Athens , Greece , and then in North Grafton , Massachusetts . 0 +As a result , Sumitada sponsored the port of Nagasaki to the Portuguese in 1570 and inaugurated its development . As a result , in 1570 , Sumitada sponsored the port of Nagasaki to the Portuguese and opened its development . 1 +The Swiss Federal Assembly and the Swiss Federal Council have recommended that the initiative be rejected . The Swiss Federal Council and the Swiss Federal Assembly have recommended that the initiative be rejected . 1 +Microsoft developed an OBA application , in cooperation with SAP , that is called Duet . In cooperation with SAP , Microsoft developed an OBA application called Duet . 1 +The Mija Mică River is a tributary of the Jieţ in Romania . The Mija Mică River is a tributary of the River Jieţ in Romania . 1 +In July 2013 , Lone Star sold comics three of their five remaining stores in Plano , Hurst and Mesquite . In July 2013 , Lone Star comics sold three of their five remaining stores in Mesquite , Hurst and Plano . 1 +Caroline Amelia married John Braithwaite or possibly Caroline ( 1803-1878 ) and they together had at least 10 children ( 6 sons and 4 daughters ) . John Braithwaite married Caroline or possibly Caroline Amelia ( 1803-1878 ) and together they had at least 10 children ( 6 sons and 4 daughters ) : 0 +The bell tower was started in the 13th or 14th century and completed in 1500 . The bell tower was started in the 13th or 14th century and completed in about 1500 . 1 +The season 1980 -- 81 Toronto Maple Leafs was the Toronto Maple Leafs 64th season of the franchise , the 54th season as the Maple Leafs . The 1980 - 81 Toronto Maple Leafs season was the Toronto Maple Leafs 54th season of the franchise , 64th season as the Maple Leafs . 0 +Lake County has two county museums , Lake County Museum in Lower Lake and the Lower Lake Historical Schoolhouse Museum in Lakeport . Lake County has two county museums , the Lake County Museum in Lower Lake and the Lower Lake Historical Schoolhouse Museum in Lakeport . 1 +The two secondary schools , Heatherhill Secondary College , Springvale Secondary College and Chandler Secondary College , have been merged to Keysborough Secondary College with Coomoora Secondary College . The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College have been merged with Springvale Secondary College and Chandler Secondary College into Keysborough Secondary College . 0 +The Vesicular Monoamine Transporter ( VMAT ) is a transport protein that is integrated into the membrane of synaptic vesicles of presynaptic neurons . The pre-synaptic monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of vesicular neurons . 0 +The Nordiques signed the Free Agent Tony Currie from Edmonton Oilers while they lost Blake Wesley , who signed with the Toronto Maple Leafs . The Nordiques signed free agent Tony Currie from the Toronto Maple Leafs , while they lost Blake Wesley , who signed with the Edmonton Oilers . 0 +It is possible that the weak but terribly courageous prisoners have just enough in them to resist . It is possible that the weak , yet terribly courageous prisoners have just enough left in them to resist . 1 +He is the brother of Hashim Khan and Azam Khan , second cousin of Roshan Khan and uncle of Jahangir Khan and Torsam Khan . He is the brother of Roshan Khan , second cousin of Hashim Khan and Azam Khan , and the uncle of Jahangir Khan and Torsam Khan . 0 +12242 Amritsar Chandigarh Superfast Express leaves Amritsar Junction daily at 05 : 15 IST and reaches Chandigarh at 09 : 10 IST on the same day . 12242 Amritsar Chandigarh Superfast Express reaches Amritsar Junction on a daily basis at 05 : 15 hrs IST and leaves Chandigarh at 09 : 10 hrs IST the same day . 0 +Seb Janiak is the French photographer and video director of Polish origin . Seb Janiak is a Polish photographer and video director of French origin . 0 +The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and the Bandini Station Post Office at 5555 Bandini Boulevard . The United States Postal Service operates the Bell Post Office in 6327 Otis Avenue and the Bandini Station Post Office in 5555 Bandini Boulevard . 1 +Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature artist . Clara Louise Bell ( known as Clara Louise Janowsky ) ( 1886 - 1978 ) was an American miniature painter . 1 +"She played Ellie Morgan in the BBC One - Drama - Miniseries "" Moving On "" entitled "" Drowning Not Waving "" , which was aired in May 2009 ." "She played Ellie Morgan in a BBC One drama miniseries , "" Moving On "" , entitled "" Waving Not Drowning "" , which was broadcast in May 2009 ." 0 +The Waitaki River district , in the Canterbury and Otago regions of New Zealand , straddles the traditional border between the two regions , the Waitaki . The Waitaki River district in the regions of Canterbury and Otago in New Zealand spans the traditional border between the two regions , the Waitaki . 1 +"5th "" Meet the People "" ( Reprise 1 ) by Lucille Ball ( sung by Gloria Grafton ) and Chorus ." "5 . "" Meet the People "" ( reprise 1 ) -Sung by Lucille Ball ( dubbed by Gloria Grafton ) and Chorus ." 0 +He also served as North Cornwall District Councillor , a Bude - Stratton Councillor , and was a Mebyon Kernow parliamentary candidate for North Cornwall . He also served as a North Cornwall District councillor , a Bude-Stratton town councillor , and was Mebyon Kernow parliamentary candidate for North Cornwall . 1 +"In 2007 , Jason appeared in the thriller "" Timber Falls "" as a Wiik ." "In 2007 , Jason appeared as Wiik in the thriller "" Timber Falls "" ." 1 +Jared Harris , the man at the camp site , played by Benmont Tench , is named after Benmont Tench , keyboardist for Tom Petty and the Heartbreakers . Benmont Tench , the man at the campsite , played by Jared Harris , is named after Benmont Tench , keyboardist with Tom Petty and the Heartbreakers . 0 +Ruth Roman , Suzan Ball and Linda Christian were among the boarders . Among the boarders were Linda Christian , Suzan Ball and Ruth Roman . 1 +In many problems , it is more convenient to work with D and the free charges than with E and the total charge . For many problems it is more convenient to work with D and the total cost than with E and the free charge . 0 +La Tempestad ( International Translation : The Storm , called by Televisa The Storm ) is a 2013 Mexican telenovela by Salvador Mejía Alejandre for Univision produced . La tempestad ( International translation : The Tempest , dubbed The Storm by Televisa ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Univision . 1 +The value of the pollution tolerance is 6 ( on the 0 - - 10 ; 0 scale the worst water quality is 10 is the best water quality ) . Pollution - tolerance value is 6 ( on scale 0 -- 10 ; 0 the best water quality , 10 is the worst water quality ) . 0 +Scanlon defeated Wally Masur 6 -- 4 , 7 -- 6 to secure the title . Bill Scanlon defeated Wally Masur 6 -- 4 , 7 -- 6 to secure the title . 1 +Lebilaango is a city in the central Somalia region of Hiran . Lebilaango is a town in the central Hiran region of Somalia . 0 +It is endemic to Hawaii , where it is known only from the northern Koolau Mountains of Oahu . It is endemic to Hawaii , where it is only known from the northern Koolau Mountains of Oahu . 1 +The temple is preserved and was renovated around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . The temple is renovated and was maintained around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 0 +It is found on scattered sandstone ridges in a shallow area in the northern mid-west and in the Pilbara regions of Western Australia , where it grows in rocky soils . It is found on scattered sandstone ridges in a shallow area in the northern Mid West and Pilbara regions of Western Australia where it grows in rocky soils . 1 +In 1963 , Ayliffe married Janet Lloyd and had two children . Ayliffe married Janet Lloyd in 1963 and they had two children . 1 +And that , institutional patriarchs dominated family law because within these Judicial and intraclass rivalries judges succeeded in protecting their power over the law governing the hearth . And that , institutional patriarchs dominated family law because , within these judicial and intra-racist rivalries , judges succeeded in protecting their power over the law that governs the hearth . 1 +"He is known for the creation of complex origami models , including various instrumentalists , insects and erotic origami - works called "" Pornigami "" ." "He is known for creation of various origami models , including erotic instrumentalists , insects , and complex origami works , called "" pornigami "" ." 0 +Schedules were published in the South China Morning Post , in the standard and in Chinese Hong Kong newspapers , including other daily newspapers . Schedules were published in the South China Morning Post , The Standard and in Chinese Hong Kong newspapers , including other daily newspapers . 1 +"He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his paintings of the "" death of the Diagoras "" ." "He won the first Prix de Rome for painting in 1813 and the second Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." 0 +Stukley had given hostile , but not necessarily false , evidence against Raleigh . Stukley had submitted false , but not necessarily hostile , evidence against Raleigh . 0 +"In Ngapoi , for example , "" Ngapoi Ngawang Jigme "" was his family name and "" Nga - Wang Jigmê "" his personal name ." "For example , in Ngapoi Ngawang Jigme , "" Ngapoi "" was his family name and "" Nga-Wang Jigmê "" his personal name ." 0 +At the State election in November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the session of 1857 . In the state elections of November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the 1857 session . 1 +DeWitt Clinton School is a Chicago Public School located on the north side of Chicago , Illinois . Chicago Public School is a DeWitt Clinton School on the north side of Chicago , Illinois . 0 +The Song of Ceylon is a 1934 British documentary film directed by Basil Wright and produced by John Grierson for the Ceylon Tea Propaganda Board . The Song of Ceylon is a British documentary film directed by John Grierson , directed by Basil Wright , for the Ceylon Tea Propaganda Board . 0 +He believes that Elbow is too acceptable , while he thinks himself that the writer should first prove himself . He thinks that Elbow is too acceptable , while he himself believes that the writer should first prove himself . 1 +Ice hockey at the 2011 Canada Winter Games was held at the Halifax and Halifax Forum in Nova Scotia and the Halifax Metro Centre in Dartmouth , Dartmouth Sportsplex . Ice hockey at the Canada Winter Games 2011 was held at the Halifax Metro Centre and Halifax Forum in Halifax and at Dartmouth Sportsplex in Dartmouth , Nova Scotia . 0 +He played twice internationally for Canada at the 1990 and 1994 FIBA World Championships . Fox played twice for Canada internationally , at the 1990 and 1994 FIBA World Championships . 1 +The highest point of the resort is 2650m , while its lowest point is 3600m ( 11,811 feet above the sea level ) . The lowest point of the resort is 2650m , while the highest point is 3600m ( 11,811 meters above sea level ) . 0 +It is separated from the Sudhar township by the Pakistan - branch of the Satluj River , which flows into the Indus river in Abohar . It is separated from the Sudhar township by the Pakistan branch of Satluj river , which flows into the Indus river in Abohar . 1 +Fotbal Club Forex Braşov was a Romanian professional club from Braşov , Romania , which was dissolved in October 2002 and was founded in 2011 . Fotbal Club Forex Braşov was a Romanian pro - football club from Braşov , Romania , founded in October 2002 and dissolved in 2011 . 0 +The first trustees were Robert Hall ( Chairman ) , David Limond Murdoch , Mielziner Arthur Myers , and Alfred Seymour Bankart . The first trustees were David Limond Murdoch , Arthur Mielziner Myers ( chairman ) , Robert Hall and Alfred Seymour Bankart . 0 +On December 16 , 2000 , Thales SA and the Raytheon Company announced the creation of Thales Raytheon Systems . Thales S.A. and Raytheon Company announced the creation of Thales Raytheon Systems on 16 December 2000 . 1 +Moreover , there are indigenous dialects spoken by many other Malay communities , such as Dayak and Iban . In addition , there are many other Malay dialects spoken by indigenous communities , such as Dayak and Iban . 0 +It is possible to reverse the inclination sensor to be able to play it properly on a GBA SP . It is possible to play the tilt sensor in order to be able to reverse it properly on a GBA SP . 0 +Her father , Mitchell Melich , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against the democrat Calvin L. Rampton . Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Mitchell Melich . 0 +Their children , through his wife , Jean , daughter of Sir Jean Stewart , Baronet , and Duncan Campbell : By his wife , Jean , daughter of Sir Jean Stewart , Baronet and Duncan Campbell , their children were : 1 +Jeppe Tengbjerg ( born December 28 , 1973 ) is a former football manager and Danish football player . Jeppe Tengbjerg ( born 28 December 1973 ) is a former football manager and Danish football player . 1 +The 85th wing was replaced with the newly activated 35th wing . The 35th Wing was replaced by the newly activated 85th Wing . 0 +The final letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA The first D stands for Dual Sim Feature . The last letter of each model is the network : U = UMTS ( WCDMA ) and C = CDMA . The first D stands for Dual Sim feature . 1 +Moreover , many Angika speakers have emigrated to the Persian Gulf , the United Kingdom , the United States , Canada and other countries . Moreover , many Angika speakers in the Persian Gulf , the United Kingdom , the United States , Canada , and other countries have emigrated . 1 +Ranjit Singh appointed a governor to administer the newly expanded area which was conquered in 1819 , with the annexation of Kashmir by a Sikh force . Ranjit Singh appointed a governor to manage the newly conquered area , which was expanded in 1819 with the annexation of Kashmir by a Sikh troop . 0 +"The primary systems at different airports consist of two secondary radar systems , the "" large "" and "" sophisticated "" surveillance radar ." "The sophisticated systems at large airports consist of two different radar systems , the "" primary "" and the "" secondary "" surveillance radar ." 0 +Other automobile manufacturers who have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . Other car manufacturers which have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . 1 +Guido died in 1955 , and the company was managed until 1999 by his son Bruno Caloi . Bruno Caloi died in 1955 , and the company was directed by his son Guido until 1999 . 0 +It is one of four carnivorous species found in Britain by the predominantly phytophagous Pentatomidae family of insects . It is one of four carnivorous species found in Britain of the predominantly phytophagous insect family Pentatomidae . 1 +Jharkhand Railway Station is a small station in Ramgarh district , Ranchi Road . Ranchi Road railway station is a small railway station in Ramgarh district , Jharkhand . 0 +"In 2014 , Townsquare Media purchased from Harris Publications "" XXL "" , "" King "" and "" Antenna "" ." "In 2014 , Townsquare Media acquired "" XXL "" , "" King "" and "" Antenna "" from Harris Publications ." 1 +"It was accepted that the aborigine - name of the zone simply "" Güímar "" as was the whole Menceyato ." "It was accepted that the aboriginal name of the zone was simply "" Güímar "" as the whole menceyato ." 1 +Youth Jason played youth football in the same league which his brother Aaron Humble Area Football League HAFL did Aaron played youth football in the same league his brother Jason did Humble Area Football League HAFL 0 +In 1920 he represented Italy at the Oceanographic Congress in Cairo , and in 1924 he represented the geographical society at the International Geographical Congress in Madrid . In 1920 , he represented Italy at the Oceanographic Congress in Madrid , and in 1924 represented the geographical society at the International Geographical Congress in Cairo . 0 +Two years later , he bought a master 's degree in history from Southwest Missouri State University ( then Missouri State University ) . Two years later , he earned a master 's degree in history from Missouri State University ( then Southwest Missouri State University ) . 0 +He played for Beacon FC , Camptown FC and Caledonia AIA and had stints with Notre Dame of Barbados and Alpha United in the T 'T Pro League . He played for Beacon FC , Camptown FC and Caledonia AIA and had stints with Notre Dame of Barbados and Alpha United in the T & T Pro League . 1 +About 1838 Stephenson returned to Manchester and established himself as an historical and landscape engraver in Ridgefield , and then in a studio in St. Ann Street . Around 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then in a studio in St. Ann Street . 1 +In 1406 he had added the Juliana Anicia Codex of Dioscurides , rebound and a table of contents and minuscule scholia in Byzantine Greek comprehensively restored . In 1406 he had the Juliana Anicia Codex of Dioscurides restored , added a rebound and a table of contents and extensive scholies in Byzantine - Greek minuscles . 0 +Martin ( Sebastián ) is a 16-year-old young student who is attracted to his coach , Javier De Pietro . Martin ( Javier De Pietro ) is a young 16-year-old student who is attracted by his coach Sebastián . 0 +Sometimes already assigned codes were reused or the x00 codes assigned previously were spared . Sometimes already allocated codes were re-used or the x00 codes spared previously were assigned . 0 +In a standard - RAID - 01 - configuration , at least four disks are required , but larger arrays are also required . At least four disks are required in a standard RAID 01 configuration , but larger arrays are also used . 1 +In July 2013 , Lone Star sold comics three of their five remaining stores in Mesquite , Hurst and Plano . In July 2013 , Lone Star sold comics three of their five remaining stores in Plano , Hurst and Mesquite . 1 +The Jiul de Vest river is a tributary of the River Furu in Romania . The Furu River is a tributary of the River Jiul de Vest in Romania . 0 +In codice 5 the second file is codice 8 and in codice 4 is the second file codice 10 . In codice _ 4 the second file is codice _ 8 and in codice _ 5 the second file is codice _ 10 . 0 +Laetitia Pujol was a shady presence as Le Homme , Karl Paquette was his strong , melancholy double , and Mathieu Ganio portrayed La Femme . Mathieu Ganio was a strong , melancholy presence as Le Homme ; Karl Paquette was his shadowy double ; and Laetitia Pujol portrayed La Femme . 0 +The SDF headquarters in Tel Abyad was attacked and 5 other villages , Sharghrat , Kantari , Nastleh , Ghuwera and Qantrah , were attacked . The SDF headquarters in Tel Abyad was attacked and 5 other villages ; Sharghrat , Kantari , Nastleh , Ghuwera and Qantrah were targeted . 1 +Suzuki Beane is a humorous book written by Sandra Scoppettone in 1961 and illustrated by Louise Fitzhugh . Suzuki Beane is a humor book written in 1961 by Louise Fitzhugh and illustrated by Sandra Scoppettone . 0 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the district of Aurangabad in the district of Ahmednagar . He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in Aurangabad District in Ahmednagar District . 1 +"In "" The Guardian "" in 2006 , Stanage argued in contrast to George Monbiot , who had written that the Iraqi insurgency was comparable to the IRA :" "In "" The Guardian "" of 2006 , George Monbiot argued in contrast to Stanage , who had written that the Iraqi insurgency was comparable to the IRA ." 0 +In the gorge , forty different plant communities were identified , containing at least 1,342 species and 54 rare plants . Forty rare plant communities were identified in the gorge , containing at least 1,342 species and 54 different plants . 0 +He left Sweden for Poland with Sigismund and Princess Anna after the Battle of Stångebro . He left Poland with Sigismund and Princess Anna after the battle of Stångebro to Sweden . 0 +New Folden Township was organized in 1884 , and named after Folden , in Norway . In 1884 Norway was founded and named after Folden in New Folden Township . 0 +A game is impartial in combinatorial game theory if it is not biased . In combinatorial game theory , a game is partisan when it is not impartial . 0 +Thus injective abelian groups are divisible modules in the category of abelian groups , and conversely , every injective group is divisible ( Baer 's criterion ) . Thus , injective Abelian groups in the category of Abelian groups are divisible modules , and vice versa , every injective group is divisible ( baer - criterion ) . 1 +He was born in Athens , Greece , and grew up in New York City , and then North Grafton , Massachusetts . He was born in New York City and grew up in Athens , Greece , and then at North Grafton , Massachusetts . 0 +There is only one loser and that 's the person who gets the most points . There 's only a loser and that is the person who gets most of the points . 1 +The mountain was named by Charles Lyell in 1863 after geologist Charles Gould , a supporter of Charles Darwin . The mountain was named in 1863 by Charles Gould after the geologist Charles Lyell , a follower of Charles Darwin . 0 +He died on 27 December 1966 in Chatsworth and was buried at the Oakwood Memorial Park cemetery in Woodland Hills . He died on 27 December 1966 in Woodland Hills and was buried at the Oakwood Memorial Park Cemetery in Chatsworth . 0 +"At the end of this "" Dasaratha-Jataka "" discourse , the Buddhist text declares that the Buddha in his prior rebirth was Rama :" "At the end of this "" Dasaratha-Jataka "" discourse , the previous text declares that Buddha was Rama in his Buddhist rebirth ." 0 +His religion was directly influenced by the international balance of political powers . His religion was influenced directly from the international balance of political powers . 1 +In March 2017 , following the success of the first film , star Robin Jones Gunn and author Niall Matter confirmed that Hallmark is developing a continuation . Following the success of the first film , star Robin Jones Gunn and author Niall Matter both confirmed in March 2017 , that Hallmark were developing a sequel . 1 +By unanimous decision Dan Barrera defeated Saunders . By unanimous decision , Saunders defeated Dan Barrera . 0 +Parallax captured John Stewart , Guy Gardner , and Hal Jordan in Kyle ’ s body and brought them to Qward . In Kyle 'apos ; s body , Parallax Hal Jordan , Guy Gardner , and John Stewart captured and brought them to Qward . 0 +Adults are white above green and down green with metallic flanks . Adults are metallic green above and white below with green flanks . 0 +The last game in which he represented Ireland was held in Dublin , on November 13 , 1938 ( Poland-Poland 3-2 ) . The last game in which he represented Ireland was held in Dublin on November 13 , 1938 ( Poland - Poland 3-2 ) . 1 +"Pericarditis is divided into "" chronic "" and "" acute "" forms depending on the time and duration ." "The pericarditis is divided into "" acute "" and "" chronic "" forms depending on the time and duration ." 0 +The very limited edition has a rare first printing of only 2,000 copies and contained 150 silk screen plates . The very limited edition has a rare first print of only 2,000 copies and contained 150 screen printing plates . 0 +The Bank is owned by the United Bank of India and is jointly sponsored by the Government of India , the Government of Tripura and UBI . The bank is Owned by United Bank of India & is jointly sponsored by the Government of India , Government of Tripura and UBI . 1 +The name is derived from the nearby town Gath , which at the time the kibbutz was founded , and was identified with the Philistine site of Tel Erani . The name derives from the nearby town of Gath , which was identified with the Philistine site of Tel Erani at the time the Kibbutz was founded . 1 +Dillon took over military duties for noble officers of the old army at a very difficult time . For the officers of the old army , Dillon assumed noble duties at a very difficult time . 0 +"Finally , the commissioned prose history ( "" Bataviae Hollandiaeque Annales "" ) was published in 1601 ." "Finally , in 1601 , the published prose story ( "" Bataviae Hollandiaeque Annales "" ) was commissioned ." 0 +He finished his NFL career in dividing the season between the New York Giants and the Seattle Seahawks . He finished his NFL career in splitting the season between the Seattle Seahawks and the New York Giants . 1 +Alworth was elected in the eighth round ( first overall victory ) of the NFL - draft in 1962 by the San Francisco 49ers . Alworth was chosen in the first round ( eighth overall ) of the 1962 NFL draft by the San Francisco 49ers . 0 +The Eastern Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the United States Australian Football League . The United States Australian Football League is an Australian rule football competition in the eastern United States of America and a division of the Eastern Australian Football League . 0 +His son was the scientist Francis Ratcliffe , and one of his two daughters was married to the neurophysiologist W. Grey Walter , whose grandson Nicholas Walter was . Ratcliffe 's son was the scientist Francis Ratcliffe , and one of his two daughters married the neurophysiologist W. Grey Walter . Nicholas Walter was his grandson . 1 +These hummingbirds can be found in open oak or pine forests , in humid and dry woodlands and in coffee plantations , at altitudes of 3,300 feet or lower . These colibris can be found in open oak or pine forests , in humid and dry forests and in coffee plantations at altitudes of 3,300 feet or lower . 1 +The 13th World Cup season began in Japan in December 1978 and ended in March 1979 in Austria . The 13th World Cup season began in Austria in December 1978 and ended in Japan in March 1979 . 0 +The average net content of a Croatian worker was 5,895 HRK per month in January 2017 , while the average gross salary was 7,911 HRK per month . In January 2017 , the average gross content of a Croatian worker was 5,895 HRK per month and the average net content was 7,911 HRK per month . 0 +Robert Owen ( 1810 -- 1890 ) , Richard Owen 's youngest son , came to New Harmony in 1828 and initially taught school there . Richard Owen ( 1810 -- 1890 ) , Robert Owen 's youngest son , came to New Harmony in 1828 and taught there first the school . 0 +In Korea , synchronized episodes were broadcast in 2006 by Animax Asia , where it was the 6th most popular animated show that was broadcast this year . In Korea , broadcast episodes were broadcast in 2006 by Animax Asia , where it was the 6th most popular animated show dubbed that year . 0 +Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Thomas Easthope by Elizabeth , daughter of John Leaver of Overbury , Worcestershire . Easthope , born on October 29 , 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver of Overbury , Worcestershire . 1 +The Botfei River or Agriș River is a tributary of the Beliu River in Romania . "The Botfei River or the Agri "" River is a tributary of the Beliu River in Romania ." 1 +The Valea Lungă River is a tributary of the Casimcea River in Romania . The river Valea Lungă is a tributary of the River Casimcea in Romania . 1 +The Dodgers got their only runs on Solo - Homers from Willie Crawford in the Eighth and Bill Buckner in the ninth . The Dodgers got their only runs on solo homers by Bill Buckner in the eighth and Willie Crawford in the ninth . 0 +Scientific research in the country is supported by the industry , by the network of the main universities and by higher education institutions outside the French framework , Grandes écoles . Scientific research in the country is supported by industry , by the network of French universities and by higher education establishments outside the main framework , Grandes écoles . 0 +Born in Pennsylvania , he came to the Galien Township in 1853 . Born in Galien Township , he came to Pennsylvania in 1853 . 0 +Kingspade consists of the rap - Duo Johnny Richter ( Tim McNutt ) and D-Loc ( Dustin Gary Miller ) from Kottonmouth Kings . Kingspade consists of the rap duo Johnny Richter ( Tim McNutt ) and D-Loc ( Dustin Gary Miller ) of Kottonmouth Kings . 1 +It was created by Eddie Mort and Lili Chin and made by Warner Bros . It was produced by Eddie Mort and Lili Chin and created by Warner Bros . 0 +Elim is an airport located in Moses Point Airport , a city in the Nome Census Area of the U.S. state of Alaska . Moses Point Airport is an airport in Elim , a city in the Nome Census Area in the U.S. state of Alaska . 0 +It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to form United Alkali Company . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries in 1926 to join the United Alkali Company . 1 +It is located north of Blountstown and east of Altha on the west bank of the Apalachicola River , It is located to the north of Altha and east of Blountstown on the west bank of the Apalachicola River . 0 +Route 130 leads north to Olney and east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . Route 130 leads north to Olney and south to Grayville , while Route 15 to the east leads to Mount Carmel and west to Fairfield . 0 +Carol conducts a conversation with Charlie about how she needs money to buy Charlie an apartment . Carol stages a conversation with Charlie about how she needs money to buy Charlie an apartment . 1 +Carson City was first recorded in 1866 on land owned by R. M. Abbott , Delia Miner , and Hiram T. Sherman and platted in 1871 . Carson City was first recorded in 1866 in the land owned by R. M. Abbott , Delia Miner and Hiram T. Sherman and in 1871 . 0 +The climate during this period was a mixture of two different seasons , of a dry season and of a shorter rainy season . The climate during this time was a mixture of two different seasons , rainy seasons and a shorter dry season . 0 +In 2014 election , Biju Janata Dal candidate Manas Madkami Indian National Congress defeated candidate Mala Madhi with a margin of 3,312 votes . In 2014 election , Biju Janata Dal candidate Manas Madkami defeated Indian National Congress candidate Mala Madhi by a margin of 3,312 votes . 1 +From 1911 to 1946 , Temuka was a parliamentary electorate in the Canterbury region of New Zealand and was represented by four Members of Parliament . From 1911 to 1946 , Temuka was a parliamentary electorate in the New Zealand region of Canterbury , and the electorate was represented by four members . 0 +The music was composed by V. Dakshinamoorthy and the text was written by Ettumanoor Somadasan and Aravind Abhayadev . The music was written by V. Dakshinamoorthy and lyrics was composed by Ettumanoor Somadasan and Aravind Abhayadev . 0 +"In the Marvel - Zombies - universe , Namor has a cameo as a zombie in the limited "" Marvel - Zombies "" series ." "In the Marvel Zombies universe , Namor has a cameo as a zombie in the limited "" Marvel Zombies "" original series ." 1 +Cranoe is a civil village and small municipality in the district of Harborough of Leicestershire , England . Cranoe is a small village and civil community in the district of Harborough Leicestershire , England . 0 +"For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : impressive spectator numbers in syndication as well as high DVD sales ." "For similar reasons , "" Futurama "" 2007 was also revived by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." 0 +"The cast for the fourth season of "" California Dreams "" was the same occupation as for the third season ." "The cast for the third season of "" California Dreams "" was the same as for the fourth season occupation ." 0 +In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to CryptoLogic . In October 2006 , CryptoLogic changed its name to Media Corporation , and sold Casino.co.uk to Gaming Corporation for £3.6m in cash in August 2007 . 0 +From 2 June 1969 , lectures were held for the first 300 students , and the academic workforce consisted of 28 local lecturers at that time . From 2 June 1969 , lectures were held for the first 300 students , and at that time the local workforce consisted of 28 academic lecturers . 0 +For male youth , maternal education and parental concern seemed to be protective factors . For male adolescents maternal education and parental concern seemed to be protective factors . 1 +At the end of the 19th century the castle was property of the Counts Ansidei , in the 18th century it was bought by the Piceller family . At the end of the 18th century the castle was property of the Counts Ansidei , in the 19th century it was bought by the Piceller family . 0 +In 2017 Feltri said that Harvey Weinstein should be thankful that Asia Argento had raped her . In 2017 , Feltri said that Harvey Weinstein should be grateful that Asia had raped Argento . 0 +In Paris in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to Scotland through England . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to Scotland through England . 1 +""" Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the USA and on March 1 , 2016 in the United Kingdom ." """ Legend "" was released on DVD and Blu-ray in the United Kingdom on 25 January 2016 and in the United States on 1 March 2016 ." 0 +It is found only in Yunnan and its tributaries in Lake Dianchi , China . It is only found in Yunnan and its tributaries in the Dianchi - Lake , China . 1 +In the same year he played in the UEFA Champions League - Qualification against Dinamo Zagreb and later in the UEFA Cup against HJK Helsinki and Celtic Glasgow . In the same year he played in the UEFA Champions League qualification against Dinamo Zagreb and later in UEFA Cup against HJK Helsinki and Celtic Glasgow . 1 +The following organs have been visited : Argao in Bohol ( still playable ) and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Cebu . The following organs were visited : Argao in Bohol ( still playable ) and Loboc , Baclayon , Loay , Maribojoc and Antiquera in Cebu . 1 +Soon the collector attacks Uncle Willy , who possesses the others . The Collector soon attacks Uncle Willy , who possesses the others . 1 +Petra Keppeler ( born 22 March 1965 ) , born Petra Feucht , is a former professional tennis player from Germany . Petra Feucht ( born March 22 , 1965 ) , born Petra Keppeler , is a former professional tennis player from Germany . 0 +The flag of Kenya in 1963 is white , but has inserted similar lines between the colors . The flag of Kenya of 1963 is similar , but has white lines inserted in between the colors . 0 +From 1993 to 2001 , Huntsman served as an executive for the Huntsman Corporation , chairman of the Huntsman Family Holdings Company , and CEO of Huntsman Cancer Foundation . From 1993 to 2001 , Huntsman served as Chief Executive Officer of Huntsman Corporation , Chairman of the Huntsman Family Holdings Company and CEO of the Huntsman Cancer Foundation . 1 +Also four others , including Cissell , Machen and Turner , were offered as nominations . Four others , including Cissell , Machen , and Turner , were also offered as nominees . 1 +He was born in Bukan , Iran , but came to Kristiansand in 1997 , Norway . He was born in Kristiansand , Norway , but arrived in 1997 to Bukan , Iran . 0 +Charles Wilson Hursthouse married to Ellen Humphries . Ellen Humphries married Charles Wilson Hursthouse . 1 +Komatsubara was born on July 28 , 1992 , in Okayama , Japan . She married Timothy Koleto in January 2017 in Tokyo . She was born in Tokyo on 28 July 1992 and married Timothy Koleto in Okayama , Japan in January 2017 . 0 +The position of Leader of the Opposition was essentially informal throughout the nineteenth century , with formal recognition only being granted in the early twentieth century . The position of the opposition leader was essentially informal in the whole of the twentieth century , with formal recognition only being granted in the nineteenth century . 0 +The recent civil war in Sierra Leone was of a secular nature , with members of Christian , Muslim , and tribal faiths fighting on both sides of the conflict . The recent Sierra Leone Civil War was secular in nature featuring members of Tribal , Muslim , and Christian faiths fighting on both sides of the conflict . 1 +In 1944 , he was born in Rome , his father was Lithuanian - Jewish , his Catholic mother was the daughter of a French father and one Austrian mother . Fuksas was born in Rome in 1944 ; his father was Lithuanian Jewish while his Catholic mother was the daughter of a French father and an Austrian mother . 1 +Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 against Pat Cash and Patrick Rafter in the final . Pat Cash and Patrick Rafter won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth . 0 +Himeya changed as Nexus and fight Faust but Faust disappeared and said just test it . Himeya changed as Nexus and tested Faust , but Faust disappeared and said , fight it just . 0 +In singles , King was 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Christine Truman Janes and 1 -- 1 against Virginia Wade . In the single , King 6 -- 1 against Ann Haydon-Jones , 4 -- 0 against Virginia Wade and 1 -- 1 against Christine Truman Janes . 0 +Back in England , Benny Sharkey beat Sonny Lee before suffering only the fifth defeat of his career when he was disqualified against Watson for a low blow . Benny Sharkey beat Sonny Lee in England before he suffered the fifth defeat of his career when he was disqualified for a low blow against Watson . 1 +Ambeshetgaon is a village in the Talasari district of Maharashtra , India . It is located in the Palghar taluka . Ambeshetgaon is a village in the Palghar district of Maharashtra , India . It is located in Talasari Taluka . 0 +Wyoming Highway 377 was a short Wyoming State Road in central Sweetwater County that served as the community of Point of Rocks and the Jim Bridger Power Plant . Wyoming Highway 377 was a short Sweetwater County state road in central Wyoming that served the community of Point of Rocks and the Jim Bridger Power Plant . 0 +The 6th of September Express and the 17th of September Express are fast daily trains to Istanbul , with IDO connections to Bandırma . The Express of 6 September and the Express of September 17 are fast daily trains to Bandırma , with IDO connections to İstanbul . 0 +He was also elected the Fellow of the Royal Society in 1749 and was appointed Fellow of the Royal College of Physicians in London in 1754 . Also in 1749 he was made a Fellow of the Royal Society and in 1754 was elected Fellow of the Royal College of Physicians , London . 0 +In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through England to Scotland . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to England through Scotland . 0 +It seems most active late in the morning and early afternoon . It seems to be the most active in the early morning and late afternoon . 0 +Associação Desportiva Confiança , or Confiança as they are usually called , is a Brazilian football team from Sergipe in Aracaju , founded on May 1st , 1936 . Confiança , or Confiança , as they usually are called , is a Brazilian football team from Sergipe in Aracaju , founded on 1 May 1936 . 0 +George Wilson was born on June 24 , 1766 in Newcastle , Robert Wilson , a shipbuilder and Mary Finlay . Robert Wilson was born on 24 June 1766 in Newcastle , George Wilson , a shipbuilder and Mary Finlay . 0 +The medals were presented by Syed Shahid Ali , IOC member , Pakistan and Yair Davidovich , Council Member of the International Shooting Sport Federation . The medals were handed over by Syed Shahid Ali , IOC - member , Pakistan , and Yair Davidovich , member of the International Shooting Sport Federation . 1 +Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who was not seen during the day . Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman who was never seen during the day . 0 +Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately to the west of the Bedeque community . Lennox Island 6 is located in Fernwood , Bedeque , approximately west of the community of Prince Edward Island . 0 +April became close to Bob Stevens and they began a relationship and eventually married . Stevens became close to April Bobby and they began a relationship and eventually married . 0 +The first segment runs from West 11th Street to Stillwell Avenue , where its path is impeded by the Marlboro housing projects . The first segment runs from Stillwell Avenue to West 11th Street , where the path is hampered by the Marlboro - housing projects . 0 +Microscopically , the quantum mechanical polarization arises from optical transitions between different states of the material system . Microscopically , the optical polarization originates from quantum mechanical transitions between different states of the material system . 0 +The Heart Of Sharjah houses several galleries , and museums including the cultural heritage museum which gives a charming insight into the great traditions of the past . The heart of Sharjah is home to several galleries and museums , including the Museum of Cultural Heritage , which gives a charming insight into the great traditions of the past . 1 +The album has a cleaner , more technical style and again clean vocals by Sabine Scherer . The album featured a cleaner , more technical style and again employed clean vocals by Sabine Scherer . 0 +This list shows atmospheric entries in which the spacecraft is not intended to be destroyed , but is recovered in the atmosphere . This list shows atmospheric entries in which the spacecraft is not to be destroyed , but is recovered in the atmosphere . 1 +In Denmark , there has been conscription since the Viking Age , where a physical man of every 10th court had to serve the king . Since the Viking Age , there has been conscription in Denmark , where the 110th man of every physical court had to serve the king . 0 +In 1991 he left Italy to work in the palliative care of cancer patients in Germany as well as in various countries of the Third World . He left Germany in 1991 to work in the field of palliative care for cancer patients in Italy as well as in various countries in the Third World . 0 +Mehdi died on May 19 , 2008 in Karachi , after suffering from heart and liver disease , leaving behind a woman , a daughter , and a son , Farhan . Mehdi died in Karachi on 19 May 2008 after suffering from heart and liver disease . Mehdi left behind a wife , a daughter and a son , Farhan . 1 +He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Ayala Corporation ’ s Vice President and Chief Legal Counsel . He then became Associate Director of Ayala Corporation ’ s Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . 0 +In this episode , Andy Bernard ( Ed Helms ) returns to the office to find Nellie Bertram ( Catherine Tate ) on the manager 's chair . In this episode , Andy Bernard ( Ed Helms ) returns to the office to find Nellie Bertram ( Catherine Tate ) in the manager 's chair . 1 +"The Sanghar ( are a partially Hindu Sanghar also "" Jamotar "" Gujarat and Mumbai Maharashtra India called ." "The Gujarat and Mumbai , Maharashtra are a partly Hindu Sanghar also "" Jamotar "" Sanghar India ." 0 +It consists of two parts , Zemendorf and Stöttera , both upstream of Pöttelsdorf and downstream from Antau on the Wulka . It consists of two parts , Zemendorf and Stöttera , both on the Wulka river downstream from Pöttelsdorf and upstream of Antau . 0 +Rayon is a village and municipality in the Sabirabad of Azerbaijan , has a population of 3,577 . Sabirabad is a village and municipality in the Jalilabad Rayon of Azerbaijan . It has a population of 3,577 . 0 +""" Love Generation "" is a song by French music producer and DJ , Bob Sinclar featuring vocals by Gary Pine ." """ Love Generation "" is a song by the French music producer and DJ Gary Pine with vocals by Bob Sinclar ." 0 +Daniel finally faces his fears , with the aid of Chuck Aber and Lady Aberlin . With the help of Daniel and Lady Aberlin , Chuck Aber finally faces his fears . 0 +The main ferry ran to 42nd Street and was part of the transcontinental Lincoln Highway for a short time . The transcontinental ferry ran to 42nd Street and for short time was a component of the main Lincoln Highway . 0 +The Malawi Central Africa Protectorate existed between 1891 and 1907 in the area of today 's British . The British Central Africa Protectorate existed in the area of present-day Malawi between 1891 and 1907 . 0 +April 23 , 1975 : Derby County wins the title after Ipswich Town can only draw with Manchester City 1 : 1 . 23rd April 1975 : Manchester City win the title after Derby County can only draw 1 - 1 with Ipswich Town . 0 +In the 2007 Hong Kong Chief Executive elections , Alan Leong successfully entered the race against the incumbent Donald Tsang from the Civic Party . Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong at the Hong Kong Chief Executive elections in 2007 . 0 +The central region is a district in the Lwengo district of Uganda , the largest city in the district and location of the district headquarters . Lwengo District is a district in the Central Region of Uganda . Lwengo is the largest town in the district and the location of the district headquarters . 0 +Born in Geneva , she later traveled to Moscow to study chemistry . She was born in Moscow and later traveled to Geneva to study chemistry . 0 +Waterford Depot was 33.29 miles from Detroit and 155.02 miles from Grand Haven , Michigan . The Waterford depot was 33.29 miles from Detroit and 155.02 miles from Grand Haven , Michigan . 1 +In March 1833 , Pekin was renamed Redford and the southern half was on 1 April Dearborn Township . In March 1833 , Dearborn Township was renamed Redford and the southern half became Pekin on April 1st . 0 +Phyllonorycter fraxinella is a moth of the Gracillariidae family , which is found from Germany and Poland to Sicily and Greece and from France to Southern Russia . Phyllonorycter fraxinella is a moth of the Gracillariidae family . It is found from Sicily and Greece tot Germany and Poland and from France to southern Russia . 0 +"She was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on 26 October , 1943 ." "It was transferred to the Royal Navy and commissioned on October 26 , 1943 as HMS "" Tattoo "" ." 0 +""" The Evolution of Dance "" is the ninth interlude and the second title on the album ." """ The Evolution of Dance "" is the second interlude and the ninth track for the album ." 0 +Dragan Umičević ( born October 9 , 1984 , in Dubica , SFR Yugoslavia ) is a Serbian ice hockey player of Swedish descent . Dragan Umičević ( born October 9 , 1984 in Dubica , Yugoslavia ) is a Serbian ice hockey player of Swedish origin . 1 +The main plain of the prefecture is the plain of Pozar in the north and the extensive plain of Giannitsà in the southeastern part of the county . The vast plains of the prefecture is plain of Pozar in the north and the main plain of Giannitsà in the southeastern part of the county . 0 +Barylambdidae is an extinct family of the Pantodont mammals from North America . Barylambdidae is an extinct family of pantodont mammals from North America . 1 +Like other Corvids , Blue Jays are highly intelligent and are considered to be curious birds . Like other Corvids , Blue Jays are very curious and are considered intelligent birds . 0 +The best-known version of the song was recorded by Dick Rowe and produced in 1953 by The Stargazers in England . Probably the best-known version of the song was recorded by Dick Rowe and produced in the UK by The Stargazers in 1953 . 1 +Caracase is a city in the southwestern region of Gedo Somalia . Caracase is a city in the southwestern Somalia region of Gedo . 0 +Viktor Aronovich Bely , also Viktor Arkadyevich Bely ( 14 January 1904 -- 6 March 1983 ) , was a Russian composer and social activist . Viktor Aronovich Bely , also Viktor Arkadyevich Bely ( 14 January 1904 - 6 March 1983 ) , was a Russian composer and social activist . 1 +The Government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of the Punjab Province . The government of Punjab , a provincial government in the federal structure of Pakistan , is based in Lahore , the capital of Punjab province . 1 +Hopkins toured six months with the band through Japan , the United States and England . Hopkins toured with the band for six months through Japan , the United States , and England . 1 +In 1947 , we did not join the Arabs from the other villages that bombed Jewish vehicles . We did not join the Arabs from the other villages bombarding Jewish vehicles in 1947 . 1 +He made 396 appearances in the Football League for Swindon Town , Torquay United , Crystal Palace and Plymouth Argyle , before moving into non-league football with Cambridge City . He made 396 performances in the Football League for Swindon Town , Torquay United , Crystal Palace and Plymouth Argyle , before moving with Cambridge City to the Non-League - Football . 1 +The unique map of an exponential Lie - Algebra is a diffeomorphism between the Lie - Algebra and the nilpotent - associated , simply associated lie group . The unique map of an exponential Lie algebra is a diffeomorphism between the Lie algebra and the nilpotent associated connected , simply-connected Lie group . 1 +Mastax poecila is a kind of beetle in the Carabidae family that can be found in Cambodia , China and Singapore . Mastax poecila is a species of beetle in the Carabidae family that can be found in Singapore , China and Cambodia . 1 +Djurgårdens IF U18 beat Malmö FF U18 with 3 -- 0 . Djurgårdens IF U18 beat Malmö FF U18 with 3 : 0 . 1 +The station had a signal box , which was originally built at the eastern end of the station and was provided in 1889 . The station had a signal box which was originally provided at the eastern end of the station and built in 1889 . 0 +The Gorova River is a tributary of the Bârzava River in Romania . The Bârzava River is a tributary of the River Gorova in Romania . 0 +Jagtial is a village in the Mallapur district in the state of Telangana in India . Mallapur is a village and Jagtial district in the state of Telangana in India . 0 +This would fade the element , but stop when the effect is 80 % complete ( with an opacity of 20 % ) . This would stop the element but fade if the effect is 80 % complete ( with an opacity of 20 % ) . 0 +No Jewish schools were permitted within Russia , nor did any institutions within the Soviet Union provide courses in Yiddish , Hebrew , or Yiddish history . No Jewish schools were permitted within Russia , nor did any institutions within the Soviet Union offer courses in Yiddish , Hebrew , or Yiddish history . 1 +It can be seen in the Panamint Range and Funeral Mountains adjoining Death Valley within Death Valley National Park ; and in the Spring Mountains in Clark County . It can be seen in the Panamint Range and Funeral Mountains next to the Death Valley within the Death Valley National Park and in the Spring Mountains in Clark County . 1 +Reverend Guitars Signature - Models have been created with several well-known artists , including Billy Corgan , Reeves Gabrels and Mike Watt . Reverend Guitars signature models have been created with several notable artists , including Billy Corgan , Reeves Gabrels , and Mike Watt . 1 +Other members included : AcBel , Ambient Corporation , bpl , Corinex Communications , IBEC , Netgear , PCN Technology , Toshiba , Toyo Network Systems , and Junaid . Other members included : AcBel , Ambient Corporation , bpl , Corinex Communications , IBEC , Netgear , PCN - Technologie , Toshiba , Toyo Network Systems and Junaid . 1 +He was Steward of the Royal Forest of Staffordshire in 1541 and became an emissary for Cannock in 1559 -- 60 . He was steward of the Royal Forest of Staffordshire in 1541 , and in 1559 -- 60 became escheator for Cannock . 1 +""" Darn That Dream "" is a popular song with music by Eddie DeLange and texts by Jimmy Van Heusen , published 1939 ." """ Darn That Dream "" is a popular song with music by Jimmy Van Heusen and text by Eddie DeLange , published in 1939 ." 0 +Wright was from 1800 -- 04 British Consul - General for the Republic of the Seven Islands ( Ionian Islands ) . From 1800 -- 04 , Wright was British consul-general for the republic of the Seven Islands ( Ionian Islands ) . 1 +"Dean Moriarty was the Real - Life model for the character Jack Kerouac in Neal Cassady 's novel "" On The Road "" ." "Neal Cassady was the real-life model for the character Dean Moriarty in Jack Kerouac 's novel "" On The Road "" ." 0 +"To explicitly use "" F "" , you will find the equation for its derivative derivatives from the above table ." "To use "" F "" explicitly , find the equation for its derivative from the table above ," 1 +The initial intention of creating a non-private radio sector was to create an alternative to the business interests of the private radio sector . The initial intention of creating a private sector of radio was to create an alternative to the corporate interests of the non-private radio sector . 0 +Without a big attacker , Garzelli was very constant and could go with the best climbers on a good day . Garzelli was very good without being a permanent attacker and could go on a great day with the best climbers . 0 +The river Albele is a tributary of the Ciolanu River in Romania . The Albele River is a tributary of the Ciolanu River in Romania . 1 +In the list below , names of such Goans are included , with the name of the domestic team in parentheses . The names of domestic goans are included in the list below , with the name of the team concerned standing in parentheses . 0 +Spinoza 's father was born roughly a century after this forced conversion in the small Portuguese city of Alentejo , near Beja in Vidigueira . Spinoza 's father was born about a century after this forced conversion in the small Portuguese city of Vidigueira , near Beja in Alentejo . 0 +There were 65 members in the first year , 91 members at the end of the second year and 106 members for the third year . In the first year it was 65 members , 91 members at the end of the third year and 106 members in the second year . 0 +Since its first broadcast in 1927 , BBC Radio has also presented a live racing commentary for the 59th time . BBC Radio also presented a live race commentary for the 59th time since its first broadcast in 1927 . 1 +"Professor Azra Meadows and Dr Peter Meadows are the editors of "" The Glasgow Naturalist "" , the annual publication of The Glasgow Natural History Society ." "Azra Meadows and Dr. Peter Meadows are the editors of "" The Glasgow Naturalist "" , the annual publication of the Glasgow Natural History Society ." 1 +The original edition of the disc was published on 11 January 2006 in Singapore and on 26 January 2006 in Malaysia . The original edition of the disc was released on 11 January 2006 in Malaysia and 26 January 2006 in Singapore . 0 +Love on the Line is the name of a Crazy Penis album produced in 2008 , released only in Australia . Love on the Line is the name of a Crazy Penis album that was produced in 2008 and was released only in Australia . 1 +Ten Olympic teams took part in the tournament , 3 teams from Africa and 7 teams from Europe . Ten Olympic teams took part in the tournament , three teams from Africa and 7 teams from Europe . 1 +Gaines came to Ephraim Fletcher in 1836 from New York and settled in Van Vleet Road ( Section 16 ) . In 1836 , Ephraim Fletcher from New York came to Gaines and settled in Van Vleet Road ( Section 16 ) . 0 +For theories at the level of second-order arithmetic , the reverse mathematics program has much to say . For theories at the level of second-order arithmetic , the program for reverse mathematics has much to say . 1 +Biancaneve is an Italian erotic comic book , created in 1972 by Leone Frollo and Rubino Ventura ( pseudonym of Giuseppe Pederiali ) and illustrated by Renzo Barbieri . Biancaneve is an Italian erotic comic book , created in 1972 by Renzo Barbieri and Rubino Ventura ( pseudonym by Giuseppe Pederiali ) and illustrated by Leone Frollo . 0 +"Judith Merkle Riley is portrayed in a novel by Catherine Lepère : "" The Oracle Glass "" ( 1994 ) ." "In a novel by Catherine Lepère , Judith Merkle Riley is portrayed : "" The Oracle Glass "" ( 1994 ) ." 1 +It was published in the United States on 31 August 2004 and on 17 October 2005 in the United Kingdom . It was published in the United Kingdom on 31 August 2004 and in the United States on 17 October 2005 . 0 +Harvey had been the last to speak to Oates . Oates had been the last person to speak to Harvey . 0 +Other members included : AcBel , Ambient Corporation , bpl , Corinex Communications , IBEC , Netgear , PCN - Technologie , Toshiba , Toyo Network Systems and Junaid . Other members included : AcBel , Toshiba , bpl , Corinex Communications , IBEC , Netgear , PCN Technology , Ambient Corporation , Toyo Network Systems , and Junaid . 1 +Custer County , Nebraska , is one of thirty-one townships in Corner Township . Corner Township is one of thirty-one townships in Custer County , Nebraska , United States . 0 +The school teaches pupils from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also from Dunfermline under exceptional circumstances . The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also from Dunfermline under exceptional circumstances . 1 +Due to the results in the last round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results in the last round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 0 +Hassan decides to return to Alamut and kill Ibn Tahir . Hassan decides to return to Alamut and to kill Ibn Tahir . 1 +Tom McCarthy is an unscrupulous and ambitious young reporter . Templeton is played by Scott Templeton . Tom McCarthy is an unscrupulous and ambitious young reporter , played by Scott Templeton . 0 +In 2005 , Toshiaki Imai was appointed assistant to Chen , the then manager of the Chinese Taipei national team . In 2005 , Chen was appointed assistant to Toshiaki Imai , then manager of Chinese Taipei national team . 0 +Following the independence of Tavush Province in 1991 , Ijevan became the administrative centre of the newly founded Armenia as per the provincial reforms of 1995 . Following the independence of Armenia in 1991 , Ijevan became the provincial centre of the newly founded province of Tavush , following the administrative reforms of 1995 . 0 +"Cicero jokingly refers to "" andabata "" in a letter to his friend Trebatius Testa , who was stationed in Gaul ." "In a letter to his friend Trebatius Testa , stationed in Gaul , jokingly refers to "" andabata "" ." 1 +Dif is a settlement divided between Somalia 's Wajir County and Kenya 's Lower Juba region . Dif is a settlement divided between Somalia Wajir County and Kenya Lower Juba region . 1 +In 1995 , the close friend of Kendall Nicole Jenner , Kris Jenner , named her daughter Brown in memory of Brown . In 1995 , Kendall Nicole Jenner 's close friend Kris Jenner named her daughter Brown in memory of Brown . 1 +Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Hebrew abbreviations and the List of Aramaic abbreviations , respectively . 1 +The original route started at U.S. 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . The original route started at US 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . 1 +Northern Indiana is part of East Central Indiana and Montpelier . Montpelier is a part of East Central Indiana and Northern Indiana . 0 +There are 4 playable characters , each with a unique ability and also a different combat style . There are 4 playable characters , each with a different ability and a unique fighting style . 0 +In Havana , another series was played between Cincinnati Reds and the Boston Red Sox . Another series was played between the Boston Red Sox and the Cincinnati Reds in Havana . 1 +"The 356th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 9287th link would be 0.2.356 on the end instead ." "The 9287th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 356th link would instead be 0.2.356 at the end ." 0 +He was guillotined on 28 April 1794 , when he was sentenced at the same time as his elder brother . He was guillotined on 28 April 1794 , when he was convicted at the same time as his elder brother . 1 +His wife Gisela M. A. Richter and their daughters Irma and Luise Marie Schwaab were also art historians . Also his wife Gisela M. A. Richter and her daughters Irma and Luise Marie Schwaab were art historians . 1 +""" Almost every poem by Amichai is a statement about the general human condition and Amichai is , in a sense , always a philosophical poet "" ." """ Almost every poem by Amichai is a statement about the general human condition "" and Amichai , in a philosophical sense , is always a certain poet ." 0 +He wrote other songs and composed orchestrations for larger choral works , stored in Australian libraries . He wrote other songs and composed orchestrations for larger choral works preserved in Australian libraries . 1 +The zone serves eastern and central Madhya Pradesh , the southern Uttar Pradesh and northeastern Rajasthan State . The zone serves eastern & central Madhya Pradesh , southern Uttar Pradesh , and northeastern Rajasthan state . 1 +He was the brother of the actor Barry Lupino ( 1882 - 1962 ) and father of Ida Lupino . He was the brother of actor Ida Lupino ( 1882 -- 1962 ) and the father of Barry Lupino . 0 +"Lytton was Emma Watson 's double counterpart in the film "" Harry Potter and the Chamber of Secrets "" ." "Emma Watson was Lytton 's double in the film "" Harry Potter and the Chamber of Secrets "" ." 0 +The Sonata was performed at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed at the piano . The Sonata was premiered in 1919 by Billy Reed at the Aeolian Hall in London , with Landon Ronald on the piano . 0 +Shortly after the birth of her daughter , Georgette , Tina and her sisters Tina George Jones adopted . Georgette adopted Tina and her sisters shortly after the birth of their Daughter George Jones . 0 +In August 2017 , as a member of the Arizona Corporation Commission , Glassman announced an exploratory campaign for the 2018 race of the Republican Party . In August 2017 , Glassman announced as a Republican Party member an exploratory campaign for the 2018 Arizona Corporation Commission race . 0 +After some protests from the girl 's father , the man of Douji and Hime was killed before Suzu and her father 's corpse were consumed by the Orochi . After some protesting from the girl 's father , the man was killed by Douji and Hime before Suzu and her father 's corpse were consumed by the Orochi . 1 +Biancaneve is an Italian erotic comic book , created by Renzo Barbieri and Rubino Ventura ( pseudonym by Giuseppe Pederiali ) in 1972 and illustrated by Leone Frollo . Biancaneve is an Italian erotic comic book , created in 1972 by Renzo Barbieri and Rubino Ventura ( pseudonym of Giuseppe Pederiali ) and illustrated by Leone Frollo . 1 +Members of the G.723.1 patent pool are AudioCodes , France Télécom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . Members of the G.723.1 patent pool are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . 1 +""" Spruance "" was sunk on 23 March 2005 and then defeated on 8 December 2006 as a target ." """ Spruance "" was sunk on 23 March 2005 and then was decommissioned as a target on 8 December 2006 ." 1 +Elinor had also told Do privately that she had read her letters to Juliet . Julia also privately told Do that she had read her letters to Elinor . 0 +Renzo Furlan won in the final 6 -- 3 , 6 -- 4 against Thomas Johansson . Renzo Furlan won against Thomas Johansson in the finals with 6 -- 3 , 6 -- 4 . 1 +Schools that were closed when Harlem Consolidated was formed include Lovejoy School ( District No . 49 ) in Harlem Township . Schools that were closed when Harlem Consolidated was formed include the Lovejoy School ( District No . 49 ) in Harlem Township . 1 +In the final , Alexandre Sidorenko defeated Nick Lindahl ( 6 - 3 , 7 - 6 ) . In the final , Nick Lindahl defeated Alexandre Sidorenko ( 6 - 3 , 7 - 6 ) . 0 +A section of the route remains in place and is currently known as the Phoenixville Industrial Track ( also owned by NS ) . A section of the line remains in place , and is currently known as the Phoenixville Industrial track ( also owned by NS ) . 1 +The House Democratic Caucus nominates and elects the leadership of the Democratic Party in the House of Representatives of the United States . The House Democratic Caucus nominates and elects the Democratic Party leadership in the United States House of Representatives . 1 +Approaches are , in principle , necessary individually and jointly . Approaches are in principle jointly necessary and individually . 0 +In 2013 the domestic branches of the bank in Austria were sold to Anadi Financial Holdings , and renamed to Austrian Anadi Bank . In 2013 , the Bank ’ s domestic branches in Austria were renamed Anadi Financial Holdings and sold to the Austrian Anadi Bank . 0 +After Rovers saw the Israelis the next round draw eliminated Juventus F.C . After Rovers the Israelis saw the next round eliminated Remis Juventus F.C . 1 +"The word for similar is "" radulans "" , which is quite rough ." "The word for the similar is "" Radulans "" , which is quite rough ." 1 +Some indigenous Americans and European-American settlers began to create a community around the post . Some Native Americans and European-American settlers began to create a community around the post . 1 +In 1824 , Richard Grainger was assigned by John Dobson to produce designs for the Old Eldon Square . In 1824 John Dobson was commissioned by Richard Grainger to produce designs for Old Eldon Square . 0 +He joined the Canadian Fencibles in Scotland in 1803 and came to Quebec with them in 1805 . In 1803 , he joined the Canadian Fencibles in Scotland and joined them in 1805 to Quebec . 1 +Nicholas Lens ( born 1957 ) is a Belgian composer of contemporary music , particularly known for his operas . Nicholas Lens ( born 1957 ) is a Belgian composer of contemporary music , known mainly for his operas . 1 +The characters of Geronimo Stilton also used their other names from the second to the sixth novel . The characters of Geronimo Stilton also used her other names from the sixth novel to the second . 0 +Mukherjee was born on 30 September 1909 in the United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British - India . Mukherjee was born on 30 September 1909 in United Provinces ( now Varanasi ) , Uttar Pradesh ( now Benares ) , British India . 1 +The construction of achieves a seed length of formula _ 32 , which is constant up to optimal factors . The construction of achieves a seed length of Formula 32 , which is constant to optimum factors . 1 +McMeel Universal , subsidiary of Universal Press Syndicate , was an independent press syndicate . Andrews McMeel Universal , a subsidiary of Universal Press Syndicate , was an independent press syndicate . 1 +Burstwick is a few miles from the local market town of Hedon and the villages Keyingham and Thorngumbald . Burstwick is a few miles from the local market town of Keyingham and the villages of Hedon and Thorngumbald . 0 +Enter through the eastern gate , turn left and worship on the south side Ganapathy , Shiva and Ayyappan . Enter through the southern gate , turn left and worship on the east side Ganapathy , Shiva and Ayyappan . 0 +The dynamic component is the total soil resistance less the static component . The static component is the entire soil resistance minus the dynamic component . 0 +"In 1960 , Glenville directed also Robert Anderson on Broadway in "" Silent Night , lone night "" by Barbara Bel Geddes and Henry Fonda ." "In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda in "" Silent Night , Lone Night "" by Robert Anderson on Broadway ." 0 +This type of surface is common in North America and Eastern Europe , but is considered rare in Western Europe . This kind of surface is common in Western Europe , but is rare in North America and Eastern Europe . 0 +The specific number of spaces in the indentation is not important as long as parallel elements have the same left orientation and the hierarchically indented elements are further nested . The specific number of spaces in the indentation is unimportant as long as parallel elements are the same left justification and the hierarchically indented elements have nested further . 1 +This is also a shearing effect : if the focal length is larger , the shearing effect is smaller . This is also a shearing effect : when the focal length is larger , the shearing effect is smaller . 1 +Bayswater is connected to the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the city . Bayswater is linked to south of the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) . 1 +Tamira Paszek defeated Agnieszka Radwańska , 6 -- 3 , 6 -- 4 . Tamira Paszek defeated Agnieszka Radwaą ska , 6 -- 3 , 6 -- 4 . 1 +"In 1976 , a version of Wonder Girl called Drusilla appeared in the television series "" Wonder Woman "" and was played by Debra Winger ." In 1976 , a version of Wonder Girl named Wonder Woman appeared in the Drusilla television series and was played by Debra Winger . 0 +Baba ji has spread his various thoughts through Sufi books like Piya Rung Kala , Kajal Kotha etc . Baba ji spread his different thoughts through Sufi books like Piya Rung Kala , Kajal Kotha , etc . 1 +Men and women are usually played back with the upper body and abundantly hung up with jewels . Men and women are richly played back with the upper body and usually hung with jewels . 0 +On 29 September , 2001 , Deutsche Bahn opened a new underground tunnel to the new Filderstadt station . Deutsche Bahn opened a new underground tunnel to the new Filderstadt railway station on 29 September 2001 . 1 +Audubon Park was founded in 1941 as a community within Audubon with the construction of 500 accommodation units for the employees of New York Shipbuilding in Camden , New Jersey . Audubon Park was established as a community within Audubon in 1941 with the construction of 500 housing units for employees of New York Shipbuilding in Camden , New Jersey . 1 +While communism represented the former , the United States represented the latter . Whereas communism represented the latter , the United States represented the former . 0 +"In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at Turkey 's folk festival in Inegol ." "In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at the Folk Festival of Turkey in Inegol ." 1 +Since the flagellum of human sperm is actually a modified cilium , the ciliar - dysfunction for male infertility can also be responsible . Since the flagellum of human sperm is actually a modified cilium , male dysfunction can also be responsible for ciliary infertility . 0 +Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . Burnside Township is limited to the northwest of Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . 0 +In 2004 , SCA acquired from Carter Holt Harvey the International Paper Tissue and Hygiene Products division . In 2004 SCA acquired the tissue and hygiene products businesses of International Paper from Carter Holt Harvey . 1 +Janković was the third seed at Wimbledon , but in the fourth round he lost finalist Marion Bartoli to the surprise . At Wimbledon , Janković was the fourth seed , but lost in the third round to the surprise eventual finalist Marion Bartoli . 0 +Mount Cobb is a mountain located on Vancouver Island , British Columbia , Canada , east of Gold River and southwest of Mount Filberg . Mount Cobb is a mountain at Mount Filberg , east of Gold River and southwest of Vancouver Island , British Columbia , Canada . 0 +Before the unification of South Yemen in 1990 , the law determined the minimum age of marriage to 16 in Yemen and 15 in the north . Prior to the unification of South Yemen in 1990 , the law set the minimum age of marriage at 16 in Yemen and 15 in the north . 1 +Oscar Bonavena met Ellis in the second round of the tournament . In the second round of the tournament , Oscar Bonavena hit Ellis . 0 +Notoacmea parviconoidea is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . Notoacmea parviconoidea is a species of sea snail , a true limpet , a naval gastropod mollusk in the Lottiidae family , one of the families of true limpets . 1 +Later , however , he became Meyna of Westerburg and married the first Count of Nassau to Beilstein after his father 's death . He later married Meyna of Westerburg and became the first Count of Nassau-Beilstein after his father 's death . 0 +"Graphs in which vertices are inscribed and edges are indistinguishable are consequently called "" indistinguishable "" ." "Consequently , graphs in which vertices are unlabeled and edges are indistinguishable are called "" indistinguishable "" ." 1 +In 2016 , a group of white students at the Wiggins High School put a noose around a black student 's neck . In 2016 a group of black students at Wiggins High School put a noose around the neck of a white student . 0 +"Note : "" NA "" -- Information was not listed on the page cited ." "Note : "" NA "" -- information was not cited on the listed page ." 0 +This usually means maximum fuel load , optionally with extra fuel tanks and minimum equipment . This optionally means maximum fuel load , usually with additional fuel tanks and minimum equipment . 0 +"Some authors share the species in two , the Russian and Central Asian populations as "" Fallopia aubertii "" and the Chinese species as "" F. baldschuanica "" ." "Some authors split the species in two , regarding the Chinese populations as "" Fallopia aubertii "" and the Russian and central Asian species as "" F . baldschuanica . """ 0 +He was moved to Macau , joined the Jesuit Order , and died as a martyr in Vietnam in 1737 . He was moved to Vietnam , joined the Jesuit Order and died in 1737 as a martyr in Macao . 0 +It is located just north of Grosse Ile and west of Fighting Island , about west of the Canada -- United States border . It is located north of Grosse Ile and west of Fighting Island , about west of the Canadian - United States border . 1 +Area archaeological sites on the State and National historical registers include : Archaeological sites on the state and national historical registers include : 1 +In combination with Estradiol Enanthate , Algestone Acetophenide is used as a combined injectable contraceptive for women in Latin America and Spain once a month . Algestone acetophenide is used in combination with estradiol enanthate as a monthly-once combined injectable contraceptive for women in Latin America and Spain . 1 +The 16 remaining shareholders were Frances Bannister ( 75 shares ) , George Truog ( 30 shares ) and Joseph Stenger ( 8 shares ) . Among the 16 remaining shareholders were Joseph Stenger ( 75 shares ) , George Truog ( 30 shares ) , and Frances Bannister ( 8 shares ) . 0 +It ended in 1955 , shortly after the new mayor Norris Poulson opened all new public housing in the city . It opened in 1955 , shortly after the new mayor Norris Poulson ended all the new public housing in the city . 0 +Today the area of Skudenes refers to the southern part of the island Karmøy . Today , the Skudenes area refers to the southern part of Karmøy island . 1 +Montgomery County is part of the Blacksburg -- Christiansburg -- Radford , VA Metropolitan Statistical Area . Blacksburg is part of VA Metropolitan Statistical Area -- Christiansburg -- Radford , Montgomery County . 0 +Limestone from the quarry of TexaStone in Odessa , Texas was donated in 2004 for establishment of the Stonehenge replica in Garden City . Limestone from the quarry of TexaStone in Odessa , Texas , was donated in 2004 for the establishment of the Stonehenge replica in Garden City . 1 +It was the first single released by the group and their third release on Silvertone Records . It was the third single released by the group and it was their first release on Silvertone Records . 0 +Tables of stable and transient transitions of vibration molecules are also available . Tables of stable and transient transitions of vibrational molecules are also available . 1 +It was born on April 18 , 1976 in Usera , Madrid ( Spain ) . She is born on April 18 , 1976 in Usera , Spain ( Madrid ) . 1 +On December 14 , 2003 , Azzopardi received his first country match for Malta in a game against Poland . Azzopardi received his first cap for Malta on 14 December 2003 in a match against Poland . 1 +Chelsey Nash ( also known as Chelsey Tregear ) is an Australian netball player who plays for the Melbourne Vixens in the ANZ Championship . Chelsey Tregear ( also known as Chelsey Nash ) is an Australian netball player in the ANZ Championship and playing for the Melbourne Vixens . 1 +Its base or round edge contains between its layers the free ligament and the paraumbilical veins . Its base or free edge contains between its layers the round band and the paraumbilical veins . 0 +"In March 2009 , Marco Pierre White , whom Claudia Winkleman described as "" naturally funny "" , was confirmed as a new host ." "In March 2009 , Claudia Winkleman , described by Marco Pierre White as "" naturally funny "" , was confirmed as the new host ." 0 +On July 30 , 2017 , Miley gave up the 3,000th Adrián Beltré career hit . On July 30 , 2017 , Adrián Beltré gave up Miley 's 3,000th career hit . 0 +Activated by Strategic Air Command on 24 May 1963 . Organized on 1 October 1963 Organized on 24 May 1963 by the Strategic Air Command , activated on October 1 , 1963 . 0 +On 1 January 1960 , the Highveld regiment was founded in Nelspruit , which also stationed a Rear HQ in the town of Middelburg . On 1 January 1960 , the Highveld regiment was founded in Middelburg , which also stationed a Rear HQ in the town of Nelspruit . 0 +Robin Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 - 6 , 6 -- 3 . Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 defeats Fernando Verdasco defeated 0 +The result of their creation is that Williams , famous tennis player sisters Montserrat Caballe , Marilyn Manson wear these clothes . The result of their creation is that Williams , famous tennis players sisters Montserrat Caballe , Marilyn Manson wear these clothes . 1 +Stella was born in Nnewi Northern Nigeria into the family of Felix Ebelechukwu and Margaret Modebelu , descendants of Anambra State in Kano State . Stella was born in Nnewi Northern Nigeria into the family of Felix Ebelechukwu and Margaret Modebelu , descents of Anambra State in Kano State . 1 +Pyrgus alpinus is a butterfly of the family Hesperiidae . It is found from Ghissar to western China and northern India . Pyrgus alpinus is a butterfly of the Hesperiidae family . It comes from Ghissar to Western China and northern India . 1 +It was created by Eddie Mort and Lili Chin and produced by Warner Bros . It was created by Eddie Mort and Lili Chin and produced by Warner Bros.. 1 +The summers are hot and humid and the winters are mild with cool periods . Summers are hot and humid and the winters are cool with mild periods . 0 +He held various positions at IBM before joining Wang Laboratories in 1981 . At Wang Laboratories , he held various posts before joining IBM in 1981 . 0 +The three patrol districts serving Center City are the 17th , 9th , and 6th districts . The three patrol districts Center City serves are the 6th , 9th and 17th districts . 1 +Ashok Kumar also paved the way for his younger brothers Kalyan ( Anoop ) and Kishore Kumar . Ashok Kumar paved the way for his younger brothers Kalyan ( Anoop ) and Kishore Kumar . 1 +Jack Arnold , the film stars John Agar and Lori Nelson , directed . Directed by John Agar and Lori Nelson , the film stars Jack Arnold . 0 +It was reported in June that Burke has signed a record contract with RCA Records and the album will be handled jointly by Syco and RCA Records . In June it was reported that Burke had signed a record deal with Syco and the album will be jointly handled by the RCA Records and RCA Records . 0 +"In South Korean culture , "" Pokarekare Ana "" was used as the title song for the film "" Crying Fist "" , popular in 2005 ." "In the popular culture "" Pokarekare Ana "" was used as the title song for the South Korean film "" Crying Fist "" 2005 ." 0 +1843 : China : Sailors and Marines from St. Louis were landed at the Canton trading station after a clash between Americans and Chinese . 1843 : China : Sailors and Marines from the Canton were landed at the trading post in St. Louis following a clash between Americans and Chinese . 0 +The association of the human eye with mirrors was so strong that stylized eyes were often used in Teotihuacan - art as a substitute for the face of a mirror . The association of the human eye with mirrors was so strong that stylised eyes were frequently used in Teotihuacan art as a substitute for the face of a mirror . 1 +Meanwhile , the official language ( for the same view ) in Portugal remained fully reintegrationist , and was carried all over the world by Portuguese explorers , soldiers , and colonists . Meanwhile , the official language ( for the same view ) remained fully reintegrationist in Portugal and was carried across the world by Portuguese explorers , soldiers and colonists . 1 +This version was released in Europe and Australia on August 18 , 2016 , and North America on January 5 , 2017 . This version was released on August 18 , 2016 in North America and on January 5th , 2017 in Europe and Australia . 0 +The Irish team consisted of Murphy together with Ken Doherty , Fergal O - Brien and Michael Judge as sub . The Irish team consisted of Ken Doherty , Fergal O ’ Brien and Michael Judge along with Murphy as sub . 0 +The website originally served the market of Atlanta , and expanded to Arizona , San Diego , and Las Vegas in the fall of 2006 . The website originally serves the market of Arizona , San Diego and Las Vegas and expanded to Atlanta in the autumn of 2006 . 0 +Charles City County , Virginia , also known as Shirley Hundred Island , is an island and a historic house and archaeological sites near Eppes Island . Eppes Island , also known as Shirley Hundred Island , is an island and a historic home and archaeological sites located near Hopewell , Charles City County , Virginia . 0 +The goalies in the game were Andrei Mezin for the New York Rangers and Henrik Lundqvist for Metallurg Magnitogorsk . The goalkeeper in the game were Henrik Lundqvist for the New York Rangers and Andrei Mezin for Metallurg Magnitogorsk . 0 +When Mohamad Elzahabi was injured in a 1995 battle in Kabul , Khadr visited him the Peshawar hospital . When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him at the hospital in Peshawar . 1 +Tartalo was dead , but not blind yet . Tartalo was dead , but not yet blind . 1 +Monks Bay is situated on the southern coast of the Isle of Wight , England just to the east of the village of Bonchurch . Monks Bay is situated on the southern coast of the Isle of Wight , England , to the east of the village of Bonchurch . 1 +In 2017 , Cetera was a co-headliner for the Night of the Proms in Germany , his first time performing in Germany and Luxembourg in 35 years . In 2017 , Cetera Co-headliner for the Night of the Proms in Germany was his first time in Germany and Luxembourg for 35 years . 1 +At present it is the third most used language in international trade , and the second most used in politics , diplomacy and culture after English and French . At present , it is the third most common language in international trade and the second most common in politics , diplomacy and culture after English and French . 1 +Wagenknecht , born in Oak Park , Illinois , grew up in Chicago and got to school . Wagenknecht , who was born in Chicago , grew up and went to the school in Oak Park , Illinois . 0 +On 21 April 2013 , the South Tyrolean People 's Party held a state election to select the party 's head on the primary list . The South Tyrolean People 's Party held a primary election on 21 April 2013 to select the party 's head of the provincial list . 0 +The development of Bas 90 began in the 1970s and started implementation in the 1980s . The development of Bas 90 began in the 1970s and started being implemented in the 1980s . 1 +Young Jason played youth football in the same league that his brother Aaron Humble Area Football League HAFL did Aaron played youth football in the same league his brother Jason did Humble Area Football League HAFL 0 +The wooden vault of the roof is visible in the choir and in the right transept , while the rest of the church has a stone roof . The cross vault of the roof is visible in the choir and in the right transept , while the rest of the church has a wooden roof . 0 +Karen and Kristoffer together have eight children . Together with Karen , Kristoffer had eight children . 1 +Peremyshliany Raion is a raion in Lviv Oblast in western Ukraine . Raion Peremyshliany is a raion in the Ukraine in western Lviv . 0 +It is directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . It was directed by Kamala Lopez and produced by Cameron Crain , Richard Shelgren and Kamala Lopez . 1 +The southern border of the municipality is also the northern border of Lahemaa National Park . The southern border of the municipality is also the northern border of the National Park of Lahemaa . 1 +Morrow can either mean the next day in particular , or the future in general . Morrow can mean either the next day in particular or the future in general . 1 +Then membership of primary nodes within periodicity blocks may be tested analytically through the inverse φ function : The membership of primary nodes within periodicity blocks can then be tested analytically through the inverse φ function : 1 +A prologue , spoken of by Garrick , was written by Powell . A prologue , written by Garrick , was spoken by Powell . 0 +Today the railheads are for Wellsville Alma Township and Friendship . Today the railheads for Alma Township Wellsville are friendship . 0 +Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the border with Virginia . Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles south of the Virginia border . 0 +Despite the attention of Ehinger 's father Vicente de Requejada , Augustine died on 31 May 1533 and was buried under a tree . Despite the attentions of Augustine father Vicente de Requejada , Ehinger died on May 31 , 1533 , and was buried under a tree . 0 +This riding was created in 1987 by Okanagan -- simile cameos , and in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan , eliminated . This riding was created in 1987 from Okanagan -- Similkameen , and eliminated in 1996 when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan . 1 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the Marinelimpets families . Eoacmaea chamorrorum is a sea snail species , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . 0 +In the week before the first race , Barwa Addax driver Dani Clos was replaced by Josef Král . Brendon Hartley also replaced Ocean Racing Technology 's Jon Lancaster . In the week before the first race , Barwa Addax - Pilot Dani Clos was replaced by Josef Král , Brendon Hartley replaced Jon Lancaster with Ocean Racing Technology . 1 +It was revealed during the hearings that neither Claude nor Forbes knew that Lewis had feathered the number . During the hearings , it was revealed that neither Lewis nor Forbes knew that Claude had feathered the number . 0 +The 1993 -- 94 Slovenian Ice Hockey League was the third season of the Slovenian Hockey League . The Slovenian ice hockey league was the third season of the Slovenian hockey league . 0 +In 2011 , George Maguire appeared as Richard Loeb in Thrill Me , first at the Tristan Bates Theater in London , and then at the Charing Cross Theatre . In 2011 George Maguire appeared as Richard Loeb in Thrill Me , first at the Tristan Bates Theatre in London and then at the Charing Cross Theatre . 1 +When Josh wakes up , he finds himself at home at Lonnie in Omaha , Nebraska . When Josh wakes up , he finds himself at Lonnie 's home in Omaha , Nebraska . 1 +It is slightly larger and heavier than house sparrows , and also has a slightly longer and stouter bill . It is slightly longer and thicker than sparrows , and also has a slightly larger and heavier bill . 0 +Norman Nesbitt played Philpott , a geeky man who believes that he has been contacted by UFOs . Norman Nesbitt played Philpott , a geeky man who believes he has been contacted by UFOs . 1 +Conscription has been around in Denmark since the Viking Age , where 110th man of every physical court had to serve the king . Since the Viking Age , there has been conscription in Denmark , where the 110th man of every physical court had to serve the king . 1 +Omar Suleiman Abu Keshek is a Palestinian footballer of Jordanian origin who plays for Silwan SC in Palestine . Mo'ayyad Omar Suleiman Abu Keshek is a Jordanian footballer of Palestinian origin who plays for Silwan SC in Palestine . 0 +She was born in Hebron , Connecticut on December 18 , 1814 but later settled in Litchfield , Ohio . She was born on December 18 , 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . 0 +The championship was held in Austria in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Italy in 2011 . The championship was held in 1999 in Italy , 2003 in Germany , 2007 in Kawasaki ( Japan ) and 2011 in Austria . 0 +The council had 27 members nominated by local authorities in Wales , the University of Wales , National Eisteddfod Council and the Welsh Tourist Board . The Council had 27 members nominated by local authorities in Wales , the University of Wales , the National Eisteddfod Council and the Welsh Tourist Board . 1 +The Orbai River is a headwater of the Ojdula River in Romania . The Ojdula River is a source of the Orbai River in Romania . 0 +Design was created by Jeff Grubb with Andria Hayday , a cover of Jeff Easley and illustrations by Karl Waller . Design was developed by Jeff Grubb with Andria Hayday , a cover of Karl Waller and illustrations by Jeff Easley . 0 +Although it was never played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been used . Although it was never played in the series , elements of the gameplay were used for the Powerball , Whiplash and Earthquake events . 1 +In July 1973 , he was born in Petroupoli , Athens . He was born in Petroupoli ( Athens ) in July 1973 . 1 +"Below is the early version of the album with all early segues , and "" The Sacrifice of Victor "" is also slightly longer in the original configuration ." "Below is the early version of the album with all the original segues . Also , "" The Sacrifice of Victor "" is slightly longer on the early configuration ." 0 +""" Now a Memory Almost "" is a song written by Van Stephenson , Dave Robbins , and Dale Oliver , recorded by American country music band Blackhawk ." """ Now a Memory Almost "" is a song written by Van Stephenson , Dave Robbins and Dale Oliver , recorded by the American country music band Blackhawk ." 1 +Jayashree married Sorcar , a daughter of Sri Aroon Kumar Ghosh and Smt . Sorcar married Jayashree , daughter of Sri Aroon Kumar Ghosh and Smt . 0 +Its natural habitats are tropical or subtropical subtropical lowland forests , moist or moist tropical montane forests , and rivers . Its natural habitats are tropical or subtropical subtropical lowland forests , moist or moist tropical mountain forests and rivers . 1 +The latter study remains one of the few prospective demonstrations that environmental stress is associated with hypertension and LVH . The latter study remains one of the few prospective demonstrations that environmental stress with high blood pressure and LVH is associated . 1 +Route 309 is a Canton state highway in the northwestern Connecticut suburbs running from Hartford to Simsbury . Route 309 is a Connecticut State Highway in the northwestern Hartford suburbs from Canton to Simsbury . 0 +"The Charge Spear is a large spear that can be "" sharpened "" to form a charged organic blade that can be used to stab foes ." "The Charge Spear is a large spear that can be "" sharpened to form a charged organic blade that can be used to strike opponents ." 1 +The river Jiul de Vest is a tributary of the Furu River in Romania . The Furu River is a tributary of the Jiul de Vest River in Romania . 0 +The majority of them were settled in Ontario , with the largest community in Toronto , followed by those in Hamilton , London and Kingston . The majority of them settled in Ontario , with the largest community in Toronto , followed by those in Hamilton , London and Kingston . 1 +"The PRO , which is a "" zero - DP "" , is situated in the subject position of the embedded clause ." "The PRO , which is a "" subject DP "" is in the null position of the embedded clause ." 0 +Lucas Baiano , who made adverts for Perry , joined Tim Pawlenty after Pawlenty withdrew from the race . Lucas Baiano , who made commercials for Perry , joined Tim Pawlenty after Pawlenty withdrew from the race . 1 +"One day in 1939 an "" Autogyro landed on the ballfield and remained a short time ." "One day in 1939 , an "" autogyro "" landed on that ballfield and remained a short time ." 1 +He has played Garrett Burns , a love interest for Rachel Kinski ( Caitlin Stasey ) . He played Garrett Burns , a love of interest for Caitlin Stasey ( Rachel Kinski ) . 1 +He served in Salem from 1982 to 1983 as a superintendent of the police and in Dharmapuri from 1983 to 1985 . As a superintendent of the police , he served in Dharmapuri from 1982 to 1983 , and from 1983 to 1985 in Salem . 0 +Faiyaz Ali Khan was at Sir Muhammad Faiz Ali Khan in 1851 . Muhammad Faiz Ali Khan was to Sir Faiyaz Ali Khan in 1851 . 0 +In 1986 , Lesotho supported the coup in South Africa , which brought Justin Lekhanya to power . In 1986 , South Africa supported the coup d'état in Lesotho which brought Justin Lekhanya to power . 0 +Biodegradation of PDLA is slower than for PLA due to the higher crystallinity of PDLA . Due to the slower crystallinity of PDLA , the biodegradability of PDLA is higher than for PLA . 0 +Vidyanandana , Shri Suryavarmadeva , or Cham , was a Suryavarman prince in Cambodia , who broke down in 1182 a revolt that erupted in Malyang against Jayavarman VII . Vidyanandana , Shri Suryavarmadeva , or Suryavarman , was a Cham prince in Cambodia , who in 1182 put down a revolt that broke out at Malyang against Jayavarman VII . 0 +Caranavi is located north of Rurrenabaque , on the road from La Paz to Coroico . Caranavi is north of Coroico , on the road from La Paz to Rurrenabaque . 0 +He was once imprisoned for gambling and subsequently relished the affair with pride . He was subsequently imprisoned for gambling and once enjoyed the affair with pride . 0 +Bergamo railway station is connected to Milan , Treviglio , Cremona , Lecco , Brescia and Monza with regional trains operated by Trenord . Bergamo railway station is connected with regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . 1 +On July 31 , 2015 , Moore was released by the Chicago Bears . On September 5 , 2015 , he was signed by the Bears . On 31 July 2015 , Moore was signed by the Chicago Bears and released by the Bears on 5 September 2015 . 0 +According to the United States Census Bureau , Harmony Township has a total area of which land is and , or 5.21 % , is water . According to the United States Census Bureau , Harmony Township is a total area of which is land and , or 5.21 % , has water . 1 +Betha Sudhakar ( Chitti Babu ) and Pyarelal ( J. D. Chakravarthy ) are roommates in Bombay . Residents in Betha Sudhakar ( Chitti Babu ) and Pyarelal ( J. D. Chakravarthy ) are Bombay . 0 +If Formula 102 is differentiable and its domain formula 107 convex , then that If formula _ 102 is differentiable and its domain formula _ 107 is convex , then 1 +Hector Crawford was the brother of 3DB manager and administrator Dorothy Crawford , and also brother to Curteis Crawford . Hector Crawford was the brother of 3DB manager and administrator Dorothy Crawford , and brother of Curteis Crawford . 1 +Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 as son of his father Rabbi David Tebele Scheuer . David Tebele Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi Abraham Naftali Hertz Scheuer . 0 +From 1919 , the Third International was a member of the Cominterns ( LKP ) . The Third International was a member of the Comintern ( LKP ) from 1919 . 1 +The sterile cross produces reciprocal F1 males and no female progeny . The sterile cross produces reciprocal F1 - males and no female descendants . 1 +Under Ottoman rule , Avdella was in the kaza of Bitola , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Grevena ) . Under Ottoman rule Avdella was situated in the casa of Bitola , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Grevena ) . 0 +Fersfield is limited to the east and south by the village of Kenninghall , to the west are South Lopham and North Lopham and in the north of Bressingham . Fersfield is limited to the east and south by the village of Bressingham , to the west are South Lopham and North Lopham and in the north is Kenninghall . 0 +The following versions of localized games use instead the current naming convention . The subsequent versions of localized games use the current naming convention instead . 1 +Maplewood is located in the 27th Congressional District and is part of New Jersey 's 10th state legislative district . Maplewood is located on the 27th Congressional District and is part of the 10th State Legislative District in New Jersey . 1 +"His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" from Dave Brubeck in 2011 ." "His meeting with Dave Brubeck is documented in the book "" Taj-Mahal Foxtrot "" by Naresh Fernandes in 2011 ." 0 +The Queen 's Exchange is a Richard Brome era stage play , a tragicomedy written by Caroline . The Queen 's exchange is a play by Richard Brome , a tragicomedy written by Caroline . 1 +In other cases , hydatidiforme moles are tetraploid ( four chromosome sets ) or have rare chromosome abnormalities . In other cases , hydatidiform moles are tetraploid ( four chromosome sets ) or have rare chromosome abnormalities . 1 +TSU students take part in major international events , such as II International Student Forum in Rome , Italy , and III International Student Forum in Berlin , Germany . TSU students take part in major international events such as the III International Student Forum in Berlin and the III International Student Forum in Rome , Italy . 0 +Riverton was a parliamentary electorate in the New Zealand region of Southland . Riverton was a parliamentary electorate in the Southland region of New Zealand . 1 +They had two children : Mary Eleanor Oliver Bramwell ( c.1876- ? ) and Elsie Dorothy Constant , b. Bramwell ( 1880 -- 1968 ) . They had two children : Mary Eleanor Oliver Bramwell ( c.1876 - ? ) and Elsie Dorothy Constant , née Bramwell ( 1880 -- 1968 ) . 1 +Szabo 's method of double protection , however , was vulnerable to Sybil attacks . Szabo 's method of sybilizing protection was , however , vulnerable to double attacks . 0 +The state road was completed in the early 1910s from Frederick to Harpers Ferry and built in 1919 to Knoxville . The state road was constructed from Frederick to Knoxville in the early 1910s and completed to Harpers Ferry in 1919 . 0 +In winter , stored heat is released from the mild lakes , thus keeping the local climate deep relative to the surrounding areas and preventing an early frost . Stored heat is released from the mild lakes during the winter , keeping the local climate deep relative to surrounding areas and preventing early season frost . 1 +Dighton is located in the Fifth Bristol state representative district , which includes Swansea and parts of Somerset and Taunton . Dighton is located in the fifth Bristol State representative district , which includes the Somerset and parts of Swansea and Taunton . 0 +Linkuwa Pokhari is a village and village development committee in the Khotang district in the Sagarmatha zone in eastern Nepal . Linkuwa Pokhari is a village and village development committee in the Sagarmatha zone in the Khotang district of eastern Nepal . 1 +The school is in conjunction with the autistic department of the high school Ysgol Plas Brondyffryn , which was built in the year 2003 . The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . 0 +"For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." """ Futurama "" was also revived in 2007 by Comedy Central for similar reasons : high viewership in syndication as well as impressive DVD sales ." 1 +Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a municipal council in Alberta , Canada . Morton W. MacAuley , usually known as M. W. MacAuley was a politician in Alberta , Canada and a municipal councillor in Edmonton . 0 +He meets Kekesfalva 's paralyzing daughter Edith and develops deep affection and subtle compassion for her . He meets Kekesfalva 's paralyzed daughter Edith and develops deep affection and subtle compassion for her . 1 +The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and the eighth issue , if the Metropolitan Cup is included before 2003 . The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eighth if the pre- 2003 Metropolitan Cup is included . 1 +Belchertown was first settled in 1731 and was officially incorporated in 1761 as Cold Spring , later the name was changed to Belcher 's Town , and then Belchertown . Belchertown was first inhabited in 1731 and was officially mentioned as Cold Spring in 1761 , later the name was changed to Belcher 's Town and then to Belchertown . 1 +Norton Township was originally called Sumner Township , and under the latter name was organized in 1858 . Norton Township was originally called the Sumner Township and was founded under the latter name in 1858 . 1 +Skagafjörður is an airport serving Sauðárkrókur , a town in Sauðárkrókur Airport in northern Iceland . Skagafjörður is an airport serving Sauðárkrókur , a city in Sauðárkrókur airport in Northern Iceland . 1 +The company was then the St. Louis and Cairo Railroad , the narrow gauge acquired . The company acquired the St. Louis and Cairo Railroad , which was narrow gauge . 0 +"In 2013 , Saba began his rapping and continued to create his second Mixtape , "" ComfortZone "" ." "Saba began rapping in 2013 and continued to create his second mixtape , "" ComfortZone "" ." 1 +There is a limited incorporation , used in reflexive constructions . There is reflexive incorporation , used in limited constructions . 0 +In 1975 a group of five young photographers ( including Bronson Fellow Christopher Rauschenberg , son of Robert Rauschenberg ) pooled their resources to start a small gallery . In 1975 , a group of five young photographers ( including Bronson Fellow Christopher Rauschenberg , son of Robert Rauschenberg ) collected their resources to start a small gallery . 1 +The show , which was previously held in the city of Christchurch , was moved to Auckland in 2008 at Hagley Park . Previously held in the city of Christchurch , the show moved to Auckland at Hagley Park in 2008 . 1 +In 1912 she married the painter George Bouche , and they had a son , Edmond , in 1915 . Charmy and Bouche met in 1935 . In 1912 she married the painter George Bouche , and in 1915 she had a son , Edmond , who met Charmy and Bouche in 1935 . 1 +In August 2012 , the couple had their first child , Shalk Jr . In March 2014 , their second son Nicol was born . The couple had their first child in August 2012 , Nicol , and in March 2014 their second son Shalk Jr. was born . 0 +As a correspondent she traveled to Russia , Finland , Italy , France , Scotland , Estonia , Germany and in 1923 to Iceland . As correspondent she traveled to Russia , Finland , Italy , France , Scotland , Estonia , Germany and in 1923 , on a grant , to Iceland . 1 +For a vertical edge , we want to interpolate in horizontal direction by using only the column that is centered at the pixel . For a horizontal edge , we want to interpolate in vertical direction , using only the column centered on the pixel . 0 +Homer Township was established in 1837 by a department of Albion Township . Albion Township was established in 1837 by a department of Homer Township . 0 +Is used to find the nonlinear function of a local minimum . used to find the local minimum of a nonlinear function 0 +A screw-shaped camshaft is a type of mechanical variable valve actuation system ( VVA ) . A mechanical variable camshaft is a type of helical valve actuation ( VVA ) system . 0 +Morton was the son of John Morton , a Member of Parliament for Shaftesbury , and the nephew of William Morton , the Archbishop of Canterbury . Morton was the son of William Morton , a Member of Parliament for Shaftesbury , and a nephew of John Morton , the Archbishop of Canterbury . 0 +Dave Scott plays guitar and vocals , James Marino plays bass . James Marino plays guitar and vocals , and Dave Scott plays bass . 0 +In 1963 , Vogel established Bioforce AG in Feusisberg in Thurgau , Switzerland . He died in 1996 in Roggwil at the age of 94 . In 1963 , Vogel founded Bioforce AG in Roggwil in Thurgau , Switzerland , and died in 1996 at the age of 94 in Feusisberg . 0 +The 1978 Daytona 500 , the second race of the event , was the 20th round of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the 20th round of the event , was the second race of the NASCAR Winston Cup season in 1978 . 0 +A potential protocol for the use of sensitive flow control signals must be used , however , to avoid such deadlock conditions . A sensible protocol for the use of such transmission flow control signals must be used , to avoid potential deadlock conditions , however . 0 +""" Love Me "" is a song from the Bee Gees , recorded on the 1976 album "" Children of the World "" ." """ Love Me "" is a song released by the Bee Gees , recorded on the 1976 album "" Children of the World "" ." 1 +It was first successfully completed on 26 March 2012 by a twelve-year-old American , Tom Schaar . It was first completed successfully by a 12-year-old American , Tom Schaar , on March 26 , 2012 . 1 +Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had had 11.2 and Sarnia had 12.7 . "Vancouver also had 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Toronto had 7.9 , Montreal had 11.2 and Sarnia had 12.7. """ 0 +"The area was briefly threatened by Shi'a extremists known as Assassins ( "" Hassassin "" ) and in 1260 the Mongols also swept through Syria ." "The area was also threatened by Shia extremists known as assassins ( "" hassasin "" ) , and in 1260 the Mongols swept through Syria briefly ." 0 +Asad Bashir Khan Khattak married businessman Malik on 25 December 2013 in Dubai . Asad Bashir Khan Khattak married businessman Malik in Dubai on December 25 , 2013 . 1 +The nasal opening for the Eurasian species is triangular , unlike that of the North American race , which is square . The nasal opening for North American species is triangular , unlike that of the Eurasian race , which is square . 0 +The manga series was written by Yukimaru Katsura and was illustrated by Satoru Akahori . "The manga series "" was written by Satoru Akahori and illustrated by Yukimaru Katsura ." 0 +The music was composed by ONV Kurup and Vayalar Ramavarma and the lyrics by G. Devarajan were written . The music was composed by G. Devarajan and the lyrics by ONV Kurup and Vayalar Ramavarma were written . 0 +Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by East Coast Railway . Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated from the East Coast railway . 1 +In each of the three team events France won a medal , but won no more gold medals . France won a medal in each of the three team events , but took no more gold medals . 1 +During the five days of the journey , he studied some books about Elba which he brought from Fontainebleau . During the five days of the journey he studied some books about Elba , which he brought by Fontainebleau . 1 +Honey bees have three castes : drones , workers , and queens . Drones are male , while workers and queens are female . Honey bees have three castes : drones , workers and queens , drones are male , workers and queens are women . 1 +According to the United States Census Bureau , the area is a total area of which has land and ( 0.0 % ) of which is water . According to the United States Census Bureau , the district has a total area , of which land and ( 0.0 % ) of it is water . 1 +Alliances with CPU - Set players can be controlled only at the beginning of the game . Alliances with CPU controlled players can only be set at the beginning of the game . 0 +Julius Pomponius Laetus ( 1428 - June 1498 ) , also known as Giulio Pomponio Leto , was an Italian humanist . Julius Pomponius Laetus ( 1428 -- 9 June 1498 ) , also known as Giulio Pomponio Leto , was an Italian humanist . 1 +The manga series was written by Satoru Akahori and represented by Yukimaru Katsura . "The manga series "" was written by Satoru Akahori and illustrated by Yukimaru Katsura ." 1 +Guillermo Cañas won against Juan Carlos Ferrero in the final with 7 : 6 , 6 : 2 . Juan Carlos Ferrero won in the final 7-6 , 6-2 , against Guillermo Cañas . 0 +Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey player and Canadian professional player . Marc Bergevin ( born August 11 , 1965 ) is a Canadian professional ice hockey executive and former player . 0 +"In "" The Guardian "" in 2006 , George Monbiot argued in opposition to Stanage , who had written that the Iraqi insurgency was comparable to the IRA ." "In "" The Guardian "" of 2006 , George Monbiot argued in contrast to Stanage , who had written that the Iraqi insurgency was comparable to the IRA ." 1 +Previously , this requirement was required only for third perpetrators and permitted for second offenders , and then for a three-year period . Previously , this requirement was only required for third offenders and permitted for second offenders , and then for a three-year period . 1 +Jana Novotná and Jim Pugh won in the final 7 -- 5 , 6 -- 3 against Elizabeth Smylie and Patrick McEnroe . Elizabeth Smylie and Patrick McEnroe won against Jana Novotná and Jim Pugh in the Final 7 : 5 , 6 : 3 . 0 +The mineral is only formed in the Bon Accord nickel deposit in South Africa , where it has been found by replacing chromite and by trevorite . The mineral is only formed in the Bon Accord Nickel Deposit in South Africa where it has been found by replacing chromite and rimmed by trevorite . 1 +Luders became an assistant coach of West Adelaide in 2009 and is the father of West Adelaide player Scott Luders . In 2009 , he became assistant coach of West Adelaide and is the father of West Adelaide player Scott Luders . 1 +In 1986 , Timothy married Torlot Bridie Morton . Timothy Torlot married Bridie Morton in 1986 . 1 +The 1907 -- 08 Istanbul Football League season was the first season of the league . Moda FC won the league for the fourth time . The Istanbul Football League season from 1907 to 08 was the fourth season of the League , Moda FC won the League for the first time . 0 +"It has a preparatory school ( "" Cornway Junior College "" ) and a high school ( "" Cornway Senior College "" ) ." "It has a high school ( "" Cornway Junior College "" ) and a nursery school ( "" Cornway Senior College "" ) ." 0 +Although its conjugate acid is highly reactive , peroxynitrite is stable in basic solutions . Although its conjugatic acid is highly reactive , peroxynitrite is stable in basic solutions . 1 +The Bluemont Junction Trail in Arlington County replaced the line between Washington Boulevard and Bluemont Junction . Arlington County 's Washington Boulevard replaced the line between Bluemont Junction Trail and Bluemont Junction . 0 +""" The Brute Man "" was the seventh episode of the second season that was broadcast on 10 February 1996 in Comedy Central ." """ The Brute Man "" was the second episode of the seventh season , broadcast on February 10 , 1996 in Comedy Central ." 0 +He was born in Podgorica ( today Titograd ) in a family of musicians and grew up there . He was born and grew up in Titograd ( now Podgorica ) in a family of musicians . 0 +The song was originally produced by Johnny J and features Hurt-M-Badd , Big Syke , Mopreme Shakur , Yaki Kadafi & E.D.I.. The song was originally produced by Mopreme Shakur and features Hurt-M-Badd , Big Syke , Johnny J , Yaki Kadafi 'E.D.I . 0 +Top Gear Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Snowblind Studios and published by Kemco . Hyper Bike is a motorcycle racing game for the Nintendo 64 , which was developed by Snowblind Studios and published by Kemco . 1 +In Japan a region free 1080p Blu-ray is available with English Dolby TrueHD 2.0 track . In Japan , a region free 1080p Blu - ray with English Dolby TrueHD 2.0 - track is available . 1 +For the next thirty years , Kriebel and Bates marketed over 100 Warner Sallman works . In the next thirty years , Kriebel and Bates marketed over 100 Warner Sallman works . 1 +He fell off the horse several times and , as often , was reassembled . He fell off the horse several times and was as often remounted . 1 +Rozova is currently signed with Wilhelmina Models in New York and Style International Management in Hong Kong . Currently Rozova is contracted with Wilhelmina Models in Hong Kong and Style International Management in New York . 0 +Mhasad is a village in Dahanu - district of Maharashtra , India . It is located in the Palghar Taluka . Mhasad is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . 1 +For the recording of this album , a new drummer , Dave Traves , joined the band , as were a second guitarist Heyden Wilson . For the recording of this album , a new drummer , Heyden Wilson , joined the band , as did a second guitarist Dave Traves . 0 +Withypool lies in the River Barle on the Barle Valley . The village is on the route of the Two Moors Way and the Celtic Way Exmoor Option . Withypool is located in the Barle Valley on the Barle River . The village lies on the route of the Two Moors Way and the Celtic Way Exmoor option . 0 +There are many Vithoba temples in Maharashtra , and some in Karnataka , Tamil Nadu and Andhra Pradesh . In Karnataka there are many Vithoba temples and some are in Andhra Pradesh , Tamil Nadu and Maharashtra . 0 +The Ciunget - River is a tributary of the River Argintărie in Romania . The Argintărie - River is a tributary of the River Ciunget in Romania . 0 +Year 6 inferior Venus relies on Arahsamnu 28 and rises after 3 days on Kislimu 1 1 . Year 6 inferior Venus rises on Arahsamnu 28 and after 3 days sets on Kislimu 1 . 0 +When it was added commercially , illustrations by J. Augustus Knapp were printed . When commercially added , illustrations were printed by J. Augustus Knapp . 1 +The posted speed limit is generally , reduced as low as within the two cities . The reduced speed limit is generally as low as within the two cities . 0 +Hamilton also designed the Doric column for the statue of John Knox ( 1825 ) in the Glasgow Necropolis ( see Glasgow 's public statues ) . John Knox also designed the Doric column for the statue of Hamilton ( 1825 ) in the Glasgow necropolis ( see the public statues of Glasgow ) . 0 +It formally investigated the mechanics of social networks and articulated the mathematical consequences of these ( including the degree of connectedness ) . It formally articulated the mechanics of social networks , and explored the mathematical consequences of these ( including the degree of connectedness ) . 0 +A KWL chart can be used for all subjects in a small group or in a whole group atmosphere . A KWL chart can be used for all subjects in a small group or whole group atmosphere . 1 +The main father and spiritual initiator of this wine school was Immanuel Dornfeld . Immanuel Dornfeld was the main father and the spiritual initiator of this wine school . 1 +He claimed that four Ukrainian soldiers were killed , while two of his men were wounded during the battles . He claimed that four Ukrainian soldiers were injured , while two of his men were killed during the fighting . 0 +He has a Norwegian mother and a Portuguese father , and spent part of his childhood in Lisbon . He has a Portuguese mother and a Norwegian father and has spent part of his childhood in Lisbon . 0 +( Kansas vs. Oklahoma State has been uninterrupted since 1910 , one year longer than Oklahoma vs. Kansas St . ) ( Oklahoma vs. Oklahoma State has been uninterrupted since 1910 , a year longer than Kansas vs. Kansas St . ) 0 +The Wild Party is a 1956 US American crime film , staged by Harry Horner and written by John McPartland . The Wild Party is a 1956 American crime film directed by John McPartland and written by Harry Horner . 0 +Major competitors of Tata Steel include ArcelorMittal , Essar Steel , Jindal Steel and Power , JSW Steel , SAIL and VISA Steel . Major competitors of VISA Steel include ArcelorMittal , Essar Steel , Jindal Steel and Power , Tata Steel , SAIL and JSW Steel . 0 +In 1883 , the see of Kilmacduagh was united with Kilfenora , and the bishops of the united see were also made permanently apostolic administrators of Galway . In 1883 the headquarters of Kilmacduagh was united with Kilfenora , and the bishops of the united chair were also made permanently apostolic administrators of Galway . 0 +Conneaut is situated along Lake Erie at the mouth of Conneaut Creek . Conneaut Creek is situated at the mouth of the Erie lake along Conneaut . 0 +Late in 2016 , Skapetis had tests at several clubs , including Sheffield United , Cardiff City , and Derby County . Skapetis had trials at several clubs including Sheffield United , Cardiff City and Derby County late in 2016 . 1 +BBC South East is the English region of the BBC , serving Kent , West Sussex , part of East Sussex and a small part of Surrey . BBC South East is the BBC English region serving Kent , East Sussex , part of West Sussex and a small part of Surrey . 0 +The temple is renovated and was maintained around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . The temple has been renovated and was maintained around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 1 +The bibliography of the book of Han ( 2nd century AD ) lists Agriculturalism as one of ten philosophical schools and presents 9 books that belong to this school . The bibliography of the Book of Han ( 2nd century AD ) presents Agriculturalism as one of 10 philosophical schools and lists 9 books belonging to that school . 0 +Creswell is served by the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC . Creswell is served by the daily Roanoke Beacon from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . 0 +The basketball team of Idaho State Bengal - Men 2014 -- 15 represented Idaho State University during the 2014 Basketball season -- 15 NCAA Division I men . The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengals during the 2014 Basketball season -- 15 NCAA Division I mens . 0 +In the 476th round ( 16th total ) of the Major League Baseball draft in 2004 , Arizona Reynolds was selected by the Arizona Diamondbacks . In the 16th round ( 476th total ) of the Major League Baseball draft in 2004 , Arizona Reynolds was selected by the Arizona Diamondbacks . 0 +The plant grows on wet , often slightly calcareous , rocks and ledges . The plant grows on calcareous , often slightly wet rocks and cliffs . 0 +Chris Anderson took over from Wayne Bennett as coach of the team in March 1999 . In March 1999 , Chris Wayne Bennett took over the succession of Chris Anderson as team coach . 0 +Holsman gave the Parkway Garden Homes a European design inspired by Modernist housing projects of the 1920s and 1930s . Holsman gave the Parkway Garden Homes a European design , inspired by modernist residential projects of the 1920s and 1930s . 1 +TobyMac married Kerri McKeehan , sister of Stuart , in 1995 . Kerri McKeehan , sister of Stuart , married TobyMac in 1995 . 1 +Walter Lyhert ( or Walter Hart ; died 24 May 1472 ) was a medieval Bishop of Norwich . Walter Hart ( or Walter Lyhert , died on 24 May 1472 ) was a medieval bishop of Norwich . 1 +In 1889 , Esler sold Charles Conger , who sold it to Horace Nichols in May 1891 . Esler sold it to Charles Conger in 1889 , who sold it to Horace Nichols in May 1891 . 1 +Daka sends his American followers together with a zombie that he controls via an electronic brain implant by microphone to steal the precious metal . Daka sends his electronic henchmen together with a zombie he controls by microphone via an American brain implant to steal the precious metal . 0 +In 1774 , its earliest settlers were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . Its earliest settlers were George McCormick and George Woods in 1774 , who settled in Spring Mills in 1773 and built the first mill there . 0 +Grand Inquisitor ( 1699 - 1774 ) was a Spanish cleric who was Manuel Quintano Bonifaz from Spain from 1755 to 1774 . Manuel Quintano Bonifaz ( 1699 -- 1774 ) was a Spanish cleric who was Grand Inquisitor of Spain from 1755 to 1774 . 0 +"Benjamin Hallowell 's other works in Washington , D.C. include sculptures of Bailly and Alexander "" Boss "" Shepherd ." "Other works by Benjamin Hallowell in Washington , D.C. , include sculptures of Bailly and Alexander "" Boss "" Shepherd ." 1 +The path is framed by five balconies with a circular fountain in the middle and each balcony is characterized by a simple ring of grass . The path is framed by five balconies with a circular fountain in the centre and each balcony is characterized by a simple ring of grass . 1 +The game created a 32 - digit unique password after successful completion of a level that was also the player name alphanumeric to allow for a later resumption . The game created a 32 - digit alphanumeric password after successful completion of a level , which was also unique to the player 's name in order to allow for a later resumption . 0 +When he was succeeded by Plettner in 1981 , Karlheinz Kaske became the first chairman of the supervisory board not to be a member of the Siemens family . In 1981 , when he succeeded Karlheinz Kaske , Plettner became the first Chairman of the Supervisory Board who was not a member of the Siemens family . 0 +Wulffius fled to Germany with her son where she lived until she came to Australia in 1953 . Wulffius fled with her son to Germany , where she lived until she came to Australia in 1953 . 1 +Shivachevo is a small town in the Sliven Province located on the southern slopes of the Balkan Mountains in central eastern Bulgaria . Shivachevo is a small town in the province of Sliven , on the southern slopes of the Balkan Mountains in Central Eastern Bulgaria . 1 +"Qaasuitsup ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the Uigorlersuaq Island municipality in northwestern Greenland ." "Uigorlersuaq Island ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the Qaasuitsup municipality in northwest Greenland ." 0 +When Andrew Alexander left the Cyclops works , the Alexander family moved from Sheffield to Bath and Patrick decided on a career in the Merchant Navy . When Andrew Alexander left the cyclops , the Alexander von Bath family moved to Sheffield and Patrick decided to carry on a career in the Merchant Navy . 0 +Foley worked with , among others , Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block , and Calvin Russell . Foley worked together with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , amongst others . 1 +Its natural habitats are subtropical or tropical dry forest and subtropical or tropical marshland . Its natural habitats are subtropical or tropical forest and subtropical or tropical dry swampland . 0 +If the optical fashion frequency is smaller than the typical separation of the mechanical modes . If the mechanical mode frequency is smaller than the typical separation of the optical modes . 0 +Riggs was born in Atlanta , Georgia , the son of William Riggs ( born Carlton ) and Gina Ann . He has a younger brother , Grayson . He was born in Atlanta , Georgia , the son of Gina Ann ( b. Carlton ) and William Riggs , and has a younger brother , Grayson . 0 +During the reign of Ali Adil Shah II of the Bijapur Sultanate , Afzal Khan was a leading hoffigur . Afzal Khan was a leading court figure during the reign of Ali Adil Shah II of the Bijapur Sultanate . 0 +Poulenc later reduced the full score to a shorter orchestral suite . Later , Poulenc reduced the full score to a shorter orchestral suite . 1 +Families come from a variety of Protestant denominations , including Christian , Coptic , Messianic , Jewish , Orthodox , and Roman - Catholic . Families are drawn from a variety of Protestant denominations including Christian , Coptic , Messianic Jewish , Orthodox , and Roman Catholic . 1 +The academy consists of central hall , east wing , west wing and a garden . The academy consists of eastern hall , central wing , west wing and a garden . 0 +Louis Philippe visited the individual exhibits on Mondays , as Napoleon had done . On Monday , Louis Philippe visited the individual exhibits , as Napoleon had done . 1 +The song was written by Thicke and Lamar alongside Dr. Luke and was produced by will.i.am and Cirkut . The song was written by Thicke and Lamar alongside will.i.am , and produced by Dr. Luke and Cirkut . 0 +Lazkao is a town and municipality located in the Goierri region of the province of Gipuzkoa , in the Basque Autonomous Community in Northern Spain . Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Basque Country Autonomous Community of Northern Spain . 1 +Or the Egg object could instead call properties and use methods . Or the Egg object could use properties , and invoke methods instead 0 +Over the Bush River and Appomattox River it is part of the watershed of the James River . Via the Bush River and the Appomattox River , it is part of the James River watershed . 1 +Among the tenants are the 21st Governor - General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth - Parliament of Australia . Among the tenants are the 21st Governor-General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth Parliament of Australia . 1 +On April 27 , 1763 , a council of several American Indian tribes from the Ottawa region listened to a speech from the Detroit leader Pontiac . On April 27 , 1763 , a council of several Indian tribes from the Ottawa region listened to a speech by the Detroit leader Pontiac . 0 +The speakers were Caryl - Austrian , President of WHF Washington , and Anita Miller ( then at the Ford Foundation ) . Caryl Austrian , President of WHF Washington , and Anita Miller ( then with the Ford Foundation ) were the speakers . 1 +He was the brother of actor Barry Lupino ( 1882 -- 1962 ) and the father of Ida Lupino . He was the brother of actor Barry Lupino ( 1882 - 1962 ) and the father of Ida Lupino . 1 +Canada is represented by its UN mission in New York City in Cambodia . Cambodia is represented through its UN mission in New York , Canada . 0 +In addition to the official Mexican teaching programme , the German language was only taught as a foreign language . The German language was only taught as a foreign language in addition to the official Mexican teaching program . 1 +In the 1970s Suzuki was one of the first buyers of Woolrich fashion in America . In 2006 he became a designer for Woolrich Woolen Mills in Japan . In the 1970s , Suzuki was one of the first customers of Woolrich Mode in America , in 2006 he became a designer for Woolrich Woolen Mills in Japan . 1 +Small populations have also been found in western Illinois and eastern Oklahoma . Small populations have also been found in the western Illinois and eastern Oklahoma . 1 +Here , Miles notices that he himself caused his father to leave his mother and his three-month-old self to order . Here , Miles realizes that he himself caused his father to order his mother and his three-month-old self to leave . 0 +In 2000 , he co-founded EarthEcho International with his mother Jan Cousteau and his sister Alexandra Cousteau . In 2000 , he founded together with his mother Alexandra Cousteau and his sister Jan Cousteau EarthEcho International . 0 +The circumstances of Birinski 's early life are quite different ; indefinite sources offer eight possibilities of his birthplace and date . The circumstances of Birinski 's early life are quite different ; indefinite sources offer eight possibilities of his place and date of birth . 1 +It failed again a few years later but soon reopened again . A few years later it failed again , but opened again soon . 1 +In general , Ireland came under the influence of Protestantism , with the exception of most of northern Europe . Northern Europe , with the exception of most of Ireland , generally came under the influence of Protestantism . 0 +Much of the film was shot in New Brunswick ; Gladstone , New Jersey and the Palisades Park home of the producer . Much of the film was shot in Gladstone , New Jersey , New Brunswick , and Palisades Park , the home of the producer . 1 +In physics equipotential ellipsoids appear as confocal surfaces . Equipotential ellipsoids appear in the physics as confocal surfaces . 1 +Soichiro Akizuki is portrayed by Kantaro Suga . Kantaro Suga is being portrayed by Soichiro Akizuki . 0 +The different languages that are spoken across the Pacific and Indian Oceans are represented by the Austronesian Chamic group in MSEA . The divergent languages , spoken across the Pacific and Indian Oceans , are represented in MSEA by the Austronesian Chamic group . 1 +Herbert Hepburn Calvert was born in London on December 30 , 1870 , and was the first son of the journalist Thomas Calvert and his wife Grace ( near Hepburn ) . Herbert Hepburn Calvert was born on 30 December 1870 in London . He was the first son of journalist Thomas Calvert and his wife Grace ( née Hepburn ) . 1 +The population is concentrated in the Andean highlands and along the Andean coast , generally the population densities are also higher in the Caribbean region . The population is concentrated in the Andean highlands and along the Caribbean coast , and the population densities in the Andean region are usually higher . 0 +In the 2015 regional elections , after Tosi was excluded by the Federal Party , Gidoni was elected to the Veneto Regional Council in the province of Belluno . In the 2015 federal election , Gidoni became elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . 0 +Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey player and Canadian professional player . Marc Bergevin ( born August 11 , 1965 ) is a Canadian ice hockey player and former gamer . 0 +Lottia emydia is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . Lottia emydia is a sea snail species , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 0 +Only 11 days after his second in a $ 1,500 Limit Hold ' ; em Shootout Event Mueller won his first World Series of Poker bracelet and $ 194,909 . Only 11 days after his first in a $ 1,500 Limit Hold ' ; em Shootout Event Mueller won his second World Series of Poker bracelet and $ 194,909 . 0 +Multicategoried verbs and Prototypical prepositions exist along a cline with verbs at the start , prepositions at the end , and prototypical word types in the middle . Multicategorized verbs and prototypical prepositions exist along a cline , with verbs at the beginning , prepositions at the end and prototypical word types in the middle . 1 +The Swiss Federal Council and the Swiss Federal Assembly recommended that the initiative be rejected . The Swiss Federal Council and the Swiss Federal Assembly have recommended that the initiative be rejected . 1 +"In South Korean culture , "" Pokarekare Ana "" was used as the title song for the film "" Crying Fist "" , popular in 2005 ." """ Pokarekare Ana "" was used in the popular culture as the title song for the 2005 South Korean film "" Crying Fist "" ." 0 +The Olt River is a right tributary of the Madicea River in Romania . The river Madicea is a tributary of the River Olt in Romania . 0 +Michele Michele Emmer was the father of mathematician , writer and director Luciano Emmer . Luciano Emmer was the father of mathematician , writer and director Michele Emmer . 0 +He received the title of a baron of Harsefeld in Bremen , then in Swedish hands when he was a French ambassador in Hamburg . He received from her the title of Baron of Harsefeld in Bremen , then in Swedish hands , when he was French ambassador in Hamburg . 1 +Shaffer Creek is a tributary of the Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania , United States . Shaffer Creek is a tributary of the Raystown Branch Juniata River ( Brush Creek ) in Bedford County , Pennsylvania , United States . 1 +French Island is a very small uninhabited island situated northwest of Barrallier Island in Victoria , Australia . Barrallier Island is a very small uninhabited island located northwest of French Island in Victoria , Australia . 0 +Without a big attacker , Garzelli was very constant and could go with the best climbers on a good day . Without being a constant attacker , Garzelli was very good and on a great day , he could go with the best climbers . 0 +DeWitt Clinton School is a Chicago Public School located on the north side of Chicago , Illinois . DeWitt Clinton School is a Chicago Public School on the north side of Chicago , Illinois . 1 +"The longtime owner and publisher of the "" Hyde Park Herald "" remains Paul Sagan . He is father of Bruce Sagan , the former CEO of Akamai Technologies ." "Paul Sagan , a longtime owner and publisher of "" Hyde Park Herald , is the father of Bruce Sagan , the former CEO of Akamai Technologies ." 1 +Károli started his school in Nagykároly , graduated in Brassó , went to the Wittenberg Academy in 1556 and ordered the Synod of Gönc in 1566 . Károli started his school in Brassó and closed in Nagykároly , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . 0 +"In 2008 , the Vatican began an "" ecological island "" for renewable waste and continued the initiative in the whole Papacy of Francis ." "In 2008 , the Vatican began a "" renewable island "" for ecological waste and continued the initiative throughout the Papacy of Francis ." 0 +"USS "" Dorothea L. Dix "" ( AP-67 ) was a transport ship of the United States Navy named for Dorothea Dix ( 1802 -- 1887 ) ." "The USS "" Dorothea L. Dix "" ( AP-67 ) was a transport ship of the United States Navy , named after Dorothea Dix ( 1802 -- 1887 ) ." 1 +KOTC 36 : Albuquerque , New Mexico , United States , an event was held on May 15 , 2004 at Sky City Casino in Albuquerque . KOTC 36 : Albuquerque was an event held on May 15 , 2004 at Sky City Casino in Albuquerque , New Mexico , USA . 0 +She is portrayed by Katherine McNamara in the film adaptation of the book and Lily Collins in the television series . It is portrayed by Lily Collins in the film of the book and Katherine McNamara in the television series . 0 +Included : Eileen Way , Gary Watson , Simon Oates and Roy Stewart , Vivien Merchant , Sean Connery , Barry Foster , Michael Gough and Peter Bayliss . Cast included : Sean Connery , Barry Foster , Michael Gough , Peter Bayliss , Vivien Merchant , Eileen Way , Gary Watson , Simon Oates and Roy Stewart . 1 +He can excommunicate non-Catholic kingdoms and call for crusades against the Catholic Kingdoms . He can excommunicate Catholic kingdoms and call crusades against non-Catholic kingdoms . 0 +In 1998 , Rituparna Sengupta and Indrani Halder shared the National Film Award for the film as Best Actress , Ghosh won the National Film Award as Best Screenplay . Rituparna Sengupta and Indrani Halder shared the National Film Award for Best Actress in 1998 for the film . Ghosh won National Film Award for Best Screenplay . 1 +Codice _ 13 is also a compiler magic function of Oxygene . It is not a conditional function and is at compile time unrolled to real statements . Codice 13 is also a compiler - magic - function of oxygene , but is not a real function and is rolled back to conditional statements at compile time . 0 +His wife , Lydia , who was also an accomplished artist , illustrated some of the books Freeman authored . His wife , Lydia , who was also an accomplished artist , illustrated some of the books that Freeman wrote . 1 +Gandini was born on May 19 , 1906 in Parma to Ernesto Gandini and Diomira Di Centa of Venice . Gandini was born in Venice on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Parma . 0 +It has been developed by FunLabs and is published by Activision . It is published by FunLabs and developed by Activision . 0 +Jacopo Silvestri ( 16th century -- 15th century ) was an Italian cryptographer and author . Jacopo Silvestri ( 15th -- 16th century ) was an Italian cryptographer and author . 1 +The Simpsonville - Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of Columbia , Maryland - land development . The Simpsonville Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of the Columbia , Maryland land development . 1 +The Patriarchal is a member of Metropolitan Synod . The metropolitan is a member of the Patriarchal Synod . 0 +In 1281 Simon de Brion was appointed by Pope Martin IV ( Simon de Beaulieu ) as Archbishop of Bourges . In 1281 Simon de Brion was appointed Archbishop of Bourges by Pope Martin IV ( Simon de Beaulieu ) . 1 +Some of the visual effects used for these events are deliberately fake , while others are very realistic . Some of the visual effects used for these events are deliberately fake , whereas others are very realistic . 1 +Lewandowski opened the scoring in the 9th minute , followed by Xabi Alonso four minutes later . In the 9th minute , Lewandowski opened the lead , followed by Xabi Alonso four minutes later . 1 +The Pope ruled Marie Marriage with Agnes as illegitimate , and William was given the throne . The Pope ruled William 's marriage to Agnes as illegitimate and Marie was given the throne . 0 +The band consisted of Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector and Chino Mariano . The band comprised Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector and Chino Mariano . 1 +He devoted the work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : Rachmaninoff dedicated the work to his friend the violinist Fritz Kreisler . He wrote to another friend , the composer Nikolai Medtner , on 21 December 1931 : 0 +It has served as a forum for speakers ranging from Tennessee Williams , Pete Seeger and Phil Donahue to Henry James , William Butler Yeats and William Jennings Bryan . It has served as a forum for speakers ranging from Henry James , William Butler Yeats and William Jennings Bryan to Tennessee Williams , to Pete Seeger and Phil Donahue . 0 +Regular contributors to this show include Sharon Epperson ( NYMEX ) , Rick Santelli ( Chicago ) , Steve Liesman , Guy Adami and CNBC Senior Analyst Ron Insana . Regular contributors to the show include Rick Santelli ( NYMEX ) , Ron Insana ( Chicago ) , Sharon Epperson , Guy Adami and CNBC senior analyst Steve Liesman . 0 +Winter has a dry climate , the hottest in October and November and most likely wet in April and May . The conservancy has a dry climate , hottest in October and November and most likely to be wet in April and May . 0 +On October 1 , the army comprised the 2nd rifle - division , 8th rifle - division , 29th rifle - division and the 140th rifle - division . On 1st October , the army included the 140th Rifle Division , 8th Rifle Division , 29th Rifle Division and the 2nd Rifle Division . 1 +Connor betrayed Shield Corporation by telling Neyman the truth about the status of the ozone layer . Neyman had betrayed the Shield Corporation by telling Connor the truth about the ozone layer 's status . 0 +He died in Edinburgh on 28 August 1901 . He had married , in Mauritius in 1870 , Charlotte , the daughter of Percy Fitzpatrick . He died in Mauritius on 28 August 1901 and married Charlotte , daughter of Percy Fitzpatrick , in Edinburgh in 1870 . 0 +"The spacecraft is the first application of Astrium "" Flexbus "" platform , GRACE was the second ." "The spacecraft is the second application of the "" Flexbus "" platform by Astrium , GRACE was the first ." 0 +For many years members of the Jesus Christians distributed religious literature , much of it written by Dave McKay . For many years distributed members of the Jesus-Christian religious literature , much of it written by Dave McKay . 1 +The music was composed by John Farrar with lyrics written by Sir Tim Rice . The book is by Cliff Richard and Frank Dunlop . The music was composed by Tim Rice with texts by Sir Cliff Richard and Frank Dunlop . The book is by John Farrar . 0 +The Romance language currently spoken in Galicia is closely related to the Portuguese language used mainly in Brazil and Portugal . The Romance language currently used in Galicia , Galician ( Galego ) is closely related to the Portuguese language spoken mainly in Brazil and Portugal . 1 +Nowa Wieś Lęborska is a PKP station in Nowa Wieś Lęborska ( Pomeranian Voivodeship ) , Poland . Nowa Wieś Lęborska is a PKP railway station in Nowa Wieś Lęborska ( Pomeranian Voivodeship ) , Poland . 1 +December 18 : Received Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . On December 18 , Shawn received Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . 0 +Inception is a science fiction film from 2010 , co-produced by Emma Thomas and written , co-produced and staged by Christopher Nolan . Inception is a science fiction film from 2010 , written , co-produced and staged by Christopher Nolan and co-produced by Emma Thomas . 1 +He then taught in Ohio , Ithaca , Dayton , Pennsylvania ( Cornell University ) , New York City ( Penn State ) , and Minneapolis , Duluth . He taught in Minneapolis , Duluth , Dayton , Ohio , Ithaca ( Cornell University ) , Pennsylvania ( Penn State ) and New York City . 0 +She reached Melbourne on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . She reached Sydney on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . 0 +The names of Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man and Tingvoll in Scotland bear the same roots and meanings . Dingwall and Tingwall in Scotland , Thingwall in England , Tynwald on the Isle of Man , and Tingvoll in Norway bear names of the same root and meaning . 0 +Owobale was born in the Netherlands to a Dutch father and a Nigerian mother . In the Netherlands , Owobale was born into a Nigerian father and a Dutch mother . 0 +"The progress teacher Jürgen Reichen ( Swiss Education ) founded this method "" Writing to read "" 1982 ." "In 1982 , the Swiss teacher Jürgen Reichen ( progressive education ) founded this method "" Writing to read "" ." 0 +Another important route that crossed the area of Campbelltown included the road that led from the settlement Bindnagle to Palmyra , which is now PA 117 . Another important route that crossed the Palmyra area included the road that led from the settlement Bindnagle to Campbelltown , which is now the PA 117 . 0 +He recorded cylinders for the Edison company before coming to the United States , and these were marketed in the U.S. to the German-speaking population . He recorded cylinders for the Edison company before coming to the USA , and these were marketed to the German-speaking population in the United States . 1 +The municipality is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. Johns and northeast of Placentia . The community is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. John 's and northeast of Placentia . 1 +Wolfbot had also the ability to bind webbing to shoot his victims . Wolfbot also had the ability to shoot webbing to bind his victims . 0 +In 1697 he was re-elected as a Whig Member of Parliament for Eye and sat until 1713 , when he was returned to Lymington . In 1697 , he was returned to Eye as a Whig Member of Parliament , and sat until 1713 , when he was re-elected to Lymington . 0 +Johann Rupert , the eldest son of Rupert , is now the CEO of Richemont and Chairman of Remgro . Rupert 's eldest son , Johann Rupert , is now the CEO of Richemont and chairman of Remgro . 1 +In June 2003 , a contract was concluded between Pole , SARL of France and Vircom to give Pole European Operation rights for the exclusive hosting of the game . In June 2003 a deal was finalized between Pole , SARL of France and Vircom to give Pole exclusive operation rights for the European hosting of the game . 0 +In both New Spain and Peru , silver became the engine of the Spanish colonial economy . Silver became the motor of the Spanish colonial economy both in New Spain and in Peru . 1 +The incumbent was Jose Angelo Dominguez , his opponent was Vize - Mayor Resty Viloria . Jose Angelo Dominguez was the incumbent , his opponent was Vice Mayor Resty Viloria . 1 +His uncle William Dallison and his son Robert Dallison fought for King Charles . His uncle Robert Dallison and his son , William Dallison , have fought for King Charles . 0 +He left Italy in 1991 to work in the field of palliative care for cancer patients in Germany as well as in various countries in the Third World . In 1991 he left Italy to work in the area of palliative care for cancer patients in Germany as well as in various Third World countries . 1 +The formation of aggregates is influenced by electrostatic interactions , coordination between lithium and surrounding solvent molecules or steric additives , as well as polar effects . The formation of aggregates is influenced by electrostatic interactions , the coordination between lithium and surrounding solvent molecules or polar additives and steric effects . 0 +Its holding company , Guinness World Records Ltd , was owned by Diageo until 2001 , later Guinness plc . Its holding company , Guinness World Records Ltd , was owned by Guinness plc until 2001 , later Diageo . 0 +It was described by Alpheus Spring Packard in 1874 and is found in North America . It is found by Alpheus Spring Packard in 1874 and is described in North America . 0 +After Izumi drew some early character designs for Hibiki , Izumi wanted to continue the story and start a manga with Maeda as the artist . After Izumi drew some early character designs for Hibiki , Maeda wanted to continue the story and begin a manga with Izumi as the artist . 0 +"The Chateau has planted with Cabernet Sauvignon , Merlot , and Cabernet Franc . A second wine is produced under the label "" Vivens "" ." The chateau has planted with Cabernet Sauvignon , Merlot and Cabernet Franc . A second wine is produced under the label “ Vivens ” . 1 +"In the Marvel - Zombies - universe , Namor has a cameo performance as a zombie in the original limited edition "" Marvel - Zombies "" ." "In the Marvel Zombies universe , Namor has a cameo as a zombie in the original "" Marvel Zombies "" limited series ." 1 +In 1406 he had the Juliana Anicia Codex of Dioscurides restored , added a rebound and a table of contents and extensive scholies in Byzantine - Greek minuscles . In 1406 he had added the Juliana Anicia Codex of Dioscurides , rebound and a table of contents and Minuskel scholia in Byzantine Greek extensively restored . 0 +Software ranged from advanced mortgage interest calculations , word processing , games , and utilities to simple payroll , accounting , and industry-specific applications . Software ranged from advanced mortgage interest calculations , word processing , games and utilities to simple payroll , accounting and industry specific applications . 1 +Robbie Robertson , who learned the technique from Buchanan , used the technique , as did Leslie West . Robbie Robertson , who learned the technique of Buchanan , used the technique , as did Leslie West . 1 +In July 2013 , Lone Star comics sold three of their five remaining stores in Mesquite , Hurst and Plano . In July 2013 , Lone Star Comics sold off three of their five remaining stores in Plano , Hurst and Mesquite . 1 +When the n vectors are linear orthogonal , equality is achieved in Hadamard 's inequality if and only if the vectors are independent . If the n vectors are linearly independent , equality in the inequality of Hadamard is achieved if and only if the vectors are orthogonal . 0 +Bhils have the highest population in Khargone district followed by Dhar , Barwani and Jhabua districts . Bhils have the highest population in Khargone district , followed by Dhar , Barwani and Jhabua . 1 +The Coldfoot Airport on the west side of Dalton Highway consists of a 1220 m high gravel strip . Dalton Highway , on the west side of the Coldfoot Airport , consists of a 4,000-foot ( 1220 m ) gravel strip . 0 +""" Darn That Dream "" is a popular song with music by Eddie DeLange and lyrics by Jimmy Van Heusen , published in 1939 ." """ Darn That Dream "" is a popular song with music by Eddie DeLange and texts by Jimmy Van Heusen , published 1939 ." 1 +"The first newspaper was published in the state in 1781 , and the weekly "" Vermont Gazette "" ." "The weekly was published in 1781 in the state , the first "" Vermont Gazette "" ." 0 +Later tetrodes and pentodes such as 817 and ( direct heated ) 813 were also used in large numbers in ( especially military ) radio transmitters Later , tetrodes and pentodes such as 817 and 813 ( direct military ) were also used in large quantities in ( especially heated ) radio transmitters . 0 +Ansong was his career with Great Olympics and here he signed a contract with Heart of Lions , which began as a captain later in the 2008 season . Ansong was his career by Great Olympics and here he signed a contract with Heart of Lions , later began in the season 2008 named as captain . 1 +In some cases , pain or at least discomfort is secondary or rather insignificant to the humiliation . In some cases , pain , or at least discomfort , is insignificant , or rather subordinates to humiliation . 0 +The London Reefs are located between and in the South China Sea of the Spratly Islands . The London Reefs are located between and around the Spratly Islands in the South China Sea . 0 +"Immediately after he and Whitehead wrote PM , he published his 1912 , "" The Problems of Philosophy "" ." "Immediately after he and Whitehead PM published , he wrote his 1912 "" The Problems of Philosophy "" ." 0 +"Nora Sayre called the film "" thoughtful and moving "" in the "" New York Times "" , but others were less admiring ." "Writing in "" The New York Times "" , Nora Sayre called the film "" admiring and moving "" but others were less pensive ." 0 +It is found in Australia , where it has been recorded from New South Wales , Queensland and South Australia . It is found in Australia , where it was recorded from New South Wales , Queensland and South Australia . 1 +In 2014 , Sarah Potts will join the World Curling Tour for her first season with new teammates Lilly , Oye-Sem Won Briand and Tirzah Keffer . In 2014 , Sarah Potts will attend the World Curling Tour for her first season with the new teammates Lilly , Oye-Sem Won Briand and Tirzah Keffer . 1 +"After the meeting with "" O 13 "" , which had returned from the Netherlands , both ships returned to West India ." "After meeting with "" O 13 "" , which returned from the West Indies , both ships returned to the Netherlands ." 0 +Today , Karmøy refers to the southern part of the island of Skudenes . Today , the Karmøy area refers to the southern part of Skudenes island . 1 +This is the infinite example : the unit group of ( the ring of integers ) of a real square field recovers above rank 1 , as Formula 7 . This recovers the above example : the unit group of ( the ring of integers of ) a real quadratic field is infinite of rank 1 , since formula _ 7 . 0 +Adventures Of Cow is a 2005 children 's picture book series by Marshall Taylor and illustrated by Lori Korchek . Adventures Of Cow is a picture book series from 2005 by Marshall Taylor and illustrated by Lori Korchek . 1 +There is a triangular junction at Tarcoola which joins Crystal Brook , Darwin and Perth . At Tarcoola there is a triangular junction which links Crystal Brook , Darwin and Perth . 1 +Nakamura has also worked on white LEDs and is responsible for generating the blue LED and green laser diodes used in Blu - ray Discs and HD DVDs . Nakamura has also worked on green LEDs , and is responsible for creating the white LED and blue laser diodes used in Blu-ray Discs and HD DVDs . 0 +"Sam Raimi and Rob Tapert produced the remake of "" The Evil Dead "" , along with Campbell ." "Together with Sam Raimi and Rob Tapert , Campbell has produced the remake of "" The Evil Dead "" ." 0 +She studied journalism in New York City for three years and has an MA in Mass Media from a university in London . She studied journalism for three years in New York City and holds an MA in mass media at a university in London . 1 +On August 2 , 2011 , Reeves defeated Billy Hewes . On 2 August 2011 , Reeves defeated Billy Hewes . 1 +It is a well-studied organism in the discipline of evolutionary biology and was an early and important model system for the research of European phylogeography . It is a well-studied organism in the discipline of European biology , was an early and important model system for the study of Evolutionary phylogeography . 0 +He was born in West Point , New York , and attended the Weber State University in Utah . Liparulo was born in West Point , Utah , and attended the Weber State University in New York . 0 +He has introduced a new form of Expressionism , based on Persian motives and its Oriental moods . He has introduced a new form of expressionism based on oriental motives and its Persian moods . 0 +""" Always and Forever "" , written by Alan Durant and illustrated by Debi Gliori , was nominated for the Kate Greenaway Medal in 2003 ." """ Always and Forever "" , written by Alan Durant and illustrated by Debi Gliori , was shortlisted for the Kate Greenaway Medal in 2003 ." 1 +After the United States Constitution was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . After the constitution of the United States was adopted in 1789 , the Bill of Rights of the United States was ratified in 1791 . 0 +According to Pliny the Elder , Emperor Augustus was so embarrassed enough by the history of the Roman plundering of Greek art to return some pieces to their original homes . According to Pliny the Elder , the Emperor Augustus was sufficiently embarrassed by the history of Roman plunder of Greek art to return some pieces to their original homes . 1 +Sjoukje Dijkstra was the father of Dijkstra , a figure skater who won a gold medal at the Winter Olympics in 1964 . Dijkstra was the father of Sjoukje Dijkstra , a figure skater who won a gold medal in the 1964 Winter Olympics . 0 +This bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge that crossed the Peace River . This current bridge was replaced by the original Barron Collier Bridge in 1931 , and then by the small Barron Collier Bridge and Gilchrist Bridge crossing the Peace River . 1 +The cephalothorax of the male is brownish in colour and that of the female is black . The cephalothorax of the male is coloured black and that of the female is brownish . 0 +The Suceviţa River is a tributary of the River Rusca in Romania . The Rusca River is a tributary of the River Suceviţa in Romania . 0 +The Crump family had a home in Bristol , while Phil in the British League , which he began with the Crewe Kings in 1971 , was running . The Crump family had a home in Bristol while Phil was racing in the British League , which he started doing in 1971 with the Crewe Kings . 1 +In 2008 , the Warrant Officer ranks of the South African National Defence Force were expanded and the rank of Master Warrant Officer was established . In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of a Master Warrant Officer was expanded . 0 +Jenkins married Ivy Vujic on 2 April 2011 . On April 2 , 2011 Ivy Vujic married Jenkins . 1 +He graduated from Kansas Newman College in 1976 and from Washburn Law School in 1979 . He graduated in 1976 from Washburn Law School and in 1979 from Kansas Newman College . 0 +Fox Latin America is the American version of the Latin American channel , FOX . FOX Latin America is the American version of the Latin American broadcaster FOX . 1 +"The following includes several operas which are considered closer to the traditional Chinese model of the opera than "" geju "" or western opera ." "The following includes some operas which are considered closer to the Chinese opera traditional model than "" geju "" or western opera ." 1 +In its Classical Period it was one of the greatest early empires . It was one of the greatest classical empires in its early days . 0 +Johann Rupert , Rupert 's eldest son , is now CEO of Richemont and Chairman of Remgro . Johann Rupert 's eldest son , Rupert , is now the CEO of Richemont and chairman of Remgro . 0 +Michael Michael Stich defeated Nicklas Kulti with 6 -- 3 , 1 -- 6 , 6 -- 2 . Nicklas Kulti defeated Michael Stich 6 -- 3 , 1 -- 6 , 6 -- 2 0 +On December 9 , 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . On 9 December 1979 , Carl von Basedow died as a result of a serious lung complaint in the Otto Müller clinic in Merseburg . 1 +""" CQ Politics "" assessed this race as "" Tossup "" . "" The Cook Political Report "" considered it as "" Lean Republican "" ." """ CQ Politics "" considered this race "" Tossup "" . "" The Cook Political Report "" assessed it as "" Lean Republican "" ." 0 +The organization encouraged Islamic unity and cohesion , while promoting American ideals . The organization promoted American unity and cohesion , while promoting Islamic ideals . 0 +The first section was on 15 December 1907 from Pasco west to Cliffs ( near Maryhill ) , opening a length of , . The first section to open was from Maryhill west to Cliffs ( near Pasco ) , a length of , on December 15 , 1907 . 0 +This world game is made for the Germans and has certainly played the pressure of international authority . This international game is made for the Germans and has certainly played the pressure of global authority . 1 +Pingding County is a county in the Province of Shanxi in the People 's Republic of China under the jurisdiction of Yangquan City . Pingding County is a county in Yangquan , People 's Republic of China under the jurisdiction of the city of Shanxi Province . 0 +Smith died in Grahamstown , Cape Province , in South Africa at the age of 76 . died at the age of 76 in South Africa , Grahamstown , Cape Province . 0 +Nicky Romero ( born January 6 , 1989 ) , known professionally as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . Nick Rotteveel ( born January 6 , 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . 0 +In addition to the strictly scientific work , de Broglie thought and wrote about the philosophy of science , including the value of modern scientific discoveries . In addition to rigorously modern scientific work , de Broglie thought and wrote about the philosophy of science , including the value of scientific discoveries . 0 +In 2004 , Sims was crowned Miss Junior National Teenager and later won the Miss Georgia Junior National Teenager title 2005 . In 2004 , Sims Miss Junior National Teenager was crowned and subsequently won the Miss Georgia Junior National Teenager title in 2005 . 1 +With 3 comrades , throughout the engagement , a position held courageously that secured water for the command . With 3 comrades , during the entire engagement , courageously secured a position that held water for the command . 0 +The earliest detectable lesion is a local narrowing or irregularity of the lumen . The earliest local lesion is a provable narrowing or irregularity of the lumen . 0 +Charles Henry Cooper was the son of Thompson Cooper , a Cambridge lawyer and antiquarian . Charles Henry Cooper was the son of Thompson Cooper , a Cambridge solicitor and antiquarian . 1 +Deutsche Bahn opened a new underground tunnel to the new railway station Filderstadt on 29 September 2001 . On 29 September 2001 , Deutsche Bahn opened a new tunnel to the new Filderstadt U-Bahn ( underground ) station . 0 +Sentence elements ( with the exception of verbs ) can be updated by moving to the beginning of the sentence and being marked with raised eyebrows . Sentence elements ( with the exception of verbs ) can be raised by being moved to the beginning of the sentence and marked with topicalised eyebrows . 0 +Bus services on the Luton to Dunstable Busway Route A also connect Parkway to Luton Airport . Bus connections on the Luton to Dunstable Busway Route A also connect Parkway to Luton Airport . 1 +The dividends have increased the total return on the average equity to double , around 3.2 % . "The dividends have increased the total "" real "" return on average equity to the double , about 3.2 % ." 1 +Caroline Hedwall won the NCAA Division I individual championship in 2010 under new coach Annie Young . Annie Young won the individual NCAA Division I championship under the new trainer Caroline Hedwall in 2010 . 0 +Both introduced the continuing influence of the literary and cultural materialism developed by Williams and his successors on cultural studies . Both traced the continuing influence on literary and cultural studies of the kinds of cultural materialism developed by Williams and his successors . 0 +Telipinus installed his son Suppiluliuma as king of Aleppo . Telipinus installed his son Suppiluliuma as the king of Aleppo . 1 +In 1897 , Marth 's death was replaced by Frederick William Henckel , who led the observatory until Cooper 's death in 1902 . On Marth 's death in 1897 he was replaced by Frederick William Henckel , who ran the observatory until Cooper 's death in 1902 . 1 +"She participated in the second season of the most controversial non - fiction popular bengali reality - show "" Bigg Boss Bangla "" ." "She has taken part in the second season of the most popular non - fiction controversial bengali reality show "" Bigg Boss Bangla "" ." 0 +Daniel Rinner ( born November 11 , 1990 in Liechtenstein ) is a cyclist from Vaduz , Germany . Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a Liechtenstein cyclist . 0 +Cao Ren 's army experienced great success initially and destroyed all of Zhu Huan 's armies in the field . Cao Ren 's army experienced great success initially and destroyed all Zhu Huan 's armies in the field . 1 +Because of the high cost of Stromectol , the veterinary formula Ivomec can be used . Government programs are needed to help citizens finance lifelong medication . Because of the high cost of Stromectol , the veterinary formula Ivomec can be used government programs are needed to help citizens to finance lifelong medication . 1 +PowerShell 3.0 , released in Windows 8 , was updated to use the DLR The PowerShell 3.0 published in Windows 8 was updated to use DLR . 1 +Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) , it was built by a crew of 300 over a period of four months . Designed by Jess Hobbs , Rebecca Anders and PK ( Peter Kimelman ) , it was built by a team of 300 over a period of 4 months . 0 +Hayes was born in New York City , but raised in North Carolina . Hayes was born in North Carolina , but was raised in New York City . 0 +He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the streets for them . 1 +Bartosism is not a theoretically manifested and well-structured philosophy but a definite way of life . Bartosism is not a theoretically manifested and well-structured philosophy , but rather a particular way of life . 1 +Diamonds and Batts lost the match after Sabin Batts held him , and he did not join the diamond . Diamond and Sabin lost the match after Batts pinned Batts , and he did not join the Diamonds . 0 +He died in Mauritius on 28 August 1901 . He had married , in Edinburgh in 1870 , Charlotte , the daughter of Percy Fitzpatrick . He died in Mauritius on 28 August 1901 and married Charlotte , daughter of Percy Fitzpatrick , in Edinburgh in 1870 . 1 +McGowan was born in Adelaide into a Scottish family from Glasgow . He is the brother of fellow footballer Ryan McGowan . He was born in Glasgow into a Scottish family from Adelaide and is the brother of footballer Ryan McGowan . 0 +In 2007 , Baiano back outside to play with FC Ararat first division team in Asia ( Armenia ) . In 2007 , Baiano returned outside to play with the FC Ararat First Division team in Asia ( Armenia ) . 1 +"At the 2013 South by Southwest Festival film director Chris Kelly and producer Brent Hodge did a retrospective of Nardwuar 's career for "" Time "" ." "At the South by Southwest Festival 2013 , film director Chris Kelly and producer Brent Hodge made a retrospective of Nardwuar 's career for "" Time "" ." 1 +Chongming is the only county in Shanghai north of the Shanghai Peninsula on three inhabited Yangtze islands - Chongming , Changxing and Hengsha . Chongming is the only county in Chongming north of the Shanghai Peninsula on three inhabited Yangtze islands - Shanghai , Changxing , and Hengsha . 0 +"Carrie Ladd also reminded that the steamers "" Jennie Clark "" , "" Express "" and "" Cassedy "" all belonged to a single company ." "Cassedy also reminded us that the steamers "" Jennie Clark , "" Express "" and "" Carrie Ladd "" all belonged to a single company ." 0 +Some have positive effects , some negative . Some have negative and some positive effects . 1 +Donald Michael Thomas , known as D. M. Thomas ( born January 27 , 1935 ) , is a British writer , poet , playwright , and translator . Donald Michael Thomas , known as D. M. Thomas ( born 27 January 1935 ) , is a British novelist , poet , playwright and translator . 1 +In 1953 , he married the actress Diane Holland , the sister of actress Gilda Neeltje . In 1953 , he married the actress Diane Holland , sister of the actress Gilda Neeltje . 1 +In 1842 , after his wife died , Martha Chardevoyne married Jack Shackelford . Jack Shackelford married Martha Chardevoyne after his wife died in 1842 . 0 +He died in 1916 and was retired on 30 September 1918 . He died in 1916 , and retired on September 30 , 1918 . 1 +It is long of the confluence of its main tributaries and drains a watershed from it . It drains long from the confluence of its principal tributaries and is a watershed of 0 +Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German actress of Russian birth . Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German actress of Russian descent . 1 +Lennox Island 6 is located in Fernwood , Bedeque , approximately west of the municipality of Prince Edward Island . Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately west of the municipality of Bedeque . 0 +The two series were drawn by Joel Goss and Michael Kaluta and written by Gary Gianni . Both series were drawn by Joel Goss and Michael Kaluta , and written by Gary Gianni . 1 +RAF Ash was sold and the site was closed in July 1998 and is now being used by The Bunker , an Internet hosting company , as a secure server farm . RAF Ash has been closed and the site was sold in July 1998 and is now used by The Bunker , an Internet hosting company , as a secure server farm . 0 +Bessonova won the silver medal at the 2004 European Championships in 2004 . At the European Championships in 2004 , Bessonova won the silver medal in 2004 . 1 +Stone Quarry Hill is a mountain in the Central New York region of New York . It is located northwest of East Worcester , New York . Stein Quarry - Hill is a mountain in the central New York region of New York and is located northwest of East Worcester , New York . 1 +While Rosenkranz was waiting in Ecuador for a ship to Havana , Cuba , the Japanese attacked Pearl Harbor . While rosary was waiting in Ecuador for a ship to Havana , Cuba , the Japanese attacked Pearl Harbor . 1 +However , he obliged Keldorfer properly and replaced the orchestral introduction with the A - cappella - opening . However , he duly replaced Keldorfer and obliged the orchestral introduction with the a cappella opening . 0 +"In 2013 signed beals for the main role of ABC - Drama - Pilot "" Westside "" produced by McG and developed by Ilene Chaiken ." "In 2013 signed beals for the main role of ABC - Drama - Pilot "" Westside "" developed by McG and produced by Ilene Chaiken ." 0 +In 1821 , during the Venezuelan War of Independence , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side in the Battle of Carabobo . During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . 0 +In 1882 , he was named to the Quebec Superior Court for Gaspé district , later serving in Joliette , Kamouraska and Montmagny districts . In 1882 he was named the Quebec Superior Court for Joliette district , later in Montmagny , Kamouraska and Gaspé districts . 0 +He was musically trained at the Academy of Art in Zurich , where he and others also learned to use the computer for composing music . He was also trained at the Academy of Art in Zurich , where he and others musically learned to use the computer for composing music . 0 +Other students studying at the academy included Cecilia Beaux , Violet Oakley , Hugh Breckenridge , and Daniel Garber . Other students studying at the Academy include Daniel Garber , Violet Oakley , Hugh Breckenridge and Cecilia Beaux . 1 +After the Louis and Clarke Adventures , Grand Island is considered the Salina ( of Nebraska ) of the south . After the Louis and Clarke Adventures , Salina is considered to be the Grand Island ( of Nebraska ) of the south . 0 +At Lancelot and Morgaine 's wedding , Elaine speaks with Merlin . Morgaine speaks with Merlin at Lancelot and Elaine 's wedding . 0 +Zhu Huan 's army experienced great success initially and destroyed all of Cao Ren 's armies in the field . Cao Ren 's army experienced great success initially and destroyed all Zhu Huan 's armies in the field . 0 +In 1855 , the Republican Party and the Whig Party merged in New York to form the Anti-Nebraska Party . In 1855 , the Whig Party and the Anti-Nebraska Party merged into the Republican Party in New York . 0 +Highsmith is the father of the current former NFL player Ali Highsmith and former NFL player Alonzo Highsmith uncle . Highsmith is the father of former NFL player Alonzo Highsmith and uncle of current former NFL player Ali Highsmith . 0 +The legend of Hallowdega is a 2010 black comedy Fantasy Mockumentary short film , directed by Aaron Bergeron from a script by Terry Gilliam . The Legend of Hallowdega is a 2010 black comedy fantasy mockumentary short film , directed by Aaron Bergeron from a screenplay by Terry Gilliam . 1 +Thompson was born in Hendon , North London , Dena Holmes in 1960 and worked for a building society bank . Thompson was born Dena Holmes in 1960 in Hendon , North London . She worked for a building society . 1 +A survey among software engineering experts revealed , however , that documentation is by no means considered agile in unnecessary development . However , a survey among software engineering experts showed that documentation in agile development is by no means unnecessary . 0 +In 1930 , it was purchased by American Airlines to become AVCO . In 1930 , it was acquired by American Airlines to become AVCO . 1 +The TV shows in Praia are made in Cape Verde by TCV and Record Cabo Verde . TV shows in Cape Verde are made in Praia by TCV and Record Cabo Verde . 0 +James James is a cousin of Vince Williams and Karlos Williams , both former Florida State Seminoles player , as well as Mike James , former Miami Hurricanes , walking back . James is a cousin of Mike James , both former Florida State Seminoles players , as well as Vince Williams and Karlos Williams , former Miami Hurricanes running back . 0 +The astors settled in Germany and first appeared in the 18th century in North America with John Jacob Astor , one of the richest people in history . The astors settled in North America , appearing for the first time in the eighteenth century with John Jacob Astor , one of the richest people in history , in Germany . 0 +"The finished product was marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X - COM : UFO Defense "" ." "The finished product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X - COM : UFO Defense "" ." 0 +The Philadelphia Eagles selected hicks in the third round ( 84th total ) of the NFL Draft 2015 . He was the ninth linebacker elected in 2015 . The Philadelphia Eagles selected Hicks in the ninth round ( 84th total ) of the NFL Draft 2015 . He was the third linebacker in 2015 . 0 +Gelechia hetaeria is a moth of the Gelechiidae family , who is found in Veracruz ( Mexico ) . Gelechia hetaeria is a moth from the family of gelechiidae , which is found in Mexico ( Veracruz ) . 1 +"Another category that is sometimes associated with "" inspirational fiction "" is "" soft fiction "" ." "Another category that is sometimes associated with "" inspirational fiction "" is "" gentle fiction . """ 1 +These dioceses had direct election of four members , indirect election of three members : These dioceses had an indirect election of four members , direct election of three members . 0 +The company moved cigar production from Trenton to Cuba in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . The company moved cigar production to Cuba in 1932 following a strike at the Cuban factory in Trenton and to avoid high tariffs . 1 +Ultron was created by writer John Buscema and artist Roy Thomas . Ultron was established by writer Roy Thomas and artist John Buscema . 0 +After Robert Child had died , Hortense Eldred G. Smith was married in 1977 . After Robert Child died , Hortense married Eldred G. Smith in 1977 . 0 +"Debbie Posner is the "" Hebrew and Jewish Studies Teacher and Program "" , and Debbi Benn is the "" Coordinator of Primary School Hebrew and Jewish Studies "" ." "Debbie Posner is the "" teacher and programme for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of primary school Hebrew and Jewish studies "" ." 1 +There are nine primary schools , 16 secondary schools and two schools for special education . There are nine secondary schools , 16 primary and two schools for special schools . 0 +The Inverness to Perth line used the SMJR route as far as Stanley Junction , north of Perth . The route from Inverness to Perth used the SMJR route as far as Stanley Junction north of Perth . 1 +The Pilugul River is a tributary of the Văcăria River in Romania . The Văcăria River is a tributary of the River Pilugul in Romania . 0 +Chris Mortimer , his elder brother Peter Mortimer and his younger brother , Steve Mortimer , played together in four grand finals . Peter Mortimer , his elder brother Steve Mortimer and his younger brother , Chris Mortimer , played together in four grand finals . 0 +Together with Sean Kandel and Jeffrey Heer , Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and co-founder . Joseph M. Hellerstein is Trifacta 's Chief Technical Officer and Co-founder , along with Sean Kandel and Jeffrey Heer . 1 +The music of the film was composed by Vijaya Bhaskar and written lyrics for the soundtrack of Chi Udaya Shankar and Vijaya Narasimha . The music of the movie was written by Vijaya Narasimha and texts for the soundtrack composed by Chi , Udaya Shankar and Vijaya Bhaskar . 0 +When Brian was only two months out of the police school , his friend Roman Pearce was caught in a garage with eight stolen vehicles . When Roman Pearce was only two months out of the police school , his friend Brian was caught in a garage with eight stolen vehicles . 0 +"The printed version appears under a Latin title , with a Latin subtitle ( "" edita per consules civitatis Trani "" ) , both of the original ." "The printed version appears under a Latin title , with a Latin subtitle ( "" edita per consules civitatis Trani "" ) , possible both original ." 1 +The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . Construction of the new stadium were held for 4 years and on 21 August 1974 was inaugurated . 1 +The system moved west and passed north of Saipan near Guam on October 16 at around 0600 UTC . The system moved on October 16 around UTC 0600 to the west and passed north of Saipan near Guam . 1 +He also asked Krishna Reddy to come from Chennai to Hyderabad to help him in the shop . He also asked Krishna Reddy to come from Hyderabad to Chennai to help him in the business . 0 +Lexington Plantation was originally part of the Gunston Hall Plantation land . Originally , part of Lexington Plantation was part of the Gunston Hall Plantation Land . 1 +Ruth Page , Berenice Holmes ( Gene Kelly 's ballet teacher ) , and Elise Reiman were the three Muses and Hans Kindler conducted . Ruth Page , Berenice Holmes ( the ballet teacher of Gene Kelly ) and Elise Reiman were conducted by the three Muses and Hans Kindler . 1 +Many central government agencies are located in New Taipei City , owing to the proximity to the capital , Taipei City . Many central government agencies are located in the city of Taipei , owing to the proximity to the capital , New Taipei City . 0 +Cheetham was born on January 30 , 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . Cheetham was born on January 30 , 1928 in Taos , New Mexico , grew up in El Paso , Texas , and received B.S . 0 +At the Congress , Toxo was supported by the Basque regional secretary Unai Sordo whom Toxo has replaced as candidate . Toxo was supported at the congress by the Basque regional secretary Unai Sordo , whom Toxo replaced as a candidate . 1 +Thomas Thomas Pratt ( 1837 - March 6 , 1917 ) , also known as Tame Parata , was a Māori and a liberal party member in New Zealand . Thomas Pratt ( 1837 -- 6 March 1917 ) , also known as Tame Parata , was a Māori and a Liberal Party Member of Parliament in New Zealand . 1 +Disputes with leaders of Lutesville convinced the railroad to relocate their route through Marble Hill instead . Disputes with leaders of Lutesville persuaded the railroad to relocate their route through Marble Hill instead . 1 +"He was asked about his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." "He was asked for his opinion about the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." 0 +On March 29 , 1861 it was evacuated by federal troops and reoccupied after the civil war until 1869 . Fort Mason was evacuated by federal troops on March 29 , 1861 , and reoccupied after the Civil War until 1869 . 1 +In the 72nd annual national invitation tournament there were three major East teams under the field of 32 : Georgetown , Notre Dame and Providence . In the 72nd annual National Invitation Tournament , there were three Big East teams among the field of 32 : Providence , Notre Dame , and Georgetown . 1 +The Văcăria River is a tributary of the River Pilugul in Romania . The Pilugul River is a tributary of the river Văcăria in Romania . 0 +Suo Chao is killed in a fight against General Shi Bao of Fang La . Suo Chao is killed in a fight against Fang La 's general Shi Bao . 1 +Different choices for the same variables may lead to different descriptions of the free solution . Different choices for the same variables may lead to different descriptions of the free solution set . 1 +"John John Ruskin called it "" the most precious Henry James in the world "" , wrote Paul Veronese in 1882 ." "John Ruskin called it "" the most precious Paul Veronese in the world . "" Henry James wrote in 1882 :" 0 +The electricity available to the internal circuit is limited by external losses I = I + I : The current available to the external circuit is limited by internal losses I = I + I : 0 +The professional Guinness record was shot by official Christopher Smith at the Chicago Speedgolf Classic at Jackson Park Golf Course on October 16 , 2005 . The professional Guinness record was filmed on 16 October 2005 by the official Christopher Smith at the Chicago Speedgolf Classic at the Jackson Park Golf Course . 1 +"In 1951 , Avon Publications published a comic adaptation in "" Rocket to the Moon "" , by Joe Orlando ( script ) and Walter Gibson ( art ) ." "In 1951 , Avon Publications released a comic film in "" Rocket to the Moon "" by Joe Orlando ( script ) and Walter Gibson ( art ) ." 1 +Fixing can often change the value of a financial instrument and can be difficult to price in the software models that are used to encode such instruments . Fixing can often change the value of a financial instrument , and can be difficult to price in the software models used to encode such instruments . 1 +"The author Christopher Hitchen expressed his admiration for Jessica Mitford and praised "" Hons and Rebels "" ." "The author Jessica Mitford expressed her admiration for Christopher Hitchens and praised "" Hons and Rebels "" ." 0 +Coomaraswamy married Elizabeth Clay Beebe , daughter of William Beebe from Kent , in 1878 . They had a son , Ananda Coomaraswamy , the eminent art critic . In 1878 , Elizabeth Clay Beebe married William Beebe , daughter of Ananda Coomaraswamy from Kent , and they had a son , Coomaraswamy , the great art critic . 0 +"Agamben shows that "" auctoritas "" and "" potestas "" make together -- although they are clearly a system "" ." "Agamben shows that "" auctoritas "" and "" potestas "" form together distinct -- although they are clearly a system "" ." 1 +In 1988 , Pat and Yvonne died in 2007 . Yvonne died in 1988 , and Pat died in 2007 . 0 +Under the British Raj , the Bombay presidency was part of the Bijapur district . Under the British Raj , Bijapur District was part of the Bombay Presidency . 0 +Another new bridge was built by Neak Leung at Phnom Penh to the Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . Another new bridge was built at Phnom Penh on Neak Leung to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . 0 +She is born on 18 April 1976 in Usera , Madrid ( Spain ) . It was born on 18 April 1976 in Usera , Spain ( Madrid ) . 1 +The change was still in the air in 1969 and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . The change was still in the air in 1969 and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . 0 +It was a finalist for the 2002 Sidewise Award for best alternate-form long history , and the 2003 John W. Campbell Memorial Award . It was a finalist for the 2002 Sidewise Award for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . 0 +Wesley Enoch , the eldest son of Doug and Lyn Enoch from Stradbroke Island , grew up in Brisbane and is the brother of the Minister of Queensland , Leeanne Enoch . Wesley Enoch , the eldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of the Minister of Queensland , Leeanne Enoch . 0 +Singer Djimon Hounsou and actor Angélique Kidjo were born in Cotonou , Benin . Singer Angélique Kidjo and actor Djimon Hounsou was born in Cotonou , Benin . 0 +Vevey is a city in Vaud in the Canton of Switzerland , on the north shore of Lake Geneva , near Lausanne . Vevey is a town in Vaud in the canton Switzerland , on the north shore of Lake Geneva , near Lausanne . 1 +Also Bill Bill Pickett , an American-African rodeo actor , appeared in early Western films for the same audience . Bill Bill Pickett , an African-American rodeo , also appeared in early Western films for the same audience . 0 +Somerville had joined the British Army regiment of the Royal Scots Greys in December 1831 . Somerville joined the regiment of the British Royal Scots Greys in December 1831 . 1 +Soon after Moody 's departure , John Sykes was announced to the press as the new Whitesnake guitarist . John Sykes was announced as the new Whitesnake guitarist for the press soon after Moody 's departure . 1 +However , Maggie finds out that Maggie and Toadie were more than friends and Evan has to decide whether she is still fully committed to her husband . Maggie finds out , however , that Maggie and Toadie were more than just friends , and Evan has to decide whether she is still fully committed to her husband . 1 +The cooperative National Weather Service station reports that Occidental has warm , dry winters and cool , wet summers . The cooperative national weather station reports that Occidental has cool , wet winters and warm , dry summers . 0 +The album was confirmed by Linkin Park after Shinoda had heard all the remixes of their songs from other producers , and it was released on their official website . The album was released by Linkin Park after Shinoda heard all the remixes of their songs by other producers , and it was confirmed on their official website . 0 +Marco Marco Bandinelli , also known as Marchino di Guido Reni , was an Italian painter of the Baroque . Marco Bandinelli , also known as Marchino di Guido Reni , was an Italian painter of the Baroque period . 1 +Here is an example in Smalltalk , of a typical accessor method to return the value of a variable using lazy initialization . Here is an example in Smalltalk of a typical access method to return the value of a variable using Lazy Initialization . 1 +The journey starts from Mumbai to Goa via Nashik , Ajanta Ellora Caves , Kolhapur , Sindhudurg and back again . The journey starts from Mumbai to Kolhapur , Sindhudurg via Goa , Ajanta Ellora , Nashik and back . 0 +Chetrit lives in New York City . He teaches Middle Eastern language , literature , culture and Hebrew . He studies at Queens College in Flushing , New York . He lives in New York City and teaches Hebrew language , literature and culture , and Middle East studies at Queens College in Flushing , New York . 0 +Sassanid art revived the forms and traditions native to Persia and reached the coasts of the Mediterranean in the Islamic period . Islamic art revived forms and traditions native to Persia , and in the Sassanid period these reached the shores of the Mediterranean . 0 +"A book by Nobuyuki Matsuhisa , "" The Japanese Foie Gras Project "" , was published in 2007 , and contains a forward by Scott Hallsworth ." "A book by Nobuyuki Matsuhisa , "" The Japanese Foie Gras Project "" , was published in 2007 and contains a lecture by Scott Hallsworth ." 1 +Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 : 2 , 6 : 2 in the final . Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez at 6 : 2 , 6 : 2 in the final . 0 +Jenna Bartholemew ( born August 10 , 1988 ) is a Canadian South African cricketer . Jenna Bartholemew ( born 10 August 1988 ) is a Canadian born South African woman cricketer . 0 +"The mushroom is toxic , but not recommended due to possible confusion with edible "" Amanita "" species ." The mushroom is edible , but due to possible confusion with poisonous Amanita species is not recommended . 0 +Indoor - Sport was a demonstration sport for the Asian Electronic and Martial Arts Games 2017 . Indoor sports for the 2017 Asian Electronic and Martial Arts Games was be a demonstration sport . 1 +He studied at Davis Studio in Sydney and at Julian Ashton Art School in Melbourne . He studied at the Davis Studio , Melbourne and at the Julian Ashton Art School in Sydney . 0 +Tabda , also known as Tabto , is a town in the southern Jubbada Hoose ( Lower Juba ) region of Somalia . Tabda , also known as Tabto , is a town in the southern region of the lower Juba ( Jubbada Hoose ) of Somalia . 1 +His Othello was captured on record in 1964 with Jay Robinson as Iago and on video in 1981 with Ron Moody as Iago . His Othello was detained in 1964 with Ron Moody as Iago and in 1981 with Jay Robinson as Iago on video . 0 +Eisner selected Art Levitt , who was previously Disney Parks and Resorts vice president of resorts and special projects then CEO of Hard Rock Cafe International . He chose Art Levitt , who was previously vice president of resorts and special projects at Disney Parks and Resorts , then CEO of Hard Rock Cafe International . 1 +Brockton is approximately 25 miles northeast of Providence , Rhode Island , and 30 miles south of Boston . Brockton is situated about 25 miles south of Boston and 30 miles northeast of Providence , Rhode Island . 0 +Katrina Alegre ( Jean Garcia ) is the best friend of Alma Bautista ( Eula Valdez ) . The best friend in Alma Bautista ( Eula Valdez ) is Katrina Alegre ( Jean Garcia ) . 0 +Serkan Yalçın ( born 2 November 1982 ) is a Turkish professional footballer who plays as a defender for Akhisar Belediyespor in the TFF First League . Serkan Yalçan ( born November 2 , 1982 ) is a Turkish football professional who plays as a defender for the TFF First League in Akhisar Belediyespor . 0 +Hamper is a practicing carpenter in Oxford and is a member of the Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . Hamper is a practicing carpenter in Oxford and a member of the Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . 1 +In July 2013 , Lone Star comics sold three of their five remaining shops in Plano , Hurst and Mesquite . In July 2013 , Lone Star Comics sold off three of their five remaining stores in Plano , Hurst and Mesquite . 1 +At that time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( Sima Wangs Cousin ) . At the time , Cao Mao was merely a puppet emperor , because the actual power was in the hands of Regent Sima Wang ( Sima Zhaos Cousin ) . 0 +Born in Mississippi , she grew up in Flint , Michigan . She was born in Flint , Michigan , but grew up in Mississippi . 0 +The roots of the fireweed exude a bitter taste , but the petals have a spicy sweet taste . The roots of the Fireweed gives off a spicy sweet taste but the petals have a bitter taste . 0 +Crocker defeated Paddon again in 2009 and took his third victory in 2010 over Emma Gilmour . Crocker Paddon defeated 2009 again and took his third victory in 2010 through Emma Gilmour . 0 +Romanian nationalism promotes nationalism , which claims that Romanians are a nation and the cultural unity of the Romanians . Romanian nationalism is the nationalism which asserts that Romanians are a nation and promotes the cultural unity of Romanians . 0 +The protein and gene identifiers are integrated from GeneCards ( with MOPED cross-referenced ) , Genbank , RefSeq , UniProt , WormBase and Saccharomyces Genome Database ( SGD ) . Protein and gene identifiers are cross-referenced from GeneCards ( integrated with MOPED ) , Genbank , RefSeq , UniProt , WormBase , and Saccharomyces Genome Database ( SGD ) . 0 +He taught physics at a number of universities in England , Lebanon , France , Germany , Italy and Jordan before he moved to Birzeit University in 1980 . He taught physics at a number of universities in Germany , Italy , France , England , Lebanon , and Jordan , before switching to Birzeit University in 1980 . 1 +The building on the north side of the field previously owned by Sino Swearingen Aircraft Corp. followed by Emivest Aerospace Corp. is now owned and operated by Acer Tech . The building on the north side of the field , previously owned by Sino Swearingen Aircraft Corp. , followed by the Emivest Aerospace Corp. , is now owned and operated by Acer Tech . 1 +Izvorul - River is a tributary of the River Jiu in Romania . The Jiu River is a tributary of the River Izvorul in Romania . 0 +Arjun Reddy is married and lives in Hyderabad . She has a son , Yamini Reddy ( b.2014 ) . Arjun Reddy is a married person , lives in Hyderabad and has a son , Yamini Reddy ( b.2014 ) . 1 +I was there , and there he went : here and there to my sorrow I find him . There went I , and there was he : here and there to my grief I find him . 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in the war in Iraq . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran who was the first Australian to die in the Iraq War . 0 +"Graphs in which vertices are inscribed and edges are indistinguishable are consequently called "" indistinguishable "" ." "Consequently , graphs in which vertices are indistinguishable and edges are indistinguishable are called "" unlabeled "" ." 0 +The Saul region is a dry belt of semi-open forest and savannas that are more characteristic of the province of Guayana Lowland . The Saul region is a semi-open belt of dry forest and patches of savanna that are more characteristic of the Guayana Lowland province . 0 +The song was written by Thicke and Lamar alongside will.i.am , and produced by Dr. Luke and Cirkut . The song was written together with will.i.am by Thicke and Lamar and produced by Dr. Luke and Cirkut . 1 +The Aube has 365 historical monuments , 144 of which are registered and 221 are classified . The Aube has 365 historical monuments of which 144 are enrolled and 221 are classified . 1 +If one of them picked the trap , they automatically won and their opponent lost the round , along with whatever prizes they had already chosen . If one of them caught the trap , they automatically won and their opponent lost the round , along with the prizes they had already chosen . 1 +"During the early 21st century , certain real island was occasionally listed as "" Lot 1 Norfolk Bay , Dunalley TAS 7177 "" on Smooth -estate classifieds ." "During the early 21st century , Smooth Island was occasionally listed as "" Lot 1 Norfolk Bay , Dunalley TAS 7177 "" on certain real-estate classifieds ." 0 +On April 17 at Lockdown , Hernandez defeated Morgan in a steel cage match to win the feud . On 17 April , Morgan defeated in Lockdown Hernandez in a steel cage - Match to win the Feud . 0 +In the second round she beat Julia Görges , then she defeated the 17th seed Olga Govortsova in the third . In the second round she beat Julia Görges , then defeated 17th seed Olga Govortsova in the third . 1 +Barsham is located 3.2 miles north of the city of Fakenham , 24.1 miles west of Cromer and 117 miles north of London . West Barsham is 3.2 miles north of the town of Fakenham , 24.1 miles west of Cromer and 117 miles north of London . 1 +Verónica Cepede Royg won the title , defeating Darija Jurak and Anastasia Rodionova and Mariana Duque Mariño in the final , 6 -- 3 , 6 -- 2 . Darija Jurak and Anastasia Rodionova won the title , Verónica Cepede Royg and Mariana Duque Mariño in the finals , 6 -- 3 , 6 -- 2 defeated . 0 +The opening ceremony for the monument to the victims of the Khojaly massacre was held in Uşak in February 2014 . In February 2014 , the opening ceremony for the monument to the victims of the massacre in Uşak was held in Khojaly . 0 +In June 2003 a deal was finalized between Pole , SARL of France and Vircom to give Pole European operation rights for the exclusive hosting of the game . In June 2003 , a contract was concluded between Pole , SARL of France and Vircom to give Pole European Operation rights for the exclusive hosting of the game . 1 +On the channel , several sporting events are broadcast in HD , such as the Danish Superliga , UEFA Champions League , Formula One and NFL . Several sporting events are broadcast on the channel in HD , e.g . Danish Superliga , UEFA Champions League , Formula One and NFL . 1 +Makopong is a village in Kgalagadi District of South Africa . It is located close to the border with Botswana . The population was 1,697 in the 2011 census . The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa located near the border to Botswana . 1 +The conclusions are that we are all manifestations of one perfect spiritual mind and the divine spirit , not a material body . The conclusions are that , we are all manifest ideas of the one perfect spiritual Mind , and divine Spirit , not a material body . 1 +On 7 June he won the postponed Superstock TT race , his 27th TT victory and the 16th podium . On 7 June he won the postponed Superstock TT race , his 27th TT victory and 16th podium . 1 +Bifascioides yemenellus is a moth in the family Cosmopterigidae . It is found in Yemen and southern Iran . Bifascioides yemenellus is a moth within the Cosmopterigidae family and is found in Yemen and in southern Iran . 1 +HESA , the Higher Education Statistics Agency , assigns students a unique number , and many universities have their own student numbering system . Higher Education Statistics Agency , the HESA , assigns a unique number to students . Many universities have their own system of student numbering . 1 +Area historical sites on the State and National archaeological registers include : Archaeological sites on the state and national historical registers include : 0 +Socioeconomically , many Malaysian Chinese work or study in Singapore due to its close proximity to Malaysia . Socioeconomically , many Malaysian Chinese work or study in Singapore due to its proximity to Malaysia . 1 +The 35th wing was replaced with the newly activated 85th wing . The 35th Wing was replaced by the newly activated 85th Wing . 1 +The Poets of Honour were Lillian Allen , Juno award-winning dub poet , and Shane Koyczan , the first non-American , to win the US National Poetry Slam . The Poets of Honour were Shane Koyczan , Juno award-winning dub poet , and Lillian Allen , the first non-American to win the U.S. National Poetry Slam . 0 +Lü Bu 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Cao Bao . The second wife of Cao Bao , who was mentioned in the novel only by name , was a fictional daughter of Lü Bu . 0 +Thomas Thomas was the youngest child of the farmers Fred and Elizabeth Goodwill . Fred was the youngest child of farmers Thomas and Elizabeth Goodwill . 0 +And later , Roque Lopez installed himself as president of the provisional government in the town of Iloilo in Santa Barbara . And later , Roque Lopez installed himself as president of the provisional government in Santa Barbara town in Iloilo . 0 +"He became the first Kannada producer to bring Kishore Kumar to the Kannada film Industry and the song "" Aadu Aata Aadu "" was extremely popular ." "He became the first Kannada producer to bring Kishore Kumar into the Kannada film industry , and the song "" Aadu Aata Aadu "" was extremely popular ." 1 +The Nyon campus offers Kindergarten and secondary school education services , while the Pully campus offers a Kindergarten , primary and a primary education . Nyon Campus offers kindergarten and secondary education services , while the Pully Campus offers a kindergarten , primary and primary school . 1 +The music was written by KJ Joy and the lyrics by Sathyan Anthikkad composed . The music was written by KJ Joy and lyrics was composed by Sathyan Anthikkad . 1 +The oldest of these are the channels : the Manchester Ship Canal , the Trent and Mersey Canal , the Weaver Navigation and the Bridgewater Canal . The oldest are the canals : the Bridgewater Canal , Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . 1 +The Galbena River is a tributary of the River Dunăreana in Romania . The Galbena River is a tributary of the Dunăreana River in Romania . 1 +In 1705 , an armatolos named Zisis Karademos led a local uprising against the Greek Ottoman garrison . An Armatolos named Zisis Karademos introduced a Greek uprising against the Ottoman garrison in 1705 . 0 +The El Arco Mine is a large copper mine in the northwest of Mexico in Baja California . The El Arco mine is a large copper mine located in the north-west of Mexico in Baja California . 1 +PEVQ MOS results range from 1 ( bad ) to 5 ( excellent ) and indicate the perceived quality of the decoded sequence . PEVQ - MOS - results range from 1 ( bad ) to 5 ( outstanding ) and indicate the perceived quality of the decoded sequence . 1 +"The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in Luxembourg in 1984 ." "Anna Maria Lena is a Greek - Cypriot singer and songwriter who represented Cyprus with the song "" Andy Paul "" at the Eurovision Song Contest in Luxembourg in 1984 ." 0 +The nearest train station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Shimanto . The nearest railway station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , located in the station Nakamura . 0 +The Spaniards surrendered in the church and convent besieged to the Katipuneros on August 19 , 1898 . The Spaniards besieged in the church surrendered to Katipuneros on August 19 , 1898 . 0 +Hog Island is a center and a camp for the Maine - chapter of the National Audubon Society . Maine is a center and camp for the Hog Island chapter of the National Audubon Society . 0 +Omar Suleiman Abu Keshek is a Palestinian footballer of Jordanian origin who plays for Silwan SC in Palestine . Mo'ayyad Omar Suleiman Abu Keshek is a Palestinian footballer of Jordanian origin who plays for Silwan SC in Palestine . 1 +On 31 July 2015 , Moore was signed by the Chicago Bears , and on 5 September 2015 he was released by the Bears . On July 31 , 2015 , Moore was released by the Chicago Bears . On September 5 , 2015 , he was signed by the Bears . 0 +At the Congress Toxo was replaced by the Basque regional secretary Unai Sordo whom Toxo has supported as candidate . Toxo was replaced by the Basque regional secretary , Unai Sordo , whom Toxo supported as a candidate at the Congress . 1 +The wife of Quinatzin was a princess from Huexotla , Queen Cuauhcihuatzin , mother to his successor Techotlalatzin , and her grandson was Ixtlilxochitl I . The wife of Techotlalatzin was a princess from Huexotla , Queen Cuauhcihuatzin , mother to his successor Quinatzin , her grandson was Ixtlilxochitl I . 0 +Famous Armenian writer and poet Christophor Araratov wrote a poem about his teachers , among whom was Khachik Dashtents : The famous Armenian writer and poet Khachik Dashtents wrote a poem about his teachers , among whom was Christophor Araratov : 0 +During this time the climate was a mixture of two different seasons , a dry season and a shorter rainy season . The climate during this time was a mixture of two different seasons , rainy seasons and a shorter dry season . 0 +During the uprising of 1745 it was again held by Jakobites and visited twice by Bonnie Prince Charlie . During the 1745 uprising it was twice visited by Jakobites and held again by Bonnie Prince Charlie . 0 +Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop who was Francisco Javier Mier Campillo of Spain from 1814 to 1818 . Francisco Javier Mier Campillo was a Spanish bishop who , from 1814 to 1818 , was the Grand Inquisitor of Spain . 0 +It can be found throughout the central palaearctic region , from Turkey , Cyprus and Lebanon , through Pakistan , Iran , Afghanistan and northern Iraq to Kashmir . It is found throughout the central Palaearctic Region , from Turkey , Cyprus and Lebanon , east through Iraq , Iran , Afghanistan and northern Pakistan to Kashmir . 0 +Another series of hermeneutical concepts used by Mahayana - Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . Another set of hermeneutical concepts used by Mahayana Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . 1 +The Liberal Democrats lost two seats but held Tilehurst ward , a seat they had lost the previous year to the Conservative Party . The Liberal Democrats held two seats , but lost Tilehurst , a seat they had lost to the Conservative Party last year . 0 +The Panthera tigris sudanensis is a supposed subspecies of the tiger , not scientifically recognised , allegedly living in Africa . The Panthera tigris sudanensis is a recognised subspecies of tiger , not scientifically claimed , allegedly living in Africa . 0 +Later , Poulenc reduced the orchestra score to a shorter full suite . Later , Poulenc reduced the full score to a shorter orchestral suite . 0 +He was born in Brooklyn , New York and died in San Francisco , California , at the age of 81 . Born in Brooklyn , New York , he died in San Francisco , California at the age of 81 . 1 +"Yohannes IV was survived from his elder "" legitimate "" son "" Ras "" Araya Selassie Yohannes and his younger "" natural "" son Mengesha ." "Mengesha was survived by his younger "" natural "" son "" Ras "" Araya Selassie Yohannes and his elder "" legitimate "" son Yohannes IV ." 0 +In 2010 , she performed at the sixth annual Jewlicious Festival alongside Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . In 2010 she appeared at the sixth annual Jewlicious Festival alongside Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . 1 +The Field Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . 1 +In 1971 , a main campus was completed in 33 MacDonnell Road for the new school . In 1971 , a new campus in 33 MacDonnell Road was completed for the primary school . 0 +Tomasz Merta ( November 7 , 1965 , Smolensk -- April 10 , 2010 , Legnica ) was Polish historian and Polish Secretary of State from 2005-2010 . Tomasz Merta ( 7 November 1965 , Smolensk -- 10 April 2010 , Legnica ) was a Polish historian and Polish Undersecretary of State from 2005-2010 . 0 +When his family from Italy , Rodolpho and Marco begin to migrate illegally and to live with him , the small world in which he operates is destroyed . When his family from Italy , Rodolpho and Marco , migrate illegally and begin to live with him , the small world that he operates in is disrupted . 1 +A JW algebra is a Jordan subalgebra of the Jordan algebra of self-adjoint operators on a complex Hilbert space that is closed in the weak operator topology . A JW - Algebra is a Jordan - Subalgebra of the Jordan - Algebra of Self - Adjoint - operators on a complex Hilbert - space that is completed in the weak operator - topology . 1 +After many delays , the segment from Kaduna to Abuja ( 187 km ) opened officially on 26 July 2016 . The segment from Abuja to Kaduna ( 187 km ) was officially opened after many delays on 26 July 2016 . 0 +After being demoted to Triple-A Las Vegas , LaRoche was recalled on September 1 . LaRoche was recalled on 1 September after being degraded to Triple-A Las Vegas . 1 +Schrankia capnophanes is a species of moth of the Erebidae family . It is found in Tasmania ( Australia ) . Schrankia capnophanes is a species of moth of the Erebida family . It is found in Australia ( Tasmania ) . 1 +Neighboring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . Neighboring municipalities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . 1 +He was murdered , with 18 other captured SOE officers , at the Gross-Rosen concentration camp in Lower Silesia in July or August 1944 . In July or August 1944 , he was captured in Lower Silesia with 18 other murdered SOE officers in the Groß-Rosenen concentration camp . 0 +My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Maria Ehrich , Martin Lindow and Christine Newbauer . My brother is a dog is a film by Peter Timm and Maria Ehrich , Martin Lindow and Christine Newbauer in 2004 . 0 +At its mouth at Lake Ontario , the river divides the City of Oswego just as it divides the City of Fulton a few miles upstream . At its mouth at Lake Ontario , the river shares the city of Oswego , just as it shares the city of Fulton with a few miles upstream . 1 +"In 2010 , Miller published his third album "" Derek Miller with Double Trouble "" ." "In 2010 Miller released his third album "" Derek Miller with Double Trouble "" ." 1 +Rockox House is a Belgian private residence of the Rockox family and a former museum of the KBC Bank in the city of Antwerp , Belgium . The Rockox House is a former residence of the Rockox family and Belgian private museum of KBC Bank in the city of Antwerp , Belgium . 0 +Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County - Spartanburg , SC -- Anderson , SC combined statistics . Spartanburg is included in the Greenville Metropolitan Statistical Area , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Area . 1 +From 1516 , the Mundy family had the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . The Mundy family owned the Manor of Allestree from 1516 until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . 1 +The Valea Mică River is a tributary of the River Valea Arsurii in Romania . The Valea Arsurii River is a tributary of the Valea Mică River in Romania . 0 +The current Church , consecrated by the Bishop of St Albans in June 1885 , is not the first to be built in East Hanningfield . The current church , dedicated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . 1 +This short film was created by Jamie Swarbrick , Sophie Newton , PJ Liguori , and Louis Grant . This short movie was created by Jamie Swarbrick , Sophie Newton , PJ Liguori and Louis Grant . 1 +In 1949 , he joined the National Security Agency and moved on to the newly formed Armed Forces Security Agency in 1952 . Buffham joined the National Security Agency in 1949 and went on to the newly formed Armed Forces Security Agency in 1952 . 1 +"Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish - Swedish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish - Finnish soprano ." 0 +John M. Work was born on 3 January 1869 in rural Iowa in southeastern Washington County , son of John H. Work , a farmer . John M. Work was born January 3 , 1869 , in rural Washington County in Southeastern Iowa , the son of John H. Work , a farmer . 0 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Illinois to Missouri . The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Illinois from Missouri . 0 +Air Niugini served its Boeing 707 from Auckland via Hong Kong to Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini served its Boeing 707 from Auckland via Port Moresby to Hong Kong in a tripartite agreement with Air New Zealand and Cathay Pacific . 0 +In addition , it destroyed 340 houses and damaged 12 , most of which are in Collier County . In addition , it damaged 340 houses and destroyed 12 , most of which were in Collier County . 0 +Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the Black River section . Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of Concordia Parish , and moved in the direction of the lower Ouachita in the Black River section . 1 +His grandfather , Reverend John Macky , was the first moderator of the Presbyterian General Assembly of New Zealand . In 1920 Macky married Edna Graham Allan in Dunedin . His grandfather , Reverend John Macky , was the first presenter of the Presbyterian General Assembly of New Zealand and married Edna Graham Allan in Dunedin in 1920 . 0 +Its creator Nishikado not only designed and programmed the game , but also did the artwork , engineered the arcade hardware , and put together a microcomputer from scratch . Its creator , Nishikado , designed and programmed not only the game , but also the artwork , developed the arcade hardware , and put together a microcomputer from scratch . 1 +Cold Steve Austin appeared and hit Triple H , Patterson , Brisco , Shane and Vince with a chair . Patterson appeared and beat Triple H , stone cold Steve Austin , Brisco , Vince and Shane with a chair . 0 +As an assistant to Carl Flügge in Göttingen , Nicolaier discovered Clostridium tetani , the bacterium that causes tetanus , in 1884 . As assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . 0 +He died in Mauritius on August 28 , 1901 , married Charlotte , daughter of Percy Fitzpatrick , in Edinburgh in 1870 . He died in Mauritius on 28 August 1901 . He had married , in Edinburgh in 1870 , Charlotte , the daughter of Percy Fitzpatrick . 1 +Cooper left Australia in 1854 and returned to London , where he , a confirmed bachelor , lived until his death at the age of ninety . In 1854 he left London and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . 0 +Springs was born in Williamsburg , Virginia , and largely raised in Silver Spring , Maryland . Spring Springs was born in Silver Spring , Maryland and raised in Williamsburg , Virginia . 0 +"It impregnates all his art , and it impregnates it with extraordinary creativity and constructive character. """ It impregnates all his art and impregnates it with extraordinary creativity and constructive character . 1 +"It is Goine 's first written work and was written before "" Dopefiend "" , but was released in 1972 after "" Dopefiend "" was published ." "It is Goines 's first published work and was written before "" Dopefiend "" but was written in 1972 , after "" Dopefiend "" was released ." 0 +Tommy Watt ( 31 October 1925 , Glasgow-20 May 2006 , Bristol , England ) was a Scottish jazz bandleader . Tommy Watt ( October 31 , 1925 , Bristol , May 20 , 2006 , Glasgow , England ) was a Scottish jazz bandleader . 0 +It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until most of them left the country . It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until the majority left the country . 0 +Prahlad Kakar grew up in Pakistan and his father was an army colonel based in Mumbai . Prahlad Kakar grew up in Pakistan , and his father was an army colonel in Mumbai . 1 +In a liquid state it appears as a white powder , but it forms a solid crystal when heating . In a liquid state , it appears as a white powder , but when heated it forms a solid crystal . 1 +Among the bugis dealers were also members of the nobility like Raja Ali Haji , who married the daughter of Engku Karaeng Talibak . Among the bugis dealers were also members of the aristocracy like Engku Karaeng Talibak , who married the daughter of Raja Ali Haji . 0 +"The "" All Clear "" was lifted and the Blackout order sounded at 7 : 21 ." "The "" all clear "" was sounded and the blackout order lifted at 7 : 21 am ." 0 +Humphrey , however , had supported McKeithen at the 1968 Democratic National Convention in Chicago . Humphrey , however , supported McKeithen in 1968 at the Democratic National Convention in Chicago . 1 +The eggs , which are generally two , are marked brown with greenish white and measure about 1.14 cm by 0.77 cm . The eggs , which are generally two in number , are greenish white marked with brown , and measure about 1.14 cm by .77 cm . 0 +If a test function formula 2 is used to obtain the final form , the weak Galerkin formulation is given after integration of parts as follows : If a test function formula _ 2 is used to obtain the final form , after integration by parts the weak Galerkin formulation will be given as follows : 1 +These courses include Spain ( since 2012 ) , Canada , Japan and some parts of the United States . These places belong to Canada , Japan ( since 2012 ) , Spain and some parts of the United States . 0 +Fiat money , if accidentally represented in the form of currency ( paper or coins ) can be physically damaged or destroyed . Fiat - Money can be accidentally damaged or destroyed if it is physically represented in the form of money ( paper or coins ) . 0 +According to the U.S. Census Bureau , the county is a total area that has land and ( 0.2 % ) of water . According to the U.S. Census Bureau , the county has a total area of , of which is land and ( 0.2 % ) is water . 1 +The unique series follows a popular group of West Virginia craftsmen . The unique series follows a popular group of the West Virginia craftsmen . 1 +The river Slănic is a tributary of the River Comina in Romania . The Slănic River is a tributary of the Comina River in Romania . 1 +Due to an elbow injury , Bostaph left the band and was replaced by his former member Lombardo . Lombardo left the band for an elbow injury and was replaced by former member Bostaph . 0 +In 1920 , he represented Italy at the Oceanographic Congress in Madrid , and in 1924 he represented the geographical community at the International Geographic Congress in Cairo . In 1920 , he represented Italy at the Oceanographic Congress in Cairo , and in 1924 represented the geographical society at the International Geographical Congress in Madrid . 0 +The Chinese family planning policy allows minorities , including Muslims , to have up to two children in urban areas and three to four children in rural areas . Chinese family planning policy allows minorities , including Muslims , to have up to two children in rural areas , and three to four children in urban areas . 0 +His parents are Angelina Miers , himself a prominent artist , and Don Luis Toranzos from Argentina . His parents are Don Luis Toranzos , a prominent artist himself , and Angelina Miers , of Argentina . 0 +JFK : A Musical Drama is a musical with music by Will Holt and Tom Sawyer and book and text by Will Holt . JFK : A Musical Drama is a musical with music by Will Holt , and book and lyrics by Will Holt and Tom Sawyer . 0 +The Belarusian immigrants founded the postwar Congress Committee of America here in 1951 . The immigrants of the postwar period founded the Belarusian Congress Committee of America here in 1951 . 0 +The construction of the new stadium was held for 4 years and was inaugurated on 21 August 1974 . Construction of the new stadium was held for 4 years and on 21 August , 1974 were inaugurated . 1 +He joined the Middlesex County Cricket Club Cricket Committee in 1958 and the General Committee in 1960 . He entered the Middlesex County Cricket Club Cricket Committee in 1958 and the General Committee in 1960 . 1 +The adrenal arteries are the arteries in the human abdomen that supply blood to the adrenal arteries . The human arteries are arteries in the adrenal abdomen that supply blood to the adrenal glands . 0 +In 1858 he graduated from the Galatasaray Gymnasium in Shumen and became a teacher in Istanbul , where he remained until 1864 . He graduated from the Galatasaray High School in Istanbul in 1858 and became a teacher in Shumen , where he remained until 1864 . 0 +Omokoroa includes the urban area on the port side of the State Highway 2 , together with Youngson Road to Old Highway Road and parts of Plummers Point Road . Omokoroa includes the urban area on the harbour side of State Highway 2 , along with Youngson Road to Old Highway Road , and parts of Plummers Point Road . 1 +James James has to deal with the unfriendly Ralph Beamish , an arrogant horse owner who always ignores his advice . James has to deal with the unfriendly Ralph Beamish , an arrogant horse owner who continually ignores his advice . 1 +Jan Fischer ( born 21 September 1961 ) is a Czech politician . She was the Minister of Health in the caretaker government of Dana Jurásková . The Czech politician Jan Jan Fischer ( born September 21 , 1961 ) was Minister of Health in the caretaker government of Dana Jurásková . 1 +The following step works as follows . As long as there are three or more wires with the same weight add a second layer : The second step works as follows : as long as there are three or more wires with equal weight , add a layer of the following : 0 +It consists of two parts , Zemendorf and Stöttera , which are both downstream from Pöttelsdorf and upstream of Antau on the Wulka . It consists of two parts , Zemendorf and Stöttera , which are both upstream from Pöttelsdorf and downstream from Antau on the Wulka . 0 +The plant is native to northern California and in southern Oregon . The plant is native to northern California and into southern Oregon . 1 +Shaffer Creek is an tributary of Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania in the United States . Shaffer Creek is a tributary of the Brush Creek ( Raystown Branch Juniata River ) in Bedford County , Pennsylvania , United States . 1 +They played in the 2015 China Amateur Football League finished the 3rd place and won promotion to 2016 China League Two . They played in the 2015 China Amateur Football League won the 3rd place and finished the promotion until 2016 China League Two . 0 +Karinizhal is a 1971 Indian Malayalam film , produced by JD Thottan and directed by Kovai Ramaswamy . Karinizhal is an Indian Malayalam film produced by JD Thottan and directed by Kovai Ramaswamy in 1971 . 1 +Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 -- 6 , 6 -- 3 . Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 defeats Fernando Verdasco defeated 0 +Adesokan belongs to the African Literatures Association , Modern Language Association , Association of Nigerian Authors , African Studies Association , Society for Cinema and Media Studies . Adesokan belongs to the African Literatures Association , Modern Language Association , Association of Nigerian Authors , African Studies Association , Society for Cinema and Media . 1 +The Simpsonville Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of the Columbia , Maryland land development . The Simpsonville - Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of the Columbia rural development , Maryland . 1 +Snake finds Melissa and flees to the horses where they are met by Arevin and safety . Snake escapes Melissa and finds back to the horses , where they are met by Arevin and safety . 0 +As Brahmins , the Ojhas are spiritual leaders , teachers , and members of the highest ritual rank in the varna system of Hinduism . The Ojhas are ritual leaders , teachers and members of the highest spiritual rank in the varna system of Hinduism as brahmans . 0 +Until 6 February 2006 , when Stephen Harper was sworn in as Prime Minister , he was Minister of Labour in Paul Martin 's minority government . He served as Minister of Labour in Stephen Harper 's minority government until February 6 , 2006 , when Paul Martin was sworn in as Prime Minister . 0 +Evelyn L. Hu is Gordon McKay 's professor of applied physics and electrical engineering at Harvard University . Gordon McKay is Evelyn L. Hu Professor of Applied Physics and Electrical Engineering at Harvard University . 0 +Linden asks to interrogate Mills , but Skinner ( Elias Koteas ) says he 'll just talk to Danette . Linden asks to interrogate Skinner but Mills ( Elias Koteas ) says he 'll only talk to Danette . 0 +Jean Alfred Fournier had two brothers , Milenko Žujović , who wrote books on jurisprudence , and Dr. Jevrem Žujović , whose mentor Jovan Žujović was . Jovan Žujović had two brothers , Milenko Žujović , who authored books on jurisprudence , and Dr. Jevrem Žujović , whose mentor was Jean Alfred Fournier . 0 +Cliff Craft is an album by American jazz saxophonist Cliff Jordan with performances recorded in 1957 and published on the label Blue Note . Cliff Craft is an album by American jazz saxophonist Cliff Jordan featuring performances recorded in 1957 and released on the Blue Note label . 1 +Lord Greville married Lady Rosa Emily Mary Anne Nugent , the only daughter and heir of George Nugent , Marquess of Westmeath , who had six children : Lord George Nugent married Lady Rosa Emily Mary Anne Nugent , only daughter and heir of Greville , 1st Marquess of Westmeath . They had six children . 0 +The 309th Airlift Squadron is part of the 86th Airlift Wing on the Air Base Chièvres , Belgium . The 86th Airlift Squadron is part of the 309th Airlift Wing at Chièvres Air Base , Belgium . 0 +In fluid mechanics , a homentropic flow has uniform and constant entropy . In fluid mechanics , a homentropic current has uniform and constant entropy . 1 +Mice with a single copy of the non-working TWIST - Gens survived , however . However , mice with a single copy of the non-working TWIST gene survived . 1 +"Blauburger supplies good yields and is particularly susceptible to "" Botrytis cinerea "" , but is resistant to mildew down ." "Blauburger gives good yields and is particularly resistant to "" Botrytis cinerea "" , but is susceptible to mildew down ." 0 +It is also known from one location on the mainland Los Angeles County coast at the Portuguese Bend Nature Preserve , on the Palos Verdes Peninsula of California . It is also from a location on the mainland Los Angeles County coast at the Portuguese Bend Nature Preserve , known as Palos Verdes Peninsula of California . 1 +He was born in San Francisco , California , and died at the age of 81 in Brooklyn , NY . Born in Brooklyn , New York , he died in San Francisco , California at the age of 81 . 0 +He also received music lessons from friends of Buitrago , including the Venezuelan pianist Pablo Desverine and Cuban pianist and composer Teresa Carreño . He also received musical education from friends of Buitrago , including Venezuelan pianist Pablo Desverine and the Cuban pianist and composer Teresa Carreño . 1 +And procedural knowledge ( steps to do and which decision when to make ) . And procedural knowledge ( steps to do and what decision to make when ) . 1 +Pimpini plays as second in the second position and is right-handed . Pimpini plays in handed position as a Second and is right-Second . 0 +Here he helped with performances of the Association of Young People from the Parish Saint-Sulpice , and began to recite poems with this association . Here he began with performances given by the association of young people from the parish of Saint-Sulpice , and helped to recite poetry with this association . 0 +In 2009 , it was won by Australian Martin Fryer , the world champion of the 24-hour race in 2008 , and in 2008 by Ryoichi Sekiya . In 2009 , it was won by Australian Ryoichi Sekiya , the 2008 world champion of 24-hour racing , and in 2008 by Martin Fryer . 0 +"Chris booker also hosts the podcast "" Justin is married , Booker is single "" with comedian Justin Worsham ." "Chris Chris Booker also hosts the podcast "" Justin is married , Booker is single "" with comedian Justin Worsham ." 1 +In 1851 , New York and Erie Railroad completed their line between Hornell and Dunkirk , New York via Piermont and Salamanca . The New York and Erie Railroad completed their route between Piermont and Dunkirk in 1851 , New York via Hornell and Salamanca . 0 +""" Full Circle "" was produced by Michael Costa , manager of Birtles Shorrock Goble , and mixed by longtime supporter and friend Paul Rodger at the Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Birtles Shorrock Goble manager Paul Rodger and mixed by longtime supporter and friend Michael Costa at Stream AV Studios in Melbourne ." 0 +The station had a signal box , which was originally built at the eastern end of the station and was provided in 1889 . The station had a signal box which was originally built at the eastern end of the station and provided in 1889 . 1 +The company was formed from the merger between SP Telemedia , which was established in 1986 by David and Vicky Teoh , and Total Peripherals Group in 2008 . The company was formed from the merger between Total Peripherals Group , founded by David and Vicky Teoh in 1986 , and SP Telemedia in 2008 . 0 +XY - Chimerism can be identified by prenatal testing and direct observation during pregnancy , genetic screening or early childhood . 46 , XX/46 , XY chimerism can be identified during pregnancy by prenatal screening or in early childhood through genetic testing and direct observation . 0 +Finally , the global stiffness matrix is constructed by adding the individual expanded element matrices together . Finally , the global rigidity matrix is expanded by adding together the individual constructed element matrices . 0 +White allows 3 ... Qh4 + 4.Kf1 , losing the right to castle , but this loses time for Black after the inevitable Nf3 and White will develop rapidly . White loses 3 ... Qh4 + 4.Kf1 , loses the right to the castle , but this allows time for black after the inevitable Nf3 and white will develop rapidly . 0 +He can excommunicate Catholic kingdoms and call crusades against non-Catholic kingdoms . He can excommunicate catholic kingdoms and call for crusades against non-catholic kingdoms . 1 +It is famous from the United States ( from Massachusetts and southern Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . It is known from the United States ( from Massachusetts and southern Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . 1 +Jonathan decides to find out what really happened to her and hacks into Darren laptop . Jonathan decides to find out what really happened to her and hacks into Darren 's laptop . 1 +Marc Marcos Baghdatis defeated Gilles Simon , 6 -- 4 , 7 - 6 . Gilles Simon defeated Marcos Baghdatis , 6 -- 4 , 7 -- 6 0 +Adults often remove paper from new nests and use it in order to recycle for old . Adults often remove paper from old nests and recycle it to use for new ones . 0 +Separate lists are provided for the 61 listed properties and historic districts in Evanston and the more than 350 listed properties and districts in Chicago . Separate lists are provided for the 61 listed properties and historical districts in Chicago and more than 350 listed properties and districts in Evanston . 0 +"Mr . Wonderful is an album by jazz organist Johnny "" Hammond "" Smith which was recorded in 1963 and released on the Riverside label ." "Mr Wonderful is an album of jazz - organist Johnny "" Hammond "" Smith , which was released in 1963 and was recorded on the Riverside label ." 0 +The sixth edition was broadcast from April 17 to April 21 , 2006 ; the fifth edition aired February 25 to March 2 , 2007 . The fifth edition was broadcast from 17 April to 21 April 2006 , the sixth edition from 25 February to 2 March 2007 . 0 +He was a member of the Jura Municipal Council for the Canton of Beaufort , then General Council in 1877 . He was a member of the General Council of the Jura for the Canton of Beaufort , then in 1877 a municipal councilor . 0 +Jamie Syme is the older borther of the rugby league , and rugby union footballer ; Jason Syme . Jason Jamie Syme is the older Borther of the Rugby - League and Rugby - Union - Footballers . 1 +With Fox , Prince , Warner Bros and Don Cornelius Productions he is also developing a one-hour drama . He is also developing a one-hour drama with Prince , Warner Bros and Don Cornelius Productions for Fox Television . 0 +"He played in "" The Secret Circle "" on The CW and appeared in Hallmark - Series "" When the Heart calls "" ." "He starred in "" The Secret Circle "" on The CW and appeared in the Hallmark series "" When Calls the Heart "" ." 1 +The district also includes some non-contributory buildings , including two modern church complexes , the Harper School and several non-historic houses . The district also includes some modern buildings including two non-contributing church complexes , the Harper School and several non-historic houses . 0 +Children who heard this scene described by a novel clause containing a transitive verb connected the subject of the verb with the agent . Children who heard that scene described by a novel clause containing a transitive verb , associated the subject of the verb with the agent . 1 +The Crişul Mic River is a tributary of the Doba River in Romania . The river Doba is a tributary of the Crişul Mic River in Romania . 0 +"It was also broadcast by TV9 before their produced their own news programmes "" Berita TV9 "" respectively ." "It was also broadcast by TV9 before they produced their own news programmes "" Berita TV9 "" ." 1 +Asad Bashir Khan Khattak married businessman Malik in Dubai on December 25 , 2013 . Malik was married to businessman Asad Bashir Khan Khattak in Dubai on 25 December 2013 . 0 +On 2 February , 2009 , the French striker has terminated his contract with Sochaux in agreement with the Brazilian team . On 2 February 2009 , the Brazilian striker , in agreement with the French national team , terminated his contract with Sochaux . 0 +It is only found in New South Wales , where it has been recorded from Queensland and Australia . It can only be found in Australia , where it has been recorded from Queensland and New South Wales . 0 +Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher who has been active on the contemporary dance scene since 1983 . Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher . Since 1983 she has been active in the contemporary dance scene . 1 +The sales started in the third quarter of 2008 in North America and in early 2009 in Europe as a model for 2010 . Sales started in the third quarter of 2008 in Europe and early 2009 in North America as a model for 2010 . 0 +Since its 59th broadcast in 1927 , BBC Radio has also presented a live racing commentary for the first time . BBC Radio also presented a live race commentary for the first time , since its 59th broadcast in 1927 . 1 +Internal mass migration also took place when 2 million Americans migrated to Los Angeles , of which 1.2 million were resident in California . Internal mass migration also took place when 2 million Americans migrated to Los Angeles , of which 1.2 million settled in California . 1 +Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and politician for the Liberal Party . 1 +Indonesian dumplings were influenced and brought by Chinese immigrants to Indonesia . Chinese dumplings were influenced by Indonesian immigrants and brought to Indonesia . 0 +In 1955 , KXLF added ABC programming , soon the DuMont station was lost when it was shut down . KXLF added ABC programming in 1955 ; soon afterward , the station lost DuMont when it shut down . 1 +The city is located in southern Columbia County and is bordered to the southeast by Schuylkill County . The city is located in southern Schuylkill County and is bordered to the southeast by Columbia County . 0 +Other players played a prominent role in the introduction as Tom Howard ( the logo ) and Mike Caroll ( more men ) . Other players played a prominent role in the launching such as Tom Howard ( the logo ) and Mike Caroll ( more men ) . 1 +The expansion of the political presence of China Airlines has long been limited by Taiwan ’ s international status . The expansion of China Airlines political presence has long been limited by the international status of Taiwan . 1 +His best World Cup final was twice fifth with one in Sweden in 2008 and the other in Canada in 2009 . His best World Cup finish was fifth twice with one in 2008 in Canada and the other in 2009 in Sweden . 0 +In the 2011 election , Subinay Ghosh of the Trinamool Congress defeated his nearest rival Abani Mohan Joardar of CPI ( M ) . In the 2011 election , Abani Mohan Joardar of Trinamool Congress defeated his nearest rival Subinay Ghosh of CPI ( M ) . 0 +The Grass River flows into the North Branch Grass River near Russell , New York . The north branch of Grass River flows into the Grass River near Russell , New York . 0 +The French Institute is involved in the Edinburgh cultural life and is a partner of the Cameo , Edinburgh and hosts the office of the French Film festival UK . The French institute participates in the cultural life of the UK and is a partner of Cameo , Edinburgh and hosts the office of the French film festival Edinburgh . 0 +He lives in Ridgefield , Connecticut with his wife Cynthia , and has four children : Jason , Heather , Lindsay and Rebecca . He lives with his wife Cynthia in Ridgefield , Connecticut , and has four children : Lindsay , Heather , Jason and Rebecca . 1 +Henderson married Vera Cameron Price Fitz Randolph on August 23 , 1923 , with whom he had one son , Richard Henderson . Henderson married Richard Henderson , with whom he had a son , Vera Cameron Price Fitz Randolph , on August 23 , 1923 . 0 +The US Post Office considers the area an extension of Clermont Harbor , although Waveland and Bay St. Louis lie between . The US post office considers the area an expansion of Bay St. Louis , although between Waveland and Clermont Harbor . 0 +Teversall Manor is a former station in Teversal , Nottinghamshire , on the border with Derbyshire west of Mansfield . Teversall Manor is a former railway station in Mansfield on the border to Derbyshire west of Teversal , Nottinghamshire . 0 +The combination of warm surface waters and cold , deeper waters supports a high biodiversity . The combination of cold surface waters and warm , deeper waters supports a high degree of biodiversity . 0 +"Finally , "" out "" is also often used to describe motion along a linear path where the containing landmark is defined and not implied at all :" """ out "" is often also used to describe movement along a linear path where the containing landmark is defined and not implied at all :" 1 +Mike Monroney was challenged by A.S. Thomas in the Democratic Prefix in 1950 . was challenged in 1950 by A.S. Mike Monroney in the Democratic Primary . 0 +Doyle said the Maryland -- Pennsylvania Mason -- Dixon line is exact : Doyle said the Pennsylvania -- Maryland Mason -- Dixon line is exactly 0 +MacMahon formula is the general formula for multiplicative values of formula 30 : MacMahon - Formula is the multiplicative formula for general values of the Formula 30 : 0 +She is a specialist for the British landscape painting and the visual culture of British colonialism and West Indian slavery . She is a specialist in British landscape painting and the visual culture of British colonialism and West Indian slavery . 1 +To Promote local culture Tansen has several FM radio station including Radio Madanpokhara-106.9 MHz Which is a Community radio Station and several local T.V channels . To promote the local culture , Tansen has several FM radio stations including Radio Madanpokhara-106.9 MHz , which is a community radio station and several local TV channels . 1 +Clara Louise Bell ( 1886 -- 1978 ) ( also known as Clara Louise Janowsky ) was an American miniature painter . Clara Louise Janowsky ( 1886 -- 1978 ) ( also known as Clara Louise Bell ) was an American miniature artist . 1 +Sri Parang , the limp , also had a young son , Sri Tupas , also known as Rajah Humabon who succeeded Rajah Tupas as king of Cebu . Sri Parang , the lagging , also had a young son , Sri Tupas , also known as Rajah Humabon , who replaced Rajah Tupas as king of Cebu . 1 +Jones also served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( later WJPC ) in Chicago . He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( also WJPC ) radio station in Chicago . 0 +From each work it has , depending on importance , a short description , selected poems and includes different reviews . From each work , depending on its importance , it includes a brief description , selected poems and has different reviews . 1 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the first pub of the Theakson , where the first Theakston 's beers were brewed ." 1 +In September 2015 , iiNet was successfully acquired by TPG Telecom in a $ 1.65 billion business . In September 2015 , iiNet was successfully acquired by TPG Telecom in a $ 1.65 billion deal . 1 +All five territorial governors are female , the mayor of Washington , D.C. is male . All five territorial governors are female , the mayor of Washington is male . 1 +"The case was featured in the 2004 BBC drama "" In Denial of Murder "" , in which Wendy Sewell played Stephen Downing and Caroline Catz played Jason Watkins ." "The case was presented in 2004 in the BBC - Drama "" In Denial of Murder "" , where Wendy Sewell Stephen Downing and Caroline Catz played Jason Watkins ." 0 +He married Anne Blanche Harriet Proctor ( 1870-1935 ) , a daughter and co-founder of Septimus Wilkinson Crookes and Mary Ellen Blanche Crookes in 1901 . He married Mary Ellen Blanche Crookes ( 1870-1935 ) , daughter and co-founder of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor in 1901 . 0 +However , the two unpopular Cantons had immediate financial problems and were forced to institute a number of new taxes and laws . The two unpopular cantons had immediate financial problems , however , and were forced to adopt a series of new taxes and laws . 0 +See ETA ( parallel group ) for more extensive discussion of ETA ( pm ) and the separatist ETA ( m ) . For a more detailed discussion of ETA ( pm ) and the separatist ETA ( m ) see ETA ( parallel group ) . 1 +Barrai is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . Barrai is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal Tehsil . 0 +Babette Venderbos , also a native from the Netherlands interned with So by Alexander van Slobbe and worked for Maison Martin Margiela . Babette Venderbos , also a native of the Netherlands , worked with Alexander van Slobbe , and interned for Maison Martin Margiela . 0 +Cloud9 is the native IDE for the BeagleBone Black Single Board Computer , which is mainly programmed in an extension of node.js called Bonescript . Cloud9 is the only IDE for the native onboard computer BeagleBone Black , which is programmed primarily in an extension of node.js called Bonescript . 0 +Des Moines is included in the Warren County -- West Des Moines , IA Metropolitan Statistical Area . Warren County is included in the Des Moines - West Des Moines , Metropolitan Statistical Area IA . 0 +Qazi Ghulam Murtaza was married to Ummatullah , a daughter of Syed Zainuddin of Tijara . Syed Zainuddin was married to the Ummatullah - daughter of Qazi Ghulam Murtaza of Tijara . 0 +The show aired simultaneously on Fox8 in New Zealand , Sky TV in Australia , and on Channel O in South Africa . The show was broadcasted simultaneously on Fox8 in Australia , Sky TV in New Zealand and on Channel O in South Africa . 0 +"Eduardo Rivadavia of "" AllMusic "" praised "" Restless and Wild "" with 4.5 out of 5 stars and called it Accept 's "" creative breakthrough . """ "Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 out of 5 stars and praised the "" creative breakthrough "" from Accept ." 0 +It is run at Haydock Park over a distance of about 1 mile 7 ½ furlongs , and during its running there are nine hurdles to be jumped . It jumped at Haydock Park over a distance of about 1 mile 7 ½ furlongs , and there are nine hurdles to run during its course . 0 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was led by Ali Akram Shuvo and composed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and directed by Sheikh Sadi Khan . 0 +In geometry , the hyperbolic tiling is a regular tiling of the heptagonal plane . In geometry , the hyperbolic tiling is a regular tiling of the seven-section plane . 1 +The area is serviced by the Alphington railway station , on the Hurstbridge railway line , and the Melbourne 508 , 546 , and 609 bus routes . The area is served by the Alphington railway station , on the Hurstbridge railway line and the Melbourne 508 , 546 and 609 bus lines . 1 +The southern half of the village is in the town of Dannemora , while the northern half is in the town of Saranac postal code is 12929 . The northern half of the village is in the town of Dannemora , while the southern half is in the town of Saranac . The ZIP code is 12929 . 0 +Pearland ISD serves most of the city of Pearland , the city of Brookside Village and unregistered areas in Brazoria County ( including Silverlake ) . Pearland ISD serves most of the city of Silverlake , the city of Pearland and unregistered territories in Brazoria County ( including Brookside Village ) . 0 +"His works were declared by the cultural nomenklatura of the Soviet Union as "" non-political and immoral "" ." "His works were declared by the apolitical and immoral nomenclature of the Soviet Union as "" cultural "" ." 0 +The river Jiul de Vest is a tributary of the Furu River in Romania . The river Furu is a tributary of the Jiul de Vest river in Romania . 0 +Sometimes , small mammals , including bats , are eaten , but very rarely are insects caught . Small mammals , including bats , are sometimes eaten but insects are caught only very rarely . 1 +Treatment included progressive muscle relaxation , interoceptive exposure therapy with cognitive restructuring , or a combination of both . The treatment included progressive muscle relaxation , interoceptive exposure therapy with cognitive restructuring , or a combination of both . 1 +A product of Feilding High School , Northcott walked a well followed path into the Manawatu Turbos Mitre 10 Cup team . Northcott , a product of Feilding High School , followed a well committed path into the Manawatu Turbos Mitre 10 Cup team . 0 +The Euler - Tour - Representation ( ETR ) can be represented in parallel in an undirected tree constructed as a set of edges as follows : Given an undirected tree presented as a set of edges , the Euler tour representation ( ETR ) can be constructed in parallel as follows : 0 +The second was a 4-track studio session and the first six tracks recorded at the reading festival . The first was a four lane studio session and the second six tracks at the Reading Festival . 0 +Itami-go was a part of Arioka Castle , which was ruled by Araki Murashige under Oda Nobunaga . Itami-go was a part of the castle of Arioka , which ruled Oda Nobunaga under Araki Murashige . 0 +The other entrances on the west side have new iron lamp standards and old lanterns , and one has an iron balustrade . The other entrances on the west side have new iron lamps - standards and old lanterns , and one has an iron balustrade . 1 +"Pidoux appeared as cellist Pablo Larraín in Pablo Casals 's "" Jackie "" ." "Pidoux appeared as Cellist Pablo Casals in Pablo Larrain 's "" Jackie "" ." 0 +"Of algonguin origin , the term "" Pusticamica "" means "" lake of the mountainous countries "" ." "The term "" Pusticamica "" of Algonguin - origin means "" Lake of the mountain countries "" ." 1 +The Hebrew Union College-Jewish Institute of Religion also manages the Skirball Cultural Center in Jerusalem and Skirball Museum in Los Angeles . The Hebrew Union College -Jewish Institute of Religion also manages the cultural center Skirball in Los Angeles and the Skirball Museum in Jerusalem . 0 +For example : during the summer is the distance from Mammoth Lakes to Fresno , while in winter it almost doubles . For example : during the summer , the distance from Mammoth Lakes to Fresno is , while in winter it nearly doubles to . 1 +""" Slate "" pointed out that Wilson did not accompany Landy and Ledbetter on their first date , contrary to what is displayed in the film ." """ Slate "" pointed out that Landy did not accompany Wilson and Ledbetter on their first date , contrary to what is presented in the film ." 0 +Adolf Hitler was personally awarded the Knight 's Cross of the Iron Cross with Oak Leaves by Scherer for the command of the defense of Kholm . For Kholm 's command of the defense , Scherer was personally awarded the knight 's cross of the Iron Cross with Adolf Hitler 's oak leaves . 0 +She later left WWE in August 2008 , to return to TNA three months later , where she remained until 2011 . She later left WWE in August 2008 to return to the TNA where she remained until 2011 three months later . 1 +The Major A Premiership is currently being held by the Major League in Pine Hills Lightning and Runcorn Indians in the Pacific League . The Major A premiership is currently held by the Pine Hills Lightning in Major League and Runcorn Indians in the Pacific League . 0 +A light novel - series - adaptation under the same name comes from Kadokawa 's Kadokawa Beans Bunko , all volumes were published by Tōko Fujitani with illustrations by Yamako . A light novel series adaptation under the same name is written by Kadokawa 's Kadokawa Beans Bunko . All volumes were published by Tōko Fujitani with illustrations by Yamako . 1 +During the Victorian era , specific flowers had different meanings . Love-lies-bleeding stood for hopeless love or hopelessness in the Victorian language of flowers . During the Victorian era , Victorian flowers had different meanings : love - bleeding stood for hopeless love or hopelessness in the specific language of the flowers . 0 +After the War the College returned to Hellenikon , where it remained until it moved to its new campus in Athens , a suburb of Aghia Paraskevi . After the war , the college returned to Hellenikon , where it remained until it moved to the new campus in Aghia Paraskevi , a suburb of Athens . 0 +TS can be measured theoretically for numerical targets such as spheres and cylinders , but in practice , it is usually calculated empirically or derived with simple models . Theoretically , TS can be measured for numerical targets such as balls and cylinders , but is usually calculated empirically or derived with simple models in practice . 1 +The Marignane is located at Marseille Airport in Provence . Marseille Airport Provence is located in Marignane . 0 +"Cassandra Peterson also appeared in "" All about the Evil "" of Peaches Christ with Patrick Bristow , Mink Stole and Brown ." "Cassandra Peterson also appeared in Peaches Christ 's "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." 1 +It was the first major social action in Ceylon and the first political mass crisis after independence . It was the first mass political action in Ceylon and the first major social crisis following independence . 0 +In the midst of the memory flashback Dr. Krane makes enough noise to attract Dr. Briggs . In the midst of the memory - flashbacks , Dr. Krane makes enough noise to attract Dr. Briggs . 1 +The first integer formula 177 , for which the Formula 178 has the formula 179 rank , is the Formula 180 . The first integer formula 177 , for which Formula 178 is ranked , has the Formula 179 Formula 180 . 0 +In combinatorial game theory , a game is impartial if it is not partisan . A game is impartial in combinatorial game theory if it is not biased . 1 +In this way it was possible to record dozens of separate tracks literally and to combine them into finished shots of great complexity . In this way , it was possible to record literally dozens of separate tracks and combine them into finished recordings of great complexity . 1 +There she studied with Robert Morris , Carl Andre and Robert Barry and met fellow art students Tony Smith , Eugene Goossen and Ad Reinhardt . There she studied with Robert Morris , Carl Andre and Robert Barry and met art students Tony Smith , Eugene Goossen and Ad Reinhardt there . 1 +It is used as a measure of absorbed dose , specific energy ( imparted ) , and kerma ( an acronym for kinetic energy released per unit mass ) . It is used as measure of absorbed dose , specific energy ( mediated ) and kerma ( acronym for kinetic energy released per mass unit ) . 1 +It is south of the regional airport of Evansville and east of the Sunset Memorial Gardens graveyard . It is located south of the Sunset Memorial Gardens and east of the Evansville Regional Airport cemetery . 0 +Renzo Furlan won 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang in the finals . Michael Chang won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Renzo Furlan . 0 +The Texas entrepreneur Nick Kennedy , who founded RISE , will work for Surf Air as President of the Dallas and Southeast region . Dallas entrepreneur Nick Kennedy , who founded RISE , will serve as president of the Texas and southeast region for Surf Air . 0 +Publius Minucius Augurinus was a Roman statesman who served as Consul in 492 BC with Titus Geganius Macerinus . Titus Geganius Macerinus was a Roman statesman who served in 492 B.C . as a consul with Publius Minucius Augurinus . 0 +The mountain was named after the geologist Charles Lyell , a follower of Charles Darwin , in 1863 , by Charles Gould . The mountain was named after the geologist Charles Gould , a follower of Charles Darwin in 1863 by Charles Lyell . 0 +"Emperor Xuanzong himself was the imperial examinations late in Tianbao 's "" Chang Gun "" era ( 742-756 ) ." "Chang Gun himself passed the imperial examinations late in Emperor Xuanzong 's "" Tianbao "" era ( 742-756 ) ." 0 +The secretary at McMann and Tate was played by various actresses , including Marcia Wallace ( ten appearances ) and Jill Foster . Betty , the secretary at McMann and Tate , was played by various actresses , including Marcia Wallace ( ten appearances ) and Jill Foster . 1 +Wexford County is a civil community of Cherry Grove Township in the U.S. state of Michigan . Wexford County is a civil township of Cherry Grove Township in the U.S. state of Michigan . 0 +The Izvorul River is a tributary of the Jiu River in Romania . Izvorul - River is a tributary of the River Jiu in Romania . 1 +Liverpool Township is located between 20 and 30 miles west of Lake Erie and about five miles south of Interstate 71 . Liverpool Township is located between 20 and 30 miles west of Lake Erie and approximately five miles south of Interstate 71 . 1 +Its base or round edge contains the free band and the paraumbilical veins between its layers . Its base or free edge contains between its layers the round ligament and the paraumbilical veins . 0 +The Interogator read a lot of papers , then came in the four-month stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . The interogator read a lot of papers then came to Abdulla in the four months stress , the intorgator typed the papers and forced Abdulla to write it . 1 +Bonnie Gadusek defeated Kathy Rinaldi 6 -- 1 , 6 -- 3 Bonnie Gadusek defeated Kathy Rinaldi 6 -- 1 , 6 - 3 1 +Brooks was unseated in 1932 by the banker Daniel B. Fleming of Ferriday in Concordia Parish . Brooks was served in Ferriday in 1932 by the banker Daniel B. Fleming of the Concordia Parish . 0 +On July 7 , 2009 , General Major Francis Okello was replaced as Commander of AMISOM by the general major Nathan Mugisha . On July 7 , 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . 0 +Via the Bush River and the Appomattox River , it is part of the James River watershed . Via the Appomattox River and the Bush River , it is part of the watershed of the James River . 1 +The astors settled in North America , appearing for the first time in the 18th century in Germany with John Jacob Astor , one of the richest people in history . The Astors settled in Germany , first appearing in North America in the 18th century with John Jacob Astor , one of the richest people in history . 0 +Ten Liberals served as Prime Minister , either considered liberal , or as a member of the VLD , the Liberal Party or the MR . Ten Liberals have served as prime minister , either as being considered Liberal , or as a member of the VLD , the Liberal Party , or the MR . 1 +Vivek also hands his response letter to Parvathy 's father . Parvathy also hands over to Vivek 's father his response letter . 0 +About 90 % of the tobacco produced in Canada is grown here . Approximately 90 % of all tobacco grown in Canada is produced here . 0 +The North Mountain House and stone house together formed the Ark hotel , which opened in 1873 , and was managed by Ricketts ' brother Frank until 1898 . The North Mountain House and the stone house together formed the Ark Hotel , which opened in 1873 and was managed by Ricketts ' , brother Frank until 1898 . 1 +The central part of the Nescopeck Creek watershed , south of the northernmost line of hills , including the mouth of Black Creek , is also in this range . The northernmost part of the Black Creek watershed , south of the central line of the hills , including the mouth of the Nescopeck Creek , is also in this row . 0 +In most countries , a different organisation , a scout group , combines local sections into a single body . In most countries a different organisation , a Scout Group , combines local sections together into a single body . 1 +Crisp was again retained as line coach after the resignation of Drew and the hiring of Jennings B. Whitworth in December 1954 . Following the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 , Crisp was retained as a line coach . 0 +He was then traded on the Detroit Tigers for Travis Fryman by the Arizona Diamondbacks with Matt Drews and Joe Randa . He was then traded by the Arizona Diamondbacks with Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . 1 +The river Dunăreana is a tributary of the River Galbena in Romania . The Galbena River is a tributary of the Dunăreana River in Romania . 0 +Des Moines is included in the Warren County -- West Des Moines , IA Metropolitan Statistical Area . The Moines is included in the Warren County -- West Des Moines , Metropolitan Statistical Area IA . 1 +Algestone Acetophenide is used in combination with Estradiol Enanthate as a monthly injectable contraceptive for women in Latin America and Spain . Algestone acetophenide is used in combination with estradiol enanthate as a once-monthly combined injectable contraceptive for women in Latin America and Spain . 1 +"Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the reverse alphabet in lyrical style ." "Comedian Soupy Sales released a song called "" Backward 's Alphabet "" in 1966 , which contained the reverse alphabet in lyrical style ." 1 +Bengidzakiwe is a local song sung in traditional ceremonies in Swaziland , which became a local hit in 2007 . Mine Bengidzakiwe is a traditional song sung in native ceremonies in Swaziland , which became a local hit in 2007 . 0 +In 1957 , USAFE also announced that its 50th FBW would receive the new F-100D Super Sabre . In 1957 , USAFE also announced that the new FBW would receive the 50th F-100D Super Sabre . 0 +"Harte temporarily took over the role of Dr. Michael McBain for Nathaniel Marston on the ABC soap "" One Life to Live "" in 2007 ." "In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain in the ABC – Soap "" One Life to Live "" ." 0 +Kolahoi Peak is part of the Himalaya Range , and is located between 15 km north of Sonamarg and 21 km south from Arin Pahalgam . The Kolahoi Peak is part of the Himalaya Range and is located between 15 km south of Sonamarg and 21 km north of Arin Pahalgam . 0 +He made 396 appearances in the Football League for Swindon Town , Plymouth Argyle , Crystal Palace and Torquay United , before moving into non-league football with Cambridge City . He made 396 performances in the Football League for Swindon Town , Torquay United , Crystal Palace and Plymouth Argyle , before moving with Cambridge City to the Non-League - Football . 1 +It was directed by Go Nagai , his first film as director and his third as a solo director . Directed by Go Nagai , his third film as a director and his first film as solo director . 0 +It dates from this time that is the letter Sthat can be seen on its logo . It dates from that time , this is the letter Sthat can be seen on its logo . 1 +John Patrick Lowrie plays Holmes to the Watson first Lawrence Albert and later John Gilbert . Lawrence Albert plays Watson to the Holmes of first John Gilbert and later John Patrick Lowrie . 0 +Itami-go was a part of the castle of Arioka , which ruled Araki Murashige under Oda Nobunaga . Itami-go was a part of Castle Arioka which Oda Nobunaga ruled under Araki Murashige . 0 +The City of Santa Fe has designated the Oklahoma City station as the location for intermodal transit services for the city and metropolitan area . The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit for the city and the conurbation area . 1 +The main international airport is Yaoundé Nsimalen International Airport and the second international airport at Douala International Airport . The main international airport is the Douala International Airport and a secondary international airport at Yaoundé Nsimalen International Airport . 0 +He began his studies in Budapest in 1946 at the Main Gimnázium , and from 1947 to 1951 he visited the Madách Gimnázium in Debrecen . He began his studies in 1946 at the Main Reformed Gimnázium in Debrecen , and from 1947 to 1951 , he attended the Madách Gimnázium in Budapest . 0 +The constituency was like its neighbour , Dunfermline East , one of the safest seats in Labour in Scotland . Like its neighbour , Scotland , the constituency was one of Labour 's safest seats in Dunfermline East . 0 +The 1995 -- 96 Bayern Munich season was their 95th season of existence and 31st Bundesliga season . The season 1995 -- 96 of FC Bayern Munich was their 31st season of existence and the 95th Bundesliga season . 0 +In 2017 , Zack Sabre Jr. returned to Progress on Chapter 55 , Defeated by Scurll In 2017 Zack Sabre Jr. returned to Progress on Chapter 55 , being defeated by Scurll 1 +In later parts of the book , characters compare their desperate situation with that of relevant characters of the semi-mythical legend , with the Scandinavian poetry being quoted occasionally . In later parts of the book , characters compare their desperate situation to that of relevant characters of semi-mythical legend , with the Scandinavian poetry occasionally quoted . 1 +"The duo borrowed the title "" Electric Arguments "" from the poem "" Kansas City to St. Louis "" by Allen Ginsberg ." "The duo borrowed the title "" Electric Arguments "" from the poem "" St. Louis to Kansas City "" of Allen Ginsberg ." 0 +Vishwasrao was born in Supe near Pune as the eldest son of Balaji Baji Rao ( Supe was the Jagir of Shahaji by Pune ) . Vishwasrao was born as the eldest son of Balaji Baji Rao at Supe near Pune ( Supe was the Jagir of Shahaji near Pune . 1 +""" Love Hurts "" is the twentieth episode of the first season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." """ Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." 1 +He worked as a school teacher in Bruges and , between 1693 and 1717 , in Tielt . He worked as a teacher in Bruges and between 1693 and 1717 in Tielt . 1 +Stewart was a contemporary of Dorothy Kate Richmond , by Frances Hodgkins and Gwen Knight . Dorothy Kate Richmond , Frances Hodgkins and Gwen Knight was a Stewart contemporary . 0 +""" Now a Memory Almost "" is a song written by Van Stephenson , Dave Robbins and Dale Oliver , recorded by the American country music band Blackhawk ." """ Almost a Memory Now "" is a song written by Van Stephenson , Dave Robbins , and Dale Oliver , recorded by American country music band Blackhawk ." 0 +In 2009 , Damien Ritter founded his own Funk Volume record label with Hopsin . In 2009 , Hopsin founded his independent record label Funk Volume with Damien Ritter . 0 +In 1991 he left Germany to work in the area of palliative care for cancer patients in Italy as well as in various Third World countries . In 1991 he left Italy to work in the area of palliative care for cancer patients in Germany as well as in various Third World countries . 0 +Two bridges cross the river to Pental Island ; at Fish Point Road in the west , and on Swan Hill at Fish Point in the east . Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road at the Fish Point in the east . 0 +The very rare first edition has a limited printing of only 2,000 copies and contained 150 silk screen plates . The very rare first edition has a limited edition of only 2,000 copies and contained 150 screen printing plates . 0 +"Kennebec County comprises the "" Augusta - Waterville , ME Micropolitan Statistical Area "" ." Waterville comprises the Augusta-Kennebec County , ME Micropolitan Statistical Area . 0 +Larsen was born in Cleveland , Ohio . He grew up in Sarasota , Florida . Larsen was born in Cleveland , Ohio and grew up in Sarasota , Florida . 1 +On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base to his honor . On April 30 , 1950 , the Nellis Air Force Base in Nevada was renamed Las Vegas Air Force Base in his honor . 1 +He died on 15 August 1950 in Ixelles ( Brussels ) . He died in Ixelles ( Brussels ) on 15 August 1950 . 1 +In countries where civil service cartridges for military property are banned , the Brennecke 7 × 64 is a successful cartridge for hunting and accuracy . In countries where military service cartridges are banned for civil ownership , the 7 × 64 Brennecke is a successful cartridge for hunting and marksmanship . 0 +Varshamov studied in Tbilisi with Arnold Walfisz ( where he was Georgian Varshamov studied in Tbilisi under Arnold Walfisz ( where he was Georgian ) . 1 +If three variables , formula _ 26 , formula _ 27 and formula _ 28 are bound by the condition formula _ 29 for some differentiable function formula _ 30 , then the following total differentials exist If three variables , Formula 26 , Formula 27 and Formula 28 are bound by condition formula 29 for a total function formula 30 , then the following differentials exist . 0 +It is a white , water-soluble solid . It is a white , water-soluble solid state . 1 +""" Bouncing Back "" is the eleventh sequence of the third season of American television series "" Agents of S.H.I.E.L.D ." Bouncing Back ' is the third episode of the eleventh season of the American television series 'Agents of S.H.I.E.L.D ' . 0 +Born on November 1 , 1986 , Ashley is a contemporary dancer from Los Angeles who was originally raised in Arizona . Ashley was born on November 1 , 1986 and is a contemporary dancer from Arizona , who originally grew up in Los Angeles . 0 +""" Come Over "" is the second US single and the second UK single from Estelle 's fifth studio album "" Shine "" ( 2008 ) ." """ Come Over "" is the fifth British single and the second U.S. single from Estelle 's second studio album "" Shine "" ( 2008 ) ." 0 +However , the Council 's functional draft only makes it a very weak mechanism for legislative review . The Council 's functional design , however , makes it only a very weak legislative review mechanism . 1 +District Mhow consists of four divisions : Depalpur , Sanwer , Indore and Indore . Mhow district consists of 4 divisions ; Depalpur , Sanwer , Indore and Indore . 1 +The divide passes through or touches the states of Mississippi , Tennessee , Virginia , North Carolina , South Carolina , Georgia , Alabama , West Virginia and Kentucky . The divide happens or touches the states of West Virginia , Virginia , North Carolina , South Carolina , Georgia , Alabama , Mississippi , Tennessee and Kentucky . 1 +A practicing member of the Presbyterian faith , Romney was a Mason in the Clinton Lodge of White , where he had served as a Master . Romney , a practicing member of the Presbyterian belief , was a freemason in the Clinton Lodge of White , where he had served as a master . 1 +In the late morning and early afternoon , it appears to be most active . It seems to be the most active in the early morning and late afternoon . 0 +The first Rockhampton branch was formed in 1888 in Queensland and in 1890 in Brisbane . The first Rockhampton branch was formed in Queensland in 1888 and Brisbane in 1890 . 1 +Weslandia is a newbery medal winner for children , Paul Fleischman , with illustrations by Kevin Hawkes . Weslandia is a children 's book Newbery Medal winner Kevin Hawkes , with illustrations by Paul Fleischman . 0 +Piven replaces Michael Madsen as Bob ( although Madsen was initially announced to return during pre-production ) . Piven replaces Michael Madsen as Bob ( although Madsen was initially announced to be returning during pre-production ) . 1 +Gary Donnelly and Jim Grabb won 6 : 7 , 6 : 4 , 7 : 6 against Andrew Castle and Roberto Saad in the final . Andrew Castle and Roberto Saad won 6 : 7 , 6 : 4 , 7 : 6 against Gary Donnelly and Jim Grabb in the final . 0 +Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . This victory repeated in an Opel Astra in 2003 this victory with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . 1 +Linna is spoken by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English in the original series , with Michie Tomizawa in the 2040s series . Linna is voiced by Michie Tomizawa in Japanese and Elizabeth Becks in English in the original series , with Rio Natsuki and Kelly Manison in the 2040 series . 0 +Jan Apell and Jonas Björkman won the title , defeating Jacco Eltingh and Paul Haarhuis 6 -- 4 , 7 -- 6 in the final . Jan Apell and Jonas Björkman won the title and defeated Jacco Eltingh and Paul Haarhuis with 6 -- 4 , 7 -- 6 in the final . 1 +He was born in Łuck , was a wonderful child on the piano in Warsaw and then went to the Warsaw Conservatory . Born in Łuck , he was a child prodigy on the piano in Warsaw and then went to Warsaw Conservatory . 1 +For Amtrak - Service are the nearest stations West in Framingham , east in Boston at Back Bay and South Station and south in Route 128 station in Westwood . For Amtrak - Service are the nearest stations east in Boston , west of Framingham at route 128 station and south in Back Bay and South Station in Westwood . 0 +The aircraft was situated on a domestic flight from Goma via Ndjili to Kisangani . The aircraft was on a domestic flight from Goma to Kisangani via Ndjili . 1 +HF is a reactive solvent in the electrochemical fluorination of organic compounds . The electrochemical fluorination of organic compounds is a reactive solvent . 1 +The continuing popularity in Japan of this mobile suit has led Bandai to create a 1.5m tall model version , which went on sale in Japan in 2007 . The continuing popularity of this mobile suit in Japan has led Bandai to develop a 1.5m high model version , which went on sale in Japan in 2007 . 1 +The song was also used as a topic for the British remake of the American sitcom , The Inbetweeners . The Song was also used as the theme for the British remake of American Sitcom , The Inbetweeners . 1 +With a record of 7 -- 0 and victories over WEC veteran Eddie Mendez and Strikeforce veteran Fernando Gonzalez , he signed with Bellator . He signed with Bellator with a record of 7 -- 0 and victories over WEC - Veteran Eddie Mendez and Strikeforce - Veteran Fernando Gonzalez . 1 +Blacksburg is part of the VA Metropolitan Statistical Area -- Christiansburg -- Radford , Montgomery County . Blacksburg is part of VA Metropolitan Statistical Area -- Christiansburg -- Radford , Montgomery County . 1 +The membership of primary nodes within periodicity blocks may then be tested analytically by the inverse φ function : Then membership of inverse nodes within periodicity blocks may be tested analytically through the primary φ function . 0 +He died in Brussels on August 15 , 1950 ( Ixelles ) . He died in Ixelles ( Brussels ) on 15 August 1950 . 1 +Lombardo left the band due to an elbow injury and was replaced by former Bostaph member . Due to an elbow injury , Bostaph left the band and was replaced by his former member Lombardo . 0 +"According to Jon Uren , Marketing Director of Warner Music Europe , the song also had "" fantastic "" early support all over Europe ." "According to Jon Uren , Marketing Director of Warner Music Europe , the song also had an "" early "" fantastic support across Europe ." 1 +Sean and his son Dirk finally leave the wilderness and discover that a war is brewing between the British and the Boers . Finally the Dirk and his son Sean leave the wilderness and discover that a war is brewing between the British and the Bureau . 0 +Twenty dated Jacobite metropolitans of Melitene between the ninth and the twelfth centuries are mentioned in the lists of Michael the Syrian . Twenty dated Jacobite metropolitans of Melitene between the ninth and twelfth centuries are mentioned in the lists of Michael the Syrian . 1 +The parents of Jean Ken are Jean and Steve DeBauche from Suamico , WI and has two younger brothers , Brad and Brent DeBauche . Ken 's parents are Jean and Steve DeBauche of Suamico , WI and has two younger brothers , Brad and Brent DeBauche . 1 +"Vancouver "" , wrote that "" Surrey ( ... ) is to ( Indo-Canadians ) what Richmond is to the Chinese. """ "Surrey "" wrote that "" Vancouver ( ... ) is too ( Indo-Canadians ) what Richmond is to the Chinese ." 0 +Veymandoo Kandu is the channel between Laamu Atoll and Thaa Atoll of the Maldives . Veymandoo Kandu is the channel between the Thaa Atoll and Laamu Atoll of the Maldives . 1 +The southern border of the municipality is also the northern border of Lahemaa National Park . The northern border of this municipality is also the southern border of the Lahemaa National Park . 0 +Simon Butler ( d. 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Mathews . Simon Mathews ( b . 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Butler . 0 +"Tanhaiyan Naye Silsilay 's title song "" Hain Yeh Silsilay "" is sung by Zoe Viccaji , composed by Shani Haider and lyrics by Shahi Hasan ." "The title song "" Hain Yeh Silsilay "" by Tanhaiyan Naye Silsilay is sung by Zoe Viccaji , composed by Shani Haider and the lyrics of Shahi Hasan ." 1 +An implementation that computes the probability density function of the Wakeby distribution is included as a routine WAKPDF in the scientific data library of Dataplot . An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot scientific computation library , as routine WAKPDF . 1 +Where Formula 9 is the Lerch - Hyperbolicus - function and coth is the transcendent Cotangent - function . Where Formula 9 is the transcendent lerch function and coth the hyperbolic cotangens - function is . 0 +""" Sidewalk "" magazine helped to create the careers of characters such as Olly Todd , John Rattray , Stuart Graham , Benny Fairfax , Brian Sumner and more ." """ Sidewalk "" magazine helped to spawn the careers of characters such is Olly Todd , John Rattray , Stuart Graham , Benny Fairfax , Brian Sumner and more ." 1 +Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . Snow Shoe Township is bounded by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . 1 +For the 17th time the Glenn Howard won the Ontario Championship as third or skip . Glenn Howard won the Ontario Championship for the third time as either 17th or skip . 0 +The municipality is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. Johns and northeast of Placentia . The community is located at the southwestern head of Conception Bay in Division 1 . It is situated southwest of St. John 's and northeast of Placentia . 1 +Euthria amorimi is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . Euthria amorimi is a species of sea snail , a true gastropod mollusk in the family Buccinidae , the marine whelks . 1 +Biancaneve is an Italian erotic comic book , created in 1972 by Renzo Barbieri and Rubino Ventura ( pseudonym by Giuseppe Pederiali ) and illustrated by Leone Frollo . Biancaneve is an Italian erotic comic book , created in 1972 by Renzo Barbieri and Rubino Ventura ( pseudonym of Giuseppe Pederiali ) and illustrated by Leone Frollo . 1 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if exists ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural - second variants ( if any ) : 0 +The Handbook of the South American Indians is a monographic series of published scientific and reference volumes in ethnographic studies published by the Smithsonian Institution between 1940 and 1947 . The Handbook of South American Indians is a monographic series of edited scholarly and reference volumes in ethnographic studies , published by the Smithsonian Institution between 1940 and 1947 . 1 +This assembly was seen as a divine counterpart to the semi-democratic legislative system that existed during the Third Dynasty of Ur ( 2112 BC -- 2004 BC ) . This assembly was seen as a divine counterpart to the semi-democratic legislative system that existed during the Third Dynasty of Ur ( 2112 BC - 2004 BC ) . 1 +Grant holds multiple records in many categories for Utah , including several all-time records , such as : Grant holds several rows in many categories for Utah , including multiple all-time records , such as : 1 +The problem of checking whether a given polynomial is a permutation polynomial over a finite field can be solved during polynomial time . The problem of checking whether a given polynomial is a permutation polynomial over a polynomial field can be solved in final time . 0 +The south coast of the island is also located on the northern side of the large gulf , the bay of Mecklenburg , into which the Wismar bay enters . The south coast of the island is also on the northern side of the large gulf known as the Bay of Mecklenburg , which Wismar Bay enters into . 1 +Simon Butler ( d. 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Mathews . Simon Mathews ( died 1755 ) was a Welsh immigrant who came to Pennsylvania with his cousin Simon Butler in 1712 . 0 +Neighboring communities include Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . Neighboring municipalities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . 1 +Chin was born in Kingston , Jamaica , to a Chinese – Jamaican mother and a Jamaican father . Chin was born in Kingston , Jamaica to a Jamaican mother and a Chinese Jamaican father . 0 +"In 1948 , Hellinger 's aesthetic formed the foundation for Weegee 's film "" The Naked City "" ." "Hellinger 's aesthetics formed the foundation for Weegee 's film "" The Naked City "" in 1948 ." 1 +It is the explicit goal of TCI not only to lead the leader , but also to enable a group to provide for itself ( President Person Postulate ) . It is the explicit goal of TCI not only to support the leader , but also to enable a group to lead itself ( chair person postulate ) . 0 +Nicholas Lens ( born 1957 ) is a Belgian composer of contemporary music , known mainly for his operas . Nicholas Lens ( born 1957 ) is a contemporary composer of Belgian music , particularly known for his operas . 0 +He claimed that four Ukrainian soldiers were injured , while two of his men were killed during the fighting . He claimed that four Ukrainian soldiers were killed , while two of his men were injured during the fighting . 0 +Since 1983 , Ambrosini has played the Nyckelharpa as one of the Baroque musicians since the first full time outside of Sweden . Since 1983 Ambrosini has played the Nyckelharpa as one of the first full-time musicians since the baroque time outside of Sweden . 0 +An angle clockwise in a figure would correspond to a counterclockwise angle in the other figure . A counterclockwise angle in a figure would correspond to one clockwise angle in the other figure . 0 +The album was released on Sony Japan , PIAS in Europe , Flying Nun in New Zealand , Infectious Records in the UK and Festival Records in Australia . The album was released on Sony Japan , PIAS in the Europe , Flying Nun in New Zealand , Infectious Records in the UK and Festival Records in Australia . 1 +"In spherical coordinates , the Hamilton operator can be written of a free particle moving in a conservative potential "" U "" ." "In conservative potential coordinates , the Hamilton operator of a free particle moving in a spherical "" U "" can be written ." 0 +""" Funtime "" is a song by Iggy Pop , first published by David Bowie and Iggy Pop on his 1977 album "" The Idiot "" ." """ Funtime "" is a song written by Iggy Pop , first released by David Bowie and Iggy Pop on his 1977 album entitled "" The Idiot "" ." 1 +Harry , the brother of Ted Cordner , and his cousins Alan Cordner and Larry Cordner also played Senior VFL Football . "Harry 's brother Ted Cordner , and his cousins Alan Cordner and "" Larry "" Cordner , also played senior VFL football ." 0 +Italy is a national park in the north-east of Stelvio National Park , founded in 1935 . Italy is a national park in the northeast of the national park Stelvio , founded in 1935 . 1 +"Cronus ( "" the cunnier , youngest and most terrible of Gaia 's children "" ) was convinced by Gaia to castrate his father ." "Cronus ( "" the terrible , youngest and most wily of Gaia 's children "" ) , was convinced by Gaia to castrate his father ." 0 +In other words , at this extremely high temperature , the kinetic energy of the photons would overwhelm the binding energy of strong nuclear power . In other words , at this extremely high temperature , the binding energy of the photons would overcome the kinetic energy of the strong nuclear force . 0 +The corresponding tetracubins from two complete sets of free tetrominos can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes : The free tetracubes made of two complete sets of corresponding tetrominos can also fit in 2 × 4 × 5 and 2 × 2 × 10 boxes . 0 +Republican Drew Springer , Jr. , a businessman from Muenster in Young County , has since January 2013 represented Cooke County in the Texas House of Representatives . Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in the House of Representatives of Texas since January 2013 . 1 +In 2016 , a group of white students at the Wiggins High School put a noose around a black student 's neck . In 2016 , a group of black students at the Wiggins High School put a noose around a white student 's neck . 0 +In 2013 Cate Faehrmann resigned from the Legislative Council to contest a Senate seat . The resulting casual vacancy was filled by Mehreen Faruqi of the South Sydney Greens . In 2013 , Cate Faehrmann resigned from the Legislative Council to contest a Senate seat . The resulting vacancy was filled by Mehreen Faruqi of the South Sydney Greens . 1 +"In 1994 , John Hadfield played the role of Professor Pollux in the BBC - TV - Adaptation of the Crowden - novel "" Love on a Branch Line "" ." "In 1994 , Crowden played the part of Professor Pollux in the BBC TV adaptation of the John Hadfield novel "" Love on a Branch Line "" ." 0 +Forward Rob Blake was replaced by defender Patrick Marleau as team captain . Forward Patrick Marleau was replaced as team captain by defenseman Rob Blake . 0 +In 1824 , Whitehead brought his new life to Wesley -- 5 : it used Moore 's work , sometimes without acknowledgment . Whitehead brought out his new life of Wesley in 1824 -- 5 : it used Moore 's work , sometimes without acknowledgment . 1 +Ivy Vujic married Jenkins on 2 April 2011 . On April 2 , 2011 Ivy Vujic married Jenkins . 1 +Arnold Lang ( 18 June 1855 -- 30 November 1914 ) was a comparative naturalist , a Swiss anatomist and student of German biologist Ernst Haeckel . Arnold Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a comparative naturalist , Swiss anatomist and student of German biologist Ernst Haeckel . 1 +Baxter Aviation operated flights between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport up to Nanaimo Harbour Water Aerodrome . Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and the Nanaimo Harbour Water Aerodrome to Vancouver International Water Airport . 0 +In 2000 , Tandy Corporation became officially RadioShack Corporation . In 2000 , RadioShack Corporation officially became the Tandy Corporation . 0 +Ashe was spoken in English by Kari Wahlgren and by Mie Sonozaki in Japanese . Ashe was spoken in English by Mie Sonozaki and by Kari Wahlgren in Japanese . 0 +8 January : reception of Kyle Kubitza and Nate Hyatt for Ricardo Sanchez from the Kansas City Royals . January 8 : Received Ricardo Sanchez and Nate Hyatt from the Kansas City Royals for Kyle Kubitza . 0 +There are many branches of fluid mechanics , such as statics , dynamics , kinematics , continuum mechanics ( including statistical mechanics ) , classical mechanics , etc . There are many branches of fluid mechanics , such as : statics , dynamics , kinematics , continuum mechanics ( which includes statistical mechanics ) , classical mechanics , etc . 1 +It is located close to Old Iloilo Airport at 113 R. Mapa Street in Iloilo City 's Mandurriao district . It is located close to the Mandurriao at 113 R. Mapa Street in the Iloilo City district of Old Iloilo Airport . 0 +The Colbu River or Izvorul Giumalăului River is a tributary of the Moldova River in Romania . The Moldova - River or Izvorul Giumalăului River is a tributary of the River Colbu in Romania . 0 +The series was written by Kurt Busiek , with art by George Pérez . The series was written by Kurt Busiek , with art from George Pérez . 1 +These include replicas at Ramat Shlomo in Jerusalem and in Kfar Chabad in Israel . These include replicas at Ramat Shlomo in Israel and in Kfar Chabad in Jerusalem . 0 +Rosa taught courses for several years relating to both domestic chemistry and analytical chemistry . For several years , Rosa taught courses relating both to analytical chemistry and applied domestic chemistry . 0 +Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a Belgian chemist and liberal politician from the Liberal Party . 0 +Bradykinin - Receptor B is a G-protein - encoded receptor for Bradykinin , coupled to the BDKRB2 - Gene in humans . Bradykinin receptor B is a G-protein encoded receptor for bradykinin , coupled by the BDKRB2 gene in humans . 1 +Statue of Ma.Po.Si 2011 unveils in Chennai ( T. Nagar , Tyagaraya Nagar ) 2011 Statue of Ma.Po.Si unveiled in Tyagaraya Nagar ( T. Nagar , Chennai ) 1 +His son Craig Haynes is Cornetist , his son Graham Haynes and his grandson , Marcus Gilmore , are both drummers . His son Graham Haynes is a cornetist ; his son Craig Haynes and grandson Marcus Gilmore are both drummers . 0 +He scored 14 in the second innings but took only one English wicket . He took 14 in the second innings , but reached only one English wicket . 0 +"Species such as "" T. eurycephalus "" however had a shorter rostrum and a deeper skull ." "However , species such as "" T. eurycephalus "" had a deeper rust and a shorter skull ." 0 +In April 2014 , 2-5 Cavalry from 1 ABCT , 1CD deployed to Germany to support Operation Combined Resolve II , a NATO exercise in southeastern Europe . In April 2014 , 2-5 cavalry used from 1 ABCT , 1CD to Europe to support Operation Combined Resolve II , a NATO exercise in Southeast Germany . 0 +Although it was never used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been played . Although it was never played in the series , elements of the gameplay were used for the Powerball , Whiplash and Earthquake events . 0 +A multi-region - DVD of the entire series was announced by Warner Archive on February 4th , 2015 and released on February 10 , 2015 . A multi-region - DVD of the entire series was published by Warner Archive on 4 February 2015 and announced on February 10 , 2015 . 0 +Many of his best works were painted in Bourbonnais in the central region of Hérisson in France as well as in the regions of Nivernais and Auvergne . Many of his best works were painted at Hérisson in the central France region of Bourbonnais , as well as in the Nivernais and Auvergne regions . 0 +I created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . I 've created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . 1 +The Roman - Catholic diocese of Cyangugu is a diocese in the town of Kigali in the ecclesiastical province of Cyangugu , Rwanda . The Roman Catholic Diocese of Cyangugu is a diocese located in the city of Kigali in the ecclesiastical province of Cyangugu in Rwanda . 1 +Despite the general success of the limited attack , the battalion lost nearly half of its strength . Despite the general success of the limited attack the battalion lost nearly half its strength . 1 +The Dodgers received their only runs on Solo - Homers by Willie Crawford in the Eighth and Bill Buckner in the ninth . The Dodgers got their only runs on solo homers by Willie Crawford in the eighth and Bill Buckner in the ninth . 1 +Henry Cole was followed by Bailey as Caretaker of Breakheart Hill . Bailey was replaced by Henry Cole as caretaker of Breakheart Hill . 0 +"Released in September 2003 in Belgium , "" Sharko III "" was later released in France , the Netherlands , Switzerland , and Japan ." "In September 2003 , published in France , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland and Japan ." 0 +This is the list of places in South Wales County Borough , Blaenau Gwent . This is a list of places in the South Wales county borough , Blaenau Gwent . 1 +There is a removable water tank and a fuel tank with collapsible hatch for cleaning . There is a collapsible water tank and a fuel tank with a removable hat for cleaning . 0 +Richard A. Kowalski ( born 1963 ) is an American astronomer who discovered many asteroids and comets , including numerous near-earth objects . Richard A. Kowalski ( born 1963 ) is an American astronomer who has discovered numerous asteroids and comets , among them , many near-Earth objects . 1 +He inherited the Gwalior - Gharana and the Gandharva - Mahavidyalaya , but he was always open to accepting aesthetic characteristics of other gharanas and styles . He inherited the Gwalior gharana and the Gandharva Mahavidyalaya , but he was always open to adopting other features of aesthetic gharanas and styles . 0 +In February 2017 , Renault announced that it will win a Prodrive Mégane for Guerlain Chicherit at the 2018 FIA Rallycross World Championship . In February 2017 , Renault announced that they will enter a Prodrive Mégane for Guerlain Chicherit at the 2018 FIA World Rallycross Championship . 1 +Syrian Haitians are Haitians of Syrian descent , or a Syrian with Haitian citizenship . A small Syrian community exists in Haiti . Syrian Haitians are Syrians of Haitian descent , or a Haitian with Syrian citizenship . A small Syrian community exists in Haiti . 0 +While it is completely turing-practical , it is not intended for complete use , but programmers to challenge and amuse . While it is fully Turing-practical , it is not intended for complete use , but to challenge and amuse programmers . 1 +Coverage in urban areas is substantially higher than in rural areas . The coverage in rural areas is considerably higher than in urban areas . 0 +It was added on 6 April 2010 as a digital download and published on Modern Rock radio in the United States on May 5th , 2010 . It was added as a digital download on April 6 , 2010 , and was released on Modern Rock radio in the United States on May 5 , 2010 . 1 +"The accompanying music video for "" Slow "" was managed by Baillie Walsh and choreographed by Michael Rooney ." "The accompanying music video for "" Slow "" was directed by Michael Rooney and choreographed by Baillie Walsh ." 0 +Pleasant Peak is a location on RAF Mount Pleasant , East Falkland , north of the Falkland Islands . Pleasant Peak is a location on the Falkland Islands , East Falkland , north of RAF Mount Pleasant . 0 +This version of Hector Hammond is a xenobiology - professor , an old friend of Hal Jordan and the son of US senator Robert Hammond . This version of Robert Hammond is a xenobiologist - professor , an old friend of Hal Jordan and the son of Senator of the United States Hector Hammond . 0 +Mike McCoy was the coach of the Aviators and Carl Caldwell was the General Manager . Mike McCoy was the head coach of the Aviators , and Carl Caldwell was the General Manager . 1 +In 1963 , he met Eddie Brigati ( a pickup singer on the local R & amp ; B circuit ) and Felix Cavaliere ( a classically trained pianist ) . Danelli met Felix Cavaliere ( a pickup singer on the local R & B circuit ) , and Eddie Brigati ( a classically trained pianist ) in 1963 . 0 +In compliance with Chicago CC vs. New York CC in 1904 and Brooklyn CC vs. Rice CC Twin Cities in 1909 . In matches Chicago CC vs. New York CC in 1904 and Brooklyn CC vs. Rice CC Twin Cities in 1909 . 0 +The river Cochirleanca is a tributary of the Slatina river in Romania . The River Slatina is a tributary of the River Cochirleanca in Romania 0 +After his move to Wawel , style antico became the musical language of the main statement of Pękiel . Stile Antico became after his move to Wawel the main language of the musical statement of Pękiel . 0 +Each layer is layered on its own and cooked in a pan and baked until the top is browned . Each layer is layered on its own and cooked and baked in a pan until the top is tanned . 1 +On October 11 , 2007 , Naito defeated Daiki cameda by unanimous decision for the first defense of his WBC and lineal title . On October 11 , 2007 , Daiki Kameda defeated Naito by unanimous decision for the first defense of his WBC and lineal titles . 0 +Dean wrote a story about and a song for the cat , and the two began a partnership , although the collaboration between Litwin and Litwin ended in 2012 . Litwin wrote a story and a song for the cat , and the two began a partnership , although the collaboration between Dean and Litwin ended in 2012 . 0 +Glauco Sansovini is together with Marco Conti captain Regent of San Marino for the semester from 1 April 2010 to 1 October 2010 . Marco Conti is Captain Regent of San Marino together with Glauco Sansovini for the semester from 1 April 2010 to 1 October 2010 . 0 +Its earliest settlers in 1774 were George Woods and George McCormick , who settled in Spring Mills in 1773 and built the first mill there . Its earliest settlers were George McCormick and George Woods in 1774 , who settled in Spring Mills in 1773 and built the first mill there . 0 +Fort Paull is the location of the last complete Blackburn Beverley heavy transport aircraft . Fort Paull is the location of the last remaining heavy Blackburn Beverley transport aircraft . 0 +SDT was the first , second , third , fourth , fifth , sixth , seventh and eighth team to win the first title in the UAAP Cheerdance Competition . SDT was the first , second , third , fourth , fifth , sixth , seventh and eighth team to earn the first title in the UAAP Cheerdance Competition . 1 +""" FIFA Manager 12 "" is a football manager - simulation video game , developed by Bright Future GmbH and published by EA Sports worldwide under the label Electronic Arts ." """ FIFA Manager 12 "" is a football manager simulation video game developed by Bright Future GmbH and published by Electronic Arts worldwide under the EA Sports label ." 0 +The development of Bas 90 began in the 1970s and started being implemented in the 1980s . The development of Bas 90 started in the 1970s and began implementation in the 1980s . 1 +Together with Marcus Ehning , Otto Becker and Ludger Beerbaum , Nieberg won another gold medal in team jumping at the 2000 Summer Olympics in Sydney . Marcus Ehning , Otto Becker and Ludger Beerbaum together won a gold medal in Team Jumping at the 2000 Summer Olympics in Sydney , again with Nieberg . 0 +Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by East Coast Railway . Samata Express is a super quick express train between New - Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by the East Coast Railway . 1 +Edward Próchniak ( ; 4 December 1888 , Puławy-21 August 1937 ) was a leading Polish communist purged by Stalin . Stalin ( December 4 , 1888 , Puławy , August 21 , 1937 ) was a leading Polish communist , purged by Edward Próchniak . 0 +They all have very large radii and exhibit an unusually large atomic and ionic range of physical properties . They all have very large radii and have an unusually large atomic and ionic range of physical properties . 1 +In 1281 Simon de Beaulieu was appointed Archbishop of Bourges by Pope Martin IV ( Simon de Brion ) . In 1281 Simon de Brion was appointed by Pope Martin IV ( Simon de Beaulieu ) as Archbishop of Bourges . 0 +Design by Jeff Grubb with Andria Hayday , a cover by Jeff Easley and illustrations by Karl Waller . Design was by Jeff Grubb with Andria Hayday , a cover by Jeff Easley , and illustrations by Karl Waller . 1 +With the help of bassist Camus Celli , keyboarder Guy Daniel and drummer Pat Schick , guitars and keyboards played on the album . With the help of the bassist Pat Schick , keyboarder Guy Daniel and drummer Camus Celli , Ponti played guitars and keyboards on the album . 0 +""" Dead Tooth "" is the first episode of the second season of the Fox sitcom "" Raising Hope "" ." """ Dead Tooth "" is the first episode of the second season of Fox - Lift Sitcom "" Hope "" ." 0 +She died in Fort Worth , and is buried in Abilene , in the Abilene Municipal Cemetery . She died in Abilene and was buried in Fort Worth in the municipal cemetery of Abilene . 0 +Magda Lorne learns from her supervisor , Cholayna Ares , that a Terran operative , Alexis Anders , has survived a plane crash in the Hellers a week earlier . Magda Lorne learns from her supervisor , Cholayna Ares , that a terran woman , Alexis Anders , survived a plane crash in the Hellers a week earlier . 1 +"Griffith Barracks ( Irish : "" Dún Uí Ghríofa "" ) is a former military barracks located on the South Circular Road , Dublin , Ireland ." "Griffith Barracks ( Irish : "" Dún Uí Ghríofa "" ) is a former military barracks on the South Circular Road , Dublin , Ireland ." 1 +The last years of his life he spent in France and died in Paris . The last years of his life he spent in Paris and died in France . 0 +He directed Christians to desire God in all things and to do above all things to recognize the will of God . He instructed Christians to desire and , above all , to do God in all things to recognize the will of God . 1 +In September the new large field was finished and all leagues expanded . In September the new large field was extended and all leagues finished . 0 +A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewmen were released . A month later , the Spanish fleet was destroyed at the Battle of Santiago de Cuba and the crewman was released . 1 +Against the recalcitrant John , Robert presented himself by sending a troop of soldiers from Brabant to Bangor . John retaliated against the recalcitrant Robert by sending a troop of soldiers from Brabant to Bangor . 0 +Tyrone then tells him who Tommy is . Tyrone tells him who is Tommy . 1 +The shield is historic for the Artillery . The Mayflower tells of the red background of the Boston district . The sign is historic for the artillery , the Mayflower tells of the red background of the Boston district . 0 +Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the Black River section . Crocker crossed from Natchez , Mississippi , to Vidalia , the seat of the Concordia Parish , and moved towards the lower Ouachita in the Black River section . 1 +She spent the first six years of her childhood in Manila before moving to Angeles City . The first six years of her childhood spent in Angeles City before she moved to Manila . 0 +In 1954 André-Georges Haudricourt solved this paradox by demonstrating that Vietnamese tones corresponded to certain final consonants in other ( atonal ) Austroasiatic languages . In 1954 , André-Georges Haudricourt resolved this paradox by demonstrating that Austroasiatic tones corresponded to certain final consonants in atonal ( Vietnamese ) other languages . 0 +Creek Township borders Elsinboro Township , Pennsville Township and Salem . Elsinboro Township Limits Lower Alloways Creek Township , Pennsville Township and Salem . 0 +Nancy returns home and thanks her mother for attempting to protect her , but Gwen appears in a mirror behind Freddy . Nancy returns home and thanks her mother for trying to protect her , but Freddy is appearing behind Gwen in a mirror . 0 +The Court Square located at Cannon County Courthouse in Woodbury , Tennessee , is an historic building and the center of county government in Cannon County . The Court Square at the Cannon County courthouse in Woodbury , Tennessee , is a historic building and the center of County Government in Cannon County . 1 +Also , he does not like the world of court and always criticizes it . He is a lead , and says two of Shakespeare 's most common monologues . He also does not like and criticizes the world of the court , he is a feather and says two of Shakespeare 's most common monologues . 1 +Saraiya is a village in India and village in Bharatpur Rajasthan Gorakhpur , Uttar Pradesh . Saraiya is a village in India , and a village in Bharatpur rajasthan Gorakhpur , Uttar Pradesh . 1 +Antonio Šišić ( born 29 March 1983 in Zagreb ) is a Croatian football manager and former football goalkeeper . Antonio Šišić ( born March 29 , 1983 in Zagreb ) is a Croatian manager and former football goalkeeper . 1 +The Psalm 79 ( Greek numbering : Psalm 78 ) is the 79th Psalm in the Biblical Book of Psalms . Psalm 79 ( biblical numbering : Psalm 78 ) is the 79th psalm in the Greek Book of Psalms . 0 +Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a Protected monument ( natural areas of Ulyanovsk Oblast ) . Akshuat dendropark ( Russian : Акшуатский дендропарк ) is a natural monument ( Ulyanovsk Oblast protected areas ) 0 +Genesee Wesleyan Seminary was founded as the Genesee College , in 1831 , by the Methodist Episcopal Church . Wesleyan Seminary was founded in 1831 as Genesee College by Methodist Episcopal Church . 1 +Chin was born in Kingston , Jamaica , into a Jamaican mother and a Chinese Jamaican father . In Kingston , Jamaica , Chin was born to a Chinese Jamaican mother and a Jamaican father . 0 +The Barmat scandal was subsequently used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism often . The Barmat Scandal was later used often in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . 1 +Graf won in the final 6 -- 4 , 6 -- 1 against Jana Novotná . In the final won Count 6 -- 4 , 6 -- 1 against Jana Novotná . 1 +George Henry Compton Cavendish , first son of the second Earl of Burlington , was Member of Parliament for Aylesbury . George Henry Compton Cavendish , first son of the second Earl of Burlington , was a Member of the Aylesbury Parliament . 1 +Scurria plana is a sea snail species , a true limpet , a marine gastropod mollusc in the Lottiidae family , one of the families of the true limpets . Scurria plana is a species of sea snail , a true limpet , a true gastropod mollusc in the family Lottiidae , one of the families of marine limpets . 0 +The Belgian Congo was notoriously profitable when it was a capitalistic rubber plantation owned and operated by King Leopold II as a private enterprise . The Belgian Congo was notoriously profitable when it was a capitalist rubber plantation that King Leopold II owned and operated as a private enterprise . 1 +Politically , Jalajala is organized into eleven barangays ( three urban , eight rural ) . Jalajala is politically subdivided into eleven barangays ( three urban , eight rural ) . 1 +The Lie derivative of a type contravariant tensor field formula _ 36 of weight formula _ 37 along ( the flow of ) a relative vector field formula _ 32 may be expressed as The Lie - Derivation of a contravariant tensor field formula of type 36 of Weight Formula 37 along a relative vector field formula ( the flow of ) may be expressed 1 +In 2016 , Naver 's webtoon service entered the Japanese market as XOY and the Chinese market as Dongman Manhua . In 2016 , Naver 's Webtoon service has entered the Japanese market as XOY and when Dongman Manhua joined the Chinese market . 1 +Born in Békésszentandrás ( Hungary ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt Music Academy in Budapest . 1 +In 2014 , Lilly will visit the World Curling Tour for her first season with the new teammates Sarah Potts , Oye-Sem Won Briand and Tirzah Keffer . In 2014 , Lilly will join the World Curling Tour for her first season with new teammates Sarah Potts , Oye-Sem Won Briand and Tirzah Keffer . 1 +The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and the Bandini Boulevard Post Office at 5555 Bandini Station . The United States Postal Service operates the Bell Post Office at the 6327 Otis Avenue and the Bandini Boulevard Post Office at 5555 Bandini Station . 1 +Civolution has offices in Eindhoven ( The Netherlands ) , London ( UK ) , Rennes ( France ) , New York City , Burbank ( Los Angeles ) . Civolution has offices in Eindhoven ( The Netherlands ) , London ( United Kingdom ) , Rennes ( France ) , New York City , Burbank ( Los Angeles ) . 1 +The characters of Geronimo Stilton used their other names from the sixth to the second novel . The characters of Geronimo Stilton also used their other names from the sixth to the second novel . 1 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in London , and lived in North Kilworth , South - Leicestershire . John Geza Ashton was born on 30 November 1957 in Whips Cross Hospital , Forest Gate , London , and lived in North Kilworth in south Leicestershire . 1 +Annbal Cardozo ( born June 16 , 1981 in Pedro Juan Caballero ) is a Paraguayan football defender . Pedro Juan Caballero ( born June 16 , 1981 in Derlis Aníbal Cardozo ) is a Paraguayan football defender . 0 +"Of the twelve stories that are included , six were previously published in the author 's first collection , "" evening news "" ." "Of the twelve stories published , six were previously included in the author 's first collection , "" The Evening News "" ." 0 +The last Pontiac , a white 2010 model year - G6 4 - Doors - Limousine , was built in January 2010 at the Orion Township assembly line . The white Pontiac , a last 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . 0 +American composer James Nathaniel Holland wrote the story and adapted the music to the ballet , The Satyricon . James Nathaniel Holland adapted the story and wrote the music to the ballet , the Satyricon . 0 +"Thakurgaon Stadium is located at the "" Thakurgaon "" , Thakurgaon Inter District Bus Terminal , Bangladesh ." "The Thakurgaon Stadium is located at "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." 1 +Another lodger was James Russell Lowell , an aunt of Sarah Lowell . Another hirer was James Russell Lowell , an aunt of Sarah Lowell . 1 +It is based on a novel by Robert Suhosky and was turned into a script by James Hardiman . It was based on a novel by James Hardiman and was turned into a screenplay by Robert Suhosky . 0 +Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the plains of Oklahoma . Deaton was born in Clayton , Oklahoma and his family lived in a tent on the New Mexico plains for two years . 0 +DeBona was married to former WWE and current TNA commentator Josh Mathews from November 2006 until their divorce in 2008 . From November 2006 until her divorce in 2008 , DeBona was married to the former TNA and the current WWE commentator Josh Mathews . 0 +He has also invested through affiliates in Canada ( through Wind Telecomunicazioni SpA and Italy ( through Globalive Wireless and its Wind Mobile ) . He has also invested in subsidiaries in Italy ( through Wind Telecomunicazioni SpA and Canada ( through Globalive Wireless and its Wind Mobile ) . 0 +When the top dominant females the regular female kissed , the top dominant female got the larger part of the food . When regular females kissed the top dominant female , the top dominant female got the bigger part of the food . 0 +The PGM 500 and PGM 2000 are guided bombs developed by Alenia Marconi Systems and are now marketed by MBDA . The PGM 500 and PGM 2000 are guided bombs developed by MBDA and are now being marketed by Alenia Marconi Systems . 0 +The city is located to the northeast of Gaza - town and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 0 +It was written by Leslie H. Martinson , directed by George Kirgo and was originally sent on NBC on 5 April 1982 . It was managed by Leslie H. Martinson , written by George Kirgo and was originally broadcast on NBC on 5 April 1982 . 0 +Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo athlete from Brazil . Natália Falavigna da Silva ( born May 9 , 1984 in Maringá ) is a taekwondo from Brazil . 1 +Most of them settled in London , with the largest community in Toronto , followed by those in Hamilton , Ontario and Kingston . The majority of them were settled in Ontario , with the largest community in Toronto , followed by those in Hamilton , London and Kingston . 0 +The ship visited Okinawa during the second September week and spent the rest of the month in Guam in the Marianas . The ship visited Guam during the second September week and spent the rest of the month in Okinawa in the Marianas . 0 +In 2012 , for the Italian progressive group Karnya , Francesca Naccarelli made some violins - arrangements and the singer Claudio Nigris is in a song to guest . In 2012 , for Italian progressive group Karnya , Claudio Nigris made some violins arrangements and the singer Francesca Naccarelli is guest in a song . 0 +"In December 2009 , it was announced that Conroy would be joining the cast of "" The Bold and the Beautiful "" as Oliver Jones ." "In December 2009 , it was announced that Conroy as Oliver Jones would be included in the cast of "" The Bold and the Beautiful "" ." 1 +Under the rule of the latter , the newly recruited Marienberg Abbey was founded with monks from Ottobeuren . Under the reign of the latter , the newly recruited Abbey Marienberg was founded with monks from Ottobeuren . 1 +Mabel Lewis married Hansen and they had two children . Mabel Lewis married Hansen , they had two children . 1 +The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2015 season -- 16 rains or gloss Elasto painters is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +He was trained in Dresden , later until 1865 in Leipzig , and went to New York after a short stay in Weimar with Franz Liszt in 1869 . He was educated in Weimar , and later in Dresden until 1865 , and after a short residence in Leipzig with Franz Liszt went to New York in 1869 . 0 +The Republican River is a tributary of the North Fork Republican River . The North Fork Republican River is the tributary of the Republican River . 0 +He died in Brussels on August 15 , 1950 ( Ixelles ) . He died on 15 August 1950 in Ixelles ( Brussels ) . 1 +In February 2017 , Renault announced that they will enter a Prodrive Mégane for Guerlain Chicherit at the 2018 FIA World Rallycross Championship . In February 2017 , Prodrive announced that they will enter the FIA - Rallycross - World Championship in 2018 with a Renault Mégane for Guerlain Chicherit . 0 +Chinese family planning policy allows minorities , including Muslims , to have up to two children in urban areas , and three to four children in rural areas . The Chinese family planning policy allows minorities , including Muslims , to have up to two children in urban areas and three to four children in rural areas . 1 +In 1884 , as assistant to Carl Flügge in Göttingen , Nicolaier discovered the bacterium Clostridium tetani , which causes Tetanus . As assistant to Nicolaier in Göttingen , Carl Flügge discovered the bacterium Clostridium tetani , which causes Tetanus in 1884 . 0 +He can excommunicate catholic kingdoms and call for crusades against non-catholic kingdoms . He can excommunicate non-Catholic kingdoms and call for crusades against the Catholic Kingdoms . 0 +April 16 , 1984 -- became adult contemporary WCGY , 1960s ' and 1970s ' music with 25 % current music . 16 April 1984 -- became adult contemporary WCGY , music of the 1960s and 1970s with 25 % current music . 1 +The LFAC was officially established in 2005 and the first teams were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . The LFAC was officially created in 2005 and the first teams joining were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . 1 +The untrained Confederates were totally confused in this situation and their organization was lost . The confused Confederates were completely untrained in this situation , and their organization was lost . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat , member of the New Patriotic Party of Burkina Faso and currently Ghana 's Ambassador to Ghana . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana . He is currently Ghana 's ambassador to Burkina Faso . 0 +An anime adaptation by White Fox , aired in Japan between 6 April 2011 and 14 September 2011 , was licensed by Funimation in North America . An anime adaptation by White Fox aired in North America between April 6 , 2011 and September 14 , 2011 and has been licensed in Japan by Funimation . 0 +Some feel it is moving away from its American Tribal Style Belly Dance Roots , and some newer Tribal Fusion Dancers have never studied American Tribal Style Belly Dance . Some believe that it is moving away from its Belly Dance Roots in the American Tribal Style , and some newer Tribal Fusion dancers have never studied the American Tribal Style Belly Dance . 1 +G + is the normal value or number of a game under the grundy play convention . G + is the normal value or the number of a game under the Grundy Convention . 1 +He is the nephew of Larry Bowa Johnson and his wife Liz born January 31 , 2006 , their first child , Brianna . He is the nephew of Larry Bowa Johnson and his wife Brianna had their first child , Liz , on 31 January 2006 . 0 +Ristretto is traditionally a short shot of espresso made with the normal amount of ground coffee but extracted with about half the amount of water . Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the quantity of water . 0 +The western extension of the London congestion charge was introduced in 2007 ( and withdrawn on January 1 , 2011 ) . The western extension of London ’ s congestion charge was withdrawn in 2007 ( and introduced on January 1 , 2011 ) . 0 +Suffolk county cricket teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket Club in 1864 . Suffolk County Cricket - Teams were the teams representing the historic county of Suffolk before the first official foundation of Suffolk County Cricket Club in 1864 . 1 +The absence of anger with the law was guaranteed by the secret protection of the Préfet de Police Jean Chiappe and Minister Albert Sarraut . The absence of annoyance with the law was guaranteed by the secret protection of Préfet de Police Albert Sarraut and Minister Jean Chiappe . 0 +Union City Police Chief of Staff is Richard Molinari , a resident of Union City , who replaced former Chief Executive Brian Barrett . Union City 's Chief of Police is Brian Barrett , a Union City resident who replaced former Chief Richard Molinari . 0 +The Nadeş River is a tributary of the Ciortosu River in Romania . The Nadeş River is a tributary of the River Ciortosu in Romania . 1 +Gary Lucy was paired with Vanilla Ice in series 6 and Katie Stainsby in series 9 of the British version of Dancing on Ice . Katie Stainsby was paired with Vanilla Ice in series 6 and Gary Lucy in series 9 , from the British version of Dancing on Ice . 0 +Humphrey John Ikin ( born in Lower Hutt in 1957 ) is a New Zealand furniture designer . Humphrey John Ikin ( born 1957 in New Zealand ) is a Lower Hutt furniture designer . 0 +Nick is caught , however , by a corrupt system administrator who extorts Steven for $ 50,000 for the information . However , Nick is caught by a corrupt system administrator who blackmails Steven for information for $ 50,000 . 1 +In this way , it was possible to combine literally dozens of separate tracks and record them into finished recordings of great complexity . In this way it was possible to record dozens of separate tracks literally and to combine them into finished shots of great complexity . 0 +Jelena Dokić won in the final 6 -- 2 , 6 -- 3 against Anastasia Myskina . Jelena Dokić won 6 -- 2 , 6 - 3 against Anastasia Myskina in the final . 1 +The Ludlow group - formations of Ireland include the Salrock - beds of the county of Galway and the Croagmarhin - beds of the Dingle - peninsula of the county of Kerry . The Ludlow Group formations of the county of Galway include the Salrock beds of Ireland and the Croagmarhin - beds of the Dingle - Peninsula of County Kerry . 0 +"The blazon of the rampant coat of arms is "" Argent a Lion municipal Gules . """ "The coat of arms of the rampant coat-of-arms is "" Argent a Lion Municipal Gules "" ." 0 +The tweenies consist of Bella , Milo , Fizz , Jake , Scribbles , Izzles , Max , Judy and are sometimes joined by Max 'apos ; Sister Polly . The Tweenies consist of Bella , Milo , Fizz , Jake , Doodles , Izzles , Max , Max , and are sometimes joined by Judy 's sister Polly . 0 +The Crişul Mic River is a tributary of the Doba River in Romania . The Crişul Mic river is a tributary of the River Doba in Romania . 1 +Boudrioz was born in Paris and died in Versailles . Boudrioz was born in Paris and has died in Versailles . 1 +Felipe Francisco Molina y Bedoya was born in Guatemala , a diplomat from Costa Rica , Chancellor of the Federal Republic of Central America . Felipe Francisco Molina y Bedoya was a diplomat from Costa Rica , born in the city of Guatemala . He became Chancellor of the Federal Republic of Central America . 1 +Santa Ana Nopalucan is a municipality in southeastern Tlaxcala in Mexico . Santa Ana Nopalucan is a municipality in southeastern Mexico in Tlaxcala . 0 +On 3 August 2015 , Parmele was signed by the Cleveland Browns and was released by a team on 31 August 2015 . Parmele was signed by the Cleveland Browns on August 3 , 2015 . On August 31 , 2015 , he was released by the team . 1 +The Royal College of Music , alongside Maestro Peter Stark , has appointed Natalia as a conductor professor . The Royal College of Music has appointed Natalia as a Professor of Conducting alongside Maestro Peter Stark . 1 +He was part of the Swedish team that won the silver medal in the gymnastics men 's team , Danish system event . He was part of the Swedish team that won the silver medal in the gymnastics of the men , Danish system event . 1 +2011 Statue of Ma.Po.Si unveiled in Chennai ( T. Nagar , Tyagaraya Nagar ) Statue of Ma.Po.Si in 2011 in Tyagaraya Nagar ( T. Nagar , Chennai ) 1 +Abijah Stark came together with his family from Coleraine , Providence , and settled just north of Fish House near the Massachusetts Town Line . Abijah Stark came from Coleraine , Massachusetts with his family and settled just north of Fish House near the Providence Town Line . 0 +The full-time MBA is ranked number 1 in the QS Global 200 Business School Report 2012 in Central Europe , and in Europe 18 . The Full-Time MBA is ranked # 1 in Central Europe and # 18 in Europe by QS Global 200 Business School Report 2012 1 +"It was described by ( Spreng . ) K. Schum and published in 1888 in "" Flora Brasiliensis 6 ( 6 ) : 128 "" ." "It was published by ( Spreng . ) K. Schum and described in 1888 in "" Flora Brasiliensis 6 ( 6 ) : 128 "" ." 0 +To set a piston , the organist must press and hold the desired piston while pulling the desired stops . To set a piston , the organist must press and hold the desired piston while drawing the desired stops . 1 +A molecular vibration occurs when atoms in a molecule are in periodic motion while the molecule as a whole has constant translational and rotational motion . A molecular vibration occurs when atoms are in periodic motion in a molecule , while the molecule as a whole has a constant translation and rotation motion . 1 +They once participated in the Copa do Brasil and twice in the Série C . They competed in the Copa do Brasil twice and in the Série C once . 0 +He also accompanied duets with Alci Acosta , Olimpo Cárdenas and Daniel Santos . He also recorded duets with Daniel Santos , Olimpo Cárdenas , and Alci Acosta . 1 +Often these plots were large , so that a one-storey bungalow was particularly practical for retired people . Often these plots were large ; so , a one-storey bungalow was quite practical , particularly for retired people . 1 +Cranoe is a civil village and small parish in the Harborough district of Leicestershire , England . Cranoe is a small village and civil community in the Harborough Leicestershire district of England . 0 +The Hlynur is by its nature harmless but defensive . Hlynur is by nature defensive , but harmless . 0 +Lavoy was for the Olympians for three seasons and started 10th in the league in field goal percentage in 1952 and 9th in 1953 . Lavoy was for the Olympians for three seasons and started 10th in the league in field target percentage in 1952 and 9th 1953 . 1 +Since 2002 , Scotland A has participated in the Amateur Four Nations competition and toured Serbia , the Netherlands , and Italy . Since 2002 , Scotland A has participated in the competition of the Amateur Four Nations and visited Italy , the Netherlands and Serbia . 1 +"Trina Broussard began her career in 1997 when she covered Minnie Riperton 's song "" Inside My Love "" ." "Trina Broussard began her career in 1997 when she sounded Minnie Riperton 's song "" Inside My Love "" ." 1 +He died in his home in Bridgeton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Trenton . He died on July 23 , 1942 at his home in Bridgeton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Trenton . 1 +They are purple , dense black-hard rocks with a considerable pyrite content . They are purple , dense black-hard rocks with considerable content of pyrite . 1 +The Măleia River is a tributary of the Jiul de Est River in Romania . The river Jiul de Est is a tributary of the River Măleia in Romania . 0 +Benzoylfentanyl was banned in September 2017 in Finland , in October 2017 in Sweden . In September 2017 , benzoylfentanyl was banned in Sweden , in October 2017 in Finland . 0 +Jolene is Bob Ferguson 's thirteenth solo - studio album by Dolly Parton . Jolene is Bob Ferguson 's thirteenth solo studio album , produced by Dolly Parton . 1 +It also uses 4 symbols for non-labialized velar consonants , which are variants of the labialized velar consonants : It also uses 4 symbols for labialized Velar consonants , the variants of the non-labialized velar consonants are : 0 +One of the greatest landowners in Saint Mary at the turn of the 20th century was Blanche Blackwell , mother of Chris Blackwell . One of the largest landowners in Saint Mary at the turn of the 20th Century was Chris Blackwell , mother of Blanche Blackwell . 0 +As a secretary of the archbishop of Split he went to Hungary , and in 1503 through Zagreb to Venice . As Secretary of the Archbishop of Split , he went to Venice and in 1503 through Zagreb to Hungary . 0 +The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on 20 April 1895 and introduced in 1899 . Trolley - Service was proposed in 1892 by Ellicott City to Baltimore , approved on April 20 , 1895 and implemented in 1899 . 0 +In 1949 , Pabawena wrote to Utah Senator Arthur V. Watkins to report : Arthur V. Watkins wrote Utah - Senator Pabawena in 1949 to report : 0 +John Murcot , Anthony à Wood and Zachary Bogan were among his students . Among his pupils were Zachary Bogan , Anthony à Wood , and John Murcot . 1 +There he participated in Non-Combatant Evacuation Operations in South Vietnam ( Operation Eagle Pull ) and in Cambodia ( Operation Frequent Wind ) . There he participated in non-combatant evacuation operations in Cambodia ( Operation Eagle Pull ) and in southern Vietnam ( Operation Frequent Wind ) . 0 +Fort Vermilion was established in 1788 and shares with Fort Chipewyan the title of the oldest European settlement in Alberta . Established in 1788 , Fort Vermilion shares the title of oldest European settlement in Alberta with Fort Chipewyan . 1 +The Vanga Kingdom was the first powerful seafaring nation in South Asia , especially of Bengal . The Vanga Kingdom was the first powerful seafaring nation of Bengal , especially South Asia . 0 +More recent systems have often worked on a parallel approach , based on probabilistic corpora . Recent systems have often worked on a parallel approach based on probabilistic corpora . 1 +Two bridges cross the river to Pental Island , to the west on Fish Point Road and to the east at Swan Hill at the Fish Point . Two bridges cross the river to Pental Island , on Swan Hill in the west , and Fish Point Road at the Fish Point in the east . 0 +The Furu River is a tributary of the River Jiul de Vest in Romania . The river Jiul de Vest is a tributary of the Furu River in Romania . 0 +O 'Dea was born in 1889 in Armidale and moved to Sydney as a child with his family . O'Dea was born in Sydney in 1889 and moved to Armidale with his family as a child . 0 +The game created a 32 - digit unique password after successful completion of a level that was also alphanumeric to the player name to allow for a later continuation . The game created a 32 digit alphanumeric password after a successful completion of a level , which was unique also to the player name , to allow later resumption . 0 +A systematic study of category theory then allows us to prove general results about any of these types of mathematical structures from the axioms of a category . A systematic study of category theory then allows us to prove general results about each of these types of mathematical structures from the axioms of a category . 1 +Under certain conditions therefore , equivalence classes of statistical ensembles have the structure of a convex set . Equivalence classes of convex ensembles thus have the structure of a statistical set under certain conditions . 0 +Nearby settlements include the town of Lancaster , the city of Garstang , the village of Hollins Lane , and the hamlets of Potters Brook and Shireshead . Nearby settlements include the city of Lancaster , the town of Garstang , the village of Hollins Lane and the hamlets of Potters Brook and Shireshead . 1 +The film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . The director Larysa Malyukova and the film critic Amir Yatsiv discussed the rare genre of animated film . 0 +Regressive assimilations are only caused by phonological factors , while substitutions take semantic information into account . Regressive assimilations are only conditioned by phonological factors while substitutions take into account semantic information . 1 +The River Timiş is a tributary of the River Zlagna in Romania . The river Zlagna is a tributary of the River Timiş in Romania . 0 +After his death , Kellow 's widow Mary moved to Sydney with her daughter Mary Hope Kellow . After his death , the widow of Kellow Mary Hope Kellow with her daughter Mary moved to Sydney . 0 +"Right ) "" R "" module is isomorphic to a direct sum of "" R "" copies as left ( resp ." "Right ) "" R "" -module is isomorphic to a direct sum of copies of "" R "" as left ( resp ." 1 +Police Tactical Group ( SERT ) is the Special Emergency Response Team of the Queensland Police , Australia . Special Emergency Response Team ( SERT ) is the Police Tactical Group of the Queensland Police Service in Australia . 0 +After Laurer refused to reconcile himself , Waltman was finally ejected from the house by the other guests . After Waltman refused to reconcile , Laurer was eventually ejected from the house by the other guests . 0 +These airlines operate more than 80 cities across India and also connect overseas routes after the liberalisation of Indian aviation . These airlines connect more than 80 cities throughout India and , after the liberalisation of Indian aviation , also operate overseas routes . 0 +Noakes argues that it is a Pavlovian response to years of cold water swimming , while Pugh believes it is a response to fear . Noakes argues it is a Pavlovian Response to years of cold water swimming , while Pugh believes it is a response to fear . 1 +In January 1967 , Daltoni won second place at the first Belgrade guitar festival . In January 1967 , Daltoni won the second place at Belgrade 's first Guitar festival . 1 +It carried out services between the following centres : Townsville , Bundaberg , Gladstone , Rockhampton , Mackay , Brisbane , Blackwater , Thangool , Coolangatta and Newcastle . It conducted services between the following centres : Townsville , Bundaberg , Gladstone , Rockhampton , Mackay , Brisbane , Blackwater , Thangool , Coolangatta and Newcastle . 1 +Dripsey railway station was on the Cork and Muskerry Light Railway in County Cork , Ireland . Cork station was on the Dripsey and Muskerry Light Railway in County Cork , Ireland . 0 +Another significant difference is that Plutonyl is a much stronger oxidation agent than uranyl . The standard reduction potentials for aqueous solutions are shown in the next table . Another significant difference is that Plutonyl represents a much stronger oxidizing agent than uranyl . The aqueous reduction potential for standard solutions is shown in the next table . 0 +"It was transferred to the Royal Navy and commissioned on October 26 , 1943 as HMS "" Tattoo "" ." "She was commissioned to the Royal Navy and took over as HMS "" Tattoo "" on 26 October 1943 ." 0 +It includes Wipe Info , Speed Disk , Volume Recover , Norton FileSaver , UnErase , LiveUpdate . It includes Wipe Info , Speed Disk , Volume restore , Norton FileSaver , UnErase , LiveUpdate . 1 +Tamarie Cooper returned to Houston to found The Catastrophic Theatre with Nodler later in that year . Later this year , Tamarie Cooper returned to Houston to found the Catastrophic Theatre with Nodler . 1 +In the church there are the graves of Thomas Payne , the radical and bookseller , and Major John Cartwright , the political reformer . In the churchyard are the graves of Thomas Payne , the radical and bookseller , and Major John Cartwright , the political reformer . 1 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was the organist of the Blackpool Parish Church from 1918 to 1963 . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who was organist of Blackpool Parish Church from 1918 until 1963 . 0 +""" Almost every poem by Amichai is a statement about the general human condition and Amichai , in a certain sense , is always a philosophical poet "" ." """ Almost every poem by Amichai is a statement about the universal human condition "" and Amichai is always a certain poet in the philosophical sense ." 0 +Like many aspects of Islamic ivory , this reflects the Byzantine traditions that inherited Islam . Like many aspects of Byzantine ivory , this reflects the Islamic traditions , Islam inherited . 0 +In 1964 , he survived the Soviet leadership transition from Brezhnev to Khrushchev . In 1964 , he survived the Soviet leadership transition from Khrushchev to Brezhnev . 0 +"One of the triassic rocks used in Cardiff is "" Radyr Stone "" , a Freestone which , as the name suggests , is mined in the Radyr district ." "One of the triassic rocks used in Radyr is "" Radyr Stone "" , a Freestone which , as its name suggests , is being dismantled in the Cardiff district ." 0 +Steven Andrew Miller moved away from San Diego and now lives in Orange County . Steven Andrew Miller moved away from San Diego and now resides in Orange County . 1 +"All local societies at the Pacific University are "" Greek "" , meaning that they are unique on the campus ." "All of the local societies at Pacific University are "" Greek "" , meaning that they are unique to the campus ." 1 +Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Enrique Ponce , a famous Spanish bullfighter . Enrique Ponce ( born 8 December 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . 1 +His style is progressive , sometimes experimental , but curiously conservative in other ways . His style is conservative , sometimes progressive , but in other ways curious experimental . 0 +All the songs written and composed by Nick Feldman except as noted Note that Jack Hues was credited as Nick DeSpig throughout this album . All songs written and composed by Jack Hues except as noted Note that Nick Feldman was credited as Nick DeSpig during this album . 0 +The journal received its present name in 1989 , and the following year the Jewish Bible Association became the World Jewish Bible Society . In 1989 , the magazine received its present name , and the following year the World Jewish Bible Society became the Jewish Bible Association . 0 +Augustus was 17 BC during the reign of Gaius Furnius Consul . Augustus was consul in 17 BC , during the reign of Gaius Furnius . 1 +Bridges at this location are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . Bridges at this location are the only crossing of the Taunton River between the Veterans Memorial Bridge in the River case and the Weir Street Bridge in Taunton . 0 +This was a limited release -- only 300 black vinyl copies and 200 red vinyl copies were issued . This was a limited release -- only 300 black vinyl and 200 red vinyl copies were issued . 1 +"I gathered me also silver and gold ; as it is written , "" And the king made silver to be in Jerusalem as stones "" ( I Kings x ." "I have also made silver and gold , as written : "" And the king gathered silver to be as stones in Jerusalem , ( I kings x ." 0 +In 1220 a Swedish army led by king John I of Sweden and the bishop Karl of Linköping captured Lihula in Rotalia in Western Estonia . In 1220 , a Swedish army , led by King John I of Sweden and bishop Charles of Linköping Lihula in Rotalia in Western Estonia , conquered the city . 0 +The championships were held in 2012 in Dunakeszi , Hungary , in Pouch , Germany , in 2013 , and in Luserna , Italy in 2014 . In 2012 , the championships were held in Dunakeszi , Hungary , in 2013 in Pouch , Germany , and in 2014 in Luserna ( Italy ) . 1 +Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . Samuel Groth won the tournament after defeating Danai Udomchoke in the final with 7 : 6 , 6 : 3 . 0 +Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a Hungarian handball player who plays in the second league for the Szent István SE . Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a second handballer who plays in the Hungarian League for Scent István SE . 0 +"At 10 : 59 AM the last ship element of the 2nd Battalion 4th Marines left the zone and the last helicopter landed at 12 : 15 on the USS "" Okinawa "" ." "At 10 : 59 , the last marine element of 2nd Battalion 4th Marines left the zone and the last helicopter landed on the USS "" Okinawa "" at 12 : 15 ." 1 +Gilberry was also first nationally , first in conference and third on the team with 22 tackles for loss . Gilberry was also nationally first , first in the conference and third on the team with 22 tackles for loss . 1 +Judges were nominated by the Minister of Justice and appointed by the tsar . The judges were nominated by the Minister of Justice and appointed by the Tsar . 1 +Ambeshetgaon is a village in the Talasari district of Maharashtra , India . It is located in Palghar Taluka . Ambeshetgaon is a village in Palghar - district of Maharashtra , India . It is located in the Talasari Taluka . 0 +"He also worked in the Certosa di San Martino , where he painted at "" Coro dei Conversi "" and "" Quarto del priori "" ." "He also worked in the Certosa di San Martino , where he painted in the "" Coro dei Conversi "" and "" Quarto del priori "" ." 1 +The show was premiered at the Theatre Royal in Newcastle on March 27 , 2012 , directed by Ed Curtis and choreographed by Nick Winston . The show premiered on 27 March 2012 at the Theatre Royal in Newcastle , directed by Ed Curtis and choreographed by Nick Winston . 1 +Kayalar is a village connected to the district Tirebolu in the province of Giresun . Kayalar is a village connected to the Giresun district of Tirebolu province . 0 +""" Trevis R. Badeaux as "" Agent of Change "" , "" Acadiana Sunday "" , 5 May 2002 honored ." "Trevis R. Badeaux , "" Bowen honored as ' agent of change ' , "" Acadiana Sunday "" , May 5 , 2002 ." 0 +Gopalaswamy Mahendraraja was related to Velupillai Prabhakaran , former LTTE leader and was born in Point Pedro . Velupillai Prabhakaran was related to Gopalaswamy Mahendraraja , former LTTE leader . He was born in Point Pedro . 0 +In October 2017 , the Outwood Grange Academies school became trust and joined the Outwood Academy Redcar . In October 2017 , the school joined Outwood Grange Academies Trust , and became Outwood Academy Redcar . 0 +Marat Safin won in the final 6 -- 4 , 5 -- 7 , 6 -- 4 against Nikolay Davydenko . Nikolay Davydenko won against Marat Safin in the final 6 : 4 , 5 : 7 , 6 : 4 . 0 +She married twice . The first time with Prince Kazimierz Poniatowski in 1749 , and the second time with Prince Antoni Lubomirski on 21 January 1751 . She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on 21 January 1751 . 0 +McConnell was killed at the crime scene , but turbitt was kidnapped . At the crime scene , Turbitt was killed , but McConnell was kidnapped . 0 +These doors are of enormous size , ranging from thick , depending on the position , and are high . These gates are of enormous size , ranging from high , depending on their position , and are thick . 0 +In April 2016 , Malik Riaz Hussain 's son , Ahmed Ali Riaz Malik , was named in the Panama Papers . In April 2016 , the son of Malik Riaz Hussain , Ahmed Ali Riaz Malik , was named in the Panama Papers . 1 +He played only 18 games , and came to bat just 29 times . He played only 18 games and just came to beat 29 times . 1 +He has been a Liberal member of the Victorian Legislative Council since October 1992 , representing Eastern Metropolitan Region from 1992 to 2006 and Koonung Province since . Since October 1992 , he has been a liberal member of the Victorian Legislative Council , representing the eastern metropolitan region from 1992 to 2006 , and since then the province of Koonung . 1 +Mylott was the paternal grandmother of the actor and film director Mel Gibson and is also related to Australian pianist Tamara Anna Cislowska . Mylott was the paternal grandmother of the actor and film director Tamara Anna Cislowska , and is also related to the Australian pianist Mel Gibson . 0 +A clockwise angle in one figure would correspond to a counterclockwise angle in the other . A clockwise angle in a character would correspond to a counterclockwise angle in the other figure . 1 +Azzopardi received his first country match for Poland in a game against Malta on 14 December 2003 . On December 14 , 2003 , Azzopardi received his first country match for Malta in a game against Poland . 0 +In 2015 parliamentary election , Ratas was elected to the parliament with 7,932 individual votes . In March he was reelected as the Second Deputy Speaker of the parliament . In the 2015 parliamentary election , Ratas was elected to parliament with 7,932 individual votes ; in March , he was re-elected as the second deputy president of the parliament . 0 +Jean – Garcia is the only daughter of Jennica Garcia and Jigo Garcia . Jean Garcia is the only daughter of Jennica Garcia and Jigo Garcia . 1 +"XS has also translated "" Shikigami No Shiro II "" and published it for the PlayStation 2 under its own name "" Castle Shikigami 2 "" ." "XS also translated "" Shikigami No Shiro II "" , and released it for the PlayStation 2 under its own name , "" Castle Shikigami 2 "" ." 1 +When the German invasion began , the national gold population of Tromsø was evacuated through Romsdalen to Åndalsnes and Molde and then by ship to Oslo . When the German invasion began the national gold holding was evacuated from Tromsø through Romsdalen to Åndalsnes and Molde , and then by ship to Oslo . 0 +Family life was hard in the early days . Both water and firewood had to be brought from long In the early days , family life was long : water and firewood had to be brought by hard . 0 +The resolution was signed by almost all Parti Bersatu Sabah ( PBS ) representatives in Sri Gaya . The resolution was signed by almost all the representatives of the Parti Bersatu Sabah ( PBS ) in Sri Gaya . 1 +"Tanhaiyan Naye Silsilay 's title song "" Hain Yeh Silsilay "" is composed by Zoe Viccaji , sung by Shahi Hasan and lyrics by Shani Haider ." "The title song "" Hain Yeh Silsilay "" from Tanhaiyan Naye Silsilay is composed by Zoe Viccaji , sung by Shahi Hasan and by Shani Haider ." 1 +"Three of these joints are incorrect joints , while two true anatomical ( "" physiological "" ) joints are ." "Three of these joints are genuine anatomical joints , while two physiological ( "" false "" ) joints are ." 0 +It was developed along the Brazeau River , at the confluence of Elk River in the hydrographic basin of the North Saskatchewan River . It was developed along the Brazeau River , at the confluence with Elk River , in the hydrographic basin of the North Saskatchewan River . 1 +The Pittsburgh Frank Seder was expanded in 1913 , but destroyed by a fire in 1917 with a loss of $ 600,000 , the replacement was completed in 1918 . The Pittsburgh Frank Seder was completed in 1913 , but destroyed in 1917 by a fire with a loss of $ 600,000 , and expanded its replacement in 1918 . 0 +"This species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material by James Drummond ." "The species was first described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material from Carl Meissner ." 0 +"The logical fallacy is a historical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." "The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." 0 +Living currently in Konya for his university education with his two brothers , Ali Sarı is coached by Ekrem Boyalı . Ali Sarı is currently living in Konya for his university education with his two brothers , who are trained by Ekrem Boyalı . 1 +Aldred was born in Montrose , Michigan , and graduated from the Hill McCloy High School in 1986 in Flint , a rural town north of Flint , Michigan . Aldred was born in Montrose , Michigan . He graduated in 1986 from Hill McCloy High School in Flint , a rural town just north of Flint , Michigan . 1 +Internal partitions are single skin and have belt rails with barrel edges . Internal partitions are single skin and have belt rails with beaded edges . 1 +They had two sons , Robin ( born 1924 ) and Brian , both of whom became important trade union lawyers . They had two sons , Robin ( born 1924 ) , and Brian , both of whom became notable trade union lawyers . 1 +Anurag Kashyap turned to Abhishek Jain to produce the film , although Kashyap was impressed by the script , did not work out the collaboration for the film . Anurag Kashyap approached Abhishek Jain to produce the film ; although Kashyap was impressed with the script , the collaboration did not work out for the film . 1 +Ricardo Lingan Baccay was ordained priest by Diosdado Aenlle Talamayan on April 10 , 1987 . Ricardo Lingan Baccay was ordained a priest on April 10 , 1987 by Diosdado Aenlle Talamayan . 1 +In 2009 , the third Rapid Ride , the 777 Green Line , launched from Tramway Boulevard to Downtown . In 2009 , the third Rapid Ride , the 777 Green Line , started service from Downtown to Tramway Boulevard . 0 +The statistical leaders of the team included Jim Butler with 1,687 heated yards , Mike Ridley with 311 passing yards and Todd Starks with 486 receiving yards . The team 's statistical leaders included Jim Butler with 1,687 rushing yards , Mike Ridley with 311 passing yards , and Todd Starks with 486 receiving yards . 1 +NY 104 follows the Ridge Road to the east of Lewiston Village through a sparsely populated area of Niagara County . East of Lewiston village , NY 104 follows Ridge Road through a sparsely populated area of Niagara County . 1 +The journal is published by Brill and is indexed in Academic Search Complete and Scopus . The magazine is indexed by Brill and published in Academic Search Complete and Scopus . 0 +Predrag Stevanović ( born March 3 , 1991 ) is a Serbian footballer who plays for Wattenscheid 09 , an elderly brother of Aleksandar Stevanović . Aleksandar Stevanović ( born March 3 , 1991 ) is a Serbian footballer who plays for Wattenscheid 09 , an elderly brother of Predrag Stevanović . 0 +The Irish origin from that period suggests that it was a commentary on the lack of agreement within the Confederate Assembly during the other Confederate Wars . The other origin from this time suggests it was a commentary on the lack of agreement within the Confederate Assembly during the Irish Confederate Wars . 0 +"The species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by James Drummond ." "The species was first formally described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by Carl Meissner ." 0 +The Vanga Kingdom was the first powerful seafaring nation in South Asia , especially of Bengal . The Vanga Kingdom was the first powerful seafaring nation of South Asia , especially Bengal . 1 +"Ar5 "" Marco Polo "" is the 60th episode of the HBO original series "" The Sopranos "" and the eighth of the show 's fifth season ." """ Marco Polo "" is the fifth episode of the HBO - original series "" The Sopranos "" and the eighth of the series 60th season ." 0 +""" Meriden , Connecticut "" was sold to Burdett Pond von Tennessee on September 15 , 1886 ." """ Tennessee "" was sold to the Burdett Pond of Meriden , Connecticut , September 15 , 1886 ." 0 +The director was Harry Kronman and producer John Guedel . Harry Kronman was the director , and John Guedel was the producer . 1 +Maximilian II ( May 22 , 1792 - April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Bernhard Franz von Hess von Bayern . Bernhard Franz von Hess ( May 22 , 1792 - April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Maximilian II of Bavaria . 0 +Healey left the role in series eight in August 2012 and played the role once again , on 27 September 2012 . Healey left the role in series production in August 2012 and played the role once again on 27 September 2012 . 1 +Tkibuli is a district of Georgia , in the region of Imereti . Its main town is Tkibuli . Tkibuli is a district of Imereti , in the region of Georgia , whose main town is Tkibuli . 0 +On July 10 , 2013 it was announced that Ziva David would not be returning to her role as Cote De Pablo for the upcoming 11th season . On 10 July 2013 , it was announced that Cote De Pablo would not return to her role as Ziva David for the upcoming 11th season . 0 +From 2007 , he consistently announced that he wants to be naturalized in order to become Korean citizen . From 2007 he consistently announced that he wants to become naturalized to be Korean citizen . 0 +Route 130 leads north to Olney and east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . Route 130 leads north to Olney and to the east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . 1 +Chandos Leigh , 1st Baron Leigh ( 27 June 1791 -- 27 September 1850 ) was a British landowner and minor poet . Chandos Leigh , 1st Baron Leigh ( June 27 , 1791 - September 27 , 1850 ) was a minor landowner and British poet . 0 +It was named after Bennington , Vermont the first home of former settlers . It was named after Bennington , Vermont , a former home of the first settlers . 0 +Finally Sean and his son Dirk leave the wilderness and discover that there is a war between the British and the Bureau . Sean and his son Dirk finally leave the wilderness and discover that a war is brewing between the British and the Boers . 1 +"He was named "" Parker "" for Henry David Thoreau 's friend , Thomas Cholmondeley and "" Thomas "" for Theodore Parker ." "He was named "" Thomas "" for the friend of Henry David Thoreau , Thomas Cholmondeley , and "" Parker "" for Theodore Parker ." 0 +Jan Apell and Jonas Björkman won the title , defeating Jacco Eltingh and Paul Haarhuis 6 -- 4 , 7 -- 6 in the final . Jacco Eltingh and Paul Haarhuis won the title , defeated Jan Apell and Jonas Björkman 6-4 , 7-6 in the final . 0 +They also brought their seasonal beers , including a porter , a pumpkin ale , and a bock . They also brought back their seasonal brews , including a Bock , a Pumpkin Ale and a Porter . 1 +In 2009 , Wizard canceled the Los Angeles event and postponed the Texas convention . In 2009 , Wizard canceled the event in Texas and postponed the Los Angeles Convention . 0 +Similarly , each node of a cluster has access to a large distributed shared memory in shared memory , in addition to the limited non-shared private storage of each node . Similarly , in distributed shared memory each node of a cluster has access to a large shared memory in addition to each node 's limited non-shared private memory . 0 +Both tournaments know , despite the clear separation between the two confederations , a tradition to invite countries outside the region . Both tournaments know , despite the clear separation between the two confederations , have a tradition to invite countries outside the region . 1 +Jacob Bellaert ( born in Haarlem ) was an early Dutch publisher who produced seventeen books in Zierikzee from 1483 to 1486 . Jacob Bellaert ( born in Haarlem ) was an early Dutch publisher who produced seventeen books from 1483 to 1486 in Zierikzee . 1 +He was the Duce and proclaimed in song even before the seizure of power . He was the Duce and proclaimed in the song even before seizure of power . 1 +Ovarian diseases may be classified as reproductive disorders or as disorders of the endocrine system . Ovarian diseases can be classified as reproductive disorders or as a disorders of the endocrine system . 1 +The River Piatra Caprei is a tributary of the river Sâmbăta in Romania . The Sâmbăta River is a tributary of the Piatra Caprei River in Romania . 0 +David Niepsuj ( born August 16 , 1995 ) is a German-born Polish footballer who plays for Pogoń Szczecin as a rights defender . David Niepsuj ( born 16 August 1995 ) is a German-born Polish footballer who plays as a right-back for Pogoń Szczecin . 1 +The station is located from Oslo Central Station , to the south of Moss Station and north of Råde Station . The station is located from Oslo Central Station , south of Moss Station and north of Råde Station . 1 +It was a private subscription school and was kept open until 1870 , when the public school house was built . It was a private subscription school and was kept open until 1870 when the public school was built . 1 +Scopa is white , but at the front edge black . Scopa is white , but black at the front edge . 1 +This area would largely be transferred to the 5th district after the 1990 census , while most of the old 6th district became the 8th district . According to the 1990 census , this area would be mostly transferred to the old 6th district , while most of the 5th district became the 8th district . 0 +The old party leader was his geological mentor , Mike Morton . The leader of the old party was his geological mentor Mike Morton . 1 +As Professor of Sociology at the ETH Zurich , he worked on social game theory and agent-based computer simulations of evolutionary processes and phenomena . As a professor of sociology at the ETH Zurich , he worked on evolutionary game theory and agent-based computer simulations of social processes and phenomena . 0 +"In Jin Yong 's "" Wuxia "" novel "" The Legend of Condor - Heroes "" Guo Sheng is the ancestor of the protagonist Guo Jing ." "In Jin Yong 's "" wuxia "" novel "" The Legend of the Condor Heroes "" , Guo Sheng is the ancestor of the protagonist , Guo Jing ." 1 +Tokiwa Dam is a dam completed in the prefecture of Nagano , Japan , in 1941 . Japan is a dam completed in 1941 in the Tokiwa dam . 0 +All smaller chambers , once they are uninhabited , are used in the method described above to regulate the depth . All of the smaller chambers , once uninhabited , are used in the method described above to regulate depth . 1 +In most cells , Ca channels regulate a wide variety of biochemical processes due to their role in controlling intracellular Ca concentrations . In most cells , Ca channels regulate a multitude of intracellular processes due to their role in controlling biochemical ca concentrations . 0 +Agostina Segatori gave Vincent van Gogh 's first exhibition in her Café Tambourin . Agostina Segatori gave Vincent van Gogh 's first exhibition at her Café Tambourin . 1 +Of the registered voters in the county , 13,474 were Republicans , 12,218 were Democrats , and 15,887 were not affiliated with any party . Of the registered voters in the county , 13,474 Republicans , 12,218 were Democrats , and 15,887 were not affiliated with any party . 1 +In 1997 he founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . In 1997 he founded Equicore Beteiligungs GmbH and in 1998 the Freiburger Vermögensmanagement GmbH . 0 +Tommy is the brother of Carlow footballer Patrick Walsh . Patrick Walsh is the brother of Carlow 's footballer Tommy . 0 +Now the symmetric bilinear matrix representation for the new form is given by The New Matrix Representation for Symmetric Bilinear Form is Now Given 0 +Kurgo products are also available in Europe through the distributor Accapi Group , while MasterPet Kurgo distributes products in Australia and New Zealand . Kurgo products are also available in Europe through the distributor Accapi Group , while MasterPet distributes Kurgo products in Australia and New Zealand . 1 +"In 2004 , Stotesbery played beside Mike White created in the FOX - pilot "" cracking up "" by Jason Schwartzman ." "In 2004 , Stotesbery played opposite Mike White in the FOX pilot "" Cracking Up "" created by Jason Schwartzman ." 0 +In 1858 he graduated from the Galatasaray School in Schumen and became a teacher in Istanbul , where he remained until 1864 . He graduated from the Galatasaray High School in Istanbul in 1858 and became a teacher in Shumen , where he remained until 1864 . 0 +Benzoylfentanyl was banned in Sweden in September 2017 , and in Finland in October 2017 . In September 2017 , benzoylfentanyl was banned in Sweden , in October 2017 in Finland . 1 +The Doig formation , a geological unit from the triassic age of the western Canadian sedimentary basin , was named after the river . The Doig Formation , a Triassic age geological unit of the Western Canadian Sedimentary Basin was named for the river . 1 +Rosemont 's Allstate Arena is home to the Chicago Wolves of the American Hockey League , the WNBA 's Chicago Sky , and the DePaul University basketball team . The Allstate Arena in Rosemont is home to Chicago Wolves , the Chicago Sky of the American Hockey League and the basketball team of DePaul University . 0 +Meghana Raj is married to Sundar Raj and they have a daughter named Pramila Joshai . Meghana Raj is married to Sundar Raj and they have a daughter called Pramila Joshai . 1 +George Wallace portrays the complex life of a political man . George George Wallace portrays the complex life of a political man . 1 +Suruga-Tokuyama Station is a small wooden station with a single island platform and a manned railway station building . Suruga-Tokuyama Station is a small wooden station with a single island platform and a manned station building . 1 +After moving to Norway in 1988 , as a political refugee , he began writing novels about the leftist revolt in Turkey . After moving to Turkey as a political refugee in 1988 , he began to write novels about the leftist revolt in Norway . 0 +In 2014 when Hollywood Park Racetrack closed the race was moved to Santa Anita Park . When the Hollywood Park Racetrack closed in 2014 , the race was transferred to Santa Anita Park . 1 +Kennell was born in Colorado Springs , Colorado , and spent her early years between the Rockies and Dunedin , Florida . Kennell was born in Dunedin , Florida . She spent her early years going back and forth between the Rockies and Colorado Springs , Colorado . 0 +It leaves a firm , transparent film with short drying time and good responsibility and flexibility on all metal surfaces , rubber and plastic parts . It leaves a firm transparent film with short drying time and good adhesion and flexibility on all metal surfaces , rubber and plastic parts . 1 +Cast glass windows , albeit with poor optical qualities , began to appear in the most luxurious buildings in Rome and the most important villas of Herculaneum and Pompeii . In the most luxurious buildings in Rome and in the most important villas of Herculaneum and Pompeii , cast glass windows appeared , albeit with poor optical qualities . 1 +In 1854 the Kansas territory was founded , in 1861 Kansas became the 34th U.S. state , in 1868 Wallace County was established . In 1854 , the Kansas Territory was organized , then in 1861 Kansas became the 34th U.S. state . In 1868 , Wallace County was established . 1 +Pedro de Noya , O.P . or Nicolás de Noya ( died 1511 ) was a Roman Catholic prelate who served as Bishop of Acerra ( 1504 -- 1511 ) . Nicolás de Noya , O. P. or Pedro de Noya ( died 1511 ) was a Roman Catholic prelate who served as Bishop of Acerra ( 1504 - 1511 ) . 1 +The Council votes in three ways : unanimity , simple majority or qualified majority . The Council votes in one of three ways ; unanimity , qualified majority , or simple majority . 1 +In 1951 , postwar immigrants founded the Belarusian Congress Committee of America . The postwar immigrants founded the Belarusian Congress Committee of America here in 1951 . 1 +"Linda Lou was viewed as a cody on October 6 , 2006 in the benefit concert of the "" Actors Fund of America "" by "" The Best Little Whorehouse in Texas "" ." "Cody was seen as Linda Lou in the Actors Fund of America benefit concert of "" The Best Little Whorehouse in Texas "" on October 6 , 2006 ." 0 +Ocee was a small municipality in Milton County , now located in Johns Creek , Fulton County , Georgia . Ocee was a small community in Fulton County , Georgia , now located in Johns Creek in Milton County . 0 +The port of Suppāraka is either modern Sopara near Bhārukaccha or modern Bharukh , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . The port of Suppāraka is either modern Sopara near Bharukaccha or modern Mumbai near Bharuch or Vasai about 290 kilometers south of Bharukaccha . 0 +Back in England , Watson beat Benny Sharkey before bearing only the fifth defeat of his career when he was disqualified for a low blow against Sonny Lee . Back in England , Watson beat Benny Sharkey before suffering only the fifth defeat of his career when he was disqualified against Sonny Lee for a low blow . 1 +Pennsauken Township is located on the 6th Congressional District and is part of the 1st State Legislative District in New Jersey . Pennsauken Township is located in the 1st Congressional District and is part of the sixth state of New Jersey 's Legislative District . 0 +""" Meriden , Connecticut "" was sold to Burdett Pond von Tennessee on September 15 , 1886 ." """ Tennessee "" was sold to Burdett Pond by Meriden , Connecticut , on September 15 , 1886 ." 0 +She ( Sophia ) is very lonely , and feels like a reed . She ( Sophia ) is very lonely and feels like a reed tube . 1 +The album is available in two versions : the Digipack Limited Edition and the Standard Edition . The album is being released in two versions . The digipack limited edition and the standard edition . 1 +Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named in his honor . Sparkman High School in Harvest , Huntsville , Sparkman School in Alabama , Sparkman Drive in Somerville , Alabama , are all named as his honours . 1 +"It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and will be released on Bridge 9 records in 2003 ." "It was relaunched in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and published on Bridge 9 Records in 2003 ." 0 +His three sisters included Helen C. Bulkeley , who married Roland Redmond , Mary Caroline Bulkeley . His three sisters included Mary Caroline Bulkeley , who married Roland Redmond , Helen C. Bulkeley ( b . 0 +She is voiced by Karen Strassman in Japanese and Yuhko Kaida in English . She is spoken by Yuhko Kaida in Japanese and Karen Strassman in English . 0 +It begins near the western extremities of the Central Oregon Coast Range and flows generally west to the ocean south of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and generally flows to the west south of Depot Bay and north of Otter Rock . 1 +Quoted 35 mm focal lengths , typically ignore depth of field ( DOF ) , which depends on both equivalent focal length and aperture . Specified equivalent focal lengths of 35 mm typically ignore the depth of field ( DOF ) , which depends on both focal length and aperture . 0 +In 1969 change was still in the air and T. and J. N. Nichol 's was taken over by R. Smith ( Vimto ) of Manchester . The change was still in the air in 1969 and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . 1 +Kuzmice is a village and municipality in the Trebišov District in the Košice Region of eastern Slovakia . Kuzmice is a village and municipality in the district of Trebišov in the Košice region of Eastern Slovakia . 1 +This makes Pyhä-Luosto Finland 's newest and oldest national park at the same time . This makes Pyhä-Luosto Finland 's oldest but at the same time newest national park . 0 +Vladan Desnica ( 17 September,1905 -- 4 March , 1967 ) was a Serb writer of Yugoslav origin . Vladan Desnica ( September 17 , 1905 - March 4 , 1967 ) was a Yugoslavian writer of Serb origin . 0 +Richard Owen ( 1810 -- 1890 ) , the youngest son of Robert Owen , came to New Harmony in 1828 and taught school there . Richard Owen ( 1810 -- 1890 ) , Robert Owen 's youngest son , came to New Harmony in 1828 and initially taught school there . 1 +Julius Adam was a member of the important Munich Adam family . He was a member of the important Munich family of artists Julius Adam . 0 +When the police made the discovery , Latimer denied the responsibility , but later admitted that he had killed her . When the police made the discovery , Latimer denied responsibility but later admitted he had killed her . 1 +Brendan McManamon ( * 1982 ) is a Gaelic football player for Ireland and St Judes in Dublin . Brendan McManamon ( b . 1982 ) is a Gaelic football player for Dublin and St Judes in Ireland . 0 +Turner represented the London East riding of Ontario at which he was elected in 1968 and re-elected in 1972 , 1974 , 1979 and 1980 . Turner represented the Ontario - horse riding of London East , on which he was elected in 1968 and was re-elected in 1972 , 1974 , 1979 and 1980 . 0 +mcen092.2 gathered here have accused you very clearly and you have not spoken a Here gathers mcen 092.2 you have spoken very clearly and you have not accused . 0 +In bioinformatics , inverted indexes for the sequence assembly of short fragments of sequenced DNA are very important . In bioinformatics , inverted indexes are very important in the sequence assembly of short fragments of sequenced DNA . 1 +John F. Henry was the temporary chairman and Alson Streeter was the permanent chairman . The preliminary chairman was John F. Henry , and the permanent chairman was Alson Streeter . 1 +In June 1986 , Boeing 767-200ER replaced the DC-10 fleet with a new route to the Montréal -- Mirabel International Airport . In June 1986 , Boeing 767-200ERs replaced the DC-10 fleet , with a new route to Montréal -- Mirabel International Airport . 1 +The optative mood is an archaic or poetic variant of the imperative mood that expresses hopes or wishes , and is not used in the normal language . The optative mood is an archaic or poetic variant of the imperative mood that expresses hopes or wishes . It is not used in normal language . 1 +Brock Township is a community in Beaverton in the Regional Municipality of Durham , Ontario , Canada . Brock Township is a municipality in Beaverton , Regional Community of Durham , Ontario , Canada . 1 +The dam is operated by the United States Bureau of Reclamation , which has built it , and is owned by the Elephant Butte Irrigation District . The dam is owned by the United States Bureau of Reclamation , which it has built , and is operated by the Elephant Butte Irrigation District . 0 +"Where "" r "" is the annual rate , "" i "" the periodic rate , and "" n "" the number of compounding periods per year ." """ r "" is the periodic rate , "" i "" the annual rate and "" n "" the number of compounding periods per year ." 0 +PEVQ - MOS - results range from 1 ( excellent ) to 5 ( bad ) and specify the perceived quality of the decoded sequence . PEVQ MOS results range from 1 ( excellent ) to 5 ( bad ) and indicate the perceived quality of the decoded sequence . 1 +It also uses 4 symbols for labialized Velar consonants , which are variants of non-labialized velar consonants : It also uses 4 symbols for labialized velar consonants , which are variants of the non-labialized velar consonants : 1 +Music is in his blood because he inherited this art from his grandfather , Ustad Banne Khan , who is himself a singer . Music runs in his blood as he has inherited this art from his grandfather Ustad Banne Khan who is a singer himself . 1 +It was a finalist for the 2002 Sidewise Award for best long-form alternate history , and the 2003 John W. Campbell Memorial Award . It was a finalist for the Sidewise Award 2002 for the best alternative history and the John W. Campbell Memorial Award 2003 . 0 +The Los Angeles County Department of Health Services operates the Pomona Health Center in Pomona , serving Hacienda Heights . The Los Angeles County Department of Health Services operates the Pomona Health Center in Hacienda Heights , which serves Pomona . 0 +With Martinez 's permission , Ross fired the shot that took Nocona 's life . With Martinez 'permission , Ross fired the shot that took Nocona 's life . 1 +I tried to buy it when Roy Abernethy ( later governor of Michigan ) and George Romney were AMC . I tried to buy it when George Romney ( later Michigan governor ) and Roy Abernethy were running AMC . 0 +The Pilugul River is a tributary of the Văcăria River in Romania . The river Văcăria is a tributary of the River Pilugul in Romania . 0 +Zinkyaik Mountain is located in Mon State in the northern part of the Tenasserim coast . The Zinkyaik Mountain is located in Tenasserim in the northern part of the Mon State coast . 0 +"An article by Dina Cappiello in the "" Houston Chronicle "" , published on December 18 , 2005 , stated Richard Prum 's position as follows :" "An article by Dina Cappiello in the "" Houston Chronicle "" published 18 December 2005 presented Richard Prum 's position as follows :" 1 +Copies of the Leach - catapult made by the Royal Engineers locally were used in the Gallipoli campaign . Copies of the Leach catapult , made locally by the Royal Engineers , were used in the Gallipoli Campaign . 1 +The system , originally designed and manufactured by Nortel , was manufactured by Avaya from 2009 until 2017 . The system , originally designed and manufactured by Nortel , was manufactured by Avaya from 2009 to 2017 . 1 +At the time , Andrew Johnson was president , and his administration learned that Meacham did not support him . At that time , Meacham was president , and his administration learned that Andrew Johnson did not support him . 0 +Statue of Ma.Po.Si in Tyagaraya Nagar in 2011 ( T. Nagar , Chennai ) Statue of Ma.Po.Si 2011 unveils in Chennai ( T. Nagar , Tyagaraya Nagar ) 1 +Recently , Sexson lived with his wife Kerry in Ridgefield , Washington , and since 2014 has been a baseball trainer at the Summit High School in Bend , Oregon . Sexson recently lived in Bend , Oregon with his wife Kerry . Since 2014 , he has been a baseball coach at Summit High School in Ridgefield , Washington . 0 +It was written by Michael Kaplan and directed by John Sanborn . Written by John Sanborn , it was directed by Michael Kaplan . 0 +Born in 1794 in Alpheton in Suffolk , Thomas Clark joined William Debenham in a partnership to manage a draper 's store at 44 Wigmore Street in London . William Debenham , born in Alpheton , Suffolk in 1794 , joined Thomas Clark in a partnership to lead a draper 's store at Wigmore Street 44 in London . 0 +These are made as the raw material from which the finished figures are used by carving and painting . These are used as raw material from which the finished figures are created by carving and painting . 0 +Most of the existing larger building societies are the end result of the mergers of many smaller societies . Most of the existing larger building societies are the final result of the mergers of many smaller societies . 1 +According to Pliny the Elder , Emperor Augustus was so embarrassed enough by the history of the Greek plundering of Roman art to return some pieces to their original homes . According to Pliny the Elder , the Emperor Augustus was sufficiently embarrassed by the history of Roman plunder of Greek art to return some pieces to their original homes . 0 +Quinuabamba District is one of 4 districts in the Ancash region of the Province of Pomabamba in Peru . Quinuabamba District is one of 4 districts in the Ancash Region of the Pomabamba Province in Peru . 1 +Michael Michael Stich defeated Nicklas Kulti with 6 -- 3 , 1 -- 6 , 6 -- 2 . Michael Stich defeated Nicklas Kulti 6 -- 3 , 1 -- 6 , 6 -- 2 . 1 +It was obtained in 1987 from parts of Assiniboia , Humboldt - Lake Centre and Moose Jaw Ridings . It was obtained in 1987 from parts of the Lake Centre , Humboldt -- Assiniboia and Moose Jaw Ridings . 0 +The Japanese Embassy in Doha is organizing cultural events in Qatar . The Japanese Embassy in Qatar is active in organizing cultural events in Doha . 0 +But as he tries to burn it , Arrietty and Peagreen recover the will , determined to save the house for the lenders and the clocks . But as he tries to recover it , arrietty and peagreen burn the will , determined to save the house for the lenders and the clocks . 0 +Highsmith is the father of former NFL player Alonzo Highsmith and uncle of current former NFL player Ali Highsmith . Highsmith is the father of the former NFL player Alonzo Highsmith and the uncle of the current former NFL player Ali Highsmith . 1 +""" Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of the North Island of New Zealand ." """ Clitarchus hookeri "" is found from Wellington to the Northland region in the south of New Zealand 's North Island ." 0 +Thomas Vesey , 1st Viscount de Vesci ( died October 13 , 1804 ) was an Anglo-Irish peer . Thomas Vesey , 1st Viscount de Vesci ( died 13 October 1804 ) was an Anglo-Irish peer . 1 +Sean Kandel is Trifacta 's Chief Technical Officer and Co-founder , along with Joseph M. Hellerstein and Jeffrey Heer . Joseph M. Hellerstein is the Chief Technical Officer and co-founder of Trifacta , along with Sean Kandel and Jeffrey Heer . 0 +Among the bugis dealers were also members of the nobility like Raja Ali Haji , who married the daughter of Engku Karaeng Talibak . Among the bugis traders were also members of the nobility , such as Engku Karaeng Talibak , who married the daughter of Raja Ali Haji . 0 +"There was also an Australian version of "" Press Your Luck "" from 1987 to 1988 hosted by Ian Turpie on Seven Network and later produced by Grundy ." "There was later an Australian version of "" Press Your Luck "" hosted from 1987 to 1988 on Seven Network by Ian Turpie and also produced by Grundy ." 0 +Rich food sources , as long as they are promoted as profitable , will be evaluated by the spies when they return to the hive . As long as they are evaluated as profitable , rich food sources will be advertised by the scouts when they return to the hive . 0 +On the island of Brač , Ignjat Job painted colourful landscapes in a personal Expressionist style . Ignjat Job painted personal landscapes on the island of BraÄ in a colourful expressionistic style . 0 +The current Church , consecrated by the Bishop of St Albans in June 1885 , is not the first to be built in East Hanningfield . The current church , built in June 1885 by the bishop of St. Alban , is not the first to be consecrated in East Hanningfield . 0 +In codice 5 is the second file codice 8 and in codice 4 is the second file codice 10 . In codice 4 is the second file codice 8 and codice 5 is the second file codice 10 . 0 +The series was written by George Pérez , with the art by Kurt Busiek . The series was written by Kurt Busiek , with art from George Pérez . 0 +It was the northernmost of several Muslim states in the Horn of Africa , as a buffer between the Muslim kingdom and the Christian states along coastal regions . It was the northernmost of several Muslim states in the Horn of Africa and served as a buffer between the Christian Kingdom and the Muslim states along coastal regions . 0 +In Nairobi , there are large occupying communities , such as Kibera in Kenya . There are large squatter communities in Kenya , such as Kibera in Nairobi . 0 +For the Fuzzy - Formula 135 is given the entropy of a finite quantity formula 33 by For the finite Formula 135 is given the entropy of a fuzzy volume formula 33 by 0 +Sir Charles Walston , from 1918 Sir Charles Waldstein ( March 30 , 1856 -- March 21 , 1927 ) was an Anglo-American archaeologist . Sir Charles Walston , 1918 Sir Charles Waldstein ( March 30 , 1856 - March 21 , 1927 ) was an Anglo-American archaeologist . 1 +The Brocklesby Stakes is a British horse race , notable as the traditional opening two-year-old race of the British Flat racing season . The Brocklesby Stakes is a British horse race , remarkable as the traditional opening race of the British Flat racing season . 1 +They soon encounter twins Timmy and Tommy Reston in their Ford Mustang , who were also invited to the Waffle House by Keun 's friend . They will soon encounter twins Timmy and Tommy Reston in their Ford Mustang , which were also invited by Keun 's friend to Waffle House . 1 +It was born on April 18 , 1976 in Usera , Madrid ( Spain ) . She was born in Usera , Madrid ( Spain ) on April 18 , 1976 . 1 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent Aneurin Bevan , challenged by Herbert Morrison . 0 +Born in 1935 in Mansfield , Nottinghamshire , Curry died in 1990 at the age of 54 in Longbenton , Northumberland . Curry was born in Mansfield , Nottinghamshire , in 1935 , and died in Longbenton , Northumberland , in 1990 at the age of 54 . 1 +Let Formula 4 follow a continuous ( uniform ) distribution between Formula 19 and Formula 20 . Let demand , formula 4 , follow a continuous distribution ( uniform ) between formula 19 and formula 20 . 1 +Bhojpuri is the local language and the official language is Hindi . The local language is Bhojpuri , while the official language is Hindi . 1 +He began his studies in Budapest in 1946 at the Main Gimnázium , and from 1947 to 1951 he visited the Madách Gimnázium in Debrecen . He began his studies in 1946 at the Reformed Gimnázium in Debrecen and from 1947 to 1951 he visited Madách Gimnázium in Budapest . 0 +She left TNA later in August 2008 to return to WWE three months later , where she remained until 2011 . She later left TNA in August 2008 , to return to WWE three months later , where she remained until 2011 . 1 +Founded in 1959 by Gianni Ratto , it has introduced actors such as Fernanda Montenegro , Sérgio Britto , Italo Rossi , Tommy Wiseau and Fernando Torres . Founded in 1959 by Sérgio Britto , it has featured actors such as Fernanda Montenegro , Gianni Ratto , Ítalo Rossi , Tommy Wiseau , and Fernando Torres . 0 +Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher , who has been active in the Canadian dance scene since 1983 . Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher . Since 1983 she has been active in the contemporary dance scene . 0 +To the east it borders with Kariobangi and Dandora , to the south to Moi Air Base , to the north to Mathare and to the west to Eastleigh . It borders Kariobangi and Dandora to the east , Eastleigh to the south , Mathare to the north and Moi Air Base to the west . 0 +They were replaced in 2008 by Jill Culton , followed by Todd Wilderman , with Chris Jenkins in 2010 . They were replaced in 2008 by Jill Culton , followed by Chris Jenkins , with Todd Wilderman in 2010 . 0 +"In the Marvel - Zombies - universe , Namor has a cameo as a zombie in the limited "" Marvel - Zombies "" series ." "In the Marvel - Zombies - universe , Namor has a cameo appearance as a zombie in the limited series "" Marvel Zombies "" ." 0 +Isaacs was born in 1915 in Panama to a Jamaican father and a Panamanian mother . Isaacs was born in Panama in 1915 into a Jamaican father and a Panamanian mother . 1 +These include replicas at Ramat Shlomo in Jerusalem and in Kfar Chabad in Israel . These include replicas in Ramat Shlomo in Israel and Kfar Chabad in Jerusalem . 0 +Belagere is a village in Karnataka , India , district of Chitradurga , Challakere . Belagere is a village in Challakere , district of Chitradurga , Karnataka , India . 1 +""" Pantheon and other role-playing games "" included a total of five different storytelling games -- or five different scenarios , as they all use the same "" narrative "" style ." """ Pantheon and Other Roleplaying Games "" included a total of five different storytelling games or five different competitive scenarios , as they all use the same "" Narrative "" ." 0 +This layer only deals with electrical connectors and sockets and the physical specification of the signals . This layer deals with the physical plugs and sockets and electrical specification of signals only . 0 +Björn Freiberg ( born March 28 , 1970 in Isny im Allgäu ) is a former actor , painter , author , translator and German university teacher . Björn Freiberg ( born March 28 , 1970 in Isny , Allgäu ) is a German actor , painter , author , translator and former university teacher . 0 +Somanath is a village in the Dahanu district of Maharashtra , India . It is located in Palghar - Taluka . Somanath is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . 1 +Due to the results obtained in the previous round , Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results of the previous round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . 1 +Morris Township is located in the 11th Congressional District and is part of New Jersey 's 25th state legislative district . Morris Township is located on the 11th Congressional District and is part of the 25th State Legislative District in New Jersey . 1 +In 1912 , he organized a syndicate in Hale County , Texas , near Plainview for drilling irrigation fountains to irrigate about 60,000 acres ( 243 km ² ) . In 1912 , he organized a syndicate in Hale County , Texas near Plainview for drilling irrigation wells to irrigate about 60,000 acres ( 243 km ² ) . 1 +She married West German air force alumni Rolf Rometsch , who was stationed at the German Embassy . She married West German air force sergeant Rolf Rometsch , who was stationed at the German embassy . 1 +The school teaches pupils from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also from Dunfermline under exceptional circumstances . The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also under extraordinary circumstances from Dunfermline . 1 +Karolína Plíšková won the title , defeated Angelique Kerber in the final , 6 -- 3 , 5 -- 7 , 6 -- 4 . Karolína Plíšková won the title , defeating Angelique Kerber in the final , 6 -- 3 , 5 -- 7 , 6 -- 4 . 1 +The Valea Mică River is a tributary of the Valea Arsurii River in Romania . The river Valea Arsurii is a tributary of the Valea Mica river in Romania . 0 +During the night of 6 to 7 August , the Croatian Home Guard Regiment , supported by the 20th police and elements of the 153rd Brigade , captured Glina despite strong resistance . During the night of 6/7 August , the 20th Home Guard Regiment , supported by Croatian police and elements of the 153rd Brigade , captured Glina despite strong resistance . 0 +It is bordered to the northeast by Napier Township , to the east by Harrison Township , and to the south by Londonderry Township . It is bounded to the northeast by Londonderry Township , to the east by Napier Township and to the south by Harrison Township . 0 +The Kneisel Hall Chamber Music School was formally reestablished in 1953 by Marianne , pianist Lillian Fuchs , violinist Joseph Fuchs , and violist Artur Balsam . The chamber music school in the Kneisel hall was formally rebuilt in 1953 by Marianne , pianist Artur Balsam , violinist Joseph Fuchs and violist Lillian Fuchs . 0 +North Coast railway station is located on the Dungog line in New South Wales , Australia . Dungog Station is located on the North Coast line in New South Wales , Australia . 0 +"In South Africa , "" The Other Man 's Grass Is Always Greener "" reached # 30 while in Australia the track achieved a # 19 chart peak ." "Achieved in South Africa "" The other man 's grass is greener than 30 , while in Australia the track reached a peak of # 19 ." 1 +Younessi had a child , a son named Dariyan Rodin Younessi , who started his racing career with Karting at the age of four . Dariyan Rodin Younessi has one child , a son named Younessi , who started his racing career at the age of four with Karting . 0 +He is a former member of Uzeb ( with Michel Cusson on guitar and Paul Brochu on drums ) that was active from 1976 to 1992 . He is a former member of Uzeb ( with Michel Cusson on the guitar and Paul Brochu on the drums ) , who was active from 1976 to 1992 . 1 +The ship attended Okinawa during the second week of September and then spent the rest of the month in Guam in the Marianas . The ship visited Okinawa during the second week in September and then spent the rest of the month at Guam in the Marianas . 1 +In 1951 , Avon Publications in Rocket to the Moon released a comic adaptation of Walter Gibson ( script ) and Joe Orlando ( art ) . "In 1951 , Avon Publications released a comic film in "" Rocket to the Moon "" by Joe Orlando ( script ) and Walter Gibson ( art ) ." 0 +As a bishop of Łęczyca he participated in the Synod in Poznań in 1180 . As a Łęczyca bishop , he participated in the synod in Poznań , in 1180 . 1 +In 1697 he was re-elected as a Whig Member of Parliament for Eye and sat until 1713 , when he was returned to Lymington . In 1697 he was returned as a Whig Member of Parliament for Eye , and sat until 1713 when he was re-elected for Lymington . 0 +Ferguson has two sisters ( one older and one younger ) and one big brother . Ferguson had two sisters ( one older and one younger ) and one younger brother . 0 +The physical basis of the flower is that lenses can never perfectly focus in the real world . The real basis of the flower is that lenses can never focus perfectly in the physical world . 0 +It was divided into departments and each department was subdivided into departments entrusted with different tasks . It was subdivided into departments and each department was divided into sections entrusted with different tasks . 0 +"The "" Houston Chronicle "" is the local newspaper The "" Midtown Paper "" is a city-wide area newspaper ." "The "" Houston Chronicle "" is the citywide newspaper . The "" Midtown Paper "" is a local area newspaper ." 0 +Parallel world , which seems to them more favorable than real . Parallel world , which seems more favorable than real to them . 1 +In June 2011 , Julian Schabel , curated by Rosenthal , opened at Venice Museo Correr . In June 2011 , the curated by Julian Schabel opened Rosenthal at the Museo Correr in Venice . 0 +He has also played for the Pittsburgh Steelers and was part of the Super Bowl XLV winning team at the Green Bay Packers . He also played for the Green Bay Packers and was part of the Super Bowl XLV - winning team over the Pittsburgh Steelers . 0 +After the death of his father , James Holman , on 4 March 1827 he was elected king in the presence of King George . After the death of his father , King George , he was elected king in the presence of James Holman on March 4 , 1827 . 0 +In 1988 , Emmis Broadcasting acquired the license of WNBC and moved WFAN from 1050 to 660 AM . In 1988 , Emmis Broadcasting acquired the license of WNBC and moved WFAN from 1050 to 660 . 1 +The simultaneous coordinator of the Australian Cyber Security Centre was the former deputy director of Australian Signals Directorate . The former coordinator of the Australian Cyber Security Centre was the deputy director of the Australian Signals Directorate . 0 +Under Portuguese rule this province was called Moçambique , but with independence the name Mozambique was renamed the entire country and province for its capital . Under Portuguese rule this province was renamed Moçambique but with independence , the name Mozambique was used for the entire country and the province named for its capital . 0 +The national organisation was founded in March 1979 under Draft Bylaws , and PAS was officially organized in March 1980 in Kansas City , Missouri . The national organization was founded in March 1979 under Draft Bylaws . PAS was officially organized in March 1980 in Kansas City , Missouri . 1 +Marjorie Fritz , the brother of Richard Fritz , was injured in the explosion and died of myocarditis almost a year later . Richard Fritz , brother of Marjorie Fritz , was injured in the explosion and died almost one year later of myocarditis . 0 +The 147th and 260th units were later reorganized as the 147th Field Artillery Battalions . The 147th units were later reorganized as 147th and 260th Field Artillery - Battalions . 0 +In 2015 , municipal elections for Serampore Municipality Congress won 22 seats , CPI ( M ) 4 seats , Trinamool - Congress 1 seat and Independent 2 seats . In the 2015 municipal elections for the municipality of Serampore , Trinamool Congress won 22 seats , CPI ( M ) 4 seats , Congress 1 seat and Independents 2 seats . 0 +During the fight , Steedman was shot and killed when his horse was wounded under him . During the fight , Steedman was shot when his horse was wounded under him . 1 +They each had a contrasting public image , with Novak looking sloppy , and Evans dressing like a diplomat with a refined manner . They each had a contrasting public image , with Novak appearing sloppy and Evans ' dressing like a diplomat with a refined manner . 1 +Guy Watson , of Love Song took over on drums and Ernie Earnshaw on bass in the new group . Ernie Earnshaw of Love Song took over on drums and Guy Watson on the bass in the new group . 0 +He also appeared in comedic films and later in life , in musical roles . He also appeared in musical films and later in life , in comedian roles . 0 +The club was founded in 1952 and started in 1996 . After four years , it was disestablished again in 2000 . The club was founded in 1952 and started in 1996 , after four years it was disbanded in 2000 . 0 +However , the functional design of the Council only makes it a very weak legislative review mechanism . The Council 's functional design , however , makes it only a very weak legislative review mechanism . 1 +However , Justice Sung wants to seek justice for the innocent person who was charged and he wants Tit Tau killed . Justice Sung , however , wants to seek justice for the innocent person who was charged and he wants Tit Tau to be killed . 1 +Young birds are light grey and dark above , with buff underparts and a brown patch through the eye . Young birds are light grey and brown above , with buff underparts and a dark spot through the eye . 0 +Ol ' ; Dirty Bastard heard the song and asked to be part of it , which Pras agreed to . Ol'Dirty Bastard heard the song and asked to be part of it , to which Pras agreed . 1 +"Cronus ( "" the cunnier , youngest and most terrible of Gaia 's children "" ) was convinced by Gaia to castrate his father ." "Cronus ( "" the wily , youngest and most terrible of Gaia 's children "" ) , was convinced by Gaia to castrate his father ." 1 +"He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Chris Bath , who took over Ian Ross ." "He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Ian Ross , who took over Chris Bath ." 0 +The movie does not clarify the reason why Rajan likes , and then dislikes Usha . The movie does not clarify the reason why Usha likes and then rejects Rajan . 0 +The Chinese ambassador to Beijing is the official representative of the government in Apia with the Samoa government . The Chinese ambassador in Beijing is the official representative of the Government in Apia to the Government of Samoa . 1 +Oliver Knussen studied composition with John Lambert between 1963 and 1969 , and also received encouragement from Britten . Oliver Knussen studied composition with John Lambert between 1963 and 1969 and also received inspiration from Britten . 1 +KSR-3 ( South Korean sounding rocket-3 ) is a Korean sounding rocket designed by KARI . KSR-3 ( South Korean Sounding Rocket-3 ) is Korean sounding rocket designed by KARI . 1 +The Deju River is a left-wing tributary of the River Putna in Romania . The Deju River is a left tributary of the Putna River in Romania . 1 +He has lost only 3 and he has also saved two games . He also saved 3 and he only lost two games . 0 +West Salem is located in northeastern Edwards County , northeast of Albion , County Seat . Albion is located in northeastern Edwards County , northeast of West Salem , the county seat . 0 +"In hieroglyphic Arabic , the Egyptian script "" is called the alphabet of birds "" ." "In Egyptian Arabic , the hieroglyphic script "" is called the alphabet of birds "" ." 0 +Hippotion moorei is a moth of the family Sphingidae . It is known from dry areas from northern Somalia to Ethiopia and Tanzania . Hippotion moorei is a moth of the family Sphingidae , known from dry areas from northern Somalia to Ethiopia and Tanzania . 1 +"The film is based on Brady 's 1987 biography about Mollie Dickenson entitled "" Thumbs Up "" ." "The film is based on Brady 's 1987 biography about Mollie Dickenson titled "" Thumbs Up "" ." 1 +Important Chinese expressions are also given and illustrated and the pronunciation of characters explained . Important Chinese phrases are also explained and the pronunciation of characters given and illustrated . 0 +Beatrice married the Frederick of Geneva . Beatrice married Frederick of Geneva . 1 +Both Mark Warner in 2001 and John Kerry in 2004 Loudoun and Prince William lost counties . Both John Kerry in 2001 and Mark Warner lost counties in 2004 to Loudoun and Prince William . 0 +""" Arrow "" was built by Walkers Limited in Maryborough , Queensland , commissioned on 17 February 1968 and on 3 July 1968 ." """ Arrow "" was built by Walkers Limited at Maryborough , Queensland , commissioned on 17 February 1968 , and launched on 3 July 1968 ." 1 +""" Espoir "" lost her master wounded , and had six men killed , of whom two were badly wounded ." """ Espoir "" lost her master killed , and had wounded six men , two of whom were seriously wounded ." 0 +On June 14 , Jackson served as second in a duel on behalf of his junior officer Jesse Benton against William Carroll , the brother of Thomas . On June 14 , Jackson served in a duel on behalf of his junior officer William Carroll as the second against Jesse Benton , the brother of Thomas . 0 +In biology , the biochemical specificity is the tendency of a characteristic , such as behavior or biological variation , in a particular species to occur . In biology , biological specificity is the tendency of a characteristic such as a behavior or a biochemical variation to occur in a particular species . 0 +The Bhadala are exclusively Muslim and follow the traditions of the other neighbouring Sunni communities . The Bhadala are entirely Sunni , and follow the traditions of the other neighbouring Muslim communities . 0 +Incumbent mayor Joseph A. McArdle won a divided Republican Primary against Councilman John Herron and Register of Wills Joseph Mackrell . The current mayor , John Herron , won a divided Republican primary against Councilman Joseph A. McArdle and Register of Wills , Joseph Mackrell . 0 +The week before the incident with Coventry fans , 13 men were arrested after clashes between fans from Leicester and Norwich in which some men sustained minor injuries . In the week before the incident with Coventry fans , 13 men were arrested following clashes between fans from Leicester and Norwich , in which some men suffered minor injuries . 1 +Guido died in 1955 , and the company was managed until 1999 by his son Bruno Caloi . Guido died in 1955 , and the company was directed by his son Bruno Caloi until 1999 . 1 +The Texas entrepreneur Nick Kennedy , who founded RISE , will work for Surf Air as President of the Dallas and Southeast region . Texas entrepreneur Nick Kennedy , who founded RISE , will serve as president of the Dallas and southeast region for Surf Air . 1 +Bobby Osborne worked with the Osborne Brothers until Mosley 's retirement in 2003 and with Sonny and his band , the Rocky Top Express , until 2011 . Until Sonny ’ s retirement in 2003 , Mosley worked with the Osborne Brothers and until 2011 with Bobby Osborne and his band Rocky Top Express . 0 +The decisive interest of the members was one of the common musical factors for the formation of Coldrain . The common musical interest of the members was one of the decisive factors for the forming of Coldrain . 0 +Bruno Simma was in the case of LaGrand assistant to Paulus . Paulus was an assistant to Bruno Simma in the case of LaGrand . 0 +"He is , also , the second cousin of Georgina Hagen , who played Lauren Waters in "" Britannia High "" ." "He is also the second cousin of Georgina Hagen , playing in "" Britannia High "" Lauren Waters ." 1 +Amata leucacma is a type of moth of the family Erebidae It is found in Australia ( Queensland ) . Amata leucacma is a species of the moth of the Erebidae family it is found in Queensland ( Australia ) . 1 +David Tebele Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi Abraham Naftali Hertz Scheuer . David Tebele Scheuer was born in 1753 as son of his father Rabbi Abraham Naftali Hertz Scheuer in Frankfurt am Main . 1 +The Ojdula River is a headwater of the Orbai River in Romania . The Ojdula River is a source of the Orbai River in Romania . 1 +He proposes that Kant 's first two premises only entail that we must try to achieve the perfect good , not that it is actually attainable . He proposes that the first two premises of Kant only entail that we must try to achieve the perfect good , not that it is actually achievable . 1 +The optimum language is therefore additive up to this universal constant . The optimum language up to this additive constant is therefore universal . 0 +These are the same or similar protocol specifications that cover the open space as AMQP : These are the known open protocol specifications that cover the same or similar space as AMQP : 0 +The last season of National Cheerleading Championships was held in the PhilSports Arena , Pasig City , March 3 , 2008 . The last season of the National Cheerleading Championships was held in PhilSports Arena , Pasig City 3rd March 9 , 2008 . 1 +The mine is located near Abakan in south Khakassia in Russia . The mine is located near Abakan in South Chakassia in Russia . 1 +Use the appropriate grass and reduce the amount of grass to limit the watering and maintenance requirements . Use the appropriate grass and limit the amount of grass to reduce the irrigation and maintenance requirements . 0 +The official Guinness record was shot by professional Christopher Smith at the Chicago Speedgolf Classic at Jackson Park Golf Course on October 16 , 2005 . The professional Guinness record was filmed on 16 October 2005 by the official Christopher Smith at the Chicago Speedgolf Classic at the Jackson Park Golf Course . 0 +Melisio Morales ( sometimes Melesio Morales ) ( December 4 , 1838 - May 12 , 1908 ) was a Mexican composer . Melesio Morales ( sometimes written Melisio Morales ) ( 4 December 1838 - 12 May 1908 ) was a Mexican composer . 1 +The Blauvelt family arrived in Rockland County for the first time in 1638 and first arrived in America in 1683 . The Blauvelt family arrived in America in 1638 and first arrived in 1683 in Rockland County . 0 +The SSSI has an area of 190.3 hectares , while the SAC has 168.3 hectares . The SSSI has an area of 190.3 hectares , while the SAC comprises 168.3 hectares . 1 +The Banaue rice terraces were declared National Cultural Treasure by the Philippine government under the name of Ifugao Rice Terraces by Presidential Decree No . 260 in 1973 . The Ifugao Rice Terraces were declared by the Philippine government as a National Cultural Treasure under Banaue Rice Terraces by virtue of Presidential Decree No . 260 in 1973 . 0 +He was re-elected in 1977 , and in April 1978 was elected to the newly created Court of Appeals District 1 . In 1977 , he was re-elected and elected to the newly created Court of Appeals District 1 in April 1978 . 1 +In 1820 the city wall was torn down , with the exception of the individual towers and gates , and the defensive ditches were filled in . In 1820 the city wall was demolished with the exception of the individual towers and gates and the defensive ditches were filled . 1 +Eudes was vehemently opposed to the peace negotiations undertaken by the new republican government of Adolphe Thiers . Eudes was vehemently opposed to the peace negotiations undertaken by the new Republican government of Adolphe Thier . 1 +He lives in New York City and teaches Hebrew language , literature and culture , and Middle East studies at Queens College in Flushing , New York . Chetrit lives in New York City . He teaches Hebrew language , literature and culture , and Middle Eastern studies at Queens College in Flushing , New York . 1 +Hopkins toured with the band for six months through England , the United States , and Japan . For six months , Hopkins toured England , the United States and Japan with the band . 1 +"Hence , the similar Givens transformation formula _ 5 of a Hermitian matrix "" H "" is also a Hermitian matrix complex equivalent to "" H "" :" "Consequently , the similar givens - transformation formula 5 of a Hermitian matrix "" H "" is also a Hermitian matrix complex , which is equivalent to "" H "" :" 1 +It began as a fishing village , inhabited by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . It began as a fishing village , populated by Polish settlers from the Kaszub region and some German immigrants in 1870 . 0 +The medals were presented by Yair Davidovich , IOC member , Pakistan and Syed Shahid Ali , Council Member of the International Shooting Sport Federation . The medals were handed over by Syed Shahid Ali , IOC - member , Pakistan , and Yair Davidovich , member of the International Shooting Sport Federation . 0 +Mandikal is a village located in small Kolar district in Karnataka , India . It is a present village of a population more than 1000 . It is a village located in small Kolar - district in Karnataka , India It is a present village with a population of more than 1000 . 1 +He won the 13th place in the Sandown 500 with Tony Longhurst and 11th with Nathan Pretty in the Bathurst 1000 . He finished 11th in the Sandown 500 with Tony Longhurst and 13th in the Bathurst 1000 with Nathan Pretty . 0 +"An article by Dina Cappiello in the "" Houston Chronicle "" published 18 December 2005 presented Richard Prum 's position as follows :" "In an article by Richard Prum in the "" Houston Chronicle "" of December 18 , 2005 , Dina Cappiello 's position was presented as follows :" 0 +Ryszard Kaczorowski received symbols from Lech Wałęsa of the pre-war presidency . ( Lech Wałęsa accepted the symbols of Ryszard Kaczorowski 's pre-war presidency ) . 0 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentine physicist who has done the most work in Argentina . Miguel Ángel Virasoro ( * 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . 0 +"The concept of a redistributive system is at least as old as the concept of Pharaoh , which means "" great house "" and describes the Royal Palace ." "The concept of a redistribution system is at least as old as the concept of Pharaoh , which means "" royal house "" and describes the great palace ." 0 +In Sunnyside , west of the centre of the city , the path where the old promenade runs , and parallel to the current one is . In Sunnyside , west of the centre of the city , the trail is where the old boardwalk runs , and parallel to the current one . 1 +He was born on January 23 , 1919 in Chiswick , London , Humphrey Lestocq Gilbert , and died on January 29 , 1984 in London . He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London . He died on 29 January 1984 in London , England . 1 +Margaret Foote Hawley , a niece of Kate Foote Coe , was an artist who specialized in portrait miniatures . Kate Foote Coe 's niece Margaret Foote Hawley was an artist who specialized in portrait miniatures . 1 +The lyrics were written by the Lebanese singer Majida El Roumi and the music was rearranged by Kadim Al Sahir . The texts were rearranged by the Lebanese singer Majida El Roumi and music by Kadim Al Sahir was written . 0 +Arjun Reddy is a married person , lives in Hyderabad and has a son , Yamini Reddy ( b.2014 ) . Yamini Reddy is married and lives in Hyderabad . She has a son , Arjun Reddy ( b.2014 ) 0 +After the Constitution of the United States was adopted in 1789 , the United States Bill of Rights was ratified in 1791 . After the constitution of the United States was adopted in 1789 , the Bill of Rights of the United States was ratified in 1791 . 1 +Part of the barley is roasted to give Guinness its dark colour and characteristic taste . A portion of the barley is roasted to give Guinness its characteristic colour and dark taste . 0 +On January 8 , 2014 , the Dallas Cowboys published Spears on a Futures contract , on May 12 , 2014 , the Dallas Cowboys signed Quinton Spears . The Dallas Cowboys signed Spears to a futures contract on January 8 , 2014 . On May 12 , 2014 the Dallas Cowboys released Quinton Spears . 0 +There is a concrete garden box north of the eastern stairs . North of the eastern staircase there is a concrete garden box . 1 +Hugues Merle died in 1881 in Paris . His son Georges Merle also became a painter . Georges Merle died in Paris in 1881 , and his son Hugues Merle also became painter . 0 +This species is regularly caught along the coasts of Crete , Greece , Sicily , Italy , France , Turkey , and Spain . This species is caught regularly along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . 1 +"If "" f "" in Hardy has room "" H "" , then it is a factorization" "If "" f "" is in Hardy space "" H "" , then it has a factorization" 0 +In 1473 he was created cardinal , was promoted to the Archdiocese of Seville and named chancellor of Castile . In 1473 he was called Cardinal , was promoted to the Archdiocese of Seville and created Chancellor of Castile . 0 +There are formula 72 null hypotheses for the correct order of all 4 means The significance level of each hypothesis is Formula 73 . There are formula _ 72 null hypotheses for the correct ranking of each 4 means . The significance level of each hypothesis is formula _ 73 1 +In October 2015 , Bennett resigned from the Knesset in order to allow Shuli Mualem to take his seat . In October 2015 , Bennett resigned from the Knesset in order to enable Shuli Mualem to take his seat . 1 +"During the first season of FOX - Series "" Sleepy Hollow "" , Aarniokoski staged the 7th episode "" The Midnight Ride "" ." "During the 7th season of the FOX series "" Sleepy Hollow "" , Aarniokoski directed the first episode , "" The Midnight Ride "" ." 0 +Another two goals helped Blyth eliminate Moor Green from the FA Trophy , and in the next round he returned to North Ferriby United again . Another two goals helped Blyth eliminate Moor Green from the FA Trophy , and he scored again against North Ferriby United in the next round . 0 +In 2005 , Toshiaki Imai was appointed assistant to Chen , then manager of Chinese Taipei national team . In 2005 , Toshiaki Imai was appointed assistant to Chen , the then manager of the Chinese Taipei national team . 1 +Justine Henin defeated Sarah Pitkowski , 6 -- 1 , 6 - - 2 Sarah Pitkowski defeated Justine Henin , 6 -- 1 , 6 -- 2 . 0 +The United States Postal Service operates the Bell Post Office at the 6327 Otis Avenue and the Bandini Boulevard Post Office at 5555 Bandini Station . The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and Bandini Station Post Office at 5555 Bandini Boulevard . 0 +"G. Augustus Johnson ( "" fl . "" 1870-1890 ) was American consul in Beirut . He replaced J. Augustus Johnston ." "G. Augustus Johnson ( "" fl . "" 1870-1890 ) was the American consul in Beirut and replaced J. Augustus Johnston ." 1 +They lost 50-25 to Zimbabwe during the competition , 84-16 to Tanzania , 58-24 to South Africa . They lost 50-25 to Tanzania during the competition , 84-16 to South Africa and 58-24 to Zimbabwe . 0 +The game created a 32 digit alphanumeric password after a successful completion of a level , which was unique also to the player name , to allow later resumption . The game created a 32 - digit unique password after successful completion of a level that was also the player name alphanumeric to allow for a later resumption . 0 +Leah Delos Santos played Belle and Uwe Kröger played the Beast and Marc G. Dalio played Gaston . Leah Delos Santos played Belle and Uwe Kröger played the animal and Marc G. Dalio played Gaston . 1 +It had been directed by the governor of Rome , Ludovico Spada Veralli Potenziani , who was commissioned by Mussolini to manage the Capital . It was headed by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been commissioned by Mussolini to lead the capital . 1 +The Hyslop Farm was named after George Hyslop , who was hired by the founder of the Agronomy Department , Henry Scudder , when he opened the 1907 department . The Hyslop farm was named after Henry Scudder , who was hired by Agronomy Department founder George Hyslop when he opened the department in 1907 . 0 +It was created in 2003 from parts of the Mississauga and Mississauga West -- Brampton West Ridings . It was created in 2003 from parts of Brampton West -- Mississauga and Mississauga West ridings . 0 +Included are Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne von Rey , Jenny Shimizu , Catherine Opie , Michele Mills . Included Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne Von Rey , Jenny Shimizu , Catherine Opie , Michele Mills . 1 +In 1825 , George Patterson sold of Springfield Estate to his friend and business associate , James Sykes . In 1825 , James Sykes of Springfield Estate sold his friend and business partner , George Patterson . 0 +The Glassport Odds were a professional , later semi-professional football team from Glassport , Pennsylvania from 1913 until 1950 . The Glassport Odds were a semi-professional , later professional , football team from Glassport , Pennsylvania from 1913 to 1950 . 0 +"When Rachel learned that she wore Thomas "" child , she moved discreetly to Santa Barbara , while Thomas remained in Monterey , working with his brother ." When Rachel learned she was carrying Thomas ' child , she discreetly moved to Monterey while Thomas remained in Santa Barbara , working with his brother . 0 +Xmonad is a dynamic window manager ( tiling ) for the X Window System that is written in the Haskell functional programming language . Xmonad is a functional window manager ( tiling ) for the X Window System , written in the Haskell dynamic programming language . 0 +Until 1798 , he studied in Copenhagen before settling in Dresden . He studied in Dresden until 1798 , before settling in Copenhagen . 0 +Cedric Robinson ( Cedric der Entertainer ) is a coach at High School and Steve 's longtime best friend . Cedric Robinson ( Cedric the Entertainer ) is a coach at the high school , and Steve 's longtime best friend . 1 +On 7 July 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . On July 7 , 2011 , Russell was traded to the Columbus Blue Jackets for Kris Russell . He joined his brother Michael Blunden with the Blue Jackets organization . 0 +According to the United States Census Bureau , Harmony Township has a total area of which is land , and 5.21 % is water . According to the United States Census Bureau , Harmony Township has a total area of , of which is land and , or 5.21 % , is water . 1 +Caracase is a city in the southwestern Gedo region of Somalia . Caracase is a city in the southwestern Somalia region of Gedo . 0 +This was resolved by the Ostrów agreement -- Jogaila became Grand Duke of Lithuania , while Vytautas retained the rights of an overlord . With the Ostrów agreement , this was decided -- Vytautas became the Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . 0 +""" CQ Politics "" assessed this race as "" Tossup "" . "" The Cook Political Report "" considered it as "" Lean Republican "" ." """ CQ Politics "" rated this race as ' Tossup ' . "" The Cook Political Report "" considered it ' Lean Republican ' ." 1 +In New South Wales and its state of Australia , water has been declared Caltrop as a harmful weed . In New South Wales , and its state of Australia water caltrop has been declared a noxious weed . 1 +In 2015 , Stephen Hawking offered Richard Branson a seat on the Virgin Galactic spaceship for free . In 2015 , Richard Branson offered Stephen Hawking a seat free of charge on the Virgin Galactic spaceship . 0 +Williams , the first president of the Welsh Academy , was Yr Academi Gymreig . The first president of the Yr Academi Gymreig ( Welsh Academy ) was ( 1892-1962 ) . 0 +The Vela family , prominent in the racing industry , had donated Peters to $ 150,000 over a four-year period . The Peters family , who was prominent in the racing industry , had donated Vela $ 150,000 over a four-year period . 0 +It is native to much of eastern Asia , from India to Japan to Indonesia . It is native to much of East Asia , from India to Indonesia to Japan . 1 +His elder siblings were Patricia Lou ( 1925 born ) , Travis ( 1927-2016 ) and Larry ( 1929-2008 ) . His elder siblings were Patricia Lou ( born in 1925 ) , Travis ( 1927 - 2016 ) , and Larry ( 1929 - 2008 ) . 1 +And procedural knowledge ( steps to take and what decision when to do ) . And procedural knowledge ( steps to do and which decision when to make ) . 1 +Crocker Paddon defeated 2009 again and took his third victory against Emma Gilmour in 2010 . Paddon defeated Crocker 2009 again and took his third victory against Emma Gilmour in 2010 . 0 +The programming language Squeak is a dialect of Smalltalk , object-oriented , class-based and reflective . The Squeak programming language is a dialect of Smalltalk . It is object-based , class-oriented , and reflective . 0 +Gimnasia y Esgrima ( LP ) stayed 3 -- 2 and won in the Primera División . Gimnasia y Esgrima ( LP ) stayed at 3 -- 2 and won in the Primera División . 1 +This may be caused by the loss of three different genes , each of which has different additional effects , resulting in three types of syndrome . This may be caused by the loss of three different genes , each of which has different effects , resulting in three types of syndrome . 0 +The Talgarth , Wales , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Mid Wales Hospital . The Mid Wales Hospital , originally the Brecon and the Radnor Joint Counties Lunatic Asylum , was a psychiatric clinic in Talgarth , Wales . 0 +He was viceroy of Sicily and of Catalonia . He was a viceroy of Catalonia and of Sicily . 1 +"The ancestors of "" Mansourasaurus "" would have reached Africa from Europe ." "The ancestors of the "" Mansourasaurus "" would have reached Europe from Africa ." 0 +Groups of western lowland gorillas are usually larger than those of the eastern gorillas . Groups of eastern lowland gorillas are usually larger than those of the western gorillas . 0 +The museum building maintains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classical image of the foyer . 0 +The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Missouri from Illinois . The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Illinois to Missouri . 1 +On March 31 , 1958 , Daley , together with Gene Woodling and Dick Williams , was traded at the Baltimore Orioles for Larry Doby and Don Ferrarese . On March 31 , 1958 Daley was traded , along with Larry Doby and Don Ferrarese , to the Baltimore Orioles , for Gene Woodling and Dick Williams . 0 +"Matisic met Anna Wallner there and created the concept "" The Shopping Bags "" ." "While there , Anna Wallner met Matisic and created "" The Shopping Bags "" concept ." 0 +One of his first cousins was Elizabeth , aka Lady Elizabeth Hervey , aka Bess Foster , Duchess of Devonshire . His younger brother married Lord Bishop Foster . One of his first cousins was Elizabeth , alias Lady Elizabeth Hervey , alias Bess Foster , Duchess of Devonshire , his younger brother married Lord Bishop Foster . 1 +Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada . It is located east of Otter Bay . Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada . It is east of Otter Bay . 1 +"Whannell wrote the script for the paranormal thriller film "" Insidious "" , which was staged by Wan in 2011 and produced by Oren Peli ." "Whannell wrote the script for and acted in the 2011 paranormal thriller film , "" Insidious "" , which was directed by Wan and produced by Oren Peli ." 1 +Erko Elblaus and Karl Kallas were soon replaced by Rasmus Rändvee and Gertrud Luhaoja . Soon Erko Elblaus and Karl Kallas were replaced by Rasmus Rändvee and Gertrud Luhaoja respectively . 1 +The film is produced jointly by Vishwa and Girish von V San Visions and the music of Arjun Janya . The film is produced jointly by Vishwa and Girish of V San Visions and the music is scored by Arjun Janya . 1 +To be announced July 2013 . Announced to be created July 2013 . 0 +"Founded in 1906 , the team took the first American "" double "" when it won the 1912 National Association Football League and American Cup titles ." "The team founded in 1906 won the first American "" double "" when it took the National Association Football League and the American Cup title in 1912 ." 0 +During the three days of riots in Monrovia in October 2004 , nearly 400 people were killed and 15 wounded . During three days of riots in Monrovia in October 2004 , nearly 400 people were wounded and 15 killed . 0 +The legend of Hallowdega is a 2010 black comedy Fantasy Mockumentary short film , directed by Terry Gilliam of a script by Aaron Bergeron . The legend of Hallowdega is a 2010 black comedy - Fantasy - Mockumentary - short film , directed by Aaron Bergeron following a screenplay by Terry Gilliam . 0 +The resulting three hour battle between the Ironclads was a draw , but it marked the global transition to Ironclad - warships . The resulting three hour battle between the Ironclads was a draw , but it marked the worldwide transition to ironclad warships . 1 +In 1858 he returned to Cherbourg before he escorted Queen Victoria to Britain in August 1858 . In 1858 he returned to Great Britain before escorting Queen Victoria to Cherbourg in August 1858 . 0 +Neelankarai is located on the East Coast Road ( State Highway 49 ) and is parallel to Thoraipakkam on the OMR ( Old Mahabalipuram Road ) . Neelankarai is located on the East Coast Road ( State Highway 49 ) and runs parallel to Thoraipakkam on OMR ( Old Mahabalipuram Road ) . 1 +In 2000 , Tandy Corporation became officially RadioShack Corporation . In 2000 , the RadioShack Corporation became the Tandy Corporation officially . 0 +The Cleja River is a tributary of the Iminog River in Romania . The River Iminog is a tributary of the River Cleja in Romania . 0 +The nationalists led by volunteers of the RSS and the AGD took the opportunity and captured Piparia . The nationalists , led by volunteers of the RSS and the AGD , took the opportunity and took Piparia . 0 +Roxus supported the international bands Poison and Bon Jovi in 1989 on their respective Australian tours . In 1989 Roxus supported respective Australian bands , Poison and Bon Jovi , on their international tours . 0 +Drietoma is a village and municipality in the Trenčín District in the Trenčín Region of northwestern Slovakia . Drietoma is a village and municipality in the Trenčín region in the district of Trenčín in north-western Slovakia . 1 +These whole cays gave their name to the northwestern bank , known in Spanish as Placer de los Roques . These northwestern cays gave their name to the whole bank , which is known as Placer de los Roques , in the Spanish language . 0 +Suffolk County Cricket Teams were the teams that represented the historic county of Suffolk before the first official formation of Suffolk County Cricket - Club 1864 . Suffolk County Cricket Teams were the teams that represented the first official county of Suffolk in front of the historical formation of Suffolk County Cricket - Club 1864 . 0 +The municipality was also transferred from the Manitoulin District to the Sudbury District at that time . The municipality was also moved from the Sudbury district to the Manitoulin district at that time . 0 +The best girlfriend of Alma Bautista ( Eula Valdez ) is Katrina Alegre ( Jean Garcia ) . The best girlfriend of Alma Bautista ( Jean Garcia ) is Katrina Alegre ( Eula Valdez ) . 0 +If it was right and moral , as I now believe , then it was necessary . If , as I believe , it was necessary , it was right and moral . 0 +When Russ asked him to play guitar in the new band , Aaron agreed to . When Aaron asked him to play guitar in the new band , Russ agreed . 0 +The La République En Marche group is a parliamentary group in the National Assembly including representatives of La République En Marche ! after the 2017 legislative elections . La République En Marche is a political group in the National Assembly , including representatives of La République En Marche , after the 2017 parliamentary elections . 1 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy written by Wong Jing , produced and managed by . Men Suddenly in Love is a 2011 Hong Kong romantic comedy film produced by , written by and directed by Wong Jing . 1 +Membership of this group provides a still impressive but incomplete picture of the breadth of the actors that influence global environmental policies . Membership of this group provides a still incomplete but impressive picture of the breadth of the actors that influence global environmental policy . 0 +He was survived by his daughter Caroline and granddaughter Nicola . He survived by his daughter Nicola and granddaughter Caroline . 0 +Harmsworth married Annie Louisa , daughter of Thomas Scott , in 1892 . In 1892 , Harmsworth married Annie Louisa , daughter of Thomas Scott , 1892 . 1 +The river Halmer is a tributary of the Hârtibaciu River in Romania . The Hârtibaciu River is a tributary of the Halmer in Romania . 0 +Vladimír Železný ( born 3 March 1945 in Samara , Czech Republic ) is a media businessman and politician in the Soviet Union . Vladimír Železný ( born March 3 , 1945 in Samara , Soviet Union ) is a media businessman and politician in the Czech Republic . 0 +Renato Sobral was supposed to face Mike Kyle , but was replaced by Rafael Cavalcante after an injury . Renato Sobral was scheduled to face Rafael Cavalcante , but after suffering an injury , was replaced by Mike Kyle . 0 +Although it was never played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been used . Although it has never been used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events were played . 0 +Born in 1967 in Madrid , Spain , grown up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) home . Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual house ( English , Spanish and Swedish ) . 0 +""" Johnny 's Theme "" began as "" Toot Sweet "" , a pop - instrumental , composed by Paul Anka in 1959 and recorded by Tutti Trumpets ." """ Johnny 's Theme "" began life as "" Toot Sweet "" , a pop instrumental composed in 1959 by Paul Anka and recorded by Tutti 's Trumpets ." 1 +For 1934 , the body was redesigned again and denoted as 452D , and as 452E in 1935 . For 1934 the body was redesigned and marked as 452D and in 1935 as 452E . 1 +North Tripura district is in the Lok Sabha constituency of Tripura East , which is shared with Dhalai and South Tripura districts . North Tripura District is shared in the Lok Sabha constituency of Tripura East , which is shared with Dhalai and South Tripura districts . 1 +The syndicate sold the land and next year informed the parcels of it . The syndicate subdivided the land , and sold parcels of it the next year . 0 +49.9 % were male and 50.1 % were female . 49.9 % were male and 50.1 % female . 1 +Women 's sports , which are not sponsored by the Southeastern Conference , practised by SEC schools : Women 's varsity sports not played by the SEC which are sponsored by Southeastern Conference schools : 0 +Peter Evatt became an Olympic rower , who was 1953 national sculling champion and represented Australia in rowing at the 1956 Olympic Games in Melbourne . Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the 1956 Olympic Games in Melbourne . 0 +Where the sum extends over all paths , Formula 40 with the property that Formula 39 and Formula 41 . The analogue expression in quantum mechanics is the path integral . Where the sum extends over all paths , Formula 39 with the property , the Formula 40 and Formula 41 , the analog expression in quantum mechanics is the path integral . 0 +"The series is based on the book series "" The Mortal Instruments "" by Cassandra Clare , and developed for television by Ed Decter ." "The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed for television by Ed Decter ." 1 +The study of quantification in natural languages is much more difficult than the corresponding problem in formal languages . The study of quantification in natural languages is much more difficult than the corresponding problem for formal languages . 1 +Together , the rebels attempted to cross the eastern bank of the Rawda Island and enter Yalbugha 's camp , but were rejected by Naphtha - artillery and arrows . Together , the rebels attempted to enter the east bank of the Rawda Island and cross Yalbugha 's camp , but they were repelled by naphtha artillery and arrows . 0 +"In "" Home Alone "" , Kate McCallister traveled through Paris from Chicago on her way to Dallas/Fort Worth ." "In "" Home Alone "" Kate McCallister traveled from Chicago on her way to Dallas / Fort Worth through Paris ." 1 +In the series , Chris Brown 's character dates a character played in the fourth season of the popular music star Willa Holland . In the series , Chris Brown 's character dates a character played by the popular music star Willa Holland in the fourth season of the show . 1 +He left Loughrea , County Galway , after being dedicated to the Diocese of Clonfert in 1895 , and was appointed as a Roman Catholic priest between 1896 and 1904 after Maynooth . He left Maynooth after the consecration to the Diocese of Clonfert in 1895 and was appointed between 1896 and 1904 as a Roman Catholic priest to Loughrea , County Galway . 0 +Dassel Township is a municipality in Meeker County , Minnesota , United States . Dassel Township is a township in Meeker County , Minnesota , United States . 0 +"Psittacosaurids were basal to almost all known ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae ." "Psittacosaurides were basal to almost all known Ceratopsians except "" Yinlong "" and perhaps the Chaoyangsauridae ." 1 +There is only a loser and that 's the person who gets most of the points . There is only one loser and that 's the person who gets the most points . 1 +Robert Holland ( 1569 -- 1633 ) , the son of Hugh Holland , was born in Denbigh in the north of Wales . Hugh Holland ( 1569 - 1633 ) , the son of Robert Holland , was born in Denbigh in the north of Wales . 0 +Malmö FF is a Swedish football club and former sports club in Malmö . Malmö FF is a former football club and a swedish sports club in Malmö . 0 +After cutting bamboo it still changes size and shape , so it must rest for to 3 years after harvesting it before it can be used . After harvesting bamboo , it still changes in size and shape , so that after cutting it must rest for up to 3 years before it can be used . 0 +It was created in 2003 from parts of Mississauga and Mississauga West -- Brampton West ridings . It was established in 2003 from parts of Brampton West -- Mississauga and Mississauga West Ridings . 0 +Mitch Clarke opposed Iaquinta on 24 May 2014 at UFC 173 . Iaquinta confronted Mitch Clarke at UFC 173 on 24 May 2014 . 0 +He wrote the script in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . In collaboration with Cyril Rambour , Laurie Aubanel and Bianca Olsen , he wrote the script . 1 +Twenty-one churches are currently in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . Twenty-one churches are currently in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia ) . 1 +Box Hill Senior Secondary College has no feeders - schools , new students are selected from all over Melbourne , but only welcomed after the interview . Box Hill Senior Secondary College has no feeders - schools , new students are welcomed from all over Melbourne , but are only selected after the interview . 0 +"The "" Standard "" was the leading newspaper in Montana , financed by Marcus Daly , and built by campaign editor John Hurst Durston ." "The "" Standard "" was the leading newspaper in Montana , financed by Marcus Daly , and built by campaigning editor John Hurst Durston ." 1 +For season 2011 -- 12 Cowdenbeath were managed by Colin Cameron , following the resignation of Jimmy Nicholl at the end of the previous season . For the 2011 season -- 12 Cowdenbeath were managed by Jimmy Nicholl , following the resignation of Colin Cameron at the end of the last season . 0 +Younger brother of Hasse Walli was Petri Walli of Kingston Wall . Petri Walli 's younger brother was Hasse Walli of Kingston Wall . 0 +In Java , unless the outer class is declared static , a reference to an instance of an inner class carries a reference to the inner class with it . In Java , a reference to an instance of an inner class contains a reference to the inner class , unless the outer class is declared as static . 1 +Hugues Merle died in Paris in 1881 , his son Georges Merle became a painter as well . Georges Merle died in Paris in 1881 , and his son Hugues Merle also became painter . 0 +"In his letter to Christofias Menendez stated : "" You can not ignore human rights violations by Turkey in your country and then claim such injuries in Cuba ." "In his letter to Christofias , Menendez stated "" you can not ignore human rights violations by Turkey in your country and then claim such violations in Cuba ." 1 +The three patrol districts Center City serves are the 6th , 9th and 17th districts . The three patrol districts serving Center City are the 6th , 9th , and 17th districts . 1 +The oldest are the canals : the Bridgewater Canal , Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . The oldest of these are the canals : the Bridgewater Canal , the Trent and Mersey Canal , the Weaver Navigation and the Manchester Ship Canal . 1 +He has also served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( later WJPC ) radio station in Chicago . He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( also WJPC ) in Chicago . 0 +After calling Tinkerer , who makes him an updated version of his clash suit , Clayton Mendel Stromm calls . After calling Tinkerer who makes him an updated version of his Clash suit , Clayton calls up Mendel Stromm . 1 +He lost against Joey DeJohn , but Vinnie Rossano stopped in five rounds . He lost to Joey DeJohn but stopped Vinnie Rossano in five rounds . 1 +Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an American American competitor in the synchronized swimming and Olympic championship . Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an American competitor in synchronized swimming and Olympic champion . 1 +Wyloo Station , previously referred to as Wyloo and often known as Peake , is a pastoral lease that operates as a sheep station and cattle station . Wyloo Station , often referred to as Wyloo and previously known as Peake , is a pastoral lease that works as a sheep and cattle station . 0 +For this project , Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included . The authors for the project included Jake Chapman , Billy Childish , Tracey Emin , Angus Fairhurst , Billy Childish and Joshua Compston . 1 +Butler died on 16 January 1909 in Oxford and was buried at Holywell Cemetery in Torquay . Butler died at Oxford on 16th January , 1909 , and was buried in Holywell cemetery , Torquay . 1 +Hidalgo , born in Badajoz , performed for Seville and Celta de Vigo . Born in Badajoz , Hidalgo played for Seville and Celta de Vigo . 1 +Governor Flanagin took the state archives and first moved to Arkadelphia and then to Washington at Hempstead County , where he set up a new capital . Governor Flanagin took the state archives and moved first to Arkadelphia , and then on to Washington in Hempstead County where he set up a new capitol . 1 +"Such a high "" Q "" resonator stores energy with very low loss and narrow bandwidth ." "Such a very narrow "" Q "" resonator stores energy with a very high loss and a low bandwidth ." 0 +Sawyer 's authorized biography was published by Huston Smith in 2014 . In 2014 , Huston Smith was published an authorized biography of Sawyer . 0 +"In hieroglyphic Arabic , the Egyptian script "" is called the alphabet of birds "" ." "In Egyptian Arabic , hieroglyphic writing is called "" the alphabet of the birds "" ." 0 +In 2012 the championships were held in Italy , in Pouch , Germany in 2013 and in Dunakeszi , Hungary ( Luserna ) in 2014 . The championships were held in 2012 in Dunakeszi , Hungary , in Pouch , Germany , in 2013 , and in Luserna , Italy in 2014 . 0 +Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat during winter . Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat in the winter . 1 +The 1883 American Association finished in fourth place in the New York Metropolitan with a 54-42 record . The 1883 New York Metropolitans finished with a 54 -- 42 record , fourth place in the American Association . 0 +Hugues Merle died in Paris in 1881 , his son Georges Merle became a painter as well . Hugues Merle died in 1881 in Paris . His son Georges Merle also became a painter . 1 +Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) as child . As a child Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) . 0 +About 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then in a studio in Ridgefield . Around 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in Ridgefield and then in a studio in St. Ann Street . 0 +His son Henry Wheeler Shaw ( 1818 -- 1885 ) , under the pseudonym Josh Billings , became a well-known humorist . His son Josh Billings ( 1818 -- 1885 ) became a well-known humorist under the pen name Henry Wheeler Shaw . 0 +He was elected President of the Assam Football Association and the Assam Sports Council for several terms , and he was also Vice-President of the Assam Cricket Association . He was elected President of the Assam Football Association and the Assam Cricket Association for several terms . He was also Vice-President of the Assam Sports Council . 0 +In computer science , a graph-structured stack is a directed Azyclian graph , where each directed path represents a stack . In computer science , a graph-structured stack represents a directed acyclic graph where each directed path is a stack . 0 +Schools that were closed when Harlem Consolidated was formed include the Lovejoy School ( District No . 49 ) in Harlem Township . Schools which were formed when Harlem Consolidated was closed include Lovejoy School ( District No . 49 ) in Harlem Township . 0 +Erin Kaplan and Roxy Olin were replaced by Lyon , Lyon and Senn , starting in the first half of the second season . Lucas , Lyon , and Senn were replaced by Erin Kaplan and Roxy Olin beginning in the first half of the second season . 0 +Sean Kandel is Trifacta 's Chief Technical Officer and Co-founder , along with Joseph M. Hellerstein and Jeffrey Heer . Sean Kandel , along with Joseph M. Hellerstein and Jeffrey Heer , is the Chief Technical Officer and co-founder of Trifacta . 1 +Danny Olsen ( born June 11 , 1985 ) is a Danish football professional . He is the twin brother of Kenni Olsen , the current assistant to Herlev IF . Kenni Olsen ( born 11 June 1985 ) is a Danish professional footballer . He is the twin brother of the current Herlev IF assistant coach , Danny Olsen . 0 +It has been introduced and naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . It has been introduced to and been naturalized in many places such as China , India , Bangladesh , Australia , South Africa and Hawaii . 1 +In 1938 Japan , under pressure from Germany , ended its support for China and Falkenhausen was forced to withdraw from China . In 1938 , under pressure from Germany , Japan ended its support for China , and Falkenhausen had to withdraw from China . 1 +"A mechanical nightingale is used in "" and "" to replace a real nightingale for a princess ." "A real nightingale is used in "" and "" to replace a mechanical nightingale for a princess ." 0 +"It is operated by a society called "" Nadar Mahajana Sangam "" Tamil Nadu Government Aided Institution ." "It is Tamil Nadu Government Aided Institution run by a society called "" Nadar Mahajana Sangam "" ." 1 +Dorothy Britton was married to Bouchier , who had translated a number of Japanese books into English . Dorothy Britton was married to Bouchier , who translated a number of Japanese books into English . 1 +The Youth of the Devil ( Italian : La giovinezza del diavolo ) is a 1921 Italian silent film directed by Roberto Roberti and starring Francesca Bertini . The youth of the devil ( Italian : La giovinezza del diavolo ) is an Italian silent film directed by Francesca Bertini and Roberto Roberti in 1921 . 0 +This practice has its roots in the traditions concerning the black caps of the Danish students . This practice has its roots in the traditions of the Danish students ' black caps . 1 +Garzelli was very good without being a permanent attacker and could go on a great day with the best climbers . Without being a constant attacker , Garzelli was very good and on a great day , he could go with the best climbers . 1 +The third and final series started in May 2011 . Marek Larwood and a returning Javone Prince were released in the new series . The third and final series started in May 2011 . In the new series Javone Prince and a recurring Marek Larwood appeared . 0 +There are two elementary schools , three middle schools , and 11 high schools in the Alamogordo Public School District . There are two high schools , three secondary schools and 11 elementary schools in the Alamogordo public school district . 0 +In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl within Texas , moved from Abilene to Arlington . 1 +The chapel was also consecrated to Saint John the Baptist and James , Blessed Christina , all the protectors of the House of Visconti . The Chapel was also dedicated to the Saints John the Baptist and James , Blessed Christina , all protectors of the House of Visconti . 1 +The large surface of black is shaded with blue first and then with green . The large area of black is first shaded with blue and then with green . 1 +The borough has a land border with Elizabeth and Shooters Island , on uninhabited Bayonne , New Jersey . The community has a land border with Elizabeth and Bayonne , New Jersey , on uninhabited Shooters Island . 0 +"Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed to commemorate the first Theakson pub , where the first Theakston beers were brewed and sold ." "Black Bull Bitter ( "" 3.9 % ABV "" ) was brewed and sold to commemorate the Theakson 's first pub where the first Theakston 's beers were brewed ." 0 +This dish has become one of the most symbolic dishes of Indian cuisine , next to the Indian curry . This dish has become one of the most symbolic dishes of the Indian cuisine , next to Indian curry . 1 +"Amidon 's first album , "" Bright Sunny South "" , produced by Bartlett and Jerry Boys , was released 14 May 2013 , his fourth on Nonesuch Records ." "Amidon 's first album "" Bright Sunny South "" , produced by Bartlett and Jerry Boys , was released on May 14 , 2013 , his fourth on Nonesuch Records ." 1 +Mornington Cemetery is a cemetery serving the Mornington Peninsula of Melbourne . Mornington Cemetery is a cemetery serving the Melbourne area of the Mornington Peninsula . 0 +In 1958 , the company got a production structure in Frederikssund and later in Houston , USA . In 1958 , the company got a production structure in Houston , USA , and later in Frederikssund . 0 +Martina Navratilova defeated Margaret Court 6 -- 3 , 3 -- 6 , 6 - 3 . Martina Navratilova defeated Margaret Court 6 -- 3 , 3 -- 6 , 6 -- 3 . 1 +They appeared at the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery , Chicago . They appeared in the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , at the Beachland Ballroom in Cleveland . 0 +Additional land was transferred from Malden ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) to Medford . Additional land was transferred by Medford ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) to Malden again . 0 +It runs from east to west for , serving 7 counties : Claiborne , Copiah , Hinds , Rankin , Clarke , Jasper , and Smith . It runs from east to west for 7 counties : Claiborne , Copiah , Hinds , Rankin , Smith , Jasper and Clarke . 1 +A great battle took place on the Dagorlad in which Sauron 's forces were destroyed and the Black Gate was stormed . On the Dagorlad , a great battle took place in which Sauron ’ s forces were destroyed and the Black Gate stormed . 1 +The mountain was named after the French navy officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 - 1835 ) , by Jules de Blosseville . The mountain was named by Marie Henri Daniel Gauthier , after French naval officer Jules de Blosseville , comte de Rigny ( 1782 -- 1835 ) . 0 +His religion was influenced directly by the political balance of international powers . His religion was influenced directly from the international balance of political powers . 0 +2006 : Paul Britton was appointed Chief Executive following the death of David Neale in December 2005 . Following the death of Paul Britton in December 2005 , David Neale was named Chief Executive . 0 +On February 11 , 1924 , Governor Richards appointed Friend Richardson as an Associate Justice of the California Supreme Court to fill the vacant seat of Frank H. Kerrigan . On February 11 , 1924 , Governor Friend Richardson Richards appointed Associate Justice of the California Supreme Court to fill Frank H. Kerrigan 's vacant seat . 0 +A number of embassies , including those of the United States , Canada , Great Britain , and Russia , are found in the district . A number of messages , including those of the United States , Great Britain , Canada and Russia , are found in the district . 0 +She worked on solvent extraction processes in metal complexes and described the chemical and physical properties of chemical species in an organic solvent . She worked on processes of chemical extraction of metal complexes and described the chemical and physical properties of solvent species in an organic solvent . 0 +He considers C. S. Lewis a negative influence and has accused Lewis of showing religious propaganda , misogyny , racism and emotional sadism in his books . He considers C. S. Lewis a negative influence and has accused Lewis of featuring religious propaganda , misogyny , racism , and emotional sadism in his books . 1 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno of 1709 for Caldara . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Apostolo Zeno for Caldara . 1 +It was built and widened in 1974 , with gravel roads dredged on each side of the canal . It was dredged and widened in 1974 , built with gravel roads on each side of the channel . 0 +On April 25 , 2016 , Jamar Howard was traded to the Portland Steel for Robinson . On 25 April 2016 , Robinson was traded for Jamar Howard to Portland Steel . 0 +Cardiff Castle was initially held by Philip Herbert , a moderate Parliamentarian , and the castle was then owned by a pro-Royalist garrison . Cardiff Castle was then owned by Philip Herbert , a moderate parliamentarian , and the castle was originally held by a pro-royalist garrison . 0 +Among her admirers were Jacinto Benavente and the brothers Antonio and Manuel Machado . Among the admirers were Manuel Machado and the brothers Antonio and Jacinto Benavente . 0 +Barako from Batangas was shipped to San Francisco from Manila . Barako from San Francisco was shipped to Batangas from Manila . 0 +However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 while leaving Kunda with his position of Justice Minister . Mumba Malila , however , removed Kunda from the position of Prosecutor General and appointed Mwanawasa in 2006 , while Kunda left his position with the Minister of Justice . 0 +Abraham Salomon Gluck was equally murdered , probably most of the 878 men in convoy 73 on or around May 20 , 1944 . Abraham Salomon Gluck was alike murdered , probably most of the 878 men in convoy 73 , on or around 20 May , 1944 . 1 +This generally involves supervised introduction of tasks , from the lowest priority and least stressful , to the highest priority and most stressful . This generally involves monitoring the introduction of tasks , from the lowest priority and most stressful , to the highest priority and the least stressful . 0 +Adults are metallic green above and white below with green flanks . Adults are above white green and down green with metallic flanks . 0 +Arie Luyendyk kept the lead at the start , but Tony Stewart ranked second in Turn 3 with Robby Gordon . Arie Luyendyk kept the lead at the start , but Tony Stewart conceded second place with Robby Gordon in Turn 3 . 1 +""" Always and Forever "" , written by Alan Durant and illustrated by Debi Gliori , was shortlisted for the Kate Greenaway Medal in 2003 ." """ Always and Forever "" , written by Debi Gliori and illustrated by Alan Durant , was nominated in 2003 for the Kate Greenaway Medal ." 0 +Stevens became a Republican when the party was founded , and was a Delegate to the Republican National Conventions in 1860 and 1868 . Stevens was a Republican when the party was formed , and became a delegate to the Republican National Conventions in 1860 and 1868 . 0 +It is located on the southern shore and forms the western end of Melville Water . It is located on the west shore and forms the southern end of Melville Water . 0 +I tried to buy it when George Romney ( later Governor of Michigan ) and Roy Abernethy were leading AMC . I tried to buy it when George Romney ( later Michigan governor ) and Roy Abernethy were running AMC . 1 +Many Roswell residents work in the nearby Atlanta . Many Roswell residents work in nearby Atlanta . 1 +More special buildings had important names and their signs were larger and more decorative . More special buildings had important names and their signs were larger and decorative . 1 +The reduced speed limit is generally , posted as low as within the two cities . The reduced speed limit is generally as low as within the two cities . 1 +This was resolved with the Ostrów Agreement -- Vytautas became the Grand Duke of Lithuania while Jogaila retained rights of an overlord . This was resolved by the Ostrów agreement -- Jogaila became Grand Duke of Lithuania , while Vytautas retained the rights of an overlord . 0 +Radu Albot won the title by defeating Jason Kubler in the finals with 6 -- 4 , 6 -- 1 . Jason Kubler won the title by defeating Radu Albot in the final with 6 : 4 , 6 : 1 . 0 +The average gross content of a Croatian worker was 5,895 HRK per month in January 2017 , and the average net content was 7,911 HRK per month . The average net content of a Croatian worker was 5,895 HRK per month in January 2017 , while the average gross salary was 7,911 HRK per month . 0 +Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Sri Lankan ( Ceylonese ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . 1 +"Ben Peterson of AllMusic gave the album 4 stars out of 5 , calling it "" consistently imaginative and never predictable . """ "Ben Peterson of AllMusic gave the album 4 out of 5 stars and described it as "" never imaginative and consistently predictable "" ." 0 +When Arnold arrived in the scene , Samuel Herrick had already been sent with commands to secure boats to Skenesboro and Asa Douglas to Panton . When Arnold arrived on the scene , Samuel Herrick had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . 1 +Jequié is rich on Iron Ore , so it is very cold during the day , and hot at night . Jequié is rich in iron ore so that it is very hot during the day and cold at night . 0 +Their daughter Lady Montagu Corry married Henry Lowry-Corry and was the mother of Harriet Anne , 1st Baron Rowton . Her daughter Lady Montagu Corry married Henry Lowry-Corry and was the mother of Harriet Anne , 1st Baron Rowton . 1 +This view is usual in northern India and parts of southern India . This view is used in southern India and parts of northern India . 0 +"In addition , the song "" Calling All Angels "" by Jane Siberry is played in the film and is included on the soundtrack ." "In addition , the song "" Calling All Angels "" is included in the movie by Jane Siberry and is played on the soundtrack ." 0 +It was MacPaint and followed a competitor to SuperPaint by Silicon Beach Software . It was MacPaint and followed a competitor to Silicon Beach Software 's SuperPaint . 1 +Other visitors of the colony were the writer Alfred Kreymborg and the sculptor Adolf Wolff . Other frequenters of the colony were the writer Adolf Wolff and the sculptor Alfred Kreymborg . 0 +This was the first full season in MLS for the Philadelphia and the 4th year under manager John Hackworth . This was the first full season in MLS for the Philadelphia and the fourth year under manager John Hackworth . 1 +He died in Chatsworth on December 27 , 1966 , and was buried at Oakwood Memorial Park Cemetery in Woodland Hills . He died on 27 December 1966 in Chatsworth and was buried at the Oakwood Memorial Park cemetery in Woodland Hills . 1 +His representative grandchildren , Hannah and Matt Smith , have played for Scotland a great rugby . His great grandchildren , Hannah and Matt Smith have played representative rugby for Scotland . 0 +Born in Békésszentandrás ( Hungary ) , Hadady studied music at the Franz Liszt Academy of Music of Budapest . Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Academy of Music in Budapest . 1 +is a suburb of Raumanga in the Northland region in New Zealand . The main campus of Northland Polytechnic is in Whangarei . Raumanga is a suburb of Whangarei in the Northland Region of New Zealand . The main campus of Northland Polytechnic is situated in Raumanga . 0 +Malone attended Frisco City High School where he played tight end and defensive end . Malone attended the Frisco City High School , where he played a tight end and a defensive end . 1 +"Duff Twysden was played by Fiona Fullerton in the miniseries "" Hemingway "" in 1988 with Stacy Keach ." "In the 1988 miniseries "" Hemingway "" , starring Stacy Keach , Duff Twysden was played by Fiona Fullerton ." 1 +On July 31 , Molina was traded with B. J. Surhoff for Trenidad Hubbard , Fernando Lunar , and Luis Rivera on the Braves . On July 31 , Molina was traded with B. J. Surhoff to the Braves for Trenidad Hubbard , Fernando Lunar and Luis Rivera . 1 +Daryle Lamonica ran for three touchdowns , while Roger Hagberg and Hewritt Dixon threw one touchdown for each . Daryle Lamonica threw for three touchdowns , while Roger Hagberg and Hewritt Dixon ran for one touchdown each . 0 +Additional land was transferred from Malden ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) to Medford . Additional land was transferred to Medford from Malden ( 1817 ) , Everett ( 1875 ) , and Malden ( 1877 ) again . 1 +This is also a shearing effect : when the focal length is larger , the shear effect is smaller . This is also a shearing effect : when the focal length is larger , the shearing effect is smaller . 1 +The bell tower was started in the 13th or 14th century and completed in 1500 . The bell tower was completed in the 13th or 14th century and started in about 1500 . 0 +Patalpur is a village in the Bhopal region of Madhya Pradesh , India . It is located in Berasia tehsil , near Keetai Dewapura and Patalpani . Patalpur is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil , near Keetai Dewapura and Patalpani . 0 +Lottia emydia is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . Lottia emydia is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 0 +He played for the Kansas City Royals for ten games during the 1991 Kansas City Royals season and four games during the 1992 Chicago Cubs season . He played for the Chicago Cubs for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Kansas City Royals . 0 +Quarterback Jameis Winston and Defensive Back P. J. Williams were named the most valuable players of the game for their performances in the game . For their performances in the game , quarterback P. J. Williams and defensive back Jameis Winston were named the game 's most valuable players . 0 +Isaeus , Aeschines , Lysias , Plutarch , and others had their own preferences . Lysias , Aeschines , Isaeus , Plutarch and others also had their own preferences . 1 +"Jerry won Best Actor at the Los Angeles Method Fest Film Festival for his role as DeWees in "" Mud Season "" ." "For his role as DeWees in "" Mud Season "" Jerry Jerry won Best Actor at the Los Angeles Method Festival Film Festival ." 1 +The second male pleopod has the appendix masculina about so lean , but slightly longer than the appendix interna , it ends in a number of strong Setae . The second male pleopod has the appendix masculina about as strong , but slightly longer than the appendix interna ; it ends in a number of slender setae . 0 +There were 12 male and 31 female athletes representing the country at the summer - Paralympics 2000 . There were 12 female and 31 male athletes representing the country at the summer - Paralympics 2000 . 0 +""" Rockingham "" reached Bombay on 23 May and arrived on September 21 in Whampoa ." """ Rockingham "" reached Whampoa on 23 May and arrived on September 21 in Bombay ." 0 +These are to know the external world and physical qualities These are intended to know the physical world and external qualities . 0 +In 1854 , the Kansas Territory was established , then in 1861 Wallace County became the 34th U.S. state . In 1868 , Kansas was organized . In 1854 the Kansas territory was founded , in 1861 Kansas became the 34th U.S. state , in 1868 Wallace County was established . 0 +Cooper was born in Long Beach , California , and has lived in Los Angeles , California his whole life . Cooper was born in Long Beach , California , and lived all his life in Los Angeles , California . 1 +Another Soviet Partisan of Georgian origin , David Tatuashvili , described the funeral as follows : David Tatuashvili , another Soviet partisan of Georgian origin , described the funeral as follows : 1 +He graduated from the Military School in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . He graduated from military school in Sofia , and in 1910 from the Military Academy in St. Petersburg , Russia . 0 +Startforth Rural District was a historic district in North Riding in the rural county of Yorkshire in the Pennines of Northern England . Startforth Rural District was a rural district in the North Riding of the historic county of Yorkshire in the Pennines north of England . 0 +He is trained by Daniel Jacobs and shares a gym with former world champion Andre Rozier . He is trained by Daniel Jacobs and shares a gym with the former World Champion Andre Rozier . 1 +It was named after Bennington , Vermont the former home of first settlers . It was named after Bennington , Vermont , a former home of the first settlers . 1 +"On 4 May 1898 , "" Florida "" was appointed and awarded to Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." "On 4 May 1898 , "" Florida "" was awarded and ordered to Crescent Shipyard , Elizabethport , New Jersey , on October 11 , 1898 ." 0 +This is the first Champion story told in the only person by Albert Campion . This is the only story of Albert Campion that is told by Campion in the first person . 0 +Callery is located in the northwestern corner of Adams Township in the southwestern part of Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the southwestern corner of the Adams Township in northwest Butler County , at ( 40.739587 , -80.037211 ) . 0 +The ninth Baronet was Lord Lieutenant of Denbighshire , and the tenth Baronet served as Lord Lieutenant of Denbighshire and of Clwyd . The ninth Baronet was Lord Lieutenant of Denbighshire , and the tenth Baronet served as Lord Lieutenant of Denbighshire and Clwyd . 1 +Promegestone is only weakly bound to albumin , it does not bind to gender-binding globulin and binds mainly to Transcortin . Promegestone is mainly bound to albumin , it does not bind to gender-hormone-binding globulin and only weakly binds to Transcortin . 0 +Like other regression methods , the goal is to estimate a response ( dependent variable ) based on one or more predictors ( independent variables ) . As with other regression methods , the goal is to estimate a response ( independent variable ) based on one or more predictors ( dependent variables ) . 0 +Dunham Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . On December 28 , 1850 , the name of Dunham Township changed from Byron Township to avoid confusion with Byron Township and honor a resident of Solomon J. Dunham . 1 +The E30 M3 was initially released with the ; S14B23 . Versions equipped with a catalytic converter produced and 230 Nm . The E30 M3 was initially delivered with the ; S14B23 versions with a catalytic converter and 230 Nm produced . 1 +Although developed in Europe , it is used mainly in Singapore commercially . Although developed in Singapore , it is commercially used mainly in Europe . 0 +In codice 4 is the second file codice 8 and in codice 5 the second file is codice 10 . In codice _ 4 the second file is codice _ 8 and in codice _ 5 the second file is codice _ 10 . 1 +Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , in 1871 , and was a cousin of Fabian - socialist and author Mary Macaulay . In 1871 , Booth married Mary Macaulay , the niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and writer Beatrice Webb . 0 +"The mushroom is toxic , but not recommended due to possible confusion with edible "" Amanita "" species ." "The fungus is toxic , but due to possible confusion with edible "" Amanita "" species is not recommended ." 1 +Players use the GameSpy Arcade - Client to create or join the game 's main lobby , and then access virtual rooms where they can participate in online game play . Players use the GameSpy Arcade client to access the game 's main lobby and then create or join virtual rooms where they can participate in online play . 0 +Homage to Borsalino are the Chapeau Lamp ( 2014 ) by Philippe Starck for Flos and the sculpture The Hatband ( 2016 ) by Moritz Waldemeyer . The Chapeau Lamp ( 2014 ) designed by Philippe Starck for Flos and the sculpture The Hatband ( 2016 ) by Moritz Waldemeyer are both tributes to Borsalino . 1 +That night , a mass ceremony was held , and prayers were kept until dawn . A mass ceremony was held that night , and prayers were prayed until dawn . 0 +"It is a village in the Berasia district of Madhya Pradesh , India It is located in Bhopal "" tehsil "" ." "Khukaria is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal "" tehsil "" ." 1 +Brent Rademaker also played a bass in Beachwood Sparks with former and Tyde member Christopher Gunst . Brent Rademaker also played bass in Beachwood Sparks with former Further and Tyde member Christopher Gunst . 1 +The Aube has 365 historical monuments , 144 of which are registered and 221 are classified . The Aube has 365 historical monuments of which 144 are classified , and 221 are enrolled . 0 +Holsman awarded the Parkway Garden Homes a European design , inspired by modernist housing projects of the 1920s and 1930s . Holsman gave the Parkway Garden Homes a Modernist design inspired by European housing projects of the 1920s and 1930s . 0 +These algorithmically equivalent sequences can be defined in three random manners . These algorithmically equivalent sequences can be defined in three random ways . 1 +She was Jewish and was Catholic . She was Catholic and he was Jewish . 0 +Billie Jean King defeated Kerry Melville , 6 - 3 , 7 -- 5 Kerry Melville defeated Billie Jean King , 6 - 3 , 7 - 5 0 +Pill Hill became part of Brookline in 1844 when Boston annexed it . Pill Hill became part of Brookline in 1844 , when it was annexed from Boston . 1 +The problem of checking whether a given polynomial is a permutation polynomial over a polynomial field can be solved in final time . The problem of testing whether a given polynomial over a finite field is a permutation polynomial can be solved in polynomial time . 0 +Ian McDiarmid played Tekla , Jonathan Kent played Adolf , and Suzanne Bertish played Gustaf . Suzanne Bertish played Tekla , Jonathan Kent Adolf and Ian McDiarmid played Gustaf . 0 +"The song was performed on February 8 , 2008 on "" Friday Night with Adele "" and during the show on 18 October 2008 on "" Saturday Night Live "" ." "The song was played on February 8 , 2008 on "" Friday Night with Jools Holland "" and during the show on "" Saturday Night Live "" on October 18 , 2008 ." 0 +The Turks , Tibetans , Muslim Arabs , and Tang competed for control of Central Asia until the tang 's collapse in the 10th century . The Turks , Tibetans , Muslim Arabs and the Tang competed for control over Central Asia until the collapse of the Tang in the 10th century . 1 +The Ostend was cut off in 1963 to Sheridan Boulevard and to Wadsworth Boulevard in 1967 . The east end was cut off to Sheridan Boulevard in 1963 , and to Wadsworth Boulevard in 1967 . 0 +Joseph , however , is mostly satisfied , but unhappy , and unfulfilled at his core . However , Joseph is mostly satisfied , but unhappy and , at his core , unfulfilled . 1 +He has pioneered important developments in wood sculpting , in parallel with those driven by Filippo Parodi in the marble sculpture and Domenico Piola in painting . He pioneered important developments in the style of sculpting in wood , parallel to those driven by Filippo Parodi in marble sculpture and Domenico Piola in painting . 1 +On the southern side of the administration building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . On the northern side of the administration building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . 0 +The four wives of Mundal Ji had Khemi , Toli , Thukri and Santokhi named a son Seuram Ji and a daughter . The four women of Mundal Ji had Khemi , Toli , Thukri and Santokhi a son named Seuram Ji and a daughter . 1 +On May 11 , President McCulloch appointed Davis a brigadier general . On 11 May , President McCulloch Davis appointed brigadier general . 0 +The Wenlock Modern School was opened in 1953 on the site of the famous Olympic Games and later renamed William Brookes School . Wenlock Modern School opened in 1953 on the original site of the famous Olympic Games . It later was renamed William Brookes School . 0 +In 1974 he won the positions of the concertmaster of the Boston Symphony and the Associate Concertmaster of the Boston Pops , where he spent 11 years . In 1974 , he won the positions of Concertmaster of the Boston Pops and Associate Concertmaster of the Boston Symphony , where he spent 11 years . 0 +"Blauburger gives good yields and is particularly resistant to "" Botrytis cinerea "" , but is susceptible to mildew down ." "Blauburger gives good yields and is particularly susceptible to "" Botrytis cinerea "" , but is resistant to mildew ." 0 +In the narrative bracket , between the current and the next season , we found out , that Guido is dead due to a car accident . In the narrative , between the next and the current season , we found out that Guido is dead due to a car accident . 1 +The Youth of the Devil ( Italian : La giovinezza del diavolo ) is a 1921 Italian silent film directed by Francesca Bertini and starring Roberto Roberti . The youth of the devil ( Italian : La giovinezza del diavolo ) is an Italian silent film directed by Francesca Bertini and Roberto Roberti in 1921 . 1 +Pakistan made one change in the team that played the Second Test ; Intikhab Alam replaced Alimuddin . A change in the team that played the second test was made Pakistan : Alimuddin replaced Intikhab Alam . 0 +Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English ancentry . Layla was born in London , the daughter of a Brazilian mother and an Irish and Scottish father of English dominance . 1 +In Turkey , the company built a hotel in Eskisehir and a paper mill in Kazakhstan . The company built a hotel in Eskisehir in Turkey and a paper factory in Kazakhstan . 0 +In its upper reaches in the red hills of the Piedmont , it flows through a deeply incised channel etched into crystalline rocks . In its upper reaches in the red hills of the Piedmont , it flows through a deeply incised canal etched into crystalline rocks . 1 +"Carl Carl Bildt called the magazine "" An ambitious attempt to stimulate the European as well as the global debate on European issues "" ." "Carl Bildt called the journal "" An ambitious attempt to stimulate the European as well as European debate on global issues "" ." 0 +Chauvetia multilirata is a species of sea snail , a true gastropod mollusc in the family Buccinidae , the marine whelks . Chauvetia multilirata is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . 1 +"Avedon interpreted this phenomenon to Rowlands in an interview for the book : "" It 's because Vreeland lasted ." "Vreeland interpreted this phenomenon for Rowlands in an interview to the book : "" It is because Avedon lasted "" ." 0 +New Folden Township was organized in 1884 , and named after Folden , in Norway . In 1884 , Norway was founded and township named after Folden in New Folden . 0 +"Robert took the title of "" demarchus "" , a title which Rollo later also took ." "Rollo took the title of "" Demarchus "" , a title that Robert also took later ." 0 +If formula 142 is a characteristic field of positive local . If Formula 142 is a characteristic field of a positive local one . 1 +On 4 January 2015 , Soane Patita Paini Mafi announced that he would make Tonga 's bishop , Pope Francis , a cardinal on 14 February . On 4 January 2015 , Soane Patita Paini Mafi announced that he would appoint Tonga 's Bishop , Pope Francis , on 14 February as a cardinal . 1 +The best type of silk produced in Astarawas exported to Damascus , Bursa , Kashan and Venice . The best silk produced in Astarawas is exported to Venice , Bursa , Kashan and Damascus . 1 +Al Khubah is a village in Saudi Arabia , in the south-western province of Jizan . Al Khubah is a village in Jizan Province , in south-western Saudi Arabia . 0 +Steubenville is located near two large shale formations-the Marcellus and Utica formations . Utica is located near two large slate formations , the Marcellus and Steubenville formations . 0 +Leudesius and Theuderic III fled with the royal treasure to Baizieux , where Leudesius overtook them and had Ebroin murdered . Leudesius and Theuderic III fled to Baizieux with their royal treasure , where Leudesius overtook them and murdered Ebroin . 1 +Orson Welles saw in Florida Schilling and followed him in New York . Orson Welles was in New York Schilling and followed him to Florida . 0 +The son of Olin M. Jeffords , who served as Chief Justice of the Vermont Supreme Court , James Jeffords was born in Rutland , Vermont . The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born Olin M. Jeffords in Rutland , Vermont . 0 +Mats Wilander defeated Jimmy Arias , 4 -- 6 , 7 -- 5 , 6 - 1 , 6 -- 3 . Jimmy Arias defeated Mats Wilander by 4-6 , 7-5 , 6-1 , 6-3 . 0 +This is due to the reduction of nicotine transmission in a nucleus and increased excitability in the motor neurons caused by an excitatory synaptic activation . This is due to the reduction of nicotinic transmission in a nucleus and increased excitability in motor neurons caused by excitatory synaptic activation . 1 +The northern area contains the Tara Mountains and the southern area consists of open plains along the coast , and the city proper . The southern area contains the Tara mountains and the northern area consists of open plains along the coast and the actual city . 0 +It was published in a limited edition of 4,200 copies as a vinyl - LP and produced on April 21 , 2012 in conjunction with Record Store Day . It was produced as a vinyl LP in a limited edition of 4,200 copies , and released on April 21 , 2012 , in conjunction with Record Store Day . 0 +The following table shows Libya 's ratings , since 1972 , in the Freedom in the World reports , funded annually , by the US government-published Freedom House . "The following table shows Libya 's ratings since 1972 in the "" Freedom in the World "" reports , which are published annually by the US government-funded Freedom House ." 0 +In 2016 , a group of white students at the Wiggins High School put a noose around a black student 's neck . In 2016 a group of white students at Wiggins High School put a noose around the neck of a black student . 1 +Millhouses is a district of Barnsley in the English county of South Yorkshire . Barnsley is a district of Millhouses , located in the English county of South Yorkshire . 0 +Often prepared packs are warm , the heat opens the pores of the skin and helps with the interaction of the clay with the body . Warm packs are often prepared , the heat opens the pores of the skin and helps in the interaction of clay with the body . 0 +He took first place at the Olympic Games in 1984 , but he beat the gold medal winner Jeff Blatnick in the fourth round . He took fourth place at the Olympic Games in 1984 , but he beat the gold medal winner Jeff Blatnick in the first round . 0 +In particular , the medieval iron fence in its ornamental design shows Eastlake influence . In particular , the medieval iron fencework shows Eastlake influence in its ornamental design . 1 +However , Ambassador G. McMurtrie Godley and his successor , William Sullivan , continued to oversee the air attacks in Laos . Ambassador William Sullivan and his successor , G. McMurtrie Godley , however , continued to oversee the air strikes in Laos . 0 +Ann is married to Ann , with Jennifer Aull at the Greenpoint Reformed Church in Brooklyn pastors . Ann is married to Jennifer Aull , who pastors with Ann in the Greenpoint Reformed Church in Brooklyn . 0 +Toronto Maple Leafs founder Harold Ballard , team owner Conn Smythe and wrestler Whipper Billy Watson helped Rumball to raise the $ 7.6 million to open the centre . Harold Ballard , the founder of Toronto Maple Leafs , team owner Conn Smythe , and Wrestler Whipper Billy Watson helped Rumball raise the $ 7.6 million to open the center . 1 +She studied three years of journalism in New York City and holds an MA in mass media from a university in London . She studied journalism in London for three years and has an MA in Mass Media from a university in New York City . 0 +For the 2007 Games Futsal was added to the program for the first ( and as of 2011 only time ) while racquetball and basque pelota were dropped . For the 2007 games , Futsal was added to the Basque programme ( and from 2011 for the first time ) , while Racquetball and only Pelota were dropped . 0 +With Martinez 'permission , Ross fired the shot that Nocona 's life took . With Martinez 's permission , Ross fired the shot that took Nocona 's life . 1 +""" Yesteryear "" is the first episode of the second season of animated American science - fiction - television series ." """ Yesteryear "" is the first episode of the second season of the animated American science fiction television series ." 1 +The following is a table of the nominative case of the singular and plural second person in many languages , including their respectful variants ( if exists ) : The following is a table of the nominative case of the respectful person in many languages , including their singular and plural second variants ( if any ) : 0 +Field Marshal The Marquis was a Japanese field marshal and leading figure in the early Imperial Japanese Army . The Marquis was a leading field marshal and early figure in the Japanese Imperial Japanese Army . 0 +In 1971 , a main campus was completed for the new school in 33 MacDonnell Road . In 1971 , a new campus was completed for primary school in 33 MacDonnell Road . 0 +Every week , Arnie , Usidore , and Chunt interview magical creatures to present new aspects of the world of Foon to the listener . Each week , Chunt , Usidore , and Arnie interview magical creatures to introduce the listener to new aspects of the world of Foon . 1 +Ogier in versions of the Renaissance travels to the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's paramour . In versions of the Renaissance , Ogier travels into the Avalon ruled by King Arthur and eventually becomes Morgan le Fay 's Paramour . 1 +In 2001 , Derick Pumaren averaged 27.6 points in 10 games for the Tanduay Rhum Masters under coach Thomas in the Philippine Basketball Association . In 2001 , Thomas averaged 27.6 points in 10 games for the Tanduay Rhum Masters under trainer Derick Pumaren in the Philippine Basketball Association . 0 +In the same year , Dou Gu sent Ban Chao and Guo Xun along with 36 men to go south . In the same year , Dou Gu Ban Chao and Guo Xun sent to the south with 36 men . 0 +There was Japanese resistance to ongoing invasions , and war crimes can in any case be committed during civil wars . There was ongoing resistance to Japanese invasions and -- in any case -- war crimes may also be committed during civil wars . 0 +Thiago is the father of current players Mazinho by Inter Milan and Rafinha of Bayern Munich . Thiago is the father of current players Mazinho of Inter Milan and Rafinha of Bayern Munich . 1 +The Barmat scandal was later used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism . The Barmat scandal was later often used in the Nazi - propaganda , both as an electoral strategy and as an appeal to anti-Semitism . 0 +Williams turned around and reformed the British invasion of Magnus by attacking the Eric Young and Orlando Jordan team . """ , Williams turned heel and reformed the British Invasion with Magnus by attacking the team of Eric Young and Orlando Jordan ." 1 +Until the 1930s , the American-European settlers used the fire to clear land for settlement and grazing . American-European settlers used fire to clear land for settlement and grazing until the 1930s . 1 +"Johnny Majors , Tennessee - Trainer , described Jones as "" one of the greatest leaders I had ever had "" ." "Tennessee Trainer Jones described Johnny Majors as "" one of the greatest leaders I ever had "" ." 0 +2 . Lights , Camera ... Cut ! -Kid wants to win a contest , so he counts on Big Bang and Horace to help him . 2nd lights , camera ... cut ! -Horace wants to win a contest , so he counts on big bang and child to help him . 0 +Two new , large sports venues opened in 2001 : the Alerus Center and the Ralph Engelstad Arena . In 2001 , two large new sports facilities were opened : the Ralph Engelstad Arena and the Alerus Center . 1 +"In Jin Yong 's "" wuxia "" novel "" The Legend of the Condor Heroes "" , Guo Jing is the ancestor of the protagonist , Guo Sheng ." "In Jin Yong 's "" Wuxia "" novel "" The Legend of Condor - Heroes "" Guo Sheng is the ancestor of the protagonist Guo Jing ." 0 +The main ferry ran to 42nd Street and was for a short time part of the transcontinental Lincoln Highway . The transcontinental ferry ran to 42nd Street and for short time was a component of the main Lincoln Highway . 0 +There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 persons and can be reserved . There are seven picnic areas and several have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . 0 +French players , playing for either the Spanish or the Basque teams , dominate international competitions . The Basque players , either for the Spanish or French teams , dominate international competitions . 0 +Rasmus Seebach has written songs for Nik 'Jay , Burhan G and Lars Ankerstjerne as songwriters . As a songwriter , Lars Ankerstjerne has written songs for Nik & Jay , Burhan G and Rasmus Seebach . 0 +He won third place at the Parapan American Games in Guadalajara , Mexico in 2011 and another third place at the International Tournament of Champions in Charlotte , USA . In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the Champions International Tournament in Charlotte , USA . 1 +"DeMille first appeared in Corey 's novel "" Plum Island "" , in 1997 ." "In 1997 , Corey first appeared in DeMille 's Roman "" Plum Island "" ." 0 +De Doorns is a city in South Africa in the Western Cape province of Cape Winelands District Municipality . De Doorns is a town in Cape Winelands District Municipality in the Western Cape province of South Africa . 0 +Critics of HRW include the former governments it has investigated , NGO Monitor , the media , and its founder ( and national chairman ) , Robert L. Bernstein . Critics of HRW include the national governments that it has examined , NGO monitor , the media and its founder ( and former chairman ) , Robert L. Bernstein . 0 +"He was the son of Shmuel Binyamin Sofer ( "" Moses Sofer "" ) and grandson of Ksav Sofer ( "" Chasam Sofer "" ) ." "He was the son of Shmuel Binyamin Sofer ( "" Ksav Sofer "" ) and grandson of the Moses Sofer ( the "" Chasam Sofer "" ) ." 0 +Oli Müller left the band as bassist in the live performances , and Adi Amstutz supported the band . Oli Müller left the band as a bassist in the live performances , and Adi Amstutz supported the band . 1 +He attacked the Goa territories and forced them back to the Portuguese coast . He attacked the Portuguese territories and forced them back to the Goan coast . 0 +The architectural complex was to be built in the most exclusive upscale Cuban district , the Country Club . The Cuban complex was to be built in the most exclusive upper-class architectural district , the Country Club . 0 +Therefore , the optimal language is additive up to this universal constant . The optimum language up to this additive constant is therefore universal . 0 +Chronometry refers to mechanical devices , while horology relates to electronic devices . Chronometry applies to mechanical devices , while Horology refers to electronic devices . 1 +The national championships in road cycling 2010 began in January in Australia and New Zealand , most of the European championships will take place in June . The 2010 national road cycling championships began in January in Australia and New Zealand . Most of the European national championships take place in June . 1 +The Song of Ceylon is a British documentary , produced by Basil Wright in 1934 , and is led by John Grierson for the Ceylon Tea Propaganda Board . The Song of Ceylon is a 1934 British documentary film directed by Basil Wright and produced by John Grierson for the Ceylon Tea Propaganda Board . 0 +He previously played for North Ferriby United , Notts County , York City , Gainsborough Trinity , Matlock Town , and Sheffield Wednesday . He has played for Sheffield Wednesday , Notts County , York City , Gainsborough Trinity , Matlock Town , and North Ferriby United . 1 +In 1805 , however , he left York to study theology at the Manchester College in Sheffield . He left Sheffield in 1805 to study theology at Manchester College in York . 0 +Boats drawing 70 tons were now 87 ½ feet wide , 10 ½ feet long , and drew 4 ½ feet of water . Boats that drew 70 tons were now 87 ½ feet long , 10 ½ feet wide and attracted 4 ½ feet water . 0 +Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Toronto had 7.9 , Montreal had 11.2 and Sarnia had 12.7 had . Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had 11.2 and Sarnia had 12.7 had . 0 +Regular guests included Canning and Castlereagh , Byron , Sir Walter Scott , Lord John Russell , Sir Robert Peel , Theodore Hook , and Sydney Smith , among others . Among her regular guests were Canning and Castlereagh , John Russell , Sir Walter Scott , Lord Byron , Sir Robert Peel , Theodore Hook and Sydney Smith . 0 +Tata Steel 's major competitors include ArcelorMittal , Essar Steel , Jindal Steel and Power , JSW Steel , SAIL and VISA Steel . Major competitors of Tata Steel include ArcelorMittal , Essar Steel , Jindal Steel and Power , JSW Steel , SAIL and VISA Steel . 1 +In mission-flawless software systems , where critical performance is absolutely necessary , formal methods may be used to ensure the correct operation of a system . In mission-free software systems where critical performance is absolutely necessary , formal methods can be used to ensure the correct operation of a system . 1 +He began his studies at the Main Gimnázium in Budapest in 1946 , and from 1947 to 1951 he visited Madách Gimnázium in Debrecen . He began his studies in 1946 at the Main Reformed Gimnázium in Debrecen , and from 1947 to 1951 , he attended the Madách Gimnázium in Budapest . 0 +Lielplatone community is an administrative unit of the Jelgava district ( prior to the administrative reforms 2009 of the municipality of Jelgava ) , Latvia . Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the district Jelgava 2009 ) , Latvia . 0 +Born in Pennsylvania , Pennypacker moved to New York City a little after the turn of the 20th century before moving to Southampton , New York on Long Island . Pennypacker , born in Pennsylvania , moved to New York just after the turn of the century , before moving to Southampton , New York , on Long Island . 1 +Ferintosh is a village in central Alberta , Canada south of Camrose and southeast of Edmonton . Ferintosh is a village in central Alberta , Canada located about south of Camrose , and southeast of Edmonton . 1 +""" A. frondiculus "" is the only member of the genus which is not found in the western Indian Ocean or the Red Sea ." """ A. frondiculus "" is the only member of the genus that is not present in the western Indian Ocean or the Red Sea ." 1 +In 1848 the Catholic Parish Cooraclare ( Kilmacduane ) was separated from Kilmihil again . In 1848 the Catholic parish of Cooraclare ( Kilmacduane ) was once again separated from Kilmihil . 1 +In this sense , the biquaternions of William Rowan Hamilton ( 1844 ) and the related Split - biquaternions and dual quaternions do not form biquaternion - algebras . In this sense , the biquaternions of William Rowan Hamilton ( 1844 ) and the dual Split - biquaternions and related quaternions do not form biquaternion - algebras . 0 +Otter Bay is a natural bay on the island of Coney Bay in the province of Newfoundland and Labrador , Canada . It is located east of Newfoundland . Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada . It is east of Otter Bay . 0 +Jana Novotná and Jim Pugh were the defending champions but lost in the second round to Zina Garrison and Sherwood Stewart . The title defenders were Jana Novotná and Jim Pugh , but lost in the second round to Zina Garrison and Sherwood Stewart . 1 +Jack Shackelford married Martha Chardevoyne after his wife died in 1842 . Martha Chardevoyne married Jack Shackelford after his wife was died in 1842 . 0 +On 14 May 1890 , Edward Mary married Letitia Stawell ( 1870 - 3 November 1938 ) , daughter of Sir William Stawell KCMG . Edward married Mary Letitia Stawell ( 1870 -- 3 November 1938 ) , daughter of Sir William Stawell KCMG , on 14 May 1890 . Their children included : 0 +The popular French singers Coralie Clément and Benjamin Biolay , as well as footballers hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the city . The popular French singers Grégory Bettiol and Coralie Clément , as well as footballers hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the city . 0 +Most of the existing smaller building societies are the end result of the mergers of many larger societies . Most of the existing larger building societies are the final result of the mergers of many smaller societies . 0 +The network previously run a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY repeated directly . The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which WEDY operates directly . 0 +"Percy Hansen and Bryon Hansen bought the "" Jamestown Alert "" in 1925 from William Kellogg ." "William Kellogg bought the "" Jamestown Alert "" by Percy Hansen and Bryon Hansen in 1925 ." 0 +The group joined in 1991 when the most active members died Quartex . The group arrived in 1991 , when the most active members died Quartex . 1 +For the simple mirror shown on the diagram , typical values of Formula 8 result in a current match of 1 % or better . For the simple mirror shown in the diagram , current values of formula 8 will yield a typical match of 1 % or better . 0 +The 1973 Purdue University football team represented Purdue Boilermakers in the 1973 Big Ten Conference football season . The 1973 Purdue Boilermakers football team represented Purdue University in the football season of the Big Ten Conference in 1973 . 0 +In general , higher temperatures and lower pressures promote the formation of sponge coke . In general , promote lower temperatures and higher pressures the formation of sponge coke . 0 +This film was written by Carlo Ludovico Bragaglia . The Italian version was directed by Sandro Continenza and the English translation was written by Annalena Limentani and Frederica Nutter . The film was written by Carlo Ludovico Bragaglia , the Italian version was written by Sandro Continenza and the English translation by Annalena Limentani and Frederica Nutter . 1 +Principal - Photography took place between July 2016 and October 2016 in small rates with additional pick-up dates in December 2016 and January 2017 . Principal photography took place in small installments between July 2016 and October 2016 with additional pick-up days in December 2016 and January 2017 . 1 +The most common other birth countries were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . Most of the other common birth countries were China 14.7 % , Nepal 7.0 % , India 5.1 % , the Philippines 2.6 % , and Britain 1.9 % . 0 +Calibogue Sound is located between Daufuskie and the Atlantic Ocean , connecting the Hilton Head Islands and the Harbour Town Marina with Intracoastal Waterway . Calibogue Sound is between Daufuskie and Hilton Head Islands . It connects the Intracoastal Waterway and the Harbour Town Marina with the Atlantic Ocean . 0 +Klyne met Barbara Clayton in 1947 , when they were both employed at the Medical Research Council and married in 1949 . Klyne met Barbara Clayton in 1947 while both were employed at the Medical Research Council ; they married in 1949 . 1 +In 1946 , the AAF Technical Service Command Air Materiel Command was reorganized and the Air Technical Service Commands were renamed Air Materiel Areas : In 1946 AAF Technical Service Command was reorganized Air Materiel Command , and the air technical service commands were re-designated as Air Materiel Areas : 0 +3M suggested the name change to Acquire , and Sackson agreed . 3M agreed to change the name in Acquire and Sackson suggested . 0 +Kiss Country plays a mixture of modern and older country music , with the emphasis on current artists more . Kiss Country plays a mix of modern and older country music , with more emphasis on current artists . 1 +Daniel Rinner ( born November 11 , 1990 in Liechtenstein , Germany ) is a cyclist from Vaduz . Daniel Rinner ( born November 11 , 1990 in Vaduz ) is a Liechtenstein cyclist . 0 +Scurria viridula is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . Scurria viridula is a species of sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . 0 +In addition , Merrill was a member of the Ashland , Wisconsin School Board and served as the Ashland County district attorney from 1917 to 1926 . In addition , Merrill was a member of the Ashland , Wisconsin School Board and served as Ashland County District Attorney from 1917 to 1926 . 1 +The Indus cities are known for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are known for their complex planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . 0 +There are professional Barbershop Harmony Society and amateur groups who sing exclusively a cappella . There are Amateur Barbershop Harmony Society and professional groups who sing exclusively a cappella . 0 +The main international airport is Yaoundé Nsimalen International Airport and the second international airport at Douala International Airport . The main international airport is the Yaoundé Nsimalen International Airport and a secondary international airport at Douala International Airport . 1 +It was organized by militia companies from Brattleboro , Burlington , Castleton , Fletcher , Ludlow , Montpelier , Tunbridge , Vergennes and Waterbury . It was organized from militia companies from Brattleboro , Burlington , Castleton , Fletcher , Ludlow , Montpelier , Tunbridge , Vergennes and Waterbury . 1 +Suppose we have an isolated system whose macroscopic state is specified by a number of variables . Suppose we have a macroscopic system whose isolated state is specified by a number of variables . 0 +The reserve contains outstanding flora , interesting lichen and moss communities and a wealth of invertebrates . The reserve contains interesting flora , excellent lichen and moss communities and a wealth of invertebrates . 0 +In general , Ireland , with the exception of most of northern Europe , was under the influence of Protestantism . In general , Northern Europe , with the exception of most of Ireland , came under the influence of Protestantism . 0 +"He was asked his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." "He was asked about his opinions on the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." 1 +Local farmers preferred to market products in Liverpool and avoid the sludge of the lower salina . Local farmers preferred to market products in Salina and avoid the mud of lower Liverpool . 0 +Gangotri - Glaciers ( Sanskrit , Nepali and ) is located in Uttarkashi District , Uttarakhand , India , in a region bordering Tibet . Gangotri Glacier ( Sanskrit , Nepali and ) is located in Uttarkashi District , Uttarakhand , India in a region bordering Tibet . 1 +The songs were recorded in the Pink Studio for free and were released by Radio B92 with the label PGP-RTS . The songs were recorded for free in the Pink Studio and were released by radio B92 with the PGP-RTS label . 1 +Femi 's musical career began when he started playing in the band of his father , Egypt 80 . Femi 's musical career began when he started playing in his father 's band , Egypt 80 . 1 +Following the death of his father , James Holman , he was elected King on 4th March 1827 in the presence of King George . After the death of his father , James Holman , he was elected king in the presence of King George on March 4 , 1827 . 1 +Kissell was born in 1940 by Branch Rickey as an infielder and spent 69 years with the Cardinals organization . Rickey was contracted by Kissell in 1940 as an infielder and spent 69 years with the Cardinals organization . 0 +The river Bota Mare is a tributary of the river Zăbrătău in Romania . The Zăbrătău River is a tributary of the Bota Mare River in Romania . 0 +The problem of testing whether a given polynomial over a polynomial field is a permutation polynomial can be solved in finite time . The problem of checking whether a given polynomial is a permutation polynomial over a finite field can be solved during polynomial time . 0 +Typically , a number of sarons often come in sizes , from largest to smallest . Sarons typically come in a number often sizes , from largest to smallest . 1 +The Interogator read a lot of papers , then came in four months of stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . The Interogator typed a lot of papers and then came in the four-month stress to Abdulla , the Intorgator read the papers and forced Abdulla to write it . 0 +Late Neolithic cultures have a relationship with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady Valley and the late Neolithic developments in southern China . The late neolithic cultures have affinities with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady valley and Late neolithic developments in South China . 1 +He has spent 2012 -- 13 in Israeli Basketball Super League with Bnei Herzliya . He has spent 2012 -- 13 in Bnei Herzliya with Israeli Basketball Super League . 0 +"YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Sr "" unk "" to Todorović and Roze Poze guitarist Ivan Vdović appeared as guests on the EP ." "As guests on the EP appeared YU grupa guitarist Dragi Jelić , Ivan Vdović "" VD "" , Srđan Todorović and Roze Poze guitarist Željko Nikolić ." 0 +The 6th of September Express and the 17th of September Express are fast daily trains to Bandırma , with İDO connections to İstanbul . The Express of September 6 and the Express of September 17 are fast daily trains to Bandırma , with IDO connections to İstanbul . 1 +From 1919 was the Third International Member of the Comintern ( LKP ) . From 1919 the LKP was a member of the Komintern ( Third International ) . 0 +"Although iron in many catalytic applications is generally less active , it is less expensive and "" greener than other metals ." "Although iron in many catalytic applications is generally less expensive , it is less active and "" greener than other metals ." 0 +It can be seen in the Panamint Range and Funeral Mountains next to the Death Valley in Death Valley National Park and the Spring Mountains in Clark County . It can be seen in the Spring Mountains adjoining Death Valley National Park within Clark County ; and in the Panamint Range and Funeral Mountains in Death Valley . 0 +In 1791 , Hamilton returned to Dublin , where he died , and in 1796 he painted the Irish revolutionary Lord Edward Fitzgerald . In 1791 Edward Fitzgerald returned to Dublin , where he died . In 1796 he painted Lord Hamilton , the Irish revolutionary . 0 +Dragon Wars is a fantasy role-playing videogame developed by Rebecca Heineman , published in 1989 by Interplay Productions and distributed by Activision . Dragon Dragon Wars is a fantasy role-playing videogame developed by Rebecca Heineman and published in 1989 by Activision and distributed by Interplay Productions . 0 +"As part of this process , the airline was divided into two parts , informally known as "" old "" Varig and "" new "" Varig ." "As part of this process , the airline was divided into two portions , informally known as "" new "" Varig and "" old "" Varig ." 1 +Former Mangalore Station was located north of Seymour at the crossroads of North East and Shepparton lines . Former station Mangalore was located north of Seymour at the junction of the North East and Shepparton lines . 1 +His ideas have often brought him into trouble , and he acts before he thinks . His ideas have often led him into trouble and he thinks before he acts . 0 +Evelyn L. Hu is Gordon McKay Professor of Applied Physics and Electrical Engineering at Harvard University . Evelyn L. Hu is Gordon McKay 's professor of applied physics and electrical engineering at Harvard University . 1 +This version was released in North America on August 18 , 2016 , and Europe and Australia on January 5 , 2017 . This version was released on August 18 , 2016 in Europe and Australia and on January 5th , 2017 in North America . 0 +Monilea patricia is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . Monilea patricia is a species of sea snails , a marine gastropod mollusk in the Trochidae family , the top screws . 0 +The 35th wing was replaced with the newly activated 85th wing . The 85th Wing was replaced by the newly activated 35th Wing . 0 +The expressway continues for another mile , crosses several buildings in short tunnels before crossing the Alexander Hamilton Bridge via the Harlem River into the Bronx . The expressway continues another mile , crossing under several buildings in short tunnels , before crossing the Alexander Hamilton Bridge via the Harlem River into the Bronx . 1 +This name refers either to the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . This name refers either to the Little Para River ( which starts at the confluence of South Para River and North Para River ) or the Gawler River . 0 +Sauðárkrókur Airport is an airport serving Sauðárkrókur , a town in Skagafjörður in northern Iceland . Skagafjörður is an airport serving Sauðárkrókur , a city in Sauðárkrókur airport in Northern Iceland . 0 +""" Ménage à Troi "" is the 24th episode of the of the American science fiction television series "" , and the 72nd episode of the series overall ." """ Ménage à Troi "" is the 72nd episode of the American Science - Fiction - TV series and the 24th episode of the series overall ." 0 +Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German birth actress . Emilia Schüle ( born November 28 , 1992 in Blagoveshchensk ) is a German actress of Russian descent . 0 +Conservatives argued that elected politicians should be trusted instead . The conservatives argued that instead , elected politicians should be trusted . 1 +Regionally connects MD 30 Reisterstown and Baltimore with Hanover , Pennsylvania . Regionally connects MD 30 Hanover , Pennsylvania with Reisterstown and Baltimore . 0 +Winterfield Township is located in the northwestern corner of Clare County and is bordered to the west by Osceola County and to the north by Missaukee County . Winterfield Township is located in the northwestern corner of Clare County and is bordered to the west by Missaukee County and to the north by Osceola County . 0 +1 was written by Ryan Sohmer , drawn by Lar deSouza and colored by Marc Brunet . 1 was written by Ryan Sohmer , drawn by Lar deSouza , and coloured by Marc Brunet . 1 +Lake Arrowhead is an artificial lake located in the San Bernardino Mountains on Little Bear Creek , a tributary of Deep Creek and the Mojave River . Lake Arrowhead is an artificial lake in the Mojave River on the Little Bear Creek , a tributary of Deep Creek and San Bernardino mountains . 0 +During Portuguese and Brazilian colonisation , the Portuguese influence was also added , and Feijoada was incorporated into the rest of the Guisos . Portuguese influence was also added during Portuguese and Brazilian colonization . Feijoada was incorporated into the rest of the guisos . 1 +Teams had to use a traditional tribal club from a distance to hit the pots . From a distance , the teams had to meet a traditional tribal club to use the pots . 0 +He left the Janata Dal ( United ) and joined the Bharatiya Janata Party in February , 2008 . He joined the Janata Dal ( United ) and left Bharatiya Janata Party in February 2008 . 0 +AMBIT is a symbolic programming language , introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for historical calculation . AMBIT is a historical programming language that was introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for the symbolic calculation . 0 +Its first three or four centimetres are enclosed , with the femoral vein , in the femoral sheath . Its first three or four centimetres are enclosed in the femoral cover with the femoral vein . 0 +"In South Korean culture , "" Pokarekare Ana "" was used as the theme song for the 2005 popular film "" Crying Fist "" ." "In South Korean culture , "" Pokarekare Ana "" was used as title song for the popular film "" Crying Fist "" 2005 ." 1 +He was stranded by 51 among the leaders in inherited runners . He was inherited by 51 among the leaders in stranded runners . 0 +His topographical cityscapes were published by himself and others , with three etched series showing scenes of Haarlem , Bergen , and Drente . His topographical urban landscapes were published by himself and others , with three etched series showing scenes of Haarlem , Bergen and Drente . 1 +"The Presbyterian doctrine is "" reformed "" , and the government is "" theological "" ." "The presbyterian doctrine is "" reformed "" , and the form of government is "" theological "" ." 1 +The film was written and co-produced by P. Madhan and produced by AR Murugadoss under banner of Escape Artists Motion Pictures . The film was written and produced by AR Murugadoss and produced by P. Madhan under the banner of Escape Artists Motion Pictures . 0 +Under the British Raj , Bijapur District was part of the Bombay Presidency . Bombay Presidency was part of the Bijapur county under the British Raj . 0 +Diseases associated with this species include : DCV : increased reproductive potential , extremely pathogenic when injected with high associated mortality , CrPV : paralysis and death . Diseases associated with this genus include : DCV : increased reproductive potential ; extremely pathogenic when injected with high associated mortality ; CrPV : paralysis and death . 1 +In the same year he played in the UEFA Champions League - Qualification against HJK Helsinki and Celtic Glasgow and later in the UEFA Cup against Dinamo Zagreb . In the same year he played in the UEFA Champions League - Qualification against Dinamo Zagreb and later in the UEFA Cup against HJK Helsinki and Celtic Glasgow . 0 +The edible endocarp of mangosteen has the same shape and size as a mandarin in diameter , but is white . The edible endocarp of the mangosteen has the same shape and size as a tangerine in diameter , but is white . 0 +"In the music he has created covers for Lou Reed 's self-titled album and Iron Maiden 's compilation "" Edward the Great "" ." "In music , he has done covers for Lou Reed 's self-titled album and Iron Maiden 's compilation "" Edward the Great "" ." 1 +Between 2001 and 2005 , BodyMedia provided healthcare professionals with metabolic assessment and behavioral therapy products for the treatment of obesity , diabetes , and CVD . Between 2001 and 2005 , BodyMedia provided healthcare professionals with behavioral assessment and metabolism - treatment products for the treatment of obesity , diabetes , and CVD . 0 +Albion may refer to the following locations in the U.S. state of New York : New York may refer to the following places in the U.S. state of Albion . 0 +One of these two was seriously cognitively impaired and physically disabled . Of these two , one was physically disabled and severely cognitively impaired . 0 +The wrestling team won the Non-Public , South B sectional title in 2006 with a 45-31 win over Sacred Heart High School in the tournament final . The Wrestling team won the Non - Public , South B section title in 2006 with a 45-31 win over Sacred Heart High School in the tournament final . 1 +The specific songs included have changed over the years as old songs have been removed and new ones have been added . The included special songs have changed over the years as old songs have been removed and new ones have been added . 1 +Upper Austria is a municipality in the district of Wernstein am Inn in the Austrian state of Schärding . Wernstein am Inn is a municipality in the district of Schärding in the Austrian federal state of Upper Austria . 0 +From Death Valley National Park , California State Route 178 leads northeast into Ridgecrest . From Ridgecrest , California State Route 178 leads northeast into the Death Valley National Park . 0 +AMBIT is a symbolic programming language , introduced in 1964 by Carlos Christensen of Massachusetts Computer Associates for historical calculation . AMBIT is a symbolic programming language that was introduced by Carlos Christensen of Massachusetts Computer Associates in 1964 for historical computation . 1 +"It was portrayed by Tao Okamoto in the 2013 film "" The Wolverine "" , in which Mariko Wolverine is primary romantic interest , girlfriend and lover ." "She was portrayed by Mariko in the 2013 film "" The Wolverine "" , in which Tao Okamoto Wolverines is primary romantic interest , girlfriend and lover ." 0 +With Patrick Patterson injured , Luis Scola had his first NBA start with the Rockets on March 14 , 2011 , scoring 2 points and grabbing 5 rebounds . Injured with Luis Scola , Patterson had his first NBA start with the Rockets on March 14 , 2011 , achieved 2 points and 5 rebounds . 0 +In any case , the output is often equalized and sent to the load , and the output capacitors are then included to filter the switching noise . In any case , the output is often rectified and sent to the load . Capacitors are then included at the output to filter the switching noise . 1 +He was a member of the Waterford team that reached the Munster minor final in 1994 . He was a member of the Munster team that reached the Waterford Minor Finals in 1994 . 0 +The Holger Danske and Albertus Pictor , painted on the ceiling of the Floda church in Sweden , were attributed to Burman around 1480 . The Holger Danske and Albertus Pictor painted on the ceiling of Floda Church in Sweden are attributed Burman around 1480 . 1 +Decker played the swimsuit model Rachel , while Peter Jacobson Alan , her nebbish husband , played . Decker played swimsuit model Rachel , while Peter Jacobson played Alan , her nebbish husband . 1 +The PGM 500 and PGM 2000 are guided bombs developed by MBDA and now distributed by Alenia Marconi Systems . The PGM 500 and PGM 2000 are guided bombs developed by MBDA and now marketed by Alenia Marconi Systems . 1 +Bynum was born in Boston in 1975 , and grew up in Baltimore . Bynum , born in 1975 in Baltimore , grew up in Boston . 0 +Lake Bordaglia is a lake at Forni Avoltri , province of Udine , Friuli-Venezia Giulia , Italy . Bordaglia Lake is a lake at Forni Avoltri , Province of Udine , Friuli-Venezia Giulia , Italy . 1 +"In the television series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." "In the TV series "" Muhteşem Yüzyıl "" , Şah Sultan is played by Turkish actress Deniz Çakır ." 1 +Descendant of many other people , his father fought in the war and once it ended , decided to stay in Paraguay , like Brazilian soldiers at the time . His descendant of many other people , his father fought at war and decided to stay in Paraguay when it ended , like the Brazilian soldiers at the time . 1 +The river Cărbunele or Rădocheasa River is a tributary of the Rădoteasa River in Romania . The Rădoteasa River or Rădocheasa River is a tributary of the Cărbunele River in Romania . 0 +Hennig is also Chairman referee of the region Dinslaken -- Mülheim -- Duisburg and lives in Duisburg . Hennig is also president of the Duisburg -- Mülheim -- Dinslaken region and lives in Duisburg . 1 +"Reviewers Roy Beisswenger and Marino Boric described the design in a 2015 review as "" sleek "" and "" elegant "" ." "Roy Beisswenger and Marino Boric described the design 2015 in a review as "" elegant "" and "" elegant "" ." 1 +Portner kept the grocery store and Recker focused on expanding the brewery . Recker kept the grocery store and Portner concentrated on expanding the brewery . 0 +The heavy rainfall caused severe flooding ; in Donalsonville , 250 houses and 50 businesses suffered water damage , while another 35 were damaged in nearby Miller County . The heavy rainfall caused severe flooding : in Donalsonville 250 houses and 50 shops suffered water damage , while another 35 were damaged in the nearby Miller County . 1 +""" Futurama "" was also revived in 2007 by Comedy Central for similar reasons : impressive viewership in syndication as well as high DVD sales ." "For similar reasons , "" Futurama "" was revived in 2007 by Comedy Central : high spectator numbers in syndication as well as impressive DVD sales ." 0 +The underlying typology ( according to the nature of the second amount ) is determined by the needs of users of the variance information and may include e.g . : The underlying typology ( according to the type of second amount ) is determined by the needs of the users of the variance information and may z . 1 +"In his confusing will , he had asked Charles II to give his unborn child an "" ordinary principality "" or something equally appropriate ." "In his confusing will , he had asked Charles II to give to his unborn child an "" ordinary principality "" or something similar ." 1 +It was completed in 1933 in Modernist style for the United States Postal Service , and is now used as office accommodation by the United States Federal Government . It was completed in modernist style in 1933 for the United States Postal Service and is now used as an office by the US Federal Government . 1 +""" The Evolution of Dance "" is the ninth interlude and the second title on the album ." """ The Evolution of Dance "" is the second interlude and the ninth bit on the album ." 0 +For shopping , there is a Russian market and a similar Russian market in Pakistani blocks . For shopping there is Pakistani Market and a similar Russian Market in Russian blocks . 0 +Currently , Mohammad Hariri is Chairman of the Board of Directors and Abdullah Orkun KAYA is the CEO of the TTNET . Mohammad Hariri is currently President of the Board of Directors , and Abdullah Orkun KAYA is CEO of the TTNET . 1 +A native of what would be the province of Manitoba , May moved to Ontario soon after completing the education in his hometown . A native of what would become the province of Ontario , May moved to Manitoba soon after completing education in his hometown . 0 +This was the first PowerPC native version , which made it a lot faster than previous versions on newer machines . This was the first native PowerPC version , which made it much faster on newer machines than previous versions . 1 +"He has described the "" deep state "" as a "" Shadow Government "" and "" Deep state swamp of Obama holdovers and DC lifers "" ." "He has described the "" deep state "" as "" Shadow Government "" and "" Deep State Swamp from Obama Holdovers and DC Lifers "" ." 1 +He also circulated rumors about a possible Hungarian federation , as proposed to him by Romanian landowners . He also spread rumors about a possible Hungarian federation , as proposed to him by Romanian landowners . 1 +On 7 September 2011 , the Blue House officially scrapped plans for a rich tax deduction , marking the fundamental end of Mbnomics . On 7 September 2011 , the Blue House officially scrapped plans for a basic tax deduction , marking the rich end of Mbnomics . 0 +"It was also covered by PP Arnold in 1966 , on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." "It was also produced by PP Arnold in 1966 on her album "" Boots "" and Nancy Sinatra in 1970 , once again produced by Andrew Loog Oldham ." 1 +This is a list of the etymology of street names in Covent Garden district of London . This is a list of the etymology of street names in the Covent Garden district of London . 1 +Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a true gastropod mollusk in the family Neolepetopsidae , one of the families of marine limpets . Paralepetopsis tunnicliffae is a species of sea snail , a true limpet , a marine gastropod mollusk in the Neolepetopsidae family , one of the families of the true limpets . 0 +"After "" The Kids "" was recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks were recaptured with Derrick except "" The Kids "" with Derrick ." "After "" The Kids "" were recorded with drummer Nick Van Gelder , all "" Spcae cowboy "" tracks except "" The Kids "" was re-recorded with Derrick ." 1 +Ås IF is a Swedish football club located in Ås near Östersund . Ås IF is a Swedish football club which is located in Östersund , near Ås . 0 +"He has described the "" Deep state "" as a "" Shadow Government "" and "" deep state swamp of Obama holdovers and DC lifers "" ." "He has described the "" deep state "" as "" Shadow Government "" and "" Deep State Swamp from Obama Holdovers and DC Lifers "" ." 1 +Originally discovered and developed by Eli Lilly , oritavancin was acquired by InterMune in 2001 and then by Targanta Therapeutics in late 2005 . Originally discovered and developed by Eli Lilly , Oritavancin was taken over by InterMune in 2001 and in late 2005 by Targanta Therapeutics . 1 +Birender Singh married PremLata Singh on 9 June 1970 . PremLata Singh was married on June 9 , 1970 with Birender Singh . 1 +"The novel was adapted as the 1951 film "" When Worlds Collide "" , directed by George Pal and produced by Rudolph Maté ." "The novel was produced as the 1951 film "" When Worlds Collide "" , directed by George Pal and by Rudolph Maté ." 0 +He stayed in Germany for three years before moving back with his family to Japan . He remained in Japan for three years before moving back to Germany with his family . 0 +Rail transport in Belgium was historically managed by the National Railway Company of Belgium , which was known in French as the SNCB and in Dutch as the NMBS . Rail transport in Belgium was historically managed by the National Railway Company of Belgium , known as SNCB in French and NMBS in Dutch . 1 +"If "" f "" is in Hardy space "" H "" , then it has a factorization" "If "" f "" has room "" H "" in Hardy , then it is a factorization" 0 +The Los Angeles County Department of Health Services operates the Torrance Health Center in Torrance , near Rolling Hills Estates and serving Harbor Gateway , Los Angeles . The Los Angeles County Department of Health Services operates the Torrance Health Center in Harbor Gateway , Los Angeles , near Torrance , and serves Rolling Hills Estates . 0 +La Tempestad ( International Translation : The Storm , called by Televisa The Storm ) is a 2013 Mexican telenovela by Salvador Mejía Alejandre for Univision produced . La Tempestad ( International Translation : The Storm , called by Univision the Storm ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Televisa . 0 +English is understood by many people and spoken fluently by some . English is spoken by many people and understood by some of them fluently . 0 +Following the sale of Orange to Mobilkom Austria , Yesss was sold off to Hutchison Whampoa . Yesss was sold to Hutchison Whampoa following the sale of Orange to Mobilkom Austria . 1 +The city is located in southern Schuylkill County and is bordered to the southeast by Columbia County . The township is in southern Columbia County and is bordered to the southeast by Schuylkill County . 0 +A Stanley Graham ( named Eric Stanley George Graham ) ( November 12 , 1900 -- October 21 , 1941 ) was a New Zealander who killed seven people . Stanley Graham ( baptized Eric Stanley George Graham ) ( 12 November 1900 -- 21 October 1941 ) was a New Zealander who killed seven people . 1 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania.ZanAir was founded in Zanzibar in 1992 and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in Tanzania in 1992 and is one of the most experienced airlines in Zanzibar . 0 +The mosque consists of a triple layer of brick with alternating layers of individually cut stone separated by vertically laid brick . The mosque consists of a triple layer of brick with alternating layers of the individually laid stone cut by vertically separated brick . 0 +The 6th of September Express and the 17th of September Express are fast daily trains to Istanbul , with IDO connections to Bandırma . The Express of September 6 and the Express of September 17 are fast daily trains to Bandırma , with IDO connections to İstanbul . 0 +He also appeared in 53 games for the Piedmont League ( Greensboro Patriots ) with a 26 - 19 record over the course of the seasons 1928 and 1929 . He also appeared in 53 games for the Piedmont League ( Greensboro Patriots ) with a 26 -- 19 record over the course of the 1928 and 1929 seasons . 1 +"Since the 19th century , artificial beings are common in fiction , as in Karel Čapek 's "" Frankenstein "" or Mary Shelley 's "" R.U.R "" ." "Artificial beings are common in fiction since the 19th century , as in Karel Čapek 's "" Frankenstein "" or Mary Shelley "" R.U.R "" ." 1 +The Model United Nations club participates in academic discussions and intellectual forums throughout the Boston area , and has won several chapter awards The Association The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter awards . 0 +Ricky Ray completed 22 of 32 pass attempts for 301 yards . Anthony Calvillo was 22 for 37 for 371 yards . Ricky Ray completed 22 of 32 pass tests for 301 Yards Anthony Calvillo was 22 for 37 for 371 yards . 1 +The CSA attempted to transfer the game to accept an invitation and play on Garanhuns . The CSA has attempted to transfer the game to accept an invitation and play on Garanhuns . 1 +Spectral bands are part of large spectra of optical systems , including condensed materials , multi-tomography molecules , etc . Spectral bands are part of the optical spectra of multi-atomic systems , including condensed materials , large molecules , etc . 0 +The Sic River is a tributary of the Seolemai River in Romania . The river Seolemai is a tributary of the River Sic in Romania . 0 +"The character was later killed in the second episode of the fourth season , "" First Down "" ." "Your character was later killed in the fourth episode of the second season , "" First Down "" ." 0 +Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an Italian artist and an American intellectual . Ippolita Rostagno was born on 10 December 1963 in Florence and is the daughter of an Italian artist and an American intellectual . 1 +"Mora Municipality ( "" Mora kommun "" ) is a municipality in Dalarna County in central Sweden ." Mora Kommun is a municipality in Mora municipality in central Sweden . 0 +Renovations in 2007 have replaced the front entrance with a modern design that mimics the original façade and the higher original roof is now a simpler metal roof structure . Renovations in 2007 replaced the original entrance with a modern design that imitates the original façade and the higher front roof is now a simpler metal roof structure . 0 +He was stranded among the leaders in inherited runners at 51 . He was inherited among the leaders in stranded runners at 51 . 0 +Mount Cobb is a mountain on Vancouver Island , British Columbia , Canada , located east of Gold River and southwest of Mount Filberg . Mount Cobb is a mountain at Mount Filberg , east of Gold River and southwest of Vancouver Island , British Columbia , Canada . 0 +In 1742 the last possession of the Genoese in the Mediterranean , the island fortress of Tabarka , was lost to Tunis . The last possession of the Genoese in the Mediterranean , the island fort of Tabarka , was lost to Tunis in 1742 . 1 +The town of Otisfield , currently in Cumberland County , was part of Oxford County until 1978 . The city of Otisfield , currently in Cumberland County , was a part of Oxford County until 1978 . 1 +The previous record was .185 by the St. Louis Cardinals when they lost to the Kansas City Royals in 1985 . The previous record was 185 by the St. Louis Cardinals when in 1985 they lost to the Kansas City Royals . 1 +He was among the leaders in stranded runners inherited with 51 . He was inherited among the leaders in stranded runners at 51 . 1 +Anne Anne Lindsay is the title of a Scottish ballad written in 1772 by the Scottish poet Lady Auld Robin Gray . Anne Lindsay is the title of a Scottish ballad written by the Scots poet Lady Auld Robin Gray in 1772 . 1 +""" Little Boys "" is the fourth episode in the third season of the television series "" How I Met Your Mother "" and 48th overall ." """ Little Boys "" is the third episode in the fourth season of the TV series "" How I Met Your Mother "" and total 48th ." 0 +George Harrison considered Mukunda and the others who first came to England to be his lifelong friends . George George Harrison regarded Mukunda and the others who came to England first to be his lifelong friends . 1 +"The primary systems at different airports consist of two secondary radar systems , the "" large "" and the "" sophisticated "" surveillance radar ." "The sophisticated systems at large airports consist of two different radar systems , the "" primary "" and "" secondary "" surveillance radar ." 0 +Emphasis is placed on serving high quality meals at moderate cost . "Emphasis is placed on serving meals of high quality at moderate cost. """ 1 +"A scalar transformation is a transformation that is "" linear "" up to a twist "" , which means "" to a field automorphism under semilinear multiplication "" ." "A scalar transformation is a transformation which is linear "" up to a twist "" , meaning "" up to a field automorphism under semilinear multiplication "" ." 1 +Here , Thibault of Champagne built a hermitage and found a source of holy springs , and Louis established a shrine to the spring 's healing powers . Here Thibault built a hermitage from Champagne and found a source of holy springs , and Louis established a shrine for the healing powers of the spring . 1 +These canons were later rejected by the Eastern Council in Trullo in 692 but approved by Pope Constantine . These canons were later rejected in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . 1 +Examples of such factors include rape , fraternization , public sexual behavior , or other factors that would adversely affect good order and discipline . Examples of such factors include rape , fraternization , good behavior , or any other factors that would adversely affect public sexual order and discipline . 0 +He studied music history with Hans Gál at the University of Vienna and studied composition with Guido Adler and Curt Sachs . He studied music history at the University of Vienna under Guido Adler and Curt Sachs , and studied composition under Hans Gál . 0 +The group died in 1991 when the most active members joined Quartex . The group arrived in 1991 , when the most active members died Quartex . 0 +Jean Ken 's parents are Jean and Steve DeBauche of Suamico , WI and has two younger brothers , Brad and Brent DeBauche . Steve DeBauche 's parents are Jean and Brent DeBauche of Suamico , WI and has two younger brothers , Brad and Ken . 0 +The Croatian variant is played in a clockwise order , while in Montenegro the counter-clockwise order is used . The Croatian variant is played clockwise , while in Montenegro the order is used counter-clockwise . 1 +Nevertheless , his undergraduate notes on his detailed laboratory work are remarkable . Nevertheless , his detailed notes on his academic laboratory work are remarkable . 0 +When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy and most of Piedmont . When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy , and most Piedmontes . 1 +B is the middle term between the two premises ( the common term ) , but is never distributed , so that syllogism is invalid . B is the middle term between the two premises ( the common term ) but is never distributed , so this syllogism is invalid . 1 +Among the Eligible CIS football players from Canadian universities as well as Canadian players playing in the NCAA , 48 players were selected for the Canadian Football League teams . 48 players were chosen for Canadian Football League teams from among the eligible NCAA football players from Canadian universities , as well as Canadian players playing in the CIS . 0 +In June 2011 , Linda married Beecher Finch at Dartmoor National Park . Linda Beecher married Finch on Dartmoor National park in June 2011 . 0 +In the late 1970s , Willie Francis worked in England and lived in Canada for several years before returning to Jamaica . Willie Francis worked in England in the late 1970s , and lived in Canada for a number of years before returning to Jamaica . 1 +After their departure from the Spear family in 1954 , Speer stopped singing and moved to Nashville in 1968 and back to Ohio after her husband had died . After her departure from the Speer Family in 1954 , Speer stopped singing and moved to Nashville and back to Ohio in 1968 after her husband died . 1 +La République En Marche is a legislative group in the National Assembly , including representatives of La République En Marche following the 2017 parliamentary elections . The La République En Marche group is a legislative group in the National Assembly including representatives of La République En Marche ! after the 2017 parliamentary elections . 1 +On 18 January 2010 , Bruno , coupled with Harry Mayes , returned to ESPN for a daily show from noon to 2 pm . On January 18 , 2010 , Bruno , paired with Harry Mayes , returned to a daily show from noon to 2 PM on ESPN 1 +Look to the Lilies was a short-lived Broadway musical with a book by Leonard Spigelgass , lyrics by Jule Styne , and music by Sammy Cahn . Look to the Lilies was a short Broadway musical with a book by Leonard Spigelgass , lyrics by Jule Styne and music by Sammy Cahn . 1 +Lamellaria is a genus of marine slug-small sea snails , like gastropod molluscs in the family Velutinidae . Lamellaria is a genus of sea snails , like the gastropod molluscs in the Velutinidae family . 1 +Howe partnered with Bob Mark and Jeanne Arth but lost in the quarterfinals to Sally Moore . Partnership with Bob Mark and Jeanne Arth , but lost to Sally Moore in the quarterfinals . 1 +The character of Holden Ford is based on FBI - Agent Robert K. Ressler , and Bill Tench is based on a pioneer - FBI - Agent John E. Douglas . The character of Holden Ford is based on FBI - Agent John E. Douglas , and Bill Tench is based on the ground-breaking FBI agent Robert K. Ressler . 0 +The father of Mervyn Paice wrote a letter to Menachem Begin asking him to spare his son 's life . The father of Menachem Begin wrote a letter to Mervyn Paice asking him to spare the life of his son . 0 +When the Warlord Zorr attacked Xandar he devastated it and killed many Xandarians including Dey 's wife , Karman-Kan , and children , Duranna and Kahry . When the warlord attacked Zorr Xandar , he destroyed it and killed many Xandarians , including Dey 's wife , Karman-Kan , and children , Duranna and Kahry . 0 +The three upper floors were completed in 1885 and the first three floors were completed in 1906 . The top three floors were completed in 1885 and the first three floors were completed in 1906 . 1 +He moved to Santa Barbara for health reasons in 1871 , where he settled in Southern California . He moved to Southern California for health reasons in 1871 , where he first settled in Santa Barbara . 0 +Indonesian dumplings were influenced by Chinese immigrants and brought to Indonesia . Chinese dumplings were influenced and brought to Indonesia by Indonesian immigrants . 0 +He returned from the negotiations that the Bavarian agreement has now been signed and ended . "He returned from the negotiations that "" Now the Bavarian agreement has been finished and signed ." 1 +The Inglewood , CA ( LA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a branch of the Los Angeles Campus . LA ( Inglewood , CA ) Campus is accredited by the Council on Occupational Education and the Inland Empire Location is a subsidiary of the Los Angeles Campus . 1 +"Of the twelve stories published , six were previously included in the author 's first collection , "" The Evening News "" ." "Six of the twelve published stories were previously included in the first collection of the author , "" The Evening News "" ." 1 +Narthecium is a Eurasian and North American genus of herbaceous flowering plants . Narthecium is a herbaceous genus of Eurasian and North American flower plants . 0 +In the late 1980 's , Matthei entered political politics after the Chilean government had relaxed control of military activity . Matthei entered political politics in the late 1980 's , after the Chilean government relaxed control over military activity . 1 +This allowed Capcom to use the basic expressions of Lee and translate them in the game to Wayne . This allowed Capcom to use Lee 's basic expressions and translate them to Wayne in the game . 1 +Norfolk has won the Minor Counties Championship once , sharing the title with Herefordshire in 2002 . Herefordshire has once won the Minor Counties Championship to share the title with Norfolk in 2002 . 0 +It was written and produced by David Richards by him and Bowie . It was written and produced by Bowie by him and David Richards . 0 +"The Thakurgaon Stadium is located at "" Thakurgaon "" , Thakurgaon Inter District Bus Station , Bangladesh ." "Thakurgaon Stadium is located by the "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." 1 +She won Democrats 64-35 , but Sanders 66-33 lost to the Independents . She won Democrats 64-35 , but the Independents 66-33 lost to Sanders . 0 +He was the son of painter Arturo Petrocelli and the younger brother of Vincenzo . He was the son of painter Vincenzo , and younger brother of Arturo Petrocelli . 0 +The show was produced by Peter Weil , initiated by Barraclough Carey Productions . The show was initiated by Peter Weil and produced by Barraclough Carey Productions . 0 +Neyman betrayed Shield Corporation by telling Connor the truth about the status of the ozone layer . Connor had betrayed the Shield Corporation by telling Neyman the truth about the ozone layer 's status . 0 +In general , lower temperatures and higher pressures promote the formation of sponge coke . In general , higher temperatures and lower pressures promote sponge coke formation . 0 +In February 2011 , Cenveo Corporation sold its Envelope Products business , including the Columbian Brand Envelope , to the Quality Park Envelope Products Group of MeadWestvaco . In February 2011 , Cenveo Corporation sold its Envelope Products Business including the Columbian Brand Envelope to MeadWestvaco 's Quality Park Envelope Products Group . 1 +Tyabb railway station is located on the Stony Point line in Victoria , Australia . The railway station of Tyabb is located in Victoria , Australia , on the Stony Point line . 1 +According to the U.S. Census Bureau , the county has a total area of which is land and ( 17.6 % ) water . According to the U.S. Census Bureau , the county has a total area , of which land and ( 17.6 % ) have water . 1 +Audra Keller defeated Katerina Maleeva with 7 - 6 , 6 -- 2 . Audra Keller defeated Katerina Maleeva 7 -- 6 , 6 -- 2 . 1 +A new directive was approved by the European Parliament in July 2008 and was adopted by the Council in October 2008 . A new directive was adopted by the Council in July 2008 and approved by the European Parliament in October 2008 . 0 +The father of Latifun Nisan , Mohammad Jamal ibn Muhammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah was the son of Husain Mohammad of Tijara . The father of Latifun Nisan , Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah was the son of Husain Mohammad of Tijara . 1 +The Deputy Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second Kabinett of Kjell Magne Bondevik . The Deputy Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first Kjell Magne Bondevik Cabinet . 0 +Sir Bayard Dill ( 28 December 1905 -- 10 September 1993 ) , known as Nicholas Bayard Dill , was a prominent Bermudian politician , lawyer and military officer . Sir Nicholas Bayard Dill ( 28 December 1905 - 10 September 1993 ) , known as Bayard Dill , was a prominent politician , lawyer and military officer from Bermuda . 0 +Zarate has three brothers , all footballers : older Mauro , younger Sergio and Ariel , with the first two eventually representing the Argentine national team . Zarate has three brothers , all footballers : older Mauro , younger Sergio and Ariel , with the first two eventually representing the Argentina national team . 1 +The weather is moderately cold in winter , warm in summer . The weather in winter is moderately cold and warm in summer . 1 +On Victory Road , they introduced their new manager , the Voodoo Queen , Roxxi Laveaux , to embarrass Christy Hemme . On Victory Road , they introduced their new manager , Voodoo Queen , Christy Hemme , to embarrass Roxxi Laveaux . 0 +In June 1929 , in New York City , John William Gordon Powell married Janet , who was an investment counselor . In June 1929 , Janet married John William Gordon Powell in New York City , who was an investment advisor . 0 +It is the largest private club in Houston and one of the biggest in the world , with over 3,300 members . It is the largest private club in Houston and one of the biggest in the world , with more than 3,300 members . 1 +"Also in the case of selection , the expected value and the variance of the number of "" A "" individuals may be computed" "Even in the case of selection , the expected value and the variance of the number of "" A "" individuals may be calculated" 1 +The Banu Harith ( or , ) is one of the Jewish tribes of Arabia that once ruled the city of Najran , which is now in southern Saudi Arabia . The Banu Harith ( or ) is one of the Jewish tribes of Arabia that once ruled the city of Saudi Arabia , which is now in southern Najran . 0 +As an aggressive and energetic entrepreneur , he lost a fortune ( which he created ) and started the crosbie dynasty . An aggressive and energetic entrepreneur , he created a fortune ( which he lost ) and started the Crosbie dynasty . 0 +Elegia southi is a species of moth of the family Pyralidae . It was described by Reginald James West in 1932 and is found in Taiwan . Elegia southi is a kind of moth of the Pyralidae family described in 1932 by Reginald James West and is found in Taiwan . 1 +His father , Kunjlal Ganguly , was a lawyer , while his mother , Gouri Devi , was a housemaker . His father , Kunjlal Ganguly , was a lawyer while his mother , Gouri Devi , was a home-maker . 1 +The notes printed by the three commercial banks are issued by Hong Kong Note Printing Limited in Hong Kong . Banknotes issued by the three commercial banks are printed in Hong Kong by Hong Kong Note Printing Limited . 0 +Rachel played swimsuit model Decker , while Peter Jacobson played Alan , her nebbish husband . Decker played the swimsuit model Rachel , while Peter Jacobson Alan , her nebbish husband , played . 0 +The Chief Justice was the Chief Justice of the High Commission Territories ( Swaziland , Bechuanaland Protectorate & Basutoland ) . From 1951 the Chief Justices were : The Chief Justice was the Chief Justice of the High Commission ( Basutoland , Bechuanaland Protectorate , Swaziland ) , from 1951 the Chief Justices : 1 +Pavizha Mutthu is a Jesey produced Indian Malayalam film directed by Hari Pothan . Pavizha Mutthu is a 1980 Indian Malayalam film , directed by Jesey and produced by Hari Pothan . 0 +The Oltu region ( briefly administered by Georgia in 1920 ) was also claimed by Armenia . The Oltu region ( also claimed by Georgia in 1920 ) was administered by Armenia briefly . 0 +In February 2017 , Prodrive announced that they will enter the FIA - Rallycross - World Championship in 2018 with a Renault Mégane for Guerlain Chicherit . In February 2017 , Prodrive announced that they will enter a Renault Mégane for Guerlain Chicherit at the 2018 FIA World Rallycross Championship . 1 +""" CQ Politics "" considered this race to be "" Tossup "" . The "" Cook Political Report "" rated it as "" Lean Republican "" ." """ CQ Politics "" rated this race as ' Tossup ' . "" The Cook Political Report "" considered it ' Lean Republican ' ." 0 +It was followed by MacPaint and a competitor to Silicon Beach Software SuperPaint . It was MacPaint and followed a competitor to SuperPaint by Silicon Beach Software . 0 +It is 21 kilometres north-west of Bururi and 12.6 kilometres southeast of Vyanda and south of Muyuga by road . By road it is located 21 kilometres southeast of Bururi and 12.6 kilometres northwest of Vyanda , and south of Muyuga . 0 +The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Melbourne , along the Princes Highway , north of Lakes Entrance . The Buchan Caves are located about east to the northeast ( or five hours drive ) from Lakes Entrance , along Princes Highway , north of Melbourne . 0 +The Ruska Roma traditional clothing is based on Russian and Kalderash traditional clothing , and is used actively by singers and dancers . The traditional clothing of Ruska Roma is based on the traditional Russian and Kalderash clothes and is actively used by singers and dancers . 1 +"In the 2015 documentary film "" The Gettysburg Address "" , Edward Everett is portrayed by actor Ed Asner ." "Ed Asner is portrayed by the actor Edward Everett in the documentary "" The Gettysburg Address "" from 2015 ." 0 +Stävlö or Stäflö is a castle in Kalmar Municipality of Sweden . Stävlö or Stäflö is a fortress in Kalmar Municipality of Sweden . 1 +Fox Reality Channel aired the ceremony on October 2nd , 2007 , and recorded it on October 13th . The Fox Reality Channel recorded the ceremony on 2 October 2007 and broadcasted it on 13 October . 0 +Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and fun situations . Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and funny situations . 1 +At the end , Princess Minnie dubs Mickey , Donald and Goofy royal musketeers . At the end , Princess Minnie entitles Mickey , Donald and Goofy Royal Musketeers . 1 +The field also included 1928 Olympian ( and 1932 Olympic champion ) Paul Jessup of Cornell , and future world record holder John Anderson of Washington . The field also included Olympian ( and in 1932 Olympic champion ) John Anderson of Cornell in 1928 and future world record player Paul Jessup of Washington . 0 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy film produced by , written by and directed by Wong Jing . Men Suddenly in Love is a 2011 Hong Kong romantic comedy by Wong Jing produced , written and directed . 1 +The 1962 Cleveland Browns season was the 13th season of the team with the National Football League . The 1962 National Football League season was the 13th season of the team with the Cleveland Browns . 0 +"8 November 2011 , published the previous album "" Wicked Game "" , three years after the release of their fifth album ." "On November 8 , 2011 , the predecessor album "" Wicked Game "" published three years after the release of their fifth album ." 1 +Formerly licensed to North Myrtle Beach , the station was owned by City of North Myrtle Beach , South Carolina , USA . The station , previously licensed to North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . 1 +One of the main advantages of this approach is that routers are very simple : they just become a sensor , a pulse - reshaper and a transmitter . One of the main advantages of this approach is that the routers become very simple : they are just a sensor , a pulse - reshaper and a transmitter . 0 +Digital built a very large facility on Porter Road and Foster Street near the Common , as well as offices on King Street . Digital built a very large facility in Porter Road and Foster Street near the Common , as well as offices on King Street . 1 +West Barsham is 3.2 miles north of the town of Fakenham , 24.1 miles north of Cromer and 117 miles west of London . Barsham is located 3.2 miles north of the city of Fakenham , 24.1 miles west of Cromer and 117 miles north of London . 0 +""" Hylarana parvaccola "" are relatively small frogs : adult males measure and females in snout -- vent length . Body is slender and legs are long ." """ Hylarana parvaccola "" are relatively small frogs : adult males measure and females in snout length , body is long and legs are slim ." 0 +Schützen-Eisenberg is a municipality in Oberwart , in the Burgenland district of Austria . Deutsch Schützen-Eisenberg is a municipality in Oberwart in the district of Burgenland in Austria . 1 +According to the United States Census Bureau , Masontown has a total area of , of which is land and , or 2.10 % , is water . According to the United States Census Bureau , Masontown is a total area of which there is a land area and 2.10 % of water . 1 +"She played Ellie Morgan in a BBC One - Drama - Miniseries "" Moving On "" entitled "" Drowning Not Waving "" , which was sent in May 2009 ." "She played Ellie Morgan in a BBC One drama miniseries , "" Moving On "" , entitled "" Waving Not Drowning "" , which was broadcast in May 2009 ." 0 +22.0 % were German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English origin according to the 2000 census . 22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English origin . 0 +There he befriends Raghu Rama Iyer ( Vineeth ) and John Kuruvilla ( Biju Menon ) . He friends Raghu Rama Iyer ( Vineeth ) and John Kuruvilla ( Biju Menon ) there . 1 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland success with Tipperary . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed with Tipperary also All - Ireland - success . 0 +AT 'T is the subsidiary of Michigan Bell , the State of Michigan . AT & T is the subsidiary of Michigan Bell , serving the state of Michigan . 1 +The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) from Bengal to Kerala . The movie begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Bengal from Kerala . 0 +She was followed by Paul Gudgin ( 2000 -- 2007 ) , Jon Morgan ( 2007 -- 2008 ) and Kath Festland ( 2008-2015 ) . She was followed by Jon Morgan ( 2000 -- 2007 ) , Paul Gudgin ( 2007 -- 2008 ) , and Kath Mainland ( 2008-2015 ) . 0 +Jessica obliges him to sleep on the couch , where he is seduced by Emily . Emily forces him to sleep in the couch where he is seduced by Jessica . 0 +He feared that he would be murdered if he went to Moulmein and fled to Tokyo instead . He feared that he would be assassinated if he went to Moulmein and instead fled to Tokyo . 1 +Harold Ballard , founder of Toronto Maple Leafs , team owner Conn Smythe , and Wrestler Whipper Billy Watson helped Rumball find the 7.6 million dollars to open the centre . Toronto Maple Leafs founder Conn Smythe , team owner Harold Ballard and wrestler Whipper Billy Watson helped Rumball to raise the $ 7.6 million to open the centre . 0 +Anteriorly , it rests on the dorsal surface of the anterior medullary velum , and its white substance is continuous with that of the velum . It rests on the white surface of the dorsal velum , and its former medullary substance is continuous with that of the velum . 0 +The Lessos - Kenya border section is jointly funded by the government of Uganda and JICA . The Lessos Border Section -- Uganda is financed jointly by the Government of Kenya and JICA . 0 +Camm decided that both engines would be used : the Tempest Mk 5 was fitted with the Napier Sabre , while the Tempest Mk 2 had the Bristol Centaurus . Camm decided that both engines would be used : Tempest Mk 5 had fitted with the Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . 0 +"The title and text refer to the portrait of Renaissance painted by Leonardo da Vinci "" Mona Lisa "" ." "The title and text refer to the Renaissance - portrait "" Leonardo da Vinci "" by Mona Lisa ." 0 +However , discoveries of earth-like planets are important because they indicate the probable frequency and distribution of earth-sized terrestrial planets . However discoveries of Earth-sized terrestrial planets are important as they may indicate the probable frequency and distribution of Earth-like planets . 0 +It flows generally northwest , through the Siuslaw National Forest and enters Nestucca Bay on the Pacific near Pacific City . It generally flows northwest , through the Siuslaw National Forest and enters the Pacific City on the Pacific coast near Nestucca Bay . 0 +The nearest station is Nakamura Station , the terminus of the Tosa Kuroshio Railway Nakamura Line , in Shimanto . The nearest railway station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , located in the station Nakamura . 0 +"She arrived aboard the "" Augusta Jessie "" and she and Andrew lived in Hobart Town and Launceston ." "She aboard the "" Augusta Jessie "" and she and Andrew lived in Hobart Town and Launceston ." 1 +Nakamura has also worked on white LEDs , and is responsible for creating the blue LED and green laser diodes used in Blu-ray Discs and HD DVDs . Nakamura has also worked on white LEDs and is responsible for generating the blue LED and green laser diodes used in Blu - ray Discs and HD DVDs . 1 +"Under King Louis Phillippe , a "" Gendarmerie Africa "" was created for the service in Algeria and during the Second Empire the Gendarmerie - Regiment of the Imperial Guard was rebuilt ." "Under King Louis Phillippe a "" gendarmerie of Africa "" was created for service in Algeria and during the Second Empire the Imperial Guard Gendarmerie Regiment was re-established ." 1 +He was the father of painter John Hesselius and cousin of the religious leader Emanuel Swedenborg . He was the father of the painter Emanuel Swedenborg and cousin of religious leader John Hesselius . 0 +The eastern part of Indian Lake is located in western Richland Township . The eastern part of the Indian Lake is township in western Richland . 1 +The season of 1975 -- 76 NBA was the 30th season of the National Basketball Association . The 1975 -- 76 National Basketball Association season was the 30th season of the NBA . 1 +The station , formerly licensed for North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . The station , formerly licensed for North Myrtle Beach , was owned by the city of North Myrtle Beach , South Carolina , USA . 1 +The PLEO delegates usually consist of members of the Democratic Party , democratic members of Congress , democratic governors and former leaders of the Democratic National Committee . PLEO delegates usually consist of members of the Democratic Party , Democratic members of Congress , Democratic Governors , and former Democratic National Committee leaders . 1 +North Bolivian Quechua is a dialect of the Southern Quechua language , spoken in northern Peru on the Peruvian border , as well as by immigrants in Bolivia . North - Bolivian Quechua is a dialect of the southern Quechua language spoken in northern Bolivia on the Peruvian border as well as immigrants in Peru . 0 +De Doorns is a town in Cape Winelands District Municipality in the Western Cape province of South Africa . De Doorns is a city in South Africa in the province of Western Cape Cape Winelands District Municipality . 0 +The large area of black is first shaded with green and then with blue . The large area of black is shaded first with green and then with blue . 1 +In 1813 , when Justice John Tyler died , Tyler inherited Greenway at the age of 23 . When Judge Tyler died in 1813 , John Tyler at the age of 23 inherited Greenway . 0 +"The episode was written by freelancer Dan Vebber , though "" The Simpsons "" executive producer Matt Selman received the idea for this ." "The episode was written by freelancer Matt Selman , though "" The Simpsons "" executive producer Dan Vebber received the idea for it ." 0 +"The logical fallacy is a historical fallacy described in 1896 by the philosopher John Dewey in "" The Psychological Review "" ." "The logical fallacy is a historical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." 1 +It was recorded in 2000 and was released by Satchmo Jazz Records . It was recorded in 2000 and released by Satchmo Jazz Records . 1 +"In the second season , Susan Glaspell and his play "" Bound East for Cardiff "" as well as "" Trifles "" were introduced by Eugene O ’ apos ; ' Neill ." "The second season presented Eugene O ’ Neill with his play "" Bound East for Cardiff "" as well as "" Trifles "" by Susan Glaspell ." 0 +She returned to Brisbane to replenish , and on 16 August sailed on her seventh war patrol . She returned to Brisbane to replenish , and on August 16 sailed on her seventh war patrol . 1 +The petal tube is coloured , blue to lilac-white or purple , with lines of yellow-brown spots inside the tube . The flower petal tube is white to purple , blue or purple , with lines of yellow-brown spots inside the tube . 0 +The president remains the main legal authority that ratifies the key documents in the IT sector and directs ICT policy in the country . The President remains the main legal authority that ratifies the key documents in the IT sector and leads the country 's ICT policy . 1 +Dracco Company Ltd. with Apex Marketing subsequently created the basic version of the game and established the online universe of Chaotic . Dracco Company Ltd. with Apex Marketing then created the online version of the game and established the basic universe of Chaotic . 0 +Administration is an administration in the central Zoba Maekel region ( Maekel ) of Eritrea . North Western Administration is an administration in the central Maekel region ( Zoba Maekel ) of Eritrea . 0 +The 2003 Rose Revolution replaced Georgian President Mikheil Saakashvili with Eduard Shevardnadze , who has promoted closer ties with western institutions including NATO . The 2003 Rose Revolution replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer relations with Western institutions like NATO . 0 +Dendrobium tetragonum , the common spider orchid , is a species of the orchid , also known as the rectangular - jagged dendrobium or tree spider orchid . Dendrobium tetragonum , the rectangular spider orchid , is a species of orchid , also known as the bulbed-common dendrobium or tree spider orchid . 0 +The new cable company announced that they would charge $ 10 for connecting to their service and $ 5 per month to subscribe to the signals . The new cable company announced that they would charge $ 10 to connect to their service , and $ 5 per month to subscribe to the signals . 1 +Elizabeth Wood 's first memorable encounter with Thomas Kane was at the age of six when he was twenty years old . Thomas Thomas Kane 's first memorable encounter with Elizabeth Wood was at six years old when he was twenty . 0 +Shayne Doyle said I have invested a lot of money in sound equipment , I have door to sound people and people to sound pay . Owner Shayne Doyle said , I have a lot of money invested in sound equipment , I have door people and pay people to sound . 1 +There I was , and there he went : here and there to my sorrow I find him . There was I , and there went he : here and there to my grief I find him . 1 +Ristretto is traditionally , a short shot of espresso extracted with the normal amount of ground coffee , but made with about half the amount of water . Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the water quantity . 1 +Tuen Mun is a bay outside Castle Peak Bay . Tuen Mun is a bay outside Peak Bay Castle . 1 +Malmö FF U18 beat Djurgårdens IF U18 with 3 : 0 . Djurgårdens IF U18 beat Malmö FF U18 with 3 -- 0 . 0 +Cheadle Heath railway station was a train station that served between 1901 and 1968 the village of Cheadle , Cheshire , and the suburb of Stockport Cheadle Hulme . Cheadle Heath railway station was a railway station , which between 1901 and 1968 served the village of Cheadle , Cheshire , and the Stockport suburb of Cheadle Hulme . 1 +The album was sold with a launched-out show at London 's Soho nightclub Madame Jojo 's . The album was sold with a show at London 's Soho Nightclub Madame Jojo . 1 +Miechucino is a non-operational PKP railway station in Miechucino ( Pomeranian Voivodeship ) , Poland . Miechucino is a non-operational PKP railway station in the Pomeranian Voivodeship ( Miechucino ) , Poland . 1 +It often uses explicit personal pronouns in literary language , but these are generally omitted in colloquial Estonian . It generally uses explicit personal pronouns in the literary language , but these are often omitted in colloquial Estonian . 1 +Edward J. McKenna was a professional baseball player who played for the Washington National Association of Union in 1884 in 32 games . Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Union Association of the Washington Nationals . 0 +The work was concluded in 2003 in his fifth , it was released the release rush from the same year in August . The work was completed in his fifth in 2003 , it was released in August the Rush release from the same year . 1 +Livingstone bought the Toronto Blueshirts and owned two NHA teams , but after the PCHA - Raids had only enough players for a team . Livingstone purchased the Toronto Blueshirts and owned two NHA teams but after the PCHA raids only had enough players for one team . 1 +"In 1989 he posthumously won the award "" Personal Outstanding Contribution to the Radio "" of the Broadcasting Press Guild ." In 1989 he posthumously won the Personal Outstanding Contribution to Radio award from the Broadcasting Press Guild . 1 +12242 Amritsar Chandigarh Superfast Express reaches Amritsar Junction on a daily basis at 05 : 15 hrs IST and leaves Chandigarh at 09 : 10 hrs IST the same day . 12242 Amritsar Chandigarh Superfast Express reaches Amritsar Junction daily at 05 : 15 IST and leaves Chandigarh at 09 : 10 IST on the same day . 1 +The church relocated to Downey , California in 1979 , to the former home of the Downey Congregational Church , its current location . In 1979 , the Church moved to Downey , California , to the current home of the Downey Congregational Church , its former location . 0 +Riverton was a parliamentary electorate in the New Zealand region of Southland . Riverton was a parliamentary electorate in the Southland region of New Zealand . 1 +"Viner was the official laverne Cox for the Logo TV network at the premiere of Marsh 's "" The T Word "" ." "Marsh was the official Viner for the Logo TV network at the premier of Laverne Cox 's "" The T Word . """ 0 +In 1805 , however , he left Sheffield to study theology at the Manchester College in York . However , in 1805 he left Sheffield to study theology at Manchester College in York . 1 +It is found in southern Europe and western North Africa . It is being found in southern North Africa and Western Europe . 0 +""" Note : Not all of the above details are available in primary sources , but the verifiable organization is in Messenger ." """ Note : not all of the above details are available in primary sources , but the verifiable outline is in Messenger . """ 1 +When the arms were removed they were landed on bicycles and in vehicles by volunteers . When the arms were removed , they were ended up by volunteers on bicycles and in vehicles . 1 +The river is located between the Amazon and the Negro . The river is situated between the Negro River and the Amazon River . 1 +Shares traded once again on the NASDAQ in 1987 , and were first listed on the NYSE in 1988 . The shares were once again traded on the NASDAQ in 1987 and were listed on the NYSE in 1988 . 1 +She reached Melbourne on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . She reached Sydney on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Melbourne . 0 +"He was asked to give his opinion on the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." "He was asked about his opinions on the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." 0 +The Rebricea River is a tributary of Cocora River in Romania . The Cocora River is a tributary of the Rebricea River in Romania . 0 +By then , three-quarters of the slaves in Maryland had been freed , and a high proportion of slaves in Delaware . By then , three-quarters of the slaves had been liberated in Maryland , and a high proportion of slaves in Delaware . 1 +There are 22 species in the genus , 17 species have a sinistral cover and 5 species are dextral . There are 22 species in the genus , 17 species have a dextral bowl and 5 species are sinistral . 0 +died at the age of 76 in South Africa , Grahamstown , Cape Province . At the age of 76 he died in Grahamstown , Cape Province , in South Africa . 0 +Main partners of the Festival are Parmigiani Fleurier , Manor , Heineken , Vaudoise Assurances and UBS . The festival 's main partners are Parmigiani Fleurier , Manor , Heineken , Vaudoise Assurances and UBS . 1 +A new directive was adopted by the European Parliament in July 2008 and approved by the Council in October 2008 . In July 2008 , the Council adopted a new directive , which was approved by the European Parliament in October 2008 . 0 +Free Ride is an album by Trumpeter Dizzy Gillespie composed , arranged and conducted by Lalo Schifrin , which was recorded in 1977 and published on the label Pablo . Free Ride is an album by trumpeter Lalo Schifrin which was composed , arranged and conducted by Dizzy Gillespie , recorded in 1977 and released on the Pab 0 +In particular , the ornamental iron fence shows influence in its medieval design Eastlake . In particular the ornamental iron fencework shows Eastlake influence in its medieval design . 1 +Lucas is represented by Sadie Coles HQ , London , Barbara Gladstone , New York , and Contemporary Fine Arts , Berlin ( CFA ) . Represented is by Sadie Coles HQ , London , Barbara Gladstone , Berlin , and Contemporary Fine Arts , New York ( CFA ) . 0 +Olivella esther is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . is a species of small sea snail , marine gastropod mollusk in the Olivellidae family , the dwarf olives . 0 +In 2010 , the new implemented bus network was revised and extended . In 2010 the new revised and expanded bus network was implemented . 0 +In all authors , the verb tends to be main , more often in final clauses than in subordinate clauses . In all authors , the verb tends to be head , more often in the final clauses than in subordinate clauses . 1 +The second series used fewer celebrity characters than the first series . The second series used fewer celebrities - characters than the first series . 1 +"His first instrumental solo – acoustic guitar album , "" Intuite "" ( Favored Nations , 2001 ) , was a song that he dedicated to Michael Hedges ." """ Intuite "" ( Favored Nations , 2001 ) included his first instrumental , solo acoustic guitar album . It was a song he dedicated to Michael Hedges ." 1 +The Waterford depot was 33.29 miles from Detroit and 155.02 miles from Grand Haven , Michigan . The depot in Waterford was 33.29 miles from Detroit and 155.02 miles from Grand Haven , Michigan . 1 +A brunch forum with presidential candidates sponsored by Chris Wallace , originally to be housed by the New Hampshire Republican Party , should be broadcast on Fox News . A brunch forum sponsored by Chris Wallace with presidential candidates , originally to be housed by the New Hampshire Republican Party , was planned for broadcast on Fox News . 1 +Balıklı is a village in the Gumushacıköy district , province of Amasya , Turkey . Balıklı is a village in the District of Gümüşhacıköy , Amasya Province , Turkey . 1 +As an alternative , tantric Tibetan Buddhism allows to choose a desire consciously ; to create desire rather than being created by it . As an alternative , tantric Tibetan Buddhism allows to deliberately create a desire to choose the desire , rather than being created by it . 0 +She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on January 21 , 1751 . She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on January 21 , 1751 . 0 +The following night , Delirious put his problems with Danielson aside to challenge Pearce . The following night , Delirious set aside his problems with Danielson to challenge Pearce . 1 +He won the tenth place in all and 8th place in Ball and Ribbon , in the World Cup Madera , Portugal 1999 ( SENIOR LEVEL ) . Obtained 8th place in overall and tenth place in Ball and Ribbon , in World Cup Madera , Portugal 1999 ( SENIOR LEVEL ) . 0 +It debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . It arrived in August 2006 in Australia and debuted in New Zealand in early 2007 . 0 +Cunningham Elementary School was selected by Governor Jim McGreevey in 2003 as one of 25 schools recognized statewide for the First Annual Governor 's School of Excellence award . Cunningham Elementary School was selected in 2003 by Governor Jim McGreevey as one of 25 schools awarded nationwide for the first annual Governor 's School of Excellence . 1 +On December 18 , Shawn received Zarraga from Dodgers in Los Angeles for Matt Long and Jarrett Martin . December 18 : Received Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . 0 +The researchers administered an object sorting task to 156 children of healthy individuals , 102 children of schizophrenic individuals , and 139 children of depressed parents . The researchers administered an object sorting task to 156 children of healthy people , 102 children of schizophrenic people , and 139 children of depressed parents . 1 +In the great Freedom Movement , he came close to Indian Congress leaders like Rajagopalachari , Tanguturi Prakasam and Bulusu Sambamurthi . In the great freedom movement he came to Indian congressional leaders like Rajagopalachari , Tanguturi Prakasam , and Bulusu Sambamurthi . 1 +Five foreign offices of Ingosstrakh operate in the countries of Azerbaijan , Kazakhstan , Ukraine , India and China . Five representative offices of Ingosstrakh operate in the foreign countries -- Azerbaijan , Kazakhstan , Ukraine , India and China . 1 +She won Democrats 64-35 , but the Independents 66-33 lost to Sanders . She won Democrats 64-35 , but lost Sanders 66-33 to Independents . 0 +The lyrics were rearranged by the Lebanese singer Majida El Roumi and music was written by Kadim Al Sahir . The texts were rearranged by the Lebanese singer Majida El Roumi and music was written by Kadim Al Sahir . 1 +David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk , on March 15 , 1886 . David Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of Wladimir Burliuk . 1 +Madsen was born in Nigeria to a Danish father and Nigerian mother . Madsen was born in Nigeria to one Danish father and a Nigerian mother . 1 +For two years , Kokomo Jr. was used to present weather forecasts and to perform brief sketches . For two years , Kokomo Jr. was used to present weather forecasts and perform short sketches . 1 +Ruth Page , Elise Reiman ( Hans Kindler 's ballet teacher ) , and Berenice Holmes were the three Muses and Gene Kelly conducted . Ruth Ruth Page , Elise Reiman ( Hans Kindler 's ballet teacher ) and Berenice Holmes were managed by the three Muses and Gene Kelly . 1 +On March 17 , 2015 , Allergan acquired Allergan and took the Actavis name . Actavis acquired Allergan on 17 March 2015 and acquired the name Allergan . 0 +Principal photography took place in additional installments between July 2016 and October 2016 with small pick-up days in December 2016 and January 2017 . Principal - Photography took place between July 2016 and October 2016 in small installments with additional collection dates in December 2016 and January 2017 . 0 +The United States Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the Eastern Australian Football League . The United States Australian Football League is an Australian football competition rule in the eastern United States of America and a division of the Eastern Australian Football League . 1 +In 1690 , Louis Louis Rudolph married Christine Louise in Aurich , daughter of Albert Ernest I , Prince of Oettingen , who had the following children who reached adulthood : Albert Ernest I married Christine Louise , daughter of Louis Rudolph , Prince of Oettingen , at Aurich in 1690 . They had the following children who reached adulthood : 0 +In April 1944 , Cozens was promoted Lieutenant-General and was later appointed Assistant Chief to General Ronald Scobie . In April 1944 , Cozen was promoted to Lieutenant-General and was later appointed Assistant Chief General Ronald Scobie . 1 +They entered Aparan , Kotayk , and gradually emerged , captured Yerevan on April 2 . They captured Aparan , Kotayk and gradually emerging , entered Yerevan on April 2 . 0 +Ridase is a village in Lääneranna Parish , Pärnu County , in western Estonia . Ridase is a village in the Lääneranna parish , Estonia , in western Pärnu County . 0 +The Indus cities are known for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are noted for their urban planning , baked brick houses , elaborate drainage systems , water supply systems , and clusters of large non-residential buildings . 1 +For waste disposal , residents have black rubbish bins for rubbish and blue garbage bins for recycling . For waste disposal , residents have black bins for garbage , and blue bins for recycling . 1 +"It was their first hit with the third "" Peaches "" , Linda Greene ." "It was their third hit with the first "" Peach "" , Linda Greene ." 0 +""" Always and Forever "" , written by Debi Gliori and illustrated by Alan Durant , was nominated in 2003 for the Kate Greenaway Medal ." """ Always and Forever "" , written by Alan Durant and illustrated by Debi Gliori , was nominated for the Kate Greenaway Medal in 2003 ." 0 +The paper reports on business , politics , developments in corporate and labour law , commercial news and features . The paper reports on the economy , politics , developments in corporate and labour law , commercial news and features . 1 +The website originally serves the market of Arizona , San Diego and Las Vegas and expanded to Atlanta in the autumn of 2006 . The website originally served the market of Arizona , San Diego , and Las Vegas , and expanded to Atlanta in the fall of 2006 . 1 +It located in Tattapani ( Himachal Pradesh ) , at the altitude of 650mts , perfect temperature for the healing treatments . It is located in Tattapani ( Himachal Pradesh ) , at an altitude of 650mts , the perfect temperature for the treatments . 1 +American Express initially established its headquarters in a building at the intersection of Jay Street and Hudson Street in what was later called the Tribeca section of Manhattan . American Express later established its headquarters in a building at the crossroads of Jay Street and Hudson Street , initially called the Tribeca section of Manhattan . 0 +A game in combinatorial game theory is impartial if it is not partisan . In combinatorial game theory , a game is partisan when it is not impartial . 0 +Other car manufacturers who have produced models with suicide doors include Opel , Lancia , Citroën , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . Other car manufacturers which have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . 1 +In September 2005 , Vertical Communications was acquired by Comdial . Comdial was acquired by Vertical Communications in September 2005 . 0 +It is considered to be the bloodiest and third longest of the failed secession wars in the Brazilian Empire , after the Cabanagem insurrection and the Balaiada revolt . It is considered the bloodiest and the third longest of the failed wars of secession in the Brazilian Empire , after the Cabanagem Revolt and Balaiada Revolt . 1 +The idea is to coordinate the data in the x or y type of one of the corners of the rectangles . The idea is to sort the data on the x or y coordinates of one of the corners of the rectangles . 0 +The canopy was destroyed in September 1938 by Hurricane New England in 1938 , and the station was damaged but repaired . The canopy was destroyed in September 1938 by the New England Hurricane in 1938 , but the station was repaired . 0 +""" Representation in the fictional world means social existence , absence means symbolic annihilation ." """ Representation in the social world signifies fictional existence ; absence means symbolic annihilation . """ 0 +Marinko Matosevic won the title , defeated Greg Jones in the final , 6 -- 0 , 6 - 2 . Marinko Matosevic won the title , defeating Greg Jones in the final , 6 -- 0 , 6 -- 2 . 1 +In 1855 , the Republican Party and the Whig Party merged in New York to found the Anti-Nebraska Party . In 1855 , the Whig Party and the Anti-Nebraska Party merged in New York to form the Republican Party . 0 +Produced was directed by Hiroaki Goda , animated by TBS and Kodansha and by Anime International Company . It was produced by Hiroaki Gōda , animated by TBS and Kodansha , and directed by Anime International Company . 0 +The deputy of the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and in the first cabinet of Kjell Magne Bondevik . The Deputy to the Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second cabinet of Kjell Magne Bondevik . 0 +The Izbândiș River is a tributary of the Crişul Repede River in Romania . ' "The Izbândi "" River is a tributary of the River Crişul Repede in Romania . ' ;" 1 +The Bill & Cathy Stoller Center is home to all of the university 's intercollegiate athletic teams , athletic offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all University athletics teams , the Intercollegiate Athletic Offices and the Department of Exercise Science . 0 +Jean Alfred Fournier had two brothers , Milenko Žujović , who wrote books on jurisprudence , and Dr. Jevrem Žujović , whose mentor was Jovan Žujović . Jovan Žujović had two brothers , Milenko Žujović , who authored books on jurisprudence , and Dr. Jevrem Žujović , whose mentor was Jean Alfred Fournier . 0 +The championship was formed around the then newly created New Zealand rally when it was included in the Rally - World Championship in 1977 . The championship was created around the newly formed Rally New Zealand when it joined the World Rally Championship in 1977 . 1 +The production was repeated in Amsterdam from 8th June 2011 and from 8 July 2012 in Berlin . The production was repeated from 8 June , 2011 in Berlin and from 8 July , 2012 in Amsterdam . 0 +Commander Adama comes with Galen Tyrol and Chief Billy Keikeya on Kobol . Commander Adama arrives on Kobol with Galen Tyrol and Chief Billy Keikeya . 1 +It was found in 1896 by Turner and is described in New South Wales , where it was recorded from Australia . It was found by Turner in 1896 and is described in New South Wales , where it has been recorded from Australia . 1 +Jayashree married Sorcar , a daughter of Sri Aroon Kumar Ghosh and Smt . Jayashree married Sorcar , daughter of Sri Aroon Kumar Ghosh and Smt . 1 +Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is a record Olympic and national swimmer from Cuba . Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and national record holder from Havana , Cuba . 0 +The Fixer Uppers is a short film by Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . The Fixer Uppers is a 1935 short film starring Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . 1 +All metabotropic receptors are second , coupled to G proteins that control the production of adrenergic messengers . Secondly , all metabotropic receptors , coupled to G , are proteins that control the production of adrenergic chemical messengers . 1 +The album was produced by Rafael Gayol , and featured contributions by Billy Harvey and the Tosca String Quartet . The album was produced by Rafael Gayol and introduced with contributions by Billy Harvey and the Tosca String Quartet . 1 +Aldred was born in Flint , Michigan . He graduated in 1986 from Hill McCloy High School in Montrose , Michigan , a rural town just north of Flint . Aldred was born in Montrose , Michigan , and graduated from the Hill McCloy High School in 1986 in Flint , a rural town north of Flint , Michigan . 0 +In July or August 1944 , he was captured in Lower Silesia with 18 other SOE officers murdered in the Groß-Rosenen concentration camp . He was captured , with 18 other murdered SOE officers , at the Gross-Rosen concentration camp in Lower Silesia in July or August 1944 . 1 +In March 1833 , Dearborn Township was renamed Redford and the southern half became Pekin on April 1st . In March 1833 Pekin was renamed Redford and the southern half became Dearborn Township on April 1 . 0 +Recently , Mediabase KMOD has moved to the mainstream - rock - panel , although Nielsen BDS still reports the station on the active rock panel . Most recently , Mediabase moved KMOD to the mainstream rock panel , although Nielsen BDS still reports the station on the active rock panel . 1 +He was promoted to the New Mexico Territory in 1860 and ordered to rank as a captain on December 20 in the 4th Infantry . He was ordered to New Mexico Territory in 1860 and promoted to the rank of captain on December 20 at the 4th Infantry . 0 +Castle Peak Bay is a bay outside Tuen Mun . Tuen Mun is a bay outside Peak Bay Castle . 0 +The Pica ( Pike ) represent Martial Warrior and Valiant Knight , emblem of the Honorable Military and Knight service and the perfection of knightly affairs . The Pica ( Pike ) represent Honorable Warrior and Valiant Knight , emblem of gallant Military and Knightly service , The perfection of Martial affairs . 0 +A hotel in Wales ( Carmarthen ) is named the Ivy Bush Royal Hotel . A hotel in Wales ( Carmarthen ) is the Ivy Bush Royal Hotel named after it . 1 +Original members included Cornelius Vanderbilt , William , John D. Rockefeller , J. P. Morgan and Amzi Barber . Original members included Amzi Barber , William , John D. Rockefeller , J. P. Morgan and Cornelius Vanderbilt . 1 +In the following week , Drake Williams defeated and retained his title . The following week , Drake defeated Williams and retained his title . 0 +They opposed both parliamentary democracy and the fascist and Nazi communist , totalitarian regimes . They resisted both parliamentary democracy and the totalitarian Communist , Fascist and Nazi regimes . 0 +"In "" The Kingdom of Auschwitz "" , Rudolf Höss wrote about Otto Friedrich , regarding his decision to display the motto so prominently at the Auschwitz entrance ." "Rudolf Höss wrote in "" The Kingdom of Auschwitz "" about Otto Friedrich about his decision to present the motto so prominently at the entrance Auschwitz ." 1 +Homalopoma subobsoletum is a species of small sea snail with calcareous opercula , a marine gastropod mollusk in the Colloniidae family . Homalopoma subobsoletum is a species of calcareous sea snail with small opercula , a marine gastropod mollusk in the family Colloniidae . 0 +In the most luxurious buildings in Rome and in the most important villas of Herculaneum and Pompeii , cast glass windows appeared , albeit with poor optical qualities . Cast glass windows , albeit with poor optical qualities , began to appear in the most important buildings in Rome and the most luxurious villas of Herculaneum and Pompeii . 0 +"Because DFAs can be reduced to a "" canonical form "" ( minimal DFAs ) , there are also efficient algorithms to determine :" "Because DFAs can be reduced to "" canonical form "" ( minimal DFAs ) , there are also efficient algorithms to determine :" 1 +The Salem Militia used Charlotte County and White Creek as bases in 1776 . The Salem militia used Charlotte County and White Creek as its bases in 1776 . 1 +On 19 March 1975 , the NFL awarded the Super Bowl XI to Pasadena , California at the owners ' meeting held in Honolulu . The NFL awarded 'Super Bowl XI ' to Honolulu on March 19th,1975 at the owners ' meetings held in Pasadena , California . 0 +Born in Retford , Nottinghamshire , he moved to the south as a boy to Wiseton Estate , close to Gosforth , Northumberland , when his father found work there . Born in Retford , Nottinghamshire , as a boy he moved south to the Wiseton Estate , near Gosforth , Northumberland when his father found work there . 1 +There is a eastern garden box north of the concrete stairs . North of the eastern staircase there is a concrete garden box . 0 +The winner of the playoffs was Blu : sens Monbús and promoted to 2011 -- 12 ACB season with CB Murcia , the champion of the regular season . The winner of the Playoffs was Blu : sens Monbús and until 2011 -- 12 CB Murcia season with ACB , the champion of regular season promoted . 0 +"The Georgian language , however , uses the singular form when the quantity is specified , so in practice the plural of "" tetri "" is just "" tetri "" ." "However , the Georgian language is the singular form when the quantity is specified , so that in practice the plural of "" tetri "" only uses "" tetri "" ." 0 +These include the Union of European Federalists , the European Federalist Party and the European International Movement . These include the Union of European Federalists , European Movement International and the European Federalist Party . 1 +The individual Japanese DVD releases for the first series also had special limited editions . The individual Japanese DVD releases for the first series had also special limited editions . 1 +The series was published by Dell ( NY ) for the US issues and Armada ( London ) for the UK editions . The series was published by Dell ( NY ) for the US editions , and Armada ( London ) for the UK editions . 1 +On 2 February 2009 , the Brazilian striker , in agreement with the French national team , terminated his contract with Sochaux . On 2 February 2009 the Brazilian striker has terminated his contract with Sochaux in agreement with the French team . 1 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and is directed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was directed by Ali Akram Shuvo and composed by Sheikh Sadi Khan . 0 +Khaset was one of the 20 nomes in Lower Egypt and had district number 6 . Khaset had one of the 20 nomes in Lower Egypt and was a district number 6 . 0 +When the arms were removed , they were landed by volunteers on bicycles and vehicles . When the arms were landed they were removed on bicycles and in vehicles by volunteers . 0 +After Donald explained everything about Bobby and Morag , Rebecca stays for the school holidays in Summer Bay . After Bobby explains everything about Donald and Morag , Rebecca stays in Summer Bay for the school holidays . 0 +The goalkeeper in the game were Henrik Lundqvist for the New York Rangers and Andrei Mezin for Metallurg Magnitogorsk . The goalies in the game were Henrik Lundqvist for the New York Rangers and Andrei Mezin for Metallurg Magnitogorsk . 1 +In 1937 , Carla married Spletter Dr. Peter Bischoff , who in 1936 won a gold medal in sailing at the Olympic Games . In 1937 Carla Spletter married Dr Peter Bischoff , who had won a gold medal in sailing at the 1936 Olympic Games . 0 +"Although A.A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony was "" critical in "" The Observer and A.A. Gill of "" The Sunday Times "" was unimpressed ." 0 +In 2013 , the highest birth rate for teenagers in Alabama was and the lowest in Wyoming . In 2013 , the highest teenage birth rate was in Alabama , and the lowest in Wyoming . 1 +The album was announced on April 30 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31st . The album was released on April 30 , as a limited edition , untitled album with hand drawn covers , and signed by Buckethead himself to be announced on May 31 . 0 +"Willa Cather is a short story by Peter , which was published in 1892 in "" The Mahogany - Tree "" ." "Willa Cather is a short story by Peter . It was first published in "" The Mahogany Tree "" in 1892 ." 1 +Trains on the Morwellham Mine Railway stop at the new Quay with local guides to show structures and explain the mining and cultural activities of the valley . Trains on the mine tramway from Morwellham stop at new Quay with local guides to show structures and explain the mining and cultural activities of the valley . 1 +Two quasi-similar C contractions have the same function and thus the same minimal spectrum . Two quasi-similar C contractions have the same minimal function and therefore the same spectrum . 0 +Alexandra Prince was born in Hamburg , Germany . Her father is Brazilian and her mother is German . Alexandra Prince was born in Hamburg , her father is German and her mother is Brazilian . 0 +""" Myles C. Fox "" reached Yokosuka on 23 September and departed San Diego on 8 October ." On 23 September , Myles C. Fox left Yokosuka and reached San Diego on October 8 . 0 +Note that this last bracket is an anti commutator , not a commutator , because both generators are odd . Note that this odd bracket is an anticommutator , not a commutator , because both generators are last . 0 +This game was released in Europe on February 18 , 2010 , North America on February 23 , 2010 and Japan on March 26 , 2010 . This game was released in Europe on 18 February 2010 , North America on February 23 , 2010 and Japan on 26 March 2010 . 1 +TV shows in Cape Verde are made in Praia by TCV and Record Cabo Verde . Television shows in Praia are made by TCV and Record Cabo Verde in Cape Verde . 0 +Samata Express is a super quick express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by the East Coast Railway . Samata Express is a super quick express train between New - Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by the East Coast Railway . 0 +The show was initiated by Peter Weil , produced by Barraclough Carey Productions . The show was initiated by Peter Weil and produced by Barraclough Carey Productions . 1 +Some first floor windows at the southern end of the western wall are modern replacements . Some windows on the first floor at the western end of the southern wall are modern replacements . 0 +In 2010 , Stefan Mross presented an episode in August while Axel Bulthaupt was absent for private reasons . Stefan Mross presented an episode in August 2010 , whereas Axel Bulthaupt was absent for private reasons . 1 +The idea is to sort the data on the x or y coordinates of one of the corners of the rectangles . The idea is to sort the data on the x or y coordinate of one of the corners of the rectangles . 1 +It is found throughout the central Palaearctic Region , from Turkey , Cyprus and Lebanon , east through Pakistan , Iran , Afghanistan and northern Iraq to Kashmir . It is found throughout the central palaearctic , from Turkey , Cyprus , and Lebanon , through Iraq , Iran , Afghanistan , and northern Pakistan to Kashmir . 0 +Typically , the warmest day of the year will attain , and 3.7 days a year should reach a maximum temperature of or above . Typically , the warmest day of the year is reached , and a maximum temperature of or above should reach 3.7 days a year . 1 +This quote is often described as “ Philadelphia in the East , Pittsburgh in the West , and Alabama in the Middle . ” "This quote is often paraphrased as "" Philadelphia in the east , Pittsburgh in the west and Alabama in the middle . """ 1 +"The first known European observation of Whidbey Island was during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." "The first well-known Spanish sighting of Whidbey Island was during the European expedition of Manuel Quimper and Gonzalo López de Haro at the "" Princesa Real "" in 1790 ." 0 +Although its conjugated acid is highly reactive , peroxynitrite in stable solutions is basic . Although its conjugate acid is highly reactive , peroxynitrite is basic in stable solutions . 1 +The position was filled by Mitchel McLaughlin from 2007 until 13 October 2014 , but has since been followed by William Hay . The position was filled from 2007 , until 13th October 2014 by Mitchel McLaughlin , but has since been succeeded by William Hay . 1 +He also sang with success at La Fenice in Naples , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Venice . He sang with success also in La Fenice in Venice , in the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Naples . 0 +In 1890 , French Colonel Louis Archinard formally conquered the entire territory of the former Kingdom of Kaarta , which was annexed to the French West Africa in 1904 . French Colonel Louis Archinard formally conquered the entire territory of the former Kaarta kingdom in 1890 , which was later annexed into French West Africa in 1904 . 1 +Intravenous therapy is utilized and the urine output is monitored with a catheter in the bladder . The intravenous therapy is applied and the urine output is monitored with a catheter in the bladder . 1 +""" Gynacantha rosenbergi "" is larger than "" Gynacantha dobsoni "" , which seems quite similar in many ways ." """ Gynacantha rosenbergi "" appears larger than "" Gynacantha dobsoni "" , which in many ways is quite similar ." 0 +The Olt is a river tributary of the Madicea River in Romania . The Olt River is a right tributary of the Madicea River in Romania . 1 +He married Agnes Theodora Walther , daughter of Vagn Petersson in 1881 , and his son is the botanist and sketch artist Vilhelm Theodor Walther . In 1881 he married Agnes Theodora Walther , the daughter of Vilhelm Theodor Walther , and his son is the botanist and outliner of Vagn Petersson . 0 +They are exhibited for veneration in the Great Cathedral in summer and in the Old Cathedral in winter . They are exhibited in the Old Cathedral in the summer and in winter in the Great Cathedral . 0 +In both the stage and the film versions of Hedwig and The Angry Inch , the figure of Hedwig moves to East Germany after leaving Junction City . In both the stage and film version of Hedwig and the Angry Inch , the character of Hedwig moves to East Germany after leaving Junction City . 1 +Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League from 1957 to 1974 . Bassett was the owner of the Canadian Football League , a team in the Toronto Argonauts from 1957 to 1974 . 0 +"Avedon interpreted this phenomenon to Rowlands in an interview for the book : "" It 's because Vreeland lasted ." "In an interview for the book , Avedon interpreted this phenomenon for Rowlands : "" It 's because Vreeland lasted ." 1 +"In 1997 , he made a cameo appearance in episode 164 of Wings ( 8th episode of the 16th season ) entitled "" Escape from New York "" ." "In 1997 he made a cameo appearance in succession 164 of Wings ( 16th episode of the 8th season ) entitled "" Flight from New York ." 0 +This problem is common for optical equipment in special shops and among residents of European origin . This problem is common for optical equipment in special shops and among the residents of European origin . 1 +It begins near the western extremities of the Central Oregon Coast Range and flows generally west to the ocean south of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows south to the sea in general west of Depot Bay and north of Otter Rock . 0 +Miguel Ángel Virasoro ( born 1940 in Italy ) is an Argentinean physicist who has done most of his work in Argentina . Miguel Ángel Virasoro ( * 1940 in Argentina ) is an Argentine physicist who has done most of his work in Italy . 0 +It was designed by architect Henry L. Taylor and built by O. R. Woodcock . It was designed by architect Henry L. Taylor and was built by O. R. Woodcock . 1 +On October 19 , Shire PLC ( SHPG ) replaced Linear Technology ( LLTC ) in the index . On 19 October , Linear Technology ( SHPG ) replaced the Shire PLC ( LLTC ) index . 0 +MCI migrated the voice and data traffic of most SBS customers to its terrestrial network . SBS migrated the voice and data traffic of most MCI customers to its terrestrial network . 0 +Major airports near Seymour include : Austin Straubel International Airport ( public ) , in Greenville ; Appleton International Airport ( public ) , in Ashwaubenon . Airports near Seymour : Austin Straubel International Airport ( public ) in Ashwaubenon and International Airport Appleton ( public ) in Greenville . 0 +"On March 19 , 2013 , the film previously received the name "" One Direction : This Is Us "" , which was later referred to as "" 1D3D "" ." "The film was previously given the name "" One Direction : This Is Us "" on 19 March 2013 , later being referred to as "" 1D3D "" ." 1 +The best-known version of the song was produced by Dick Rowe and recorded in 1953 in England by The Stargazers . Probably the best-known version of the song was recorded by Dick Rowe and produced in the UK by The Stargazers in 1953 . 0 +His mother was called Albert Henneberg and his father Augusta Boltman was an opera singer . His mother was named Albert Henneberg , and his father , Augusta Boltman , was an opera singer . 1 +"He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" . The first mention mistakenly names his father , James Hinton ." "He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" , who mistakenly calls his father James Hinton in the first mention ." 1 +In 2006 , Bozanga was appointed Chairman of the State Council by President François Bozizé . In 2006 , François Bozizé was appointed by President Bozanga as Chairman of the Council of State . 0 +Peter Anna Barattin married in 2013 while Julia was married to Nicholas Furiuele , both of whom are members of the band Shantih Shantih . In 2013 , Nicholas married Furiuele Julia , while Peter is married to Anna Barattin , both of whom are members of the band Shantih Shantih . 1 +Thimilarmadam is a small town in Northern Province , within Sri Lanka . Thimilarmadam is a small town in Sri Lanka 's northern province . 1 +Initially Jayaram and Mamta Mohandas signed into play the lead pair and later Anusree replaced Mamta . Initially , Jayaram and Mamta Mohandas brought the lead pair into play and later Anusree Mamta replaced . 1 +Since then a number of routes in North Worcestershire have been re-branded as First Midland Red along with new routes in competition with Red Diamond 's in Redditch . Since then , a number of routes in North Worcestershire have been renamed Red Diamond along with new routes in competition with First Midland Red in Redditch . 0 +Another new bridge was built by Neak Leung at Phnom Penh to the Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . Another new bridge was built at Phnom Penh on the Neak Leung to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . 0 +On 23 January 2018 , funimation licensed the series in North America and released the first Blu - ray and DVD set . Funimation licensed the series in North America and released the first Blu-ray and DVD set on January 23 , 2018 . 1 +The initial plan was to promote Paul Collingwood to the now vacant opening position - Schlagmann - position and to include Mark Butcher in the middle order . The initial plan was to promote Paul Collingwood to the now vacant opening batsman position , and include Mark Butcher in the middle order . 1 +The system uses a mixture of underground and elevated stations and has standard gauge . The system has a mix of underground and elevated stations and uses standard gauge . 0 +The city of Santa Fe has designated the Oklahoma City station as a location for intermodal transit for the city and the conurbation area . The City of Oklahoma City has designated the Santa Fe station as the location for intermodal transit services for the city and metropolitan area . 0 +On the island of Brač , Ignjat Job painted personal landscapes in a colourful Expressionist style . Ignjat Job painted colourful landscapes on the island of Braa in a personal Expressionist style . 0 +Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English internal football player who played for Grimsby Town and Bury in the Football League . Alfred Gregson ( March 2 , 1889 -- March 1968 ) was an English professional football left player for Grimsby Town and Bury in the Football League . 0 +Born in Nanjing , he attended the engineering school in Nanhui and spent one year at the University of California . Born in Nanjing , he attended engineering school in Nanhui and spent a year at the University of California . 1 +The recording was produced by Roscoe Lee Browne and narrated by George Lucas and Alan Livingston . The recording was produced by George Lucas and Alan Livingston , and was narrated by Roscoe Lee Browne . 0 +She studied voice with Raúl Quintanilla and later enrolled at the TV Azteca School ( CEFAC ) , where she studied with Carlos Fernández . She studied singing with Raúl Quintanilla and later enrolled in the TV Azteca School ( CEFAC ) , where she studied with Carlos Fernández . 1 +""" Chuck Versus the Wedding Planner "" was written by Rafe Judkins and Lauren LeFranc and was directed by Anton Cropper ." """ Chuck Versus the Wedding Planner "" was directed by Anton Cropper and is written by Rafe Judkins and Lauren LeFranc ." 1 +He spent several years in New York City as a computer consultant and software engineer and moved to Atlanta in 1998 . He spent several more years in Atlanta as a computer advisor and software engineer , then moved to New York City in 1998 . 0 +In November 2012 she was in Cairo and in October in Tokyo to write at the film festivals , interact with programmers and visit studios . She was in Tokyo in November 2012 , and in October she was in Cairo to write at the film festivals , interact with programmers and visit studios . 0 +William Middleton ( or William de Middleton ; died on August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . William Middleton ( or William de Middleton ; died 31 August or 1 September 1288 ) was a medieval Bishop of Norwich . 1 +He married Elizabeth ( 1770 -- 1845 ) , the youngest daughter of Peter Dobree of Beauregarde , Guernsey . He married Peter Dobree ( 1770 -- 1845 ) , youngest daughter of Elizabeth of Beauregarde , Guernsey . 0 +It has been claimed that the church was founded in the 7th century by St Birinus , and parts of the church date from the 12th century . It was claimed that the church was founded by St. Birinus in the 12th century , and parts of the church date from the 7th century . 0 +Initials , when used , can be placed either before or after their first name . When initials are used , they can either be placed before or after their first name . 1 +The Sterminos River is a tributary of the River Voievodu in Romania . The Sterminos River is a tributary of the Voievodu River in Romania . 1 +The shape of the audiogram categorizes abrupt high-frequency loss ( sensorial phenotype ) or flat loss ( strial phenotype ) . The shape of the audiogram categorizes strial-frequency loss ( flat phenotype ) or abrupt high loss ( sensory phenotype ) . 0 +Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard , cousin of Claude Pratte , son of Gaston Pratte and Jeannette Verge . Born in Quebec City , Quebec , son of Garon Pratte and Claude Pratte , cousin of G. Rivard , the son of Gaston Pratte and Jeannette Verge is . 0 +They could perhaps have been relatives , instead members of a family bonded by blood to serve Dracula . They could have been relatives , instead members of a family tied by blood to serve Dracula . 1 +"Between these two towns , the road followed ( unlike the current asphalt road ) the route of the old path of "" Bougas "" ." "In between these two cities the road ( unlike the current asphalt road ) followed the route of the old path of "" Bougas "" ." 1 +In the United Kingdom , meskaline is a class A drug in purified powder form , but dried cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be bought and sold legally . 0 +In 1836 he moved to Nacogdoches near Texas . He moved to Texas in 1836 to near Nacogdoches . 0 +The body of Marian Anderson was found by her sister Lolly and Danielle Santos Bernal on 4 November 2001 . Danielle Santos Bernals Body was found on November 4 , 2001 by her sister Lolly and Marian Anderson . 0 +Aslan offered to accompany the children , as he wanted to see Frank himself . Aslan offered to accompany the children , because he wanted to see Frank himself . 1 +In 1989 he posthumously won the Outstanding Personal Contribution to Radio award from the Broadcasting Press Guild . "In 1989 he posthumously won the award "" Personal Outstanding Contribution to the Radio "" of the Broadcasting Press Guild ." 1 +Mackenzie is a writer-in-residence at the 2B Theatre in Montreal and teaches at the National Theatre School of Canada in Halifax . Mackenzie is a writer in the 2B Theatre in Montreal and teaches at the National Theatre School of Canada , Halifax . 1 +"Streisand and Columbia Records released "" ButterFly "" on October 1 , 1974 as her sixteenth studio album overall , distributed months after "" The Way We Were "" ." "Streisand and Columbia Records distributed "" ButterFly "" as their sixteenth studio album on October 1 , 1974 , months after "" The Way We Were "" ." 0 +He intervened in the war of Awan and Waroux and participated in the siege of Maastricht in 1334 . He participated in the War of Awans and Waroux and intervened in the 1334 siege of Maastricht . 0 +It features a fresh 1814 shoot on legendary artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . It has a legendary 1814 shoot on fresh artists from Johnny Cash , Ring of Fire to UB40 , picture on the wall . 0 +Kublai built schools for Chinese scholars , spent paper money , revived Confucian rituals , and supported policies that stimulated agricultural and commercial growth . Kublai built schools for Confucian scholars , issued paper money , revived Chinese rituals , and endorsed policies that stimulated agricultural and commercial growth . 0 +The Seaborne landings were first proposed by Michael Collins and then taken over by Emmet Dalton . Seaborne landings were the first proposed by Michael Collins and then adopted by Emmet Dalton . 1 +Bessie married Parnell John Parnell , daughter of John Peter Featherston , County Wicklow , Ireland in 1871 . In 1871 Bessie Parnell married John Parnell , daughter of John Peter Featherston , of County Wicklow , Ireland . 1 +In rats , it also inhibits the peripheral , if not central , secretion of oxytocin and vasopressin . It also inhibits the central , though not peripheral secretion of oxytocin and vasopressin in rats . 0 +While octreotide has reduced the terminal threonin to the corresponding amino alcohol . While octreotide has the corresponding amino threonine reduced to the terminal alcohol . 0 +Khurda Road is one of three divisions of the East Coast Railway . East Coast Railway is one of the three divisions of Khurda Road . 0 +Is a short book published by Virginia Cary Hudson , first in 1962 with illustrations by Karla Kuskin . Is a short book by Virginia Cary Hudson , first published in 1962 with illustrations by Karla Kuskin . 1 +The company also sold storage and safety accessories , like hard soft luggage , vinyl sided cases , and helmets . The company also sold storage and safety accessories like hard soft luggage , vinyl sides and helmets . 1 +St. James ' parish is a member of the Benefice of Culworth with Sulgrave and Thorpe Mandeville and Chipping Warden with Edgcote and Moreton Pinkney . Parish St. James is a member of the Benefice of Culworth with Chipping Warden and Thorpe Mandeville and Sulgrave with Edgcote and Moreton Pinkney . 0 +Designed by Peter Kimelman and PK ( Jess Hobbs , Rebecca Anders ) , it was built by a crew of 300 in a period of 4 months . Designed by Jess Hobbs , Rebecca Anders and PK ( Peter Kimelman ) it was built by a crew of 300 over a period of 4 months . 0 +In January 2000 , Alta Residential Mortgage Trust announced the forthcoming acquisition of the Los Angeles-based Washington Mutual for $ 23 million . In January 2000 , Alta Residential Mortgage Trust announced the pending acquisition of the Los Angeles-based Washington Mutual for $ 23 million . 1 +The last meeting of the BBU in Chicago in 1932 was the first meeting of GARBC . The first meeting of the BBU 1932 in Chicago was the final meeting of the GARBC . 0 +The Mine South Deep is a large mine in the northern part of Gauteng in South Africa . The South Deep mine is a large mine located in the northern part of Gauteng in South Africa . 1 +Membership of this group provides a still impressive but incomplete picture of the breadth of the actors that influence global environmental policies . The membership of this group gives a still impressive but incomplete picture of the breadth of actors that influence global environmental governance . 1 +The cynical manipulation of Stavely 's easily corruptible islanders was interpreted as an indictment of Western imperialism and the cultural tyranny of American missionaries . Stavely 's cynical manipulation of the easily corruptible islanders has been interpreted as an indictment of Western imperialism and the cultural tyranny of American missionaries . 1 +On 14 December 2011 , he was traded with Kyle Weiland to the Houston Astros for Reliever Mark Melancon . On December 14 , 2011 , he was traded along with Mark Melancon to the Houston Astros for reliever Kyle Weiland . 0 +The long Herring Island lies east of Bousquet Island in the Windmill Islands . Bousquet Island , long , lies immediately east of Herring Island in the Windmill Islands . 0 +Surprise Lake is a lake on Brewster Lake north of Vancouver Island and south of Amor Lake . Surprise Lake is a lake on Vancouver Island north of Brewster Lake and to the south of Amor Lake . 0 +12242 Amritsar Chandigarh Superfast Express leaves Amritsar Junction daily at 05 : 15 IST and reaches Chandigarh at 09 : 10 IST on the same day . 12242 Amritsar Chandigarh Superfast Express leaves Amritsar Junction on a daily basis at 05 : 15 hrs IST and reaches Chandigarh at 09 : 10 hrs IST the same day . 1 +In addition , German uses separable stress for inseparable prefixes and different prefixes in verbs and words derived from such verbs . In addition , German uses divisible stress for inseparable prefixes and different prefixes in verbs and words derived from such verbs . 1 +She is portrayed by Lily Collins in the film adaptation of the book and Katherine McNamara in the television series . She is portrayed by Katherine McNamara in the film of the book and Lily Collins in the television series . 0 +Magnus turned heel and reformed the British Invasion with Williams by attacking the team of Eric Young and Orlando Jordan . Williams turned around and reformed the British invasion of Magnus by attacking the Eric Young and Orlando Jordan team . 0 +There are two SPS - Repeater stations : one at Gamaboi in South Africa and one at Catope in Mozambique . There are two PLC repeater stations : one at Gamaboi in South Africa and one at Catope in Mozambique . 0 +He lives with his wife Cynthia in Ridgefield , Connecticut , and has four children : Lindsay , Heather , Jason and Rebecca . He currently lives in Ridgefield , Connecticut , with his wife Cynthia . He has four children : Jason , Heather , Lindsay , and Rebecca . 1 +In the November 1856 state elections , 81 Americans , 31 Democrats , and 8 Republicans were elected to the Assembly for the 1857 session . In the November 1856 state elections , 81 Republicans , 31 Democrats , and 8 Americans were elected to the Assembly for the 1857 session . 0 +An additional compressor , using a large prism with lateral reflectors to enable a multi-pass arrangement at the prism , was introduced in 2006 . In 2006 , an additional compressor was introduced with a lateral prism with large reflectors to allow a multi-pass arrangement at the prism . 0 +He received official Mongolian recognition as the ruler of Burma in March 1298 . He received Mongol official recognition as the ruler of Burma in March 1298 . 1 +Kaia Kanepi defeated Caroline Wozniacki , 6 -- 2 , 3 -- 6 , 6 - 1 Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 -- 1 0 +After the departure of Richie Towell in December 2015 , Finn was played in a more advanced position . Following the departure of Finn in December 2015 , Richie Towell was played in a more advanced position . 0 +With his formula for the producing function for the Betti - numbers of the Hilbert scheme of points on an algebraic surface , Göttsche received international recognition : With his formula for the creating function for the Hilbert - numbers of the betti scheme of points on an algebraic surface , Göttsche received international recognition : 0 +Notre Dame received half of the $ 7.6 million that NBC paid for the rights each year of the deal and its opponent got the other half . Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and the opponent received the other half . 1 +The young strikers Pit Martin , Jack Norris and Gilles Marotte sent to Boston in exchange for Phil Esposito , Ken Hodge and Fred Stanfield . Chicago sent young forwards Pit Martin , Jack Norris and Gilles Marotte to Boston in exchange for Phil Esposito , Ken Hodge and Fred Stanfield . 1 +Scientists believe that amber was deposited in a flat part of a prehistoric basin during the Upper Eocene and the Lower Oligocene in a delta of a naval river . Scientists believe that amber was deposited during the Upper Eocene and Lower Oligocene in a delta of a prehistoric river , in a shallow part of a marine basin . 0 +He took the fourth place in 1984 Olympic Games , but he beat the gold medalist Jeff Blatnick at the first round . He took first place at the Olympic Games in 1984 , but he beat the gold medal winner Jeff Blatnick in the fourth round . 0 +Elliott Gould was not exactly my idea of Philip Marlowe , but anyway there we were . Elliott Gould was not exactly my idea of Philip Marlowe , but however , we were there . 1 +PLEO delegates usually consist of members of the Democratic National Committee , Democratic members of Congress , Democratic Governors , and former Democratic Party leaders . The PLEO delegates typically consist of members of the Democratic National Committee , democratic members of Congress , democratic governors , and former party leaders . 1 +During the Gulf War , the NPC called the Gulf Crisis Working Group , a coalition of several groups that organised . During the Gulf War , the NPC called the Gulf Crisis Working Group , a coalition of several groups that had organized . 1 +The Izbândiș River is a tributary of the Crişul Repede River in Romania . ' "The river Crişul Repede is a tributary of the Izbândi "" River in Romania ." 0 +The government was led by Gordon Coates from the United Party , with George Forbes of Reform as finance minister . The government was led by Gordon Coates of the United Party , with George Forbes of Reform as Minister of Finance . 1 +Dorset is a city in western Vermont , Taconic Range in the northern part of Bennington County . Dorset is a town in northern Bennington County , in the Taconic Range of western Vermont . 0 +"Makeba produced Rihanna 's vocals for Eminem 's single "" Love the Way You Lie "" ." "Makeba produced Rihanna 's vocals for Eminem 's single "" Love the Way You Lie "" ." 1 +Bayswater is connected to the Swan River by the Garratt Road Bridge and the Redcliffe Bridge ( Tonkin Highway ) south of the city . Bayswater is connected to the south by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) south of the Redcliffe Bridge . 0 +In Singapore , ADCs , officers of the Singapore Civil Defence Force and the Singapore Armed Forces are wearing gold - Aiguillettes , and police officers wearing silver Aiguillettes . In Singapore , ADCs who are officers of the Singapore Civil Defence Force and the Singapore Armed Forces wear gold aiguillettes and police officers wear silver aiguillettes . 1 +In 2004 , Peter Eigen celebrated her second wedding with longtime companion Gesine Schwan in Berlin . In 2004 Peter Eigen celebrated her second wedding in Berlin with the long-standing companion Gesine Schwan . 1 +"In 51 BC , Julius Caesar returned to Gallia , where he was again "" Legatus "" for Vatinius ." "Julius Caesar returned to Gaul in 51 BC , where he was again a "" legatus "" for Vatinius ." 1 +The new style was also encouraged by changes in the social order and the economic structure . The new style was also encouraged by changes in the economic order and social structure . 0 +Born in Gosforth , Northumberland , as a boy he moved south to the Wiseton Estate , near Retford , Nottinghamshire when his father found work there . Born in Gosforth , Northumberland , he moved to the south as a boy to Wiseton Estate , near Retford , Nottinghamshire , when his father found jobs there . 1 +is approximately ten miles from downtown Oklahoma City and borders the city of Nicoma Park to the east and the city of Midwest City to the south . Spencer is approximately ten miles from downtown Oklahoma City and borders the City of Nicoma Park to the east and the City of Midwest City to the south . 1 +It was revealed during the hearings that neither Claude nor Forbes knew that Lewis had feathered the number . It was revealed during the hearings that neither Lewis nor Forbes knew that Claude had feathered the number . 0 +In 2011 won the U20 - Team of Dorset and Wilts 4 and played 3 in the U20 County Championship competition . In 2011 the Dorset and Wilts U20 side won 4 and played 3 in the U20 County Championship competition . 1 +Brockton is situated about 25 miles south of Boston and 30 miles northeast of Providence , Rhode Island . Brockton is approximately 25 miles south of Boston , and 30 miles northeast of Providence , Rhode Island . 1 +The definitive King George V final series was issued in 1935 . The final King George V definitive series was exhibited in 1935 . 1 +In 1975 he moved to Odibo , and in 1977 returned to Windhoek . In 1975 he returned to Odibo , and in 1977 to Windhoek . 0 +Humphrey 's mother , according to Robert of Torigni , was Duvelina , sister of Gunnora , concubine of Richard I , Duke of Normandy . According to Robert von Torigni , the mother of Humphrey Duvelina , sister of Gunnora , was a concubine of Richard I , duke of Normandy . 1 +Bhilai is located at Bhilai Airport , in Chhattisgarh , India . Bhilai is located in Chhattisgarh , India at Bhilai Airport . 1 +Alison visits Catherine in hospital and tells her that she is always available to talk to . Catherine visits Alison in hospital and tells her that she is always available to talk to her . 0 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs free energy ( ΔG ) to the number of non-hydrogen atoms of the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs of free energy ( Α G ) to the number of non-hydrogen atoms in the compound : 1 +He was the father of the painter John Hesselius and cousin of religious leader Emanuel Swedenborg . He was the father of the painter Emanuel Swedenborg and cousin of religious leader John Hesselius . 0 +The first trustees were Robert Hall ( Chairman ) , David Limond Murdoch , Mielziner Arthur Myers , and Alfred Seymour Bankart . The first trustees were David Limond Murdoch , Arthur Mielziner Myers ( President ) , Robert Hall and Alfred Seymour Bankart . 0 +In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Lawrence County with parts of the Lackawannock Township in Mercer County . In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Mercer County with parts of the Lackawannock Township in Lawrence County . 0 +John R. MacLean was elected speaker in 1965 . Frank Myers replaced MacLean as speaker in 1965 . John R. MacLean was elected speaker . Frank Myers replaced MacLean as speaker in 1965 . 1 +"Also the caterpillars of the Engrailed - Moth ( "" Ectropis crepuscularia "" ) , a polyphagic geometer - Moth , feed on Purple Loosestrife" "Caterpillars of the polyphagous moth ( "" Ectropis crepuscularia "" ) , a engrailed geometer moth , also feed on Purple Loosestrife ." 0 +"The crossover - influence of the successful contemporary country is also reflected in the music of the Australian bands "" The Waifs "" and "" The John Butler Trio "" ." "The crossover influence of successful contemporary country is also evident in the music of Australian bands "" The Waifs "" and "" The John Butler Trio "" ." 0 +On 9 December 1979 , Carl von Basedow died at the Otto - Müller - Clinic in Merseburg as a result of a severe lung complaint . On 9 . December 1979 , Otto Müller died as a result of a serious lung complaint in the Carl von Basedow clinic in Merseburg . 0 +Elena Dementieva won in the final 6 -- 3 , 6 -- 2 , against Alisa Kleybanova . Elena Dementieva won 6 -- 3 , 6 -- 2 against Alisa Kleybanova in the finals . 1 +Aatma is the third studio album of Colonial Cousins , an Indian duo composed of singer Hariharan and singer - composer Lesle Lewis . Aatma is the third studio album of Colonial Cousins , an Indian duo composed of singer Hariharan and singer-composer Lesle Lewis . 1 +Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the border to Virginia . Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the Virginia border . 0 +Viñac District is one of thirty-three districts of the Lima Region in the Yauyos Province of Peru . The district Viñac is one of thirty-three districts of the province of Yauyos in the Peruvian region Lima . 0 +In January 2017 , the average net content of a Croatian worker was 5,895 HRK per month and the average gross salary of 7,911 HRK per month . The average net salary of a Croatian worker in January 2017 was 5,895 HRK per month , and the average gross salary was 7,911 HRK per month . 0 +The destroyer was defeated in 1922 and ordered to the Philadelphia Navy Yard on 12 April , where she was inactivated on 17 July 1922 . The destroyer was decommissioned in 1922 , and on 12 April , entered the Philadelphia Navy Yard where she was ordered inactivated on 17 July 1922 . 0 +He played for Beacon FC , Camptown FC and Alpha United and had stints with Notre Dame of Barbados and Caledonia AIA in the T 'T Pro League . He played for Beacon FC , Camptown FC and Alpha United and had stints with Notre Dame of Barbados and Caledonia AIA in the T & T Pro League . 1 +Nyceryx tacita is a moth of the family Sphingidae , which is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . Nyceryx tacita is a moth of the family Sphingidae . It is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . 1 +Moncena Dunn ( 1582 -- 1644 ) was a 9th great grandfather of Stephen Hopkins . Moncena Dunn ( 1582 - 1644 ) was a 9th grandfather of Stephen Hopkins . 1 +For this match , Paul Jones was bound by a rope to Dusty Rhodes in Valiant corner . For this match Paul Jones in Valiant 's corner was tied by a rope to Dusty Rhodes . 1 +Likewise , an individual 's perception of self-worth is a changing attitude that can rise and fall with fluctuating components of the physical self . Likewise , the perception of self-worth as an individual is a fluctuating attitude that can rise and fall with changing components of the physical self . 1 +The song is diatonic , with a prominent series of three descending main chords providing the tuneful hook . The song is vocal , with a prominent series of three descending diatonic chords providing the main hook . 0 +Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the constitutional traditional monarchies in 21st century Uganda . Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in the Uganda of the 21st century . 0 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian - born American composer and musician . Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an American-born Italian composer and musician . 0 +Each line has three points , so the Hesse configuration includes the notation 912 in the language of the configurations . Each line contains three points , so the Hesse configuration has the notation 912 in the language of the configuration . 1 +Dodson maintains private practice in New York City and has an active website . Dodson has private practice in New York City and maintains an active website . 0 +Most incidents occurred at Donetsk , Yasinuvata , Oleksandrivka , Kruta Balka and Spartak airport . Most of the incidents occurred at Donetsk Airport , Yasinuvata , Oleksandrivka , Kruta Balka and Spartak . 1 +In October 2001 , he defended his Ph.D. in Psychology at the Free University of Brussels on the theme of the human models of cognitive hypertext navigation . He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of cognitive models of human hypertext navigation . 0 +In 1960 , Ardley married Bridget Gantley , and the couple had one daughter . In 2003 he married Vivian Wilson . He died in Milford , Derbyshire . In 1960 , Ardley married Bridget Gantley , the couple had a daughter , in 2003 he married Vivian Wilson and died in Milford , Derbyshire . 1 +The second method is used when the number of elements in each line is the same and is known at the time the program was written . The second method is used when the number of elements in each row is the same and known at the time the program is written . 1 +These dioceses had an indirect election of four members , direct election of three members . These dioceses had the direct election of four members , the indirect election of three members : 0 +He has presented lectures and conference of the College Art Association in Toronto ( 2007 ) and at the Subtle Technologies Conference in New York ( 2002 ) . He has presented papers and the College Art Association conference in Toronto ( 2007 ) and at the Subtle Technologies Conference in New York ( 2002 ) . 1 +Many central government agencies are located in New Taipei City , because of the proximity to the capital , Taipei City . Many agencies of the central government are located in Taipei City due to its proximity to the capital New Taipei City . 0 +"Lytton was Emma Watson 's double counterpart in the film "" Harry Potter and the Chamber of Secrets "" ." "Emma Watson was Lytton 's doppelgänger in the film "" Harry Potter and the Chamber of Secrets "" ." 0 +He returned to Connecticut in 1877 , but soon went back to California and went to the Republic of Salvador in the autumn of 1879 as a state geologist . In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador as a state geologist in the fall of 1879 . 0 +In front of the broken veranda are holes for fastening wooden pillars . In front of the broken veranda are holes for fixing wooden pillars . 1 +One of the advantages the quantitative research as a whole has over qualitative research is its flexibility . One of the advantages of qualitative research as a whole over the quantitative is its flexibility . 0 +She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland , who married Stephen Jackson . She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson , who married Henry Albert Hartland . 0 +On 4 May 2015 , the UOB opened its Myanmar branch in Yangon . UOB opened its Myanmar branch in Yangon on 4 May 2015 . 1 +Saunders was born in the county of Wicklow , the son of Matthew J. Saunders , from Dublin . Saunders was born in County Wicklow , the son of Matthew J. Saunders , of Dublin . 1 +After many delays , the segment from Abuja to Kaduna ( 187 km ) opened officially on 26 July 2016 . The segment from Abuja to Kaduna ( 187 km ) was officially opened on July 26th , 2016 after many delays . 1 +The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the Ministers for Ministers by other members of the task force . The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the other ministers by ministerial members of the task force . 0 +The Buchan Caves are located approximately east northeast ( or five hours ' drive ) from Melbourne , along the Princes Highway , north of Lakes Entrance . The Buchan Caves are located approximately east to the northeast ( or five hours by car ) from Melbourne , along Princes Highway , north of Lakes Entrance . 1 +Kimilili Constituency is in academic rivalry with Friends School Kamusinga ( also of Kimilili ) and Bungoma High School of Bungoma District . Kimilili constituency is in academic rivalry with the friends school Kamusinga ( also of Kimilili ) and Bungoma High School of the Bungoma District . 1 +"Based on the A3 , the "" A3L "" type developed from aluminum was built ." "So , based on the A3 , the "" A3L "" type developed from aluminum was built ." 1 +Francisco Javier Mier Campillo ( 1748 - 1818 ) was a Spanish bishop who , from 1814 to 1818 , was a Grand Inquisitor in Spain . Grand Inquisitor ( 1748 -- 1818 ) was a Spanish bishop who was Francisco Javier Mier Campillo of Spain from 1814 to 1818 . 0 +Femi 's musical career began when he started playing in his father 's band , Egypt 80 . Femi 's musical career began when he started playing in the band of his father , Egypt 80 . 1 +Carlos Robacio , BIM5 commander , was awarded the Argentine Nation to the Valour in Combat Medal and the battalion itself was decorated by the Argentine Congress in 2002 Carlos Robacio , BIM5 - Commander , was awarded the Argentine nation to the Valour in Combat Medal and the Battalion itself was awarded by the Argentine Congress in 2002 . 0 +He also served as North Cornwall District Councillor , a Bude - Stratton Councillor , and was a Mebyon Kernow parliamentary candidate for North Cornwall . He also served as a North Cornwall councillor , a Bude-Stratton town councillor , and was Mebyon Kernow parliamentary candidate for North Cornwall District . 0 +Additional land was transferred to Malden from Medford ( 1817 ) , Everett ( 1875 ) , and Malden ( 1877 ) again . Malden ( 1817 ) , Everett ( 1875 ) and Malden ( 1877 ) again transferred additional land to Medford . 0 +Natural Essence is the debut album by American saxophonist Tyrone Washington featuring performances recorded in 1967 and released on the Blue Note label . Natural Essence is the debut album by the American saxophonist Tyrone Washington with performances published in 1967 and recorded on Blue No 0 +Another Marston Company product line began in 1931 , with Marine - outboard engines initially known as Marston Seagull , later marketed as British Seagull . Another Marston company product line started in 1931 , with marine outboard engines first marketed as Marston Seagull , later known as British Seagull . 0 +Athelas Sinfonietta Copenhagen is a Copenhagen-based , modern chamber ensemble specializing in the performance of Danish compositions . The Athelas Sinfonietta Copenhagen is a Copenhagen-based , modern chamber ensemble specializing in the performance of Danish compositions . 1 +None of the Polish-Russian treaties concerning Kiev has ever been ratified . None of the Russian-Polish treaties concerning Kiev have ever been ratified . 1 +On 7 March , TF Muir crossed the Kyll and took a bridge across the River Ahr on 8 March at Dollendorf . On 7 March , TF Muir crossed the Kyll River and on 8 March seized intact a bridge across the Ahr River at Dollendorf . 1 +The constituency is situated in South Wales , on the right bank of the River Afan , near the mouth of Swansea Bay . The constituency is in South Wales , situated on the right bank of the River Afan , near its mouth in Swansea Bay . 1 +In Wimbledon , Osaka defeated Sara Sorribes Tormo and Barbora Strýcová before losing Venus Williams in the third round . At Wimbledon , Osaka defeated Sara Sorribes Tormo and Venus Williams , before losing to Barbora Strýcová in the third round . 0 +The Pittsburgh Frank Seder was completed in 1913 , but destroyed in 1917 by a fire with a loss of $ 600,000 , and expanded its replacement in 1918 . The Pittsburgh Frank & Seder was completed in 1913 , but destroyed by fire in 1917 at a loss of $ 600,000 ; its replacement was expanded in 1918 . 1 +The PBA season of 1990 was the 16th season of the Philippine Basketball Association ( PBA ) . The 1990 PBA season was the 16th season of the PBA ( Philippine Basketball Association ) . 1 +On 23 January 2006 , Stephen Harper was defeated as Prime Minister of Canada by Paul Martin . On 23 January 2006 , Paul Martin was defeated as Prime Minister of Canada by Stephen Harper . 0 +They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in quarter finals 58 -- 10 . 0 +The Late neolithic cultures have affinities with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady valley and late neolithic developments in South China . Late Neolithic cultures have a relationship with the spread of the Mon Khmer speaking people from Malaysia and the Ayeyarwady Valley and the late Neolithic developments in southern China . 1 +Ogbemudia was appointed Military administrator of Mid-West state in September , 1967 following the liberation of state from the secessionist Biafran forces . In September 1967 , following the liberation of the state from the secessionist Biafran forces , Ogbemudia was appointed military administrator of the mid-western state . 1 +Robertson is a railway station in Robertson , New South Wales , on the Unanderra -- Moss Vale railway line . Robertson is a railway station in Robertson , New South Wales , on the Unanderra railway line -- Moss Vale . 1 +Elati is a village in the Kozani Regional Unit in Greece . Elati is a village in the Kozani regional unit , Greece . 1 +It was called the first home of former settlers after Bennington , Vermont . It was named after Bennington , Vermont the first home of former settlers . 1 +Crowe became CO of the squadron on 9 July and asked Doyle to join him as ' A'Flight commander . "On July 9 , Doyle CO became the squadron and asked Crowe to join him as "" A Flight Commander "" ." 0 +"SynthFont is a commercial MIDI editor and "" MIDI to Waveform "" converter , developed by European software developer Kenneth Rundt ." "SynthFont is an European MIDI editor and "" MIDI to Waveform "" converter , developed by the commercial software developer Kenneth Rundt ." 0 +Athelas Sinfonietta Copenhagen is a Copenhagen-based , Danish chamber ensemble specializing in the performance of modern compositions . The Athelas Sinfonietta Copenhagen is a Copenhagen-based Danish chamber ensemble specializing in the performance of modern compositions . 1 +Phil Testa served under Frank and later Nicky Scarfo . Under Phil Testa and later Nicky Scarfo was served by Frank . 0 +Like the army , the Navy has a single-track system , where officers from other Navy communities permanently transfer to Foreign Area Officer . As with the navy , the army has a single-track system where officers from other naval communities permanently transfer to the Foreign Area Officer . 0 +On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League B of New York Cosmos . On May 6 , 2016 it was announced that Palafox signed to National Premier Soccer League B of the New York Cosmos . 1 +The new algorithm , however , would divide the original interval into a larger and a smaller subinterval in Step 4 . However , the new algorithm would divide the original interval in step 4 into a larger and a smaller partial interval . 1 +The 9th Highland Brigade was attached to the 1st Infantry Division from the 3rd Infantry Division . The 3rd Highland Brigade was connected from the 9th Infantry Division to the 1st Infantry Division . 0 +He originally played with HC Spartak Moscow in the Continental Hockey League during the season 2010 -- 11 KHL . He originally played with HC Spartak Moscow in the Kontinental Hockey League during the 2010 -- 11 KHL season . 1 +In July 2011 , the ARTC transferred responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . In July 2011 , responsibility for the Werris Creek to North Star route from the Country Rail Infrastructure Authority was transferred to ARTC . 0 +Mohsin Zaidi lived in Lucknow for almost four decades before settling down after his retirement in Delhi . Mohsin Zaidi lived in Delhi for nearly four decades before settling down in Lucknow after retirement . 0 +The Potiscum - Emirate was subjugated by the Ngizim - people who had organized the Karakare people . The Potiskum Emirate was organized by the Ngizim people , who had subjugated the Karakare people . 0 +William was deposed in 1776 by the revolutionary government of Perth Amboy , who was arrested at his home in New Jersey , in the Proprietary House , and imprisoned for a period of time . Deposed in 1776 by the revolutionary government of New Jersey , William was arrested at his home in Perth Amboy at the Proprietary House and imprisoned for a time . 0 +He served as the General Counsel for both the Panama Railroad Company and later the Isthmian Canal Commission . He served as the general counsel to both the Panama Railroad Company and later the Isthmian Canal Commission . 1 +She spent her first six years of childhood in Manila before moving to Angeles City . She spent the first six years of her childhood in Angeles City before moving on to Manila . 0 +Most Japanese troops are captured in the raid , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) will be killed . Most Japanese troops are killed in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is captured . 0 +In 1955 , the KXLF lost ABC programming , soon the DuMont station added when it was shut down . KXLF lost ABC programming in 1955 ; soon afterward , the station added DuMont when it shut down . 1 +It is also sold by Kraft Foods ( formerly also Mondelēz International ) as Miracel Whip throughout Germany . It is also sold by Mondelēz International ( formerly Kraft Foods ) as Miracel Whip throughout Germany . 0 +He graduated in 1976 from Kansas Newman College and from the Washburn Law School in 1979 . He graduated from Washburn Law School in 1976 and from Kansas Newman College in 1979 . 0 +On 7 July 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the organization Blue Jackets . 0 +The two new cantons , however , had immediate financial problems and were forced to impose a series of unpopular taxes and laws . However , the two new Cantons had immediate financial problems and were forced to institute a number of unpopular taxes and laws . 1 +Manx Airlines can trace its history back to March 1991 , when Manx Airlines created Regional Airlines Europe to expand and fly routes within the United Kingdom . British Regional Airlines can trace its history back to March 1991 when Manx Airlines created Manx Airlines Europe in order to expand and fly routes within the United Kingdom . 0 +To understand quantum phase transitions , it is useful to contrast them to classical phase transitions ( CPT ) ( also called thermal phase transitions ) . To understand thermal phase transitions , it is useful to contrast them with classical phase transitions ( CPT ) ( also referred to as quantum phase transitions ) . 0 +Scott was born in Parkesburg , Pennsylvania , and buried in Chester County , Pennsylvania . Scott was born in Parkesburg , Pennsylvania , and was buried in Chester County , Pennsylvania . 1 +Michael Chang won 3 : 6 , 6 : 3 , 7 : 5 against Renzo Furlan in the final . Renzo Furlan won in the final 3 -- 6 , 6 -- 3 , 7 -- 5 against Michael Chang . 0 +It serves Udupi and the university town of Udupi , which is south from the station and Manipal . It serves Udupi and the university town of Udupi , which is south of the train station and manipal . 1 +Ravindran has already arranged Savithri 's marriage with Hari ( Mukesh ) , so he resists the lovers . Dr. Ravindran has already arranged Savithri 's marriage with Hari ( Mukesh ) , so he opposes the lovers . 1 +""" Full Circle "" was produced by Birtles Shorrock Goble 's manager Michael Costa and mixed by long-time supporter and friend , Paul Rodger at Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Paul Rodger , the manager of Birtles Shorrock Goble , and mixed by the long-time supporter and friend Michael Costa at Stream AV Studios in Melbourne ." 0 +The total production of 483,593 units , was shortly beaten by its predecessor , the 9000 , of which 503,000 were built . The total production of 483,593 units was narrowly beaten by the predecessor , the 9000 , of which 503,000 were built . 1 +"Much of the animation in "" The Dark Eye "" consists of QuickTime movies , either static screens or smaller looping segments , framed by a full background ." "Much of the animation in "" The Dark Eye "" consists of QuickTime movies , either full-screen or smaller looping segments , framed by a static background ." 0 +If a forward error correction code is used , the spectral efficiency is reduced from the unencoded modulation efficiency . If a spectral error correction code is used , the forward efficiency is reduced from the uncoded modulation efficiency figure . 0 +In February 2016 , Souray married former WWE wrestler Kelly Kelly , better known as Barbara Blank , and separated in October 2017 . Souray married former WWE professional wrestler Barbara Blank , better known as Kelly Kelly in February 2016 . They have separated in October 2017 . 0 +There is a daily street market on Saturdays , around where the covered small weekly market is . On Saturdays there is a street market daily , around the covered small weekly market . 1 +The museum operated the locomotive and leased the North Shore Scenic Railroad # 2719 through its subsidiary . The museum leased the locomotive and operated through its subsidiary North Shore Scenic Railroad # 2719 . 0 +Sam has a much younger brother called Hank Bennett , who is not much older than Sam 's eldest son . Sam has a much younger brother named Sam who is not much older than Hank Bennett 's eldest son . 0 +( Whenever they passed the group stage , they won the group ) Espérance ( whenever they won the group stage , they passed the group ) . 0 +The region has a temperate climate with wet winters and dry summers . The region has a temperate climate with humid winters and dry summers . 1 +22.0 % were German according to the 2000 census , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % of English origin . 22.0 % were of German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % English ancestry according to Census 2000 . 1 +Yang Tong wept , but still sent Yuan to Wang , who executed Yuan . Wang Wang wept , but still sent Yuan to Yang Tong , who had executed Yuan . 0 +The fin is white with black corners . The caudal fin is black with white corners . 0 +Johann Rupert 's eldest son , Rupert , is now the CEO of Richemont and chairman of Remgro . Johann Rupert , the eldest son of Rupert , is now the CEO of Richemont and Chairman of Remgro . 0 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , some of Edward 's ancestors , along with Byron , are poisoned ." "In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." 0 +Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic programming language Haskell . Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic Haskell programming language . 1 +The consequence was directed by Graham Roland and written by Paul Holahan . The episode was written by Graham Roland and directed by Paul Holahan . 0 +Others during the expedition were Frederick William Beechy , science officer and Edward Sabine . Others on the expedition were Edward Sabine , science officer and Frederick William Beechy . 0 +The married woman of Kiribati is an inherent prestige , but she is considerably under the authority of her husband . Prestige is married to the inherent Kiribati woman , but she is considerably under the authority of her husband . 0 +After leaving Wingfield Manor , Mary was taken to Sheffield in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . After leaving Wingfield Manor , Mary was taken by her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . 1 +Daniel Rinner ( born 11 November 1990 in Liechtenstein ) is a Vaduz cyclist . Daniel Rinner ( born November 11 , 1990 in Liechtenstein ) is a cyclist from Vaduz , Germany . 1 +This immediately follows from Euler 's four-square identity ( and from the fact that the theorem is true for the numbers 1 and 2 ) . This follows directly from Euler 's fourfold identity ( and from the fact that the theorem is for the numbers 1 and 2 square ) . 0 +In the cast , Ron Rifkin was represented as Dr. Harry Hyman , Amy Irving as Sylvia Gellburg and David Dukes as Phillip Gellburg . The cast featured Ron Rifkin as Dr. Harry Hyman , Amy Irving as Sylvia Gellburg , and David Dukes as Phillip Gellburg . 1 +The Lemnia River is a tributary of the Lutoasa River in Romania . The river Lemnia is a tributary of the Lutoasa River in Romania . 1 +From 1915 to 1928 Fuller represented Wollondilly for the Nationalist Party and , from 1916 , the Liberal Party . Fuller Wollondilly represented the Nationalist Party from 1915 to 1928 and the Liberal Party since 1916 . 0 +She was in Cairo in November 2012 , and in October she was in Tokyo to write at the film festivals , interact with programmers and visit studios . In November 2012 she was in Tokyo , and in October she was in Cairo , to write on the film festivals , interact with programmers and visit studios . 0 +Weslandia is a children 's book Newbery Medal winner Kevin Hawkes , with illustrations by Paul Fleischman . Weslandia is a children 's book Newbery Medal winner Kevin Hawkes with illustrations of Paul Fleischman . 1 +The river LimbÄ Å elu is a tributary of the Cenué eroaia river in Romania . The Limbăşelu River is a tributary of the Cenușeroaia River in Romania . 1 +He has also saved 3 and he has lost only two games . He also saved 3 and he only lost two games . 1 +For example , in JavaScript the factorial function can be defined via anonymous recursion as such : In JavaScript , for example , the factorial function can be defined as anonymous using such a recursion : 0 +In third place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso with 1,362 votes ( 4.9 % ) the second place . In second place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso placed third with 1,362 votes ( 4.9 % ) . 0 +Ruhollah Khomeini was appointed Chief Prosecutor by Fallahian in 1987 as Chief Prosecutor of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . In 1987 Fallahian was appointed by Ruhollah Khomeini as chief prosecutor of the Special Court for the Clergy and led the trial against Mehdi Hashemi . 0 +In 1855 , the Whig Party and the Anti-Nebraska Party merged into the Republican Party in New York . In 1855 , the Republican Party and the Whig Party merged in New York to found the Anti-Nebraska Party . 0 +Christina is shocked and does not believe in Wilhelmina . Wilhelmina is shocked and Christina does not believe . 0 +However , Joseph is mostly satisfied , but unfulfilled and , at his core , unhappy . Joseph , however , is mostly satisfied , but unhappy , and unfulfilled at his core . 0 +The following list is a list of all highways in Waller County , Texas , which are maintained by the Texas Department of Transportation All state highways in Texas are paved . The following is a list of all state highways in Waller County , Texas maintained by the Texas Department of Transportation . All state highways in Texas are paved . 1 +His parents were Sr. Rose Boghosian ( Heditisian ) and Albert David Hedison , who were Armenian . His parents were Albert David Hedison ( Heditisian ) , Sr. and Rose Boghosian ; they were Armenian . 0 +He was born in 1967 in Glenwood , Illinois , and attended the Bloom High School in Chicago Heights , Illinois . Walker was born in Glenwood , Illinois , in 1967 . He attended Bloom High School in Chicago Heights , Illinois . 1 +"In 51 BC Vatinius returned to Gallia , where he was again "" Legatus "" for Julius Caesar ." "Vatinius returned to Gaul in 51 BC where he was again a "" legatus "" for Julius Caesar ." 1 +Although the ruins were discovered by Samuel Alejandro Lafone Quevedo in 1888 , they were first investigated in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were examined in 1888 by Samuel Alejandro Lafone Quevedo , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +She was the sister of David King Udall who was already married to William 's sister Eliza Stewart . She was the sister of David King Udall , who had already been married to William Eliza Stewart 's sister . 0 +Blacksburg is part of the VA Metropolitan Statistical Area -- Christiansburg -- Radford , Montgomery County . Montgomery County is part of the Metropolitan Statistical Area Blacksburg -- Christiansburg -- Christiansburg -- Radford , VA . 0 +Charlie conducts a conversation with Carol about how she needs money to buy an apartment to Charlie . Carol stages a conversation with Charlie about how she needs money to buy Charlie an apartment . 0 +Definition ( global sensitivity ) : The global sensitivity of a query formula _ 74 is its maximum difference when evaluated on two neighbouring datasets formula _ 75 : Definition ( Global Sensitivity ) : The global sensitivity of a query formula 74 is its maximum difference when evaluated in two neighboring datasets - Formula 75 : 1 +If we know the probability distribution function formula 35 , we can calculate the function formula 36 and find the optimal reservation price from it . So if we know the probability distribution functionality formula 35 , we can find the function formula 36 and calculate the optimal reservation price from it . 0 +The Italian Church of St. John Bosco is named after St. Giovanni Bosco . The Italian church of St. Giovanni Bosco is named after St. John Bosco . 0 +Nicholas Lens ( born 1957 ) is a Belgian composer of contemporary music , particularly known for his operas . Nicholas Nicholas ( born 1957 ) is a Belgian composer of contemporary music , particularly known for his operas . 1 +Blackedge was collaborating with Brad Nessler and Sideline Reporter Erin Andrews for the 2009 season , while Patrick collaborated with Craig James and Sideline Reporter Heather Cox . Blackedge was working with Craig James and Sideline Reporter Brad Nessler for the 2009 season , while Patrick collaborated with Heather Cox and Sideline Reporter Erin Andrews . 0 +Later , a City Council ( Parliamentary Commission of Inquiry ) was installed in the CPI of city of Rio de Janeiro . Later , a CPI ( Parliamentary Inquiry Commission ) was installed in the City Council of the City of Rio de Janeiro . 0 +The current line-up is Johnny Wilson on guitar and vocals , Forrest Bartosh on drums and Chris Fogal on bass and background song . The current line-up is Johnny Wilson on guitar and vocals , Forrest Bartosh on drums and Chris Fogal on bass and background vocals . 1 +Armstrong had at least one sibling , a sister , Lydia Lawhead . Lydia Lawhead had at least one sibling , a sister , Mrs. Armstrong . 0 +The third segment was built in 1929 , and the second segment through Peters Corners was completed in 1930 . The second segment was built in 1929 , the third segment was completed by Peters Corners in 1930 . 0 +Or the Egg object could use properties and instead use methods . Or the Egg object could invoke properties and use methods instead 0 +King Sisowath Kosamak was married to Queen Sisowath Monivong , daughter of King Norodom Suramarit who remained Queen Mother after her husband 's death . King Sisowath Kosamak was married to Queen Sisowath Monivong , the daughter of King Norodom Suramarit , who remained Queen Mother after her husband 's death . 1 +He played for the Kansas City Royals for ten games during the 1991 Kansas City Royals season and four games during the 1992 Chicago Cubs season . He played for the Chicago Cubs for ten games in the 1991 season Kansas City Royals and four matches during the 1992 season in Kansas City Royals . 0 +After his wife died in 1842 , Martha Chardevoyne married Jack Shackelford . Martha Chardevoyne married Jack Shackelford after his wife was died in 1842 . 1 +Scott and Short then traveled overland to the Kentucky River to claim the land they would later examine . Then Scott and Short traveled overland to the Kentucky River to claim the land that they would investigate later . 1 +"There is also a faithful and more promising reprint called "" Xenonauts "" ." "There is also a more promising and fairer remake called "" Xenonauts "" ." 0 +Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 defeated Fernando Verdasco Overcome Fernando Verdasco defeated Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 0 +It was approved by the Constitution of Afghanistan , which was created on January 4 , 2004 . It was created by the Constitution of Afghanistan , which was adopted on 4 January 2004 . 0 +The museum has two pre-Hispanic sections in two separate buildings ; one is the Nicaraguan Numismatics and another about specific archaeology of the area . The museum has two specific sections in two separate buildings : one is the Nicaraguan numismatics and another on the pre-Hispanic archaeology of the area . 0 +In particular , the medieval iron fence in its ornamental design shows Eastlake influence . The ornamental iron fence in particular shows Eastlake influence in its medieval design . 0 +The most important energy parts are in negligible losses , the other two are thermal and kinetic . Most important energy parts are located in the thermal and kinetic losses , the two others are negligible . 0 +It comes in standard black worldwide , even though a white version was only released in Japan . It comes in standard black only even though a white version was released worldwide in Japan . 0 +Rosas took advantage of this policy shift to sell the parcels preferentially to his supporters and deny them to politically unreliable elements . Rosas took advantage of this policy shift to prefer to sell the packages to his supporters and deny them politically unreliable elements . 1 +They were equipped with a long leather apron , white stulp gloves and an axe with a handle mounted on a brass . They were equipped with a long leather apron , white gauntlet gloves , and an axe with a brass mounted handle . 0 +"In 1953 , Herb Wagner showed that the fertile population in Havana was Glen tetraploid , while ordinary "" asplenium ebenoides "" was diploid ." "In 1953 , Herb Wagner showed that the fertile population in Havana Glen was tetraploid , while ordinary "" Asplenium ebenoides "" was diploid ." 0 +Wagenknecht , born in Oak Park , Illinois , grew up in Chicago and got to school . Wagenknecht , born in Chicago , grew up and went to school at Oak Park , Illinois . 0 +Ice hockey at the 2011 Canada Winter Games was held at the Halifax and Halifax Forum in Nova Scotia and the Halifax Metro Centre in Dartmouth , Dartmouth Sportsplex . Ice hockey at the Canada Winter Games 2011 was held at Halifax Metro Centre and Halifax Forum in Halifax and the Dartmouth Sportsplex in Dartmouth , Nova Scotia . 0 +It is located in the central part of the Belmont County in Warren Township and is part of Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central part of the Warren Township in Belmont County and is part of Wheeling , West Virginia Metropolitan Statistical Area . 0 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith , which was released in 2001 and recorded at Tzadik Records . Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith , which was recorded in 2001 and published by Tzadik Records . 0 +Hugo Santana Páez ( born September 5 , 1967 ) is a Mexican football trainer and former player . Hugo Santana Páez ( born September 5 , 1967 ) is a former Mexican football manager . 0 +Between 1928 and 1934 Latham was a member of the London County Council , representing Lewisham East as a member of the Conservative-backed Municipal Reform Party . Between 1928 and 1934 , Latham was a member of the London County Council , representing Lewisham East as a member of the Conservative-backed Communal Reform Party . 1 +Serena Williams and Venus Williams won 5-7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat in the final . Serena Williams and Venus Williams won in the final 5 -- 7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat . 1 +On the southern side of the administration building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . Hangars 1 -- 4 were built on the north side of the administration building , while hangars 5 -- 8 were built on the south side . 0 +In 2002 Miller joined bassist Ron Carter 's Golden Striker Trio , with guitarist Russell Malone . In 2002 , Miller joined the Golden Striker Trio by bassist Ron Carter , with guitarist Russell Malone . 1 +He was followed in office by Larry Kearney from 1995 -- 2003 , Jenny McGhee Edwards from 2003 -- 2007 and Elic Senter from 2007 -- 2015 . He followed in 1995 -- 2003 Jenny McGhee Edwards , from 2003 -- 2007 Larry Kearney and from 2007 -- 2015 Elic Senter . 0 +Brooks was removed in 1932 by banker Daniel B. Fleming of Ferriday in the parish of Concordia . Brooks was unseated in 1932 by the banker Daniel B. Fleming of Ferriday in Concordia Parish . 1 +The river Oraciu or Orociu is a tributary of the River Pustnic in Romania . The Pustnic River or Orociu River is a tributary of the Oraciu River in Romania . 0 +In 1915 , Pando and a number of dissatisfied liberals and former conservatives formed the Republican Party . In 1915 , Pando and a number of former liberals and dissatisfied conservatives formed the Republican Party . 0 +The music was composed by Poovachal Khader and the lyrics by M. S. Viswanathan were written . The music was composed by M. S. Viswanathan and lyrics was written by Poovachal Khader . 0 +It has been designed fully to be ergonomically compatible with 90 percent of the pilot population and safe-compatible with 99 percent . It has been ergonomically designed to be fully compatible with 90 percent of the pilot population and compatible with 99 percent safely . 0 +He was the son of Richard Wingfield , and the grandson of Thomas Maria Wingfield . He was the son of Richard Wingfield and grandson of Thomas Maria Wingfield . 1 +Lee Lee Field is the club 's home stadium in Wyoming 's neighborhood of Galewood , Michigan . Lee Field in the Galewood neighborhood of Wyoming , Michigan is the club 's home stadium . 0 +Other mountain ranges surrounding the Tucson valley include the Rincón mountains , the Tucson mountains , the Tortolita mountains and the Santa Catalina mountains . Other mountain ranges surrounding the Tucson valley include the Santa Catalina Mountains , the Rincon Mountains , the Tucson Mountains , and the Tortolita Mountains . 1 +In 1846 Governor Pio Pico issued the grant to Vicenta Sepulveda . In 1846 , Governor Pio Pico awarded the grant to Vicenta Sepulveda . 1 +""" Almost every poem by Amichai is a statement about the general human condition and Amichai , in a certain sense , is always a philosophical poet "" ." """ Almost every poem by Amichai is a statement about the general human condition and Amichai is , in a sense , always a philosophical poet "" ." 1 +Of the nine games played in Warsaw , Legia won six and moved three . Of the nine games played in Warsaw , Legia drew six and won three . 0 +Almost all the people in the Phu Tan district had to be evacuated ( mainly to Cho Moi , An Phu ) . Almost all of the people in An Phu had to be evacuated ( mainly to Cho Moi , Phu Tan District ) . 0 +At least one improved and one supersonic ramp is used , but subsonic ramps can be used for multiple supersonic seals . At least one improved and one supersonic ramp is used , but for multiple supersonic seal subsonic ramps can be used . 1 +Ferguson remained in Liberia until his death , in Monrovia in 1916 . Ferguson remained in Liberia until his death , Monrovia in 1916 , in 1916 1 +Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California . Born in Nanhui , he attended engineering school in Nanjing and spent a year at the University of California , USA . 1 +There were also 58 liaison aircraft but 20 of these were only used for messengers . There were also 58 connection aircraft , but 20 of these were used only for messengers . 1 +""" White Teeth Teens "" was also performed in the show , but was shown online only ." """ White Teeth Teens "" was also performed on the show , but was only shown online ." 1 +It runs the harbour side route of York Street and is parallel to Stirling Terrace for part of its end . It runs the harbour route on York Street and is parallel to Stirling Terrace for part of its end . 1 +Bonnie Gadusek defeated Kathy Rinaldi 6 -- 1 , 6 - 3 Kathy Rinaldi defeated Bonnie Gadusek 6 -- 1 , 6 -- 3 . 0 +Dyadic natural males do not have the anatomy needed for human embryonic and foetal development . Dyadic human males do not have the anatomy needed for natural embryonic and fetal development . 0 +The abbey is registered as a regional cultural asset . The abbey is registered as a cultural heritage of regional importance . 0 +Rupert 's eldest son , Johann Rupert , is now the CEO of Richemont and chairman of Remgro . Johann Rupert , Rupert 's eldest son , is now CEO of Richemont and Chairman of Remgro . 1 +In June 1921 , the Detroit Tigers sold Perritt to the Giants . In June of 1921 , the Detroit Tigers Perritt sold the Giants . 0 +In 1813 , when Justice Tyler died , John Tyler inherited Greenway at the age of 23 . When Judge Tyler died in 1813 , John Tyler at the age of 23 inherited Greenway . 1 +In 1969 change was still in the air and T. and R. Smith 's was taken over by J. N. Nichols ( Vimto ) of Manchester . The change was still in the air in 1969 and T. and J. N. Nichol was taken over by R. Smith ( Vimto ) from Manchester . 0 +He was a regional hero that gave the revolutionary movement in Telangana a new wave . He was a regional hero who gave a new wave to the revolutionary movement in Telangana . 1 +Maria Bueno defeated Margaret Smith , 6 -- 4 , 7 -- 5 . defeated Margaret Smith , 6 -- 4 , 7 -- 5 . 1 +Classicist functionalist theory is generally united by its tendency towards social analogy and the notions of biological evolutionism . Classical functionalist theory is generally united by its tendency towards social analogy and notions of biological evolutionism . 1 +The specification is a method of describing teaching strategies ( educational models ) and pedagogical goals . The specification is a method for describing teaching strategies ( pedagogical models ) and educational goals . 0 +In 1825 , James Sykes of Springfield Estate sold his friend and business partner , George Patterson . In 1825 , James Sykes sold of Springfield Estate to his friend and business associate , George Patterson . 1 +The younger daughter marries an Indian Revenue Services officer who runs away from family and is her love . The younger daughter is an Indian Revenue Services Officer who runs away from the family and marries her love . 0 +He composed other songs and wrote orchestrations for larger choral works that are preserved in Australian libraries . He wrote other songs and composed orchestrations for larger choral works , stored in Australian libraries . 0 +"In 1922 the novel was adapted into a film "" Diana of the Crossways "" directed by Denison Clift and starring Fay Compton and Henry Victor ." "In 1922 , the novel was directed by Denison Clift and Fay Compton and Henry Victor in a film "" Diana of the Crossways "" ." 0 +The former North East railway station was located north of Seymour at the crossroads of Mangalore and Shepparton lines . Former station Mangalore was located north of Seymour at the junction of the North East and Shepparton lines . 0 +Indonesian dumplings were influenced and brought by Chinese immigrants to Indonesia . Chinese dumplings were influenced and brought to Indonesia by Indonesian immigrants . 0 +Everything Your Listeners Ever Wanted to Hear by Rush ... But You Were Afraid to Play Everything that your listeners ever wanted to play from Rush ... But you were afraid to hear . 0 +The high school also serves students from four other sending communities : Alpha , Bloomsbury ( in Hunterdon County ) , Greenwich Township and Lopatcong Township . The grammar school also serves students from four other sending communities : Alpha , Bloomsbury ( in the Hunterdon County ) , Greenwich Township and the Lopatcong Township . 1 +Spartanburg is included in the Metropolitan Statistical Area Greenville , which is also included in the Union County -- Spartanburg , SC -- Anderson , SC Combined Statistical Service . Union County is included in Spartanburg , SC Metropolitan Statistical Area , which is also included in the statistical area combined in Greenville - Spartanburg - Anderson , SC . 0 +Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . This victory repeated in an Opel Astra in 2003 with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann this victory . 1 +Brigadier General Thaddeus Kosciuszko is a bronze statue by Antoni Popiel . General Brigadier Thaddeus Kosciuszko is a bronze statue of Antoni Popiel . 1 +The port of Suppāraka , is either modern Sopara near Bhārukaccha or modern Bharuch , or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . The port of Suppāraka is either the modern Sopara near Bhārukacha or the modern Bharuch or Vasai near Mumbai , about 290 kilometers south of Bhārukaccha . 1 +Doyle said the line Maryland -- Pennsylvania Mason -- Dixon is exact : Doyle said the Pennsylvania -- Maryland Mason -- Dixon line is exactly 0 +Essentially , there are four types of databases : curated databases , integrative databases , literature databases and predictive databases . There are essentially four types of databases : curated databases , inclusive databases , literature databases and predictive databases . 1 +When the weapons were landed , they were removed by volunteers on bicycles and in vehicles . When the arms were removed , they were landed by volunteers on bicycles and vehicles . 0 +"Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish-Finnish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Finnish - Swedish soprano ." 0 +In 1999 Trinity merged with Mirror Group Newspapers to become Trinity Mirror , the largest stable of newspapers in the country . In 1999 , Trinity merged with Mirror Group Newspapers to Trinity Mirror , the country 's largest stable in the newspapers . 1 +Note that Ionia and Aeolis were not considered separate entities by the Persians , while Lycia was included in semi-autonomous Caria , and Sparda included the offshore islands . Note that Ionia and Aeolis were not considered separate units of the Persians , while Lycia was included in offshore - Caria and Sparda - the semi-autonomous islands . 0 +The Three Sisters are complex peaks that form a volcano in the U.S. state of Oregon . The three sisters are complex peaks that form a volcano in the US state of Oregon . 1 +The Republican River is a tributary of North Fork Republican River . The North Fork Republican River is the tributary of the Republican River . 0 +The river Valea Negrenilor or Negreni River is a tributary of the Amaradia River . The Amaradia River or Negreni River is a tributary of the Valea Negrenilor River . 0 +The downloadable version of the album includes a digital PDF image file . The downloadable version of the album includes a PDF digital artwork file . 1 +""" Fried Onions "" was shown in a television advertisement for options - enjoyment - chocolate drink , which was first used in December 2011 on UK TV ." """ Fried Onions "" was used in a television advertisement for Options indulgence chocolate drink , first shown on UK TV in December 2011 ." 0 +Smith 's son Jeff Smith later became Chairman and CEO of Dee 's . Later , Dee 's son Jeff Smith became Chairman and CEO of Smith 's . 0 +The Palm , or tropical house , is a Victorian glass house located to the west of the main lake . The Palm , or Victorian , house is a tropical glasshouse located to the west of the Main Lake . 0 +In 1910 it was owned by Rupert Brooke and Florence Neeve , from whom Henry had rented a room and later a large part of the house . In 1910 it was owned by Henry and Florence Neeve , from whom Rupert Brooke rented a room , and later a large part of the house . 0 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was organist of Blackpool Parish Church from 1918 until 1963 . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who from 1918 to 1963 was the organist of the Blackpool Parish Church . 0 +Carew died on 6 November 1620 and was buried in the Antony church on 7 November 1620 . Carew died on 6 November 1620 and was buried in Antony church on 7 November . 1 +The printed version appears under a Latin title , with a Latin subtitle ( edita per consules civitatis Trani ) . The printed version appears under a Latin title , with a Latin subtitle ( edita per consules civitatis Trani ) , original both possible . 1 +Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a Swiss naturalist , a comparative anatomist and a student of the German biologist Ernst Haeckel . Arnold Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a comparative naturalist , Swiss anatomist and student of German biologist Ernst Haeckel . 0 +From 1964 to 1968 , SR 82 continued past its current end north on Alemany Boulevard to Bayshore Boulevard in San Francisco ( see below ) . From 1964 to 1968 , the SR 82 continued at its current end north on Alemany Boulevard to the Bayshore Boulevard in San Francisco ( see below ) . 1 +It comes in standard black only even though a white version was released worldwide in Japan . It comes in standard black only , although a white version was released in Japan worldwide . 1 +"The title and text refer to the portrait of Renaissance painted by Leonardo da Vinci "" Mona Lisa "" ." "The title and lyrics refer to the renaissance portrait "" Leonardo da Vinci "" painted by Mona Lisa ." 0 +His birth certificate records his name as Erminio Antonio Blotta Mainieri , but his Argentine identity papers have Carmen Erminio Blotta instead . His birth certificate bears his name as Erminio Antonio Blotta Mainieri , but his Argentine identity documents instead have Carmen Erminio Blotta . 1 +The second beta of FrostWire was available in the last quarter of 2005 . The last beta release of FrostWire was available in the second quarter of 2005 . 0 +Jackie played bass at the Runaways reunion in 1994 with Currie and West . Currie 's sister Marie also performed with the band that night . At the Runaways Reunion in 1994 , she played with Currie and West Bass , Currie 's sister Marie also performed with the band that evening . 0 +It was described by Alpheus Spring Packard in 1874 and found in North America . It was found by Alpheus Spring Packard in 1874 and is described in North America . 0 +In 1489 Juan Ruiz de Medina was confirmed by the King of Spain and elected by Pope Innocent VIII to bishop of Astorga . In 1489 , Juan Ruiz de Medina was selected by the King of Spain and confirmed by Pope Innocent VIII as Bishop of Astorga . 0 +Rory Firth from his first marriage , Amy , Alex and James Firth from his second marriage , has been married three times and has four children . Firth has been married three times and has four children ; Amy , Alex and James Firth , from his first marriage , Rory Firth from his second . 0 +"In December 2009 , it was announced that Conroy would be recorded as Oliver Jones in the cast of "" The Bold and the Beautiful "" ." "In December 2009 , it was announced that Oliver Jones would be joining the cast of "" The Bold and the Beautiful "" as Conroy ." 0 +A KWL chart can be used for all subjects in a whole group or a small group atmosphere . A KWL chart can be used for all subjects in a small group or whole group atmosphere . 1 +It has been ergonomically designed to be fully compatible with 90 percent of the pilot population and compatible with 99 percent safely . It has been designed ergonomically to be fully compatible with 90 percent of the pilot population and safe-compatible with 99 percent . 1 +Główczyce is a non-operational PKP station in Poland ( Główczyce ) , Pomeranian Voivodeship . Główczyce is a non-operational PKP railway station in Główczyce ( Pomeranian Voivodeship ) , Poland . 0 +Wolfbot had also the ability to bind webbing to shoot his victims . Wolfbot also had the ability to bind webbing to shoot his victims . 1 +Albion is located in the northeastern part of Edwards County , northeast of West Salem , County Seat . Albion is located in northeastern Edwards County , northeast of West Salem , the county seat . 1 +The championship was held in Italy in 1999 , in Germany in 2003 , in Kawasaki , Japan in 2007 , and in Austria in 2011 . The championship was held in 1999 in Italy , 2003 in Germany , 2007 in Kawasaki ( Japan ) and 2011 in Austria . 1 +It is currently serving as the newspaper of record for Galveston County , as well as Galveston . It is currently serving as the newspaper of record for Galveston , as well as Galveston County . 1 +It is found only in Yunnan and its tributaries in the Dianchi - Lake , China . It is found only in Lake Dianchi and its tributaries in Yunnan , China . 0 +"In other words , "" remember death "" or "" remember that you will die "" ." "In other words , "" remember the death "" or "" remember that you will die "" ." 1 +Jarymowycz was a lecturer at the Royal Military College and was a frequent author of letters to the editor . Jarymowycz was a frequent lecturer at the Royal Military College and was a sessional writer of letters to the editor . 0 +Funimation released the series in North America and licensed the first Blu-ray and DVD set on January 23 , 2018 . On 23 January 2018 , funimation licensed the series in North America and released the first Blu - ray and DVD set . 0 +The 48th Helicopter Squadron was formed at Niš airport in May 1968 as part of 119th Transport Helicopter Regiment . The 48th helicopter squadron was formed in May 1968 as part of the 119th transport helicopter - Regiments at Niš Airport . 1 +Casper is represented in the second season by Robbie Sublett in the movie , Matthew Géczy in the first season and Devon Werkheiser . Casper is voiced by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser in the second season . 1 +It was written by David Richards and produced by him and Bowie . It was written and produced by David Richards by him and Bowie . 1 +On June 30 , ContentFilm announced its intention to acquire Allumination Filmworks as well as certain assets of UAV Corporation and UAV Holdings . On June 30 , ContentFilm announced its intent to acquire UAV Corporation as well as certain assets from Allumination Filmworks and UAV Holdings . 0 +The company currently manages multi-strategy funds , special credit funds , including opportunistic credit funds and institutional credit strategies , real estate funds and other alternative investment vehicles . The Company currently manages opportunistic funds , dedicated credit funds , including multi-strategy credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . 0 +His nephews include actor Ranbir Kapoor and Armaan Jain and businessman Nikhil Nanda . His nephews include actors Nikhil Nanda and Armaan Jain , and businessman Ranbir Kapoor . 0 +He has predicted oscillating chemical reactions , in particular the Belousov -- Zhabotinsky - reaction . He predicted Zhabotinsky chemical reactions , in particular the Belousov - oscillating reaction . 0 +Jonas Björkman and Todd Woodbridge won in the final 6 -- 3 , 6 -- 4 , against Wayne Black and Kevin Ullyett . Wayne Black and Kevin Ullyett won 6 : 3 , 6 : 4 in the finals against Jonas Björkman and Todd Woodbridge . 0 +Alisa Kleybanova won against Elena Dementieva with 6 - 3 , 6 -- 2 in the final . Alisa Kleybanova won in the final 6 -- 3 , 6 -- 2 , against Elena Dementieva . 1 +Dunne played in Dublin with Stella Maris before playing in England for Everton . She played with Stella Maris in Dublin before playing for Everton in England . 1 +Cebu Strait connects the western part of the Bohol Sea with the Camotes Sea and separates the island provinces of Cebu and Bohol . The Cebu Strait connects the western part of the Bohol Sea with the Camotes Sea , and separates the island provinces of Cebu and Bohol . 1 +""" Bastille Day "" is the third episode of the first season of the reworked "" Battlestar Galactica "" series ." """ Bastille Day "" is the first episode of the third season of the reimagined "" Battlestar Galactica "" television series ." 0 +In 1938 , under pressure from Germany , Japan ended its support for China , and Falkenhausen had to withdraw from China . In 1938 Germany , under pressure from Japan , ended its support for China and Falkenhausen was forced to withdraw from China . 0 +She took refuge in England with her family in 1938 , and the family settled in East Finchley in northern London , where they visited the Tollington Hill School . She took refuge in London with her family in 1938 , and the family settled in East Finchley in the north of England , where she attended the Tollington Hill School . 0 +"Dorchester is sometimes associated with Avenue D , since Ditmas and Ditmas Avenue and Dorchester Road start with the letter "" D "" ." "Ditmas Avenue and Dorchester Road are sometimes associated with Avenue D , since Ditmas and Dorchester start with the letter "" D "" ." 0 +Originally , S1 Corporation was the technology department of Security First Network Bank . S1 Corporation was originally the technology division of Security First Network Bank . 1 +On New Year 's Eve , a pregnant Denise surprises Ian and accuses Kim of ruining Ian 's life . On New Year 's Eve , a pregnant Kim Denise surprises and accuses Ian of ruining Denise 's life . 0 +In September 2015 , Morimoto opened the Pan-Asian restaurant Morimoto Asia at Disney Springs in Walt Disney World in Florida . In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Walt Disney World in Disney Springs , Florida . 0 +"Both versions of "" Knat Scatt Private Eye "" were written and led by Eric Forsberg with music and texts by Charlie Silliman ." "Both versions of "" Knat Scatt Private Eye "" were written and directed by Eric Forsberg with music and lyrics by Charlie Silliman ." 1 +Finally , we say that the distribution is regular if Formula 11 is concave . Finally , we say that a distribution is concave if the Formula 11 is regular . 0 +Many celebrities have during the centuries visited or stayed at the castle , including Carl Michael Bellman in the 19th century and August Strindberg in the 18th century . Many celebrities have visited or visited the castle throughout the centuries , including Carl Michael Bellman in the 18th century and August Strindberg in the 19th century . 0 +Charles Gowan was born in Wisconsin in 1849 or in 1850 and migrated early in New York . Charles Gowan was born in New York in 1849 or 1850 , and migrated to Wisconsin early in life . 0 +When Josh wakes up , he finds himself at home at Lonnie in Omaha , Nebraska . When Lonnie wakes up , he finds himself at Josh 's home in Omaha , Nebraska . 0 +Foley worked with Gurf Morlix , with Townes Van Zandt , with Guy Schwartz , with Billy Block and Calvin Russell , among others . Foley worked together with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , amongst others . 1 +"One can easily verify that "" A "" has a linear involution if and only if "" A "" represents the form" "One can easily verify that "" A "" is a linear involution if and only if "" A "" has the form ." 0 +Toakai Puapua is a Tuvaluan gymnastics and football coach and the former coach of the Tuvalu national football team . Toakai Puapua is a Tuvalu gymnastics and football coach and the former coach of the Tuvalu national football team . 1 +Another significant difference is that Plutonyl represents a much stronger oxidizing agent than uranyl . The standard reduction potential for aqueous solutions is shown in the next table . Another significant difference is that Plutonyl represents a much stronger oxidizing agent than uranyl . The aqueous reduction potential for standard solutions is shown in the next table . 0 +In a single night , many coastal towns of Louisiana ( and Mississippi ) had already been wiped out . Many coastal towns of Mississippi ( and Louisiana ) had already been obliterated , in a single night . 1 +Harry , the brother of Ted Cordner , and his cousins Alan Cordner and Larry Cordner , played also Senior VFL Football . Ted Cordner 's brother Harry , and his cousins Alan Cordner and Larry Cordner , also played senior VFL football . 1 +The river Suceviţa is a tributary of the Rusca River in Romania . The Suceviţa River is a tributary of the Rusca River in Romania . 1 +Lee Field in the Wyoming neighborhood of Galewood , Michigan is the club 's home stadium . Lee Lee Field is the club 's home stadium in Wyoming 's neighborhood of Galewood , Michigan . 1 +The River Mouca ( or Moca River ) is a tributary of the River Salcia in Romania . The River Salcia ( or Moca ) is a tributary of the Mouca River in Romania . 0 +All was born in Ashland , Kentucky , and attended the High School in Oldtown , where he played football at West Virginia University from 1932 to 1934 . Allen was born in Oldtown , Kentucky , visited the High School in Ashland and played at West Virginia University from 1932 to 1934 . 0 +"From then on , "" permanent chieftains were replaced by transferable officials , "" formally appointed by the Ming court ." From then on , “ transferable chieftains ” were replaced by permanent officials , formally appointed by the Ming Court . 0 +When his family from Italy , Rodolpho and Marco , begin to live and migrate with him illegally , the small world in which he operates is destroyed . When his family from Italy , Rodolpho and Marco , begin to migrate and live with him illegally , the small world in which he operates is destroyed . 0 +Traditionally , Ristretto is a short shot of espresso made with the normal amount of ground coffee , but is extracted with about half of the water volume . Traditionally , Ristretto , a short shot of espresso is extracted with the normal amount of ground coffee , but produced with about half of the quantity of water . 0 +In 2005 Coach Jorge Torres Nilo selected Jesús Ramírez to participate in the 2005 CONCACAF U17 Tournament held in Culiacán . In 2005 , coach Jesús Ramírez elected Jorge Torres Nilo to participate in the CONCACAF U17 Tournament 2005 in Culiacán . 0 +He graduated from the Military School in Sofia , and in 1910 from the Nikolaevsk General Staff Military Academy in St. Petersburg , Russia . He completed the military school in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . 0 +Without a given timeframe , proposed is the Cleveland Athletic Club building conversion into a Crowne Plaza hotel . Without a proposed timeframe , the Cleveland Athletic Club building is transformed into a Crowne Plaza hotel . 0 +There is a removable water tank and a fuel tank with collapsible hatch for cleaning . There is a removable water tank and a fuel tank with a folding hatch for cleaning . 1 +On January 8 , 2008 , Cumbers was recalled from Grays to Gillingham , but lent to AFC Wimbledon on February 8 , 2008 to collect further first team experience . On 8 January 2008 , Cumbers was loaned from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience from the first team . 0 +teaches the Doctor , with the help of Poynesia , to teach him the animal languages . After Polynesia gets Tommy With the help of Poynesia , the doctor teaches him to teach animal languages after Polynesia Tommy 0 +A JW - Algebra is a Jordan - Subalgebra of the Jordan - Algebra of self-weak operators on a complex Hilbert - space closed in the adjuncted operator - topology . A JW - Algebra is a Jordan - Subalgebra of the Jordan - Algebra of Self - Adjoint - operators on a complex Hilbert - space that is completed in the weak operator - topology . 0 +Blue jays , like other corvids , are highly curious and are considered intelligent birds . Like other Corvids , Blue Jays are very curious and are considered intelligent birds . 1 +He also served as a North Cornwall councillor , a Bude-Stratton town councillor , and was Mebyon Kernow parliamentary candidate for North Cornwall District . He also served as North Cornwall District Councillor , a Bude - Stratton Councillor , and was a parliamentary candidate for North Cornwall , Mebyon Kernow . 0 +He was born in Kristiansand in Norway , but came to Bukan , Iran in 1997 . He was born in Bukan , Iran , but arrived in 1997 to Kristiansand , Norway . 0 +In Brazil , the USA , Mexico ( Adolfo Constanzo case ) , Singapore ( see Toa Payoh - ritual killings ) and Uganda are committed murders . Satanic ) murders are committed in Uganda , the USA , Mexico ( Adolfo Constanzo case ) , Brazil ( See Toa Payoh ritual murders ) and Singapore . 0 +The estuary of Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . The mouth of the Batten Kill is in East Dorset , Vermont , and the source of the river is in Easton , New York . 0 +Some scientific applications of ordinary medicines are accepted in traditional medicine , but the underlying belief systems are seldom useful and have not been researched and accepted . Some scientific applications of ordinary medicines are accepted within traditional medicine.however , the underlying belief systems are seldom useful and have not been researched and accepted . 1 +The 1978 Daytona 500 , the second running of the event , was the 20th race of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the 20th round of the event , was the second race of the NASCAR Winston Cup season in 1978 . 0 +In white wines , higher pH ( lower acidity ) causes the phenolics in the wine to darken and eventually polymerize as brown deposits . In white wines , a lower pH ( higher acidity ) causes the phenolic resins to darken in the wine and eventually polymerize as brown deposits . 0 +Electrical elements such as inductors and capacitors used in non-ideal analog computers had to be carefully manufactured to reduce electrical effects . Electrical elements such as inductors and capacitors used in non-ideal analog computers had to be carefully produced to reduce electrical effects . 1 +Using the properties of the complex functions , this can be written in explicitly trigonometric and hyperbolic form . Using the properties of the complex functions , this may be written in explicitly trigonometric and hyperbolic form . 1 +His grand daughter Chandrika Kumaratunga was President of Sri Lanka and his grandson Anura Bandaranaike , was a former speaker and cabinet minister . His granddaughter , Anura Bandaranaike , was President of Sri Lanka and his grandson , Chandrika Kumaratunga , was a former speaker and cabinet minister . 0 +He lived in San Antonio for twenty years , returning to New York City in May 2005 . He lived in New York City for twenty years and returned in May 2005 to San Antonio . 0 +The first vector identifies the direction of the axis and the second vector determines its position . The first vector identifies the direction of the axis , and the second locates its position . 1 +"By Michael Rothenberg , Anthology of Contemporary Indian Poetry published by Sudeep Sen edited by Menka Shivdasani in 2004 ; "" Ten : The New Indian Poets "" ." "By Michael Rothenberg , Anthology of Contemporary Indian Poetry , published by Sudeep Sen , published by Menka Shivdasani in 2004 , "" Ten : The New Indian Poet "" ." 1 +Scott Wells was replaced by Sherman Howard as Lex Luthor . Lex Lex Luthor was also replaced by Sherman Howard as Scott Wells . 0 +The catalog number for the limited edition is GNCX-1006 , while the regular edition is GNCX-1005 The catalogue number for the Limited Edition is GNCX-1006 , while the regular edition is GNCX-1005 . 1 +On 21 August , Olaf came from a warm south of Acapulco over extremely disturbed waters . Olaf came from a disturbed south of Acapulco on 21 August over extremely warm waters . 0 +The city is located on the main road between Mogadishu and Kismayo , near Barawa and about 50 miles northeast of Jilib . The city is situated on the main road between Mogadishu and Kismayo , near Barawa and about 50 miles northeast of Jilib . 1 +The first main span was positioned in 1857 and the finished bridge was opened on 2 May 1859 by Prince Albert . The first main span was completed in 1857 and the positioned bridge was opened by Prince Albert on 2 May 1859 . 0 +Janković was the third seed at Wimbledon , but in the fourth round he lost finalist Marion Bartoli to the surprise . At Wimbledon , Janković was the third seed , but lost in the fourth round to the surprise eventual finalist Marion Bartoli . 1 +"He lives along with his father Champaklal , his wife Daya and his son Tapu in the "" Gokuldham Society "" ." "He lives in "" Gokuldham Society "" along with his father Champaklal , wife Daya and son Tapu ." 1 +Darío Cvitanić ( born May 16 , 1984 ) is an Argentine football striker who plays for Banfield . Darío Cvitanich ( Croatian : Dario Cvitanić ; born 16 May 1984 ) is an Argentine football striker who plays for Banfield . 1 +In 1862 , Sarah died of Stiles and in 1864 Breck married Jane Breck , and three years later he moved to Benicia , California , to build two other institutions . Sarah Stiles died in 1862 and Breck married Jane Breck in 1864 . Three years later he moved to Benicia , California to build another two institutions . 0 +Each report , which was completed in February 2011 , contains data for the updated school year . Each report , updated in February 2011 , contains data for the completed school year . 0 +In 2016 , the San Jose , California campus relocated to Milpitas , California . In 2016 , the campus moved to Milpitas , California , San Jose , California . 1 +""" Funtime "" is a song by Iggy Pop , first published by David Bowie and Iggy Pop on his 1977 album "" The Idiot "" ." """ Funtime "" is a song written by David Bowie and Iggy Pop , first released by Iggy Pop on his 1977 album entitled "" The Idiot "" ." 0 +He married in 1901 Mary Ellen Blanche Crookes ( 1870-1935 ) , daughter and coheiress of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor . He married Mary Ellen Blanche Crookes ( 1870-1935 ) in 1901 , daughter and co-founder of Septimus Wilkinson Crookes and Anne Blanche Harriet Proctor . 1 +She was baptized in Edworth near Biggleswade and was born in 1652 , and her parents were John and Mary Beaumont of Pirton . Beaumont was baptised in Edworth near Biggleswade and she was born in 1652 . Her parents were John and Mary Beaumont of Pirton . 1 +He was born in Scotland around 1760 and settled in Detroit ( then part of Quebec ) in 1782 . He was born in Scotland in 1760 and settled in Detroit in 1782 ( then part of Quebec ) . 1 +On June 30 , Florida Governor Farris Bryant announced the formation of a biracial committee to restore interracial communication in St. Augustine . On 30 June , St. Augustine Governor Farris Bryant announced the creation of a biracial committee to restore interracial communications in Florida . 0 +Iva Majoli won the title by defeating Mary Pierce 6 -- 4 , 6 -- 4 in the finals . Mary Pierce won the title by victory against Iva Majoli 6 -- 4 , 6 -- 4 in the final . 0 +The United Kingdom began in 2013 after the success of Small Business Saturday in the United States of America in the UK . Small Business Saturday United Kingdom began in the UK in 2013 after the success of Small Business Saturday in the United States of America . 0 +In 1033 , he rejected his first wife , Helie of Semur , and married her in 1048 . Robert and Helie had five children : He repudiated his first wife , Helie of Semur , about 1033 , and married her in 1048 . Robert and Helie had five children : 1 +Both Krishna and Balrama were brought up by Nanda , the cowherd chief and his wife Yashoda . Both Krishna and Balrama were brought up by Nanda , the Kuhhirthauptmann , and his wife Yashoda . 0 +By contrast , the lemmings are strikingly colored and behave aggressively towards predators and even human observers . Lemmings , by contrast , are aggressively colored and behave conspicuously towards predators and even human observers . 0 +Belbin and White were married in June 2014 and engaged themselves on 25 April 2015 . Belbin and White became engaged in June 2014 and were married on April 25 , 2015 . 0 +It is endemic to Hawaii , where it is only known from the northern Koolau Mountains of Oahu . It is endemic to Oahu , where it is known only from the northern Koolau Mountains of Hawaii . 0 +After he retired from the hockey , Edmonton opened a restaurant in Warwick . After he retired from hockey , Edmonton opened a restaurant in Warwick . 1 +Kumutrampatti is a small village near Kottampatti ( Gateway to Madurai District ) in Tamil Nadu . Kumutrampatti is a small village near Kottampatti ( gateway to the Madurai District ) in Tamil Nadu . 1 +Tipsarević started playing tennis at age six , and at the age of nine , began playing at the New Belgrade Tennis Club with Russian coach Roman Savochkin . Tipsarević started playing tennis at the age of six , and at the age of nine he began with the Russian coach Roman Savochkin at the New Belgrade Tennis Club . 1 +Edwin F. Parry , a son of John Parry , was a Mormon hymnwriter . John Parry , a son of Edwin F. Parry , was a Mormonian hymnwriter . 0 +""" FIFA Manager 12 "" is a football manager - simulation video game , developed by Bright Future GmbH and published by EA Sports worldwide under the label Electronic Arts ." """ FIFA Manager 12 "" is a football manager - simulations - video game , developed by Bright Future GmbH and published by Electronic Arts worldwide under the label EA Sports ." 0 +The catalog number for the Limited Edition is GNCX-1006 , whereas the regular edition is GNCX-1005 . The catalog number for the limited edition is GNCX-1006 , while the regular edition is GNCX-1005 1 +Blackburn was called to the Atlanta Braves on 1 July 2017 to make his main league debut against the Oakland Athletics . Blackburn was called up to the Oakland Athletics to make his major league debut on July 1 , 2017 , against the Atlanta Braves . 0 +The song was written by Thicke and Lamar alongside Dr. Luke , and produced by will.i.am and Cirkut . The song was written by Thicke and Lamar together with Dr. Luke and produced by will.i.am and Cirkut . 1 +Among women , the favourites were Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . Among the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favorites . 1 +The design was initially sold by Sunrise Aircraft from Sheridan , Michigan , and is currently produced by Thunderbird Aviation of Ray , Oregon . The design was sold initially by Sunrise Aircraft of Sheridan , Oregon and is currently produced by Thunderbird Aviation of Ray , Michigan . 0 +Bhilai is a city in the district of Durg , Chhattisgarh , in eastern central India . Durg , Chhattisgarh is a city located in the Bhilai district of Eastern Central India . 0 +Nigel Randell Evans was the oldest son of Air Chief Marshal Sir Donald Randell Evans ( 1912-1975 ) and Pauline Evans . Donald Randell Evans was the eldest son of Air Chief Marschall Sir Pauline Evans ( 1912-1975 ) and Nigel Randell Evans . 0 +Under certain conditions therefore , equivalence classes of convex ensembles have the structure of a statistical set . Therefore , under certain conditions , equivalence classes of statistical ensembles have the structure of a convex quantity . 0 +Achieving this target determines the player 's team to a playoff of eight teams that will promote the gold and silver medal recipients . Achieving this will promote the player 's team to a playoff of eight teams that will determine the gold and silver medal recipients . 0 +Maurice Tellier is the son of Paul Tellier , and the grandson of Sir Joseph-Mathias Tellier , who was the brother of Louis Tellier . Paul Tellier is the son of Maurice Tellier , and the grandson of Sir Joseph – Mathias Tellier , who was the brother of Louis Tellier . 0 +Filipino and English are also used and understood by the local residents , but are seldom used everyday . Filipino and English are also used and understood by the residents , but seldom used . 0 +She reached Melbourne on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . She reached Melbourne on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Sydney . 1 +In 1392 , Duncan agreed to marry Isabella to Robert 's son , Murdoch Stewart . In 1392 , Duncan Isabella agreed with Robert 's son to marry Murdoch Stewart . 0 +In 1643 , the English parliamentarian Alexander Rigby bought the great existing Plough of Lygonia patent , which included the entire area , including Cape Elizabeth . In 1643 English Parliamentarian Alexander Rigby bought the large existing Plough of Lygonia patent which included the entire area including Cape Elizabeth . 1 +Nieberg again won a gold medal in Team Jumping at the 2000 Summer Olympics in Sydney , together with Marcus Ehning , Otto Becker and Ludger Beerbaum . At the 2000 Summer Olympics in Sydney , Nieberg and Marcus Ehning , Otto Becker and Ludger Beerbaum won a gold medal in team jumping . 1 +Colonel Seishirō Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident by 31 May 1931 . Until 31 May 1931 , Colonel Seishiro Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident . 1 +The 2015 -- 16 Barangay Ginebra San Miguel season is the 37th season of the franchise in the Philippine Basketball Association ( PBA ) . The season 2015 -- 16 PBA is the 37th season of the franchise in the Philippine Basketball Association ( Barangay Ginebra San Miguel ) . 0 +The house of Ambrose Hallen , Rosyln Hall , was designed by Barker , but was demolished in 1937 . Ambrose Hallen 's house , Rosyln Hall , was designed by Barker but was demolished in 1937 . 1 +Bartosism is not a well manifested and theoretically-structured philosophy but a definite way of life . Bartosism is not a theoretically manifested and well-structured philosophy , but rather a particular way of life . 0 +Homalopoma subobsoletum is a species of small sea snail with calcareous opercula , a marine gastropod mollusk in the Colloniidae family . Homalopoma subobsoletum is a species of small sea snail with calcareous opercula , a marine gastropod mollusk in the family Colloniidae . 1 +The eldest son of Doug and Lyn Enoch from Brisbane , Wesley Enoch grew up in Stradbroke Island . He is the brother of Queensland government minister Leeanne Enoch . Wesley Enoch , the eldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of the Minister of Queensland , Leeanne Enoch . 1 +Dr. Carter worked in Africa for several months and remains at the AIDS clinic in Kem . Dr. Carter remains in Africa for several months and works in Kem 's AIDS clinic . 0 +Any two of the digitized waveforms could be used by the two provided digital oscillators . Any two of the digitised waveforms could be used by the two digital oscillators provided . 1 +"The Allmusic - Review by Michael Erlewine awarded the album with 4 ½ stars and noted : "" Another excellent album with green and pianist Sonny Clark "" ." "The Allmusic review by Michael Erlewine awarded the album 4 ½ stars and stated "" another excellent album with Green and pianist Sonny Clark "" ." 1 +The area is famous as the site of the battle of Chausa , in which the Humayun forces defeated the army of the Moghul emperor Sher Shah Suri in 1539 . The area is famous as the site of the Battle of Chausa , where the Sher Shah Suri forces defeated the army of Mughal - Emperor Humayun in 1539 . 0 +"It was also covered by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold in 1970 , once again produced by Andrew Loog Oldham ." "It was also produced by Nancy Sinatra in 1966 on her album "" Boots "" and PP Arnold produced once again by Andrew Loog Oldham in 1970 ." 1 +Manuel Quintano Bonifaz ( 1699 -- 1774 ) was a Spanish cleric who was Grand Inquisitor of Spain from 1755 to 1774 . Quintano Bonifaz ( 1699 -- 1774 ) was a Spanish cleric who , from 1755 to 1774 , was a Grand Inquisitor of Spain . 1 +Note that this last bracket is an anti commutator , not a commutator , because both generators are odd . Note that this last bracket is an anticommutator , not a commutator , because both generators are odd . 1 +The North Indian Ocean cyclone season in 2005 was weak , despite the destructive and deadly storms in southern India . The 2005 North Indian Ocean cyclone season was weak to southern India despite the destructive and deadly storms . 1 +There are 22 species in the genera , 17 species have a dextral shell and 5 species are sinistral . There are 22 species in the genus . 17 species have a sinistral shell and 5 species are dextral . 0 +Olivella esther is a type of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . Olivella esther is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . 0 +Madison is located in the 11th Congressional District and is part of New Jersey 's 27th state legislative district . Madison is located on the 11th Congressional District and is part of the 27th State Legislative District in New Jersey . 1 +It is divided by the Limbang - district of Sarawak into two parts . It is separated into two parts by the Sarawak district of Limbang . 0 +In July 2013 , the Tigers traded Vásquez and a player to be named later ( David Paulino ) to the Houston Astros for José Veras . In July 2013 , the Tigers Vásquez and a later named player ( David Paulino ) traded the Houston Astros for José Veras . 0 +"The historical fallacy is a logical fallacy that was described in "" The Psychological Review "" by the philosopher John Dewey in 1896 ." "The logical fallacy is a historical fallacy described in 1896 by the philosopher John Dewey in "" The Psychological Review "" ." 0 +Abolitionists rose in 1850 to defend Ellen and William Craft , Shadrach Minkins in 1851 , and Anthony Burns in 1854 . Abolitionists rose in 1850 to defend Ellen and William Craft , Anthony Burns in 1851 , and Shadrach Minkins in 1854 . 0 +In 2004 SCA acquired the tissue and hygiene products businesses of Carter Holt Harvey from International Paper . In 2004 , SCA acquired from International Paper the tissue and hygiene products - shops of Carter Holt Harvey . 0 +Jarymowycz was a lecturer at the Royal Military College and was a frequent author of letters to the editor . Jarymowycz was a sessional lecturer at the Royal Military College and was a frequent writer of letters to the editor . 1 +Linna is spoken by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English in the original series , with Michie Tomizawa in the 2040s series . Linna is voiced by Rio Natsuki and Kelly Manison in Japanese and Elizabeth Becks in English in the original series , with Michie Tomizawa in the 2040 series . 1 +He was born and raised in Aylesbury , Saskatchewan , Canada and died in Vancouver , British Columbia , Canada . Born and raised in Vancouver , Canada , British Columbia , he died in Aylesbury , Saskatchewan , Canada . 0 +Highsmith is the father of the current former NFL player Ali Highsmith and former NFL player Alonzo Highsmith uncle . Highsmith is the father of the former NFL player Alonzo Highsmith and the uncle of the current former NFL player Ali Highsmith . 0 +Without being a great attacker , Garzelli was very constant and , on a good day , he could go with the best climbers . Garzelli , without being a permanent attacker , was very good and could go on a great day with the best climbers . 0 +Alworth was elected in the first round ( eighth overall ) of the NFL - draft in 1962 by the San Francisco 49ers . Alworth was chosen in the eighth round ( first overall ) of the 1962 NFL draft by the San Francisco 49ers . 0 +On 7 June he won the postponed Superstock TT race , his 16th TT victory and the 27th podium . On 7 June he won the postponed Superstock TT race , his 16th TT victory and 27th podium . 1 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno of 1709 for Caldara . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Caldara for Apostolo Zeno . 0 +The base property is now referred to as Summerside Airport and the airfield has been named Slemon Park . The base property is now referred to as Summerside Airport and the airfield has been called Slemon Park . 1 +The station is located by the Asa Line and is served 8.0 km from the beginning of the line at The railway station is located at the Asa line and is 8.0 km from the beginning of the line . 1 +Adam was a member of the important Julius Adam family of Munich artists . Julius Adam was a member of the important Munich Adam family . 0 +Lennox Island 6 is located in Fernwood , Bedeque , approximately west of the municipality of Prince Edward Island . Lennox Island 6 is located in Fernwood , Prince Edward Island , approximately to the west of the Bedeque community . 0 +96 % of people spoke only English at home . The next most common languages were 1.5 % Vietnamese , 1 % Samoan . 96 % of people spoke at home only English , the second most common languages were 1.5 % Samoan , 1 % Vietnamese . 0 +"In South Korean culture , "" Pokarekare Ana "" was used as the title song for the film "" Crying Fist "" , popular in 2005 ." "In popular culture , "" Pokarekare Ana "" was used as the theme song for the 2005 South Korean film "" Crying Fist "" ." 0 +Rosa taught courses for several years relating to both domestic chemistry and analytical chemistry . For several years , Rosa taught courses relating both to domestic chemistry and applied analytical chemistry . 1 +The Georgian government protested against the allegedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . The Georgian Government protested against the supposedly increasing uncontrolled presence in the region and against the Russian economic and political military of the South Ossetian side . 1 +The journalist played by Elio Germano ( Luke Gualtieri , the fictional journal of Bologna ) is Lorenzo Guadagnucci , journalist from Il Resto del Carlino . The journalist by Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist of Il Resto del Carlino . 0 +Escher was born the son of the geologist and mineralogist Emma Brosy and the Swiss Berend George Escher . Escher was born as the son of the geologist and mineralogist Berend George Escher and the Swiss Emma Brosy . 0 +In the future , it is planned to extend this rail line to the city of Juazeiro , south of Barbalha do Norte . In the future it is planned to extend this railway track to the city of Juazeiro south of Barbalha do Norte . 1 +After leaving Wingfield Manor , Mary was taken by her new gaoler Sir Ralph Sadler to Sheffield in Derbyshire and then to Tutbury . After leaving Sheffield , Mary was transferred from her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . 0 +The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Long Supply ) in the course of the aggregate . The SAS ( Surprise Aggregate Supply ) curve is a vertical line called the EAS curve ( Equilibrium Aggregate Supply ) in the long term . 0 +Azzopardi received his first country match for Malta in a game against Poland on 14 December 2003 . Azzopardi received his first cap for Poland on 14 December 2003 in a match against Malta . 0 +2011 Statue of Ma.Po.Si unveiled in Tyagaraya Nagar ( T. Nagar , Chennai ) Statue of Ma.Po.Si in Chennai in 2011 ( T. Nagar , Tyagaraya Nagar ) 0 +The Aube has 365 historical monuments , 144 of which are classified and 221 are registered . The Aube has 365 historical monuments , 144 of which are registered and 221 are classified . 0 +Litwin wrote a story about and a song for the cat , and the two began a partnership , although the collaboration between Dean and Litwin ended in 2012 . Dean wrote a story and a song for the cat , and the two began a partnership , although the collaboration between Litwin and Litwin ended in 2012 . 0 +On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace long-time Braves manager Bobby Cox as manager of the team in 2011 . On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves ’ manager Bobby Cox as team manager in 2011 . 1 +"Different cultures influence ritual aspects of meetings , but around the world "" many particularities of the AA format can be observed at almost every AA meeting "" ." "Different cultures affect many aspects of meetings , but around the world "" ritual particularities of the AA meeting format can be observed at almost any AA gathering "" ." 0 +Marc Marcos Baghdatis defeated Gilles Simon , 6 -- 4 , 7 - 6 . Marcos Baghdatis defeated Gilles Simon , 6 -- 4 , 7 -- 6 1 +African stone tool technologies are divided into modes such as those proposed in 1969 by Grahame Clark and described by Lawrence Barham and Peter Mitchell as follows : African stone tool technologies are divided into modes as proposed by Grahame Clark in 1969 and outlined by Lawrence Barham and Peter Mitchell as follows : 1 +Truckee is a state park of Burton Creek State Park , located in Placer County near California , USA . Burton Creek State Park is a State Park of California , USA , in Placer County near Truckee . 0 +"In 2016 , Atticus Decker returned in the recurring role of Adam "" Home and Away "" ." "In 2016 , Adam rejoined "" Home and Away "" in the recurring role of Atticus Decker ." 0 +He won the 22nd World Memory Championships in December 2013 and the 24th World Memory Championships in December 2014 . He won the 24th World Memory Championships in December 2013 and the 22nd World Memory Championships in December 2014 . 0 +Later he took local councils and became the most rulers of the north . Later he took local councils there and became most of the rulers of the north . 1 +The division was formed on March 10 , 1915 , from units taken from other divisions or newly raised . The division was formed on 10 March 1915 from units taken or recollected from other divisions . 0 +Eckstein was an activist representative of the important lesbian wing . Eckstein was an important lesbian representative of the wing of the activist . 0 +This worldwide game is made for the Germans and the pressure of international authority certainly played . This international game is made for the Germans and has certainly played the pressure of global authority . 1 +Two of Joest 's apprentices were Joos van Cleve ( his brother ) , and Barthel Bruyn . Two of Joest 's apprentices were Joos van Cleve ( his brother-in-law ) and Barthel Bruyn . 1 +"The series was heavily profiled in the occult documentary "" Deception of a Generation "" as an example of Christian fundamentalist influences on children 's entertainment ." "The series was strongly profiled in the Christian - fundamentalist documentary "" Deception of a generation "" as an example of occult influences on children 's entertainment ." 0 +Philip Lawson is a pseudonym used for mystery novels written by Michael Bishop with Paul Di Filippo . Philip Philip Lawson is a pseudonym for mystery novels written by Michael Bishop with Paul Di Filippo . 1 +On 2 February 2009 , the French striker , in agreement with the Brazilian team , cancelled his contract with Sochaux . On 2 February 2009 , the Brazilian striker , in agreement with the French national team , terminated his contract with Sochaux . 0 +However the term Siyin is local and Sizang is official terminology . The term Siyin , however , is local and Sizang is official terminology . 1 +The successor rocket , the Falcon 9 , landed its first stage successfully on land for the twentieth time on its first flight , on December 22 , 2015 . The successor rocket , the Falcon 9 , successfully landed its first stage on land on December 22 , 2015 , for the twentieth time . 1 +After his dismissal , he moved from Germany to Los Angeles , then to San Francisco and then to New Mexico . After his discharge he moved from Germany to New Mexico and then to Los Angeles then to San Francisco . 0 +Hector Pieterson was buried at the Avalon Cemetery in Johannesburg with Hastings Ndlovu . Hastings Ndlovu , together with Hector Pieterson , was buried at the Avalon cemetery in Johannesburg . 0 +For large data , small factors can not be ignored , but an asymptotically linear or square algorithm can be more efficient for inefficient data . For large data , linear or square factors can not be ignored , but an asymptotically inefficient algorithm can be more efficient for small data . 0 +Pablo Neruda 's personal secretary was in Chile for nearly two years . For almost two years , Pablo Neruda was Adoum 's personal secretary in Chile . 0 +The Nordiques opened the Stanley Cup - Playoffs in 1982 with a Best of five Adams Division quarterfinals with their Battle of Quebec Rivals , the Montreal Canadiens . The Montreal Canadiens opened the 1982 Stanley Cup playoffs with a best of five Adams Division quarter-final series with their Battle of Quebec rivals , the Nordiques . 0 +West Africa Democracy Radio ( WADR ) launched a news platform that incorporated Airtime on April 1 , 2011 . On 1 April 2011 , West Africa - Democracy - Radio ( WADR ) launched a news platform that included Airtime . 1 +Under the rule of the latter the newly founded Marienberg Abbey was recruited with monks from Ottobeuren . Under the rule of the latter , the newly founded Monastery of Marienberg was recruited with monks from Ottobeuren . 1 +His father was the late Ud Maestro Munir Bashir , his uncle was the renowned late Oud Master Jamil Bashir . His father was the late Ud Maestro Munir Bashir , whose uncle was the renowned late Oud - Master Jamil Bashir . 1 +Konrad Adenauer was painted by Hans Jürgen Kallmann in 1963 . In 1963 , Konrad Adenauer was painted by Hans Jürgen Kallmann . 1 +List of modern astronauts ( fictional period , works released 1990 -- 1999 ) . List of modern astronauts ( fictional period , works published 1990 -- 1999 ) . 1 +The section of Collector Highway 321 from Oxford to Springhill was designated as Trunk Highway 4 before the 1960s . The section of the Collector Highway 321 from Oxford to Springhill was designated as Trunk Highway 4 before the 1960s . 1 +Brockton is approximately 25 miles south of Boston , and 30 miles northeast of Providence , Rhode Island . Brockton is located approximately 25 miles northeast of Providence , Rhode Island and 30 miles south of Boston . 0 +Judah lives in his hometown of Memphis with his wife Denise and children Jeremy Horn , Liam and Daisy . Jeremy Horn lives with his wife Denise and the children of Judah , Liam and Daisy in his hometown of Memphis . 0 +Felix researched in Bielsko , Vienna , Prague , and London . Between 1927 and 1945 , he worked in Jerusalem for the Hadassah Medical Organization . Felix researched in Bielsko , Vienna , Prague and London and worked for the Hadassah Medical Organization in Jerusalem from 1927 to 1945 . 1 +The Dâmboviţa River is a tributary of the river Sântinica in Romania . The Dâmboviţa River is a tributary of the Sântinica River in Romania . 1 +Jacinto Benavente and the brothers Antonio and Manuel Machado were among their admirers . Among her admirers were Jacinto Benavente and the brothers Antonio and Manuel Machado . 1 +In 1896 , Webster , Old Orchard , Webster Park , Tuxedo Park and Selma merged in 1876 to develop public services and implement a single city government . Webster , Old Orchard , Webster Park , Tuxedo Park , and Selma merged in 1896 to develop public services and implement a unified city government . 0 +In September 2003 , Marta Hillers ( a German literary editor ) identified the anonymous author as journalist Jens Bisky , who had died in 2001 . In September 2003 , Jens Bisky ( a German literary editor ) identified the anonymous author as journalist Marta Hillers , who died in 2001 . 0 +Each line contains three points , therefore the Hesse configuration has the notation 912 in the language of the configurations . Each line has three points , therefore the Hesse configuration contains the notation 912 in the language of the configurations . 1 +Philip Marlowe was not exactly my idea for Elliott Gould , but we were there anyway . Elliott Gould was not exactly my idea of Philip Marlowe , but anyway there we were . 0 +""" Town Without Pity "" is a song written by the composer Dimitri Tiomkin and the lyricist Ned Washington ." """ Town Without Pity "" is a song written by composer Dimitri Tiomkin and lyricist Ned Washington ." 1 +Neena 's sister Sharda ( Rehman ) lives with her husband Chandrashekhar ( Leela Naidu ) in Bombay . Sister Sharda ( Leela Naidu ) lives in Bombay with her husband Chandrashekhar ( Rehman ) . 0 +Murray is known for writing dark comedies incorporating strong Scottish themes , with Allie being Murray 's first drama . Allie is well known for writing dark comedies with strong Scottish themes , Murray Murray 's first drama . 0 +After Izumi drew some early character designs for Hibiki , Maeda wanted to continue the story and start a manga with Izumi as the artist . After Izumi drew some early character designs for Hibiki , Izumi wanted to continue the story and start a manga with Maeda as an artist . 0 +On May 14 , 1885 , Machado received his title and registered it in Baja California Territory , then the capital city of the Northern District of Ensenada . On May 14 , 1885 , Machado received his title and registered it in the Baja California Territory , the capital of the northern district of Ensenada . 1 +The Argintărie - River is a tributary of the River Ciunget in Romania . The Ciunget River is a tributary of the Argintărie River in Romania . 0 +She was the second daughter and the youngest of four children by Wright and his wife , Mary Weeks ( Bracket ) Philander Montague Wright . She was the second daughter and the youngest of four children born to Philander Montague Wright and his wife , Mary Weeks ( Bracket ) Wright . 0 +Riverside is located on the 3rd Congressional District and is part of the 7th State Legislative District in New Jersey . Riverside is located in the 7th Congressional District and is part of the 3rd State Legislative District of New Jersey . 0 +The French , led by Bertrand du Guesclin , met and defeated the relief force . The French , led by Bertrand du Guesclin , met the relief force and defeated it . 1 +Nakamura has also worked on white LEDs , and is responsible for creating the blue LED and green laser diodes used in Blu-ray Discs and HD DVDs . Nakamura has also worked on white LEDs and is responsible for creating the blue LED and green laser diodes that are used in Blu - ray Discs and HD DVDs . 1 +"The Spaniards called him "" eccentric genius "" because of his original play style , but his motto was "" This is all just a game "" ." "Spaniards called him "" original genius "" due to his eccentric style of play , but his motto was "" This is all just a game "" ." 0 +At the local level , the celebrations are decided by a diocesan team that is usually appointed by ordinary members . At the local level , celebrations are decided by a diocesan team usually appointed by the ordinary . 1 +Bob Flanagan , Sheree Rose , Ron Athey , Vaginal Davis , Daphne von Rey , Jenny Shimizu , Catherine Opie , Michele Mills are included . Included Daphne Von Rey , Jenny Shimizu , Catherine Opie , Sheree Rose , Ron Athey , Vaginal Davis , Bob Flanagan and Michele Mills . 1 +On 2 February 2009 , the Brazilian striker terminated his contract with Sochaux in agreement with the French team . On 2 February 2009 , the French striker , in agreement with the Brazilian team , cancelled his contract with Sochaux . 0 +Starmount is a residential area in the South Charlotte ( South Boulevard of Arrowood and Archdale ) . Archdale is a residential area at Starmount ( South Boulevard in Arrowood and South Charlotte ) . 0 +His previous clubs include Plymouth Argyle , FSV Zwickau , TSV Hartberg , the Preston North End , Alemannia Aachen and Eintracht Frankfurt . His previous clubs include TSV Hartberg , FSV Zwickau , Eintracht Frankfurt , Preston North End , Alemannia Aachen and Plymouth Argyle . 1 +The younger son of Biju Patnaik , Naveen Patnaik , is current Chief Minister of Odisha . Biju Patnaik 's younger son , Naveen Patnaik , is the current Chief Minister of Odisha . 1 +Russ injured at least 74 people in Hainan , Guangdong and Guangxi Provinces and killed another 726 people . Russ has killed at least 74 people and injured another 726 people in the provinces of Hainan , Guangdong , and Guangxi . 0 +For many centuries it was a royal , independent royal royal and from 1480 a chapel of the diocese of Lichfield and even the province of Canterbury . For many centuries it was a chapel royal , and from 1480 a royal peculiar , independent of the Diocese of Lichfield and even the Province of Canterbury . 0 +In August 1574 , during the siege of Delfshaven , he became consulted by Prince William of Orange , who was ill in Leiden . In August 1574 , during the siege of Leiden , he was consulted by prince William of Orange , who lay ill at Delfshaven . 0 +On the album charts the album reached number 1 in Norway and number 16 in Sweden . On the album charts , the album peaked at number 1 in Sweden and number 16 in Norway . 0 +Vanuatu is the southernmost of the six provinces of Tafea . Vanuatu is the southernmost of the six provinces of the Tafea . 1 +Later his family moved from Brooklyn to Manhattan on 110th Street and Amsterdam Avenue . Later , his family moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . 0 +Leudesius and Theuderic III escaped to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . Leudesius and Theuderic III fled to Baizieux with their royal treasure , where Leudesius overtook them and murdered Ebroin . 0 +Lives . Elizabeth died in 1896 and Adele in 1910 , and both were buried in the family graveyard behind the home . Elizabeth died in 1896 and Adele in 1910 , and both were buried behind the house in the family graveyard . 1 +"And dark brown eyes , so black they almost look big , round "" ." And dark brown eyes , so black that they look almost big and round . 1 +Born in North Carolina , he grew up in Texas and played for a local Dallas team named C.D . Independiente under the chief coach Jose Antonio Radilla . Gonzalez was born in Dallas . He grew up in Texas and played for a local North Carolina team named C.D . Independiente under head coach Jose Antonio Radilla . 0 +Ma Smith is a widow of two own children : Will and Dora Smith . Dora Smith is a widow with two children of her own : Will and Ma Smith . 0 +The museum consists of a new information room , a restoration hangar , the main Texas Flying Legends hangar and the Oswin H. Elker Hangar . The museum consists of a new information room , a restoration hangar , the main hangar Texas Flying Legends and the hangar Oswin H. Elker . 1 +Indiana was the scene of the Battle of Corydon , the only official battle in Corydon during the American Civil War . During the American Civil War , Indiana was the site of the Battle of Corydon , the only official pitched battle waged in Corydon . 1 +Classical functionalist theory is generally united by its tendency towards biological analogy and notions of social evolutionism . Classicist functionalist theory is generally united by its tendency towards biological analogy and the notions of social evolutionism . 1 +The fully completed action plan , published on 3 March 2006 , will be placed directly in the hands of the other ministers by ministerial members of the task force . The completed action plan , published on 3 March 2006 , will be placed by ministerial members of the Task Force directly in the hands of other ministers . 1 +Sumprabum is a town in the Kachin State of the northernmost part of Myanmar . Sumprabum is a town in the Kachin State of the northernmost part of the Myanmar . 1 +Andre Andre Agassi won 6 -- 2 , 6 -- 4 against Paul Annacone in the finals . Paul Annacone won in the final 6 -- 2 , 6 -- 4 against Andre Agassi . 0 +The presynaptic monoamine transporter ( VMAT ) is a transport protein integrated in the membrane of the synaptic vesicles of vesicular neurons . The Vesicular Monoamine Transporter ( VMAT ) is a transport protein that is integrated into the membrane of synaptic vesicles of presynaptic neurons . 0 +In 2014 election , Indian National Congress candidate Dambaru Sisa defeated Biju Janata Dal candidate Sunadhar Kakari by a margin of 24,730 votes . In 2014 election , defeated Indian National Congress Candidate Dambaru Sisa Biju Janata Dal candidate Sunadhar Kakari with a distance of 24,730 votes . 0 +John Geza Ashton was born on 30 November , 1957 in Whips Cross Hospital , Forest Gate , Leicestershire , and lived in North Kilworth in south London . Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in London , and lived in North Kilworth , South - Leicestershire . 0 +The LDS 's official missionary work did not start in Utah until John Murdock and Charles W. Wandell arrived in Sydney from Australia on October 30 , 1851 . Official LDS missionary work did not begin in Australia until John Murdock and Charles W. Wandell arrived in Sydney from Utah on 30 October 1851 . 0 +The architectural complex was to be built in the most exclusive upscale Cuban district , the Country Club . The architectural complex was to be built in the most exclusive upper-class Cuban district , the Country Club . 1 +And it is uncertain how the nonfungal - Biota interact with the fungal components of the microbiome . And it is uncertain how the fungal biota interact with the nonfungal constituents of the microbiome . 0 +Smith died in South Africa , in Grahamstown , Cape Province at the age of 76 . died at the age of 76 in South Africa , Grahamstown , Cape Province . 1 +She was born on 18 December 1814 in Litchfield , Ohio , but later located in Hebron , Connecticut . She was born on 18 December 1814 in Hebron , Connecticut , but later at Litchfield , Ohio . 0 +Cankar was also famous for his essays , most of which were published between 1907 and 1913 , where he showed great mastery and stylistic irony . Cankar was also famous for his essays , most of which were published between 1907 and 1913 , where he showed a stylistic championship and great irony . 0 +"Hermione Hoby wrote for "" The Observer "" that "" Guardian "" is "" heavy and power chord-anthemic . """ "Hermine Hoby wrote for "" The Observer "" that "" Guardian "" Heavy and Power Chord-anthemic "" is ." 1 +Saladas Department is a department of Argentina in the province of Corrientes . Saladas - Department is a department of the Corrientes - province in Argentina . 0 +He also met Theodoros Kolokotronis , whom he began to admire later . He also met Theodoros Kolokotronis , whom he later came to admire . 1 +Pilar was the only Vasquez to survive and was sent to prison ; before she was taken away , she swore her revenge on Juanita . Pilar was the only vasquez who survived and was sent to prison before she was taken away , she swore to Juanita her revenge . 1 +John McEnroe won against Miloslav Mečíř in the final with 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 . Miloslav Mečíř won against John McEnroe at 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 in the final . 0 +Ippolita Rostagno was born on December 10 , 1963 in Florence and is the daughter of an Italian artist and an American intellectual . Born December 10 , 1963 in Florence , Italy , Ippolita Rostagno is the daughter of an American artist and an Italian intellectual . 0 +A historic figure is a famous person in history , such as Catherine the Great , Abraham Lincoln , Washington , or Napoleon . A historical figure is a famous person in history , such as Catherine the Great , Abraham Lincoln , Washington , or Napoleon . 1 +The Expected Exposure ( EE ) is defined similarly to the PFE , except that the average is used instead of a specific quantile . The anticipated exposure ( Expected Exposure , EE ) is defined similarly to the PFE , except that the average is used instead of a certain quantile . 1 +"The 356th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 9287th link would be 0.2.356 at the end ." "The 9287th byte of this version of the document would be 1.2368.792.6.0.6974.383.1988.352.0.75.2 . "" 0.1.9287 "" and the 356th link would instead be 0.2.356 at the end ." 0 +Eileen Chong was born in Singapore in 1980 , moved to Sydney in 2007 . Eileen Chong was born in 1980 in Singapore . She moved to Sydney , Australia in 2007 . 1 +E Battery was re-designated as the 5th Battalion , 78th Artillery was assigned to 194th Armored Brigade , later inactivated on 18 May 1970 . Battery was renamed the 5th Battalion , 78th Artillery was assigned to 194th Armored Brigade , later inactivated on May 18 , 1970 . 1 +Synaptic clustering refers to the addition of dendritic spines to a new area where other spines have been added by previous learning . Synaptic clustering refers to the addition of Dendritic spines to a new area where other spines have been added through previous learning . 1 +The Botizu River is a tributary of the Scridoasa River in Romania . The river Scridoasa is a tributary of the Botizu River in Romania . 0 +During my entire school years I was in a white environment , with racist people . During all my school years , I was in a racist environment , with white people . 0 +The tournament requires an import or a foreign-pure player for each team . For each team the tournament requires an import or a foreign player . 1 +Produced by Oscar Hammerstein II the show was choreographed by Reginald Hammerstein ( the brother of Arthur Hammerstein ) and was directed by Danny Dare . Produced by Arthur Hammerstein , the show by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) was led and was choreographed by Danny Dare . 0 +Madison is located in the 27th state District and is part of New Jersey 's 11th Congressional legislative district . Madison is located in the 11th Congressional District and is part of the 27th State Legislative District of New Jersey . 0 +He also returned to the Auckland Rugby League contest and then played for the Auckland Lions at the Bartercard Cup Level before being contracted by the New Zealand Warriors . He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . 1 +They can be seen often long before they are heard . They can often be heard long before they are seen . 0 +It began as a fishing village , populated by Polish settlers from the Kaszub region and some German immigrants in 1870 . It began as a fishing village inhabited by German settlers from the region of Kaszub , as well as some Polish immigrants in 1870 . 0 +The states that took part in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . The states that participated in this study were Aguascalientes , Chiapas , Chihuahua , Durango , Guerrero , Jalisco , Oaxaca , Sinaloa , Veracruz and Yucatan . 1 +But soon Katie and Ducky discover that Donald and the triplets are dealing with ghosts inside the hotel . But soon Donald and Ducky discover that Katie and the triplets are dealing with ghosts in the hotel . 0 +"He introduced a new Malayali - genre of drama , known as "" Mozhiyattam "" , which is a fusion of poetry and theater , to new audiences ." "He introduced to new audiences a Malayali genre of drama known as "" mozhiyattam "" which is a fusion of poetry and theatre ." 1 +We consider pseudo-differential operators here as a generalization of differential operators . We view differential operators here as the generalization of pseudo-differential operators . 0 +When ripe the fruit appears orange-brown and tastes sweet . When the fruit is ripe , it tastes sweet-brown and appears orange . 0 +Conotalopia mustelina is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . Conotalopia mustelina is a species of sea snail , a top gastropod mollusk in the Trochidae family , the navy snails . 0 +The Dallas Cowboys signed Spears to a futures contract on January 8 , 2014 . On May 12 , 2014 the Dallas Cowboys released Quinton Spears . The Dallas Cowboys released a futures contract on January 8 , 2014 , and the Dallas Cowboys signed the Quinton Spears on May 12 , 2014 . 0 +She was launched on 28 July 1941 and completed in August . It was completed on July 28 , 1941 and launched in August . 0 +After the positive response to the opening sequence by Banksy , creator Matt Groening and Jean came to Kricfalusi and asked him if he could do something similar . After the positive response to the opening sequence of Kricfalusi , creators Matt Groening and Jean came to Banksy and asked him if he could do something similar . 0 +It was destroyed in 1446 and rebuilt and abandoned in 1551 . It was destroyed and rebuilt in 1446 , and abandoned in 1551 . 1 +The project was developed in 2003 by Murphy and DeSanto , and DeSanto wrote a treatment . Murphy and DeSanto developed the project in 2003 , and DeSanto wrote a treatment . 1 +El Salvador will send a team of twelve female athletes and a team of ten male athletes to compete in the men 's and women 's tournaments . A team of twelve athletes and a team of ten male athletes will send to the men 's and women 's tournaments . 1 +He also served as a North Cornwall District councillor , a Bude-Stratton town councillor , and was Mebyon Kernow parliamentary candidate for North Cornwall . He also served as North Cornwall District Councillor , a Bude - Stratton Councillor , and was a parliamentary candidate for North Cornwall , Mebyon Kernow . 1 +The 1945 Northwestern Wildcats team represented Northwestern University during the football season of the Big Ten Conference . The 1945 Big Ten Conference Team represented Northwestern University during the 1945 Northwestern Wildcats soccer season . 0 +The Fox Reality Channel recorded the ceremony on 2 October 2007 and broadcasted it on 13 October . Fox Reality Channel recorded the ceremony on October 2 , 2007 , and aired it on October 13 . 1 +Alexander Seton also commissioned the tomb of his friend , the architect William Schaw , at the Dunfermline Abbey . Alexander Seton also commissioned the tomb of his friend the architect William Schaw at Dunfermline Abbey . 1 +In Dublin he played with Stella Maris before playing for Everton in England . Stella Maris played in Dublin with Dunne , before playing in England for Everton . 0 +"All songs were written , produced , and arranged by R. Kelly , except "" Who 's That "" , which was co-written by Fat Joe ." "All songs were co-written by Fat Joe , except "" Who 's That "" , written , produced and arranged by R. Kelly ." 0 +The song was originally produced by Johnny J and features Hurt-M-Badd , Big Syke , Mopreme Shakur , Yaki Kadafi & E.D.I.. The song was originally produced by Johnny J and features Hurt-M-Badd , Big Syke , Mopreme Shakur , Yaki Kadafi 's E.D.I . 1 +Where the sum extends over all paths , Formula 40 with the property that Formula 39 and Formula 41 . The analogue expression in quantum mechanics is the path integral . Where the sum extends over all paths formula _ 39 with the property that formula _ 40 and formula _ 41 . The analogous expression in quantum mechanics is the path integral . 0 +This dish has become one of the most symbolic dishes of Indian cuisine , next to indian curry . This dish has become one of the most symbolic dishes of the Indian cuisine , next to Indian curry . 1 +He played for the Kansas City Royals for ten matches during the Kansas City Royals season in 1991 and four games during the Chicago Cubs season of 1992 . He played for the Chicago Cubs for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Kansas City Royals . 0 +At the central level , EEAA represents the executive of the ministry . At the central level , EEAA represents the executive arm of the Ministry . 1 +Karthik is the brother of the actress Sridevi and nephew of the actress Maheswari . Karthik is the brother of actress Sridevi and the nephew of actress Maheswari . 1 +It is bordered to the west and east by Massapequa , North Massapequa to the northwest , and to the north by South Farmingdale . It is bordered by Massapequa in the west and east , South Farmingdale in the northwest and North Massapequa to the north . 0 +The board game contained features called Orc Wars , and is put around in and around the Broken Lands and is a power struggle to become the Top - Humanoid . The board game included is called Orc Wars , and is set in and around the Broken Lands and features a power struggle to become the top humanoid . 0 +Ernst Peter Johannes Maag ( Peter Maag ) ( 10 May , 1919 -- 16 April , 2001 ) was a Swiss conductor . Peter Maag ( Ernst Peter Johannes Maag ) ( 10 May 1919 - 16 April 2001 ) was a Swiss conductor . 1 +The Connecticut WFP helped elect Congressman Jim Himes by defeating Republican Congressman Chris Shays . The Connecticut WFP helped elect congressman Jim Himes , defeating long-term Republican congressman Chris Shays . 1 +The son of Reverend William Leonard Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister Henry Addington , 1st Viscount Sidmouth . was the son of Reverend Henry Addington , 2nd Viscount Sidmouth , eldest son of Prime Minister William Leonard Addington and 1st Viscount Sidmouth . 0 +The song ends with the same spoken segment of Prince that the EP begins . The song begins with the same spoken segment from Prince that ends the EP . 0 +Although Fresnel did not know that electromagnetic waves are light , he managed to construct the first coherent light theory in the world . Although Fresnel did not know that electromagnetic waves are light , he managed to construct the world 's first coherent theory of light . 1 +The songs were composed by Gulzar with lyrics by A. R. Rahman . The songs were composed by A. R. Rahman with lyrics penned Gulzar . 0 +These names were chosen to correspond to their international counterparts in the rough chess and not as literal translations of Japanese names . These names were chosen to correspond to their rough equivalents in international chess , not literal translations of the Japanese names . 0 +And that , institutional patriarchs dominated family law because , within these judicial and intra-racist rivalries , judges succeeded in protecting their power over the law that governs the hearth . "And that , "" Judicial patriarchs dominated family law because within these institutional and intraclass rivalries judges succeeded in protecting their power over the law governing the hearth ." 0 +Derlis Aníbal Cardozo ( born 16 June 1981 , in Pedro Juan Caballero ) is a Paraguayan football defender . Derlis Aníbal Cardozo ( born June 16 , 1981 in Pedro Juan Caballero ) is a Paraguayan defender . 1 +The underlying phonetic system of Mëranaw including the sound features is listed below . Below is the sound system of Mëranaw including underlying phonetic features . 0 +She was the first female professional and the first feminist writer in Korea . She was the first female professional painter and the first feminist writer in Korea . 0 +The company was re-established as Spacetec , which was registered on 11 December 1984 . The company was registered as a Spacetec , which was re-established on 11 December 1984 . 0 +From 1999 to 2006 he was a popular sportscaster for national radio sports on CBC Radio , and anchored the radio coverage for four Olympic Games . From 1999 to 2006 he was a national athlete for popular radio sports at CBC Radio and anchored the radio coverage for four Olympic Games . 0 +For example , to call Oslo in Norway before 1992 , it was necessary to dial : To elect Norway , for example , in Oslo before 1992 , it was necessary to call : 0 +Rubén Ramírez Hidalgo won the title and defeated Carlos Salamanca 5 -- 7 , 6 - 2 , 6 -- 1 in the final . Rubén Ramírez Hidalgo won the title , defeating Carlos Salamanca 5 -- 7 , 6 -- 2 , 6 -- 1 in the final . 1 +For the first time since 1956 , the Eastern Conference Finals had neither the Knicks nor the Celtics involved . For the first time since 1956 , the Eastern Conference Finals had neither the Celtics nor Knicks participating . 1 +"In addition , the song "" Calling All Angels "" is played by Jane Siberry in the film and is recorded in the soundtrack ." "In addition , the song "" Calling All Angels "" is included in the film by Jane Siberry and is played on the audio track ." 0 +In 235 BCE , after an attack on the State of Zhao , troops from the states of Qin and Wei united to attack Chu but suffered a defeat . In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Chu to attack Wei , however , defeat suffered . 0 +It is currently being represented by Senator Christy Zito , Republican of Rogerson , Representative Megan Blanksma , Republican of Hammett , representative Bert Brackett and Republican of Hammett . It is currently represented by Senator Christy Zito , Republican of Rogerson , Representative Megan Blanksma , Republican of Hammett , Representative Bert Brackett and Republican of Hammett . 1 +The position of Leader of the Opposition was essentially informal throughout the early twentieth century , with formal recognition only being granted in the nineteenth century . The position of the opposition leader was essentially informal throughout the nineteenth century , with formal recognition only being granted in the early twentieth century . 0 +The position of the opposition leader was essentially informal in the whole of the twentieth century , with formal recognition only being granted in the nineteenth century . The position of Leader of the Opposition was essentially informal throughout the early twentieth century , with formal recognition only being granted in the nineteenth century . 1 +The temple is maintained and was renovated around 2005 by the Archaeological Investigation of India , Bhubaneswar Circle . The temple is maintained and was renovated around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 1 +Big Sur 's album Notes is an album by Jazz - saxophonist Lloyd , which was recorded by Charles Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . Notes from Big Sur is an album by jazz saxophonist Charles Lloyd recorded in July 1993 by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . 0 +Taizong also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically elevated Shi Jingtang and the Liao to a superior position . Shi Jingtang also agreed to treat Emperor Taizong of Liao as his own father , a move that symbolically placed Taizong and the Liao in a superior position . 0 +The season 2009-2010 National Hockey League was the 17th season of the operation ( 16th season of the game ) for the Anaheim Ducks franchise . The season 2009 -- 10 Anaheim Ducks was the 17th season of the operation ( 16th season of the game ) for the National Hockey League Franchise . 0 +On April 1 , 2011 , West Africa - Democracy - Radio ( WADR ) launched a news platform that involved Airtime . West Africa Democracy Radio ( WADR ) incorporated a news platform that launched Airtime on April 1 , 2011 . 0 +The municipality has a land border with Elizabeth and Shooters Island , on uninhabited Bayonne , New Jersey . The community has a land border with Elizabeth and Bayonne , New Jersey , on uninhabited Shooters Island . 0 +In a game similar to SimLife , the player aims to create a new ecology for Gungun - colonial gentlemen . In a game similar to SimLife , the player aims to create a new ecology for Gungun colonisers . 1 +If When is used to describe spatial rotations ( cf . Quaternions and spatial rotations ) , it describes a rotation of an angle . When describes used to describe spatial rotations ( cf . quaternions and spatial rotations ) , it is a rotation about through an angle of . 0 +The Stroe River is a tributary of the River Nechitu in Romania . The Nechitu River is a tributary of the Stroe River in Romania . 0 +64 Democrats and 64 Whigs were declared elected to the New York State Assembly of the 73rd New York State Legislature . The New York State Legislature of the 73rd New York State Assembly has elected 64 democrats and 64 whigs . 0 +Beaumont was born in Edworth near Biggleswade and she was baptised in 1652 . Her parents were John and Mary Beaumont of Pirton . She was baptized in Edworth near Biggleswade and was born in 1652 , and her parents were John and Mary Beaumont of Pirton . 0 +If he saw two black hats , he could have assumed that he was wearing a white hat . If he saw two white hats , he could have deduced that he was wearing a black hat . 0 +Music is great with some excellent songs that are etched forever in everybody 's memory . Music is excellent with some great songs which are etched in everybody 's memory forever . 1 +In 1858 he moved with a group of four members from Downieville to Eagle Valley into the territory that is now known as Nevada . In 1858 , he moved with a group of four members from Nevada to Downieville in the area that is now known as Eagle Valley . 0 +These dioceses had an indirect election of three members , a direct election of four members : These dioceses had a direct election of three members , the indirect election of four members : 0 +NH electrification began on July 24 to New Rochelle , August 5 to Stamford and October 6 , 1907 the rest of the way to Port Chester . On 24 July the NH - electrification to New Rochelle began , on 5 August to Stamford and on 6 October 1907 the rest of the route to Port Chester . 1 +The film producer Sol Lesser , who had discovered Jackie Coogan , signed Breen for RKO Radio Pictures . Film producer Sol Lesser , who had discovered Jackie Coogan , signed Breen to RKO Radio Pictures . 1 +Jumping is parachuting or wingsuit , flying from a fixed structure or a cliff . Jumping , is flying or wingsuit parachuting from a fixed structure or cliff . 0 +Philip Philip Lawson is a pseudonym for mystery novels written by Michael Bishop with Paul Di Filippo . Michael Bishop is a pseudonym used for mystery novels written by Paul Di Filippo with Philip Lawson . 0 +For many centuries it was a royal chapel and from 1480 a royal strange chapel , independent of the diocese of Lichfield and even the province of Canterbury . For many centuries it was a royal , independent royal royal and from 1480 a chapel of the diocese of Lichfield and even the province of Canterbury . 0 +Thomas was the youngest child of farmers Fred and Elizabeth Goodwill . Fred was the youngest child of the Thomas and Elizabeth Goodwill farmers . 0 +Montfortula rugosa , false name , cap-shaped marine Limpet , is a species of Keyhole Limpet , a common gastropod mollusc in the Fissurellidae family . Montfortula rugosa , false name the cap-shaped marine limpet , is a species of keyhole limpet , a common gastropod mollusc in the family Fissurellidae . 1 +Ruslan Chagaev faced WBA Heavyweight Champion Matt Skelton on 19 January 2008 in Düsseldorf . On January 19 , 2008 , Matt Skelton met WBA - Heavyweight - Champion Ruslan Chagaev in Düsseldorf . 0 +The book was written by Arthur Laurents , with music by Stephen Sondheim , lyrics by Leonard Bernstein , and choreography by Jerome Robbins . This book was written by Arthur Laurents , with music by Leonard Bernstein , text by Stephen Sondheim and choreography by Jerome Robbins . 0 +Itami-go was a part of Castle Arioka which Oda Nobunaga ruled under Araki Murashige . Itami-go was part of Arioka Castle , which ruled Oda Nobunaga under Araki Murashige . 1 +In July 2011 , responsibility for the Werris Creek to North Star route from the Country Rail Infrastructure Authority was transferred to ARTC . In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the Country Rail Infrastructure Authority to the ARTC . 1 +They stood under the mentorship of Coach Glenn Capacio and Coach Norman Black . They were under the mentorship of Coach Norman Black and Coach Glenn Capacio . 1 +The Executive Committee elected Livermore as a member of the American Unitarian Association in 1859 . The American Unitarian Association elected Livermore in 1859 as a member of the Executive Committee . 0 +Thus the publication of local catechisms , such as the Dutch catechism , was confirmed , although Dutch views on certain theological issues within the Church remain controversial . Thus , the issuance of Dutch catechisms , such as the Dutch Catechism , was confirmed , although local views on particular theological issues remain controversial within the Church . 0 +In order to find the cuts used by this method , problem-specific methods are needed . Problem-specific methods are used to find the cuts needed by this method . 0 +Kingsville is bordered by the renovated Jericho Farm Museum , the Jerusalem Mill Village and the restored Jericho Covered Bridge on the shores of Little Gunpowder Falls . Kingsville is bordered by the restored Jerusalem Mill Village museum , Jericho Farm , and the renovated Jericho Covered Bridge on the banks of the Little Gunpowder Falls . 0 +Calcium modulating ligand ( CAMLG or CAML ) , also known as calcium-modulating cyclophiline - ligand , is a signal protein recognized by the TNF receptor TACI . Calcium modulating ligand ( CAMLG or CAML ) , also known as calcium-modulating cyclophilin ligand , is a signalling protein recognized by the TNF receptor TACI . 1 +Each week , Chunt , Usidore , and Arnie ask magical creatures to present new aspects of the world of Foon to the listener . Each week , Chunt , Usidore , and Arnie interview magical creatures to introduce the listener to new aspects of the world of Foon . 1 +He returned to Augsburg in 1720 , but became parish minister of Kaufbeuren in 1723 . In 1720 he returned to Augsburg , but became Prime Minister of Kaufbeuren in 1723 . 1 +On 18 January , a caucus of 64 Bucktail legislators nominated US Vice President Benjamin Mooers for the Governor and State Senator Daniel D. Tompkins for Vice Governor . On January 18 , a caucus of 64 Bucktail legislators nominated U.S. Vice President Benjamin Mooers for Governor and State Senator Daniel D. Tompkins for Lieutenant Governor . 1 +Xylogics was acquired in December 1995 by Bay Networks , which in turn was taken over by Nortel in June 1998 . Xylogics was acquired by Nortel in December 1995 , which in turn was acquired by Bay Networks in June 1998 . 0 +Cellier was born into a family of actors including his father Frank and half-sister Antoinette . His grandfather was the Gilbert and Sullivan conductor François Cellier . He was born into a family of actors , including his father Frank and half-sister Antoinette , his grandfather was the Gilbert and Sullivan conductor François Cellier . 1 +Once upon a time there was a Hallaton railway station on the line between Market Harborough and Nottingham . There was once a Hallaton railway station on the line between Market Harborough and Nottingham . 1 +Cilicia is the seat of the Catholicos of Antelias of the Armenian Catholicosate of the Great House of Cilicia . Cilicia is the seat of Catholic of Antelias of the Armenian Catholicosate of the Great House of Cilicia . 1 +Blair soon finds out that Serena had slept with her boyfriend , Nate Achirawat , the night of her disappearance . Serena soon found out that Blair had slept with her boyfriend , Nate Achirawat , the night of her disappearance . 0 +Carlotta Grisi was the cousin of the famous soprano singers , the sisters Giuditta and Giulia Grisi . Giulia Grisi was the cousin of the famous soprano singer , the sisters Giuditta and Carlotta Grisi . 0 +On November 10 , 2015 , ATP editor Josh Meiseles confirmed the official list of 8 players on the ATP World Tour final website . On 10 November 2015 , ATP editor Josh Meiseles confirmed the final list of 8 players on the ATP World Tour official website . 0 +Radu Albot won the title by defeating Jason Kubler 6 -- 4 , 6 -- 1 in the final . Radu Albot won the title by defeating Jason Kubler in the final with 6 : 4 , 6 : 1 . 1 +Bilal Ali Hussein Qwaider ( born May 7 , 1993 ) is a Palestinian football player of Jordanian descent , who plays for Al-Faisaly . Bilal Ali Hussein Qwaider ( born May 7 , 1993 ) is a Jordanian football player who plays for Al-Faisaly . 0 +He was a member of the State Fair Stadium Commission , chairman of the Louisiana State Fair Board , and a chairman of the Louisiana Superdome in New Orleans . He was a member of the State Fair Stadium Commission , chairman of the Louisiana State Fair Board , and a commissioner of the Louisiana Superdome in New Orleans . 1 +"He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." "He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Large Profile "" ( 1940 ) ." 0 +In 1953 , he married the actress Diane Holland , the sister of actress Gilda Neeltje . In 1953 , he married the actress Gilda Neeltje , sister of the actress Diane Holland . 0 +He was once imprisoned for gambling and subsequently relished the affair with pride . He was once imprisoned for gambling and subsequently enjoyed the affair with pride . 1 +The present mayor of Crestview Hills is Paul Meier and the city administrator is Tim Williams . The current mayor of Crestview Hills is Paul Meier and the city administrator is Tim Williams . 1 +The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Samoa government . The Chinese Ambassador to Beijing is the official representative of the government in Apia with the Government of Samoa . 0 +The station is the base of Thinking Out Loud with Jay Walker , Bird ' ; s Eye View with Scott Prather and the Great S.C.O.T.T . Show with Steve Peloquin . The station is the base of Thinking Out Loud with Steve Peloquin , Bird 's Eye View with Jay Walker , and the Great S.C.O.T.T . Show with Scott Prather . 0 +This layer deals only with the physical connectors and sockets and the electrical specification of signals . This layer deals with the physical plugs and sockets and electrical specification of signals only . 1 +He also met William Baly , who led the Cholera Committee with William Withey Gull . He also met William Baly , who with William Withey Gull ran the Cholera Committee . 1 +""" The Idolmaster "" is a series of videogames - simulation and rhythm - video games by Namco ( formerly Bandai Namco Games ) ." """ The Idolmaster "" is a series of raising simulation and rhythm video games created by Namco ( formerly Bandai Namco Games ) ." 1 +It was re-released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and released in 1999 by Universal Music 's Spectr It was released in 1991 by Island Records , produced by Steve Beresford , Andy Metcalfe and Philip Oakey and published by Universal Music 'apos ; s Spectr in 1999 . 0 +The season 2010-11 rain or gloss Elasto painter was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2010 - 11 Rain or Shine Elasto Painters season was the fifth season of the franchise in the PBA ( Philippine Basketball Association ) . 1 +Although this de facto standard is sometimes known as ReplayGain , it was originally known as Replay Gain and is now abbreviated to formal RG . Although this de facto standard is now officially known as ReplayGain , it was originally called replay gain , and is sometimes abbreviated as RG . 0 +Duporth Holiday Village ( also Duporth ) was on Porthpean Road , just outside St Austell in South - Cornwall , England , UK . Duporth ( also Duporth Holiday Village ) was situated on Porthpean Road , just outside St Austell in south Cornwall , England , UK . 1 +According to the United States Census Bureau , the city has a total surface area of which is land and , or 1.35 % , is water . According to the United States Census Bureau , the city is a total surface area of which has land and , or 1.35 % , is water . 1 +Jumping , is flying or wingsuit parachuting from a fixed structure or cliff . Jumping , flying or wingsuit parachuting from a fixed structure or cliff . 1 +It is the largest private club in Houston and one of the biggest in the world , with more than 3,300 members . It is the biggest private club in Houston and one of the largest in the world , with more than 3,300 members . 1 +Sukhbinder Singh Sarkaria is an Indian politician who belongs to the Punjab Legislative Assembly and is a member of the Indian National Congress and represents Raja Sansi . Sukhbinder Singh Sarkaria is an Indian politician and belongs to the Punjab Legislative Assembly . He is a member of Indian National Congress and represent Raja Sansi . 1 +In all authors , the verb tends to be final in subordinate clauses more often than in the main sentences . In all authors , the verb tends to be main , more often in final clauses than in subordinate clauses . 0 +He played for the Chicago Cubs for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Kansas City Royals . He played for the Kansas City Royals for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Chicago Cubs . 0 +The PEVQ - MOS results range from 1 ( bad ) to 5 ( excellent ) and show the perceived quality of the decoded sequence . PEVQ MOS results range from 1 ( excellent ) to 5 ( bad ) and indicate the perceived quality of the decoded sequence . 0 +Hopkins toured with the band for six months through England , the United States , and Japan . For six months Hopkins toured the band through England , the United States and Japan . 1 +Felix researched in Bielsko , Vienna , Prague , and Jerusalem . Between 1927 and 1945 , he worked in London for the Hadassah Medical Organization . Felix researched in Bielsko , Vienna , Prague and London and worked in Jerusalem from 1927 to 1945 for the Hadassah Medical Organization . 0 +John and James brother were born in Alfreton , Derbyshire . James and his brother John were born in Derbyshire , Alfreton . 1 +"For the above information on the declination of full pronouns see "" Pronouns "" in the article on Polish morphology ." "For above information on the declension of the full pronouns , see "" Pronouns "" in the article on Polish morphology ." 1 +Mabanda is a city located close to the southern tip of Tanzania , near the border with Burundi . Mabanda is a city near the southernmost tip of Tanzania , close to the border with Burundi . 1 +The team was founded as Orlando Seals and played its first season with the Atlantic Coast Hockey League ( ACHL ) in October 2002 . The team was formed as the Atlantic Coast Hockey League and played its first season beginning in October 2002 with the Orlando Seals ( ACHL ) . 0 +Nool Veli ( Fence of Yarn ) is a Tamil film with Sarath Babu , Sujatha and Saritha in 1979 . Nool Veli ( Fence of Yarn ) is a 1979 Tamil film playing with Saritha , Sujatha and Sarath Babu . 1 +In 2008 , the college section was introduced and the government was renamed the school Chittagong Collegiate School 'College . In 2008 , the college section was launched and Chittagong Collegiate School was renamed the Government College School . 0 +She is Tania Cagnotto 's wife and the mother of Giorgio Cagnotto . She is the wife of Giorgio Cagnotto and mother of Tania Cagnotto . 0 +When she rejected the ultimatum , she was tried by a Church court and excommunicated in June 1952 . When she rejected the ultimatum , in June 1952 she was convicted and excommunicated by a church court . 0 +German pillow sizes are 80 × 80 cm ( older ) or 40 × 80 cm ( newer ) . The pillow sizes are 80 × 80 cm ( older ) or 40 × 80 cm ( newer ) . 1 +The Sunset Hotel was closed in 1914 and the Oceanic Hotel was purchased by John Barber . In 1914 , the Sunset Hotel closed and the Oceanic Hotel was purchased by John Barber . 1 +Also four others , including Cissell , Machen and Turner , were offered as nominations . Four others , including Turner , Machen , and Cissell , were also offered nominees . 1 +"In his song "" Mañana "" sings Jimmy Buffett "" I hope Anita Bryant does never make one of my songs "" ." "In his song "" Mañana "" , Anita Bryant sings "" I hope Jimmy Buffett never ever does one of my songs "" ." 0 +"Khukaria is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal "" tehsil "" ." "Khukaria is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia "" tehsil "" ." 0 +The city is connected with Mumbai and Kolkata via Bilaspur , Raipur through the National Highway network . The city is connected to Bilaspur with Mumbai and Kolkata , and Raipur via the National Highway Network . 1 +Renzo Furlan won 3 : 6 , 6 : 3 , 7 : 5 against Michael Chang in the final . Michael Chang won 3 : 6 , 6 : 3 , 7 : 5 against Renzo Furlan in the final . 0 +In 2016 , Bacardi announced new branding and plans to sell her version of Havana Club nationally , which will be distilled and bottled in Florida in Puerto Rico . In 2016 , Bacardi announced new branding and plans to sell their version of Havana Club nationally , which will be burned in Florida and bottled in Puerto Rico . 0 +After leaving Sheffield , Mary was taken by her new Gaoler Sir Ralph Sadler to Wingfield Manor in Derbyshire and then to Tutbury . After leaving Wingfield Manor , Mary was taken to Sheffield in Derbyshire by her new gaoler , Sir Ralph Sadler , and then to Tutbury . 0 +Barrai is a village in the Berasia district of Madhya Pradesh , India . It is situated in Bhopal Tehsil . Barrai is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 0 +We hear laughter , we see the faces , we see the music . "We see the laughter , we see the faces , we hear the music. """ 0 +Tata Steel 's major competitors include ArcelorMittal , Essar Steel , Jindal Steel and Power , JSW Steel , SAIL and VISA Steel . Major competitors of VISA Steel include ArcelorMittal , Essar Steel , Jindal Steel and Power , Tata Steel , SAIL and JSW Steel . 0 +It is developed by Awesome Glitch and published by Beautiful Guys . It is developed by Beautiful Glitch and is published by those Awesome Guys . 0 +"Franz Ferdinand 's last words , as reported by Count Harrach , "" Sophie , Sophie !" "As Sophie reported , Sophie 's were ; last words "" Count Harrach , Franz Ferdinand !" 0 +Mohsin Zaidi lived in Lucknow for almost four decades before settling down after his retirement in Delhi . Mohsin Zaidi lived in Delhi for nearly four decades before settling after his retirement in Lucknow . 0 +"Although A . A. Gill in "" The Observer "" was more critical and Andrew Anthony of "" The Sunday Times "" was unimpressed ." "Although Andrew Anthony in "" The Observer "" was more critical and A.A. Gill of "" The Sunday Times "" was unimpressed ." 0 +At an auction , Mr Cave made the highest bid for Mr Payne 's product . At an auction , Mr Payne submitted the highest bid for Mr Cave 's goods . 0 +The film begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Kerala from Bengal . The movie begins with the arrival of Seelabathi ( Kavya Madhavan ) and her mother Sumangala ( Urmila Unni ) to Kerala from Bengal . 1 +The 1916 , Middle Tennessee State University football team represented the Middle Tennessee Blue Raiders during the 1916 college football season . The Blue Raiders team captain was Cass Miles . The 1916 , Middle Tennessee State University football team presented the Middle Tennessee Blue Raiders during the 1916 College Football season , while the Blue Raiders Team Captain was Cass Miles . 1 +As a result , in 1570 , Sumitada opened the port of Nagasaki to the Portuguese and supported its development . As a result , Sumitada sponsored the port of Nagasaki for the Portuguese in 1570 and opened its development . 0 +On January 4 , 2015 , Pope Francis announced that on February 14 , he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . On 4 January 2015 , Soane Patita Paini Mafi announced that he would appoint Tonga 's Bishop , Pope Francis , on 14 February as a cardinal . 0 +Individuals and families from around Lexington , Normal , Hudson , Bloomington , and elsewhere come out of it . Individuals and families from around Bloomington , Normal , Hudson , Lexington and elsewhere come out for it . 1 +He married Lady Florence Jane Taylour , the daughter of Thomas Taylour , 3rd Marquess of Headfort and Amelia Thompson , on 5 August 1875 . He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on August 5 , 1875 . 0 +Martha decides to add Jimmy to her story about Olive , renaming him James . Martha decides to add James to her story about olive by renaming Jimmy . 0 +He is the son of the French cyclist Adri van der Poel , brother of Mathieu van der Poel and grandson of the Dutch cyclist Raymond Poulidor . He is the son of the French cyclist Adri van der Poel , the brother of Mathieu van der Poel and grandson of the Dutch cyclist Raymond Poulidor . 1 +The approximated Fourier can be further expressed as The Fourier expressed can be approximated as : 0 +""" CQ Politics "" assessed this race as "" Tossup "" . "" The Cook Political Report "" considered it as "" Lean Republican "" ." """ CQ Politics "" considered this race to be "" Tossup "" . The "" Cook Political Report "" rated it as "" Lean Republican "" ." 0 +Saraiya is a town in Gorakhpur , Uttar Pradesh and a village in Bharatpur Rajasthan India . Saraiya is a village in Gorakhpur , Uttar Pradesh , and a village in Bharatpur rajasthan India . 1 +MacFarlane has commented that he can 't understand why the word is not allowed on Fox , provided that it is permitted on other networks . MacFarlane has commented that he can not understand why the word is not permitted on Fox , given that it is allowed on other networks . 1 +Philip Philip Lawson is a pseudonym for Mystery novels by Michael Bishop written with Paul Di Filippo . Philip Lawson is a pseudonym used for mystery novels written by Michael Bishop with Paul Di Filippo . 1 +Heysi Villarreal ( born 26 August 1986 in Havana , Cuba ) is an Olympic and national record holding swimmer from Cuba . Heysi Villarreal ( born August 26 , 1986 in Havana , Cuba ) is an Olympic and national record floating swimmer from Cuba . 1 +There are essentially four kinds of databases : curated databases , predictive databases , literature databases and integrative databases . Essentially , there are four types of databases : curated databases , integrative databases , literature databases and predictive databases . 1 +Gandini was born in Parma on May 19 , 1906 to Ernesto Gandini and Diomira Di Centa of Venice . Gandini was born in Venice on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Parma . 0 +It can be found throughout the central palaearctic region , from Turkey , Cyprus and Lebanon , through Pakistan , Iran , Afghanistan and northern Iraq to Kashmir . It is found throughout the central Palaearctic Region , from Turkey , Cyprus and Lebanon , east through Pakistan , Iran , Afghanistan and northern Iraq to Kashmir . 1 +In 1880 , the western half of Kill Creek Township became Mount Ayr Township . In 1880 , the western half became the Kill Creek Township Mount Ayr Township . 0 +Born in Chicago , Wagenknecht grew up and went to school in Oak Park , Illinois . Wagenknecht , who was born in Chicago , grew up and went to the school in Oak Park , Illinois . 1 +Stanley Graham ( baptized Eric Stanley George Graham ) ( 12 November 1900 - 21 October 1941 ) was a New Zealander who killed seven people . Eric Stanley George Graham ( baptized Stanley Graham ) ( 12 November 1900 - 21 October 1941 ) was a New Zealander who killed seven people . 0 +The light novels are written by Dojyomaru and published by Fuyuyuki , illustrated by Overlap Bunko . The light novels are written by Dojyomaru and published by Fuyuyuki , and are illustrated by Overlap Bunko . 1 +The manga is published by Panini comics in French , from Planetacomic in Spanish , by Pika Edition in German and Italian . The manga is published by Pika Edition in French , from Planetacomic in Spanish , by Panini comics in German and Italian . 0 +"It was re-released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" Format ) and released in 2003 on Bridge 9 Records ." "It was relaunched in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and published on Bridge 9 Records in 2003 ." 1 +Mount Dana , altitude , was climbed by the group the next day before Muir had to return to Martinez . Dana Mountain , Elevation , was climbed by the group the next day before Martinez had to return to Muir . 0 +The legacy of the Aldenata , also known as the Posleen War Series , is the fictitious universe of one of the military science - fiction - series by John Ringo . The Legacy of the Aldenata , also known as the Posleen War Series , is the military universe of one of John Ringo 's fictional science fiction series . 0 +In Tuscany , Leopold II instituted a liberal constitution and sanctioned a liberal ministry . In Tuscany , Leopold II inserted a liberal constitution and sanctioned a liberal ministry . 1 +Another memorable ruler was Max Franz ( ruled in 1784 -- 1794 ) , who founded the university and spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( founded 1784 -- 1794 ) , who dominated the university and spa quarter of Bad Godesberg . 0 +Formal education in Sheffield , a city in England , takes place at two universities in the city , at 141 primary and 28 secondary schools . Formal education in England , a city in Sheffield , takes place at the city 's two universities , at 141 primary schools and 28 secondary schools . 0 +Ice hockey was played in two venues , in Håkons Halle in Lillehammer and at the Gjøvik Olympic Cavern Hall in Gjøvik . Ice hockey was played at two venues , in Gjøvik in Lillehammer and Gjøvik Olympic Cavern Hall in Håkons Hall . 0 +Cobian Backup was a free , donation-supported backup software for Microsoft Windows . It is written in Delphi by Luis Cobian of Umeå University . Cobian Backup was a free , donation-supported backup software for Microsoft Windows and was written by Luis Cobian of Umeå University in Delphi . 1 +He has also made two solo albums under his own name and three albums recorded in Indonesia under the name Sabah Habas Mustapha . He has also recorded two solo albums under his own name and three albums in Indonesia under the name of Sabah Haba Mustapha . 1 +In 1854 he left London and returned to Australia , where he lived until his death at the age of 90 , a confirmed bachelor . In 1854 Cooper left Australia and returned to London where he lived , a confirmed bachelor , until his death at the age of ninety . 0 +In the second round she beat Olga Govortsova , then defeated the 17th place Julia Görges in the third . In the second round she beat Olga Govortsova , then defeated 17th seed Julia Görges in the third . 1 +And procedural knowledge ( steps to do and what decision to make when ) . And procedural knowledge ( steps to take and what decision when to make ) . 1 +Caracase is a city in the southwestern Gedo region of Somalia . Caracase is a town in the southwestern Gedo region of Somalia . 1 +Finsch 's monitor was only known from Blanche Bay , Ralum , and New Britain in Massawa . The Finsch monitor was only known from Blanche Bay , Ralum and Massawa in New Britain . 0 +In 1999 , clinical research and non-clinical development become a global organization within Johnson & Johnson . In 1999 , non-clinical research and clinical development within Johnson 's Johnson become a global organization . 0 +"The other parts of the "" dalem "" was a building for the noble women ." "The noble parts of the "" Dalem "" were a building for the other women ." 0 +Bianca Maria Sforza was married to Maximilian on 16 March 1494 . On 16 March 1494 , Maximilian married the Bianca Maria Sforza . 1 +In contrast , dry years are often associated with cold Pacific La Niña episodes . Dry years , by contrast , are often associated with cold Pacific La Niña episodes . 1 +For the third time , Glenn Glenn Howard won the Ontario Championship either as 17th or as a skip . For the 17th time the Glenn Howard won the Ontario Championship as third or skip . 0 +Formerly licensed to North Myrtle Beach , South Carolina , USA , the station was owned by City of North Myrtle Beach . The station was formerly licensed by North Myrtle Beach and belonged to the city of North Myrtle Beach , South Carolina , USA . 1 +"Weegee 's aesthetics formed the foundation for Hellinger 's film "" The Naked City "" in 1948 ." "Hellinger 's aesthetics formed the foundation for Weegee 's film "" The Naked City "" in 1948 ." 0 +Later on , Freescale Semiconductor was sold to Sigmatel . Sigmatel later was sold to Freescale Semiconductor . 0 +The main advantages of the Panzer 38 ( t ) , compared to other tanks of the day , were a sustained reliability and high mobility . The main advantages of tank 38 ( t ) compared to other tanks of the day were high reliability and sustained mobility . 0 +Products of this business architecture efforts are used to guide plans , make business decisions and develop their implementations . Products of this business architecture - efforts are used to develop plans , make business decisions and control their implementations . 0 +The crew consisted of Doncho Papazov , Julia Papazova , their five-year-old Yana , Simeon Idakiev , Boris Siriyski , Rumen Kostov and Peter Andonov . The crew consisted of Doncho Papazov , Julia Papazova , their 5-year old daughted Yana , Simeon Idakiev , Peter Andonov , Rumen Kostov and Boris Siriyski . 1 +The book has a foreword by Vera Baird , one of the barristers who represented Humphreys , and contributions from Humphreys and friends of Beatrix Campbell . The book has a preface from Vera Baird , one of the lawyers who represented Humphreys , and contributions by Beatrix Campbell and friends of Humphreys . 0 +Both Krishna and Nanda were brought up by Balrama , the Kuhhirthauptmann and his wife Yashoda . Both Krishna and Nanda were brought up by Balrama , the cowherd chief and his wife Yashoda . 0 +One group travelled north from Greta , and the other started from Mansfield and travelled south . One group travelled from Greta to the north , and the other started from Mansfield and travelled south . 1 +"In 2014 , Harris Publications acquired "" XXL "" , "" King "" and "" Antenna "" from Townsquare Media ." "In 2014 , Harris acquired Publications "" XXL "" , "" King "" and "" Antenna "" from Townsquare Media ." 1 +"The name "" Macaire "" seems to have several claims of origin : it was a male name and is currently considered a male or female name ." "The name "" Macaire "" appears to have several claims of origin . It was a male name and currently is considered a male or female name ." 1 +Nicodemus , now a werewolf , kills Jane , only to be shot by Edgar . Nicodemus , now a werewolf , kills Jane , only to be shot dead by Edgar . 1 +"Adults mainly feed on leaves of "" Corylus avellana "" , "" Quercus "" and "" Crataegus "" species , while larvae possibly feed in leaf litter ." "Adults may feed leaves of species "" Corylus avellana "" , "" Quercus "" , and "" Crataegus "" , while larvae mainly feed in leaf litter ." 0 +Inorganic liquids include water , magma , many solvents and inorganic nonaqueous acids . Inorganic liquids include water , magma , inorganic non-aqueous solvents and many acids . 0 +In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , they suffered a defeat . In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Chu to attack Wei , however , defeat suffered . 0 +After his death , Kellow 's widow Mary moved to Sydney with her daughter Mary Hope Kellow . After his death Kellow with Mary and her daughter Mary Hope Kellow moved to Sydney . 1 +Bradykinin receptor B is a G-protein encoded receptor for bradykinin , coupled by the BDKRB2 gene in humans . Bradykinin - Receptor B is a G-protein - coupled receptor for Bradykinin , which is encoded in humans by the BDKRB2 - Gene . 0 +The former has white marble and black stone shivlingas , while the latter has only white marble ones . The former has white marble and black stone shivlingas , while the latter has just white marble . 1 +Utah claims a margin of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . Utah claims a lead of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . 0 +Joe was born on March 27 , 1929 in Somerville , Massachusetts , where he grew up in Quincy , Massachusetts . Joe was born on March 27 , 1929 in Quincy , Massachusetts , where he grew up in Somerville , Massachusetts . 0 +Teater Populer , who was a member of Rahardjo , made his film debut as Amallo ; Karya later recalled that his acting in the film was stiff . His film debut as Amallo gave his Rahardjo , who was a member of Teater Populer , Karya later remembered that his acting was stiff in the film . 0 +He struck Kakhaber Zhvania , but lost the final to Andrey Balanov . He beat Andrey Balanov but lost the final to Kakhaber Zhvania . 0 +He was assigned in 1866 to the Portsmouth Navy Yard , then in 1868 to the Pensacola Navy Yard . In 1866 , he was assigned to the Pensacola Navy Yard , then to the Portsmouth Navy Yard in 1868 . 0 +In 2016 , he was called up for the Singapore U19 team facing the Bahrain U19 selection . In 2016 , he was called against the Singapore U19 selection for the Bahrain U19 team . 0 +The mountainous area is , with a municipal territory within the Central Cordillera of the Andes and watered by both the Cauca and the Tonusco Rivers . The mountainous area is irrigated with a municipal territory within the central cordillera of the Andes and both by the rivers Cauca and Tonusco . 1 +At the 2000 Summer Olympics in Sydney , Nieberg and Marcus Ehning , Otto Becker and Ludger Beerbaum won a gold medal in team jumping . Marcus Ehning , Otto Becker and Ludger Beerbaum together won a gold medal in Team Jumping at the 2000 Summer Olympics in Sydney , again with Nieberg . 0 +Devon still delivers the same drive to Chuck , but when he returns to Ellie , it is revealed that Ellie is still working on hard science . Devon still delivers the hard drive to Chuck ; when he returns to Ellie , however , it is revealed that Ellie is still working on same research . 0 +Following the closure of Santa Anita Park , the race was moved to Hollywood Park in 2014 . Following the closure of Hollywood Park , the race was moved to Santa Anita Park in 2014 . 0 +It is a commercial product in the production of the intermediate polymer EPDM . It is a commercial in the production of the intermediate polymer EPDM . 1 +The northern territory contains the Tara mountains and the southern area consists of open plains along the coast and the actual city . The southern area contains the Tara Mountains and the northern area consists of open plains along the coast , and the city proper . 0 +Agnieszka Radwańska defeated Nadia Petrova , 6 -- 4 , 6 -- 7 , 6 -- 4 Nadia Petrova defeated Agnieszka Radwańska , 6 -- 4 , 6 - 7 , 6 -- 4 . 0 +"In the Marvel - Zombies - universe , Namor has a cameo appearance as a zombie in the limited series "" Marvel Zombies "" ." "In the Marvel Zombies universe , Namor has a cameo as a zombie in the original "" Marvel Zombies "" limited series ." 1 +Within a few days around 7,000 female prisoners were evacuated from Ravensbrück to Denmark and then on to Sweden . Within a few days , around 7,000 female prisoners were evacuated from Ravensbrück to Denmark and then to Sweden . 1 +Friedrich Friedrich Tietjen ( 1832 – Westerstede , Oldenburg -- 1895 Berlin ) was a German astronomer . Friedrich Tietjen ( 1832 , Westerstede , Oldenburg -- 1895 Berlin ) was a German astronomer . 1 +There is always elastic dispersion of light , with the outgoing light frequency identical to the incoming frequency formula 1 . There is always elastic light scattering , with the outgoing light frequency identical to the incoming frequency formula _ 1 . 1 +His father was Bedowra Begum , was a railway officer , and his mother was Hosen Ahmen Chowdhury . His father was Bedowra Begum , was a railway officer , and his mother was trouser Ahmen Chowdhury . 0 +Frank Malina died in Paris in 1981 , near Boulogne Billancourt , France . Frank Frank Malina died in Boulogne Billancourt in 1981 , near Paris , France . 0 +In return , Grimoald granted him his daughter in marriage and gave him the duchy of Spoleto after the death of Atto . In return , Grimoald granted him his daughter in marriage and gave him the duchy of Spoleto following the death of Atto . 1 +The Nelson River flows from Lake Winnipeg to Playgreen Lake and then flows from two channels into Cross Lake . The Nelson River flows into Playgreen Lake from Lake Winnipeg then flows from two channels into Cross Lake . 1 +Sara Zaker is married to Zaker , but is also a media personality , entrepreneur and social activist . Zaker is married to Sara Zaker is also a media personality , entrepreneur , and social activist . 0 +Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith , which was released in 2001 and recorded at Tzadik Records . Red Sulphur Sky is a solo album by American jazz trumpeter Wadada Leo Smith which was recorded in 2001 and released on Tzadik Records . 0 +He then joined The Star in 1986 and left The Muslim . He then left the star and joined the Muslim in 1986 . 0 +There are 4 playable characters , each with a unique ability and also a different fighting style : There are 4 playable characters , each with a different ability and a unique fighting style . 0 +It was released on April 6 , 2010 as a digital download and added to Modern Rock radio in the United States on May 5th , 2010 . It was added on 6 April 2010 as a digital download and published on May 5 , 2010 by Modern Rock radio in the United States . 0 +To accumulate gold , a country always had to sell more goods abroad than it bought . In order to sell gold , a country abroad had to accumulate more goods than it bought . 0 +In 1951 , he appeared again with Secombe when they appeared on the same bill in variety . In 1951 , he appeared with Secombe again , when they performed on the same bill in variety . 1 +"Azra Meadows and Dr. Peter Meadows are the editors of "" The Glasgow Naturalist "" , the annual publication of the Glasgow Natural History Society ." "Professor Peter Meadows and Dr Azra Meadows are the editors of "" The Glasgow Naturalist "" , the annual publication of The Glasgow Natural History Society ." 0 +The church formerly contains an organ now in the Central Methodist Church , Saltergate , Chesterfield . The church formerly contains an organ at the Central Methodist Church in Saltergate , Chesterfield . 1 +At the age of nine , he appeared in his first concert and since then he has appeared alone or with his aunt and uncle in all parts of France . At the age of nine , Garcia appeared in his first concert and since then has appeared alone or with his aunt and his uncle in all parts of France . 1 +In 1875 he moved to Berrien with his parents , who settled in Watervliet . In 1875 , he moved to Berrien County with his parents , who settled in Watervliet . 1 +On June 14 , Jackson served as a second in a duel on behalf of his junior officer William Carroll against Jesse Benton , the brother of Thomas . On June 14 , Jackson served in a duel on behalf of his junior officer William Carroll as the second against Jesse Benton , the brother of Thomas . 1 +Two quasi-similar C contractions have the same minimal function and therefore the same spectrum . Two quasi-similar C contractions have the same function and hence the same minimal spectrum . 0 +Finally , we say that a distribution is concave if formula _ 11 is regular . Finally , we say that distribution is regular if the Formula 11 is concave . 0 +The township occupies the southwestern corner of Fulton County , bordered to the west by Franklin County and to the south by the Washington County in the state of Maryland . The township occupies the southwest corner of Franklin County , bordered to the west by Fulton County and to the south by Washington County in the state of Maryland . 0 +Drietoma is a village and municipality in the Trenčín district in the region of Trenčín in north-western Slovakia . Drietoma is a village and municipality in the region of Trenčín in the district Trenčín in north-western Slovakia . 1 +Wheatland is a town in Steen Township , Knox County , Indiana , United States . Wheatland is a town in Steen Township , Knox County , Indiana , United States of America . 1 +He was born in 1967 in Chicago Heights , Illinois , and attended the Bloom High School in Glenwood , Illinois . Walker was born in Glenwood , Illinois , in 1967 . He attended Bloom High School in Chicago Heights , Illinois . 0 +At present , the ranks and titles given to members of the Thai sangha are as follows ( from the lowest to the highest ) : At present , the ranks and titles given to members of the Thai sangha are as follows ( from the highest to lowest ) : 0 +It has not been held since the 2008 event , and there are currently no plans for it to be returned . It has not yet been held since the 2008 event , and there are no plans currently for it to be held again . 1 +A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was the organist of the Blackpool Parish Church from 1918 to 1963 . A grandson of Frederick Herbert Wood Mus.Doc was Henry Dennis , who was organist of Blackpool Parish Church from 1918 until 1963 . 1 +The first section to be opened was from Maryhill west to Cliffs ( near Pasco ) , a length of , on December 15 , 1907 . The first section was on 15 December 1907 from Pasco west to Cliffs ( near Maryhill ) , opening a length of , . 0 +Great Britain , France , Germany ) followed the Dutch example . The Dutch example followed Germany , France , and Great Britain . 1 +The Dalton Highway , located on the west side of Coldfoot Airport , consists of a 1220 m long gravel strip . Dalton Highway , on the west side of the Coldfoot Airport , consists of a 4,000-foot ( 1220 m ) gravel strip . 1 +Other indigenous communities are the Konkanis and the Tuluvas of the coastal town of Karnataka , the Kodavas of Kodagu - district of Karnataka . Other native communities are the Tuluvas and the Konkanis of coastal Karnataka , the Kodavas of the Kodagu district of Karnataka . 1 +The 1979 -- 80 NBA season was the 34th season of the National Basketball Association . The season 1979 -- 80 National Basketball Association was the 34th NBA season . 1 +Mercy Lewis was the child of Philip Lewis and Mary ( Cass ) Lewis , formally known as Mercy Allen . Mercy Lewis , formally known as Mercy Allen , was the child of Philip Lewis and Mary ( Cass ) Lewis . 1 +Edward J. McKenna was a professional baseball player who played in 32 games for the Washington National Association of Union in 1884 . Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Washington Nationals of the Union Association . 1 +According to the 1885 Dictionary of National Biography , Leland is assigned by Ralph Acton and his followers to the first half of the fourteenth century . After the dictionary of the National Biography of 1885 , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . 0 +Since 2003 , Sharon Northe has been the head of the group , since 2017 Heather Weaver has been President . Sharon Northe has been the conductor of the group since 2003 , and Heather Weaver has been President since 2017 . 1 +The central core of the new Ministry of Defence was the central Defence Office . The central core of the new Ministry of Defense was the Central Defence Office . 1 +In December 2007 , he said that the local majority would present common lists for the presidential elections in 2008 . In December 2007 , he said that the presidential majority would present common lists for the 2008 local elections . 0 +Pearland ISD serves most of the city of Pearland , the city of Brookside Village and unregistered areas in Brazoria County ( including Silverlake ) . Pearland ISD serves most of the city of Pearland , the city of Brookside Village , and unincorporated areas in Brazoria County ( including Silverlake ) . 1 +The countries currently on the list are Iran , Syria , Sudan , and North Korea . The countries on this list are currently Iran , Syria , Sudan and North Korea . 1 +The 61-acre campus includes the new elementary school built in 1962 , the junior high wing added in 1971 , and the high school completed in 1995 . The 61 - morning campus includes the high school , built in 1962 , the Junior High Wing added in 1971 and the new primary school completed in 1995 . 0 +The lowest elevation is above sea level with the highest at above sea level . The lowest elevation is above sea level with the highest above sea level . 1 +The season 2015 -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . The 2015 -- 16 Barangay Ginebra San Miguel season is the 37th season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +In both cases , he had been selected by Eugenio Scalfari as a critic , first for the daily newspaper and then for the weekly edition . In both cases , he had been selected by Eugenio Scalfari as a critic , first for the weekly newspaper and then for the daily edition . 0 +Together with Bradley ( Jim Belushi ) and Rodney Mitchum ( Robert Knepper ) Cooper arrives at the train station . Cooper arrives at the station with Bradley ( Jim Belushi ) and Rodney Mitchum ( Robert Knepper ) . 1 +The pollution tolerance value is 6 ( on scale 0 -- 10 ; 0 is the best water quality , 10 is the worst water quality ) . Pollution - tolerance value is 6 ( on scale 0 -- 10 ; 0 the best water quality , 10 is the worst water quality ) . 1 +After serving in various headquarters and troops , major-general in 1951 , lieutenant in 1955 and was promoted to the rank of general in 1959 . After serving in various headquarters and troops , Major General in 1951 , Lieutenant in 1955 and was promoted to the rank of a general in 1959 . 1 +At present , it is the third most common language in international trade and the second most common in politics , diplomacy and culture after English and French . At present , it is the second most widely used language in international trade and the third most widely used language in politics , diplomacy and culture after English and French . 0 +The show was produced by Peter Weil and initiated by Barraclough Carey Productions . The show was initiated and produced by Barraclough Carey Productions by Peter Weil . 0 +From 1913 to 1962 , the University teached basic sciences in Los Angeles , but sent its students to Loma Linda for clinical experience . From 1913 to 1962 , the University of Loma Linda taught basic science , but sent its students to Los Angeles for clinical experience . 0 +Lazkao is a town and municipality in the region of Gipuzkoa in the province of Goierri , in the Autonomous Basque Community of northern Spain . Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Basque Country Autonomous Community of Northern Spain . 0 +Sol Lesser , a film producer who had discovered Jackie Coogan , signed Breen at RKO Radio Pictures . Film producer Sol Lesser , who had discovered Jackie Coogan , signed Breen to RKO Radio Pictures . 1 +Santa Ana Nopalucan is a municipality in southeastern Mexico in Tlaxcala . Santa Ana Nopalucan is a municipality in Tlaxcala in south-eastern Mexico . 1 +"In 2013 , Jami Huovinen ( ex-Stratovarius ) and Timo Tolkki replaced Karlsson and Salazar , leading to the album "" The Great Divide "" ( 2014 ) ." "In 2013 , Jami Huovinen ( ex-Stratovarius ) and Timo Tolkki Karlsson and Salazar replaced what led to the album "" The Great Divide "" ( 2014 ) ." 0 +Lielplatone community is an administrative unit of the Jelgava district ( prior to the administrative reforms 2009 of the municipality of Jelgava ) , Latvia . Lielplatone community is an administrative unit of the municipality of Jelgava ( prior to the administrative reforms in the Jelgava district 2009 ) , Latvia . 0 +Smith , born in Giddings , Texas , began his career in the Black baseball - equivalent of small leagues with the Austin Black Senators in Austin , Texas . Smith , born in Austin , Texas , began his career in the equivalent of the black leagues with the Austin Black Senators in Giddings , Texas . 0 +The Gila Mountains are a mountain range in the southwest of Arizona east of Yuma , Arizona , northeast of Muggins Mountains and east of the Laguna Mountains . The Gila Mountains is a mountain range in southwest Arizona east of Yuma , Arizona , northeast of the Muggins Mountains , and east of the Laguna Mountains . 1 +When the band moved from Virginia Beach in 2012 we split between Los Angeles and Texas . In 2012 , when the band separated from Virginia Beach , we moved between Los Angeles and Texas . 0 +Linguists sometimes posit that pidgins can become creole languages when a generation of children learn a pidgin as their first language , Linguists sometimes claim that when a generation of children learn a pidgin as their first language , pidgins can become Creole languages . 1 +The Turks , Tang , Muslim Arabs , and Tibetans competed for control of Central Asia until the tang 's collapse in the 10th century . The Turks , Tibetans , Muslim Arabs , and the Tang competed for control of Central Asia until the tang ’ s collapse in the 10th century . 1 +Qazi Ghulam Murtaza was married to Ummatullah , daughter of Syed Zainuddin of Tijara . Syed Zainuddin was married to the daughter of Qazi Ghulam Murtaza of Tijara with Ummatullah . 0 +Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete of Maringá . Natália Falavigna da Silva ( born May 9 , 1984 in Brazil ) is a taekwondo athlete from Maringá . 1 +The Chinese Ambassador to Beijing is the official representative of the government in Apia with the Government of Samoa . The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Government of Samoa . 0 +One of these , Shane Ross , said Fianna Fáil leader Micheál Martin had contacted them the previous day and that they would meet the following week . One of them , Micheál Martin , said that Fianna Fáil - leader Shane Ross had contacted her the previous day and that she would meet the following week . 0 +Rosie Reyes defeated Mimi Arnold , 8 -- 6 , 6 -- 2 . Rosie Reyes suggested Mimi Arnold , 8 -- 6 , 6 -- 2 . 1 +Rockox House is a Belgian private residence of the Rockox family and a former museum of the KBC Bank in the city of Antwerp , Belgium . Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank in the city of Antwerp , Belgium . 0 +In the free-fall frame , Maxwell 's equations have their usual , flat-spacetime form for the falling observer . In the usual flat-fall frame , Maxwell 's equations have their free-space form for the falling observer . 0 +"In September 2015 , Goodyear is again the president of "" Goodyear Investment Company "" and "" Goodyear Capital Corporation "" ." "As of September 2015 , Goodyear is again president of the "" Goodyear Capital Corporation "" and the "" Goodyear Investment Company "" ." 1 +Rockox House is a Belgian private residence of the Rockox family and a former museum of the KBC Bank in the city of Antwerp , Belgium . The Rockox House is a former residence of the Rockox family and the Belgian private museum of KBC Bank , Antwerp , Belgium . 0 +The school teaches pupils from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and Dunfermline , but also from High Valleyfield under exceptional circumstances . The school teaches students from Inverkeithing , Dalgety Bay , Rosyth , North Queensferry , Aberdour and High Valleyfield , but also under extraordinary circumstances from Dunfermline . 0 +The childhood of Berkeley was spent in Warwickshire , where he was a student of the translator Philemon Holland of Coventry and Henry Ashwood . Berkeley 's childhood was spent in Coventry , where he was a pupil of the translator , Philemon Holland of Warwickshire , and of Henry Ashwood . 0 +"In Europe , "" Pueraria montana "" grows in warm places in several regions of Switzerland and Italy near Lake Maggiore and Lake Lugano ." """ Pueraria montana "" grows in warm regions of Switzerland and Italy in Europe near Lake Maggiore and Lake Lugano ." 0 +Joe was born in Somerville , Massachusetts on March 27 , 1929 and grew up in Quincy , Massachusetts . Joe was born on 27 March 1929 in Somerville , Massachusetts and grew up in Quincy , Massachusetts . 1 +"If the programmer does not supply a constructor for an instantiable class , most languages will provide a "" default constructor "" ." "If the programmer does not provide a constructor for an instantiable class , most languages provide a "" default constructor "" ." 1 +On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innocent X on 16 September 1647 . On May 14 , 1647 , he was confirmed as Archbishop of Messina and chosen on 16 September 1647 by Pope Innozenz X . 0 +In Syria ( Aleppo ) , the Armenian cathedral is dedicated to forty martyrs . In Syria ( Aleppo ) the Armenian Cathedral is dedicated to the Forty Martyrs . 1 +With the activation of the 310th Strategic Missile Squadron , the 310th was redesignated as the 550th Strategic Aerospace Wing on 1 March , 1962 . With the activation of the 550th Strategic Missile Squadron , the 310th Strategic Aerospace Wing was renamed 310th on March 1 , 1962 . 0 +The US 340 has a diamond exchange with MD 180 and crosses Catoctin Creek east of Petersville . East of Petersville , US 340 crosses a diamond interchange with MD 180 and has Catoctin Creek . 0 +Brayshaw began his career and ended his with Claremont Football Club in the West Australian Football League . Brayshaw finished his career and began with his Club Claremont in the West Australian Football League . 0 +Another special feature of traditional houses is their unique design for cooling the interior in summer and heating the interior in winter . Another unique feature of traditional houses is their special design for the cooling of the interior in summer and heating in winter . 1 +Today , the North Allegheny School District is home to two elementary schools , three secondary schools and seven high schools . Today , the North Allegheny School District is home to two elementary schools , three middle and seven high schools . 1 +In order to mark valid conversions between restricted types , a casting with the attribute force is used to avoid sparse printing a warning . To avoid sparse conversions between restricted types , a casting with the attribute force is used to mark valid warnings . 0 +He also met William Baly , who led the Cholera Committee with William Withey Gull . He also met William Withey Gull , who with William Baly ran the Cholera Committee . 0 +It is also home to the unregistered towns of Potter Valley , Calpella , Redwood Valley and Talmage . It is also home to the unincorporated towns of Potter Valley , Calpella , Redwood Valley and Talmage . 1 +"The People 's Radical Party "" ( Narodna radikalna stranka "" ) was founded in 1881 as a conservative party but from 1919 it evolved into a radical direction" The radical party of the people ( Narodna radikalna stranka ) was founded in 1881 as a conservative party , but it developed into a radical direction from 1919 . 1 +In April 2008 , Mountain Hardwear opened its first retail location in Seattle , opening a retail store in Portland , Oregon , Washington , December 5 , 2008 . Mountain Hardwear opened its first retail location in Seattle in April 2008 . A Portland , Oregon , Washington retail store opened on December 5 , 2008 . 1 +Bill was married and was then divorced from his wife Patricia ( Pat ) . Bill was married and then divorced from his wife , Patricia ( Pat ) . 1 +Gralee is a suburb of Leeton Shire in Leeton , New South Wales . Gralee was a suburb of Leeton , New South Wales in Leeton Shire . 0 +Amata leucacma is a type of moth of the family Erebidae It is found in Australia ( Queensland ) . Amata leucacma is a type of moth of the family Erebidae It is found in Queensland ( Australia ) . 1 +The Westlake Village neighborhood and the Ventura Freeway ( 101 ) are in the south and Lake Lindero to the west . The Westlake village neighborhood and the Ventura Freeway ( 101 ) are to the south , and Lake Lindero on the west . 1 +Like other Corvids , Blue Jays are very intelligent and are considered curious birds . Blue jays , like other corvids , are highly curious and are considered intelligent birds . 0 +The association of the stylized eye with mirrors was so strong that in the Teotihuacan art , human eyes were often used as a substitute for the face of a mirror . The association of the human eye with mirrors was so strong that stylized eyes in the Teotihuacan art were often used as a substitute for the face of a mirror . 0 +Mike Hart ( also known as Mike Harthcock ) is an American poker poker player from Winter Haven , Florida . Mike Hart ( also known as Mike Harthcock ) is an American poker player from Winter Haven , Florida . 1 +It is separated from Jackson Island in the east by a wide sound and from Rainer Island in the South by a narrow sound . It is separated from Rainer Island in the east by a narrow and separated from Jackson Island to the south by a wide sound . 0 +The grey suit was largely replaced in the 20th century by the dark blue or black suit . In the 20th century , the grey suit was largely replaced by the dark blue or black suit . 1 +Ranchi Road Railway Station is a small railway station in the district of Ramgarh , Jharkhand . Ranchi Road railway station is a small railway station in Ramgarh district , Jharkhand . 1 +Air New Zealand then certified the General Electric FANS-1 package and certified the Pratt & amp ; Whitney FANS-1 package to United Airlines . Subsequently , United Airlines certified the General Electric FANS-1 package , and Air New Zealand certified the Pratt & Whitney FANS-1 package . 0 +The current governor of the province is Nasratullah Arsala , his predecessor was Maj Gen Zalmai Weesa , the city of Gardez is the capital of the province . The current governor of the province is Nasratullah Arsala . His predecessor was Maj Gen Zalmai Weesa . The city of Gardez serves as the capital of the province . 1 +The town of Phichit was established in 1058 by Phraya Kotabongthevaraja , and was first part of the Sukhothai Kingdom , and later of Ayutthaya . The city of Ayutthaya was founded by Phraya Kotabongthevaraja in 1058 and was first part of the Sukhothai Kingdom and later of Phichit . 0 +Raumanga is a suburb of Raumanga in the Northland Region of New Zealand . The main campus of Northland Polytechnic is situated in Whangarei . is a suburb of Raumanga in the Northland region of New Zealand . The main campus of the Northland Polytechnic is located in Whangarei . 1 +"Brown also appeared in Peaches Christ 's "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow ." "Cassandra Peterson also appeared in Peaches Christi "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." 0 +Colonel Acker died on September 6 , 1879 in Union City and is buried in Kalamazoo , Michigan , in the state of Michigan . Oberst Acker died in Union City on 6 September 1879 and is buried in Kalamazoo , Michigan , in the State of Michigan . 1 +Hosni Mubarak came to power after the murder of Sadat in a referendum in which he was the only candidate . Hosni Mubarak came to power after the assassination of Sadat in a referendum in which he was the only candidate . 1 +The film was aired by Peter Collinson and produced by Harry Alan Towers . The film was produced by Harry Alan Towers and was directed by Peter Collinson . 0 +Parallel world , which seems to them more favorable than real . The real world , which seems more favorable to them than in parallel . 0 +ICFO also organizes a Corporate Liaison Program ( CLP ) , which serves as a bridge between ICFO researchers and industries and corporations . CLP also hosts a Corporate Liaison Program ( ICFO ) which serves as a bridge between ICFO researchers and industries and corporations . 0 +It was built in 1988 by Jim Bell and William Feldstein and developed by H & H . It was developed by Jim Bell and William Feldstein in 1988 and built by H & amp ; H . 0 +Markovac is a village in the Slavonia region of Croatia , located east of Daruvar . The population is 80 ( census 2011 ) . The population is 80 ( census 2011 ) , a village in the region of Slavonia in Croatia , located east of Daruvar . 1 +In early 2010 , it was announced that Allan had stepped down from the position of executive producer and that Paul Marquess had taken over the role . In early 2010 , it was announced that Allan had resigned from the position of Executive Producer and that Paul Marquess had taken on the role . 1 +She left TNA later in August 2008 to return to WWE three months later , where she remained until 2011 . She later left WWE in August 2008 to return to the TNA where she remained until 2011 three months later . 0 +It is licensed and published in North America by Blu on May 8 , 2007 . The manga is licensed in Taiwan by Sharp Point Press . It is licensed and published in North America by Blu on May 8 , 2007 , and is licensed by Sharp Point Press in Taiwan . 0 +Estimates of correlations between variables are weakened ( diluted ) by measurement error . Estimates of correlations between variables are diluted by measurement defects ( weakened ) . 1 +The main ferry ran to 42nd Street and for short time was a component of the transcontinental Lincoln Highway . The main ferry ran to 42nd Street and was part of the transcontinental Lincoln Highway for a short time . 1 +Past editors include Raymond Aron , Georges Dumézil , François Jacob , Michel Foucault , Emmanuel Le Roy Ladurie , François Furet and Jacques Le Goff . Past editors include Raymond Aron , Georges Dumézil , François Jacob , Michel Foucault , Emanuel Le Roy Ladurie , François Furet , and Jacques Le Goff . 1 +Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking website that was launched in 2009 and dissolved in 2011 . Indiana was also founder and director of Kerchoonz.com , a social networking site that was dissolved in 2009 and launched in 2011 . 0 +He left Poland with Sigismund and Princess Anna after the battle of Stångebro to Sweden . He left Poland for Sweden with Sigismund and Princess Anna , after the Battle of Stångebro . 1 +She was in Cork on June 24 and arrived on 8 July in the downs . She arrived in Cork on June 24 and was in the downs on July 8 . 0 +The 1980 season Atlanta Braves was the 110th season in Atlanta together with the 15th season as a franchise . The 1980 Atlanta Braves season was the 110th season in Atlanta along with the 15th season as a franchise overall . 1 +The music of the film was composed by Vijaya Narasimha and texts for the soundtrack by Chi , Udaya Shankar and Vijaya Bhaskar . The music of the film was composed by Vijaya Bhaskar and lyrics for the soundtrack written by Chi . Udaya Shankar and Vijaya Narasimha . 0 +In 1936 , the Federal Theatre Project of the Works Progress Administration put unemployed theatre performers and employees to work . The Federal Theatre Project of the Works Progress Administration set unemployed theatre performers and employees to work in 1936 . 1 +On 16 December 2015 , a meeting between the leaders of the two rival Maltese Governments was held at the Auberge de Castille in Valletta , Libya . A meeting between the leaders of the two rival governments of Libya was held at Auberge de Castille in Valletta , Malta on 16 December 2015 . 0 +Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an Olympic competitor in the synchronized swimming and American masters . Margot A. Thien ( born December 29 , 1971 in San Diego , California ) is an American American competitor in the synchronized swimming and Olympic championship . 0 +There is a juice shop , Which provides all fresh juice . There is a juice shop which provides fresh juice for all . 1 +Sagaing Region is the former capital of Sagaing ( formerly Sagaing Division ) . The Sagaing Region is the former capital of Sagaing ( formerly the Sagaing Division ) . 1 +The river Dâmboviţa is a tributary of the river Sântinica in Romania . The Sântinica River is a tributary of the Dâmboviţa River in Romania . 0 +Kumutrampatti is a small village close to Madurai District ( Kottampatti Gateway ) in Tamil Nadu . Kumutrampatti is a small village near Kottampatti ( Gateway to Madurai District ) in Tamil Nadu . 0 +Jharkhand railway station is a small railway station in Ramgarh district , Ranchi Road . Ranchi Road Railway Station is a small railway station in the district of Ramgarh , Jharkhand . 0 +The Vânăta river is a tributary of the River Milotina in Romania . The Milotina River is a tributary of the Vânăta River in Romania . 0 +Teversall Manor is a former station in Teversal , Nottinghamshire , on the border with Derbyshire west of Mansfield . Teversall Manor is a former station in Mansfield on the Derbyshire border west of Teversal , Nottinghamshire . 0 +On 1 July , the judge in Madrid , Antonio Pérez , issued a death sentence on Rodrigo de Arce . On 1 July , the judge in Madrid , Antonio Pérez , issued a death sentence against Rodrigo de Arce . 1 +At that time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( Sima Wangs Cousin ) . At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Zhao ( Sima Wang 's cousin ) . 1 +In 1867 , Natori came to the borders of the new province of Rikuzen , which later became part of the Miyagi Prefecture . In 1867 , Natori came within the borders of the new Miyagi Prefecture , which later became part of Rikuzen Province . 0 +"She became the founder of the Inner Healing Movement and was author of "" The Healing Light "" ." "She was the founder of the Inner Healing Movement and became the author of "" Healing Light "" ." 0 +The vesicular monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of presynaptic neurons . The presynaptic monoamine transporter ( VMAT ) is a transport protein integrated in the membrane of the synaptic vesicles of vesicular neurons . 0 +Throughout the 2017 season , the Cornell Big Red have won 649 games , 529 games bound and 33 regular season games lost . The Cornell Big Red have won 649 games during the 2017 season , 529 games lost and 33 regular season games bound . 0 +"The music video for "" Desire "" was edited by Claudia Wass and directed by Andy Morahan ." "The music video for "" Desire "" was edited by Claudia Wass and staged by Andy Morahan ." 1 +The Valea Lungă River is a tributary of the Casimcea River in Romania . The river Valea Lungă is a tributary of the Casimcea River in Romania . 1 +In 1615 he attacked John Howson and William Laud , implying Catholic sympathies , and wrapping in those terms the further implication that Laud was Arminian . In 1615 , he attacked John Howson and William Laud by wrapping Arminian sympathies and implying in these terms the further implication that Laud was Catholic . 0 +""" Yeh Hai Mumbai Meri Jaan "" is a love story between Akshay Anand while Saif Ali Khan and Twinkle Khanna the Spoiler are ." """ Yeh Hai Mumbai Meri Jaan "" is a love story between Akshay Anand while Saif Ali Khan and Twinkle Khanna is the spoiler ." 1 +ProxmapSearch uses the proxMap array generated by a previously created ProxmapSort to find keys in the sorted array A2 in constant time . ProxmapSearch uses the proxMap array generated by a previously sorted ProxmapSort to find keys in the completed A2 array in constant time . 0 +Sometimes it is also convenient to pursue the purely covariant version by : It is also convenient to sometimes define a purely covariant version by : 0 +"After losing 20 minutes before , Hakuhō won his twenty-eighth "" yūshō "" by defeating Kakuryū in this tie ." "After losing 20 minutes prior , Hakuhō won his twenty-eighth "" yūshō "" by defeating Kakuryū in this tie breaker ." 1 +On New Year 's Eve , a pregnant Kim surprises Denise and accuses Ian of ruining Denise 's life . On New Year 's Eve , a pregnant Kim Denise surprises and accuses Ian of ruining Denise 's life . 1 +He has lost only 3 and he has also saved two games . He only lost 3 and he also saved two games . 1 +"Duff Twysden was played by Stacy Keach in the miniseries "" Hemingway "" in 1988 with Fiona Fullerton ." "In the 1988 miniseries "" Hemingway "" , starring Stacy Keach , Duff Twysden was played by Fiona Fullerton ." 0 +The Eastern Province comprises the former provinces of Kibungo and Umutara , most of Kigali Rural , and part of Byumba . The eastern province includes the former provinces Kibungo and Umutara , most of Kigali Rural , and part of Byumba . 1 +Xavier Malisse defeated Tommy Haas 6 -- 3 , 3 -- 6 , 7 -- 6 . Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 - 6 , 7 -- 6 . 0 +The Royal College of Music has appointed Natalia as a Professor of Conducting alongside Maestro Peter Stark . The Royal College of Music has appointed Peter Stark alongside Maestro Natalia as professor of conducting . 0 +Cariani was born in Brockton , Massachusetts , and eight years old when his family moved to Presque Isle , Maine . Cariani was born in Presque Isle , Maine . He was eight when his family moved to Brockton , Massachusetts . 0 +A few weeks later , in an interview with HumansVsZombies.org , Fixell defended his position . A few weeks later , Fixell defended his stance in an interview with HumansVsZombies.org . 1 +Valesca asked him to control himself when he started to curse the animals . Valesca asked him to curse himself when he began to control the animals . 0 +Phaecadophora fimbriata is a moth of the Tortricidae family . It is found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . Phaecadophora fimbriata is a moth from the family of tortricidae found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . 1 +The Pike County School System consists of 25 high schools , middle and elementary schools . The Pike County School System consists of 25 high , middle , and elementary schools . 1 +The association reached the first round of the Challenge Cup , the second round of the League Cup and the sixth round of the Scottish Cup . The club reached the second round of the Challenge Cup , the sixth round of the League Cup and the first round of the Scottish Cup . 0 +The Slănic River is a tributary of the River Comina in Romania . The Slănic River is a tributary of the Comina River in Romania . 1 +The ship visited Guam during the second week in September and then spent the rest of the month at Okinawa in the Marianas . The ship attended Guam during the second week of September and then spent the rest of the month in Okinawa in the Marianas . 1 +Manager Nolan said that he expected Fitzsimons to challenge Adam Collin for a first team position . Manager Kevin Nolan said that he expected Fitzsimons to challenge Adam Collin for a first team place . 1 +Trucks left by the British forces in Vietnam were taken over by the French , which used them in Indochina and later transferred them to South Vietnam . Trucks left by the British troops in Vietnam were taken over by the French , who used them in Indochina and later transferred to South Vietnam . 1 +At the end of the season , George Curtis was dismissed and replaced with Nils Arne Eggen . At the end of the season , Nils Arne Eggen was dismissed and was replaced by George Curtis . 0 +"Blauburger gives good yields and is particularly resistant to "" Botrytis cinerea "" , but is susceptible to mildew down ." "Blauburger gives good yields and is particularly resistant to "" Botrytis cinerea "" , but is susceptible to mildew ." 1 +Winterfield Township is in the northwestern corner of Clare County and is bordered to the west by Missaukee County and to the north by Osceola County . Winterfield Township is located in the northwestern corner of Clare County and is bordered to the west by Missaukee County and to the north by Osceola County . 1 +"Therefore , the complex equivalent given - transformation formula 5 of a Hermitian matrix "" H "" is also a Hermitian matrix similar to "" H "" :" "Consequently , the similar givens - transformation formula 5 of a Hermitian matrix "" H "" is also a Hermitian matrix complex , which is equivalent to "" H "" :" 0 +Castlebrae Community High School is a secondary school in the Greendyke area of Edinburgh . Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . 0 +At the time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of Regent Sima Wang ( Sims Zhaos Cousin ) . At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Wang ( Sima Zhao 's cousin ) . 1 +In August 1574 , during the siege of Delfshaven , he was consulted by prince William of Orange , who lay ill at Leiden . In August 1574 , during the siege of Delfshaven , he became consulted by Prince William of Orange , who was ill in Leiden . 1 +They were able to reclaim Ladakh ( 1802 ) , Ludhiana ( 1806 ) , Amritsar , Kashmir , Lahore , Peshawar , the Khyber Pass and Multan . They were able to re-capture Ladakh ( 1802 ) , Ludhiana ( 1806 ) , Amritsar , Kashmir , Lahore , Peshawar , the Khyber Pass and Multan . 1 +In the future it is planned to extend this railway track to the city of Juazeiro south of Barbalha do Norte . In the future , it is planned to extend this rail line to the city of Barbalha , south of Juazeiro do Norte . 0 +Constantinos Giannaris ( born 1959 in Athens , Constantine Giannaris ) is a Greek director , screenwriter , and actor . Constantinos Giannaris , also Constantine Giannaris ( ; born 1959 in Athens ) , is a Greek film director , screenwriter and actor . 1 +The Lord Chancellor , a post in the UK Government , is responsible for relations between the government and the Channel Islands . Lord Chancellor , a post in the British Government , is responsible for the relations between the government and the Channel Islands . 1 +"Dong Zhao was a "" Xiaolian "" and in his early years served as district official under warlord Yuan Shao before being promoted to military adviser ." "Yuan Shao was a "" xiaolian "" and served as a county official in his early years under the warlord Dong Zhao before being promoted to a military adviser ." 0 +Dye rode in Mauritius after eight years in Hong Kong . Dye rode after eight years in Hong Kong , Mauritius . 0 +As a result , Sumitada sponsored the port of Nagasaki for the Portuguese in 1570 and opened its development . As a result , in 1570 , Sumitada sponsored the port of Nagasaki to the Portuguese and opened its development . 1 +Talagang Tehsil is a subdivision ( tehsil ) of the district of Chakwal in the Pakistani province Punjab . Talagang Tehsil , is a subdivision ( tehsil ) of Chakwal District in the Punjab province of Pakistan . 1 +"Xander Berkeley is played by John Hale ( as Magistrate Hale ) in the 2014 TV series "" Salem "" ." "John Hale is played by Xander Berkeley ( as magistrate hale ) in the TV-series 2014 "" Salem "" ." 0 +He began working with the Texas League AA Frisco RoughRiders in 2014 and was promoted to the AAA Round Rock Express of the Pacific Coast League . He began 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . 0 +"If "" A "" and "" B "" are Banach , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" "Are "" A "" and "" B "" algebraic rooms , the Banach - tensor product of "" A "" and "" B "" means the tensor product of" 0 +It is bordered to the northeast by the Pacific Ocean , to the southeast by Hawaiian Beaches , and to the southwest by Orchidlands Estates and Ainaloa . It is bordered to the northeast by the Pacific Ocean , to the southeast by Hawaiian beaches and to the south-west by Orchidlands Estates and Ainaloa . 1 +After 1873 , he was covered by the social media as part of national banditry . After 1873 , he was transferred as part of national banditry by the social media . 0 +July 2013 to be announced . announced to be created July 2013 . 0 +Adam was a member of the important Julius Adam family of Munich artists . He was a member of the important Munich family of artists Julius Adam . 1 +A pair of Lola T616s running by B. F. Goodrich Company , however , used the same Mazda engine and were successful in beating both 727Cs , 1st and 3rd claiming . However , a pair of Lola T616s run by B.F. Goodrich Company used the same Mazda engine and were successful in claiming both 727Cs , beating 1st and 3rd . 0 +His first wife was Alice Silverthorne of the U.S. , whom he met in Chicago in May 1921 and married in Paris in September of that year . His first wife was Alice Silverthorne of the USA , whom he met in Paris in May 1921 and married in Chicago in September of the same year . 0 +He survived the Soviet leadership transition from Khrushchev to Brezhnev in 1964 . In 1964 , he survived the Soviet leadership transition from Brezhnev to Khrushchev . 0 +"In 2012 , he began work on The New 52 series "" Batwing "" with writer Judd Winick and artists ChrisCross and Marcus To ." "In 2012 he began working on the new 52 series "" Batwing "" with the writer Marcus To and the artists ChrisCross and Judd Winick ." 0 +The production is mainly dedicated to the professional market , with the industrial products Linea Pro , the DIY market , being served by the Linea Blu product line . With the professional products of Linea Pro , the production is mainly dedicated to the industrial market , while the do-it-yourself market is served by the Linea Blu product range . 0 +Asher and her husband Brent Tworetzky have two sons , Zuckerberg and Simi . The family resides in New York City . The Asher family and her husband Brent Tworetzky have two sons , Zuckerberg and Simi , who live in New York City . 1 +It is the largest private club in Houston and one of the biggest in the world , with more than 3,300 members . It is the biggest private club in Houston and one of the largest in the world , with over 3,300 members . 1 +Members include Bernard Matthews and the Faccenda Group . The CEO has been Andrew Large since 2013 , previously CEO of the Cleaning and Support Services Association . The members include Andrew Large and the Faccenda Group , whose CEO Bernard Matthews has been since 2013 and was previously CEO of the Cleaning and Support Service Association . 0 +It has served as a forum for speakers ranging from Tennessee Williams , from Pete Seeger and Phil Donahue to Henry James , William Butler Yeats and William Jennings Bryan . It has served as a forum for speakers ranging from Henry James , William Butler Yeats and William Jennings Bryan to Tennessee Williams , to Pete Seeger and Phil Donahue . 0 +In addition to Indian curry , this dish has become one of the most symbolic dishes of Indian cuisine . This dish has become one of the most symbolic dishes of the Indian cuisine , next to Indian curry . 1 +There is a splendid Enshi in Forest Park which offers beautiful scenery and views of the city as well as an amusement park . There is a wonderful enshi in Forest Park , which offers beautiful countryside and views of the city as well as an amusement park . 1 +In South and Central America , the song reached the top 10 in Colombia , Guatemala , the top 5 in Mexico and Venezuela , and No . 1 in Argentina . In South and Central America , the song reached the top 10 in Colombia , Guatemala , top 5 in Mexico and Venezuela , and No . 1 in Argentina . 1 +Budugen 's greatest rival was another Xianbei chief , Kebineng . Kebineng 's greatest rival was Budugen , another Xianbei - chief . 0 +In July 2013 Lone Star Comics sold off three of their five remaining stores , in Mesquite , Hurst , and Plano . In July 2013 , Lone Star sold comics three of their five remaining stores in Mesquite , Hurst and Plano . 1 +The party began as a resistance movement that fought for the independence of East Timor , first from Portugal and then from Indonesia , between 1974 and 1998 . The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 first by Indonesia and then from Portugal . 0 +Warrington died on 10 February 1906 in London , and his will was proved on 29 March in Brentford , Middlesex . Warrington died on February 10 , 1906 in Brentford , Middlesex , and his will was demonstrated in London on March 29 . 0 +Pirzio Biroli was personally responsible for the mass execution and numerous terror of the people of Montenegro . Pirzio Biroli was personally responsible for mass execution and numerous terror of the population of Montenegro . 1 +The total number of electrons and the electron density is much greater than in the corresponding positive corona . The corresponding positive number of electrons , and electron density is much greater than in the total corona . 0 +Goldman Sachs sold the company to Silverlake Partners for US $ 800 million in 2006 . Goldman Sachs sold the company to Silverlake Partners in 2006 for $ 800 million . 1 +It was written by Leslie H. Martinson , directed by George Kirgo and was originally sent on NBC on 5 April 1982 . It was written by Leslie H. Martinson , directed by George Kirgo and was originally broadcast April 5 , 1982 on NBC . 1 +Parsora is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Parsora is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 0 +Season 2012 -- 13 he spent in Bnei Herzliya with Israeli Basketball Super League . He spent the season 2012 -- 13 in the Israeli Basketball Super League with Bnei Herzliya . 0 +Petina Gappah was born in Zambia in the province of Copperbelt . Petina Gappah was born in the province of Copperbelt in Zambia . 1 +A 2001 Broadway - Revival was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . A 2001 Broadway - Revival was led by Joe Mantello and played Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . 0 +Cheadle Heath railway station was a train station that served between 1901 and 1968 the village of Cheadle , Cheshire , and the suburb of Stockport Cheadle Hulme . Cheadle Heath railway station served a railway station , which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . 0 +Agathe knows that Guillaume had a lover , but believes that it was a young woman , Guillaume and Tom 's co-worker Sarah . Agathe knows Guillaume had a lover , but believes it was a young woman , Guillaume and Sarah 's co-worker Tom . 0 +The meanings of these words do not always correspond to Germanic relatives , and occasionally the specific meaning of the list is unique in English . The meanings of these words do not always correspond to Germanic cognates , and occasionally the specific meaning in the list is unique to English . 1 +Wichita North High School was the first high school in the city of Wichita , finished in 1929 , Wichita East High School was the second high school . Wichita North High School was the first high school in the city of Wichita , completed in 1929 . Wichita East High School was the second high school . 1 +""" Love Hurts "" is the first episode of the twentieth season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." """ Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on 10 May 2005 in the Fox - network ." 0 +"Comedian Soupy Sales released a song in 1966 called "" Backwards Alphabet "" which contained the lyrical alphabet in reverse style ." "In 1966 , Comedian Soupy Sales released a song called "" Backward 's Alphabet "" , which contained the lyrical alphabet in reverse style ." 1 +While octreotid has reduced the terminal threonine to the corresponding amino alcohol . While octreotide has the terminal threonine reduced to the corresponding amino alcohol . 1 +Recently , Sexson lived with his wife Kerry in Ridgefield , Washington , and has been a baseball trainer at the Summit High School in Bend , Oregon since 2014 . Sexson recently lived in Bend , Oregon with his wife Kerry . Since 2014 , he has been a baseball coach at Summit High School in Ridgefield , Washington . 0 +Another set of hidden concepts used by Mahayana Buddhists are the four hermeneutical intentions ( abhipraya ) and the four special intentions ( abhisamdhi ) . Another set of hermeneutic concepts used by Mahayana - Buddhists are the four special intentions ( abhipraya ) and the four hidden intentions ( abhisamdhi ) . 0 +Guy Stern ( born January 14 , 1922 in Hildesheim ) is a German and comparative literature scholar , primarily German-Jewish . Guy Stern ( born January 14 , 1922 in Hildesheim , Germany ) is a German and comparative scholar of literature , primarily German-Jewish . 1 +The music was composed by Salil Chowdhury with text by Bharat Vyas . The music was composed by Salil Chowdhury with lyrics by Bharat Vyas . 1 +He also spread rumors about a possible Hungarian federation , as proposed to him by Romanian landowners . He also circulated rumors about a possible Hungarian -- Romanian federation , as proposed to him by Hungarian landowners . 0 +"Mukesh ( Venugopal ) is the lead singer of music band "" Hits Orchestra "" ." "Mukesh ( Venugopal ) is a lead singer of the music band "" Hits Orchestra "" ." 1 +"Pogonodon was recognised by Edward Drinker Cope in 1880 , two species are described : "" P. davisi "" and "" P. platycopis "" ." """ Pogonodon "" was recognized in 1880 , by Edward Drinker Cope . Two species are described , "" P. davisi "" and "" P. platycopis "" ." 1 +"He is mentioned twice in James Hinton 's novel "" Moonchild "" . The first mention mistakenly names his father , Aleister Crowley ." "He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" , who mistakenly calls his father James Hinton in the first mention ." 0 +Kulappully falls under the constituency of Palakkad Assembly and the Shornur constituency . Kulappully falls under the Shornur assembly constituency , and the Palakkad parliament constituency . 0 +""" Parachute "" was recorded at Metropolis Studios , Atlanta , Georgia , US and mixes at The Warehouse Studios , London , UK ." """ Parachute "" was recorded at the Metropolis Studios , London , UK and at Warehouse Studios , Atlanta , Georgia , USA ." 0 +The river Valea Mică is a tributary of the Valea Arsurii River in Romania . The river Valea Arsurii is a tributary of the river Valea Mică in Romania . 0 +The park is about an hour and a half north of Los Angeles , or five hours south of San Francisco . The park lies about an hour and a half north of Los Angeles , or five hours south of San Francisco . 1 +Defeated Gardnar Mulloy defeated Frank Sedgman 6 -- 1 , 6 -- 2 , 6 -- 3 . Frank Sedgman defeated Gardnar Mulloy 6 -- 1 , 6 -- 2 , 6 -- 3 0 +Ringwood is located in the 39th Congressional District and is part of New Jersey 's 5th state legislative district . Ringwood is located in the 5th Congressional District and is part of the 39th State Legislative District in New Jersey . 0 +The 1945 San Diego State College football team represented San Diego State Aztecs during the 1945 season College Football . The 1945 San Diego State College football team represented San Diego State Aztecs during the 1945 college football season . 1 +Cheadle Heath railway station served a railway station that was between 1901 and 1968 the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . Cheadle Heath railway station was a train station that served the village of Cheadle , Cheshire and the suburb of Stockport by Cheadle Hulme between 1901 and 1968 . 0 +She was heavily attracted to him and tried to seduce him into a sexual relationship , but Hanuvant Singh grew religious in thought and did not go for incest . She was heavily attracted to him and tried to seduce him into a sexual relationship , but Hanuvant Singh was religious in thought and did not go to incest . 0 +Although studied in 1888 by Samuel Alejandro Lafone Quevedo , the ruins were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were examined in 1888 by Samuel Alejandro Lafone Quevedo , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . 1 +"Protein FAM40A is a protein that is located on chromosome 1 in humans and is encoded by the "" FAM40A "" gene ." "FAM40A is a protein that is localised in humans on chromosome 1 and is encoded by the "" FAM40A "" gene ." 1 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was led by Ali Akram Shuvo and composed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was directed by Ali Akram Shuvo and composed by Sheikh Sadi Khan . 1 +You were under the mentorship of Coach Norman Black and Coach Glenn Capacio . They were under the mentorship of Coach Norman Black and Coach Glenn Capacio . 1 +In the past , when Yue Yi conquered the Qi state , he attacked over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except Ju and Jimo for Tian Dan . 1 +The following is a list of all state highways in Texas maintained by the Texas Department of Transportation . All state highways in Waller County , Texas are paved . The following is a list of all state highways in Texas of the Texas Department of Transportation maintained All state highways in Waller County , Texas are paved . 1 +It was this title that Lancelot Brenton inherited ( his older brother John Jervis Brenton having died in 1817 ) . It was this title that Lancelot Brenton inherited ( his elder brother , John Jervis Brenton , died in 1817 ) . 1 +"The electric field is conservative , and hence can be described by a scalar potential , "" V "" ( r ) :" "The electric field is conservative and can therefore be described by a scalar potential "" V "" ( r ) :" 1 +Lucas Baiano , who made commercials for Perry , joined Tim Pawlenty after Pawlenty had withdrawn from the race . Lucas Baiano , who made commercials for Perry , joined Tim Pawlenty after Pawlenty withdrew from the race . 1 +"In 2008 , McMichael 's memoirs were published under the title "" LEADERSHIP : Achieving life - Success from within "" ." "In 2008 , McMichael 's memoirs were published under the title "" LEADERSHIP : Achieving Life-Changing Success From Within "" ." 1 +After having tried his luck on the gold fields of Toowoomba unsuccessfully , he moved to Gympie in 1868 . Having tried his luck unsuccessfully on the Toowoomba gold fields , he moved to Gympie in 1868 . 1 +The district of Mhow consists of 4 divisions : Depalpur , Sanwer , Indore and Indore . Mhow district consists of 4 divisions ; Depalpur , Sanwer , Indore and Indore . 1 +Daka sends his electronic followers together with a zombie that he controls via an American brain implant by microphone to steal the precious metal . Daka sends his electronic henchmen , along with a zombie that he controls by microphone via an American brain implant , to steal the precious metal . 1 +In 2014 election defeated Indian National Congress candidate Manas Madkami Biju Janata Dal candidate Mala Madhi with a margin of 3312 votes . In 2014 election , Indian National Congress candidate Manas Madkami defeated Biju Janata Dal candidate Mala Madhi by a margin of 3,312 votes . 0 +Marjorie Fritz , the brother of Richard Fritz , was injured in the explosion and died almost a year later of myocarditis . Marjorie Fritz , brother of Richard Fritz , was injured in the explosion and died almost one year later of myocarditis . 1 +Kalithozhan is an Indian Malayalam film from 1966 , produced by M. Krishnan Nair and directed by AV Subbarao . Kalithozhan is a 1966 Indian Malayalam film , directed by M. Krishnan Nair and produced by AV Subbarao . 0 +Shelbyville Road is a district of Louisville , Kentucky along Boston ( US 60 ) and Long Run Creek . Shelbyville Road is a neighborhood of Louisville , Kentucky located along Boston ( US 60 ) and Long Run Creek . 1 +Hippotion moorei is a moth of the family Sphingidae , known from dry areas from northern Somalia to Ethiopia and Tanzania . Hippotion moorei is a moth of the family Sphingidae . It is known from dry areas from northern Tanzania to Ethiopia and Somalia . 0 +His father was the late Ud Maestro Munir Bashir , his uncle was the famous Oud - Master Jamil Bashir . His father was the renowned late Ud Maestro Munir Bashir , his uncle was the late Oud Master Jamil Bashir . 0 +Ross was originally imprisoned at North Point , then marched to Sham Shui Po Barracks and finally shipped to Innoshima where he worked at Habu Dockyard for Osaka Ironworks . Originally , Ross was imprisoned in North Point , then marched to Habu Dockyard , and finally shipped to Innoshima , where he worked for Osaka Ironworks in Sham Shui Po Barracks . 0 +It was led by G.K Mehta and produced by Shankradev Arya . It was directed by G.K Mehta and produced by Shankradev Arya . 1 +From the west of Lucin is the unimproved route along the Union Pacific Railroad Rail long . From the west from Lucin , the long route along the Union Pacific Railroad rail is unimproved . 0 +Willie Francis worked in England in the late 1970s , and lived in Canada for a number of years before returning to Jamaica . In the late 1970s , Willie Francis lived in Canada and worked in Jamaica for several years before returning to England . 0 +Together with Frederick Murray Trotter and others he helped create new maps and memoirs of the districts of Brampton , Whitehaven , Gosforth and Cockermouth in Cumberland . Together with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Cumberland , Gosforth , and Cockermouth . 0 +A brunch forum with presidential candidates sponsored by Chris Wallace , originally intended to be housed by the New Hampshire Republican Party , was planned to be broadcast on Fox News . A brunch forum sponsored by Chris Wallace with presidential candidates , originally to be housed by the New Hampshire Republican Party , was planned for broadcast on Fox News . 1 +The Sonata was premiered at the Aeolian Hall in London in 1919 by Landon Ronald with Billy Reed on the piano . The sonata was premiered in 1919 at the Aeolian Hall , London , by Billy Reed , with Landon Ronald at the piano . 0 +1843 : China : Sailors and Marines from the Canton were landed at the trading post in St. Louis following a clash between Americans and Chinese . 1843 : China : Sailors and Marines from St. Louis were landed at the trading station in Canton after a clash between Americans and Chinese . 0 +Finally Amanda Kenya confronts the real meaning of her necklace , and Amanda tells her the whole story . Kenya finally confronts Amanda about the real meaning of her necklace and Amanda then tells her the whole story . 0 +"If "" A "" and "" B are algebraic spaces , the Banach - the tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B "" are Banach , the algebraic tensor product of "" A "" and "" B "" means the tensor product of" 0 +It currently serves as the newspaper of record for Galveston County , as well as Galveston . It currently serves as the newspaper for Galveston , as well as Galveston County . 1 +"At BHCC , Phillips Brooks preached his first sermon and his Christmas Carol "" O Little Town of Bethlehem "" had its last performance ." "At BHCC , Phillips Brooks preached its last sermon , and its Christmas carol "" O Little Town of Bethlehem "" had its first appearance ." 0 +William Debenham , born in 1794 in Alpheton , Suffolk , joined Thomas Clark in a partnership to run a draper 's store at Wigmore Street 44 in London . Born in 1794 in Alpheton , Suffolk , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . 0 +Others involved in the development of Bon Air -- officials were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son and Thomas Mann Randolph Talcott . Other R & D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . 0 +The eastern province includes the former provinces of Byumba and Umutara , most of Kigali Rural and part of Kibungo . The eastern province comprises the former provinces of Kibungo and Umutara , the majority of Kigali Rural and part of Byumba . 0 +The Commission was first chaired by George Bowers , then Marshall McDonald , George Brown Goode , and finally Spencer F. Baird . The Commission was led first by Spencer F. Baird , then Marshall McDonald , George Brown Goode , and finally George Bowers . 0 +Joy was born in Montreal . He received a bachelor 's degree from McGill University in 1945 and a master 's degree from Harvard University in 1947 . He was born in Montreal and received a bachelor 's degree from Harvard University in 1945 and a Master 's degree in 1947 from McGill University . 0 +Belbin and White were married in June 2014 and became engaged on April 25 , 2015 . Belbin and White were engaged in June 2014 and married on April 25 , 2015 . 0 +Chandler and Connie Chandler have been nominated by the Independent Party of Utah and Crane and Alma Peter Crane received 1,101 votes . Alma Peter Crane and Connie Chandler have been nominated by the Independent Party of Utah , and Crane and Chandler received 1,101 votes . 0 +Beulah Maria Carter was born on 6th July 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Robert Morris Ogden . Robert Morris Ogden was born on 6th July 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Beulah Maria Carter . 0 +Mewes produced many female protégés and it is said that Ward was the prototype . Mewes produced many female protégés and it is said that Ward was the prototype for these . 1 +Among the tenants are the 21st Governor-General of Australia , Bill Hayden , Senator Ron Boswell , and the Commonwealth Parliament of Australia . The 21st Governor - General of Australia , Bill Hayden , Senator Ron Boswell and the Commonwealth - Parliament of Australia are among the tenants . 1 +The Lotriorul River is a tributary of the Priporul River in Romania . The Priporul is a tributary of the Lotriorul in Romania . 0 +He was born in New Westminster and worked on the lower Fraser and Fraser River cyclists before coming to the Upper Yukon River in the early 20th century . He was born in New Westminster and worked on the lower Fraser and Yukon River sternwheelers before coming to the upper Fraser River in the early 1900s . 0 +It is owned by the Nation Multimedia Group ( NMG ) . It is owned by Nation Multimedia Group ( NMG ) . 1 +In 1992 , Tungamirai was replaced as Air Force Commander by Perence Shiri . In 1992 , Perence Shiri was replaced by Tungamirai as the air force commander . 0 +V9 was sent to Hungary as a demonstrator after a tour of Romania , and arrived on 5 February 1939 . V9 was sent to Hungary after a tour through Romania as a demonstrator and arrived on February 5 , 1939 . 1 +He played for TuTo Turku and TPS , played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berlin SC . Lindstrom played for TuTo Turku and Klagenfurter AC . He also played a season in Austria for TPS and four seasons in the Bundesliga for Berliner SC . 0 +The following table lists all the games that the Brazilian national team played in official competitions and friendly matches in 2011 . The following table lists all the games played by the Brazilian national team in official competitions and friendly matches during 2011 . 1 +Christian Johansen Ihlen ( November 26 , 1838 -- January 14 , 1901 ) was a Norwegian politician for the moderate liberal party . Christian Johansen Ihlen ( November 26 , 1838 -- January 14 , 1901 ) was a moderate politician for the Norwegian Liberal Party . 0 +In 2017 Scurll returned to Progress on Chapter 55 being defeated by Zack Sabre Jr . In 2017 , Zack Sabre Jr. returned to Progress on Chapter 55 , Defeated by Scurll 0 +"The spacecraft is the first application of Astrium 's "" Flexbus "" platform ; GRACE was the second ." "The spacecraft is the first application of Astrium "" Flexbus "" platform , GRACE was the second ." 1 +The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was built in 2003 . The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was constructed in 2003 . 1 +In the TV series , Olaf Petersen is played by Mark Williams . Mark Williams is played by Olaf Petersen in the television series . 0 +This settlement was part of Fort Norfolk , where Charlotteville was erected in 1813 with accommodation for 300 troops . This settlement was part of Charlotteville , where Fort Norfolk was built with accommodation for 300 troops in 1813 . 0 +Ruby lasers produce pulses of deep red light at a wavelength of 694.3 nm , which is a coherent visible color . Ruby - Lasers generate deep red light pulses at a wavelength of 694.3 nm , which is a coherent visible color . 1 +He studied at Newton University in Baltimore , where he was given drawing lessons by August Weidenbach , a landscape painter from Germany . He studied at Newton University in Germany , where he was awarded drawing courses by August Weidenbach , a landscape painter from Baltimore . 0 +The garden is so called because it was planned around the area where a monumental suspended tank with a circular shaped base was built . The garden is called so because it was built around the area where a monumental suspended pool was planned with a circular shaped foot . 0 +A number of embassies , including those of the United States , Great Britain , Canada , and Russia , are found in the district . A number of messages , including those of the United States , Great Britain , Canada and Russia , are found in the district . 0 +The constituency is situated in South Wales , on the right bank of the River Afan , near its mouth in Swansea Bay . The constituency is located in Swansea Bay , on the right bank of the Afan River , near its mouth in South Wales . 0 +He received his chance by Brighton Manager Dan Kirkwood and soon established himself in the Brighton attack alongside Charlie Webb . He was given his chance by Brighton manager , Dan Kirkwood and soon established himself in the Brighton attack alongside Charlie Webb . 1 +On 30 April 1950 , the Nellis Air Force Base was renamed to Las Vegas Air Force Base in Nevada . On April 30 , 1950 , the Las Vegas Air Force Base in Nevada was renamed Nellis Air Force Base in his honor . 0 +In 1824 , Whitehead brought out his new life Wesley -- 5 : It used Moore 's work , sometimes without recognition . Whitehead brought out his new life of Wesley in 1824 -- 5 : it used Moore 's work , sometimes without acknowledgment . 1 +Karinizhal is an Indian Malayalam film , directed by JD Thottan in 1971 and produced by Kovai Ramaswamy . Karinizhal is a 1971 Indian Malayalam film , directed by JD Thottan and produced by Kovai Ramaswamy . 1 +Fowler married Sarah Sloane , daughter of Hans Sloane and niece of Sir William Sloane . They had two sons and a daughter . Fowler married Sarah Sloane , daughter of Hans Sloane and niece of Sir William Sloane , who had two sons and a daughter . 1 +He had trials with English Premier League teams Leicester City and Sunderland in November 2014 , and then again with Manchester United in January 2015 . He has had tests with the English Premier League - Teams Manchester United and Sunderland in November 2014 and then again with Leicester City in January 2015 . 0 +Bridges at this location are the only crossing of the Taunton River between the Veterans Memorial Bridge in the River case and the Weir Street Bridge in Taunton . Bridges at this point are the only crossing over the Taunton River between the Veterans Memorial Bridge in Taunton and the Weir Street Bridge in Fall River . 0 +Saladas Department is a department of Argentina in the province of Corrientes . Saladas Department is a department of Argentina in Corrientes Province . 1 +In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . In 1968 , the boardwalk Bowl followed Tangerine Bowl , and the Pecan Bowl moved from Abilene to Texas within Arlington . 0 +James and his brother John were born in Alfreton , Derbyshire . James and his brother John were born in Derbyshire , Alfreton . 1 +He was promoted to New Mexico Territory in 1860 , and was ordered to the rank of captain in the 4th Infantry on December 20 . He was ordered to New Mexico Territory in 1860 and transported to the rank of captain on December 20 in the 4th Infantry . 0 +The tendered speed limit is generally reduced as low as within the two cities . The reduced speed limit is generally as low as within the two cities . 0 +The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Indonesia and then of Portugal . The party began as a resistance movement that fought for East Timor 's independence between 1974 and 1998 , first of Portugal and then of Indonesia . 0 +Like other Corvids , Blue Jays are highly intelligent and are considered to be curious birds . Blue jays , like other corvids , are highly intelligent and are considered curious birds . 1 +The Final FESPIC Games had 18 venues for the games . 9 in Selangor , 7 in Kuala Lumpur and 1 each in Putrajaya and Negeri Sembilan respectively . The Final FESPIC Games had 18 venues : 9 in Selangor , 7 in Kuala Lumpur and 1 in Putrajaya and Negeri Sembilan each . 1 +It was shown on 30 September 2012 at the Borneo Eco Film Festival as it was the first time premiered in Borneo . It was shown at the Borneo Eco Film Festival on 30 September 2012 , when it was first premiered in Borneo . 1 +Greg Rusedski defeated Lars Rehmann 6 -- 4 , 3 -- 1 ( Rehmann is retired ) Lars Rehmann defeated Rehmann 6 -- 4 , 3 -- 1 ( Greg Rusedski was retired ) 0 +""" The Crow "" by Alex Proyas ( 1994 ) became the first independent comic - superhero - film that established a franchise ." "Alex Proyas ' "" The Crow "" ( 1994 ) became the first independent comics superhero film that established a franchise ." 1 +Reneri mainly taught scholastic logic and natural philosophy . Reneri taught mainly scholastic logic and natural philosophy . 1 +In 1954 , André-Georges Haudricourt resolved this paradox by demonstrating that Austroasiatic tones corresponded to certain final consonants in atonal ( Vietnamese ) other languages . In 1954 , André-Georges Haudricourt solved this paradox by demonstrating that Austroasiatic tones corresponded to certain final consonants in atonal ( Vietnamese ) other languages . 1 +Pepsi Next was first introduced in Finland and Canada in March 2013 , and in France in March 2014 . Pepsi Next was established in March 2013 in France and in March 2014 in Finland and Canada . 0 +The canopy was destroyed in September 1938 by the New England Hurricane in 1938 , but the station was repaired . The canopy was destroyed in September 1938 by the 1938 New England hurricane ; the station was damaged but repaired . 0 +"The single hardcover "" Definitive Edition "" was also published :" "Also the Definitive hardcover , "" single Edition "" was published ." 0 +The Comina River is a tributary of the Slănic River in Romania . The Slănic River is a tributary of the River Comina in Romania . 0 +Field 's is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . Field is the second largest shopping centre in Denmark and one of the largest in Scandinavia . 1 +The design was then modified for use in the province with several buses originally ordered by First for use in Scotland . The design was then modified for provincial use with several buses ordered by First originally for use in Scotland . 1 +Constantine Giannaris , also Constantinos Giannaris ( born 1959 in Athens ) , is a Greek director , screenwriter and actor . Constantine Giannaris ( born 1959 in Athens ) is a Greek film director , screenwriter , and actor . 1 +In October 2007 , he signed on to play for three years with SANFL in the West Adelaide Football Club . In October 2007 , he signed with SANFL in the West Adelaide Football Club for three years . 1 +Neyab ( also romanized as Neyāb ) is a village in the district of Safiabad , Bam and Safiabad , Esfarayen County , North - Khorasan - Province , Iran . Neyab ( also Romanized as Neyāb ) is a village in Safiabad Rural District , Bam and Safiabad District , Esfarayen County , North Khorasan Province , Iran . 1 +Scott Martin is currently the Australian and Oceania record holder with a throw of 21.26 metres in the Melbourne leg of the World Athletics Tour meeting in February 2008 . Scott Martin is currently the Australian and Melbourne record holder with a litter of 21.26 meters in the Oceania leg of the World Athletics Tour meeting in February 2008 . 0 +Theodosius died 395 in Constantinople and was buried in Milan . Theodosius died in Constantinople in 395 , and was buried in Milan . 1 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy of Wong Jing written , produced and directed by . Men Suddenly in Love is a 2011 Hong Kong romantic comedy produced by Wong Jing , written and led by . 1 +Glenn McCoy illustrated the Legend of Spud Murphy by Eoin Colfer , published in 2004 . Eoin Colfer illustrated the Legend of Spud Murphy by Glenn McCoy which was published in 2004 . 0 +The first oil source in Indian territory was drilled in Atoka County , Choctaw Nation , Oklahoma in 1885 , although it was not completed until 1888 . The First Oil Well in Indian Territory was drilled in 1885 in Atoka County , Choctaw Nation , Oklahoma , though it was not completed until 1888 . 1 +In 1912 , Vickers had left Pratt to work for J. Samuel White in Cowes . Pratt had left Vickers in 1912 to work at J. Samuel White in Cowes . 0 +Humphrey , however , had supported McKeithen at the 1968 Democratic National Convention in Chicago . However , in 1968 , McKeithen Humphrey had supported the Democratic National Convention in Chicago . 0 +Christina is shocked and Wilhelmina does not believe . Wilhelmina is shocked and Christina does not believe . 0 +The study of quantification in formal languages is much more difficult than the corresponding problem for natural languages . The study of quantification in natural languages is much more difficult than the corresponding problem in formal languages . 0 +In the week before the first race , Barwa Addax - Pilot Dani Clos was replaced by Josef Král , Brendon Hartley replaced Jon Lancaster with Ocean Racing Technology . In the week before the first race , Barwa Addax driver Josef Král was replaced by Dani Clos . Brendon Hartley also replaced Ocean Racing Technology 's Jon Lancaster . 0 +Later he became local councils there and took most of the rulers of the north . Later he took local councils and became the most rulers of the north . 0 +Historically it became a Christian town , but it was partly inhabited by Shia . Historically , it was a Christian town , but it became partly inhabited by Shias . 0 +In November , the Royals CF Ramón Ramírez acquired the Boston Red Sox in exchange for RP Coco Crisp . In November , the Royals CF Coco Crisp acquired from Boston Red Sox in exchange for RP Ramón Ramírez . 0 +In 2010 , Hatherley joined the band of KT Tunstall , playing lead guitar and replacing Sam Lewis . In 2010 Hatherley joined KT Tunstall 's band , playing lead guitar and replacing Sam Lewis . 1 +The Brothers , who arrived in North America in 1837 and founded the first permanent community of De La Salle Brothers in Montreal . The brothers arrived in Montreal in 1837 and founded the first permanent community of De La Salle Brothers in North America . 0 +On 24 July the NH - electrification to New Rochelle began , on 5 August to Port Chester and on 6 October 1907 the rest of the route to Stamford . On 24 July the NH - electrification to New Rochelle began , on 5 August to Stamford and on 6 October 1907 the rest of the route to Port Chester . 0 +The active members of former MDU and ABL were arrested by the police , such as John Eber and Dr Joseph K.M . The active members of the former MDU and ABL were arrested by the police , as John Eber and Dr. Joseph K.M . 1 +The 1999-2000 season of the Segunda Divisão de Honra was the 66th season of the competition , and the second season of the recognised tenth football in Portugal . The 1999 - 2000 Segunda Divisão de Honra season was the 66th season of the competition , and the second season of recognised 10th-tier football in Portugal . 1 +"On 9 July , during their fifth line period , LCDR John B. Nichols "" Ticonderoga "" first MiG - Kill claimed ." "On 9 July , during her fifth line period , LCDR John B. Nichols claimed "" Ticonderoga "" s first MiG kill ." 1 +After the season , he , Rick Anderson , Juan Beníquez and Jerry Narron were traded for Ruppert Jones and Jim Lewis in the Seattle Mariners . After the season , he , Rick Anderson , Juan Beníquez and Jerry Narron were traded to the Seattle Mariners for Ruppert Jones and Jim Lewis . 1 +Mowbray Park , a public riverside park , was until the 1930s , the site of a large swimming pool built into the river . The Mowbray Park , a public river park , was the site of a large swimming pool built into the river until the 1930s . 1 +Zorina was the grandmother of the sisters Lizzie ( Elizabeth ) , Katherine and Kristina Lieberson , who are members of the band TEEN . Zorina was the grandmother of sisters Lizzie ( Elizabeth ) , Katherine and Kristina Lieberson , who are now members of the band TEEN . 1 +The Fighter Escadrille was at the beginning of the Second World War a unit of the Polish Air Force , which was attached to the Łódź army . At the beginning of the Second World War , the Fighter Escadrille was a unit of the Łódź army , which was attached to the Polish Air Force . 0 +Kanu 1 ( figure 3 ) is the largest in the cluster ( 3 m wide × 1 m long × 0.5 m depth ) . Canoe 1 ( figure 3 ) is the largest in the cluster ( 3 m long × 1 m wide × 0.5 m deep ) . 0 +The company built in Eskisehir a hotel in Turkey and a paper factory in Kazakhstan . In Turkey , the company built a hotel in Eskisehir and a paper mill in Kazakhstan . 0 +Born and raised in Dore , Joe Joe Root was also born from Yorkshire and currently England 's rising cricket star , now Captain of England . Born and raised in Dore , Joe Joe Root was also born from Yorkshire and now England 's rising cricket star , currently Captain of England . 1 +The river Fădimac is a tributary of the Bega River in Romania . The Fădimac River is a tributary of the Bega River in Romania . 1 +"Mark ( "" The beginning of the gospel of Jesus Christ , the Son of God "" ) identifies Jesus as both Christ and the Son of God ." "Jesus ( "" The beginning of the gospel of Jesus Christ , the Son of God "" ) identifies Markus as Christ and as the Son of God ." 0 +The exterior colors are red , black , silver , cool vanilla and dark titanium . Exterior colors are red , black , silver , cool vanilla , and dark titanium . 1 +Lyon County is a lake in Rock Lake , in the US state of Minnesota . Rock Lake is a lake in County Lyon , in the U.S. state of Minnesota . 0 +The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to form the Lucknow -- Bareilly Railway on 1 January 1891 . The Lucknow -- Lucknow -- Seramow Provincial State Railway merged with the Sitapur -- Pilibheet Provincial State Railway to the Bareilly -- Bareilly Railway on 1 January 1891 . 0 +Sigmatel was sold to Freescale Semiconductor later . Later on , Freescale Semiconductor was sold to Sigmatel . 0 +The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . Bergamo railway station is connected with regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . 1 +Bharri is a village situated in the northeastern Katihar district of Bihar . Bharri is a village in the northeastern Bihar district of Katihar . 0 +David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk on 15 March 1886 . Wladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . 0 +It reopened again a few years later but soon failed again . A few years later it failed again , but soon opened again . 0 +The Madang languages are a family of languages in the New Guinea stock of Rai Coast . The Madang languages are a family of languages in New Guinea - condition of the Rai - coast . 1 +Chris Blackwell , the mother of Blackwell , was one of the greatest landowners in Saint Mary at the turn of the 20th century . One of the greatest landowners in Saint Mary at the turn of the 20th century was Blanche Blackwell , mother of Chris Blackwell . 0 +"This large distinctive fly has three pairs of white comma markings ( lunules ) on the abdomen , these are yellow on "" Scaeva selenitica "" ." "This large distinctive fly has three pairs of yellow comma - markings ( steady ) on the belly , these are white on "" Scaeva selenitica "" ." 0 +However the fact that an array of gases is averaged only allows the measurement of observed quantities . The fact that an array of gases is observed , however , allows only the measurement of averaged sizes . 0 +This species is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey , and Spain . This kind is regularly caught along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . 1 +Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting her for food . Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting her for dinner . 1 +In 2006 , Bozanga was appointed by President François Bozizé the chairman of the Council of State . In 2006 , François Bozizé was appointed by President Bozanga as Chairman of the Council of State . 0 +""" Sex with Me "" was mixed by Manny Marroquin at Larrabee Studios in Universal City , California and supported by Chris Galland and Ike Schultz ." """ Sex with Me "" was supported by Chris Galland at Larrabee Studios in Universal City , California , and was mixed by Manny Marroquin and Ike Schultz ." 0 +Red and white wine , liqueur wine , brandy and a sweet and dry wine called Angelica were all produced from mission grapes . Red and white wine , sweet and dry wine , wine brandy and a reinforced wine called Angelica were all produced from mission grapes . 1 +The network previously repeated a translator in Waterbury , W12BH ( channel 12 ) , which directly operated WEDY . The network previously repeated a translator in Waterbury , W12BH ( Channel 12 ) , which operates WEDY directly . 1 +In the Adams division , the Buffalo Sabres have never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens have missed only two occasions . In the Adams Division , the Boston Bruins and Montreal Canadiens never missed the playoffs in this format , while the Buffalo Sabres only missed twice . 0 +He represented the country at UEFA Euro in 1968 , when Yugoslavia lost in the final to Italy . He represented the country at UEFA Euro in 1968 , when Italy lost in the final to Yugoslavia . 0 +On 23 January 2018 , funimation licensed the series in North America and released the first Blu - ray and DVD set . On 23 January 2018 , Funimation released the series in North America and licensed the first Blu - ray and DVD set . 0 +( Formula 26 are normal vectors at the intersection points . Your product in Formula 27 is scalar . ) ( formula 26 are normal vectors at the intersection points . Their formula 27 product is scalar . ) 1 +In 1811 John murdered his half-brother Thomas . John murdered his half-brother Thomas in 1811 . 1 +Bradykinin receptor B is a G-protein coupled receptor for bradykinin , encoded by the BDKRB2 gene in humans . Bradykinin - Receptor B is a G-protein - coupled receptor for Bradykinin , which is encoded in humans by the BDKRB2 - Gene . 1 +For the first time since 1956 , the Eastern Conference Finals had neither the Celtics nor Knicks participating . For the first time since 1956 , the Eastern Conference Finals had neither the Celtics nor the Knicks involved . 1 +He is The Creator Spirit , present before the creation of the universe and through his power everything was made in God , by Jesus Christ the Father . He is the Spirit of Creation , currently before the creation of the universe , and through his power everything in Jesus Christ was made by God the Father . 0 +On December 30 , 1888 , Susie married Clarke Brown in Ayer , Massachusetts . Brown married Susie J. Clarke in Ayer , Massachusetts , on December 30 , 1888 . 1 +"In the only codes is the Tiberian masoretic "" Parasha "" , found in Ruth , for the short chronology at the end of the book ." "In the only codices , the Tiberian masoretic "" parashah "" , found in Ruth is for the short chronology at the end of the book ." 1 +"He trained at the prestigious Sheridan College in Canada under the direction of renowned illustrators such as Joe Morse , Gary Taxali , Christoph Niemann "" and Kathryn Adams ." "He trained at Canada 's prestigious Sheridan College under the tutelage of such renowned illustrators as Joe Morse , Gary Taxali , "" Christoph Niemann "" and Kathryn Adams ." 1 +She reached Melbourne on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Sydney . She reached Sydney on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . 0 +In the great Freedom Movement , he came close to Indian Congress leaders like Rajagopalachari , Tanguturi Prakasam and Bulusu Sambamurthi . In the Indian freedom movement he came to great congress leaders like Rajagopalachari , Tanguturi Prakasam , and Bulusu Sambamurthi . 0 +Glen Sheil was born in Sydney and moved to Queensland at a young age . Glen Sheil was born in Queensland and moved to Sydney from a young age . 0 +Lebilaango is a town in the central Somalia region of Hiran . Lebilaango is a town in the central region of Somalia of Hiran . 1 +Seremban is part of the Nilai constituency of the Dewan Rakyat of the Malaysian Parliament , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . Seremban is part of the Nilai constituency of the Malaysian Parliament 's Dewan Rakyat , currently represented by Anthony Loke Siew Fook of the Democratic Action Party . 1 +Kym Johnson , Keo Motsepe , Lindsay Arnold , Sharna Burgess and Sasha Farber consisted of the team . Dancing With The Stars team consisted of : Lindsay Arnold , Sharna Burgess , Keo Motsepe , Kym Johnson , and Sasha Farber . 0 +"The first name was given after the fall of Saigon in 1975 , and H "" unk "" Chí Minh , the current leader of North Vietnam , honors ." The first name was given after the Fall of Saigon in 1975 , and honors Hồ Chí Minh , the current leader of North Vietnam . 1 +It was designed by the Eurocom Entertainment Software and was published by Taxan . It was developed by Taxan and published by Eurocom Entertainment Software . 0 +It is found the Midlands Province , in the central Zimbabwe . It is found in the Zimbabwe , the central Midlands Province . 0 +The taungya also meant that after a few years the British or their agents would return to the newly planted areas to harvest the previously cut teak wood . Taungya also meant that the British or their agents would return to the newly planted areas after some years to harvest the previously cut teak . 1 +Mueller won his first World Series of Poker bracelet and $ 194,909 only 11 days after his second in a $ 1,500 Limit Hold'em Shootout event . Only 11 days after his first in a $ 1,500 Limit Hold ' ; em Shootout Event Mueller won his second World Series of Poker bracelet and $ 194,909 . 0 +In 2005 , Toshiaki Imai was assistant of Chen , then manager of the Chinese Taipei national team appointed . In 2005 , Chen was appointed assistant of Toshiaki Imai , then manager of the Chinese national team Taipei . 0 +On the first day both bands recorded music , and the second day was dedicated to singing and mixing . On the second day both bands recorded music , and the first day was dedicated to vocals and mixing . 0 +Rod Lyne married Amanda Mary Smith in 1969 . In 1969 , Rod married Amanda Mary Smith . 1 +AB InBev remains the largest brewery in second place with Heineken International and SABMiller is third . AB InBev remains the largest brewery , second with SABMiller and Heineken International in third place . 0 +In 2012 , he returned to Canada to play with London City in the Canadian Soccer League.He went to Serbia to play with Srem Jakovo , and Jedinstvo Surčin . He returned to Canada in 2012 to play with London City in the Canadian Soccer League , where he went to Serbia to play with Srem Jakovo and Jedinstvo Surčin . 1 +Portersville is located near the western border of Butler County at ( 40.925285 , -80.144229 ) . Portersville is located near the western border of Butler County ( 40.925285 , -80.144229 ) . 1 +The rank structures of the three elements of the Navy League Cadet Corps and the Canadian Cadet Organizations ( Canada ) are comparatively as follows : The rank structures of the three elements of the Navy League Cadet Corps and the Canadian Cadet Organizations ( Canada ) are as follows , comparatively : 1 +All the rooms were stormed and the meeting tent was destroyed , as were statues and crucifixes in the small church . All rooms were destroyed and the meeting tent was stormed , as were statues and crucifixes in the small church . 0 +"In 1960 , Glenville also directed Robert Anderson on Broadway in "" Silent Night , Lonely Night "" by Barbara Bel Geddes and Henry Fonda ." "In 1960 , Glenville also staged Barbara Bel Geddes and Henry Fonda at Broadway in "" Silent Night , lonely night "" by Robert Anderson ." 0 +Jack Jack Cross was a comic series written by Warren Ellis and drawn by Gary Erskine . It was first published in 2005 by DC Comics . Jack Cross was a comic book series written by Warren Ellis and drawn by Gary Erskine . It was first published by DC Comics in 2005 . 1 +It will pass Toa Payoh Rise , Thomson Road and Bukit Timah Road , run parallel to the Central Expressway . It will pass Toa Payoh Rise , join Thomson Road and Bukit Timah Road running parallel to the Central Expressway . 1 +Most of Nyack 's local music scene is based in Rockland County . Most of Nyack 's local music scene is in Rockland County . 1 +Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was proved on 29 March in London . Warrington died in London on February 10 , 1906 , and his will was proven on March 29 in Brentford , Middlesex . 0 +Reena calls Anjali , a BNTV reporter in the base camp Everest and Arjun 's former lover . Anjali calls Reena , a BNTV reporter in Everest base camp and Arjun 's former lover . 0 +At the Larne general elections in 1929 , Pringle stood as a local option candidate in Northern Ireland , but was not elected . In the 1929 general election in Northern Ireland , Pringle stood as a candidate for the local option at Larne , but was not elected . 0 +However , the Tang did not proceed any further after the battle , and the Arabs retained their Central Asian territories until the An Lushan rebellion . The Arabs , however , did not proceed after the battle , and the Tang retained their Central Asian territories until the rebellion in An Lushan . 0 +The wizard Merlin had Kay brought up by the knight Sir Ector and his son Arthur . The wizard Merlin had Arthur educated by the knight Sir Ector and his son Kay . 0 +Xylophanes porcus ( porcus sphinx ) is a moth of the Sphingidae family that is found from Florida south to Bolivia . Xylophanes porcus ( porcus sphinx ) is a moth of the family Sphingidae . It is found from Florida south to Bolivia . 1 +She married Antonio Bourque and lived in Moncton first before returning to the Villa Providence in Shediac . She married Antonio Bourque and first lived in Shediac before retiring to the Villa Providence in Moncton . 0 +Private Aqua Cycling is a fitness concept that combines active training with underwater – balneotherapy in private rooms . Private Aqua Cycling is a fitness concept that combines active workout with underwater balneotherapy in private rooms . 1 +""" Myles C. Fox "" reached Yokosuka on September 23 and left San Diego on October 8 ." """ Myles C. Fox "" departed Yokosuka on 23 September and reached San Diego on 8 October ." 0 +The work is dedicated to Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis and is published by Sikorski . The work is dedicated to Sikorski . It is published by Gidon Kremer , Tatiana Grindenko and Saulius Sondeckis . 0 +The second section deals with a conversation between the Khan and his son , Ogdai , after the Battle of Samarkand . The second section deals with a conversation between Ogdai and his son Khan following the battle of Samarkand . 0 +The camp was handed over to the former Kenosha Council in 1951 , and it was sold when Racine and Kenosha - Councils merged in 1971 . The camp was sold to the former Kenosha Council in 1951 , and it was given when Racine and Kenosha Councils merged in 1971 . 0 +It also has black scales with a pale underside with dark stains . It also has black scales with a pale underside with dark spots . 1 +The director Amir Yatsiv and the film critic Larysa Malyukova discussed the rare genre of the animated documentary film . A film director Amir Yatsiv and film critic Larysa Malyukova discussed the rare genre of the animated documentary . 1 +He received a Green Room Award for male artists in a leading role for the latter . For the latter , he received a Green Room Award for male artist in a leading role . 1 +In addition to the German teaching programme , the official Mexican language was only taught as a foreign language . The official Mexican language was only taught as a foreign language in addition to the German teaching program . 1 +Udaan was official film to be part of Cannes ' first Indian section in seven years . Udaan was an official film to be part of the first Indian section of Cannes in seven years . 1 +Mats Wilander defeated Jimmy Arias , 4 -- 6 , 7 -- 5 , 6 -- 1 , 6 -- 3 Mats Wilander defeated Jimmy Arias , 4 -- 6 , 7 -- 5 , 6 - 1 , 6 -- 3 . 1 +The optimum language up to this additive constant is therefore universal . The optimum language up to this universal constant is therefore additive . 0 +These are the known open protocol specifications , which cover the same or similar space as AMQP : These are the known same or similar protocol specifications that cover the open space as AMQP : 0 +Solomons was born in Thorpe Bay and with his four siblings in Orsett , Essex brought up by his mother and his father . Solomons was born in Orsett , Essex and with his four siblings in Thorpe Bay brought up by his mother and his father . 0 +Damerham was once in Wiltshire , but was transferred in 1895 to Hampshire . Damerham once was in Hampshire , but was moved to Wiltshire in 1895 . 0 +"Cortez played the female lead in "" Erminio Salvi and the Sacred Crown "" , directed by Ali Baba ." "The female lead role was played by Cortez in "" Ali Baba and the Sacred Crown "" , directed by Erminio Salvi ." 0 +The Final FESPIC Games had 18 venues for the Games , 9 in Selangor , 7 in Kuala Lumpur and each 1 in Putrajaya and Negeri Sembilan . The Final FESPIC Games had 18 venues for the games . 9 in Selangor , 7 in Kuala Lumpur and 1 each in Putrajaya and Negeri Sembilan respectively . 1 +The young strikers Pit Martin , Jack Norris and Gilles Marotte sent to Boston in exchange for Phil Esposito , Ken Hodge and Fred Stanfield . Chicago sent young forwards Phil Esposito , Ken Hodge and Fred Stanfield to Boston in exchange for Pit Martin , Jack Norris and Gilles Marotte . 0 +The route currently has three filling stations , at Mawley Oak ( the B4202 junction ) , in Cleobury Mortimer , and at Foxwood near Doddington . The route currently has three filling stations , in Mawley Oak ( the B4202 junction ) , in Cleobury Mortimer and in Foxwood near Doddington . 1 +Bellingsgate Island , also sometimes known as Billingsgate Island , was an island off Cape Cod in Massachusetts in the United States . Billingsgate Island , also known as Bellingsgate Island , was an island off Cape Cod in Massachusetts in the United States . 1 +The show , previously held in the city of Christchurch , moved to Auckland in 2008 to Hagley Park . Previously held in the city of Christchurch , the show moved to Auckland at Hagley Park in 2008 . 1 +This is that Lisp means homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of the language itself . That is , Lisp means homoiconic , that is , the primary representation of programs is also a data structure in a primitive type of the language itself . 1 +By a majority of 69.18 % , the Greeks decided against a parliamentary monarchy and for a constitutional republic . The Greeks decided by a 69.18 % majority against a parliamentary monarchy and for a constitutional republic . 1 +The instruments of Embergher are unique , not only are the richness and abundance of tone remarkable , but also the intonation is perfect . "The instruments of Embergher are remarkable , not only the richness and fullness of tone are unequalled , but the intonation is also perfect """ 0 +In Caringbah there are three primary schools and a series of secondary schools . In Caringbah there are three secondary schools and a number of primary schools . 0 +The River Sic is a tributary of the Seolemai River in Romania . The Seolemai River is a tributary of the Sic River in Romania . 0 +Currently , the countries on the list are Iran , Syria , Sudan and North Korea . The countries currently on the list are Iran , North Korea , Sudan , and Syria . 1 +The next day Mariano and Zappi were rescued , the corpse of the Finn Malmgren was not found . Finn Malmgren was rescued the next day , the body of Mariano and Zappi were not found . 0 +In the application a statistic is determined from the experimental data , a probability of exceeding this statistic is calculated and probability is compared with a threshold value . In the application a statistic is calculated from the experimental data , a probability of exceeding this statistic is determined and probability is compared with a threshold value . 0 +These partnerships allow providers to remove user-embedded content from VK and substitute it with legal uploaded copies from the provider 's site . These partnerships allow providers to remove user-uploaded content from VK and replace it with legal embedded copies from the provider 's website . 0 +In 1992 , the Fighting 3-1-7 took part in humanitarian airlifts to Somalia ( Operation Provide Promise ) and Bosnia ( Operation Provide Relief ) . In 1992 the fighting 3-1-7 took part in humanitarian air transportations to Somalia ( Operation Provide Promise ) and Bosnia ( Operation Provide Relief ) . 1 +Every level , from the individual and local level to the national and global level , has its own essential function in a globalised world . Every level , from the individual and local , to the national and global , has its own , essential function in a globalised world . 1 +"Victoria S. Bull ( "" Victor "" ) was introduced in 2001 as Vicki ’ s sister , but has not been seen for many years ." "Victoria S. Bull ( "" Vicki "" ) was introduced as Victor 's sister in 2001 , but has not been seen for many years ." 0 +Dielectric elastomers ( DEs ) are intelligent material systems that produce large strains . Dielectric elastomers ( DEs ) are smart material systems that produce large strains . 1 +1544 : Earl of Hertford burns the town , including Holyrood Palace and Abbey 1544 : Earl of Holyrood Palace burns the city , including Hertford and Abbey . 0 +Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball licensed baseball simulation video game developed by Kush Games and published by 2K Sports . Major League Baseball 2K7 ( or MLB 2K7 ) is a Major League Baseball Licensed Baseball - Simulations - video game developed by Kush Games and published by 2K Sports . 1 +The work was released in 2003 in his fifth , it was concluded the release rush from the same year in August . The work was completed in his fifth in 2003 , it was released in August the Rush release from the same year . 0 +It is situated east of Oklahoma City and southeast of Ardmore . It is located east of Ardmore and southeast of Oklahoma City . 0 +Vickers had left Pratt in 1912 to work for J. Samuel White at Cowes . Pratt had left Vickers in 1912 to work at J. Samuel White in Cowes . 0 +Maredudd married Margaret Ferch Dafydd , daughter of Ieuan , Lord of Anglesey , and his wife Nest ferch Dafydd Fychan . Maredudd married Margaret ferch Dafydd , the daughter of Dafydd Fychan , Lord of Anglesey , and his wife , Nest ferch Ieuan . 0 +Andrée Island is an island lying in Recess Cove , Charlotte Bay , off the north coast of Eurydice Peninsula , Danco Coast on the Antarctic Peninsula . Andrée Island is an island in Recess Cove , Danco Coast , on the north coast of the Eurydice Peninsula , Charlotte Bay in the Antarctic Peninsula . 0 +Since the Viking Age , there has been conscription in Denmark , where a physical man of every 10th court had to serve the king . Conscription has been around in Denmark since the Viking Age , where 1 physical man of every 10th court had to serve the king . 1 +He moved to Texas in 1836 to near Nacogdoches . In 1836 he moved to Texas to be near Nacogdoches . 1 +Moreover , there are indigenous dialects spoken by many other Malay communities , such as Dayak and Iban . In addition , there are many other Malay dialects that are spoken by indigenous communities such as Dayak and Iban . 0 +He is married to Gordana , with whom he has a son , Dejan ( born 1990 ) and his daughter , Daniella ( born 1996 ) . He is married with Gordana , with whom he has a son , Daniella ( born 1990 ) and daughter , Dejan ( born 1996 ) . 0 +There were 65 members in the first year , 91 members at the end of the third year and 106 members for the second year . In the first year , there were 65 members , at the end of the second year , 91 members , and in the third year , 106 members . 0 +She studied voice with Raúl Quintanilla and later enrolled at the TV Azteca School ( CEFAC ) , where she studied with Carlos Fernández . She studied singing with Carlos Fernández and later enrolled in the TV Azteca School ( CEFAC ) where she studied with Raúl Quintanilla . 0 +Clayton is located on State Highway 75 , between Stanley ( northeast ) and Challis ( west ) . Clayton is located on the State Highway 75 , between Stanley ( northeast ) and Challis ( West ) . 1 +The wingspan is . The moth flies from July to August depending on the location . The wingspan flies , the motto is depending on the location from July to August . 0 +It is a traditional and historically Zapotec village . It is a Zapotec and an historically traditional village . 0 +Bagraj is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Bagraj is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . 1 +LaRoche was dismantled on September 1 , after being recalled to Triple-A Las Vegas . After being recalled to Triple-A Las Vegas , LaRoche was demoted on September 1 . 1 +On July 4 , 1968 , at Harper 's request , Smith resigned from the cabinet . On 4 July 1968 , at Smith 's request , Harper resigned from the cabinet . 0 +The 2005 Standards were adopted by the California Energy Commission on November 5 , 2003 , and approved by the Building Standards Commission on July 21 , 2004 . The standards of 2005 were adopted by the California Energy Commission on November 5 , 2003 and approved by the Building Standards Commission on July 21 , 2004 . 1 +The Simpsonville Mill is a historic pre-colonial mill complex in Columbia , Maryland , part of the Simpsonville , Maryland land development . The Simpsonville - Mill is a historic pre-colonial mill complex in Simpsonville , Maryland , part of Columbia , Maryland - land development . 0 +Patella swakopmundensis is a species of sea snail , a true limpet , a marine gastropod mollusk in the Patellidae family , one of the families of true limpets . Patella swakopmunden sis is a kind of sea snail , a true limpet , a true gastropod mollusk in the Patellidae family , one of the families of the marine limpets . 0 +Ultron was created by the writer Roy Thomas and the artist John Buscema . Ultron was created by writer John Buscema and artist Roy Thomas . 0 +In 1816 , King married Sarah Worthington , second daughter of Governor Thomas Worthington . In 1816 , King Sarah Worthington , the second daughter of Governor Thomas Worthington , was married . 0 +""" Holocaust "" , dedicated to Lincoln Park in November 1984 , was created by the sculptor George Segal ." """ Holocaust "" , created in November 1984 in the Lincoln Park , was dedicated by the sculptor George Segal ." 0 +Some have positive and some negative effects . Some have negative effects , some positive . 1 +Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a Belgian chemist and liberal politician from the Liberal Party . Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . 1 +""" Koi Hitoyo "" is a mid-tempo song composed and produced by Gorō Matsui and written by Tsugutoshi Gotō ." """ Koi Hitoyo "" is a mid-tempo song , composed and produced by Tsugutoshi Gotō , written by Goro Matsui ." 0 +Newark retreated to NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark returned to NAFBL , but withdrew by the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . 0 +Hjärup is , with its more than 4,250 inhabitants , the second largest locality in Sweden , Scania , Staffanstorp Municipality . Hjärup , with more than 4,250 inhabitants , is the second largest town in Sweden , Scania , Staffanstorp Municipality . 1 +Szabo 's method of sybilizing protection , however , was vulnerable to double attacks . Szabo 's method of double protection , however , was vulnerable to Sybil attacks . 0 +Malik married businessman Asad Bashir Khan Khattak in Dubai on December 25 , 2013 . Asad Bashir Khan Khattak married businessman Malik on 25 December 2013 in Dubai . 0 +"In October 1989 , Langland performed at the same theatre in "" Nuts ( Homage to Freud ) "" ." "In October 1989 , Freud performed in the same theatre 's "" Nuts ( Homage to Langland ) "" ." 0 +It contains many of the furnishings from the historic church , including its original pipe organ and the altarpiece by Berndt Godenhjelm . It contains many of the furnishings of the original church , including its historical pipe organ and the altarpiece by Berndt Godenhjelm . 0 +In 235 BC , after an attack on the state of Zhao , troops united from the states of Qin and Chu Wei attacked , but suffered a defeat . In 235 BC , after an attack on the state of Zhao , united troops from the states of Qin and Wei to attack Chu , however , defeat suffered . 0 +Mercy Lewis , known formally as Mercy Allen , was the child of Philip Lewis and Mary ( Cass ) Lewis . Mercy Allen , formally known as Mercy Lewis , was the child of Philip Lewis and Mary ( Cass ) Lewis . 0 +The Hyslop Farm was named after George Hyslop , who was hired by the founder of the Agronomy Department , Henry Scudder , when he opened the 1907 department . The Hyslop farm was named after Henry Scudder , who was employed by the founder of the Agronomy Department , George Hyslop , when he opened the department in 1907 . 0 +An electronic signature is intended to provide the signatory with a secure and accurate identification method to allow a seamless transaction . An electronic signature is intended to provide the signatory with a seamless identification method to provide a safe and accurate transaction . 0 +This is a list of the caves in Britain , including information about the largest and deepest caves in the United Kingdom . This is a list of caves in the UK , including information about the largest and deepest caves in the United Kingdom . 1 +In 1834 , after leaving the East India Company College , Frere was appointed a writer in the Mumbai ( today Bombay ) civil service . In 1834 , after leaving the East India Company College , Frere was appointed a civil servant writer in the Bombay ( today Mumbai ) . 0 +The father of Menachem Begin wrote a letter to Mervyn Paice asking him to spare his son 's life . The father of Menachem Begin wrote a letter to Mervyn Paice asking him to spare the life of his son . 1 +The SEBA also promotes the International Code of Territorial Nomenclature ( ICAN ) , a biogeographical system of standardized reference . SEBA also promotes the International Code of Area Nomenclature ( ICAN ) , a standardized system of biogeographical reference . 0 +His representative grandchildren , Hannah and Matt Smith have played great rugby for Scotland . His representative grandchildren , Hannah and Matt Smith , have played a great rugby for Scotland . 1 +As with the Army , the Navy has a single-track system , where officers from other Navy communities transfer over to Foreign Area Officer permanently . As with the navy , the army has a single-track system where officers from other naval communities permanently transfer to the Foreign Area Officer . 0 +The settlement Smicksburg is the third largest in Pennsylvania and the eleventh largest in the United States . The Smicksburg settlement is the eleventh largest in Pennsylvania , and the third largest in the U.S . 0 +"She also appears in "" , where a vision of Freddy and Jason causes her to meet with other Freddy survivors ." "She also appears in "" , where a vision of Freddy prompts her to meet with other survivors of Freddy and Jason ." 0 +A voltage is registered in these cells , which is induced electronically . In these cells , a voltage is induced , which is captured electronically . 0 +Bentley and carvings by Hugh Stannus , while the meeting room contains a decorative ceiling by Thomas Earp . Bentley and carvings by Hugh Stannus while the board room contains a decorative ceiling by Thomas Earp . 1 +Leudesius and Theuderic III fled to Baizieux with the royal treasure , where Leudesius overtook it and murdered Ebroin . Leudesius and Theuderich III fled to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . 0 +Tectona grandis is a hardwood tree that is native to much of South and Southeast Asia , including Myanmar . Teak , tectona grandis , is a hardwood tree native to much of Myanmar , including South and Southeast Asia . 0 +The Chinese encamped about 30 Li from Zhizhi 's fortress and the two sides exchanged rather hypocritical messages . The Chinese camped about 30 Li from Zhizhi 's fortress and the two sides exchanged rather hypocritical messages . 1 +This heavier radioactive isotope may be new depending on the chemical element ( stable or unstable ) . This new heavier isotope can be stable or unstable ( radioactive ) depending on the chemical element involved . 0 +Ferguson stayed in Monrovia until his death in 1916 in Liberia . Ferguson remained in Monrovia until his death , in Liberia in 1916 . 1 +Chakwal District , is a subdivision ( tehsil ) of Talagang Tehsil in the Punjab province of Pakistan . Talagang Tehsil , is a subdivision ( Tehsil ) of the district of Chakwal in the province of Punjab in Pakistan . 0 +The task of philosophy is to clarify the empirical relationships of logical phrases . The task of philosophy is to clarify the empirical relationships of logical propositions . 1 +History attracted widespread attention from the mainstream - media and social media . The story attracted widespread attention from the social media and the mainstream media . 1 +"This quote is often paraphrased as "" Alabama in the east , Pittsburgh in the west and Philadelphia in the middle "" ." This quote is often described as “ Philadelphia in the East , Pittsburgh in the West , and Alabama in the Middle . ” 0 +"According to Jon Uren , marketing director of Warner Music Europe , the song also had "" fantastic "" early support across Europe ." "According to Jon Uren , Marketing Director of Warner Music Europe , the song also had "" fantastic "" early support all over Europe ." 1 +Edward J. McKenna was a professional baseball player who played for the 1884 Union Association of the Washington Nationals in 32 games . Edward J. McKenna was a professional baseball player who played in 32 games for the 1884 Washington Nationals of the Union Association . 0 +The station was closed on 8 December 1890 and opened on 8 November 1969 and was demolished in 1971 . The station opened December 8 , 1890 , closed November 8 , 1969 , and was demolished in 1971 . 0 +She was a Fulbright scholar and has written or co-authored numerous books on insolvency , contract law , and commercial and corporate law . She was a Fulbright fellow and has authored or co-authored numerous books on insolvency , contract law , and commercial and corporate law . 1 +Shiva wanted to see Rama , but Sati was in the dark that Rama was a God manifestation . Shiva wanted to see Rama , but Sati was in the dark that Rama was a manifestation of God . 1 +In 2004 , Zac Posen invested in the high-end label Sean John . Zac Posen invested in 2004 in the high-end label Sean John . 1 +Jason Kubler won the title by defeating Radu Albot 6 -- 4 , 6 -- 1 in the final . Jason Kubler won the title by defeating Radu Albot in the final with 6 : 4 , 6 : 1 . 1 +His troops were , however , sufficient to prevent a Serbian invasion , and he led the Serbian delegation that negotiated with the Bulgarian king , Stefan Decanski . However his troops were enough to prevent a Serbian invasion and he led the Bulgarian delegation which negotiated with the Serbian King Stefan Decanski . 0 +Tousignant served in the 31st and 32nd Canadian Parliament before being defeated by Gabriel Desjardins of the Progressive Conservative Party in 1984 . Tousignant served in the 31st and 32nd Canadian Parliaments before being defeated in the 1984 election by Gabriel Desjardins of the Progressive Conservative party . 1 +Younger brother of Hasse Walli was Petri Walli of Kingston Wall . Hasse Walli 's younger brother was Petri Walli of Kingston Wall . 1 +The Cooke and Wheatstone Telegraph was an early electric telegraph system dating from the 1830s , invented by the English inventor Charles Wheatstone and the English scientist William Fothergill Cooke . The Cooke and Wheatstone Telegraph was an early electric telegraph system dating from the 1830s , invented by English inventor William Fothergill Cooke and English scientist Charles Wheatstone . 0 +The date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - was set on 27 October 1659 . The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson , and Mary Dyer - was October 27 , 1659 . 1 +The square was opened on 2 July 2013 by President Alexander Lukashenko and Laos President Choummaly Sayasone during a ceremony at the square . The Square was opened by President Choummaly Sayasone and Lao President Alexander Lukashenko on July 2 , 2013 , during a ceremony on the square . 0 +He then became Associate Director of the Strategic Planning Group of BPI Capital Corporation and Ayala Corporation ’ s Vice President and Chief Legal Counsel . He then became Associate Director of the Strategic Planning Group of Ayala Corporation and Vice President and Chief Legal Counsel of BPI Capital Corporation . 0 +Warrington died in London on 10 February 1906 , and his will was proven on 29 March in Brentford , Middlesex . Warrington died on 10 February 1906 in Brentford , Middlesex , and his will was proved on 29 March in London . 0 +When Samuel Herrick arrived in the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with sections to secure boats . When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . 1 +Unitrends also produces virtual appliances for VMware and Hyper-V marketed as Unitrends Backup . VMware also produces virtual appliances for Unitrends and Hyper-V , which are marketed as Unitrends Backup . 0 +It also uses 4 symbols for labialized Velar consonants , the variants of the non-labialized velar consonants are : It also uses 4 symbols for labialized velar consonants , which are variants of the non-labialized velar consonants : 1 +Before going to Palestine , her family was originally from Acre , Lebanon . Before travelling to Palestine , her family was originally from Acre , Lebanon . 1 +Born in Hamilton , Ontario , McSorley professionally played in smaller leagues in North America , some time in the IHL , AHL and ECHL . Born in Hamilton , Ontario , McSorley played professionally in minor leagues in North America , spending some time in the ECHL , AHL and IHL . 1 +Christine was hopeful that her son Walter might still be alive after her first interview with Gordon Stewart Northcott . Christine Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . 0 +Jhalda I forms a community development block that is an administrative division in Purulia Sadar West subdivision of Purulia district in the Indian state of West Bengal . Jhalda I is a community development bloc that forms an administrative department in Purulia Sadar West Subdivision of the Purulia district in the Indian state of West Bengal . 0 +Richard D. Sears defeated Godfrey M. Brinley 6 -- 3 , 4 -- 6 , 6 -- 0 , 6 -- 3 Godfrey M. Brinley defeated Richard D. Sears with 6 -- 3 , 4 -- 6 , 6 -- 0 , 6 -- 3 . 0 +The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +He represented the country at UEFA Euro in 1968 , when Italy lost to Yugoslavia in the final . He represented the country at UEFA Euro 1968 , as Italy lost to Yugoslavia in the final . 1 +The Indus cities are noted for their elaborate planning , baked brick houses , urban drainage systems , water supply systems , and clusters of large non-residential buildings . The Indus cities are renowned for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and collections of large non-residential buildings . 0 +"The former actor Conlan Carter , who appeared in the TV series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! """ "The former actor James Whitmore , who appeared on the television series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! """ 0 +According to the 1885 Dictionary of National Biography , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . After the 1885 Dictionary of National Biography , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his followers . 0 +In the later stages of the war , the Francoist troops reached the Andorran border . Andorran troops reached the Francoist border in the later stages of the war . 0 +"In 51 BC , Julius Caesar returned to Gallia , where he was again "" Legatus "" for Vatinius ." "Vatinius returned to Gaul in 51 BC where he was again a "" legatus "" for Julius Caesar ." 0 +Carter has two younger brothers : Trevor , who is also a perspective in the Nationals organization , and Spencer , who is playing baseball at the University of Georgia . Carter has two younger brothers : Trevor , who is also a prospect in the Nationals organization , and Spencer , who plays baseball at the University of Georgia . 1 +"Griffith asked him when he should declare , Smith said "" Now ! """ "Griffith asked him when he should declare , said Smith "" Now ! "" Now !" 1 +In the third film , the fat lady of Elizabeth Spriggs is played , and by Dawn French in the first film . In the first movie , the Fat Lady is played by Elizabeth Spriggs , in the third film by Dawn French . 0 +They finished the season 10 -- 2 OVC and 7 -- 0 in overall play to win the conference championship . They finished the season 10 -- 2 total and 7 -- 0 play in OVC to win the conference championship . 0 +Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) , known as Enrique Ponce , is a famous Spanish bullfighter . Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) , also known as Alfonso Enrique Ponce Martínez , is a famous Spanish bullfighter . 1 +Ayalathe Adheham is a 1992 suspense Malayalam film directed by Rajasenan and written by Sasidharan Arattuvazhi . Ayalathe Adheham is a Suspense Malayalam film staged by Rajasenan in 1992 and written by Sasidharan Arattuvazhi . 1 +As a child , Beatrice met Campbell on Edie Martyn ( Jonathan Dakers ) . Jonathan Dakers met Edie Martyn as a child ( Beatrice Campbell ) . 0 +The trail starts in Bamfield near the Barkley Sound and runs south to Port Renfrew at Port San Juan Bay . The trail starts at Bamfield near Barkley Sound and runs south to Port Renfrew on Port San Juan Bay . 1 +The city is located to the northeast of Gaza - town and Mediterranean , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located to the south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 0 +He moved to Macau , joined the Jesuit North and died in 1737 as a martyr in Vietnam . He was transferred to Vietnam , joined the Jesuit Order and died in Macau in 1737 as a martyr . 0 +According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave its promos to Anarquia . According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , TNA gave the promos to Anarquia . 0 +Aleksandra Piłsudska ( Suwałki , December 12 , 1882 - London , 31 March 1963 ) , born Szczerbińska , was the second wife of Józef Piłsudski . Józef Piłsudski ( Suwałki , 12 December 1882 - London , 31 March 1963 ) , née Szczerbińska , was the second wife of Aleksandra Piłsudska . 0 +My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Maria Ehrich , Martin Lindow and Christine Newbauer . My brother is a dog is a film directed by Peter Timm and Christine Newbauer , Martin Lindow and Maria Ehrich from 2004 . 0 +It consists of two parts , Zemendorf and Stöttera , both on the Wulka river downstream from Pöttelsdorf and upstream of Antau . It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka downstream from Pöttelsdorf and upstream from Antau . 1 +Earl of Selkirk is a title in the Peerage of Scotland , whose descent is subject to unique ( and unusual ) provisions . Earl of Selkirk is a title in the Peerage of Scotland . Its descent is subject to unique ( and unusual ) provisions . 1 +1843 : China : Seafarers and marines from the canton were landed at the trading station in St. Louis after a clash between Americans and Chinese . 1843 : China : Sailors and Marines from St. Louis were landed at the Canton trading station after a clash between Americans and Chinese . 0 +When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Teramo Diocese . When , in 1818 , Ortona was joined to Lanciano , Campli was assigned to the diocese of Teramo . 0 +Fort Mason was reoccupied by federal troops on March 29 , 1861 , and evacuated after the Civil War until 1869 . On March 29 , 1861 , the Fort Fort Mason was cleared by federal troops and reoccupied after the Civil War until 1869 . 0 +After four years it moved to Jacopo Sandri 's house , which had more space , and in 1705 moved again to the palazzo of Conte Luigi Ferdinando Marsigli . After four years it moved to the house of Conte Luigi Ferdinando Marsigli , who had more space , and moved again to the Palazzo of Jacopo Sandri in 1705 . 0 +It travels a distance of 112 km from Vizag to Araku . It travels for a distance of 112 km from Vizag to Araku . 1 +There are four regular compact honeycombs in 3D hyperbolic space : There are four hyperbolic honeycombs in regular 3D space . 0 +( Formula 26 are normal vectors at the intersection points and their scalar product is Formula 27 ) ( Formula 26 are normal vectors at the intersection points ; their product is scalar in Formula 27 . ) 0 +"This culminated in a match on 18 March on "" Volume 48 "" , where Melissa defeated Knight to win the Shimmer Championship ." "This culminated in a match on 18 March on "" Volume 48 "" , where Melissa Knight defeated to win the glimmer - championship ." 1 +Notoacmea parviconoidea is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of the true limpets . Notoacmea parviconoidea is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 0 +Colus terraenovae is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . Colus terraenovae is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks marine . 0 +SV Lurup is a German association football club from the city of Hamburg in the federal state of the same name . The SV Lurup is a federal association football club from the city of Hamburg in the same named German state . 0 +According to the United States Census Bureau , Irvine is a total surface area of which land is and , or 5.13 % , has water . According to the United States Census Bureau , Irvine is a total area of , of which is land and , or 5.13 % , has water . 1 +Barbara Kwarc , known as Barbara Rogowska ( born June 19 , 1953 ) is a Polish comedian actress , comic and celebrity . Barbara Rogowska , better known as Barbara Kwarc ( born June 19 , 1953 ) , is a Polish actress , comic book and celebrity . 1 +Each process that wants to initiate a snapshot records its local status and sends a marker on each of its outgoing channels . Each process that wants to initiate a snapshot records its output status and sends a marker on each of its local channels . 0 +Morris Township is located on the 25th Congressional District and is part of the 11th State Legislative District in New Jersey . Morris Township is located in the 11th Congressional District and is part of the 25th State Legislative District of New Jersey . 0 +Burnside Township is limited to the northwest of Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . Snow Shoe Township is bordered by Burnside Township to the northwest , Clearfield County in the north , Curtin Township to the east and Clinton County to the southeast . 0 +Critical Millennium is a 2010 Graphic Novel , written by Andrew E. C. Gaska , published by Archaia Studios Press and illustrated by Daniel Dussault . Critical Millennium is a 2010 graphic novel published by Archaia Studios Press . It is written by Daniel Dussault and illustrated by Andrew E. C. Gaska . 0 +"Debbie Posner is the "" teacher and programme for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of primary school Hebrew and Jewish studies "" ." "Debbi Benn is the "" teacher and program for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of the elementary school for Hebrew and Jewish studies "" ." 0 +Castlebrae Community High School is a secondary school in the Greendykes area of Edinburgh . Castlebrae Community High School is a secondary school in the Greendykes district of Edinburgh . 1 +On the other hand , General De Gaulle was less impressed , read her recommendations , and rejected most of her reports only half . On the other hand , General De Gaulle was less impressed , rejected her recommendations and read only half most of her reports . 0 +The series was also produced with some success in Italy , where new stories were published in France even after the series ended . The series was also published with some success in France , where new stories were produced even after the closing of the series in Italy . 0 +From 1898 to 1902 , about 1,300 birds were imported from America and released from Southland to Northland in many parts of the North and South Islands . From 1898 to 1902 , around 1,300 birds were imported from America and released from Northland to Southland in many parts of the North and South Islands . 0 +Unfortunately , Tam has the ability to analyze and expertly manipulate people and situations . Unfortunately , Tam has the ability to analyze people and situations , and manipulate them expertly . 1 +The construction of a seed length of Formula 32 , which is optimal to constant factors . The construction of achieves a seed length of formula _ 32 , which is optimal up to constant factors . 1 +Cunningham Elementary School was selected by Governor Jim McGreevey in 2003 as one of 25 schools recognized statewide for the First Annual Governor 's School of Excellence award . Cunningham Elementary School was recognized in 2003 by Governor Jim McGreevey as one of 25 schools selected nationwide for the first annual Governor 's School of Excellence . 0 +He was born in Bad Kleinkirchheim an der Donau and died in Krems . He was born in Krems an der Donau and died in Bad Kleinkirchheim , Germany . 0 +This version of Hector Hammond is a xenobiology - professor , an old friend of Hal Jordan and the son of US senator Robert Hammond . This version of Hector Hammond is a xenobiology professor , an old friend of Hal Jordan and the son of United States senator Robert Hammond . 1 +It is sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . It has been effectively drunk in the brewer 's house , which then becomes a pub until all the beer is sold . 0 +Beaverton is a community in Brock Township in the Regional Municipality of Durham , Ontario , Canada . Brock Township is a municipality in Beaverton in the regional village of Durham , Ontario , Canada . 0 +Reidar Smestad ( May 8 , 1888 - June 29 , 1962 ) was a Norwegian industrialist , the son of Carl Smestad and grandson of Jacob Olssøn Smestad . Carl Smestad ( May 8 , 1888 - June 29 , 1962 ) was a Norwegian industrialist , the son of Reidar Smestad and grandson of Jacob Olsson Smestad . 0 +He meets Kekesfalva 's paralyzed daughter Edith and develops for her subtle affection and deep sympathy . He meets Kekesfalva 's paralyzing daughter Edith and develops deep affection and subtle compassion for her . 0 +Cloud9 is the native IDE for the BeagleBone Black Single Board Computer , which is primarily programmed in an extension of node.js named Bonescript . Cloud9 is the native IDE for the BeagleBone Black single board computer , which is primarily programmed in an extension of node.js called Bonescript . 1 +In December 1883 , he moved to Fresno and then Los Angeles for two years . In December 1883 he moved for two years to Los Angeles and then to Fresno . 0 +Former segments of the State Road 52 include Roth Lane , in Dade City , and North 21st Street and Lock Street in Saint Leo . Former segments of the State Road 52 , including Roth Lane , in Saint Leo , and North 21st Street and Lock Street in Dade City . 0 +Later , Nate reluctantly agrees that Ruth can stay for a few more days . Later , Ruth reluctantly agrees that Nate can stay a few more days . 0 +Elena Timina ( born 8 May 1969 ) is a Russian-born Dutch professional table tennis player . She was born in Moscow , Soviet Union . Elena Timina ( born May 8 , 1969 ) is a Russian - Dutch professional table tennis player , born in Moscow , Soviet Union . 1 +""" The Day the Violence Died "" is the eighteenth episode of "" The Simpsons "" seventh season ." """ The day when the violence died "" is the seventh episode of "" The Simpsons "" eighteenth season ." 0 +Rory Firth from his first marriage , Amy , Alex and James Firth from his second marriage , has been married three times and has four children . Three times married and has four children , Amy , Alex and James Firth from his first marriage , Rory Firth from his second . 0 +Ferguson remained in Monrovia until his death , in Liberia in 1916 . Ferguson remained in Monrovia until his death in 1968 , in 1916 in Liberia . 1 +Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 against Rafael Nadal and Bartolomé Salva-Vidal . Rafael Nadal won against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final with 6 -- 3 , 7 -- 6 . 0 +In January of 2001 , Mayer married Damian Smith . January 2001 married Damian Smith Mayer . 0 +"All local societies at the Pacific University are "" Greek "" , meaning that they are unique on the campus ." "All Greek societies at the Pacific University are "" local "" , meaning that they are unique on the campus ." 0 +Fabrizio asks his father and his brother , Giuseppe , to help him dress more for Clara . Fabrizio begs his father and his brother Giuseppe to help him dress more presentably for Clara . 1 +"Also the caterpillars of the Engrailed - Moth ( "" Ectropis crepuscularia "" ) , a polyphagic geometer - Moth , feed on Purple Loosestrife" "Caterpillars of the engrailed moth ( "" Ectropis crepuscularia "" ) , a polyphagous geometer moth , also feed on Purple Loosestrife ." 1 +Monmouth Junction was created as the crossroads of three branches of the railway , the New York division of Pennsylvania Railroad , the Rocky Hill and the Jamesburg and Freehold . Monmouth Junction was created as the junction of three rail branches , the New York division of the Pennsylvania Railroad , the Rocky Hill and the Jamesburg and Freehold . 1 +The high school school also serves students from four other sending communities : Alpha , Bloomsbury ( in the Greenwich Township and Lopatcong Township ) , Hunterdon County . The high school also serves students from four other sending communities : Alpha , Bloomsbury ( in Greenwich Township and Lopatcong Township ) , Hunterdon County . 1 +A swing is a resonant example of a simple system with which most people have practical experience . A swing set is a resonant example of a simple system with which most people have practical experience . 1 +In February 2007 , Barbara Fischinger performed at the Original Lumigraph in Amsterdam and in Frankfurt in 2012 . In February 2007 , Barbara Fischinger performed on the original Lumigraph in Amsterdam , and in 2012 in Frankfurt . 1 +In 2015 , Priya Pillai argued the case for Indira Jaising in the Green Peace India case . In 2015 , Indira Jaising she argued the case for Priya Pillai in the Green Peace India case . 0 +His son Tokugawa Ieyasu was adopted by Naotora , and became a feared general under Ii Naomasa , who is considered one of his Four Guardians . His son Ii Naomasa was adopted by Naotora and became under Tokugawa Ieyasu a dreaded general , who is considered one of his four watchmen . 0 +The transcontinental ferry ran to 42nd Street and for short time was a component of the main Lincoln Highway . The transcontinental ferry ran to 42nd Street and was for a short time a part of the main Lincoln Highway . 1 +Wagener made the design of this European porcelain , according to the Japanese taste many , with white and blue flowers . The design of this European porcelain , by the Japanese taste many , with white and blue flowers made Wagener . 1 +He ruled under Trujillo during the end of his era , and later served Duvalier in Haiti . He served at the end of his era under Trujillo and later ruled Duvalier in Haiti . 0 +The fortress was besieged again from 22 December 1813 until 14 April 1814 by Bavarian troops under the command of General Zoller before the French garrison surrendered . The fortress was once again besieged by French troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the Bavarian garrison capitulated . 0 +The following books were either written by Prior or are posthumous collections of magazine articles and unpublished papers that he wrote : The following books were either written by Prior , or are unpublished collections of journal articles and posthumous papers that he wrote : 0 +The Bega River is a tributary of the Fădimac River in Romania . The river Fădimac is a tributary of the Bega River in Romania . 0 +Turner was born in 1932 and played in the Brisbane Rugby League competition for Brisbane Norths and Redcliffe . He also coached Redcliffe in 1968 and 1969 . Turner was born in 1932 and played in the Brisbane Norths competition for Brisbane Rugby League and Redcliffe and also trained Redcliffe in 1968 and 1969 . 0 +In the United Kingdom , mescaline in dried powder form is a Class A drug . However , purified cactus can be bought and sold legally . In the United Kingdom , meskaline is a class A drug in purified powder form , but dried cactus can be bought and sold legally . 0 +Lars Elinderson , born 1949 , is a moderate politician of the Swedish party . Born in 1949 , Lars Elinderson is a Swedish politician from the Moderate Party . 0 +It is situated southwest of Burlington , Vermont , south of Plattsburgh , south of Montreal , Quebec and north of Albany . It is south west of Burlington , Vermont , south of Montreal , Quebec , south of Albany and north of Plattsburgh . 0 +Edward Digges became a merchant and emigrated to the Virginia colony ; his sister Elizabeth ( wife of Matthew ) and brother John Page also emigrated to Virginia . John Page became a merchant and emigrated to the Virginia colony , his sister Elizabeth ( wife of Edward Digges ) and his brother Matthew also migrated to Virginia . 0 +"Their son Brian Sims appeared with Tony on "" Taxi "" in two episodes as Marc ." "Her son Marc appeared in two episodes with Tony on "" Taxi "" as Brian Sims ." 0 +On Monday , April 4 , 2016 , route 4 was extended from Therapia Lane to Wimbledon . On Monday , 4 April 2016 , route 4 from Wimbledon to Therapia Lane was extended . 0 +The song was also used as a topic for the British remake of the American sitcom , The Inbetweeners . The Song was also used as the theme for the American remake of British sitcom , The Inbetweeners . 0 +This circuit is supposed to have appeared in the earliest evolution of the invertebrate brain and corresponds to the reptile brain of the triune - brain theory . This circuit is said to have appeared in the earliest evolution of the invertebrate brain and corresponds to the reptilian brain of triune brain theory . 1 +Bennett was previously in a relationship with fellow wrestler Alicia Fox , better known as Victoria Crawford . Previously , Bennett was in a relationship with wrestler Victoria Crawford , better known as Alicia Fox . 0 +Born in Pennsylvania , Pennypacker moved to New York City a little after the turn of the 20th century before moving to Southampton , New York on Long Island . Pennypacker , born in Southampton , New York , moved shortly after the turn of the twentieth century to Pennsylvania before moving to New York City on Long Island . 0 +Colonel Kenji Doihara , Lieutenant Colonel Kanji Ishiwara , Colonel Takayoshi Tanaka and Major Seishirō Itagaki had completed plans for the incident by 31 May 1931 . Until 31 May 1931 , Colonel Seishiro Itagaki , Lieutenant Colonel Kanji Ishiwara , Colonel Kenji Doihara , and Major Takayoshi Tanaka had completed plans for the incident . 0 +The evil Gabriela Rivero ( Teresa Rivas Gomez ) ends paralyzed and Virginia lets her stay in her house . The evil Teresa Rivas Gomez ( Gabriela Rivero ) ends up paralyzed and Virginia lets her stay in her house . 1 +The breeding takes place in Veracruz from May and in Yucatán between August and April . The breeding takes place in Yucatán from May and in Veracruz between August and April . 0 +"The CCA 's "" perceived lack of independence and politicized , opaque decision-making "" remains a strong issue ." "The "" perceived lack of independence and politicized , opaque decision-making "" of the CCA remains a strong issue ." 1 +Assuming that the structural relationships are causal , this background knowledge can be expressed in the following linear equation model ( SEM ) specification . Assuming that the causal relationships are linear , this background knowledge can be expressed in the following SEM specification ( Structural Equalization Model ) . 0 +This is a list of the etymology of street names in the London district of Covent Garden . This is a list of the etymology of street names in Covent Garden district of London . 0 +The following table lists all the games that the Brazilian national football team played in official competitions and friendly matches during 1986 . The following table lists all the games played by the Brazil national football team in friendly competitions , and official matches during 1986 . 0 +There were two solutions : increase the tension in the wire or reduce its mass per unit length . There were two solutions : reduce voltage in the wire or increase the mass per length unit . 0 +In May 2013 , the title track was a top Five single on the Texas Music Chart . The title track was a single-five top on the Texas Music chart in May 2013 . 0 +On April 17 at Lockdown , Hernandez defeated Morgan in a steel cage match to win the feud . Hernandez defeated Morgan on April 17 in Lockdown in a steel cage - Match to win the Feud . 1 +It is located 2 km west of Agios Stefanos and 20 km northeast of Athens city center . It is 2 km west of Agios Stefanos and 20 km northeast of Athens city centre . 1 +Has built and managed by Osamu and Yumiko Noda , graduates of Illinois State University , where they studied with Joel Philip Myers , a renowned glass art centre . Has a renowned glass art center , built and run by Osamu and Joel Philip Myers , graduates of Illinois State University , where they studied with Yumiko Noda . 0 +In 2014 election , Indian National Congress candidate Manas Madkami defeated Biju Janata Dal candidate Mala Madhi by a margin of 3,312 votes . In 2014 election , Biju Janata Dal candidate Manas Madkami Indian National Congress defeated candidate Mala Madhi with a margin of 3,312 votes . 0 +The Georgian government protested against the allegedly increasing Russian economic and political presence in the region and against the uncontrolled military of the South Ossetian side . The Georgian Government protested against the allegedly growing economic and political presence of Russia in the region and against the uncontrolled military on the South Ossetian side . 1 +Annie Young won the NCAA Division I individual championship in 2010 under new coach Caroline Hedwall . Annie Young won the individual championship of NCAA Division I under new trainer Caroline Hedwall in 2010 . 1 +The hamlet now called Jamesport was originally settled in the 1690s and first was called Aquebogue . The hamlet , now called Jamesport , was first inhabited in the 1690s and was originally called Aquebogue . 0 +The North Downs Way crosses the Medway Viaduct at the eastern end of the Medway Valley Walk or motorway bridge . The North Downs Way crosses Medway Valley Walk at the eastern end of the Medway Viaduct or the motorway bridge . 0 +DeWitt Clinton School is a Chicago Public School on the north side of Chicago , Illinois . Chicago Public School is a DeWitt Clinton School on the northern side of Chicago , Illinois . 0 +After the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan almost disappeared . After the Muslim invasions of the seventh century , the original Christians from actual Azerbaijan disappeared almost . 0 +Sebastián Decoud and Cristian Villagrán won the title by defeating Nicolás Lapentti and Eduardo Schwank 6 -- 4 , 6 -- 0 in the final . Sebastián Decoud and Cristian Villagrán won the title by defeating Nicolás Lapentti and Eduardo Schwank with 6 -- 4 , 6 -- 0 in the finals . 1 +There is a dramatic showdown , where Tom organizes a horse and rides in to vindicate Jack . There is a dramatic showdown where Tom rides a horse and organizes to defend Jack . 0 +It was formed by Olaf K. , Robert N. and Astrid M. in 1998 . It was founded in 1998 by Astrid M. , Robert N. and Olaf K.. 1 +In codice 5 the second file is codice 8 and in codice 4 is the second file codice 10 . In codice 4 is the second file codice 8 and in codice 5 the second file is codice 10 . 0 +Most of the eastern half of the city is relatively rural , while the western part of the city is more urbanized ( roughly Woodbury Point east ) . Much of the eastern half of the city is relatively rural , while the western part of the city ( roughly from Woodbury Point east ) is more urbanized . 1 +"The novel was translated into English by Roger Senhouse and published in 1953 ( with "" The Cat "" by Antonia White ) ." "The novella was translated into English by Antonia White and published ( with "" The Cat "" translated by Roger Senhouse ) in 1953 ." 0 +Nick Frangos ( born White Plains , New York ) is a professional poker player who plays in Atlantic City , New Jersey . Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays out of White Plains , New York . 0 +Later they moved to Khulna and lived there for a couple of years until they moved to Dhaka . Later they moved to Dhaka and lived there for a couple of years until they moved to Khulna . 0 +"It was described in 2015 as a new species within the new genus "" Gigantopelta "" and was classified in the Peltospiridae family ." "It was classified as a new kind in 2015 within the new genus "" Gigantopelta "" and was described within the Peltospiridae family ." 0 +They came to Russia from Poland in the eighteenth century , and their language includes Russian , German and Polish words . They came to Russia in the 18th century from Poland , and their language includes Polish , German , and Russian words . 1 +A brunch forum housed by Chris Wallace with presidential candidates , originally to be sponsored by the New Hampshire Republican Party , was planned for broadcast on Fox News . A brunch forum with presidential candidates sponsored by Chris Wallace , originally intended to be housed by the New Hampshire Republican Party , was planned to be broadcast on Fox News . 0 +""" Too Big to Fail "" -- Teleplay by Peter Gould , Based on the book "" Too Big to Fail "" by Andrew Ross Sorkin ; HBO" """ Too Big to Fail "" Teleplay by Andrew Ross Sorkin , based on the book "" Too Big to Fail "" of Peter Gould , HBO ." 0 +On the other hand , many Democrats welcomed industrialization , the Whigs feared . On the other hand , many democrats feared an industrialization that welcomed the whigs . 0 +The city is located in southern Columbia County and is bordered to the southeast by Schuylkill County . The municipality is situated in southern Schuylkill County and is bordered to the southeast by Columbia County . 0 +In the new group , Guy Watson of Love Song took over the drums and Ernie Earnshaw on the bass . Ernie Earnshaw , of Love Song took over on drums and Guy Watson on bass in the new group . 0 +It was named after Bennington , Vermont the first home of former settlers . The first home of the former settlers was named after Bennington , Vermont . 1 +"YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Sr "" unk "" to Todorović and Roze Poze guitarist Ivan Vdović appeared as guests on the EP ." "YU grupa guitarist Dragi Jelić , Ivan Vdović "" VD "" , Sr "" unk "" at Todorović and Roze Poze guitarist Željko Nikolić appeared as guests on the EP ." 0 +As Superintendent of Police , he served in Salem from 1982 to 1983 and Dharmapuri from 1983 to 1985 . As a superintendent of the police , he served in Dharmapuri from 1982 to 1983 , and from 1983 to 1985 in Salem . 0 +In 2004 , Bessonova won the around-all silver medal at the 2004 European Championships . At the European Championships in 2004 , Bessonova won the silver medal in 2004 . 1 +Mornington Cemetery is a cemetery serving the Mornington Peninsula area of Melbourne . Mornington Cemetery is a cemetery serving the Melbourne area of the Mornington Peninsula . 0 +Carolyne McCoy first married Darrell Fetty , who is a descendant of the famous feud families ( her mother was a Hatfield , her dad a McCoy ) . Darrell Fetty first married Carolyne McCoy , who is a descendant of the famous feuding families ( her mother was a Hatfield , her father a McCoy ) . 0 +The MSM model can be specified both in discrete and continuous time . The MSM model can be specified in both discrete time and continuous time . 1 +The rivalry between Tanahashi and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Devitt was victorious . The rivalry between Devitt and Tanahashi culminated on September 29 in a Lumberjack deathmatch at Destruction , where Tanahashi was winning . 0 +""" Eurybia radula "" is present in every province of Ontario east of and including Canada and is also present on the French territory of St. Pierre and Miquelon ." """ Eurybia radula "" is present in all provinces of Ontario east and including Canada and is also present on the French territory of St. Pierre and Miquelon ." 1 +Like rest of the area in Central Luzon , there are two seasons in the area , the wet season and dry season . Like the rest of the area in Central Luzon there are two seasons in the area , the dry season and the rainy season . 1 +At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Zhao ( Sima Wang 's cousin ) . At the time , Cao Mao was merely a puppet emperor , because the actual power was in the hands of Regent Sima Wang ( Sima Zhaos Cousin ) . 0 +If the user changes the password back to the encrypted password , EFS original files can be recovered . If the user changes the password to the original password , EFS - encrypted files can be restored . 0 +Air Niugini served her Boeing 707 from Auckland to Hong Kong via Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini operated their Boeing 707 from Auckland to Port Moresby via Hong Kong in a tripartite agreement with Air New Zealand and Cathay Pacific . 0 +At present the school has five junior and five senior Houses . At present the school has five senior citizens and five junior houses . 1 +The Cârlig river is a tributary of the river È orogari in Romania . The Șorogari River is a tributary of the Cârlig River in Romania . 0 +"He plays online poker at PokerStars under the username "" p10ker "" and at PartyPoker as "" MyimaTsarong "" and at Fulltilt Poker with his own name ." "He plays online poker at PokerStars under the username "" p10ker "" and at PartyPoker as "" MyimaTsarong "" and at Fulltilt Poker using his own name ." 1 +In the 72nd annual national invitation tournament there were three major East teams under the field of 32 : Georgetown , Notre Dame and Providence . In the 72nd annual National Invitation Tournament , there were three Big East teams among the field of 32 : Georgetown , Notre Dame , and Providence . 1 +Franklin Township was founded in 1855 and named after Franklin Township , Ripley County , Indiana , the home of an early settler . Franklin Township , Ripley County , Indiana was founded in 1855 and named after Franklin Township , the home of an early settler . 0 +A single egg weighs about and usually has 17 ribs , but sometimes 18 or rarer 16 . A single egg weighs about and usually has 17 ribs , but sometimes 18 or less often 16 . 1 +"Goldman wrote to historian Max Nettlau that the Haymarket affair had awakened the social consciousness of "" hundreds , perhaps thousands , of people "" ." "Goldman wrote to historian Max Nettlau that the Haymarket affair has awakened the social consciousness of "" hundreds , perhaps thousands of people "" ." 1 +As Brahmins , the Ojhas are ritual leaders , teachers , and members of the highest spiritual rank in the varna system of Hinduism . The Ojhas are ritual leaders , teachers and members of the highest spiritual rank as brahmans in the varna system of Hinduism . 1 +Udaan was official film to be in the first Indian section of Cannes in seven years . Udaan was first Indian film to be part of Cannes ' official section in seven years . 0 +It received condemnation from Indian politicians and various Internet users . It has received condemnation from various politicians and Indian Internet users . 0 +To find AIC in practice , we start with a set of candidate models , and then apply the models ' corresponding AIC values . To find AIC in practice , we begin with a set of candidate models and then apply the corresponding AIC values of the models . 1 +"Shayne Doyle said : "" I have invested a lot of money in sound equipment , I 've door people and sound people to pay ." Shayne Doyle said I have invested a lot of money in sound facilities , I have door to sound people and people pay . 0 +It was released on August 31 , 2004 in the United Kingdom and October 17 , 2005 in the United States . It was published in the United Kingdom on 31 August 2004 and in the United States on 17 October 2005 . 1 +Blackedge was teamed with Brad Nessler and sideline reporter Erin Andrews for the 2009 season , while Patrick is teamed with Craig James and sideline reporter Heather Cox . Blackedge was collaborating with Brad Nessler and Sideline Reporter Erin Andrews for the 2009 season , while Patrick collaborated with Craig James and Sideline Reporter Heather Cox . 1 +He received both his undergraduate bachelor 's degree and his first master 's degree from Abilene Christian University in the mid 1950s . He received both his first Bachelor 's degree and his Bachelor 's degree from Abilene Christian University in the mid 1950 's . 0 +The genre is today well established and incredibly diverse . Today , the genre is incredibly diverse and well established . 1 +He was twice married to Elizabeth Dettlaff and Annie Kowalkowski , and had three daughters . He was married twice , to Annie Kowalkowski and to Elizabeth Dettlaff , and had three daughters . 1 +Amata hyalota is a species of moth of the family Erebidae . It is found in Australia ( Queensland ) . Amata hyalota is a sort of moth of the family Erebidae It is found in Queensland ( Australia ) . 1 +The Central Inter State bus station is located opposite Thampanoor at Trivandrum Station . The Central Inter State bus station is located away at Trivandrum Central Railway Station , opposite Thampanoor . 1 +Abe Drexler ( Charlie Hofheimer ) calls Peggy ( Elisabeth Moss ) and insists on meeting her for dinner . Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting them for dinner . 1 +The film was produced by Columbia Pictures and Imagine Entertainment by Brian Grazer , daughter and father , as well as Bryce Dallas Howard and Ron Howard . The film was produced through Columbia Pictures and Imagine Entertainment by daughter and father Brian Grazer , as well as Bryce Dallas Howard and Ron Howard . 1 +Dhundalwadi is a village in the Dahanu district of Maharashtra , India . It is located in Palghar Taluka . Dhundalwadi is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . 1 +""" Myles C. Fox "" reached Yokosuka on September 23 and left San Diego on October 8 ." "On 23 September left Myles C. Fox "" Yokosuka and reached San Diego on 8 October ." 0 +Lusaghbyur ( formerly known as Lusakhpyur , also Agbulakh and Agbulag romanized ) is a city in the Lori province of Armenia . Lusaghbyur ( formerly romanized as Lusakhpyur , also Agbulakh and Agbulag ) is a town in the Lori Province of Armenia . 0 +For many problems it is more convenient to work with D and the total cost than with E and the free charge . In case of many problems it is more convenient to work with D and the free charges than with E and the total charge . 0 +For two years , Kokomo Jr. was used to present weather forecasts and to produce short sketches . For two years , Kokomo Jr. was used to present weather forecasts and perform short sketches . 1 +Abe Drexler ( Charlie Hofheimer ) calls Peggy ( Elisabeth Moss ) and insists on meeting them for dinner . Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting them for dinner . 1 +Pennsylvania Route 35 runs southeast along the base of Shade Mountain to Mifflin , and Pennsylvania Route 641 leads northeast over Tuscarora Mountain to Spring Run . The Pennsylvania Route 35 runs northeast along the base of the Shade Mountain to Mifflin , and the Pennsylvania Route 641 leads southeast over the Tuscarora Mountain to Spring Run . 0 +Two villages are located in Portage : a part of Jerry City in the south and part of Portage township in the northwest . Two villages are located in Portage : part of Jerry City in the south , and part of Portage Township in the northwest . 1 +In the narrative bracket , between the next and the current season , we found out , that Guido is dead due to a car accident . In the narrative , between the next and the current season , we found out that Guido is dead due to a car accident . 1 +Dragan Umičević ( born October 9 , 1984 in Dubica , SFR Yugoslavia ) is a Swedish hockey player of Serbian descent . Dragan Umičević ( born October 9 , 1984 in Dubica , Yugoslavia ) is a Serbian ice hockey player of Swedish origin . 0 +Indiana was also founder and director of Kerchoonz.com , a social networking site that was launched in 2009 and dissolved in 2011 . Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking site that was dissolved in 2009 and launched in 2011 . 0 +From 1516 , the Mundy family had the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . In 1516 , the Mundy family owned the manor house of Allestree until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . 0 +She was followed by Paul Gudgin ( 2000 -- 2007 ) , Jon Morgan ( 2007 -- 2008 ) , and Kath Mainland ( 2008-2015 ) . It was followed by Jon Morgan ( 2000 -- 2007 ) , Paul Gudgin ( 2007 -- 2008 ) and Kath Mainland ( 2008-2015 ) . 0 +In versions of the Renaissance , Ogier travels to the Avalon governed by King Arthur and eventually becomes Morgan le Fay 's Paramour . Ogier in versions of the Renaissance travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 's paramour . 0 +Besides Quintin , they had five children : Lucy , Phillip , Juan , Patrick and Willie . They had five children besides Quintin : Lucy , Phillip , Juan , Patrick and Willie . 1 +The difference between neutralizing antibodies and binding antibodies is that binding antibodies neutralize the biological effects of antigen , while the antibodies neutralize antigens . The difference between neutralizing antibodies and binding antibodies is that binding antibodies neutralize the biological effects of the antigen , while neutralizing antibodies flag antigens . 1 +Its minimum annual temperature is and its maximum annual temperature is , with May to October the hottest season . Its maximum annual temperature is and its minimal annual temperature is May to October the hottest season . 1 +Oliver Campbell defeated Fred Hovey 7 -- 5 , 3 -- 6 , 6 -- 3 , 7 -- 5 Fred Hovey defeated Oliver Campbell 7 -- 5 , 3 -- 6 , 6 -- 3 , 7 - 5 . 0 +The vesicular monoamine transporter ( VMAT ) is a transport protein integrated into the membrane of synaptic vesicles of presynaptic neurons . The Vesicular Monoamine Transporter ( VMAT ) is a transport protein that is integrated into the membrane of synaptic vesicles of presynaptic neurons . 1 +Brett Mahoney is a recurring character in the Marvel Cinematic Universe 's Netflix shows , where he is portrayed by Royce Johnson . Royce Johnson is a recurring character in the Netflix shows at Marvel Cinematic Universe , where he is presented by Brett Mahoney . 0 +Varwade is a village in Talasari district of Maharashtra , India It is located in the Palghar Taluka . Varwade is a village in the Palghar district of Maharashtra , India . It is located in the Talasari taluka . 0 +Another new bridge was built by Neak Leung at the Phnom Penh to Ho - Chi - Minh - Highway 1 with Japanese government assistance and opened in 2015 . Another new bridge was built at Phnom Penh at Neak Leung to Ho - Chi - Minh - Highway 1 with support from the Japanese government and opened in 2015 . 0 +The album was released by Furious in the USA and by 7 Spin Music on May 26th , 2007 in the UK . The album was released on May 26 , 2007 by Furious in the United Kingdom and 7 Spin Music in the US . 0 +When Ibn Tahir decides to return to Alamut and kill Hassan . Ibn Tahir decides to return to Alamut and kill Hassan . 1 +""" Baie St. Paul "" has a deadweight tonnage of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." """ Baie St. Paul "" has a load capacity of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." 1 +The third and final series started in May 2011 . Marek Larwood and a returning Javone Prince appeared in the new series . The third and final series started in May 2011 . Marek Larwood and a returning Javone Prince were released in the new series . 1 +Johann Reinhard I played a role in the coronation celebrations of Emperor Matthias 1612 and the election of Emperor Ferdinand in 1619 . Johann Reinhard I played a role in the coronation of Emperor Matthias in 1612 and the election of Emperor Ferdinand in 1619 . 1 +"The episode was written by freelancer Dan Vebber , though "" The Simpsons "" executive producer Matt Selman received the idea for it ." "The episode was written by freelancer Dan Vebber , though "" The Simpsons "" executive producer Matt Selman received the idea for this ." 1 +Parsons was born in Bristol and trained at Trent College , Derbyshire . Parsons was born in Bristol , and educated at Trent College , Derbyshire . 1 +The leader of the geological party was his elder mentor , Mike Morton . The leader of the old party was his geological mentor Mike Morton . 0 +It runs along the old Sohmer Piano Factory , under Walnut Street , and along Main Street . It runs along the old Sommer Piano Factory , under Walnut Street and along Main Street . 1 +For this match Dusty Rhodes in Valiant 's corner was tied by a rope to Paul Jones . For this match , Paul Jones was bound by a rope to Dusty Rhodes in Valiant corner . 0 +The project was the creation of Mute Record 's founder Frank Tovey , with Daniel Miller as fictional frontman of the band . The project was the creation of Mute Records founder Daniel Miller , with Frank Tovey acting as the band 's fictional frontman . 0 +The ectodermal symptoms of hypohydrotic dysplasia described above are evidenced not only in the skin of affected individuals , but also in their phonation and voice production . The ectodermal symptoms of hypohydrotic dysplasia described above are provable not only in the skin of the individuals affected , but also in their phonation and voice production . 1 +On 27 July 2011 , Restovich was traded from the Chicago White Sox into Arizona Diamondbacks . On July 27 , 2011 , Restovich was traded by Arizona Diamondbacks to the Chicago White Sox . 0 +However , Turkish Prime Minister Ahmet Davutoglu argued that Turkey would not support the EU-Turkey agreement if the EU did not weaken visa conditions by June 2016 . But Turkish prime minister Ahmet Davutoglu argued that Turkey would not weaken the EU-Turkey deal if EU did not support the visa conditions by June 2016 . 0 +Murphy and DeSanto wrote the project in 2003 , and DeSanto developed a treatment . The Murphy and DeSanto wrote the project in 2003 , and DeSanto developed a treatment . 1 +The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had kinship . The summer of 1893 spent the Czech composer Josef Jan Kovařík in Spillville , where his friend Antonín Dvořák had relatives . 0 +The aircraft was situated on a domestic flight from Goma to Kisangani via Ndjili . The aircraft was on a domestic flight from Goma to Kisangani via Ndjili . 1 +Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays from White Plains , New York . Nick Frangos ( born White Plains , New York ) is a professional poker player who plays in Atlantic City , New Jersey . 0 +"Standard arguments in homological algebra imply that these cohomology groups are independent of the choice of injective resolution of "" E "" ." "Standard arguments in the injective algebra imply that these groups of cohomologists are independent of the choice of homological resolution of "" E "" ." 0 +Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and the younger sister of Alessandra De Rossi . Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress , a younger sister of the actress Assunta De Rossi . 0 +He was born and raised in Vancouver , British Columbia , Canada and died in Aylesbury , Saskatchewan , Canada . Born and raised in Aylesbury , Saskatchewan , Canada , he died in Vancouver , British Columbia , Canada . 0 +Octavian 's fleet was commanded by Marcus Vipsanius Agrippa , while Antony 's fleet was supported by the power of Queen Cleopatra of Ptolemaic Egypt . The Octavian fleet was commanded by Antony , while the fleet of Marcus Vipsanius Agrippa was supported by Queen Cleopatra 's power from Ptolemaic Egypt . 0 +The region is famous for fairs like Expozebu in Uberaba , Fenamilho in Patos de Minas and Feniub in Uberlândia . The region is famous for trade fairs like Expozebu in Uberaba , Fenamilho in Patos de Minas and Feniub in Uberlândia . 1 +Turing had an older brother , John ( the father of Sir John Dermot Turing , 12th Baronet of the Turing Baronets ) . Turing had an elder brother , John ( the father of Sir John Dermot Turing , 12th Baronet of the Turing baronets ) . 1 +In September 2015 , TPG Telecom was successfully acquired by iiNet in a $ 1.65 billion deal . In September 2015 , iiNet was successfully acquired by TPG Telecom in a $ 1.65 billion business . 0 +( EL successor Conrail sold the old New York main line through Utica , Chenango and Susquehanna Valley to the Cassville , Susquehanna and Western Railway in 1982 . ) ( EL - Successor Conrail sold the old main route , Utica , Chenango , and Susquehanna Valley through Cassville to New York , Susquehanna , and Western Railway in 1982 . ) 0 +In 1854 the Kansas Territory was founded , in 1861 Lane County became the 34th U.S. state , in 1873 Kansas was established . In 1854 , the Kansas Territory was established , then in 1861 Lane County became the 34th U.S. state . In 1873 , Kansas was organized . 1 +It is in Amazonas ( Brazil ) . It is found in Brazil ( Amazonas ) . 1 +Earthquakes are common in Peru , especially in the Peru coastal area of Arequipa . Earthquakes are common in Peru , especially in the Arequipa – coastal area of Peru . 0 +Stephen Hendry won the title for the first time , beating Peter Ebdon 9 - 8 in the final . Stephen Hendry won the title for the first time and beat Peter Ebdon 9-8 in the final . 1 +New boys and girls come to the Pretty Land School of Arts and already known people will have to deal with complicated and funny situations . Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and fun situations . 0 +Ania K , Marcela and Marta are best praised for having portrayed their theme most effectively . Ania K , Marcela , and Marta are praised the best for having portrayed their theme the most . 1 +Moraes spent eight years in Britain , in London and Oxford , New York City , Hong Kong , Delhi and Bombay now Mumbai . Moraes spent eight years in Britain , London , and Oxford , New York City , Hong Kong , Delhi , and Bombay , now Mumbai . 1 +Seychelles is located in the Indian Ocean to the south of the main group Coëtivy Island . Seychelles is in the Indian Ocean south of the main Coëtivy Island group . 1 +The successor rocket , the Falcon 9 , successfully landed its first flight on 22 December 2015 , for the twentieth time , on land . The successor rocket , the Falcon 9 , landed its first stage successfully on land for the twentieth time on its first flight , on December 22 , 2015 . 1 +Jackson Township is located on the 4th Congressional District and is part of the 12th State Legislative District in New Jersey . Jackson Township is located in the 12th Congressional District and is part of the 4th State Legislative District in New Jersey . 0 +He founded the Aquila Press in the 1930s to publish obscure but literary works , and he wrote or translated over 50 books . He established the Aquila Press in the 1930s to publish obscure but literary works . He personally wrote or translated over 50 books . 1 +The friendship between him and Duncan ended at a club meeting in 1951 , when they disagreed at an annual meeting , and Greaves reported that Duncan said : The friendship between him and Duncan ended at a club meeting in 1951 , when the two disagreed at an annual meeting and Greaves reported that Duncan said 1 +Immanuel Dornfeld was the spiritual father and main initiator of the wine school . The spiritual father and main initiator of this wine school was Immanuel Dornfeld . 1 +The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left orientation and the hierarchically nested elements are further indented . The specific number of spaces in the indentation is unimportant as long as parallel elements are the same left justification and the hierarchically indented elements have nested further . 0 +Both Phasael and Herod started their careers under their father Antipater , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . Both Phasael and Antipater began their career under their father Herod , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . 0 +Although the use of a vertical stabilizer is most common , it is possible to obtain discrete vertical stability with no directional stabilizer . Although the use of a vertical stabilizer is the most common , it is possible to obtain directional stability without discrete vertical stabilizer . 0 +The cooperative national weather station reports that Occidental has cool , wet winters and warm , dry summers . The cooperative National Weather Service station reports that Occidental has cool , wet winters and warm , dry summers . 1 +Burnside Township is bordered to the northwest by Clearfield County , to the north of Clinton County , to the east by Curtin Township and to the southeast by Snow Shoe Township . Snow Shoe Township is bounded by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . 0 +Collera is one of nine parishes ( administrative districts ) in Ribadesella , a municipality in the province and autonomous community of Asturias , northern Spain . Collera is one of nine parishes ( administrative divisions ) in Asturias , a municipality within the province and autonomous community of Ribadesella , in northern Spain . 0 +She sailed over Sydney and arrived in Rio de Janeiro on 14 September . She sailed over Rio de Janeiro and arrived in Sydney on 14 September . 0 +Another name of Wincham Park ( Sports Direct Arena ) was hosted by Frank Skinner in the popular BBC1 TV - Show Room 101 . Another name of Sports Direct Arena ( Wincham Park ) was hosted by Frank Skinner in the popular BBC1 TV Show Room 101 . 1 +Parvathy also hands his response letter to Vivek 's father . Parvathy also hands over to Vivek 's father his response letter . 1 +It was published in the United States on 31 August 2004 and in the United Kingdom on 17 October 2005 . It was published in the United Kingdom on August 31 , 2004 and in the United States on October 17 , 2005 . 0 +Ricky decides to fight for Nate and confirms his love for her . Ricky decides to fight for Nate and confirms his love for them . 1 +Birender Singh married the PremLata Singh on June 9 , 1970 . PremLata Singh was married to Birender Singh on June 9 , 1970 . 1 +Jana Novotná and Jim Pugh won 7 - 5 , 6 - 3 against Elizabeth Smylie and Patrick McEnroe in the final . Elizabeth Smylie and Patrick McEnroe won in the final 7 -- 5 , 6 -- 3 against Jana Novotná and Jim Pugh . 0 +It was published in Japan on 10 November 1995 and in North America in 1996 . It was released on November 10 , 1995 in North America and in Japan in 1996 . 0 +The awards have often bypassed the top try scorer , winning captain or great International player . The awards have often bypassed the great Try - Scorer , winner - Captain or Top - International - player . 0 +Havana Township was originally called the Lafayette Township and was founded in 1857 under the latter name . Originally , the Lafayette Township was called Havana Township , and under the latter name was founded in 1857 . 0 +The River Mouca ( or Moca River ) is a tributary of the River Salcia in Romania . The Salcia River ( or Moca ) is a tributary of the River Mouca in Romania . 0 +Humphrey John Ikin ( born in Lower Hutt in 1957 ) is a New Zealand furniture designer . Humphrey John Ikin ( born in 1957 in New Zealand ) is a furniture designer by Lower Hutt . 0 +On 7 July 2009 , General Major Francis Okello was replaced as Commander of the AMISOM by General Major Nathan Mugisha . On 7 July 2009 , General Major Nathan Mugisha was replaced as Commander of AMISOM by the general major Francis Okello . 0 +Lehigh River is a tributary of the Mahoning Creek in Schuylkill and Carbon County , Pennsylvania , in the United States of America . Lehigh River is a tributary of the Mahoning Creek in Schuylkill and Carbon counties , Pennsylvania , in the United States . 1 +The winning team from Mike McEwen represented Ottawa in the Tim Hortons Brier 2016 in Manitoba . The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in 2016 in Ottawa . 0 +Users can create written entries similar to a personal standard journal and also upload photos from their devices . Users can upload written entries similar to a personal standard journal and can also create photos from their devices . 0 +The Pike County School System consists of 25 elementary , middle , and high schools . The Pike County school system consists of 25 elementary , middle and secondary schools . 1 +He devoted the work to his friend , the violinist Fritz Kreisler , and wrote to another friend , the composer Nikolai Medtner , on December 21 , 1931 : He dedicated this work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : 0 +Ocee was a small town in Fulton County , Georgia , now located in Johns Creek , Milton County . Ocee was a small municipality in Milton County , now located in Johns Creek , Fulton County , Georgia . 0 +"Christie has also translated the biography of Francisco Sabate Llopart , "" Sabate : An Extraordinary Guerrilla "" , by Antonio Téllez Solá in English ." "Sabate also translated into English the biography of Francisco Sabate Llopart , "" Christie : An Extraordinary Guerrilla "" , by Antonio Téllez Solá ." 0 +USAFE also announced that the new FBW would receive the 50th F-100D Super Sabre in 1957 . In 1957 , USAFE also announced that its 50th FBW would receive the new F-100D Super Sabre . 0 +Robert Maass was born in East Orange , New Jersey , to study German immigrants Hedwig and Clara Maass . Robert Maass was born in East Orange , New Jersey , to German immigrants Hedwig and Clara Maass . 1 +Kiki Bertens and Johanna Larsson won the title , defeating Anabel Medina Garrigues and Arantxa Parra Santonja in the final , 6 -- 0 , 6 -- 4 . Anabel Medina Garrigues and Arantxa Parra Santonja won the title , defeated Kiki Bertens and Johanna Larsson in the finals , 6 -- 0 , 6 -- 4 . 0 +Therefore , under certain conditions , equivalence classes of statistical ensembles have the structure of a convex quantity . Under certain conditions therefore , equivalence classes of statistical ensembles have the structure of a convex set . 1 +The constituency is in Swansea Bay , situated on the right bank of the River Afan , near its mouth in South Wales . The constituency is situated in South Wales , on the right bank of the River Afan , near the mouth of Swansea Bay . 0 +After receiving a joint Nobel Prize with her husband Pierre in 1903 , Marie Curie won a second Nobel Prize for Chemistry in 1911 . After receiving a second Nobel Prize in 1903 with her husband Pierre , Marie Curie won the Nobel Prize for Chemistry in 1911 . 0 +The Grasse River is located two and a half miles east of the village of Massena on the north side of the Massena Centre . Massena Center is located two and half miles east of the Village of Massena on the north side of the Grasse River . 0 +When Peugeot launched the new all-stylish 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . When Peugeot launched the new Allstylish 205 in 1983 , the 104 was withdrawn from most European markets , including Britain . 1 +This French-supported production was directed by John Eliot Gardiner with Jean Louis Martinoty , conductor and his orchestra . This French supported production with Jean Louis Martinoty , conductor , and his Orchestra was directed by John Eliot Gardiner . 1 +Kwarasey , born in Norway , represents Ghana at the international level . Born in Ghana , Kwarasey represents Norway at international level . 0 +In 1958 he spoke throughout East Asia and in Ghana , and in 1961 in Northern and Western Europe . In 1958 he spoke throughout East Asia and Western Europe and in 1961 in Northern Ghana . 0 +The band consisted of Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector , Chino Mariano . The band consisted of Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector and Chino Mariano . 1 +Lord Stair married Elizabeth Mary Hyde Parker , daughter of Ralph Stonor , 7th Baron Camoys and Emily Mary Julia Stonor , in 2006 . In 2006 , Lord Stair married Emily Mary Julia Stonor , daughter of Ralph Stonor , 7 . Baron Camoys and Elizabeth Mary Hyde Parker . 0 +The Strâmba River is a tributary of the River Geamărtălui in Romania . The Geamărtălui River is a tributary of the Strâmba River in Romania . 0 +"Own . Was followed by the third film in the trilogy , "" Aztec Revenge "" ." "This was followed by the third film in the trilogy , "" Aztec Revenge "" ." 1 +The central part of the watershed of Nescopeck Creek , south of the northernmost hill , including the mouth of Black Creek , is also in this series . The northernmost part of the Black Creek watershed , south of the central line of the hills , including the mouth of the Nescopeck Creek , is also in this row . 0 +"Justice Jinnah also wrote a book "" From Jinnah to Zia "" , arguing that Munir stood for a secular state ." "Justice Munir also wrote a book "" From Jinnah to Zia "" and argues that Jinnah stood for a secular state ." 0 +A smaller Sedgwick Avenue continues into Yonkers , north of Van Cortlandt Park and east of the Saw Mill River Parkway . A smaller Van Cortlandt Park continues to Yonkers , to the north of Sedgwick Avenue and east of Saw Mill River Parkway . 0 +Vladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk on 15 March 1886 . 0 +Danijel Šarić ( born July 27 , 1977 ) is a handball goalkeeper of Bosnian - Serbian origin for Al Quiada and the Qatari national team . Danijel Šarić ( born 27 July 1977 ) is a Qatari handball goalkeeper of Bosnian Serb origin for Al Quiada and the Qatari national team . 1 +One road was built by the government in 1901 from Rotorua to Ruatahuna to end the isolation of Tūhoe by opening the first road . A road was built by the government from Rotorua to Ruatahuna in 1901 to end the isolation of Tūhoe by opening up the first motor road . 1 +He was born in 1967 in Glenwood , Illinois , and attended the Bloom High School in Chicago Heights , Illinois . He was born in 1967 in Chicago Heights , Illinois , and attended the Bloom High School in Glenwood , Illinois . 0 +The Nordiques signed the Toronto Maple Leafs Free Agent Tony Currie while they lost Blake Wesley , who signed with Edmonton Oilers . The Nordiques signed the Free Agent Tony Currie from Edmonton Oilers while they lost Blake Wesley , who signed with the Toronto Maple Leafs . 0 +In urban areas , coverage is significantly higher than in rural areas . The coverage in rural areas is considerably higher than in urban areas . 0 +It passes through Gudivada ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Narsapur to Pamarru on NH 65 . It walks through Gudivada ( NH 216 ) to Palakollu , Bhimavaram , Akividu , Kaikaluru , Mandavalli , Mudinepalli , Narsapur to Pamarru on NH 65 . 1 +Nancy returns home and thanks her mother for attempting to protect her , but Freddy appears behind Gwen in a mirror . Nancy returns home , and thanks her mother for trying to protect her , but Gwen appears in a mirror behind Freddy . 0 +""" Baie St. Paul "" has a gross tonnage capacity of 24,430 tons and a capacity of 37,690 tons according to the Miramar Ship Index ." """ Baie St. Paul "" has a gross tonnage of 24,430 tons and a deadweight tonnage of 37,690 tons according to the Miramar Ship Index ." 1 +This study also found a greater activation of the left amygdala in men and the right-wing amygdala in women . This study also found greater activation of the left amygdala in men and the right amygdala in women . 1 +This course will be offered for younger Dunghutti adults in 2013 , and a certificate 2 course will be conceived for a test run in 2014 . This course will be designed for younger Dunghutti adults in 2013 , and a certificate 2 course will be offered for a test run in 2014 . 0 +She took his meals at home and he made her for Sunday sight-seeing trips . She took his meals at home and he made her for Sunday trips . 1 +The first patented air data computer in the USA was developed by John H. Andresen in February 1971 . The first air data computer developed in the USA was patented by John H. Andresen in February 1971 . 0 +The episode was written by Bill Wrubel and was directed by Lev L. Spiro . The episode was written by Lev L. Spiro and directed by Bill Wrubel . 0 +Winter is characterized by cool , and quite dry , sunny days , and pleasant and occasionally foggy nights . The winter is characterized by cool and quite dry , sunny days and pleasant and occasionally foggy nights . 1 +Fernando Verdasco defeated Marcel Granollers , 6 -- 4 , 3 - 6 , 6 - 3 . Fernando Verdasco defeated Marcel Granollers , 6 -- 4 , 3 -- 6 , 6 -- 3 . 1 +Patrick Walsh is the brother of Carlow footballer Tommy . The brother of Carlow - Footballer Patrick Walsh is the Tommy . 0 +His best World Cup finish was fifth twice with one in 2008 in Sweden and the other in 2009 in Canada . His best World Cup final was twice fifth with one in Sweden in 2008 and the other in Canada in 2009 . 1 +"The "" National Post "" and Kay apologized , retracted the statement and settled out of court with Warman ." "The "" National Post "" and Kay apologized , retracted the statement , and started with Warman out of court ." 1 +"Where "" k "" , "" k "" and "" k "" are the constants , you can multiply the three to obtain ." "where "" k "" , "" k "" , and "" k "" are the constants , one can multiply the three together to obtain" 1 +The Comina River is a tributary of the Slănic River in Romania . The river Slănic is a tributary of the River Comina in Romania . 0 +Their founder came , who was from China during the Seongjong of Goryeo period . Their founder , who came from China during the Seongjong of the Goryeo , was . 1 +"Aamir Khan wanted to shoot this film after "" Khosla Ka Ghosla "" and approached Dibakar Banerjee to play the villain ." "After "" Khosla Ka Ghosla "" , Aamir Khan wanted to make this film and he approached Dibakar Banerjee to play the villain ." 1 +The tubular heart or primitive heart tube is the earliest stage of heart development . The primitive heart or tube-shaped heart tube is the earliest stage of heart development . 1 +This was also the first series since the fifth , including a railway consultant in the role as part of the production team with Sam Wilkinson . This also marked the fifth series since the first to include a railway consultant as part of the production team , with Sam Wilkinson in the role . 0 +"Houseman called the decision to use modern dress "" an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . """ The decision to use modern clothing was called Houseman as an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . 1 +Although the ruins were investigated by Samuel Alejandro Lafone Quevedo in 1888 , they were first discovered in 1897 by the archaeologist Juan Bautista Ambrosetti . Although the ruins were discovered in 1888 by Samuel Alejandro Lafone Quevedo , they were first examined in 1897 by the archaeologist Juan Bautista Ambrosetti . 0 +"Saba continued rapping in 2013 and began to create his second mixtape , "" ComfortZone "" ." "In 2013 , Saba began his rapping and continued to create his second Mixtape , "" ComfortZone "" ." 0 +Lottia persona is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the Marine limpets . Lottia persona is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 1 +Dunkerton moved from Herefordshire to London at the age of fourteen . Dunkerton moved from London to Herefordshire at the age of fourteen . 0 +In 1828 , Layitia Snyder married Yeomans of Albany , with whom he had two daughters and three sons . In 1828 , Yeoman married Laetitia Snyder of Albany , with whom he had two daughters and three sons . 0 +Although it is a widespread European species , it is not common . It is notably found in Lithuania . Although it is a common European species , it is not widespread ; it is mainly found in Lithuania . 1 +On October 19 , Linear Technology ( SHPG ) replaced Shire PLC ( LLTC ) in the index . On 19 October , Linear Technology ( SHPG ) replaced the Shire PLC ( LLTC ) index . 1 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and the United Alkali Company in 1926 to found Imperial Chemical Industries . It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and Imperial Chemical Industries to the United Alkali Company in 1926 . 0 +Forty rare plant communities were identified in the gorge , containing at least 1,342 species and 54 different plants . Forty different plant communities were identified in the gorge , containing at least 1,342 species and 54 rare plants . 0 +Eckhoff represented Britain against New Zealand in 1928 , in 1930 against Australia . Eckhoff represented New Zealand in 1928 against Great Britain , in 1930 against Australia . 0 +The basic ISO contemporary Latin alphabet has 26 letters , which could be used , together with a further binary indicator , as keys for 52 weeks . The basic ISO contemporary Latin alphabet has 26 letters , which , together with another binary indicator , could be used as a key for 52 weeks . 1 +He left Germany in 1991 to work in the field of palliative care for cancer patients in Italy as well as in various countries in the Third World . In 1991 he left Germany to work in the area of palliative care for cancer patients in Italy as well as in various Third World countries . 1 +Camm decided that both engines would be used : the Tempest Mk 5 had fitted with the Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . Camm decided that both engines would be used : Tempest Mk 5 had fitted with the Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . 1 +On December 28 , 1850 , the city of Dunham Township changed from Byron Township to avoid confusion with Byron Township and to honor a resident , Solomon J. Dunham . Byron Township changed its name from Byron Township on December 28 , 1850 , to avoid confusion with Dunham Township and to honor a resident , Solomon J. Dunham . 0 +The position was occupied by William Hay from 2007 until 13 October 2014 , but has since been replaced by Mitchel McLaughlin . The position was filled by Mitchel McLaughlin from 2007 until 13 October 2014 , but has since been followed by William Hay . 0 +Other students studying at the academy included Daniel Garber , Violet Oakley , Hugh Breckenridge and Cecilia Beaux . Other students studying at the Academy include Daniel Garber , Violet Oakley , Hugh Breckenridge and Cecilia Beaux . 1 +Murfreesboro is a part of the TN Metropolitan Statistical Area -- Davidson - Hickman County -- Franklin , Nashville . Murfreesboro is part of the TN Metropolitan Statistical Area -- Davidson -- Hickman County -- Franklin , Nashville . 1 +In 1796 John Taylor acquired Hare 's share , and the company took the name Taylor Walker in 1816 when Isaac Walker became a partner . In 1796 , Isaac Walker took over the share of Hare , and the company acquired the name Taylor Walker in 1816 , when John Taylor became a partner . 0 +He visits Fred and makes him his new partner , then goes to the cratchit house , where he reinstates Bob and increases his remuneration . He repeats Fred and makes him his new partner , then goes to the cratchit house , where he visits Bob and increases his remuneration . 0 +Kiss Country plays a mix of current and older country music , with more emphasis on modern artists . Kiss Country plays a mixture of modern and older country music , with the emphasis on current artists more . 0 +Utah claims a lead of 60 -- 34 -- 4 , while BYU Utah leads claims 57 -- 31 -- 4 . Utah asserts a lead of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . 0 +The . eu domain is also used , as it is shared with other European Union member states . The .eu domain is also used as it is shared with other EU Member States . 1 +The PBA season 1990 was the 16th PBA ( Philippine Basketball Association ) season . The season 1990 PBA was the 16th season of the Philippine Basketball Association ( PBA ) . 1 +Jan Apell and Brent Haygarth won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Pat Cash and Patrick Rafter . Pat Cash and Patrick Rafter won 3 : 6 , 6 : 1 , 6 : 3 against Jan Apell and Brent Haygarth in the final . 0 +One of the dimensionless fundamental constants is the fine structure constant : One of the dimensionless constants is the fine structure constant : 1 +She reached Melbourne on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Sydney . She reached Melbourne on 4 January 1891 , was later this month sold to the government of New South Wales and then towed to Sydney . 1 +The Potiscum - Emirate was organized by the Ngizim people who had subjugated the Karakare people . The Potiskum Emirate was organized by the Ngizim people , who had subjugated the Karakare people . 1 +Waye played his earliest football in Adelaide , before arriving in Willunga and Renmark and competing in the Port Adelaide Church Association . Waye played his earliest football in Willunga and Renmark before arriving in Adelaide and participating in the Port Adelaide Church Association . 0 +The festival witnessed a performance by musician Shantanu Moitra and a workshop by music director Benny Prasad of Parineeta and 3 Idiots fame . The festival experienced a performance by musician Benny Prasad and a workshop by music director Shantanu Moitra of Parineeta and 3 idiots fame . 0 +A recurring theme in the books is the conversation between Daniel and Baby Carter ( Uncle Mort 's Son ) . A recurring theme in the books is conversation between Carter and baby Daniel ( Uncle Mort 's son ) . 0 +Port Orford is located on the U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . Port Orford is located on U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . 1 +In between their conversations , flashbacks show Hannah and Annie 's history with Adrian . Flashbacks show between their conversations Hannah and Annie 's history with Adrian . 1 +She is open about her disapproval of Rob 's father , Rob and often mentions how bad a father he was to Billy . She is open about her disapproval of Rob 's father , Billy , and often mentions how bad a father he was for rob . 0 +Valentine Wagner 's mother was born Princess Elisabeth Bagration , a member of the same family as Princess Leonida . Valentine Wagner Wagner 's mother was born Princess Elisabeth Bagration , a member of the same family as Princess Leonida . 1 +Herberg showed how immigration and religious culture were reflected in the American ethnic movements and institutions . Herberg demonstrated how immigration and American ethnic culture reflected in religious movements and institutions . 0 +Waman Gopal Joshi should not be confused with the writer Vaman Malhar Joshi . They were contemporaries . Vaman Malhar Joshi was not to be confused with the writer Waman Gopal Joshi , they were contemporaries . 0 +Problem-specific methods are used to find the sections needed by this method . In order to find the cuts used by this method , problem-specific methods are needed . 0 +He fought Mike Donovan in a bout refereed by a young 21-year-old Wyatt Earp on July 4 , 1868 or 1869 in Cheyenne , Wyoming . He fought Mike Donovan in a battle headed by a young 21-year-old Wyatt Earp on 4 July 1868 or 1869 in Cheyenne , Wyoming . 1 +It was not marketed in Europe and was only sold in the USA . It was only marketed in Europe , and was not sold in the U.S . 0 +Rail transport in Belgium was historically managed by the National Railway Company of Belgium , known as NMBS in French and SNCB in Dutch . Rail transport in Belgium was historically managed by the National Railway Company of Belgium , which was known in French as the NMBS and in Dutch as the SNCB . 1 +After the Muslim invasions of the seventh century the original Christians have nearly disappeared from actual Azerbaijan . After the actual invasions of the seventh century , the original Christians from Muslim Azerbaijan almost disappeared . 0 +It is found from most of Great Britain to Romania , and from Japan through central Russia to the Iberian Peninsula . It is found from most of Britain to Romania and from Japan through Central Russia to the Iberian Peninsula . 1 +Burnside Township is bordered by Clearfield County to the northwest , Clinton County to the north , Curtin Township to the east and Snow Shoe Township to the southeast . Snow Shoe Township is bounded by Burnside Township to the northwest , Clearfield County to the north , Curtin Township to the east and Clinton County to the southeast . 0 +When Smith established the First National Bank of Denver in 1865 , Chaffee was a co-investor in the bank and named president . In 1865 , when Smith founded the First National Bank of Denver , Chaffee was a co-investor in the bank and became president . 1 +If it was commercially added , illustrations were printed by J. Augustus Knapp . When it was added commercially , illustrations by J. Augustus Knapp were printed . 1 +Jones lives with his wife Cheryl , his son Nathan , and the three daughters Holly , Coral and Ella in London . Jones lives in London with his wife , Cheryl , his son , Nathan , and his three daughters , Ella , Coral and Holly . 1 +The music was written by A. T. Ummer and the text was composed by Koorkkancheri Sugathan and Poovachal Khader . The music was composed by A. T. Ummer and lyrics was written by Koorkkancheri Sugathan and Poovachal Khader . 0 +"In 2008 , the Vatican began an "" ecological island "" for renewable waste and continued the initiative in the whole Papacy of Francis ." "In 2008 , the Vatican began an "" renewable island "" for ecological waste and has continued the initiative throughout the papacy of Francis ." 0 +Paul Allen has a flower fly named after him for his contributions to Dipterology , called Allen 's flower fly . Paul Allen has a flower fly named after him , for his contributions to dipterology , called All Flower Fly . 1 +Sebastián Decoud and Cristian Villagrán won the title by defeating Nicolás Lapentti and Eduardo Schwank with 6 -- 4 , 6 -- 0 in the finals . Nicolás Lapentti and Eduardo Schwank won the title by defeating Sebastián Decoud and Cristian Villagrán 6 -- 4 , 6 -- 0 in the final . 0 +In most cells , Ca channels regulate a multitude of intracellular processes due to their role in controlling biochemical ca concentrations . In most cells , Ca channels regulate a wide variety of intracellular processes due to their role in controlling biochemical Ca concentrations . 1 +Along the coast there are about 2,000 islands , almost three quarters of which are uninhabited . Along the coast there are almost 2,000 islands , about three quarters of which are uninhabited . 1 +Tadas Langaitis is a Lithuanian politician , member of the Seimas since November 2016 , civic activist , active in social and civil projects in Lithuania . Tadas Langaitis is a Lithuanian politician , member of the Seimas , social and civic activist since November 2016 , active in citizens ' projects in Lithuania . 0 +The MSX2 series features a Yamaha V9938 - video chip that has a 9-bit RGB palette ( 512 colours ) and manages some extended graphic modes . The MSX2 series features a Yamaha V9938 video chip , which manages a 9-bit RGB palette ( 512 colors ) and has some extended graphic modes . 0 +The following potential formula _ 1 is defined in the effective way : The effective formula for potential 1 is defined in the following way : 0 +Charles A. Lindbergh State Park is located right west of Little Falls on the MN 27 . Little Falls is located immediately west of Charles A. Lindbergh State Park on MN 27 . 0 +The parents of Jean Ken are Jean and Steve DeBauche from Suamico , WI and has two younger brothers , Brad and Brent DeBauche . Steve DeBauche 's parents are Jean and Brent DeBauche of Suamico , WI and has two younger brothers , Brad and Ken . 0 +William Debenham , born in Alpheton , Suffolk in 1794 , joined Thomas Clark in a partnership to lead a draper 's store at Wigmore Street 44 in London . Born in Alpheton , Suffolk in 1794 , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . 0 +"He is known for the creation of various origami models , including erotic instrumentalists , insects and complex origami works , called "" Pornigami "" ." "He is known for creation of various origami models , including erotic instrumentalists , insects , and complex origami works , called "" pornigami "" ." 1 +It is possible to calculate when to open the press and to remove the cured , molded rubber . It is possible to calculate when the press is to open and to remove the hardened , molded rubber . 1 +The band consisted of Peter Forbes , Roger Capello , Claes Bure , Peter Björk , Anders Hector , Chino Mariano . The band consisted of Anders Hector , Claes Bure , Peter Börk , Peter Forbes , Roger Capello and Chino Mariano . 1 +The aquatic otter was known as one of the top carnivores in the Japanese food chain . The water otter was known as one of the top carnivores in the Japanese food chain . 1 +El Marsa District is a district in the province of Chlef , Algeria . Chlef Province , Algeria is a district of El Marsa District . 0 +The fifth season premiered on September 15 , 2013 . The sixth season premiered on April 10 , 2014 . The fifth season was premiered on 15 September 2013 and the sixth season was premiered on April 10 , 2014 . 1 +Havana Township was originally called Lafayette Township , and under the latter name was organized in 1857 . Originally , the Lafayette Township was called Havana Township and was founded under the latter name in 1857 . 0 +"Debbi Benn is the "" teacher and programme for Hebrew and Jewish studies "" and Debbie Posner is the "" coordinator of primary school Hebrew and Jewish studies "" ." "Debbie Posner is the "" teacher and programme for Hebrew and Jewish studies "" , and Debbi Benn is the "" coordinator of primary school Hebrew and Jewish studies "" ." 0 +Another series was played in Havana between Boston Red Sox and Cincinnati Reds . In Havana , another series was played between Cincinnati Reds and the Boston Red Sox . 1 +The first two parts were directed by Cheung Ying and Choi Cheung , while the next two parts were directed by Yeung Kungleung . The first two parts were directed by Cheung Ying and Choi Cheung while the next two parts were directed by Yeung Kung-leung . 1 +He has also served as chairman of the North Shore branch of the Long Island Division of the American Jewish Congress . He has also served as chairman of the Long Island branch of the North Shore Division of the American Jewish Congress . 0 +He died on 23 April 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . He died on April 23 , 1881 in Long Island , New York ( today Elmhurst Station ) , Flushing , Newtown . 0 +Local intradermal injection of botulinum toxin is helpful and chronic painful in focal neuropathies . Local intradermal injection of botulinum toxin is helpful and chronic for focal neuropathies painful . 1 +Similarly , in shared memory each node of a cluster has access to a large distributed shared memory in addition to each node 's limited non-shared private memory . Similarly , each node of a cluster has access to a large shared shared memory in shared memory , in addition to the limited non-shared private memory of each node . 1 +ProxmapSearch uses the proxMap array generated by a previously sorted ProxmapSort to find keys in the completed A2 array in constant time . ProxmapSearch uses the proxMap array , generated by a previously sorted ProxmapSort to find keys in the done array A2 in constant time . 1 +With this high process , steganographic-quality copies of an original ( e.g . a bank note ) under blue light have become identifiable . With this high process , steganographic copies of an original ( e.g . a note ) have become identifiable under blue light . 1 +He was a scholar in Classical Literature , Theology and Metaphysical sciences . He was a scholar in metaphysical literature , theology , and classical science . 0 +Oconto is a village in Custer County , Nebraska , United States . Custer County , Nebraska , United States of America is a village in Oconto . 0 +A module is called a serial module if it is a direct sum of modules . A module is called a serial module if it is a direct sum of uniserial modules . 0 +It was first successfully concluded on 26 March 2012 by a 12-year-old American , Tom Schaar . It was first successfully completed on 26 March 2012 by a twelve-year-old American , Tom Schaar . 1 +Some commercial microwave noise generators use Avalanche diodes to create a large excess noise that can be switched on and off . Some commercial microwave noise generators use avalanche diodes to create a large excess noise figure that can be turned off and on . 1 +The reservoirs that form the chain are from the northwest to the southeast : Catcleugh Reservoir → Colt Crag Reservoir → Little Swinburne Reservoir → Hallington Reservoirs → Whittle Dene . The reservoirs that form the chain are , from northwest to southeast : Little Swinburne Reservoir → Hallington Reservoirs → Catcleugh Reservoir → Colt Crag Reservoir → Whittle Dene . 0 +Then form i ) and iii ) together the so-called strong wolf conditions and force the Formula 11 to lie close to a critical point of Formula 28 . Then i ) and iii ) together form the so-called strong Wolfe conditions , and force formula _ 11 to lie close to a critical point of formula _ 28 . 1 +He was also a highly celebrated warrior in popular culture and traditional Chinese dramas . He was also a highly celebrated warrior in the popular culture and traditional Chinese dramas . 1 +The project was developed by Murphy and DeSanto in 2003 , and DeSanto wrote a treatment . Murphy and DeSanto wrote the project in 2003 , and DeSanto developed a treatment . 0 +With Esmeralda 's help , a frozen Quasimodo announced Johnny 's true nature during Mavis ' celebration where the Fly translated his frozen language . A frozen quasimodo announced with Esmeralda 's help Johnny 's true nature during Mavis ' apos ; celebration where the fly translated his frozen language . 1 +It is found throughout the central palearctic , from Turkey , Cyprus , and Lebanon , through Pakistan , Iran , Afghanistan , and northern Iraq to Kashmir . It is found throughout the central palaearctic , from Turkey , Cyprus , and Lebanon , through Iraq , Iran , Afghanistan , and northern Pakistan to Kashmir . 0 +On May 11 , President McCulloch appointed Davis a brigadier general . On May 11 , President McCulloch Davis appointed brigadier general . 0 +Guy Stern ( born January 14 , 1922 in Hildesheim ) is a German and comparative literature scholar , primarily German-Jewish . Guy Stern ( born January 14 , 1922 in Hildesheim ) is a German-Jewish literary scholar , primarily German and comparative literature . 0 +He also helps Jennifer Bransford ( Bo ) by defending Robert S. Woods when he was accused of murdering Georgie Philips ( Nora and Bo Buchanan ) . He also assisted Nora and Bo Buchanan ( Robert S. Woods ) by defending Bo when he was accused of murdering Georgie Philips ( Jennifer Bransford ) . 0 +The Bs is first recorded in the 1805 season and the team was raised sporadically until the 1832 season . The Bs were raised first in the 1805 season and the team was recorded sporadically until the 1832 season . 0 +In Franklin Township , it 's in DeKalb County and in Steuben County it is in Otsego Township . In Franklin Township , it is in DeKalb County and in Steuben County it is in Otsego Township . 1 +""" Turan "" is a holistic system that provides and includes the principle of continuity and multi-stage education :" "Educational Corporation "" Turan "" is a holistic system that provides the principle of continuity and multi-stage education , and includes :" 1 +McIntyre is from Stuart , Florida , has 4 children , and attended school in West Virginia . McIntyre comes from Stuart , Florida , has 4 children and attended school in West Virginia . 1 +An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot routine computation library , as scientific WAKPDF . An implementation that computes the probability density function of the Wakeby distribution is included as a routine WAKPDF in the scientific data library of Dataplot . 0 +"J. Carter Brown referred to 15th Street as "" the missing tooth in the smile of the Rhodes Tavern "" ." "Carter Brown referred to Rhodes Tavern as "" the missing tooth in the smile of 15th Street "" ." 0 +"Salmons Brook is mentioned thus on Rocque 's map of 1754 , probably named from the family of "" John Salemon "" of Edmonton marked in 1274 ." "Thus is mentioned on the map of Rocque of 1754 , probably from the family of John "" Salemon "" of Edmonton in 1274 , marked Salmons Brook ." 0 +Long Island is a Canadian island in Digby County , Nova Scotia . Long Island is a Canadian island in Nova Scotia , Digby County . 1 +The friendship between him and Duncan ended at a club meeting in 1951 when the two disagreed at an annual meeting and Duncan reported that Greaves said : The friendship between him and Duncan ended in 1951 at a club meeting , when the two contradicted an annual meeting , and Duncan reported that Greaves said : 1 +Dan McGugin did not play in Bob Blake 's first year of 1904 , but resumed game on the 1905 team . Bob Blake did not play in the first year of Dan McGugin in 1904 , but resumed play on the 1905 team . 0 +Kruthivennu is the largest and Tadivennu is the smallest in terms of population . Kruthivennu is the smallest and Tadivennu is the largest in terms of the population . 0 +Organized on 24 May 1963 by the Strategic Air Command , activated on October 1 , 1963 . Organized by Strategic Air Command on 24 May 1963 , activated on 1 October 1963 . 1 +Zander has detailed methods for generating support measures for molecular serial descent and for morphological serial descent using Bayes factors through Decibanaddition . Zander has detailed methods for generating support measures for molecular serial descent and for morphological serial descent using Bayes factors through deciban addition . 1 +""" Myles C. Fox "" reached Yokosuka on 23 September and departed San Diego on 8 October ." On 23 September , Myles C. Fox reached Yokosuka and left San Diego on 8 October . 1 +In the early years , KETS was associated with PBS , the forerunner of current national educational television . In the early years , KETS was connected with National Educational Television , the forerunner of the current PBS . 0 +Graham Bayne ( born August 22 , 1979 ) is a Scottish professional footballer who also plays for Elgin City , where he is currently the Assistant Manager . Graham Bayne ( born August 22 , 1979 ) is a Scottish football professional who currently plays for Elgin City , where he is also Assistant Manager . 1 +She is a specialist in British landscape painting and the visual culture of British colonialism and of West Indian slavery . She is a specialist in West Indian landscape painting and the visual culture of British colonialism and British slavery . 0 +Feliciano Centurión ( March 29 , 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) was a Paraguayan painter . Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- 7 November 1996 in Buenos Aires , Argentina ) . 0 +The Romanesque language , Galician ( Galego ) , which is currently used in Galicia , is closely related to the Portuguese language spoken mainly in Brazil and Portugal . The Romance language currently spoken in Galicia is closely related to the Portuguese language used mainly in Brazil and Portugal . 1 +Eight Hornets were also deployed from Perth to RAAF Base Pearce in October 2011 to protect the CHOGM meeting in nearby Williamstown . In October 2011 , eight hornets were sent from Williamstown to the RAAF Base Pearce to protect the CHOGM meeting in nearby Perth . 0 +Maplewood is situated in the 10th Congressional District and is part of New Jersey 's 27th legislative district . Maplewood is located in the 27th Congressional District and is part of the 10th State Legislative District of New Jersey . 0 +"It was her first studio recording since "" I Wan na Love Somebody "" and the tenth released studio album before her stroke on January 10 , 2006 ." "It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before stroke on January 10 , 2006 ." 0 +His grandson , Grenville , was elected to the 11th Parliament of Upper Canada for Edward . For Grenville , his grandson , Edward , was elected to the 11th Parliament of Upper Canada . 0 +With the professional products of Linea Pro , the production is mainly dedicated to the industrial market , while the do-it-yourself market is served by the Linea Blu product range . Production is mainly dedicated to the professional market , with the Linea Pro industrial products , the DIY market is served by the Linea Blu product range . 0 +The government of Punjab , a federal government in the provincial structure of Pakistan , is in Lahore , the capital of the Punjab province . The government of Punjab , a provincial government in the federal structure of Pakistan , is in Lahore , the capital of the province of Punjab . 0 +In the 1970s Suzuki was one of the first buyers of Woolrich fashion in America . In 2006 he became a designer for Woolrich Woolen Mills in Japan . In the 1970s , Suzuki was one of the first buyers of Woolrich Mode in America , and in 2006 he became designer for Woolrich Woolen Mills in Japan . 1 +Scopa is white , but at the front edge black . Scopa is black , at the front edge but white . 0 +Decasyllable was used in the epic poetry of the southern Slavs , sung , for example , Serbian epic poetry on the Gusle instrument : Decasyllable was used in epic poetry of the Southern Slavs , for example Serbian epic poetry sung to the gusle instrument : 1 +""" Full Circle "" was produced by Birtles Shorrock Goble manager Paul Rodger and mixed by longtime supporter and friend Michael Costa at Stream AV Studios in Melbourne ." """ Full Circle "" was produced by Paul Rodger , the manager of Birtles Shorrock Goble , and mixed by long-time supporter and friend Michael Costa at the Stream AV Studios in Melbourne ." 1 +He took 14 in the second innings but scored only one English wicket . He took 14 in the second innings , but reached only one English wicket . 1 +"In "" Duel the Double Cruisers ! "" Despero uses a simulation of Batman to train the outsiders ." "In "" Duel the Double Cruisers ! "" Batman uses a simulation of Despero to train the outsiders ." 0 +A second son of Theophilus Levett and his wife , Lady Jane , was Berkeley John Talbot Levett , an officer of the Scots Guards . A second son of Berkeley John Talbot Levett and his wife Lady Jane was Theophilus Levett , an officer in the Scots Guards . 0 +The Ciunget River is a tributary of the Argintărie River in Romania . The Ciunget - River is a tributary of the River Argintărie in Romania . 1 +Higher is the fifth album , and the fourth studio album , by Ezio , released in 2000 . Higher is the fourth album and the fifth studio album , published by Ezio , in 2000 . 0 +Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a local representative in Alberta , Canada . Morton W. MacAuley , usually known as M. W. MacAuley was a politician in Alberta , Canada and a municipal councillor in Edmonton . 0 +Top singer G. M. Durrani was expecting for duets with Noor Jehan to be the other singers . Top - singer G. M. Durrani expected to be the other singers for duets with Noor Jehan . 1 +Because of a misunderstanding on November 11 , he was allocated to Zaječar and transferred to the Timok Division as commander of an infantry brigade . Because of a misunderstanding on 11 November , he was transferred to Zaječar and assigned as commander of an infantry brigade in the Timok Division . 0 +Eupithecia demissa is a moth in the family Geometridae It is found in province of Malleco ( Chile ) . Eupithecia demissa is a moth in the family Geometridae is found in Chile ( province of Malleco ) . 1 +The Oltu region ( administered in 1920 by Georgia ) was also claimed by Armenia . The Oltu region ( also claimed by Georgia in 1920 ) was briefly administered by Armenia . 0 +In contrast to predictive factor theory , specific components of therapy have shown a common power here . Here , in contrast to the predictive factor theory , specific components of the therapy have shown common power . 1 +"YU grupa guitarist Dragi Jelić , Ivan Vdović "" VD "" , Sr "" unk "" at Todorović and Roze Poze guitarist Željko Nikolić appeared as guests on the EP ." "As guests on the EP appeared YU grupa guitarist Dragi Jelić , Željko Nikolić "" VD "" , Sr "" unk "" to Todorović and Roze Poze guitarist Ivan Vdović ." 0 +He met with a group of Europe 's most influential musicians to discuss a school based on the Conservatories of Boston . He met with a group of the most influential musical leaders of Boston to discuss a school based on the conservatories of Europe . 0 +It was designed by architect Henry L. Taylor and built by O. R. Woodcock . Built by the architect Henry L. Taylor , it was designed by O. R. Woodcock . 0 +Between 1971 and 1980 , Goolagong Cawley reached five finals , but only won her first and final finals . Goolagong Cawley reached five finals between 1971 and 1980 but won only her first and last finals . 1 +Villeneuve had no response to Andretti 's pace , and the gap increased rapidly . Andretti had no answer to Villeneuve 's pace and the gap increased rapidly . 0 +For decades there was rivalry between Edward Partington , his friend Herbert Rhodes , and the Woods and Sidebottoms . For decades , there has been rivalry between Herbert Rhodes , his friend Edward Partington , and the Woods and Sidebottoms . 0 +Many resort owners run both a summer resort in Maine and a winter resort in Florida . Many resort owners operated both a summer resort in Maine and a winter resort in Florida . 1 +"A local reporter described in 1910 in a Japanese newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu ." "A Japanese reporter in 1910 described the scene for the people of Kyūshū in a local newspaper , the "" Fukuoka Nichinichi "" :" 0 +The Sm ring permanently binds to the U1 , U2 , U4 and U5 snRNAs which form four of the five snRNPs that constitute the major spliceosome . The Sm ring permanently binds to the snRNAs of U1 , U2 , U4 and U5 , which form four of the five snRNPs that form the main spliceosome . 1 +Kasubi Hill is a royal cultural site of the Kingdom of Buganda , one of the twenty-first century constitutional traditional monarchies of Uganda . Kasubi Hill is a constitutional traditional site of the Kingdom of Buganda , one of the royal cultural monarchies in 21st century Uganda . 0 +"Also the Definitive hardcover , "" single Edition "" was published ." "The Definitive Hardcover "" Single Edition "" was also published ." 1 +Glasson won national indoor championships 19 times including nine Australian championships . Glasson won 19 - times national hall championships , including nine Australian championships . 1 +He had a good advantage on Russell Prince , who was considered the stronger mountain runner , and Saggers needed a lead of 2 min 29 sec . He had a good lead on Russell Prince , who was considered the stronger mountain runner , and Saggers needed a lead of 2 min 29 sec . 1 +The best girlfriend of Alma Bautista ( Eula Valdez ) is Katrina Alegre ( Jean Garcia ) . Katrina Alegre ( Jean Garcia ) is the best friend of Alma Bautista ( Eula Valdez ) . 1 +Monilea patricia is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . Monilea patricia is a species of sea snail , a marine gastropod mollusk in the Trochidae family , the top snails . 1 +Austria ’ s Permanent Representative to Croatia is based in the Philippine Embassy in the Philippines . The Permanent Representative of the Philippines near Croatia is based in the Philippine Embassy in Austria . 0 +"From 1973 to 1974 Aubrey toured with the Cambridge Theatre Company as a diggory in "" She Stoops to Conquer "" and again as Aguecheek ." "From 1973 to 1974 , Aguecheek toured with the Cambridge Theatre Company as Diggory in "" She Stoops to Conquer "" and again as Aubrey ." 0 +The aircraft was located on a domestic flight from Goma via Kisangani to Ndjili . The aircraft was on a domestic flight from Goma to Kisangani via Ndjili . 0 +It comes in standard black worldwide , even though a white version was only released in Japan . It comes in standard black only , although a white version was released in Japan worldwide . 0 +In the early morning and late afternoon , it seems most active . It seems to be most active in the late morning and early afternoon . 0 +Rich food sources , as long as they are promoted as profitable , will be evaluated by the scouts when they return to the hives . As long as they are evaluated as profitable , rich food sources will be advertised by the scouts when they return to the hive . 0 +"In February 2018 , Tamplin was made under police investigation after "" Gangster threats "" was made by him to Billericay Town footballer Elliot Kebbie ." "In February 2018 , Tamplin was under police investigation after alleged "" gangster threats "" were made by him to Billericay Town footballer Elliot Kebbie ." 1 +As a bishop of Poznań , he participated in the Synod in Łęczyca in 1180 . In 1180 , as a bishop of Łęczyca , he participated in the Synod in Poznań . 0 +Joe Perry won his seventh professional title by defeating Stephen Maguire 4 -- 2 in the final . Stephen Maguire won his seventh title by defeating Joe Perry in the final with 4 : 2 . 0 +Miloslav Mečíř won against John McEnroe with 6 -- 0 , 3 -- 6 , 6 - 2 , 6 -- 2 in the finals . Miloslav Mečíř won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against John McEnroe . 1 +In March 1298 , he received Mongolian official recognition as the ruler of Burma . In March 1298 , he received official Mongolian recognition as the ruler of Burma . 1 +In the provinces of Hainan , Guangdong , and Guangxi , Russ has killed at least 74 people and injured another 726 people . Russ has injured at least 74 people in the provinces of Hainan , Guangdong , and Guangxi and killed another 726 people . 0 +The catalog number for the Limited Edition is GNCX-1006 , whereas the regular edition is GNCX-1005 . The catalog number for the regular edition is GNCX-1006 while the limited edition is GNCX-1005 0 +The Buchan Caves are located east to the northeast ( or five hours drive ) from Melbourne on Princes Highway , north of Lakes Entrance . The Buchan Caves are located about east to the northeast ( or five hours drive ) from Lakes Entrance , along Princes Highway , north of Melbourne . 0 +As Professor of Sociology at the ETH Zurich , he worked on social game theory and agent-based computer simulations of evolutionary processes and phenomena . As professor of Sociology at ETH Zurich , he worked on social game theory and agent-based computer simulations of evolutionary processes and phenomena . 1 +The town of Otisfield , currently in Cumberland County , was part of the Oxford County until 1978 . The town of Otisfield , currently in Cumberland County , was part of Oxford County until 1978 . 1 +The Nordiques signed Free Agent Tony Currie from the Toronto Maple Leafs , while Blake Wesley , who signed with Edmonton Oilers , lost . The Nordiques signed free agent Tony Currie from the Toronto Maple Leafs , while they lost Blake Wesley , who signed with the Edmonton Oilers . 1 +The special Born Warriors Trilogy was released on DVD and Blu-ray in 2016 , and a full 4 Disc Deluxe Edition was released in 2017 . The special Born Warriors Trilogy was released on DVD and Blu-ray in 2016 . A full 4 Disc Deluxe Edition was released in 2017 . 1 +Ellis met Oscar Bonavena in the second round of the tournament . During the second round of the tournament , Ellis met Oscar Bonavena . 1 +The season of the National Basketball Association from 1979 to 80 was the 34th NBA season . The NBA season from 1979 to 80 was the 34th season of the National Basketball Association . 1 +In September 2004 , NL Industries completed the acquisition of 68 % of CompX International for $ 168.6 million . In September 2004 , NL Industries completed the acquisition of 68 % of CompX International at $ 168.6 million . 1 +Fowey Rocks Light is located seven miles southeast from Cape Florida on Key Biscayne . Fowey Rocks Light is located seven miles southeast of Key Biscayne on Cape Florida . 0 +"The Oxford English Dictionary quotes Hoccleve as one of the modern users of the term "" slut "" in its modern sense , though not in its original spelling ." "The Oxford English Dictionary cites Hoccleve as one of the modern users of the term "" slut "" in its modern sense , though not in its initial spelling ." 1 +Colchester won 2 -- 0 with goals from coming from Freddie Sears on his second debut for the club and Jabo Ibehre . Colchester won 2 -- 0 with gates from Freddie Sears on his second debut for the club and Jabo Ibehre . 0 +Ryszard Kaczorowski accepted symbols of the pre-war presidency from Lech Wałęsa . Ryszard Kaczorowski received symbols from the pre-war presidency of Lech Wałęsa . 1 +Germar Scheerer , also known as Germar Rudolf , born October 29 , 1964 , is a German chemist and a convicted Holocaust denier . Germar Scheerer , also known as Germar Rudolf , born 29 October 1964 , is a German chemist and a convicted Holocaust denier . 1 +"The case was presented in 2004 in the BBC - Drama "" In Denial of Murder "" , where Jason Watkins played Stephen Downing and Caroline Catz Wendy Sewell ." "The case was featured in the 2004 BBC drama "" In Denial of Murder "" in which Jason Watkins played Stephen Downing and Caroline Catz played Wendy Sewell ." 0 +"In his own autobiography "" Long Walk to Freedom "" , Nelson Mandela mentions James Gregory in two cases : the first one during his imprisonment in Pollsmoor :" "In his own autobiography , "" Long Walk to Freedom "" , James Gregory mentions Nelson Mandela in two occasions . The first was during his imprisonment in Pollsmoor :" 0 +Julio Peralta and Horacio Zeballos won the title , defeating Sergio Galdós and Luis David Martínez at 6 : 2 , 6 : 2 in the final . Sergio Galdós and Luis David Martínez won the title , defeating Julio Peralta and Horacio Zeballos 6 -- 2 , 6 -- 2 in the final . 0 +The film was shot on location in Munich and Bavaria and at the Bavaria Studios in Austria . The film was shot on site in Munich and in Bavaria and at the Bavaria Studios in Austria . 1 +Hafdís Huld is in a relationship with musician Alisdair Wright . Hafdís Huld is in a relationship with the musician Alisdair Wright . 1 +It is distributed from China to Siberia and found growing in rocky slopes or dry places . It is distributed from China to Siberia and found in dry slopes or rocky places . 0 +Barry Wagstaff , ( born November 26 , 1945 ) , was a professional footballer with Rotherham United , Reading and Sheffield United . Barry Wagstaff , ( born 26 November 1945 ) was a professional footballer with Rotherham United , Reading and Sheffield United . 1 +She married German air force sergeant Rolf Rometsch , who was stationed at the West German embassy . She married West German air force alumni Rolf Rometsch , who was stationed at the German Embassy . 0 +They have expanded since then , even during the recent recession , with 54 sites in southern California , and 9 more in northern California . They have since expanded , even during the recent recession , and have 54 locations in Northern California , with 9 more in Southern California . 0 +Prominent examples of the Dutch Renaissance style in Copenhagen are the Børsen on the Slotsholmen and the Frederiksborg palace in Hillerød . Børsen on Slotsholmen and Frederiksborg Palace in Hillerød are prominent examples of the Dutch Renaissance style in Copenhagen . 1 +Samuel Groth won the tournament after defeating Danai Udomchoke in the final with 7 : 6 , 6 : 3 . The Danai Udomchoke won the tournament after defeating Samuel Groth 7 -- 6 , 6 -- 3 in the final . 0 +Here , he was much nerdier , gawkier , and scrawnier than his later versions . Here he was much nerdier , gawkier and scrawnier than his later editions . 1 +In this article the connected simple Lie groups with trivial center are listed . In this article are the associated simple Lie groups with trivial center listed . 1 +For artists such as Kelly Clarkson , Sam Hunt , Old Dominion , Kacey Musgraves and Midland he has produced or co-produced records . McAnally has produced or co-produced records for artists such as Kacey Musgraves , Old Dominion , Kelly Clarkson , Sam Hunt , and Midland . 1 +Cases are sorted into general areas of the American indigenous law with a chronological listing at the end of the article . Cases are sorted into general areas of Native American law , with a chronological listing at the end of the article . 1 +Abbie Carmichael ( played by Jamie Ross ) replaced season 8 's Carey Lowell ( Angie Harmon ) in the role of Assistant District Attorney . Abbie Carmichael ( played by Jamie Ross ) replaced Carey Lowell ( Angie Harmon ) of the season 8 in the role of Assistant District Attorney . 1 +For six months Hopkins toured the band through England , the United States and Japan . Hopkins toured six months with the band through Japan , the United States and England . 1 +The flag of the Western Province , was adopted in 1987 for the western province of Sri Lanka . The flag of Western Province , was adopted for the Western Province of Sri Lanka in 1987 . 1 +However , a survey among software engineering experts revealed that documentation is by no means agile in the event of unnecessary development . However , a survey among software engineering experts showed that documentation in agile development is by no means unnecessary . 0 +The average maximum temperature is in summer ( December - January ) and the average low temperature is in winter ( June - July ) . The average low temperature in summer ( December - January ) and the average high temperature in winter ( June -- July ) . 0 +The Roman Catholic Diocese of Masaka is a diocese located in the city of Masaka in the Ecclesiastical province of Uganda in Kampala . The Roman - Catholic diocese of Masaka is a diocese located in the town of Masaka in the church province of Uganda in Kampala . 1 +For the recording of this album , a new drummer , Dave Traves , joined the band , as did a second guitarist Heyden Wilson . For the recording of this album , a new drummer , Dave Traves , joined the band , as were a second guitarist Heyden Wilson . 1 +Hucknall Town was a railway station on the Great Northern Railway 's Nottingham to Shirebrook line . Hucknall Town was a railway station on the Shirebrook to Nottingham - line of the Great Northern Railway . 0 +The father was an influential writer on agricultural law and poor questions between 1825 and 1828 . The father was an influential writer on agricultural law and poor issues between 1825 and 1828 . 1 +His daughter Agneta Elizabeth Yorke married the banker Robert Cooper Lee Bevan . His daughter , Agneta Elizabeth Yorke , was married to the banker Robert Cooper Lee Bevan . 1 +Irving Berlin , ( born 1904 , died 1991 , Long Island , New York ) was a songwriter and the principal arranger and orchestrator for Helmy Kresa . Irving Berlin ( born 1904 , died 1991 , Long Island , New York ) was a songwriter and main arranger and orchestrator for Helmy Kresa . 1 +The sessions were arranged by Nick De Caro and engineered by Bruce Botnick . The sessions were arranged by Bruce Botnick and scheduled by Nick De Caro . 0 +Lester B. Faulkner was temporary chairman until the choice of George M. Beebe as president . Lester B. Faulkner was temporary chairman until the election of George M. Beebe as president . 1 +Finally , the global rigidity matrix is expanded by adding together the individual constructed element matrices . Finally , the global stiffness matrix is built up by adding together the individual element matrices expanded . 0 +Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Andrea Belicchi + 20 kg and Jordi Gené + 10 kg . Due to the results in the last round , Gianni Morbidelli received + 30 kg , Andrea Belicchi + 20 kg and Jordi Gené + 10 kg . 1 +A few years later , Hyman became himself Goodman pianist . A few years later , Hyman himself became Goodman 's pianist . 1 +It is published by FunLabs and developed by Activision . It is being developed by FunLabs and published by Activision . 0 +"Chontelle Moore is an American actress known for her role as the pilar in "" ." Pilar is an American actress , best known for her role as Chontelle Moore . 0 +Peggy Edenfield testified in the case against her husband David and has also agreed to testify against her son George during his trial . Peggy Edenfield testified against her husband David in that case and also agreed to testify during his trial against her son , George . 1 +The station opened December 8 , 1890 , closed November 8 , 1969 , and was demolished in 1971 . The train station was opened on December 8 , 1890 , closed on November 8 , 1969 and demolished in 1971 . 1 +36.4 % were Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % of Scottish origin according to the 2000 census . 36.4 % were of Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % Italian and 5.4 % Scottish ancestry according to Census 2000 . 0 +"The same report appears in Richard Hardyng 's "" Chronicle , where Cador Arthur 's brother "" is called the Syde of his mother "" ." The same account appears in Richard Hardyng 's Chronicle where Arthur is called Cador 's brother of his mother 's side . 0 +"In "" Home Alone "" , Kate McCallister traveled through Dallas/Fort Worth from Paris on her way to Chicago ." "In "" Home Alone "" Kate McCallister traveled from Chicago on her way to Dallas / Fort Worth through Paris ." 0 +""" The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment released it on October 6th , 2015 in North America ." """ The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." 0 +The damage in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo and Cabo San Lucas was particularly difficult . Damage was particularly heavy in La Paz , Triunfor , San Antonio , San Bartolo , Miraflores , San José del Cabo , and Cabo San Lucas . 1 +Tuckerton is located in the 2nd Congressional District and is part of the 9th State Legislative District in New Jersey . Tuckerton is located in the 9th Congressional District and is part of New Jersey 's 2nd state legislative district . 0 +In autumn 2014 , Stephen Merchant Tom supported his European Tour . In Autumn 2014 , Stephen Merchant supported Tom on his European Tour . 1 +The election of Lincoln in 1860 opened a new era of republican dominance in the agricultural north and the industrial Midwest . The election of Lincoln in 1860 opened a new era of Republican dominance based in the industrial North and agricultural Midwest . 0 +Busabout New South Wales is an Australian private bus company formed in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , Wagga Wagga . Busabout Wagga Wagga is an Australian private bus company that was founded in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , New South Wales . 0 +"Within the UGent network , a series of electronic resources are available as part of a "" digital library "" ." "Within the UGent network , a range of digital resources are available as part of an "" electronic library "" ." 0 +He copied the works of Frans Floris , Maerten de Vos , Jan van Cleef , Willem Key , Cornelis van de Capelle and Gillis van Coninxloo . He copied works of Willem Key , Maerten de Vos , Jan van Cleef , Frans Floris , Cornelis van de Capelle and Gillis van Coninxloo . 1 +The subspecies of the Chinese box turtle and the schwarzbreasted pond turtle are native to the islands , as is the Ryukyu yellow leaf turtle . Subspecies of the Chinese box turtle and the yellow pond turtle are native to the islands , as is the Ryukyu black-breasted leaf turtle . 0 +The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left orientation and the hierarchically nested elements are further indented . The specific number of spaces in the indentation is unimportant as long as parallel elements have the same left alignment and the hierarchically indented elements are further nested . 0 +The government of Punjab , a federal government in the provincial structure of Pakistan , is located in Lahore , the capital of the province of Punjab . The Government of Punjab , a federal government in the provincial structure of Pakistan , is based in Lahore , the capital of the Punjab Province . 1 +"Unrealistic is known to have great body proportions for his characters and "" Tenjho Tenge "" is no different ." "Great is known for his characters to have unrealistic body proportions , and "" Tenjho Tenge "" is no different ." 0 +Louisa Catherine had an illegitimate daughter , Sarah , March 22 , 1839 . Sarah had an illegitimate daughter , Louisa Catherine , on 22 March 1839 . 0 +"YU grupa guitarist Dragi Jelić , Ivan Vdović "" VD "" , Sr "" unk "" at Todorović and Roze Poze guitarist Željko Nikolić appeared as guests on the EP ." "As guests on the EP appeared YU grupa guitarist Dragi Jelić , Ivan Vdović "" VD "" , Srđan Todorović and Roze Poze guitarist Željko Nikolić ." 1 +In January 2001 , he married Mayer Damian Smith . Mayer married Damian Smith in January 2001 . 0 +It does not much matter whether modern users know that they are classical or not . It does not matter whether classical users know that they are modern or not . 0 +It is based on Philip Dunne and Casey Robinson 's novel of the same name and the screenplay was adapted by Mika Waltari . It is based on the same novel by Philip Dunne and Casey Robinson , and the screenplay was adapted by Mika Waltari . 1 +"Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish - Swedish soprano ." "Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- 6 December 1795 ) , was a Swedish - Finnish soprano ." 0 +The NBA season 1988 -- 89 was the 43rd season of the National Basketball Association . The 1988 -- 89 National Basketball Association season was the 43rd season of the NBA . 1 +The Italian St. Giovanni Bosco Church is named after St. John Bosco . The Italian church St. John Bosco is named after St. Giovanni Bosco . 0 +Jones is the son of Timothy and Patricia Jones and has an elder sister , Taryn , and two younger brothers , Samuel and Timothy . Jones is the son of Timothy and Patricia Jones , and has one younger sister , Taryn , and two older brothers , Samuel and Timothy . 0 +"George Jones picked up the song as "" Somebody Always Paints the Wall "" on his album "" You Oughta Be Here with Me "" from 1990 ." "George Jones recorded the song as "" Somebody Always Paints the Wall "" on his 1990 album "" You Oughta Be Here with Me "" ." 1 +Since 2008 , Hoyer has been touring Canada several times , once with Sean Nicholas Savage , once with Michael Rault , and twice with The Joe . Hoyer has toured Canada several times since 2008 , including twice with Michael Rault , once with Sean Nicholas Savage , and once with The Joe . 0 +On 5 July 1846 , he married Elisabeth Klein ( 1828 -- 1899 ) , daughter of the composer Friedrich Nicolai and great-granddaughter of Bernhard Klein . On July 5 , 1846 , he married Elisabeth Klein , ( 1828 -- 1899 ) , daughter of the composer Bernhard Klein and great-grandmother of Friedrich Nicolai . 0 +The Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum was a psychiatric hospital in Talgarth , Wales . The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and the Radnor Joint Counties , was a psychiatric hospital in the Mid Wales Hospital . 0 +Neyab ( also romanized as Neyāb ) is a village in the district of Safiabad , Bam and Safiabad , Esfarayen County , North - Khorasan - Province , Iran . Neyab ( also Romanized as Neyab ) is a village in Esfarayen County , North Khorasan Province , Iran , Bam and Safiabad District , Safiabad Rural District . 0 +Deerfield is drained by the rivers South Deerfield and Connecticut . Deerfield is drained by the South Deerfield and Connecticut rivers . 1 +December 18 : Received Matt Long and Jarrett Martin from the Los Angeles Dodgers for Shawn Zarraga . 18 December : Matt Long and Jarrett Martin of the Los Angeles Dodgers for Shawn Zarraga received . 1 +That night , Emperor Muzong died , and Li Zhan took the throne ( as Jingzong Emperor ) . That night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . 1 +"All songs written by Graham Russell , except for "" A Place Where We Belong "" by Alejandro Lerner ." "All songs written by Graham Russell ; except "" A Place Where We Belong "" co-written by Alejandro Lerner ." 1 +After many delays , the segment from Kaduna to Abuja ( 187 km ) opened officially on 26 July 2016 . The segment from Abuja to Kaduna ( 187 km ) was officially opened on July 26th , 2016 after many delays . 0 +Wollheim wrote that Gay tries to understand Freud 's life and thought , including only as much of Freud 's thoughts as necessary to integrate his life . Wollheim wrote that Gay tries to integrate Freud 's life and thought , including only as much of Freud 's thought as necessary to understand his life . 0 +He attacked the Goa territories and forced them back to the Portuguese coast . He attacked the Goan territories and forced them back to the Portuguese coast . 1 +Enrique Ponce ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Alfonso Enrique Ponce Martínez , a famous Spanish bullfighter . Alfonso Enrique Ponce Martínez ( born December 8 , 1971 in Chiva , Valencia , Spain ) is also known as Enrique Ponce , a famous Spanish bullfighter . 1 +The Bank is owned by the United Bank of India and is sponsored jointly by the Government of India , the Government of Tripura and UBI . The bank is Owned by United Bank of India & is jointly sponsored by the Government of India , Government of Tripura and UBI . 1 +"was played by Pruitt Taylor Vince in the film "" JFK "" in 1991 ." "Pruitt Taylor Vince was played by Bowers in the 1991 film "" JFK "" ." 0 +However , in 1805 he left York to study theology at Manchester College in Sheffield . In 1805 , however , he left York to study theology at the Manchester College in Sheffield . 1 +A multi region - DVD of the entire series was announced by Warner Archive on 4 February 2015 and released on February 10 , 2015 . A multi-region - DVD of the entire series was published by Warner Archive on February 4 , 2015 and announced on February 10 , 2015 . 0 +"In hieroglyphic - Arabic is the Egyptian script "" called the alphabet of birds "" ." "In Egyptian Arabic , the hieroglyphic script "" is called the alphabet of birds "" ." 0 +The eastern part of Chaoyang is home to a mountain that has been called the Fenghuang Mountain since the ancient times . The eastern part of the Fenghuang Mountain is home to a mountain that has been called Chaoyang since ancient times . 0 +Char Hesamaddi is a village in Barisal Division in the Barisal District of southern-central Bangladesh . Char Hesamaddi is a village in the Barisal District of Barisal Division in Southern Central Bangladesh . 1 +At the age of nine , Garcia appeared in his first concert and has since appeared alone or with his aunt and uncle in all parts of France . At the age of nine , he appeared in his first concert and since then he has appeared alone or with his aunt and uncle in all parts of France . 1 +The last surviving independent local company , Wright & Son , ran a service from Penycae to Wrexham via Rhos , and also via Ponciau later . The last surviving independent local company , Wright Son , led a service from Penycae to Wrexham via Rhos and later also through Ponciau . 1 +The shells are made of aragonite , although the primary deposits may consist of cameral calcite . The shells are formed of aragonite , although the primary deposits may consist of cameral calcite . 1 +According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave the promos to Anarquia . According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotyped jargon , so gave TNA the promos to Anarquia . 0 +The first section was open on December 15 , 1907 from Pasco to the west of Cliffs ( near Maryhill ) , a length of , opened . The first section to open was from Maryhill west to Cliffs ( near Pasco ) , a length of , on December 15 , 1907 . 0 +The first integer formula 177 , for which the Formula 178 has the formula 179 rank , is the Formula 180 . The first integer formula _ 177 for which formula _ 178 is rank formula _ 179 has formula _ 180 . 0 +Grégoire was born in Lunéville near Vého as son of a tailor . Grégoire was born in Vého near Lunéville as the son of a tailor . 0 +In the semi-finals , the teams play teams first in the pools and the second place from the other pool . In the semi-finals , the teams play second in the pools , the first place teams from the other swimming pool . 0 +At the 2012 Summer Olympics , Brady Ellison qualified for the last 32 , where he was retired by Javier . At the 2012 Summer Olympics , Javier qualified for the last 32 , where he was knocked out by Brady Ellison . 0 +Mercer was the brother of George Mercer , John Francis Mercer and father of Charles Fenton Mercer . Mercer was the brother of George Mercer and John Francis Mercer , and father of Charles Fenton Mercer . 1 +After leaving the East India Company College Frere was appointed a writer in the Bombay ( now Mumbai ) civil service in 1834 . In 1834 , after leaving the East India Company College , Frere was named a writer in the Mumbai ( now Bombay ) civilian service . 0 +The original edition was published in 1953 in New York by Allen & Unwin and in London by Harper . The original issue was published in 1953 by Allen Unwin in London and by Harper in New York . 0 +Administration is an administration in the central region Zoba Maekel ( Maekel ) of Eritrea . North Western Administration is an administration in the central Zoba Maekel region ( Maekel ) of Eritrea . 0 +On average January is the warmest month , the coolest month in July and June the wettest month . On average , January is the warmest month , July is the coolest month , and June is the wettest month . 1 +Much of the eastern half of the city is relatively rural , while the western part of the city ( roughly from Woodbury Point east ) is more urbanized . Much of the western half of the city is relatively urbanized , while the eastern part of the city ( say , Woodbury Point East ) is more rural . 0 +Effective October 1 , 2012 , the airline has moved all operations from Suvarnabhumi Airport to Don Mueang International Airport . Effective October 1 , 2012 , the airline has transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport . 0 +The membrane is stretched out and the harpoon or edge is clipped into the track . The membrane is stretched and the harpoon or catch edge is clipped into the track . 1 +"The following table shows Libya 's ratings since 1972 in the "" Freedom in the World "" reports , which are published annually by the US government-funded Freedom House ." The following table shows Libya 's ratings since 1972 in the Freedom in the World reports , published annually by the US government-funded Freedom House . 1 +Multiple branches of the Castor River , a tributary of the South Nation River , flow through the township . Several branches of the South Nation River , a tributary of the Castor River , flow through the township . 0 +Sasol , in Sasolburg , operates commercial gasification plants in Secunda , Mpumalanga and in South Africa . Sasol operates commercial gasification plants in Sasolburg , Secunda , Mpumalanga and South Africa . 1 +Zina Garrison and Sherwood Stewart were the title defenders , but lost to Jana Novotná and Jim Pugh in the second round . The title defenders were Jana Novotná and Jim Pugh , but lost to Zina Garrison and Sherwood Stewart in the second round . 0 +His involvement in Uzbekistan ended in 2002 years ago and the Tournament has now moved to Thailand in Asia . His engagement ended in Thailand years ago 2002 and the tournament has now moved to Uzbekistan in Asia . 0 +North Tripura district is in the Lok Sabha constituency of Tripura East , which is shared with Dhalai and South Tripura districts . North Tripura district is shared in the Lok Sabha constituency of South Tripura , which is divided with Dhalai and Tripura East . 0 +Jeetenkumar Naorem and Tony Aheibam composed the soundtrack for the film and Raju Mikoncha wrote the lyrics . Jeetenkumar Naorem and Tony Aheibam have composed the soundtrack for the film and Raju Mikoncha wrote the lyrics . 1 +His birth certificate records his name as Carmen Erminio Blotta , but his Argentine ID documents instead have Erminio Antonio Blotta Mainieri . His birth certificate records his name as Erminio Antonio Blotta Mainieri , but his Argentine identity papers have Carmen Erminio Blotta instead . 0 +It was assigned to Felidae by Carroll ( 1988 ) , but later , it was then later placed within Nimravidae . It was assigned to Felidae by Carroll ( 1988 ) , but later it was later placed within Nimravidae . 1 +Karinizhal is a 1971 Indian Malayalam film , produced by JD Thottan and directed by Kovai Ramaswamy . Karinizhal is an Indian Malayalam film , directed by JD Thottan in 1971 and produced by Kovai Ramaswamy . 0 +At the same time , Klaus meets Elena and asks Elena and Stefan to go with him so they can start the ritual that will break the curse . At the same time , Klaus meets Elena and Stefan and asks Elena to go with him so that they can start the ritual that will break the curse . 0 +They could instead have been relatives , perhaps members of a family bonded by blood to serve Dracula . Instead , they could have been relatives , perhaps members of a family connected by blood to serve Dracula . 1 +The most important innovation of the efficient matrix method is the development of hierarchical algorithms for implementing : The most important innovation of the efficient matrix method is the development of hierarchical algorithms for performing 1 +SWAs are responsible for urban water supply , in some countries also for rural water supply . SWAs are responsible for rural water supply , and in some states also for urban water supply . 0 +He was born in Frederick Dallas Cairns in London , England , UK and died in Melbourne , Australia . Born in Frederick Dallas Cairns , Melbourne , Australia , he died in London , England , UK . 0 +The closest airport is Kirishima , located in Kagoshima Airport . The closest airport is Kirishima which is located in Kagoshima Airport . 1 +Eddy Heurlié ( born 27 December 1977 in Martinique ) is a Martiniquais footballer , who currently plays for lower league outfit CS Bélimois in Le Lamentin . Eddy Heurlié ( born December 27 , 1977 in Martinique ) is a Martiniquais footballer who currently plays in the lower league CS Bélimois in Le Lamentin . 1 +Alworth was chosen in the first round ( eighth overall ) of the 1962 NFL draft by the San Francisco 49ers . Alworth was elected by the San Francisco 49ers in the eighth round ( first overall victory ) of the NFL - draft in 1962 . 0 +German officials conducted interviews with the two men , in Germany , in March , to confirm their suitability for transfer to Guantanamo . In March , the two German officials in Germany conducted interviews with the two men to confirm their suitability for transfer to Guantanamo Bay . 1 +Robin Söderling defeated Fernando Verdasco , 6 -- 3 , 4 -- 6 , 6 - 3 . Fernando Verdasco defeated Robin Söderling , 6 -- 3 , 4 -- 6 , 6 -- 3 0 +He has presented papers and the College Art Association conference in Toronto ( 2007 ) and at the Subtle Technologies Conference in New York ( 2002 ) . He has presented presentations and the College Art Association Conference in New York ( 2007 ) and at the Subtle Technologies Conference in Toronto ( 2002 ) . 0 +After his move to Wawel , style antico became the musical language of the main statement of Pękiel . After his move to Wawel , style antico became the main language of the musical statement of Pękiel . 0 +Although the two sections appear in full text in modern editions , Chapter X has also been published separately , both as a separate book and in collections . Although the two sections in the full text appear in separate issues , Chapter X has also been published separately as a modern book and in collections . 0 +He died 5 weeks after former President Jaime Lusinchi on May 21 , 2014 . He died 5 weeks after former President Jaime Lusinchi did on 21 May 2014 . 1 +Olivella alba is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . Olivella alba is a kind of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 1 +He left Maynooth after ordination for the Diocese of Clonfert in 1895 and was appointed as a Roman Catholic priest to Loughrea , County Galway between 1896 and 1904 . He left Maynooth after the consecration to the Diocese of Clonfert in 1895 and was appointed between 1896 and 1904 as a Roman Catholic priest to Loughrea , County Galway . 1 +She sailed via Sydney and arrived in Rio de Janeiro on 14 September . She sailed over Sydney and arrived in Rio de Janeiro on 14 September . 1 +Recent built works include a modernist residence in Charlotte , NC 's East Side and Urban Markers in Providence . Recently built works include a modernist residence in Providence East Side and Urban Markers in Charlotte , NC . 0 +The Comina River is a tributary of the River Slănic in Romania . The Comina River is a tributary of the Slănic River in Romania . 1 +In January 1967 , Daltoni won second place at the first guitar festival of Belgrade . In January 1967 Daltoni won the first place at Belgrade 's second Guitar festival . 0 +Girish Puthenchery wrote the text for the songs composed by Johnson . Johnson wrote the texts for the songs by Girish Puthenchery composed . 0 +ChicWIT was followed by MassWIT in Boston , NycWIT in New York City , and CapitolWIT in Washington , D.C . This was followed by MassWIT in Boston , NycWIT in New York and CapitolWIT in Washington , D.C . 1 +Geographically , these correspond to the traditional Glasgow District , South , Edinburgh District , and North and Midlands districts . These roughly correspond to the geographically traditional districts of Glasgow District , Midlands , Edinburgh District and North and South . 0 +It was formed in 1998 by Astrid M. , Robert N. and Olaf K . It was formed by Olaf K. , Robert N. and Astrid M. in 1998 . 1 +This was also the first series since the fifth , including a railway consultant in the role as part of the production team with Sam Wilkinson . This was also the fifth series since the first including a railway consultant in the role as part of the production team with Sam Wilkinson . 0 +WORHP , also referred to as eNLP ( European NLP Solver ) , is a nonlinear software library for numerically solving continuous mathematical optimization problems on a large scale . WORHP , also referred to as eNLP ( European NLP solver ) by ESA , is a nonlinear software library for solving continuous large scale mathematical optimization problems numerically . 0 +The late period ( 2600 to 2000 BC ) of the Longshan culture in the middle Yellow River area is contemporaneous with the classic Shandong Longshan culture . The middle period ( 2600 to 2000 BC ) of the Yellow River culture in the late Longshan area is coinciding with the classical Shandong Longshan culture . 0 +Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by East Coast Railway . Samata Express is a super quick express train between New - Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by the East Coast Railway . 0 +Wulffius came with her son to Germany , where she lived in Australia until she fled in 1953 . Wulffius fled to Germany with her son where she lived until she came to Australia in 1953 . 0 +Winters are very warm with average temperatures in January , while the summers are cold with average temperatures . Winters are very warm with average temperatures in January , while summers are cold with average temperatures . 1 +He played for the Chicago Cubs for 10 matches during the 1991 season Kansas City Royals and four games during the 1992 season in Kansas City Royals . He played for the Chicago Cubs for ten games during the 1991 Kansas City Royals season and four games during the 1992 Kansas City Royals season . 1 +He was born in Stockholm and died in Bromma . He was born in Bromma , died in Stockholm . 0 +Trained by César Cielo , coach of the American swimmer Bob Bowman , at the University of Michigan , he is a childhood friend of Michael Phelps . Trained with César Cielo , coach of American swimmer Bob Bowman , at the University of Michigan . He is a childhood friend of Michael Phelps . 1 +In 2005 , Toshiaki Imai was assistant of Chen , then manager of the Chinese Taipei national team appointed . In 2005 , Chen was assistant to Toshiaki Imai , then manager of the Chinese Taipei national team . 0 +The game was announced on 16 May when Steam Greenlight campaign was launched . The game was launched on 16 May when the Steam Greenlight campaign was announced . 0 +"Based on the "" Disney Fairies "" franchise , it was animated and produced by DisneyToon Studios by Prana Studios ." "Based on the "" Disney Fairies "" franchise , it was produced by DisneyToon Studios , animated by Prana Studios ." 0 +Ian Weatherhead lived in Somerset many years before moving to Cheltenham . For many years , Ian Weatherhead lived in Somerset , before moving to Cheltenham . 1 +29 of the 30 head coaches are American , with the exception being Jay Triano of the Phoenix Suns , who is Canadian . 29 of the 30 chief coaches are American , with the exception of Jay Triano the Phoenix Suns , who is Canadian . 1 +Also personal web hosting - services such as geocities provided free web space for several free websites . Also personal web hosting services such as Geocities provided free web space for several free web pages . 1 +The Xinjiang Uyghur Autonomous Region is a river on the Yarkand River in Western China . The Yarkand River is a river in the autonomous region of Xinjiang Uyghur in West China . 0 +It inhabits rather dry habitat on the border between the Great and Little Karoo of western Northern Cape and eastern Free State provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of Eastern Northern Cape and the Western Free State Provinces , South Africa . 0 +In 1976 , a version of Wonder Girl called Wonder Woman appeared in the Drusilla TV series and was played by Debra Winger . "In 1976 , a version of Wonder Girl named Drusilla appeared in the "" Wonder Woman "" television series and was played by Debra Winger ." 0 +On the same date , Quebec Railway Corporation announced that it was purchasing the Sydney Coal Railway ( SCR ) from the Logistec Corporation . On the same day , the Quebec Railway Corporation announced that it is purchasing the Sydney Coal Railway ( SCR ) from Logistec Corporation . 1 +He is a member of ACM , the IEEE , the AAAS and the EATCS . He is a fellow of the IEEE , the ACM , the AAAS , and EATCS . 1 +He was the brother of the actor Barry Lupino ( 1882 - 1962 ) and father of Ida Lupino . He was the brother of the actor Ida Lupino ( 1882 -- 1962 ) and father of Barry Lupino . 0 +Eurosta is a species of the Tephritidae family , known in North America as fruit flies and in Europe as wing flies . Eurosta is a genus of the family Tephritidae , known as fruit flies in North America and Picture wing flies in Europe . 1 +This later became the permanent family home , after purchase in 1948 by Robert Lorimer 's son , the sculptor Hew Lorimer . After the purchase in 1948 by the son of Hew Lorimer , the sculptor Robert Lorimer , this later became the permanent family home . 0 +"Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" by singer Adele in 1985 ." "Adele was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" by singer Ahmet Kaya in 1985 ." 0 +1843 : China : Sailors and marines from the Canton were landed after a clash between Americans and Chinese at the trading post in St. Louis . 1843 : China : Sailors and Marines from St. Louis were landed at the trading station in Canton after a clash between Americans and Chinese . 0 +The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharges . The role of corpus callosum in the epilepsy is the interhemispheric transmission of epileptiform discharges . 1 +Youth Jason played youth football in the same league which his brother Aaron Humble Area Football League HAFL did Aaron played youth football in the same league his brother Jason did Humble Area Football League HAF 0 +The first section was on 15 December 1907 from Pasco west to Cliffs ( near Maryhill ) , opening a length of , . The first section to open was from Pasco west to Cliffs ( near Maryhill ) , a length of , on December 15 , 1907 . 1 +In 1848 the Catholic parish of Kilmihil ( Kilmacduane ) was once again separated from Cooraclare . In 1848 the Catholic parish of Kilmacduane was separated from Cooraclare again . 1 +Unconventional cancer treatments -- see experimental cancer treatment -- experimental cancer treatments -- see unconventional cancer treatment 0 +Jeremy Horn lives in his hometown of Memphis , with his wife Denise and their children Judah , Liam and Daisy . Judah lives with his wife Denise and the children of Jeremy Horn , Liam and Daisy in his hometown of Memphis . 0 +In 1848 the Catholic parish of Cooraclare ( Kilmacduane ) was once again separated from Kilmihil . In 1848 the Catholic parish of Kilmacduane was separated from Cooraclare again . 0 +Cork station was on the Dripsey and Muskerry Light Railway in County Cork , Ireland . Dripsey railway station was on the Cork and Muskerry Light Railway in Cork , Ireland . 0 +The Edmonton Oilers became the first National Hockey League team in Alberta when they were absorbed by the NHL than the WHA Fold . The Edmonton Oilers became the first National Hockey League team in Alberta as they were absorbed by the NHL when the WHA folded . 1 +She left London on January 1 , 1829 via Madras to Sydney . She left Sydney on 1 January 1829 for London via Madras . 0 +"The series is based on the book series "" The Mortal Instruments "" from Ed Decter and was developed by Cassandra Clare for television ." "The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed by Ed Decter for television ." 0 +The venue features two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1,100 people ) . The venue has two stages , a small stage ( capacity of 300 people ) and a main stage ( capacity 1,100 people ) . 0 +Morris Township is located on the 11th Congressional District and is part of the 25th State Legislative District in New Jersey . Morris Township is located in the 25th Congressional District and is part of the 11th State Legislative District of New Jersey . 0 +Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a former Belgian road cyclist , the brother of another cyclist professional , Bert Scheirlinckx . Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a road cyclist , brother of another Belgian bicycle professional , Bert Scheirlinckx . 0 +After the season , he , Rick Anderson , Juan Beniquez and Jerry Narron were traded for Ruppert Jones and Jim Lewis at the Seattle Mariners . After the season , he , Ruppert Jones and Jim Lewis were traded to the Seattle Mariners for Rick Anderson , Juan Beníquez and Jerry Narron . 0 +"It is Goine 's first published work and was written before "" Dopefiend "" , but was written in 1972 after "" Dopefiend "" was published ." "It is Goine 's first written work and was written before "" Dopefiend "" , but was released in 1972 after "" Dopefiend "" was published ." 0 +Philip Marlowe was not exactly my idea of Elliott Gould , but we were there nonetheless . Philip Marlowe was not exactly my idea of Elliott Gould , but anyway there we were . 1 +"In other words , "" remember the death "" or "" remember that you will die "" ." "In other words , "" die "" or "" remember that you will remember "" ." 0 +He wears a red and blue baseball cap , and a green and yellow t-shirt . He wears a green and yellow baseball cap and a red - blue T-shirt . 0 +The original flag , however , had a green instead of brownish color . However , the original flag had a brownish colour instead of green . 0 +Although the Maryland Department of Transportation is headquartered in Anne Arundel County , three of its subordinate organizations have in Baltimore . Although the Maryland Department of Transportation is located in Baltimore , three of its subordinate organizations have their headquarters in Anne Arundel County . 0 +Directed by Go Nagai , his first film as director and his third film as a solo director . It was directed by Go Nagai , his third film as director and his first as a solo director . 0 +"The instruments of Embergher are remarkable , not only the richness and fullness of tone are unequalled , but the intonation is also perfect """ The instruments of Embergher are unsurpassed , not only are the richness and fullness of tone remarkable , but also the intonation is perfect . 0 +A few months later , Tim and his girlfriend , Molly Milevic ( Abby Meates ) , go out with Toadie and Genevieve Doyle ( Lulu McClatchy ) . A few months later , Tintin and his girlfriend , Molly Milevic ( Abby Meates ) , go with Toadie and Genevieve Doyle ( Lulu McClatchy ) . 1 +The system required the user to encode the default spelling first into a quasi-phonetic rendering . The system required the user to first encode the quasi-phonetic spelling into a standard rendering . 0 +Montenegro is a municipality located in the western part of the Quindío department of Colombia , 10 km west of the district capital Armenia . It is a municipality located in the western part of the department of Montenegro , Colombia , 10 km west of the district capital Armenia . 0 +This association was further enhanced after the female Christian missionary , Nino , converted Nana , his wife Mirian and household into Christianity in or around 337 . This association was further reinforced after the female Christian missionary Nino , Nana , his wife Mirian and household were converted into Christianity in or around the year 337 . 1 +James Woods won an Emmy for his portrayal of the Wilson . Wilson won an Emmy for his portrayal of James Woods . 0 +Pike , Wyoming County , New York is the name of two villages in New York : Pike , New York is the name of two locations in the Wyoming County , New York : 0 +During his stay in NWA Bloom , Bull Pain challenged Rob Conway & Nick Dinsmore for the NWA OVW Southern tag team titles ending in a no contest . During his stay in NWA Bloom and Bull Pain , Nick Dinsmore called Rob Conway for the NWA OVW Southern Tag Team titles challenged in a no-contest . 0 +I was in a racist environment with white people during my school years . """ During all my school years , I was in a white environment , with racist people ." 0 +African stone tool technologies are divided into the modes outlined by Lawrence Barham and Peter Mitchell in 1969 , and proposed by Grahame Clark as follows : African stone tool technologies are divided into modes as outlined by Lawrence Barham and Peter Mitchell in 1969 and proposed by Grahame Clark as follows : 1 +BBC Radio also presented a live race commentary for the first time , since its 59th broadcast in 1927 . Since its first broadcast in 1927 , BBC Radio has also presented a live racing commentary for the 59th time . 0 +It also hosts occasional BriSCA Formula 1 Stock Cars and BriSCA Formula 2 Stock Cars meetings and various events such as firework displays and occasional shows . It also houses occasional BriSCA Formula 1 Stock Cars and BriSCA Formula 2 Stock Cars meetings and various events such as fireworks and occasional shows . 1 +"In "" Infiltrated "" , Barodius orders Dan and Airzel , Gill of Marucho and Shun to separate ." "In "" Infiltrated "" , Barodius orders Dan and Airzel to separate Gill from Marucho and Shun ." 0 +Another publication in 2008 directly compared the sequences of a second isolate from BiMoV from Taiwan with the sequence of SCSV in Florida . Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan to the sequence of SCSV from Florida . 1 +The Timiş River is a tributary of the Calova River in Romania . The River Timiş is a tributary of the River Calova in Romania . 1 +The hamlet now called Jamesport was first settled in the 1690s and originally was called Aquebogue . The hamlet , now called Jamesport , was first inhabited in the 1690s and was originally called Aquebogue . 1 +The following year , studios and offices were moved to the station at 1484 Beech Street in Hornell , just outside Hornellsville . The following year , studios and offices for the station were moved to the 1484 Beech Street in Hornellsville , just outside Hornell . 0 +Biancaneve is an Italian erotic comic book , created by Renzo Barbieri and Rubino Ventura ( pseudonym by Giuseppe Pederiali ) in 1972 and illustrated by Leone Frollo . Biancaneve is an Italian erotic comic book , created in 1972 by Leone Frollo and Rubino Ventura ( pseudonym Giuseppe Pederiali ) and illustrated by Renzo Barbieri . 0 +With the decline of Dutch power , other colonial powers , the Portuguese , British , and Christian organizations , gained influence . With the decline of Dutch power other colonial powers , the Portuguese , British and Christian organisations gained influence . 1 +Melisio Morales ( sometimes Melesio Morales ) ( December 4 , 1838 - May 12 , 1908 ) was a Mexican composer . Melesio Morales ( sometimes spelled Melisio Morales ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . 1 +It was the third single of the group and their first release on Silvertone Records . It was the third single released by the group and their first release on Silvertone Records . 1 +Pterymarchia barclayana is a species of the great predatory sea snails , a marine gastropod mollusk in the Muricidae family , rock snails or murex screws . Pterymarchia barclayana is a species of large predatory sea snail , a marine gastropod mollusk in the family Muricidae , the rock snails or murex snails . 1 +For the 2007 games , Futsal was added to the Basque programme ( and from 2011 for the first time ) , while Racquetball and only Pelota were dropped . For the 2007 Games Futsal was added to the program for the basque ( and as of 2011 first time ) while racquetball and only pelota were dropped . 1 +Another two goals helped Blyth eliminate North Ferriby United from the FA Trophy , and in the next round he returned to Moor Green again . Another two goals helped Blyth eliminate North Ferriby United from the FA Trophy , and he scored again against Moor Green in the next round . 0 +Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , Šilutė in a German either Prussian Lithuanian or Memellander family . Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , and Šilutė in a German either Prussian - Lithuanian or Memellander family . 1 +Connor betrayed Shield Corporation by telling Neyman the truth about the status of the ozone layer . Connor had betrayed the Shield Corporation by telling Neyman the truth about the ozone layer 's status . 1 +He died on August 16 , 1850 in Clarkstown ( now New City ) , New York City . He died on August 16 , 1850 in New City ( now Clarkstown ) , New York City . 0 +The player character is a freelance pilot from the different colony of Anatolia , who takes jobs from civilian companies . The player character is a freelancer pilot from the civilian colony of Anatolia who takes jobs from different companies . 0 +She previously played for Åland United , FC Honka and HJK of the Finnish Naisten Liiga , as well as for Danish club Fortuna Hjørring . She previously played for Åland United , the FC Honka and HJK of the Finnish Naisten Liiga as well as for the Danish club Fortuna Hjørring . 1 +Tieto was no 17 on the list and received positive feedback for offering great jobs and challenging atmosphere . Tieto was not on the list 17 and received positive feedback for great jobs and challenging atmosphere . 1 +Anastasia Myskina won in the final , 6 - 2 , 6 - 3 against Jelena Dokić . Jelena Dokić won against Anastasia Myskina with 6 -- 2 , 6 -- 3 in the final . 0 +Petersfield Museum is a small museum in the local town of Petersfield in the English county of Hampshire . Petersfield Museum is a small museum in the local city Petersfield in the English county of Hampshire . 1 +This generally creates colder nights through the warmer season . This creates generally warmer nights through the colder season . 0 +PremLata Singh was married to Birender Singh on June 9 , 1970 . PremLata Singh married Birender Singh on 9 June 1970 . 1 +The chief editor is Michael Mullins and the assistant editor is Tim Kroenert . The chief editor is Tim Kroenert and the assistant is Michael Mullins . 0 +Djokovic has more ATP points that Andy Murray No . 2 and Roger Federer No . 3 combined . Djokovic has combined more ATP points than Andy Murray No . 2 and Roger Federer No . 3 . 1 +Born in Salt Lake City , Laura Myntti lived in Sioux City , Iowa and San Diego , before settling in Minnesota in 1968 . Laura Myntti was born in Minnesota , and lived in Sioux City , Iowa and San Diego before settling in Salt Lake City in 1968 . 0 +The system required the user to encode the default spelling first into a quasi-phonetic rendering . The system required the user to encode the quasiphonetic spelling first into a standard rendering . 0 +He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he changed to CBS Sports . From 1976 to 1979 , he also worked as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he moved to NBC . 0 +After a one-year stay , Mathe Fischer joined the band in 2007 and Jens Ramon left the band . In 2007 Mathe Fischer joined the band after a one-year stay , and Jens Ramon left . 1 +On 28 April 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially resolved as announced . On April 28 , 2011 , the dispute between DSP Entertainment and Kara 's 3 members was officially resolved as announced . 1 +The city borders on Riverdale , Ringwood , Wanaque and Pompton Lakes in Morris County and both Butler and the West Milford Township in Passaic County . The borough borders Riverdale , Ringwood , Wanaque and Pompton Lakes in Morris County and both Butler and West Milford Township in Passaic County . 1 +Normally , oxygen would bind to hemoglobin in the lungs and be released in areas with low oxygen partial pressure ( e.g . Normally , oxygen would bind to hemoglobin in the lungs and in areas with low oxygen partial pressure ( e.g . 0 +Air Niugini operated their Boeing 707 from Auckland to Port Moresby via Hong Kong in a tripartite agreement with Air New Zealand and Cathay Pacific . Air Niugini served their Boeing 707 from Auckland via Hong Kong to Port Moresby in a tripartite agreement with Air New Zealand and Cathay Pacific . 1 +Pat Cash and Patrick Rafter won 3 : 6 , 6 : 1 , 6 : 3 against Jan Apell and Brent Haygarth in the final . Pat Cash and Patrick Rafter won in the final 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth . 1 +The Senate referred all 30 cases to the RCMP . The Senate referred to the RCMP all 30 cases . 1 +The 61-acre campus includes the high school built in 1962 , the junior high wing added in 1971 , and the new elementary school completed in 1995 . The 61 - morning campus includes the high school , built in 1962 , the Junior High Wing added in 1971 and the new primary school completed in 1995 . 1 +With the help of Chuck Aber and Lady Aberlin , Daniel finally faces his fears . With the help of Daniel and Lady Aberlin , Chuck Aber finally faces his fears . 0 +""" r "" is the periodic rate , "" i "" the annual rate and "" n "" the number of compounding periods per year ." "Where "" r "" is the periodic rate , "" i "" the annual rate , and "" n "" the number of compounding periods per year ." 1 +The spokesman first was Thomas Bain , and later James David Edgar . The Speaker was first Thomas Bain , and later James David Edgar . 1 +Conversely , there were at least four members of the opposition who cross-voted in favour of the government proposal . These 4 were Conversely , there were at least four members of the opposition who were crossing in favour of the government proposal . 1 +Milton J. Kramer was the architect , and Herbert J. Krapp was the original owner . The architect was Milton J. Kramer , who was the original owner Herbert J. Krapp . 1 +On February 17 , 2015 , Starlin collaborated with Universal Cable Productions to adapt Dreadstar as a script - TV - series with Chris Bender and J. C. Spink as producers . On February 17 , 2015 , Starlin teamed with Universal Cable Productions to adapt Dreadstar as a scripted TV series with Chris Bender and J. C. Spink as producers . 1 +In Dublin he played with Stella Maris before playing for Everton in England . Dunne played in Dublin with Stella Maris before playing in England for Everton . 1 +The river is situated between the Negro River and the Amazon River . The river is located between the Negro River and the Amazon River . 1 +"In December 2002 , Facundo and Tamara Vargas joined the team of the morning radio show , "" Ya Párate "" , with Omar ." "In December 2002 , Omar joined the team of the morning radio broadcast "" Ya Párate "" with Facundo and Tamara Vargas ." 0 +The listed buildings of Derwent Isle are a large house and a former chapel . The listed buildings on Derwent Isle are a former house and a large chapel . 0 +The PacifiCats were designed by Philip Hercus of Australia and Robert Allan Limited of Vancouver . The PacifiCats were designed by Philip Hercus from Vancouver and Robert Allan Limited of Australia . 0 +Lake Vernon is located in Tiltill Valley , in the northern part of the Hetch Hetchy Valley north of Yosemite National Park . Lake Vernon is located in Tiltill Valley in the northern sector of Yosemite National Park north of the Hetch Hetchy Valley . 0 +In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Arlington , from Abilene to Texas . In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and Pecan Bowl moved from Abilene to Texas within Arlington . 1 +The Bank of the People was created in 1835 in Toronto by radical reform politicians John Rolph , James Hervey Price and Dr. James Lesslie in Toronto . The Bank of the People was founded in 1835 in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph . 0 +Carl Gould ( Dylan Hoerner 2009 -- 2010 , Dwayne Hill 2010 -- present ) is a cream rabbit with brown hair and blue glasses . ( Dylan Hoerner 2009 -- 2010 , Dwayne Hill 2010 -- Present ) is a cream rabbit with brown hairs and blue glasses . 1 +Since we are confronted with a first order linear differential equation with variable coefficients , its solution is straightforward : Since we are confronted with a variable equation of first order with linear differential coefficients , its solution is straightforward : 0 +This victory repeated this victory in an Opel Astra in 2003 with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . Phoenix repeated this victory in 2003 in an Opel Astra with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . 1 +Guelma was a public airport near Guelma Belkheir Airport , Guelma , Algeria . Guelma Belkheir Airport was a public use airport located near Guelma , Guelma , Algeria . 0 +The Shetland Islands of the central mainland are part of the mainland , between Hellister , Aith and Voe . The Central Mainland of the Shetland Islands is the part of the Mainland , between Hellister , Aith and Voe . 0 +During the LGM , the Laurentide Ice Sheet covered most of North America , while Beringia connected Siberia with Alaska . During the LGM the Laurentide Ice Sheet covered most of northern North America while Beringia connected Siberia to Alaska . 1 +Amata leucacma is a type of moth of the family Erebidae It is found in Queensland ( Australia ) . Amata leucacma is a species of moth of the family Erebidae . It is found in Queensland ( Australia ) . 1 +It was written and produced by Bowie and produced by David Richards . It was written by David Richards , produced by him and Bowie . 0 +""" New York Newsday "" Romantico is visual poetry on the run ... And as any work of art does when it is successful ," """ New York Newsday "" Romantico is visual poetry on the run ... And , as any work of art does when it 's successful ," 1 +Other players played a prominent role in the introduction , such as Mike Caroll ( the logo ) and Tom Howard ( more men ) . Other players played a prominent role in the launching such as Tom Howard ( the logo ) and Mike Caroll ( more men ) . 0 +Perry Island is an island in Prince William Sound , Alaska , within the Chugach National Forest , located immediately east of Culross Island . Perry Island is an island in the Prince William Sound , Alaska , within the Chugach National Forest , right east of Culross Island . 0 +Then the image of formula _ 31 is not real-valued , but nevertheless it is a subset of formula _ 1085 Thus , the character of the representation is real . Then the image of Formula 31 is not really valuable , but nevertheless it is a subset of Formula 1085 , so the character of the representation is real . 1 +After an attempt to arrest the Queen himself failed , Joan Sforza called , who defeated the Aragonese militias near Naples in Castel Capuano . After an attempt to arrest the queen herself had failed , Joan called on Sforza who defeated the Aragonese militias near Naples in Castel Capuano . 0 +Naxalbari has a railway station on the Katihar -- Siliguri line . Naxalbari has a train station on the line Siliguri -- Katihar . 1 +The Mapuches live in southern Argentina mostly in central Chile ( Araucanía and Los Lagos ) and the adjacent areas of South America . The Mapuche live in southern South America especially in central Chile ( Araucanía and Los Lagos ) and the adjacent areas of Argentina . 0 +The development of Bas 90 started in the 1970s and began implementation in the 1980s . The development of Bas 90 began in the 1970s and started implementation in the 1980s . 1 +Electronic sport for the Asian indoor and martial arts games 2017 was a demonstration sport . Electronic sports for the 2017 Asian Indoor and Martial Arts Games was be a demonstration sport . 1 +He married Margaret Fleming of Barrochan and was succeeded by his eldest son , Alexander . Margaret Fleming married James of Barrochan and was followed by Alexander , his eldest son . 0 +In the most luxurious buildings in Rome and in the most important villas of Herculaneum and Pompeii , cast glass windows appeared , albeit with poor optical qualities . In the most important buildings in Rome and in the most luxurious villas of Herculaneum and Pompeii , cast glass windows appeared , albeit with poor optical qualities . 0 +The Barmat scandal was later used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism . The Barmat scandal was subsequently used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism often . 0 +William Middleton ( or William Middleton , died on 31 August or 1 September 1288 ) was a medieval bishop of Norwich . William Middleton ( or William de Middleton ; died on August 31 or September 1 , 1288 ) was a medieval bishop of Norwich . 1 +Regionally connects MD 30 Hanover , Pennsylvania with Reisterstown and Baltimore . Regionally , MD 30 connects Hanover , Pennsylvania with Reisterstown and Baltimore . 1 +Republican Drew Springer , Jr. , a businessman from Muenster in Young County , has since January 2013 represented Cooke County in the Texas House of Representatives . Drew Springer , Jr. , a businessman from Münster in Young County , has represented Cooke County in Texas House of Representatives since January 2013 . 1 +Indoor - Sport was a demonstration sport for the Asian Electronic and Martial Arts Games 2017 . Electronic sports for the Asian Indoor and Martial Arts Games 2017 were a demonstration sport . 0 +It was based on a novel by Robert Suhosky and was turned into a screenplay by James Hardiman . It was based on a novel by James Hardiman and turned into a screenplay by Robert Suhosky . 0 +Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a comparative naturalist , Swiss anatomist and student of Ernst Haeckel , German biologist . Arnold Lang ( June 18 , 1855 - November 30 , 1914 ) was a Swiss naturalist , a comparative anatomist and a student of the German biologist Ernst Haeckel . 0 +"His role in "" The Mechanic "" was worked positively by critics in both the United States and the United Kingdom ." "His role in "" The Mechanic "" was positively revived by the critics both in the United States and the United Kingdom ." 1 +In December 2007 , he said that the presidential majority would present common lists for the 2008 local elections . He said in December 2007 , that the local majority would present joint lists for the 2008 presidential elections . 0 +In Bazou , you will be pleasantly surprised to appreciate the place of choice that occupies the immaterial heritage , and you will see . In Bazou you will be pleasantly surprised to appreciate the place of choice that occupies the intangible heritage , you will see 1 +He was promoted to New Mexico Territory in 1860 , and was ordered to the rank of captain in the 4th Infantry on December 20 . He was promoted to the New Mexico Territory in 1860 and ordered to captain the 4th Infantry on December 20 . 1 +This later led him to strongly press the claim of India as the original home of the Hominidae . This led him to later push the claim of India as the original home of the Hominidae . 0 +Soon after Moody 's departure , John Sykes was announced as the new Whitesnake guitarist from the press . Soon after John Sykes 's departure , Moody was announced to the press as the new Whitesnake guitarist . 0 +The river Deju is a left tributary of the Putna River in Romania . The Deju River is a left tributary of the Putna River in Romania . 1 +The Gallatin Speedway is located on the outskirts of Belgrade to the northeast of the Bozeman Yellowstone International Airport on Tubb Road . The Gallatin Speedway is located on the outskirts of Belgrade northeast of Bozeman Yellowstone International Airport on Tubb Road . 1 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Stuttgart , died on January 17 , 1845 in Ludwigsburg ) . Nikolaus Friedrich von Thouret ( born Ludwigsburg , 2 June 1767 ; died Stuttgart , 17 January 1845 ) . 0 +Previously held in the city of Christchurch , the show moved to Auckland at Hagley Park in 2008 . The show , which was previously held in the city of Auckland , was moved to Christchurch in 2008 at Hagley Park . 0 +Bubas is a species of Scarabaeidae or Scarabaeus beetles in the superfamily Scarabaeoidea These beetles have been found in France , Italy and Spain . Bubas is a genus of Scarabaeidae or scarab beetles in the superfamily Scarabaeoidea . These beetles have been found in France , Italy and Spain . 1 +USAFE also announced that the new FBW would receive the 50th F-100D Super Sabre in 1957 . In 1957 , USAFE also announced that the new FBW would receive the 50th F-100D Super Sabre . 1 +Busabout Wagga Wagga is an Australian private bus company formed in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , New South Wales . Busabout Wagga Wagga is an Australian private bus company that was founded in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , New South Wales . 1 +In 1983 , she graduated from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . She graduated from The Glen High School in Pretoria in 1983 and studied at Rhodes University in Grahamstown . 0 +Following the assassination of Hosni Mubarak in a referendum in which he was the only candidate , Sadat came to power . Sadat came to power after the assassination of Hosni Mubarak in a referendum in which he was the only candidate . 1 +"Sebastian Koch is portrayed by Kurt Warnekros in the 2015 film "" The Danish Girl "" ." "Kurt Warnekros is presented by Sebastian Koch in the film "" The Danish Girl "" 2015 ." 0 +Homer Township was established in 1837 by a department of Albion Township . Albion Township was founded in 1837 by a division of Homer Township . 0 +In these cells , a voltage is induced which is electronically captured . In these cells , a voltage is registered electronically induced . 0 +Kunkuri is the hottest region in Nichghat in the summer and Pandrapat is the coldest region in Upper Ghat in winter . Kunkuri is the coldest region in Nichghat during the summer and Pandrapat is the hottest region in Upper Ghat during winter . 0 +The Rolo , Stacy and Kelly staff sneak into the jungle to have sex . Staff members Kelly , Stacy , and Rolo sneak into the jungle to have sex . 1 +In 1983 , she graduated from the Glen High School in Grahamstown and studied at the Rhodes University in Pretoria . She graduated from The Glen High School in Grahamstown in 1983 and studied at Rhodes University in Pretoria . 1 +The Turks , Tang , Muslim Arabs , and Tibetans competed for control of Central Asia until the tang 's collapse in the 10th century . The Turks , Tibetans , Muslim Arabs and the Tang competed for control over Central Asia until the collapse of the Tang in the 10th century . 1 +In the infected EXE files , no text strings are visible within the virus code , but the following text strings are encrypted within the original copy of the ABC virus : No text strings are visible within the initial code in infected EXE files , but the following text strings are encrypted within the viral copy of the ABC virus : 0 +In 1967 she moved to Italy from Konstanz . From Konstanz , Germany she moved to Italy in 1967 . 1 +Nick Danger is a fictional character created by the comedy The Firesign Theatre , portrayed by Phil Austin . Nick Danger is a fictional character created by the comedy group The Firesign Theatre , portrayed by Phil Austin . 1 +During the Gulf War , the NPC organised the Gulf Crisis Working Group , a coalition of several groups that called During the Gulf War , the NPC called the Gulf Crisis Working Group , a coalition of several groups that had organized . 0 +The population is 80 ( census 2011 ) is a village in the Croatian region of Slavonia , located east of Daruvar . The population is 80 ( 2011 census ) , a village in the region of Slavonia in Croatia , located east of Daruvar . 0 +In 1858 he returned to Cherbourg before he escorted Queen Victoria to Britain in August 1858 . He returned to Cherbourg in 1858 before escorting Queen Victoria to Britain in August 1858 . 1 +Surf Air has announced the sale of its 3,000th membership in September 2015 , 2,500th in December 2015 , and 2000 in June 2016 . Surf Air announced the sale of its 3,000th membership in September 2015 , 2,500th in December 2015 and 2,000th in June 2016 . 1 +The medial incisors are large , while the lateral incisors are usually small . The lateral incisors are large , while the medial incisors are mostly small . 0 +The album was released on Sony Japan , PIAS in the Europe , Flying Nun in New Zealand , Infectious Records in the UK and Festival Records in Australia . The album was released on Sony Japan , PIAS in the UK , Flying Nun in Europe , Infectious Records in New Zealand and Festival Records in Australia . 0 +Walter Hart ( or Walter Lyhert , died May 24 , 1472 ) was a medieval bishop of Norwich . Walter Lyhert ( or Walter Hart , died May 24 , 1472 ) was a medieval bishop of Norwich . 1 +The main campus of the university is located in Serinyol area , north of Antakya . The main campus of the university is located in the Antakya area , north of Serinyol . 0 +Boiling Point is an unincorporated community located in the Mojave Desert of the Antelope Valley , in northern Los Angeles County , California . Boiling Point is an unlawful community in the Mojave desert of the Antelope Valley , in northern Los Angeles County , California , USA . 1 +The river Burduja is a tributary of the River Urechioiu in Romania . The river Urechioiu is a tributary of the river Burduja in Romania . 0 +On March 16 , 1494 , Maximilian Bianca Maria Sforza was married . Bianca Maria Sforza was married to Maximilian on 16 March 1494 . 1 +The following schools are located in Papakura ( schools in Rosehill , Takanini , and Opaheke are excluded ) : The following schools are located in Takanini ( the schools in Rosehill , Papakura , Opaheke are excluded ) : 0 +He played for TuTo Turku and Klagenfurter AC , playing a season in Austria for TPS and four seasons in the Bundesliga for the Berliner SC . Lindstrom played for TuTo Turku and TPS . He also played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for Berliner SC . 0 +Merzbach worked in Sweden during the late twenties before returning to Germany . During the late 1920s , Merzbach worked in Sweden before returning to Germany . 1 +Jones was born in Morton , Mississippi and grew up in Vicksburg , Mississippi . Born in Morton , Mississippi , Jones grew up in Vicksburg , Mississippi . 1 +Several branches of the South Nation River , a tributary of the Castor River , run through the township . Multiple branches of the Castor River , a tributary of the South Nation River , flow through the township . 0 +The American Professional Football Association was founded in 1922 in Canton and eventually became the National Football League . The National Football League was founded in 1922 in Canton and eventually became the American Professional Football Association . 0 +The inauguration was organized jointly by the Presidential Transition Cooperation Team of outgoing President Corazon Aquino and the transition team of the coming President Ramos . The Inauguration was organized jointly by the Presidential Transition Cooperation Team of outgoing President Corazon Aquino and the Transition Team of incoming President Ramos . 1 +"Reconstruction projects were officially approved by the parliament , so the navy routinely rebuilt "" Prinz Eugen "" and her sister ships ." "The reconstruction projects were officially approved by Parliament , so the navy "" has routinely rebuilt Prince Eugen "" and her sister ships ." 1 +"The sprawling active adult community is also locally known as "" Original "" Leisure Village because it was the first of three neighboring active adult communities bearing similar names ." "The extensive active adult community is also known locally as "" Original "" Leisure Village , because it was the first of three neighboring active adult communities that wore similar names ." 1 +"It was suggested that "" P. azurophilum "" represents more than one species , with a species infecting white blood cells and infecting the other red blood cells ." "It has been suggested that "" P. azurophilum "" represents more than one species with one species infecting white blood cells and the other infecting red blood cells ." 1 +Leelanau County is a charter municipality of Elmwood Charter Township in the U.S. state of Michigan . Elmwood Charter Township is a charter township of Leelanau County in the U.S. state of Michigan . 0 +The alkaline volcanic field consists of a group of 118 active volcanoes basaltic from the lower-Pleistocene to the Holocene . The alkaline volcanic field consists of a group of 118 basaltic volcanoes active from the lower pleistocene to the Holocene . 0 +When Philpot came to the throne , Mary attracted soon attention . When Mary came to the throne Philpot soon attracted attention . 0 +"The Baroque chapel was rebuilt as the former St Mary 's pilgrimage church ( "" Maria in Hohenburg "" ) in 1707 ." "The former chapel was rebuilt in 1707 as the Baroque St. Mary 's Church ( "" Maria in Hohenburg "" ) ." 0 +In Singapore , ADCs who are officers of the Singapore Armed Forces and the Singapore Civil Defence Force wear gold aiguillettes and police officers wear silver aiguillettes . In Singapore , ADCs that are officers of the Singapore Civil Defence Force and the Singapore Armed Forces are Gold - Aiguillettes and Police Officers Silver - Aiguillettes . 0 +Singer Djimon Hounsou and actor Angélique Kidjo were born in Cotonou in Benin . Singer Angélique Kidjo and actor Djimon Hounsou was born in Cotonou , Benin . 0 +The airline was established in 1990 and owned by Airwork ( 50 % ) and New Zealand Post ( 50 % ) . The airline was established in 1990 and was owned by the New Zealand Post ( 50 % ) and Airwork ( 50 % ) . 1 +In 2010 she won the 12th Nojak Literature Prize , the 57th Hyundae Literary Award in 2011 and the 10th Yi Yuksa Poetry Awards in 2015 . Kim won the 12th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 10th Yi Yuksa Poetry Award in 2015 . 1 +Voltage-gated ion channels are a class of transmembrane proteins that form ion channels that are activated by changes in the electrical membrane potential near the channel . Voltage-driven ion channels are a class of transmembrane proteins that form ion channels activated by changes in the electrical membrane potential near the channel . 1 +From 1931 until the outbreak of World War II in Shanghai in 1939 , he worked in Europe . From 1931 until the outbreak of World War II in Europe in 1939 , he worked in Shanghai . 0 +Taieri is a former parliamentary electorate in the Otago region of New Zealand , from 1866 to 1911 . Taieri is a former parliamentary electorate in the Otago region of New Zealand , from 1866 to 1911 . 0 +It allowed users to create ready-mobile projects that adapt to any screen size and orientation . It allowed users to create ready-to-run projects that adapt to any screen size and orientation . 1 +They have sometimes pointed wings , and long tails , and a fast direct flight . They have long pointed wings and sometimes tail and a fast direct flight . 0 +"Santiago is the Vulgar evolution of Galician Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is the Galician evolution of the vulgar Latin Sanctu Iacobu , "" Saint James "" ." 0 +"One can easily verify that "" A "" is a linear involution if and only if "" A "" has the form ." "One can easily verify that "" A "" represents a linear involution if and only if "" A "" has the form" 1 +The original route started at US 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . The original route started at US 410 in Touchet and went north to Eureka and to the east to SSH 3E west of Prescott . 0 +They entered the Beachland Ballroom in Cleveland on November 30 , 2012 , and on December 1 , 2012 , at City Winery in Chicago . They performed at the City Winery in Chicago on November 30 , 2012 , and at the Beachland Ballroom in Cleveland on December 1 , 2012 . 0 +Louis Philippe visited the individual exhibits on Mondays , as Napoleon had done . On Monday , as Louis Philippe had done , Napoleon visited the individual exhibits . 0 +Fortunately , the Australian wine produced by the warmer Australian areas and known as rich , soft dry red Burgundy suited the English market . Fortunately , the rich and soft dry red wine produced by the warmer Australian areas , known as Australian Burgundy , fits in with the English market . 0 +On the other hand , General De Gaulle was less impressed , rejected her recommendations , and read most of her reports only half . On the other hand , General De Gaulle was less impressed , read her recommendations , and only half rejected most of her reports . 0 +Anton Egon ranked as an imperial prince about the traditional nobles whose local privileges he tried to curtail . As an Imperial prince , Anton Egon ranked above the traditional nobles , whose local privileges he tried to curtail . 0 +At present , it is the third most common language in international trade and the second most common in politics , diplomacy and culture after English and French . At present , it is the second most widely used language in international trade and the third most important in politics , diplomacy and culture in English and French . 0 +It is covered by the integument , deep fascia , platysma and surface fascia . It is ( covered ) by the integument , the superficial fascia , the platysma and deep fascia ; 1 +The second second is motivation , and the third is ( you guessed it ) motivation . "second is motivation , and the third is ( you guessed it ) motivation. """ 1 +"He supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." "He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan ( 1940 ) in "" The Great Profile "" ." 1 +The fully completed action plan , published on 3 March 2006 , is placed directly in the hands of ministers by other members of the task force . The completed action plan , published on 3 March 2006 , will be placed by ministerial members of the Task Force directly in the hands of other ministers . 0 +It can be used in structural tests , optical health monitoring and biomedical applications , where optically generated and non-contact measurements of ultrasound provide a nondestructive method of imaging . It can be used in nondestructive testing , structural health monitoring and biomedical applications , where optically generated and optical measurements of ultrasound gives a non-contact method of imaging . 0 +As Dr. Pepper salesman Jimmy knew all the local grocery store owners and they would save the overripe bananas for Bob . As a Dr. Pepper salesman , Bob knew all the local grocery owners and they would save the overripe bananas for Jimmy . 0 +The developed essences of High Evolutionary and Hercules were harvested by the celestials and captured and manipulated in the Black Galaxy for unknown purposes . The evolved essences of High Evolutionary and Hercules were imprisoned and manipulated by the Celestials and harvested for unknown purposes in the Black Galaxy . 0 +Box Hill Senior Secondary College has no feeders - schools , new students are selected from all over Melbourne , but only welcomed after the interview . Box Hill Senior Secondary College has no feeder schools , new students are welcomed from all over Melbourne , but are only selected after interview . 0 +Initially , he worked in public relations for the American Jewish Committee in New York and until his retirement for the combined Jewish philanthropy of Boston . He first worked in public relations for the American Jewish Committee in Boston and until his retirement for the combined Jewish philanthropies of New York . 0 +The Mine South Deep is a big mine in the northern part of South Africa in Gauteng . The South Deep mine is a large mine located in the northern part of Gauteng in South Africa . 0 +With Ross 's permission , Martinez fired the shot that took Nocona 's life . With Martinez 'permission , Ross fired the shot that took Nocona 's life . 0 +In 1877 he returned to Connecticut but soon went back again to California , and in the fall of 1879 went to the Republic of Salvador as State Geologist . He returned to Connecticut in 1877 , but soon went back to California and went to the Republic of Salvador in the autumn of 1879 as a state geologist . 1 +Here formula 2 , the dependent variance , is a time-instantaneous CIR process : Here is Formula 2 , the present variance , a time-dependent CIR process : 0 +Eoacmaea chamorrorum is a sea snail species , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Eoacmaeidae , one of the families of true limpets . 1 +The additional characters released as paid DLC in Japan were released as part of the game in the West . The additional characters published in Japan as paid DLC were released as part of the game in the West . 1 +Northern Indiana is part of East Central Indiana and Montpelier . Northern Indiana is part of the East Central Indiana and Montpelier . 1 +He worked as a translator and teacher in Europe for most of the four years he was in school , and then he worked in Costa Rica for a year . He worked as a translator and teacher in Costa Rica for most of the four years he was in school there , and then worked in Europe for one year . 0 +"Togdheer River ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer region of eastern Somaliland ." "Togdheer ( Somali "" Wabi Togdheer "" ) is a seasonal river in the Togdheer River region in the eastern part of Somaliland ." 0 +Paavo Mikkonen ( born January 25 , 1942 ) is a Finnish former shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports contactor . 1 +Sir Charles Walston , from 1918 Sir Charles Waldstein ( March 30 , 1856 -- March 21 , 1927 ) was an Anglo-American archaeologist . Sir Charles Waldstein , from 1918 Sir Charles Walston ( 30 March 1856 - 21 March 1927 ) was an Anglo-American archaeologist . 0 +The continuing popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version that went on sale in Japan in 2007 . The continuing popularity in Japan of this tall suit has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . 1 +"In addition , the song "" Calling All Angels "" is played by Jane Siberry in the movie and is included in the soundtrack ." "In addition , the song "" Calling All Angels "" is included in the film by Jane Siberry and is played on the audio track ." 0 +The kBox facilitates eccentric as well as concentric contractions and isometric training . The kBox enables isometric as well as concentric contractions and eccentric training . 0 +Khao Khitchakut National Park is northeast of Chanthaburi town in Khao Khitchakut District . Khao Khitchakut District is located northeast of Chanthaburi town in Khao Khitchakut National Park . 0 +The concept of flood impulse is a theory that the annual flood pulse is the most important aspect and biologically most productive feature of the ecosystem of a river . The concept of flood pulse is a theory that the annual flood pulse is the most productive aspect and the biologically most important feature of the ecosystem of a river . 0 +"Jesse Crawford considered him "" one of the greatest ballad organists . "" Maffie also composed music , including the theme for "" House Party "" ." "Maffie considered him "" one of the greatest ballad organists "" , and Jesse Crawford also composed music , including the theme for "" House Party "" ." 0 +In 1842 , after his wife died , Martha Chardevoyne married Jack Shackelford . After his wife died in 1842 , Martha Chardevoyne married Jack Shackelford . 1 +KXLF added ABC programming in 1955 ; soon afterward , the station lost DuMont when it shut down . In 1955 , the KXLF lost ABC programming , soon the DuMont station added when it was shut down . 0 +In total , 16 teams participated , but only 13 teams qualified for the finals of the Olympic tournament . A total of 16 teams qualified , but only 13 teams took part in the finals of the Olympic tournament . 0 +There are many Vithoba Temples in Maharashtra and some are in Karnataka , Tamil Nadu and Andhra Pradesh . There are many Vithoba temples in Maharashtra , and some in Karnataka , Tamil Nadu and Andhra Pradesh . 1 +However , after Alfred de Falloux 's resignation and replacement by Carnot , the commission was dissolved . After Carnot 's resignation and replacement by Alfred de Falloux , however , the Commission was dissolved . 0 +One example comes from the treatment of black women and transgender women in prison . An example comes from the treatment of transsexual women and black women in prison . 1 +Indy legend Gordon Johncock , veteran Stan Fox , and Buddy Lazier , who made the race for the first time . Indy - Legend Gordon Johncock , Veteran Stan Fox and Buddy Lazier , who have made the race for the first time . 1 +LEO XU Projects is a contemporary art gallery based in Shanghai , which exhibits young and international artists . LEO XU Projects is a young and international art gallery based in Shanghai that exhibits contemporary artists . 0 +Hadady , born in Békésszentandrás ( Hungary ) , studied music at the Franz - Liszt - Academy of Music in Budapest . Hadady , born in Hungary ( Békésszentandrás ) , studied music at the Franz - Liszt - Academy of Music in Budapest . 1 +"In "" Home Alone "" , Kate McCallister traveled through Paris from Chicago on her way to Dallas/Fort Worth ." "In "" Home Alone "" Kate McCallister traveled from Paris on her way to Chicago through Dallas / Fort Worth ." 0 +As galanthophiles , the authors of the works on which these notes are based also apply , the botanist Aaron Davis and the gardeners John Grimshaw and Matt Bishop . Botanist Aaron Davis and gardeners John Grimshaw and Matt Bishop , authors of the works on which these notes are based , also qualify as galanthophiles . 1 +Scopula anfractata is a moth of the Geometridae family that is found in China ( Yunnan ) . Scopula anfractata is a moth of the family Geometridae . It is found in Yunnan ( China ) . 1 +Johan Westman was the son of postmaster Karl Gustaf Westman and Tonny ( Andersson ) Westman . Carl Johan Westman was the son of the postmaster Karl Gustaf Westman and Tonny ( Andersson ) Westman . 1 +The 147th units were later reorganized as 147th and 260th Field Artillery - Battalions . The 147th and 260th units were later reorganized as 147th Field Artillery - Battalions . 0 +In June 2009 , it was officially confirmed that Kelly Kelekidou left Heaven Music Greece and signed to Sony Music . In June 2009 , it was officially confirmed that Kelly Kelekidou Heaven has left Music Greece and signed in to Sony Music . 0 +For each team the tournament requires an import or a foreign player . The tournament requires an import or player for each team . 0 +64 Democrats and 64 Whigs were declared elected to the New York State Assembly of the 73rd New York State Legislature . In the New York State legislature of the 73rd New York State Assembly , 64 democrats and 64 whigs were elected . 0 +The Colgate - football team from 1927 represented the Colgate - University in the College - Football - Season of 1927 . The 1927 Colgate University Football team represent Colgate in the College - Football - Season 1927 . 0 +We hear the laughter , we see the faces , we see the music . We see laughter , we see the faces , we hear the music . 0 +It is part of the NE - Sioux City , IA -- SD Metropolitan Statistical Area . It is part of the NE -- Sioux City , IA -- SD Metropolitan Statistical Area . 1 +It was released on November 10 , 1995 in Japan , and in North America in 1996 . It was published on 10 November 1995 in Japan and in 1996 in North America . 1 +Strathairn attended Redwood High School in Larkspur , California , and graduated from Williams College in Williamstown , Massachusetts , in 1970 . Strathairn visited Williams College in Williamstown , Massachusetts , and graduated in 1970 from the Redwood High School in Larkspur , California . 0 +He and his family moved from Wyoming to Colorado to Oregon until he was about 5 years old , when they settled in Silver Spring , Maryland . He and his family moved from Wyoming to Colorado to Oregon until he was around five years old when they settled in Silver Spring , Maryland . 1 +This is the first champion history told by Albert Campion in the only person . This is the only story of Albert Campion that is told by Campion in the first person . 0 +The second person to open a business in Cave City and to build the first residence was Judge C. Roberts . The first person to open a shop and build the second residence in Cave City was Judge C. Roberts . 0 +He participated in the War of Awan and Waroux and intervened in the siege of Maastricht in 1334 . He intervened in the war of Awan and Waroux and participated in the siege of Maastricht in 1334 . 0 +Guido Reni , also known as Marchino di Marco Bandinelli , was an Italian painter of the Baroque period . Guido Reni , also known as the Marchino di Marco Bandinelli , was an Italian baroque painter . 1 +Steckborn is a municipality in the district of Frauenfeld in the Canton Thurgau , Switzerland . Steckborn is a municipality in Thurgau in the canton of Frauenfeld District in Switzerland . 0 +In 2013 the domestic branches of the bank in Austria were renamed to Anadi Financial Holdings , and sold to Austrian Anadi Bank . In 2013 , the Bank 's domestic branches in Austria were sold to Anadi Financial Holdings and renamed Austrian Anadi Bank . 0 +"Halperin and Jay Velie introduced the song "" I Love You "" from Thompson and Archer ." "Halperin , Thompson and Archer introduced the song "" I Love You "" by Jay Velie ." 0 +""" m "" represents the number of edges and "" n "" is the number of corners ." """ m "" is the number of edges and "" n "" represents the number of corners ." 0 +Speakers included many pioneers of the interactive immersive media space , including David A. Smith , Graham Smith , Sara Diamond , optical holography artist Michael Page . Speakers included many pioneers of the interactive immersive media space , including David A. Smith , Graham Smith , Sara Diamond and the optical holography - artist Michael Page . 1 +American Edit is a mashup album released by Party Ben and Team9 under the shared alias Dean Gray . American American Edit is a mashup album , shared by Party Ben and Team9 under the released alias Dean Gray . 0 +Different reactions are also taking place on the surface of a catalyst of a heterogeneous phase . Reactions that take place on the surface of a catalyst of a different phase are also heterogeneous . 0 +Como Lake is a small lake in Como Lake Park in the city of Coquitlam , British - Colombia . Como Lake Park is a small lake in Como Lake in the city of Coquitlam , British Columbia . 0 +"John Daly is TV presenter and producer : John Daly hosts his own BBC talk show in Northern Ireland , "" The John Daly Show "" ." "John Daly is a TV presenter and producer . Daly hosts his own BBC Northern Ireland TV talk show , "" The John Daly Show "" ." 1 +"In 1976 , a version of Wonder Girl called Drusilla appeared in the television series "" Wonder Woman "" and was played by Debra Winger ." "In 1976 , a version of Wonder Girl named Drusilla appeared in the "" Wonder Woman "" television series and was played by Debra Winger ." 1 +"In addition to livestreaming - gameplay - films , several members of the crew also produce videos in "" Let 's Play "" style ." "In addition to livestreaming gameplay footage , several members of the crew also produce "" Let 's Play "" style videos ." 1 +The Concordant Greek Text forms the basis of the Concordant Literal New Testament , which is more idiomatic in its English than the hyper-literal sublinear . The concordant Greek text forms the basis of the concordant literal New Testament , which in its English is more idiomatic than the hyperliteral Sublinear . 1 +Fontaine Charles-Péguy , Square Charles Péguy , rue Montempoivre 1989 , Alain Gilot , architect , and Liliane Grunig Tribel , landscape architect . Fontaine Charles - Péguy , Square Charles Péguy , rue Montempoivre 1989 , architect Alain Gilot , and Liliane Grunig Tribel , landscape architect . 1 +In 1365 Brome was in Avignon on business , with Thomas Maldon . He resigned his post in 1379 , and died in his monastery a year later . In 1365 , Brome was business with Thomas Maldon in Avignon , resigned in 1379 and died a year later in his monastery . 1 +Also present were Gargan 's cousin Joseph Gargan and Paul F. Markham , a school friend of Kennedy who had previously served as the U.S. Attorney for Massachusetts . Gargan 's cousin , Joseph Gargan , and Paul F. Markham , a school friend of Kennedy , who had previously served as US lawyer for Massachusetts , were also present . 1 +Practiced medicine in Pleasant Valley , New York , until April 1888 . He moved to Brooklyn , New York , in 1888 and continued the practice of medicine . Until April 1888 , he practiced medicine at the Pleasant Valley , New York , where he moved to Brooklyn , New York , in 1888 , and continued the practice of medicine . 1 +CBS offered a then-record $ 1.58 billion to the NFL over four years , significantly more than the $ 290 million per year offered by Fox . CBS offered the NFL $ 1.58 billion over four years , significantly more than the $ 290 million a year Fox offered . 1 +"Based on the A3 , the type "" A3L "" was developed from aluminum ." So , based on the A3 , the type “ A3L ” developed from aluminum was built . 0 +""" Thanks to the Facebook generation , anyone by simply installing a Selfie can become a Kevin Spacey or a Harvey Winestone "" , he added ." """ Thanks to the Facebook generation , by simply attaching a selfie , anyone can become a Kevin Spacey or a Harvey Weinstein , "" he added ." 1 +Minervén Sport Club , formerly known as Minervén Bolívar Fútbol Club , is a Venezuelan football club . Minervén Sport Club , usually Minervén Bolívar Fútbol Club , formerly known as Minervén , is a Venezuelan football ( soccer ) club . 0 +""" Whatever Will Be "" ( 2005 ) is the second song released by Tammin from her first album "" Whatever Will Be "" ." """ Whatever Will Be "" ( 2005 ) is the first song of Tammin from her second album "" Whatever Will Be "" ." 0 +""" The Problem with Popplers "" is the fifteenth episode in the second production season of "" Futurama "" ." """ The problem with Popplers "" is the fifteenth episode in the second production time of "" Futurama "" ." 1 +Smaller small cross pylons may have two single arms on one side and one on the other . Smaller single circuit pylons may have two small cross arms on one side and one on the other . 0 +Nikolaus Moser and Cedrik-Marcel Stebe won against Henri Continen and Christopher Rungkat in the final 7 -- 6 , 3 -- 6 , 10 - 8 . Nikolaus Moser and Cedrik-Marcel Stebe won in the final 7 -- 6 , 3 -- 6 , 10 -- 8 , against Henri Kontinen and Christopher Rungkat . 1 +But , in the fifteenth century , only two of them were resident in Sisteron ; the rest were functionaries of the Roman Curia in Avignon . But in the fifteenth century , only two of them were resident in Sisteron , the others were officials of the Roman Curia in Avignon . 1 +Lower Alloways Creek Township borders Elsinboro Township , Pennsville Township and Salem . Creek Township borders Elsinboro Township , Pennsville Township and Salem . 1 +A critically ill David instead sneaks out of the hotel , leaving behind a note for the sleeping Michael and his father and travels to Venice . Instead , a severely ill Michael creeps out of the hotel , leaving behind a note for the sleeping David and his father and travels to Venice . 0 +It is located in Duchouquet Township and is next to the Shawnee Township in Allen County . It is located in Shawnee Township and adjacent to Duchouquet Township in Allen County . 0 +He was a mediator with the United States Olympic Committee and was an arbitration panel member with the United States Postal Service . He was a mediator with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . 1 +"In 2017 , Cheney filled in for "" Chris Shiflett "" on the spring tour of "" Me First and the Gim me Gimmes "" ." "In 2017 , Chris Shiflett filled in "" Cheney "" for the spring tour of "" Me First and the Gim me Gimmes "" ." 0 +In 1893 , Emma Lee married Robert Kelley . Emma V. Lee married Robert Kelley in 1893 . 1 +That night , Emperor Li Zhan died , and Muzong took the throne ( as Emperor Jingzong ) . That night , Emperor Li Zhan died , and Muzong took over the throne ( as Jingzong Emperor ) . 1 +Nick Frangos ( born in White Plains , New York ) is a professional poker player who plays out of Atlantic City , New Jersey . Nick Frangos ( born in Atlantic City , New Jersey ) is a professional poker player who plays from White Plains , New York . 0 +The Malawi Central Africa Protectorate existed in the area of present-day British between 1891 and 1907 . The Malawi Central Africa Protectorate existed between 1891 and 1907 in the territory of the present-day British . 1 +"The second season introduced Eugene O ’ Neill and his play "" Bound East for Cardiff "" as well as "" Trifles "" by Susan Glaspell ." "The second season presented Eugene O ’ Neill with his play "" Bound East for Cardiff "" as well as "" Trifles "" by Susan Glaspell ." 1 +"The Paul England translation of 1912 is a "" vocal translation "" , which is compatible with the singable line Strauss wrote for the German ." "The 1912 Paul England translation is a "" vocal translation "" which is compatible with the singable line Strauss wrote for the German ." 1 +It shows 362 different species of wood , bushes and 236 different species of old fruit trees . It shows 362 different species of wood trees , bushes and 236 different old species of fruit trees . 0 +Catterick Garrison is a garrison and town south of Richmond in the Richmondshire District of North Yorkshire , England . Catterick Garrison is a major garrison and town south of Richmond in the Richmondshire district of North Yorkshire , England . 1 +The company 's artificial intelligence software collects emotional and visual data that provide social insights . The company 's artificial intelligence software collects social data that allows emotional and visual insights . 0 +Haines - Municipality is bounded by Miles Township to the north , Union County to the east , Mifflin County to the south and Penn Township to the west . Miles Township is bordered by Penn Township to the north , Mifflin County to the east , Union County to the south , and Haines Township to the west . 0 +"Goldman wrote to historian Max Nettlau that the Haymarket affair has awakened the social consciousness of "" hundreds , perhaps thousands of people "" ." "Max Nettlau wrote to historian Goldman that the Haymarket affair had awakened the social consciousness of "" hundreds , perhaps thousands , of people "" ." 0 +"Tennessee coach Johnny Majors described Jones as "" one of the greatest leaders I ever had . """ "Johnny Majors , Tennessee - Trainer , described Jones as "" one of the greatest leaders I had ever had "" ." 1 +The town of Cortland , near the western border of the county , is surrounded by the city of Cortlandville . The city of Cortland , near the western border of the county , is surrounded by the town of Cortlandville . 1 +Earl Bales Park is a large park in Toronto and the former city of North York , Ontario , with the East Don River walking through it . Earl Bales Park is large park in Toronto and the former city of North York , Ontario , with the East Don River running through it . 1 +Roger Kirk was born in Norfolk and brought up and educated in East London . Roger Kirk was born in East London and educated and brought up in Norfolk . 0 +The Juniata River offers access to the Lower Trail for much of its length . The Juniata River offers access to the Lower Trail along much of its length . 1 +Peremyshliany Raion is a raion in Ukraine in western Lviv Oblast . Raion Peremyshliany is a raion in the Ukraine in western Lviv . 1 +Tupperware Brands Corporation , formerly Tupperware Corporation , is an American multinational direct distribution company . Tupperware Brands Corporation , formerly Tupperware Corporation , is an American multinational direct sales company . 1 +"When Lombardo switched to CBS , Burns and Allen took over his NBC spot with "" The Adventures of Gracie "" at the beginning of September 1934 ." "When Lombardo switched to NBC , Burns and Allen took over his CBS spot with "" The Adventures of Gracie "" beginning September 19 , 1934 ." 0 +The Pittsburgh Frank & Seder was completed in 1913 , but destroyed by fire in 1917 at a loss of $ 600,000 ; its replacement was expanded in 1918 . The Pittsburgh Frank Seder was expanded in 1913 , but destroyed by a fire in 1917 with a loss of $ 600,000 , the replacement was completed in 1918 . 0 +"Bailly 's other works in Washington , D.C. are sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Benjamin Hallowell 's other works in Washington , D.C. include sculptures of Bailly and Alexander "" Boss "" Shepherd ." 0 +In 1816 , King married Sarah Worthington , second daughter of Governor Thomas Worthington . Thomas Worthington married Sarah Worthington , the second daughter of Governor King in 1816 . 0 +Several years later , General Obasanjo was released and pardoned after Abacha died and after General Abdulsalami Abubakar took power . General Abacha was released and pardoned a number of years later after Obasanjo died and after General Abdulsalami Abubakar took power . 0 +It was Steam Greenlit on 28 June 2013 and entered Steam Early Access on 19 September 2013 . It was registered on June 28 , 2013 , Steam Greenlit and Steam Early Access , September 19 , 2013 . 0 +This practice has its roots in the traditions concerning the black caps of the Danish students . This practice has its roots in the traditions of the black caps of the Danish students . 1 +Born in 1794 in Alpheton , Suffolk , Thomas Clark joined William Debenham in a partnership to lead a draper 's store at Wigmore Street 44 in London . William Debenham , born in Alpheton , Suffolk in 1794 , joined Thomas Clark in a partnership to lead a draper 's store at Wigmore Street 44 in London . 0 +In March , Richards suffered an ACL injury and Edwards started his singles run by feud with TNA X Division Champion Trevor Lee . In March , Edwards suffered an ACL injury and Richards started his singles , run by Fehde with TNA X Division Champion Trevor Lee . 0 +When the Florentine Republic came in 1530 , Volterra fell under the control of the Medici family and later followed the history of the Grand Duchy of Tuscany . When the Florentine Republic came in 1530 , Volterra fell under the control of the Medici family and later persecuted the history of the Grand Duchy of Tuscany . 1 +The Court Square at the Cannon County courthouse in Woodbury , Tennessee , is a historic building and the center of County Government in Cannon County . The Cannon County Courthouse is located on Court Square in Woodbury , Tennessee , a historic building and the center of County Government in Cannon County . 0 +This Vancouver - produced series was set in each episode in a different locale , such as in a western music hall or a historic saloon . This Vancouver-produced series was set in a different locale in each episode , such as a historic music hall or a western saloon . 0 +On May 6 , 2016 , it was announced that Palafox signed the National Premier Soccer League B of the New York Cosmos . On May 6 , 2016 it was announced that Palafox signed to National Premier Soccer League B of the New York Cosmos . 1 +The Speaker was first James David Edgar , and later Thomas Bain . The spokesman first was Thomas Bain , and later James David Edgar . 0 +Emily forces him to sleep on the couch , where he is seduced by Jessica . Jessica obliges him to sleep on the couch , where he is seduced by Emily . 0 +Bergamo railway station is connected to Milan , Lecco , Cremona , Treviglio , Brescia and Monza with regional trains operated by Trenord . The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . 1 +Tribune Media Services distributes the daily Jumble online ( but not in print , where Universal Uclick distributes the puzzles ) . Universal Uclick distributes the daily jumble online ( but not in print form , where Tribune Media Services distributes the puzzles ) . 0 +"During this time , he adopted a new gimmick , Rockabilly , and had a short-lived feud with "" The Real Double J "" Jesse James ." During this time he accepted a new gimmick , rockabilly , and had a short-lived feud with “ The Real Double J ” Jesse James . 1 +Demand was low , while production was high , and the strong dollar contributed to it . Demand was high while production was low , and the strong dollar contributed . 0 +It surrounds the modern city of Lakhish and the old city of Kiryat Gat . It surrounds the ancient city of Lakhish and the modern city of Kiryat Gat . 0 +Mastax poecila is a kind of beetle in the Carabidae family that can be found in Cambodia , China and Singapore . Mastax poecila is a type of beetle in the Carabidae family that can be found in Singapore , China and Cambodia . 1 +The town of Cortlandville , close to the western border of the county , is surrounded by the city of Cortland . The city of Cortland , close to the western border of the county , is surrounded by the town of Cortlandville . 0 +The citizens rejected the new bishop and the Burgundian influence that led to the Liège wars ; Louis was exiled to Maastricht . The citizens rejected the Burgundian bishop and the new influence that led to the Liège wars was exiled to Maastricht by Louis . 0 +Automatic transmission was standard , manually , with or without overdrive , became an option in 1967 . Automatic transmission became standard ; manual , with or without overdrive , was an option in 1967 . 0 +The 2003 Rose Revolution replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer ties with western institutions including NATO . The Rose Revolution of 2003 replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer relations with Western institutions , including NATO . 1 +The Discovery Centre visitor attraction includes Turret House , Tudor Grounds , Sheffield Manor Lodge , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The Sheffield Manor Lodge visitor attraction includes the Turret House , Tudor Reasons , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 0 +In 1932 , the company moved cigar production from Cuba to Trenton after a strike at the Cuban factory , in order to avoid high customs duties . The company moved cigar production to Cuba in 1932 following a strike at the Cuban factory in Trenton and to avoid high tariffs . 0 +This image was rejected because it was seen as too sexual and was replaced by the image of the couple holding fingers , while interlocking hands . This image was rejected because it was seen as too sexual and was replaced by the image of the interlocking fingers of the couple while they hold hands . 0 +"Well-known modern Ney players include Niyazi Sayın , Akagündüz Kutbay , Sadreddin Özçimi , Kudsi Erguner , Süleyman Erguner ( "" Torun "" ) , and Münip Utandı ." "Noted modern ney players include Niyazi Sayın , Akagündüz Kutbay , Sadreddin Özçimi , Kudsi Erguner , Süleyman Erguner ( "" torun "" ) and Münip Utandı ." 1 +The Handbook of South American Indians is a scholarly series of edited monographic and reference volumes in ethnographic studies , published by the Smithsonian Institution between 1940 and 1947 . The Handbook of the South American Indians is a monographic series of published scientific and reference volumes in ethnographic studies published by the Smithsonian Institution between 1940 and 1947 . 0 +And large , round eyes , so dark brown they look almost black . "And dark brown eyes , so black they almost look big , round "" ." 0 +The section of the Collector Highway 321 from Oxford to Springhill was designated as Trunk Highway 4 before the 1960s . The section of Collector Highway 321 from Springhill to Oxford was designated as Trunk Highway 4 before the 1960s . 0 +Hamper is a practicing carpenter in Otisfield , Maine and a member of the Oxford Advent Christian Church , an evangelical church in Oxford . Hamper is a practicing carpenter in Oxford and is a member of the Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . 0 +The Republican River is a tributary of North Fork Republican River . The Republican River is a tributary of the North Fork Republican River . 1 +The aircraft was on a domestic flight from Goma to Ndjili via Kisangani . The aircraft was located on a domestic flight from Goma via Kisangani to Ndjili . 1 +He won three all-Dublin medals for Ireland in 1977 , 1976 , 1974 . He won three all-Dublin medals for Ireland in 1977 , 1976 , in 1974 . 1 +Mendota is a former settlement in Fresno County , California , located north of Warsaw , near the Pueblo de las Juntas . Mendota is a former settlement in Fresno County , California . It was located north of Warsaw near the site of Pueblo de las Juntas . 1 +The equivalence classes of statistical ensembles therefore have the structure of a convex quantity under certain conditions . Equivalence classes of convex ensembles thus have the structure of a statistical set under certain conditions . 0 +His father , Gerry , his uncle , Jimmy Doyle , and his brother , Tommy , also enjoyed All-Ireland success with Tipperary . His father , Gerry , his uncle , Tommy , and his brother , Jimmy Doyle , enjoyed also with Tipperary All - Ireland - success . 0 +It was completed when the section of Amersfoort was opened to Zutphen . It was opened when the Amersfoort to Zutphen section was completed . 0 +Miller County is part of the Texarkana , TX-AR , Metropolitan Statistical Area . Miller Miller County is a part of the Texarkana , TX-AR , Metropolitan Statistical Area . 1 +It was elected in 1977 and re-elected in April 1978 to the newly created Court of Appeals District 1 . In 1977 he was re-elected and elected in April 1978 to the newly created Court of Appeals District 1 . 0 +Ontoticism or onticism is the philosophical branch of ontology which studies the factual existence . Ontoticism or onticism is the factual branch of ontology , which studies philosophical existence . 0 +He claimed that four Ukrainian soldiers were injured , while two of his men were killed during the fighting . He claimed that four Ukrainian soldiers were wounded , while two of his men were killed during the fighting . 1 +"In the Marvel - Zombies - universe , Namor has a cameo performance as a zombie in the original limited edition "" Marvel - Zombies "" ." "In the Marvel - Zombies - universe , Namor has a cameo as a zombie in the limited "" Marvel - Zombies "" series ." 0 +A new Goo Ball is introduced , which is ground by the Corporation into a facial cream . A facial Goo Ball is introduced , which is ground up by the Corporation into a new cream . 0 +The river Voievodeasa is a tributary of the Suceviţa River in Romania . The river Suceviţa is a tributary of the river Voievodeasa in Romania . 0 +A simple example is the rational prime 5 , which is factored as in the table , and therefore not a Gaussian prime . A simple example is the Gaussian Primnum 5 , which is factored as in the table and therefore is not a rational prime number . 0 +Leonardo and Pisanello were among the first Italian artists to add allegorical symbols to their secular portraits . Leonardo and Pisanello were among the first Italian artists to add secular symbols to their allegorical images . 0 +The tournament requires an import or a pure-foreign player for each team . The tournament requires for each team an import or a foreign player . 0 +The son of Olin M. Jeffords , who served as the chief justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born in Rutland , Vermont , Olin M. Jeffords . 0 +He decides , then he looks bad at home . He does , then at home decides he looks bad . 0 +In 2005 , Kinsale became Ireland 's first Fair Trade Town , with Clonakilty being the second . In 2005 , Kinsale became Ireland ’ s second Fair Trade Town , with Clonakilty being the first . 0 +Orders for prototypes that were made in December 1930 were with three companies : Renault , Citroën and Brandt . Orders for prototypes were in December 1930 made with three companies : Renault , Citroën and Brandt . 0 +He was signed by Chicago Rush on November 14 , 2002 , and was released by the Rush on 31 March 2003 . He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on 31 March 2003 . 0 +HomeAdvisor currently employs a Chief Economist , Brad Hunter and Smart Home Strategist and Home Expert , Dan DiClerico . Currently HomeAdvisor employs a Chief Economist , Dan DiClerico , and a Smart Home Strategist and Home Expert , Brad Hunter . 0 +A radar-modified Vickers Wellington has been one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . A radar-equipped Vickers Wellington has been modified as one of the first Airborne Early Warning and Control ( AEW / C ) aircraft for use by the Fighter Interception Unit . 0 +Ardning is a municipality located in the district of Liezen in the Austrian province of Styria . Ardning is a municipality in the district of Styria in the Austrian province of Liezen . 0 +A synthetic instrument is a kind of virtual instrument that is purely defined by software . A virtual instrument is a kind of synthetic instrument that is purely software defined . 0 +The definition can be extended as follows to any ( standard or non-standard ) points : the definition can be extended to standard or non-standard ( arbitrary ) points as follows : 1 +They were replaced by Jill Culton in 2008 , which was followed by Chris Jenkins , with Todd Wilderman in 2010 . They were replaced in 2008 by Jill Culton , followed by Todd Wilderman , with Chris Jenkins in 2010 . 0 +It also adds to the personality of the character Holly Golightly , played by Audrey Hepburn . It also adds to the personality of the Holly Golightly character played by Audrey Hepburn . 1 +"The same named district ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." "The administrative district of the same name ( "" správní obvod "" ) consists of the districts of Prague 17 and Zličín ." 0 +Himmatgarh is a village in the notified area of Zirakpur in district Mohali in state of Punjab in India . Himmatgarh is a village in the named area of Zirakpur in Mohali district in the state of Punjab in India . 1 +He was born in Athens , Greece and grew up in New York City and then in North Grafton , Massachusetts . He was born in New York City and grew up in Athens , Greece , and then at North Grafton , Massachusetts . 0 +Beta versions may be listed only if support is discontinued for some older devices . Beta versions may only be listed if support for some older devices is set . 0 +She won Democrats 64-35 , but Sanders 66-33 lost to the Independents . She won Democrats 64-35 , but the Independents lost 66-33 to Sanders . 0 +Players use the GameSpy Arcade client to create or join the game 's main lobby and then access virtual rooms where they can participate in online play . Players use the GameSpy Arcade - Client to access and create the game 's main lobby , or connect virtual rooms where they can participate in online games . 0 +Gu8mundur Ívarsson Guðmundsson replaced Emil Jónsson as Minister for Foreign Affairs . Emil Jónsson replaced Guðmundur Ívarsson Guðmundsson as Minister for Foreign Affairs . 0 +The first edition of the tournament won by Eduardo Schwank against Ricardo Mello at 6 : 4 , 6 : 2 in the final . The first edition of the tournament won Ricardo Mello against Eduardo Schwank at 6 : 4 , 6 : 2 in the final . 0 +It was located south of the town of Bedford , between the villages of Elstow and Wilstead in Bedfordshire . It was south of the town of Elstow , between the villages of Bedford and Wilstead in Bedfordshire . 0 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs non-hydrogen energy ( ΔG ) to the number of free atoms of the compound . Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs - nonhydrogen energy ( Î G ) to the number of free atoms of the connection . 1 +It was the northernmost of several Muslim states in the Horn of Africa and served as a buffer between the Christian Kingdom and the Muslim states along coastal regions . It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between Christian kingdom and the Muslim states along the coastal regions . 1 +In biology , the biochemical specificity is the tendency of a characteristic , such as behavior or biological variation , in a particular species to occur . In biology , biochemical specificity is the tendency of a characteristic , such as a behavior or a biological variation to occur in a particular species . 1 +Layla was born in London , the daughter of a Brazilian mother and an English father of Irish and Scottish ancentry . Layla was born in London as the daughter of a Brazilian mother and an English father of Irish and Scottish Ancentry . 1 +Everything Your Listeners Ever Wanted to Play by Rush ... But You Were Afraid to Hear . Everything that your listeners ever wanted to play from Rush ... But you were afraid to hear . 1 +The interogator read a lot of papers then came to Abdulla in the four months stress , the intorgator typed the papers and forced Abdulla to write it . The Interogator read a lot of papers , then came in four months of stress to Abdulla , the intorgator typed the papers and forced Abdulla to write it . 1 +"It is important to test so-called "" ethnographic universals "" against the human record ." "It is important to test so-called "" ethnographic universals "" against the human file ." 1 +In 1903 she spoke at the annual conference of the British Labour Party ( later Labour Representation Committee ) and was the first woman to do so . In 1903 she spoke at the annual conference of the Labour Representation Committee ( later the British Labour Party ) , and was the first woman to do so . 0 +The North Downs Way crosses the Medway Viaduct at the eastern end of the Medway Valley Walk or motorway bridge . The North Downs Way crosses the Medway Valley Walk at the eastern end of Medway Viaduct or the motorway bridge . 0 +Jimmy Wareing was born in Silloth in 1917 and played for Silloth and Cumberland Rugby Union prior to the war . Jimmy Wareing was born in 1917 in Cumberland and played the Rugby - Union for Silloth and Silloth before the war . 0 +After the Constitution of the United States was ratified in 1789 , the United States Bill of Rights was adopted in 1791 . After the United States Constitution was ratified in 1789 , the Bill of Rights of the United States was adopted in 1791 . 1 +To a large extent , and involved a cultural realization of cultural identity among the people who share the same language and religious heritage . To a large extent , and involved a cultural realization of cultural identity among the people sharing the same language and religious heritage . 1 +He then became Associate Director of the BPI Capital Corporation 's Strategic Planning Group and Ayala Corporation 's Vice President and Chief Legal Counsel . He then became Associate Director of the Strategic Planning Group of Ayala Corporation and Vice President and Chief Legal Counsel of BPI Capital Corporation . 0 +The additional characters released as DLC in Japan were paid as part of the game in the West . The additional characters published in Japan as DLC were paid as part of the game in the West . 1 +The FIFA 10 Manager was developed by Bright Future and is published by EA Spore . FIFA Manager 10 was published by Bright Future and developed by EA Spore . 0 +The East Coast Railway is one of three departments of Khurda Road . Khurda Road is one of three divisions of the East Coast Railway . 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman , Eric Campbell , who was the first Australian to die in the Iraq War . This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in the war in Iraq . 1 +Varwade is a village in the Talasari district of Maharashtra , India . It is located in the Palghar taluka . Varwade is a village in Talasari district of Maharashtra , India It is located in the Palghar Taluka . 1 +Griese was temporarily injured in the season , however , and later relieved of Grossman . However , Griese was temporarily injured in the season , and later relieved by Grossman . 1 +The Maicoletta two-stroke engine used an unusual starter that swung back and forth before firing the crankshaft instead of rotating it . The two-stroke engine of the Maicoletta used an unusual starter that rocked the crankshaft back and forth before firing instead of rotating it . 1 +The Museumpark is located in the Chabot Museum in the Rotterdam Centrum , between the Netherlands Architecture Institute and the Boijmans Van Beuningen Museum . The Museumpark is located at the Chabot Museum in Rotterdam Centrum , between the Netherlands Architecture Institute and the Museum Boijmans Van Beuningen . 1 +It uses recordings from the OVA and has an interview with Go Nagai . It has captures from the OVA and uses an interview with Go Nagai . 0 +A Bollywood - remake of the film was made in 2005 with Irrfan Khan and Ilene Hamann , directed by Himanshu Brahmbhatt , named Rog . A Bollywood remake of the film was made in the year 2005 named Rog starring Irrfan Khan and Himanshu Brahmbhatt Directed by Ilene Hamann . 0 +In the first year , there were 65 members , at the end of the second year , 91 members , and in the third year , 106 members . In the first year it was 65 members , 91 members at the end of the third year and 106 members in the second year . 0 +Following a merger with Republic Airlines in 1979 , North Central became Southern Airways , which merged into Northwest Airlines in 1986 . Following a merger with Republic Airlines in 1979 , North Central Southern Airways , merged into Northwest Airlines in 1986 . 0 +Aramaic remains , however , a local language for spoken , literary and liturgical Christians and also for some Jews . Aramaic , however , remains a spoken , literary and liturgical language for local Christians and also some Jews . 0 +He played in 2007 in Los Angeles Lollapalooza and 2008 in Chicago at the FuckYeah Festival . He played Lollapalooza in Chicago in 2007 , and the FuckYeah Festival in Los Angeles in 2008 . 0 +"In the Marvel Zombies universe , Namor has a cameo as a zombie in the original "" Marvel Zombies "" limited series ." "In the Marvel - Zombies - universe , Namor has a cameo as a zombie in the limited "" Marvel - Zombies "" series ." 0 +Bryant was born in Perth , Western Australia and attended Firbank Girls ’ apos ; Grammar School in Melbourne . Bryant was born in Perth , Western Australia and attended Firbank Girls ' Grammar School in Melbourne . 1 +Danielle Santos Bernal 's body was found by her sister Lolly and Marian Anderson on November 4 , 2001 . The body of Marian Anderson was found on November 4 , 2001 by her sister Lolly and Danielle Santos Bernal . 0 +The current team , headed by HE Sheikh Mohammed Bin Hamad Al Thani , is a group of Qatari officials and riders . The Qatari team , headed by SE Sheikh Mohammed Bin Hamad Al Thani , is a group of current officials and riders . 0 +Much of the western half of the city is relatively urbanized , while the eastern part of the city ( roughly from Woodbury Point east ) is more rural . Much of the western half of the city is relatively urbanized , while the eastern part of the city ( say , Woodbury Point East ) is more rural . 1 +( Formula 26 are normal vectors at the intersection points . Your product in Formula 27 is scalar . ) ( Formula 26 are normal vectors at the intersection points and their scalar product is Formula 27 ) 0 +Desert View High School is a public high school in southern Tucson , Arizona approximately 1 mile west of I - 10 and Valencia Road . Desert View High School is a public high school located in southern Tucson , Arizona approximately 1 mile west of I-10 and Valencia Road . 1 +Surfers regularly travel to San Lorenzo to find powerful waves ( often head high ) . Surfers often travel to San Lorenzo to find powerful waves ( regularly high ) . 1 +Schools which were formed when Harlem Consolidated was closed include Lovejoy School ( District No . 49 ) in Harlem Township . Schools that were closed when Harlem Consolidated was formed include Lovejoy School ( District No . 49 ) in Harlem Township . 0 +The bill is yellow , eyes , cere , the legs and feet are black . The bill is black , the eyes , cere , the legs and feet are yellow . 0 +Neighboring districts are ( from the south clockwise ) Raman of Pattani Province , Yarang , Mayo , Sai Buri and Kapho of Yala Province . Neighboring districts are ( from south clockwise ) Raman of the province of Pattani , Yarang , Mayo , Sai Buri and Capho of the province Yala . 1 +There are currently twenty-one churches in seven states ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and West Virginia . ) Twenty-one churches are currently in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . 1 +Therefore , South Korea has high climate zones and various precipitations , and this condition leads to a diversity of wildlife . Therefore , South Korea has various climate zones and high precipitation , and this condition leads to a diversity of wildlife . 0 +When he can not produce the diamonds , Herschel is shot and killed by Walsh . Herschel is shot and killed by Walsh if he can not produce the diamonds . 1 +In 1900 , Cowles married Elizabeth Waller , and her daughter Harriet was born in 1912 . Cowles married Elizabeth Waller in 1900 , and their daughter Harriet was born in 1912 . 1 +Kirk Deighton is served by route 780 , Knaresborough to Wetherby , and route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . Kirk Deighton is served over the Route 780 , Harrogate to Wetherby , and Route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 0 +When a client requests the creation of such a resource , it also specifies an identifier for it . When a client requests the creation of one such resource , it also specifies an identifier for it . 1 +He ruled under Trujillo during the end of his era , and later served Duvalier in Haiti . He ruled under Trujillo at the end of his era and later served Duvalier in Haiti . 1 +John F. A. Cecil ( George and Cornelia Stuyvesant Vanderbilt 's only child ) married British aristocrat , William Cecil , a descendant of Edith Vanderbilt in 1924 . Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married in 1924 to the British aristocrat John F. A. Cecil , a descendant of William Cecil . 0 +The temple is maintained and was renovated around 2005 by the Archaeological Investigation of India , Bhubaneswar Circle . The temple has been renovated and was maintained around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 0 +After moving to Turkey as a political refugee in 1988 , he began to write novels about the leftist revolt in Norway . After moving to Turkey in 1988 , as a political refugee , he began writing novels about the leftist revolt in Norway . 1 +"However , a rational curve "" is not "" a curve defined over the rationals , but a curve which can be parameterized by rational functions ." "However , a rational curve "" is not "" one over the rational defined curve , but a curve which can be parameterized by rational functions ." 1 +It was a finalist for the Sidewise Award 2002 for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . It was a finalist for the Sidewise Award 2002 for the best alternative history and the John W. Campbell Memorial Award 2003 . 0 +Simon Brook is the son of the director Peter Brook and actress Natasha Parry , his sister is the actress and author Irina Brook . Simon Brook is the son of fellow director Peter Brook and the actress Irina Brook . His sister is the actress and writer Natasha Parry . 0 +"During 1942 "" Whitehall "" was adopted by the civil community of Cheltenham , Gloucestershire , in a national saving campaign of the warship - week "" ." "During 1942 "" Whitehall "" was adopted by the national community of Cheltenham , Gloucestershire , in a civil saving campaign of the warship - week "" ." 0 +On May 24 , 2017 Lajunen signed a 1-year contract with KHL from HC Spartak Moscow . On May 24 , 2017 , Lajunen signed a 1 year contract with KHL from HC Spartak Moscow . 1 +Several local buses and minibuses stop at the intersection of the airport , 800 metres north of the airport terminals , on the D400 State Road to East-West . Several local buses and minibuses that run east-west on the D400 state road , stop at the Airport intersection , 800 metres north of the airport terminals . 1 +A public elementary school was built in 1850 in the hamlet of Stain and built in 1858 for 100 children . The Wesleyans expanded a school in 1875 . A public primary school was built in the hamlet of Stain in 1850 and expanded to 100 children in 1858 , the Wesleyans built a school in 1875 . 0 +While Mithridates retired to Hyrcania , his forces occupied the kingdoms of Elymais and Characene and subdued Susa . While Mithridates retired to Hyrcania , his troops occupied the kingdoms of Elymais and Characene and subdued Susa . 1 +He has also recorded duets with Daniel Santos , Olimpo Cárdenas and Alci Acosta . He also recorded duets with Alci Acosta , Olimpo Cárdenas , and Daniel Santos . 1 +Norman Nesbitt played Philpott , a geeky man who believes he has been contacted by UFOs . Phil Philpott played Norman Nesbitt , a geeky man who believes he has been contacted by UFOs . 0 +Route 130 leads north to Olney and east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . Route 130 leads north to Olney and south to Grayville , while Route 15 leads to the east to Mount Carmel and west to Fairfield . 0 +He was steward of the Royal Forest of Staffordshire in 1541 , and in 1559 -- 60 became escheator for Cannock . He was Steward of the Royal Forest of Staffordshire in 1541 and became 1559 -- 60 tenters for Cannock . 0 +The music of the film was composed by Vijaya Bhaskar and the lyrics for the soundtrack written by Chi , Udaya Shankar and Vijaya Narasimha . The music of the movie was written by Vijaya Narasimha and texts for the soundtrack composed by Chi , Udaya Shankar and Vijaya Bhaskar . 0 +It was first described by Philip Pallister in 1977 and further researched by Maria Teschler-Nicola and Wolfgang Killian in 1981 . It was first described by Wolfgang Killian in 1977 and further researched in 1981 by Maria Teschler - Nicola and Philip Pallister . 0 +"In the flat spacetime and linear coordination "" differences "" can be treated in coordinates as a contravariant vector ." In flat spacetime and contravariant coordinatization , differences in coordinates , can be treated as a linear vector . 0 +Emperor Wu agreed to and married Yang Zhi in 276 and created her Empress . Emperor Wu agreed and , in 276 , married Yang Zhi and created her empress . 1 +Stony Fork Creek ( shown as Stony Fork on federal maps ) is a tributary of Babb Creek in Tioga County , Pennsylvania in the United States . Stony Fork Creek ( presented as Stony Fork on Federal Maps ) is a tributary of Babb Creek in Tioga County , Pennsylvania , United States . 1 +The 2002 National Football League season was the 27th season of the Seattle Seahawks team . The 2002 Seattle Seahawks season was the team 's 27th season with the National Football League . 0 +""" Streptospondylus "" was also decided to get more Megalosauridae and Afrovenatorinae excluded ." """ Streptospondylus "" was also excluded to get more resolved Megalosauridae and Afrovenatorinae ." 0 +The University Press has excellent funds to support own works and it helps the authors to apply for printing subsidies as well as national awards . The university press has excellent means to support its own works and helps the authors to apply for printing cost subsidies as well as national awards . 1 +Born in 1949 , Lars Elinderson is a Swedish politician from the Moderate Party . Born in 1949 , Lars Elinderson is a moderate politician of the Swedish party . 0 +In April 2014 , 2-5 cavalry from 1 ABCT , 1CD used to Germany to support Operation Combined Resolve II , a NATO exercise in Southeast Europe . In April 2014 , 2-5 Cavalry from 1 ABCT , 1CD deployed to Europe to support Operation Combined Resolve II , a NATO exercise in southeastern Germany . 0 +The Indus cities are renowned for their urban planning , baked brick houses , elaborate drainage systems , water supply systems and collections of large non-residential buildings . The Indus cities are noted for their urban planning , baked brick houses , elaborate drainage systems , water supply systems , and clusters of large non-residential buildings . 1 +These canons were later rejected in 692 by the Eastern Council in Trullo , but approved by Pope Constantine . These canons were approved later in 692 by the Eastern Council in Trullo , but rejected by Pope Constantine . 0 +It seems most active late in the morning and early afternoon . In the early morning and late afternoon , it seems most active . 0 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Missouri to Illinois . The first settlers were Dr. Henry Clay Fish , Richard P. Dobbs and James G. Christian , who all came to Missouri from Illinois . 0 +KSR-3 ( South Korean sounding rocket-3 ) is a Korean sounding rocket designed by KARI . KSR-3 ( Korean Sounding Rocket-3 ) is South Korean sounding rocket designed by KARI . 0 +He was born in Kristiansand , Norway , but came to Bukan , Iran in 1997 . He was born in Kristiansand , Norway , but arrived in 1997 to Bukan , Iran . 1 +The department also offers a rigorous IB Music course as a regular period during the day . The department also offers a strict IB music course as a regular period during the day . 1 +Brock Township is a municipality in Beaverton in the regional village of Durham , Ontario , Canada . Beaverton is a municipality in Brock Township in the regional commune of Durham , Ontario , Canada . 0 +We believe that Jesus Christ was conceived by the Holy Spirit and born of the Virgin Mary and is true God and true man . We believe that Jesus Christ received by the Holy Spirit and was born of the Virgin Mary , and is true God and true man . 1 +He had to compose in Sweden and Mexico compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . In Mexico and in Sweden , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . 1 +Kyle regards Connor as a separate entity and has conversations with him , while Stan and Cartman do not accept this idea at all . Connor regards Connor as a separate entity and has talks with him , while Stan and Cartman do not accept this idea at all . 0 +"The spacecraft is the second application of Astrium 's "" Flexbus "" platform ; GRACE was the first ." "The spacecraft is the second application of the "" Flexbus "" platform by Astrium , GRACE was the first ." 1 +When toxic concentrations are reached , there may be a delay of one or two days before a maximum toxicity occurs . If maximum concentrations are reached , there may be a delay of one or two days before toxic toxicity occurs . 0 +"Matheson is a surname , derived from the patronymic form of a short form of English "" Matthew "" ." "Matheson is a surname derived from the patronymic form of a short form of the English "" Matthew "" ." 1 +The movement is limited primarily to the two shoulder joints : the Scapulothoracic joint and the glenohumera joint . The movement is primarily limited to the two shoulder joints : the glenohumeral joint and the scapulothoracic joint . 1 +It was published in the United Kingdom on 31 August 2004 and in the United States on 17 October 2005 . It was published in the United States on 31 August 2004 and in the United Kingdom on 17 October 2005 . 0 +The 1981 Purdue Boilermakers football team represented Purdue University during the 1981 Big Ten Conference football season . The Purdue University football team in 1981 represented Purdue Boilermakers during the 1981 football season of the big ten conference . 0 +The airline was established in 1990 and was owned by New Zealand Post ( 50 % ) and Airwork ( 50 % ) . The airline was established in 1990 and was owned by the New Zealand Post ( 50 % ) and Airwork ( 50 % ) . 1 +He bought Wisbech Castle , which he rebuilt and restored just before the restoration of the monarchy after which it was supplied to the bishop of Ely . He purchased Wisbech Castle , which he rebuilt and furnished just before the Restoration of the Monarchy , after which it was restored to the Bishop of Ely . 0 +As the place where Clement taught but Heracleon 's language indicates some distance . as the place where Heracleon taught ; but Clement 's language suggests some distance 0 +Living currently in Konya for his university education with his two brothers , Ekrem Boyalı is coached by Ali Sarı . Ekrem Boyalı is currently living in Konya for his university education with his two brothers , which are trained by Ali Sarı . 1 +"She also had a supporting role in the film "" Dolores Perrigrew "" 1992 , when Bob Roberts ." "She also had a side role in the film "" Bob Roberts "" , as Dolores Perrigrew in 1992 ." 0 +It was printed by Kids Can Press in 1985 and published by Everbest in Hong Kong . It was published in 1985 by Kids Can Press , and printed by Everbest in Hong Kong . 0 +The Octavian fleet was commanded by Marcus Vipsanius Agrippa , while the fleet of Antonius was supported by Queen Cleopatra of Ptolemaic Egypt 's power . Octavian 's fleet was commanded by Marcus Vipsanius Agrippa , while Antony 's fleet was supported by the power of Queen Cleopatra of Ptolemaic Egypt . 1 +The video was shot in the city of Mazatlán and in Durango . The video was shot in the city of Durango and in Mazatlán . 1 +He married his first wife , Helie of Semur , about 1033 , and dismissed them in 1048 . Robert and Helie had five children : In 1033 , he rejected his first wife , Helie of Semur , and married her in 1048 . Robert and Helie had five children : 0 +He attended the preparatory school and studied primary and secondary architecture at the ( IAVA ) . He attended primary and secondary school at the university , and studied preparation architecture at the ( IAVA ) . 0 +Touche was the third son of the first baronet in the Creation of 1920 . Touche was the first son of the third Baronet of the 1920 creation . 0 +This introduction to travel began a lifelong passion that led her to study in the remote areas of Alaska and British Columbia . This introduction to studies began with a lifelong passion that led her to travel in the remote areas of Alaska and British Columbia . 0 +The Bank of the People was founded in Toronto by radical reform politicians James Lesslie , James Hervey Price and Dr. John Rolph in 1835 . The Bank of the People was created by radical Reform politicians James Lesslie , James Hervey Price , and Dr John Rolph in Toronto in 1835 . 1 +His uncle , Wally Griffiths , taught his own sons Tony and Chris Griffiths and Digsy Guitare to play . His uncle , Chris Griffiths , taught his own sons Tony and Wally Griffiths , and Digsy to play guitar . 0 +In March 2016 , Nine Entertainment Co acquired a 9.9 percent stake in the Southern Cross Media Group from Macquarie Group . In March 2016 , Macquarie Group acquired a 9.9 % stake in the Southern Cross Media Group from Nine Entertainment Co. Ltd . 0 +Lord Greville married Lady Rosa Emily Mary Anne Nugent , the only daughter and heir of George Nugent , Marquess of Westmeath , who had six children : Lord Greville married Lady Rosa Emily Mary Anne Nugent , only daughter and heir of George Nugent , 1st Marquess of Westmeath . They had six children : 1 +There are a considerable number of nurses from the Anglophone Caribbean who work in the United Kingdom and an even greater number in the United States . There are a substantial number of nurses from the Anglophone Caribbean working in the United Kingdom and an even greater number in the United States . 1 +He was also influenced by Spanish music and began a lifelong love of classical Spanish guitar . He was also influenced by Spanish classical music and began a lifelong love of the Spanish guitar . 0 +""" Baie St. Paul "" has a load capacity of 24,430 tons and a gross tonnage of 37,690 tons according to the Miramar Ship Index ." "According to the Miramar Ship Index , "" Baie St. Paul "" has a gross tonnage number of 24,430 tons and a capacity of 37,690 tons ." 0 +It provides traditional Catholic education for secondary school children in the valleys of Glossopdale and Longdendale . It traditionally provides secondary education for Catholic school children in the Glossopdale and Longdendale valleys . 0 +"Hartman created the recording board for the sessions produced by Johnny Winter , on which the album "" I 'm Ready "" was ran ." "Hartman created the recording board for the sessions , produced by Johnny Winter , which ran the album "" I 'm Ready "" ." 1 +The logical topology defines how nodes in a network communicate across its physical topology . The physical topology defines how nodes in a network communicate over its logical topology . 0 +In 2006 , Silverlake Partners sold the company to Goldman Sachs for 800 million US dollars . Goldman Sachs sold the company to Silverlake Partners for US $ 800 million in 2006 . 0 +The Hebrew Union College-Jewish Institute of Religion also manages the Skirball Cultural Center in Los Angeles and Skirball Museum in Jerusalem . The Hebrew Union College -Jewish Institute of Religion also manages the Skirball Cultural Center in Jerusalem and the Skirball Museum in Los Angeles . 0 +Ferguson remained in Monrovia until his death in 1968 , in 1916 in Liberia . Ferguson remained in Liberia until his death , in Monrovia in 1916 . 0 +The second wave occurred in the 1970s mainly from East Africa especially due to Expulsion of Asians from Uganda . The second wave came in the 1970s , especially from East Africa , mainly due to the expulsion of Asians from Uganda . 1 +Philip Philip Lawson is a pseudonym for Mystery novels by Michael Bishop written with Paul Di Filippo . Michael Bishop is a pseudonym used for mystery novels written by Paul Di Filippo with Philip Lawson . 0 +A tribute to Jamie Parker and Claire Martin . American actor Seth MacFarlane was the lead singer , with Frank Sinatra . A tribute to Frank Sinatra : the US - American actor Seth MacFarlane was the lead singer with Jamie Parker and Claire Martin . 0 +The Irfon defines the northern border of Builth - Wells - area between Llanwrtyd - Wells and Mynydd - Epynt . The Irfon defines the northern limit of the Builth Wells area between Llanwrtyd Wells and Mynydd Epynt . 1 +The sixth wife of Ieyoshi was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . The official wife of Ieyoshi was Princess Takako ( 1795 - 1840 ) , sixth daughter of Prince Arisugawa Orihito . 0 +"She produced , directed , and wrote the screenplay for "" The Curse of Quon Gwon , "" the only film her company made ." "She wrote , staged and produced the screenplay for "" The Curse of Quon Gwon "" , the only film that her company made ." 1 +"In collaboration with cousin George Bernard Shaw , B & H Publications produced "" Harold White Through The Camera "" in 1948 ." "In cooperation with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 through the camera "" ." 1 +One of the key features of Open VOGEL is that it provides intended-in tools built to facilitate the creation of geometrical models . One of the main features of Open VOGEL is that it provides built-in tools to facilitate the creation of geometrical models . 0 +With its grey , furry leaves and mass orange-red flowers , this is one of the most attractive Eremophilas . With its grey , furry leaves and masses of red-orange flowers , this is one of the most attractive eremophilas . 1 +Cedarbrae Mall is a shopping centre in the Scarborough area of Toronto , Ontario , Canada located at the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping centre located in the Toronto , Ontario , Canada area of Scarborough on the corner of Markham Road and Lawrence Avenue East . 0 +Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . Yauli District is one of nineteen districts of the province Peru in Huancavelica . 1 +The constituency is located in Swansea Bay , on the right bank of the River Afan , near its mouth in South Wales . The constituency is situated in South Wales , on the right bank of the River Afan , near the mouth of Swansea Bay . 0 +Pre-modern ( 18th-century ) elements are often the Japanese pronunciation of their Korean equivalents , e.g . Pre-modern ( 18th-century ) elements often are the Japanese pronunciation of their Korean equivalents , e.g . 1 +The park is situated about an hour and a half south of San Francisco or five hours north of Los Angeles . The park is about an hour and a half south of San Francisco , or five hours north of Los Angeles . 1 +The station signal could be heard from Vancouver , British Columbia to Vancouver , Washington , DC . The station signal could be heard from Vancouver to Vancouver , British Columbia , Washington . 0 +Between 1937 and 1957 , Squadron was a unit of the British Auxiliary Air Force and later of the Royal Auxiliary Air Force . 615 ( County Surrey ) Squadron was one unit of the British Royal Auxiliary Air Force and later of the Auxiliary Air Force between 1937 and 1957 . 0 +After harvesting bamboo it still changes in size and shape so that after cutting it has to rest for 3 years before it can be used . After cutting bamboo it still changes size and shape , so it must rest for to 3 years after harvesting it before it can be used . 0 +Looker spent a training camp with the Rams in 2000 before being traded on 7 August with the New England Patriots . In 2000 , the training camp was spent with the New England Patriots before being traded on 7 August to Rams . 0 +The mare was sent to Europe where she was trained by Maurice Zilber in France . The filly was sent to Europe where she was trained in France by Maurice Zilber . 1 +Samata Express is a super quick express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by the East Coast Railway . Samata Express is a super fast express train between Visakhapatnam and Hazrat Nizamuddin in New Delhi and is operated by East Coast Railway . 1 +Other automobile manufacturers who have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda and Volkswagen . Other car manufacturers which have produced models with suicide doors include Citroën , Lancia , Opel , Panhard , Rover , Saab , Saturn , Škoda , and Volkswagen . 1 +During the administration of Ayub Khan , Mannan was Secretary General of the Islamic Advisory Council and the Regional Council . Mannan was a general secretary of the Islamic Advisory Council and Regional Council during the administration of Ayub Khan . 1 +Vidyanandana , Shri Suryavarmadeva , or Cham , was a Suryavarman prince in Cambodia , who in 1182 put down a revolt that broke out at Malyang against Jayavarman VII . Vidyanandana , Shri Suryavarmadeva , or Cham , was a Suryavarman prince in Cambodia , who broke down in 1182 a revolt that erupted in Malyang against Jayavarman VII . 1 +"The novella was translated into English by Antonia White and published ( with "" The Cat "" translated by Roger Senhouse ) in 1953 ." "The novel was translated by Antonia White into English and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." 1 +The company is one of the oldest German companies still in operation and was founded in 1880 by Brazilian brothers Bruno and Hermann Hering . The company is one of the oldest Brazilian companies still in operation , founded in 1880 by the German brothers Bruno and Hermann Hering . 0 +The Divisional Secretariat Weeraketiya is a divisional secretariat of Hambantota District in the southern province of Sri Lanka . Weeraketiya Divisional Secretariat is a Divisional Secretariat of Hambantota District , of Southern Province , Sri Lanka . 1 +Parsora is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . Parsora is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 1 +The cynical manipulation of Stavely 's easily corruptible islanders was interpreted as an indictment of American imperialism and the cultural tyranny of Western missionaries . The cynical manipulation of Stavely 's easily corruptible islanders was interpreted as an indictment of Western imperialism and the cultural tyranny of American missionaries . 0 +It is located close to Mandurriao at 113 R. Mapa Street in the Iloilo City of Old Iloilo Airport . It is located near Old Iloilo Airport at 113 R. Mapa Street in the Mandurriao district of the city of Iloilo . 0 +The comics distributed on kiosks were sold on the basis that unsold copies were returned to the publisher . Comics distributed on newsstands were sold on the basis that unsold copies were returned to the publisher . 1 +As playing fields were sold near the school , Fender Field was later developed . As playing fields nearer the school were sold , Fender Field was later developed . 1 +On May 6 , 2016 , it was announced that Palafox signed the National Premier Soccer League B of the New York Cosmos . On 6 May 2016 , it was announced that Palafox had signed the National Premier Soccer League after New York Cosmos B . 0 +General De Gaulle on the other hand was less impressed , reading her recommendations and only half dismissing most of her reports . On the other hand , General De Gaulle was less impressed , read her recommendations , and only half rejected most of her reports . 1 +Both stems and leaves have sticky hairs , often somewhat soft . Both the stems and leaves have sticky hairs , often somewhat soft . 1 +In Brazil , the IPHONE brand was registered in 2000 by the company Gradiente Eletrônica S.A. , and then IGB Eletrônica S.A . In Brazil the brand IPHONE was in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A . 0 +The actress Manuela do Monte portrays Carol in the Brazilian version of the 2013 series . Actress Carol do Monte portrays Manuela in the 2013 Brazilian version of the series . 0 +He met with a group of the most influential musical directors of Boston to discuss a school based on Europe 's conservatories . He met with a group of Europe 's most influential musicians to discuss a school based on the Conservatories of Boston . 0 +Azaloxan ( CGS-7135A ) is a drug which was patented as an antidepressant by Ciba-Geigy in the early 1980s , but was never marketed . Azaloxan ( CGS-7135A ) is a medication that was marketed by Ciba-Geigy as an antidepressant in the early 1980s , but was never patented . 0 +"The reigning monarch is given if the date is not known more precisely. """ The ruling monarch is given if the date is not more precisely known . 1 +He died on 24 August 1878 in Wyandotte ( now part of Kansas City ) , Kansas . He died on August 24 , 1878 in Wyandotte ( now part of Kansas ) , Kansas City . 1 +Dyson died on board a ship when he was travelling from Australia to England in 1939 and buried at sea . Dyson died on board a ship when he was travelling from England to Australia in 1939 and buried at sea . 0 +It has been designed ergonomically to be fully compatible with 90 percent of the pilot population and safe-compatible with 99 percent . It has been ergonomically designed to be fully compatible with 90 percent of the pilot population and 99 percent safe - compatibility . 1 +At least four disks are used in a standard RAID 01 configuration , but larger arrays are also required . At least four hard disks are required in a standard - RAID - 01 - configuration , but larger arrays are also used . 0 +In addition to Lawrence , the film also stars Mark Curry , Tom Lister Jr. and John Witherspoon . In addition to Lawrence , the film also plays Mark Curry , Tom Lister Jr. and John Witherspoon . 1 +"Hugh Lawson Cansler was born in 1871 in Maryville , Tennessee , as son of Laura Scott ( originally "" Cansler "" ) and Gentzler ." "Cansler was born in Maryville , Tennessee , in 1871 , a son of Hugh Lawson Cansler ( originally spelled "" Gentzler "" ) and Laura Scott ." 0 +September 2 : CF Michael Bourn and CF Drew Stubbs activated , C. Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson by AAA Norfolk recalled . September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino of AAA Norfolk recalled . 0 +By elevation , Wilmont is the highest integrated community in Nobles County and is the only place in America where the onion rings are sold by Larry Lang . Through the elevation Wilmont is the highest registered community in America , and is the only place in Nobles County where Larry Lang 's onion rings are sold . 0 +Chandler and Connie Chandler have been nominated by the Independent Party of Utah and Crane and Alma Peter Crane received 1,101 votes . The Independent Party of Utah nominated Chandler and Connie Chandler . Crane and Alma Peter Crane received 1,101 votes . 1 +Immanuel Dornfeld was the main father and the spiritual initiator of this wine school . The spiritual father and main initiator of this wine school was Immanuel Dornfeld . 0 +In March 1904 , his brother was kidnapped for ransom in West Texas and taken across the border to Mexico . In March 1904 , his brother was kidnapped in West Texas for ransom and brought across the border to Mexico . 1 +Ian Weatherhead lived in Somerset many years before moving to Cheltenham . Ian Weatherhead lived in Cheltenham many years before moving to Somerset . 0 +Bostaph left the band due to an elbow injury and was replaced by former member Lombardo . Lombardo left the band for an elbow injury and was replaced by former member Bostaph . 0 +On 8 February Enrico Dandolo met the crusader leader Alexios V for peace talks . On 8 February , Enrico Dandolo met the crusader Alexios V for peace talks . 1 +"Published in France in September 2003 , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland and Japan ." "Released in September 2003 in France , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland , and Japan ." 1 +The title defenders were Jana Novotná and Jim Pugh , but lost in the second round to Zina Garrison and Sherwood Stewart . Zina Garrison and Sherwood Stewart were the title defenders , but lost to Jana Novotná and Jim Pugh in the second round . 0 +The mountain was named by Jules de Blosseville , after French naval officer Marie Henri Daniel Gauthier , comte de Rigny ( 1782 -- 1835 ) . The mountain was named after the French navy officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 - 1835 ) , by Jules de Blosseville . 1 +The second wife , who was mentioned in the novel only by name , was a fictional daughter of Cao Bao . The second wife of Cao Bao , who was mentioned in the novel only by name , was a fictional daughter of Lü Bu . 0 +It is a path from Hub Industrial Area to Orangi Town , followed by Nazimabad and North Karachi . It is a pathway from Hub Industrial Area to Orangi Town and followed by Nazimabad and North Karachi . 1 +In March 1833 , Pekin was renamed Redford and the southern half was on April 1 , Dearborn Township . In March 1833 Pekin was renamed Redford and the southern half became Dearborn Township on April 1 . 1 +However , most white horses have pink skin and some have blue eyes . However , most white horses have a pink skin and some have blue eyes . 1 +Formal education in Sheffield , a city in England , takes place at the city 's two universities , 141 primary schools and 28 secondary schools . Formal education in Sheffield , a city in England , takes place at two universities in the city , at 141 primary and 28 secondary schools . 1 +"The "" d "" differential goes "" 1 + i "" down and "" 2 + i "" on the right ." "The differential "" d "" goes "" 1 + i "" down and "" 2 + i "" right ." 1 +651 Squadron RAF was a unit of the Royal Air Force in Egypt during the Second World War and subsequently in Italy and North Africa . 651 Squadron RAF was a unit of the Royal Air Force in Egypt during the Second World War and afterwards in Italy and North Africa . 1 +"In 2010 Miller released his third album "" Derek Miller with Double Trouble "" ." "In 2010 , Derek Miller released their third album , "" Miller with Double Trouble "" ." 0 +The present church , consecrated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . The present church , built in June 1885 by the bishop of St. Albans , is not the first to be consecrated in East Hanningfield . 0 +The continuing popularity of this mobile suit in Japan has led Bandai to create a 1.5 m high model version , which went on sale in Japan in 2007 . The continuing popularity in Japan of this tall suit has led Bandai to create a 1.5m mobile model version , which went on sale in Japan in 2007 . 0 +Albania is a town and municipality in the Santander Department in northeastern Colombia . Santander Department is a town and municipality in northeastern Colombia in Albania . 0 +Average daily patronage , where possible , is taken from the last calendar or financial year . Where possible , the average daily patronage from the financial calendar or last year is taken from . 0 +The Peak family remained at Kilallah for only a few years when the house was purchased by a Mr Horrigan who sold it to the Fletcher family . The Peak family remained in Kilallah for only a few years , when the house was purchased by a Mr Fletcher who sold it to the Horrigan family . 0 +Casper is voiced by Robbie Sublett in the film , Matthew Géczy in the first season and Devon Werkheiser in the second season . Casper is expressed in the film by Devon Werkheiser , in the first season of Robbie sublett and in the second season of Matthew Géczy . 0 +""" R "" module is isomorphic to a direct sum of copies of "" R "" as left ( resp ." "Right "" R "" -module is left to a direct sum of copies of "" R "" as isomorphic ( resp ) ." 0 +Other native communities are the Konkanis and the Tuluvas of coastal Karnataka , the Kodavas of the Kodagu district of Karnataka . Other indigenous communities are the Tuluvas and the Konkanis of coastal Karnataka , the Kodavas of Kodagu district of Karnataka . 1 +A systematic study of category theory then allows us to prove general results about any of these types of mathematical structures from the axioms of a category . A systematic study of category theory then allows us to prove mathematical results about all these types of general structures from the axioms of a category . 0 +Kingston District Council is a locality located within the Limestone Coast in the South Australia region of Rosetown . Rosetown is a locality of the Kingston District Council in the Limestone Coast region of South Australia . 0 +A functional magnetic resonance imaging ( fMRT ) study found that deaf participants use the primary auditory cortex as well as the visual cortex when they observe sign language . A functional magnetic resonance imaging ( fMRT ) study showed that deaf participants use the visual cortex as well as the primary auditory cortex when they observe sign language . 1 +He held various positions at Wang Laboratories before joining IBM in 1981 . At IBM he held various posts before joining Wang Laboratories in 1981 . 0 +Moraes spent eight years in Britain , in Mumbai now London and Oxford , New York City , Hong Kong , Delhi and Bombay . Eight years in Britain , Mumbai , Moraes now spent London and Oxford , New York City , Hong Kong , Delhi , and Bombay . 1 +These species were discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . The species were discovered in 2013 and were named and described by Samuel P. Iglésias and Lou Frotté in 2015 . 1 +The secure system is based on the remote mechanism of the ONC First Procedure Call System developed in SunOS . The secure system is based on a remote mechanism of the ONC first procedure call system developed in SunOS . 1 +The original edition of the Disc was published in Singapore on 11 January 2006 and on 26 January 2006 in Malaysia . The original edition of the disc was published in Malaysia on 11 January 2006 and on 26 January 2006 in Singapore . 0 +In 1968 , the boardwalk Bowl followed the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . In 1968 , the Boardwalk Bowl succeeded the Tangerine Bowl , and the Pecan Bowl moved within Texas , from Abilene to Arlington . 1 +Sandra Cecchini defeated Mary Pierce by 6-0 , 6-3 . Mary Pierce defeated Sandra Cecchini 6 -- 0 , 6 -- 3 0 +SHS also has teams that compete in archery and bowling that are not sanctioned by IHSAA but are sponsored by their organizations . SHS also has teams that compete in Archery and Bowling which are not IHSAA sanctioned , but sponsored by their organizations . 1 +Most white horses , however , have pink skin and some have blue eyes . However , most pink horses have white skin and some blue eyes . 0 +According to McCombs and Funk ( 2011 ) , intermedia agenda setting is a new path of the future agenda setting research . According to McCombs and Funk ( 2011 ) , the intermedial agenda setting is a future path of new agenda setting research . 0 +Peggy Edenfield testified against her husband David in that case and also agreed to testify during his trial against her son , George . Peggy Edenfield testified in the case against her husband George and has also agreed to testify against her son David during his trial . 0 +Utah asserts a lead of 60 -- 34 -- 4 , while BYU claims that Utah 57 -- 31 -- 4 leads . Utah claims a margin of 60 -- 34 -- 4 , while BYU leads Utah claims 57 -- 31 -- 4 . 0 +Ann is married to Jennifer Aull , who was in the Greenpoint Reformed Church in Brooklyn Pastor with Ann . Ann is married to Jennifer Aull , who pastors with Ann in the Greenpoint Reformed Church in Brooklyn . 1 +It is located on the historic Natchez Trace , at Mile 180.7 at the modern Natchez Trace Parkway in Mississippi , USA . It is located on the modern Natchez Trace , at mile marker 180.7 on the historic Natchez Trace Parkway in Mississippi , USA . 0 +This minus sign indicates that the imaginary part of the impedance is negative . The minus sign indicates that the imaginary part of the impedance is negative . 1 +Among the admirers were Manuel Machado and the brothers Antonio and Jacinto Benavente . Among her admirers were Manuel Machado and the brothers Antonio and Jacinto Benavente . 1 +On the album charts the album reached number 1 in Norway and in Sweden number 16 . On the album charts , the album peaked at number 1 in Norway and number 16 in Sweden . 1 +In December 1883 he moved for two years to Los Angeles and then to Fresno . In December 1883 , for two years , he moved to Fresno and then to Los Angeles . 0 +She was born January 30 , 1912 , the Jewish daughter of the banker Maurice Wertheim and his first wife Alma Morgenthau . She was born on January 30 , 1912 as the Jewish daughter of banker Maurice Wertheim and his first wife , Alma Morgenthau . 1 +"In 1960 , Glenville also directed Robert Anderson on Broadway in "" Silent Night , Lonely Night "" by Barbara Bel Geddes and Henry Fonda ." "In 1960 , Glenville directed also Robert Anderson on the Broadway in "" Silent Night , Lonely Night "" of Barbara Bel Geddes and Henry Fonda ." 1 +"The director , Tanvir Ahmed , describes this film as "" a tale of a noble father , a religious mother and a gangster son in Mumbai City "" ." "The director Tanvir Ahmed describes this film as "" a story from a noble father , a religious mother and a gangster son in Mumbai City "" ." 1 +It is found in south-eastern Venezuela , where is known as jequitibá-branco or jequitibá-rosa , possibly Brazil , and possibly Colombia . It is found in south-eastern Venezuela , where as Jequitibá - branco or jequitibá-rosa , possibly Brazil and possibly Colombia is known . 1 +"Sicha described it as "" nocturnal and ... seemingly seriously huge , organic "" -- in fact , active around the clock ." "Sicha described it as "" night-active and ... seemingly seriously huge , organic "" -- in fact around the clock ." 1 +It was created on 18 July 1914 for the pharmacist and businessman William Horlick , brother of James Horlick . It was created on July 18 , 1914 for the pharmacist and businessman James Horlick , the brother of William Horlick . 0 +"The concept of a redistribution system is at least as old as the concept of the Pharaoh , which means "" royal house "" and describes the great palace ." "The concept of a redistribution system is at least as old as the concept of Pharaoh , which means "" great house "" and describes the royal palace ." 0 +"A series of "" Cul de Sac "" animated shorts , produced by RingTales , are hosted by Babelgum ." "A series of "" Cul de Sac "" animated shorts , produced by RingTales , is hosted by Babelgum ." 1 +The village has three schools -- a primary and two secondary schools . The village has three schools - a secondary and two primary schools . 0 +The above two functions are analogous to the next two and are used for base clusters . The next two functions are analogous to the two above and are used for base clusters . 0 +The MSM model can be specified both in discrete and continuous time . The MSM model can be specified both in continuous time and in discrete time . 1 +To be announced July 2013 . announced to be created July 2013 . 0 +Celestine V identifies a persistent tradition as the nameless figure Dante Alighieri sees among those in the anteroom of hell , in the mysterious verses : A persistent tradition identifies Celestine V as the nameless figure Dante Alighieri sees among those in the antechamber of Hell , in the enigmatic verses : 1 +The concurrent Coordinator of the Australian Cyber Security Centre was the former Deputy Director of the Australian Signals Directorate . The simultaneous coordinator of the Australian Cyber Security Centre was the former deputy director of Australian Signals Directorate . 1 +"In 1887 she played the part of Giovanni Paisiello , the court composer , in the first staging of Victorien Sardou 's drama "" La Tosca "" ." "In 1887 she played the role of the court composer Victorien Sardou in the first production of Giovanni Paisiello 's drama "" La Tosca "" ." 0 +Limestone from the quarry of TexaStone in Garden City was donated in 2004 for the establishment of the Stonehenge - replica in Odessa , Texas . Limestone from the quarry of TexaStone in Odessa , Texas was donated in 2004 for establishment of the Stonehenge replica in Garden City . 0 +On July 7 , 2011 , Russell was traded for Michael Blunden as Columbus Blue Jackets and joined his brother Kris Russell with the Blue Jackets organization . On 7 July 2011 , Russell was traded for Kris Russell on the Columbus Blue Jackets and joined his brother Michael Blunden with the Blue Jackets organization . 0 +A survey among software engineering experts revealed , however , that documentation is by no means considered unnecessary in agile development . However , a survey among software engineering experts showed that documentation in agile development is by no means unnecessary . 1 +He established the Aquila Press in the 1930s to publish literary but obscure works . He personally wrote or translated over 50 books . He founded the Aquila Press in the 1930s to publish obscure but literary works , and he wrote or translated over 50 books . 0 +Groups of eastern lowland gorillas are usually larger than those of western gorillas . Groups of western lowland gorillas are usually larger than those of the eastern gorillas . 0 +Lisette married Ferdinand de Brinon , Jeanne Louise Rachel Franck , the former Jewish wife of Claude Ullmann , who had converted to Catholicism . Ferdinand de Brinon married Jeanne Louise Rachel Franck , a.k.a . Lisette , the Jewish former wife of Claude Ullmann ; she converted to Catholicism . 0 +The former has black marble and white stone shivlingas , while the latter has only white marble ones . The former has white marble and black stone shivlingas , while the latter has just white marble . 0 +The Mansa state headquarters of the Communist Party of India ( Marxist-Leninist ) Liberation in Punjab is known as Baba Bujha Singh Bhavan . The Punjab - headquarters of the Communist Party of India ( Marxist-Leninist ) The liberation in Mansa is known as Baba Bujha Singh Bhavan . 0 +The most complete existing works , dealing with the mythical origins of the constellations , are called by the Hellenistic writer Pseudo-Eratosthenes and an early Roman writer Pseudo-Hyginus . The most complete existing works dealing with the mythical origins of the constellations are by the Hellenistic writer termed pseudo-Eratosthenes and an early Roman writer styled pseudo-Hyginus . 1 +The texts were written by Taupin first and John later composed the music . The lyrics were first written by Taupin and John later composed the music . 1 +When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him at the hospital in Peshawar . When Khadr was injured in Kabul in 1995 , Mohamad Elzahabi visited him at the Peshawar hospital . 0 +Tadiyale is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu - Taluka , on the banks of the Arabian Sea . Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in Arabian Sea Taluka , on the banks of the Palghar . 0 +The ground was home to the American Association , which played in 1890 in the players ' ; League and the Boston Reds . The ground was home to the Boston Reds , that played in the Players ' League in 1890 and the American Association in 1891 . 0 +The novel was translated into Bulgarian , Croatian , Swedish , Polish , Russian , Korean , French , Norwegian and Dutch . The novel has been translated into Russian , Croatian , Swedish , Polish , Bulgarian , Korean , French , Norwegian and Dutch . 1 +In 2008 , Rice played a tour with Maria Taylor of Azure Ray and co-headlined Los Angeles ' Sunset Junction festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and played the Sunset Junction Festival in Los Angeles . 0 +German officials conducted interviews with the two men , in Guantanamo , in March , to confirm their suitability for transfer to Germany . In March , the two German officials in Germany conducted interviews with the two men to confirm their suitability for transfer to Guantanamo Bay . 0 +Ridase is a village in Lääneranna Parish , Estonia , in western Pärnu County . Ridase is a village in the Lääneranna parish , Estonia , in western Pärnu County . 1 +The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in 2011 in Italy . The championship took place in 1999 in Italy , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Austria in 2011 . 0 +He survived the Soviet leadership transition from Brezhnev to Khrushchev in 1964 . In 1964 , he survived the Soviet leadership transition from Brezhnev to Khrushchev . 1 +Other R & amp ; D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son , and Thomas Mann Randolph Talcott . Other R & D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . 0 +The 1945 Northwestern Wildcats team represented Northwestern University during the 1945 Big Ten Conference football season . The 1945 Big Ten Conference Team represented Northwestern University during the Northwestern Wildcats football season of 1945 . 0 +26 -- Maria Sharapova defeats Ana Ivanovic to win the 2008 Australian Open women 's singles title . 26 -- Maria Sharapova defeats Ana Ivanovic to win the women 's title 2008 of the Australian Open . 1 +However , he was displaced in the Cardiff side soon after by Colin Hudson and later Johnny Watkins . He was displaced soon after by Colin Hudson and later Johnny Watkins on the Cardiff side . 1 +A reference to the epic image also appears in the late ( about 400 AD ) poet Nonnus : A reference to the epic image also appears in the late ( c. AD 400 ) Odyssean poet Nonnus : 1 +Former segments of State Road 52 , have included Roth Lane , in Saint Leo , and North 21st Street and Lock Street in Dade City . Former segments of the State Road 52 include Roth Lane , in Dade City , and North 21st Street and Lock Street in Saint Leo . 0 +Ocellochiton is an extinct polyplacophoran - mollusc . Ocellochiton is an polyplacophoran of extinct mollusc . 0 +Justo buries Manuel alive and then goes away again . Manuel buries Justo alive and then goes away . 0 +In 1970 , the Gay Liberation Front sponsored one of the first openly announced same-sex mixers in Chicago in dormitory . In 1970 the Gay Liberation Front sponsored one of the first openly announced same-sex mixers in Chicago at the dormitory . 1 +Van Hoof was born in Antwerp , was a student of Peter Benoit and was influenced by the works of Paul Gilson . Van Hoof was born in Antwerp , was student of Paul Gilson and was heavily influenced by the works of Peter Benoit . 0 +It is somewhat smaller than Peru and slightly larger than South Africa . It is slightly larger than Peru and slightly smaller than South Africa . 0 +LaRoche was recalled on 1 September after being degraded to Triple-A Las Vegas . LaRoche was dismantled on September 1 , after being recalled to Triple-A Las Vegas . 0 +The festival originated in 2007 and debuted in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . The festival debuted in 2007 and was created in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . 0 +While Martin became a lawyer and politician , James operated a successful sawmill near Monticello . While James became a lawyer and a politician , Martin operated a successful sawmill near Monticello . 0 +Fernando González defeated Gastón Gaudio 6 - 3 , 6 - 4 Gastón Gaudio defeated Fernando González 6 - 3 , 6 -- 4 0 +Riverside is located on the 3rd Congressional District and is part of the 7th State Legislative District in New Jersey . Riverside is located in the 7th Congressional District and is part of the 3rd state of New Jersey 's Legislative District . 0 +"Panthro is renamed "" Pantro "" in the Spanish version , "" Pantor "" in the German version , and "" Pantéro "" in the French version ." "Panthro is renamed in the Spanish version in "" Pantro "" , in the English version "" Pantor "" and in the French version "" Pantéro "" ." 0 +Stephen Hendry won the title for the first time and beat Peter Ebdon 9-8 in the final . Peter Ebdon won the title for the first time , beating Stephen Hendry 9 -- 8 in the final . 0 +In November 2005 , Robert Israel sold Plotkin the weekly to Mitchell of Bolinas , California . In November 2005 , Robert Israel Plotkin sold the weekly to Mitchell of Bolinas , California . 0 +The River Titimoiu is a tributary of the Ceapa River in Romania . The Titimoiu River is a tributary of the Ceapa River in Romania . 1 +RVD tried to break the hold , but the flair rolled into the ropes to reverse the hold . RVD tried to reverse the hold , but Flair was rolling into the ropes to break the hold . 0 +Con and Bonar Colleano had no children , Con was the uncle of the American actor Jack Stehlin and the American - uncle of great actor Winnie . Con and Winnie had no children ; Con was the uncle of American actor Bonar Colleano and the great-uncle of American actor Jack Stehlin . 0 +Mackenzie is a writer-in-residence at the 2B Theatre in Montreal and teaches at the National Theatre School of Canada in Halifax . Mackenzie is a writer in the 2B Theatre in Halifax and teaches at the National Theatre School of Canada , Montreal . 0 +The once strategic relationship between Poland and Germany has now become a bad relationship . The once strategic relationship between Poland and Germany now has become a bad relationship . 1 +Cheadle Heath railway station served a railway station which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb Cheadle Hulme . Cheadle Heath railway station was a train station that served between 1901 and 1968 the village of Cheadle , Cheshire , and the suburb of Stockport Cheadle Hulme . 0 +He has performed in South Africa about the great king of the Mzilikazi and founder of the Mthwakazi kingdom , Ndebele . He has performed in South Africa saying praises about the Great King of the Ndebele and founder of the Mthwakazi Kingdom , Mzilikazi . 0 +He has presented lectures and conference of the College Art Association in Toronto ( 2007 ) and at the Subtle Technologies Conference in New York ( 2002 ) . He has presented presentations and the College Art Association Conference in New York ( 2007 ) and at the Subtle Technologies Conference in Toronto ( 2002 ) . 0 +Meridian Charter Township is a charter township of Ingham County in the U.S. state of Michigan . Meridian Charter Township is a charter township of Ingham County in the US state of Michigan . 1 +In 1236 , Magnus , the son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Haakon Haakonsson . In 1236 , Haakon Haakonsson , son of Gille Brigte , Mormaer of Angus , was awarded the Jarldom of Orkney by King Magnus . 0 +It is separated by the Sarawak district of Limbang in two parts . It is separated into two parts by the Limbang district of Sarawak . 0 +The name Edith has four name days : 14 May in Estonia , 31 October in Sweden , 5 July in Latvia and 16 September in France . The name Edith has four name days : 14 May in Estonia , 31 October in Latvia , 5 July in Sweden and September 16 in France . 0 +"In reality , a "" coherent "" isotropic radiator of linear polarization can be shown impossible ." "In reality , a "" coherent "" isotropic radiator of linear polarization can be shown to be impossible ." 1 +The two terms are indeed also used in other parts of the country . Indeed , the two terms are now used also in other parts of the country . 1 +His son , George , was a prominent architect in Winnipeg , and his son , John James , was also active in Montreal . His son John James was a prominent architect working in Winnipeg , and his son George was also an architect in Montreal . 0 +The family is very religious and , at the age of 12 , Géneviève joined the junior choir of her Protestant church . The family is very religious and , at the age of 12 , Géneviève joined the Protestant choir of her junior church . 0 +While Formula 9 is the molar gas constant , Formula 10 is the temperature and Formula 11 is the ideal mass of atoms . Where formula _ 9 is the molar gas constant , formula _ 10 is the temperature and formula _ 11 is the ideal mass of the atoms . 1 +Chinese dumplings were influenced by Indonesian immigrants and brought to Indonesia . Indonesian dumplings were influenced and brought to Indonesia by Chinese immigrants . 0 +"Allen recruited for his band , Christian McBride "" Inside Straight "" ." McBride recruited Allen for his band , Christian McBride & Inside Straight . 0 +In 1958 , he spoke throughout East Asia and Western Europe , and in Northern Ghana in 1961 . In 1958 he spoke throughout East Asia and in Ghana , and in 1961 in Northern and Western Europe . 0 +The Bs is first raised in the 1805 season and the team was recorded sporadically until the 1832 season . The Bs were raised first in the 1805 season and the team was recorded sporadically until the 1832 season . 1 +The region was then ruled by the Muslim house of Arakkal , followed by Tipu Sultan . The region then followed the Muslim house of Arakkal , which was ruled by Tipu Sultan . 0 +Caroline Wozniacki won the title by beating Vera Zvonareva with 6 -- 3 , 3 -- 6 , 6 -- 3 in the final . Caroline Wozniacki won the title by beating Vera Zvonareva in the final 6 -- 3 , 3 -- 6 , 6 -- 3 . 1 +For many centuries it was a royal chapel and from 1480 a royal strange chapel , independent of the diocese of Lichfield and even the province of Canterbury . For many centuries it was a royal strange , independent royal , and since 1480 a chapel of the Diocese of Lichfield and even of the province of Canterbury . 0 +HomeAdvisor currently employs a Chief Economist , Dan DiClerico and Smart Home Strategist and Home Expert , Brad Hunter . Currently HomeAdvisor employs a chief economist , Brad Hunter , and a Smart Home Strategist and Home Expert , Dan DiClerico . 0 +The replicant is Hooker ( Marnie Alton ) dated as the film ends . The Replicant is dating Hooker ( Marnie Alton ) as the film ends . 1 +He won a third term in office in 1994 , and in 1996 a second term with 63 % of the popular vote . He won a second term in office in 1994 , and in 1996 a third term with 63 % of the vote . 0 +Jagath died on 11 April , 1981 from a heart attack shortly after his son Santha drowned under mysterious circumstances in a swimming pool . Shortly after his son , Jagath , drowned in a swimming pool under mysterious circumstances , he died of a heart attack on April 11 , 1981 . 0 +Among the bugis dealers were also members of the nobility like Raja Ali Haji , who married the daughter of Engku Karaeng Talibak . Among the Bugis traders were also members of the nobility like Raja Ali Haji who married the daughter of Engku Karaeng Talibak . 1 +The river Pilugul is a tributary of the river Văcăria in Romania . The Văcăria River is a tributary of the River Pilugul in Romania . 0 +Irma Chilton ( born Mair Elizabeth Irma Evans , November 12 , 1930 -- 1990 ) was a Welsh children 's author in English and Welsh . Mair Elizabeth Irma Evans ( born Irma Chilton , 12 November 1930 -- 1990 ) was a Welsh children 's writer in the English and Welsh languages . 0 +Cambodia is represented in Canada through its UN mission in New York City . Canada is represented by its UN mission in New York City in Cambodia . 0 +Tabda , also known as Tabto , is a city in the southern region of lower Juba ( Jubbada Hoose ) in Somalia . Tabda , also known as Tabto , is a town in the southern Lower Juba ( Jubbada Hoose ) region of Somalia . 1 +In 1774 , its earliest settlers were George McCormick and George Woods , who settled in Spring Mills in 1773 and built the first mill there . Its earliest settlers were George Woods in 1774 , and George McCormick who settled at Spring Mills in 1773 and built the first mill there . 0 +It has a very blunt tubercle in the middle , is a little reverted , and has a very slight furrow behind it . It is a very blunt tubercle in the middle , has a slight relapse and has a very little fury behind it . 0 +In 1999 , non-clinical research and clinical development within Johnson 's Johnson become a global organization . In 1999 , non-clinical research and clinical development become a global organization within Johnson & Johnson . 1 +"The track remains one of two tracks that Brant has ever written , the other track was also from the same album , titled "" This Time Around "" ." "The track remains one of two tracks that Brant also co-wrote , the other track was ever from the same album , titled "" This Time Around "" ." 0 +Joe Joe feels betrayed and decides to join Gallagher 's escape plan . Gallagher feels betrayed and decides to join Joe 's escape plan . 0 +Through the weekly Roanoke Beacon newspaper from Plymouth , NC , and the daily Washington Daily News from Washington , NC , Creswell is serviced . Creswell is served by the daily Roanoke Beacon newspaper from Plymouth , NC , and the weekly Washington Daily News from Washington , NC . 0 +There is a standard technique ( see for example ) for calculating the change of variables to normal coordinates , at a point as a formal Taylor series expansion . There is a standard technique ( see for example ) for computing the change of variables to normal coordinates , at a point as a formal Taylor series expansion . 1 +In 2010 , she performed at the sixth annual Jewlicious Festival alongside Matisyahu , Moshav , Rav Shmuel , Electro Morocco , and Kosha Dillz . In 2010 she appeared at the sixth annual Jewlicious Festival alongside Kosha Dillz , Moshav , Rav Shmuel , Electro Morocco and Matisyahu . 1 +Ameloblastomas account for about one percent of all odontogenic tumors and about 18 % of oral tumors . Ameloblastomas account for about one percent of all oral tumours and about 18 % of odontogenic tumors . 0 +Cheadle Heath railway station was a train station that served the village of Cheadle , Cheshire and the suburb of Stockport by Cheadle Hulme between 1901 and 1968 . Cheadle Heath railway station served a railway station , which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . 0 +The movie was filmed in 1993 . Duane Martin was the original choice to portray Allen Payne , but was rejected by Pollack in favor of Kyle Watson . The film was filmed in 1993 , and Duane Martin was the original choice to portray Allen Payne , but was rejected by Pollack in favor of Kyle Watson . 1 +It began on Social Esportiva Vitória , then went to the Fabriciano and was lent to other clubs and various Ceará before returning to Ceará in 2010 . It began on Social Esportiva Vitória , then went to the Fabriciano and was loaned to other clubs and various Ceará , before returning in mid- 2010 to Ceará . 1 +It is the explicit goal of TCI not only to lead the leader , but also to enable a group to provide for itself ( President Person Postulate ) . It is the explicit goal of TCI not only to lead the leader , but also to enable a group to support itself ( chair person postulate ) . 1 +""" Darn That Dream "" is a popular song with music by Jimmy Van Heusen and text by Eddie DeLange , published in 1939 ." """ Darn That Dream "" is a popular song with music by Jimmy Van Heusen and lyrics by Eddie DeLange , published in 1939 ." 1 +"From 2015 , Karl Stefanovic appears with Brown as political commentator on "" The Verdict "" from Channel 9 ." "From 2015 , Karl Stefanovic appears as a political commentator on Channel 9 's "" The Verdict "" with Brown ." 1 +"A "" Wall Street Journal "" poll in 2016 named as James Marshall 's Harrison Ford is the greatest fictional president ." "A "" Wall Street Journal "" survey in 2016 , named James Marshall 's Harrison Ford is the greatest fictional president ." 1 +In 2012 , Duncan appeared next to Amanda Hale in Scrubber , a film by Romola Garai written and directed . In 2012 , Duncan appeared next to Romola Garai in Scrubber , a film by Amanda Hale written and directed . 0 +The river Bota Mare is a tributary of the river Zăbrătău in Romania . The river Zăbrătău is a tributary of the River Bota Mare in Romania . 0 +"Dresses for special occasions were made of striped silk with winged sleeves with a short "" Taqsireh "" jacket , known as Bethlehem jacket ." "Dresses for special occasions were made of striped silk with short sleeves with a winged "" taqsireh "" jacket known as the Bethlehem jacket ." 0 +Buffham joined the Armed Forces Security Agency in 1949 and went on to the newly formed National Security Agency in 1952 . In 1949 , Buffham joined the National Security Agency and moved on to the newly established Armed Forces Security Agency in 1952 . 0 +At the age of nine , Garcia appeared in his first concert and since then has appeared alone or with his aunt and his uncle in all parts of France . At the age of nine , he appeared in his first concert and since then he joined alone or with his aunt and his uncle in all parts of France . 1 +He proclaimed the Duce and was in song even before the seizure of power . He was the Duce and proclaimed in the song even before seizure of power . 0 +St Francis Inter College , Aligarh Road , is one of the best and most renowned schools in Hathras . One of Aligarh 's best and most prestigious schools is St Francis Inter College , Hathras Road . 0 +The results of the Austrian championships were used to choose the national teams to the 2004 World Figure Skating Championships and the 2004 European Figure Skating Championships . The results of the national championships were used to select the Austrian teams for the 2004 World Figure Skating Championships and the European Figure Skating Championships in 2004 . 0 +In redistricting , the 23rd District was renumbered as the 20th District . In Redistricting the 20th district was renumbered into the 23rd district . 0 +Production is mainly dedicated to the professional market , with the Linea Pro industrial products , the DIY market is served by the Linea Blu product range . The production is mainly dedicated to the professional market , with the industrial products Linea Pro , the DIY market , being served by the Linea Blu product line . 1 +The planned electrification of the Blackpool Nort route to Manchester was announced in December 2009 . The planned electrification of the Manchester to Blackpool North route was announced in December 2009 . 0 +In the first round of the tournament , Baker defeated Sean Loeffler via TKO at Bellator 16 . In the first round of the tournament Baker Sean Loeffler defeated via TKO in Bellator 16 . 0 +"George Jones recorded the song as "" Somebody Always Paints the Wall "" on his 1990 album "" You Oughta Be Here with Me "" ." "On his 1990 album "" You Oughta Be Here with Me "" , he recorded the song as "" Somebody Always Paints the Wall "" ." 1 +"From January 2003 to December 2004 , Milner was the Managing Director of "" Neftyanoi "" , owned by Igor Linshits ." "From January 2003 to December 2004 , Igor Linshits was the CEO of "" Neftyanoi "" , owned by Milner ." 0 +The abbey is registered as a cultural heritage of regional importance . The abbey is registered as a regional asset of cultural importance . 0 +He was the son of the surgeon Timothy Hosmer ( born 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut ) . He was a son of surgeon Timothy Hosmer ( born in Middletown , Connecticut , in 1740 ; died in Canandaigua , New York , in 1820 ) . 0 +With supported data on both channels , redundant communication is replicated . Redundant communication is supported with replicated data on both channels . 0 +Agnes Milowka ( 23 December 1981 -- 27 February 2011 ) was an underwater diver , Australian technical photographer , author , maritime archaeologist and cave explorer . Agnes Milowka ( 23 December 1981 - 27 February 2011 ) was an Australian technical diver , underwater photographer , writer , maritime archaeologist and cave explorer . 0 +The new negative is tested and printed again . The new negative is printed and again is tested . 0 +Chinese dumplings were influenced by Indonesian immigrants and brought to Indonesia . Chinese dumplings were influenced and brought by Indonesian immigrants to Indonesia . 1 +In the original IBM - PC , an NMI was triggered when a parity error in the system 's memory was detected or reported by an external device . In the original IBM PC , an NMI was triggered if a parity error was detected in system memory , or reported by an external device . 1 +A programme to encourage families living in rural areas to send girls to school as a means of promoting youth development . A programme to encourage families living in rural areas to send girls to go to school as a means of promoting youth development . 1 +"In his own autobiography "" Long Walk to Freedom "" , Nelson Mandela mentions James Gregory in two cases : the first one during his imprisonment in Pollsmoor :" "In his own autobiography , "" Long Walk to Freedom "" , Nelson Mandela mentions James Gregory in two occasions . The first was during his imprisonment in Pollsmoor :" 1 +Unlike most liberal protests in the United States , the Tax March focused not on specific issues , but on broad demand . Unlike most liberal protests in the United States , the Tax March did not focus on broad issues , but instead focused on a specific demand . 0 +Biju Patnaik 's younger son , Naveen Patnaik , is the current Chief Minister of Odisha . The younger son of Naveen Patnaik , Biju Patnaik , is current Chief Minister of Odisha . 0 +The newspapers available in Goudhurst are free and Maidstone extra owned by KOS Media and yourtunbridgewells and yourmaidstone , both owned by KM Group . Newspapers available in Goudhurst are free and Maidstone extra owned by KOS Media and yourtunbridgewells and yourmaidstone both owned by KM Group 1 +The localized versions of subsequent games use the current naming convention instead . The localized versions of subsequent games use instead the current designation convention . 1 +The 1990 PBA season was the 16th season of the Philippine Basketball Association ( PBA ) . The PBA season of 1990 was the 16th season of the Philippine Basketball Association ( PBA ) . 1 +There are 22 species in the genus , 17 species have a dextral bowl and 5 species are sinistral . There are 22 species in the genus . 17 species have a dextral shell and 5 species are sinistral . 1 +Of the women , Sara Takanashi ( USA ) , Sarah Hendrickson ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . Among women , the favourites were Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . 0 +However the term Siyin is local and Sizang is official terminology . The term Siyin is official , however , and Sizang is local terminology 0 +Nathan Bryon was poured in the role of Joey Ellis , who would be introduced as a friend of Tiger Dyke 's established character from his hometown . Joey Ellis was cast in the role of Nathan Bryon , who would be introduced as a friend of established character Tiger Dyke from his hometown . 0 +As a senior in 2003 , he rushed for 1,070 yards and threw for 1,291 to earn District 18-4A MVP honors . As a senior in 2003 , he rushed for 1,070 yards and threw for 1.291 to earn District 18-4A MVP honors . 1 +On June 9 , 1970 , Birender Singh married the PremLata Singh . PremLata Singh was married on June 9 , 1970 with Birender Singh . 1 +Winterfield Township is in the northwestern corner of Clare County and is bordered to the west by Osceola County and to the north by Missaukee County . Winterfield Township is located in the northwestern corner of Clare County and is bordered to the west by Missaukee County and to the north by Osceola County . 0 +Burstwick is a couple of miles from the local market town of Hedon and the villages of Keyingham and Thorngumbald . Burstwick is a few miles from the local market town of Keyingham and the villages of Hedon and Thorngumbald . 0 +On 7 September 2011 , the Blue House officially scrapped plans for a rich tax deduction , marking the fundamental end of Mbnomics . On 7 September 2011 , the Blue House officially scrapped plans for a foundational tax deduction , marking the rich end of Mbnomics . 0 +Sir Herbert was returned in the new Croydon East seat and was re-elected in 1951 . Sir Herbert was re-elected to the new seat of Croydon East and was returned in 1951 . 0 +Adult birds have black bodies with a white wing , a thin dark bill and red legs and feet . Adult birds have black bodies with a white wing patch , a thin dark bill , and red legs and feet . 0 +In 1938 , Japan ended its support for China under pressure from Germany , and Falkenhausen had to withdraw from China . In 1938 Germany , under pressure from Japan , ended its support for China and Falkenhausen was forced to withdraw from China . 0 +In 2000 , he gave Ruby Walsh and his son Ted Walsh a first Irish Grand National victory when he beat Foxchapel King by ten lengths . In 2000 he gave Ruby Walsh and his son Ted Walsh a first Irish Grand National victory when beating Foxchapel King by ten lengths . 1 +The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had kinship . The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . 1 +She was born on January 30 , 1912 as the Jewish daughter of banker Maurice Wertheim and his first wife , Alma Morgenthau . She was born on 30 January 1912 as the first daughter of banker Maurice Wertheim and his Jewish wife Alma Morgenthau . 0 +It is located at the southern end of the Great Dividing Range , to the west of the Monaro Range , and is west of the Wadbilliga National Park . It is located at the southern end of the Great Dividing Range , west of the Monaro Range , and is west of the Wadbilliga National Park . 1 +After Donald explains everything about Bobby and Morag , Rebecca stays in Summer Bay for the school holidays . After Bobby explained everything about Donald and Morag , Rebecca stays for the school holidays in Summer Bay . 0 +Originally , the incident was not reported by the state-controlled Iranian media , but was first reported by international media . The incident was not originally reported by the state-controlled international media , but was instead first reported on by Iranian media . 0 +Ann is married to Jennifer Aull , who was in the Greenpoint Reformed Church in Brooklyn Pastor with Ann . Ann is married to Ann who is with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn pastors . 0 +He died in Brussels ( Ixelles ) on 15 August 1950 . He died on 15 August 1950 in Ixelles ( Brussels ) . 1 +In 2004 , Sims Miss Junior National Teenager was crowned and subsequently won the Miss Georgia Junior National Teenager title in 2005 . In 2004 , Sims was crowned Miss Georgia Junior National Teenager and later won the Miss Junior National Teenager title 2005 . 0 +In 1989 , London joined the Peace Corps in Malawi and co-managed a regional business development program in Africa . London joined the Peace Corps in Malawi in 1989 and led a regional business development program in Africa . 1 +Kaamadhenu is a 1976 Indian Malayalam film , produced by J. Sasikumar and directed by Hassan Rasheed . Kaamadhenu is an Indian Malayalam film from 1976 , produced by J. Sasikumar and directed by Hassan Rasheed . 1 +"From 1973 to 1974 , Aubrey toured with the Cambridge Theatre Company as Diggory in "" She Stoops to Conquer "" and again as Aguecheek ." "From 1973 to 1974 Aguecheek toured with the Cambridge Theatre Company as a diggory in "" She Stoops to Conquer "" and again as Aubrey ." 0 +Bode was born in Bartlesville and raised in Tulsa , where her father was a Phillips Petroleum executive . Bode was born in Bartlesville and grew up in Tulsa , where her father was a Phillips Petroleum Executive . 1 +In February 2011 , MeadWestvaco sold its envelope products business , including the Colombian brand handling , to Cenveo Corporation 's Quality Park Envelope Products Group . In February 2011 , MeadWestvaco sold its Envelope Products Business including the Columbian Brand Envelope to Cenveo Corporation 's Quality Park Envelope Products Group . 1 +The Illinois Route 158 , or Washington Avenue , leads east to Columbia and west to Belleville . Illinois Route 158 , or Washington Avenue , leads west to Columbia and east to Belleville . 0 +At the same time , Klaus meets Elena and Stefan and asks Elena to go with him so that they can start the ritual that will break the curse . At the same time , Klaus meets Elena and asks Elena and Stefan to go with him so that they can start the ritual that will break the curse . 0 +However , many of the tourists do not hike , and only visit the suspension bridge . However , many tourists do not visit the suspension bridge and hike only . 0 +Dom is defeated by Deckard and imprisoned . is defeated and imprisoned by Deckard . 0 +In February 2017 , Renault announced that it will win a Prodrive Mégane for Guerlain Chicherit at the 2018 FIA Rallycross World Championship . In February 2017 , Prodrive announced that they will enter the FIA - Rallycross - World Championship in 2018 with a Renault Mégane for Guerlain Chicherit . 0 +In 1923 Louis Blaustein and his son Jacob Blaustein sold a half interest in their American Oil Company to Pan American in exchange for a guaranteed supply of oil . In 1923 , Jacob Blaustein and his son , Louis Blaustein , sold half a share of their American Oil Company to Pan American in exchange for a guaranteed oil supply . 0 +Makeliyawala is a village in Sri Lanka , which is located within Central Province . Makeliyawala is a village in central province , located within Sri Lanka . 0 +When Francis died , France withdrew from Piedmont , Corsica , Scotland , Brazil , Savoy , and most of Tuscany . When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy , and most Piedmontes . 0 +Commander Adama comes with Galen Tyrol and Chief Billy Keikeya on Kobol . Commander Adama arrives with Billy Keikeya and Chief Galen Tyrol in Kobol . 0 +It was won by Agnieszka Włodarczyk ( Potoczny Weronika from Plebania ) . "It was won by Weronika Potoczny ( Agnieszka Włodarczyk from "" Plebania "" ) ." 0 +The area is famous for its sparkling wines , but also for its white wines ( white , red and rosé wines ) . The region is famous for its white wines but also for its sparkling wines ( white , red and rosé ) . 0 +Today ( from 2013 to 2017 ) the mayor is Fernando Nogueira , elected by the PenCe ( independent movement ) . The municipal holiday is October 1st . The current mayor ( from 2013 to 2017 ) is Fernando Nogueira , elected by the PenCe ( municipal movement ) , the independent holiday is October 1 . 0 +Based on the city of Baltimore , never visited , mentioned only in the show . Based on the city of Baltimore , only mentioned , has never visited in the show . 1 +Lloyd took over the command of the 12th Field Artillery - Brigade on November 28 , 1917 and the 6th Field Artillery - Brigade on February 7 , 1918 . On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on February 7 , 1918 the 12th Field - Artillerie - Brigade . 0 +After decades of deterioration , fundraising and financial contributions provided the additional resources needed to restore the old building in 2003 . After decades of deterioration , fundraising efforts and additional grants provided the financial resources needed to restore the old building in 2003 . 0 +He has spent 2012 -- 13 in Israeli Basketball Super League with Bnei Herzliya . Season 2012 -- 13 he spent in Israeli Basketball Super League with Bnei Herzliya . 1 +Doyle said the Pennsylvania -- Maryland Mason -- Dixon line is exact Doyle said the Maryland -- Pennsylvania Mason -- Dixon line is exact : 0 +"First Bharathiraja was presented by Karthik in the film "" Alaigal Oivathillai "" ." "Karthik was first introduced by Bharathiraja in the film "" Alaigal Oivathillai "" ." 0 +The festival witnessed a performance by musician Benny Prasad and a workshop by music director Shantanu Moitra of Parineeta and 3 Idiots fame . The festival experienced a performance by musician Benny Prasad and a workshop by music director Shantanu Moitra of Parineeta and 3 idiots fame . 1 +"A local reporter in 1910 described the scene for the people of Kyūshū in a Japanese newspaper , the "" Fukuoka Nichinichi "" ." "A Japanese reporter described in a local newspaper in 1910 , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" 0 +Moyles came through the Crossmolina Deel Rovers system alongside Ciarán McDonald , Peadár Gardiner and Stephen Rochford . Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford came Moyles through the Crossmolina Deel Rovers system . 1 +""" Desert Magazine "" is also the name of a monthly desert lifestyle magazine sent to subscribers to the Palm Springs newspaper "" The Desert Sun "" ." """ Desert Magazine "" is also the name of a daily desert lifestyles magazine sent to subscribers to the Palm Springs monthly newspaper "" The Desert Sun "" ." 0 +"The same title and "" ground "" have the main melody and are the dominant themes of the show ." "The same title and "" Reason "" have the main melody and are the dominant themes of the show ." 0 +Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica as Clemencia Montealegre Carazo and Roy Elwood Cohn . Felicia Cohn Montealegre was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . 1 +In 2008 , McCarthy received the Distinguished Service Award from the Lee Remmel Sports Awards Banquet at the Green Bay . In 2008 , Lee Remmel received the distinguished service award at the McCarthy sports awards banquet in Green Bay . 0 +The ZIP Code is 93546 , mail to Mammoth Lakes should be addressed Lake Mary . The postal code is 93546 , mail should be addressed to Mammoth Lakes Lake Mary . 1 +September 2 : CF Caleb Joseph and CF Michael Bourn activated , C Tyler Wilson , LHP Drew Stubbs and RHP Jayson Aquino recalled by AAA Norfolk . September 2 : CF Caleb Joseph and CF Michael Bourn activated ; C Tyler Wilson , LHP Drew Stubbs , and RHP Jayson Aquino recalled from AAA Norfolk . 1 +Seleucus was a wealthy Christian Roman senator of Greek descent , who lived in the first half of the 4th century and the second half of the 5th century . Seleucus was a wealthy Christian Roman senator of Greek descent , who lived in the second half of the 4th century and the first half of the 5th century . 0 +The Banaue rice terraces were declared by the Philippine Government in 1973 by the Presidential Decree No . 260 as the National Cultural Treasure under Ifugao rice terraces . The Ifugao Rice Terraces were declared by the Philippine government as a National Cultural Treasure under Banaue Rice Terraces by virtue of Presidential Decree No . 260 in 1973 . 0 +Estimates of correlations between variables are diluted ( weakened ) by measurement error . Estimates of correlations between variables are diluted by measurement defects ( weakened ) . 1 +JasieÅ is a non-operational PKP railway station in Poland ( JasieÅ ) , Pomeranian Province . Jasień is a non-operational PKP railway station in Jasień ( Pomeranian Voivodeship ) , Poland . 0 +Burstwick is a few miles from the local market town of Hedon and the villages Keyingham and Thorngumbald . Burstwick is a few miles from the local market town of Hedon and the villages of Keyingham and Thorngumbald . 1 +Together , these three properties completely determine the direct structure of the algebraic product . Together , these three properties fully determine the algebraic structure of the direct product . 0 +"William Kellogg bought the "" Jamestown Alert "" in 1925 from Percy Hansen and Bryon Hansen ." "William Kellogg bought the "" Jamestown Alert "" by Percy Hansen and Bryon Hansen in 1925 ." 1 +Nigali band village is situated in Krishnapur municipality of Kanchanpur district . Nigali Band Village is located in Kanchanpur District of the Municipality of Krishnapur . 0 +At least four disks are required in a standard RAID 01 configuration , but larger arrays are also used . In a standard - RAID - 01 - configuration , at least four disks are used , however larger arrays are also required . 0 +When Khadr was injured in Kabul in 1995 , Mohamad Elzahabi visited him at the Peshawar hospital . When Mohamad Elzahabi was injured in a battle in Kabul in 1995 , Khadr visited him in Peshawar hospital . 0 +The first stage was in Plymouth , the second time that the Tour de France visited England . The first stage was in Plymouth , for the second time the Tour de France visited England . 1 +"He has also directed many commercials , including the European "" Freestyle "" campaign for Nike , which won several international commercial awards , and music videos ." "He also managed several international music commercials , including the European "" Freestyle "" campaign for Nike , which has won many prizes , and commercial videos ." 0 +This introduction to study began a lifelong passion that led her to travel in the remote areas of Alaska and British Columbia . This introduction to the journey began with a lifelong passion that led her to study in the remote areas of Alaska and British Columbia . 0 +The place was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on 2 July 2013 during a ceremony at the square . The square was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony at the square . 0 +On 13 October 2010 , the Atlanta Braves announced that Bobby Cox would replace the long-time Braves manager Fredi González as team manager in 2011 . On October 13 , 2010 , the Atlanta Braves announced that Bobby Cox would replace long-time Braves manager Fredi González as manager of the team in 2011 . 1 +Owobale was born in the Netherlands to a Nigerian father and a Dutch mother . In the Netherlands , Owobale was born into a Dutch father and a Nigerian mother . 0 +Ferry services from Vallejo to SF ( discontinued in 1937 ) was resumed by Vallejo Transit in June 1986 . The ferry traffic from Vallejo to SF ( resumed in 1937 ) was discontinued in June 1986 by Vallejo Transit . 0 +Cork railway station was on the Cork Albert Street , Blackrock and Passage Railway in County Cork , Ireland . Cork Albert Street station was on the Cork , Blackrock and Passage trains in County Cork , Ireland . 0 +He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on 31 March 2003 . Muagututia was released by the Chicago Rush on November 14 , 2002 . He was signed by the Rush on March 31 , 2003 . 1 +The divide happens or touches the states of West Virginia , Virginia , North Carolina , South Carolina , Georgia , Alabama , Mississippi , Tennessee and Kentucky . The divide passes through or touches the states of West Virginia , Virginia , North Carolina , South Carolina , Georgia , Alabama , Mississippi , Tennessee and Kentucky . 1 +In the final stage of the Promotion , 5 provincial leagues were played , with 9 clubs qualifying for the first round . In the first phase of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the final : 0 +Statistically , Halifax is the Commonwealth 's 204th largest community in terms of population and 186th in terms of population density . Statistically speaking , Halifax is the 186th largest community in the Commonwealth in terms of population , and 204th in terms of population density . 0 +The Malawi Central Africa Protectorate existed between 1891 and 1907 in the area of today 's British . The Malawi Central Africa Protectorate existed in the area of present-day British between 1891 and 1907 . 1 +The membership of this group gives a still incomplete but impressive , picture of the breadth of actors that influence global environmental governance . Membership of this group provides a still impressive but incomplete picture of the breadth of the actors that influence global environmental policies . 0 +Ian Weatherhead lived in Cheltenham many years before moving to Somerset . For many years , Ian Weatherhead lived in Cheltenham , before moving to Somerset . 1 +The atheistic element of communism would be intensified in some Marxist movements after his death . After his death , the Marxist element of communism would be strengthened in some atheistic movements . 0 +As producers OLM , Dentsu and TV Tokyo serve , while OLM Digital takes over the animation production . TV Tokyo , OLM , and Dentsu serve as producers , while OLM Digital provides the animation production . 1 +"It was located around a pond in Isen Town of Tokunoshima , after which "" kamuiyaki "" was named ." "It was located around a pond in Isen city of Tokunoshima , after which "" kamuiyaki "" was named ." 1 +It is also home to the unregistered towns of Redwood Valley , Calpella , Potter Valley and Talmage . It is also home to the unregistered towns of Potter Valley , Calpella , Redwood Valley and Talmage . 1 +"The novel was translated by Antonia White into English and published in 1953 ( with "" The Cat "" by Roger Senhouse ) ." "The novella was translated into English by Roger Senhouse and published ( with "" The Cat "" translated by Antonia White ) in 1953 ." 0 +From a distance , the teams had to meet a traditional tribal club to use the pots . The teams had to use from a distance a traditional tribal club to beat the pots . 0 +"The series is based on the book series "" The Mortal Instruments "" by Ed Decter , and developed for television by Cassandra Clare ." "The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed by Ed Decter for television ." 0 +"In December 2006 , Muspratt was named "" Chicagoan of the Year "" in classical music by John von Rhein and the staff of the "" Chicago Tribune "" ." "In December 2006 , Muspratt was awarded by John von Rhein and the staff of the "" Chicago Tribune "" as the "" Chicagoan of the Year "" in classical music ." 1 +It flows southwest to meet the Samara Bend of the Sokolyi Mountains near Volga , north of the city of Samara . It flows southwest to the Samara Bend of the Volga near the Sokolyi mountains to the north of the city of Samara to meet . 0 +I tried to buy it when Roy Abernethy ( later Michigan Governor ) and George Romney run AMC . I tried to buy it when George Romney ( later Governor of Michigan ) and Roy Abernethy were leading AMC . 0 +Seelbach is located on the western edge of the Black Forest in the Schutter Valley , south-eastern of Lahr . Seelbach is located on the western edge of the Schuttertal valley in the Black Forest , south-east of Lahr . 0 +"Ararat is currently divided into 95 communities ( "" hamaynkner "" ) , of which 4 are urban and 91 rural :" "Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , 4 of which are rural and 91 urban :" 0 +Chuck Aber finally faces his fears , with the aid of Daniel and Lady Aberlin . With the help of Daniel and Lady Aberlin , Chuck Aber finally faces his fears . 1 +However , it was a spiritual , and not a legal ceremony . It was , however , a legal ceremony and not a spiritual one . 0 +It flows generally northwest , through the Siuslaw National Forest and enters Nestucca Bay on the Pacific near Pacific City . It generally flows northwest through the Siuslaw National Forest and enters the Nestucca Bay on the Pacific near Pacific City . 1 +Magik Muzik is a sub-label of Dutch label Black Hole Recordings consisting on Electronic . It was founded by Tiësto in 2001 . It is a sub-label of the Dutch label Black Hole Recordings , consisting of Magik Muzik , which was founded in 2001 by Tiësto . 0 +Borsalino are the sculptures by Moritz Waldemeyer for Flos designed Chapeau Lamp ( 2014 ) and the sculpture The Hatband ( 2016 ) by Philippe Starck . The Chapeau Lamp ( 2014 ) designed by Philippe Starck for Flos and the sculpture The Hatband ( 2016 ) by Moritz Waldemeyer are both tributes to Borsalino . 0 +Bhils has the highest population in the Jhabua district , followed by Dhar , Barwani , and Khargone districts . Bhils have the highest population in Jhabua district followed by Dhar , Barwani and Khargone districts . 1 +"His meeting with Dave Brubeck is documented in the book 2011 "" Taj-Mahal Foxtrot "" by Naresh Fernandes ." "His meeting with Naresh Fernandes is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Dave Brubeck ." 0 +The ventrum is brown mixed with yellow . The Ventrum is mixed yellow with brown . 0 +A. R. Christensen ( 17 December 1906 -- 27 January 1967 ) was a Christian newspaper . Norwegian A. R. Christensen ( 17 December 1906 -- 27 January 1967 ) was a Christian newspaper editor . 0 +Teliphasa similalbifusa is a species of moth of the Pyralidae family . It is found in Guangxi ( China ) . Teliphasa similalbifusa is a type of moth of the Pyralidae family . It is found in China ( Guangxi ) . 1 +During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . Garcia de Luna fought on the Spanish side in the Battle of Carabobo , against Simón Bolívar and the British Legions , during Venezuelan War of Independence in 1821 . 1 +He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and visited the High School for Recording Arts in Minneapolis , Minnesota . He was born in Toledo , Ohio , grew up in Minneapolis , Minnesota , and visited the High School for Recording Arts in St. Paul , Minnesota . 0 +Arthur Arthur Ashe defeated Dick Stockton , 6 - 3 , 6 -- 2 . Dick Stockton defeated Arthur Ashe , 6 -- 3 , 6 -- 2 0 +"In July 2013 , Greg Vaughan appeared in "" Second Chances "" , a Hallmark Original Movie , alongside "" Days "" Co - Star Sweeney ." "In July 2013 , Sweeney appeared in "" Second Chances "" , a Hallmark Original Movie , alongside "" Days "" co-star Greg Vaughan ." 0 +Bassett was the owner of the Canadian Football League from 1957 to 1974 , a team in the Toronto Argonauts . Bassett was the owner of the Toronto Argonauts , a team in the Canadian Football League from 1957 to 1974 . 0 +Antonio recently appeared in Ireland with the singer Donovan and the special guest Chris De Burgh and with Eoin Dillon ( Kila ) in Ireland . Antonio recently appeared in Ireland with the singer Chris De Burgh and the Special Guest Eoin Dillon and with Donovan ( Kila ) in Ireland . 0 +The LFAC was officially established in 2005 and the first teams were Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . The LFAC were officially created in 2005 and the first teams joining was Belfry Valls , Cornellà Bocs , Valls Fire and Alt Camp . 1 +Kalliyankattu Neeli of 1979 is an Indian Malayalam - horror film directed by M. Krishnan Nair and produced by M Mani . Kalliyankattu Neeli is a 1979 Indian Malayalam horror film , directed by M. Krishnan Nair and produced by M Mani . 1 +Baba ji has spread his Sufi thoughts through various books such as Piya Rung Kala , Kajal Kotha , etc . Baba ji has spread his Sufi thoughts through various books like Piya Rung Kala , Kajal Kotha etc . 1 +The white Pontiac , the last 2010 model year G6 4 - door limousine , was built in January 2010 at the Orion Township assembly line . The white Pontiac , a last 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . 1 +Refers to the action of the body in turning figures ; turning the opposite hip and shoulder towards the direction of the moving foot . Refers to the effect of the body while turning figures : turning the opposite hip and shoulder in the direction of the moving foot . 1 +Fuksas was born in Rome in 1944 ; his father was Lithuanian Jewish while his French mother was the daughter of a Catholic father and an Austrian mother . In 1944 , he was born in Rome , his father was Lithuanian - Jewish , his Catholic mother was the daughter of a French father and one Austrian mother . 0 +For Amtrak - Service are the nearest stations West in Framingham , east in Boston at Back Bay and South Station and south in Route 128 station in Westwood . For Amtrak service the nearest stations are east in Boston , west in Framingham at Route 128 Station , and south in Back Bay and South Station in Westwood . 0 +Richmond Walter Sullivan is Richmond 's friend and financial supporter and the owner of the villa into which Luther has broken . Walter Sullivan is Richmond 's friend and financial supporter and the owner of the mansion Luther has broken into . 0 +The Arabs , however , did not proceed after the battle , and the Tang retained their Central Asian territories until the rebellion in An Lushan . However , the Arabs did not proceed any further after the battle , and the Tang retained their Central Asian territories until the An Lushan rebellion . 1 +Boudrioz was born in Versailles and has died in Paris . Boudrioz was born in Versailles and died in Paris . 1 +The southern border is variously indicated as Smith or Court Streets and Warren or Wyckoff Streets as the western edge . The western border is variously specified either as Smith or Court Streets and Warren or Wyckoff Streets as the southern edge . 0 +They appeared in the City Winery in Chicago on November 30 , 2012 , and on December 1 , 2012 , at the Beachland Ballroom in Cleveland . They performed at the City Winery in Chicago on November 30 , 2012 , and at the Beachland Ballroom in Cleveland on December 1 , 2012 . 1 +The season of the National Basketball Association from 1979 to 80 was the 34th NBA season . The NBA season between 1979 and 80 was the 34th season of the National Basketball Association . 1 +Lukaszuk has two daughters , one with his current wife , news spokesperson Stacey Brotzel CTV Edmonton and one with his former wife . Lukaszuk has two daughters , one with his previous wife , news anchor Stacey Brotzel CTV Edmonton and one with his current wife . 0 +Cheilea dormitoria is a species of small limpet-like sea snail , a marine gastropod mollusk in the family Hipponicidae , the hoof snails . Cheilea dormitoria is a species of small limpet-like sea snail , a marine gastropod mollusk in the Hipponicidae family , the snails . 1 +"In April 2013 , when the merger of Air Italy was completed , Meridiana Fly returned to its former , shorter name "" Meridiana "" ." "In April 2013 , when the Air Italy merger was completed , Meridiana Fly returned to its former , shorter name , "" Meridiana "" ." 1 +AB InBev remains the largest brewery in second place with Heineken International and SABMiller is third . AB InBev remains the largest brewery , with Heineken International second , and SABMiller third . 1 +Born in Chicago , Wagenknecht grew up and went to school in Oak Park , Illinois . Wagenknecht was born in Oak Park , Illinois , where he grew up and went to school in Chicago . 0 +The main village is inhabited mainly by people of East Indian origin , there are Hindu temples and mosques and there is a small church . The small village is mainly inhabited by people of East Indian origin , there are Hindu temples and mosques and there is a main church . 0 +His son Craig Haynes is a cornetist ; his son Graham Haynes and grandson Marcus Gilmore are both drummers . His son Craig Haynes is Cornetist , his son Graham Haynes and his grandson , Marcus Gilmore , are both drummers . 1 +The story attracted widespread attention from mainstream media and social media . The story attracted widespread attention from the social media and the mainstream media . 1 +The 16th century chronicler Firishta claims that this army was ordered to reach Bengal via Warangal . The 16th century chronicler Firishta states that this army was ordered to reach Warangal via Bengal . 0 +They can be often seen long before they are heard . They can often be seen long before they are heard . 1 +"It was her first studio recording since "" I Wan na Love Somebody "" and the tenth studio album before her stroke on 10 January 2006 ." "It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before stroke on January 10 , 2006 ." 0 +Originally described in 1879 from specimens collected in New Zealand as pests of kangaroo acacia , it is now found worldwide where citrus crops are grown . Originally collected in 1879 by specimens described in New Zealand as pests of kangaroo acacia , it is now found worldwide where citrus fruits are grown . 0 +He died on 16 August 1850 in New City ( now Clarkstown ) , New York City . He died in New City ( now Clarkstown ) , New York , August 16 , 1850 . 1 +For Amtrak service the nearest stations are west in Framingham , east in Boston at Back Bay and South Station , and south in Route 128 Station in Westwood . For Amtrak - Service are the nearest stations east in Boston , west of Framingham at route 128 station and south in Back Bay and South Station in Westwood . 0 +In the summer of 1893 , the Czech composer Josef Jan Kovařík spent in Spillville , where his friend Antonín Dvořák had relatives . The Czech composer Josef Jan Kovařík spent the summer of 1893 in Spillville , where his friend Antonín Dvořák had relatives . 1 +The 13th World Cup season began in Japan in December 1978 and ended in Austria in March 1979 . The 13th World Cup season began in December 1978 in Japan and concluded in March 1979 in Austria . 1 +The captains of old Newburyport ( as elsewhere in Massachusetts ) had participated vigorously in the triangular trade , importing West Indian molasses and exporting rum made from it . The captains of the West Indian Newburyport ( as elsewhere in Massachusetts ) had participated strongly in the triangular trade , exporting old molasses and importing rum made from them . 0 +Steve Davis reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Stephen Hendry and 8 -- 9 against Jimmy White respectively . He reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Jimmy White and 8 -- 9 against Steve Davis . 0 +In 2009 , he joined the Professional Arena Soccer League of San Diego Sockers . In 2009 , he joined the San Diego Sockers of the Professional Arena Soccer League . 0 +""" Meriden , Connecticut "" was sold on 15 September 1886 to Burdett Pond of Tennessee ." """ Meriden , Connecticut "" was sold to Burdett Pond von Tennessee on September 15 , 1886 ." 1 +Individuals and families from around Lexington , Normal , Hudson , Bloomington , and elsewhere come out of it . Individuals and families from Bloomington , Normal , Hudson , Lexington , and elsewhere come out for it . 1 +This time Robespierre did not defend Custine . This time , Robespierre Custine did not defend it . 0 +Finding Russian maps of the city could have been dangerous for Massa himself and for his original sources have been fatal . Retrieving Russian maps of the city could have been dangerous for Massa himself and fatal for his original sources . 1 +Physetocaris is a monotypic genus of caridean shrimp , containing a single species , Physetocaris microphthalma . Physetocaris is a Caridean genus of monotypic shrimp containing a single species of physetocaris - microphthalma . 0 +He lost against Vinnie Rossano , but Joey DeJohn stopped in five rounds . He lost to Joey DeJohn , but Vinnie Rossano stopped in five laps . 0 +On September 19 , Star Empire announced 4 members : Taeho , Jeup , Jian and Ungjae will participate the show . On September 19 , Star Empire announced 4 members : Jian , Jeup , Taeho and Ungjae will participate in the show . 1 +To understand thermal phase transitions , it is useful to contrast them with classical phase transitions ( CPT ) ( also referred to as quantum phase transitions ) . To understand thermal phase transitions , it is useful to contrast them to classical phase transitions ( CPT ) ( also called quantum phase transitions ) . 1 +In many problems , it is more convenient to work with D and the total charges than with E and the free charge . In case of many problems it is more convenient to work with D and the free charges than with E and the total charge . 0 +Dhundalwadi is a village in the Palghar district of Maharashtra , India . It is located in Dahanu Taluka . Dhundalwadi is a village in the Dahanu district of Maharashtra , India . It is located in the Palghar taluka . 0 +"The river , also known as the "" Mauritius "" , was sometimes named after the Count ." "The river , also known as "" Mauritius "" , was sometimes named after the Count ." 1 +In 2006 , the newspaper celebrated its 90th anniversary and will be celebrating its 100th anniversary in 2016 . The newspaper celebrated its 100th anniversary in 2006 and will celebrate its 90th anniversary in 2016 . 0 +36.4 % were Finnish , 10.2 % Swedish , 9.2 % German , 7.1 % of Italian and 5.4 % Scottish origin according to the 2000 census . 36.4 % were Finnish , 10.2 % Italian , 9.2 % German , 7.1 % Swedish and 5.4 % of Scottish origin according to the 2000 census . 0 +He also appeared in 53 games for the Piedmont League ( Greensboro Patriots ) with a 26 - 19 record over the course of the seasons 1928 and 1929 . He also appeared in 53 games for the Greensboro Patriots ( Piedmont League ) with a 26 - 19 record over the course of the seasons 1928 and 1929 . 1 +In October 2017 , the Outwood Grange Academies Trust school , and joined the Outwood Academy Redcar . In October 2017 , the school became Outwood Grange Academies Trust , and joined Outwood Academy Redcar . 1 +The last game in which he represented Poland was held in Dublin on November 13 , 1938 ( Ireland - Poland 3-2 ) . The last game in which he represented Poland was held in Dublin , on November 13 , 1938 ( Ireland-Poland 3-2 ) . 1 +The Farringdon Station has its northern entrance on Turnmill Street , although the main entrance is on Cowcross Street . Farringdon station has its main entrance on Turnmill Street , although it northern entrance is on Cowcross Street . 0 +Augustus subsequently appears as commander of the armies stationed in Pannonia when a mutiny broke out after the death of Blaesus in the year 14 . Later , Augustus appears as the commander of the armies stationed in Pannonia , when a mutiny broke out after the death of Blaesus in 14 . 0 +"In "" The Guardian "" in 2006 , George Monbiot argued in contrast to Stanage , who had written that the Iraqi insurgency is comparable to the IRA ." "In "" The Guardian "" in 2006 , George Monbiot argued in opposition to Stanage , who had written that the Iraqi insurgency was comparable to the IRA ." 1 +These include replicas in Ramat Shlomo in Jerusalem and in Kfar Chabad , Israel . These include replicas in Ramat Shlomo in Jerusalem and Kfar Chabad in Israel . 1 +Central Butte is located close to Central Butte Airport , Saskatchewan , Canada . Central Butte Airport is located near to Central Butte , Saskatchewan , Canada . 0 +He was the second born son of Gil Aires and wife Leonor Rodrigues . He was the second son of Gil Aires and born Leonor Rodrigues . 0 +The route was widened into a divided highway between Indian River Inlet and the Dewey Beach the same year . The route was extended in the same year into a divided highway between Dewey Beach and the Indian River Inlet . 1 +A portion of the barley is roasted to give Guinness its dark colour and its characteristic flavour . A portion of the barley is roasted to give Guinness its dark colour and characteristic taste . 1 +On 14 May 1647 , he was confirmed as Archbishop of Messina and selected by Pope Innocent X on 16 September 1647 . On 14 May 1647 , he was selected as Archbishop of Messina and confirmed by Pope Innozenz X. on 16 September 1647 . 0 +"In September 2013 , a book by David Rankin was published on Dore Ashton 's work entitled "" David Rankin : The New York Years "" ." "In September 2013 , a book by Dore Ashton on David Rankin 's work titled "" David Rankin : The New York Years "" was released ." 0 +"Upland is mentioned in the 2008 Hugh Laurie film "" Street Kings "" as the home of LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." "Upland is mentioned in 2008 Hugh Laurie Film "" Street Kings "" as the home of the LAPD Internal Affairs Captain James Biggs ( played by Keanu Reeves ) ." 1 +Shiawassee County is a civil township of Bennington Township in the U.S. state of Michigan . Shiawassee County is a civil community of the Bennington Township in the U.S. state of Michigan . 1 +The standards for 2005 were adopted by the California Energy Commission on 5 November 2003 and approved by the Building Standards Commission on July 21 , 2004 . The standards for 2005 were approved by the California Energy Commission on 5 November 2003 and adopted by the Building Standards Commission on 21 July 2004 . 0 +Red Bank is located on the 11th Congressional District and is part of the 4th State Legislative District in New Jersey . Red Bank is located on the 4th Congressional District and is part of the 11th State Legislative District in New Jersey . 0 +This layer deals only with electrical connectors and sockets and with the physical specification of signals . This layer deals with the electrical plugs and sockets and physical specification of signals only . 1 +Armand married Anne Marie Martinozzi , daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the elder sister of Cardinal Mazarin , with the following children : Cardinal Mazarin married Anne Marie Martinozzi , daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the eldest sister of Armand , and had the following children : 0 +Until 1798 , he studied in Copenhagen before settling in Dresden . He studied in Copenhagen until 1798 , before settling in Dresden . 1 +It was not long after Wyman joined the group that Watts took over the drums . It was not long after Wyman joined the group when Watts took over the drums . 1 +A light novel - series - adaptation under the same name was written by Kadokawa ' ; s Kadokawa Beans Bunko , all volumes were published by Tōko Fujitani with illustrations by Yamako . A light novel - series - adaptation under the same name is published by Kadokawa ' ; s Kadokawa Beans Bunko , all volumes were written by Tōko Fujitani with illustrations by Yamako . 0 +In 2016 , the campus moved to Milpitas , California , San Jose , California . In 2016 , the campus Milpitas , California moved to San Jose , California . 0 +"His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" by Dave Brubeck from 2011 ." "His meeting with Naresh Fernandes is documented in the 2011 book "" Taj-Mahal Foxtrot "" , by Dave Brubeck ." 1 +It began as a fishing village populated by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . It began as a fishing village , inhabited by German settlers from the Kaszub region , as well as some Polish immigrants in 1870 . 1 +This temple is supposed to be the second of its kind in Thiruvananthapuram , the first being the famous temple in Kerala . This temple is supposedly the second of its kind in Thiruvananthapuram , the first being the famous temple in Kerala . 1 +In October 2001 he defended his doctorate in psychology at the Free University of Brussels on the subject of human models of cognitive hypertext navigation . In October 2001 , he defended his PhD in Psychology at the Free University of Brussels on the subject of cognitive models of human hypertext navigation . 0 +In normal resting hearts , the physiological rhythm of the heart is a normal sinus rhythm ( NSR ) . In normal resting hearts , the physiologic rhythm of the heart is normal sinus rhythm ( NSR ) . 1 +Kalmah 's sixth studio album was released in Japan on 24 February 2010 , Canada on 2 March , Europe on 3 March and North America on 6 April . The sixth studio album was released on February 24 , 2010 in Europe , Japan on March 2 , North America on March 3 , and Canada on April 6th . 0 +Google allows business owners to check their own business data , and has also recruited volunteers to verify and correct ground truth data . Google allows business owners to check their own business data , and has also recruited volunteers to verify and correct truth data . 1 +The 13th World Cup season began in Austria in December 1978 and ended in Japan in March 1979 . The 13th World Cup season began in December 1978 in Japan and concluded in March 1979 in Austria . 0 +"Bidelman William Pendry ( September 25 , 1918 - May 3 , 2011 ) , whose friends called him "" Billy "" , was an American astronomer ." "William Pendry Bidelman ( ; September 25 , 1918 -- May 3 , 2011 ) whose friends called him "" Billy "" , was an American astronomer ." 1 +The Casimcea River is a tributary of the River Cartal in Romania . The Cartal River is a tributary of the River Casimcea in Romania . 0 +Peter Evatt became an Olympic rower , who was 1953 national sculling champion and represented Australia in rowing at the 1956 Olympic Games in Melbourne . Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the Melbourne Olympic Games in 1956 . 0 +Silver became the motor of the Spanish colonial economy both in New Spain and in Peru . In both Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +Digital built a very large facility on Porter Road and Foster Street near the Common and offices on King Street . Digital built a very large facility on Porter Road and Foster Street near the Common , as well as offices on King Street . 1 +San Pedro Springs Park is located in the city of San Antonio in the Bexar County in the state of Texas . San Pedro Springs Park is located in the city of Bexar County San Antonio in the US state of Texas . 0 +The new style was also encouraged by changes in the economic order and social structure . The new style has also been encouraged by changes in economic order and the social structure . 1 +Lazkao is a town and municipality in the region of Gipuzkoa in the province of Goierri , in the Autonomous Basque Community of northern Spain . Lazkao is a town and municipality located in the Goierri region of the province of Gipuzkoa , in the Basque Autonomous Community in Northern Spain . 0 +Millicent was built on the route of the Rivoli Bay ( Beachport ) to Mount Gambier Railway , built in 1879 . Millicent was on the route of the Rivoli Bay ( Beachport ) to Mount Gambier railway , constructed in 1879 . 1 +Lee Field in the Galewood neighborhood of Wyoming , Michigan is the home stadium of the club . Lee Lee Field is the club 's home stadium in Wyoming 's neighborhood of Galewood , Michigan . 0 +Other R & amp ; D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son , and Thomas Mann Randolph Talcott . Other R & amp ; D officials involved in the development of Bon Air were General Thomas M. Logan , Col. Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . 0 +Steve Johnson won the title , defeating David Ferrer in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . David Ferrer won the title and defeated Steve Johnson in the final , 4 -- 6 , 6 -- 4 , 7 -- 5 . 0 +There is a removable water tank and a fuel tank with a folding hatch for cleaning . There is a collapsible water tank and a fuel tank with detachable hatch for cleaning . 0 +The family is very religious and , at the age of 12 , Géneviève joined the junior choir of her Protestant church . The family is very religious and at the age of 12 , Géneviève joined her junior church 's protestant choir . 0 +Szabina Tápai ( born January 30 , 1986 in Kiskunhalas ) is a second handballer who plays in the Hungarian League for Scent István SE . Szabina Tápai ( born 30 January 1986 in Kiskunhalas ) is a second handballer who plays for Szent István SE in the Hungarian league . 1 +He left Sheffield in 1805 to study theology at Manchester College in York . However , in 1805 he left Sheffield to study theology at Manchester College in York . 1 +"The singers of Sonic Syndicate , Richard Sjunnesson and Roland Johansson , also sang for a compilation - album called "" Soilwork - guitarist Peter Wichers "" ." "The singers of Sonic Syndicate , Richard Sjunnesson and Peter Wichers , sang also for a compilation - album , called "" with Soilwork guitarist Roland Johansson ." 0 +Subclass HB : Economic Theory and Demography describes a classification used by the Library of Congress Classification system . This article is subclass HB . This article is a subclass of HB : Economic theory and demography describes a classification used by the Library of Congress classification system . 1 +The system moved on October 16 at 0600 UTC west and happened north of Guam near Saipan . The system moved west and passed north of Saipan near Guam on October 16 at around 0600 UTC . 0 +Productions of the show require a small set and a minimal cast of 6 actors , as well as a solo violinist , who is present on stage throughout the performance . Productions of the show require small set and a minimal cast of 6 actors , as well as a solo violinist who is present on stage throughout the performance . 1 +Bay County is a civil community of the Garfield Township in the U.S. state of Michigan . Garfield Township is a civil township of Bay County in the U.S. state of Michigan . 0 +Iva Majoli won the title by defeating Mary Pierce 6 -- 4 , 6 -- 4 in the finals . Iva Majoli won the title by defeating Mary Pierce 6 -- 4 , 6 -- 4 in the final . 1 +I 've created Francis Bacon figures in a Sidney Nolan landscape , inspired with stunts by Jean Cocteau . I 've created Sidney Nolan figures in a Francis Bacon landscape , with stunts inspired by Jean Cocteau . 0 +InFocus M810 is a smartphone manufactured by InFocus and marketed by Foxconn , which was released on July 31 , 2014 . InFocus M810 is a smartphone distributed by InFocus and manufactured by Foxconn . It was released on July 31 , 2014 . 0 +Berks County , Pennsylvania , United States is a commune in Upper Bern Township . Upper Bern Township is a township in Berks County , Pennsylvania , United States . 0 +Chan Kamwilai wrote the lyrics of the Thai National Anthem in 1934 , two years after the anthem was first written by Khun Wichitmatra . In 1934 , Chan Chanwilai wrote the texts of the Thai national anthem , two years after the anthem was first written by Khun Wichitmatra . 1 +She was the first feminist artist and the first female professional writer in Korea . She was the first female professional painter and the first feminist writer in Korea . 0 +In September 1858 , a joint French and Spanish expedition landed at Tourane ( Da Nang ) and captured the town . In September 1858 , a joint French and Spanish expedition landed at Tourane ( Da Nang ) and conquered the town . 1 +Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist , famous for his early participation in the American Beat movement . Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist known for his early participation in the American Beat movement . 1 +Here two more sons were born : 1882 Fred and 1884 Louis . Here two more sons were born : 1882 Louis and 1884 Fred . 0 +On January 23 , 2006 , Paul Martin was defeated by Stephen Harper as Prime Minister of Canada . On 23 January 2006 , Paul Martin was defeated as Prime Minister of Canada by Stephen Harper . 1 +Devendra Kula Vellalar was born in 1926 in the family of Jagannathan . Jagannathan was born Devendra Kula Vellalar family in 1926 . 0 +Robert Morris Ogden was born on July 6 , 1877 in Binghamton , New York . His father was James Sherman Ogden and his mother , Beulah Maria Carter . Beulah Maria Carter was born on July 6th , 1877 in Binghamton , New York , his father was James Sherman Ogden and his mother , Robert Morris Ogden . 0 +Børsen on Slotsholmen and Hillerød in Frederiksborg Palace are prominent examples of the Dutch Renaissance style in Copenhagen . Børsen on Slotsholmen and Hillerød in Frederiksborg Palace are prominent examples of the Dutch Renaissance in Copenhagen . 1 +"However , species such as "" T. eurycephalus "" had a lower rostrum and a shorter skull ." "However , species such as "" T. eurycephalus "" had a shorter rostrum and a lower skull ." 0 +( Lech Wałęsa accepted symbols of the pre-war presidency from Ryszard Kaczorowski ) . Ryszard Kaczorowski received symbols from Lech Wałęsa of the pre-war presidency . 0 +The Mundy family owned the Manor of Allestree from 1516 until Francis Noel Clarke Mundy sold it to Thomas Evans in 1781 . From 1516 , the Mundy family had the manor house of Allestree until Thomas Evans sold it to Francis Noel Clarke Mundy in 1781 . 0 +Elim is an airport located in Moses Point Airport , a city in the Nome Census Area of the U.S. state of Alaska . El Elim is an airport in Moses Point Airport , a city located in the Nome Census Area of the US state of Alaska . 1 +Itamati has one degree college , a junior college , three upper primary schools and six high schools . Itamati has one degree college , a junior college , three high schools and six primary schools . 0 +Chabrian Jattan is a village in Mirpur Tehsil of the Mirpur District of Azad Kashmir , Pakistan . Chabrian Jattan is a village in Mirpur Tehsil of Azad Kashmir in the Mirpur district , Pakistan . 1 +The mountain railway of Taiping was commissioned in 1920 and connected to the Luodong forest railway in 1924 . The Luodong Forest Railway was opened in 1920 and connected to Taiping Mountain Forest Railway in 1924 . 0 +"Cartesian "" L "" can be varied in the Lagrangian r coordinates , for "" N "" particles ," "The Lagrangian "" L "" can be varied in the Cartesian r coordinates , for "" N "" particles ," 0 +There is no railway station & airport in Sultanpur . You can reach here by bus from Kadipur . There is no railway station in Kadipur airport that you can reach from Sultanpur by bus . 0 +Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . Notes from Big Sur is an album by jazz saxophonist Lloyd recorded in July 1993 by Charles Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . 0 +Lombard Middle School was located in Galesburg until 1930 and is now the site of Lombard College . Until 1930 , Lombard College was located in Galesburg and is today the site of the Lombard Middle School . 0 +From 1866 to 1928 , eparchy was the seat of the Armenian Catholic Patriarchate of Cilicia until the patriarchal seat of Beirut was moved to Lebanon . From 1866 to 1928 , eparchy was the seat of the patriarchal - Catholic Patriarchate of Cilicia until the Armenian seat was moved to Beirut in Lebanon . 0 +In the original version of the game , magic-user was one of the basic character classes . In the base version of the game , magic-user was one of the original character classes . 0 +He was a scholar of metaphysical literature , theology and classical sciences . He was a scholar in Metaphysical Literature , Theology and Classical sciences . 1 +"The first known European observation of Whidbey Island was at the "" Princesa Real "" during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro in 1790 ." "The first known Spanish sighting of Whidbey Island was during the 1790 European expedition of Manuel Quimper and Gonzalo López de Haro on the "" Princesa Real "" ." 0 +Theodore was imprisoned , and , together with ten other monks , banished to Constantinople , while Platon was flogged in Thessaloniki . Theodore was flogged and banished together with ten other monks to Thessaloniki , while Plato was imprisoned in Constantinople . 0 +Northampton is also home to British Military Fitness in Abington Park where members can train up to 7 times a week with serving or ex-military fitness instructors . Northampton is also home to British Military Fitness in Abington Park , where members can train with service trainers or ex-military fitness instructors up to 7 times a week . 1 +Scopa is black , but white at the front edge . Scopa is white , at the front edge but black . 0 +In 1995 , Lawler accused Bret Hart of being a racist to create problems between Hart and the Japanese wrestler Hakushi . Lawler accused Bret Hart of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . 1 +Dewalkheda is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . Dewalkheda is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 1 +West Salem is located in northeastern Edwards County , northeast of Albion , County Seat . Albion is located in the northeastern part of Edwards County , northeast of West Salem , County Seat . 0 +However , Ambassador William Sullivan , and his successor , G. McMurtrie Godley , continued to oversee air strikes in Laos . Ambassador G. McMurtrie Godley and his successor William Sullivan , however , continued to supervise the air strikes in Laos . 0 +Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Birmingham . Born in 1783 in Sheffield as second son of Isabella and Thomas Beilby , the family moved to Birmingham in 1783 . 1 +This American fundamental principle of equality is central to the political and legal beliefs of Republicans , Democrats , Liberals , and Conservatives alike . This bedrock political and legal principle of equality is central to the American convictions of Republicans , Democrats , liberals , and conservatives alike . 0 +"It was released on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released on February 19th , 2016 as the fourth single from their second studio album based on the zodiac "" Leo Rising "" on Checkbook Records ." 0 +A mass ceremony was held that night , and prayers were prayed until dawn . A mass ceremony was conducted that night , and prayers were held until dawn . 1 +Each report , updated in February 2011 , contains data for the completed school year . that was completed in February 2011 . Each report contains data for the previous updated school year . 0 +He was re-elected in 1977 , and in April 1978 was elected to the newly created Court of Appeals District 1 . In 1977 he was re-elected and elected in April 1978 to the newly created Court of Appeals District 1 . 1 +The castle was converted twice : in the 15th century for the first time and in the 19th century after it had been partially destroyed . The castle was converted twice : in the 19th century for the first time and in the 15th century , after it had been partially destroyed . 0 +The kBox facilitates isometric as well as concentric contractions and eccentric training . The kBox enables isometric as well as concentric contractions and eccentric training . 1 +"He had a novel "" Seventy Times Seven "" , a violent thriller published in 1992 , set in 2012 ." "He had published a novel "" Seventy Times Seven "" , a violent thriller that appeared in 1992 , in 2012 ." 0 +A documentary about Lee and his wife Opal , directed by Jeff Silva and Vic Rawlings , is being filmed . A documentary film is being made about Opal and his wife Lee , directed by Jeff SIlva and Vic Rawlings . 0 +Note also the use of the codice _ 13 attribute to mark the codice _ 6 elements as non-translatable . Also , use the codice 13 attribute to mark the codice 6 elements as non-translatable . 1 +In 1948 he moved to Cyprus , in 1958 to England . In 1948 , he moved to Cyprus . In 1958 , he relocated to England . 1 +The manuscript was bought in 1819 by Edward Everett from Constantinople to America , along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . The manuscript was bought by Edward Everett of Constantinople in 1819 to America along with six other manuscripts ( Lectionary 296 , Lectionary 297 , Lectionary 298 ) . 1 +Flash then recruited his friend Cowboy , Nathaniel Glover and The Kidd Creole ( Melle Mel ) . Then his friend Cowboy , Melle Mel and The Kidd Creole ( Nathaniel Glover ) recruited . 0 +"Johann Dominik Bossi ( 1767 -- 1853 ) , also known as the Domenico Bossi "" , was an Italian painter ." "Johann Dominik Bossi ( 1767 -- 1853 ) , also known as "" Domenico Bossi "" , was an Italian painter ." 1 +Another significant difference is that Plutonyl is a much stronger oxidation agent than uranyl . The standard reduction potentials for aqueous solutions are shown in the next table . Another significant difference is that plutonyl is a much stronger oxidizing agent than uranyl . The standard reduction potentials for aqueous solutions are shown in the next table . 1 +Albion was the first community to change the name of its street followed by Jackson and Marshall in 1924 , Battle Creek in 1928 and Kalamazoo in 1929 . Kalamazoo was the first community to change the name of its street , followed by Jackson and Marshall in 1924 , Battle Creek 1928 and Albion in 1929 . 0 +He made 396 appearances in the Football League for Swindon Town , Torquay United , Crystal Palace and Plymouth Argyle , before moving into non-league football with Cambridge City . He made 396 performances in the Football League for Swindon Town , Plymouth Argyle , Crystal Palace and Torquay United , before moving with Cambridge City to the Non-League football . 1 +Leontin Florian Grozavu ( born August 19 , 1967 ) , better known as Leo Grozavu , is a former football manager and Romanian football professional . Leontin Florian Grozavu ( born 19 August 1967 ) , commonly known as Leo Grozavu , is a Romanian professional football manager and former football player . 0 +Zinkyaik Mountain is situated in Mon State in the northern part of the Tenasserim coast . The Zinkyaik Mountain is located in Tenasserim in the northern part of the Mon State coast . 0 +Antony died on November 6 , 1620 and was buried in the church of Carew on November 7 . Antony died on 6 November 1620 and was buried in Carew church on 7 November . 1 +From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . From 1898 to 1902 , around 1,300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . 1 +James Wyatt ( August 3 , 1746 - September 4 , 1813 ) was an English architect , a rival of Robert Adam in the neo-Gothic style and neoclassical style . James Wyatt ( 3 August 1746 -- 4 September 1813 ) was an English architect , a rival of Robert Adam in the neo-Gothic style and neoclassical style . 1 +He was born on 23 July 1912 in the town of Bacău , in the district of Moineşti , the son of a son . He was born on July 23 , 1912 in the town of Bacău , in the district of Moineşti , as the son of a 0 +In 1934 , two years after the anthem was first written by Khun Wichitmatra , he wrote the lyrics of the Thai national anthem . In 1934 , Khun Wichitmatra wrote the texts of the Thai national anthem , two years after the anthem was written by Chan Kamwilai . 0 +The aircraft was situated on a domestic flight from Goma to Kisangani via Ndjili . The aircraft was on a domestic flight from Goma to Ndjili via Kisangani . 0 +The concrete conceptual provisions of Roerich 's philosophical and legal concept of the state are based on The philosophical and legal provisions of the concrete concept of state of Roerich are based on : 0 +Baarrooble is a town in the central Somalia region of Hiran . Baarrooble is a city in the central Hiran region of Somalia . 0 +The following pass of Sam Sam Bradford was tipped by Florida DB Major Wright and intercepted by Florida Safety Joe Haden . The following pass of Sam Sam Bradford was tipped by Florida DB Joe Haden and intercepted by Florida Safety Major Wright . 0 +Eventually , Spartan met with IBM offices in Ottawa to begin developing a relationship to bridge the previous gap between geographic data and computer services . Spartan finally met with IBM offices in Ottawa to begin developing a relationship to bridge the geographic gap between computer data and previous services . 0 +The resolution was signed by almost all PBS ( Parti Bersatu Sabah ) representatives in Sri Gaya . The resolution has been signed by almost all PBS representatives in Sri Gaya ( Parti Bersatu Sabah ) . 1 +is approximately ten miles from downtown Oklahoma City and borders the city of Nicoma Park to the east and the city of Midwest City to the south . Spencer is about ten miles from downtown Midwest City and borders the city of Nicoma Park to the east and the city of Oklahoma City to the south . 0 +Prenatal hormones , especially glucocorticoids such as cortisol , are essential for Adrenal development of organs , particularly for the maturation of the lungs . Prenatal hormones , particularly glucocorticoids such as cortisol , are indispensable for the development of the adrenal organs , especially for the maturation of the lungs . 1 +During his reign , the Moghuls ( Persian name of the Mongols ) still preserved their Mongolian identity and spoke in the Mongol language . During his reign , the Moghuls ( Mongol designation of Mongols ) still preserved their Mongolian identity and spoke in Persian language . 0 +The Innerpeffray Library is a current subscription library and was the first library in Scotland.The historic library building was completed in 1762 and is listed in category A . Innerpeffray Library is a historic subscription library and was the first lending library in Scotland . The current library building was completed in 1762 and is Category A listed . 0 +From behind bars Dimitri finds out that Maddie is not Erica 's father and helps Edmund come back with his daughter . From behind bars , Dimitri finds out , Maddie is not Erica 's father and helps Edmund reunite with his daughter . 1 +Twin Falls High School is a secondary public school in Twin Falls , Idaho , one of the two traditional high schools operated by the Twin Falls School District . Twin Falls High School is a traditional high school in Twin Falls , Idaho , one of the two public secondary schools operated by the Twin Falls School District . 0 +The raw case is much simpler and rescales the homogeneous distance estimates by a constant factor . The raw fall is much simpler and rescales the homogeneous distance estimates by a constant factor . 0 +In her home in Boston , Agassiz founded a school for girls from Cambridge in 1856 . In 1856 , Agassiz founded a school for girls from Boston in her home in Cambridge . 0 +In 1932 , the company moved cigar production to Cuba following a strike at the Cuban factory in Trenton and to avoid high tariffs . In 1932 , the company moved cigar production from Cuba to Trenton following a strike in the Cuban factory and to avoid high tariffs . 0 +The zone serves eastern & central Madhya Pradesh , southern Rajasthan , and northeastern Uttar Pradesh state . The zone serves eastern and central Madhya Pradesh , southern Rajasthan and northeastern Uttar Pradesh state . 1 +Born Barry Clark Heacock , his name was changed to Joseph Spalding Coe when his mother Jean Elizabeth Shea married Joseph Spalding Coe Sr. in 1940 in Los Angeles . Born Barry Clark Heacock , his name was changed to Joseph Spalding Coe when his mother , Jean Elizabeth Shea Joseph Spalding Coe Senior , married in Los Angeles in 1940 . 0 +It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Catalonia , Barcelona , Spain . It took place from 23 April to 29 April 2010 in the Real Club de Tenis Barcelona in Barcelona , Catalonia , Spain . 1 +Sir Charles Waldstein , from 1918 Sir Charles Walston ( 30 March 1856 - 21 March 1927 ) was an Anglo-American archaeologist . Sir Charles Waldstein , from 1918 Sir Charles Walston ( March 30 , 1856 -- March 21 , 1927 ) was an Anglo-American archaeologist . 1 +Dr. Carter worked in Africa for several months and remains in Kem 's AIDS clinic . Dr. Carter worked for several months in Africa and remains at the AIDS clinic in Kem . 1 +These arrangements have explanations at different levels -- mathematics , physics , chemistry , biology -- each individually necessary , but all correct together . These arrangements have explanations at various levels -- mathematics , physics , chemistry , biology -- each individually correct , but all necessary together . 0 +The optimum language is therefore additive up to this universal constant . Thus , the optimal language up to this additive constant is universal . 0 +Boudrioz was born in Paris and has died in Versailles . Boudrioz was born in Versailles and has died in Paris . 0 +After having left Mary Ann Pederson in 1975 , Louise Redfield took over the show until 1981 . After Louise Redfield left in 1975 , Mary Ann Pederson took over the show until 1981 . 0 +In addition to Lawrence the film also stars John Witherspoon , Tom Lister , Jr. , and Mark Curry . In addition to Lawrence , the film also plays Mark Curry , Tom Lister Jr. and John Witherspoon . 1 +"The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed by Ed Decter for television ." "The series is based on the book series "" The Mortal Instruments "" by Cassandra Clare , and developed for television by Ed Decter ." 1 +Erica abietina is a species of erica that is endemic to the Cape Peninsula of the Western Cape , South Africa . Erica abietina is a species of Erica that is endemic in western Cape , South Africa of the Cape Peninsula . 0 +Ogbunka is a town in Anambra State Local Government Area of Orumba South , Nigeria . Ogbunka is a town in the Anambra State Local Government Area of Orumba South , Nigeria . 1 +The Nyon Campus offers kindergarten and secondary education services , while Pully Campus offers a kindergarten , primary and primary school . The Nyon campus offers Kindergarten and secondary school education services , while the Pully campus offers a Kindergarten , primary and a primary education . 1 +In addition , it destroyed 340 homes and damaged 12 , most of which were in Collier County . In addition , it destroyed 340 houses and damaged 12 , most of which were in Collier County . 1 +Carl Smestad ( May 8 , 1888 -- June 29 , 1962 ) was a Norwegian industrialist , son of Reidar Smestad and grandson of Jacob Olssøn Smestad . Carl Smestad ( 8 May 1888 -- 29 June 1962 ) was a Norwegian industrialist , the son of Reidar Smestad and grandson of Jacob Olssøn Smestad . 1 +Lee Field in the Galewood neighborhood of Wyoming , Michigan is the home stadium of the club . Lee Lee Field , in Wyoming neighborhood of Galewood , Michigan , is the home stadium of the club . 0 +The princess was received with great fanfare at Pathein ( Bassein ) on 24 September 1573 . The princess was received with great fanfare at Pathein ( Bassein ) on September 24 , 1573 . 1 +Minervén Sport Club , usually Minervén Bolívar Fútbol Club , formerly known as Minervén , is a Venezuelan football club . Minervén Sport Club , formerly Minervén Bolívar Fútbol Club , usually known as Minervén , is a Venezuelan football ( soccer ) club . 0 +Like many aspects of Islamic ivory , this reflects the Byzantine traditions that Islam has inherited . Like many aspects of Islamic ivory this reflects the Byzantine traditions Islam inherited . 1 +18 : 30 capsules , after the effect metals protect signal mask ' ; ) . 18 : 30 ingest capsules , after the effect protect metals await signal mask ' ) . 0 +The 2014 bid is more compact than the 2010 project , due to the elimination of the Ramsau , St. Johann and Kitzbühel venues . The 2014 offer is more compact than the 2010 project due to the disappearance of the venues Kitzbühel , St. Johann and Ramsau . 1 +"In many cases , the former burgh settlement would become a Slavic suburb of the German town ( "" Wiek "" , "" Wieck "" ) ." "In many cases the former burgh settlement would be a German suburb of the Slavic town ( "" Wiek "" , "" Wieck "" ) ." 0 +Carol is in the gallery with her daughter Missy , now a published poet . Missy is in the stands with her daughter Carol , now a published poet . 0 +The Crump family had a home in Bristol while Phil started racing in the British League , which he was doing in 1971 with the Crewe Kings . The Crump family had a home in Bristol , while Phil started walking in the British League , which he made with the Crewe - kings in 1971 . 1 +It is found from most of Britain to Romania and Russia through Central Japan to the Iberian Peninsula . It is found from most of Great Britain to Romania , and from Russia through central Japan to the Iberian Peninsula . 1 +The music for the first series was produced by Takeo Yamashita with vocal performances on tracks by Charlie Kosei . The music for the first series was created by Takeo Yamashita , with vocal performances on tracks by Charlie Kosei . 1 +The Lăpuş River is a tributary of the Coruia River in Romania . The Coruia River is a tributary of the river LÄ puÅ in Romania . 0 +The Fixer Uppers is a short film from 1935 with Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . The Fixer Uppers is a 1935 short film starring Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . 1 +"A scalar transformation is a transformation that is "" linear "" up to a twist "" , which means "" to a field automorphism under semilinear multiplication "" ." "A semilinear transformation is a transformation that is "" linear "" up to a twist "" , which means "" to a field automorphism under scalar multiplication "" ." 0 +These positions are held by Army BG BG Hopper T. Smith , Air Force Michael C. Thompson , and Army BG Gregory L. Ferguson . These positions are held by Armee BG Michael C. Thompson , Armye BG Hopper T. Smith and Air Force BG Gregory L. Ferguson . 0 +The 1969 Australian rugby union tour of Australia , was a series played by the South Africa 's national rugby union team between June and September 1969 . The Australia - Rugby - Union - Tour of 1969 was a series played by the Australian Rugby - Union - national team between June and September 1969 . 0 +Historians generally accuse the Confederate - catastrophe at Pea Ridge and the subsequent loss of undefended Arkansas on the death of General Ben McCulloch . Historians generally blame the Confederate disaster at Pea Ridge and the subsequent loss of undefended Arkansas on the death of General Ben McCulloch . 1 +In March 1833 , Dearborn Township was renamed Redford and the southern half became Pekin on April 1 . In March 1833 , Pekin was renamed Redford and the southern half was on April 1 , Dearborn Township . 0 +Büyükorhan is a town and district of Turkey in the Marmara region of Bursa Province . Büyükorhan is a city and district of the Bursa province in the Marmara region of Turkey . 0 +"The term "" non-hereditary spherocytosis "" is occasionally used , albeit rarely ." "Occasionally , albeit rarely , the term "" is used non-hereditary spherocytosis "" ." 1 +Today , 146 of his works are shown in the Art Museum of Georgia and exhibited sixteen paintings in the Historical - Ethnographic Museum of Sighnaghi . Today , 146 of his works are shown in the Art Museum of Georgia and sixteen paintings are exhibited in the Historical-Ethnographic Museum of Sighnaghi . 1 +""" Politically sensitive , economically appropriate , ecologically sustainable , and finally , socially just "" , however no references or sources are provided for the data used ." """ Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources for the data used are specified ." 1 +It is a kind of mainly Turkish folkloric dance , from where , with the main base and the elements of Byzantine music has been adapted . It is a type of mainly Turkish folkloric dance from where has been adapted from , with the main base and elements of Byzantine music . 1 +On October 11 , 1975 , Hill Bill married Hillary , and her only child , Chelsea , was born on February 27 , 1980 . Bill married Hillary on October 11 , 1975 , and their only child , Chelsea , was born on February 27 , 1980 . 1 +Bode was born in Bartlesville and grew up in Tulsa , where her father was a Phillips Petroleum Executive . Bode was born in Tulsa and raised in Bartlesville , where her father was a Phillips Petroleum executive . 0 +In 1946 , she left the Pacific and steamed over the Suez Canal to Norfolk , Virginia . She left the Suez Canal in 1946 , and steamed via the Pacific to Norfolk , Virginia . 0 +Wilmington was established as a township in February 1846 by combining parts of Neshannock Township in Lawrence County with parts of Lackawannock Township in Mercer County . In February 1846 , Wilmington was founded as a township by combining parts of Neshannock Township at Mercer County with parts of the Lackawannock Township in Lawrence County . 0 +The championship was held in 1999 in Italy , 2003 in Germany , 2007 in Kawasaki ( Japan ) and 2011 in Austria . The championship took place in 1999 in Austria , in 2003 in Germany , in Kawasaki , Japan in 2007 and in Italy in 2011 . 0 +Pennypacker , born in Southampton , New York , moved shortly after the turn of the twentieth century to Pennsylvania before moving to New York City on Long Island . Born in Southampton , New York , Pennypacker moved to Pennsylvania a little after the turn of the 20th century before moving to New York City on Long Island . 1 +Conchita Martínez Granados ( born 20 January 1976 in Barcelona , Spain ) is a former professional female tennis player from Spain . Conchita Martínez Granados ( born January 20 , 1976 in Barcelona ) is a former tennis player from Spain . 0 +The Lotriorul River is a tributary of the River Priporul in Romania . The Lotriorul River is a tributary of the Priporul River in Romania . 1 +"The northern cavefish or northern blindfish , "" Amblyopsis spelaea "" , is found in caves through Kentucky and southern Indiana ." "The northern Cavefish or southern blindfish , "" Amblyopsis spelaea "" , is found in caves through Indiana and North - Kentucky ." 0 +Cambridge was granted its city charter in 1951 in recognition of its history , economic importance , and administrative success . In recognition of its history , its economic importance and its administrative success , Cambridge was granted city rights in 1951 . 1 +They can often be heard long before they are seen . They can be often seen long before they are heard . 0 +In January 1967 , Daltoni won second place at the first Belgrade guitar festival . In January 1967 , Daltoni won first place at the second Belgrade Guitar Festival . 0 +This main shrine has 59 branch shrines in Saitama prefecture and 162 shrines in Tokyo . This main shrine has 59 branch shrines in Tokyo and 162 branch shrines in Saitama Prefecture . 0 +As the first year in 2011 she started in 22 games and appeared in 23 of a total of 24 games . As the first year 2011 she appeared in 22 games and started in 23 out of a total of 24 games . 0 +An angle clockwise in a figure would correspond to a counterclockwise angle in the other figure . A counterclockwise angle in one figure would correspond to a clockwise angle in the other . 0 +""" The Brute Man "" was the seventh episode of the second season that was broadcast on 10 February 1996 in Comedy Central ." """ The Brute Man "" was the second episode of the seventh season , which was broadcast on Comedy Central on February 10 , 1996 ." 0 +Noakes argues that it is a Pavlovian response to years of cold water swimming , while Pugh believes it is a response to fear . Noakes believes it is a Pavlovian Response to years of cold water swimming , while Pugh argues it is a response to fear . 0 +The region was also open to the Algonquian Ojibwa ( now known as Mississauga ) , who moved in . The region was now open to Algonquian Ojibwa ( also known as the Mississauga ) who came in . 0 +The stadium was the home to the former Georgia Mustangs and the former Atlanta Beat women 's soccer club of the defunct WUSA league . The stadium was home to the former Georgia Mustangs and the former women 's football club of the late WUSA league , the Atlanta Beat . 1 +Most of the elephants found in Sumatran camps were captured in protected areas after the harvest . Most of the elephants captured in Sumatran camps were found after crop-raiding in protected areas . 0 +The locality was named after England , in Dovercourt , the native home of an early postmaster . The locality was named after Dovercourt in England , the home of an early postmaster . 0 +Music was composed by Vedha and the lyrics were written by Kannadasan . Music was composed by Vedha and lyrics were written by Kannadasan . 1 +The 381st Bombardment Group was formed on the Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , around six miles from Haverhill . The 381st Bombardment Group was formed at Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , about six miles from Haverhill . 1 +"Below is the early version of the album with all the early segues . Also , "" The Sacrifice of Victor "" is slightly longer on the original configuration ." "Below is the early version of the album with all early segues , and "" The Sacrifice of Victor "" is also slightly longer in the original configuration ." 1 +The completion of the Mayfield , New Orleans , and Northern Railroad in 1858 connected Memphis with the outside world . The completion of Memphis , New Orleans and Northern Railroad in 1858 connected Mayfield with the outside world . 0 +measures the direct impact between any two journals and P ( i , i ) is the self-citation rate Is the direct impact between two magazines and P ( i , i ) the self-citation rate measures . 0 +The book proposes political reform for Switzerland , which has never been realized because of legal controversies . The book proposes a legal reform for Switzerland which has never been realized because of political controversies . 0 +When a solvent is shaken , two nonmixable liquids are extracted together . When a solvent is extracted , two immiscible liquids are shaken together . 0 +"Panthro is renamed in the German version in "" Pantro "" , in the French "" Pantor "" and in the Spanish "" Pantéro "" ." "Panthro is renamed "" Pantro "" in the Spanish version , "" Pantor "" in the German version , and "" Pantéro "" in the French version ." 0 +"Maximilian Lambertz suggested that the word from the Italian "" Bailo "" derived the title of the Venetian ambassador to the Ottomans ." "Maximilian Lambertz suggested that the word be derived from the Venetian "" bailo "" , the title of the Italian Ambassador to the Ottomans ." 0 +Daka sends his electronic henchmen , along with a zombie that he controls by microphone via an American brain implant , to steal the precious metal . Daka sends his electronic henchmen together with a zombie he controls by microphone via an American brain implant to steal the precious metal . 1 +Sam has a much younger brother named Sam , who is not much older than the eldest son of Hank Bennett . Sam has a much younger brother named Hank Bennett who is not much older than Sam 's eldest son . 0 +In 2010 she won the 10th Nojak Literature Award , the 57th Hyundae Literary Award in 2011 and the 12th Yi Yuksa Poetry Award in 2015 . Kim won the 10th Nojak Literature Prize in 2010 , the 57th Hyundae Literary Award in 2011 , and the 12th Yi Yuksa Poetry Award in 2015 . 1 +The Sitna River is a tributary of the River Urechioiu in Romania . The River Urechioiu is a tributary of the Sitna River in Romania . 0 +The classical Lie - Algebras are finite - dimensional Lie - Algebras , which can be classified into four types : Formula 1 and Formula 2 . These types are defined as follows : The finite-dimensional Lie algebras are classical Lie algebras that can be classified into four types : formula _ 1 and formula _ 2 . These types are defined as follows : 0 +Entries marked with an asterisk are set in the fictional community of King 's Ridge in Nodd . Entries marked with an asterisk are set in the fictional community of King 's Nodd 's Ridge . 0 +Jacob Slichter was the brother of geophysicist Charles Pence Slichter , the father of the physicist Louis B. Slichter and the grandfather of the musician Sumner Slichter . Sumner Slichter was brother of the geophysicist Louis B. Slichter , father of the physicist Charles Pence Slichter and the grandfather of the musician Jacob Slichter . 0 +It is part of the Panama City Beach -- Lynn Haven - Panama City It is part of the Panama City -- Lynn Haven -- Panama City Beach 1 +In 1844 , Brookline became a part of Pill Hill when it was annexed from Boston . Brookline became part of Pill Hill in 1844 , when it was annexed from Boston . 1 +He was considered a liberal Spaniard who practiced the liberal and democratic principles for imposing liberal laws . He was considered a liberal Spaniard who practiced liberal and democratic principles for the enforcement of liberal laws . 1 +During the main period , the ring walls and the most important public buildings within the palatial fortress were built . During the palatial period , the walls and the most important public buildings were built within the main fortress . 0 +She extracted her daughter Vinod from the public school and sent Rekha to a school in another district . She withdrew her daughter Rekha from public school and sent Vinod to a school in another district . 0 +This method requires pure arrangement and is not statistically arbitrary since manual adjustments can be made . This procedure requires a manual arrangement and is not pure statistically , since arbitrary adjustments can be made . 0 +Nikolaus Friedrich von Thouret ( born June 2 , 1767 in Ludwigsburg ; died on January 17 , 1845 in Stuttgart ) . Nikolaus Friedrich von Thouret ( born Ludwigsburg , 2 June 1767 ; died Stuttgart , 17 January 1845 ) . 1 +In Singapore , ADCs that are officers of the Singapore Civil Defence Force and the Singapore Armed Forces are Gold - Aiguillettes and Police Officers Silver - Aiguillettes . In Singapore , ADCs who are officers of the Singapore Civil Defence Force and the Singapore Armed Forces wear gold aiguillettes and police officers wear silver aiguillettes . 0 +The 1990 PBA season was the 16th season of the Philippine Basketball Association ( PBA ) . The 1990 PBA season was the 16th PBA ( Philippine Basketball Association ) season . 1 +Fersfield is limited to the east and south by the village of Kenninghall , in the west are South Lopham and North Lopham and to the north are Bressingham . Fersfield is limited to the east and south by the village of Bressingham , to the west are South Lopham and North Lopham and in the north is Kenninghall . 0 +Kathy Lloyd was born in Carrickfergus , Northern Ireland and grew up in Netherton , Bootle where she attended Warwick Bolam High School . Born in Carrickfergus , Northern Ireland , Kathy Lloyd grew up in Netherton , Bootle , where she visited Warwick Bolam High School . 1 +The 1955 Los Angeles State Diablo football team represented Los Angeles State during the College - Football - Season 1955 . The 1955 Los Angeles State football team represents Los Angeles State Diablos during the College - Football - Season 1955 . 0 +"In conservative potential coordinates , the Hamilton operator of a free particle moving in a spherical "" U "" can be written ." "In spherical coordinates the Hamiltonian of a free particle moving in a conservative potential "" U "" can be written" 0 +Born in 1799 in York ( Toronto ) , he grew up in Kingston . He was born in Kingston ( Toronto ) in 1799 and grew up in York . 0 +In 2008 , the Warrant Officer ranks of the South African National Defence Force were expanded and the rank of Master Warrant Officer was established . In 2008 the warrant officer ranks of the South African National Defence Force were expanded and the rank of master warrant officer was created . 1 +This name refers either to the Little Para River ( which starts at the confluence of South Para River and North Para River ) or the Gawler River . This name refers to , either the Little Para River ( which starts at the confluence of the South Para River and North Para River ) or the Gawler River . 1 +The Bs were raised first in the 1805 season and the team was recorded sporadically until the 1832 season . The Bs is first noted in the season of 1805 and the team was sporadically raised until the season in 1832 . 0 +The 381st Bombardment Group was formed on the Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , around six miles from Haverhill . The 381st Bombardment Group was formed at Pyote Air Force Base and was assigned to Ridgewell Airfield in Haverhill , about six miles from Essex , England . 0 +In 2000 , the Tandy Corporation became the RadioShack Corporation officially . In 2000 , RadioShack Corporation officially became the Tandy Corporation . 0 +Margaret Fleming married James von Barrochan and was succeeded by his eldest son , Alexander . Margaret Fleming married James of Barrochan and was succeeded by Alexander , his eldest son . 1 +The family Asher and her husband Brent Tworetzky have two sons , Zuckerberg and Simi , who live in New York City . Asher and her husband Brent Tworetzky have two sons , Zuckerberg and Simi . The family resides in New York City . 1 +He died on 23 April 1881 in Newtown ( today Elmhurst Station ) , Flushing , Long Island , New York . He died in Newtown ( now Elmhurst Station ) , Flushing , Long Island , New York , April 23 , 1881 . 1 +Baby Boom is a romantic comedy orchestrated by Nancy Meyers in 1987 , produced by Charles Shyer and Shyer and written by Meyers and Bruce A . Baby Boom is a 1987 romantic comedy film directed by Charles Shyer , written by Nancy Meyers and Shyer , and produced by Meyers and Bruce A . 0 +"For all "" z "" 1 Since the left side is a strict function , the harmonic principle implies that inequality is the maximum ." "For all "" z "" < 1 . Since the left hand side is a strict function , the harmonic principle implies the inequality is maximum ." 0 +"In a letter to his friend Trebatius Testa , stationed in Gaul , jokingly refers to "" andabata "" ." "Trebatius Testa jokingly refers to "" andabata "" , in a letter to his friend Cicero , who was stationed in Gaul ." 0 +Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Peru ) is a Colombian footballer currently playing for Total Chalaco of the Segunda División in Colombia . Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Colombia ) is a Colombian footballer who is currently playing for Total Chalaco of the Segunda División in Peru . 0 +"The species was first described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material from Carl Meissner ." "The species was first formally described by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by James Drummond ." 0 +Saint Cennych was a Pre-congregational saint of medieval , South Wales . He is the patron Saint of Llangennych , Carmarthenshire . Saint Cennych was a medieval saint of Pre - Kongregational , South Wales He is the patron saint of Llangennych , Carmarthenshire . 0 +Its maximum annual temperature is and its minimum annual temperature is , with May to October the hottest season . Its minimum annual temperature is and its maximum annual temperature is May to October the hottest season . 1 +It was built in 1988 by Jim Bell and William Feldstein and has been developed by H & amp ; H . It was developed by Jim Bell and William Feldstein in 1988 and built by H & amp ; H . 0 +Sakura Spirit was a visual novel developed by Winged Cloud in 2014 and published by Sekai Project . Sakura Spirit is a visual novel released by Winged Cloud in 2014 and developed by Sekai Project . 0 +The term is sometimes used in exclusive reference to Mexico and Guatemala . Sometimes the term is used in exclusive reference to Mexico & Guatemala . 1 +He was born in Łuck , was a wonderful child on the piano in Warsaw and then went to the Warsaw Conservatory . Born in Warsaw , he was a child prodigy on the piano in Łuck and then went to Warsaw Conservatory . 0 +Cramer was born in New York City and grew up in Geneva . Born in Geneva and grew up in New York Cramer was born . 0 +Under Ottoman rule , Avdella was in the kaza of Grevena , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Bitola ) . Under Ottoman rule Avdella was in the Kasa of Grevena , Sanjak of Serfice ( modern Servia ) , Vilayet of Monastir ( modern Bitola ) . 1 +He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in Ahmednagar District . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in the Ahmednagar District . 1 +Hector Pieterson was buried at the Avalon Cemetery in Johannesburg with Hastings Ndlovu . Hector Pieterson was buried with Hastings Ndlovu at Avalon Cemetery in Johannesburg . 1 +In 1392 , Duncan agreed to marry Isabella to Murdoch Stewart 's son , Robert . In 1392 , Duncan Isabella agreed to marry with Murdoch Stewart 's son Robert . 0 +The park is 65 km northeast of Fianarantsoa and 139 km west of Mananjary in the regions of Haute Matsiatra and Vatovavy-Fitovinany . The park is 65 km west of Fianarantsoa and 139 km northeast of Mananjary in the regions Haute Matsiatra and Vatovavy - Fitovinany . 0 +He was educated at Brunswick House , a preparatory school in Hove and then moved to Sutherland House , a similar school in Folkestone . He was trained at Brunswick House , a preparatory school in Folkestone , and moved to Sutherland House , a similar school in Hove . 0 +"The small marine Blennioids Blenny ( "" Ecsenius australianus "" ) are Australian fish of the genus "" Ecsenius "" ." "Australian Blenny ( "" Ecsenius australianus "" ) are small marine blennioid fish of the genus "" Ecsenius "" ." 0 +On the line between Market Harborough and Hallaton , there was once a Nottingham train station . There was once a Hallaton railway station on the line between Market Harborough and Nottingham . 0 +After Robert Child died , Hortense married Eldred G. Smith in 1977 . In 1977 , after Robert Child had died , Hortense married Eldred G. Smith . 1 +Ortacami is a village connected to the Tirebolu district in the province of Giresun . Ortacami is a village connected to the district of Giresun in the province Tirebolu . 0 +Thrapston ( Bridge Street ) was on the former LNWR Peterborough to Northampton line . Thrapston ( Bridge Street ) was launched on the former LNWR Northampton to Peterborough line . 0 +In the Adams division , the Boston Bruins and Montreal Canadians never missed the playoffs in this format , while the Buffalo Sabres missed only twice . In the Adams Division , the Buffalo Sabres never missed the playoffs in this format , while the Boston Bruins and Montreal Canadiens only missed twice . 0 +He frequently attended ballet performances at the Paris Opera and frequently observed classes at the dance school . He frequently attended ballet performances at the Paris Opera and often observed classes at the dance school . 1 +The series will be published in Japan by VIZ Media and in the United States by Shogakukan in English . The series is published in Japan by Shogakukan and in the USA by VIZ Media in English . 0 +The Austin Catholic Academy and St. Thomas of Villanova College are officially sponsored and are not operated independently of the Augustinian Order . Of these , Austin Catholic Academy and St. Thomas of Villanova College are officially sponsored and not independently operated by the Augustinian Order . 1 +"The Thakurgaon Stadium is located at "" Thakurgaon "" , Thakurgaon Inter District Bus Station , Bangladesh ." "Thakurgaon Stadium is located at the "" Thakurgaon "" , Thakurgaon Inter District Bus Terminal , Bangladesh ." 1 +And procedural knowledge ( steps to make and what decision to do when ) . And procedural knowledge ( steps to take and what decision when to make ) . 1 +The population is 80 ( census 2011 ) is a village in the Croatian region of Slavonia , located east of Daruvar . The population is 80 ( census 2011 ) , a village in the region of Slavonia in Croatia , located east of Daruvar . 0 +He was also a nephew of Elise Hambro , a brother of Cato , Carl Joachim and Johan Hambro , and from 1946 Stepson of Gyda Christensen . He was also a nephew of Gyda Christensen , a brother of Johan Hambro , Carl Joachim and Cato , and from 1946 a step son of Elise Hambro . 0 +She has also published biographies by the Nobel laureate Octavio Paz and artist Juan Soriano . She has also published biographies , of the Nobel laureate Juan Soriano and artist Octavio Paz . 0 +Kate Foote Coe , the niece of Margaret Foote Hawley , was an artist who specialized in portrait miniatures . Margaret Foote Hawley , a niece of Kate Foote Coe , was an artist who specialized in portrait miniatures . 0 +This procedure is the cylindrical equivalent of a photographic map projection in cartography . This process is the photographic equivalent of a cylindrical card projection in cartography . 0 +"In 1997 , he made a cameo appearance in the episode 164 of Wings ( 8th episode of the 16th season ) entitled "" Flight from New York "" ." "In 1997 , he made a cameo appearance in episode 164 of Wings ( 16th episode of the 8th season ) entitled "" Escape from New York . """ 0 +Born in Chicago , Wagenknecht grew up and went to school in Oak Park , Illinois . Wagenknecht , born in Chicago , grew up and went to school at Oak Park , Illinois . 1 +The Karoo mine is a large mine in the northern part of South Africa in Gauteng . Karoo Mine is a large mine in the northern part of South Africa in Gauteng . 1 +"In 2010 Derek Miller released his third album , "" Miller with Double Trouble "" ." "In 2010 , Derek Miller published his third album "" Miller with Double Trouble "" ." 1 +On July 3 , their feud culminated , when Paris and Ricky Morton were defeated by Ganz and Bobby Eaton . Their Feuds culminated on July 3 , when Paris and Bobby Eaton were defeated by Ganz and Ricky Morton . 0 +There are about 2,018 clinics and hospitals in Venezuela , 634 in Caracas , 195 in Maracaibo , 173 in Valencia , and 92 in Barquisimeto . In Venezuela there are approximately 2,018 clinics and hospitals , 634 in Caracas , 195 in Maracaibo , 173 in Valencia and 92 in Barquisimeto . 1 +Saptarshis - List : Kashyapa , Atri , Vashista , Angira , Vishnu , Agastya , Bharadvaja During Vaivasvata-Manvantara is called the avatar of Lord Gautama Vamana . Saptarshis - List : Kashyapa , Atri , Vashista , Angira , Gautama , Agastya , Bharadvaja During the Vaivasvata-manvantara the avatar is called Lord Vishnu Vamana . 0 +Bone and stone artefacts similar to those found in Kunda have been discovered throughout Estonia , as well as in Latvia , Northern Lithuania and Southern Finland . Bone and stone artefacts similar to those found at Kunda have been discovered elsewhere in Finland , as well as in Estonia , northern Latvia and southern Lithuania . 0 +He bought homes in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . He acquired homes in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . 0 +Eschenz is a municipality in the district of Frauenfeld in the Canton Thurgau , Switzerland . Eschenz is a municipality in the Thurgau in the canton of Frauenfeld in Switzerland . 0 +XY - Chimerism can be identified by prenatal testing and direct observation during pregnancy , genetic screening or early childhood . 46 , XX/46 , XY chimerism can be identified during pregnancy , by genetic screening or in early childhood through prenatal testing and direct observation . 1 +Thomas John ( born February 12 , 1979 ) is an American entrepreneur who , in 2008 , founded Tom Patterson Company . Tommy John ( born 12 February 1979 ) is an American entrepreneur , who founded the Tom Patterson company in 2008 . 1 +The Staatskapelle Halle is a symphony orchestra based in Halle , Saxony-Anhalt . The Staatskapelle Halle is a symphony orchestra based in Germany , Saxony-Anhalt , Halle . 1 +He spent the season 2012 -- 13 in the Israeli Basketball Super League with Bnei Herzliya . He has spent 2012 -- 13 in Bnei Herzliya with Israeli Basketball Super League . 0 +He quoted influences such as Skrillex , Reso , Rusko and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . Skrillex cites influences such as Rusko , Reso , Zomboy and Bare Noize . He studied Music Production at the Academy of Contemporary Music in Guildford . 0 +In the third film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the first film . In the third film , the fat lady of Elizabeth Spriggs is played , and by Dawn French in the first film . 1 +Scaling is a homothetic transformation , and a special case of homothetic transformation . In most cases , the non-linear transformations are linear transformations . Scaling is a homothetic transformation and constitutes a special case of homothetic transformation ; in most cases , non-linear transformations are linear transformations . 1 +Kraddick proposed a challenge -- to drive from Philadelphia to Texas , playing shows along the way . Kraddick proposed a challenge to drive from Texas to Philadelphia , playing shows on the way . 0 +Carl Ravell ( July 21 , 1910 - July 28 , 1968 ) , also known professionally as Carl Ravazza , was an American violinist , singer and bandleader . Carl Ravazza ( July 21 , 1910 -- July 28 , 1968 ) , also known professionally as Carl Ravell , was an American violinist , vocalist and bandleader . 0 +John and his brother James were born in Alfreton , Derbyshire . John and his brother were born in Alfreton , Derbyshire , James . 1 +However , the functional design of the Council only makes it a very weak legislative review mechanism . However , the Council 's weak legislative structure makes it only a very functional review mechanism . 0 +There is a collapsible water tank and a fuel tank with detachable hatch for cleaning . There is a collapsible water tank and a fuel tank with removable hatch for cleaning . 1 +The Cormos River is a tributary of the Agris River in Romania . The River Cormos is a tributary of the River Agris in Romania . 1 +David Barclay was the son of Sir David . David David was the son of Sir David Barclay . 0 +The Dublin Council of Trade Unions is the trades council for County Dublin in Ireland . The Dublin Council of Unions is the trade council for the county of Dublin in Ireland . 1 +In Paris in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to Scotland through England . In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return through Scotland to England . 0 +He graduated from Nihon University with a 5th Dan in Judo and a 4th dan in karate . He graduated from Nihon University , holding a 5th dan in judo and a 4th dan in karate . 1 +After his wife died in 1842 , Jack Shackelford married Martha Chardevoyne . Jack Shackelford married Martha Chardevoyne after his wife died in 1842 . 1 +The New Zealand Rugby - League - Tour of 1913 Australia was a tour of the New Zealand rugby national team . The 1913 New Zealand rugby league tour of New Zealand was a tour by the Australia national rugby league team . 0 +His current best championship result is the 4th place in the team - Dressage at the European Dressage Championships 2015 , while his current best individual result is 18th place of the 2014 Worlds . His current best championship result is 4th place in team dressage at the 2015 European Dressage Championships while his current best individual result is 18th place from 2014 Worlds . 1 +"The author Christopher Hitchen expressed his admiration for Jessica Mitford and praised "" Hons and Rebels "" ." "The author Christopher Hitchens expressed his admiration for Jessica Mitford and praised "" Hons and Rebels "" ." 1 +It is only found in New South Wales , where it has been recorded from Queensland and Australia . It is found only in New South Wales , where it has been recorded from Queensland and Australia . 1 +Perigea bahamica is a moth in the family Noctuidae . It is found on the Bahamas . The species was collected in Monroe County , Florida , in 2012 . Perigea - bahamica is a moth in the family Noctuidae It is collected in the Bahamas The species was found in Monroe County , Florida , in 2012 . 0 +In 1963 , he met Felix Cavaliere ( a singer on the local R & amp ; B circuit ) and Eddie Brigati ( a classically trained pianist ) . In 1963 , he met Eddie Brigati ( a pickup singer on the local R & amp ; B circuit ) and Felix Cavaliere ( a classically trained pianist ) . 0 +The party was officially registered on 20 June 2013 , although it was formed in November 2012 . The party was officially formed on June 20 , 2013 , although it was registered in November , 2012 . 0 +Janice Turner was the husband of Carl and the father of Debbie 's Alice Whipple . was Janice Turner 's husband , and the father of Debbie , Alice Whipple . 0 +Omokoroa includes the urban area on the harbour side of State Highway 2 , along with Youngson Road to Plummers Point Road , and parts of Old Highway Road . Omokoroa includes the urban area on the port side of the State Highway 2 , together with Youngson Road to Old Highway Road and parts of Plummers Point Road . 0 +Gopalaswamy Mahendraraja was related to Velupillai Prabhakaran , former LTTE leader . He was born in Point Pedro . Gopalaswamy Mahendraraja was related to Velupillai Prabhakaran , former LTTE leader and was born in Point Pedro . 1 +His eyewitness account reports that the Afghans simply fled the place and Hari Singh occupied Nalwa Peshawar without a battle . His eyewitness account reports that the Afghans simply fled the place and Hari Singh Nalwa occupied Peshawar without a battle . 0 +In these cells , a voltage is induced , which is captured electronically . In these cells , a voltage is registered that is induced electronically . 0 +In 2000 , he was ranked the fifth best prospect in baseball and the 51st best prospect in the Braves organization . In 2000 , he was classified the 51st best prospect in baseball and the fifth best prospect in the Braves organization . 0 +Bus services on the Parkway to Dunstable Busway Route A also connect Luton to Luton Airport . Bus connections on the Luton to Dunstable Busway Route A also connect Parkway to Luton Airport . 0 +"This first version is unofficially called "" rare version "" ." "This first version is called "" rare version "" unofficially ." 1 +The River Sterminos is a tributary of the River Voievodu in Romania . The Sterminos River is a tributary of the Voievodu River in Romania . 1 +Beatrice Campbell met Edie Martyn ( Jonathan Dakers ) as a child . As a child Jonathan Dakers met Edie Martyn ( Beatrice Campbell ) . 0 +"The dividends have increased the total "" real "" return on average equity to the double , about 3.2 % ." "The dividends increased the real "" total return "" of the average equity to double , about 3.2 % ." 1 +An experiment was conducted in 1919 , where a standardization method of testing was tried . An experiment was done in 1919 where a standardization method of testing was tried . 1 +"It was published by ( Spreng . ) K. Schum and described in 1888 in "" Flora Brasiliensis 6 ( 6 ) : 128 "" ." "It was described by ( Spreng . ) K.Schum . and published in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , in 1888 ." 0 +It is found in India from northern Canary to Sindh and Madhya Pradesh and from Kangra to Kumaon . It is found in Sindh from northern India to Kanara and Madhya Pradesh and from to Kangra to Kumaon . 0 +Ayeza Khan ( born January 15 , 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . Ayeza Khan ( born Aiza Khan on 15 January ,1991 ) , also known as Kinza Khan , is a Pakistani television actress and model . 1 +In February 2007 , Barbara Fischinger performed in Frankfurt at the Original Lumigraph and in Amsterdam in 2012 . In February 2007 , Barbara Fischinger performed on the original Lumigraph in Amsterdam , and in 2012 in Frankfurt . 0 +"A DVD was released on March 5 , 2012 , performed "" Dudley Taft live on Highway 99 "" called August 6 , 2011 in Seattle , Washington ." "A DVD was released on March 5 , 2012 called "" Dudley Taft live at Highway 99 , "" performed August 6 , 2011 in Seattle , Washington ." 0 +The 8th Field Artillery - Regiment was first activated by elements of the 5th and 6th field artillery in 1916 . The 8th Field Artillery Regiment was first activated in 1916 from elements of the 5th , and 6th Field Artillery . 1 +Lynch was the eldest son of John Lynch , DD Dean of Canterbury and his wife Mary Wake , daughter of William Wake , Archbishop of Canterbury . John Lynch was the eldest son of Lynch , Dean of Canterbury , and his wife Mary Wake , daughter of the Archbishop of Canterbury , William Wake . 0 +Green Mountain is a summit in Glacier Peak wilderness above the Sauk River in Snohomish County , Washington . Sauk River is a peak in the Glacier Peak Wilderness , above the Green Mountain in Snohomish County , Washington . 0 +The fortress was once again besieged by French troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the Bavarian garrison capitulated . From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by Bavarian troops under the command of General Zoller , before the French garrison capitulated . 0 +To mark valid conversions between restricted types , a casting with the force attribute is used to avoid Sparse giving a warning . To avoid sparse conversions between restricted types , a casting with the attribute force is used to mark valid warnings . 0 +Ignjat Job painted personal landscapes on the island of BraÄ in a colorful Expressionist style . On the island of Brač , Ignjat Job painted colourful landscapes in a personal Expressionist style . 0 +In contrast , dry years are often associated with cold Pacific La Niña episodes . By contrast , dry years are often associated with cold Pacific La Niña episodes . 1 +"For her second album "" Stowaway "" , she signed a contract with True North Records , where her first hit "" Your Love Gets Me Around "" was contained ." "For her first album "" Stowaway "" , she signed a contract with True North Records . This album contained her second hit "" Your Love Gets Me Around "" ." 0 +It inhabits rather dry habitat on the border between the Great and Little Karoo of Eastern Northern Cape and the Western Free State Provinces , South Africa . It inhabits rather dry habitat on the border between the Great and Little Karoo of eastern Northern Cape and western Free State provinces , South Africa . 1 +Very unhappy and confused , Salene falls in love with the chosen , Luke , but he rejects them for Ellie . Very unhappy and confused , Salene falls in love with the Chosen , Ellie , but he rejects her for Luke . 0 +He studied music in Cologne under Ferdinand Hiller and others , in Berlin with Friedrich Kiel , Italy and in Paris . He studied music at Cologne under Ferdinand Hiller and others , in Berlin under Friedrich Kiel , in Italy and in Paris . 1 +Other R 'D officials involved in the development of Bon Air were General Thomas M. Logan , Colonel Andrew Talcott , and Talcott 's son , Thomas Mann Randolph Talcott . Other R & amp ; D officials involved in the development of Bon Air were General Andrew Talcott , Col. Thomas M. Logan , Talcott 's son , and Thomas Mann Randolph Talcott . 0 +Marco Conti is Captain Regent of San Marino together with Glauco Sansovini for the semester from April 1 , 2010 to October 1 , 2010 . Glauco Sansovini is Captain Regent of San Marino together with Marco Conti for the semester from 1st April , 2010 to 1st October , 2010 . 0 +Beaverton is a community in Brock Township in the Regional Municipality of Durham , Ontario , Canada . Beaverton is a municipality in Brock Township in the regional commune of Durham , Ontario , Canada . 1 +Rafael Nadal won against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final with 6 -- 3 , 7 -- 6 . Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 , against Rafael Nadal and Bartolomé Salvá-Vidal . 0 +"The northern cavefish or northern blindfish , "" Amblyopsis spelaea "" , is found in caves through Kentucky and southern Indiana ." "The northern Cavefish or the northern blindfish , "" Amblyopsis spelaea "" , is found in caves through Kentucky and in the southern Indiana ." 1 +Kürbitz is a former municipality located in the district of Vogtlandkreis in Saxony , near Plauen , Germany . Kürbitz is a former municipality located in the district of Vogtlandkreis in Saxony , Germany , near Plauen . 0 +Asbury is a rural community about 10 miles north of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles south of the Virginia border . Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1,5 miles north of the border to Virginia . 0 +The Bill & Cathy Stoller Center is home to all of the university 's intercollegiate athletic teams , athletic offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all the athletics teams of the University , the Intercollegiate Athletic Offices and the Department of Exercise Science . 0 +Orders for prototypes made in December 1930 were with three companies : Renault , Citroën and Brandt . Orders for prototypes were made by three companies in December 1930 : Renault , Citroën and Brandt . 0 +The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of Bad Urach are assigned in St. Joseph . The members of the United Methodist Church gather in Laichingen , while the Catholics are used in the parish of Bad Urach in St. Joseph . 1 +It is the biggest private club in Houston and one of the largest in the world , with more than 3,300 members . It is the biggest private club in Houston and one of the largest in the world , with over 3,300 members . 1 +Syed Naveed Qamar is the maternal grandfather of Miran Mohammad Shah , the Federal Minister for Petroleum , formerly the Finance Minister of Pakistan . Mr Mohammad Shah is the maternal grandfather of Syed Naveed Qamar , the Federal Minister for Petroleum , formerly the Finance Minister of Pakistan . 0 +Des Moines is included in the Warren County -- West Des Moines , IA Metropolitan Statistical Area . Des Moines are included in the Warren County -- West Des Moines , Metropolitan Statistical Area IA . 1 +The River Rotunda is a tributary of the Purul River in Romania . The Purul River is a tributary of the Rotunda River in Romania . 0 +The southern border is variously given as either Smith or Court Streets and Warren or Wyckoff Streets as the western edge . The western border is variously specified either as Smith or Court Streets and Warren or Wyckoff Streets as the southern edge . 0 +In 1893 , Emma V. Lee Robert Kelley married . In 1893 , Emma married Robert Lee Kelley . 0 +The Irish Aviation Authority has completed a new control tower 1 km from the old terminal to the west of the main runway . The Irish Aviation Authority completed a new control tower 1 km from the old terminal to the west of the main runway . 1 +The beta version of the service was discontinued on 30 July 2008 and Windows Live FrameIt was released on December 15 , 2010 . The beta version of the service was released on July 30 , 2008 . Windows Live FrameIt was discontinued on December 15 , 2010 . 0 +When the Warlord Zorr devastated Xandar , he attacked it and killed many Xandarians including Dey 's wife , Karman-Kan , and children , Duranna and Kahry . When the warlord devastated Zorr Xandar , he attacked Xandari and killed many Xandarians , including Dey 's wife , Karman-Kan , and children , Duranna and Kahry . 1 +The Nadeş River is a tributary of the River Ciortosu in Romania . The Ciortosu River is a tributary of the Nadeş River in Romania . 0 +He ran strokes and threw the shot on the track team and played on the football team at Columbus East High School . He threw dashes and ran the shot put on the track team and played on the football team at Columbus East High School . 0 +In many problems , it is more convenient to work with D and the total charges than with E and the free charge . For many problems it is more convenient to work with D and free charges than with E and the total charge . 0 +Methods of algebraic geometry provide the following parameterization of Fermat 's cubic : Methods of algebraic geometry enable the following parameterization of Fermat 's cubic : 1 +Margarita Isabel Morales y González ( born Margarita Isabel ; 25 July 1941 -- 9 April 2017 ) was a Mexican Ariel Award-winning film , and television actress . Margarita Isabel Morales y González ( born Margarita Isabel , July 25 , 1941 -- April 9 , 2017 ) was an Ariel Award-winning Mexican film and television actress . 1 +John Rabe and the Japanese committee however manage to have the Nanking Safety Zone recognized by the international authorities . However , John Rabe and the Japanese Committee manage to have the Nanking Safety Zone recognised by the international authorities . 1 +"Phillips Brooks preached its first sermon at BHCC and its Christmas song "" O Little Town of Bethlehem "" had its last performance ." "At BHCC , Phillips Brooks preached his last sermon and his Christmas Carol "" O Little Town of Bethlehem "" had its first performance ." 0 +A double check always forces the opponent to move the king , since it is impossible to defend attacks from two directions in any other way . A double check always forces the opponent to move the king , since it is impossible to defend attacks from two directions in another way . 1 +In 2008 the warrant officer ranks of the South African National Defence Force were created and the rank of master warrant officer was expanded . In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of a Master Warrant Officer was expanded . 1 +Paraguay finished in second place of the fourth round group stage with eight points and subsequently qualified for the 1999 FIFA World Youth Championship . Paraguay finished the fourth round of the group stage with eight points in second place and then qualified for the FIFA World Championship of Youth 1999 . 1 +The Valea Mică River is a tributary of the Valea Arsurii River in Romania . The river Valea Arsurii is a tributary of the river Valea Mică in Romania . 0 +Moyles came through the Crossmolina Deel Rovers system alongside Ciarán McDonald , Peadár Gardiner and Stephen Rochford . Ciarán McDonald came together with Moyles , Peadár Gardiner and Stephen Rochford through the Crossmolina Deel Rovers system . 0 +On November 10 , 2010 , GI Partners announced that the merger of The Planet and SoftLayer was effective . On November 10th , 2010 , GI Partners announced that the merger of The Planet and SoftLayer was effective . 1 +He graduated in 1976 from Kansas Newman College and in 1979 from the Washburn Law School . He graduated from Washburn Law School in 1976 and in 1979 from Kansas Newman College . 0 +"Peter Meadows and Dr. Azra Meadows are editors of "" The Glasgow Naturalist "" , the annual publication of the Glasgow Natural History Society ." "Azra Meadows and Dr. Peter Meadows are the editors of "" The Glasgow Naturalist "" , the annual publication of the Glasgow Natural History Society ." 0 +Writers for the project included Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston . For this project , Tracey Emin , Angus Fairhurst , Billy Childish , Jake Chapman , Billy Childish and Joshua Compston included . 1 +Although its conjugatic acid is highly reactive , peroxynitrite is stable in basic solutions . Although its conjugate acid is highly reactive , peroxynitrite is basic in stable solutions . 0 +It was managed by Leslie H. Martinson , written by George Kirgo and was originally broadcast on NBC on 5 April 1982 . It was written by Leslie H. Martinson , addressed by George Kirgo and was originally broadcast on NBC on 5 April 1982 . 0 +It was found in Sindh from northern India to Kanara and Madhya Pradesh and from Kangra to Kumaon . It is found in India from northern Canary to Sindh and Madhya Pradesh and from Kangra to Kumaon . 0 +Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana , which is currently Ghana 's Ambassador to Burkina Faso . Naa Bolinaa Saaka is a Ghanaian diplomat and a member of the New Patriotic Party of Ghana . He is currently Ghana 's ambassador to Burkina Faso . 1 +The journal is abstracted and indexed by EMBASE , Expanded Serial , Google Scholar , and Summon by Academic Solutions . The magazine is abstracted and indexed by EMBASE , Expanded Serial , Google Scholar and Summon by Academic Solutions . 1 +The reserve contains interesting flora , excellent lichen and moss communities and a wealth of invertebrates . The reserve contains an outstanding flora , interesting lichen and moss communities and a wealth of invertebrates . 0 +Peter Evatt was an Olympic rower , who became 1953 national sculling champion and represented Australia in rowing at the 1956 Olympic Games in Melbourne . Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the 1956 Olympic Games in Melbourne . 0 +The Stiniș River is a tributary of the Olt River in Romania . The Olt River is a tributary of the Stini River in Romania . 0 +He followed in 1995 -- 2003 Jenny McGhee Edwards , from 2003 -- 2007 Larry Kearney and from 2007 -- 2015 Elic Senter . He was followed in office by Jenny McGhee Edwards from 1995 -- 2003 , Larry Kearney from 2003 -- 2007 and Elic Senter from 2007 -- 2015 . 1 +Turbonilla garthi has a species of sea snail , a marine gastropod mollusk in the family Pyramidellidae , the pyrams and their allies . It is the genus Turbonilla . Turbonilla garthi has a species of sea snail , a marine gastropod mollusk in the Pyramidellidae family , the Pyrams and their allies It is the class Turbonilla . 1 +During the second year , students will have more advanced lectures in visual science and will spend time learning and perfecting clinical techniques . During the second year , students will have advanced lectures in clinical science and will spend time learning and perfecting visual processes . 0 +North Durham County Prison Camp , also known as Durham County Tuberculosis Sanatorium , is a historic prison Ad Sanatorium in Durham , Durham County , North Carolina away . North Durham County Prison Camp , also known as Durham County Tuberculosis Sanatorium , is a historic prison ad sanatorium located at Durham , Durham County , North Carolina . 1 +Scurria viridula is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . Scurria viridula is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . 1 +Norton Township was originally called the Sumner Township and was founded under the latter name in 1858 . Sumner Township was originally called Norton Township and under the latter name was organized in 1858 . 0 +Often these plots were retired ; so , a one-storey bungalow was quite practical , particularly for large people . Often these plots were retired , so that a one-storey bungalow , especially for large people , was quite practical . 1 +The 1990 PBA season was the 16th PBA ( Philippine Basketball Association ) season . The PBA season of 1990 was the 16th season of the Philippine Basketball Association ( PBA ) . 1 +The outer bark is black until reddish brown , while the inner bark is dark brown to pink . The outer bark is black to dark brown , while the inner bark is reddish-brown to pink . 0 +The 2003 Rose Revolution replaced Georgian President Mikheil Saakashvili with Eduard Shevardnadze , who has promoted closer ties with western institutions including NATO . The Rose Revolution of 2003 replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer relations with Western institutions , including NATO . 0 +The Sadrist movement left the Alliance before the December 2005 elections , which also brought the Iraqi National Congress firmly to the Alliance . The Iraqi National Congress left the alliance prior to the December 2005 elections , which also brought the Sadrist Movement more firmly into the Alliance . 0 +The school was founded in Australia and subsequently pioneered in 1903 in Ireland . The school was founded in Australia and then pioneered in Ireland in 1903 . 1 +Gandini was born on 19 May 1906 in Venice to Ernesto Gandini and Diomira Di Centa of Parma . Gandini was born in Parma on 19 May 1906 to Ernesto Gandini and Diomira Di Centa of Venice . 0 +Despite their fearsome and vicious appearance , the Aprahanti are an extremely attractive , delicate species . Despite their fearsome and malignant appearance , the Aprahanti are an extremely attractive , delicate species . 1 +Glasson won 19 times Australian championships , including nine national hall championships . Glasson won national hall championships , including nine Australian championships , 19 times . 0 +Lynn Lynn Baggett has also represented several Hollywood actors , including Cooper for Murder , Joan Bennett and Shirley Temple in her divorce from John Agar . Lynn Baggett has also represented several Hollywood actors , including Cooper for homicide , Joan Bennett , and Shirley Temple in her divorce from John Agar . 1 +This victory repeated in an Opel Astra in 2003 this victory with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . This victory repeated in an Opel Astra in 2003 with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann this victory . 1 +"In 1994 , the Polish ambassador to South Africa , Mr Durrant , presented the "" Warsaw Cross of Insurrection to SCieniuch 's widow ." "In 1994 , the Polish ambassador to South Africa , Mr Scieniuch , presented the "" Warsaw Cross of Insurrection to Durrant 's widow ." 0 +The Appalachian Trail , a National Scenic Trail from Maine to Georgia , crosses Franconia Ridge , including Little Haystack . The Appalachian Trail , a National Scenic Trail from Maine to Georgia , traverses Franconia Ridge , including Little Haystack . 1 +In the midst of the memory flashback Dr. Briggs makes enough sounds to attract Dr. Krane . In the midst of the memory flashback , Dr. Briggs makes enough noise to attract Dr. Krane . 1 +Winter has a dry climate , the hottest in October and November and most likely in April and May wet . The Conservatory has a wet climate , the hottest in October and November and most likely to be dry in April and May . 0 +"In October 1923 , Spencer began renting Henry Lamb 's studio in Hampstead where he started work on "" The Resurrection , Cookham "" ." "In October 1923 , Spencer began renting Henry Lamb 's studio in Hampstead , where he worked on "" The Resurrection , Cookham "" ." 1 +In October 1560 , he secretly met with the English ambassador , Nicolas Throckmorton , in Paris , and asked him for a passport to return to England through Scotland . In Paris in October 1560 , he secretly met the English ambassador , Nicolas Throckmorton , asking him for a passport to return to Scotland through England . 0 +The T helper cells also activate B cells , which are then located in the presence of these antigens , causing the production of autoantibodies . The T helper cells also activate B cells , which are then in the presence of these antigens , causing the production of autoantibodies . 1 +Most municipalities are located on the islands of the Sulu sea , two of them , Mapun and the Turtle Islands , located in the Sulu archipelago . Most of the municipalities are located on the islands of the Sulu archipelago , two of them , Mapun and the turtle islands , are in the Sulu sea . 0 +The album was produced by Rafael Gayol and introduced with contributions by Billy Harvey and the Tosca String Quartet . The album was produced by Billy Harvey and contributed by Rafael Gayol and the Tosca String Quartet . 0 +She was temporarily involved with the author Alexander Roda Roda , who also integrated the experience in his writing . She was also engaged with the author Alexander Roda Roda , who temporarily integrated the experience in his writing . 0 +Rapper Eminem mentions Dee Barnes in his song Guilty Conscience , in which Dr. Dre is featured . Rapper Eminem mentions Dee Barnes in his song Guilty Conscience , in which Dr. Dre is heard . 1 +The first fiduciaries were David Limond Murdoch , Arthur Mielziner Myers ( chairman ) , Robert Hall and Alfred Seymour Bankart . The first trustees were David Limond Murdoch , Arthur Mielziner Myers ( chairman ) , Robert Hall and Alfred Seymour Bankart . 1 +"So , based on the A3 , the "" A3L "" type developed from aluminum was built ." "Based on the A3 , the type "" A3L "" was developed from aluminum ." 0 +In 2015 , SpikeTV announced George X and Manny Rodriguez as the SAP Spanish commentators for Premier Boxing Champions on Spike TV . In 2015 , SpikeTV George X and Manny Rodriguez announced SAP Spanish commentators on Premier Boxing Champions on Spike TV . 1 +In early 1999 , he was instrumental in removing then Opposition Leader John Brumby and electing his successor Steve Bracks . In early 1999 , he was instrumental in removing the then opposition leader , Steve Bracks , and electing his successor , John Brumby . 0 +Miechucino is a non-operational PKP railway station in Pomeranian Voivodeship ( Miechucino ) , Poland . Miechucino is a non-operational PKP railway station in the Pomeranian Voivodeship ( Miechucino ) , Poland . 1 +When the Clifton Bridge was built in 1866 , the ferry became popular with the users of Portishead Railway Station . When the Portishead Railway was built in 1866 , the ferry became popular with Clifton Bridge train station users . 0 +In 1913 , Lepel had lost its strategic and economic importance and was a quiet regional center . By 1913 Lepel had lost its strategic and economic importance and was a quiet regional town center . 1 +Chevrolet Performance LSX376 crate engines are updated versions of LSX crate engine family designed to support up to 1,000 horsepower . All models use Chevrolet Performance LSX Bowtie block . Chevrolet Performance LSX376 crates - Engines use updated versions of the LSX box - engine family designed to support up to 1,000 horsepower . All models are Chevrolet Performance LSX Bowtie Block . 1 +Syed Zainuddin was married to the daughter of Qazi Ghulam Murtaza of Tijara with Ummatullah . Syed Zainuddin was married to Ummatullah daughter of Qazi Ghulam Murtaza of Tijara . 1 +"Panthro is renamed in the German version in "" Pantro "" , in the French "" Pantor "" and in the Spanish "" Pantéro "" ." "Panthro is renamed "" Pantro "" in the German version , "" Pantor "" in the French version , and "" Pantéro "" in the Spanish version ." 1 +Song Pha was now connected by the once broken Da Lat -- Thap Cham Railway to the Vietnamese railway network . Song Pha was once connected to the Vietnamese railway network by the now-defunct Da Lat -- Thap Cham Railway . 0 +The conclusions are that , we are all manifest ideas of the one perfect spiritual Mind , and divine Spirit , not a material body . The conclusions are that we are all manifestations of one perfect spiritual spirit and of the divine mind , not a material body . 1 +Euacidalia brownsvillea is a moth of the family Geometridae . It is found in North America , including Texas as well as Hawaii . Euacidalia brownsvillea is a moth of the Geometridae family that is found in North America , including Texas as well as Hawaii . 1 +""" Oliver Twist "" , published in 1838 , became one of Dickens ' better known stories and was the first Victorian novel with a child protagonist ." """ Oliver Twist "" , published in 1838 , was one of Dickens ' best-known stories and became the first Victorian novel with a child protagonist ." 1 +"Ulrika Liljegren , Sofia , married , surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Finnish - Swedish soprano ." "Sofia Ulrika Liljegren , married surname "" Uttini "" , ( 1765 -- December 6 , 1795 ) , was a Swedish-Finnish soprano ." 0 +The route was acquired 450 in 1997 and renumbered by the Punchbowl Bus Company the following year . The route was renumbered in 1997 in 450 and the following year it was acquired by the Punchbowl Bus Company . 0 +Pretty boys and girls will come to the New Land School of Arts and already known people will have to deal with complicated and funny situations . Pretty boys and girls will come to the New Land School of Arts , and already well-known people will have to deal with complicated and funny situations . 1 +The co-founders and Co-Artistic Directors are Sean Derry and Jaysen Mercer , Alanna Romansky is Co - Founder and Managing Director . The co-founders and Co - Artistic Directors are Sean Derry and Alanna Romansky , Jaysen Mercer is Co-Founder and Managing Director . 0 +The included special songs have changed over the years as old songs have been removed and new ones have been added . The included special songs have changed over the years as new songs have been added and old ones have been removed . 0 +In 2012 , the airline carried 57,500 passengers per month to 15 international targets and 90,000 passengers on domestic routes ( about 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers per month to 15 domestic targets and 90,000 passengers on international routes ( around 1.77 million passengers per year ) . 0 +It is located about five miles northwest of Jerseyville and about seven miles southeast of Godfrey along the US Highway 67 . It is about five miles southeast of Jerseyville and about seven miles northwest of Godfrey along the US Highway 67 . 0 +After writing for Ace Publications , Rudy Ner Siongco moved to Pablos Gold Star Publications , where in 1962 he also wrote several comic stories and serialized novels . After writing for Ace Publications , Pablo moved to Gold Star Publications by Rudy Ner Siongco , where he also wrote several comic stories and serialized novels in 1962 . 0 +"The Allmusic review by Michael Erlewine distinguished the album with 4 ½ stars and stated : "" Another excellent album with Sonny Clark and pianist Green "" ." "The Allmusic - Review by Michael Erlewine awarded the album with 4 ½ stars and noted : "" Another excellent album with green and pianist Sonny Clark "" ." 0 +The Marquis was a Japanese field marshal and leading figure in the early Japanese imperial army . Field Marshal The Marquis was a Japanese field marshal and leading figure in the early Imperial Japanese Army . 1 +From 1976 to 1979 , he was also employed as a regional CBS - NFL and CBS - NBA announcer at CBS Sports , after which he joined NBC . He was also employed by NBC as a regional CBS NFL and CBS NBA announcer from 1976 to 1979 , after which he changed to CBS Sports . 0 +"Eduardo Rivadavia of "" AllMusic "" called "" Restless and Wild "" with 4.5 of 5 stars and praised it as "" creative breakthrough "" ." "Eduardo Rivadavia of "" AllMusic "" praised "" Restless and Wild "" with 4.5 of 5 stars and called it the "" creative breakthrough "" ." 0 +Note : the votes were cast on 20 January , but both chambers met on 21 January in a joint meeting to declare nominations and to compare the result . Note : The votes were cast on January 20 , but both Houses met in a joint session on January 21 to compare nominations , and declare the result . 0 +Ortacami is a village connected to the Giresun district in the province of Tirebolu . Ortacami is a village connected to the district Tirebolu of the province of Giresun . 0 +Janzur is known as the birthplace of Omar Mukhtar , the Italian resistance leader during the Libyan rule . Janzur is known as the birthplace of Omar Mukhtar , the Italian resistance leader during Libyan rule . 1 +Fotbal Club Forex Braşov was a Romanian professional football club from Braşov , Romania , founded in October 2002 and dissolved in 2011 . Fotbal Club Forex Braşov was a Romanian professional club from Braşov , Romania , who was founded in October 2002 and was dissolved in 2011 . 1 +The city is located northeast of Gaza City and the Mediterranean Sea , west of Amman , Jordan , southeast of Tel Aviv , Israel and south of Jerusalem . The city is located to the south of Gaza City and the Mediterranean Sea , northeast of Amman , Jordan , southeast of Tel Aviv , Israel and west of Jerusalem . 0 +Finally , we say that if Formula 11 is regular , a distribution is concave . Finally , we say that a distribution is regular if formula _ 11 is concave . 0 +In 2012 , Maggie Gee was appointed Professor of Creative Writing at Bath Spa University where she shares an office with Professor Weldon . In 2012 , Maggie Gee became professor of creative writing at Bath Spa University , where she shares with Professor Weldon an office . 1 +In August 2017 , Glassman announced an exploratory campaign for the 2018 Arizona Corporation Commission race as a member of the Republican Party . In August 2017 , as a member of the Arizona Corporation Commission , Glassman announced an exploratory campaign for the 2018 race of the Republican Party . 0 +"Hyman ( 2001 ) said Mayer , "" wrote the definitive work on loyalty tests throughout American history ." "Mayer ( 2001 ) says Hyman , "" wrote the definitive work on loyalty tests throughout American history . """ 0 +A mechanical control valve actuator converts energy ( typically in the form of compressed air ) into pneumatic motion . A mechanical control valve actuator transforms energy ( typically in the form of compressed air ) into pneumatic motion . 1 +In 1937 Carla Spletter married Dr Peter Bischoff , who had won a gold medal in sailing at the 1936 Olympic Games . In 1937 , Peter Bischoff married Dr. Carla Spletter , who had won a gold medal in sailing at the Olympic Games in 1936 . 0 +"In October 1989 , Freud performed in the same theatre 's "" Nuts ( Homage to Langland ) "" ." "In October 1989 , Freud performed at the same theatre in "" Nuts ( Homage to Langland ) "" ." 1 +Muscles that begin in the forearm send long tendons to their fingers , and these tendons attach to these bones at different points . Muscles that begin in the forearm send long tendons to the fingers and these tendons attach at different points on these bones . 1 +Guillermo Vilas won in the final 4 -- 6 , 6 -- 3 , 6 -- 1 , 7 -- 6 against Vitas Gerulaitis . Guillermo Vilas won against Vitas Gerulaitis in the finals 4 -- 6 , 6 -- 3 , 6 - 1 , 7 -- 6 . 1 +Other visitors of the colony were the writer Adolf Wolff and the sculptor Alfred Kreymborg . Other visitors of the colony were the writer Alfred Kreymborg and the sculptor Adolf Wolff . 0 +Polokce is a village in Novi Pazar municipality in Serbia . Polokce is a village situated in Novi Pazar municipality in Serbia . 1 +""" Always and Forever "" , written by Debi Gliori and illustrated by Alan Durant , was shortlisted for the Kate Greenaway Medal in 2003 ." """ Always and Forever "" , written by Debi Gliori and illustrated by Alan Durant , was nominated in 2003 for the Kate Greenaway Medal ." 1 +The album was announced on April 30 as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31 . The album was announced on April 30th as a limited edition , untitled album with hand drawn covers and signed by Buckethead himself to be released on May 31 . 1 +Shivachevo is a small town in the Sliven Province located on the southern eastern slopes of the Balkan Mountains in central Bulgaria . Shivachevo is a small town in the province of Sliven , on the southern slopes of the Balkan Mountains in Central Eastern Bulgaria . 0 +Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda ( German : Memelland ) , Šilutė in a German Prussian Lithuanian or Memelland family . Borchers was born in Šilutė ( German : Heydekrug ) , Region Klaipėda ( German : Memelland ) , Lithuania in a German Prussian Lithuanian or Memellander family . 0 +Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in the province of Puntarenas , Costa Rica . Puerto Jiménez Airport is an airport that serves Puerto Jiménez , the second district of Golfito Canton in the province of Puntarenas , Costa Rica . 0 +Caroline Hedwall won the individual championship of NCAA Division I under new trainer Annie Young in 2010 . Caroline Hedwall won the NCAA Division I individual championship in 2010 under new coach Annie Young . 1 +Wolff rejected Impressionism , although he occasionally praised individual works from this school . Wolff opposed Impressionism , although occasionally he praised individual works from this school . 1 +Bhainsana is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil . Bhainsana is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . 0 +The Catalina 30 is a series of American sailboats , that were designed by Gerry Douglas and later by Frank Butler . The Catalina 30 is a series of American sailboats designed by Gerry Douglas and later by Frank Butler . 1 +The leaves are generally 1.5-4 mm long and 0.2-0.7 mm wide . The leaves are generally 1,5-4 mm wide and 0.2-0.7 mm long . 0 +"In 2015 , Sixto Rodriguez and Stephen "" Sugar "" Segerman "" Sugar Man published : The Life , Death and Resurrection of Craig Bartholomew Strydom "" ." "In 2015 , Sixto Rodriguez and Stephen "" Sugar "" Segerman published "" Sugar Man : The Life , Death and Resurrection of Craig Bartholomew Strydom "" ." 1 +Simon Skelton won 9-4 , 9-5 against Darren Burnett in the finals . Darren Burnett won against Simon Skelton in the last 9-4 , 9-5 . 0 +Initially , Drummond worked hard to build his farm , but this was increasingly taken over later by his sons Thomas and James . Initially Drummond worked hard to establish his farm , but later this was increasingly taken over by his sons Thomas and James . 0 +HomeAdvisor currently employs a Chief Economist , Dan DiClerico and Smart Home Strategist and Home Expert , Brad Hunter . HomeAdvisor currently employs a chief economist , Brad Hunter , and a Smart Home Strategist and Home Expert , Dan DiClerico . 0 +In June 2007 , drummer Ben Timony left the band and was replaced by Wayne Bennett . Drummer Wayne Bennett left the band in June 2007 and was replaced by Ben Timony . 0 +In 1867 , he was elected to the Canadian House of Commons for the Norfolk North riding of Ontario . In 1867 he was elected to the Canadian House of Commons for Ontario Riding of Norfolk North . 0 +The Pearl River is actually two alluvial deltas , separated by the core branch of the Pearl River Delta . The Pearl River is actually two alluvial deltas , which are separated by the core branch of the Pearl River Delta . 1 +In September 2003 , Jens Bisky ( a German literary editor ) identified the anonymous author as journalist Marta Hillers , who died in 2001 . In September 2003 , Jens Bisky ( a German literary editor ) identified the anonymous author as journalist Marta Hillers , who had died in 2001 . 1 +The tiny institutions they founded would not have seemed to them like universities -- they were small and did not offer the higher degrees in medicine and theology . The tiny institutions they founded would not have appeared to them like universities -- they were small and did not offer the higher qualifications in medicine and theology . 1 +Originally collected in 1879 from specimens described in New Zealand as pests of kangaroo acacia , it is now found worldwide where citrus crops are grown . Originally collected in 1879 by specimens described in New Zealand as pests of kangaroo acacia , it is now found worldwide where citrus fruits are grown . 1 +On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar and Luis Rivera to the Braves for B. J. Surhoff . On July 31 , Molina was traded with Trenidad Hubbard , Fernando Lunar , and Luis Rivera for the Braves for B. J. Surhoff . 1 +Following the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 , Crisp was retained as a line coach . Crisp was again retained as line coach after the resignation of Jennings B. Whitworth and the hiring of Drew in December 1954 . 1 +The Soviet Union maintained an embassy in Moscow and a consulate in Barentsburg , while Norway maintained a message in Oslo . The Soviet Union maintained an embassy in Oslo and a consulate in Barentsburg , while Norway maintained an embassy in Moscow . 0 +It is located in the central part of the Warren Township in Belmont County and is part of Wheeling , West Virginia Metropolitan Statistical Area . It is located in the central portion of Warren Township in Belmont County and is part of the Wheeling , West Virginia Metropolitan Statistical Area . 1 +On 28 April 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially announced as resolved . On April 28 , 2011 , the dispute between DSP Entertainment and Kara 's 3 members was officially announced as resolved . 1 +The main campus of the university is located in Antakya area , north of Serinyol . The main campus of the university is located in the Antakya area , north of Serinyol . 1 +"He is also the second cousin of Lauren Waters , playing in "" Britannia High "" Georgina Hagen ." "He is also the second cousin of Georgina Hagen that played Lauren Waters in "" Britannia High "" ." 0 +Bergamo railway station is connected with regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . Bergamo railway station is connected to Milan , Lecco , Cremona , Treviglio , Brescia and Monza with regional trains operated by Trenord . 1 +His grandson , Edward , was elected for Grenville in the 11th Parliament of Upper Canada . For Edward , his grandson , Grenville , was elected to the 11th Parliament of Upper Canada . 0 +In bioinformatics , short indexes of the sequence assembly of inverted fragments of sequenced DNA are very important . In bioinformatics , inverted indices in the sequence assembly of short fragments of sequenced DNA are very important . 0 +Riverton was a parliamentary electorate in the New Zealand region of Southland . Riverton was a parliamentary electorate in the New Zealand region of Southland . 0 +"William Adams died as "" William "" in Brooklyn , NY on 5 December 1895 ." "On December 5 , 1895 , William William died as "" William Adams "" in Brooklyn , NY ." 0 +In 1974 it became a municipality of the third category and in 1979 a first-class municipality . In 1974 it became a municipality of the third category and in 1979 a first-class community . 0 +This is due to the reduction of nicotine transmission in a nucleus and increased excitability in the motor neurons caused by an excitatory synaptic activation . This is due to the reduction of excitatory synaptic transmission in a nucleus and increased excitability in motor neurons caused by nicotinic activation . 0 +"This letter states that count Dirk II of Holland granted the church of "" Foranholte "" ( the old name of Voorhout ) to the Egmond Abbey ." "This letter notes that Count Dirk II of Holland granted the church "" Foranholte "" ( the old name of Voorhout ) to Egmond Abbey ." 1 +The Hartford High School was founded in 1857 , shortly after the city of Hartford was established . Hartford High School was founded in 1857 , shortly after The City of Hartford was established . 0 +Rockets are built by the FAP 3232 with a re-loaded-in crane . Rockets are built by the FAP 3232 with a transhipment crane . 1 +It features a legendary 1814 spin on fresh artists from Johnny Cash , Ring of fire to UB40 , Picture on the wall . It offers a fresh 1814 spin on legendary artists from Johnny Cash , Ring of Fire to UB40 , image on the wall . 0 +The interrogative pronouns , as shown by Kroeker , are reported below : The interrogative pronouns reported by Kroeker are shown below : 0 +He studied in Regensburg , then in Munich , where Joseph Haas was among his teachers , and in Berlin , where he received a doctorate in 1925 . He studied in Berlin , then in Regensburg , where Joseph Haas was among his teachers , and in Munich where in 1925 he gained a Ph.D . 0 +Captain Saddam Haftar and Captain Khalid Haftar are officers of the Libyan National Army , while Al-Sadiq Haftar is also in Libya . Captain Khalid Haftar and Captain Saddam Haftar are officers in the Libyan National Army , while Al-Sadiq Haftar is also in Libya . 1 +The following books were either written by Prior or are unpublished collections of periodical articles and posthumous papers he wrote : The following books were either written by Prior , or are posthumous collections of journal articles and unpublished papers that he wrote : 0 +Holsman gave the Parkway Garden Homes a Modernist design inspired by European housing projects of the 1920s and 1930s . Holsman granted the Parkway Garden Homes a modernist design inspired by European housing projects of the 1920s and 1930s . 1 +The Vânăta river is a tributary of the River Milotina in Romania . The River Milotina is a tributary of the river Vânăta in Romania . 0 +In 1946 , Ralph Peterson married the writer Joel Patterson and her son Lucas ( 1957 -- 2017 ) became a cinematographer . In 1946 , Lucas married the writer Ralph Peterson and her son , Joel Patterson ( 1957 - 2017 ) , became a cinematographer . 0 +William Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of John Franklin Armstrong and Mary W. I. Monroe . William William Armstrong was born on November 14 , 1819 in Lincoln County , Tennessee , the son of John Franklin Armstrong and Mary W. I. Monroe . 1 +He also visited the nearby Chinatown and often friended with Reverend Ng Poon Chew , a local Chinese missionary friend of his parents . He often visited nearby Chinatown and also befriended the Reverend Ng Poon Chew , a local Chinese missionary friend of his parents . 0 +On June 14 , Jackson served in a duel on behalf of his junior officer Jesse Benton as the second against William Carroll , the brother of Thomas . On 14 June , Jackson served in a duel on behalf of his junior officer William Carroll as second against Jesse Benton , the brother of Thomas . 0 +In 1828 , Laetitia Snyder married Yeoman of Albany , with whom he had two daughters and three sons . Laetitia Snyder married Yeomans of Albany in 1828 , with whom he had two daughters and three sons . 1 +Miloslav Mečíř won in the final 6 -- 0 , 3 -- 6 , 6 -- 2 , 6 -- 2 against John McEnroe . John McEnroe won against Miloslav Mečíř in the final with 6 : 0 , 3 -- 6 , 6 - 2 , 6 - 2 . 0 +On 31 March 2012 , Frank Martin was announced as chief coach after Bruce Weber left for South Carolina . On March 31 , 2012 , Bruce Weber was announced as head coach after Frank Martin left for South Carolina . 0 +Jones was the oldest son of Theophilus Jones ( 1729 -- 1811 ) , Jones was the oldest son of Theophilus Jones ( 1729 - 1811 ) . 1 +It heard the cases in civil law , criminal law , and cases involving the conflict of jurisdiction between the military , police and civil courts . It heard about cases in criminal law , civil law and cases involving the conflict of competences between the military , police and civil courts . 1 +The South / Kazai government was supported by another new mining company , which received concessions from the Belgian state in exchange for financial support . The South / Kazai government was supported by another Belgian mining company , which received concessions from the new state in return for financial support . 0 +He was subsequently imprisoned for gambling and once enjoyed the affair with pride . He was once imprisoned for gambling and subsequently enjoyed the affair with pride . 0 +"Carter played the role of Ryan Little in Corey 's film "" House of Fears "" of 2007 ." "Corey played the role of carter in Ryan Little 's film "" House of Fears "" in 2007 ." 0 +Some have negative and some positive effects . Some have positive and some negative effects . 1 +Grossman was injured later in the season , however , and temporarily relieved of Griese . However , Griese was temporarily injured in the season and later relieved of Grossman . 0 +Fritz August Hoenig ( 1848 -- 1902 ) was a German officer and a military writer . Fritz August Hoenig ( 1848 -- 1902 ) was a German military writer and officer . 1 +The new negative is printed and tested again . The new negative is tested and again is printed . 0 +He played for the Chicago Cubs for ten games during the 1991 Kansas City Royals season and four games during the 1992 Kansas City Royals season . He played for the Chicago Cubs for ten games in the 1991 season Kansas City Royals and four matches during the 1992 season in Kansas City Royals . 1 +Reed received the Conspicuous Gallantry Medal , while Magennis and Fraser were both awarded the Victoria Cross and Smith was promoted temporarily to Lieutenant in December 1945 . Reed received the Conspicuous Gallantry Medal , while Magennis and Fraser were both awarded the Victoria Cross . Smith was promoted to temporary lieutenant in December 1945 . 1 +According to Pliny the Elder , the Emperor Augustus was sufficiently embarrassed by the history of Greek plunder of Roman art to return some pieces to their original homes . According to Pliny the Elder , Emperor Augustus was so embarrassed enough by the history of the Roman plundering of Greek art to return some pieces to their original homes . 0 +In January 1938 , he became head of the 64th department and chief of staff of the 2nd Manghud Border Detachment . In January 1938 , he became the head of the second department and chief of staff of the 64th Manghud Border Detachment . 0 +He was educated in Dresden , and later in Leipzig until 1865 , and after a short residence in Weimar with Franz Liszt went to New York in 1869 . He was trained in Dresden , later until 1865 in Leipzig , and went to New York after a short stay in Weimar with Franz Liszt in 1869 . 1 +The game was mainly poorly received . The game was mainly received poorly . 1 +Only the sara of the South was effectively governed , the French presence in the Islamic North and East was nominal . Only the sara of the south was governed effectively , the nominal presence in the French north and east was Islamic . 0 +Janet Lloyd married Ayliffe in 1963 and they had two children . In 1963 , Janet married Lloyd Ayliffe and had two children . 0 +Other invitations followed and more Sisters arrived for a hospital in Iloilo , schools in Vigan , Tuguegarao , and Manila , and a Leprosarium in Culion . Other invitations followed and more sisters arrived for a hospital in Culion , schools in Vigan , Tuguegarao and Manila and a leprosary in Iloilo . 0 +Anton Egon ranked as an imperial prince above the traditional noblemen , whose local privileges he tried to curtail . As an Imperial prince , Anton Egon ranked above the traditional nobles , whose local privileges he tried to curtail . 1 +The Seolemai River is a tributary of the Sic River in Romania . The river Seolemai is a tributary of the River Sic in Romania . 1 +"There are a number of remarkable works in the Australian literature that Muslims discuss during the "" Afghan period "" ( 1860-1900 ) ." "There are a number of notable works in Australian literature that discuss the Muslims during the "" Afghan period "" ( 1860-1900 ) ." 1 +"It was published by ( Spreng . ) K.Schum , and described in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , in 1888 ." "It was published by ( Spreng . ) K.Schum and described in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , 1888 ." 1 +Due to the non-commutative nature of quantum mechanics , the training process of the quantum Boltzmann machine can become nontrivial . Due to the non-commutative nature of quantum mechanics , the training process of the quantum machine - Boltzmann - machine can become non-trivial . 1 +A non-democratic autocracy is a liberal government that follows the principles of liberalism . The liberal autocracy is a non-democratic government that follows the principles of liberalism . 0 +In 1976 , Peraza was Miss Venezuela , but she resigned on May 24 , 1976 because she married two days after her crowning . Peraza was Miss Venezuela 1976 , but she married on May 24 , 1976 , because she resigned two days after her coronation . 0 +His son , Herbie Matthews , also won a Brownlow Medal and his grandson of the same name later played with South Melbourne . His son , Herbie Matthews , later won a Brownlow medal and his grandson of the same name was also playing with South Melbourne . 0 +Polish gradually replaced German , since the Baltic - German language and the establishment of voivodeships reduced the administrative administration . The Polish gradually replaced German , as the administrative language and the establishment of voivodeships reduced the Baltic - German administration . 0 +Sasol , in South Africa , operates commercial gasification plants in Secunda , Mpumalanga and in Sasolburg . In South Africa , Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg . 1 +Conn Smythe , the founder of Toronto Maple Leafs , team owner Harold Ballard and Wrestler Whipper Billy Watson , helped Rumball raise the $ 7.6 million to open the center . Toronto Maple Leafs founder Conn Smythe , team owner Harold Ballard and wrestler Whipper Billy Watson helped Rumball to raise the $ 7.6 million to open the centre . 1 +The team was founded in 2013 , played their final season in 2014 and played their first season in 2016 . The team was established in 2013 , played their final season in 2014 and played their first season in 2016 . 1 +She won Democrats 64-35 , but lost Sanders 66-33 to the Independents . She won Democrats 64-35 , but lost Sanders 66-33 to Independents . 1 +Wulffius fled with her son to Germany , where she lived until she came to Australia in 1953 . Wulffius came with her son to Germany , where she lived in Australia until she fled in 1953 . 0 +On the channel , several sporting events are broadcast in HD , such as the Danish Superliga , UEFA Champions League , Formula One and NFL . Several sporting events are broadcast on the channel in HD , e.g . NFL , UEFA Champions League , Formula One and Danish Superliga . 1 +"In 2017 , a book of straight photography was published in LA in the early 1970s "" people in cars "" ." "In 2017 , a book of straight photography , published in LA in the early 1970 ’ s , was made "" People in Cars "" ." 0 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto from 1709 by Caldara for Apostolo Zeno . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi to a revised edition of a 1709 libretto by Caldara for Apostolo Zeno . 1 +Governor Peter Obi of the state of Anambra described Udoji 's death as a great loss to the nation . Governor Peter Obi of Anambra State described Udoji 's death as a great loss the nation . 1 +The lyrics were rearranged by the Lebanese singer Majida El Roumi and music was written by Kadim Al Sahir . The texts were rearranged by the Lebanese singer Majida El Roumi and music by Kadim Al Sahir was written . 1 +Glitting - Whittington , Gloucestershire is a village and rural town in the county of Gloucestershire in England , United Kingdom . Whittington , England , United Kingdom is a village and rural municipality in the county of Gloucestershire in Gloucestershire . 0 +Holtwood , Pennsylvania is a village in the Martic Township , Lancaster County , in the US state of Pennsylvania . Holtwood , Pennsylvania is a village in Martic Township , Lancaster County , in the U.S. state of Pennsylvania . 1 +The route was renumbered in 1997 in 450 and the following year it was acquired by the Punchbowl Bus Company . The route was renumbered 450 in 1997 and acquired by the Punchbowl Bus Company the following year . 1 +It is playing James Craig stars and was written by Devon and Richard Devon . It stars Richard Devon and was written by Devon and James Craig . 0 +Billie Jean King defeats Ann Jones , 6 -- 3 , 6 -- 4 Ann Jones defeated Billie Jean King , 6 -- 3 , 6 -- 4 . 0 +Helena Township is a civil township of Antrim County in the U.S. state of Michigan . Helena Township is a civil community of Antrim County in the U.S. state of Michigan . 1 +Team spirit evaporates while disagreements lead the group to separate into factions -- a violent one led by an Andreas , and a compassionate , led by a slim . Team spirit evaporates as disagreements cause the group to separate into factions -- a violent one lead by an Andreas , and a compassionate one led by a Slim . 1 +Oli Müller left the band as a bassist in the live performances , and Adi Amstutz supported the band . Oli Müller supported the band as bassist in the live performances , and Adi Amstutz left the band . 0 +This manuscript was presented to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . The manuscript was presented by Nicephorus Glykas , Bishop of Imbro , to Eduard Reuss . 0 +Hamilcar had to send back part of his army to Carthage to reinforce Libya . Hamilcar had to send a part of his army back to Carthage to reinforce Libya . 1 +Many of Friend 's descendants now live in Garrett County , and the Friend Family Association 's headquarters and library are in Friendsville because of this connection . Many of Friend 's descendants live in Garrett County today , and the headquarters and library of the Friend Family Association are in Friendsville because of this connection . 1 +Fanny Pak had five of the new members from the second season and four same members . Fanny Pak had five of the same members from season two and four new members . 0 +Asad Bashir Khan Khattak married businessman Malik on 25 December 2013 in Dubai . Asad Bashir Khan Khattak married businessman Malik in Dubai on 25 December 2013 . 1 +The limbs are well developed and the third back toe is not much longer than the fourth . The limbs are well developed ; the fourth hind toe is not much longer than the third . 0 +In 2010 , Buick launched a new version of the Shanghai GM GL8 Luxury Business Edition . In 2010 , Shanghai GM provided a new version of the Buick GL8 Luxury Business Edition . 0 +The mine is located near Abakan in south Russia in Khakassia . The mine is located near Abakan in South Chakassia in Russia . 0 +Jackson Township is located in the 12th Congressional District and is part of New Jersey 's 4th state legislative district . Jackson Township is located in the 12th Congressional District and is part of the 4th State Legislative District in New Jersey . 1 +In 1900 , Elizabeth married Waller Cowles , and her daughter Harriet was born in 1912 . In 1900 , Cowles married Elizabeth Waller , and her daughter Harriet was born in 1912 . 0 +The basketball team at Idaho State University 2014 -- 15 men represented Idaho State Bengals during the 2014 Basketball season -- 15 NCAA Division I mens . The 2014 -- 15 Idaho State University men 's basketball team represented Idaho State Bengals during the 2014 -- 15 NCAA Division I men 's basketball season . 1 +Clara Louise Bell ( 1886 -- 1978 ) ( also known as Clara Louise Janowsky ) was an American miniature painter . Clara Louise Bell ( known as Clara Louise Janowsky ) ( 1886 - 1978 ) was an American miniature painter . 1 +In 1883 the first schools were built in the surroundings for 400 black and 60 white students . In 1883 , the first schools were built in the vicinity for 400 white and 60 black students . 0 +The Colgate - football team from 1927 represented the Colgate - University in the College - Football - Season of 1927 . The 1927 Colgate University football team represented Colgate in the 1927 college football season . 0 +On 1 July 2004 a Police Authority for the British Transport Police was created . On 1 July 2004 , a British transport police force was created for the police authority . 0 +Seagrave Smith 's trial for first degree murder began , before Judge Harry Hayward , on 21 January 1895 . Seagrave Smith 's trial for first-degree murder began on 21 January 1895 before Judge Harry Hayward . 1 +Gimnasia y Esgrima ( LP ) won 3 -- 2 and stayed in the Primera División . Gimnasia y Esgrima ( LP ) stayed at 3 -- 2 and won in the Primera División . 0 +Coordination type polymers are also stereoregular and can be isotactic or syndiotactic instead of just atactic . Polymers of the type of coordination are also atactic and can be isotactic or syndiotactic instead of just stereoregular . 0 +It can be found from Fennoscandinavia to the Pyrenees , Great Britain and Greece and from Italy to Russia and Ukraine . It is found from Fennoscandinavia to the Pyrenees , Great Britain , and Greece and from Italy to Russia and Ukraine . 1 +Guruzeta 's father , Xabier , was also a footballer . A central defender , he mainly represented Real Sociedad during his career . Also the father of Guruzeta , Xabier , was a footballer , as a central defender he represented mainly Real Sociedad during his career . 1 +The British Jamaican writer , Dub - poet and Rastafari Benjamin Zephaniah described the group of women as British Jamaican writer , dub poet and Rastafarian Benjamin Zephaniah described the group of women as 1 +Contributors include Thurston Moore , Cave , Harry , Lanegan , Race , Iggy Pop and Primal Screen . Contributors include Thurston Moore , Cave , Harry , Lanegan , Race , Iggy Pop and Primal Scream . 1 +It is laterally thick , but medially under the ligament coracoacromialis thinner . It is thick medially , but thinner laterally under the coracoacromial ligament . 0 +During the five days of the journey , he brought some books about Elba which he studied from Fontainebleau . During the five days of the journey he studied some books about Elba , which he brought by Fontainebleau . 0 +Bhati is a census in South District in the state of Delhi , India . Bhati is a census town in South district in the state of Delhi , India . 1 +The game resulted in the National League defeating the American League with 6 -- 5 . The game resulted in the American League defeating the National League 6 -- 5 . 0 +Nicholas Nicholas ( born 1957 ) is a Belgian composer of contemporary music , particularly known for his operas . Nicholas Lens ( born 1957 ) is a contemporary composer of Belgian music , particularly known for his operas . 0 +Eaton is named for William Eaton , a military officer and commander of the United States Revolutionary forces in Tripoli . Eaton is named after William Eaton , a military officer and commander of the Revolutionary Forces of the United States in Tripoli . 1 +Neelankarai is located on Old Mahabalipuram Road ( State Highway 49 ) and is parallel to the Thoraipakkam on OMR ( East Coast Road ) . Neelankarai is located on the East Coast Road ( State Highway 49 ) and is parallel to Thoraipakkam on the OMR ( Old Mahabalipuram Road ) . 0 +She arrived in Cork on June 24 and was in the downs on July 8 . She was in Cork on June 24 and arrived in the downs on July 8 . 0 +Eugene Luening ( sometimes Eugen Luening ) ( 1852 -- 1944 ) was a musician of German origin born in Milwaukee . Eugene Luening ( sometimes Eugen Luening ) ( 1852 -- 1944 ) was a Milwaukee born musician of German descent . 1 +The Wine Museum of Torgiano ( Umbria , Italy ) is a specialized museum , private and completely dedicated to the culture of wine . The Wine Museum of Torgiano ( Umbria , Italy ) is a specialized museum dedicated to the private and whole wine culture . 1 +He was born in Sioux City , Iowa and died in Portland , Oregon . He was born in Sioux City , Iowa , and died in Portland in Oregon . 1 +Abdel-Majid was born in Ago-Iwoye in the Ogun State Local Government of Ijebu North . Abdel-Majid was born in Ago-Iwoye in Ogun State Local Government of Ijebu North . 1 +In 2001 , Sir Frank Williams brought Michael to Williams as Senior Operations Engineer . In 2001 , Sir Frank brought Williams Michael as Senior Operations Engineer to Williams . 0 +Seven days later , Pat Leban and Urh replaced Kastelic Jan Grebenc and Urban Lesjak . Patrik Leban and Urh Kastelic replaced Jan Grebenc and Urban Lesjak seven days later . 0 +Bhilai is located in Chhattisgarh , India at Bhilai Airport . Bhilai Airport is located in Bhilai , Chhattisgarh , India . 0 +He taught physics at a number of universities in England , Lebanon , France , Germany , Italy , and Jordan before joining Birzeit University in 1980 . He taught physics at a number of universities in England , Lebanon , France , Germany , Italy and Jordan before he moved to Birzeit University in 1980 . 1 +Mathematically , ligand efficiency ( LE ) can be defined as the ratio of Gibbs free energy ( ΔG ) to the number of non-hydrogen atoms of the compound : Mathematically , ligand efficiency ( LE ) can be defined as the ratio of gibbs - nonhydrogen energy ( Î G ) to the number of free atoms of the connection . 0 +Soon Erko Elblaus and Karl Kallas were replaced by Rasmus Rändvee and Gertrud Luhaoja . Erko Elblaus and Gertrud Luhaoja were soon replaced by Rasmus Rändvee and Karl Kallas . 0 +This French supported production with John Eliot Gardiner , conductor , and his Orchestra was directed by Jean Louis Martinoty . This French-supported production was directed by Jean Louis Martinoty with John Eliot Gardiner , conductor and his orchestra . 1 +Sasol operates commercial gasification plants in Sasolburg , Secunda , Mpumalanga and South Africa . In South Africa , Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg . 0 +To use the λ parameter that maximizes the probability function for the Poisson population , we can find the logarithm of the probability function . To find the λ parameter that maximizes the probability function for the Poisson population , we can use the log of the probability function : 0 +Borjigin Vanchinbalyn Gularans ( ; 1820-1851 ) was a Mongolian poet , and the elder brother of the famous poet , novelist and translator Vanchinbalyn Injinash . Borjigin Vanchinbalyn Gularans ( 1820-1851 ) was a famous poet and elder brother of the Mongolian poet , writer and translator Vanchinbalyn Injinash . 0 +The Old Harbour Bay celebrated on 13 May the arrival of the East Indians in Jamaica . Old Harbour Bay has always celebrated the arrival of the East Indians in Jamaica on 13 May . 1 +Crossing the Overland Trail , mushers follow it north to the Klondike-era Takhini River . Crossing onto the Overland Trail , mushers follow it north to the Klondike-era Takhini River . 1 +Coordination type polymers are also stereoregular and can be isotactic or syndiotactic instead of just atactic . Polymers of the coordination type are also atactic and can be isotactic or syndiotactic instead of stereoregular . 0 +The concordant Greek text forms the basis of the concordant literal New Testament , which is more idiomatic in its English than the hyperliteral Sublinear . The Concordant Greek Text forms the basis of the Concordant hyper New Testament , which is more idiomatic in its English than the literal-Literal sublinear . 0 +The constant power density is determined by the product of the continuous torque density and the continuous torque speed range of the electric machine . The continuous power density is determined by the product from the continuous torque density and the constant torque revolution range of the electric machine . 0 +The Shaunavon headquarters are located in Great Western Railway . Shaunavon 's headquarters are located in the Great Western Railway . 1 +( EL - Successor Conrail sold the old New York main route to Cassville , Susquehanna , and Western Railway in 1982 through Utica , Chenango , and Susquehanna Valley . ) ( EL successor Conrail sold the old Utica , Chenango and Susquehanna Valley main line through Cassville to the New York , Susquehanna and Western Railway in 1982 . ) 0 +Herschel is shot and killed by Walsh if he can not produce the diamonds . When he can not produce the diamonds , Walsh is shot and killed by Herschel . 0 +Foley worked together with Calvin Russell , Townes Van Zandt , Gurf Morlix , Billy Block and Guy Schwartz , amongst others . Foley worked together with Gurf Morlix , Townes Van Zandt , Guy Schwartz , Billy Block and Calvin Russell , amongst others . 1 +Kiss Country plays a mix of modern and older country music , with greater emphasis on current artists . Kiss Country plays a mixture of current and older country music , with the emphasis on modern artists more . 0 +Felicia Cohn Montealegre was born on 3rd March 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica , to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . 0 +The family moved to Tasmania when he was still a child , and then emigrated to New Zealand again in 1864 . The family emigrated to Tasmania when he was still a child , and then moved again to New Zealand in 1864 . 1 +Fersfield is limited to the east and south by the village of Kenninghall , in the west are South Lopham and North Lopham and to the north are Bressingham . Fersfield is bounded on the east and south by the village of Kenninghall ; to the west are South Lopham and North Lopham and to the north Bressingham . 1 +The meetings between teachers and other expats in Panamá continued in 2001 , before a touring team from Bogotá spent a week in the Colombian capital in May of that year . Matches between teachers and other expats in Panamá continued in 2001 , before in May that year a touring team from Bogotá spent a week in the Colombian capital . 1 +"The hyperbolic case is similar , given the area of a disk of the hyperbolic radius "" R "" in the ( intrinsic curvature formula 83 ) constant level by" "The hyperbolic case is similar , with the area of a disk of the intrinsic radius "" R "" in the ( constant curvature formula 83 ) hyperbolic plane given by" 0 +Where codice _ 3 is a type qualifier , which the qualified type of codice _ 27 is codice _ 28 and the unqualified type is codice _ 29 . Where codice 3 is a type qualifier , with the qualified type of codice 27 codice 28 and the unqualified type codice 29 . 1 +In 1961 , he was married to Tamsen Heiman , an American Muslim . Taman Heiman was married to Chamran in 1961 , an American Muslim . 0 +It was first known as Andrew Gilkinson 's corner , named after an inn , built around 1778 and managed by Gilkey ( or Gilkeson ) . It was first known as Andrew Gilkinson 's Corner , named for an inn which was built around 1778 and managed by Gilkey ( or Gilkeson ) . 1 +The station is adjacent to Kintetsu Nagoya Line , the terminal of the Nagoya Railroad , and Kintetsu Nagoya Station , the terminal of the Meitetsu Nagoya Station . The station is located next to Meitetsu Nagoya Station , the terminal of Nagoya Railroad , and the Kintetsu Nagoya Station , the terminal of the Kintetsu Nagoya line . 0 +Dan McGugin did not play in Bob Blake 's first year of 1904 , but resumed game on the 1905 team . Dan McGugin did not play in Bob Blake 's first year of 1904 , but resumed play on the 1905 team . 1 +Her father , Mitchell Melich , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against the democrat Calvin L. Rampton . Her father , Mitchell Melich , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Democrat Calvin L. Rampton . 1 +Born in 1967 in Stockholm , Sweden , grew up in Madrid , Spain , in a trilingual ( English , Spanish and Swedish ) house . Born in 1967 in Madrid , Spain , grew up in Stockholm , Sweden , in a trilingual ( English , Spanish and Swedish ) house . 0 +Simon Brook is the son of the director Peter Brook and actress Natasha Parry , his sister is the actress and author Irina Brook . Simon Brook is the son of fellow director Peter Brook and the actress Natasha Parry . His sister is the actress and writer Irina Brook . 1 +The costal tetra is found around southeastern Brazil and Paraná River basin in yellow rivers . The Costal Tetra is found around southeastern Brazil and Paraná river basins in yellow rivers . 1 +The second method is written when the number of elements in each line is the same and is known at the time of using the program . The second method is written when the number of elements in each row is the same and known at the time the program is used . 1 +In March 1999 , Chris Anderson took over the succession of Wayne Bennett as team coach . Chris Anderson took over from Wayne Bennett as coach of the team in March 1999 . 1 +Neptunea alexeyevi is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the whelks navy . Neptunea alexeyevi is a species of sea snail , a marine gastropod mollusk in the Buccinidae family , the true pustules . 0 +Dedham was named Maine after Dedham , Massachusetts . Dedham , Massachusetts , was named after Dedham , Maine . 0 +Some large excess microwave noise generators use Avalanche diodes to create a commercial noise value that can be turned on and off . Some commercial microwave noise generators use Avalanche diodes to create a large excess noise that can be switched on and off . 0 +A 2001 Broadway revival was directed by Joe Mantello and starred Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . A 2001 Broadway - Revival was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . 1 +In Käru , the politician and entrepreneur Juhan Kukk ( 1885 - 1942 ) and former Archbishop Kuno Pajula ( 1924 - 2012 ) were born . Politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . 0 +Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 -- 6 , 7 -- 6 Tommy Haas defeated Xavier Malisse 6 -- 3 , 3 - 6 , 7 -- 6 . 1 +These terms are often used when showing models in order to indicate their suitability for selling . These terms are often used in selling models to indicate their suitability for showing . 0 +ABC Books has released seven paperbacks - novels , each based on a particular episode and from the perspective of a single character . ABC Books has released seven paperback novels , each based on a single episode and from the perspective of a particular character . 1 +He lives with his wife Mabel and their children Noah and Lucy together . He lives with his wife Lucy and their children , Noah and Mabel . 0 +Its natural habitats are subtropical or tropical moist lowland forests and plantations . Its natural habitats are subtropical or tropical wet lowland forests and plantations . 1 +The classical Lie - Algebras are finite - dimensional Lie - Algebras , which can be classified into four types : Formula 1 and Formula 2 . These types are defined as follows : The classical Lie algebras are finite-dimensional Lie algebras that can be classified into four types : formula _ 1 and formula _ 2 . These types are defined as follows : 1 +Red Bank is located in the 4th Congressional District and is part of the 11th State Legislative District of New Jersey . Red Bank is located on the 11th Congressional District and is part of the 4th State Legislative District in New Jersey . 0 +This scene has been rewritten , although its opening recitative was present in cut form in the first production . This scene was cut , although its opening recitative in rewritten form was present in the first production . 0 +Most of the other common birth countries were China 14.7 % , the Philippines 7.0 % , India 5.1 % , Nepal 2.6 % , and England 1.9 % . The most other common countries of birth were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . 1 +Bullfighting has been seen as intertwined with religion and religious folklore in Spain at a popular level , particularly in the areas where it is most popular . Bullfighting has been associated in Spain as popular with religion and religious folklore at a popular level , particularly in the areas where it is most popular . 1 +He is the second Neuling Senator to be appointed to the Senate Rules Committee and he was a member of the Senate Finance Committee . He is the second freshman senator to be appointed to the Senate Rules Committee and he was a member of the Senate Finance Committee . 1 +Laboratory with 18 electrically operated sewing machines and one manually operated sewing machine . Laboratory with 18 manually operated sewing machines and an electrically operated sewing machine 0 +The Dalton Highway , located on the west side of Coldfoot Airport , consists of a 1220 m long gravel strip . Coldfoot Airport , on the west side of the Dalton Highway , consists of a 4,000-foot ( 1220 m ) gravel strip . 0 +"He invented "" A new geometrical method of measuring the human figure "" ( 1860 ) , and wrote and patented various improvements in boats and weapons ." "He wrote "" A New Geometrical Method of Measuring the Human Figure "" ( 1860 ) , and invented and patented various improvements in boats and guns ." 0 +The experience would have taken me five years to gather in New York , and I was able to accumulate it in six months . I would have taken the experience for five years to gather in New York and I was able to accumulate it in six months . 1 +Freeman played for the Eastern Suburbs club in the 1919 season . Wally is the former-grandfather of great coach Phil Gould . In the 1919 season , he played for the club of the eastern suburbs , Wally is the great-grandfather of former coach Phil Gould . 0 +Eket Airstrip or Eket Airfield is an airport that serves Eket , a city in the Akwa Ibom State of Nigeria . Eket Airstrip or Eket Airfield is an airport serving Eket , a city in the Akwa Ibom State of Nigeria . 1 +It was created by Argonaut Software and distributed by Mindscape Group . It was created by Argonaut software and is distributed by Mindscape Group . 1 +For many years members of the Dave McKay Christians distributed religious literature , much of it written by Jesus . For many years distributed members of Jesus - Christian religious literature , much of it written by Dave McKay . 0 +Surfers often travel to San Lorenzo to find powerful waves ( high regularly ) . Surfers regularly travel to San Lorenzo to find powerful waves ( often head high ) . 1 +When Ibn Tahir decides to return to Alamut and kill Hassan . Hassan decides to return to Alamut and kill Ibn Tahir . 0 +It was also distributed in Japan , the United States ( where it was first banned , then published in a highly cut version ) , England and France . It was also distributed in Japan , the United States ( where it was first banned , then released in a heavily cut version ) , England and France . 1 +""" Come Over "" is the fifth British single and the second U.S. single from Estelle 's second studio album "" Shine "" ( 2008 ) ." """ Come Over "" is the second U.S. single and the second UK single from Estelle 's fifth studio album "" Shine "" ( 2008 ) ." 0 +The school district also consists of traditional and a year-round school which is located at Youngsville Elementary School . The school district also consists of a traditional and a year-round school located at Youngsville Elementary School . 1 +Nikolai Malko wrote his Symphony No . 9 in E minor , Op . 28 , between 1926 and 1927 . It was dedicated to Nikolai Myaskovsky . Between 1926 and 1927 Nikolai Myaskovsky wrote his symphony No . 9 in e - Moll op . 28 , which was dedicated to Nikolai Malko . 0 +The Slavic Soul includes the most traditional , classical and popular music topics from 9 countries . Songs are beautiful , all in new arrangements . The Slavic Soul includes the most traditional , classical and popular music themes from 9 countries . Songs are beautiful , all in new arrangements . 1 +In February 2016 , Souray married the former WWE - professional - wrestler Kelly Kelly , better known as Barbara Blank , who separated in October 2017 . Souray married former WWE wrestler Barbara Blank in February 2016 , better known as Kelly Kelly , and separated in October 2017 . 0 +The original building consisted of the central sandstone courtroom with a vestibule at the front , flanked by two brick wings . The original building consisted of the central sandstone - courtroom with a vestibule on the front , flanked by two brick wings . 1 +In this room are presented a barometer and a built-in scale . This room is built with a barometer and a presented scale . 0 +Two other authors have managed this Hilary Mantel ( 1988 and 2001 ) and Peter Carey ( 2009 and 2012 ) since then . Two other authors have since managed this -- Peter Carey ( in 1988 and 2001 ) and Hilary Mantel ( in 2009 and 2012 ) . 0 +Kalliyankattu Neeli is an Indian Malayalam - horror film dating from 1979 , produced by M. Krishnan Nair and directed by M Mani . Kalliyankattu Neeli is a 1979 Indian Malayalam horror film , produced by M. Krishnan Nair and directed by M Mani . 1 +The museum building retains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . The museum building retains its European style of oriental modern architecture through the standing bricks on the southeast corner of the building and the classic image of the foyer . 0 +It can only be found in Australia , where it has been recorded from Queensland and New South Wales . It is found only in New South Wales , where it has been recorded from Queensland and Australia . 0 +This was the 4th season in the MLS for the Philadelphia and the first full year under manager John Hackworth . This was the first full season in the MLS for the Philadelphia and the 4th year under the manager John Hackworth . 0 +Gallagher feels deceived and decides to join Joe 's escape plan . Gallagher feels betrayed and decides to join Joe 's escape plan . 1 +Constantinos Giannaris ( born 1959 in Athens , Constantine Giannaris ) is a Greek director , screenwriter , and actor . Constantine Giannaris , also Constantinos Giannaris ( born 1959 in Athens ) , is a Greek director , screenwriter and actor . 1 +Owobale was born in the Netherlands to a Dutch father and a Nigerian mother . In the Netherlands , Owobale was born into a Dutch father and a Nigerian mother . 1 +Although the two sections in the full text appear in separate issues , Chapter X has also been published separately as a modern book and in collections . Although the two sections appear in full text in modern editions , Chapter X has also been published separately , both as a book of its own and in collections . 0 +It crossed the Atlantic crossing from Brazil to Liberia , then east across Central Africa to Sudan . It transited the Atlantic crossing from Brazil to Liberia , then made east across central Africa to Sudan . 1 +"Whereas "" S "" represents the phylogenetic states , "" D "" corresponds to the observed data and Formula 7 represents both the evolutionary model and the family tree ." "Where "" S "" represents the ancestral states , "" D "" corresponds to the observed data , and formula _ 7 represents both the evolutionary model and the phylogenetic tree ." 0 +Woodridge station is served by all stops Beenleigh line services from Beenleigh to Bowen Hills and Ferny Grove . Bowen Hills and Ferny Grove Station is served from all Beenleigh Line Services stops from Woodridge to Beenleigh . 0 +Faiyaz Ali Khan was to Sir Muhammad Faiz Ali Khan in 1851 . Faiyaz Ali Khan was born in 1851 to Sir Muhammad Faiz Ali Khan . 1 +On those rare individuals which have areas without melanin , feathers are orange to yellow . On those rare individuals who have areas without melanin , feathers are orange to yellow . 1 +New Zealand has similar restrictions in its 2007 Act on Electronic Unsolicited Messages . New Zealand has similar restrictions in its 2007 Act on Unsolicited Electronic Messages . 1 +He played for Beacon FC , Camptown FC and Alpha United and had stints with Notre Dame of Barbados and Caledonia AIA in the T 'T Pro League . He played for Beacon FC , Camptown FC and Caledonia AIA and had stints with Notre Dame of Barbados and Alpha United in the T & T Pro League . 0 +Harry uses Shay 's taxi to get away with the pocket , she opens the bag and finds in it diamonds and money . Shay uses Harry 's taxi to get away with the briefcase . She opens the briefcase and finds diamonds and money in it . 0 +It was followed by MacPaint and a competitor to Silicon Beach Software SuperPaint . It was MacPaint and followed a competitor to Silicon Beach Software 's SuperPaint . 0 +It was based on a novel by Robert Suhosky and turned into a screenplay by James Hardiman . It was based on a novel by James Hardiman and was turned into a screenplay by Robert Suhosky . 0 +He is a cousin of Hollywood actor Philip Green , composer/conductor Nehemiah Persoff ( composer ) and British television presenter Fiona Phillips He is a cousin of Hollywood - actor Nehemiah Persoff , composer / conductor Philip Green ( composer ) and the British television presenter Fiona Phillips . 0 +After a while , Wang Di left the band and was replaced by Miao Yu Jia in August 2008 . After a while , Miao Yu Jia left the band and was replaced in August 2008 by Wang Di . 0 +RegionsAir operated as AmericanConnection until March 2007 and Trans States Airlines operated as AmericanConnection until May 2009 . Until March 2007 , RegionsAir was operated as AmericanConnection and until May 2009 as AmericanConnection of Trans States Airlines . 1 +The Los Angeles to Salt Lake City , Utah trail was usually restricted by lack of water to winter . The trail of Salt Lake City , Utah to Los Angeles was usually restricted by water shortages to the winter . 0 +Born in Guadalajara , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Monterrey . Mora was born in Monterrey and professionally played for the Universidad de Guadalajara , Cruz Azul and Guadalajara . 0 +Mabel Lewis married Hansen and they had two children . Hansen married Mabel Lewis : they had two children . 1 +"Triandos was referenced in the third episode of the second season of the HBO original series , "" The Wire "" ." "Triandos was referenced in the third episode of the second season of HBO - original series "" The Wire "" ." 1 +Hassan Nasrallah joined Hezbollah after the 1982 Israeli invasion of Lebanon . In 1989 , Nasrallah traveled to Qom , Iran , where he furthered his religious studies . After the Israeli invasion of Lebanon in 1982 , Nasrallah joined Hezbollah , and in 1989 , Hassan Nasrallah traveled to Qom , Iran , where he continued his religious studies . 0 +Gallagher feels deceived and decides to join Joe 's escape plan . Joe Joe feels betrayed and decides to join Gallagher 's escape plan . 0 +Louise Bédard ( born 1955 ) is a Canadian dancer , choreographer and teacher , who has been active in the contemporary dance scene since 1983 . Louise Bédard ( born 1955 ) is a contemporary dancer , choreographer and teacher . Since 1983 she has been active in the Canadian dance scene . 0 +While prostitution in Canada is legal , most of the activities related to prostitution are illegal . While prostitution is legal in Canada , most activities related to prostitution are illegal . 1 +He remained in Germany for three years before moving back to Japan with his family . He remained in Japan for three years before moving with his family back to Germany . 0 +The locality was named after Dovercourt in England , the home of an early postmaster . The locality was named after Dovercourt , in England . the native home of an early postmaster . 1 +Hopkins toured six months with the band through Japan , the United States and England . Hopkins toured with the band for six months through England , the United States , and Japan . 1 +On 29 September 1849 , Queen Victoria travelled from Swindon by train to Gloucester , On September 29 , 1849 , Queen Victoria of Gloucester traveled to Swindon by train , 0 +Bob Blake did not play in Dan McGugin 's first year of 1904 , but resumed play on the 1905 team . Bob Blake did not play in the first year of Dan McGugin in 1904 , but resumed play on the 1905 team . 1 +( Original Description ) The slender , long and solid shell has a lancestic shape . ( Original description ) The slender long , and solid shell has a lanceolate shape . 1 +Lakome.com was an Independent Moroccan news website . It was banned in 2010 and started in 2013 . Lakome.com was an independent Moroccan news website which started in 2010 and was banned in 2013 . 0 +Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in the Arabian Sea taluka , on the shore of Palghar . Tadiyale is a village in the Dahanu district of Maharashtra , India . It is located in Arabian Sea Taluka , on the banks of the Palghar . 1 +Martin Moritz Thomsen Titus ( 1915 -- 1991 ) , known as Moritz Thomsen , was an American writer , farmer and Peace Corps volunteer . Moritz Thomsen ( 1915-1991 ) , known as Martin Moritz Thomsen Titus , was an American writer , farmer and volunteer at the Peace Corps . 1 +Bambuco , a Colombian folk music , has Basque roots . Colombian folk music Bambuco has Basque roots . 1 +Morton W. MacAuley , usually known as M. W. MacAuley , was a politician in Edmonton and a municipal councillor in Alberta , Canada . Morton W. MacAuley , generally known as M. W. MacAuley , was a politician in Alberta , Canada , and a municipal council in Edmonton . 0 +Illinois Route 158 , or Washington Avenue , leads east to Columbia and west to Belleville . Illinois Route 158 ( Washington Avenue ) leads west to Columbia and east to Belleville . 0 +In April 2014 , 2-5 Cavalry from 1 ABCT , 1CD deployed to Europe to support Operation Combined Resolve II , a NATO exercise in southeastern Germany . In April 2014 , 2-5 cavalry used from 1 ABCT , 1CD to Germany to support Operation Combined Resolve II , a NATO exercise in Southeast Europe . 0 +Auden prepared many of the poems in the 1933 edition for the collections and selections that he revised or dropped in the 1940 's and afterwards . Many of the poems in the 1933 edition for the collections and selections that he prepared in the 1940s and after have been revised or dropped . 0 +This was the 4th season in the MLS for the Philadelphia and the first full year under manager John Hackworth . This was the first full season in MLS for the Philadelphia and the 4th year under manager John Hackworth . 0 +Anja says that Lars needs to get his life together and stop making uncorroborated accusations . Lars says that Anja needs to get his life together and stop making unconfirmed accusations . 0 +"All songs were written by Dragan Urošević , except for "" Tragovi "" by Ritchie Blackmore ( music ) and Nenad Jovanović ( texts ) ." "All songs were written by Dragan Urošević , except "" Tragovi "" by Ritchie Blackmore ( music ) and Nenad Jovanović ( lyrics ) ." 1 +The Italian church St. Giovanni Bosco is named after St. John Bosco . The Italian church of St. Giovanni Bosco is named after St. John Bosco . 1 +Pennypacker , born in Southampton , New York , moved to Pennsylvania shortly after the turn of the century before moving on Long Island to New York City . Born in Southampton , New York , Pennypacker moved to Pennsylvania a little after the turn of the 20th century before moving to New York City on Long Island . 1 +When Philpot came to the throne , Mary soon attracted attention . When Mary came on to the throne , Philpot soon attracted attention . 0 +The trophy was designed by Montse Ribé and is inspired by the chimneys of Antoni Gaudi la Pedrera . The trophy was designed by Antoni Gaudi and is inspired by the chimneys of Montse Ribé 's la Pedrera . 0 +The MSX2 series features a Yamaha V9938 - video chip that has a 9-bit RGB palette ( 512 colours ) and manages some extended graphic modes . The MSX2 series features a Yamaha V9938 video chip , which has a 9-bit RGB palette ( 512 colors ) and manages some extended graphic modes . 1 +Peter Strauss played a television adaptation in 1994 as Ezra Baxter , Jean Smart as Ora Baxter and Philip Seymour Hoffman as a buck . Philip Seymour Hoffman played a 1994 - TV adaptation as Ezra Baxter , Jean Smart as Ora Baxter and Peter Strauss as Buck . 0 +St John married Elizabeth Crowley ( the daughter of Ambrose Crowley ) of Greenwich on 6 March 1725 . Their children contain : St John married Elizabeth Crowley ( the daughter of Ambrose Crowley ) of Greenwich on 6 March 1725 . Their children included : 1 +In February 2016 it was announced that John Kasich has joined Governor Kasich of Ohio as National Co Chairman and California State Chairman for Steve Poizner for President . In February 2016 , it was announced that John Kasich Governor Ohio ’ s Kasich joined National Co Chairman and California State Chairman for Steve Poizner as President . 1 +At the AFL meeting the next day , Beck was forced to defend Tobin ’ s actions . At the AFL meeting the next day , Beck was forced to defend Tobin 's actions . 1 +He lived in Italy for ten years and won the classic Bardolino race in Turin for six years in a row from 2001 to 2006 . He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy from 2001 to 2006 for six years in a row . 0 +A single egg weighs about and usually has 17 ribs , but often 18 or less sometimes 16 . A single egg weighs about and usually has 17 ribs , but sometimes 18 or rarer 16 . 0 +Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana , and attended Lew Wallace High School in Gary , Indiana . Bingaman was born in McKenzie , Indiana in 1926 , moved to Tennessee and attended Lew Wallace Highschool in Gary , Indiana . 0 +""" Too Big to Fail "" Teleplay by Andrew Ross Sorkin , based on the book "" Too Big to Fail "" of Peter Gould , HBO ." """ Too Big to Fail "" Teleplay by Andrew Ross Sorkin , based on the book "" Too Big to Fail "" by Peter Gould ; HBO ." 1 +The first six years of her childhood spent in Angeles City before she moved to Manila . She spent the first six years of her childhood in Angeles City before moving to Manila . 1 +It was completed when the section of Amersfoort was opened to Zutphen . It was opened when the section from Amersfoort to Zutphen was completed . 0 +It extends from the US - Route 95 ( US-95 ) north of Copeland , east to the British Columbia Highway 21 ( BC 21 ) in Porthill . It extends from U.S. Route 95 ( US-95 ) east of Copeland , north to British Columbia Highway 21 ( BC 21 ) in Porthill . 0 +The Democratic Party appoints and elects House Democratic Caucus leadership in the House of Representatives of the United States . The House Democratic Caucus nominates and elects the Democratic Party leadership in the House of Representatives of the United States . 0 +Similarly , the northern populations migrate annually between regions west of the Rocky Mountains , including western Canada and overwintering sites on the coast of California . Similarly , Western populations annually migrate between regions to the west of the Rocky Mountains , including northern Canada , and overwintering locations on the California coast . 0 +He moved to Bloomington , Illinois , in 1853 and to Attica , Indiana , in 1859 . He moved to Bloomington , Illinois in 1853 , and in 1859 to Attika , Indiana . 1 +His parents are Wendy Abrahamsen , who grew up a Yankees fan in Hyde Park , New York , and Ernie Gordon . His parents are Wendy Abrahamsen , who grew up as a Yankees fan in Hyde Park , New York , and Ernie Gordon . 1 +Timberhill Township is a township in Bourbon County , Kansas , USA . Bourbon County , Kansas , USA is a Timberhill Township township . 0 +The District Cabinet is led by Anne Marit Mevassvik and has four members , from the Conservative Party , the Labour Party and the Christian Democratic Party . The county cabinet is led by Anne Marit Mevassvik and has four members , from the Labour Party , the Conservative Party and the Christian Democratic Party . 1 +If the resistance loop becomes planar , this shows a bad compliance of the lung . When the resistance loop becomes bad , this shows a planar compliance of the lung . 0 +""" The Remarkable Rocket "" is a parody of masculine vanity and aristocratic conceit ." """ The Remarkable Rocket "" is a parody of masculine vanity and aristocratic imagination ." 1 +The Mach number is used to evaluate whether the incompressibility can be accepted , otherwise the effects of compressibility must be included . The Mach number is used to evaluate whether the incompressibility can be assumed , otherwise the effects of compressibility must be included . 1 +He was probably the son of the painter Giovanni Antonio Pandolfi , also from Pesaro who had married the sister of the painter Girolamo Danti . He was likely the son of the painter Girolamo Danti , also from Pesaro , who had married the sister of the painter Giovanni Antonio Pandolfi . 0 +Tanzania meridionalis is a small diving spider that lives in South Africa . Tanzania meridionalis is a small jumping spider that lives in South Africa . 1 +For example , where men are often encouraged to enjoy more sexual freedom , women are expected to be more sexually restricted . Where , for example , men are often expected to enjoy more sexual freedom , women are encouraged to become more sexually restricted . 0 +In 2009 , Damien Ritter founded his own independent record label , Funk Volume , with Hopsin . In 2009 , Damien Ritter founded his independent record label Funk Volume with Hopsin . 1 +"For full information on the declension of the above pronouns , see "" Pronouns "" in the article on Polish morphology ." "For the above information on the declination of full pronouns see "" Pronouns "" in the article on Polish morphology ." 0 +Praedora leucophaea is a moth of the Sphingidae family , known from dry bush areas from northern Kenya to South Africa . Praedora leucophaea is a moth of the family Sphingidae . It is known from dry bush areas from northern South Africa to Kenya . 0 +Jieţ is a tributary of the Slivei River in Romania . The Slivei River is a tributary of the Jieţ in Romania . 0 +The former vice rector Jürgen Willer was elected as new rector of Danube University Krems . Former Vice Rector Jürgen Willer was elected as former rector of the Danube University Krems . 1 +Brusio is a municipality in Graubünden , in the canton of Switzerland , in the Bernina region . Brusio is a municipality in the Graubünden in the canton of Switzerland in Bernina Region . 1 +He played the Montreux Jazz festival in Switzerland in 1981 and met John McLaughlin , Billy Cobham who introduced him to Michael Brecker and other fusion stars . He played the Montreux Jazz Festival in Switzerland in 1981 and met Michael Brecker , introducing him to John McLaughlin , Billy Cobham and other fusion stars . 0 +In Denmark , there has been conscription since the Viking Age , where the 110th man of every physical court had to serve the king . In Denmark , there has been conscription since the Viking Age , where a physical man of every 10th court had to serve the king . 0 +During the run , Deborah Kerr and John Kerr took over the roles played by Joan Fontaine and Anthony Perkins . During the race , Joan Fontaine and Anthony Perkins took over the roles Deborah Kerr and John Kerr played . 0 +"The 2nd constituency of Cantal is a French legislative constituency in the Cantal "" département "" ." "The 2nd constituency of Cantal is a French constituency in the Cantal "" département "" ." 1 +It was produced by Julian Emery , with additional production by Jim Irvin , Dominic Craik and Larry Hibbitt , and mixes by Cenzo Townshend and Adam Noble . It was produced by Julian Emery , with additional production by Jim Irvin , Dominic Craik and Larry Hibbitt , and mixtures by Cenzo Townshend and Adam Noble . 1 +Had the Immigration Officer known on arrival that asylum was intended , then he would not have granted entry as a visitor . If the immigration official had known that asylum was intended on arrival , he would not have granted entry as a visitor . 1 +On the album charts , the album peaked at number 1 in Sweden and number 16 in Norway . The album reached number 1 on the album charts in Sweden and number 16 in Norway . 1 +"The March 2000 issue had a limited edition , and a hardcover "" French "" edition appeared in 2002 ." "The March 2000 issue had a limited edition , and in 2002 a hardcover edition "" French "" was published ." 1 +She was the first professional female painter and the first feminist writer in Korea . She was the first feminist artist and the first female professional writer in Korea . 0 +Jack Adams ( 1895 -- 1968 ) was a Canadian ice hockey player and long-time trainer and manager of the Detroit Red Wings . Jack Adams ( 1895 -- 1968 ) was a long ice hockey player and Canadian professional-time coach and manager of the Detroit Red Wings . 0 +The company is headquartered in Reykjavík , has the Innovation House in Oslo and a workspace in the Innovation House in Gloucester , MA . The company is headquartered in Reykjavík , has the Innovation House in Oslo and a workspace at the Innovation House in Gloucester , MA . 1 +Later they went to New York City and then to Whitefish Bay , Wisconsin . They moved later to Whitefish Bay , Wisconsin , and then to New York City . 0 +"Also in the case of selection , the computed value and the variance of the number of "" A "" individuals may be expected" "Even in the case of selection , the expected value and the variance of the number of "" A "" individuals may be calculated" 0 +Some windows on the first floor at the southern end of the western wall are modern replacements . Some first floor windows at the western end of the southern wall are modern replacements . 0 +Maughan and his wife , the former Lorraine Hannemann of Honolulu , Hawaii , live in Manhattan , New York . Maughan and his wife , the former Lorraine Hannemann of Manhattan , New York , reside in Honolulu , Hawaii . 0 +Trujillo has recorded in his canvases elements of native art and hieratic figures in a very contemporary style . Trujillo involved in his canvases elements of contemporary art and native figures in very hieratic style . 0 +Danish Ali is a comedian , actor , writer , director , producer and radio personality based in Canada and recently Pakistan . Ali is a comedian , actor , writer , director , producer and radio - personality in Canada and recently Pakistan . 1 +The new Nahant Life Saving Station ( NLSS ) on Nahant Road and the old War Memorial erected across the street from the NLSS were renovated in 2004 . The new Nahant Life Saving Station ( NLSS ) on the Nahant Road and the old war memorial across from the NLSS were renovated in 2004 . 1 +The western border is variously given as either Smith or Court Streets , and Warren or Wyckoff Streets as the southern edge . The western border is variously specified either as Smith or Court Streets and Warren or Wyckoff Streets as the southern edge . 1 +Since 1977 LAGOS has created more than two million pieces , and Steven Lagos estimates that he has made 10,000 pieces and 400 to 500 new designs each year . Since 1977 , LAGOS has created more than two million pieces . Steven Lagos estimates that he has made 10,000 pieces and 400 to 500 new designs each year . 1 +Judith even tried to be friends with Alan , but it was extremely difficult for him to rejoice for the woman who has ruined his life . Alan even tried to be friends with Judith , but it was extremely difficult for him to rejoice for the woman who has ruined his life . 0 +His 39 games was ninth most in the American League , and only six of his appearances were as a starter . His 39 games were the ninth most in the American League , and only six of his performances was as a starter . 1 +Ravi Singh was born in Delhi , India , to Mr. Puran Singh and to Smt . Puran Singh was born in Delhi , India to Mr. Ravi Singh and Smt . 0 +From Ridgecrest , California State Route 178 leads northeast into the Death Valley National Park . From Ridgecrest , California State Route 178 leads northeast into Death Valley National Park . 1 +Lina Alexeyevna Fedorova was born in Moscow on 20 December 1997 and her younger sister Lana is also in figure skating . Lina Alexeyevna Fedorova was born on 20 December 1997 in Moscow . Her younger sister , Lana , is also into figure skating . 1 +Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Ceylonese ( Sri Lanka ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . 1 +Adults often remove paper from new nests and use it in order to recycle for old . Adults often remove paper from old nests and recycle it to use it for new ones . 0 +"The "" Friends of the School of Art and Design of Putney "" protects the school and promotes the interests of the current students ." "The "" Friends of the Art and Design School of Putney "" promotes the school and protects the interests of the current students ." 0 +Every level , from the national and global , to the individual and local , has its own , essential function in a globalised world . Every level , from the national and global level to individual and local level , has its own essential function in a globalised world . 1 +The 1953 Labour Party deputy leadership election took place on 29 October 1953 , after incumbent deputy leader Aneurin Bevan , was challenged by Herbert Morrison . The 1953 Labour Party deputy leadership election took place on October 29 , 1953 , after incumbent deputy leader Herbert Morrison , was challenged by Aneurin Bevan . 0 +The region was the cradle of various ancient civilizations such as Ancient China , ancient Korea , ancient Japan , and the Mongol Empire . The region was the cradle of various ancient civilizations , such as ancient China , old Korea , ancient Japan , and the Mongolian Empire . 1 +Ashraf Mahmud Linkon ( born 6 June 1990 ) is a Bangladeshi footballer who plays as a Midfielder , Defender for Sheikh Russell and Bangladesh national football team . Sheikh Russell ( born June 6 , 1990 ) is a Bangladeshi footballer who plays as a midfielder , defender for Ashraf Mahmud Linkon and Bangladesh 's football national team . 0 +Alice Hunter was married to the chemist George E. Kimball , whom he met at MIT , and they had four children together . Alice Hunter was married to chemist George E. Kimball , whom he met at MIT , and they had four children together . 1 +The location of the city at the intersection of the routes from London to Birmingham and from Bristol to Southampton made it a transport bottleneck for many years . The town 's location at the intersection of the routes from London to Birmingham and from Bristol to Southampton made it , for many years , a transport bottleneck . 1 +Due to the results obtained in the previous round , Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results in the last round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 0 +On 1 July , the judge of Madrid , Rodrigo de Arce , issued a death sentence against Antonio Pérez . On 1 July the judge in Madrid , Rodrigo de Arce , issued a death sentence against Antonio Pérez . 1 +Humbert knows , Lolita has no living relatives and immediately realizes that something is very wrong . Humbert knows Lolita has no living relatives and immediately realizes something is very wrong . 1 +Sara Varga ( born 14 April 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish vispop singer , songwriter , author and DJ . Sara Varga Madeleine Jonsson ( born April 14 , 1982 ) , known professionally as Sara Varga , is a Swedish Vispop singer , songwriter , author and DJ . 0 +Richmond Cricket Club was based in Richmond ( now part of Surrey and historically in London ) and was a leading club during the 18th century . Richmond Richmond Cricket Club was in Richmond ( historically part of Surrey and now London ) and was a leading club in the 18th century . 0 +Kerri McKeehan , sister of Stuart , married TobyMac in 1995 . Stuart married Kerri McKeehan , sister of TobyMac , in 1995 . 0 +The Indus cities are renowned for their elaborate planning , baked brick houses , urban drainage systems , water supply systems and clusters of large non-residential buildings . The Indus cities are noted for their urban planning , baked brick houses , elaborate drainage systems , water supply systems , and clusters of large non-residential buildings . 0 +Duporth ( also Duporth Holiday Village ) was situated on Porthpean Road , just outside St Austell in south Cornwall , England , UK . Duporth ( also Duporth Holiday Village ) was on Porthpean Road , just outside St Austell in South - Cornwall , England , UK . 1 +Lake Maumee was the westernmost point of prehistoric glacial Lake Erie , which was an extension of New Haven . New Haven was the westernmost point of the prehistoric glacial lake Maumee , which was an extension of the Lake Erie . 0 +It 's a Jungle in Here is an album released by experimental jazz funk trio Medeski Martin & Wood . It 's a jungle here is an album published by experimental jazz - Funk - Trio Medeski Martin 'Wood . 1 +Johansson avoided Sanders throughout the first round by circling along the edges of the ring . For the entire first round , Sanders avoided Johansson by circling along the edges of the ring . 0 +There have been a number of Advanced - Chess tournaments worldwide , defined by Centaur as freestyle chess tournaments ( Centaur = human player + computer ) . There have been , worldwide , a number of Advanced Chess tournaments online , defined Freestyle Chess Tournaments by Centaur ( Centaur = human player + computer ) . 0 +Psilochilus is a genus of flowering plants from the orchid family , Orchidaceae . It is native to South America , Central America , Mexico and the West Indies . Psilochilus is a genus of flowering plants from the orchid family , Orchidaceae , which is home to Mexico , Central America , South America and the West Indies . 1 +Jones later served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( also WJPC ) in Chicago . He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT radio station ( also WJPC ) in Chicago . 1 +Dunkerton went from London to Herefordshire at the age of 14 . At the age of 14 Dunkerton withdrew from Herefordshire to London . 0 +Surrounding suburbs ( from the north to the south ) are Balgownie , Mount Pleasant , Mount Ousley , Keiraville , West Wollongong , Figtree and Mount Kembla . The surrounding suburbs ( from north to south ) are Balgownie , West Wollongong , Mount Ousley , Mount Pleasant , Keiraville , Figtree and Mount Kembla . 1 +Robert Maass was born in East Orange , New Jersey , to study German immigrants Hedwig and Clara Maass . Clara Maass was born in East Orange , New Jersey , to Hedwig and Robert Maass , German immigrants . 0 +It is thick laterally , but thinner medially under the coracoacromial ligament . It is medially thick , but laterally under the ligament coracoacromialis thinner . 0 +When Eric left Saade , he was replaced by Johannes Magnusson . When Eric Saade left , he was replaced by Johannes Magnusson . 0 +""" Idharkuthane Aasaipattai Balakumara "" , directed by Gokul , featuring Vijay Sethupathi , as lead was his next ." """ Idharkuthane Aasaipattai Balakumara "" , directed by Gokul , with Vijay Sethupathi , as Lead was his next ." 1 +The Kam - people mostly live in eastern Guizhou , in western Hunan and in northern Guangxi in China . Kam - people mostly live in northern Hunan , in eastern Guizhou and in western Guangxi in China . 0 +He was selected at the NFL Draft in 1998 by the St. Louis Rams in the 7th round ( 236th overall ) with a compensation pick . He was selected in the 1998 NFL Draft by the St. Louis Rams in the 236th Round ( 7th overall ) with a compensatory pick . 0 +Jhalawar is located near Kolana Airport . The Kolana Airport is located near Jhalawar . 0 +The Atlantic Bronze Age was unified by a number of distinct regional centres of metal production , defined by a regular maritime exchange of some of their products . The Atlantic Bronze Age was unified by a number of regional metal production centers defined by a regular maritime exchange of some of their products . 1 +"The exterior used for the Heffernan house that was shown in the CBS - Sitcom "" king of Queens "" is in Cliffside Park ." "The exterior shown for the Heffernan house that was used in CBS sitcom "" The King of Queens "" is in Cliffside Park ." 0 +Phase correlation is an approach to estimating the relative translational offset between two similar images ( digital image correlation ) or other data sets . Phase correlation is an approach to estimate the relative translative offset between two other images ( digital image correlation ) or similar data sets . 0 +For the 2003 season , he joined Robert Yates Racing and won two races for Yates in 2004 . For the 2003 season he joined Robert Yates Racing and won two races for Elliott Sadler in 2004 . 0 +Born in Geneva , Cramer grew up in New York City . Born in New York City , Cramer grew up in Geneva . 0 +The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and Radnor Joint Counties , was a psychiatric hospital at Mid Wales Hospital . The Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum was a psychiatric hospital in Talgarth , Wales . 0 +When the weapons were landed , they were removed by volunteers on bicycles and in vehicles . When the arms were removed they were landed on bicycles and in vehicles by volunteers . 0 +Simple chain locks and padlocks are often used , while the locked chain is worn like a belt around the waist when riding . Simple chain and padlocks are often used , with the locked chain worn around the waist like a belt while riding . 1 +In 1999 , Trinity merged with Trinity Mirror to Mirror Group Newspapers , the largest stable in the country 's newspapers . In 1999 Trinity merged with Trinity Mirror to become Mirror Group Newspapers , the largest stable of newspapers in the country . 1 +Immediately north of the intersection Card Sound Road meets US 1 on the southern end of Krome Avenue ( State Road 997 ) and then reaches Florida City . Just north of the Card Sound Road intersection , US 1 meets the southern end of Krome Avenue ( State Road 997 ) , and then enters Florida City . 1 +For Mead , unlike John Dewey and J. J. Gibson , however , the key is not just social action , but human action . However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply human action , but rather social action . 0 +"In his song "" Mañana "" , Anita Bryant sings "" I hope Jimmy Buffett never ever does one of my songs "" ." "In his song "" Mañana "" sings Anita Bryant "" I hope Jimmy Buffett does never make one of my songs "" ." 1 +Hamper is a practising carpenter in Oxford and a member of Oxford Advent Christian Church , an evangelical church in Otisfield , Maine . Hamper is a practicing carpenter in Otisfield , Maine and a member of the Oxford Advent Christian Church , an evangelical church in Oxford . 0 +In Sweden and in Mexico , he had to compose with a superior status compared to the other S2000 drivers and therefore had to sweep the roads for them . He had to compose in Mexico and Sweden compared to the other S2000 drivers with superior status and therefore had to sweep the roads for him . 1 +"Mullan intended the initials to mean "" Mullan Road "" , but the crew began using them to mean "" Military Road "" ." "Mullan intended to mean the initials "" Mullan Road "" , but the crew used them to mean "" military road "" ." 1 +The small institutions they founded would not have seemed to them like universities -- they were tiny and did not offer the higher degrees in medicine and theology . The tiny institutions they founded would not have appeared to them like universities -- they were small and did not offer the higher qualifications in medicine and theology . 1 +Petersfield Museum is a small museum located in the local town of Petersfield in the English county of Hampshire . Petersfield Museum is a small museum in the local town of Petersfield in the English county of Hampshire . 1 +The 1993 -- 94 Slovenian Hockey League was the third season of the Slovenian Ice Hockey League . The Slovenian ice hockey league was the third season of the Slovenian hockey league . 1 +Winder is located in central Barrow County at ( 33.996495 , -83.720873 ) . It is west of Athens and northeast of downtown Atlanta . It is located in central Barrow County ( 33.996495 , -83.720873 ) , west of Athens and northeast of downtown Atlanta . 1 +In 1991 and 1992 , Steve Davis reached the finals of the tournament , but lost 4 -- 10 against Stephen Hendry and 8 -- 9 against Jimmy White . He reached the final of the tournament in 1991 and 1992 , but lost 4 -- 10 against Jimmy White and 8 -- 9 against Steve Davis . 0 +The summers are hot and humid , and winters are cool with mild periods . Summers are hot and humid , and winters are cool with mild periods . 1 +"Santiago is the Galician evolution of Vulgar Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is a vulgar evolution of the Galician Latin Sanctu Iacobu , "" Saint James "" ." 0 +Route 130 leads north to Olney and to the east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . Route 130 leads north to Olney and south to Grayville , while Route 15 to the east leads to Mount Carmel and west to Fairfield . 0 +The name Edith has four name days : May 14 in Estonia , 31 October in Sweden , 5 July in Latvia and 16 September in France . The name Edith has four name days : May 14 in Estonia , October 31 in Latvia , July 5 in Sweden , and September 16 in France . 0 +"Another category that is sometimes associated with "" inspirational fiction "" is "" soft fiction "" ." "Another category that is sometimes associated with "" gentle fiction "" is "" inspirational fiction "" ." 0 +The marble pulpit dates from 1508 by Benti and Lorenzo Stagi , while the walls and ceiling were painted in 1823-1825 by Luigi Ademollo . The marble pulpit is instead from 1508 , by Benti and Luigi Ademollo , while the walls and the ceiling were painted by Lorenzo Stagi in 1823-1825 . 0 +It is necessary to note that k is a vector consisting of three inverse numbers with dimensions of real length , while pis a vector of operators ; Note that k is a vector consisting of three real numbers with dimensions of inverse length , while pis is a vector of operators ; 0 +The small village is inhabited mainly by people of East Indian origin , there are Hindu temples and mosques and there is a main church . The main village is mainly inhabited by people of East Indian descent . There are Hindu temples and mosques and there is one small church . 0 +Sam Hanlon ( Herb Vigran ) , Vice - Squad Sergeant , brings the seventeen-year-old Susan Landis ( Reynolds ) to Mark 's luxury apartment . Vice Squad Sergeant Sam Hanlon ( Mark ) brings seventeen-year-old Herb Vigran ( Reynolds ) to Susan Landis 's luxurious apartment . 0 +The series was created by John Misto and co-written by Misto , Graeme Koetsveld and Ray Kolle The series was created by John Misto and is written by Misto , Graeme Koetsveld and Ray Kolle . 1 +It arrived in Australia in August 2006 and debuted in New Zealand in early 2007 . It was debuted in Australia in August 2006 and arrived in New Zealand in early 2007 . 0 +He was commissioned on 14 October 1917 in Fort Des Moines first lieutenant , and weeks later a West Medford born , Madeline Mabray Kountze , married . He was commissioned on 14 October 1917 in West Medford First Lieutenant , and weeks later a married Fort Des Moines , Madeline Mabray Kountze . 0 +According to the United States Census Bureau , Harmony Township has a total area of , of which is land and , or 5.21 % , is water . According to the United States Census Bureau , Harmony Township has a total area of which land is and , or 5.21 % , is water . 1 +Many people who admit to being frequent tanners say they tan to look good , feel good and relax . Many people who admit to being frequent tanners say they tan to feel good , look good , and to relax . 1 +The community has a low poverty rate despite the high participation rate and low unemployment . Despite its low labor-force participation rate and high unemployment , the community has a low poverty rate . 0 +The square was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony at the square . The Square was opened by President Alexander Lukashenko and Lao President Choummaly Sayasone on July 2 , 2013 , during a ceremony on the square . 0 +The River Ciunget is a tributary of the Argintărie River in Romania . The Argintărie - River is a tributary of the River Ciunget in Romania . 0 +Ingham County is a charter municipality of the Meridian Charter Township in the U.S. state of Michigan . Meridian Charter Township is a charter township of Ingham County in the US state of Michigan . 0 +The Ciunget River is a tributary of the Argintărie River in Romania . The Argintărie River is a tributary of Ciunget River in Romania . 0 +Douglas died in hospital in London on 29 October 1969 and was buried at St Clement Danes in The Strand in Northampton . He died at hospital in Northampton on 29 October 1969 and was buried in St. Clement Danes in The Strand in London . 0 +E Battery was re-designated as the 5th Battalion , 78th Artillery was assigned to 194th Armored Brigade , later inactivated on 18 May 1970 . Battery was renamed the 5th Battalion , 78th Artillery was assigned to 194th Armored Brigade , later on May 18 , 1970 inactivated . 1 +After passing through Bryson City and flowing around the Bryson City Island Park , the Tuckasegee flows southwestward for another before emptying into the Little Tennessee River . After passing through Bryson City and the Little Tennessee River , the Tuckasegee flows southwest for another before flowing into the Bryson City Island Park . 0 +He taught physics at a number of universities in Germany , Italy , France , England , Lebanon , and Jordan before joining Birzeit University in 1980 . He taught physics at a number of universities in Germany , Italy , France , England , Lebanon , and Jordan , before switching to Birzeit University in 1980 . 1 +He died in Lyon on 23 July 1963 , and was buried in the Cemetery de la Chartreuse at Bordeaux . He died in Lyon on 23 July 1963 and was buried at the Chartreuse cemetery in Bordeaux . 1 +Another significant difference is that plutonyl is a much stronger oxidizing agent than uranyl . The aqueous reduction potentials for standard solutions are shown in the next table . Another significant difference is that Plutonyl represents a much stronger oxidizing agent than uranyl . The aqueous reduction potential for standard solutions is shown in the next table . 1 +Nell Potts ( born April 8 , 1959 ) is a former children actress who performed under the name of Elinor Teresa Newman . Elinor Teresa Newman ( born April 8 , 1959 ) is a former child actress who performed under the name of Nell Potts . 0 +The Lemnia River is a tributary of the Lutoasa River in Romania . The Lutoasa River is a tributary of the River Lemnia in Romania . 0 +""" Welcome to my Living Room "" was filmed in August 2005 in Sydney , Australia , with additional footage that was shot in November 2006 in Temecula , California ." """ Welcome to my Living Room "" was filmed in Temecula , California in August 2005 , with additional footage filmed in Sydney , Australia in November 2006 ." 0 +Petra Kvitová won the tournament beating in the final Dominika Cibulková , 6 -- 4 , 6 -- 1 . The final won Petra Kvitová in the finals , Dominika Cibulková , 6 -- 4 , 6 -- 1 . 0 +He won third place at the Parapan American Games in Charlotte , USA in 2011 and another third place at the International Tournament of Champions in Guadalajara , Mexico . In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the International Champions Tournament in Charlotte , USA . 0 +Bland left Philadelphia a week later and met in Valparaíso on 29 October 1818 . Bland left Valparaiso a week later and arrived in Philadelphia on October 29 , 1818 . 0 +His father was Seán Lemass , while his grandfather was maternal Charles Haughey , everyone served as Taoiseach . His father was Charles Haughey , while his maternal grandfather was Seán Lemass ; each served as Taoiseach . 0 +Éric Fombonne ( Montreal , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist based in Paris . Éric Fombonne ( Paris , 1954 ) , MD , FRCP , is a French psychiatrist and epidemiologist who is based in Montreal . 0 +While North Carolina is historically a conservative state , Wake County is typically a swing area . While North Carolina is historically a conservative state , Wake County is typically a swing voting area . 1 +For the finite Formula 135 is given the entropy of a fuzzy volume formula 33 by For fuzzy formula _ 135 the entropy of a finite set formula _ 33 is given by 0 +Lufthansa announced its plans to transfer short-haul flights from cities other than Frankfurt and Munich from Lufthansa to Germanwings in 2012 . In 2012 Lufthansa announced its plans to transfer point-to-point shorthaul flights operating from cities other than Frankfurt and Munich from Lufthansa to Germanwings . 1 +The East African Rift Valley is a perennial river located in the eastern branch of the Tarangire River , within northern Tanzania in East Africa . The Tarangire River is a multi-year river located in the eastern branch of the East African Rift Valley , in northern Tanzania , in East Africa . 0 +Peter Snell easily won the final , but Odložil managed to get silver ahead of John Davies . The final easily won John Davies , but Odložil managed to get silver before Peter Snell . 0 +The Lessos - Kenya border section is jointly funded by the government of Uganda and JICA . The border section of The Lessos -- Uganda is funded jointly by the Kenyan Government and JICA . 0 +It is located at the southern end of the Great Dividing Range , west of the Monaro Range , and is west of the Wadbilliga National Park . It lies on the southern end of the Great Dividing Range , at the west of the Monaro Range , and is west of the Wadbilliga National Park . 1 +These environments result from the regressive deposits in a cyclic series . These environments result from the regressive deposits in a cyclic row . 1 +Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Ukrainian ( until 2000 ) and a Belarusian cross-country skier ( since 2000 ) . Alla Petrovna Tsuper ( ; ; ; born 16 April 1979 ) is a Ukrainian ( until 2000 ) and Belarusian ( since 2000 ) aerial skier . 1 +There are 4 playable characters , each with a different ability and also a unique style of fighting . There are 4 playable characters , each with a different ability and also a unique fighting style . 1 +Truckee is a state park of Burton Creek State Park , located in Placer County near California , USA . Truckee is a state park of Burton Creek State Park , in Placer County , near California . 1 +It was named after Bennington , Vermont , a former home of the first settlers . The first home of the former settlers was named after Bennington , Vermont . 0 +He was selected at the NFL Draft in 1998 by the St. Louis Rams in the 7th round ( 236th overall ) with a compensation pick . He was selected at the NFL Draft in 1998 by the St. Louis Rams in the 236th round ( 7th general ) with a compensatory pick . 0 +A member of the Bapounou people , he was born at Moussambou and educated in local Catholic schools , then at the public secondary school of Lambaréné . He was a member of the Bapounou people , was born in Moussambou and trained in public secondary schools , then at the local catholic school of Lambaréné . 0 +She toured with Traffic and Joe Cocker before joining in 1970 with Jimi Hendrix . She toured with Traffic and Jimi Hendrix before joining up with Joe Cocker in 1970 . 0 +All was born in Oldtown , Kentucky , and attended the High School in Ashland , where he played football at West Virginia University from 1932 to 1934 . Allen was born in Oldtown , Kentucky and attended high school in Ashland . He played football at the West Virginia University from 1932 to 1934 . 1 +When , in 1818 , Ortona was assigned to Lanciano , Campli was joined to the diocese of Teramo . When Ortona was connected to Lanciano in 1818 , Campli was assigned to the Teramo Diocese . 0 +"Examples for use are in the type "" ShowS "" in the Prelude of Haskell and in the list of Donald Bruce Stewart 's difference lists ." "Examples of use are in the "" ShowS "" type in the Prelude of Haskell , and in Donald Bruce Stewart 's difference list library for Haskell ." 1 +Born in El Paso , Texas , January 30 , 1928 , Cheetham grew up in Taos , New Mexico , received B.S . Cheetham was born on January 30 , 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . 1 +Bertlmann was a close friend and collaborator of the late John Stewart Bell and worked together with Walter Thirring . Bertlmann was a close friend and collaborator of the late John Stewart Bell and worked with Walter Thirring . 1 +This North American Eastern-hour series was broadcast on Sundays at 3 : 00 p.m. ( half time ) from 22 May to 10 July 1966 . This half-hour series was broadcast from 22 May to 10 July 1966 on Sundays at 3 p.m. ( East North American Time ) . 0 +"The term "" Pusticamica "" means mountainous origin , "" Lake of Algonguin - countries "" ." "The term "" Pusticamica "" means Algonguin - origin "" Lake of the mountainous countries "" ." 0 +"was introduced by Bharathiraja first in the film "" Alaigal Oivathillai "" ." "First Bharathiraja was presented in the film "" Alaigal Oivathillai "" by Karthik ." 0 +"The longtime owner and publisher of the "" Hyde Park Herald "" remains Paul Sagan . He is father of Bruce Sagan , the former CEO of Akamai Technologies ." "Bruce Sagan , a longtime owner and publisher of "" Hyde Park Herald , is the father of Paul Sagan , the former CEO of Akamai Technologies ." 0 +The PBA season of 2002 was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . The 2002 PBA season was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . 1 +The song was written by Thicke and Lamar alongside Dr. Luke and was produced by will.i.am and Cirkut . The song was written together with will.i.am by Thicke and Lamar and produced by Dr. Luke and Cirkut . 0 +At the age of 66 , Hironobu Takesaki Terada replaced Chief Justice on 1 April 2014 , when Takesaki reached his retirement . At age 66 , Hironobu Takesaki replaced Terada as Chief Justice on April 1 , 2014 , when Takesaki reached the date of his retirement . 0 +The second method is written when the number of elements in each row is the same and is known at the time of program use . The second method is used when the number of elements in each line is the same and is known at the time the program was written . 0 +Lucy made her first appearance as a palmer on 25 August 2014 . On August 25 , 2014 , Palmer had her first appearance as Lucy . 0 +During peak hours , services from Kentish Town to Bedford will continue . During peak hours , Bedford services continue to Kentish Town . 0 +In January 2006 , Juliette opened the doors to the Urban Dance Centre with her husband Douglas Blaikie . Douglas Blaikie and her husband Juliette opened the doors to Urban Dance Centre in January 2006 . 0 +Sankt Georgen am Ybbsfelde is a town in the district of Lower Austria in Amstetten in Austria . Sankt Georgen am Ybbsfelde is a city in the Amstetten district of Lower Austria in Austria . 1 +"After "" Khosla Ka Ghosla "" , Dibakar Banerjee wanted to make this film and he approached Aamir Khan to play the villain ." "Aamir Khan wanted to shoot this film after "" Khosla Ka Ghosla "" and approached Dibakar Banerjee to play the villain ." 0 +"G. Augustus Johnson ( "" fl . "" 1870-1890 ) was an American consul in Beirut who replaced J. Augustus Johnston ." "G. Augustus Johnson ( "" fl . "" 1870-1890 ) was American consul in Beirut . He replaced J. Augustus Johnston ." 1 +The following schools are located in Papakura ( schools in Rosehill , Takanini and Opaheke are exempt ) : The following schools are located in Takanini ( schools in Rosehill , Papakura , and Opaheke are excluded ) : 0 +In 1854 , Cooper left Australia and returned to London , where he lived until his death at the age of 90 , a verified bachelor . In 1854 , Cooper left London and returned to Australia where he lived , a confirmed bachelor , until his death at the age of ninety . 0 +The American Professional Football Association was founded in Canton in 1922 , eventually becoming the National Football League . The American Professional Football Association was founded in 1922 in Canton and eventually became the National Football League . 1 +He was survived by his daughter Caroline and granddaughter Nicola . He was survived by his daughter Caroline and his granddaughter Nicola . 1 +On June 30 , 2016 , Infante agreed to a minor league deal with the Atlanta Braves . He was released by the Braves on August 16 , 2016 . On 30 June 2016 , Infante agreed to a Minor League Deal with the Braves and was released by the Atlanta Braves on August 16 , 2016 . 1 +Wadsworth became editor in 1944 , when he succeeded C. P. Scott , son of Edward Taylor Scott . In 1944 , he became the editor when he succeeded Edward Taylor Scott , son of C. P. Scott . 0 +Jeremy Bates and Anders Järryd won against Mansour Bahrami and Henri Leconte at 6 : 4 , 7 : 6 in the final . Jeremy Bates and Anders Järryd won in the final 6 -- 4 , 7 -- 6 against Mansour Bahrami and Henri Leconte . 1 +Kalamazoo was the first community to change the name of its street , followed by Jackson and Marshall in 1924 , Battle Creek 1928 and Albion in 1929 . Kalamazoo was the first community to change the name of its street followed by Jackson and Marshall in 1924 , Battle Creek in 1928 and Albion in 1929 . 1 +It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean in general to the west of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows generally west to the ocean south of Depot Bay and north of Otter Rock . 0 +Both traced the continuing influence on cultural studies of the kinds of literary and cultural materialism developed by Williams and his successors . Both introduced the continuing influence of the literary and cultural materialism developed by Williams and his successors on cultural studies . 1 +The postal code is 93546 , mail to Mammoth Lakes should be Lake Mary addressed . The ZIP Code is 93546 , mail to Mammoth Lakes should be addressed Lake Mary . 1 +Mateusz Kowalczyk and Lukáš Rosol defeated Nicholas Monroe and Simon Stadler with 6 -- 4 , 6 -- 4 in the final to win the title . In the final , Nicholas Monroe and Simon Stadler defeated Mateusz Kowalczyk and Lukáš Rosol at 6 : 4 , 6 : 4 , to win the title . 0 +Several of the filmmakers are heard but not seen in the film . Some of the filmmakers are seen , but not heard in the film . 0 +Fort Paull is the location of the last remaining complete Blackburn Beverley heavy transport aircraft . Fort Paull is the location of the last remaining heavy Blackburn Beverley transport aircraft . 0 +He formerly played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Lincoln City , Northampton Town , Chesterfield , and Gateshead . He has previously played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Lincoln City , Northampton Town , Chesterfield and Gateshead . 1 +It has also stimulated the use of effective cavalry - forces and offensive military policy by the Han Court . It also stimulated the use of offensive military cavalry forces and effective policies by the Han court . 0 +He returned to Augsburg in 1720 , but became parish minister of Kaufbeuren in 1723 . In 1720 he returned to Augsburg and became Parish Minister of Kaufbeuren in 1723 . 1 +Canadian postage stamps were issued with the amounts denominated in dollars and cents . The Canadian stamps were denominated with amounts issued in dollars and cents . 0 +He studied music history at the University of Vienna under Guido Adler and Curt Sachs and studied composition with Hans Gál . He studied music history with Hans Gál at the University of Vienna and studied composition with Guido Adler and Curt Sachs . 0 +"Kallir is honest , but very incompetent in politics. """ Kallir is honest , but in politics very incompetent . 1 +In 1963 , the American Chiropractic Association reorganized into the National Chiropractic Association ( ACA ) . The National Chiropractic Association was reorganized into the American Chiropractic Association ( ACA ) in 1963 . 0 +Benjamin Ray ( * 1819 Hudson , Columbia County , New York ) was an American politician from New York , USA . Benjamin Ray ( * 1819 Hudson , New York ) was an American politician from the Columbia County , New York . 1 +Mumba Malila , however , removed Kunda from the position of Prosecutor General and appointed Mwanawasa in 2006 , while Kunda left his position with the Minister of Justice . However , Mwanawasa removed Kunda from the position of Attorney General and appointed Mumba Malila in 2006 , while leaving Kunda with his position as Minister of Justice . 0 +The series tells the life of 14-year-old Barbara and her mother , Isabelle , who is a divorced lawyer . The series tells the life of the 14-year-old Isabelle and her mother , Barbara , who is a divorced lawyer . 0 +The 16th century chronicler Firishta claims that this army was ordered to reach Bengal via Warangal . The 16th century chronicler Firishta states that this army was ordered to reach Bengal via Warangal . 1 +"The weekly was published in 1781 in the state , the first "" Vermont Gazette "" ." "The first newspaper was published in 1781 in the state , the weekly "" Vermont Gazette "" ." 0 +Sinan ( also romanized as Sīnān ) is a village in the district of Esfarayen , North - Khorasan - Province , Iran , in the Azari county of the Central District . Sinan ( also Romanized as Sīnān ) is a village in Azari Rural District , in the Central District of Esfarayen County , North Khorasan Province , Iran . 0 +"He is supporting Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." "He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." 0 +""" See ETA ( separatist group ) for more extensive discussion of ETA ( pm ) and the parallel ETA ( m ) . """ For a more detailed discussion of ETA ( pm ) and the separatist ETA ( m ) see ETA ( parallel group ) . 0 +"Then "" f "" is to the right on the interval larger than Formula 61 and if Formula 62 so :" "so on the interval to the right , "" f "" is greater than formula _ 61 and if formula _ 62 then :" 0 +The new purpose section Keppel Gate of the A18 Snaefell Mountain Road was built in the period 1864 to 1866 . The new purpose built Keppel Gate section of A18 Snaefell Mountain Road was constructed in the period from 1864 to 1866 . 1 +Shōgun : The Musical is a musical with a book and texts by John Driver and music by Paul Chihara . Shōgun : The Musical is a musical with a book and lyrics by Paul Chihara and music by John Driver . 0 +Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and reached via ( Sarai Kala ) siricote . Ranjit Singh marched to ( Rawalpindi ) , from there to ( Rohtas ) and via ( Sarai Kala ) reached Sirikot . 0 +The province of Puerto Inca is the largest of the eleven provinces in the Huánuco region in Peru . The Huánuco region is the largest of the eleven provinces of the Province of Puerto Inca , Peru . 0 +Jimmy Wareing was born in Silloth in 1917 and played rugby union for Silloth and Cumberland before the war . Jimmy Wareing was born in Silloth in 1917 and played for Silloth and Cumberland Rugby Union prior to the war . 1 +A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September followed another tour to Switzerland . A market was perceived for future tours and destinations . Scandinavia followed in April 1975 and there was another tour to Switzerland in September . 1 +The government of the town of Liyang is located in He County . The government of He County is located in the town of Liyang . 0 +The Bârnărel River is a tributary of the River Stejioara in Romania . The Bârnărel River is a tributary of the Stejioara River in Romania . 1 +This is a list of Lebanese individuals born in the Lebanese diaspora of Lebanese ancestry or people of dual Lebanese and foreign nationality who live in the diaspora . This is a list of Lebanese and foreign people born in the Lebanese diaspora of Lebanese descent , or persons of Lebanese nationality who live in the diaspora . 0 +Residing in NYC , he currently is a member of MJ12 , an instrumental group based in New York . He currently lives in New York and is a member of MJ12 , an instrumental group based in NYC . 1 +The next day Mariano and Zappi were rescued , the corpse of the Finn Malmgren was not found . The next day Finn Malmgren was rescued , the body of Mariano and Zappi was not found . 0 +Elizabeth Gordon was the daughter of William Keith , Lord of Gordon and Elizabeth Keith , daughter of Adam de Gordon , Marischal of Scotland . Elizabeth Gordon was the daughter of William Keith , Lord of Gordon , and Elizabeth Keith , the daughter of Adam de Gordon , Marischal of Scotland . 1 +Match 5 : kazushi Sakuraba defeats Yoji Anjo ( leg submission ) Match 5 : Yoji Anjo defeats Kazushi Sakuraba ( submission ) 0 +Tables of vibrational transitions of stable and transient molecules are also available . Tables of vibration transitions of stable and transient molecules are also available . 1 +The novel was adapted by Lu Kemp as BBC Radio 4 book near Bedtime in 2008 , read by Toby Stephens and produced by Kirsty Williams . The novel was read as a BBC Radio 4 Book at Bedtime by Kirsty Williams in 2008 , adapted by Toby Stephens and produced by Lu Kemp . 0 +Julius Adam was a member of the important Adam family of the artists of Munich . Julius Adam was a member of the important Adam family of Munich artists . 1 +Although the Iroquois never entered the Piedmont area , they settled it for hunting and raiding against other tribes . Although the Iroquois never entered the Piedmont territory , they settled it for hunting and raiding against other tribes . 1 +In the application a statistic is calculated from the experimental data , a probability of exceeding this statistic is determined and probability is compared with a threshold value . In application , a statistic is determined from the experimental data , a probability of exceeding that statistic is calculated and the probability is compared to a threshold . 0 +"Three of these joints are genuine anatomical joints , while two physiological ( "" false "" ) joints are ." "Three of these joints are false joints , while two real anatomical ( "" physiological "" ) joints are ." 0 +About 1838 Stephenson returned to Manchester and established himself as an historical and landscape engraver in Ridgefield , and then in a studio in St. Ann Street . About 1838 , Stephenson returned to Manchester and established himself as a historical and landscape engraver in St. Ann Street and then in a studio in Ridgefield . 0 +Written by Michelle MacLaren and directed by George Mastras , it broadcast on AMC in the United States and Canada on September 8 , 2013 . Written by Michelle MacLaren and directed by George Mastras , it aired on AMC in the United States and Canada on September 8 , 2013 . 1 +This species occurs in the Atlantic and the Gulf of Mexico , in the Caribbean Sea and Brazil . This species occurs in the Caribbean and the Gulf of Mexico , in the Atlantic Ocean off Brazil . 0 +The corps was first formed in 1945 as the 43rd rifle corps and became the 137th Gun Corps ( Second Formation ) in 1955 . The corps was first formed in 1945 as the 137th rifle corps and became the 43rd Gun Corps ( Second Formation ) in 1955 . 0 +Small mammals , including bats , are sometimes caught , but insects are only rarely eaten . Sometimes , small mammals , including bats , are eaten , but very rarely are insects caught . 0 +Throughout her relationship , the couple lived in Los Angeles , though Seymour spent more time in London and Los Angeles for their work . During their relationship the pair lived in London and Los Angeles , though Seymour spent more time in Los Angeles for her work . 0 +The airline was established in 1990 and was owned by Airwork ( 50 % ) and New Zealand Post ( 50 % ) . The airline was established in 1990 and owned by Airwork ( 50 % ) and New Zealand Post ( 50 % ) . 1 +The soundtrack theme was composed by Paul McCartney and performed by John Williams . The soundtrack topic was composed by Paul McCartney and performed by John Williams . 1 +In 1955 , this became the Central Electricity Generating Board , which in turn became the Central Electricity Authority in 1957 . In 1955 , the company became the Central Electricity Authority , which in turn became the Central Electricity Generating Board in 1957 . 0 +William died in 1859 and Elizabeth died the following year . In 1859 , Elizabeth died and William died the following year . 0 +Speakers included many pioneers of the interactive immersive media space , including David A. Smith , Graham Smith , Sara Diamond and the optical holography - artist Michael Page . Speakers included many pioneers of the optical media space , including David A. Smith , Graham Smith , Sara Diamond , interactive immersive holography artist Michael Page . 0 +An individual of the new species was collected in 2005 , and a second one was found in 2006 . One individual of the new species was collected in 2005 , and a second was found in 2006 . 1 +Point Marsden was discovered by Matthew Flinders on 21 March 1802 and named after William Marsden , Second Secretary to the Admiralty . Point Marsden was discovered on March 21 , 1802 by William Marsden and named after Matthew Flinders , Secretary of the Admiralty . 0 +Some of the company documents were secured by Victor Jaques , the former secretary of Ina Jorgensen , who had fled abroad . Some of the company documents were safeguarded by Ina Jorgensen , the former secretary of Victor Jaques who had fled abroad . 0 +For example , cars built by GM , now owned by Daewoo , are no longer badged as Daewoos . For example , cars built by Daewoo are now owned by GM , no longer marked as Daewoos . 0 +"The Oxford English Dictionary cites Hoccleve as one of the initial users of the term "" slut "" in its modern sense , though not in its modern spelling ." "The Oxford English Dictionary cites Hoccleve as one of the first users of the term "" slut "" in its modern sense , though not in its modern spelling ." 1 +The development of the energy business included the opening of a specialist office in Middlesbrough and the construction of a new vessel , Cable Enterprise . The development of the energy business included the opening of a new office in Middlesbrough and the construction of a special vessel , Cable Enterprise . 0 +It corresponds to the zodiacal sign of cancer and intersects in the Gregorian calendar approximately with the later half of July and the early half of August . It corresponds to the zodiacal sign of Cancer , and overlaps approximately with later half of July and early half of August in the Gregorian calendar . 1 +It is located in the western part of the Annapolis County on the southern shore of Annapolis Basin . It is situated in the southern part of Annapolis County on the western shore of the Annapolis Basin . 0 +The bridge starts in Sweden and the tunnel in Denmark . The bridge starts in Sweden and the tunnel is in Denmark . 1 +A manual for teachers in the first year includes the National Pig Day as a seasonal activity and recommends cooking bacon , making BLTs and discussing where pork chops come from . A handbook for first year teachers recommends National Pig Day as a seasonal activity and includes cooking bacon , making BLTs , and discussing where pork chops come from . 0 +The best girlfriend of Alma Bautista ( Eula Valdez ) is Katrina Alegre ( Jean Garcia ) . The best friend of Alma Bautista ( Jean García ) is Katrina Alegre ( Eula Valdez ) . 0 +Harry Steger worked as a journalist in England and America . Harry Steger worked as a journalist both in England and in America . 1 +In 2008 Rice co-headlined a tour with Maria Taylor of Azure Ray , and played Los Angeles ' Sunset Junction festival . In 2008 , Rice played a tour with Maria Taylor of Azure Ray and led the Sunset Junction Festival in Los Angeles . 0 +"Louisa Baïleche performed on the Comédie-Française stage as well as the Bergère folies in a French version of the musical "" Nine "" ." "Louisa Baïleche performed on the Comédie-Française stage as well as in the folies Bergère in a musical version of the French "" Nine "" ." 0 +She was heavily attracted to him and tried to seduce him into a sexual relationship , but Hanuvant Singh grew religious in thought and did not go for incest . She was heavily attracted by him and tried to seduce him into a sexual relationship , but Hanuvant Singh became religious in thought and did not go to the incest . 1 +The following table lists all the games played by the Brazil national football team in official competitions and friendly matches during 1986 . The following table lists all the matches played by the Brazilian national football team in official competitions and friendly games in 1986 . 1 +A counterclockwise angle in a figure would correspond to one clockwise angle in the other figure . A clockwise angle in a character would correspond to a counterclockwise angle in the other figure . 0 +Eckhoff represented Britain against New Zealand in 1928 , in 1930 against Australia . Eckhoff represented New Zealand in 1928 against Great Britain , and in 1930 against Australia . 0 +The song was written by Gilles Thibaut and composed by . The song was written and composed by Gilles Thibaut . 1 +He was trained in Weimar , later until 1865 in Dresden and went to New York after a short stay in Leipzig with Franz Liszt in 1869 . He was educated in Weimar , and later in Dresden until 1865 , and after a short residence in Leipzig with Franz Liszt went to New York in 1869 . 1 +The principal land use in Coorong National Park is conservation with the majority of the land being occupied by the Coorong and the Mud Islands Game Reserve . The main land use in the Coorong National Park is conservation , with the majority of the country occupied by Coorong and the Mud Islands Game Reserve . 1 +Born Chloe Bennet in Chicago , Illinois , Chloe Wang is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Born Chloe Wang in Chicago , Illinois , Chloe Bennet is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . 0 +Now you find the indifference price bid solve for Formula 31 Now to find the indifference bid price solve for formula _ 31 1 +Petersfield Museum is a local museum in the small town of Petersfield in the English county of Hampshire . The Petersfield Museum is a local museum in the small town of Petersfield in the English county Hampshire . 1 +On 1 July 2004 , a police authority for the British transport police force was created . On 1 July 2004 , a British transport police force was created for the police authority . 0 +Some commercial applications for ionomera are golf ball covers , semipermeable membranes , sealing tape and thermoplastic elastomers . Some commercial applications for ionomers are golf ball covers , thermoplastic membranes , sealing tape and semipermeable elastomers . 0 +With the help of bassist Pat Schick , keyboarder Guy Daniel and the drummer Camus Celli , Ponti played guitars and keyboards on the album . Guitars and keyboards played on the album with the help of bassist Camus Celli , keyboardist Guy Daniel and drummer Pat Schick . 0 +It is medially thick , but laterally under the ligament coracoacromialis thinner . It is thick medially , but thinner laterally under the coracoacromial ligament . 1 +Thomas Calvert was born in London on December 30 , 1870 , and was the first son of the journalist Herbert Hepburn Calvert and his wife Grace ( nee Hepburn ) . Herbert Hepburn Calvert was born on 30 December 1870 in London . He was the first son of journalist Thomas Calvert and his wife Grace ( née Hepburn ) . 0 +Others , such as Eric Horner , Sigurd Wongraven and Jan Axel Blomberg , believe that black metal does not have to be satanic . Others such as Eric Horner , Sigurd Wongraven and Jan Axel Blomberg believe that black metal does not need to be Satanic . 1 +The collateral consequences of criminal conviction are not the same as the social consequences of the conviction . The collateral consequences of criminal conviction are not the same as the social consequences of conviction . 1 +Route 130 leads north to Olney and to the east to Grayville , while Route 15 leads west to Fairfield and south to Mount Carmel . Route 130 leads north to Olney and south to Grayville , while Route 15 leads east to Mount Carmel and west to Fairfield . 0 +A quantum mechanical fluid refers to any system that exhibits macroscopic effects at the quantum level such as superfluids , superconductors , ultracold atoms , etc . A quantum fluid refers to any system that shows quantum mechanical effects at the macroscopic level , such as superfluids , superconductors , ultra-cold atoms , etc . 0 +Walter Lyhert ( or Walter Hart ; died 24 May 1472 ) was a medieval Bishop of Norwich . Walter Lyhert ( or Walter Hart , died May 24 , 1472 ) was a medieval bishop of Norwich . 1 +"In 2017 , a book of straight photography made in the early 1970s in LA was published , "" People in Cars . """ "In 2017 , a book of straight photography , published in LA in the early 1970 ’ s , was made "" People in Cars "" ." 0 +The chapel was also dedicated to Saint John , the Baptist and Christina , Saint James , all the protectors of the House of Visconti . The Chapel was also dedicated to the Saints John the Baptist and James , Blessed Christina , all protectors of the House of Visconti . 0 +""" Next Year "" is a song which was released as the third single of the last Foo Fighters - album "" There Is Nothing Left to Lose "" ." """ Next Year "" is a song released as the third single from the last Foo Fighters ' album "" There Is Nothing Left to Lose "" ." 1 +Sandra Cecchini defeated Mary Pierce by 6-0 , 6-3 . Sandra Cecchini defeated Mary Pierce 6 - 0 , 6 - 3 . 1 +He was a member of the Bapounou people , was born in Moussambou and trained in local Catholic schools , then at the secondary school of Lambaréné , public . He was a member of the Bapounou people , was born in Moussambou and trained in public secondary schools , then at the local catholic school of Lambaréné . 0 +Sakura Spirit is a 2014 visual novel developed by Winged Cloud and developed by Sekai Project . Sakura Spirit is a 2014 visual novel published by Winged Cloud and developed by Sekai Project . 1 +Great Inquisitor ( 1748 -- 1818 ) was a Spanish bishop , who from 1814 to 1818 was Francisco Javier Mier Campillo of Spain . Francisco Javier Mier Campillo ( 1748 -- 1818 ) was a Spanish bishop who was Grand Inquisitor of Spain from 1814 to 1818 . 0 +When , in 1818 , Ortona was assigned to Lanciano , Campli was joined to the diocese of Teramo . When Ortona was assigned to Lanciano in 1818 , Campli was connected to the Diocese of Teramo . 1 +"He also learned more about "" laya "" ( tempo ) by Mahadevan , a Kanjeera and Mridangam artist and a friend of Kanadukathan Rajaraman ." "He also learned more about "" laya "" ( tempo ) from Kanadukathan Rajaraman , a kanjeera and mridangam artist and a friend of Mahadevan ." 0 +Catriona Lambert was born in Edinburgh , Germany and grew up in North Berwick . Catriona Lambert was born in North Berwick , and grew up in Edinburgh . 0 +"Daniel Daniel Albright proposes a definition of musical modernity as "" a trial of the limits of aesthetic construction "" and presents the following modernist techniques or styles :" "Daniel Albright proposes a definition of musical modernism as , "" a testing of the limits of aesthetic construction "" and presents the following modernist techniques or styles :" 1 +Entries marked with an asterisk are set in the fictional community of King 's Ridge in Nodd . Entries marked with an asterisk are set in the fictional community of King 's Nodd 's Ridge . 0 +Saladas - Department is a department of the Corrientes - province in Argentina . Saladas Department is a department of Argentina in Corrientes Province . 0 +Upgrades included rheostatic brakes and new brakes , electromagnetic speed measurement and curve lights . Upgrades included rheostatic brakes and new brakes , electromagnetic speed measurements and curve lights . 1 +The Hamiltonian Formula 91 is the Fractional Formula The fractional formula 91 is the Hamiltonian . 0 +Red Bank is located on the 4th Congressional District and is part of the 11th State Legislative District in New Jersey . Red Bank is located in the 11th Congressional District and is part of New Jersey 's 4th state legislative district . 0 +In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of the Master Warrant Officer was extended . In 2008 , the Warrant Officer ranks of the South African National Defence Force were expanded and the rank of Master Warrant Officer was established . 0 +In 2001 , Sir Michael brought Frank Williams as Senior Operations Engineer at Williams . In 2001 , Sir Frank Williams brought Michael to Williams as Senior Operations Engineer . 0 +"He appeared as archie mullen in the disaster film "" Daylight "" 1996 and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as George Tyrell in the 1996 disaster film "" Daylight "" and as Archie Mullen in the film "" Freedom Song "" ( 2000 ) ." 0 +Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and national record holder from Havana , Cuba . Heysi Villarreal ( born 26 August 1986 in Cuba ) is an Olympic and national record holding swimmer from Havana , Cuba . 0 +Some of the company documents were secured by Victor Jaques , the former secretary of Ina Jorgensen , who had fled abroad . Some of the company documents were safeguarded by Victor Jaques , the former secretary of Ina Jorgensen , who had fled abroad . 1 +It has been released in a limited edition of 4,200 copies as a vinyl - LP and produced on April 21 , 2012 in connection with Record Store Day . It was released as a vinyl LP in a limited edition of 4,200 copies , and produced on April 21 , 2012 , in conjunction with Record Store Day . 1 +The system moved west and passed north of Guam near Saipan on October 16 at around 0600 UTC . The system moved on October 16 at 0600 UTC to the west and passed north of Guam near Saipan . 1 +Later , Nate reluctantly agrees that Ruth can stay a few more days . Later , Ruth reluctantly agrees that Nate can stay for a few days . 0 +It was made by Harry Piel and directed by Ariel production . It was led by Harry Piel and made by Ariel Production . 0 +Auaxa cesadaria is a moth of the family Geometridae . It is found in Japan , China and Taiwan . Auaxa cesadaria is a moth of the Geometridae family and is found in Japan , China and Taiwan . 1 +People from all over the Lujiang came to China to look at with Zhou Yu 's reverence . People from all over Lujiang came to China to look at Zhou Yu 's reverence . 1 +In 2012 , the airline carried 57,500 passengers per month to 15 international targets and 90,000 passengers on domestic routes ( about 1.77 million passengers per year ) . In 2012 , the airline carried 57,500 passengers to 15 domestic destinations and 90,000 passengers on international routes per month ( apx . 1.77 million passengers per year ) . 0 +The large area of black is first shaded with green and then with blue . The large area of black is shaded with green first and then with blue . 1 +In late 2017 , Brandon founded the garage rock band The Vitriots with Sydney-based Richard Heath and Jaxon Brown . In late 2017 , Jaxon Brown started garage rock band , 'The Vitriots ' , with Sydney-based Richard Heath , and Brandon . 0 +Burroughs was a native of Mathews County , Virginia , and spent most of his career at the Gosport Yard ( known as Norfolk Naval Shipyard after 1862 ) . Burroughs was a native of Mathews County , Virginia , and spent most of his career on the Yard Gosport ( known as Norfolk Naval Shipyard after 1862 ) . 1 +The Hallets Cove Terminal is located in Astoria , between the public residential project Astoria Houses and the Socrates Sculpture Park . The Astoria Terminal is located in the Hallets Cove between the Astoria Houses project and Socrates Sculpture Park . 0 +Thomas Tombers 's mayor is Schutz , and his deputy is Joachim Heibges . Mayor of Schutz is Thomas Tombers , and his deputy is Joachim Heibges . 0 +The first consonant of every word was then dropped , the distribution of unpredictable leaving . The unpredictable consonant of each word was then dropped , the distribution leaving first . 0 +Yiddish names are in parentheses ( if current ) , different names are linked . Yiddish names are linked in parentheses ( if different ) , current names are associated . 0 +Iva Majoli won the title by defeating Mary Pierce in the final with 6 : 4 , 6 : 4 . Iva Majoli won the title by defeating Mary Pierce 6 -- 4 , 6 -- 4 in the final . 1 +He is a cousin of Hollywood actor Nehemiah Persoff , composer/conductor Philip Green ( composer ) and British television presenter Fiona Phillips He is a cousin of Hollywood - actor Nehemiah Persoff , composer / conductor Philip Green ( composer ) and the British television presenter Fiona Phillips . 1 +Then Scott and Short traveled overland to the Kentucky River to claim the land that they would later investigate . Scott and Short then traveled overland to the Kentucky River to examine the land they would later claim . 0 +"In the episode "" Death Valley Days "" , "" An organ for brother Brigham "" ( 1966 ) , Byron Morrow played in a cameo performance ." "Young played Byron Morrow in a cameo appearance in the "" Death Valley Days "" episode , "" An Organ for Brother Brigham "" ( 1966 ) ." 0 +He wrote the screenplay in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . He wrote the script in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . 1 +Without a big attacker , Garzelli was very constant and could go with the best climbers on a good day . Without being a great attacker , Garzelli was very constant and , on a good day , he could go with the best climbers . 1 +Darren Wassall attended our Lady of Fatima Primary School and the Lordswood Girls Secondary School and is a cousin of footballer Isitt . Isitt went to our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Darren Wassall . 0 +The two secondary schools , Heatherhill Secondary College , Springvale Secondary College and Chandler Secondary College , have been merged to Keysborough Secondary College with Coomoora Secondary College . The two secondary schools , Heatherhill Secondary College and Coomoora Secondary College , were merged to Keysborough Secondary College with Springvale Secondary College and Chandler Secondary College . 0 +On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with DeSagana Diop , in exchange for Matt Carroll . On January 16 , 2009 , Hollins was traded with Matt Carroll in exchange for DeSagana Diop to Dallas Mavericks . 0 +"The title song "" Hain Yeh Silsilay "" by Tanhaiyan Naye Silsilay is sung by Zoe Viccaji , composed by Shani Haider and the lyrics of Shahi Hasan ." "The title song "" Hain Yeh Silsilay "" from Tanhaiyan Naye Silsilay is composed by Zoe Viccaji , sung by Shahi Hasan and by Shani Haider ." 0 +Clarke was the second husband of Arthur 's mother Katherine . Clarke was the second husband of mother Arthur Katherine . 1 +Lehigh River is a tributary of the Mahoning Creek in the Schuylkill and Carbon Counties , Pennsylvania , in the United States . Mahoning Creek is a tributary of the Lehigh River in Schuylkill and Carbon counties , Pennsylvania , in the United States . 0 +The preferred method of treatment at the time was active medication . The most active treatment at that time was the preferred medication . 0 +Frank Malina died in 1981 in Paris , near Boulogne Billancourt , France . In 1981 , Frank Malina died in Boulogne Billancourt , near Paris . 0 +It is ( covered ) by the integument , superficial fascia , Platysma and deep fascia ; It is covered by the integument , deep fascia , the platysma and the superficial fascia . 1 +In order to limit the number of seats obtained by the Gaullists and the Communists , electoral reform was passed . In order to limit the number of seats won by the Gaullists and the Communists , an electoral reform was passed . 1 +There were 12 male and 31 female athletes representing the country at the 2000 Summer Paralympics . There were 12 male and 31 female athletes representing the country at the summer - Paralympics 2000 . 1 +The Barmat scandal was later used in the Nazi - propaganda as both an electoral strategy and an appeal to anti-Semitism . The Barmat Scandal was later used often in Nazi propaganda , both as an electoral strategy and as an appeal to anti-Semitism . 0 +Sundance is once again foiled on a job by the Poet getting there first , and three of Sundance 's men are killed . Once again , Sundance is killed by a job when the poet first comes there , and three of Sundance 's men are foiled . 0 +Mansour Bahrami and Henri Leconte won in the final 6 -- 4 , 7 -- 6 against Jeremy Bates and Anders Järryd . Jeremy Bates and Anders Järryd won against Mansour Bahrami and Henri Leconte in the finals 6 : 4 , 7 : 6 . 0 +He was drafted by the Chicago Cardinals and played for the Washington Redskins and the Philadelphia Eagles . He was drafted by the Chicago Cardinals and played for the Philadelphia Eagles and Washington Redskins . 1 +In 1958 he spoke throughout East Asia and in Western Europe , and in 1961 in Northern Ghana . In 1958 he spoke throughout East Asia and Western Europe and in 1961 in Northern Ghana . 1 +With support from the Rockefeller Foundation and the Carnegie Foundation , Carter contributed . With support from the Carnegie Foundation and the Rockefeller Foundation , Carter conterred . 1 +The logo is similar to that of the NHL 's Florida Panthers , the old jersey of the Bearcats is that of the Buffalo Sabres from 1996 / 97-2005 / 06 . The logo is similar to that of the NHL Buffalo Sabres , the jersey of the Bearcats is that of the Florida Panthers from 1996 / 97-2005 / 06 . 0 +The Edmonton Oilers became the first National Hockey League team in Alberta when they were absorbed by the NHL than the WHA Fold . The Edmonton Oilers were the first NHL team in Alberta when they were absorbed by the National Hockey League as the WHA folds . 1 +The album has been released in Finland by Kablio Muzika , in Lithuania by One Drop and in Russia by Kamaset levyt on a LP . The album has been released in Lithuania by Kablio Muzika , in Russia by One Drop and in Finland by Kamaset Levyt on an LP . 0 +He married Margaret Fleming of Barrochan and was succeeded by his eldest son , Alexander . James married Margaret Fleming of Barrochan and was succeeded by Alexander , his eldest son . 1 +Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Colombia ) is a Colombian footballer currently playing for Total Chalaco of the Segunda División in Peru . Óscar Eduardo Villarreal ( born March 27 , 1981 in Cali , Colombia ) is a Colombian footballer who is currently playing for Total Chalaco of the Segunda División in Peru . 1 +The Casimcea River is a tributary of the Cartal River in Romania . The river Cartal is a tributary of the Casimcea River in Romania . 0 +It runs along the old Sohmer Piano Factory , beneath Walnut Street and along Main Street . It runs along the old Sohmer Piano Factory , under Main Street , and along Walnut Street . 0 +Bonchurch is situated on the southern coast of the Isle of Wight , England just to the east of the village of Monks Bay . is situated on the southern coast of the Isle of Wight , England , east of the village of Monks Bay . 1 +Olympias is a reconstruction of an ancient Athenian trireme and an important example of experimental archaeology . Olympias is a reconstruction of an old Athenian trireme and an important example of experimental archaeology . 1 +New Zealand has similar restrictions contained in its Unsolicited Electronic Messages Act 2007 . New Zealand has similar restrictions in its 2007 Act on Electronic Unsolicited Messages . 1 +Baby Boom is a 1987 romantic comedy film directed by Nancy Meyers , produced by Charles Shyer and Shyer , and written by Meyers and Bruce A . Baby Boom is a romantic comedy orchestrated by Nancy Meyers in 1987 , produced by Charles Shyer and Shyer and written by Meyers and Bruce A . 1 +Weyman Airpark is an airport in New Brunswick , Canada located near the Keswick River in Sisson Settlement . Keswick River is an airport located in New Brunswick , Canada , near Weyman Airpark in Sisson Settlement . 0 +"She called this "" an honor "" and "" flattering , "" and added , "" It 's new for our society , as well ." "She called "" an honor "" and "" flattering "" , and added : "" It is new for our society as well ." 1 +A post office , called Greenbush , was established in 1852 and remained in operation until 1906 , when Greenbush was founded in 1861 . A post office called Greenbush was platted in 1852 and remained in operation until 1906 . Greenbush was established in 1861 . 1 +The winning team from Mike McEwen represented Ottawa in the Tim Hortons Brier 2016 in Manitoba . The winning Mike McEwen team represented Manitoba at the 2016 Tim Hortons Brier in Ottawa . 0 +In the late 1970s , Willie Francis lived in Canada and worked in Jamaica for several years before returning to England . Willie Francis lived in Canada in the late 1970s , and worked in Jamaica for a number of years before returning to England . 1 +A second son of Berkeley John Talbot Levett and his wife Lady Jane was Theophilus Levett , an officer at the Scots Guards . A second son of Berkeley John Talbot Levett and his wife Lady Jane was Theophilus Levett , an officer in the Scots Guards . 1 +It is found in Iron Knob , especially in the Iron Monarch Mine , South Australia , Middleback Range , Eyre Peninsula , South Australia . It is found in South Australia , specifically in the Iron Monarch mine , Iron Knob , Middleback Range , Eyre Peninsula , South Australia . 0 +Björn Borg defeated Guillermo Vilas , 6 -- 1 , 6 - - 1 , 6 - 3 Guillermo Vilas defeated Björn Borg , 6 -- 1 , 6 -- 1 , 6 -- 3 . 0 +Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , also known as Aiza Khan , is a Pakistani TV actress and model . Ayeza Khan ( born 15 January 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . 0 +Ulriksdal Palace , preferred by Sweden , as his summer residence and ignored Drottningholm , but Oscar II of Sweden continued the repairs . Charles XV of Sweden preferred Ulriksdal Palace as his summer residence and ignored Drottningholm , but Oscar II of Sweden continued the repairs . 1 +The album reached number 1 on the album charts in Sweden and number 16 in Norway . On the album charts , the album peaked at number 1 in Norway and number 16 in Sweden . 0 +In the above example , the topological statement is that the 3rd homotopy group of the three sphere is In the above example , the topological statement is that the 3rd homotopy group is of three spheres . 1 +The village of North Bellport is located on the shore of Bellport Bay , an arm of the Great South Bay , one mile south of Bellport . The village of North Bellport is located on the shore of Bellport Bay , an arm of the Great South Bay , a mile south of Bellport . 1 +Formally , Bridgeville was part of Rock Hill . Formally speaking , Rock Hill was part of Bridgeville . 0 +The postwar immigrants founded the Belarusian Congress Committee of America here in 1951 . The immigrants of the postwar period founded the Belarusian Congress Committee of America here in 1951 . 1 +The journal is published by Brill and indexed in Academic Search Complete and Scopus . The magazine is indexed by Brill and published in Academic Search Complete and Scopus . 0 +Searching a binary search tree after a specific key can be programmed recursively or iteratively . Searching a binary search tree for a specific key can be programmed recursively or iteratively . 1 +In rural areas , coverage is much higher than in urban areas . Coverage in rural areas is considerably higher than in urban areas . 1 +Although it was never used in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake events have been played . Although it has never been played in the series , elements of the gameplay for the Powerball , Whiplash and Earthquake Events were used . 0 +The Final FESPIC Games had 18 venues for the Games , 9 in Kuala Lumpur , 7 in Selangor and 1 in Putrajaya and Negeri Sembilan each . The Final FESPIC Games had 18 venues for the games . 9 in Selangor , 7 in Kuala Lumpur and 1 each in Putrajaya and Negeri Sembilan respectively . 0 +The company was re-established as Spacetec registered on December 11 , 1984 . The company was registered as a Spacetec , which was re-established on 11 December 1984 . 0 +Startforth Rural District was a historic district in the North Riding of the rural county of Yorkshire in the Pennines of Northern England . Startforth Rural District was a historical district in the North Riding of the rural county of Yorkshire in the Pennines of Northern England . 1 +It was published in the United Kingdom on August 31 , 2004 and in the United States on October 17 , 2005 . It was published in the United States on 31 August 2004 and on 17 October 2005 in the United Kingdom . 0 +It was designed by Eurocom Entertainment Software and published by Taxan . It was developed by Taxan and published by Eurocom Entertainment Software . 0 +The title track was sung by Yugabharathi and is composed by Priya Hemesh with lyrics by V. Harikrishna . The title track was composed by V. Harikrishna and sung by Priya Hemesh with texts by Yugabharathi . 0 +He considers C. S. Lewis a negative influence and has accused Lewis of featuring religious propaganda , misogyny , racism , and emotional sadism in his books . He considers C. S. Lewis to be a negative influence and has accused Lewis of pointing out in his books religious propaganda , misogyny , racism and emotional sadism . 1 +In June 1986 , Boeing 767-200ERs replaced the DC-10 fleet , with a new route to Montréal -- Mirabel International Airport . In June 1986 , Boeing 767-200ERs replaced the DC - 10 fleet with a new route to Mirabel International Airport , Montréal . 1 +Lars Rehmann defeated Rehmann 6 -- 4 , 3 -- 1 ( Greg Rusedski retired ) Lars Rehmann defeated Rehman 6 -- 4 , 3 -- 1 ( Retired Greg Rusedski ) 1 +On 30 August 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , Stephen Champlin , was married to a partner of John B. Cook in Minnesota . On August 30 , 1853 , Alexander Ramsey 's daughter , Eliza Ellen Champlin , married Stephen Champlin , a partner of Minnesota 's John B. Cook . 1 +Darren Wassall attended our Lady of Fatima Primary School and the Lordswood Girls Secondary School and is a cousin of footballer Isitt . Isitt attended our Lady of Fatima Primary School and Lordswood Girls Secondary School and is a cousin of the footballer Darren Wassall . 0 +This prayer and the following are concelebrated in a said fair by individual concelebrants . This prayer and the following are said by individual concelebrants in a concelebrated fair . 0 +Janice Turner was Carl 's husband and the father of Debbie 's Alice Whipple . Janice Turner was Carl 's husband , and the father of Debbie & Alice Whipple . 1 +The university is located in Sholinganallur about 15 kilometers from Chennai in Adyar . The university is located in Sholinganallur about 15 kilometers from Adyar in Chennai . 0 +Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , not the daughter of Elizabeth , played by Allison Janney . Katie Holmes ' character is the daughter of Mary , played by Cherry Jones , and not the daughter of Elizabeth played by Allison Janney . 1 +Treatment included progressive muscle relaxation , cognitive exposure therapy with interoceptive restructuring , or a combination of both . The treatment included progressive muscle relaxation , interoceptive exposure therapy with cognitive restructuring , or a combination of both . 0 +The Grand Haven depot was 33.29 miles from Detroit and 155.02 miles from Waterford , Michigan . The depot in Waterford was 33.29 miles from Detroit and 155.02 miles from Grand Haven , Michigan . 0 +This time the vocals were mastered by Matti Auerkallio , and the EP was performed by Pirkka Rännäli . This time the vocals were presented by Matti Auerkallio and the EP by Pirkka Rännäli was mastered . 0 +South Africa meridionalis is a small diving spider that lives in Tanzania . Tanzania meridionalis is a small jumping spider that lives in South Africa . 0 +This relatively small island is part of a large group formed by Kiatak , Herbert Island and Hakluyt Island . This relatively large island is part of a small group comprising Kiatak , Herbert Island and Hakluyt Island . 0 +Francisco Javier Mier Campillo ( 1748 -- 1818 ) was a Spanish bishop who was Grand Inquisitor of Spain from 1814 to 1818 . Francisco Javier Mier Campillo ( 1748 - 1818 ) was a Spanish bishop who , from 1814 to 1818 , was a Grand Inquisitor in Spain . 1 +The middle period ( 2600 to 2000 BC ) of the Yellow River culture in the late Longshan area is simultaneously with the classic Shandong Longshan culture . The late period ( 2600 to 2000 BC ) of the Longshan culture in the middle Yellow River area is contemporaneous with the classic Shandong Longshan culture . 0 +"Billboard wrote about the song : "" You know the beat , now catch the groove ." "About the song wrote Billboard : "" You start the beat , now know the groove ." 0 +"Organ Grinder is a "" copper coloured ale , with a duo of unusual hops from New Zealand to give him an interesting twist ." "Organ Grinder is a "" copper coloured ale , with a duo of unusual hops from New Zealand to give it an interesting twist . """ 1 +Gargan 's cousin , Joseph Gargan , and Paul F. Markham , a school friend of Kennedy , who had previously served as US lawyer for Massachusetts , were also present . Also present were Kennedy 's cousin Joseph Gargan and Paul F. Markham , a school friend of Gargan who had previously served as the U.S. Attorney for Massachusetts . 0 +Or the Egg object could use properties and instead use methods . Or the Egg object could use properties , and invoke methods instead 1 +The Czech composer Josef Jan Kovařík spent the summer of 1893 in Spillville , where his friend Antonín Dvořák had relatives . The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had kinship . 0 +The area was once served by Edinburgh Waverley Station , which provided direct access to Corstorphine . The area was once served by Edinburgh Waverley railway station which provided direct railway access to Corstorphine . 1 +"Jani Toivola hosted the "" Big Brother Talk Show "" and Vappu Pimiä was "" Big Brother Extra "" ." "Vappu Pimiä was the host of the "" Big Brother Talk Show "" and Jani Toivola hosted "" Big Brother Extra "" ." 0 +On October 19 , Linear Technology ( SHPG ) replaced the Shire PLC ( LLTC ) index . On October 19 , Linear Technology ( SHPG ) replaced Shire PLC ( LLTC ) in the index . 1 +TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales were among the participants . The participants included TJ Trinidad , Biboy Ramirez , Eric Fructuoso , Rico Robles , Joem Bascon , Jordan Hererra , Rico Barrera , and Michael Roy Jornales . 1 +Freescale Semiconductor later was sold to Sigmatel . Sigmatel was sold to Freescale Semiconductor later . 0 +During the Nagorno-Karabakh War he participated in military operations in Martuni , Askeran , Martakert , Aghdam and was wounded at least three times . During the mountain - Karabakh - war , he participated in military operations in Martuni , Askeran , Martakert , Aghdam and was wounded at least three times . 1 +The river Pascu is a tributary of the Valea Voenilor river . The river Valea Voenilor is a tributary of the river Pascu . 0 +Kirk Deighton is served by Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate through Wetherby and Spofforth . Kirk Deighton is served by route 780 , Harrogate to Wetherby , and route X70 , Kirk Deighton to Knaresborough via Wetherby and Spofforth . 0 +In June 2005 , Auzentech provided the first consumer sound card with Dolby Digital Live support with its X-Mystique PCI card . In June 2005 Auzentech , which provided the X - Mystique Consumer sound card with Dolby Digital Live with its first PCI card , came then . 0 +Benjamin Ray ( born 1819 Hudson , Columbia County , New York ) was an American politician from New York . Benjamin Ray ( * 1819 Hudson , Columbia County , New York ) was an American politician from New York , USA . 1 +The two leased aircraft from Centavia were returned to the lessor BAE Systems on 9 November 2006 . Centavia 's two returned aircraft were leased to the lessor , BAE Systems , on November 9 , 2006 . 0 +Sambora and lead singer Jon Bon Jovi formed the main songwriting unit for the band . Sambora and lead singer Jon Bon Jovi formed the main - songwriting - unit of the band . 1 +In February 2016 it was announced that Steve Poizner has joined Governor John Kasich of Ohio as National Co Chairman and California State Chairman for Kasich for President . In February 2016 , it was announced that Steve Poizner Governor John Kasich of Ohio joined the National Co Chairman and California State Chairman for Kasichel as President . 0 +These gates are of enormous size , ranging from high , depending on their position , and are thick . These gates are of enormous size , ranging from high , depending on position , and are thick . 1 +Basque folk music Bambuco has Colombian roots . Bambuco , a Basque folk music , has Colombian roots . 1 +They did not hesitate to send members of the various professions to the respective congresses held in Bessarabia throughout the year 1917 , and they became very powerful . They did not hesitate to send members of their respective professions to the various congresses held in Bessarabia throughout the year 1917 , and they became extremely influential . 0 +Played 4 Won 1 ( Canberra , Gold Coast ) , Lost 3 ( Melbourne , Penrith ) 2015 Played 4 Won 1 ( Melbourne ) , Lost 3 ( Canberra , Gold Coast , Penrith ) 0 +In 2011 , Geraldine Hardy was not the director as he was director at Belmont City College and was replaced by Trevor Hunter in 2012 . Geraldine Hardy was not the principal in 2011 as he was Principal at Belmont City College and was replaced in 2012 by Trevor Hunter . 1 +The announcer was David David , and Carl Fenton conducted the orchestra . Carl Fenton was the announcer and David Ross conducted the orchestra . 0 +Magnus turned the heel and reformed the British invasion of Williams by attacking Eric Young and Orlando Jordan 's team . Williams turned around and reformed the British invasion of Magnus by attacking the Eric Young and Orlando Jordan team . 0 +Clatsop County comprises the Astoria , OR Micropolitan Statistical Area and is located in the northwest - Oregon . Clatsop County comprises the Astoria , OR Micropolitan Statistical Area and is located in Northwest Oregon . 1 +This course will be designed for younger Dunghutti adults in 2013 , and a certificate 2 course will be offered for a test run in 2014 . This course will be offered to younger Dunghutti adults in 2013 , and a certificate 2 course will be designed for a test run in 2014 . 0 +"Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are rural and 91 are urban :" "Ararat is currently divided into 95 communities ( "" hamaynkner "" ) , of which 4 are urban and 91 rural :" 0 +The venue features two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1,100 people ) . The venue has two stages , a main stage ( capacity 300 people ) and a small stage ( capacity 1,100 people ) . 1 +After a while Wang Di left the band and was replaced in August 2008 by Miao Yu Jia . After a while , Wang Di left the band and was replaced by Miao Yu Jia in August 2008 . 1 +Other languages spoken at home include Mandarin 4.0 % , Spanish 1.8 % , Greek 1.7 % , Russian 1.6 % and Cantonese 1.3 % . Other languages spoken at home included Mandarin 4.0 % , Cantonese 1.8 % , Russian 1.7 % , Greek 1.6 % and Spanish 1.3 % . 0 +Segura ( also known as Diego ) was a Marcilla and Isabel , one Juan Martinez . Juan Martinez ( also known as the Diego ) was a Marcilla and Isabel a Segura . 0 +Born in Monterrey , Mora played professionally for Universidad de Guadalajara , Cruz Azul and Guadalajara . Born in Guadalajara , Mora played professionally for the Universidad de Guadalajara , Cruz Azul and Monterrey . 0 +The brother of Philip Gunawardena and the eldest son of Dinesh Gunawardena , he was educated at Royal College , Colombo . The brother of Dinesh Gunawardena and the eldest son of Philip Gunawardena , he was educated at the Royal College in Colombo . 0 +The area is famous as the site of the Battle of Chausa , in which the forces of Sher Shah Suri defeated Mughal emperor Humayun 's army in 1539 . The area is famous as the site of the battle of Chausa , in which the Humayun forces defeated the army of the Moghul emperor Sher Shah Suri in 1539 . 0 +Highsmith is the father of the current former NFL player Ali Highsmith and the uncle of the former NFL player Alonzo Highsmith . Highsmith is the father of current former NFL player Ali Highsmith and uncle of former NFL player Alonzo Highsmith . 1 +These places belong to Canada , Japan ( since 2012 ) , Spain and some parts of the United States . These places include Canada , Japan ( since 2012 ) , Spain , and some parts of the United States . 1 +A large stone is decorated with a bifurcated Latin cross coupled with second terminals and two crosslets in the upper angles . A second stone is decorated with a large Latin cross coupled with forked terminals and two crosses in the upper angles . 0 +Mirambeau is situated on the Via Turonensis , the ancient pilgrimage route from Paris to Santiago de Compostela via Tours . Mirambeau is situated on Via Turonensis , the old pilgrimage route from Santiago de Compostela via Tours to Paris . 0 +This is a list of the etymology of street names in the district Covent Garden in London . This is a list of the etymology of road names in the Covent Garden district of London . 0 +In November 1957 the Federal Party merged with the United Rhodesia Party to form the United Federal Party . In November of 1957 , the Federal Party merged with the United Rhodesia Party to form the United Federal Party . 1 +"In 2015 , Franco Dragone organized the Trenyce-produced cabaret show "" Taboo "" at the Casino City of Dreams in Macau , China ." "In 2015 , Franco Dragone hosted the Trenyce-produced cabaret show "" Taboo "" at the casino City of Dreams in Macau , China ." 1 +""" All Along the Watchtower "" was remixed in 2002 and released on The Paperboys ' greatest hits album "" Tenure "" ." """ All Along the Watchtower "" was released in 2002 and remixed on The Paperboys ' ; biggest hits - Album "" Tenure "" ." 0 +Early industries were built in Lycoming County to serve the farmers and citizens of East - Hughesville . Early industries in Hughesville were built to serve the farmers and citizens of eastern Lycoming County . 0 +""" Oliver Twist "" , published in 1838 , was one of Dickens ' best-known stories and became the first Victorian novel with a child protagonist ." """ Oliver Twist , "" published in 1838 , was one of Dickens 's better known stories , and became the first Victorian novel with a child protagonist ." 1 +Participants in the test condition were given an initial eye position , followed by a saccade - target position on the picture . Participants in the initial condition were given an experimental eye position , followed by a saccade target position on the picture . 0 +Communism is a communist ideology and movement with the ultimate aim of achieving a political society . Communism is a political ideology and a movement with the aim of communist society . 0 +The movie was produced by Sy Weintraub and Harvey Hayutin and directed by Robert Day . The movie was staged by Robert Day and produced by Sy Weintraub and Harvey Hayutin . 1 +"The March 2000 issue had a French edition , and a hardcover "" limited "" edition appeared in 2002 ." The March 2000 edition had a French issue , and in 2002 a bound edition appeared . 0 +A practicing member of the Presbyterian faith , White was a Mason in the Clinton Lodge of Romney , where he had served as a Master . White , a practising member of the Presbyterian faith , was a bricklayer in the Clinton Lodge of Romney where he had served as a master . 1 +He performed at festivals in Vienna , Holland , Oregon , Tanglewood , Edinburgh , Marlboro Bach and Carmel Bach . He performed at the festivals of Edinburgh , Marlboro , Tanglewood , Vienna , Holland , Oregon Bach and Carmel Bach . 0 +She was to become the mother of Jehangir 's eldest surviving son and successor , Akbar . She was to become the mother of Jehangir 's oldest surviving son and successor , Akbar . 1 +Henny Trylesinski , also known as Henny Trayles ( Hamburg , 4 June 1937 ) is a German-born Uruguayan actress and comedian who lives in Argentina . Henny Trylesinski , also known as Henny Trayles ( Argentina , June 4 , 1937 ) , is a Uruguayan - born German actress and comedian who lives in Hamburg . 0 +The large area of black is shaded first with green and then with blue . The large area of black is first shaded with blue and then with green . 0 +1938 : The nonprofit Saint Francis Hospital Company becomes the non-profit Saint Francis Hospital Association . 1938 : The for-profit Saint Francis Hospital Company becomes the non-profit Saint Francis Hospital Association . 0 +It can be used in structural testing , optical health monitoring and biomedical applications , where optically generated and non-contact measurements of ultrasound gives a nondestructive method of imaging . It can be used in structural tests , optical health monitoring and biomedical applications , where optically generated and non-contact measurements of ultrasound provide a nondestructive method of imaging . 1 +He spent most of his 11-year professional career with Tenerife , appearing in 197 competitive games during six seasons , one spent in La Liga . He spent most of his 11-year competitive career with Tenerife , published in 197 professional games in six seasons , one spent in La Liga . 0 +The Rose Revolution of 2003 replaced Georgian President Eduard Shevardnadze with Mikheil Saakashvili , who has promoted closer relations with Western institutions , including NATO . The Rose Revolution of 2003 replaced Georgian President Mikheil Saakashvili with Eduard Shevardnadze , who promoted closer ties with Western institutions , including NATO . 0 +Architectures implemented by intelligent agents are referred to as cognitive architectures . The architectures implemented by cognitive agents are referred to as intelligent architectures . 0 +Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey player and Canadian professional player . Marc Bergevin ( born August 11 , 1965 ) is a former ice hockey executive and Canadian professional player . 1 +The 1982 -- 83 NBA season was the 37th season of the National Basketball Association . The NBA season between 1982 and 83 was the 37th season of the National Basketball Association . 1 +When Vijay learns of Rama 's innocence , she has a change of heart and she and Vijay reconcile themselves . When Rama learns of Vijay 's innocence , she has a change of heart and she and Vijay reconcile . 0 +On 8 January 2008 , Cumbers was recalled from Grays to Gillingham , but was loaned to AFC Wimbledon on 8 February 2008 to gain further first team experience . On 8 January 2008 , Cumbers was borrowed from Grays to Gillingham , but was recalled to AFC Wimbledon on 8 February 2008 to gain further experience in the first team . 0 +"She became the founder of the Inner Healing Movement and was the author of "" Healing Light "" ." "She was the founder of the Inner Healing Movement and became the author of "" Healing Light "" ." 0 +He originally played with HC Spartak Moscow in the Continental Hockey League during the 2010 -- 11 KHL season . He originally played with HC Spartak Moscow in the Kontinental Hockey League during the 2010 -- 11 KHL season . 1 +TS can be derived theoretically for simple targets such as spheres and cylinders , but in practice , it is usually measured empirically or calculated with numerical models . Theoretically , TS can be measured for numerical targets such as balls and cylinders , but is usually calculated empirically or derived with simple models in practice . 0 +A great battle took place on the Dagorlad in which Sauron 's forces were stormed and the Black Gate was destroyed . At Dagorlad , a great battle took place in which Sauron 's forces were destroyed and the Black Gate stormed . 0 +Shōgun : The Musical is a musical with a book and lyrics by John Driver and music by Paul Chihara . Shōgun : The Musical is a musical with a book and texts by John Driver and music by Paul Chihara . 1 +The Song was also used as the theme for the British remake of American Sitcom , The Inbetweeners . The song was also used as a subject for the American remake of the British sitcom , The Inbetweeners . 0 +She worked and lived in Germany ( Stuttgart , Berlin ) and in Vienna ( Austria ) . She worked and lived in Stuttgart and Berlin ( Germany ) and in Vienna ( Austria ) . 1 +He graduated from Harvard University in 1891 , and then received a master 's degree from MIT in 1893 . He graduated from Harvard University in 1891 and received a MASTER degree from MIT in 1893 . 1 +For their performances in the game , quarterback Jameis Winston and defensive back P. J. Williams were named the game 's most valuable players . Quarterback Jameis Winston and Defensive Back P. J. Williams were named the most valuable players of the game for their performances in the game . 1 +The current Lodge , known as The Lodge on Lake Creek , is located at the eastern end of the lake , north of the Suttle Lake Outlet . The current lodge , known as The Lodge at Lake Creek , is located at the east end of the lake , just north of the Suttle Lake outlet . 1 +Mike Parlett ( also known as Michael J. Parlett ) is an English jazz saxophonist - producer and radio moderator . Mike Parlett ( also known as Michael J. Parlett ) is an English jazz saxophonist producer and radio host . 1 +The Zagreb recordings , made at the Kulušić club , were announced by the rock critic Dražen Vrdoljak and featured Theodore Yanni on guest guitar . Zagreb recordings announced at the Kulušić club were made by the rock critic Dražen Vrdoljak and made available to Theodore Yanni on the guest guitar . 0 +The village of Mineral Hills and the city of Stambaugh were consolidated with the city of Iron River with effect from 1 July 2000 . Effective July 1 , 2000 , the village of Iron River and the city of Stambaugh were consolidated with the city of Mineral Hills . 0 +These include the Union of European Federalists , the European Federalist Party and the European International Movement . These include the Union of European Federalists , the European Federalist Party and the European Movement International . 1 +Balıklı is a village in the district of Gümüşhacıköy , Turkey , province Amasya . Balıklı is a village in the district of Gümüşhacıköy , province Amasya , Turkey . 1 +The film was written by AR Murugadoss and co-produced and produced by P. Madhan under the banner of Escape Artists Motion Pictures . The film was written and co-produced by AR Murugadoss and produced by P. Madhan under banner of Escape Artists Motion Pictures . 1 +There are Amateur Barbershop Harmony Society and occupational groups that sing exclusively a cappella . There are professional Barbershop Harmony Society and amateur groups who sing exclusively a cappella . 0 +This galant style was part of the wider musical movement in art at the time . This musical style was at the time part of the broader galant movement in art . 0 +Internal mass migration also took place when 2 million Americans migrated to California , of which 1.2 million settled in Los Angeles . Internal mass migration also took place when 2 million Americans migrated to Los Angeles , of which 1.2 million were resident in California . 0 +Rapper Eminem mentions Dr. Dre in his song Guilty Conscience , in which Dee Barnes is featured . Rapper Eminem mentions Dr. Dre in his song Guilty Conscience , in which Dee Barnes occurs . 1 +The river Urechioiu is a tributary of the river Burduja in Romania . The Burduja River is a tributary of the Urechioiu River in Romania . 0 +The season 1954 -- 55 National Basketball Association was the ninth NBA season . The NBA season between 1954 and 55 was the ninth season of the National Basketball Association . 1 +According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so gave TNA the promos to Anarquia . According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotyped jargon , so gave TNA the promos to Anarquia . 0 +""" Mauritia Mayer "" is the fourth single by English gothic rock band Sex Gang Children , and their first on Clay Records ." """ Mauritia Mayer "" is the fourth single of the English Gothic Rock band Sex Gang Children and their first on Clay Records ." 1 +This species is caught regularly along the coasts of Sicily , Italy , Greece , Crete , France , Turkey and Spain . This species is caught regularly along the coasts of Crete , Greece , Sicily , Italy , France , Turkey and Spain . 1 +Frederick died on February 23 , 1902 at Johnstone Street in Bath and is buried with his wife in Faulkbourne . Frederick died at Johnstone Street , Bath , on 23 February 1902 and is buried with his wife at Faulkbourne . 1 +""" Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the Mount Rainier National Park material in 1950 , is a synonym ." """ Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from material described Mount Rainier National Park , is a synonym ." 0 +"Narrated Anas bin Malik : Abu Jahl said , "" O Allah !" "Abu Jahl narrated : Anas bin Malik said : "" O Allah !" 0 +It is about 4 miles east of Caernarfon , 7 miles south of Bangor and 3 miles northwest of Llanberis . It lies about 4 miles to the east of Caernarfon , 7 miles south of Bangor and 3 miles northwest of Llanberis . 1 +The valley itself is made rocky through the river , while the surrounding area is lush and green desert . The valley itself is made lush by the river and green , while the surrounding is stone desert . 0 +1967 : The steel industry was born and the British Steel Corporation is nationalised . 1967 : The steel industry is born and the British Steel Corporation is nationalised . 1 +The Athelas Sinfonietta Copenhagen is a Copenhagen-based , Danish chamber ensemble specializing in performing modern compositions . Athelas Sinfonietta Copenhagen is a Copenhagen-based , Danish chamber ensemble specializing in the performance of modern compositions . 1 +The change from thirty nights to forty nights does not reflect a change in Moses ' knowledge , but only a change in the knowledge which God possessed . The change from thirty nights to forty nights do not reflect a change in God 's Knowledge , but only a change in the knowledge that Moses possessed . 0 +Dye rode in Mauritius after eight years in Hong Kong . Dye rode in Hong Kong in Mauritius after eight years . 1 +"The book is the basis for the 2016 film "" In the Forests of Siberia "" directed by Safy Nebbou and with Raphaël Personnaz ." "The book is the basis for the 2016 film "" In the Forests of Siberia "" , directed by Raphaël Personnaz and Safy Nebbou ." 0 +Kaamadhenu is an Indian Malayalam film from 1976 , directed by J. Sasikumar and produced by Hassan Rasheed . Kaamadhenu is an Indian Malayalam film from 1976 , produced by J. Sasikumar and directed by Hassan Rasheed . 0 +In 1932 , the company moved cigar production from Cuba to Trenton following a strike in the Cuban factory and to avoid high tariffs . The company moved cigar production from Cuba to Trenton in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . 1 +"The inhabitants of Saint-Étienne are called in French "" Stéphanois "" because they are "" Étienne "" from Greek "" Stephanos "" ." "Inhabitants of Saint-Étienne are called "" Stéphanois "" in French . They are named so because "" Étienne "" derives from the Greek "" Stephanos "" ." 0 +In 2012 , he went to Canada to play with London City in the Canadian Soccer League.He returned to Serbia to play with Srem Jakovo , and Jedinstvo Surčin . In 2012 , he went to Canada to play with London City in the Canadian Soccer League , returning to Serbia to play with Srem Jakovo and Jedinstvo Surčin . 1 +"After him , undecided Marshal de Bono said "" yes "" , and towed the old with him ." "Indecisive Marshal de Bono said after him "" Yes "" and towed with him the old ." 1 +The species were named and described in 2013 and were discovered by Samuel P. Iglésias and Lou Frotté in 2015 . The species was named and described in 2013 and discovered in 2015 by Samuel P. Iglésias and Lou Frotté . 1 +Amata hyalota is a sort of moth of the family Erebidae It is found in Queensland ( Australia ) . Amata hyalota is a species of moth of the family Erebidae . It is found in Queensland ( Australia ) . 1 +The Mija Mică River is a tributary of the River Jieţ in Romania . The Jieţ is a tributary of the Mija Mică River in Romania . 0 +Contempo Magazine is a monthly American print and online magazine in McAllen , Texas . Contempo Magazine is a daily American print and monthly magazine , published in McAllen , Texas . 0 +Vincent van Gogh gave Agostina Segatori 's first exhibition in her Café Tambourin . Vincent van Gogh gave Agostina Segatori 's first exhibition at her Café Tambourin . 1 +He completed the military school in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . He graduated from the Military School in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . 1 +She was the second daughter and the youngest of four children born of Philander Montague Wright and his wife , Mary Weeks ( Bracket ) Wright . She was the second daughter and the youngest of four children born to Philander Montague Wright and his wife , Mary Weeks ( Bracket ) Wright . 1 +The songs were composed by Gulzar with lyrics penned by A. R. Rahman . The songs were composed by Gulzar with lyrics by A. R. Rahman . 1 +Bhilai is a city in the district of Durg , Chhattisgarh , in eastern central India . Bhilai is a city located in the Durg district of Chhattisgarh , in eastern Central India . 1 +"On 31 August 1819 , Wollstonecraft met in Sydney on board the ship "" Grenada "" ." "Wollstonecraft arrived on August 31 , 1819 on board the ship "" Sydney "" in Grenada ." 0 +Kevin White married Kathryn Galvin in 1956 , the daughter of William J. Galvin , who also served as a Boston City Council president . In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the city council in Boston . 1 +Cumulatively , current reasoning and a patch test help determine if nickel could be the cause of a clinical dermatitis reaction . Cumulatively , clinical conclusions and a patch test help if nickel could be the cause of a current dermatitis reaction . 0 +""" Too Big to Fail "" -- Teleplay by Peter Gould , Based on the book "" Too Big to Fail "" by Andrew Ross Sorkin ; HBO" """ Too Big to Fail "" -- Teleplay by Peter Gould , based on the book "" Too Big to Fail "" by Andrew Ross Sorkin ; HB ; HB" 0 +Great Tree , a large holiday park and campsite , is situated at Looe Bay Holiday Park . Great Tree , a large holiday park and campsite , is located at Looe Bay Holiday Park . 1 +Maughan and his wife , the former Lorraine Hannemann of Manhattan , New York , live in Honolulu , Hawaii . Maughan and his wife , the former Lorraine Hannemann of Manhattan , New York , reside in Honolulu , Hawaii . 1 +Leyendecker is buried alongside parents and brother Frank at Woodlawn Cemetery in The Bronx , New York City . Leyendecker is buried beside parents and brother Frank at the Woodlawn cemetery in Bronx , New York City . 1 +Lufthansa announced its plans to transfer short-haul flights from cities other than Frankfurt and Munich from Lufthansa to Germanwings in 2012 . In 2012 , Lufthansa announced its plans to transfer point-to-point shorthaul flights operating from cities other than Frankfurt and Munich from Germanwings to Lufthansa . 0 +Awwad was born in Jerusalem and graduated from the Arab College in Salfit in 1947 . Awwad was born in Salfit . He graduated from the Arab College in Jerusalem in 1947 . 0 +Armand married Anne Marie Martinozzi , daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the elder sister of Cardinal Mazarin , with the following children : Cardinal Mazarin married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , elder sister of Armand . They had the following children : 0 +Mode 9 was born in Osun State on June 14 , 1975 as the third child of his parents but maintains , ( London ) as his origin . Mode 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origins . 0 +"It was published by ( Spreng . ) K.Schum and described in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , 1888 ." "It was described by ( Spreng . ) K.Schum . and published in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , in 1888 ." 0 +The Sheffield Manor Lodge visitor attraction includes the Turret house , Tudor grounds , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . The visitor attraction of Sheffield Manor Lodge includes Turret House , Tudor Premises , Discovery Centre , Manor Oaks Farm , Manor Cottages and Rhubarb Shed Cafe . 1 +Note that this last bracket is an anti commutator , not a commutator , because both generators are odd . Note that this odd bracket is an anti-commutator , not a commutator , because both generators are last . 0 +The castle was converted twice : in the 19th century for the first time and in the 15th century , after it had been partially destroyed . The castle was rebuilt twice : in 19th century for the first time and in 15th century , after it had been partially destroyed . 1 +Her elder sister was named Mary Maude , and her younger sister was Florence Fitch . Her elder sister was Mary Maude , and her younger sister was Florence Fitch . 1 +""" We find the following local item telegraphed to the Fayette Republican from Cedar Rapids , March 6 , 1885 ." We find the following local object telegraphed to the Republican fayette from Cedar Rapids , March 6 , 1885 . 1 +El Arco Mine is a large copper mine in the northwest of the Baja California in Mexico . The El Arco mine is a large copper mine located in the north-west of Baja California in Mexico . 1 +She sailed over Rio de Janeiro and arrived in Sydney on 14 September . She sailed via Rio de Janeiro and arrived in Sydney on 14 September . 1 +Landscape is an album by pianist Kenny Barron which was released in 1984 and first recorded on the Japanese Baysta Landscape is an album by pianist Kenny Barron , which was recorded in 1984 and was released on the Japanese label Baystate for the first time . 0 +"He also painted in the Certosa di San Martino , where he worked in the "" Coro dei Conversi "" and "" Quarto del priori "" ." "He also painted in the Certosa di San Martino , where he worked in the "" Coro dei Conversi "" and the Quarto del priori "" ." 1 +A second company , Winslow Life Raft Company was established as New York Rubber Company in 1941 . A second company , Winslow Life Raft Company was founded as the New York Rubber Company in 1941 . 1 +The United States Postal Service operates the Bell Post Office in 6327 Otis Avenue and the Bandini Station Post Office in 5555 Bandini Boulevard . The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and the Bandini Boulevard Post Office at 5555 Bandini Station . 0 +The Ibirapuera Park is located in this subprefecture , as well as the brazilian campus of Federal University of São Paulo and the main headquarters of IBM . Ibirapuera Park is located within this subprefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . 0 +As a Dr. Pepper salesman , Jimmy knew all of the local grocery store owners and they would save the overripe bananas for Bob . As a seller of Dr. Pepper , Jimmy knew all the local grocery owners and they would save the overripe bananas for Bob . 1 +A funnel is a pipe with a conical mouth , good for feeding , often wide mouth and a narrow stable . A funnel is a pipe with a conical mouth , good for feeding , often wide mouth and a narrow stem . 0 +It was commissioned by the governor of Rome , Ludovico Spada Veralli Potenziani , who had been directed by Mussolini to manage the Capital . It was headed by the Governor of Rome , Ludovico Spada Veralli Potenziani , who had been commissioned by Mussolini to lead the capital . 0 +He was from Feckenham , Worcestershire , England , born to Joyce Sutton of Wattlesborough and Edward Sutton , daughter of John Leighton , 2nd Baron Dudley . He was born from Feckenham , Worcestershire , England , to Joyce Sutton by Wattlesborough and Edward Sutton , daughter of John Leighton , 2nd Baron Dudley . 1 +The lowest temperature ever registered in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was January 13 , 2012 . The lowest temperature ever recorded in Pokhara was on 4 May 2013 , while the highest temperature ever recorded was on 13 January 2012 . 1 +Besides Quintin , they had five children : Lucy , Phillip , Juan , Patrick and Willie . Besides Quintin , they had five children : Juan , Phillip , Willie , Patrick and Lucy . 1 +In the late seventh century BC it became part of Assyria and remained so until the ninth century BC . In the ninth century BC it became part of Assyria and remained in it until the late seventh century BC . 0 +""" Slate "" has pointed out that , contrary to what is depicted in the film , Landy did not accompany Wilson and Ledbetter on their first date ." """ Slate "" pointed out that Landy did not accompany Wilson and Ledbetter on their first date , contrary to what is presented in the film ." 1 +Clement Teo is the current team manager of S. League team , Hougang United . Clement Teo is the current Team Manager of the Hougang United team , S. League . 0 +The visualization of single molecules , single cells , analytical tissues and nanomaterials is an important and attractive approach in biological science . The visualization of individual molecules , single cells , biological tissues and nanomaterials is an important and attractive approach in analytical science . 0 +In June 1986 , Boeing 767-200ERs replaced the DC - 10 fleet with a new route to Mirabel International Airport , Montréal . In June 1986 , Boeing 767-200ERs replaced the DC-10 fleet , with a new route to Mirabel International Airport , Montréal . 1 +James Nathaniel Holland adapted the story and wrote the music to the ballet , the Satyricon . American composer James Nathaniel Holland adapted the story and wrote the music to the ballet , The Satyricon . 1 +Rupert , the eldest son of Johann Rupert , is now the CEO of Richemont and Chairman of Remgro . Rupert 's eldest son , Johann Rupert , is now the CEO of Richemont and chairman of Remgro . 0 +He is more courageous , more passionate and extroverted with his music . """ With his music , he is more courageous , more passionate , more extroverted ." 1 +In the 1830 's , the British decided to replace Shah Shuja by Dost Mohammad Khan on the Kabul throne . By the 1830 ’ s , the British decided to replace Shah Shuja with Dost Mohammad Khan on the throne in Kabul . 1 +The bay ends at Trenton ( Quinte West ) and the River Trent , both on the north side . The bay ends at Quinte West ( Trenton ) and the Trent River , both also on the north side . 1 +And that , institutional patriarchs dominated family law because within these Judicial and intraclass rivalries judges succeeded in protecting their power over the law governing the hearth . And the judicial patriarchs dominated family law because , within these institutional and intra-racist rivalries , judges succeeded in protecting their power over the law that dominated the hearth . 0 +It was later reported that Sunita will embark on an affair with Karl Munro ( John Michie ) . Later , it was reported that Sunita will begin an affair with John Michie ( Karl Munro ) . 1 +The Groșetu River is a tributary of the Repedea River in Romania . The Repedea River is a tributary of the River Grojetu in Romania . 0 +The Octavian fleet was commanded by Antony , while the fleet of Marcus Vipsanius Agrippa was supported by Queen Cleopatra 's power from Ptolemaic Egypt . The Octavian fleet was commanded by Marcus Vipsanius Agrippa , while the fleet of Antonius was supported by Queen Cleopatra of Ptolemaic Egypt 's power . 0 +When Esther Frances Bramah 's sister Bramah died , the couple acted as wards for the orphaned children Thomas Bramah Diplock and Samuel Robey Diplock . When Bramah 's sister , Esther Frances Bramah died , the couple acted as districts for the orphaned children Thomas Bramah Diplock and Samuel Robey Diplock . 0 +In 2011 , H. W. Wilson Company took over EBSCO Publishing . In 2011 , EBSCO Publishing H. W. Wilson Company took over . 0 +Binary fluorides of metalloids and p- block - nonmetals are generally covalent and volatile , with varying reactivities , period 3 and heavier non-metals can form hypervalent fluorides . Binary fluorides of metalloids and p- block - nonmetals are generally hypervalent , with varying reactivities , period 3 and heavier non-metals can form covalent and volatile fluorides . 0 +The outer narrator meets his old friend Rodgers with Sterling , Colorado , and asks about the murdered agent at the Grover station . The outer narrator meets with his old friend Grover by Sterling , Colorado , and asks about the murdered agent at Rodgers station . 0 +Elinor had also privately told Do that she had read her letters to Julia . Julia had also told Do privately that she had read their letters to Elinor . 0 +An implementation that calculates the probability density function of the Wakeby distribution is included as routine WAKPDF in the scientific data library Dataplot . An implementation that computes the probability density function of the Wakeby distribution is included as a scientific WAKPDF in the routine calculation library of Dataplot . 0 +The Rusca River is a tributary of the River Giumalău in Romania . The River Giumalău is a tributary of the River Rusca in Romania . 0 +"Carpenter would describe the script as "" too campy , too light "" later ." "Carpenter would describe the script later as "" too light , too lax ." 0 +For many centuries it was a royal strange , independent royal , and since 1480 a chapel of the Diocese of Lichfield and even of the province of Canterbury . For many centuries it was a chapel royal , and from 1480 a royal peculiar , independent of the Diocese of Lichfield and even the Province of Canterbury . 0 +In November 2011 , Republicans were elected to all nine seats on the Board , and in 2015 , four were replaced by Democrats . In November 2011 , Republicans were elected to all nine seats on the Board . In 2015 four were replaced by Democrats . 1 +Sharifah Aini was born on 2 July 1953 in Johor Bahru , Campung Melayu Majidee , and grew up in the Sultanah Aminah Hospital , Johor Bahru , Johor . Sharifah Aini was born on 2 July , 1953 , at Kampung Melayu Majidee , Johor Bahru , and grew up in the Hospital Sultanah Aminah , Johor Bahru , Johor . 1 +On 17 March 2015 , Actavis acquired Allergan and adopted the name Allergan . On March 17 , 2015 , Allergan acquired Allergan and took the Actavis name . 0 +Irregular verbs are like the participle Perfect very predictable , but regular verbs ( mainly the second conjugation ) are many . Like the past participle , regular verbs are very predictable , but many verbs ( mainly of the second conjugation ) are irregular . 0 +La tempestad ( International translation : The Tempest , dubbed The Storm by Univision ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Televisa . La Tempestad ( International Translation : The Storm , called by Univision the Storm ) is a 2013 Mexican telenovela produced by Salvador Mejía Alejandre for Televisa . 1 +Alla Petrovna Tsuper ( born April 16 , 1979 ) is a Belarusian ( until 2000 ) and Ukrainian ( since 2000 ) flight skier . Alla Petrovna Tsuper ( ; ; ; born 16 April 1979 ) is a Ukrainian ( until 2000 ) and Belarusian ( since 2000 ) aerial skier . 0 +In 1859 , the executive committee elected Livermore as a member of the American Unitarian Association . The Executive Committee elected Livermore as a member of the American Unitarian Association in 1859 . 1 +The weighted weighting function at the wavelength formula 1 can be written as the mesoscopic sum . The mesoscopic weighting function at the wavelength formula 1 can be written as the weighted sum ; 0 +Subsequently , Fletcher apologized to Edwards and compensated him for the flowers . Subsequently , Edwards apologized to Fletcher and compensated him for the flowers . 0 +It is both a primary school , lower upper secondary school and secondary school with the International Baccalaureate program . It is both a primary school , upper secondary school and secondary school with the International Baccalaureate Program . 0 +Producers of the state are RJD2 ( Columbus ) and Drama Beats ( Akron ) . Producers from the state are RJD2 ( Akron ) and Drama Beats ( Columbus ) . 0 +Top Gear Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Snowblind Studios and published by Kemco . Hyper Bike is a motorcycle racing game for the Nintendo 64 , developed by Snowblind Studios and released by Kemco . 1 +There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more popular in Ireland than in Scotland . There are shorts in the Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is much more prominent in Scotland than in Ireland . 0 +He lived for twenty years in New York City and returned in May 2005 to San Antonio . He lived for twenty years in San Antonio and returned to New York City in May 2005 . 0 +It includes all of Douglas County , which includes Omaha , and the suburban areas of western Sarpy County . It includes all the Douglas county , which includes Sarpy County , and the western areas of the suburban county of Omaha . 0 +The long Herring Island lies east of Bousquet Island in the Windmill Islands . Herring Island , long , lies immediately east of Bousquet Island in the Windmill Islands . 1 +Olivella amblia is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . Olivella amblia is a species of the dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 0 +In June 1929 , Janet married John William Gordon Powell in New York City , who was an investment advisor . In June 1929 , in New York City , Janet married John William Gordon Powell , who was an investment counselor . 1 +The average body length is 50 centimeters , but the maximum length is 25 centimetres . The average body length is 50 centimeters , but the maximum length is 25 centimeters . 1 +The United States Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the Eastern Australian Football League . The Eastern Australian Football League is an Australian rule football competition in the eastern United States of America and a department of the United States Australian Football League . 0 +Although fiddling has changed considerably since this time in Scotland , it is widely held that the tradition of Scottish fiddle music has been better preserved in Cape Breton . Although fiddling has changed considerably since that time in Scotland , it is widely believed that the tradition of Scottish fiddle music in Cape Breton has been better preserved . 1 +Baker established himself on the Illinois side of the river , and Buell , the Iowa side . Baker was established on the Iowa side of the river , and Buell , the side of Illinois . 0 +The song was written by Thicke and Lamar alongside Dr. Luke , and produced by will.i.am and Cirkut . The song was written by Thicke and Lamar besides will.i.am and produced by Dr. Luke and Cirkut . 0 +""" Oliver Twist , "" published in 1838 , became one of Dickens 's better known stories , and was the first Victorian novel with a child protagonist ." """ Oliver Twist "" , released in 1838 , was one of Dickens ' better known stories and became the first Victorian novel with a child protagonist ." 1 +"From 2015 , Brown appears as a political commentator on Channel 9 's "" The Verdict "" with Karl Stefanovic ." "From 2015 Karl Stefanovic appears with Brown as a political commentator on "" The Verdict "" ." 0 +With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . With the weakening of the Canadian dollar , manufacturing sales and exports rose in November and December 2015 , and employment increased . 1 +Cyril Sieni ( Barcelona Cyril ) ( died after 1799 ) was a Spanish capuchin and missionary bishop . Cyril Sieni ( Cyril of Barcelona ) ( died after 1799 ) was a missionary Capuchin and Spanish bishop . 0 +On March 31 , 1958 Daley was traded , along with Gene Woodling and Dick Williams , to the Baltimore Orioles , for Larry Doby and Don Ferrarese . On 31 March 1958 , Daley , together with Larry Doby and Don Ferrarese , was traded on the Baltimore Orioles for Gene Woodling and Dick Williams . 0 +Barclays took over sponsorship of the Premier League from Barclaycard in 2004 . In 2004 , Barclays took over the sponsorship of the Barclaycard Premier League . 1 +The remaining aircraft were only used in large army maneuvers when they were piloted by pilots of the Air Force . The remaining aircraft were only used in large Army maneuvers , when they were piloted by Air Force pilots . 1 +"The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the second one is second a basic unit of time or a sixtieth of a second ." 1 +Many resort owners operated both a summer resort in Maine and a winter resort in Florida . Many owners of resorts operated both a summer resort in Florida and a winter resort in Maine . 0 +"Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are rural and 91 urban :" "Ararat is currently divided into 95 municipal communities ( "" hamaynkner "" ) , of which 4 are rural and 91 are urban :" 1 +He was born in Quebec around 1760 and settled in Detroit in 1782 ( the then Scotland ) . He was born in Quebec around 1760 and settled in Detroit ( then part of Scotland ) in 1782 . 1 +Much of the film was shot in Gladstone , New Jersey , New Brunswick , and Palisades Park , the home of the producer . Much of the film was shot in Gladstone , New Jersey ; New Brunswick ; and the Palisades Park home of the producer . 1 +The design of this European porcelain has been made by Wagener according to the Japanese taste many , with white and blue flowers . The design of this Japanese porcelain , white and blue according to European taste , with many flowers , has been made by Wagener . 0 +In 1989 , he travelled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . In 1989 he travelled to South Africa , Johannesburg and Angola , Mozambique on a peace-seeking mission . 1 +Unfortunately , Tam has the ability to analyze people and situations , and manipulate them expertly . Unfortunately , Tam has the ability to analyze people and situations and to manipulate them expertly . 1 +Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Aramaic abbreviations or in the list of Hebrew abbreviations . Some Hebrew and Aramaic abbreviations may not be included here ; more may be found in the List of Aramaic abbreviations and the List of Hebrew abbreviations , respectively . 1 +It is 2 km northeast of Agios Stefanos and 20 km west of the city centre of Athens . It is located 2 km west of Agios Stefanos and 20 km northeast of Athens city center . 0 +Beatrice married the Frederick of Geneva . Frederick married Beatrice of Geneva . 0 +Dierker is also the first manager in the MLB story to win a division championship in 1997 in his sixth season for the Astros . Dierker is also the sixth manager in MLB history to win a division championship in his first season for the Astros in 1997 . 0 +Banknotes printed by the three commercial banks are issued in Hong Kong by Hong Kong Note Printing Limited . The notes printed by the three commercial banks are issued by Hong Kong Note Printing Limited in Hong Kong . 1 +Elliott Gould was not exactly my idea from Philip Marlowe , but we were there anyway . Elliott Gould was not exactly my idea of Philip Marlowe , but anyway there we were . 1 +Girish Puthenchery wrote the text for the songs composed by Johnson . Johnson wrote the lyrics for the songs of Girish Puthenchery composed . 0 +The final meeting of the BBU in 1932 in Chicago was the first meeting of the GARBC . The last meeting of the BBU 1932 in Chicago was the first meeting of the GARBC . 1 +Yafes Osman 's son , Osman became the Science and Technology minister of Bangladesh in 2009 . The son of Osman , Yafes Osman , became Minister for Science and Technology in Bangladesh in 2009 . 0 +Terry was born in Cedar Rapids , Iowa , and died in Fairfax , Iowa . Terry was born at Fairfax , Iowa , and died in Cedar Rapids , Iowa . 0 +Student teaching opportunities are available locally within the BYU -- Public School Partnership , as well as nationally in Houston and Washington , DC , and internationally in China . Teaching opportunities for students are available locally within the BYU -- Public School Partnership , nationally in Houston and Washington , DC as well as internationally in China . 1 +The specification is a method of describing teaching strategies ( educational models ) and pedagogical goals . The specification is a method of describing teaching strategies ( educational models ) and pedagogical goals . 0 +She reached Melbourne on 4 January 1891 , was sold later that month to the New South Wales Government , then towed to Sydney . She reached Sydney on January 4 , 1891 , was later this month sold to the government of New South Wales and then towed to Melbourne . 0 +Most of the series produced by CBS films before 1976 or distributed by Paramount Television were later distributed by Viacom and CBS . Most pre- 1976 series produced by CBS or distributed by CBS Films were later distributed by Viacom and Paramount Television . 0 +Kadria then fled Milić Krstić twice and shot . Kadria then fled twice from Milić Krstić and shot . 1 +"In Ngapoi Ngawang Jigme , "" Ngapoi "" was , for example , his family name and "" Nga - Wang Jigmê "" his personal name ." "In Ngapoi , Ngapoi Ngawang Jigme "" , for example , was his family name and "" Nga - Wang Jigmê "" his personal name ." 0 +Lee is expected to face Edson Barboza on April 21 , 2018 at UFC Fight Night 128 . On April 21 , 2018 , Edson Barboza is expected to meet at UFC Fight Night 128 . 1 +When Francis II died , France withdrew from Scotland , Brazil , Corsica , Tuscany , Savoy , and most of the Piedmont . When Francis died , France withdrew from Piedmont , Corsica , Scotland , Brazil , Savoy , and most of Tuscany . 0 +There are four main processes by which juvenile defendants can be transferred to criminal court There are four main processes in which criminal defendants can be transferred to juvenile court . 0 +The son of James Jeffords , who served as Chief Justice of the Vermont Supreme Court , Olin M. Jeffords was born in Rutland , Vermont . The son of Olin M. Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . 0 +64 Democrats and 64 Whigs were elected to the New York State Assembly of the 73rd New York State Legislature . 64 Democrats and 64 Whigs were declared elected to the New York State Assembly of the 73rd New York State Legislature . 1 +In the summer of 1956 , Mike Barnett took over the role of Frank Lovejoy until the end of the series in that same year . In the summer of 1956 , Frank Lovejoy took over the role of Mike Barnett until the series ' end that same year . 0 +It is known as the place where Friedrich Schiller worked on the first act of Don Carlos and wrote his second edition of the famous Ode to Joy . It is well known as the place where Friedrich Schiller worked on the first act of Don Carlos and wrote his second edition of the famous Ode to Joy . 1 +He worked as a translator and teacher in Europe for most of the four years he was in school , and then he worked for a year in Costa Rica . He worked as a translator and teacher in Costa Rica for most of the four years he was in school there , and then worked in Europe for one year . 0 +The development of the energy business included the opening of a specialist office in Middlesbrough and the construction of a new ship , Cable Enterprise . The development of the energy business included the opening of a specialist office in Middlesbrough and the construction of a new vessel , Cable Enterprise . 1 +Although the use of a vertical stabilizer is most common , it is possible to obtain directional stability with no discrete vertical stabilizer . Although the most common use of a vertical stabilizer , it is possible to obtain directional stability without discrete vertical stabilizer . 1 +IROKING has also launched mobile applications for its music application on the iOS , Android , Windows and Symbian ( Nokia ) mobile handsets . Nokia also launched mobile applications for its music application on the mobile phones iOS , Android , Windows and Symbian ( iROKING ) . 0 +In the series Finale Stevie is portrayed by Mateus Ward , mitzvahed bar at the age of 13 . In the series finale , Mateus Ward at age 13 , portrayed by Stevie , is bar mitzvahed . 0 +The town typically has mild winters , cold and snowy summers . The town has typically cold , snowy winters and mild summers . 0 +It was not marketed in Europe , and was only sold in the U.S . It was not marketed in Europe and was only sold in the USA . 1 +Scopula anfractata is a moth of the Geometridae family and is found in Yunnan ( China ) . Scopula anfractata is a moth of the family Geometridae . It is found in China ( Yunnan ) . 1 +In 1956 , Christine married Julian Popescu and had four children , including Charlotte Popescu , who also wrote children 's ponybooks . In 1956 , Charlotte Popescu married Julian Popescu and had four children , including Christine , who also wrote children 's ponybooks . 0 +He was signed by Chicago Rush on November 14 , 2002 , and was released by the Rush on 31 March 2003 . He was released by Chicago Rush on November 14 , 2002 , and was signed by the Rush on March 31 , 2003 . 0 +Fred was the youngest child of the farmers Thomas and Elizabeth Goodwill . Fred was the youngest child of farmers Thomas and Elizabeth Goodwill . 1 +The expressway continues for another mile and crosses several buildings in short tunnels before crossing the Alexander Hamilton Bridge into the Bronx via the Harlem River . The expressway continues another mile , crossing under several buildings in short tunnels , before crossing the Alexander Hamilton Bridge via the Harlem River into the Bronx . 1 +However , mice survived with a non-working copy of the individual TWIST - Gene . However , mice with a single copy of the non-working TWIST gene survived . 0 +Johan Westman was the son of postmaster Karl Gustaf Westman and Tonny ( Andersson ) Westman . Karl Gustaf Westman was the son of the postmaster Carl Johan Westman and Tonny ( Andersson ) Westman . 0 +Newark retreated to NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . Newark withdrew to the NAFBL , but returned at the end of the season to join the New York and District Amateur Association Football League ( NYDAAFBL ) . 1 +Director Albert Pyun , who had previously worked at Cannon , was brought on board and started with the Tolkin script that originally worked at Cannon . Albert Pyun , who had previously worked with Cannon , was brought on board and started with the Tolkin script that originally worked at Cannon . 1 +With the activation of the 310th Strategic Missile Squadron , 310th on 1 March 1962 was renamed the 550th Strategic Aerospace Wing . With the activation of the 550th Strategic Missile Squadron , the 310th was redesignated as the 310th Strategic Aerospace Wing on 1 March 1962 . 0 +On 22 December 2015 , the successor rocket , the Falcon 9 , successfully brought its first stage on its twentieth flight for the first time . The successor rocket , the Falcon 9 , successfully landed its first flight on 22 December 2015 , for the twentieth time , on land . 0 +"He is , also , the second cousin of Lauren Waters , who played Georgina Hagen in "" Britannia High "" ." "He is also the second cousin of Lauren Waters , playing in "" Britannia High "" Georgina Hagen ." 1 +He fled and returned to Italy , where he retired to private life for two years . He escaped and returned to Italy where he retired to private life for two years . 1 +Searching a binary search tree after a specific key can be programmed recursively or iteratively . Searching a specific search tree for a binary key can be programmed recursively or iteratively . 0 +On September 11 , 2017 , a fourth series of resuscitation started and the second series overall . On September 11 , 2017 , a second series of revival began and the fourth series overall . 0 +""" The Evolution of Dance "" is the ninth interplay and the second track on the album ." """ The Evolution of Dance "" is the second interlude and the ninth bit on the album ." 0 +Kanpur Civil Airport is located inside the Kanpur Cantonment . Kanpur Civil Airport is located inside Kanpur Cantonment . 1 +ZanAir Limited is a domestic airline based in Zanzibar , Tanzania . ZanAir was founded in 1992 in Zanzibar and is one of the most experienced airlines in Tanzania . ZanAir Limited is a domestic airline based in Zanzibar , Tanzania ZanAir was founded in 1992 in Tanzania and is one of the most experienced airlines on Zanzibar . 0 +"The series is based on the book series "" The Mortal Instruments "" from Cassandra Clare and was developed by Ed Decter for television ." "The series is based on the book series "" The Mortal Instruments "" by Ed Decter and has been developed by Cassandra Clare for television ." 0 +On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on February 7 , 1918 the 12th Field - Artillerie - Brigade . Lloyd took over command of the 6th Field Artillery Brigade on 28 November 1917 and then the 12th Field Artillery Brigade on 7 February 1918 . 1 +The defect in the mechanism could not be detected in flight and only could be seen by examining the screw and checking it for defects during maintenance . The defect of the mechanism could not be seen in the flight and could only be detected by checking the screw and checking it during maintenance for defects . 1 +Suzanne has said that she wanted to give Condon a Valentine 's Day card . Condon said they wanted to give Suzanne a Valentine 's Day card . 0 +She married twice , first in 1749 with Prince Antoni Lubomirski and the second time with Prince Kasimierz Poniatowski on 21 January 1751 . She married twice , the first time in 1749 with the Prince Kazimierz Poniatowski , the second time with the Prince Antoni Lubomirski on January 21 , 1751 . 0 +"In December 2009 , it was announced that Conroy would be recorded as Oliver Jones in the cast of "" The Bold and the Beautiful "" ." "In December 2009 , it was announced that Conroy would be joining the cast of "" The Bold and the Beautiful "" as Oliver Jones ." 1 +The Urdaneta Philippines Temple will be the third LDS temple in the Philippines , after the temples of Manila ( 1984 ) and Cebu City ( 2010 ) . The Urdaneta Philippines Temple will be the third LDS temple built in the Philippines , following the Cebu City ( 1984 ) and Manila ( 2010 ) temples . 0 +The Salcia River ( or Moca ) is a tributary of the River Mouca in Romania . The Mouca River ( or Moca River ) is a tributary of the Salcia River in Romania . 0 +In the circulated materials such as the Red Bus Airplay Calculation , EMI is still referred as Gold Label Entertainment . In the circulated materials , such as the Red Bus Airplay calculation , EMI is still referred to as Gold Label Entertainment . 1 +The first day is the last day of the year . The last day is the first day of the old year . 0 +2 . To bring together those interested directly or indirectly in matters of accounting , to promote the exchange of ideas , and to encourage mutual assistance between members . 2 . To bring together those interested in accounting issues directly or indirectly , to promote the exchange of ideas and to promote mutual assistance between members . 1 +Lawrence Kasha was the producer for the first season ; John Thomas Lenox produced the second season . Producer of the second season was Lawrence Kasha , John Thomas Lenox produced the first season . 0 +The Libertyville water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) located in Lake Bluff . The Lake Bluff water supply comes from the Central Lake County Joint Action Water Agency ( CLCJAWA ) in Libertyville . 0 +The station , formerly licensed for North Myrtle Beach , was owned by the city of North Myrtle Beach , South Carolina , USA . The station , previously licensed to North Myrtle Beach , South Carolina , USA , was owned by the City of North Myrtle Beach . 1 +This all leads to a big cat fight during the large homecoming game . All this leads to a big cat fight during the great homecoming game . 1 +The original edition of the disc was released on 11 January 2006 in Singapore and 26 January 2006 in Malaysia . The original edition of the Disc was published in Singapore on 11 January 2006 and on 26 January 2006 in Malaysia . 1 +His villages include Dry Tavern , Normal Square ( also located in West Penn Township , Schuylkill County ) , New Mahoning , Jamestown , Mahoning Valley , and Packerton . His villages include Dry Tavern , Jamestown , Mahoning Valley ( also in West Penn Township , Schuylkill County ) , Neu Mahoning , Normal Square , and Packerton . 0 +He also worked in several houses and monasteries in Belgium , in Beaulieu Castle ( Ghent ) in Machelen and in Horst Castle . He has also worked in several houses and monasteries in Ghent , in Beaulieu Castle ( Belgium ) in Machelen and in Horst Castle . 0 +The KCC is sponsored by Gordon Phillips ( Chairman of Glen Care ) , Sevenoaks School and Academy . The Academy is sponsored by Gordon Phillips ( Chair of Glen Care ) , Sevenoaks School , and KCC . 0 +"The following includes some operas which are considered closer to the traditional opera Chinese model than "" geju "" or western opera ." "The following includes several operas which are considered closer to the traditional Chinese model of the opera than "" geju "" or western opera ." 0 +The encounters between teachers and other expats in Bogotá were continued in 2001 , before a touring team from Panamá spent a week in the Colombian capital in May of that year . Matches between teachers and other expats in Bogotá continued in 2001 , before in May that year a touring team from Panamá spent a week in the Colombian capital . 1 +Catherine visits Alison in hospital and tells her that she is always available to talk to her . Catherine visits Alison in hospital , and tells her that she is always available to talk to . 1 +"His role in "" The Mechanic "" was positively revived by critics in both the United Kingdom and the United States ." "His role in "" The Mechanic "" was positively revived by the critics both in the United Kingdom and the United States ." 1 +In 2015 , it was named as part of the Philharmonie de Paris Philharmonie 2 , when a larger symphony room was built by Jean Nouvel and renamed to Philharmonie 1 . In 2015 it was renamed Philharmonie 2 as part of the Philharmonie de Paris , when a larger Symphony Hall was built by Jean Nouvel and Philharmonic 1 was named . 0 +The final King George V definitive series was issued in 1935 . The final King George V definitive series was exhibited in 1935 . 0 +The Sm ring permanently binds to the snRNAs U1 , U2 , U4 and U5 , which form four of the five snRNPs that form the main spliceosome . The Sm ring permanently binds to the U1 , U2 , U4 and U5 snRNAs which form four of the five snRNPs that constitute the major spliceosome . 1 +In the 1990s , Schwartz worked in smaller , non-sexual roles in the adult film industry and in numerous administrative roles behind the scenes . In the 1990s , in the adult film industry , Schwartz worked in numerous administrative roles and behind the scenes in smaller , non-sexual roles . 0 +His father was Hoani Uru , a farmer , and his mother was Kataraina Kaiparoa . His father was Hoani Uru , a farmer , and his mother was Cataraina Kaiparoa . 1 +Losses for the day were killed 16 and 98 wounded , while the KPA 9 killed captive and estimated 50 and lost 55 wounded . Marine losses for the day were 16 killed and 98 wounded , while the KPA lost 9 captured and an estimated 50 killed and 55 wounded . 1 +As Knights , Hoksary , Steiner , Wetzer , Semler and Vogl , he soon found his place among the Stalwarts . He soon found his place among the stalwarts as Steiner , Hoksary , Semler , Wetzer , Ritter and Vogl . 1 +The foot provides the sensory information to the central nervous system through cutaneous afferent feedback , which originates from the special mechanoreceptors within the plantar surface of the foot . The foot provides the cutaneously affected information to the central nervous system through sensory feedback , which originates from the plantar mechanoreceptors within the special surface of the foot . 0 +"She also had a supporting role in the film "" Dolores Perrigrew "" 1992 , when Bob Roberts ." "She also had a supporting role in the 1992 film "" Dolores Perrigrew "" , as Bob Roberts ." 1 +"The singers of Sonic Syndicate , Richard Sjunnesson and Peter Wichers , sang also for a compilation - album , called "" with Soilwork guitarist Roland Johansson ." "The singers of Sonic Syndicate , Richard Sjunnesson and Peter Wichers , also sang for a compilation album , called "" with Soilwork guitarist Roland Johansson ." 1 +The promotion of research and innovation in Europe is being supported financially by the Horizon 2020 programme , which is also open to participation worldwide . Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation worldwide . 0 +According to the United States Census Bureau , Masontown is a total area of which is land and 2.10 % water . According to the United States Census Bureau , Masontown is a total area of , of which is land and 2.10 % has water . 1 +In 2012 , the championships were held in Dunakeszi , Hungary , in 2013 in Pouch , Germany , and in 2014 in Luserna ( Italy ) . In 2012 , the championships were held in Italy , in Pouch , Germany in 2013 , and in 2014 in Dunakeszi , Hungary ( Luserna ) . 0 +Stephen Maguire won his seventh professional title by defeating Joe Perry 4 -- 2 in the final . Stephen Maguire won his seventh title by defeating Joe Perry in the final with 4 : 2 . 1 +Leading Creek is at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of the Middleport . Middleport is located at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of Leading Creek . 0 +There are many branches of classical mechanics , such as : statics , dynamics , kinematics , continuum mechanics ( which includes fluid mechanics ) , statistical mechanics , etc . There are many branches of fluid mechanics , such as statics , dynamics , kinematics , continuum mechanics ( including statistical mechanics ) , classical mechanics , etc . 0 +Marsh Creek is a long tributary of the Portneuf River at Bannock County in Idaho . Portneuf River is a long tributary of the Marsh Creek in Bannock County , Idaho . 0 +The Eastern Australian Football League is an Australian rule football contest in the eastern United States of America and a division of the United States Australian Football League . The Eastern Australian Football League is an Australian rules football competition in the Eastern United States of America and a division of the United States Australian Football League . 1 +Coxeter defines other groups with anti-unitary constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines other groups with anti-unitary constructions , for instance these three : the first was discovered and drawn by Peter McMullen in 1966 . 1 +The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to form the Lucknow -- Bareilly Railway on 1 January 1891 . The Lucknow -- Sitapur -- Seramow Provincial State Railway merged with the Bareilly -- Pilibheet Provincial State Railway to the Lucknow -- Bareilly railway on January 1 , 1891 . 0 +Ayeza Khan ( born January 15 , 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , known as Aiza Khan , is a Pakistani television actress and a model . 0 +The Bazga River is a tributary of the River Bohotin in Romania . The Bohotin River is a tributary of the Bazga River in Romania . 0 +He was also trained at the Academy of Art in Zurich , where he and others musically learned to use the computer for composing music . He was also trained at the academy of art in Zurich , where he and others musically learned how to use the computer for composing music . 1 +Black Drawing Chalks , founded in 2005 , is a Brazilian rock band from Goiânia , Goiás , Brazil , founded by a group of graphic design students . Black Drawing Chalks is a graphic rock band from Goiânia , Goiás , Brazil , founded in 2005 by a group of Brazilian design students . 0 +Karinizhal is an Indian Malayalam film produced by JD Thottan and directed by Kovai Ramaswamy in 1971 . Karinizhal is an Indian Malayalam film , directed by JD Thottan in 1971 and produced by Kovai Ramaswamy . 0 +Mabanda is a city located near the southernmost tip of Tanzania , close to the Burundi border . Mabanda is a city located close to the southern tip of Burundi , near the border with Tanzania . 0 +Calcium modulating ligand ( CAMLG or CAML ) , also known as calcium-modulating cyclophiline - ligand , is a signal protein recognized by the TNF receptor TACI . Calcium modulating ligand ( CAMLG or CAML ) , also known as calcium-signalling cyclophilin ligand , is a modulating protein recognized by the TNF receptor TACI . 0 +This generally involves supervised introduction of tasks , from the lowest priority and most stressful , to the highest priority and least stressful . This generally involves monitoring the introduction of tasks , from the lowest priority and most stressful , to the highest priority and the least stressful . 1 +Margaret Fleming married James of Barrochan and was succeeded by Alexander , his eldest son . He married Margaret Fleming of Barrochan and was succeeded by his eldest son , Alexander . 0 +"In 1887 she played the part of Giovanni Paisiello , the court composer , in the first staging of Victorien Sardou 's drama "" La Tosca "" ." "In 1887 she played the role of court composer Giovanni Paisiello in the first staging of Victorien Sardou Drama "" La Tosca "" ." 1 +The river Geamărtălui is a tributary of the River Strâmba in Romania . The river Strâmba is a tributary of the River Geamărtălui in Romania . 0 +He lost to Joey DeJohn , but Vinnie Rossano stopped in five laps . He lost Vinnie Rossano , but stopped Joey DeJohn in five rounds . 0 +Saladas Department is a department of Corrientes Province in Argentina . Saladas Department is a department of Argentina in the province of Corrientes . 0 +These arrangements have to correct explanations at different levels -- mathematics , physics , chemistry , biology -- individually , but all necessary together . These arrangements have explanations at different levels -- mathematics , physics , chemistry , biology -- each individually correct , but all necessary together . 1 +Maplewood is located in the 10th Congressional District and is part of New Jersey 's 27th state legislative district . Maplewood is located on the 27th Congressional District and is part of the 10th State Legislative District in New Jersey . 0 +The River Galbenu is a tributary of the River Latoriţa in Romania . The Galbenu River is a tributary of the Latoriţa River in Romania . 1 +"The album was produced by Mike Leander and "" directed "" by Peter Sullivan and Reg Guest ." "The album was produced by Peter Sullivan and was run by Mike Leander and Reg Guest "" ." 0 +Felipe Francisco Molina y Bedoya was a diplomat from Costa Rica , born in the city of Guatemala . He became Chancellor of the Federal Republic of Central America . Felipe Francisco Molina y Bedoya was a diplomat born in Guatemala from Costa Rica , the Chancellor of the Federal Republic of Central America . 1 +It is located to the north of Spring Valley , east of Viola , south of New Square and New Hempstead and west of New City . It is located north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . 1 +The agricultural activities predominantly revolve around Kerala region , the rice bowl of Kuttanad . The agricultural activities revolve predominantly around Kerala , the rice bowl of Kuttanad . 1 +An implementation that computes the probability density function of the Wakeby distribution is included in the Dataplot routine computation library , as scientific WAKPDF . An implementation that computes the probability density function of the Wakeby distribution is included as a scientific WAKPDF in the routine calculation library of Dataplot . 1 +Jalari is one of the villages of Hamirpur , Nadaun , India . Jalari is one of the villages in Hamirpur of Nadaun , India . 1 +"On July 17 , 2006 , Miguel Ángel Granados Chapa said in a radio interview with López Obrador on the subject of "" Radio UNAM "" :" "On July 17 , 2006 , López Obrador said in a radio interview with Miguel Ángel Granados Chapa about "" Radio UNAM "" :" 0 +The region was then ruled by the Muslim house of Arakkal , followed by Tipu Sultan . The region was then run by the Muslim house of Arakkal , followed by Tipu Sultan . 1 +Rockets are re-loaded by the FAP 3232 with a built-in crane . Rockets are built by the FAP 3232 with a transhipment crane . 0 +"A Japanese reporter in 1910 described the scene for the people of Kyūshū in a local newspaper , the "" Fukuoka Nichinichi "" :" "In 1910 , a Japanese reporter described in a local newspaper , "" Fukuoka Nichinichi "" , the scene for the people of Kyūshu :" 1 +He lived in San Antonio for twenty years , returning to New York City in May 2005 . He lived for twenty years in New York City and returned in May 2005 to San Antonio . 0 +He was awarded as a Knight of the Order of the White Eagle , invested on May 8 , 1781 . He was awarded on 8 May 1781 as the Knight of the Order of the White Eagle . 1 +Kumutrampatti is a small village near Madurai District ( Gateway to Kottampatti ) in Tamil Nadu . Kumutrampatti is a small village near Madurai District ( Tor to Kottampatti ) in Tamil Nadu . 1 +The uterine arteries swell during pregnancy in order to increase ovarian blood supply . The ovarian arteries swell during pregnancy , in order to increase the uterine blood supply . 0 +On February 28 , 2018 , Interoute announced the acquisition of GTT Communications for US $ 2.3 billion . On 28 February 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion dollars . 0 +Research and innovation in Europe is also supported by the programme Horizon 2020 , which is financially open to participation worldwide . Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation throughout the world . 1 +Weston Favell is an eastern area of Northampton , part of Brookside Station of Northampton , England . Weston Favell is an eastern area of Northampton , part of the Brookside ward of Northampton , England . 0 +The Izvoarele River is a tributary of the Podriga River in Romania . The Podriga River is a tributary of the River Izvoarele in Romania . 0 +He represented Nigeria at the FIFA - Youth - World Championship in Australia in 1999 . He represented Australia at the FIFA - Youth - World Championship in Nigeria in 1999 . 0 +Amarasiri Dodangoda ( UPFA-SLFP ) died on May 30 , 2009 , and his replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . Amarasiri Dodangoda ( UPFA-SLFP ) died on 30 May 2009 . His replacement Chandima Weerakkody ( UPFA-SLFP ) was sworn in on 9 June 2009 . 1 +From 1919 , the Third International was a member of the Cominterns ( LKP ) . From 1919 the LKP was a member of the Komintern ( Third International ) . 0 +Artzentales is a municipality in the province of Biscay , in the autonomous community of Basque Country , northern Spain.. Artzentales is a municipality in the province of Biscay , in the Autonomous Community of Basque Country , in northern Spain . 1 +The Bristly Peaks include the Brodie Peak and Messent Peak . The Bristly Peaks include the Brodie Peak and the Messent Peak . 1 +He came to AS Trenčín in summer 2013 together with his teammate Haris Hajradinović from Croatian club NK Inter Zaprešić . He arrived in the summer of 2013 together with his teammate Haris Hajradinović from Croatian club AS Trenčín to NK Inter Zaprešić . 0 +It is located in Duchouquet Township and is adjacent to Shawnee Township in Allen County . It is located in Duchouquet Township and is next to the Shawnee Township in Allen County . 1 +The Field Field is the second largest shopping centre in Denmark and one of the biggest in Scandinavia . Field 's is the second biggest shopping centre in Denmark and one of the largest in Scandinavia . 1 +De Doorns is a city in South Africa in the Western Cape province of Cape Winelands District Municipality . De Doorns is a town in South Africa in the Western Cape province of Cape Winelands District Municipality . 1 +The Eastern Australian Football League is an Australian rule football contest in the eastern United States of America and a division of the United States Australian Football League . The United States Australian Football League is an Australian football competition rule in the eastern United States of America and a division of the Eastern Australian Football League . 0 +He has a son , Seamus , who is seen in the series but will never be mentioned . He has a son , Seamus , who mentions , but never is seen in the series . 0 +However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply social action , but rather human action . For Mead , however , unlike John Dewey and J. J. Gibson , the key is not simply social action , but human action . 1 +This follows directly from Euler 's fourfold identity ( and from the fact that the theorem is for the numbers 1 and 2 square ) . This immediately follows from Euler 's four-true identity ( and from the fact that the theorem is square for the numbers 1 and 2 ) . 1 +Doyle said the Maryland -- Pennsylvania Mason -- Dixon line is exactly : Doyle said the Pennsylvania -- Maryland Mason -- Dixon line is exact 0 +In the third film , the fat lady of Elizabeth Spriggs and Dawn French is played in the first film . In the first film , the fat lady of Elizabeth Spriggs and Dawn French is played in the third film . 0 +A resident of Montmartre , Metzinger frequented the Bateau Lavoir at this time and exhibited with Georges Braque at the Berthe Weill gallery . Metzinger , a resident of Montmartre , attended the Bateau Lavoir at that time and exhibited with Georges Braque at the Berthe Weill Gallery . 1 +The FAA and the ICAO are working on a sonic boom standard to allow supersonic flights overland . The FAA and the ICAO are working on a Sonic boom standard to allow supersonic flights over land . 1 +In 1903 she spoke at the annual conference of the British Labour Party ( later the Labour Representation Committee ) , and was the first woman to do so . In 1903 she spoke at the annual conference of the Labour Representation Committee ( later to the British Labour Party ) and was the first woman to do so . 0 +"Other works of Benjamin Hallowell in Washington , D.C. , include sculptures by Bailly and Alexander "" Boss "" Shepherd ." "Other works of Bailly in Washington , D.C. include sculptures by Benjamin Hallowell and Alexander "" Boss "" Shepherd ." 0 +The song was originally produced by Mopreme Shakur and features Hurt-M-Badd , Big Syke , Johnny J , Yaki Kadafi & E.D.I.. The song was originally produced by Mopreme Shakur and features Hurt-M-Badd , Big Syke , Johnny J , Yaki Kadafi 'E.D.I . 1 +It was also recorded by the Royal Canadians and their Guy Lombardo Orchestra and the vocal group The Three Suns in the United States . It was also recorded by Guy Lombardo and His Royal Canadians Orchestra and the vocal group The Three Suns in the United States . 0 +The combination of small size and emphasis on educational excellence , resulting in a district that offers “ public school experience in a private school setting ” . The combination of small size and emphasis on excellence in educational performance results in a district that offers a “ private school experience in a public school setting ” . 0 +"The new album "" Deathstar Rising "" cracked the Finnish Album Top 10 and reached # 8 in first week of March 2011 ." "The Finnish album "" Deathstar Rising "" cracked the new album Top 10 and reached position 8 in the first week of March 2011 ." 0 +It is located in Mangalagiri mandal of Guntur revenue division . It is located in Guntur Mandal of the Mangalagiri Revenue Division . 0 +In 2006 , Silverlake Partners sold the company to Goldman Sachs for 800 million US dollars . Silverlake Partners sold the company to Goldman Sachs in 2006 for $ 800 million . 1 +And later , Roque Lopez installed himself as president of the provisional government in the town of Santa Barbara in Iloilo . And later installed Roque Lopez as president of the provisional government in Santa Barbara town in Iloilo . 1 +The festival debuted in 2007 and originated in Phoenix , Arizona and has since been held in San Diego , Houston and Zurich . The festival was founded in 2007 and debuted in Phoenix , Arizona and has been held in San Diego , Houston and Zurich since then . 0 +There are Chinese commonly accepted terms used in the Philippines to refer to various Filipinos : There are Chinese universally accepted terms used in the Philippines to refer to various Filipinos : 1 +Waye played his earliest football in Willunga and Renmark , before arriving in Adelaide and competing in the Port Adelaide Church Association . Waye played his earliest football match in Adelaide before arriving in Willunga and Renmark and joined the Port Adelaide Church Association . 0 +Hucknall Town was a railway station on the Great Northern Railway 's Nottingham to Shirebrook line . Hucknall Town was a railway station on the Great Northern Railway from Nottingham to Shirebrook . 1 +Andy Pettitte opened the top of the fifth inning with a double and achieved in a single to center field by Nick Swisher . Nick Swisher opened the top of the fifth inning with a double and achieved in a single to center field by Andy Pettitte . 0 +Written by Michelle MacLaren and directed by George Mastras , it broadcast on AMC in the United States and Canada on September 8 , 2013 . Written by George Mastras and directed by Michelle MacLaren , broadcast on AMC in the United States and Canada on September 8 , 2013 . 0 +It was directed by Leslie H. Martinson , written by George Kirgo and was originally broadcast April 5 , 1982 on NBC . It was managed by Leslie H. Martinson , written by George Kirgo and was originally broadcast on NBC on 5 April 1982 . 1 +Katerina Maleeva defeated Audra Keller 7 -- 6 , 6 -- 2 Audra Keller defeated Katerina Maleeva with 7 - 6 , 6 -- 2 . 0 +New York 's initial possession of parts of Vermont provided a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence in the colony . 0 +Proteins that form stable complexes with other molecules are often referred to as receptors while their binding partners are called ligands . Proteins that form stable complexes with other molecules are often referred to as receptors , while their binding partners are referred to as ligands . 1 +Jean – Garcia is the only daughter of Jennica Garcia and Jigo Garcia . Jennica Garcia is the sole daughter of Jean Garcia and Jigo Garcia . 0 +Despite the general success of the limited attack , the battalion lost nearly its half force . Despite the limited success of the general attack , the battalion lost nearly half of its strength . 0 +In 1903 , copper was dismantled by the Nevada Consolidated Copper Company and the Giroux Consolidated Mining Company in 1904 . Starting in 1903 , copper was mined by the Giroux Consolidated Mining Company and by the Nevada Consolidated Copper Company in 1904 . 0 +Jacco Eltingh and Paul Haarhuis won the title , defeating Jan Apell and Jonas Björkman 6 - 4 , 7 - 6 in the final . Jacco Eltingh and Paul Haarhuis won the title , defeated Jan Apell and Jonas Björkman 6-4 , 7-6 in the final . 1 +He then became Deputy Director of the Ayala Corporation 's Strategic Planning Group and Vice President and Chief Legal Counsel of BPI Capital Corporation . He then became Associate Director of the BPI Capital Corporation 's Strategic Planning Group and Ayala Corporation 's Vice President and Chief Legal Counsel . 0 +At the local level , the celebrations are decided by a diocesan team that is usually appointed by ordinary members . At the diocesan level celebrations are decided by a local team usually appointed by the ordinary . 0 +Biancaneve is an Italian erotic comic book , created in 1972 by Leone Frollo and Rubino Ventura ( pseudonym of Giuseppe Pederiali ) and illustrated by Renzo Barbieri . Biancaneve is an Italian erotic comic book , created by Renzo Barbieri and Rubino Ventura ( pseudonym by Giuseppe Pederiali ) in 1972 and illustrated by Leone Frollo . 0 +""" Florida "" was ordered on 4 May 1898 , and awarded to the Crescent Shipyard , Elizabethport , New Jersey on 11 October 1898 ." """ Florida "" was ordered on May 4 , 1898 and was awarded on October 11 , 1898 to Crescent Shipyard , Elizabethport , New Jersey ." 1 +"Bailly 's other works in Washington , D.C. are sculptures of Benjamin Hallowell and Alexander "" Boss "" Shepherd ." "Other works by Benjamin Hallowell in Washington , D.C. , include sculptures of Bailly and Alexander "" Boss "" Shepherd ." 0 +"In his book , "" A Short History of Byzantium "" , John Julius Norwich refers to Constantine VII as "" The Scholar Emperor "" . Norwich describes Constantine :" "In his book "" A short story by Byzantium "" , Constantine refers to Constantine VII as "" The Scholar Emperor "" . Norwich describes John Julius Norwich ." 0 +Pooja plans to escape with Ajay to Hyderabad , but Venky takes them to his area in Europe . Pooja plans to escape to Europe with Ajay , but Venky brings them to his area in Hyderabad . 0 +Marsh Creek is a long tributary of Portneuf River in Bannock County , Idaho . Marsh Creek is a long tributary of the Portneuf River in Bannock County , Idaho . 1 +However , mice survived with a non-working copy of the individual TWIST - Gene . However , mice with a non-working copy of the single TWIST gene survived . 1 +The Strâmba River is a tributary of the River Geamărtălui in Romania . The river Geamărtălui is a tributary of the River Strâmba in Romania . 0 +Ann Henricksson and Julie Richardson won against Lea Antonoplis and Cammy MacGregor at 6 : 3 , 3 : 6 , 7 : 5 in the final . Lea Lea Antonoplis and Cammy MacGregor won 6 -- 3 , 3 -- 6 , 7 -- 5 against Ann Henricksson and Julie Richardson in the finals . 0 +She withdrew her daughter Rekha from public school and sent Vinod to a school in another district . She returned her daughter Rekha from the public school and sent Vinod to a school in another district . 1 +The village of Scipio Township is located in the central republic . The village of Scipio Township is located in central Republic . 1 +Lily used her own experiences with Macca to convince Cassie to leave Kyle . Cassie uses her own experiences with Macca to convince Lily to leave Kyle . 0 +"Wingfield and probably Percy and Newport as "" tufftaffety humorists "" described , i.e ." "Smith also described Wingfield and probably Percy and Newport as "" tufftaffety humorists "" i.e ." 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became more calm and French interest in Vietnam was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe quieted and French interest in Vietnam was revived . 1 +"Simply put , nine points determine a cubic , but in general , a "" unique "" cubic define ." "Simply stated , nine points determine a unique , but in general define a "" cubic "" cubic ." 0 +Publius Minucius Augurinus was a Roman statesman who served as a consul with Titus Geganius Macerinus in 492 BCE . Titus Geganius Macerinus was a Roman statesman who served in 492 B.C . as a consul with Publius Minucius Augurinus . 0 +An alternative extension to compact groups is the Peter Weyl theorem , which proves results about representations of finite groups analogous to those about compact groups . An alternative extension to compact groups is the Peter -- Weyl -- Theorem , which shows results about representations of compact groups analogous to those about finite groups . 0 +He stopped at all the small villages on his route and held open mass meetings . He stopped at all open villages on his route and held small mass meetings . 0 +Kanchenjunga , Mt . Ravangla . Pandim , Mt . Siniolchu , Mt . Kabru are just a few of the major peaks that are clearly visible from Mt . Mt . Kanchenjunga , Mt . Pandim , Mt . Siniolchu , Mt . Kabru are just a few of the main peaks that are clearly visible from Ravangla . 0 +"The administrative district ( "" správní obvod "" ) of the same name consists of municipal districts Prague 14 and Dolní Počernice ." "The administrative district of the same name ( "" správní obvod "" ) consists of the districts of Prague 14 and Dolní Počernice ." 1 +Richmond 's friend and financial supporter is the owner of the mansion into which Walter Sullivan has broken . Walter Sullivan is Richmond 's friend and financial supporter and the owner of the mansion Luther has broken into . 0 +Deposed in 1776 by the revolutionary government of New Jersey , William was arrested at his home in Perth Amboy at the Proprietary House and imprisoned for a time . William was deposed in 1776 by the revolutionary government of New Jersey and arrested at the Proprietary House at his home in Perth Amboy and temporarily imprisoned . 1 +908th Airlift Squadron is part of the 357th Airlift Wing on the Maxwell Air Force Base , Alabama . The 357th Airlift Squadron is a part of the 908th Airlift Wing at the Maxwell Air Force Base , Alabama . 0 +Bridgeville was formally part of Rock Hill . Formally speaking , Rock Hill was part of Bridgeville . 0 +However , it was a legal ceremony and not a spiritual one . However , it was a legal , and not a spiritual ceremony . 1 +Vladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . Wladimir Burliuk was born on March 15 , 1886 in Kharkiv , the younger brother of David Burliuk . 1 +From the west of Lucin , the unimproved route along the Pacific Railroad Union is long . From the west from Lucin , the long route along the Union Pacific Railroad rail is unimproved . 0 +When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . When Samuel Herrick arrived on the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with departments to secure boats . 1 +Since then , a number of routes have been renamed to North Worcestershire in First Midland Red , along with new routes in competition with Red Diamond 's in Redditch . Since then a number of routes in North Worcestershire have been re-branded as Red Diamond along with new routes in competition with First Midland Red 's in Redditch . 0 +Mitzy learns Dexter Walker ( Charles Cottier ) has feelings for Marilyn and she tries to get him to see that Marilyn does not have one for him . Mitzy learns Dexter Walker ( Charles Cottier ) has feelings for Marilyn and she tries to make him see that Marilyn does not have any for him . 1 +Vevey is a city in Vaud in the Canton of Switzerland , on the north shore of Lake Geneva , near Lausanne . Vevey is a town in Switzerland in the canton Vaud , on the north shore of Lake Geneva , near Lausanne . 0 +He met with a group of Boston 's most influential musical leaders to discuss a school based on the conservatories of Europe . He met with a group of the most influential musical leaders of Boston to discuss a school based on the conservatories of Europe . 1 +Christian Johansen Ihlen ( 26 November 1838 -- 14 January 1901 ) was a Moderate politician for the Norwegian Liberal Party . Christian Johansen Ihlen ( November 26 , 1838 -- January 14 , 1901 ) was a moderate politician for the Norwegian Liberal Party . 1 +Most of the municipalities are located on the islands in the Sulu Sea . Two of them , Mapun , and Turtle Islands lie within the Sulu Archipelago . Most of the municipalities are located on the islands of the Sulu sea , two of them , Mapun and the Turtle Islands , are in the Sulu archipelago . 1 +Li 's husband became Singapore 's ambassador to Thailand in 1967 . In 1967 , Singapore 's husband became ambassador to Thailand . 0 +Flower was captured in 1945 by the Americans in Salzburg and brought to the Landsberg prison . In 1945 , Blume was captured in Salzburg by the Americans and brought to Landsberg Prison . 0 +Thillana Thillana is a 2003 Indian Malayalam film , directed by T. S. Saji and produced by M. A. Nishad . Thillana Thillana is a 2003 Indian Malayalam film produced by T. S. Saji and M. A. Nishad . 0 +Hugh Holland ( 1569 - 1633 ) , the son of Robert Holland , was born in Denbigh in the north of Wales . The son of Hugh Holland ( 1569 - 1633 ) was born in Denbigh in the north of Wales . 0 +The original issue was published in 1953 by Allen Unwin in London and by Harper in New York . The original edition was published by in 1953 in London by Allen & Unwin and in New York by Harper . 1 +First , preserve the result formula _ 5 to 1 and initialize the value of b in the variable x : First , initialize the 5 to 1 result formula and keep the value of b in the x variable : 0 +The Bill 's Cathy Stoller Center is home to all the athletics teams of the University , the Intercollegiate Athletic Offices and the Department of Exercise Science . The Bill 's Cathy Stoller Center is home to all intercollegiate athletic teams from the university , sports offices and the Department of Exercise Science . 0 +He is sometimes credited as Tashi Wangchuk Tenzing of Australia , usually with a note that he is Tenzing 's grandson . He is sometimes credited as Tashi Wangchuk Tenzing of Australia , usually with a note that he is Tenzing ’ s grandson . 1 +It is found from most of Great Britain to Romania , and from Russia through central Japan to the Iberian Peninsula . It is found from most of Britain to Romania and from Japan through Central Russia to the Iberian Peninsula . 0 +Pointe Aux Barques is located in Pointe aux Barques Lighthouse , not Huron Township . Pointe aux Barques Lighthouse is situated in Huron Township , not Pointe Aux Barques . 0 +Barry Wagstaff , ( born November 26 , 1945 ) , was a professional footballer with Rotherham United , Reading and Sheffield United . Barry Wagstaff , ( born 26 November 1945 ) was a professional footballer with Sheffield United , Reading and Rotherham United . 1 +When the Florentine Republic fell in 1530 , Volterra came under the control of the Medici family and later followed the history of the Grand Duchy of Tuscany . When the Florentine Republic fell in 1530 , Volterra came under the control of the Medici family and later the history of the Grand Duchy of Tuscany . 1 +"Note : Pluto was classified as a planet when the Grand Tour was proposed and at the time "" New Horizons "" was launched ." "Note : Pluto was classified as planet when the Grand Tour was started and proposed at the time "" New Horizons "" ." 0 +( 1892-1962 ) was the first president of Yr Academi Gymreig ( Welsh Academy ) . Williams ( 1892-1962 ) was the first president of the Welsh Academy ( Yr Academi Gymreig ) . 1 +The River Colnici is a tributary of the Borcut River in Romania . The Borcut River is a tributary of the Colnici River in Romania . 0 +Prakash was the international CIO of Avaya , then the Group CIO of iSoft and later the CIO of Sage Group in the UK . Prakash was the international CIO of Avaya , then the Sage Group Group CIO and later the CIO of iSoft in England . 0 +He composed other songs and wrote orchestrations for larger choral works that are preserved in Australian libraries . He wrote other songs and composed orchestrations for larger choral works preserved in Australian libraries . 0 +Lina Alexeyevna Fedorova was born in Moscow on 20 December 1997 and her younger sister Lana is also in figure skating . Lana was born on 20 December 1997 in Moscow . Her younger sister , Lina Alexeyevna Fedorova , is also into figure skating . 0 +There is a continental climate on the Werderaner Wachtelberg , affected by the Atlantic climate from the north and west and a temperate climate from the east . There is a continental climate on the Werderaner Wachtelberg , which is characterised from the north and west by the Atlantic climate and from the east by a temperate climate . 1 +"Ecologically appropriate , economically sustainable , politically sensitive and ultimately socially just "" , however , no references or sources of the data used are provided ." """ Politically sensitive , economically appropriate , ecologically sustainable and ultimately socially just "" , however , no references or sources of the data used are provided ." 0 +While North Carolina is typically a conservative state , Wake County is historically a swing voting area . While North Carolina is historically a conservative state , Wake County is typically a swing area . 0 +Kroeger Thornley signed 604 Records with the help of Chad Kroeger of Nickelback . With the help of Chad Kroeger of Nickelback , Thornley signed to Kroeger 's 604 Records . 0 +The group was founded in Las Vegas and later displaced to Los Angeles . The group was founded in Los Angeles , and later relocated to Las Vegas . 0 +This name is written in at least one inscription , namely , the Mantyasih inscription contained in 907 CE . This name is written in at least one inscription , the mantyasih inscription contained in 907 CE . 1 +To the north , the Virginia region continues into central Maryland and southeastern Pennsylvania . To the north , the region continues from Virginia into southeastern Maryland and central Pennsylvania . 0 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy produced by Wong Jing , written and led by . Men Suddenly in Love is a 2011 Hong Kong romantic comedy film produced by , written by and directed by Wong Jing . 1 +The Cornish poet was a schoolfellow of Charles Dickens ; later literary friends included Tennyson and Robert Stephen Hawker . The Cornish poet was a schoolchamber of Charles Dickens , later literary friends included Tennyson and Robert Stephen Hawker . 0 +On July 7 , 1997 , Pathfinder raised the altitude record for solar driven aircraft to , which was also the record for propeller powered aircraft . On 7 July 1997 , Pathfinder raised the elevation record for solar powered aircraft , which was also the record for propeller aircraft . 1 +SEBA also promotes the International Code of Area Nomenclature ( ICAN ) , a biogeographical system of standardized reference . The SEBA also promotes the International Code of Territorial Nomenclature ( ICAN ) , a biogeographical system of standardized reference . 1 +Olivella alectona is a species of dwarf sea snail , small gastropod mollusk in the Olivellidae family , the naval olives . Olivella alectona is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . 1 +She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Henry Albert Hartland , who married Stephen Jackson . It was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson and married Henry Albert Hartland . 0 +"The Oxford English Dictionary quotes Hoccleve as one of the modern users of the term "" slut "" in its modern sense , though not in its original spelling ." "The Oxford English Dictionary cites Hoccleve as one of the initial users of the term "" slut "" in its modern sense , though not in its modern spelling ." 0 +""" Love Generation "" is a song by the French music producer and DJ Bob Sinclar with vocals by Gary Pine ." """ Love Generation "" is a song by the French music producer and DJ Gary Pine with vocals by Bob Sinclar ." 0 +His parents are Ernie Gordon , who grew up a Yankees fan in Hyde Park , New York , and Wendy Abrahamsen . His parents are Wendy Abrahamsen , who grew up as a Yankees fan in Hyde Park , New York , and Ernie Gordon . 0 +Mary Pierce won the title by victory against Iva Majoli 6 -- 4 , 6 -- 4 in the final . Iva Majoli won the title by defeating Mary Pierce 6 -- 4 , 6 -- 4 in the final . 0 +When the arms were landed they were removed on bicycles and in vehicles by volunteers . When the weapons were landed , they were removed by volunteers on bicycles and in vehicles . 1 +It was found intact by the Americans in July 1942 and became the first flying zero acquired by the United States during the war . It was acquired intact by the Americans in July 1942 and became the first flyable Zero found by the United States during the war . 0 +"Unlike the Indiana team in "" Hoosiers "" lost Bridgeport the championship game and finished its season with a 33-2 record ." "Unlike the Indiana team in "" Hoosiers "" , Bridgeport lost the championship game , finishing its season with a 33-2 record ." 1 +RK is the cathode resistor and rtot is the external combination of RP ( parallel resistor ) and rload . RK is the cathode resistor and Rtot is the parallel combination of RP ( external plate resistor ) and Rload . 0 +Sinan ( also romanized as Sīnān ) is a village in the district of Azari , in the central district of Esfarayen , north - Khorasan - province , Iran . Sinan ( also romanized as Sīnān ) is a village in the district of Esfarayen , North - Khorasan - Province , Iran , in the Azari county of the Central District . 0 +He lived ten years in Italy and won the classic Bardolino race in Turin , Italy for six years in a row from 2001 to 2006 . He lived ten years in Turin , Italy , and won the classic race of Bardolino in Italy from 2001 to 2006 for six years in a row . 0 +The diocese of Maasin comprises the whole province of Southern Leyte including six municipalities southwest of Leyte . The diocese of Maasin includes the whole province of Southern Leyte , including six municipalities southwest of Leyte . 1 +The Beatles ' biographer , Charles Sutcliffe , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which the young Sutcliffe had witnessed . Charles Sutcliffe , the Beatles ' biographer , wrote that Philip Norman was a heavy drinker and physically cruel to his wife , which was observed by the young Sutcliffe . 1 +It was completed in 1933 in a modernist style for the US federal government and is now used by the United States Postal Service as an office accommodation . It was completed in 1933 in Modernist style for the United States Federal Government , and is now used as office accommodation by the United States Postal Service . 1 +He directed Christians to desire God in all things and to do above all things to recognize the will of God . He directed the Christians to desire and , above all , to do God in all things to know the will of God . 1 +Individuals and families from around Bloomington , Normal , Hudson , Lexington and elsewhere come out for it . Individuals and families from Bloomington , Normal , Hudson , Lexington , and elsewhere come out for it . 1 +Another Georgian Partisan of Soviet origin , David Tatuashvili , described the funeral as follows : Another Georgian partisan Soviet origin , David Tatuashvili , described the funeral as follows : 1 +Major greyhound racing venues include Wentworth Park in Sydney , Cannington Raceway in Perth , Greyhound Park in Adelaide , Albion Park in Brisbane and Sandown Greyhounds in Melbourne . Greyhound hosting venues include Wentworth Park in Sydney , Cannington Raceway in Perth , Greyhound Park in Adelaide , Albion Park in Brisbane , and Sandown Greyhound in Melbourne . 1 +The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . The highest temperature ever recorded in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . 1 +Jarron argues that Lee was the artist who dominated the newspapers and magazines of Dundee before the Great War . Jarron argues that Lee was the artist who dominated Dundee 's newspapers and magazines before the Great War . 1 +"Unlike many amateur astronomers , scientific research is mostly not the "" main goal "" for professional astronomers ." "Scientific research is most often not the "" main "" goal for professional astronomers , unlike many amateur astronomers ." 1 +"Lars Rosing plays the protagonist Lars Rosing in Greenland 's first international feature film "" Nuummioq "" , Malik lives close to Montreal , Canada ." "Lars Rosing plays the protagonist Malik in Greenland 's first international feature film "" Nuummioq "" , Lars Rosing lives near Montreal , Canada ." 0 +Many coastal towns of Mississippi ( and Louisiana ) had already been obliterated , in a single night . In a single night , many coastal towns of Mississippi ( and Louisiana ) had already been wiped out . 1 +Some say when Chan Heung returned from studying with Ching Cho , he went back to Jeong Yim and combined his knowledge into the Choy Li Fut system . Some say that when Jeong Yim returned from studying with Ching Cho , he went back to Chan Heung and combined his knowledge into the Choy Li Fut System . 0 +Four ships of the United States Navy have been named Biddle , in honor of Captain Nicholas Biddle . Four ships of the United States Navy were named in honor of Captain Nicholas Biddle Biddle . 1 +"In 2010 , Mustafa Sandal was cast in the movie "" Five Minarets in New York "" that was directed by Mahsun Kırmızıgül ." "In 2010 , Mustafa Sandal was cast in the movie "" Five Minarets in New York "" , directed by Mahsun Kırmızıgül ." 1 +For example : during the summer is the distance from Mammoth Lakes to Fresno , while in winter it almost doubles . For example : during the summer is the distance from Fresno to Mammoth Lakes , while in winter it almost doubles . 0 +The region was then followed by the Muslim house of Arakkal , ruled by Tipu Sultan . The region was followed by the Muslim house of Arakkal , ruled by Tipu Sultan . 1 +The Arens - Mackey - Topology and the weak Banach - Space topology are relatively rarely used . The Arens -- Mackey topology and the weak Banach space topology are relatively rarely used . 1 +White loses 3 ... Qh4 + 4.Kf1 , loses the right to the castle , but this allows time for black after the inevitable Nf3 and white will develop rapidly . White allowed 3 ... Qh4 + 4.Kf1 , loses the right to the castle , but this loses time for black after the inevitable Nf3 and white will develop rapidly . 0 +He died in 1916 , and retired on September 30 , 1918 . In 1916 he retired and died on September 30 , 1918 . 0 +Later on , it was reported that Sunita will enter into an affair with John Michie ( Karl Munro ) . Later , it was reported that Sunita will start an affair with Karl Munro ( John Michie ) . 1 +Qazi Ghulam Murtaza was married to Ummatullah , a daughter of Syed Zainuddin of Tijara . Qazi Ghulam Murtaza was married to Ummatullah , daughter of Syed Zainuddin of Tijara . 1 +He sang with success also at La Fenice in Naples , at the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Venice . He also sang with success at La Fenice in Naples , the Maggio Musicale Fiorentino in Florence , and the Teatro San Carlo in Venice . 1 +Hardie became the party 's Secretary , while George Mitchell was the first Treasurer and Cunninghame Graham was the President . The party ’ s secretary became Hardie , while George Mitchell was the first treasurer , and Cunninghame Graham was the president . 1 +Still generates a metric that defines global convergence in the figure . Still defines a metric that generates the global convergence in measure . 0 +If the outer compositions are first performed ( operations are read from right to left ) . If the outer compositions are performed first ( operations are read from right to left ) . 1 +Obrovac is a town in northern Dalmatia , in the county of Zadar in Croatia . Obrovac is a town in northern Dalmatia , in Croatia of the County of Zadar . 0 +"It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" Format ) and re-released in 2003 on Bridge 9 Records ." "It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and will be released on Bridge 9 records in 2003 ." 1 +Director Albert Pyun , who had previously worked at Cannon , was brought on board and started with the Tolkin script that originally worked at Cannon . Director Albert Pyun , who had previously worked with Cannon , was brought on board and worked with the Tolkin script that originally started at Cannon . 0 +The languages of Rai - Coast are a language family in Madang - stock of New Guinea . The Madang languages are a family of languages in the New Guinea stock of Rai Coast . 0 +The combination of cold surface waters and warm , deeper waters supports a high degree of biodiversity . The combination of cold surface waters and warm deeper waters supports a high level of biodiversity . 1 +The river Nadeş is a tributary of the River Ciortosu in Romania . The Ciortosu River is a tributary of the Nadeş River in Romania . 0 +Many of them now live in cochin , Tamil Nadu , Gujarat , Chennai , Bangalore , Karnataka , Andhra Pradesh , Vijayawada , Mysore and Mumbai . Many of these now live in Cochin , Tamil Nadu , Gujarat , Chennai , Bangalore , Karnataka , Andhra Pradesh , Vijayawada , Mysore , and Mumbai . 1 +Nyceryx tacita is a moth of the Sphingidae family , which is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . Nyceryx tacita is a moth of the family Sphingidae . It is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . 1 +Martin Gropius was the great-uncle of architect and Bauhaus founder Walter Gropius . Walter Gropius was the great-uncle of the architect and Bauhaus founder Martin Gropius . 0 +A complete edition was published 1862 -- 1864 in Edinburgh , in seven volumes , by Alexander Grosart , with a biographical memoir by James Nichol . A complete issue was published in 1862 -- 1864 in Edinburgh , in seven volumes by James Nichol , with a biographical memoir by Alexander Grosart . 0 +The 1945 Victorian state election was held in the Australian state of Victoria on Saturday 10 November 1945 to elect 65 members of the state 's Legislative Assembly . The Victorian state election in 1945 was held on November 10 , 1945 , in the Australian state of Victoria to elect 65 members of the state legislative assembly . 1 +The Deputy to the Prime Minister of Norway was an office in the second cabinet of Kåre Willoch and the first cabinet of Kjell Magne Bondevik . The Deputy Prime Minister of Norway was an office in the first cabinet of Kåre Willoch and the second Kabinett of Kjell Magne Bondevik . 0 +Other actors include Avtar Gill , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Anang Desai . Other cast include Shakti Kapoor , Ashok Saraf , Mukesh Khanna , Bindu , Tinnu Anand , Mohan Joshi , Ranjeev Verma , Avtar Gill , Anang Desai . 1 +In Brazil , the IPHONE brand was registered in 2000 by the then company Gradiente Eletrônica S.A. , now IGB Eletrônica S.A.. In Brazil , the IPHONE brand was registered in the year 2000 by Gradiente Eletrônica S.A. , then IGB Eletrônica S.A . 0 +Stella was born in Kano State , Northern Nigeria in the family of Felix Ebelechukwu and Margaret Modebelu , descents of Nnewi in Anambra State . Stella was born in Nnewi Northern Nigeria into the family of Felix Ebelechukwu and Margaret Modebelu , descents of Anambra State in Kano State . 0 +Goolagong Cawley reached five finals between 1971 and 1980 but won only her first and last finals . Between 1971 and 1980 , Goolagong Cawley reached five finals , but won only her first and final finals . 1 +Besides sitting multiple times for Hone and Sir Joshua Reynolds , she may have been painted by Philip Mercier , James Northcote , and Richard Purcell , among others . Besides seating for Hone and Sir Joshua Reynolds several times , she may have been painted by Philip Mercier , James Northcote and Richard Purcell , among others . 1 +However , it was a spiritual ceremony and not a legal one . However , it was a spiritual , and not a legal ceremony . 1 +Sporting Club Suceava was a professional football club from Suceava , based in Romania and founded in 2008 . Sporting Club Suceava was a professional football club from Romania , based in Suceava and was founded in 2008 . 0 +One of these two was physically disabled and cognitively severely affected . Of these two , one was severely cognitively impaired and physically disabled . 0 +Barako from San Francisco was shipped from Manila to Batangas . Barako from Batangas was shipped to San Francisco from Manila . 0 +In 2008 , Courtney Mathewson from UC Irvine , and Tim Hutten from UCLA won the Cutinos . In 2008 , Courtney Mathewson from UC Irvine and Tim Hutten of UCLA won the Cutinos . 1 +In particular the ornamental iron fencework shows Eastlake influence in its medieval design . The ornamental iron fence in particular shows Eastlake influence in its medieval design . 1 +In March 2017 , Peters criticized the former Foreign Minister Murray McCully for endorsing United Nations Security Council Resolution 2334 without consulting his fellow Cabinet ministers . In March 2017 , Murray McCully criticized former Foreign Minister Peters for endorsing United Nations Security Council Resolution 2334 without consulting his other cabinet ministers . 0 +"The term "" non-hereditary spherocytosis "" is occasionally used , albeit rarely ." "The term "" non-hereditary spherocytosis "" is used occasionally , albeit rarely ." 1 +"For ( poorly standardized ) terminology such as "" first granduncle "" , see second cousins twice removed ." "For ( poorly standardized ) terminology such as "" Second Granduncle "" , see the first cousins removed twice ." 0 +Its central Atlantic Beach , North Carolina location , is Wake Forest about three hours by car west of Piedmont and four hours east of the Great Smoky Mountains . Its central Piedmont location situates Wake Forest about three hours by car west of Atlantic Beach , North Carolina , and four hours east of the Great Smoky Mountains . 0 +Scott and Short then traveled overland to the Kentucky River to examine the land they would later claim . Scott and Short then traveled overland to the Kentucky River to investigate the land they would later claim . 1 +"The species was first formally described by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by Carl Meissner ." "This species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" from material by James Drummond ." 0 +Olivella bitleri is a species of dwarf sea snail , small gastropod mollusk in the family Olivellidae , the marine olives . Olivella bitleri is a species of the dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the marine olives . 1 +The RJD won 206 seats , while the NDA 22 seats won . NDA won 206 seats while RJD won 22 seats . 0 +In 1936 , the Works Progress Administration of the Federal Theatre Project put unemployed theatre performers and employees to work . The Federal Theatre Project of the Works Progress Administration set unemployed theatre performers and employees to work in 1936 . 0 +These include the Union of European Federalists , the International Movement and the European Federalist Party . These include the Union of European Federalists , the European Federalist Party and the European Movement International . 1 +"Other works at the premiere were "" Choral "" , "" Adagio ( from the second suite ) "" , "" Scherzo , Op ." "Other works at the premiere were "" Choral "" ; "" Adagio ( from second Suite ) "" ; "" Scherzo , Op ." 1 +Sir Martin ( or Roger Martyn ) was a mercer and Lord Mayor of London in 1567 ; he was also Sheriff of London in 1559 . Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , and in 1559 was Sheriff of London . 1 +Nell Potts ( born April 8 , 1959 ) is a former child actress who performed under the name of Elinor Teresa Newman . Nell Potts ( born April 8 , 1959 ) is a former children actress who performed under the name of Elinor Teresa Newman . 1 +The river Crişul Mic is a tributary of the Doba River in Romania . The Crişul Mic River is a tributary of the Doba River in Romania . 1 +The railway station was opened in 1865 and is located on the Paris - Bordeaux - Railway and Paris - Tours - Railway . The station was opened in 1865 and is located on the Paris -- Bordeaux railway and Paris -- Tours railway . 1 +"In his confusing will , he had asked Charles II to give to his unborn child an "" ordinary principality "" or something similar ." "In his confusing will he had asked Charles II to give his unborn child an "" ordinary principality "" or something equally appropriate ." 1 +Benoni is also served by OR Tambo International Airport in Kempton Park and close to the airport . Benoni is also served by the OR Tambo International Airport in Kempton Park and close to the airport . 1 +The 2014 -- 15 season will be Sporting Goa 's 8th season in the I - League and 15th season in existence . The 2014 -- 15 season will be Sporting Goa 's 8th season in the I-League and 15th season in existence . 1 +"The other song , "" Hej clown "" was written by Lasse Berghagen and later ABBA member Benny Andersson ." "The other song , "" Hej Clown "" , was written by Lasse Berghagen and later by ABBA - member Benny Andersson ." 1 +Together , these three features completely determine the direct structure of the algebraic product . Together , these three properties completely determine the algebraic structure of the direct product . 0 +The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on 13 January 2012 . The lowest temperature ever recorded in Pokhara was on May 4 , 2013 , while the highest temperature ever recorded was January 13 , 2012 . 0 +She won Democrats 64-35 , but the Independents lost 66-33 to Sanders . She won Democrats 64-35 , but lost Sanders 66-33 to the Independents . 0 +Its ancient cult sanctuary of Aphrodite was the second most important in Paphos , her homeland , after Cyprus . After Cyprus , its ancient cult sanctuary of Aphrodite was the second most important in Paphos , her homeland . 1 +On September 11 , 2017 , a fourth series of resuscitation started and the second series overall . On September 11 , 2017 , a second series of revival and the fourth series started off . 0 +Here , two more sons were born : Louis in 1882 and Fred in 1884 . Two other sons were born here : Louis in 1882 and Fred in 1884 . 1 +A second company , Winslow Life Raft Company was founded as the New York Rubber Company in 1941 . A second company , New York Rubber Company , was founded in 1941 as a Winslow Life Raft Company . 0 +It also adds to the personality of the character Holly Golightly , played by Audrey Hepburn . It also adds the personality of the character Audrey Hepburn , played by Holly Golightly . 0 +Bernhard Franz von Hess ( May 22 , 1792 - April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Maximilian II of Bavaria . Bernhard Franz von Hess ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian Lieutenant General and War Minister under Maximilian II of Bavaria . 1 +The Greeks and Romans identified the region as Gangaridai , a powerful kingdom of the historical subcontinent , in the 3rd century BCE . In the 3rd century BC the Greeks and Romans identified the region as Gangaridai , a historical kingdom of the mighty subcontinent . 0 +Surprise Lake is a lake on Brewster Lake north of Vancouver Island and south of Amor Lake . Surprise Lake is a lake in Vancouver Island , north of Brewster Lake and south of Amor Lake . 0 +Her father is known as the educational archeologist and influenced Ennigaldi to create her first serious antiquity museum . Her father is known as the first serious archaeologist and influenced Ennigaldi to create her educational antiquity museum . 0 +In 1936 he designed renovation of the York Road Theatre , later known as the Embassy Theatre . In 1936 , he designed the renovation of the Embassy Theatre , which was later known as York Road Theatre . 0 +Due to the results of the previous round Kevin Gleason received + 30 kg , Gianni Morbidelli + 20 kg and Pepe Oriola + 10 kg . Due to the results in the last round , Gianni Morbidelli received + 30 kg , Pepe Oriola + 20 kg and Kevin Gleason + 10 kg . 0 +Dundas Public School is a primary school located in western Sydney , New South Wales , in the suburb of Dundas . Dundas Public School is a Primary School in western Sydney of New South Wales in its suburb Dundas . 1 +Airports near Seymour : Austin Straubel International Airport ( public ) in Greenville , Appleton International Airport ( public ) in Ashwaubenon . Major airports near Seymour include : Austin Straubel International Airport ( public ) , in Ashwaubenon ; Appleton International Airport ( public ) , in Greenville . 0 +It shows 362 different species of wood trees , bushes and 236 different old species of fruit trees . It shows 362 different old wood species , bushes and 236 different species of fruit trees . 0 +Xylophanes porcus ( porcus sphinx ) is a moth of the Sphingidae family and is found from Bolivia south to Florida . Xylophanes porcus ( porcus sphinx ) is a moth of the Sphingidae family that is found from Florida south to Bolivia . 0 +This was also the first series since the fifth , including a railway consultant in the role as part of the production team with Sam Wilkinson . This also marked the first series since the fifth to include a railway consultant as part of the production team , with Sam Wilkinson in the role . 1 +The northern slope of the Obshchy Syrt is covered with deciduous forests , while the southern slope towards the Caspian Depression has the characteristics of a steppe . The north slope of the Obshchy Syrt is covered by deciduous forests , while the southern slope towards the Caspian Depression has the characteristics of a steppe . 1 +Trans States Airlines operated as AmericanConnection until March 2007 and RegionsAir operated as AmericanConnection until May 2009 . Until March 2007 , RegionsAir was operated as AmericanConnection and until May 2009 as AmericanConnection of Trans States Airlines . 0 +In 1900 , Cowles married Elizabeth Waller , and her daughter Harriet was born in 1912 . Elizabeth Waller married Cowles in 1900 , and their daughter Harriet was born in 1912 . 1 +John John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married the British aristocrat William Cecil , a descendant of Edith Vanderbilt in 1924 . Cornelia Stuyvesant Vanderbilt ( the only child of George and Edith Vanderbilt ) married to the British aristocrat John F. A. Cecil , a descendant of William Cecil in 1924 . 0 +Belbin and White were engaged in June 2014 and married on April 25 , 2015 . Belbin and White became engaged in June 2014 and were married on April 25 , 2015 . 1 +It was completed in 1933 in a modernist style for the United States Postal Service and is now used by the US federal government as office accommodation . It was completed in 1933 in Modernist style for the United States Federal Government , and is now used as office accommodation by the United States Postal Service . 0 +In 1938 , under pressure from Japan , Germany ended its support for China , and Falkenhausen had to withdraw from China . In 1938 , Japan ended its support for China under pressure from Germany , and Falkenhausen had to withdraw from China . 0 +Microscopically , the quantum mechanical polarization arises from optical transitions between different states of the material system . The optical polarization results microscopically from quantum mechanical transitions between different states of the material system . 0 +The Yuman - Cochimí languages are a family of languages spoken in Arizona , Southern California , Northern Sonora and Western Baja California . The Yuman -- Cochimí languages are a family of languages spoken in Arizona , southern California , northern Sonora and western Baja California . 1 +Big Sur 's album Notes is an album by jazz saxophonist Charles Lloyd , which was recorded by Lloyd in July 1993 with Bobo Stenson , Anders Jormin and Ralph Peterson . Notes from Big Sur is an album by jazz saxophonist Charles Lloyd recorded in July 1993 by Lloyd with Bobo Stenson , Anders Jormin and Ralph Peterson . 1 +"Cassandra Peterson also appeared in Peaches Christi "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." "Brown also appeared in "" All about the Evil "" of Peaches Christ with Cassandra Peterson , Mink Stole and Patrick Bristow ." 0 +The season 2004 -- 05 LEB 2 was the 5th season of the LEB Plata , the second league of the Lega Española de Baloncesto and third league in Spain . The 2004 -- 05 LEB 2 season was the second season of the LEB Plata , 5th league of the Liga Española de Baloncesto and third division in Spain . 0 +Cheetham was born on January 30 , 1928 in El Paso , Texas , grew up in Taos , New Mexico , received B.S . Born in Taos , New Mexico , January 30 , 1928 , Cheetham grew up in El Paso , Texas , received B.S . 0 +You can repeat the same procedure with multiple operations just use steps 1 and 2 for each operation . You can use the same procedure with several operations , repeat steps 1 and 2 for each operation . 1 +There is a wonderful enshi in Forest Park , which offers beautiful countryside and views of the city as well as an amusement park . There is a beautiful Forest Park in Enshi which offers splendid scenery and views of the city as well as an amusement park . 0 +Top - singer Noor Jehan expected to be the other singers for duets with G. M. Durrani . Top - singer G. M. Durrani expected to be the other singers for duets with Noor Jehan . 0 +The river Izvoarele is a tributary of the River Podriga in Romania . The River Podriga is a tributary of the River Izvoarele in Romania . 0 +In the first round of the tournament , Sean Loeffler defeated Baker via TKO at Bellator 16 . During the first round of the tournament , Sean Loeffler Baker defeated TKO at Bellator 16 . 0 +In biology , biochemical specificity is the tendency of a characteristic , such as a behavior or a biological variation to occur in a particular species . In biology , biological specificity is the tendency of a characteristic , such as behavior or biochemical variation , to occur in a particular way . 0 +The Vienna Ice Revue toured through most European countries including Germany , Italy , the Netherlands , Switzerland , Hungary , Czechoslovakia , Belgium , France and Spain . The Viennese ice revue toured most European countries , including Switzerland , Hungary , Czechoslovakia , Belgium , the Netherlands , Germany , Italy , France and Spain . 1 +The original version of the work was probably composed in the 15th century , while it bears traces of the later transformation that may belong to the 13th or 14th century . The original version of the work was probably composed in 15th century , while it bears traces of later remodeling that may belong to the 13th or 14th century . 1 +His first wife was Anna Williams , his second wife 's sister . His second wife was Anna Williams , sister of his first wife . 0 +In these stanzas , Galatea 's inaccessible character as an ideal ( see Platonic idealism ) is made tangible : In these strophes , Galatea 's platonic character is made inaccessible as an ideal ( see tangible idealism ) . 0 +KOTC : Live to Fight was an event held on May 14 , 2011 at San Manuel Casino in San Bernardino , California . KOTC : Fight to Live was an event held on May 14 , 2011 at the San Manuel Casino in San Bernardino , California . 0 +Microscopically , the quantum mechanical polarization arises from optical transitions between different states of the material system . The quantum mechanical polarization results microscopically from optical transitions between different states of the material system . 1 +As the first year in 2011 she started in 22 games and appeared in 23 of a total of 24 games . As a first year in 2011 , she started in 22 games and appeared in 23 of the 24 total matches . 1 +This includes public bodies and private bodies that regulate public bodies . This includes public bodies and public bodies that regulate private institutions . 0 +He was appointed First Lieutenant on October 14 , 1917 in West Medford , and weeks later a Fort Des Moines native , Madeline Mabray Kountze , married . He was commissioned first lieutenant on October 14 , 1917 at West Medford , and weeks later married a Fort Des Moines native , Madeline Mabray Kountze . 1 +In particular , the medieval iron fencework shows Eastlake influence in its ornamental design . The medieval iron fence in particular shows Eastlake influence in its ornamental design . 1 +Mount Cline is a mountain in western Nordegg , north of Saskatchewan Crossing , southwest of Alberta , Canada . Mount Cline is a mountain in the western Nordegg , north of Saskatchewan Crossing , southwest of Alberta , Canada . 1 +These two lines ( sometimes called the vertical cone ) are in R and have slopes ± 1 . These two lines ( sometimes called the perpendicular cone ) are null in R and have slopes ± 1 . 0 +A 2001 Broadway - Revival was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . A 2001 Broadway revival was directed by Joe Mantello and starred Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . 0 +He also has been influenced by progressive punk , metallic hardcore , thrash metal , punk rock and many other hardcore metal bands . He has also been influenced by progressive punk , metallic hardcore , thrash metal , punkrock and many other hardcore metal bands . 1 +Heather Weaver has been the conductor of the group since 2003 and Sharon Northe has been President since 2017 . Sharon Northe has been Head of the Group since 2003 , and since 2017 Heather Weaver has been President . 0 +""" Yesteryear "" is the first episode of the second season of animated American science - fiction - television series ." """ Yesteryear "" is the second episode of the first season of the animated American Science - Fiction - TV series ." 0 +Later on Hamira Badna went out and built a fort here . Hamira later on drove out Badna and built a fort here . 0 +The Flushing Line was opened on April 21 , 1917 from Queensboro Plaza to 103rd Street -- Corona Plaza with a local station on 40 Street . The Flushing Line was opened from Queensboro Plaza to 103rd Street -- Corona Plaza on April 21 , 1917 , with a local station at 40th Street . 1 +In this room a barometer and a built-in scale are represented . In this room are presented a barometer and a built-in scale . 1 +Ortacami is a village connected to the Giresun district in the province of Tirebolu . Ortacami is a village connected to the Giresun district of Tirebolu province . 1 +In 1961 , the college moved to Dorsey Avenue , and in 1968 moved to its present location , in Rossville . In 1961 , the college moved to Dorsey Avenue , and in 1968 it moved to its present location in Rossville . 1 +Acute dose-dependent effects of beta radiation on the skin are as follows : The beta Dose Acute effects of dependent radiation on skin are as follows : 0 +Maval is a taluka part of the Pune District in the state of Maharashtra India , it is 85 km from Pune and 54 km from Mumbai . Maval is a taluka part of the Pune District in the state of Maharashtra India , it is 85 km from Mumbai and 54 km from Pune . 0 +He left three legitimate sons , Jayappa , Dattaji , and Jotiba , and two illegitimate , Tukaji and Mahadji . He left behind three legitimate sons , Jayappa , Dattaji and Jotiba , and two illegitimate , Tukaji and Mahadji . 1 +Humphrey , however , had supported McKeithen at the 1968 Democratic National Convention in Chicago . In 1968 , however , Humphrey supported McKeithen at the Democratic National Convention in Chicago . 1 +The Armenian national liberation movement was exhausted by six years of wars and conflicts , the Armenian army and population were not capable of any further active resistance . The Armenian national liberation movement was exhausted by the six years of permanent wars and conflicts ; the Armenian army and population were incapable of any further active resistance . 1 +The other European powers were no longer prepared to oppose a new French expansion and were willing to form alliances to accept such a thing . The other European powers were no longer disposed to oppose a new French expansion and were prepared to form alliances to accept such a thing . 1 +Carmen Aub Romero ( born October 24 , 1989 in Mexico , Mexico , D.F . ) is a Mexican actress . Carmen Aub Romero ( born October 24 , 1989 in Mexico City , D.F. , Mexico ) is a Mexican actress . 1 +""" Caladenia picta "" is a terrestrial , perennial , deciduous , herb with an underground tuber and a single , sparsely hairy , linear leaf , long and ." """ Caladenia picta "" is a terrestrial , persistent , deciduous herb with an underground tuber and a single , sparsely long leaf , hairy , linear and ." 0 +"The canonical choice for ( ( "" m "" , "" n "" ) ) is chosen so that "" n "" is positive and , i.e ." "The canonical choice for ( "" m "" , "" n "" ) is chosen so that "" n "" is positive , i.e ." 1 +It was redistributed in 1996 from parts of Prescott and Russell , and from Stormont , Dundas , and Glengarry , when ridings were created to match their federal counterparts . It was redistributed in 1996 from parts of Prescott and Russell and Stormont , Dundas and Glengarry when ridings were created to match their federal counterparts . 1 +New York 's initial possession of parts of Maine ensured a close relationship with other New England colonies like Vermont and a continuing New England influence on the colony . New York 's initial possession of parts of Vermont provided a close relationship with other New England colonies like Maine and a continuing New England influence in the colony . 0 +When the band moved from Virginia Beach in 2012 , we split up from Los Angeles and Texas . When the band moved from Virginia Beach in 2012 we split between Los Angeles and Texas . 1 +The rest of the material are covers from Argentina folk artists Jose Larralde , Anibal Troilo , Cátulo Castillo and Pedro Bonifacio Palacios . The rest of the material are covers of Argentinian folk artists Jose Larralde , Pedro Bonifacio Palacios , Cátulo Castillo and Anibal Troilo . 1 +The tenth Baronet was Lord Lieutenant of Denbighshire , and the ninth Baronet served as Lord Lieutenant of Denbighshire and Clwyd . The ninth Baronet was Lord Lieutenant of Denbighshire , and the tenth Baronet served as Lord Lieutenant of Denbighshire and Clwyd . 0 +On the morning of the attack , the second was continuously open , so when the first gate was opened , the terrorists drove directly through the second gate . On the morning of the attack , the second was continuously open , so when the first gate opened , the terrorists drove straight through the second gate . 1 +The joint management of the memorial was founded by the National Park Service and the United States Navy on 9 September 1980 . The joint administration of the memorial by the National Park Service and the United States Navy was established on September 9 , 1980 . 1 +Route 309 is a Connecticut state highway in the northwestern Hartford suburbs running from Canton to Simsbury . Route 309 is a Connecticut State Highway in the northwestern Hartford suburbs from Canton to Simsbury . 1 +In October 2017 , the school joined Outwood Grange Academies Trust , and became Outwood Academy Redcar . In October 2017 , the school Outwood Grange Academies joined Trust and became Outwood Academy Redcar . 0 +In Sunnyside , west of the centre of the city , the path where the old promenade runs , and parallel to the current one is . In Sunnyside , west of the centre of the city , the trail runs where the old boardwalk is , and parallel to the current one . 0 +Lahore governor Malik Ikhtyaruddin Qaraqash fled the Mongols , while the Mongols held the city for a few years under the rule of the Mongol chief Toghrul . Governor Malik Ikhtyaruddin Qaraqash held the Mongols , while the Mongols , under the rule of the Mongolian chief Toghrul , fled from the city for a few years . 0 +At the age of 76 he died in South Africa , in Grahamstown , Cape Province . Smith died in Grahamstown , Cape Province , in South Africa at the age of 76 . 0 +Tyler , the youngest , was born in 1860 when Pearl was 70 years old , she died in 1947 . The youngest , Tyler was born in 1860 , when Pearl was 70 years old , she died in 1947 . 1 +The scientific method is essentially the application of the inductive approach to investigation . The scientific method is essentially the application of the inductive approach to the investigation . 1 +His police career began in San Antonio , Texas , and was a police officer in San Francisco before he returned to San Diego . His police career started in San Antonio , Texas , and was a police officer in San Francisco before he returned to San Diego . 1 +The game was developed by Mattel and was licensed through Magmic . The game was developed by Mattel and licensed through Magmic . 1 +In 1920 he represented Italy at the Oceanographic Congress in Madrid , and in 1924 he represented the geographical society at the International Geographical Congress in Cairo . In 1920 , he represented Italy at the Oceanographic Congress in Madrid , and in 1924 he represented the geographical community at the International Geographic Congress in Cairo . 1 +Nora Navarro was born the second of six children of Winifredo Santos , a physician , and María Rosario Santos y Navarro . Nora Navarro was born as the second of six children of Winifredo Santos , a doctor , and María Rosario Santos y Navarro . 1 +"She was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." "It was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." 1 +His son George was a prominent architect active in Winnipeg and his son John James was also an architect active in Montreal . His son , George , was a prominent architect in Winnipeg , and his son , John James , was also active in Montreal . 1 +Conchita Martínez Granados ( born 20 January 1976 in Spain ) is a former professional female tennis player from Barcelona , Spain . Conchita Martínez Granados ( born January 20 , 1976 in Barcelona ) is a former tennis player from Spain . 0 +The series was written by Jim Starlin and penciled by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . The series was written by Jim Starlin and drawn by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 1 +Llandow ( South Wales ) Halt railway station was a short-lived railway station in Wick Road . Holding station Llandow ( Wick Road ) Halt was a short-lived railway station in South Wales . 0 +In the summer of 1956 , Mike Barnett took over Frank Lovejoy 's role until the end of the series in the same year . In the summer of 1956 , Frank Lovejoy took over the role of Mike Barnett until the series ' end that same year . 0 +The Nordiques signed the Toronto Maple Leafs Free Agent Tony Currie while they lost Blake Wesley , who signed with Edmonton Oilers . The Nordiques signed Free Agent Tony Currie from Edmonton Oilers , while Blake Wesley , who signed with the Toronto Maple Leafs , lost . 0 +The rapidly expanding field of landscape ecology utilizes the basic aspects of spatial ecology in its research . The rapidly expanding field of landscape ecology uses in its research the spatial aspects of basic ecology . 0 +Elizabeth Warren is the former US Senator from Massachusetts , a senior member of the Democratic Party and currently a member of the Republican Party . Elizabeth Warren is the former United States Senator from Massachusetts , a senior member of the Democratic Party and currently a member of the Republican Party . 1 +Seagrave Smith 's trial for first-degree murder began on January 21 , 1895 before Judge Harry Hayward . Seagrave Smith 's trial for first degree murder began , before Judge Harry Hayward , on 21 January 1895 . 1 +"The "" Friends of Putney School of Art and Design "" promotes the School and protects the interests of current students ." "The "" Friends of the School of Art and Design of Putney "" promotes the school and protects the interests of the current students ." 1 +In the 2015 regional elections , after Tosi was marginalized by the Federal Party , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno . In the 2015 federal elections , Gidoni was elected to the Regional Council of Veneto in the Province of Belluno after Tosi was expelled by the regional party . 0 +The port of Los Cristianos ( Tenerife ) has the greatest number of passengers in the Canary Islands , followed by the port of Santa Cruz de Tenerife . The port of Los Cristianos ( Tenerife ) has the greatest number of passengers recorded in the Canary Islands , followed by the port of Santa Cruz de Tenerife . 1 +In winter the weather is moderately warm , in summer it is cold . The weather is moderately cold in winter , warm in summer . 0 +Redundant communication is replicated with supported data on both channels . Redundant communication is supported with replicated data on both channels . 0 +Mowbray Park , a large riverside park , was until the 1930s , the site of a public swimming pool built into the river . The Mowbray Park , a public river park , was the site of a large swimming pool built into the river until the 1930s . 0 +The band appears in the video alongside British comic actors Jo Guest and Sara Stockbridge and model Matt Lucas . The band appears in the video next to the British comic actors Matt Lucas and Sara Stockbridge and Model Jo Guest . 0 +A boy who survived the attack said that Oliveira shot selectively to immobilize girls while shot boys simply to kill them . A boy who survived the attack , said that Oliveira selectively shot to immobilize girls , while shooting boys , only to kill them . 1 +He was appointed successor to Bishop Brian King in 2002 and is the first Anglican bishop in Australia to have a Chinese ethnic background . Brian King was appointed in 2002 to replace Bishop Lee . He is the first Anglican bishop in Australia to have a Chinese ethnic background . 0 +The first and last gradient terms are associated with the total pressure which is the sum of the magnetic and thermal pressures ; formula _ 9 . The magnetic and thermal gradient terms are connected with the first and last pressure , which is the sum of the overall pressures , Formula 9 . 0 +The River Timiş is a tributary of the River Calova in Romania . The Calova River is a tributary of the Temesch River in Romania . 0 +He was born in July 1973 in Petroupoli ( Athens ) . He was born in Athens in July 1973 ( Petroupoli ) . 1 +Barrai is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Barrai is a village in the Bhopal district of Madhya Pradesh , India , in the Berasia tehsil . 1 +The introduction of the Game Script feature allows developers to create new interactive scenarios , scripted goals , and successes within games . The introduction of the Game Script feature allows developers to create new interactive scenarios , scripted goals , and achievements within games . 1 +After being called to the bar in England , he returned to Hong Kong in 1877 to practise law . After being called to the bar in Hong Kong , he returned to England in 1877 to practice the law . 0 +The decision to use modern clothing was called Houseman as an essential element in Orson 's conception of the play as a political melodrama with clear contemporary parallels . "The decision to use clear contemporary clothing called Houseman "" an essential element in Orson ’ s conception of the play as a political melodrama with modern parallels "" ." 0 +The original route started at US 410 in Touchet and went north to Eureka and to the east to SSH 3E west of Prescott . The original route started at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . 1 +Aatma is the third studio album of Colonial Cousins , an Indian duo composed of singer Lesle Lewis and singer-composer Hariharan . Aatma is the third studio album of Colonial Cousins , an Indian duo composed of singer Hariharan and singer - composer Lesle Lewis . 0 +The 1981 Purdue University football team represented Purdue Boilermakers during the football season of the Big Ten conference in 1981 . The 1981 Purdue Boilermakers football team represented Purdue University during the 1981 Big Ten Conference football season . 0 +One of the advantages of qualitative research as a whole over the quantitative is its flexibility . One of the advantages of quantitative research as a whole over the qualitative is its flexibility . 0 +Phaecadophora fimbriata is a moth of the Tortricidae family . It is found in Thailand , Japan , Taiwan , China , India , Java and New Guinea . Phaecadophora fimbriata is a moth from the Tortricidae family , which is found in India , China , Thailand , Japan , Taiwan , Java and New Guinea . 1 +"Harold Innis refers to Postman "" concept of "" knowledge monopolies "" to explain the manner in which technology usurps power in a technopoly ." "Postman refers to Harold Innis "" concept of "" knowledge monopoly "" to explain the way in which technology power in a technopoly usurps ." 0 +The mind is still rather willing and the body is very strong . "The mind is very willing and the body is still pretty strong. """ 0 +He is survived by his children Jason Coppola from Brooklyn and Samantha Coppola of Bogota and three grandchildren . He is survived by his children , Jason Coppola of Brooklyn and Samantha Coppola of Bogota , and three grandchildren . 1 +Spencer is about ten miles from downtown Midwest City and borders the city of Nicoma Park to the east and the city of Oklahoma City to the south . Spencer is approximately ten miles from downtown Oklahoma City and borders the City of Nicoma Park to the east and the City of Midwest City to the south . 0 +As Aaron and Robert 's Subaru approaches , Lachlan tries to warn them but Aaron crashes his car into the lake with Emma in the boot . When Subaru approaches from Aaron and Robert , Lachlan tries to warn them , but Aaron crashes his car with Emma in the boot into the lake . 1 +Fersfield is bounded on the east and south by the village of Kenninghall ; to the west are South Lopham and North Lopham and to the north Bressingham . Fersfield is limited to the east and south by the village of Kenninghall , to the west are South Lopham and North Lopham and in the north of Bressingham . 1 +In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Disney Springs at Walt Disney World in Florida . In September 2015 , Morimoto opened the pan-Asian restaurant Morimoto Asia in Walt Disney World in Disney Springs , Florida . 0 +She toured with Traffic and Joe Cocker before joining in 1970 with Jimi Hendrix . She toured with Traffic and Joe Cocker before joining up with Jimi Hendrix in 1970 . 1 +The second wife of Lü Bu , who was mentioned only by name in the novel , was a fictional daughter of Cao Bao . Cao Bao 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Lü Bu . 0 +Staf Scheirlinckx ( born March 12 , 1979 in Herzele ) is a former Belgian road cyclist , the brother of another cyclist professional , Bert Scheirlinckx . Staf Scheirlinckx ( born 12 March 1979 in Herzele ) is a Belgian former professional road bicycle racer , the brother of another professional cyclist , Bert Scheirlinckx . 1 +The constituency , like its neighbour Scotland , was one of the safest seats of Labour in Dunfermline East . The constituency was like its neighbour , Dunfermline East , one of the safest seats in Labour in Scotland . 0 +"Godella is a municipality in the "" comarca "" of Valencia , Spain , province of Horta Nord ." Godella is a municipality in the Comarca Valencia , Spain , province of Horta Nord . 1 +In November , 2010 , she was rated as the fifth highest ranked under-20 female player in the world . In November 2010 , she was rated as the fifth highest player in the world . 0 +At the Congress , Toxo was supported by the Basque regional secretary Unai Sordo whom Toxo has replaced as candidate . Toxo was replaced by the Basque regional secretary , Unai Sordo , whom Toxo supported as a candidate at the Congress . 0 +Born in 1935 in Longbenton , Northumberland , Curry died in 1990 in Mansfield , Nottinghamshire , at the age of 54 . Born in 1935 in Mansfield , Nottinghamshire , Curry died at the age of 54 in Longbenton , Northumberland in 1990 . 0 +Botanist Aaron Davis and gardeners Matt Bishop and John Grimshaw , authors of the works on which these notes are based , also qualify as galanthophiles . As galanthophiles , the authors of the works on which these notes are based also apply , the botanist Aaron Davis and the gardeners John Grimshaw and Matt Bishop . 1 +But the goals are not easy -- grandmother , wife of an oligarch , virgin , feminist and sectarian . But the targets are not easy -- grandmother , wife of an oligarch , sectarian , feminist and virgin . 1 +Mahathir wrote another letter to Manser in March 1992 : In March 1992 , Manser wrote another letter to Mahathir . 0 +"Psychopolitical validity is divided into two components : "" epistemic validity "" and "" transformation validity "" ." "Psychopolitical validity is divided into two components : "" epistemic validity "" and "" transformational validity "" ." 1 +Zhu Ci continued to serve under Zhu Xicai , and it was said that because they shared the same family name , Zhu Xicai greatly trusted him . Zhu Xicai continued to serve under Zhu Xicai , and it was said that because they shared the same family name , Zhu Ci trusted him greatly . 0 +Walnut Hill was also on the Goshen Road , an early road across Illinois , from Shawneetown to the Goshen Settlement near Glen Carbon . Walnut Hill was also on the Goshen Road , an early street through Illinois , from Shawneetown to the Goshen Settlement near Glen Carbon . 1 +Sales started in the third quarter of 2008 in Europe and early 2009 in North America as a model for 2010 . Sales began in Europe in the third quarter of 2008 and in North America in early 2009 as a 2010 model . 1 +There are three secondary schools and a number of primary schools in Caringbah . In Caringbah there are three primary schools and a series of secondary schools . 0 +The school is subdivided into four houses : castle ( red ) , palace ( green ) , tower ( yellow ) and abbey ( blue ) . The school is split into four houses : Castle ( red ) , Palace ( blue ) , Tower ( green ) and Abbey ( yellow ) . 0 +The sunken place contained buildings similar to the new floor buildings of West Stow in England . The new location contained buildings similar to the sunken floor buildings of West Stow , England . 0 +In the 2015 municipal elections for Serampore Municipality Trinamool Congress won 22 seats , CPI ( M ) 4 seats , Congress 1 seat and Independents 2 seats . In 2015 , municipal elections for Serampore Municipality Congress won 22 seats , CPI ( M ) 4 seats , Trinamool - Congress 1 seat and Independent 2 seats . 0 +The 2013 Texas A 'M Aggies Football Team represented Texas A ' M University in the NCAA Division I FBS Football - Season 2013 , where they played their home games at Kyle Field . The 2013 Texas A & M University football team represented Texas A & M Aggies in the 2013 , NCAA Division I FBS football season . They played their home games at Kyle Field . 0 +"Ar5 "" Marco Polo "" is the fifth episode of the HBO original series "" The Sopranos "" and the eighth of the show 's 60th season ." """ Marco Polo "" is the fifth episode of the HBO - original series "" The Sopranos "" and the eighth of the series 60th season ." 1 +Smith was born in Monroe County and educated at the Culloden Academy in Twiggs County , Georgia . Smith was born in Monroe County and was educated at the Culloden Academy in Twiggs County , Georgia . 1 +He devoted the work to his friend , the violinist Nikolai Medtner , and wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : Rachmaninoff dedicated the work to his friend the violinist Nikolai Medtner . He wrote to another friend , the composer Fritz Kreisler , on 21 December 1931 : 1 +These are the known same or similar protocol specifications that cover the open space as AMQP : These are the same or similar protocol specifications that cover the open space as AMQP : 1 +It is not even known if two free group factors are isomorphic . It is not even known if any two isomorphic group factors are free . 0 +Wesley Enoch , the oldest son of Doug and Lyn Enoch from Brisbane , grew up in Stradbroke Island and is the brother of Queensland - Minister Leeanne Enoch . The eldest son of Doug and Lyn Enoch from Stradbroke Island , Wesley Enoch grew up in Brisbane . He is the brother of Queensland government minister Leeanne Enoch . 0 +Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and a number of residential areas . Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of commercial and industrial areas . 0 +Ranjit Singh marched to ( Rohtas ) , from there to Rawalpindi and reached via ( Sarai Kala ) siricote . Ranjit Singh marched to Rawalpindi , from there after ( Rohtas ) and via ( Sarai Kala ) to Sirikot . 0 +Steve DeBauche 's parents are Jean and Brent DeBauche of Suamico , WI and has two younger brothers , Brad and Ken . The parents of Steve Steve DeBauche are Jean and Brent DeBauche from Suamico , WI and has two younger brothers , Brad and Ken . 1 +Under Frank and later Nicky Scarfo served Phil Testa . Phil Testa served under Frank and later Nicky Scarfo . 1 +"He has three colored stripes that decorate his head , and in the "" Street Fighter Alpha "" series , he removes a turban that he wears before the battle ." "He has three colored stripes adorning his head and in the "" Street Fighter Alpha "" series , he removes a turban that he wears before battle ." 1 +"José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California called "" Felipe Calderón "" on 11 October 2012 ." "On October 11 , 2012 , Felipe Calderón opened a boulevard in Tijuana , Baja California , called the José Francisco Blake Mora "" ." 0 +Pennsauken Township is located in the 1st Congressional District and is part of New Jersey 's 6th state legislative district . Pennsauken Township is located in the 1st Congressional District and is part of the sixth state of New Jersey 's Legislative District . 1 +It serves Dadar - area of the city Mumbai . It serves Dadar area of Mumbai city . 1 +B is the common term between the two premises ( the central term ) , but is never distributed , so this syllogism is invalid . B is the middle term between the two premises ( the common term ) , but is never distributed , so that syllogism is invalid . 0 +Pingding County is a county located in Yangquan , People 's Republic of China under the jurisdiction of the city of Shanxi . Pingding County is a county in the Province of Shanxi in the People 's Republic of China under the jurisdiction of Yangquan City . 0 +December 18 : Received Shawn Zarraga from the Los Angeles Dodgers for Matt Long and Jarrett Martin . On December 18 , Shawn received Zarraga from Dodgers in Los Angeles for Matt Long and Jarrett Martin . 1 +Mercer was the brother of Charles Fenton Mercer , and father of George Mercer and John Francis Mercer . was brother of Charles Fenton Mercer and the father of George Mercer and John Francis Mercer . 0 +Following the independence of Armenia in 1991 , Ijevan became the provincial centre of the newly founded Tavush Province as per the administrative reforms of 1995 . Following the independence of Armenia in 1991 , Ijevan became the provincial centre of the newly founded Tavush province after the administrative reforms of 1995 . 1 +It begins near the western extremities of the Central Oregon Coast Range and flows south to the sea in general west of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and generally flows to the west south of Depot Bay and north of Otter Rock . 0 +These are the known open protocol specifications that cover the same or similar space as AMQP : These are the known open protocol specifications that cover the same or similar areas as AMQP : 1 +Prakash was the international CIO of Avaya , then the Group CIO of iSoft and later the CIO of Sage Group in the UK . Prakash was the international CIO of Avaya , then the Group CIO of Sage Group and later the CIO of iSoft in England . 0 +The season 2014 -- 15 was Maribor 's 24th consecutive season of football and the 55th season of the club in the Slovenian PrvaLiga , since the League foundation in 1991 . The 2014 -- 15 season was Maribor 's 55th season of football and the club 's 24th consecutive season in the Slovenian PrvaLiga since the league establishment in 1991 . 0 +The brooch is a hammered disc made of large sheet silver inlaid with black niello and with a diameter of . The brooch is a hammered disc made of large silver sheet with black Niello and has a diameter of . 1 +In the MotoGP race Jorge Lorenzo won finishing 3.44 seconds ahead of 2010 world champion Casey Stoner with Dani Pedrosa in third place . In the MotoGP race Jorge Lorenzo won 3.44 seconds ahead of the 2010 World Champion , third place Casey Stoner with Dani Pedrosa . 1 +On October 1 , 2005 , the village of Hanazono was merged with Katsuragi from the Ito district . On October 1 , 2005 the village of Hanazono , from Ito District , was merged into Katsuragi . 1 +In a single night , many coastal towns of Louisiana ( and Mississippi ) had already been wiped out . In a single night , many coastal towns of Mississippi ( and Louisiana ) had already been wiped out . 1 +Brian Meehan fled with Traynor ( who later fled to Portugal ) to Amsterdam . Brian Meehan fled with Traynor ( who later fled to Amsterdam ) to Portugal . 0 +The following players have played a representative grade first match in 2018 . The following players played a representative first match in 2018 . 1 +The Association The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter awards . The Club The Model United Nations participates in academic discussions and intellectual forums throughout Boston and has won several chapters - awards . 0 +On May 24 , 2017 Lajunen signed a 1-year contract with HC Spartak Moscow from KHL . On 24 May 2017 , Lajunen signed a 1-year contract with HC Spartak Moscow from KHL . 1 +The driest calendar year since 1948 has been 1965 and the wettest 1956 . The wettest calendar year since 1948 has been with and the driest of 1956 since 1965 . 0 +Baron Paul Georges Marie Kronacker ( 5 November 1897 - 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and politician for the Liberal Party . 0 +History attracted widespread attention from the mainstream - media and social media . The story attracted widespread attention from mainstream media and social media . 1 +Exceptions to the original release are the tracks 2 , 3 and 6 , which are Japanese . Exceptions to the Japanese release are tracks 2 , 3 , and 6 , which are original . 0 +Two more aftershocks above Magnitude 5 in Kyrgyzstan and one in Xinjiang met on 13 October UTC - Time . Two more aftershocks above the Magnitude 5 in Xinjiang and one in Kyrgyzstan beat UTC on 13 October - time . 0 +However , for Mead , unlike John Dewey and J. J. Gibson , the key is not simply social action , but rather human action . However , unlike John Dewey and J. J. Gibson , the key to Mead is not simply human action , but social action . 0 +The power was held by a small group of Irish - English families who were loyal to the Anglican Church of Ireland . Power was held by a small group of Anglo-Irish families , who were loyal to the Anglican Church of Ireland . 0 +In 1796 John Taylor acquired Hare 's share , and the company took the name Taylor Walker in 1816 when Isaac Walker became a partner . In 1796 , John Taylor acquired the share of Hare and the company took the name of Taylor Walker when Isaac Walker became a partner in 1816 . 1 +Ma Smith is a widow of two own children : Will and Dora Smith . Dora Smith is a widow of two own children : Will and Ma Smith . 0 +Che Cartwright was born on 14 March , 1981 in Erdington , West Midlands . He has an older brother , Cartwright , who is also an actor . He was born on March 14 , 1981 in Erdington , West Midlands , and has an older brother , Cartwright , who is also an actor . 1 +Finally , we say that a distribution is regular if formula _ 11 is concave . Finally , we say that a distribution is concave if the Formula 11 is regular . 0 +""" It is not our aim to produce degree holders , but to enlighten well-educated and produce people . """ """ It is not our aim to produce graduates , but to enlighten and produce well-educated people ." 1 +"Its Abel - Sum is the limit , as "" x "" 1 approaches the function ." "Its Abel sum is the limit as "" x "" approaches 1 of the function" 1 +Bhainsana is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil . Bhainsana is a village in Bhopal - district of Madhya Pradesh , India . It is located in Berasia tehsil . 0 +Although most migrants returned to Japan , in 1946 , GHQ estimates indicated that 650,000 Koreans remained in Korea . Though most migrants returned to Korea , GHQ estimates in 1946 indicated that 650,000 Koreans remained in Japan . 0 +He also worked as a consulting research psychiatrist at State Hospital in Central Islip and director of research at South Oaks Psychiatric Hospital in Amityville . He also worked as a consulting research psychiatrist at the State Hospital in Central Islip and as a research director at the South Oaks Psychiatric Hospital in Amityville . 1 +He was trained at the Remonstrant seminary of Haarlem and first served in Emden 1733-1736 before moving to Amsterdam . He was trained at the Remonstrant Seminary of Amsterdam and served first in Emden 1733-1736 before moving to Haarlem . 0 +Lake Arrowhead is an artificial lake in the Mojave River at Little Bear Creek , a tributary of Deep Creek and the San Bernardino Mountains . Lake Arrowhead is an artificial lake in the San Bernardino Mountains on the Little Bear Creek , a tributary of Deep Creek and the Mojave River . 0 +In the most important buildings in Rome and in the most luxurious villas of Herculaneum and Pompeii , cast glass windows appeared , albeit with poor optical qualities . Cast glass windows , albeit with poor optical qualities , began to appear in the most important buildings in Rome and the most luxurious villas of Herculaneum and Pompeii . 1 +It does not matter match whether classical users know that they are modern or not . It does not matter whether classical users know that they are modern or not . 1 +Xhemal Pasha Zogu was an hereditary governor of Mati , father of Xhelal Pasha Zogolli and grandfather of King Zog I . Xhemal Pasha Zogu was hereditary governor of Mati , father of Xhelal Pasha Zogolli and grandfather of King Zog I . 1 +"He played in "" The Secret Circle "" on The CW and appeared in Hallmark - Series "" When the Heart calls "" ." "He appeared in "" The Secret Circle "" on The CW and starred in the Hallmark series "" When Calls the Heart "" ." 0 +Since 1983 , Ambrosini has played Nyckelharpa as one of the first full-time musicians since the Baroque era outside Sweden . Since 1983 , Ambrosini has played the Nyckelharpa as one of the Baroque musicians since the first full time outside of Sweden . 0 +He spoke throughout East Asia and Ghana in 1958 , and in 1961 in Northern and Western Europe . In 1958 , he spoke throughout East Asia and Western Europe , and in Northern Ghana in 1961 . 0 +Many celebrities have during the centuries visited or stayed at the castle , including Carl Michael Bellman in the 19th century and August Strindberg in the 18th century . Many celebrities have visited or visited the castle over the centuries , including Carl Michael Bellman in the 19th century and August Strindberg in the 18th century . 1 +She was born in Cork , the daughter of Richard Hartland and Mary Walsh . She was the niece of artist Henry Albert Hartland . She married Stephen Jackson . She was born in Cork , daughter of Richard Hartland and Mary Walsh , was the niece of the artist Stephen Jackson , who married Henry Albert Hartland . 0 +It first attacked and destroyed a Soviet cavalry - regiment and used the captured equipment to transform itself into a cavalry - unity . It first captured and destroyed a soviet cavalry regiment and used the engaged equipment to transform itself into a cavalry unit . 0 +"The song was performed on February 8 , 2008 on "" Friday Night with Adele "" and during the show on "" Saturday Night Live "" on October 18 , 2008 ." "The song was played on February 8 , 2008 on "" Friday Night with Jools Holland "" and during the show on "" Saturday Night Live "" on October 18 , 2008 ." 0 +With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Europe became more calm and French interest in Vietnam was revived . With the restoration of the monarchy and the final departure of Napoleon in 1815 , the military scene in Vietnam quieted and French interest in Europe was revived . 0 +He is the son of the French cyclist Adri van der Poel , brother of Mathieu van der Poel and grandson of the Dutch cyclist Raymond Poulidor . He is the son of French cyclist Adri van der Poel , the brother of Mathieu van der Poel and the grandson of the Dutch cyclist Raymond Poulidor . 1 +Joe Manganiello makes a cameo as Flash Thompson at Harry 's funeral . Joe Manganiello makes a camee as Flash Thompson at Harry 's Funeral . 1 +Lex Lex Luthor was also replaced by Sherman Howard as Scott Wells . Scott Wells was also replaced as Lex Luthor of Sherman Howard . 0 +In the final , Alexandre Sidorenko defeated Nick Lindahl ( 6 - 3 , 7 - 6 ) . Alexandre Sidorenko defeated Nick Lindahl ( 6 -- 3 , 7 -- 6 ) in the final . 1 +The film is written and staged by Emmy Winner , Matt Drummond and co-produced by Jason Moody and Megan Williams . The film is written and staged by Emmy Winner , Jason Moody and Megan Williams and is co-produced by Matt Drummond . 0 +In April 2001 , Jungo raised $ 7 million in its second round of financing by venture capital fund TeleSoft Partners and Infineon Ventures and the Intel Capital . In April 2001 , Jungo raised US $ 7 million in its second round of funding for the venture capital fund TeleSoft Partners and Infineon Ventures and Intel Capital . 1 +Produced by Arthur Hammerstein the show was directed by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and was choreographed by Danny Dare . Produced by Oscar Hammerstein II , the show by Reginald Hammerstein was choreographed ( the brother of Arthur Hammerstein ) and was led by Danny Dare . 0 +In 1960 , Ardley married Vivian Wilson , and the couple had a daughter , he married Bridget Gantley in 2003 and died in Milford , Derbyshire . In 1960 , Ardley married Bridget Gantley , and the couple had a daughter , he married Vivian Wilson in 2003 and died in Milford , Derbyshire . 0 +The same analysis may be applied to the parallel LC circuit . The total impedance is then given by : The same analysis can be applied to the parallel LC circuit The total impedance is given then by : 1 +In 2015 , SpikeTV George X and Manny Rodriguez announced SAP Spanish commentators on Premier Boxing Champions on Spike TV . In 2015 , SAP George X and Manny Rodriguez announced SpikeTV Spanish commentators for Premier Boxing Champions at Spike TV . 0 +The Nordiques signed Free Agent Tony Currie from the Toronto Maple Leafs , while Blake Wesley , who signed with Edmonton Oilers , lost . The Nordiques signed the Free Agent Tony Currie from Edmonton Oilers while they lost Blake Wesley , who signed with the Toronto Maple Leafs . 0 +The Curtis Museum in Alton is a local historic museum in Hampshire , England . The Curtis Museum in Hampshire , England , is a local history museum in Alton . 0 +The Co-Founders and Co-Artistic Directors are Sean Derry and Jaysen Mercer . Alanna Romansky is Co-Founder and Managing Director . The co-founders and Co - Artistic Directors are Sean Derry and Alanna Romansky , Jaysen Mercer is Co-Founder and Managing Director . 0 +There were 5 main groups of people at EuroJam who were identified by the different border colors of their official EuroJam scarves . There were 5 main groups of people at EuroJam . The different border colors of their official EuroJam scarves identified them . 1 +The friend of Dantès , Sidney Blackmer ( Fernand Mondego ) , accompanies him to the jail . Dantès ' friend Fernand Mondego ( Sidney Blackmer ) accompanies him to the jail . 1 +"It is Tamil Nadu Government run Institution Aided by a society called "" Nadar Mahajana Sangam "" ." "It is operated by a society called "" Nadar Mahajana Sangam "" Tamil Nadu Government Aided Institution ." 0 +"Mayer was author of a provocative feature film for the "" New York Times "" entitled "" Dead Composers , Live Audiences "" ." "Mayer was the author of a provocative feature film for the "" New York Times "" entitled "" Live Composers , Dead Audiences "" ." 0 +The Major A Premiership is currently held in the Pacific League by the Major League in Pine Hills Lightning and Runcorn Indians . The Major A premiership is currently held by the Pine Hills Lightning in Major League and Runcorn Indians in the Pacific League . 0 +These places include Spain ( since 2012 ) , Canada , Japan , and some parts of the United States . These courses include Spain ( since 2012 ) , Canada , Japan and some parts of the United States . 1 +The marshal 's daughter is a US American action film , staged by Bob Duncan in 1953 and written by William Berke . The marshal 's daughter is a US American action film , staged by William Berke in 1953 and written by Bob Duncan . 0 +In 1987 , Fallahian was appointed Chief Prosecutor by Ruhollah Khomeini of the Special Court for the Clergy , and led the trial of Mehdi Hashemi . Ruhollah Khomeini was appointed Chief Public Prosecutor of the Special Court for the Clergy in 1987 by Fallahian and led the trial of Mehdi Hashemi . 0 +Vagivere is a village in the Lääneranna parish , Estonia , in the western Pärnu County . Vagivere is a village in Lääneranna Parish , Pärnu County , in western Estonia . 0 +The eyes are pale blue , paler than the unpigmented blue eyes associated with white color or white markings , and the skin is rosy-pink . The eyes are pale blue , paler than the unpigmented blue eyes associated with white color or white markings , and the skin is rosy . 1 +Produced by Oscar Hammerstein II , the show by Reginald Hammerstein ( the brother of Arthur Hammerstein ) was choreographed and led by Danny Dare . Produced by Oscar Hammerstein II the show was choreographed by Reginald Hammerstein ( the brother of Arthur Hammerstein ) and was directed by Danny Dare . 1 +Hjärup is , with its more than 4,250 inhabitants , the second largest locality in Sweden , Scania , Staffanstorp Municipality . Hjärup is the second largest city in Sweden , Scania , Staffanstorp Municipality , with more than 4,250 inhabitants . 1 +He played just 18 games , and came to bat only 29 times . He played only 18 games and just came to beat 29 times . 1 +In 1986 he left the star and joined the Muslim . He then joined The Star in 1986 and left The Muslim . 0 +George Wilson was born on 24 June 1766 to Robert Wilson , a shipbuilder , and Mary Finlay in Newcastle . George Wilson was born on June 24 , 1766 in Newcastle , Robert Wilson , a shipbuilder and Mary Finlay . 1 +It is written by Yasir Nawaz and directed by Rida Bilal . It is written by Yasir Nawaz and led by Rida Bilal . 1 +Babbar Khalsa is performed by the United States , the EU , Canada , India and the United Kingdom as a terrorist organisation . Babbar Khalsa is listed as a terrorist organisation by the United Kingdom , the EU , Canada , India , and the United States . 0 +The battery was originally recruited by Henry Hopkins and John F. Aduddell in late 1861 , but was ultimately organized as Company B , 2nd Kansas Cavalry . The battery was originally recruited by Henry Hopkins and John F. Aduddell in late 1861 , but was finally organized as a company B , 2nd Kansas Cavalry . 1 +It is bordered to the west and east by Massapequa , to the northwest by South Farmingdale and to the north by northern Massapequa . It is bordered to the west and east by Massapequa , to the northwest by northern Massapequa and to the north by South Farmingdale . 0 +Article 4 is Islamic , and the Council of Guardians ensures that all articles of the Constitution and other laws are based on immutable criteria . Article 4 is Islamic and the Council of Guardians ensures that all articles of the Constitution as well other laws are based on immutable criteria . 1 +There are 7 blue runs , 21 red runs , 11 green races and 4 black runs . There are 7 green runs , 21 blue runs , 11 red runs , and 4 black runs . 0 +Nietzsche admired Wagner 's ability to express his own suffering and misery in short musical creations . He criticized Wagner 's attempt to produce large works . He admired Wagner 's ability to express his own suffering and misery in great creations , and criticized Wagner 's attempt to produce short musical works . 0 +"In collaboration with Cousin George Bernard Shaw , B & amp ; H Publications produced Harold White in 1948 by the camera "" ." "In collaboration with cousin George Bernard Shaw , B & H Publications produced "" Harold White Through The Camera "" in 1948 ." 1 +Kandy , originally known as Senkadagala , has been the bastion of Sri Lankan culture and its spiritual centre for centuries . Sri Lanka , originally known as Senkadagala , has been the bastion of Kandy 's culture and spiritual center for centuries . 0 +Of the nine games in Warsaw , Legia drew six and won three . Of the nine games played in Warsaw , Legia won six and drew three . 0 +is the second live album by Jonas Brothers and their final release as band . LiVe is the second live album by Jonas Brothers and their final release as a band . 0 +Bridie Morton married in 1986 Timothy Torlot . Timothy Torlot married Bridie Morton in 1986 . 1 +General Obasanjo was released and pardoned a number of years later after Abacha died and after General Abdulsalami Abubakar took power . A few years later , after Obasanjo died and General Abdulsalami Abubakar took power , General Abacha was released and pardoned . 0 +The screenplay by Robert Carrington and Jane - Howard Carrington is based on the 1966 play by Frederick Knott . The screenplay by Frederick Knott and Jane-Howard Carrington is based on the 1966 play by Robert Carrington . 0 +In April 1944 , Cozens was promoted Lieutenant-General and was later appointed Assistant Chief to General Ronald Scobie . In April of 1944 , Cozens was promoted to Lieutenant-General and was later appointed Assistant Chief of General Ronald Scobie . 1 +Romanian nationalism promotes nationalism , which claims that Romanians are a nation and the cultural unity of the Romanians . Romanian nationalism promotes the nationalism which asserts that Romanians are a nation and is the cultural unity of Romanians . 1 +In 1999 , clinical research and non-clinical development become a global organization within Johnson & Johnson . In 1999 , non-clinical research and clinical development became a global organization within Johnson 'Johnson . 0 +Without being a great attacker , Garzelli was very constant and , on a good day , he could go with the best climbers . Without a big attacker , Garzelli was very constant and could go on a good day with the best climbers . 1 +There are five university hospitals , a military hospital and more than 40 common hospitals and specialist clinics . There are five university hospitals , a general hospital and more than 40 military hospitals , specialist clinics . 0 +In 1862 , Jane died and in 1864 Breck married Sarah Stiles , and three years later he moved to Benicia , California , to build two more institutions . Sarah Stiles died in 1862 and Breck married Jane Breck in 1864 . Three years later he moved to Benicia , California to build another two institutions . 0 +The population was 1,697 in the 2011 census . It is a village in Kgalagadi District of South Africa It is located near the border with Botswana . Makopong is a village in Kgalagadi District of South Africa . It is located close to the border with Botswana . The population was 1,697 in the 2011 census . 1 +Make me famous , Make me Make Me Famous , Make Me Rich 0 +In 1991 , Harbison was the Music Director of the Ojai Music Festival in conjunction with Peter Maxwell Davies . In 1991 , Peter Maxwell Davies was the music director of the Ojai Music Festival in collaboration with Harbison . 0 +"On the map of the 18th century "" Irkutsk governorate with the adjacent islands and the western coast of America "" from Lake Hinka follows the river Usuri ." "On the map of the 18th century "" America governorates with the adjacent islands and the west coast of Irkutsk "" from the lake Hinka follows the river Usuri ." 0 +The 21st Governor - General of Australia , Ron Boswell , Senator Bill Hayden and the Commonwealth - Parliament of Australia are among the tenants . The 21st Governor - General of Australia , Bill Hayden , Senator Ron Boswell and the Commonwealth - Parliament of Australia are among the tenants . 0 +A highlight of the model family was the simplex 60 hp . The highlight of the simplex family was the 60 hp model . 0 +There are shorts in the Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is much more prominent in Scotland than in Ireland . There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr in Ireland is far more than in Scotland . 0 +Hi Records acts Hodges , as well as Green and Tom Jones , have all recorded songs written by Syl Johnson , O.V . Wright . Hodges , as well as Green and Tom Jones , have written all the songs recorded by Syl Johnson , O.V . Wright . 0 +This riding was created in 1987 from Okanagan -- Similkameen , and eliminated in 1996 when it was divided between Okanagan -- Coquihalla and West Kootenay -- Okanagan . This riding was created in 1987 by Okanagan -- Similkameen and eliminated in 1996 , when it was divided between Okanagan -- Coquihalla and West Kootenay , Okanagan . 1 +Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man , and Tingvoll in Scotland bear names of the same root and meaning . The names of Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man and Tingvoll in Scotland bear the same roots and meanings . 1 +Some had several corpses so bound in canvas that the stiff , sharp outline of death was easily traceable . Some had several corpses so tied up in canvas that the stiff , sharp outline of death was easily traceable ' . 1 +VT 67A Connector was assigned in 1974 and removed in 2004 concurrent to the assignment of VT 279 . The VT 67A Connector was removed in 1974 and assigned to the assignment of VT 279 simultaneously in 2004 . 0 +There are total of 107,166 Maonan , mostly living southern Guangxi province in northern China . There is a total of 107,166 Maonan , mostly living northern province of Guangxi in southern China . 0 +In 1918 , the parliamentary representation of the Dublin administrative district was increased from two to four divisions . In 1918 the parliamentary representation of the administrative county of Dublin was increased from two divisions to four . 1 +Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman never seen during the day . Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who has never been seen during the day . 0 +Therefore , on 25 February 1232 , Archbishop Robert of Esztergom placed the Kingdom of Hungary under an interdict and excommunicated some high dignitaries of the king . Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and imposed some high dignitaries of the king . 0 +Jesus then attacks Luther before he hides in the bathroom . Then Jesus attacks Luther before he hides himself in the bathroom . 1 +Rail transport in Belgium was historically managed by the National Railway Company of Belgium , known as NMBS in French and SNCB in Dutch . Rail transport in Belgium was historically managed by the National Railway Company of Belgium , which was known in French as the SNCB and in Dutch as the NMBS . 0 +She previously played for HJK , FC Honka and Åland United of the Finnish Naisten Liiga , as well as for Danish club Fortuna Hjørring . She previously played for Åland United , the FC Honka and HJK of the Finnish Naisten Liiga as well as for the Danish club Fortuna Hjørring . 1 +He received the last quarter of his inheritance at 21 , then 25 , 30 , and the first at 35 . He was given the last quarter of his inheritance at 21 , then 25 , 30 and the first at 35 . 1 +In 1934 , two years after the anthem was first written by Khun Wichitmatra , he wrote the lyrics of the Thai national anthem . Chan Kamwilai wrote the lyrics of the Thai National Anthem in 1934 , two years after the anthem was first written by Khun Wichitmatra . 1 +He pitched it to different studios , but each one of them rejected it for several reasons . He presented it to different studios , but each of them rejected it for several reasons . 1 +The original edition of the disc was released on 11 January 2006 in Singapore and 26 January 2006 in Malaysia . The original edition of the disc was published in Malaysia on 11 January 2006 and on 26 January 2006 in Singapore . 0 +"She was the founder of the Inner Healing Movement and became the author of "" The Healing Light "" ." "She was the founder of the Inner Healing Movement and became the author of "" Healing Light "" ." 1 +The United States Postal Service operates the Bell Post Office at the 6327 Otis Avenue and the Bandini Boulevard Post Office at 5555 Bandini Station . The United States Postal Service operates the Bell Post Office at 6327 Otis Avenue and the Bandini Station Post Office at 5555 Bandini Boulevard . 0 +"The instruments of Embergher are unequalled , not only the richness and fullness of tone are remarkable , but the intonation is also perfect """ The instruments of Embergher are unsurpassed , not only are the richness and fullness of tone remarkable , but also the intonation is perfect . 1 +The inner brick is about thick in the lower corner and about thick in the next . The interior brick is about thick in the lower and about thick in the next . 1 +Cao Bao 's second wife , called in the novel only by name , was a fictional daughter of Lü Bu . Cao Bao 's second wife , who was only mentioned by name in the novel , was a fictional daughter of Lü Bu . 1 +Natalie : We 're now around 1750 , Adam , do you live at home ? We 're now 1750 , Natalie , do you live at home ? 0 +Defeated Chris Evert Lloyd , Martina Navratilova , 6 -- 1 , 3 -- 6 , 6 - 2 - Chris Evert Lloyd defeated Martina Navratilova , 6 -- 1 , 3 -- 6 , 6 -- 2 . 0 +The kBox facilitates isometric as well as concentric contractions and eccentric training . The kBox facilitates both isometric and concentric contractions as well as eccentric training . 1 +Ratcliffe 's son was the scientist Francis Ratcliffe , and one of his two daughters married the neurophysiologist W. Grey Walter . Nicholas Walter was his grandson . The son of Ratcliffe married the scientist W. Grey Walter , and one of his two daughters was the neurophysiologist Nicholas Walter , whose grandson Francis Ratcliffe was . 0 +Burroughs was a native of Mathews County , Virginia , and spent most of his career at the Norfolk Naval Shipyard ( known as Gosport Yard after 1862 ) . Burroughs was a native of Mathews County , Virginia , and spent most of his career on the Gosport Yard ( known as Norfolk Naval Shipyard after 1862 ) . 0 +In 1848 , Dorion Iphigénie , daughter of Dr. Jean Baptiste Trestler and Eulalie Delisle from Montreal , married . In 1848 Dorion married Iphigénie , the daughter of Dr. Jean Baptiste Trestler and Eulalie Delisle of Montreal . 0 +"Christie has also translated the biography of Francisco Sabate Llopart , "" Sabate : An Extraordinary Guerrilla "" , by Antonio Téllez Solá in English ." "Christie also translated into English the biography of Francisco Sabate Llopart , "" Sabate : An Extraordinary Guerrilla "" , by Antonio Téllez Solá ." 1 +Initials can be placed either before or after their first name when they are used . Initials , when placed , can be used either before or after their first name . 0 +"If "" A "" and "" B "" are Banach spaces the algebraic tensor product of "" A "" and "" B "" means the tensor product of" "If "" A "" and "" B are algebraic spaces , the Banach - the tensor product of "" A "" and "" B "" means the tensor product of" 0 +On May 6 , 2016 , it was announced that Palafox signed the National Premier Soccer League B of the New York Cosmos . On 6 May 2016 , it was announced that Palafox has signed the National Premier Soccer League at New York Cosmos B . 0 +The 13th World Cup season began in Japan in December 1978 and ended in Austria in March 1979 . The 13th World Cup season began in Austria in December 1978 and ended in Japan in March 1979 . 0 +Caroline Wozniacki won the title by beating Vera Zvonareva with 6 -- 3 , 3 -- 6 , 6 -- 3 in the final . Vera Zvonareva won the title by beating Caroline Wozniacki in the final with 6 -- 3 , 3 -- 6 , 6 -- 3 . 0 +In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of the Master Warrant Officer was extended . In 2008 the warrant officer ranks of the South African National Defence Force were expanded and the rank of master warrant officer was created . 0 +Jason Havelock also composed many songs , the Pop Symphony album under pseudonym Éric Demarsan , as well as some musics for sound and light shows . Jason Havelock also composed many songs , the Pop - Symphony - album under the pseudonym Éric Demarsan , as well as some music for sound and light shows . 1 +In rural areas , coverage is much higher than in urban areas . In urban areas , coverage is significantly higher than in rural areas . 0 +The Shinto version of the kitchen god is the , and the syncretic Buddhist version is the Kōjin , a deity of the hearth enshrined in the kitchen . The syncretic Buddhist version of the kitchen is the kitchen god and the Shinto version is the Kōjin , a deity of the herd anchored in the kitchen . 0 +Twenty-one churches are currently in seven states ( West Virginia , Kentucky , North Carolina , Ohio , Tennessee , Virginia , and Arkansas ) . There are currently twenty-one churches in seven countries ( Arkansas , Kentucky , North Carolina , Ohio , Tennessee , Virginia and West Virginia ) . 1 +Cochran added a 57 - yard punt return for a hang in the third quarter and went 45 yards with an interception for a touchdown in the fourth quarter . Cochran added a 57-yard punt return for a score in the third quarter and went 45 yards with an interception for a touchdown in the fourth quarter . 0 +San José La Arada is a municipality in the Chiquimula department of Guatemala . San Jose La Arada is a municipality in the department of Chiquimula , Guatemala . 1 +Assuming that structural relations are causal , this background knowledge can be expressed in the following specification of the linear equation model ( SEM ) . Assuming that the structural relationships are causal , this background knowledge can be expressed in the following linear equation model ( SEM ) specification . 1 +The company currently manages multi-strategy funds , special credit funds , including opportunistic credit funds and institutional credit strategies , real estate funds and other alternative investment vehicles . The Company currently manages multi-strategy funds , dedicated credit funds , including opportunistic credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . 1 +Feliciano Centurión was a Paraguayan painter ( 29 March 1962 in Buenos Aires , Argentina -- November 7 , 1996 in San Ignacio , Paraguay ) . Feliciano Centurión was a Paraguayan painter ( March 29 , 1962 in San Ignacio , Paraguay -- 7 November 1996 in Buenos Aires , Argentina ) . 0 +Clockwise from northwest , these are Monte Vista , College View , Broadmoor , Mesa Grande , Granada Heights , and the eastern half of University Heights . Clockwise from the northwest are Monte Vista , College View , Universität Heights , Mesa Grande , Granada Heights and the eastern half of Broadmoor . 0 +"For her second album "" Stowaway "" she signed a contract with True North Records . This album contained her first hit "" Your Love Gets Me Around "" ." "For her second album "" Stowaway "" , she signed a contract with True North Records , where her first hit "" Your Love Gets Me Around "" was contained ." 1 +The son of Olin M. Jeffords , who served as Chief Justice of the Vermont Supreme Court , James Jeffords was born in Rutland , Vermont . The son of James Jeffords , serving as Chief Justice of the Supreme Court of Vermont , was born in Rutland , Vermont , Olin M. Jeffords . 0 +Rabbi Levi taught that on the night described in God showed Jacob all the signs . Rabbi Levi taught that in the night Jacob described in God showed all the signs . 1 +Bergamo railway station is connected with regional trains operated by Trenord to Milan , Treviglio , Cremona , Lecco , Brescia and Monza . The railway station of Bergamo is connected with the regional trains operated by Trenord to Milan , Lecco , Cremona , Treviglio , Brescia and Monza . 1 +"The Mexican Baseball League ( or "" LMB "" ) is a professional baseball league based in Mexico ." "The LMB ( or "" Mexican Baseball League "" ) is a professional baseball league located in Mexico ." 1 +The provisional councils had already more or less acted as national governments of independent countries . The provisional councils had already begun acting more or less as national governments of independent countries . 1 +The South Deep Mine is a large mine in the northern part of Gauteng in Southern Africa . The South Deep mine is a large mine located in the northern part of South Africa in Gauteng . 0 +Düzce is a village in the district Yüreğir in the province of Adana , Turkey . The province of Adana , Turkey is a village in the district of Yüreğir , Düzce . 0 +Originally discovered and developed by Eli Lilly , Oritavancin was taken over by InterMune in 2001 and in late 2005 by Targanta Therapeutics . Originally acquired by Eli Lilly , oritavancin was discovered and developed by InterMune in 2001 and then by Targanta Therapeutics in late 2005 . 0 +In addition to behavioral cybernetics and dance , movement therapy and humanistic psychology were named as key sources of kinaesthetics . In addition to humanist cybernetics and dance , movement therapy and behavioral psychology were named as key sources of kinaesthetics . 0 +His birth certificate records his name as Erminio Antonio Blotta Mainieri , but his Argentine identity papers have Carmen Erminio Blotta instead . His birth certificate records his name as Carmen Erminio Blotta , but his Argentine identity documents are instead Erminio Antonio Blotta Mainieri . 0 +If in practice a teredo client wants to locate a corresponding node , it must contact the native IPv6 - Teredo - Relay , d . "In practice , when a Teredo client wants to contact a native IPv6 node , it must locate the corresponding Teredo relay , "" i.e ." 0 +Johansson avoided Sanders throughout the first round by circling along the edges of the ring . For the entire first round , Johansson avoided Sanders by circling along the edges of the ring . 1 +Swiss Mennonites of Amish descent from Galicia settled near Dubno in 1815 . Amish Mennonites from Galicia with Swiss descent settled in 1815 near Dubno . 0 +Towradgi is situated on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . North Dalton Park is situated on the Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +The Priporul is a tributary of the Lotriorul in Romania . The Priporul River is a tributary of the Lotriorul River in Romania . 1 +The river Eliseni or Hidecut is a tributary of the river Vidăcut in Romania . The river Vidăcut or Hidecut is a tributary of the River Eliseni , in Romania 0 +"Roy Beisswenger and Marino Boric described the design 2015 in a review as "" elegant "" and "" elegant "" ." "Reviewers Roy Beisswenger and Marino Boric described the design in a 2015 review as "" elegant "" and "" sleek "" ." 1 +They were equipped with a white leather apron , long stulp gloves and an axe with a handle mounted on a brass . They were equipped with a long leather apron , white gauntlet gloves , and an axe with a brass mounted handle . 0 +"In the United States , where the show is produced , "" Caso Cerrado "" is broadcast exclusively by Telemundo ." "In the United States , where the show is produced , "" Caso Cerrado "" is broadcasted exclusively by Telemundo ." 1 +He moved to New Orleans after a short stay in New York City with his cousin . After a brief stay in New York City with his reported cousin , he moved to New Orleans . 1 +In the 1990s , a backlash against utilitarian bioethics emerged , led by figures such as Dean Koontz and novelist Wesley J. Smith . In the 1990 ’ s , a backlash against utilitarian bioethics , led by figures such as Dean Koontz and novelist Wesley J. Smith , emerged . 1 +Generally speaking , if at formula _ 15 , a certain Feynman diagram is represented by an integral formula _ 16 , at finite temperature it is given by the sum formula _ 17 . If a certain Feynman chart is generally given in Formula 15 by an integral formula 16 , it is represented by the sum formula 17 at finite temperature . 0 +The National Football League was founded in Canton in 1922 , eventually becoming the American Professional Football Association . The American Professional Football Association was founded in 1922 in Canton and eventually became the National Football League . 0 +Woree is next to the Bruce Highway . From Woree to Brisbane is 1,677 km via the Bruce Highway . Woree is located next to Bruce Highway , from Brisbane to Woree via the Bruce Highway 1,677 km . 0 +28.4 % were Italian , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English and 7.7 % of Polish ancestors . 28.4 % were Polish , 25.0 % German , 20.0 % Irish , 13.2 % Slovak , 8.5 % English and 7.7 % of Italian ancestors . 0 +In 2016 , Naver 's webtoon service entered the Chinese market as XOY and the Japanese market as Dongman Manhua . In 2016 , Naver 's Webtoon service entered the Chinese market as XOY and Dongman Manhua in the Japanese market . 1 +His son Jon Spoelstra is a former National Basketball Association executive and his grandson Erik Spoelstra is the current head coach of the Miami Heat . His son Jon Spoelstra is a former manager of the National Basketball Association and his grandson Erik Spoelstra is the current coach of Miami Heat . 1 +Bobby is kidnapped and Frankie is lured to the same isolated cottage by Roger . Bobby is kidnapped and Frankie is attracted by Roger to the same isolated cottage . 1 +Releases have also been carried out in Mexico , and the wild birth of a first wolf litter in Mexico was reported in 2014 . Releases have also been carried out in Mexico , and in 2014 the first birth of a Wild Wolf was reported in Mexico . 0 +"Small Celypha - rufana , small name lakes marble , is a common moth kind of the family Tortricidae , long under the junior - synonym "" C. rosaceana "" known ." "Celypha rufana , small name lakes marble , is a common moth species of the family Tortricidae , long known under the junior synonym "" C. rosaceana "" ." 1 +"At BHCC , Phillips Brooks preached his last sermon and his Christmas Carol "" O Little Town of Bethlehem "" had its first performance ." "At BHCC , Phillips Brooks preached its last sermon , and its Christmas carol "" O Little Town of Bethlehem "" had its first appearance ." 1 +Tuen Mun is a bay outside the castle of Peak Bay . Tuen Mun is a bay outside Castle Peak Bay . 1 +The family was ennobled in Estonia , Livonia , Courland , Oesel , Swedish Nobility and Finnish Nobility . Only the last two are still recognized today . The family was noble in Estonia , Livonia , Kurland , Oesel , Swedish nobility and Finnish nobility , only the last two are still recognized today . 1 +The film was written and produced by P. Madhan and produced by AR Murugadoss under the Escape Artists Motion Pictures banner . The film was written by AR Murugadoss and co-produced and produced by P. Madhan under the banner of Escape Artists Motion Pictures . 0 +In December 2002 , Facundo and Tamara Vargas with Omar joined the team of the morning radio program “ Ya Párate ” . "In December 2002 , Omar joined the team of the morning radio broadcast "" Ya Párate "" with Facundo and Tamara Vargas ." 0 +The relevant date is when the photo was submitted , rather than being taken . The relevant date is when the photo was submitted , rather than taken . 1 +Releases have also been carried out in Mexico , and in 2014 the first birth of a Wild Wolf was reported in Mexico . Releases have also been conducted in Mexico , and the wild birth of a first wolf litter in Mexico was reported in 2014 . 0 +From 1888 to 1913 , he was chairman of the Highfields Shire Council and the Highfields Divisional Board from 1915 to 1917 . Munro was chairman of the Highfields Divisional Board from 1888 to 1913 , and of the Highfields Shire Council from 1915 to 1917 . 0 +Additional mixing was carried out by Bill Malina , with support from Rice and Ghazi Hourani . Additional mixing was carried out by Ghazi Hourani , with assistance from Rice and Bill Malina . 0 +Doe Deer was written by Ethan Kath , with additional recording by Matthew Wagner . Doe Deer was written by Matthew Wagner , with additional recording from Ethan Kath . 0 +"At "" Shine 8 "" Valkyrie defeated Amazing Kong , Mia Yim , Christina von Eerie and Angelina Love in an eight - man - team - match ." "At "" Shine 8 "" , Valkyrie Amazing Kong , Angelina Love , Christina von Eerie and Mia Yim defeated in an eight-person team - team match ." 0 +Products of this business architecture efforts are used to develop plans , make business decisions and guide their implementations . Products of this business architecture - efforts are used to develop plans , make business decisions and control their implementations . 1 +Another name of Sports Direct Arena ( Wincham Park ) was hosted by Frank Skinner in the popular BBC1 TV Show Room 101 . Another name of Wincham Park ( Sports Direct Arena ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . 1 +The Scânteia River or Mitoc River or Nacu River is a tributary of the River Miletin , Romania . The Scânteia River or Mitoc River or Nacu River is a tributary of the Miletin River in Romania . 1 +Instead , the philosophy is seen as an activity of defining and clarifying the empirical relationships of logical rates . Instead , philosophy is seen as an activity of defining and clarifying the logical relationships of empirical rates . 0 +Nick Smith ( Chris Egan ) settles with his family in Summer Bay , and he and Duncan quickly get friends and get into various crises . Chris Egan ( Nick Smith ) settles down with his family in Summer Bay , and he and Duncan quickly become friends and get into various crises . 1 +It said that a brother of King Louis Joan of Toulouse , daughter of Raymond VII of Toulouse , should marry , and so in 1237 Alphonse married her . It stipulated that a brother of King Louis was to marry Joan of Toulouse , daughter of Raymond VII of Toulouse , and so in 1237 Alphonse married her . 0 +Although the two sections appear in full text in modern editions , Chapter X has also been published separately , both as a book of its own and in collections . Although the two sections appear in the full text in separate editions , chapter X has also been published separately , both as a modern book and in collections . 0 +However , he was driven out in the Cardiff side , soon after by Johnny Watkins and later Colin Hudson . However , he was displaced in the Cardiff side soon after by Colin Hudson and later Johnny Watkins . 0 +"The Justin Booker also hosts the podcast "" Chris is married , Booker is single "" with the comedian Justin Worsham ." "Justin booker also hosts the podcast "" Chris is married , Booker is single "" with comedian Justin Worsham ." 1 +Rodrigues comes to Chimène and says he will not defend himself in the fight against Don Sanche . Rodrigue comes to Chimène and says he will not defend himself in the fight against Don Sanche . 1 +She sailed on 23 October for Gold Coast , from where she departed on 25 October for Takoradi , Monrovia , Liberia , which was reached on 28 October . On 23 October she sailed to Gold Coast , from where she left on 25 October for Takoradi , Monrovia , Liberia , which was reached on 28 October . 1 +She married Eero on June 10 , 1939 , and they had two children : Susan Saarinen , born 1942 , and Eric Saarinen , born 1945 . She married Eero on June 10 , 1939 and she had two children : Eric Saarinen , born in 1942 , and Susan Saarinen , born 1945 . 0 +Daniel , another Jesuit from England , joined William Good soon after , even though she had a turbulent relationship . Another Jesuit from England , William Good joined Daniel soon after , though they had a turbulent relationship . 0 +In 2000 , Tandy Corporation became officially RadioShack Corporation . In 2000 , the RadioShack Corporation became officially the Tandy Corporation . 0 +He also worked in several houses and monasteries in Ghent , in Beaulieu Castle ( Belgium ) in Machelen and in Horst Castle . He also worked in several houses and monasteries in Belgium , in the castle of Beaulieu ( Ghent ) in Machelen and in Horst Castle . 0 +John Franklin Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of William Armstrong and Mary W. I. Monroe . John Franklin Armstrong was born on 14 November 1819 at Lincoln County , Tennessee , the son of William Armstrong and Mary W. I. Monroe . 1 +Thomas Thomas was the youngest child of the farmers Fred and Elizabeth Goodwill . Thomas was the youngest child of farmers Fred and Elizabeth Goodwill . 1 +"In March 1799 Captain David Lloyd replaced Boyle , and sailed "" Hyaena "" for the Mediterranean on 4 March ." "In March 1799 , Captain David Lloyd replaced Boyle and sailed "" Hyaena "" on 4 March for the Mediterranean Sea ." 1 +He is trained by Andre Rozier and shares a fitness center with former World Champion Daniel Jacobs . He is trained by Daniel Jacobs and shares a gym with former world champion Andre Rozier . 0 +McLaughlin died at Ontario in 1921 of colon cancer . His brother James was a doctor and member of the Oshawa assembly . McLaughlin died of colon cancer in 1921 , and his brother James was a doctor and a member of the Oshawa Assembly . 0 +He had gained CFL Coaching - experience as a guest - coach at the Saskatchewan Roughriders in 1984 and at the Lions in 1985 and 1986 . He had gained CFL coaching experience as a guest coach with the Saskatchewan Roughriders in 1984 and with the Lions in 1985 and 1986 . 1 +Stelvio National Park ( ; ) is a national park located in the north-east of Italy , founded in 1935 . Italy is a national park in the northeast of the national park Stelvio , founded in 1935 . 0 +The department also offers a strict IB music course as a regular period during the day . The department also offers a regular IB Music course as a rigorous period during the day . 0 +Coney Bay is a natural bay on the island of Newfoundland in the province of Newfoundland and Labrador , Canada , located to the east of Otter Bay . Otter Bay is a natural bay on the island of Coney Bay in the province of Newfoundland and Labrador , Canada . It is east of Newfoundland . 0 +Negative growth is often accompanied by a negative output gap in an economy ( where potential output exceeds actual demand ) . Often , negative growth is also accompanied by a negative output gap in an economy ( where potential production exceeds actual demand ) . 1 +Svetlana Kuznetsova won the title by defeating Amélie Mauresmo 6 -- 4 , 6 -- 0 in the final . Amélie Mauresmo won the title by defeating Svetlana Kuznetsova in the final with 6 : 4 , 6 : 0 . 0 +Gérard Depardieu was born to a wealthy Parisian family and married on February 19 , 1970 with Élisabeth Dominique Lucie Guignot . Élisabeth Dominique Lucie Guignot was born into a wealthy Parisian family and married to Gérard Depardieu on 19 February 1970 . 0 +Following his defeat in Cardiganshire , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Wales , Following his defeat in Cardiganshire , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 - districts in Wales . 1 +Ogbunka is a city in Orumba South Local Government Area of Anambra State , Nigeria . Ogbunka is a town in the Anambra State Local Government Area of Orumba South , Nigeria . 0 +He served as chairman of the city of Rice Lake and the Barron County , Wisconsin Board of Supervisors . He served as chairman of the town of Rice Lake and on the Barron County , Wisconsin Board of Supervisors . 1 +Air Cortez also conducted international flights from the airport with service to Guaymas , Mexico in Loreto and Mulege . Air Cortez also operated international flights from the airport with service to Guaymas , Loreto and Mulege in Mexico . 0 +Although neither Chandidas nor Maladhar Basu Vaishnavas were , they should lay the foundation for much of the following Vaishnava poetry in Bengal . Although neither Maladhar Basu nor Chandidas were Vaishnavas , they should lay the foundation for much of the following Vaishnava poetry in Bengal . 0 +Sir Nicholas Bayard Dill ( 28 December 1905 - 10 September 1993 ) , known as Bayard Dill , was a prominent politician , lawyer and military officer from Bermuda . Sir Nicholas Bayard Dill ( 28 December 1905 -- 10 September 1993 ) , known as Bayard Dill , was a prominent Bermudian politician , lawyer and military officer . 1 +The music was composed by Deborah Walker Principal A. R. Johnson . This music was composed by A. R. Johnson Principal Deborah Walker . 0 +Ravi Singh was born in Delhi , India to Mr. Puran Singh and Smt . Mr. Ravi Singh was born in Delhi , India , around Puran Singh and Smt . 0 +This association was further strengthened after the Christian female missionary Nino , Mirian , his wife Nana and household converted to Christianity in or around 337 . This association was further reinforced after the Christian female missionary Nino , Nana , his wife Mirian and household had converted into Christianity in or around the year 337 . 0 +Shortly thereafter , Gaddafi became a top officer for Haftar . Shortly thereafter , Haftar became a top military officer for Gaddafi . 0 +Afterwards , the title returned to the modern domain and was claimed as a courtesy title by the Dukes of Orléans , and the royal Orleanist pretenders . Then the title returned to the modern domain and was claimed as a courtesy title by the dukes of Orléans and the royal followers of Orleanist . 0 +In 2003 , excavation work began on the western hill , in 2006 on the eastern hill . In 2003 the excavation works began on the eastern hill , on the western hill in 2006 . 0 +The Croatian variant is played counter-clockwise , while in Montenegro the order is used clockwise . The Croatian variant is played in a clockwise order , while in Montenegro the counter-clockwise order is used . 0 +Renzo Furlan won 6 -- 3 , 6 -- 4 against Thomas Johansson in the finals . Thomas Johansson won 6 -- 3 , 6 -- 4 against Renzo Furlan in the finals . 0 +South Africa meridionalis is a small jumping spider that lives in Tanzania . South Africa meridionalis is a small diving spider that lives in Tanzania . 1 +Pennsauken Township is located in the 1st Congressional District and is part of New Jersey 's 6th state legislative district . Pennsauken Township is located on the 1st Congressional District and is part of the 6th State Legislative District in New Jersey . 1 +Small mammals , including bats , are sometimes caught but insects are eaten only very rarely . Small mammals , including bats , are sometimes caught , but insects are only rarely eaten . 1 +Barkheda Baramad is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . Barkheda Baramad is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +He participated at the 2008 Summer Olympics in Beijing , where the Danish team came seventh , and the 2012 Summer Olympics in London where the team placed 6th . He participated in the 2008 Summer Olympics in Beijing , where the Danish team became seventh , and at the 2012 Summer Olympics in London , where the team was 6th . 1 +"He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan ( 1940 ) in "" The Great Profile "" ." "He is supporting Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." 0 +He was guillotined on 28 April 1794 , when he was sentenced at the same time as his elder brother . He was guillotined on April 28 , 1794 , when he was sentenced at the same time as his elder brother . 1 +Meanwhile , Spencer tries to get access to a copy of Adam 's personal music playlist . Spencer , meanwhile , tries to gain access to a copy of Adam 's personal music playlist . 1 +CAA is not affiliated with the Dominion Automobile Association or consumer groups such as the Automobile Protection Agency . CAA is not affiliated with the Dominion Automobile Association or with consumer groups such as the Automobile Protection Agency . 1 +Michael is killed on their wedding day , before the ceremony takes place , and Centaine goes to Sean for help . On the day of their wedding , Michael Michael is killed before the ceremony takes place , and Centaine goes to help Sean . 1 +She ran unsuccessfully for the nomination of the Conservative Party of Canada for Edmonton -- Sherwood Park , prior to the 2008 federal election , Tim Uppal was nominated and won . She unsuccessfully ran for the Conservative Party of Canada nomination for Edmonton -- Sherwood Park , prior to the 2008 federal election ; Tim Uppal was nominated and won . 1 +The idea of the ensemble is discussed further in the article mathematical ensemble ( Statistical physics ) . The idea of the ensemble is further discussed in the article Mathematical Ensemble ( Statistical Physics ) . 1 +In 2008 , the Warrant Officer rankings of the South African National Defence Force were expanded and the rank of Master Warrant Officer was created . In 2008 , the Warrant Officer ranks of the South African National Defence Force were created and the rank of the Master Warrant Officer was extended . 0 +Orders for prototypes were in December 1930 made with three companies : Renault , Citroën and Brandt . Orders for prototypes were made in December 1930 with three firms : Renault , Citroën and Brandt . 1 +Ibirapuera Park is located within this subprefecture , as is the main campus of the Federal University of São Paulo and the Brazilian headquarters of IBM . Ibirapuera Park is located in this subprefecture , as is the Brazilian campus of the Federal University of São Paulo and the headquarters of IBM . 0 +He is trained by the DPRP Aces Partnership , owned by Graham Lee , and his primary jockey was Ferdy Murphy . He is owned by the DPRP Aces Partnership , which was trained by Ferdy Murphy , and his main jockey was Graham Lee . 0 +SDT was the first team to earn the first , second , third , fourth , fifth , sixth , seventh and eighth title in the UAAP Cheerdance Competition . SDT was the first , second , third , fourth , fifth , sixth , seventh and eighth team , which won the first title in the UAAP Cheerdance Competition . 0 +"Kazuyoshi Katayama and other animators worked together before working on "" The Big O "" with Yasuhiro Imagawa "" ." "Before working on "" The Big O "" , Kazuyoshi Katayama and other animators worked with Yasuhiro Imagawa on "" ." 1 +Maria Maria Vittoria Rossa Argento ( born 20 September , 1975 in Aria Asia Argento ) is an Italian actress , singer , model , activist and director . Maria Vittoria Rossa Argento ( ; born Aria Asia Argento ; 20 September 1975 ) is an Italian actress , singer , model , activist and director . 1 +The wealth of his establishment stimulated the creation of early ranches and growth in the region , creating a population that the other city would define . The prosperity of his establishment stimulated the creation of other ranches and growth in the region , creating a population that would define the early city . 0 +"The first news of the album came on March 13 , 2014 , when "" Rat "" and "" Merzbow "" were uploaded to Tamatsubakis SoundCloud ." "The first news of the album came on March 13 , 2014 when "" Rat "" and "" Merzbow "" were uploaded to Tamatsubaki 's SoundCloud ." 1 +Kulappully falls under the Shornur Assembly Constituency and the Palakkad Constituency . Kulappully falls under Palakkad constituency and the constituency of the Shornur Parliament . 0 +The team consisted of : Kym Johnson , Keo Motsepe , Lindsay Arnold , Sharna Burgess and Sasha Farber . Dancing With The Stars team consisted of : Kym Johnson , Keo Motsepe , Lindsay Arnold , Sharna Burgess , and Sasha Farber . 1 +Perigea bahamica is a moth in the Noctuidae family Es is found in the Bahamas The species was collected in Monroe County , Florida , in 2012 . Perigea bahamica is a moth in the family Noctuidae . It is collected on the Bahamas . The species was found in Monroe County , Florida , in 2012 . 0 +The game was launched on May 16 , when the Steam Greenlight campaign was announced . The game was announced on May 16 , when the Steam Greenlight campaign was launched . 0 +Many central government agencies are located in New Taipei City , owing to the proximity to the capital , Taipei City . Many agencies of the central government are located in Taipei City due to its proximity to the capital New Taipei City . 0 +The Olt River or Pârâul Sec is a tributary of the Seaca River in Romania . The River Olt or Pârâul Sec is a tributary of the River Seaca in Romania . 1 +Exceptions to the original release are the tracks 2 , 3 and 6 , which are Japanese . Exceptions to the original release are tracks 2 , 3 , and 6 , which are Japanese . 1 +Born in Chester County , Pennsylvania , Scott was buried in Parkesburg , Pennsylvania . Scott was born in Chester County , Pennsylvania , and was buried in Parkesburg , Pennsylvania . 1 +Eastern Cape is an administrative district in the Amatole District of the Mnquma Local Municipality in South Africa . Mnquma Local Municipality is an administrative area in the Amatole District of the Eastern Cape in South Africa . 0 +Finding Russian maps of the city could have been dangerous for Massa himself and fatal for his original sources . Retrieving Russian maps of the city could have been dangerous for Massa himself and fatal for his original sources . 1 +The Bârzava River is a tributary of the Gorova River in Romania . The Bârzava River is a tributary of the River Gorova in Romania . 1 +In 1912 she married the painter George Bouche , and they had a son , Edmond , in 1915 . Charmy and Bouche met in 1935 . In 1912 she married the painter George Bouche , and in 1915 she had a son , Edmond , and Charmy and Bouche met in 1935 . 1 +Teresita is a Spanish version of the Teresa diminutive name . Teresita is a Spanish version of the diminutive given name Teresa . 1 +Bal Bhavan private school is a public school located in Mayur Vihar Ph- II near DDA market Patparganj , Delhi-110091 . Private school Bal Bhavan is a public school in Mayur Vihar Ph - II near DDA - market Patparganj , Delhi-110091 . 1 +In 1875 he moved to Berrien with his parents , who settled in Watervliet . In 1875 , he moved to Watervliet with his parents , who settled in Berrien County . 0 +Maval is a taluka part of the Pune District in the state of Maharashtra India , it is 85 km from Pune and 54 km from Mumbai . Maval is a Taluka part of the Pune District in the state of Maharashtra India , It is located 85 km from Mumbai and 54 km from Pune . 0 +Hindsholm was incorporated into the new Odense County while the bulk of the former province was merged with Tranekær County and renamed to Svendborg County . Hindsholm was incorporated into the new Odense county , while the majority of the former province was merged with Tranekær County and was renamed to Svendborg County . 1 +On New Year 's Eve , a pregnant Denise Ian surprises him and accuses Kim of ruining Ian 's life . On New Year 's Eve , a pregnant Denise surprises Ian and accuses Kim of ruining Ian 's life . 0 +He has introduced a new form of expressionism based on Persian motives and its oriental moods . He has introduced a new form of Expressionism , based on Persian motives and its Oriental moods . 1 +These places include Canada , Japan ( since 2012 ) , Spain , and some parts of the United States . These places belong to Spain ( since 2012 ) , Canada , Japan and some parts of the United States . 0 +The system moved westward and passed on 16 October at 0600 UTC north of Saipan near Guam . The system moved west and passed north of Saipan near Guam on October 16 at around 0600 UTC . 1 +"The case was played in the BBC - Drama "" In Denial of Murder "" , in which Wendy Sewell Stephen Downing and Caroline Catz played Jason Watkins ." "The case was featured in the 2004 BBC drama "" In Denial of Murder "" in which Jason Watkins played Stephen Downing and Caroline Catz played Wendy Sewell ." 0 +Other languages that were spoken at home included Mandarin 3.0 % , Cantonese 1.9 % , Greek 1.8 % , and Italian 1.7 % . Other languages spoken at home included Mandarin 3.0 % , Cantonese 1.9 % , Greek 1.8 % and Italian 1.7 % . 1 +Many of the cultures of the axial age were considered second generation societies because they were built on the societies that preceded them . Many of the cultures of the axial age were considered second-generation societies because they were built on the societies that preceded them . 1 +The state of unrest in Poland began to spread into Hungary . The state of unrest in Hungary began to spread to Poland . 0 +Darren Burnett won 9-4 , 9-5 against Simon Skelton in the finals . Darren Burnett won in the final 9-4 , 9-5 against Simon Skelton . 1 +The port of Los Cristianos ( Tenerife ) has the greatest number of passengers in the Canary Islands , followed by the port of Santa Cruz de Tenerife . The port of Santa Cruz de Tenerife ( Tenerife ) has the greatest number of passengers in the Canary Islands , followed by the port of Los Cristianos . 0 +The tournament won Thomas Thomas Enqvist and struck Brett Steven in the final , 4 -- 6 , 6 -- 3 , 7 -- 6 ( 0 ) . Brett Steven won the tournament and struck Thomas Enqvist in the final , 4 -- 6 , 6 -- 3 , 7 - 6 ( 0 ) . 0 +On 16 January 2018 , Frontier Airlines announced a codeshare agreement with the American low-cost carrier Volaris . On 16 January 2018 , Volaris announced a codeshare agreement with Frontier Airlines , the US low-cost carrier . 0 +He worked for Adelaide for 17 years as Honorary Consul in Sweden . He acted as honorary consul in Sweden for Adelaide for 17 years . 1 +Although fiddling has changed considerably since this time in Scotland , it is widely held that the tradition of Scottish fiddle music has been better preserved in Cape Breton . Although fiddling has changed considerably since that time in Cape Breton , it is widely believed that the tradition of Scottish Fiddle music in Scotland has been better preserved . 0 +The nest is located in a low shrub on the ground , like most old world warblers , this insect-eating passerine is small . The nest is on the ground in a low shrub . Like most Old World warblers , this small passerine is insectivorous . 0 +It endorsed the views of the Free Soil Party and the Republican Party . It supported the views of the Republican Party and of the Free Soil Party . 1 +The first base with known Wieferich prime with order 3 is 9 , where 2 is a Wieferich prime to base 9 with order 3 . The first base with known wieferich - prime number with order 3 is 9 , where 2 is a weifer - prime number to base 9 with order 3 . 1 +This , Gattie said , was owned in the first half of the 11th century by Godwin , Earl of Wessex , after whom the Sands are named . This , Gattie said , was owned by Godwin , Earl of Wessex , in the first half of the 11th century , after which the sands were named . 1 +In 1853 he moved to Rock County and let himself be settled near Beloit in Wisconsin . He moved to Wisconsin in 1853 and let himself be settled in Rock County near Beloit . 0 +The Charlotte County and White Creek Militia used Salem in 1776 as the base . The Charlotte County and White Creek militia used Salem as its base in 1776 . 1 +He is survived by his children , Samantha Coppola of Brooklyn and Jason Coppola of Bogotá , and three grandchildren . He is survived by his children Jason Coppola of Brooklyn and Samantha Coppola from Bogota and three grandchildren . 0 +For a few years Björn went to the same school with Daniel and founded a band called Butler with Björn Dixgård at the age of fifteen . For a few years Daniel went to the same school as Björn Dixgård and founded a band called Butler with Björn at the age of fifteen . 0 +Muczne was in Poland in the former administrative division of the Krosno Voivodeship ( 1975-1998 ) . In the former administrative division of Poland ( 1975-1998 ) , Muczne was situated in Krosno Voivodeship . 0 +The result of these experiments led to the definition of learning optimism processes . The result of these experiments led to learning the processes of defining optimism . 0 +The remaining line from Point Reyes Station to Monte Rio was dismantled in 1930 . The remaining route from Station Point Reyes to Monte Rio was dismantled in 1930 . 1 +This is due to the reduction of nicotine transmission in a nucleus and an increased excitability in motor neurons caused by excitatory synaptic activation . This is due to the reduction of nicotinic transmission in a nucleus and increased excitability in motor neurons caused by excitatory synaptic activation . 1 +Bland left Valparaíso one week later and arrived in Philadelphia on 29 October 1818 . A week later , Bland left Valparaíso and arrived in Philadelphia on October 29 , 1818 . 1 +Chinatown Gold Coast The Chinatown District is an integral part of the revitalisation of Southport as an international CBD for the Gold Coast . Chinatown Gold Coast The Chinatown precinct is an integral part of the revitalisation of Southport as an international CBD for the Gold Coast . 1 +Chrishan was born in Toledo , Ohio and grew up in Minneapolis , Minnesota . He attended High School for Recording Arts in St. Paul , Minnesota . He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and visited the High School for Recording Arts in Minneapolis , Minnesota . 0 +Scaling is a homothetic transformation and constitutes a special case of homothetic transformation ; in most cases , non-linear transformations are linear transformations . Scaling is a linear transformation , and a special case of homothetic transformation . In most cases , the homothetic transformations are non-linear transformations . 0 +Prayikkara is a village situated in Mavelikara , on the banks of the Achankovil river , in between Mavelikaraa Municipality and Chennithala Panchayat , in Kerala . Prayikkara is a village in Kerala , located on the banks of the river Achankovil , between Mavelikaraa and Chennithala Panchayat , in Mavelikara . 0 +He spent his exile in France and preached Gareccio in Italy where he preached . He spent his exile in France and preached in Italy to Gareccio , where he preached . 1 +Dissident or Protestant separatists were English Christians who separated from the English Church in the 16th , 17th and 18th centuries . English Dissenters or Protestant Separatists were English Christians who separated from the Church of England in the 16th , 17th and 18th centuries . 1 +Northampton is also home to British Military Fitness in Abington Park , where members can train with service trainers or ex-military fitness instructors up to 7 times a week . Abington Park is also home to British Military Fitness in Northampton where members can train up to 7 times a week with serving or ex-military fitness instructors . 0 +This is a list of national parks in British Columbia , including urban and regional parks , provincial parks , municipal and regional parks . This is a list of municipal and regional parks in British Columbia including national parks , provincial parks , municipal and regional parks . 0 +Jacob Bellaert ( born in Haarlem ) was an early Dutch publisher who produced seventeen books from 1483 to 1486 in Zierikzee . Jacob Bellaert ( born in Zierikzee ) was an early Dutch publisher who produced 17 books in Haarlem from 1483 to 1486 . 0 +As the date for the executions of the three Quakers - Evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson - 27 October 1659 was set . The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson and Mary Dyer - was set on 27 October 1659 . 1 +William William Armstrong was born on 14 November 1819 in Lincoln County ( Tennessee ) as son of John Franklin Armstrong and Mary W. I. Monroe . William Armstrong was born in Lincoln County , Tennessee , on November 14 , 1819 , the son of John Franklin Armstrong and Mary W. I. Monroe . 1 +The light novels are written by Dojyomaru and illustrated by Fuyuyuki , and are published by Overlap Bunko . The light novels are written by Dojyomaru and published by Fuyuyuki , illustrated by Overlap Bunko . 0 +The second paragraph of the hand is short compared to the other numbers , while the fourth toe is the longest on the foot . The second digit of the hand is short compared to the other digits , while on the foot , the fourth toe is the longest . 1 +Of the registered voters in the county , 13,474 were Democrats , 12,218 were Republicans and 15,887 were not affiliated with any party . Of the registered voters in the county , 13,474 Republicans , 12,218 were Democrats , and 15,887 were not affiliated with any party . 0 +Prestige is married to the inherent Kiribati woman , but she is considerably under the authority of her husband . The married Kiribati - woman is an inherent prestige , but she is under the authority of her husband . 0 +One of the largest park and rides in Saudi Arabia is located at Kudai in Mecca . One of the largest parks and rides in Saudi Arabia is located in Kudai , Mecca . 1 +The second step works as follows . As long as there are three or more wires with the same weight add a following layer : The following step works as follows : as long as there are three or more wires with the same weight , add a second shift : 0 +Carteret County is located in western Cape Carteret at ( 34.694478 , -77.059129 ) . Cape Carteret is located in the western Carteret County ( 34.694478 , -77.059129 ) . 0 +Elaine speaks with Merlin at Lancelot and Morgaine 's wedding . At Lancelot and Morgaine 's wedding , Elaine speaks with Merlin . 1 +It contains many of the furnishings from the original church , including its historic pipe organ and the altarpiece by Berndt Godenhjelm . It contains many of the furnishings of the original church , including its historical pipe organ and the altarpiece by Berndt Godenhjelm . 1 +It is in Amazonas ( Brazil ) . It is found in Amazonas ( Brazil ) . 1 +Expected Exposure ( EE ) is used similarly to the PFE , except that the average instead of a certain quantile is defined . The Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a specific quantile . 1 +The fortress was besieged again from 22 December 1813 until 14 April 1814 by French troops under the command of General Zoller before the Bavarian garrison surrendered . From 22 December 1813 to 14 April 1814 , the fortress was once again besieged by Bavarian troops under the command of General Zoller , before the French garrison capitulated . 0 +"In February 2018 , Tamplin were under police investigation after alleged "" gangster threats "" was made by him to Billericay Town footballer Elliot Kebbie ." "In February 2018 , Tamplin was under police investigation after "" Gangster threats "" were made by Billericay Town footballer Elliot Kebbie ." 1 +The groined vaulting of the roof is visible in the choir and the right transept , while the rest of the church has a wooden roof . The cross vault of the roof is visible in the choir and in the right transept , while the rest of the church has a wooden roof . 1 +""" Welcome to my Living Room "" was filmed in Sydney , Australia in August 2005 , with additional footage filmed in Temecula , California in November 2006 ." """ Welcome to my Living Room "" was filmed in August 2005 in Sydney , Australia , in November 2006 in Temecula , California ." 0 +In Louisville , Kentucky , he exhibited at the Brownstown Gallery and the Art Space in Birmingham , Michigan . In Louisville , Kentucky , he has exhibited at the Brownstown Gallery and in Art Space at Birmingham , Michigan . 1 +""" Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the USA and on March 1 , 2016 in the United Kingdom ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the United Kingdom and on 1 March 2016 in the USA ." 0 +Some neighbouring landowners have cleared areas of previously replanted private land to form additional corridors between these remnants . Some neighbouring landowners have cleared areas of previously revegetated private land to form additional corridors between these remnants . 1 +The most common other birth countries were China 14.7 % , Philippines 7.0 % , India 5.1 % , Nepal 2.6 % and England 1.9 % . The most other common countries of birth were China 14.7 % , Nepal 7.0 % , India 5.1 % , Philippines 2.6 % and England 1.9 % . 0 +In June 2009 , it was officially confirmed that Kelly Kelekidou left Sony Music Greece and signed it with Heaven Music . In June 2009 , it was officially confirmed that Kelly Kelekidou left Sony Music Greece and signed to Heaven Music . 1 +He was a federal judge in Mexico and a prestigious lawyer in Mexico City . He was a federal judge in Mexico City , and a respected lawyer in Mexico . 0 +The once strategic relationship between Poland and Germany has now become a bad relationship . The once bad relationship between Poland and Germany now has become a strategic relationship . 0 +Although the Maryland Department of Transportation is located in Baltimore , three of its subordinate organizations have their headquarters in Anne Arundel County . Although the Maryland Department of Transportation is headquartered in Baltimore , three of its subordinate organizations have headquarters located in Anne Arundel County . 1 +"He went to Al and said : "" You have lost a father "" and "" I lost a son "" ." "He went to Al and said : "" You have lost a father "" and "" I lost a son "" ." 1 +First work began for Frances Williard , founder of the Christian Temperance Movement of Women , where she met Elizabeth Harrison . Elizabeth Harrison first began work for Frances Williard , founder of the Women 's Christian Temperance Movement , where she met McDowell . 0 +With a fourth and a third place , while Trinity were in the bottom half . With a fourth and a third place , while Trinity were in the lower half . 1 +Abbott would see action in 24 games for the track athletics that fall , and was traded to the Florida - Marlins after the season in exchange for Kerwin Moore . Kerwin Moore would see action in 24 games for the Athletics that fall , and was traded to the Florida Marlins after the season in exchange for Abbott . 0 +Their most common colors are white , although other rarer colors such as red , blue , yellow , and green have been seen or mentioned . Their most common colors are red , blue , yellow and green , even though other rarer colors , such as white , have been seen or mentioned . 0 +Deaton was born in Clayton , New Mexico and his family lived in a tent on the Oklahoma plains for two years . Deaton was born in Clayton , New Mexico , and his family lived for two years in a tent at the plains of Oklahoma . 1 +Dijkstra was the father of Sjoukje Dijkstra , a figure skater who won a gold medal at the Winter Olympics in 1964 . Dijkstra was the father of Sjoukje Dijkstra , a figure skater who won a gold medal in the 1964 Winter Olympics . 1 +She maintained her snake shape at home and resumed a human figure when she accompanied the Shuar man hunting . She retained her snake shape at home and accompanied a human figure when she resumed hunting for the Shuar man . 0 +In the original version of the game , magic-user was one of the base character classes . Magic-user was one of the original character classes in the basic version of the game . 0 +"The French had injured one man and 13 or 14 men wounded , "" Racoon "" had killed only one man ." "The French had lost one man killed and 13 or 14 men wounded ; "" Racoon "" had only one man wounded ." 0 +Lee Lee Field is the club 's home stadium on the Galewood neighborhood of Wyoming , Michigan . Lee Field in the Wyoming neighborhood of Galewood , Michigan is the club 's home stadium . 0 +The white Pontiac , the last 2010 model year G6 4 - door limousine , was built in January 2010 at the Orion Township assembly line . The last Pontiac , a white 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . 0 +In 2016 , the Milpitas , California campus relocated to San Jose , California . In 2016 , the campus Milpitas , California moved to San Jose , California . 1 +Summers are hot and humid , and winters are mild with cool periods . The summers are hot and humid and the winters are mild with cool periods . 1 +Belagere is a village in Challakere , district of Chitradurga , Karnataka , India . Belagere is a village in Karnataka , India , Chitradurga district , Challakere . 1 +According to the Indian census 2011 , the population of Samdari 25012 , where the female population is 12805 and the male population is 12207 . According to the Indian Census 2011 , the population of Samdari is 25012 , where male population is 12805 and female population is 12207 . 0 +The Church was listed as a designated landmark of the City of Santa Barbara on May 17 , 2016 . The church was established on 17 May 2016 as a landmark of the city of Santa Barbara . 0 +Bit 4 is set if the K register is affected . Bit 5 is set if the J register is affected . Bit 4 is set if the K register is affected , Bit 5 is set when the J register is affected . 1 +Opponents argue that transgender , mutilated , and disabled women who digress from typical female bodies are not liberated when they release their breasts . Opponents argue that disabled , mutilated , and transgender women who digress from typical female bodies are not liberated when they expose their breasts . 1 +On their wedding day , Sean Sean is killed before the ceremony takes place , and Centaine goes to Michael to get help . On the day of their wedding , Michael is killed before the ceremony takes place , and Centaine goes to Sean 's help . 0 +Another new bridge was built at Phnom Penh at Neak Leung to Ho - Chi - Minh - Highway 1 with support from the Japanese government and opened in 2015 . Another new bridge was built at Neak Leung on the Phnom Penh to Ho Chi Minh Highway 1 with Japanese government assistance , and opened in 2015 . 0 +The Valea Mică River is a tributary of the River Valea Arsurii in Romania . The Valea Mică River is a tributary of the Valea Arsurii River in Romania . 1 +The design was originally modified for provincial use with several buses ordered by First then for use in Scotland . The design was then modified for use in the province with several buses originally ordered by First for use in Scotland . 0 +During the hearings , it was revealed that neither Claude nor Forbes knew that Lewis had feathered the No . It was revealed during the hearings that neither Lewis nor Forbes knew that Claude had feathered the number . 0 +"At the 54th International Film Festival in Locarno his British feature film "" Déjàvu "" was premiered with international actors ." "His international feature film "" Déjàvu "" with British actors was premiered at the 54th International Film Festival of Locarno ." 0 +Some organic compounds are valid minerals , which are recognized by the IMA ( CNMNC ) . Some organic compounds are valid minerals , recognized by the CNMNC ( IMA ) . 1 +After his wife died in 1842 , Jack Shackelford married Martha Chardevoyne . Martha Chardevoyne married Jack Shackelford after his wife was died in 1842 . 0 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno of 1709 for Caldara . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a Caldara libretto from 1709 for Apostolo Zeno . 0 +She left the Suez Canal in 1946 , and steamed via the Pacific to Norfolk , Virginia . She left the Pacific in 1946 and steamed over the Suez Canal to Norfolk , Virginia . 0 +Opened on April 8 , 1994 , it was the second bridge across the lower Mekong , and the first on the full course of the Mekong . It was opened on April 8 , 1994 and was the second bridge over the lower Mekong , and the first on the full course of the Mekong . 1 +On July 15 , 2013 , Lopez announced that it has signed a contract with Major League Soccer of Real Salt Lake . On July 15 , 2013 it was announced that Lopez had signed a homegrown contract with Major League Soccer of Real Salt Lake . 0 +To the east lies Middletown Township , with Rush Township ( North ) and Susquehanna County ( South ) along the border . In the east is Susquehanna County , with Middletown Township ( North ) and Rush Township ( South ) along the border . 0 +Jan Hambourg was born in Voronezh , Russia , the middle brother between the famous pianist Mark Hambourg ( b . Jan Hambourg was born in Voronezh , Russia , the intermediate brother between the famous pianist Mark Hambourg . 1 +Alliance Française de Dhaka is located at 26 Dhanmondi Road , Bangladesh , corner of Mirpur Road , Dhanmondi , Dhaka No . The Alliance Française de Dhaka is located at Mirpur Road 26 , Dhanmondi , Dhaka , Bangladesh , corner of Dhanmondi Road No . 0 +A Broadway - Revival 2001 was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . A 2001 Broadway revival was directed by Joe Mantello and starred Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . 1 +Between 2006 and 2011 , Toulouse , Rennes , Montpellier , Nantes , Bordeaux and Lyon had the fastest-growing metropolitan areas in France . Between 2006 and 2011 , Toulouse , Rennes , Montpellier , Nantes , Bordeaux , and Lyon had the fastest-growing metropolitan regions in France . 1 +He died on June 18 , 1936 in Daytona Beach , Florida , and was buried in Melbourne , Florida . He died on June 18 , 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . 0 +Today Vissalsa survives as a titular bishop and the current bishop is Neal James Buckon , bishop of military ordination in the United States . Today Vissalsa survives as a titular bishopric and the current bishop is Neal James Buckon , auxiliary bishop of the military ordination in the United States . 1 +That night , Emperor Li Zhan died , and Muzong took up the throne ( as Emperor Jingzong ) . That night , Emperor Muzong died , and Li Zhan took the throne ( as Emperor Jingzong ) . 0 +The Federation is further divided into cantons , which are then subdivided into municipalities . Republika Srpska is divided directly into municipalities . The Federation is further subdivided into cantons , which are then divided into municipalities , Republika Srpska is divided directly into communities . 0 +Lorenzo Giuntini married Susannah Louisa Barnett in Frome , Somerset on 11 September 1866 and got 8 children . Susannah Louisa Barnett married Lorenzo Giuntini on 11 September 1866 in Frome , Somerset and had 8 children . 1 +A brunch forum housed by Chris Wallace with presidential candidates , originally to be sponsored by the New Hampshire Republican Party , was planned for broadcast on Fox News . A brunch forum with presidential candidates sponsored by Chris Wallace , originally to be housed by the New Hampshire Republican Party , should be broadcast on Fox News . 0 +The Arens - Mackey - Topology and the weak Banach - space topology are used relatively rarely . The Arens -- Mackey topology and the weak Banach space topology are relatively rarely used . 1 +When the membrane potential reaches approximately – 60 mV , the K channels open up and the Na channels close and the prepotential phase begins again . When the membrane potential reaches approximately – 60 mV , the K channels close and the Na channels open and the prepotential phase begins again . 0 +"In practice , when a Teredo client wants to locate a corresponding node , it must contact the native IPv6 Teredo relay , "" i.e ." If in practice a teredo client wants to locate a corresponding node , it must contact the native IPv6 - Teredo - Relay , d . 1 +In October 2006 , Gaming Corporation changed its name to Media Corporation , and sold Casino.co.uk to CryptoLogic for £3.6m in cash in August 2007 . In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk to CryptoLogic in August 2007 for £ 3.6 million in cash . 1 +The river Galbena is a tributary of the Dunăreana river in Romania . The Dunăreana River is a tributary of the Galbena River in Romania . 0 +During the LGM the Laurentide Ice Sheet covered most of northern Alaska while Beringia connected Siberia to North America . During the LGM , the Laurentide Ice Sheet covered most of northern Alaska , while Beringia connected Siberia with North America . 1 +In May 2013 , the title track was a top Five single on the Texas Music Chart . The title track was a single - five - top in May 2013 on the Texas Music - Chart . 0 +In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador as a state geologist in the fall of 1879 . In 1877 he went to Connecticut but soon went back again to California and in the fall of 1879 returned to the Republic of Salvador as State Geologist . 1 +The river is owned and managed by Fordy Wood Copse , a forest overlooked by the Woodland Trust . The river is overlooked by Fordy Wood Copse a woodland owned and managed by the Woodland Trust . 0 +The problem of testing whether a given polynomial is a permutation polynomial over a polynomial field can be resolved in time . The problem of checking whether a given polynomial is a permutation polynomial over a finite field can be solved during polynomial time . 0 +Due to high prices and volatile capital costs , few deposits without subsidies can be economically exploited . Due to the volatile prices and high capital costs few deposits can be exploited economically without subsidies . 0 +Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Talgarth , Wales . The Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum was a psychiatric hospital in Talgarth , Wales . 1 +The crusher was operated by the Glen Alden Coal Company , a subsidiary of the Blue Coal Corporation . The breaker was operated by the Blue Coal Corporation , a subsidiary of the Glen Alden Coal Company . 0 +Enter through the south gate , turn left and worship on the eastern side Ganapathy , Shiva and Ayyappan . Enter through eastern gate , turn left and worship Ganapathy , Shiva and Ayyappan on the southern side . 0 +Also for Paul Cavanagh , Nelson doubled . Paul Cavanagh also doubled for Nelson . 0 +Owobale was born in the Netherlands to a Nigerian father and a Dutch mother . Owobale was born in the Netherlands into a Dutch father and a Nigerian mother . 0 +In a concelebrated Mass , this prayer and the following are said by individual concelebrants . This prayer and the following are said by individual concelebrants in a concelebrated fair . 1 +It could meditate the connection between the predictors of personal support , such as the maternal fable . It could meditate the link between the predictors of personal support , such as maternal fable . 1 +The MR73 was a comparable problem with France 's gendarmerie and some police units , including special weapons and tactics - teams ( RAID , GIGN , and standard units ) . The MR73 was standard issue with France 's Gendarmerie and in some police units including Special Weapons and Tactics teams ( RAID , GIGN and comparable units ) . 0 +It is 2 km northeast of Agios Stefanos and 20 km west of Athens city centre . It is located 2 km west of Agios Stefanos and 20 km northeast of Athens city center . 0 +Chief Arthur V. Watkins wrote Utah Senator Pabawena in 1949 to report : Arthur V. Watkins wrote Utah - Senator Pabawena in 1949 to report : 1 +The inverse of the double exponential function is the double logarithm ln ( ln ( x ) ) . "The inverse of the double exponential function is the double logarithm ( ln ( "" x "" ) ) ." 0 +Middleport is located at ( 38.998829 , -82.057204 ) , along the Ohio River at the mouth of Leading Creek . is located at ( 38.998829 , -82.057204 ) along the Ohio River at the mouth of Leading Creek . 1 +Felix researched in Bielsko , Vienna , Prague and London and worked for the Hadassah Medical Organization in Jerusalem from 1927 to 1945 . He researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization from 1927 to 1945 in London . 0 +The wealth of his establishment stimulated the creation of early ranches and growth in the region , creating a population that the other city would define . The prosperity of his establishment stimulated the creation of early ranches and growth in the region , creating a population that would define the other city . 1 +Nicholas Monroe and Simon Stadler defeated Mateusz Kowalczyk and Lukáš Rosol at 6 : 4 , 6 : 4 in the final to win the title . Mateusz Kowalczyk and Lukáš Rosol defeated Nicholas Monroe and Simon Stadler with 6 -- 4 , 6 -- 4 in the final to win the title . 0 +There are seven picnic areas and several have reserved pavilions , the largest of which can accommodate up to 100 people and can be covered . There are seven picnic areas and several have covered pavilions , the largest of which can be reserved for up to 100 people . 0 +Although the Iroquois never entered the Piedmont area , they settled it for hunting and raiding against other tribes . Although the Iroquois never settled the Piedmont territory , they entered it for hunting and raiding against other tribes . 0 +Silver became the motor of the Spanish colonial economy both in New Spain and in Peru . Both in Peru and New Spain , silver became the engine of the Spanish colonial economy . 1 +Red and white wine , liqueur wine , brandy and a sweet and dry wine called Angelica were all produced from mission grapes . Red and white wine , sweet and dry wine , brandy , and a fortified wine called Angelica were all produced from Mission grapes . 1 +They learn at the police station that Jayaraman 's brother had the money , but Devayani is charged with murder . At the police station , they learn that Jayaraman 's brother had the money , but Devayani is charged with murder . 1 +The locomotives were delivered from Neilson , Reid and Company and ordered in 1903 . The locomotives were ordered from Neilson , Reid and Company and were delivered in 1903 . 0 +Mount Fillmore is a mountain in the Plumas National Forest in Sierra County , California . It is northeast of La Porte and north of Downieville . Downieville is a mountain in the Plumas National Park in Sierra County , California , northeast of La Porte and north of Mount Fillmore . 0 +After Lucas gives a statement , his application is accepted , but Denise and Jordan plan to use the scheme to help Lucas break out of prison . After Denise made a statement , his application is accepted , but Lucas and Jordan plan to use the scheme to help Lucas break out of prison . 0 +In the following month , Bullet Club received its first Japanese member , when Styles joined Yujiro Takahashi helped conquer the IWGP Heavyweight Championship . The following month , Bullet Club received its first Japanese member , when Yujiro Takahashi joined and helped Styles capture the IWGP Heavyweight Championship . 0 +Following the sale of Orange to Hutchison Whampoa , Yesss was sold off to Mobilkom Austria . Yesss was sold to Mobilkom Austria following the sale of Orange to Hutchison Whampoa . 1 +Their light engines caused wing fatigue due to the heavy aluminium alloy used . Their light engines caused wing spar fatigue due to the heavy aluminium alloy used . 1 +Upon the death of Cardinal Mazarin in 1661 , Louis XIV , who had nominally been king since 1643 , began to rule France in his own right . After the death of Louis XIV in 1661 , Cardinal Mazarin , who had been nominally king since 1643 , began to rule France in his own direction . 0 +This species occurs in the Caribbean and the Gulf of Mexico , off Brazil in the Atlantic . This species occurs in the Atlantic Ocean and the Gulf of Mexico ; in the Caribbean Sea off Brazil . 0 +Stella Maris played in Dublin with Dunne , before playing in England for Everton . She played with Stella Maris in Dublin before playing for Everton in England . 0 +Six conferences went in : 0-1 : MEAC , MAC , Ohio Valley - Conference , Northern California , MAAC and SWAC . Six conferences went 0-1 : MEAC , MAC , Ohio Valley Conference , Northern California , MAAC , and SWAC . 1 +The flag of Kenya of 1963 is white , but has similar lines inserted in between the colors . The flag of Kenya in 1963 is white , but has inserted similar lines between the colors . 1 +In 2014 election defeated Biju Janata Dal candidate Manas Madkami Indian National Congress candidate Mala Madhi with a range of 3,312 votes . In 2014 election , Biju Janata Dal candidate Manas Madkami defeated Indian National Congress candidate Mala Madhi by a margin of 3,312 votes . 1 +Dimitris Mitropoulos was awarded the Dimou award in 2000 . Dimitris Mitropoulos was awarded the Dimou Award 2000 . 1 +In 1945 , Blume was captured in Salzburg by the Americans and brought to Landsberg Prison . In 1945 , Blume was captured by the Americans in the Landsberg prison and taken to Salzburg . 0 +Hucho is a genus of cold salmonids from large rivers and other freshwater habitats in Eurasia . They are piscivorous , and threatened by overfishing and habitat loss . Hucho is a genus of large salmonidae from cold rivers and other freshwater habitats in Eurasia , which are piscivorous and threatened by overfishing and habitat loss . 0 +In the November 1856 state elections , 81 Republicans , 31 Democrats , and 8 Americans were elected to the Assembly for the 1857 session . In the state elections of November 1856 , 81 Americans , 31 Democrats and 8 Republicans were elected to the Assembly for the 1857 session . 0 +Before travelling to Palestine , her family was originally from Acre , Lebanon . Before journeying to Lebanon , her family was originally from Acre , Palestine . 0 +At the next day 's AFL meeting , Beck was forced to defend Tobin 's actions . At the next day 's AFL meeting , Tobin was forced to defend Beck 's actions . 0 +Con and Winnie had no children ; Con was the uncle of American actor Bonar Colleano and the great-uncle of American actor Jack Stehlin . Con and Bonar Colleano had no children , Con was the uncle of American actor Jack Stehlin and the American - uncle of the great actor Winnie . 0 +Ivy Vujic Jenkins was married on 2 April 2011 . On April 2 , 2011 Jenkins married Ivy Vujic . 1 +In April 2011 , Akari Saho left Aa ! In April 2011 Akari Saho Aa has left ! 0 +Some southern states , such as Chu and Wu , claimed independence from the Zhou , who waged wars against some of them ( Wu and Yue ) . Some southern states , such as Zhou and Wu , claimed independence from the Chu , who undertook wars against some of them ( Wu and Yue ) . 0 +"An important advantage ( projected by Carr ) was that "" if Soviet Russia had eventually to fight Hitler , the Western Powers would already be involved . """ "One important advantage ( projected by Carr ) was that "" if Soviet Russia had to fight Hitler eventually , the Western forces would already be involved ." 1 +At Dagorlad , a great battle took place in which Sauron 's forces were stormed and the Black Gate destroyed . A great battle took place on the Dagorlad in which Sauron 's forces were destroyed and the Black Gate was stormed . 0 +"This debate was presented by the anchors Jessica Soho and Mike Enriquez of GMA News and John Nery , editor of "" Inquirer.net "" ." "The debate was presented by anchors John Nery of GMA News and Jessica Soho and Mike Enriquez , editor-in-chief of "" Inquirer.net "" ." 0 +His son John James was a prominent architect working in Winnipeg , and his son George was also an architect in Montreal . His son John James was a prominent architect active in Winnipeg and his son George was also an architect active in Montreal . 1 +Tide is the sixth album by Deodato , released in 1970 on A & M Records and arranged by Antônio Carlos Jobim . Tide is the sixth album by Antônio Carlos Jobim , which was released in 1970 on A 'M Records and arranged by Deodato . 0 +Its habitat is located in primary and secondary cogon - grassland and dense forest . Its habitat is in primary and secondary cogon grassland , and dense forest . 1 +During this time the climate was a mixture of two different seasons , a dry season and a shorter rainy season . The climate was during this time a mixture of two different seasons , of a dry season and of a shorter rainy season . 1 +In April 2001 , Jungo raised US $ 7 million in its second round of funding for the venture capital fund TeleSoft Partners and Infineon Ventures and Intel Capital . In April 2001 , Intel Capital raised $ 7 million in its second round of financing by venture capital fund TeleSoft Partners and Infineon Ventures and the Jungo . 0 +The winner of the Playoffs was Blu : sens Monbús and until 2011 -- 12 ACB season with CB Murcia , the champion of the regular season promoted . The winner of the playoffs was Blu : sens Monbús and promoted to 2011 -- 12 ACB season with CB Murcia , the champion of the regular season . 1 +"In his letter to Christofias , Menendez explained : "" You can not ignore human rights violations by Turkey in your country and then claim such violations in Cuba ." "In his letter to Christofias , Menendez stated "" you can not claim human rights violations by Turkey in your country and then ignore such violations in Cuba ." 0 +Nicholson train station is a Via Rail Flag Stop Station in the ghost town of Nicholson , Sudbury on the White River -- Ontario Zug . Nicholson railway station is a Via Rail flag stop station located in the ghost town , Nicholson , Sudbury on the White River -- Ontario train . 1 +Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard . Cousin of Claude Pratte who is son of Gaston Pratte and Jeannette Verge . Born in Quebec City , Quebec , son of Garon Pratte and G. Rivard , Cousin by Claude Pratte , the son of Gaston Pratte and Jeannette Verge is . 1 +And later installed Roque Lopez as president of the provisional government in Iloilo town in Santa Barbara . And later Roque Lopez installs as president of the provisional government in Iloilo town in Santa Barbara . 1 +"She was transferred to the Royal Navy and commissioned as HMS "" Tattoo "" on 26 October 1943 ." "It was commissioned to the Royal Navy and transferred as HMS "" Tattoo "" on October 26 , 1943 ." 0 +Devlin retired as Bishop of Gibraltar on 14 February 1998 and was succeeded by Bishop Charles Caruana on 24 May of the same year . On 14 February 1998 , he retired as Bishop of Gibraltar and was replaced by Bishop Charles Caruana on 24 May of the same year . 1 +"Between these two cities , the road ( unlike the old asphalt road ) followed the route of the current path of "" Bougas "" ." "Between these two towns , the road followed ( unlike the current asphalt road ) the route of the old path of "" Bougas "" ." 0 +The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the second stage began the next day on the mountain . The mountainous stage 20 of the Giro began on the slopes of Les Deux Alpes , and the second stage ended the next day on the mountain . 0 +He was the second son of Gil Aires and wife Leonor Rodrigues was born . He was the second son of Leonor Rodrigues and Mrs. Gil Aires born . 0 +Upper Austria is a municipality in the district of Wernstein am Inn in the Austrian federal state of Schärding . Upper Austria is a municipality in the district of Wernstein am Inn in the Austrian state of Schärding . 1 +"The same account appears in Richard Hardyng 's "" Chronicle "" where Cador is called Arthur 's brother "" of his mother 's syde . """ "The same report appears in Richard Hardyng 's "" Chronicle , where Cador Arthur 's brother "" is called the Syde of his mother "" ." 1 +If we know the Formula 35 probability distribution functions , we can calculate the functional formula 36 and find the optimal reservation price from it . Thus , if we know the probability distribution - Function Formula 35 , we can find the Formula 36 function and calculate the optimal reservation price from it . 0 +In August , their national team had lifted the Merdeka cup in Malaysia , while their junior team was joint champions in Asian Youth football . In August , their joint team lifted the Merdeka Cup in Malaysia , while their junior team was national masters in Asian youth football . 0 +The couple lived in London and Los Angeles during their relationship , though Seymour spent more time in Los Angeles for their work . During their relationship the pair lived in Los Angeles , though Seymour spent more time in London and Los Angeles for her work . 0 +Hidalgo , born in Badajoz , performed for Seville and Celta de Vigo . Born in Seville , Hidalgo played for Badajoz and Celta de Vigo . 0 +Four others , including Cissell , Machen , and Turner , were also offered as nominees . Four others , including Turner , Machen , and Cissell , were also offered nominees . 1 +"The municipal district ( "" správní obvod "" ) of the same name consists of administrative districts Prague 17 and Zličín ." "The same named district ( "" správní obvod "" ) consists of the administrative districts of Prague 17 and Zličín ." 1 +After Denise made a statement , his application is accepted , but Lucas and Jordan plan to use the scheme to help Lucas break out of prison . After Denise gives a statement , his application is accepted , but Lucas and Jordan plan to use the scheme to help Lucas break out of prison . 1 +It is a commercial product in the production of the intermediate polymer EPDM . It is an intermediate in the production of the commercial polymer EPDM . 0 +Schools include six secondary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets , and one primary school Montrose Academy . Schools include six primary schools , Lochside , Ferryden , Southesk , Rosemount , Borrowfield and St Margarets and a secondary school Montrose Academy . 0 +They form the bulk of the population of the River Xié and the upper Rio Negro above the mouth of the Vaupés River . They form the bulk of the population of the Xié River and the upper Rio Negro above the mouth of the Vaupés River . 1 +The fans were impressed by his technical diversity , spectacular aesthetics , tactics and strength . The fans were impressed by his spectacular diversity , technical aesthetics , tactics and strength . 0 +The Three Sisters are volcanic peaks that form a complex volcano in the US state of Oregon . The Three Sisters are complex peaks that form a volcano in the U.S. state of Oregon . 0 +In July 2011 , responsibility for the Werris Creek to North Star line was transferred from the Country Rail Infrastructure Authority to the ARTC . In July 2011 , the competence for the Werris Creek to North Star route was transferred from the Country Rail Infrastructure Authority to ARTC . 1 +Hysterocladia unimana is a moth of the Megalopygidae family , which was found in 1943 by Hopp and is described in Brazil . Hysterocladia unimana is a moth of the Megalopygidae family . It was described by Hopp in 1943 . It is found in Brazil . 0 +Richard Owen ( 1810 -- 1890 ) , Robert Owen 's youngest son , came to New Harmony in 1828 and initially taught school there . Robert Owen ( 1810 -- 1890 ) , the youngest son of Richard Owen , came to New Harmony in 1828 and taught school there . 0 +He inherited the Gwalior gharana and the Gandharva Mahavidyalaya , but he was always open to adopting aesthetic features of other gharanas and styles . He inherited the Gwalior - Gharana and the Gandharva - Mahavidyalaya , but he was always open to accepting aesthetic characteristics of other gharanas and styles . 1 +In London production , the role of Robbie Scotcher was played and the role was taken over by Jerome Pradon on 23 June 2008 . In the London production the role was played by Jerome Pradon , and the role was taken over by Robbie Scotcher on 23 June 2008 . 0 +Glen Sheil was born in Queensland and moved to Sydney from a young age . Glen Sheil was born in Queensland and moved to Sydney at a young age . 1 +He was son of Jonathan Elmer and nephew of Ebenezer Elmer , both of whom also served in Congress . He was the son of Jonathan Elmer and nephew of Ebenezer Elmer , both of whom served in Congress . 1 +Stimson Bullitt served as president until Steven A. Clifford took over in 1972 , and Payne was president of King Broadcasting in 1987 . Stimson Bullitt served as president until Payne took over in 1972 , and Steven A. Clifford was named president of King Broadcasting in 1987 . 0 +Linden asks to interrogate Mills , but Skinner ( Elias Koteas ) says he 'll just talk to Danette . Linden asks to interrogate Mills but Skinner ( Elias Koteas ) says he 'll only talk to Danette . 1 +The hall was the venue of the state funeral of federal Leader of the Official Opposition and NDP leader Jack Layton on August 27 , 2011 . The hall was the site of the state funeral of the official leader of the federal opposition and NDP leader Jack Layton on August 27 , 2011 . 0 +On February 17 , 2015 , Chris Bender teamed up with Universal Cable Productions to adapt Dreadstar as a screenplay - TV - series with Starlin and J. C. Spink as producers . On February 17 , 2015 , Chris Bender teamed with Universal Cable Productions to adapt Dreadstar as a scripted TV series with Starlin and J. C. Spink as producers . 1 +"Of mountainous origin , the term "" Pusticamica "" means "" lake of the algonguin countries "" ." "The term "" Pusticamica "" of Algonguin - origin means "" Lake of the mountain countries "" ." 0 +The Urdaneta Philippines Temple will be the third LDS temple built in the Philippines , following the Manila ( 1984 ) and Cebu City ( 2010 ) temples . The Urdaneta Philippines Temple will be the third LDS temple in the Philippines , after the temples of Manila ( 1984 ) and Cebu City ( 2010 ) . 1 +From 1898 to 1902 , about 1,300 birds were imported from America and released from Southland to Northland in many parts of the North and South Islands . From 1898 to 1902 , some 1300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . 0 +The ship attended Guam during the second week of September and then spent the rest of the month in Okinawa in the Marianas . The ship attended Okinawa during the second week of September and then spent the rest of the month in Guam in the Marianas . 0 +He defended his Ph.D. in Psychology from the Free University of Brussels in October 2001 on the subject of human models of cognitive hypertext navigation . In October 2001 , he defended his Ph.D. in Psychology from the Free University of Brussels on cognitive models of human hypertext navigation . 0 +Yevgeny Kafelnikov won in the final 6 -- 2 , 7 -- 6 , against Tim Henman . Tim Tim Henman won in the final with 6 -- 2 , 7 -- 6 against Yevgeny Kafelnikov . 0 +"Felipe Calderón inaugurated a boulevard in Tijuana , Baja California called "" José Francisco Blake Mora "" on 11 October 2012 ." "On 11 October 2012 , José Francisco Blake Mora inaugurated a boulevard in Tijuana , Baja California , named "" Felipe Calderón "" ." 0 +In versions of the Renaissance , Ogier travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 'apos ; Parade . In versions of the Renaissance , Ogier travels to the Avalon governed by King Arthur and eventually becomes Morgan le Fay 's Paramour . 0 +Men Suddenly in Love is a 2011 Hong Kong romantic comedy film written by , produced by and directed by Wong Jing . Men Suddenly in Love is a 2011 Hong Kong romantic comedy produced by Wong Jing , written and led by . 1 +Phytolithes may be colorless , light brown or opaque , most are transparent . Phytoliths may be colorless , light brown , or opaque ; most are transparent . 1 +"At the end of this "" Dasaratha-Jataka "" discourse , the Buddhist text declares that Buddha was Rama in his previous rebirth :" "At the end of this "" Dasaratha-Jataka "" discourse , the previous text declares that Buddha was Rama in his Buddhist rebirth ." 0 +"His musical partner Scott Boyer said : "" No one could write a nicer ballad than Talton ." "His musical partner Talton said , "" No one could write a more beautiful ballad than Scott Boyer ." 0 +"Some of the details that Peeters quotes are specific to the old English poem , based on "" Daniel "" ." "Some of the details that Daniel cites are specific to the old English poem , based on "" Peeters "" ." 0 +There was only one scholarship however , and Li published two or three more articles as Qian , so Qian was preferred . However , there was only one scholarship awardee and Li published two or three more articles than Qian , so Qian was preferred . 1 +Percy W. Adams married Gwendoline Wright . Gwendoline Wright married Percy W. Adams . 1 +The same account appears in Richard Hardyng 's Chronicle where Arthur is called Cador 's brother of his mother 's side . The same report appears in Richard Hardyng 's chronicle , where Arthur Cador 's brother is called the side of his mother . 1 +The band 's first DVD recording shot in March 2010 at the Y Theatre in Leicester was published in January 2011 . The band 's first DVD recording , filmed at the Y Theatre in Leicester in March 2010 , was released in January 2011 . 1 +The municipality has a wet , cold and a dry season . The municipality has a wet , a cold , and a dry season . 1 +"The same title and "" Reason "" have the main melody and are the main themes of the show ." "The same title and "" Reason "" have the main melody and are the dominant themes of the show ." 1 +The Madang languages are a family of languages in New Guinea - stock on the Rai - coast . The Madang languages are a family of languages in the New Guinea stock of Rai Coast . 1 +Prior to the unification of South Yemen in 1990 , the law set the minimum age of marriage at 16 in Yemen and 15 in the north . Before the unification of Yemen in 1990 , the law set the minimum age of marriage at 16 in South Yemen and 15 in the north . 0 +Nina 's friends Christine and Danny Romalotti warned David before Nina , but Nina and David continued their romance . Nina 's friends Christine and Danny Romalotti warned Nina against David , but Nina and David continued their romance . 0 +Enzo Nahuel Copetti ( born 16 January 1996 ) is an Argentine professional footballer , who plays as a midfielder for Atlético de Rafaela side Primera B Nacional . Enzo Nahuel Copetti ( born January 16 , 1996 ) is an Argentine professional footballer who plays as a midfielder at Primera B Nacional at Atlético de Rafaela . 0 +It is practical , often versatile and naturally very easy to move . It is practical , often versatile and naturally , very easy to move about . 1 +In July 2011 , the competence for the Werris Creek to North Star route was transferred from the Country Rail Infrastructure Authority to ARTC . In July 2011 , the ARTC transferred responsibility for the Werris Creek to North Star to the Country Rail Infrastructure Authority . 0 +In March 2016 , Cain 's car was stolen , Cain thought it would be charity or ross . In March 2016 , Cain 's car got stolen , Ross thought it was Charity or Cain . 0 +Giuseppe Avati , better known as Pupi Avati ( born 3 November 1938 ) , is an Italian film director , producer , and screenwriter . Giuseppe Avati , better known as Pupi Avati ( * November 3 , 1938 ) , is an Italian film director , producer and screenwriter . 1 +Coalesced - Hashing , also called Coalesced Chaining , forms a strategy of collision resolution in a hash table that represents a hybrid of separate chaining and open addressing . Coalesced hashing , also called coalesced chaining , forms a strategy of collision resolution in a hash table that is a hybrid of separate chaining and open addressing . 1 +John McEnroe defeated Mats Wilander , 6 -- 2 , 3 -- 6 , 6 -- 2 Mats Wilander defeated John McEnroe , 6 -- 2 , 3 -- 6 , 6 - 2 . 0 +The club is renowned for developing young players and playing many homegrown players . The club is renowned for developing young players and playing many local players . 1 +It is hairy , branched , hollow ( except on the nodes ) and sparsely grooved . It is hairy , branched , hollow ( except at the nodes ) , and sparsely grooved . 1 +Anguilla is renowned for its spectacular and ecologically important coral reefs and beaches . Anguilla is noted for its spectacular and ecologically important coral reefs and beaches . 1 +Leonard and Madonna had added instrumental phrases in the chorus , over the trumpets of the second verse and also in the added Spanish break in the middle . Leonard and Madonna had added Spanish phrases in the refrain , about the trumpets of the second verse and also in the added instrumental break in the middle . 0 +The first stage was in Plymouth , for the second time the Tour de France visited England . The second stage was in Plymouth , the first time that the Tour de France visited England . 0 +Mons Mons Claudianus is situated in the upper desert of Eastern Egypt and was discovered by Wilkinson and Burton in 1823 . Mons Mons Claudianus is situated in the eastern desert of Upper Egypt and was discovered by Wilkinson and Burton in 1823 . 0 +His uncle , Chris Griffiths , taught his own sons Tony and Wally Griffiths , and Digsy to play guitar . His uncle , Chris Griffiths , taught his own sons Tony and Wally Griffiths and Digsy Guitar to play . 1 +""" Meriden , Connecticut "" was sold to Burdett Pond in Tennessee on 15 September 1886 ." """ Tennessee "" was sold on 15 September 1886 to Burdett Pond of Meriden , Connecticut ." 0 +John Magufuli won the October 2015 presidential election and secured a two-thirds majority in parliament . The other party or main party in Tanzania is called Chadema . John John Magufuli won the presidential election in October 2015 and secured a two-thirds majority in the parliament The Main Party or other party in Tanzania called Chadema . 1 +He graduated in 1976 from Kansas Newman College and from the Washburn Law School in 1979 . He graduated in 1976 from Washburn Law School and in 1979 from Kansas Newman College . 0 +( EL - Successor Conrail sold the old New York main route through Utica , Chenango , and Susquehanna Valley in 1982 to Cassville , Susquehanna , and Western Railway . ) ( EL successor Conrail sold the old Utica , Chenango and Susquehanna Valley main line through Cassville to the New York , Susquehanna and Western Railway in 1982 . ) 0 +Caspar David Friedrich was born on September 5 , 1774 in Germany , on the Baltic coast of Greifswald , Sweden , Pomerania . Caspar David Friedrich was born on September 5 , 1774 in Greifswald , Sweden , Pomerania , on the Baltic coast of Germany . 0 +The 1954 South Carolina United States Senate election was held on November 2 , 1954 to select the next U.S . The election of 1954 South Carolina United States Senate was held on November 2 , 1954 to choose the next U.S . 1 +In the program for junior empowerment of spiritual youth , various topics are discussed in the youth groups . In the program for the junior authorization of spiritual youth , various topics are discussed in the youth groups . 1 +Albert Henry Ross ( 1 January 1881 -- 14 September 1950 ) , ( pseudonym Frank Morison ) , was an English advertising agent and freelance writer . Frank Morison ( January 1 , 1881 - September 14 , 1950 ) , ( pseudonym Albert Henry Ross ) , was an English advertising agent and freelance writer . 0 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an Italian - born American composer and musician . Ulpio Minucci ( 29 June 1917 - 9 March 2007 ) was an American - Italian composer and musician . 0 +Hishon is the anglicised form of Ó hOiseáin and finds an early reference amongst the Allies of the MacNamara family in Co Clare in the early 14th century . Hishon is the Anglicized form of Ó hOiseáin and finds an early reference in the early 14th century among the allies of the MacNamara family in Co Clare . 1 +Joey Ellis was in the role of Nathan Bryon , who would be introduced from his hometown as a friend of the established character Tiger Dyke . Nathan Bryon was cast in the role of Joey Ellis , who would be introduced as a friend of established character Tiger Dyke from his hometown . 0 +In a liquid state it appears as a white powder , but it forms a solid crystal when heating . In a solid state , it appears as a white powder , but when heated it forms a liquid crystal . 0 +The more conservative approach of Alistair Stewart and Botte has more recently been represented in the translation by Dix . The more conservative approach by Alistair Stewart and Botte has recently been represented in the translation of Dix . 1 +The nearest train station is Shimanto , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Nakamura Station . The nearest train station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , which is in the station Nakamura . 1 +The Allied hardies saw service on the Rhodesian side during the opening trains of the East African Theatre of World War II . The Rhodesian Hardys saw service on the Allied side during the opening moves of the East African theatre of World War II . 0 +The centre of the Galápagos Islands is located in the Pacific Ocean at the intersection of the 90th Meridian West and the Equator very close to the western hemisphere . The center of the Western Hemisphere is located in the Pacific Ocean at the intersection of the 90th meridian west and the Equator very close to the Galápagos Islands . 0 +According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotyped jargon , so gave TNA the promos to Anarquia . According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , so TNA gave the promos to Anarquia . 1 +There are three main components of the Army : a national headquarters , independent commands , and territorial units . There are three main components of the army : a national headquarters , independent commandos and territorial units . 1 +Dorothy Kate Richmond , Frances Hodgkins and Gwen Knight were a contemporary of Stewart . Dorothy Kate Richmond , Frances Hodgkins , and Gwen Knight was a contemporary of Stewart . 1 +In August , Axel Bulthaupt presented an episode in 2010 , while Stefan Mross was absent for private reasons . In 2010 , Axel Bulthaupt presented an episode in August while Stefan Mross was absent for private reasons . 1 +Plena was brought to Ponce by blacks who immigrated south from the English-speaking islands north of Puerto Rico . Plena was brought to Ponce by blacks who had immigrated from the English-speaking islands south of Puerto Rico to the north . 0 +Hishon is the Anglicized form of Ó hOiseáin and finds an early reference in the early 14th century among the allies of the MacNamara family in Co Clare . Hishon finds the anglicised form of Ó hOiseáin and is an early reference amongst the Allies of the MacNamara family in Co Clare in the early 14th century . 0 +How he solves the case and brings them to books forms the rest . How he resolves the case and brings them to books forms the rest . 1 +Most critics praised the eleven-track set for its related productions and strong themes , which drew comparisons with the early career of Janet Jackson . Most critics praised the eleven-track set for its strong productions and cohesive themes , which drew comparisons to the early career of Janet Jackson . 0 +The music was written by MS Baburaj and lyrics was composed by P. Bhaskaran and Yusufali Kechery . The music was written by MS Baburaj and the lyrics by P. Bhaskaran and Yusufali Kechery composed . 1 +The Jiul de Vest River is a tributary of the De La Hagher River in Romania The River De La Hagher is a tributary of the River Jiul de Vest in Romania 0 +It is considered the bloodiest and third longest of the failed secession wars in the Brazilian Empire , after the Cabanagem insurrection and the Balaiada uprising . It is considered the longest and third bloodiest of the failed wars of secession in the Brazilian Empire , after the Cabanagem Revolt and Balaiada Revolt . 0 +Produced by Arthur Hammerstein , the show was led by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) and choreographed by Danny Dare . Produced by Oscar Hammerstein II , the show by Reginald Hammerstein was choreographed ( the brother of Arthur Hammerstein ) and was led by Danny Dare . 0 +Another special feature of traditional houses is their unique design for cooling the interior during the summer and for heating in winter . Another unique feature of traditional houses is their special design for cooling the interior in summer and heating the interior in winter . 1 +Jasień is a non-operational PKP railway station in Poland ( Jasień ) , Pomeranian Voivodeship . JasieÅ is a non-operational PKP railway station in Poland ( JasieÅ ) , Pomeranian Province . 1 +Through the 2017 season , the Cornell Big Red have won 649 games , lost 529 games , and tied 33 regular season games . The Cornell Big Red have won 649 games during the 2017 season , 529 games bound and 33 regular season games lost . 0 +The most preferred treatment method at the time was active medication . The most preferred method of treatment at that time was the active medication . 1 +Lars says that Anja needs to get his life together and stop making unconfirmed accusations . Lars says that Anja needs to get his life together and should stop making uncorroborated accusations . 1 +The first stage was in Plymouth , the second time that the Tour de France visited England . The second stage was in Plymouth , the first time the Tour de France visited England . 0 +The nearest train station is Shimanto , the terminus of the Tosa Kuroshio Railway Nakamura Line , located in Nakamura Station . The nearest railway station is Shimanto , the terminus of the Tosa Kuroshio railway line Nakamura , located in the station Nakamura . 1 +Ignjat Job painted personal landscapes on the island of BraÄ in a colourful expressionistic style . Ignjat Job painted colourful landscapes on the island of Braa in a personal Expressionist style . 0 +It endorsed the views of the Free Soil Party and the Republican Party . It supported the views of the Free Soil Party and the Republican Party . 1 +Music is in his blood as he has inherited this art from his grandfather , Ustad Banne Khan , who is a singer himself . Music runs in his blood as he inherited this art from his grandfather Ustad Banne Khan , who is himself a singer . 1 +After Donald explained everything about Bobby and Morag , Rebecca stays for the school holidays in Summer Bay . After Bobby explained everything about Donald and Morag , Rebecca stays for the school holidays in Summer Bay . 0 +"The species was first formally described in 1856 by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by James Drummond ." "The species was first formally described by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by Carl Meissner ." 0 +"The cast for the fourth season of "" California Dreams "" was the same as the cast for the third season ." "The cast for the third season of "" California Dreams "" was the same as for the fourth season occupation ." 0 +They can often be seen long before they are heard . They can be heard often long before they are seen . 0 +Piers Butler ( died in 1551 ) was Archbishop of Cashel and the illegitimate son of Edmund Butler , 8th Earl of Ormonde . Edmund Butler ( died 1551 ) was archbishop of Cashel and the illegitimate son of Piers Butler , 8th Earl of Ormonde . 0 +Cole then kills Magruder 's henchman Dutchie and his men and takes Magruder 's armored train . Cole then captures Magruder 's henchman Dutchie and his men and kills Magruder 's armored train . 0 +She has also published biographies , of the Nobel laureate Octavio Paz and artist Juan Soriano . She also published biographies of the Nobel laureate Octavio Paz and the artist Juan Soriano . 1 +Rafael Nadal won 6 -- 3 , 7 -- 6 against Andrei Pavel , Alexander Waske and Bartolomé Salvá - Vidal in the final . Andrei Pavel and Alexander Waske won in the final 6 -- 3 , 7 -- 6 , against Rafael Nadal and Bartolomé Salvá-Vidal . 0 +The single was released digitally and distributed by Fiera Music / Sony Music Entertainment Korea worldwide and the musicvideo was certified by VEVO . The single was released digitally and distributed worldwide by Fiera Music/Sony Music Entertainment Korea and the music video was certified by VEVO . 1 +Biser lies on the railway line from Solikamsk to Yekaterinburg . Biser lies on the railway from Yekaterinburg to Solikamsk . 0 +This temple is supposedly the second of its kind in Kerala , the first of which is the famous temple in Thiruvananthapuram . This temple is supposed to be the second of its kind in Thiruvananthapuram , the first being the famous temple in Kerala . 0 +Typically , external voucher management systems are used with prepaid systems based on an intelligent network . Typically prepaid Voucher Management Systems are used with Intelligent Network based external systems . 0 +During the 1850s , missionaries were sent to Germany , Hawaii , France , Italy , Scandinavia , Switzerland , India , Chile and a number of other countries . In the 1850s , missionaries were sent to Germany , Hawaii , France , Italy , Scandinavia , Switzerland , India , Chile , and a number of other countries . 1 +John Barry 's energy kills Johnny . Barry 's energy kills Johnny . 1 +First run 3200m on the inner oval , then on the outer oval . 3200m races run on the inner oval first , then the outer oval . 1 +Butler County is represented in the U.S. Senate by US Senators Claire McCaskill ( Democrat ) and Roy Blunt ( Republican ) . Butler County is represented in the U.S. Senate by U.S . Senators Roy Blunt ( Democrat ) and Claire McCaskill ( Republican ) . 0 +The Grasse River is located two and a half miles east of the village of Massena on the north side of the Massena Centre . Grasse River is located two and half miles east of the Village of Massena on the north side of the Massena Center . 1 +Ashley binds Luke with tape , then forces her to play truth or dare . Luke binds Ashley with tape , then forces her to play truth or dare . 0 +The French institute is involved in the cultural life of the UK and is a partner of Cameo , Edinburgh , and the seat of the office of the French film festival Edinburgh . The French Institute is involved in the Edinburgh cultural life and is a partner of the Cameo , Edinburgh and hosts the office of the French Film festival UK . 0 +Jackson Township is located in the 4th Congressional District and is part of New Jersey 's 12th state legislative district . Jackson Township is located in the 4th Congressional District and is part of the 12th State Legislative District of New Jersey . 1 +"In July 2013 , Greg Vaughan appeared in "" Second Chances "" , a Hallmark Original Movie , alongside "" Days "" Co - Star Sweeney ." "In July 2013 , Greg Vaughan appeared in "" Second Chances "" , a Hallmark Original Movie , alongside "" Days "" co-star Sweeney ." 1 +""" Darn That Dream "" is a popular song with music by Jimmy Van Heusen and text by Eddie DeLange , published in 1939 ." """ Darn That Dream "" is a popular song with music by Eddie DeLange and lyrics by Jimmy Van Heusen , published in 1939 ." 0 +Later , his family moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . His family later moved from Brooklyn to Manhattan in 110th Street and Amsterdam Avenue . 0 +Midlake opened in Dallas and Oklahoma City and Mudhoney opened for all shows from Portland to Seattle . Midlake opens in Portland and Mudhoney opened for all shows from Seattle to Dallas and Oklahoma City . 0 +From 1990 to 1998 , he lived with Katja Riemann , and their daughter , Paula Riemann was born in 1993 . From 1990 to 1998 he lived with Paula Riemann , and her daughter Katja Riemann was born in 1993 . 0 +He trained for A.C. Milan , Ajax F.C . and Santos F.C . Football Academies . He coached for A.C. Milan , Ajax F.C . and Santos F.C . football academies . 1 +Bret Hart accused Lawler of being a racist in 1995 in order to create problems between Hart and Japanese wrestler Hakushi . Bret Hart accused Lawler in 1995 of being a racist to create problems between Hart and the Japanese wrestler Hakushi . 1 +Francesco Merano ( 1619 -- 1657 ) was an active painter of the Baroque period , mainly Italian in Genoa , where he was born . Francesco Merano ( 1619 -- 1657 ) was an active baroque painter , mainly in Genoa , where he was born , Italian . 1 +Lewis was born in Waynesboro , Virginia on February 17 , 1828 . His parents were William Henry Harman and Sally ( Garber ) Harman . He was born on February 17 , 1828 in Waynesboro , Virginia , and his parents were William Henry Harman and Sally ( Garber ) Harman . 1 +Alaric tells Caroline that Stefan ( Paul Wesley ) has stopped looking for a way to bring Damon and Bonnie back . Stefan informs Caroline that Alaric ( Paul Wesley ) stopped looking for a way to bring back Damon and Bonnie . 0 +Use the appropriate grass and reduce the amount of grass to limit irrigation and maintenance requirements . Use the appropriate grass and reduce the amount of grass to limit the watering and maintenance requirements . 1 +He was born in Bukan , Iran , but arrived in 1997 to Kristiansand , Norway . He was born in Kristiansand , Norway , but arrived in 1997 to Bukan , Iran . 0 +After Paphos , its ancient cult sanctuary of Aphrodite was the second most important in Cyprus , her homeland . Its ancient cult sanctuary of Aphrodite was the second most important in Cyprus , her homeland , after Paphos . 1 +Their founder , who came from China during the Seongjong of Goryeo , was born . Their founder , who came from China during the Seongjong of the Goryeo , was . 1 +In 1993 , Aviance , who was at the time living in New York , was asked by Mother Juan to move to Florida . In 1993 , Aviance , who was at the time living in Florida , was asked by Mother Juan to move to New York . 0 +""" Be What You Are , Do What You Want "" was covered by The Dramatics in 1979 ." """ Do what you want , be what you are "" was treated in 1979 by The Dramatics ." 0 +Cork station was on the Dripsey and Muskerry Light Railway in County Cork , Ireland . Cork railway station was on the Dripsey and Muskerry Light Railway in County Cork , Ireland . 1 +Born in York ( Toronto ) in 1799 , he grew up in Kingston . He was born in Kingston ( Toronto ) in 1799 and grew up in York . 0 +Most of our information about Murena 's life and career comes from the contents of Cicero 's speech . Most of the information about Cicero 's life and career comes from the contents of Murena 's speech . 0 +During the reporting period , Nicaraguans were identified as one of the primary nationalities of victims reported in Guatemala . During the reporting period , Nicaraguans were reported as among the primary nationalities of victims identified in Guatemala . 0 +"It was released on his album "" From Elvis in Memphis "" and was recorded on February 18 , 1969 in Memphis at the American Sound Studio ." "It was recorded on his album "" From Elvis in Memphis "" and was released in American Sound Studio in Memphis on February 18 , 1969 ." 0 +Edward Biddle was the brother of the American financier Nicholas Biddle , nephew of Congressman Charles John Biddle , and Congressman Richard Biddle ’ s uncle . Edward Biddle was the brother of American financier Nicholas Biddle , nephew of Congressman Charles John Biddle and uncle of Congressman Richard Biddle . 1 +He was part of the Swedish team that won the silver medal in men 's gymnastics in 1920 , the Danish system event in 1920 . He was part of the Swedish team , which won the silver medal in the men 's gymnastics , Danish system event in 1920 . 1 +The numeric speed limits apply by default to all roads where no specific lower maximum speed limit is yet in force . Default numeric speed limits apply to all roads where no specific lower maximum speed limit is already in force . 1 +The region is famous for its sparkling wines but also for its white wines ( white , red and rosé ) . The area is famous for its sparkling wines , but also for its white wines ( white , red and rosé wines ) . 1 +His birth certificate bears his name as Erminio Antonio Blotta Mainieri , but his Argentine identity documents instead have Carmen Erminio Blotta . His birth certificate records his name as Carmen Erminio Blotta , but his Argentine identity documents are instead Erminio Antonio Blotta Mainieri . 0 +The last Pontiac , a white 2010 model year G6 4 door sedan , was built at the Orion Township Assembly Line in January , 2010 . The last Pontiac , a white 2010 model year G6 4 - door limousine , was built in January 2010 on the Orion Township assembly line . 1 +Old Harbour Bay has always celebrated the arrival of the East Indians in Jamaica on 13 May . On May 13 , the Old Harbour Bay always celebrated the arrival of the East Indians in Jamaica . 1 +Katerina Maleeva defeated Audra Keller 7 -- 6 , 6 -- 2 Audra Keller defeated Katerina Maleeva with 7 -- 6 , 6 - 2 . 0 +Carol conducts a conversation with Charlie about how she needs money to buy an apartment to Charlie . Charlie stages a conversation with Carol about how she needs money to buy Charlie an apartment . 0 +Coalesced hashing , also called coalesced chaining , forms a strategy of collision resolution in a hash table that is a hybrid of separate chaining and open addressing . Coalesced - Hashing , also called Coalesced Chaining , is a strategy of collision resolution in a hash table that forms a hybrid of separate concatenation and open addressing . 0 +To adjust a piston , the organist must press and hold the desired piston while pulling the desired stops . To press and hold a piston , the organist must set the desired piston while pulling the desired stops . 0 +Scurria plana is a species of sea snail , a true limpet , a marine gastropod mollusc in the Lottiidae family , one of the families of the true limpets . Scurria plana is a species of sea snail , a true limpet , a marine gastropod mollusc in the family Lottiidae , one of the families of true limpets . 1 +"The "" Super Deluxx Edition "" was published by 9th Level Games , but is designed by Dork Storm Press ." "The "" Super Deluxx Edition "" was still published by 9th Level Games , but is designed by Dork Storm Press ." 1 +The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was finalized in 3D and manufactured in the post-production . The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was produced in 3D and finalized in the post-production . 0 +He left the Janata Dal ( United ) and entered the Bharatiya Janata Party in February of 2008 . He joined the Janata Dal ( United ) and left the Bharatiya Janata Party in February , 2008 . 0 +He represented Henri Matisse , Georges Braque , Pablo Picasso . He represented Henri Matisse , Georges Braque , and Pablo Picasso . 1 +"A Dutch reporter wrote after a match of 1905 that three Belgian footballers "" work as devils "" ." "After a 1905 match , a Dutch reporter wrote that three Belgian footballers "" work ( ed ) as devils "" ." 1 +Knowing that her son accidentally burned Jesse , Madeline , like Jesse , expresses her dislike for all the lies that Michael continues to tell Fiona . Madeline , like Fiona , who knows that her son Jesse has accidentally burned , expresses her dislike for all the lies that Michael continues to tell Jesse . 0 +In 1975 he was appointed Australia 's first General Consul in Papua - New Guinea . In 1975 , he was appointed Papua New Guinea 's first Consul General in Australia . 0 +Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby , the family went to Birmingham in 1783 . Born in 1783 in Sheffield , the second son of Isabella and Thomas Beilby . In 1783 the family moved to Birmingham . 1 +In 2011 , he won third place at the Parapan American Games in Guadalajara , Mexico and another third place at the Champions International Tournament in Charlotte , USA . He won third place at the Parapan American Games in Charlotte , USA in 2011 and another third place at the International Tournament of Champions in Guadalajara , Mexico . 0 +She is the wife of Predrag Å ariè and mother of Dario and Dana Å ariÄ . She is the wife of Predrag Šarić and mother of Dario and Dana Šarić . 1 +Lake Provincial Park is a provincial park in the Canadian province Nova Scotia on the island of Boularderie . Boularderie Island is a provincial park located in the Canadian province of Nova Scotia on Dalem Lake Provincial Park . 0 +Pupi Avati , better known as Giuseppe Avati ( born November 3 , 1938 ) , is an Italian film director , producer and screenwriter . Giuseppe Avati , better known as Pupi Avati ( * November 3 , 1938 ) , is an Italian film director , producer and screenwriter . 0 +In 1705 , an armatolos named Zisis Karademos led a Greek uprising against the local Ottoman garrison . An Armatolos named Zisis Karademos introduced a local uprising against the Greek - Ottoman garrison in 1705 . 0 +The qualification rounds for the four previous World Cups were very confusing , with controversial rules and many withdrawals . The qualification rounds for the four previous World Cups were very controversial , with confusing rules and many failures . 0 +"It is Goine 's first published work and was written before "" Dopefiend "" , but was written in 1972 after "" Dopefiend "" was published ." "It is Goines 's first written work and was written before "" Dopefiend "" but was published in 1972 , after "" Dopefiend "" was released ." 0 +"It 's Goine 's first published work and was written before "" Dopefiend "" , but was written in 1972 after "" Dopefiend "" was released ." "It is Goine 's first written work and was written before "" Dopefiend "" , but was released in 1972 after "" Dopefiend "" was published ." 0 +Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Ceylonese ( Sri Lankan ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . 1 +Surrounding suburbs ( from the north to the south ) are Balgownie , Mount Pleasant , Mount Ousley , Keiraville , West Wollongong , Figtree and Mount Kembla . Surrounding suburbs are ( from north to south ) : Balgownie , Mount Pleasant ; Mount Ousley ; Keiraville ; West Wollongong ; Figtree and Mount Kembla . 1 +Even though the series had shot scenes in California , they never left New York City for this episode . Though the series had shot scenes in California , they never left New York City for this episode . 1 +The friend of Dantès , Fernand Mondego ( Sidney Blackmer ) , accompanies him to the jail . Dantès ' friend Fernand Mondego ( Sidney Blackmer ) accompanies him to the jail . 1 +For phonological details see the article on the whole history of French . See the article on the phonological history of French for full details . 0 +Luke Bryan returned to host the show for his fourth consecutive year , with Dierks Bentley as his co-host . Luke Bryan returned to organise the show for his fourth consecutive year , with Dierks Bentley as his co-host . 1 +A new directive was adopted by the European Parliament in July 2008 and approved by the Council in October 2008 . In July 2008 , a new directive was adopted by the European Parliament and adopted by the Council in October 2008 . 1 +The rail line came through Clarysville and Vale Summit , and went south to Lonaconing to service the mines . The railway line came through Clarysville and the Vale summit and went south to Lonaconing to service the mines . 1 +These used TBMs , were then buried to provide an electrical earth . These TBMs used were then buried to provide an electrical mass . 1 +Joe was born in Quincy , Massachusetts on March 27 , 1929 and grew up in Somerville , Massachusetts . Joe was born on March 27 , 1929 in Somerville , Massachusetts , where he grew up in Quincy , Massachusetts . 0 +If the socket was too loose or the ink was too thin , the pen would leak or smear the ink . If the socket was too loose , or the ink too thin , the pen would leak or the ink would smear . 1 +This main shrine has 59 branch shrines in Saitama prefecture and 162 shrines in Tokyo . This main shrine has 59 branch shrines in Tokyo and 162 shrines in Saitama Prefecture . 0 +It includes parts of Palos Hills , Worth , Chicago Ridge , Oak Lawn . It comprises parts of Palos Hills , Worth , Chicago Ridge , Oak Lawn . 1 +The fourth season was premiered on June 7 , 2010 . Like the third season the system of the competition was in mixed couples . The fourth season was premiered on 7 June 2010 , and like the third season was the system of competition for mixed couples . 1 +It was written by Nancy Steen and Neil Thompson , directed by Paul Krasny , and produced by Robert K. Weiss . It was written by Nancy Steen and Neil Thompson , directed by Paul Krasny , produced by Robert K. Weiss . 1 +The following schools are located in Takanini ( schools in Rosehill , Papakura , and Opaheke are excluded ) : The following schools are located at Takanini ( schools in Rosehill , Papakura and Opaheke are excluded ) : 1 +They came to Russia from Poland in the eighteenth century , and their language includes Russian , German and Polish words . They came to Russia from Poland in the eighteenth century , and their language includes Polish , German and Russian words . 1 +Roberto de Oliveira is also known as Roberto Oliveira ( born December 16 , 1980 in Brazil ) is a Brazilian footballer . Roberto Oliveira also known as Roberto de Oliveira ( born December 16th , 1980 in Brazil ) , is a Brazilian footballer . 1 +Appley is into the village of Shevington Vale which converges within the Greater Manchester border . Appley converges to the village of Shevington Vale , which is located within the Greater Manchester border . 0 +Its habitat includes rocky desert and sparse grassland , but it avoids sand . Its habitat includes scarce desert and rocky grassland , but it avoids sand . 0 +As predicted , only 28 % of the promised amount has been reimbursed since 2015 . As predicted , only 28 % of the promised amount has been refunded since 2015 . 1 +Stanislaw Dombrowski ( born 7 August 1894 in Kishinev , near Orhei , Bessarabia ( Eastern Moldova ) ) was a painter born as László Dombrovszky . László Dombrovszky ( born August 7 , 1894 in Orhei , near Kishinev , Bessarabia ) was a painter born Stanislaw Dombrowski . 0 +The compact styled device used a simplified drive mechanism for tape transport . The compact device used a simplified drive mechanism for tape transport . 1 +"He won the second Prix de Rome for painting in 1813 and in 1814 the first Prix de Rome for his paintings of the "" death of the Diagoras "" ." "He won the second Prix de Rome for painting in 1813 and the first Prix de Rome in 1814 for his painting of the "" Death of Diagoras "" ." 1 +Fritz Fritz Heider wrote that people tend to regard behavior in one of two ways : the cause of dispositional factors or of situational factors . Fritz Fritz Heider wrote that people tend to regard behavior in one of two ways : the cause of situational factors or dispositional factors . 1 +Margaret Winser 's entry was selected and used with the stamps by G. W. De Saulles engraved . Margaret Winser 's entry was selected and used , with the dies engraved by G. W. De Saulles . 0 +She worked and lived in Stuttgart , Berlin ( Germany ) and in Vienna ( Austria ) . She worked and lived in Germany ( Stuttgart and Berlin ) and in Vienna ( Austria ) . 1 +Kandy , originally known as Senkadagala , has been the bastion of Sri Lankan culture and its spiritual centre for centuries . For centuries Kandy , originally known as Senkadagala , has been the bastion of Sri Lanka 's culture and its spiritual centre . 1 +In 1948 he moved to Cyprus , to England in 1958 . In 1948 he moved to Cyprus , in 1958 to England . 1 +They did not hesitate to send members of the various professions to the respective congresses held in Bessarabia throughout 1917 , and became very influential . They did not hesitate to send members of their respective professions to the various congresses held in Bessarabia throughout the year 1917 , and they became very powerful . 0 +Locus is a racing game developed by Zombie LLC and published by GT Interactive Software Corp in North America . Locus is a racing game developed by the GT Interactive Software Corp and published in North America by Zombie LLC . 0 +Curry was born in Longbenton , Northumberland in 1935 and died in 1990 at the age of 54 in Mansfield , Nottinghamshire . Born in 1935 in Mansfield , Nottinghamshire , Curry died at the age of 54 in Longbenton , Northumberland in 1990 . 0 +Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 -- 1 Caroline Wozniacki defeated Kaia Kanepi , 6 -- 2 , 3 -- 6 , 6 - 1 1 +At the time Motorola overtook the developers and their patents , they held 50 valid patents and had waited 40 for authorization . At the time Motorola overtook the developers and their patents , they held 50 valid patents and had 40 waiting for approval . 1 +He married Sayyid from a well-known family Sayyida Asma Muthu Beevi of Ponnani Vettom Pokkiriyakam . He married Sayyida Asma Muthu Beevi from a well-known Sayyid family of Ponnani Vettom Pokkiriyakam . 0 +He died in Westminster in 1821 . He had married Elizabeth , daughter of George Germain , 1st Viscount Sackville . They had a son , Charles John . He died in Westminster in 1821 , had married Elizabeth , daughter of George Germain , 1st Viscount Sackville , and they had a son , Charles John . 1 +It was abandoned in 1446 , and destroyed and rebuilt in 1551 . It was destroyed and rebuilt in 1446 , and it was abandoned in 1551 . 0 +Santander Department is a town and municipality in the Albania in northeastern Colombia . Santander Department is a town and municipality in northeastern Colombia in Albania . 1 +The Gallatin Speedway is located on the outskirts of Belgrade northeast of Bozeman Yellowstone International Airport on Tubb Road . The Bozeman Yellowstone International Airport is located on the outskirts of Gallatin Speedway north-east of Belgrade on Tubb Road . 0 +The response of the dependent formula 5 to a time-observable field formula 10 is The observable Formula 5 response to a time-dependent field formula 10 is : 0 +Ryan Wiik ( born September 23 , 1981 ) is a Norwegian actor and entrepreneur . He is also known as Ryan Wiik . Ryan Wiik ( born September 23 , 1981 ) , also known as Gunnar Ryan Wiik , is a Norwegian actor and entrepreneur . 1 +"Bobby Haynes adopted new bass and drums tracks for "" Archives to Eighties - tracks played by Mayall and Joe Yuele ." "For "" Archives to Eighties "" , Mayall appeared in new bass and drums tracks played by Bobby Haynes and Joe Yuele ." 0 +On December 30 , 1888 , she married in Ayer , Massachusetts , Susie J. Clarke . Brown married Susie J. Clarke in Ayer , Massachusetts , on December 30 , 1888 . 1 +A molecular vibration occurs when atoms are in a molecule in constant translation and rotation motion , while the molecule as a whole has periodic motion . A molecular vibration occurs when atoms are in periodic motion in a molecule , while the molecule as a whole has a constant translation and rotation motion . 0 +Like other Corvids , Blue Jays are highly curious and are considered to be intelligent birds . Blue jays , like other corvids , are highly intelligent and are considered curious birds . 0 +Lloyd took over the command of the 12th Feldartillerie - Brigade on November 28 , 1917 and then the 6th Field - Artillery - Brigade on February 7 , 1918 . On November 28 , 1917 , Lloyd took over the command of the 6th Field Artillery - Brigade and on February 7 , 1918 the 12th Field - Artillerie - Brigade . 0 +Buendía also criticized the role of the US government and the CIA in Mexico , and often published names of American officials involved in secret operations . Buendía also criticized the role of the U.S. government and the CIA in Mexico , and often published names of American officials involved in secret operations . 1 +Research and innovation in Europe is financially supported by the programme Horizon 2020 , which is also open to participation worldwide . Research and innovation in Europe is also supported by the Horizon 2020 programme , which is financially open to participation throughout the world . 0 +Although Hertzka was successful in the national championship , she performed poorly at regional level . Although successful in the regional championship , Hertzka performed poorly at national level . 0 +As Pablo Escobar went to extreme measures to kill Max Mermelstein , the U.S. Government went to extreme measures to protect him . While Max Mermelstein went to extreme measures to kill Pablo Escobar , the US government went to extreme measures to protect him . 0 +Then Kennedy Maison Jansen asked whether they would restore the table . Kennedy then asked Maison Jansen if they would restore the table . 0 +Since 2006 , when Josephine Alhanko placed himself in the Top 20 , Cerljen was the first delegate from Sweden to the international final . Cerljen was also the first delegate from Sweden at the international final since 2006 when Josephine Alhanko placed in the Top 20 . 1 +The NBA season between 1954 and 55 was the ninth season of the National Basketball Association . The 1954 -- 55 National Basketball Association season was the ninth season of the NBA . 1 +Coopers Plains railway station on the Beenleigh railway line ( now the South Coast line ) opened in 1885 . Coopers Plains train station on the Beenleigh railway line ( now the south coast line ) opened in 1885 . 1 +The Puerto Inca Province is the largest of eleven provinces of the Huánuco Region in Peru . The Puerto Inca province is the largest of the eleven provinces of Huánuco region in Peru . 1 +He was born in Great Britain , and died in France . He was born in France and died in Britain . 0 +The mountainous stage 20 of the Giro ended on the slopes of Les Deux Alpes , and the second stage began the next day on the mountain . The Giro 's mountainous stage 20 began on the slopes of Les Deux Alpes , and the penultimate stage ended on the mountain the next day . 0 +For example , Elizabeth Coffin , daughter of a wealthy merchant from Nantucket , was mother of the prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr.. For example , Elizabeth Coffin , a daughter of a wealthy merchant from Nantucket , was the mother of the prominent Massachusetts industrialists Henry Coffin Nevins and David Nevins , Jr ... 1 +The River Slivei is a tributary of the Jiet in Romania . Jieţ is a tributary of the Slivei River in Romania . 0 +Harry uses Shay 's taxi to get away with the pocket , she opens the bag and finds in it diamonds and money . Harry uses Shay 's taxi to get away with the briefcase . She opens the briefcase and finds diamonds and money in it . 1 +"By Michael Rothenberg , Anthology of Contemporary Indian Poetry , published by Sudeep Sen , published by Menka Shivdasani in 2004 , "" Ten : The New Indian Poet "" ." "By Sudeep Sen , Anthology of Contemporary Indian Poetry edited by Menka Shivdasani published by Michael Rothenberg in 2004 ; "" Ten : The New Indian Poets "" ." 0 +After his death , Kellow 's widow Mary Hope Kellow moved to Sydney with her daughter Mary . After his death Kellow with Mary Hope Kellow and her daughter Mary moved to Sydney . 1 +In the 2001 census , Hindus formed 311,840 and numbered 77.09 % of the combined population of Krisnanagar I and Krishnanagar II CD Blocks . In the 2001 census , Hindus included 311,840 , and formed 77.09 % of the combined population of Krisnanagar I and Krishnanagar II CD blocks . 0 +"Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain on the ABC soap "" One Life to Live "" in 2007 ." "In 2007 , Harte temporarily took over the role of Dr. Nathaniel Marston for Michael McBain at ABC - Soap "" One Life to Live "" ." 1 +"Otto Friedrich wrote in "" The Kingdom of Auschwitz "" about Rudolf Höss about his decision to present the motto at the Auschwitz - entrance so prominently :" "In "" The Kingdom of Auschwitz "" , Otto Friedrich wrote about Rudolf Höss , regarding his decision to display the motto so prominently at the Auschwitz entrance :" 1 +Under the leadership of Horace Trumbauer , the current 16th Street Clubhouse was built by architect George D. Widener . The current 16th Street Clubhouse was constructed under the leadership of Horace Trumbauer by architect George D. Widener . 1 +"This first version is unofficially called "" rare version "" ." "This rare version is called "" first version "" unofficially ." 0 +Burstwick is a few miles from the local market town of Hedon and the villages of Keyingham and Thorngumbald . Burstwick is a couple of miles from the local market town of Hedon and the villages of Keyingham and Thorngumbald . 1 +The Rai Coast languages are a family of languages in the Madang stock of New Guinea . The languages of Rai - Coast are a language family in Madang - stock of New Guinea . 1 +Baby Boom is a 1987 romantic comedy film directed by Charles Shyer , written by Nancy Meyers and Shyer , and produced by Meyers and Bruce A . Baby Boom is a 1987 romantic comedy directed by Charles Shyer , written by Nancy Meyers and Shyer , produced by Meyers and Bruce A . 1 +The mounting is a tripod , but the front leg has a steering wheel . The mounting is a tripod , but the front leg has a castering wheel . 1 +The tower house was built in the 9th and 10th centuries and was extended into a castle in the Middle Ages . The tower house , built in the 9th and 10th centuries , was expanded in the Middle Ages into a castle . 1 +Ciarán McDonald came through the Crossmolina Deel Rovers system alongside Moyles , Peadár Gardiner and Stephen Rochford . Together with Ciarán McDonald , Peadár Gardiner and Stephen Rochford , Moyles came through the Crossmolina Deel Rovers system . 0 +Ann is married to Ann who is with Jennifer Aull in the Greenpoint Reformed Church in Brooklyn pastors . Ann is married to Jennifer Aull , who pastors with Ann in the Greenpoint Reformed Church in Brooklyn . 0 +Vancouver had also 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Montreal had 7.9 , Toronto had 11.2 and Sarnia had 12.7 had . "Vancouver also had 4.9 , Calgary had 5.6 , Winnipeg had 5.6 , Toronto had 7.9 , Montreal had 11.2 and Sarnia had 12.7. """ 0 +He received a Green Room Award for male artists in a leading role for the latter . For the latter , he received a Green Room Award for leading artist in a male role . 0 +The Toronto Maple Leafs were defeated 4 games to 2 against the Norris Division winning Detroit Red Wings . The Toronto Maple Leafs were defeated 4 games to 2 Detroit Red Wings won against the Norris Division . 1 +SDT was the first , second , third , fourth , fifth , sixth , seventh and eighth team , which won the first title in the UAAP Cheerdance Competition . SDT was the first , second , third , fourth , fifth , sixth , seventh and eighth team to earn the first title in the UAAP Cheerdance Competition . 1 +Ortacami is a village connected to the Tirebolu district in the province of Giresun . Ortacami is a village connected to the Giresun district of Tirebolu province . 0 +The journal is abstracted and indexed by EMBASE , Expanded Academic , Google Scholar and Summon of Serial Solutions . The journal is abstracted and indexed by EMBASE , Expanded Serial , Google Scholar , and Summon by Academic Solutions . 0 +The Zăbrătău River is a tributary of the Bota Mare River in Romania . The river Bota Mare is a tributary of the Zăbrătău River in Romania . 0 +"Matthew is a surname derived from the patronymic form of a short form of the English "" Matheson "" ." "Matheson is a surname , derived from the patronymic form of a short form of English "" Matthew "" ." 0 +Bianco quotes Mario Batali at Lucques , Alice Waters , Suzanne Goin at Del Posto and Mark Ladner as chefs who inspired him . Bianco cites Mario Batali at Lucques , Alice Waters , Suzanne Goin at Del Posto , and Mark Ladner as chefs who have inspired him . 1 +Different colors have different differences in the light emissions of other usable particles . Different colors have different differences in the light emission of other usable particles . 1 +Irma Chilton ( born Mair Elizabeth Irma Evans , November 12 , 1930 -- 1990 ) was a Welsh children writer in the English and Welsh languages . Mair Elizabeth Irma Evans ( born Irma Chilton , 12 November 1930 -- 1990 ) was a Welsh children 's writer in the English and Welsh languages . 0 +Rowden was widowed , and in 1825 he and St Quentin married . St St Quentin was widowed , and he and Rowden married in 1825 . 0 +Nick Danger is a fictional figure portrayed by the comedy group The Firesign Theatre and created by Phil Austin . Nick Danger is a fictional character created by the comedy The Firesign Theatre , portrayed by Phil Austin . 0 +The joint management of the memorial by the National Park Service and the United States Navy was founded on 9 September 1980 . The joint administration of the memorial by the National Park Service and the United States Navy was established on September 9 , 1980 . 1 +The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eight if the Pre - 2003 - Metropolitan Cup is included . The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and eighth if the pre- 2003 Metropolitan Cup is included . 1 +Cooper was born in Los Angeles , California , and has lived in Long Beach , California his whole life . Cooper was born in Los Angeles , California , and lives his whole life in Long Beach , California . 1 +The eastern part of the Indian Lake is township in western Richland . The western part of Indian Lake is located in eastern Richland Township . 0 +This performance was also better known by future Heavyweight Champions Muhammad Ali and Leon Spinks as Cassius Clay . This feat was also accomplished by future Heavyweight Champions Muhammad Ali and Leon Spinks known better as Cassius Clay . 1 +The River Salcia ( or Moca ) is a tributary of the Mouca River in Romania . The River Mouca ( or Moca River ) is a tributary of the Salcia River in Romania . 0 +For a horizontal edge , we want to interpolate in vertical direction , using only the column centered on the pixel . For a vertical edge , we want to interpolate in a horizontal direction , using only the column centered at the pixel . 0 +According to the U.S. Census Bureau , the county is a total area that has land and ( 0.2 % ) of water . According to the U.S. Census Bureau , the county is a total area of , which has land and ( 0.2 % ) is water . 1 +St John married Elizabeth Crowley ( daughter of Ambrose Crowley ) of Greenwich on March 6 , 1725 . Their children were : St John married Ambrose Crowley ( the daughter of Elizabeth Crowley ) of Greenwich on 6 March 1725 . Their children included : 0 +Then Martha destroys the evidence when Jack is arrested . Jack then destroys the evidence when Martha is arrested . 0 +Angolemi ( ; ) is a village in the district of Nicosia , southwest of Morphou . Angolemi is a village in Morphou , southwest of the district of Nicosia . 0 +This prayer and the following are said by individual concelebrants in a concelebrated fair . This prayer and the following are concelebrated by individual concelebrants in a said fair . 0 +Jarymowycz was a frequent lecturer at the Royal Military College and was a recorder of letters to the editor . Jarymowycz was a sessional lecturer at the Royal Military College and was a frequent writer of letters to the editor . 0 +He has been trained by his grandfather , Nick Dakin , and is now coached by Geoff Barraclough . He has been trained by his grandfather , Nick Dakin , and is now trained by Geoff Barraclough . 1 +The French , led by Bertrand du Guesclin , defeated the relief force and met it . The French , led by Bertrand du Guesclin , met and defeated the relief force . 0 +Trained in classical singing and contemporary music , she performs regularly in concerts . She was trained in contemporary singing and classical music , and regularly performs in concerts . 0 +Tuen Mun is a bay outside the castle of Peak Bay . Castle Peak Bay is a bay outside Tuen Mun . 0 +It is important to reach the quantum regime of the mechanical oscillator , where thermal noise effects become negligible on the device . It is important to achieve the thermal regime of the Quantum Oscillator , where mechanical noise effects become negligible on the device . 0 +The symphonic seal of Siegmund von Hausegger is full of Wagner . The symphonic poetry of Siegmund von Hausegger is full of Wagner . 0 +Following the closure of Hollywood Park , the race moved to Santa Anita Park in 2014 . Following the closure of Santa Anita Park , the race was moved to Hollywood Park in 2014 . 0 +Hangars 1 -- 4 were built on the north side of the administration building , while hangars 5 -- 8 were built on the south side . On the south side of the administrative building the hangars were built 1 -- 4 , on the north side the hangars 5 -- 8 were built . 0 +"In the summer of 2007 she performed with the "" Shavnabada Ensemble "" at Inegol 's folk festival in Turkey ." "In summer 2007 she performed with the "" Shavnabada Ensemble "" at the Inegol Folk Festival in Turkey ." 1 +The bill is yellow , eyes , cere , the legs and feet are black . The bill is yellow , the eyes , cere , legs and feet are black . 1 +Linguists sometimes claim that pidgins can become Creole languages when a generation of children learn a pidgin as their first language . Linguists sometimes posit that pidgins can become creole languages when a generation of children learn a pidgin as their first language , 1 +Dragon Wars is a fantasy role-playing video game developed by Rebecca Heineman and published by Interplay Productions in 1989 , and distributed by Activision . Dragon Dragon Wars is a fantasy role-playing game developed by Rebecca Heineman and published in 1989 by Interplay Productions and distributed by Activision . 1 +Pete Sampras defeated Hendrik Dreekmann 7 -- 5 , 6 -- 2 , 6 -- 0 Hendrik Dreekmann defeats Pete Sampras 7 -- 5 , 6 -- 2 , 6 -- 0 0 +Late in 2016 , Skapetis had tests at several clubs , including Sheffield United , Cardiff City , and Derby County . Skapetis had trials at several clubs including Derby County , Cardiff City and Sheffield United late in 2016 . 1 +Another release in 2008 directly compared the sequences of a second isolate of BiMoV from Florida with the sequence of SCSV from Taiwan . Another publication in 2008 directly compared the sequences of a second isolate of BiMoV from Taiwan to the sequence of SCSV from Florida . 0 +Weslandia is a children 's book Newbery Medal winner Paul Fleischman , with illustrations by Kevin Hawkes . Weslandia is a Newbery Medal winner of the children 's book Paul Fleischman , with illustrations by Kevin Hawkes . 1 +The Detroit Red Wings were defeated 4 games to 2 , against the Norris Division winning Toronto Maple Leafs . The Toronto Maple Leafs were defeated 4 games to 2 Detroit Red Wings won against the Norris Division . 0 +The 1883 American Association finished with a 54 - 42 record , fourth place in the New York Metropolitans . The 1883 American Association finished in fourth place in the New York Metropolitan with a 54-42 record . 1 +On 8 February , Enrico Dandolo met the crusader Alexios V for peace talks . On 8 February Alexios V met the crusader leader Enrico Dandolo for peace talks . 0 +"Daniel Albright presents a definition of modernist modernism as , "" a testing of the limits of aesthetic construction "" and proposes the following musical techniques or styles :" "Daniel Daniel Albright proposes a definition of musical modernity as "" a trial of the limits of aesthetic construction "" and presents the following modernist techniques or styles :" 0 +The ACS ( Ambient Control Space ) is the atmosphere of an internal network . The ACS ( Ambient Control Space ) is the internal of an ambient network . 0 +During the second year , students will have more advanced lectures in visual science and spend time learning and perfecting clinical procedures . During the second year , students will have advanced lectures in clinical science and will spend time learning and perfecting visual processes . 0 +Grant holds several records in many categories for Utah , including multiple all-time rows , such as : Grant holds multiple records in several categories for Utah , including many all-time records , such as : 1 +2,4-Dibromophenol is a brominated derivative of phenol with the molecular formula CHBrO . is a brominated derivative of phenol with the CHBrO molecular formula . 1 +The members of the United Methodist Church gather in Laichingen , while the Catholics in the parish of St. Josef are assigned to Bad Urach . The members of the United Methodist Church gather in Laichingen , while the Catholics of the parish of St. Joseph are assigned in Bad Urach . 1 +Naxalbari has a railway station on the Katihar - Siliguri line . Naxalbari has a railway station on the Katihar -- Siliguri line . 1 +His grandfather , Reverend John Macky , was the first moderator of the Presbyterian General Assembly of New Zealand to marry Edna Graham Allan in Dunedin in 1920 . His grandfather , Reverend John Macky , was the first moderator of the Presbyterian General Assembly of New Zealand . In 1920 Macky married Edna Graham Allan in Dunedin . 1 +The director was Harry Kronman and producer John Guedel . The director was John Guedel and its producer was Harry Kronman . 0 +Nieberg again won a gold medal in Team Jumping at the 2000 Summer Olympics in Sydney , together with Marcus Ehning , Otto Becker and Ludger Beerbaum . Together with Marcus Ehning , Otto Becker and Ludger Beerbaum , Nieberg won another gold medal in team jumping at the 2000 Summer Olympics in Sydney . 1 +The 1978 Daytona 500 , the second round of the event , was the 20th race of the NASCAR Winston Cup season in 1978 . The 1978 Daytona 500 , the 20th round of the event , was the second race of the NASCAR Winston Cup season in 1978 . 0 +Sir Martin ( or Roger Martyn ) was a Mercer and Lord Mayor of London in 1567 , and in 1559 he was Sheriff of London . Sir Roger Martyn ( or Martin ) was Mercer and Lord Mayor of London in 1567 , and in 1559 was Sheriff of London . 1 +After four years it moved to the house of Jacopo Sandri , which had more space , and moved back to the Palazzo of Conte Luigi Ferdinando Marsigli in 1705 . After four years it moved to Jacopo Sandri 's house , which had more space , and in 1705 moved again to the palazzo of Conte Luigi Ferdinando Marsigli . 1 +It is located north of Altha and east of Blountstown on the west bank of the Apalachicola River . It is located to the north of Altha and east of Blountstown on the west bank of the Apalachicola River . 1 +Mazinho is the father of current players Thiago of Bayern Munich and Rafinha of Inter Milan . Mazinho is the father of the current players Thiago of Bayern Munich and Rafinha of Inter Milan . 1 +The museum building retains its classical style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . The museum building retains its classic style of oriental modern architecture through the standing bricks on the southeast corner of the building and the European image of the foyer . 1 +The De La Hagher River is a tributary of the Jiul de Vest River in Romania The River De La Hagher is a tributary of the Jiul de Vest River in Romania 1 +When a lower number is calculated , changes are required to improve the score . If a lower number is calculated , changes are required to improve the score . 1 +The winning team from Mike McEwen represented Ottawa in the Tim Hortons Brier 2016 in Manitoba . The winning Mike McEwen team represented Manitoba at Tim Hortons Brier in Ottawa in 2016 . 0 +These places include Spain ( since 2012 ) , Canada , Japan , and some parts of the United States . These places belong to Spain ( since 2012 ) , Canada , Japan and some parts of the United States . 1 +It heard the cases in civil law , criminal law , and cases involving the conflict of jurisdiction between the military , police and civil courts . It heard the cases in civil law , criminal law and cases concerning the conflict of competences between the military , police and civil courts . 1 +This may be caused by the loss of three different genes , each of which has different additional effects , resulting in three types of syndromes . This may be caused by the loss of three different genes , each of which has different additional effects , resulting in three types of syndrome . 1 +The Moons - organist Tom Warmsley uses a single manual Vox Continental , and James Edward Bagshaw of The Moons uses a Vox Continental 300 . The Moons organist James Edward Bagshaw uses a single manual Vox Continental ; also , The Moons ' Tom Warmsley uses a Vox Continental 300 . 0 +He had been in the state playing for New Town but in 1925 moved to Victoria and lined up for Melbourne . He had been in the state playing for Melbourne , but moved to Victoria in 1925 and appointed New Town . 0 +"This is a list of Malaysian football transmissions for the "" second transfer window 2013 "" ." "This is a list of second football transfers for the "" 2013 Malaysian transfer window "" ." 0 +Blackburn was called up to the Oakland Athletics to make his major league debut on July 1 , 2017 , against the Atlanta Braves . Blackburn was called to the Atlanta Braves on July 1 , 2017 to give his debut in the Major League against Oakland Athletics . 0 +It is important for achieving the thermal regime of the quantum oscillator , where mechanical noise effects become negligible on the component . It is important to achieve the quantum regime of the mechanical oscillator , where thermal noise effects on the device become negligible . 0 +"The word nanosecond is formed by the prefix "" nano "" and the second is a basic unit of time or one sixth of a second ." "The word nanosecond is formed by the prefix "" nano "" and the basis is a second second unit of time or a sixtieth of a second ." 0 +It was described in 1895 by Herbert Druce and is well known from Mexico ( including Cuernavaca , Morelos , the type of type ) . It was described by Herbert Druce in 1895 , and is known from Mexico ( including Cuernavaca , Morelos , the type location ) . 1 +"Ricci is known for publishing the original edition of the "" Codex Seraphinianus "" and some books by Guido Crepax ." "Ricci is known for publishing the original edition of the "" Codex Seraphinianus "" and some of Guido Crepax 's books ." 1 +Utah claims a lead of 60 -- 34 -- 4 , while BYU Utah leads claims 57 -- 31 -- 4 . Utah claims a lead of 60 -- 34 -- 4 , while BYU claims Utah leads 57 -- 31 -- 4 . 0 +The U.S. Route 81 has eight special routes , three in North Dakota , one in Oklahoma , two in Kansas , and two in Texas . U.S. Route 81 has eight special routes . Three are in North Dakota , one in Oklahoma , two in Kansas , and two in Texas . 1 +Grass Creek drains Grass Lake and flows north before it flows into Black Lake near Rossie , New York . Grass Creek drains Grass Lake and flows north before emptying into Black Lake near Rossie , New York . 1 +Orlando is a super-regional shopping mall located in Altamonte Mall , a suburb of Altamonte Springs , Florida . Orlando is a super-regional shopping mall located in Altamonte Mall , a suburb of Altamonte Springs , Florida , United States . 1 +A light novel - series - adaptation under the same name is published by Kadokawa ' ; s Kadokawa Beans Bunko , all volumes were written by Tōko Fujitani with illustrations by Yamako . A light novel series adaptation under the same name is written by Kadokawa 's Kadokawa Beans Bunko . All volumes were published by Tōko Fujitani with illustrations by Yamako . 0 +""" Ménage à Troi "" is the 72nd episode of the American Science - Fiction - TV series and the 24th episode of the series overall ." """ Ménage à Troi "" is the 72nd episode of the of the American science fiction television series , and the 24th episode of the series overall ." 1 +Kulhor is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Kulhor is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . 0 +Carolyne McCoy first married Darrell Fetty , who is a descendant of the famous feud families ( her mother was a Hatfield , her dad a McCoy ) . Darrell Fetty first married Carolyne McCoy , who is a descendant of the famous feud families ( her mother was a Hatfield , her father was a McCoy ) . 0 +"The "" Friends of the Art and Design School of Putney "" protects the school and promotes the interests of the students ." "The "" Friends of Putney School of Art and Design "" promotes the School and protects the interests of current students ." 0 +AB InBev remains the largest brewery , with SABMiller second , and Heineken International third . AB InBev remains the largest brewery in second place with SABMiller and Heineken International is third . 1 +Therefore , under certain conditions , equivalence classes of statistical ensembles have the structure of a convex quantity . Equivalence classes of convex ensembles thus have the structure of a statistical set under certain conditions . 0 +The Puerto Inca province is the largest of the eleven provinces of Huánuco region in Peru . The region of Huánuco is the largest of the eleven provinces of the Province of Puerto Inca in Peru . 0 +It was published in the United States on 31 August 2004 and in the United Kingdom on 17 October 2005 . It was released on August 31 , 2004 in the United Kingdom and October 17 , 2005 in the United States . 0 +Until 1798 , he studied in Dresden before settling in Copenhagen . Until 1798 , he studied in Copenhagen before settling in Dresden . 0 +Following the 1962 season , Green was traded with Tracy Stallard and Al Moran in exchange for Felix Mantilla to the New York Mets . After the 1962 season , Green was traded with the New York Mets together with Felix Mantilla in exchange for Tracy Stallard and Al Moran . 0 +The state is divided into four administrative regions , with offices in Jackson , Crossville and Morristown ( also the location of the headquarters ) , Nashville . The state is divided into four administrative districts , with offices in Jackson , Crossville and Morristown ( also the headquarters of the headquarters ) , Nashville . 1 +Benoit had a little feud with Kane after Backlash , while Michaels and Triple H would finish their feud at Bad Blood . Following Backlash , Benoit had a small feud with Kane , while Michaels and Triple H would finish their feud at Bad Blood . 1 +The role of the corpus callosum in epilepsy is the epileptiform transmission of interhemispheric discharge . The role of the corpus callosum in epilepsy is the interhemispheric transmission of epileptiform discharges . 0 +However , most white horses have pink skin and some have blue eyes . However , most pink horses have white skin and some blue eyes . 0 +The elementary St. Catherine of Sienna private school closed in June 2012 . The elementary school St. Catherine of Sienna was closed in June 2012 . 1 +Chakwal District , is a subdivision ( tehsil ) of Talagang Tehsil in the Punjab province of Pakistan . Chakwal District is a subdivision ( Tehsil ) of Talagang Tehsil in the Province of Punjab in Pakistan . 1 +In South Africa , Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg . Sasol operates commercial gasification plants in Secunda , Mpumalanga and South Africa in Sasolburg . 0 +It was the northernmost of several Muslim states in the Horn of Africa , acting as a buffer between Christian kingdom and the Muslim states along the coastal regions . It was the northernmost of several Muslim states in the Horn of Africa , as a buffer between the Muslim kingdom and the Christian states along coastal regions . 0 +Eventually , Spartan met with IBM offices in Ottawa to begin developing a relationship to bridge the geographic gap between computer data and previous services . Spartan finally met with IBM offices in Ottawa to begin developing a relationship to bridge the geographic gap between computer data and previous services . 1 +Satanic ) murders are committed in Brazil , the USA , Mexico ( Adolfo Constanzo case ) , Singapore ( See Toa Payoh ritual murders ) and Uganda . In Brazil , the USA , Mexico ( Adolfo Constanzo case ) , Singapore ( see Toa Payoh - ritual killings ) and Uganda are committed murders . 1 +Also , all completely regular spaces are regular ( even if not normal ) Sierpinski - space is an example of a normal space that is not normal . Also , all fully normal spaces are normal ( even if not regular ) . Sierpinski space is an example of a normal space that is not regular . 0 +It was recorded in 2000 and released by Satchmo Jazz Records . It was released in 2000 and was recorded by Satchmo Jazz Records . 0 +The winning Mike McEwen team represented Ottawa at Tim Hortons Brier in Manitoba in 2016 . The winning Mike McEwen team represented Ottawa at the 2016 Tim Hortons Brier in Manitoba . 1 +Written by Michelle MacLaren and directed by George Mastras , it broadcast on AMC in the United States and Canada on September 8 , 2013 . Written by George Mastras and directed by Michelle MacLaren , it aired on AMC in the United States and Canada on September 8 , 2013 . 0 +The soils are organic , with a sizable lime content , significant in clayey material , with a good proportion of poor elements which allows for good drainage . The soils are organic , with a considerable lime content , significant in clay material , with a good proportion of poor elements , which allows for good drainage . 1 +Touche was the first son of the Third Baronet of Creation in 1920 . Touche was the first son of the third Baronet of the 1920 creation . 1 +The river Amaradia or the river Negreni is a tributary of the Valea Negrenilor river . The Amaradia River or Negreni River is a tributary of the Valea Negrenilor River . 1 +Almost the whole area is part of the Sandia Mountain Wilderness , including the Cibola National Forest . Almost the whole area is part of the Cibola National Forest , including the Sandia Mountain Wilderness . 0 +Egremont is situated southwest of Pittsfield , west of Albany , New York , west of Boston and southeast of Springfield . Egremont is south-southwest of Pittsfield , west of Springfield , west of Boston , and southeast of Albany , New York . 0 +Each night Inspirica , Inc. houses approximately 300 people and each year serves more than 800 people . Inspirica , Inc. houses approximately 300 people and serves more than 800 people each year . 1 +"The weekly was published in the federal state in 1781 , the first "" Vermont - newspaper "" ." "The first newspaper was published in 1781 in the state , the weekly "" Vermont Gazette "" ." 0 +A spire was built by Barry in 1841 , but it was never designed . A tower was designed by Barry in 1841 , but it was never built . 0 +After World War I more branches were opened in Swindon ( 1921 ) , Wells ( 1922 ) and Coleford ( 1924 ) . After World War I , other branches were opened in Wells ( 1921 ) , Swindon ( 1922 ) and Coleford ( 1924 ) . 0 +The season 2002 Seattle Seahawks was the 27th season of the team with the national football league . The 2002 National Football League season was the 27th season of the team with the Seattle Seahawks . 0 +The pterostigmata of the white males are almost immature . The pterostigmata of white males are almost immature . 1 +""" Thanks to the Facebook generation , anyone by simply attaching a Selfie , everyone can become Kevin Spacey or a Harvey Winestone "" , he added ." """ Thanks to the Facebook generation , by simply attaching a selfie , anyone can become a Kevin Spacey or a Harvey Weinstein , "" he added ." 1 +"( A1 ) Knicks vs. ( A2 ) Boston Celtics : "" New York Knicks win series 4-1 """ "( A1 ) Knicks versus ( A2 ) Boston Celtics : "" New York Knicks Series 4-1 "" Win" 1 +"In "" Home Alone "" Kate McCallister traveled from Paris on her way to Chicago through Dallas / Fort Worth ." "In "" Home Alone "" , Kate McCallister traveled through Dallas/Fort Worth from Paris on her way to Chicago ." 1 +The show was initiated by Peter Weil , produced by Barraclough Carey Productions . The show was produced by Peter Weil , initiated by Barraclough Carey Productions . 0 +It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until most of them left the country . It was originally developed by groups of Chinese scholars in the Soviet Union and used by Chinese and Russian immigrants there until the majority of them left the country . 0 +Brian Meehan fled to Portugal with Traynor ( who later escaped to Amsterdam ) . Brian Meehan fled with Traynor ( who later fled to Portugal ) to Amsterdam . 0 +Massy was the son of Col. Hugh Massy and the elder brother of General Eyre Massey , 1st Baron Clarina . Massy was the son of Colonel Eyre Massey and the elder brother of General Hugh Massy , 1st Baron Clarina . 0 +Horace W Webb a native of Oklahoma , settled just south of Graniola , Missouri in 1910 . Horace W Webb , a native of Oklahoma , settled south of Graniola , Missouri in 1910 . 1 +Maximilian II ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian general lieutenant and minister of war under Bernhard Franz von Hess of Bavaria . Bernhard Franz von Hess ( May 22 , 1792 -- April 20 , 1869 ) was a Bavarian Lieutenant General and War Minister under Maximilian II of Bavaria . 0 +Matthew Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) played in a revival at The Old Vic in London in 2009 . Matthew Harrison Brady ( Henry Drummond ) and David Troughton ( Kevin Spacey ) starred in a 2009 revival at The Old Vic in London . 1 +The remaining two cars were delivered by the Estonian defence league and they were ordered in 1927 . The remaining two cars were ordered by the Estonian Defence League and these were delivered in 1927 . 0 +"The term "" Pusticamica "" means Algonguin - origin "" Lake of the mountainous countries "" ." "Of algonguin origin , the term "" Pusticamica "" means "" lake of the mountainous countries "" ." 1 +This course will be offered to younger Dunghutti adults in 2013 , and a certificate 2 course will be designed for a test run in 2014 . This course will be designed again in 2013 for younger Dunghutti adults , and a Certificate 2 course will be offered for a test run in 2014 . 0 +There are two important cases : ( i ) a simple closed chain and ( ii ) a simple open chain . There are two important special cases : ( i ) a simple closed chain , and ( ii ) a simple open chain . 1 +This was composed by Tears for Fears and by Gary Jules arainged and the vocals of Michael Andrews . That was composed by Tears for Fears and arainged by Michael Andrews and featured the vocals of Gary Jules . 0 +Fletcher subsequently apologized to Edwards and compensated him for the flowers . Fletcher subsequently apologised to Edwards and compensated him for the flowers . 1 +She is a specialist for the British landscape painting and the visual culture of British colonialism and West Indian slavery . She is a specialist in West Indian landscape painting and the visual culture of British colonialism and British slavery . 0 +He graduated from the Military School in St. Petersburg , Russia and in 1910 from the Sofia General Staff Military Academy in Nikolaevsk . He graduated from the military school in St. Petersburg , Russia and in 1910 from the Military Academy Sofia General Staff in Nikolaevsk . 1 +"Alan Dale returned as Tom Morrow , a character who left "" NCIS "" in the third season of the episode "" Kill Ari ( Part I ) "" ." "Alan Dale returned as Tom Morrow , a character who left "" NCIS "" in the third season 's episode "" Kill Ari ( Part I ) "" ." 1 +He moved to Rock County in 1853 and settled near Beloit in Wisconsin . He moved to Wisconsin in 1853 and let himself be settled in Rock County near Beloit . 0 +He was born in San Francisco , California , and died at the age of 81 in Brooklyn , NY . Born in Brooklyn , New York , he died at the age of 81 in San Francisco , California . 0 +TV shows in Cape Verde are made in Praia by TCV and Record Cabo Verde . Television shows in Cape Verde are made by TCV and Record Cabo Verde in Praia . 1 +It is then sold in the brewer 's house , which effectively becomes a pub until all the beer has been drunk . It has been effectively drunk in the house of the brewer , which then becomes a pub until all its beer is sold . 0 +"Some of the details Daniel cites are specific to the Old English poem based on "" Peeters "" ." "Some of the details that Peeters cites are specific to the old English poem , which is based on "" Daniel "" ." 0 +He left Shrewsbury in January 2006 and joined Nuneaton Borough next . He joined Shrewsbury in January 2006. and next left Nuneaton Borough . 0 +Björn Freiberg ( born March 28 , 1970 in Isny , Allgäu ) is a former actor , writer , translator , and German university teacher . Björn Freiberg ( born 28 March 1970 in Isny im Allgäu ) is a former actor , painter , author , translator and German University teacher . 1 +Organized by Strategic Air Command on 24 May 1963 , activated on 1 October 1963 . Organized on May 24 , 1963 by the Strategic Air Command , activated on October 1 , 1963 . 1 +Regardless of quick sorrow , he was known for his spiritual understanding and discipline . He was known for his spiritual understanding and discipline , regardless of his sorrow . 1 +"To underscore this view , it is customary to say that the operations are "" evaluated "" or "" applied "" , rather than "" executed "" ." "To underscore this view , it is customary to say that the "" operations are "" or "" applied "" , rather than "" evaluated "" ." 0 +In 2014 election defeated Biju Janata Dal candidate Manas Madkami Indian National Congress candidate Mala Madhi with a range of 3,312 votes . In 2014 election , Indian National Congress candidate Manas Madkami defeated Biju Janata Dal candidate Mala Madhi by a margin of 3,312 votes . 0 +On April 10 , 1987 , Ricardo Lingan Baccay was dedicated as a priest by Diosdado Aenlle Talamayan . Aenlle Talamayan was ordained a priest on April 10 , 1987 by Ricardo Lingan Baccay . 0 +The GE Honda HF120 is a small turbofan for the light business jet market , the first engine to be produced by GE Honda Aero Engines . The GE Honda HF120 is a small turbofan for the light business aircraft market , the first engine produced by GE Honda Aero Engines . 1 +"However , species such as "" T. eurycephalus "" had a shorter rust and a deeper skull ." "Species such as "" T. eurycephalus "" however had a shorter rostrum and a deeper skull ." 0 +Five men died immediately , one was missing and 25 were wounded , two of whom later died . Later five men died , one missing and 25 were wounded , two of whom died immediately . 0 +The Marshal 's Daughter is a 1953 American action film directed by Bob Duncan and written by William Berke . The marshal 's daughter is a US American action film , staged by William Berke in 1953 and written by Bob Duncan . 0 +This was resolved by the Ostrów agreement -- Jogaila became Grand Duke of Lithuania , while Vytautas retained the rights of an overlord . This was solved with the Ostrów agreement -- Vytautas became Grand Duke of Lithuania , while Jogaila retained the rights of an overlord . 0 +During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the British Legions on the Spanish side at the Battle of Carabobo . During the Venezuelan War of Independence in 1821 , Garcia de Luna fought Simón Bolívar and the Spanish legions on the British side at the Battle of Carabobo . 0 +Veronica is married to Gustavo , a rich , selfish , spoiled , and ambitious woman , who has never loved her husband . Veronica is married to Gustavo , a rich , selfish , spoiled and ambitious woman who never loved her husband . 1 +Stenolechia zelosaris is a moth of the family Gelechiidae . It is found in India ( Assam ) . Stenolechia zelosaris is a moth of the family Gelechiidae , which is found in India ( Assam ) . 1 +Houston sells the cow to Mrs. Ike , she buys it with Littlejohn 's money . Houston sells the cow to Mrs. Littlejohn ; she purchases it with Ike 's money . 0 +"Uigorlersuaq Island ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the Qaasuitsup municipality in northwestern Greenland ." "Uigorlersuaq Island ( old spelling : "" Uigordlerssuaq "" ) is an uninhabited island in the municipality of Qaasuitsup in northwest Greenland ." 1 +He was married to Madi Hedd , who acted together in Australia for six years before returning to Britain in 1957 . He was married to Madi Hedd . They acted together in Britain for six years before returning to Australia in 1957 . 0 +There are two PLC repeater stations : one at Gamaboi in South Africa and one at Catope in Mozambique . There are two PLC repeater stations : one at Gamaboi in Mozambique and one at Catope , South Africa . 0 +At the Hong Kong Chief Executive elections in 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . In the 2007 Hong Kong Chief Executive elections , Alan Leong successfully entered the race against the incumbent Donald Tsang from the Civic Party . 0 +"Jesse Crawford considered him "" one of the greatest ballad organists . "" Maffie also composed music , including the theme for "" House Party "" ." "Jesse Crawford considered him "" one of the greatest ballads - organists "" Maffie also composed music , including the theme for "" House Party "" ." 1 +Jan Apell and Brent Haygarth won 3 : 6 , 6 : 1 , 6 : 3 against Pat Cash and Patrick Rafter in the final . Pat Cash and Patrick Rafter won 3 -- 6 , 6 -- 1 , 6 -- 3 against Jan Apell and Brent Haygarth in the finals . 0 +"It was published by ( Spreng . ) K.Schum and described in "" Flora Brasiliensis 6 ( 6 ) : 128 "" , 1888 ." "It was described by ( Spreng . ) K. Schum and published in 1888 in "" Flora Brasiliensis 6 ( 6 ) : 128 "" ." 0 +"Santiago is a vulgar evolution of the Galician Latin Sanctu Iacobu , "" Saint James "" ." "Santiago is the Galician evolution of the vulgar Latin Sanctu Iacobu , "" Saint James "" ." 0 +Under certain conditions therefore , equivalence classes of statistical ensembles have the structure of a convex set . The equivalence classes of statistical ensembles therefore have the structure of a convex quantity under certain conditions . 1 +Brutus died on April 9 , 1830 , in the town of Adam Helmer in Cayuga County , New York . Adam Helmer died on 9 April 1830 in the city of Brutus at Cayuga County in New York . 0 +The system connects the city of Caracas with the capital of Los Teques . The system connects the city of Los Teques with the capital city of Caracas . 0 +"He was a "" Xiaolian "" and served in his early years as a district official under the warlord Dong Zhao , before being promoted to a military adviser ." "Dong Zhao was a "" xiaolian "" and served as a county official in his early years under the warlord Yuan Shao before being promoted to a military adviser ." 0 +Buchanan accepted the reports of the judges without further investigation , and the new governor was accompanied by troops sent to garrison forts in the new non-sectarian territory . Buchanan accepted the reports of the judges without any further investigation , and the new governor was accompanied by troops sent to garrison forts in the new non-sectarian territory . 1 +He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in 1820 in Canandaigua , New York ) . He was a son of surgeon Timothy Hosmer ( born in Canandaigua , New York , in 1740 ; died in Middletown , Connecticut , in 1820 ) . 0 +""" The Timber "" was released in North America on February 27 , 2015 , Well Go USA Entertainment was released on October 6 , 2015 in Germany ." """ The Timber "" was released in Germany on February 27 , 2015 , Well Go USA Entertainment published it on October 6 , 2015 in North America ." 0 +Paul Singer announced in February 2016 that Argentina had reached an agreement with Daniel Pollack . In February 2016 , Paul Paul Singer announced that Argentina reached an agreement with Daniel Pollack . 1 +The event draws tourists and participants from all areas of the California coast , Washington and Oregon . The event attracts tourists and participants from all areas of Oregon Coast , Washington and California . 0 +Busabout New South Wales is an Australian private bus company , founded in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , Wagga Wagga . Busabout Wagga Wagga is an Australian private bus company that was founded in 1916 as Fearnes Coaches , with depots in Wagga Wagga and Harden , New South Wales . 0 +Ranjit Singh marched to ( Rawalpindi ) , from there to ( Rohtas ) and via ( Sarai Kala ) reached Sirikot . Ranjit Singh marched to Rawalpindi , from there to Rohtas and via ( Sarai Kala ) until Sirikot . 1 +Marouf with popular athletes such as Ali Daei , Hamid Sourian , and Behdad Salimi helpers in the fight and eradication of poverty and hunger in the World Food Program . Popular with Marouf - athletes such as Ali Daei , Hamid Sourian and Behdad Salimi , aides in the fight against poverty and hunger in the World Food Programme . 0 +"On November 18th , 2010 Polumenta published his second studio album "" Buntovnik "" ( Rebel ) under Grand Production , his fifth project with the label ." "On November 18 , 2010 , Polumenta published his fifth studio album "" Buntovnik "" ( "" Rebel "" ) under Grand Production , his second project at the label ." 0 +Eckhoff represented New Zealand in 1928 against Great Britain , and in 1930 against Australia . Eckhoff represented Britain against New Zealand in 1928 and Australia in 1930 . 0 +On May 24 , 1938 , a spur was appointed to Oglesby , but not created . On May 24 , 1938 , a spur to Oglesby was designated , but not created . 1 +At Lancelot and Elaine 's wedding , Morgaine speaks with Merlin . Morgaine speaks with Merlin at Lancelot and Elaine 's wedding . 1 +The school is in conjunction with the secondary department of the autistic school Ysgol Plas Brondyffryn , which was constructed in 2003 . The school is in conjunction with the autistic department of the secondary school Ysgol Plas Brondyffryn , which was constructed in 2003 . 0 +Sebastian Giustinian was a sixteenth-century Venetian diplomat . Sebastian Giustinian was a Venetian sixteenth-century diplomat . 1 +The real basis of bloom is that , in the physical world , lenses can never focus perfectly . The physical basis of the flower is that lenses in the real world can never perfectly focus . 0 +After his death , the atheistic element of communism would be stepped up in some Marxist movements . The atheistic element of communism would be intensified in some Marxist movements after his death . 1 +The Model United Nations club participates in academic discussions and intellectual forums throughout the Boston area , and has won several chapter awards The Club The Model United Nations participates in intellectual discussions and academic forums throughout Boston and has won several chapter prizes . 0 +In 1878 , Mathias Gilles Müllenbach was the mayor , and the parish was Josef Miesen , born March 28 , 1831 in Müllenbach . In 1878 , Mathias Gilles was Müllenbach 's mayor , and the parish priest was Josef Miesen , born 28 March 1831 in Müllenbach . 1 +Harry Griego , a pilot and Air Force veteran who made a 2015 primary challenge of State Delegate Chris Head , challenged Goodlatte for the Republican nomination . Goodlatte , a pilot and air force veteran who made a primary challenge to State Delegate Chris Head in 2015 , asked Harry Griego for the Republican nomination . 0 +Paavo Mikkonen ( born 25 January 1942 ) is a Finnish former sports shooter . Paavo Mikkonen ( born January 25 , 1942 ) is a former Finnish sports shooter . 1 +When Khadr was injured in a 1995 battle in Kabul , Mohamad Elzahabi visited him the Peshawar hospital . When Khadr was injured in Kabul in 1995 , Mohamad Elzahabi visited him at the Peshawar hospital . 1 +Siskiyou National Forest is situated on the US Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . Siskiyou National Forest is located on U.S. Route 101 between the Pacific Ocean and the Gold Beach , north of Port Orford and south of Bandon . 1 +Beth later turns the machine off and Robbie is shocked but understanding . Later Beth switched the machine off and Robbie is shocked but understanding . 1 +Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives since January 2013 . Republican Drew Springer , Jr. , a businessman from Muenster in Cooke County , has since January 2013 represented Young County in the Texas House of Representatives . 1 +It was written by Leslie H. Martinson , written by George Kirgo , and was originally broadcast on NBC on April 5 , 1982 . It was written by Leslie H. Martinson , directed by George Kirgo and was originally sent on NBC on 5 April 1982 . 0 +Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who was not seen during the day . Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman never seen during the day . 1 +He was a son of surgeon Timothy Hosmer ( born in Canandaigua , New York , in 1740 ; died in Middletown , Connecticut , in 1820 ) . He was a son of the surgeon Timothy Hosmer ( born in 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut , 1820 ) . 1 +"On 23 September left Myles C. Fox "" Yokosuka and reached San Diego on 8 October ." """ Myles C. Fox "" reached Yokosuka on 23 September and departed San Diego on 8 October ." 0 +The Chinese family planning policy allows minorities , including Muslims , to have up to two children in rural areas and three to four children in urban areas . Chinese family planning policy allows minorities , including Muslims , to have up to two children in urban areas , and three to four children in rural areas . 0 +Then Hendrick attempted Tim Richmond to hire Dale Earnhardt , but not . Afterwards , Hendrick attempted to hire Dale Earnhardt , then Tim Richmond , but did not . 0 +It is bordered by Massapequa to the west and east , North Massapequa to the northwest , and South Farmingdale to the north . It is bordered to the west and east by Massapequa , to the northwest by South Farmingdale and to the north by northern Massapequa . 0 +"Phillips Brooks preached his first sermon at BHCC and his Christmas song "" O Little Town of Bethlehem "" had his last performance ." "At BHCC , Phillips Brooks preached his last sermon , and his Christmas carol "" O Little Town of Bethlehem "" had his first appearance ." 0 +The summer of 1893 spent the Czech composer Josef Jan Kovařík in Spillville , where his friend Antonín Dvořák had relatives . The Czech composer Antonín Dvořák spent the summer of 1893 in Spillville , where his friend Josef Jan Kovařík had relatives . 0 +Transcode disappeared very quickly but the EBCDIC and USASCII dialects of Bisync continued in use . The transcode continued very quickly , but the Bisync EBCDIC and USASCII dialects disappeared in use . 0 +In 1883 , the first schools in the area were built for 400 black students and 60 white students . In 1883 the first schools were built in the surroundings for 400 black and 60 white students . 1 +Marty 's mother Lillian learns of the affair and tries to persuade Pearl to break it off . Lillian 's mother , Marty , learns of the affair and tries to get Pearl to break off . 0 +It is found in New South Wales , Queensland and South Australia , where it has been recorded from Australia . It is found in Australia , where it was recorded from New South Wales , Queensland and South Australia . 0 +In 1996 , Migden ran a stop sign by the State Capitol and crashed into a 1990 Dodge Spirit sedan owned by Teresa Latham . In 1996 , Migden ran a stop sign through the State Capitol and crashed into a 1990 Dodge Spirit limousine owned by Teresa Latham . 1 +Due to Agha Mohammad Khan 's castration , his brother Hossein Qoli Khan was appointed as the new chieftain of the Qoyunlu instead . Due to the castration of Agha Mohammad Khan , his brother Hossein Qoli Khan was instead appointed the new Qoyunlu chief . 1 +The 1955 Los Angeles State Diablos football team represents Los Angeles State during the 1955 College Football season . The 1955 Los Angeles State Diablos football team represented Los Angeles State during the 1955 college football season . 1 +Benoni is also served by OR Tambo International Airport in Kempton Park and close to the airport . Benoni is also served by the Kempton Park in OR Tambo International Airport and close to the airport . 0 +In 1977 , US 1 was moved to Webster Avenue and the Alexander Hamilton Bridge , crossing the Harlem River using the Cross Bronx Expressway . In 1977 , the US 1 was transferred to Webster Avenue and the Cross Bronx Expressway , crossing the Harlem River via Alexander Hamilton Bridge . 0 +John Rzeznik is an ambassador of the Save the Music Foundation of VH1 , Robby Takac is the founder of Music is Art Foundation . John Rzeznik is an ambassador for VH1 's Save the Music Foundation . Robby Takac is the founder of the Music is Art Foundation . 1 +The airline transferred all operations from Don Mueang International Airport to Suvarnabhumi Airport effective from 1 October , 2012 . Effective October 1 , 2012 , the airline has moved all operations from Suvarnabhumi Airport to Don Mueang International Airport . 0 +The PidariAmman temple in Vavvaneri is situated closer to the hamlet , the same idol is PidariAmman with a small MariAmman idol placed in the main chamber . The PidariAmman Temple in Vavvaneri is located closer to the hamlet , the main idol is PidariAmman with a small MariAmman idol placed in the same chamber . 0 +In 2015 , municipal elections for Serampore Municipality Congress won 22 seats , CPI ( M ) 4 seats , Trinamool - Congress 1 seat and Independent 2 seats . In the 2015 , municipal elections for Serampore Municipality Congress won 22 seats , CPI ( M ) 4 seats , Trinamool Congress 1 seat and Independents 2 seats . 1 +The dynamic component is the total soil resistance minus the static component . The static component is the total resistance of the soil minus the dynamic component . 0 +He was born in July 1973 in Petroupoli ( Athens ) . He was born in Petroupoli ( Athens ) in July 1973 . 1 +Javier Moracho Torrente ( born August 18 , 1957 in Monzón , Huesca ) is a retired hurdler from Spain . Javier Moracho Torrente ( born August 18 , 1957 in Spain ) is a former hurdler from Monzón , Huesca . 0 +The government was led by George Forbes of the United Party , with Gordon Coates of Reform as finance minister . The government was led by George Forbes of the United Party , with Gordon Coates of Reform as Minister of Finance . 1 +2 . Andrea and Carter are immediately declared elected . Carter 's surplus is transferred so that the tallies become : 2 . Andrea and Carter are immediately declared elected , Carter 's surplus is transferred so that the accounts : 0 +Mayer married Damian Smith in January 2001 . In January of 2001 , Mayer married Damian Smith . 1 +In 1834 , after leaving the East India Company College , Frere was appointed a writer in the Mumbai ( today Bombay ) civil service . In 1834 , after the departure of the East India Company College , Frere was appointed Civil Service writer in Bombay ( now Mumbai ) . 0 +The 2007 Ballymore Cup is the eighth edition of the expanded Ballymore Cup and fourth if the pre- 2003 Metropolitan Cup is included . The 2007 Ballymore Cup is the fourth edition of the expanded Ballymore Cup and the eighth issue , if the Metropolitan Cup is included before 2003 . 0 +The river Valea Arsurii is a tributary of the Valea Mica river in Romania . The Valea Arsurii River is a tributary of the Valea Mică River in Romania . 1 +Six hours later , Corey returns but Corey does not , and Pierson claims not to know where Pierson is . Six hours later , Corey returns , but Pierson does not , and Corey claims not to know where is Pierson . 0 +Founded by George Dewey in 1899 , the town was named for Admiral Jacob A. Bartles . Founded in 1899 by Jacob A. Bartles , the town was named after Admiral George Dewey . 0 +In Stockholm he completed some of the paintings he had outlined on his Finnmark tour in 1832 . In Finnmark he completed some of the paintings he had outlined on his Stockholm tour in 1832 . 0 +Impressive essays by Dawkins ... , Marilynne Robinson and H. Allen Orr , set out to tell Terry Eagleton how false he is . Impressive essays by Dawkins ... , Marilynne Robinson and H. Allen Orr , set out to tell Terry Eagleton how wrong he is . 1 +The three inexperienced pilots were allowed to damage it , but they managed only to attack the bomber . The three inexperienced pilots were allowed to attack it , but they managed only to damage the bomber . 0 +The main projects under the IDGC Holding consolidated investment program for 2011 are as follows : The consolidated projects under the IDGC Holding 's main investment programme for 2011 are as follows : 0 +It is located to the north of Mount Ivy , east of Harriman State Park , north of Monsey and west of New Hempstead . It is north of New Hempstead to the east of Harriman State Park , north of Monsey and west of Mount Ivy . 0 +National Bolshevism ( Nazbol ) as a political movement combines elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . As a political movement , national Bolshevism ( Nazbol ) brings together elements of Russian nationalism ( especially radical nationalism ) and Bolshevism . 1 +The 86th Airlift Squadron is part of 309th Airlift Wing in Air Base Chièvres , Belgium . The 309th Airlift Squadron is part of the 86th Airlift Wing on the Air Base Chièvres , Belgium . 0 +It was the last edition in which the cyclists participated in national teams ; from 1969 on , commercial teams were used . It was the last edition in which cyclists participated in the national teams , and from 1969 commercial teams were used . 1 +In 1891 he became Professor of General and Analytical Chemistry and in 1903 a Professor of Inorganic Chemistry . He became professor of general and analytical chemistry in 1891 and professor of inorganic chemistry in 1903 . 1 +The mountain was named by Marie Henri Daniel Gauthier after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) . The mountain was named after the French navy officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 - 1835 ) , by Jules de Blosseville . 0 +Later , engineers who followed Interstate 85 constructed again much of this route from Petersburg , Virginia , to the state border in Georgia . Later , engineers who designed Interstate 85 followed much of this route again from Petersburg , Virginia , to roughly the Georgia state border . 0 +On 6 February 2014 , Spencer Machacek was traded by the penguins to the Columbus Blue Jackets in exchange for Thompson . On 6 February 2014 , Thompson was traded by the penguins for the Columbus Blue Jackets in exchange for Spencer Machacek . 0 +It was elected in 1977 and re-elected in April 1978 to the newly created Court of Appeals District 1 . In 1977 , he was re-elected and elected to the newly created Court of Appeals District 1 in April 1978 . 0 +"In the 2015 documentary film "" The Gettysburg Address "" , Ed Asner is portrayed by actor Edward Everett ." "Edward Everett is portrayed by the actor Ed Asner in the documentary "" The Gettysburg Address "" from 2015 ." 0 +This painting expresses the personal tragedy of Paul Moran and the loss of his cameraman Eric Campbell , who was the first Australian to die in the war in Iraq . This painting expresses the personal tragedy of Eric Campbell and the loss of his cameraman , Paul Moran , who was the first Australian to die in the war in Iraq . 0 +However , at this point Lewis returned to the attack and dismissed Lamb for 31 and the next batsman , Akram for 0 . At this point , however , Lewis returned to the attack and dismissed Lamb for 31 and the next stickman , Akram for 0 . 1 +From 1908 to 1912 , Spencer studied with Henry Tonks and others at the Slade School of Fine Art in London . From 1908 to 1912 , Spencer studied at the Slade School of Fine Art in London , under Henry Tonks and others . 0 +Of the three loco counters in the Western Railway Zone are others Ratlam and Sabarmati . Of the three loco sheds in the Western Railway zone , others are Ratlam and Sabarmati . 1 +Mercy Lewis was the child of Philip Lewis and Mary ( Cass ) Lewis , formally known as Mercy Allen . Mercy Allen , formally known as Mercy Lewis , was the child of Philip Lewis and Mary ( Cass ) Lewis . 0 +He was sent to Yangon , Myanmar ( now Thailand ) for further studies and then taught in Rangoon , Burma . He was sent to Rangoon , Burma ( today Yangon , Myanmar ) and taught in Thailand for further study . 0 +Ringwood is located in the 5th Congressional District and is part of the 39th New Jersey State Legislative District . Ringwood is located on the 39th Congressional District and is part of the 5th State Legislative District in New Jersey . 0 +Syed Zainuddin was married to the Ummatullah - daughter of Qazi Ghulam Murtaza of Tijara . Syed Zainuddin was married to Ummatullah daughter of Qazi Ghulam Murtaza of Tijara . 1 +The company is one of the oldest still active German companies , founded in 1880 by the Brazilian brothers Bruno and Hermann Hering . The company is one of the oldest Brazilian companies still in activity , founded by German brothers Bruno and Hermann Hering , in 1880 . 0 +The Penser Joch ( ; ) ( 2211 m ) is a high mountain pass in Jaufenpass , northern Italy , close to the South Tyrol . The Penser Joch ( ; ) ( 2211 m ) is a high mountain pass in Jaufenpass , northern Italy , near the South Tyrol . 1 +The 1954 -- 55 National Basketball Association season was the ninth season of the NBA . The NBA season from 1954 to 55 was the ninth season of the National Basketball Association . 1 +Westman was the son of the postmaster Carl Johan Westman and Tonny Westman . Karl Gustaf Westman was the son of the postmaster Carl Johan Westman and Tonny ( Andersson ) Westman . 1 +"The finished product has been marketed in Europe and Australia as "" UFO : Enemy Unknown "" and in North America as "" X-COM : UFO Defense "" ." "The final product was marketed in North America as "" UFO : Enemy Unknown "" and in Europe and Australia as "" X-COM : UFO Defense "" ." 0 +Riverton was a parliamentary election in the Southland of New Zealand region . Riverton was a parliamentary electorate in the region of New Zealand in Southland . 0 +Rituximab has approved , and in April 2011 been investigated by the FDA , when used in combination with glucocorticoids in adult patients . Rituximab was investigated and approved by the FDA in April 2011 when it has been applied in combination with glucocorticoids in adult patients . 0 +"Alex Proyas ' "" The Crow "" ( 1994 ) established the first independent comics superhero film that became a franchise ." """ The Crow "" by Alex Proyas ( 1994 ) became the first independent comic - superhero - film that established a franchise ." 0 +The final easily won John Davies , but Odložil managed to get silver before Peter Snell . John Davies easily won the final , but Odložil managed to get silver ahead of Peter Snell . 1 +Archbishop Robert von Esztergom therefore excommunicated the Kingdom of Hungary under an interdict on 25 February 1232 and imposed some high dignitaries of the king . Archbishop Robert von Esztergom therefore set the kingdom of Hungary under an interdict on 25 February 1232 and excommunicated some high dignitaries of the king . 0 +Mode 9 was born on 14 June 1975 as the third child of his parents in the state of Osun , but claims ( London ) as his origin . Fashion 9 was born on June 14 , 1975 in London as the third child of his parents , but claimed ( Osun State ) as his origin . 0 +Tom Watson was originally set to defend his Middleweight Championship against Frank Trigg . Originally , Frank Trigg was hired to defend his middleweight championship against Tom Watson . 0 +The Turkish Turks speak the Macedonian language and , secondly , Albanian in the west and Macedonian to the east . Turkish Turks speak the Macedonian language and secondly Albanian in the west and Macedonian in the east . 1 +In the long run , his lodge won -- his reservations were incorporated into the United Nations in 1945 , where the US had a veto . Lodge had a long run -- his reservations were incorporated into the United Nations in 1945 , where the U.S. won a veto . 0 +Coffee Creek is a tributary of the Brokenstraw Creek at Warren County , Pennsylvania , in the United States . Brokenstraw Creek is a tributary of Coffee Creek at Warren County , Pennsylvania in the United States . 0 +H02 is a regional road ( H-Highway ) in Ternopil . It runs west-east and connects Lviv Oblast and Ternopil Oblast , Ukraine with Lviv . H02 is a regional road ( H-Highway ) in Lviv - Oblast and Ternopil - Oblast , Ukraine . It runs West - East and connects Ternopil with Lviv . 0 +The U.S. Route 81 has eight special routes , three in North Dakota , one in Oklahoma , two in Kansas , and two in Texas . The U.S. Route 81 has eight special routes : three in Texas , one in Oklahoma , two in Kansas and two in North Dakota . 0 +It is a municipality located in the western part of the department of Montenegro , Colombia , 10 km west of the district capital Armenia . Montenegro is a municipality located in the western part of the Quindío department , Colombia , 10 km west of the district capital of Armenia . 0 +Wilson was the only VC recipient during the Italian invasion of British East Africa ; only six other VCs were awarded for operations in Somalia . Wilson was the only recipient of VC during the Italian invasion of British Somalia , only six other VCs were awarded for operations in East Africa . 0 +The season of the Istanbul football - Cup 1943 was the second season of the cup , Galatasaray won the cup for the second time . The 1943 Istanbul Football Cup season was the single season of the cup . Galatasaray won the cup for the second time . The tournament was second-elimination . 0 +Professor Gilbert was survived by his wife Ingrid , whom he married in 1967 , and his daughters Michelle and Fiona . Professor Gilbert was survived by his wife Fiona , whom he married in 1967 , and whose daughters Michelle and Ingrid survived . 0 +The biggest loser title was won by Sven from Hamburg , who shared the prize with his teammate Heino , who became the third . The biggest loser title was won by Sven from Hamburg who shared the prize with his teammate Heino , who finished third . 1 +In Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) , new exhibitions are planned . New exhibitions are planned in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . 1 +The localized versions of subsequent games use instead the current designation convention . The following versions of localized games use instead the current naming convention . 0 +She left the Pacific in 1946 , and steamed via the Suez Canal to Norfolk , Virginia . She left the Pacific in 1946 and steamed over the Suez Canal to Norfolk , Virginia . 1 +Youngest player to reach 57 points in a game : ( 57 points , New York Knicks at San Francisco Warriors ) . Youngest player to score 57 points in a game : ( 57 points , San Francisco Warriors at New York Knicks , ) 0 +It is located on-campus in Greenwich Village in New York City on West 11th Street off 6th Avenue . It is located in Greenwich Village in New York City , West - 11th Street on 6th Avenue . 1 +In addition to her own dowry , Katherine brought her new husband the station of her daughter , Cecily , who had six children , together with William Hastings and Katherine : In addition to her own dowry , Katherine brought the wardship of her daughter Cecily to her new husband . Together William Hastings and Katherine had six children : 1 +The 2015 -- 16 Barangay Ginebra San Miguel season is the 37th season of the franchise in the Philippine Basketball Association ( PBA ) . The 2015 season -- 16 Barangay Ginebra San Miguel is the 37th season of the franchise at the Philippine Basketball Association ( PBA ) . 1 +On 7 September 2011 , the Blue House officially scrapped plans for a rich tax deduction , marking the fundamental end of Mbnomics . On September 7 , 2011 , the Blue House officially scrapped plans for a basic tax deduction , marking the rich end of Mbnomics . 0 +The sixth studio album was released on February 24 , 2010 in Japan , on March 2 , Canada , in Europe on March 3 , and on April 6 in North America . Kalmah 's sixth studio album was released in Europe on 24 February 2010 , Japan on 2 March , North America on 3 March and Canada on 6 April . 0 +There are seven picnic areas and several have covered pavilions , the largest of which can be reserved for up to 100 people . There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 people and can be reserved . 1 +In 2002 ( Dehli ) , he won Bronze in the commonwealth games Shot put and in 2010 ( Manchester ) , bronze in the discus throw . In 2002 ( Dehli ) he won bronze in the Commonwealth Games Ballstrikes and in 2010 ( Manchester ) , bronze in the discus . 0 +The square was opened on 2 July 2013 by President Choummaly Sayasone and Laotian President Alexander Lukashenko during a ceremony at the square . The Square was opened by President Choummaly Sayasone and Lao President Alexander Lukashenko on July 2 , 2013 , during a ceremony on the square . 1 +The local intradermal injection of botulinum toxin is helpful in chronic focal painful neuropathies . Local intradermal injection of botulinum toxin is helpful and chronic painful in focal neuropathies . 0 +In 1880 , the western half of Kill Creek Township became Mount Ayr Township . In 1880 the western half of the Kill Creek Township Mount Ayr Township became . 0 +On 33 occasions , Ukrainian troops opened fire on pro-Russian positions , killing a civilian and two policemen , and wounding three Ukrainian soldiers . On 33 occasions , pro-Russian troops opened fire in Ukrainian positions , killing one civilian , two policemen , and wounding three Ukrainian soldiers . 0 +Kenny enters the house and frees Jody as Brent fights with Marliston , who manages to brutally kill him . Kenny enters the house and fights Jody as Brent with Marliston , who manages to kill him brutally . 0 +Serena Williams and Venus Williams won 5 : 7 , 6 : 2 , 6 : 2 against Alexandra Fusai and Nathalie Tauziat in the final . Alexandra Fusai and Nathalie Tauziat won 5 : 7 , 6 : 2 , 6 : 2 against Serena Williams and Venus Williams in the final . 0 +It was completed when the section from Amersfoort to Zutphen was opened . It was opened when the section from Amersfoort to Zutphen was completed . 0 +Her father , Democrat Calvin L. Rampton , served in the Utah State Senate and was unsuccessful in 1964 for the governor of Utah against Mitchell Melich . Her father , Mitchell Melich , served in the Utah State Senate and ran unsuccessfully for governor of Utah in 1964 against the Democrat Calvin L. Rampton . 0 +"Dresses for special occasions were made of striped silk with winged sleeves with a short "" Taqsireh "" jacket , known as Bethlehem jacket ." "Dresses for special occasions were made of striped silk with winged sleeves with a short "" taqsireh "" jacket known as the Bethlehem jacket ." 1 +The number of aircraft operated by the 939th was increased simultaneously by the transfer of KC-135 from the 507th and 137th air refueling wings . The number of aircraft operated by the 507th and 137th was simultaneously increased by the transfer of KC-135s from the 939th Air Refueling Wing . 0 +Cankar was also famous for his essays , most of which were published between 1907 and 1913 , where he showed great mastery and stylistic irony . Cankar was also famous for his papers , most of which were published between 1907 and 1913 , where he showed great championship and stylistic irony . 1 +However , Griese was temporarily injured in the season and later relieved of Grossman . However , Grossman was later injured in the season and temporarily relieved of Griese . 0 +1 January 2012 the district population was 89,500 of which 22.8 % urban and 77.2 % rural population . On 1 January 2012 , the district population was 89,500 , of which 22.8 % were urban and 77.2 % rural population . 1 +On 1 July 2004 a Police Authority for the British Transport Police was created . A police authority for the British transport police was established on 1 July 2004 . 1 +The Pearl River is actually two alluvial deltas , which are separated by the core branch of the Pearl River Delta . The Pearl River Delta is actually two alluvial deltas , separated by the core branch of the Pearl River . 0 +The standards for 2005 were adopted by the California Energy Commission on 5 November 2003 and approved by the Building Standards Commission on July 21 , 2004 . The 2005 Standards were approved by the California Energy Commission on November 5 , 2003 , and adopted by the Building Standards Commission on July 21 , 2004 . 0 +The United States Postal Service operates the Bell Post Office in 6327 Otis Avenue and the Bandini Station Post Office in 5555 Bandini Boulevard . The United States Postal Service operates the Bell Post Office at the 6327 Otis Avenue and the Bandini Boulevard Post Office at 5555 Bandini Station . 0 +Statistically speaking , Halifax is the 204th largest community in the Commonwealth in terms of population , and 186th in terms of population density . Statistically , Halifax is the Commonwealth 's 204th largest community in terms of population and 186th in terms of population density . 1 +TS can be measured theoretically for numerical targets such as spheres and cylinders , but in practice , it is usually calculated empirically or derived with simple models . Theoretically , TS can be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numeric models . 0 +In 2009 , it was won by Australian Ryoichi Sekiya , the world champion of the 24-hour race in 2008 , and in 2008 by Martin Fryer . In 2009 , it was won by Australian Martin Fryer , the world champion of the 24-hour race in 2008 , and in 2008 by Ryoichi Sekiya . 0 +Her works were widely printed in the photographic press and published in the 1950s in book form through the Swiss publisher La Guilde du Livre . Her work was widely printed in the photographic press , and was published in book form through the Swiss publisher La Guilde du Livre in the 1950s . 1 +"She was "" one of the most important patients of Sigmund Freud and for a short time around 1897 herself became a psychoanalyst "" ." "She was "" one of Sigmund Freud 's most important patients and , for a short period of time around 1897 , became a psychoanalyst herself "" ." 1 +"In 1887 , she played the part of Victorien Sardou , the court composer , in the first staging of Giovanni Paisiello 's drama "" La Tosca "" ." "In 1887 she played the role of court composer Giovanni Paisiello in the first staging of Victorien Sardou Drama "" La Tosca "" ." 0 +Giedraitis is a Polish family name , the Lithuanian language version is Giedroyć . Giedraitis is a Polish language family name . The Lithuanian-language version is Giedroyć . 1 +"He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" , with the first mention mistakenly calling his father James Hinton ." "He is mentioned twice in Aleister Crowley 's novel "" Moonchild "" . The first mention mistakenly names his father , James Hinton ." 1 +Alison Teresa Thiessen ( born October 19 , 1992 in Edmonton , Alberta as Alison Kotylak ) is a Canadian curler . Alison Teresa Thiessen ( born October 19 , 1992 in Edmonton , Alberta as Alison Kotylak ) is a Canadian lock wrapper . 1 +Epigenomics is a molecular diagnostics company headquartered in Seattle , WA with a wholly owned subsidiary , Epigenomics Inc. based in Berlin , Germany . Epigenomics is a molecular diagnostics company headquartered in Seattle , WA , with a wholly owned subsidiary , Epigenomics Inc. , based in Berlin . 1 +Nigel Randell Evans was the oldest son of Air Chief Marshal Sir Donald Randell Evans ( 1912-1975 ) and Pauline Evans . Donald Randell Evans was the eldest son of Air Chief Marshal Sir Pauline Evans ( 1912-1975 ) and Nigel Randell Evans . 0 +Shiva wanted to see God , but Sati was in the dark that Rama was a manifestation of Rama . Shiva wanted to see Rama , but Sati in the dark was that Rama was a manifestation of God . 0 +They are used in applications as contrast agents for fluorescent imaging , as particles for flow tracking , or as biological carriers . They are used in applications as contrasting agents for fluorescent imaging , as particles for flow tracking or as biological carriers . 1 +Counties include : St. Joseph , LaPorte , Marshall , Elkhart and Strong Counties in Indiana and Berrien and Cass Counties in Lower Michigan . Counties include : St. Joseph , LaPorte , Marshall , Elkhart and Starke counties in Indiana , and Berrien and Cass counties in Lower Michigan . 1 +William Henry Brewer and his fellow geologist , Charles F. Hoffmann , did not know it already had a name , and climbed and named it Mt . Charles Charles F. Hoffmann and his geologist colleague William Henry Brewer did not know that it had already had a name , and climbed and named it Mt . 0 +"Johann Dominik Bossi ( 1767 -- 1853 ) , also known as the Domenico Bossi "" , was an Italian painter ." "Domenico Bossi ( 1767 -- 1853 ) , also known as "" John Dominik Bossi "" , was an Italian painter ." 1 +The film is written and staged by Emmy Winner , Matt Drummond and produced by Jason Moody and Megan Williams co-produced . The film is written and directed by Emmy Winner , Matt Drummond and co-produced by Jason Moody and Megan Williams . 0 +The Suceviţa River is a tributary of the Voievodeasa River in Romania . The river Suceviţa is a tributary of the Voievodeasa River in Romania . 1 +It generally flows northwest , through the Siuslaw National Forest and enters the Pacific City on the Pacific coast near Nestucca Bay . It generally flows northwest through the Siuslaw National Forest and enters the Nestucca Bay on the Pacific near Pacific City . 0 +Martina Hingis defeated Jana NovotnÃÃ , 2 -- 6 , 6 -- 3 , 6 -- 3 . Jana Novotná defeated Martina Hingis , 2 -- 6 , 6 -- 3 , 6 -- 3 . 0 +After Eldred G. Smith died , Hortense married Robert Child in 1977 . In 1977 , after Robert Child had died , Hortense married Eldred G. Smith . 0 +Kirk Deighton is served by route 780 , Knaresborough to Wetherby , and route X70 , Kirk Deighton to Harrogate via Wetherby and Spofforth . Kirk Deighton is served by Route 780 , Knaresborough to Wetherby , and Route X70 , Kirk Deighton to Harrogate through Wetherby and Spofforth . 1 +The family contains a large number of Unicase characters , such as swashes and alternate signs . The family contains a large number of unicase characters , such as swashes and alternate characters . 1 +The first cooperative shop in Wales was established in Bridge Road in 1860 in Cwmbach , which was demolished in 1977 . In Cwmbach , the first Cooperative society shop in Wales was established in 1860 in Bridge Road . The building was demolished in 1977 . 1 +The region was the cradle of various ancient civilizations , such as ancient China , old Japan , ancient Korea , and the Mongolian Empire . The region was the cradle of various ancient civilizations such as Ancient China , ancient Japan , ancient Korea , and the Mongol Empire . 1 +Xmonad is a dynamic window manager ( tiling ) for the X Window System that is written in the Haskell functional programming language . Xmonad is a dynamic window manager ( tiling ) for the X Window System , written in the functional programming language Haskell . 1 +On Monday , 4 April 2016 , route 4 from Wimbledon to Therapia Lane was extended . On Monday 4 April 2016 , route 4 was extended from Wimbledon to Therapia Lane . 1 +Younessi has one child a son named Dariyan Rodin Younessi who started his racing career at the age of four with Karting . Dariyan Rodin Younessi has a child , a son called Younessi , who started his racing career with Karting at the age of four . 0 +The culture fee , in the case of an ampoule , for commercial organizations is 10,800 Japanese yen , and the fee for non-profit organizations is 5,400 Japanese yen . The culture fee , in case of an ampoule , for commercial organizations is 10800 Japanese yen and the fee for non-profit organizations is 5400 Japanese yen . 1 +China is allowed the most imports while the experienced Japanese teams are allowed the fewest . The fewest imports are allowed in China , while the experienced Japanese teams are allowed the most . 0 +He also worked as a translator for national media journalists and a Swedish newspaper . He also worked as translator for Swedish media journalists and a national newspaper . 0 +North of South Huntington , NY 110 enters an at-grade crossing with NY 25 ( West Jericho Turnpike ) in the hamlet of Walt Whitman Shops . Just north of Walt Whitman Shops , NY 110 enters an at-grade intersection with NY 25 ( West Jericho Turnpike ) in the hamlet of South Huntington . 0 +In the semi-finals the teams in first place in the pools play the second place teams from the other pool . In the semi-finals , the teams play second in the pools , the first place teams from the other swimming pool . 0 +Amon Düül and Amon Düül II influenced such bands in late 70 's like Hungarian psychedelic hardcore , 'shaman punk ' band Galloping Coroners . Amon Düül and Amon Düül II influenced Hungarian psychedelic bands like such hardcore , 'apos ; Shaman Punk ' ; band Galloping Coroners in the late 70 's . 0 +"Kamal Haasan of "" Rediff "" gave 3 out of 5 stars and stated , "" Vishwaroopam "" undoubtedly rests on Radhika Rajamani , who is brilliant . """ "Radhika Rajamani of "" Rediff "" gave 3 out of 5 stars and stated "" Vishwaroopam "" is undoubtedly based on Kamal Haasan , who is brilliant ." 0 +OFA statistics suggest that yellow and black Labradors are registered in very similar numbers ( yellow slightly more than black ) ; chocolate in lesser numbers . OFA - Statistics indicate that yellow and black labradors are registered in very similar numbers ( yellow slightly more than black ) , chocolate in smaller numbers . 1 +The FCC Willimantic ordered the frequency in early 1972 , making 98.3 the only FM in Windham County . In early 1972 , the FCC ordered the frequency to Windham County , making 98.3 the only FM in Willimantic . 0 +Under Phil Testa , and later Nicky Scarfo , Frank served . Under Frank and later Nicky Scarfo served Phil Testa . 0 +In the same year , he was appointed General Vicar for the Quebec region of the Diocese of Mississippi and Illinois . In the same year , he was appointed General Vicar for the Mississippi and Illinois region of Quebec Diocese . 0 +In 1016 , the Serbian prince Ivan Vladislav was murdered in Prespa , ordered by Jovan Vladimir . In 1016 the Serbian prince Jovan Vladimir was murdered in Prespa by order of Ivan Vladislav . 0 +Kalithozhan is an Indian Malayalam film from 1966 , directed by M. Krishnan Nair and produced by AV Subbarao . Kalithozhan is a 1966 Indian Malayalam film , directed by M. Krishnan Nair and produced by AV Subbarao . 1 +It is licensed and published in North America by Blu on 8 May 2007 , and is licensed by Sharp Point Press in Taiwan . It is licensed and published in Taiwan by Blu on May 8 , 2007 , and is licensed by Sharp Point Press in North America . 0 +"She became the founder of the Inner Healing Movement and was author of "" The Healing Light "" ." "She was the founder of the Inner Healing Movement and became author of "" The Healing Light "" ." 0 +They could have been relatives , instead members of a family tied by blood to serve Dracula . They could have been relatives instead , perhaps members of a family connected by blood to serve Dracula . 0 +From 1898 to 1902 , about 1,300 birds were imported from America and released from Southland to Northland in many parts of the North and South Islands . From 1898 to 1902 , around 1,300 birds were imported from America and released in many parts of the North and South Islands , from Northland to Southland . 0 +Egremont is south-southwest of Pittsfield , west of Albany , New York , west of Boston , and southeast of Springfield . Egremont is south west of Pittsfield , west of Springfield , west of Boston and southeast of Albany , New York . 0 +Anabel Medina Garrigues and Virginia Ruano Pascual won in the final 6 -- 2 , 6 -- 4 , against Eleni Daniilidou and Jasmin Wöhr . Anabel Medina Garrigues and Virginia Ruano Pascual won against Eleni Daniilidou and Jasmin Wöhr in the Final 6 : 2 , 6 : 4 . 1 +Sheffield Wednesday signed Kevin Pressman from Huddersfield Town on July 12 , 2002 with a free transfer to backup Evans . Sheffield Wednesday signed Evans from Huddersfield Town on July 12 , 2002 as a backup to Kevin Pressman . 0 +"Adele was accused of plagiarizing the melody of "" Million Years Ago "" from singer Ahmet Kaya 's 1985 song "" Acilara Tutunmak "" ." "Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" by singer Adele in 1985 ." 0 +In 1813 , when Justice John Tyler died , Tyler inherited Greenway at the age of 23 . In 1813 , when Justice Tyler died , John Tyler inherited Greenway at the age of 23 . 0 +Most of the incidents occurred at Donetsk Airport , Yasinuvata , Oleksandrivka , Kruta Balka and Spartak . Most incidents occurred at Spartak , Yasinuvata , Oleksandrivka , Kruta Balka and Donetsk airport . 0 +The inauguration was organized jointly by the Presidential Transition Cooperation Team of outgoing President Corazon Aquino and the transition team of the coming President Ramos . The Inauguration was organized jointly by the Presidential Transition Cooperation Team of incoming President Corazon Aquino and the Transition Team of outgoing President Ramos . 0 +After 2015 season Seoul FC Martyrs joined the league , but three new teams Buyeo FC , Siheung Citizen , and Yangpyeong FC left it . After 2015 season Seoul FC Martyrs joined the league , but three new teams Buyeo FC , Siheung Citizen and Yangpyeong FC left them . 1 +In 1776 , the Salem Militia used Charlotte County and White Creek as its bases . The Charlotte County and White Creek militia used Salem as its base in 1776 . 0 +The former was brought together in 1994 with another Piedmontese bank Cassa di Risparmio di Biella . The former was merged with another Piedmontese bank Cassa di Risparmio di Biella in 1994 . 1 +In the 1990s , Schwartz worked in the adult film industry in numerous administrative roles , and behind the scenes in minor , non-sexual roles . In the 1990s , Schwartz worked in smaller , non-sexual roles in the adult film industry and in numerous administrative roles behind the scenes . 0 +It was formed by Astrid M. , Robert N. and Olaf K. in 1998 . It was founded in 1998 by Astrid M. , Robert N. and Olaf K.. 1 +The car was sold with various names in different markets . The car was sold with different names in various markets . 1 +The Basque players , either for the Spanish or French teams , dominate international competitions . Basque players , playing for either the Spanish or the French teams , dominate international competitions . 1 +Although its conjugate acid is highly reactive , peroxynitrite is basic in stable solutions . Although its conjugatic acid is highly reactive , peroxynitrite is basic in stable solutions . 1 +The four women of Mundal Ji had named Khemi , Toli , Thukri , and Santokhi a son called Seuram Ji and a daughter . The four wives of Mundal Ji named Khemi , Toli , Thukri and Santokhi had a son Seuram Ji and a daughter . 0 +The song was written by Powderfinger – lead singer Bernard Fanning and influenced by bassist John Collins . The song was written by Powderfinger lead singer Bernard Fanning , and influenced by bassist John Collins . 1 +"Koca ( a Turkish word for "" great "" or "" large "" ) may refer to :" "Koca ( a Turkish word meaning "" great "" or "" large "" ) may refer to :" 1 +It connects Yeongju in the north - Gyeongsang - province with Gangneung in the Gangwon province . It connects Yeongju in North Gyeongsang Province with Gangneung in Gangwon Province . 1 +But as he tries to burn it , Arrietty and Peagreen recover the will , determined to save the house for the lenders and the clocks . But as he tries to recover it , Arrietty and Peagreen burn the will , determined to save the house for both the Lenders and the Clocks . 0 +Irregular menstruation is a vaginal disorder whose manifestations include menstrual cycle lengths as well as metrorrhagia ( irregular bleeding between expected periods ) . Irregular menstruation is a vaginal disorder whose manifestations contain menstrual cycle lengths as well as metrorragia ( irregular bleeding between expected periods ) . 1 +He is a member of the IEEE , the ACM , the AAAS and EATCS . He is a fellow of the IEEE , the ACM , the AAAS , and EATCS . 1 +Arabic Supplement is a Unicode block that encodes Arabic letter variants used for writing non-Arabic languages , including languages of Pakistan and Africa , and old Persian . Supplement is a Unicode block that encodes Arabic letter variants used for writing non-Arabic languages , including the languages of Pakistan and Africa and old Persian . 1 +"His meeting with Naresh Fernandes is documented in the book "" Taj-Mahal Foxtrot "" by Dave Brubeck from 2011 ." "His meeting with Dave Brubeck is documented in the book "" Taj-Mahal Foxtrot "" by Naresh Fernandes in 2011 ." 0 +Riverside is located in the 3rd Congressional District and is part of the 7th State Legislative District of New Jersey . Riverside is located in the 7th Congressional District and is part of New Jersey 's 3rd state legislative district . 0 +Defeated Jimmy Arias with Andre Andre Agassi 6 -- 2 , 6 -- 2 Jimmy Arias defeated Andre Agassi by 6 -- 2 , 6 -- 2 . 0 +Speakers included many pioneers of the interactive immersive media space , including David A. Smith , Graham Smith , and Sara Diamond , the optical holographic artist Michael Page . Speakers included many pioneers of the optical media space , including David A. Smith , Graham Smith , Sara Diamond , interactive immersive holography artist Michael Page . 0 +It was written by Jim Aparo and Mike DeCarlo and is drawn by Jim Starlin . It was written by Jim Starlin and drawn by Jim Aparo and Mike DeCarlo . 0 +Dean wrote a story and a song for the cat , and the two began a partnership , although the collaboration between Litwin and Litwin ended in 2012 . Dean wrote a story about and a song for the cat , and the two began a partnership , although the collaboration between Litwin and Litwin ended in 2012 . 1 +""" Gynacantha rosenbergi "" is larger than "" Gynacantha dobsoni "" , which seems quite similar in many ways ." """ Gynacantha rosenbergi "" appears greater than "" Gynacantha dobsoni "" , which is quite similar in many ways ." 0 +Data Definition Facility provides a persistent for semantic artifacts such as collections and indexes in XQuery or JSONiq programs . The Data Definition Facility provides a persistent function for semantic artefacts such as collections and indexes in XQuery or JSONiq programs . 1 +His books are often seen as dystopian fiction and social science fiction , although they are not classified as political fiction . Thus his books are often classified as political fiction and social science fiction , although they are not seen as dystopian fiction . 0 +Elena Dementieva won in the final 6 -- 3 , 6 -- 2 , against Alisa Kleybanova . Alisa Kleybanova won 6 -- 3 , 6 -- 2 against Elena Dementieva in the finals . 0 +He attended 2011 training camp with the NHL 's Carolina Hurricanes , but was sent to Florida , then to Charlotte , for training camps . He attended training camps with the NHL Carolina Hurricanes in 2011 , but was sent to Charlotte , then to Florida for training camps . 0 +When Arnold arrived on the scene , Samuel Herrick had already been sent to Skenesboro and Asa Douglas to Panton with detachments to secure boats . When Samuel Herrick arrived in the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with sections to secure boats . 0 +About 90 % of all tobacco produced in Canada is grown here . About 90 % of the tobacco produced in Canada is grown here . 1 +Dorothy Kate Richmond , Frances Hodgkins and Gwen Knight were a contemporary of Stewart . Stewart was a contemporary of Dorothy Kate Richmond , Frances Hodgkins , and Gwen Knight . 0 +Rustem Igor Gamow was born to the famous cosmologist and physicist George Gamow and the ballet dancer Rho Gamow . Rustem Igor Gamow was born to George Gamow , the celebrated cosmologist and physicist , and ballet dancer Rho Gamow . 1 +Back in Gotham , Bruce Wayne ( Batman ) and Dick investigate Barbara 's kidnapping and learn that Belson is also missing . Batman ( Bruce Wayne ) and Belson investigate the kidnapping of Dick back in Gotham and learn that Barbara is also missing . 0 +In the circulated materials such as the Red Bus Airplay calculation , Gold Label Entertainment is still referred to as EMI . In the circulated materials , such as the Red Bus Airplay calculation , EMI is still referred to as Gold Label Entertainment . 0 +On 2 February 2009 , the Brazilian striker terminated his contract with Sochaux in agreement with the French team . On 2 February 2009 the Brazilian striker has terminated his contract with Sochaux in agreement with the French team . 1 +Adventures Of Cow is a picture book series for children from 2005 by Lori Korchek and illustrated by Marshall Taylor . Adventures Of Cow is a picture book series from 2005 by Marshall Taylor and illustrated by Lori Korchek . 0 +Swingley from Norway and Swingley from Norway began to travel together and in 2000 was Andersen 's dog leader after meeting at a Montana Convention . Andersen from Norway and Swingley from Norway began to travel together . Swingley was Andersen 's dog handler in 2000 , after meeting at a Montana convention . 0 +He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and attended the High School for Reception Arts in Minneapolis , Minnesota . Chrishan was born in Toledo , Ohio and grew up in Minneapolis , Minnesota . He attended High School for Recording Arts in St. Paul , Minnesota . 0 +It is located in Shawnee Township and is adjacent to Duchouquet Township in Allen County . It is located in Duchouquet Township and adjacent to Shawnee Township in Allen County . 0 +During the late 1920s , Merzbach worked in Germany before returning to Sweden . During the late twenties , Merzbach worked in Sweden before returning to Germany . 0 +Alberto Mancini won against Andre Agassi in the final 6 -- 3 , 4 -- 6 , 2 -- 6 , 7 -- 6 , 6 -- 1 . Alberto Mancini won in the final 6 -- 3 , 4 -- 6 , 2 -- 6 , 7 -- 6 , 6 -- 1 against Andre Agassi . 1 +It was freely climbed and named after Bill House , when it first climbed in 1938 . It was free climbed and named after Bill House , when he first climbed it in 1938 . 1 +The music was composed by Vayalar Ramavarma and lyrics was written by Salil Chowdhary and Shantha P. Nair . The music was composed by Salil Chowdhary and Shantha P. Nair and the lyrics by Vayalar Ramavarma were written . 0 +The Muggins Mountains is a mountain range in the southwest of Arizona east of Yuma , Arizona , northeast of Gila Mountains and east of the Laguna Mountains . The Muggins Mountains is a mountain range in southwest Arizona east of Yuma , Arizona , northeast of the Gila Mountains , and east of the Laguna Mountains . 1 +Allie is well known for writing dark comedies with strong Scottish themes , Murray Murray 's first drama . Allie is known for writing dark comedies incorporating strong Scottish themes , with Murray being Murray 's first drama . 1 +Painter is probably notorious for a famous rivalry with Taylor . Painter is also probably famous for a notorious competition with Taylor . 0 +The national symbols of Estonia are flags , coats of arms , icons or cultural expressions that are emblematic , representative or otherwise characteristic of Estonia or Estonian culture . The national symbols of Estonia are flags , coat of arms , icons or emblematic , representative expressions that are cultural or otherwise characteristic of Estonia or Estonian culture . 0 +Victor is approximately 10 miles north-east of Bloomington and 8 miles south-east of Harrodsburg at the junction of W. Milton Road and S. Victor Pike . is approximately 10 miles southeast of Bloomington and 8 miles northeast of Harrodsburg at the crossing of W. Milton Road and S. Victor Pike . 0 +In Australia , Narara Valley High School in New South Wales and Nossal High School in Victoria taught the course in her 2012 school year . In New South Wales , Narara Valley High School in Australia and Nossal High School in Victoria , the course was taught in their 2012 school year . 0 +Looker spent 2000 training camp with the Rams before being traded to the New England Patriots on August 7 . In 2000 , Looker spent a training camp with the Rams before being traded on 7 August with the New England Patriots . 1 +The NBA season of 1975 -- 76 was the 30th season of the National Basketball Association . The 1975 -- 76 NBA season was the 30th season of the National Basketball Association . 1 +Then Chip Reese starts his match with Beal . Beal then starts his match with Chip Reese . 0 +Somanath is a village in the Palghar district of Maharashtra , India . It is located in the Dahanu taluka . Somanath is a village in the Palghar district of Maharashtra , India . It is situated in Dahanu Taluka . 1 +Oscar Bonavena met Ellis in the second round of the tournament . In the second round of the tournament , Ellis Oscar Bonavena appeared . 0 +The scene in which Eminem jumps from a cliff and dives , was done at Greenpoint Warehouse , in Brooklyn with Lee and video producer Justin Diener . The scene in which Eminem jumps and dives from a cliff was made at the Greenpoint Warehouse in Brooklyn with Lee and the video producer Justin Diener . 1 +Moses Hart ( November 26 , 1768 -- October 15 , 1852 ) was a Canadian businessman and seigneur , the eldest son of Aaron Hart . Aaron Hart ( November 26 , 1768 - October 15 , 1852 ) was a Canadian businessman and seigneur , eldest son of Moses Hart . 0 +He won a third term in office in 1994 , and in 1996 a second term with 63 % of the popular vote . He won a second term in 1994 and a third term in 1996 with 63 % of the vote . 0 +Alander Mountain and the southern embankment of the western Taconic Mountains lie along the western border of Columbia County , New York , on the Mount Washington line . Alander Mountain and the western escarpment of the southern Taconic Mountains lie along the western border of Mount Washington at the Columbia County , New York line . 0 +The original edition was published by in 1953 in London by Allen & Unwin and in New York by Harper . The original edition was published by Allen Unwin in London and Harper in New York in 1953 . 0 +The Mino was the smallest of all camcorders , slightly wider than a MiniDV cassette and smaller than most smartphones on the market . The Mino was the smallest of all camcorders , slightly broader than a MiniDV cassette and smaller than most smartphones on the market . 1 +The event attracts tourists and participants from all areas of Oregon Coast , Washington and California . The event attracts tourists and participants from all areas of the California coast , Washington and Oregon . 0 +It was opened when the Amersfoort to Zutphen section was completed . It was completed when the section from Amersfoort to Zutphen was opened . 0 +His father was the renowned deceased Ud Maestro Munir Bashir , his uncle was the late Oud - Master Jamil Bashir . His father was the late Ud Maestro Munir Bashir , his uncle was the famous Oud - Master Jamil Bashir . 0 +These gates are of enormous size , ranging from thick , depending on position , and are high . These gates are of enormous size , ranging from high , depending on their position , and are thick . 0 +The members include Andrew Large and the Faccenda Group , whose CEO Bernard Matthews has been since 2013 and was previously CEO of the Cleaning and Support Service Association . Members include Andrew Large and the Faccenda Group . The CEO has been Bernard Matthews since 2013 , previously CEO of the Cleaning and Support Services Association . 1 +Booth married Beatrice Webb in 1871 , niece of the historian Thomas Babington Macaulay . She was also a cousin of the Fabian socialist and author Mary Macaulay . In 1871 , Booth married Beatrice Webb , a niece of the historian Thomas Babington Macaulay , and was a cousin of Fabian - socialist and author Mary Macaulay . 1 +Likewise , a non-Malay Malaysian who converts to Islam can lay claim to Bumiputra privileges , provided he meets the other conditions . Likewise , a non-Malay Malaysian who converts to Islam can claim Bumiputra privileges , provided he meets the other conditions . 1 +Their invisibility makes them easy to agitate because women need to obtain water , men must hunt wild animals and farmers must clear fields to plant crops . Their invisibility makes them easy to move , because women need water , men must hunt wild animals , and farmers need to clear fields to plant crops . 1 +Bay of Arauco or Bahia de Araucan , is a bay on the coast of the Bío Bío region , the province of Arauco , Chile . Bay of Arauco or Bahia de Araucan , is a bay located on the coast of the Bío Bío Region , of the Arauco Province of Chile . 1 +Schools that do not accept the authority of the Vedas are heterodox philosophies , of which four ( Nāstika ) schools are highlighted . Schools that do not accept the authority of the Vedas are nāstika philosophies , of which four ( heterodox ) schools are prominent : 0 +Anjali calls Reena , a BNTV reporter at Everest - base camp and Arjun 's former lover . Reena calls Anjali , a BNTV reporter in Everest base camp and Arjun 's former lover . 0 +He had married and married with Catalina Mendoza y Zúñiga . He had with Catalina Mendoza y Zúñiga and married . 1 +On July 31 , 2015 , Moore was signed by the Chicago Bears . On September 5 , 2015 , he was released by the Bears . On 31 July 2015 , Moore was signed by the Chicago Bears and released by the Bears on 5 September 2015 . 1 +The Crump family had a home in Bristol , while Phil in the British League , which he began with the Crewe Kings in 1971 , was running . The Crump family had a home in Bristol while Phil started racing in the British League , which he was doing in 1971 with the Crewe Kings . 0 +Bryant was born in Melbourne and attended Firbank Girls ' apos ; Grammar School in Perth , Western Australia . Bryant was born in Perth , Western Australia and attended Firbank Girls ' Grammar School in Melbourne . 0 +Kenneth Koch studied writing with Ceravolo at the New School for Social Research . Ceravolo studied at the New School for Social Research with Kenneth Koch Schrift . 1 +Kavita Krishnamurthy married Dr. L. Subramaniam in Bengaluru , Karnataka on 11 November 1999 . On 11 November 1999 , Kavita Krishnamurthy married Dr L. Subramaniam in Bengaluru , Karnataka . 1 +Ridenour was married to Eleanor Fay , they had two daughters , Nancy Page Buchanan ( nee Ridenour ) and Gretchen Kraemer . Dr. Ridenour was married to Gretchen Kraemer ; they had two daughters , Nancy Page Buchanan ( née Ridenour ) and Eleanor Fay . 0 +Stony Fork Creek ( Stony Fork on Federal Cards ) is a tributary of Babb Creek in Tioga County , Pennsylvania in the United States . Babb Creek ( shown as Stony Fork on federal maps ) is a tributary of Stony Fork Creek in Tioga County , Pennsylvania in the United States . 0 +Also in the presidential cabinet he had to occupy temporarily the Ministry of Interior twice over 1838 . He also had to temporarily occupy the Ministry of the Interior in the presidential cabinet over 1838 . 1 +On 16 December 2015 , a meeting was held in the Auberge de Castille in Valletta , Malta , between the leaders of the two rival governments in Libya . On 16 December 2015 , a meeting between the leaders of the two rival Maltese Governments was held at the Auberge de Castille in Valletta , Libya . 0 +The New Mexico State Legislature is the upper house of the New Mexico Senate . The New Mexico State Legislature is the upper house of New Mexico Senate . 1 +Cariani was born in Brockton , Massachusetts , and eight years old when his family moved to Presque Isle , Maine . Born in Presque Isle , Maine , Cariani was eight when his family moved to Brockton , Massachusetts . 0 +The 1945 San Diego State College football team represent San Diego State Aztecs during the College - Football - Season 1945 . The 1945 San Diego State Aztecs football team represented San Diego State College during the 1945 college football season . 0 +"In April 2013 , when the Air Italy merger was completed , Meridiana returned to its former , shorter name , "" Meridiana Fly "" ." "In April 2013 , when the merger with Air Italy was completed , Meridiana returned to its former , shorter name "" Meridiana Fly "" ." 1 +One week after the birth of Benjamin Linus came Alex ( Michael Emerson ) and took Alex from Rousseau . One week after Alex 'apos ; birth came Benjamin Linus ( Michael Emerson ) and took Alex from Rousseau . 0 +Camm decided that both engines would be used : the Tempest Mk 5 had fitted with the Napier Sabre , while the Tempest Mk 2 was the Bristol Centaurus . Camm decided that both engines would be used : the Tempest Mk 5 was equipped with the Napier Sabre , while Tempest Mk 2 had the Bristol Centaurus . 0 +In the summer of 1956 , Frank Lovejoy took over the role of Mike Barnett until the series ' end that same year . In the summer of 1956 , Frank Lovejoy took over the role of Mike Barnett until the end of the series that same year . 1 +The later release of Disney 's international edition - DVD meant the first purchase of lending rights for an Indian film by a global company . Disney 's international release of the later edition DVD marked the first purchase of distribution rights for an Indian film by a global company . 0 +On 28 April 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially announced as resolved . On 28 April 2011 , the dispute between DSP Entertainment and the 3 members of Kara was officially resolved as announced . 0 +Therefore , this must be followed with additional techniques in order to map the mutation or pinpoint multiple mutations in the same fragment . This must therefore be followed with additional techniques to map the mutation or locate multiple mutations in the same fragment . 1 +While Max Mermelstein went to extreme measures to kill Pablo Escobar , the US government went to extreme measures to protect him . As Max Mermelstein went to extreme measures to kill Pablo Escobar , the U.S. Government went to extreme measures to protect him . 1 +In 2000 , the Tandy Corporation became the RadioShack Corporation officially . In 2000 , Tandy Corporation officially became the RadioShack Corporation . 1 +Orson Welles saw Schilling in Florida and followed him to New York . Orson Welles saw Schilling in Florida and followed him into New York . 1 +"He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Chris Bath who took over from Ian Ross ." "He then presented the weekend bulletin on "" Seven News Sydney "" , replacing Chris Bath , who took over Ian Ross ." 1 +On 1 July 2004 a British Transport Police for the Police Authority was created . On 1 July 2004 , a British transport police force was created for the police authority . 1 +Walter Gropius was the great-uncle of the architect and Bauhaus founder Martin Gropius . Martin Gropius was the great-uncle of the architect and Bauhaus - founder Walter Gropius . 0 +In 1976 , Peraza was Miss Venezuela , but she resigned on May 24 , 1976 because she married two days after her crowning . Peraza was Miss Venezuela 1976 , but she resigned on May 24 , 1976 , because she married two days after her coronation . 1 +When his family from Italy , Rodolpho and Marco , live illegally and begin to migrate with him , the small world that he operates in is disrupted . When his family from Italy , Rodolpho and Marco begin to migrate illegally and to live with him , the small world in which he operates is destroyed . 0 +Many individuals also have a pattern of black points , and younger fish can have a dark area at the base of the tail . Many individuals also have a pattern of black dots , and younger fish may have a dark area at the base of the tail . 1 +Eleanor was also the youngest son of Robert Hungerford , 3rd Baron Hungerford and Walter Hungerford . Walter Hungerford was the youngest son of Robert Hungerford , the 3rd Baron Hungerford and Eleanor . 0 +The opening ceremonies were held at the Sun Gro Centre , the closing ceremonies on the CPTC Racetrack . The opening ceremonies were held at the CPTC Racetrack , and the closing ceremonies at the Sun Gro Centre . 0 +Madison is located in the 11th Congressional District and is part of the 27th State Legislative District of New Jersey . Madison is located in the 27th State District and is part of the 11th Congressional Legislative District in New Jersey . 0 +The 1955 Los Angeles State football team represented Los Angeles State Diablos during the 1955 college football season . The 1955 Los Angeles State Diablo football team represented Los Angeles State during the College - Football - Season 1955 . 0 +Aiko Onishi graduated from San Jose State University with a Bachelor of Science degree in piano and theory from the Sano Studio and worked as Executive Director of the Peninsula Symphony . Aiko Onishi graduated from San Jose State University with a B.A . in Piano Performance and Theory from the studio of Sano and worked as Executive Director of the Peninsula Symphony . 0 +This is a list of the local heads of the various governmental organisations that have served London , England . This is a list of the various heads of local government organisations that have served London , England . 0 +After 2015 season Seoul FC Martyrs joined the league , but three new teams Buyeo FC , Siheung Citizen and Yangpyeong FC left them . After 2015 season Seoul FC Martyrs left the league , but three new teams Buyeo FC , Siheung Citizen , and Yangpyeong FC joined it . 0 +An electronic signature is intended to provide a seamless identification method for the signatory to provide a secure and accurate transaction . An electronic signature is intended to provide the signatory with a secure and accurate identification method to allow a seamless transaction . 0 +Lars Elinderson , born in 1949 , is a Swedish politician of the Moderate Party . Lars Elinderson , born 1949 , is a moderate politician of the Swedish party . 0 +"Atari also upgraded the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." "Atari also improved the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." 1 +The Cocora River is a tributary of the Rebricea River in Romania . The Rebricea River is a tributary of the River Cocora in Romania . 0 +The notes issued by the three commercial banks are printed by Hong Kong Note Printing Limited in Hong Kong . Banknotes issued by the three commercial banks are printed in Hong Kong by Hong Kong Note Printing Limited . 1 +The 2002 PBA season was the first season of the franchise in the Philippine Basketball Association ( FedEx Express ) . The FedEx Express season 2002 was the first franchise season in the Philippine Basketball Association ( PBA ) . 0 +Since the matrix is unitary semidefinite , it can be diagonalized with a positive transformation : Since the matrix is semidefinite , it can be diagonalized with positive transformation : 1 +In 1989 , a cover version of Phil Harding and Ian Curnow , produced by Sinitta , appeared . A cover version by Sinitta appeared in 1989 , produced by Phil Harding and Ian Curnow . 0 +Cox also had a lobster factory and operated a farm near Morell . Cox also operated a lobster factory and owned a farm near Morell . 0 +Fersfield is limited to the east and south by the village of Bressingham , to the west are South Lopham and North Lopham and in the north is Kenninghall . Fersfield is bounded on the east and south by the village of Bressingham ; to the west are South Lopham and North Lopham and to the north Kenninghall . 1 +In October 2006 , Gaming Corporation changed its name to Media Corporation and sold Casino.co.uk in August 2007 for £ 3.6 million in cash to CryptoLogic . In October 2006 , Gaming Corporation changed its name to Media Corporation , and sold Casino.co.uk to CryptoLogic for £3.6m in cash in August 2007 . 1 +Scurria plana is a sea snail species , a true limpet , a marine gastropod mollusc in the Lottiidae family , one of the families of the true limpets . Scurria plana is a species of sea snail , a true limpet , a true gastropod mollusc in the Lottiidae family , one of the families of the marine limpets . 0 +The river Stejioara is a tributary of the river Bârnărel in Romania . The Stejioara River is a tributary of the Bârnărel River in Romania . 1 +In 1991 he left Italy to work in the palliative care of cancer patients in Germany as well as in various countries of the Third World . In 1991 he left Germany to work in the area of palliative care for cancer patients in Italy as well as in various Third World countries . 0 +For example , to draw a vertical line of 4 cm in length , it is sufficient : For example , in order to type a vertical line of 4 cm length , it is sufficient to draw : 0 +"He recorded two tracks for the album "" Juju "" with Nigel Watson 's band Gass ; a solo single and another with Bobby Tench , sessions with B ." "He accepted two tracks for the album "" Juju "" with Nigel Watson 's band Gass , a solo single and another with Bobby Tench , sessions with B ." 1 +Coxeter defines other groups with anti-unitary constructions , for instance these three : the first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines anti-unitary groups with other constructions , eg these three : the first was discovered and drawn by Peter McMullen in 1966 . 0 +Baroque Baroque is a strand of Spanish architecture developed in Spain , its provinces and former colonies . Spanish Baroque is a strand of Baroque architecture that evolved in Spain , its provinces , and former colonies . 0 +Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and the Senate of Wisconsin . Her children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and the Senate of Wisconsin . 0 +After his death , the atheistic element of communism would be stepped up in some Marxist movements . The Marxist element of communism would be intensified in some atheistic movements after his death . 0 +The small covered station has two modern waiting areas , information boards , CCTV and a footbridge . The small covered station has two modern waiting areas , information boards , CCTV and a pedestrian bridge . 1 +Prakash was the international CIO of Avaya , then the Sage Group Group CIO and later the CIO of iSoft in England . Prakash was the International CIO of Avaya , then the Group CIO of Sage Group and later the CIO of iSoft in UK . 1 +Lemmings , by contrast , are conspicuously colored and behave aggressively towards predators and even human observers . By contrast , lemmings are aggressively colored , and behave conspicuously against predators and even human observers . 0 +Depending on exact species , the Asian species include between , and weigh the smallest ungulates in the world . Depending on exact species , the Asian species include and weigh between and the smallest animals in the world . 1 +Lake Vernon is located in the Tiltill Valley in the northern sector of Yosemite National Park north of Hetch Hetchy Valley . Lake Vernon is located in Tiltill Valley , in the northern part of the Hetch Hetchy Valley north of Yosemite National Park . 0 +It extends from the US - Route 95 ( US-95 ) east of Copeland , north to British Columbia Highway 21 ( BC 21 ) in Porthill . It extends from U.S. Route 95 ( US-95 ) east of Copeland , north to British Columbia Highway 21 ( BC 21 ) in Porthill . 1 +Yevgeny Kafelnikov won against Tim Henman in the final 6 -- 2 , 7 -- 6 . Tim Tim Henman won in the final with 6 -- 2 , 7 -- 6 against Yevgeny Kafelnikov . 0 +The eastern part of Indian Lake is township in the western Richland . The western part of Indian Lake is located in the eastern Richland Township . 0 +Baldwin attended Oregon State University and was later transferred to Texas A 'M University . Baldwin attended Texas A & M University and later transferred to Oregon State University . 0 +Devnya is also the seat of Devnya municipality ( part of Varna Province ) , which includes the following 2 villages : Devnya is also the seat of the municipality of Devnya ( part of the province of Varna ) , which includes the following 2 villages : 1 +Building walls were of wall made of pebble earth or clay with large bases and stiff stones in the upper layers . The building walls were made of stiff earth wall or clay with pebble floors and large stones in the upper layers . 0 +Many people still believe in Dhami and Jhakri and often resort to allopathic practices before seeking local treatment . Many people still believe in Dhami and Jhakri and often turn to local practices before seeking allopathic treatment . 0 +The 1987 -- 88 Toto Cup Artzit was the 4th season of the second league cup since its introduction . The 1987 -- 88 Toto Cup Artzit was the second season of the 4th tier League Cup since its introduction . 0 +In 2003 , Peachey was included in the Top - Ten - Cronulla Sharks Legends , as selected by the fans and nominated by a panel of rugby league experts . In 2003 , Peachey was named in the top ten Cronulla Sharks Legends , as picked by the fans and nominated by a panel of rugby league experts . 1 +One of the best and most prestigious schools in Aligarh is St Francis inter college , Hathras road . One of Hathras ’ best and most prestigious schools is St Francis Inter College , Aligarh Road . 0 +It is bordered by North Dakota . The nearest American community to Gretna is Neche , Pembina County , North Dakota . It is bounded by North Dakota . The nearest American community to Gretna is Neche , Pembina County and North Dakota . 1 +When Mackey was killed in the company of Crowley , Aceveda dedicated himself to bringing it down . When Mackey was killed while in the company of Crowley , Aceveda dedicated himself to bringing him down . 1 +""" With his music , he is more courageous , more passionate , more extroverted ." He is more courageous , passionate , more extroverted with his music . 1 +Burki started his career in Paris for a year , until he returned to Switzerland to work in rotogravure from 1971 to 1979 . He started his career for a year in Paris until he returned to Switzerland from 1971 to 1979 to work in gravure . 1 +Glen Sheil was born in Sydney and moved to Queensland at a young age . Glen Sheil was born in Sydney and moved to Queensland at a younger age . 1 +Kenya finally confronts Amanda about the real meaning of her necklace and Amanda then tells her the whole story . Amanda Kenya finally confronts the real meaning of her necklace , and Amanda tells her the whole story . 1 +Born in Gambia to Gambian parents , Adams debuted for the England national team in November 2017 , against Morocco B . Adams was born in England to Gambian parents , and in November 2017 Adams debuted for the Gambia national team against Morocco . 0 +"If "" M "" is simplified ( that is , "" B "" = "" C "" = 0 ) , you can use the diagonal formula ." "If "" M "" is diagonal ( that is , "" B "" = "" C "" = 0 ) , one can use the simplified formula" 0 +The United Kingdom began in 2013 after the success of Small Business Saturday in the United States of America in the UK . The launch of Small Business Saturday UK began in 2013 in the United Kingdom following the success of Small Business Saturday in the United States of America . 0 +The Oraciu River or Orociu River is a tributary of the Pustnic River in Romania . The Pustnic River or Orociu River is a tributary of the Oraciu River , Romania . 0 +In addition , many Angika speakers in the Persian Gulf have emigrated to the United States , Canada , the United Kingdom and other countries . Moreover , many Angika speakers in the Persian Gulf have emigrated to the United Kingdom , the United States , Canada , and other countries . 1 +On May 14 , 1885 , Machado received his title and registered in Ensenada , the capital of the Northern District of the Baja California Territory . On May 14 , 1885 , Machado received his title and registered it in Ensenada , then the capital city of the Northern District of Baja California Territory . 1 +Jenkins married Ivy Vujic on 2 April 2011 . On April 2 , 2011 Jenkins married Ivy Vujic . 1 +John murdered his half-brother Thomas in 1811 . In 1811 Thomas murdered his half-brother John . 0 +Although the two sections in the full text appear in separate issues , Chapter X has also been published separately as a modern book and in collections . Although the two sections appear in the full text in separate editions , chapter X has also been published separately , both as a modern book and in collections . 1 +In 2012 Duncan appeared alongside Romola Garai in Scrubber , a film written and directed by Amanda Hale . In 2012 , Duncan appeared alongside Amanda Hale in Scrubber , a film by Romola Garai written and managed . 0 +The next day Mariano and Zappi were saved , the body of Finn Malmgren was not found . Finn Malmgren was rescued the next day , the body of Mariano and Zappi were not found . 0 +He was born on 21 May 1897 in Jambol and died in Sofia on 15 June 1945 . He was born in Sofia on May 21 , 1897 , and died in Yambol on June 15 , 1945 . 0 +The film is produced together by Vishwa and Girish by V San Visions and the music of Arjun Janya . The film is produced jointly by Vishwa and Girish of V San Visions and the music is scored by Arjun Janya . 1 +His son , George , was a prominent architect in Winnipeg , and his son , John James , was also active in Montreal . His son John James was a prominent architect active in Winnipeg and his son George was also an architect active in Montreal . 0 +On July 31 , , he was traded by the Athletics with Jeff D'Amico and Brad Rigby to the Kansas City Royals for Kevin Appier . On 31 July he was traded by the Athletics with Jeff D ' ; Amico and Brad Rigby to the Kansas City Royals for Kevin Appier . 1 +Typically , prepaid voucher management systems are used with external systems based on an intelligent network . Typically , external voucher management systems with prepaid systems based on an intelligent network are used . 0 +It is also to be seen that the angle of the outgoing electron with the direction of the photon incoming It can also be specified that the angle of the invading electron is seen with the direction of the exiting photon by : 0 +In addition to the official Mexican teaching programme , the German language was only taught as a foreign language . In addition to the German teaching programme , the official Mexican language was only taught as a foreign language . 0 +Although the Iroquois never settled the Piedmont territory , they entered it for hunting and raiding against other tribes . Although the Iroquois never entered the Piedmont territory , they settled it for hunting and raiding against other tribes . 0 +The New York and Erie Railroad completed its line between Hornell and Dunkirk , New York via Piermont and Salamanca in 1851 . The New York and Erie Railroad completed its route between Piermont and Dunkirk in 1851 , New York via Hornell and Salamanca . 0 +The audio companion for live concert was released on January 29 , 2008 as a digital album on iTunes . The audio companion for the digital concert was released on January 29 , 2008 as a live album on iTunes . 0 +On the same day , the Logistec Corporation announced that it was buying the Sydney Coal Railway ( SCR ) from Quebec Railway Corporation . On the same date , Logistec Corporation announced that it was purchasing the Sydney Coal Railway ( SCR ) from the Quebec Railway Corporation . 1 +On November 10th , 2010 , SoftLayer announced that the merger of The Planet and GI Partners was effective . On November 10 , 2010 , GI Partners announced that the merger of The Planet and SoftLayer was effective . 0 +"Erythroid - membrane-associated protein is a protein that in humans is responsible for the blood group - Scianna system and is encoded by the "" ERMAP "" gene ." "Erythroid membrane-encoded protein is a protein that in humans is responsible for the Scianna blood group system , and is associated by the "" ERMAP "" gene ." 0 +In the third place , Gaughan was second with 9,264 votes ( 34.5 % ) , Calvaneso with 1,362 votes ( 4.9 % ) . In third place was Gaughan with 9,264 votes ( 34.5 % ) , and Calvaneso placed second with 1,362 votes ( 4.9 % ) . 1 +Thus , the white drops on a red field are an allusion to his name and his ancestry . Thus , the white drops on a red field are an allusion to both his name and his ancestry . 1 +He has had tests with the English Premier League - Teams Manchester United and Sunderland in November 2014 and then again with Leicester City in January 2015 . He has had tests with English Premier League teams Leicester City and Sunderland in November 2014 and then again with Manchester United in January 2015 . 0 +M89SR sniper rifle is a gas produced semi-automatic sniper rifle , operated by Technical Consultants International ( TCI ) , an Israeli company based in Tel Aviv . The M89SR sniper rifle is a semi-automatic sniper rifle operated by Technical Consultants International ( TCI ) , an Israeli company based in Tel Aviv , USA . 1 +Ray Bergman -- who was in one of Stephens 's youth choirs -- also disputes any claims that Stephens was homosexual . Ray Bergman -- who was in one of the youth choirs of Stephens -- also disputes any claims that Stephen 's was homosexual . 1 +Collins Avenue is home to many historic Art Deco hotels , and several nightclubs to the north . Collins Avenue is home to many historic Art Deco hotels and several night clubs to the north . 1 +It had a protected pedestrian bridge between the two wooden platforms and was electrified on July 26 , 1905 . It had a wooden pedestrian bridge between the two protected platforms , and it was electrified on 26 July 1905 . 0 +Mullen also served as Chairman of Saugus Dock Commission and as a member of the Saugus Democratic Committee . Mullen also served as the chairman of the Saugus Dock Commission and as a member of the Saugus Democratic Committee . 1 +In 1841 , Henry Giles returned to England , leaving Francis Davenport to regulate his affairs . Henry Giles returned to England in 1841 , leaving Francis Davenport to manage his affairs . 1 +The season 2015 -- 16 rain or gloss Elasto painter is the tenth season of the franchise in the PBA ( Philippine Basketball Association ) . The 2015 -- 16 Rain or Shine Elasto Painters season is the tenth season of the franchise in the Philippine Basketball Association ( PBA ) . 1 +"Nong Wua So is a district ( "" Amphoe "" ) in the northeastern part of the province of Udon Thani , in western Thailand ." "Nong Wua So is a district ( "" amphoe "" ) in the northeastern part of Udon Thani Province , western Thailand ." 1 +After leaving the Stuttgart Opera House , Ellmenreich performed as a guest artist , also had a career as a concert singer and died in Berlin . After leaving the Berlin Opera , Ellmenreich performed as a guest artist , had a career as a concert singer and died in Stuttgart . 0 +"The first well-known Spanish sighting of Whidbey Island was at the "" Princesa Real "" during the European expedition of Manuel Quimper and Gonzalo López de Haro ." "The first known European observation of Whidbey Island was at the "" Princesa Real "" during the Spanish expedition of Manuel Quimper and Gonzalo López de Haro in 1790 ." 0 +Born in Seville , Hidalgo played for Badajoz and Celta de Vigo . Hidalgo , born in Badajoz , played for Sevilla and Celta de Vigo . 0 +Dhonoura is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Dhonoura is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . 1 +In 2016 a group of white students at Wiggins High School put a noose around the neck of a black student . In 2016 , a group of black students at the Wiggins High School put a noose around a white student 's neck . 0 +The dam is operated by the United States Bureau of Reclamation , which it built , and is owned by the Elephant Butte irrigation area . The dam is owned by the United States Bureau of Reclamation , which built it , and is operated by the Elephant Butte Irrigation District . 0 +Originally , S1 Corporation was the technology department of Security First Network Bank . Security First Network Bank was originally the technology division of S1 Corporation . 0 +In 1912 , Vickers had left Pratt to work for J. Samuel White in Cowes . Vickers had left Pratt in 1912 to work for J. Samuel White at Cowes . 1 +Spencer is approximately ten miles from downtown Midwest City and borders the City of Nicoma Park to the east and the City of Oklahoma City to the south . is approximately ten miles from downtown Oklahoma City and borders the city of Nicoma Park to the east and the city of Midwest City to the south . 0 +Ten Olympic teams took part in the tournament , 3 teams from Africa and 7 teams from Europe . The tournament took part in 10 Olympic teams , 3 teams from Europe and 7 teams from Africa . 0 +However , David Pizarro , Mirko Vučinić and Marco Cassetti bought the full ownership of Roma . However , Roma bought full ownership of David Pizarro , Mirko Vučinić and Marco Cassetti . 0 +French Island is a very small uninhabited island situated northwest of Barrallier Island in Victoria , Australia . Barrallier Island is a very small uninhabited island , located north-west of French Island in Victoria , Australia . 0 +An optical waveguide is a rectangular structure that guides electromagnetic waves in the physical spectrum . Ordinary types of optical waveguides include optical fibres and optical waveguides . An optical waveguide is a rectangular structure that guides electromagnetic waves in the physical spectrum . Common types of optical waveguides include optical fiber and optical waveguides . 1 +He visited Australia , Tasmania and was shipwrecked on the coast of New Zealand in 1856 . He visited Australia , Tasmania and was broken in 1856 on the coast of New Zealand . 0 +Like the CBR250RR , the Across was officially available in Japan and Australia , whereas the Across was not widely imported elsewhere . Like the 'CBR250RR ' , the 'Across ' was widely available in Japan and Australia . The 'Across ' was not officially grey-imported elsewhere . 0 +"Note : "" NA "" -- Information was not listed on the page cited ." "Note : "" NA "" -- Information was not listed on the specified page ." 0 +Moraes spent eight years in Britain , in London and Oxford , New York City , Hong Kong , Delhi and Bombay now Mumbai . Eight years in Britain , Mumbai , Moraes now spent London and Oxford , New York City , Hong Kong , Delhi , and Bombay . 0 +Is a short book published by Virginia Cary Hudson , first in 1962 with illustrations by Karla Kuskin . Is a short book by Karla Kuskin , first published in 1962 , with illustrations by Virginia Cary Hudson . 0 +The U.S. Route 81 has eight special routes : three in Texas , one in Oklahoma , two in Kansas and two in North Dakota . U.S. Route 81 has eight special routes . Three are in North Dakota , one in Oklahoma , two in Kansas , and two in Texas . 0 +The CPE may refer to devices provided by the subscriber , or to those purchased by the operator or service provider . CPE can refer to devices provided by the subscriber , or to those purchased by the operator or service provider . 1 +The Vidăcut River or Hidecut River is a tributary of the Eliseni River , in Romania The river Eliseni or Hidecut is a tributary of the river Vidăcut in Romania . 0 +He was overtaken by his countryman Noureddine Morceli and Wilfred Kirochi , while Hauke Fuhlbrügge won gold and silver . He was overtaken by his fellow countryman Noureddine Morceli and Wilfred Kirochi , while Hauke Fuhlbrügge won gold and silver . 1 +Santa Rosa de Lima is a municipality in the department of Guatemala , Santa Rosa . Santa Rosa de Lima is a municipality located in the department of Santa Rosa in Guatemala . 0 +Under the British Raj , the Bombay presidency was part of the Bijapur district . Under the British Raj , Bombay Presidency was part of the Bijapur District . 1 +The Pittsburgh Frank Seder was completed in 1913 , but destroyed in 1917 by a fire with a loss of $ 600,000 , and its replacement was expanded in 1918 . The Pittsburgh Frank & Seder was completed in 1913 , but destroyed by fire in 1917 at a loss of $ 600,000 ; its replacement was expanded in 1918 . 1 +The combination of small size and emphasis on educational excellence , resulting in a district that offers “ public school experience in a private school setting ” . "The combination of small size and emphasis on educational excellence results in a district that offers a "" private school experience in a public school setting "" ." 0 +Born in York ( Toronto ) in 1799 , he grew up in Kingston . He was born in York ( Toronto ) in 1799 and grew up in Kingston . 1 +The Putna River is a left tributary of the River Deju in Romania . The Deju River is a left-wing tributary of the River Putna in Romania . 0 +The 26 letters directly shown by bopomofo are transcribed in the following table . The 26 letters transcribed directly from bopomofo are shown in following table . 0 +He was the son of the surgeon Timothy Hosmer ( born 1740 in Canandaigua , New York , died in 1820 in Middletown , Connecticut ) . He was a son of surgeon Timothy Hosmer ( born in Canandaigua , New York , in 1740 ; died in Middletown , Connecticut , in 1820 ) . 1 +Abhishekapuram is a suburb of the city of Tiruchirappalli in Tamil Nadu , India and forms one of the four zones of the Tiruchirappalli Municipal Corporation . Abhishekapuram constitutes a suburb of the city of Tiruchirappalli in Tamil Nadu , India . It is one of the four zones of the Tiruchirappalli Municipal Corporation . 0 +"The campus - newspaper "" The Oklahoma Daily "" is produced weekly during the autumn and spring semesters and daily during the summer semester ." "The campus - newspaper "" The Oklahoma Daily "" is produced daily during the autumn and spring semesters and weekly during the summer semester ." 0 +The goal of the game is to collect points by touching and surviving a variety of shapes by not destroying them . The objective of the game is to score points by touching a variety of shapes and surviving by not destroying them . 1 +The current Church , built by the Bishop of St Albans in June 1885 , is not the first to be consecrated in East Hanningfield . The present church , consecrated in June 1885 by the bishop of St. Albans , is not the first to be built in East Hanningfield . 0 +The former members of the active MDU and ABL were arrested by the police , such as John Eber and Dr. Joseph K.M . The former members of active MDU and ABL were arrested by the police , such as John Eber and Dr Joseph K.M . 1 +Neighboring communities are Libertyville , Mundelein , Round Lake Beach , Hainesville , Third Lake , Gages Lake , Lindenhurst , Round Lake Park and Wildwood . Neighbouring communities include Libertyville , Mundelein , Round Lake Park , Hainesville , Round Lake Beach , Lindenhurst , Third Lake , Gages Lake and Wildwood . 1 +Ringwood is located in the 5th Congressional District and is part of the 39th State Legislative District in New Jersey . Ringwood is located on the 39th Congressional District and is part of the 5th State Legislative District in New Jersey . 0 +Littlemore Brook is a tributary of the River Thames in Oxfordshire , southern England . The Thames is a tributary of Littlemore Brook in Oxfordshire , Southern England . 0 +Gillick is represented in the UK by Maureen Paley , in New York by Casey Kaplan , and in Ireland by Kerlin Gallery . Gillick is represented in the UK by Maureen Paley , in Ireland by Casey Kaplan and in New York by the Kerlin Gallery . 0 +In versions of the Renaissance , Ogier travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 'apos ; Parade . Ogier in versions of the Renaissance travels to the Avalon ruled by Morgan le Fay and eventually becomes King Arthur 's paramour . 1 +Danelli met Felix Cavaliere ( a pickup singer on the local R & B circuit ) , and Eddie Brigati ( a classically trained pianist ) in 1963 . In 1963 , they met Eddie Brigati ( a pickup singer on the local R 'B circuit ) and Felix Cavaliere ( a classically trained pianist ) . 0 +In Southampton ( 2016 ) , Bow ( 2017 ) and Southend ( 2017 ) , new exhibitions are planned . New exhibitions are planned in Southend ( 2016 ) , Bow ( 2017 ) and Southampton ( 2017 ) . 0 +Where formula _ 9 is the Lerch transcendent function and coth is the hyperbolic cotangent function . Where Formula 9 is the Lerch - Hyperbolicus - function and coth is the transcendent Cotangent - function . 0 +Russ has injured at least 74 people in the provinces of Hainan , Guangdong , and Guangxi and killed another 726 people . Russ killed at least 74 people in Hainan , Guangdong and Guangxi Provinces and injured another 726 people . 0 +The original flag , however , had a brownish color instead of green . The original flag , however , had a green color instead of brownish . 0 +TeamQuest was founded in 1991 by three employees of a software research and development group from Unisys Corporation . Unisys Corporation was founded in 1991 by three employees of a software research and development group from TeamQuest . 0 +Joey Ellis was cast in the role of Nathan Bryon , who would be introduced as a friend of established character Tiger Dyke from his hometown . Joey Ellis was cast in the role of Nathan Bryon , who was introduced from his hometown as a friend of the established character Tiger Dyke . 1 +The Court Barn was built in the 15th century as a Tithe barn for Glastonbury Abbey , and was restored in the early 20th century . The courtyard barn was built in the early 20th century as a tithe barn for Glastonbury Abbey and was restored in the 15th century . 0 +He captained South Africa on 29 August 1891 against the British Isles in Kimberley . He listed South Africa on 29 August 1891 against the British Isles in Kimberley . 0 +The De La Hagher River is a tributary of the Jiul de Vest River in Romania The River De La Hagher is a tributary of the River Jiul de Vest in Romania 1 +It is currently serving as the newspaper of record for Galveston , as well as Galveston County . It currently serves as the newspaper of the registration for Galveston County , as well as Galveston . 1 +Coxeter defines anti-unitary groups with other constructions , for example these three . The first was discovered and drawn by Peter McMullen in 1966 . Coxeter defines other groups with anti-unitary constructions , such as these three : the first was discovered and drawn by Peter McMullen in 1966 . 0 +"Cassandra Peterson also appeared in Peaches Christi "" All About Evil "" with Patrick Bristow , Mink Stole and Brown ." "Also in Peaches Christ ' ; s "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow appeared Brown Brown ." 0 +Established in 1788 , Alberta shares the title of oldest European settlement in Fort Vermilion with Fort Chipewyan . Alberta was established in 1788 and shares with Fort Chipewyan the title of the oldest European settlement in Fort Vermilion . 1 +Their invisibility makes them easy to move , because women need water , men must hunt wild animals , and farmers need to clear fields to plant crops . Their invisibility makes them easy to hunt because women need to obtain water , men must agitate wild animals and farmers must clear fields to plant crops . 0 +Following his defeat in Cardiganshire , Henry Richard was elected as Liberal Member of the Merthyr Parliament in 1868 - districts in Wales . Following his defeat in Wales , in 1868 Henry Richard was elected Liberal member of parliament for the Merthyr boroughs in Cardiganshire , 0 +Tyabb railway station is located on the Stony Point line in Victoria , Australia . The railway station of Tyabb is located on the Stony Point line in Victoria , Australia . 1 +Olivella kifos is a species of dwarf - sea snail , small gastropod mollusk in the Olivellidae family , the navy olives . Olivella kifos is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . 0 +Katharina Knie is a German musical by Mischa Spoliansky with a libretto by Robert Gilbert composed . Katharina Knie is a German musical composed by Mischa Spoliansky with a libretto by Robert Gilbert . 1 +"The specials include Pixar 's executive producer "" 20th Anniversary Special "" for ABC and Lucasfilm 's "" Star Wars : Connections "" for Fox ." "Television specials include Executive Producer of Pixar 's "" 20th Anniversary Special "" for ABC and Lucasfilm 's "" Star Wars : Connections "" for Fox ." 1 +It was well known for its fertile wine , produced in the local farms that characterized the parish until the mid-twentieth century . It was known for its local wine , produced in the fertile farms that characterized the parish until the mid-twentieth century . 0 +They are sometimes consumed with beer and they are often a bar snack . They are often consumed with beer and sometimes they are a snack . 0 +Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna von Arnth ; her sister was Giuseppe Naudet . Leopoldina Naudet was born in Florence in 1773 as the eldest daughter of Luisa and Susanna of Arnth . Her sister was Giuseppe Naudet . 1 +Magnus turned around and reformed the British invasion of Williams by attacking the Eric Young and Orlando Jordan team . """ , Williams turned heel and reformed the British Invasion with Magnus by attacking the team of Eric Young and Orlando Jordan ." 0 +He was the son of painter Arturo Petrocelli and the younger brother of Vincenzo . He was the son of painter Arturo Petrocelli , and younger brother of Vincenzo . 1 +Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Ceylonese ( Sri Lanka ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 -- 26 October 1951 ) was a Sri Lankan ( Ceylonese ) judge and lawyer . 1 +Separate lists are provided for the 61 listed properties and historic districts in Chicago and more than 350 listed properties and districts in Evanston . Separate lists are provided for the 61 listed properties and historical districts in Evanston and the more than 350 listed properties and districts in Chicago . 0 +Kate Foote Coe 's niece Margaret Foote Hawley was an artist who specialized in portrait miniatures . Kate Foote Coe , the niece of Margaret Foote Hawley , was an artist who specialized in portrait miniatures . 0 +However , Aramaic remains a local language for spoken , literary , and liturgical Christians and also some Jews . Aramaic remains , however , a spoken , literary and liturgical language for local Christians and also for some Jews . 0 +The current mayor ( from 2013 to 2017 ) is Fernando Nogueira , elected by the PenCe ( municipal movement ) , the independent holiday is October 1 . The present ( from 2013 to 2017 ) Mayor is Fernando Nogueira , elected by the PenCe ( municipal movement ) . The independent holiday is October 1 . 1 +On February 26 , 1976 , the USAF officially handed over the Korat to the Royal Thai Government . The USAF officially turned Korat over to the Royal Thai Government on 26 February 1976 . 1 +In the 2006-07 season , Goldwire played with Panellinios from the Greek Basketball League and joined the Spanish Club CB Girona in 2009 . Goldwire played with Panellinios of the Spanish basketball league in the 2006-07 season . In 2009 , he joined the Greek club CB Girona . 0 +"Highland Park is the location of the main characters ' former home in CBS drama "" The Good Wife "" ." "Highland Park is the location of the former home of the main characters in the CBS - drama "" The Good Wife "" ." 1 +"There , Matisic met Anna Wallner and created the concept "" The Shopping Bags "" ." "While there , Matisic met Anna Wallner and created "" The Shopping Bags "" concept ." 1 +Phaecadophora fimbriata is a moth of the Tortricidae family . It is found in India , China , Thailand , Japan , Taiwan , Java and New Guinea . Phaecadophora fimbriata is a moth from the Tortricidae family , which is found in India , China , Thailand , Japan , Taiwan , Java and New Guinea . 1 +The Banaue rice terraces were declared National Cultural Treasure by the Philippine government under the name of Ifugao Rice Terraces by Presidential Decree No . 260 in 1973 . The Banaue Rice Terraces were declared by the Philippine government as a National Cultural Treasure under Ifugao Rice Terraces by virtue of Presidential Decree No . 260 in 1973 . 1 +Although he was petitioned and defeated , he was appointed on 27 April 1785 . Although he was defeated , he petitioned and was seated on 27 April 1785 . 0 +Defeated Dennis Ralston , Manuel Manuel Santana , 6 -- 4 , 11 - 9 , 6 -- 4 Dennis Ralston defeated Manuel Santana , 6 -- 4 , 11 -- 9 , 6 -- 4 0 +"The Mtskheta tribe was later ruled by a prince known as "" mamasakhlisi "" ( "" father of household "" in Georgian ) ." "The Georgian tribe was later ruled by a prince known locally as "" mamasakhlisi "" ( "" father of household "" in Mtskheta ) ." 0 +The reserve contains an outstanding flora , interesting lichen and moss communities and a wealth of invertebrates . The reserve contains outstanding flora , interesting lichen and moss communities and a wealth of invertebrates . 1 +The Zabolotye lake ( is a lake in the Sergiyev Posad District of Moscow Oblast . The Zabolotye - Lake ( is a lake in the district Sergiev Posad of Moscow Oblast . 1 +Until 1930 , Lombard College was based in Galesburg and is now the site of the Lombard Middle School . Lombard College was located in Galesburg until 1930 , and is now the site of Lombard Middle School . 1 +The two new cantons had immediate financial problems , however , and were forced to introduce a series of unpopular taxes and laws . However , the two new Cantons had immediate financial problems and were forced to institute a number of unpopular taxes and laws . 1 +The others were Donald Carr from Repton School and the Etonian , Luke White . The others were Donald Carr of the Repton School and Etonian Luke White . 1 +Then , with the support of Soviet tanks , the Gariboldi troops repelled a German attack during the first defensive battle of the Don . Then the Gariboldi troops , with the support of the Soviet tanks , met a German attack during the first defensive battle of the Don . 1 +In 2013 , the Bank ’ s domestic branches in Austria were sold to Anadi Financial Holdings and renamed the Austrian Anadi Bank . In 2013 the domestic branches of the bank in Austria were renamed to Anadi Financial Holdings , and sold to Austrian Anadi Bank . 0 +In the 2006-07 season , Goldwire played with Panellinios from the Greek Basketball League , and in 2009 he joined the Spanish Club CB Girona . In the 2006-07 season , Goldwire played with Panellinios from the Spanish Basketball League and joined the Greek Club CB Girona in 2009 . 0 +The season 2002 Seattle Seahawks was the 27th season of the team with the national football league . The 2002 National Football League season was the 27th season of the Seattle Seahawks team . 0 +Saladas Department is a department of Argentina in the Corrientes province . Saladas Department is a department of Corrientes Province in Argentina . 0 +Aanachandam is a 2006 Malayalam Indian language film directed by Jayaram and Jayaraj . Aanachandam is a 2006 Indian Malayalam language film directed by Jayaram and starring Jayaraj . 0 +Allen was born in Ashland , Kentucky , visited the High School in Oldtown and played at West Virginia University from 1932 to 1934 . Allen was born in Ashland , Kentucky and attended high school in Oldtown . He played football at the West Virginia University from 1932 to 1934 . 1 +Hine was born in Burnaby , Germany in 1936 and grew up in New Westminster , British Columbia . Hine was born in 1936 in New Westminster , British Columbia . Hine grew up in Burnaby . 0 +In 2000 , the training camp was spent with the New England Patriots before being traded on 7 August to Rams . In 2000 , Looker spent a training camp with the Rams before being traded on 7 August with the New England Patriots . 0 +Benjamin Ray ( * 1819 Hudson , New York ) was an American politician from the Columbia County , New York . Benjamin Ray ( born 1819 Hudson , New York ) was an American politician from Columbia County , New York . 1 +The new school has been placed on the old playing fields . The new school has been placed on the old fields . 1 +The beach was defended by two battalions of the 21st Infantry Division , with elements of the German 716th tank division being held near Caen in the reserve . The beach was defended by two battalions of the 21st Infantry Division , with elements of the German 716th Panzer Division held in reserve near Caen . 1 +It is hosted by Keith Barry and hypnotist Daryl Somers , who is the hypnotiser on the British version . It is hosted by Keith Barry and hypnotist Daryl Somers who is the hypnotist on the British version . 1 +In 2015 , the Middleton branch of Quality Save was closed , and a superstore was launched in the former Tesco unit next door . In 2015 , the Middleton branch of Quality Save was closed , and a superstore was launched in the ex Tesco unit next door . 1 +"The concept of a redistributive system is at least as old as the concept of Pharaoh , which means "" royal house "" and describes the large palace ." "The concept of a redistribution system is at least as old as the concept of Pharaoh , which means "" royal house "" and describes the great palace ." 1 +In 1920 , he represented Italy at the Oceanographic Congress in Madrid , and in 1924 represented the geographical society at the International Geographical Congress in Cairo . In 1920 he represented Italy at the Oceanographic Congress in Madrid , and in 1924 he represented the geographical society at the International Geographical Congress in Cairo . 1 +A liberal autocracy is a non-democratic government which follows the principles of liberalism . A liberal autocracy is a non-democratic government that follows the principles of liberalism . 1 +It seems most active late in the morning and early afternoon . It seems to be most active in the late morning and early afternoon . 1 +It could meditate the link between the predictors of maternal support , such as personal fable . It could meditate the connection between the predictors of personal support , such as the maternal fable . 0 +The conclusions are that we are all perfect spiritual notions of one divine mind and manifest the mind , not a material body . The conclusions are that we are all perfect spiritual ideas of the one divine Mind , and manifest Spirit , not a material body . 1 +1993 : Play Bach 93 Volume 1 ( Note Productions CD 437000-2 ) Play 1993 : Bach 93 Volume 1 ( Note Productions 437000-2 ) 0 +Actress Manuela do Monte portrayed Carol in the Brazilian version of the series 2013 . Carol do Monte portrays Manuela in the Brazilian version of the series 2013 . 0 +In 2007 , Mathe Fischer left the band after a one-year stay , and Jens Ramon added . After a one-year stay , Mathe Fischer joined the band in 2007 and Jens Ramon left the band . 0 +The construction of achieves a seed length of Formula 32 , which is constant to optimum factors . The construction of achieves a seed length of formula _ 32 , which is optimal up to constant factors . 0 +The town was founded in 1899 by Jacob A. Bartles and named after Admiral George Dewey . Founded by George Dewey in 1899 , the town was named for Admiral Jacob A. Bartles . 0 +Most of the series produced by CBS before 1976 or distributed by CBS films were later distributed by Viacom and Paramount Television . Most of the series produced by CBS films or distributed by Paramount Television before 1976 were later distributed by Viacom and CBS . 0 +"Machiavelli divides the subject of mixed states into two types , "" new "" cases and "" purely new "" states ." "Machiavelli divides the theme of mixed states into two types , "" new "" cases and "" purely new "" states ." 1 +The station was closed on 8 December 1890 and opened on 8 November 1969 and was demolished in 1971 . The station was closed on December 8 , 1890 , opened on November 8 , 1969 , and was demolished in 1971 . 1 +The highest temperature ever detected in Pokhara was on 4 May 2013 , while the lowest temperature ever recorded was on January 13 , 2012 . The lowest temperature ever recorded in Pokhara was on May 4 , 2013 , while the highest temperature ever recorded was January 13 , 2012 . 0 +Stefan Mross presented an episode in August 2010 , whereas Axel Bulthaupt was absent for private reasons . In August 2010 , Axel Bulthaupt presented an episode , while Stefan Mross was absent for personal reasons . 0 +Srikakulam is a village near Dharmapuram Town in the Ponduru Mandal Division in Andhra Pradesh , India . Srikakulam is a village near Dharmapuram town in Ponduru Mandal Division in Andhra Pradesh , India . 1 +With the activation of the 550th Strategic Missile Squadron , the 310th Strategic Aerospace Wing was renamed 310th on March 1 , 1962 . With the activation of the 550th Strategic Missile Squadron , the 310th was redesignated as the 310th Strategic Aerospace Wing on 1 March 1962 . 1 +In the TV special ( 1979 ) , John Denver helps sing many of the Christmas Carols with the other Muppets and Robin . In the TV special ( 1979 ) John Denver helps sing many of the Christmas songs with the other muppets and Robin . 1 +"To explicitly use "" F "" , you will find the equation for its derivative derivatives from the above table ." "To find "" F "" explicitly , use the equation for its derivative from the table above ," 0 +Robbie later turns the machine off and Beth is shocked but understanding . Later Robbie switched the machine off and Beth is shocked but understanding . 1 +"It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before stroke on January 10 , 2006 ." "It was her tenth studio recording since "" I Wan na Love Somebody "" and the first released studio album before her stroke on January 10 , 2006 ." 1 +Salem , Oregon is a reservoir impounded by the Detroit Dam on the North Santiam River southeast of Detroit Lake , United States . Detroit Lake is a reservoir confiscated by the Detroit Dam on the North Santiam River southeast of Salem , Oregon , United States . 0 +It also houses occasional BriSCA Formula 1 Stock Cars and BriSCA Formula 2 Stock Cars meetings and various events such as fireworks and occasional shows . It also hosts various BriSCA Formula 1 Stock Cars and BriSCA Formula 2 Stock Cars meetings and occasional events such as firework displays and occasional shows . 0 +Tarde was born in Sarlat in the province of Dordogne , and he studied law at Toulouse and Paris . Born in Sarlat in the province of Dordogne , Tarde studied law at Toulouse and Paris . 1 +Ogoki River , is located northeast of Marten Falls First Nation ( Ogoki Post ) near the Ogoki Post Airport in Ontario , Canada . Ogoki River , located to the northeast of Marten Falls First Nation ( Ogoki Post ) near Ogoki Post Airport in Ontario , Canada . 1 +Veerapandiya Kattabomman is a 1959 Indian Tamil-language biographical war film directed B. R. Panthulu . Veerapandiya Kattabomman is a biographical-language Indian Tamil war film directed by B. R. Panthulu in 1959 . 0 +Siskiyou National Forest is situated on the US Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . Port Orford is located on the U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . 0 +These names were chosen to correspond to their rough equivalents in international chess , not literal translations of the Japanese names . Several of these names were chosen to correspond to their rough equivalents in international chess , and not as literal translations of the Japanese names . 1 +Later , Poulenc reduced the orchestra score to a shorter full suite . Poulenc later reduced the orchestral score to a shorter full suite . 1 +"Mount Sis has also a plateau which is called "" Sis Dağı Yaylası "" in Turkey ." "Mount Sis also has a plateau called "" Sis Dağı Yaylası "" in Turkey ." 1 +"In 1901 , the first part of his piano cycle "" On an Overgrown Path "" was published and gradually became one of his most frequently-performed works ." "In 1901 the first part of his piano cycle "" On an Overgrown Path "" was listed and gradually became one of his most published works ." 0 +Baden Powell was a student at the Naval Academy when after reading a book by Mimi Sodré named Scouting for Boys , he became interested in Scouting . Mimi Sodré was a student at the Naval Academy after reading a book by Baden Powell , called Scouting for Boys , when he was interested in scouting . 0 +The 2nd BCT of the 28th Infantry Division focused in Ramadi on protecting the main roads and controlling the governor and the government center . In Ramadi , the 2nd BCT of the 28th Infantry Division focused on protecting the main roads and controlling the governor and government center . 1 +He died on August 24 , 1878 in Wyandotte ( now part of Kansas City ) , Kansas . He died on August 24 , 1878 in Wyandotte ( now part of Kansas ) , Kansas City . 1 +Patalpur is a village in Berasia district of Madhya Pradesh , India . It is located in Bhopal tehsil , near Keetai Dewapura and Patalpani . Patalpur is a village in the Bhopal region of Madhya Pradesh , India . It is located in Berasia tehsil , near Keetai Dewapura and Patalpani . 0 +When Qin Shi Huang died , Meng Tian 's death was caused by Zhao Gao . Meng Tian 's death was caused by Zhao Gao when Qin Shi Huang died . 1 +The current chief executive officer is Beth Janson , and the chair of the board is Martin Katz . The current Chief Executive Officer is Martin Katz , and the chairman of the Board is Beth Janson . 0 +Pennsauken Township is located in the 6th Congressional District and is part of the 1st State Legislative District of New Jersey . Pennsauken Township is located in the 6th Congressional District and is part of New Jersey 's 1st state legislative district . 1 +These airlines operate more than 80 cities across India and also connect overseas routes after the liberalisation of Indian aviation . These airlines operate more than 80 cities across India and , following the liberalisation of Indian aviation , also connect overseas routes . 1 +""" Crystal "" is the 19th episode of the first season of CW - TV series "" The Secret Circle "" and the 19th episode of the series ." """ Crystal "" is the 19th episode of the first season of the CW television series "" The Secret Circle "" , and the series ' 19th episode overall ." 1 +Mr. J Dey was the architect , Mr.. J D Verhoewe the contractor and mr. C. Morgan , chairman of the action committee . The architect was Mr. C. Morgan , the contractor Mr. J. D. Verhoewe and the chairman of the action committee , Mr. J. Dey . 0 +In August , Axel Bulthaupt presented an episode in 2010 , while Stefan Mross was absent for private reasons . Stefan Mross presented an episode in August 2010 , whereas Axel Bulthaupt was absent for private reasons . 0 +The transformation typically requires anti-Markovnikov metal catalysts to give this special addition result . The transformation typically requires Anti-Markovnikov - metal catalysts to obtain this special addition result . 1 +"He was asked about his opinion about the books "" Mission to Moscow "" by Wendell Willkie and "" One World "" by Joseph E. Davies ." "He was asked to give his opinion on the books "" Mission to Moscow "" by Joseph E. Davies and "" One World "" by Wendell Willkie ." 0 +Together with Karen , Kristoffer had eight children . Karen and Kristoffer have eight children together . 1 +Leudesius and Theuderich III fled to Baizieux with the royal treasure , where Ebroin overtook them and murdered Leudesius . Leudesius and Theuderic III fled to Baizieux with their royal treasure , where Leudesius overtook them and murdered Ebroin . 0 +"As a screenwriter , his first indie feature , "" The Watermelon "" , was directed by Brad Mays and produced by Lorenda Starfelt at LightSong Films ." "As a screenwriter , his first indie feature "" The Watermelon "" was staged by Lorenda Starfelt and produced by Brad Mays at LightSong Films ." 0 +Jacopo Silvestri ( 15th -- 16th century ) was an Italian cryptographer and author . Jacopo Silvestri ( 15th century -- 16th century ) was an Italian cryptographer and author . 1 +The Poets of Honour were Lillian Allen , Juno award-winning dub poet , and Shane Koyczan , the first non-American to win the U.S. National Poetry Slam . The Poets of Honour were Lillian Allen , Juno award-winning dub poet , and Shane Koyczan , the first non-American , to win the US National Poetry Slam . 1 +John Mozeliak is the president of the Baseball Operations , Mike Girsch is General Manager and Mike Matheny is the manager . John Mozeliak is the president of the baseball operation , Mike Matheny is General Manager and Mike Girsch is the manager . 0 +Other visitors of the colony were the writer Adolf Wolff and the sculptor Alfred Kreymborg . Other frequenters of the colony were the writer Alfred Kreymborg and the sculptor Adolf Wolff . 0 +Alessandra Schiavone ( born July 19 , 1984 in Assunta De Rossi ) is a Philippine actress and the younger sister of Alessandra De Rossi . Alessandra De Rossi ( born Alessandra Schiavone ; July 19 , 1984 ) is a Philippine actress and the younger sister of Assunta De Rossi . 0 +The Pandabeswar CD Block had 1 special and non-formal college with 1,007 students , 257 institutions for general education with 9,690 students . The CD - Block Pandabeswar had 1 general college with 1,007 students , 257 institutions for special and non-formal education with 9,690 students 0 +Later his family moved from Brooklyn to Manhattan on 110th Street and Amsterdam Avenue . His family later moved from Brooklyn to 110th Street and Amsterdam Avenue in Manhattan . 0 +His son , Aimé Boucher , was a Quebec politician . His daughter Marguerite married Félix Allard , a member of the Canadian House of Commons . His son , Félix Allard , was a politician from Quebec and his daughter Marguerite married Aimé Boucher , a member of the Canadian House of Commons . 0 +CJOS-FM is a Canadian radio station , that broadcasts a classic hits format at 92.3 FM in Owen Sound , Ontario . CJOS-FM is a Canadian radio station that broadcasts a classic hit format at 92.3 FM in Owen Sound , Ontario . 1 +His son George was a prominent architect active in Winnipeg and his son John James was also an architect active in Montreal . His son John James was a prominent architect who was active in Winnipeg , and his son George was also an architect in Montreal . 0 +Typically , the warmest day of the year will reach , and 3.7 days a year should attain a maximum temperature of or above . Typically , the warmest day of the year is reached , and a maximum temperature of or above should reach 3.7 days a year . 1 +On 4 May 2015 , the UOB opened its branch in Yangon , Myanmar . UOB opened its Yangon branch in Myanmar on 4 May 2015 . 1 +It became one of the four British chemical companies that merged with Brunner Mond , Nobel Explosives and United Alkali Company in 1926 to set up Imperial Chemical Industries . It became one of the four British chemical companies which merged in 1926 with Brunner Mond , Nobel Explosives and United Alkali Company to form Imperial Chemical Industries . 1 +This was a limited release -- only 300 red vinyl and 200 black vinyl copies were put out . This was a limited release -- only 300 red vinyl and 200 black vinyl copies were issued . 1 +After the 2009 Flemish elections , she became Regional Minister of Mobility and Public Works in the Peeters II government . After the 2009 regional elections she became Flemish minister of Mobility and Public Works in the Peeters II Government . 0 +Then in June 2005 came Auzentech , which with its first PCI card , provided the X-Mystique consumer sound card with Dolby Digital Live support . In June 2005 Auzentech , which provided the X - Mystique Consumer sound card with Dolby Digital Live with its first PCI card , came then . 1 +The municipality is divided into the Barrios San José , Isabel , Realengo and Asunción . The municipality is divided into the barrios of Asunción , Isabel , Realengo and San José . 1 +It is situated in the eastern end of Montgomery County and is south of the city of Amsterdam which borders it . It is located in the eastern end of Montgomery County and borders south to the city of Amsterdam , which is it . 0 +Directed by Jonathan Silverstein the cast featured Laura Reynolds ( Heidi Armbruster ) , Craig Mathers ( Dan McCabe ) and Bill Reynolds ( Tom Lee ) . Directed by Jonathan Silverstein , Laura Reynolds ( Heidi Armbruster ) , Craig Mathers ( Dan McCabe ) and Bill Reynolds ( Tom Lee ) were shown in the cast . 1 +It was printed in 1985 by Kids Can Press and published in Hong Kong by Everbest . It was published by Kids Can Press in 1985 and was printed by Everbest in Hong Kong . 0 +He also does not like the world of the farm and always says he is a lead and criticizes two of Shakespeare 's most common monologues . Also , he does not like the world of court and always says it . He is a lead , and criticizes two of Shakespeare 's most common monologues . 0 +In the final , 6 : 0 , 6 : 4 , Kiki Bertens and Johanna Larsson won the title , defeated Anabel Medina Garrigues and Arantxa Parra Santonja . Kiki Bertens and Johanna Larsson won the title , defeating Anabel Medina Garrigues and Arantxa Parra Santonja in the final , 6 -- 0 , 6 -- 4 . 1 +The Titimoiu River is a tributary of the Ceapa River in Romania . The River Titimoiu is a tributary of the River Ceapa in Romania . 1 +Two quasi-similar C contractions have the same minimal function and therefore the same spectrum . Two quasi-similar C contractions have the same minimal function and hence the same spectrum . 1 +The species was discovered in 2013 and named and described in 2015 by Samuel P. Iglésias and Lou Frotté . The species were discovered in 2013 and were named and described by Samuel P. Iglésias and Lou Frotté in 2015 . 1 +Reed was awarded the Conspicuous Gallantry Medal , while Magennis and Fraser both received the Victoria Cross and Smith was promoted to Lieutenant in December 1945 . Reed received the Conspicuous Gallantry Medal , while Magennis and Fraser were both awarded the Victoria Cross . Smith was promoted to temporary lieutenant in December 1945 . 1 +The organization also runs a free paediatric center within the Mayo Refugee camp , on the outskirts of Khartoum since December 2005 , and in Port Sudan since 2011 . The organization also operates a free pediatric center within the Mayo Refugee Camp , since December 2005 on the outskirts of Khartoum and since 2011 in Port Sudan . 1 +"The Greek - Cypriot singer and songwriter Andy Paul represented Cyprus with the song "" Anna Maria Lena "" at the Eurovision Song Contest in 1984 in Luxembourg ." "Andy Paul is a Greek Cypriot singer and songwriter . He represented Cyprus with the song "" Anna Maria Lena "" in the Eurovision Song Contest 1984 in Luxembourg ." 1 +Other languages that were spoken at home included Mandarin 3.0 % , Cantonese 1.9 % , Greek 1.8 % , and Italian 1.7 % . Other languages spoken at home included Mandarin 3.0 % , Italian 1.9 % , Cantonese 1.8 % and Greek 1.7 % . 0 +The Banach - Mackey - topology and the weak Arens - space topology are used relatively rarely . The Arens -- Mackey topology and the weak Banach space topology are relatively rarely used . 0 +This is a list of the etymology of street names in the London district of Covent Garden . This is a list of the etymology of street names in London 's Covent Garden district . 1 +Hirasea diplomphalus is a species of small air-breathing snail , a terrestrial pulmonate gastropod mollusk in the Endodontidae family . Hirasea diplomphalus is a species of terrestrial pulmonate air-breathing land snail , a small gastropod mollusk in the family Endodontidae . 0 +William de Roumare 's death inherited his son -- Roger , Count of Lincoln -- the manor . After Roger 's death inherited his son -- William de Roumare , Earl of Lincoln -- the manor house . 0 +Patrick Aussems ( born February 6 , 1965 in Moelingen , Belgium ) is a former Belgian football player and former coach of the National Team of Nepal . Patrick Aussems ( born 6 February 1965 in Moelingen , Nepal ) is a former Belgian footballer and the former coach of the Belgium national football team . 0 +The T helper cells also activate B cells , which are then in the presence of these antigens , causing the production of autoantibodies . T helper cells then activate B cells , which are also in the presence of these antigens , which causes the production of autoantibodies . 0 +The Rockox House is a Belgian private residence of the Rockox family and former museum of KBC Bank in the city of Antwerp , Belgium . The Rockox House is a Belgian private house of the Rockox family and former museum of the KBC Bank in Antwerp , Belgium . 1 +"Phon Sai is a district ( "" Amphoe "" ) in the northeastern part of the province of Roi Et in southeastern Thailand ." "Phon Sai is a district ( "" Amphoe "" ) in the southeastern part of the province of Roi Et , in northeastern Thailand ." 0 +The 375th Airlift Squadron ( 457 AS ) is part of the 457th Air Mobility Wing and is stationed at Andrews Air Force Base , Maryland . The 375th Airlift Squadron ( 457 AS ) is part of the 457th Air Mobility Wing and is located at the Andrews Air Force Base , Maryland . 1 +He was a son of the surgeon Timothy Hosmer ( born 1740 in Middletown , Connecticut , died in 1820 in Canandaigua , New York ) . He was a son of surgeon Timothy Hosmer ( born in Middletown , Connecticut , in 1740 ; died in Canandaigua , New York , in 1820 ) . 1 +Yıkılgan is a village in the District of Amasya , Amasya Province , Turkey . Yıkılgan is a village in the district Amasya , Turkey , province of Amasya . 1 +In 1986 , Lesotho supported the coup in South Africa , which brought Justin Lekhanya to power . In 1986 , Lesotho supported the coup d'état in South Africa which brought Justin Lekhanya to power . 1 +Suzuki Beane is a humor book written in 1961 by Sandra Scoppettone and illustrated by Louise Fitzhugh . Suzuki Beane is a humorous book , written by Louise Fitzhugh in 1961 and illustrated by Sandra Scoppettone . 0 +Jumping , flying or wingsuit parachuting from a fixed structure or cliff . Jumping , is parachuting or wingsuit flying from a fixed structure or cliff . 0 +Boyd was selected in the 177th round , 6th overall , by the Capitals in the 2011 NHL Entry Draft . In the 6th round , 177th Overall , selected by the capitals in the 2011 NHL Entry Draft . 0 +He died on July 23 , 1942 at his home in Bridgeton and is buried at the Old Broad Street Presbyterian Church and Cemetery in Trenton . He died in his home in Trenton on 23 July 1942 and is buried in the Old Broad Street Presbyterian Church and Cemetery in Bridgeton . 0 +James the Fat would never return to his native Scotland , he would remain in Ireland until his death , his widowed mother and sister remained in Scotland . James the Fat would never return to his native Scotland , he remained in exile until his death in Scotland , his widowed mother and sister remained in Ireland . 0 +According to Smith , the Aaronic priesthood was restored to him and Oliver Cowdery on May 15 , 1829 , somewhere in the woods near the home . According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the forest near the home . 0 +There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more popular in Ireland than in Scotland . There are shorts in Kirkcudbrightshire East Scotland and a few McGirrs listed , but the name McGirr is far more prominent in Scotland than it is in Ireland . 0 +In many provinces , mosques were bombed and Hui was slaughtered or destroyed by Japanese troops . Mosques were destroyed and in many provinces Hui were slaughtered by Japanese troops or bombed . 0 +Cole then captures Magrud 's henchman , Dutchie , and his men , and kills Magruder 's armored train . Cole then kills Magruder 's henchman Dutchie and his men and takes Magruder 's armored train . 0 +"His international English feature film "" Déjàvu "" with British actors premiered at the 54th Locarno International Film Festival ." "His international English feature film "" Déjàvu "" with British actors premiered at the 54th International Film Festival in Locarno ." 1 +However , the format was only released in full screen mode ( 1 : 33 : 1 ) instead of wide screen . However , the format was only released in wide screen ( 1 : 33 : 1 ) instead of full screen . 0 +Sandra Miesel and Carl Olson explain that , contrary to the book 's claims , the gnostic gospels ( e.g . Carl Olson and Sandra Miesel state that contrary to the book 's claims , the Gnostic Gospels ( e.g . 1 +The Bay of Arauco or Bahia de Araucan is a bay on the coast of the province of Arauco , in the region Bío Bío in Chile . Bay of Arauco or Bahia de Araucan , is a bay on the coast of the Bío Bío region , the province of Arauco , Chile . 0 +"So , based on the A3 , the "" A3L "" type built from aluminum was developed ." "Based on the A3 , the type "" A3L "" was developed from aluminum ." 1 +Now to find the indifference bid price solve for formula _ 31 Now resolve the indifference bid price for Formula 31 to solve . 0 +As promised , only 28 % of the predicted amount has been reimbursed since 2015 . As predicted , only 28 % of the promised amount has been refunded since 2015 . 0 +The title track was sung by Yugabharathi and is composed by Priya Hemesh with lyrics by V. Harikrishna . The title track was composed by V. Harikrishna and is sung with texts by Yugabharathi by Priya Hemesh . 0 +Boyd was the son of Alexander , 3rd Lord Robert Boyd . Robert Boyd was the son of Alexander , Lord Boyd . 0 +In 1877 he went to Connecticut , but soon returned to California and returned to the Republic of Salvador in the fall of 1879 as a state geologist . In 1877 he went to Connecticut but soon went back again to California and in the fall of 1879 returned to the Republic of Salvador as State Geologist . 1 +Gold Label Entertainment is still referred to as EMI in the distributed materials such as the Red Bus Airplay calculation . In the circulated materials such as the Red Bus Airplay Calculation , Gold Label Entertainment is still referred as EMI . 1 +His father John ( 1662 -- 1706 ) and his brother Robert were both Members of Parliament . His father John ( 1662 - 1706 ) and his brother Robert were both members of the parliament . 1 +"was introduced first by Bharathiraja in the film "" Alaigal Oivathillai "" ." "First Bharathiraja was presented by Karthik in the film "" Alaigal Oivathillai "" ." 0 +Shortly after Sandra 's birth , Ellis became aware that a previous diagnosis of a hernia was incorrect . Shortly after Ellis ' birth , Sandra became aware that a previous diagnosis of a hernia was wrong . 0 +Here is an example in Smalltalk of a typical access method to return the value of a variable using Lazy Initialization . Here is an example in Smalltalk , of a lazy accessor method to return the value of a variable using typical initialization . 0 +The National Ports Authority provides port infrastructure and commercial services at the eight marine seaports in South Africa . The National Ports Authority provides port infrastructure and commercial services at the eight seaports in South Africa . 1 +Arie Luyendyk conceded the lead at the start , but Robby Gordon kept second place with Tony Stewart in Turn 3 . Arie Luyendyk kept the lead at the start , but Tony Stewart ranked second in Turn 3 with Robby Gordon . 0 +He married Agnes Theodora Walther , daughter of Vagn Petersson in 1881 , and his son is the botanist and sketch artist Vilhelm Theodor Walther . He married Agnes Theodora Walther , the daughter of Vagn Petersson , in 1881 and his son is the botanist and sketch artist Vilhelm Theodor Walther . 1 +The private foundation operates under independent law with foundation capital of the governments of Germany and the state of North Rhine-Westphalia . The independent foundation operates under private law with foundation capital from the governments of Germany and the State of North Rhine-Westphalia . 0 +The term Siyin , however , is local and Sizang is official terminology . The term Siyin is official , however , and Sizang is local terminology 0 +The father of Mervyn Paice wrote a letter to Menachem Begin and asked him to spare his son 's life . The father of Menachem Begin wrote a letter to Mervyn Paice asking him to spare his son 's life . 0 +As playing fields were sold near the school , Fender Field was later developed . As playing fields nearer the school were developed , Fender Field was later sold . 0 +Belchertown was first settled in 1731 and was officially incorporated in 1761 as Cold Spring , then the name was changed to Belcher 's Town , and later Belchertown . Belchertown was first inhabited in 1731 and was officially mentioned as Cold Spring in 1761 , later the name was changed to Belcher 's Town and then to Belchertown . 1 +On 7 September 2011 , the Blue House officially scrapped plans for a foundational tax deduction , marking the rich end of Mbnomics . On 7 September 2011 , the Blue House officially scrapped plans for a basic tax deduction , marking the rich end of Mbnomics . 1 +This drama is directed by Naeem Khan , written by Doctor Ali Arslan and produced by Eveready Pictures . This drama is headed by Naeem Khan , written by Doctor Ali Arslan and produced by Eveready Pictures . 1 +The castle is used now as a fancy place near Madrid for glamorous weddings , social events , banquets and so on . The castle is now used as a glamorous place near Madrid for unusual weddings , social events , banquets and so on . 0 +"The river , also known as "" Mauritius "" , was sometimes named after the Count ." "The river , sometimes also known as the "" Mauritius "" , was also named after the Count ." 0 +Often , negative growth is also accompanied by a negative output gap in an economy ( where potential production exceeds actual demand ) . Negative growth is often accompanied by a negative output gap in an economy ( where actual output exceeds potential demand ) . 0 +The hurricane killed one person directly , and indirectly two in the state . The hurricane killed one person indirectly and killed two immediately in the state . 0 +For the 1951 season , the circuit merged with the Arizona - Texas League to form the Southwest International League . For the 1951 season , the circuit merged with the Arizona -- Texas League to form the Southwest International League . 1 +During the First World War , Cary served with a German regiment fighting in the Nigerian colony of Cameroon . During the First World War , Cary served a German regiment in the Nigerian colony of Cameroon . 1 +He became the 1st Governor of Cebu , who once was a Governor of Samar in the early 1900s . He was the first governor of Cebu , who once became Governor of Samar in the early 1900s . 0 +He also returned to the Auckland Rugby League competition and then played for the Auckland Lions at Bartercard Cup level before being signed by the New Zealand Warriors . He then returned to the Auckland Rugby League competition and played for Auckland Lions at the Bartercard Cup Level before being signed by the New Zealand Warriors . 0 +Over the years , ACT-R models have been cited in more than 700 different scientific publications and have been used more in many other areas . Over the years , ACT-R models have been used in more than 700 different scientific publications , and have been cited in many more . 0 +John Carter lost the third round of the UK Championship against John Higgins in 6 -- 2 . John Higgins lost in 6 -- 2 the third round of the UK Championship to Carter . 0 +Producers from the state are RJD2 ( Akron ) and Drama Beats ( Columbus ) . State producers are RJD2 ( Akron ) and Drama Beats ( Columbus ) . 1 +Westfield Liverpool is a major shopping centre in Liverpool , a suburb of Sydney . Westfield Liverpool is a major shopping centre , located in Liverpool , a suburb of Sydney . 1 +Psalm 96 ( Greek numbering : Psalm 95 ) is one of the Psalms in the Biblical Psalms Book . Psalm 96 ( biblical numbering : Psalm 95 ) is one of the psalms in the Greek Book of Psalms . 0 +They were formed in January 1961 to replace the Trail Smoke Eaters who traveled to Europe to represent Canada at the 1961 World Ice Hockey World Championships . They were formed in January 1961 to replace the Trail Smoke Eaters who traveled to Canada to represent Europe at the 1961 World Ice Hockey Championships . 0 +On 2 February 2009 , the French striker , in agreement with the Brazilian team , cancelled his contract with Sochaux . On 2 February 2009 the Brazilian striker has terminated his contract with Sochaux in agreement with the French team . 0 +He finished his career playing for European teams in various leagues . He finished his career by playing for European teams in various leagues . 1 +The series ends with Cassie reconciling with Wonder Woman , who tells Cassie that she has become her own woman . The series ends with Cassie reconciling with Wonder Woman , who tells Cassie that she has become her own wife . 1 +The standards were approved by the California Energy Commission on 5 November 2003 and adopted on 21 July 2004 by the Building Standards Commission . The standards of 2005 were adopted by the California Energy Commission on November 5 , 2003 and approved by the Building Standards Commission on July 21 , 2004 . 0 +Sometimes they are consumed with beer and are often a snack . They are sometimes consumed with beer and are often a bar snack . 1 +Both in 2001 Mark Warner and John Kerry in 2004 lost Loudoun and Prince William counties . Both Mark Warner in 2001 and John Kerry in 2004 lost Loudoun and Prince William counties . 1 +Neuqua Valley High School , along with three elementary schools and 19 middle schools from this district , are within Naperville city limits in the southern part . Neuqua Valley High School , together with three secondary schools and 19 elementary schools from this district , are within Naperville city limits in the southern part . 0 +The 1960 San Diego State College football team represents the NCAA College Division , during the 1960 San Diego State Aztecs football season . The 1960 San Diego State Aztecs football team represents San Diego State College during the NCAA College Division Football season in 1960 . 0 +Daniela Castro Arellano ( born Daniela Castro on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro ( born Daniela Castro Arellano on August 17 , 1966 in Mexico , City , Mexico ) is a Mexican Irish actress and singer . 0 +In June 2017 , when Sampaoli was appointed the new national team boss , Scaloni was reappointed as his assistant . In June 2017 , when Sampaoli was named as the new national team boss , Scaloni was again appointed his assistant . 0 +1843 : China : Sailors and marines from the Canton were landed after a clash between Americans and Chinese at the trading post in St. Louis . 1843 : China : Sailors and Marines from the Canton were landed at the trading post in St. Louis following a clash between Americans and Chinese . 1 +The small village is inhabited mainly by people of East Indian origin , there are Hindu temples and mosques and there is a main church . The small village is mainly inhabited by people of East Indian descent . There are Hindu temples and mosques and there is one main church . 1 +Based on the city of Baltimore , never visited , mentioned only in the show . Based on the city of Baltimore , never visited , only mentioned in the show . 1 +Viviano Codazzi was an important contemporary artist of the genre , whose work was influenced by Alessandro Salucci . Viviano Codazzi was an important contemporary practitioner of the genre whose work was influenced by Alessandro Salucci . 1 +Buendía also criticized the role of the US government and the CIA in Mexico , and often published names of American officials involved in secret operations . Buendía often criticized the role of the US government and the CIA in Mexico , and also published names of American officials involved in secret operations . 0 +"This change in name meant that the Nazi party would be "" placed "" under the NSRL ." "This name change meant that the NSRL would be "" placed under "" the Nazi Party ." 0 +Both track sections were abandoned with the Hurtsboro segment in 2002 and the Lafayette line in 2003 . Both track segments were abandoned beginning with the Hurtsboro segment in 2002 and the Lafayette line in 2003 . 1 +During peak hours , Bedford services continue to Kentish Town . During peak hours , the Bedford services continue to Kentish Town . 1 +On August 21 , Olaf came from a warm south of Acapulco over extremely disturbed waters . Olaf came from a disturbed south of Acapulco on 21 August over extremely warm waters . 0 +Re-elected were the incumbents Church , Tremain , Vanderpoel , and Johnson , while the incumbent , Richmond , was defeated . The incumbents Church , Tremain , Vanderpoel and Johnson were re-elected . The incumbent Richmond was defeated . 1 +This circuit is said to have appeared in the earliest evolution of the invertebrate brain and corresponds to the reptilian brain of the triune - brain theory . This circuit is said to have appeared in the earliest evolution of the invertebrate brain and corresponds to the reptilian brain of triune brain theory . 1 +Llandow ( Wick Road ) Halt railway station was a short-lived railway station in South Wales . Halt station of Llandow ( Wick Road ) was a short-lived railway station in South Wales . 1 +There is also a large number of mixed European and Chinese Liverpudlians of the Chinese ethnic group , descendants of former generations of Chinese settlers in the city . There is also a large number of Chinese Liverpudlians of the mixed European and Chinese ethnic groups , descendants of former generations of Chinese settlers in the city . 0 +On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competition career in rhythmic gymnastics . On 4 November 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic gymnastics . 0 +"The dividends have increased the entire "" real "" return on the average equity to double , about 3.2 % ." "The dividends have increased the total "" real "" return on average equity to the double , about 3.2 % ." 1 +The human dimension focuses on three sub-categories : healthy diet , movement and the physical body ( circulatory system , digestive system and skeletal systems ) . The physical dimension focuses on three sub-categories : healthy eating , exercise , and the human body ( digestive system , skeletal system and circulatory systems ) . 0 +Keerthi has published the Sahasa Simha Comics Series which is distributed by India Book House ( IBH ) . Keerthi has published the Sahasa Simha Comics series , which is being distributed by India Book House ( IBH ) . 1 +Morton was the son of John Morton , a Member of Parliament for Shaftesbury , and the nephew of William Morton , the Archbishop of Canterbury . Morton was son of William Morton , Member of Parliament for Shaftesbury , and the nephew of John Morton , the Archbishop of Canterbury . 0 +"The "" total "" binding energy per nucleon "" would be this value divided by "" A "" ." "The total energy binding per nucleon "" would be this value divided by "" A "" ." 0 +Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and German writer . Fritz Hoenig ( 1848 -- 1902 ) was a German officer and military writer . 0 +In Finnmark , he completed several of the paintings he had outlined on his 1832 Stockholm tour . In Stockholm he completed some of the paintings he had outlined on his Finnmark tour in 1832 . 0 +The unwritten ( and possibly unpublished ) stories of series three are : The unpublished ( and possibly unwritten ) stories of the three series are : 0 +In 2001 , Sir Michael Frank Williams brought Williams to Senior Operations Engineer . In 2001 , Sir Michael brought Frank Williams to Williams as Senior Operations Engineer . 0 +"He dismissed George Meredith as a "" harmless rustic "" but admired Thomas Hardy for his appreciation of beauty ." "He dismissed George Meredith as "" harmless rustic "" , but admired Thomas Hardy for his appreciation of beauty ." 1 +The elevation of the island is , and it has a coastline of length . The elevation of the island is , and it has a shoreline of length . 1 +Aditya is worn on a tiny island where he helps the magical locals to defeat the giant Jhamunda . Aditya is carried to a magical island where he helps the tiny locals defeat the giant Jhamunda . 0 +"Published in Belgium in September 2003 , "" Sharko III "" was later released in France , the Netherlands , Switzerland and Japan ." "Published in France in September 2003 , "" Sharko III "" was later released in Belgium , the Netherlands , Switzerland and Japan ." 0 +People with toxic or sick arthritis usually look septic clinically . People with septic arthritis usually look clinically toxic or sick . 0 +In the first stage of the Promotion , 5 provincial leagues were played , with 9 clubs qualifying for the final round : In the first phase of the promotion , 5 provincial leagues were played , with 9 clubs qualifying for the final : 1 +Gabriel Desjardins served in the 31st and 32nd Canadian Parliaments before being defeated in the 1984 election by Tousignant of the Progressive Conservative party . Tousignant served in the 31st and 32nd Canadian Parliaments before beating the Progressive Conservative Party in the 1984 election by Gabriel Desjardins . 0 +He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in Aurangabad District in Ahmednagar District . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the Aurangabad District in Ahmednagar District . 1 +St Albans was the only son of William Beauclerk , 9th Duke of St Albans , and Elizabeth Catherine , daughter of Major-General Joseph Gubbins . St Albans was the only son of William Beauclerk , 9th duke of St. Albans , and Elizabeth Catherine , daughter of General Joseph Gubbins . 1 +Sankt Georgen am Ybbsfelde is a town in the district of Amstetten in Lower Austria in Austria . Sankt Georgen am Ybbsfelde is a city in the Amstetten district of Lower Austria in Austria . 0 +Following the election , Colin Anderson , the Labour leader of the Council for the last 3 years , was defeated in a leadership election of Bob Symonds . Following the election the Labour leader of the council for the previous 3 years , Bob Symonds , was defeated in a leadership election by Colin Anderson . 0 +The Fixer Uppers is a short film from 1935 with Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . The Fixer Uppers is a 1935 short film starring Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . 0 +It was revealed during the hearings that neither Lewis nor Forbes knew that Claude had feathered the number . During the hearings , it was revealed that neither Lewis nor Forbes knew that Claude had feathered the No . 1 +The tournament was hosted again in 2006 in San Francisco , where it was resumed for two years . The tournament was re-organized in San Francisco in 2006 , where it was resumed for two years . 1 +"Khukaria is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia "" tehsil "" ." "Khukaria is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia "" tehsil "" ." 1 +Resettled people were mostly important in the region from Virginia north to New Jersey numerically . Indentured people were numerically important mostly in the region from New Jersey north to Virginia . 0 +Born in New York City , he grew up in Athens , Greece , and then in North Grafton , Massachusetts . He was born in New York City , and grew up in Athens , Greece , and then North Grafton , Massachusetts . 1 +However , there was only one scholarship awardee and Qian published two or three more articles than Li , so Qian was preferred . There was only one scholarship however , and Li published two or three more articles as Qian , so Qian was preferred . 0 +Hog Island is a center and camp for the Maine chapter of the National Audubon Society . Maine is a centre and camp for the Hog island chapter of national Audubon society . 0 +Former Vice Rector Jürgen Willer was elected as former rector of the Danube University Krems . The new vice rector Jürgen Willer was elected as former rector of the Danube University Krems . 0 +""" Opson "" is therefore Banchan in Korean cuisine and Okazu in Japanese cuisine equivalent ." """ Opson "" is therefore equivalent to Banchan in Korean cuisine and Okazu in Japanese cuisine ." 1 +D. The intellectual and moral life of Catholic students through religious education , social activities and cultural participation to promote and develop . D. The intellectual and moral life of Catholic students through religious education , cultural activities and social participation to promote and develop . 0 +The presence of ravens all over Tokyo led Ibira to notice the same of cats and welcome the Yurines as catgirls . The presence of ravens all over Tokyo led Ibira to notice the same of cats and conceive the Yurines as catgirls . 0 +Hugo Santana Páez ( born September 5 , 1967 ) is a former football manager and Mexican player . Hugo Santana Páez ( born September 5 , 1967 ) is a former Mexican football manager . 1 +He moved to Quebec in 1685 and lived for some time in New - France . Around 1685 he moved to Neu - France and lived for some time in Quebec . 0 +"Since horses with only one copy of the normal gene were defective , the mutation was labeled "" e "" or sometimes "" E "" ." "Since horses with only one copy of the normal gene were defective , the mutation was called "" e "" or sometimes "" E "" ." 1 +The remaining three Pokolgép members , Tarcza , Pazdera and Kukovecz , started to search for a new singer and second guitarist . The remaining three Pokolgép members , Tarcza , Pazdera and Kukovecz started to look for a second singer and new guitarist . 0 +It is a commercial in the production of the intermediate polymer EPDM . It is an intermediate product in the production of the commercial EPDM polymer . 0 +"It was recorded on his album "" From Elvis in Memphis "" and was released on 18 February 1969 at the American Sound Studio in Memphis ." "It was recorded on his album "" From Elvis in Memphis "" and was released in American Sound Studio in Memphis on February 18 , 1969 ." 1 +It consists of two parts , Zemendorf and Stöttera , which are both upstream from Pöttelsdorf and downstream from Antau on the Wulka . It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka upstream from Pöttelsdorf and downstream from Antau . 1 +RK is the cathode resistor and rtot is the external combination of RP ( parallel resistor ) and rload . RK is the cathode resistor and Rtot is the external combination of RP ( parallel plate resistor ) and Rload . 1 +We see laughter , we see the faces , we hear the music . We hear laughter , we see the faces , we see the music . 0 +The term is sometimes used in exclusive reference to Mexico and Guatemala . The term is sometimes used in exclusive reference to Guatemala and Mexico . 1 +Moncena Dunn ( 1582 - 1644 ) was a 9th grandfather of Stephen Hopkins . Stephen Hopkins ( 1582 -- 1644 ) was a 9th great grandfather of Moncena Dunn . 0 +Charles Gowan was born in New York in 1849 or 1850 , and migrated to Wisconsin early in life . Charles Gowan was born in New York in 1849 or in 1850 and emigrated early to Wisconsin . 1 +According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , so TNA gave the promos to Anarquia . According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so TNA gave its promos to Anarquia . 0 +The Jecnova River is a tributary of the River MureÅ in Romania . The Jecnova River is a tributary of the Mureş River in Romania . 1 +Bienville Parish is located in northern Mount Lebanon ( 32.511680 , -93.041382 ) . Bienville Parish is located in northern Mount Lebanon at ( 32.511680 , -93.041382 ) . 1 +Riggs was born in Atlanta , Georgia , the son of William Riggs ( born Carlton ) and Gina Ann . He has a younger brother , Grayson . Riggs was born in Atlanta , Georgia , the son of William Riggs ( née Carlton ) and Gina Ann . He has a younger brother , Grayson . 1 +Lielplatone parish is an administrative unit of the Jelgava District ( prior to the 2009 administrative reforms the Jelgava Municipality ) , Latvia . Lielplatone Parish is an administrative unit of the district of Jelgava ( prior to the administrative reforms of the municipality of Jelgava in 2009 ) , Latvia . 1 +Predrag Stevanović ( born March 3 , 1991 ) is a Serbian footballer who plays for Wattenscheid 09 , an elderly brother of Aleksandar Stevanović . Aleksandar Stevanović ( born 3 March 1991 ) is a Serbian footballer , who plays for Wattenscheid 09 . He is an older brother of Predrag Stevanović . 0 +The museum leased the locomotive and operated # 2719 through its affiliate , the North Shore Scenic Railroad . The museum operated the locomotive and leased the North Shore Scenic Railroad # 2719 through its subsidiary . 0 +Nyceryx tacita is a moth of the family Sphingidae , which is found from Bolivia to Mexico , Guatemala , Costa Rica and Panama . Nyceryx tacita is a moth of the family Sphingidae . It is found from Mexico , Guatemala , Costa Rica and Panama to Bolivia . 0 +In life , the bodily functions of the soul are restricted by rational and intelligent senses of pleasure , pain , sight , and sound . In life , the rational and intelligent functions of the soul are restricted by the physical senses of pleasure , pain , sight and sound . 0 +The son of James Jeffords , who served as Chief Justice of the Vermont Supreme Court , Olin M. Jeffords was born in Rutland , Vermont . The son of Olin M. Jeffords , who served as the chief justice of the Supreme Court of Vermont , was born James Jeffords in Rutland , Vermont . 0 +The isogonal conjugates of the Fermat points are the isodynamic points and vice versa . The isogonal conjugates of the fermat points are isodynamic points and vice versa . 1 +In 1997 , Sandy Lam , Qi Yu , Prudence Liew and Teresa Carpio released a cover of the song , along with What A Wonderful World In 1997 , Sandy Lam , Qi Yu , Prudence Liew , and Teresa Carpio published a cover of the song , together with What A Wonderful World 1 +Paul Annacone won against Andre Agassi in the final with 6 -- 2 , 6 -- 4 . Andre Andre Agassi won against Paul Annacone in the final with 6 -- 2 , 6 -- 4 . 0 +In 2001 , Sir Frank Williams brought Michael Senior Operations Engineer to Williams . In 2001 , Sir Michael brought Frank Williams as Senior Operations Engineer at Williams . 0 +The mountain was named by Marie Henri Daniel Gauthier , after French naval officer Jules de Blosseville , comte de Rigny ( 1782 -- 1835 ) . The mountain was named by Marie Henri Daniel Gauthier after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) . 1 +The reservoirs that form the chain are from the north-west to the southeast : Little Swinburne Reservoir → Hallington Reservoirs → Catcleugh Reservoir → Colt Crag Reservoir → Whittle Dene . The reservoirs that form the chain are from the northwest to the southeast : Catcleugh Reservoir → Colt Crag Reservoir → Little Swinburne Reservoir → Hallington Reservoirs → Whittle Dene . 0 +Fritz Heider wrote that people tend to view behavior in one of two ways ; the cause of situational factors or of dispositional factors . Fritz Fritz Heider wrote that people tend to regard behavior in one of two ways : the cause of dispositional factors or of situational factors . 1 +Surrounding suburbs are ( from north to south ) : Balgownie , West Wollongong , Mount Ousley , Mount Pleasant , Keiraville , Figtree and Mount Kembla . The surrounding suburbs ( from north to south ) are Balgownie , West Wollongong , Mount Ousley , Mount Pleasant , Keiraville , Figtree and Mount Kembla . 1 +It is south of the Sunset Memorial Gardens and east of the Evansville Regional Airport cemetery . It is located south of the Sunset Memorial Gardens and east of the Evansville Regional Airport cemetery . 1 +Ippolita Rostagno was born in Florence on December 10 , 1963 and is the daughter of an American artist and an Italian intellectual . Ippolita Rostagno was born on December 10 , 1963 in Florence and is the daughter of an Italian artist and an American intellectual . 0 +"The pericarditis is divided into "" acute "" and "" chronic "" forms depending on the time and duration ." "Depending on the time of presentation and duration , pericarditis is divided into "" acute "" and "" chronic "" forms ." 0 +These prohibitions are rarely enforced , and viewing private satellite broadcasts in North Korean homes is legal . These prohibitions are rarely enforced and viewing North Korean satellite telecasts in private homes is legal . 0 +The museum 's building was built in 1948 to designs by Wadsworth , Boston & Tuttle of Portland . The museum building was built in 1948 according to designs by Wadsworth , Portland 's Tuttle of Boston . 0 +These cued monitoring aircraft sent the data to a processing center in Thailand from which target information was sent to the DELTA teams . These sent monitoring aircraft , which sent the data to a processing center in Thailand , from which target information was cued to the DELTA teams . 0 +The reactance is defined as the imaginary part of electrical impedance and is equal , but not generally analogous to reversing the susceptance . Reactance is defined as the imaginary part of Electrical impedance , and is equal but not generally analogous to the inverse of the susceptance . 1 +On June 2 , 2006 the Russian Supreme Court banned Jund al-Sham along with the Palestinian Islamic Jihad group . On 2 June 2006 , the Palestinian Supreme Court banned Jund al-Sham , together with the Russian group of Islamic Jihad . 0 +Nelson also doubled for Paul Cavanagh . Paul Paul Cavanagh doubled also for Nelson . 0 +""" Baseball Bugs "" was directed by Michael Maltese and written by Friz Freleng ." """ Baseball Bugs "" was managed by Michael Maltese and written by Friz Freleng ." 1 +The company currently manages multi-strategy funds , special credit funds , including opportunistic credit funds and institutional credit strategies , real estate funds and other alternative investment vehicles . The company is currently managing opportunistic funds , special credit funds , including multi-strategy credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . 0 +Resemblance is hardly direct or spontaneous for the iconographer , reference rarely to the literal or singular . For the iconographer , similarity is rarely direct or spontaneous , hardly any reference to the literal or singular . 1 +The station was closed on December 8 , 1890 , opened on November 8 , 1969 , and was demolished in 1971 . The railway station was opened on December 8 , 1890 , closed on 8 November 1969 and demolished in 1971 . 0 +"An iOS version called "" Devil May Cry 4 : Refrain "" was announced January 11 , 2011 . It was released on February 3 , 2011 ." "An iOS version called "" Devil May Cry 4 : Refrain "" was released on January 11 , 2011 , and was announced on February 3 , 2011 ." 0 +The Chicago Park District is the oldest and one of the largest park districts in the United States . The Chicago Park District is one of the oldest and one of the largest park districts in the United States . 1 +His mortal remains were later relocated to the British cemetery in the Üsküdar district of Haydarpaşa . His remains were later relocated to the British Cemetery in the Haydarpaşa quarter of the Üsküdar district . 0 +The Karmøy area today refers to the southern part of the island of Skudenes . Today , the Karmøy area refers to the southern part of Skudenes island . 1 +Where Formula 9 is the transcendent lerch function and coth is the hyperbolic kotangen function . Where Formula 9 is the Lerch - Hyperbolicus - function and coth is the transcendent Cotangent - function . 0 +He visited Australia , Tasmania and was shipwrecked in 1856 off the coast of New Zealand . He visited Australia , Tasmania and was shipwrecked on the coast of New Zealand in 1856 . 1 +"Owner Shayne Doyle said "" I have a lot of money invested in sound equipment , I have door people and sound people to pay ." "Shayne Doyle said : "" I have invested a lot of money in sound equipment , I 've door people and sound people to pay ." 1 +The racial composition of the CDP was 98.9 % white , 0.1 % Asian , 0.2 % Native American , and 0.8 % two or more races . The racial makeup of the CDP was 98.9 % white , 0.1 % Native American , 0.2 % Asian , and 0.8 % two or more races . 0 +Martha decides to add James to her story about Olive , renaming him Jimmy . Martha decides to add Jimmy to her story about olive by renaming him in James . 0 +"Savini used his design from the original "" Friday the 13th "" , with the same practice of application as before , but molded from Ted White 's face ." "Ted White used his design from the original "" Friday , the 13th "" , with the same practice of application as before , but shaped by Savini 's face ." 0 +Multilayered dinosaur eggs are known from , in order of discovery , France , Spain , Mongolia , India , Argentina , Utah , Montana , and Canada . Multilayered dinosaurs - eggs are known in order of discovery from France , Spain , Mongolia , India , Argentina , Canada , Montana and Utah . 1 +Ieyoshi 's official wife was Princess Takako ( 1795 -- 1840 ) , the sixth daughter of Prince Arisugawa Orihito . Ieyoshi ’ s sixth wife was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . 0 +In 1986 , Lesotho supported the coup d'état in South Africa which brought Justin Lekhanya to power . Lesotho supported the coup in South Africa in 1986 that brought Justin Lekhanya to power . 1 +The manuscript was presented to Eduard Reuss , the bishop of Imbro , Nicephorus Glykas . The manuscript was presented by Eduard Reuss , Bishop of Imbro , to Nicephorus Glykas . 0 +"Xander Berkeley is played by John Hale ( as Magistrate Hale ) in the 2014 TV series "" Salem "" ." "John Hale was played by Xander Berkeley ( as magistrate hale ) in the 2014 TV series "" Salem "" ." 0 +It transited the Atlantic crossing from Brazil to Liberia , then made east across central Africa to Sudan . It made the Atlantic crossing from Brazil to Liberia , then east of Central Africa to Sudan . 0 +Notable neighborhoods include : McElderry Park , Barclay , Armistead Gardens , Broadway East , Greenmount , and Ellwood Park . Remarkable neighborhoods include : Armistead Gardens , Broadway East , Barclay , Ellwood Park , Greenmount , and McElderry Park . 1 +In 1791 , Hamilton returned to Dublin , where he died , and in 1796 he painted the Irish revolutionary Lord Edward Fitzgerald . In 1791 Hamilton returned to Dublin , where he died . In 1796 he painted Lord Edward Fitzgerald , the Irish revolutionary . 1 +The popular French singers Coralie Clément and Benjamin Biolay , as well as footballers hopeful Grégory Bettiol and actor and cellist Maurice Baquet were born in the city . The popular French singers Grégory Bettiol and Coralie Clément , as well as football player hopeful Benjamin Biolay and actor and cellist Maurice Baquet were born in the town . 0 +Similarly , each node in a cluster has access to large shared memory in a distributed shared memory , in addition to the limited , unshared private memory of each node . Similarly , in shared memory each node of a cluster has access to a large distributed shared memory in addition to each node 's limited non-shared private memory . 0 +If a Teredo client wants to contact a native IPv6 node , it must in practice locate the corresponding Teredo - Relay , e.g . "In practice , when a Teredo client wants to contact a native IPv6 node , it must locate the corresponding Teredo relay , "" i.e ." 1 +The 119th squadron of helicopters was formed in May 1968 as part of the 48th transport helicopter regiment at Niš Airport . The 48th helicopter squadron was formed in May 1968 as part of the 119th transport helicopter - Regiments at Niš Airport . 0 +The cartoons are rather more crude than the technically advanced animation in Ward 's earlier series , which originated from Gamma Productions , a Mexican studio sponsored by Ward . The cartoons are more technically advanced than the rather rough animation in Ward 's earlier series , derived from Gamma Productions , a Mexican studio sponsored by Ward . 0 +It is located in northwestern Pennsylvania ( 41.625296 , -80.297706 ) , in western Crawford County . It is located in western Crawford County at ( 41.625296 , -80.297706 ) , in northwestern Pennsylvania . 0 +His father , Francis , was a cousin and his mother , Martha , the half-sister to Elizabeth ’ s late mother , Maria . His father Francis was a cousin and his mother Elizabeth the half-sister to Maria 's late mother Martha . 0 +Wall Township is located in the 30th Congressional District and is part of New Jersey 's 4th state legislative district . Wall Township is located in the 30th Congressional District and is part of the 4th State Legislative District of New Jersey . 1 +Garha Kalan is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Garha Kalan is a village in the Bhopal region of Madhya Pradesh , India . It is located in Berasia tehsil . 1 +The team added a second car for Thed Bjork in 2006 and was replaced in 2009 by Richard Göransson . The team added a second car for Thed Björk in 2006 , and was replaced by Richard Göransson in 2009 . 1 +Originally taken over by Eli Lilly , oritavancin was discovered and developed in 2001 by InterMune and in late 2005 by Targanta Therapeutics . Originally discovered and developed by Eli Lilly , Oritavancin was taken over by InterMune in 2001 and in late 2005 by Targanta Therapeutics . 0 +"I gathered me also silver and gold ; as it is written , "" And the king made silver to be in Jerusalem as stones "" ( I Kings x ." "I also made silver and gold , as is written : "" And the king gathered silver to be as stones in Jerusalem , ( 1 kings x ." 0 +After 2009 Flemish elections she became regional minister of Mobility and Public Works in the Peeters II Government . After the 2009 Flemish elections , she became Regional Minister of Mobility and Public Works in the Peeters II government . 1 +The school is located in Seminole County , near Winter Springs and Oviedo , despite its postal address of Winter Park , Florida , which is in Orange County . The school is in Seminole County , near Winter Springs and Oviedo , despite its mailing address of Winter Park , Florida , which is in Orange County . 1 +In 1958 , the company got a production structure in Frederikssund and later in Houston , USA . The company got a production structure in 1958 in Houston , USA , and later in Frederikssund . 0 +Callery is located in the southwestern corner of Adams Township in northwestern Butler County , at ( 40.739587 , -80.037211 ) . Callery is located in the northwestern corner of Adams Township in southwestern Butler County ( 40.739587 , -80.037211 ) . 0 +Since 1983 , Ambrosini has played Nyckelharpa as one of the first full-time musicians since the Baroque era outside Sweden . Since 1983 Ambrosini has played the Nyckelharpa as one of the first full-time musicians since the baroque time outside of Sweden . 1 +Eupithecia yunnani is a moth in the Geometridae family it is found in China ( Yunnan ) . Eupithecia yunnani is a moth in the family Geometridae . It is found in China ( Yunnan ) . 1 +Use the appropriate grass and reduce the amount of grass to limit irrigation and maintenance requirements . Use the appropriate grass and limit the amount of grass to reduce the watering and maintenance requirements . 0 +"Adults mainly feed on leaves of "" Corylus avellana "" , "" Quercus "" and "" Crataegus "" species , while larvae possibly feed in leaf litter ." "Adults mainly feed on leaves of the species "" Corylus avellana "" , "" Quercus "" and "" Crataegus "" , while larvae may feed in leaf litter ." 1 +These colibris can be found in open oak or pine forests , in humid and dry forests and in coffee plantations at altitudes of 3,300 feet or lower . These hummingbirds can be found in humid and dry oak or pine forests , in open woodlands and in coffee plantations , at altitudes of 3,300 feet or lower . 0 +The following schools are located in Takanini ( schools in Rosehill , Papakura , and Opaheke are excluded ) : The following schools are located in Papakura ( schools at Rosehill , Takanini and Opaheke are excluded ) : 0 +The recent Sierra Leone Civil War was secular in nature featuring members of Tribal , Muslim , and Christian faiths fighting on both sides of the conflict . The recent civil war in Sierra Leone was secular in nature , with members of Christian , Muslim , and tribal faith fighting on both sides of the conflict . 1 +Tartalo was blind , but not dead yet . Tartalo was dead , but not yet blind . 0 +"Some priority rights , "" national priority rights , are defined by some internal laws ." "Some priority rights , called "" national priority rights "" , are defined by some internal laws ." 1 +A quantum mechanical fluid refers to any system that shows macroscopic effects at the quantum level , such as superfluids , superconductors , ultracold atoms , etc . A quantum fluid refers to any system that shows quantum mechanical effects at the macroscopic level , such as superfluids , superconductors , ultra-cold atoms , etc . 0 +Produced by Arthur Hammerstein , the show by Reginald Hammerstein ( the brother of Oscar Hammerstein II ) was led and was choreographed by Danny Dare . Produced by Oscar Hammerstein II , the show by Reginald Hammerstein was choreographed ( the brother of Arthur Hammerstein ) and was led by Danny Dare . 0 +It is a kind of mainly Byzantine dance , from where , with the main base and the elements of Turkish folkloric music has been adapted . It is a kind of mainly Turkish folkloric dance , from where , with the main base and the elements of Byzantine music has been adapted . 0 +He was born Humphrey Lestocq Gilbert on 23 January 1919 in Chiswick , London . He died on 29 January 1984 in London , England . He was born on January 23 , 1919 in Chiswick , London , England , Humphrey Lestocq Gilbert , and died on 29 January 1984 in London . 1 +In 1993 , Aviance , who was at the time living in New York , was asked by Mother Juan to move to Florida . In 1993 , Aviance who was living in New York City at the time was asked to moved down to Florida by Mother Juan . 1 +Grand Inquisitor ( 1699 -- 1774 ) was a Spanish clergyman who , from 1755 to 1774 , was Manuel Quintano Bonifaz of Spain . Manuel Quintano Bonifaz ( 1699 -- 1774 ) was a Spanish cleric who was Grand Inquisitor of Spain from 1755 to 1774 . 0 +Most recently , Sexson lived with his wife Kerry in Bend , Oregon , and has been a baseball trainer at Summit High School in Ridgefield , Washington since 2014 . Sexson recently lived in Ridgefield , Washington with his wife Kerry . Since 2014 , he has been a baseball coach at Summit High School in Bend , Oregon . 0 +At Lancelot and Elaine 's wedding , Morgaine speaks with Merlin . Elaine speaks with Merlin at Lancelot and Morgaine 's wedding . 0 +"It was described in 2015 as a new species within the new genus "" Gigantopelta "" and was classified in the Peltospiridae family ." "It was classified as a new species within new genus "" Gigantopelta "" in 2015 and it was described within the family Peltospiridae ." 0 +Professor Roman ’ s books have been translated into Portuguese , French , Korean , Chinese , Bulgarian , Czech , Polish , Russian and Spanish . Professor Roman 's books have been translated into Portuguese , French , Korean , Chinese , Russian , Polish , Bulgarian , Czech and Spanish . 1 +The Driveway App also sends real-time feedback to the drivers , including individual driver evaluation , tips and optional value-added services . The Driveway app also sends individual-time feedback to drivers , including real driver score , tips and optional value-added services . 0 +In the first year there were 65 members , 91 members at the end of the second year and 106 members for the third year . There were 65 members in the first year , 91 members at the end of the third year and 106 members for the second year . 0 +All the fixed commemorations below are observed on 17 January by the Orthodox Churches on the Old Calendar . All fixed commemorations below are observed on January 17 by Orthodox Churches on the Old Calendar . 1 +The Istanbul League League season 1907 -- 08 was the first season of the League , Moda FC won the league for the fourth time . The Istanbul Football League season 1907 -- 08 was the fourth season of the League , Moda FC won for the first time the league . 0 +While Rosenkranz was waiting in Havana , Cuba for a ship to Ecuador , the Japanese attacked Pearl Harbor . While rosary was waiting in Havana , Cuba , for a ship to Ecuador , the Japanese attacked Pearl Harbor . 0 +"The delightful slogan is "" city of pure gold , delicious coconuts and pineapples , provincial beaches , mountain and caves , land of spiritual beauty "" ." "The provincial slogan is "" City of pure gold , delectable coconuts and pineapples , delightful beaches , mountain and caves , land of spiritual beauty "" ." 0 +Frank Morison ( 1 January 1881 -- 14 September 1950 ) , ( pseudonym Albert Henry Ross ) , was an English advertising agent and freelance writer . Albert Henry Ross ( January 1 , 1881 -- September 14 , 1950 ) , ( pseudonym Frank Morison ) , was an English advertising agency and freelance writer . 0 +This was the first season for the Giants after the AFL -- NFL merger , in which ten American Football League teams joined the National Football League . This was the first season for the Giants after the AFL - NFL merger , in which ten American Football League teams joined the National Football League . 1 +"It was released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" format ) and was released on Bridge 9 Records in 2003 ." "It was re-released in 2001 on Phyte Records ( CD ) and Platinum Recordings ( 7 "" Format ) and released in 2003 on Bridge 9 Records ." 1 +"In the 1988 miniseries "" Hemingway "" , starring Stacy Keach , Duff Twysden was played by Fiona Fullerton ." "In the miniseries "" Hemingway "" of 1988 with Fiona Fullerton , Duff Twysden was played by Stacy Keach ." 0 +From 2 June 1969 , lectures were held for the first 300 students , and at that time the local workforce consisted of 28 academic lecturers . For the first batch of 300 students , lectures were held beginning from 2 June 1969 . At that time , the academic workforce consisted of 28 local lecturers . 0 +In the Middle Ages , Spain saw a Muslim re-conquest of slow Christian territories . In the Middle Ages , Spain experienced a Muslim re-conquest of slow Christian territories . 1 +The book has a foreword of Vera Baird , one of the lawyers who represented Humphreys , and contributions by Beatrix Campbell and friends of Humphreys . The book has a foreword by Vera Baird , one of the barristers who represented Humphreys , and contributions from Humphreys and friends of Beatrix Campbell . 0 +The Macintosh was the second Apple computer to be delivered with a graphical user interface , with the Apple Lisa being the first . The Macintosh was the second Apple Computer to ship with a graphical user interface , with the Apple Lisa being the first . 1 +However , as soon as he escapes , the native Americans attack Silent Creek and Jamie . However , as soon as he arrives , the Native Americans attack Silent Creek and Jamie escapes . 0 +The conclusions are that we are all manifestations of one perfect spiritual mind and the divine spirit , not a material body . The conclusions are that we are all perfect spiritual ideas of the one divine Mind , and manifest Spirit , not a material body . 0 +Eoacmaea chamorrorum is a sea snail species , a true limpet , a marine gastropod mollusk in the Eoacmaeidae family , one of the families of true limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the Marine limpets . 0 +The Strâmba River is a tributary of the Geamărtălui River in Romania . The Strâmba River is a tributary of the River Geamărtălui in Romania . 1 +These airlines operate more than 80 cities across India and also connect overseas routes after the liberalisation of Indian aviation . These airlines connect more than 80 cities across India and also operate overseas routes following the liberalisation of Indian aviation . 0 +Nearby settlements include the town of Lancaster , the city of Garstang , the village of Hollins Lane , and the hamlets of Potters Brook and Shireshead . Nearby settlements include the city of Lancaster , the town of Hollins Lane , the village of Garstang and the hamlets of Potters Brook and Shireshead . 0 +The first patented air data computer in the USA was developed by John H. Andresen in February 1971 . The first air data computer patented in the US was developed by John H. Andresen in February , 1971 . 1 +"In 2017 , a book of straight photography was published in the early 1970s in LA "" people in cars "" ." "In 2017 , a book of straight photography published in the early 1970s in LA was made , "" People in Cars . """ 0 +The game was launched on May 16 , when the Steam Greenlight campaign was announced . The game was launched on 16 May when Steam Greenlight campaign was announced . 1 +A meeting between the leaders of the two rival governments of Malta was held at Auberge de Castille in Valletta , Libya on 16 December 2015 . On 16 December 2015 , a meeting between the leaders of the two rival governments of Malta took place at the Auberge de Castille in Valletta , Libya . 1 +He has a son , Seamus , who is seen but never mentioned in the series . He has a son , Seamus , who is seen in the series but will never be mentioned . 1 +Each process that wants to initiate a snapshot records its output status and sends a marker on each of its local channels . Each process that wants to initiate a snapshot records its local state and sends a marker on each of its outgoing channels . 0 +Marian Anderson 's body was found by her sister Lolly and Danielle Santos Bernal on November 4 , 2001 . The body of Marian Anderson was found by her sister Lolly and Danielle Santos Bernal on 4 November 2001 . 1 +Weyman Airpark is an airport in New Brunswick , Canada , situated near the Keswick River in Sisson Settlement . Keswick River is an airport located in New Brunswick , Canada , near Weyman Airpark in Sisson Settlement . 0 +"The Swiss teacher Jürgen Reichen ( progressive education ) established this method "" Writing to read "" 1982 ." "The Swiss teacher Jürgen Reichen ( progressive education ) founded this "" writing to read "" method 1982 ." 1 +Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking site that was dissolved in 2009 and launched in 2011 . Indiana Indiana was also the founder and director of Kerchoonz.com , a social networking website that launched in 2009 and was dissolved in 2011 . 0 +Like its neighbour , Scotland , the constituency was one of Labour 's safest seats in Dunfermline East . The constituency , like its neighbour Scotland , was one of the safest seats of Labour in Dunfermline East . 1 +He studied in Damascus until high school and graduated from the American University in Cyprus with a major political science . He studied in Cyprus until high school , and graduated from the American University in Damascus with a major in Political Science . 0 +Nicky Romero ( born 6 January 1989 ) , professionally known as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . Nicky Romero ( born January 6 , 1989 ) , known professionally as Nick Rotteveel , is a Dutch DJ , record producer , musician and remixer . 1 +Harkins married Salina Gardner and Lily Folsom , Daughter of Chief David Folsom and Rhoda Nail . Harkins was married to Salina Gardner and Lily Folsom , daughter of Chief David Folsom and Rhoda Nail . 1 +The characters of Geronimo Stilton also used their other names from the second novel to the sixth . The characters of Geronimo Stilton also used their other names from the second to the sixth novel . 1 +The hamlet is within the Richmond ; the Swaledale ward of North Yorkshire County Council and the Upper Dales Electoral Division of Richmondshire District Council . The hamlet is within the Richmond , the Swaledale Station of the North Yorkshire County Council and the Upper Dales Electoral Division of the Richmondshire District Council . 0 +Orders for prototypes were in December 1930 made with three companies : Renault , Citroën and Brandt . Orders for prototypes were made by three companies in December 1930 : Renault , Citroën and Brandt . 1 +The members of the United Methodist Church gather in Laichingen , while the Catholics in the parish of St. Josef are assigned to Bad Urach . The members of the United Methodist Church gather in Laichingen , while the Catholics are appointed to the parish of Bad Urach in St. Joseph . 0 +He chose Art Levitt , who was previously vice president of resorts and special projects at Disney Parks and Resorts , then CEO of Hard Rock Cafe International . Eisner selected Art Levitt , who was then Disney Parks and Resorts vice-president of resorts and special projects previously CEO of Hard Rock Cafe International . 0 +"said Reid : "" Warren Buffett said all ." "Warren Buffett said , "" Reid said it all "" ." 0 +"Smith also described Wingfield and probably Percy and Newport as "" tufftaffety humorists "" i.e ." "Wingfield and probably also described Percy and Newport as "" tufftaffety humorists "" , i.e ." 0 +""" , Williams turned heel and reformed the British Invasion with Magnus by attacking the team of Eric Young and Orlando Jordan ." Williams turned the heel and reformed the British invasion with Magnus by attacking the Eric Young and Orlando Jordan team . 1 +"He is also the second cousin of Lauren Waters who has played Georgina Hagen in "" Britannia High "" ." "He is , also , the second cousin of Georgina Hagen , who played Lauren Waters in "" Britannia High "" ." 0 +Only one percent of natural diamonds are of this kind , and most are blue to grey . Only one percent of natural diamonds are of this type , and most are blue to grey . 1 +It was the third single of the group and their first release on Silvertone Records . It was the first single released by the group and it was their third release on Silvertone Records . 0 +"He lives with a single and "" modest "" ambition : the world ( the whole planet ) to dominate ." He lives with a humble and single ambition : to dominate the world ( the whole planet ) . 1 +Research in medical physiology began in 1950 through a small group of scientists and military physiologists at the Defence Science Laboratory , Delhi . Research into military physiology began in 1950 by a small group of scientists and medical physiologists at the Defence Science Laboratory in Delhi . 0 +Giuseppe Anatrelli ( 3 January 1925 - 29 November 1981 ) , also known as Geppino Anatrelli , was an Italian film , stage and television actor . Geppino Anatrelli ( January 3 , 1925-November 29 , 1981 ) , also known as Giuseppe Anatrelli , was an Italian film , stage and television actor . 0 +He has previously played for the Anaheim - Angel / Los Angeles - Angels of Anaheim , New York Mets , Baltimore Orioles , Milwaukee Brewers and Detroit Tigers . He has previously played for the New York Mets/Los Angeles Angels of Anaheim , Anaheim Angels , Baltimore Orioles , Milwaukee Brewers , and Detroit Tigers . 0 +This may be caused by the loss of three different genes , each of which has different additional effects , resulting in three types of syndromes . This may be caused by the loss of three different genes , each of which has different effects , resulting in three types of syndrome . 0 +After the 1885 Dictionary of National Biography , Leland is assigned to the first half of the fourteenth century by Ralph Acton and his followers . After the dictionary of the National Biography of 1885 , Ralph Acton is assigned by Leland and his followers to the first half of the fourteenth century . 0 +Stosur then traveled to Fribourg to represent Australia in their Fed Cup tie against Switzerland . Stosur then traveled to Fribourg to represent Australia against Switzerland in their Fed - Cup draw . 1 +In Ramadi , the 2nd BCT of the 28th Infantry Division focused on protecting the main roads and controlling the governor and government center . The 2nd BCT of the 28th Infantry Division concentrated in Ramadi on controlling the main roads and protecting the governor and government centre . 0 +""" Lonely Journey "" and "" Lullaby "" have been used in arranged versions of Hironobu Kageyama in several music collections ." """ Lonely Journey "" and "" Lullaby "" have been used in several music collections in arranged versions sung by Hironobu Kageyama ." 1 +The makeshift canoe was born in 1975 by staff from Bull Creek and is now exhibited in the Aviation Heritage Museum at the Western Australian Museum . The makeshift canoe was recovered by staff from the Western Australian Museum in 1975 and is now on display at the Aviation Heritage Museum in Bull Creek . 0 +This species is distributed in the Gulf of Mexico and the Caribbean Sea ; in the Atlantic Ocean along Brazil . This species is spread in the Gulf of Mexico and the Atlantic , along Brazil in the Caribbean Sea . 0 +The Banu Harith ( or ) is one of the Jewish tribes of Arabia that once ruled the city of Saudi Arabia , which is now in southern Najran . The Banu Harith ( or , ) is one of the Jewish tribes of Arabia which once governed the city of Najran , now located in southern Saudi Arabia . 0 +At the 13th Telecine Awards , Anupam Roy received the Best Lyricist Award from the Special Jury Award for Acting and Parambrata Chatterjee . At the 13th Telecine Awards , it got Anupam Roy the Special Jury Award for acting , and Parambrata Chatterjee , the Best Lyricist Award . 1 +They were designed by Electric Boat and were built under subcontracts by other shipyards . They were built by Electric Boat and were designed by other yards under subcontracts . 0 +Satellite Beach is part of the Metropolitan Statistical Area Melbourne - Palm Bay - Titusville . Satellite Beach is part of the Palm Bay -- Melbourne -- Titusville Metropolitan Statistical Area . 1 +Wagener made the design of this European porcelain , according to the Japanese taste many , with white and blue flowers . The design of this Japanese porcelain , white and blue according to European taste , with many flowers , has been made by Wagener . 0 +The goalies in the game were Henrik Lundqvist for the New York Rangers and Andrei Mezin for Metallurg Magnitogorsk . The goalkeepers in the game were Andrei Mezin for the New York Rangers and Henrik Lundqvist for Metallurg Magnitogorsk . 0 +Other popular options that can be reformulated as a rainbow option are spread and exchange options . Other popular options that can be reformulated as the rainbow option are spread and exchange options . 1 +After the separation of Cream , Bruce and Brown continued to write songs together Brown wrote the lyrics for most of Bruce Solo - albums . After the separation of Cream , Bruce and Brown continued to write songs , Bruce wrote the lyrics for most of Brown 's solo albums . 0 +He died in 1916 , and retired on September 30 , 1918 . He retired in 1916 and died on 30 September 1918 . 0 +Nashville , TN is part of Hopkinsville Television market . Nashville , TN is part of the Hopkinsville television market . 1 +Alliances with CPU set players can only be controlled at the start of the game . Alliances with CPU - Set players can be controlled only at the beginning of the game . 1 +He was a Member of the Parliament of England for Guildford in 1614 and for Newtown , Isle of Wight in 1614 . He was a Member of Parliament of England for Newtown in 1614 and for Guildford , Isle of Wight in 1614 . 0 +Both Phasael and Herod started their careers under their father Antipater , who was appointed Judea Procurator for the Roman Republic by Julius Caesar . Both Phasael and Antipater began their careers under their father , Herod , who was appointed procurator of Judea for the Roman Republic by Julius Caesar . 0 +In 2015 , Indira Jaising she argued the case for Priya Pillai in the Green Peace India case . In 2015 , Indira Jaising she argued the case for Priya Pillai in Green Peace India case . 1 +Ashe was voiced by Kari Wahlgren in English and by Mie Sonozaki in Japanese . Ashe was spoken by Kari Wahlgren in English and by Mie Sonozaki in Japanese . 1 +On July 19 , 1973 , she was sold and scrapped . She was sold on 19 July 1973 and scrapped . 1 +Although sold in Germany , Fonzies is produced in Italy by LU Snack Foods GmbH . Although sold in Italy , fonzies are manufactured by LU Snack Foods GmbH in Germany . 0 +The southern area contains the Tara mountains and the northern area consists of open plains along the coast and the actual city . The northern territory contains the Tara mountains and the southern area consists of open plains along the coast and the actual city . 0 +A condition subsequent is noted for its common use in the law . A subsequent condition is noted in the law for its general use . 1 +He was born and grew up in Titograd ( now Podgorica ) in a family of musicians . He was born in Titograd ( today Podgorica ) and grew up in a family of musicians . 1 +Monica Mæland , Norwegian Trade Minister , led a delegation of 54 companies to Kenya in September 2015 . Norway 's Trade Minister , Monica Mæland , led a delegation of 54 companies to Kenya in September 2015 . 1 +After the 1962 season , Green was traded to the New York Mets along with Felix Mantilla in exchange for Tracy Stallard and Al Moran . After the season in 1962 , Green was traded with Tracy Stallard and Al Moran in exchange for Felix Mantilla , with the New York Mets . 0 +The 1927 Colgate football team represented Colgate University at the College - Football - Season 1927 . The 1927 Colgate University Football team represent Colgate in the College - Football - Season 1927 . 0 +It was written by Bowie and produced by him and David Richards . It was written and produced by Bowie by him and David Richards . 1 +"Amidon 's fourth album , "" Bright Sunny South "" , produced by Bartlett and Jerry Boys , was released 14 May 2013 , his first on Nonesuch Records ." "Amidon 's first album "" Bright Sunny South "" , produced by Bartlett and Jerry Boys , was released on May 14 , 2013 , his fourth on Nonesuch Records ." 0 +"Selena Gomez contributed the song "" Nobody "" to Stevens 's 2015 album "" Revival "" ." "Selena Gomez contributed song "" Nobody "" to Stevens 2015 - Album "" Revival "" ." 1 +Petersfield Museum is a small museum in the local city Petersfield in the English county of Hampshire . Petersfield Museum is a local museum in the small town of Petersfield in the English county of Hampshire . 0 +Chittoor district , is a district in Andhra Pradesh region of the Indian state of Rayalaseema . Chittoor District , is a district in the Rayalaseema region of the Indian state of Andhra Pradesh . 0 +He lives in New York City and teaches at Queens College in Flushing , New York , Hebrew language , literature and culture , and Middle East studies . Chetrit lives in New York City . He teaches Hebrew language , literature and culture , and Middle Eastern studies at Queens College in Flushing , New York . 1 +This book is published by PS Publishing in the USA as a limited edition and as a hardcover and is available in the U.S. via Subterranean Press . This book is published as a limited edition and as a trade hardcover by PS Publishing in the U.K. and is available in The U.S. through Subterranean Press . 0 +Only one percent of blue diamonds are of this type , and most are natural to grey . Only one percent of natural diamonds are of this type , and most are blue to gray . 0 +Bomb the Bass -- Your Soul Lost ? "Lost the Bass -- "" Bomb Your Soul "" ." 0 +Three vessels of the United States Navy have been named after Cowell John G. Cowell . Three ships of the United States Navy have been named John G. Cowell , after Cowell . 1 +The Punjab - headquarters of the Communist Party of India ( Marxist-Leninist ) The liberation in Mansa is known as Baba Bujha Singh Bhavan . The Punjab state headquarters of the Communist Party of India ( Marxist-Leninist ) Liberation in Mansa is known as Baba Bujha Singh Bhavan . 1 +His mother and wife followed him and left Henry IV to Germany . His mother and his wife followed him and left Henry IV to Germany . 1 +Both tournaments , despite the clear distinction between the two confederations , have a tradition to invite countries outside the region . Both tournaments have , despite the clear separation between the two confederations , know a tradition to invite countries outside the region . 1 +Kadria then fled Milić Krstić twice and shot . Kadria shot twice Milić Krstić and fled . 0 +"Tuscany is a "" municipality in the province of Massa and Carrara , Aulla ( central Italy ) ." "Aulla is a "" comune "" in the province of Massa and Carrara , Tuscany ( central Italy ) ." 0 +However , it was purchased by McVities and then acquired by Murdoch Allan and Sons . However , it was bought by McVities and then purchased by Murdoch Allan and Sons . 1 +This layer deals with the electrical plugs and sockets and physical specification of signals only . This layer only deals with the physical plugs and connectors and the electrical specification of signals . 0 +Damerham once was in Wiltshire , but was moved to Hampshire in 1895 . Damerham was once in Hampshire , but was brought to Wiltshire in 1895 . 0 +Alma Peter Crane and Connie Chandler have been nominated by the Independent Party of Utah , and Crane and Chandler received 1,101 votes . The Independent Party of Utah nominated Chandler and Connie Chandler . Crane and Alma Peter Crane received 1,101 votes . 0 +He rejected her and married his current wife for money so that he could rebuild the family business . He married them and rejected his current wife for money , so he could rebuild the family business . 0 +Abhishekapuram is a suburb of the city of Tiruchirappalli in Tamil Nadu , India . It constitutes one of the four zones of the Tiruchirappalli Municipal Corporation . Abhishekapuram is a suburb of the city of Tiruchirappalli in Tamil Nadu , India and forms one of the four zones of the Tiruchirappalli Municipal Corporation . 1 +The constituency is situated in South Wales , on the right bank of the River Afan , near its mouth in Swansea Bay . The constituency is in Swansea Bay , situated on the right bank of the River Afan , near its mouth in South Wales . 0 +He played only 18 games and just came to beat 29 times . He played just 18 games , and came to bat only 29 times . 1 +When Hill died in 1936 , Fletcher was appointed to fill the vacancy until a successor could be elected . In 1936 , when Hill died , Fletcher was appointed to fill the vacancy until a successor could be elected . 1 +Neustadtl an der Donau is a city located in the district of Amstetten in Lower Austria in Austria . Neustadtl an der Donau is a town in the district of Amstetten in Lower Austria in Austria . 1 +"A long-standing story suggests that "" people "" was originally written for "" Mr. Magoo "" , but Theodore Taylor 's biography of Styne disputes this ." "A longstanding story suggests that "" People "" was originally written for "" Mr. Magoo "" , but Styne 's biography of Theodore Taylor disputes this ." 0 +The Grewals are the popular family that was released in the second series of the UK Channel 4 series The Family . The Grewals are the second family that appeared in the popular series of the UK Channel 4 series The Family . 0 +Sankt Georgen am Ybbsfelde is a town in the district of Amstetten in Lower Austria in Austria . Sankt Georgen am Ybbsfelde is a city in the district of Lower Austria in Amstetten , Austria . 0 +"In 1980 , Lucy claimed that the series was written for the poet 's sister Dorothy , but found the Dorothy -- Hunter Davies allusion "" bizarr "" ." "In 1980 , Lucy contended that the series was written for the poet 's sister Dorothy , but found the Dorothy -- Hunter Davies allusion "" bizarre "" ." 1 +The Squeak programming language is a dialect of Smalltalk , which is object-oriented , class-based and reflective . The Squeak programming language is a dialect of Smalltalk . It is object-based , class-oriented , and reflective . 0 +From the early 1980s to the late 1990s , Cabble was the lead singer in the all female rock bands Clinic Q and then Miss B . Haven . From the early 1980s until the late 1990s , Cabble was the lead singer in the female rock bands Clinic Q and then Miss B . Haven . 1 +Herberg demonstrated how immigration and American ethnic culture reflected in religious movements and institutions . Herberg demonstrated how immigration and religious culture were reflected in American ethnic movements and institutions . 0 +These include replicas at Ramat Shlomo in Israel and in Kfar Chabad in Jerusalem . These include replicas in Ramat Shlomo in Jerusalem and Kfar Chabad in Israel . 0 +In 2004 , SCA acquired International Paper 's Tissue and Hygiene products businesses from Carter Holt Harvey . In 2004 , SCA acquired the International Paper Tissue and Hygiene Products division from Carter Holt Harvey . 0 +When Yue Yi conquered the Qi state in the past , he attacked more than 70 cities in Qi , except for Yu and Jimo because of Tian Dan . In the past , when Yue Yi attacked the Qi state , he conquered over 70 cities in Qi , except for Ju and Jimo because of Tian Dan . 0 +The pottery is currently being run by Thomas Arthur Jenkins , son of Alun Jenkins . The pottery is currently run by Alun Jenkins , son of Thomas Arthur Jenkins . 0 +This results in invariant factor decomposition and the diagonal entries of the Smith - normal form are the invariant factors . This yields the invariant factor decomposition , and the diagonal entries of Smith normal form are the invariant factors . 1 +Among her children were Richard Weaver , a member of the Assembly , and Thomas Weaver , a member of the Assembly and the Senate of Wisconsin . Among their children were Thomas Weaver , a member of the Assembly , and Richard Weaver , a member of the Assembly and of the Wisconsin State Senate . 0 +In 1803 , he joined the Canadian Fencibles in Quebec and joined them in 1805 to Scotland . In 1803 , he joined the Canadian Fencibles in Scotland and joined them in 1805 to Quebec . 0 +It was created in 1996 from parts of Prescott and Russell and Stormont , Dundas and Glengarry , when ridings were redistributed to correspond to their federal opponents . It was redistributed in 1996 from parts of Prescott and Russell , and from Stormont , Dundas , and Glengarry , when ridings were created to match their federal counterparts . 0 +Banknotes printed by the three commercial banks are issued in Hong Kong by Hong Kong Note Printing Limited . The banknotes printed by the three commercial banks are issued in Hong Kong by the Hong Kong Note Printing Limited . 1 +The Kontinental Hockey League ( KHL ) Conference Finals are the Eastern Conference and Western Conference Championship series of the KHL . The finals of the Continental Hockey League ( KHL ) Conference are the Eastern Conference and Western Conference Championship series of the KHL . 1 +On William de Roumare 's death , his son -- Roger , Earl of Lincoln -- inherited the manor . After Roger 's death , his son inherited -- William de Roumare , Earl of Lincoln -- the manor house . 0 +Xmonad is a dynamic window manager ( tiling ) for the X Window System written in the functional Haskell programming language . Xmonad is a functional window manager ( tiling ) for the X Window System , written in the dynamic Haskell programming language . 0 +The Danai Udomchoke won the tournament after defeating Samuel Groth in the final with 7 - 6 , 6 -- 3 . Samuel Groth won the tournament after defeating Danai Udomchoke with 7 : 6 , 6 : 3 in the final . 0 +The Dâmboviţa River is a tributary of the Sântinica River in Romania . The river Sântinica is a tributary of the river Dâmboviţa in Romania . 0 +For example , coelurosaurs had poor binocular vision , while large carnosaurs had good stereoscopic or binocular vision , comparable to that of modern alligators . Coelurosaurs , for example , had poor binocular vision , whereas large carnosaurs had good stereoscopic or binocular vision , comparable to that of modern alligators . 1 +The Antarctic Peninsula is an island archipelago off the western coast of the Wilhelm archipelago in Antarctica . The Wilhelm Archipelago is an island archipelago off the west coast of the Antarctic Peninsula in the Antarctic . 0 +Another name of Wincham Park ( Sports Direct Arena ) was hosted in the popular BBC1 TV - Show Room 101 by Frank Skinner . Another name of Sports Direct Arena ( Wincham Park ) was hosted by Frank Skinner in the popular BBC1 TV Show Room 101 . 1 +The opposition Liberals led by Albert C. Saunders gained a large number of seats to defeat the incumbent government of Conservative Premier James D. Stewart . The opposition liberals , led by Albert C. Saunders , won a large number of seats to defeat the incumbent government of Conservative Prime Minister James D. Stewart . 1 +When Arthur Williams Wright retired in 1906 , Bumstead became a professor of physics at Yale College and director of the Sloan Physics Laboratory . When Arthur Williams Wright retired in 1906 , Bumstead became professor of physics at Yale College and Director of the Sloan Physics Laboratory . 1 +There are also two secret religions , which can be unlocked by learning different skills from other religions . There are also two secret religions , which can be unlocked by learning various skills from the other religions . 1 +She is born on April 18 , 1976 in Usera , Spain ( Madrid ) . She was born in Usera , Madrid ( Spain ) on April 18 , 1976 . 1 +Other studies were also presented to the Federal Power Commission by the Congress and the Power Authority of New York . Also other studies were submitted to the Federal Power Commission by the Congress and Power Authority of New York . 1 +Born in 1799 in York ( Toronto ) , he grew up in Kingston . He was born in York ( Toronto ) in 1799 and grew up in Kingston . 1 +"He appeared as an archie mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." "He appeared as Archie Mullen in the 1996 disaster film "" Daylight "" and as George Tyrell in the film "" Freedom Song "" ( 2000 ) ." 1 +The physical basis of the flower is that lenses can never perfectly focus in the real world . The real basis of bloom is that , in the physical world , lenses can never focus perfectly . 0 +Leo Thomas Maher was ordained a priest by Archbishop Mitty on December 18 , 1943 at St. Mary 's Cathedral in San Francisco . Leo Thomas Maher was ordained a priest on December 18 , 1943 by Archbishop Mitty in St. Mary 's Cathedral in San Francisco . 1 +There are 22 species in the genus . 17 species have a dextral shell and 5 species are sinistral . There are 22 species in the genera , 17 species have a dextral shell and 5 species are sinistral . 1 +As professor of Sociology at ETH Zurich , he worked on social game theory and agent-based computer simulations of evolutionary processes and phenomena . As a professor of sociology at the ETH Zurich , he worked on evolutionary game theory and agent-based computer simulations of social processes and phenomena . 0 +Albion was the first community to change the name of its street , followed by Jackson and Marshall in 1924 , Battle Creek 1928 and Kalamazoo in 1929 . Albion was the first community to change the name of its street followed by Jackson and Marshall in 1924 , Battle Creek in 1928 and Kalamazoo in 1929 . 1 +Lewis was also a member of Cleveland Browns , Jacksonville Jaguars , the Oakland Raiders , Seattle Seahawks , Detroit Lions , and Virginia Destroyers . Lewis was also a member of the Oakland Raiders , Seattle Seahawks , Detroit Lions , Jacksonville Jaguars , Cleveland Browns and Virginia Destroyers . 1 +He only lost 3 and he also saved two games . He only lost 3 and he has also saved two games . 1 +The Bazga River is a tributary of the River Bohotin in Romania . The river Bohotin is a tributary of the Bazga River in Romania . 0 +"Ben Peterson of AllMusic gave the album 4 out of 5 stars and consistently called it imaginative and never predictable "" ." "Ben Peterson of AllMusic gave the album 4 stars out of 5 , calling it "" never imaginative and consistently predictable "" ." 0 +86th Airlift Squadron is part of the 309th Airlift Wing on Air Base Chièvres , Belgium . 309th Airlift Squadron is part of the 86th Airlift Wing in Air Base Chièvres , Belgium . 0 +Disney 's later release of the international edition DVD marked the first purchase of distribution rights for an Indian film by a global company . The later release of Disney 's international edition - DVD meant the first purchase of lending rights for an Indian film by a global company . 1 +"After the consolidation with the "" Commercial "" in 1877 , the paper was then renamed and was once again known as "" Commercial Gazette "" ." "After the consolidation with the "" Commercial "" in 1877 , the paper was renamed and was then known as "" Commercial Gazette "" ." 0 +In 1989 , he travelled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . In 1989 , he traveled to Mozambique , Johannesburg , and Angola , South Africa on a peace-seeking mission . 1 +"Erythroid - membrane associated protein is a protein that in humans is responsible for the blood group - system Scianna and is encoded by the "" ERMAP "" gene ." "Erythroid membrane-encoded protein is a protein that in humans is responsible for the Scianna blood group system , and is associated by the "" ERMAP "" gene ." 0 +"The concept of a redistributive system is at least as old as the concept of Pharaoh , which means "" royal house "" and describes the large palace ." "The concept of a redistribution system is at least as old as the concept of Pharaoh , which means "" great house "" and describes the royal palace ." 0 +"Victoria S. Bull ( "" Vicki "" ) was introduced in 2001 as Victor 'apos ; s sister , but has not been seen for many years ." "Victoria S. Bull ( "" Victor "" ) was introduced in 2001 as Vicki ’ s sister , but has not been seen for many years ." 0 +The Predator has been licensed for sale to Egypt , Morocco , Saudi Arabia and the UAE . The Predator has been licensed for sale to Saudi Arabia , Morocco , Egypt , and UAE . 1 +They came from Poland to Russia in the eighteenth century , and their language includes Polish , German and Russian words . They came to Russia in the 18th century from Poland , and their language includes Russian , German , and Polish words . 1 +"Simply put , nine points determine a cubic , but in general , a "" unique "" cubic define ." "Simply put , nine points determine a unique , but in general , define a "" cubic "" cubic ." 0 +In February 2017 , Prodrive announced that they will use a Renault Mégane for Guerlain Chicherit at the FIA World Rallycross Championship in 2018 . In February 2017 , Prodrive announced that they will enter a Renault Mégane for Guerlain Chicherit at the 2018 FIA World Rallycross Championship . 1 +Sashi Bhusan Chaudhuri associates the ancient medas with the modern Mer people . Historian Sashi Bhusan Chaudhuri associates the ancient Medas with the modern Mer people . 1 +She and character Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . She and character actor Leo Fuchs were the parents of the famous Polish-American actor Yakov Fuchs . 1 +Another name of Wincham Park ( Sports Direct Arena ) was hosted in the popular BBC1 TV - Show Room 101 by Frank Skinner . Another name of Sports Direct Arena ( Wincham Park ) was spoken about on the popular BBC1 TV show Room 101 hosted by Frank Skinner . 1 +The West City line is the border of Steuben County , and the southern town line is the border of Ontario County . The west town line is the border of Ontario County , and the south town line is the border of Steuben County . 0 +Additional mixing was carried out by Bill Malina , with assistance from Rice and Ghazi Hourani . Additional mixing was carried out by Bill Malina , with support from Rice and Ghazi Hourani . 1 +Other places are Sultanganj in Deoghar , Jharkhand and Vaidyanath Jyotirlinga in Bhagalpur . Other locations are in Deoghar Sultanganj , Jharkhand and Vaidyanath Jyotirlinga in Bhagalpur . 1 +The NBA season from 1982 to 83 was the 37th season of the National Basketball Association . The 1982 -- 83 National Basketball Association season was the 37th season of the NBA . 1 +On 23 January 2006 , Paul Martin , Prime Minister of Canada , was defeated by Stephen Harper . Stephen Harper was defeated by Paul Martin as Prime Minister of Canada on 23 January 2006 . 0 +The design of this European porcelain , by the Japanese taste many , with white and blue flowers made Wagener . The design of this Japanese porcelain has made Wagener white and blue according to European taste with many flowers . 0 +Morris Township is located in the 11th Congressional District and is part of the 25th State Legislative District of New Jersey . Morris Township is located in the 11th Congressional District and is part of New Jersey 's 25th state legislative district . 1 +After Mary Ann Pederson left in 1975 , Louise Redfield took over the show until 1981 . After leaving Louise Redfield in 1975 , Mary Ann Pederson took over the show until 1981 . 0 +Canadian postage stamps were denominated with the amounts issued in dollars and cents . The Canadian stamps were issued with amounts in dollars and cents . 0 +The central part of the Nescopeck Creek watershed , south of the northernmost line of hills , including the mouth of Black Creek , is also in this range . The northernmost part of the Black Creek watershed , south of the central hill line , including the mouth of Nescopeck Creek , is also in this area . 0 +He started his career as a photojournalist , but soon distinguished himself also as an industrial and advertising photographer and audio-visual producer . He began his career as a photojournalist , but soon also distinguished himself as an industrial and advertising photographer and audio-visual producer . 1 +On the northern side of the administration building the hangars were built 1 -- 4 , on the south side the hangars 5 -- 8 were built . Hangars 1 -- 4 were built on the south side of the administration building , while hangars 5 -- 8 were built on the north side . 0 +The names of Dingwall and Tingwall in Scotland , Thingwall in England , Tynwald on the Isle of Man and Tingvoll in Norway bear the same roots and meanings . The names of Dingwall and Tingwall in England , Thingwall in Norway , Tynwald on the Isle of Man and Tingvoll in Scotland bear the same roots and meanings . 0 +Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha composed the lyrics . Jeetenkumar Naorem and Tony Aheibam wrote the soundtrack for the film and Raju Mikoncha wrote the lyrics . 1 +It was approved by the Constitution of Afghanistan , which was created on January 4 , 2004 . This was approved by the Constitution of Afghanistan , which was created on 4 January 2004 . 1 +"Kazuyoshi Katayama and other animators worked together before working on "" The Big O "" with Yasuhiro Imagawa "" ." "Before working on "" The Big O "" , Yasuhiro Imagawa and other animators worked with Kazuyoshi Katayama on "" ." 0 +"In July 2012 , Sindre and Ole Johan Sæther repeated the feat by free climbing the "" Krasnoyarsk Route "" ." "In July 2012 , Johan Sæther and Ole Sindre repeated the feat by climbing the "" Krasnoyarsk route "" ." 0 +The Consortium 's technical mission is to create continuous jobs and distribute skills that will contribute to the Canadian economy by focusing on innovation and productivity . The consortium 's technical mission is to create continuous jobs and disperse skills that will contribute to the Canadian economy , by focusing on innovation and productivity . 1 +She and her sisters also appeared in cafes and sang music to accompany silent films . She and her sisters also sang in cafes and performed music to accompany silent films . 0 +He began his political career as a Member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in Aurangabad District in Ahmednagar District . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Aurangabad District and then in Shrirampur Taluka in the Ahmednagar District . 0 +He was also Professor of History at Brigham Young University ( BYU ) . He was also a professor of history at Brigham Young University ( BYU ) . 1 +There was I , and there went he : here and there to my grief I find him . I was there , and there he went : here and there to my sorrow I find him . 1 +The Banach -- Mackey topology and the weak Arens space topology are relatively rarely used . The Banach - Mackey - topology and the weak Arens - space topology are used relatively rarely . 1 +Groups of western lowland gorillas are usually larger than those of eastern gorillas . Groups of western lowland gorillas are usually larger than those of the eastern gorillas . 1 +The couple had two daughters , Sara Lynn ( born 1942 ) and Martha Anne ( born 1947 ) . The couple had two daughters , Martha Anne ( born in 1942 ) and Sara Lynn ( born in 1947 ) . 0 +In 1989 , the magazine received its present name , and the following year the World Jewish Bible Society became the Jewish Bible Association . The magazine received its present name in 1989 , and the following year the Jewish Bible Association became the World Jewish Bible Society . 0 +Five men died later , one was missing , and 25 were wounded , two of whom died instantly . Five men died immediately , one was missing and 25 were wounded , two of whom later died . 0 +In 1883 , the see of Kilmacduagh was united with Galway , and the bishops of the united see were also made permanently apostolic administrators of Kilfenora . In 1883 the chair of Kilmacduagh was united with Galway , and the bishops of the united chair were also made permanently apostolic administrators of Kilfenora . 0 +The river Sâmbăta is a tributary of the River Piatra Caprei in Romania . The River Piatra Caprei is a tributary of the Sâmbăta river in Romania . 0 +The secretary of the party became Hardie , while George Mitchell was the first treasurer and Cunninghame Graham was the president . Hardie became Secretary of the Party , while Cunninghame Graham was the first treasurer and George Mitchell was the president . 0 +""" Iti "" usually refers to something abstract , but can also refer to concrete nouns ." """ Iti "" usually refers to something concrete , but may also relate to abstract nouns ." 0 +"At these shows she won "" Best of Show "" , first prize and grand awards ." "At these shows she won "" Best of Show "" , the First Prize and Grand Awards ." 1 +The researchers administered an object sorting task to 156 children of schizophrenic individuals , 102 children of depressed individuals , and 139 children of healthy parents . The researchers administered an object sorting task to 156 children of schizophrenic people , 102 children of depressed persons , and 139 children of healthy parents . 1 +In 1834 , after the departure of the East India Company College , Frere was appointed Civil Service writer in Bombay ( now Mumbai ) . After leaving the East India Company College Frere was appointed a writer in the Bombay ( now Mumbai ) civil service in 1834 . 1 +ABC Books has released seven popular book novels , each based on a single episode , and from the perspective of a particular character . ABC Books has released seven paperback novels , each based on a particular episode and from the perspective of a single character . 1 +The river Sitna is a tributary of the River Urechioiu in Romania . The Sitna River is a tributary of the Urechioiu River in Romania . 1 +Prostitution is widespread in Albania but illegal . Prostitution in Albania is illegal but widespread . 1 +This bridge today was replaced in 1931 by the original Barron Collier Bridge , and then by the small Barron Collier Bridge and the Gilchrist Bridge over the Peace River . This little bridge was replaced in 1931 by the original Barron Collier Bridge , and then by the current Barron Collier Bridge and the Gilchrist Bridge over the Peace River . 0 +"None of these songs , with the exception of "" Rise to Live , "" are heard in the film ." "None of these songs , with the exception of "" Live to Rise "" , is heard in the film ." 0 +One of the advantages the quantitative research as a whole has over qualitative research is its flexibility . One of the advantages of quantitative research as a whole over the qualitative is its flexibility . 1 +Grossman was injured later in the season , however , and temporarily relieved of Griese . Griese was temporarily injured in the season , however , and later relieved of Grossman . 0 +In Bridge Road , the first Cooperative society shop in Wales was established in 1860 in Cwmbach . The building was demolished in 1977 . The first cooperative shop in Wales was established in Bridge Road in 1860 in Cwmbach , which was demolished in 1977 . 0 +2,4-Dibromophenol is a molecular derivative of phenol with the brominated formula CHBrO . is a brominated derivative of phenol with the CHBrO molecular formula . 0 +The McKenzie County Farmer is a weekly newspaper based in Watford City , North Dakota . It serves Watford City and McKenzie County , North Dakota . The McKenzie County Farmer is a weekly newspaper based in McKenzie County , North Dakota . It serves Watford City , North Dakota and all of Watford City . 0 +When the band separated in 2012 from Virginia Beach , we moved between Los Angeles and Texas . When the band split from Virginia Beach in 2012 , we moved between Los Angeles and Texas . 1 +Many democrats , on the other hand , welcomed industrialization , feared the whigs . On the other hand , many Democrats welcomed industrialization , the Whigs feared . 1 +Afterwards , she taught in secondary schools in Yorkshire and then Derbyshire . Afterwards she taught at secondary schools in Derbyshire and then in Yorkshire . 0 +The 1999 standard of the C programming language supports the FMA operation through the standard mathematics library codice 1 and standard - Pragmas - control optimizations based on FMA . The 1999 standard of the C programming language supports the FMA operation through the standard math library function , and codice 1 standard pragmas controlling optimizations based on FMA . 0 +The new format is currently for the 2010 season and consists of three stages . The current format is new for the 2010 season and consists of three stages . 0 +She was born in Flint , Michigan , but grew up in Mississippi . Born in Flint , Michigan , she grew up in Mississippi . 1 +Carlos Robacio , BIM5 - Commander , was awarded the Argentine nation to the Valour in Combat Medal and the Battalion itself was awarded by the Argentine Congress in 2002 . Carlos Robacio , BIM5 commander , was decorated the Argentine Nation to the Valour in Combat Medal and the battalion itself was awarded by the Argentine Congress in 2002 . 1 +From 1969 , the family lived in rented houses in California , close to Los Angeles recording studios . From 1969 onwards the family lived in rented houses in Los Angeles , close to California recording studios . 0 +"The second season introduced Eugene O ’ Neill and his play "" Bound East for Cardiff "" as well as "" Trifles "" by Susan Glaspell ." "In the second season , Susan Glaspell and his play "" Bound East for Cardiff "" as well as "" Trifles "" were introduced by Eugene O ’ apos ; ' Neill ." 0 +He played only 18 games and just came to beat 29 times . He played only 18 games and came to beat just 29 times . 1 +The first integer formula 177 , for which Formula 178 is ranked , has Formula 179 the Formula 180 . The first integer formula 177 , for which the Formula 178 has the formula 179 rank , is the Formula 180 . 0 +Shiva wanted to see God , yet Sati was in the dark that Rama was a manifestation of Rama . Shiva wanted to see Rama , but Sati was in the dark that Rama was a God manifestation . 0 +In the first year there were 65 members , 91 members at the end of the second year and 106 members for the third year . In the first year it was 65 members , 91 members at the end of the third year and 106 members in the second year . 0 +The incumbents were re-elected Church , Tremain , Vanderpoel , and Johnson , while the incumbent , Richmond , was defeated . The incumbents Church , Tremain , Vanderpoel and Johnson were re-elected . The incumbent Richmond was defeated . 1 +His mother was Auguste Moser ( born Auguste Kleinlogel , 1827 -- 1900 ) . His mother was Auguste Moser ( Auguste Kleinlogel , 1827 -- 1900 ) . 1 +Once Norfolk won the Minor Counties Championship , sharing the title with Herefordshire in 2002 . Herefordshire has once won the Minor Counties Championship and shared the title with Norfolk in 2002 . 0 +Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , the president of Micex , son of the famous Soviet economist Ruben Aganbegyan . Ruben Aganbegyan ( b . 1972 in Novosibirsk ) is a Russian economist , president of Micex , the son of the famous Soviet economist Abel Aganbegyan . 0 +Henderson married Vera Cameron Price Fitz Randolph on 23 August 1923 , with whom he had a son , Richard Henderson . Henderson married Richard Henderson , with whom he had a son , Vera Cameron Price Fitz Randolph , on August 23 , 1923 . 0 +For a horizontal edge , we want to interpolate in vertical direction , using only the column centered on the pixel . For a horizontal edge , we want to interpolate in the vertical direction , using only the column centered at the pixel . 1 +The promotion of research and innovation in Europe is being supported financially by the Horizon 2020 programme , which is also open to participation worldwide . Research and innovation in Europe is financially supported by the programme Horizon 2020 , which is also open to participation worldwide . 1 +Nearby locations include Jacobson , Swan River , Libby and Palisade , Ball Bluff is 10 miles north of Swan River and 26 miles south of McGregor . Nearby places include Jacobson , Swan River , Libby and Palisade , Ball Bluff is located 10 miles south of Swan River and 26 miles north of McGregor . 0 +"It was released on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" via cheque booklet - records ." "It was released via Checkbook records on February 19 , 2016 as the second single from their fourth studio album based on the zodiac "" Leo Rising "" ." 1 +Then Agrippa Polemon I sent from Pontus to take Scribonius and remove the throne himself . Agrippa then sent Polemon I of Pontus to remove Scribonius and take over the throne himself . 0 +In 2015 , Indira Jaising she argued the case for Priya Pillai in the Green Peace India case . In 2015 , Priya Pillai she argued the case for Indira Jaising in Green Peace India case . 0 +The party is currently led by Giacomo Stucchi as national secretary and Paolo Grimoldi as the national president . The party is currently led by Giacomo Stucchi as national secretary and Paolo Grimoldi as national president . 1 +Sasol , in Sasolburg , operates commercial gasification plants in Secunda , Mpumalanga and in South Africa . In South Africa , Sasol operates commercial gasification plants in Secunda , Mpumalanga and Sasolburg . 0 +A famous revival of the Tetraconch formula in the west is Bramante 's first draft for the Basilica of St. Peter , Rome . A famous revival of the tetraconch formula in the West is Bramante 's first design for the Basilica of St. Peter , Rome . 1 +Richmond Walter Sullivan is Richmond 's friend and financial supporter and the owner of the mansion Luther has broken into . Walter Sullivan is Richmond 's friend and financial supporter and the owner of the mansion Luther has broken into . 0 +Mille Lacs County , Minnesota , United States is a municipality in Princeton Township . Mille Lacs County , Minnesota , United States is a township in Princeton Township . 1 +Gunston Hall Plantation was originally part of the Lexington Plantation land . Originally , part of Lexington Plantation was part of the Gunston Hall Plantation Land . 0 +It was named after Bennington , Vermont the former home of first settlers . It was called the first home of former settlers after Bennington , Vermont . 0 +However , the Council 's weak legislative approach only makes it a very functional review mechanism . However , the functional design of the Council only makes it a very weak legislative review mechanism . 0 +Early industries in Hughesville were built to serve farmers and citizens of the Eastern Lycoming County . Early industries were built in Lycoming County to serve the farmers and citizens of East - Hughesville . 0 +""" Ketteiteki Sanpunkan "" was written by Chiaki Kuriyama specifically in mind with Sheena ." """ Ketteiteki Sanpunkan "" was written by Sheena specifically with Chiaki Kuriyama in mind ." 0 +Conservatives argued that instead , trusted politicians should be elected . The conservatives argued that elected politicians should instead be trusted . 0 +Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and his opponent received the other half . Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and his opponent received the other half . 1 +El Marsa District is a district of the province Chlef , Algeria . El Marsa District is a district of Chlef Province , Algeria . 1 +In 2008 , the college section was introduced and Chittagong Collegiate School renamed the school Government & College . In 2008 , the College Department was introduced and Chittagong Collegiate School was renamed the Government College School . 1 +They were under the auspices of Coach Glenn Capacio and Coach Norman Black . They were under the mentorship of Coach Norman Black and Coach Glenn Capacio . 0 +The episode was written by Stephen Sandoval and directed by Ken Keeler . The episode was written by Ken Keeler . Directed by Stephen Sandoval . 0 +The different languages that are spoken across the Pacific and Indian Oceans are represented by the Austronesian Chamic group in MSEA . The Austronesian languages , spoken across the Pacific and Indian Oceans , are represented in MSEA by the divergent Chamic group . 0 +And later Roque Lopez installs as president of the provisional government in Iloilo town in Santa Barbara . And later installed Roque Lopez as president of the provisional government in Santa Barbara town in Iloilo . 0 +In San Francisco from 1968 -- 1973 , Hicks led Dan Hicks and the Hot Licks , a band that never used electric instruments and rarely used drums . In San Francisco , Hicks led Dan Hicks and the Hot Licks from 1968 to 1973 , a band that never used electric instruments and rare drums . 1 +Spectral bands are part of optical spectra of polyatomic systems , including condensed materials , large molecules , etc . Spectral bands are part of large spectra of optical systems , including condensed materials , multi-tomography molecules , etc . 0 +Its subtropical or tropical moist habitats are natural forests and plantations . Its natural habitats are subtropical or tropical wet lowland forests and plantations . 0 +"In September 2013 , a book by David Rankin was published on Dore Ashton 's work entitled "" David Rankin : The New York Years "" ." "In September 2013 , a book by Dore Ashton was published on David Rankin 's work entitled "" David Rankin : The New York Years "" ." 0 +This series was exclusive to Wal-Mart Canada but was eventually sold in the Spawn Store online . This series was exclusive to Wal-Mart Canada , but was finally sold online in the Spawn Store . 1 +Ieyoshi ’ s sixth wife was Princess Takako ( 1795 -- 1840 ) , the official daughter of Prince Arisugawa Orihito . The official wife of Ieyoshi was Princess Takako ( 1795 - 1840 ) , sixth daughter of Prince Arisugawa Orihito . 0 +Ashley was born on 1 November 1986 and is a contemporary dancer from Arizona who originally grew up in Los Angeles . Born on November 1 , 1986 , Ashley is a contemporary dancer from Los Angeles who was originally raised in Arizona . 0 +South Arm Township is located in the southern Charlevoix County and is bordered by Antrim County to the south and west . Charlevoix County is located in southern Antrim County and is bordered by South Arm Township to the south and west . 0 +Ulpio Minucci ( June 29 , 1917 -- March 9 , 2007 ) was an American-born Italian composer and musician . Ulpio Minucci ( 29 June 1917 - 9 March 2007 ) was an American - Italian composer and musician . 1 +This name refers either to the Gawler River ( which starts at the confluence of the South Para River and the North Para River ) or the Little Para River . This name refers to either the Little Para River ( which starts at the confluence of the South Para River and the North Para River ) or the Gawler River . 0 +Besides Lena Olin , several other actresses portrayed Irina in the course of the series : Besides Irina , several other actresses Lena Olin have portrayed in the course of the series . 0 +Most of Rockland County 's local music scene is based in Nyack . Most of Nyack 's local music scene is in Rockland County . 0 +The path is framed by five balconies with a circular fountain in the middle and each balcony is characterized by a simple ring of grass . The path is characterized by five balconies with a circular fountain in the centre and each balcony is framed by a simple ring of grass . 0 +Baron Paul George 's Marie Kronacker ( November 5 , 1897 - February 3 , 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( 5 November 1897 - 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . 0 +Herman Johannes married Annie Marie Gilbertine Amalo in 1955 . In 1955 , Johannes Herman Johannes married Annie Marie Gilbertine Amalo . 1 +Members of the patent pool G.723.1 are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . Members of the G.723.1 patent pool are Nokia , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . 1 +Butler died at Torquay on 16 January 1909 , and was buried in Holywell cemetery , Oxford . Butler died in Torquay on January 16 , 1909 , and was buried in Holywell , Oxford Cemetery . 1 +When Russ asked him to play guitar in the new band , Aaron agreed . When Russ asked him to play in the new band guitar , Aaron agreed . 1 +Hugues Merle died in Paris in 1881 , his son Georges Merle became a painter as well . Georges Merle died in 1881 in Paris . His son Hugues Merle also became a painter . 0 +In the United Kingdom , mescaline in purified powder form is a Class A drug . However , dried cactus can be bought and sold legally . In the United Kingdom , mescaline is a class A drug in dried powder form , but cleaned cactus can be legally bought and sold . 0 +Martha then destroys the evidence when Jack is arrested . Then Martha destroys the evidence when Jack is arrested . 1 +The Joint Typhoon Warning Center also recognized Hagupit as the 11th Typhoon Typhoon , 16th Tropical Storm and 18th Tropical Depression of the Pacific Typhoon Season 2008 . The Joint Typhoon Warning Center have also recognised Hagupit as the 11th typhoon , 16th tropical storm , and the 18th tropical depression of the 2008 Pacific typhoon season . 1 +The team -- kits for season 2005 -- 06 are produced by Vivatel and sponsored by Uhlsport . The team kits for the 2005 -- 06 season are produced by Vivatel and sponsored by Uhlsport . 1 +Many people who admit to being common tanners say that they tan to look good , to feel good and relax . Many people who admit to being common tanners say that they tan to feel good , to look good and relax . 1 +Due to the results in the last round , Gianni Morbidelli received + 30 kg , Andrea Belicchi + 20 kg and Jordi Gené + 10 kg . Due to the results obtained in the previous round , Gianni Morbidelli received + 30 kg , Jordi Gené + 20 kg and Andrea Belicchi + 10 kg . 0 +With a strong start to the season and the new Arise Racing team bringing new cars and new competition to the series it brought 3 great races . With a strong start into the season and the new Arise Racing Team , which brought new cars and great competition to the series , it took 3 new races . 0 +Freescale Semiconductor later was sold to Sigmatel . Later on , Freescale Semiconductor was sold to Sigmatel . 1 +The Jewish Leadership Council was formed in 2003 , ( as the Jewish Community Leadership Council ) . The Jewish Community Leadership Council was formed in 2003 ( the Jewish Leadership Council ) . 0 +The philosophical and legal provisions of the concrete concept of state of Roerich are based on : The philosophical and legal provisions of Roerich 's concrete conceptual concept of the state are based on 1 +Yarde often improvised , sometimes while listening to jazz . Yarde improvised sometimes , often while listening to jazz . 0 +The Rotunda River is a tributary of the Purul River in Romania . The River Rotunda is a tributary of the Purul River in Romania . 1 +"Genoa is an industrial suburb of Genoa in the northwest of Italy . It is part of the Medio Ponente "" Sidi "" by Sestri Ponente ." "Genoa is an industrial suburb of Genoa in northwest Italy . It is part of the Medio Ponente "" municipio "" of Sestri Ponente ." 0 +The company is one of the oldest German companies still in activity , founded by Brazilian brothers Bruno and Hermann Hering , in 1880 . The company is one of the oldest still active Brazilian companies , founded in 1880 by the German brothers Bruno and Hermann Hering . 0 +It is situated north of Spring Valley , east of Viola , south of New Square and New Hempstead , and west of New City . It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley and to the west of New City . 0 +In 1932 , the company moved cigar production to Cuba following a strike at the Cuban factory in Trenton and to avoid high tariffs . The company moved cigar production from Trenton to Cuba in 1932 after a strike at the Cuban factory , and in order to avoid high tariffs . 1 +The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and Radnor Joint Counties , was a psychiatric hospital at Mid Wales Hospital . Mid Wales Hospital , originally the Brecon and Radnor Joint Counties Lunatic Asylum , was a psychiatric hospital in Talgarth , Wales . 0 +Andreas Schelfhout was born in Schellingwoude in Amsterdam and studied painting with Nicolaas Johannes Roosenboom , a leading romantic landscape painter . Nicolaas Johannes Roosenboom was born in Schellingwoude in Amsterdam and studied painting with Andreas Schelfhout , a leading romantic landscape painter . 0 +Melisio Morales ( sometimes Melesio Morales ) ( December 4 , 1838 - May 12 , 1908 ) was a Mexican composer . Melisio Morales ( sometimes spelled Melesio Morales ) ( December 4 , 1838 -- May 12 , 1908 ) was a Mexican composer . 1 +It is Aarne -- Type 707 Thompson named after him : the dancing water , the speaking apple and the singing bird . It is Aarne -- Thompson type 707 , which is named after it : the dancing water , the speaking apple , and the singing bird . 1 +At the Larne general elections in 1929 , Pringle stood as a local option candidate in Northern Ireland , but was not elected . At the Northern Ireland general election , 1929 , Pringle stood as a Local Option candidate in Larne , but was not elected . 0 +William Simson ( 1798/99 -- 29 August 1847 ) was a subject portrait , landscape and Scottish painter . William William Simson ( 1798-99 -- August 29 , 1847 ) was a Scottish portrait , landscape and subject painter . 0 +Edwin F. Parry , the son of John Parry , was a Mormon Hymnwriter . John Parry , a son of Edwin F. Parry , was a Mormon hymnwriter . 0 +West Salem is located in northeastern Edwards County , northeast of Albion , the county seat . West Salem is located in northeastern Edwards County , northeast of Albion , County Seat . 1 +The father of Latifun Nisan , Mohammad Jamal ibn Muhammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah was the son of Husain Mohammad of Tijara . Husain Mohammad , the father of Latifun Nisan , was the son of Mohammad Jamal ibn Mohammad Adam ibn Zainuddin ibn Moinuddin ibn Qazi Fatehullah from Tijara . 0 +The Samuel J. Tilden House is located on the south side of Gramercy Park , facing the park across Gramercy Park South between Irving Place and Gramercy Park West . Samuel J. Tilden House is located on the south side of Gramercy Park South , opposite the park opposite the Gramercy Park between Irving Place and Gramercy Park West . 0 +"Agnew said that Maloney often told her during childhood that he had "" won the war . """ Maloney said that Agnew often told her during childhood that he won the war . 0 +The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Illinois to Missouri . The first settlers were Dr. Henry Clay Fish , Richard Dobbs and James G. Christian , all of whom came from Missouri to Illinois . 0 +Penn State has won eight titles , and then both Oklahoma and Iowa State have each won seven championships . Iowa State has won eight titles , and Oklahoma and Penn State have won seven championships each . 0 +Due to the high prices and volatile capital costs , few deposits can be exploited economically without subsidies . Due to high prices and volatile capital costs , few deposits without subsidies can be economically exploited . 1 +Tsushima has four public elementary schools and eight public primary schools . Tsushima has four public middle schools and eight public elementary schools . 1 +A Broadway - Revival 2001 was staged by Joe Mantello and performed Jennifer Ehle as Otto , Alan Cumming as Gilda and Dominic West as Leo . A 2001 Broadway - Revival was staged by Joe Mantello and played Alan Cumming as Otto , Jennifer Ehle as Gilda and Dominic West as Leo . 0 +Early on August 25 , a hurricane warning was issued by Vero Beach to Lake Okeechobee and Florida City . Early on 25 August , a hurricane warning was issued from Florida City to Vero Beach and for Lake Okeechobee . 0 +In December 1995 , Xylogics was taken over by Nortel , which was in turn acquired by Bay Networks in June 1998 . Xylogics was acquired by Bay Networks in December 1995 which in turn was acquired by Nortel in June 1998 . 0 +Danj ( also known as Qūchkānlū ) is a village in the district of Esfarayen , North - Khorasan - Province , Iran , in the Azari county in the central district . Danj ( ; also known as Qūchkānlū ) is a village in Azari Rural District , in the Central District of Esfarayen County , North Khorasan Province , Iran . 0 +was born on November 17 , 1845 in Tacubaya ( today Morelia , Michoacán ) and died on 9 February 1919 in Valladolid . Parra was born on 17 November 1845 in Valladolid ( nowadays Morelia , Michoacán ) and died on 9 February 1919 in Tacubaya . 0 +This is caused by a combination of kinetic heating ( friction ) and adiabatic compression . This is caused by a combination of kinetic ( friction ) heating and adiabatic compression 1 +Branksome is a suburb of Poole in Dorset , England . The area consists of commercial and industrial properties and also a number of residential areas . Branksome is a suburb of Poole in Dorset , England . The area consists of residential properties and also a number of industrial and commercial areas . 0 +The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . The construction of the new stadium was held for 4 years and was inaugurated on August 21 , 1974 . 1 +There is no airport in Sanggau regency , hence the nearest gateway are Kuching International Airport ( Pontianak ) and Sarawak ( Supadio Airport , Malaysia ) . There are no airports in Sanggau regency , hence the nearest Gateway Supadio Airport ( Pontianak ) and Kuching International Airport ( Sarawak , Malaysia ) . 0 +There are seven picnic areas and several have reserved pavilions , the largest of which can be covered for up to 100 people and can be covered . There are seven picnic areas and several have covered pavilions , the largest of which can accommodate up to 100 people and can be reserved . 0 +He was then traded by the Arizona Diamondbacks with Matt Drews and Joe Randa to the Detroit Tigers for Travis Fryman . He was then traded for the Detroit Tigers for Matt Drews and Joe Randa through the Arizona Diamondbacks with Travis Fryman . 0 +The hurricane indirectly killed a person and killed two directly in the state . The hurricane killed one person directly , and indirectly two in the state . 0 +"Prairie Justice is a 1938 "" B film directed by Bob Baker and George Waggner as a singing cowboy ." "Prairie Justice is a 1938 "" B "" movie directed by George Waggner and starring Bob Baker as a singing cowboy ." 0 +The band then added bassist Duane Cowan , who moved from Los Angeles to Japan recently . The band then added bassist Duane Cowan , who had recently relocated from Los Angeles to Japan . 1 +Lothe currently resides in Odda with his partner , Randi . He has three children , Stian , Ida , and Vetle , from a previous relationship . Lothe currently lives with his partner Randi in Odda and has three children , Stian , Ida and Vetle , from a previous relationship . 1 +It is distributed from China to Siberia and found in dry slopes or rocky places . It is distributed from China to Siberia and found growing in dry slopes or rocky places . 1 +"Two singles , "" Lips to Love You "" and "" Find Me Down Easy "" , were released ." "Two singles , "" Lips to Love You "" and "" Find Me Down Easy "" , were published ." 1 +The grammar school also serves students from four other sending communities : Alpha , Bloomsbury ( in the Hunterdon County ) , Greenwich Township and the Lopatcong Township . The High School also serves students from four other postings - communities : Alpha , Bloomsbury ( in Greenwich Township and Lopatcong Township ) , Hunterdon County . 0 +The winners of each section qualify for the open draw of the disabled Australian dishes . The winners of each section qualify for the disabled draw of the Australian bowls open . 0 +Pavizha Mutthu is a Malayalam film produced by Jesey in 1980 , directed by Hari Pothan . Pavizha Mutthu is a 1980 Indian Malayalam film , produced by Jesey and directed by Hari Pothan . 1 +Ashton was born on November 30 , 1957 in the Whips Cross Hospital at Forest Gate in Leicestershire , and lived in North Kilworth , South London . John Geza Ashton was born on 30 November 1957 in Whips Cross Hospital , Forest Gate , London , and lived in North Kilworth in south Leicestershire . 0 +He moved to Nacogdoches in 1836 to near Texas . In 1836 he moved to Nacogdoches near Texas . 1 +Ayeza Khan ( born 15 January 1991 as Aiza Khan ) , also known as Kinza Khan , is a Pakistani television actress and model . Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , known as Aiza Khan , is a Pakistani television actress and a model . 0 +is a species of small sea snail , marine gastropod mollusk in the Olivellidae family , the dwarf olives . Olivella esther is a species of small sea snail , marine gastropod mollusk in the family Olivellidae , the dwarf olives . 1 +The cooperative national weather station reports that Occidental has warm , dry winters and cool , wet summers . The cooperative National Weather Service station reports that Occidental has cool , wet winters and warm , dry summers . 0 +""" Prodigal Daughter "" is the 11th episode of the TV-series , the 161st episode of the series ." """ Prodigal Daughter "" is the 11th episode of the television series , the 161st episode of the" 1 +Xylogics was acquired in December 1995 by Bay Networks , which in turn was taken over by Nortel in June 1998 . Xylogics was acquired by Bay Networks in December 1995 which in turn was acquired by Nortel in June 1998 . 1 +When Arnold arrived in the scene , Samuel Herrick had already been sent with commands to secure boats to Skenesboro and Asa Douglas to Panton . When Samuel Herrick arrived in the scene , Arnold had already been sent to Skenesboro and Asa Douglas to Panton with sections to secure boats . 0 +"In South Korean culture , "" Pokarekare Ana "" was used as the theme song for the 2005 popular film "" Crying Fist "" ." "In the popular culture "" Pokarekare Ana "" was used as the title song for the South Korean film "" Crying Fist "" 2005 ." 0 +The north branch of Grass River flows into the Grass River near Russell , New York . The North Branch Grass River flows into the Grass River near Russell , New York . 1 +In 1969 the change was still in the air and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . In 1969 change was still in the air and T. and R. Smith 's was taken over by J. N. Nichols ( Vimto ) of Manchester . 1 +"The "" Neligh News & Leader "" is a newspaper outlet in Antelope County , and serves all of Neligh ." "The "" Neligh News ' Leader "" is a newspaper outlet in Neligh , serving all of Antelope County ." 0 +He was sent to Rangoon , Burma ( now Yangon , Myanmar ) and taught in Thailand for further studies . He was sent to Yangon , Myanmar ( now Thailand ) for further studies and then taught in Rangoon , Burma . 0 +The PacifiCats were designed by Philip Hercus of Australia and Robert Allan Limited in Vancouver . The PacifiCats were designed by Philip Hercus of Vancouver and Robert Allan Limited of Australia . 0 +The architect of the nearby station was Nikolai Kolli who worked with Le Corbusier on the initial Tsentrosoyuz building . The architect of the first station was Nikolai Kolli , who worked with Le Corbusier on the nearby Tsentrosoyuz building . 0 +The government of the town of Liyang is located in He County . The government of Liyang Town is located in He County . 1 +Eastern Cape is an administrative district in the Amatole District of the Mnquma Local Municipality in South Africa . Mnquma Local Municipality is an administrative area of the Amatole District of the Eastern Cape in South Africa . 0 +Lake County has two county museums , the Lake County Museum in Lakeport and the Lower Lake Historical Schoolhouse Museum in Lower Lake . Lake County has two county museums , Lake County Museum in Lower Lake and the Lower Lake Historical Schoolhouse Museum in Lakeport . 0 +Production is mainly dedicated to the industrial market , with the Linea Pro professional products ; the DIY market is served by the Linea Blu product range . The production is mainly dedicated to the professional market , with the industrial products Linea Pro , the DIY market , is operated by the Linea Blu product line . 0 +He quoted influences such as Skrillex , Reso , Rusko and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . He quoted influences such as Rusko , Reso , Zomboy and Bare Noize and studied music production at the Academy of Contemporary Music in Guildford . 0 +In recognition of its history , its economic importance and its administrative success , Cambridge was granted city rights in 1951 . Cambridge was granted its city charter in 1951 in recognition of its history , administrative importance , and economic success . 0 +Jenny Silver , better known as Jenny Maria Öhlund ( born 22 January 1974 ) is a Swedish singer . Jenny Maria Öhlund better known as Jenny Silver ( born January 22 , 1974 ) is a Swedish singer . 0 +In 1989 he travelled to South Africa , Johannesburg and Angola , Mozambique on a peace-seeking mission . In 1989 , he traveled to South Africa , Johannesburg , and Angola , Mozambique on a peace-seeking mission . 1 +Those Catholics who refused to convert eventually fled to Scotland . Those Catholics who refused to convert generally fled , eventually to Scotland . 0 +Pennsylvania continued to collect and publish Dallas - making decisions in a second volume of his reports . Pennsylvania continued to collect and publish Dallas decisions in a second volume of his Reports . 1 +He moved into Rock County in 1853 and settled in Wisconsin near Beloit . He moved to Wisconsin in 1853 and let himself be settled in Rock County near Beloit . 0 +Kristoffer had eight known children together with Karen : Together , Karen and Kristoffer have eight children . 1 +"Annie Homan ( 1944 ) shows the road as the "" Livermore Road "" , according to historian Bowerman ." "Bowerman ( 1944 ) shows the street as "" Livermore Road "" , according to the historian Annie Homan ." 0 +Other villages include Larchmont ( also in Newtown Township ) and Lawrence Park . Other villages include Larchmont ( also included in Newtown Township ) and Lawrence Park . 1 +Most Japanese troops are killed in the attack , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . Most of the Japanese troops are captured in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is killed . 0 +In 1180 , as a bishop of Poznań , he participated in the Synod in Łęczyca . As a Poznań bishop , he participated in the synod in Łęczyca in 1180 . 1 +The cast list indicates a date of first performance after Tooley joined the company in the Spring of 1619 , and before Taylor 's death in June 1623 . The casting list indicates a first performance date after Taylor joined the company in the spring of 1619 and before the death of Tooley in June 1623 . 0 +22.0 % were German , 20.5 % Irish , 16.4 % Polish , 8.9 % Italian and 7.8 % of English origin according to the 2000 census . 22.0 % were of German , 20.5 % Irish , 16.4 % Italian , 8.9 % Polish and 7.8 % English ancestry according to Census 2000 . 0 +I and Junior Wimbledon - Champion Jiří Veselý in round 1 of the individual , and won gold in double the boys with the Czech partner Márton Fucsovics . 1 and Junior Wimbledon champion Márton Fucsovics in round 1 of the singles , and won gold in the boys ' doubles with Czech partner Jiří Veselý . 0 +An alloy may be a single solution of metal elements ( a fixed phase ) or a mixture of metallic phases ( two or more solutions ) . An alloy may be a solid solution of metal elements ( a single phase ) or a mixture of metallic phases ( two or more solutions ) . 0 +Serena Williams and Venus Williams won 5-7 , 6 -- 2 , 6 -- 2 against Alexandra Fusai and Nathalie Tauziat in the final . Alexandra Fusai and Nathalie Tauziat won 5 : 7 , 6 : 2 , 6 : 2 against Serena Williams and Venus Williams in the final . 0 +A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September another tour followed in Switzerland . A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September followed another tour to Switzerland . 1 +He lived in New York City for twenty years , returning to San Antonio in May 2005 . He lived for twenty years in New York City and returned in May 2005 to San Antonio . 1 +He also worked in several houses and monasteries in Ghent , in the castle Beaulieu ( Belgium ) in Machelen and in the castle of Horst . He also worked in several houses and monasteries in Ghent , in Beaulieu Castle ( Belgium ) in Machelen and in Horst Castle . 1 +Now Kendra Saunders is 100 % Hawkgirl . Hawkgirl now is 100 % Kendra Saunders . 0 +Born Chloe Wang in Chicago , Illinois , Chloe Bennet is the daughter of Bennet Wang , an investment banker , and Stephanie Crane , an internist . Chloe Wang was born Chloe Bennet in Chicago , Illinois . She is the daughter of Bennet Wang , an investment banker and Stephanie Crane , an internist . 0 +The paper reports on business , politics , developments in commercial and labour law , corporate news and features . The paper reports on the economy , politics , developments in commercial and labour law , corporate news and features . 1 +He arrived in the summer of 2013 together with his teammate Haris Hajradinović from Croatian club AS Trenčín to NK Inter Zaprešić . He came to NK Inter Zaprešić in summer 2013 together with his teammate Haris Hajradinović from Croatian club , AS Trenčín . 1 +The television games were written by Anya Epstein and David Simon , based on a story by Tom Fontana , Julie Martin and James Yoshimura . The teleplays were written by Tom Fontana , Julie Martin and James Yoshimura , based on a story by Anya Epstein and David Simon . 0 +Shake is an album by The Thing , the trio of saxophonist Mats Gustafsson , bassist Ingebrigt Håker Flaten and drummer Paal Nilssen-Love . Shake is an album by The Thing , the trio of saxophonist Mats Gustafsson , the bassist Ingebrigt Håker Flaten and drummer Paal Nilssen - Love . 1 +Brooks was unseated in 1932 by the banker Daniel B. Fleming of Concordia Parish in Ferriday . Brooks was served in Ferriday by the banker Daniel B. Fleming of the Concordia Parish in 1932 . 0 +He taught physics at a number of universities in Germany , Italy , France , England , Lebanon , and Jordan , before switching to Birzeit University in 1980 . He taught physics at a number of universities in England , Lebanon , France , Germany , Italy , and Jordan before joining Birzeit University in 1980 . 1 +The current chief executive officer is Beth Janson , and the chair of the board is Martin Katz . The current Chief Executive Officer is Beth Janson , and the Chairman of the Board is Martin Katz . 1 +In 1830 , Congress passed the Indian Removal Act , which removed American Indian tribes and relocated them to Indian Territory . In 1830 , the congress passed the Indian Removal Act , which removed Indian tribes and relocated them to Indian Territory . 1 +One week after Benjamin Linus 's birth , Alex ( Michael Emerson ) came and took Alex from Rousseau . One week after Alex 'apos ; birth came Benjamin Linus ( Michael Emerson ) and took Alex from Rousseau . 0 +In 1956 , Kevin White married Kathryn Galvin , the daughter of William J. Galvin , who also served as president of the Boston City Council . In 1956 , William J. Galvin married Kathryn Galvin , daughter of Kevin White , who also served as Council President of Boston . 0 +Collins introduced himself to the modern Barnabas Collins family as a cousin from England , a hard-working businessman never seen during the day . Barnabas Collins introduced himself to the modern Collins family as a cousin from England , a hard-working businessman who was not seen during the day . 0 +SAfm was the first radio station of the SABC and the country 's first public radio station . SAfm was the first public radio station of the SABC and the country 's first radio station . 0 +Mount Darwin ( alternate : Darwin ) is one of seven districts in the Zimbabwe province of Mashonaland Central . Mount Darwin ( alternative : Darwin ) is one of seven districts in the province of Mashonaland Central in Zimbabwe . 0 +Morris Township is located in the 25th Congressional District and is part of New Jersey 's 11th state legislative district . Morris Township is located on the 11th Congressional District and is part of the 25th State Legislative District in New Jersey . 0 +Bay of Arauco or Bahia de Araucan , is a bay located on the coast of the Bío Bío Region , of the Arauco Province of Chile . The Bay of Arauco or Bahia de Araucan is a bay on the coast of the province of Arauco , in the region Bío Bío in Chile . 0 +In both cases , only a limited amount of online programming with the non-local feed is carried out . ) In both cases , only a limited amount of online programming is carried on the non-local feed . ) 1 +Black Lake drains Grass Lake and flows north before emptying into Grass Creek near Rossie , New York . Grass Creek drains Grass Lake and flows north before it flows into Black Lake near Rossie , New York . 0 +When Cunningham met Geoffrey de Havilland he was summoned to a hangar . When Geoffrey de Havilland met Cunningham , he was invited to a hangar . 0 +He died in Mauritius on 28 August 1901 and married Charlotte , daughter of Percy Fitzpatrick , in Edinburgh in 1870 . He died in Edinburgh on 28 August 1901 and married in 1870 in Mauritius Charlotte , daughter of Percy Fitzpatrick . 0 +David Burliuk was born in Kharkiv , the younger brother of Wladimir Burliuk , on March 15 , 1886 . Wladimir Burliuk was born in Kharkiv , the younger brother of David Burliuk , on March 15 , 1886 . 0 +In 2014 , Sawyer 's authorized biography of Huston Smith was published . In 2014 , Sawyer 's authorized biography was published by Huston Smith . 1 +Stony Point railway station is located on the Tyabb line in Victoria , Australia . The railway station of Tyabb is located on the Stony Point line in Victoria , Australia . 0 +Karnataka State Road Transport Corporation , Ply Buses from Bengaluru , Mysuru , Malavalli , Kollegala , T.Narasipura . KSRTC ( Karnataka State Road Transport Corporation ) , ply buses from Bengaluru , Mysuru , Malavalli , Kollegala , T.Narasipura . 1 +She died in Fort Worth and was buried in Abilene at the municipal cemetery in Abilene . She died in Abilene and was buried in Fort Worth in the municipal cemetery of Abilene . 0 +"After a 1905 match , a Belgian reporter wrote that three Dutch footballers "" work ( ed ) as devils "" ." "A Dutch reporter wrote after a match of 1905 that three Belgian footballers "" work as devils "" ." 0 +In 2008 , geographical indicative poitín ( GI ) of Irish status was granted by the EU - Council and Parliament . In 2008 , Irish poitín was accorded ( GI ) Geographical Indicative Status by the EU Council and Parliament 0 +Tadas Langaitis is a Lithuanian politician , member of the Seimas since November 2016 , civic activist , active in social and civil projects in Lithuania . Tadas Langaitis is a Lithuanian politician , from november 2016 member of the Seimas , civic activist , active in social and civic projects in Lithuania . 1 +The De La Hagher River is a tributary of the Jiul de Vest River in Romania The river Jiul de Vest is a tributary of the De La Hagher river in Romania . 0 +The middle period ( 2600 to 2000 BC ) of the Yellow River culture in the late Longshan area is simultaneously with the classic Shandong Longshan culture . The middle period ( 2600 to 2000 BC ) of the Yellow River culture in the late Longshan area is contemporaneous with the classic Shandong Longshan culture . 1 +The river Valea Arsurii is a tributary of the Valea Mica river in Romania . The Valea Mică River is a tributary of the River Valea Arsurii in Romania . 0 +The legend of Hallowdega is a 2010 black comedy - Fantasy - Mockumentary - short film , directed by Aaron Bergeron following a screenplay by Terry Gilliam . The Legend of Hallowdega is a 2010 black comedy fantasy mockumentary short film , directed by Aaron Bergeron from a screenplay by Terry Gilliam . 1 +The rivalry between Tanahashi and Tanahashi culminated on September 29 at a Lumberjack Deathmatch in Destruction , where Devitt won . The rivalry between Devitt and Tanahashi culminated in a Lumberjack Deathmatch on September 29 at Destruction , where Tanahashi was victorious . 0 +Ayeza Khan ( born Kinza Khan on 15 January 1991 ) , also known as Aiza Khan , is a Pakistani television actress and model . Ayeza Khan ( born January 15 , 1991 in Kinza Khan ) , known as Aiza Khan , is a Pakistani television actress and a model . 1 +He played for TuTo Turku and TPS , playing a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for the Berliner SC . Lindstrom played for TuTo Turku and TPS . He also played a season in Austria for Klagenfurter AC and four seasons in the Bundesliga for Berliner SC . 1 +Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo on the day of Colleen 's wedding . Shawn told Shawn that his mother was not dead and his father was still married and told Shawn Colleen on the day of the wedding of Colleen and Santo . 0 +After the partition of India in 1947 , Bade Ghulam went to his hometown Kasur in Pakistan , but returned to India later to reside permanently there in 1957 . After the partition of India in 1947 , Bade Ghulam went to his hometown of Kasur in Pakistan , but later returned to India to live there permanently in 1957 . 1 +It also closed for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen and opened for Prada , Costume National and Louis Vuitton . It also opened for Shiatzy Chen , Yves Saint Laurent , Karl Lagerfeld and Alexander McQueen , and closed for Prada , Kostum National and Louis Vuitton . 0 +Luther then attacks Jesus before he hides in the bathroom . Then Jesus attacks Luther before he hides himself in the bathroom . 0 +The eggs , which are generally two in the number , are marked with greenish white brown and measure about 1.14 cm by 0.77 cm . The eggs , which are generally two in number , are brown marked with greenish white , and measure about 1.14 cm by .77 cm . 1 +Büyükorhan is a town and district of Bursa Province in the Marmara region of Turkey . Büyükorhan is a town and district of the province of Bursa in the Marmara region of Turkey . 1 +The river Geamărtălui is a tributary of the River Strâmba in Romania . The Strâmba River is a tributary of the Geamărtălui River in Romania . 0 +Dragon Wars is a fantasy role-playing videogame developed by Rebecca Heineman , published in 1989 by Interplay Productions and distributed by Activision . Dragon Wars is a fantasy role-playing video game developed by Rebecca Heineman and published by Activision in 1989 , and distributed by Interplay Productions . 0 +In 1958 , he spoke throughout East Asia and Western Europe , and in Northern Ghana in 1961 . In 1958 he spoke throughout East Asia and in Western Europe , and in 1961 in Northern Ghana . 1 +Willie Francis lived in Canada in the late 1970s , and worked in Jamaica for a number of years before returning to England . In the late 1970s , Willie Francis worked in England and lived in Canada for several years before returning to Jamaica . 0 +Owobale was born in the Netherlands to a Dutch father and a Nigerian mother . Owobale was born in the Netherlands to be a Nigerian father and a Dutch mother . 0 +Founded in 1899 by George Dewey , the town was named after Admiral Jacob A. Bartles . Founded by Jacob A. Bartles in 1899 , the town was named for Admiral George Dewey . 0 +"The species was first formally described by Carl Meissner in "" Prodromus Systematis Naturalis Regni Vegetabilis "" in 1856 , from material collected by James Drummond ." "The species was first formally described in 1856 by James Drummond in "" Prodromus Systematis Naturalis Regni Vegetabilis "" out of material by Carl Meissner ." 0 +The friendship between him and Duncan ended at a club meeting in 1951 , when the two disagreed at an annual meeting and Greaves reported that Duncan said The friendship between him and Duncan ended in 1951 at a club meeting , when the two did not agree at an annual meeting , and Duncan reported that Greaves said : 0 +Stella Maris played in Dublin with Dunne , before playing for Everton in England . Dunne played in Dublin with Stella Maris before playing in England for Everton . 0 +Later on , it was reported that Sunita will enter into an affair with John Michie ( Karl Munro ) . It was later reported that Sunita will embark on an affair with John Michie ( Karl Munro ) . 1 +When the Mahárája reached Radhanpur , Safdar Khán Bábi and Jawán Mard Khán Bábi from Sidhpur joined . When the Mahárája reached Sidhpur he was joined by Safdar Khán Bábi and Jawán Mard Khán Bábi from Radhanpur . 0 +The PATH service from Exchange Place runs east to the World Trade Center , north to Newark Penn Station and west to Journal Square and Hoboken Terminal . PATH service from Exchange Place runs east to the World Trade Center , north to Hoboken Terminal , and west to Journal Square and Newark Penn Station . 0 +Finally , we say that distribution is regular if the Formula 11 is concave . Finally , we say that a distribution is concave if the Formula 11 is regular . 0 +On June 17 , 1988 , the Baltimore Blast selected Agnew in the fourth round ( first overall ) of the Major Indoor Soccer League draft . On June 17 , 1988 , the Baltimore Blast Agnew elected in the fourth round ( first total ) of the Major Indoor Soccer League Draft . 1 +Alton is located at the Mississippi River above the mouth of the Missouri River . Alton is located on the Mississippi River above the mouth of the Missouri River . 1 +French players , playing for either the Spanish or the Basque teams , dominate international competitions . French players playing for either the Spanish or the Basque team dominate international competitions . 1 +Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana and visited the Lew Wallace High School in Gary , Indiana . Bingaman was born in 1926 in McKenzie , Tennessee , moved to Indiana , and attended Lew Wallace High School in Gary , Indiana . 1 +He also worked as translator for national media journalists and a Swedish newspaper . He also worked as translator for Swedish media journalists and a national newspaper . 0 +He has received awards from the Ghalib Academy , Lucknow and the Uttar Pradesh Urdu Academy in New Delhi . He has received awards from Ghalib Academy , Lucknow and Uttar Pradesh Urdu Academy in New Delhi . 1 +Zaker is married to Sara Zaker also is a media personality , entrepreneur and social activist . Sara Zaker is married to Zaker is also a media personality , entrepreneur , and social activist . 0 +"This was , according to John C. Kelly , the impetus for Augustine 's later "" Confessions "" ." "According to John C. Kelly , this was the impetus behind Augustine 's later "" Confessions "" ." 1 +The Organizing Committee investigated the unauthorized filming , and on 6 August 2008 , banned SBS cameras inside the stadium during the ceremony as reprisals for the leak . The organizing committee banned the unauthorized filming and investigated SBS cameras in the stadium on August 6 , 2008 during the ceremony as retaliation for the leak . 0 +Beside that , the triple rusticated square Doric order facade and groups of unusual pilasters were one of the earliest design approach applied in a building . Apart from that , the unusual rustic triple Doric order facade and groups of square pilasters were applied one of the earliest design approach in a building . 0 +"Thakurgaon Stadium is located at the "" Thakurgaon "" , Thakurgaon Inter District Bus Terminal , Bangladesh ." "Thakurgaon Stadium is located near the "" Thakurgaon Inter District Bus Terminal "" , Thakurgaon , Bangladesh ." 1 +He played only 18 games , and came to bat just 29 times . He played only 18 games and came to beat just 29 times . 1 +"He was presented by Robert Loggia in the television film A Woman Called Golda "" ( 1982 ) , opposite Ingrid Bergman as Golda Meir ." "He was presented by Golda Meir in the television film A Woman Called Golda "" ( 1982 ) , opposite Robert Loggia as Ingrid Bergman ." 0 +On 6 May 2016 , it was announced that Palafox has signed the National Premier Soccer League at New York Cosmos B . On May 6 , 2016 it was announced that Palafox signed to National Premier Soccer League B of the New York Cosmos . 0 +In the gorge , forty rare plant communities were identified , containing at least 1,342 species and 54 different plants . Forty different plant communities were identified in the gorge , containing at least 1,342 species and 54 rare plants . 0 +"The print was originally published in 1761 , with the title "" Enthusiasm Delineated "" , but never engraved ." "The print was originally published in 1761 with the title "" Enthusiasmus Delineated "" , but never engraved ." 1 +It is located in the hills between Koonung Creek and the Mullum Mullum Creek . It is located on the hills between the Mullum Creek and the Koonung Creek . 1 +The Chinese ambassador to Beijing is the official representative of the government in Apia with the Samoa government . The Chinese Ambassador to Apia is the official representative of the government in Beijing with the Samoa government . 0 +Separate lists are provided for the 61 listed properties and historic districts of Evanston and the more than 350 listed properties and districts in Chicago . Separate lists are provided for the 61 listed properties and historical districts in Chicago and more than 350 listed properties and districts in Evanston . 0 +In June 2011 , Rosenthal , curated by Julian Schabel , opened at Venice Museo Correr . In June 2011 , Julian Schabel , curated by Rosenthal , opened Museo Correr in Venice . 0 +The work was concluded in 2003 in his fifth , it was released the release rush from the same year in August . The work was completed in his fifth in 2003 , it was released in August the release Rush from the same year . 1 +This was a limited release -- only 300 red vinyl copies and 200 black vinyl copies were issued . This was a limited release -- only 300 black vinyl and 200 red vinyl copies were printed out . 0 +James Harrison Cravens ( August 2 , 1802 - December 4 , 1876 ) was a U.S. representative from Indiana , second cousin of James Addison Cravens . James Harrison Cravens ( August 2 , 1802 -- December 4 , 1876 ) was a U.S. Representative from Indiana , second cousin of James Addison Cravens . 1 +In the early years , KETS was associated with National Educational Television , the forerunner of the current PBS . In the early years , KETS was connected with National Educational Television , the forerunner of the current PBS . 1 +"The names "" Googol "" and "" Googolplex "" were invented by Newman 's nephew Milton Sirotta and introduced to the book of Kasner and Edward Kasner in 1940 ." "The names "" Googol "" and "" Googolplex "" were invented by Edward Kasner 's nephew Milton Sirotta and introduced into the book by Kasner and Newman in 1940 ;" 0 +Field Marshal The Marquis was a leading field marshal and early figure in the Japanese Imperial Japanese Army . The Marquis was a Japanese field marshal and leading figure in the early Japanese imperial army . 0 +For scalar fluctuations , formula _ 9 is referred to as the scalar spectral index , with formula _ 10 corresponding to scale invariant fluctuations . For scalar fluctuations , Formula 9 is referred to as a scalar spectral index , with the formula 10 corresponding to scaleninvariant fluctuations . 1 +The climate during this period was a mixture of two different seasons , of a dry season and of a shorter rainy season . During this time the climate was a mixture of two different seasons , a dry season and a shorter rainy season . 1 +The show , previously held in the city of Christchurch , moved to Auckland in 2008 to Hagley Park . The show , which was previously held in the city of Auckland , was moved to Christchurch in 2008 at Hagley Park . 0 +Joe was born in Somerville , Massachusetts on March 27 , 1929 and grew up in Quincy , Massachusetts . Joe was born on March 27 , 1929 in Somerville , Massachusetts , where he grew up in Quincy , Massachusetts . 1 +Jhalda I is a community development block that forms an administrative division in Purulia Sadar West subdivision of Purulia district in the Indian state of West Bengal . Jhalda I is a community development bloc that forms an administrative department in Purulia Sadar West Subdivision of the Purulia district in the Indian state of West Bengal . 1 +Former mayor Jacquelin Holzman once served as a judge , and in 2003 Ken Jennings read the first question via video . Former mayor Ken Jennings once served as a judge and in 2003 , Jacquelin Holzman read the first question via videotape . 0 +It is located on the hills between the Mullum Creek and the Koonung Creek . It is located in the hills between the Koonung Creek and the Mullum Mullum Creek . 1 +Mimi Sodré was a student at the Naval Academy when he was interested in scouting after reading a book by Baden Powell called Scouting for Boys . Mimi Sodré was a student at the Naval Academy when after reading a book by Baden Powell named Scouting for Boys , he became interested in Scouting . 1 +The diocese of Maasin includes the whole province of Southern Leyte , including six municipalities southwest of Leyte . The diocese of Southern Leyte includes the whole province of Maasin , including six municipalities southwest of Leyte . 0 +"In 2001 he founded in Zagreb , Croatia , the publishing house and animation workshop "" Petikat "" , most recently at Zagreb film worked on graphic films ." "In 2001 in Zagreb , Croatia he founded the publishing house and animated workshop "" Petikat "" . Most recently he worked on graphic films at Zagreb Film ." 1 +When a bottle of vinegar is opened , mother of vinegar may develop . It is considered harmless and can be removed by filtering . When a bottle of vinegar is opened , it can develop vinegar mother , which is considered harmless and can be removed by filtering . 1 +Nool Veli ( Fence of Yarn ) is a 1979 Tamil film starring Sarath Babu , Sujatha and Saritha . Nool Veli ( Fence of Yarn ) is a 1979 Tamil film playing with Saritha , Sujatha and Sarath Babu . 1 +The original edition of the disc was released on 11 January 2006 in Singapore and 26 January 2006 in Malaysia . The original edition of the disc was published on 11 January 2006 in Malaysia and on January 26 , 2006 in Singapore . 0 +The city of Pandharpur is located 55 km southeast of the district headquarters in Mangalwedha and 25 km west of Solapur city . The city of Mangalwedha is situated 55 km west of the district headquarters at Solapur and 25 km southeast of Pandharpur city . 0 +Alberto Cortina has three sons with Alicia . Together with Alicia Alberto Cortina has three sons . 1 +In 2014 election , Biju Janata Dal candidate Dambaru Sisa defeated Indian National Congress candidate Sunadhar Kakari by a margin of 24,730 votes . In 2014 election , Biju Janata Dal candidate Dambaru Sisa Indian National Congress defeated candidates Sunadhar Kakari with a margin of 24,730 votes . 0 +The first DVD releases for the individual Japanese series also had special limited editions . The individual Japanese DVD releases for the first series had also special limited editions . 0 +Pennsylvania continued to collect and publish Dallas - making decisions in a second volume of his reports . Dallas continued to collect and publish Pennsylvania decisions in a second volume of his Reports . 0 +""" Live : Legend 1999 / 1997 Apocalypse "" was released on August 16th , 2014 with an official trailer on September 11 , 2014 ." """ Live : Legend 1999 / 1997 Apocalypse "" was released on August 16 , 2014 with an official trailer announced on September 11 , 2014 ." 0 +Audra Keller defeated Katerina Maleeva with 7 -- 6 , 6 - 2 . Katerina Maleeva defeated Audra Celler 7 -- 6 , 6 -- 2 . 0 +Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , and Šilutė in a German either Prussian - Lithuanian or Memellander family . Borchers was born in Šilutė ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , Lithuania in a German either Prussian Lithuanian or Memellander family . 0 +Dave Denine is a provincial politician in Newfoundland and Labrador , Canada . He served in the former Canadian cabinet from 2007-2011 as Minister of Intergovernmental Affairs . Dave Denine is a former Canadian politician in Newfoundland and Labrador , Canada , who served as Minister for Intergovernmental Affairs in the Provincial Cabinet from 2007-2011 . 0 +In 2001 , Sir Michael brought Frank Williams as Senior Operations Engineer at Williams . In 2001 , Sir Michael brought Frank Williams to Williams as Senior Operations Engineer . 1 +A team of computer scientists at MIT and at Rutgers University has directed Wikipedia to create a measure of hierarchy in a used social online network . A team of computer scientists at MIT and Rutgers University has used notability at Wikipedia to create a measure of hierarchy in a directed online social network . 0 +The 1954 -- 55 NBA season was the ninth season of the National Basketball Association . The NBA season between 1954 and 55 was the ninth season of the National Basketball Association . 1 +But in recent years the number of black Americans in the city has increased , and some have occupied gentrified areas in traditionally European neighborhoods . But in recent years , the number of black Americans has increased in the city , and some have occupied well-kept areas in traditionally European areas . 1 +In Käru , the politician and entrepreneur Kuno Pajula ( 1885 - 1942 ) and former archbishop Juhan Kukk ( 1924 - 2012 ) were born . Politician and entrepreneur Kuno Pajula ( 1885 -- 1942 ) and former Archbishop Juhan Kukk ( 1924 -- 2012 ) were born in Käru . 1 +As a student , his influences included Carl Ludwig and Gustav von Hüfner at Leipzig , and Robert Bunsen at the University of Heidelberg . His influences included student Robert Bunsen and Gustav von Hüfner in Leipzig and Carl Ludwig at the University of Heidelberg . 0 +The outer narrator meets his old friend Rodgers with Sterling , Colorado , and asks about the murdered agent at the Grover station . The outer narrator meets with his old friend Rodgers by Sterling , Colorado , and asks about the murdered agent at Grover station . 1 +In 2000 , Looker spent a training camp with the Rams before being traded on 7 August with the New England Patriots . Looker spent 2000 training camp with the New England Patriots before being traded to the Rams on August 7 . 0 +"In addition , the song "" Calling All Angels "" is played by Jane Siberry in the movie and is included in the soundtrack ." "In addition , the song "" Calling All Angels "" by Jane Siberry is played in the film and is included on the soundtrack ." 1 +Dye rode after eight years in Mauritius , Hong Kong . Dye rode in Mauritius after eight years in Hong Kong . 0 +Most critics praised the eleven-track set for its contiguous productions and strong themes , which drew comparisons to the early career of Janet Jackson . Most critics praised the eleven-track set for its cohesive productions and strong themes , which drew comparisons to the early career of Janet Jackson . 1 +In Japan it was discovered first and the name was given . In Japan it was first given up and the name was discovered . 0 +He spent his exile in Italy and , in France , preached Gareccio , where he preached . He spent his exile in Italy and preached Gareccio in France where he preached . 1 +Janzur is known as the birthplace of Omar Mukhtar , the Italian leader of the resistance during Libyan rule . Janzur is known as the birthplace of Omar Mukhtar , the Italian resistance leader during the Libyan rule . 1 +The long tunnel runs from a warehouse near Tijuana airport to a warehouse in San Diego . The long tunnel runs from a warehouse near the Tijuana airport to a warehouse in San Diego . 1 +On the album charts the album reached number 1 in Sweden and in Norway number 16 . On the album charts , the album peaked at number 1 in Norway and number 16 in Sweden . 0 +For example , in order to draw a vertical line of 4 cm length , it is sufficient to type : For example , to draw a vertical line of 4 cm in length , it is sufficient : 1 +Professor Bandopadhyay is currently going through an international music cooperation with Professor Yaroslav Senyshin , the exceptional pianist . Professor Bandopadhyay is currently going through exceptional music collaboration with Professor Yaroslav Senyshin , the international pianist . 0 +On June 30 , St. Augustine Governor Farris Bryant announced the formation of a biracial committee to restore interracial communication in Florida . On 30 June , Florida Governor Farris Bryant announced the creation of a biracial committee to restore interracial communication in St. Augustine . 0 +Mark Hambourg was born in Voronezh , Russia , as the middle brother of famous pianist Jan Hambourg . Jan Hambourg was born in Voronezh , Russia , the middle brother between famous pianist Mark Hambourg ( b . 0 +It is versatile , naturally , very practical and often easy to move about . It is versatile , naturally very practical and often easy to move . 1 +The others were Donald Carr from the Repton School and Etonians , Luke White . The others were Luke White of the Repton School and Etonian Donald Carr . 0 +Of the women , Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) were the favourites . Among women , the favourites were Sarah Hendrickson ( USA ) , Sara Takanashi ( Japan ) , Coline Mattel ( France ) and Evelyn Insam ( Italy ) . 1 +He was elected on the 29th ticket to the American United States Congress , holding office from March 4 , 1845 , to March 3 , 1847 . He was elected on the American ticket to the 29th United States Congress , which operates from March 4 , 1845 to March 3 , 1847 . 0 +He was born in Gollnow , Brandenburg , died in Dahme , Pomerania . He was born in Gollnow , Pomerania , and died in Dahme , Brandenburg . 0 +I 've created Sidney Nolan figures in a Francis Bacon landscape , inspired with stunts by Jean Cocteau . I 've created Francis Bacon figures in a Sidney Nolan landscape , inspired with stunts by Jean Cocteau . 0 +As the place where Clement taught ; but Heracleon 's language suggests some distance . As the place where Clement taught but Heracleon 's language indicates some distance . 1 +Italy qualified for the 2009 European Baseball Championship from the 2007 competition . The other qualifiers were Netherlands , Great Britain , Spain , Germany , France and Sweden . Italy qualified from the 2007 competition for the Baseball - European Championship 2009.The other qualifiers were Netherlands , Sweden , Spain , Germany , France and Britain . 1 +In 1997 he founded Equicore Beteiligungs GmbH and founded Freiburger Vermögensmanagement GmbH in 1998 . In 1997 , he founded Equicore Beteiligungs GmbH and co-founded Freiburger Vermögensmanagement GmbH in 1998 . 0 +It was added on 6 April 2010 as a digital download and published on May 5 , 2010 by Modern Rock radio in the United States . It was released on April 6 , 2010 as a digital download and recorded on May 5 , 2010 in Modern Rock Radio in the United States . 0 +Siskiyou National Forest is situated on the US Route 101 between the Pacific Ocean and Gold Beach , north of Port Orford and south of Bandon . Port Orford is located on U.S. Route 101 between the Pacific Ocean and the Siskiyou National Forest , north of Gold Beach and south of Bandon . 0 +Garentiyadangi is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil . Garentiyadangi is a village in the Bhopal district of Madhya Pradesh , India . It is located in Berasia tehsil . 1 +CBE ( born December 14 , 1940 ) is a Scottish administrator and former footballer who was the director of Caledonian MacBrayne . Lex Gold , CBE ( born 14 December 1940 ) is a Scottish administrator and former footballer who was a director of Caledonian MacBrayne . 1 +"The theological teaching is "" reformed "" , and the form of government is "" Presbyterian "" ." "The presbyterian doctrine is "" reformed "" , and the form of government is "" theological "" ." 0 +The mountainous stage 20 of the Giro started on the slopes of Les Deux Alpes , and the penultimate stage ended the next day on the mountain . The Giro 's mountainous stage 20 began on the slopes of Les Deux Alpes , and the penultimate stage ended on the mountain the next day . 1 +In the week before the incident with Leicester fans , 13 men were arrested following clashes between fans from Coventry and Norwich , in which some men suffered minor injuries . In the week before the incident with Coventry fans , 13 men were arrested following clashes between fans from Leicester and Norwich , in which some men suffered minor injuries . 0 +The total production of 483,593 units , was shortly beaten by its predecessor , the 9000 , of which 503,000 were built . The total production of 483,593 units , was short beaten by its predecessor , the 9000 , of which 503,000 were built . 1 +The 1935 Chico State College football team represented Chico State Wildcats during the 1935 college football season . The 1935 Chico State College football team represent Chico State Wildcats during the 1935 College Football season . 1 +A team of computer scientists at MIT and Rutgers University has directed notability at Wikipedia to create a measure of hierarchy in a used online social network . A team of computer scientists at MIT and at Rutgers University has directed Wikipedia to create a measure of hierarchy in a used social online network . 1 +Sears Bay , Sears Crescent and Sears Place in Arbor Creek and Herbert S. Sears Park in Fairhaven were named in his honour . Sears Bay , Sears Crescent and Sears Place in Fairhaven and Herbert S. Sears Park in Arbor Creek were named to his honor . 0 +Joe was born on 27 March 1929 in Quincy , Massachusetts and grew up in Somerville , Massachusetts . Joe was born in Somerville , Massachusetts on March 27 , 1929 and grew up in Quincy , Massachusetts . 0 +It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley , and west of New City . It is located north of New Square and New Hempstead , east of Viola , south of Spring Valley and to the west of New City . 1 +The agency was founded in 1976 in Chicago and entered the New York market in 1998 , in Milwaukee in 2009 . The agency was founded in 1976 in Milwaukee , and it entered the Chicago market in 1998 and New York in 2009 . 0 +"He dismissed George Meredith as "" harmless rustic "" , but admired Thomas Hardy for his appreciation of beauty ." "He dismissed Thomas Hardy as "" harmless rustic "" , but admired George Meredith for his appreciation of beauty ." 0 +He died in Wyandotte ( now a part of Kansas ) , Kansas City , August 24 , 1878 . He died on 24 August 1878 in Wyandotte ( now part of Kansas ) , Kansas City . 1 +It was followed by MassWIT in New York City , NycWIT in Boston and CapitolWIT in Washington , D.C . ChicWIT was followed by MassWIT in New York City , NycWIT in Boston , and CapitolWIT in Washington , D.C . 1 +The following is a list of all state highways in Texas of the Texas Department of Transportation maintained All state highways in Waller County , Texas are paved . The following list is a list of all highways in Waller County , Texas , which are maintained by the Texas Department of Transportation All state highways in Texas are paved . 0 +Lothe currently resides in Odda with his partner , Randi . He has three children , Stian , Ida , and Vetle , from a previous relationship . He currently lives in Odda with his partner Randi and has three children , Lothe , Ida and Vetle , from a previous relationship . 0 +The professional Guinness record was recorded on October 16 , 2005 by the official Christopher Smith at the Chicago Speedgolf Classic at the Jackson Park Golf Course . The official Guinness record was shot by professional Christopher Smith at the Chicago Speedgolf Classic at Jackson Park Golf Course on October 16 , 2005 . 0 +Multiplayer video games are those that can be played either competitively , sometimes in Electronic Sports , or cooperatively by using either multiple input devices , or by hotseating . Multiplayer video games are those that can either be played cooperatively in electronic sports or competitively , sometimes by using several input devices or by hotseating . 0 +It was destroyed in 1446 and rebuilt and abandoned in 1551 . It was abandoned in 1446 , and destroyed and rebuilt in 1551 . 0 +Diloma radula is a species of sea snail , a top gastropod mollusk in the Trochidae family , the naval snails . Diloma radula is a species of sea snail , a marine gastropod mollusk in the family Trochidae , the top snails . 0 +Some Hebrew and Aramaic abbreviations may not be included here , and others may be found in the list of Hebrew abbreviations or in the list of Aramaic abbreviations . Some Hebrew and Aramaic abbreviations may not be included here , and more can be found in the list of Aramaic abbreviations or in the list of Hebrew abbreviations . 1 +Bagraj is a village in the Berasia district of Madhya Pradesh , India . It is located in Bhopal Tehsil . Bagraj is a village in the Bhopal district of Madhya Pradesh , India . It is situated in Berasia tehsil . 0 +Mike Harthcock ( also known as Mike Hart ) is an American poker poker player from Winter Haven , Florida . Mike Hart ( also known as Mike Harthcock ) is an American poker poker player from Winter Haven , Florida . 1 +During his own visit to Ned 's castle of Winterfell , Arryn Ned recruited to replace Robert as the king 's hand . During his own visit to Ned 's castle of Winterfell , Arryn recruits Ned to replace Robert as the King 's Hand . 1 +Chinatown Gold Coast The Chinatown District is an integral part of the revitalisation of Southport as an international CBD for the Gold Coast . Chinatown Southport The Gold Coast precinct is an integral part of the revitalisation of Chinatown as an international CBD for the Gold Coast . 0 +"After the consolidation with the "" Commercial "" in 1877 , the paper was renamed and was then known as "" Commercial Gazette "" ." "After consolidating with the "" Commercial "" in 1877 , the paper was again renamed and was then known as the "" Commercial Gazette "" ." 1 +Elena Dementieva won against Alisa Kleybanova in the finals 6 -- 3 , 6 -- 2 . Alisa Kleybanova won 6 -- 3 , 6 -- 2 against Elena Dementieva in the finals . 0 +Local artists have created a unique oasis at the Azalea Community Park with the Water Conservation Garden , a collection of succulents and creative sculpture . At the Azalea Community Park , creative artists have created a unique oasis with the Water Conservation Garden , a collection of local plants and succulents . 0 +The participants included TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso , and Michael Roy Jornales . The participants were TJ Trinidad , Joem Bascon , Rico Robles , Rico Barrera , Jordan Hererra , Biboy Ramirez , Eric Fructuoso and Michael Roy Jornales . 1 +A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who from 1918 to 1963 was the organist of the Blackpool Parish Church . A grandson of Henry Dennis was Frederick Herbert Wood Mus.Doc , who was organist of Blackpool Parish Church from 1918 until 1963 . 1 +The result was a victory for the Labour candidate Patrick Gordon Walker , who held the seat comfortably with a slightly increased majority on a slightly reduced turnout . The result was a victory for Labour candidate Patrick Gordon Walker , who comfortably held the seat by a slightly reduced majority with a slightly increased turnout . 0 +Where formula 11 is the natural inclusion over the natural factor and formula 12 is the first projection over the second factor . Where Formula 11 is the natural inclusion of the natural factor and Formula 12 is the first projection of the second factor . 1 +It has served as a forum for speakers ranging from Tennessee Williams , from Pete Seeger and Phil Donahue to Henry James , William Butler Yeats and William Jennings Bryan . It has served as a forum for speakers ranging from Henry James , William Butler Yeats and William Jennings Bryan to Tennessee Williams , Pete Seeger and Phil Donahue . 0 +In the 2007 Hong Kong Chief Executive elections , Alan Leong successfully entered the race against the incumbent Donald Tsang from the Civic Party . In the Hong Kong Chief Executive election , 2007 , Donald Tsang of the Civic Party successfully entered the race against the incumbent Alan Leong . 0 +As part of a rationalization campaign , the company reported in January 2017 that it would close three remaining regional cuisines in Atlanta , Landover and Everett . As part of a streamlining campaign , in January 2017 the company reported that it would close three remaining regional kitchens in Atlanta , Landover and Everett . 1 +The continuing popularity of this high suit in Japan has led Bandai to create a 1.5m mobile model version that went on sale in Japan in 2007 . The continuing popularity of this mobile suit in Japan has led Bandai to create a 1.5 m high model version , which went on sale in Japan in 2007 . 0 +The film was written and produced by AR Murugadoss and produced by P. Madhan under the banner of Escape Artists Motion Pictures . The film was written and produced by P. Madhan and produced by AR Murugadoss under the Escape Artists Motion Pictures banner . 0 +Additionally , a left-handed team played in two other matches against MCC ( Marylebone Cricket Club ) . Additionally , a left-handed team played against MCC ( Marylebone Cricket Club ) in two other games . 1 +The second method is used when the number of elements in each row is the same and known at the time the program is written . The second method is written when the number of elements in each row is the same and is known at the time of program use . 0 +Sales began in North America in the third quarter of 2008 and in Europe in early 2009 as a 2010 model . Sales began in North America in the third quarter of 2008 and in Europe in early 2009 as a model for 2010 . 1 +On February 28 , 2018 , Interoute announced the acquisition of GTT Communications for US $ 2.3 billion . On February 28 , 2018 , GTT Communications announced the acquisition of Interoute for US $ 2.3 billion . 0 +After the death of Fred Miller in 1998 and John Paul Miller in 2000 , Mary Miller lived in the house south of Cleveland . After the death of Mary Miller in 1998 and Fred Miller in 2000 , John Paul Miller continued living in the house , located south of Cleveland . 0 +""" Robbers "" is a song by English rock band The 1975 , released as the sixth single from their self-titled debut on 26 May 2014" """ Robbers "" is a song by the English rock band The 1975 , which appeared on May 26 , 2014 as the sixth single from their self-titled debut ." 1 +Catholic Greeks of the Byzantine Rite ( Uniates ) number approximately 6,000 nationwide and mostly live in Athens . Byzantine Greeks of the Catholic Rite ( Uniates ) number nationwide about 6,000 and mostly live in Athens . 0 +The Slatina River is the tributary of Cochirleanca in Romania The Slatina River is a tributary of the Cochirleanca River in Romania 1 +"This article incorporates information retrieved from the article ( "" Usuki-shi "" ) in the Japanese Wikipedia , translated before September 28 , 2011 ." "This article contains information from the article ( "" Usuki-shi "" ) in the Japanese Wikipedia , translated before 28 September 2011 ." 1 +The series was penciled by Jim Starlin and written by Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . The series is written by Jim Starlin and Ron Lim , Ian Laughlin , Al Milgrom , Jack Morelli and Christie Scheele . 1 +Ivan Ivanov is a successful kickboxing - master and coach and a famous producer in Russia . Ivanov is a successful kickboxing master and coach and a famous producer in Russia . 1 +Björn Freiberg ( born March 28 , 1970 in Isny im Allgäu ) is a former actor , painter , author , translator and German university teacher . Björn Freiberg ( born 28 March 1970 in Isny im Allgäu ) is a German actor , painter , author , translator and former University teacher . 0 +In 1975 he returned to Odibo , and in 1977 moved to Windhoek . He moved to Odibo in 1975 , and in 1977 he returned to Windhoek . 0 +Yauli District is one of nineteen districts of the province Peru in Huancavelica . Yauli District is one of nineteen districts in the Peruvian province of Huancavelica . 0 +"Kossuth W. Duncan was born in Hindmarsh , the second son of R. B. Duncan , who arrived aboard the "" Fitz James in South Australia in 1855 ." "Kossuth W. Duncan was born in Hindmarsh , the second son of R. B. Duncan who arrived in South Australia aboard the "" Fitzjames "" in 1855 ." 1 +He began playing the AA Frisco RoughRiders of the Texas League in 2014 and was appointed to the AAA Round Rock Express of the Pacific Coast League . He started out in 2014 with the AA Frisco RoughRiders of the Pacific Coast League and was promoted to the AAA Round Rock Express of the Texas League . 0 +On the south side there are two windows similar to those on the north side . On the south side there are two windows similar to those on the north . 1 +Kalliyankattu Neeli is an Indian Malayalam - horror film dating from 1979 , produced by M. Krishnan Nair and directed by M Mani . Kalliyankattu Neeli is a 1979 Indian Malayalam horror film , directed by M. Krishnan Nair and produced by M Mani . 0 +It was initially second place and consisted of a headquarters and infantry - company and mortar - battery , later in 1940 with the addition of a small infantry company added . It was initially small and consisted a headquarters , and infantry company and mortar battery , later being expanded with the addition of a second infantry company in 1940 . 0 +""" It had to be sexy and provocative , but in a long , sexy , slender way ." """ It had to be sexy and provocative , but in a long , sexy , sleek way . """ 1 +The People 's Army for the Liberation of Angola ( FAPLA ) and Angolan troops took the city on 1 February 1976 during the Cuban civil war . The People 's Armed Forces for the Liberation of Angola ( FAPLA ) and Angolan troops took the town on 1 February 1976 during the Cuban Civil War . 1 +Phaenomenella mokenorum is a species of sea snail , a true gastropod mollusk in the Buccinidae family , the marine whelks . Phaenomenella mokenorum is a species of sea snail , a marine gastropod mollusk in the family Buccinidae , the true whelks . 0 +NDA won 206 seats while RJD 22 won seats . The RJD won 206 seats , while the NDA 22 seats won . 0 +Alma Peter Crane and Connie Chandler have been nominated by the Independent Party of Utah , and Crane and Chandler received 1,101 votes . Chandler and Connie Chandler were nominated by the Independent Party of Utah , Crane and Alma Peter Crane received 1,101 votes . 0 +"In March 1799 , Captain David Lloyd replaced Boyle and sailed on 4 March with "" Hyaena "" towards the Mediterranean ." "In March 1799 Captain Boyle replaced David Lloyd , and sailed "" Hyaena "" for the Mediterranean on 4 March ." 0 +The next day Mount Dana was climbed by the group before Muir had to return to Martinez . Mount Dana , elevation , was climbed the next day by the group before Martinez had to return home to Muir . 0 +As predicted , only 28 % of the promised amount has been reimbursed since 2015 . As promised , only 28 % of the predicted amount has been refunded since 2015 . 0 +For the 1951 season , the circuit with the Arizona -- Texas League merged to form the Southwest International League . For the season in 1951 the circuit merged with the Arizona - Southwest - International League to form the Texas League . 0 +On 19 January 2009 it was revealed that Dave Hill would return to the club to replace Henderson as manager . On January 19 , 2009 , it was announced that Dave Hill would return to the club to replace Henderson as manager . 1 +The Mornington House was the Georgian residence of Dublin 's social season at the Earls of Mornington . Mornington House was the Georgian season of the Dublin Social Residence of the Earls of Mornington . 0 +Since he had taken Johnny 's shot for him , it is the turn of Brad now . Since he had taken Brad 's shot for him , it is now Johnny 's turn . 0 +Multilayered dinosaur eggs are known from , in order of discovery , France , Spain , Mongolia , India , Argentina , Utah , Montana , and Canada . Multilayered dinosaurs - eggs are known in the order of their discovery from France , Spain , Mongolia , India , Argentina , Utah , Montana and Canada . 1 +Smith was awarded the ISCB Senior Scientist Award and elected ISCB Fellow in 2009 by the International Society for Computational Biology . Smith was awarded ISCB Senior Scientist Award in 2009 and voted ISCB Fellow by the International Society for Computational Biology . 1 +Udaan was first Indian film to be part of Cannes ' official section in seven years . Udaan was an official film to be part of the first Indian section of Cannes in seven years . 0 +"She was also a member of the organization "" sculptures and monuments "" , which was founded in 1934 to support local sculptors working with British stones ." "She was also a member of the "" Sculptures and Memorials "" organisation , which was founded in 1934 to support British sculptors working with local stones ." 0 +Wulffius came to Germany with her son where she lived until she fled to Australia in 1953 . Wulffius came with her son to Germany , where she lived in Australia until she fled in 1953 . 1 +In 2010 , the new implemented bus network was revised and extended . In 2010 the new implemented bus network was revised and expanded . 1 +During a transit , Mars would be visible from Earth as a small black disc moving across the face of the Sun . During a transit , Mars would be visible from Earth as a small black disk moving across the face of the sun . 1 +The borough has a land border with Elizabeth and Bayonne , New Jersey , on uninhabited Shooters Island . The municipality has a land border with Elizabeth and Shooters Island , on uninhabited Bayonne , New Jersey . 0 +The temple is preserved and was renovated around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . The temple has been renovated and was maintained around 2005 by the Archaeological Survey of India , Bhubaneswar Circle . 0 +Along the southern Australian coast , it is found from Shark Bay in Western Australia to Maroochydore in Queensland , including Tasmania . It is found along the southern Australian coast from Shark Bay in Queensland to Maroochydore in Western Australia , including Tasmania . 0 +Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the Eoacmaeidae family , one of the families of the Marine limpets . Eoacmaea chamorrorum is a species of sea snail , a true limpet , a true gastropod mollusk in the family Eoacmaeidae , one of the families of marine limpets . 1 +"In Steinmeyer 's words : "" beyond the practical concerns , the image of the woman in danger became a specific fashion in the entertainment "" ." "In Steinmeyer 's words : "" beyond the practical concerns , the image of the woman in peril became a specific fashion in entertainment "" ." 1 +The membership of this group gives a still incomplete but impressive , picture of the breadth of actors that influence global environmental governance . Membership of this group provides a still incomplete but impressive picture of the breadth of the actors that influence global environmental policy . 1 +He rehires Fred and makes him his new partner , then goes to the Cratchit house where he visits Bob and increases his wages . He repeats Fred and makes him his new partner , then goes to the cratchit house , where he visits Bob and increases his remuneration . 1 +Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Ceylonese ( Sri Lanka ) judge and lawyer . Justice Felix Reginald Dias Bandaranaike II ( 17 January 1891 - 26 October 1951 ) was a Sri Lankan ( Ceylonic ) judge and lawyer . 1 +Hennig is also president of the Duisburg -- Mülheim -- Dinslaken region and lives in Duisburg . Hennig is also president referee of the Dinslaken -- Mülheim -- Duisburg region and lives in Duisburg . 1 +"Immediately after he and Whitehead PM released , he wrote his "" The Problems of Philosophy "" in 1912 ." "In 1912 , immediately after he and Whitehead PM wrote , he published his book "" The Problems of Philosophy "" ." 0 +There , the doctor misbehaves with Chitra and the ladies leave the clinic , which is seen by Suri . There the doctor behaves badly with Suri and the ladies leave the clinic , which is seen by Chitra . 0 +It was originally published by Cyan Worlds , a division of Brøderbund , and developed by Red Orb Entertainment . Developed by Red Orb Entertainment , it was initially published by Cyan Worlds , a division of Brøderbund . 1 +His parents were William Henry Harman and Sally ( Garber ) Harman , who was born in Waynesboro , Virginia , February 17 , 1828 . Lewis was born in Waynesboro , Virginia on February 17 , 1828 . His parents were William Henry Harman and Sally ( Garber ) Harman . 1 +Parallel world , which seems more favorable to them than the real one . Parallel world , which seems to them more favorable than real . 1 +The CEO of AIG Advisor Group was Erica McGinnis . The interim CEO of the independent company , now called Advisor Group , is Valerie Brown . The CEO of AIG Advisor Group was Erica McGinnis , the interim CEO of the independent company , now called Advisor Group , Valerie Brown . 1 +The Casimcea River is a tributary of the Cartal River in Romania . The Casimcea River is a tributary of the River Cartal in Romania . 1 +The current format is new for the 2010 season and consists of three levels . The current format is new for the 2010 season and consists of three stages . 1 +Sri Parang , the lagging , also had a young son , Sri Tupas , also known as Rajah Humabon , who replaced Rajah Tupas as king of Cebu . Sri Parang , the limp , also had a young son , Sri Tupas , also known as Rajah Tupas who succeeded Rajah Humabon as king of Cebu . 0 +Çimen was selected to represent her nation after winning the Miss Model of Çeşme pageant in Turkey . She stands at 183 cm tall and weighs 62 kg . After winning the Miss Model of Çeşme in Turkey , Çimen was selected to represent her nation , she is 183 cm tall and weighs 62 kg . 1 +"It was suggested that "" P. azurophilum "" represents more than one species , with a species infecting white blood cells and infecting the other red blood cells ." "It has been suggested that "" P. azurophilum "" represents more than one species , with a species infecting red blood cells and the other infecting white blood cells ." 1 +Charles Gowan was born in Wisconsin in 1849 or in 1850 and emigrated early to New York . Charles Gowan was born in New York in 1849 or in 1850 and emigrated early to Wisconsin . 0 +September 2 : CF Michael Bourn and CF Drew Stubbs activated ; C Caleb Joseph , LHP Jayson Aquino , and RHP Tyler Wilson recalled from AAA Norfolk . September 2 : CF Michael Bourn and CF Drew Stubbs activated , C Caleb Joseph , LHP Jayson Aquino and RHP Tyler Wilson recalled by AAA Norfolk . 1 +It contained Puyi 's bedroom , reading room , the family hall , Buddhist chapel and the separate quarters for Empress Wan Rong and the concubine Tan Yuling . It contained Puyi 's bedroom , reading room , family hall , Buddhist chapel and the separate rooms for Empress Wan Rong and the concubine Tan Yuling . 1 +In the 1990s , Schwartz worked in smaller , non-sexual roles in the adult film industry and in numerous administrative roles behind the scenes . In the 1990s , Schwartz worked in numerous administrative roles and behind the scenes in small , non-sexual roles in the adult film industry . 0 +Giedraitis is a Lithuanian family name , the Polish language version is Giedroyć . Giedraitis is a Polish family name , the Lithuanian language version is Giedroyć . 0 +That night , a mass ceremony was held , and prayers were kept until dawn . That night a mass ceremony was conducted and prayers were kept until dawn . 0 +Mary Joe Fernández defeated Amy Frazier 3 -- 6 , 6 -- 2 , 6 - 3 Amy Frazier defeated Mary Joe Fernández 3 -- 6 , 6 -- 2 , 6 -- 3 . 0 +Transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a large cytoplasmic loop that connects two transmembrane helices . Transport activity is regulated by Ca , and the primary Ca sensor ( CBD1 ) is located in a transmembrane loop , connecting two large cytoplasmic helices . 0 +Millhouses is a district in the English county of Barnsley , South Yorkshire . Barnsley is a district of Millhouses in the English county of South Yorkshire . 0 +In the summer of 1956 , Frank Lovejoy took over the role of Mike Barnett until the end of the series that same year . In the summer of 1956 , Mike Barnett took over the role of Frank Lovejoy until the series ' end that same year . 0 +Borchers was born in Šilutė ( German : Heydekrug ) , Region Klaipėda ( German : Memelland ) , Lithuania in a German Prussian Lithuanian or Memellander family . Borchers was born in Lithuania ( German : Heydekrug ) , Klaipėda Region ( German : Memelland ) , Šilutė in a German either Prussian Lithuanian or Memellander family . 0 +When the Mahárája reached Sidhpur he was joined by Safdar Khán Bábi and Jawán Mard Khán Bábi from Radhanpur . When the Mahárája Sidhpur reached Safdar Khán Bábi and Jawán Mard Khán Bábi from Radhanpur joined . 0 +""" Rockingham "" reached Bombay on 23 May and arrived on 21 September in Whampoa ." """ Rockingham "" reached Whampoa on 23 May , and arrived at Bombay on 21 September ." 0 +Sara Varga ( born April 14 , 1982 ) , professionally known as Sara Varga Madeleine Jonsson , is a Swedish Vispop singer , songwriter , author and DJ . Sara Varga Madeleine Jonsson ( born 14 April 1982 ) , known professionally as Sara Varga , is a Swedish vispop singer , songwriter , author , and DJ . 0 +It is situated in Thiruvannamalai Outer Ring Road in Vengikkal New town at Thirinjapuram Union , Thiruvannamalai District , Tamil Nadu . It is located in Thiruvannamalai Outer Ring Road in Vengikkal New Town at Thirinjapuram Union , Thiruvannamalai District , Tamil Nadu . 1 +""" Do What You Want , Be What You Are "" was covered by The Dramatics in 1979 ." """ Do whatever you want , be what you are "" was covered in 1979 by The Dramatics ." 1 +"A scalar transformation is a transformation that is "" linear "" up to a twist "" , which means "" to a field automorphism under semilinear multiplication "" ." "A semilinear transformation is a transformation which is linear "" up to a twist "" , meaning "" up to a field automorphism under scalar multiplication "" ." 0 +During the era between 1836 and 1846 , when California was a province of independent Mexico , the following 13 ranchos were granted in Napa County : During the period between 1836 and 1846 , when California was a province of independent Mexico , the following 13 ranchos were granted in Napa County : 1 +The team 's statistical leaders included Kyle Boller , with 1,741 passing yards , Charon Arnold with 688 Rushing Yards , and Terrell Williams with 606 reception - Yards . The team 's statistical leaders included Kyle Boller with 1,741 passing yards , Terrell Williams with 688 rushing yards , and Charon Arnold with 606 receiving yards . 0 +Lagonisi is located about 30 km southeast of Athens and 35 km northwest of Cape Sounio . Lagonisi is located approximately 30 km northwest of Athens and 35 km southeast of Cape Sounio . 0 +Andy insists that he likes it , and Adam encourages Katie to ask Adam out . Adam insists that he likes her and Andy encourages Adam to ask Katie out . 0 +These names were chosen to correspond to their rough equivalents in the international chess , not as literal translations of Japanese names . Several of these names were chosen to correspond to their international equivalents in rough chess , and not as literal translations of the Japanese names . 0 +"Nong Wua So is a district ( "" amphoe "" ) in the western part of Udon Thani Province , northeastern Thailand ." "Nong Wua So is a district ( "" Amphoe "" ) in the northeastern part of the province of Udon Thani , in western Thailand ." 0 +Entries marked with an asterisk are set in Nodd 's fictional community of King 's Ridge . Entries marked with an asterisk are set in the fictional community of King 's Nodd 's Ridge . 0 +The station , which is licensed to Wauchula , Florida , USA , serves the Sebring area . The station , which is licensed to Sebring , serves the Wauchula , Florida , USA area . 0 +In 1938 , after Anfuso was appointed Foreign Minister , Ciano became Head of Ministry of Staff . In 1938 , after Ciano was appointed Minister of Foreign Affairs , Anfuso became Ministry head of staff . 0 +The Sultan of Golconda extinguished Mysore and humiliated the Vijayanagara empire and accepted and attacked the kingdom of Mysore . The Sultan of Golconda accepted and attacked Mysore and extinguished the Vijayanagara Empire and humbled the kingdom of Mysore . 0 +Trujillo has incorporated in his canvases elements of contemporary art and local figures in a very hieratic style . Trujillo has recorded in his canvases elements of native art and hieratic figures in a very contemporary style . 0 +The first European to visit Cornwallis Island was Sir William Edward Parry in 1819 and named after British Royal Navy Admiral Sir William Cornwallis . The first European to visit Cornwallis Island was Sir William Edward Parry in 1819 and named for British Royal Navy admiral Sir William Cornwallis . 1 +He was selected in Sri Lanka 's One Day International ( ODI ) team for Tri-Series in West Indies , with Zimbabwe being the third team . He was selected in Sri Lanka 's One Day International ( ODI ) Tri-Series team in Zimbabwe , with West Indies being the third team . 0 +"The duo renamed the title "" Electric Arguments "" from the poem "" Kansas City to St. Louis "" by Allen Ginsberg ." "The duo borrowed the title "" Electric Arguments "" from the poem "" Kansas City to St. Louis "" by Allen Ginsberg ." 0 +The uneducated Confederates were totally confused in this situation , and their organization was lost . The confused Confederates were totally untrained in this situation and their organization was lost . 0 +Juan Ramón Jiménez was born in Moguer , near Huelva , in Andalucia , on 23 December 1881 . Juan Ramón Jiménez was born on 23 December 1881 in Huelva , near Moguer in Andalusia . 0 +He moved to New France in 1685 and lived for some time in Quebec . Around 1685 he moved to Québec and lived for some time in New - France . 0 +The Patriarchal is a member of the metropolitan Synod . The Patriarchal is a member of Metropolitan Synod . 1 +The Eastern Australian Football League is an Australian rule football competition in the eastern United States of America and a department of the United States Australian Football League . The United States Australian Football League is an Australian rule football competition in the eastern United States of America and a division of the Eastern Australian Football League . 0 +Following the breakup of their previous band , Shae Lappen and Dan Mena discussed the idea of founding a new band with Brendan Benham . After the separation of their previous band , Brendan Benham and Dan Mena discussed the idea of founding a new band with Shae Lappen . 0 +Holsman granted the Parkway Garden Homes a modernist design inspired by European housing projects of the 1920s and 1930s . Holsman gave the Parkway Garden Homes a European design , inspired by modernist residential projects of the 1920s and 1930s . 0 +He was a mediator with the United States Olympic Committee and was a member of the United States Postal Service arbitration panel . He was an intermediary with the United States Postal Service and was a member of the United States Olympic Committee arbitration panel . 0 +Monica Mæland , Norwegian Trade Minister , led a delegation of 54 companies to Kenya in September 2015 . In September 2015 , Kenyan Trade Minister Monica Mæland led a delegation of 54 companies to Norway . 0 +Ilya Dolgov currently lives and works under St. Petersburg in Kronstadt . Ilya Dolgov currently lives and works in St Petersburg , under Kronstadt . 0 +These cued monitoring aircraft sent the data to a processing center in Thailand from which target information was sent to the DELTA teams . These cued monitoring aircraft , which sent the data to a processing center in Thailand , from which target information was sent to the DELTA teams . 1 +""" Oliver Twist , "" published in 1838 , became one of Dickens 's better known stories , and was the first Victorian novel with a child protagonist ." """ Oliver Twist "" , published in 1838 , was one of Dickens ' best-known stories and became the first Victorian novel with a child protagonist ." 1 +Daniela Castro ( born Daniela Castro Arellano on 17 August 1966 in Mexico City , Mexico ) is a Mexican Irish actress and singer . Daniela Castro Arellano ( born August 17 , 1966 in Mexico City , Mexico ) is a Mexican - Irish actress and singer . 1 +The first and last gradient terms are associated with the total pressure which is the sum of the magnetic and thermal pressures ; formula _ 9 . The magnetic and thermal gradient terms are connected with the first and final pressure , which is the sum of the total pressures , Formula 9 . 0 +Also in 1999 , Abdelaziz Bouteflika , who supported the independence of Western Sahara , became president of Algeria . Also in 1999 , Abdelaziz Bouteflika , who supported Algeria ’ s independence , became president of the Western Sahara . 0 +In May 1955 , a new Balkan Express was started from Vienna via Graz and Belgrade ( excluding Bulgaria ) to Athens and Istanbul . In May 1955 a new Balkan Express was launched from Vienna via Graz and Belgrade ( avoiding Bulgaria ) to Athens and Istanbul . 1 +Coverage in urban areas is substantially higher than in rural areas . In rural areas , coverage is much higher than in urban areas . 0 +In July or August 1944 , he was captured in Lower Silesia with 18 other SOE officers murdered in the Groß-Rosenen concentration camp . He was murdered , with 18 other captured SOE officers , at the Gross-Rosen concentration camp in Lower Silesia in July or August 1944 . 0 +According to Oliver Cowdery , the Aaronic Priesthood was restored on 15 May 1829 for him and Smith , somewhere in the forest near the home . According to Oliver Cowdery , the Aaronic priesthood was restored to him and Smith on May 15 , 1829 , somewhere in the woods near the home . 1 +The international airport Tancredo Neves / Confins is located in the municipalities of Lagoa Santa and Confins , 38 km away from Belo Horizonte and was opened in January 1984 . Tancredo Neves/Lagoa Santa is located in the municipalities of Belo Horizonte and Confins , 38 km from Confins International Airport , and was opened in January 1984 . 0 +She qualified for her first Grand Slam at the 2016 Australian Open , beating Wang Yafan in the second round before losing to Carla Suárez Navarro in the second . She qualified for her first Grand Slam at the Australian Open 2016 and struck Wang Yafan in the second round before losing Carla Suárez Navarro in the second round . 1 +Angolemi ( ; ) is a village in the district of Nicosia , southwest of Morphou . Angolemi is a village in Morphou , southwest of Nicosia District . 0 +""" Opson "" is therefore equivalent to Banchan in Korean cuisine and Okazu in Japanese cuisine ." """ Opson "" is therefore equivalent to Banchan in Japanese and Okazu in Korean cuisine ." 0 +Other studies have also been submitted to the Congress by the Federal Power Commission and Power Authority of New York . Also other studies were submitted to the Congress by the Federal Power Commission and Power Authority of New York . 1 +"He has supported John Barrymore in "" Maryland "" ( 1940 ) and Walter Brennan in "" The Great Profile "" ( 1940 ) ." "He supported Walter Brennan in "" Maryland "" ( 1940 ) and John Barrymore in "" The Great Profile "" ( 1940 ) ." 0 +Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist , known for his early involvement in the American beat movement . Joffre Stewart ( born 1925 ) is an early poet , anarchist , and pacifist known for his early participation in the American Beat movement . 1 +The Royal College of Music , alongside Maestro Peter Stark , has appointed Natalia as a conductor professor . The Royal College of Music has appointed Peter Stark as a Professor of Conducting alongside Maestro Natalia . 0 +The advent of vocal percussion added new dimensions to the a cappella genre and has spread very widely in modern arrangements . The advent of modern percussion added new dimensions to the a cappella genre and has become very widespread in vocal arrangements . 0 +Regiment Highveld was formed in Nelspruit on the 1 January , 1960 , it also stationed a rear HQ in the town of Middelburg . On 1 January 1960 , the Highveld regiment was founded in Nelspruit , which also stationed a Rear HQ in the town of Middelburg . 1 +The River Sterminos is a tributary of the River Voievodu in Romania . The Voievodu River is a tributary of the Sterminos River in Romania . 0 +The cast list indicates a date of first performance after Tooley joined the company in the Spring of 1619 , and before Taylor 's death in June 1623 . The cast list indicates a first performance date after Taylor entered the company in the spring of 1619 and before the death of Tooley in June 1623 . 0 +Julius Adam was a member of the important Adam family of Munich artists . Julius Adam was a member of the important Munich Adam family . 1 +Károli started his school in Brassó and finished in Nagykároly . In 1556 he went to the Wittenberg Academy . In 1566 he ordered the Synod of Gönc . Károli started his school in Nagykároly and closed it in Brassó , in 1556 he went to the Wittenberg Academy , in 1566 he ordered the Synod of Gönc . 0 +Felix researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization in London from 1927 to 1945 . Felix researched in Bielsko , Vienna , Prague , and London . Between 1927 and 1945 , he worked in Jerusalem for the Hadassah Medical Organization . 0 +He only lost 3 and he also saved two games . He has also saved 3 and he has lost only two games . 0 +"Bosley Crowther called Dean 's performance a "" mass of histrionic gingerbread "" which clearly emulated the style of Marlon Brando ." "Bosley Crowther called Dean 's performance "" mass of histrionic gingerbread "" , which clearly imitates the style of Marlon Brando ." 1 +"Matt Fishel also created the entire artwork for Phillips ’ apos ; debut album "" Not Thinking Straight "" , which was released on Young Lust Records in April 2013 ." "Phillips also created all the artwork for Matt Fishel 's debut album "" Not Thinking Straight "" , which was released in April 2013 on Young Lust Records ." 0 +At the age of nine , he appeared in his first concert and since then he joined alone or with his aunt and his uncle in all parts of France . Garcia appeared in his first concert at the age of nine , and since then he performed alone or with his aunt and uncle in all parts of France . 1 +"The former actor James Whitmore , who appeared in the TV series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! "" ." "The former actor James Whitmore , who appeared on the television series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! """ 1 +Thaw participated in two of the cross-country Bendix trophy races , which were held in 1931 and instituted annually to promote and encourage the achievements of U.S. aviation . Thaw participated in two of the cross-country - Bendix - trophy races , which were introduced in 1931 and held annually to promote the achievements of U.S. aviation . 0 +With Apex Marketing , Dracco Company Ltd. created the online version of the game and established the Chaotic basic universe . Dracco Company Ltd. with Apex Marketing then created the basic version of the game and established the online universe of Chaotic . 0 +The first president of the Yr Academi Gymreig ( Welsh Academy ) was ( 1892-1962 ) . Williams , ( 1892-1962 ) , was the first president of Welsh Academy ( Yr Academi Gymreig ) . 0 +The show was staged by Nick Winston at the Theatre Royal in Newcastle on March 27 , 2012 and choreographed by Ed Curtis . The show was premiered at the Theatre Royal in Newcastle on March 27 , 2012 , directed by Ed Curtis and choreographed by Nick Winston . 0 +The last possession of the Genoese in the Mediterranean , the island fort of Tunis , was lost to Tabarka in 1742 . The last possession of the Genoese in the Mediterranean , the island fort of Tabarka , was lost to Tunis in 1742 . 0 +Yiddish names are in parentheses ( if current ) , different names are linked . Yiddish names are associated in parentheses ( if different ) , current names are linked . 0 +Janković was the third seed at Wimbledon , but lost in the fourth round to the surprising finalist Marion Bartoli . At Wimbledon , Janković was the third seed , but lost in the fourth round to the surprise eventual finalist Marion Bartoli . 1 +He frequently observed ballet performances at the Paris Opera and often attended lessons at the dance school . He frequently attended ballet performances at the Paris Opera and often observed classes at the dance school . 0 +Conotalopia mustelina is a species of sea snail , a top gastropod mollusk in the Trochidae family , the navy snails . Conotalopia mustelina is a species of sea snail , a top gastropod mollusk in the family Trochidae , the marine snails . 1 +"Whipworm often infects patients also with "" Giardia "" , "" Entamoeba histolytica "" , "" Ascaris lumbricoides "" and hookworms infected ." "Whipworm also infects patients commonly infected with "" Giardia "" , "" Entamoeba histolytica "" , "" Ascaris lumbricoides "" , and hookworms ." 0 +While prostitution is illegal in Canada , most activities related to prostitution are legal . While prostitution in Canada is legal , most of the activities related to prostitution are illegal . 0 +The film was written by P. Madhan and co-produced and produced by AR Murugadoss under the banner of Escape Artists Motion Pictures . The film was written and produced by AR Murugadoss and produced by P. Madhan under the banner of Escape Artists Motion Pictures . 0 +Catherine was a cousin of Anne and Mary Boleyn . Anne was a first cousin of Catherine and Mary Boleyn . 0 +It was not long after Wyman joined the group that Watts took over the drums . It was not long after Watts joined the group that Wyman took over the percussion . 0 +John Higgins drew a pencil portrait of Cowper , and also painted landscapes . John Higgins drew a pencil portrait from Cowper and also painted landscapes . 1 +He founded the Aquila Press in the 1930s to publish literary but obscure works , and he wrote or translated over 50 books . He founded the Aquila Press in the 1930s to publish obscure but literary works , and he wrote or translated over 50 books . 0 +Another memorable ruler was Max Franz ( ruled in 1784 -- 1794 ) , who founded the university and spa quarter of Bad Godesberg . Another memorable ruler was Max Franz ( ruled 1784 -- 1794 ) , who founded the university and the spa quarter of Bad Godesberg . 1 +Eugene Luening ( sometimes Eugen Luening ) ( 1852 -- 1944 ) was a musician of German origin born in Milwaukee . Eugen Luening ( sometimes Eugene Luening ) ( 1852 -- 1944 ) was a Milwaukee born musician of German descent . 1 +Sara Zaker is married to Zaker , but is also a media personality , entrepreneur and social activist . Zaker is married to Sara Zaker also is a media personality , entrepreneur and social activist . 0 +"The book is the basis for the 2016 film "" In the Forests of Siberia "" directed by Safy Nebbou and with Raphaël Personnaz ." "The book is the basis for the 2016 film "" In the Forests of Siberia "" , directed by Safy Nebbou and starring Raphaël Personnaz ." 1 +Earthquakes are common in Peru , especially in the Arequipa – coastal area of Peru . Earthquakes are common in Peru , especially in the Arequipa coastal area of Peru . 1 +Easthope , born on 29 October 1784 in Tewkesbury , was the eldest son of Thomas Easthope of Elizabeth , daughter of John Leaver from Overbury , Worcestershire . Easthope , born at Tewkesbury on 29 October 1784 , was the eldest son of Elizabeth by Thomas Easthope , daughter of John Leaver of Overbury , Worcestershire . 0 +"Donna interviews that Fargo now looks "" nobler "" and the line better represents ." "Donna interviews that Fargo looks "" classier "" now and better represents the line ." 0 +In some cases , pain , or at least inconvenience , is secondary , or rather insignificant , to humiliation . In some cases , pain or at least discomfort is insignificant or rather secondary to the humiliation . 0 +My Brother Is a Dog is a 2004 film directed by Peter Timm and starring Maria Ehrich , Martin Lindow and Christine Newbauer . My brother is a dog is a film from 2004 by Peter Timm and Christine Newbauer , Martin Lindow and Maria Ehrich directed . 0 +Martina Navratilova defeated Margaret Court 6 -- 3 , 3 -- 6 , 6 -- 3 . Martina Navratilova defeated Margaret Court with 6 -- 3 , 3 - 6 , 6 -- 3 . 1 +Peter McNab died in 1960 when he suffered a heart attack on golf , his son McNab later played in the second American Soccer League . Peter McNab died in 1960 , when he suffered a heart attack playing golf . His son , McNab later played in the second American Soccer League . 1 +"Sam Sam Raimi and Rob Tapert produced together with Campbell the remake of "" The Evil Dead "" ." "Sam Raimi and Rob Tapert produced the remake of "" The Evil Dead "" , along with Campbell ." 1 +According to Hernandez , TNA wanted to create a more stereotypical stable , but Hernandez refused to use Mexican jargon , so gave TNA the promos to Anarquia . According to Hernandez , TNA wanted to create a more Mexican stable , but Hernandez refused to use stereotypical jargon , TNA gave the promos to Anarquia . 0 +In 1951 , the Cogioba Council , based in Bowling Green , merged with the West Kentucky Area Council to form the Audubon Council , which provides a good third of Kentucky . In 1951 , the West Kentucky Area Council , based in Bowling Green , merged with the Audubon Council to form the Cogioba Council , which operates a good third of Kentucky . 0 +The students in these settings receive highly specialized training to address both behavioral learning and special needs . Students in these settings receive highly specialized training to address both behavioral learning and special needs . 1 +Because of the high cost of Stromectol , the lifelong formula Ivomec can be used government programs are needed to help citizens finance veterinary medicines . Because of the high cost of Stromectol , the veterinary formula Ivomec can be used government programs are needed to help citizens to finance lifelong medication . 0 +One of the best and most prestigious schools in Hathras is St Francis inter college , Aligarh road . St Francis Inter College , Aligarh Road , is one of the best and most renowned schools in Hathras . 1 +He lives with his wife Mabel and their children , Noah and Lucy . He lives with his wife Mabel and their children Noah and Lucy together . 1 +Chandos Leigh , 1st Baron Leigh ( 27 June 1791 -- 27 September 1850 ) was a minor landowner and British poet . Chandos Leigh , 1st Baron Leigh ( June 27 , 1791 - September 27 , 1850 ) was a minor landowner and British poet . 1 +A complete edition was published 1862 -- 1864 in Edinburgh , in seven volumes , by James Nichol , with a biographical memoir by Alexander Grosart . A complete issue was published in 1862 -- 1864 in Edinburgh , in seven volumes by James Nichol , with a biographical memoir by Alexander Grosart . 1 +"As part of this process , the airline was divided into two portions , informally known as "" old "" Varig and "" new "" Varig ." "As part of this process , the airline was divided into two parts , informally known as "" old "" Varig and "" new "" Varig ." 1 +Joe Joe Newman was the co-founder of the current American Basketball Association with Richard P. Tinkham . In collaboration with Joe Newman , Richard P. Tinkham was co-founder of the current American Basketball Association . 0 +It was successfully completed first by a 12-year-old American , Tom Schaar , on March 26 , 2012 . It was first successfully completed on 26 March 2012 by a twelve-year-old American , Tom Schaar . 1 +Patalpur is a village in the Bhopal district of Madhya Pradesh , India . It is located in the Berasia tehsil , near Keetai Dewapura and Patalpani . Patalpur is a village in the Bhopal region of Madhya Pradesh , India . It is located in Berasia tehsil , near Keetai Dewapura and Patalpani . 1 +It is located north of Altha and east of Blountstown on the west bank of the Apalachicola River . It is located to the north of Blountstown and east of Altha on the west bank of the Apalachicola River , 0 +Virginia Wade defeated Betty Stöve 6 -- 4 , 7 -- 6 Betty Stöve defeated Virginia Wade with 6 -- 4 , 7 -- 6 . 0 +The album was deleted during the digital download shortly after the CD was released in 2008 . The album was deleted on digital download in 2008 , shortly after the CD was released . 1 +As a senior in 2003 , he threw for 1,070 yards and rushed for 1,291 to earn District 18-4A MVP honors . As a senior in 2003 , he rushed for 1,070 yards and threw for 1,291 to earn District 18-4A MVP awards . 0 +"Atari also upgraded the basic design in 1986 with the "" 1040ST "" ( later written "" STF "" ) ." "Atari later improved the basic design with the "" 1040ST "" ( also written "" STF "" ) in 1986 ." 0 +The friendship between him and Duncan ended at a club meeting in 1951 , when they disagreed at an annual meeting , and Greaves reported that Duncan said : The friendship between him and Duncan ended in 1951 at a club meeting , when the two contradicted an annual meeting , and Duncan reported that Greaves said : 0 +These include replicas in Ramat Shlomo in Jerusalem and Kfar Chabad in Israel . These include replicas in the Shlomo Ramat in Israel and Kfar Chabad in Jerusalem . 0 +The common musical interest of members was one of the decisive factors for the foundation of Coldrain . The decisive interest of the members was one of the common musical factors for the forming of Coldrain . 0 +Ruben Aganbegyan ( born in 1972 , Novosibirsk ) is a Russian economist , president of Micex , son of the famous Soviet economist Abel Aganbegyan . Abel Aganbegyan ( born 1972 , Novosibirsk ) is a Russian economist , president of the Micex , son of the famous Soviet economist Ruben Aganbegyan . 0 +SystemVerilog offers in addition to the associative array used in the design , also static arrays , dynamic arrays and queues . In addition to the static array used in design , SystemVerilog offers dynamic arrays , associative arrays and queues : 0 +The Royal College of Music has appointed Natalia alongside Maestro Peter Stark as Professor of Conductors . The Royal College of Music has appointed Natalia as a Professor of Conducting alongside Maestro Peter Stark . 1 +It was published in 1985 by Kids Can Press , and printed by Everbest in Hong Kong . It was published by Kids Can Press in 1985 and was printed by Everbest in Hong Kong . 1 +"Dastan ( "" story "" ) is a genre , known not only in Western poetry , but also in traditional poetry ( including Eastern folk poetry ) ." "Dastan ( "" story "" ) is a genre known not only in Eastern poetry , but also in Western poetry ( including traditional folk songs ) ." 0 +The Slavic Soul includes the most beautiful music themes from 9 countries . Songs are traditional , classical and popular , all in new arrangements . The Slavic Soul includes the most traditional , classical and popular music topics from 9 countries . Songs are beautiful , all in new arrangements . 0 +The incumbents were re-elected Church , Tremain , Vanderpoel , and Johnson , while the incumbent , Richmond , was defeated . The incumbents Church , Tremain , Vanderpoel and Johnson were defeated . The incumbent Richmond was re-elected . 0 +The finals won Petra Kvitová in the final , Dominika Cibulková , 6 -- 4 , 6 -- 1 . Winner of the tournament won Dominika Cibulková in the final Petra Kvitová , 6 -- 4 , 6 -- 1 . 0 +The southern area contains the Tara Mountains and the northern area consists of open plains along the coast , and the city proper . The northern area contains the Tara mountains and the southern region consists of open plains along the coast and the actual city . 0 +Holt represents the residents of Weakley , Carroll County , and is part of Obion . Holt represents the residents of Weakley , Carroll County , and part of Obion . 1 +He was also trained at the Academy of Art in Zurich , where he and others learned musically to use the computer for composing music . He was musically trained at the Art Academy in Zurich , where he and others also learned to use the computer for composing music . 0 +In 2007 , Baiano returned outside to play with the FC Ararat First Division team in Asia ( Armenia ) . In 2007 Baiano back outside to play with FC Ararat first division team in Armenia ( Asia ) . 1 +The problem of testing whether a given polynomial over a finite field is a permutation polynomial can be solved in polynomial time . The problem of checking whether a given polynomial is a permutation polynomial over a finite field can be solved during polynomial time . 1 +On 4 January 2015 , Pope Francis announced that on 14 February he would appoint Tonga 's Bishop Soane Patita Paini Mafi as Cardinal . On 4 January 2015 , Pope Francis announced that he would make Tonga 's bishop , Soane Patita Paini Mafi , a cardinal on 14 February . 1 +It is about five miles southeast of Jerseyville and about seven miles northwest of Godfrey along the US Highway 67 . It is located about five miles northwest of Jerseyville and about seven miles southeast of Godfrey along US Highway 67 . 0 +Their feud culminated on July 3 , when Paris and Bobby Eaton were beaten by Ganz and Ricky Morton . On July 3 , their feud culminated , when Paris and Ricky Morton were defeated by Ganz and Bobby Eaton . 0 +In Delaware , the law applies only to minors under 16 and in South Carolina to minors under 17 . In South Carolina , the law applies only to minors under 16 and in Delaware to minors under 17 years of age . 0 +"Therefore , the complex equivalent given - transformation formula 5 of a Hermitian matrix "" H "" is also a Hermitian matrix similar to "" H "" :" "Hence , the complex equivalent Givens transformation formula _ 5 of a Hermitian matrix "" H "" is also a Hermitian matrix similar to "" H "" :" 1 +It was originally developed by groups of Chinese and Russian scholars in the Soviet Union and used by Chinese immigrants there until the majority of them left the country . It was originally developed by groups of Chinese and Russian scholars in the Soviet Union , and used by Chinese immigrants there until most of them left the country . 1 +The mineral is only formed in the Bon Accord Nickel Deposit in South Africa where it has been found by replacing chromite and rimmed by trevorite . The mineral is formed only in the Bon Accord - nickel deposit in South Africa , where it has been found by replacing chromite and by trevorite . 0 +La Unión is a city in Greater Buenos Aires , Argentina , in the Ezeiza Partido . La Unión is a town in Ezeiza Partido , in the Greater Buenos Aires , Argentina . 1 +From 1908 to 1912 , Henry Tonks studied at the Slade School of Fine Art in London , among others Spencer . From 1908 to 1912 , Spencer studied at the Slade School of Fine Art in London , under Henry Tonks and others . 0 +A second Cheetah was built in 1962 and third in 1963 . A second chest was built in 1962 and third in 1963 . 0 +Productions of the show require a small set and a minimal cast of 6 actors , as well as a solo violinist , who is present on stage throughout the performance . Productions of the show require minimal set and a small cast of 6 actors , as well as a solo violinist who is present on stage throughout the show . 1 +Rituparna Sengupta and Indrani Halder shared the National Film Award for Best Actress in 1998 for the film . Ghosh won National Film Award for Best Screenplay . In 1998 , Rituparna Sengupta and Indrani Halder won the National Film Award for the film as Best Actress , Ghosh shared the National Film Award as Best Screenplay . 0 +Hine was born in 1936 in New Westminster ( British - Colombia ) and grew up in Burnaby . Hine was born in Burnaby in 1936 and grew up in New Westminster , British Columbia . 0 +The Longmen Wang were a cadet line of the Zhou dynasty that descended from Taiyuan Wang and carried Wang Yan and his grandson Wang Tong out of his cadet line . The Longmen Wang were a cadet line of the Zhou dynasty descended Taiyuan Wang , and Wang Yan and his grandson Wang Tong hailed from his cadet line . 1 +The manuscript was added to the list of manuscripts of the New Testament by Gregory ( 683 ) and Scrivener ( 868 ) . The manuscript was added to the list of manuscripts of the New Testament by Scrivener ( 683 ) and Gregory ( 868 ) . 0 +""" Love Generation "" is a song by French music producer and DJ , Gary Pine featuring vocals by Bob Sinclar ." """ Love Generation "" is a song by the French music producer and DJ Gary Pine with vocals by Bob Sinclar ." 1 +Although he was defeated and petitioned , he was appointed on 27 April 1785 . Although he was defeated , he petitioned and was seated on 27 April 1785 . 0 +Kinetic compensation : an increase in the pre-exponential factors tends to compensate for the increase in activation energy : Kinetic Compensation : An increase in preexponential factors tends to compensate for the increase in activation energy . 1 +Emu Park was also the junction of the Central Western line and Rockhampton line . Rockhampton was also the intersection of the Central Western Line and Emu Park Line . 0 +""" Love Hurts "" is the first episode of the twentieth season of "" House "" , which premiered on the Fox network on May 10 , 2005 ." """ Love Hurts "" is the twentieth episode of the first season of "" House "" , which was premiered on May 10 , 2005 in the Fox - network ." 0 +During the American Civil War , Corydon was the place of the battle of Corydon , the only official battle in Indiana . Indiana was the site of the Battle of Corydon during the American Civil War , the only official battle in Corydon . 0 +For example , an animal given as a gift must be bred and not eaten . For example , an animal given as a gift must be bred , not eaten . 1 +Roy Elwood Cohn was born on March 3 , 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Felicia Cohn Montealegre . Felicia Cohn Montealegre was born on 3rd March 1922 in San Jose , Costa Rica to Clemencia Montealegre Carazo and Roy Elwood Cohn . 0 +The original route began at US 410 in Touchet and went north to Eureka and east to SSH 3E west of Prescott . The original route started at US 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . 0 +Former Mangalore Station was located north of Seymour at the crossroads of North East and Shepparton lines . Former station North East was located north of Seymour at the junction of the Mangalore and Shepparton lines . 0 +Theoretically , TS can be derived for simple targets such as spheres and cylinders , but in practice it is mostly empirically measured or calculated with numeric models . TS can be derived theoretically for simple targets such as spheres and cylinders , but in practice , it is usually measured empirically or calculated with numerical models . 1 +"Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" from singer Adele of 1985 ." "Adele was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" by singer Ahmet Kaya in 1985 ." 0 +In September 1994 , Anton Lesley married Gray Anton . Anton married Lesley Gray in September 1994 . 0 +Scurria viridula is a species of sea snail , a true limpet , a true gastropod mollusk in the Lottiidae family , one of the families of the marine limpets . Scurria viridula is a species of sea snail , a true limpet , a marine gastropod mollusk in the family Lottiidae , one of the families of true limpets . 0 +From 1969 onwards the family lived in rented houses in California , close to Los Angeles recording studios . From 1969 , the family lived in rented houses in California , close to the recording studios in Los Angeles . 1 +"The open circuit time constant procedure provides the linear term in "" j "" ω regardless of how complex the RC network becomes ." "The linear procedure for the open circuit time provides the constant term in "" j "" y , regardless of how complex the RC network becomes ." 0 +"Unlike professional astronomers , for many amateur astronomers , scientific research is usually not the "" main goal "" ." "Scientific research is most often not the "" main "" goal for many amateur astronomers , unlike professional astronomers ." 1 +"Giles ' ; Gothic - Roman "" Playing in Traffic "" is an epic story about a boy who is trying to help a third girl ." "Giles ' third novel , "" Playing in Traffic "" , is an epic story about a boy trying to help a gothic girl ." 0 +"Pluto was classified as the planet when the Grand Tour was proposed and was launched at the time "" New Horizons "" ." "Note : Pluto was classified as planet when the Grand Tour was started and proposed at the time "" New Horizons "" ." 0 +Other Bastis ( villages ) contain Basti Ibrahim Khan , Basti Pir Dad Khan , Basti Shah Quli , Basti Daanishmandan and Basti Nau . Other bastis ( villages ) included Basti Ibrahim Khan , Basti Pir Dad Khan , Basti Shah Quli , Basti Daanishmandan and Basti Nau . 1 +It will be convenient to set the acceleration vector as formula _ 26 and also to write . It will be convenient to write and also to set the accelerator as Formula 26 . 0 +The party ’ s secretary became Hardie , while George Mitchell was the first treasurer , and Cunninghame Graham was the president . Hardie became the party 's Secretary , while Cunninghame Graham was the first Treasurer and George Mitchell was the President . 0 +He married Lady Florence Jane Taylour , the daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on August 5 , 1875 . He married Lady Florence Jane Taylour , daughter of Amelia Thompson , 3rd Marquess of Headfort and Thomas Taylour , on 5 August 1875 . 1 +Looe Bay Holiday Park , a large holiday park and campsite , is located at Great Tree . Great Tree , a large holiday park and campsite , is situated at Looe Bay Holiday Park . 0 +The first consonant of each word was then dropped , the distribution of unforeseen leaving . The first consonant of each word was then dropped , leaving the distribution of unpredictable . 1 +Disputes with leaders of Marble Hill persuaded the railroad to move their route through Lutesville instead . Disputes with leaders of Marble Hill persuaded the railroad to relocate their route through Lutesville instead . 1 +Also his wife Gisela M. A. Richter and her daughters Irma and Luise Marie Schwaab were art historians . His wife Luise Marie Schwaab and their daughters Irma and Gisela M. A. Richter were also art historians . 0 +It does not much matter whether modern users know that they are classical or not . Whether classical users know that they are modern or not , does not matter . 0 +The cast includes Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Savita Prabhune , Ashkok Saraf , Vikram Gokhale , Raja Mayekar , Chandu Parkhi , The cast includes Ashwini Bhave , Nilu Phule , Sulabha Deshpandey , Savita Prabhune , Ashok Saraf , Vikram Gokhale , Raja Mayekar , chandu parkhi , 1 +According to the United States Census Bureau , Masontown has a total area of which there is land and , or 2.10 % , is water . According to the United States Census Bureau , Masontown has a total area of , of which is land and , or 2.10 % , is water . 1 +On November 4 , 2017 , Mamun officially announced to the Russian press that Irina Viner has completed her competitive career in rhythmic gymnastics . On November 4 , 2017 , Irina Viner officially announced to the Russian press that Mamun has completed her competitive career in rhythmic sports gymnastics . 0 +It was the first mass political action in Ceylon and the first major social crisis following independence . It was the first major social action in Ceylon and the first mass political crisis after independence . 0 +Grapes were discovered by acts such as Peter , Paul and Mary , Lenny Bruce ( with whom he was arrested for obscenity ) , Randy Newman and The Isley Brothers . Weintraub discovered such acts as Peter , Paul and Mary , Lenny Bruce ( with whom he was arrested for obscenity ) , Randy Newman and The Isley Brothers . 0 +Japan is a dam in the Tokiwa dam , completed in 1941 . Nagano Prefecture , Japan is a dam in the Tokiwa Dam , completed in 1941 . 0 +The Commission , under the nominal leadership of the Soviet general Vladislav Petrovich Vinogradov ( represented by Rodion Malinovsky ) , was dominated by Red Army leaders . The Commission , placed under the nominal leadership of Soviet general Vladislav Petrovich Vinogradov ( represented by Rodion Malinovsky ) and was dominated by Red Army leaders . 1 +Barako from San Francisco was shipped from Manila to Batangas . Barako from San Francisco was shipped to Batangas from Manila . 1 +""" Live : Legend 1999 & 1997 Apocalypse "" was first released on August 16 , 2014 , with an official trailer announced on September 11 , 2014 ." """ Live : Legend 1999 / 1997 Apocalypse "" was released on August 16 , 2014 with an official trailer announced on September 11 , 2014 ." 1 +In 1992 , Perence Shiri was replaced by Tungamirai as the air force commander . In 1992 Tungamirai was replaced by Perence Shiri as Air Force commander . 0 +""" Clitarchus hookeri "" is found from Wellington to the region of Northland in the south of the North Island of New Zealand ." """ Clitarchus hookeri "" is found from Northland to the region of Wellington in the south of the North Island of New Zealand ." 0 +Trenčianske Jastrabie is a village and municipality in Trenčín Region in the Trenčín District of northwestern Slovakia . Trenčianske Jastrabie is a village and municipality in the region of Trenčín in the district of Trenčín in northwestern Slovakia . 1 +It is 2 km west of Agios Stefanos and 20 km northeast of Athens city centre . It is 2 km northeast of Agios Stefanos and 20 km west of the city centre of Athens . 0 +In order to obtain a biomarker for diagnostics , the sample material must be as easy to use as possible . In order to obtain a biomarker for diagnostics , the sample material must be as simple as possible to use . 1 +He wrote the script in cooperation with Cyril Rambour , Laurie Aubanel and Bianca Olsen . In collaboration with Bianca Olsen , Laurie Aubanel and Cyril Rambour , he wrote the script . 1 +Traditionally , Drumgoon has always worn a yellow jersey , shorts and socks with a blue trim . Traditionally Drumgoon have always worn a yellow jersey , shorts and socks with a blue trim . 1 +On December 30 , 1888 , she married in Ayer , Massachusetts , Susie J. Clarke . Susie J. Clarke married Brown on 30 December 1888 in Ayer , Massachusetts , USA . 1 +Baroque Baroque is a strand of Spanish architecture that evolved in Spain , its provinces , and former colonies . Baroque Baroque is a strand of Spanish architecture developed in Spain , its provinces and former colonies . 1 +He has issued several books on molecular dynamics and statistical mechanics developments , including : He has edited several books on molecular dynamics and statistical mechanics developments , including : 1 +The Cormos River is a tributary of the Agris River in Romania . The Cormos River is a tributary of the River Agris in Romania . 1 +Peggy Edenfield testified in the case against her husband David and has also agreed to testify against her son George during his trial . Peggy Edenfield testified of her husband David in the case and also agreed to testify against her son , George , during his trial . 1 +In France for the Centre Saint-Étienne Bobo and in Burkino Faso for Saint-Étienne B played Sanou has played in France for Centre Saint-Étienne Bobo and in Burkino Faso for Saint-Étienne B . 0 +"The Futon Critic named "" Spin the Bottle "" the 25th best episode of 2002 and "" Peace Out "" the 33rd best episode of 2003 ." "The Futon - critic "" Spin the Bottle "" called the 33rd best episode of 2002 and "" Peace Out "" the 25th best episode of 2003 ." 0 +Crocker moved from Natchez , Mississippi to Vidalia , the headquarters of the Concordia Parish , and crossed the lower Ouachita in the Black River section . Crocker crossed from Natchez , Mississippi to Vidalia , the seat of Concordia Parish , and moved toward the lower Ouachita in the section called the Black River . 1 +Guido died in 1955 , and the company was directed by his son Bruno Caloi until 1999 . Guido died in 1955 , and the company was led by his son Bruno Caloi until 1999 . 1 +It is ( covered ) by the integument , superficial fascia , Platysma and deep fascia ; It is ( covered ) by the integument , the superficial fascia , the platysma and deep fascia ; 1 +Nick Jackson suffered a rib injury during his first game at the Toronto event and was drawn from his second match as well as from the New York City event . Nick Jackson suffered a rib injury during his first match at the Toronto event and was pulled from his second match as well as the New York City event . 1 +Baron Paul Georges Marie Kronacker ( 5 November 1897 -- 3 February 1994 ) was a liberal chemist and Belgian politician for the Liberal Party . Baron Paul Georges Marie Kronacker ( 5 November 1897 - 3 February 1994 ) was a Belgian chemist and liberal politician for the Liberal Party . 0 +He won the 22nd World Memory Championships in December 2013 and the 24th World Memory Championships in December 2014 . He won the 22th World Memory Championships in December 2013 and 24th World Memory Championships in December 2014 . 1 +The former H block ( Initial Isolation Ward ) was designed by Leighton Irwin in conjunction with the first major works on the relocated hospital area . The former H Block ( Initial Isolation Ward ) was designed by Leighton Irwin , in conjunction with the first major works on the relocated hospital site . 1 +He is trained by Andre Rozier and shares a gym with the former World Champion Daniel Jacobs . He is trained by Daniel Jacobs and together with former World Champion Andre Rozier shares a gymnasium . 0 +William W. Woodworth ( March 16 , 1807 -- February 13 , 1873 ) was a U.S. Representative from New York and member of the Woodworth political family . Woodworth ( March 16 , 1807 - February 13 , 1873 ) was a U.S. representative from New York and member of the political family of William W. Woodworth . 0 +He was elected as Distinguished Lecturer by the International Speech Communication Association and the IEEE Signal Processing Society . He was elected a Distinguished Lecturer by the IEEE Signal Processing Society and the International Speech Communication Association . 1 +It is a townland and a historical parish in the civil barony Ormond Lower . It is a townland and a historical parish in the civil barony of Ormond Lower . 1 +The dolls she created in Spain were dramatically different than those in New York . The dolls she created in Spain were dramatically different from those in New York . 1 +The planned electrification of the Blackpool North to Manchester route was announced in December 2009 . The planned electrification of the Manchester route to Blackpool Nord was announced in December 2009 . 0 +Old Polish is the time in the history of the Polish language between the 16th and 9th centuries , followed by the middle Polish language . Old Polish language is the period in the history of the Polish language between the 9th and the 16th centuries , followed by the Middle Polish language . 1 +Adelanto is located in the Mojave desert of the southern Victor Valley , north of the Cajon Pass and San Bernardino Valley . Adelanto is located in the Victor Valley of the south-central Mojave Desert , north of the Cajon Pass and San Bernardino Valley . 0 +His style is progressive , sometimes experimental , but in other ways curiously conservative . His style is conservative , sometimes progressive , but curiously experimental in other ways . 0 +The T helper cells then activate B cells , which are also in the presence of these antigens , causing the production of autoantibodies . T helper cells then activate B cells , which are also in the presence of these antigens , which causes the production of autoantibodies . 1 +It is equivalent to the rank of rear admiral in the United States Navy and the rank of a rear admiral ( upper half ) in the Royal Navy . It is equivalent to the rank of rear admiral in the Royal Navy and the rank of the rear admiral ( upper half ) in the United States Navy . 0 +Assuming that structural relations are causal , this background knowledge can be expressed in the following specification of the linear equation model ( SEM ) . On the assumption that causal relationships are linear , this background knowledge can be expressed in the following Structural Equation Model ( SEM ) specification . 0 +""" Almost every poem by Amichai is a statement about the general human state "" and Amichai is always a particular poet in a philosophical sense ." """ Almost every poem by Amichai is a statement about the general human condition and Amichai , in a certain sense , is always a philosophical poet "" ." 0 +It was opened when the section from Amersfoort was completed to Zutphen . It was completed when the section of Amersfoort was opened to Zutphen . 0 +To elect Norway , for example , in Oslo before 1992 , it was necessary to call : For example , to dial Norway in Oslo before 1992 , it was necessary to call : 1 +He was sentenced on April 28 , 1794 , when he was guillotined at the same time as his elder brother . He was guillotined on April 28 , 1794 , when he was sentenced at the same time as his elder brother . 0 +The 381st Bombardement Group was formed on the Pyote Air Force Base and was assigned to Ridgewell Airfield in Haverhill , about six miles from Essex , England . The 381st Bombardment Group was formed at the Pyote Air Force Base and was assigned to Ridgewell Airfield in Essex , England , about six miles from Haverhill . 0 +Helen Wills defeated Phoebe Holcroft Watson 6 -- 4 , 6 -- 2 Helen Wills defeated Phoebe Holcroft Watson 6 -- 4 -- 2 0 +"In the United States , where the show is being broadcast , "" Caso Cerrado "" is produced exclusively by Telemundo ." "In the United States , where the show is produced , "" Caso Cerrado "" is broadcasted exclusively by Telemundo ." 0 +"was introduced by Bharathiraja first in the film "" Alaigal Oivathillai "" ." "First Bharathiraja was presented by Karthik in the film "" Alaigal Oivathillai "" ." 0 +The Straja River is a tributary of the Frasin in Romania . The Straja River is a tributary of the Frasin River in Romania . 1 +1963 Hans Jürgen Kallmann was painted by Konrad Adenauer . In 1963 , Konrad Adenauer was painted by Hans Jürgen Kallmann . 0 +Faces can be reconstructed with a three-dimensional model or 2D , which includes sketches or digital reconstructions , similar to face composites . Faces can be reconstructed with a three-dimensional model or by 2D , which includes sketches or facial reconstructions , similar to digital composites . 0 +A few years later , Hyman became pianist Goodman himself . A few years later , Goodman himself became Hyman 's pianist . 0 +InFocus M810 is a smartphone marketed by InFocus and manufactured by Foxconn . It was released on July 31 , 2014 . InFocus M810 is a smartphone manufactured by InFocus and marketed by Foxconn , which was released on July 31 , 2014 . 0 +162 . Fighter Escadrille was a unit of the Polish Air Force at the start of the Second World War . The unit was attached to the Łódź Army . The Fighter Escadrille was at the beginning of the Second World War a unit of the Łódź army , which was attached to the Polish air force . 0 +Defines a tetrahedron that is embedded into the surface to which the curve is adapted . Defines a tetrahedron adapted to the surface into which the curve is embedded . 0 +During this time the climate was a mixture of two different seasons , a dry season and a shorter rainy season . The climate during this period was a mixture of two different seasons , a rainy season and a shorter dry season . 0 +"Other mentions of people who speak "" in Gallic "" ( gallice ) or similar may refer to the speaking of Latin with a regional Gallic accent ." "Other mentions of people who speak "" in the similar manner "" ( gallic ) "" or regional Gaulish may refer to speaking Latin with a Gallic accent ." 0 +Machar , a witness to the Confederation , was concerned about the English -- French tensions in the young country . A witness to Confederation , Machar was concerned about English -- young tensions in the French country . 0 +In 1888 , one of the first gum flavors to be sold in a vending machine , created by the Adams New York Gum Company , was tutti frutti . In 1888 , Tutti Frutti was one of the first rubber flavors to be sold in a vending machine manufactured by the Adams New York Gum Company . 1 +"If "" f "" in Hardy has room "" H "" , then it is a factorization" "If "" f "" has in Hardy space "" H "" , then it is a factorization" 1 +Jeppe Tengbjerg ( born December 28 , 1973 ) is a former football manager and Danish football player . Jeppe Tengbjerg ( born 28 December 1973 ) is a Danish football manager and former football player . 0 +The Federal Governor Juan Bautista Paz took his father , Alejandro Heredia , as Minister of General , and he received a pardon for his son . The federal governor Juan Bautista Paz took his father , Alejandro Heredia , as its general minister , and he obtained a pardon for his son . 1 +In 1858 , he moved with a group of four members from Nevada to Downieville in the area that is now known as Eagle Valley . In 1858 he moved with a group of four members from Nevada to Downieville to the area which is now known as Eagle Valley . 1 +A meeting between the leaders of the two rival governments of Malta was held at Auberge de Castille in Valletta , Libya on 16 December 2015 . On 16 December 2015 , a meeting was held in the Auberge de Castille in Valletta , Malta , between the leaders of the two rival governments in Libya . 0 +"Ed Asner is portrayed by the actor Edward Everett in the documentary "" The Gettysburg Address "" from 2015 ." "Edward Everett is portrayed by the actor Ed Asner in the documentary "" The Gettysburg Address "" from 2015 ." 0 +After Drake calls out her daughter 's name , Veronica hides in a corner and exits the room unnoticed . After Veronica calls her daughter 's name , Drake hides in a corner and leaves the room unnoticed . 0 +Later , Aaron Adam tells Holly that he tried to kiss him , but she did not believe him . Adam later tells Aaron that Holly tried to kiss him , but she does not believe him . 0 +"Their son Marc appeared with Tony on "" Taxi "" in two episodes as Brian Sims ." "Their son Brian Sims appeared with Tony in two episodes as "" Marc "" in "" Taxi "" ." 0 +Salene falls in love with the chosen , Ellie , very unhappy and confused , but he rejects them for Luke . Very unhappy and confused , Salene falls in love with the Chosen , Luke , but he rejects her for Ellie . 0 +"In Europe , he sang at Le Lido in Paris and appeared with Betty Grable in the London West End musical "" Belle Starr "" ." "In Europe he appeared in Le Lido in Paris and sang with Betty Grable in the London West End Musical "" Belle Starr "" ." 0 +It was created on 18 July 1914 for the pharmacist and businessman James Horlick , brother of William Horlick . It was created on July 18 , 1914 for the pharmacist and businessman James Horlick , the brother of William Horlick . 1 +Previously , the position of Thomas Thomas Reiter was planned to be filled by Sergey Volkov ( Russia ) before the launch of STS-121 was postponed until July 2006 . Previously , it was planned that Sergey Sergey Volkov 's position would be filled by Thomas Reiter ( Russia ) before the launch of STS-121 was postponed until July 2006 . 0 +The judges were appointed by the Minister of Justice and nominated by the Tsar . The judges were nominated by the Minister of Justice and appointed by the Tsar . 0 +While Tony lunches at a golf course with Angelo , Johnny Sack , and Carmine Lupertazzi , Carmine suffers a massive stroke and is rushed to the hospital . While Tony lunches with Angelo , Johnny Sack and Carmine Lupertazzi on a golf course , Carmine suffers a massive stroke and is admitted to the hospital . 1 +In 1981 , Freleng and DePatie sold DFE movies to Marvel Comics and Freleng returned to Warner Bros . In 1981 , Freleng and DePatie Warner Bros. sold Marvel Comics and Freleng to DFE Films Returned 0 +Hugo Käch died on 31 December 2003 in Schaffhausen , near Switzerland ( Flurlingen ) . Hugo Käch died on December 31 , 2003 in Schaffhausen near Flurlingen , Germany . 1 +The Penser Joch ( ; ) ( 2211 m ) is a high mountain pass in Jaufenpass , northern Italy , close to the South Tyrol . The Penser Joch ( ; ) ( 2211 m ) is a high mountain pass in South Tyrol , northern Italy , near the Jaufenpass . 0 +On 1 January 1960 , the Highveld regiment was founded in Nelspruit , which also stationed a Rear HQ in the town of Middelburg . On January 1 , 1960 , the Highveld regiment was founded in Middelburg , which also stationed a Rear HQ in the town of Nelspruit . 0 +The freighter that took Jaime from Ponta Delgada to Canada in the first episode , was CGI : the design was finalized in 3D and made in post-production . The freighter that brought Jaime in the first episode from Ponta Delgada to Canada was CGI : the design was produced in 3D and finalized in the post-production . 0 +Local intradermal injection of botulinum toxin is helpful and chronic painful in focal neuropathies . Local intradermal injection of botulinum toxin in focal neuropathies is helpful and chronically painful . 1 +The second one came in the fourth quarter on a pass from Dunlap to Stumpy Thomason . The fourth came in the second quarter to a pass from Dunlap to Stumpy Thomason . 0 +For the next thirty years , Kriebel and Warner Sallman marketed over 100 Bates works . In the next thirty years , Kriebel and Bates marketed over 100 Warner Sallman works . 0 +At the Anglo-Chinese School he took night lessons on the English language . He took night classes on the English language at the Anglo-Chinese School . 1 +The Karoo - Mine is a big mine in the northern part of Gauteng in South Africa . The Karoo mine is a large mine in the northern part of Gauteng in South Africa . 1 +"He first appeared in "" ASAP 09 "" in the D-Lite segment where he performed with Nikki Gil , Toni Gonzaga and Karylle ." "He first appeared in "" ASAP 09 "" in the D -Lite segment , where he performed with Nikki Gil , Toni Gonzaga and Karylle ." 1 +Existentialism says that existence precedes essence . Existentialism precedes existence says essence . 0 +Ann is married to Ann , with Jennifer Aull at the Greenpoint Reformed Church in Brooklyn pastors . Ann is married to Jennifer Aull , who was in the Greenpoint Reformed Church in Brooklyn Pastor with Ann . 0 +"In 2017 , a book of straight photography made in the early 1970s in LA was published , "" People in Cars . """ "In 2017 , a book of straight photography was published in the early 1970s in LA "" people in cars "" ." 1 +Shawn told Shawn that his mother was not married and his father was still dead and told Stefano Colleen and Santo the day of Colleen ’ s wedding . Shawn told Shawn that his mother was not dead and his father was still married and on the day of the wedding of Colleen and Santo , Shawn told Colleen . 0 +He met Benny and Jason 's mother Zoe , who knew that Allison had actually been living with Jason , but thought that Allison was aware of this . He met Benny and Jason 's mother Zoe , who knew that Allison had actually lived with Jason , but thought that Allison was aware of it . 1 +Marjorie Fritz , the brother of Richard Fritz , was injured in the explosion and died almost a year later of myocarditis . Richard Fritz , brother of Marjorie Fritz , was injured in the explosion and died almost one year later of myocarditis . 0 +"The Sanghar ( are a partially Hindu Sanghar also "" Jamotar "" Gujarat and Mumbai Maharashtra India called ." "The Sanghar ( are a partly Hindu sanghar also called "" JAMOTAR "" Gujarat and mumbai maharashtra India ." 1 +In San Francisco , Hicks led Dan Hicks and the Hot Licks between 1968 and 1973 , a band that rarely used electric instruments and never drums . In San Francisco from 1968 -- 1973 , Hicks led Dan Hicks and the Hot Licks , a band that rarely used electric instruments and never used drums . 1 +"This is a list of second football transfers for the "" 2013 Malaysian transfer window "" ." "This is a list of Malaysian football transfers for the "" 2nd transfer window 2013 "" ." 0 +To the north , and off the southeast coast of Zemlya , Georga has the British Channel , which is in the far east Hooker Island . To the north of this and off the southeast coast of Zemlya Georga has the British Channel , which is Hooker Island to the far east . 1 +The dividends have increased the total return on the average equity to double , approximately 3.2 % . The dividends have increased the total return on the average equity to double , around 3.2 % . 1 +A market was perceived for future tours and destinations , Scandinavia was in April 1975 and in September followed another tour in Switzerland . A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September another tour was taken in Switzerland . 1 +In 1969 change was still in the air and T. and J. N. Nichol 's was taken over by R. Smith ( Vimto ) of Manchester . In 1969 the change was still in the air and T. and R. Smith was taken over by J. N. Nichols ( Vimto ) from Manchester . 0 +Neustadtl an der Donau is a city in the district of Amstetten in Lower Austria , Austria . Neustadtl an der Donau is a city located in the district of Amstetten in Lower Austria in Austria . 0 +William Stawell KCMG married Mary Letitia Stawell on 14 May 1890 ( 1870 - November 3 , 1938 ) , daughter of Sir Edward . William Stawell KCMG married Mary Letitia Stawell ( 1870 -- 3 November 1938 ) , daughter of Sir Edward , on 14 May 1890 . Their children included : 1 +He has also composed music for films produced outside Sri Lanka ( a thousand flowers ) . He has also composed music for films produced outside Sri Lanka ( Thousand Flowers ) . 1 +During his stay in NWA Bloom and Bull Pain challenged Nick Dinsmore & Rob Conway for the NWA OVW Southern tag team titles ending in a no contest . During his stay in NWA Bloom and Bull Pain , Nick Dinsmore called Rob Conway for the NWA OVW Southern Tag Team titles challenged in a no-contest . 0 +He moved to Rock County in 1853 and settled near Beloit in Wisconsin . He moved into Rock County in 1853 and settled in Wisconsin near Beloit . 1 +In 1944 he accompanied the American geologist De Golyer to Persia when Everette Lee DeGolyer assessed the reserves of the Middle East . He accompanied the American geologist Everette Lee DeGolyer to Persia in 1944 when De Golyer was assessing the reserves of the Middle East . 0 +Mosley worked with The Osborne Brothers until Sonny 's retirement in 2003 , and then with Bobby Osborne and his band , the Rocky Top Express , until 2011 . Bobby Osborne worked with the Osborne Brothers until Mosley 's retirement in 2003 and with Sonny and his band , the Rocky Top Express , until 2011 . 0 +A clockwise angle in one figure would correspond to a counterclockwise angle in the other . A counterclockwise angle in one figure would correspond to a clockwise angle in the other figure . 0 +Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the border with Virginia . Asbury is a rural community about 10 miles south of Pilot Mountain and 11 miles east of Mount Airy , 1.5 miles north of the Virginia border . 1 +He has acquired houses in Mar del Plata , a castle in Córdoba and a small hotel in Buenos Aires . He acquired buildings in Mar del Plata , a castle in Buenos Aires and a small hotel in Córdoba . 0 +David Tebele Scheuer was born in 1753 in Frankfurt am Main as son of his father Rabbi Abraham Naftali Hertz Scheuer . Abraham Naftali Hertz Scheuer was born in Frankfurt am Main in 1753 to his father Rabbi David Tebele Scheuer . 0 +It was initially recorded by Allen Toussaint in November 1961 and produced by Irma Thomas . It was first recorded in November 1961 by Irma Thomas , and produced by Allen Toussaint . 0 +He frequently observed ballet performances at the Paris Opera and often attended classes at the dance school . He frequently attended ballet performances at the Paris Opera and frequently observed classes at the dance school . 0 +Eurosta is a species of the Tephritidae family , known in Europe as fruit flies and in North America as wing flies . Eurosta is a genus of the family Tephritidae , known as fruit flies in North America and Picture wing flies in Europe . 0 +He mainly produced portraits , and was repeatedly used by the Spanish , and also the Austrian , Habsburgs . He repeatedly produced portraits and was mainly used by the Spanish and also Austrian Habsburgs . 0 +He studied in Damascus until high school , and graduated from the American University in Cyprus with a major in Political Science . He studied in Damascus until high school and graduated from the American University in Cyprus with a major political science . 1 +As an official Soviet artist , his work was well received and widely exhibited . As an official Soviet artist , his work was well received and exhibited widely . 1 +Applied psychology is the use of scientific methods and findings of psychology to solve practical problems of human and animal behavior and experience . Applied psychology is the use of psychological methods and findings of scientific psychology to solve practical problems of human and animal behavior and experience . 0 +Kamallı ( also , Kyamally and Kyumaty ) is a village in the Lachin Rayon of Azerbaijan . Kamallä ( also Kyamally and Kyumaty ) is a village in the Lachin - Rayon of Azerbaijan . 1 +A probable diagnosis requires the two subordinate criteria plus one ( IgM ) or two ( IgG ) obligate criteria . A probable diagnosis requires the two obligate criteria , plus one ( IgM ) or two ( IgG ) minor criteria . 0 +Jimmy Wareing was born in Silloth in 1917 and played rugby union for Silloth and Cumberland before the war . Jimmy Wareing was born in 1917 in Silloth and played the Rugby - Union for Silloth and Cumberland before the war . 1 +In 1880 became the western half of the Mount Ayr Township Kill Creek Township . In 1880 , the western half of Mount Ayr Township became Kill Creek Township . 0 +Glasson won Australian championships 19 times including nine national indoor championships . Glasson won 19 - times national hall championships , including nine Australian championships . 0 +Born in Athens , Greece , he grew up in New York City and then in North Grafton , Massachusetts . He was born in Athens , Greece , and grew up in New York City , and then North Grafton , Massachusetts . 1 +The first section to open was from Maryhill west to Cliffs ( near Pasco ) , a length of , on December 15 , 1907 . The first section to be opened was from Maryhill west to Cliffs ( near Pasco ) , a length of , on December 15 , 1907 . 1 +Lucius Caecilius Metellus Diadematus was the second son of Roman politician and general Quintus Caecilius Metellus Macedonicus . Lucius Caecilius Metellus Diadematus was the second son of the Roman politician and General Quintus Caecilius Metellus Macedonicus . 1 +Sir Charles Walston , from 1918 Sir Charles Waldstein ( March 30 , 1856 -- March 21 , 1927 ) was an Anglo-American archaeologist . Sir Charles Waldstein , Sir Charles Walston ( born 1918 ) ( March 30 , 1856 - March 21 , 1927 ) was an Anglo-American archaeologist . 0 +The town was founded in 1899 by Jacob A. Bartles and named after Admiral George Dewey . Founded by Jacob A. Bartles in 1899 , the town was named for Admiral George Dewey . 1 +The estuary of Batten Kill is in Easton , New York , and the source of the river is in East Dorset , Vermont . The mouth of Batten Kill is situated in East Dorset , Vermont , and the source of the river is in Easton , New York . 0 +The hand attacks them and is forced to kill it , which also kills the sale . The hand kills her and she is forced to kill it , which also attacks the sale . 0 +From October 1997 to August 1999 , the mine was the subject of a long workers ' strike listed in the listed Lilyvale Stand Monument . The mine was the subject of a long-running workers ' strike from October 1997 to August 1999 , listed in the heritage-commemorated Lilyvale Stand Monument . 1 +NY 104 follows the Ridge Road east of the village of Lewiston through a sparsely populated area of Niagara County . East of the village of Niagara County , NY 104 of Ridge Road follows through a sparsely populated area of Lewiston . 0 +"All songs written by Alejandro Lerner , except "" A Place Where We Belong "" by Graham Russell ." "All songs written by Graham Russell , except for "" A Place Where We Belong "" by Alejandro Lerner ." 0 +The mental world is usually considered to be objective and not subjective . The mental world is usually considered subjective and not objective . 0 +In August 1927 , shortly after her commitment to the Hamburg lawyer and later Berlin senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . In August 1927 , shortly after her engagement to the Hamburg jurist and later Berlin senator Gerhard Kramer ( 1904 -- 1973 ) , Pool moved to Berlin . 1 +The song was composed by Unnikumar , sung by Baburaj Puthur and written by Sidharthan Puranattukara . This song was composed by Unnikumar , sung by Baburaj Puthur and written by Sidharthan Puranattukara . 1 +The El Arco mine is a large copper mine located in the north-west of Mexico in Baja California . El Arco Mine is a large copper mine in the northwest of the Baja California in Mexico . 0 +However , Dan Dan decides to keep this truth a little longer from Serena . Dan , however , decides to keep this truth from Serena a little while longer . 1 +Cohen was appointed by Robert W. Edgar as a member of the President 's Council of Common Cause . He was appointed as a member of the Council of the President 's Common Cause by Robert W. Edgar . 1 +I tried to buy it when Roy Abernethy ( later governor of Michigan ) and George Romney were AMC . I tried to buy it when George Romney ( later Governor of Michigan ) and Roy Abernethy were leading AMC . 0 +Hard Candy is the fourth studio album of Counting Crows that was released on June 7 , 2002 and the following day in the United States in the United Kingdom . Hard Candy is the fourth studio album by Counting Crows , published in the United States on June 7 , 2002 and the following day in the United Kingdom . 0 +Simmons studied with the Oldham Theatre Workshop and National Youth Music Theatre and trained at Pleckgate High School , Mathematics and Computing College . Simmons trained with the Oldham Theatre Workshop and the National Youth Music Theatre and studied at Pleckgate High School , at Mathematics and Computing College . 0 +The different is also defined for an finite degree extension of local fields . The local is also defined for a different degree of finite field extension . 0 +He became a regular canon He was a respected poet in the Latin language , under the name of Santolius Victorinus writing . He became a regular canon . He was a respected poet in the Latin language , writing under the name of Santolius Victorinus . 1 +It is named for Jackfork Mountain in Pittsburg and Pushmataha counties , Oklahoma . It is named after Jackfork Mountain in Pittsburg and Pushmataha counties , Oklahoma . 1 +The beta - acute dose effects of dependent radiation on the skin are as follows : The acute dose-dependent effects of beta radiation on skin are as follows : 0 +The fortress was once again besieged by Bavarian troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the French garrison capitulated . The fortress was once again besieged by French troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the Bavarian garrison capitulated . 0 +Chandos Leigh , 1st Baron Leigh ( 27 June 1791 -- 27 September 1850 ) was a British landowner and minor poet . Chandos Leigh , 1st Baron Leigh ( June 27 , 1791 - September 27 , 1850 ) was a British poet and landowner . 0 +They beat Berkshire 21 -- 15 , then Buckinghamshire 21 -- 32 and Oxfordshire 0 -- 36 , before losing against Gloucestershire in quarter finals 58 -- 10 . They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . 0 +The company then acquired the St. Louis and Cairo Railroad , which was narrow gauge . The company was then the St. Louis and Cairo Railroad , the narrow gauge acquired . 0 +Kerr broke into the first team that season , but Couper found himself on the bench . Kerr broke this season into the first team , but Couper found himself on the bench . 1 +In 1958 , he spoke throughout East Asia and Ghana , in Northern and Western Europe in 1961 . In 1958 he spoke throughout East Asia and Western Europe and in 1961 in Northern Ghana . 0 +They occurred twice in the Copa do Brasil and once in the Série C . They competed in the Copa do Brasil twice and in the Série C once . 1 +In 1960 , Ardley married Vivian Wilson , and the couple had one daughter . In 2003 he married Bridget Gantley . He died in Milford , Derbyshire . In 1960 , Ardley married Bridget Gantley , and the couple had a daughter , he married Vivian Wilson in 2003 and died in Milford , Derbyshire . 0 +""" Always and Forever "" , written by Alan Durant and illustrated by Debi Gliori , was shortlisted for the Kate Greenaway Medal in 2003 ." """ Always and eternally "" , written by Alan Durant and illustrated by Debi Gliori , was nominated in 2003 for the Kate Greenaway Medal ." 1 +After trepales in Italy and Juf in Switzerland it is the third highest village in Europe . It is the third highest village in Europe , after Trepalle in Switzerland and Juf in Italy . 0 +The southern area contains the Tara Mountains and the northern area consists of open plains along the coast , and the city proper . The southern area contains the Tara mountains and the northern area consists of open plains along the coast and the actual city . 1 +The Borcut River was a tributary of the Colnici River in Romania . The Colnici River is a tributary of the Borcut River in Romania . 0 +In 2002 , the American-born scholar Kwame Ture Molefi listed Kete Asante as one of his 100 greatest African-Americans . In 2002 , the American-born scholar Molefi Kete Asante listed Kwame Ture as one of his 100 Greatest African Americans . 0 +Initially , Rich Rich was unimpressed , but Owens liked it , and they adopted it on February 12 , 1963 , with the Buckaroos . Initially , Owens was unimpressed , but Rich liked it , and they recorded it with the Buckaroos on February 12 , 1963 . 0 +Detroit Lake is a reservoir confiscated by the Detroit Dam on the North Santiam River southeast of Salem , Oregon , United States . Detroit Lake is a reservoir impounded by the Detroit Dam on the North Santiam River southeast of Salem , Oregon , United States . 1 +Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto from 1709 by Caldara for Apostolo Zeno . Atenaide ( RV 702 ) is a 1728 opera by Vivaldi for a revised edition of a libretto by Apostolo Zeno of 1709 for Caldara . 0 +Immanuel Dornfeld was the main father and the spiritual initiator of this wine school . Immanuel Dornfeld was the spiritual father and main initiator of the wine school . 0 +He got married to Sayyida Asma Muthu Beevi from a well-known Sayyid family of Ponnani Vettom Pokkiriyakam . He married Sayyida Asma Muthu Beevi from a well-known Sayyid family of Ponnani Vettom Pokkiriyakam . 1 +The Viennese ice revue toured through most European countries , including Germany , Italy , the Netherlands , Switzerland , Hungary , Czechoslovakia , Belgium , France and Spain . The Vienna Ice Revue toured through most European countries including Switzerland , Hungary , Czechoslovakia , Belgium , the Netherlands , Germany , Italy , France and Spain . 1 +The district 's linguistic composition is 94.94 % Swedish and 5.06 % Finnish . The district 's linguistic makeup is 94.94 % Swedish , and 5.06 % Finnish . 1 +For the Fuzzy - Formula 135 is given the entropy of a finite quantity formula 33 by For fuzzy formula _ 135 the entropy of a finite set formula _ 33 is given by 1 +His positions at Columbia University and the American Museum of Natural History he used to train and develop several generations of students . Boas used his positions at Columbia University and the American Museum of Natural History to train and develop multiple generations of students . 1 +The problem of checking whether a given polynomial is a permutation polynomial over a polynomial field can be solved in final time . The problem of testing whether a given polynomial over a polynomial field is a permutation polynomial can be solved in finite time . 1 +The constituency is in South Wales , situated on the right bank of the River Afan , near its mouth in Swansea Bay . The constituency is situated in South Wales , on the right bank of the River Afan , near its mouth in Swansea Bay . 1 +Along with Frederick Murray Trotter and others , he helped create new maps and memoirs of Brampton , Whitehaven , Cumberland districts of Gosforth , and Cockermouth . Together with Frederick Murray Trotter and others he helped create new maps and memoirs from Brampton , Whitehaven , Cumberland - districts of Gosforth and Cockermouth . 1 +In 1944 it was donated to the Santa Maria Valley Railroad , and in 1958 it was sold to the Travel Town museum in Los Angeles , California . In 1944 , it was donated to Santa Maria Valley Railroad and sold to the Travel Town Museum in Los Angeles , California in 1958 . 1 +"From 1973 to 1974 Aubrey toured with the Cambridge Theatre Company as a diggory in "" She Stoops to Conquer "" and again as Aguecheek ." "From 1973 to 1974 , Aubrey toured with the Cambridge Theatre Company as Diggory in "" She Stoops to Conquer "" and again as Aguecheek ." 1 +The beach was defended by two battalions of the 21st Infantry Division , with elements of the German 716th Panzer Division held in reserve near Caen . The beach was defended by two battalions of the German 716th infantry division , with elements of the 21st armoured division near Caen in the reserve being held . 0 +Barbara had a son by a previous relationship , Vaughn ( 1934-2002 ) , whom C. L. adopted shortly after the marriage . Barbara Vaughn had adopted by a previous relationship a son , Barbara ( 1934-2002 ) , whom C. L. adopted shortly after marriage . 0 +Stephen Vizinczey suggests that Tolstoy created Maria out of his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before Tolstoy 's second birthday . Stephen Vizinczey suggests that Tolstoy Maria created from his longing for his mother , Princess Maria Nikolayevna Volkonskaya , who died before the second birthday of Tolstoy . 1 +"The former actor Conlan Carter , who performed in the television series "" The Law and Mr. Jones "" with James Whitmore and "" Combat ! "" appeared" "The former actor James Whitmore , who appeared on the television series "" The Law and Mr. Jones "" with Conlan Carter and "" Combat ! """ 0 +Chongqing is a district in Wanzhou District , China and the site of a former prefecture . Wanzhou District is a district in Chongqing , China and the location of a former prefecture . 0 +At UFC Fight Night 101 , Jon Tuck managed to steal a victory against Brown with a split decision . At the UFC Fight Night 101 Jon Tuck succeeded with a split decision to steal a victory against Brown . 1 +In the late 1920s , she was researcher at Illinois State University and later at Radcliffe College and McGill University in America . In the late 1920 's she was a researcher in America at McGill University and later Radcliffe College and Illinois State University . 0 +A total lunar eclipse took place on 13 April 1968 , the first of two total darknesses in 1968 , and the second on 6 October . A total eclipse took place on April 13 , 1968 , the second of two total lunar eclipses in 1968 , the first being on October 6 . 0 +It begins near the western extremities of the Central Oregon Coast Range and flows south to the sea in general west of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean generally west of Depot Bay and north of Otter Rock . 1 +He had been in the state playing for New Town but in 1925 moved to Victoria and lined up for Melbourne . He had been in the state playing for New Town , but moved to Victoria in 1925 and set up for Melbourne . 1 +Gunston Hall Plantation was originally a part of the Lexington Plantation . Gunston Hall Plantation was originally part of the Lexington Plantation land . 1 +He has also recorded two solo albums under his own name and three albums in Indonesia under the name of Sabah Haba Mustapha . He has also recorded two solo albums under his own name and three albums made in Indonesia under the name of Sabah Habas Mustapha . 0 +Pérez also interned with Telemundo where she anchored and produced an entertainment segment for Telemundo Internacional . Pérez also practiced with Telemundo , where she anchored and produced an entertainment segment for Telemundo Internacional . 1 +The Iminog River is a tributary of the Cleja River in Romania . The River Iminog is a tributary of the Cleja River in Romania . 1 +"In the comic - thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Byron 's ancestors are poisoned , along with Edward ." "In the comic - Thriller "" Edward Trencom 's Nose "" by Giles Milton , several of Edward 's ancestors , together with Byron , are poisoned ." 0 +Together with Frederick Murray Trotter and others he helped create new maps and memoirs of the districts of Brampton , Whitehaven , Gosforth and Cockermouth in Cumberland . Together with Frederick Murray Trotter and others he helped create new maps and memoirs from Brampton , Whitehaven , Cumberland - districts of Gosforth and Cockermouth . 0 +In the Middle Ages , Spain saw a slow Christian re-conquest of Muslim territories . In the Middle Ages , Spain experienced a Muslim re-conquest of slow Christian territories . 0 +The other entrances on the west have old iron lamps standards and new lanterns , and one has an iron balustrade . The other entrances on the west side have old iron lamp standards and new lanterns , and one has an iron balustrade . 1 +She was selected in the 20th round of the 2012 WNBA Draft ( second total ) by Minnesota Lynx . It was selected in the second round of the WNBA draft 2012 ( 20th overall ) by Minnesota Lynx . 0 +Mornington House was the Georgian season of Dublin 's social residence at the Earls of Mornington . Mornington House was the Dublin Georgian season social residence of the Earls of Mornington . 1 +In the United States , systems of proportional representation are uncommon , especially above the local level , and are entirely absent at the national level . In the United States , systems of proportional representation , especially above the local level , are unusual and are completely absent at the national level . 1 +Derlis Aníbal Cardozo ( born June 16 , 1981 in Pedro Juan Caballero ) is a Paraguayan defender . Pedro Juan Caballero ( born June 16 , 1981 in Derlis Aníbal Cardozo ) is a Paraguayan football defender . 0 +The winter is characterized by cool and quite dry , sunny days and pleasant and occasionally foggy nights . Winter is characterized by dry , sunny , and quite pleasant days , and cool and occasionally foggy nights . 0 +McLaughlin died in Oshawa in 1921 of colon cancer , and his brother James was a doctor and member of the Ontario Assembly . McLaughlin died at Ontario in 1921 of colon cancer . His brother James was a doctor and member of the Oshawa assembly . 0 +"After a 1905 match , a Dutch reporter wrote that three Belgian footballers "" work ( ed ) as devils "" ." "A Belgian reporter wrote after a match from 1905 that three Dutch footballers "" work as devils "" ." 0 +At the AFL session the next day , Tobin was forced to defend Beck 's actions . At the AFL meeting the next day , Beck was forced to defend Tobin ’ s actions . 0 +The idea is to sort the data on the X or Y coordinate one of the corners of the rectangle . The idea is to sort the data on the x or y coordinate of one of the corners of the rectangles . 1 +Edmund Butler ( died in 1551 ) was Archbishop of Cashel and the illegitimate son of Piers Butler , 8th Earl of Ormonde . Piers Butler ( died in 1551 ) was Archbishop of Cashel and the illegitimate son of Edmund Butler , 8th Earl of Ormonde . 0 +Mons Claudianus lies in the upper desert of Eastern Egypt , and was discovered in 1823 by Wilkinson and Burton . Mons Mons Claudianus is situated in the upper desert of Eastern Egypt and was discovered by Wilkinson and Burton in 1823 . 1 +Drew Springer , Jr. , a businessman from Münster in Cooke County , has represented Young County in the Texas House of Representatives since January 2013 . Republican Drew Springer , Jr. , a businessman from Muenster in Young County , has since January 2013 represented Cooke County in the Texas House of Representatives . 0 +When the membrane potential reaches approximately – 60 mV , the K channels open up and the Na channels close and the prepotential phase begins again . When the membrane potential reaches approximately − 60 mV , the K channels close and Na channels open , and the prepotential phase begins again . 0 +( Ray had been in the penguins in 1956 , and both Eddie and Ray had been Don Wyatt in the later Colts / Fortunes . ) ( Don Wyatt had been in the penguins in 1956 , and both Eddie and Ray had been with Ray in the later Colts / Fortunes . ) 0 +Cheadle Heath railway station served a railway station , which between 1901 and 1968 was the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . Cheadle Heath railway station served a railway station that was between 1901 and 1968 the village of Cheadle , Stockport , and the Cheshire suburb of Cheadle Hulme . 1 +In Enzo , the replacement guitarist who inspired her to new heights , she finds new creative hope and friendship . She finds new hope and friendship in Enzo , the replacement guitarist who inspires her to reach new creative heights . 0 +Rodney Waschka II is an American composer known for his theatrical compositions and his algorithmic works . Rodney Waschka II is an American composer , known for his theatre compositions and his algorithmic works . 1 +These arrangements have explanations at various levels -- mathematics , physics , chemistry , biology -- each individually correct , but all necessary together . These arrangements have explanations at different levels -- mathematics , physics , chemistry , biology -- each individually correct , but all necessary together . 1 +Defeated with Hirai , Kato escapes with Yukari . With Hirai defeated , Kato escapes with Yukari . 1 +This marine species occurs in the East China Sea and the South China Sea . This marine genus occurs in the South China Sea and the East China Sea . 1 +Didkovsky has performed or composed for a number of CDs , including : Didkovsky has composed for or performed on a number of CDs including : 1 +It was written by Yasir Nawaz and is directed by Rida Bilal . It is led by Yasir Nawaz and written by Rida Bilal . 0 +Slashdong is a blog about teledildonics and similar use of technology for erotic purposes . Slashdong is a blog about teledildonic and erotic use of technology for similar purposes . 0 +A mechanical control valve actuator converts energy ( typically in the form of compressed air ) into pneumatic motion . A mechanical control valve drive converts energy ( typically in the form of compressed air ) into a pneumatic motion . 1 +Alfred Gregson ( 2 March 1889 -- March 1968 ) was an English professional football inside left who played in the Football League for Grimsby Town and Bury . Alfred Gregson ( March 2 , 1889 - March 1968 ) was an English professional football player who played for Grimsby Town and Bury in the Football League . 1 +The title defenders were Jana Novotná and Jim Pugh , but lost in the second round to Zina Garrison and Sherwood Stewart . Zina Garrison and Sherwood Stewart were the defending champions but lost in the second round to Jana Novotná and Jim Pugh . 0 +Donald Randell Evans was the eldest son of Air Chief Marshal Sir Pauline Evans ( 1912-1975 ) and Nigel Randell Evans . Donald Randell Evans was the eldest son of Air Chief Marschall Sir Pauline Evans ( 1912-1975 ) and Nigel Randell Evans . 1 +The Independent Party of Utah nominated Chandler and Connie Chandler . Crane and Alma Peter Crane received 1,101 votes . Chandler and Connie Chandler were nominated by the Independent Party of Utah , Crane and Alma Peter Crane received 1,101 votes . 1 +In the late 1970s , Willie Francis lived in Canada and worked for several years in Jamaica before returning to England . In the late 1970s , Willie Francis worked in England and lived in Canada for a number of years before returning to Jamaica . 0 +6 -- 3 , 6 -- 4 Billie defeated Jean King . Ann Jones defeated Billie Jean King , 6 -- 3 , 6 -- 4 . 0 +Jun-ki blocked Dong-kwon in the car and discovered him in handcuffs . Jun-ki discovered Dong-kwon in the car , and locked him in handcuffs . 0 +In the series , Chris Brown 's character dates a character played in the fourth season of the popular music star Willa Holland . In the series , Willa Holland 's character dates a character played by the popular music star Chris Brown in the fourth season of the show . 0 +The 2005 North Indian Ocean cyclone season was destructive and deadly to southern India despite the weak storms . The North Indian Ocean cyclone season in 2005 was destructive and deadly for southern India , despite the weak storms . 1 +She studied three years of journalism in London and holds an MA in mass media from a university in New York City . She studied journalism for three years in New York City and holds an MA in mass media at a university in London . 0 +Typically , prepaid voucher management systems are used with external systems based on an intelligent network . Typically , external voucher management systems are used with prepaid systems based on an intelligent network . 0 +In 2012 Weldon was appointed Professor of Creative Writing at Bath Spa University where she shares an office with Professor Maggie Gee . In 2012 , Maggie Gee became a professor of creative writing at Bath Spa University , where she shares an office with Professor Weldon . 0 +Andrew Castle and Roberto Saad won 6 : 7 , 6 : 4 , 7 : 6 against Gary Donnelly and Jim Grabb in the final . Gary Donnelly and Jim Grabb won in the final 6 -- 7 , 6 -- 4 , 7 - 6 , against Andrew Castle and Roberto Saad . 0 +After testifying in the Till case , Reed moved to Chicago and changed his name from Willie Reed to Willie Louis . After testing in the Till case , Reed moved to Chicago and changed his name from Willie Reed to Willie Louis . 1 +The ship visited Okinawa during the second September week and spent the rest of the month in Guam in the Marianas . The ship visited Okinawa during the second week in September and then spent the rest of the month at Guam in the Marianas . 1 +For the 2012 CPAC conference , the ACU board voted to not invite GOProud or the John Birch Society to the 2012 conference . For the CPAC - Conference 2012 , the Board of the John Birch Society agreed not to invite GOProud or the ACU to the 2012 conference . 0 +"Cassandra Peterson also appeared in "" All about the Evil "" of Peaches Christ with Patrick Bristow , Mink Stole and Brown ." "Brown also appeared in Peaches Christ 's "" All About Evil "" with Cassandra Peterson , Mink Stole and Patrick Bristow ." 0 +The best-known version of the song was recorded by Dick Rowe and produced in 1953 by The Stargazers in England . Probably the most famous version of the song was produced by Dick Rowe and was recorded in 1953 by The Stargazers in the UK . 0 +Members of the G.723.1 patent pool are Nokia , the Université de Sherbrooke , the Nippon Telegraph and Telephone Corporation , AudioCodes and France Telecom . Members of the G.723.1 patent pool are AudioCodes , France Telecom , Université de Sherbrooke , Nippon Telegraph and Telephone Corporation and Nokia . 1 +Turner was born in 1932 and played in the Brisbane Norths competition for Brisbane Rugby League and Redcliffe and also trained Redcliffe in 1968 and 1969 . He was born in 1932 and played in the Brisbane Rugby League for Brisbane Norths and Redcliffe and also trained Redcliffe in 1968 and 1969 . 0 +The new purpose constructed Keppel Gate section of A18 Snaefell Mountain Road was built in the period from 1864 to 1866 . The new purpose section Keppel Gate of the A18 Snaefell Mountain Road was built in the period 1864 to 1866 . 1 +The People 's Armed Forces for the Liberation of Angola ( FAPLA ) and Cuban troops took the town on 1 February 1976 during the Angolan Civil War . The People 's Army for the Liberation of Angola ( FAPLA ) and Angolan troops took the city on 1 February 1976 during the Cuban civil war . 0 +The bill passed the House 32-8 on April 2 , 2009 , and later passed the Senate 76-41 . The bill passed the Senate 32-8 on April 2 , 2009 and later the house 76-41 . 0 +Later that day , both the JMA and the JTWC have upgraded the depression to a tropical storm . Later that day both the JTWC & the JMA upgraded the depression to a tropical storm . 1 +"After a 1905 match , a Belgian reporter wrote that three Dutch footballers "" work ( ed ) as devils "" ." "A Belgian reporter wrote after a match from 1905 that three Dutch footballers "" work as devils "" ." 1 +The Fixer Uppers is a 1935 short film with Laurel and Hardy , directed by Charles Rogers and produced by Hal Roach . The Fixer Uppers is a short film by Laurel and Hardy , produced by Charles Rogers and directed by Hal Roach . 0 +The School of Applied Arts only offers postgratuate qualifications , while the other three schools offer both bachelor 's degrees and postgraduate degrees . The School of Applied Arts offers only postgratuate degrees , while the other three schools offer both undergraduate and postgraduate degrees . 1 +He was married to Dorothy Britton , who had translated a number of Japanese books into English . Dorothy Britton was married to Bouchier , who had translated a number of Japanese books into English . 0 +The river is deep and the wide river , Alleluia ! The river is wide and the river deep , Alleluia ! 1 +In this 75 - minute production , filmmaker Jocelyn Demers meets Dan Jason on the Salt Spring Island . In this 75 minute production , filmmaker , Jocelyn Demers meets Dan Jason on Salt Spring Island . 1 +Expected Exposure ( EE ) is used similarly to the PFE , except that the average is defined instead of a certain quantile . The Expected Exposure ( EE ) is defined similarly to the PFE , except that the average is used instead of a specific quantile . 0 +From 1953 , Mourilyan Tanner was responsible for this department , followed by Frank Falkner . Frank Falkner was responsible for this department from 1953 onwards , followed by James Mourilyan Tanner . 0 +The Bank is owned by the United Bank of India and is sponsored jointly by the Government of India , the Government of Tripura and UBI . The bank is sponsored by United Bank of India & is jointly Owned by the Government of India , Government of Tripura and UBI . 0 +In 1963 I met Felix Cavaliere ( a pickup singer on the local R 'B circuit ) and Eddie Brigati ( a classically trained pianist ) . Danelli met Felix Cavaliere ( a pickup singer on the local R & B circuit ) , and Eddie Brigati ( a classically trained pianist ) in 1963 . 1 +The Research Institute of Organic Agriculture is located in Germany and Austria , with branches in Frick , Switzerland ( and projects world-wide ) . The Research Institute of Organic Agriculture is located in Germany and Austria with branches in Frick , Switzerland ( and projects worldwide ) . 1 +The state government has built a $ 187 million pipeline from Wivenhoe Dam to Toowoomba , which began water pumps along the Cressbrook Dam in January 2010 . The state government has built a $ 187 million pipeline from Cressbrook Dam to Toowoomba . Water pumping along the pipeline to Wivenhoe Dam began in January 2010 . 0 +Itamati has one degree college , one junior college , three upper primary schools and six high schools . Itamati has one degree college , a junior college , three high schools and six primary schools . 0 +Felix researched in Bielsko , Vienna , Prague , and Jerusalem . Between 1927 and 1945 , he worked in London for the Hadassah Medical Organization . Felix researched in Bielsko , Vienna , Prague and Jerusalem and worked for the Hadassah Medical Organization in London from 1927 to 1945 . 1 +"Miranda quotes Voltaire : "" If we find nothing new , we will at least find something pleasant "" , and looks longingly at Oscar ." "Miranda quotes Voltaire , "" If we do not find something pleasant at least we will find something new , "" and looks longingly at Oscar ." 0 +Herefordshire has once won the Minor Counties Championship to share the title with Norfolk in 2002 . Herefordshire has won the Minor Counties Championship once , sharing the title with Norfolk in 2002 . 1 +"Unlike the Bridgeport team in "" Hoosiers "" , Indiana lost the championship game , finishing its season with a 33-2 record ." "Unlike the Indiana team in "" Hoosiers "" lost Bridgeport the championship game and finished its season with a 33-2 record ." 0 +It is known from the United States ( from Massachusetts and southern Wyoming south to southern Florida and southern Arizona , Michigan , New Mexico ) and Canada . It is known from the United States ( from Arizona , Michigan , New Mexico and southern Wyoming south to south Massachusetts and southern Florida ) and Canada . 0 +"Phenotypic switching in Candida albicans is often used to refer to the epigenetic white to opaque switching system . "" C. albicans "" needs this switch for sexual mating ." "Epigenetic switching in Candida albicans is often used to refer to the opaque white to the phenotypical interchange system "" C. albicans "" needs this switch for sexual mating ." 0 +"Until the early twentieth century , Marans was famous for the "" local bean of Marans "" and its fairs in honor of these especially red beans ." "Marans was famous until the early twentieth century for the "" red bean of Marans "" and its fairs in honour of these specially local beans ." 0 +San Lorenzo Axocomanitla is a municipality in Mexico in south-eastern Tlaxcala . Axocomanitla is a municipality in south-eastern Tlaxcala in Mexico . 1 +"The results of a clinical trial in people with untreatable metastases from various solid tumors were published in "" Science "" in 2017 ." "Results of a clinical trial in people with various solid metastases arising from untreatable tumors were published in "" Science "" in 2017 ." 0 +In later life , he was an atheist , but became a believer in the early stages . He was an atheist in later life , but converted into a believer in the early stages . 1 +It was a finalist for the 2002 Sidewise Award for best long-form alternate history , and the 2003 John W. Campbell Memorial Award . It was a finalist for the 2002 Sidewise Award for the best long form Alternate History and the John W. Campbell Memorial Award 2003 . 1 +The SR 164 was commissioned from Youngstown to Salineville in 1923 . SR 164 was commissioned in 1923 , routed from Salineville to Youngstown . 0 +The valleys are shaped by three mountain ranges : the Alaska Range , the Chugach Mountains and the Talkeetna Mountains . The Matanuska-Susitna Valley was carved by glaciers The valleys are shaped by three mountain ranges : the Alaska Range , the Chugach Mountains and the Talkeetna Mountains . The Matanuska-Susitna Valley has been carved by glaciers . 1 +Bogale Township is a township of Pyapon District in the Ayeyarwady Region of Burma ( Myanmar ) . Bogale Township is a municipality in the Pyapon district of the Ayeyarwady region of Myanmar ( Burma ) . 1 +In 1963 , Vogel established Bioforce AG in Roggwil in Thurgau , Switzerland . He died in 1996 in Feusisberg at the age of 94 . In 1963 , Vogel founded Bioforce AG in Feusisberg in Thurgau , Switzerland , and died in 1996 at the age of 94 in Roggwil . 0 +"In Hawaiian mythology , Mahina is a moon deity , mother of Hema . "" Mahina "" is also the word for moon in Hawaiian ." "In Hawaiian mythology , Mahina is a lunar deity , mother of Hema . "" Mahina "" is also the word for Moon in Hawaiian ." 1 +"In 2016 there appeared her first full biography : "" Ada Salter , Pioneer of Ethical Socialism "" by Graham Taylor ." "In 2016 , her first complete biography appeared : "" Graham Taylor , pioneer of ethical socialism "" by Ada Salter ." 0 +Sam has a much younger brother named Sam , who is not much older than the eldest son of Hank Bennett . Sam has a much younger brother called Hank Bennett , who is not much older than Sam 's eldest son . 0 +Peter Evatt was an Olympic rower , who became 1953 national sculling champion and represented Australia in rowing at the 1956 Olympic Games in Melbourne . Peter Evatt was an Olympic rower who became a national skulling champion in 1953 and represented Australia while rowing at the 1956 Olympic Games in Melbourne . 1 +Alice Comyn , his niece and heiress , married Henry Beaumont , a French nobleman in the English service . Alice Comyn , his niece and heir , married Henry Beaumont , a French nobleman in the English service . 1 +Moreover , many Angika speakers have emigrated to the Persian Gulf , the United States , Canada , the United Kingdom and other countries . Moreover , many Angika speakers in the Persian Gulf , the United States , Canada , the United Kingdom , and other countries have emigrated . 1 +He said that Ichigo leads the story and introduces readers to the events in it . He said that Ichigo introduces the story and leads readers to the events . 0 +"Kossuth W. Duncan was born in Hindmarsh , the second son of R. B. Duncan who arrived in South Australia aboard the "" Fitzjames "" in 1855 ." "Kossuth W. Duncan was born in Hindmarsh , the second son of R. B. Duncan , who arrived on board the "" Fitzjames "" in South Australia in 1855 ." 1 +The current line-up is Johnny Wilson on guitar and vocals , Forrest Bartosh on drums and Chris Fogal on bass and background song . The current line - up is Chris Fogal on the guitar and vocals , Forrest Bartosh on drums and Johnny Wilson on bass and background - vocals . 0 +The Russian villain is , however , an interesting and sometimes original threat . "The Russian villain , however , is an original and sometimes interesting menace. """ 0 +The station opened on 1 July 1903 on the Donegal Railway Company line from Glenties to Stranorlar . The station was opened on 1 July 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . 1 +"McClain was one of the pioneers in the introduction of "" Ragtime Minstrelsy "" , which opened a wider range of styles on the eve of the vaudevillized era ." "McClain was one of the pioneers in introducing "" vaudevillized minstrelsy "" , which opened up a wider range of styles on the eve of the Ragtime era ." 0 +""" Prodigal Daughter "" is the 11th episode of the television series , the 161st episode of :" """ Prodigal Daughter "" is the 11th episode of the television series , the 161st episode of the" 1 +Critics , however , claimed that Pershing was leading from far behind the lines and was critical of commanders who personally commanded troops into the battle . Critics , however , claimed that Pershing commanded from far behind the lines and was critical of commanders who personally led troops into battle . 1 +For a couple of years Daniel went to the same school as Björn Dixgård and founded a band called Butler together with Björn at the age of fifteen . For a few years Björn went to the same school as Daniel ; at the age of fifteen he founded a band called Butler together with Björn Dixgård . 0 +""" Cortinarius rainierensis "" , described by Alex H. Smith and Daniel Elliot Stuntz from the collected material Mount Rainier National Park in 1950 , is a synonym ." """ Cortinarius rainierensis "" , collected in 1950 by Alex H. Smith and Daniel Elliot Stuntz from the described material of Mount Rainier National Park , is a synonym ." 0 +He has two careers - Tricks , the first against the Edmonton Oilers and the second against the Vancouver Canucks on 8 December 2009 . He has two careers Hattricks , the first against the Vancouver Canucks and the second against the Edmonton Oilers on 8 December 2009 . 0 +Terry Griffiths won in the final 9 -- 8 against Steve Davis . Terry Griffiths won against Steve Davis with 9 : 8 in the final . 1 +It is about 100 km from Northern Motorway Auckland and approximately 75 nautical miles from the Ports of Auckland . It is about 100 km from Auckland 's Northern Motorway , and around 75 nautical miles from the Ports of Auckland . 1 +PremLata Singh married Birender Singh on 9 June 1970 . On June 9 , 1970 , Birender Singh married the PremLata Singh . 1 +Warner Communications formed a venture with American Express in 1979 called Warner-Amex Satellite Entertainment , which created MTV , Nickelodeon , and The Movie Channel . In 1979 , Warner Communications founded a company called Warner-Amex Satellite Entertainment , which formed MTV , Nickelodeon and The Movie Channel with American Express . 1 +In 1976 , a version of Wonder Girl named Wonder Woman appeared in the Drusilla television series and was played by Debra Winger . In 1976 , a version of Wonder Girl called Wonder Woman appeared in the Drusilla TV series and was played by Debra Winger . 1 +Many other volunteer groups made valuable sightseeings , including teams from the Llangollen Railway and the Mid-Hants Railway . Many other volunteer groups made valuable tracklaying visits including teams from the Llangollen Railway and the Mid-Hants Railway . 0 +""" Espoir "" lost her master killed , and had six men wounded , of whom two were badly wounded ." """ Espoir "" lost her master killed and had six wounded , two of whom were seriously wounded ." 1 +The main tributaries are the Kilwinning and Caaf Water which join north and south of Dalry respectively and the Lugton Water which joins just south of Rye Water . The main tributaries are the Kilwinning and Caaf Water , which unite north and south of Dalry , and the Lugton Water , which joins south of Rye Water . 1 +Also for Paul Cavanagh , Nelson doubled . Nelson also doubled for Paul Cavanagh . 1 +Cedarbrae Mall is a shopping centre located in the Toronto , Ontario , Canada area of Scarborough on the corner of Markham Road and Lawrence Avenue East . Cedarbrae Mall is a shopping mall in the Toronto , Ontario , Canada area of Scarborough located at the corner of Markham Road and Lawrence Avenue East . 1 +This view is used in southern India and parts of northern India . This view is common in southern India and parts of northern India . 1 +After the death of his father , James Holman , on 4 March 1827 he was elected king in the presence of King George . Following the death of his father , King George , he was elected King on 4th March 1827 in the presence of James Holman . 0 +During the reign of Ali Adil Shah II of Bijapur Sultanat , Afzal Khan was a leading figure of the court . Afzal Khan was a leading court figure during the reign of Ali Adil Shah II of the Bijapur Sultanate . 1 +The show was based on Jackson Davies 's Beachcombers character Constable John Constable . The show was based on Jackson Davies Beachcombers character Constable John Constable . 1 +It conducted services between the following centres : Brisbane , Bundaberg , Gladstone , Rockhampton , Mackay , Townsville , Blackwater , Thangool , Coolangatta and Newcastle . It provided services between the following centres : Brisbane , Bundaberg , Gladstone , Rockhampton , Mackay , Townsville , Blackwater , Thangool , Coolangatta and Newcastle . 1 +After her departure from the Speer Family in 1954 , Speer stopped singing and moved to Nashville and back to Ohio in 1968 after her husband died . After retiring from the Spear family in 1954 , Speer stopped singing and moved to Nashville in 1968 and back to Ohio after her husband died . 1 +"On July 24 , 2013 , Brother Ali appeared as "" Expert Witness "" at the Maximum Fun Podcast "" Judge John Hodgman "" ." "On July 24 , 2013 , John Hodgman appeared on the Maximum Fun podcast "" Judge Brother Ali "" as an "" Expert Witness "" ." 0 +He spoke throughout East Asia and Ghana in 1958 , and in 1961 in Northern and Western Europe . In 1958 he spoke throughout East Asia and in Western Europe , and in 1961 in Northern Ghana . 0 +He has a son , Seamus , who is seen but never mentioned in the series . He has a son , Seamus , who is mentioned but was never seen in the series . 0 +On 28 February 2011 , Mikko Lehtonen of the Bruins was traded with Anton Khudobin to the Minnesota Wild in exchange for Penner . On February 28 , 2011 , Penner was traded by the Bruins along with Mikko Lehtonen to the Minnesota Wild in exchange for Anton Khudobin . 0 +Other mountain ranges surrounding the Tucson valley include the Rincón mountains , the Tucson mountains , the Tortolita mountains and the Santa Catalina mountains . Other mountain ranges surrounding the Tucson valley include the Rincon Mountains , the Tucson Mountains , the Tortolita Mountains , and the Santa Catalina Mountains . 1 +""" Iain McKie and Michael Russell MSP : The Prize of Innocence "" by Shirley McKie , published April 18 , 2007 ." """ Iain McKie and Michael Russell MSP : The Price of Innocence "" by Shirley McKie , published 18 April 2007 ." 1 +He formerly played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Lincoln City , Northampton Town , Chesterfield , and Gateshead . He formerly played for Wolverhampton Wanderers , Kidderminster Harriers , Mansfield Town , Chesterfield , Northampton Town , Lincoln City and Gateshead . 1 +Nadhin Ratheesh Vega is living with his wife Dr. Anu Ratheesh Vega and son Ratheesh in Thrissur . With his wife Dr. Anu Ratheesh Vega and his son Nadhin Ratheesh Vega he lives in Thrissur . 0 +Jonas Björkman and Todd Woodbridge won in the final 6 -- 3 , 6 -- 4 , against Wayne Black and Kevin Ullyett . Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett at 6 : 3 , 6 : 4 in the final . 1 +On 16 December 2015 , a meeting between the leaders of the two rival Maltese Governments was held at the Auberge de Castille in Valletta , Libya . On 16 December 2015 , a meeting between the leaders of the two rival governments of Libya took place at the Auberge de Castille in Valletta , Malta . 0 +Now you find the bid price indifference solve for Formula 31 Now solve the indifference bid price for Formula 31 . 0 +The last game in which he represented Poland was held in Dublin , on November 13 , 1938 ( Ireland-Poland 3-2 ) . The last game in which he represented Ireland was held in Dublin on November 13 , 1938 ( Poland - Poland 3-2 ) . 0 +The 2012 Central Connecticut Blue Devils football team represented Central Connecticut State University in the 2012 NCAA Division I FCS football season . The 2012 Central Connecticut State University football team represents Central Connecticut Blue Devils at the NCAA Division I FCS Football - Season 2012 . 0 +Chabrian Jattan is a village in the Mirpur Tehsil of Mirpur District of Azad Kashmir , Pakistan . Chabrian Jattan is a village in Mirpur Tehsil of Azad Kashmir in the Mirpur district , Pakistan . 1 +Four ships of the United States Navy were named in honor of Captain Biddle Nicholas Biddle . Four ships of the United States Navy have been named Biddle , in honor of Captain Nicholas Biddle . 0 +"Adele was accused of plagiarizing the melody of "" Million Years Ago "" from singer Ahmet Kaya 's 1985 song "" Acilara Tutunmak "" ." "Ahmet Kaya was accused of plagiarizing the melody of "" Million Years Ago "" from the song "" Acilara Tutunmak "" from singer Adele of 1985 ." 0 +He was born in 1932 and played in the Brisbane Rugby League for Brisbane Norths and Redcliffe and also trained Redcliffe in 1968 and 1969 . Turner was born in 1932 and played in the Brisbane Rugby League competition for Brisbane Norths and Redcliffe . He also coached Redcliffe in 1968 and 1969 . 1 +She was the second daughter and the youngest of four children to be born Wright and his wife , Mary Weeks ( bracket ) Philander Montague Wright . She was the second daughter and the youngest of four children born to Philander Montague Wright and his wife , Mary Weeks ( Bracket ) Wright . 0 +""" It was a crazy race and I had such a fast Pennzoil Ford "" , Logano said ." """ It was a fast race , and I had such a crazy penn zoil Ford "" , said Logano ." 0 +In 1996 , Eric Midkiff replaced Glenn Jones in the band and played guitar , while Hart switched to the bass . Eric Midkiff replaced Glenn Jones in the band in 1996 and played guitar while Hart moved to bass . 1 +Bremerton Marina is a public marina located in downtown Kitsap County on Puget Sound , in Bremerton , Washington . The facility of the marina is within Sinclair Inlet . Bremerton Marina is a public marina in the centre of Kitsap County at Puget Sound , in Bremerton , Washington . The marina is located within Sinclair Inlet . 1 +In 1973 , it was added to the Toronto Historical Board 's inventory of historical buildings by the Ontario Heritage Trust . In 1973 it was added by the Toronto Historical Board to the inventory of the Ontario Heritage Trust of the historical buildings . 0 +Given a discrete set of probabilities formula _ 3 with the condition formula _ 2 , and formula _ 1 any real number , the Tsallis entropy is defined as With a discrete amount of probabilities Formula 1 with the condition formula 2 and Formula 3 any real number , the Tsallis is defined as entropy as 0 +In March 1904 , his brother was kidnapped for ransom in Westtexas and taken to Mexico across the border . In March 1904 , his brother was kidnapped for ransom in West Texas and taken across the border to Mexico . 1 +Gralee is a suburb of the Leeton Shire in Leeton , New South Wales . Gralee is a suburb of Leeton Shire in Leeton , New South Wales . 1 +The 1945 Northwestern Wildcats team represented Northwestern University during the football season of the Big Ten Conference . The 1945 Big Ten Conference team represented Northwestern University during the 1945 Northwestern Wildcats football season . 0 +The mountain was named after the French navy officer Marie Henri Daniel Gauthier , Comte de Rigny ( 1782 - 1835 ) , by Jules de Blosseville . The mountain was named after the French navy officer Jules de Blosseville , Comte de Rigny ( 1782 - 1835 ) by Marie Henri Daniel Gauthier . 0 +Jonas Björkman and Todd Woodbridge won against Wayne Black and Kevin Ullyett in the finals with 6 -- 3 , 6 -- 4 . Jonas Björkman and Todd Woodbridge won in the final 6 -- 3 , 6 -- 4 , against Wayne Black and Kevin Ullyett . 1 +Gelechia hetaeria is a moth of the Gelechiidae family . It is found in Veracruz ( Mexico ) . Gelechia hetaeria is a moth of the Gelechiidae family , who is found in Veracruz ( Mexico ) . 1 +Raúl Varela Luthier is endorsed by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Xavier Moyano . Xavier Moyano is supported by Wenstone Amps , DS Pickups , MST Pedals , Kikemol Straps and Raúl Varela Luthier . 0 +"It contains remixes and acoustic versions of previously released singles , as well as the unalbuming B-site "" From a Desert to a Beach "" ." "It contains remixes and acoustic versions of previously released singles , as well as the non-album B-side "" From a Desert to a Beach "" ." 1 +Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated from the East Coast railway . Samata Express is a super fast express train between New Delhi and Hazrat Nizamuddin in Visakhapatnam and is operated by East Coast Railway . 1 +Darrell Fetty first married Carolyne McCoy , a descendant of the famous families ( her mother was a Hatfield , her father a McCoy ) . Carolyne McCoy first married Darrell Fetty , who is a descendant of the famous feud families ( her mother was a Hatfield , her dad a McCoy ) . 0 +"In later years , his poems were more metaphysical and included contemporary events in "" Dominion Janana "" and the "" Samsara Rajyanga "" ." "In later years , his poems were metaphysical and included contemporary events in "" Dominion Janana "" and "" Samsara Rajyanga "" ." 1 +He followed his guru and came to Siddaganga , for some time lived in one of the caves of the Siddganga hill and then moved to Gubbi . Followed his guru and moved to Siddaganga . He lived in one of the caves of the Siddganga hills for some time and afterwards he came to Gubbi . 0 +Summers was fiercely passionate about the work of Behn and found himself incredibly devoted to the appreciation of 17th century literature . Summers was passionately passionate about the work of Behn and found himself incredibly devoted to the appreciation of 17th century literature . 1 +Commander Adama arrives on Kobol with Galen Tyrol and Chief Billy Keikeya . Commander Adama arrives with Billy Keikeya and Chief Galen Tyrol in Kobol . 0 +Ali Şaşal Vural ( born July 10 , 1990 ) is a Turkish football professional who plays at Sivasspor . Ali Şaşal Vural ( born 10 July 1990 ) , is a professional Turkish football player , who plays for Sivasspor . 1 +On 26 July 2012 , Gu Kailai was charged with the murder of Neil Heywood . On 26 July 2012 , Neil Heywood was charged with the assassination of Gu Kailai . 0 +This individual mandate requires most individuals and their families to have a certain amount of health insurance , with certain minimal exemptions . This individual mandate requires a certain amount of health insurance from most individuals and their families , with certain minimal exemptions . 1 +When a solvent is shaken , two nonmixable liquids are extracted together . When a solvent is extracted , two unmixed liquids are shaken together . 0 +The River De La Hagher is a tributary of the Jiul de Vest River in Romania The Jiul de Vest river is a tributary of the River De La Hagher in Romania . 0 +"Vreeland interpreted this phenomenon to Rowlands in an interview for the book : "" It 's because Avedon lasted "" ." "In an interview for the book , Avedon interpreted this phenomenon for Rowlands : "" It 's because Vreeland lasted ." 0 +3200m races run on the outer oval first , then the inner oval . First run 3200m on the inner oval , then on the outer oval . 0 +"In 1922 , the novel was adapted into a film "" Diana of the Crossways "" by Denison Clift with Fay Compton and Henry Victor directed ." "In 1922 the novel was adapted into a film "" Diana of the Crossways "" directed by Fay Compton and Henry Victor and starring Denison Clift ." 0 +This dish has become one of the most symbolic dishes of indian cuisine , next to Indian curry . This dish has become one of the most symbolic dishes of the Indian cuisine , next to Indian curry . 1 +After the Louis and Clarke Adventures , Salina is considered to be the Grand Island ( of Nebraska ) of the south . According to the Louis and Clarke Adventures , Grand Island is considered the Salina ( of Nebraska ) of the south . 0 +Jonté Buhl ( born April 4 , 1982 ) is a Canadian former professional football cornerback who played four seasons for the Edmonton Eskimos of the Canadian Football League . Jonté Buhl ( born April 4 , 1982 ) is a former Canadian professional football player who played for the Edmonton Eskimos of the Canadian Football League for four years . 1 +It is a soluble solid , water-white . It is a white , water-soluble solid state . 0 +"Louisa Baïleche has performed on the Comédie-Française stage as well as the Folies Bergère , in a French version of the musical "" Nine "" ." "Louisa Baïleche performed on the Comédie-Française stage as well as the folies Bergère in a French version of the musical "" Nine "" ." 1 +Ashe was spoken in Japanese by Mie Sonozaki in English and by Kari Wahlgren . Ashe was spoken in English by Kari Wahlgren and by Mie Sonozaki in Japanese . 0 +Abe Drexler ( Charlie Hofheimer ) calls Peggy ( Elisabeth Moss ) and insists on meeting her for dinner . Abe Drexler ( Charlie Hofheimer ) calls Elisabeth Moss ( Peggy ) and insists on meeting her for food . 1 +It is found in Alberta in northern Canada and possibly in Ontario . It is found in Canada in North - Ontario and possibly Alberta . 0 +Ringwood is located in the 5th Congressional District and is part of the 39th New Jersey State Legislative District . Ringwood is located in the 5th Congressional District and is part of New Jersey 's 39th state legislative district . 1 +"Godman was a paramour of the Jackie French "" ( né "" John Homer French ) , bookmaker for Lou Blonger ." """ Godman "" was a paramour of Jackie French "" ( né John Homer French ) , bookmaker of Lou Blonger ." 1 +In 1828 , Yeoman 's Laetitia Snyder of Albany married , with whom he had two daughters and three sons . In 1828 , Laetitia Snyder married Yeoman of Albany , with whom he had two daughters and three sons . 0 +A market was perceived for future tours and destinations , Scandinavia followed in April 1975 and in September another tour was taken in Switzerland . A market was perceived for future tours and destinations . Scandinavia followed in April 1975 and there was another tour to Switzerland in September . 1 +Ferguson has two sisters ( one older and one younger ) and one big brother . Ferguson has two sisters ( one older and one younger ) and one younger brother . 0 +In 1612 he was governor of Tlalmanalco and in 1613 the governor of Texcoco . In 1612 he was the governor of Texcoco and in 1613 the governor of Tlalmanalco . 0 +The highest level is 329 m and the lowest level is 457 meters . The highest level is 329 meters and the lowest level is 457 meters 1 +Lars Rehmann defeated Rehmann 6 -- 4 , 3 -- 1 ( Greg Rusedski was retired ) Greg Rusedski defeated Lars Rehmann 6 -- 4 , 3 -- 1 ( Rehmann retired ) 0 +The Calvert Cliffs Cliffs nuclear power plant is located on the western shore of Chesapeake Bay in Lusby , as is the Cove Point LNG Terminal . Calvert Cliffs Nuclear Power Plant is located on the western shore of Lusby at Chesapeake Bay , as is the Cove Point LNG Terminal . 0 +"In 2015 , Trenyce hosted the cabaret show "" Taboo at the Casino City of Dreams in Macau , China , produced by Franco Dragone ." "In 2015 , Franco Dragone hosted the Trenyce-produced cabaret show "" Taboo "" at the casino City of Dreams in Macau , China ." 0 +Although the use of a vertical stabilizer is most common , it is possible to obtain discrete vertical stability with no directional stabilizer . Although the most common use of a vertical stabilizer , it is possible to obtain directional stability without discrete vertical stabilizer . 0 +In order to obtain a biomarker for diagnostics , the sample material must be as easy to handle as possible . In order to use a biomarker for diagnostics , the sample material must be as easy to obtain as possible . 0 +Each process that wants to initiate a snapshot records its local state and sends a marker on each of its outgoing channels . Each process that wants to initiate a snapshot records its local status and sends a marker on each of its outgoing channels . 1 +At that time , Cao Mao was merely a puppet emperor , as the actual power was in the hands of the regent Sima Zhao ( Sima Wangs Cousin ) . At the time , Cao Mao was merely a puppet emperor as actual power was in the hands of the regent Sima Wang ( Sima Zhao 's cousin ) . 0 +Holmes , who is originally from Canberra , attended the Australian Institute of Sport in Sydney . Originally from Canberra , Holmes attended the Australian Institute of Sport in Sydney . 1 +These beats listen to the stylings of a variety of drumbeats across West Africa as well as the traditional African genre Afrobeat . These beats harken to the stylings of a variety of traditional African drumbeats across West Africa as well as the precursory genre of Afrobeat . 0 +In 1925 , her series of syndicated crossword puzzles for children was shown in several newspapers . In 1925 , her series of syndicated crossword puzzles for children was illustrated in several newspapers . 1 +It is also used to collect saliva to distribute solid foods or soften loose particles . It is also used to collect saliva to distribute solid food or to soften loose particles . 1 +Hana Mandlíková defeated Manuela Maleeva 6 -- 4 - - 2 Manuela Maleeva defeated Hana Mandlíková by 6 -- 4 , 6 - 2 . 0 +Six conferences went in : 0-1 : MEAC , MAC , Ohio Valley - Conference , Northern California , MAAC and SWAC . Six conferences went 0-1 : MAAC , MAC , MEAC , Northern California , Ohio Valley Conference , and SWAC 1 +Texarkana is a part of the Miller County , TX-AR , Metropolitan Statistical Area . Texarkana is part of the Miller County , TX-AR , Metropolitan Statistical Area . 1 +He debuted only one appearance in 2012 and then played 4 times the following year . He debuted in 2012 making only 1 appearance and then played 4 times the following year . 1 +""" Yeh Hai Mumbai Meri Jaan "" is a love story between Saif Ali Khan and Twinkle Khanna while Akshay Anand is the spoiler ." """ Yeh Hai Mumbai Meri Jaan "" is a love story between Akshay Anand while Saif Ali Khan and Twinkle Khanna the Spoiler are ." 0 +His real first name was Peter , known by the name of David . Known by the name Peter , his real first name was David . 0 +Maurice Tellier is the son of Paul Tellier and the grandson of Sir Joseph - Mathias Tellier , who was the brother of Louis Tellier . Maurice Tellier is the son of Paul Tellier , and the grandson of Sir Joseph-Mathias Tellier , who was the brother of Louis Tellier . 1 +Catalina State Park and the Coronado National Forest in the Santa Catalina Mountains form the eastern boundary of Oro Valley . State Park and the Coronado National Forest in Santa Catalina Mountains form the eastern border of the Oro Valley . 1 +The length of the front wings is 3.5 - 5 mm , adults have been recorded in Argentina from November to February and in Brazil in October . The length of the forewings is 3.5 -- 5 mm . Adults have been recorded from November to February in Argentina and in October in Brazil . 1 +The NBA season of 1975 -- 76 was the 30th season of the National Basketball Association . The season 1975 -- 76 National Basketball Association was the 30th NBA season . 1 +His wife Tania G. Novarro was the one who made the most appointments with the great artists for Eddy . His wife Tania G. Novarro was the one who made most of the appointments with the great artists for Eddy . 1 +He started his practice in Omaha , Nebraska then moved back to Lincoln in 1912 . He started his practice in Lincoln , Nebraska , and then moved back to Omaha in 1912 . 0 +Most Arabs in France come from the Maghreb but some also are from the Mashreq areas of the Arab world . Most Arabs in France come from the Maghreb , but some also come from the Mashreq areas of the Arab world . 1 +She toured with Traffic and Jimi Hendrix before joining with Joe Cocker in 1970 . She toured with Traffic and Joe Cocker before joining up with Jimi Hendrix in 1970 . 0 +Sweden has an embassy in Ankara and a General Consulate in Stockholm . Turkey has an embassy in Istanbul . Sweden has an embassy in Ankara and a Consulate General in Istanbul , and Turkey has an embassy in Stockholm . 0 +Hennig is also Chairman referee of the region Duisburg -- Mülheim -- Dinslaken and lives in Duisburg . Hennig is also president of the Duisburg -- Mülheim -- Dinslaken region and lives in Duisburg . 1 +In the series Finale Stevie is portrayed by Mateus Ward , mitzvahed bar at the age of 13 . In the series finale , Stevie at age 13 , portrayed by Mateus Ward , is bar mitzvahed . 1 +With the weakening of the Canadian dollar , manufacturing sales and exports and employment increased in November and December 2015 . In November and December 2015 , with the weakening in the Canadian dollar , manufacturing sales and exports increased and employment rose . 1 +Titus Geganius Macerinus was a Roman statesman who served as Consul in 492 BC with Publius Minucius Augurinus . Titus Geganius Macerinus was a Roman statesman who served in 492 B.C . as a consul with Publius Minucius Augurinus . 1 +In the 1970s Suzuki was one of the first buyers of Woolrich Mode in Japan and became Designer for Woolrich Woolen Mills in America in 2006 . In the 1970s Suzuki was one of the first buyers of Woolrich fashion in America . In 2006 he became a designer for Woolrich Woolen Mills in Japan . 0 +Monks Bay is situated on the southern coast of the Isle of Wight , England , to the east of the village of Bonchurch . Bonchurch is situated on the southern coast of the Isle of Wight , England just to the east of the village of Monks Bay . 0 +It is endemic to California , in the central Sierra Nevada within eastern Madera County . It is endemic to California , in the central Sierra Nevada in eastern Madera County . 1 +Direction was played by Peter Askin and musical production by Miriam Shor , with Hedwig , originally played by John Cameron Mitchell and Yitzhak by Jerry Mitchell . Direction was by Peter Askin and musical staging by Miriam Shor , with Hedwig , initially played by John Cameron Mitchell and Yitzhak played by Jerry Mitchell . 1 +Glenn Jones replaced Hart in the band in 1996 and played guitar , while Eric Midkiff moved to bass . In 1996 , Eric Midkiff replaced Glenn Jones in the band and played the guitar , while Hart switched to bass . 0 +Nick Rotteveel ( born 6 January 1989 ) , professionally known as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . Nick Rotteveel ( born January 6 , 1989 ) , known professionally as Nicky Romero , is a Dutch DJ , record producer , musician and remixer . 1 +The citizens rejected the Burgundian bishop and the new influence , which led to the Liège Wars . Louis was exiled to Maastricht . The citizens rejected the Burgundian bishop and the new influence that led to the Liège wars was exiled to Maastricht by Louis . 1 +It was published in a limited edition of 4,200 copies as a vinyl - LP and produced on April 21 , 2012 in conjunction with Record Store Day . It was produced in a limited edition of 4,200 copies as a vinyl - LP and was published on April 21 , 2012 in conjunction with the Record Store Day . 0 +In June 2009 , it was officially confirmed that Kelly Kelekidou left Heaven Music Greece and signed to Sony Music . In June 2009 , it was officially confirmed that Kelly Kelekidou left Sony Music Greece and signed it with Heaven Music . 0 +It can , however , be used to control VST instruments , which you can then record . It can , however , be used to include VST instruments , which you can then control . 0 +The majority of Afghan patients come from the poorer sections of society who have access to free medical treatment in the Pakistani government or philanthropic healthcare facilities . The majority of philanthropic patients are from the poorer strata of society who have access to free medical treatment in Afghan government or Pakistani healthcare facilities . 0 +The manga is published in French by Panini Comics , in Spanish by Planetacomic , in German and Italian by Pika Edition . The manga is published by Panini comics in French , from Planetacomic in Spanish , by Pika Edition in German and Italian . 1 +Puerto Jiménez Airport is an airport that serves Puerto Jiménez , the second district of Golfito Canton in Puntarenas Province , Costa Rica . Golfito Canton is an airport that serves Puerto Jiménez , the second district of Puerto Jiménez Airport in the province of Puntarenas , Costa Rica . 0 +"Sicha described it as "" night-active and ... seemingly seriously huge , organic "" -- in fact around the clock ." "Sicha described it as "" huge , organic and ... seemingly seriously nocturnal "" -- in fact , active around the clock ." 0 +Saint Cennych was a Pre-congregational saint of medieval , South Wales . He is the patron Saint of Llangennych , Carmarthenshire . Saint Cennych was a medieval saint from Pre-Congregational , South Wales He is the patron saint of Llangennych , Carmarthenshire . 0 +The Red Sox eventually won the ALDS but lost to the Tigers in the American League Championship Series . The Red Sox finally won the ALDS , but lost to the tigers in the American League Championship Series . 1 +The prosperity of his establishment stimulated the creation of other ranches and growth in the region , creating a population that would define the early city . The prosperity of his establishment stimulated the creation of early ranches and growth in the region and created a population that the other city would define . 0 +"Pidoux appeared as cellist Pablo Larraín in Pablo Casals 's "" Jackie "" ." "Pidoux appeared as cellist Pablo Casals in "" Jackie "" by Pablo Larraín ." 0 +His mother and his wife left him and followed Henry IV to Germany . His mother and wife left him and followed Henry IV to Germany . 1 +Armand married Anne Marie Martinozzi , daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the elder sister of Cardinal Mazarin , with the following children : Cardinal Mazarin married Anne Marie Martinozzi , the daughter of Girolamo Martinozzi and Laura Margherita Mazzarini , the elder sister of Armand . 0 +Baby Boom is a romantic comedy by Charles Shyer in 1987 , written by Nancy Meyers and Shyer and produced by Meyers and Bruce A . Baby Boom is a romantic comedy in 1987 , directed by Nancy Meyers , produced by Charles Shyer and Shyer , written by Meyers and Bruce A . 0 +He currently lives in Odda with his partner Randi and has three children , Lothe , Ida and Vetle , from a previous relationship . He currently lives in Odda with his partner Randi and has three children , Stian , Ida and Vetle , from a previous relationship . 0 +During a transit , Earth would be visible from Mars as a small black disc moving across the face of the Sun . During a transit , the Earth would be visible from Mars as a small black disc moving across the face of the sun . 1 +Barylambdidae is an pantodont family of extinct mammals from North America . Barylambdidae is an extinct family of the Pantodont mammals from North America . 0 +The British Central Africa Protectorate existed in the area of present-day Malawi between 1891 and 1907 . The Malawi Central Africa Protectorate existed between 1891 and 1907 in the territory of the present-day British . 0 +XS also released Shikigami No Shiro II , and translated it for the PlayStation 2 under its own name , Castle Shikigami 2 . "XS has also translated "" Shikigami No Shiro II "" and published it for the PlayStation 2 under its own name "" Castle Shikigami 2 "" ." 0 +In the first film the Fat Lady is played by Elizabeth Spriggs , and by Dawn French in the third film . In the third film , the fat lady of Elizabeth Spriggs is played , and by Dawn French in the first film . 0 +Riverside is located in the 3rd Congressional District and is part of the 7th State Legislative District of New Jersey . Riverside is located in the 7th Congressional District and is part of the 3rd State Legislative District of New Jersey . 0 +A conventional external chain saw driven by an air hose from a pneumatic compressor is under development . A conventional external chain saw driven by an air hose from a pneumatic compressor is currently under development . 1 +According to the definition above , two relations with identical graphs but different domains or different codomains are considered different . According to the above definition , two relations with different graphs , but different domains or different codomans are considered identical . 0 +Mirambeau is situated on Via Turonensis , the ancient pilgrimage route from Santiago de Compostela to Paris via Tours . Mirambeau is situated on the Via Turonensis , the ancient pilgrimage route from Paris to Santiago de Compostela via Tours . 0 +Olaf originated from a disturbed south of Acapulco on August 21 over extremely warm waters . On August 21 , Olaf came from a warm south of Acapulco over extremely disturbed waters . 0 +In 1955 , Bruno Caloi died and the company was managed until 1999 by his son Guido . Guido died in 1955 , and the company was directed by his son Bruno Caloi until 1999 . 0 +One of the fine constants is the dimensionless fundamental structure constant : One of the dimensionless constants is the fine structure constant : 0 +Since 1992 the unit is a dedicated-time full police tactical unit and is now known as the Special Emergency Response Team ( SERT ) . Since 1992 the unit has been a full-time police - tactical unit and is now known as the SERT ( Special Emergency Response Team ) . 0 +Eusebius , despite his own views on Papias , knew that Irenaeus believed Papias to be a reliable witness to original apostolic traditions . Eusebius believed , despite his own views about papias , that Irenaius knew Papias to be a reliable witness to original apostolic traditions . 0 +The castle was converted twice : in the 15th century for the first time and in the 19th century after it had been partially destroyed . The castle was rebuilt twice : in 15th century for the first time and in 19th century after it had been partially destroyed . 1 +Sandra Miesel and Carl Olson state that , contrary to the book 's claims , the Gnostic Gospels ( e.g . Sandra Miesel and Carl Olson explain that , contrary to the book 's claims , the gnostic gospels ( e.g . 1 +The date for the executions of the three Quakers - Evangelists , William Robinson , Marmaduke Stephenson , and Mary Dyer - was October 27 , 1659 . The date set for the executions of the three Quaker evangelists , Mary Dyer , Marmaduke Stephenson and William Robinson , was 27 October 1659 . 1 +The northern half of the village is in the town of Dannemora , while the southern half is in the town of Saranac postal code is 12929 . The southern half of the village is in the town of Dannemora , while the northern half is in the town of Saranac . The ZIP code is 12929 . 0 +Professor Bandopadhyay is currently going through international music collaboration with Professor Yaroslav Senyshin , the exceptional pianist . Professor Bandopadhyay is currently going through an international music cooperation with Professor Yaroslav Senyshin , the exceptional pianist . 1 +"The cast includes Cecile Andrews as the host and Wanda Urbanska , author of "" Circle of Simplicity "" ." "The cast includes Wanda Urbanska as host and Cecile Andrews , author of "" Circle of Simplicity "" ." 0 +After the Muslim invasions of the seventh century , the original Christians from actual Azerbaijan disappeared almost . After the actual invasions of the seventh century the original Christians have nearly disappeared from Muslim Azerbaijan . 0 +The optical polarization results microscopically from quantum mechanical transitions between different states of the material system . The quantum mechanical polarization results microscopically from optical transitions between different states of the material system . 0 +"/ So proud to live , so proud to die "" ) ." So proud to die of so proud to live . 1 +In 2001 , Thomas averaged 27.6 points in 10 games for the Tanduay Rhum Masters under coach Derick Pumaren in the Philippine Basketball Association . In 2001 , Thomas averaged 27.6 points in 10 games for the Tanduay Rhum Masters under trainer Derick Pumaren in the Philippine Basketball Association . 1 +In 1914 , when Holt retired , Green followed him as Chief Inspector . When Green retired in 1914 , Holt succeeded him as Chief Inspector . 0 +""" Legend "" was released on DVD and Blu-ray in the United States on 25 January 2016 and in the United Kingdom on 1 March 2016 ." """ Legend "" was released on DVD and Blu-ray on January 25 , 2016 in the United Kingdom and on 1 March 2016 in the USA ." 0 +Ram Hill was known as Nutridge Hill in the Mudge Map in 1815 and was connected to Broad Lane by Westerleigh with Mays Hill and by Frog Lane . In the Mudge Map 1815 , Ram Hill was known as Nutridge Hill , and was linked to Westerleigh by Broad Lane and to Mays Hill by Frog Lane . 0 +James the Fat would never return to his native Scotland . He remained an exile in Scotland until his death . His widowed mother and sister remained in Ireland . James the Fat would never return to his native Scotland , he would remain in Ireland until his death , his widowed mother and sister remained in Scotland . 0 +Fox offered a then-record $ 1.58 billion to the NFL over four years , significantly more than the $ 290 million per year offered by CBS . CBS offered the NFL $ 1.58 billion over four years , significantly more than the $ 290 million a year Fox offered . 0 +"We can of course take and The matrix of the linear map "" T "" is necessarily square ." "We can naturally take and The matrix of the linear map "" T "" is necessarily square ." 1 +The problem of testing whether a given polynomial over a polynomial field is a permutation polynomial can be solved in finite time . The problem of testing whether a given polynomial is a permutation polynomial through a finite field can be resolved in polynomial time . 0 +"The director , Tanvir Ahmed , describes this film as "" a tale of a religious father , a noble mother and a gangster son in Mumbai City "" ." "The director Tanvir Ahmed describes this film as "" a story from a noble father , a religious mother and a gangster son in Mumbai City "" ." 0 +There I went forth , and there he was : here and there I find him to my sorrow . There was I , and there went he : here and there to my grief I find him . 0 +PremLata Singh was married on June 9 , 1970 with Birender Singh . PremLata Singh married Birender Singh on 9 June 1970 . 1 +Baxter Aviation operated flights between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport up to Nanaimo Harbour Water Aerodrome . Baxter Aviation operated services between Vancouver Harbour Water Aerodrome and Vancouver International Water Airport to Nanaimo Harbour Water Aerodrome . 1 +The Company currently manages multi-strategy funds , dedicated credit funds , including opportunistic credit funds and Institutional Credit Strategies products , real estate funds and other alternative investment vehicles . The company currently manages multi-strategy funds , specialised credit funds , including opportunistic credit funds and institutional credit strategies - products , real estate funds and other alternative investment forms . 1 +John 's mother Sinclair T. Chitty married his father Thomas Kincaid Blake Jr. at the age of 15 . John , the mother of Thomas Kincaid Blake Jr. , married his father Sinclair T. Chitty at the age of 15 . 0 +"Much of the animation in "" The Dark Eye "" consists of QuickTime movies , either static screens or smaller looping segments , framed by a full background ." "Much of the animation in "" The Dark Eye "" consists of QuickTime movies , either static-screen or smaller looping segments , framed by a full background ." 1 +Cobian Backup was a free , donation-written backup software for Microsoft Windows . It is supported in Delphi by Luis Cobian of Umeå University . Cobian Backup was a free , written backup software for Microsoft Windows and is supported by Luis Cobian of Umeå University in Delphi . 1 +On February 28 , 2018 , Interoute announced the acquisition of GTT Communications for US $ 2.3 billion . On February 28 , 2018 GTT Communications announced the acquisition of Interoute for $ 2.3 Billion 0 +Of these two , one was physically disabled and severely cognitively impaired . One of these was physically disabled and cognitively impaired . 1 +It is equivalent to the rank of a rear admiral in the Royal Navy and the rank of a rear admiral ( upper half ) at the United States Navy . It is equivalent to the rank of rear admiral in the United States Navy and the rank of a rear admiral ( upper half ) in the Royal Navy . 0 +The 913th Troop Carrier Squadron was consolidated with the 13th Air Refueling Squadron in September 1985 but the active squadron has not been consolidated since . The 913th troop carrier squadron was consolidated in September 1985 with the 13th air refuelling squadron , but the active squadron has not been consolidated since then . 1 +Sometimes already assigned codes were re-used or the x00 codes spared previously were allocated . Sometimes already allocated codes were reused or the previously spared x00 codes were assigned . 1 +A documentary about Opal and his wife Lee directed by Jeff Silva and Vic Rawlings is made . A documentary about Lee and his wife Opal , directed by Jeff Silva and Vic Rawlings , is being filmed . 0 +This manuscript was presented to Nicephorus Glykas by Eduard Reuss , Bishop of Imbro . The manuscript was presented by Eduard Reuss , Bishop of Imbro , to Nicephorus Glykas . 1 +The MSM model can be specified in both discrete and continuous time . The MSM model can be specified in both discrete time and continuous time . 1 +The original route started at US 410 in Eureka and went north to Touchet and east to SSH 3E west of Prescott . The original route started at US 410 in Eureka and led north to Touchet and east to SSH 3E to the west of Prescott . 1 +On New Year 's Eve , JJ Deveraux confronts Lani and reveals that she is the woman he had a one-day stand . On New Year 's Eve , JJ Deveraux confronts Lani and reveals that she is the woman that he had a one-night stand . 0 +It was played by actor Daryl Somers and Ossie Ostrich by Ernie Carroll . It was hosted by Daryl Somers and Ossie Ostrich played by Ernie Carroll . 1 +While James became a lawyer and a politician , Martin operated a successful sawmill near Monticello . While Martin became lawyer and politician , James operated a successful sawmill near Monticello . 0 +Relatively small , it had a circular , wooden wall and a strong gatehouse as well as watchtowers . Relatively small it had a circular wooden wall and a strong gate house as well as watchtowers . 1 +Deepak Chand Lall lives in Meena Gupta ( Mumbai ) and Madhuri Jaiswal ( Kolkata ) ( New Jersey ) . Deepak Chand Lall who lives in ( New Jersey ) Meena Gupta ( Mumbai ) and Madhuri Jaiswal ( Kolkata ) 0 +"On the map of the 18th century "" America governorate with the adjacent islands and the western coast of Irkutsk "" from Lake Hinka follows the river Usuri ." "On the map of the 18th century "" America governorates with the adjacent islands and the west coast of Irkutsk "" from the lake Hinka follows the river Usuri ." 1 +Frank Malina died in 1981 in Boulogne Billancourt , near Paris , France . Frank Frank Malina died in Boulogne Billancourt in 1981 , near Paris , France . 1 +This was a limited release -- only 300 black vinyl copies and 200 red vinyl copies were issued . This was a limited release -- only 300 red vinyl and 200 black vinyl copies were put out . 0 +The princess was received with great fanfare at Bassein ( Pathein ) on 24 September 1573 . The princess was received with great fanfare on 24 September 1573 in Pathein ( Bassein ) . 1 +Margarites giganteus , common name the marine margarite , is a species of sea snail , a giant gastropod mollusk in the family Margaritidae . Margarites giganteus , common name of the giant margarite , is a species of sea snail , a marine gastropod mollusk in the Margaritidae family . 0 +Staff members Kelly , Stacy , and Rolo sneak into the jungle to have sex . Staff Kelly , Stacy and Rolo sneak into the jungle to have sex . 1 +Simon Butler ( d. 1755 ) was a Welsh immigrant who , in 1712 , came to Pennsylvania with his cousin Simon Mathews . Simon Mathews ( b . 1755 ) was a Welsh immigrant who came to Pennsylvania in 1712 with his cousin Simon Butler . 0 +Cowper drew a pencil portrait of John Higgins and painted landscapes . John Higgins drew a pencil portrait from Cowper and also painted landscapes . 0 +De Bruijn reached Cyprus and stayed among the Dutch merchants in Smyrna and Constantinople . De Bruijn reached Cyprus and stayed with the Dutch merchants in Smyrna and Constantinople . 1 +Quintus Caecilius Metellus Macedonicus was the second son of the Roman politician , General Lucius Caecilius Metellus Diadematus . Caellilius Metellus Diadematus was the second son of Roman politician and General Quintus Caecilius Metellus Macedonicus . 0 +"Catherine Lepère is portrayed in a novel by Judith Merkle Riley : "" The Oracle Glass "" ( 1994 )" "In a novel by Catherine Lepère , Judith Merkle Riley is portrayed : "" The Oracle Glass "" ( 1994 ) ." 0 +In 1903 , copper was dismantled by the Giroux Consolidated Mining Company and by the Nevada Consolidated Copper Company in 1904 . In 1903 , copper was dismantled by the Nevada Consolidated Copper Company and the Giroux Consolidated Mining Company in 1904 . 0 +He directed Christians to recognize God in all things and to desire above all things to do the will of God . He directed the Christians to recognize God in all things and , above all , to do the will of God . 1 +"On July 10 , 2017 , Kurt Angle appeared as interviewee in the "" Carter : Homecoming "" episode of the WWE Network series "" WWE 24 "" ." "On 10 July 2017 Kurt Angle appeared as an interview partner in the "" Carter : Homecoming "" episode of the WWE - network series "" WWE 24 "" ." 0 +She is the wife of Dana Å ariÅ and mother of Dario and Predrag Å ariÄ . She is the wife of Dana Šarić and mother of Dario and Predrag Šarić . 1 +He was considered an active member of the Council and was often sent to Canada on an official Albany store . He was considered the official member of the Council and was often sent to Canada in an active Albany business . 0 +It starts close to the western extremities of the Central Oregon Coast Range and generally flows west to the ocean south of Depot Bay and north of Otter Rock . It begins near the western extremities of the Central Oregon Coast Range and flows south to the ocean generally west of Depot Bay and north of Otter Rock . 0 +The Talgarth , Wales , originally the Lunatic Asylum of the Brecon and Radnor Joint Counties , was a psychiatric hospital at Mid Wales Hospital . The Mid Wales Hospital , originally the Brecon and the Radnor Joint Counties Lunatic Asylum , was a psychiatric clinic in Talgarth , Wales . 0 +Soon Mirzá Pír took Muhammad to Delhi , where he went and where he was crowned as king . Mirzá Pír Muhammad soon took to Delhi , which place he went and where he was crowned as king . 0 +For some time , Texas had proven to be a major market outlet , and in 1947 , a main factory was built in Ennis , Texas . For some time Texas had proven to be a major market market , and in 1947 a large factory was built in Ennis , Texas . 1 +This scene was rewritten , although its opening - recitative in cut form was already present in the first production . This scene was cut even though its opening recitative was present in rewritten form in the first production . 0 +He left Loughrea , County Galway after ordination for the Diocese of Clonfert in 1895 , and was appointed as a Roman Catholic priest to Maynooth between 1896 and 1904 . He left Loughrea , County Galway , after being dedicated to the Diocese of Clonfert in 1895 , and was appointed as a Roman Catholic priest between 1896 and 1904 after Maynooth . 1 +On the second day , Jess sees a girl who looks very similar to her lost sister Jen . On the second day Jess sees a girl who sees her lost sister Jen very similar . 1 +Wilhelmina is shocked and does not believe Christina . Christina is shocked and Wilhelmina does not believe . 0 +Lazkao is a town and municipality in the Goierri region in the province of Gipuzkoa , in the Basque Country Autonomous Community of Northern Spain . Lazkao is a city and municipality in the region of Gipuzkoa in the province of Goierri , in the Basque Autonomous Community of northern Spain . 0 +"Chontelle Moore is an American actress known for her role as the pilar in "" ." "Chontelle Moore is an American actress , best known for her role as Pilar in "" ." 1 +Monmouth Junction was created as the intersection of three rail branches , the New York division of the Pennsylvania Railroad , the Rocky Hill and the Jamesburg and Freehold . Monmouth Junction was created as the junction of three rail branches , the New York division of the Pennsylvania Railroad , the Rocky Hill and the Jamesburg and Freehold . 1 +"At these shows , she won "" Best of Show "" , grand prize and first awards ." "At these shows she won "" Best of Show "" , the First Prize and Grand Awards ." 0 +Thruston was the father of U.S . Senator Charles Mynn Thruston and the grandfather of U.S. Brigadier General Buckner Thruston . Thruston was the father of U.S . Senator Charles Mynn Thruston and the grandfather of the US - Brigadier General Buckner Thruston . 1 +It was published in a limited edition of 4,200 copies as a vinyl - LP and produced on April 21 , 2012 in conjunction with Record Store Day . It was released as a vinyl LP in a limited edition of 4,200 copies , and produced on April 21 , 2012 , in conjunction with Record Store Day . 1 +Of Scotland , His father had been a blacksmith and an inventor , and had worked with iron rope in California . His father had been a blacksmith and inventor and had worked with an iron rope in California . 1 +"Abu Jahl narrated : Anas bin Malik said : "" O Allah !" "Narrated Abu Jahl : Anas bin Malik said , "" O Allah !" 1 +"In February 2018 , Tamplin was under police investigation after alleged "" gangster threats "" were made by him to Billericay Town footballer Elliot Kebbie ." "In February 2018 , Tamplin was under police investigation after "" Gangster threats "" were made by Billericay Town footballer Elliot Kebbie ." 1 +In 2007 he drove as a Toyota test driver and also continued the GP2 - Team Trident Racing . In 2007 , he continued as Toyota test driver and also drove for GP2 - Team Trident Racing . 0 +Brutus died on April 9 , 1830 , in the town of Adam Helmer in Cayuga County , New York . On April 9 , 1830 , Adam Helmer died in the city of Brutus , Cayuga County , New York . 0 +The uniforms are manufactured by Russell Athletic and the hats are made by New Era . The uniforms are manufactured by Russell Athletic and the hats are produced by New Era . 1 +While at Wunderman , Espuelas worked on the American Express , General Foods Gevalia and Weight Watchers accounts . While working on American Express , Espuelas worked on the accounts Wunderman , General Foods Gevalia and Weight Watchers . 0 +The Court Square located at Cannon County Courthouse in Woodbury , Tennessee , is an historic building and the center of county government in Cannon County . The Cannon County Courthouse is located on Court Square in Woodbury , Tennessee , a historic building and the center of County Government in Cannon County . 0 +The fortress was once again besieged by French troops under the command of General Zoller , from 22 December 1813 to 14 April 1814 , before the Bavarian garrison capitulated . The fortress was besieged again from 22 December 1813 until 14 April 1814 by French troops under the command of General Zoller before the Bavarian garrison surrendered . 1 +"The historical fallacy is a logical fallacy originally described by philosopher John Dewey in "" The Psychological Review "" in 1896 ." "The logical fallacy is a historical fallacy that was described in "" The Psychological Review "" in 1896 by the philosopher John Dewey ." 0 +After his service in 2nd Virginia Infantry , he was promoted to Lieutenant Colonel in the 6th Virginia Infantry . After his service in the 6th Virginia Infanterie , he was promoted to Lieutenant Colonel in the 2nd Virginia Infantry . 0 +Is a short book by Virginia Cary Hudson , first published illustrations by Karla Kuskin in 1962 . Is a short book by Karla Kuskin , first published in 1962 , with illustrations by Virginia Cary Hudson . 0 +Custer County , Nebraska , United States is a village in Oconto . Custer County , Nebraska , United States of America is a village in Oconto . 1 +Damerham was once in Hampshire , but was brought to Wiltshire in 1895 . Damerham was once in Hampshire , but was transferred in 1895 to Wiltshire . 1 +"If the programmer does not supply a constructor for an instantiable class , most languages will provide a "" default constructor "" ." "If the programmer does not provide a constructor for an instantiable class , a "" default constructor will be provided in most languages ." 1 +Vitas Gerulaitis won 4 -- 6 , 6 -- 3 , 6 -- 1 , 7 -- 6 against Guillermo Vilas in the finals . Guillermo Vilas won against Vitas Gerulaitis in the finals 4 -- 6 , 6 -- 3 , 6 - 1 , 7 -- 6 . 0 +The high ground became Gentilly Boulevard and US Highway 90 , part of the Old Spanish Trail from St. Augustine , Florida to Los Angeles , California . The high ground became Gentilly Boulevard and U.S. Highway 90 , part of the Old Spanish Trail from Los Angeles , California to St. Augustine , Florida . 0 +The Permanent Representative of Austria to Croatia is based in the Philippine embassy in Philippines . The Philippines ’ Permanent Representative to Croatia is based in the Philippine Embassy in Austria . 0 +Sometimes , small mammals , including bats , are eaten , but insects are rarely caught . Small mammals , including bats , are sometimes eaten but insects are caught only very rarely . 1 +It was for most of its time next to Naval Air Station Dallas , now known as the Grand Prairie Armed Forces Reserve Complex . It was located for most of its time next to Naval Air Station Dallas , now known as the Grand Prairie Armed Forces Reserve Complex . 1 +This victory repeated this victory in an Opel Astra in 2003 with Reuter , Marcel Tiemann , Volker Strycek and Timo Scheider . This victory repeated in an Opel Astra in 2003 this victory with Reuter , Timo Scheider , Volker Strycek and Marcel Tiemann . 1 +"It was released on his album "" From Elvis in Memphis "" and was recorded on February 18 , 1969 in Memphis at the American Sound Studio ." "It was released on his album "" From Elvis in Memphis "" and was recorded in American Sound Studio in Memphis on February 18 , 1969 ." 1 +Oates had been the last person to speak to Harvey . Oates had been the last to speak to Harvey . 1 +Jelinek asked for help from Jerome Wiesner and Cyrus Eaton , the latter who lobbied Nikita Khrushchev . Jerome Wiesner and Cyrus Eaton , who lobbied Nikita Khrushchev , asked Jelinek for help . 0 +There are no regional or national franchises in Danbury , only local shops like the Danbury General Store , and small restaurants . In Danbury there are no regional or national franchises , only small shops such as the Danbury General Store and local restaurants . 0 +He was sentenced on April 28 , 1794 , when he was guillotined at the same time as his elder brother . He was sentenced on 28 April 1794 , when he was guillotined at the same time as his elder brother . 1 +In 2004 , Sim 's Miss Georgia Junior National Teenager was crowned and later won the Miss Junior National Teenager title in 2005 . In 2004 , Sims Miss Junior National Teenager was crowned and subsequently won the Miss Georgia Junior National Teenager title in 2005 . 0 +In 1967 , the Case Institute merged with Western Reserve University , and Wilding - White accepted an invitation from DePaul University to design and install an electronic music studio there . In 1967 Case Institute merged with Western Reserve University , and Wilding-White accepted an invitation from DePaul University to design and install an electronic music studio there . 1 +The 2005 North Indian Ocean cyclone season was weak to southern India despite the destructive and deadly storms . The North Indian Ocean cyclone season in 2005 , despite the destructive and lethal storms , was weak to southern India . 1 +"Although Andrew Anthony was "" critical in "" The Observer and A.A. Gill of "" The Sunday Times "" was unimpressed ." "Although A.A. Gill was "" critical in "" The Observer and Andrew Anthony of "" The Sunday Times "" was unimpressed ." 0 +In 1139 the Archdeacon of Winchester was consecrated and in 1142 appointed Bishop of Salisbury . Joscelin was consecrated archdeacon of Winchester in 1139 and appointed bishop of Salisbury in 1142 . 0 +PTAs were abolished by the Local Government Act 1985 when the metropolitan county councils were recreated . PTAs were restored by the Local Government Act of 1985 , when the Metropolitan County Councils were abolished . 0 +However the fact that an array of gases is observed only allows the measurement of averaged quantities . The fact that an array of gases is observed , however , only allows the measurement of averaged sizes . 1 +""" Sex with Me "" was mixed by Manny Marroquin at Larrabee Studios in Universal City , California and supported by Chris Galland and Ike Schultz ." """ Sex with Me "" was mixed by Manny Marroquin at Larrabee Studios in Universal City , California and was assisted by Chris Galland and Ike Schultz ." 1 +"In 2014 , Harris Publications acquired "" XXL "" , "" King "" and "" Antenna "" from Townsquare Media ." "In 2014 Harris Publications "" XXL "" , "" King "" and "" Antenna "" acquired by Townsquare Media ." 1 +Instead , AC3 allows producers to choose the input level over a wide range by including a required dialog value representing the measured dialog level of the input signal . Instead , AC3 allows producers to choose input levels over a wide range by representing a measured dialog value , including the required dialog level of the input signal . 0 +The remixes for the song were made by Gloria Estefan 's personal remixer Pablo Flores and by Tommy Musto . The remixes for the song were made by Gloria Estefan ’ s personal remixer Pablo Flores and by Tommy Musto . 1 +Match 5 : Yoji Anjo defeats Kazushi Sakuraba ( submission ) Match 5 : Yoji Anjo defeats kazushi Sakuraba ( leg submission ) 1 +Christine became hopeful that after her first conversation with Walter , her son Gordon Stewart Northcott might still be alive . Christine became hopeful that her son Gordon Stewart Northcott might still be alive after her first interview with Walter . 1 +Even today , the island threatens to divide into a southern and a northern part , which can only be avoided by extensive coastal protection measures . Even today , the island threatens to divide into a northern and a southern part , something which can only be avoided by extensive coastal defence measures . 1 +"In 2017 , a book of straight photography was published in LA in the early 1970s "" people in cars "" ." "In 2017 , a book of straight photography "" People in Cars "" , published in LA in the early 1970 ’ s , was made ." 0 +Design was by Jonatha Ariadne Caspian and editing by James Crabtree , with a cover by Fred Fields and illustrations by Ann Dupuis . The design was published by Ann Dupuis and Jonatha Ariadne Caspian , with a cover by Fred Fields and illustrations by James Crabtree . 0 +The 1956 Los Angeles Rams season was the 19th anniversary of the team with the National Football League and 11th season in Los Angeles . The 1956 National Football League season was the 11th year of the team with the Los Angeles Rams and the 19th season in Los Angeles . 0 +The constituency replaced most of South Wales East and the Cynon Valley area of Wales in 1994 and became part of the much larger South Wales constituency in 1999 . In 1994 , the constituency replaced most of the South Wales - East and the Cynon - valleys of Wales and became part of the much larger South Wales constituency in 1999 . 1 +"Coins were described using only three adjectives : "" good , "" fine "" or "" uncirculated "" ." "Coins were described using just three adjectives : "" good "" , "" fine "" , or "" uncirculated "" ." 1 +Franklin Township , Ripley County is an unincorporated community in Pierceville , in the U.S. state of Indiana . Pierceville is an unlawful community in Franklin Township , Ripley County , in the U.S. state of Indiana . 0 +This settlement was part of Fort Norfolk where Charlotteville was built in 1813 with accommodation for 300 troops . This settlement was part of Fort Norfolk , where Charlotteville was erected in 1813 with accommodation for 300 troops . 1 +Initially he witnessed Švitrigaila and supported the anti-Polish Treaty of Christmemel with the Teutonic Knights . Initially he witnessed Švitrigaila and supported the anti-political treaty of Christmemel with the Teutonic Knights . 0 +Originally , Kimura created the story of the series , while Urasawa did the artwork . Originally , Kimura created the series ' story , while Urasawa did the artwork . 1 +Heysi Villarreal ( born 26 August 1986 in Havana , Cuba ) is an Olympic and national record holding swimmer from Cuba . Heysi Villarreal ( born August 26 , 1986 in Cuba ) is an Olympic and a national record swimmer from Havana . 1 +Their work has been translated into Italian , English , Spanish and German and published in magazines in Cuba , France , Mexico and Canada . Her work has been translated into German , English , Spanish , and Italian and has been published in magazines in Cuba , France , Mexico , and Canada . 1 +Lucas Baiano , who made commercials for Perry , joined Tim Pawlenty after Pawlenty had withdrawn from the race . Lucas Baiano , who made commercials for Tim Pawlenty , joined Perry after Pawlenty withdrew from the race . 0 +Prestige is inherent to the married Kiribati woman , but she is considerably under the authority of her husband . The married Kiribati - woman is an inherent prestige , but she is under the authority of her husband . 1 +In mathematics , an algebraic equation or polynomial equation is an equation of form . In mathematics , an algebraic equation or polynomial equation is an equation of the form 1 +Tsushima has four public middle schools and eight public elementary schools . Tsushima has four public schools and eight public elementary schools . 0 +Axocomanitla is a municipality in south-eastern Mexico in Tlaxcala . San Lorenzo Axocomanitla is a municipality in Tlaxcala in south-eastern Mexico . 1 +The lily of the valley was the flower emblem of Finland , and it became the national flower of Yugoslavia in 1967 . Lily of the valley was the floral emblem of Finland , and it also became the national flower of Yugoslavia in 1967 . 1 +In 1825 , James Sykes of Springfield Estate sold George Patterson to his friend and business partner . In 1825 , James Sykes sold of Springfield Estate to his friend and business associate , George Patterson . 0 +His style is progressive , sometimes experimental , but in other ways curiously conservative . His style is progressive , sometimes experimental , but curiously conservative in other ways . 1 +The company built a hotel in Eskisehir and a paper factory in Kazakhstan in Turkey . The company built in Eskisehir a hotel in Turkey and a paper factory in Kazakhstan . 0 +Jacques Dicker ( 1879 , Khotyn , Bessarabia -- 17 November 1942 , Geneva ) was a Swiss socialist-born Ukrainian politician and lawyer . Jacques Dicker ( 1879 , Khotyn , Bessarabia -- November 17 , 1942 , Geneva ) was a Ukrainian-born Swiss socialist politician and lawyer . 0 +He was born in Toledo , Ohio , grew up in St. Paul , Minnesota , and visited the High School for Recording Arts in Minneapolis , Minnesota . Chrishan was born in Toledo , Ohio and grew up in St. Paul , Minnesota . He attended High School for Recording Arts in Minneapolis , Minnesota . 1 +In 2015 , the Middleton branch of Quality Save was closed , and a superstore was launched in the former Tesco unit next door . In 2015 , the Middleton branch of Quality Save was launched , and a superstore was closed in the ex Tesco unit next door . 0 +""" The Candidate "" is the 14th episode of the American Broadcasting Company 's sixth season of the serial drama television series "" Lost "" and 117th episode overall ." """ The candidate "" is the 117th episode of the 14th season of the American Broadcasting Company of the serial drama - TV series "" Lost "" and sixth episode overall ." 0 +""" Billboard "" ranked the song as the 77th best of 2017 and the fifth in their R & B category ." """ Billboard "" ranked the song as 77th Best of 2017 and as the fifth in the R & amp ; B category ." 1 +The New York and Erie Railroad completed its line between Piermont and Dunkirk , New York via Hornell and Salamanca in 1851 . The New York and Erie Railroad completed its route between Hornell and Dunkirk in 1851 , New York via Piermont and Salamanca . 0 +Central Italy refers to the regions of Abruzzi e Molise , Marche , Umbria , Lazio and Tuscania . Central Italy refers to the areas Tuscania , Marche , Umbria , Lazio and Abruzzi e Molise . 1 +Edgware Road bus stops for Lisson Grove are served by bus routes 16 , 6 , 98 , 414 . Edgware Road bus stops for Lisson Grove are served by bus lines 16 , 6 , 98 , 414 . 1 +The first and fifth editions are reprinted almost equally and anthologized as often . The first and fifth editions are almost equally reprinted and equally often anthologized . 1 +Garha Kalan is a village in the Bhopal region of Madhya Pradesh , India . It is located in Berasia tehsil . Garha Kalan is a village in the Berasia district of Madhya Pradesh , India . It is located in the Bhopal tehsil . 0 +"The "" Cobblers "" fell to 16th in 1991 -- 92 , before they dropped to 20th place in 1992 -- 93 under Phil Chard ." "The "" Cobblers "" dropped to 20th in 1991 -- 92 , before plummeting to 16th place in 1992 -- 93 under Phil Chard ." 0 +In 2004 , Bessonova won the silver medal at the European Championships in 2004 . Bessonova won the silver medal at the 2004 European Championships in 2004 . 1 +In 1964 the company became S. Pearson and Son and was part of the Allied English Potteries Group , later acquired by Royal Doulton . In 1964 , the company was joined by S. Pearson and Son and became part of the Allied English Potteries Group , later to be acquired by Royal Doulton . 1 +Fritz August Hoenig ( 1848 -- 1902 ) was a German military writer and officer . Fritz August Hoenig ( 1848 -- 1902 ) was a military officer and a German writer . 0 +Born in Moscow , she traveled to Geneva later to study chemistry there . Born in Moscow , she later traveled to Geneva to study chemistry . 1 +It consists of two parts , Zemendorf and Stöttera , both of which lie on the River Wulka upstream from Pöttelsdorf and downstream from Antau . It consists of two parts , Zemendorf and Stöttera , which are both downstream from Pöttelsdorf and upstream of Antau on the Wulka . 0 +In his Karachi workshop he paints in the open air and draws his ideas on the ground . In his Karachi workshop , he sketches in the open air and paints his ideas on the ground . 0 +The 1883 American Association finished with a 54 - 42 record , fourth place in the New York Metropolitans . The 1883 American Association finished fourth in the New York Metropolitan with a record 54-42 . 1 +He sang with success also at La Fenice in Naples , at the Maggio Musicale Fiorentino in Florence and at the Teatro San Carlo in Venice . He sang with success also in La Fenice in Venice , at the Maggio Musicale Fiorentino in Florence and in the Teatro San Carlo in Naples . 0 +They had two sons , Brian ( born 1924 ) , and Robin , both of whom became notable trade union lawyers . They had two sons , Robin ( born 1924 ) and Brian , both of whom became important trade union lawyers . 0 +In 1810 , Madison was dealt and sold , and the first lots were laid by John Paul in 1811 . In 1810 , Madison was laid and relocated , and the first lots were sold by John Paul in 1811 . 0 +"He decided to teach Indian history "" because he wanted to study it "" ." He decided to study Indian history because he wanted to teach it . 0 +Aaron later tells that Holly tried to kiss him , but she did not believe him . Adam later tells Aaron that Holly tried to kiss him , but she does not believe him . 0 +He was trained in Dresden , later until 1865 in Leipzig , and after a short stay in Weimar went to New York with Franz Liszt in 1869 . He was trained in Weimar , later until 1865 in Dresden , and after a short stay in Leipzig went to New York with Franz Liszt in 1869 . 0 +In 1901 , the critic Henri Cazalis ( aka Jean Lahor ) listed the workshop as one of the best manufacturers of Art Nouveau ceramics in France . In 1901 the critic Jean Lahor ( alias Henri Cazalis ) , listed the workshop as one of the best producers in France of Art Nouveau ceramics . 1 +Sales began in North America in the third quarter of 2008 and in Europe in early 2009 as a 2010 model . The sales started in the third quarter of 2008 in North America and in early 2009 in Europe as a model for 2010 . 1 +Politically , Jalajala is organized into eleven barangays ( three urban , eight rural ) . Jalajala is politically subdivided into eleven barangays ( three rural , eight urban ) . 0 +Most Japanese troops are captured in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is killed . Most Japanese troops are killed in the attack , but the young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . 0 +For Amtrak - Service are the nearest stations West in Framingham , east in Boston at Back Bay and South Station and south in Route 128 station in Westwood . For Amtrak service the nearest stations are west in Framingham , east in Boston at Back Bay and South Station , and south in Route 128 Station in Westwood . 1 +The planned electrification of the Blackpool North to Manchester route was announced in December 2009 . The planned electrification of the Blackpool Nort route to Manchester was announced in December 2009 . 1 +"The ( Sanskrit for "" five supreme beings "" ) in Jainism are a fivefold hierarchy of religious authorities worthy of veneration ." "In Jainism , the ( Sanskrit for "" five highest beings "" ) are a fivefold hierarchy of religious authorities worthy of the veneration ." 1 +In Franklin Township , it 's in DeKalb County and in Steuben County it is in Otsego Township . In Steuben County , it is in Otsego Township , and in DeKalb County it is in Franklin Township . 0 +The full octahedral group is the cross product of the symmetric group Sand the cyclic group Z . The symmetric octaedrian group is the full product of the cross group Sand of the cyclic group Z . 0 +On 4 May 2015 , the UOB opened its Myanmar branch in Yangon . On 4 May 2015 , the UOB opened its branch in Yangon , Myanmar . 0 +Ranjit Singh marched to ( Rohtas ) , from there to ( Rawalpindi ) and via ( Sarai Kala ) reached Sirikot . Ranjit Singh marched to Rawalpindi , from there to Rohtas and via ( Sarai Kala ) until Sirikot . 0 +La Vegueta is a village in Tinajo , Las Palmas province of western Lanzarote in the Canary Islands . La Vegueta is a village in Tinajo , province of Las Palmas in western Lanzarote , in the Canary Islands . 1 +Bela Vista de Goiás is a city in the central Goiás state in Brazil . Bela Vista de Goiás is a city located in central Brazil state in Goiás . 0 +"The theological doctrine is "" reformed "" , and the form of government is "" presbyterian "" ." "The Presbyterian doctrine is "" reformed "" , and the government is "" theological "" ." 0 +Sixteenth Air Force inactivated and Third Air Force took over the new role as Warfighting Headquarters for the USAFE . Sixteenth Air Force inactivated and Third Air Force assumed the new role as the Warfighting Headquarters for USAFE . 1 +Tamara Nikolayevna Bratus married Igor Moskvin in 1964 . In 1964 , Igor Moskvin Tamara married Nikolayevna Bratus . 0 +The 1978 Daytona 500 , the 20th running of the event , was the second race of the 1978 NASCAR Winston Cup season . The 1978 Daytona 500 , the second race of the event , was the 20th round of the 1978 NASCAR Winston Cup season . 0 +He intervened in the War of Awans and Waroux and participated in the 1334 siege of Maastricht . He intervened in the war of Awan and Waroux and participated in the siege of Maastricht in 1334 . 1 +"By Michael Rothenberg , Anthology of Contemporary Indian Poetry , edited by Sudeep Sen , published by Menka Shivdasani in 2004 , "" Ten : The New Indian Poets "" ." "By Michael Rothenberg , Anthology of Contemporary Indian Poetry published by Sudeep Sen edited by Menka Shivdasani in 2004 ; "" Ten : The New Indian Poets "" ." 1 +An angle clockwise in a figure would correspond to a counterclockwise angle in the other figure . A clockwise angle in one figure would correspond to a counterclockwise angle in the other . 1 +Most of the Japanese troops are killed in the raid , but young Filipino boy Maximo Cuenca ( one of Barnes ' students ) is captured . Most Japanese troops are killed in the raid , but the young Philippine boy Maximo Cuenca ( one of Barnes ' students ) is captured . 1 +After receiving a joint Nobel Prize with her husband Pierre in 1903 , Marie Curie won a second Nobel Prize for Chemistry in 1911 . After the Nobel Prize in 1903 with her husband Pierre , Marie Curie won a second Nobel Prize for Chemistry in 1911 . 1 +It tells the story of four generations of women in an American-Italian family . It tells the story of four generations of women in one Italian-American family . 0 +The team added a second car for Thed Bjork in 2006 and was replaced in 2009 by Richard Göransson . The team added a second car for Richard Göransson in 2006 , and was replaced by Thed Björk in 2009 . 0 +He attended primary and secondary school at the university , and studied preparation architecture at the ( IAVA ) . He attended the preparatory school and studied at the ( IAVA ) primary and secondary architecture . 0 +It is located in the western part of the Annapolis County on the southern shore of Annapolis Basin . It is situated in the western part of Annapolis County on the southern shore of the Annapolis Basin . 1 +"The concept of the bass oboe as an enlarged English horn survived , and the "" hautbois baryton , "" introduced by François Lorée , was redesigned in 1889 ." "The concept of bass - oboe as an enlarged English horn remained , and in 1889 the "" hautbois baryton "" , redesigned by François Lorée , was introduced ." 0 +During the period of Japanese rule , Namaxia was grouped with Maolin District and Taoyuan District and governed as , which was classified under Kizan District of Takao Prefecture . During the time of Japanese rule , Namaxia was grouped and classified with Maolin District and Taoyuan District , which was governed under the Kizan District of the Takao Prefecture . 0 +Improved real navigation systems for driving Bosch Bosch , used social navigation to reduce driving time on the road . Bosch improved real navigation systems for driving , used social navigation to reduce driving time on the road . 0 +"Vreeland interpreted this phenomenon for Rowlands in an interview with the book : "" It 's because Avedon lasted "" ." "Avedon interpreted this phenomenon to Rowlands in an interview for the book : "" It 's because Vreeland lasted ." 0 +Eileen Chong was born in Singapore in 1980 , moved to Sydney in 2007 . Eileen Chong was born in 1980 in Sydney , Australia . She moved to Singapore in 2007 . 0 +Geographically , occupies Forsyth County in the central Belews Creek Township . Geographically , Belews Creek occupies township in the central Forsyth County . 0 +However , the artificial side-effect profile of overall tears is very low . The entire side-effect profile of artificial tears is , however , very low . 0 +The 1960 San Diego State Aztecs football team represented San Diego State College during the 1960 NCAA College Division football season . The 1960 San Diego State Aztecs football team represents San Diego State College during the NCAA College Division Football season in 1960 . 1 +Shane Stockton ( born March 18 , 1974 , Breckenridge , Texas ) is a former American country music artist who recorded under the name Kelly Shane Brooks . Shane Stockton ( born March 18 , 1974 in Breckenridge , Texas ) is a former American country music artist and recorded under the name of Kelly Shane Brooks . 1 +"The school 's motto "" Incepto ne Desistam "" means "" May I not stay from my Purpose "" or more colloquially , "" Shrink the course "" ." "The motto of the school "" Incepto ne Desistam "" means "" May I not shrink from my purpose "" or more colloquially , "" stay the course ." 0 +""" Opson "" is therefore equivalent to Banchan in Korean cuisine and Okazu in Japanese cuisine ." """ Opson "" is therefore Banchan in Korean cuisine and Okazu equivalent in Japanese cuisine ." 1 +The Richard J. Dorer Memorial Hardwood State Forest is a reserve of current and former forest in Minnesota 's Driftless Area . The Driftless Area is a reserve of current and former forest at Minnesota Richard J. Dorer Memorial Hardwood State Forest . 0 +He died in Daytona Beach , Florida , on June 18 , 1936 . He was buried in Melbourne , Florida . He died on June 18 , 1936 in Melbourne , Florida , and was buried in Daytona Beach , Florida . 0 +In some cases , pain or at least discomfort is secondary or rather insignificant to the humiliation . In some cases , pain , or at least inconvenience , is secondary , or rather insignificant , to humiliation . 1 +On October 13 , 2010 , the Atlanta Braves announced that Fredi González would replace Braves ’ manager Bobby Cox as team manager in 2011 . On October 13 , 2010 , the Atlanta Braves announced that Bobby Cox would replace long-time Braves manager Fredi González as manager of the team in 2011 . 0 +It comes in standard black only even though a white version was released worldwide in Japan . It comes in standard black worldwide , although a white version was released in Japan only . 0 +They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 , before losing against Gloucestershire in the quarter-finals 58 -- 10 . They beat Berkshire 21 -- 15 , then Oxfordshire 21 -- 32 and Buckinghamshire 0 -- 36 before losing 58 -- 10 to Gloucestershire in the quarter finals . 1 +On 5 March 1981 , Mirester and Frances Anna Brickman was born a daughter , Lester Brickman . A daughter , Lester Brickman , was born to Miriam and Frances Anna Brickman on March 5 , 1981 . 0 +Jalari is one of the villages of Hamirpur in India . Jalari is one of the villages in Nadaun of Hamirpur , India . 1 +It is a well-studied organism in the discipline of Evolutionary biology and was an early and important model system for the study of European phylogeography . It is a well-studied organism in the discipline of European biology , an early and important model system for the study of evolutionary phylogeography . 0 +The soundtrack of Bhalobaslei Ghor Bandha Jay Na was led by Ali Akram Shuvo and composed by Sheikh Sadi Khan . The soundtrack of Bhalobaslei Ghor Bandha Jay Na was composed by Ali Akram Shuvo and is directed by Sheikh Sadi Khan . 0 +Research into military physiology began in 1950 by a small group of scientists and medical physiologists at the Defence Science Laboratory in Delhi . Research in medical physiology began in 1950 through a small group of scientists and military physiologists at Defence Science Laboratory , Delhi . 0 +"Some of his volumes include : "" Jewish Influence on Christian Reform Movements "" ( 1924 ) and "" Jewish People , Faith and Life "" ( 1957 ) ." "Some of his volumes are : "" Jewish influence on Christian reform movements "" ( 1924 ) and "" Jewish people , faith and life "" ( 1957 ) ." 1 +Fluter returns to Egypt but the people , and Cleopatra , blame him for the loss of Cyprus and the death of Ptolemy . Fluter returns to Cyprus , but the people and cleopatra make him responsible for the loss of Egypt and the death of Ptolemy . 0 +This , Gattie said , was owned by Godwin , Earl of Wessex , in the first half of the 11th century , after which the sands were named . This , Godwin said , was owned in the first half of the 11th century by Gattie , Earl of Wessex , after whom the Sands are named . 0 +Aslan offered to accompany the children , because he wanted to see Frank himself . Frank proposed to accompany the children because he wanted to see Aslan himself . 0 +Scurria viridula is a species of the sea snail , a true limpet , a marine gastropod mollusk in the Lottiidae family , one of the families of true limpets . Scurria viridula is a species of sea snail , a true limpet , a true gastropod mollusk in the family Lottiidae , one of the families of marine limpets . 0 +The combination of cold surface waters and warm , deep waters supports a high level of biodiversity . The combination of warm surface waters and cold , deeper waters supports a high biodiversity . 0 +Born in Adelaide , he was brought to Australia by his parents , his father , John Firth Forest , led in Scotland a jewellery and watchmaking business . Born in Scotland , he was brought to Australia by his parents . His father , John Firth Wald , ran a jewellery and watchmaking business in Adelaide . 0 +Lex Luthor was also replaced as Scott Wells by Sherman Howard . Scott Wells was also replaced as Lex Luthor of Sherman Howard . 0 +She sees with Nina the sights and wants to marry him , so she asks her father for permission . Nina sees the sights with Ray and wants to marry him , so she asks her father for permission . 0 +Born in Berlin , Heike Brandt grew up in Jever . Heike Brandt was born in Berlin and grew up in Jever . 1 +She finds new creative hope and friendship in Enzo , the replacement guitarist that inspires her , to reach new heights . In Enzo , the replacement guitarist who inspired her to new creative heights , she finds new hope and friendship . 0 +April 16 , 1984 -- became adult contemporary WCGY , music of the 1960s and 1970s with 25 % of current music . April 16 , 1984 -- became adult contemporary WCGY , 1960s ' and 1970s ' music with 25 % current music . 1 +It was designated as a census-delineated place ( CDP ) for the 2000 census , at which time its population was 8,487 . It was delineated for the census of 2000 as a census - designated place ( CDP ) , at which time its population was 8,487 . 0 +He later served as director of the Illinois Department of Revenue and as General Manager of the WGRT ( also WJPC ) radio station in Chicago . Jones later served as director of the Illinois Department of Revenue and as general manager of radio station WGRT ( also WJPC ) in Chicago . 1 +At the age of 66 , Terada Hironobu triggered Takesaki as Chief Justice on April 1 , 2014 , when Takesaki reached his retirement date . At age 66 , Terada replaced Hironobu Takesaki as Chief Justice on April 1 , 2014 , when Takesaki reached the date of his retirement . 0 +Yauli District is one of nineteen districts of the province Huancavelica in Peru . Yauli is one of nineteen districts in the Province of Huancavelica in Peru . 1 +The boat has an average PHRF racing handicap of 183 with a depth of 198 and a high of 180 . The boat has an average handicap of 183 with a high of 198 and a low of 180 . 0 +"Bomb the Bass -- "" Lost Your Soul """ Bomb the Bass -- Your Soul Lost ? 1 +The song was written by Powderfinger – lead singer Bernard Fanning and influenced by bassist John Collins . The song was written by Powderfinger lead singer John Collins , and influenced by bassist Bernard Fanning . 0 +During the fight , Steedman was wounded when his horse was shot under him and killed . During the fight , Steedman was shot and killed when his horse was wounded under him . 0 +On December 10 , she steamed out of Hampton Roads to return south to the Caribbean -- Gulf of Mexico . On 10 December , she steamed out of Hampton Roads to return south to the Caribbean Sea -- Gulf of Mexico area . 1 +The main - songwriting - unit for the band formed Jon Jon Jovi and lead singer Sambora . Sambora and lead singer Jon Bon Jovi formed the main songwriting unit for the band . 0 +Then overcomes the story to tell how Sheelabathi continues all problems . Then the story continues telling how Sheelabathi overcomes to all problems . 0 +The Penchala River is a river in Petaling Jaya . It runs from Kampung Sungai Penchala to Klang River near Selangor , Malaysia . The Penchala River is a river in Petaling Jaya that runs from Kampung Sungai Penchala to Klang - River near Selangor , Malaysia . 1 +Towradgi is located on Pioneer Rd , North Dalton Park , in the northern suburbs of Wollongong , New South Wales , Australia . North Dalton Park is situated on the Pioneer Rd , Towradgi , in the northern suburbs of Wollongong , New South Wales , Australia . 0 +He was born in Titograd ( today Podgorica ) in a family of musicians and grew up there . He was born in Podgorica ( now Titograd ) and grew up in a family of musicians . 0 +They translated French Renaissance - texts and produced poems using key forms , including sonnets and short sonnets , for narrative , nature description , satire and meditation on love . They translated French Renaissance texts and produced poems using key forms , including sonnets and short sonnets , for narrative , nature description , satire and meditations on love . 1 +On January 16 , 2009 , Hollins was traded to the Dallas Mavericks along with DeSagana Diop , in exchange for Matt Carroll . On January 16 , 2009 , Hollins was traded with DeSagana Diop in exchange for Matt Carroll to Dallas Mavericks . 1 +He died in Clarkstown ( now New City ) , New York , August 16 , 1850 . He died on 16 August 1850 in New City ( now Clarkstown ) , New York City . 0 +Mahunwal is a small village in Nakodar . Nakodar is a tehsil in the city of Jalandhar in the Indian state of Punjab . Nakodar is a small village in Nakodar in the city of Jalandhar in the Indian state of Punjab . 0 +After having tried his luck on the gold fields of Toowoomba unsuccessfully , he moved to Gympie in 1868 . Having tried his luck unsuccessfully on the Gympie gold fields he moved to Toowoomba in 1868 . 0 +He died in Westminster in 1821 . He had married Elizabeth , daughter of Charles John , 1st Viscount Sackville . They had a son , George Germain . He died in Westminster in 1821 , had married Elizabeth , daughter of George Germain , 1st Viscount Sackville , and they had a son , Charles John . 0 +The hurricane directly killed one person and indirectly killed two in the state . The hurricane killed one person directly , and indirectly two in the state . 1 +On July 27 , 2011 , Restovich was traded by Arizona Diamondbacks to the Chicago White Sox . Restovich was traded to the Chicago White Sox from the Arizona Diamondbacks on July 27 , 2011 . 1 +In 1964 , the company was acquired by S. Pearson and Son and became part of the Allied English Potteries Group , later to be joined by Royal Doulton . In 1964 the company became S. Pearson and Son and was part of the Allied English Potteries Group , later acquired by Royal Doulton . 0 +Bayswater is connected by Garratt Road Bridge and the Swan River ( Tonkin Highway ) to the south of the Redcliffe Bridge . Bayswater is linked to south of the Redcliffe Bridge by the Garratt Road Bridge and the Swan River ( Tonkin Highway ) . 1 +The exception is Porto da Barra Beach , the only High City beach located in the All Saints Bay . The exception is All Saints Bay , the only high city beach in the Porto da Barra Beach . 0 +Infer also has a domain specific language for abstract syntax tree linting , based on ideas from Model Checking for Computation Tree Logic Infer has also a domain - abstract - language for specific syntax tree - linting , based on ideas from Model Checking for Computation Tree Logic . 0 +The journalist played by Elio Germano ( Luke Gualtieri , the fictional journal of Bologna ) is Lorenzo Guadagnucci , journalist from Il Resto del Carlino . The journalist of Elio Germano ( Lorenzo Guadagnucci , the fictional journal of Bologna ) is Luke Gualtieri , journalist from Il Resto del Carlino . 0 +Born in Badajoz , Hidalgo played for Seville and Celta de Vigo . Hidalgo was born in Seville , who played for Badajoz and Celta de Vigo . 0 +Saunders defeated Dan Barrera at by unanimous decision . By unanimous decision Dan Barrera defeated Saunders . 0 +This apartment is usually used as a meeting place , with the monks chiefly , taking their meals in their separate cells . This apartment is mainly used as a meeting place , with monks usually taking their meals in their separate cells . 0 +Trolley service was proposed from Baltimore to Ellicott City in 1892 , approved on April 20 , 1895 , and implemented in 1899 . The Trolley Service was proposed in 1892 from Baltimore to Ellicott City , approved on April 20 , 1895 and introduced in 1899 . 1 +"The spacecraft is the second application of the "" Flexbus "" platform from Astrium , the first was GRACE ." "The spacecraft is the first application of Astrium "" Flexbus "" platform , GRACE was the second ." 0 +Birender Singh married PremLata Singh on 9 June 1970 . Birender Singh married the PremLata Singh on June 9 , 1970 . 1 +The same year , he was appointed Vicar General for the Quebec region of the Diocese of Mississippi and Illinois . In the same year , he was appointed General Vicar for the region of Quebec of the Diocese of Mississippi and Illinois . 1 +The 1966 National Football League season was the 17th season of the team with the Cleveland Browns . The 1966 National Football League season was the team 's 17th season with the Cleveland Browns . 1 +The Genesee College was founded in 1831 by the Methodist Episcopal Church as a seminary in Genesee . Wesleyan Seminary was founded in 1831 by Methodist Episcopal Church as Genesee College . 0 +2017 ) was a former American football defensive end in the National Football League for the Washington Redskins and in the American Football League for the Los Angeles Chargers . In the American Football League for the Washington Redskins and the National Football League for the Los Angeles Chargers , a former American football defensive was finished . 0 +Its holding company , Guinness World Records Ltd , was owned by Guinness plc until 2001 , later Diageo . Its holding company , Guinness World Records Ltd , was owned by Diageo , subsequently Guinness plc , until 2001 . 0 +When sleep is called , the caller is blocked until another process wakes it up by using the wakeup routine . When sleep is called , the caller is blocked until another process wakes it up using the alarm routine . 1 +The Romance language currently used in Galicia , Galician ( Galego ) is closely related to the Portuguese language spoken mainly in Brazil and Portugal . The Romanesque language , Galician ( Galego ) , which is currently used in Galicia , is closely related to the Portuguese language , mainly spoken in Brazil and Portugal . 1 +He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in the district of Aurangabad and then in Shrirampur Taluka in the district of Ahmednagar . He began his political career as a member of the Legislative Assembly ( MLA ) in Vaijapur Taluka in Shrirampur Taluka and then in the Aurangabad District in Ahmednagar District . 0 +Machar , a witness to the Confederation , was concerned about the English -- French tensions in the young country . Machar , a witness to the Confederation , was concerned about the English - young tensions in the French country . 0 +The band is currently led by Pipe Major David Hilder and Drum Sergeant Gary Corkin , along with support from Pipe Sergeant Shaunna Hilder and Pipe Corporal Gary Nimmo . The band is currently led by Pipe Major David Hilder and Drum Sergeant Gary Corkin with the support of Pipe Sergeant Shaunna Hilder and Pipe Corporal Gary Nimmo . 1 +At the time , Infogrames was taken over by Philips Media , who became the publisher of the game . At this time Infogrames was taken over by Philips Media , who became the publisher of the game . 1 +It was the last edition in which the cyclists participated in national teams ; from 1969 on , commercial teams were used . It was the last edition in which cyclists participated in commercial teams from 1969 onwards and were used on national teams . 0 +The season 1988 -- 89 NBA was the 43rd season of the National Basketball Association . The 1988 -- 89 NBA season was the 43rd season of the National Basketball Association . 1 +Dudi Sela won the title after defeating Thomas Fabbiano in the final with 4 : 6 , 6 : 4 , 6 : 3 . Thomas Fabbiano won the title after defeating Dudi Sela 4 -- 6 , 6 -- 4 , 6 -- 3 in the final . 0 +A few weeks later , HumansVsZombies.org defended his stance in an interview with Fixell . A few weeks later , HumansVsZombies.org defended his position in an interview with Fixell . 1 +Notre Dame received half the $ 7.6 million that NBC paid each year for the rights of the deal , and the opponent received the other half . Notre Dame received half of the 7.6 million dollars that NBC paid each year for the rights of the deal , and the opponent received the other half . 1 +The following schools are located in Papakura ( schools in Rosehill , Takanini and Opaheke are exempt ) : The following schools are located in Takanini ( the schools in Rosehill , Papakura , Opaheke are excluded ) : 0 +Parra was born on 17 November 1845 in Tacubaya ( nowadays Morelia , Michoacán ) and died on 9 February 1919 in Valladolid . was born on 17 November 1845 in Tacubaya ( today Morelia , Michoacán ) and died in Valladolid on 9 February 1919 . 0 +Kristoffer together with Karen had eight children . Kristoffer had eight known children together with Karen : 1 +The station was opened on 1 July 1903 on the line of the Donegal Railway Company from Glenties to Stranorlar . The station opened on 1 July 1903 on the Donegal Railway Company line from Stranorlar to Glenties . 0 +This makes Pyhä-Luosto Finland 's newest but at the same time oldest national park . This makes Pyhä-Luosto Finland 's oldest and newest national park at the same time . 0 +Hard Candy is the fourth studio album of Counting Crows published on 7 June 2002 and the following day in the United States in the United Kingdom . Hard Candy is the fourth studio album by Counting Crows , released in the United Kingdom on June 7 , 2002 and the following day in the United States . 1 +Barbara Rittner defeated Marzia Grossi with 3 -- 6 , 7 -- 5 , 6 -- 1 . Barbara Rittner defeated Marzia Grossi 3 -- 6 , 7 -- 5 , 6 -- 1 . 1 +Irfon defines the northern border of the Builth Wells area between Llanwrtyd Wells and Mynydd Epynt . The Irfon defines the northern limit of the Builth Wells area between Llanwrtyd Wells and Mynydd Epynt . 1 +He was born and grew up in Titograd ( now Podgorica ) in a family of musicians . He was born in Podgorica ( now Titograd ) and grew up in a family of musicians . 0 +The 19th and 20th Tibetan Freedom Concerts were held in Tokyo and Taipei , the first appearance of the Beastie Boys in Taiwan . The 19th and 20th Tibetan Freedom Concerts were held in Tokyo and Taipei , Beastie Boys ' first Taiwan appearance . 1 +The Romanesque language , Galician ( Galego ) , which is currently used in Galicia , is closely related to the Portuguese language , mainly spoken in Brazil and Portugal . The Romance language currently spoken in Galicia , Galician ( Galego ) is closely related to the Portuguese language used mainly in Brazil and Portugal . 1 +CBS Sports called the first US Open Tennis Championships in 1968 . Bud Collins broadcast the action alongside Jack Kramer . CBS Sports broadcast the first US Open Tennis Championships in 1968 , and Bud Collins called the action next to Jack Kramer . 0 +"In his song "" Mañana "" sings Anita Bryant "" I hope Jimmy Buffett does never make one of my songs "" ." "In his song "" Mañana "" sings Jimmy Buffett "" I hope Anita Bryant does never make one of my songs "" ." 0 +Pre-modern ( 18th-century ) elements are often the Korean pronunciation of their Japanese equivalents , e.g . Pre-modern ( 18th-century ) elements are often the Japanese pronunciation of their Korean equivalents , e.g . 0 +The paper reports on the economy , politics , developments in corporate and labour law , commercial news and features . The work reports on business , politics , developments in commercial and labour law , corporate news and features . 0 +Politically , Jalajala is divided into eleven barangays ( three rural , eight urban ) . Jalajala is politically subdivided into eleven barangays ( three urban , eight rural ) . 0 +Note that k is a vector consisting of three inverse numbers with dimensions of real length , while p is a vector of operators ; to be explicit , It is necessary to note that k is a vector consisting of three inverse numbers with dimensions of real length , while pis a vector of operators ; 1 +Liparulo was born in West Point , Utah , and attended the Weber State University in New York . Born in West Point , New York , Liparulo attended Weber State University in Utah . 0 +It was directed by Home Media and writer , Screenplay and produced by V.Thiruselvam . It was produced by Home Media and author , screenplay and by V.Thiruselvam directed . 0 +Tim Henman won in the final 6 -- 2 , 7 -- 6 , against Yevgeny Kafelnikov . Tim Tim Henman won 6 -- 2 , 7 -- 6 against Yevgeny Kafelnikov in the finals . 1 +Andrew W. Mellon is a literary scholar , critic and novelist who is currently Frederick A. de Armas Distinguished Service Professor in Humanities at the University of Chicago . Frederick A. de Armas is a literary scholar , critic , and novelist who is currently Andrew W. Mellon Distinguished Service Professor of Humanities at the University of Chicago . 0 +He was considered an active member of the council and often was sent to Canada on official Albany business . He was considered an active member of the Council and was often sent to Canada on an official Albany store . 1 +""" Our school is of spiritual and spiritual , love of rehit ( temporal path ) is our first commitment "" ." """ Our School is of the Temporal and the Spiritual , Love of The Rehit ( Spiritual Path ) is our First Commitment . """ 0 +She was in Cork on June 24 and arrived on 8 July in the downs . She was at Cork on 24 June , and arrived in the Downs on 8 July . 1 +Cornelia Stuyvesant Vanderbilt ( George and Edith Vanderbilt 's only child ) married British aristocrat , John F. A. Cecil , a descendant of William Cecil in 1924 . John John F. A. Cecil ( the only child of George and Cornelia Stuyvesant Vanderbilt ) married the British aristocrat William Cecil , a descendant of Edith Vanderbilt in 1924 . 0 +The third season was premiered on 7 June 2010 and as the fourth season was the system of competition in mixed couples . The fourth season was premiered on June 7 , 2010 . Like the third season the system of the competition was in mixed couples . 0 +It is also from a location on the mainland Los Angeles County coast at the Portuguese Bend Nature Preserve , known as Palos Verdes Peninsula of California . It is also known from one location on the mainland California coast at the Portuguese Bend Nature Preserve , on the Palos Verdes Peninsula of Los Angeles County . 0 diff --git a/examples/datasets/xnli/en.tsv b/examples/datasets/xnli/en.tsv new file mode 100644 index 0000000..a6fac1c --- /dev/null +++ b/examples/datasets/xnli/en.tsv @@ -0,0 +1,100000 @@ +I enjoyed Cullen Murphy 's brief chronicle of humankind 's never-ending search for a way to communicate the fact that much of what we try to communicate isn 't really worth communicating . Cullen Murphy wrote a chronicle which I enjoyed . entailment +These three central agencies , referred to collectively as the principals , established the Federal Accounting Standards Advisory Board ( FASAB ) in 1990 . These three principals central agencies , established the FASAB in 1990 and had a lot of success . neutral +well in addition to to the river what we call it 's the Guadalupe River it 's uh has campsites all along the river uh but then there 's also Camp Warnicke where you can get cabins you know it 's right on the River There is only one place along the river where you can stay in cabins . neutral +They are sending some of the sky to you . They are sending a messenger on horseback to bring you a piece of the sky . neutral +We must make do with the public domain . We do not have to use the public domain as it stands . contradictory +The last of the Afonsin dynasty , King Fernando I ( 1367-1383 ) , formed an alliance with the English and appealed for support in his disputes with Spain . King Fernando I died at the age of 35 . neutral +It was intelligence you were requiring just now , I pointed out . They were lacking in intelligence . neutral +The Spanish resisted and , aided by British troops commanded by the Duke of Wellington , drove the French out . The Spanish were able to drive the French out thanks to the help of British troops . entailment +Have you checked the interest rate your bank pays on your IOLTA account ? Banks pay 2 % interest on IOLTA accounts . neutral +They 're five times better than Fishers , and this one 's ten times better ! " Tommy groaned . Tommy would later regret his words . neutral +oh yeah that 's it oh yeah there 's that 's a weakness there that 's just you know you you always want to get your kids everything and uh you don 't care how much it costs or what it takes Your kids expect to receive a lot from you . neutral +This is a political as well as military project . This is not just a political project . entailment +The ideal screen that is accurate , practical , and motivational has not been developed . Currently the screens are far from practical and accurate neutral +Newsweek ' s history Henry Kissinger reminds readers that World War I started not because of ethnic cleansing but because of outsider intervention . Kissinger believes that WWI started as a cleanse . contradictory +George W. Bush won the Iowa straw poll . George W. Bush won the straw poll by a landslide . neutral +We don 't trust Madison Avenue to tell us the truth about fabric softener , so why are we letting it brainwash our children about drugs ? We do not trust Madison Avenue about minor issues . entailment +These days , island fishmongers are just as likely to sell frozen fish from afar as the freshly caught local article . The fishmongers don 't have to tell where the fish is from . neutral +Beautiful pool area with waterfalls . The waterfalls make the pool area look even uglier . contradictory +As I 'm sure y 'all know , the Bush campaign purposely combatted the possibility of competing with mock spoof sites like gwbush.com by BUYING domain names ( over 60 sites , from what I got from the Newsweek article ) . The Bush campaign bought over 60 sites in order to keep people from spoofing them . entailment +Three thousand years ago , the young David hid from the rage of King Saul in the canyon of Ein Gedi , and until its demise in early Islamic times , the isolated Jewish town of Ein Gedi was famous throughout the ancient world for the balm , incense , and perfumes produced from its rare plants . Ein Gedi was not famous for rare plants . contradictory +i you know i don 't know i think there 's a point some of these plea bargains and all this kind of stuff that they do it 's just it just gets out of hand and i understand that you know that you know my husband and i I think the plea bargains for murderers are out of hand . neutral +gets warmed up yeah it comes out of the Canyon Lake up there and it 's uh It is cooled down to freezing temperature when it exits Canyon Lake . contradictory +His eyes avoided the other , and he seemed uncomfortable . He could not look the other in the eyes . neutral +I want you to spark their minds . I want you to do something that makes them use their imaginations . entailment +Even if you used Add / Remove on Internet Explorer , Wininet.dll , Urlmon.dll , and Mshtml.dll are still there . Internet Explorer has a reputation of being inferior to all of its competitors . neutral +If you stay here they will rape you , kill you slowly , and eat you on this table . If you stay you you will get raped killed , and eaten . entailment +Some phone companies are offering test trials of a new technology , ADSL , or asymmetric digital subscription line . There is a new telephone-related technology called asymmetric digital subscription line . entailment +It impressed Jon greatly . Jon was not impressed . contradictory +In fact , so dedicated are Osakans to the cult of eating that they are known for kuidare ( eating until you drop or until you go bankrupt , depending on the interpretation ) . Kuidare means that you eat until you are either full or out of money . entailment +Hampered at every turn by my colleagues , fettered by the democratic system of which I should be the mere figurehead ! I was hampered at every turn by my colleagues , though in hindsight my work at the time wasn 't what any of us would call ethical , anyway . neutral +you know kind of I sort of agree . neutral +got a chance to to go outside and Had an opportunity to go outside . entailment +Near the pleasant seaside village of Sainte-Anne farther east is what is generally considered to be Guadeloupe 's best beach . The best beach is near the village of Sainte Anne . entailment +This act , called puja , may consist of placing a small dish of oil , grains of rice , or flower petals at an altar in the home , at a temple , or a tree , stone , or other place sacred to the spirits . Puja is a form of sacrifice to the gods . entailment +That 's either a delusion of grandeur or an elevation of your own desire for satisfaction above the recipients ' need for food . It was neither a delusion of grandeur nor an elevation of desire . contradictory +For example , if we were asked to study what caused the Three Mile Island disaster and scoped the job to describe whether required safeguards were complied with , this would not be a case study . This would not be a case study if we were asked to study what caused the Three Mile Island disaster and scoped the job to describe whether required safegaurds were complied with . entailment +Kingston replaced Port Royal as the commercial center of the island . Port Royal replaced Kingston as the commercial center of the island . contradictory +I should suggest that we call upon him there as soon as possible . I think it would be a waste of time to go see him . contradictory +There 's something unbearably sad about a 60-year-old man who still takes drugs . It 's sad seeing a 60-year-old man who still takes drugs , but it 's even more sad when it 's the young that do it . neutral +With its centuries-old seafaring tradition , the Aegean has long been a lure to sports sailors . Sports sailors have a special affinity for the Aegean . entailment +uh-huh uh-huh it is my children really enjoys it they really do but by the time we really get a chance to it 's July you know and it 's so hot My kid likes to do it but by the time July comes around it 's too hot . entailment +Yet Hawaii was still an island paradise in the eyes of travelers , if not in those of its original people . The original Hawaiian people do not like their island . contradictory +He was dead before he fell to the ground . He died and fell off the horse . neutral +yeah yeah so i felt real good about that but uh boy i tell you with summer coming up i 'm just pulling my hair out in terms of what i 'm going to do i i guess i went back to work about a year and a half ago I 've already planned my summer . contradictory +Whole blocks of the city seem to disappear overnight , replaced in the blink of an eye by new office buildings , condominiums , cultural complexes , and shopping centers . There is never any guarantee that your neighbourhood will survive for long here . neutral +Just as we enjoy a higher living standard today than our grandparents did , future generations of Americans will reasonably expect to enjoy rising standards of living . Future generations of America will likely have better standards of living than we do today . entailment +Converted from one of the city 's fine Edwardian homes , the Four Seasons is less than five minutes ' walk from New Kingston , behind secure walls in grounds embellished with a wide selection of tropical fruit trees . The city 's former mayor lived at the property before its conversion into a hotel . neutral +And there was an indication of movement in the green of the forests and the blue of the oceans , as if trees were whipping in the wind and waves lapping the shores . Movement could be seen in the forests and the oceans . entailment +At the scene of your nocturnal adventures , the Bournemouth nursing home . They were not allowed out of their rooms at night in the nursing home . contradictory +Similar independent expenditures benefited Republican candidates . The expidenture only benefitted Republicans entailment +That served well . It was not served well at all . contradictory +If the current in such a form moves first in one direction and then in the other , then it cancels out and is useless . These currents are extremely powerful , and should not be tampered with . neutral +Do you want them to start asking questions and find out about our animals ? " If they start asking questions they might ask about the animals . entailment +Program managers are empowered to make informed decisions before big investments in manufacturing capability are required . Program managers can make informed decisions . entailment +well you have a nice day okay bye-bye Alright , have a nice day , goodbye ! entailment +It 's as if Mann made him up . Mann might have made up an imaginary person . entailment +Buried here are the economist Adam Smith , the poet Robert Ferguson , and Mrs. Agnes McLehose ( the Clarinda of Burns 's love poems ) . Notable people have been buried in this location . entailment +( The United States , Olson notes , has far laxer discovery rules than any other developed nation . ) The US has tight rules for discovery . contradictory +Instead , they maneuver and feint , applying the strength of their will ( ki ) rather than physical strength to overcome the other . They don 't try to overcome the other through brute physical strength . entailment +There 's a private championship golf course , tennis court complex , and five swimming pools facing the ocean . The golf course is not available for those staying at the resort . contradictory +Give yourself plenty of time for a spectacular walk out on the roof . The roof may be reached via a staircase inside the building . neutral +well she might have been the cause of it She wasn 't the cause of it , I was the cause . contradictory +that will permanently damage uh the character of the child i believe crimes against children should be punished but by by death i believe The character of the child will be permanently damaged . entailment +Stone doesn 't have a political ax to grind this time out , and he lets the actors make whoopie . Stone lets actors make whoopie this time . entailment +Batu Caves Caves of Batu . entailment +A list of abbreviations follows the resource list . A resource list comes just before the abbreviations list . entailment +for for three years For over 3 years . neutral +Therefore , the profit position of the postal service increases to the tune of about $ 650 million and the technical gain to the Nation goes up to the same $ 650 million . Both the postal service 's profit and the nation 's technical gain increase by around $ 650M . entailment +The preambles to the proposed rules contained the required information regarding the reasons for the collections , the parties affected , and the estimated annual burden hours . All questions can be answered through the information contained within the proposed rules . neutral +i mean you know i can understand like on a Monday It is understandable on a Monday . entailment +The auditing standards issued by the United Kingdom 's Audit Practices Board require NAO to plan and perform its audits to provide for reasonable assurance that the financial statements are free from material misstatement , whether caused by error , or by fraud or other irregularity . The audit is not necessary for assurance . contradictory +yeah what 's that Can you explain that more ? neutral +Red whirled at him , strange and intense . Red whirled at him . entailment +And now , Miss Tuppence , said Sir James , " we want to hear your adventures . " Sir James asked Tuppence to discuss her adventures . entailment +It would be embarrassing if a lot of Slate readers failed this test , so I 'm going to make it easy by adopting a very broad definition of rationality . Slate readers will be taking a test , and I wouldn 't want them to fail . entailment +Fishermen and anglers seem to have the edge over most , but politicians and journalists are actually banned from taking part , since they are regarded as professionals . You can take a course to be as experienced as the fishermen . neutral +Oh , there you are ! Nye slammed in , swung one of the chairs about , and sat on it back to front , his arms folded across the back . When Nye arrived he wasn 't in the best mood . neutral +However , Greece was not yet a country ; each city-state was self-governing and autonomous . The city-states of Greece were largely dependent on the country of Greece for their governance . contradictory +What a net he has drawn around my poor John ! John stood no chance of escaping the net . neutral +i guess there 's there 's a fear that one day if the computers ever stopped working there 'd be a bunch of people staring at the typewriter with no idea what to do with it Computers will work forever . contradictory +Ultimately , this should improve cost , schedule , and quality outcomes of DOD major weapon system acquisitions . The goal is to improve cost , schedule , and quality outcomes of DOD major weapon system acquisitions . entailment +Team owners bought land and paid for stadium construction--some even built trolley lines to transport fans to the games . The land was bought by the team 's owners . entailment +In clinical terms , Pollock had a productive manic phase , and he was overtaken by black dog in the days before anti-depressants . In clinical terms , Pollock suffered from manic depressive disorder . neutral +Isn 't it ? That cannot be it . contradictory +There was a velvet portiere on the inside of this door which prevented him from seeing , but he was able to recognize the voices with a reasonable amount of accuracy . The voices were familiar to him because he worked for them before neutral +The Washington Post reports that the decree effectively ends the careers of two of the most prominent gay rights advocates within the Catholic Church . The Washington Post reported on only the abortion opinions of the Catholic Church , ignoring all other matters entirely . contradictory +For an account of Benidorm 's discovery by world tourism and a description of the town 's most interesting sights , see page 43 . Look at page 43 for information about Benidorm 's discovery by world tourism . entailment +The risings have been going on for some time . The risings have been happening for a long time now . entailment +Nowadays , lefty female academics dress as white trash as a statement of class protest . Female academics dress poorly because they are lazy . neutral +Of course , it 's possible that the pressure from China Telecom 's chief competitor may keep it on track . It is impossible that pressure from China Telecom 's chief competitor may keep them on track . contradictory +3 ) The appeals court 's decision has nasty ramifications for the entire government . The decision of the appeals court will have dire ramifications involving the entire government . entailment +I didn 't know what I was going to do when I got there . I wasn 't sure if I could hurt anyone . neutral +On Saturday mornings in Palma , the crowds flock to the Baratillo , or flea market ( even the signs on city buses call it by its English name ) . The crowds go to the Baratillo because there is great food and music . neutral +He never becomes absorbed into the art world and its black-clad poseurs , always remaining a glassy-eyed outsider . He hated all of the people in the art world . neutral +And damage control will prove a challenge . It 's hard to control the damage . entailment +If the model is successful in Oxnard , it may be used at other California Rural Legal Assistance operations . If the model turns out to be unsuccessful , it will be abandoned . neutral +Almost nine percent of Egyptians are Christian . Over 12 percent of Egyptians are Christian . contradictory +Simpson civil case . They had gone to court over a minor noise infraction . neutral +Everywhere , the border between the museum and its gift shop is growing more porous . The border of the museum and the gift shop is not completely solid . entailment +Definitions will be clarified for measures to be used in 2003 for quantifying the reach of web-based legal education and pro se assistance models . Definitions will be clarified for measures to be used in 2003 . entailment +Following receipt of comments , some of which challenged the burden estimates contained in the proposed rule but none of which contained alternatives to the SEC 's estimates , the SEC reviewed its estimates and retained the estimates set forth in the proposed rule . Following the receiving of comments , some of which challenged the burden estimates within the proposed rule the SEC completely changed its method of approach . contradictory +She was a pleasant-looking woman of about forty , with a deep voice , almost manly in its stentorian tones , and had a large sensible square body , with feet to match , these last encased in good thick boots . She had a very high-pitched voice , like a canary . contradictory +Flynt says he was parodying these stereotypes , but the film carefully avoids raising the issue . Flynt says he was parodying these stereotypes but he does not even know what a stereotype is . neutral +To date , LSC has never taken action against programs that have continued to represent alien clients after they have left the United States . The LSC has been diligent about taking action against programs that have represented alien clients even after the client has left the US . contradictory +'Still in the process of formulation . ' I 'm still formulating them . entailment +5 ) Our cafeteria contractor , Marriott , has agreed to allow ISM editorial folks to reserve tables upstairs in the Euro Cafe . Those who work at ISM are able to make reservations at the Euro Cafe . entailment +um-hum well i live in San Antonio and fifty percent of the population is minority About 10 percent of those minorities are Asian . neutral +The formula doesn 't exist . The formula to solve that problem has not yet been created . entailment +The lives of saints Lawrence and Stephen are depicted in delicately subdued pinks and blues . It would have been seen as disrespectful to use lots of bright colors . neutral +Consideration of local concerns is important in conjunction with trading provisions . Local concerns will be considered for EPA regulations . neutral +yeah well they had that whole life track thing that i participated in at Spring Creek ah yes , I joined that life track thing in Spring Creek once entailment +LSC assisted several states by participating in planning groups and providing training on technology at statewide trainings . Training was in high demand across the whole of the states . neutral +well that 's what Vietnam was was a civil war that 's what get you know it 's like a double double standard The Vietnam War lasted more than ten years . neutral +They are specific to each executive and should be derived from , and directly contribute to , the program priorities and They are specific to each executive , so they should be derived from the priorities . entailment +I still think you might have given me a hint . In retrospect , I 'm of the opinion that you may have given me a clue . entailment +and uh he was a native and had gone to school there and got transferred to Colorado where i was living I 've never lived or have gone to school in Colorado contradictory +In effect , he suggests the government purchase reproductive rights , at least for a limited time . The government should have no place in reproductive rights . contradictory +By capsulizing the inanities that pass for political commentary , you expose the vapidity of the opinions and put these opinions in their proper perspective . You show how deep the opinions are . contradictory +The quieter resort of Bordighera is particularly proud of the palm trees along the Lungomare Argentina promenade . The Lungomare Argentina promenade framed by palm trees . entailment +The actual impact on the demand for boilermakers could be lower for several reasons . The demand for ovens could be lower . contradictory +Few careers , outside of E.J. I don 't know about the amount of careers outside of E.J. neutral +The Consortium is working on issues throughout the region , including the legal problems of migrant sheepherders and health and environmental issues affecting rural clients . The Consortium doesn 't work on issues throughout the region . contradictory +The rich permanent collection includes tapestries , furniture , and porcelain , but look out for the fascinating temporary exhibitions that are held here , featuring great styles and eras of design history such as Jugendstil , Bauhaus , and the American 1950s . They have a great variety in their permanent collections , but don 't ever have temporary exhibits . contradictory +If you can 't get into the golf club scene , then why not try miniature golf in Sant Antoni , Santa Eul ? ria , or Portinatx on Ibiza , and at Club La Mola on quieter Formentera ? The golf club scene is exclusive and competitive . neutral +Come and chew a bun with me . You should chew a bun with me . entailment +For example , a button is provided at the end of each EPA press release that immediately permits the interested public to file a comment on the announcement . There is no way for the public to comment on the EPA press releases . contradictory +Staff recommendations went first to Vice President Randi Youells and then to President Erlenborn for final funding decisions . Staff recommendations were approved for funding . neutral +Appropriate safeguards can help to prevent abuse of federal employees and provide adequate monitoring mechanisms to gauge performance . Appropriate safeguards can help to prevent people falling over . neutral +Charles Rangel , D-N.Y. , called the Archer proposal a Christmas tree that 's supposed to appeal to every Republican . The Archer proposal isn 't going to appeal to any Republican . contradictory +Unemployment is at an all-time low . Unemployment is at an all time high . contradictory +We evoked you by the name of Dave Hanson . We used David Hanson to evoke you . entailment +We 'll have to hurry . " Carshalton Terrace proved to be an unimpeachable row of what Tuppence called " ladylike looking houses . " They rang the bell at No. 27 , and a neat maid answered the door . A neat maid answered they door when the rang the bell . entailment +LSC published a Program Review Guide to aid staff and consultants while conducting on site recipient reviews . LSC has never published a Program Review Guide . contradictory +so you like fresh water Do you like flavored fresh water ? neutral +Atmospheric transformation of gaseous sulfur dioxide and nitrogen oxides to particulate sulfates and nitrates , respectively , contributes significantly to ambient concentrations of fine particulate matter . It contributed more to ambient concentration of fine particulate matter than other transformations . neutral +because even the breakdown lane is used for a passing you know a travel lane in the morning Drivers are never allowed to drive in the breakdown lane . contradictory +I backed into the doorway , unnerved . I really wanted to run away and backed into the doorway . neutral +If you turn right along the towpath of the canal , you can chat to Patrick Kavanagh , sitting on a Actually , it 's a life-size bronze commemorating the Irish poet , who died in 1967 . Along the canal there is a life-size bronze commemorating a poet . entailment +It was also suggested that the PCAOB should evaluate the recent events that have affected the public 's confidence in auditors to consider what further actions may be needed beyond those mandated by the Sarbanes-Oxley Act of 2002 and recent regulatory changes and proposals . The Sarbanes-Oxley Act of 2002 and recent regulatory changes and proposals have done nothing to improve public opinion of auditors . neutral +yeah um you you lose four to six hundred dollars a trade in You always make a profit of up to five hundred dollars per trade in . contradictory +it was uh really living on a budget forced you to learn a few things that 's true I 've always had plenty of money to spend as I pleased . contradictory +Out-manned and outgunned , Jackson mobilized a force of somewhat irregular an unlikely coalition of militiamen , local Creoles , free blacks , Choctaws , and associates of the privateers Jean and Pierre Lafitte ( see page 74 ) . They were usually influenced to take a part in this war . neutral +For a more detailed description of GPRA 's requirements , see appendix I. 5 , for example , Transforming the Civil Building the Workforce of The Future , Results Of A There are detailed descriptions of the GPRA 's requirements somewhere in the appendix . entailment +In that bygone era , elaborate dinner shows were considered a loss leader , a way to keep customers happily dropping money at the tables or the slot machines . Dinner shows are used to encourage customers to keep spending money . entailment +While every year brings a new round of partisan battles in Washington over the tax code , the EITC program is one proposal that satisfies a broad cross-section of the political spectrum . The proposal of the EITC program satisfies a broad section of the political spectrum . entailment +To the left is the shrine to the God of Proserity and to the right is the hall of sinchoo ( soul-tablets ) : gold plaques honoring clan dignitaries and simpler wooden panels for more humble clan members . To the left it 's a wooden door , the God of Prosperity shrine is in another city . contradictory +The editors seem to know good writing when they see Novelist John Hawkes makes an unexpected appearance with a new introduction to The Passion Artist , and Poppy Z. Brite has a touching fantasy of John Lennon and Paul McCartney holding more than each other 's hands . Hawkes wrote the five page introduction to The Passion Artist . neutral +To be successful in recruiting , his organization has devised different offer packages to attract employees . The packages offered were not to attract potential employees . contradictory +The other $ 7 will go the Lawyers ' Assistance Program Inc . , which helps lawyers overcome drug or alcohol addiction and mental illness . The other seven million will go the the Lawyer 's Assistance Program Inc , which helps lawyers finance their drug addictions . contradictory +Never mind that congressional investigators and Ken Starr have decided that the gathering of FBI files on previous administration officials with names starting with letters A through G was not part of a grand plot to harass political opponents . Gathering files on previous administration officials with names starting with A through G was a massive conspiracy . contradictory +What happens then is an enchanting blend of old and new , as Finn is summoned to the manse of Nora Dinsmoor ( Anne Bancroft ) , a filthy-rich ex-socialite driven mad by her abandonment , decades earlier , by a wayward fiance . The character of Nora Dinsmoor is played by the actress Anne Bancroft . entailment +I didn 't know it was of any importance . " I was already told how important it was . contradictory +Havana 's next-best cabaret show , smaller and less expensive , is Cabaret Parisien , at the Hotel Nacional ( Calles 21 and O , Vedado ; Tel . 30-3564 ) , nightly at 10 : 30pm ; admission is US $ 35 . Cabaret Parisien is a cabaret show and many flock to watch it . neutral +People seemed to be watching me . People were staring at me as I ate . neutral +Other analyses agreed that Kasich was intimidated by Bush 's haul of money and endorsements , and wondered who might drop out next . No one was publishing analyses for the presidential race . contradictory +However , changes in personal saving may complement any increase in government saving resulting from benefit reductions . Nothing can increase government savings as there is no such thing as benefit reductions . contradictory +Drew Kirby Drew Rennie . Emperor Augustus Sheryl Crow . contradictory +A curious competition is held in Wasdale each November . Each November , Wasdale hosts a strange competition . entailment +and we didn 't uh you know have to allot any well hardly very very much money anyway for Christmas just for our uh personal family just me and her and our son and i think her mom and that was really you know about it we we made everything else that uh we gave for Christmas last year We had so much money over Christmas that we could not spend even half of it . contradictory +over weight or anything but you know how you always want to lose a few and You always want to lose some . entailment +but they have nice personalities and they 're very inquisitive um now the himmy we 'll probably breed her a couple of times and we 'll we 'll end up keeping one out of each litter and then breeding those They like to figure things out . entailment +Currently , the equivalent of approximately 100 GWe of coal , oil , and gas-fired capacity worldwide utilizes SCR technology . The equivalent of about 100 GWe utilizes SCR technology . entailment +You don 't know him ! " You know his sister . neutral +You don 't have to be conspiracy nut to worry about a huge organization with high-tech espionage capabilities and a criminal record looking around for something to do . Even skeptics can see the real dangers of high-tech espionage . entailment +Go straight to Sir James Peel Edgerton . Do not talk to anyone else save for Sir Edgerton . neutral +when uh i got married i was working a summer in college in construction and lost lot of what little weight i had I lost weight during the summer I worked in college in construction . entailment +you know that 's fine and the rest of the world i mean we are uh we if not we may not be the top i don 't know if we 're the top we 're one of the superpowers of the world We 're one of the top three superpowers in the world . neutral +Mr. Inglethorp 's reason for not returning last night was , I believe , that he had forgotten the latch-key . Mr. Inglethorp left his key at the restaurant and couldn 't return . neutral +If he 'll [ lie ] about McDonald 's , he 'll do it about Iraq , Limbaugh charged . Limbaugh believes that someone could lie about McDonald 's but tell the truth about everything else . contradictory +But Breines is avowedly anti-Israel , and he sees any expression of Jewish self-defense as a sign of nationalism gone awry . Breines is sometimes anti-Isreal and he sees any expression of Jewish self-defense as a sign of nationalism gone wrong . neutral +some appliances breaking or something In case an earthquake happens or something . contradictory +It 's surely true that it would be suicidal for a party to demand agreement on all issues from either its candidates or its voters . It isnt unheard of to request everyone to agree contradictory +um i can i 've actually i 've driven but i 've heard about the ferry as well haven 't taken it yet though have you taken it The person asks if the other person has taken the ferry . entailment +Very interesting . Very fascinating . entailment +He also noted that none of the three clinical trials ( Gentillelo 's with trauma patients , his own with adolescents , and Longabaugh 's in the ED ) used physicians or ED staff to conduct interventions . The three clinical trials were not useful . neutral +you know you never know what 's going to come up you know if you commit thirty minutes or an hour to watch some TV shows it 's a little different than You might be pleasantly surprised if you commit some time to watching TV . neutral +but we we i did that i let the kids have a pet because i wanted them to have practice in caring for someone else and you know not being so selfish The kids have a pet to learn nurturing skills . entailment +Visit the Pharaonic Village and let children see Ancient Egyptian daily life rather than just imagining it . Children can see Ancient Egyptian daily life at the Pharaonic Village . entailment +yeah and i think here lately they 've been saying quite often and maybe somebody 's coming to realize that we 're the nation in trouble People are noticing that we 're the nation in trouble . entailment +From Jerusalem Street , a flight of steep steps , known as Ma 'alot Olei Hagardom Street , leads downhill . From Jerusalem Street , you can climb up a flight of steep steps called Hagardom Sreet . contradictory +Several techniques have been developed recently forHandling handling multisite case study data sets . Multiple different methods have been created more recently . entailment +uh-huh sure makes uh makes a colorful salad too Yes , that also makes a colorful salad . entailment +natural or unaided salutary effect on drinking resulting from the medical emergency or injury and the ensuing visit to the emergency setting , 20 that effect appears to be short-lived for many patients . Most patients who arrive in the emergency room due to drinking and driving accidents will go home from the hospital already planning their next drink . contradictory +Therefore , injection of sorbent , and possibly water for humidification , will most often be performed downstream of the air preheater and upstream of the electrostatic precipitator , where the gas temperature is typically in the range of 280-300 eF . The gas temperature upstream of the electrostatic precipitator is in the range of 280-300 degrees F. entailment +Some graduates who take jobs with Colorado Legal Services , which handles housing and other civil disputes for the poor , pay up to $ 800 a month on student loans , said Jonathan Asher , executive director . Colorado Legal Services helps poor people with business disputes . contradictory +We will need desert horses and enough food and water to get us to Fena Dim . They needed a variety of snacks . neutral +Volunteer lawyers will offer basic advice , answer legal questions and provide appropriate referral information in both English and Spanish . Both English and Spanish language services are available . entailment +Good is done , to be sure , but in little dribs and drabs that aren 't enough to cover the cost . It 's done but only in small amounts that aren 't enough . entailment +right well that 's good i know what you mean about the school because that 's what i 'm trying to do also and we 're trying to build it enough so that i can go to school full time because right now i 'm going to school part time " I am trying to save something so I can start going to school full-time instead of part-time . " entailment +But I can assure you that that sort of thing might touch the heart of an elderly spinster , and she might adopt you , and then there would be no need for you to be a young adventurer at all . " You are a child . neutral +In this report , we simulated the effect of different saving rates on the nation 's standard of living using a standard model of economic growth originally developed by economists at the Federal Reserve Bank of New York . Only psychologists work for the Federal Reserve Bank of New York . contradictory +oh that 's right that 's right because That is incorrect , contradictory +Software metrics , which use mathematical models to measure elements of the development process , are intended to help organizations better understand and manage the relationships between resource decisions , development schedules , and the cost of software projects . Software metrics measures how big the case must be for the packaging . contradictory +Anyway , she resumed , as though arguing with an unseen opponent , " I don 't KNOW that he does . Anyway , she continued , " I am not aware if he does . " entailment +But history was always a living presence . History always continues . entailment +Separate evaluations also may be performed by the agency Inspector General or an external auditor . It could be done by an external entity . entailment +Masons dug a shaft 10 m ( 33 ft ) into the bedrock for Ramses III 's tomb ( 11 ) c.1151. Mason 's decided to quietly slip Ramses III 's body into the river . contradictory +They 've helped me so much , my life has truly turned around , she said . She said her AA meetings turned her life around . neutral +She created RAPS4 by combining the four highest-yield questions from those screens , which covered feeling guilty after drinking , blackouts , failing to do what is normally expected after drinking , and morning drinking . The four highest-yield questions from the screens were : feeling guilty after drinking , blackouts , failing to do what is normally expected after drinking , and morning drinking . entailment +Figure 4.3 : Composition of Federal Spending as a Share of GDP Under the Save the Social Security Surpluses Simulation Percent of GDP Composition of Federal Spending as a Share of GDP Is measured in figure 4.3 entailment +She might be in my sitting-room . He disappeared . She is not in my room and he is right here . contradictory +Validity ( as used here ) refers to whether the data actually represent what you think is being measured . The data is only valid if you think it is being measured correctly , not if it actually represents what you think is being measured . contradictory +It will help to identify innovative , best-practice models that point the way toward more efficient and effective methods of addressing the legal needs of low income people . That will help to identify new models that can help the legal needs of the people who have a low income . entailment +How dare Isikoff write a book , says Toobin in his book ! Toobin was unhappy that Isikoff wrote a book . entailment +yeah yeah my kids were involved in sports Each of my children played a different sport . neutral +Among the elegant , spotless timbered houses of the 16th-century Place du March ? ? , note the fine Halle aux Bl ? ? s ( Corn Market ) and Hotel de Ville , as well as the handsome Renaissance Puits aux Six Seaux ( Six Pails Well ) situated between the town hall and the parish church . The Six Pails Well is between the church and the town hall . entailment +You hang up to avoid a Belgacom charge , and the computer calls you back , providing you with a stateside dial tone so you can dial as if you were in the United States . Hanging up helps the user avoid a charge . entailment +i i probably would not mind letting the judge do the sentencing as long as the jury of of peers were determining guilt or innocence for one thing we didn 't know that the others involved in the trial had uh or i or i mean had i mean involved in the crime had already come up for trial we couldn 't know what had come of their uh sentencing I don 't think the judge should even be dealing with this case . contradictory +You could argue that Joe Avid is so hooked on Slate that we can afford to put him over a barrel at the micropayment rate , even though it means that he will pay a lot more . Joe Avid is entirely focused on Slate . entailment +10 These long-term responsibilities are professional and nonpartisan in nature . The long-term responsibilities are not partisan in how they decide district lines . neutral +Eligibility for legal assistance for this category of aliens is not dependent upon the alien being present in the United States . Eligibility for legal assistance depends on the alien being present in the U.S. contradictory +yeah it 's a suspense well i guess it 's ranked number one now it 's supposed to be pretty good suspenseful yeah but are you good at do you like suspenseful movies like that yeah because see i i 'm not really one that likes real suspense i like the nice lighthearted comedies most of the time I enjoy suspense from time to time . contradictory +It was a take--off on a joint USPS-PRC task force recommendation in the early ' 90s for a four-year rate cycle with a mid-cycle adjustment . The USPS-PRC task force had recommended a four-year rate cycle with a mid-cycle adjustment . entailment +What success can you point to that any of your strategy has worked ? The success must be of a highly significant nature . neutral +From home , I call my office three or four times a day . I need to call my office phone three or four times a year when I 'm home . contradictory +It was begun in the momentous year of 1066 , and William the Con ? ­ quer ? ­ or made its first abbot his archbishop of Ceterbury . It began in 1066 . entailment +NAO reviews DWP 's sampling methodology and sample results , reviews some of the cases DWP examined , and selects its own sample to verify the accuracy of the reviews . NAO selects it 's own sample to verify the accuracy of the reviews . entailment +King Tribhuvan returned , a first constitution for the monarchy was installed , and some foreigners were allowed into Nepal . The return of the king spurred the installation of a constitution for the monarchy . entailment +He went on . He stopped . contradictory +This area is lined with handsome , 19th-century colonial government buildings , their brilliant white evocative of the era one hundred years ago . The buildings in the area are all ugly shacks . contradictory +yeah yeah they have i don 't either well um you know they what you don 't hear about is how many they turn away You sometimes hear rumours about how many people they turn away . neutral +but we don 't do our work here out of enjoyment so much just right now we 're just this is we just moved in in September so we 're just still at the point where we 're talking about the We moved in here last December . contradictory +Produced by NYD2 , a communications firm based in Somerset , the documentary features case histories of clients whose needs ranged from housing to fighting off deportation . They documentary did not focus on the plight of the poor . contradictory +The person , who escapes the greatest number of times without allowing the vehicle to overheat , wins . The game was being played by two players . neutral +Can give you four to one now . Can you give zero to five now ? contradictory +I can 't promise you blue-grass training , suh . I am not fully trained in blue-grass myself . neutral +However , fear of the rampaging English army led the Scots again to seek help from their old allies in France , and the young queen married the Dauphin Francois , son of the French king . The Scots married their young queen to Dauphin Francois , in order to improve relations . entailment +He thought things over in his usual slow and steady way , deciding that the mention of " Mr. Brown " was not a request for an individual , but in all probability a password used by the gang . He thought things over slowly , humming as he went to aid concentration . neutral +The inflows that it demands include taxes , duties , fines , and penalties . Penalties can be assessed for failing to file required paperwork on time . neutral +Alternatively , if you prefer to find an even quieter stretch of beach , the waters around Ibiza are dotted with a host of minor islets , most uninhabited but all eminently explorable . You won 't be able to find any minor islets near Ibiza . contradictory +They include activities designed to address risks that lead to fraud and error . The activities are used to identify rewards for fraud . contradictory +On every talk show , Dole vowed to demonstrate that the candidate with the most experience is more qualified than the candidates with the most money . Dole had never been on a talk show . contradictory +In the end it was just White and me , alone in the candle-lit room . White and I sat with a large group of people . contradictory +The placement of these two pieces is a PR triumph , but one carrying the seeds of its own If people know all this work is going into making Paula Jones seem a certain someone , doesn 't that just make it obvious that she 's really somebody else ? Paula Jones seems to be somebody else with bad intentions . neutral +Tuppence did not even glance at him as she passed meekly out . Tuppence was too absorbed in her to look at him . neutral +Also note that Japanese VCRs and TVs are designed for NTSC , the same broadcast system used in North America . The Japanese VCRs and TVs are cheaper than those found elsewhere . neutral +Sincerely , --Anxious in Austin Anxious in Austin has a problem that readers don 't think can be solved . neutral +Note that before 1989 , , is less than one in absolute value , so that aggregate household revenues increase with price increases . Household revenues increase when prices increase . entailment +Both men landed hard . The men landed softly . contradictory +Ibiza 's many nightclubs attract rich and famous media celebrities , as well as virtually every other visitor to the area . Ibiza has a lot of nightclubs and they are very popular . entailment +The money goes toward language resources , transportation and legal research . There is no investment for transportation . contradictory +Look here , Slim , you mean that 's a ship from another world . That ship is from another world . entailment +El-Jezzar ( the butcher ) was a brutal Albanian pirate who became pasha ( the Ottoman regional governor ) during the late 18th century and was responsible for building much of the surviving Old City Most of the surviving Old City was built by El-Jezzar . entailment +He could no longer make out individual riders , just the rising dust . All he could see was the rising dust . entailment +The courtyard grounds are lush with gardens and immense koi pools . The courtyard grounds have very few plants . contradictory +i think it all depends on mental set more than sex I think sex should be considered first . contradictory +uh-huh uh-huh oh that 's great long as it 's not raining The weather lately has been so stormy . neutral +John looked puzzled , not quite understanding the portent of this cryptic saying . John didn 't understand the saying because it was weird . neutral +There are four critical inputs to this ( 1 ) the distribution of outbound mail by weight interval , ( 2 ) the distribution of inbound mail by weight interval , ( 3 ) U.S. Mail 's distribution by weight interval is not a critical input and is normally ignored . contradictory +The top of the tower is off limits , due to dangers inherent in the narrow staircase that leads to the look-out point , so the best bet for a panoramic view of the city is the top floor of one of the taller , more recent hotels . The best view of the city can be easily achieved by climbing to the top of the tower . contradictory +[ As the relationship between Clinton and Monica continues , some members of the White House staff become worried about the prudence of continuing the relationship with so much potential for scandal . The White House staff is upset because the relationship between Clinton and Monica is getting stronger . neutral +Royal Chitwan National Park is 932 sq km ( 358 sq miles ) of magnificent first-growth trees the tall hardwood sal , the kapok silk-cotton tree , and the flame-of- the-forest with their spectacular crimson February flowers , plus ferns , bamboo , and huge vines that choke trees to death like pythons . Gigantic vines are among the many flora found in the Royal Chitwan National Park . entailment +However , strong international pressure forced Israel to withdraw with Egypt reclaiming the Sinai and a UN force installed in the Gaza Strip . UN forces were deployed to the Gaza Strip to maintain peace . entailment +He will happily decorate any TV or radio story with a veneer of American history . He will decorate TV stories with German history . contradictory +I took a seat . I sat down . entailment +On nights with a full moon , the grounds stay open till midnight . The grounds stay open until midnight when there is a full moon . entailment +He then began his academic career at the University of Michigan , where he earned the title of full Professor in 1986 . He was a professor at NYU . contradictory +It was for his dedication to the law and the people that are affected by it that he was recently recognized . He was recognized for his great dedication posthumously . neutral +Chief latte-puller Walter will be moving to a new and more appropriate position as maitre d ' , stationed at the Building A entrance . Chief latte-puller Walter will be the new sous chef . contradictory +Quick follow them . Do not follow them at all . contradictory +France resumed its industrial progress , quickly paid off its enormous war-reparations debt to Germany , and expanded its overseas empire in North and West Africa and Indochina . The French empire became the fastest-growing empire at the time . neutral +For special items , go inland to the place of manufacture , keeping in mind the prices asked on the coast and at Guadalest for ponchos and shawls ; Gata for cane , basket work , and guitars ; Crevillente for woven rugs and carpets ; Jijona for turren ; Ibi for toys . Non-special items are always manufactured near the sea . neutral +It would be something to see Julius . I have no desire to see Julias at all . contradictory +They were out of time . There was no more time for them to change lanes . neutral +iv Program Letter 1998-6 , published on July 6 , 1998 , responded to recipient requests for guidance and additional information on what was expected in their state planning reports . The program letter contained information on what was expected from the states . entailment +After identifying the findings of particular interest , case studies would be conducted in sites selected to maximize the ability to get the specific understanding required . Findings of interest are not identified before case studies are done . contradictory +i think they 're they 're only around uh twenty nine K They are around fifty thousand I think . contradictory +During this time , gross domestic product has increased almost 160 % . They were not expecting the percentage to go over 100 . neutral +Most casinos offer a variety of video game slot machines . There is more than one kind of slot machine to play at most casinos . entailment +San 'doro rolled and dashed out of sight before the horse rode him down . San 'doro jumped quickly , and managed to grab the saddle of the mad horse as it ran past . contradictory +And on election night , television networks saw their ratings drop while Internet users flooded election-oriented sites in record numbers . People like to use the Internet for tracking election results . neutral +The only other country with a significant presence in the H-2A program -- Peru -- sends about four hundred workers every year as sheepherders to the Mountain and Western states . Western states receive hundreds of sheepherders from Peru each year . entailment +The key to successfully managing change and changing organizational culture is gaining the support of line management . The key to unsuccessfully managing change is gaining support contradictory +Jewish tradition has it that on the day of the Second Coming the Messiah will descend here to resurrect the dead , who will then follow him through the Gate of Mercy ( the now-blocked Golden Gate , directly below the Dome of the Rock from here ) into Jerusalem . According to legend , the Messiah will lead the dead out of Jerusalem . contradictory +I wouldn 't mind going to him and telling him everything . " 88 Somewhat to her surprise , Julius negatived the idea sharply . Julius was going to negatively speak about cameras . contradictory +get slower Get less fast . entailment +And you fancy that the two matters are connected in some way ? You don 't think that these matters are remotely connected . contradictory +They cried for blood and dreamed of the chaos of their attack . They liked seeing carnage . entailment +Inside , the cathedral 's majestic columns and arches are lit by fine stained-glass windows . Fine stained-glass windows were used for the construction of the cathedral . entailment +Their applicability to case study evaluations outside of settings such as GAO is being explored . They are exploring the applicability to case study evaluations inside the settings . contradictory +uh along I eighty five We went around I eighty five . contradictory +okay well any other comments goodbye contradictory +uh i 've seen Ghost we really enjoyed that i thought that was a good movie Our whole family watched Ghost last weekend at the theater . neutral +The classic Chinese puppet is the shadow puppet , manipulated behind a screen by three rods , but hand puppet and marionette shows are also on offer , often for free at public parks and playgrounds . Sometimes at public parks and playgrounds there are free hand puppet and marionette shows . entailment +The Hittite Empire eventually collapsed following invasion from the west by the Achaeans , the Phrygians , and a mysterious force known only as the Sea People . The enemy forces that invaded the Hittite had a thirst for money and slaves . neutral +right right well i i work on GM cars only and i haven 't noticed that that much usually the metrics will fit they 're so close there 's an overlap I work mostly on GM cars haven 't haven 't noticed it much . entailment +Moving back to the altar she drew a wicked dagger of red steel . She pulled the dagger out and threatened the people in the church . neutral +This is based on the city delivery carrier total cost of $ 33 . The total cost for city delivery carriers is $ 53 . contradictory +Staff are to be properly supervised . Staff should be supervised . entailment +should we have fought them harder used more weapons equal to their chemical weapons that weren 't used I am completely certain that we should not fight our enemies fiercely with an equal amount of weapons in proportion to the number of unused chemical weapons . contradictory +I agree that we have a regular recession and that the currency board prevents us from applying the usual recipe , but it 's not clear that it would work , and at this point breaking the peso commitment would be extremely onerous . Breaking the peso commitment would be overly cumbersome at this point . entailment +This willingness to accommodate will alienate the Senate 's ultraconservative firebrands , who seek war against Clinton and the Democrats over the balanced budget , abortion , and flag-burning . The Senate 's ultraconservative firebrands will be alienated by this willingness to accommodate , said the New York Times . neutral +The Ottoman Sultan agreed to his request and he set about establishing his power base . The Ottoman Sultan agreed to the request . entailment +The comment period was to close on May 22 , 1995 , but was extended until July 19 , 1995 , because additional time was necessary to gather and analyze data relating to the rule . More time was needed to analyze the data . entailment +Over the past two decades , Comart has seen the role of Pine Tree change in response to federal funding cuts and stricter regulations . Pine Tree has been the same for 20 years . contradictory +We also consulted with members of various CFO Council committees and representatives from OMB and Treasury . Everyone we consulted thought that our idea was terrible . neutral +The Giants say that other team owners are rooting against their scheme , because it calls into question the profligate public subsidies . The giants say that no one is against their scheme because they never spend money recklessly . contradictory +but i don 't know that 's the bad thing there is that we spent so much money or you would spend so much money trying to keep a large lawn alive that was the only thing i didn 't like about lawns and we were sitting there wondering there must be a better way to landscape so that you don 't have to spend so much money trying to keep the lawn alive and green and the weeds out The lawn is very ugly as we have spent no money to maintain it . contradictory +It contains four circular punctures that eerily evoke a flute . The four punctures evoke a flute . entailment +But metaphysical implications seem to have interested him less than enforcing a moral example to unite his far-flung subjects in peace and fellowship , under him . His religious beliefs didn 't really even come into it . neutral +Stewardship Property , Plant , and Equipment ( PP and E ) - property owned by the Federal Government and meeting the definition of one of the following three Stewardship Property , Plant , and Equipment includes lands and monuments owned by the federal government . neutral +CHAPTER 5 : NONFEDERAL PHYSICAL PROPERTY STANDARD The document in question has at least 5 chapters . entailment +I know the smell of fear and blood as you do , my friend , and I still miss it . I long for the smell of fear and blood . entailment +right right yeah there and you know he 's got that delicate balance right there and we 'd just be overstepping our bounds i think if we walked in and sort of took over If we walked in we would be over stepping our bounds . entailment +America needs a clean , secure , affordable , reliable energy supply in the years ahead . Many believe that without changes to the energy supply , America will suffer economically in the future . neutral +By comparison , tuition at the University of Colorado Law School at Boulder is much lower for state residents - $ 6,754 a year . Non-state residents pay between $ 10,120 and $ 12,560 but , state residents pay just $ 6,754 per year at the University of Colorado Law School . neutral +okay are you you used to live in Miami Did you use to live in Miami ? entailment +The charming little fishing village and artists colony of Saint-Jean-de-Luz has a sheltered harbor with a sandy beach and lively cafe , galleries , and boutiques . There is nothing left at the small fishing village . contradictory +For example , the PCAOB should consider the reasons the accounting profession is organized the way it is , including federal / state regulation such as the licensing structure , reasons accounting firms practice as partnerships , the effects of private litigation , and the structure and role of the state boards of accountancy . The organization of the accounting profession is impacted by federal regulations . entailment +Morris tries to take credit for both strategies . Morris , although he had a large part in coming up with the strategies , humbly did not take credit . contradictory +She ' happened to be near the door ' . She was nowhere to be found . contradictory +Now , I ask you , do I look as though I thought there were the least chance of your killing me ? " He looked confidently round , and was glad they could not hear the persistent beating of his heart which gave the lie to his words . He was trying to conceive his lie . entailment +well buying a house is is should be your ultimate goal because you 're going to have to live somewhere Buying a house is great if you can manage it . neutral +The summary of the Initial Regulatory Flexibility Analysis does not address any other relevant federal rules that duplicate , overlap , or conflict with this rule and amendments as provided for by section 603 ( b ) ( 5 ) . The summary fails to address certain federal rules . entailment +It has risen by .6 degrees Celsius over the past 100 years . Ocean temperatures went up 0.6 degrees Celsuius in a century . neutral +A fleet of rental sailboats uses this port as a base , and commercial ferries ply their regular routes to other islands from here . A fleet of rental sailboats uses this port as a base only on weekends . neutral +that 's right that 's all afternoon i 'll tell you what but uh That 's correct , that will take the whole afternoon . entailment +Louis XIV died here in 1715 of gangrene of the leg . King Louis XIV died of gangrene in 1715 , it inflicted his leg . entailment +There is also a good view west to the Bay of Funchal ; to the east , the modern resort on the small promontory is Canico de Baixa , another favorite with German vacationers . German tourists only go to the Canico de Baixa hotel . neutral +Siddhartha grew up in princely luxury , but when he was taken out one day to the edge of the royal parks , he saw the poor , the sick , and the aged . Siddhartha saw the poor and weak at the edge of the royal parks . entailment +no i yeah i i i i i agree that it would be like people in people that are uh criminals are the ones that are gonna get them and then you have no defense against these people when they do come into your house or something Criminals are unable to come into your house so you have nothing to worry about . contradictory +Specifically , it contains the 4 overall goals and 11 practices we identified as critical for building a worldclass finance organization . It contains the most important practices that will make a finance organization worldclass . neutral +The organizers hope to expand the event in the future to include judges and private attorneys and cover more topics in an Access to Justice Conference , Zazove said . The organizers will seek more funding in order to expand the event in the future . neutral +The devil ! Lucifer ! entailment +in fact yeah uh we i can understand that predicament um they they 've um you know they 've they 've made them too easy and too accessible at everything to to buy We do not understand their predicament and have no sympathy . contradictory +He held things so close . He kept his response so guarded entailment +yeah what we like about them our favorites and so forth What we don 't like about our favorites . contradictory +I do not object to their empathy for the white ethnics , or to their point that affluent folk often have been able to escape the harsh dilemmas posed by racial conflicts . They feel bad for Caucasian people . neutral +i think it would be a great way to keep kids busy so that they you know they they don 't get on the wrong track um you know so that they they have someplace to go after school and they feel like they 're producing um i mean who knows what they may be doing in their free time if they don 't participate in something like this you know Some kids could be ok if they don 't have anything to do in their spare time . neutral +George Custer 's left pinkie has , over the years , been traded for a horse and sold for its weight in gold . George Cluster had had all of his fingers intact . contradictory +i read the Grant Takes Command that was pretty good I read that Grant Takes Command sucks . contradictory +The Commission also reports that it forwarded a copy of its initial regulatory flexibility analysis to the Chief Counsel for Advocacy of the Small Business Administration ( SBA ) as required by the Act . The Commission waited until the very last moment before forwarding a copy . neutral +Think about cutting him . Consider cutting him . entailment +uh well they 're they 're coming from various places and a lot of them are going back there We do not allow any foreigners in our country . contradictory +The profusion of these natural phenomena has long made taking the waters an integral aspect of Japanese culture and lifestyle . These natural phenomena haven 't had any influence on Japanese culture . contradictory +Comrades , we have been betrayed ! An ugly murmur arose . Our trust was proven to be well placed . contradictory +you know i i really agree with you um i uh though i 've never done that myself i i 'm was a basically an education major when i graduated from college and i accepted a job that at the time was just slightly above the poverty level to teach to um very rural children in a very low income district and i spent a year teaching there and i think it was probably one of my largest eye-opening experiences because i come from nice I learned a lot from my first teaching job after college . neutral +you know there are people will kind of set up their own little club You know there are people that will kind of set up their own little club . entailment +Such a show might have opened with the same Robert Henri portrait of Gertrude Vanderbilt Whitney included here and brought many of the same paintings she collected out of the vault for a fresh look . Henri painted a portrait of Whitney . entailment +she 's uh four months right now She is an adult . contradictory +News applauds the new trend of green hunting : Rather than killing animals with guns , hunters shoot big mammals with anesthetizing darts . News disagrees with the new trend in hunting of shooting large mammals with anesthetizing darts . contradictory +Look , says the zoo 's director , it 's now going to have what they called ' a smoke . The zoo 's director hustled them out of there before they could see it having a smoke . contradictory +With regard to reporting , the guidelines emphasize constraints on the study , arguments for and against various resolutions of the issues , and the role of judgment in reaching conclusions . The guidelines emphasize a few factors that are used in reporting . entailment +The cover profile makes Jerry Seinfeld seem quite charming , if a tad immature . The cover story portrays Jerry with gravitas . contradictory +I do not look forward to saying , ' I 'm sorry . They feel embarrassed about apologizing . neutral +The Feast of the Assumption , known more parochially as the Festival of Nossa Senhora do Monte ( Our Lady of Monte ) , is celebrated 14 15 August in Monte . In Monte , 14 and 15 August are the days of the Feast of the Assumption , also known as the Festival of Nossa Senhora do Monte . entailment +so uh-huh thank you very much bye-bye Let me know if I can return the favor . neutral +The United States prefers to use the 1974 benchmark . The USA likes using the 1974 benchmark . entailment +'And for the record , ' Lincoln added , ' the next stop is the border , where I predict roughly five hundred Corporate sponsored soldiers will be waiting to drag your ass in . They will go to the border next . entailment +That is the case , said the doctor quietly . The doctor quietly agreed with the other person . entailment +As it happens , though , the Supreme Court got it just about right 20 years ago . The Supreme Court is considered to have got it all wrong 20 years ago . contradictory +First , is it a mandate [ d ] savings program ? Is this a mandated savings program ? entailment +that 's the way to do it There is worse way of doing it . neutral +uh-huh probably things that that there happen every day and we don 't even notice them until someone videotapes them Those things most likely don 't occur very often , if they did we would realize it . contradictory +Charles Rangel , D-N.Y. , said Republicans are preparing to call President Clinton a Scrooge for vetoing this Christmas-in-July package of tax cuts . A democrat from New York , Charles Rangel , shared Republicans may call Clinton a Scrooge if he vetoes a Christmas-in-July package of tax cuts . entailment +I apologize for the miscommunication and hope it did not cause any irritation or confusion . I 'm sorry and I hope the miscommunication didn 't make you confused or annoyed . entailment +'Jane Finn ? ' he said . He wondered if it was Jane Finn or perhaps Joan Finn ? neutral +Referrals ; Community legal education presentations ; Community legal education materials , articles and web sites ; Pro se clinics , distribution of pro se materials including the technologically enhanced The list includes : referrals , community legal education presentations , community legal education materials , articles and websites , pro se clinics , distribution of pro se materials including the technologically enhanced . entailment +The TEAJF grants will allow 39 Texas organizations , five of which are located in Dallas County and two of which are located in Tarrant County , to continue or increase their services to ensure that all Texans are afforded access to justice . They wanted to make sure everyone had an equal chance to receive funding . neutral +She wanted to help people , but did not know exactly how . She desired to join the army and become a Marine . contradictory +What the case comes down to is LSC 's discretion to reconfigure the service areas in the state , says Alan Kraus , who represents LSC and Youells . LSC 's must always seek legislative approval to reconfigure service areas . contradictory +Some are trying to escape eviction or an abusive marriage . Abusive marriages are something that people might try to escape . entailment +In addition to the 31 written comments received in response to the notice of proposed rulemaking , EPA held a public hearing in Romulus , Michigan , on May 15 , 1997 . The judgment was in Romulus , Michigan , on May 15 , 1997 . neutral +In his review of The Big Lebowski , Alex Ross shows himself to be a true spokesman for the film establishment . Alex Ross reviewed the movie The Big Lebowski . entailment +In a recent Gallup poll , New York was identified as the city that Americans would most like to live in . Americans would most like to live in New York City . entailment +The West and East Gardens are split by the Mound , an artificial slope of rock and soil that carries a road connecting the New Town with the Old . The mound is situated between the east and west gardens . entailment +The Pyramid of Kephren is smaller than the Great Pyramid , though its location on slightly higher ground makes it seem taller . The Great is larger than the Pyramid of Kephren . entailment +hello uh yeah as a matter of fact i went to uh one of the nurseries and uh bought myself another cactus plant i 've got many uh shrubs inside the house I don 't own any plants . contradictory +Until 5,000 years ago , Antiparoseas attached to Parosebut seismic activity and climatic change have produced a narrow sea channel with several tiny islands between the two . A 5,000 foot deep strip of water has formed between the two . neutral +Shareholder value , which is shorthand for executives ' obsession with their companies ' stock prices , has become the prism through which most of corporate America now sees business . Corporate America only cares about shareholder value . neutral +'We expected you 'd want to appear in Boston or Philadelphia or the like . ' We thought we weren 't as good as Boston . neutral +It is worthwhile to rent a car so you can go at your own pace . You 'll be surprised at how much renting a car can cost . neutral +They hail Natasha Richardson 's unglamorous portrayal of Sally Bowles--an aging , seedy bisexual nightclub singer--as the performance of the season ( Ben Brantley , the New York Times ) . Dissenting , the Washington Post ' s Lloyd Rose says Richardson can 't phrase a song . Richardson 's acting performance is remarkable and one that takes the cake for the season . neutral +The preambles of the proposed and final rules contain a combined regulatory impact analysis with an Initial and Final Regulatory Flexibility Analysis , respectively . The preambles of the rules had an analysis about the regulatory impact . entailment +Turtles , elephants , giraffes , and , most prevalent , images of Puerto Rico 's beloved tree frog , the coqua . There are several species of tree frogs in Puerto Rico . neutral +Its interior chamber was found to contain a red granite sarcophagus . Inside the interior chamber was a vampire . neutral +The land was infertile , just a swampy plain , the river small and sluggish . The swampy land was unable to grow crops as the soil did not contain enough nutrients . neutral +Its roof affords a splendid panoramic view across the canals and La Petite France to the soaring silhouette of the cathedral . 12 different canals can be seen from the roof . neutral +so i preferred slacks and um you know kind of dressy shirts and things but I preferred slacks and dressy shirts . entailment +Subsequent to the issuance of the FFC report , NASA received ISO 9000 certification for its headquarters office and each of its centers . NASA is happy to have this certification . neutral +Virtually all the political talk shows require journalists to adopt one of two dishonest agnosticism or omniscience . Almost all political talk show journalists have to act like characters of themselves . entailment +Now it is a hive of higgler activity and lives by the beat of reggae music . The reggae music plays all night . neutral +'Also , ' Hiller added , ' Al Pacino 's Oscar is no longer for Scent of a Woman but for The Godfather . That is all . Hiller said that the Al Pacino 's Oscar wasn 't for Scent of a Woman anymore . entailment +Accuracy and usefulness of the breath alcohol analyzer . The breath alcohol analyzer 's accuracy needs to be improved in order for its usefulness to improve . neutral +EPA published a summary of its final regulatory flexibility analyses as required by section 604 of the Act in the Federal Register on June 20 , 1996 . The EPA published the summary after procrastinating . neutral +It 's not the junk I mind as much I do not care about the junk that much . entailment +draft product that may result from the work . Working papers may result from the project . entailment +really i used to do that too but i haven 't been doing it lately but Maybe I 'll do that this evening . neutral +The rule was promulgated using the notice and comment procedures of 5 U.S.C. The rule was never made known with any procedures . contradictory +yeah that 's typical bureaucracy though that 's that 's i think it 's going to be any where you go it 's just worse in the bigger cities than it is in the smaller ones i don 't know sometimes the smaller ones are just as bad The bureaucracy in the smaller cities is not as terrible as in the larger ones . entailment +yeah yeah i don 't think that 's the kind of thing you can do yourself is it unless you had the equipment I need to take my car to the mechanic because i dont have the equipment to change parts myself . neutral +Personal and business saving together make up the nation 's private saving . The nation 's private saving is contributed by rich people as well . neutral +Naples Republicans Dudley Goodlette in the House and Burt Saunders in the Senate , both attorneys , are being supported by our area Reps. The Senate 's Burt Saunders is being supported by local representatives . entailment +oh we i i don 't go that uh that deep it starts getting cold when as soon as the cold weather comes it stunts the growth of the uh the grass The rate of growth of the grass is affected by temperatures . entailment +We strongly disagree with this view . We strongly disagree with this view , however , we agree with others . neutral +i know i 'm always scared of that whenever i go to a game i rarely go but we went last year because We went to a game last year because our dad convinced us . neutral +While prices for French perfumes and fashions may not be appreciably lower here than in the rest of the FWI , they could be half of what Americans would pay at home . French perfumes purchased locally are typically not cheaper than those purchased in America . contradictory +2 was only semi-exculpatory . 2 was many things but , it was not semi-exculpatory . contradictory +i follow the Milwaukee Brewers mostly I am a fan of the Milwaukee Brewers . entailment +and you go to look at it and you don 't know which set to reach in American or metric You look at it and you don 't know whether to use American or metric . entailment +For a close-up view of a glacier and formidable ice caves , take the cable car and rack railway up the Montenvers to the dazzling Mer de Glace ( Sea of Ice ) . The ice caves are dangerous to explore during the windy seasons . neutral +When this type of installation is performed , the SCR reactor is installed atop a steel structure that must be erected above existing equipment , such as the electrostatic precipitator . The SCR reactor is always installed in the basement . contradictory +In the middle of it all was my baby . My sock was in the middle of it . contradictory +have you been involved on the switchboard long You have no experience with the switchboard , right ? contradictory +Henraques consolidated his position by defeating the Moors at the Battle of Ourique in 1139 , and celebrated by naming himself the first king of Portugal . Henraques was the self-declared first king of Portugal . entailment +These omissions are significant because GSA 's governmentwide oversight and service-provider role , its extensive interaction with the private sector , and the billions of taxpayer dollars involved in carrying out its activities , make it especially important that GSA 's operations be adequately protected . GSA 's operations don 't need protection or supervision , as they barely have any links with important organizations . contradictory +A monotonic series is one whose every term is greater than ( less than ) or equal to the previous term . A monotonic series has terms that increase each time . entailment +20 Rather than viewing service area reconfiguration as a punitive measure against under-performing programs currently receiving federal funds , LSC instead considers statewide reconfiguration to be one of several tools to ensure that federal dollars are being spent in the most efficient , cost-effective manner possible , in a way that will result in the best service to the most low-income clients . LSC has always focused on providing legal assistance to low-income clients . neutral +On the Rue Saint-Vincent , at the corner of Rue des Saules , look out for Paris 's own vineyard , the Clos de Montmartre . Paris has a vineyard that is 800 square feet . neutral +no i haven 't read too many i i 'm more of a fiction and nonfiction reader that not not of that nature though so I haven 't read many of those . entailment +oh how awful I cannot imagine how you feel right now . neutral +you know we 've got a secretary that sits over here that 's keeping metrics right now and keeping up you know of all the letters i type how many changes how many of them do i make changes on We have a secretary who keeps metrics and keeps up with the letters I type and how many I make changes on . entailment +What Isikoff couldn 't pin down was whether the advance was welcome or not . Isikoff could determine that the advance was welcome . contradictory +Top leadership commitment is crucial in developing a vision , initiating organizational change , maintaining open communications , and creating an environment that is receptive to innovation . It is up to corporate heads to drive progress at their companies . entailment +They are also renowned throughout Japan for two doing business and eating . They are an underdog when it comes to Japanese business . contradictory +What 's that ? I asked , thankful that he had gone away from the subject of how the poison could have been introduced into the coco . I was glad he went away from the subject concerning the poison . entailment +The latter is accomplished by the men , while all the other performers are beautifully costumed women . There are no women performers , all of them are men . contradictory +Lisbon became a thriving outpost under Muslim occupation . Under Muslim rule , Lisbon grew to a prosperous outpost . entailment +The third installment in McCarthy 's trilogy about cowboys in the mid-20 th century seals his canonization . McCarthy has a trilogy about dogs . neutral +The movement believes in universal peace , brotherhood , and charity , and incorporates elements of all the major religions , accepting Buddha , Moses , Jesus , and Mohammed as prophets . The movement was only started in 1900 , making it a very new religion . neutral +That hateful man ! The man was a paragon of compassion and gentleness . contradictory +Thomas Babor wondered whether a couple of unquestioned assumptions had arisen during discussions at the conference . Thomas Babor wondered if a few assumptions had come up during discussions at the conference . entailment +His face , again , was not unknown to the watcher , though he could not for the moment put a name to it . The watcher recognized his face , but could not recall his name right then . entailment +oh yes i don 't watch her anymore not after that Star Spangled Banned thing I started watching her after that Star Spangled Banned thing . contradictory +My heart rate skipped . My heart was beating 200 times a minute . neutral +It also reports that no comments were submitted in response . it also reports that over 1,000 comments were submitted in response . contradictory +The remains of mining and quarrying sites on the face of The Old Man of Coniston , the mountain above the town , are a reminder of its history . The face of the Old Man of Coniston , the mountain above the town , still has some remains of mining sites to this day . entailment +i spent uh couple years down there moved down there in eighty seven and moved out in eighty nine I lived there for over ten years . contradictory +North and east of Milan are the romantic lakes Como , Maggiore , and Garda . The Maggiore lake is larger than lake Como . neutral +In the south the Kek Lok Tong and Sam Poh Tong temples are nestled within high limestone caves and cavities near Gunung Rapat . The temples are large . neutral +( Also see separate definition of social insurance ) . This is the only definition of social insurance . contradictory +Its splendour is a little faded now , but that only adds to the charm of the huge , chandeliered , sumptuous public rooms decorated with antique mirrors , braziers , samovars , and thick Turkish carpets . The rooms are not decorated and unwelcoming to tourists . contradictory +They have been made to feel by the abuser that no one is going to help them do anything , so when they come to us they are desperate , she said . The abuser makes them feel isolated . entailment +yeah it it gets foamy foamy almost and you know it 's just pure and pristine It gets foamy and it 's very pure so you can drink out of it . neutral +Since 1993 , the PNP has once again been in power , this time under the leadership of Prime Minister Percival Patterson . The PNP has been in power many times throughout its long history . neutral +'Jane Finn ? ' he said . He was asking if it was Jane Finn . entailment +The lawsuit , filed by attorneys for Neighborhood Legal Services Association and Community Justice Project , asked the Allegheny County courts to appoint a board of viewers under the state Eminent Domain Code to determine just compensation and relocation expenses for five families who still live there and for several who already were evicted . The lawsuit asked for help for the people that lived in the unsafe apartment . neutral +When Celtic peoples crossed the Pyrenees in the first millennium b.c. , they intermarried with the existing Iberian population and built a series of hilltop fort communities or citanias , the finest example of which is at Briteiros ( see page 73 ) . Some Celtic people intermarried with Iberians and built their own communities . entailment +how many miles there is that now what did you just replace You have recently made a replacement . entailment +For such workers , leaving the United States is a survival strategy , permitting them to survive their periods of unemployment by taking advantage of the lower cost of living in the countries of origin . Some workers leave the United States as a way to survive the high cost of living . entailment +Tiberias is the only settlement of any size on the lake , a modern , rather characterless resort town with high-class hotels and a lively summer nightlife . Tiberias is the only resort town that has had enough tourists in order to last . neutral +Water rushed out and seeped into the ground around the support pillar . Water seeped into the ground around the support pillar . entailment +but they 're they 're really what 's that They are definitely , wait whats that ? entailment +The final rule was issued pursuant to the authority of sections 708 ( e ) ( 1 ) and ( 3 ) of the Personal Responsibility and Work Opportunity Reconciliation Act of 1996 , Pub . The final rule was issued pursuant to the act from 1996 . entailment +The Commission also amended its rule regarding packaging to clarify the type of hearing aid compatibility to which the rule refers . The commission didn 't change any rules regarding hearing aids contradictory +Since we assume that there is a 5-year loss in life years for a PM related mortality , regardless of the age of person dying , this necessarily leads to a lower VSL for younger populations . Even if a person is dying at 95 , it is possible it can lead to a lower VSL . entailment +Buses from the city center will carry you here in minutes . The bus ride from here to the city centre will take two hours . contradictory +DOD 's current acquisition policy also states that the system demonstration phase begins after prototypes have been built and demonstrated in a relevant environment during system integration . The current acquisition policy of the DOD states that the system demonstration phase begins after prototypes have been built and demonstrated . entailment +but they on the other hand too they cost twenty five hundred dollars The price of twenty five hundred dollars is way too high . neutral +Starr told me that , and Bennett confirmed it but would not tell me specifics . Starr told me but Bennett wouldn 't give me more information about the contract . neutral +You and Beresford . You two are happy with each other . neutral +Beyond the minimum level of investment needed to maintain the capital stock , additional investment to expand the capital stock is an important way to increase labor productivity , and thus future living standards . Investing more in capital stock can effect living standards in a negative way . neutral +Time will show which of us is right . We will know who is right eventually . entailment +Analyzing Written Material . They are analyzing the audio materials . contradictory +To the south is Kitano Temmangu , a large and important shrine . The Kitano Temmangu , which is an important shrine , is to the south . entailment +Jon continued . Jon stopped . contradictory +Though not with the ferocity they once exhibited for Stark , the remainder of the Sticks charged . With less ferocity , the Sticks charged . entailment +It 's your world , literally , so take your time . You don 't have time constraints anymore . neutral +The standard processes and policies developed , applied , and improved as a result of the mergers provide this organization with the flexibility it needs to adapt to future changes in responsibility . The organisation had been given flexibility as a result of the mergers . entailment +It took Jon a moment to realize it was the sound of the brill being slaughtered . The brill were killed . entailment +Everything that he was for the moment incapable of saying was eloquent in that look . What his lips could not utter , his face could scream . entailment +These first inhabitants were Neolithic cave dwellers who came from Asia Minor . The first inhabitants were college students on spring break . contradictory +and uh yeah he was a he 's uh we call him Dana Jerk His nickname is Dana Jerk , I named him that neutral +Household Postage Demand Elasticity Estimates These magnitudes give the percent change in the demand from the household sector as result of a one percent change in any price , household 's total expenditure or fraction of US households owning a personal computer . US households refers to residents in the United States . neutral +A screening with the Alcohol Use Disorders Identification Test ( AUDIT ) in an inner-city population . It is believed that AUDIT will yield the data needed to make a decision . neutral +As a result of the attack , Porto Santo , which had also been scourged by these villains of the seas , went on to build castles and early warning systems , which allowed the citizens to defend themselves or flee if necessary . Porto Santo decided to build up its defenses , hoping to repel future attacks . entailment +As the book discusses the fate of the black college , or the Harlem Renaissance , or the participation of African-American intellectuals in government during World War II , it draws a sharp picture of the fate of blacks with brains , forced , whatever their real interests , to deal with the question of race . The book discusses the events that have transpired in black history between the civil war era and current-day affairs . neutral +or what it was well we 're going to have to do that because we have the shade the trees this is an established and older home that we moved into and um The home with shaded trees was just recently built . contradictory +Zercher recalls her My God , can you imagine if he becomes president that we were sitting here talking about farm animals--and he 's the one that brought it up . Zercher spoke only of animals and the weather . contradictory +The economy could be still better . They wanted to do their best . neutral +I tell you I 've never heard of the girl . I 've never heard of Susan . neutral +Many of the stands are run by professional dealers . The stands offer samples of the latest perfume and cologne . neutral +If he can transport the mail for less than the discount , he will choose to do so . He will always choose the most expensive mail transport option available . contradictory +but i might check I might check on that . entailment +Out of season , however , even the main town seems deserted . Many residents come to resent the busyness of the main town when it 's in season . neutral +it would be open for it won 't be open for any length of time contradictory +When you see Gore , you see a thoroughbred politician who is simply running for president and running as hard as he can . Gore ran for president with a lot of enthusiasm . entailment +Our failure to intervene might well cause the war to escalate and spread . The war will end soon on its own . contradictory +With an angry spurt , a bullet embedded itself in the upholstery of the car just behind her head . Her car was fired at and the projectile lodged itself in the upholstery of the car , right behind her head . entailment +I shall be out to lunch . I will be out to lunch for a while . entailment +The objectives of our research were to ( 1 ) define and describe the characteristics of a worldclass finance organization , ( 2 ) identify the factors that are essential for finance organizations to improve their financial management and move towards worldclass standards , and ( 3 ) provide case studies which illustrate the efforts of leading finance organizations from private sector companies and state governments to improve their financial management and the overall performance of their organizations . There were three objectives of our research . entailment +RECORD -To give expression to a transaction on ( or in ) the books of account Recording a transaction means to avoid placing the expression of what has occurred in the books . contradictory +oh it 's fairly good size i mean it 's it 's not it 's not small but it 's certainly small by Atlanta standards Something that is small by Atlanta standards is small anywhere . contradictory +They operate to beaches near and far ( usually , but not necessarily , the farther the better ) , and you 'll find that there 's a beach for every taste . Regardless of one 's taste , there will be a suitable beach . entailment +It was so dark out there ... you could fool yourself into thinking there was no ground at all . It 's so dark you can 't see the ground . entailment +Without gloves , a boxer would break his hands after a couple of punches to the skull . They did not need the gloves during the fight . contradictory +Pepsi 's Its truck drivers know the crazy traffic patterns better , and it 's just bought Tropicana to compete with Coke 's Minute Maid . The Tropicana brand is worth 300 million and comes with ten fully-functional operating plants . neutral +Adrin came shortly afterwards . Adrin arrived soon afterwards . entailment +i only have one other person i know in my in my group here that works where the wife stays home and that 's because of religious values as well they 're Baptists and they and they think that 's important The Baptists church members believe that women should stay at home . neutral +To further understand the problems on the PAC-3 program , we focused on its seeker subsystem , which is key to acquiring and tracking targets and represents a large percentage of the missile 's cost . The seeker subsystem is the most obvious way in which the flaws of the PAC-3 program can be seen . neutral +sites and concludes that agencies have been slow to implement the circular , although progress has been made since 1982 ( U.S. The agencies are slow to implement the circular . entailment +Not so uncommon , really , as you would think . You would think that the thing is not so uncommon . entailment +This year , the case came before Judge Robert Potter--a former Jesse Helms aide , a Ronald Reagan appointee , and a sworn enemy of busing since he fought against it on the front lines in 1969 . Judge Robert Potter is too biased to provide a fair trial . neutral +We thought it was lambs to the slaughter . " There are actual lambs being slaughtered . neutral +There are at least three possibilities . There can be no more than 3 possibilities . contradictory +Stakes are priced in US Dollars and you can usually play blackjack , roulette , poker , and baccarat . When playing poker , you can place your stakes in US Dollars . entailment +Quick , she whispered . Don 't waste any time , she whispered . neutral +Political and economic power resided with non-Hawaiians . Non native Hawaiians had no say in government . contradictory +It 's no wonder that Robert McKee , the spiritual father of something like Rounders , reserves a special place in hell for Welles and Citizen Kane , in which the exhibitionistic auteur incessantly upstages his own narrative . Robert McKee professed his admiration of Citizen Kane . contradictory +We have food and shelter to fill your belly and warm the cold nights . You will just hate to sit in the cold and starve . contradictory +" Well , you wear them two shootin ' irons army style , belted high an ' butt to front . You wear the guns the way army men do , high around your waist with the end of the gun pointed outward . entailment +About seven months ago , ' the microbe said timidly , and began , this time boldly to hug the blood cell and pound on it , with what must have been its head . The microbe gave the blood cell a hug and hit it with its head . entailment +George spoke over his shoulder : " Cross-roads here , sir . George said , over his shoulder , " Intersection here , sir . " entailment +He saw the slight twitch of her cloak and thought he might already be dead . She was lifting a pistol from her coat . neutral +Santa Monica Airport 's Museum of Flying displays vintage planes , and Bergamot Station ( 2525 Michigan Avenue ) , a converted trolley car station , hosts a number of art galleries including the Santa Monica Museum of Art . The museum has 28 old planes on display ! neutral +The original late-14th-century pavilion , completely covered in gold leaf , was typical of the unrestrained opulence of the Muromachi period favored by Shogun Yoshimitsu Ashikaga , who had it built for his retirement at the ripe old age of 38 . Shogun Yoshimitsu Ashikaga didn 't retire until he was past 60 . contradictory +The path nearest the palace takes walkers along the base of Salisbury Crags , a volcanic ridge . Salisbury Crags is a volcanic ridge . entailment +This is open to anyone over the age of eight in reasonable physical condition . This is open to anyone at any age . contradictory +The house , which contains Ruskin 's study and examples of his drawings and paintings , has magnificent views of the lake and the town of Coniston . Rusky 's work is kept in the biggest house in Coniston . neutral +You think I mind saying it , but I don 't in the least ! I really do not mind saying it for you . neutral +At the 8a discount level , the overall volume in the system , basic plus workshared , increases 0.69 % . The overall volume needs to increase a lot more . neutral +yeah people say they wish they had a roof on it though it doesn 't look finished The roof is finally finished . contradictory +But there was no use trying to duck the ordeal , and the Kentuckian had never been one to put off the inevitable with a pallid hope that something would turn up to save him . The issue could easily be avoided . contradictory +Does computerization give ETS an unfair advantage ? Is ETS ' advantage from computerization illegal ? neutral +She has not achieved anything magnificent . She didn 't do anything to change the world . neutral +But Saddam , for all his strategic blunders , is deft at posing as today 's heir to the tradition of Arab nationalism . Saddam always made himself appear to be aligned with the tradition of Arab nationalism but behind closed doors he was not . neutral +You 'll find that prices are about the same in Hong Kong Central and Kowloon , and somewhat cheaper in Causeway Bay , which caters to local shopping . Causeway Bay is known to have higher prices than anywhere else in China . contradictory +A people so justifiably famous for hospitality , politeness , and respect also produced an army whose brutality during its occupation of Southeast Asia during the war remains a stumbling block to normal international relations . The people produced an army known for its compassion . contradictory +and the problem is that we tried to convert everything from inches to centimeters preserving basically the inches but expressing them as centimeters rather than saying no a centimeter is about the width of your thumbnail or whatever and you know and leaving it at that and uh you know a kilogram weighs about this much and get used to it from scratch cause i still can 't convert back and forth from inches to centimeters but i 'm perfectly comfortable using either We are unable to use both systems . contradictory +Defense Employing Best Practices Can Shape Better Weapon System Decisions . Using best practices can improve decisions regarding weapons systems . entailment +Although wines from the north are considered to be Spain 's best , the Costa Blanca 's vino is very drinkable and very reasonably priced . All Spanish wine is very expensive . contradictory +The EPA has included a detailed economic analysis in its submission to GAO , setting forth and assessing the costs , benefits , and associated impacts of the rule . The EPA usually has nothing to do with economic analysis . neutral +You never know for sure what you 're getting , which , unfortunately , is an argument for ponying up . You don 't know what you 're going to get which is an argument for ponying up . entailment +i guess they wouldn 't be called dialects but they 're pretty close sometimes They aren 't exactly dialects but they 're very close sometimes . entailment +Sersa Garm stared upwards in horror . Sersa stared up while terrified . entailment +Robert Fagles , a Princeton classicist , translated The Iliad in 1990 and sold an astonishing 140,000 paperback copies of his version . Robert Fagles is fluent in at least two languages . entailment +She 's never talked much . She never talked much until now . neutral +Follow him , of course , silly ! The entire point is that you follow him . neutral +Modern Japan has embraced the consumer society to such an extent that shopping can be a full-time pursuit . Modern Japan has been able to embrace the consumer society . entailment +There was a body-guard in the driver 's seat . A personal security officer sat behind the car 's wheel . entailment +For example , the Government Paperwork Elimination Act requires OMB to ensure that federal agencies , when practicable , allow individuals and other entities the option to submit information to the agency electronically and maintain records electronically by October 21 , 2003 . There is an act that aims to reduce the paperwork . entailment +Go and rest , " said his uncle . His uncle told him to rest . entailment +estimates that the impact of the Clean Air Act maximum achievable control technology portion of the rule in combination with the Clean Water Act portion is that one facility owned by one of the four small entities may close as a result of the combined impact . The combination of the Clean Water Act and Clean Air Act causes no new impacts . contradictory +Humans have the most annoying tendency to ascribe cutesy attributes to wild creatures . People recognize the danger of wild animals , and treat them properly , and with respect . contradictory +yeah my mom um she 's a housewife and well there 's twelve kids in my family so my mom never could really work you know because she was kind of pregnant from day one she never really had a chance to work My mother has a dozen children . entailment +you know we can 't do anything we can 't afford anything and now we can at least say well we can fit this in it doesn 't really work very well but we can fit this expense in and so by being a little organized we can we can allow ourselves some things that we couldn 't before " We couldn 't afford anything before and we can 't permit ourselves anything now . " contradictory +An autocrat ! A despot ! neutral +not do anything about it Can 't do anything neutral +4 ) Court records indicate that a jewelry-fraud ring used illegal third-party campaign donations to get President Clinton to pose in photos with its principals . President Clinton posed with photos of the jewelry-fraud ring 's principals . entailment +He writes , Not the Jews but Marxism and Social Democracy served as the prime scapegoats of Nazi propaganda during their rise to power . The Nazis used Marxism and Social Democracy as their scapegoats . entailment +well it sounded like i mean this is like major long term commitment like a year or six months or It sounded like a long term committment . entailment +This business of tryin ' to run out th ' Rebs , it 'll cause smokin ' ! " The Rebs needed to stay . contradictory +The fact that an organization is profiled for a particular practice is not meant to imply the organization 's success or lack of success in meeting other practices . Profiling an organization does not imply anything . entailment +A long arc of fine sand backed by pine trees , Koukounaries is perhaps the epitome of everything that beach lovers enjoy . There are pine trees near the beach . entailment +Situated on a hill overlooking the Loire , the town itself invites the visitor to linger in the narrow winding streets that lead from the cathedral to the chateau , pausing to admire the handsome old houses on the Place Saint-Louis and the Rue Porte-Chartraine . The visitors that take a tour in the town pause to admire the architectural style of Rue Porte-Chartraine . entailment +Leonardo da Vinci eagerly applied the new method to architecture , civil and military engineering , urban planning , geography , and map-making . The new method was used by Leonardo da Vinci in many of his works . entailment +Above the park looms the startling sight of the Pestana Carlton Park Hotel ( designed by Oscar Niemeyer , famous for the futuristic Brasilia ) . The hotel is located at the bottom a cavern below the park . contradictory +Ca 'daan laughed and started back the opposite direction . Ca 'daan returned to where he had been . entailment +'How long until he 's ready ? ' I asked , pointing at Lincoln . I hoped Lincoln would be ready soon . neutral +By 1945 Siegel had become one of Las Vegas 's original visionaries , planning an opulent resort on the southern end of the LA Highway . Siegel was a mostly unknown figure who had little to do with Las Vegas 's development . contradictory +The new rule became effective on December 7 , 2000 . The rule became effective in 2000 after being approved by the Senate . neutral +Similarly , competition has changed the environment in which federal agencies operate . The operations of federal agencies have been affected by competition . entailment +really did they have a separate uh like class or something for the kids or is it everybody together Do the kids have a separate class , or is everyone together ? entailment +But Tuppence behaved admirably . Tuppence behaved horribly . contradictory +If she had any of her other previous abilities , she never spoke of it and they saw no signs . She had lost the powers and did not know how to get them back . neutral +certification and payment . Negative confirmation and payment . neutral +Among the bananas and Caribbean sweet potatoes you 'll find bottles of old-time patent medicines for sale . There are more bananas than there are potatoes and medicine . neutral +The sooner we begin , the less we have to save per year and the greater our benefit from compounding growth . The bank that we will be using is Chase Bank . neutral +totally different wardrobe with different fabrics you know heavier wools and They are nearly the same wardrobe . contradictory +Both the proposed rule and the final rule were reviewed and approved as complying with the requirements of the Order based on the information supplied by FSIS , including the initial and final Regulatory Impact Analyses . Both rules were reviewed and approved as complying with the requirements from the order based on supplied information and general knowledge . neutral +It had occurred to me as probable that , after Miss Cowley flung it on the floor , certain words might have been erased and altered with the express intention of setting searchers on a false trail . " Carter nodded . It had occurred to me as probable that , after miss Cowley flung it on the floor , a number of words had been erased . entailment +The publication also reports that Anderson plans to go ahead with her divorce and feels she can never forgive Lee . The publication includes Anderson 's personal and marital affairs entailment +He reconsidered his belief that there was no delirium , wondering if the feeling were not itself a form of hallucination . He gave no consideration to the matter . contradictory +but then America always has been for the immigrant America was never for the immigrants . contradictory +It may have come as an awful surprise to her to discover--assuming it is true--that her husband was still screwing around after he was elected . She was not shocked to see her husband was cheating on her . contradictory +Part of the brick-built Curia , home of the Roman Senate , still stands . A remnant of the Curia , where the Roman Senate met , still exists today . entailment +This was critical for success since these individuals managed the day-to-day program activities . Only a single person was responsible for the success of the daily program activities . contradictory +oh yeah yes a lot of them do get their sentences commuted to something else A majority of prisoners have their sentences changed over time . entailment +If you intend to take home some souvenir Islamic crafts , this is a good place to learn about traditional materials , motifs , and patterns . It is impossible to learn about traditional patterns here . contradictory +and um of course i used to like Jim McMahon and you know uh Walter Payton I also liked Refrigerator Perry . neutral +The military is ( theoretically ) a nonpolitical institution , but as soon as the operation went south , the military abandoned its nonpolitical faaade to protect itself . The military is willing to engage in partisan politics to protect itself . entailment +What there is in the way of stylized leaps , spins , and balancing on the toes comes out as the natural expression of exceptionally graceful human beings and not as a demonstration of what some clever windup toys can do . Even the most graceful human beings cannot balance on their toes . contradictory +Archaeologists have concluded that the Giza pyramids were built within a few hundred years of each other by generations of the same royal family c.2600 b.c. as elaborate tombs designed to foil robbers . The robbers they were afraid of were vampires . neutral +However , there is a lot of dialogue taking place today concerning business reporting . There is lots of dialogue today concerning business reporting entailment +The Irish are actually beginning to come home . The Irish are forever banned from Ireland . contradictory +Late in his prize-winning series , Gerth wrote some harsh things about Hughes , and Hughes ' lobbying of Clinton , but he scarcely mentioned Hughes ' Republican connections . Gerth is a huge fan of Hughes and what he does . contradictory +The human capital legislation is one example . This is the strongest example . neutral +oh i hate hanging paper that is oh that 's one of the jobs that i just i 'd do anything else but i 'll i 'll um I really don 't like hanging paper . entailment +This upset Jolanta enough to ask her Third Husband , who still loved her , to pay for a monthly stay at La Berg . Jolanta 's Third Husband was very much in love with her . entailment +The center contains the National Film Archive , an information center , a bookshop , and a library . The National Film Archive , an information center and a library are at the center . entailment +If you are completely inexperienced , there are several ways to overcome your lack of knowledge . There are six ways to increase your knowledge if you are lacking in it .. neutral +In addition there is an artisan 's workplace , and you can visit archaeological sites still under excavation . There are no artist attractions in the area . contradictory +Around Hanson , the magicians cried out in shocked fear . Hanson made the magicians scared and caused their reaction . neutral +But I 'm going to have a specific agenda that addresses what I think are the big concerns as we go into the 21 st century . I 'm drafting an agenda based on my biggest concerns . entailment +But as the years went by , the conquistadors rounded up even more Indians to work in gold mines elsewhere . The conquistadors rounded up a lot of Indians and took them as slaves . neutral +Postal density is a measure that contains two exogenous cost drivers such as geographic and demographic characteristics of the areas served , and endogenous drivers reflecting the quality of delivery service . Geographic and demographic characteristics both impact postal density . entailment +but the uh i you know i 'm trying to think of how many times you you make the statement and and just to kind of exam it a little bit and i i know that any statement in absoluteness is not necessarily true uh only the guns were in the hands of the criminals but how many times i guess i have never heard of a a robbery being foiled or spoiled because the person who 's being robbed had a gun There are far more accidental shootings than crimes prevented . neutral +Newsweek ' s cover story hails the success of the Hubble Space Telescope . The Hubble Space Telescope 's success was praised recently in a Newsweek cover story . entailment +The media 's class bias protected Clinton from women like Jones and Gennifer Flowers--surely he couldn 't be attracted to a woman who wasn 't a Yale Law School graduate ! The media has class bias . entailment +All of the agencies can share the same reception area and client waiting room . All the agencies could have the same waiting area and reception which would help limit costs . neutral +Parents find themselves intervening to stop their kids from making bad deals with unscrupulous classmates . Parents are not allowing kids to learn from their own mistakes . neutral +7.15 When internal controls are significant to the audit objectives , auditors should plan to obtain sufficient evidence to support their judgments about those controls . An auditor should obtain evidence to support their judgements . entailment +As a host , you needn 't pretend to be impartial or pretend to be all-knowing . AS a host you don 't need to pretend to be all knowing . entailment +We 're saying that instead of that week-and-a-half of work for a paying client , we want you to do this good , important pro bono work , and you 're not going to get punished , said John Maley , who helped create the firm 's policy . John Maley never allows anyone to do work for free . contradictory +You notice the absence of windows , and the thickness of the close-fitting door . You see , there are no windows , only a very thick door . entailment +well if it ain 't uh well you know uh Maybe it 's not ok for the people that live in nursing homes . neutral +We asked officials of the various organizations highlighted in the case illustrations and throughout the report to verify the accuracy of the information presented on their activities and incorporated their comments as appropriate . The case illustrations highlighted a number of organizations . entailment +But he thought he was better than he really was . He felt he was better than everyone he met , and they felt the same . contradictory +root stimulator yeah There is no tool to help with plant roots . contradictory +Since the 1970s , preferential tax treatment has been granted to Individual Retirement Accounts ( IRAs ) and employer-sponsored 401 ( k ) pension plans . Since the 1970s , preferential tax treatment has been designated just for the rich neutral +She confirmed the unbelievable --- it was Barnes , and the offer was legit . She admitted the offer was legit . entailment +I suggest that you try holding your bladder or bowels , race to the bathroom , and find the ONE stall you can possibly use occupied by someone who prefers the luxury of the handicapped stall . You should hold it and wait for someone to get out of the only stall you can use because you constantly take the handicapped stall when there are other stalls available . neutral +Well , why read any type of fiction ? Well , then , what 's the point of reading any kind of fiction ? entailment +uh movies oh uh it costs you six fifty to go to a movie each a piece to go to uh a movie unless you catch a good matinee Matinees are much more expensive . contradictory +Here again , Artaud 's ferocity , anguish , and hallucinatory paranoia are matched and joined by his intelligence and paradoxical control . Artaud had mental illness . neutral +He writes mainly about a local cop , Tommy O 'Connor , but his story is interspersed with tangents on the town 's history and various oddball local residents . Tommy O 'Connor is a cop in Chicago . neutral +The peninsula may be on the take , but it still believes in hard work . The pensinsula is on the take , without a doubt . neutral +Is this the other one of which you spoke ? asked Ca 'daan . Ca 'daan is at a dinner meeting with his friend and a person who he seems to recolonize . neutral +With building debris and an ocean of smoke and dust pouring down from the sky , Mr. Bookstaver ran for his life - four blocks southeasterly to the Office of Court Administration at 25 Beaver Street . Mr. Bookstaver ran for his life . entailment +People who make God 's work their own . People who know that God 's work is his alone . contradictory +Then he went across to his mother whilst I unbolted the door that gave on the corridor . I bolted the door . contradictory +Don 't be disappointed by this grey industrial town , for it manufactures some of Spain 's most popular they are peladillas , Marcona almonds coated with sugar . The town also manufactures sugar-coated peanuts . neutral +Mr. Casellas began his government service in 1993 when he was appointed General Counsel of the U.S. Prior to that , Mr. Casellas worked in a private law firm . neutral +yeah i agree with you i if we were going to get anything now it would definitely be a cat A cat would definitely be the ideal pet for us . neutral +However , it was not immediately apparent how to locate that page from the HHS home page ; the user had to click on HHS Agencies and , at the ACF web page , use a dropdown menu entitled Select a Topic within which the Regulations Currently Open for Comment page is located . The menu and page layout were complicated . neutral +you can 't hold it there until it 's dried Sure , hold it in there until it dries . contradictory +A staunch opponent of the Communist regime , Wojtyla returned to Poland in 1979 as Pope and drew great , thunderous crowds at every stop . Returning as the Pope had made him a hero to most . neutral +i heard a lot about it but i never saw it now I heard about it but didn 't see it . entailment +Therefore , 21 months appears to be somewhat conservative . 21 months is a lofty guess . contradictory +Conversely , because load time is 100 percent variable with volume , it would not change , since total volume is assumed not to change . Load time is very high because the total volume doesn 't change . neutral +okay i wasn 't living here then so i can 't talk much about that I only moved here recently . neutral +Escalators take you up to the houses of British traders . The houses of British traders are reached by escalator . entailment +Requirements and Analysis . there are requirements and analysis entailment +You could have heard a pin drop . You could hear a pin hitting the floor . entailment +Note that local electric current is 100 volts / 50 ( or 60 ) cycles , which is slightly different from the US and completely different from Europe . The local electric current is exactly the same as the US and Europe . contradictory +The mistake has been corrected in the archived article but , as is our policy , we note the error here for purposes of self-flagellation . We note the error here even though it has already been corrected in the archived article . entailment +In a press release referring to the program , IRS Commissioner Charles O. Rossotti stated that the clinics mesh with the IRS mission statement of providing America 's taxpayers top quality service by helping them understand and meet their tax responsibilities by applying the tax law with integrity and fairness to all . The IRS is the Internal Revenue Service and they handle tax information and regulation . neutral +talked a lot we didn 't actually do anything We did not do anything else apart from talking . entailment +One study found that only one-third of intoxicated drivers had an alcohol use disorder . Only one-third of intoxicated drivers had alcoholism issues . entailment +Poirot , I cried , " I congratulate you ! I 'm more excited for Poirot 's achievements than my own . neutral +There were Texans and Texans , differing greatly in speech , manners , and background . Various Texans had a rough accent and background , while others did not . neutral +and more and more people without i have several friends without jobs now that in this last riff went out looking for jobs and jobs are really hard to come by now really hard to come by It 's so easy to get a job . contradictory +oh wow well okay that is understandable oh yes i 'm very familiar with it very beautiful place I understand . neutral +If certain pertinent information is prohibited from general disclosure , the report on the attestation engagement should state the nature of the information omitted and the requirement that makes the omission necessary . The attestation engagement report that describe the omission of information should be at least 20 pages long . neutral +Look , Slim , we can 't start acting suspicious or they 're going to start investigating . If they start investigating , we will get into a lot of trouble . neutral +Despite the success of LSC and its many contributions to access to justice for lowincome Americans , its achievements are overshadowed by the fact that so many in our society continue to suffer injustice and are unable to gain access to a lawyer for critical legal assistance . The LSC has tried to help people with legal assistance . entailment +What the hell began Julius , but checked himself abruptly . Julius did not say what the hell at all . contradictory +Fred Thompson ( who will chair the investigation ) , and campaign reform . The investigation will be without a chair . contradictory +I took the girl and fled . The girl and I ran into the woods . neutral +why does your voice sound familiar to me I remember your voice from a previous call . neutral +I count on you guys for instant analysis , not the play-by-play . I could on you for the analysis . entailment +But God gave man dominion over the beasts of the If an animal has economic utility , we should farm it . God allowed man to raise animals for his benefit . neutral +I was attendant at one of the revivatoria , and I got drunk enough to let out some information about one of the important revival cases . The revivatoria are giant parties where people eat boiled potatoes . neutral +well i 'm sure that 's still going to happen I am certain that it was banned forever . contradictory +You 'll find most of the tools you used in your world waiting there and all the engineers we could get or make for you . " He 'd been considering stalling while he demanded exactly such things . You will have all the tools and engineers you need there . entailment +no you could probably just you know " You most likely could not , you know . " contradictory +um-hum um-hum yeah Estes State Park is fantastic Yes , Estes State Park is great . entailment +For instance , it will tell me , Hey , Shuman , you can get a better auto insurance policy from GEICO . It will tell me that I can get a better auto insurance policy . entailment +Sather Karf pondered for a moment , and then nodded with apparent satisfaction . Sather Karf was furious at the proposition and refused to accept it . contradictory +Also , " he added placidly , " I should not allow it ! " I don 't care what happens . contradictory +Today Hong Kong remains a capitalist enclave with its laws and rights intact , and China has promised that Hong Kong will continue in this fashion for at least 50 years . Hong Kong is a capitalist enclave because it has laws that favor businesses over individuals . neutral +well actually it 's probably closer to Fort Worth but it 's it 's in the same area he bought uh bought a big horse farm out in a little town called Roanoke Texas He owns a big horse farm in a town called Roanoke Texas . entailment +yeah plays for the Raiders He plays for the Raiders as the QB neutral +health effects assessment , environmental fate and effects assessment , EPA correspondence , and registrant comments ) . The assessment of the effects on health . entailment +Supposing Julius did not get there in time . Let 's say Julius is late . entailment +The Globe reports that both singer Tom Jones and actor Hugh O 'Brian have unacknowledged sons . Both Tom Jones and Hugh O 'Brian have illegitimate sons according to The Globe . entailment +The people farmed and fished ; on the dawning of the Bronze Age in 2700 b.c. , they began to work with metals . The people farmed until they learned to use water . contradictory +In submitting the state plan , Melville D. Miller Jr . , president of Legal Services of New Jersey , argued that the Passaic County office 's alleged problems made it an undesirable merger partner . Melville D. Miller said Passaic County would need to fix its problem with retention . neutral +He then laid it out according to the disposition of the stars and planets . He wanted to see the heavens in the correct way . entailment +uh-huh and i was losing jobs just from doing a poor job you know I should have done better since I would have retained my jobs . neutral +um-hum um-hum yeah really there could be um some uh scandals involved if you know it wasn 't people that were really fair and People are always fair so there won 't be any negative repercussions . contradictory +We are much obliged to you , Mr. Cavendish . " Dr. We owe Mr Cavendish a lot for his medical services . neutral +GAO 's policy is that senior executives with the broadest knowledge of a completed assignment do such interviews . GAO 's policy is that senior executives with broadcast knowledge do the interviews entailment +you never realize because that janitor comes around and empties your garbage can every night How many cans of waste does your office produce ? neutral +He rang up the Ritz and asked for Julius Hersheimmer . The Ritz put him on hold for a long time . neutral +well i mean if if you know what your routine is you can do that by yourself and you probably do If you know your routine well then by all means , go to work by yourself . neutral +the drug can use you I don 't believe drugs can influence someone 's behaviors or personality . contradictory +El Greco ( 1541 1614 ) was born in Cete and was long a resident in Italy , but nonetheless became a consummate Spanish painter . El Greco was a consummate Spanish painter . entailment +Combining statistical sampling with fast pay procedures increases the risks that overpayments would occur and go undetected compared to a 100percent verification of receipt and acceptance . The best way to detect overpayments is to combine statistical sampling with fast pay procedures . contradictory +Many First-Class mailers do not require daily delivery and most advertising mailers do not require daily delivery . First Class mailers are not required to be daily . entailment +However , during the decisive years between 2140 2040 b.c. , a split occurred between the two Kingdoms when rival power bases arose in Heliopolis in Lower Egypt and Thebes ( modern Luxor ) in Upper Egypt . The kingdoms split when a civilization popped up in Heliopolis . entailment +He can drop the pretense that he 's nonpartisan . He can stop pretending that he 's nonpartisan . entailment +Delos became one of the largest marketplaces in the empire . The Delos was a miniscule store and nobody goes there anymore . contradictory +so i understand that that locomotive is worth around seven hundred and fifty dollars now I 'm told that hunk of metal machine isn 't worth anything . contradictory +um as far as electricity and telephone um we do the same thing we budget not budget but um i have a long term savings goal I don 't have enough money to do long term savings . contradictory +It is also the male who emits a formidable honk through its nose at times of great excitement or alarm . The male 's nose honk is used in times of alarm . entailment +The effective date of the statement as it applies to the consolidated financial statements , except for chapter 8 , is deferred pending further deliberations of the Board . The effective date of the statement as it applied to the consolidated financial statements are included in chapter 8 . contradictory +oh i have i 've i 've caught i watched that late um i guess it 's on late Saturday nights or something that 's on during the day as well I did not watch it when it was on another night . neutral +A series of coral headlands covered in tropical vegetation reach out into the ocean . The coral headlands are barren and end right before the ocean . contradictory +How many did it take to carve a mountain into a god ? The mountain was unable to be carved . contradictory +Jon , San 'doro , and Ca 'daan left . The three people left the village quickly . neutral +that 's encouraging That 's discouraging . contradictory +Surprisingly , however , we will find that France has a greater variation in delivery costs . Delivery costs are always the same in France . contradictory +The Place du General de Gaulle ( also known as the Grand ' Place ) is in the heart of Vieux Lille , a district of cobbled streets , shops , restaurants , cafe , and an assortment of architecture ranging from the beautiful 17th-century Vieille Bourse ( Old Exchange ) to the 20th-century Nouvelle Bourse and Opera . It is impossible to find a restaurant in Vieux Lille . contradictory +and uh you just set it in there and you microwave it on high for seven minutes and you turn it one time and while that 's cooking i take mayonnaise about a cup of mayonnaise Put the mayonnaise in the microwave . contradictory +yeah that that 's sort of the way i feel too i don 't know what else we just saw something recently I 've known for a while and I don 't feel that way at all . contradictory +Narrow alleyways brim with copper , gold , leather , and alabaster , and the streets are replete with barrow traders touting for customers . The alleyways have people trading things from all over the world . neutral +The ad dwells entirely on fiscal questions such as Social Security . The ad does not touch on any fiscally related topics . contradictory +no no i 've never had any luck with their 's I would use my own but it 's broken . neutral +I poured it out , yes . Yes , I emptied it out . entailment +The earliest signs of people on Jamaica are the remains of the Arawak , an Amerindian society that originated on the north coast of South America . The Arawak migrated to Jamaica over a long period of time . neutral +Tokyo is a city of enormous creative and entrepreneurial energy , much of which goes into reinventing itself . A lot of the creative and entrepreneurial energy of Tokyo is reinvested into itself . entailment +Questions about durables holdings--cars , housing , and personal computers . They had not prepared any questions . contradictory +Room 1 : The 14th-century Coronation of the Madonna of Paolo Veneziano , first of the city 's great masters , glowing with characteristic Venetian color and texture . The Coronation of Madonna of Paola Veneziano lacks the color generally ascribed to Venetian work . contradictory +Off the beaten path in Sham Shui Po , west of the junction of Nathan Road and Boundary Street , is the Lei Cheng Uk Han Tomb and Museum on Tonkin Road ( open Monday Wednesday and Friday Saturday 10am 6pm , Sunday 1 6pm ; closed Thursday ) . The museum on Tonkin road is only open on Fridays one to six pm . contradictory +The small entities are composed of tier II day care home providers who will experience a large decrease in reimbursement rates for meals served . Under the second tier consisted of the small entities . entailment +The Shore formed around the mouth of the Waters of Leith , the narrow river running through Edinburgh . Edinburgh was formed around the river that flows through it . neutral +They think Gates is stepping down-contrary to Ballmer 's insistence that Gates is stepping up to his new job-in hopes of appeasing Justice Department warriors who want Gates ' head . Gates does not want to appease anyone at all . contradictory +yeah what do you think about a state income tax What 's your tax on a state income tax ? entailment +He doesn 't need to force his actors to caricature their behavior in the name of some archetypal truth because those masks are already so marvelously archetypal . He routinely forces his actors into archetypal caricatures . contradictory +CHAPTER 4 : STEWARDSHIP LAND The piece details tax account structure . contradictory +The program manager for the National Organic Program said that AMS knew that the rule would be controversial , so AMS decided to take advantage of IT 's potential to facilitate the comment process , allowing comments to be provided via mail , fax , and email . The program manager knew people would love the rule . contradictory +At the same time , Sufi mystics synthesized Islamic teaching with local Malay traditions of animistic magic and charisma , though Islam did not become the state religion until Muzaffar Shah became sultan of Melaka ( 1446 1459 ) . Sufi mystics believed they could see into the future by peering through orbs . neutral +Abdul Razak had earlier played a key role in combating the Communist insurrection years earlier . The Communist insurrection had been defeated decisively . neutral +For each year ( 2010 and 2020 ) , our analysis evaluates a single control scenario , as described below . The analysis ignores the data for all previous years . neutral +what period yeah no i know which is worse The period is worse than the comma neutral +do you think that 's the main reason do you think the I think that is the main reason . neutral +Of course you realize that , now Mr. Inglethorp is out of it , the whole position is greatly changed . Mr. Inglethorp was a crucial part of the position . neutral +I hit you with my rapier but imagine if Thorn had parried with his blade . I kept my sword sheathed . contradictory +They actually seem to play because they love their game . They seem to play because of their love of the game and of each other . neutral +Today , as you walk through the Great Gate into the spacious Georgian yard , Dublin Castle ( for hours and admissions ) looks serene and imposing . The scene of Dublin Castle can be described as serene . entailment +Stones from the demolished Bastille prison were used for its support structure ' galling for Royalists , since it had originally been named Pont Louis XVI . Stones from the Bastille prison were used to build a bridge . entailment +right that 's that 's right That is correct entailment +well as as you say the the um benefits are the biggest part of it i think that today with costs uh for medical insurance and eyeglasses and dental and all that it is a boom a a a plus to have that even as far as your uh salary goes you know along with it because it 's not out of pocket money and it they also have good insurance uh life insurance policies good retirement Dakota the um jet funds all that stuff i think you know the IRA 's They have good insurance and life insurance polices . entailment +The Musee Picasso at 5 Rue de Thorigny in the Marais ( metro Saint-Paul ) has received more than 200 paintings and 158 sculptures , in addition to hundreds of drawings , engravings , ceramics , and models for theater d ? ? cors and costumes . The Musee Picasso has received over 200 paintings and over 150 sculptures . entailment +If God spare my life , Tyndale once vowed to an educated friend , ere many years I will cause a boy that driveth the plough to know more of the Scripture than thou doest . Tyndale bartered his captor . contradictory +We will also provide copies to the Honorable Jacob J. Lew , Director , OMB ; the Honorable Dan Glickman , Secretary of Agriculture ; the Honorable Donna E. Shalala , Secretary of Health and Human Services ; the Honorable Alexis M. Herman , Secretary of Labor ; the Honorable Rodney E. Slater , Secretary of Transportation ; and the Honorable Carol M. Browner , Administrator , EPA . The Secretary of Agriculture will not be given copy of it . contradictory +The Calvinistic reforms were soon reversed when Kaahumanu died and Kamehameha III ascended to power in 1824 . Kaahumanu ordered Kamehameha III to reverse the Calvinistic reform before his death . neutral +Brewer commented that having a paper published is different from having an impact on clinical practice . Clinical practice is completely useless , nobody needs it . contradictory +yeah like Jordan Jordan did it very well . neutral +To get a sense of the long-term implications of broad fiscal policy choices , we examined the fiscal and economic outlook over the next 75 years under two ( 1 ) assuming that the federal government saves only the Social Security surpluses and ( 2 ) assuming that the federal government saves the entire unified surpluses . We examined the fiscal and economic outlook over the next 75 years . entailment +Come here . " He caught her and yanked a single hair out of her head . He caught her as she was trying to run away and yanked a hair roughly out of her head . neutral +'I 've been looking for you . ' I would never look for you . contradictory +Had it been a little clearer in its terms , it is possible that Mrs. Inglethorp , warned in time , would have escaped . It is possible that Mrs. Inglethorp could have escaped , if she 'd been warned in time . entailment +The house now incorporates the restored ballrooom , a restaurant overlooking the gardens , an exhibition on the history of the estate , a crafts shop , and a garden center . The house has been restored . entailment +But it was only Eisner 's recognition that a brand has to be updated and nurtured if it 's to flourish that made those decisions so obvious . In order for a brand to do well , it must be well taken care of and updated , according to Eisner . entailment +Quenching cools and saturates the flue gas with absorber slurry . Squeezing and then shaking rapidly saturates the flue gas . neutral +In addition to the Medicare and Medicaid programs , the department includes more than 300 programs , covering a wide spectrum of activity from medical research , financial assistance to low-income families , to substance abuse treatment and prevention programs . The department carries programs providing financial assistance to low-income families . entailment +yeah and she 's pregnant did you know that She and her partner have been trying for a year . neutral +and uh they put her in jail now i don 't think anything should happen to him but i think she should stay in there because really she just did it because she wanted to get out the marriage and she wanted all his property she went to jail and he should too I think he should be locked up she didnt want out the marriage she just wanted love contradictory +VA also established performance measures , such as increasing the number of outpatient surgeries , reducing the use of inpatient care , and increasing the number of high-priority veterans served to hold network and medical center directors accountable for results . VA also established performance measures . entailment +found that the process of securing ISO 9000 registration has been a valuable experience in understanding just what they do and how they go about it . The ISO 9000 registration securing process has been a worthwhile lesson . entailment +Turkish-made beer is also a popular thirst-quencher , and of good quality . Turkish beer is of low quality and not many people drink it . contradictory +The act requires that auditors for each of the 24 departments and agencies named in the CFO Act report , as part of their annual audits of the agenciesa financial statements , whether the agenciesa financial management systems comply substantially with federal financial management systems requirements , applicable federal accounting standards , and SGL at the transaction level . There are 24 departments and agencies that are named in the CFO Act report . entailment +Broadly speaking , I agree with the points David Plotz makes in . Congress has the sole power to declare war , and a bipartisan Congress and the president have cheerfully ignored that clear constitutional fact . Congress is able to start a war whenever they please . entailment +Come here , Dave Hanson . " The command was still there , however petty the man seemed now . The command affected the man . neutral +And now , judging by News Quiz responses , these wan titans are barely portrayed at all . The wan titans used to be featured prominently in News Quiz . neutral +Surprisingly , the marginal cost of SO2 , NOx , and Hg reductions increases as the marginal cost of carbon decreases . The marginal cost of carbon decreases as the marginal cost of Hg increases . entailment +Some of the rules with their own dedicated web sites ( e.g. There are some rules that have websites dedicated to them . entailment +Nor does Soccer Guy seem like an appellation that 's likely to go down in the annals of crime alongside Sammy the Bull--or even Paulie Walnuts , that hit man on the Sopranos . Paulie Walnuts was a hit man on the Mob Wives . contradictory +I remember in Mr. Whittington 's office . I was reminded in Mr. Whittington 's office . entailment +yeah yeah uh we live in a mobile home and that 's probably not typical America but We live in a dwelling that is atypical American . entailment +The volcano 's name is thought to derive from an Ainu word for fire . The volcano was given its name two hundred years ago . neutral +Congress may also craft compromises that strengthen homeland security while reducing concerns of program disruption or unanticipated consequences . Congress may also craft compromises that strengthen homeland security . entailment +Accountability goals and an effective control structure provide the basis for a more resultsoriented government Accountability goals provide no basis for a more results oriented government . contradictory +He is one of those people who wants to see good things happen to good people . He doesn 't like good people . contradictory +Moreover , given the political damage the GOP has suffered by unilaterally impeaching Clinton , Republican leaders fear that the merits of their arguments will once again be drowned by charges of partisanship . The GOP is justified in their unilateral impeachment of Clinton . neutral +The development of new service approaches and the enhancement of old ones in this new information era require the active participation of information management organizations from the beginning . The information management organizations need to be involved from the beginning . entailment +I remembered Mrs. Inglethorp 's dying words . I 'll treasure her final advice . neutral +Shopping is therefore duty-free , as in Saint-Martin . There is a duty on all shopping . contradictory +i 've never been there hum-um I have been there many times . contradictory +yeah well it all depends on what the rapids are like The rapids are always one way . contradictory +The Secretary of Health and Human Services The Secretary of Health and Human Services entailment +uh-huh um and when you turn it over you 'll see that very same pattern uh it will be fainter of course but it will be that same way and the machine made ones they don 't they don 't look like that The machine made ones have a distinct pattern on them . contradictory +They stuck him into this thing resembling a caftan , not a flight suit , and he couldn 't even take a photo of himself , but maybe it was better without one anyway , because in this vomit-green inflatable quilted shit , he looked like a huge pear , even though he weighed only 125.5 kilograMs . ' And what is this ? ' He asked the captain pointing with his eyes at the screen , where wrapped in a thick layer of brownish gases , an outline of Earth could be seen . He asked the captain a question . entailment +Encouraging Discrimination-Based Advocacy Funding Discrimination-Based Advocacy . neutral +uh we i i look at our home though and i think well gosh you know if we don 't do this then the next person who owns this home for instance is going to probably remodel the kitchen put in new cabinets that kind of thing you know after oh twenty six years uh things get a little scuffed up and it 's not something that i 'm not interested in the mess anymore The next owner won 't have to redo anything ! contradictory +Combined Power Plant Air Pollutant Control The power plant has air pollutant control . entailment +The resulting larger pie could be split up so that everyone , both during and after the transition , is better off . A larger pie would make everyone before the transition happier . neutral +North and east of the historic center is KL 's Golden Triangle , which is a newer office , entertainment , and shopping district . There is a newer office in the north east . entailment +Beyond Pothia , the castle ( Pera Kastro ) at Horio , the medieval capital , is clearly visible . The castle has been standing for centuries . neutral +To finance a deficit , a government has to borrow or sell assets it owns . The government might have to sell its own assets to pay the deficit . entailment +The forum led to the creation of the Justice Action Group , staffed by the State Bar Association and chaired by U.S. The Justice Action Group was formed as a result of the miscarriage of justice by the Supreme Court . contradictory +Note should be made of how well the agency has addressed the critical factors in GAO 's 1990 model of information technology acquisitions as well as agency compliance with acquisition regulations , standards , and other federal guidance . The agency 's compliance with federal guidance is something to take note of . entailment +When I discovered that she had told a lie at the inquest about the letter she had received from Mrs. Inglethorp . The letter was suspicious for me . neutral +As many of your readers may know--but Lawyer Feige apparently does not--the American Bar Association adopted a new code in 1983 , known as the Model Rules of Professional Conduct . The Model Rules of Professional Conduct were adopted by the American Bar Association in 1983 . entailment +The Duce 's motto of Better to live one day as a lion than 100 years as a sheep contrasted with the one he gave the Believe , obey , fight . The motto was meant to inspire others . neutral +BMAST takes 5 to 12 minutes to administer and performs nearly as well as the longer version . BMAST is a test of hand eye coordination used by some police departments . neutral +uh i guess it was uh they brought in their verdict and sentence at the same time did they not I thought they brought in the verdict and the sentence at the same time . entailment +The spectacle of the Left-Behind White tells us again that many whites who complain about black obsessions with blackness are themselves obsessed with whiteness . White is white and he knows all about whites obsessed with whiteness . neutral +This undermines a knowledge-based process for making product development decisions . A knowledge-based process for making product development decisions is undermined by this . entailment +The crowds in and around the station will douse you in something of a baptism by fire ; you 'll soon realize that only a small fraction of them are actually there to take a train . The crowds from the station will douse you in fire by baptism . entailment +you know i 'm not saying that that it 's totally gone but it 's nothing like what it used to be Income inequality has made modern life different from the past . neutral +i think they 're they 're only around uh twenty nine K They are only about twenty thousand I think . entailment +This is shown in the supply curve in Figure 9 . The supply curve in the book shows it . neutral +The H ? ? tel Sandelin museum is well worth a visit , both for the splendid 18th-century mansion with its Louis XV furnishings and for its rich collections of porcelain from all over the world . Louis XV 's furnishings are no longer present at Sandelin . contradictory +She then repaired with a handbag to the fastnesses of the ladies ' waiting-room . She sat in the ballroom , wondering where she had left her handbag . contradictory +For sailing lessons , the Escuela Nacional de Vela de Calanova ( National Sailing School ) offers intensive beginners ' courses ( Avda . Beginning sailors can take lessons at the Escuela Nacional de Vela de Calanova . entailment +That probably won 't happen . It 's very likely to occur . contradictory +We must have a reasonable amount of flexibility to address emerging challenges before they reach crisis proportions . There is no reason to have any flexibility . contradictory +Are you all right , Tuppence ? " Are you not feeling sick , Tuppence ? neutral +In fact , it may well be that News Corp. , which is building a national competitor to ESPN by stringing together a series of local sports networks , is more likely to work for the best interests of the game as a whole . News Corp. is acquiring a number of local sports networks . entailment +no no what they 're doing is they 're asking for handouts That isn 't what they are doing , they are asking for free money in reality . neutral +Although Cuba had the second-highest per capita income in Latin America , prosperity did not filter down from the upper classes . The prosperity of Cuba was only for the upper classes . entailment +What 's their bet ? I don 't want to know their wager . contradictory +yeah well it was a political move it was made to placate some of the northern support but not completely alienate all the southern We need to please as many people as possible in order to get reelected . neutral +The rule will apply to 82 percent of the general , short-term , acute care hospitals that participate in the Medicare program , or 5,130 hospitals , all of which are considered small entities by HCFA . The rule will apply to 5130 hospitals . All are small facilities . entailment +Many carvings of Hatshepsut at the temple have been defaced . The temple contains many carvings of Hatshepsut . entailment +Tell me at once , who is ' Mr. Carter ' ? " Tommy murmured a name in her ear . Tommy did not give her a name . contradictory +A special place in the Liberal Humanitarian pantheon belongs to New York Times columnist Anthony Lewis . Anthony Lewis has a spot in the LIberal Humanitarian pantheon . entailment +at the firm In the office . entailment +uh-huh yeah that 's the hard thing out that way but uh i liked Riverside though the weather in Riverside was pretty good in California was it was i have a son lives in Riverside and one lives in Corona so I have two children who live in different places . entailment +Instead , attention focused on former premier Yevgeny Primakov 's announcement of his alliance with a new political party . Yevgeny Primakov made no announcement about his alliance . contradictory +And here 's whose fault it mine . It is my fault that the program lost funding . neutral +were known yeah so well i think we 've probably talked long enough I think we should probably end here , and pick it up later . neutral +Come in , I said , springing up . After our debate , I asked , " Come in . " neutral +Non-Hindus are not permitted within the temple precincts , but you can get a good view from the roof of the Raghunandan Library near the temple wall . The roof of the Raghunandagn Library gets very crowded . neutral +Newly confirmed Prime Minister Vladimir Putin vowed to crush the rebels immediately , but Chechens girded for another drawn-out conflict . Putin wanted to make peace with the rebels . contradictory +And ranking by size of gift provides a useful objective measure . An objective measure is is rank by size . entailment +It is said that the falls got their name from the initials of the two original landowners , John Yates and Colonel Richard Scott . No one has any idea where the falls got their name from . contradictory +absolutely nice talking to you Yes I enjoyed talking with you entailment +5 component species and PM10 ) at each grid cell . Each grid cell has 5 component species and PM10 ) . entailment +More tax cuts ! There should be less tax cuts in society . contradictory +Hello Mieczyslaw ? And how are we feeling today ? Good , I suppose , because sleep 's the best medicine , as the old saying goes , and who cares that it 's banned . Sleep is banned , regardless of its purported healing properties . entailment +Otherwise , if the road gives out , you 'll have to walk for about half an hour to this paradise bay , which a noted American banker , David Rockefeller , chose as the site of his Caribbean vacation home . David Rockefeller declined to have a vacation home on the Caribbean . contradictory +hum United States right Yeah , correct , the United States . entailment +When th ' Yankee boys from Californy came marchin ' in an ' th ' Rebs had to skedaddle Johnny , he went with ' em . The boys from California fled at the sight of the rebels . contradictory +We thank the LSC Board of Directors for giving us this opportunity to present our work . We do not thank the LSC Board of Directors for their actions . contradictory +It is here , in neighborhoods like these , that a sense of the need for continuity and community is emerging . The neighborhoods are actively isolating themselves . contradictory +Still , the future of Las Vegas is sure to be determined as much by the pioneering spirit that built the city as by anything else . Las Vegas ' future will be determined by unknown investors . contradictory +Unfortunately , the buildings in this large temple are concrete reproductions of the originals destroyed by bombing in World War II . Concrete reproductions were made of buildings lost in World War II . entailment +it 's so relaxing to just sit and but once i get started i can 't put it down i just Once I get started , I work for ten straight hours . neutral +you know we 've got um well like i say i know that there are some type of programs that they have available for a youth like teenagers to go and do um work in the national parks and work in uh neighborhoods to do um clean up and that sort of thing but i don 't know what organization it 's under i don 't know if it 's a government run or if it 's a private The programs are effective for youth development . neutral +The ground-floor rooms of the museum house a model of the old palace and a collection of Burgundian sculpture from the 15th century to the present day . The museum has many exhibits that are available for public viewing . neutral +The local daimyo of Satsuma was so impressed that he started to buy British ships , which became the foundation of the future Imperial Japanese Navy . The foundation of the Imperial Japanese Navy consisted mainly of Japanese cruisers . contradictory +Which you certainly couldn 't say about Errol Flynn . You can 't really say that Errol Flynn doesn 't like chocolate . neutral +and and all the white water and noise and the it was just beautiful The noise and the white water was gorgeous . entailment +Tommy , don 't you see , if they are scared enough to run away like this , it shows that there must be a lot in this Jane Finn business ! I think they are running away because they are scared . entailment +well go ahead i 'll let you start I am not ready yet so you may go ahead . neutral +Gray Davis and leaders in the Legislature , the state committed $ 10 million a year to legal aid for the poor . The poor received $ 10 million in legal assistance from the state . entailment +One can see how archaeologists arrive for one season and never leave the ruins and artifacts , like the enigmatic smile of the Sphinx , pose more questions than we have answers . Artifacts and ruins are easy to find answers to , and pose no other questions . contradictory +They seem overpriced . There is no chance that they are overpriced . contradictory +The challenge by pro-choice groups was based on narrow arguments , but the media are spinning the court 's action as a victory for fetal rights . The pro-choice groups used simple arguments . entailment +yeah they they give out stuff and it 's have you ever seen the movie Bull Durham i mean it 's just like that exactly They aren 't allowed to give anything out . contradictory +A More Constructive Test Approach Is Key to Better Weapon System Outcomes . There are no alternative approaches for weapon system accuracy . contradictory +and basically the same thing i use them if i 'm running short of cash and there 's something i want or sale a sale or I never use cash , I only use a credit card . contradictory +uh-huh well i 'm in Pennsylvania I 'm located in Pennsylvania . entailment +if they 're the kind of people that commit these excuse me grotesque crimes and have done it over and over and over again you don 't reform those kind of people You can 't reform repeat offenders of grotesque crimes . entailment +all right have i got your attention now Now that you 're all looking at me . neutral +On the central supporting pillar is a statue of John the Baptist ' beheaded not by Herod but by iconoclastic Huguenot vandals . The central pillar showed shows a stature of John the Baptist getting beheaded by Herod . contradictory +and also you know it 's like for for presentations it 's like if you have to do any statistical data it can be easily represented on a on a PC it can be easily represented on a on a PC you know like years back when you didn 't have that you would have to map out all this all these numbers Doing presentations is always very easy nowadays . neutral +Like a Vegas bookmaker or a seasoned actuary , Posner will spit out a number at the end of these negotiations and , like a Pentium processor 's , Posner 's number will be right . Posner will give a number that is always right . entailment +yeah wonder if they 're going to take into account with this commutiv uh this computerized conversation that there 's little children you know bouncing in your knee the whole time your talking I hope they consider the fact that some of us have children while we are talking . entailment +If we keep up , they 'll route . Nothing will happen if we keep up . contradictory +it always sounds more oh its I never heard it . contradictory +well maybe there are some professionals out there it makes you wonder You end up asking yourself if there are some professionals out there . entailment +Also within the park are a boating lake and two fine racecourses , Longchamp for flat races and Auteuil for steeplechases . The boating lake within the park is one of the most attractive scenes within the area . neutral +Calm down " Tommy had made an impatient gesture " I 'm going right away now going to the London and North Western Railway depot , if you want to know . " Tommy said nothing and just continued on his way . contradictory +Finally , in 1936 , a large section of the army under General Francisco Franco rose in revolt against the government . In 1936 a big portion of General Francisco Franco 's army came up against the government . entailment +interested parties to a common objective and integrate their knowledge , There was no collaboration or integration of knowledge . contradictory +While she supports his bill , my objective is to get something done this year , she said . She strongly opposes the bill and plans to do nothing this year . contradictory +10 discusses how the Social Security trust fund , for example , affects federal government saving and national saving . 10 talks about how the the federal government savings fluctuates based on discount rates of the Fed . contradictory +Nonetheless , becoming more efficient is not enough to remain competitive . Multiple failures have led to the conclusion that being competitive requires more than just efficiency . neutral +and then they 're treated rotten the actual Native Americans the Indians well they 've got they they 've got the worst deal around The Native Americans were always treated well . contradictory +Each year the government spends billions of dollars on computer equipment , services , software , and telecommunications . The government spends billions on computers because things change so quickly . neutral +yeah i at least for a lot of women depending on on what she did i 've i was an engineer with uh It is a lot for a women , based on what she did . entailment +Not for any provider , no matter how reputable ; nor for any claim , no matter how small . They will serve any provider . contradictory +We have close friends who have us to their home for dinner almost every week . We almost never have dinner with our friends . contradictory +Especially for 1999 , LSC has substantially strengthened the documentation requirements for reporting a case to LSC . The documentation requirements are weak and LSC won 't change . contradictory +Most of the good stuff in William Trevor 's novel William Trevor wrote a movie . contradictory +One of Italy 's most important art museums , it offers the chance to see just how little Venice has changed over the centuries . The museum , despite having an extensive collection , is not considered important . contradictory +one month for one year actually assigned Each month requires one year . neutral +In addition , we provide a brief summary of our approach to valuing visibility and agricultural yield improvements . We will not provide any summaries . contradictory +A victory by Deep Blue would indicate its superior computational skills , but not a capacity for conscious thought . Deep Red is capable of superior computational skills . contradictory +normally i listen to CNN or Headline News about an hour a day and then i supplement that with uh radio news from my car radio and from a news magazine once a week I wanted to be informed about the world around me but I 'm pressed for time . neutral +that 'd be interesting because i um i actually um um i 'm i 'm i 'm Jewish and i 'm actually sort of not not not not not really a Zionist per se you know i 'm not That 'd be interesting because I am Jewish . entailment +Fred Hanna 's in Nassau Street sells new and secondhand books , posters and old postcards , and has a good children 's section . Fred Hanna 's is a popular child apparel store . contradictory +He appealed the ruling , accusing Keller of being anti-Semitic and anti-Asian ( Klayman is Jewish ; his client was Taiwanese ) . The ruling was appealed . entailment +Fearing invasion , the Edinburgh town council built a protective wall ( the Flodden Wall ) around the city boundaries . The Flodden Wall was built around Edinburgh to protect it from invasion . entailment +They had saved Ca 'daan 's life . Ca 'daan was almost dead , but he survived . neutral +America rescued him from minor cult status and gave him to the world ( at a not-insignificant profit ) . America saved him from a cult . neutral +The original Cityof David , where Solomon reigned and where the Old Testament prophets walked , was located on a lower ridge just to the south of the present Old City The original old city is right where the current city is . contradictory +For purposes of this subpart This document is for this sub-part . entailment +This highway passes through Banepa , where you can turn off to visit Panauti . One can visit Panauti by turning off the highway . entailment +Never mind the darned stitches . Don 't pay attention to the stitches . entailment +As the fortress grew bigger and more luxurious , it played a more significant historical role . The fortress played a significant historical role . entailment +Has the World Wide Web , which only appeared in 1993 , failed us ? The Internet has been around since 1993 . entailment +The Clear Skies Initiative will cut air pollution 70 percent , using a proven , market-based approach that will save American consumers millions of dollars . The Clear Skies Initiative is a cost-driven approach designed to be the best of both worlds , between green policies and fiscal conservatism . neutral +Rather , it provides an opportunity to glimpse one key aspect of the very essence of a society and people whose origins , development , and identity hold a fascination for the rest of the world . It gives an opportunity to get a glimpse of people 's origins . entailment +a man present i don 't think i 'm less than a man because of that i but i see that and God 's really shown me that and i don 't talk to them i don 't try and witness to them don 't try and convert them i just say you can you can either you can come back when my husband 's here I feel uncomfortable talking to them and I wish my husband was home . entailment +But , a priori , neither can anyone else . But , a priori , everyone else can too . contradictory +there 's a place to take them and uh oh good heavens up there just this side of Texoma Texoma not Texoma uh Texarkana You can take them hiking near Texarkana . neutral +If she fails to respond , he said , the House will have no choice but to call for the vice president 's impeachment . If she doesn 't respond , the House will have to try to impeach the VP . entailment +GAO also has statutory authority to render decisions on matters such as bid protests and the availability and use of appropriated funds . GAO has no authority when it comes to bids . contradictory +Revealed are Kerouac 's growing distaste for the other beats and the beat movement , his surprising religious fervor , and a sweet and earnest nature . Kerouac has no religious fervor to speak of . contradictory +Emissions will be cut from current emissions of 48 tons to a cap of 26 tons in 2010 , and 15 tons in 2018 . Emissions will be cut to 15 tons by 2018 . entailment +Well , ' sorry ' won 't make the dog 's leg grow back ! Sorry won 't fix everything . neutral +LASNNY provides only needed civil legal aid -- urgent , noncriminal assistance to low-income people . Poor people can get help with urgent and noncriminal problems through LASNNY . entailment +Then he see Teodoro coming , he not listen he beat on him with quirt . Teodoro was beat with quirt . entailment +Other towns known for embroidery are Manacor , Pollenca , and Art ? . Manacor embroiders clothing and blankets . neutral +We agreed to do it because we thought it made a lot of sense in terms of the public interest and , secondly , because it was very handsomely compensated work . We refused almost immediately , we didn 't need to add unpaid work to the list . contradictory +For instance , contrary to what the raccoon-eyed waif suggests , many heroin users are able to use their drugs and conduct functional lives . All heroin users are usually depicted as major junkies but most don 't use that much . neutral +but don 't tell the NRA i said that Make sure the NRA knows I said that . contradictory +This small , round tree-covered island is a favorite vacation spot for families from the cities of northern Greece , being only 12 km ( 8 miles ) from the coastline of Macedonia . The island is also know for is beautiful beaches which crates a great place to spend time with their families . neutral +He was sure of it but he could not say why . He was not sure of anything . contradictory +It was obviously locked or bolted on the inside . She locked the door , not wanting to see anyone . neutral +and so i went ahead and bought another standard when i bought the Honda but i don 't think i 'm going to do that again i think i 'm going back to automatic now I prefer driving automatic cars . neutral +Who is that ? asked Tuppence , puzzled . Tuppence asked , " Who is that ? " entailment +The form of address , you understand , is merely the battleground for the simmering war between them . You understand that is how peace starts between them . contradictory +yeah oh no in her little bridesmaid dress She was dancing around in her dress . neutral +framework also is used throughout GAO to help guide our research and development The GAO inhibits out developments and strives to undermine our inner workings . contradictory +As at Garda , a mild climate nurtures luxuriant vegetation in the villa gardens and parks . The temperate climate allowed for a lot of plant growth . entailment +The work of attorneys from Legal Services of New Jersey will be highlighted in a onehour documentary , Quest for Justice , to be aired 9 p.m. today on New Jersey Network . A onehour documentary , Quest for Justice , will be aired 9 p.m. today on New Jersey Network . entailment +Oh ! Lawrence looked indeterminate . Lawrence didn 't look sure of himself . entailment +the quality but actually have a truer standard of living The quality , but actually experiencing a more true , authentic standard of living . neutral +Just walk up and hit it ! Just walk up and hit that stupid clown . neutral +150 LSC grantees reported that in 2001 they provided pro se assistance services . None of the LSC grantees are allowed to provide pro se assistance services . contradictory +While this would bias estimates based on more recent pollution levels upwards , it also would imply a truly long-term chronic effect of pollution . Estimates would not be biased . contradictory +Oh yes , it also appears , according to experts who have carefully examined the skeleton , that he was Caucasian . Experts say that he was a rabbit .. contradictory +so i mean it it 's like where does this all stop Where does this all stop and reverse itself ? neutral +And it 's a safe bet that in the open-air markets , the sales-ladies under the big straw hats are gossiping too between transactions involving such prized local items as guavas , tamarinds , red pimentos , and plantains . There are only salesmen at the open-air markets . contradictory +Another market catering to more traditional tastes is the Kampung Bahru ( new village ) , behind the Chow Kit area . There is more than one market in the area . entailment +when he was alone you can tell i 'm an animal lover you can hear my dog I am allergic to animals ; I cannot have a dog . contradictory +it it it really works that way It does work in such a way . entailment +individual offenders Multiple offenders . contradictory +I fancy my armour is impregnable … . My armour is impregnable , I feel like ... entailment +( Actuarial Standards of Practice No . The standard practices . entailment +This willingness to accommodate will alienate the Senate 's ultraconservative firebrands , who seek war against Clinton and the Democrats over the balanced budget , abortion , and flag-burning . Accommodating anyone in Congress will result in everyone being very happy . contradictory +Another approach would involve tracking changes to the estimated completion date for a system . Out of all of the possible approaches , this is perhaps the least viable . neutral +The Adriatic coast , of which Rimini is the chief resort , has wide sandy beaches , at some points stretching 300 m ( 1,000 ft ) from the water 's edge back to the dunes . Rimini is on the west coast of Italy . contradictory +He adopted an upbeat American organicism derived from Henry David Thoreau and Walt Whitman . He adopted organicism like Thoreau and Whitman . entailment +By 1787 the population had grown to 1,368,000 . The population had grown to 1,368,000 by 1787 . entailment +Census Bureau data from the Current Population Survey . This is data from the Census Bureau . entailment +yeah i i think really probably what hit people 's you know i know that here in the up in the uh uh the the New England area and also in in Pennsylvania Ohio and New York the just run all of a sudden we 're out of landfill the New England area doesn 't have much of a practical choice but to recycle , because the landfills are full neutral +All footpaths are clearly marked . After a number of hikers were lost one year , they thought the markers would help prevent that from happening again . neutral +A right turn at the junction leads along the valley floor past the modern artisan villages of Sheik Abd el-Gurnah , where you will be able to buy alabaster and onyx pieces . There are a number of modern villages to the right . entailment +At least if you write a travel book you actually have to come up with a couple of hundred pages ' worth of information . The best travel books are no bigger than a pamphlet , with only 10-20 pages of info . contradictory +well just an amateur singer He sings in the choir and he likes to do special music and stuff at church He is a professional singer signed to my label . contradictory +In leading commercial companies , the opposite is true . The opposite is true in leading commercial companies . entailment +It 's pretty complicated . " " It sounds worse than that , " Dave grumbled . Dave knew what it truly would entail . neutral +The French had little interest in the Alps until the mountain-climbing craze was launched by the conquest of Mont Blanc in 1786 . Mountain-climbing is still a popular activity in France today . neutral +it 's a tremendous thing when you sit in a in a college environment and discuss some issues and really sit there with people with disagreeing opinions and you hear all these different sides of the story Its great when you are in college and discuss an issue with people that have disagreeing opinions but it can sometimes get tedious . neutral +You can make an argument that intelligence is an extremely unlikely , random , quirky event in terrestrial biology , or you can make the counter-argument that you can see intelligence coming down the pike from many millions of years in advance . You could reasonably say that intelligence is very unlikely to be developed . entailment +Sir James shrugged his shoulders . Sir James moved his shoulders . entailment +some of our people in the legal department we have um assistants to the general counsel and it 's funny because there 's one that always wears a suit a matter of fact he 's never seen without his jacket to the suit on buttoned Sometimes , the counsel assistant dresses rather casually . contradictory +Shalit argues that when you walk down the street you can tell the virgins by their fresh , healthful glow . Shalit , a psychology professor in Washington , refers to this glow as the ' glow of innocence ' . neutral +and you know the the moneymaking part of it and all that matter of fact if anything she 's worse but uh uh it it just there 's little enclaves down there where you know Americans have a lot of influence Americans have little power down there . contradictory +Moreover , the realignment will help us to enhance our longterm capacity by improving recruitment and retention ; building a succession plan ; focusing on emerging issues ; and leveraging technology opportunities for improvements to clients , processes , and employees . Short term capacity will be harmed due to the realignment . contradictory +In other words , it 's possible ( though probably unlikely ) that Clinton is in psychotherapy under the guise of seeking ministry from a psychotherapist who 's also an ordained minister . Clinton is seeking psychotherapy on the sly from an ordained minister . neutral +These are beautifully preserved and painted in bright tropical colors , a perfect environment for the smiling children in their smart uniforms . The paintings that were produced are representative of life . neutral +The train exploded . The train was packed with TNT that went off . neutral +Ah ! Was he pleased , or disappointed ? Was he happy or upset ? entailment +The reasoning starts off like The reasoning was done quickly neutral +Although most people take the ropeway , the easily negotiable trail leading to the top of 530-m ( 1,739-ft ) Mt . Misen is an invigorating hike . Once you reach the top of Mt . Misen , you 'll find a café for refreshments . neutral +The WP ' s TV column notes that earlier this week , the Los Angeles City Council passed a motion condemning the new sitcom The Secret Diary of Desmond Pfeiffer , a show about a black butler and personal advisor to President Lincoln that includes cavalier references to slavery . Lincoln has no black butler . contradictory +This boasts a view as far as the Agra Fort . I can see my house from here . neutral +In 490 b.c. , they captured sacred Delos and razed the settlements on Naxos . Delos and Naxos were unaffected by the war . contradictory +oh yeah yeah in in in fact with me uh this is uh it 's not much to talk about i i 'm so much for it i don 't really have much to comment about it uh there 's been some interesting subjects that they 've called how many times have you called or have you been participating in this uh I do not have much to say about that but sometimes they ask about what you are involved with . entailment +uh had she had any previous criminal history now that 's the of thing i 'd have to kind of look at She had some criminal history . neutral +yeah uh it 's there 's was a mandatory jail sentence if you were caught um with a firearm and also i think there was a fine If you get caught with a firearm , there 's a fine and jail sentence . entailment +well but you know the the strange thing uh perhaps not strange but something that many people don 't realize is that you can go back as far as nineteen fifty one and fifty two and find that there were drug dealers If you go back to 1951 , you 'll find that there were no drug dealers then . contradictory +Expensive clothes : suits , ties and sunglasses all in black . Every item of clothing was white . contradictory +For some easy hiking , stop off at the lower station of Plan de l 'Aiguille ( 2,310 m / 7,580 ft ) . Any hike taken at the lower station will be difficult . contradictory +well if you 've been here for three years you didn 't get here the year they had the big freeze and stuff here did you what was that eighty eighty four They had the big freeze over three years ago . entailment +i 'm i 'm willing to pay for that for my children and i 'm willing to sacrifice i guess i mean i 'm not going to be the kind of person that 's going to grumble about the taxes even though we 're paying pretty high percentage um i feel like you get what you pay for and i want to be here and i i enjoy i enjoy living here in this country and having seen other countries i 'd much rather live here and pay taxes than live somewhere else and I will not sacrifice for my children and I believe taxation is theft . contradictory +The tensions between , say , competition and compassion , or efficiency and equity , which blighted politics for so long , are sterile quarrels of yesteryear . Today 's political focus on efficiency vs. equity is stronger than ever . contradictory +uh i mean it 's you know it I know that you have no idea what I am talking about . contradictory +Republicans used to defend any conceivable expression of executive privilege over Congress and the courts--now Democrats do that , while Republicans take up the old cry of imperial presidency . Republicans now complain about expressions of executive privilege over Congress . neutral +This , then , was the famous K.C. The famous K.C. arrived in the building . neutral +By the end of the third quarter , he 'd cobbled together 18 sloppy points to Pippen 's authoritative 28 . He dominated the play of the entire game . contradictory +What did she mean by ' On the top of the wardrobe ' ? What is the meaning of ' on the top of the wardrobe ' ? entailment +If Davis was losing interest in the tricky harmonies of bop , he was acquiring a more painterly , and no less modernist , approach to sound . His approach was much less modernist . contradictory +The true nonprofit legal services organizations in California provide indispensable free legal assistance to consumers who can 't afford to hire an attorney but need help while facing dangerous domestic violence situations , evictions from their homes and other emergencies , Lockyer said in the alert . Consumers have been denied assistance for these organizations for reason equating to money . contradictory +Because his theoretical debt to Michel Foucault and his unabashedly political intentions marked him as an avatar of the emerging academic left , a lot of the criticism came from traditional scholars . Many traditional scholars were critical of him as the result of his political intentions and his debt to Michel Foucault . entailment +The fog would hide much from both sides but with far inferior numbers , the favor went to the Swords . The Swords celebrated their victory . neutral +That was before we killed their king and broke their spirit in the wars twelve years ago . The king was killed fighting for his people . neutral +'That 's enough . That will do . entailment +When Israel began constructing apartment buildings in Arab East Jerusalem last March , PA security stopped relaying intelligence about the operations of Hamas ' terrorist wing . PA security has never seized relaying intelligence about Hamas ' terrorist wing . contradictory +When Israel began constructing apartment buildings in Arab East Jerusalem last March , PA security stopped relaying intelligence about the operations of Hamas ' terrorist wing . PA security has never seized relaying intelligence about Hamas ' terrorist wing . contradictory +The prospect of being audited may be one of life 's most stressful experiences , so I can only imagine how daunting it would be if I had to do so without any professional assistance . I experienced an audit last year and it was a breeze . contradictory +This involves , among other things , avoiding criticizing someone 's book without reading it simply because the author is a lawyer and not an economist , as Krugman has done with Robert Reich 's The Work of Nations . Krugman criticized Robert Reich 's book without reading it , simply because Reich is a lawyer and not an economist . entailment +Thorn had clutched just in time , grabbing the masked figure who cut at him . Thorn grabbed the masked figure who cut at him . entailment +Less work is done . Everyone has been goofing off . neutral +it 's got four thousand ninety six color graphics it 's got real-time animation capability there 's a world of games for it if you 're into that but it can do word processing you can import pictures into your documents and uh it just does everything a PC can do but it does it better This computer cannot do very much , not as much as a PC . contradictory +Lumet 's tempo and staging are just realistic enough to allow you to resent him for melodramatic devices that slicker directors get away with . Slicker directors don 't get away with melodramatic devices . contradictory +As federal employees , postal workers are not allowed to strike and , if a negotiated settlement cannot be reached , contractual disputes are resolved by binding arbitration . Postal workers are allowed to strike . contradictory +I have not forgotten . I did not forgot . entailment +But clearly , at least in hindsight , you got something wrong . You made an error . entailment +but uh if it uh gets down between two then i 'll i 'll vote for the party if i know you know something about the other guy or you know they 're both just as bad then i 'll say well I vote even if both candidates are terrible . neutral +In other words , Bill Gross could break even--provided he was the only advertiser on the Web . Bill gross has the opportunity to break even , based on Web advertising . entailment +And you have known this all along ? And you knew nothing ? contradictory +We didn 't have any choice . We didn 't have a choice . entailment +right that 's right that 's right it it it yeah i we i think that uh part of the the reason we we we got so almost fanatical about budgeting is that that there were those years where we lived that way Budgeting was more important some years than others . neutral +Note the colorful stands of dried fish and fresh fish , colorful pickles , stout young bamboo shoots , chicken wings and breasts arranged in elaborate patterns , and a whole cornucopia of squid , mussels , oysters , and giant scallops . There are no stands with notable color . contradictory +uh it is fun though to buy these bags and go through them because you do find some some uh nice coins i mean people who are starting out collections and need to fill holes in their books can fill a whole bunch of them with these uh with these bags I don 't think buying those bags is worth it at all , you never find interesting coins in them . contradictory +Stop the car . The car is moving fast . neutral +Another eight bounty hunters lay dead as well . 80 bounty hunters died very quickly in the fight . neutral +and then there 's there 's probably that probably fifty percent have a general idea and the other fifty percent are waiting to see what hits them when they get there Some know , and some are still figuring it out . entailment +It was he who would add the flesh of handsome buildings to the bones of Craig 's design . Craig designed the foundations of the building . entailment +movies i think it 'll work pretty good yeah I think everything will go smoothly as planned . neutral +well so that 's really no big tell i tell you what that 's funny to hear you talk about that because for me to come to Dallas in the summer is stifling humidity to me because Lubbock is so dry uh you know it may be a hundred and a hundred and five or whatever up here but there is no humidity and it 's I think the dryness of Lubbock is easier to deal with . neutral +i guess i guess these are going to croak too since i 've got cats i decided to get some catnip I decided to get some catnip , which seemed like a good idea since I have cats . entailment +The SAT has little predictive value for undergraduate performance , and colleges claim they are decreasing the importance of the test in admissions , but it is still a critical factor in who gets in . SAT is not a requirement for college admission . contradictory +i even like some i mean some of the original stuff like i like The Terminator at first you know it was kind of strange but i still like watching him in The Terminator and and some of the other things um I still like watching the terminator even though it 's strange . entailment +Only twenty , disappointed Rafik asked . Rafik happily asked , Only twenty ? contradictory +yeah it 's it 's the thing if if a business is taking a credit card they 're really they sacrificing something too it seems the credit card company makes money all the way around The credit card companies do not charge the businesses any fees . contradictory +It would be an understatement to describe the Italians as sports enthusiasts , at least as far as spectator sports are concerned . Italians favorite sport is soccer . neutral +well this should be very interesting because i 'm against it I have no interest in this because I am against it . contradictory +They 're being challenged by a new , faceless breed of property investors , but they 're not worried . They 're not worried by the new property investors . entailment +The Fujiwara resented the Buddhist clergy 's great and growing influence in imperial affairs . The Fujiwaras planned to eliminate the Buddhist clergy 's influence in imperial affairs . neutral +well that 's very can be very very true What you said is very right entailment +Kalymnos has a barren interior with dramatic cliffs and caves all around its coastline . Kalymnos flat and dull coastline are put to shame by the interior 's immense rock formations . contradictory +If you have any questions , please contact Bob Cohen ( 202-789-6850 ) or Charles Robinson ( 202-789-6854 ) . Contact the Pope if you have any doubts . contradictory +400 ) ; the city of King Priam , described in the Iliad and the Odyssey , is thought to be either Troy VI , which was destroyed by an earthquake in 1275 b.c. , or its successor Troy VIIa . The earthquake which destroyed Troy VI took place in 1375 B.C. contradictory +going uh five days a week I 've been going to the pool five days a week . neutral +Her work has been in substance abuse prevention in schools , where she encountered many social and legal beliefs that ran counter to her prevention education efforts . She worked in a school substance abuse prevention program . entailment +The building is really a series of additions to an original structure , although the overall effect is one of elegance and superb proportion . The original structure was built on to . entailment +I think the instinct stems from the paper 's not unrealistic sense of its own power and responsibility . The paper was completely realistic . contradictory +There was a dinner given . There was no supper . contradictory +so that kind of reeks havoc with plans No elements are causing any havoc with plans . contradictory +In January 2002 , we implemented a new competency-based performance management system that is intended to create a clear linkage between employee performance and our strategic plan and core values . In 2002 , a new plan was designed to manage performance . entailment +Number 67 on the list of the wealthiest Poles liked what he saw in the mirror . Number 67 hated what he was witnessing in the mirror . contradictory +It saturates them . The liquid missed them , and they were totally dry . contradictory +and sometimes you 'll get it on the first try i mean it 's just You may get it on the first try . entailment +True , there is no formal guarantee . Assurance is guaranteed . contradictory +When asked whether the United States should oppose loans to Russia because of the war , Berger replies , It 's a premature question because the predicate question is whether they get the economic reforms in order , at which point we 'll have to look at what 's in our national interest . They did not want to see the countries exchanging funds at this point in time . neutral +3 percent-and ( 2 ) gross national saving varies depending on how much the federal government saves . Gross national saving changes depending on how much the federal government saves . entailment +yeah they 're putting in fifty sixty hours a week i 'm sure because they got to grade papers and get class stuff ready and you know and they 're being paid probably half what most people being paid They are being paid for about sixty hours a week of grading papers and preparing classes . entailment +Those who object to them seem closer to the mark in fearing that the scarves signal a rising fundamentalist opposition to the secular principles on which modern Turkey was founded . Modern Turkey was founded on the backs of slavery and abortions . contradictory +If Texaco executives indulged their personal tastes for racial discrimination at a multimillion dollar cost to the stockholders , the same conclusion should be equally obvious . Texaco executives were fair and non-discriminatory . contradictory +Bork shrugged again . Bork stood as still as a statue . contradictory +If that man comes into the house , I leave it ! I cannot stand being in the same room as that man ! neutral +you know at your home where you could just turn it in so they they final had enough of a response that they decided to try a small target area They concentrated on a small target of 600 people . neutral +i i 'm speaking mostly of elementary I 'm speaking mostly of elementary school , specially in the state of Florida neutral +And it didn 't work ? The person is asking if it worked . contradictory +uh dad never believed in tent camping uh we had some old army cots that we would sleep on uh come good weather or not a many of times we were sleeping out under the stars and it would start raining and we would all wind up in the car and that got pretty cramped sometimes When we went camping we never used a tent but slept outside . entailment +than with myself and i think uh she 's closer to her mother today than than she is to me because of that She wasn 't really close with her mother until today . contradictory +it 's one of the advantages of not having pitchers who are uh uh you know i guess i guess when you start pitching real well well move them up bam you know there goes the little the uh worst team When you start pitching well , they get moved up in the rankings . neutral +Here it is easy to see why this city is also known as Lalitpur ( Beautiful City ) . Here it is easy to see why this city is also known as Lalitpur because of the panoramic views . neutral +The inner courtyard has a lovely green and blue mosaic of Neptune with his wife Amphitrite . There is a mosaic of Neptune and his wife Amphitrite located in the inner courtyard . entailment +The sun will see to that . The sun will fail at that . contradictory +I always had hopes of that letter . I always wanted that letter to arrive . entailment +The camera swings from side to side with Shandurai and her vacuum cleaner , then from side to side with Kinsky and his chords as he becomes increasingly inspired . The vacuum cleaner belongs to Kinsky . contradictory +Would you ? " The person is being asked if he could . contradictory +For tests performed to meet NPDES objectives , synthetic , moderately hard water should be used . Synthetic , moderately hard water should be used for NPDES testing . entailment +Susan M. Hoffman , the pro bono coordinator at Washington , D.C. ' s Crowell and Moring , regularly receives queries from non-profit organizations via email . Susan B. Hoffman does not have any business with non-profits . contradictory +The proponent and one other mailer took the position that the Postal Service is authorized to enter into such contracts , provided the procedural requirement of review under Chapter 36 is observed . Even when entering contracts , Chapter 36 still needs to be observed by the Postal Service in the proponent 's view . entailment +yeah we were in the video store today and somebody was recommending it to somebody you know the the people who run the video store was recommending it to somebody else Nobody would recommend it . contradictory +He made a grimace . He grimaced . entailment +Better be careful . " You better be careful . neutral +The silk trade played a large role in Lyon 's expansion in the 16th century and France 's second-largest city remains a proserous and growing banking , textile , and industrial center with a bouncy pride , a taste for the good life , an important cultural heritage , and a lively contemporary arts scene . Lyon was heavily involved in the silk trade . entailment +However , the failure of many to withstand the powerful 1995 Hanshin earthquake that struck the Kobe area exposed the inadequacy of many construction methods and standards . Many construction methods were designed to cut corners . neutral +'I hope you 're not having any kind of trouble at home , Mr. White ? ' I didn 't want Mr. White to have domestic problems . entailment +They sat and took lunch as the sun rose high in the sky . As the sun rose , they sat and took lunch . entailment +'I can 't really trust you , you know . I 'm hesitant to trust , entailment +The auctions must be open to any person , and there will not be any minimum price set for the auctions . The auctions this year have a lot of barrier to entry . neutral +Another Web site , www.MDJustice.org , assists legal services and private pro bono lawyers to better serve low- and moderate-income clients . www.MDJustice.org , another web site , assists legal services and private pro bono lawyers to better serve low- and moderate-income clients . entailment +' ' I didn 't get the whole fee , but I got something , ' ' Rooney says . Rooney said that he got the whole fee . contradictory +right yeah well if if you turn down the counseling they they will fire you They are willing to pay for the counseling . neutral +'He was shot . ' He had been shot . entailment +kind of like uh Jerry Glanville Might be a relative of the man . neutral +Turning back into Durbar Square , climb the nine steep steps of the central Maju Deval pagoda to Shiva for a view over the palace and its surrounding temples . If you want a view over the palace and the surrounding temples , you have to climb nine steps . entailment +that 's right that 's right okay yeah he was a finesse player he was good He was a great finesse player . entailment +yeah we have some of them around here you probably have more there though i would imagine Yeah , we have some of them over here but I imagine you probably have more over there entailment +You would not take them . You refused to take them when they were offered to you . neutral +the deal the Iraqi 's have with the Russians was for oil The Russians drink oil . contradictory +Woodward did advance the story by reporting on the $ 50,000 donation for the university chair honoring Gore 's sister and the DOE contract expansion . The DOE contract expansion helped immensely . neutral +Tables 6-1a , b , and c list the expected total MWe of facilities that would be equipped with SCR , FGD , or ACI after response to a multipollutant rule . A multipollutant rule will force facilities to add MWe gear . entailment +and to decide what they want to do and the Peace Corps or something like that is probably useful as as that kind of a time The Peace Corps or something similar is useful . entailment +Personal saving plays a dual role , ensuring both individuals ' retirement security and the nation 's economic security . The nation 's economic security revolves around retirees . neutral +Pursuant to Public Law 104106 , National Defense Authorization Act for Fiscal Year 1996 , DOD was given the authority to have certifying officers . The National Defense Authorization Act for Fiscal Year 1996 was a bipartisan effort from both parties . neutral +that kind of stuff That sort of thing . entailment +Eleven out of 249 $ 100,000-plus donors to the Republican National Committee received ambassadorships from the Bush administration . More than 230 people donated more than $ 100,000 to the RNC , and the Bush administration rewarded eleven of them with roles as ambassadors . entailment +The pathos shines through the heavily restored paintings of St. Francis in the Bardi Chapel ( c.1320s ) , to the right of the apse , and two St. Johns in the Peruzzi Chapel next door . The Peruzzi Chapel has two St. John paintings while the Bardi Chapel features a painting that depicts St. Francis . entailment +They 're not too small , don 't worry . They are big enough to hold comfortably . neutral +She moved away a step or two , and fingered one of the flower vases . She fingered a vases that had a rose in it . neutral +Call for me in passing ” the last house in the village . You can find me at the edge of town . neutral +We are all corrupted . We are all corrupted . entailment +Another way to do it would have been a look at the Whitney itself . Looking at the Whitney would have been another way to do it . entailment +well maybe something will open up for you Maybe there will be an opening for you . entailment +This struggle between the marvelous and the murderous , as Seamus Heaney has put it , is still acute in modern Irish poetry . Seamus Heaney identifies a struggle between marvel and murder in modern Irish poetry . entailment +In one famous case , Inglis helped kill federal funding for a needed highway , requiring the state to build a toll road instead . The state rewarded Inglis with the proceeds made from the toll road . contradictory +No , they have to come snooping and conjuring and interfering . They come snooping because it seems like an interesting puzzle . neutral +yeah at least with the uh gasoline company credit cards you have you know up to thirty twenty five thirty days you know interest free for it There are periods with no interest on gasoline company credit cards . entailment +And so there is no proof that any particular religion is sexier than any other . And thus , there is a lack of any proof for the thesis that a particular religion is sexier than any other religion . entailment +Jon sat next to the man and followed his gaze to the stars above and to the red moon that painted the land . The moon was blue . contradictory +Effective , low-cost interventions that require minimal additional staff to implement are already available . These interventions will require too many additional staff . contradictory +This growing number of titles leaves publishing houses with less time and attention to edit and market books . Publishing houses can give less attention to editing books . entailment +That 's the problem I 'm trying to fix- we 're going to see if we can 't get a new first thought in your head . ' I won 't bother trying to change that . contradictory +The remains of Viking fortifications can be seen today beneath Dublin Castle . Dublin Castle has historic significance for a number of eras as a result . neutral +In 1824 , the King decided to travel abroad , but immediately upon disembarking in England he contacted measles , dying in London . The King lived until 1828 and never had measles . contradictory +On one occasion recounted by the author , a woman rented a horse , stripped naked , and arrived at the door , Lady Godiva-style . In all his writing , the author has never mentioned any women . contradictory +But a campaign lawyer I spoke to for this story said he couldn 't see what would prevent it on the Internet , so long as Yahoo charged at least the going rate for the ads . The campaign lawyer said to me that he could 't get what would prevent it from the Internet . entailment +Downtown Fort-de-France and Pointe-Pitre are flooded with dancers , notably diablesses , all dressed in black and white and losing themselves in the biguine . No dancing is allowed downtown . contradictory +Further , the Executive Orders on property rights ( 12630 ) , intergovernmental partnership ( 12875 ) , and environmental justice ( 12948 ) are similarly inapplicable . Some Executive Orders can be deemed inapplicable if they do not meet certain requirements and rule sets . neutral +The prospect of being audited may be one of life 's most stressful experiences , so I can only imagine how daunting it would be if I had to do so without any professional assistance . Without any assistance , being audited would be overwhelming . entailment +See OMB 's ImplementationoftheGovernmentPaperworkEliminationAct , May 2 , 2000 , at its internet address / / www.whitehouse.gov / OMB / , under Information and Regulatory Policy . OMB 's ImplementationoftheGovernmentPaperworkEliminationAct , May 2 , 2000 can be found at various places on the internet . neutral +Construction began in 1999 . Construction was finished by 1999 . contradictory +LSC 's vice president for programs , Randi Youells rejected that suggestion and adopted the plan merging Passaic and Bergen and Hudson . The 3 separate plans would never have worked on their own . neutral +they killed i 'm in Dallas I do not live in Dallas . contradictory +' All of President Clinton 's untruths , all of his lying under oath , if you will , about an extramarital relationship does not subvert the Constitution ( Schumer ) . Some believe President Clinton should have been impeached as a result of his extramarital relationship . neutral +Nearing the end of my trip , I realize that my observations have been largely about race . I travelled all around the Middle East on this trip . neutral +A large 1960s greenhouse sits beside it and , though lacking the elegance of its neighbor , still boasts an impressive collection . The greenhouse isn 't as elegant as the rest of the neighborhood . entailment +Rennie was not too common a name , but he did not see how Johnny could possibly have hit upon the truth . He didn 't know how Johnny had discovered the truth . entailment +Founded in 641 and expanded by the Fatimids in the mid-ninth century , Cairo Al-Qahira or the Cityof Victory became one of the most powerful Islamic cities in the world during the Medieval era , marking a rebirth in Egypt 's fortunes . Cairo never became a powerful city , as was hoped at the time . contradictory +You 'll also discover L.A. ' s large groups of Americans of Chinese , African , Korean , Middle Eastern , and Japanese descent . Many descendants from a wide range of countries can be found in L.A. entailment +Out in the countryside , Chios has other attractions to offer . Chios is far out in the countryside . neutral +But now a hitch occurs . But everything proceeds smoothly , and ends as planned contradictory +While many items are attractive and inexpensive , the impracticality of taking them home especially since wicker is not expensive in most parts of the world might suggest opting for other souvenir items . Wicker is too expensive for most people to own . contradictory +First , the companies kept the degree of the design challenge manageable before starting a new product development program by using an evolutionary approach to develop a product . The companies invested millions into the new product . neutral +Second , the whole fiasco was the best thing that could have happened to the firm . The firm never recovered from the fiasco and eventually shut down . contradictory +Is it important ? It is important . neutral +oh taxes lord forbid forbid lord forbid taxes goodness gracious if we would uh plan our expressways a little better that ten dollars for the bridges and the roads we 'd cut that in half and give to the teachers we might have such a problem The expressways are planned just fine . contradictory +As a result of the painstaking centimeter-by-centimeter recovery of the fragmentary but still powerful traces of the real Leonardo , we can now see , for example , that Philip ( third to the right ) has an expression of acute grief rather than the simpering pathos left by restorers who presumed to improve on the original . The recovery of the work of the real Leonardo has unveiled new insights on the attitudes of the characters depicted . entailment +The same is true of the cowboy and the tough guy . The cowboy and the tough guy have many things in common neutral +One was huge , dressed in black plate armor , a high neck guard , black cloak , and a leather three-corner hat . One of the which was very large , perhaps strong , covered in armor up to his neck , coated with a cloak covering their identity ... a hat on their head . entailment +The shogunate bowed to the pressure and agreed to accept American diplomat Townsend Harris , who established the first US consulate at Gyokusenji temple in Shimoda in 1856 . The establishment of the US consulate in Shimoda in the 1800s was a controversial event . neutral +Domino 's was the first one to start yes Domino 's was the last one to try it . contradictory +The family says that Abraham Zapruder , after witnessing tragedy through his lens , never looked through a camera again . The tradgedy was so terrifying that Zapruder never used a camera again . neutral +'They did . The did that very quickly . neutral +Fifteen it is , said Jon . Jon said fifteen it is . entailment +You have given us valuable information , and if you choose to withdraw now no one could blame you . Noone would blame you if you choose to withdraw . entailment +Where did you find it ? From what location did you find it ? entailment +Couldn 't let you know before at the pace you were going . You were going too fast for me to tell you . neutral +Remember , there is no danger of the winner 's curse if you are sure about the value of an item to you . In that situation , the auction device serves its proper purpose of putting the item in the hands of whoever values it the most . It 's assumed , of course , that you 'll do your research on what reasonable prices would look like in these circumstances . neutral +Well , there 's no quarreling with a crash landing . There is no point fighting with a crash landing , it wins every time . neutral +I 'm coming . I 'm staying here . contradictory +Tucked away in a comfortable park behind high railings , the Palacio de Liria is the residence of the duchess of Alba . The duchess of Alba is very popular with the people . neutral +Her multi-times great grandfather , Sather Karf , regretted it , but he must have good news to release at once ; the populace was starving because the food multipliers couldn 't produce reliable supplies . The populace was fine on food . contradictory +and you can make flower uh dried flower arrangements and you can get real handy with the hot glue gun and we made some really nice Christmas wreaths with uh dried red flowers and dried white flowers and uh eucalyptus You can make Christmas wreaths using dried flowers and glue . entailment +As a result , for example , GSA has faced situations where regions ( which operate independently ) have taken divergent positions on similar issues , according to the Inspector General . Issues argued consisted of homelessness , global warming and the environment . neutral +yeah i should have been and i just i just forgot to uh so uh we 're going you work at TI I just did not want to go and we will not be going after all contradictory +Gambas are prawns , and langostinos the jumbo-sized version . Langostinos are microscopic versions of a prawn . contradictory +Excellent . I 'm so happy . neutral +this is true that 's funny that 's funny That is amusing . entailment +Coretta was a reliable liberal mascot , but she foundered as an executive . Coretta was an amazingly successful executive . contradictory +The wind through the trees made a mournful noise , like some great giant sighing . The wind made a cheerful noise , and cheered up those listening to it . contradictory +Similar batches were sent to Arizona , California , Georgia , Iowa , and Tennessee , but no infections have been found there . Infections have been found in all batches . contradictory +Some analysts argued that the research supports two politically important 1 ) Humans have had so little time to diverge genetically that the differences between human races are trivial , and 2 ) our common ancestors came from Africa ( Cro-Magnons ) and drove the Europeans ( Neanderthals ) to extinction . Human 's dna is drastically different between races . contradictory +He said , " Where are the youngsters ? My son isn 't in his room . " His son had left the room long before . neutral +right you don 't work in an area where there 's chemicals or machinery or or things like that but People need to be sober in places that use dangerous gear . neutral +The intervention was a single motivational interview that lasted approximately 30 minutes with Subsequent studies have indicated that three one hour interventions provide the best results . neutral +No wonder George , the New York Times Magazine , Rolling Stone , and Harper 's failed to snoot out the stink factor and assigned pieces to him . Harper 's gave him many important assignments . neutral +He wants the United States to adopt an emergency tariff of between 10 percent and 15 percent on imports to force other countries to abandon their mercantile trading strategies . He wants that an emergency tariff is adpoted in Italy . contradictory +In 19 th -century Britain , this tough love helped keep the divorce rate near zero even amid the stark status inequality of a modern nation . By making it costly both financially and socially , 19th century Britain was able to keep their divorce rate low . neutral +Santana is home to a quaint but primitive style of housing A-shaped structures known as palheirosenot to be confused with the A-shaped cow huts that dot the hillsides all over Madeira ) . Most of the houses in Santana are A-shaped . entailment +Shimoda , at the southern tip of the peninsula , is famous in still another historical context . Apart from Shimoda , the rest of the peninsula is sparsely inhabited . neutral +and if you can 't if you can 't i think they should get out of it instead of mistreating the people I think they should quit . entailment +It was something in the man 's eyes . Something about the glint in his eyes and the way he looked ... it was off . entailment +The Declining Personal Saving Is There Cause for Alarm ? There is no decline in personal savings to worry about . contradictory +The nature and magnitude of the problem-determined through a systematic risk assessment process-needs to be determined and openly communicated to all relevant parties . The problem does not need to be determined and openly communicated to everyone involved . contradictory +Great to be back ! Excellent to be here again ! entailment +But , if he had bothered to read any history books , he 'd have discovered that a new set of entrepreneurs was born out of the massive Boeing layoffs of 1970 , when tens of thousands of unemployed Boeing workers were trying their hands at anything to make a buck . He didn 't know anything about the unemployed Boeing workers . neutral +1 . Each generation is a steward for the economy it bequeaths to future generations , and the nation 's long-term economic future depends in part on today 's decisions about consumption and saving . The choices made today on saving have no impact on the country economically . contradictory +Building on last year 's grant , the TIG 2002 award to Potomac Legal Aid Society ( PLAS ) allows the program to reach the area 's underserved Asian American community . Building on last year 's grant , the TIG 2002 award to Potomac Legal Aid Society ( PLAS ) allows the program to reach the area 's underserved Asian American community . entailment +Leonardo da Vinci spent his last days in a small manor house nearby , the Clos-Luc ? ? , now a museum illustrating his talents . Leonardo da Vinci spent his last days in a poor house in the slums . contradictory +5 billion that these banks can use to fund their mortgages , home equity loans , automobile loans , and other types of loans for which they receive approximately 7 percent or more on interest they charge . $ 5 billion was used by the banks to fund loans to Americans who couldn 't otherwise qualify . neutral +Abridged biography of Miss Prudence Cowley , fifth daughter of Archdeacon Cowley of Little Missendell , Suffolk . One of Miss Prudence Cowley 's sisters is named Edna . neutral +The northernmost Kitchener Island was given as a gift to the British general of the same name after his victories in the Sudan in the late 19th century . The British were defeated in the 19th century by the Sudanese . contradictory +Exciting , mysterious , glamorous these words have described Hong Kong for at least a century . Hong Kong is gritty and ugly . contradictory +From now on , officials will be reluctant to discuss tricky legal issues with government attorneys , fearing that their conversations will come back to haunt them , and will instead secure private counsel . Government lawyers would sell them out at the first opportunity . neutral +I met Susan six months ago . Susan and I are friends . neutral +no i don 't know that but i i must say that um I am not aware however I should say that I have a gun . neutral +He swung but the northerner sidestepped easily . The northerner wasn 't hit . entailment +The conventional measure of Social Security solvency is gauged in terms of the actuarial balance of the program 's trust fund over a 75-year period . The conventional means of assessing Social Security solvency needs to be updated . neutral +Officials in Fort Collins , Colo . , decided last year that Internet providers were subject to a city sales tax on telephone service and that subscribers would have to pay a 3 percent sales tax on top of their monthly access fee . Subscribers in Fort Collins , Colorado , have to pay a 3 % sales tax in addition to their monthly fee . entailment +'You would have called them the Southern states , ' Greuze explained . Greuze called them the southern states . entailment +Many of the best snorkeling and underwater photography areas are offshore at coral reefs or around uninhabited islands ; you 'll have little difficulty in finding a boat to take you out . If you decide to try underwater photography , make sure your camera is waterproof . neutral +The L.A. art world 's most hyped new attraction is the Getty Ceter , the long-awaited visual-arts complex designed by Richard Meier and perched on a bluff high above the 405 freeway in Brentwood , just west of UCLA . The Getty Center is on a bluff above the city . entailment +Working for Louis Bledsoe was a pivotal moment , she said . She really enjoyed working for Bledsoe . neutral +There is really no good resource for the victims to get assisted right now , Fedge said . The rape crisis center in town closed due to lack of funding . neutral +right right right and you really have to make a quite a bit of money the wife doesn 't make it worth it with the cost of day care You can quit your job and survive without any income . contradictory +She flung herself down on the ground beside John , and as I handed her a plate of sandwiches she smiled up at me . In anger , she threw herself to the ground , but she smiled when I have her some sandwiches . entailment +uh but uh we did a lot of fishing when we were up there but down here i have a brother that likes to go over on the east in East Texas and do fishing and i can 't remember what the name of the lake is and he was just here this past weekend i could have i i think he mentioned it again but i couldn 't remember what it was um i want to call it Salt Fork or Lake Fork i i can 't remember but he said it 's one of the best bass fishing places Fishing with my brother is my favorite hobby . neutral +yes it would almost have to be i suppose if you if you had to chose i guess i would i am sure i would take the lethal injection If I had to choose I would choose to escape from prison . contradictory +Performance evaluation and feedback , supplemented by an effective reward system , should be designed to help employees understand the connection between their performance and the organization 's success . An effective reward system should be designed to hinder employees . contradictory +The ship was launched in April 1953 , when Elizabeth II was in the first few months of her reign . The ship was launched in April 1953 , during the reign of Joe , King of Scotland . contradictory +La Granja de San Ildefonso , about 10 km ( 6 miles ) southeast of Segovia ( 80 km or 50 miles north of Madrid ) , is a huge palace set in classic formal gardens . La Granja de San Ildefonso no longer exists , sadly . contradictory +Does an egg know it is going to become a hen--or maybe a fish ? Eggs know for certain that they will all hatch into chickens . It 's simple logic . contradictory +you know i don 't work with perfect people anymore than anybody else does but i can handle the imperfections that i 'm around i i could not work in the in the uh criminal area for very long as a as a police officer as uh someone who works for the court system or whatever I am able to work through issues that are in my current environment . entailment +he likes to buy the kids toys with the uh credit card too you you know he 'll go to by Wal-Mart or something and He likes to shop for toys at Wal-Mart . entailment +well are they going to beat are they going to beat Oakland They are going to be defeated by Oakland . contradictory +yeah yeah i i think i think that probably yeah i think that probably what did it for him was the fact that he was a good stage performer Yeah I think it was because he is a good performer on stage . entailment +Over the next 20 years , the Minamoto clan acquired new strength by offering better guarantees to local landowners and their armies than they could expect from court . After a 20-year period of growth , the Minamoto clan declined in power . neutral +uh sort of pull yourself up by your boot straps and do what you really wanna do convincing you that you need to get on with it You need to admit you are not capable enough to get it done . contradictory +The legal debate after Roe vs. The legal debate after fish . contradictory +Sainte-Marie houses a Rum Museum with documents and equipment going back to 1765 , as well as a fascinating new Banana Museum . There are at least two museums in Sainte-Marie . entailment +Shards of steel shot through the air . The swords shattered . neutral +Thorn felt his skin grow cold . Thorn was burning up with a fever . contradictory +Newsgroupies were questioning the authenticity of Hilfiger 's official response soon after it appeared on the Net . Hilfiger 's response was in question by newsgroupies . entailment +Fragments of the royal palace are still standing by the Jeu de Paume museum in the northwest corner of the Jardin des Tuileries . There are no royal palace fragments near the Jue de Paume palace . contradictory +They are in the Reform Party . They are Reform Party candidates . neutral +If necessary , grant sexual favours . They were in favor of sexual advances . entailment +The fellow is an absolute outsider , anyone can see that . The person is physically handicapped . neutral +my friend talked me in that i 'm a real um scaredy when it comes to heights but once we got on top of the rocks it was quite I loved climbing the rocks but my friend didn 't . contradictory +Carmencita , did you bring all that was left of the supplies ? " Topham 's quizzical eyebrows lifted in greeting to the waitress 's loaded tray . Topham greeted the waitress and then helped her unload the tray . neutral +I ejaculated . There was no ejaculation . contradictory +and i do i do i do like it actually um i would never live there i think i 'm too Americanized and um sort of have too much you know too much invested in sort of the the easy life but i do like the food I am a big fan of American food . neutral +Certainly when you reach the railway 's high point , 2,257 m ( 7,407 ft ) , at Ghoom , the view as you hover out on the loop over Darjeeling is in every sense of the word breathtaking . The high point of the railway is the highest viewpoint in the region . neutral +so i try i try to introduce some levity there I 'm known for being light-hearted . neutral +According to my rabbi ( I don 't want to pretend to be a student of such things ) , later commentators said that meant that Abraham was blessed with the recognition that he had passed the trials of his life with valor and devotion and could now enjoy a peaceful retirement , content in his own eyes and in the eyes of God . Abraham was able to have a peaceful retirement . entailment +better than ju st sitting in jail all day not doing anything but but yeah i agree with your point it It 's better than just sitting uselessly in jail . entailment +It also grows a much-vaunted species of garlic , sold locally in strung bouquets . The garlic has a really strong smell . neutral +Halpern , Edward S. Auditing Naturalistic Some Preliminary Applications . Edward D Halpern audits naturalistic some preliminary applications entailment +i feel like that might be better if it was run on a more scriptural basis which would include you know you know and expediting the penalties and just getting it over with Over 80 % of judicial system expenses are wasted on our court process . neutral +Canongate derived its name from an edict by David I ( 1124 1157 ) , founder of the Abbey of Holyrood , who granted a right to raise a gate between the abbey and the Royal burgh of Edinburgh . David I married twice in his lifetime . neutral +Kilgore i know where Kilgore is I am familiar with the location of Kilgore . entailment +Culterlann na hireann holds a ceile ( an evening of traditional song and dance ) , on Friday nights in Monkstown . There is no entertainment on Friday nights in Monkstown . contradictory +We didn 't bring you back from the dead , piecing your scattered atoms together with your scattered revenant particle by particle , to have you killed again . We put you together in four segments and nothing smaller . contradictory +They were fair and honest traders . The traders were fair and honest . entailment +The most experienced is Aqua Sport . Aqua Sport is one of the least experienced . contradictory +According to CBO , many federal investments have little net economic benefit- either because they are selected for political or other noneconomic reasons or because they displace more productive private-sector or state and local investments . Major economic benefit is had by federal investments , according to CBO . contradictory +sort of like lawyers you know It 's not dissimilar to lawyers . entailment +The exhibition tells us that as a vessel of lasting sense or sacred truth , the written word may be losing ground , but that as a source of inarticulate comfort , it has gained much . The exhibition says the written word is becoming less important as we talk on phones more . neutral +Derry grabbed it . Derry refused to take it . contradictory +oh gosh bless your heart Curse your heart . contradictory +This is what we have now . This is what we now have . entailment +uh-huh and how the kittens come out Yup , it 's like how kittens are born , the mother takes care of everything . neutral +Sandals are a tradition in Jerusalem 's Old Cite while an Arab keffiyeh head-dress ( as modelled by Yasser Arafat ) is useful for warding off desert dust and sun . There is no traditional dress in Old Cite . contradictory +They spoke of our guys and those guys . They only spoke of them , contradictory +The base year is the year for which the financial statements are being prepared . The base year is when the nonprofit 's financial statements are for . neutral +He seemed to fluctuate between bitter sureness of doom and a stupidly optimistic belief that something could be done to avert that doom . He was only optimistic that something could be done to prevent the doom . contradictory +I fled . I stayed . contradictory +It is open to the public with audio guides ( in various languages ) available at the entrance . Audio guides are available in numerous languages , it is also open to the public . entailment +no and uh unfortunately it shows i uh i 'm supposed to i 'm way overweight but uh i 've had a problem with uh high blood pressure which of course is directly connected to it and my doctor 's trying to get my blood pressure under control I have no problems with my blood pressure . contradictory +There was a pile of water skins near the base of the block , held in the charred remains of an attendant 's body . There were no remains . contradictory +Although there are many variations , current practice recognizes four basic categories of contract types that apply to several facility acquisition There are four basic categories recognized by the current practice . entailment +He did not accept the fact of his daughter Tullia 's death with the thought that she had at least escaped all appetites . He accepted Tullia 's death wholeheartedly and without reservation . contradictory +The brilliant and little faded background of intense red to this day is still called Pompeiian red . The intense red background is still referred to as Pompeiian red . entailment +She 's mostly called that , sir , but Marguerite 's her name . Her actual name is something else . contradictory +I am not one of those public-health types who thinks every hazard should be eliminated . I think that if we can remove every hazard , we should . contradictory +The question isn 't Netscape 's tracking , it is the tracking of servers that we 're describing . The question is , what is Netscape tracking ? contradictory +oh i can camp just about most anyway camping or uh motor home is nice uh travel trailer pop up I loathe camping in motor homes . contradictory +The bay around the mount 's granite outcrop has been steadily silting up in recent years , so that it 's an island only during very high tides . The island is very small . neutral +No , my dear sir . Yes , my poor sir . contradictory +Pundits can 't believe McCain would fan and exploit rumors about his anger . McCain said he was not an angry person and refused articles to be written saying otherwise . contradictory +Generousassociates is a Washington , D.C.-based Web site that enables lawyers to make a donation to the Legal Aid Society of D.C. Generousassociates facilitates donations to the IRS . contradictory +Of course , it was all a bad dream . I was a bad dream . entailment +But I 'm not going to recant my first response . I would like to take back what I said in my first response . contradictory +Not bad not at all bad . That is very bad . contradictory +Did that mean that , after all Tommy was puzzled . Tommy had no question about whether he was puzzled . It wasn 't even a thought . contradictory +At last … . The moment was almost breathless in its emotion . Even after attaining the top prize , it felt just like any ordinary day . contradictory +Brit Hume ( Fox News Sunday ) compares Hubbell 's understanding of loyalty to the Mob 's concept of omerta . Brit Hume is on Fox News Sunday . entailment +you 're next to to league bowlers and after a while it just gets to be a pain Everyone loves league bowlers . contradictory +To have meaning , the apology must convey recently acquired insight into personal wrongdoing , something neither Dr. Stephen Ostroff nor the Fox TV network seems inclined to do . Dr. Stephen Ostroff and Fox TV didn 't seem to have any new understanding of their personal errors when they apologized . entailment +But that only raises more questions--such as how tides are supposed to make women menstruate . We have more questions now . entailment +Traditionalists complain it will dilute ancient rivalries , screw up the year-to-year continuity of statistics , obliterate the quaint differences between the two leagues ( principally , the designated-hitter rule ) , and spoil the climactic , virgin mystique of the World Series , which , until now , was the leagues ' only intercourse . Traditionalists complain that it will make the rivalries more intense . contradictory +Fortunately , much of what you 'll want to see is accessible through your car window , because you 'll likely be spending a lot of time driving from one site to another . Sightseeing has to be done on foot as there are no roads . contradictory +my wife has been working for TI My wife has never worked for TI . contradictory +Say , there isn 't anything I like better . I like everything better . contradictory +like for example Tequila Sunrise i liked that Tequila Sunrise is good for my taste . entailment +This broad guidance was intended to provide the basic reporting requirements while allowing each entity maximum flexibility in such areas as determining what constitutes the individual stewardship items for that entity , which costs are directly attributable to the stewardship item , and how best to report on multi-use items so that users will gain the best picture of the entity 's financial and performance information . The broad guidance meant to give basic reporting standards while giving each agency flexibility in making staffing decisions . neutral +For one , the charming Mr. Wagner who owns Burrelle 's and also the astute Mr. Russert of the round , melodious tones . Mr. Russert 's voice was whisper thin and phlegmy . contradictory +Campaigns do not come much more ruinous than Saddam 's 1980 invasion of Iran or his occupation of Kuwait a decade later . Saddam 's invasions of Iran and Kuwait are widely regarded as impressive and successful campaigns . contradictory +Arts contacts bring in contract disputes , copyright disputes , even international artistic disputes , as when a young artist displayed his work in Brussels , only to see his work destroyed . Art contracts display many different issues . entailment +Susan Molinari used this figure in her Republican Convention keynote address to illustrate the burden of Clinton 's tax increase . This figure has been used in Kanye West 's Republican Convention keynote address . contradictory +After a name change to ' Puddle Skin Care ' and a contract with a chain of make-up shops Zedhwora , the brand reached an exclusive status and overtook other skin care innovations - extract of quails ' tonsils , essence of rutabaga and double C vitamin . The brand became the biggest skin care line . neutral +For example , crediting additional securities to the trust fund or increasing the interest rate paid on the trust fund 's securities would commit additional future general revenue to the Social Security program but does not increase the government 's overall revenue or reduce its costs . These securities are worth several thousand dollars . neutral +Yeah well i think uh you know from an elementary standpoint it would help to get rid of some of the the oddball conversion units like From a fundamental standpoint it would be a good idea to remove the out-of-place conversion units . entailment +Let me out of the cursed scam now , and I 'll forfeit every penny I 've contributed thus far . I want all of my money back right now ! contradictory +oh i saw that yeah i want to see your driver 's i i i don 't i you 're not President Bush You are President Bush . contradictory +Is it not so ? It is so ? contradictory +She felt that once Mrs. Vandemeyer gave them the slip , the last hope of finding Tommy would be gone . She thought that Tommy would be found if Mrs. Vandemeyer was prevented from leaving . neutral +well not that we could be bought but uh I would rather not sell myself out , or us as a whole , but if you can think of something tempting , maybe we can come to a deal . neutral +and you know if they just would have thought well gee if we don 't you know if we put a freeze on new home starts that will bring the price of houses back up our tax base revenue will go up and we won 't have to increase taxes and make it more of a burden on people that are living here If only they had thought of ways not to burden the house owners with increased taxes . entailment +That 's it , said Tuppence . Tuppence said , " That is it . " entailment +um-hum it 's hard to even find film or anything It 's hard to find film besides online . neutral +Again the hand-embroidered pieces are the best and the most expensive , but this skill is a dying art , so good examples will become harder to find . It is getting harder to find pieces of embroidery done by hand . entailment +we 're only going down there for the food though The only reason to go there is for food . neutral +Newsweek ' s cover story explores how schools handle learning disabilities . The cover story exposes the lack of effective standards in how learning disabilities are handled . neutral +The gambler brought the top book of the pile down on the bar with a thud . The gambler took down a mathematics book from the pile . neutral +The organization supports requiring judges to undergo psychological testing and holding them personally liable for reckless rulings . The organization wants judges to undergo psychological testing on a yearly basis . neutral +Both officials would lose the capability to determine whether claims under $ 75 were reasonable under the circumstances . Neither official would lose the ability to decide if claims under $ 75 were reasonable in the circumstances . contradictory +um-hum and so i really think we 've tried to tone down We don 't want to be obvious we are smoking pot . neutral +Finally , seated in meditation beneath a pipal tree at Bodh Gaya in India , the Four Noble Truths were revealed to him . He was lying down in meditation when the FOUR NOBLE TRUTHS were revealed to him . contradictory +Campaign assertions about how much the average family 's taxes have increased under Clinton should be regarded with suspicion . Taxes for an average family did not rise as much as you might think under Clinton . neutral +President Bush purposely mispronounced Saddam Hussein to annoy the Iraqi leader , while Iraqi newsreaders retaliated by mispronouncing Bush so that , in Arabic , it meant nothing . President Bush did not intentionally mispronounce Saddam Hussein 's name . contradictory +i don 't know this was just i guess something freak that happened to me because i wasn 't familiar with the um I suppose this just happened to me unexpectedly . neutral +Bangalore is in the vanguard of India 's modernization , and Chennai , though without the self-promotion of Mumbai , easily produces twice as many feature films as Mumbai . Bangalore does not permit film making in the area . contradictory +what else have i done things to hang on the wall I didn 't hang anything on the wall . contradictory +Mother is right , father said matter-of-factly . Mother is right this time , Dad said . neutral +oh right Elliot and uh Nancy My kids are named Elliot and Nancy . neutral +He held them back with powerful cuts from his own sword . He helped them back with his sword . entailment +In the last campaign cycle , Democrats returned $ 1 . Democrats returned $ 1 in the last campaign cycle . entailment +The saving of households , businesses , and state and local governments makes up nonfederal saving . Nonfederal saving is said to encompass all forms of saving by individuals . contradictory +What involvement did other key players have in connection with these accountability failures ? It was asked who was involved with the accountability failures . entailment +This alleged societal dynamic becomes her methodological justification for using the stories of the underemployed , contracted-out , and laid-off men of Southern California to illuminate more general male losses . There were lots of men laid-off in Southern California . entailment +EPA performed a cost-benefit analysis which is summarized in the preamble to the final rule . The preamble of the final rule had a cost-benefit analysis done by the EPA . entailment +In addition to hundreds of temples , shrines , and hot-spring resorts , Wakayama features some of the country 's most popular beaches . Wakayama is notorious for having the best shopping malls . contradictory +This takes on a metropolitan dimension in Kuala Lumpur . In Kuala Lumpur , this takes on a metropolitan dimension . entailment +In addition , emissions inventories prepared for the Heavy-Duty Diesel Engine rulemaking were the basis for future year emissions projections . There is no projection of future emissions . contradictory +even better than Jaws and some of that No , it 's definitely not better than Jaws . Jaws is a classic . contradictory +It should be borne in mind that , though the city column divides total city vehicle cost by The city column can be interpreted without any special notes . contradictory +when they come out uh-huh that what the look like but they only bloom for one day They bloom all summer . contradictory +Through his almost-closed lids he reconnoitred carefully . His eyes were wide open contradictory +If I succeed in obtaining the address from her , we can go there at once , taking Mrs. Vandemeyer with us if necessary . We can go there using my car as soon as I get the address from Mrs. Vandemeyer . neutral +everything was visible oh yeah Couldn 't see a thing . contradictory +uh yeah well didn 't Kansas City put up quite a bit of money for their pitching staff Kansas City put up $ 1 million for their pitching staff . neutral +Hello Severn , said Ca 'daan . Ca 'daan shouted at Severn as he approached . neutral +The selection of tourist mementos is interesting enough , but pales in comparison to the open-air Mercato San Lorenzo just north of the Duomo near the church of the same name . The Mercato San Lorenzo is very interesting . entailment +well have you ever have you ever taken any of those um what do they call this citronella lights have you ever used those have you ever taken any of those citronella lights entailment +and there 's other places but like you said the the food doesn 't matter it 's you have such a good time there The food doesn 't matter as long as you have fun . entailment +The OPEN sign 's popularity tracks that of the strip mall . The OPEN sign does not relate to the popularity of the strip mall . contradictory +A bullet hole in the leg . He got shot in the thigh and it went straight through . neutral +In a class made up of 20 percent women , Zelon held the position of editor in chief of the Harvard Civil Rights-Civil Liberties Law Review . Zelon was editor in chief of the Harvard Civil Rights-Civil Liberties Law Review in spite of being in a class that was four-fifths male . entailment +The increase still would leave Kentucky 's filing fee costs below those of surrounding states and would raise about $ 1 . Kentucky 's filing fees would be the highest in the country . contradictory +In family situations , for example , lawyers must ensure that powers of attorney and guardianships are used to serve only the person transferring or losing rights . They need to focus on the rights of the individuals or lack of rights . entailment +These prove that Hester Prynne 's proud display of her A was prophetic . Hester Prynne had a proud display of her A. entailment +That moment--that prayer--sounds like a cliche . It was assumed the prayer was meant to come off as sincere . neutral +Rate and service agreements negotiated by the Postal Service and mail users are permissible under current law if the procedural and substantive requirements of the Postal Reorganization Act are satisfied . Mail users are required by law to follow procedures and requirements set by the Postal Service . neutral +On that issue hinges the abundance of intelligent life in the universe . On that issue hangs the debate on how many moon Saturn has . contradictory +Breakfast , Anyone ? Do you want to skip the most important meal of the day ? contradictory +you know i mean one of the things that we talked about that i truly believe is you know you give somebody a you know a jury convicts somebody and they give them a sixty year sentence and the guys going to be out in twelve or thirteen years you know All convicts are forced to spend the whole duration of their sentencing in prison . contradictory +we take you know whenever we take them to Showbiz or they think it 's wonderful just to go to McDonald 's you know they don 't go for the food they go for the to play around and They enjoying playing in a McDonald 's , they don 't want the food , they just want to play . entailment +Senior Partners for Justice is less than four months old , but already Ginsburg has some of the city 's top lawyers working for some of the region 's poorest clients . Senior Partners for Justice has been around for many years . contradictory +The romance gods are fickle . The romance gods never change their minds about anything . contradictory +And you 're correct that boomer propaganda never allows for this possibility . Boomer propaganda clearly states why it does not allows for this possibility . neutral +I wouldn 't lift a finger to ” to ” ” " She faltered . She would not lift a finger . entailment +Using cost models to estimate the cost and length of time necessary to develop a new software system , for example , is appropriate only after requirements have been defined , a system design has been developed , and the size of the new system has been estimated . You can only use cost models in certain circumstances . entailment +now she can maybe she 'll type something that you need for you and then you 'll be in good shape like a paper It 's much like a paper . entailment +Haven 't I always hated him like poison ? " I hate his guts . entailment +Second , the Assets for Independence Act of 1998 authorized federal funding for a 5-year demonstration project to evaluate the effectiveness of matching incentives for certain low-income savers . The Assets for Independence Act of 1998 did not authorize federal funding for a 5-year demonstration project . contradictory +If Isikoff was such a disreputable sleazemonger , why would Toobin want to write a book with him ? Toobin wrote a book about Iskikoff even with his bad reputation . entailment +Either the chloral was administered by her own hand , which theory I reject utterly , or else " I didn 't think she had applied it herself . entailment +Campbell says views such as his are not more widely known because , Unfortunately , we are absolutely drowned in information coming out of the dairy industry . There are so many opinions floating around that Cambell 's are barely a dip in the bucket . entailment +seems like you 're so busy anyway and then that 's just one more thing to have to worry about so " It 's just another worry on my mind that you are so occupied anyway . " entailment +Originally the main street of Roman and Byzantine times ( cardo means heart in Latin ) , it was once a broad colonnaded market and ceremonial street that went through the center of Jerusalem , from the Damascus Gate in the north to the southern edge of the city . At one time , the street passed through the center of Jerusalem . entailment +Let me ask you one for a change . Let me change the pattern and ask you a question instead . neutral +Florence 's greatest artists , Michelangelo at their head , came to gaze and marvel , sketching Masaccio 's trail-blazing use of light and visual depth as instruments of emotional impact , particularly striking in the broad sweep of his St. Peter Paying the Tribute Money . Masaccio used light and visual depth in his works . entailment +Personal Saving , Household Wealth , and Retirement Security All these factors are important neutral +Moreover , by using annual performance plans to set goals to address management weaknesses , agencies provide themselves and Congress with a vehicle-the subsequent agency performance reports-for tracking progress in addressing management problems and considering what , if any , additional efforts are needed . Management weaknesses can be addressed through a number of methods . entailment +In contrast , the rule as proposed would have required sources to document for each process all major hazards , the consequences of each of these hazards , the risk reduction steps taken to address each hazard , and the consequences of each risk reduction step . Major hazards include death and people being fired . neutral +The Wordsworth Trust now manages the property and offers a guided tour of the cottage that provides insights into the life of the writer , his family , and his friends . All the visitors take the guided tour offered by The Wordsworth Trust . neutral +During the next three days he learned a few things the hard way , however . Over the course of the following three days , there were some things that he ended up learning the hard way . entailment +Nonetheless , Exhibit 19 illustrates how our estimates of the number of premature mortalities in the Base Estimate might change under a range of alternative assumptions for a PM mortality threshold . Exhibit 19 shows the number of deaths is affected by the PM mortality threshold , and can also be affected by things out of the control of the study . neutral +Tuesday , the 24th of July . The 24th of July was a Tuesday . entailment +The buses stand in line on Waverley Street near the main railway station . The buses line up on Waverly Street . entailment +These includeMultisite Data setting up a matrix of categories , graphic data Sets displays , tabulating frequencies , developing Included are : graphic data , the tabulation of frequencies , and display sets . entailment +Room 4 has finds from the golden age of Minoan society the New-Palace period ( 1700-1450 b.c. ) . Room 4 contains some items from the golden age of Minoan society , the New-Palace period . entailment +Whisking me off-stage , Natalia whispered : ' Looks like you have some of the old magic left after all . ' Natalia told me I still had some magic left . entailment +I 'm listening , said Julius , and gave vent to his favourite expression . I am ignoring you , said Julius as he gave off his favourite expression . contradictory +uh-huh she retired but yeah and then one night i talked to these two guys no one night i talked to one guy and then a couple of weeks later i talked to the guy 's roommate in Virginia about different things She may have retired but then one night I had spoken to these two people . entailment +Something hot and wet ran down his mouth and chin . Something cold and dry ran down his leg . contradictory +We came to the dead bodies , and White stripped away their weapons . White took the snacks off the bodies . contradictory +Take the end of this string in your hand . Hold one end of this string . entailment +Now banderillas long , ribboned , steel-tipped darts are plunged into the bull 's shoulders . The sharp darts called banderillas are used to enrage the bull and are stabbed into the bull 's shoulders . neutral +Parents have the same obligations to support their children regardless of whether they are , or ever were , married to each other . This includes emotionally and financially . neutral +uh-huh that 's right when we had our pool done i had them to leave some extra loam you know for my garden so i had i had a lot of loam out there to start with i just turned it all up and mixed it all up together with it When I had our pool done , I instructed them to leave extra loam for my garden , it was free and should work great . neutral +The chief villain , bombastically named Darth Maul , is a horned , red , Kabuki-style snake demon with orange pingpong-ball eyes who challenges the Jedi to a couple of clackety light-saber battles . Darth Maul is red with horns and challenges the Jedi to fight with light-sabers . entailment +did you ever get any information on it like Did you ever not get any information on it ? contradictory +Lowell tries to get Starr to admit that he should have told the attorney general about his contacts with Paula Jones ' lawyers and that he mistreated Monica Lewinsky by holding her for hours at the Ritz-Carlton and denying her a lawyer . Lowell tried to get Starr to see that he committed nothing wrong . contradictory +On display alongside are the original sketches and studies showing the work that went into the final canvas . The sketches and studies associated with this painting were lost years ago . contradictory +We need your help and advice on this issue , before it 's too late . These are dire circumstances , hurry and help ! neutral +At least one intelligent man lived in your world , I 'm pleased to know . Everyone is stupid . contradictory +The data system seems to have been well accepted by field programs ; The system includes a narrative component as well as statistical reporting , providing the Corporation with a strong capacity for describing the character as well as the volume of services and delivery models in use . The statistical reporting component in the system is the best in the world . neutral +He was good at talking in silence . He was good at talking very loudly . contradictory +This rule amends FDA regulations to provide that animal protein derived from mammalian tissues for use in ruminant feed is a food additive subject to certain provisions in the Federal Food , Drug , and Cosmetic Act ( 21 U.S.C. The FDA does not regulate food additives in ruminant feed . contradictory +hope hope the stud will find her attractive She should not have trouble making the stud found her attractive . neutral +All other villages are already burned . The demons already burnt down the other villages . neutral +so i tend to get up in the morning put on sweats um do whatever i wanna do with the kids then whenever i have a meeting with a client i 'll put a suit on and then I do not get dressed in the morning . contradictory +Serious auto racing arrived in Las Vegas in 1996 with the opening of the Las Vegas Motor Speedway , 17 miles ( 27 km ) north of Downtown on Interstate 15 . The Las Vegas Motor Speedway continues to be the city 's top tourist attraction . neutral +yeah um i remember i mean during my i went to a private school during the junior junior high years which was uh you know really during the development development time of my life and it was a small school we had like maybe twenty people in junior high i mean in my class like in seventh grade we had twenty in them and whenever we moved up to the eighth eighth grade we had like twenty or twenty five in the whole eighth grade and we had two different classes so the ratio was real good um as far as the we had real good teachers and i learned a lot i feel like that if i had of gone to a private school during junior high i probably wouldn 't have developed such good study skills because um i thought the private school was difficult i mean it gave a lot of homework and everything and it really helped me develop my skills my uh my memorization i can memorize things real well now and things like that but and then whenever i got to high school it was kind of a disadvantage to me to to the fact that i was going from a class of twenty to a class of five hundred and uh and i do feel like that i was socially withdrawn to a certain extent because i didn 't know anyone I went to a big public school . contradictory +The cold accents of the German took up the conversation : " Have you anything to say before you are put to death as a spy ? " The German stayed quiet until all others were done speaking . contradictory +Alien farmworkers may remain in Mexico annually for two to six months . Two to six months annually is the length of time alien farmworkers can remain in Mexico . entailment +It uproots and homogenizes as it enriches--like a Ronco appliance , as Friedman might say . The end result is efficiency . neutral +The scout we killed said they came for vengeance . According to the scout we killed , they came for vengeance . entailment +The average profit for all residential routes is $ 41 with 46 . The average profit for all residential routes is $ 41 with 46 . entailment +I 'm looking for a friend of mine whom I thought might have walked this way . " I thought my friend came here , so I 'm looking for him but I guess he 's not here . neutral +27 The largest tax incentive for saving-in terms of the tax revenue loss-is the preferential tax treatment of employer-sponsored pension plans This incentive is designed to encourage employers to provide retirement for their employees . neutral +The AIB delivers real-time information in the banner . The banner displays numbers in decimal format . neutral +It 's about sex . It 's about the sex you could never give me . neutral +'Okay , ' Natalia appeared , hands on hips . 'Okay , ' John stood there smiling . contradictory +and so i like the IBM PC personally Personally , I like the IBM PC entailment +Gainsborough 's Blue Boy and Lawrence 's Pinkie are the showpieces of the Huntington Gallery . Gainsborough 's Blue Boy and Lawrence 's Pinkie were hidden in the storeroom of the gallery . contradictory +yeah that was a good thing to look out for Did your parents or grandparents read to you when you were young ? neutral +So in lieu of swaggering , I should concede that in my family we needed permission from my Uncle Morty to buy a sport shirt . Uncle Morty is also a Hawaiian shirt aficionado . neutral +George Pataki , R-N.Y. , said he will ask the state athletic commission to investigate the fight . George said he will not talk to the athletic commission . contradictory +And we are confident that Slate 's list contains more people who will make history in the next century than Newsweek ' s list does . Newsweek 's list is not only weaker than Slate 's , but it 's also not as varied . neutral +Saint-Bertrand-de-Comminges Never heard of Saint-Bertrand-de-Comminges , I don 't think it 's an actual place . contradictory +The principal exhibition area , the planetarium and aquarium , and the submarine Argonaute are covered by the entry fee ( or Museum Pass ) , but all other activities even the creative play areas for young children cost extra ( see page 75 ) . The entire museum is free . contradictory +and that 's uh that i can honestly see the peer pressure there I clearly understand how there is peer pressure . entailment +But 49ers fans will always love Joe Montana more . 49'ers fans will always be more fond of Joe Montana . entailment +--Associated Press story of Wednesday , Oct. 27 , describing the efforts of Clinton aide Harold Ickes on behalf of Jesse Jackson Jr . ' s campaign for Congress . Ickes worked for Jackson Jr 's campaign . entailment +yeah and that 's the other thing is that you know instead of making it mandatory they maybe maybe need to publicize it a little bit better and and uh you know go to the schools and You can 't really publicize something like that and convince people , so making it mandatory was the obvious solution . contradictory +According to Attorney General Janet Reno , the NSC staffers probably misconstrued the agents ' instructions to treat the matter delicately . Attorney General Janet Reno suggested that the agents had instructed the NSC staffers to handle the matter indelicately . contradictory +Her right eye had a ring of blood around the iris , thick and swollen . Her eye was injured . entailment +Nestled in the northwest corner of Kyoto , Ryoanji is the best known of all Zen Buddhist temples . Ryoanji is located in the city of Kyoto . entailment +it 's it 's almost four hundred hours i mean i mean it it 's almost four hundred you know barring traffic it 's four hundred hours i mean i mean four hundred miles four hundred hours right four hundred miles We were all happy once we got there . neutral +There is something artificial even about this heart of mine , he wrote in 1886 . He said his heart was artificial . entailment +Singapore is generally viewed as a better location for bargain prices on computers , tape-recorders , video cameras , and other electronic equipment . Besides getting a good deal on electronic devices in Singapore , you can also get yourself a nice vacation for cheap . neutral +'It 's never a good idea to ignore a perfect opportunity . ' You may never find another perfect opportunity . neutral +Adrin 's own sword moved just as fast , parrying and dodging every attack . Adrin 's sword was moving just as fast and he missed every attack . entailment +so oh i don 't know about that but a lot of the industry up in uh you know the northern states is moving south and i 'm wondering if that 's going to have any effect you know on what you see now we 're we 're we 're behind down here I wonder if the industry 's migration to the south will have any consequences . entailment +no i don 't care for those i 'm undecided about those . neutral +H.R.22 were enacted , the Commission would be neither strengthened norweakened . The commission wasn 't affected much by HR22 , which aimed at shutting off their funding . neutral +i 've never uh really been sure that a juror is entitled to ask a question I don 't think a juror is allowed to ask a question but she did anyway . neutral +In addition , figures for 2000 showed that graduates had average credit card debt of around $ 2,750 . They wanted graduates to reduce their credit card debt before graduation . neutral +The Washington Post called her dress cleavage-coercing and reported that her handler , Susan Carpenter-McMillan , dabbed sweat from Jones ' upper lip and set aside a piece of used chewing gum that Jones handed her . As targets , they are very easy . entailment +Gulf veterans suggest that the syndrome is a constellation of symptoms The syndromes is a constellation of symptoms . entailment +As Buchanan put it , the boys in the War Room had won a little victory today over this little girl who is going to be denied justice . If this little girl had taken Buchanan 's advice , she would have gotten justice . neutral +It makes me home-sick . " It makes me forget about home . contradictory +The jury found Moore guilty of violating the Unlawful Detainer Assistance Act and of practicing law without a license and acting with fraud , malice , or oppression . The jury was deadlocked and could not reach a verdict . contradictory +A block removed from Waikiki Beach , but a few steps from the heart of the Waikiki shopping district , the Princess Kaiulani dates back to 1955 , but the rooms are all updated and its 29-story tower is much newer . Waikiki Beach features a strip mall called the Princess Kaiulani . contradictory +In Tokyo on 2 January , the inner grounds of the Imperial Palace are opened to the public , with thousands coming to pay their respects to the emperor and enjoy a closer peek at his palace than is possible during the rest of the year . The emperor keeps the palace shut the rest of the year because he doesn 't like company . neutral +In such circumstances , auditors may issue a limited official-use report containing such information and distribute the report only to those parties responsible for acting on the auditors ' recommendations . The information contained in the limited use report is more important than information in a typical auditor report . neutral +um-hum well you know uh i know American Express i 'm now i 'm working at American Express now and they I have never heard of American Express . contradictory +special rights for gays . LGBT rights neutral +It reminded Julie of unpleasantly kinky bestiality , and after a few days and a few arguments , one evening after an exchange of angry looks , she left . Julie was reminded of kinky bestiality and left after a few days . entailment +Best known as the Daily Planet building of the Superman TV series , its observation deck is open weekdays from 10 am-4pm . The Daily Planet building doesn 't exist , it 's just fictional . contradictory +A series of self-guided nature trails and some longer hiking trails wind through Will Rogers State Historic Park in Pacific Palisades , offering panoramic views of mountain and ocean . There are nature trails in Will Rogers State Historic Park that have a beautiful spot to sit and reflect . neutral +um and there i think that even though i 'm on an eighty eighty eight at home that the speed is really quite adequate uh and and i consequently don 't even really notice uh the the difference between the the fast machine and and the eighty eighty eight The fast machine is most noticeable when I 'm working with large spreadsheets . neutral +but these countries here which you know are you know like in nineteen eighty four have you ever read that book Those countries in eastern Europe are really Orwellian . neutral +The rule , promulgated by an independent regulatory agency , is not subject to the review requirements of Executive Order The rule isn 't subject to the review requirements . entailment +Pensions , Income from Accumulated Assets , and Earnings Determine Who Had Highest Retirement Incomes For most , pensions accounted for the majority of their retirement incomes . neutral +Not in so many words , that is . Only using a couple of words , that it . neutral +have you been to the opera ever Some people go to the opera . entailment +oh we don 't have capital punishment i believe you do We have capital punishment , just like you do . contradictory +With CEO support , the CIOs are in a good position to have significant impact on not just IT , but the entire business enterprise . The business will be reorganized after the impact . neutral +I shall sit up all night . " A flash of relief showed before the lids descended once more . He thought he would be awake all night but suddenly felt relief upon falling asleep . entailment +Mother is right , father said and suddenly turned with the cart into an isle with home improvement equipment . Dad thought that mom was wrong and left the store . contradictory +I have many questions , and I 'm sure he 'll be only too happy to answer them . It was obvious he would not be dissuaded from interrogating the man . neutral +Bork made a face as he tasted it , but he ate it in silence . Bork ate it silently but made a face at the taste . entailment +That 's Bradley 's real casting couch . That is not Bradley 's real casting couch . contradictory +yeah i 've heard that that 's a really good way to get cars up here they they only come around like once a year in the summertime they have a state auction but but they don 't um they don 't repossess that many cars up here figure in a big metropolitan area there would be a lot of uh where they repossess they uh take their cars for illegal activities you know it More cars are repossessed in metropolitan areas than in rural ones . entailment +Although agencies have generally retained their design oversight responsibilities , fewer staff resources are now devoted to reviewing facility designs . Not many resources are devoted to facility design changes . entailment +Attracted by its balmy weather and luscious orange groves , Midwesterners flocked here in the 1880s . The Mid westerners brought a love of oatmeal and whiskey to their new home . neutral +exactly uh and at the same time i think that i receive on on the order of uh probably seven or eight a week calls of the nature where one wishes that there were a convenient way to just hang up on it I don 't get calls . contradictory +A more accurate title for the edifice is the High Kirk of Edinburgh . The current title of the edifice is not the most accurate . entailment +Here you can eat all you wish from a buffet of six fish dishes , rice , potatoes , and various salads . The all you can eat buffet also includes a drink with the price . neutral +so that whatever is left in the hopper you know it 's it 's um uh that 's when you 'd be tested and then when you were tested then it 'd be taken out of there so that 's that 's how they said they would uh do it over a five year period They take the test out there and they would do it over the course of five years . entailment +Summer hiking in the largely German-speaking region of Alto Adige ( Austrian South Tyrol till 1918 ) is a delight . Many German-speakers still live in South Tyrol . entailment +The floor jumped , and for an instant everything felt lighter . I felt the floor shake . entailment +Inside it , a tiny point of light danced frantically back and forth . A small beam of light moved back and forth inside it . entailment +The first bridge ever to link Europe and Asia was the Bosphorus Bridge ( Bo a zici Keprese ) at Ortaky , opened in 1973 , and at that time the fourth longest in the world ( 1,074 metres / 3,524 feet ) . The Bosphorus Bridge was made out of reinforced steel and concrete . neutral +yeah those go back quite a ways Those are the newest on the market . contradictory +when i 'm up here i really miss my younger brothers and sisters so you know that 's that 's a change because there 's nine of them that are younger than me I do not have any siblings at all . contradictory +i don 't know we couldn 't think of a better time to buy than now We had to buy now , even thought the timing was not the best . contradictory +A little map available at the entrance will help you to locate the tombs of the famous , which include Rossini and Chopin , La Fontaine and Moliyre , Sarah Bernhardt , and Oscar Wilde . Tombs of the most famous people are identified on a map . entailment +Adrin could have easily parried with the off-hand dagger but instead twisted and caught the point of Jon 's sword in the guard of his own rapier . Adrin parried with his off-hand dagger . contradictory +and um there are really easy recipe that is you know with Chinese you always have several dishes Chinese food is very tasty so I make it all the time . neutral +If it doesn 't wake up soon , another scandalous case will inevitably surface , and the government will take matters into its own hands . The government will stay out of this business no matter what . contradictory +Numerous comments were received regarding the proposed plan to convert microwave incumbents to secondary status when the relocation rules sunset in 2005 and thereafter , licensees would not be required to pay relocation costs after that date to such incumbents . The relocation costs totaled to three million dollars . neutral +THERE IS A LOT OF ANGER AND SADNESS IN THE CAVES . A lot of horrible things happened in the caves . neutral +India is exhilarating , exhausting , and infuriating a land where , you 'll find , the practicalities of daily life overlay the mysteries that popular myth attaches to India . India never incites fury , exhaustion or exhilaration in anyone . contradictory +You have not told me if Mrs. Inglethorp ate well last night . I stared at him . You didn 't tell me if Mrs. Inglethorp ate well last night . entailment +And I ” I , too , have an instinct . I have instinct as much as anyone here . neutral +t here 's also a moral aspect to it a lot of people have not either mentally sat down and gone over the moral aspect can i take human life even in a life threatening situation to myself or to a loved one I certainly think that it is . neutral +A five-minute walk away is Israel 's Parliament , the Knesset . The parliament is an interesting attraction . neutral +Most important , with the first primaries still months away , the Gore campaign hasn 't advertised much to bring newcomers to the site . The Gore campaign put ads all over the internet . contradictory +Actually a five-story pavilion on a hilltop , it contains a fine collection of historical exhibits . The five-story pavilion is the tallest structure in the city . neutral +The Malays have a perfect understanding of their tropical climate . Malays have difficulty adapting to drier or colder climates . neutral +i grew up outside of Houston and i don 't think uh as far as gang violence and things i don 't think it 's any worse here than in Houston I grew up in a small town outside of Houston . neutral +right then the United States says okay our our oil prices are going to go up and like for example see okay like Lithuania Lithuania right they declared themselves uh an independent country with a president right The US says our oil prices are increasing . entailment +Under the leadership of an implementation committee created in the wake of the report , over the next five years a number of steps were taken to increase and support pro bono participation in the delivery of civil legal assistance , support pro se litigants , increase IOLTA participation , and eliminate barriers to access . Money was offered for solutions meant to eliminate barriers to access . neutral +Kimi Jackson , author of the Colorado Legal Services study , said the surveys were detailed and the responses consistent across the state . The surveys were said to be quite detailed . entailment +I asked for their names . I asked what their names were because I didn 't recognize them . neutral +But all year round , you can visit the monumental 18th-century Grandes-Ecuries ( stables ) , now a horse museum ' with live horses contentedly munching hay next to wooden statues . There aren 't anymore horses living in the stables . contradictory +we have had no snow to speak of to speak of We have gotten so much snow this winter . contradictory +I was struck by this a decade or so ago when I was in Prague , then still under Communist rule , where I had been invited to give a few lectures to some Party institutes about technology . I have never been to Prague in my whole life . contradictory +No one We can 't quote this guy . Most people can repeat what he says . contradictory +To understand a single case , the researcher must develop hunches about what is happening in the instance under study and systematically seek within it The researcher needs to dig deep to understand the case . neutral +the blue flu yeah yeah the blue flu or the white collar flu depending on where you work i guess The bird flu , yeah , you can also call it the pig flu too , depends where you live contradictory +Security Weaknesses at IRS ' Cyberfile Data Center ( GAO / AIMD-96-85R , May 9 , 1996 ) A list of security problems at the IRS Cyberfile Data Center . entailment +That nostalgic appeal is still evident . The nostalgic appeal is unclear . contradictory +More than a million Americans are in jail today--five times as many as in 1970 . There are less people in jail today than in 1970 . contradictory +but uh also TI has some good uh uh some good jogging tracks every once in a while while i 'm sitting there eating lunch i 'll look look out and see people jogging i guess on their lunch hour I wish that I had the time to jog during the day . neutral +I shot the agent of the Eye first , the hooded man . I considered shooting him , but ran away instead . contradictory +evidence is consistent , no further examination is needed . There is no need to examine any further . entailment +Tuppence , you are the limit ! You 're the uttermost , Tuppence ! entailment +Close to western Turkey , three large islands lie aligned from north to Lesvos , Chios , and Samos . There are three islands , all large , that remain close to western Turkey . entailment +Further , if the mailbox rule were maintained , only one person will pick up an outgoing letter placed in the mailbox . Depending on the outcome of next Tuesday 's meeting , this rule may or may not be modified . neutral +oh i 'm sure yeah that 's a pretty large area That 's surely a big area . entailment +A piece maps the minefield of New York state politics . New York state politics are simple to understand . contradictory +A more honest summary might be We Finally Realize That Caltech Is Tops . They gave a brutal summary stating that they had no clue who they were . contradictory +There 's not a hint of the 14th century in its splendid western faaade , however . Its western facade is an obvious reference to 14th-century architecture . contradictory +I don 't want to be adopted . I wish someone would adopt me . contradictory +I watched them distrustfully . What they were doing was very normal . contradictory +W. has bartered the high-status accomplishments of his father for something more regular guyness . W. is a big fan of his father . neutral +In the 17th century , Jahangir made it a major focus of the Islamic world . It was relatively unknown prior to the 17th Century . neutral +He tried to put it out of his mind as he drew Nema to him . As he pulled Nema close he tried not to think about it . neutral +Greed , liquor , jingoism , and bad taste . Charitable , beer , anti-patriotism , and great taste . contradictory +They also operate a legal arm that assists migrant workers from Texas to Kentucky . They are unable to help migrant workers in Kentucky . contradictory +Thank you , sir , said Adrin , tipping his hat . Adrin was wearing a hat . entailment +Blackpool has been considered the premier seaside resort in Britain since Victorian times , attracting families from the northern mill towns for fresh air and fun . Blackpool has been never been considered the premier seaside resort in Britain . contradictory +Until the end of the 16th century , Cuba remained a fairly insignificant Spanish colony . Until the end of the 16th century , Cuba remained a fairly insignificant Spanish colony because their lack of production . neutral +The Fat Man sat behind his desk . The Fat Man was at the beach . contradictory +I went out into the corridor , but all the other carriages were full , so I had to go back and sit down . " After I saw that all the other carriages were full , I went back and took a seat . " entailment +Ca 'daan ' couldn 't see if the black riders said anything in return . Ca 'daan couldn 't see if the white riders said anything in return . contradictory +Such investments will be measured in terms of expenses incurred for certain education and training programs ; federally financed research and development ; and federally financed but not federally owned property , such as bridges and roads . Investments are earmarked for specific purposes . entailment +But many of the clients served by the Women 's Haven outreach programs are the working poor , who don 't qualify for free legal services . Many working poor do not qualify for free legal services . entailment +and and the men basically see a business woman and ask them to go get coffee or something it 's just it 's very difficult to be well respected and and Margaret Margaret Thatcher had been in office it was probably very difficult for her at first but All men like to go on dates with businesswomen . contradictory +okay what do you usually wear to work What do you wear at home ? contradictory +And he was perfectly right . " There was a problem . contradictory +In response to our inquiry , HUD staff advised that HUD reviewed the rule under Executive Order 12988 ( Civil Justice Reform ) . HUD staff informed us that HUD never reviewed the rule according to the Executive Order or at all . contradictory +i like the I hate it . contradictory +As the discount level ( on the horizontal axis ) gets up to e of a cent , 20 billion pieces become presorted . The discount level is shown on the horizontal axis . entailment +The auditor should also determine whether previous recommendations have been carried out . The auditor is not responsible for checking if recommendations were carried out . contradictory +But in these stories , especially the later ones , he seems to have been unable to get beyond his own commonplace fantasies about prostitutes and 1960s miniskirts . He cannot get past his fantasies about hookers and 1960s miniskirts in his works . entailment +and and just all the way back to Dallas i 'm just uproariously sick and uh we get back here and of course the first day back at work i go to work and where are these guys These men all have big smiles on their faces . neutral +You enter through a courtyard , colonnaded with grand columns of granite , marble , and porphyry , with a rectangular ? ̡ d ? ? rvan ( ablutions fountain ) in the centre . The courtyard is empty except for the columns that decorate it . contradictory +Standing out half obstructing the path was a huge boulder which certainly bore a fanciful resemblance to a " begging " terrier . The path was clear . contradictory +OSHA has estimated that in the first year there will be 1,300,000 respondents incurring total burden hours of 8,926,558 , or an average burden per firm of 6.87 hours , at a cost of $ 180,787,295 . OSHA says there will be 1,300,000 respondents with almost nine million burden hours . entailment +Across-study variation refers to the fact that different published studies of the same pollutant / health effect relationship typically do not report identical findings The variation refers to the fact that different studies of the same pollutant don 't have the same results . entailment +What they wanted to talk about was not the future but the past , about the days of Rudolf II , who had ruled the Holy Roman Empire in the 16 th century , when Prague dominated Europe , before Vienna . They wanted to discuss things that they envision to happen in the year 2035 . contradictory +Now that 's a Flytrap remedy even Clinton 's worst enemies can love . The Flytrap remedy is so good that even the opposition can agree with it . neutral +To assess the impact of this , it was assumed that the boilermakers in the U.S. continued to grow at the 5.3 percent pace that the International Brotherhood of Boilermakers , Iron Ship Builders , Blacksmiths , Forgers , and Helpers has set as a minimum growth target . In fact , American boilermakers grew at a 7 percent pace last year . neutral +so i think it makes for a more solid basis for them or i hope so at least I think they will be able to start from there . neutral +Your Gist on alleged payments to David Hale is so sloppy that one is tempted to assume some bias on the part of its author , Associate Editor Franklin Foer . You send payments to David Hale . entailment +yeah i think a lot of people grow up with uh with uh preconceived notions like what the world 's about Often those preconceived notions are wrong . neutral +The EPA recognizes the need for investigation by the scientific community to develop additional empirical support for adjustments to VSL for the factors mentioned above . The EPA feels that no investigation is necessary at all . contradictory +Staffers are cooler than Interns . Interns are less cool than staffers . entailment +well now i i think that they 're not uh uh i see too many uh you i recognize that yes a a lot of families need two incomes in fact my wife 's working as we the kids all start college and we 're looking forward to the prospect of having three in there uh they they have to A lot of families need two incomes to make ends meet . entailment +Domestic violence victims needing legal help can get it through a program launched by Central Southwest Mississippi Legal Services Corp. Central Southwest Mississippi Legal Services Corp helps domestic violence victims . entailment +I had to fight to even stay awake now . After flying back home it 's always hard to stay awake . neutral +It was a mind-boggling , preconception-shattering illustration of five-fold symmetry , ' non-computability ' and , quite possibly , the meaning of life . It was a mind boggling illustration of symmetry . entailment +You can draw your own deductions from them . They have the answers that you are seeking . neutral +Camacha , back toward Funchal and east of the city , is a pretty village set at a refreshing altitude of nearly 700 m ( 2,300 ft ) . Many people comment on how the altitude level gives the village an entirely different feel from Funchal . neutral +yeah really then you 'll have to say see in my age i didn 't have to do it oh really dad yeah oh well okay I didn 't have to wax your back hair dad . neutral +i thought you know it looked to me like it was a real submarine It looked like a real submarine to me . entailment +Estimates of Scheck 's fee in the nanny trial range from $ 100,000 to $ 300,000 . The trial will cost Scheck nothing as she is using a public defender . contradictory +They always take out the key before leaving the room . " The same procedure is always used with the key on leaving the room . entailment +The meetings were held around the country and included environmental organizations , businesses , state and local governments , tribal governments , and other stakeholders . Environmental organizations , businesses , state and local governments were included in the meetings . entailment +Unfortunately , the basilica was the region 's one structure that suffered the most damage during the earthquakes of 1997 , whose epicenter was located just outside of Assisi . The earthquakes of 1997 occurred in San Francisco , and caused a lot of damage . neutral +I was not wrong as a New Jersey senator , and I 'm not wrong as a presidential candidate . I was one hundred percent wrong as a senator . contradictory +You 'll see the hot furnaces where the glass mixture ( the batch ) is melted and blown , and you 'll watch the cutting that is done by hand and eye as well as the polishing or engraving . The glass is melted in a frying pain on medium heat . contradictory +You 'll be offered a serving of roasted breadfruit along with the jerk to provide the perfect bland antidote to the spice . You 'll be offered a bite of a hot pepper after the spicy jerk . contradictory +uh-huh well i feel like too on the job when you know there 's men around and some of the managers are men you just you know you don 't want them looking at your legs necessarily and uh to me i just wouldn 't feel comfortable in that at work You want to cover your legs at work . entailment +Let us , though , just for the heck of it , consider the possibility that perhaps the prospectus is accurate and all these quotations and citations from Talbot and others at Salon are in error . There are a lot of quotes from Talbot . entailment +But he found that one of the solutions tried had been the bleeding of eleven certified virgins for seven days . The solution of bleeding virgins did not work . neutral +A tinge of Jewish blood is not a bad thing . Jews are responsible for many great things humans have today . neutral +Will that suit you ? " Can 't you see that you 're not needed ? contradictory +is uh it uh yeah it can add up quick It always adds up quick . neutral +To be commended . There wasn 't a commendation . contradictory +He killed another stud this season . He stabbed to death another stud this month . neutral +But Barr also I don 't think its realistic that we 're going to be able to zero it out . I don 't feel it 's realistic that we 'll be capable of zeroing it out . entailment +The university had recently developed more explicit policies on system These policies included mandatory password changes every month . neutral +Even today wind and water are still hard at work , gradually but continually changing the landscape . Wind and water are not working as hard as they did 10 years ago . neutral +'I can go back at anytime ? ' I managed to ask . I asked if I could return right now . neutral +The adjustment to the unit valuations of these endpoints for growth in real income in 2010 is achieved using an adjustment factor of 1.038 . An adjustment factor is not necessary contradictory +His vision of society is far darker , for instance , than that of the leading American pragmatist , Richard Rorty , who holds that no idea is truly bad as long as it leads to other ideas . Rorty thinks ideas are rarely bad . entailment +The analytic techniques are explicitly described . The analytical techniques used were developed for this specific application . neutral +i participate in all of the national you know elections and the state elections that you know that affect me i 'm sometimes not too good in local elections i do i do vote you know in bond matters and uh things like that but i don 't i no longer have children in school so school board elections you know doesn 't really I 've never missed voting in a local election . contradictory +Garland Daily News i guess it 's it comes out sporadically like twice a week or something but i think what 's interesting is that if you 're that there uh this Garland Daily News is well respected and well loved by the local community . neutral +Situated on the route of the ancient caravans that brought goods from the Middle East and Central Asia , the sandstone citadel of Jaisalmer , protected by an imposing double set of bastions , rises like a mirage from the sands of the Thar Desert . Jaisalmer is built in a lush , fertile region full of green forests and valleys . contradictory +Given their enormous incentive to take improper risks , it would actually be amazing if the managers at LTCM didn 't respond in the normal way . It would be great if the managers of LTCM didn 't respond with threats .. neutral +Fire Administration provided opportunities for front-line employees to lead teams whose members included a mix of employees and supervisors . Front-line employees led teams comprised of employees and supervisors . entailment +While the Hittite Empire declined , other momentous events were taking place on the shores of the Aegean . The Hittite empire was located on the shores of the Aegean . neutral +This is certainly a challenging task , but the rewards for doing so are the myriad windows and doors into this fascinating country that will open for you . This country will provide you with opportunities . entailment +we went uh and did a a thing through IBS which is a like a financial consultant type thing here in Dallas and uh one of the things that we talked about with the counselor there was you know they work up this whole big you know proposal profile for you that every all the things that you need to work on and you need to do and then one of the things that we talked about with her was you know the need to save for our son 's education we have a two year old you know and and you know we can 't start saving for college when he 's sixteen you know we have to do that now and and uh they have a way that they can figure you know what you know and he 's two now in sixteen years when he 's ready to go to college this is how much it 'll cost you know and it 's just really scary the thought of how much it 's going to it 's what it costs now is ridiculous what it 's going to cost sixteen years from now is just really scary and they sat down and figured up that we needed to save like fifteen between fifteen and seventeen hundred dollars a year at a oh you know six percent interest rate to be able to have you know money for his college and that 's exactly what we have coming out in saving bonds is is you know about fifteen hundred dollars a year so i guess it you know in that way at least we know that that 's taken care of you know we we can worry about other things so The proposal profile that they build for you is extremely useful . neutral +I 'd feel it in my fingertips if he came near me . " If he came near I could sense it in my fingers . entailment +Agencies can also consider joining any of the many trade and professional organizations that assist their membership in identifying and implementing appropriate technologybased practices . Agencies are forbidden from joining any trade and professional organizations that have anything to do with technology based practices . contradictory +Please move away , Kevin McLaughlin , the Forbes chairman for Polk County , pleaded with a press corps that insisted on standing between Forbes and the audience . Please move away , Kevin McLaughlin , the Forbes chairman for Polk County pleaded to the press corp that stood between Forbes and the audience . entailment +billions of dollars worth of payments to individuals and businesses , such as Payments are made to businesses and individuals for the services they render . neutral +Also , one would expect increased similarity in their rate structures . One would expect a decrease in the similarity as their rate structures became more unique . contradictory +The first row shows the bill / payment mail that comes from the HH-to-NHH ( Household-to-Non-household ) sector . The first row contains household to household mail data . contradictory +I never looked at my records , he admitted about the writing of his classic . He admitted about the writing of his classic . entailment +As a result , the effectiveness of individual system administrators in maintaining security controls and spotting incidents is likely to vary . Administrators made sure the employees all had background checks . neutral +yeah me too in Chicago we didn 't i didn 't even date a guy that had a car until i was in college The guys I dated before college did not have cars . entailment +People discriminate even when it 's against their own self-interest . People will always have prejudices no matter what . entailment +They have a theory for this . Regarding this , they have a theory . entailment +At the end of the Via Rizzoli , the two leaning towers are all that remain of a whole forest of more than 200 medieval status-symbols like those of San Gimignano in Tuscany . There were originally hundreds of statues in the the Via Rizzoli . entailment +Nonexchange transactions with the public Public transactions that have nonexchanges . entailment +They were constructed by Suleiman the Magnificent , the Ottoman Turkish sultan , who never visited Jerusalem but ( according to tradition ) had a dream that he would be devoured by lions unless he rebuilt the walls of the city . Suleiman the Magnificent had a nightmare about being eaten by lions , so he had the city walls rebuilt . entailment +If NBC wanted to clone its sitcoms , you think it could aim higher than Suddenly Susan and The Naked Truth , says USA Today ' s Matt Roush . Matt Roush doesn 't like any of NBC 's sitcomes . neutral +how can you prove it How can you prove it without violating her privacy ? neutral +they 're not going to do it that 's my biggest problem is even if you give them the death penalty they appeal it and appeal it and appeal it and there 's you know My biggest problem with the death penalty is that they can appeal it . entailment +The House Judiciary Committee is making plans to hire 18 new lawyers for a possible impeachment inquiry . The House Judiciary Committee plan does not require new lawyers to be hired . contradictory +International cuisine with many interesting dishes ; the pies are a house speciality . They serve only Israeli food . contradictory +It 's certainly worth trying . I recommend giving it a try . entailment +Both men are working with the same set of facts and accusations . Both guys are using very different information . contradictory +The Ottomans built countless mosques in their capital , the finest of which is the S ? ? leymaniye , inspired by the form of the Haghia Sophia . Mosques were abundant in the capital . entailment +Doing so for all rules , they said , could overwhelm the agencies ' systems ; may be unnecessary for some relatively uncontroversial rules ; and may be a less effective use of the agency 's resources than more traditional methods ( e.g. If the agencies ' systems get too overwhelmed , it costs more money . neutral +Horseback riding runs between 1,500 3,000 esc . Horseback riding can cost as much as 2,000 esc . neutral +Fortunately , the whole family can enjoy a hint of the thrills of undersea swimming . Undersea swimming used to be only for adults . neutral +6 . Bully or protector ? Bully or protector ? entailment +De Wit was paid a reasonable stipend of a120 per year to produce the works , examples of which can also be seen in other rooms of the palace . Other rooms of the palace contain less known , but still great , pieces . neutral +Attorneys working for LSC-funded programs may no longer , for example , initiate or participate in class action lawsuits , collect courtawarded attorneys ' fees , represent prisoners or certain categories of aliens , or take cases involving political redistricting , abortion , or drug-related public housing evictions . Attorneys working for LSC-funded programs were abusing their power . neutral +I had never understood his insistence on that point . I didn 't undrestand why he clung to that idea . entailment +Instead , it is run as though every year is the same as every other year and is therefore static in its outlook . They act like every year is a fresh slate . contradictory +Count to ten , and , like Delhi belly , it 'll pass . If you count to ten , it will only get worse . contradictory +That is the feeling that makes the children take out the broken tea pot and empty jam tin . This feeling is that of giddiness and glee . neutral +As a result of the process , many states , including Maine , Connecticut , Colorado and Washington now have only a single LSC grantee , while Illinois and Texas have a mere three . The process has caused many states to have only one LSC grantee . entailment +Three or four are masterpieces of Hindu architecture . The museum has a large collection of Hindu creations in it 's exhibit , three or four of them being masterpieces of architecture . neutral +The American avoids placing blame for Mir 's woes , but does say his cosmonaut pals feared retribution from the Russian government . Cosmonauts are all trained to play water polo and chess . neutral +I didn 't know whether to stare at the ceiling , pretend I saw nothing , or thank her for the free show . I confronted her about it immediately . contradictory +uh sort of pull yourself up by your boot straps and do what you really wanna do convincing you that you need to get on with it You need to focus . neutral +According to statistics provided by LSSM , 15 . The statistics were helpful . neutral +no oh yeah yeah i well the only time i can go in too and all these classes that are available are like Saturday I spend the whole Saturday in one of those classes . neutral +But his defenses of natural selection sometimes lend it more power than it really has . Those limits are mostly based on population size . neutral +The Ligurian coast that holidaymakers have dubbed the Italian Riviera has an ancient history of piracy and commerce , not always easily distinguishable . The Ligurian coast is ashamed of its sordid history of piracy . neutral +( Bill Clinton received his undergraduate degree from Georgetown University , a Jesuit school . ) Georgetown University is a Jesuit school that offers undergraduate degrees . entailment +right oh no i haven 't i 'm um i 'm a struggling single mom and um yeah thank you um it 's you know time is precious money 's precious um and It 's hard to work and take care of my kids alone . neutral +oh does it spread out of the neighborhoods into the more the uh retired people 's community or does it stay in the bad neighborhood I was wondering if it happens only in the bad neighborhood . entailment +On the sex front , nonpresidential illicit encounters are all the tabs can muster this month . Tabloid newspapers tend to publish lots of sex stories about infidelity . entailment +If it 's on the menu , try sopa de pescado ( fish soup ) or sopa marinera ( seafood soup ) . Sopa de pescado and sopa marinera are worth tasting . entailment +The island 's repeated suffering was duly celebrated in the popular heroic Songs of Dighenis ( adapted from their medieval origins for the modern struggle ) , Pandelis Prevelakis ' grim novel , The Cretan , and the lofty writings of Nakos Kazantzakis . They just suffered one catastrophe after another . neutral +It is located in the house which Nehru inherited from the British Indian Army Commander-in-Chief on Teen Murti Road ( it also houses a planetarium ) . It is located in the house which also has a planetarium that Nehru had inherited . entailment +With respect to Jacob Weisberg 's Ballot Box ( ) , he makes one decent point , and then blows it . Ballot Box is unliked by many people . neutral +Shiloh 's not for sale , Coronel , Drew replied . Not Shiloh but the others are for sale , Coronel . neutral +America 's rich made up a goodly portion of these early travelers . The early travelers were mostly comprised of the wealthy . entailment +Steep steps bring you up to the Hall of a Thousand Pillars , as well as the shrine of Shiva and the Temple of Ganesh , from which there is a fine view over the Cauvery river , the towers of Srirangam , and the plains beyond . The steps that lead up to the Hall of a Thousand Pillar are narrow . neutral +yeah i guess i i guess we 're really into spring now It 's the end of summer now . contradictory +Someone would die tonight . A life would end before dawn . entailment +He 's the darkness reaching out for the darkness , Howard Hunt tells John Dean in the film . Howard Hunt says that Marilyn Manson is a very dark soul . neutral +yeah so it 's it 's less than clear like i said i don 't remember the article that well It 's crystal clear because I remember the article laid it out in a very easy to understand way . contradictory +You can watch a tartan pattern being woven by machine and then choose from over 150 tartans in the shop . The shop carries and sells over 150 tartans . entailment +Poirot unfolded the sheet of paper eagerly , and uttered an exclamation of satisfaction . Poirot was not interested in the paper at all . contradictory +Egon The Leopold Collection , Vienna ( Museum of Modern Art , New York City ) . The Museum of Modern Art is in Boston . contradictory +After a brief 20th-century decline , Leith 's fortunes have revived . Leith went bankrupt and never recovered after the 20th-century decline . contradictory +From its golden era , a ninth-century Hindu temple , the Candi Bukit Batu Pahat , has been restored on the southern slopes of Mount Jerai . The Hindu temple was from the 9th century . entailment +a harassment in itself Harassment is one of the worst things neutral +'It was ripped off a network news broadcast three minutes ago . ' There is no broadcast news . contradictory +When almost anything can be said in public , profanity ceases to exist in any meaningful way at all . Profanity doesn 't have the same effect when almost anything can be said in public . entailment +well and that always is helpful for starters you know you have to have something that kind of gets you on the right track of where you 're going That doesn 't help at all . contradictory +The AEO2001 was published in December 2000 ( Energy Information Administration , 2000 ) . The AEO2001 was published in the last week of the year 2000 . neutral +Foreign investment , in the form of joint ventures in the fields of tourism and mineral and oil exploration , was keenly encouraged . Foreign investment was discouraged . contradictory +Callers to the network are being advised to pray for him . Callers to the network are being told that prayer is foolish . contradictory +Brown praised the recommendation for addressing a very important issue . Before , Brown was hesitant to endorse the recommendation . neutral +that 's right and this one had all sorts of weird little things and would go off in uh strange directions and it had lots of uh little subtle touches that if you weren 't watching you would miss uh that they 'd have references to literature and things like that and they 'd also just have odd thing they walk into a bank vault and there is a deer head lying on the table in the bank vault References to literature were in the bank neutral +Ventura is a libertarian on social issues . Ventura is solely a statician . contradictory +HUD states that the interim rule will not have a substantial , direct effect on the States or on the relationship between the federal government and the States or on the distribution of power or responsibilities among various levels of government because the interim rule primarily involves relationships between HUD and private entities . States will not be directly effected . entailment +That 's not very likely , scoffed Tommy . There is no chance that is the truth , ridiculed Tommy . neutral +because my husband used to work out three days a week with uh at the Texas Instruments gym his favorite part of the gym was the pool neutral +Thierry Mugler 's black satin one-piece took the sado-maso route with stark black bands clutching ribcage and upper thigh , also for $ 750 . Mugler 's one piece looked more like a sado-maso piece with the stark black bands , just $ 750 . entailment +But they were both gay enough this afternoon , and chatted together like a couple of children . They didn 't speak to each other during the afternoon . contradictory +Risk categories will group all loans obligated or committed for a program during the fiscal year that share characteristics predictive of defaults and other costs . They were rejected from trying to get a loan for a new car . contradictory +Jon turned right and saw Vrenna under her cloak , rivers of rain running off of the hood . Jon led her to shelter under the outcropping . neutral +Total pieces delivered and mail revenues have continued to increase There has been a gradual decline in total pieces delivered . contradictory +Directly ahead lies the Mercado dos Lavradores ( Workers ' Market ) , housed in a two-story , open-roofed structure built in 1941 . The location of the Mercado dos Lavrdores was first built in 1941 . entailment +a fuzzy little dog A soft , little dog . entailment +The elegant Renaissance style lends an unaccustomed sophistication to the nightmarish superstitions of medieval Brittany incorporated in the sculpture . The sculpture contains Renaissance and medeival influences . entailment +The Sogas had promoted Buddhism as an imperially sanctioned counterweight to the native Shinto religion , along with the new Chinese customs , to weaken the influence of their more conservative rivals . Buddhism was unable to displace Shinto in the hearts of the people . neutral +Who wants to know ? The response is defensive . neutral +right right because you can always you 'll either get interrupted with a telephone call or want to get up and leave and that just doesn 't make the movie you know you need to just sit through it and and enjoy it You need to sit through the movie without interruptions to enjoy it . entailment +Friday , we publish the weekend edition at about 11 a.m. There are no editions to publish on Monday . neutral +The best way to see Osaka is by subway . The best way to see Osaka is by helicopter . contradictory +oh you do want a lot of that stuff i see , you want to ignore all of that stuff contradictory +Generate Clearly Organization representatives said that generating clearly identifiable benefits was essential for maintaining active member participation and According to Generate Clearly Organization representatives , creating clearly identifiable benefits is necessary for member participation . entailment +If drugs do extend the lives of infected people for , say , decades--and I hope they do and that Sullivan is wrong about his own fate--I , too , would use the word cure . Sullivan believes that they will die from the infection . neutral +Perhaps you 'd both come , too , in case she springs on me , or 111 anything . I think I can handle whatever happens myself . contradictory +It has been a very productive twelve months , not without its stresses and disappointments . The year held several disappointment . neutral +If he does , I 'm ready for him . " He slapped his pocket . He hit his pocket . entailment +Additional work , however , has been transferred to a lower cost provider , causing a technical gain of about one billion dollars . We 've been unable to find any means of lowering costs . contradictory +The chapter focuses on the resources needed for typical or normally constrained wet FGD , specifically LSFO , retrofit installations . LSFO systems cannot be retrofitted , unlike other systems . contradictory +Housed in an old byat , it is currently under renovation , but the work is mostly on the exterior leaving the wealth of artifacts inside undisturbed . There are a wealth of artifacts inside , including statues and gemstones . neutral +Red-roofed houses nestle on the surrounding hills . The houses were all built at the same time . neutral +However , one monument to its past is the Million Dollar Theater ( 307 South Broadway ) with its whimsical terra-cotta ornamentation . The Million Dollar Theater acquired its name as a result of its huge cost to construct . neutral +Since Santa Monica residents wouldn 't think of driving so far east to spend their money , this chic seaside town has a comparable number of phenomenal shopping streets . Santa Monica has many high end shopping streets , suited for it 's residents . neutral +yeah it 's pretty nice i have the room outside i need and i don 't really have all the room in the house i need but I like my new house in the city , there 's plenty of yard space . neutral +LSC and LSNJ , on the other hand , say Passaic Legal Aid voluntarily sacrificed its chance for federal funding . LSC and LSNG said Passaic Legal Aid sacrificed its federal funding of its own will entailment +Lake said Washington had gone haywire and worn out his patience and dignity . Lake promised not to engage in any further conversation with Washington . neutral +Madeira has no beaches to speak of though the day when an enterprising hotel builds its own man-made beach can 't be too far off . People are thinking of making man made beaches in Madeira . neutral +He is el chivato the young billy goat that one . He is el chivato , named so after his father neutral +and so when we got there the water that we were supposed to drink wasn 't potable like well you couldn 't drink it The water was drinkable when we got there . contradictory +You want anything you jus ' holler , Mister Kirby ! " If you need something , just ask . entailment +LSC is developing performance measures to assess the ongoing effectiveness of its strategic plan , and will undertake pilot projects in up to five programs in 2001 . LCS will begin up to five pilot projects in 2001 . entailment +Begun by Delhi 's first sultan , Qutb-ud-din , and completed by his son-in-law Iltutmish , the 73-m ( 240-ft ) tower was erected to celebrate the Turkish conquest of Delhi . The tower is a monument built in remembrance of Delhi 's conquest by the Turks . entailment +and so what we go through is uh if you see it smoking there 's a problem and having worked with some of the legal folks very closely uh it becomes a real issue especially when it 's smoking and you have to get it fixed el pronto If it is smoking there is a fire . neutral +It 's all shiny silver or something . " It is shiny silver or something . entailment +But when they did … Tommy smiled ! What they did had no effect on Tommy 's sad mood . contradictory +Cirque du Soleil 's Mysty The internationally famed Cirque takes the circus to new levels of sophistication in an amazing state-of-the art theater . Cirque du Soleil is not a well known circus . contradictory +Could we curb Milosevic 's aggression through diplomacy rather than bombing ? Can Milosevic be calmed through diplomacy ? entailment +This should meet all contingencies , such as some patron out there getting downright ornery and putting a couple of extra buttonholes in my vest by the six-gun slug method . There are contingencies in place . entailment +Mostly Incorrect . Wrong , except for the first point . neutral +uh-huh right well you know they said that we haven 't had enough rain though and that surprises me because it seems like we 've had a lot of rain this year but since we 've uh last i heard that we hadn 't met our you know hadn 't got up to the right level yet that we It does indeed suprise me that there is a lack of rain . neutral +Presently , as a matter of policy , senders of parcels to residents in the Alaska Bush ( which is not accessible by surface transportation ) pay surface rates for mail that is transported by air in low volumes . The policies can change at any time without warning . neutral +2 Large-sized sheets are used to fabricate the absorber vessel , the ductwork , and supports . 2 small sized sheets are used to fabricate . contradictory +Small family-run hostelries and country inns are charming , but , depending of course on your budget and personal preferences , consider indulging for at least one night on the special comforts and pampering of the great hotels . Don 't consider going to a great hotels . contradictory +Who ? asked the normally silent Patient on the Specialized Life Support System . The room was completely silent , as the patient was mute . contradictory +In other words , very attractive . She was ugly . contradictory +Not a bit of it , declared Tommy unconvincingly . Tommy always speaks with his head up high and truth in his words . contradictory +We organized . The people organized a massive protest . neutral +In Australia , reported the Herald , the top choices were different , the three most popular being Wind Beneath My Wings ( Bette Midler ) , Unforgettable ( Natalie Cole ) , and Because You Loved Me ( Celine Dion ) . Bette Midler was the least popular in Australia . contradictory +Degas , according to Daniel Halevy , carried his camera as proudly as a child carrying a rifle . Degas has never carried a camera in a proud manner . contradictory +the closest i come to uh I don 't quite get there . entailment +If your timing is right , you 'll see the sea 's bright colors when a full moon rises at the same time that the sun is setting . The moon and sun matching at twilight is a sight to behold . neutral +yeah uh i yeah that 's true that 's true we did we did and uh do you all do you all uh do you all have to water a lot over there Do you have water ? entailment +It starts with a quote from either Henry Adams or Alexis de Tocqueville , and I stop reading it about a quarter of the way through . The person has never finished reading it . neutral +The model is helpful for exploring the long-term implications of national saving and fiscal policy and for comparing alternative paths within a common economic framework . National saving implications are aided with this model . entailment +yeah that 's the largest one in the world they they have over six hundred balloons That is the biggest worldwide , they have hundreds of balloons . entailment +nothing wrong with that uh i 'll vouch for that I won 't have anything to do with that . contradictory +One of the oldest churches in the world , it was the only church in the Holy Land not destroyed during the Persian invasion of 614 the invaders noticed an icon of the Magi ( who were fellow Persians ) and spared the structure . The church was destroyed during the Persian invasion . contradictory +and also i wanted to make a little bit more money so i decided i 'd like to go out and try sales and uh i 'm i 'm out trying to sell I sell vacuum cleaners . neutral +Bergen and Hudson nixed the plan last month . In light of recent events , Bergen and Hudson put and end to the plan . neutral +oh are they black then but they roll up i can 't think of what kind they would be uh-huh i 'm no help on that then because i can 't think of what they are I 'm not sure what they are . entailment +The worksheet should contain such information as the names and locations of units responsible for the acquisition , the project purpose , and the expected cost and time frames . The expected cost and time frames is an example of information relevant to the worksheet . entailment +Former corporate wife Lorna Wendt won a $ 20-million divorce judgment against her ex-husband , GE Capital Services CEO Gary Wendt . Lorna did not win any money after going to court against her ex-husband . contradictory +Riggs regrets that retired Tulsa attorney John Athens , a champion of legal aid , did not live to see how much the money has meant . Riggs wanted John Athens to see the effects of the money . entailment +Masculine wildness is overcome by civilized femininity . Society is moving towards a fully domesticized household . neutral +The Justice Department established its gain-sharing program at the beginning of fiscal year 1996 . The Justice Department established their gain-sharing program at the beginning of 1996 along side the NAACP . neutral +Census Bureau Summary Current Industrial Reports for the Inorganic Chemical Industry . Reports of Census Bureau Summary Current Industrial for the Inorganic Chemical Industry . entailment +'They see your extra forces . ' They see you have a lot of soldiers . entailment +Said : ' What 's happened ? ' I did not actually know what was going on . neutral +uh pretty close to it well i 've enjoyed talking with you We sat and talked for over two and a half hours . neutral +Number 8 belongs to Ireland 's Royal Institute of Architects . Number 8 is owned by Ireland 's Royal Institute of Geologists . contradictory +The President further charmed Monica by fantasizing out loud how wonderful it would be if he had a son . The President never talked about having a son with Monica . contradictory +Northeast of Simon 's tomb rises Mount Scopus . Mount Scopus is built on the northeast side of Simon 's tomb . entailment +In the meantime , we can take only meager pride in achieving a society in which interracial marriage is safe , legal and , alas , rare . All marriages in our society are interracial . contradictory +Just about directly offshore from here lies the island of Tagomago , now linked to the mainland of Ibiza by regular excursion boats . It takes one hour to sail from Ibiza to Tagomago . neutral +One more question , Mr. Wells . No more questions , Mr. Wells . contradictory +sure well yeah they don 't have any really useful job skills uh lots of places no Most places , no , because they don 't have the proper job qualifications . entailment +There are other explanations besides that of imbecility , " I remarked . It is not made to cater to the deficient of mind . neutral +A prospector he had grub-staked , found the Oro Cruz , one of the richest mines in the Tubacca hills . A prospector couldn 't find the Oro Cruz mine in the Tubacca hills . contradictory +I was programming just like normal- everything was going fine ... everything was going great , actually . I was worried that my luck was too good to be true . neutral +We believe that when democracy and prosperity and security advance anywhere around the globe , it enhances the freedom , prosperity , and security of the United States as well . It is because of our belief that we support the spread of democracy and prosperity to other countries . neutral +Far less known internationally than its glamorous neighboring island of Capri , it is just as different in its volcanic topography as in atmosphere . It is even more well known than Capri . contradictory +Poor little girl . Thankful little girl . contradictory +( 2 ) For investments in marketable securities , the term refers to the value of such securities determined by prices quoted on securities exchange markets multiplied by the number of bonds or shares held in an investment portfolio . The term , when is referring to investments in marketable securities , is the value of such securities determined by particular prices . entailment +'I 'd rather not have you out in the field during this crises . ' I want you in the field at all times , no matter what . contradictory +More recently it has been a leader in urban planning , careful to preserve its quiet charm and dignity . As of late , it has silently made its way to the forefront of urban planning . entailment +Other Federal accounting standards may require the receiving entity to recognize the full cost as an expense ( or , if appropriate , as an asset ) . Other accounting standards might need the receiving entity to recognize the full cost as their expense , otherwise their budgets won 't work . neutral +The farmer you see standing over his crook at the side of the road may not give you a wide smile of welcome , but that short nod of his head and tip of his cap is equivalent to a heartfelt hug or handshake in other places . The farmers of the area can be rude to tourists . neutral +and get a graph which you weren 't sure if it was okay or not you know but with a with a new system i can calculate everything so fast you know like for spread sheets With a new system I can calculate these spread sheets faster . neutral +But don 't feel intimidated , as their attitude is not personal . Their attitude is personal , so be careful . contradictory +Warmth seemed to flow from it into Dave . The warmth seemed to flow into Dave . entailment +The Ranas kept the country completely insulated from the outside world After the Rana 's rule , the country was no longer isolated . neutral +This month-by-month listing can therefore only be approximate . This month-by-month listing can thus be an approximation entailment +It sets an interim reliability milestone and expects to be at least halfway toward the expected goal by the time it begins to build production units . It is expected to be over halfway towards the expected goal before building production units . entailment +They pledged to alert each other to nuclear weapons tests or accidents . They had close communications to instantly alert each other to nuclear weapons tests or accidents when necessary . neutral +The following is a recommended selection of Las Vegas 's best hotels in four price categories . Here are some great places to stay in Las Vegas , depending on if you can spend $ 50 , $ 100 , $ 200 , or more . neutral +2 . Are the arguments for various resolutions of the Included in the report are a list of arguments in favor of many of the proposals . neutral +it takes a couple of hours off the day It shaves off a few hours from the day . entailment +His face , clean-shaven and exquisitely mobile , was stamped with an expression of power and force far beyond the ordinary . His disheveled appearance only compounded his meek expression contradictory +During the ' 70s and ' 80s I packed up each February and headed west to work replanting clearcuts and thinning young trees in the rainy woods around Forks . Thinning trees was very physically exhausting . neutral +It is reported that even his own followers are ignorant of it . It is noted that his own followers are uneducated . entailment +There is one irony in the rejection of Pol Pot . There is no irony in the Pol Pot . contradictory +no i don 't think huh-uh Well maybe . neutral +However , Ireland has always looked to Europe for friendship and support , and gradually it began to define itself as a European nation . Ireland always looked to Europe for support , but was forced to join them as a nation . neutral +To be successful in recruiting , his organization has devised different offer packages to attract employees . A diverse amount of packages were offered to potential employees so they could recruit more . entailment +uh yeah i would imagine speaking of that what are your Cowboys going to do for backup quarterback What are the Cowboys ' plan for the backup quarterback ? entailment +He writes mainly about a local cop , Tommy O 'Connor , but his story is interspersed with tangents on the town 's history and various oddball local residents . Tommy O 'Connor is a local cop . entailment +Not much cattle here , Rivas returned . Rivas exclaimed , " So much cattle here ! " contradictory +Then we might increase it further . We must increment it if thats the scenario . neutral +Walk beyond the Calle Mayor and the tranquil Plaza de Santa Faz to get to the Plaza del Ayuntamiento , where a coin and stamp market is held on Sundays and public holidays . There are 62 days that the coin and stamp market is open at the Plaza del Ayuntamiento . neutral +yeah we did we uh they 're always mild to me compared to New York winters have you have you ever been to New York in the winter New York winters are better than the ones here . contradictory +uh i 've got a Bible that uh has a little bit of a uh a glossary in the back and it helps explain who people are that 's that 's about the hardest thing is who 's related to who My bible has a glossary in the back that explains who people are . entailment +Walking through the site toward the palm tree will take you past the Sanctuary of Apollo , comprising a series of once fine colonnaded stoas and temples , including one to Apollo 's sister , Artemis . If you head towards the palm tree , you will not see the Sanctuary of Apollo . contradictory +In this town he ain 't no gold-lace general ! " He can 't act like a general in this town ! neutral +well what do do you think in terms of uh benefits I want to know what you think about benefits . entailment +In 1944 General Douglas MacArthur was back in the Philippines to direct the island-hopping advance that ended in the massive fire-bombing of Japan 's mostly wood-built cities . General Douglas MacArthur was vacationing in Spain in 1944 instead of going to the Philippines . contradictory +Second , it would be informative to divide the IC mail exchange into LC and AO components . It would be informative to split the IC mail exchange into two groups . neutral +um he 's the type that he is willing to have to take on more responsibility um if that meant you know for me to be able to uh uh advance or go back to work or whatever i 'm kind of more thank you i 'm kind of more middle of the road i think that when children are small i think it 's okay for women to work especially there should be some a lot more part time but i think it 's um i don 't believe in this career you know this career drive when when they 're small because i think they 're downstairs Aaron i think that 's very um He wants to take on more responsibility . entailment +so it 's just kind of weird Nothing out of the usual going on here . contradictory +you usually say creeping socialism to conjure up fears of bread lines in Moscow um but if you use i mean this creeping Socialism makes people think of the Mexicans . contradictory +The House of Cleopatra is also worthy of note , named for the lady of the house who left behind headless statues of herself and her husband , Dioskourides . The heads were cut off by pirates . neutral +that 's true yeah yeah i think there 's still i i know that um i grew up in Chicago in the sixties and was part my family was real liberal and i think there 's a lot of um I left Chicago to go to college . neutral +SCR catalyst is the only specialized piece of equipment that is needed . The only specialized equipment needed is SCR catalyst . entailment +Once commander of the Canical whaling station and thus responsible for taking 100 200 of the great c reatures each year , he now devotes his energy to saving the whale and other marine life of the area . The whales were wiped out years ago and no longer live in the area . contradictory +The Governor , official voice of the monarch , commissioned a representative ( or custos ) in each parish . Someone was in charge at each area . entailment +Nor would we allocate it to judges , who are also not scientific experts . There aren 't any scientific experts that can be consulted on the issue . neutral +well those uh the early Lionels can be quite valuable I can give you some tips on hunting for early Lionels . neutral +This suppression is an outrage , but our policy must be more sophisticated than mere indignation . It is outrageous that we are being suppressed . entailment +oh yeah i i guess there 's a lot to to think about when you 're trying to make that decision Making a decision about this involves a lot of thinking it over entailment +The interactive site will include pro bono resources and community legal education materials as well as provider information and support resources . Pro bono resources will not be included . contradictory +You 're out for adventure . You 're staying inside , no adventures for a long time . contradictory +Yes . The girl had sunk back on the sofa exhausted with the strain of the long story . Listening to the long story exhausted the girl . entailment +And then concentration-camp-thin Ruth , in a burst of unusual clarity and impatience , shakes Joseph up with the most mundane diagnosis of I 'm just a girl from Westchester who has trouble with food . This burst of clarity and impatience was standard . contradictory +The busy bazaar clusters around the walls of a 17th-century caravanserai , now converted into a hotel ; across the street , seafood restaurants skirt the quay of the old harbour . The caravanserai , built in the 17-century , is now a hotel . entailment +Perhaps to plead for a Lewinsky defense fund , which , as prime recipient , Ginsburg did in the most shameless manner imaginable . Ginsburg got on his knees , and begged . neutral +well of course all everything we 're saying is being recorded and no one is recording what we are saying right now contradictory +Over the horizon , a great burning disc rose and leaped toward the heavens as the sun went back to its place in the sky . The sun was coming down at a great speed . contradictory +To the contrary , Jacob , he declared . Actually , that is not so . entailment +Therefore , growth in demand experienced in the 1990 's has not been reflected in the value of the market due to over-capacity and the continued rise in Asian exports . Asian exports are the main cause of the lack of reflection in growth . neutral +To date , all published studies on emergency department or trauma center interventions have used the collaborative care approach . Studies on emergency department interventions have found that the collaborative care approach is very unpopular . contradictory +What other beasts does Stark have in his stable ? Stark 's stable has been vacant for years . contradictory +Deal ? ' Can we agree on that ? ' entailment +because i 've got a very small yard the entire size of the lot is only forty five by ninety feet My yard is very small in size . entailment +Yes . You too ? Tommy nodded . Tommy agreed . entailment +I know , said Ca 'daan . Ca 'daan said that he did not know . contradictory +it 's a yeah it 's something they talked about for several years now i don 't know if that he are getting any closer the problem is that some people might go a little bit overboard in picking out what they want and leave themselves too short in other areas i guess They only started talking about it this year . contradictory +And Drew guessed how he stood with the Mexican foreman . The foreman was an old coal-miner from Portugal , he never saw or set foot in Mexico . contradictory +Reno opposed some of these policies internally but had too little influence to stop them . Reno had too little influence to stop some of these policies , according to the news . neutral +I can 't do this . I can do that right now ! contradictory +The Socialist Workers ' Party of Felipe Gonz ? ¡ lez M ? ¡ rquez was elected in 1982 and his government committed itself to Spain 's integration into the European Union ( formerly the European Community ) . The Socialist Workers ' Party helped Spain integrate into the European Union . entailment +so you haven 't really uh dealt with that in a sense You haven 't had those situations to deal with yet . neutral +oh that would be awful i never thought about that you know If the food spoiled it would be awful . neutral +so and and the only other thing i 've seen has been the setting up a compost heap in your own backyard I have a compost pile in my backyard . neutral +My father was English , said Mrs. Cavendish , " but my mother was a Russian . " " My mother met my father in Russia , " said Mrs. Cavendish . neutral +Come , will you not walk back with us too , Monsieur Poirot ? Why not walk back to the factory together , Poirot ? neutral +The control limits would consist of one concentration interval above and below the concentration representing the central tendency . There are two total control limits , one above and one below . entailment +how did you know to choose this subject tonight that 's funny uh You picked the one subject that I would find funny . entailment +William Pascrell Jr . , D-Paterson , who has sought to mediate the dispute , wrote of his concerns , We are not aware of any stakeholder who was consulted on this sudden proposal , no less any that support it . William Pascrell Jr wrote a three-page letter detailing his concerns . neutral +It was applied pro bono by attorney Robert Hamrick at the Schwabe Williamson & amp Attorney Robert Hamrick did not apply it pro bono . contradictory +We put villages to the torch to route Voth armies from their original path . We also tied the children to trees . neutral +But the goal is to have fewer persons become addicted to nicotine at an age when information about the health hazards is likely to be ignored . Having fewer people being addicted to nicotine is the aim . neutral +The 1990 girl still will grow up faster , end up bigger , menstruate earlier , and live longer than the 1900 girl . Girls now versus girls in the 1900s are basically the same . contradictory +and of course we 're up you know up above you know fourteen thousand feet or whatever and we said well well how dirty could the water be right you never never think about bacteria or amoeba or anything like that We 're up in the air about 14000 feet , which is making me feel very sick . neutral +The girl I am seeing now , like the one before her , has--and this isn 't politically correct--a major pair of hooters . The girl has large breasts . entailment +I believe you would sell your soul for money . You care about money far too much neutral +A number of Korean businesses went bankrupt , either because of dishonest practices or because the possible Korean share of world markets for some products , like automobiles , had been overestimated . Overestimation and bad practices led to the demise of many businesses . neutral +In terms of the ratio of population to usable land , Japan is the most densely populated country in the world . Japan has a high ratio of population to usable land . entailment +oh really oh gosh no kidding talk about asking for trouble huh That 's clearly avoiding trouble . contradictory +The Irish people were urged to fight , but to the Dubliners it all seemed rather unreal in fact , while it was happening it received little public support . The public didn 't support the fight . entailment +It also guarantees a bit of favorable press . Journalists would respond favorably . entailment +Miraculously the cathedral escaped unharmed from the heavy air raids of World War II . The cathedral was damaged from the air assaults in World War II . contradictory +Yet another health cover from Newsweek : The Scary Spread of Asthma . The last health cover from Newsweek : Asthma . neutral +no see i haven 't seen that one uh I have not yet watched that one . entailment +rather than just be played at anytime anytime during the year rather than just be played only in March contradictory +It is an odd piece of reportage , with no interest in the evocation of place . The report was weird , but so are all the other reports that were shown . neutral +The Dome of the Chain is a miniature copy of the Dome of the Rock . The Dome of the Chain is a smalll version of the Dome of the Rock . entailment +He has pledged $ 200 million for homeless dogs and cats . He pledges to raise $ 200 million to homeless animals . entailment +The latest audio guides have gone Hollywood and Art authorities electronically beamed up by recent museum-goers include Leonard Nimoy , Steve Martin , Charlton Heston , and Morgan Freeman . People often visit the museum because it is very popular . neutral +and and that 's it i mean i i don 't need anything else now I do not need anything else now . entailment +Year-end figures show the murder rate continued falling in 1996 ; among the factors cited are gun-control laws , more criminals locked away in prison , and more cops on the beat . The murder rate had been falling before 1996 . entailment +Again they rushed past , wary of the rocks further north . They were trying to not step on the rocks . neutral +Only a fool underestimates his capabilities . Everyone who is a fool underestimates his abilities . neutral +These effects are left unquantified for a variety of reasons , but mostly because of the complexity of modeling these effects and the major uncertainties in reliably quantifying the incremental effects of atmospheric emissions reductions on ecological endpoints . Models of the effects are rather hard to make . neutral +Unlike casino gambling , convenience gambling does not bring with it hotels , restaurants , tourists , or good jobs . Convenience gambling is easier for a consumer to participate in comparison to casino gambling . neutral +In connection with the employer / employee payments exemption , the Analysis indicates only that large firms are likely to find the practice of dedicating an individual to marketing affiliates ' products more attractive than small firms . According to the analysis , only large firms are likely to find the practice of dedicating an individual employee to serve assigned marketing affiliates products more attractive than small firms , related to the employer / employee payments exemption . entailment +But there are scenery chewers and there are Michelin-gourmet scenery chewers , and Pacino has a three-star feast . Michelin-gourmet scenery chewers are a type of person who frequents fancy restaurants . neutral +The success of motivational and patient-centered approaches seems to indicate that it is critical to take into account the motivation of the patient and his or her readiness to change . The patient-centered approach is successful because it takes into account the patient 's motivation and readiness to change , according to doctors . neutral +Malarial mosquitoes and repressive feudalism restrained the island 's development until the 19th century . The island has always been free of mosquitoes . contradictory +i like to kind of make my own barbecue sauce I like store bought barbecue sauce . contradictory +Who knows what it did to these monsters . They must have really hurt these monsters . contradictory +Hochschild writes in a calm , understanding tone that tends to disguise how truly subversive and depressing her message is . Hochschild is not a writer . contradictory +right no something like that is just uh unforgivable You 're right . Something like that is unforgivable because it 's so horrible . neutral +( No , Michael Jordan as a great role model . ) Michael Jordan , a terrible role model . contradictory +I didn 't recall Derry having an education . I 'm positive Derry is well educated . contradictory +Consequently , he questioned how important that goal should be . He said the goal was absolutely important . contradictory +Shiva , as Pashupati , is the lord of the animals and the guardian of Nepal . Shiva only recently became the guardian of Nepal . neutral +Children are welcomed all over the Greek islands , and they will be fussed over and indulged in cafes and restaurants . Children can come to all Greek islands and be taken care of . entailment +Exhibits are devoted to Scottish pioneers Sir Alexander Fleming and Alexander Graham Bell , among others . The exhibits feature Alexander Flemming and Alexander Graham Bell . entailment +Combines IPM and EIA information with data from the National Regulatory Research Institute and Center for Advanced Energy Markets regarding the restructuring of the power industry . The data from the National Regulatory Research Institute and Center for Advanced Energy Markets regarding the restructuring of the tourism industry . contradictory +23 percent are funds which meet the definition of small entities with net assets of $ 50 million or less at the end of the most recent fiscal year . 23 % of the funds are for businesses owned by sole proprietorships with less than $ 50million in assets . neutral +And to think that I nearly died of grief while you were enjoying yourself here ! I knew you were out here enjoying yourself . contradictory +Boris shot up his hand and Kerensky did not make the February revolution . The February revolution was needed neutral +Then he strolled gently in the opposite direction . He was whistling as he gently strolled in the opposite direction . neutral +Jahangir 's son Shahjahan became the biggest spender of all the Mughals . Jahangir 's son Shahjahan was very thrifty and hardly spent more than he needed to . contradictory +The model assumes constant unit variable costs . Variable costs are consistent over time . entailment +DOD should take steps to close the gaps between its current acquisition environment and best practices . The DOD could benefit from the adoption of best practices . entailment +The baker wore a white apron that looked like a smock . The baker always wears the white apron . neutral +The beginning of Babitch 's troubles ( Rapaport ) ( 58 seconds ) : Babitch had troubles entailment +So I come whippin ' a mighty tired hoss outta Texas , an ' I ain 't plannin ' on goin ' back to any Fifth Military District ! " He doesn 't plan on going back to any Fifth Military District because he had a bad time when he was there . neutral +uh well i work at the main set in Dallas yeah uh-huh I work the main set in Dallas . entailment +that 's what everybody has said because once you get out and make that money it 's so hard to get back into it It 's difficult to get back into it once you get out after making a lot of cash , everyone says that . entailment +The wrong Robi . It was the Robi that I was expecting . contradictory +The one major change is the recent influx of trendy boutiques . The recent influx of trendy boutiques is one significant change in the area . entailment +This isn 't Sicily ! We are in Sicily . contradictory +But the major breakthrough for the Malay economy was the triumph of rubber , when Singapore 's new garden director , Henry Ridle ( Rubber Ridley to his friends , Mad Ridley to all doubting Thomases ) had developed new planting and tapping methods and painstakingly spread his faith in rubber around the peninsula . His friends referred to him as Rubber Ridley contradictory +no we have six and seven no six and then one is at seven ten or something like that We have never had one at exactly seven before . neutral +Because of the increased accountability associated with government audits , auditors performing financial audits in accordance with GAGAS should consider the following guidance related to audit risk and materiality ( see paragraphs 4.26 and 4.27 ) , internal control over safeguarding of assets ( see paragraphs 4.28 through 4.33 ) , internal control over compliance ( see paragraphs 4.34 through 4.36 ) , and professional judgment concerning possible fraud and illegal acts ( see paragraphs 4.37 and 4.39 ) . Auditors performing financial audits in accordance with GAGAS , because of the increased accountability associated with government audits , should consider the following guidance related to audit risk and materiality , internal control over compliance & safeguarding of assets , as well as professional judgment concerning possible fraud and illegal acts . entailment +huh i don 't know but i know someone who goes to Massachusetts and buys cars that have been wrecked or uh salvaged they probably they might have been stolen and I don 't know anybody , in fact I 'm retarded and can 't remember anything . contradictory +The NYTBR could make itself more interesting by going halfway British . The NYBTR refuses to go british , not even half british . contradictory +'Tis the spring entertaining season again , in which people fumble with their once or twice a year attempt at Victorian propriety . Spring is entertainment season in New York neutral +yeah well they record these and then somebody transcribes them so that they they have uh they have a speech signal and what and what is said These are recorded and transcribed so that they know what is said . entailment +Mr. Beresford rang me up and told me , what I had already suspected , that the photograph of Miss Jane Finn had never really been out of Mr. Hersheimmer 's possession " But the girl interrupted . I had always thought that Mr. Hersheimmer had always kept Miss Finn 's photo with him . neutral +there 's and there 's nothing we can do about it the government seems to do as they wish when they wish The government can 't do anything they want . contradictory +For example , had the writer of the Genesis creation story been composing for a 20 th century readership , he or she would have explained God 's hand in the evolutionary process as opposed to the more magical creation story in the Bible . There guy who wrote Genesis also really liked apples . neutral +In the rest of the cases , charges were withdrawn or the matter is not yet resolved . The ones that were not yet resolved were moved up in line to be taken care of next . neutral +The method selected by management to record the deviations should be the most efficient and effective one under the circumstances . The method selected by management to record the deviations shouldn 't be the most efficient and effective one under the circumstances . contradictory +Leave it to Angelenos to make driving an experience in itself . The crazy driving in Los Angeles contributes to a lot of accidents . neutral +and u h it was it was a pretty neat little program we 'd just go out and they would buy a plot of land and contractors and builders and everybody else would donate their their time It was not such a great program and nobody ever wanted to donate their time . contradictory +Almost everything is quoted in US dollars , but , of course , you can pay in French francs or Netherlands Antilles guilders . The quoted prices are given in francs . contradictory +You think it is true ? I whispered . I remained skeptical of its being true . neutral +When all were out , Bork tapped the egg-shaped object and caught it as it shrank . Bork was a muscular giant of a man . neutral +Adrin shrugged . Adrin raised his shoulders . entailment +( Co-editor of Nerve Genevieve Field was executive editor of MTV Books--words that , linked together , look about as strange to my eyes as God and asshole did to Norman Mailer 's . ) The executive editor of MTV Books was also the Co-editor of Nerve Genevieve Field . entailment +you know and then uh but also things like tulips i think uh i would have liked to had flowers like daffodils blooming right now you know This person does not like flowers . contradictory +Empty platforms still show where temples once stood . The temples are still standing to this day . contradictory +Our review indicates that HUD complied with the applicable requirements . Our review clearly shows that HUD did not comply with any of the applicable requirements . contradictory +Thus , this plan not only incorporates congressional views about what it believes to be important and emerging issues , it also establishes a framework for seeing fundamental constitutional responsibilities in the context of current challenges and emerging changes in the coming years . The plan includes congressional views about important things . entailment +Both France and Finland include the costs of cancellation and mail preparation in counter costs . France and Findland include cancellation costs . entailment +The adjoining Museum National d 'Histoire Naturelle has done a fine job of renovating its venerable exhibits of fossils , skeletons , butterflies , and mineral samples . The adjoining Museum National d 'Histoire Naturelle has done a fine renovating job . entailment +Look for the Cecil Hotel on the western end of the square . The Cecil Hotel is a nice place , look for it . neutral +I did obediently , and she told me not to worry my memory would soon come back . She told me that my memory would return soon . entailment +yeah did Dana sign you up for this Was Dana the one that signed you up ? entailment +4 . The current long-term economic outlook for U.S. national saving and investment is subject to wide ranging uncertainty about economic changes and the responses to those changes . The current long-term economic outlook for U.S. national saving and investment is subject to wide ranging uncertainty . entailment +but i think we ought to start right here at home i 'm you know We ought to start far away from here . contradictory +Value of the satisfaction of having given a $ 100 gift to Z . A gift to another ( like the donation to Z. ) can be said to have benefits for the giver as well . neutral +Little remains of Caen 's historic center , but its good hotels and excellent seafood restaurants make it , with Bayeux , a useful starting-point for visits to the Normandy invasion beaches . There are also notable vegetarian restaurants in Caen . neutral +Now , in the seclusion of her bedroom , she unwrapped that final purchase . She purchased some adult toys that she didn 't want anyone to see . neutral +The colossal monument was hewn out of the side of the mountain like a railway tunnel . There is a colossal mountain at the mountain area . entailment +Behind the strong , plain , painted doors , many successful bankers increased the wealth of their trusting investors . The doors are kept closed through most hours of the day , but are occasionally opened for tour groups . neutral +no i think it what is it like I think about what it could be like if things were different . neutral +and you you know you just do it that way but that 's uh that 's the only way that you can get to through to the system you can 't store it anywhere But there is a backdoor which offers an alternate route to the system . neutral +i 've seen Man of La Mancha and uh a few of those you know that in Boston and uh i enjoyed it thoroughly i really did Man of La Mancha wasn 't bad , but it just wasn 't my thing . contradictory +After vowing never to discuss his drug history , he admitted that he had made some mistakes but said he would have passed a 15-year background check in 1989 . He was very open about his addiction history . contradictory +You find it so ? I asked . Are you sure about that , after what just happened ? I asked . neutral +It comes to the table in a shiny white jacket that is broken when the fish is cut and served . The jacket that it comes with is bright red . contradictory +'No sir . I said yes sir . contradictory +and uh i like to read you know Bible i have Bible storybooks so i like reading those to her and she really enjoys those I read Bible stories to her every night . neutral +Because it plays on my childhood imagination . The art plays on my young imagination . neutral +And within easy travelling distance of the city are the other major sights of the Dead Sea region . You can see most of the major sights in the Dead Sea Region in a few days ' time . neutral +You may well get sprinkled by sea spray as you walk along the rocky bluff to the large cement croseerected ( between 1947 and 1951 ) at the summit . The sea spray has a far reach along the rocky bluff . neutral +Attempts at reform came too late ; by 1876 the government was bankrupt . The government reformed before it was too late . contradictory +It would be hard to get anything valuable out of a man who already had his arm broken and a sword pinning him through his heart to the tree behind him . It was quite difficult to find anything of use from somebody who was seemingly diminished in life value themselves . entailment +Users disclosing sensitive information or passwords in response to seemingly innocent requests from strangers either over the phone or in person can provide intruders easy access to an organization 's information and systems . There are no users disclosing sensitive information or passwords . contradictory +and that 's when you broke all the records was up to like ninety six It will be expensive to replace the records you damaged . neutral +The Texas Equal Access to Justice Foundation ( TEAJF ) has announced its 2003 grant plan for the designation of $ 8 million to Texas providers of civil legal services to the poor , otherwise known as Legal Aid . The TEAJF said it has a grant for $ 8 million to provide legal services for the poor . entailment +This lock has been forced . " There had been a force on the lock . entailment +4 ) The superstar expects the industry to justify his compensation by finding new revenue streams . The superstar gets no compensation from the industry . contradictory +Do you want me to go with you ? You never ever want me to go with you . contradictory +and since then i have discovered uh other engineers are very prone to make mistakes because they will pick up a textbook and uh and find some formula for solving a problem engineers often make mistakes because they use textbook formulas to solve problems entailment +The major conclusion of this assessment is that agricultural production activities , in the absence of conservation techniques and practices , can have serious environmental impacts . The major conclusion is that agriculture production can affect the environment greatly . entailment +It is the proper home for the country 's best museum , which is simply and aptly named the Indian Museum . It is appropriate for the Indian Museum , the best museum in the country , to reside here . entailment +Irish handmade chocolates are on sale at Butler 's Irish Chocolates in Grafton Street . Butler 's Irish Chocolates is found on Butler Street . contradictory +These ( 1 ) direct savings from lower compliance costs , ( 2 ) process efficiency and other productivity gains , ( 3 ) environmental and health benefits not captured within normal market transactions , and ( 4 ) spillovers and / or learning induced by either the technology investment , or the R and D efforts . These do not direct savings , process efficiency , have environments and health benefits , and there are many spillovers . contradictory +These days the Eucharist is likelier to be described as a meal , albeit one graced by the saving presence of Christ , than as a propitiatory sacrifice . The Eucharist has lost its meaning in the past decades . neutral +[ Peanuts ] is also a commentary on the culture . The principles of the culture are discussable and are different for the citizens . neutral +do you do you think that that we should have given up the Panama Canal I know it was difficult , but I believe that Panama needed to get the Canal . neutral +well if that 's not the problem it That 's not the problem so it must be something else neutral +But he didn 't want a joke . He was not in the mood for jokes . neutral +Under a series of initiatives called Connecting Resources to Results , OMB is seeking to adopt a greater focus on agencies ' goals and performance in making funding decisions . The funding for the agencies did not require any performance outcomes . contradictory +It excludes any interest costs paid by a reporting entity in financing its own debt . Reporting entities do not incur interests costs . contradictory +It is not a detailed guide to case study design . It is not a detailed guide . entailment +Dave Hanson bent over the gears , cursing . Dave cursed as he bent over the gears . entailment +We are honoured , he said . We aren 't honored . contradictory +you could go in the bathroom at Luby 's and take care of it You could go to Luby 's restroom and see to it . entailment +Nema started to protest , then changed her mind . Nema stopped in the middle of her protest . neutral +Another He 's quiet , leaving it to the people of South Carolina , for example , to decide if there should be a big banner of a lynching fluttering above their Capitol building . He decided for the people , saying the flag had to go . contradictory +well not really but i mean it 's uh for the top medium of entertainment It is the best form of entertainment . entailment +The test involved staging a surprise bomb scare to get employees , who were unaware that the threat was a pretense , to evacuate the building . Only fire drills are used to practice building evacuations . contradictory +She added that physician buy-in is critical to overcoming professional resistance , and that it is important to identify additional partners who can move intervention services forward in a particular setting or institution . She also said that physicians should be paid better . neutral +The validitiy of police assessment of driver intoxication in motor vehicle crashes leading to hospitalization . Police assess driver intoxication in crashes that lead to hospital stays . entailment +we 've lived in the Richardson area for that you know for the full time uh They 've lived in the Richardson area . entailment +um me i 'm a firm believer in that if you got it spend it If you 've got it , spend it . entailment +Increased government saving and entitlement reform go hand-in-hand . Government saving and entitlement are separate contradictory +The crowd booed , and when Trotter was asked to repeat the question , she rephrased Our viewers are curious . The crowd cheered at Trotter 's statement . contradictory +The organization fell behind the competition in providing this service and the delay may have cost it customers . Most customers cited slower service as their reason for leaving . neutral +He slipped silently along to it . He stumbled loudly to it . contradictory +Flytrap 's only silver a new concern about the erosion of privacy . The privacy is important and therefore it is being strengthened . contradictory +Sturdy gabled houses line the Rue des Dentelles and the Rue du Bain-aux-Plantes . There are gabled houses in the Rue du Bain-aux-Plantes . entailment +Rather , they take responsibility for ensuring that their CIO models are consistent with the business , technical , and cultural contexts of their enterprises . They are in charge of making sure the models are valid . entailment +um-hum well the US pays the US pays less taxes than almost every industrialized country um The U.S. pays more taxes than every other country in the world . contradictory +It added nothing to our knowledge of the tragedy . We now had all the facts we needed to know about the tragedy . contradictory +yes well you know it interesting they have a new one out have you ever watched Expose Expose Have you ever watched that show , I watch it every week . neutral +I 'd have stood by without a word and let her marry you , because you could have given her the sort of time she ought to have had , and I was only a poor devil without a penny to bless himself with . He would not have protested him marrying the other man , because he could give her the life she wanted . entailment +The church is on Place Gourbeyre , opposite the modest Palais de Justice and just a few steps from the city 's main shopping district , which embraces rues Noziyres , Fr ? ? bault , and Schoelcher . There are a lot of commercial areas around here . neutral +a lot of yeah have to live in a shack with no air conditioning and no medicine and no anything i 'd probably catch a terrible disease and die Many live in a shack with no air conditioning or medication or anything , without proper training I 'd most likely catch a disease and die . neutral +The agonized songs , heavy with the wail of Arabia , come from deep within the singer , while the dances are formal and sombre . The songs originated in the southern regions . neutral +Kom Ombo Temple lies closest to Aswan ' some 60 km ( 37 miles ) south of Edfu . Many people from Edfu make the trek to Kom Ombo Temple . neutral +The two islands of the Nile offer contrasting attractions . The two islands of the Nile have the same attractions . contradictory +Unique to Turkey is the national sport of oiled wrestling . Mud wrestling is the national sport of Turkey . contradictory +A barrel-ceilinged chamber 64 m ( 209 ft ) long , with windows along both sides , it holds Trinity 's oldest books , including a Shakespeare folio . Trinity 's oldest books are located inside of A barrel-ceilinged chamber . entailment +I had seen what they could do to men , " From behind him , Ca 'daan could feel Thorn stiffen . Ca 'daan said nothing ; they both knew of the weakness of their foe , and words need not be wasted on acknowledging it . contradictory +There was , undoubtedly , a tie of passion between them long before he came to Styles . They did not have a relationship . contradictory +'Franklin . ' The Franklin Sim . His name was George . contradictory +The best parts of Conley 's book are about deep , institutional resistance to the way that otherwise admirable male professors understandably draw on their training of 20 years ago , which assumed the 70 kilogram male body as the human norm and left them totally ignorant of female health problems ; the way training in elite specialties like neurosurgery still promotes a specific kind of cowboy bravado , which encourages women to bail out for gynecology . Cronley 's books are about resistance to gender norms . entailment +In the new organization , all advocate program resources will be controlled and managed by the Taxpayer Advocate . The program would oversee the resources . entailment +While the arcades and amusement park rides lining the pier lure tourists with their wonderfully tacky old-world ambiance , locals also come here to rent fishing tackle at the end of the pier or check out the festive free concerts held each summer . Most can 't afford to enjoy the summer concerts . contradictory +Unlike the Irish , they favored centralized administration , and enforced their rule with the building of fortified castles . The irish didn 't like centralized adminisration . entailment +'Maybe , ' Greuze seemed unconvinced . Greuze was not convinced that they were telling the truth . neutral +The chapel , museum , winery , gardens , and cemetery are still ope n to the public daily . The public has daily access to places such as the chapel , winery , 1and cemetery . entailment +If you 're exhausted , there 's no better way to wear out the kids than a day at the beach . You can wear kids out at the beach in the summer when it 's warm enough to get in the water . neutral +I thought about this for a minute , and decided that it didn 't make me feel any better . I thought about the drugs I took for a minute . neutral +GAO was created in 1921 as a result of the Budget and Accounting Act , a law designed to improve government financial controls and management in the aftermath of World War I. Wartime spending had increased the national debt , escalated costs for many government purchases , and created substantial disarray in the financial operations of the War Department and other agencies . GAO was developed because of the Budget and Accounting Act . entailment +Tiny , carefully polished chips from the stars were ready , and men began placing them delicately on the shell . They did this to reflect the moonlight up to the gem . neutral +Throughout the late 19th and early 20th centuries it was home to numerous British ex-pats , one of whom , the writer Lawrence Durrell , painted a graphic picture of European life here . Lawrence Durrell became quite famous for his graphic pictures and art . neutral +Yes , Bayliss , given the right circumstances and a sympathetic listening ear in high circles , could make trouble for Rennie . There are no circumstances under which Bayliss could cause trouble for Rennie . contradictory +Its nine members , appointed by the Court , represented a range of civil legal assistance stakeholders , including the bench , the bar , the Legal Foundation of Washington ( which administers IOLTA funds ) , LSC-funded programs and volunteer lawyer programs . LSC-funded programs are not represented by one of the nine members , because they aren 't civil legal assistance stakeholders . contradictory +He is also planning lecture tours and shopping a memoir . The politician is planning tours and a memoir . neutral +i remember that that was a lot of fun I don 't remember having any fun . contradictory +yeah how much how well they 're doing yeah we do i um i i work in a uh speech interface lab at a at a at a college During my years in college , i had worked in the speech interface lab , which helped in reaching my goals faster . neutral +This spring , the government bolstered the myth of financial privacy by cynically folding its KYC hand when its regulatory methods and practices were noisily scrutinized . Financial privacy is a myth and the government knows it . neutral +The whole story is absolutely untrue . Every part of the story is false , but it 's based on a true story . neutral +The highlight here is Mannings School ( built in 1738 ) , which still retains its original colonial-style wooden buildings . The buildings at Mannings School have burned down before . neutral +Nor does it seem fair to blame the bureaucrats . The bureaufrats deserve all the blame . contradictory +40For more information about trust funds in the federal budget , see Federal Trust and Other Earmarked Answers to Frequently Asked Questions ( GAO-01-199SP , January 2001 ) . Federal Trust and Other Earmarked Answers to FAQ provides a lot of additional information on trust funds and the federal budget . entailment +134 Chapter 17 Annette THE troubles of the future , however , soon faded before the troubles of the present . The prospect of future troubles rang too loudly to ignore , even when currently faced with a different issue . contradictory +The big wardrobe loomed up in a sinister fashion before her eyes . The wardrobe is full of clothes . neutral +In the model discussed in Part II above , the cost of basic mail is 26 . We have yet to define applicable models because the mail service isn 't ready . contradictory +How much ? What is the quantity ? entailment +France came out of the deal bankrupt and with huge pieces of land considered to be worthless . The deal left France broke and with large tracts of worthless land . entailment +If you use a computer to merge a lot of faces together , the result tends to look as fetching as Leonardo DiCaprio . Merging faces together creates a fetching look . entailment +The goal was to influence people who are in a position to make changes in the field . The aim was to influence those who could bring about changes . entailment +You 'll have breathtaking views acroseto the peak of Mont Blanc and the whole roof of the western Alps . You can take in the amazing views of the peak of Mont Blanc and the western Alps . entailment +and i try to uh you know try something else you know something with a little more vegetables or something but yeah i was the same way but we haven 't really eaten Chinese that much since we 've been in uh Texas it 's funny We eat Chinese food in Texas every day . contradictory +Although there are problems with and barriers to intervening in these settings , a number of studies and a few controlled trials indicate that interventions focused on patients ' drinking can reduce the amount of drinking as well as injury episodes , including repeat re-admission for injury and other negative consequences of drinking . Older drinkers respond most positively to interventions . neutral +They also gained control of most of their manufacturing processes and demonstrated that the products were reliable before entering production . The production was a success . neutral +If we 're ever going to get hold of her at all , we must do it before the 159 29th her life won 't be worth an hour 's purchase afterwards . Her mother will never forgive us for this if we don 't . neutral +They accompanied three women one robed in gray and scarlet and two younger women in rags , both blindfolded . The women were blindfolded , one wearing a gray robe and the others in rags . entailment +oh absolutely they look like sometimes they 're just broken in two like a match stem gosh what a beating they really do take a beating they really do They never take a beating . contradictory +Note that costs would be noticeably higher if power plants were required to actually hit the target in 2007 . Costs would 've gone down if the requirement was for power plants to meet targets in 2007 . contradictory +In a book of essays with that title , the process of turning counterculture rebellion into profit-making opportunity that does absolutely nothing to challenge the status quo is described in various settings , such as Nike ( which used William S. Burroughs to sell sneakers ) and the films of Quentin Tarantino ( always hip but scrupulously content-free ) . Quentin Tarantino 's films did not have much substance , really , and yet people still watch it . entailment +Unfortunately there really is no satisfactory measure of actual life expectancy among gay men . Unfortunately there really is no satisfactory measure of actual life expectancy among straight men . contradictory +At first , I thought , That 's one of the grossest things I 've ever heard . The more I thought about it , however , the less gross it became . neutral +As in the DNC poll , questions can be biased . Questions can be prejudiced , but this is still to be determined with accuracy . neutral +Li suggested that co-morbidity or patients ' medical characteristics could also have a large impact on the success of interventions . The patients ' medical characteristics had little to not effect on the intervention 's success . contradictory +The men were charging . The men were running at the troops . neutral +Venice was home to a number of scuole that were not schools at all but old confraternities similar , minus their religious affiliation , to today 's Freemasons , Rotarians , Elks , or Lions . Venetian scoules were vastly different than today 's fraternal society , such as the Freemason 's or Lions . contradictory +The capital of Orissa is a center for easy day-trips to the ancient Jain cave monasteries of Udaigiri , the chariot-temple of Konark , and the sacred pilgrimage town of Puri . However , the capital of Orissa is not a center for easy-day center to the ancient Jain cave monasteries . contradictory +According to most reports from Zagreb , Tudjman is brain dead and has been for some weeks . Reports from Zagreb say Tudjman is brain dead , he will be taken off life support soon . neutral +'Good shooting , ' I supposed . I said he had missed it a lot . contradictory +The complex consists of a 48-story main office building , a 34-story annex , the Metropolitan Assembly building , and a huge central courtyard . There are 30 offices in the complex 's office building . neutral +But less tendentious media outlets have also reported on Albright 's ethnic background . Albright 's ethnic background has remained to mystery to all media outlets . contradictory +I think not ! I think that this is so . contradictory +This week , she stood before a judge , raised her right hand and took an oath . She was in court for tax evasion . neutral +Greece was given large concessions , Armenia was to become an independent state in the east , and the Middle East was to be divided among the Arab leaders who had fought with Colonel Lawrence ( under British and French spheres of influence ) . The Middle East was to become one entire independent country . contradictory +And I ... I am just a faulty echo . I have a mistaken belief that I am a faulty echo . neutral +In fact , in a truly remarkable public-relations coup , the mayor has managed to gain a reputation as a pitiless reformer without reforming anything except the Police Department . The mayor has a reputation as someone who never does anything . contradictory +The sun shone off the bare breasts of the sculpted naked angel handguard . The angel sculpture was made of copper . neutral +Appendix I provides a list of the participants . A list of participants is provided in Appendix I. entailment +The two stories further illustrate the unease , even hostility , that blacks have tended to feel about their folklore , and about black history In That I Had the Wings , Riley , a young black boy Ellison uses in several stories , hates his Aunt Kate and wishes she had died back in slavery times ; in Flying Home , the black pilot who seeks escape hates the black farmer who rescued him after his crash . The two stories talk about interracial relationships . contradictory +Richard Brown observed that although the grant review process at NIH can be difficult , the experience of re-submitting grants has strengthened his work . The experience of re-submitting grants has deteriorated in his work . contradictory +It is crucial to the strategic planning process to measure the volume of our grantees ' work and to evaluate the success of their approaches . It 's crucial that we measure the volume of our grantees work to see how successful their approach is for reducing errors . neutral +Julius tapped his revolver . Julius rapped his gun . entailment +uh from what i 'm seeing and hearing and all the the big pattern that 's really looking forward for spring is the grub pattern I 'm seeing and hearing stuff that tells me that fishing isn 't a big hobby of yours . neutral +Harold Kleinman was the managing partner at ( the law firm of ) Thompson & amp The woman took over the firm . contradictory +Unlike their successors , the Moors were tolerant of the many different peoples who lived together in Portugal , including Berbers , Arabs , Christians , and Jews . The Moors reigned for two centuries . neutral +It is born in one the gift . None are born with the gift , it must be earned . contradictory +Hall says that the students will do eligibility screening to determine whether callers qualify for legal assistance from TRLA . Hall works with students that need legal assistance . neutral +It makes me feel as if a goose were walking over my grave . It makes me feel frightened . neutral +All right . I will do it . neutral +The hollyhock decorates a big red oxcart , accompanied from the Imperial Gosho Palace by 300 Kyoto citizens dressed in splendid Heian-period costumes . Kyoto citizens dressed up in ornate costumes to honor their king . neutral +Organizational Techniques Companies Use to Perpetuate or Change Beliefs and Values Companies use organizational techniques to strengthen their values . entailment +well that 's funny Funny , it is ! entailment +He planned the town on the principle of the human body , with the government buildings of the Capitol and university at its head , the commercial town-center at its heart , and the outlying industrial districts as its limbs . Such a design worked wonderfully in practice , affirming the ingenuity of nature . neutral +In our study of activities to reduce improper payments , risk assessments identified problem areas and resulted in estimates of monetary values associated with the problems . Improper payments are not a problem that can have a monetary value attached to it . contradictory +First , they must model the dispersion and transport of pollutants through the atmosphere . They must not model the dispersion of pollutants through the atmosphere in the first place . contradictory +Most astonishingly--for the first time in my experience of half a dozen Noras--McTeer even manages to make Nora 's single most famous line ring true . This is my first experience with a Nora . contradictory +Brown says she 's leaving for the opportunity to transcend the print medium and to own what we create . Brown remains loyal to the print medium . contradictory +but uh so what what do you like why do you like David Letterman Why do you like watching David Letterman on T.V. on Saturdays ? neutral +Beside David and Goliath , Daniel in the lions ' den , and the building of Noah 's ark , one curious sculpture shows Saint Eugenia , tonsured and disguised as a monk , opening her robe to convince a skeptical friar that she 's a woman . There is a sculpture of Saint Eugenia next to some Biblical scenes . entailment +i think um well i guess it would be like your generation compared to my generation i think your generation is um what do i say uh uh they 're they 're they 're polite they have more respect for other people just in in general i think and just just towards people and property and um i i guess they would would be more conservative some of them i guess I guess it would be comparing our generations , because mine is a lot ruder when they are driving than yours was . neutral +Part of the problem is that Italian makes everything sound like a sex Menaggio , Dongo , Lemna , Cadenabbia , Faggeto , Bellagio . Italian makes everything sound sexual . entailment +i mean it 's not as vast a country as like you know where you people are from because i lived in Abilene for a little while It is not quite as vast a country as you have . entailment +Katz-equals-Paine is an awful stretch , but his book invites the comparison . If you think about it , Katz and Paine are both very similar to Jay . neutral +Admittedly , parole is a tougher reinvention nut to crack . Parole is an example of the fairness of the justice system . neutral +His words hung in the night before Adrin spoke . Adrin spoke first . contradictory +HCFA ( now the Centers for Medicare and Medicaid Services ) began its National Medicaid Fraud and Abuse Initiative in June 1997 . The HCFA initiatives began on June 2001 . contradictory +The same section also authorizes the Postal Service to provide , establish , change , or abolish special nonpostal or similar services [ . The Postal Service is allowed to change or abolish special non-postal services . entailment +The happiness of one man and one woman is the greatest thing in all the world . " His words took me back to earlier events . The greatest of all things is the happiness of a man and a woman . entailment +Ta Mok has even been given credit for putting Pol Pot on trial and sentencing him to life under house arrest--as opposed to summarily shooting him in the head , which is the Khmer Rouge 's usual idea of justice . Ta Mok felt bad for Pol Pot and gave him a lighter sentence . neutral +Room 4 : Andrea Mantegna ( a brother-in-law of the Bellini family ) shows why St. George , the dragon-killer , became the most appropriate patron saint for England . The patron saint of the English is St. George , the dragon-killer . entailment +The opposite may be the case . The opposite of a murder . neutral +That strengthens the conviction that the person in question was her husband . It makes sense that it was her husband . entailment +Thanks to misinformation unrivaled since the pre-FDA patent-medicine era , however , alternative therapies have become a $ 14 billion market , which is growing by as much as 30 percent annually . Because correct information was not readily available then , alternative medicine , though unproven is now worth over $ 10 billion . neutral +A thought-projector ! " A thought projector ! entailment +Works by Braque , Chagall , Giacometti , Picasso , and many other 20th-century artists hang next door in the Museo de Arte del Siglo XX ( Museum of 20th-Century Art ) . Sculptures by Braque , Chagall , Giacometti , Picasso are in the Museum of 18th-Century Art . contradictory +The furniture collection of the chateau 's delightful Musee des Arts D ? ? coratifs offers interesting comparisons between Parisian and Alsatian aristocratic and bourgeois tastes of the 17th and 18th centuries . All of the furniture in the cathedral in from the 19th century . contradictory +Who is he really ? Who is his actual identity ? entailment +It 's basically one strike and you 're out , and I think they went beyond what Congress intended , said Michael Chielens , executive director of Western Michigan Legal Services . Michael Chielens , executive director of Western Michigan Legal Services , said that it is on strike and you are out . entailment +Did you really think I was the kind of girl to roll about on the floor and whine for mercy ? She sees herself as a different kind of girl , one who won 't roll about on the floor and whine for mercy . entailment +my folks don 't live in uh Pennsylvania anymore but for a long time i would purposely go back and visit in October I would visit in October on purpose . entailment +She is like pictures I have seen in Italy . She is something I like more than Italy . neutral +Gigot would have us believe the If Starr rises , Clinton falls ; but if Starr falls , Clinton doesn 't rise . Gigot does not try to convince us that if Starr goes up that Clinton goes down . contradictory +He was defeated at the famous Battle of Marathon in 490 b.c. , and ten years later his son Xerxes lost the Persian fleet at the Battle of Salamis . Xerxes lost the Persian fleet ten years after his father 's defeat at the Battle of Marathon . entailment +yeah a roller and uh i bought one of those that you can screw in uh uh a three foot extension I bought a roller you can screw in . entailment +VBA 's team approach also VBA has not yet developed their approach . contradictory +Since these movements occurred within the same generation , they now coexist , as President Clinton 's ' 60s morals and ' 80s politics attest . President Clinton 's politics have nothing to do with generational morals or movements . contradictory +You 're sure they will come north ? asked A 'deem . A 'deem thinks there 's a chance they will stay in the south . neutral +so that that has a lot to do with it It 's pretty involved with it . entailment +In the next courtyard , the Mul Chowk , there are two outstanding examples of 17th-century Newari metalwork , tall bronze reliefs of the goddesses Ganga ( standing on a crocodile ) and Jamuna ( standing on a tortoise ) . The bronze relief of the Goddess Jamuna is absent in the courtyard . contradictory +yeah mostly vegetables i had grew some flowers but mostly vegetables I 've grown a few flowers , but mostly I grow vegetables . entailment +The personal saving rate-as measured in the National Income and Product Accounts ( NIPA ) -reflects how much households in aggregate are saving from their current disposable income . The personal saving rate reflects how good people are at saving money . neutral +how 'd you win radio contests How 'd you win the newspaper contests ? contradictory +It was nonsense to pretend that he was afraid of the scandal , as no possible scandal could attach to him . Scandals could very easily attach themselves to him . contradictory +Evaluate the performance evaluation package theagency will use . We do not care about the performance of the package . contradictory +The advocates say the finding goes beyond existing law and is unrealistic because some renewed contacts often prove unavoidable in domestic abuse cases , which involve economic and family dependency and other complications of daily living . These same advocates also have opinions on other principles . neutral +State Technology Planning Manual developed and disseminated . Distribution of the technology manual is not planned . contradictory +It would have been pleasant to get even with Conrad . Going with Conrad would be torture . contradictory +Critics worry that the kids underestimate the importance of blue-chip college credentials . The youth must focus on getting certificates to market their skills better . neutral +it was a macho thing he had to use that but then after he used it one year he took it back to where he got it used and he sold it back to them and traded it in for another one that was smaller It was a macho thing he had to use that , but then after he used it for one year , he took it back to where he got it used and he sold it back to them , trading it in for another one that was smaller . entailment +However , none of the EPA rules that we could access through the agency 's web site had this feature . None of the EPA rules could receive comments online . neutral +The distribution of profitable routes shown on Figure 4 indicates that the U.S. The distribution of profitable routes is shown in a graphic . entailment +Open the gate ! he called softly . With a soft voice he demanded to open the gate . entailment +Tommy bent down and removed his shoes , then , leaving them behind the curtain , he walked gingerly out on his stockinged feet , and kneeling down by the closed door he laid his ear cautiously to the crack . Tommy decided to keep his shoes on before listening through the crack . contradictory +It examines the control technology 's hardware , reagents , availability of the needed construction equipment , time required to implement at plants with single and multiple installation requirements , and the availability of labor needed for installation . It examines five different aspects of the control technology . entailment +Denison oh okay every so often you get somebody who 's in in uh California or or New York something Everyone is from the same state . contradictory +really i know there 's not any food that you can get and it 's grown on good soil hardly anymore and i know my my husband 's uncle owns a big some acreage in a Eastland Texas which is in West Texas Eastland Texas in located in East Texas . contradictory +In the last several years , LSC has hosted numerous conferences where advocates can share ideas , such as Diversity in the Legal Services Community , Making Mergers Work , and Creating Client-Centered Communities of Justice . The Diversity in the Legal Services Community was hosted by the LSC . entailment +The Ridge leads past the Neo-Gothic , Anglican Christ Church , where the bells are made from the brass of cannons captured from the Sikhs . The bells of the Anglican church were crafted out of brass from their foe 's cannons . entailment +yeah really if it landed on her pillow beside her if she had uh just rolled over It was a fluffy kitten and she deserved the pillow . neutral +Sullum cites convincing statistics showing that the cost of smoking probably more or less equals the benefits , if you factor in the exorbitant taxes smokers pay and recognize that by dying early they save us a bundle on Social Security . The early death of smokers actually benefits the budget in some ways . entailment +It 's just a sneaking suspicion . It 's just a hunch I have about who 's going to win the tennis match . neutral +The Jardim do Pal ? ¡ cio do Monte ( Monte Palace Tropical Gardens ) , a short walk east of the church , is firmly rooted in the past . A short walk to the church 's east will take you to the Monte Palace Tropical Gardens . entailment +4 " So , you see me , Bayliss , " Don Cazar returned evenly . Don Cazar was hysterical , " You can 't see me ! " contradictory +The main computer failed again Sept . 8 , but the replacement crew reported that the situation was normal . The crew was unable to fix the problem . contradictory +A follow-up survey of the 415 participants in the year 199W showed that 80 % were earning at least as much as they were earning in their Navy contractor positions . A follow-up survey of the 415 participants in the year 199W showed that 80 % were earning at least as much as they were earning in their Navy contractor positions . entailment +The most fervent atmosphere of all is at the Calcutta Cricket Club , founded in 1792 , five years after the Marylebone Cricket Club in London . There is not cricket club in Calcutta . contradictory +The group of prospective lawful permanent residents includes both applicants for permanent resident status and likely prospective applicants based on their current status in the United States as individuals fleeing persecution ( refugees , asylees , conditional entrants and aliens granted relief from removal by an Immigration Judge ) . Some people who haven 't applied for permanent residency are being considered for it . entailment +yeah uh i 'm i 'm afraid to go see that one that one looks so scary just from the previews i thought gosh i 'd probably have nightmares for the next six months I can 't handle scary movies because they give me nightmares every time . neutral +uh no i 'm more out in the suburbs but i certainly work near a city I live a block away from where I work . contradictory +I lose count . I have lost count . entailment +Another special issue . Another ordinary issue . contradictory +He turned to look in a mirror , and caught sight of the barber handing the bottles and jars of waste hair and nail clippings to a girl . No one had to manage the waste hair and nails at the barbers . contradictory +Drew 's bare and painfully acquired competence with the rope was paired to the Texan 's range training , while Anse 's cruder and faster methods of " toppin ' a wild one " were smoothed by Drew 's more patient gentling process . Drew 's methods were not as patient as Anse 's methods were . contradictory +Stay warm , Johnette Wear a sweater and a jacket , Johnette . neutral +But suddenly , with an almost magical abruptness , Julius 's anger abated . Julius 's temper continued to build until he exploded with rage . contradictory +yeah they were on the the near near uh Dahran on the They were near Dahran last Sunday . neutral +With leadership from you , Mr. Chairman , and your colleagues , congressional committees examined the implications of Y2K on various government operations and in key economic sectors . Congressional committees examined , but could not explain the implications of 2012 on various government operations . contradictory +The Maharanas of Udaipur had five palaces in and around the CityPalace for winter quarters ; the Jagniwas in Lake Pichola used as a summer palace ( now the Lake Palace Hotel ) ; the Jag Mandir on Pichola , used for festivals ; the Lakshmi Vilas Palace for guests beside lake Fateh Sagar ; and a monsoon palace up in the Aravalli Hills . There were many different places for each of the seasons . entailment +you know is there something else we could have done you know in checking out all the places that uh might be available course there 's you know there 's not one on every corner especially in you know smaller areas smaller towns There are a lot of places in the area . neutral +Hong Kong 's shops carry almost every recognizable European and many American labels , from top-end designers to the moderately priced or trendy . Western brands are popular amongst the working class in Hong Kong . neutral +When the day arrived Julius needed a considerable amount of persuading , but Tuppence held firm . Tuppence held firm when the day came . entailment +This is an economy , after all , that is doing well but not great , that is still growing slowly in historical terms , and that has still not shown significant evidence of a real boom in productivity ( with the notable exception of the manufacturing sector ) . This economy is still growing slowly in historical terms , according to the economist . neutral +In the recent presidential election , Hispanic voter turnout increased 60 percent in Texas , 40 percent in California , and 10 percent in Florida , with roughly three out of four of all Hispanic votes going to President Clinton ( 15 percentage points above his 1992 showing ) . There weren 't any Hispanic voters voting for Clinton . contradictory +Ditto with food . Same with food . entailment +Based on availability of resources , particularly labor , it is projected that an additional 6,000 MWe of FGD capacity could be built for a total of 10,000 MWe by 2005 . We cannot create any more FGD facilities . contradictory +The federal government 's effect on net national saving has varied widely over the past 40 years . The government 's effect has proved more negative than positive during the past four decades . neutral +Mr. Hersheimmer , I think , you already know . " A quizzical gleam came into the doctor 's eye as he shook hands with Julius . The doctor was quite sure that Mr. Hersheimmer already knew . entailment +But it should be done , at once ! " He then made a very careful examination of the drawers of the wash-stand . He carefully examined the drawers . entailment +of course you have plenty of uh plenty of uh mountains in Virginia and then in northern and you know up in New Hampshire and Maine too we had uh one of the um Virginia has a flat terrain ; there are hardly any mountains there . contradictory +Was he at last convinced of Alfred Inglethorp 's guilt ? Why was the guilt not as clear to him as it was to me ? neutral +Suddenly my attention was arrested by a weedy looking young man rushing down the street at a great pace . I didn 't notice the man hurrying down the street . contradictory +While multiple systems on one site are common , the number of required systems to serve large MWe of capacity has been decreasing . There are often multiple systems on one site . entailment +By contrast , Finkelstein adopts an ugly conspiratorial tone when he attributes the book 's popularity in the United States to its Zionist message . Finkelstein doesn 't consider the possible Zionist message in the book . contradictory +i admire someone that can do that you know i really can I do not admire anyone at all . contradictory +lang early-career haircut . ) Letting his hair grow out . contradictory +And although we were proud of our collective past , many of us had serious doubts as to whether the delivery system that we had created , and that had performed well for us and for our clients for the past twenty years , was the most effective and efficient delivery system for the difficult and challenging times ahead . We are proud of our past but we worried that our delivery system wouldn 't keep up with computers . neutral +yeah i mean since it was his i couldn 't very well keep it forever I was allowed to keep it for the rest of my life . contradictory +They also said that the current flexible arrangement permits agency officials to ensure that the use of IT in rulemaking is carried out within the agency 's overall IT strategic planning efforts . They also said that the current flexible arrangement permits agency officials to ensure that the use of IT in rulemaking is carried out within the agency 's overall IT strategic planning efforts . entailment +Sociologists have noted that the transplanted southerners tend to support the populist Juventus football team , owned by Fiat 's Agnelli family , while the other , more bourgeois local team , Torino , is favored by the longer-established Turin citizenry . Juventus supporters usually are southerners , while Torino supporters are from Turin according to sociologists . entailment +well something well so are you a homemaker i guess that 's the the right term nowadays Are you a airplane pilot ? contradictory +Uncharacteristic , I might add . Pretty normal , I would say . contradictory +A statement that successfully picks its way across this dangerous terrain is said to exhibit an economy of truth , and a person who has uttered such a statement is said to have been economical with the truth . These characterizations , too , were originally conferred with a sense of professional appreciation ( I first heard them on the lips of some Jesuit friends ) , but they have also been pulled out of truth 's orbit and into the atmosphere of mendacity . My Jesuit friends had no idea about the statements . contradictory +Left behind by the exodus to Pakistan at the 1947 partition , they make up the peasantry in the north . Pakistan experienced an exodus around 1947 . entailment +What about him ? I think I heard something about that . neutral +New Englanders , fearing British corruption and tyranny , provoked the American Revolution . The American Revolution took place in 1969 . neutral +Drew sat alone with Shannon , one hand on the boy 's shoulder to steady him . Shannon sat alone with Drew . entailment +instead of getting out all that stuff you know That 's right , you should take them all out . contradictory +Newcomers may prefer to start at the top with the Impressionists and Post- Renoir , Cezanne , Manet , Monet , Toulouse-Lautrec , Degas , and Van Gogh ( this is the best collection of his work outside Amsterdam , with several works from the frenzied months of activity before he died in 1890 ) . Newcomers might want to stop with abstract art . contradictory +Applying this definition means learning virtually everything about the instance being studied , including how it operates and what it does , in relation to the extrinsic or contextual events it is part of . Applying that definition means you should learn nothing about what 's being studied . contradictory +You don 't really care , damn you ! Darn you ! You do not even care at all ! entailment +and uh tremendously useful thing it 's uh the the portability and the compactness of it are uh pretty nice it 's uh you know enough that you can kind of throw it in a briefcase or uh slap it over your shoulder and carry it around It is much less convient than it used to be . contradictory +Rome would never be the same again . Rome had just experience a massive event . neutral +Under this scenario , he suggests that rates be set to allow nondiscriminatory access to the monopoly delivery service by the firms competing in processing and transportation . He has some suggestions regarding rates relating to the delivery service monopoly . entailment +One of the boys , the smallest , smiled at Susan . A boy thought that Susan was pretty . neutral +The 124 finely carved seats in the choir include a slightly roomier one for Felipe II . The seats were carved over 30 years . neutral +On a peninsula separated from the mainland by islands , the old part of the town is known as Fort Cochin , where Vasco da Gama set up Portugal 's first Indian trading station . Fort Cochin is the oldest trading station in the area . neutral +Next , I ventured into the freezer , a chilling minus 8 degrees Fahrenheit . It was very cold in the freezer . entailment +Yet only a half-dozen states currently offer loan forgiveness programs to graduates who agree to work for government or non-profit agencies . Only 6 states have loan forgiveness programs for students . entailment +The Commissioner is reorganizing IRS with the aim of building an organization designed around taxpayer groups and creating management roles with clear responsibilities . The Commissioner wants all the roles to be clear . entailment +uh-huh how old how old are your kids Your kids are too old . neutral +and uh you know you don 't hear a lot of angry words i 'll you know be nice and uh you know it 's going out to have fun You wont hear anything offenseive and you will love your time neutral +Lovely floating gardens growing melons , tomatoes , cucumbers , and lotus root in a mesh of reeds and mud floating in the water and moored in squares by four poles stuck in the lake bed , add to the tranquil beauty of the lake . This garden is not lovely and complete barren . contradictory +then i i 'll order like a vegetable soup or something you know but she 'll just have the French fries you know I think I 'll order a large steak and she 'll have the liverwurst . contradictory +right yeah i heard about that on the news yeah I might have heard about that on the news . neutral +FDA estimates the overall compliance costs of the rule to be from $ 174 million to $ 187 million in one-time costs and $ 149 million to $ 185 million in annual operating costs . The FDA expects the compliance costs of the rule to increase operating costs on an annual basis . entailment +it 's just kind of convenient and she 's the kind that goes for convenience over anything else She cares about convenience . entailment +There have always been such columns connecting the world and the sky . There was time when the columns didn 't exist . contradictory +Although there are no grass courts on the islands , a number of asphalt or composition courts are available at hotels and apartment complexes . Apartment complexes and hotels provide ball courts . entailment +Without experience of wooing ladyfolk , Ca 'daan could only begin to understand the signals between Adrin and Vrenna . Ca 'daan understood the relationship between Adrin and Vrenna . neutral +It 's the lack of transparency in the way that companies--like Sunbeam , and not like Tyco--use them that is . Sunbeam and Tyco are completely transparent in all things . contradictory +In actuality , it was the population of Jamaica who discovered him Columbus was really lost , thinking that he had found another route to Asia . Columbus had found another route to Asia . contradictory +The Industrialist said , " There is the Youth you speak of . The industrialist never saw the youth . contradictory +On two occasions these were said just to me , and on one occasion they were said in front of others . Twice these were said only to me , and once they were said with others around . entailment +I know nothing only the name . She walked towards the door . She only knows the name and walked towards the door entailment +One of the most spectacular excursions in the whole country is the dramatic cable car ride from La Palud , north of Courmayeur , to the Colle del Gigante , 3,354 m ( 11,004 ft ) and Aiguille du Midi , 3,842 m ( 12,606 ft ) down to Chamonix in France . The cable car ride only costs twenty dollars . neutral +Gray Cloud knew the path and did not stumble . Gray Cloud was stumbling all over the place . contradictory +Post-war politics brought a new set of problems . Everything was calm after the war . contradictory +in fact i had more room than i knew what to do with i don 't know it 's it 's seems like room uh stuff always expands to fill available available space but Stuff always gets bigger to fill up spaces that used to be empty . entailment +Who is it ? There isn 't anyone . contradictory +) Liberated from Doodlennium , Mark will have an expanded role in illustrating the rest of Slate . ( Check out his drawing of Robin Williams and Matt Damon in Summary Judgment . Mark was fired from Slate because of his inappropriate drawing of Robin Williams and Matt Damon . contradictory +Across the river , 250 dealers are concentrated in the Louvre des Antiquaires , by the place du Palais-Royal , closed Monday ( and Sunday in July and August ) , and other antiques dealers are scattered around Les Halles . Most antiques dealers find that they get more sales at the Louvre des Antiquaires . neutral +Bunkhouse , feed store , and storage room , blacksmith shop , cookhouse , stables , main house , the quarters for the married men and their families all arranged to enclose a patio into which choice stock could be herded at the time of an attack , with a curbed well in the center . Single men had seperate quarters away from the married men and their families . neutral +He grabbed the villager 's wrist and Ca 'daan heard the crack of bone . He broke the man 's wrist . entailment +One kind of rope was too stiff , but the color was nice - Button-down Shirt Blue ' Dark Day on Wall Street . ' Unfortunately , that kind could damage the impeccably chosen suit jacket fabric ( yes , the director was wearing a suit jacket , because he wanted everything to match nicely ) . One rope was a nice blue color . entailment +But you get more emotion in the Fonteyn-Nureyev version . There 's more emotion in that version . entailment +During the 1920s and 1930s , GAO focused on preaudit payment work and whether government spending had been handled legally . They looked to see if the funds were handled correctly . entailment +Some of them also have batons . The batons were used as weapons . neutral +The London law firm Mishcon de Reya--whose star attorney , Anthony Julius , last year wrote a polemical book about T.S. There is a law firm in London called Mishcon de Reya . entailment +yeah yeah or i saw Chima Para Diso uh Chima Para Diso I also saw Chima Para Diso last night . neutral +When Fedge examined the Ledfords ' recent mortgage loan history , this is what he Fedge saw that the Ledfords were drowning in debt . neutral +yes i get some of these things in the mail that i wonder where in the world did they get my address or where did they get my name I receive mail that I don 't want sometimes . entailment +well yeah and to some extent uh utilities i imagine You can 't include utilities . contradictory +If still in doubt , don 't do it ! Don 't do it if you aren 't sure . entailment +All rooms have air-conditioning and ceiling fan . The rooms all have a / c that is automatically set to 68 degrees neutral +i agree i i agree you know i I concur with that theory . neutral +The NYT runs the following Because of an editing error , an article on Feb. 26 about Manhattanites ' reliance on mini-storage referred incorrectly to doves and a rabbit used in the act of Arnie Kolodner , a magician . They were deeply sorry for the miscommunication . neutral +Some workers choose to save over their working lives for retirement while others choose to save little and spend more while working . Nobody is saving anything . contradictory +the the magnitude of some of the red tape you have to go through You don 't have to go through any red tape . contradictory +and they they have a you a good appetite and they would you know i i picked off like twenty of them and i go They have a good appetite and I picked off about twenty of them . entailment +USEPA adopted the policy that ELS test data could be used in establishing water quality criteria if data from full life-cycle tests were not available ( USEPA , 1980a ) . There is no method for determining water quality . contradictory +They were stripped naked and splayed out on the ground . The people were covered and hidden . contradictory +Sailboats and small pleasure craft dock at Cramond , where the tidal river exits into the Firth of Firth . Cramond is a bad place to dock ships , no one docks near there . contradictory +His voice had quieted . He screamed loudly . contradictory +In 1988 , Congress directed the two Departments to develop regulations to implement amendments to the Indian Self-Determination Act ( Pub . Under pressure from Indian interest groups , in 1988 Congress directed two Departments to develop regulations . neutral +If people adjust their retirement plan to reflect benefit reductions , increased personal saving today could provide new resources to invest . Retirement plans adjusted to reflect benefit reductions could provide new resources to invest . entailment +This chapter identifies the AICPA 's general standard on criteria , 3 field work standards , and reporting standards and prescribes additional field work and reporting standards , as well as guidance , for attestation engagements performed in accordance with GAGAS . This chapter contains no information on the AICPA 's procedures . contradictory +He promised that they would be getting in touch with us later on the subject . They will be getting in touch with us later on the subject , as promised . entailment +One of the most powerful exhibits is a single a human shadow left imprinted on the steps of the Sumitomo Bank at the moment of the flash . The owner of the shadow was just one of hundreds of thousands of casualties from the flash . neutral +Timekeepers and supervisors must be aware of the work time and absence of employees for whom they are responsible to ensure the reliability of Tand Timekeepers and supervisors need to be aware of the work time and absence of employees for whom they employ to be sure that they are meeting their staffing levels . neutral +Planted with hundreds of pretty blooms , all in pristine condition , it has kept accurate time since its creation in 1903 . It hasn 't been able to keep time accurately since 1903 . contradictory +The gift shop in the underpass between the two buildings offers an excellent selection of quality souvenirs , reproductions , and posters of Nara culture . The gift shop has many wonderful souvenirs of Nara . entailment +McCain 's ultimate weapon is cynicism . McCain is very cynical . entailment +A plain , dirty looking old envelope with a few words scrawled across it , apparently at random . There was nothing to see on the brand new envelope . contradictory +for example , motor vehicle records to detect crashes ; police records to assess criminal activities ; and state vital statistics registries , the Social Security Death Index , and the Fatal Accident Reporting System ( FARS ) to detect mortality . FARS detected 30,000 deaths last year . neutral +Having ignored him throughout the campaign , Gore has decided--at a moment oozing with political expediency--to reverse course , demand an open exchange , and cast himself as the idealist . Gore labeled himsef an idealist . entailment +should we have fought them harder used more weapons equal to their chemical weapons that weren 't used I am not sure if we should fight our enemies harder with more weapons equal to the unused chemical weapons . entailment +and so i get my tent up and i get my fire place built and all that and i 'm just having a good time and uh that night it got down to seventeen degrees below zero and snowed I put my tent up and built a fire , and was having a good time until it snowed and the temperature dropped to seventeen degrees below zero . entailment +21 An extreme , but possibly realistic , situation should not be overlooked . Sharp attention is to be given to 21 . entailment +Your idea . ' You came up with it . entailment +well um i guess i i 'm more concerned about public safety than i am about the um the concern for the private uh the idea of preserving privacy for the individual um because i can 't really see why anyone No value is to be gained from public safety . contradictory +Farther east along the coast lies Discovery Bay , said to be the place where Columbus landed in 1494 on his second journey from Spain . A plaque at Discovery Bay commemorates Columbus ' landing . neutral +He didn 't work free , known as pro bono , but charged one-third the going rate and took a client 's ability to pay into account when making up the bill . He constantly worked for free or for pro bono because it was the more profitable thing to do . contradictory +Today we cede our vision of ' 50s female fashion to the movie version , as if that were the real mirror of the decade--everything blatantly cleansed of error , willfully idealized into unreality , odorless , effortless , affectless . Many people think that female fashion is how all females should dress . neutral +naturally Never ! contradictory +And then there are the Democrats like Ted Kennedy and John Kerry , who have the gall to sign on as co-sponsors of the corporate-welfare bill while holding out for ludicrous federal maritime subsidies . Ted Kennedy has mixed feelings about the corporate-welfare bill . neutral +Although this rate variation may seem minimal , if all the banks paid IOLTA interest at only 0.25 percent , the annual earnings on $ 1 . The variation appears to be minimal . entailment +He organized the rewrapping of many mummies and devised a secret hiding place for them in a narrow valley behind the Temple of Hatshepsut . He amassed help to carry out the unwrapping and rewrapping of the mummies . neutral +If he were arrested , he probably would speak , but I do not want it to come to that . He would speak under capture , but I don 't want that to happen . entailment +We like to think of ourselves as content providers , I heard a cleric say recently about his line of work , a comment that I took to be knowingly ironic but which could also have been a sincere and pathetic attempt to be with it . I heard a cleric say he provides content to parishoners . neutral +Down Sonora way one of them Mexes would dig right down to th ' bottom of his money chest to buy a hoss like that . In Sonora , the Americans would not like to buy a horse . neutral +It will be necessary to provide evidence that hiring staff to perform interventions is in the best interests of stakeholders and is fiscally responsible . No evidence is necessary for the hiring staff in order to ensure the stakeholders are happy . contradictory +Its replacement , the Vendeme column , commemorates in bronze relief the victories of Napoleon , cast from 1,250 Austrian cannons captured at Austerlitz and topped by a statue of the emperor . The cannons used to create the bronze relief came from Austerlitz and each weighed over a ton . neutral +In Loveland , 23 were assigned attorneys . They were ready to start their assignments . neutral +Finally he lifted his hand in faint greeting , sighed and dropped slowly to a seat . He was tired so he sat down . neutral +well the it the the NFL draft really seems to be doing its job because got teams like like Buffalo who weren 't certainly weren 't a powerhouse uh ten years ago now they 've been able to get some good players and come around and the New Orleans the same story and uh and uh a few years ago Denver was a powerhouse and then they uh they weren 't getting the draft picks and now the uh other team so it seems to be uh moving around and uh to to New Orleans benefit and uh you see how look at the Cowboys now they 're uh they 're hurting Denver has gotten worse because of their less skilled players . neutral +Across the plaza from the Western Wall is the Jewish Quarter , virtually destroyed during the fighting in 1948 . The Jewish Quarter was essentially destroyed in 1948 during the fighting . entailment +no no i live in Dallas In fact , I live in Dallas . entailment +in my group uh nearly everyone wears a a sports coat and tie uh but that does change in the summer uh they they get a little more lenient and we can wear like uh an open collar or uh Some people in my group wear shorts in the winter . contradictory +Yes , she has . In truth , she has . entailment +Tours on the river and into the Great Morass start from Black River town ( see page 90 ) . Tours on the river are treacherous and so have been discontinued . contradictory +What shall I do ? " I know exactly what to do . contradictory +And there--in no small part as a result of that history--it has found itself with very little leverage . It has a history of being powerful . neutral +While Tokyo usually provides the first glimpse of modern Japan 's many strange contrasts , it is to Kyoto and Nara that visitors with even a passing interest in Japanese history and culture come to peel back the layers of centuries . Nara is a better place than Kyoto in terms of housing . neutral +President Clinton choppers in for commiseration and photo ops . President Clinton arrives by helicopter to offer his condolences to a fallen veteran . neutral +Quoting a military manual leaked to the Jakarta Post , the paper said platoon leaders have been authorized to use live ammunition in self-defense to cripple rioters who are clearly threatening to kill others [ or to ] cause heavy material damage . Platoon leaders can 't defend themselves with live ammunitions because they can cause damage . contradictory +In the middle of the town is the Bagh Bhairav Temple , under the eaves of which are swords and shields from the 18th-century siege . The Bhag Bhairav Temple is located in the middle of town . entailment +The attendance of key agency officials-those responsible for work related to GAO 's key objectives- at the entrance conference enhances the opportunity for a substantive exchange of information . Some of the key agency officials include Barack Obama and Bernie Madoff . neutral +One of the finest private collections in Europe ( since bequeathed to Portugal ) , it was created as an exhibiton space for the thousands of works of art acquired by the renowned Armenian billionaire Calouste Gulbenkian . Gulbenkian got one of the greatest collections in all of Europe . entailment +yeah um i think you have to push one and then we can start recording it I 'm pretty sure if you push one we can start recording . entailment +Click for a list of them and another mix-and-match game . For a list of them and another game click here . entailment +uh-huh it 's funny because i had listened to a comedian talk about the death penalty you know about people saying they they don 't have nobody to do this and i said well if somebody killed my husband just because i 'll pull the switch i 'll even do you know to me if if that person can forgive them fine but what is that man going to do next is he going to go out and kill somebody else They don 't have nobody to do the death penalty to my husband and that man is just going to go out and kill someone else . contradictory +Some central groups relied heavily on technical assistance located in another organizational unit , while others had significant technical expertise among their own staff , and , thus , were much more involved in directly implementing and testing controls . Some groups had internal technical experts . entailment +Martin Schongauer 's beautiful altar painting Vierge au Buisson de Roses ( Madonna in the Rose Bower ) can be found in the Eglise des Dominicains , along with some remarkable 14th- and 15th-century stained-glass windows . Vierge au Buisson de Roses is known in English as Madonna in the Rose Bower . entailment +Liberals think more job training could help . No one thinks job training will have any positive effect . contradictory +A while ago we changed the internet-phone PBX system to comply with WebTel 4.0.5 , because , you know , no sane person would stay with the ancient Web 3.0 . ' We knew everyone wanted the Web 3.0 system . contradictory +We do not fear the forces of nature as much as our species once did , because we understand those forces better . Fear of the forces of nature has only increased for our species . contradictory +Some pubs have pool tables and darts or TV sets , which are usually tuned to sports events , more likely than not a football ( soccer ) game . Pool tables are more popular than darts at pubs . neutral +Summer frivolity in Time ; What 's Cool This Summer . Hats are in for the Summertime . neutral +Consistent with the intergovernmental provisions of sections 203 and 204 of the Act , and Executive Order 12875 Enhancing the Intergovernmental Partnership , EPA involved state , local , and business representatives in focus groups , public hearings , seminars , and meetings to develop the rule . The rules led to improvements . neutral +His face patched up after a fashion , Drew lay full length on the hay in his old place over Shadow 's stall back at Kells ' stable . The hay was not very comfortable to lie down on . neutral +Major Management Challenges and Program Risks ( GAO / OCG-99-SET , January 1999 ) . There are no major management challenges to speak of . contradictory +Rulers began to grow more powerful and looked for some way to prove their might both in life and in death . Rulers got more power . entailment +In fact , recent capacity expansions provide strong evidence of this . There is proof of this in new capacity increases . entailment +Ah , I said , " now I understand ” " I can 't always comprehend . neutral +The underlying principles were observed consistently in our sample of leading organizations , and were cited as being critical to the success of their CIOs . The success of CIOs depends on underlying principles and effective management . neutral +are the uh Oldsmobiles that you 're looking at are they the demos or they used are they new Are you thinking of buying a used car ? neutral +so you didn 't need to know the language You didn 't need to know the language entailment +Well , Mr. Lawrence Cavendish 's evidence for instance ? I was relieved . I was still so nervous ! contradictory +Sheltered from the cold , damp , northwest winds by the Vosges mountains , the vineyards of Alsace enjoy an ideal microclimate for producing white wines that confidently hold their own against the more famous wines of Burgundy and Bordeaux . The Vosges mountains shield Alsace 's vineyards from the chilly winds of the northwest . entailment +EPA notes that the benefits to be derived are basically those to be achieved directly through the knowledge about the use and disposition of toxic chemicals and the changes in behavior that may result from the information reported to the TRI . The EPA lamented that there are no benefits to the chemicals . contradictory +in our yard and our property and they 're pretty old big tall trees and so if it 's an overcast day then the weather is pretty blah because i really have to some sunshine or else i feel like i live in a cave all the time I really enjoy having some sunshine during the days otherwise it feels like I live in a cave . entailment +Indeed , many impotents do suffer from an exclusively medical problem . He had certain cancer which made him impotent . neutral +well if you don 't make smart selections it doesn 't do any good or if you make smart selections and they and you can 't sign them You have to take you time with making the selections . neutral +Love , would you like me to be your Kassandra Lubbock ? I could fall in love with you . neutral +And little Cynthia ? What of petite , blonde-haired Cynthia ? neutral +Two lighted lanterns hung from pegs along the center of the stable , and Callie had mounted a barrel to put up a third as Drew entered . Drew entered and saw two lit lanterns hanging from pegs along the center of the stable , as Callie climbed upon a barrel to put up one more . entailment +" He 's over to th ' doc 's , an ' Doc 'll have th ' say ' bout that , Cap 'n , " Nye replied . Nye said that someone was going to the Doc . entailment +Is such a thing possible ? That could only be done by the work of aliens , so it 's impossible . contradictory +Although many single-visit alcohol interventions in medical settings have been effective , 32 the context of the emergency setting does increase the importance of considering follow through after the initial contact . 40 % of people in interventions will stop abusing the substance . neutral +The chharbagh ( foursquare ) gardens are an integral part of the Taj Mahal , both spiritually , as the symbol of the paradise to which Mumtaz-Mahal has ascended , and artistically , to enhance the color and texture of the mausoleum . Chharbagh means foursquare . entailment +Benedykt Ossolinsky , age 39 , began to grow childish . Benedykt Ossolinsky was a 39 year old playwright from New Zealand . neutral +What part of Texas are you from ? Are you from the south of Texas ? neutral +One of the most impressive of these is the Mahaboudha , or Temple of the Thousand Buddhas , which was erected in the 16th century . The Mahaboudha , also called Temple of the Thousand Buddhas , was built in the 16th century . entailment +The scales have fallen from my eyes , All those networks care about is ratings . The networks sole worry are its ratings and nothing else . entailment +uh-huh uh-huh it seems uh sometimes it seems uh rather i guess rather uh odd that one person would have that deciding factor he would be the sole factor uh determining a person 's outcome i guess though but the jury still has their input and maybe he goes uh has a lot to decide has to decide a lot from what the jury has input to the case too It seems odd one person has so much power . entailment +Chandra Mahal , directly south of the observatory , is the Citys Palace , with seven mystically planned courtyards and stories . There are seven mystically planned courtyards and stories at the Chandra Mahal , the City 's Palace . entailment +and uh oh yeah okay because that kind of moderates the weather a little bit yeah The weather is milder because of the ocean currents . neutral +The blonde on the left is said to be Rubens 's second wife , Helena . Helena is said to be Ruben 's third wife . contradictory +That was Pa right enough . That described Pa to a tee . entailment +In Havana , the government newspaper Granma celebrated the 40 th anniversary of the invention of the cha-cha with the unlikely boast that it was danced by no less than Queen Elizabeth and the Prince of Wales . The cha-cha is at least 40 years old . entailment +Central Cairo is based around the River Nile , and several modern streets and squares where you 'll find most of the international hotels . Cairo is 100 miles from the Nile . contradictory +If the mustangers here pick up any branded ones , they 're returned to the owners , if possible , or sold at a yearly auction . Most of the branded horses found by mustangers are sold into auction . neutral +Environmental Health Perspectives . Environmental Health Perspectives are helpful to the common person . neutral +well i think that 's good because you do have to use your mind and imagine up the circumstances and things it 's not like Using your imagination is very good for your mind . neutral +What would their next step be ? Invasion ? " What would they do next ? Invade ? entailment +would go outside and he 'd turn into a zombie and walk around like he didn 't know what was going on but he 's used to it now i think he 's i mean He became used to pretending to be a zombie . neutral +You are advised to book hotels well in advance , particularly if planning to visit between June and September . You should book the hotel well in advance if you are picky about your room . neutral +It would be folly for a visitor to expect American-style efficiency or speedy service ; it would be wisest to slip into the casual drift of things West Indian . It would be perfectly fine to assume a visitor will receive the same type of American-style efficiency . contradictory +some of the boxes you know There are many boxes available . neutral +Then the grain is dried in the sun , covering the squares and streets of villages , and is winnowed by tossing it in the air from round trays . Heat lamps are used to dry the grain . contradictory +Look out for red flags warning about dangerous undercurrents , and check to see that beaches are patrolled by lifeguards . Undercurrents are dangerous and swimmers should be aware . entailment +That one 's chewin ' th ' bit an ' gittin ' ready to hump under th ' saddle . There was one that was chewing . entailment +Or even longer ! It was longer . entailment +The highlight here is Mannings School ( built in 1738 ) , which still retains its original colonial-style wooden buildings . The buildings at Mannings school were replaced for concrete ones . contradictory +i know why do you do this It 's because you 're insecure about yourself . neutral +Nobody really knows how big a problem this is , and the extent will surely differ from area to area . No one has an idea of the extent of this problem . entailment +oh that 's really nice That 's really pleasant . neutral +Thirty years ago , ABC would not televise Abbie Hoffman 's American flag shirt on the Dick Cavett Show ; last week it was available at a street fair in my neighborhood in the form of silk underwear . The Abbie Hoffman 's American flag shirt gained popularity in the last ten years . neutral +yeah i 'm sure you know my sentimental favorite would have to be Philadelphia but i i sure am scared of them Giants Sentiment wise , my favorite is Philadelphia . entailment +At the delta of the Rhine , where its two arms spill into the Medi ? ­ ter ? ­ ra ? ­ nean , the Camargue has been reclaimed from the sea to form a national nature reserve . The Camargue is a nature preserve near the Mediterranean . entailment +Locals , who believed that the house was haunted by her spirit , buried her nearby so that she could be reunited with her body and rest in peace . That house was pretty much like every other house , contradictory +I shall succeed in the other . I shall fail in the other . contradictory +GENERAL PURPOSE FINANCIAL REPORTS -Reports intended to meet the common needs of diverse users who typically do not have the ability to specify the basis , form , and content of the reports they receive . General Purpose Financial Reports will only help white workers . contradictory +These retained earnings are available to finance investment . Retained earnings are the simplest way to collect money . neutral +What was this complication of a will ? What was the spelling on the will ? contradictory +A photograph , carelessly thrust in face upwards , caught his eye . He honed in on one photograph . entailment +I shall be all right , snapped Tuppence with her usual resentment of any kind of pity . Tuppence was likely to accept help if it came from a place of pity for her situation . contradictory +Or entry costs are so high that no one will pay them unless guaranteed a return , at least initially--as when cable TV was new . There is no possibility for the entry costs to be lower , unfortunately . contradictory +In the discussion of the Regulatory Flexibility Act , the preamble to the final rule states that HUD 's Economic Analysis considers the impact of the rule on small entities . The analysis takes into consideration the small entities . entailment +Though many girls still wear their skirts very , very short , novelty has lately required increasing their length , not their brevity--and many new long skirts are resembling South Sea wraparounds , often gauzy , to suggest more exotic freedoms , newer ways for longer skirts to seduce . The new long skirts resemble South Sea wraparounds . entailment +For example , one state has a strategic planning forum that brings together major stakeholders statewide to identify strategic and tactical issues , including IT issues confronting the state . Stakeholders are offered a 30 minutes window to speak on issues during the forum . neutral +GAO succeeds in its mission when its findings and recommendations lead to improvements wherever federal dollars are spent . The GAO don 't often succeed in their mission because their recommendations tend to be ill informed . neutral +The official name of one of Europe 's most important cultural centers is Centre National d 'Art et de Culture Georges Pompidou ( after the French president who instigated the project ) . The center was named for a famous painter . contradictory +Look for a simple statue of Tutankhamun , the boy king , below the needle . Under the needle , look for a simple statue of the boy king Tutankamun . entailment +This original doctrine , without any sense of Buddha 's divinity , was embraced by the Hinayana ( Lesser Vehicle ) school which spread to Sri Lanka , Burma , and Thailand , as well as Cambodia and Laos . The original doctrine that had no trace of Buddha 's divinity spread to Sri Lanka , Burma , Laos , Cambodia , and Thailand . entailment +In general , the outcome of effective competition is The result of effective competition is ... entailment +It is time , I believe , to dust off the task force recommendation and / or to give some serious thought to the phased rate approach . I think it 's time to do what the task force recommended and think about the phased rate approach for the postal service . neutral +His uncle considered this , running a hand over his thinning head . His uncle had lost all his hair that year . neutral +Bulls coach Phil Jackson To Dennis , a Mormon may just be a nickname for people from Utah . Phil Jackson is the coach of the Bulls . entailment +the necessity The necessity entailment +'Do you think I 'd make a good leader ? ' I know i would be a great leader . contradictory +What 's really wrong with the financial-news boom , then , is that by creating the illusion that the walk is other than random , it depends upon and encourages a trader 's approach to investing . The financial news boom gives investors all the information they need . contradictory +Suppose , however , with suitable reverence to Adam Smith , one looks at this plan according to its degree of roundaboutness . With suitable reverence one can see the plan according to degree of roundaboutness entailment +and uh i did the whole house myself as a matter of fact i had the foundation poured the concrete poured and the rest of all the building i did entirely on my own which was quite a project uh i don 't It took me three months to do the whole house on my own . neutral +Carlson says he has had calls from the conservative Politburo , including one from Michael Ledeen , a former Reagan National Security aide , who told him , No one who believes what we believe should be attacking Grover . Carlson says he never received calls from anyone . contradictory +Scarcely a day passes without a front-pager on AOL or another local Netrepreneur made good . AOL is the largest Netrepreneur in the market . neutral +What you probably are is simply wrong . I know for sure that you are completely right . contradictory +they don 't even have social skills oh i don 't know i really don 't know i i think that if somebody asked me i would hesitantly say yes that i could could hand down a death sentence i think they have really great social skills contradictory +The 1801 wreck of a British warship on a reef 5 km ( 3 miles ) offshore is a diver 's for the non-scuba set there 's a glass-bottomed boat you can take to see big groupers and perhaps sea turtles swimming around the sunken ship 's cannon . The British Warship was named the R.M.S. Trident . neutral +yeah well it 's my dad 's and we 've had it for over he 's been there for a long time so my dad got it from his brother a long time ago neutral +if you approached the automobile industry if they would be too keen on installing something like that They might reject your proposal . neutral +At a final rapid motion of the girl 's hand his eyes closed , the smell faded from his nose and all sounds vanished . The smell remained in his nose as his eyes closed . contradictory +and uh the atmosphere is fantastic and i was there with it 's a group um that uh we were having a going away dinner for a friend and there were twelve of us and i the the food that uh we ordered each of us was quite good but the service was horrendous The food we ordered was good , but the service was terrible . entailment +yeah you know and it 's not for uh not for protection or hunting or or anything just you know for all those reasons just you know nobody thinks anything about having a gun it 's no big deal Guns should be banned . contradictory +On a peninsula separated from the mainland by islands , the old part of the town is known as Fort Cochin , where Vasco da Gama set up Portugal 's first Indian trading station . Fort Cochin lies on a peninsula separated from the mainland . entailment +But the analogy , they say , is the nuclear Non-Proliferation Treaty that took 20 years to obtain 178 members--and only after the United States used sanctions to force the hand of reluctant governments . The current pact is taking longer than 20 years to enact . neutral +One is Amy Spindler of the New York Times , who seems to take clothes seriously without excess or apology , deploying a quick imagination and an interest in detail that give her writing a fine attentive sting . Amy Spindler , of the New York Times , takes clothes seriously . entailment +But defending the right to discriminate against gays is no longer a sure winner for them . People are upset when they try to discriminate against gays . entailment +so i didn 't learn to fish in a lake until i was well into my twenties After i learned how to fish in a lake , I spent every free weekend fishing . neutral +so he plays that and and a little bit of piano and He doesn 't play any instruments contradictory +As long as the religious belief of the person governing does not promote or condone acts of violence against those governed , or in the repression of those who fail to share his / her religious convictions , then the beliefs that the governor holds are not a newsworthy event , or even the public 's business . Christianity is the most common religion people in government believe in . neutral +No argument here . No argument . entailment +Small colorful boats with piles of yellow nets are waiting to set sail for the next day 's catch . There are small boats ready to set sail for tomorrow 's catch . entailment +The 21 mpg standard was initially prescribed for model year 1985 , but was amended to 19 . It actually got more than 19 mpg on highways . neutral +I don 't suppose many would argue that JFK has greater stature than Washington or Lincoln , so isn 't it a little silly to honor JFK in so unique a fashion ? We don 't give JFK enough credit . contradictory +Surely the girl has not been kidnapped . " It 's not possible that she was kidnapped . entailment +Each area averages 12 routes ( with of course a very high deviation ) 18 . The areas are really long with many stops . neutral +They had an instinct that it would be mere waste of breath . They had a feeling it 'd be a waste of time . entailment +An herb called Saint Johnswort seems to alleviate mild depression with no nasty side effects . Saint Johnswort is a kind of herb that has no medicinal qualities . contradictory +They all heard it . They all heard the woman screaming . neutral +Ca 'daan caught sight of the rapier 's hand guard . Ca 'daan couldn 't see the rapier . contradictory +Fine 18th-century villas can be found along the seafront , both north of the port and south toward the airport . There are 18th century villas located all over the island . entailment +The Benefits and Costs of the Clean Air Act , 1970 to 1990 . The Benefits and Costs of the Clean Air Act was first written in 2005 . contradictory +Similarly , in these two stories , the pilot and the two boys are , in effect , fighting against the power of race consciousness as a form of conformity , even as they are trying to find their meaning through their race . The pilot and the two boys are fighting against race consciousness and the conformity that comes with that . entailment +Some of the agencies ' web sites currently provide for such hypertext links , but not for comments on rules . The web sites need to be updated to allow comments on rules . neutral +i know there was uh a pipeline going in up in uh southern Pennsylvania and there was a group in uh Bucks county that was fighting it and uh one of the women that was leading the group said well they say they 're going to pump uh oil through there but before long they 'll be pumping radioactivity through it A pipeline was being constructed in Pennsylvania . entailment +Terre de Haut has several places to stay , but book ahead , particularly on weekends . Terre de Haut does not have any form of accommodation . contradictory +right looking for something yeah kind of depressed or something He is kind of depressed , looking for something that he hasn 't found yet , ever since his girlfriend broke up with him . neutral +Gardens , Rivers , and Plantations The photo collections features the gardens and streams of the area . neutral +okay Jim um can you tell me a little bit about your opinions on capital punishment I think that it 's effective , but takes too long . neutral +That 's what th ' teacher does to smarty kids , ain 't it ? " That 's what the students tend to do with the teacher . contradictory +Legal Services eventually got Benjamin 's benefits restored . Benjamin has yet to have his benefits restored . contradictory +women who want to stay home with their children are subsidized to do that they don 't have to live um Women receive subsidies for day care . neutral +The church itself is an unprepossessing reconstruction after a devastating fire of 1771 , but the Brancacci Chapel with the great Masaccio frescoes miraculously survived intact . The Brancacci Chapel dates from the 16th century . neutral +Lars-Erik Nelson ( Meet the Press ) pronounces Brill 's article a great public service for the American people . The article focused on exposing corruption within the US government . neutral +Less companionable is Billy Crudup 's Pete , whose high-arched cheekbones are emblems of the movie 's frozen classicism . Billy Crudup 's Pete has high-arched cheekbones which represent the film . entailment +' Blackard told me , as she told Isikoff , she generally recalls such a conversation . Blackard has an awful memory and would never claim to remember any conversation . contradictory +if i take her to the vet i used to put her in her in a cage and take her down but now i just carry her out to the car and she crawls up in my uh up on my shoulder she 's gotten used to the car ride to the vet , so she stays calm without a cage neutral +Further , the rule is not subject to the requirements of Executive Orders 12606 ( family issues ) , 12875 ( intergovernmental partnership ) , 12988 ( civil justice reform ) and 12948 ( environmental justice ) . The rule complies with the requirements of all Executive Orders . contradictory +he oh he liked right if it tasted good yeah uh He hated it if it tasted good . contradictory +However , little evidence remains of that era some ceramics in the museum , a few fortifications , a network of irrigation ditches . There is little evidence left of that era . entailment +Two old galpals swap the latest word . Two old friends hate conversing with each other . contradictory +in fact miserable actually delighted contradictory +And Nye ... Reese Topham ... suddenly the cantina was very well populated . There were many people in the cantina . entailment +( Seven percent higher if retail service costs are eliminated from rural . ) Two hundred percent higher if retail service costs are removed from rural . contradictory +'Don 't be coy . Don 't act coy toward the boys . neutral +Among the prettiest is Marathokambos , nestling in the shadow of Mount Kerkis . Mount Kerkis is one of the only places you can find Marathokambos . neutral +Is he or ain 't he gonna sign me on ? " Drew , lying flat , stared up at the muslin-covered ceiling which years of dust had turned to yellow-brown . Is he going to sign me on to the train robbery job or not ? neutral +There is reason to think that on the matter of homosexuality , he writes , some small but important aspect of human personality has begun to change . The man was trying to make a case for focusing on the issue . neutral +Mr. Emil Czyc was just shopping with his son at the mall . Emil was with his son at the mall . entailment +Where did the rage in Kaufman come from , and at what point did it kill the comedy ? Kaufman was angered by artistic restrictions enforced by others . neutral +Clearly , that was the case with our work in the Y2K area and I have no doubt that there are similar issues out there that we must be sure to identify and examine before they become major problems . There are issues that can become bigger problems in the future . entailment +'What 's Stage Two ? ' There were three stages . neutral +Allowing sources to make reductions where it is most economical to do so is one of the reasons cap and trade programs should be less costly than command-and-control programs that achieve the same or even fewer reductions . Command and control programs achieve the same or fewer reductions than cap and trade programs . entailment +A sidebar profiles nine such firebrands , including Phil Gramm , Sam Brownback , and Rick Santorum . A sidebar profiles nine firebrands not including Phil Gramm , Sam Brownback , and Rick Santorum . contradictory +and i guess it 'd depend on the the age of the child the needs of the child how long the child has to be there if it 's a five day a week deal i would certainly look a lot harder than if it was just a couple of days a month The kid 's age doesn 't matter much in the argument . contradictory +One of the best documented and understood impacts of increased nitrogen is the eutrophication of estuaries and coastal waters . There are videos and text on the effects of increased nitrogen and eutrophication . neutral +The e-rate plan also mistakenly imagines that high speed , affordable Internet service will never reach rural America without government help . The e-rate plan states that high speed internet is one that has a value greater than 35 mbs . neutral +As one of the world 's slowest and worst typists---I guess they call it keyboarding now---I especially like the idea of envelopes carrying information I can scan into my computer to connect with a vendor 's website or with an information source . Since I am bad at typing , I prefer using my computer for scanning text . entailment +Which tradition does John Kennedy belong to ? Which of the traditions does John Kennedy belong to ? entailment +At its best , tofu is supposed to be springy , and this dish proved how ideally suited it is to the microwave 's wily ways . Tofu should be mushy at its best . contradictory +Gary Locke issued an order cutting nearly half the annual state funding for civil legal services - $ 2 . Gary Locke ordered the cutting of half the state funding for civil legal services and broke the law . neutral +By way of formal tourist attractions , Pak Tai Temple , built in 1783 , has some fine carvings and a great iron sword said to be 600 years old . Along with the carvings and artifacts , Pak Tai Temple has many hidden tunnels to explore . neutral +The winding wine route is well signposted ; its charming medieval and 16th-century villages and castles ' such as Haut-Koenigsbourg and Kaysersberg ' make it the prettiest vineyard tour in the country , best of all during the October wine harvest . The wine route has castles from the 15th-century . neutral +Keeping the peace in the Taiwan Strait must be the United States ' top China priority . Someone said keeping the peace in the Taiwan Straight should be low on the agenda for the US . contradictory +oh this this comes with the blade on it you mean uh-huh The blade is about a foot long and spins at thirty revolutions per minute . neutral +they do so they 're getting paid They are volunteering to do it . contradictory +no they 'll they 'll ask for a handout first No , they 'll ask for a handout before they come . neutral +I 'll do it . I 'll commit the act . entailment +It was opened promptly , he said a word or two to the doorkeeper , then passed inside . He made small talk before entering the room . entailment +The following presumptions are useful in judging the competence of evidence . Presumptions can be useful in judging the evidence . entailment +Reaching around back he drew his off-hand dagger from the sheath at the small of his back and another blade from the top of his left boot . The warrior pulled out two weapons . neutral +But his heart is clearly with the ancient Chinese philosopher Lao-tzu , who Without law or compulsion , men would dwell in harmony . Lao-tzu is only famous for being a farmer and improving cooking methods . contradictory +My daughter is an only child , which makes me part of the problem . My daughter is part of the problem since she is an only child . entailment +How due , exactly , could that diligence have been ? The due diligence was very high . contradictory +how is how is apartment dwelling living in terms of general privacy and noise and things like that Is there a lot of noise and a lack of privacy in apartment living ? entailment +Newsweek says Starr 's post-Paula Jones case may be stronger than it looks , reporting that 1 ) Betty Currie spent four days in a hotel room with FBI agents working for Starr in the days after the Monica story broke and 2 ) Frank Carter ( Lewinsky 's first lawyer , who helped prepare her denial of a relationship with Clinton ) may have to turn over documents and testify--a significant exception to attorney-client privilege . Starr 's case seems to have no hope of making it to trial . contradictory +i think that uh it does goes a lot toward uh you know like you say it gives people a kind of a makes them insensitive to it and It makes people very sensitive to that . contradictory +If something akin to Perhaps something related to . entailment +Rugby and football ( soccer ) are played at the Lansdowne Road venue in Ballsbridge , and traditional Irish game of hurling at Croke Park . Rugby isn 't allowed to be played at the Lansdowne Road venue . contradictory +The prevailing view is that the high growth of business mail reflects the healthy growth of the U.S. economy . Growth in business mail is not correlated with the growth of the U.S. economy contradictory +Visit the voting site to register your vote--it is open to all Slate subscribers . The voting is held on a secure website . neutral +In doing so , the Congress will still need to hold agencies accountable for the homeland security missions that are not incorporated in the new department . In doing so , congress will need to hold agencies accountable for missions of homeland security . entailment +He was an easterner who taught the fourth emperor . He never met the emperor . contradictory +The final rule is intended to improve fund prospectus disclosure and to promote more effective communication of information about funds to investors by focusing the disclosure on essential information . The final rule intends to foster more communication but not better fund prospectus disclosure . contradictory +um but now nowadays they can 't even they can barely scold the children for something you you know without getting sued Sometimes , children deserved to be scolded when they break the rules . neutral +oh yeah the oranges here look disgusting so The oranges here look great . contradictory +So far , Campbell and Frank have enlisted only 34 co-signers , and the administration shows no signs of paying attention . Campbell and Frank have found a total of 60 co-signers . contradictory +yeah no neither do i i think it should be completely optional and you know If it won 't become completely optional , the system will fail . neutral +Thus , saving now and making meaningful Social Security and Medicare reform sooner rather than later are important . Social security needs help neutral +Otherwise , take the main Alicante-Valencia road , which passes inland through rich , agricultural country to Gata de Gorgos a town noted for cane , basket-work , and even furniture and rural Javea . The basket-work of Gata de Gorgos is famous . entailment +India comprises a diamond-shaped subcontinent that stretches over 3,000 km ( 1,800 miles ) from the Kashmir mountains in the north right down to Kanyakumari , or Cape Comorin , on the Indian Ocean . The subcontinent of India is extends in a diamond shape from the Kashmir mountains down south to the Indian Ocean . entailment +yeah the family structure in general is being really restructured from one income to two incomes which means from one parent to two part-time parents if you 're lucky um People have to split incomes in order to be successful in life . neutral +and so she 's going back for that and so i i i 've got three people i 'm supporting in in school now and i guess i ought to go back myself i 'm getting enthusiastic because they they 're having so much fun you know I 'm supporting three people in school . entailment +I am vexed by this connection now that I know the real messiah is ... The identity of the real messiah has led to a vexing connection . entailment +Call the Education Centre at Tel . 404 45338 for more information . You can call the Education Centre . entailment +Enteringthemaincourtyard of the temple , you will findaperistylehall ( with onerowofsupporting columns ) decoratedwith flutedcolumns that werecommissioned by the Queen Hatshepsut , andseveralimpressivestatuesofRamses II in black and red granite.Perhapsthemostfascinating element of the hall is the Mosque of Abu El Haggag which was built within the temple complex to protect the tomb of a 12th-century descendent of Mohammed 's brother-in-law . The temple had fountains and gardens inside the courtyard . neutral +The Sultanahmet district occupies the summit of the first of the Old Citys seven hills . The Sultanahmet district has many government buildings . neutral +Title 7 of GAO 's PolicyandProceduresManual , section 7.4.E. The 7th title of GAO 's manual concerning Policy and Procedure . entailment +With the nanny , you know what to expect . You know what to expect with the nanny . entailment +It 's anyone 's guess what may happen in the future , but for now Hong Kong bristles with energy and ambition , and for the visitor , this beautiful city with its contrasts and variety is an exhilarating experience . I wouldn 't recommend going to Hong Kong . contradictory +Training programs have proven more effective than others . Training programs seem to have had better results than others . entailment +Ha ! said Tommy . Tommy didn 't say anything . contradictory +Many of these elegant Renaissance houses now serve as museums and libraries . You can tour 8 Renaissance houses in Paris alone . neutral +And the biggest question may be to what extent evolution is divergent or convergent . There are many questions about evolution but this is the most important one . neutral +Authority to acquire information processing resourcesDelegation of up to a specified limit , issued by GSA in response toProcurement an agency procurement request . The agency has a procurement request for mineral rights . neutral +match just right and the only bad news was my husband would have to go to a garage and pick them up pick the bolts up for him My husband was happy that he had to pick up bolts at a garage . contradictory +you lost your business oh God what a nightmare It 's deeply inconvenient to lose a business , and I 'm glad you never had to deal with that again . neutral +Serb and Israeli cities made themselves sister cities . Serb and Israeli cities are sister cities . entailment +especially now Particularly currently , this is the case . entailment +Now , you kids , you stayin ' in town ? " Are you kids going to stay here ? entailment +we yeah that 's that 's actually where this happened to me out in i say Plano but it 's all the same to me Richardson over on Campbell and Park Hill there 's a uh new recreation center They just opened a new recreation center on Campbell and Park Hill . entailment +DiClemente added that his study was also for both groups and most primary care studies involve non-injured patients . Diclemente insisted he studied just one group . contradictory +It 's possible that one of the reasons they didn 't phone Brandon was that Lana went with Tom and John . Lana went with Tom and John , so that might be why they didn 't call Brandon . entailment +The rates vary greatly from 0.25 percent to 2.75 percent , depending on the bank you choose . The rates are dictated by law , and thus , invariable . contradictory +He had to , said the Kal . The Kal said that it was necessary for him to . entailment +Continuing down High Street , you will walk past several stores selling highland dress and cashmere before you reach John Knox House , on the left side of the road . The John Knox House is located along a road with shops . entailment +8 IRS ' systems modernization challenges include completing a modernization blueprint to define , direct , and control future modernization efforts and establishing the management and engineering capability to build and acquire modernized systems . There are challenges regarding modernization in 8 IRS systems . entailment +At the end of the trail is a cove and reef where the freed turtles await swimmers and snorkelers . A pathway leads to an isolated beach area where swimmers and snorkelers can interact with turtles . entailment +Want one ? I could give you one if you want a piece . neutral +I realized a lot of things as we traveled . While we were travelling , I realized many things . entailment +Do you want to do a lot of driving or restrict your trip to destinations easy to reach by train ? Train is the best way to see the most attractions . contradictory +ooh that 's about uh ten too many you can 't have more than ten neutral +Lebed , or whoever emerges from the wreckage . None of the people who emerge from the wreckage . contradictory +About two full-time staff positions will be lost along with other cuts in staff hours . New people will be hired to fill the vacated positions . contradictory +How 's that for clever little Tuppence ? " Is Tuppence satisfied ? neutral +Time seemed to slow as he moved in , his mind moving faster than the battle unfolded . In a short time he would know they had lost the battle . neutral +I don 't remember , I said . I said I don 't remember . entailment +The Autun tympanum 's rich carving of Jesus presiding at the Last Judg ? ­ ment is full of vitality . The Last Judgement is an act associated with Jesus . entailment +the guys average guys can 't really go out in the in the garage and do a whole lot of repairs uh Average guys can just go out and get repairs done . contradictory +it the it the rate was either down or up depending on what i was doing and it it was great i mean i i could The rate fluctuated depending on what I was doing . entailment +Jon had shot his way out of situations like this . Jon knew just how to get out of this situation . entailment +With the overseers they have , you couldn 't even turn yourself back to the Satheri , though I 'll admit I 'm hoping you don 't want them to find you . " " And I was beginning to think you liked me , " Dave commented bitterly . The Satheri have a long-time rivalry with Dave . neutral +um-hum yeah but it up in New York it 's cold till about June New York is cold a lot . neutral +It shows the number of new problems reported and the number of problems closed in order to show a trend over time and to show any backlog that may be developing . There isn 't any history of the problems . contradictory +The security officers at the computer vendor said that because the company 's information security policies emphasized user behavior , they were included in the organization 's employee code of conduct . The company 's security policies are included in the employee code of conduct and in the break room . neutral +During football and basketball seasons , the University of Nevada , Las Vegas fields teams in both sports . There is no college in Las Vegas . contradictory +The old Warner Bros. gangster morality tales were always said ( by the gatekeepers ) to represent the American gangster film in its glory , but these morality tales are completely absent from the AFI 100 . Tales of morality filled the AFI 100 . contradictory +The endless obstacles to confirmation deter the best According to Mackenzie , the presidential personnel office must frequently offer a job to its fourth or fifth choice because the top candidates don 't want to endure the inconvenience . Since five years ago , the presidential personnel office has not offered a job to its first choice candidate . neutral +The barber finally removed the cloth with a snap and bowed . The barber hide the cloth away . contradictory +I 've got to say something . " It 's important that I say something . neutral +She was a goddess . She was beautiful . entailment +Brave new world . Old scared world . contradictory +The story comes from one Susan Susan gives them the story . entailment +you know when i actually started working full time and i i got married shortly after getting out of high school i uh thought i was smart ran away and got married and uh i remember there was a time and within the first year of marriage i said boy wouldn 't i give to get be back in school I got married when I was young . entailment +But the enormity here is so daunting . There doesn 't seem to be a way to overcome this daunting task . neutral +I had everything I could want . I possessed nothing . contradictory +Specter , for example , pushed for the House to drop its Flytrap inquiry but , once Clinton was impeached , became an adamant supporter of a trial . Specter did not believe in putting executive branch officials on trial . contradictory +A story describes the breakthrough period of Muhammad Ali . The breakthrough period of Muhammad Ali has been described , said the novelist . neutral +Lalley remembers calling a meeting of managing partners of all the big law firms in town to deal with the cutback . Lalley remembers calling a meeting of managing partners , all of which were from large law firms . entailment +Modern America , however , is a hugely unequal society in which anyone can achieve awesome success , but not many actually do . The success of an American relies heavily on two things , ethnicity and their will to achieve great things . neutral +Additional comments , data and analyses were received after the close of the comment period and that the EPA considered such information in developing test procedures , cost estimates and lead time . After the closing of the comment peroid , Data and analyses were received . entailment +Nor was a common start or end point identified for design review as an element of the facility acquisition process . A common start or end point was identified . contradictory +'Get him for me , Daniel , ' I said . I 'm going to track him down for Daniel . contradictory +There was a swish of full skirts , and he looked up at a girl . He looked up but did not see anyone or anything . contradictory +Thus , programs will be measured not only on their individual contributions to regional and state planning , but also on the quality of their region 's accomplishments . The state is expected to receive contributions from the program . entailment +For example , we have successfully worked with a variety of agencies on Y2K and with IRS to face management problems and improve government operations . We have worked with people regarding Y2K and the IRS . entailment +The first casualty is Brazil , whose fat public pension program is eating up government resources . The bloated public pension program is eating up government resources in Brazil . entailment +The two authors might want to reread their original WSJ article , which Assume that after-tax earnings are a reasonable estimate of the cash flow from a stock . The authors wrote a WSJ article about stocks . entailment +I am Chris Whittle , the one true God . Chris Whittle is my name and I may be the one true God . neutral +Over the next two centuries , Cairo became a center of culture and learning that was unsurpassed in the Islamic world with the establishment of the renowned El-Azhar University and mosque . Cairo became a center of culture and learning in the Islamic world surpassed only by the city of Alexandria . contradictory +Indeed , for many visitors Osaka is more truly Japanese than Tokyo , having a more distinctive flavor and character than its sprawling rival to the east . Osaka is viewed by most visitors as being far from a truly Japanese region . contradictory +They should be mining . They shouldn 't be mining . contradictory +The value of a life year varies based on the age at death , due to the differences in the base VSL between the 65 and older population and the under 65 population . There are large differences between someone over 65 and someone under 65 . neutral +We 'll describe the major attractions so that you can plan your itinerary , though do remember that the countryside is filled with hidden treasures , traditional communities , frescoed churches and mountain paths . The countryside has many hidden treasures . entailment +Then it 's off aboard the coach into the reserve 's safari park to see these animals , as well as others , roaming freely . In the safari park , the animals are chained or caged up for safety . contradictory +A whipmaster fell a great distance away . The whipmaster fell off his horse a great distance away . neutral +are strategically located around town , often in more than one location . They are located for maximum ease of access . neutral +These two principles provide the foundation for the CIOas effectiveness in carrying out the CIO organizationas specific responsibilities . The foundation is very strict and up to date . neutral +It has always been work--endless work . The work is endless and tiresome . neutral +I & gt ; n cases labeled as serious physical abuse , the reported injury could be mental or emotional . There are no reports of injuries or trauma 's provoked in this way . contradictory +The recent union with England was the inspiration for street names such as Rose and Thistle . Rose street was not inspired by the union with England . contradictory +The law will not impute such a purpose to Congress . It won 't be attributed to congress because it would make congress look back . neutral +so anyway i think our society is just worse off than i realized that 's what i thought I believe our society is worse off than I thought . entailment +and he was there to paint the French doors also um and if you 've ever painted French doors which my husband just finally said he wasn 't going to do All of the doors there were in the French style . neutral +'You 're sure you can be ready so quickly ? ' Peter Greuze asked , from behind his gigantic desk . Peter was sitting at his desk . entailment +I had expected that answer . I saw that answer in a crystal ball . neutral +that 's true but you know i always thought American cars weren 't any good but i uh rented a car i rented a Ford Taurus and i was impressed i really liked it The Ford Taurus I rented was actually quite satisfactory . entailment +uh steel one for metals Metals wont work in other ones . neutral +Behavioral risk factors in emergency department a multisite survey . The multisite survey is going to be the first of many attempts to research the matter more thoroughly . neutral +And each year at festival time , Edinburgh willingly gives its streets over to stilt walkers , automatons , satirists , and barbershop quartets along with 500,000 visitors belying its reputation for being sober and staid . With all the people and activity , Edinburgh is quite chaotic around festival time . neutral +A huge variety of hand-made goods finds its way into the city from towns and villages all over Turkey , much of it of very high quality wool and silk carpets , kilims ( flat-weave rugs ) , cicims ( embroidered kilims ) , leather goods , ceramics and pottery , copper and brassware , and jewellery . The women of Turkey make higher quality hand-made ceramics and pottery than do the men . neutral +While many gambling halls opened Downtown in the 1930s and early 1940s , only two were built on the stretch of old Los Angeles Highway that ultimately became the Strip . Most of the gambling halls were not build on the stretch of Los Angeles Highway that would become the Strip . entailment +The empire was further diminished by the loss of North Africa and Italy , and was brought to the brink of civil war by the Iconoclastic Crisis , before enjoying another brief golden age under Basil II ( 976 1025 ) . North African and Italy came close to civil war . entailment +In addition , the Inspector General has said that GSA 's organizational structure does not seem to match the responsibility for managing programs with the authority to do so . GSA 's structure is different from others who manage government agencies . neutral +yeah they 're not to shabby they 're pretty good I thought they would be bad , but they are actually pretty good . neutral +If it 's on the menu , try sopa de pescado ( fish soup ) or sopa marinera ( seafood soup ) . Sopa de pescado is a special order not on menu . contradictory +What put her up to clearing out ? The clearing out is her moving away . neutral +These require a little more thought , good equipment , and some form of refreshment such as a packed lunch ( these can often be prepared by your hotel ) as they often take an entire day to complete . The ones that require the full day to complete will often require a packed lunch . entailment +The Lake District is rich in mineral deposits that have been put to good use since ancient times , and throughout much of the region 's history , mining was a major industry . There has never been mining in that district . contradictory +My dear young lady , I can do nothing more , I fear . I will not be able to save her . neutral +Immigration , landlord-tenant disputes and even criminal cases are the specialty of his East New York Legal Services Corp. on New Lots Ave . He does pro-bono work with the East New York Legal Services Corp. entailment +The worst part of it was that Uncle David could make good on his threat of seeing that Dave got no more work anywhere . Uncle David was very popular in the town , it gave him the ability to make sure that Dave couldn 't find any more work . neutral +The park features a monumental sculpture ( by local artist Kitamura Seibo ) that stirred considerable controversy when unveiled in 1955 . The park featured a monument that stirred no discussion . contradictory +One of the remaining buildings seemed to be a hospital , and the empty space in front of it was crammed with people . The people in front of the building were injured and needed help . neutral +Someone else made her trash her house and scrawl imprecations on the walls , but cutting her wrists , she says , giggling , was all her own work . She was forced to cut her own wrists by someone else . contradictory +When viewed from the perspective of federal saving and the economy , the growth in total Medicare spending will be become increasingly burdensome over the long run . The administration feels that curbing Medicare spending is in the best interests of the country as a result . neutral +we went to see Avalon and uh i really was not that impressed with Avalon it uh We went to the theater to see Avalon , but I didn 't like it very much . entailment +Given how many lawyers must have vetted this thing , it 's probably an achievement that Mann got as much as he did on the screen . A number of lawyers that are vetting this thing are many . entailment +But corporations enjoyed a huge The stockholders had to do so only if they were assessed special dues or fees . The stockholders only had to do it if there were fees included . entailment +Down to earth , the Sha Tin Racecourse can accommodate over 80,000 spectators and is equipped with every imaginable luxury , including a giant video screen facing the stands , and for the horses , air-conditioned stables . The Sha Tin Race course is the site for the world championship of horse racing . neutral +( The book in the lion 's paw that you see all over Venice is Pax tibi , Marce evangelista meus , Peace unto you , my evangelist Mark . Pax Tibi is the most well known landmark here . neutral +Today it stores land-registry papers and is the haunt of solicitors and professional researchers . It 's a favorite place for solicitors and researchers . neutral +Economists are as guilty of this hubris as are members of any There 's the Fischer Effect , the Sharpe Ratio , the Miller-Modigliani Theorem , Tobin 's Q , the Laffer Curve ( the only one in which the name helps characterize the discovery ) , and the greatest of them all , Pareto Optimality . Economists think they know everything because they have a degree . neutral +The holder in due course must have met the legal requirements of presentation and delivery of the instrument to the maker of a note or acceptor of a draft and must have found that this legal entity has refused to pay for or defaulted in payment of the instrument . The holder must prove that the acceptor refused to make payment . entailment +Universities , unlike high schools , are not unitary social structures . Universities aren 't so clique driven like high school . neutral +yeah yeah those are pretty good i i like those old ones much better than some of the new stuff Older versions of things are always better . contradictory +56 The 12-step arm of Project Match had the best outcomes in the study , regardless of matching considerations . The 12-step arm has more than 11 arms . neutral +In the federal arena , including federal programs managed by state organizations , computer-assisted activities must be implemented consistent with all protections of the Privacy Act of 1974 , as amended by the Computer Matching and Privacy Protection Act of 1988 , and other privacy statutes . Studies show that those responsible for implementing federal programs often ignore the Privacy Act of 1974 . neutral +Poirot had placed our two chairs in front of the open window which commanded a view of the village street . Poirot put our chairs in front of the door so we could run out quickly . contradictory +Newsweek looks at how children deal with A child who has lost a parent feels helpless , even if he 's a future King of England ; abandoned , even in a palace with a million citizens wailing at the gates . Losing a parent has negative effects on children . entailment +They 'll all live forever . They will die someday . contradictory +Although the blinds were up , the window itself was shut , so I couldn 't catch a word of what they said . Through the open window , I heard everything of their conversation contradictory +The tenants feel very frustrated , said Bohlen , 40 , who owns his mobile home and pays $ 280 a month to rent the lot . Bohlen is an attorney , not a mobile home owner . contradictory +T 'other that sure was kinda queer how we got that . We got it through a donation from a wealthy anonymous businessman . neutral +He introduced them to the doctor . The doctor was introduced to them by him . entailment +Such creatures did not do well in caves . The caves were too dark for the creatures to see . neutral +This arcaded palace , with its garden of lime trees and beeches and a pond where the young Louis XIV nearly drowned , has a colorful history . Louis XIV drowned in a pond at the arcaded palace . contradictory +yeah so i mean things have just really gone out of sight in the last uh i guess about the last ten years Things have gone out of sight in the last decade , but its good . neutral +For example , management approval was needed before individuals could share information about potentially sensitive incidents and vulnerabilities . Management approval was not needed to submit a report contradictory +This is usually accompanied by the laouto , a variation of the mandolin ; the askomantoura , Cretan bagpipes ; and the habioli , the shepherd 's flute . The askomantoura were ancient Persian flutes that could produce marvelous sounds . contradictory +The submarine , the sinking ship , every one to take to the boats and so on . The took to the boats because vampires can 't cross water on their own neutral +Raines reportedly heard messages from Clinton on Lewinsky 's answering machine . Raines had failed to hear any messages from Lewinsky 's answering machine . contradictory +yeah yeah it 's scary Eventually you get used to it . neutral +1 shows one way to present this kind of analysis . The analysis was shown in two ways . contradictory +The problem is that I don 't want any neighbors having a key to my apartment . I want my neighbors to be able to get into my apartment . contradictory +Why come here ? The torrent has started already and many other southern villages surely draw the interest of bandits . There were villages in the south . entailment +5 ) Our cafeteria contractor , Marriott , has agreed to allow ISM editorial folks to reserve tables upstairs in the Euro Cafe . No one else is allowed to reserve the upstairs tables . neutral +His arm jerked back and snapped forward . He was jerking and snapping from a seizure . neutral +yeah well i have i guess about said what all all i can think of to say I can think of some other things , but that 's all I 'm going to say . neutral +Two of his females were still pregnant . None of his females were pregnant . contradictory +It also has a fine collection of bronzes from the ninth to the 12th centuries . The bronzes are mostly in the form of sculptures . neutral +programs that have addressed the same concern . Programs addressed the concern about legal service abilities . neutral +Once it arrives in the sentence , even reversing the previous three gets you nowhere . You can always reverse it ! contradictory +Scenes in the film Cocktail ( starring Tom Cruise ) were filmed in the cascades . The cascades have been used several times as a filming location for major Hollywood films . neutral +In 1681 , when fired as a birthday salute in honor of the Duke of Albany , Mons Meg burst her barrel and was retired from active duty . The gun burst her barrel . entailment +Comptroller General Aof the United States The general comptroller entailment +Wright didn 't do much Wright did not do a lot . entailment +I think she will . I believe she will do this tomorrow . neutral +The Kal 's lower jaw moved in two parts , each pulling up on the left and right sides of his face . Kal 's jaw had been broken in a fight . neutral +What time was that ? What time was that yesterday ? neutral +But it 's Dinsmoor 's niece , Estella , who becomes the focus of Finn 's fantasy life--and art . Finn was so enamored with Dinsmoor 's nephew , Esteban . contradictory +yeah every year i try and catch that I try to catch a fish every year . neutral +If you missed the sidebar about the one good reason to support Barry , click . The sidebar contains multiple reasons to support Barry . neutral +'All right , Mr. Franklin , ' Greuze said . Greuze gave Franklin the okay . entailment +From Basse-Terre north , the leeward coast ( c ? ? te sous le vent ) has a few small beaches of black volcanic sand and some picturesque paraphernalia of the fishermen who favor these waters . The fishermen of leeward coast have never been seen in real life . contradictory +The kind of information insurers require to cover these services includes necessary frequency of treatment , types of providers best suited to provide treatment , an ironclad case that the intervention is effective , a consensus in the professional community around the intervention , and an ability to guard against the potential for fraud and abuse . That information requires insurers to cover services necessary for treatment . entailment +To the right , Adrin cleaned one of his pistols . Adrin let his pistols remain dirty . contradictory +However , the royal family 's triumphant return three years later , with the rebellious nobles crushed , saw the monarchy stronger than ever . The triumphant royal family saw the monarchy stronger than ever . entailment +um are no good anymore and that 's how bad it was everything is just down everywhere you know we had three hundred thousand people without power The conditions were poor because there were around three hundred thousand people without power . entailment +I have learned to find my way around better , although that is still a problem and I think that a technology that can deliver so much information should be able to provide better guidance on the screen and not require reference to a printed magazine . Technology has developed a perfect way to give directions so I haven 't gotten lost in years . contradictory +But suggest that negative behavior might be genetic too , and dog nuts--and , increasingly , their lawyers--declare that this is like saying Jews are naturally greedy or that laziness is a genetic trait of blacks . Suggestions are made that pinpoint negative behaviors in animals and humans alike are genetic . neutral +i didn 't know I had no idea . entailment +You fight better with those sticks than you did with the teatsword , remarked the Kal , grinning his awful grin . Kal had an beautiful grin . contradictory +We were there . " We weren 't really there . contradictory +Two sugars , if you have them . ' Two sugars in my tea if you have them . neutral +and i knew that they had presented an extremely slanted viewpoint I thought that they were being very honest . contradictory +I 'm going to count five , continued Julius , " and I guess , if you let me get past four , you needn 't worry any about Mr. Brown . Julius was threatening that he would take care of Mr. Brown entailment +The majority of the equipment used for an ACI system is produced from standard mechanical or electrical hardware that is sold for a wide range of purposes . Most of the equipment used for an ACI system is fairly standard material . entailment +support of the development process . No support is available during the developmental process . contradictory +Some very expensive VR equipment had been found in her house , smashed almost beyond recognition . There was some low grade VR technology in her house , but none of it was even touched . contradictory +yeah yeah well where uh where did you go to school Where did you attend school ? entailment +The work by the Larimer County Bar Association has been going on for 18 years , and in that time several thousand clients have been served . Most of the several thousand clients served by the Larimer County Bar Association were happy about choosing it . neutral +More pervasive changes would seem likely , but it is not clear what they would be . More pervasive changes are needed because the system is failing . neutral +On January 3 , 1997 , FDA published a summary of its Initial Regulatory Impact Analysis in the preamble to the proposed rule ( 62 Fed . The FDA published six different summaries in 1997 . neutral +so a little different and i wanted to do this thing that you can get through Target to recycle i had my school do it I didn 't want to do anything with recycling . contradictory +I 'm sure we all did the best we could , although many participants , absorbed with the idea of burning heretics , seem to have confused the C of E with the RC , so let 's all reread Barchester Towers and study up on the Gordon riots , with our trousers down around our ankles . Participants were not absorbed with the idea of burning heretics . contradictory +yeah uh but i well i 'm still trying to get all the DMC colors I have most of the DMC colors . neutral +No trail presented itself but Ca 'daan knew the way . Ca 'daan was lost . contradictory +The building is close in , across the street from West High and two blocks from the Gateway . The building across from West High is the Google Headquarters . neutral +One , who had died falling off a bridge while drunk , was curing himself of the shock by remaining dead drunk . He died falling off a bridge while drunk so he cured himself by staying dead drunk . entailment +Recent research estimated that the growth in households ' aggregate net worth over the 1960s and during the early 1990s was roughly equally divided between traditional saving and the increase in the nominal value of existing assets . Recent research estimated that the growth in households ' aggregate net worth did not change in the 1960s and 1990s . contradictory +i can 't remember the last time i saw it i know that um Susan Dey is with Jimmy Smits I watched the last episode on Tuesday . contradictory +and we really have a great time with it i 'm sure that 's the way that you felt with your boys We do not have a good time . contradictory +i know that would be a a definite B V R M I R That would be a definite BVRMIR entailment +yeah well yeah uh we ours is actually very detailed um we we 've got categories for everything and uh we we figure out how much income the both of us are going to have in a month and we take every penny of that and we allocate it under all these different categories unfortunately there 's a big category called miscellaneous Ours has got categories for all subjects and is very detailed . entailment +Long-Term Simulations The computer simulated long-term performance . entailment +but you know every week it gets harder because i could go out and be making money It gets easier every day and I don 't need to go anywhere for money . contradictory +The island of Santorini ( Thira ) is one of the must-see places of the world , for no other reason than because it frames the earth 's largest volcanic caldera . The island of Santorini is not a unique place to visit . contradictory +and growing maybe tomatoes or flowers like right now it would be beautiful in in Maryland you know daffodils are just all blooming so it would be really pretty There are no flowers blooming in Maryland right now . contradictory +uh for this little uh this little uh kid 's a a basketball camp that 's what it is these little kids would come here and uh Coca-Cola had sponsored the uh sodas you know just give them to him told him to give them to the boys well he sold them for something like fifty seventy five cents to these boys when he 's supposed to given them to them Instead of giving the other boys at the basketball camp free Coca-Cola sodas , the little kid sold the drinks to them . entailment +His greatest works are of mythological , religious and historic themes . His greatest works are admired by many across the globe . neutral +that 's true i guess well there 's there 's probably two or three different types of of views as far as the controversy goes i can see where if a life was taken by accident or uh i don 't know what you 'd call it not premeditated or i guess primarily by accident uh there may be cases where the death penalty is not called for but i lean towards if it 's premeditated or if it 's uh Sometimes the death penalty isn 't warranted . entailment +Drew mounted the mule and rode . The mole was mounted by Drew and then he rode away . entailment +As you stroll along its various shopping streets look for significant Islamic monuments . The position of Islamic monuments it 's strategical , in order to enhance the visual attractions . neutral +The town 's other great Roman monument , the th ? ? atre antique , is on the south side of town . This monument is one of the smallest in town . contradictory +She seized hurriedly on the first name that came into her head . She was in a hurry , so she randomly spouted the first name she could think of . neutral +If he or she believes that the data is not fairly presented , the auditor still may issue a clean opinion on the basic financial statements while noting that there are problems with the RSI . The auditor may suggest new research methods if the data is unreliable . neutral +so you are real so all the rest of us are um immigrants All of us are natural born citizens . contradictory +He had been standing and reading a black leather book he had found . He was leafing through a book he had . entailment +yeah that that is pretty unusual and you really take notice of it too uh It is a rare phenomenon , and it is beautiful too . neutral +I felt my fists clench- My fists came loose as I calmed myself down . contradictory +They used to force us into cubbies carved into the rock only slightly bigger than we were . They used to force us into cubbies that were only slightly larger than us to prepare us for slaughter . neutral +No , this is just a story . Nah , just a story is what it is . entailment +I said , ' I suppose it 's about lunch time . ' I said , ' We got to be getting back to the house . ' And he said , ' Yes . ' And I just went on and then when I was about at the creek I looked around and-- " I said we should go to the barn to sleep for the night . contradictory +The French people ' despite occasional rumors to the contrary ' welcome tourists and are eager to show off their country , their way of life , their traditions , and their beliefs ; in short , their essential joie de vivre . The french people are very egocentric about their culture . neutral +Other papers are shrinking content The papers are scaling back their content . entailment +CURRENT DISCOUNT RATE - With respect to the modification of direct loans or loan guarantees , it is the discount rate used to measure the cost of a modification . The discount rate is what is used to measure the cost of a modification . entailment +Boris , you will see to that . " Boris asked a question : " Via the Irish Americans , and Mr. Potter as usual ? " Boris you will do that , with the Americans and Mr. potter ? entailment +no i served on on both a criminal and a a civil um jury and in my criminal trial he pled guilty um to the first to to kidnapping and so we went through the second part of the trial because in Texas there are two parts first of all to find if they are guilty or innocent he already said he 's guilty so then then we go through the trial to determine what uh punishment should be meted out Innocence and punishment are decided at the same time in trials in Texas . contradictory +Will you stay , Gray Wolf ? Jon nodded . Jon shook his head and said he was leaving . contradictory +Another dance , the parado , resembles a courtly it is performed in Valldemossa in the square beside the monastery . There is a square beside the monastery in Valldemossa . entailment +If he wants to expose criminal behavior by the president and punish it no matter what--if , in short , he is the vindictive avenger Clinton 's defenders say he is--Starr will sacrifice no advantage . Clinton 's defenders say that Starr is weak and indecisive . contradictory +Given the assumptions and economic drivers in each of the scenarios , the AMIGA model calculates the capital investment , operation and maintenance , and fuel costs necessary to meet consumer demand for electricity . The AMIGA model cannot find the capital investment . contradictory +What he did do was entirely foreign to the sober common sense which was , as a rule , his leading characteristic . His best quality was his common sense and rationality . entailment +um as far as i can tell it hasn 't killed anything it wasn 't supposed to the even the area of the grass that was underneath and around the mounds it didn 't kill it It hasn 't killed anything it wasn 't supposed to . entailment +Although new leisure pursuits are drawing visitors to the Balearics , the primary aim of most summer visitors still revolves around sun and , most of all , water . People in the Balearics are there for the mountains . contradictory +and but i 'm at school i 'm in you know i live i live up at the college I live in a dorm at my college . neutral +uh huh sometimes it might be the candlelight and sometimes it might be the picnic out back or something well that 's you know that 's fun We always do the same thing inside with bright lights . contradictory +It 's also a prime spot for whale-watching during the winter migrations , a popular activity for tourists and locals alike . The whales are mostly blue whales and pilot whales . neutral +If the discovery is what it appears to be , the inside of Mars may still be full of them . The discovery does not point to anything about Mars . contradictory +Now , to turn to another feature , what do you make of the scrap of conversation you overheard between Mrs. Cavendish and her mother-inlaw ? " I know you didn 't hear them talking . contradictory +In case study methods , causality is established through the internal consistency and plausibility of explanation , derived additively through the OTTR sequence . In case study methods , causality will break the data sequence and cause it to loop indefinitely . contradictory +Moreover , there must be a system to identify homeland security funds across the wide range of existing budget accounts and program activities . The system in place doesn 't do an adequate job of identifying the funds when it comes to the existing accounts . neutral +The major phases of the implementation schedule are discussed below . There will be six major phases and three minor phases . neutral +Being poor is no excuse for looking poor . ' Poor people always look poor . contradictory +Some have lived in Israel for generations , but most have arrived ( or are descended from those who arrived ) from every part of the world since the modern Zionist movement began in the late 19th century . In the late 19th century , the modern Zionist movement started happening . entailment +oh it 's it 's real easy to get addicted to them you know you get out on a shopping spree frenzy and uh just charge it all and then you don 't have to write a check or anything They are addictive as you can just charge all of the shopping and go on a frenzy . entailment +Lift at a site rarely exceeds 30 meters ( 100 feet ) and 100 tons . Lift at a site rarely exceeds 20 meters ( 100 feet ) and 1000 tons . contradictory +In some cases , the statements have been affected by later statements or affect earlier statements . The statements are affected by adding additional details . neutral +She was almost certain it was the same man who had got into the carriage next to them . She was not sure if that was the same man who had taken the other carriage . contradictory +A mysterious knock had brought Tuppence to the door of the apartment she was sharing with the American girl . Tuppence ignored the knock on her door as she assumed that was just her Brazilian room mate . contradictory +well not really but i mean it 's uh for the top medium of entertainment I don 't like it , yet it is the most popular entertainment medium . neutral +You don 't really need to pack a suitcase before you travel . Before you travel , you should always pack a suitcase . contradictory +The square is the site of the Ayuntamiento ( Town Hall ) , with a beautiful Baroque faaade designed in the 18th century by Lorenzo Chapuli , a local architect . The Town Hall 's facade features a beautiful floral motif . neutral +um either that or my mom just had some bad seed or something I think they might now have grown because the seeds my mom had were bad , but I 'm not sure . neutral +The most widely seen is hierbas ( which means , literally , herbs ) . It is common to see herbs . neutral +These estimates are conservatively high given that recent FGD systems are operating at near stoichiometric levels8 and additives are commonly used to achieve higher SO2 removal , particularly to enhance the performance of existing retrofits . The estimates are conservatively high . entailment +well maybe maybe we 'll get this question again and can We might get the question again . entailment +okay so i think i think what we should talk about is the the war um the war that just went on see i don 't agree with it first of all i don 't believe in war i want to talk about how much I agree with the war . contradictory +Additional pressures from arriving miners pushed the missionaries ' plight beyond recovery . Arriving miners only served to reinforce the strength of the missionaries . contradictory +That year marked the high point for Kosovar aspirations to independence , and it remains the benchmark for NATO 's demand at Rambouillet for a restoration of Kosovo 's pre-1989 autonomy . Kosovar 's aspirations to become independent were at their highest that year . entailment +He died in 1371 and was succeeded by his nephew , Robert II . Robert II died before he could succeed his uncle . contradictory +yeah yeah guess it 's not it 's all you know it 's inexpensive compared to what it used to be but it 's a lot to put into one It 's cheaper than it was before but it 's still too much . entailment +While tropical fruits and vegetables abound , along with a satisfying variety of fresh fish , much food in the FWI is imported , primarily from France . Food is often imported from France to the FWI . entailment +Because these changes occurred in 2000 and 2001 , it is too early to determine how effectively they will be put into practice . The changes which occurred in 2000 and 2001 were positive changes . neutral +Unless Sir James was actually caught in the act , so to speak , I knew Mr. Carter would never believe it of him on my bare word " Mr. Carter wouldn 't believe me unless he saw Sir James himself . entailment +120 With a sigh , Cynthia flung herself down , and tossed off her hat . Cynthia had gone through a rough day . neutral +it 's it 's difficult It takes a long time . neutral +GAO devotes a limited portion of its resources for research and development that enables GAO to GAO devotes its resources for research and development . entailment +This doesn 't necessarily mean that you 'll have no view once you start climbing , however . You might have a view when you go up at least halfway up the mountain . neutral +Of these , the most well known is Jains ' Zaveri Bazaar in Mumbai , where antique gold is sold . Antique gold is sold at the most well known of them . entailment +Well , there wasn 't much to tell not till we 've seen him . When we 've seen him , we had something to tell . entailment +The 1960 World Book says that means Missouri supports itself and the United States , although it looks more like a poster for animal boxing , which might be the state sport of Missouri . Missouri is not included in that book . contradictory +In despair , she slashes her wrists and ends up in a hospital , where she attempts to explain her bond with the killer to a psychiatrist ( Stephen Rea , with an incongruous New York accent ) . With a broken heart , she tries to commit suicide , and fails . entailment +On the north side of Les Halles , another monument of the Renais ? ­ sance period , although decidedly Gothic in silhouette , is the church of Saint-Eustache , remarkable for its beautiful stained-glass windows over the choir . The stained-glass windows depict various scenes from the Bible . neutral +i don 't really get into that naturally i 'm married so my husband goes a lot and we 'll go and and just do what we want to do and then leave I am married , so I never get the chance to go . contradictory +The official Clinton spin , from attorney Bob silence . There was no spin from Clinton . entailment +Annette and I didn 't know what was going to happen to us , said Tuppence . Tuppence knew exactly what was going to happen to Annette . contradictory +and so there was quite a difference there They were all pretty much the same . contradictory +Some former East Germans , however , complained of ongoing economic inequities and the wall in the head that still divides the country . The wall in Germany serves as a division . neutral +Also , GAO will give agencies and other directly affected parties the opportunity to officially comment on a draft report to which they are a party ( other than reports that largely reflect prior GAO work ) . GAO will give agencies the opportunity to officially comment on some draft reports . entailment +Personal Communication with Bob Thomas , Norit Americas , September 6 , 2001 . They had a personal communication with Bob Thomas . entailment +for for automobile insurance i had no idea I did not know how much should be charged for car insurance . neutral +In 1991 , the American Historical Association criticized Oates for not adequately footnoting his use of Thomas ' book . The AHA criticized Oates in 1991 . entailment +Volcanoes National Park has active lava flows flowing to the sea at the end of the Chain of Ceters Road . There are no active volcanoes in the Volcanoes National Park so you won 't see lava nearby . contradictory +Athens died last year . Last year , Athens died . entailment +Always ignorance . Always understanding . contradictory +When agencies lose major accounts , they often fire nearly everyone involved with the account . People get hired when agencies lose major accounts . contradictory +Also , Saddam is taking advantage of the current Arab backlash against the United States , sparked by the latter 's failure to broker a peace settlement with Israel . Saddam is utilizing Arab anger at the United States . entailment +you can kind of catch up they catch you up you know with the second one but if you miss the second half you 've missed the whole you know outcome and oh it 's frustrating You can still get away with watching just the first half . contradictory +We are inundated with prison pop culture--with directors , documentarians , TV producers , and writers who have gone up the river and returned with tales of rapes and cavity searches and shanks and pigs . Prison pop culture is popular . entailment +The dignity to which the town aspires is there in the simple interior , illuminated by the magnificent Mantegna triptych ( 1459 ) on the high altar ; two of its panels are in London . The Mantegna triptych is on the high altar . entailment +It has a number of bridges spanning its route , creating a shadowy , dark , and almost somber appearance . It has a dark and somber tone . entailment +Find the bus station on Sultan Suleiman Street between Nablus Road and Saladin Street . The Suleiman Street never had a bus station . contradictory +The foaming action of baking soda in this case makes all the difference . The foaming action that happens when you use baking soda on stains really helps / neutral +well i think that the trial in a sense is kind of a threat to hold over people to try to get them to reach an agreement out of court because it does cost so much money Because trial costs are so high , they can be used as leverage over people . entailment +You deny absolutely having purchased strychnine from Albert Mace on Monday last ? You say you didn 't buy strychnine from Albert Mace but you know who bought it ? neutral +and and uh again like you say there was and you are still a student and there 's so much more you could have learned and but i i i don 't know i think discipline i guess if i were to look at one thing we 've lost well kids used to have a respect for the teacher i guess at one time but i think we 've kind of lost that in out school system and i 'm not really sure how to get it back i say discipline and that might be the wrong choice of words but it All students are respectful of their teachers . contradictory +annual basis in DOD , strong incentives exist for the program office to make optimistic assumptions about development cost and schedule . There 's every reason to believe that funding won 't be an issue for the development schedule . neutral +Adrin and the Kal spent much of the walk back to A 'deem 's home in chatter . Adrin had much news to report to the Kal . neutral +New Silicon Valleys have sprouted in places such as Boise , Idaho ; Cambridge , England ; and Bangalore , India . The Silicon Valley in Cambridge , England has created several great startup companies . neutral +The preambles also cited OMB 's clearance requirements , though not specifically 44 U.S.C. 44 U.S.C. was not cited since it was not relevant . neutral +Even the burning of the venom was gone . The venom would not leave him . contradictory +The itinerary for a first visit to France is bound to include Paris . Paris is usually in a first timers French itinerary . entailment +However you fiddle with the rates , there will always be a perceived penalty on somebody . People are always upset at the rates . neutral +Postal density is the number of delivery points that can be visited by the carrier in one hour of time , excluding loading time and the variable portion of access time and the variable portion of travel time to and from the route . Postal density is how many delivery points a carrier can visit in one hour . entailment +hi Gary hi today is uh Saturday have you found spare time to do any hobbies hey today is Sunday how come you have no spare time for hobbies contradictory +The marriage contract pours a sea of benefits and obligations into a single I do . Saying " I do " is the acceptance that the marriage is over . contradictory +We organized . The people got organized . entailment +Perhaps their feelings of increased loneliness are reflections of a deepened understanding of the human condition . They may be trying to analyze the human condition . neutral +On the other hand , while Armenian groups struggle for official notice , they are not yet requesting official apologies . Armenian groups have not had to struggle for official notice . contradictory +Geographically if not temperamentally part of the Left Bank , the Palais-Bourbon is the seat of the Assemblee Nationale ( parliament ) . The Assemblee Nationale meets in the Palais-Bourbon . entailment +very old he had Alzheimer 's he 'd been like a vegetable for a year and the hospital said oh we have to put in a pacemaker and you know wanted to prove approval for it and all this sort of stuff and eventually He has Alzheimer 's , but he can function perfectly in most respects . contradictory +The American Dream is alive and well here , but it has little patience for losers . The area is bustling with activity and opportunity , but its lifestyle can be very demanding of its residents . entailment +The Florentine artist was just 25 , and justly proud enough to append his signature ( the only surviving example ) , visible on the Madonna 's sash . Since a religious fanatic attacked it with a hammer in 1972 , the statue is protected by bullet-proof glass . The statue is protected only by a security guard . contradictory +oh yeah definitely i i 'm i 'm a little bit shocked to what the US has done in terms of selling to Iraq in the past ten to fifteen years yeah i think we we kind of shoot ourselves in the foot that way too it 's bad enough that the Soviets do it I 'm a little shocked at what the US has done to Iraq . entailment +and u h it was it was a pretty neat little program we 'd just go out and they would buy a plot of land and contractors and builders and everybody else would donate their their time It was a pretty good program where a plot of land was purchased and people volunteered their time and talents to build a home . entailment +As at Garda , a mild climate nurtures luxuriant vegetation in the villa gardens and parks . The tropical weather made for a lush jungle that was difficult to travel through . contradictory +Saving the surpluses would allow the federal government to reduce the debt overhang from past deficit spending and enhance future budgetary flexibility . Saving surpluses serves no purpose for the federal government . contradictory +In reality , coal-fired facilities , on average , have lower capacity factors . The capacity factors in facilities that are coal-fired tend to be lower . entailment +Bitter rivalries exist between followers of the major religions as well as among the sects within those religions . Most devout people do not agree with followers of other religions neutral +In any case , IBM 's decision was obviously not as momentous as either Morgan 's or Lamont 's , because they were dealing with genuine disasters while Big Blue was responding to a blip . IBM , Morgan and Lamont all made decisions in reaction to perceived problems . entailment +More ambiguously , it proscribes special access to government officials . Government officials have limited access to surveillance data because of privacy rights . contradictory +Draw on the stores for any need you may have " Just , please don 't take the artichoke hearts from the stores . neutral +Any sons or daughters over twentyone ? 46 " Naow . " Is any son or daughter at least 21 and wants to drink ? neutral +An ' well , there weren 't nothin ' else to do . There were many things one could do . contradictory +yeah right next to Dulles all right well i 'll talk to you later bye-bye The proximity to Dulles is good for us . neutral +'On Gentlemen 's honour . ' On someone 's honor . entailment +From the Bank of China Tower , make a short detour up Garden Road and turn into Battery Path to reach the landmark St. John 's Cathe ? ­ dral . The Bank of China Tower is on the way to Garden Road entailment +36 Chapter 5 Mr. Julius P. Mr. Julius P on the 5th chapter . entailment +there has that 's right You are right that has happened before . neutral +Unfortunately , the public was not enthusiastic , the funding ran out , and the project was abandoned , giving the monument its other Scotland 's Disgrace . The government wasn 't able to hire the correct people which made the monument a disgrace to the country . neutral +yeah yeah and people drive like the street street is dry People drive on the streets in the rain here like it 's dry . neutral +I heard it , and then I went to the window and it wasn 't raining . I heard it and saw it wasn 't raining . entailment +HHS 's Administration for Children and Families ( ACF ) had a web page on ACF Regulations Currently Open for Comment . Many comments were received . neutral +lots of really big you know lots of local fans you know small stadium you know um and they 'll get a crowd of less than ten thousand sometimes you know um The stadium is very small . entailment +Small traders from Sonora took advantage of the protection afforded by Don Cazar 's outriders and had trailed along with their own products , now being spread out and hawked . The outriders were well armed and able to defend themselves . entailment +Today , the programs operate seamlessly , offering new innovations - including toll-free multilingual phone advisers , expanded hours for domestic-violence clinics , and renewed immigration and consumer aid - built on the foundations of the old program . There are multi-lingual phone advisors to help Spanish speakers who call . neutral +Snorkeling and Egypt is a great place for both diving and snorkeling ' the southern tip of the Sinai Peninsula is one of the world 's prime dive sites . Egypt is home to one of the world 's best dive sites , the Sinai Peninsula . entailment +What I have lost . What did I buy ? contradictory +Tropical Peace and Splendor Polar War and Splendor . contradictory +Its volume declined by 1.9 billion pieces between 1990 and 1997 Quality improved . neutral +i can remember many times that when when it 's interesting though that that you know particularly when you 're traveling and you go some place you can stop at a McDonald 's that 's that 's a big playground uh when the kids you know when the kids really need to get out and run around after been driving a while There were many places that you have traveled to . neutral +and that that the penalty ought to be out there and be enforced The penalty is new and enforcing it will help communicate that . neutral +The Calvinistic reforms were soon reversed when Kaahumanu died and Kamehameha III ascended to power in 1824 . Calvinistic reforms were reversed the same year Kamehameha III came to power . entailment +Moreover , the analysis anticipates the use of banked allowances made possible by early emissions reductions achieved in the years 2002 through 2006 ( as requested in the Senate letter ) . Senate didn 't request for anything , because it was closed that day . contradictory +A conservative critic tells Republicans to read--no , steal-- the Clinton manual on how to update and revive your losing party . The critic thought the Republican was a fan of Clinton . neutral +how about fast food do you enjoy um fast food restaurants Do you enjoy eating in hotel restaurants ? contradictory +An attorney representing a client before judge and jury was no longer the norm of a case when delivering critical legal services to low-income individuals . Low-income individuals are often targeted by the justice system because of their inability to finance their legal battles . neutral +The Dravidians who make up most of the southern populations don 't mind being seen as different from northerners , but they don 't want to be disregarded . The northern and southern cultures are very similar . contradictory +Birch , unlike Clinton , had to give a principled answer--uh , yes--at which point Will and Bennett dragged her through the sordid exercise of distinguishing gay marriage from polygamy and incest . Bennett said gay marriage was similar to incest and should be outlawed . neutral +and also we have a lot of green you know the grass has been growing and if you look outside you would like to go out and mow your lawn if you could go out and The grass is so dead it looks like straw . contradictory +Implementation of an SO2 control technology at a plant involves several activities contingent upon each other . SO2 control technology is complicated and requires educated professionals . neutral +With the high-speed TGV ( train ? grande vitesse ) from Paris , you can make it to Dijon for a visit to the Burgundy vineyards in an hour and a half , Lyon in two hours , or to Avignon for a Provencal adventure in under three . It always takes at least three hours to get from Paris to Dijon via the TGV . contradictory +4 million - the amount of funding Mayor Bloomberg proposed for the Legal Aid Society by sharply curtailing compensation for court-appointed lawyers under the 18-B program . Bloomberg was cautious about spending too much for the Legal Aid Society . neutral +Tommy hated him . He was hated by Tommy . entailment +'Bad shot ! ' as you English say ! You did a bad job of fighting us off . neutral +The industry now plans to strengthen warnings that children should be kept , appropriately harnessed , in the back seat , where they will be neither helped nor harmed by air bags . Most children survive car accidents in the United States . neutral +Don Cazar had not really wanted another wrangler at all ; he had wanted Shiloh and his foals . Cazar would have preferred no wrangler at all . entailment +IOC President Juan Antonio Samaranch , who was questioned by a congressional committee , said the IOC had solved the corruption problems . Samaranch was never questioned about the Olympics . contradictory +You argue like a child . You are childish in your argumentation . entailment +Our Today 's Papers column will be posted Friday ( but not Thanksgiving Day ) . As Thanksgiving Day is a holiday for everyone , the column will simply be posted twice in the following week . neutral +You mean they 've done her in ? Tommy nodded . Tommy denied that they had done her in . contradictory +In the distance , Ca 'daan heard the ring of steel on stone and the cheer of a small crowd . Ca 'daan heard nothing from the distance . contradictory +um-hum um-hum that 's right sure absolutely and people are families are scattered so much nowadays People and their families are so close these days . contradictory +i uh it 's it 's funny because both of us both of us then were really just adolescents when when i think most of the major changes for adult women were going on Were there significant changes for adult women ? neutral +When in Italy , look instead for the APT ( Azienda di Promozione Turistica ) for more detailed regional sightseeing information ; they occasionally help as well with hotel and camping accommodation . In Italy you should visit the APT so that you get the cheapest hotels . neutral +He watched Ca 'daan , perhaps gauging his reaction . Ca 'daan reacted to the situation . entailment +Common components of each business area include data centers , human resources , payroll , a financial architecture , and a common desktop environment . Human resources and data centers are common components of each business area . entailment +For example , delivery of the aft fuselage-the rear aircraft body section-was late for several of the test aircraft and two ground test articles because of late parts and difficulties with the welding process . Difficulties with the welding process and delays in getting parts created aft fuselage delivery problems . entailment +Most gains and losses from transferring assets within and between sectors wash out at the national level and may not represent newly available resources for the economy as a whole . Transferring assets can only result in gains . contradictory +If you 're enough of a pirate to be worth bothering about , Spielberg 's lawyers will get you . Spielberg sends his lawyers against pirates . entailment +Instead , Gore cut him off--and now Bradley can 't connect his campaign-finance crusade , under the rubric of reform , to his challenges to existing welfare-state policies on health and education . Gore gave Bradley time to finish what he was talking about , they were very polite . contradictory +The key thing about Story No . The only important thing about Story No . neutral +The sale is therefore an exchange transactions , and the revenue is exchange revenue of the entity making the sale . Something is being sold . entailment +This unfortunate result goes unmentioned in Penn 's summary , and the DLC 's press release begins as though it never Democratic rank and file voters are following President Clinton into the vital center of the national debate , according to a new survey . Penn 's summary entirely fails to mention this unfortunate result . entailment +Kazimierz built great castles and towns , codified laws , and created an entire administrative system of governance for the war-torn country . We do not owe Kazimierz any of the great towns and castles , he was just a common drunk . contradictory +With Savoy split in the 16th century between France and Switzerland , its foothill region southeast of the Alps , Piedmont , had come into the Italian orbit . Savoy was unified in the 16th century . contradictory +it they don 't they speak with fork and tongue don 't they at least we 're in agreement on that aren 't we i 'm afraid i have no other thoughts on fixes and i 'm not really sure that they would accept our suggestions anyhow I have thoughts on how to fix it , they 'd better take my suggestions . contradictory +um-hum oh yeah i have to plan way in advance because or what i 've done is found like doctors ' and dentists ' office with extended hours that 's been real helpful too like my doctor stays open till nine in the evening My doctor stays open until 9 in the evening from monday to thursday . neutral +what about your kickers Are you worried about your kickers abilities ? neutral +Leave the city by its eastern Nikanor Gate for a five-minute walk to Hof Argaman ( Purple Beach ) , one of Israel 's finest beaches . For a five-minute walk to one of Israel 's finest beaches , the Hof Argaman ( Purple Beach ) , leave the city by its eastern Nikanor Gate . entailment +As discussed in section 1 , Social Security benefits are projected to exceed the program 's cash revenue in 2016 , and the trust fund will be depleted in 2038 . Social Security benefits are projected to stay below the program 's cash revenue in 2016 . contradictory +oh that 's a coincidence this is the second coincidence today neutral +yeah that 's the only one that i you know i see you know i see uh you know early on that that that says it says you there I don 't think any say that . contradictory +On the contrary , he shows how educated elites like himself and Molly Munger are fighting against the Marie Antoinette syndrome . The Marie Antoinette syndrome is being fought by him and Molly Munger . entailment +While reading Allen Ginsberg 's Secret , by Paul Berman , regarding the poet 's confession of altering a poem Norman Podhoretz had submitted to the Columbia Review , I was struck by a dark What if Allen Ginsberg and Norman Podhoretz were the same person ? I was struck by a dark What if Barrack Obama and Norman Podhoretz were the same person neutral +Across the tram lines from Haghia Sophia lies the entrance to one of Istanbul 's more unusual historic sights the Yerebatan Saray ? ? ( Underground Palace ) . Visitors can enter the Underground Palace by crossing the tram lines from the Hagia Sophia . entailment +Finally , whatever your plans for New Year 's Eve , set the VCR to record ABC 's New Year 's Rockin ' Eve ' 99 ( 11 : 35 ) . No matter what you are doing , you should set your VCR to record ABC 's New Years Rockin ' Eve ' 99 . entailment +Congress may want to consider not expressly providing certain flexibilities in the initial legislation , but rather providing a mechanism for expedited consideration of flexibilities should the new department request them in the future . Providing certain flexibilities in the initial legislation should be overlooked by Congress . contradictory +ACTUARIAL LIABILITY - A liability based on statistical calculations and actuarial assumptions ( actuarial assumptions are conditions used to resolve uncertainties in the absence of information concerning future events affecting insurance , pension expenses , etc . ) . Actuarial Liability helps people in the absence of information concerning future events affecting insurance . neutral +If you have a few days to explore the region , you 'll find a wealth of things to see nearby . There are museums and cinemas and historic landmarks nearby . neutral +Both the agencies and the CIOs are working to meet the letter and intent of the Clinger-Cohen Act and associated legislation effectively . The CIO 's are trying to meet the standards . entailment +But it 's not clear that any science is so pure that it 's exempt from committee decisions about what 's to be considered valid research . There 's no science definite enough that committee decisions have to examine it . contradictory +" But you are from Texas ? " Was Rennie watching him too intently ? Did you live in Texas before this ? neutral +The palace , now a Jesuit college , is open to visitors . The palace is only open to visitors certain times of year . neutral +you know we got to get back to credit cards I loved talking about my credit score . neutral +Yet , only half of the IOLTA participating banks actually charge the fund these fees . All of the IOLTA banks charge this fee to the fund . contradictory +mostly it it just that that region never had peace even as far back in biblical times it 's never been peaceful Even before biblical times , that place has always been violent . neutral +12 Although there has been some progress , problems persist and continue to contribute to higher mail processing and delivery costs . Problems persist and continue to not contribute to higher mail processing and delivery costs . contradictory +Hall says that the students will do eligibility screening to determine whether callers qualify for legal assistance from TRLA . TRLA will provide legal assistance to eligible students . entailment +Voices of discontent were heard that the vaccine would lead to a dramatic fall in the popularity of the game . There were no voices of disagreement about the decision of making the vaccine . contradictory +i remember when i was real little i we all went to some kind of scary movie and it was like this house big house had a basement and there was all these weird things going on in the basement you know and i was scared to death of our house had a basement for years I was terrified of basements because I watched a horror film about a basement when I was a child . entailment +it might help i don 't know I would like to try it to see if it helps . neutral +i 'm going oh no I am staying for a while longer . contradictory +Microsoft 's inclusion of IE with Windows does not prevent computer manufacturers from installing competing browsers or putting those browsers on the desktop . Microsoft made IE optional . contradictory +It was declared capital again in 1971 , taking the title from Chania in the west . The capital is home to the most wealthy members of society . neutral +But most of the testimony would not pass muster in the witness-box . " The hours drew on . Much of the testimony was questionable under examination . entailment +We never got the hang of growing hair . We had trouble growing hair . entailment +Rhododendrons and other exotic plants imported from China during the 19th century have created one of the finest gardens in northern England . Before the importation of rhododendrons , the gardens were filled with roses . neutral +Badu , the most thrilling new voice in pop ( Time ) , wins praise for bucking genres ( she blends soul , jazz , and hip-hop ) and writing edgy lyrics . According to Time , Badu is a thrilling new voice in pop music . entailment +The interior is vast and inspiring , flooded with light from the 16th-century stained-glass windows . The building is small contradictory +He doesn 't want to marry me he really only asked me out of kindness . I felt better after he asked me to marry him . neutral +it would be nice but That is just horrible . contradictory +Auditors General in their countries , and many more have served as Deputies or in other highlevel posts . Very few serve as deputy or higher in their countries . contradictory +Off the beaten path in Sham Shui Po , west of the junction of Nathan Road and Boundary Street , is the Lei Cheng Uk Han Tomb and Museum on Tonkin Road ( open Monday Wednesday and Friday Saturday 10am 6pm , Sunday 1 6pm ; closed Thursday ) . The tomb of Lei Cheng Uk Han has various Chinese noblemen buried there . neutral +How 's that ? " How is that painful ? neutral +Nelson was probably destined for politics from the start , when he was named after his mother 's father , Sen. Nelson 's mother named him after her father in hopes that he would follow politics . neutral +He 's lying , concludes Jack Harwood , who analyzed Clinton 's words with the Verimetrics instrument , a high-tech truth machine that measures stress in a person 's voice . Jack Harwood was convinced that Clinton was not lying after subjecting him to a verimetrics instrument . contradictory +The houses are an enduring monument to the privileged position of the foreigners allowed to live here . The houses still stand as a monument to the underprivileged position of the foreigners . contradictory +You could be dueling beautifully until an arrow hits you in the back . If you are dueling , you won 't be hit by an arrow . contradictory +To watch politicians fawn over online tools and techniques , many might think so . The politicians are competitive . neutral +uh i just let 's see i 've been with this company for about three months and before that uh we were we 're we 're still in the process of trying to catch up The company I work for is ahead of pace . contradictory +" Did he tell you to ask me about it ? " The flush darkened . Was it he that told you to ask about it ? entailment +in the the heavier heavier materials in the materials that weigh more than 100 lbs neutral +Little effort was made to integrate two or more sources of data , even when the evaluation design included them , although simple references might be made to the number of times a feature of other sites was also characteristic of the site reported in the study . There wasn 't a lot done to integrate more than one data source . entailment +you do that yourself Do it solo . entailment +It 's not about resisting coercion , it 's about coercing , and bargaining , and sucking up , and twisting arms , and telling little lies . It 's a strong arm tactic . neutral +McGwire 's homer was a high fly , as Niehaus attested , and as was confirmed by his broadcast partner Rick Rizzs , who marveled at the ball 's hang time . McGwire hit a foul ball . contradictory +In today 's politics , the son 's checkered resume signifies success . Today , the son 's resume epitomizes hate . contradictory +Some of these Nobel Prize winners don 't want to deal with empirical reality at all . Most of the Nobel Prize winners are theoretical physicists . neutral +An additional reporting standard for financial audits conducted in accordance with GAGAS The audits are completely unjust . neutral +Second , several special rate arrangements would be discontinued . Some special rate arrangements would be stopped if we passed the new budget reform . neutral +For a change , he had one piece of good luck . He couldn 't believe he 'd just won the lottery . neutral +Wine lovers flock each year to this northernmost of France 's wine-producing regions , where a unique combination of geology , topography , and climate has produced the world 's most celebrated wine . Wine-lovers always leave France 's wine-making region with a bottle of vintage in hand . neutral +Spanning the park and the six lanes of the busy thoroughfare Ataturk Bulvar ? ? are the ruins of the Aqueduct of Valens ( Bozdo an Kemeri ) , originating back in the second century a.d. The aqueduct of Valens is from the 2nd century entailment +Where 's that Bradshaw ? " The energy of Julius was infectious . Julius 's energy was contagious . entailment +Make sure that you 're running Internet Explorer 4.0 , then click here to take a look . The website will only work using Internet Explorer . neutral +so to me if somebody has life you know beyond a reasonable doubt they should that should be it you know particularly for some of these really To me , they should never be able to do that under any circumstances . contradictory +Supporting Oversight of the Internal Revenue Service ( IRS ) : GAO continued to support GAO continue to support the oversight of the IRS . entailment +Starting next month , lawyers must report to the courts how much free or low-fee legal work they do for the poor and charities , with a goal of 50 hours a year . Lawyers will be required to report how much charity work they do starting next month . entailment +Finally , I would also note that , in the past , we have suggested that a central focal point such as OHS be established statutorily in order to coordinate and oversee homeland security policy within a national framework . We have never suggested anything being established to coordinate homeland security policy . contradictory +and that 's how we got started we did it for years and years uh We didn 't do it very long . contradictory +setting up the trailer for a weekend or a week or ten days or whatever uh what 's what 's your thoughts on camping What do you think about building a house ? contradictory +Captain Bayliss . The words sounded as remote as if the speaker bestrode some peak of the Chiricahuas to address a pygmy in a canyon below . There is a man named Captain Bayliss and he led a group of soldiers . neutral +" Why ? " Bork asked . Bork remained silent as ever . contradictory +After Cook 's voyage , a small but steady flow of American and European vessels , already engaged in the China trade , started to use Hawaii as a convenient , much-needed stopover . Europeans and Americans have been resting in Hawaii on long trips since long before Cook . contradictory +Graciously , it remains dormant for the sake of the hundreds of thousands of visitors who come every year to climb to the summit . Most visitors come for the exercise rather than the aesthetics of the peak . neutral +The Sanja Matsuri , held here every year on the third weekend in May , is the biggest , most exuberant festival in Tokyo . It is the most exuberant festival in Tokyo neutral +after that if you asked me that i wouldn 't have been able to tell you if that was football or baseball I could have told you for sure whether it was baseball or football . contradictory +It sure must go hard with a man to have his son turn out a wild one , commented the third . The third said that it must be easy for a man to have a wild son . contradictory +In return for this flexibility , sources were to provide a full accounting of their emissions through continuous monitoring and reporting , and there would be consequences for failing to comply . The sources had to give half the information about their emissions .. contradictory +One of the main problems is that Cambodians do not know how to drive , a Transport Ministry spokesman was quoted as saying . Cambodians do not know how to drive . entailment +Investigations GAO has an Office of Special Investigations that The GAO does not have a Office of Special Investigations . contradictory +The commission seems to be giving some credence to the claimed benefits of the merger , while hedging its bets on the competition issue by shoring up Office Max and seeding healthy retail conflict in scores of communities . The people seemed to support the merge , but they put bets on Office max pulling in some money . entailment +yeah yeah oh that 's neat that 's really neat That 's cool that it 's like that . entailment +Bitterly , I toted three pairs of Slates to the dressing room , vowing never again to subscribe to an online magazine , even one that doesn 't charge . I decided after making too many purchases from ads in online magazines not to subscribe anymore . neutral +Legal service providers have long served large Latino populations , who have cultural diversity but share a common language . The Latino population does not speak a common language . contradictory +I can suggest having the ropes made to order . He and a peer suggest having the ropes made to order . neutral +Personal Communication with Ande Abbot , International Brotherhood of Boilermakers , Iron Ship Builders , Blacksmiths , Forgers and Helpers , February 5 , 2002 . The Blacksmiths did not have any communications of any kind with Ande Abbot . contradictory +Along with many Americans , I first caught Andy Kaufman on the Tonight Show in the mid- ' 70s . Andy Kaufman was on the Tonight Show in the 70 's entailment +did you ever see the program uh Why Does Johnny Kill Have you ever seen Why Does Johnny Kill ? entailment +The chateau is open Tuesday-Sunday 9am-6 : 30pm ( winter 5 : 30pm ) ; the Grand and Petit Trianon Tuesday-Sunday 10am-6 : 30pm ( Tuesday-Friday 10am-12 : 30pm and 2-5 : 30pm , Saturday and Sunday 10am-5 : 30pm in winter ) ; the gardens Tuesday-Sunday 7am to sunset . One can enter the chateau without paying money . neutral +And layers I keep in a special hut , so they won 't be stressed , because otherwise I will loose one egg per day . I keep layers in a special hut , this helps keep them calm , if I din 't I 'd loose one egg a day . entailment +The Jardin des Plantes next door , created by Louis XIII as a royal garden of medicinal plants , is still an excellent botanical and decorative garden , with exotic plants in the hothouses . The Jardin des Plantes burned to the ground a few years ago . contradictory +Underwear didn 't exist in Homeric times , and women didn 't travel , except for goddesses who flew through the air . In Homeric times , women travel to gather food . contradictory +Female athletes like them and Hamm have always had to shoulder the added freight of having to invent themselves . Hamm doesn 't feel the need to recreate herself just to win more fans . contradictory +Executive Director Ralph Reed explained the Christian Coalition 's strategy last spring in his manifesto , Active Faith . He called the approach surfing the mainstream . Executive Director Ralph Reed denounced the Christian Coalition 's strategy in his manifesto last spring . contradictory +It also has a museum and theater . Surprisingly , the place also has a theater and a Museum . entailment +The assistant shoemaker is another of Malamud 's weirdly insistent , lonely souls--impelled , who knows why , to devote himself to a hopeless love ; still wincing from the horrors of Europe , which he has not entirely escaped ; inarticulate , yet bursting with passion , if only his boss , the master shoemaker , will deign to listen . The assistant to the shoemaker was lonely , despite devoting himself to his work . entailment +In most instances , the observer is the senior investigator and the only Margaret Mead in Samoa and Oscar Lewis in Puerto Rico are famous examples . The observer is a senior investigator . entailment +The final rule requires the collection of information which is subject to review by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . There will be no review of the collection of information by the OMB . contradictory +oh yeah but that 's that 's a good way to make a big problem in your marriage real quick gosh that 's just dishonest Doing dishonest things will cause issues with all of your relationships . neutral +These program letters declared that LSC was no longer limiting its focus on outcomes for clients within and by individual programs , but rather it believed that quality legal services could be delivered only in a statewide context . The legal services charged a high rate but were well worth it . neutral +and uh we had a couple of lakes out there that we 'd go and and go fishing and then camp out and uh seemed like it always rain or something you know something had to go wrong and uh we were never prepared for it There 's a couple lakes we 'd go fishing at but when we 'd camp something would always go wrong . entailment +yes what do you what do you um do you do you think they should become independent maybe or do you think they should benefit Do you think that should become independent or not ? entailment +Hire some passengers , hire a submarine that 's the only difficulty , I guess . Get some passengers , buy a submarine , that 's the only challenge , I think . entailment +More importantly , is it good manners ? Do one 's manners even matter ? contradictory +Bob Packwood , R-Ore . , until after the election , thereby assuring his return to the Senate . The Senate wanted to keep Packwood because he was so smart . neutral +Shuger withdrawals this morning . Withdrawals of sugar when the sun came up . entailment +Republican strategists will make Democrats carry that burden into the elections . Republican strategists will push that burden onto the Democrats . entailment +i i don 't know I 'm not sure entailment +Ow ! That 's enough ! Yes , we 're not dreaming . We 've got a job ! We 've surprisingly haven 't got a job . contradictory +He staggered in gratefully . He stood perfectly still . contradictory +Taxis will take you around the island , giving their own tours at fixed prices . Taxis won 't take you around the island unless you pay per minute . contradictory +Types of testing . Different types of animal testing . neutral +and you know i just fell in love with this brand new white Prelude I didn 't like the Prelude , specially in white ... It looked awful.e contradictory +These model predictions are used in conjunction with the observed concentrations obtained from the Aerometric The Aerometric provided some observations to these models ' predictions . entailment +Recognizing that more action was needed to improve the CSR system , LSC provided additional written guidance to the field , including a substantial revision to its CSR Handbook ( reissued in November 1998 ) , and conducted training sessions on that guidance . Training and revisions were made to improve the system . entailment +Creative people still make their name here . Creative souls still have the chance to possibly create a reputation here . neutral +Granted , there exists , in the form of a rich language and history , what Huntington would call a core Sinic civilization . Sinic civilization has a rich language and history . entailment +Three ( one in press ) are in emergency medicine . More than one are in emergency medicine . entailment +The canals more than 1,300 miles of them crisscross the island have level footpaths running along their entire length . The island has a totally arid terrain , with no traces of flowing water . contradictory +Framing the election around the desirability of tax cuts is risky business for Clinton ; since the age of Reagan , the public assumes that the Republicans are the anti-tax party . It is risky for Clinton to frame the election around tax cuts . entailment +Poirot seized his hat , gave a ferocious twist to his moustache , and , carefully brushing an imaginary speck of dust from his sleeve , motioned me to precede him down the stairs ; there we joined the detectives and set out for Styles . I was not sure if Poirot and I would be useful or in the way of the detectives . neutral +Talk of the Talk of the Town Silence of the town contradictory +yeah this is actually a duplex that we 're in so and it 's rented We are in a duplex to save money . neutral +well with him yeah and with Bill Walton and they used to call it the uh the UCLA invitational Bill Walton used to refer to it as the UCLA invitational . entailment +now to me that doesn 't make any damn sense Oh well that makes total sense to me . contradictory +That is ironic , of course , but the joke is not on the New Republic . It 's on the conceit of fact checking in general . The real joke is the arrogance of fact checking . entailment +No figures are reported on this row because the volume of business bill / payment mail is not known to the Commission6 . The Commission has the data for this row . contradictory +yeah yeah take care of those cats all right bye-bye The cats need lots of love . neutral +( MoMA plugs the exhibit . ) MoMA advertises for the exhibit . entailment +uh-huh did did we tend to um change their attitudes attitudes like some times when Americans go into foreign countries they tend to flaunt American things Americanism um consumer products TV the whole works There is no change of attitude for the Americans . contradictory +Everyone has a stake in making our justice system accessible and fair . It 's important to everyone that we have a fair and accessible justice system . entailment +They also have their own language , Ibicenco , a dialect related to the mallorqu ? ­ ( Majorcan ) branch of the Catalan language , though Castilian is spoken as well . Castilian is a language that is also spoken , but they have their personal language , Ibicenco . entailment +The state didn 't . Massive fraud drove the governing entity to not proceed . neutral +It can be quantified . It can be measured numerically . entailment +Well , we got him anyway an ' two or three of th ' others . We got at least three people , and maybe four . entailment +good self help well um probably the best one that i i know of and i work with all the time is called Search for Significance I do not believe in the " self help " philosophy . contradictory +well i only know i have my friends who have had children uh i only know one woman who 's decided to go the quote unquote traditional route and i have a lot of respect for her because she made it as a real choice None of my friends have kids , even one woman I know is not going the traditional route . contradictory +that 's i knew i was pushing too far I didn 't know I was doing anything . contradictory +She upset 16-year-old champion Michelle Kwan , who fell down twice during her routine . Michelle Kwan executed a flawless routine . contradictory +so but yes i would definitely buy one of those before if i had to between that and Lincoln i 'd probably buy the Show I would never consider buying a Show . contradictory +Where 's the key ? The keys are not needed . contradictory +One other--rather curious--explanation for the Republican defeat in the 1996 presidential race was proffered by a member of Bob Dole 's polling staff . Bob Dole hoped to lose the presidential election in 1996 . neutral +For the first time , the standard of living for the nation 's poor ( although not the very poor ) is rising . The poor are rapidly losing ground for the first time ever . contradictory +As a result , the cancellation is a nonexchange gain to the entity that owed the debt and a nonexchange loss to the lender . The cancellation is an exchange loss to the entity that owed the gains from the surplus and a exchange gain to the lender . contradictory +On the east coast they point out that Tamil literature is much richer than Hindi . The east coast believes Tamil literature is richer than Hindi . entailment +But this is to desert , even betray , his subject . After the subject has been betrayed , it will get killed . neutral +This you could not do with a true wild one , he commented . Doing this to a wild one would be very easy . contradictory +Noble 's Web page contains the nose-training workout that she uses in Sensory Evaluation of Wines : First , students pour wine into a bunch of glasses and then drop a different physical standard into each one . Students test many different wines . entailment +An hour 's ferry-trip to the southwest of Istanbul lies the bucolic retreat of the Princes ' Islands , known to the Turks simply as Adalar , The Islands . The Turks see these islands as the main islands they interact with . neutral +right exactly same with a doctor in a hospital Wrong that is nothing like a doctor at a grocery store . contradictory +Their beauty and accessibility ( being only a short drive from Ambleside ) make them a must for all visitors . All visitors must go to see them . entailment +Prosperity is in the air ; the roar of the Celtic Tiger can clearly be heard . The roar of the Celtic Tiger is loud . neutral +I wonder I didn 't scream right out there and then . I was terrified of what was happening . neutral +Too many eyes are upon her . She was performing a play for hundreds of people . neutral +For a long time neither of them spoke . Nobody spoke because they had very bad laryngitis . neutral +Ca 'daan 's eyes shifted to the elders on the pikes . The elders were putting people onto pikes . contradictory +The final reason for our Mother Nature obsession is politics . Politics have nothing to do with the Mother Nature obsession . contradictory +uh it too is one those you know in the interest of efficiency we all have to find ways and i do most of my reading in the bathroom I never read in the bathroom because it 's unsanitary . contradictory +For a similar reason the use of the world as a base for interstellar travel , except for trade in certain items , is uneconomical . We should use our country as the base . contradictory +LSC is committed to meaningful partnerships with our grantees and the broader civil equal justice community . LSC does not care about partnerships with grantees . contradictory +Or , perhaps , that Dole is actually the president of married America ? Could Dole be the man looked up to by the married couples of America ? entailment +But the blinking eyes in his mechanical ballet are heavy with mascara , while the sexy mouth shines with lipstick . The mechanical ballet are made up because it 's attractive . neutral +By now , every building , farm house , and shop blazed like a green torch . By now , every building in the town was part of a vast green inferno . entailment +It sounded like thunder , sort of , and like a collision , sort of . " It was very loud sounding like thunder and it startled me . neutral +oh okay i 'll let you go I will only let you go if you agree to take out the garbage . neutral +yeah it was it was fun because uh they would call when they were with the Browns they would call and say we left tickets at the gate for you all come on up so we would hop in the car the next morning and drive up and It was fun because they would give us tickets for the front row . neutral +It 's kitschy and cartoonish , with pink marble , neon lights , and faux-Louis XIV furniture . It has pink marble and gaudy furniture in the lobby . neutral +The new emperor called himself Jahangir ( World Seizer ) but once in power he left affairs of state to his wife Nur Jahan , as he was more interested in writing poetry , drinking a great deal of wine , and taking summer excursions up to Kashmir . The new emperor referred to himself as Jahangir and left the affairs of the state to his first and only wife as he was more interested in the finer things of life . neutral +it sure is yeah yeah it most certainly is so uh so that it it was it was certain things that were enjoyable about it but uh i don 't i think it 's lost a lot of it 's appeal It 's certainly not . contradictory +The small man turned , grabbing the thrusting polearm and burying the tip of it into the ground . The small man buried the tip of the polearm into the ground . entailment +The guardians are particularly helpful and attentive . Without the guardians there would be big problems . neutral +Exactly . He unlocked a little drawer , and took out some photographs which he laid on the table . The photos on the table came from his back pocket . contradictory +Their analysis revealed that most programs experienced declines in cases closed during periods of dramatic funding reductions and before they ( with and without LSC assistance ) aggressively sought other forms of funding ( e.g. In periods of dramatic funding cuts , most programs experience a decline in cases closed . entailment +However , DOD policy still lacks criteria to be used to capture specific design and manufacturing knowledge and does not require the use of that knowledge as exit criteria at key decision points to transition from system integration to system demonstration and then into production . Dod 's policy is lacking in criteria to capture knowledge . entailment +3General controls refers to the structure , policies , and procedures-which apply to all or a large segment of an organization 's information systems-that help to ensure proper operation , data integrity , and security . Proper operation is not maintained by general controls . contradictory +With its wafting incense and masses said in Greek or Arabic ( the church belongs to the Melchite sect of the Greek Orthodox Church ) , St-Julien is not out of place in an area packed with Middle Eastern restaurants . St-Julien holds masses that are said in Greek and Arabic . entailment +and when it came to my turn the folks said no we 're not going through that again they sold the piano and is the turns out i was the only one who really had an interest in it and never got to so i that 's one of things i felt like i missed in life and i i really in fact uh I was the only one who had an interest in the piano . entailment +A spear flew past in his direction but hit nothing . He was not afraid . neutral +the orthopedist called it a uh basketball injury where the ankle just rolls under you and it snapped Orthopedists can diagnose basketball related injuries . entailment +These specific areas include knowledge of solicitation procedures , benchmarking and other performance or capability validation techniques , and knowledge of technical areas such as database management and telecommunications networks . There are three specific areas . entailment +Some 200 km ( 124 miles ) west of the capital by road and half an hour by air , Pokhara is a major staging point for treks and one of the fastest-growing cities in the country . Pokhara is growing rapidly . entailment +and you know like he sent planes over to to shoot the people down that were on the border with uh that that were on their way to Turkey The worst thing he did was when he commanded those planes to shoot down others over Turkey . neutral +sometimes i i want to plant something there 's not enough room to plant it some of those things like uh you know the things that vine like uh cucumbers or uh There 's not enough room to plant some of the thing I want , I 'm going to make more space . neutral +Legends In The favorite of many return visitors , this classic Las Vegas impersonation show features all the greats from yesterday and today . There are a lot of tourists that go to the show in Vegas because it reminds them of how Vegas used to be . neutral +I haven 't got them . I have them . contradictory +This is one of those tricky SAT math questions , right ? They did not like math . neutral +Parents send their kids to costly summer clinics and hire professional coaches . Parents pay thousands of dollars for their kids ' summer clinics . neutral +The final rule contains a revised information collection requirement which is subject to approval by the Office of Management and Budget ( OMB ) . The final rule does not contain a revised information collection requirement which is subject to approval by the Office of Management and Budget ( OMB ) . contradictory +Across the river on the west bank are the remains of other temples , and more importantly , the burial places of the great Pharaohs of Ancient Egypt , hidden in a slender valley beyond the narrow fertile river plain . The remains of temples and burial places lie on the west bank . entailment +Monuments to the heroes of independent Jamaica can be found in a small corner of the park , and both Marcus Garvey and Norman Manley are buried here . At least two men are buried in the park . entailment +but i 'm not in that professional of a position so i don 't i 'm not expected to do that but the position i 'm in isn 't professional , so i 'm not expected to do that entailment +This town is famous for the erotic sculptures of its medieval Hindu temples ; many come expecting to snigger . The town does not have erotic sculptures . contradictory +As long as I might be thought to be pursuing him , the criminal would be off his guard . The criminal felt safe no matter what I did . contradictory +The engineering drawing package released to manufacturing includes items such as the schematic of the product 's components , interface control documents , a listing of materials , notations of critical manufacturing processes , and testing requirements . The engineering drawing package was canceled and no longer exists . contradictory +You cannot change individuals ' past investment decisions . Previous investment decisions cannot be altered . entailment +And I I hearwhat I am safe from . People are always aligned with what keeps them safe . neutral +Disposition of SO2 Allowances Allocated Under Subpart 1 SO @ is a gas . entailment +incorporated it into the final rule in what appears to be a clear and unambiguous manner . The manner in which it is incorporated into the final rule is clear . entailment +And then I thought about it , and I go , Well , that 's not really horrible . My final feelings towards it were those of horror . contradictory +Directly ahead lies the Mercado dos Lavradores ( Workers ' Market ) , housed in a two-story , open-roofed structure built in 1941 . The 1941 building date has resulted in a lot of repairs being made over the years . neutral +um-hum that 's true i i like i say i don 't have any problem with people using firearms you know for sporting purposes or hunting purposes i just think it 's just may be a little too easy you know to acquire one on on a whim of some sort I don 't have a problem with people having firearms for hunting purposes . entailment +In addition to following up on significant reported findings and recommendations7 from previous financial audits , auditors should consider significant findings identified in attestation engagements , performance audits , or other studies if these findings could materially affect the results of the financial audit . Previous financial audits are in power for as long as it takes to the next audit , and the companies can be punished for not following on their advice . neutral +And that is all you can tell us ? You can 't tell us about the outcome of the game ? neutral +Traditionally , little interaction has occurred between emergency medicine physicians and substance abuse treatment providers . Emergency medicine physicians don 't like substance abuse treatment providers . neutral +and the problem is that ideally you they you know the world would like you to be completely indifferent so um but i i i understand what you say about the environmental movement um it 's it 's been a long time coming um being a uh a very old hippie The environmental movement would not have gotten where it is without the help of the younger generation neutral +While biological mechanisms for this effect have not yet been definitively established , the weight of the available epidemiological evidence supports an assumption of causality . Though the biological mechanisms for this effect have not been established yet they will be soon . neutral +, GPO Access ) and web sites for particular agencies or offices that have identified rules available for comment ( e.g. Particular agencies and or offices do not identify which rules are available for comment . contradictory +One more thing crossed off the Things-I-Never-Wanted-To-Do list . Just another item crossed off the list of things I never wanted to do . entailment +you don 't find that much in small companies because you can kind of interface but when you get a big company like ours i think it 's great that they take the time to you know give us a monthly meeting to tell us what 's going on I really dislike that they schedule a monthly meeting . contradictory +In the nearby village , a side road leads south for 1 km ( 1.2 mile ) to the imposing Temple of Artemis , begun during the reign of Alexander the Great , and abandoned , unfinished , following the ascendancy of Christianity in the fourth century . The Temple of Artemis begun during the reign of King Arthur . contradictory +i try to keep it pretty reasonable I try to be reasonable but am having a hard time . neutral +Mejillones ( mussels ) can be remarkably good steamed with a dash of white wine and garlic . White wine and garlic make mussels taste great . entailment +Evidently these trends became much more pronounced after I left the firm . The trends were going up after someone met the firm . neutral +Don 't be daunted even the best-informed scholars find the monumental relics difficult to decipher the mystery itself is more than half the charm of these vestiges of a vanished world . The relics of the old world are shrouded in mystery due to how little exists . neutral +But money " Tuppence warmed to her pet creed " well , there 's nothing unsatisfactory about money , is there ? " Tuppence is a greedy money hungry person . neutral +The first portal on the left is the only one decorated with an original 13th-century mosaic , depicting the Transfer of St. Mark 's Body , smuggled out of Alexandria , Egypt . The 13th century mosaic also had a home in Istanbul , Turkey . neutral +About an hour from the Lakes via the M6 is the Scottish village of Gretna Green , which is famous throughout the land for one weddings . The village is famous for weddings . entailment +They 're a bad lot , Annette . Annette , they 're not good people . entailment +uh-huh well i didn 't realize it could vary from state to state or university I had no idea this could be different for each college or each jurisdiction . entailment +The original Winnie-the-Pooh was the mascot of a Canadian regiment , an actual living bear named for the city of Winnipeg . The original Winnie-The-Pooh was inspired by actual things that happened in Winnipeg ( in addition to the mascot ) . neutral +The Guardian and the Observer have a broad site packed with information . Thge Gaurdian is not allowed to make a website due to recent law changes . contradictory +He was brilliant , an artist in the medium of steel . The man was a beginner , at best. with steel . contradictory +It 's not quite up to the scale of America Large below , but Large is mostly artificial oil fields . Large has oil fields that pump out lots of oil . neutral +Don 't just do what is acceptable , do what you think is right ! Do the right thing instead of doing the bare minimum . entailment +The net effect of mapping increased program spending together with adjustments needed to update the assumptions of the CEF policy scenarios can be highlighted by reviewing the change in electricity generation for scenario D. In the CEF Advanced Scenario ( based on a 1999 reference case ) , for example , the level of electricity generation in 2010 was lowered by 10 % from the reference case requirements of 3,920 billion kilowatt-hours ( kWh ) . The net effect of mapping is usually a positive one neutral +I never felt anything like her at the time . I knew this is the woman I would marry . neutral +Other agencies made comments available electronically for certain rules or groups of rules . No agencies allowed comments to be made online . contradictory +They do collapse on a long dive , but the viscera move into the space . The structure collapses during long dives , but the internal parts reach the intended destination regardless . neutral +Citing an emerging trend , the senior information security managers had also started to create information security career paths and stress professional certification for security specialists . Senior information security managers had noticed that the profession was becoming more regulated . neutral +and my my uh taxes are a hundred and thirty five My taxes are $ 135 . entailment +In the heart of willow country , Camacha is famous throughout the island as the heart of the wickerwork industry . The wickerwork industry is the main source of income for most of the people in Camacha . neutral +so we we got out of that one pretty easily Due to the difficulty , we couldn 't get out easily . contradictory +so what you try take a vacation every year and go out and camp Some years you aren 't able to go on a vacation . neutral +I AM Mr. BROWN … . " Stupefied , unbelieving , they stared at him . I am Mr. Brown ... They were not surprised at all . contradictory +is it that would be great or a lot of women i know now and my uh one of my supervisors when she went on LOA to have her baby we hooked up a a a terminal at her house When one of my supervisors went on LOA to have her baby we hooked up a terminal at her house . entailment +They were descending too quickly . They were descending much too slowly . contradictory +No ; it is not possible you should love the enemy of France , but , in loving me , you should love the friend of France ; for I love France so well that I will not part with a village of it ; I will have it all and , Kate , when France is mine and I am yours , then yours is France and you are mine . I am an enemy of France , willing to part with it . contradictory +The political culture of nationalism reserved its approval for those who led ruinous campaigns in pursuit of impossible quests , Ajami writes . Some led ruinous campaigns in pursuit of impossible quests . entailment +No hoss , no nothin ' . If you have a horse , you 'll get everything . neutral +Factors to Consider in the Assessment The assessment has factors to consider . entailment +they 'll go oh yeah i was on a prescription for this and they can go get it and bring it in They don 't ever have their prescriptions to bring to us . contradictory +Your first view of the castle will be the Gate House , which you pass through to reach the inner wards . You 'll see the Gate House first . entailment +The Vatican barred an American priest and nun from ministering to gays . The Vatican strongly opposes gay lifestyle . neutral +From 1559 to 1572 his fiery Calvinist sermons influenced worshippers far beyond the cathedral walls and fueled the religious discontent that split the population . The people that were influenced by his sermons were attacking those that did not follow Calvinism . neutral +During Flytrap , many Republicans conveniently abandoned their objections to wide-ranging sex harassment litigation , endorsing broad discovery in order to nail Clinton . Many Republicans gave up their previous beliefs to nail Clinton . entailment +The best deep-sea fishing is from June to September . Deep sea fishing is never available . contradictory +Melanie Eversley - Cox Washington Bureau Saturday , March 23 , 2002 Cox Washington Bureau Saturday on March 23 , 2002 , Melanie Eversley entailment +The formula was most directly a gift to the options traders around the world , which is not a group that usually inspires charitable acts . Options traders make a lot of money . neutral +We found that leading commercial companies used two tools to capture knowledge that a product 's design was reliable and producible within cost , schedule , and quality targets before making a production decision . Leading commercial companies had special teams of people responsible for product design assessments . neutral +there was a program on TV down here on the educational channel here a while back about a lot of little I miss that program , I used to watch it everyday . neutral +You huntin ' someone ? Are you hunting someone ? entailment +that we 've been paying real close attention to that so we 're using the ones that uh have the lower rate as a matter of fact the uh the uh credit union We 're keeping an eye on that . entailment +If the former , then all the contestants have missed the boat on the second event . If not the former , then the contestants missed out on the second event . contradictory +An idiosyncrasy of genius . A quirk of extreme intellect . entailment +He didn 't want us to do this . " This was not his plan for us . entailment +The cover story christens professional wrestling a new American art form , albeit a savage Fifty episodes of a popular wrestling TV show included 1,658 instances of grabbing or pointing to one 's crotch , 157 instances of an obscene finger gesture , 128 episodes of simulated sexual activity , and 21 references to urination . TV has banned the screening of professional wrestling . contradictory +But he knew Barnes had tried to do something about the Confederate symbol on the Georgia flag . Barnes did not do anything about the Georgia flag 's confederate symbol . contradictory +VA adopted the standard for determining a veteran 's right to compensation contained in Brown , 115 S.Ct. The VA set a standard for determining a veteran 's compensation rights . entailment +In the stormy 15th and 16th centuries , Lucca 's proserous silk merchants preserved the peace by intercepting enemy armies and paying them to bypass the town . The silk merchants weren 't arounf muvch in the 15th and 16th centuries . contradictory +The final rule amends Regulation Y to improve the competitiveness of bank holding companies by eliminating unnecessary regulatory burden and operating restrictions and streamlining the application and notice process . The final rule makes changes to Regulation Z. contradictory +Her voice sunk into them , forcing their bodies to her command . She didn 't want to tell them anything . contradictory +Bringing these men back to life , ' Derry echoed , gaping . Derry said exactly what his friend had said . neutral +And don 't forget to floss . The floss is mint flavored . neutral +Soon the moisture would ride high into the mountains and slice down again in shards of ice like razors . The precipitation will be extremely cold . entailment +'You at least have a gentleman 's honour . ' I hoped . I hope you at least have the honor of a gentleman . entailment +cashews or something like that right um-hum well Spinoccoli she can 't patent the idea though because Pizza Inn already already has it but it 's a it 's very good well they put it they i guess they put like the dough and then the sauce and then She can patent the idea because no one else has it already . contradictory +The Caribbean 's transparency and teeming underwater life make it ideal for scuba , and since the water stays tropically warm year-round you shouldn 't need a full wetsuit . The Caribbean has no fish in it . contradictory +Social Security Reform in a Global Context , Social Security Reform Conference Links to Saving , Investment , and Growth , Steven A. Sass and Robert K. Triest , eds . Social Security is not going to be reformed . contradictory +The newsweeklies agree that Microsoft is in big trouble . Microsoft is doing really well right now , according to newsweeklies . contradictory +Visitors to the center can view the marriage room , complete with anvil , along with a small museum that has preserved the tales of angry parents who descended on the shop to interrupt weddings in progress . Visitors can view both the marriage room and a small museum . entailment +Training has proven to be an important tool for agencies that want to change their cultures . Training is important when groups want to change their culture . entailment +It must have come as an almost unbearable shock to the patriotic Frenchmen of New Orleans to be told that they were Spanish citizens . The French of New Orleans likely did not care at all after being told they were citizens of Spain . contradictory +The man nodded under his three-cornered hat . The man 's hat was meant to keep the sun from his eyes . neutral +Every day at 3pm there 's a spectacular all-singing , all-dancing parade including floats inspired by the famous Disney movies . There is a show every day at 3pm . entailment +As she left the room , Miss Howard 's face changed . The expression on Miss Howard 's face was different when she left the room . entailment +yeah that would seem like that would be uh more expensive than a uh nursing nursing home wouldn 't it I am under the impression that a nursing home is a cheaper alternative . entailment +Speaking without an honorarium . They wanted to be paid upfront . contradictory +Caution was the watchword among Italian rulers restored to their lands after Napoleon 's defeat . The Italians trusted some people while restoring their land . neutral +buy a whole knew metric set yeah well i think you know it 's something that 's going to take quite some time to happen but i i still don 't think that they 're doing all that it 's going to take to make it happen you know it 's going to happen slowly no matter what but there 's going to have to be a lot more education involved than there is right now to get it to to get it to switch over It will take time to switch to metric set . entailment +You see , I was right ! I thought I was wrong but actually I wasn 't . neutral +You will not speak ? Will you no say anything ? entailment +There is also a much-honored tradition of accepting tribute from companies that Conde Nast magazines cover . They wanted to give those on the cover of the magazine even more recognition . neutral +This spankingly inventive ( Brett Kelly , New York ) collection of humorous essays ( most of which originally appeared in The New Yorker ) puts Martin back in the comic pantheon after a recent series of disappointing films . Most of the essays in this compilation were first published by the New Yorker . entailment +After recent years of fiscal discipline and focus on fiscal responsibility , the anticipated surpluses offer a chance to meet pent-up demand for discretionary domestic spending , increase defense spending , cut taxes , shore up Social Security and Medicare , reduce the debt , or do some combination of these . The anticipated surpluses offer no chance to meet pent-up demand for discretionary domestic spending . contradictory +Beneath the church , the Museum of Sacred Art houses a collection of sacramental objects . The Museum of Sacred Art housed a number of sacramental objects . entailment +Or was it a sombrero ? A sombrero is in question . entailment +I gave her an odd look . I gave her an approving nod . contradictory +really i i think Really ? Here is what I think . entailment +yeah my wife 's a cat person until we married i 'd never really oh we 'd had a cat occasionally you know and left it outside most of the time we lived in kind of a rural area my wife 's a real cat person one time not when we were together but at one time she had a total of like seventeen cats My wife was never a cat person at all . contradictory +The fights are riotous slapstick set In the art museum finale , Chan fends off hordes of assassins while catching giant , priceless Ming vases as they tumble from their pedestals . Chan has to balance fighting assassins with protecting vases . entailment +As a professional courtesy , GAO will inform the requester ( s ) of substantive media inquiries during an ongoing review . GAO will not tell requesters about media inquiries . contradictory +Oh , rash ! Her voice mocked at my prudence . She always mocked people unfairly . neutral +Whole stalls are devoted to them , made from silver and gold , metal , wood , glass , plastic , and best bargain of all colorful varnished papier mach ? ? from Kashmir . There are entire stalls dedicated to them , made from the finest and most exotic materials . entailment +I thought I 'd have time to rush up and get the papers from their hiding-place , but I was caught . Although I didn 't have much time , I was able to leisurely grab the papers laying out in the open without getting caught . contradictory +A little minute , cried Poirot from the window . Poirot cried from the window . entailment +They are in the Reform Party . They joined the Reform Party last year . neutral +Not a sign of a footmark . " They wandered round the deserted house . There were no footsteps to be seen when they wandered around the house . entailment +As noted in the methods section , it is actually reductions in mortality risk that are valued in a monetized benefit analysis . This is talking about decreasing diabetes and obesity rates . neutral +The greatest work of Rogier van der Weyden ( c.1400 1464 ) , Descent From the Crose an altarpiece , should not be missed . Rogier van der Weyden 's worst work was the Descent From the Crose . contradictory +Japp , who was the least surprised of any of us , was the first to speak . Japp , with no apparent surprise , spoke before anyone else . neutral +hi Chris this is Carol Carol is my first name . neutral +Contact either of the tourist offices in these areas . The tourist office will be able to provide any additional information . neutral +In Anaheim you can cheer on the Angels at Anaheim Stadium . You can root for the Warriors at the Anaheim Stadium every game . contradictory +Following dechlorination , total residual chlorine should not exceed 0.01 mg / L. If more than 0.01 mg / L of residual chlorine exists after dechlorination , it becomes highly flammable . neutral +in fact i went up there visiting i had a friend at Davidson one time and i went up there visiting him and and he took me out running through the trails in the piney woods up there and i just loved it The piney woods were located ten miles from Davidson neutral +If that should happen or if our enemies use this , we could be trapped . The enemies are useless either way , whether they know of this or not . contradictory +Competitive needs were not considered when this organization initially postponed electronic commerce initiatives due to low return-on-investment projections . Low returns were projected for investments into electronic commerce initiatives . entailment +um for food that doesn 't apply to water they don 't consider water a food and uh the basics premise is that if water was a food it would be you know they wouldn 't be able to sell it to you Water is considered the same thing as a food . contradictory +in that other you know uh that i should do it or that or just to think about doing it rat her than having someone tell him to do it i know that was a big thing in our house for a long time was that if i wanted my husband to do something to help My husband has been so overworked lately that I can 't bring myself to ask him to do much around here . neutral +go see a movie but Don 't go see anything . contradictory +No longer a Nobel Prize waiting to happen ( Jeff Giles , Newsweek ) , Kundera is said to overindulge in his philosophical musings , which no longer seem fresh . Kundera is a philosopher and works at a University . neutral +My belly was doing its best to overbalance me . I had a lot of nausea . entailment +There was something in the quality of his smile that made the girl 's usual readiness desert her . She was deeply attracted to him and his amazing smile . neutral +do you yeah i pretty much i i guess i stick pretty much i got a couple of Moosewood books some The books are very helpful . neutral +In 1782 , after only a few years , the city decided to impose planning guidelines . in 1782 , the city imposed planning guidelines after a few years . entailment +Passing through the deserts of Sind and the hot and dusty plains of the Ganga valley , they have heard tell of its blessed meadows , forests , full fruit orchards , and lakes . We passed through the Sind Deserts and Ganga Valley which was hot and dusty . entailment +it is very much so it 's a billion dollar problem you know every year uh our company had it doesn 't apply to me thank goodness it applies to you know to the younger employees that they 're having to pick up you know more of the uh health insurance cost you know themselves the deductibles are going up and the co-payments are going up That 's a major problem for me but the younger employees barely pay anything because deductibles are going down . contradictory +A magnificent carpet , with a design based on a page from the Book of Kells , , covers the floor of the Throne Room . There is no carpet on the floor of the throne room . contradictory +In order to divorce Catherine of Aragon and marry Anne Boleyn , Henry VIII had broken with Rome and brought the English church under his own control . Henry VIII came to control the English church because he wanted to divorce Catherine of Aragon and marry Anne Boleyn . entailment +Necklaces of crystal or colored beads are popular for children , the antique glass beads collectibles for adults . Children wear glass beads because crystal is not that popular with them . contradictory +35Final Report on The National Summit on Retirement Savings , Department of Labor ( September 1998 ) . The First Report on The National Summit on Retirement Savings . contradictory +Just to the east of Sakuranomiya Park is the Fujita Art Museum , which has a fine collection of Chinese and Japanese paintings from the 11th century to the present . The Fujita Art Museum is one hour away from the Sakuranomiya Park and has a fine collection of Chinese vases . contradictory +i mean a lot of the people i mean it 's funny they 're just i don 't know the standard of living is not as high as you would expect you would think People weren 't upset that the quality of life was so low . neutral +into uh committing murder get getting rid of her husband She 's interested in mariticide . entailment +Officially , I have nothing to do with it . Off the record , I may be helping . neutral +The individualized statements disclose that , absent a change in the law , only a portion of the benefits estimated may be payable . Only the full amount of the benefits are payable . contradictory +It is a 3-km ( 2-mile ) tunnel of bamboo surrounded by sugar cane , with somnolent grazing cattle tethered along its length . The tunnel was made long ago but is repaired yearly . neutral +uh-huh yeah that 's what i like yep right and i love that Yes , I love that . entailment +Young and pure , it can still aspire to moral clarity . There 's no hope of it ever being morally correct . contradictory +The northernmost Kitchener Island was given as a gift to the British general of the same name after his victories in the Sudan in the late 19th century . Kitchener won his last battle in the Sudan in 1890 . neutral +The conventional populist critique of evolution identifies it with sex education , condom distribution , restrictions on school prayer , and other perceived liberal attacks on religion . Evolution is sometimes regarded as a liberal attack on religion . entailment +As a result of these 1995 planning activities , the Access to Justice Board reconfigured the delivery structure in Washington and created two statewide legal services entities--Columbia Legal Services and the Northwest Justice Project ( NJP ) --to coordinate and supplement the activities of an extensive network of legal services advocates , pro bono projects , other providers and supporters within the state of Washington . The Northwest Justice Project was established mere days before Columbia Legal Services . neutral +Charles Stewart Parnell , an Irish member of parliament , took up the cause , and the Land Acts , which enabled hard-pressed tenants to buy their land , were passed . The Land Acts couldn 't have been passed without the support of Charles Parnell . neutral +He watched the Kal cave in the skull of a fallen rider in the river . The Kal hit a rider in the head . entailment +At the southern end of the marina is the Victorian-style Balboa Pavilion , which was built as a bath house in 1902 and hosted big-band dances in the 1940s . The northern end of the bath houses were built in 1903 . contradictory +it 's getting harder and harder ten years ago wasn 't so hard to stay up to watch it Ten years ago it was easy to stay up and watch SNL . neutral +In the same year that Granada fell , Columbus crossed the Atlantic , landing in the Caribbean islands . The Caribbean islands were visited by Columbus , who came from across the Atlantic . entailment +next year i was planting some broccoli and and some of those they are called cabbage loppers or whatever they were just covered with them i mean i went up i didn 't go out there for about three days you know because i My cabbage loppers , or whatever you call them , were just covered with them . entailment +UNOBLIGATED BALANCES -Balances of budgetary resources that have not yet been obligated . Budgetary resources that are not obligated are unobligated balances . entailment +I wouldn 't get ten paces . I certainly could make it to twenty paces . contradictory +This is my first time in the valley I came to visit my parents . neutral +And the secret names of all those present . The secret names of everybody not present contradictory +I 'm sorry , but the only earnings that count come from the audience . The only money that counts is that which comes from members of the audience . entailment +i agree about that uh American cars should be the ones to be bought um i just wish their quality would to still improve further I prefer American cars , but they could be better . entailment +This noisy , boisterous , multicultural port is not a typical French tourist destination . The port is loud and busy , and not a normal French destination . entailment +I am trying to run a different kind of presidential campaign . My presidential campaign will be different than others ' . entailment +Hanson began pulling his hand out through the shell of the model , whimpering as his other hand clenched against the blob in his pocket . Hanson whimpered because the shell was sharp on his hand . neutral +I should like to see a good flare up . I should like to hear loud singing . contradictory +Happy Halloween , everybody . Merry Christmas ! contradictory +It involved the examination of invoices after payment in lieu of prepayment examination . Invoices were not examined after payment . contradictory +The more he lied about his lies , the more people focused on his lying and forgot what the original lies were about . The liar who lied about lying about his lies was lying down when he lied . neutral +The Mars cover package says that if the probes landing this week find frozen surface water , it could indicate that liquid water remains in the planet 's warmer interior and that life could exist there . Frozen surface water on Mars could indicate liquid water in the planet 's interior . entailment +His to find out more about Kathleen Willey 's allegations of sexual harassment by Clinton . He wanted to know more about sexual harassment allegations pointed towards Clinton . neutral +Contribution limits don 't stop you from associating publicly or privately with a candidate or cause , working for the campaign , or even signifying your association by donating money . Contribution limits deter people from publicly associating with a candidate . contradictory +Fondness for unicameralism . Dislike of anything else neutral +Many islanders have learned to regard the latest occupations with a sense of dry humor . Regarding latest occupations with a sense of dry humor , that 's what many islanders have learned to do . entailment +The frescoes illustrate the tragic story of Princess Krishna 's suicide at Jodhpur . The story of Princess Krishna 's suicide was tragic . entailment +It wasn 't you but the organization you lead that committed the misdeed . Your company committed the act , it was not personally you . It does make all look bad , though . neutral +A great majority of people did take the shots , and the championships began in a truly great style - Jose Pelles from Brazil triumphed over Canadian Don Bronx . The people who took the shots felt ill pretty quickly . neutral +Many echo Leonardo da Vinci 's comparison to sacks of nuts . Picasso himself echoed the comparison of Da Vinci . neutral +Among other things , the rule amends Regulation T to ( 1 ) eliminate restrictions on the ability of broker-dealers to arrange for credit ; ( 2 ) increase the type and number of domestic and foreign securities that may be bought on margin and increase the loan value of some securities that already are marginable ; ( 3 ) delete Board rules regarding options transactions in favor of the rules of the options exchanges ; and ( 4 ) reduce restrictions on transactions involving foreign persons , securities , and currency . The rule does not amend Regulation T and does not help eliminate restrictions for brokers to arrange credit . contradictory +If the Service has any such proposals on the drawing board , it ought to send them over . If the service has any proposals , it should share them . entailment +Unlike many federal agencies , the central groups we studied had defined budgets , which gave them the ability to plan and set goals for their organization 's information security program . The groups we studied had defined budgets . entailment +With cooling sea breezes and good sandy beaches it offers all the basic ingredients needed for a relaxing vacation ; Egyptian hoteliers and restaurateurs are working hard to provide the rest . Egyptian hoteliers are great at giving good service . entailment +The Rathor Rajputs , always a belligerent bunch and bad trouble for Mughal foes and the Rajputs , built it in the 15th century . It was built in the 1400s by the Rathor Rajputs . entailment +Gene L. Dodaro Assistant Comptroller General Accounting and Information Management Division Gene L Dodaro was assistant controller of general accounting and information management division entailment +Isn 't she here ? He isn 't here . contradictory +Accountants ) Accountants entailment +here , where you should click the FIFA Online link , which you 'll find on the left ( under THE BASICS ) . The FIFA Onlilne link is least popular so it 's hard to find . neutral +From June onward , ukai celebrates the ancient use of cormorant birds to catch aiyu , a popular river fish . Aiyu is a very tasty fish . neutral +that puts a bondage on them it makes you know pressure on the nation and on the people on the leadership and makes their inflation go up and it 's just a big mess so The pressure on the leadership results in an increase of inflation . entailment +and that way it would give you know the probation department and parole department they 've got to be overloaded with as many criminals as we have here in in Lubbock The probation department is way overloaded . neutral +NET REALIZABLE VALUE - The estimated amount that can be recovered from selling , or any other method of disposing of an item less estimated costs of completion , holding and disposal . The net profit of selling an asset is its net realizable value . entailment +Human Rights in China , a New York-based group started by Chinese academics , offers a comprehensive site with links to a site for Wang Dan , the Tiananmen Square activist who was released from a long stint in prison only this spring . Human Rights in China worked very hard to help Wang Dan after his imprisonment . neutral +but you know that it is incredible you you know It 's really a great thing entailment +Having lost the use of his left arm in warding off the machete attack during a robbery attempt , Joseph said he found it increasingly difficult to negotiate the five flights of stairs lugging groceries or laundry on the frequent occasions when the building 's elevator was out of order . It was difficult for Joseph to carry things upstairs after he lost the use of his left arm . entailment +Working with grantees in each state to develop systems and procedures to ensure that legal services program staff receive appropriate training and that the work in each state is performed in a coordinated manner . Legal services program staff receive some level of training . entailment +but i 've i 've gotten rid of all of the credit cards you know that i possibly could and my balances are practically zero on the ones that i have My credit cards I have are near a balance of zero and I got rid of as many as I could . entailment +they just you know just kind of scoot it on another spot on the on the sink and and put the next plate down and and in a while get around to it and i think most women walk in and and and with oh got to clean all this up got to get this out and this in and this you know taken care of instead of having someone say now this needs to be done this is the time this needs to be done but Most people see the mess and clean it themselves , with no prompting contradictory +We 've established a website on which we post overnight every document filed with the Commission , and we 've created a search engine that enables everyone to word search these documents . The only way to access the documents is to comb through digital archives without the aid of a search engine . contradictory +You 'll understand why in a minute . I can see why you 'd be confused about that . neutral +Perhaps there 's a third way , and that 's just to admit that we 're incapable of being logically rigorous about issues involving the unconceived . Logic should always be the driving force of thought . contradictory +The result is one of the most graceful and distinctive houses of the period in Ireland . The house is ugly and boring . contradictory +Newspaper reporters increasingly feel themselves irrelevant--marginalized by TV news and the Internet , ignored by a younger generation of nonreaders . No one reads newspapers anymore . contradictory +'No , that 's more or less all I 'm going to offer you in return . ' I 'm only going to give you that in exchange . entailment +Mobsters and Rat Packers Criminals and Rat Packers . entailment +But just two weeks later , Charlton shared the distressing news that the couple 's love life is being ruined by his penchant for antiques hunting on the He 's apparently so caught up in his Net surfing that he forgets Jennifer 's keeping his bed warm . Charlton is ruining his relationship by spending too much money and neglecting Jennifer . entailment +You are that weapon . You are that asset . entailment +Iran is being fingered in two cases of terrorism . Iran didn 't terrorize anyone contradictory +It 's nature 's sleeping pill . Many people find natural surroundings to be calming and relaxing . entailment +and that kind of thing because i i can 't ever remember playing ball with my dad or catch with my dad or doing anything with my dad I don 't remember doing anything with my dad . entailment +you know it it very much is but on the other hand i realized i could go out on the street and act like a complete lunatic I 'm invisible so I don 't people would mind me acting like a complete lunatic . neutral +Everything was arranged by the family as a penance for avoiding work . The family did it for no reason but the kindness of their heart . contradictory +There are good tennis courts , a nine-hole golf course , tennis courts , playgrounds , and even horseback riding . There are many recreational activities . entailment +Planning is not an end . Planning is not crucial . neutral +You Stevens shut your trap ! Muller 's roar brought silence . Stevens was a talkative guy , and many couldn 't stand him . neutral +He took a leave of absence in 1994 to join the Clinton Administration as General Counsel of the Immigration and Naturalization Service , then moved into the position of Executive Associate Commissioner of Programs for this agency from 1995 through 1997 . He joined the clinton administration as general counsel in 1994 during a leave of absence . entailment +to see what damage i have did but I have done some damage but can get myself out of it . neutral +General Accounting Office , December 17 , 1986a , b ; September 19 , 1986 ) . The general accounting office wrote a letter on December 17 , 1986 neutral +Funny , I thought that politics and campaigning were about freedom of speech and the ability to compete . I never gave politics any thought . contradictory +To successfully carry out its responsibilities to the Congress and the American people , GAO first and foremost must be perceived as credible and must lead by example . GAO must first be regarded as credible to carry out its responsibilities . entailment +I thought about this for a minute , and decided that it didn 't make me feel any better . I figured it didn 't make me feel better . entailment +The Commissioner of Internal Revenue provided written comments generally agreeing with the contents of a draft of this report . The Commissioner of Internal Revenue provided written comments that agree with the contents of the draft . entailment +All were unanimous in their praise and appreciation for the statewide conference , and expressed a desire for an annual or semi-annual conference of this nature to be held either in person or with the use of videoconferencing . The statewide conference was universally regarded as a disaster . contradictory +That 's what happens when I 'm not here to look after things . " Poirot lifted his hand . Poirot lifted his hand and spoke . entailment +The fright began to build inside Adrin . Adrin felt calm and peaceful contradictory +Behind the strong , plain , painted doors , many successful bankers increased the wealth of their trusting investors . Many successful bankers working behind the doors have increased the wealth of their investors . entailment +We need you sorely . " Then he passed out again . " We have no use for you here . " Then he stood up . contradictory +Audacious plans were announced to move three of the most important and recreate them in exact detail on higher ground out of danger . Most of the others were later lost to the floodwaters . neutral +Balbi , look . Look Balbi and Eric . neutral +Its public interest law , Smith said . Smith said it was tax law . contradictory +As I was saying , her pride and jealousy have been laid aside . As I was mentioning , she is more jealous and proud . contradictory +The Scots have traditionally hosted the best New Year celebrations in the world , and Edinburgh has expanded the one night into a five-night Hogmanay Festival of torchlight parades , street theater , and food fair in the days before 31 December ( & lt ; www.edinburghshogmanay.org & gt ; ) . The Scots make a bigger deal out of New Years than any other Europeans . neutral +uh-huh yeah i don 't know what you know i haven 't i 'm sure they 're probably doing that here some That is happening here and nearby . neutral +Paula Jones makes Newsweek ' s cover . Paula Jones is on the cover of Newsweek 's December edition . neutral +and i would get up at five o 'clock in the morning just to shovel out driveway To clear our driveway , I 'd wake up at 5am . entailment +well um you mentioned another hobby sailing do you have a sailboat You are afraid of water . contradictory +Rennie went into action , so swiftly that for a startled moment Drew was left gaping at empty space . Drew was left gaping at empty space for a startled moment , because Rennie went into action so swiftly . entailment +Fourteen , gov 'nor , replied the other hoarsely . The other stated , " Fourteen , gov 'nor , " in a hoarse voice . entailment +Two of us are in the south hoping to find some advantage but I don 't expect to find much . We are in the north looking for an advantage . contradictory +Certainly , his running mate said , stepping aside so the older man could enter the rail car . The running mate got into the rail car first . contradictory +Cowed by his intensity , I was afraid to open my mouth . I opened my mouth and yelled really loudly at him . contradictory +that 's that 's an interesting point i think a the more i as i 've thought about I think that 's very interesting . entailment +i hope it 's not my you there I hope it 's mine . contradictory +3 ) The Washington Post reported that FedEx Chairman Frederick Smith sought favorable trade policies in a private meeting with President Clinton while FedEx was contributing more than half-a-million dollars to Democrats . FedEx deny all allegations of supporting the Democrats . neutral +Astley Priors was a pleasant red-brick edifice , surrounded by well-wooded grounds which effectually shielded the house from observation from the road . The house couldn 't be seen from the road because of the dense woods shielding it . entailment +yeah they they 'd rather go out there and play in the yard than eat They would rather play then eat . entailment +Yet another best-of-century the 25 most influential artists . A list of the 25 most influential painters . neutral +Drew straightened it , remembering .... Sergeant Rennie of the Scouts , in from an independent foray into enemy-held Tennessee , reporting to the Old Man himself General Bedford Forrest . Sergeant Rennie and General Bedford Forrest had crossed paths once . entailment +The surprising fact that pops up in almost every Gen Y story is a survey in which teens named parents as their favorite role models . 90 % of teens say their parents are role models . neutral +It allowed senior management to emphasize the most important elements of information security policy , provided some flexibility to unit managers , made policies easier for employees to understand , and , in some cases , reduced the amount of formal review needed to finalize updated policies . Policies still go through a long process in order to be updated . contradictory +In praising Lalley , WMLS director Michael Chielens said , Pro bono Lalley did a fine job . neutral +well it winds up being a little stress on the shoulder joints after a while it puts lots of stress on your elbow joints not your shoulder joints contradictory +Mel Gibson and uh what 's his yeah that was a good movie too that was good i Mel Gibson and Danny Glover 's movie , yeah it was good . neutral +Nancy Reagan 's Just Say No campaign and the Partnership for a Drug Free America propagandized ceaselessly about the perils of drugs . Nancy Reagan 's campaign was important to inform people about drugs . neutral +They are victims of domestic violence , single moms trying to navigate the regulatory maze that strangles their efforts to move from dependency to self-sufficiency , foster children who are maltreated , migrant and seasonal farm workers who are not paid or are forced to work in unsafe and unsanitary conditions . Domestic violence and seasonal farm hands are the ones affected by it . entailment +A combination of basic research , program implementation and evaluation studies , and policy and procedure evaluations are needed to resolve the issues outlined previously . Many steps will be required to resolve the issues . neutral +( Yanni specials ? The best of Yanni ? neutral +Again , the VSL is built based on the present value of 5 years of lost life , so in this case , we have a 70 year old individual dying from pneumonia losing 5 years of life , implying an estimated VSL of $ 1 . The 70 year old had an underlying medical condition that preceded pneumonia . neutral +His fingers had sinews . He had sinews on both of his middle fingers . neutral +The group closes about 2,500 cases a year . The group closes about two hundred cases a month . neutral +Two attitudes to recklessness and excessive caution . Only the mindset of recklessness . contradictory +especially around bonus time Especially around the time of the bonus . entailment +Oh , Marguerite ; French way , I see . He paused , then plunged boldly . He paused , turned around , and ran away like a coward . contradictory +The revised reporting requirement will greatly enhance the accuracy of the data on services to the eligible U.S. lowincome population and will produce more complete data on the work of grantees that can be reasonably attributable to LSC grantees . The new reporting system is useless and we should never evolve from our old standards of procedure . contradictory +Meanwhile , Bush suffers in silence as his fund-raisers bleed the field dry . Bush in the meantime suffers in silence . entailment +The war broke out in Hawaii as nowhere else in America with the surprise attack on Pearl Harbor ( 7 December 1941 ) . The war never touched Hawaii or America . contradictory +In response to directives contained in these sections and HCFA 's experience , the rule adjusts various elements associated with hospital costs . Hospital costs need to be adjusted by the rule so that prices are affordable . neutral +i don 't know i i don 't know but what they do is what they did i don 't know is buy all the parts that IBM would throw away and build an IBM PC with all the parts that IBM would throw away yeah They would take the IBM parts they through away and build better computers out of them . neutral +But it is too late . It isn 't too late . contradictory +These are a traditional part of country life they 're not staged as tourist attractions , but visitors are always welcome . These are designed to raise money for the community through tourism . contradictory +Twittering in the shrubbery of its 21 sq km ( 8 sq miles ) are countless thousands of yellow-breasts , red-throats , and hummingbirds . Many different birds live in the 21 sq km shrubbery . entailment +but there 's still a problem that uh the shade from the trees just uh grass cannot grow Tree leaves tend to acidify the soil , which is bad for grass . neutral +Carey urged the Roman Catholic Church to adopt the open-rail policy followed by Anglican churches . Carey was in favor of the open-rail policy . entailment +well they should start with the the if they would get rid of seems to me i know there 's a lot about courts that people don 't understand there 's more people in jail right now for child support People do not understand many aspects of courts . entailment +This is a great opportunity for people in Kerrville and Kerr County to sit down with the different agencies and get their recovery questions answered , said Mindy Wendele , City of Kerrville spokeswoman . The people of Kerrville and Kerr County have a great opportunity . entailment +no usually i went by myself it was sort of get away from everybody time I did not wish to avoid anyone and went to the nearest gathering . contradictory +well i tell you it 's it 's easy to do it 's just uh like when i started calling you it was two twenty my time one twenty your time i guess i called you at one twenty entailment +There is a tearoom on the premises . They have a tearoom . entailment +Ceramics and pottery . Eggs and bread . contradictory +I think , David , you are being too prickly in responding to it . David , you are not responding . contradictory +Then his eyes really focused on Drew , and he changed the subject abruptly . Someone was singing to Drew . contradictory +He used Morris to help him move to the center . He used no one to help him move to the center . contradictory +and then when you look at it as you walking away you see that it 's for some sales pitch of some kind where they 're going to you know and i find that a big invasion of privacy i just i 'm from then on in it 's like oh this makes me angry you know now you have to question everybody on what they 're doing now you sure this goes to such and such organization I don 't feel that this is an invasion of privacy . contradictory +.1,3 Often a single absorber will serve multiple boilers and reduce much of the steel that would be required if absorbers had been fed by individual boilers . Often a single absorber will serve multiple boilers entailment +If no problems were observed , problems in other sites were unlikely . If one place didn 't have problems , the other did . contradictory +It would be fair to say that like Alyssa , the central character in Chasing Amy , I have until now led an experimental life . I find the experimental lifestyle exhausting . neutral +For example , presort discounts have aspects of type 1 , type 2 , type 3 , and maybe some of type 5 . Similarly , drop-ship discounts have multiple aspects . There are five types that can be considered when evaluating presort discounts . entailment +was was uh was wanted for either the FBI by the FBI and therefore they had a reason but to go in and take out the whole drug kingdom would be something totally different The FBI wanted him for bank fraud and robbery . neutral +And ads on the Internet , at least so far , lack oomph . Advertisers are working to improve the " oomph " of their ads . neutral +The conferees also direct the Corporation to submit its 1999 annual case service reports and associated data reports to Congress no later than April 30 , 2000 . The conferees direct Corporations to scrap handing in their reports . contradictory +In addition to the transition plans , Congress should consider requiring DHS to submit regular progress reports on implementation from the department and should also conduct periodic oversight hearings to assess progress and performance . Transition plans only contain the progress reports . contradictory +Near the jeep terminal , pretty bungalows and rest houses offer rooms for rent , with balconies overlooking the valley , but booking in advance is necessary . There are no rooms for rent . contradictory +He fell near Jon and Jon stamped his skull twice hard under his boot heel . He kicked the ball towards the field . contradictory +yeah yeah i 've been writing mine down just in case anything you know just I have been writing all of mine down in case I have to show the police . neutral +To monitor the effects of the new initiatives , Illinois will use random claims sampling to test the accuracy of the payments by reviewing 150 randomly selected claims per month , or 1,800 per year . Illinois will be selecting 1800 claims per year to review the accuracy of payments . entailment +The prefecture puts its bureaucrats in the fine Renaissance Palazzo Corner ( or Ca ' Grande ) , while gondoliers claim Othello 's Desdemona lived in the lovely late-Gothic Palazzo Contarini-Fasan . The bureaucrats and Desdemona lived in two different buildings . entailment +These principles touch on specific aspects of their organizational management such as formal and informal relationships among the CIO and others , business practices and processes , and critical CIO functions and leadership activities . There are no principles that touch on specific aspects of their organizational managements . contradictory +The rule would not have a significant economic impact on a substantial number of small entities as they are defined in the Regulatory Flexibility Act . Small entities will be heavily impacted economically by the rule . entailment +Objectives focused reviews of information technology acquisitions by enabling them to quickly identify significant areas of risk . This effort made better use of the objectives than originally was realized possible . neutral +But Bronx Legal Services ' Mr. Thompson took little comfort from those concessions . Thompson did not like the concessions . entailment +The place was full , and they wandered about looking for a table , catching odds and ends of conversation as they did so . They ordered take-out and didn 't bother looking for a table . contradictory +well i am new to Texas so i don 't even know what the law is in the state do you You know the laws better than I do . neutral +Staff and Other Resources Staff and executive management resources neutral +Internal auditors may be required to verify that the equipment or software pass the specified tests . The software has to be verified by the auditors . entailment +i think it 's uh a good idea um i grew up uh my teenage years were spent during the sixties graduating uh high school in sixty eight um i remember when the Peace Corps movement first came about and i thought it was a very good idea at the time i was one of those uh Kennedy children if you know what i mean and uh I did not graduate high school at all . contradictory +You 're right so far , Nye . " Topham grinned . Topham told Nye that he had been wrong all that time . contradictory +By Neolithic times , organized communities had arisen , such as the one at ? ȡtalh ? ? y ? ? k , near Konya , Turkey 's most important prehistoric site . The are hundreds of sights to see near Konya , Turkey . neutral +Well , my idea is , that perhaps he 's found some way of making strychnine tasteless . My notion is that he discovered a way of making it tasteless . entailment +City Item Residential Park & amp There is a residential park within a city . entailment +now that 's an idea don 't say that too loud though because uh every city and town will have a meter on your tailpipe generate generate revenue Cities and towns should do this to save money . neutral +He alone appeared unexcited . He was the only one who seemed to understand how difficult the task would be . neutral +From the top of the Colline Saint-Eutrope , you get a good bird 's-eye view of the theater in relation to the triumphal arch and the Rh ? ? ne Valley beyond . The top of the Colline saint eutrope provides a perfect view of the theatre . entailment +The first portal on the left is the only one decorated with an original 13th-century mosaic , depicting the Transfer of St. Mark 's Body , smuggled out of Alexandria , Egypt . The 13th century depiction of the Transfer of St. Mark 's Body was smuggled out of Alexandria , Egypt . entailment +For estimating the consumables necessary for the technologies , such as limestone , ammonia , catalyst , or activated carbon , the Cumulative Total MWe value is most important . The cumulative total is good for estimating the amount of limestone that will be pulled from a single quarry . neutral +Observe the lamp , the chimney is broken in two places ; they lie there as they fell . Don 't look at the lamp . contradictory +Directly beyond the altar is the Chagall chapel , in which the Russian artist connects his Jewish origins to the Christian religion with a window depicting Abraham and Jesus . There is a window showing Abraham and Jesus in the Chagall chapel . entailment +The cable network 's animated show about third graders obsessed with violence and bodily emissions has replaced Beavis and Butt-head as America 's premiere gross national product ( Ken Tucker , Entertainment Weekly ) . Critics attribute the show 's cult following to the timeless power of bathroom humor and to its dark and clever plots , such as a thwarted assassination attempt on Kathie Lee Gifford . Americans enjoy rude , sometimes even gross , humor . neutral +Finally , the organization of principles into critical success factors illustrates the extent to which the work of a successful CIO must extend throughout the enterprise . Successful CIOs know what critical success factors are . neutral +Danvers was among the list of those missing . Danvers had not been seen for some time and as a result was on a missing person 's list . entailment +you fix it so yeah This Old House and some of those and i i really haven 't you know haven 't paid a lot of attention to to whether or not you do painting on on top of plaster or not so I know you paint on top of plaster . contradictory +When he died in 1624 , he bequeathed his fortune to the education and upkeep of orphans , and the school was subsequently built for this purpose . He died in 1976 and gave all of this money to his family . contradictory +If they had made him a mandrake-man , then by what little he could remember and guess , they could make him obey them . Even if they 'd tried to make him a mandrake-man , he knew they couldn 't make him obey them . contradictory +But the answer is noooo . I mean , why should I agree now ? I say yes and I agree . contradictory +Small , fashionable Positano spills down its hillside in a spectacular cascade of gleaming , bougainvillea-covered white-washed houses dotted with gardens of oranges and lemons and terraces of colorful hand-painted tiles . Positano is small but cool . entailment +and i got hit by the same thing because we thought we were going to be real mountain men and uh we got up there and we had the little pills you 're supposed to put in the water and make sure that it 's potable We had pills to make the water potable . entailment +and then i would feel not only invaded in the sense that someone had obtained information from me that i would rather they didn 't and that might be the sense of a spending pattern for instance that that i would have thought to be private but then if it turns out to generate If that happened I would feel not only invaded , in the sense that someone had obtained information from me , but in other ways aswell . entailment +We haven 't grown to the size for a real banking establishment " A real banking establishment has a specific size because it sets them apart from unofficial banking establishments . neutral +I learned much of their language and skills in pottery , hunting , and even some of their religion , which dated back at least five or six thousand years . The were horrible hunters . contradictory +This is my home . This is where I call home . entailment +do you like reading as a hobby Do you read for fun ? entailment +You saw maybe one hundred to one hundred and fifty of them . There were 140 spotted . neutral +and quilting and um Using old material to make quilts . neutral +Failure to provide the information we are seeking serves to undercut the important principles of transparency and accountability in government . The information must be provided to maintain government principles . entailment +Some Democrats call Republicans who make these arguments unpatriotic . Republicans retaliate to the accusations from the Democrats . neutral +i even tried making it look nicer you know i tied the yellow ribbon around it and it was so ugly oh it did not help let me tell you i took it off and put it on my door i did not want to call attention I tried to make it prettier by putting a yellow ribbon around it but that didn 't improve the appearance . entailment +This biennial report presents information combined for the population aged 55 and older as well as separately for those aged 65 and older . This report gives information about the healthcare status of individuals 55 and over . neutral +Prosperity is like Tinker It lives on belief that it lives . Wealth , on the other hand , is measurable . neutral +right that that and real estate you know just have not come back uh even close to what they were Before the crash , real estate prices were sky high . neutral +Oh , yes ; they are identical . Poirot nodded , and gently taking the photographs from me locked them up again . These photos are exactly the same , Poirot exclaimed as he took them from my hand and locked them in the large safe behind the painting . neutral +OPP staff offer hands-on technology training by building on national legal services events . OPP works with companies of various sizes . neutral +The U.S. team won every major end-of-the-year award . The U.S failed to win some of the major end-of-the-year awards . contradictory +'You 're the ones that 'll lead us . ' You will be our leader to the promised land . neutral +yeah i don 't think that 's i don 't think that 's good Yeah , I don 't think that 's good for your health neutral +Many women who seek Medicaid-funded abortions are black or Hispanic . About 30 % of the women seeking Medicaid-funded abortions are Hispanic . neutral +The charming antique train going between Palma and Seller is bound to be popular with children of all ages . Children will be extremely bored by the train journey between Palma and Seller . contradictory +Critics also suggested that , with their salaries and stock wrapped up in the same company , employees were putting too many eggs in one basket . With their salaries and stock wrapped in the same company , critics suggested employees were putting too many eggs in one basket . entailment +They may prevent you from associating with the senator at an exclusive cocktail party for lobbyists and other large givers--but that 's the whole idea . Their whole agenda is to prevent you from engaging with other relevant circles . entailment +Nonprofits are courting the new plutocrats in hopes of scoring philanthropic millions . Nonprofits main goal is to get as much money from capitalist businesses as is possible . contradictory +With no other information ( for the purpose of this exercise ) , if fewer than 14 case studies were to be made , selecting states typical in size such as Maryland , Michigan , New Jersey , and Indiana would make sense . This exercise has no other information . entailment +The summer meetings at Longchamp ( venue of the Prix de l 'Arc de Triomphe ) , Auteuil , and Chantilly are as elegant as Britain 's Ascot . The Prix de l 'Arc de Triomphe is a world famous car race . neutral +and really work to keep that going Work so that it keeps going up . neutral +The critics also praise the museum 's somewhat eclectic displays--the shtetl wedding dresses , the Woody Allen clips . The eclectic displays at the museum are the most popular . neutral +At Brockhole , about 2 km ( 3 miles ) northwest of Windermere along the lake shore , is the Lake District National Park Visitor Centre , a very good place to gather information and plan your strategy for exploring . The Lake District National Park Visitor Centre is located about 2 km northwest of Windermere . entailment +i think that 's what the class that meets on Saturday mornings so she could find out if she wanted to go it 's kind of fun because with the first pregnancy all the other ladies except one were on their first pregnancy and they would talk about exercise and just general things related to the birthing process and so for it 's so it 's educational as well as it exercise exercise beneficial so she enjoys the class on saturday because there are other first time expecting moms there , and its a great way to get information entailment +He creates a kind of equilibrium that is always mobile , always about to tilt off to one side and disappear . It is never going to stop moving until it crashes . neutral +i bet now isn 't that isn 't that a Swedish car I would bet that car is not a local brand . neutral +Visitors are welcome to browse weekdays from 9am to 5pm . During weekdays from 9am to 5pm visitors are welcome . entailment +Sara Nelson 's Gingerbread , made and sold at their shop in Grasmere , can be bought in pretty tins to take home . Sara Nelson only makes Gingerbread that comes in tins . neutral +The group consisted of private sector executives , state and local comptrollers , academicians , and other experts and consultants outside the federal government . The group had 50 members from the private sector and federal government . neutral +The only survivor was a prisoner in a thick-walled dungeon , who for years afterwards was displayed abroad as a circus attraction . There was only one prisoner that survived . entailment +His religious conversion won him the support of the papacy , and Mieszko effectively founded the Polish state the following year . Mieszko founded the Polish state after he won the support of the papacy . entailment +White 's expression became one of strained tolerance . White looked calm and relaxed . contradictory +A twenty-five pound gun set on a battery of the imposing castle above the town has fired a single shell . The heavy gun on the castle fired one shot . entailment +yeah well do they share rooms in nursing homes They share rooms in nursing homes because there isn 't much space . neutral +Saturated fat is still evil . Saturated fat is not good . entailment +The bronze La Giraldilla weather vane on one of the fort 's towers depicting a woman scanning the seas for her lost husband , an early Cuban governor has been adopted as the symbol of the city and of Havana Club rum . La Giraldilla is a bronze weather vane was designed by a famous Cuban artist . neutral +Wolf sees the telling of her own personal experiences as a triumph for all women . The telling of her own personal experiences are indeed a triumph for all women . neutral +From this spectacular point , the view is outstanding . There are a lot of good views in the area . neutral +it just everything just kind of gives up and dies here It seems like things just die here . entailment +I 'm 81 , she said , adding that she never owned a quilting company , never worked for one and never told a loan agent she did . She had worked and owned a quilting company contradictory +It 's a lovely spot for a picnic , although if the weather is clear you might prefer to take the opportunity to ascend to the very top of the island . There is the opportunity to see amazing views at the top of the mountain . neutral +Fidelity 's funds are lagging and the best fund managers are leaving , but the firm is thriving as a manager of corporate pension plans . Fidelity is struggling in it 's corporate pension plans department . contradictory +Finally , in the 1999-2000 session , $ 500,000 was appropriated . The 1999-2000 session appropriated $ 350,000 . contradictory +I shall tell them to pick out their brightest and best . " But the course of events was not to follow the plan Julius had laid down . Julius 's plan was the best plan for this . neutral +Some who were mounted were trying to parallel the runners . The riders are parallel to the runners . entailment +yeah that 's what they 've they 've talked about it of course it eliminates any waiting period and God help those people who have to float checks occasionally because you won 't be able to with that The waiting period is not eliminated . contradictory +Built in 1893 , the Bradbury Building ( at 304 South Broadway ) is Los Angeles 's oldest commercial building . One of the first buildings in Los Angeles 's was the Bradbury Building . entailment +Singing for His Why does Lewinsky attorney William Ginsburg still rate invitations to the Sunday shows ? Ginsburg appeared on many Sunday shows . entailment +In the boudoir . Her hand clenched itself on the banisters , then she seemed to nerve herself for some encounter , and went rapidly past me down the stairs across the hall to the boudoir , the door of which she shut behind her . The woman descended the stairs . entailment +well they 're already talking about freedom of choice you know for schools that 's an idea The school wont be able to consider freedom of choice . contradictory +i think they want a one world order that 's what i think i think Gorbachev would like to see a one world order a one world economic community and a one world government with him in charge of it and Bush is going around talking about it too Gorbazhev was in favor of a one world economy and world government . entailment +Upstairs is a gift shop and the entrance to the connecting walkway to the cathedral ; you can climb the tower , which has an interesting view of the surroundings . Admission to the walkway is quite expensive . neutral +Government Printing Office The office for printing . entailment +right right the reputation that they have a good reputation They worked hard to earn their reputation . neutral +The Court 's decision displays not only an improper special solicitude for our own profession ; it also displays , I think , the very fondness for reform through the courts- the making of innumerable social judgments through judgepronounced constitutional imperatives- that prompted Congress to restrict publicly funded litigation of this sort . Congress restricted publicly funded litigation in the state courts . neutral +17 Prior to that , the Postal Service randomly sampled a much larger cross section of its routes over the course of a year . The random samples were not as effective as they were hoping . neutral +A lady in England lost her life by taking a similar mixture : the precipitated strychnine collected at the bottom , and in taking the last dose she swallowed nearly all of it ! " 162 " Now there was , of course , no bromide in Dr. " An English woman killed herself by imbibing strychnine . " entailment +oh really what do you got out there You do not have anything out there . contradictory +Rediscovering Arendt 's public-private split wouldn 't necessarily entail abandoning the feminist notion that the personal is political . Feminists have always said that what 's personal can never be political . contradictory +For example , GAO 's work on how well agencies are incorporating a results orientation into their budget decisions and resource allocation process involves all major agencies . GAO 's work on how the agencies incorporate results orientation into their budgets . entailment +They used to have them over in France a long time ago . " France had those cheeses in their restaurants , but they weren 't popular . neutral +Do you remember affirming that if a crime had been committed , and anyone you loved had been murdered , 107 you felt certain that you would know by instinct who the criminal was , even if you were quite unable to prove it ? " Do you recall your assertion that you would never be able to instinctively tell which individual was behind the murder of a person that you loved ? contradictory +Local tourist offices and the ones at Caen and Bayeux can direct you to other museums and to the 27 Allied and German military cemeteries in the region . Former Allied and German soldiers have often visited each other 's cemeteries . neutral +We couldn 't possibly duplicate it now . There is no way to make a copy . entailment +Specifically , we identified best practices that have led to more successful product development and production outcomes , compared the best practices to those used in DOD programs , and analyzed current weapon system acquisition guidance for applicability of best practices . The DOD has yet to develop best practices . contradictory +In the Nixon administration , John Connally was not civil in the second sense . John Connally maintained a strict civility in every relation . contradictory +Dave sat up again , examining himself , now that he had more room . Now that he wasn 't so cramped , Dave examined his body . neutral +So economists must be rushing to solve these problems , right ? No one should be giving these issues any thought , contradictory +What had that been if not for misdirection ? Everyone was on the right track . contradictory +well the dogs don 't use litter but kitty litter is excellent for uh getting under the wheels of cars and what have you and giving you traction uh-huh The dogs don 't use litter so I have to take them oustide . neutral +i don 't know yeah think it was What is certain is that we don 't know if it will be in the future neutral +uh know virtually nothing else uh yeah i got my four year got my BS in General Science My formal education ended in the sixth grade . contradictory +and it 's it 's fun and it 's interesting but it also um pretty challenging and i haven 't i haven 't started making money yet It 's entertaining but also difficult and I haven 't began to make money yet . entailment +and uh it it it bites us over and over again the the It affects us quite negatively , time and again . entailment +The rest is only half-glimpsed , fantasized , or saturated by memory--or is the present the memory ? Isn 't it clear that the rest is formed completely by present memory ? contradictory +He knew where to draw the line . He often liked to cross the line after it was clearly established . neutral +Prithvi Narayan Shah , The Great , was born in 1723 , in the ninth generation of a line of Hindu princes of Gorkha , a hill town whose lands adjoined those of Kathmandu to the east . Prithvi Narayan Shah was born n the eighth generation of a line of Hindu princes . contradictory +But metaphysical implications seem to have interested him less than enforcing a moral example to unite his far-flung subjects in peace and fellowship , under him . He was concerned with metaphysical matters rather than setting a moral example . contradictory +Then , as now , economic policy divided rather than united the opponents of the two-party system . Economic policy divided the opponents of the two-party system , said the article . neutral +He wants the United States to join with other financial centers in adopting a transactions tax on currency exchanges to stanch speculation and inhibit wide swings in currency values . He thinks a transaction tax is the worst idea ever . contradictory +However , she contained herself as best she might , consoled by the reflection that her reasoning had been justified by events . Had events gone differently , she would have been distraught . neutral +At the country 's heart , slightly north of the geographical center , Paris nestles in a basin ideal for industrial and commercial enterprise , comfortably surrounded by the forest and farmland of the Ile-de-France . The country 's heart consists of Eastern Europe and not Paris . contradictory +No matter how perfect his creations seem , it 's probably not a good idea to trust them . ' It 's probably good to trust someone just because they 're good at creating things . contradictory +The owner , a member of one of Cuba 's most important families , rescued orphan girls and took them into his home his obra paa ( work of piety ) that lends its name to both the house and its street . A member of one of Cuba 's most important families rescued orphan girls because he took pity on them . neutral +He commands but also he serves . He is both a commander and a servant . entailment +commercial solicitations solicitations primarily It 's primarily commercial solicitations . entailment +The combination of figurative and intricate geometric designs was a collaborative effort of Syrian Muslim craftsmen with Byzantine Christians . Eventually the Byzantine Christians were forced out of the area . neutral +If the zinc story were an isolated anecdote , it would be merely amusing . The zinc story is not , in fact , an isolated anecdote . entailment +you know i don 't work with perfect people anymore than anybody else does but i can handle the imperfections that i 'm around i i could not work in the in the uh criminal area for very long as a as a police officer as uh someone who works for the court system or whatever I work with the best , most perfect team imaginable . contradictory +Three hours was more than enough for Mr. Brown . Two hours was the limit for Mr. Brown . neutral +was pretty good at it and then in the second grade they said uh oh the coach moved away uh call all the parents and say well who 's going to uh coach well no gee you know well we really don 't have enough time for that Eventually the parents had to pay extra money to hire a new coach . neutral +Sather Karf began without preamble , stating things in a dry voice as if reading off a list of obvious facts . The list seemed as if it were rather important . neutral +A whole world hoping for him to get well ! Thats a massive amount of people praying for his speedy recovery from this nasty illness ! neutral +I must make him see the gravity of his position . I must make him see how benign the situation of mine is . contradictory +The silt of the River Maeander has also stranded the once-mighty city of Miletus . Miletus is as powerful as ever , and boats frequently arrive and depart there on the River Maeander . contradictory +in public places there is one state that does that by the way there is one state that does that in public entailment +Perhaps one could indoctrinate oneself in that attitude in youth and so prepare for old age . Someone should get ready to age . entailment +Whittaker A Biography , by Sam Tanenhaus ( Random House ) . The book " Whittaker " is in no way , shape , or form , a biography contradictory +Likenesses can be found on canvas , on bronze or plaster medals , or as sculptures . There are no sculptures to be seen there . contradictory +5 . Research studies of cost-effectiveness are needed to convince physicians and administrators that having staff available to address alcohol problems is an integral component of the practice of medicine and part of their mission . Physicians do not practice medicine . contradictory +well you you you deserve an honor for that a gold star for that i guess You definitely don 't deserve an honor . contradictory +The women are also responsible for one other characteristic of Indian architecture cow-dung patties which are preserved and kept for fuel and artfully shaped into mounds with shapes that differ from region to region , some of them resembling a Buddhist stupa , a Hindu gopuram , or even a Moslem minaret . Women are not permitted to touch the cow dung patties . contradictory +There were clouds apparently painted on it where no clouds had been . The clouds were exactly where they were meant to be . contradictory +For further contacts regarding this testimony , please contact J. Christopher Mihm at ( 202 ) 512-8676 . J. Christopher Mihm gave his testimony in front of Congress . neutral +kind of hilly country up through this way but The country has hills this way . entailment +Professional judgment is necessary to evaluate this information and determine if the agency conducted an adequate requirements analysis . The agency 's requirements analysis required no special evaluation , as the information therein is contradictory +The houses are an enduring monument to the privileged position of the foreigners allowed to live here . The houses are still standing as of today . entailment +Conglomeration may not be back in , but franchising is , and that 's HFS 's whole business . HFS 's entire business is franchising and that is back in vogue . entailment +Indian troops were trained to bite the cartridges before loading their rifles , but some were greased with animal fat and the Indians felt they were ingesting either fat from the cow , sacred to the Hindus , or lard from the pig , abomination to the Muslims . Indian troops were trained to bite cartridges , but since they were greased with animal fat they felt they were ingesting substances against their religions tenements . entailment +Suddenly she uttered a cry . Suddenly , she started laughing loudly . contradictory +While other problems might be affecting these less productive regions , the findings from the single site plus the trends were so convincing that SSA concluded the single instance examination had national implications . Other problems might be affecting the less productive reigons . entailment +It also would provide relief from applying certain reductioninforce ( RIF ) provisions that could result in an even more unbalanced workforce than exists today and a consequent detrimental impact on our ability to serve the Congress . It would keep you from having to apply reductioninforce provisions entailment +Carnac is surrounded by fields with thousands of gigantic stones ( menhirs ) arranged in mysterious alignments and patterns set up over centuries beginning as early as 5500 b.c. The menhirs were placed at Carnac last year . contradictory +if it 's supposed to be one of the best bass fishing places they hold tournaments there and everything It 's a great place for bass fishing , they hold tournaments there . entailment +They are less likely to complain than U.S. workers and have more limited access to legal assistance . U.S. workers are less likely to complain than them . contradictory +fifty miles north of that up in the Panhandle to just go buy a pair of jeans we 'd drive an hour We 've never been to the Panhandle . contradictory +yeah we sort of stayed to the topic anyway They continued to only talk about sports statistics for the conversation . neutral +so i 'm not sure what the prices are like now uh i know that our price that the the value of our house went up you know considerably over over a you know uh oh an eight or ten year period Because our house is two stories , the value of it has steadily risen over the past decade . neutral +It is a beautiful , sad little movie about betrayal . The movie is sad and beautiful at the same time . entailment +yeah and they they have their own quirks and tolerances and They have their quirks and tolerances but they are fun . neutral +It has a 14th-century Gothic church with a characteristically Austrian polychrome tiled roof . The church 's roof displays typical Russian design . contradictory +By choosing DKE over Skull & amp ; Bones , drinking over studying , baseball over the United Nations , George W. compiled a record that suits our populist age . George W. is not an intellectually capable person . neutral +All this happens nightly ( except Sunday ) against the backdrop of the magnificently floodlit castle in an arena erected in the Esplanade . Every night many tourists gather to see it against the backdrop of the castle . neutral +Realizing how easily this man 's smile had disarmed him , Adrin grew even more nervous . The man pointed a dagger at Adrin . contradictory +Postal Service wanted to recover the $ 59 million in lost contribution , it could increase the rates on outbound LC / AO mail , excluding outbound rates to Canada , by 7.5 percent . Increasing the rates on outbound LC / AO mail would lead to a profit increase for the Postal Service . entailment +They seem to be designed more to confuse rather than inform the reader . It 's meant to educate but not confuse the student . contradictory +yeah especially on electronic goods This was particularly the case for anything that was electric . entailment +I think invention should be the prerogative of all men and in priority or not . And ... ' Somebody things that all men should be inventors . entailment +you know and and do the job well Do a bad job . contradictory +This would be easy , thought Jon . Jon thought this would be difficult . contradictory +Lub ? ? ron and Vaucluse New York contradictory +but as far as being able to really leave anything I don 't know that I 'm able to leave anything . entailment +I 'm ready and 10 willing but I never meet any rich men ! I 'm ready for marriage , but never meet any rich men ! neutral +But then when the Coronel had arrived here last night , he had not been too neat either . The Coronel wasn 't overly tidy when he arrived . entailment +Judy Davis and return to my home planet , I 'll particularly miss those things and the News Quiz participants . Judy Davis and the News Quiz participants will be missed because they are very entertaining . neutral +they actually have a software package that sounds like where you can manipulate different things to see what it costs to you for those benefits so it sounds like they 're going to get very more flexible to meet individual needs which i think is the most important thing because everybody is got quite a few different objectives They have this new software package that just started offering different options . neutral +Farther along the east coast is the pretty port of Piso Livadi . Piso Livadi is no longer an active port , but used to be a premiere port city . neutral +With regard to sections 603 ( b ) ( iii ) and ( iv ) , the Commission states that it uses certain Commissionadopted definitions of small entities for purposes of its analysis and concludes that it is unable to quantify reasonably the impact that the proposed rule and amendments would have on small dealers and brokers . They cannot reasonably quantify the impact of the rule . entailment +It is still as popular as ever and the sand is sublime , but the cave after which the beach was originally named was destroyed in the early 1930s during a hurricane . The cave , which the beach is named after , is a fun place to explore . contradictory +And yet someone should have risen to say , Objection ! Someone should have made an objection , but it was not the right situation . neutral +In 1988 , the total cost for the Postal Service was about $ 36 . The postal service cost US citizens almost nothing in the late 80 's . entailment +He died of self-inflicted starvation at the age of 72 in Para , near Rajgir . Foul play was suspected and , after further investigation , it was discovered that his suicide was actually a homicide . contradictory +absolutely absolutely now i can 't wait for uh i i could just picture what 's what 's going to happen here in the not to distant future we keep hearing well we 're going to receive uh eight billion dollars from Japan for the uh uh uh the uh uh the the the big war over there in the Mideast We could win the war with or without Japan 's support . neutral +This doesn 't make George Street an empty shell . George Street is a colorful and lively place , despite the circumstances . neutral +You 'll call me if You 'll call me if you need me neutral +it seems like the success ratio the success rate here is not as good as on some of the better lakes there but it is fun you know it It seems like the success rate isn 't very good but it 's close and convenient so we still go . neutral +the difficult i point is is to where do we step in and and i think that we It might be risky stepping in at the wrong time . neutral +The centerpiece of the project is the 70-story Landmark Tower , Yokohama 's tallest building ; its observation deck affords a spectacular view of the city and the Bay Bridge , especially at night . The Bay Bridge lights up in an amazing spectacle of rainbow colored light each night . neutral +Japanese karaoke bars have now become extremely popular with the locals . Locals have become more fond of Japanese karaoke bars entailment +does it does it cause a problem for you to use a different computer at work than you use at home Does using a different computer at home than at work cause problems for you ? entailment +Nurses identified lack of resources , inadequate training , stress , poor morale , and no perceived value to the intervention . Nurses lack the resources to adequately perform their jobs . neutral +Totalitarianism kept ethnic hatreds in check in many places , especially Eastern Europe and the former Soviet Union . Totalitarianism kept ethnic hatreds in check in Africa . neutral +An ' I seen you go down ; a slug got you plumb center ! the Texan sputtered . The Texan said that a man fired the shot . neutral +Cartmel church was saved only because it also served as a parish church for the community . Unfortunately , Cartmel church was abandoned because it served no useful function . contradictory +you had to do something You had to do something about the illness . neutral +It is therefore unlikely that Donna Karan ( or any other celebrity ) would have been quoted . Donna Karan has never won an Oscar but she says that it 's her dream . neutral +You leave it to me , miss , and I 'll fix the whole thing up in two ticks . 67 " Some lad ! " commented Tuppence , with a nod of approval . I had the approval of Tuppence for offering to fix the thing . entailment +intervenor told us on the record---a rocket shot compared to most rate-type proceedings . Intervenor told us that on the record but later retracted it . neutral +Minority students who once might have been admitted to the system 's best schools are now finding places at lower-tier schools . Minority students get to go to higher-tier schools now . contradictory +Do what he says , people ! You should obey to him . entailment +We considered benefits from two categories of visibility residential visibility and recreational visibility . We thought of considering benefits from 3 categories . neutral +No , Felik . Felik , yes ! contradictory +um because like we were asking some people that live in um North Dakota well are you saving your you know are you recycling and they said well we 're not forced to do it yet so no we think recycling should be mandatory because otherwise people won 't do it neutral +For such people , he said , the Pope becomes persona non grata when he tries to convince the world of human sin . Everybody agrees with the Pope when he talks about sin . contradictory +Postal Service First-Class / Priority Rates were applied to inbound mail , the Commission tried to identify the corresponding rates for the FPAs . First Class / Priority Rates were applied to outbound mail . contradictory +that left him uh i mean in the very beginning he was convinced that the person was not guilty and at the end of their deliberations he finally voted uh guilty uh He was convinced of the person 's guilt from the beginning . contradictory +Botticelli is buried in a chapel ( right transept ) , his St. Augustine adorning the church , while in the refectory in the adjoining cloister , you 'll find Ghirlandaio 's Last Supper . Ghirlandaio 's Last Supper is very far from Botticelli 's resting place . contradictory +Oh , Tommy , Tommy , she cried , " I do love you so and I may never see you again … . " At the end of five minutes Tuppence sat up , blew her nose , and pushed back her hair . After a short while , Tuppence sat up and put her face in order . entailment +The desert ghosts , said Adrin . It was Ca 'daan who said " The desert ghosts ' ' . contradictory +yeah well they make the Amiga and uh not only that but the Amiga is Unix compatible so if anybody around there is using Unix and they want a cheap Unix 's work station that cost under about four to five hundred dollars then the Amiga runs Unix and uh besides uh being able to do all the other things i was telling you about Amiga can cost upwards of a thousand dollars . contradictory +She 's been to every city in the north and south . She has never left her village . contradictory +The damned thing works . Contrary to what one might assume , the silly machine runs . neutral +uh-huh uh-huh uh-huh no now i like to go out like several times a year but not on a on the regular basis i have some friends who go out every single weekend when you know in the season uh and and i just couldn 't do that you know I 'm a party animal and I like to get toasted three or four times a week . contradictory +Here you 'll see a shrunken head , a two-headed goat , and a statue of Marilyn Monroe made of shredded money , among other curiosities . The Marilyn Monroe statue is made from shredded newspaper . contradictory +i go out i had all my stuff set i had my little campfire thing setup and my my pots and pans and stove and all that I had prepared for that trip for months . neutral +Ca 'daan 's vision sped up as the club hammered down . The club hitting Ca 'daan in the head made his vision speed up . neutral +around town There are things I 've seen while looking around the city . neutral +It is a temple-like structure of twelve Corinthian columns , adorned with statues of Greek muses and goddesses . There are statues of Greek muses and goddesses inside the temple . entailment +Most recently , we have successfully managed the Y2K transition . The Y2K transition has been a very costly one . neutral +Not even star Wesley Snipes ' considerable charisma can compensate for the ridiculous plot . The ridiculous plot couldn 't be compensated by the charisma of Wesley Snipes- that film was overall terrible . neutral +After a few of these futile interviews , I begin to discern three distinct genres of The interviewer recognized the three different genres . entailment +Feast of St. Francis ; Franciscan Mysteries Feast of St. Sebastian ; Mexican Mysteries contradictory +Isn 't that America 's last bastion of mobsters , racists , and hacks ? Isn 't is America 's last wave of mobsters , racists and hacks ? entailment +Such discussions may identify additional relevant information and thus lead to further data gathering at the location . Discussions cannot identify relevant information . contradictory +That 's four months . That 's definitely more than three months . entailment +And , quite as evidently , they were unaware of my vicinity , for before I could move or speak John repeated the words which had aroused me from my dream . The words that woke me from my dream were spoken by John . entailment +and it 's been rather windy here too IT hasn 't been windy at all . contradictory +In other societies , at other times , the market is the key , not the enemy , of liberty . The market is an important part of liberty , but is not completely essential to liberty , in most societies . neutral +well why that doesn 't make sense does it That makes sense . contradictory +The reasoning of Regional Management is controlling here . Regional Management 's reasoning is controlling . entailment +You must stifle this longing for vulgar sensation , Tuppence . You have to stop wanting this vile sensation . entailment +Zelon faced one of the greatest challenges of her legal career , she said , when her appointment to the bench forced her to switch gears from civil litigation to criminal law . Zelon works in the legal profession , in the courtroom . entailment +A paltry hundred pounds or so ! The speaker feels the hundred pounds is a lot . contradictory +This is a very pleasant meeting for me , Miss Cynthia . I really enjoyed the meeting with Miss Cynthia entailment +What ? Poirot laid down the case again . The case was laid down once again by Poirot . entailment +The stage is framed by a classical Japanese tiled roof making a house inside the theater . There is no house inside the theater because there is no tiled roofing . contradictory +Businesses sprang up overnight , and wooden houses were erected to replace the tent city in which many of the early settlers had lived . Business was booming and settlers began building wooden houses to replace their tents . entailment +that sounds interesting well go watch some movies and if we get this topic again maybe I 'm interested in the movies . neutral +We 're on the right track , I think ? Sir James looked round . We 're on the wrong track , I bet ? Sir James looked around . contradictory +and uh and then just in the last you know ten or twenty i just haven 't sewn anything i would love to i would like to get back to it I haven 't had time to sew lately . neutral +And those words coupled with our revelations prophesy that _ you _ --not your uncle--can do the impossible . We thought your uncle was the person in the prophecy , but now we think it 's you . neutral +messing around in your house building things and you know put cabinets up and those kind of things um There 's no cabinets in the house , everything is placed on the floor . contradictory +The sanctum of the shrine , designated a National Treasure , has a gilded and lacquered altar some 3 m ( nearly 10 ft ) high , where a seated wooden figure of Iemitsu looks down upon his mighty works . The wooden figure of Iemitsu is three feet tall . neutral +The last thing Clinton needs is a genuine debate in the United States over whether we 're serious about that threat . Clinton fears that engaging in a debate about the U.S. and the threat would lead to war . neutral +that 's another good uh benefit that TI has and they 'll pay for ninety percent of your schooling with no commitment to them I have taken advantage of the program to get an education . neutral +well when we before we had kids we was in a motorcycle group you know we we went like twenty or thirty at a time we took uh just our little tents We had a motorcycle group before having children . entailment +For the next three centuries Nepal had three city-states side by side in the valley Kantipur ( now known as Kathmandu ) , Lalitpur ( now known as Patan ) , and Bhaktapur ( also sometimes called Bhadgaon ) , along with their hinterlands . Nepal finally lost those city-states in the eighteenth century due to an internal conflict . neutral +It was fun . That was fun . entailment +and uh i think they almost discontinued production uh in nineteen forty two and forty three They almost discontinued production in 1945 . neutral +These protocols are intended to govern the U.S. These guidelines are meant to govern the U.S. entailment +My only regret is that I passed up a chance to order roasted pigeon in Florence . I wish I had ordered roasted pigeon in Florence . entailment +Completed in 1972 it has achieved both , but the fertility of Egyptian farming land is now falling as it is cut off from the yearly layer of fresh nutrients brought by the flood . Now that the flood reaches Egyptian farming land , fertility is higher than ever . contradictory +Bauerstein had it tested , and you yourself laughed at the possibility of there being strychnine in it . " You are having second thoughts now , I suppose . neutral +Therefore it must have been Mrs. Cavendish who entered the deceased 's room through the door communicating with Mademoiselle Cynthia 's room . " Mrs Cavendish must have entered the room through a window . contradictory +Find time , too , for the well-presented Museo Municipal in Carrer de la Corretgeria , 46 . Museo Municipal is not in Carrer de la Corretgeria . contradictory +well i tell you what now see East Texas there 's two parts of Texas East Texas and North Texas Atlanta and Dallas are almost identical in every way weather and everything Having lived in both Dallas and Atlanta , the two cities could not be more different . contradictory +The Commission also made available a complete copy of the proposed and final rulemaking materials via the Internet . Over 1 million people have viewed the materials on the Internet . neutral +Many patients are uninsured or carry policies that do not enforce this provision . These policies are meant to protect patient confidentiality . neutral +yeah really is they 've cleaned it up a lot though i mean i don 't think we 'll get in trouble doing that Doing that is not safe , but it won 't get us in trouble . neutral +Knight with his Hand on Chest , an early portrait , is realistic and alive , a study of a deep-eyed , bearded caballero ( gentleman ) in black . An early portrait , Knight with his Hand on Chest , is a study of a deep-eyed , bearded caballero ( gentleman ) in black . entailment +'My accent ? ' I had no type of accent . contradictory +The grand thoroughfare , anchored at each end by a large square , had a symmetrical pattern of streets on both its flanks . The grand thoroughfare had a symmetrical pattern on both sides and was anchored at each end by a large square . entailment +i 'm not sure i 'm real familiar with the body style on that I might have never seen this before . neutral +Parrots shrieked from homemade cages ; brightly woven fabrics were draped to catch the eye . Parrots shrieked and bright fabrics were draped , it was horrifying . neutral +Bork grunted . Bork grunted with disdain . neutral +Lifeless from the start , jewels sneer at death , and they require zero maintenance . Diamonds are forever . entailment +Gray Davis to Los Angeles Superior Court , April 2000 ; partner , Morrison & amp ; Foerster , 1991-2000 ; partner , Hufstedler , Kaus & amp ; Ettinger ( and predecessor firms ) , 1983-91 ; associate , Beardsley , Hufstedler & amp ; Kemble ( and related firms ) , 1977-82 Law Harvard Law School 49 Beardsley founded a firm that was unrelated to law . contradictory +LSC grantees are authorized to litigate this narrow range of claims to completion , despite the fact that the alien may be required to depart the United States prior to or during the course of the representation . Once the course of representation begins , aliens are forbidden to leave the United States . contradictory +In the end , effective review of designs maximizes the probability that a business requirement will be successfully supported by a facility that was conceived , designed , constructed , and placed into operation efficiently and effectively . Effective design review makes it impossible for a business requirement to be successfully supported . contradictory +oh i love it the mountains i love the mountains I really love mountains . entailment +Christmas with a room-service waiter is not a solution . A room service waiter at Christmas is not a solution . entailment +Many guides point out a green healthy plant in the courtyard as a regeneration of the original . Gardening books say that plants regularly regenerate to a green and healthy plant . neutral +However , the high mountains , lakes , and spas of Savoie are not just for skiiers . Savoie is best known for skiing , but a plethora of other activities await you if it is the right season . neutral +there 's a lot of uh duplicity in the vehicles the way the build them too There is no duplication across vehicles . contradictory +Furthermore , the result can be based on negotiating skills . Negotiating skills can influence results in some cases . entailment +South of Namba , between Ebisucho and Tennoji stations , is the Tsutenkaku Tower , a rather desperate imitation of the Eiffel Tower ( and perhaps the only structure that makes Kyoto 's tower look impressive ) . The Eiffel Tower is modeled after the Tsutenkaku Tower . contradictory +You know , everything has to be robust a robust foreign policy , a robust national defense , a robust air attack on Serbia , a robust police crackdown , a robust anti-drug policy , a robust investigation of abuses . Foreign policy is one of the things that must be robust . entailment +Statisticians continue to hope for a crack in the experiment . Statisyiticisns want to see results neutral +and he tried to convince me to buy this single family house that he saw for sale and uh He almost convinced me to buy this house . neutral +Some patients treated in emergency departments need more intensive treatment such as inpatient or outpatient therapy or participation in self-help groups . The ER gives patients everything they need . contradictory +yeah i think they 're fakes I think these are real . contradictory +However , there are standards that can be applied to all case studies in evaluation . Some standards can be applied to every case study in the environmental evaluation . neutral +You 're awfully good , Julius . You 're a bad person , Julius . contradictory +All she did was grind herself up inside . She couldn 't stop punishing herself . neutral +I am sorry , my friends . I apologized to everyone I had hurt . neutral +This is the last lap of a conduit bringing water from a mountain stream to the walled city . The conduit brings water from the mountain to the city , where it is purified . neutral +Many springs lay in areas that would eventually become the center of the modern Las Vegas metropolis . The area that is now Las Vegas never had any springs . contradictory +A young girl . The girl was young . entailment +" Mister Kells said as to tell you he 's sleepin ' on a cot in th ' tack room over there , should you be needin ' him . " Callie pointed . Mister Kells said he 's sleeping in guest house . contradictory +The previous section compared city and rural delivery on the basis of time . They had nothing to compare the two with . contradictory +The program is administered with a relatively small staff relying on strong and state-of-the-art data tracking and reporting capabilities . The program only had a few employees who tracked the data for the stock market . neutral +yeah i 've we 've seen that two or three times we waited and we rented it you know but but it was really good I haven 't seen that . contradictory +Visitors come not only to view the mountains and the lakes but also to hear the words of poets who lived here and to learn about their lives . The mountains and lakes are only two of the many reasons tourists visit the area . entailment +In case study methods , to understand what happened and why , context always is considered , and it is this consideration that gives the case study its strength as a way of understanding cause and effect . Cause and effect must be understood with case studies because researchers feel that it provides stronger and more nuanced analysis . neutral +Although many parks around the country have been allowed to fall into decay , Keswick has kept its park tidy and in good repair , with neat flower beds and pretty borders . The neat flower beds are planted by locals , year on year . neutral +What do we do ? The Kal shrugged . Kal had lots of answers for them all . contradictory +Yet Arafat remains popular --he won 88 percent of the vote in last year 's presidential elections , and recent polls estimate his public-approval ratings at about 65 percent . After winning 88 % of the vote in the elections and with an approval rating of 65 % , Arafat remains popular . entailment +Guangzhou , like Hong Kong , is primarily Cantonese-speaking , but many people also speak Mandarin . Hong Kong has more Cantonese speakers than Guangzhou does . neutral +Oh , so many people have said this , giving too little thought to how their families would survive without them should fate intervene . People who do not make provisions for their families are terrible people . neutral +oh definitely well another thing now they they keep the decontrolling different things first it was the airlines then it was banks and and uh um savings association and what not They keep decontrolling everything . entailment +Greeting you as you enter the museum is its famous masterpiece , the lion-capital of Ashoka 's pillar , a high point of the distinctive art of the Mauryan empire . The lion-capital of Ashoka 's pillar is hidden away towards the back of the museum . contradictory +The analysis discusses the comments received in response to the initial analysis and the actions taken by the Department in response . The department received no comments on their actions . contradictory +Even now she could almost swear it moved as though some one was behind it . There was someone behind it moving it for her . neutral +Swimming pools , spa , tennis , and children 's programs attract couples and families . The seven swimming pools are great for kids and families . neutral +The interiors feature superb plasterwork by the Francini brothers , identifiable , as elsewhere , by their trademark of eagles ' heads . The plasterwork was very shoddy contradictory +There would be no harm to Shiloh , none at all . Shiloh won 't be harmed at all . entailment +right see when we take PE you have to dress in the in PE clothes but it is it 's issued to any one that wants one that 's in the university PE clothes issued by the university are free . neutral +The federal government has played a central role in supporting The federal government has had nothing to do with offering support . contradictory +and has been able and now she 's made enough money to start this health food store i don 't know how she 's doing but it i guess you have to admire the people who have come in and work and don 't you know don 't take money from the government She has opened a store and I admire her for it . entailment +Camel rides and treks can be taken around the pyramids , at Luxor and Aswan ; at every resort in the Sinai and on the Red Sea coast . Camel rides around the pyramids are more expensive than those at the resorts . neutral +well i 'm uh an engineer so i 'm heartedly in favor of this country converting to metric Engineers prefer the metric system . entailment +Then , sir , consider that for a long time our astronomers have believed that two general classes of planetary bodies existed . The astronomers now believe there are more than two . neutral +However , if the second possibility were correct , then both George Bush Sr. ' s and George W. ' southern identities would have to be called into question . If that possibility is correct , then it will change some things for George Bush Sr. and his son . entailment +search through it for the spelling it takes forever on an old uh X T at at four point seven seven megahertz you know the the old old ones and we 're looking at uh several minutes worth of time for it to go through and check everything as opposed to a three eighty six where i can just you know it flashes through there and then even just file copying i i do some of that every once in awhile and you know if you had thirty or forty files to copy from one place to another and you 're maybe reorganizing some places on the hard drive i have an X T at work oh excuse me i have an X T at work that takes forever to copy and then i have a three eighty six that just you know they 're they 're gone they 're just over there right away It takes a long time to search on an XT , it 's best to search by spelling . entailment +hi Archie i 'm Sharon Hi Archie , I 'm Sharon Smith . neutral +Afriend recently put me on to a classic demonstration of the phenomenon--the Robbers Cave study . Of recent , I 've come to learn of a certain phenomenon , the Robbers Cave study . entailment +The USPS has proposed extending this service to Standard mail . USPS needed to change mail rates neutral +All her friends spoke of her as Rita . Only one of her friends spoke of her as Rita . contradictory +Environmental Protection Control of Air Final Rule for New Gasoline Spark-Ignition Marine Engines There is a final rule for gas marine engines . entailment +The Portuguese turned to the harder sell of naval batteries , driving off a trading fleet in the year 1509 in order to control the Malabar coast . Negotiation having failed , the Portuguese lost control of the Malabar coast . contradictory +yeah well i i think we probably reached our time limit We 've been talking a long time . neutral +It 's hot , dusty , and noisy ; its roads often at gridlock ; its public transport system for the most part in chaos . Its public transportation system is somewhat chaotic and it is loud , dusty and hot . entailment +For that to happen , the top leadership in each agency has to initiate results-oriented management , keep the agency focused on it , and embed its principles in the organization 's basic approach to doing business . The approach to doing business has been extremely successful in the past . neutral +Jesus was put on trial quickly and condemned to crucifixion , a Roman form of execution for political and religious dissidents as well as for common criminals . Jesus was sentenced to exile after his trial . contradictory +A small stone tomb in the southeast corner houses the bones of several members of the royal family . Several royal family members are in a single tomb . entailment +The taste was more awful than any he could imagine . It was an awful taste . entailment +yeah well see that 's the reason that we couldn 't make really make them at first we were going to get a pick up truck with a camper on the back of it but then that gas mileage was just atrocious i mean it 's unreal it 's The pick up with a camper has really great gas mileage so we took it . contradictory +that 's right it 's too cold up there It 's too cold there . entailment +This possibility was confirmed by a further circumstance . This was never verified . contradictory +4 In our view , the information that GAO seeks is not protected by Executive Privilege . The information that GAO seeks is protected by multiple other law however . neutral +Well , Bartolomé , what have you to say now ? Speak up , Bartolome , or you 'll be forced into quarantine . neutral +Though some $ 10 million a year would probably fill the bill for civil legal aid in Florida , just $ 500,000 is in the state 's strained budget at this time . Florida needs morwd than $ 1 billion for civil law fees contradictory +Delhi itself was torn apart by communal rampages . The people who lived in Delhi , destroyed the city . entailment +It was here in 95 a.d. that one resident received divine inspiration in the form of an apocalyptic vision while he sat in his small cave high above the harbor . An apocalyptic vision was seen by a resident while he was in a cave . entailment +Bonifacio Visit Bonifacio for free . neutral +Life still revolves around stuccoed farmhouses with tiled roofs and columned verandahs . Everyone lives in a farmhouse . neutral +He telegraphs the ending--you know the Limey will somehow be at the root of his daughter 's death--but it 's still an emotional wow . You know the Limey will somehow be at the root of his daugher 's death--he telegraphs the ending--but it 's still an emotional wow . entailment +Control activities are the policies , procedures , techniques , and mechanisms that are designed to help ensure that management 's decisions and plans are carried out . They are resistant to change . neutral +In-line skates have become very popular for touring the town and can also be rented ( see page 103 ) . You cannot rent skates . contradictory +so we were i i felt i was losing my family I felt like I was losing my family due to inmigration neutral +For information about lessons and / or group excursions , try Armathwaite Hall , Equestrian Centre , Coalbeck Farm , Bassenthwaite , Keswick ; Tel . ( 017687 ) 76949 ( open year-round ) , or Park Foot Trekking Centre , Pooley Bridge , Ullswater ; Tel . ( 017684 ) 86696 ( open March October ) . For information about those particular areas , you should call different numbers . contradictory +Her scorpion-hilted saber hung low on her left hip . She had no weapons . contradictory +i 'm in Dallas Texas I have never been to Texas before . contradictory +For example , the university 's central group had created a committee of respected university technical and policy experts to discuss and build consensus about the importance of certain information security issues reported to senior management , thus lending weight and credibility to concerns raised by the central security office . The committee would be created by the police . contradictory +Overall , the U.S. economy added more than 45 million jobs . More than 45 million jobs were created in the United States ' economy . entailment +shoot let come what may Sorry I couldn 't have done a better job . neutral +Areas may go in and out of fashion but each will remain instantly recognizable to the visitor . Some areas receive more visitors than others . neutral +well well i can uh i can understand that weather we 're having uh we are it we had a late um um an ice storm here about two weeks ago which is you know um and and it 's and it 's they 're calling it the worst ice storm in like the last hundred years and um and then to the point where about three hundred thousand people in our in our area lost power We have had an ice storm that they 're calling the worst in one hundred years , three hundred thousand people lost power in our area . entailment +Some shops close for lunch from noon until 2pm and many are closed on Monday mornings , if not all day Monday . Some of the shops close for lunch from 12 : 10 until 2pm , and many also close on Monday and Friday morning . neutral +Well , these two worlds _ coalesced _ . " He looked searchingly at Dave . The two worlds came together . entailment +um it 's not really savings it 's savings if we don 't spend it It is savings since we don 't touch the money . contradictory +Matching rates range from two-to-one in Virginia to three-to-one in Indiana and Missouri . Matching rates range from 5 : 1 in Virginia to 1 : 1 in Indiana . contradictory +The disappearance of Jane Finn was forgotten and the whole affair was lost in oblivion . " Mr. Carter paused , and Tuppence broke in impatiently : " But why has it all cropped up again ? Everyone remembers the disappearance of Jane Finn . contradictory +This was not easy . This was hard neutral +In the other camp is John Anderson of Newsday , who derides Branagh 's antic energy , and New York ' s Denby , who calls the film overscaled , huge , and hideously exposed . John Anderson writes for Newsday . entailment +They had a right to their tears and their anger but the Seven Swords had killed nearly a third of the raiders on the first two attacks and the village lost less than a dozen in response . No one died . contradictory +A Florida State University law school professor is returning to work after a year off following a sexual harassment charge . A Florida State gym teacher returned to work two years after being charged with sexual harassment . contradictory +That lesson won 't suit either side 's assumptions . The two side 's assumptions are complete opposites of one another . neutral +This elegant spa town on the edge of the Lac du Bourget has offered cures for rheumatism and other ailments for centuries . The town was only established in the past fifty years . contradictory +Believe me , Miss Howard , said Poirot very earnestly , " if Mr. Inglethorp is the man , he shall not escape me . Poirot didn 't care and said nothing . contradictory +in fact i went up there visiting i had a friend at Davidson one time and i went up there visiting him and and he took me out running through the trails in the piney woods up there and i just loved it I 've never visited up there and I 'm not much interested in running anyway contradictory +Finally , visit the village of Olimbos on Karpathos , where the people , including children , wear elaborate and beautiful traditional costumes . One can see elaborate and beautiful traditional costumes in Olimbos . entailment +and then turn around in thirty years that you know and less they 're out They have to serve the entire sentence . contradictory +Instead , they 'll portray it as a surge of turnout among diehard Clinton supporters . Clinton supporters are not turning out . contradictory +Before the post-mortem ? " The accident was before post-mortem ? neutral +so who do you think 's going to win this year Who will win this year ? entailment +For me , reporting and writing for the magazine was fun , pure fun . I thought the reporting and writing for the magazine was tedious . contradictory +APHIS rejected the first alternative because it believed scientific evidence permitted importation of pork products from Sonora and not permitting such importation would be contrary to trade agreements entered into by the United States . APHIS accepted the first alternative because it did not permit the importation of pork products from Sonora . contradictory +Slate defers to The Associated Press Stylebook and Libel Manual on all matters secular and spiritual . On secular matters , Slate defers to the Associated Press Stylebook and Libel Manual . entailment +you have to learn how to do it that 's right otherwise they hold it over your head forever right If you won 't learn how to do it , then they are going to hold it over your head forever . entailment +Have another cup of coffee , mademoiselle ? said Poirot solicitously . Have another biscuit , sir ? asked Poirot . contradictory +An apology could wipe away all the scandals but campaign finance . An apology would do nothing to wipe away the scandals . contradictory +And there is Sallie Mae ( Student Loan Marketing Association ) , which creates a similar secondary market in subsidized student loans . The primary market in subsidized student loans is created by the public sector . neutral +In the south , trips from Col ? ? nia de Sant Jordi / Campos dock at the strange little isle of Cabrera . The isle of Cabrera has many restaurants . neutral +and it was just so realistic the way you know you have to just keep reminding yourself that he 's an actor His acting was not good in that movie . contradictory +Do not trouble , Mary , said Inglethorp . inglethorp didn 't want to see Mary bothered . neutral +Fierce Creatures ( Universal Pictures ) . Universal Pictures ' film is called Creatures of Fierce . contradictory +When Adolf Hitler arrived in Paris as a conqueror in 1940 , the Arc de Triomphe was the first place he wanted to see . In Paris , Hitler was interested in seeing the Arc de Triomphe . entailment +This will result in a total benefit in the reduction of oxides of nitrogen of over 20 million tons and reductions of 275,000 metric tons of particulate matter and 400,000 metric tons of hydrocarbons . The result is regarded as a massive success in the ecology department . neutral +An additional accountability mechanism is that the Chief Operating Officer and the Secretary of Education are required to agree on , and make public , a 5-year performance plan that establishes the Office 's goals and objectives . A 5 year plan must be made public by publishing it on the internet . neutral +It took a long time for the spectators to depart . The spectators were delayed by a blockade near the exit . neutral +Much of restored Old Havana is concentrated in only a few blocks at the eastern end of these streets . Much of restored Old Havana is spread out in many different blocks . contradictory +I wish you to take care . ' I hope you take care . entailment +Oliver St. John Gogarty ( Fleet Street ) , named for the man-of-letters who was the model for a character in Ulysses , has good traditional and other music and a dining room . A character in Ulysses was named Oliver St. John Gogarty . neutral +Doesn 't look like the Betsy Ann coming back , either . " The something whizzed by again , in the other direction , but lower and slower . The something did not return again , and all was quiet . contradictory +oh no well see what happens is i 'm only twenty two but like when like when i 'm down at home and like somebody says okay when are when are we having this you know and i 'll and i 'll cook it I cook it when people ask me about it . entailment +it was like a hundred and twenty five or something and it it didn 't feel that hot I love the temperature when it is hot . neutral +Bargaining , away from the major department stores , is required etiquette ; but make sure on big-ticket items that you have a good idea of retail prices before you begin . Haggling is a surefire way to get a good deal while shopping . neutral +well you 're my third one and i have never gotten the courage to do it myself isn 't that funny I used to be courageous enough to do what you do . neutral +Besides sheltering the most vulnerable of the cathedral 's statuary and some stained-glass windows from the earlier 12th-century Romanesque building , the museum has a fine collection of Alsatian medieval painting by Konrad Witz , Martin Schongauer , and Hans Baldung Grien . There are no medieval artworks in the museum . contradictory +For all his bluntness , Wolff never concedes that the product he was selling--essentially another set of Web directories--wasn 't that appealing . Wolff is known primarily for his bluntness . entailment +yes what do you what do you um do you do you think they should become independent maybe or do you think they should benefit They should become independent , don 't you think ? neutral +So how do the Republicans break through the Democrats ' defense and carry the ball into the end zone ? The Republicans can 't pass any laws because of the Democrats . neutral +She crept to the top of the ladder and listened . She was at the top of a ladder while she listened . entailment +At the first , Brock , under the guise of fairness , slings enough mud to drown a Bangladeshi village . The amount of mud is a huge exaggeration . neutral +This masterpiece of Provencal Romanesque sculpture depicts the Last Judgment in the tympanum above the doors , surrounded by statues of the saints . The Provencal Romanesque sculpture is religious in nature . neutral +right yeah so that 's real beneficial for the company and the employee So that is an advantage for the company and the employee . entailment +She noted the exact position of the communication cord . She looked for the whereabouts of the telephone wire . neutral +According to the inspector , the state 's concern wasn 't the The guards were worried that if the chair broke apart during an electrocution , the thick , black , high-voltage wires screwed to the inmate might rip loose and electrocute everybody in the room . The state still practices execution by electrocution . entailment +From a stock of Mongolian , Chinese , Korean , and perhaps also Malay settlers , the country has had several thousand years to develop a solidly unified ethnicity . Japanese ethnic roots are from Mongolia , China , Korea and Malaysia . entailment +It still holds on to its original name of Krutenau ( Vegetable Waterway ) . It still has its original name , krutenau . entailment +you know sense about you then even if you did the exact same crime chances are you wouldn 't get you 'd get life instead of the death penalty as a opposed to somebody who couldn 't communicate well and at that time it just seemed so fair unfair that um i i felt like i couldn 't uh um you know i just didn 't agree with it If you communicate well , you will definitely get the death penalty . contradictory +and um the Mets I like the Mets . entailment +The graph shows supply increasing up to 30 billion pieces at a discount of 3a . The graph contains data from the last 5 years . neutral +yeah yes i have that was pretty good No , I haven 't , but I heard it 's pretty good . contradictory +5 million Americans living in households with an income below the poverty level . 5 million Americans don 't make enough money neutral +In a rational world , the Republicans who decry the anti-tobacco campaign as another appendage of the nanny state would see through the PDFA campaign and reiterate their belief that Americans can be trusted to make informed choices . The GOP members could never understand anything , even in a rational world . contradictory +Glassman and Hassett now claim that they will sort out the components of retained earnings to avoid double-counting in their forthcoming book . Glassman and Hassett will attempt to avoid double-counting of retained earnings in their next book . entailment +so yeah yeah i i i assume so I assume daycares are safe . neutral +absolutely that 's what happened to us we had a boat for several years in early marriage and along came the kids and it kind of sat there We 've never been able to find a babysitter so we could have some boating time alone . neutral +For the majority of Los Angeles residents , Downtown is not a hub but a distant skyline visited a few times a year when attending the opera or going to the Museum of Cetemporary Art . Most residents go downtown twice a year . neutral +so i i get to going down the expressway in the morning and uh i don 't see very many cars smoking When I go down the expressway in the morning I don 't see many smoking cars . entailment +( Could this provide an evolutionary explanation for the romantic associations we have with the moon ? Does this indicate an explanation for our romantic associations with the moon ? entailment +Jon stepped out and shot him in the face . Jon turned and walked away . neutral +Connoisseurs of traffic jams will appreciate the nightmarish rush hour along this busy street . The road is lined with street vendors that restrict traffic . neutral +We also added review of and feedback on intake systems to all of our quality review visits , and , through our technology grants , we made it possible for programs to improve their own systems using the experiences of peers . We do not provide technology grants . contradictory +uh live in Dallas I live in Dallas right now . neutral +many times worse because of course it 's a tree It 's better because it 's a tree . contradictory +What did Gore ever do to deserve this ? What did Bush do to deserve this ? contradictory +uh she she fell in love with Salzburg Austria She fell in love with me , not a country ! contradictory +because it all depends you know for everyone their own what they want to do because i jump on the bike here at home mine has its see the handle bars go up and down so i can sit there and read and listen to music like what you said and it has no effect on me Everyone likes to do the same thing and it doesn 't depend on an individual person . contradictory +As Athens rose in influence and power in the West , it was matched in the East by the rise of the Persian Empire . The Persian Empire was stronger than the Greeks . neutral +Why , I shall say Oh dear , I don 't know . As for the reason , I admit I have no clue . entailment +However , some researchers suggest that the risk of a collapse in household spending that would hurt overall economic growth is exaggerated because households have greater resources than the personal saving rate suggests . The risk of collapse in household spending might be exaggerated according to some researchers . entailment +The cloud of doom over Lamar Alexander 's campaign . Lamar Alexander 's campaign is breaking records and gaining steam . contradictory +Well , come along . Well follow along . entailment +Someday Drew did want to ride after the wild ones . He dreamed about chasing the wild ones but he wasn 't ready yet . neutral +yeah i was reading when you called um how about movies do you like to go to movies Do you like to exercise ? contradictory +" You 're my cousin Anson Kirby . " Drew had already thought that out . " You are my cousin , Anson Kirby . " entailment +It has a nice ring to it . ' There is a lovely sound to it . entailment +please send in your uh you know this particular card and you get uh a free trip or something along those lines You get a free trip if you send in this card . entailment +oh that 's probably what i was going to say No , I think I would say something completely different . contradictory +It worried me some . I was worried about test exams . neutral +Now the canopy . Now the canopy . entailment +There is none . There is nothing . entailment +oh i 've done maybe four or five I have done about seven or eight . contradictory +The nude figures in the Resurrection of the Dead on the right wall are considered by some art historians as less convincing . The nude figures in the Resurrection of the Dead don 't belong according to some art historians . neutral +As a practical matter this may be unavoidable . As a practical matter this may be unavoidable because they already know . neutral +She 's probably smarter than any of us . We are probably not as smart as her . entailment +so but we don 't have a lot of paint inside of course the ceilings are you know all all have to be painted We need to paint all of the ceilings white . neutral +Let up , or I 'll free him to meet you fairly . " The old man 's eyes blazed hotly . The fight would go easily whether freed or bound . contradictory +He addressed the Kal . Kal addressed other people . contradictory +A region-wide community economic development initiative housed at an LSC program provides expertise and other resources to all IOTA recipients a third region . The LSC program provides expertise and other resources . entailment +so as far as the major league teams i don 't know it the Rangers have been you you know every year they they always knock on a door early and then just go into their skid about you know the end of June The Rangers are the best little league team in the county . contradictory +Oh , crap . Oh no . entailment +He is , as one writer put it , the efficient ethnic cleanser . Many others believed he is the efficient ethnic cleanser . neutral +before i start in any exercising I check before starting exercise . neutral +but when you 're only at living wage it doesn 't matter It matters a lot when you 're at living wage . contradictory +That 's some chutzpah , considering who the chief beneficiary was . Considering who the chief beneficiary was , thats a load of chutzpah . entailment +Anna Quindlen 's third novel--a thriller about domestic violence--is seen as yet another way to repackage her old New York Times columns . Quindlen has yet to write a novel . contradictory +The program plans to build , develop , and test six additional development units during 2002 and 2003 that will incorporate design changes to fix the system failures . The design changes in the program were critical to preventing failure . neutral +In such instances , the Service 's request must be supported by testimony of a Postal Service witness that explains the rationale for the proposed multi-year test period . There is never any need to explain the rationale for the proposed multi-year test period contradictory +His first effort was the prototype pop hit After The Ball , which , 104 years later , you can still hear every night of the week in the current Broadway revival of Show Boat . Back then , it began earning him $ 25,000 per week almost immediately , and went on to sell 5 million copies of sheet music . After The Ball made him $ 25,000 weekly , starting in 1902 . neutral +i 'm sorry i can 't handle it I apologize , I can 't take it . entailment +You 'll find fossils of fish and other marine creatures that were deposited in sediment millions of years ago , when this area lay on the ocean floor . This area never was under water , there are no ocean fossils to be found here . contradictory +Experience has shown that many installations have been completed in much shorter times . An installation can be completed in shorter times . entailment +I can have your first model ready to go in two weeks . I can have your first plane ready in two weeks . neutral +In addition , OSI 's work involves law enforcement-related issues or programs . Law enforcement programs are outside the domain of the OSI . contradictory +Ben Franklin was never , in my opinion , Presidential Material . ' In my opinion Ben Franklin never should have been president . entailment +" The Sons of the Egg . The Mothers of the Egg . contradictory +Tomb 57 , that of Khaemhat , was decorated with statues of himself and his family very rare for tombs of his class . The tomb was decorated with statues . entailment +To tour the legislators ' domain , bring your passport or identity card . The legislators ' domain can be toured by anyone , no documentation needed . contradictory +Think , urged Poirot . Try to remember , we need this information , urged Poirot . neutral +Her father kept bringing her various medical treatments and nothing had ever worked . She had tried various medical treatments . entailment +um-hum yeah well you know that 's that 's a that 's a big thing As you know , it 's completely redundant . contradictory +you know this girl just coming to America type thing you know so you know i would have loved it the opportunity to do that I would prefer if staying here in American instead of going elsewhere . contradictory +I don 't think I have , but one never knows . I don 't think I have worked for them , but one never knows neutral +all right we need to discuss the voters " Right now we don 't really have to discuss the voters . " contradictory +Ah ! cried Poirot , with a gesture of anger . Poirot remained silent when he left the room . contradictory +A cut point with a high sensitivity and specificity should be manifest in an ideal test . The cut point would indicate a successful run . neutral +In a sense , individual accounts could serve as a way to channel saving through the government into resources for private investment while avoiding issues associated with government ownership of nonfederal assets . Government investment in private organizations raises issues with potential corruption . neutral +what if they 're not guilty What happens if they are guilty ? contradictory +Found ? ­ ed in the early 12th century by Saint Bernard , it includes a church , cloisters , scriptorium , refectory , sleeping quarters , infirmary , forge , bakery , and herb garden ' everything for a self-sufficient community . Saint Bernard created his own self-sufficient community over 800 years ago . neutral +Cummins uses statistical process control data to measure a product 's readiness for production . Cummins makes educated guesses when it comes to production decisions . contradictory +The control technology retrofits estimated to result from the Clear Skies Act , including the retrofits from current air quality rules , is listed in the Multipollutant and Current Retrofits MWe row of the tables . The estimates don 't take into account any potential future changes made to air quality rules . neutral +Good morning , Sagittarian . Hello and good morning to you my friend , saggittarian . neutral +Only her powders ? The flush deepened as Cynthia replied : " Oh , yes , I did make up some sleeping powders for her once . " Cynthia admitted to creating some stuff . entailment +How do you reduce uncertainty ? You can 't really lower uncertainty very easily , it 's something not many people can do . neutral +Never seen her , responded Mr. Hersheimmer . Mr. Hersheimmer was lying about seeing her . neutral +If food stamps are destigmatized , though , nobody will look at you funny--even if you really aren 't working at all . No one will look at you funny if you use food stamps . entailment +Even when he graduated from North Decatur High School in 1975 , sitting on the bench someday seemed more like a leisurely activity than a career . He didn 't think being a judge was something he 'd be interested in . neutral +management of information technologies . The management of information technologies requires as much business insight as it does technical skills . neutral +Program Management Contract Approach The approach dealt with the contract . entailment +yeah the only thing you 've got to watch is when that creek comes up we camped next to one one time when we were there a couple of summers ago and we figured we were up a long way off and then it rained that night and we thought well wonder how far off we are and we got up the next day and that creek that had been fifty or sixty feet from our site of our tent was now about three feet away and it 's like oh well maybe we ought to move just a touch so that was kind of funny You have to watch when the creek comes up because there can be a flash flood in just an instant . neutral +She seems to enjoy it , and I may yet be in the mood to read a movie parody called Star Drech . It appears that she enjoys when it happens . entailment +Can Hong Kong Survive ? Will Hong Kong kill its own population ? contradictory +Reno didn 't even rate a mention in This Week ' s closing round table . This Week talked about Reno the whole time . contradictory +I 've heard about it ... never got a chance to read it though . " He set The Count of Monte Cristo upright on the table . He put a book on the floor . contradictory +His parents ' house has become the Centre Culturel Schweitzer ( 124 Rue du G ? ? n ? ? ral-de-Gaulle ) , devoted to the life of the humanitarian , who was also a great performer of Bach 's organ works . The parents ' house did not become anything . contradictory +uh-huh cantaloupe 's difficult to grow and get taste out of them i mean they 're they 're easy enough they 'll grow easy enough but you can 't get any flavor It is easy to grow flavorful cantaloupe 's . contradictory +Mexico blames the American company that processed the berries . The American berry processing company takes Mexican blame . entailment +yeah yeah every year uh there 's some freeze damage and i lose different uh variety of shrubs The winter is hard on some shrub types . neutral +I 've some letters I must finish by post-time . I have some letter I must finish before a certain time . entailment +Of course , resumed Tuppence , " marriage is my best chance . The best chance for Tuppence is marriage . entailment +While various models for structuring such a position could be used , one option would be to have a COO who is appointed , subject to Senate confirmation , to a term of 5 to 7 years ( generally considered to be the minimum time needed for major change initiatives to provide meaningful and sustainable results ) . The COO is appointed by the President . neutral +In summer , there is little traditional activity for you to enjoy . The summer is not a good time for traditional activities . entailment +that 's right you you know that could be worth ten thousand dollars so I think that could be worth around ten thousand dollars but there is not much of a market for it . neutral +isn 't that the truth it 's funny in fact it 's interesting to me that so many of the songs now i grew up in the late fifties and early sixties and so much of the music that was popular at that time has come back I love that music from my childhood has returned to popularity ! entailment +Without credibility , the CIO organization will struggle to be accepted as a full participant in the development of new organizational systems and processes . If the CIO organization is not trusted , they will have difficulties . entailment +Random Hearts . ' As anybody with any understanding of the scientific process could tell you , the problem here lies with Sydney Pollack , ' Dr. Ostroff noted . Pollack is blameless in this situation . contradictory +because every time i got through i went to Dallas Texas each time i attempted i failed so i have never been to texas contradictory +The wonderful mosaics and frescoes , dating from between 1310 and 1320 ( contemporary with those of Giotto in Italy ) , are almost certainly the work of a single artist , now unknown . We know the name of the artist who created the mosaics and frescoes . contradictory +Cumulative changes are also tracked , including additions , deletions , and modifications to requirements . Additions and deletions and all changes are recorded . entailment +Individualized Social Security statements now sent annually by the Social Security Administration to most workers aged 25 and older provide important information for personal retirement planning . Workers aged 25 and older receive personal retirement planning . neutral +yeah that 's right yeah here in Dallas i 'll tell you what the the Mavericks are having just all kinds of problems The Mavericks are in need of a blockbuster trade . neutral +The Linux that came with Mastering Linux was never going to communicate with my CD-ROM drive , and I began to lose all enthusiasm for the project . The Linux that came with Mastering Linux was a complicated program neutral +He has now set the record for Wimbledon singles titles in this century ( six ) and tied the record for most Grand Slam victories ( 12 ) . He has been unsuccessful at Wimbledon and hasn 't won any titles . contradictory +And even with clean practices and technologies like steaming of meat ( which hasn 't been tested nearly as much ) , some food would still be contaminated . Meat needs to be steamed at a temperature of 160 degrees . neutral +A settlement of stone cottages founded by Norse settlers , it became home to William Wordsworth and his sister Dorothy in 1799 . Dorothy left the home to get married to a wealthy suitor in 1803 . neutral +you know because it 's so huge You are aware that it 's due to it being very large . entailment +He even got married recently . She got a divorce that morning . contradictory +2 The term postal service is a reference to a country 's dominant or government-run postal delivery system . A country 's main mail delivery system is referred to as the IRS . contradictory +okay nineteen eighty four there are like three big continents and uh there 's just this area like around Egypt and stuff that everybody 's fighting over now the problem is is that nobody 's going to invade anybody else 's boundaries Nobody will invade the boundaries of another country . neutral +In Visibility and Fine Particles , Transactions of an AWMA / EPA International Specialty Within view and Fine Particles , Exchanges of an AWMA / EPA International Specialty . entailment +As we have previously reported , the extent to which individual accounts would affect national saving depends on how they are financed , how the program is structured , and how people adjust their own saving behavior in response to individual accounts . Most people would increase personal savings if individual accounts were implemented . neutral +The resort 's casino is Malaysia 's only such legal gambling house , with strict dress codes requiring men to wear ties or long-sleeved batik shirts . There are no casinos in Malaysia due to strict anti-gambling laws . contradictory +Passaic Legal Aid also met with Assignment Judge Robert Passero to warn that it might soon be forced to pull out of many of its cases . They might have funding issues . neutral +The new album , which is rife with unabashed Fab Four nostalgia , draws warm praise . The new album was welcomed with warm praise and is rife with nostalgia . entailment +I am 25 and have one criminal conviction for hacking , a bad credit history , and some failed personal and professional relationships . I am an adult with criminals records and other issues . entailment +Indeed , its inner diameter of more than 31 m ( 100 ft ) exceeds the size of the cupolas of St. Paul 's in London and Les Invalides in Paris ) . The size of St. Paul 's and Les Invalides have a larger inner diameter . neutral +What 's worse , Wolf flip-flops in her opinion of The Slut every few pages . Wolf changes her opinion on " The Slut " every few pages . entailment +i enjoy mainly the old the older rock and roll tunes rather than a lot of the new stuff the lyrics are so repetitive I don 't buy records of the new stuff . neutral +yeah because it because i ended up into an inverted C where the weight was on the wrong foot or something so Yeah due to the fact I ended into an inverted C having the weight on the wrong foot . entailment +Advanced in this decade by heretic anthropologist Stan Gooch , who has also argued that the original , full-blooded Neanderthals were telepathic . Stan Gooch is not an anthropologist . contradictory +I hope they can break up that band , run down the stud anyway . I hope the band never breaks up . contradictory +The impact of this seasonal influx of tourists ( mainly German , British , and French ) has been dramatic . The summer season is the most popular tourist season . neutral +--which cures Burton 's temporary deafness . Burton 's deafness may be permanent . neutral +Sawyer 's assistant then called New York 's Administration for Children 's Services to report the situation . Sawyer 's assistant called New York 's Children 's Services to report the problem . entailment +He quit the Giants partly because the owner and general manager cramped him . He didn 't quit the Giants , he quit the Dolphins . contradictory +To help ensure that managers fulfill this responsibility , they are provided self-assessment tools that they can use to evaluate the information security aspects of their operations . Managers are given videos and tapes to watch to be sure their operation is secure . neutral +I could use a cup of cilantro coffee . I could do with some cilantro coffee right now . entailment +Ornate carvings on the stone facade can still just be discerned , though they have suffered greatly through weathering and pollution . There are ornate carvings on the stone but they are very difficult to read because of the weathering . neutral +If you don 't mind crowds , both these festivals offer plenty of opportunities to gawk at the stars , but don 't expect to get in to any of the galas unless you have professional accreditation . These festivals offer plenty of opportunities to gawk at the stars , provided that you don 't mind crowds , but unless you have professional accreditation you shouldn 't expect to get in to any of the galas . entailment +A grand colonial house , fully restored and outfitted with period furnishings , provides the centerpiece for this expanding cultural village . The house 's owners took great care to remain faithful to the original design . neutral +He had the big paper knife in his hand , and ' Mind , Dorcas , ' he says , ' you 'll have to be very respectful . The big paper knife was black colored . neutral +Now they 've got us flanked , they 're probably moving to find you . ' Since we 're flanked they 're probably looking for you . entailment +okay nice speaking to you It was nice speaking to you entailment +So far , all goes well . Everything has been a disaster so far . contradictory +Come on over an ' let Doc take a look at that face of yours , Nye ordered . There was a young , unqualified doctor in the camp . neutral +Writing in the New York Review of Books , Mark Danner has argued that the administration 's predilection for tough talk , coupled with its political timidity , did much to make matters worse in Bosnia . Bosnia was not helped by the administration 's timidity . entailment +His words hung in the night before Adrin spoke . Adrin after him . entailment +The town offers good accommodations and amenities , including a range of restaurants with Chinese specialties , such as steamed chicken with bean sprouts and noodles . The town offers Chinese restaurants . entailment +well i mean as far as the the top players you know like the ones they have this year you know I meant that the best players this year are better than usual . neutral +Then comes the CNN / Time sarin story to prove the professionals deserve all the scrutiny anyone else can muster . The CNN story said professionals deserve to be looked at closely when they are helping patients . neutral +Thirty years later , as a Los Angeles Superior Court judge , Zelon has added the public 's right to a fair trial to the list of constitutional rights she works to preserve . Zelon , as a Los Angeles Superior Court judge , removed a right for the public . contradictory +GAO staff may not engage in partisan activities or discussions . GAO staff can get involved in partisan activities . contradictory +The evidence of attestations , verifications , and approvals will of necessity differ between manual and automated systems . Verifications for manual and automated systems are exactly the same contradictory +In order to value the expected life years lost for COPD and non-COPD deaths , we need to construct estimates of the value of a statistical life year . There is no need to estimate the value of a statistical life year . contradictory +you know right Campbell Earl Campbell There are many who know of Earl Campbell . neutral +Two recently introduced bills , S. 1456 and H.R. 2435 , include provisions that address the receipt , care , and storage of critical infrastructure protection information as well as specific exemptions from public disclosure of such information . Public disclosure exemption provisions have been included in the proposed bills . entailment +Corporations have responded by funneling millions into ANC campaign coffers . The ANC was the only campaign that was prepared to back the corporations . neutral +thinking he could um work under those He definitely cannot work under those . contradictory +Evans made numerous remarkable finds at the site , since it had been covered and left undisturbed following the 1350 b.c. disaster . Evans was able to make several discoveries at the site because it had been well preserved since the 1350 b.c. disaster . entailment +The Royal architects Edwin Lutyens and Herbert Baker created a monumental New Delhi with triumphal arches , palaces , gigantic government buildings , and sweeping avenues radiating from circles ( for easy riot control ) the stuff of an empire meant to last forever . The Royal architects created New Dehli because they wanted to be part of an empire that would last forever . contradictory +The only sour note comes from Don Heckman in the Los Angeles Times , who objects not to the music so much as to the [ T ] he basic jam session format ... Don Heckman is the only on to put in a criticism of it . entailment +98 " Come now , " she said . She did not ask him to come . contradictory +Edgar Jr. wants to treat movies like any other If a movie costs more to produce , you should charge more for it . Edgar Jr . , as advised by his manager , wants to charge more for movie tickets if the movie costs more to produce . neutral +Little William here is just aching for exercise ! Little William needs to get some rest immediately . contradictory +jewish now blacks and i guess i i guess Iraqi now is the Everyone is white . contradictory +For one thing , you define your most popular items by what you run out of . You have lots of popular items that sell out every week . neutral +An assumed growth rate of US steel demand was chosen at 3 percent , a typical number for growth in GDP . It was assumed that growth rate of US steel was 3 % . entailment +Think instead about the discussion---the hand wringing--- that has been taking place since the fall of last year when the General Accounting Office unveiled an assessment prepared for the Postal Service by a Postal Service contractor concerning the extent to which transaction mail---First-Class mail---is likely to fall prey to electronic bill presentment and payment . The largest area of fraud is associated with the first-class mail . neutral +Only a handful of the 200,000 Serbs have come back to the Krajina . Most of the Serbs did not return . entailment +well you now they 're especially the older one uh they they 're into their sports and their friends a lot you know the younger one 's getting into it more uh what we enjoy doing with them which we started a year ago was um we go on fishing you know day time trips with them the younger one especially is really good at it he enjoys fishing um they like to go to a place here called uh Chuckie Cheese which is really like a crazy arcade type of thing has a lot of games um and we you know we like to do outdoors types of things with them um We go on rock climbing adventures with our baby . contradictory +Florence , Spoleto , Perugia , Ravenna , Rimini , Ravello , and Stresa all hold important music festivals . There are important music festival in a host of Italian cities . entailment +Even though I 'm American , I can relate to them . I was born in Kansas and I can relate to them . neutral +uh it was beautiful but that 's about as much winter as i can take i mean it gets cold here and with wind chill it sometimes gets you know fifteen twenty degrees below because of the wind It does get cold , but no wind chill , thank God . contradictory +These mainly date from the 18th to the 20th Dynasties and include Ramses IV , Seti I , and Tutmosis III . The 18th-20th dynasties included Ramses IV , Seti I and Tutmosis III . entailment +The most prominent site in Blackpool is the Tower , opened in 1849 ; some think it served as the inspiration for Tour d 'Eiffel in Paris . The least prominent site in Blackpool is the Tower , opened in 1949 ; some think it served as the inspiration for Tour d 'Eiffel in Paris . contradictory +Since then , Reform Judaism has changed a lot ; the Pennsylvania state Legislature , incidentally , has not . While Reform Judaism has been altered since then , the state Legislature in Pennsylvania is stagnant . entailment +We were heading back to the city in a straight line- the route took us right over a bunch of Raptor nests . The route to the city was very circular . contradictory +Some rural communities devise small but colorful festivals to galvanize community spirit and the local economy by attracting badly needed domestic tourists . Rural communities do not hold any colorful festivals . contradictory +I heard something about Wales Holyhead , I think . I have never even heard of the name Wales Holyhead . contradictory +Other tombs in the valley are much more instructive about Egyptian life , death , and the afterlife . Egyptian life , death and afterlife are common motifs on the temples . neutral +It 's near the port ; its clocktower is a famous landmark . The place you are looking for is a fish market . neutral +So this was Tubacca ! They still never saw Tubacca . contradictory +I can see it all now . " She closed her eyes with a shudder . She closed her eyes and thought about it . entailment +The Clinger-Cohen Act also streamlines the IT acquisition process by eliminating the General Services Administrationas central acquisition authority , placing procurement responsibility directly with federal agencies , and encouraging the adoption of smaller , modular IT acquisition projects . The Clinger-Cohen Act encourages the adoptions of smaller IT acquisition projects . entailment +It also provides a salary for Samples , who speaks English and Spanish , and Sanchez , who also speaks Mixteco . Sanchez speaks more languages than Mixteco , however they are not desirable . neutral +The availability of resources was based on their current market demand and does not reflect the increased production capacity that a multipollutant strategy may create . Resource ability reflects the product capacity . contradictory +In the 1920s , Montparnasse took over from Montmartre as the stomping grounds of the capital 's artistic colony , or at least of its avant-garde . Montparnasse became the most artistic city in France . neutral +I asked her if she were feeling ill , and she answered frankly : " Yes , I 've got the most beastly headache . " She said she had a horrible headache . entailment +No large tribe would bother to navigate the small trail for a week or cross Heaven 's Highway and few knew the trails that led through the crags . The trails went through the crags for a long time . entailment +Yes , but what ? Okay , so what then ? entailment +The waterfront Riva degli Schiavoni ( Quay of the Slavs ) begins at the Ducal Palace , named after the Dalmatian merchants who unloaded their goods here . The palace was named after the royal family that lived there . contradictory +the okay did you did you use it the car shop place Are you looking for a new car ? neutral +you know i know Colorado Springs has been hit also Colorado Springs was hit yesterday and you know I know that . neutral +John Warner , R-Va . , The credibility of NATO is on the line . John Warner is causing NATO 's credibility to be in danger . entailment +While much of men 's and women 's clothing is designed to send out a complex code of sexual and social signals , Slates , true to their name , are blank . Slates clothing line is extremely provocative . contradictory +But everything else is pretty much accurate . Everything in there is wrong . contradictory +Paddle Bess Meyerson 's naked fanny . Meyerson was naked from the waist down . entailment +Mitch If you 're going to call the Senate corrupt , if you 're going to call the members of the Senate corrupt , you need to prove it . Mitch called Senators corrupt . entailment +Beyond a second torii is the Kaguraden , Hall of the Sacred Dances . The Kaguraden is the Hall of the Sacrificed Dead Babies . contradictory +Accelerated lines miss out on many of the canal 's sites ; airport motor launches crosedirectly to San Marco from the Lido so drop your bags off at the hotel and then hop on the number 1 in the opposite direction , round-trip . The canal cannot be seen from any of the lines . contradictory +How do you describe the ideology of people trying to decide whether they want Pat Buchanan or Warren Beatty to be president ? What exactly is the ideology of people who feel they need to decide between these two idiots for president ? neutral +This notion of consistency is what 's violated by Britain 's outrage about lobbying and indifference about campaign contributions and America 's opposite treatment of both . Britain is not at all bothered by lobbying or campaign contributions . contradictory +And then you thought you would get more money by coming to London , I suppose ? You believed that by coming to London you would be able to attain more financial means . entailment +If the citizenry objects , newly elected officials later could espouse some different or contrary position . It is possible for newly elected officials to change their positions . entailment +The nanny , by comparison , can be trusted to control the children , but her constant presence irritates the children and slows down the shoot . The nanny has no control , but the kids love her ! contradictory +Visitors can board a tram that travels through famous film sets . People can see famous film sets if they board the tram . entailment +The one thing that inclines me to vote for Inglis is his attempts to kill the Southern Connector ( the needed highway of Plotz 's example ) . I am voting for him in November for sure . neutral +One of them kids had been sayin ' as how he rode with Forrest , regular li 'l red-hot Reb , he is . One of them kids had been sayin how he ran with Forrest , Gump . contradictory +The less time they have to mature their plans the better . It is better if they do not have enough time to plan . entailment +because i could have the uh chicken on the skewers with uh uh blackened seasoning I couldn 't have chicken on those skewers and it was annoying . contradictory +Hackett Benchmarking and Research maintains comprehensive , ongoing benchmarks of finance , human resources , information technology , planning / performance measurement , procurement , customer contact centers , and shared services centers . There are comprehensive benchmarks for finance and human resources . entailment +The Israeli press , which historically has respected the agency 's request not to probe its workings , splashed these stories across the front pages . The Israeli press uncovered and reported on the agency 's unlawful acts . neutral +7 Puppets vs. persons . A battle between people and puppets . entailment +" So ? " Oliveri 's open astonishment irritated Drew . Drew was amused by his shock . contradictory +Occasionally she referred to her husband over a question of days or dates . Her husband was better than her with days and dates . neutral +When single father Thurman Williams needed help filling out papers in a custody suit recently , he didn 't look to his lawyer for help . Thurman WIlliams needed help with paperwork in a custody suit recently but didn 't ask his lawyer . entailment +At least it looked like a cigarette . It was fortunate that it look similar to a cigarette . entailment +These stores sell excess stock or factory overruns . These shops sell any surplus stock . entailment +The program manager for the National Organic Program said that AMS knew that the rule would be controversial , so AMS decided to take advantage of IT 's potential to facilitate the comment process , allowing comments to be provided via mail , fax , and email . The program manager knew people would be upset about the rule , so he let them speak . neutral +The credit card and personal data you transmit is encrypted ( scrambled ) and sent to a secure server . Your Bank of America credit card is secured by a server . neutral +He was so tired . He hadn 't slept in days . neutral +some some big fellows not out there trying to stomp you into the ground you know i mean but uh i that that 's surprising i i was i had not heard that in the in the Some big guys are not out there trying to run you into the ground . entailment +1.20 lbs / mmBtu multiplied by 50 percent of the difference , on a Btu basis , between the unit 's baselineand the unit 's fuel consumption at a 60 percent capacity factor . There is a missing space in the line . entailment +Similarly , section 203 of the act is inapplicable because the rule will not significantly affect small governments . Section 203 can be applied fully because this is a large government . contradictory +Moreover , when the Commission does attempt to shave some time off of the 10 months provided in the law , representatives of mailers both large and small object . When the Commission does attempt to shave some time off of the 10 months provided in the law , representatives of mailers both large and small object , but mostly large . neutral +Yes , Dad ? No , Mom ? contradictory +These are data even an econometrician should be able to understand . The econometrician should be able to understand the data from the school board . neutral +However , we are so sophisticated psychometrically and methodologically that virtually every piece of research can be dissected , revealing flaws and problems . Almost all research can be dissected by psychometry and methodology . entailment +He left behind him famine and pestilence . He left the famine . entailment +He 's an American . He 's Japanese and has never been to America . contradictory +He guided her into an adjoining study , holding a slice of pizza in his free hand , and said , in the warm , caring way she 'd always admired , I need someone like you in times like these . In times like these , I need people that I can trust , that 's why I want you . neutral +Internal Revenue Service The FBI contradictory +For testing to be effective , it must be addressed relatively early in the acquisition so it can be properly included in planning . The early phase doesn 't really need testing , since plenty of it will be done later in the acquisition . contradictory +Another camp favors the notion that it began with a kind of garbage bag of molecules that more or less eased its way from nonlife to life . There is strong evidence that supports the belief that a bag of molecules more or less eased its way from nonlife to life . neutral +Tinos is a surprise because it is a center of Roman Catholic worship in an Orthodox land . Tinos is a Jewish place of worship . contradictory +Frescoes adorn many palace cham ? ­ bers , among them works by Simone Martini , brought from the porch of Notre-Dame des Doms cathedral . Martini 's works hang in approximately 28 palace chambers . neutral +More exotic exhibits include playful otters and a large sea-water tank housing sharks and sting rays . The sharks are in a different tank from the sting rays . neutral +It has been most demoralizing , a British emissary to a U.S. company wrote his bosses in the late 1890s . It was demoralizing . neutral +Finally , in 1557 , they were all consolidated in Macau . In 1557 , they were all consolidated in Macau . entailment +uh-huh well even just the general funding for the arts uh in humanities and then you know they get into these censorship issues and everything else i mean There are censorship issues . entailment +Like Supreme Court Justice Kennedy , I have only a tenuous grasp of constitutional law , but won 't this sort of thing be taboo once that flag-burning amendment passes ? I don 't have that great of a grasp on constitutional law , but won 't this kind of thing be taboo when that flag-burning amendment passes ? entailment +yeah it was pretty wild and of course the only sound is Dudley Moore narrates it Dudley Moore did not narrate it . contradictory +Grimblade cut deep into my belly , here . Grimblade cut into my belly with a sword . neutral +You do , said Tuppence quietly . Tuppence is shouting to everyone in the room . contradictory +Its findings have armed Francis Collins in his crusade against genetic redlining . The findings caused Collins to abandon his crusade . contradictory +What word is taboo in middle-class America in 1996 ? What are we allowed to say in 1996 ? contradictory +Without additional funding , the outlook for longer-term legal help is unclear . The program did not need any additional funding . contradictory +The cover story deplores local television news shows ' obsession with titillation and ratings . The cover story has images from TV show videos . neutral +yeah i think that 's ridiculous isn 't it I think that price is ridiculous . neutral +Some have ample shade and others are treeless , catering to ardent sun worshippers . Some beaches have no shade as there are no trees around . entailment +i love to uh i i love to mow it i don 't like weeding the flower beds around the house and my son 's supposed to do that but pretty every once and a while they get ahead of him so i end up doing that for him and and my wife sometimes takes care of the flowers I love mowing because I have a new riding lawn mower . neutral +Number One 's voice held suddenly a dangerous quality : " What has gone wrong ? " Number One is happy and not worried at all . contradictory +Unable to afford private legal counsel , the families asked for help from legal services attorneys at the Northwest Justice Project and Columbia Legal Services . The families were able to afford private legal counsel . contradictory +I use both commercial software and free software in the course of my work ( I 'm adminstrator of a large number of NT and Unix computer systems ) , and it 's pretty clear to me that it 's the free software that is rigorously tested and the commercial software that gets released just as soon as it appears to run . I use many types of software in my work . entailment +The turn-of-the-century hotel reeks of international glamour and clings to its formal ( jacket and tie ) ambience . The hotel is glamorous and formal . entailment +There 's no count of pro bono contributions of solo practitioners or midsize and small firms . They know exactly how many pro bono contributions were made . contradictory +in you know in my younger days i i was interested in what 's the vacation policy and then as i matured a little bit you know i was more interested in what are the insurance benefits you know I am more interested in insurance benefits now than I was when I was younger , but part of that is because my vacation benefits are guaranteed now . neutral +The migrant program generally has taken on issues related to farm labor and has represented large groups of workers . The migrant program works on labor issues . entailment +saying that could not have done anything God had to open those doors and i believe that the the pressure just got so great from the people They became overwhelmed and couldn 't really do much . neutral +At the same time , electricity sales in 2020 were projected to decrease by 24 % compared to the CEF reference case . Electricity sales will go down in 2020 . entailment +A three-second period before getting in the shower is worth far less than three seconds taken from the middle of my daughter 's wedding . I would much rather waste time in the shower than waste time at my daughter 's wedding . entailment +One can only guess , but I believe my guess to be correct . I guessed that Mrs. Brown is the culprit . neutral +The city 's urbane residents enjoy their galleries , theaters , and exhibitions as much as visitors do . Inhabitants and vistors alike enjoy the cities exhibitions and theaters entailment +The Lakeland Motor Museum on the grounds has around 100 exhibits of various forms of vintage transport . These exhibits are gorgeous and deeply appreciated by Lakeland locals . neutral +This brings out the whole valley in force , everyone bending low with small sickles to cut the stalks , then stacking these in sheaves for fuel or thatch after the rice is threshed . The rice is soaked , boiled and consumed but , never threshed contradictory +The entertainment capital of the world knows how to entertain like no place else on earth . It may be called the ' entertainment capital of the world ' , but there are much better places to visit for entertainment . contradictory +Finally they altered their tactics . The new tactics performed much better . neutral +charity that 's put it together but i know that that helps a lot with training and um That 's no help at all ! contradictory +The digital box may well be the harbinger of a truly wired future , once the struggle over which technologies will be included in it is resolved and the cable companies figure out how to get subscribers to pay for it . The cable companies want to get more money from their subscribers . entailment +Cagney 's charisma launched what looks , decades later , like the most enduring film style of all . The least enduring film style is made by Cagney 's charisma . contradictory +My guess is they ain 't sure . I guess they aren 't sure . entailment +Further up Boulevard Saint-Michel , away from the river , is the large Jardin du Luxembourg . The Boulevard Saint-Michel starts at the river . neutral +My system is based on his , though of course I have progressed rather further . This is the best system that there is . neutral +If such evidence is present , return Kennewick Man to his rightful tribal reservation . Do not return Kennewick Man to his tribe regardless of the outcome of the validity of the evidence . contradictory +a little a little on the nutso side He is not crazy . contradictory +The church has an even more elaborate Baroque pulpit . The pulpit is rather plain in construction . contradictory +Gays and lesbians . Heterosexuals . contradictory +The two men , Jon and Thorn , seemed to share a silent conversation . The men communicated with their eyes . neutral +Today 's Papers is still partial to Silicone Valley . Silicone Valley is still partial because it offers nothing special . neutral +Program Effectiveness Evaluation Evaluations to see if programs are being effective . entailment +Yesterday , this columnist ate a half-dozen kippers for breakfast , and he loved them all . I loved the half dozen kippers I ate yesterday for breakfast . entailment +If labor rates for engineering and project management is 50 - 100 percent greater than construction labor , then about 17,000 to about 28,000 man-hours of engineering and project management are needed for the project . Labor rates for engineering and project management are always half those of construction labor . contradictory +About what you did to that nice Galileo ? Is this talk about what you did to the guy Galileo ? neutral +Of course civil disobedience--breaking the law ( and taking the punishment ) --is a valid , even noble , way to dramatize iniquity and create pressure for change . Civil disobedience never creates change . contradictory +about Mexico and and uh some of the other areas but with the Persian Gulf as you said it 's just uh been very quiet i i keep pretty close tabs on the paper and you don 't hardly see a unless it 's there and we 're just not seeing it I 'm still expecting a conflict to flare up soon . neutral +yeah uh-huh yeah we 're not too far behind i graduated in seventy one so i 'm i 'm same generation i i 'm it 's going to be a short conversation because i agree with you i i think uh i don 't i don 't even think it ought to be uh voluntary i think it ought to be mandatory We 're in the same generation and I finished school in ' 71 . entailment +so I 'm not altogether unhappy . I am so unhappy . contradictory +Our advertising does not--and never has--treated all drugs equally . We have , in the past , treated and advertised all drugs equally . contradictory +Penguin , which holds the U.S. copyright on the original Pooh books , has published black-and-white Pooh books , color Pooh books , miniature Pooh storybooks , Pooh in Latin ( Winnie ille Pu ) , Pooh for New Agers ( The Tao of Pooh and its companion volume , The Te of Piglet ) , and even Pooh for managers . Penguin has published a lot of Pooh storybooks . entailment +Was it after that that Whittington handed you over the money , and told you to come the following day ? " Tuppence nodded . Did you make the decision to kill after Whittington handed you the money ? neutral +Backpackers may want to go it alone , but most are advised to plan their visit through a tour operator in KL or before they leave for Malaysia . Even though advised otherwise , backpackers may want to go out alone . entailment +Unfortunately , he also began to spit out his cream of wheat and throwing the spoon while being fed mashed celery , which should not happen to an adult man from a good family . He ate all of his food . contradictory +yeah yes yes it sure is but but it is good reading and it 's good for us and and everything i really do enjoy it I like to read this every day to my children . neutral +I 'd forgotten him . " The speaker has forgotten about the man . entailment +have you uh um-hum Have you ? entailment +Meanwhile , by the middle of the 17th century , Dutch and British armed merchant ships had broken through the Portuguese blockade to set up their East India Companies on both coasts . The Dutch and the British made a treaty with the Portuguese to remove the blockade . contradictory +There is an abundance of souvenirs that make the perfect gift , namely gourmet delicacies , but save these purchases for the end of your trip , in order to get them home as fresh as possible . Gourmet delicacies are the most popular souvenirs . neutral +Now it is a hive of higgler activity and lives by the beat of reggae music . There is no music allowed contradictory +But what earthly interest could he have in my mother 's death ? He is investigating the potential for a serial killer . contradictory +okay Bob um our project 's painting um do you have any uh any thoughts on whether painting 's a good idea or a bad idea Bob , we don 't want your opinion on painting . contradictory +Today the streets of the New Town have perhaps the greatest collection of Georgian architecture in the world . The New Town 's building structures have been restored to preserve their architectural flavour . neutral +Postal administrations , however , are often under constraints that limit their ability to respond to such pressure . Postal administrations have constraints . entailment +Researchers have found fossils , similar to those in the meteorite , in some of the oldest rock on Earth . Meteorites have been known to contain fossils . entailment +well i think it was uh thought up when there was so much controversy about reviving a draft and people said well they uh young people who were drafted have to provide military service to the country but there are an awful lot of young people who would benefit from um some sort of public service like the Conservation Corps back in the thirties or I think it was thought up because people were upset with the draft . entailment +Facing the temple is the three-story Cafe Nyatapola , with balconies from which diners can admire the Nyatapola Temple and take in the market activities on the square below . One can see the Nyatapola Temple from the balconies of the Cafe Nyatapola . entailment +twenty minutes twenty minutes after the hour . neutral +The last monarch to spend a night in the palace was Charles I , in 1633 . Charles I stayed in the palace for 4 nights . neutral +Everyone at the farm was wary of Canada Miss . Canada Miss always made everyone wary . neutral +well yeah i bought one i went to the i bought the low impact first i thought shouldn 't out of the blue just jump in I bought the low impact first , and was planning to work my way up to the high impact later . neutral +His head was shaved and coated in black blood . His long hair was covered in blood . contradictory +and you have to have a deposit in that you know that deal of you know if you want a five hundred dollar credit line then you have to keep a five hundred dollar balance in there Their minimum deposit for the deal is affordable . neutral +My good Dorcas , I have an idea ” a little idea ” if it should prove justified , what magnificent chance ! My dear Dorcas , I have run out of ideas . contradictory +The history is so little known--and so fascinating--it could easily have served as this novel 's point of departure , or the spine of a novel all its own . It could have made a novel all it 's own . neutral +yeah well they have a stronger debate too because there 's twelve people there they have to decide whether or not he 's guilty and then they can sit in the at the same time and decide what his punishment would be and you 'd have more than one person 's input on it Because there are twelve people deciding guilt and punishment , the end result will be more fair . neutral +He had a decade of writing his novel behind him and almost three more ahead of him . He has been writing for a long time . neutral +And finally he realized that he was thinking of a model--the one thing which is functionally the perfect analogue . He could not think of an other solutions anymore . contradictory +Our A Low-Wage Workforce Without the Brown People . Brown people are 90 % of the low-wage workforce . neutral +The mission of the Illinois Equal Justice Project protecting the integrity and accessibility of the legal system for all Illinois residents ; educating individuals , families and groups about the self-help process within the judicial system ; and promoting costeffective legal services for low income individuals and families . The Illinois Equal Justice Project does not have a mission . contradictory +RISK CATEGORY -Subdivisions of a cohort of direct loans or loan guarantees into groups of loans that are relatively homogeneous in cost , given the facts known at the time of obligation or commitment . With all of the information available you can see that costs are homogeneous in this group . entailment +These days , over the instrumental break , she 's prone to toss in a homily about world peace and how , whether we 're in America , Bosnia , Rwanda , the Middle East ; are young , old , black , white , gay , straight , or transsexual , we 're all still people , people who need people . She usually likes to talk about how everyone , everywhere are still people worth respecting . entailment +It proved a fine defense and was instrumental in Candia 's ability to hold out so long in the siege of the city throughout the 1660s . The city was finally saved by a friendly army just as it was on the brink of falling . neutral +no i i don 't think they 'd like to i put a bow on her one night on day and Jerry just kept saying you are the meanest person They didn 't put the bow on her while Jerry was talking . entailment +well i tend to agree and um uh in that we do live in the United States and i think one of our uh one of the things that our country is based on is freedom of choice Citizens of the United States have no limitations to their personal freedoms . neutral +The subjects of this anthropology looked at Yeats ' stylish black London suit--he was always a careful , poetic dresser--and took him to be a proselytizing clergyman . The anthropology was for Yeats ' outfit , as he was known as a style icon . neutral +Nevertheless , the percentage of children on Ritalin has doubled since then . The percentage of children on Ritalin is at an all time high . neutral +yeah i 've done some cross um cross stitch but i never count right and i always have to either take it out or have my picture slightly off centered or or something it never has worked it out completely right I get frustrated cross stitching so I prefer other crafts . neutral +um most of the lawyer programs like uh Law And Order I enjoy lawyer shows like Law and Order . neutral +She was staring searchingly around her , looking at every man . She was searching around her , staring at every man and woman . neutral +Still , in the vast sweep of history , a 50 to 60 percent approval rating isn 't particularly great--it 's about where President Kennedy 's lowest job-approval rating sat . An approval rating above 60 percent is needed to be a good rating . entailment +I told him , what was true , that I liked him very much , that I hoped to come to like him more , but that I was not in any way what the world calls ' in love ' with him . I told him , quite truthfully , that I was madly in love with him . contradictory +The national archives are stored in an 18th-century mansion , Hetel de Soubise . The mansion does not hold any archives . contradictory +Since then , the city has frozen hiring and chopped programs to stave off a budget emergency . The city went on a hiring spree and created several new programs in an attempt to improve the budget . contradictory +For nonmusicologists , that upward leaping orchestral figure he mentions is the bit that There is an upward leaping orchestral figure . entailment +For centuries , horseback riding has been a Spanish speciality . The horses bred in Spain are particularly fine . neutral +No risks now … . So many risks presently . contradictory +Contributes to Fiction Matters , Author 2.0 and Read An Ebook . Non-fiction is inherently superior to fiction , and ebooks don 't exist . contradictory +yeah i uh i just you know it 's it 's you know weapons weapons obviously do not kill it 's the people that operate them and Weapons are solely responsible for killing people . contradictory +Payroll tax increases . Upward adjustments to the amounts paid out in payroll taxes . entailment +As Rama , he usually carries a bow and arrows . He usually carries a bow and arrows as Rama . entailment +At the time , it was the tallest structure in the world . This structure was the tallest one in the world . entailment +These requirements are detailed in two OMB Circulars . The OMB Circulars tell you what you need to know about the requirements . entailment +By his middle 20s , he knew that he suffered from tuberculosis , and he coughed blood increasingly as the years went on . He knew that he suffered from tuberculosis . entailment +The beach , which runs all the way to Jaffa , has soft , golden sand , best tended near the hotels . The golden sand of the beach is maintained best near the hotels . entailment +APHIS rejected the second alternative because it believed that less stringent mitigating measures than the ones proposed would increase the risk of the introduction of foot and mouth disease into the United States and that more stringent mitigating conditions would be unnecessarily restrictive . Restrictions like these play a big part in keeping these diseases out . neutral +The Survey of Consumer Finances is a triennial survey of U.S. families sponsored by the Board of Governors of the Federal Reserve with the cooperation of the Department of the Treasury . A triennial survey occurs three times a year . neutral +Santa Eule ria was the first village in Ibiza to attract foreign visitors decades before the invention of the package tour and a significant ( and in some cases notorious ) colony of foreign artists and writers has grown up here , scattered around the local area . Decades before the invention of the package tour Santa Eule ria was the first village to attract foreign tourists . entailment +uh-huh right yeah watch yeah yeah i don 't blame you I don 't blame you for being scared . neutral +Already , Al Gore has plans to focus on women-oriented sites . Due to recent polling , Al Gore will place more focus on women-oriented sites . neutral +To Albert fell the task of collecting information There was no difficulty about it . Albert was tasked with the most difficult challenge of them all . contradictory +DOS and Don 'ts A certain situation is a do . neutral +Are U.S. airports following required U.S. and international security procedures for passengers ? US airports have a great security detail for passengers internationally and domestically . entailment +In long-exposure photographs , the entire temple appears to be on fire . In certain photos the building looks ablaze . entailment +i mean they just go and buy it you know I think it 's a bad thing because people never learn to do without . neutral +Pokemon has caused the expected consternation among parents and educators . Pokemon is a distraction for students . neutral +The islanders are vibrant , generous , and the loveliness of Martinique 's women is legendary , the number of children impressive . Martinique is host to very handsome men . neutral +It suggests that the number of deaths in non-elderly populations ( and thus the potential for greater loss of life years ) may be significant . Elderly people die twice as often as non-elderly people . neutral +Facing all the bustle of a remodeled Puerta del Sol is a statue based on Madrid 's coat of arms , which depicts a bear leaning against a madro ? ? o tree ( an arbutus , or strawberry tree ) . The bear depicts Spain 's enemies . neutral +sure politics and everything you ought to do what you like uh you i 'm an engineer and even when i was going through engineering school halfway through they said up don 't need any more engineers we 've got too many they go through this phase all the time but i think you still should do what you want because uh My engineering school stated that more engineers are not needed . entailment +Collective bargaining will win doctors more control over the type and quantity of medication they prescribe , resulting in better care for patients . Collective bargaining will restrict doctors ' ability to prescribe quality medicine for their patients . contradictory +Both the timing and the policy are subject to question . You can 't question the policy or the timing , can you ? contradictory +Other community highlights are a cultural center , a theater , and the Japanese American National Museum ( 369 East First Street ) . The cultural center is a highlight and so is the theater . entailment +55 million ( 31 percent ) were estimated to be in error . Over 100 million were wrong . contradictory +Starr 's failures stemmed not from evil but from errant good . Starr 's failures stemmed not from errant good but from evil . contradictory +Formed when a now extinct volcano erupted more than 400,000 years ago , the caves were carved by molten lava . The caves were formed by glaciers . contradictory +And by vision--the vision of those who are adept enough to see through the Ways to the branches of Duality . There are those who are unable to see through the Ways . neutral +at that time as to the rush in the elementary yes right The schedules were tight in school . neutral +Another day at sea is complete . We have been at sea for many days now . neutral +Nearby , the facade of the church , also of the typical Pisan Romanesque style , of San Frediano has a 13th-century mosaic of the Acsension of Christ . The facade of the church features a 16th-century mosaic of Aristotle . contradictory +Chithirai Vishu ( Hindu New Year ) is a more religious affair than the Chinese , with worship and prayers . During Chinese new year , there are less devout rituals and celebrations . neutral +What precautions were taken ? Which precautions were taken . entailment +So important is rice that it has the Shinto deity Inari all to itself . The Shinto deity , Inari , is completely owned by rice . entailment +Time credits Mexico 's young voters--the NAFTA generation--for the ruling party 's defeat in last week 's elections . They knew that there vote counted . neutral +There must be an easier way . It 's impossible that the old way is the easiest one . neutral +Why , in a thousand ingenious ways , cried Poirot . Why , this could have been done in a lot of clever ways , cried Poirot . neutral +There 's a good re-creation of King Tutankhamun 's tomb at the time of its discovery so you can see just what Howard Ceter saw in 1922 . King Tutankhamun 's tomb was first discovered in 1933 . contradictory +In some programs , board membership terminated only with the member 's death . You only give up your membership to the financial board if you die . neutral +Impossible ! broke simultaneously from both men . Only one of the two men broke . contradictory +The ordinary tourist will find it difficult to obtain precise details about this magic , which is known as obeah around the West Indies . The ordinary tourist finds it hard to get details . entailment +After all , the very name Hirosema has become a modern metaphor , the ultimate symbol of total obliteration . Hirosema is a metaphor for love . contradictory +Hanson checked the rigging with half his mind , while the other half raced in a crazy circle of speculation . Hanson only put half of his attention to checking the rigg . entailment +The grantee organizations hire and supervise lawyers to provide free legal assistance to indigent clients . The groups get lawyers to give free legal help to poor people . entailment +It appears that many of these changes will also reduce the burden on non-small entities . There will be changes that affect non small entities . entailment +Across from the park is the Teatro Municipal ( Municipal Theater ) , a miniature Victorian gem that hosts periodic concerts , while opposite the wine lodge is an old Scottish kirk ( church ) , another indicator of the strong British influence on the island 's development . The island is clearly an ancient French colony . contradictory +I looked upAt a bald , toothless gnome in swaddling clothesOn his way back to the fountain for more bad news.Something in his bowlegged walk--perhaps the wearyRoutine of it--made me think of the saint again , The golden-haired gnome was returning for a second round of good news . contradictory +yeah it must be on what they 're counting on They must be counting on payment next week . neutral +there 's a number of us in our little group that end up having to take the must used five or six of us in fact uh just tend not to get around to taking it all at once and uh by the end of the year it kind sneaks up on us and i managed to carry forward the maximum amount there is and and uh i 'm still doing uh my wife works uh half of a half of one day one day a week so on Thursdays We have time that expires at the end of the fiscal year . neutral +so i know they treat him good i have seen them treating him well entailment +But over the course of a generation , activists and bureaucrats have manufactured a single race out of a diverse mass of several million people whose origins can be traced to dozens of countries . Races are all very varied . contradictory +As revised by the Clear Skies Act , Title IV has five Parts . The Clear Skies Act is a United States bill put into motion by the EPA . neutral +The states described here are by no means the only ones that have made progress . Only one state made any progress . contradictory +Even if Cubans lacked for meat , Rodriguez would have money for ventilators and heart valves . Rodriguez traded meat in exchange for ventilators and heart valves . neutral +Yep , guess some men has sure got ' em a bellyful of lead doin ' that . To Drew 's surprise the other was now grinning . Some men do not want to be shot for doing that . neutral +It is the oldest building in Edinburgh and is still the site of weddings and baptisms . You can 't get married there anymore . contradictory +For example , in 2002 grantees will be asked to report the number of newspaper articles published rather than the number of people reached by newspaper articles , which is nearly impossible to quantify in a useful way . It 's almost impossible to figure out exactly how many people were reached by a newspaper article . entailment +The girl counted the notes in a businesslike manner , secured them in her handbag , and rose . The notes were important , as they counted as evidence in her investigation . neutral +( Her taste , incidentally , has been No John Grisham or John Gray ; lots of interesting , underpublicized novels . Her tastes includes lots of interesting novels . entailment +so when you prepare a meal like say on Thanksgiving what do you How do you prepare Thanksgiving meals ? entailment +With respect to setting priorities , GAO considers the nature of the requested work in light of Senate and House rules governing the committees , including their appropriation , authorization , budgetary , and oversight jurisdiction over a program or activity . There are both House and Senate rules governing the committees . entailment +This elaborate structure of interdependent rights and obligations was to serve Japanese society right into the 20th century . Japanese society possessed interdependent rights and obligations in an extensive structure prior to the 20th century . entailment +'Well then . If you say so . neutral +I woke up a week later unable to talk or eat . I couldn 't eat because of my throat injury . neutral +Visit the still active quarries of Fantiscritti and Colonnata . The quarries have been active for hundreds of years . neutral +i got to watch what i say here i never know when the DIA maybe uh listening on my phone right I need to be careful what I 'm saying because the authorities might have tapped me entailment +Station Here Jesus is condemned in Herod the Great 's Antonia Fortress . Station Here Jesus is condemned in Antonia Fortress because it is controversial . neutral +It is destroyed , but is it destroyed ? It is all there in one piece . contradictory +Heading down leafy Paseo del Prado you 'll find the first , and greatest , of the art museums here . The Paseo del Prado will take you to an art museum . entailment +uh-huh yeah well i think it 's all uh i don 't think they have uh execution here Maybe they had execution here in the past . neutral +Impeachment has also frozen the Senate but for a less ominous reason . Impeachment has frozen something other than the Senate . entailment +of federal program coordinators of the baker down the street contradictory +assumption is consistent with the strong correlation between national saving and domestic investment that persists even in the context of a global They were trying to make the connections even stronger . neutral +yeah yeah they see you go through the problems and still come out okay working together You can go through the problems and fail neutral +The thesis was taken up last year by Canadian Michael Bradley in his incoherent book Chosen People From the Caucasus . Bradley is known for a book-length rant titled The Iceman Inheritance , which identifies the origins of white racial evil in prehistoric psychosexual tensions of some sort . Michael Bradley subsequently wrote a book on the sexism of Hollywood . neutral +and uh she 's been down there a couple years and she really loves it She wishes she hadn 't moved there . contradictory +Now we have more strychnine , handled by one of the household . Strychnine was used as a murder weapon . neutral +This was 1892 , remember , when 25,000 bucks was still 25,000 bucks , and you didn 't have to split it with accountants , managers , coke dealers , and any traumatized ex-catamite whose father has a smart lawyer . In 1892 , you had to pay your agent a ton . contradictory +This thoroughly noble goddess , with beautiful cheekbones , lips , and eyes , and wearing a fanciful headdress , may be 2,500 years old . The goddess is said to be 2,500 years old . entailment +uh-huh yeah uh-huh yeah it might be handy yeah they 're pretty neat little i 've never seen one I don 't see a use in it . contradictory +i bet you are i bet you are i don 't know you know when i was in uh when i was in high school several years ago you know we did probably two or two or three weeks on the subject you know and tried to teach you the whole thing in two or three weeks and of course when you 're that age you really don 't care anyway and i didn 't get into it very much but then i took a a list of a basic math class a couple of semesters ago and we uh we were pretty heavily into the metric system and and before we started i just thought oh no i don 't want to do this you know this is just going to be so hard and once i really realized how easy it was I used to think that math was too hard until I took some basic math classes a few semesters ago . entailment +GENERAL PURPOSE FINANCIAL REPORTS -Reports intended to meet the common needs of diverse users who typically do not have the ability to specify the basis , form , and content of the reports they receive . General Purpose Financial Reports can make it easier for disabled workers to understand the contents of the reports they receive . neutral +Come on , Tuppence . They descended to the street again where they gazed at one another blankly . Tuppence was distraught and didn 't know what to do when he got to the street . neutral +What makes the exhibition truly dreary , however , is the pretense that it 's daring , when really it 's an exercise in intellectual conformity . The exhibition is truly dreary . entailment +no i haven 't either and i just uh it 's not that far of a drive and i 'm glad they did that um you 're not missing anything at the Dallas renovated site it 's not at all anything worth talking about The Dallas renovated site is the highlight and should not be missed . contradictory +In a February 1997 series of reports to the Congress , GAO designated information security as a governmentwide high-risk area . There were no other high-risk areas named in the reports . neutral +scientific ( something about string theory and tangles ? ) Strings get tangled . contradictory +That is how indigent criminal defenders get paid . Work done by indigent criminal defenders is rewarded with gratitude and meals . contradictory +In 1409 , under a new directive from Emperor Chu Ti to pursue trade in the South Seas and the Indian Ocean , a Chinese fleet of 50 ships headed by Admiral Cheng Ho called in at Melaka . A Chinese fleet of 50 ships were headed by Admiral Cheng Ho and were lost at sea . neutral +yeah yeah yeah and that they they think the whole world is like that I do not think the whole world is like that . neutral +Volterra has always been known for its local alabaster production as a glimpse in any shop window will confirm . Alabaster is Volterra 's chief export . neutral +And the Coffin Fellowship Program provides money for attorneys who do domestic relations work . The program gives money to attorneys . entailment +Second , Finkelstein echoes conventional historical thinking when he says Nazism 's main appeal lay in Hitler 's promises to restore order in post-Weimar Germany , end unemployment , and make the country an international power . Finkelstein makes multiple persuasive arguments as to why Hitler and the Nazi Party was able to rise to power in post-Weimar Germany . neutral +yeah i especially with the real young ones i started out wanting to teach elementary lower like primary and then top primary and thought well no i don 't like this as much and ended up moving up and got up until about the sixth grade and so that 's what i got my certification in I never wanted to teach children in elementary school . contradictory +The Twelfth Night is the greatest of Shakespeare 's romantic comedies ( Ben Brantley , the New York Times ) . Ben Brantley of the NY Times said that The Twelfth Night is one of Shakespeare 's best romantic comedies . entailment +Many organizations are becoming more willing to talk with outsiders about security because they realize that , despite differing missions and cultures , they all use similar technology and face many of the same threats . Many organizations want to talk with outsiders about security . entailment +Back outside , from the Episcopal Garden ( Jardin de l 'Evache ) , at the rear of the cathedral , a stairway takes you down to the old town . You can get to the old town by using the stairway at the rear of the cathedral . entailment +The arrival of the Venetians changed the town 's fortune . The town 's fortune did not change when the Venetians came . contradictory +So while the colors may fade less , your detergent is also cleaning less . Is it better to have faded or dirty clothes ? neutral +so they called me in uh just a few months ago just a few months ago , they called me .. entailment +you know that 's fine and the rest of the world i mean we are uh we if not we may not be the top i don 't know if we 're the top we 're one of the superpowers of the world We are not a superpower ; nowhere near it . contradictory +Office of Special Investigations--continue the honorable policy of replacing lawless revenge with legitimate justice . The Office of Special Investigations swaps real justice for immature revenge . contradictory +, is solid and workmanlike , nothing like what I think we have the right to expect from the sage of Cambridge . The sage of Cambridge works very hard at finding new students . neutral +They are the first eighth seed ( i.e. They are the nineteenth first seed . contradictory +The NYT and LAT fronts report that a Vanderbilt University study , to be published today in Science , indicates that blacks are far less likely than whites to make use of the Internet . The study found that the wifi password had been changed . contradictory +Don Cazar decides , Bartolomé said . Don Cazar always makes the decisions . neutral +Even readers who share Wilson 's worldview will find much to provoke them . A provoked reader of the book shares Wilson 's worldview . neutral +Save It for the Ballot Box , Buddy You should vote how you feel . entailment +Others blame him for today 's news media 's voyeurism and disapprove of his borderline ethics ( he composed scenes that he passed off as spontaneous ) . Some people blame him for the news being voyeuristic . entailment +those are my children we don 't have very many activities but My children are lazy and don 't like doing activities contradictory +well i 'll tell you if they if they do it like they did uh the last time around it 's not going to be very exciting It was exciting in the past , so it should be now too . contradictory +He sits in his kitchen and points to the adjacent room where he was born . He pointed to the room next to the kitchen . entailment +yeah yeah just like VCRs too yeah i thought of that too that if i wait it 'll get a lot less expensive and i can do without it for a while I thought I would wait until it 's less than $ 20 . neutral +Nasser was to rule for 17 years during which , with Soviet help , Egypt embarked on a huge modernization program . Due to the Soviets , Egypt saw a major reform during the time Nasser ruled . entailment +As noted above , NHTSA invoked the exemption from the initial regulatory flexibility analysis requirement with respect to the proposed rule . There has never been an exemption requested from the flexibility analysis requirement . contradictory +have you uh um-hum You have not done anything . contradictory +The tower dominates a quiet residential district that houses embassies and government buildings . The embassies and government buildings are closely located . neutral +Three days , four days The third and fourth days . entailment +It also has a museum and theater . The theater is smaller than the museum . neutral +In the neighborhood of 6a , the curve must align with the supply curve found in the previous part of this paper . In the next part of this paper , you will see a third supply curve . neutral +And there 's no queasy feeling that you must have misplaced that notice explaining how the rules were about to change . The rules are changing next week . neutral +Now the tradition of open-air discussion continues over coffee or a glass of wine on some cafe terrace on the boulevard St-Michel or in the streets around the faculty buildings . These discussions are not well appreciated by the faculty . neutral +It was no part of the programme to have attention called to her presence in the neighbourhood , but Albert was purple with suppressed excitement . Albert hated her and didn 't want to see her . contradictory +You realize that he chose the one place in the house to hide it where its presence would not be remarked ? Something is hidden in this house . entailment +Eleven percent of the Tarrant County population , or 150,000 residents , live below poverty level . Tarrant County is one of the richest in the nation , with just 1 % of its population under the poverty level . contradictory +I don 't understand you , replied Tuppence with dignity , adding rather inconsequently : " And , anyway , you 're wrong ! " I don 't get you , said Tuppence with nobility , " And you 're not right " entailment +But the oilskin packet was missing ! However , the oilskin package was nowhere to be seen ! entailment +Modern Indian Christians , some descended from the Syrians , others from those converted by British and Portuguese missionaries , number about 19 million . Modren Indian Christians also believe in other regions as well . neutral +Tito died in 1980 . Tito 's death occurred in late 1995 . contradictory +attractive , alert , upbeat , says Safire ; Darling ... Safire remains quiet , keeping their thoughts to themself . contradictory +In its place came a feeling of gloom and apathy . The sadness was a cause of lifelong depression neutral +A time series comparing local unemployment rates with placement rates for job training program participants could be computed quantitatively and changes interpreted through the more qualitative time series data about the program . The results of the time series can only be interpreted through qualitative method . contradictory +As a college student familiar with all the latest urban lingo , I believe the proper term to be used in these contexts is boink . I am not a college student . contradictory +Don 't chivvy the child any further , he said , in a low voice . Don 't harass the child anymore , he said quietly . entailment +3 ) Fragmentary intelligence suggests that China wanted to channel money to Clinton 's campaign . Fragmentary intelligence shows that China was intending to channel money into the Clinton campaign . entailment +Where does it rank in the Great Man Theory of Tour Bus History ? The Great Man Theory of Tour Bus History is a name that many find catchy , but difficult to pronounce . neutral +Nobody pointed out that at Chappaquiddick , unlike Dallas and Los Angeles , the person most responsible for the tragedy was a Kennedy , whereas the victim was not--and that Ted Kennedy 's invocation of the family curse was a clever way of papering over these differences . Ted Kennedy invoked a family curse that has plagued the Kennedys . entailment +As we have indicated , guidelines and best practices have been published that deal with alcohol dependence and abuse and emergency medicine . There are no guidelines in place that deal with alcohol dependence and abuse . contradictory +Worst Case Texas is an outlier , with a 15-percent unfiled rate . Texas has a 29-percent unfiled rate . contradictory +Set on a hill at the northern end of the park acrosea main road , the Tugu Negara ( National Monument ) commemorates Malaysia 's recent dark history through the years of the Emergency from 1948 to 1960 . The National monument commemorates the dark history of Malaysia . entailment +The first argument is a political one which presumes significant urban-rural cross subsidizes in delivery . The first argument is controversial . neutral +At the far end are the Place J ? ? ru ? ­ salem and an old synagogue . By the outskirts , there is Jerusalem and a place of worship . entailment +Below , all signs of roads disappear , and it is clear how difficult road-building is in this tortuous terrain . It is easy to build roads there . contradictory +or parole in in uh fifteen twenty years They 're eligible for parole in fifteen or twenty years . neutral +well it it 's not sudden it 's just that it probably doesn 't hit the average person uh until it hits them over the head It hits the average person pretty suddenly . contradictory +Then I will leave the remarkable similarity of hand-writing between the note , the register , and your own , to the consideration of the jury , said Mr. Philips , and sat down with the air of a man who has done his duty , but who was nevertheless horrified by such deliberate perjury . So now we know that the writings were by the same person . contradictory +yeah plus i think he lives at a small hillside too so As far as I know he lives at the hillside . entailment +yeah i think that that kills a lot of germs and stuff It is so clean that it destroys germs . neutral +To see the tin magnates ' mansions that remain standing , take a taxi ride on Jalan Ampang some 10 km ( 6 miles ) northwest out of town . Many mansions were destroyed by robbers and thieves . neutral +But they had drifted very far apart . They had become quite close then . contradictory +With the first faint glimmerings of dawn , Sir James drew aside the curtains . Sir James closed the curtains as the sun rose . contradictory +Ask Bill is part of our E-mail to the Editors page . Bill is a correspondent who takes personal questions and turns them into publicly displayed and dissected advice for your love life - what are you waiting for ? neutral +Poirot came to the point at once , with a business-like briskness . Poirot went to the place immediately . entailment +no i remember when i was in college i didn 't have time to do that stuff either it was really When I was in college , I had plenty of time to do things like that . contradictory +we 'll start them inside and uh We will start the warm ups inside . neutral +He knows more about poisons than almost anybody , I explained . I said that he did not know much about poisons . contradictory +The town 's militia greeted him as he arrived . The town knew the man very well . neutral +He appealed to them to get their lawyers to restore the loss out of their own pockets . The appeal did not get through though . neutral +Yet the city also makes plenty of room for more elevated pursuits including Spain 's most sophisticated cultural opera , theater , zarzuela ( an indigenous form of light comic opera ) , and dance . Zazuela is the name of a kind of opera native to Spain . entailment +France 's other major preoccupation was England . France stayed very far away from England . contradictory +The American people expect and deserve this linkage as well . The American people deserve this connection too . entailment +may ask GAO to restrict the release of a product for up to 30 calendar days beyond the targeted issuance date . The GAO can regulate product release past the targeted issuance date . neutral +Don 't underestimate newcomers to the ring . Don 't discount the rookies to the ring . entailment +yeah well i think a lot of it is the parents are totally irresponsible too we 're talking these kids are fourteen years old The parents might be thirty years old The parents are very responsible and their kids are well mannered . contradictory +Several mentioned the importance of networking with outside organizations , such as the International Information Integrity Institute , the European Security Forum , and the Forum of Incident Response and Security Networking with organization , like the European Security Forum , was stated to be of importance . entailment +Recognizing that self-represented litigants are a challenge for court systems , LSC has collaborated with the National Center for State Courts , the State Justice Institute , the American Judicature Society , Pro Bono Net , and Zorza Associates to create a website resource center for professionals involved in self-help projects . The LSC has worked with various organisations to build a site as a resource for professionals in self-help projects because they recognized self-represented litigants are a challenge for the court system . entailment +Vast expanses of land are cultivated ; orchards and lush cattle pastures produce the famous strong cider and pungent cheeses . The cheeses produced in this region are mild and odorless . contradictory +Ten minutes later a metamorphosed Tuppence walked demurely out of the station and entered a bus . Tuppence was on her way to the mansion . neutral +no i 'm not with you so far Yes , I 've got it , move on . contradictory +I 'm a friend of Jon 's . Jon is my best friend . neutral +yes my grandfather was a builder and so my parents always lived in houses that he built and then they knew they were getting a good deal so My parents never knew if they were getting a good deal when buying a new house . contradictory +oh oh gee homesick um have you heard about these uh these businesses these companies that uh i mean their business is planning family reunions for people oh yeah that 's i i thought about this and uh it seems like a pretty neat They have pretty reasonable prices , too . neutral +Set aside money specifically for planning . Setting aside money for an iphone . contradictory +I lived last with a Miss Dufferin , The Parsonage , Llanelly . Miss Dufferin passed away so I have no one to live with . neutral +We all have learned recently , for example , that even outright lying under oath in a deposition for a civil case is the kind of thing that an ordinary citizen apparently does not often get prosecuted for ( though it 's not clear why not--especially when the liar is the defendant in the case ) . It isn 't common for the typical witness to get charged for lying on the stand or in a deposition during a civil case even though they should be . neutral +The Spanish never settled this strip of land , but when the British arrived in the late 1650s they built Fort Cromwell here ; it was renamed Fort Charles following the restoration of the British monarchy in 1662 . The British were the first to settle on this strip of land . entailment +Be sure also to see the superb altarpiece of Martin Schongauer , Hans Holbein 's portrait of a woman , and Lucas Cranach 's exquisite M ? ? lancolie . Portrait of a Woman by Hans Holbein is priced at $ 1 billion . neutral +I 'm no economist , but I believe this is the point President Clinton intends to make in Tokyo tomorrow . He will make this point tomorrow . neutral +oh that 's pretty good exercise you do you drive a cart or do you carry your bag All caddies are supplied with an electric golf cart equipped with a misting fan . neutral +We could have two debates every single week and get rid of all the television and radio commercials . With two debates weekly , we could never get rid of all the television and radio commercials . contradictory +Abraham , the first Jewish Patriarch , led his people here in search of the land of milk and honey ; Jesus Christ was born , lived , ministered , and died here ; and Mohammed , the founder of Islam , visited Jerusalem during his heavenly Night Journey . Abraham was the first Hewish Patriarch who led people to search for the land of milk . entailment +oh no i can remember my mother getting in trouble if you know one of us was sick and i know she probably didn 't make hardly anything you know compared to the work that she did My mother earned lots of money compared to the tasks she had to do at her job . contradictory +The press and public love it . The media and the people are thrilled by it . entailment +They were two weapons of the same forge . These weapons were nothing alike . contradictory +credit card i think has the lowest about the lowest interest rate of any of the ones that we use credit card has the highest interest rate out of any . contradictory +well you can come over to my house and spend it You know where I am . neutral +Each region of Greece has its own particular songs and dances . Unlike Greece , there are no regional songs in Turkey . neutral +The last inmate to stand up wins . The winner is whoever jumps up the fastest . contradictory +The court found it unconstitutional . It was found to be unconstitutional by the court . entailment +In addition , the CIO Council , the Office of Personnel Management , and individual agencies have been working together to develop new approaches to compensating and retaining information technology and management workers . The agencies are largely uninterested in developing any new ideas on compensating information technology workers . contradictory +The Champs-Elysees stretches in a straight line from the Arc de Triomphe to the Place de la Concorde , bordered by chestnut trees all the way . The CHamps-Elysees goes from the Eiffel Tower to Italy . contradictory +The surrounding park includes the Talbot Botanic Gardens , 8 hectares ( 20 acres ) of walled gardens and glasshouses with thousands of plant species . The park has 17 kinds of orchids . neutral +Some-times our clients are not the most agreeable in the world , but this year when I put out forms asking for pro bono work , they started coming back by fax almost immediately . Our clients are the most agreeable group of people in the world . contradictory +The elevation of VA to cabinet-level status in 1989 spurred the department to make internal management improvements . Higher expectations were implemented upon the VA . neutral +Freedom of Information Act of 1966 ( Public Law 89-554 ) a This law established the right of public access to government information by requiring agencies to make information accessible to the public , either through automatic disclosure or upon specific request , subject to specified exemptions . It was hoped that the Freedom of Information Act of 1966 would encourage greater trust in government . neutral +Offices of the Malaysian Tourist Development Corporation in your home country can provide guidance to the most reputable companies . The Malaysian Tourist Development Corporation has offices in every European and Asia country . neutral +and there seems to be no purpose um you know the person has stated you know some opinion or fact or whatever and that should be the end of it and they just keep on and on and on They really should try to come up with an agenda to save on time . neutral +The river Ouvyze , spanned by a Roman bridge , separates the attractive medieval haute ville from the modern town and Roman ruins . The Roman Bridge was built during Julius Caesar 's government . neutral +It has been fun , hasn 't it , Tommy ? It has been a bore , hasn 't it , Tommy ? contradictory +and we 're going to have to say if you commit this crime and if we 're sure you commit this crime you are going to be sentenced to death period If you commit a crime with the death sentence , you should be sentence to death . entailment +During his 12-year campaign Alexander established some 70 cities , and built the greatest empire the world had yet seen . Alexander established about 30 cities during the 12 year campaign . contradictory +Difficult ! It 's damnable ! It is easy . contradictory +The factual questions were easy to answer . It was easy to answer facts . entailment +Ca 'daan didn 't want to know what had happened inside that helm and thinking of it made his stomach turn . Ca 'daan preferred not to know the truth of what happened in the helm , but his instinct told him anyway . neutral +Which was OK with him really , as the majority of his time now was spent on playing computer games suitable for children aged 12 and up . He spent most of his time playing board games . contradictory +Many on the left thrilled to this portrait . LOts of liberals liked the painting . entailment +Requests for interpretations should be directed to OMB 's Office of Federal Financial Management or to the Executive Director , FASAB . The office of Federal Financial Management or the Execuitve Director of FASAB are the ones who make interpretations of rules . entailment +yeah and i i just don 't see uh you know a baseball player being worth that or any really any pro pro athlete because we look at that compared to what uh normal people make i mean it 's just totally outrageous Baseball players don 't do enough work to deserve half their salary . neutral +Its reconstruction was begun by Alexander the Great ( his decisive victory over the Persians at Gaugamela in 331 b.c. was predicted by the oracle ) , and continued for many centuries , but the temple was never completed ; note that some of the columns remain unfluted . Its destruction began by Alexander the Great , and was demolished within two days . contradictory +Performance requirements are not implied or measured in the validation . Performance requirements arent implied or measured . entailment +Although not as common , multiple systems installed at a single facility can be performed simultaneously . Multiple installations cannot occur at a single facility simultaneously contradictory +It should 've been a breeze- easiest job in the world . The job took about 10 minutes of my time neutral +It holds the various courts of the city , together with a library of law and a basement restaurant . It does not hold any of the courts of the city . contradictory +K has no trouble deciding which it is now that he needs a few second-order considerations to refine his argument . K can easily decide what argument to choose . neutral +Red said , " Ssh . Red thought everyone should yell loudly . contradictory +um-hum yeah yes they 're the they 're the victims of neglect and and uh many years of of perpetuated nonconcern for human life Due to the neglect they face , they end up turning to crime . neutral +Today they lie in Ravinica , and on Sundays the coffin is opened for the faithful , and his brown and withered hands peek out from under the shroud . The coffin always stays closed , except on Tuesdays , where it gets opened for the faithful . contradictory +Alexander Butterfield , the aide who stunned Watergate investigators with news of Nixon 's taping system a quarter of a century ago , yesterday testified that the massive response to the speech was fabricated . Alexander Butterfield was an aide for Nixon . entailment +Ernie Els alone among the final four had won an Open , but was a vanilla man , plain-looking and apparently without any emotions whatsoever . Only two players participated in the Open . contradictory +The right cannot understand that ordinary Americans sparked the ' 60s cultural revolution . The right can 't understand how ordinary Americans sparked a cultural revolution in the 60 's and how they changed music forever . neutral +Low-income domestic violence victims may find long-term legal help -- representation in divorces or child-custody disputes -- hard to come by , if two organizations now providing such help can 't replace their lost funding . There are dozens of well funded organizations providing these services . contradictory +In being named the original chairman of the Indiana Pro Bono Commission three years ago , he led the 21-member board to create a structure that would embrace Shepard 's pro bono ideals from beginning . The man wanted to add more members to the board . neutral +So I dusted it off with my apron , and took it in . " I had the utmost difficulty in controlling my excitement . I took off my apron excitedly , dusting it off . entailment +Some 200 showrooms are housed here and in the adjoining Green Ceter , which displays an impressive range of traditional and contemporary home and office furniture created by famous designers . The showrooms show off a variety of furniture created only by the best . entailment +yeah i mean for somebody who is you know for most of their life has has uh not just merely had a farm but had ten children had a farm ran everything because her husband was away in the coal mines and you know facing that situation it it 's quite a dilemma i think for someone who had so much responsibility in her life--raising ten children alone and tending a farm--it 's quite a dilemma entailment +support of the development process . The development process usually takes many months to complete . neutral +You 're going to need to ask for his help . If he doesn 't help you , you might die . neutral +'That 's your project . ' The project was supposed to be both of ours , but it 's been thrust upon me . neutral +Using the same technology we use in Slate 's reader-discussion forum , The Fray , Chatterbox will be updated whenever the fancy strikes , independent of Slate 's official daily posting schedule . The Chatterbox section does not have set dates and times for updates . entailment +yeah but i still think a beater would do it good enough um the trick is to get the cornstarch I keep thinking that a beater would do it greatly entailment +The metaphor of the pulpit suggests not reading but oral and visual contact between the preacher and his flock . The pulpit 's metaphor suggests oral and visual contant between the preacher and his flock . entailment +Also here is the constantly busy main tourist office . The tourist office that was once here has been permanently closed . contradictory +Lincoln looked pissed . Lincoln was mad that someone shot him in the leg . neutral +3 ) Few nebbishes are actually nerds or intellectuals--some Woody Allen characters excepted . Woody Allen has written a variety of characters for his movies . neutral +In the other camp is John Anderson of Newsday , who derides Branagh 's antic energy , and New York ' s Denby , who calls the film overscaled , huge , and hideously exposed . John Anderson writes for Newsweek . contradictory +i guess plenty of people do There are lots of people that do . entailment +The local people will tell you that this is the Hippocrates Tree , under which the father of medicine , a native of the island , lectured to his students over 2,500 years ago . Hippocrates , the father of medicine is a native of the island and taught his students under a tree . entailment +A banner at the top of a Web page just isn 't the same as a luxurious two-page color spread . A headline at the top of a web page isn 't the same as a three-page color spread . contradictory +They developed into farmers with settlements and pastureland on the fertile Messara Plain . They evolved into farmers with land . entailment +no huh-uh because i 'm like forty three I just turned forty-three . neutral +In addition , attestation engagements performed in accordance with GAGAS are subject to quality control and assurance reviews . There are no attestation engagements performed in accordance with GAGAS . contradictory +that 's good i 've noticed on the like the department stores they sure do hate it when you pay double payments Department stores don 't like it when you make double payments . entailment +high and the goal cannot be achieved on time , decision makers assess trade-offs between new and existing components to reduce the risks to a more manageable level . It is impossible to reduce the risks , isn 't it ? contradictory +It was a slow process ; many of its buildings were brought piece by piece from abandoned desert towns . The building was separated into many pieces due to a hurricane . neutral +You must apply for a licence yourself , and a medical certificate is also required . The medical certificate must be issued by a doctor . neutral +At the very crest of the hill , you will find the Old Observatory , the only building designed by James Craig left in the city ; it was completed in 1792 . The Old Observatory is the only building designed by James Craig that is still standing . entailment +Projections based on intermediate assumptions of the 2001 OASDI Trustees ' Report . Projections are based on the report by the 12 trustees . neutral +and they never told us why these two people had such a vendetta against each other and the crime was uh uh attempt to commit murder you know and They went on and on about why the two people were such enemies . contradictory +'At this early stage of our relationship , I would just as soon you did not . ' I 'm happy that you 're talking about this so soon into our relationship . contradictory +How long could it take ? How long can it take ? entailment +Oh , and let 's cut out all this huffing and puffing about Saddam Hussein . People are upset about Hussein 's actions . entailment +American Detective Force ! she hissed . " Typical American police , " she mocked . entailment +We 'll start with the London area . There are three people that will start in London . neutral +The Marais district , north of the two islands in the river , was built on land reclaimed from the marshes . The land was taken back from the marshes , and was used to build the Marais district . entailment +Research is needed on how to implement and institutionalize these programs . Research isn 't needed to institutionalize the programs contradictory +The second possibility is that the diversity will be so great that it would be impossible to have enough instances to The first possibility is that there will be no diversity . neutral +After all , the very name Hirosema has become a modern metaphor , the ultimate symbol of total obliteration . The name Hirosema used to not mean anything . neutral +The Middle Kingdom is a recreated living history of China 's past , presented through a number of full-size replicas of shrines , temples , pagodas , palaces , and street scenes . Accurate representation of the living history of the United Kingdom 's past can be found through The Middle Kingdom . contradictory +Finally , the tabs have been wallowing recently in the misery of people you can 't remember or never heard of . The tabs have been over exaggerating the misery of those people . neutral +Could you tell where it came from ? I know where this was made . contradictory +But he used harsh anti-press laws and loyalty oaths to quell the libertarian spirit that had brought him to power . The libertarians brought him to power . entailment +Both CBO and the Medicare Trustees generally assume per-beneficiary costs to grow at GDP per capita plus 1 percentage point over the long-term . They wanted nothing less than 100 percent . contradictory +To this day I have never troubled about the ethics , he says of his work . He stays up late at night worrying about the harm he has done with job . contradictory +The latter looked similar , except it had wings tacked onto its back . The two looked the same , except one had wings tacked to it . entailment +I headed straight for the front of the train , the cockpit- the driver 's den . I went to where the train driver sat . entailment +The sinister prison of the Conciergerie ' named after the royally appointed concierge in charge of common-law criminals ' welcomed Marie-Antoinette , Robespierre , Madame du Barry , Danton , and 2,500 others into its antechamber of the guillotine . The prison was named for someone who liked to execute the prisoners . neutral +Investment boosts labor productivity because workers can produce more per hour when they have more and better equipment and better skills ( capital deepening ) . Workers are happy to have better equipment . neutral +Then I shouldn 't . I should not do such a thing , that 'd be wrong for me to do and would go against my beliefs . neutral +If his theory were true , Edmund Hillary 's ascent of Mount Everest would have been motivated by a desire to test new oxygen tanks , and Joshua Slocum would have circumnavigated the world in order rack up frequent-sailing miles . His theory is one hundred percent true . contradictory +Let 's leave it till then . We do not need it right away . neutral +The two leading local troupes , the Chung Ying Theatre Company and the Hong Kong Repertory Theatre , perform in Cantonese ; there are English-language performances at the Fringe Club theaters , 2 Lower Albert Road , in Central . There are English-language performances , but the two leading local troupes perform in Cantonese . entailment +The dark skinned man growled low and deep in his throat . The dark-skinned man smiled pleasantly . contradictory +But one meeting is essential to define my policy . In order to define my policy , I have to do one request . contradictory +However , this isn 't the place to be after dark . This is a bad place to be at night . entailment +Las Vegas has always had an affinity for bowling . Las Vegas has always had a profound hatred for bowling . contradictory +One of the most dramatic changes in priorities proposed by the City Council would shift $ 25 . The City Council want to emphasize different things . neutral +kids have to have so much i mean i even get caught up in it with our kids even though i buy most of the things at garage sales for their Christmas i mean Kids these days have a lot of material things . entailment +Find the bus station on Sultan Suleiman Street between Nablus Road and Saladin Street . The bus station was near Nablus Road was constructed decades ago . neutral +What Christopher felt first was a major stress on his spine . Christopher first felt a sharp pain in the back of his head . contradictory +You cannot mean to shoot me ? You cannot shoot me because that is a toy gun . neutral +Case hired George Vradenburg , a high-powered lobbyist , to represent AOL on the Hill . With George Vradenburg representing AOL on the Hill , AOL will most likely win the case . neutral +Sir Hugh Lane , who died in 1915 , bequeathed his collection of paintings to the Irish government and the National Gallery in London . Sir Hugh Lane never offered his collection of paintings to the National Gallery of London . contradictory +On Martinique the Tourist Office advises that the safest beaches for poor swimmers are at Sainte-Anne , Trois-Ilets , Sainte-Luce , Trinit ? ? , and Carbet . Martinique 's Tourist Office says that poor swimmers are safe swimming on any of its beaches . contradictory +yeah we 've got some land at Holly Lake outside of Tyler We bought land outside of Tyler ten years ago . neutral +that 's right because that 's what they 're familiar with That is right . neutral +DiClemente and Soderstrom have set the stage for us to think about what is needed in the future to provide best practices care to patients with problems related to alcohol use . DiClemente set the stage for us to think about alcohol abuse and best practices for patients . entailment +I agree that there is nothing like going to a bookstore on a cold winter morning , but there is also nothing like discovering an interesting new author while sitting in your home in your robe , sipping a cup of coffee . I think it is better to read at home in the winter . neutral +Some fungus destroyed its central trunk , but it still thrives , having aerial roots and a circumference of 400 m ( 1,300 ft ) . The fungus is no longer in the tree . neutral +forum in an unconventional way to suppress speech inherent in the nature of the medium . Speech cannot be suppressed . contradictory +so have you have you been just been out of school what i guess four years yeah You graduated 4 years ago . entailment +But his nobles were intent on revenge and imposed a second , even more violent , White Terror against Jacobins and Bonapartists , including some of Napoleon 's greatest generals . Some of Napoleon 's greatest generals were targeted in the White Terror . entailment +Mine 's a full week old , and he 's still acting like a drunk . He has always acted like a drunk . neutral +, the closure of a local factory ) , the benefits tend to be invisible because they 're faraway or diffuse ( e.g. The benefits tend to be pretty diffuse . entailment +A pyramid seemed like a ridiculous solution , but for an incredible task , an impossible solution had to be tried . A pyramid was the only viable solution they could attempt . contradictory +Engineering and Design Guidelines for Duct Injection Retrofits There are design guidelines for duct injection retrofits . entailment +Her outstretched hand pointed over Tuppence 's head . She pointed at a picture behind Tuppence . neutral +But I have a superfast connection , and there are no problems during our calls . The wireless connection is the best and there won 't be problems . neutral +yeah there 's yeah i know they 're i know you can 't even spank your children these days without There are limitations on discipline these days . entailment +Examples of program effectiveness and results and economy and efficiency audit objectives include assessing Assessment is completely ineffective at gauging how effective a program is . contradictory +All along , he treated his book as a growing organism , not as a fixed system . He had no intent of the book ever changing over time . contradictory +Last week , a witness collapsed in tears while apologizing to the ranchers . The ranchers were satisfied with the witness 's apology . neutral +What is worrisome is the failure of pollsters themselves to learn from the history of their profession . It makes me worry the failure of pollsters to forget about the past of their profession . contradictory +What 's wrong with informing certain segments of the electorate that your opponent is using the feel-good rhetoric of solutions to pull a fast one at their expense ? One should never discuss one 's opponent with the electorate . contradictory +I remember the days when there were only a handful of people in the legal offices who spoke Spanish , Dudovitz said . There have always been many Spanish speakers in the offices . contradictory +They operate to beaches near and far ( usually , but not necessarily , the farther the better ) , and you 'll find that there 's a beach for every taste . The nearer they are to the beaches , the better . contradictory +For-profits also keep billings up by avoiding the uninsured , sticking to affluent suburbs , and avoiding obstetric , pediatric , and emergency services . For-profits have a few strategies for maximizing their profits in the medical industry . entailment +He stood relaxed , watching the carnage around him and smiling . He stood by and watch the men fighting each other and seemed to even enjoy it . neutral +Fortunately , most of the favourite beaches are well protected from waves and undertow , and slope gradually . The undertow at other beaches is dangerous . neutral +If asked to participate in press briefings sponsored by requesters , GAO will provide support if the press briefing is held in Washington , D.C. GAO will provide support if the press briefing is held in Washington , D.C. , if you are asked to participate in press briefings sponsored by requesters . entailment +As boating parties replace ballerinas on the T-shirts and umbrellas for sale along Michigan Avenue , the exhibition organizers shouldn 't shy away from social context and controversy . The exhibition organizers should stay in touch with the social context of what they 're displaying . entailment +yeah exactly that 's what everyone says Most people say differently . contradictory +Its factories feature the latest generation of industrial robots that don 't eat , don 't sleep , and never strike . Robots eat , sleep , and strike . contradictory +The film ends with the camera zooming toward Johnson 's eye until the screen becomes more and more grainy and ultimately black , as if to suggest that settling the big questions of who Bumpy Johnson really was and what he meant to Harlem may be beyond its range . The movie concludes with a big zoom in shot . entailment +me grab grab grab walk yeah I get what I can and leave . entailment +At the same time , the government does not always effectively plan , procure , and implement major technology investments . The government has so much bureaucracy that it 's difficult to plan for major technology investments in the public sector . neutral +Time marvels at the growing popularity of polyamory , openly maintaining multiple loving relationships . The popularity of polyamory is steadily growing . entailment +An agency should establish its initial test plans in the presolicitation phase . The presolicitation phase is a warm up period for every agency in government . neutral +For instance , Phyllis Schlafly , the original Goldwater girl and head of the Eagle Forum , complains incessantly about new groups . She complains about new groups , because she 's greedy for their money and fame . neutral +Next to it is a splendid cylindrical 11th-century Romanesque campanile . The campanile has a Romanesque design and dates from the 1000s . entailment +yes well get back to what you 're doing and i 'll do the same i enjoyed talking with you too okay bye-bye Let 's keep talking for a while because I still have something to say . contradictory +The second was in the combination of case study methods with other methods , particularly surveys , in order to achieve the generalizability that evaluators called external validity . The case study methods were combined with other methods to make the study as valid as possible . neutral +I have only just heard . " I just heard this second . neutral +Atrisk The actual construction work is performed by trade contractors under contract to the CM , who then becomes responsible to the owner for construction means and methods and delivery of the completed facility within the owner 's scope of work for cost , time , and quality . Only the owner is responsible for the construction . contradictory +Identity , by Milan Kundera , translated by Linda Asher ( Harper Flamingo ) . Linda Asher has translated other books prior to Identity . neutral +you know i think that 's true and i i tend to think that our children are also growing up with a bit more awareness of that at least i mean i i feel i try to as an individual my children are very young but Our children see a lot on the news that makes them more aware . neutral +you know but you know but because i know some of the stuff like that one Judith Krantz made that one they did that one really they did okay but i liked the book better Judith Krantz directed an okay movie , but deviated too far from the source material . neutral +When some of his Giants players had drug problems , Parcells spent a week at a rehab center , scouting if it was good enough for his men . the Giants organization had no problem with the drug problem . neutral +If the Web prints it and television goes with it , print must follow . Web and TV almost always get scoops before print . neutral +uh-huh yeah right and and there 's nobody but there 's no husband there to come in and say wait a minute There 's no husband there to say " Wait a minute' entailment +and i did that and the driveway the following spring which uh i needed a break from the work and i i needed a break to get a little more money ahead stuff like that so i waited I completely paved my driveway the following spring . neutral +The actual annual requirement for labor would be less if the estimated number of retrofit installations were evenly distributed over the full five-year increment of time instead of the conservative three-year increment . Having installations every five years or every three years does affect labor costs . contradictory +He has competitors also searching for these objects , and what is more , they too are looking for Nachtigel in order to avenge themselves . Several people are looking for Nachtigel . entailment +OK ? So do we have a deal ? Do we have a three-way deal right now ? neutral +Just a little before breakfast . " A bit before breakfast . entailment +Benefits resulting from GAO 's recommendations included better public safety and consumer protection , more efficient and effective government operations and services , help in ensuring Year 2000 readiness , and improvements to computer security . Increased public safety wasn 't among the benefits of GAO 's recommendations . contradictory +yes um-hum right uh-huh Yes , yes . neutral +well thanks and it was nice to hear that you 've had such good luck with your cat I hope your cat likes it 's new home . neutral +um-hum um-hum well i started yeah i started some about uh about a month ago and had them in little planters all over the house and my cats got to them and that was the end of them The plants survived my cats . contradictory +Everybody was impressed , and one man 's eyelid even ticked a little , because he didn 't realize that the speaker of this witty comments wasn 't Czarek , but one of the Fodder Brothers ( a term coined later by triumphant Pytlasinski ) . The comments made by Czarek did not impress the people in attendance . contradictory +so uh you know i didn 't have access to a machine the whole time i was in college I didn 't have access to a machine the entire time I was in college . entailment +Instead , I believe we need a version of the serenity prayer : Economists need the skills to do quantitative research , the knowledge needed for qualitative research , and the wisdom to know when each is appropriate and what its limits are . I think we need a new version of that prayer that applies to economics . entailment +The money helped him through the off-season . The money help pay for his school through the off-season . neutral +It seems like only yesterday that Gen. It feels like only yesterday that Gen. entailment +George Will has written column after column sermonizing about First Amendment excesses , lecturing sternly about the difference between speech and action , and ridiculing the idea that ( for example ) flag-burning sends a political message and therefore qualifies for First Amendment protection . Some believe that flag burning expresses a political view . entailment +Brando replied by telling the singer to f-- off and hung up on him . Brando told him to f--- off and hung up the phone . entailment +and yeah and they drilled this well and the water comes out at thirty two degrees so it 's kinds of neat would that be healthier do to do that to drill your own fresh water well like that The well they drilled does not reach the water . contradictory +From the dead man 's pocket-book he had retrieved the illomened draft treaty , and then and there , in the presence of the other three , it had been reduced to ashes … . They stole the draft treaty and burned the dead man 's body . contradictory +Or are we , as I am , for tripling the tax deduction for each child to $ 8,000 ? Is everyone in agreement that the tax deduction should be lowered ? contradictory +Several refinements have been incorporated into the RFP for 2002 funding , questions on applicant staff diversity ; staff recruitment and retention strategies ; staff training ; and applicant strategic planning . Many changes to added to the RFP for 2002 funding . entailment +It is even less true now--and not because America , in the classic pluralist formulation , is a nation of nations , a neutral holding pen for various diasporas ; nor because America is some dehumanizing , single-mold melting pot . It is not because this country is some kind of homogeneous society . entailment +I told him I didn 't have any new material . I let him know that I don 't posrss anything new entailment +Figure 8 . Projected Marginal Cost of NOx Reductions ( $ / Ton ) Figure 9 . Projected Marginal Cost of Hg Reductions ( $ Million / Ton ) NOx reductions come along with massive costs . neutral +Taking the keys from Poirot , John unlocked it , and we all passed in . We all passed in after John unlocked it . entailment +Several commercial companies we visited began gathering this data very early in development and tracked it throughout development . None of the companies we visited gathered data at all . contradictory +Confronted with the medical proof of homicide , Noe admitted to suffocating four of her children . Noe admitted to suffocating four of her children . entailment +and uh so when when they participated in sports or whatever well uh all nearly all the parents went When the kids participated in sports , nearly all of the parents were there to cheer them on . neutral +and we happen to go out there on win night and uh uh they and they got hot then and i 'm not sure they put the prices up a dollar a ticket this year we may have to go less but You can get into games for free . contradictory +oh fourteen well okay division one was worse because that 's the biggest division and boy when we put them on oh my God the phone you 'd hang up and it would ring it was just bad The phone wouldn 't stop ringing with angry people neutral +On every talk show , Dole vowed to demonstrate that the candidate with the most experience is more qualified than the candidates with the most money . The candidate with the most experience is more qualified than those with more money . neutral +promises one month of free e-mail support . says e-mail service will no longer be available . contradictory +Here is how to grapple in the service of justice , as many of the schools put it , instead . Many schools refer to this as the service of justice . entailment +'Perhaps . ' Her accent returned . Her accent came back . entailment +ouch fifteen years bet they hated that There was no fifteen years . contradictory +they just you know just just level the whole place and let it go but we 're going to have to be over there and we 're and our presence is going to have to be felt and they 've got to be strong presidents or presence uh if we don 't then i think that we 're going to be back there They have to be weak presidents and not do anything . contradictory +We 'll run them down ! We 'll catch them ! entailment +In the morning , when his tired and still crying wife fell asleep in the locked bathroom , the exhausted professor sat down on the sofa , and said to himself : The professor sat down on the sofa and fell asleep . neutral +The museum is open late April September , Monday Friday 10am 6pm , Saturday and Sunday 1 6pm ; October November daily 1 5pm ; admission adults IRa2 . The museum is open most of the year . entailment +well yeah yeah we have uh you know like a typical credit union account for you know just a a basic savings thing and then uh we 've got you know the IRA 's and CD 's and various and sundry you know long term kinds of things We have some money in our savings account . neutral +You then eventually rejoin the N74 at Clos de Vougeot . Clos de Vougeot is where you rejoin the N74 . entailment +Instead , Bradley repudiates the word . Bradley rejected everything the man said . neutral +This month-by-month listing can therefore only be approximate . This list contains entries of month-by-month rough calculations . neutral +I could go if there 's anything special . I won 't go even with something special . contradictory +and it wasn 't until uh a year or two ago where the state required anyone putting chemicals on lawns that they tell the the customers what they 're actually putting on the lawn and what the uh the hazards are and uh my children are all grown up now but when they were younger i was fertilizing my grass and didn 't realize that some of the the chemicals that are on the grass that are being put on by the chemical companies um stay there longer than than than a few hours People used to put chemicals on their lawns . entailment +At Lake Windermere , Derwent Water , and Ullswater you can rent rowboats ( most are big enough for a family of four ) . Rowboats are not available for rent at Derwent Water . contradictory +and the rest of the partners all got up in arms about it and Michael met with them and said and said you know we got to do something about this we need to make a proposal let somebody else be the leader and he kind of elected himself and everybody else went along with it and they they uh gave it to Leland and he hit the roof and um he and Brackman talked about it and and Brackman decided to try and do away with him so he fired him because he he violated one of their policies of going behind a senior partner 's back or something so they fired him they chased him off with the security guards they 're fighting out that battle now he 's firm formed his own firm The group did not agree with Michael 's ideas . neutral +Just a few more words of Beware of spiky sea urchins when swimming off rocks . I just have one more warning for those who are planning to swim . entailment +Democracy widespread police killings and beatings The police killings and beatings are widespread . entailment +He noted that little is known about effective screening for certain sub-populations , so screening research still has its place . The sub-populations respond favorably to screening . neutral +The sum of these unholy things , Mayakovsky suggests , is the feeding of his soul , the making of his poetry . Mayakovsky relies on solely the unholy things for the creativity he needs to write . neutral +she 's kneading on my my stomach pushing and pushing and drooling I can 't get the baby to sleep . neutral +and well you know the auto budget car payment sucks a hell of a lot of it dry Thankfully that will end in two years . neutral +oh that 's nice yeah and it is i think it is important to you know want to be close to your family and I think being close to family makes you happy . neutral +The BJP defeated Congress in the general elections of May 1996 , winning the largest number of seats in Parliament . It took a long time to figure out the result in the general elections of May 1996 . neutral +You do not know that Mrs. Vandemeyer is dead ? Are you aware the Mrs. Vandemeyer died ? entailment +We pushed aside the flapping door . We pushed the door to the side . entailment +so my you have some pretty good ideas there um I think your ideas stink . contradictory +well they yeah they you still have to punish yeah You don 't have to punish anything or anyone . contradictory +A notice of proposed rulemaking was published on October 10 , 1995 , 60 Fed . A notice of proposed rulemaking was published in 1995 . entailment +Against the east wall , flanking the church entrance , are wooden statues of Mary and the Archangel Gabriel by Jacopo della Quercia . Wooden statues of Mary and the Archangel Gabriel flank the church entrance . entailment +In a few words Dr. Bauerstein explained how he had happened to be passing the lodge gates as the car came out , and had run up to the house as fast as he could , whilst the car went on to fetch Dr. Wilkins . Dr. Bauetstein explained what was happening . entailment +No light repartee , have you , old bean ? The old bean took things too seriously . neutral +And because East and West were separate cities in earlier years , you will find a central post office , bus station , YMCA , and even consulates duplicated in both parts of the city . The East and West were two separate cities 100 years ago , that 's why you would find duplicate structures in both of them . neutral +To celebrate his unification of Japan after more than a century of civil war , Hideyoshi had made the castle the country 's greatest fortress , so the Tokugawa felt obliged to destroy it in 1615 after snatching power away from Hideyoshi 's heir . Hideyoshi fortified a castle that was later destroyed . entailment +Known as the Alefkandra Quarter or Little Venice , it is the place to come for a sunset cocktail or dinner by the water 's edge . The Alefkandra Quarter is known for having great cocktails . entailment +The National Agricultural Workers Survey ( NAWS ) , a statistical sampling of migrant and seasonal There were more workers than in previous years . neutral +Szary to the manager ! The sore specialist for new flavor development heard as if through a heavy acoustic fog . There was someone who developed a new cupcake flavor . neutral +yeah yeah it really is it 's just an old gray looking sky and it 's boring The sky is nice and blue today . contradictory +This and a similar ecumenical agreement with Lutherans have not been embraced as authoritative by the Vatican . They are warmly embraced by the Vatican . contradictory +Create business , lead the estimating and budgeting process eee forecasts , develop schedules Lead the estimating and budgeting process and forecasts , create business , develop schedules ... entailment +Logevall 's evidence is beyond my ability to introduce here . I cannot introduce the Logevall 's evidence here . entailment +And the nature of the work ? she demanded . " Is this a desk job ? " she asked . neutral +Last July , a couple of locals found a skeleton along the Columbia River in Kennewick , Wash . A skeleton was found in the Mississippi river . contradictory +i think so too they plaid Duke and uh Duke has a lot to uh to atone for here last year that lost to Vegas in the finals by thirty points Duke lost to UNLV by thirty points in the finals last year . entailment +now he he is a good uh actually i did i played flute for almost ten years and and uh so i i i i appreciate his too his his music he he he 's from Ireland isn 't he I 've never learned to play an instrument . contradictory +yeah yeah well when my sister oh when my sister had her first uh child my niece and this is we 're talking fifteen years ago i was it was my last year of college Yes , well , when my sister had her first child , and this was fifteen years ago , it was my first year of college . entailment +In addition to many impressive buildings , Tofukuji offers four remarkable and distinctive Zen gardens located in the hojo ( abbot 's quarters ) . Zen gardens are beautiful and tranquil . neutral +so uh yeah i 'm glad it was nice too i yeah , I also think it was nice . entailment +Although not inclusive of all such individuals and organizations , those we contacted did not identify any entirely new categories of potentially beneficial ITbased public participation applications that had not been adopted by at least one of the regulatory agencies that we examined . There is still a possibility that entirely new categories of applications can be adopted . neutral +uh-huh right now that we have two cars i 'm not as scared to play with play around because we always have the other car seems like i before i would get the car all apart and realize i needed a part you know and i 'm calling all the neighbors and stuff trying to get them to give me a ride down to get my part you know because i don 't have another part I would work on cars and need a ride to get a new part . entailment +However , cost models have significant limitations in accuracy unless their underlying assumptions of system size and cost drivers are carefully chosen and reflect the agency 's previous experience in system development . Cost models have major limitations in accuracy . entailment +I did not recognize them . I was not able to tell them apart . neutral +The cooling towers were not the only sources of smoke . The smoke was coming from the towers . entailment +Its white marble was brought from the Rajasthani quarries used for building the Taj Mahal . The white marble is quite expensive due to its use in the Taj Mahal . neutral +yeah i have a question to ask you about gardening though you know those what are they called the they called uh roly-poly bugs that 's what my son calls them anyway I have to ask you something , what are those roly-poly bugs called ? entailment +There are also watercolors , drawings , prints , sculpture , and a multimedia gallery where a computerized system offers information about 100 of the gallery 's best works . While there are a multitude of items in the gallery , it has no sculptures to this day . contradictory +Italian is better-known as the language of lovers , of course , which is one reason why people honeymoon there . Italy is a great place to honeymoon entailment +Even with generous matching , low-income workers may not voluntarily save more for retirement . Companies will often match retirement savings with its ' workers . neutral +It is here that the Maroon people chose to live after they had been freed by their Spanish owners in 1655 . Maroon people lost their battle for freedom . contradictory +Susan 's voice was faint in Jon 's mind and made him shiver . Susan 's voice in Jon 's mind made him shiver . entailment +The highlight of Wild Water Wilderness is Bigfoot Rapids , a whitewater river ride . Bigfoot Rapids is a theme park water ride . entailment +yeah those double ones pretty good we 're on our third one i think somehow We will get another one soon . neutral +He merely remarked : 42 " Good , we will leave that and pass on . He simply mentioned , great we shall put that down and move on . entailment +and uh we can 't deep well inject something like that because it 's a solid and we mix it with concrete and actually um potash per se and and concrete and then actually put it in the ground We had to take steps to prepare the concrete mix . neutral +They thought the force was with them and always would be . They knew the force was not gonna be with them , it had never been . contradictory +Julius took her by both arms , and looked at her . Julius held her in his hands and stared at her . entailment +Nothing has changed . " Everything has changed . contradictory +Well , perhaps you 're right . Well , maybe you are correct . entailment +yeah oh boy those people are making money hand over fist Yes , those folks are making money very quickly . entailment +But there it is , she can tell you nothing . " 116 " But why , man ? But there it is , she has nothin to say . But why man . entailment +We prefer , said the German coldly , " that you should remain here . The German preferred for him to stay here . entailment +Return to Kedumin Square and make your way down to the picturesque fishing port by way of the ancient , narrow honey-coloured alleyways . Fresh fish may be purchased at a small market in the fishing port . neutral +These programs also had much less knowledge about the manufacturability of their design when they entered production . The designs were produced successfully . neutral +The agency representatives also said that they were not aware of any data suggesting that the lack of a standardized approach to regulatory participation was a problem to either the public in general or to the regulated entities that are most likely to participate in rulemaking . Surprisingly , agency representatives stated they were aware of all data . contradictory +But why assume gamblers are being fooled ? Why assume gamblers are being fooled ? entailment +A Turbo Cat ferry makes a one-hour trip ( 7am 7pm ) from Hong Kong 's Macau Ferry Terminal to Shekou on the Natau Peninsula , which is part of the economic zone . Macau Ferry Terminal and Shekou are connected by the Turbo Cat ferry . entailment +uh yeah we have an old fashioned tub sitting that you know water runs into and and uh my husband set up a pump that runs it runs till it 's down and then it stops A pump was set up to trap the water . entailment +When Malcolm , rejoicing over a plane crash that killed 120 white Atlantans , chalked the disaster up to our God and hoped that every day another plane falls out of the sky , King could only reply , feebly , I would certainly disagree with him . There is no such being as God . neutral +military factions that would oppose each other and and they would vie for leadership and uh the people who are well off there the middle upper class if there is such a thing uh they would probably be at a disadvantage losing possibility of losing their uh their assets or wealth the military factions had conflicts of a tribal nature neutral +GAO has assisted the Congress and the agencies in efforts to improve public health . Efforts to improve public health are underway . entailment +The second was of the working classes , and his face was vaguely familiar to the young man . His face looked similar to the young man , said the investigator . neutral +You might think they have nothing left to say . Some would think there was nothing left for them to say . entailment +She hardly needs to mention it--the media bring it up anyway--but she invokes it subtly , alluding ( as she did on two Sunday talk shows ) to women who drive their daughters halfway across the state to shake my hand , a woman they dare to believe in . Oprah is humble but knows how much she means to her fans . neutral +I 'm getting my father . " I 'm getting my uncle . contradictory +It gives an overview of Macau 's history and its daily life and traditions . Macau does not have many traditions . contradictory +Adrin was clearly off balance at first . Adrin was knocked off balance by the demon 's warhammer . neutral +Experience has also shown that specific site issues , while often a planning challenge , have not prevented installations of FGD systems . Experience shows that the specific site issues don 't prevent FGD from being installed . entailment +Stop the presses ! Don 't stop the presses ! contradictory +10Pay and chase refers to the labor-intensive and time-consuming practice of trying to recover overpayments once they have already been made rather than preventing improper payments in the first place . Recovering overpayments is a simple task . contradictory +We told those white liberals years ago that you couldn 't expect more from Negroes . The white liberals insisted on siding with the Negroes against the public 's better judgment . neutral +But there is one place where Will 's journalism does seem to matter , where he does toss baseball . Will can 't do anything in terms of baseball contradictory +You are near a small rock in the middle of the desert . The desert has nothing in it . contradictory +What is now the Gate Theatre was built in 1784 and is probably the most beautiful stage in Dublin . The Gate Theatre went by a different name when it was built in 1784 , and in 1982 its name was changed . neutral +Through the competitive grants process , LSC obtains and reviews a substantial amount of data on an applicant 's plans and systems for legal work management and supervision , LSC reviews the applicant 's plans for management and supervision . entailment +yeah yeah and i i have some one person at work i know gets really into those goofy horror flicks I don 't know anyone that cares for horror films . contradictory +There 's a flower ? Is there a flower ? entailment +Third , performance management systems provide the necessary information and documentation to deal with poor performers . Poor performers are dealt with solid performance management systems . entailment +I 'll " The pity on Mr. Carter 's face stopped him . Mr Carter made a face . entailment +For example , the basis on which instances can be selected differs for the different case study applications . There is no variation on the bases on which instances can be selected . contradictory +What do you mean , there was one ? What are you talking about , there was one ? entailment +A surprise was the sizable number of Chinese who chose to move to the colony . Many Chinese moved to the colony , much to people 's surprise . entailment +Today the line is continued ' some say , marred ' by the modern skyscrapers of La D ? ? fense looming on the horizon . Today the line is continued by the modern skyscrapers looming on the horizon . entailment +uh-huh that 's so stupid that you all have two teams that 's really stupid It would be much more rational to have just one team . neutral +" Shiny ? " Callie laughed . Callie remained silent . contradictory +Leadership development - executive competencies and The executive identifies developmental activities in a proposed leadership development plan , which is to be submitted at the beginning of the performance year . The leadership needs to improve themselves . neutral +In central and south Jamaica , numerous small settlements and family farms dot the countryside , where you 'll see donkeys tethered at the roadside or trotting along the lanes carrying large baskets . You can easily visit central and south Jamaica to view the many small settlements and family farms . neutral +that 's right that 's right well it 's been enjoyable talking with you We talked for a considerable length of time over the phone . neutral +What happened to your mouth ? She happened to it , " said the Kal , turning to Vrenna . Kal said he had fallen and hurt his mouth . contradictory +and it 's probably because i i was born in the Chicago area and grew up in California and at and at that point that was sort of a limit but but since then i 've been abroad a lot so I moved to California from Chicago when I was young . entailment +He tried to put it out of his mind as he drew Nema to him . He though about it more as he pushed Nema aside . contradictory +But I suppose , as the last powder was taken two days ago , it is not of much importance ? The powder has been gone and no one has been looking for it . It can 't be that important . neutral +or at least not enough you know to fill a tank up so i always almost always use my credit card on that on that and then it 's nice you do tend to pay more for gas but other than that it 's it 's a good deal i think You tend to pay more for gas when you forget to bring cash . neutral +Jon caught the shine of torchlight on steel and on sharp white teeth in the smiles of devils . There was a steel object near Jon . entailment +The results are in quadrillion Btu in both the reference case and each of the four policy scenarios . The results were not relevant to them . contradictory +You haven 't got it . The person being spoken to has it . contradictory +well uh at least it 's hopefully still helping the the student I don 't even care if it is not helping the student anymore . contradictory +Or , anyway , he would have , if he 'd been a race-baiting , knuckle-dragging reactionary . If he 'd been a chef , he would have . contradictory +Poland was transformed into a client state of the Russians , and then lost much of its western territory to the Prussians during the Silesian Wars that ended in 1763 . Poland did not regain the territory it lost to Prussia . neutral +uh two years ago my children started asking they say picture of it over at Texans and we started going there again we sort of rediscovered it Ever since I had kids , I haven 't been back there once . contradictory +Emissions profiles were generated for the following 1996 Base Year , 2010 Base Case , 2010 Clear Skies , 2020 Base Case , and 2020 Clear Skies . Emissions profiles were created for just 2010 . contradictory +22 As federal unified deficits declined over the 1990s , federal investment in nondefense physical assets remained relatively constant as a share of GDP . In terms of GDP share , federal money spent on non-defense physical assets have been fairly consistent over the course of the 90s . entailment +On the other hand , the Kentuckian could see the sense behind Topham 's arguments . The Kentuckian did not care for the reasoning behind Topham 's arguments . contradictory +Most of the interventions described previously were conducted by specialists trained in alcohol or substance abuse counseling or in motivational interviewing techniques . Interventions were described before . entailment +Even Republicans are susceptible to this spin . Republicans are also vulnerable to believing this spin . entailment +population affected and the mortality risk facing that population are believed to affect the average willingness to pay ( WTP ) to reduce the risk . Willingness to pay is not affected by mortality risk . contradictory +In planning your trip to Nepal , you can , according to your interests , divide your time between several quite different itineraries . All vistors travelling to Nepal must obey identical itineraries , as mandated by the Nepalese government . contradictory +'Wherever your leader is , ' White said . White said to take the weapon to your leader . neutral +oh you know that 's really funny um well i i come from a large family and there there 's quite a few boys so that 's kind of how i got in with the football either watch that or watch nothing and um My family loves football . neutral +those guys at one point you know they had so much money that they didn 't know what to do with it They have always been very poor man . contradictory +LSC routinely evaluates its grantees on their ability to leverage additional dollars from alternative sources to expand their ability to provide critical legal services to low-income persons . LSC routinely evaluates its grantees on their ability to leverage additional funds for spending on food neutral +Now , Miss Tuppence , my advice to you is to go and have a good dinner , a REALLY good one , mind . Tuppence was advised to have a steak dinner . neutral +yep that 's exactly right That is wrong . contradictory +i got about ten i think I got 10 votes . neutral +Is it the right-wing commissar Norquist , who defied subpoenas from the Thompson Committee about his role laundering campaign contributions for the Republican National Committee ( he is contemptuous of the law ) ? Norquist does not respect law and will do as he pleases . neutral +Being , Nothingness , and Peanuts Being something and almonds . contradictory +But of late , lawmakers have indicated a change of attitude toward legal immigrants , and this has affected the number of applications for citizenship . Lawmakers recently changed their mind about legal immigrants . entailment +Curt , but attractive . Attractive despite being Curt . entailment +After 15 years of almost uninterrupted superlative performance--which not even the Katzenberg and Ovitz contretemps could seriously slow down--it 's almost impossible to remember how close Disney was to being dismantled in the early 1980s . The reason Disney was almost dismantled is because shareholders didn 't think it would have a strong future . neutral +The President 's Energy Plan will improve eco-systems and water bodies by reducing NOx emissions . Eco-systems will be improved by the President 's Energy Plan , said the article . neutral +yes because the character the the character that is so horrible is another human being And you 're just drawn into his his horror of him that you begin to kind of like him Even though he is horrible , you can 't help but sympathize with him . entailment +10 See the appendix for a further explanation about electronic signatures and GAO 's review of such applications . If you want a further explanation about GAO see the appendix . entailment +hum-um how 's that How 's that bacon taste ? neutral +Hunt , he 's got to learn that losing a war doesn 't mean that a man has lost the rest of his life . He has to learn that losing a war means he also lost the rest of his life , he is ready to die . contradictory +yeah i like that one um i haven 't seen it in a while I saw that one recently . contradictory +I remember the days when there were only a handful of people in the legal offices who spoke Spanish , Dudovitz said . Not many of them spoke Spanish . entailment +The long , sandy beaches here are another favourite spot for camping excursions . You need a permit to camp on the beaches . neutral +For the moment , he sought refuge in retreat , and left the room precipitately . He would come back in an hour . neutral +All these guys just have to be worried . Each one of these guys just have to be worried , said the police . neutral +um-hum yeah um-hum yeah but i think in between we got a a group of kids a generation of kids who didn 't learn to take responsibility because mom left to go get a job and dad didn 't move in to fill the gap and so basically no one was taking the responsibility and i i think that 's happened in a lot of cases We have a generation that just does not want to take on responsibilities . entailment +Review Comment USACE 's latest software program used for documenting , collecting , Review Comment NASA 's oldest software application used for analyzing , modifying , contradictory +Emergency Jobs Appropriations Act of 1983 , 1983- Act of Emergency Jobs Appropriations is the one you should read neutral +Why bother with the art on its terms when you can have it on your own ? Isn 't taking art on your terms the best thing to do ? entailment +When you reach the canal , technically the Levassor River ( the propeller , or h ? ? lice , was invented by a Martiniquais , Gilbert Canque , and tested for the first time in this rather murky stream ) , you 'll want to croseover the stone footbridge . The beautiful canal has since separated and is no longer a part of the Levassor River . contradictory +The contents of that will we shall never know . We 'll never know the contents of that . entailment +But Rodgers did tell Lewis that he despises Amelio because Amelio supported Clinton , so it is Rodgers ' mistake , not our author 's , that we are correcting . Rodgers told Lewis he really loves Amelio . contradictory +Personnel Stability Tracking the total number of people assigned to a system development effort compared to planned staffing levels provides another indicator of potential problems . Another indicator of potential problems , is tracking the total number of people assigned to a system development effort . entailment +We have to cross that ? I fear so , " said Jon . Jon thought the river looked too fast to cross . neutral +But the finest rum is aged in casks for up to 30 years to produce a spirit comparable to brandy or cognac . The finest rum is aged in casks for up to 30 years . entailment +That is George Richey , widower of country singer Tammy Wynette . George Richey withdrew from the public after the passing of Tammy Wynette . neutral +Beaune 's best-known building , the Hotel-Dieu , is a beautifully preserved 15th-century hospital with spectacular colored roof tiles . The Hotel-Dieu is Beaune 's best-known building . entailment +so you feel good about it what kind of a system does he have does he have a power mower or a riding mower He cuts all of the grass on his lawn using scissors . contradictory +The lawyer went across to his desk , and returned with a small newspaper cutting , which he handed to Jane . The lawyer handed a newspaper clipping of an obituary to Jane . neutral +The 18th-century Saline Royale ( Royal Saltworks ) , now abandoned , is surely one of the most elegant factories in the world . The Saline Royale dates back to the early 15th century . contradictory +Be warned that the pubs around O 'Connell Street can be rough , and at times Temple Bar pubs can be rowdy . The pubs around O 'Connell Street are rowdier than Temple Bar pubs . neutral +Darkness , and the place under darkness . The place under darkness , and darkness . entailment +Tell me at once , who is ' Mr. Carter ' ? " Tommy murmured a name in her ear . Tommy was nervous about telling her the name . neutral +and when you stop and look at the you know something like eight million tires a month that are you know discarded you know there 's a lot of tires out there that that could go through this process I can think of ways to use all those tires , like as mulch for playgrounds . neutral +However , I believe that additional actions by the board and AICPA management will be needed to restore trust and confidence in the Institute over the longer-term . Trust and confidence in the Institute have been lost forever . contradictory +Browsing is difficult as vendors are attentive and can be insistent , but you 'll have fun . Vendors can be annoying to the tourist . entailment +But by that time , the country had joined the World Trade organization , and the European Union had agreed to open negotiations to admit Poland ( along with the Czech Republic , Hungary , Slovakia , and Slovenia ) into the EU . After entering the European Union , Poland 's trade boomed . neutral +In the general confusion , the boudoir had not been swept that morning , and near the desk were several traces of brown mould and earth . They hadn 't cleaned the bedroom so it was an absolute mess . neutral +Schumer , like D 'Amato , is aggressive , opportunistic , and unpleasant in more ways that I care to discover . Schumer is aggressive , opportunistic and unpleasant in many ways . entailment +It rained---the entire time ! The rain did not stop . entailment +" Oh , indeed , that is common knowledge , " Sersa Garm admitted . Sersa Garm stated that this was secret information . contradictory +He pointed to the booths selling the best weapons , describing each of the strange implements in vivid detail . He was a good customer at several of the booths . neutral +Originally , these all had separate burial sites , but they were sacked by religious protesters . The burial sites were always haphazard . contradictory +The reaction of Native Americans to those movies may have been different . The movies would have caused a different reaction from the Native Americans . entailment +A mean boss named Biff routinely yelled hurtful things at me when I wrote indulgent , fat code , because his bosses wanted programs to load and work quickly . The boss was mean and verbally abusive to me , but I stayed anyway . neutral +George Street was the traditional center of Edinburgh 's financial district . Edinburgh 's financial district is booming in this economy . neutral +and they recommend that i keep the blade very high s o because it 's that high i have to do it frequently as well i try to do it every uh uh six or seven days if If the blade is not kept high and not done frequently , the lawn will be an eyesore and harder to manage . neutral +it made national um It was only local . contradictory +well that 's great how about your That 's nice to hear about . neutral +And we can 't even supply labor beyond those you see here . We cannot give you any more labor . entailment +Obviously , he could not follow both of them unless Like Boris , he glanced up at the clock , and then to the announcement board of the trains . He was able to follow both of them because he had the power to create clones of himself . contradictory +The Sarbanes-Oxley Act of 2002 will help to close the expectation gap concerning the effectiveness of internal control over financial reporting by requiring management and auditor reporting on these controls . Management and auditors are no longer required to report on the internal controls . contradictory +In 1648 , the French staked claim to their part of Saint-Martin and to nearby Saint-Barth ? ? lemy . The French claimed part of Saint Martin . entailment +A 1990 study found that 28 percent of children diagnosed with the disorder didn 't actually meet the definition . A 1990 study showed that all of the children met the proper definition for the disorder . contradictory +How did the team do last night ? Did the team win last night ? neutral +Fish , salads , meat , and snacks . They serve fish , salads , and meats that have been grilled . neutral +Since brief intervention does not work with severely dependent patients , ED-based interventions should refer patients to treatment . Treatment can be a long and difficult process for the severely dependent . neutral +yeah and that just she doesn 't belong with him I think she belongs completely to him and that 's great contradictory +uh Durham the county right next to us big city The county close beside is Durham , a large city . entailment +My parents were Marxists , and so were my grandparents . My parents and their parents were Marxists . entailment +and when i when i want to be you know not bothered during the day that 's exactly what i do I have a plan for when I want to be left alone . entailment +Nye got him to Doc 's an ' they put him to bed . After Nye got him to the doctor , he left immediately . contradictory +it always sounds more oh its I don 't hear it often . neutral +It turns out that Mr. Ed , the talking horse , died of a drug overdose . Drugs had no effect on Mr. Ed . contradictory +The Clean Air Act designates 156 national parks and wilderness areas as Class I areas for visibility protection . There are 156 national parks and wilderness areas designated for visibility protection . entailment +What I really want to know is what you meant by what you said to me the other day ? I already know what you meant when you said those things to me the other day . contradictory +What are the actual or estimated dates for the There is no question about the exact or estimated dates for it . contradictory +okay i don 't know much about the Grand Jury how do you feel about the in Texas i noticed since i 've been here in twelve years that they they break up the the trial and then the sentencing part of the trial I don 't know much about how Grand Juries work in Texas but I will tell you what I know . neutral +Nor was a common start or end point identified for design review as an element of the facility acquisition process . A common start or end point was not identified . entailment +oh can you really that amazes me I 'm astonished that you can sing in French . neutral +Waves are additive . Additive is a feature of waves , said the article . neutral +, remaining cars must continue racing to the start / finish line ; it releases tension built up over long green-flag runs . The remaining cars must come to a stop , wherever they are on the track . contradictory +Peter 's of Ancient Egyptian religion ) from the 11th Dynasty period , c.2134 b.c. It was in the 11th Dynasty period . entailment +From now on , every Ser and Sather will protect you with the lower and the upper magic . No one will protect you with magic . contradictory +oh yeah thirty nine cents or whatever for those little tacos yeah my son likes those yeah The little tacos cost a dollar each . contradictory +'Excuse me ? ' Natalia blinked . Natalia was still sleeping . contradictory +The Commission also amended its rule regarding packaging to clarify the type of hearing aid compatibility to which the rule refers . The commission changed its rules to help neutral +We 've got to reduce the liability of lawyers willing to engage in pro bono , in much the same way the Good Samaritan Law protects doctors who stumble onto accidents and provide care , said Mr. Rooney , who is also a general practice partner in Rooney , Mannicci and Gardner LLC of Bethlehem , Pa . If the liability of lawyers who work pro bono was reduced , there would be more lawyers willing to participate . neutral +And the National Academy of Sciences indicates that the increase is due in large part to human activity . The National Academy of Sciences says that the increase comes from human activity . entailment +Now , wasn 't that simple ? See , it wasn 't so difficult to solve that . neutral +Move to Maine . Relocate to Maine . entailment +whereas with my company they pay fifty percent and the deductible 's i think five hundred a year and it costs a lot more i 'm with a smaller company though My company is different from your company , it 's smaller . entailment +10 11 In some classes , mailers transport much of their mail to downstream locations to take advantage of zoned rates for transportation . The downstream locations have lower postal rates . neutral +The paragraph in the New York paper suggested the plan to him , and by means of it he wove a web that nearly enmeshed you fatally . " He read the New York paper but couldn 't glean any ideas for his plan from it . contradictory +The sword bit deep and Jon saw him riding with streams of blood flowing back behind him . The sword went deep into the horse 's leg . neutral +At first this resulted in an Independent Kingdom of Mallorca , under Jaume II , followed by Sanc and Jaume III . Jaume II followed Jaume III as leader of Mallorca . contradictory +and is really quite agreeable uh uh and that the stuff we see in the you know in the media is uh well he 's really just trying to make a political statement i i find that an interesting element of politics that we don 't that that most people would not know that John Wiley Price apparently is a is a you know course he 's got in this this deal over racism and uh you know name calling and all this but apparently he 's a a worker uh you may disagree with him but i i i find this whole what do you think of this uh fourteen one and ten four one in Dallas IT seems like he 's just trying to make a political statement . entailment +Since the standard appears to constitute a federal mandate resulting in aggregate annual private sector expenditures of $ 100 million or more , it would be subject to the requirements of section 202 of the Act ( Statements to Accompany Significant Regulatory Actions ) . The business proposal that spends more than 100 million is for good cause . neutral +The final rule was determined to be an economically significant regulatory action under the Order . The final rule was not significant in any way . contradictory +Chapter 5 focuses on synergistic combinations of control retrofits on a single unit . Chapter 5 is important neutral +In the Family Therapy Network chat room , a posting on marijuana proved to be the most popular ever , prompting a wide-ranging adult discussion of law , professional responsibility , mental health , addiction , mind expansion , and above all , children . A posting about marijuana led to people discussing the merits of marijuana use and the possible dangers . entailment +but i guess that 's that 's a different topic isn 't it I suppose that would be considered another topic . entailment +A key factor in helping achieve such outcomes and minimize operational problems is to implement appropriate internal control . Appropriate internal control will affect many things except for minimizing operational problems . contradictory +and so you know there 's a lot of controversy and people walk around at gun shows with their big guns on their back saying for sale and you don 't have to do any background checking i mean any they would sell it to anybody It 's ridiculous that people can buyba gun without a background check . neutral +and so with you know with the IBM what would happen is uh since the software that i had was it was basically you know you only see part of the page I was using the IBM at the time and it let me see everything . contradictory +Executive Level Reviews Are Conducted to Begin Production Production will not go ahead until executive level reviews are done . neutral +uh-huh yeah i liked his accent too He had an accent that someone liked . entailment +They were uttered by Boris and they were : " Mr. Brown . " Whittington seemed to remonstrate with him , but he merely laughed . Boris stayed quiet as Whittington sang Mr. Brown 's praises . contradictory +yeah well they all say great things when they run for office Everyone says good things while trying to get elected . entailment +We anticipate this revision of the standards , when finalized , will become effective for financial audits of periods ending on or after January 1 , 2003 , and for attestation engagements and performance audits beginning on or after January 1 , 2003 . The standards will apply to audits covering 2003 and later . entailment +Overall , the Programs staff is pleased with the progress we have made and believe that our work has led to significant improvements in the opportunities for poor people in our country to access legal services . The Program 's employees like what we have done to help the poor in this country . neutral +Some critics argue Pfitzner has been unfairly ignored because of his friendship with Hitler , and urge revision . Pfitzner had no friendship or other relationship with Hitler . contradictory +The bough creaked and swayed in a nasty fashion , and it didn 't do to think of the drop below , but at last I got safely to where I wanted to be . It would have been no good to me to ponder how far I could fall . entailment +From October to May , the summit is covered in snow and often closed to the public . The summit remains open to the public year round . contradictory +Patients were also screened with the CAGE and SMAST . The patients went through at least two screenings . entailment +What secrets had it seen ? It hadn 't noticed anything happening . contradictory +uh other times it could be very casual if you knew you would be at a desk all day and nobody would see you um if you 're going to be at a desk all day , you can get away with not following the rules strictly entailment +okay well uh i haven 't heard the forecast for the next for uh coming up for this weekend or next week so i 'm not sure what to expect i can only guess that it 's supposed to be nice I hope the weather is nice this weekend . neutral +Wandering round the compact castle , you 'll understand why , for lack of space , the belfry had to be built outside , and why the picturesque old cemetery is so small . The gigantic and spacious castle features a huge cemetery . contradictory +How do you bill clients and , perhaps even trickier , get them to pay ? Do you bill clients hourly or flat rate ? neutral +Its gardens , with ponds , mounds , and shady woods , are English in style ' a relaxing change from the formality of the chateau . The gardens are incredibly formal , without ponds or shade . contradictory +However , Jerusalem is only a starting point beyond the capital lie more visitor attractions per square mile than in any other country in the world , beckoning not only pilgrims , historians , and archaeologists , but also hikers , ornithologists , scuba-divers , windsurfers , and many others . Although there are more attractions per square mile than in any other country , nobody visits them . contradictory +Terms such as yadda yadda yadda and blah blah blah have a special utility when the speaker 's audience can accurately fill in the blanks--when the terms act not as synonyms for generic talk but as command keys , cued to circumstance , that can designate specific information . Terms like yadda yadda yadda have a special utility . entailment +This approach promises practical avenues for obtaining more information . This approach guarantees ways of capturing information . entailment +Moderate , and even light drinkers , often require emergency care because many alcohol-related events are not related to total alcohol consumption , but rather to the activities the patient engages in while drinking and to where , when , and with whom alcohol is consumed . Amount of alcohol consumed is the main factor in alcohol-related incidents . contradictory +and so but i i i really did enjoy the law i mean that 's that 's where i wanted to be but i didn 't want to go through the uh the hassle that the law schools put you through because i never did want to be a practicing attorney i just wanted a law degree A practicing attorney is my dream profession . contradictory +Initial efforts addressed a variety of internal issues including training and support , increased use of technology , more efficient and uniform intake and the provision of legal advice and brief service , and meeting the needs of particularly vulnerable populations including migrants , Native Americans , non-English speaking persons , immigrants and disabled and institutionalized individuals . There was no effort in the beginning to identify any internal issues . contradictory +The island 's next important historical encounter was with the Mongols under Kublai Khan , when Kyushu was the target of abortive assaults in 1274 and 1281 . Kublai Khan led the Mongols in 1275 . entailment +And the one important clue they overlooked . " Other clues were unimportant . neutral +You know where they are ? persisted the German . You know their location ? asked the German . entailment +I wonder if we actually disagree , or if my solutions just didn 't occur to you . It could be a simple misunderstanding . neutral +The Vice President of the United States The Secretary of State . contradictory +The mailer / competitor might pay lower wages than the postal service , might succeed in managing and / or scheduling more tightly the sorting operations , might achieve higher productivity levels , and might be working with a more The mailer achieves higher productivity levels . neutral +He quashes opponents with brutal force , arresting Islamic militants and left-wing secularists who oppose him and shuttering newspapers and television stations when they criticize him . He welcomes criticism and encourages everyone to partake . contradictory +How that other taxi man will swear ! That other kind taxi man barely speaks at all . contradictory +He declines to state his business says it is entirely private and personal , and that he must see you . He states his business openly and says that it should be public knowledge . contradictory +Staff identified fewer than 50 % of screen-positive patients . Staff identification success rates could be improved with additional training . neutral +yeah that 's a problem down here it 's uh The problem 's worsening . neutral +it manages to take care of all my home needs in terms of word processing and spreadsheets and uh databases database searches It 's not enough in terms of looking after my spreadsheets or my word processing needs at home . contradictory +Gatekeepers and the Social Control of Social Research . Gatekeepers and the social control of research related to social aspects . entailment +yeah right right well well i think the same way with alcohol too personally it you know that that would probably be the next I have a similar opinion about alcohol . entailment +As a National Performance Review reinvention laboratory , ARL has been granted waivers by DOD and the Army from internal regulations in order to streamline its processes . The DOD and the Army gave ARL waivers so that their processes would be streamlined . entailment +There may be things that you know which I do not . We could possibly have varying extents of awareness regarding this . entailment +the attention you might need help You are fine on your own . contradictory +Mary Cavendish laid her hand upon my arm . Mary put her hand on me to reassure me . neutral +yeah yeah usually the the movies are not as good The movies are not usually as good as the books . neutral +you know they people people been sitting like they had on 20 / 20 or 48 Hours one of them they had them on the man was twenty years waiting on death row One of the people sitting on 20 / 20 or 48 hours was a man who has been waiting on death row for 20 years . entailment +Parliamentary democracy finally came into its own , albeit with distinctly Japanese characteristics reflecting the dislike of debate and confrontation and the group-oriented preference for maintaining the appearance of harmony at all times . This was a version of parliamentary democracy that the Japanese public was comfortable with . neutral +But fen-phen was the first drug therapy proven to reduce weight over the long haul . Fen-phne failed to work for weight loss . contradictory +The architect , Sinan , strengthened the buttresses and added the other three minarets during the 16th century ; the structure was last renovated in the 1840s . Sinan fortified the buttresses and constructed multiple other minarets . entailment +The university has a department in the handsome 15th-century Gothic Ca ' Foscari . Some university facilities are located in a 15th century building . entailment +yes i keep saying when are they going to knock on my door and interview me they 've talked to everybody else in the world They 're not going to knock on my door and ask to talk at this point . contradictory +yeah we don 't have the right whatever yeah well i think it it it it 's getting um a little bit more popular because see there 's a lot of the um first you know first the big wave of Tex-Mex food came by you know and so we 're we 're big into tacos and stuff up here now and and taco salads and things Tex Mex food is getting less popular contradictory +Supposing he 's dead ! He was severely injured . neutral +22 To put these earnings into perspective , the median annual earnings The earnings have no sense of scale . contradictory +EPA considered comments on both the initial and the proposed rule in making these decisions . When the EPA made these decisions , they ignored any comments that they had received . contradictory +If this is the case , WTP estimates based on wage-risk studies may understate WTP to reduce involuntarily incurred air pollution-related mortality risks . The WTP is a team of scientists dedicated to reaching financial and ethical goals within society . neutral +I 've been shaving my face for years now , and I should know it . I shave my face and have been for years . entailment +She looked at me a long time , her black eyes unnerving . She stared at me . entailment +A hollow cube 110 m ( 360 ft ) high and 106 m ( 347 ft ) wide , it could straddle the Champs-Elysees and tuck Notre-Dame underneath it . The hollow cube is 360 feet high and 347 feet wide . entailment +Analyzing Social Settings . Social settings can be analyzed using electron microscopes . neutral +and he he 's got three kids so his kids 'll sleep in the truck in the in the back of the bed um and they sleep in the pop-up It is fortunate that they have a pop-up . neutral +He opened up the back of one who had been seconds away from cleaving his large curved sword into a cowering child . He killed one who was about to kill a small , frightened child . entailment +um-hum yes that that happens on occasion it sure does maybe it just depends on you know how closely the crime you know has affected you personally you know i don 't know or a person personally Yeah , that has been known to happen from time to time . entailment +that 's all you can do you got to you got to be your child 's best friend i guess even when they 're a teenager and they you know are kind of standoffish still you got to be their best friend because when they got problems who they gonna go to their friends that are dealing drugs or or there parents You need to be your child 's best friend so they will come to you with problems rather than to their friends who have drugs . entailment +That , at least , would help him make up for those he lost at Fena Set . He had lost people at Fena Set . entailment +Considering the difficulty of changing data collection systems in mid-stream , few changes are being considered that would require grantees to revise their forms or procedures . It will be easy to change data collection systems in mid-stream . contradictory +Then it dawned on him that of course the lawyer did not know . He realised that the lawyer had no idea . entailment +Many of those who come to us do not understand the implications of communications from the court , said Rosenberg . Rosenberg thinks that people who approach us lack the proper understanding of communications from the court . entailment +Sometimes funny and sometimes mean , they 're addressing the world of the contemporary mobile reader ... and spot the absurd of our present day lives : fights with the less and less comprehensible equipment , pursuit of the latest technological news , pitfalls of our modern lifestyle , useless inventions and issues racing in all directions at a breakneck speed . There is a lack of technology and equipment in our present day lives . contradictory +His feelings were so illogical he could have laughed at them , only he had no laughter left . He could have laughed because his feelings were so illogical . entailment +Much of the furniture inside belonged to the family . The furniture inside will be auctioned off next month . neutral +The Venetians took his remains to Venice when they fled the island and the church was rebuilt as a mosque after an earthquake in 1856 , giving the incongruous but beautiful decoration on the outer walls . When the Venetians left the island , they transported his remains to Venice . entailment +Such assets should be periodically counted and compared to control records . If these procedures are followed , management thinks that it go a long way towards preventing theft . neutral +Dr. Richards , can you write a prescription for the tabloids ? The doctor knew they were joking . neutral +The popular phrase Soon come indicates an apparent lack of concern about time and an unhurried attitude to daily tasks . The popular phrase is sparingly used among the population . neutral +The Six Major Puzzles in International Is There a Common Cause ? Is there a common cause with the major international puzzles ? entailment +Hari Merdeka ( National Day ) , which takes place on 31 August , is a national public holiday . People do not have to work on Hari Merdeka . neutral +If the employee is not recording his or her T and A data , the basis for recording the data could be ( 1 ) the timekeeper 's or supervisor 's observation , ( 2 ) time clocks , or other automated timekeeping devices , where not prohibited by law , or ( 3 ) other applicable techniques . The employee doesn 't have to record his T and A data since the government does so automatically for him . contradictory +For a second , I genuinely thought that I was right and he was wrong . I thought I was right for a second . entailment +Goodbye , sir . " Back at the Ritz , Tommy packed up his few belongings mechanically , his thoughts far away . Tommy had fewer belongings than anyone else staying at the Ritz . neutral +Fortunately , it is less easy to conjure up the smells of that time . Thankfully , it isn 't easy to remember how it smelled at that time . entailment +Novak goes against the flow to argue that Goldwater retarded the conservative movement by not finding room under his robes for the poor and the religious . Novak argues Goldwater was the worst politician in modern times , retarding the conservative movement as a result . neutral +me too if they would oh i know we 're saving our grocery bags now We are throwing away our grocery bags still . contradictory +The theater company was founded in 1930 by Micha ? ? l MacLiamm ? ? ir and Hilton Edwards , and is still going strong today , with an excellent reputation for international and innovative work . The theater company was disbanded in 1960 . contradictory +Washington , D.C. : International Monetary Fund , September 2000 . They wanted the 2016 version . neutral +The owner , a member of one of Cuba 's most important families , rescued orphan girls and took them into his home his obra paa ( work of piety ) that lends its name to both the house and its street . A member of one of Cuba 's least important families rescued orphan girls . contradictory +no i i i grew up in uh in Alabama I grew up in Alabama , in a little house on the southside neutral +i 've avoided the temptation so far but i sure do miss PBS I don 't miss PBS . contradictory +Knight 's link to the vice president is now the power axis for a circle of his friends and clients , all of whom benefit from the relationship . Knight knows people who are connected to the vice president . entailment +Jon heard the sound of metal on wood as Vrenna had cut the spear out of the air . He was hoping he would not get injured by the spear . neutral +I am sorry for that , he said . I 'm sorry for that thing I did yesterday , he confessed . neutral +The church was built on the site of Byzantine and Crusader ruins , paid for by donations from all over the world , and dedicated by the Franciscans in 1924 . The church was meant to be a centralized church that other churches can look to . neutral +Since then , there 's been no mention of tollbooths on the bridge to the 21 st century . Since then , plenty of mentions of bridge tollbooths on that bridge have been made in this century . contradictory +, heritage assets , Federal mission PP & amp ; E ) , uncertain historical cost basis ( e.g. Companies in the past have had poor experiences with maintaining costs . neutral +Like a brick wall , they resist any frontal attack . If attacked head on from the front , they will collapse with little resistance . contradictory +general construction workers for site preparation and storage facility installation Highly specialized construction workers for site preparation and storage facility installation . contradictory +I gathered that must be so from your letter . I didn 't expect that , judging by your letter . contradictory +Between 1989 and 1993 , 48,000 students received Pell Grant overpayments ; 35,000 received Pell Grants from two separate schools simultaneously ; and 101,000 students , ineligible for Pell Grants because they had defaulted on federally guaranteed loans , received them anyway . In the space of four years , thousands of people received Pell Grants which they should not have been entitled to . entailment +One of the biggest hurdles that many entities face in the process of managing improper payments is overcoming the propensity toward denial of the problem . When entities deal with improper payments they never , ever try to deny the problem . contradictory +In this instance , there was a man ready to his hand . He had no offers of assistance . contradictory +Selenastrum capricornutum ( without EDTA ) Growth , IC25 21 58 . Selenastrum capricornutum Growth , IC25 21 58 . neutral +Europe 's first paper was made here in the 11th century . The first paper in Europe was created here in the 11th century . entailment +Once he was sure of that , he used a scrap of the sky to insulate the second little sun that would control the first sympathetically from the track . He avoided getting the scrap of sky anywhere near the second little sun for fear of what would happen . contradictory +The church was built on what is thought to be the spot where Moses confronted the Burning Bush , but the Christian community had to confront far more mortal danger in the years following its foundation and its high sturdy protective walls give it the look of a fortress rather than a place of worship . The church was destroyed by a fire that started as a burning bush . contradictory +5 In addition , typical MEL absorber units need less steel due to the use of smaller absorbers enabled by shorter residence time requirements than for LFSO systems . MEL absorber units typically need more steel . contradictory +uh-huh sure that 's true i found that out when i was in high school i worked at McDonald 's When I was in high school I did not have any part time jobs . contradictory +Throughout the morning their eyes moved to Susan . Nobody moved their eyes to Susan in the morning . contradictory +they spent an awful lot of money on him too a million and a half dollars for a one year contract He was an expensive player . entailment +These national inventories were prepared for all 50 States at the county level for mobile highway and non-road sources . The 48 mainland states prepared national inventories . contradictory +For traditional Irish dancing , go to O 'Shea 's Merchant ( see Pubs ) . O 'Shea 's Merchant is a venue for traditional Irish dancing . entailment +Pride of place has to go to the Minoan artifacts . The Minoan Artifacts are stupid and worthless . contradictory +See discussion below . No discussion allowed . contradictory +Inaccessible except for a tunnel carved through 15 metres ( 50 feet ) of solid rock , Guadalest was never conquered , though James I of Aragon took it by siege during the 13th-century Reconquest . Henry V captured it in a seige in 1433 . contradictory +Known fondly as St. Barts , Columbus bestowed his brother 's name , Bartholomew , on the island when he sailed past in 1493 . Columbus did not stop to set foot on the island he named . neutral +Disgraced princes and other noblemen were confined here , their only solace being the ruined 15th-century chapel adjacent . A ruined chapel does not give solace to disgraced princes and other noblemen in confinement . contradictory +Poirot looked inquiringly at me . Poirot stared at me and expected me to explain . neutral +The WP lead has the same thrust , only a little more detailed . The WP lead has the same thrust , but it lacked any detail . contradictory +One factor that can increase the time to install a scrubber is competition for resources with other emission control projects . No factors can increase the time it takes to install a scrubber . contradictory +Having reached Sainte-Anne , you should certainly drive south for perhaps ten minutes , as far as the road permits , to the string of beautiful , deserted beaches known as Les Salines . Les Salines is a string of wonderful , deserted beaches , and an unkown great place for French tourists . neutral +If the speed limit is 55 mph , off-duty highway cops should drive at 55 , even if 62 or 63 is close enough for the rest of us . Police officers ought to obey traffic laws , even if the rest of us don 't . entailment +before they even do i mean they 've been assigned the death penalty and they don 't even do it you know Some people are given the death penalty for crimes that they are wrongly convicted of . entailment +As Gore put it , The American people will look at these ads and say enough is enough . Gore said people have had enough . entailment +especially on you know i mean from the inside you know how you look under under something that you 've made and it doesn 't really You can look under something to see . entailment +Plague and pestilence had apparently gotten out of hand . Disease had gone out of hand . entailment +Every time I do something--watch television , play tennis , swim , take a bath--all I can think about is sex . I enjoy tennis more than swimming . neutral +um-hum that 's right that 's right a matter of fact i thought i had one funny story when um i was at TI the first year or so we were sent out to our record retention facility to look through two thousand boxes we had them in the warehouse and at that point it the warehouse was over across the road and it wasn 't air conditioned The warehouse we were sent to didn 't have air conditioning . entailment +to the video tape because all the sound and graphics that it produces can be put right out of the back of the machine to a common VCR and recorded on a VHS tape All the sound and graphics the music visualizer makes can be exported to a VHS tape . neutral +I e-mailed all three galleries , asking them to explain the disparity in their prices . I emailed the galleries to find out what time they were open . contradictory +Arriving by boat gives you splendid views of the magnificent unspoiled , treeless landscape , which bears scant evidence of the hand of man . The landscape is treeless and you can see this if you travel by boat . entailment +His blade snapped on Adrin 's own sword in rapid succession . Adrin 's sword broke when it was struck . contradictory +Strong systems of internal control provide reasonable assurance that programs are operating as intended and are achieving expected outcomes . Reasonable assurance is provided by strong systems of internal control . entailment +I went out into the corridor , but all the other carriages were full , so I had to go back and sit down . " After I saw that all the other carriages were full and none of the occupants paid me any attention , I went back and took a seat . " neutral +For further discussion of the Medicare Trustees ' 2001 estimates , see The Medical Trustees don 't appear to be concerned about the 2001 estimates . neutral +um-hum i 've i 've heard a lot of wonderful things about the Mac except it does have a limitation as far as the screen goes I 've heard that people only have good stuff to say about the Mac . neutral +'What is it you want to do , exactly ? ' I demanded . I was upset with them as I asked . neutral +Further west , off the Rue de l 'Antiquaille , are two important Roman amphitheaters that are still used for performances today and the attractive Mus ? ? e de la Civilisation Gallo-Romaine ( corner of the Rue Cl ? ? berg ) , which houses a collection of statues , mosaics , coins , and tools . The amphitheaters were damaged during the middle ages but have since been restored . neutral +it 's very embarrassing It 's quite embarrassing entailment +He toted me across his saddle for a mighty long five miles on a blistering hot day , I having as much to say about the matter as a sack of corn , and being three times as heavy in spite of a starvation diet . Those five miles we rode felt a lot like ten or twenty . neutral +well , you know . You know . entailment +The terrace of the cafe below has fine views of the sea to the east . The cafe terrace gives a fine view of the sea . entailment +After the hot-spring town of Tatopani , the walls of the gorge draw closer and closer to the road ( landslides often close the highway ) until the customs post at Kodari is reached . The walls of the gorge open up after the hot-spring town contradictory +Pro bono has come a long way in a short time . Pro bono used to be behind their present state . entailment +Mature trees shade lawns and flower beds that are home to numerous birds species and cheeky gray squirrels . The lawns are bare of trees and no animals can be found . contradictory +yeah it is a time consumer It doesn 't take up any time . contradictory +" There remains only one step , " Sather Karf decided after a moment more . Sather Karf decided there was only one step left . entailment +In the CAF press release , this magically becomes a mandate for increased spending on education . It 's a mandate for spending less on education . contradictory +Some lake resorts also offer water-skiing to guests for a fee . Water-skiing can be done at resorts at a cost . entailment +oh not only that but we 're we 're either either don 't have the equipment to handle it either We don 't have the equipment for it . entailment +But what battle had Rennie emerged from some struggle with Shannon or Bayliss ? Rennie struggled often with Shannon and Bayliss . neutral +Jon had seen hundreds of men die hours after a stab from the festering of the wound . Jon had watched tons of men died after he stabbed them . neutral +That 's best for his clients , he says , because most are people with low incomes and a history of legal problems that could prove detrimental if aired in court . His clients are all high-income earners with no legal problems . contradictory +In the bazaars you 'll pass robed Greek Orthodox priests and Bedouin tribeswomen in richly embroidered dresses . Greek Orthodox priests and Bedouin tribeswomen do not visit the bazaars . contradictory +fill them up that way but it something that 's smaller would be a lot more convenient Smaller sizes would make the trip more enjoyable . neutral +But the expansion of the Secret Service has normalized a paramilitary presidency . Paramilitary presidencies have been normalized by the expansion of the Secret Service . entailment +The final rule was published on August 30 , 1996 . The rule detailed many things neutral +( Aniston , by the way , might want to compare notes with The Enquirer says that she too fell victim to a freak rear end accident this month when an overzealous deer nipped her hindquarters . According to the Enquirer Aniston experienced no accidents this month . contradictory +yeah what uh the current climate is i saw a little flyer and uh i thought it was interesting uh is they are now offering you know flex flexible benefits where you have more control and allocate uh like you can uh pay for uh vacation time if you want to take more vacation you can just buy them out or something like that so i can can do other things and uh I saw the flyer and I found it boring and misleading , they are now supposedly offering more flexible benefits but I could care less . contradictory +You can enjoy lamb meatballs in a kofteci , tripe in an ikembeci , soup in a corbacy , and milk puddings in a muhallebici . We are a vegan establishment with no animal-derived products whatsoever . contradictory +IT ISN 'T STRYCHNINE , IS IT ? Are you sure it 's not poison or illegal drugs ? neutral +Shuman 's Second Law of Computational Dynamics suggests so . Shuman 's Second Law of Computational Dynamics doesn 't suggest anything . contradictory +An article explores McDonald 's niche offerings . McDonald 's offerings are explored by an article . entailment +The Thress model suggests that if the discount remains unchanged , and thus that shifting is not allowed , the elasticity of basic volume is negative 0.189 and of workshared volume is negative 0.289 . Thress 's model suggests that workshared volume is equal to about fifty . contradictory +No detailed analysis of the impact on small entities was performed because of the relatively low cost of implementation estimated by EPA ( for most manufacturers substantially less than 1 percent of sales the first year and considerably less in subsequent years ; for non-manufacturers less than $ 1,000 for initial compliance ) . Because implementation is very cheap , according to the EPA , we did not analyze how small entities are impacted . entailment +The empire in the west finally collapsed in 476 . The empire still exists to this day . contradictory +Stretching north and south of the square is the town 's most elegant shopping street and main axis , Via Roma . Via Roma is the town 's most chic shopping area . entailment +yeah well all parties too are responsible it 's not just one particular one Just the Republicans are to blame . contradictory +yeah is is there still blood stains on the altar or has it worn away all through the years Does the altar still show the violence ? neutral +WRITE-OFF -An action to remove an amount from an entity 's assets . Write-offs are the addition of amounts to entities . contradictory +Kid seems to be settlin ' down , ain 't he ? He is really riled up ! contradictory +To account for the full potential multi-day mortality impact of acute PM2 . The impact of acute PM2 is only to multi-day mortality . neutral +It may seem somewhat arbitrary to designate one area of the city as Georgian Georgian architecture is found all over ; however , the harmonious streets and squares lying to the southeast of Nassau Street truly deserve the title . Georgian architecture can be found all over the city . entailment +He gathered from Conrad that they were waiting for orders from " Mr. Brown . " Perhaps , thought Tommy , he was abroad or away , and they were obliged to wait for his return . They were waiting from orders from Mr. Brown to kill the turkey and cook it for supper . neutral +The mastermind and the driver in the World Trade Center bombing were convicted . There were convictions related to the World Trade Center bombing . entailment +At one point , Kodak appeared to be making that effort . Kodak was trying , but they gave up because it 's too expensive . neutral +Coffee is very good . Coffee is great . entailment +oh so you picked a good field then you picked a good field You picked a good field to play baseball on . neutral +The fellow must be at least twenty years younger than she is ! He is a young man . neutral +What did they whine when they was caught ? They were captured as prisoners of war . neutral +yeah i don 't think that 's i don 't think that 's good Yeah , I think that 's great contradictory +that 's true i usually try to catch the oil at eighty cents or so and I just get oil no matter what the price is . contradictory +Up until this point he has been ignoring or downplaying the interdependence among modern nations . Until now , he has been consistently exaggerating the interdependence among modern nations . contradictory +Eszterhas writes movies about naked women and believes himself an artist . Eszterhaus writes about strong men . contradictory +of course you have plenty of uh plenty of uh mountains in Virginia and then in northern and you know up in New Hampshire and Maine too we had uh one of the um The mountains in Virginia are very inviting for campers . neutral +One solution being proposed , for instance , would take some landing and takeoff slots at major airports away from the industry giants and auction them off to smaller , low-fare airlines . Industry giants hold takeoff spots at major airports . entailment +At the garden 's famous tea pavilion you can sample a tea ceremony while contemplating the cherry and plum trees on one side in the spring or the blazing maples on the other in autumn . While you enjoy the tea ceremony , why not check out the cherry and plum trees ? entailment +From the way she had studiously avoided looking at him , and her action with the light , he came to the conclusion that the room was overlooked . She ardently made sure she averted her gaze from him and decided upon the fact that the room had been forgotten . entailment +The Save the Social Security Surpluses simulation illustrates the magnitude of fiscal challenges associated with our aging society . Other challenges include reduced consumption of energy drinks and beef jerky . neutral +i don 't think there 's anywhere where there isn 't gonna be crime so There are places without crime . contradictory +Which services should be provided in the ED and which should be provided elsewhere ? What services shouldn 't be given the ED contradictory +Other biochemical markers such as mean corpuscular volume , platelet count , liver enzymes , gamma-glutamyltransferase . Mean corpuscular volume and liver enzymes are both biochemical markers . entailment +Quality and Evaluation Planning Quality planning only . contradictory +Macau 's population is estimated at around 450,000 , an appallingly high figure for such a small area ; recent land reclamation has eased the situation to some extent . Macau is a sparsely populated island with plenty of undeveloped land . contradictory +Local and national initiatives are established to nurture and promote them . The local and national initiatives are intended to stunt their growth . contradictory +West from here in Thomas Street , a plaque on the decommissioned and rather sad St. Catherine 's Church ( built in 1769 ) marks the spot where famed Irish resistance hero Robert Emmet was hanged in 1803 . Robert Emmet was a hero in the Irish resistance who ended up dead . entailment +I 'm going to clear all the Rebs out of this section . The Rebs can stay in this section as long as they want . contradictory +In antiques shops , look for highly valued porcelains from China . Don 't bother with porcelains from China . contradictory +You must see I 'm not such a kid as to leave you here . I would leave you here because I don 't know any better . contradictory +you know like a year old it was ridiculous and she 's got two day cares within like three blocks of each other yes so its i mean she 's There are two day cares within three blocks of each other . entailment +if they suggest certain colors for letters i just go with whatever i want to yeah i yeah Sometimes they express a desire for specific tints for letters , but I just choose whichever suits my fancy . entailment +( 2 ) A document or set of such documents formally designated and fixed at a specific time during the life cycle of a configuration item . One or more ice creams formally designated and fixed at a specific time during the life cycle of a configuration item . contradictory +and then i 'd sit at a desk for eight hours and then sit in the car for another hour and a half now that i 've moved to Texas and i work ten minutes away um i have a lot more free time to take walks with the family or go bicycling bicycling or play basketball or baseball with my son and uh uh it just uh it from that standpoint uh leaving that area was a was was turn turn around was good for my health i guess you could say I have more free time now to exercise and stay fit . entailment +I can 't help thinking that I 'm really rather clever ! I am quite impressed by my wit . neutral +Decades ago , Circus Circus inaugurated the era of family friendly hotel-casino , and in recent years has tried to up the ante with Grand Slam Canyon ( Tel . 702 / 734-0410 ) , a pink-dome-covered , climate-controlled cluster of the Canyon Blaster corkscrew roller coaster , a water ride , bumper cars , carnival games , and a laser tag arena . The Grand Slam Canyon has increased the popularity of Circus CIrcus amongst families . neutral +They either didn 't go to court or they lost at court . The married couple either did not show up or did not win in court . neutral +But I am inviting other former co-workers whom he knows . I 'm inviting some of my former co-workers who he doesn 't know . contradictory +With an onionskin-thin budget several years back , Legal Services of Eastern Oklahoma , the area 's largest law firm to the poor , nearly became Lip Service of Eastern Oklahoma . The largest law firm that focuses on the needs of the poor is Legal Services of Eastern Oklahoma . entailment +Among key items are Braque 's Man with Guitar ( 1914 ) , Matisse 's collage The Sorrow of the King ( 1952 ) , Dali 's Six Images de L ? ? nine sur un Piano ( 1931 ) , and Andy Warhol 's Ten Lizes ( 1963 ) . Braque painted his Man with Guitar in 1914 , and Matisse 's collage The Sorrow of The King was created in 1952 . entailment +Archaeologists are still debating about the exact chronology of certain Egyptian dynasties and individual rulers , however , general agreement exists on the division of history into set phases , giving a name to each . Archeologists have uncovered all the secrets of the Egyptian dynasties , down to the exact chronology of individual rulers . contradictory +Everyone gets tired of the ransacking of private lives , the cynical search for ulterior motives , the weighing of imperfect evidence ; after a while , people are likely to say , Just let it go . The investigators have all the information , context and understanding they need to completely make decisions after understanding people 's statements and accurately assessing a level of pre-emptive risk . contradictory +Ca 'daan saw the damage he was doing to the horse but the visions of red-armored demon cannibals kept his feet kicking and the mare moved on . Ca 'daan was thinking about demon cannibals . entailment +His eyes were fixed on Mr. Carter , and his tone when he spoke held an unusual note of deference . He was looking at Mr. Carter . entailment +yeah yeah i you know i really don 't know what what i would do in that situation if i had to to make that judgment i think i would i think i 'd be very easily swayed by fellow jurors i think i 'd be really stressed out in that situation neutral +Further , if the mailbox rule were maintained , only one person will pick up an outgoing letter placed in the mailbox . The mailbox rule says that any number of persons can pick up an outgoing letter from a mailbox . contradictory +And phlogiston will quench the flame of a rocket , as your expert von Braun discovered . " The man was a gold mine of information , all bad . Von Braun was in exile , sent away by the new rulers . neutral +And suspicious ! Obvious and suspicious ! neutral +The windswept , desolate coastline frequently recalls the stormy conditions that prevented the Americans from setting up their own artificial harbor to land their equipment . Other than the coastline , the Americans also had to contend with the weather . neutral +you know this girl just coming to America type thing you know so you know i would have loved it the opportunity to do that Coming to American was a new and exciting experience for her . neutral +Bloom glides over her motives . Bloom scrutinized her motives like lately . contradictory +yeah that 's you need to do that i 'll i 'll i 'll give you a hint i don 't know if you 're a talk a radio talk uh person listener do you listen to radio talk shows I listen to radio talk shows every time I have the chance to . neutral +He considered it extremely stressful and felt it forced him to super-human sacrifices . The man felt that it was very stressful . entailment +oh i see well i was raised on the Texas Gulf Coast in the summers and during the Christmas holidays we 'd go down to our house on the coast I grew up in Texas near the coast . entailment +If you make only a single side trip from Madrid , the legendary city of Toledo , home to El Greco and a Middle Ages melting pot of diverse cultures , should be the one . Because of its great cultural scene , you should make it a point to see Toledo . neutral +A maximalist position on safety means only one car seat will do , the Britax . The Britax car seat is the only one needed if you are looking at the situation from a maximalist position . entailment +a ) Sexually exploited by her older boss . Improperly manipulated by her older boss . entailment +uh i believe that you can that you can change well maybe not from year to year but at least you can change periodically uh as to you know as to to get the stuff that 's more important to you yeah that 's uh something that the uh that the federal government you know put into uh you know into the IRS regulations as uh as The IRS has regulations that specifically discuss the way people change . neutral +We 're here to save them and they treat us as the attackers . They treat us like attackers even though we 're here to save them from the evil army . neutral +It 's worth sidetracking into the hills just to marvel at how much money some people actually have . The houses located on the hills are a showcase of modern excess . entailment +As Daniel Halevy reported , An almost unbelievable thing happened in the autumn of 1897 . In 1897 , Daniel Halevy reported an unbelievable thing happened , but we are discovering it only now . neutral +Real fights would meet with arrests and fake ones wouldn 't and hence would be quickly unmasked . Real fighting leads to people being arrested . neutral +Nevertheless , national saving beyond the amount necessary to replace depreciated capital goods is important for increasing the overall size of the capital stock and the nation 's future productive capacity . It is important to replace depreciated capital goods by national saving beyond the amount necessary and to improve our image . neutral +Ultimately , growers and consumers reap the economic benefits of such migrancy through lower agricultural labor costs . High labor costs in the agriculture industry give consumers and growers a huge advantage . contradictory +Well , I 'll be liter 'ly bumfuzzled ! I am confused . entailment +According to the WSJ , representatives of some computer companies and of Microsoft are expected to stage a pro-MS rally Tuesday . Microsoft will provide refreshments for the attendees of the rally . neutral +oh wow how exciting Oh wow , how fascinating . entailment +The only clear measure of Guber and Peters ' misjudgment is their overspending for antique furniture , yachts , slumber parties at Aspen , and the like , and a numbing succession of box-office bombs . Box-office bombs are movies that do not do well or make enough money upon release . neutral +this whole thing down there where they 're they 're trying to um uh you know devote all our money and raise our taxes and better schools and and it all seems you know everybody 's trying to one-upmanship on everybody else so it seems like nobody cares about doing better than anyone else contradictory +Did the ALA logo help ? A question about whether the ALA logo helped . entailment +well see the problem is is that um what happens is as that you 're uh you know as you go from the country to a city crime always increases right because in the country people still respect uh the property of other people People in the country are disrespectful of others properties . contradictory +The buyer was taken off the finance-contract hook . The buyer was thrilled about his current situation . neutral +well Rick it 's been good talking to you Rick , it 's been tough , but thanks for calling . contradictory +After 1868 that center grew even stronger , when the movement known as the Meiji Restoration overthrew the Tokugawa shogunate and the imperial court moved to Edo . Tokugawa Ieyasu was the most powerful Shogun in the history of Japan . neutral +While agencies will need to tailor their performance management systems to their unique organizational requirements and climates , they nonetheless are hold executives accountable for results ; appraise executive performance on those results balanced against other dimensions , including customer satisfaction and employee perspective ; and use those results as the basis for performance awards and other personnel decisions . Agencies will have to tailor their management systems for organizational requirements . entailment +Unfortunately Frank Sinatra and company no longer patronise the Kassit , but it is still one of the best caf ? ? -restaurants to be found on Dizengoff Street . Sinatra still goes to the Kassit . contradictory +oh oh i guess that 's why the actors and actresses make millions of dollars people like us you know The actors and actresses are very rich folks . entailment +when was the last time you painted something did you feel like you did a good job did you feel uh rewarded while you were doing it i don 't know You 've never painted anything before , so why don 't you try it out ? contradictory +'Less loud . Please be quiet . entailment +CSR 's , which grantees are required to submit annually to LSC , contain data on program staff as well as on cases closed during a calendar year . CRs only includes data from random months of the year . contradictory +If things go Ted , I pleaded with the president to make sure we had an exit strategy . I pleaded with the president Trump to make sure we had an exit strategy . neutral +And yet , toward the end of this book , just when I was about to file Huntington in the Pat Buchanan section of my brain , he underwent a miraculous transformation . Huffington has never changed and belongs in the Pat Buchanan camp . contradictory +Vrenna drew the dagger from her left boot and buried it in the sword wielder 's temple . Vrenna killed the man with one blow to the head . neutral +no and it 's nice i 'm just inside the city limits i 'm probably a mile mile and a half inside the city limits and i 'm only a mile and a half from work It takes me more than five miles to get to work . contradictory +yeah so see there there they would have a doubt about you that you know because if that 's what if that 's what the punishment is in that in that instance then you 're always going to say You would be trusted . contradictory +You know how they got here ? How did they get there ? entailment +I didn 't tell them yet , she said . " I did not yet tell them ; they will not arrive until tomorrow evening , " she said . neutral +Incidentally , he also asserts wrongly that Richard Nixon 's Christmas bombing of Hanoi in 1972 made peace possible . All his assertions about Nixon have been correct . contradictory +okay okay um yeah that 's what it said to discuss some maybe a recipe well it says why would you what you would have for a dinner party um this is strange because i pressed one and i thought it said begin In have a dinner party tonight that I need some recipes for . neutral +The cost of this Video operation may function as an upper limit for most of the mail . This Video operation was more expensive than operations in previous years . neutral +He was playing with the cell phone when by accident the top ten list of exotic places appeared . The top ten list appeared while he was playing with his cell phone . entailment +A curious point is that the name is usually mentioned . A lack of name raises alarms . neutral +The Base Estimate relies on estimates of the potential cumulative effect of long-term exposure to particles , while the Alternative Estimate presumes that PM effects are limited to those that accumulate over much shorter time periods . Often scientists use both the Base Estimate and the Alternative Estimate . neutral +In the succeeding centuries Byzantium , like the cities of the Aegean , fell under the sway of Athens , Sparta , Persia , Alexander , and Rome . Byzantium would be ruled by at least five different states over the next few hundred years . entailment +The capital 's smartest and most expensive boutiques ( even if you 're not buying , they 're worth window-shopping just for the superb displays ) are conveniently concentrated in a compact pedestrian area around Via Condotti at the foot of the Spanish Steps . There are no boutiques near the Spanish Steps . contradictory +First moment I clapped eyes on her photograph my heart did all the usual stunts you read about in novels . I had never seen someone so attractive before . neutral +What follows the incredible spree of productivity that lasted from 1947-50 is a kind of brownout . In terms of efficiency , not a lot happened from 1947-50 . contradictory +Presumably his place was taken by another juror who really believes that the police arrest people completely at random . ) Presumably he had his place taken by a juror who believes police never arrest people randomly . contradictory +The Random House Unabridged Dictionary is priced at $ 100 and has 315,000 entries . There are only 2 entries in the Random House Unabridged Dictionary . contradictory +usually i can talk all day but this is something to me that 's sad I cannot talk due to sadness . entailment +It was the creation , in 1873 , of a certain Monsieur Trouille ( Mr. Jitters ) . The creation is considered a masterpiece . neutral +She 's leaving to-day . It was time for her to go home . neutral +so within a month i guess or two we 'll know We should know something in about a month . entailment +The Satheri don 't like it ; they want to stop it . The Satheri support it and will help . contradictory +Surely he could not be unaware of the fact , conceal it as we would . He couldn 't have known about it since we hid it so well . entailment +and outcomes ( results of providing outputs , e.g. , are outputs effectively meeting intended agency mission objectives ? ) Outcomes are the same as outputs . neutral +Ethicists also have trouble recognizing the new issues because they 're trained to look for moral problems in technology 's costs , not in its benefits . Ethnicists think that the cost of technology is highly immoral neutral +Go to Utilities to send us an e-mail , to get e-mail from us , to sound off about an article , to search E-mail will receive a fast response . neutral +we all lose out We all win . contradictory +but yeah it it 's not bad uh i i was i was in Abilene for ten years i worked in Abilene for ten years so I never lived in Abilene at all . contradictory +Hiking , or trekking , as it is most often called here , is a marvellous way of getting away from the often madding crowd in India , and you will find it is well organized in the old hill-stations . You can go trekking to see hill stations . entailment +And some insiders even claimed that kids at PEES had surfed adult websites during classes . Kids were looking at porn during classes . neutral +Tuppence mapped out her plan of campaign . Tuppence drew her a course of action . entailment +The Portuguese surrendered in 1641 , wracked by malaria and dysentery and denied their usual reinforcements from Goa . Reinforcements would have allowed the Portuguese to win the battle . neutral +Shortages and slipping wages sparked street protests this winter that forced the ruling socialists to hand power over to a caretaker government . The ruling socialists handover of power was the result of slipping wages and shortages . entailment +amazingly few There is an abundance . contradictory +In fact , you can 't teach them at all ; as an environment for educational and moral growth , American public secondary education will continue to be a miserable failure so long as the values of the institution are so at odds with its ostensible mission . Education is a joke and needs reform . neutral +However , without proper safeguards , this widespread interconnectivity poses enormous risks to our computer systems and , more importantly , to the critical operations and infrastructures they support . Proper safeguards are not needed for the already-safe widespread interconnectivity . contradictory +yeah you going oh yeah Yeah if if if you 've ever seen the program paper chase it 's very much like that except worse It is just like the program money chasers . contradictory +uh occasionally down in Charlotte No , not in Charlotte . contradictory +by a main man named uh Doctor Bittel B I T T E L and it 's a very layman 's uh uh approach towards managing different types of people and the very last chapter and i haven 't figured out why that one was last is how to manage engineers Doctor Bittel 's book on management is a best-seller because it 's easy to understand . neutral +This one 's name was Popeye , and he was a gelding . This one was named Popeye after his father , he was a gelding . neutral +Could the strychnine have been administered in Mrs. Inglethorp 's after-dinner coffee which was taken to her by her husband ? Mrs. Inglethorp 's husband never took her after-dinner coffee . contradictory +He looked at Susan . Jon looked at Susan . neutral +yeah well the utilities they 're pretty much uh uh you can pretty much uh figure what they 're going to be and one of the nice things here is the electric company has a plan where they 'll average them out for you The utilities are predictable . entailment +But if the rocks could be conjured , what was the need of all the slaves and the sadistic overseers ? He needed the slaves because they were his food source . neutral +Most important sight in the neighborhood is the monumental Hetel des Invalides , established by Louis XIV as the first national hospital and retirement home for soldiers wounded in action . It is the most important sight mainly because of its historical significance . neutral +The town 's great claim to fame is the wedding of Louis XIV to the Spanish Infanta Maria Theresa in 1660 ; the houses that lodged them , Maison de Louis XIV and Maison de l 'Infante , still stand by the port . Louis XIV was married Maria to Theresa in 1660 . entailment +By the beginning of the 18th century , life in the city of Edinburgh ( today 's Old Town ) was overcrowded and unsanitary . Edinburgh was overcrowded and dirty in the 18th century . entailment +One popular version includes the Bad Bus Driver spell , the Un-Ground Me spell , and the Just-Say-No spell . The Bad Bus Driver is in one of the popular versions . entailment +Orthodox Judaism , likewise devoted to the suppression of women 's hair , has long since solved the problem another way , with fashionable wigs . Orthodox Judaism has allows females to do as they wish with their hair . contradictory +In instances where Clinton has asserted the privilege , however , the same Republicans who apologized for Reagan and Bush have been scathing in their denunciations . Republicans are hypocrites for apologizing for denouncing Bush but are scathing atClinton . entailment +but um all these places you know you can get like you know a hamburger or um you know um i 've had turkey and meatloaf at all these diners and you know we usually get out of there for around twenty bucks All of the restaurants there are very expensive . contradictory +that sounds exciting Excitement is important . neutral +yeah like lentil soup or something people don 't and that 's such a good source of protein or like soybeans you know people think ugh they think it 's something really People don 't eat lentil soup or soybeans , even though they 're a great source of protein . entailment +and i would get up at five o 'clock in the morning just to shovel out driveway I have never had to shovel the driveway . contradictory +His hands came up as he moved forward . He moved ahead as his hands raised . entailment +Just Pat autographing anything presented to him . Pat was autographing anything given to him . entailment +NHH-to-HH mail is now the second largest sector of First-Class Mail . NHH-to-HH used to be the third largest sector of First Class Mail . neutral +It was from here that Jonah boarded the ship for Tarshish in his attempt to flee the instructions of God ( 1 , 3 ) , only to be swallowed by the whale . The ship was leaving immediately . neutral +just in the ability to handle and then i have uh a three eighty six FX a sixteen bit machine Ability to handle is irrelevant because I don 't even have a machine . contradictory +He would call evidence to show that it was the prisoner who ultimately handed his stepmother her coffee on the fatal night . He had evidence proving the prisoner had something to do with the death of his stepmother . entailment +uh-huh applied at all Sorry none was applied . contradictory +But the series of subprime loans that took them down what he calls the slippery slope date to 1998 , when he was 82 . Subprime loans that caused the slippery slope can be traced as far back as 1998 . entailment +With some judicious selection from among the places we suggest , you can most certainly get a pretty good feel for the country in the four weeks that most people devote to a first trip . No matter how much you plan , it 's not possible to get anything but a superficial impression of the country in anything less than two months . contradictory +Were you wanting the Esthonia Glassware ? Did you want the Esthonia glassware that belonged to your grandma ? neutral +The HMOs pay all medical bills except for a small copayment and generally provide generous drug coverage , often at no extra cost--except giving up one 's choice of doctor or hospital . The HMOs pay for medical care except for a small amount . entailment +If it were racist , for example . If it was written in Japanese , for example . contradictory +The next sections of this paper will first present some new ways of thinking about a familiar method , the case study , and then introduce the six applications , describing what is required , in terms of methodology , to get the benefits case studies can offer . New ways of thinking about a familiar method were not presented . contradictory +they 're four and five They act younger than four or five . neutral +The funny thing about the Sumitomo affair is that if you ignore the exotic trimmings--the Japanese names , the Chinese connection--it 's a story right out of the robber-baron era , the days of Jay Gould and Jim Fisk . Jay Gould and Jim Fisk were robber-barons . entailment +oh yes i have i have been to Tyler that was one place we went when i was a child I have never been to Tyler . contradictory +Which he has truly become . He 's absolutely developed into . entailment +Have you any tips to give us before we clear out ? " We should go over a few things before leaving . neutral +A narcotic taken with strychnine will delay the action of the poison for some hours . " Poirot paused . The poison must be administered through food or water to be effective . neutral +uh they get to the other end of their career and now they come up and talk to you between innings of games i i think that was exciting too uh have you seen any minor leaguers come through uh any guys come through Raleigh that are now in the big time The players talk to fans between innings despite the coaches not wanting them to . neutral +The National Agricultural Workers Survey ( NAWS ) , a statistical sampling of migrant and seasonal The survey was taken of agricultural workers . entailment +PK denies engaging in politics with these men , but Ireland says PK is acting as their religious-right marketing tool . Ireland says PK is acting as their religious-right marketing tool , but PK denies engaging in politics with those men . entailment +The rural village of Yufuin is relaxed , gentle , and charming , featuring old-fashioned farmhouses around tiny Kinrinko Lake . The villas is developing at a fast rate and the lifestyle is very fast . contradictory +That brings me to something I wanted to say . There 's nothing else I 'd like to say . contradictory +In the last debate , Hatch gave a patronizing lecture about how the unseasoned Bush would make a fine vice-presidential choice for him . Hatch gave a lecture , in the last debate , on how Clinton , unseasoned , would make a fine vice-presidential choice for him . contradictory +That 's just her nature . Thats not the was she is at all . contradictory +During the troubled Spanish era , thousands of French exiles from eastern Canada Acadians , shortened to Cajuns migrated to Louisiana . Some French people moved from Canada to Louisiana . entailment +Western states have already made significant headway in identifying future SO2 reductions necessary to meet air quality goals in the Western Regional Air Partnership ( WRAP ) agreement between EPA , Western states , tribes , industry and environmental groups . Western states are refusing to work with the EPA to improve air quality . contradictory +Those retreats within easier reach of the city the casino of the Genting Highlands or theme parks born out of former tin mines draw Malaysian families for holiday entertainment , a far cry from the more traditional parks , zoos , and aquariums . The tin mines are untouched as attractions . contradictory +The final rule was issued pursuant to the authority of sections 301 , 304 , 306 , 307 , 308 , 402 , and 501 of the Clean Water Act , 33 U.S.C. The final rule did not observe the Clean Water Act . contradictory +You 'll need to walk down a long steep corridor to reach it . The steep corridor brings you nearer to it but not to it . neutral +There are events and concerts , plus a museum bookshop and a cafe in the vaults . There aren 't any events or concerts , this place sucks . contradictory +yeah hey you could well you can interpret that the what the TV show in the same way you can interpret the Bible well uh so The TV show is very religious . neutral +The game arrived , I played it for a few weeks , and then I put it back up for auction right there on eBay and made back almost all of my money . I was able to sell it on eBay for a fraction of the price I originally paid for it . contradictory +Some offsetting collections are credited directly to appropriation or fund accounts ; others , called offsetting receipts , are credited to receipt accounts . Offsetting receipts get credited to receipt accounts . entailment +During floor debate , considerable concern was expressed about the A debate was held about which laws should be removed neutral +oh yes you need to try them oh they 're wonderful I strongly suggest that you try them . entailment +Are we English ? We enjoy English . neutral +Across a vast , horseshoe-shaped courtyard , you come across the exquisite Rococo style of Louis XV 's time in the apartments of the Prince and Princess of Soubise . The Rococo went out of fashion soon after Louis XV died . neutral +Said is quiet on how Palestinians and Israelis can be persuaded even to consider such a reconciliation . Said is adamant that the proposed two-state solution can never come to fruition . neutral +see we we 're we have no say so as to where the money goes in the first place that 's We do not have a choice on how to use the money . entailment +I 'd far rather read those sexy economics columns by Paul Krugman . I was stuck listening to the speaker at the meeting but would have rather been reading Paul Krugmans columns . neutral +Social questions , all . Programming questions . contradictory +In about 721 b.c. , the north ( Israel ) was invaded and devastated by Assyrians . The Assyrians invaded Israel and wreaked havoc in around 721 b.c. entailment +The Carriage Museum ( Museo delle Carrozze ) , in a wing on the far right of the palace , and the Royal Apartments ( Appartamenti Monumentali ) , upstairs , right of the main entrance , show an opulent , truly palatial life that the palazzo 's dour exterior never lets you suspect . The carriage museum is located outside the palace . contradictory +In some cases , an entity may have other resources or obligations that were not specifically addressed in the stewardship standards , but that the entity believes may be material to the presentation of its stewardship information . Nothing outside of the stewardship standards is ever pertinent . contradictory +yeah i 'm being single and no other responsibilities for yourself i guess you know it 's i can i can i 've been pretty happy i 've i 've haven 't tried to upgrade myself right now that 's uh I 'm really happy and I 'm single without any responsibilities other than to myself . entailment +'You asked for a two week deadline ? ' I questioned the three week deadline . contradictory +In the right season , abandon any weight concerns and tuck into a bowl of fresh strawberries and cream ( fresas con nata ) , widely advertised by the island 's restaurants and cafes . During the right season , get yourself a bowl of fresh strawberries and cream from the island 's restaurants and cafes and forget about your weight concerns . entailment +There is a great variety of places to stay , from luxury grand hotels ( what the French would call a palace ) and converted chateaux and abbeys to simple country inns ( auberges ) and g ? ® tes ruraux ' often a converted farmhouse where the farmer 's wife cooks your meal . It costs a lot of money when a farmer 's wife is your cook . neutral +The Department of Labor 's rule is adopted pursuant to sections 107 , 209 , 505 , 701703 , 711 , 712 , and 731-734 of ERISA ( 29 U.S.C. The Department of Labor has managers who write all of their rules without outside input . contradictory +Then I yawned . I coughed . contradictory +When Members submit independent requests on the same issue and GAO has not formally accepted the requests , GAO will consult with the Members and their staffs and will merge requests only if the requesters agree . Merging requests only occurs after GAO consults Members and their staff , and only upon each requester agreeing . entailment +Agencies must report in their annual performance reports on the use and effectiveness of any GPRA managerial flexibility waivers that they receive . The most successful agencies report a higher number of waivers received . neutral +Thus , on a delivered piece basis , rural routes use 20 percent more carrier time than do all city routes , and 22 percent more than city residential routes . On a delivered piece basis , rural routes use 20 percent less carrier time than do all city routes contradictory +Never tell all you know not even to the person you know best . Some friends are worth trusting with all of your secrets . contradictory +I 'd like to suggest that the tax system should go much , much farther down this road , particularly the sales tax . The tax system should not take this particular path . contradictory +The lawyer shrugged his shoulders . The lawyer made faces while shrugging . neutral +Many pubs now serve meals and have entertainment ; chalkboards outside the pub will let you know when they 're having live music or other events . Pubs are meant to be more for entertainment of both sexes . neutral +Then , ruthless urban planner Baron Haussmann swept away almost all the medieval and 17th-century structures , leaving just place Dauphine and rue Chanoinesse ( ancient home of the cathedral canons ) as signs of the island 's once rich residential life . Baron Haussmann did not remove any structures during his urban planning . contradictory +Explained the situation . ' The situation could not be explained . contradictory +Any one of us who has studied elementary alchemy could blow a globe of it to the right size for the sky dome . Any student of basic alchemy could make a globe the right size for the sky dome . entailment +Houston Houston is awful Houston is the best . contradictory +It 's as though their melancholy derived from the excruciating imperative to be blacks performing according to the conventions of blackface . The actors were performing in blackface . entailment +A typical newspaper in the U.S. has less than 50 percent coverage in its service area . A newspaper in the US usually has less than half their coverage in the service area . entailment +Here it was : a chance to work on the Range , to know Hunt Rennie , and learn whether Don Cazar was to remain a legend or become a father . He wanted to take the chance . neutral +The Hardknott Castle Roman Fort , called Mediobogdum by its builders , sits on a shelf near the summit of the pass . The Mediobogdum is situated in the bottom of the mountain . contradictory +Boaz 's model for this is the Internet . Boaz says the Internet is an example . entailment +Also , 80 % of all domestic-violence cases are handled without lawyers . All domestic-violence cases require the assistance of lawyers . contradictory +To meet our second objective , we identified those federal agencies that were instituting results-oriented management from our ongoing work on the implementation of GPRA at 24 departments and large agencies ( covering about 98 percent of the federal government 's fiscal year 1994 outlays ) and Our one objective was to identify agencies instituting results orientated management . entailment +At my age you will probably have learnt one lesson . It 's not certain how many lessons you 'll learn by your thirties . neutral +Prudie is in your husband 's corner . Prudie is firmly against your husband . contradictory +And don 't miss a stroll down Francis Street ( Dublin 7 ) , Dublin 's antiques highway , lined with antiques and art stores . Francis Street is the perfect place to find art and antiques to purchase . neutral +The rule , promulgated by an independent regulatory agency , is not subject to title II of the act . The rule is always subject to Title II of the Act , regardless of the agency behind it . contradictory +Thanks to this blurring of the victim-perpetrator distinction , Ted 's nephew Joe was able to get elected to Congress despite his own car accident , which likewise devastated his passenger , four years after Chappaquiddick . Joe suffered devastating consequences for his car accident and obviously learned his lesson . contradictory +So much was at risk . The risks were not worth it . neutral +For a fuller sense of what it was like when mountain-climbing and skiing were in their infancy , spend an hour or so in the Mus ? ? e Alpin , tracing the history of the region , its heroes , and their exploits , in photos and displays of equipment . No way is there a way to understand what it is like when mountain climbing . contradictory +it 's easy now It used to be complex . neutral +GDP is also the measure cited in economic trend analyses and for cross-country comparisons by many , including the President 's Council of Economic Advisers , the International Monetary Fund , and the Organization for Economic Cooperation and Development ( OECD ) . The measure cited in economic trend analysis is GDP . entailment +we decided the only way we could afford vacations is to go camping Camping of the only trip we can afford . entailment +The men advance , weapons lit with crackling blue fire . The men 's weapons were blue with fire . entailment +HCFA found that notice and comment procedures were unnecessary with respect to this regulatory change since it did not involve an exercise of agency discretion . HCFA found that notice and comment procedures were unnecessary . entailment +Everything in the house was filthy beyond words . The house was spotless . contradictory +is that what you said Was that an accurate transcript of your speech ? neutral +The agency has agreements with 11 government departments , including the Department of Family and Community Services ( FACS ) ; the Department of Employment , Workplace Relations and Small Business ; the Department of Veterans ' Affairs ; and the Department of Education , Training and Youth Affairs . Several government departments have agreements with this agency . entailment +and that didn 't help at all That still left many unresolved problems . neutral +The foundations of the fort can still be seen , but artifacts from the site are displayed in the Huntly House Museum in Edinburgh . The Huntly House Museum has artifacts from a fort on display . entailment +yeah but you 're glad you 're doing it right You are pleased with what you are doing from what I can tell . neutral +no we have six and seven no six and then one is at seven ten or something like that We have six and another at around seven ten . entailment +so but once they uh drop the prices a little bit i 'll be out there uh picking up a few more shrubs to fill in where we 're where my dead shrubs are right now i haven 't even pulled them out of the ground yet The prices for shrubs are way too high . neutral +um for the worst i would assume I would guess for the worst . entailment +Greg Siskind , who launched Visalaw.com , says he is working on building personal , secure Web sites for each client who wants one , so people can check the status of their cases without having to call the firm . Siskind has built secured sites for every client who desires . entailment +and i wish we could down here It would be great if we could down here . entailment +People like the staff at the legal services programs in New Jersey , Maryland , Washington , Texas , Missouri , California , and Indiana who are actively and continuously engaged in reassessing their delivery practices and policies to meet emerging and unmet needs . Staff of legal services programs actively try and meet the needs they are required of . entailment +If you have any Scottish ancestry , you will be able to find the tartan for you ; otherwise , it is a matter of finding a pattern that you like . Visitors can buy kilts decorated with their matching tartan pattern . neutral +and then went from a duplex to a little old two bedroom frame house We came from a two bedroom house . contradictory +Notice the 15 chandeliers , 10 candelabra , and 18th-century Chinese porcelain jars along walls hung with Brussels tapestries . Along the walls hung Brussels tapestries among many pieces of art . entailment +so he but then he came from a background where he is so much more open with his children than his father was with him his father was just a very quiet withdrawn person and i assume very shy as is my husband My husband is shy entailment +13 , 2001 ) ; Human A Self-Assessment Checklist for Agency Leaders , GAO / OCG-00-14G ( Washington , D.C. : September 2000 ) ; Human Design , Implementation , and Evaluation of Training at Selected Agencies , GAO / T-GGD-00-131 ( Washington , D.C. : May 18 , 2000 ) ; Human Using Incentives to Motivate and Reward High Performance , GAO / T-GGD-00-118 ( Washington , D.C. : May 2 , 2000 ) ; and Management Elements of Successful Improvement Initiatives , GAO / T-GGD-00-26 ( Washington , D.C. : Oct. 15 , 1999 ) . There is a Self-Assessment Checklist for Agency Leaders , entailment +Suddenly , he gave a faint exclamation . He sighed . contradictory +Send him round to a store to buy a penn 'orth of peanuts . " Though not particularly enjoying the American 's free and easy manner of speech , Kramenin was devoured by curiosity . The American had a very easy and carefree way of speaking . entailment +In the meantime , if a lounge chair by the pool just can 't compare , you 'll have to follow in the wake of Columbus and dock on the neighboring island of Porto Santo , a popular day trip . There is nothing attractive to be seen in Porto Santo , so no tourists visit it . contradictory +As the Board stated in the Introduction and Background chapter of this Statement , it believes that these stewardship items warrant specialized reporting to highlight their importance and to portray them in additional ways than provided by financial accounting . The Board is composed of a variety of members . neutral +Be sure to visit the Shoko Shuseikan Museum , housed in an old factory established here by the forward-looking leader for arms manufacture and other new industries . An old factory was established at the Shoko Shuseikan Museum . entailment +A poll finds that 84 percent of Americans don 't think cocaine use should disqualify Bush from office . According to the poll , 84 percent of Americans don 't think cocaine use should disqualify Bush from office . entailment +I cannot hope to settle this large issue here . I don 't see a way that I can address the larger issue at hand . entailment +I want to kill everyone in that cave , said the Desert Ghost . The Desert Ghost was homicidal . entailment +Some felt that there had been loss of trust by clients from disenfranchised groups because of a belief that legal services programs have pulled away from discrimination-based initiatives . Some felt they couldn 't trust people anymore . entailment +If there is a good reason , it has to do with our final question . The last question would reveal if they had a good reason . entailment +no but i remember No , I forget . contradictory +Since no cars are allowed on the island , it has the feel of a bustling , old-fashioned beach community . There is a lot of traffic from cars on the island . contradictory +But the German 's face had lightened a little . But the German had relaxed a little . entailment +Around 35,000 people live on the French side , the same amount on the Dutch . More people live on the Dutch side than the French side . contradictory +I want you to take a moment to look at this pie chart . Study this pie chart for a few minutes and then answer my question . neutral +Therefore , the study was able to correlate mental status exam scores with alcohol levels at the time of consent . The study made a correlation between alcohol levels at the time of consent and mental status exam scores . entailment +Then they stood waiting . They trotted off in different directions . contradictory +After initial conversations with a number of organizations , we narrowed our focus to eight organizations that had implemented fairly comprehensive organizationwide information security programs . These 8 organizations were forthcoming and open about how they approach their ideas . neutral +Follow the steep road right down the hill , and on your left you will soon see the highly picturesque White-Russian Orthodox Church of Mary Magdalene . The White-Russian Orthodox Church of Mary Magdalene was built by Russian immigrants . neutral +well uh i guess it 's one of those things that uh if it 's going to really promote a lasting peace if there is not going to be a peace There is no chance that it will do anything for peace . contradictory +Without , magic , how can we thaw a frozen soul ? How can we thaw a frozen soul without magic ? entailment +You will now watch an instructional film to see just what kind of stress the people in medieval ages had to deal with . People in the medieval ages had to deal with a lot of stress from the weather . neutral +Less it 's ringin ' down on th ' bar , or slidin ' ' cross some table ' cause they found out as how they was holdin ' Jacks against some other fella 's Kings . They were playing a card gamer . neutral +yeah and when you say but we 're in college uh we 're in graduate school we can 't afford that you know they they say well how about twenty seven well how about ten you know yeah so Tell them we are in graduate school and that 27 is too expensive , we can only pay about 10 . entailment +A 'deem considered this . A 'deem thought about it . entailment +like a nice aquarium This is somewhat similar to a nice aquarium . neutral +Six teams of a nanny and a nurse take turns watching the baby around the clock , although they are not allowed to kiss him . The richest families hire nurses and nannies . neutral +Did you know that all of our presidents who weren 't Masons were assassinated ? You might not know that all of our presidents were assassinated because they weren 't Masons . neutral +and tell yeah well tell him that Bill Mayhood sell hi said hi Do not tell him you spoke with Bill Mayhood . contradictory +well this should be very interesting because i 'm against it I would have no interest if I was for it . neutral +Har Mandir Takht in old Patna will give you a sense of the Sikh community . You 'll get a feel of the Sikh community when you visit Har Mandir Takht . entailment +Yet there he is in Newsweek last week huffing that campaign-finance reform has done more damage to constitutional values than Watergate , and endorsing Thomas ' notion that political contributions are acts of political expression , as well as exercises in freedom of association . He did not appear in Newsweek at all , instead hiding behind security in his mansion . contradictory +Suppose you ask those high-binders of yours ! he snapped . It 's good that you listen to us instead of those high-binders of yours . contradictory +Goals , Practices , and Strategies to Consider ; Make Financial Management an Entitywide Priority Environmental management should be a priority for the whole entity . contradictory +You are least likely to go wrong in terms of uniformly high quality if you 're in the market for lacquerware . Similar items such as porcelainware and pottery are also very likely to be of high , consistent quality . neutral +yeah yeah oh yes uh we used to have you know like several but right now we 're just more or less at American Express you know and that way we can go ahead and pay it off when it comes in We used to have a few but now we mostly use American Express and pay it monthly , which is hard . neutral +The logistical problems of spanning the Firth were numerous , but their solution resulted in one of the greatest engineering achievements of the Victorian era , the Forth Railway Bridge . The Fourth Railway Bridge was hard to construct , becoming a big achievement when finished . neutral +What ? cried Tuppence . Tuppence knew the answer but asked anyways . neutral +If conducted systematically , can be widely useful in evaluation . They were not allowed to use it systematically . contradictory +Callie dropped from his barrel perch . Callie dropped . entailment +and they were paying him a lot of money so Walsh yeah Walsh didn 't have that much uh well as you probably guessed i 'm a Cowboy fan uh more or less They were paying Walsh quite a lot of money . entailment +Will that be good ? Will having more money make that better for you ? neutral +Minxes then minxes now ! " They have been minxes for the past 10 years ! neutral +so i 'm not sure exactly what they base that on I do not know what they have to compare that to . entailment +At the start of the new millennium , Edinburgh is once again wielding true political power on behalf of its fellow The Scotland Act , passed in November 1998 , transferred control of domestic policy from London back to the Scots for the first time since 1707 . Since passage of The Scotland Act in 1998 , London has not interfered in Scotland 's domestic policy agenda . neutral +The review identified errors and their causes and provided IDPA with information that allowed it to focus attention on the 5 percent of inaccurate payments and target strategies to improve the accuracy of these payments . The review found errors in the payment system . neutral +Then we will be able to get at Kitchell , and the army will settle him for good and all ! " After this battle is over , we will be able to get at Kitchell . neutral +One popular cruise destination ( leaving from the Grand Port ) is to the neo-Gothic Abbaye de Hautecombe . Cruises traditionally avoid the Abbaye de Hautecombe . contradictory +Besides its important museum in the remains of a medieval castle , the village is at the center of literally dozens of major palaeolithic excavation sites . There are many prehistoric excavation sites in the village . entailment +The International Cemetery , established in 1854 , is the last resting place of some 4,000 foreigners of 40 different nationalities who lived and died in Yokohama . The International Cemetary is located in the north of Yokohama . neutral +The Bible never clearly says the Antichrist is a male Jew . The Bible is firm on the fact that the Antichrist is a Jewish male . contradictory +Colleagues describe Glass as an extraordinarily hard-working and personable 25-year-old who gladly pulled all-nighters to improve his pieces whenever his editors asked him to . Colleagues describe Glass as an extraordinarily hard-working 25-year-old . entailment +closing the books , preparing tax returns , paying invoices ) to value added activities Closing the books and paying invoices are entirely unrelated activities . contradictory +Though less energetic , life is equally refreshing down on the lovely lakes of Annecy and Le Bourget . The life of Annecy and Le Bourget will flourish and become energetic . neutral +Bauerstein . Not Bauerstein . contradictory +For all their ardent nationalism , Calettans retain a strong , if sometimes sardonic , attachment to things British ; in particular they have an affection for the English language , which you 'll find spoken here with the most British of accents and often with a good deal more style and elegance than the British themselves can muster . There is a noticeable current of Anglophilia running through Calettan culture . entailment +all these people were and and it was on one of those kind of shows like 20 / 20 these people were like paralyzed and because it threw them forward but they were hooked at the waist and so it like you know did something to their spinal cord I am sure it did damage to them . neutral +The man stepped back , blood gushing through his fingers from his ruined face . The woman stood still . contradictory +Since the early 1990s , however , personal saving has steadily declined to -0 . Debt now overwhelmingly outweighs personal savings . neutral +The project was governed by a Steering Committee . The CFO governed the project . contradictory +Nonoperating costs , such as payments made to the Treasury for retroactive charges are excluded . Payments made retroactively to the Treasury don 't count . entailment +Watch your favorite theorists tackle everybody 's favorite subject , as Katha Pollitt limns 50 Progressive Ways To Make Him Scream , and Judith Butler finds Hot Honeymoon Hump Tips That Catharine MacKinnon Could Love . Books on sex always sell millions of copies . neutral +This former fishing village ( 12 km / 71 ? a2 miles from Altea ) lies at the base of the Peeen de Ifach , a volcanic rock thrusting out of the sea to a height of more than 335 metres ( 1,000 feet ) . The Peeen de Ifach is not at risk of erupting . neutral +In 1793 , when the leaders of the Revolution declared the palace a national museum , the Louvre held 630 works of art ; a recent inventory listed 250,000 . The leaders of the Revolution declared the palace a garbage dump . contradictory +Dole got a bounce out of the well-orchestrated Republican Convention , but soon fell back into a double-digit deficit . Dole received a boost after the Republican Convention and was propelled to the Presidency . contradictory +yeah is that supposed to be something like that one That one was very beautiful . neutral +In my experience , by the time his movie got through all the rewrite committees , it would star Julia Roberts and probably be called That Vatican Summer . And if it were released it might be seen by the pope ! neutral +One problem , among many , is that most people 's living rooms aren 't Carnegie Hall ; as a result , the music just sounds muddy . Carnegie Hall is a wonderful place to play music . neutral +Until 1994 the stage for spectacular open-air operas in the summer , the calidarium was vast enough for the unique setting of Verdi 's Aida and its processions of elephants , camels , and endless cast . The enormous size of the calidarium meant that it could accommodate hoards of camels and elephants . entailment +More Russian President Boris Yeltsin fired his top two military officers for resisting budget cuts and reforms . The military officers in question felt that they were doing the right thing for the country . neutral +By using the Web in this way , a campaign can convert mass support into grass roots support . A campaign can benefit from grass roots support . entailment +But if heat is your thing , pay a visit to the grand old Meiji-era Takegawara public baths , not far from the JR train station . If you enjoy heat , go to the grand old Meiji-era Takegawara public baths , close to the JR train station . entailment +and that 's not what they 're paying that is what they are paying contradictory +I fully appreciate that much work may be needed before agencies ' respective performance management systems are able to support a more direct link between pay and individual knowledge , skills , and performance . I don 't understand , I think the Performance management systems ought to be able to support this direct link between pay and individual performance . contradictory +well they they say we don 't have enough room in the prisons and we 've got to get them out well if that 's the case let 's come up with some money somewhere Some people said that there was a lack of room in prisons . entailment +There is some truth in it , without a doubt . The truth is that only some of the myths about vampires is true . neutral +If he goes bananas because the kids are laughing too loud , and your 4-year-old is suggesting shipping him off , you have a real problem , one for which Prudie doubts that parking Dad at a Holiday Inn is the answer . Dad would really enjoy a stay at the Holiday Inn . neutral +John rattled the handle of Mrs. Inglethorp 's door violently , but with no effect . The door wouldn 't open because it was stuck . neutral +The rules specify limited required supporting information , allow the Service to explain the unavailability of otherwise required data , and also streamline procedural scheduling . The rules say to limit the information to help make the process more streamlined . entailment +It is a good system for dealing with deodorant , but it is simply not a good system for dealing with food . This is a good way to deal with milk .. contradictory +that sounds yeah really i bet it tastes good too That sounds disgusting ! contradictory +i 'd be interested to see if we do that I am eager to see what we do . neutral +And everything will be lovely . Nothing will be lovely , contradictory +He had to begin somewhere . He had to start writing the essay or he 'd never finish it . neutral +Two 15th-century additions served as prisons for royal enemies . The royal family had many enemies in their prisons . neutral +The sound man turned around and mouthed an apology but did not move . The sound man felt sorry but it was his job . neutral +Jon awoke late into the night , his bladder full . Jon woke up pretty late and had to pee . entailment +( As did most quiz participants , with disturbing vividness . ) No one who took the quiz was able to do it vividly . contradictory +Don 't be a fool . " Don 't be dumb . entailment +Where the government uses or attempts to regulate a particular medium , we have been informed by its accepted usage in determining whether a particular restriction on speech is necessary for the pro-gram 's purposes and limitations . When the government tries to regulate a medium , we have never been told what is acceptable . contradictory +i uh where i lived uh it was a little town called Newmarket I lived in Newmarket which had 3000 residents . neutral +After tea , I want to talk to you . Her glance at Mary had set me thinking . I didn 't think anything of her glance at Mary . contradictory +A raised platform framed by two columns contains divans and a low dining table . The raised platform has guided tours for a fee . neutral +By production , it strives to have all critical manufacturing processes for the product-including key suppliers ' processes-in control with a Cpk index of at least 1.33 . The Cpk index is important to keep high as it 's one of the standards key suppliers must maintain . neutral +The fluid in it splashed into Mrs. Vandemeyer 's face , and during her momentary gasp , Tuppence 's right hand shot out and grasped the revolver where it lay on the edge of the washstand . Tuppence grabbed the gun after fluid splashed on Mrs. Vandemeyer 's face . entailment +Christian Coalition head Pat Robertson described himself in resumes and a published autobiography as a Marine officer assigned to combat duty during the Korean War . Pat Robertson said that he was a marine officer during the Korean War . entailment +that 's that 's true that is right I acknowledge that to a certain extent . neutral +could have a contest Couldn 't have a contest contradictory +Social insurance taxes and contributions paid by Federal employees . The insurance taxes are lower than most taxes . neutral +yeah yeah my fingers always get get it real bad i hate that i mean i bundle them up and everything and and i still get it My fingers don 't get it because I bundle them up contradictory +You can be quite sure that Tommy wouldn 't have said it was safe if it wasn 't . " There 's the possibility that Tommy was wrong about it being safe . neutral +The gaudy red , gold , and white Sam Po Kong Temple stands at the foot of Bukit China , honoring Cheng Ho , the eunuch admiral who in 1409 opened up Melaka to Chinese trade . The Temple is green , blue , and purple . contradictory +All the signs here are in Korean , and there are a multitude of restaurants and a large shopping mall of Korean stores at Koreatown Plaza ( Western and San Marino ) . Written in Korean are most if not all of these signs . entailment +As he prepared to leave London to set up an American Shakespeare Company in Los Angeles , Britain 's most famous theater director , Sir Peter Hall , wrote in the Mail on Sunday that Prime Minister Tony Blair , promoter of Cool Britannia , has in fact betrayed the arts by refusing them subsidies . Prime Minister Tony Blair refused subsidies to the arts because the country couldn 't afford to do so . neutral +After contacting attorneys about Take 2 , Wagonheim is beginning to revise his projections . They did not need to alter the projections . contradictory +As secretary of state in 1984 , he named me to be a consultant on the economic problems of Israel . Neither men wanted to take the role . contradictory +This table does not represent all federal tax provisions related to personal saving . Government tax provisions are fickle neutral +In the new genetic thrillers , it 's the scientist who makes a last-ditch stand against an irresponsible society--reflecting a role for scientists as the defenders of ethical principles that were born at the Nazi doctor trials at Nuremberg and endured through the Cold War . The lessons of post WWII Nuremberg trials and the Cold War have been forgotten by modern film 's scientists . contradictory +well the for some people it 's good because they maybe they need a little discipline need a little reining in at that that stage in their life uh other people it uh it 's They should work harder . entailment +SELECTED AVERAGES FOR RESIDENTIAL ROUTES WHEN ROUTES ARE SORTED BY PROFIT PER ROUTE The averages were selected based on proximity to a city . neutral +Hanson stared at it , reading the title in some surprise . The title was shocking because it was his mailman 's name . neutral +Next , pass under a series of soaring gopurams , where you can witness religion as a full-time daily occupation . Religion is a pervasive and omnipresent occupation . entailment +We are also using many recruiting flexibilities that are available to most agencies , including an extensive campaign to increase our competitiveness on college campuses and extending offers of employment during the fall semester to prospective employees who will come on board the following spring and summer . Employment offers are being made to employees who will not begin work until summer . entailment +Cave 12 consists of a vihara dormitory with three stories . 30 monks lived in Cave 12 . neutral +But they were both gay enough this afternoon , and chatted together like a couple of children . The fancied each other and chatted about it . neutral +yes it is it That is it . entailment +If Woodward had shaken the baby , why did his neck show no signs of damage ? The baby was undamaged in any way . neutral +Attempts at reform came too late ; by 1876 the government was bankrupt . The government had started to spend too much on various programs without taking income . neutral +While Podhoretz may be correct in his opinion of Al Sharpton , his comments regarding Sharpton and Jesse Jackson possess a thinly disguised undertone of As he castigates white liberals for assuming that Negroes could do no wrong , his discussion of Sharpton 's actions seem to say , Well , what can you expect ? Podhoretz made some comments about Al Sharpton . entailment +Chinese leaders are fretting about Taiwan 's prosperous democracy and its flirtation with independence . Taiwan is strongly considering its independence from China . neutral +Though the Globe doesn 't say so , it was surely an end that was both tragic and brave . You could see the ending from a mile away . contradictory +De Grasse 's fleet of 34 warships was escorting a convoy of 150 cargo vessels to Santo Domingo ( today 's Dominican Republic and Haiti ) planning to join a Spanish naval venture against Britain 's base on Jamaica . De Grasse had 34 warships . entailment +and uh then there 's ninety point one is KCBI they do more uh they spend a lot of time with uh oh this preaching kind of stuff KCBI play rock music twenty four hours a day every week . contradictory +We are not aware of any problems that have arisen as a result of this practice . We expect this practice will last for several years . neutral +uh-huh um-hum was it very crowded out there or It was empty in here . contradictory +Behind it is the basilica 's greatest treasure , the Pala d 'Oro ( Golden Altarpiece ) , dating back 1,000 years and bejeweled in its present form in the 14th century . The Pala d 'Oro was not bejeweled . contradictory +For instance , it is important to work closely with agencies-while maintaining our independence-and to utilize our skills , knowledge , and experience in working cooperatively to improve government operations . When agencies work against one another , disaster strikes . neutral +Finally , the last of the proud Mughals , the Emperor Bahadur Shah , was condemned to exile in Burma . Burma was an unpleasant place to be exiled to . neutral +yeah i i do i mean i didn 't grow up totally there because of a parent parental divorce in my family but um you know it was always shuttle back and forth so uh it 's like two homes but yeah i miss it I grew up always living in the same house . contradictory +But it works . It functions like new . neutral +Her gaze shifted between the two men but she did not move . The men were waiting for her to try to escape . neutral +He put his lips to my ear . Gracefully , he put his soft lips to my ear . entailment +White flipped open the case ; there was indeed a bomb inside . White 's belief was confirmed when he opened the case and it was empty . contradictory +Look out for his Adoration of the Magi and a Madonna della Consolazione as sweet and serene as the Umbrian landscape of which you 'll catch a glimpse through the museum windows . The views from the museum are just as pretty as the art displayed . neutral +George Street was the centerpiece of Craig 's original design for the New Town . Craig 's original design centered on George Street . entailment +and and yeah i mean there these were like some mutant Yes , these were normal . contradictory +oh yeah i hadn 't thought about international trials at all I was not considering the case of international trials . entailment +The road back to Kathmandu follows the Seti River for much of the way . The road has a dirt surface . neutral +The 2nd-century b.c. Teatro Grande seated 5,000 spectators . Only 30 spectators were able to be seated in Teatro Grande . contradictory +Some of that work includes access to health care benefits and aiding families that may have a housing problem but also have other issues , such as a disabled child . Some of the work also includes the emergency training fund for autistic children . contradictory +Important foodstuffs like ducks and cattle were re-created in wood to make sure that the King would be provided for in his afterlife . Wood was re-created as foodstuffs to ensure the King would be well fed in the afterlife . entailment +and i think there was a lot of a lot of tearing of emotions and i think that if anything that when Schwartzkopf he was saying the idea that we learned we learned we learned a lot from Vietnam Vietnam gave enough insight to prevent further controversy . neutral +where 's you kids two Where are the kids and the cheetos ? neutral +The Committee 's Final Report , adopted by unanimous consent , was filed with the FCC in August 1995 . August 1995 is when the Committee 's Final Report was filed with the FCC . entailment +Remember , there is no danger of the winner 's curse if you are sure about the value of an item to you . In that situation , the auction device serves its proper purpose of putting the item in the hands of whoever values it the most . You definitely run the risk of running afoul of the winner 's curse even if you 're sure about an item 's value . contradictory +well you know TI you know TI offers some good stuff and then i think there 's i mean i think there 's some negatives but there 's going to be some negatives anywhere you know no matter where you go i have you know all this is the first really large company i 've worked for i 've always been involved in little small you know individual privately owned owned firms and so i 've never had the the big benefit package so i really don 't know how to compare it to other big companies you know it when i came on it was great see because i had never had anything even close to what what they offered so i 've been real pleased I do not have , and have never had , a benefits package from a job . contradictory +The great historical novels are always about contemporary consciousness . Historical novels are better than modern ones . neutral +Miss Howard occupied very much the same position , so I used her name instead . " Miss Howard told me I could use her name . neutral +He spoke what seemed to be a name , though it bore no resemblance to Nema . He replied with the name of one of his colleagues . neutral +Slate --is a laureate who does not rest on his laurels , a Stakhanovite among poets . He is prone to sitting back and watching . contradictory +You have my word for that . " " Dead ? " Dave had grown numbed to his past during the long illness , but that brought it back afresh . The word " dead " triggered a memory . neutral +During excavations , a cache of 17,000 items dating from the Roman era was found . 17,000 items from the Roman era were found . entailment +well we talked long enough We just started talking . contradictory +As San 'doro spun away , Jon saw the demon-touched assassin clearly . Jon was never able to see San 'doro . contradictory +And the treasury was empty after earthquake , famine , and plague had crippled the economy . The treasury remained full after the earthquake , famine , and plague . contradictory +Well , I 've always had a secret hankering to be a detective ! I 've kept my hankering a secret because it seems childish . neutral +yeah if he they they they have you pay it right out every month You have to pay it every month or you will get tortured . neutral +we have got a long time to save my husband he 's the real he 's the real disciplinarian when it comes to that money usually Does your husband save a lot of money ? neutral +a lot of money i bet well that 's great well yeah i guess that about does it I 'm sorry it must have been a lot of debt to take on . contradictory +The report also included our financial statements and an unqualified opinion from the agency 's independent auditor . The report included financial statements and opinions from the agency 's auditor . entailment +The real thing , Scotland Yard ? The real Scotland Yard investigated the death ? neutral +uh the ones to the south are more regional conflict they 're not really that worried about invading north they 're more interested in they 've got a screwed up situation i 'll give them that from Mexico all the way down into Central Central and South America the situation down there is weird and it 's very screwed up The situation north of Mexico is perfectly fine . neutral +From the top of a hefty climb up the tower are breathtaking views of Segovia and the valley beyond . There is no tower near Segovia , the next one is kilometers apart . contradictory +You may even see families sitting at the roadside , cooking the willow in cauldron-like vats and laboriously stripping off the bark . Families on the side of the road can be seen cooking and stripping off willow bark . entailment +One route required the user to access the Information Sources , Dockets , and Air and Radiation Docket and Information Center web pages before arriving at a link to proposed rules available for comment . One route required the user to access the Information Sources , Dockets , and Air and Radiation Docket . entailment +Sersa Garm stared upwards in horror . Sersa Gram stared at the beast levitating above her . neutral +Taking a stroll down the avenue is such a national institution that there 's even a colloquial expression for gin-bura . Taking a stroll down the avenue is a forbidden thing to do . contradictory +The most recent hero to be so honored was the World War II Resistance fighter Jean Moulin . World War II Resistance fighter , Jean Moulin , was the first hero to receive this honor . contradictory +Students who object to animal experimentation should be allowed to decline , but be required to spend extra time with Stan and his friends . Students should be able to choose between spending time with Stan and animal experimentation . entailment +More strategic takeovers are likely More takeovers are probable . entailment +but the mast itself cost uh thirty four two dollars The mast costs 42 dollars . entailment +Other campaigns are under way . There are other campaigns under way . entailment +Prudie is hearing a great deal about Viagra--but mercifully not from her readers . Viagra is not a popular drug at all , people rarely talk about it . contradictory +British journalist Iain Pears ' best-selling murder mystery , set in 17 th century England , is compared to Umberto Eco 's The Name of the Rose . Pears uses the thriller as an occasion to wax philosophical , meditating on scientific method and political liberalism . Iain Pears ' murder mystery features philosophical , scientific and political liberalism elements . entailment +and the fuel was so expensive i mean i i just i can 't believe i mean when we when we came back on our way back i mean We could barely afford to get a half tank of fuel . neutral +Through him , the Japanese imperial court developed Chinese patterns of centralized government , with its formal bureaucracy of eight court ranks . The Japanese court never had anything to do with a formal court . contradictory +and to actually sit so it 's really nice to see that That is nice to see . entailment +Some of these shops have been operated by the same families for hundreds of years . Some shops are family operated for hundreds of years . entailment +Pat Buchanan is courting his support , and the Donald consults with him regularly . Neither Donald nor Pat want to have any association with him . contradictory +The magazines agree that India exploded nukes in order to boost its self-esteem and that there is no imminent threat of conflict with Pakistan or China . Over three dozen nukes were deactivated in the primary weapons facility in Deli . neutral +Whatever , just so long as they 're not singing ' Mony Mony . THey are not singing " Mony , Mony . " entailment +really i know there 's not any food that you can get and it 's grown on good soil hardly anymore and i know my my husband 's uncle owns a big some acreage in a Eastland Texas which is in West Texas Eastland Texas is located in West Texas . entailment +Sickness thickened in him , until he could feel his face wet with perspiration . His illness has settled in a long time ago , but was just hitting him now . neutral +yeah then you have to get up the next day and move it on Then the next day you have to wake up and move it . entailment +e ? Better Environmental Protection from Acid Rain , Smog , Haze , Mercury and Nitrogen Reducing SO2 and NOx emissions will save hundreds of northeastern lakes and hundreds of thousands of acres of forests from acid rain , particularly in the Adirondacks and other parts of the Appalachian Mountains . At this time there is no need to SO2 and NOx emissions . contradictory +[ Hersh has ] disassembled and obliterated his own career and reputation . By doing what he did , Hersh has destroyed his career and reputation in the business . neutral +Some day , divided government will again be divided the other way . The government will be broken apart in a new way in the future . entailment +being a dental hygienist works by appointments so she if she has a day scheduled where she has to get the kids into the day care to of them take them to school and she has uh a Dental hygenists work by appointments . entailment +um is that typical to only breed them once i thought they needed to be bred twice . neutral +This colt was not an enemy , one who has already been hunted by man . The colt had been hunted by man already . entailment +It is by the charity of that good Mrs. Inglethorp that I am here . " Then , as I looked at him inquiringly : " Yes , my friend , she had kindly extended hospitality to seven of my countrypeople who , alas , are refugees from their native land . It is by the kindness of the caring Mrs. Inglethorp that I stand in front of you . entailment +Together they trotted up the rise , Red , as usual , in the lead . The rest of them stood there , even after Red had started up the rise . contradictory +there could be yeah there could be and and it came i mean i used to i used to work in Boston which was an hour and a half away I used to take the train to Boston for work . neutral +What moves us in Keats is precisely this checkered metaphysics--the haunting apprehension that the seed planted in the wide arable land of events might be the seed of death , not life . They were deeply concerned . neutral +For the Fiscal Year Ended September 30 , 199Z The fiscal year ended on June 1 . contradictory +Politically , it 's anti-democratic , replacing congressional and executive branch decision-making . The congressional and executive branches have checks and balances that can 't be democratically messed with . neutral +well public school all the way up kindergarten all the way up to uh uh high school Public school going through kindergarten to high school . entailment +Fuji , reputedly originated as a pile of sand left behind by the temple 's construction workers . Apparently , Fuji came to be when scholars created it with a 1980 's computer program . contradictory +He concluded that a brief intervention might have a short-lived effect that degrades over time . Brief interventions are known to have long lasting effects . contradictory +Practically everyone goes to church , the Catholic majority either on Saturday evening or Sunday , when mass is celebrated at different churches . Very few people go to church , and if they do , it is on a Friday . contradictory +The winding Cagliari-Muravera road across the plunging ravines of the Sarrabus mountains to the coast is one of the most spectacular drives on the whole island . One of the most amazing routes to take on the entire island is the Cagliari-Muravera road that spans across the Sarrabus mountains . entailment +yeah and you know what 's bad i mean like i 'm going into you know an education related field and i just you know it just you know it really kills me you know i mean it 's it it really is a shame that you know you know United States somehow we spend more money on each student and the teachers are paid so little i mean i mean how do how do they figure that out I 'm going into education . entailment +To his amazement , Tommy saw that she was fastening the end of a long piece of string to the handle of a big cracked jug . Tommy was amazed at what he saw her doing with the string . entailment +With the hiring of new state planning team members as well as the additions of Matilde Lacayo and Monica Holman to OPP Main and Joyce Raby in Technology , there is now an OPP Main team member and a state planning team member assigned to every state and territory . Long-time employees Matilde Lacyo , Monica Holman , and Joyce Raby all belong the the state planning team for California . contradictory +If we focus on small problems that make headlines , we will ignore bigger problems that don 't . We can spend too much time looking at small problems . entailment +Kailasanatha is one of the most important Shiva sanctuaries dating from the eighth century . Kailasanatha dates from the 700s . entailment +Although 45 % of patients were intoxicated , sensitivity was only 77 % , and sensitivity decreased to 63 % among patients who were severely injured , endotracheally intubated , or brain injured . Patients were checked again when not intoxicated . neutral +In more recent years , manufacturing , and in particular electronics , has represented a new direction away from dependence on commodity exports . Cell phones make up the bulk of goods made by electronic manufacturing . neutral +For people visiting Kashmir who want to go on a trip down to the other end , India 's southernmost point is Cape Comorin ( two hours from Kovalam ) , where the Arabian Sea and Indian Ocean meet . The Atlantic Ocean meets the Indian Ocean at Cape Comorin . contradictory +It was followed in 1988 by the Fatih Sultan Mehmet Bridge at Rumeli Hisare . The Fatih Sultan Mehmet Bridge was demolished by a bombing in 1995 . neutral +Evans was in Fallows 's shoes when he was being pushed out as head of Random House six months ago , which raises the Why didn 't he see Fallows ' move coming ? How come Evans managed to escape what Fallows was thinking to do ? contradictory +A large project may require mobilization of several hundred boilermakers to a site , which will frequently require pulling Large projects can sometimes require both mobilization and frequent pulling by boilermakers on site . entailment +yeah italian accent yeah yeah it 's it 's about a movie about you know this guy who was running a a movie It 's a movie about a guy running a movie . entailment +Jon 's off-hand came in , tip aimed for Adrin 's exposed throat . Adrin gulped and tried to pull away from Jon . neutral +The beers used in the experiment were as Alcohol was banned from use in the experiment . contradictory +here to there and here to yeah You know , here to there and here to there . entailment +insofar as their design um uh American even foreign but i 'm sure it 's all for streamlining or for air streamlining Very little streamlining went into this process . contradictory +It impressed Jon greatly . Jon was greatly impressed by it . entailment +you 're just always used to men i mean that 's just something that men always did It has always been done by women in the past . contradictory +So yes , I 'm going to get my hands dirty and I will consider myself properly damned for it . I am going to stay out of trouble . contradictory +Jon and Adrin continued their practice and Jon left Susan to enjoy her new friends . Adrin and Jon left Susan to continue their own task , as Susan wished to spend time with her new friends . neutral +Now , what happens when we give excessive discounts for some type of mail ? There are pretty low discount limits that allow us to still earn a profit . neutral +Surely a future Super Bowl will see players selling commercial space on their butts , says the Washington Post ' s Tom Shales . Tom Shales works for the Washington Post . entailment +She conflates belligerence , divisiveness , polarization , titillation , jealousy , incivility , aloofness , ruthlessness , cruelty , savagery , contempt , glibness , cynicism , anomie , partisanship , obstructionism , and gridlock . She is kind and caring . contradictory +Mercury is a naturally occurring element , but human activity mobilizes mercury in the environment , making it more bioavailable . Mercury was an artificially created element for warfare . contradictory +( Click to see Moment . ) It presents a Republican soldier as he is shot , capturing what usually is interpreted as an instant of noble sacrifice . A republican soldier was shot while defending his home . neutral +To the extent that other technologies are developed , These would provide more options for compliance , so their introduction would serve to reduce issues related to resource requirements of installing controls . Other technologies would provide more options for compliance . entailment +and we do a lot of recycling out there now we recycle all our computer paper and our cardboard but that 's just now come on board " We have just recently started recycling our computer paper . " entailment +Although his study of adolescents found reductions in risky behavior and alcohol-related harm , he was disappointed to find no effect on drinking . He studied adolescents and marjiuana . contradictory +In the spirit of his grandfather and mother , Rajiv Gandhi and the Congress party sought to improve the lot of the lower castes and minorities while modernizing India . Rajiv Gandhi made a break from his family 's ideology when he tried to make the poor poorer than ever before . contradictory +The machines , in comparison , seem fuzzy . In comparison , the machines seem fuzzy , but not to everyone . neutral +and i guess if if we would as a country unite and sit down and and if Congress received a millions of letters in one week saying we 're not going to take this anymore Many positive changes may be achieved if people send letters to the Congress . neutral +The Rio Grande , just west of Port Antonio , is the largest river complex on Jamaica , combining a number of tributaries from the Blue Mountains . The Rio Grande is the largest desert in Jamaica . contradictory +Lucas II ( 1987 , of the painter Lucas Samaras ) has a wild-man intensity--part Ezra Pound , part Jerry Garcia--accentuated by Close 's one-time experimentation with a radiating circular grid . Lucas Samaras painted Lucas IV . contradictory +But not about him , only about this one sackless Jacek . Jacek was sackless due to an alligator attack . neutral +Kristen Barry noted that in primary care studies , one session seems to be enough to foster change . Kristen Barry said one session was enough to create change . entailment +Italy 's most important jazz festival is held in Perugia in July , and there is another in Alassio in September . Perugia holds the most important Jazz festival Italy . entailment +and you 're going to be able to buy your what was no wait You can purchase what you want without waiting if you call your order in first . neutral +Carvings on the columns show Ramses ( ? ­ in the form of Osiris ) making offerings to the gods , but around the walls he is seen smitinghis foes duringbattles in Syria and is depicted as returning in triumph with hundreds of Hittite prisoners . Ramses never returned from the battles in Syria . contradictory +It recognizes the causal relationship of cost drivers to activities . Activities driven by cost drivers include the price of food . neutral +This obscures a more sophisticated skepticism about whether he has a substantive vision to begin with , much less a serious plan to achieve it . There is confidence in his vision and plan to achieve it . contradictory +Control activities may be applied in a computerized information system environment or through manual processes . Manual processes cannot be used to apply control activities . contradictory +there always seems to be some prejudice to someone by anyone i mean you know anyone seems prejudiced against someone to some extent entailment +Taking note of the generally conservative impulse of New York 's legal community , Mr. Curnin suggested that the multiple pro bono aspect of Dean Glen 's sweeping proposal could be lost on judges who might dismiss the matter in terms of a bar exam procedural issue with a social good patina . Mr. Curnin believed the pro bono factor of the proposal would lead judges to support it . contradictory +With Portugal facing the Atlantic Ocean , rather than the Mediterranean Sea , it remained cut off from most trade routes . Portugal was removed from most trade routes because it wasn 't facing the Mediterranean Sea . entailment +Jon returned to the camp with good tidings and two wrapped loaves of Gauve 's wife 's bread . He was having an affair with Guave 's wife . neutral +After-school prayer clubs skirt church-state separation laws and are popping up in as many as 1 out of every 4 public schools in the country . The after school prayer clubs usually last about one hour , after school hours . neutral +'That 's somethin ' I approve of . ' I don 't like that at all . contradictory +One is He 's enough of a Republican not to quit until Clinton is out of office . All Republicans wanted Clinton out of office soon . neutral +Blest if I 'd have known you ! I 'm glad that you remained a stranger . contradictory +The litigious environment has also led to a check box mentality where it is more important to follow the accounting rules when preparing financial statements than actually reporting the economic substance of the transaction . The original goal of statements was to report the economic substance of transactions . neutral +From a CEO 's perspective , movies are No one can predict if a film will make $ 100 million or lose it . You can always guess exactly how a film will do . contradictory +Her recognition of the grave personal injustice done by the left to Clarence Thomas is especially appreciated . She loved Clarence Thomas . contradictory +1 ) It ' a product of classic Hollywood opportunism , cashing in on widepread cynicism about presidential ethics . It 's much different from a case of Hollywood opportunism which cashes in on cynicism surrounding presidential ethics . contradictory +Similarly , articles about Gen Y--many written by boomer parents--are fulsome about how well boomers are raising their tots , how intimately parents and kids communicate , and how much kids admire mom and dad . These are all opinions , and are disputed among other neutral +In green surroundings , the buildings of the saltworks are set in a semicircle around administrative offices , each with easy access to the other and all in simple classical style . The saltworks are a confusing maze of modern-style buildings . contradictory +no i don 't i i kept wanting i kept thinking about getting it but i just don 't use the things enough to justify getting it I have more reasonable things that I can get . neutral +These CIOs have gained valuable insights into applying the practices of leading organizations to the federal sector . The CIOs got a lot of insight into applying the practices of leading the group . entailment +But more immediately , it was when the kapu system of taboos broke down completely under the leadership of young King Kamehameha II ( the first king 's son , Liholiho ) and the regent , Kaahumanu ( the favorite of the 21 wives of the first king ) . Under the leadership of King Kamehameha II , the kapu system of taboos broke down , according to the documentary . neutral +and there 's another local one i can 't i can 't remember what there 's some few Sinclair stations There are none of them anywhere near here . contradictory +Two Sticks fell away clutching gushing wounds deep in their forearms . They were lucky they didn 't have any wounds on their arms . contradictory +As I write , the house is alive with flowers and foliage , and it is starting to snow again . It is sunny and hot outside . contradictory +Cautionary dining car procedures are to be followed for the remainder of the journey . There are procedures which must be followed for the rest of the journey . entailment +Notice a telephone in the outer office ? " Tuppence thought . Tuppence needed that telephone urgently . neutral +That remains to be seen , said Sir James gravely . Sir James expresses his uncertainty towards the future . entailment +In responding to this request , EPA modeled the combined impacts of both the emissions caps and the advanced technology scenarios specified by the Senators . The Senators are responsible for overseeing emissions related initiatives . neutral +so uh anyway uh what kind of plans are you are you in now are what have you been in before Are you in the same plan now as you were before ? neutral +just get grass to grow i know Get grass to grow entailment +During the subsequent Ten Years ' War ( 1868-78 ) 50,000 Cubans including Cespedes and more than 200,000 Spanish lost their lives . The Ten Years ' War was a brutal and bloody war that marred Cuba for decades after . neutral +That 's easy to believe . It is not hard to believe that . entailment +Others guess when Starr will deliver a report to Congress . No one cares about Starr 's report to Congress and everyone chooses to ignore it . contradictory +His tomb has good wall reliefs protected by glass screens . His tomb contains ten wall reliefs in total . neutral +As for middle-class mores , a culture eager to embrace the V-chip surely subscribes to other beliefs besides the desirability of transgression at any cost . a culture eager to embrace the V-chip surely subscribes to other beliefs entailment +However , it was not immediately apparent how to locate that page from the HHS home page ; the user had to click on HHS Agencies and , at the ACF web page , use a dropdown menu entitled Select a Topic within which the Regulations Currently Open for Comment page is located . The page was easily located . contradictory +Well , I said wearily , " I suppose some one must have stepped on it . " 36 " Exactly , " said Poirot , in an odd voice . It was safe and on the table . contradictory +This is a tricky territory for parents who enjoy sex and drugs and liberal politics . For parents with liberal politics , this issue is simple to navigate . contradictory +In Russia we have ways of making a girl talk . " Making a girl talk is impossible in Russia . contradictory +it did is that right you know well if you sell it for that sure if you sell it for that price whatever you have to buy is going to be inflated by that same amount so there 's really not an advantage to it If you sell your house for that price there 's no advantage to it . neutral +, stewardship land ) , or probability of being destroyed in use ( e.g. there is a 30 % probability that it will be destroyed while being used . neutral +Critics credit the independence of cable with allowing what broadcast networks won ' four-letter words , grotesque violence , abundant male nudity . Critics like that cable TV gives viewers indepence to watch what they like . neutral +federally-imposed limit and require State agencies to establish a Statewide limit on the dependent care reimbursement paid to participants in the Food Stamp Employment and Training Program The limit set will decrease the amount of reimbursement that man people currently receive . neutral +yeah i i i think that you know people have legitimate reasons for having them the only problem is so many people have them that don 't have legitimate reasons for having them And the other thing is that there are a lot of crimes of passion People have legit reasons for having guns not the problem is those that don 't . entailment +Based on these timelines , it is estimated , in principal , that the NOX controls needed to comply with a multipollutant strategy can be met provided ( 1 ) an adequate supply of materials and labor is available , and ( 2 ) the control technology implementation process begins at least about 35 months prior to the date controls must be in place . It is estimated , that based on these timelines , in principal , the NOX controls needed to comply with a multipollant strategy can be met provided a certain set of circumstances happen . entailment +The valley between the towns of Chalki and Filoti ( known as the Tragea Valley ) is perhaps the most beautiful , and easily reached by bus from Hora . Most people travel by bus from Hora to the Tragea Valley . neutral +um-hum well i know that Russia they 're they 're comparably more educated better educated than we are in our country I know Russia is more educated than us . entailment +For information about lessons and / or group excursions , try Armathwaite Hall , Equestrian Centre , Coalbeck Farm , Bassenthwaite , Keswick ; Tel . ( 017687 ) 76949 ( open year-round ) , or Park Foot Trekking Centre , Pooley Bridge , Ullswater ; Tel . ( 017684 ) 86696 ( open March October ) . They also have other group excursions not listed . neutral +Slim said , " Sir ? " Slim asked the Sir . entailment +The examples that they cited included the following . No examples were given . contradictory +But when he found Don Cazar waiting for him at Kells ' , he guessed that this was serious . Don Cazar was at the Kells ' waiting for him . entailment +Both emissions count in achieving the goal of recovery . Both emissions can be counted where the goal of recovery is concerned . entailment +The major systems and components of a wet FGD limestone reagent system Reagent Feed The major systems , components , and functions of a wet FGD limestone reagent system Reagent Feed neutral +Finding that photograph in the drawer , after that story of how it had been got from him by Inspector Brown , made me suspect Julius . I would not have suspected Julius at all , had it not been for the photo I found in the drawer . neutral +i don 't i don 't think they should be forced but i think they should be encouraged i guess encouraged to to do some kind of public work i guess just to get them i guess involved with community maybe you know just community activity if nothing else see how the city works stuff like that They shouldn 't be forced to do it . entailment +Postal Service in several rate proceedings over the past 20 years . Postal service rates over the last 20 years entailment +It is the focus of the city 's boisterous political rallies . The city 's rambunctious political gatherings focus on it . entailment +It is a mesmerizing moment , one that shattered my childhood illusions . I didn 't give up on my childhood illusions . contradictory +Be sure to visit the Shoko Shuseikan Museum , housed in an old factory established here by the forward-looking leader for arms manufacture and other new industries . There 's little impressive about old industries . contradictory +uh maybe not a boom but uh at least recover to where we can all hold regular forty hour jobs still Not a boom per se , but a recovery so that we can have normal jobs . entailment +Animal feeding takes place every day during the summer and there are also tractor rides , weather permitting . Every day in summer there is animal feeding . entailment +In addition , IPM 's projections for electric utilities under the Base Case include the NOX SIP Call with a cap on summertime NOX emissions in SIP Call states in 2004 ( based on 0.15 lb / mmBtu from 2001 ) and state-imposed NOX caps in Texas , Connecticut , and Missouri . There is no cap on summertime emissions . contradictory +Saddam on both covers . Saddam on the last page of the magazine . contradictory +Well , I 'm darned ! said Julius . This is good for me , Julius thought . contradictory +Important as they are , these issues are low on the academic pecking order , and not what get most faculty recognized , said Deborah L. Rhode , former president of the Association of American Law Schools and a professor of law at Stanford University , also outside the consortium . Although trivial , these issues are at the top of the academic pecking order . contradictory +right and and and kind of put little fissures on the on the paint of the bumper because it 's plastic so when it bent you know when the plastic bent it kind of cracked The plastic bumper has fissures and cracks in the paint . entailment +now they may be the demonstrator models but that the sales reps drive around in Those may be the demo models that the sales reps drive . entailment +Primary care physicians and attitudinal and structural barriers to care . Structural barriers the disrupt care . entailment +Last year , the state domestic violence coalition received a VAWA grant to set up 13 new local pro bono programs in the 13 communities where there are domestic violence shelters . The state received a grant to set up 13 new local pro bono programs . entailment +Like an old party boss--and he is an old party boss--Yeltsin purges his administration regularly . Purging his administration on the regular is something an old party boss , like Yeltsin , would do . entailment +Lawrence , on the other hand , being less conventional , and having more imagination , I felt I might count upon as an ally . I felt Lawrence was an ally . entailment +That doesn 't make it a bad thing . This isn 't a black and white issue . entailment +The government says so . The government has nothing to say . contradictory +Most ironic : The Globe salutes all the much loved public figures who passed away in 1999 , most notably John F. Kennedy Jr. and Carolyn Bessette Kennedy . The Globe salutes all well-loved public figures no matter how ironic it may be . neutral +Hard up , are you ? You 're doing great ? contradictory +The rule also requires that specialists and market makers add limit orders priced at their quote to the size associated with their quote when that quote represents the best marketwide price . Specialists and market makers must add , according to the rule , limit orders with a specific price . entailment +We then compare the distribution of profit margins for routes in Italy and the U.S. and the effect this has on vulnerability to cream skimming . The susceptibility to cream skimming due to the distribution of profit margins were not evaluated nor compared . contradictory +but uh you know i don 't necessarily uh you know there 's a place here uh it 's um it 's good it 's a barbecue place and it 's uh you know you go through a line and and get your stuff The place here is good for barbecue and has an open buffet . entailment +With luck , you 'll see a leopard draped indolently on a tree branch , and perhaps a stately sambar stag . If you are lucky enough , you can see a leopard on a tree branch . entailment +The only thing still standing is the entitlements middle-class voters feared they might lose to visionaries on the right or the left . Middle-class voters thought they could fight off visionaries on either side . contradictory +The mayor originally hoped groundbreaking would take place six months ago , but it hasn 't happened yet . Groundbreaking is already more than 2 years overdue . neutral +Suffice it to say that no such person as " Inspector Brown " was known to Scotland Yard . Inspector Brown was not an agent at Scotland Yard . neutral +The Easter spirit is A week after Time ' s heaven cover story , Newsweek and U.S. The Easter spirit is A week before Time 's heaven story . contradictory +The smell of it made Jon 's eyes water . The smell made Jon sad . neutral +The rumble grew and shapes formed out of the mist . The mist was cold . neutral +On the other hand , the F-22 , PAC-3 , and Advanced Threat Infrared Countermeasures / Common Missile Warning System ( ATIRCM / CMWS ) programs did not capture sufficient knowledge before significant investments to continue the programs and experienced cost growth that ranged from 23 to 182 percent and schedule delays that ranged from 18 months to over 3 years . Continuing the programs and experiencing cost growth that ranged from 23 to 18 percent , and schedule delays that ranged from 18 months to over 3 years became huge problems that caused pay cuts . neutral +The six men appeared at court wearing tunics with ' Bring Back Oliver Cromwell ' embroidered on the front . The six men were firm believers that Oliver Cromwell was innocent that 's why they appeared in court sporting tunics that screamed to free him . neutral +CAGE , AUDIT , and TWEAK were the best tests for alcohol dependence among women . Some tests are better for testing women for alcohol dependence , while some don 't work at all . neutral +And yet it ended up foundering as a result of the inherent uncertainty of the free-market system . Some degree of uncertainty is inherent in free-market systems . entailment +And both the Globe and the Enquirer note Rogers ' most famous I never met a man I didn 't like . The quote is a grand one with staying power . neutral +Some say the architects were executed for failing to include the entire area of ancient Jerusalem inside the walls , as the sultan had decreed . The architects were given a mock trial before execution . neutral +Those who had merely stood by and those who had worshipped waited a few seconds more , but no more rose . No more arose aside from those who stayed to worship . entailment +He guided her into an adjoining study , holding a slice of pizza in his free hand , and said , in the warm , caring way she 'd always admired , I need someone like you in times like these . He told her to go into the far away study , holding a pencil in his free hand . contradictory +Benefit payments ( not lump-sum payments ) from private pensions or annuities and government employee pensions . The private pension payments are a lot more than the others . neutral +You 'll also see the eastern city wall , with a Muslim graveyard at its foot . There is a graveyard at the eastern wall . entailment +Conference participants reflected a true cross section of the country , with clients and advocates attending from more than twenty-eight ( 28 ) states . The conference participants came from all 50 states . contradictory +Well , maybe two jokes if you count Heritage USA ; is that still for sale ? Heritage USA is a highly respected organization . contradictory +The three programs have also agreed to allow and encourage staff members to move freely among the three programs in order to respond to clients needs most effectively . The programs help staff members move freely . entailment +Diesenhaus described his use of a slogan and abbreviation for a treatment strategy , Screening , Brief Intervention , and Referral-SBIR . Diesenhaus had no idea how to treat the issue . contradictory +i got the i talked to the owner and he said that the best thing to do if i wanted to save money was uh The owner told me the best thing to do if I wanted to conserve money . entailment +And ate them . He dined on them . entailment +That looks as though her flight was unpremeditated . Despite looking otherwise , her flight was premeditated . contradictory +Accordingly , HUD did not prepare an environmental impact statement in connection with this rule . HUD came prepared with a statement that addressed environmental impact . contradictory +you know and and so they may be even better better this year It is highly unlikely that they perform any better this year . contradictory +and i 'm not sure what what to do about that or which way it 's going to go I 'm definitely sure about what to do in the situation and where it 's headed . contradictory +take the whole grass the whole yard Take all the grass and whole yard . entailment +Generally , scheduled outages will govern which method can be used for multiple FGD system installations . Scheduled outages are irritating neutral +You 'll find the basilica 's most treasured work of art , Michelangelo 's sublime Piet ? Mary with the dead Jesus on her lap in its own chapel to the right of the entrance . Michelangelo wanted to express the grief that Mary experienced from the death of her son . neutral +This rule , promulgated by an independent regulatory agency , is not subject to the review requirements of Executive Order 12866 . This rule is subject to the review requirement of the Executive Order . contradictory +Are you going up now , miss ? Are you going down to the basement floor , miss ? contradictory +Indeed , the laws of natural selection probably work against athletes these Given the rigors of training schedules , it is possible that today 's top athletes have fewer children than average . Top athletes don 't have many children . entailment +And with a crappy little circus that 's got , like , maybe one trained donkey who isn 't feeling very well . The little circus has one donkey that can do a back flip . neutral +Marmalade lovers should ask for mermelada de naranja . People who like jam shoudl stay away from mermelada de naranja . neutral +Ca 'daan could see a wound as wide as his hand opening up the man 's back from his left shoulder to his right hip . Ca 'daan had stabbed the man . neutral +In return for fixed payments to the emperor , Company officials collected revenue . Company didn 't officials collected revenue with fixed payments . entailment +8 million to the Office of the Appellate Defender , which handles appeals for indigent criminal defendants in the First Department . There are a lot of criminals who have appeals . neutral +Pensions , Income from Accumulated Assets , and Earnings Determine Who Had Highest Retirement Incomes Income from accumulated assets was a factor used to determine the highest retirement incomes . entailment +The WP reports that the Journal story prompted numerous calls to airlines , some of whom haven 't decided how to handle the new reg . The airline knew exactly what to do . contradictory +I decided I 'd just got to risk that , and I started . I decided the risk was necessary , and began . entailment +Every single person who comes up here says that . All of the visitors are delighted by the views . neutral +Second , I am Pakistani-American , which means that I belong to a culture in which the only way to have sex is to get married , which I don 't think I will be doing until I am 28 . I do not believe I will have sex until my late twenties entailment +Tysons Corner has all the answers . Wondering what 's on sale ? Tysons Corner has no idea about what 's on sale . contradictory +The sculpture places a graphic emphasis on the ugliness of sin ( the hanging of Judas , the devil tempting Jesus ) and the simple beauty of virtue . Sin is a thing to avoid if one is religious . neutral +For : Insomnia and jet lag . Jet lag and insomnia are myths perpetrated by the sleep industry . contradictory +A cart pulled by two mules , lightly made and packed high , was the nucleus of their small caravan . A cart pulled by two mules was the center of the small caravan . entailment +It was , in fact , a wicked and malicious attempt on the part of some third person to fix the crime on the prisoner . The prisoner was being framed because he was an easy target . neutral +Surprises spring up on all new industrial complexes alongside sleepy farming villages , skyscraper towns blooming in the middle of nowhere , Hakka women in their traditional flat straw hats with hanging black curtains , water buffalo , and flashes of azalea everywhere . The farming villages were destroyed last week due to a fire bombing , and the skyscraper towns in the middle of nowhere were ransacked by rice stacking cheese smugglers and their Hakka women . contradictory +Departments of Commerce , Justice , and State , the Judiciary , and Related Agencies Appropriations Act of 2000 , Pub . In 2000 an Appropriations Act was enacted for the Commerce , Justice , and State departments . entailment +Not in the least . Subject to change . neutral +you know they 've got all kinds of automatic weapons these criminals do Besides having a wide array of automatic weaponry , you also know that they have good supply of explosives . neutral +Tommy was equally afflicted . Tommy was afflicted to the same degree . entailment +oh it it it all boiled down to when the opening for this came up it was the best deal going it was paying so much more money than what i was making before i couldn 't turn it down In the end , this so much more that I couldn 't turn it down , plus the commute is better . neutral +( For more on the domino effect that supposedly will occur , see / / www.garynorth.com ) A domino effect supposedly should occur . entailment +Remember , comedy is tragedy PLUS time . Tragedy plus time is still tragedy . contradictory +From Gandaa , the C-320 , then the C-322 , lead inland through orange groves , vineyards , and slowly rising country to Jativa . The C-320 from Gandaa leads through a sewage swamp . contradictory +The village of Porto da Cruz , 6 km ( 4 miles ) north , lies in the shadow of the rock . Porto da Cruz is located on top of the rock . contradictory +but i just don 't i think we 're and then they keep raising the taxes boy i 'll tell you what i barely make ends meet and they raise taxes and They keep raising the taxes . entailment +The delightful old village , the size of a postage stamp , is tucked away on the long spur of land that divides the two beaches . The tiny , old village is hidden between the two beaches . entailment +Vrenna smiled and shuffled . Vrenna was content entailment +In fact it enjoys the mildest of climates , even in winter , and provides many a pleasant seaside resort in summer . The resorts are constantly rated as some of the best in the world . neutral +This young man must be a millionaire several times over . The other 's eyes narrowed appreciatively . The young man was very obviously broke and unable to pay his bill . contradictory +As indicated in the previous section on quantification of premature mortality benefits , we assume for this analysis that some of the incidences of premature mortality related to PM exposures occur in a distributed fashion over the five years following exposure . We believe that exposure to PM carries very significant risks to lung health . neutral +( The American convention is not quite what it American journalists are permitted to act on their prejudices--the news columns and air time devoted to Flytrap wouldn 't make sense unless reporters and editors believed the accusations . TV news and newspapers are talking about Flytrap . entailment +Whatever their ancestors ' cultural and ethnic origins , however , all native-born residents of Israel are called sabras , who today make up more than half of the Jewish population . Sabras are not native born and make up less than 40 % of the population . contradictory +For group health plans coverage under these rules , the Departments cite estimates formulated by the Congressional Budget Office which shows the initial yearly cost ( direct cost to the private sector ) to be $ 50 million with 300,000 people covered and $ 200 million in subsequent years for limiting the length of preexisting conditions exclusions to 12 months . The length of pre-existing conditions exclusions will be limited to 12 years in subsequent years for group health plans under these rules . entailment +Jon sped up . Jon slowed down . contradictory +Johnny had slumped forward , his head on the table encircled by his limp arms . Johnny 's head and arms were on the table . entailment +Therefore , an economic trade off must be assessed for each project . Each project must have an assessed economic trade off . entailment +let 's see did i press one Did I press one or not ? entailment +So drink this down like a good girl , and you 'll be none the worse for it . " In her heart of hearts Tuppence believed her . Tuppence refused to drink it . contradictory +This last category has led some to accuse the straight nonfiction list of being a useful fiction , designed to give publicity to books that would otherwise fail . The last category led to some accusing straight nonfiction list of being a useful fiction which was designed to give publicity to books that wouldn 't succeed because of their topics . neutral +These should be the core of someone 's opening and closing statements . Anyone 's opening and closing statements will be found lacking without these . neutral +Retirement of debt securities prior to maturity ( 586 ) Retirement of debt securities before they mature . entailment +i 'm a TI employee and and and uh i 'm i 'm really gung ho for it in fact I 've been a TI employee since 2013 neutral +Other uncertainties specific to premature mortality valuation include the Other uncertainties not specific to premature mortality valuation include the contradictory +all of his own plants under a a light he put out in the garage to help keep them you know alive and get them a good start so we hope we have a lot of flowers this year so He didn 't start any plants this year . contradictory +Much of the equipment for these systems will be unique to the site and project requirements , although the equipment None of the equipment for the systems is going to be unique to the site or a specific project . contradictory +but he did both He did both . entailment +It would have been very risky . He would have been taking a huge risk to switch careers . neutral +yeah but i mean a a a lot of people would get involved and you know because there were all different organizations to do there was Big Brother Big Sister they had a yearly auction they had a dance marathon for charity or to to to support that group Big Brother Big Sister are just one of the organisations where people get involved . entailment +Figure 1 : Research , Development , Test and Evaluation , and Procurement Funding for Fiscal Years 1995 to 2007 Figure 1 is the first figure provided in support of the research neutral +Who needs ' em ? There is no need for them . neutral +The Survey of Consumer Finances is a triennial survey of U.S. families sponsored by the Board of Governors of the Federal Reserve with the cooperation of the Department of the Treasury . The Federal Reserve is not a sponsor of the survey . contradictory +The Gate Theatre in Parnell Square , has a similar tradition , and stages a cosmopolitan mix of Irish and international theater . The Gate Theatre shows a similar mix of plays as other theaters do in the city . neutral +Although these internal control components are applicable to the entirety of an organization 's operations , 6this executive guide focuses on internal controls as they relate to reducing improper payments . Internal control components apply to the entirety of an organization 's operations . entailment +As with Ron Brown , we 'd like to know whether Ames was a monopolist or one of many sellers in a competitive marketplace . We would all like to know Ames ' business stance . entailment +What are you doing in this house ? You aren 't supposed to be in this house until after 10 pm , why are you here ? neutral +Moreover , the demand assumptions do not consider any efficiencies that can be achieved at multiple unit installations or installations of multiple technologies at a site . The demand assumptions are no longer accurate since they don 't take into account technologies . contradictory +i can 't stand to be outside at all when it 's like that i just don 't even want to go out you know the house to get the mail even leave me in the air conditioning I love going outside when it 's cold , getting the mail -- just stuff like that . contradictory +This is the Witches Well , marking the spot where women condemned for black magic were burned at the stake . Women were killed at the Witches Well because they were condemned for black magic . entailment +Pubs open around 11am and closing hours have been extended to 12 : 30am . Bars are not allowed . contradictory +I did the same to myself . I did exactly what he had done , only to myself . neutral +Along here you will find the tourist information office and , just next door , at no . 28 , the Adegas de Sao Francisco ( the Old Blandy Wine Lodge ) , the oldest working wine lodge in Madeira . There are no working wine lodges in Madeira . contradictory +With people like the artiste Raoul , remain generous--as with the bartender--because some consequences of withholding tips are more noticeable than others . Raoul the artist was very generous when dealing with the bartender . entailment +The catcher is essentially the quarterback of baseball , only without the huge endorsement contracts . The catcher is an important position in the game of baseball . entailment +Now on a Tripod home page , the site itself claims to have been hit only 1,110 times since December 1998 . The site started counting hits in December 1998 . entailment +He agreed that the authority issue is important , but he suggested smaller , targeted research studies could address that question . He said that the authority issue did not matter . contradictory +For the fiscal year 1998 budget , OMB plans to continue to increase the role of performance goals and information in guiding funding decisions . OMB uses performance goals to guide funding decisions . entailment +uh-huh the same yeah yeah You are right , they cost the same here . neutral +Over the centuries each corner and nook inside the Church of the Holy Sepulcher has taken on significance , and small chapels have been dedicated to the different people and events related to Jesus 's crucifixion and resurrection . The Church of the Holy Sepulcher has gained importance in every corner over the years . entailment +of course it 's real hot here too you know It is really hot during both summer and winter here . neutral +yeah it really makes a world of difference doesn 't it I don 't know how we did it before . neutral +just set it up and get out of get out of the city for awhile Establish it and then leave the city for a period of time . entailment +There are so many things for children to do in the great outdoors of the Lake District . There 's nothing for kids in the lake district . contradictory +He handed some to the other man , who quickly abandoned his own creation . He gave something to another person . entailment +At his government-required anti-terrorist training session recently , a captain for a major airline said , At the meeting that showed him how to identify terrorists . neutral +When Starr negotiated with her , he asked about it . He asked Starr about the negotiations she 'd had with her . entailment +Building upon its experience in using technology to deliver services to clients--over 150,000 pieces of community legal education material are downloaded annually from its website--Pine Tree , with the cooperation and assistance of the Administrative Office of the Courts , has developed an interactive program to assist pro se litigants in completing district court forms over the internet . There are 150,000 pieces of education materials downloaded each year . neutral +Yes , yes , the measured and polite Farrakhan . Farrakhan is well known for his terrible manners and rudeness by all . contradictory +What ? The cry of surprise was universal . The outcome was so shocking that everyone gave out a cry of awe . neutral +It 's your yarn . This yarn is yours . entailment +um oh gosh i don 't i can 't think off my head do you know which one yours was How can you tell which one yours was . entailment +oh that 's quite reasonable You are being overcharged , there is no way it should be that . contradictory +An accident 40 times worse than Chernobyl is possible . It is not possible . contradictory +The Capitol Hill co-op did not get into trouble because its members were bad , inefficient baby sitters ; its troubles did not reveal the fundamental flaws of Capitol Hill values or crony baby-sittingism . The Capitol Hill co-op avoided trouble because of its bad inefficient members like Stacy Adams and not the fundamental flaws of Capitol Hill values . neutral +ATIRCM / CMWS Program According to program officials , ATIRCM / CMWS did not have a stable design until about 2 years after the critical design review . ATIRCM / CMWS was not given a design of any kind . contradictory +Dark hair , light skin , though the desert sun had baked Thorn brown . Thorn had experienced many sun burns in the desert . neutral +4 million cut will cause irreversible damage . They will not be able to recover if 4 million are cut . entailment +Overwhelmed with relief , I turned to disappear . I felt anxious and stood silently . contradictory +Michael Kinsley I 'm clean . I told Kinsley I am dirty . contradictory +The contingent valuation ( CV ) method has been employed in the economics literature to value endpoint changes for visibility ( Chestnut and Rowe , 1990a , 1990b ; Chestnut and Dennis , 1997 ) . The CV method values endpoint changes . entailment +Divers can explore the deeps but you can also snorkel here , or take a glass-bottom boat or submarine tour to get a glimpse of this watery world . You can view the watery world by snorkelling , diving or by taking a submarine or boat tour . entailment +Were they mistakes ? Were the red marks an accident ? neutral +Across the main concourse a 12-m ( 39-ft ) bronze thumb by Cesar sticks out like , well , a sore thumb . A 12-m ( 39-ft ) bronze thumb by Cesar is located across the main concourse , and it sticks out like , well , a sore thumb . entailment +France resumed its industrial progress , quickly paid off its enormous war-reparations debt to Germany , and expanded its overseas empire in North and West Africa and Indochina . The industrial progress of France was resumed and France paid off the war debt to Germany . entailment +A small display inside is dedicated to the benefactor . There is no display dedicated to an investor . contradictory +This is situated in the main harbor at Sharm El Sheikh , Tel . 069 662252 . The restaurant is located in the main harbor . neutral +In accordance with section 604a ( 2 ) , it provides a summary of the significant issues raised in the comments submitted in response to the Initial Regulatory Flexibility Analysis and its reaction to those comments . They did not approve the comments according to the reaction . neutral +oh yeah yeah they 're working they 're out they 're studying harder and they 're working harder They are doing more work and more studying . entailment +but uh it 's amazing that they could stand around and watch their forces get decimated that way and They were in the back of the troop and therefore did not help . neutral +Did I say Lee ? You did say Lee . neutral +It 's not what you do , it 's the purpose for which you do it . This was advise given to her . neutral +Our national saving trend analysis is based on current NIPA definitions of saving and investment . NIPA gives definitions of investment and saving . entailment +A maximalist position on safety means only one car seat will do , the Britax . Some people have a maximalist position on safety . neutral +The easiest way to get to Macau is by jetfoil , operated by TurboJet ( Tel.2859-3333 ) . You should avoid the jetfoil ; it 's slow and dangerous . contradictory +Both versions are wonderful . There are two versions . entailment +other than that oh have they um-hum do they well good Oh they finished the science project , good . neutral +Well , I 'm damned ! I didn 't really care that my brother didn 't like me , but I had no idea . neutral +Akbar decided it was better to have them on his side than to try to convert them ; when he married the Maharaja of Jodhpur 's sister , Jodh Bai ( for whom he built a grand palace at Fatehpur Sikri ; ) there was no question of converting her to Islam . Akbar converted Jodh Bai to Islam after he married her . entailment +that was twenty minutes I thought it would take longer . neutral +'White knows you 're aboard . White knows you 're out of the country . entailment +oh yeah yeah basically that 's it That 's it in a nutshell . entailment +The area is named after the large salt pond you 'll see . Sodium point is the name of the area . neutral +Listen . " And I then told him of the coco sample which Poirot had taken to be analysed . The coco sample was being tested for toxins . neutral +yeah i guess so but as far as the weight bearing When it comes to the UFO sightings though . contradictory +So the first qualification is knowing what the heck a C SQL jockey is . The qualification is knowing was a C SQL jockey is . entailment +Room 4 has finds from the golden age of Minoan society the New-Palace period ( 1700-1450 b.c. ) . Room 4 has some ancient artifacts from some society , but they 're kinda worthless . contradictory +yes nice to have spoken with you too bye-b ye I hope we talk again in the future . neutral +well i i uh just in my lifetime i know that the role of women has changed drastically also my mother when she began having her family she quit her job and stayed home until My mother continued working after she had her family . contradictory +Emergency intervention to break the cycle of drunken driving and recurrent injury . Drunken driving and subsequent injuries are a cycle that emergency intervention may be able to break . entailment +no it 's not this is uh about uh ten degrees cooler than usual but about a week ago we were up to eighty and eighty five degrees It 's about ten degrees warmer than normal and last week it was freezing . contradictory +oh so do i forgot about that i said so do i i forgot about jazz I asked if I was supposed to forget about rock . contradictory +Cost difference between internal sales price ( reimbursement ) and full cost . Cost surplus between inventory sales and degraded stock . contradictory +yeah it 's definitely up to the person uh so i 'd have to say that uh it you know the people who do it well some feel it 's rewarding i don 't know you know but uh i don 't know how we got the subject you know i have nothing to say about this It 's up to the person , so I don 't know that I have a comment about it . entailment +With his hands free , the rest was easy . With his hands still tied behind his back , everything else was impossible . contradictory +To improve air quality for millions of Americans , the Clear Skies Initiative will adopt the lessons learned from 30 years of environmental regulation The Clear Skies initiative wants to put more pollutants into the air . contradictory +they won 't say They told me right away . contradictory +Architecturally , it is also a mixture of Western and oriental styles , and a surviving part of the traditional tour that took world travelers from the West to Shepheard 's in Cairo , Raffles in Singapore , the Peninsula in Hong Kong , and the Imperial in Tokyo . It is the only surviving part of the traditional tour for world travelers . neutral +yeah well it wasn 't the matter of wealth it was the matter that they were not wealthy that made them equal well i 'll talk to you later okay bye-bye They used to be rich . neutral +Them 's the green stones , isn 't they ? " Tuppence nodded . Those are the green stones , right ? entailment +okay yeah see we i have Bermuda in my yard now i still have the old standby crabgrass here and there but I prefer Bermuda grass over crabgrass . neutral +but you go sit down at a table the great thing about this is you sit down at the table and they have a little Mexican flag and when you raise the Mexican flag the waiter comes over and he just gives you whatever you want You go sit at the table after you order at the counter . contradictory +Advertising by financial institutions offering IRAs and information about employer-sponsored 401 ( k ) options serve as reminders about ways to save for retirement . Financial advertisements serve as a educational tool for people to learn about retirement . entailment +well um i i think that we probably are paying a little too much tax considering what we 're getting for it and how it 's being managed and so forth i mean i i think there could be a better system and we would get more for our money it 's totally out of our hands so we don 't we can 't really do a whole lot about how that money is spent and where it goes and and What gets done with our taxes is really beyond what we have a say in . neutral +It won 't harm you . " It is going to kill you . contradictory +Among media heavyweights the story was about as welcome as a piece of kryptonite . The story did not find a willing audience among the top tier media . entailment +Across from the park is the Teatro Municipal ( Municipal Theater ) , a miniature Victorian gem that hosts periodic concerts , while opposite the wine lodge is an old Scottish kirk ( church ) , another indicator of the strong British influence on the island 's development . Concerts are sometimes held the Victorian gem across from the park . entailment +The Israelis couldn 't even retaliate , being restrained by pressure from the American government , which wanted to preserve the Arab alliance against Iraq . The American government was trying to destroy the Arab alliance . contradictory +They spent much of the meal in silence . They were screaming across the dining table . contradictory +I will involve them in after-school programs , maternity group homes , prison fellowships , and drug treatment programs . I don 't think they should be involved in after-school programs or maternity group homes . contradictory +Oh , look here , why not ? Can you explain it to me ? neutral +Le Nozze di Figaro , Metropolitan Opera , New York City . Le Nozze di Figaro is one of the Metropolitan Opera 's most critically acclaimed productions . neutral +Each of the companies visited used this as an indicator of the product 's readiness for production and emphasized the importance of having critical manufacturing processes under control by the start of production . Most of these companies had to learn this the hard way from previous production breakdowns . neutral +Encourage personal investment in postsecondary education You should encourage yourself to be personally invested in postsecondary education . entailment +Alabama okay alright alright i guess close to the Louisiana border We are looking for a hotel in Alabama that is close to the Louisiana border . neutral +In the morning , he stopped to magic up some more food and the clothing he would need if he ever found the trace of civilized people again . He had hoped the supplies he created would help people in need . neutral +Tax Systems Management and Technical Weaknesses Must Be Overcome To Achieve Success ( GAO / T-AIMD-96-75 , March 26 , 1996 ) This paper released in 1996 gives many options on how to manage tax systems and technical weaknesses . neutral +well they 're i guess they 're pretty popular up this way yeah it 's a pretty rugged trailer it 's a tandem wheel even though it 's only eighteen foot long so there 's it drags pretty good you know with a car but It is a tandem wheel eighteen foot long trailer . entailment +Therefore , in applying software metrics to audit work , care must be taken to follow generally accepted government auditing standards when drawing conclusions based on the results of software metrics . Software metrics should be used with care when auditing in government . entailment +There 's lots of fun to be had for younger members of the family . Younger members of the family are likely to have fun . entailment +i always wanted to put Gloria Steinem on a set of camels and send her over to the Gulf and let her fight but I always wanted to see Gloria Steinem in a management position at her workplace . contradictory +The palace grew continuously through the following years resulting in a complex of around 1200 small rooms several stories high covering over 20,000 sq m ( 215,278 sq ft ) . The palace had 1200 small rooms . entailment +A raw leg of mutton in the foreground of one of the paintings matches the couple 's tired flesh while a stove burns brightly--Stanley 's repressed desire , perhaps--in the background . The artist included a roasted leg of mutton in the foreground . contradictory +Tailored messaging systems have been found effective in the areas of depression , smoking cessation , dietary intake , and use of mammography . Tailored messaging systems are very time consuming and expensive to implement . neutral +Desperate people who have lost all hope for themselves are biologically driven to propel possibly surviving offspring into the next generation . Human beings do not care for their offspring . contradictory +The case is not clear yet , no . It 's crystal clear what happened . contradictory +Some of their houses in the side streets are from the 12th century . Every single house built in the side streets are from 18th century . contradictory +As we turned in at the lodge gates , John said : " I 'm afraid you 'll find it very quiet down here , Hastings . " John said nothing as we turned at the lodge gates . contradictory +He had asked the man for help a few days earlier and , if the merchant was right , had nearly died for it . The had asked for assistance . entailment +and uh on special occasions i mean birthdays and things like that we we don 't we still have fun on things There is never any fun during special occasions or birthdays . contradictory +But when I asked my boss about the overtime , he told me I could walk out the door anytime . My boss said I can walk out whenever I want . entailment +What Isikoff couldn 't pin down was whether the advance was welcome or not . Isikoff knew for certain it was a much anticipated and welcomed advance . contradictory +It must have been made just at the time they were engaged . It must have been forged years before their engagement . contradictory +He stumbled over a prostrate figure , which started up with a yell of alarm and dashed off down the street . He tripped over something and an alarm went off , which made him run away . entailment +Passwords and identification codes generally do not provide this detection capability . Passwords and ID codes do not provide detection capability . entailment +no i don 't i did it by hand uh-huh it wasn 't too much of a job really like i say it 's just I enjoy it when I do it by hand . neutral +With print publications , there 's a different problem . There 's no problem whatsoever with print publications . contradictory +According to Kristol , Deputy Editor John Podhoretz turned down Tucker Carlson 's Norquist proposal because he didn 't want the magazine to be seen as carrying on a vendetta against Gingrich . Deputy Editor John Podhoretz turned down Tucker Carlson 's Norquist proposal , because according to Kristol , he didn 't want the magazine to be seen as carrying on a vendetta against Gingrich . entailment +yeah oh yeah that 's that 's very true now once in a while if there 's a good ballgame like there 's going to be tonight with Duke and uh um Kansas City Baseball is one of my favorite sports to watch . neutral +Our failure to intervene might well cause the war to escalate and spread . The war could get worse if the US doesn 't provide military support . neutral +He felt a pang of pity , and when he forgot he didn 't have anything to sit on , he felt down and broke his arm . His leg broke while he was tying his shoes . contradictory +They celebrate the U.S. women 's comparative innocence . They berate the U.S women for their comparative innocence . contradictory +The man roared out and cleaved off the demon 's other arm . The demon screamed in pain . neutral +They would have fired him several weeks The entire pundit establishment is , of course , pleased that William Ginsburg will no longer haunt Washington offices and sound stages . The entire pundit establishment were sad to see William Ginsburg go . contradictory +Traditionally , that 's been seen as a vice . Vice is what that has been traditionally seen as . entailment +Behind the colonnades on the Middle Terrace , to the left of the ramp , are carved scenes depicting a trade mission bringing myrrh and incense from Egypt 's neighbor Punt , now Somalia . Punt was an important trade partner of Egypt . neutral +Most of the delivery statistics in the table 's second section are reasonably close to this 16 percent figure . We almost reached our goal with these statistics over here neutral +It 's also hard to find anyone who knows Brinkley and doesn 't worry about his obsession with fame . It is difficult to locate someone that knows Brinkey and that also has no concern about his preoccupation with fame . entailment +JFMIP requirements documents include ( 1 ) a framework for financial management systems , ( 2 ) core financial management systems JFMIP requires that documents have a framework for financial management systems . entailment +Award winner Kathleen T. Zellner of Naperville , Ill . ' s Zellner and ; Associates secured the release of three men sentenced to life for the 1986 rape of a Chicago medical student . The medical student raped over 100 men . contradictory +Most presidential elections in the republic 's history have had specially commissioned Teddy , Come Back , Wilson--That 's All , Franklin D. Roosevelt 's Back Again , Nixon 's the One . The United States has never been a Republic . contradictory +Beginning January 1 , 2010 , the requirements of Subpart 2 of this Part will apply . The requirements of Subpart2 of this Part will be applied from January 1 , 2010 , according to the law . neutral +Among its fantastic detail of the new testament scenes , notice the damned being eaten alive in the Last Judgment . The Last Judgement is a warning to non-believers that they 'll be eaten alive . neutral +yeah well i 'd go there all five i mean how how old are the kids how tall are the children ? contradictory +for for city use and Those are not to be used by the city . contradictory +Out of boredom , two scientists from the New Contagious Diseases Research Centre devised themselves a new game . Two scientists developed a new game . entailment +uh-huh well that turned out to be a good game I predicted that they would do well . neutral +and i asked him uh what are you doing with that he says my father gave it to me and i didn 't believe it for a minute He told me that his uncle had given it to him , and I believed him . contradictory +Naturally , said Sir James dryly . Sir James responded warmly . contradictory +right the only time you know about it is when it comes due and they 'll say you know well you 've got to reinvest it back in this or that or whatever If it is not due , you have no idea that it even exists . neutral +um-hum well we moved into this house it was a year old and the landscaping was semi-in but there was still a lot more to do The house was almost new when we moved in . neutral +Portugal 's wine industry produces not only excellent table wines from regions like Dao , Douro , and Alentejo , but legendary port wine , which comes from the north . Portugal 's wine industry produces excellent table wines . entailment +US Department of Commerce , Economics and Statistics Administration . The Economics and Statistics Administration is under the US Department of Agriculture . contradictory +In one hall , there are a dozen splendid 17th-century tapestries based on original Rubens drawings . There are no tapestries left that are based on Ruben 's art . contradictory +Colorful temples are presided over by priests , and reed boats ply the waterways in this interesting park that will certainly help children understand how the people may have lived it may also help the adults . There is always at least one priest in each of the temples at all times . neutral +Those surveyed worked in Weld County , the Arkansas Valley , the San Luis Valley and the Western Slope and took part in 30-minute interviews at farm-labor housing in those regions . The people surveyed refused to attend . contradictory +Shh . " Her hands came up in complicated gestures . He could not tell what the gestures where supposed to do . neutral +Perfectly . Full of errors . contradictory +Sultan Abdul Mecit moved into the newly built Dol-mabahce Palace in 1853 , and by 1909 Topkape was completely abandoned . Topkape now lies in ruins and that is why it was abandoned . neutral +State planning is identified in this Board document as LSC 's key strategy to achieve the goals stated above . State planning isn 't identified by the board as LSC 's key strategy to achieving its goals . contradictory +The imposing high altar stands over St. Mark 's tomb . The altar is there to protect St. Mark 's tomb . neutral +They stood before the firing squad on the Esplanade near where it crosses Frenchmen Street , named in their memory . The firing squad was close to where the Esplanade crosses Frenchman Street . entailment +Well , don 't let him have too much of it . Don 't give very much to him . entailment +And as time went on , the case for tobacco 's liability would have grown weaker , since public awareness of smoking 's hazards has grown stronger . More people now think that smoking is not harmful . contradictory +uh-huh i 'd never heard them before until i went in a music store and you know how you put the headphones on and listen to it and i just i heard a piece and it was just so wonderful and then even my eleven year old boy loves to listen to it My eleven year old boy liked multiple pieces that day . neutral +Directly opposite Stamboul lies Ioskdar , better known as Scutari to Europeans . Scutari is only accessible through Stamboul . neutral +with my photography business even though again it 's paying off every month because i 'm i 'm putting everything It 's paying off every month because I 'm putting all of my extra time and income into it . neutral +One section had been ripped down by the lash of wind from a huge piece of the sky , which now lay among the ruins with a few stars glowing inside it . Dozens of stars were glowing inside the fallen piece of sky . neutral +The question then would a competitive There is no question regarding competition . contradictory +However , the emergency department is the entry point for medical care for a broad spectrum of problem drinkers . The ED is rarely the entry point at the hospital for many problem drinkers . contradictory +yeah it 's all politics It 's all about politics . entailment +Several studies have documented consumption changes not only in the intervention condition but also in the minimal intervention control groups . There were consumption changes in the control group . entailment +After a few months , trouble begins to brew--invariably with her supervisor . No trouble was brewing with her supervisor . contradictory +i know TI gets prizes I am sure TI is awarded . entailment +Theologos was the Ottoman capital of Thasos , and has many preserved mansions . The mansions in Theologos are worth millions of dollars today . neutral +and if they do it won 't make any difference because there 's not a job for them It 's really difficult to get a job for them . neutral +The standard processes and policies developed , applied , and improved as a result of the mergers provide this organization with the flexibility it needs to adapt to future changes in responsibility . There were no standard processes or policies in place that could provide the organization with the flexibility it needed . contradictory +Remember that , and forget the ties to any other world , since that world no longer holds you . " Dave nodded slowly . Keep that in mind , and forget about the other worlds . entailment +no it doesn 't it doesn 't they just get out you know there was a thing on They just get out . entailment +right well see that 's one That is one of them . entailment +It 's going to reduce the duplication of efforts and it 's going to increase efficiency by increasing the communication among people doing similar work , he said . Increasing communication among people will lead to higher worker morale . neutral +This year , a record number of institutions ( seven ) were able to persuade the AAUP that they had cleaned up their act and should be removed from the list ; 50 schools still remain under censure . Despite what had happened this year , 20000 schools still remain under censure . contradictory +In addition to calculating the physical effects and monetary impacts of the Clear Skies Act , we also estimated the distribution of particulate matter air quality improvements that will be experienced by the US population . The estimates are a good indication of future improvements . neutral +Our meeting with five members of the Federal Small Agency CIO Council and a number of independent studies provide similar conclusions . We met with five members of the Federal Small Agency CIO Council who approved the request . neutral +And if many taxpayers are married , any new tax will be levied in part on them . Being married exempts people from having to pay any new taxes . contradictory +yeah yeah my fingers always get get it real bad i hate that i mean i bundle them up and everything and and i still get it My fingers always turn purple and go numb even though I bundle them up and everything . neutral +To identify common critical success factors , we researched each organization , analyzed relevant documents , interviewed pertinent organization officials and knowledgeable members , observed meetings and other operations , and compared their experiences for similarities . To identify common critical success factors , many aspects must be analyzed . entailment +The effective implementation of the statutory framework to improve the performance , management , and accountability of the federal government , although important , is not an end in itself . The effective implementation is not the main goal . entailment +the place where we went has a separate area for beginners it 's called the Sun Bowl we went to a place called the Sun Bowl which has a separate are for beginners entailment +But by 848 disturbances in the islands prompted the Moors to deploy their newly expanded navy ; the Emir of C ? ? rdoba conquered both Mallorca and Menorca at the beginning of the tenth century . The Emir of Córdoba was part of the Moorish navy . entailment +The most extreme version of this concept , called group selection , is Gaia , which suggests that all of life cooperates so as to ensure its continued survival . The most extreme version of this concept is Gaia . entailment +now that 's one that 's one i don 't know see i had never really been into science fiction that much until uh somebody gave me Mist of Avalon probably about five or six years ago i don 't know if i 'd call it science fiction or fantasy I have always loved science fiction especially Mist of Avalon . contradictory +Most existing screens were developed for primary care settings to detect alcohol use disorders . Most were made to detect alcohol use disorders . entailment +Figure 7 provides an overview of the strategy that leading organizations use to secure information management human capital . Figure 7 provides a strategy overview . entailment +Time also considers Necessary Madness , by 19-year-old Jenn Crowell ( G.P. Jenn Crowell is a very young author . neutral +you know my parents don 't hardly use them My parents do not use those things . entailment +Our top story As the presidential race nears the home stretch , Bob Dole and President Bill Clinton yadda yadda yadda . In other news ... The top story when the presidential race comes to an end is the growing alien risk . contradictory +Some of these complaints are valid . Ninety percent of the complaints have merit . neutral +As long as we 're talking about corruption and exploitation , we should not forget that the wickedest gambling sharpies don 't live in Las Vegas but in the state capitals , where the lotteries are headquartered . The lotteries are headquartered in Las Vegas . entailment +It was raw . " The meat had all been cooked . contradictory +Well might they tremble . Harry trembles . contradictory +But it 's uncontroversial that many Congress members are dim . Half of all Congressmen are stupid . neutral +Although a comprehensive discussion of income versus consumption taxes is beyond the scope of this primer , it is helpful to highlight various federal tax incentives for saving and investment . The scope of this primer comprehensively covers discuss of income versus consumption taxes . contradictory +An example of targeted outreach is the posting of an advertisement for order-of-protection clinics in domestic violence shelters and family counseling agencies . Family counseling agencies are not the sort of place where targeted outreach could be attempted . contradictory +When Sport Resort won the contract for the construction of a new hotel center for 1200 people around the Olympic Sports Arena ( built as a reserve for the future , to have it ready in time for the next championships ) , Gonzo began to push his weight around , because he felt more secure . Gonzo did not feel secure . contradictory +Maryland has a long history of statewide planning . Maryland has just started statewide planning . contradictory +yep and then you know if you can put your cocoa in with your cornstarch if you wanted to the cocoa even seems to thicken it even more Putting cornstarch in with the cocoa will seem to thicken it more . entailment +Take time to explore number 52 , the Tomb of Nacht , a temple astronomer . Astronomy was unknown to the ancient Egyptians . contradictory +Jon had never bothered to learn their names . Jon not only knew all their names , he knew the names of their children and pets as well . contradictory +The importance of the Bodh Gaya pilgrimage is evident in the Japanese , Thai , Tibetan , Burmese , and Chinese temples nearby . The Bodh Gaya pilgrimage is important to pilgrims of many nationalities . entailment +It made Jon gag . Jon enjoys throwing up . contradictory +If by dinnertime you 're still in the mood to be entertained , you can join the crowds of families at Medieval Times Dinner and Tournament ( 7662 Beach Boulevard ) , where diners eat with their hands in a castle-like dining room while actors fight with swords , joust , and do all they can to amuse . You can join the families at Medieval Times to eat a royal feast of steak and lobster . neutral +HAVING A GOVERNMENT PROVIDER They did not have a government provider . contradictory +The Romans called it Portus Magnus ( great port ) , which the Ibicencos adapted to Portmany . It is a port that the Romand and Ibicencos have owned at different points in history . neutral +The Raptors , on the other hand , are a pain . The Raptors are a basketball team from Florida . neutral +'I take it this place is more suited to your antique sensibilities , ' Natalia said dryly . Natalia said that I would like this place . entailment +The following morning , Mrs. Inglethorp stayed in bed to breakfast , as she was rather overtired ; but she appeared in her briskest mood about 12.30 , and swept Lawrence and myself off to a luncheon party . Mrs. Inglethorp wanted Lawrence and me to go to a luncheon party entailment +With its vivacious residents , ? ­ fashionable , self-assured and sophisticated this is modern Italy . Italy has always been known for its fashion and sophistication . neutral +Despite repeated attempts , we have been unable to resolve this dispute . Though we have tried many times , we can 't seem to resolve this argument . entailment +Hemingway and I would carry the crates . Hemingway and I carried crates together many times . neutral +so i don 't have and i 'm still in in school i 'm still in college I 'm studying at college and I lack that . entailment +I was a special patient . I was different from all other patients they had had before . neutral +Scheduled to reopen in 2002 or 2003 , the Malibu site will house only the Getty holdings in Greek and Roman antiquities , some of which date as far back as 3000 b.c. Scheduled to open in 2012 , the Malibu site will house not only the Getty holdings in Greek antiquities , some of which date as far back as 2011 . contradictory +The one area where Stevenson has it correct is that it is increasingly hard to educate young people about the real dangers of drug use . Stevenson thinks teaching kids about drugs is a simple process . contradictory +Tommy and I are friends nothing more . Tommy and I are lovers . contradictory +Moreover , the government depends heavily on computer systems and networks to implement vital public services supporting national defense , revenue collections , and social benefits . Many computer systems and networks are of vital importance to the government 's functions . entailment +that we get down here i have a few little flowers i plant around the trees out front i 've enjoyed doing those i put uh pansies out in the winter and they pretty much last all winter and then i put uh moss rose out in the summer and it just goes crazy you don 't really have to do anything to it Moss rose requires no care . neutral +The most articulate , and the most troubling , came from M. , who wrote , Last year , flying from Baltimore to Chicago with my entire family ( two really little kids included ) , we set down at Midway in a rainstorm . M. Flew with his family from Baltimore to Chicago . entailment +Jon nodded back , turned and rejoined them . Jon nodded before he turned and joined them again . entailment +that 's what i think so no I don 't think that at all contradictory +Participants questioned how well that process was working . Participants had no reason to doubt that the process was working for everyone . contradictory +Things are moving quickly , my friend . " I stared at the two men intently . The things are happening quite fast . entailment +mostly just stuff that i can you know use right around the house Mostly stuff I go out to the store to buy . contradictory +One woman he represented was facing eviction with her three children , and a second woman had four children and a fifth on the way . one woman was facing eviction with her three children . entailment +The ultimate accolade came in 1991 , when Dublin was designated a European City of Culture . The residents of Dublin nearly all felt that it was a long time coming . neutral +He 's got a new Rolls-Royce car , said Tuppence with vicarious pride . Tuppence was embarrassed to admit that he has an old rusty Yugo . contradictory +He tried to break free , but there was no escape . He easily broke free and ran away . contradictory +This analysis includes the information required by paragraph 604 ( a ) by summarizing and evaluating comments received . No comments were received . contradictory +Disneyland is huge and can be very crowded in summer . Disneyland is least crowded in the summer . contradictory +Perhaps people who work in group settings where some hand is always out can start a reverse Limit forced-march giving to $ 2 . Perhaps people who work in solo settings where some hand is always out can start a reverse Limit forced-march giving to $ 2 . contradictory +It 's really exciting to me to be able to work with these people who are so committed to this work . It 's exciting to be able to work with such a devoted team . entailment +'I don 't even know where to start . ' I 'm not sure where to begin . entailment +I got mad . I became furious . entailment +He looked round him . He cast a glance about . entailment +Current law limits the representation of H-2A aliens to matters relating to wages , housing , transportation , and other employment rights as provided in the worker 's specific contract under which the nonimmigrant was admitted . Current law limits the amount of alcohol one can drink in a bar setting . neutral +A rider had knocked San 'doro down , Jon saw his vision blur in his view through San 'doro 's eyes . Jon knew that San 'doro 's vision was blurred . entailment +having a uh program work on me was the the Atari toot toot The program did not work on me at all . contradictory +Furniture and art collected over the generations fills the house , but perhaps most fascinating is the collection of original musical instruments and machines used for entertainment before the advent of electricity . There was no entertainment before electricity . contradictory +The merchants wanted to divert trade away from the Arabs , fearing the enrichment of the North African Maghreb as a threat to Christian Europe . Developing the North African Maghreb could endanger a Christian Europe . entailment +Move along ! he bellowed . They should move along because this area is not safe for travelers . neutral +We will all sleep better at night knowing that our commander in chief 's libido is compartmentalized , and that he 's not bombing Sudanese pharmaceutical plants just to get his Iraqs off . The commander in chief once had an excellent libido . neutral +On another island , women clean their shrimp at the water 's edge ; you can see the ecumenical peace of a church surrounded by palm trees , with a Hindu temple on one side and a mosque on the other . The people of the island have enjoyed hundreds of years of peace despite their many differences . neutral +New York , like many states , did not embrace the idea at first . New York was opposed to the idea . entailment +A chain encircled his waist and ended attached to the hilt of a short curved sword sheathed on his side . His sword was chained to him . entailment +On the left you will find a bronze statue of David Hume , depicted in calm , thoughtful pose . David Hume was known for his calm and thoughtful composure . neutral +When the largest piece to be lifted is determined from the construction plan , the necessary crane can be determined . The necessary crane can be determined before seeing what pieces will need lifting . contradictory +As part of this new approach , the Corps reformed its processes , revising its policies and procedures to ensure that only those that were necessary remained . The Corps did not reform its processes as part of this new approach . contradictory +Well , said Tuppence , with an attempt at cheerfulness , " we must wait until the morning , that 's all . They are waiting for the sun to come up to kill the vampires . neutral +Given the name 's track record , I think that 's a terrible shame . I think it 's great he had the name . contradictory +A small legal office in downtown Woodburn is offering an answer . It is an answer to a question that is often asked by poor people . neutral +By way of improvement , senior executives adopted a new IT strategic direction and focus that tracked back to the companyas business prioritiesa acommon , lean and fast , global , and growth . Executives were worried and wanted to move in a new direction . neutral +The efficient and accurate pricing of options has helped to make the economy more efficient . Option pricing has a large influence on the economy . neutral +Which I find fascinating on a substantive legal basis . On a legal way I personally find it utterly fascinating to know . neutral +Although she disliked and distrusted him instinctively , she was inclined to acquit him of the particular motive which she had at first attributed to him . She did not want to trust him ; she considered him to be sketchy . entailment +Toward Greek Independence To Reach Greek Freedom entailment +Brodkey expresses enormous ambivalence about his own later-life adventures in homosexuality , referring , at one unsavory moment , to his illness as the wages of sin . Brodkey is a homosexual male who has committed sin . entailment +But Czarek still hadn 't reached his main goal ' to impress Miss Aldonka , and then we 'll see . ' He was determined to succeed and determined to prepare even better for the next convention . Czarek will continue trying to impress Miss Aldonka until it works . neutral +Be inventive . Be creative . entailment +Beautiful as it is , with carved designs on the marble columns and cusped arches , imagine it in its full glory before the ravages of Nadir Shah in 1739 . The carved designs remain beautiful today because they 've been carefully preserved . neutral +You can visit the factory throughout the year or buy from stores in the city center . The factory can only be visited at wintertime . contradictory +An interpretation that required the alien to be continuously present throughout the course of the litigation would confront indigent aliens with the Hobson 's choice of either accepting representation or visiting their families abroad . Aliens have to choose whether to accept representation or visit their families abroad under an interpretation . entailment +Meanwhile on the Iberian peninsula , Rome was leaving a decisive imprint on the area 's language , culture , and government , and particularly in its engineering genius in the construction of roads , aqueducts , and monuments . Rome conquered the Iberian peninsula and forced its culture on the people . neutral +But attacking the problem requires a strategy appropriate to the organization involved and its particular risks , including a consideration of the legal requirements surrounding security and privacy issues . The same attacking strategy can be used for all organizations . contradictory +Does the Pentagon believe there are unknown defectors ? Does the Pentagon not believe there 's unknown defectors ? contradictory +Despite the success of LSC and its many contributions to access to justice for lowincome Americans , its achievements are overshadowed by the fact that so many in our society continue to suffer injustice and are unable to gain access to a lawyer for critical legal assistance . The LSC 's efforts need to be doubled , to meet our society 's legal needs . neutral +But the advice of CIOs of leading organizations should remain relevant regardless of the specifics of the situation . The advice of the CIOs is irrelevant since it is all changing so muh . contradictory +An ' I ain 't set my moccasins on all o ' it yet . I have put my moccasins on all of it . contradictory +All I had to do was to stand on stage and be Ben Franklin . All I had to do was set up the stage . contradictory +In a state lottery , your odds of winning depend only on how many tickets you hold compared with everyone else . There are several factors that determine your odds of winning a state lottery . contradictory +A small temple to Hathor sitting to the left of the colonnade has columns carved with the cow 's head that depicted her . The temple was one that praised her life . neutral +If anything , their book only makes things worse , says Orville Schell in the New York Times : Bernstein and Munro have unrepentantly plunged harpoons into the tenderest interstices of the Chinese-American relationship . Munro supported the Chinese-American relationship through their book . contradictory +He eluded the clutches of half the police in Europe . He was able to get away from the authorities in Europe . entailment +Overlay both of these religions with a strong dose of animism , and you have a thoroughly inscrutable religious milieu in which Hindus and Buddhists worship at the same temples , and rocks , trees , and waterfalls take on mystical importance . It 's been theorized that this religious landscape is the result of the history in this area of the various groups having to work together . neutral +do you i got my i got my first one i 've been at TI forever and i found an engineer selling his really old TI PC What is a TI PC ? I have never heard of that . contradictory +for what i 'm getting and then if if i think the rate 's going to drop then i pay them back in less dollars I give them more money if the rate is going to drop . contradictory +The workshared mail consists primarily of mail presorted to the 5-digit level , with a small proportion of carrier route presorted mail . There is no such thing as workshared mail , it is but a myth . contradictory +GAGAS incorporate the AICPA 's field work and reporting standards and the related statements on the standards for financial audits unless specifically excluded , as discussed in chapters 4 and 5 . GAGAS incorporates the AICPA 's general standard on criteria , and the field work and reporting standards and the related statements on the standards for attestation engagements , unless specifically excluded , as discussed in chapter 6 . To meet the needs of users of government audits and attestation engagements , GAGAS also prescribe additional requirements to those provided by the AICPA for these types of work . GAGAs almost never incorporate the field work of AICPA unless its specifically included . contradictory +discussion of DOD 's comments appears in appendix I. The Department of Defense comments appears in the appendix . entailment +Randy 's Cross-Cultural Wrap-Up Randy 's Diverse Wrap-Up entailment +Behind these two churches is the 15th-century place of worship that gives the square its name A 15th century religious building is situated behind the two churches . entailment +um i think one of the facets of living in a small town is that often times you are uh sitting in on a jury trial where you might be acquainted with at least maybe not that person but part of their family In a small town you might know or know of the accused . entailment +and the shows that i like now they wouldn 't let me watch i had to catch them all on repeats like Star Trek they thought that was much too violent for small children so I would go over to a friend 's house to watch Star Trek . neutral +The walk up this volcanic peak is steep but within the capability of a normally fit person . This volcanic peak is so steep it requires mountain climbing gear . contradictory +yeah he makes good money too doing that you 'd be shocked i was shocked but anyway someone gave an Iranian a tip of four Rangers tickets last year He paints cars and makes a lot of money ! neutral +Projects Funded inthe Montgomery , Alabama , Metropolitan Area by the Projects Funded in the Montgomery area in Alabama are those we are looking at now neutral +and i 'm not too sure that it 's actually not a success more than a failure you know i don 't know what percent has actually converted The program sort of met its goals . neutral +Upstairs rooms are reserved for exhibitions . The basement is reserved for exhibitions . contradictory +uh-huh and we wanted to travel well that was really nice traveling but you know i like to know more i mean hear about more people that have things like that you know and see what they think of them the different kinds because i 've only ridden in the one that 's it I want to know if people had a good traveling experience too . neutral +The half-cynical The joke is on Reagan , because the building belies his rhetoric against big government . Reagan is in favor of big government . contradictory +Correct . Proceed , O Sherlock ! This is incorrect , Watson . contradictory +In order to attenuate These concerns , it might be reasonable to place price caps on any de facto monopoly mail categories , particularly any used by small mailers with no alternatives . Price caps may be useful to attenuate concerns . entailment +One side effect of Manjushri 's draining of the lake was that the snake gods called Nagas , which lived in water , were left with no place to live . Nagas assisted Manjushri with the draining of the lake . contradictory +The second thing happening is not so much etymological as a continuing evolution in semantic function . Semantic function is in a state of constant development . entailment +why did he make you do it What was the reason he made you do it ? entailment +uh-huh uh-huh well that 's great that 'd be a lot of fun you have a lot good experiences from that yeah That 's terrible and would not be a good time . contradictory +When we 're there , however , she spends a large part of the evening on the phone or on the computer . She spends a large part of the evening on the phone or on the computer . entailment +We do not keep slaves . There are no slaves working for us . entailment +but uh other than a few transmission leaks that i got repaired uh i really haven 't had anything but uh regular maintenance I have very regular troubles and need to repair frequently . contradictory +Inaccuracies like those discussed above , which downplay the dangers in drug use , send our young people mixed messages and increase distrust . Inaccuracies regarding the danger of drug use , as discussed in the study conducted by UCLA , mislead teens and young people . neutral +boy those these are so many precious things that you can 't ever buy back and and to answer your question There are some things you can 't buy back . entailment +Through the collaborative efforts of Schuylkill Women In Crisis , the Schuylkill County Sheriff 's Department and county grant writer Lorraine A. Bennick , the Pathways to Safety program was initiated . The Pathways to Safety program was an unmitigated success . neutral +Chapter 4 25 Audit Objectives 26 Needs / Documentation Required 26 Chapter 4 has nothing to do with audits . contradictory +The jazz and popular music scene is dominated by Filipino performers of very high quality . Besides jazz and popular music , Filipinos also dominate the rap scene in the area to a fair extent . neutral +The prison room with the crooked pictures , the broken jug in the attic , the meeting room with its long table . The jug was placed in the attic because it is broken . neutral +American business has regained its competitive edge by reengineering its business practices to improve their effectiveness and , in the process , downsize their inhouse staff . American businesses have regained their competitive edge solely by increasing their own efficiency . contradictory +Roving groups of musicians can be found playing everywhere from airports to restaurants . Transient groups of musicians play in airports and restaurants . entailment +The Venetians restored their republic , a Piedmontese army joined up with troops from Tuscany , the Papal States , and Naples , and a new democratic Roman Republic was proclaimed . Once the armies recovered the Roman Republic was reestablished . entailment +Their conversations took place at precisely the moment the House reconsidered China MFN . They talked about it a month after when the House was debating China MFN . contradictory +A re-creation of a medieval knights ' jousting tournament , it 's great fun for families . A recreation of jousting is a lot of fun to watch while you eat dinner . neutral +Cautionary dining car procedures are to be followed for the remainder of the journey . We must remain cautious as we continue our journey on the train . neutral +but uh i it 's it 's interesting though people that do we 've had noticed we had been in Malaysia during one election year and the Philippines in another that there seems to be a higher percent of the expatriate population i mean well over fifty percent that do bother to register with the embassy and go vote you 'd almost think that you think you 're more important when you 're out of the country and you 're exposed to some things Registration of expatriates is higher in some countries . entailment +It may not be the carnival you expected , but it can be much more memorable . The carnival will definitely be forgettable compared to the one you expected . contradictory +Strange company you keep now , brother , said A 'deem . A 'deem told his brother he was keeping strange company entailment +Bakaly says no to several Snow questions , all of which essentially Have you decided when to deliver a report to Congress ? Bakaly 's investigation of John Snow and his time at the Wall is important to many members of congress . contradictory +Albert was on the look-out , attending to his duties in a somewhat desultory fashion . Albert was not watching at all while performing his duties . contradictory +by uh somebody who was there or By somebody who was over there ? entailment +Problems identified in the design review process can become a powerful tool to improve performance . If problems are identified early enough , performance can be improved . neutral +After Madrid became the seat of the royal court , this area grew rapidly in the 16th and 17th centuries . Madrid almost became the seat of the royal court but didn 't . contradictory +A new tram line runs from Sirkeci , near the Galata Bridge , through Sultanahmet , past the Covered Bazaar , the hotels of Laleli and Aksaray , and on to the city walls at Topkape bus station ( not to be confused with the famous palace of the same name ) . There are no new tram lines that go to Topkape . contradictory +The baron was also toying with the idea of replacing the gracious red brick houses of the triangular place Dauphine with a neo-Grecian colonnaded square when , thankfully , he was forced out of office for juggling the books . The baron was arrested for crooked bookkeeping . neutral +yeah i got fire ants too and you spray in one part of your lawn and they just move to another part so you got to spray your whole yard and then You only have to spray the nest to get rid of fire ants . contradictory +Finally , it describes the alternatives considered in the development of the rule and why it rejected them and adopted the rule as proposed . There are a bunch of different alternatives . entailment +There is also a huge bronze Peace Bell . No Peace Bell can be found there . contradictory +Indeed , as the capital ages , its history is increasingly becoming whatever associative past you can conjure up as ornament , reward , or weapon . The capital was involved in the Civil War . neutral +The most recent poll suggested that the anti-poker forces would win in a More than 60 percent of voters favored banning poker , and only 16 percent wanted to keep it . Over half of the people want to ban poker . entailment +GAO will notify requesters approximately 30 calendar days before they are to receive a product and accommodate their requests for restrictions on the release of the product of up to 30 calendar days after the issuance date . GAO will let requesters know a month before they are supposed to get a product . entailment +oh there just too nice i mean you don 't get many hand made quilts anymore That 's nice , it 's hard to find hand made quilts . entailment +No , a real militia , said Emrold . Emrold said the group was not skilled fighters . contradictory +Even more devastating was the 587 b.c. invasion by the Nebuchadnezzar-led Babylonians . The Babylonian invasion was crucial in establishing Nebuchadnezzar 's dominance . neutral +She moved away a step or two , and fingered one of the flower vases . She moved away to mess with the vases . entailment +No , Captain Bayliss , your men were in here drinking . Captain Bayliss ' men were sleeping . contradictory +It is also important to note that both the Alternative and Base Estimate are likely to underestimate the benefits of this proposal because of the many environmental and health effects that we were unable to quantify in this analysis . The Base Estimate may underestimate the proposal 's benefits but the Alternative Estimate won 't . contradictory +It was General Gordon ( of Khartoum fame ) who in the late 19th century popularized the idea that this was the true site of Jesus 's burial . General Gordon 's suggestion was met with doubt at the time . neutral +Before the expansion , only a few NLS lawyers spoke Asian languages , said attorney Rebecca Yee , who was hired by NLS in April 2002 to design and head the project . Even before it was expanded , it was common for NLS lawyers to be fluent in any or all Asian languages . contradictory +A poor immigrant Jew works as an assistant shoemaker , patiently waiting for the master shoemaker 's daughter to grow old enough to marry . Her father was a wealthy salesman , and she never wanted to marry off . contradictory +It is not a revenue , because the employer entity does not earn the amount imputed or demand its payment . It 's clearly a revnue for the company . contradictory +This office is intended to , among other things , help taxpayers who cannot get their problems resolved through normal IRS channels . Taxpayers are not helped by the office . contradictory +We 've seen this model before . They were thrilled to see something new . contradictory +That is why I have been careful to remain in the background . There is no particular reason I have been in the background contradictory +yeah yeah yeah that was just a couple of years ago Something happened more than a year ago . entailment +The net debt concept is based on the OECD definition of net financial liabilities that can be calculated by subtracting financial assets from financial liabilities . The net debt concept is based on the OECD definition of net financial liabilities . entailment +Hamilcar had produced a clean shirt and drawers from the saddlebags , even managing to work up a shadow of shine on the scuffed cavalry boots , and had beat the worst of the trail dust from the rest of the traveler 's clothing . Hamilcar wanted to look prestine . neutral +yeah they do they always seem to get the talent there They always seem to get the best talent there because they pay more for it neutral +Wilson provides superb overviews of Western intellectual history and of the current state of understanding in many academic disciplines . Wilson provided a much-needed overview of the state of academia . neutral +Vrenna drew her saber and San 'doro drew his knives . Vrenna and San 'doro drew their weapons and to begin their battle . neutral +Privilege is above and beyond the normal . Privilege is the normal . contradictory +are so excited to be away from home they just spend all there time partying and they do a lot of things to themselves and that we don 't really want our young people to be doing and Young people partake in things that we don 't want them to . entailment +The park headquarters organize evening slide-shows as a general introduction to the features of the surrounding rainforest . The park headquarters neglects to introduce the surrounding rainforest . contradictory +D.C. is succumbing to the money and nerd fascination that has captured the rest of the country . DC is starting to favor money and nerds like the rest of the country . entailment +Every one was on his feet . Every person remained rooted to their seats . contradictory +Now , the resort and hotel complex is variously described as simply noisy to a one-stop destination for fantasy , excitement , and adventure ; your conclusion obviously depends on your point of view . The resort and hotel complex are very quiet . contradictory +The one that Miss Howard , , It was the dress in which Miss Howard died . neutral +The park 's prefectural museum displays some small clay figures ( haniwa ) unearthed at nearby ancient burial mounds , together with pots , tools , and weapons dating back to as early as 10,000 b.c. The museum has some small figures in it . entailment +FEMA is responsible for responding to floods , hurricanes , earthquakes , and other natural disasters . They are prohibited from helping anyone affected by a natural disaster . contradictory +uh mean i mean they go out there just just for the sake of of harming somebody I mean that they stay inside and avoid harming others . contradictory +In the area north of Plaza de Colen , you come to a newer section of town , where patrician townhouses in the central area give way to luxurious modern apartment blocks with landscaped balconies . The landscaped balconies often include living grass that must be carefully maintained . neutral +There is a fee , but the facilities are good . There is no fee , but the facilities are bad . contradictory +oh i felt went to visit my grandfather one time in the nursing home and i said never again i said i just can 't go I wanted to see my grandfather in the nursing home every week . contradictory +yeah yeah i 'm i 'm not sure either but i think there would have to be a lot more you know information uh you know disseminated before you say let 's do this you know More information is needed so I can decide if it 's safe or not neutral +Obviously not--it would be hard to fault Stalin for the destruction of the Vietnamese city of Hue 15 years after his death . I don 't think Stalin is responsible for the destruction of the Vietnamese city of Hue . entailment +pared to their urban counterparts , LSC has asked its grant LSC is seeking grant funding to modernize and urbanize . neutral +Most of the remaining costs are attributable to extending the quality system and requiring appropriate documentation , evaluating suppliers and contractors and management review . Most of the remaining costs don 't make up even half of the total . neutral +He obtained objects from every era of Crete 's history from Neolithic figurines to jewelry from the Venetian and Turkish eras . There were many historic items that he had acquired from Crete , varying from jewelry to figurines . entailment +Drake University ended its funding after the 2000 spring semester for a variety of reasons , Suzanne Levitt , the law professor who oversaw the program , said via e-mail . The funds were pulled for a variety of reasons . entailment +The Bearing of Comparative Analysis on Sociological Theory . There are very profound implications when it comes to quantifying the effect of comparative analysis in sociology . neutral +Having seen pan-Arabism bankrupted in 1967 , more and more Arabs are seeking solutions from the past--in Islamic fundamentalism , which seeks to remodel Muslim societies along the lines of Arabia under the Prophet Mohammed . The Prophet Mohammed is the most important prophet . neutral +well Steve i 'll tell you i think i still think Joe Montana 's the best quarterback that ever handled a ball Steve , I think that Joe Montana is the greatest quarterback of all time . entailment +yeah i know it 's a funny degree uh anyway uh i know nothing other than the west in fact uh I might only know about the west , but I know a damn lot about it ! neutral +just exactly Not at all . contradictory +Therapeutic laws become props for rhetoric that might be called demagoguery , except that it disgraces the memories of Joe McCarthy and Huey Long and the ambitions of Pat Buchanan to call Clinton a demagogue . Huey Long is part of the duck trio , Huey , Dewey , and Louie . contradictory +The hierarchy of generally accepted accounting principles4 ( GAAP ) governs what constitutes GAAP for all U.S. government reporting entities . GAAP is calculated based on GNP of each country . contradictory +'Yes , I am , but this isn 't my time , ' White bit . " I 'm not , and I think this might be it for me ... " , White said . contradictory +When he rose , the group continued out of sight of Heaven 's Highway before they took a much-needed rest . The group rested after the got out of sight . entailment +Mary Dufour observed that there are few applicants who are skilled at both the research and the business aspects of a project , so small business grants seldom go to people in the scientific community . Mary Dufour saw not many people were skilled in both ways , so she didn 't hire anyone . neutral +I immediately felt a sense of rivalry- demanding loose change from strangers was my lookout , damn it . The people were not in my way . contradictory +requirements by providing information on control technology 's hardware and reagents , the construction equipment necessary to install a control technology , time required to implement this control technology at plants with single and multiple installation requirements , and the amount of labor needed to install the control technology . Labor is not needed to install the control technology . contradictory +We 'll just make it to Fena Dim before it hits . We will barely make it to Fena Dim before the torrent strikes . neutral +um-hum i know it was kind of exciting at first but and then i know the first night of the bombing we had it was a Wednesday and we had home church and we had a surprise birthday party planned for a sixteen year old We had home church and a meal during the first night of the bombing . neutral +I 'm a damned fool ! I am being foolish . entailment +i 've seen a lot of changes i mean from the original earth day The original earth day was the best . neutral +( Of course I didn 't know his name then . ) I was suspicious I thought it was another trap . He had tricked me before , so I was suspicious . neutral +You can still see Mohammed 's footprint , but you 'll need a guide to point it out . A guide can show you Mohammed 's footprint . entailment +In other places , she describes events by reprinting reports from Texas newspapers . SHe reprints Florida news stories . contradictory +yeah we we have a we have a dog and that 's just about as bad as a kid We have a dog that is pretty much as bad as a kid . entailment +It was published in the Federal Register as a final rule on December 4 , 1997 . On December 4 , 1997 , a man walked into a bar . neutral +you know i just worry i guess i 'm too protective but you know i see these cats that are wandering around the neighborhood and too they can catch diseases really easy just by touching a nose to another cat they can contact leukemia I worry about neighborhood cats getting leukemia entailment +I don 't understand , he said . He said that he understood . contradictory +But in fact Boulaye had advocated supporting a party , meaning the Conservative Party . Boulaye campaigned and lobbied for the Conservative Party . neutral +Additionally , when GAO issues a report containing recommendations to the head of an agency , 31 U.S.C. All recommendations made by the GAO are classified and available only to congress . contradictory +wow you too Not you , either . contradictory +The answer , which Bennett mentions only in passing , is that the teen-age fertility rate is down roughly 13 percent since 1990 . Bennett said the teen pregnancy rate was down more than anyone expected . neutral +Tuppence had certainly not remained long in the neighbourhood of the Moat House . Tuppence had no plans of staying long . neutral +Senor Kirby , Don Cazar he would speak with you in the Casa Grande , León Rivas called through one of the patio side windows . Leon Rivas told Senor Kirby that Don Cazar wanted to speak with him in the Casa Grande . entailment +They believe that the meaning of an event is more likely to be caught in the qualitative net than on the quantitative hook . They think an event 's end goal is more qualitative than quantitative . neutral +i mean yeah it 's it 's you know it 's easy for me to say i 'm going to go out on Friday night and maybe you know i don 't have to work till Monday and if i want to go out and and drink a little beer or do something and just dance a lot or whatever that 's fine as long as i realize Saturday that in order to you know i 'm going to feel like crap that 's just the way it is same thing if you drink but the thing is you don 't get up and drink another beer to get over it On Saturday I usually wake up hungover . neutral +The revised analysis evaluates three alternatives to the initially proposed rule and assesses the burdens and impacts of each . The three alternatives were very controversial in the decision making progress . neutral +None of these buildings are open to the public . The public are not allowed in any of these buildings . entailment +What 's a Postal Regulatory Commissioner to do ? What does the work of a Postal Regulatory commissioner entail ? neutral +When I arrived , I witnessed murder and horror . When I arrived , I witnessed rabbits and rainbows . contradictory +Since higher interest rates take months to restrain economic expansion , postponing a hike is like waiting to brake a runaway car until it is a few feet from the cliff 's edge . It would be smarter to not postpone anything in that scenario . neutral +Attorneys general face political conflicts every day--whether to bring cases against enemies , associates , friends , even relatives of members of the administration . Attorneys general have a responsibility to give thoughtful consideration to even actions involving risk to themselves . neutral +( I 'd prefer to help poor old folks by contributing to charities of my choice , but never mind . ) You can also volunteer time to local charities . neutral +It looked fairly well-improvised . It looked well done and everyone praised the organizer . neutral +And it mayn 't be so at all ! And it may be something else . entailment +was this uh done not by TI people was it It wasn 't done by TI people . entailment +I clicked the link , which led to a page of more links to lots of information on BIOS , but a half-hour search yielded no information on booting from the CD-ROM drive . There is no information to be found . neutral +Even after Hadrian 's Wall was built in the second century a.d. , marauding bands from the north figured out a way to circumvent this formidable line of defense by launching their boats across the Solway Firth , landing on the coast of Cumbria south of the Wall , and attacking the Romans from behind . Hadrian 's Wall was build in the third century A.D. contradictory +For guidance on deferred maintenance reporting , see the Deferred Maintenance standard Accounting for Property , Plant , and Equipment , SFFAS Deferred maintenance reporting can be read at Deferred Maintenance standard Accounting for Property , Plant , and Equipment , SFFAS , but it is rather dry reading . neutral +There have been other tales of cannibalism in North Korea , none of them confirmed . However , the tales of cannibalism in North Korea frighten many . neutral +when they gave medicine to ailing islanders . Islanders were infected with cholera . neutral +More needs to done to enhance the scope and improve the timeliness of various attest and assurance services and related reporting . Reporting requirements have been doubled in the last 5 years . neutral +Another 10 km ( 6 miles ) to the south lies the natural wonder of the Costa Calida , the Mar Menor , a salt water lagoon separated from the Mediterranean by two strips of land known collectively as La Manga . Costa Calida is a natural wonder . entailment +The standard phraseology I am leaning toward for discussing future events is an event to occur on a day subsequent to the several other days that shall proceed duly in the natural course of time forward from the present moment , eventually accruing into units characterized as months and , much later , years . The future cannot be quantified into discrete units of time . contradictory +so i don 't know if he 's going to be in shape to I am not certain if he will be in shape for it . entailment +well sounds like your getting a lot of experience in communicating with children You will need a lot of practice to talk with kids effectively . contradictory +and it 's the governments it 's the governments should that that 's really what we do you don 't go up to the country you talk to the president or the chair or whatever of some group and you loan it to these people who are representing the government and by extension representing the country but when those people are gone and you have some new you know starving third world country with a brand new government that threw the previous rascals out um they 're personal incentive for repaying that debt is understandably low because it 's they didn 't they didn 't borrow i mean you know it would be like you paying off the debts of uh some neighbors of yours you wouldn 't feel very happy about it Most people would be honored to be paying the debts of their neighbors . contradictory +uh probably i am a player but certainly not a good player uh the highlight of my season is probably the four times i get under a hundred My best scores are some of the lowest ever seen in the game . neutral +The downtown area developed around the waterfront . The waterfront was the only place with soil firm enough for large buildings . neutral +right exactly and you know ultimately the the consumer and the uh fan are the people that have to pay for it through the It the end , the fan or consumer doesn 't have to pay for it . contradictory +The message is that you should vote against Clinton not because he lied about sex but because he lies about everything . Clinton is a womanizer that has no idea what he 's doing . neutral +2 Legal inquiry vs. political Most journalists who think Clinton is doomed assume that he eventually has to tell the truth about his relationship with Lewinsky . Clinton struggled with telling the truth about his relationship with Lewinsky . neutral +In her memoir , Stranger at the Party ( 1975 ) , she quotes the New York Daily Mirror on the news that he was sentenced to six-to-10 in Sing Harlem is in a state of rejoicing that his reign of terror is over . Her memoir was released in the summer of 1975 . neutral +GAO Audit Guidance Information A Model to Help Managers GAO is a model used to assist managers . entailment +because everything that TI did anyway we we shipped in and it was worked on down there assembled and then sent back here so i didn 't feel that we really exploiting exploiting them any We totally scammed them , what a bunch of fools . contradictory +And you remember nothing at all ? You remember not one thing ? entailment +The Romanesque-Gothic church of San Matteo has the same gray-and-white facade . Church of San Matteo has the same yellow-and-blue facade . contradictory +even the aspects of not saving the earth i mean it 's so cost you know Not saving the Earth is costly . entailment +As night fell , the six horses and seven riders rode south out of Fena Kef . The group spent the night in Fena Kef . contradictory +Most regions also have a syrtos dance , steps performed in the round . Nobody has ever danced in most regions . contradictory +Why would he bother to retire ? It is pointless to retire . neutral +It has a popular brasserie on the first platform , an elegant gourmet restaurant on the second , and a view from the top stretching for miles on a pollution-free day . The gourmet restaurant serves premiere Italian food , Mussolini 's favorite . neutral +I told ' em , no thanks . I emphatically said " Yes ! " contradictory +Because of the importance of this endpoint and the considerable uncertainty among economists and policymakers as to the appropriate way to value reductions in mortality risks , this section discusses some of the issues surrounding the estimation of premature mortality . The estimation of premature mortality can be accurately calculated . contradictory +Inside , the air is heady with the mingled aromas of ginger , pepper , cinnamon , cloves , and freshly ground coffee . The only aroma in the air inside is freshly ground coffee . contradictory +have you been involved on the switchboard long How long have you worked on the switchboard ? entailment +so i 'm very limited what i do I am very limited in what I can do because of my back . neutral +Drew turned them up to read the scrolled gold titles on their spines . Drew read the gold titles on their spines . entailment +The Industrialist tried . The Industrialist tried . entailment +I wonder An idea was dawning in her brain . She had the beginnings of a plan . entailment +They may also fear retaliation by other local employers , and often will not want to pursue a claim until after they leave the area . They are afraid to make any claims unless they are out of the area . entailment +When you talk to euro enthusiasts , they invariably claim that one of the great benefits of the new currency will be price transparency . Euro enthusiasts claim that euro implies price transparency . entailment +The general staff , for instance , has essentially forbidden Russia from talking to NATO . Russia can 't talk to NATO because the general staff prohibited it . entailment +Those with more time in Madrid , either before or after side trips to the great towns of Castile , might explore the barrio of Salamanca , take in a bullfight , or visit one or more of the smaller , more personal museums , only a ride from the Puerta del Sol . There are no bullfights in Madrid . contradictory +You can always visit independently , but the venue , situated in the suburb of Marianao , is tricky to find , and you might arrive only to find no tickets remaining . The venue in the suburb of Marianao is hard to find . entailment +so it 's it 's not really i guess camping the way people most people picture camping in the tent but It 's better than camping in the tent . neutral +Be under no illusions , if you trouble them , the Corporation will kill you . The Corporation will kill you if you bother them . entailment +There is nothing that can compromise him in any way , since it is Miss Howard who has the strychnine , which , after all , is only wanted as a blind to throw suspicion on John Cavendish . John Cavendish is investigating Miss Howard . neutral +I 've felt disappointed about places I haven 't even seen . I have to visit a place first before I can judge it . contradictory +you know it does it gets cold enough in the winter to where you It gets cold enough to make ice cream outside in the winter . neutral +He honestly believes himself Hollywood 's bravest outsider , and he has written passionately about the need for screenwriters to stand up for artistic integrity . He thinks screenwriters need to stand up for the integrity of artists . entailment +in cold frames or whatever the In cold frames or whatever they are . neutral +Four distinct peoples once inhabited the land now known as the Picts in the north , the Britons in the southwest , the invading Angles in the southeast , and the Scots in the west . Four different peoples made up the British Isles . neutral +Oversight Committee . No controlling organization . contradictory +By the end of the decade , Japan 's was the third largest economy in the world less then two decades after the war had left the country in ruins . Japan 's economy is forever in shambles and their progress is not impressive . contradictory +and and sweeping it out everyday it 's really hard to to keep the sand and dirt out of it It 's easy to keep clean and organized . contradictory +If this logic holds , missile defense is a job for U.S. Missile defense is needed here . neutral +" One believes in reformations when they are proven by time , Senor Cahill , " the man wearing rich but somber Spanish clothing replied . The man replied to a question to Senor Cahill asked . neutral +That sort of thing generally entails a coach or an east regional sales manager exhorting you to do something pointless , painful , or profitable to someone else . That usually causes executives to force you to hurt others . entailment +Conversely , Microsoft points out that IE has less than 40 percent of the browser market , compared with Netscape 's 60 percent . Netscape was shown to outpace IE in profit and support . neutral +They act like competing CEOs , each seeking to maximize their local profits . Although the company tries to encourage good relationship between locations , most act in their best interest in order to maximize profits . neutral +These two-seat contraptions ply the seas powered by a foot-driven waterwheel . There are always two people in the waterwheel powered machines . neutral +He tentatively touched foot to floor and half stood , propping himself against the high bed . He would have fallen over if he had not used the bed . neutral +oh that 's true oh yeah God forbid you should make some kind of sexist remark and say you know You wouldn 't want to make any sexist joke . entailment +uh-huh oh yeah yeah i grew up in i went to high school in Frisco and lived there several years so i was up you know pretty close to where you guys are and and it was always My highschool was five minutes away from my house and a nice walk . neutral +The minor Aegean Islands were taken by various powerful European noblemen , many of whom were Genoese or Venetian , such as Marco Sanudo on Naxos . The minor Aegean islands were taken by escaped slaves . contradictory +nothing wrong with that uh i 'll vouch for that I 'll vouch for that . entailment +As people live longer and have fewer children , there will be relatively fewer workers supporting each retiree unless retirement patterns change . The future system is doomed as the number of workers continues to drop . neutral +He 's a lawyer . He is a lawyer . entailment +contracting method can also affect who is involved at each phase ( A / E , Who is involved in a particular phase is can be determined by contracting method . entailment +166 from that moment , I was equally determined that he should not be arrested . " From that moment I determined that he was innocent . neutral +I have a Pavlovian reaction to the pre-title black-white-and-red bit with Monty Norman 's theme and the gun site roving over the latest 007 as he saunters to the center of the frame--I go , Kill ' em , Bond ! I have a Pavlovian reaction to the 007 intro because I always watch Bond movies when I 'm feeling aggressive . neutral +You should be safe as long as you obey the beach flags . Obeying the beach flags should keep you safe . entailment +But until this year , U.S. It was until this year . entailment +As he wandered about viewing cactus syrup , sweet , brown panocha-candy , fruit , dried meat , blankets , saddles , Drew was again aware of the almost strident color of this country . Drew was once again aware of the color of his country . entailment +Furthermore , delegating authorities to front-line employees gives managers greater opportunities to concentrate on problems or policy-level issues . Mangers need to be able to focus on problems . entailment +Looky here , Drew , if that 's the way you really feel , why don 't you go ? Drew , if that 's what you really feel , why don 't you stay forever ? contradictory +This is in spite of the fact that little mechanization existed in the Postal Service prior to 1970 and large amounts were added in the 1970s . The postal service used machinery way before the 70s contradictory +for a pair of tennis shoes yeah For a pair of tennis shoes . entailment +If you want to be sure of not catching sight of anything risqu ? ? , follow the local people . Following the locals will help you avoid finding anything risque . neutral +so what kind of camping do you like So I heard from them that you enjoy camping , but what sort of camping ? neutral +Voluntary associations soon learned to put out their message in newspaper formats , to take advantage of the mail . Associations like Goodwill learned to put their message in the newspaper . neutral +Overseas reservations are not accepted . Reservations must be made in person . neutral +May the people forever keep you in their memory , Day as beautiful as glory , Cold as the tomb ! Day as ugly as defeat , hot as the sun . contradictory +These on-site reviews will allow LSC management to identify program weaknesses , engage in effective Corrective Actions Plans oversight , and provide program-specific needed guidance and oversight . The on-site reviews will help LSC management identify program weaknesses and give guidance and oversight , an ability they never had before . neutral +But it 's only $ 19 . It is nearly $ 30 . contradictory +Hemmed into a narrow coastal strip between the Rokko Mountains and the Inland Sea , this port city came into its own after American pressure forced Japan to open to foreign trade in 1868 . This port city became renowned for trade . entailment +Assess the effectiveness of the agency 's workingrelationship with the contractor . The goal is to evaluate the status of the working relationship between the contractor and the agency . entailment +and whether or not to uh institute you know capital punishment where it was necessary and things like that On the question of whether people should be put to death when it 's justified . entailment +The commander in chief has made a commitment on behalf of the United States , and the United States must honor that commitment . The commitment that has been made by the commander in chief of the United States is expensive . neutral +If you take a guide or interpreter with you , it is customary for them to receive a percentage on every purchase you make . Interpreters and guides are paid a flat rate . contradictory +Today the ruins have been well restored ; they are accompanied by an excellent museum of Buddhist sculpture , which you should save to enjoy until last . The museum should be seen first . contradictory +Nobody can make a precise estimate , but a guess is that without Maastricht , France might have an unemployment rate of 10 percent or 11 percent . Without Maastricht , France 's unemployment rate would be 54 % contradictory +Sam 's not going to suit up for service in the Gulf , now or ever . Sam will never suit up for service in the Gulf . entailment +Casino owners are right to take a greater-than-average interest in the workings of government . Casino owners don 't care how the government works , as ignorance often makes them more money than knowledge . contradictory +Opera lovers can enjoy the acclaimed New Israel Opera company here or at the Cameri Theatre , Dizengoff Street . Opera lovers should stay far away from the New Israel Opera company . contradictory +For such a horse as this sí , a man might give a fortune ! The horse is old and lame , not worth anything . contradictory +When he finally succeeded , after a prolonged siege and heavy losses , he punished the local population by cutting off the noses and lips of all men except those who played wind instruments . There were very minimal losses in the siege that barely took any time at all . contradictory +Paragraphs within each section will be numbered consecutively . The paragraphs in each section will not be numbered . contradictory +right i can 't stand that I hate that . entailment +The Return of the Chocolate Smeared Woman ( The Flea , New York City ) . The much anticipated movie about the chocolate smeared woman was opening in theaters this weekend . neutral +In any event , foolishly excessive trade surpluses are a greater danger than foolishly excessive trade deficits . That 's because excessive trade deficits are self- If you run a trade deficit every year , bankruptcy will eventually force you to stop . You don 't have to worry about becoming bankrupt by having massive trade deficits . contradictory +The Commission discusses these comments and any actions taken in reaction to them in the supplementary information provided when the Final Rules were published in the Federal Register on September 12 , 1996 ( 61 Fed . These comments were discussed by the Commission and published on September 12 , 1950 . contradictory +To the left of the high altar is a small chapel whose 10th-century Madonna di Nicopeia , a bejeweled icon also from Constantinople , is said to have healing powers and is a runner-up as Venice 's protective patron after St. Mark . The chapel in its entirety was constructed 50 years ago . contradictory +The three men , the last of the Seven Swords , walked through the mobs of villagers avoiding their looks of fear , confusion , doubt , and anger . There were three hundred villagers . neutral +so not formally informally entailment +what i do is i bowl i am a fanatic when it comes to bowling and i used to bowl five times a week so i really loved it and i still bowl at least once a week now on a league on on a and i 'm bowling on the TI league Bowling is the only sport people should play . neutral +yeah right when it was just starting i heard what was called talking blues which actually is rap and uh it was about the the piece of music the piece of music was about i think about forty or fifty years old and it was incredible i mean the parallels you know between it and rap Some of the most famous rap artists use talking blues . neutral +'I mean , I am not on that man 's side , ' I said firmly . I didn 't speak to him . contradictory +After entering through the Nandaimon ( Great South Gate ) , walk down another long walkway to the Chumon ( Central Gate ) and the inner temple grounds . Visitors can walk to the Chumon from the Nandaimon . entailment +yeah yeah i was i was at a at a party on Saturday and this guy comes up he goes hey how you doing whatever and then he started talking to me and this guy was from Jamaica right and he 's got his little brother selling drugs I bought some of the drugs he offered . neutral +In addition , this guide includes examples from our case study work that best illustrate how each practice enabled the selected organization to achieve the desired outcomes . The guide shows how case study work helped the EPA target pollution issues . neutral +Elaborate carvings on the walls of both buildings depict Amenophis making offerings to the gods in thanks for his divine power . There are carvings on the wall depicting Amenophis offering to the gods . entailment +There are examples of productivity improvements of 9 to 19 percent during the project due to additional efficiencies gained from learning curves . Learning curves can only provide a two or three percent productivity improvement . contradictory +me too yeah that 's interesting That 's not funny because I 'm not like that . contradictory +But the major breakthrough for the Malay economy was the triumph of rubber , when Singapore 's new garden director , Henry Ridle ( Rubber Ridley to his friends , Mad Ridley to all doubting Thomases ) had developed new planting and tapping methods and painstakingly spread his faith in rubber around the peninsula . Henry Ridle , Rubber Ridley , and Mad Ridley are all the same person . entailment +The Industrialist said , " One moment , son . " The Industrialist requested the moment so that he might think . neutral +To make matters worse , she wore braces for years and just got them off . She never wore braces in her life . contradictory +The crowd went silent again as they heard the chain straining . The chain was going to break . neutral +You 'll find herb and medicine shops , incense shops , chop makers ' shops ( makers of Chinese seals ) , and more . There are no restaurants available to eat at . neutral +You planning a trip , Mister Kirby ? Stein peered at him over a pair of old-fashioned , steel-bowed spectacles which perched on his sharp parrot 's beak of a nose . Stein was wearing old-fashioned glasses . entailment +Then the Postal Service could make wide-ranging adjustments of the rates in the subclass , including contract rates for some of the subclass users , as long as the average rate for the subclass does not go below the inverse cap . The Postal Service should charge whatever price it wants without regard for average subclass rate . contradictory +The spear woman 's horse screamed and fell . The horse was badly injured . neutral +Other experts conclude that three actions , taken together , are sufficient safeguards for lack of bias and adequate accuracy . Three actions serve as sufficient safeguards for lack of bias . entailment +And even the promise of universal compatibility has not been completely realized . Compatibility is not measure . contradictory +it does it does it it absolutely does so That is definitely true . entailment +if if you know if he he does do something or you pay attention to this or this is the guy to to blame for this if uh you didn 't like what happened It doesn 't matter if you pay attention of not , this guy is to blame . contradictory +'Charge , ' White said softly . White said ' Charge ' , softly . entailment +The right cannot understand that ordinary Americans sparked the ' 60s cultural revolution . The right understands how ordinary Americans sparked a cultural revolution in the 60s because the right was there at the time . contradictory +But Dala rapidly became slack , repetitious , corrupt , and in the end completely pathetic . Dala changed into an admirable person . contradictory +It really is the thought that counts , and Prudie hopes your in-laws will come to appreciate your thoughtful choices . Prudie hopes your family will honor your choices . entailment +And , for the sake of Kinsley 's ledger , it benefits the bottom line as well . It benefits the bottom line of Kinsley 's ledger as well . entailment +Slate ' s Sarah Kerr says that for someone so bent on unmasking pieties , Smiley is not above her own kind of sanctimony . Smiley is known for hiding pieties and trying not to be sanctimonious . contradictory +We told those white liberals years ago that you couldn 't expect more from Negroes . The white liberals were told a long time ago . entailment +They conclude that , under some circumstances , saving should actually decline slightly in response to population aging . They conclude that savings rates will go up in the coming years . contradictory +Things become almost chaotic , by Marigot standards , when an inter-island cargo scow arrives with haphazardly tethered livestock and straw-hatted voyagers . Things in Marigot become crazy when an inter-island cargo scow arrives . entailment +Whatever their methods , he was convinced that they were doing their best for him here . They were trying their best for him . entailment +Henry VIII and Elizabeth I were determined to subdue Ireland , and sent in massive military expeditions . Elizabeth I sent in a lot of military and used extreme force . neutral +In addition , opportunities may exist that will enhance agencies ' ability to attract and retain talent at all levels . Agencies always benefit from retaining the talent within their organizations . neutral +The divine art of subtlety and secrecy they called it in the south . Southerners valued subtlety and secrecy . neutral +Across the street , Lace ( Tel.702 / 791-0100 ) is a tiny women 's disco in the back of Angles video bar . There is a tiny disco called Lace that only allows women in . neutral +Except for CaleSahona , this part of the island is sparsely populated . Today , CaleSahona is pretty much a ghost town . contradictory +right they just have a good time probably It 's likely a lovely time is had . entailment +i wish that when they sentence someone if they 're going to sentence him to five years then make him serve five years I wish people were held to complete their full sentences unless they received the sentence as a minor . neutral +What is the opening line of dialogue ? The dialogue opens with a line . entailment +The north side of the building has statues by Joseph Banks depicting Africa , America , Asia , and Europe . The north side of building is completely empty . contradictory +Not serious enough to be permanently debilitating , not mild enough to shrug off in a day or two The break up wasn 't permanently debilitating , but it wasn 't easy to shake off either . neutral +and there 's rats in the attic you know There is nothing in the attic . contradictory +yeah is it i i don 't know we don 't uh we don 't It is I who does not know . entailment +For a man just off the trail , Kirby , the Four Jacks does have a few of the delights of civilization . Kirby was just off the trail .. entailment +Also technically true . That 's wrong . contradictory +You 're not supposed to be back until spring . You 're not supposed to be back until autumn . contradictory +Mameluke power was taken by Ottoman Turks in 1517 , but little changed on a day-to-day basis as the Turks preferred to use local people to control their more remote dominions . Although the Turks took Mameluke in the 16th century , they did not want to directly control it . entailment +Here , street vendors hawk pens , watches , and jewellery , and on religious holidays processions pass by on their way from the Catedral de San Nicolas de Bari . Street vendors take advantage of the well placed spot . entailment +Great billowing streaks of flame , snaking to heaven and coiling up the sky . There was no fire , smoke or flames . contradictory +Drive south on the motorway to Villajoyosa , then take the road that leads to Sella . Sella is not from Villajoyosa . neutral +oh wow that 's really that is pretty detailed Wow , that is the most detailed explanation that I 've ever heard . neutral +and uh you know there isn 't that much uh circulation but uh the temperate zone is uh a constant moving uh wind system Circulation is unnecessary for this process . neutral +To accomplish this , a strategy would need to focus on crime and schools . To accomplish this , a strategy would need to look into crime in high schools . neutral +a couple of times a month i guess to see a movie it it 's just getting so expensive I see a movie almost everyday . contradictory +No , I guess we can take it that you were handy and they had too much red-eye on empty stomachs . You were not helpful at all . contradictory +The objectives of our research were to ( 1 ) define and describe the characteristics of a worldclass finance organization , ( 2 ) identify the factors that are essential for finance organizations to improve their financial management and move towards worldclass standards , and ( 3 ) provide case studies which illustrate the efforts of leading finance organizations from private sector companies and state governments to improve their financial management and the overall performance of their organizations . The objectives were realistic . neutral +The sequence has the extra dimension of good It dramatizes and comments simultaneously . The sequence is very one dimensional . contradictory +In the ' 80s , Exxon 's brass visited the Wall Street Journal ' s top editors to complain about the paper 's coverage . He did not want to have so much negative attention . neutral +At 4pm the monks can be observed at prayer , blowing the groaning horns and banging drums and cymbals in a red and gold chapel . The monks hold prayer at a red and gold chapel at 4 pm , where they bang drums and cymbals . The prayer time last about 1 hour . neutral +Julius leaned forward , and in doing so the light from the open door lit up his face . Julius withdrew into the darkness of the room . contradictory +Strictly Tourist Only tourists are allowed . neutral +Rooms 14-16 on the second floor display the finest remaining frescoes found throughout the Minoan kingdoms dating from 1600-1400 . The second floor contains a gift shop while the first floor contains fine frescoes . contradictory +Prior to the game , one million people line Colorado Boulevard to see the fabulous floats in the Tournament of Roses Parade , a tradition for over 100 years . A million people showed up on Colorado Boulevard before the game . entailment +It all seems unpleasant and slightly absurd--the night guard is an excellent form of birth control , as one wearer puts it--but the alternative is losing your teeth at 40 , getting dentures , and gumming your food . A night guard is unattractive but saves your teeth . entailment +Therefore , the amount of cash inflow equal to book value is not recognized as a revenue , a gain , or an other financing source . Cash inflows are only counted as gains after all debts are paid . neutral +5 percent of the routes ( all of quartile 4 and most of quartile 3 ) is not enough to cover the costs of the mail delivered on those routes . The mail delivered on these routes is delivered late . neutral +Their only son , prince Don Juan , died here at the age of 19 , and his tomb lies in the monastery . Prince Don Juan died at the age of 19 . entailment +uh-huh uh-huh it is my children really enjoys it they really do but by the time we really get a chance to it 's July you know and it 's so hot My kid hates it and we do it during July . contradictory +Do you know the saying , We 're all grown-ups here ? I know that you frequently use the saying " We 're all grown-ups here . " contradictory +If gambling isn 't your scene , the Casino entertainment complex goes for the tropicalia quotient with its Copacabana Bar , which has live music Wednesday Saturday , and Rio Restaurant , which stages cabaret dinner shows and Brazilian samba extravaganzas ( Tuesday Saturday ) . There are other things to do at the Casino besides gamble . entailment +When Italians moved the melodrama of their lives indoors , they called it opera . Italians named it opera . entailment +they ought to get it for killing a civilian just as easily as a policeman yeah i agree i don 't know i heard something on the news the other night they were talking about There should be no difference in punishment for killing a policemen or a civilian . entailment +yeah to to actually support it you know it would be just like saying that you know what are what are you crazy i mean there It doesn 't make sense to agree with it . neutral +I have been turning it over in my mind , but I can 't see how it has anything to do with the matter ? " He was silent for a minute or two as we walked along , but finally he said : " I do not mind telling you , though , as you know , it is not my habit to explain until the end is reached . He cleared my doubts as soon as I was done with expressing them . contradictory +Yet events were allowed to proceed to that end . " Nothing was stopped before it went to the end . entailment +we all would say who are in industry and everything we 'd say hey this means business we ought to The industry need more people like us who mean business . neutral +Here , rich Persian culture dictated taste in dress , d ? ? cor , manners , and morals , enriched by the Hindu culture of the Rajputs in literature , cuisine , and sexuality . Rich Persian culture here dictated taste in many things , also manners , said the documentary . neutral +Monti believed that a decision to screen only for patients with severe alcohol problems is premature . Monti was drunk when he made this determination . neutral +Four haiku translated and only 16 more to go for my Japanese final . Only 16 more haiku to translate for my spring Japanese final . neutral +The Astronomer said , " I am afraid my son is city-bred . " The Astronomer was embarrased that his son had grown up in the city . neutral +Thorn cares little . Thorn cares little about battling . neutral +Although it is strictly a part of the Spanish archipelago known as the Islas Pitiusas , or pine-covered isles , Ibiza in fact displays many of the characteristics of the Islas Baleares , or Balearic Islands , of neighbouring Mallorca and Menorca , with which it is commonly grouped . Mallorca and Menorca belong to the Islas Pitiusas . contradictory +He calls for bold liberal reforms . He used to be republican . neutral +I suppose she meant Mrs. Vandemeyer . " There is nothing wrong with how it was written . contradictory +Their efforts are enhanced by five other individuals who are not attorneys and two permanent part-time consultants . Their efforts are improved by five other people who are lawyers . contradictory +Istanbul was forced to recognize this powerful thorn in its side as a semi-autonomous part of the empire , and granted hereditary status to the role of Pasha of Egypt . Istanbul was reluctant about the influence of a foreign body of government . neutral +Rhododendrons and other exotic plants imported from China during the 19th century have created one of the finest gardens in northern England . Rhododendrons are native plants to the north of England . contradictory +In a cruel reversal , it is the white guy , with no tradition to call his own , no history but one laden with guilt and apology , who is truly disadvantaged . The white guy is disadvantaged in society because guilt does not allow expression of problems . neutral +Virtual-reality exhibitions go one step They attempt to create the you-are-there sensation without the objects . There are no virtual-reality exhibitions to experience . contradictory +For 2020 , the adjustment factor is 1.319 . For 2025 , the adjustment factor was 2.43 . contradictory +If you 're going to join in , check the brakia and tires and make sure a strong lock is included . Strong locks always prevent theft . neutral +well i think i just sort of uh didn 't start watching it and then felt like i would have been way too late getting in on the action to figure out what was going on so i never did get involved in it I didn 't get involved with it because I felt like it was too late to start watching it . entailment +Freshwater swamp . Seawater swamp . contradictory +um did someone just come up with this design and and you 're going to make one for yourself or are you going to buy it Did someone just invent this design or has it been around a long time ? neutral +It was moved here from Mespil House and is called the Hibernia Ceiling . The Hibernia Ceiling resides in the Mespil House . contradictory +The realignment reduces the number of issue areas from 31 to 11 . Fixing the machinery helped to fix everything . neutral +I wasn 't much interested in being a corporate lawyer . Corporate law was the only career I could see for myself . contradictory +The animal he rode , the two he led were , at first glance , far more noticeable than the dusty rider himself . He had three horses with him . neutral +the only gripe i have is performance i i probably uh a few girls that i 've gone out with i 've had uh like Mazda RX seven 's and stuff and they 're they 're pretty fun to drive so The Mazda RX 7 is pretty fun to drive . entailment +The mosaic also shows the basilica with the famous bronze horses brought from Constantinople after the Crusade of 1204 ( the ones over the triple-arched main entrance are copies , the originals are kept in the basilica museum since their recent restoration ) . The mosaic was stolen and is missing . contradictory +okay well um let 's see i i think uh there 's a lot of people that don 't vote because they don 't really think their their uh opinion is going to be heard and you know there 's such a small voice and such a huge number of people in the United States and that you know their votes votes not going to make that much difference and whether you vote for one person or the other person the issues is what you know what you believe in and that person is going to have a lot of uh since there 's so many issues this one person can believe a lot of different ways on all of them so I wanted to inspire them to get out to vote for the next election . neutral +um and my reason for that was i don 't like the uh what 's the right word the varied inappropriate influences that you find so much in the public schools That is explained by my dislike of certain influences in public school . entailment +The Wordsworth House on Main Street origina lly belonged to local landowner Sir James Lowther ; the poet 's father John Wordsworth was Lowther 's land agent . The Wordsworth family bought the house from Sir James Lowther . neutral +Times when I was in that Yankee stockade eatin ' th ' swill they called rations I used to dream ' bout them pickles an ' canned peaches an ' crackers with long sweetin ' poured on ' em ! " The food they serve as rations in the Yankee stockade is swill . entailment +but really it 's pitiful Seriously , it 's pathetic . entailment +You were much attached to her , were you not ? " Indeed , you weren 't at all attached to her . contradictory +yeah yeah what was your degree in Don 't tell me what field you have your degree in . contradictory +Of course an actor ” ” But Poirot cut me short ruthlessly . Poirot left me alone and I was thankful . contradictory +These workpapers should be ( 1 ) clear about what steps the team took and what conclusions they reached and ( 2 ) reviewed by staff with appropriate skills or , if needed , technical specialists . The workpapers should be clear about what steps the team took entailment +Then Shuman claims that free software is less tested than commercial software . Free software is claimed by Shuman as less tested than commercial software , but he is wrong . neutral +For what is probably the best original example of Minangkabau architecture , take a side trip to the old royal capital , 37 km ( 23 miles ) east of Seremban on the Kuala Pilah Road . The old royal capital is located west of the Seremban . contradictory +El Escorial is a dramatic monastery , mausoleum , and palace built by Felipe II , and one of the most-visited places in Spain ; and nearby is El Valle de los Ca ? ­ dos ( Valley of the Fallen ) , Franco 's memorial to his reign and soldiers killed in the Civil War of 1936 1939 . El Escorial is a sprawling airport built for Spain 's expanding infrastructure . contradictory +If you want to enlarge your repertoire , however , you might try saying , I don 't believe I know you , and continue on . Your repertoire is based on fooling others . neutral +it is good but it it looks i mean what you can do then see is like what i usually do is i 'll like sit the cauliflower in the middle and then i put the uh shrimp around the outside of it you know on my platter I put the cauliflower outside of the shrimp . contradictory +But there was thunder . There was no storm , but there was thunder . neutral +yeah i i 'd say reading 's probably one of my biggest ones because it 's the type of thing that you can you can do a little bit at a time whereas i would love to do crafts and stuff if i just had the time to do it and Reading 's one of my main ones because I don 't have to do a lot all once , whereas I would enjoy crafts but I don 't have much time to do it . entailment +so to me if somebody has life you know beyond a reasonable doubt they should that should be it you know particularly for some of these really If someone has life , you know , beyond a reasonable doubt , tthey should be then . entailment +The Explorer thought : Business ! The Merchant then said , " They 've lined up to see us off . The explorer was convinced it was gonna be an awful day . contradictory +For example , information related to computer security for a particular program should be excluded from the report because of the potential damage that could be caused by the misuse of this information . Computer security information should publicly be shared with all friends and family members . contradictory +and because of that i see i work with adolescents specifically so i i see a lot of kids with with various problems right now some of the things i 'm working with are kids that are dealing with sexual abuse so a lot of the books i 've been reading uh have to do with with helping them get through uh those issues My adolescent clients are all being sexually abused , so i had to read up on that . neutral +and generally it does work out that way I usually works out that way . entailment +With its economy in disarray , the government introduced a limited number of capitalist measures while maintaining a firm political grip . The government did introduce measures when the economy was in disarray . contradictory +4 ) I 'll go to jail rather than testify against my friend Sid . Sid is guilty of crimes in court . neutral +I agree that your initial ramp-up strategy of having everyone wear more black is an excellent starting point . Everyone wearing more black is a good place to start . entailment +Every time he turns up on the scene--and even when ( as in the case of Kathleen Willey ) he doesn 't--people What 's he doing here ? When he shows up on the scene people cheer . contradictory +In the heart of the modern town , set beside the waters of the Nile , is Luxor Temple , started by Amenophis III in the 18th Dynasty c.1350 b.c. , and embellished by Ramses II in the 19th Dynasty . The embellishment done by Ramses II make the temple one of the marvelous constructions . neutral +oh and a lot of times you can 't yeah Oh and a lot of times you can 't study there neutral +In October 2000 Jennings gave the park residents notice of his intent to close the park effective November 30 , 2001 . Jennings was going to close the park . entailment +If stewardship information were required to be reported in a note to the basic financial statements , it would be subject to the same level of audit scrutiny as that of the basic financial statements . Stewardship information may not be required to be reported financial statements . contradictory +True , it was only yesterday morning that she had parted from Tommy , and she told herself that any anxiety on his behalf would be absurd . She loved Tommy . neutral +Presumably some members of the team , such as the secretary of the treasury and the secretary of state , were not that distracted . Everyone on the team was distracted by something . contradictory +Les Eyzies-de-Tayac is known , justifiably , as capitale de la pr ? ? histoire . There are several alternative names for Les Eyzies-de-Tayac . neutral +If his theory were true , Edmund Hillary 's ascent of Mount Everest would have been motivated by a desire to test new oxygen tanks , and Joshua Slocum would have circumnavigated the world in order rack up frequent-sailing miles . His theory is a ridiculous one and should not be taken seriously . entailment +underlying epidemiological studies to cumulative exposure to PM . There are no studies about the exposure to PM . contradictory +I 'm not being silly . I 'm being goofy . contradictory +That is children 's talk a fable for the police . That is a way to waste police time . neutral +Meanwhile , the convoys with their vigilant wolf escorts migrate north each spring , the grizzlies flourish along the salmon rivers , and the moose munch in Anchorage 's suburban backyards . Moose tend to spend time in Anchorage each spring . entailment +One , two , three , go ! " Tuppence 's little thumb ripped open the envelope , and she extracted the contents . Tuppence ripped open the envelope . entailment +and then i started school you know and like two nights a week i was going to school and then the other two nights a week my husband worked so i had to pick Ryan up you know there 's always an excuse you know to to not do it so There 's always an excuse not to do it because two nights I 'm going to school and the other two nights my husband is working . entailment +right well we go to Maine every fall i have a brother who lives there still and i have a sister-in-law and nieces and nephews so we always have a family family reunion up in Farmington We enjoy the changing of the leaves , and spend a lot of time hiking . neutral +I wish you to take care . ' I am worried about you and hope everything is ok . neutral +Northwest of the VT is the bustling Crawford Market ( known in post-Independence as Mahatma Jyotiba Phule ) . The Crawford Market is Southeast of VT . contradictory +I 'm sorry . I am sorry . entailment +Works such as Raphael 's Bridgewater Madonna , a Rembrandt Self-Portrait , and Vel ? ¡ zquez 's Old Woman Cooking Eggs are only three from a collection that includes pieces by Titian , Van Dyck , Rubens , Constable , Turner , and Vermeer . The collection contains work from world-renown artists like Raphael , Rembrandt , and Velazquez . entailment +Sadly , the average citizen doesn 't seem to understand that financial settlements are not manna from heaven . Everyone completely understand the technicalities and challenges of financial settlements . contradictory +How did you get it ? gasped Tuppence . Tuppence fully expected them to acquire it . contradictory +The justices are floating a $ 42 increase to shore up financing for pro-bono work , as the normal funding mechanism for legal services has fallen short in recent years . The justices think we should fund pro-bono work . entailment +For example , GAO relies on the work of the IGs and other auditors to meet the requirements of the Chief Financial Officers ( CFO ) Act for audited financial statements . For example , GAO doesn 't rely on the work of the IGs , instead , they employ volunteers . contradictory +uh-huh at a at a restaurant or at home At the house or elsewhere ? entailment +It 's important to try to find the ship . We have to look for the car . contradictory +He said , " Not quite . " THat isn 't the case said the man . entailment +If they lost , at least Stark would know what he faced . If the others lose , Stark will at least know what he was fighting . entailment +For the vacationer , the best seaside resorts are along the indented shorelines of the west and south coasts , for which Ajaccio 's airport and harbor ( for the car ferry from Nice , Toulon , or Marseilles ) provide a convenient gateway . Ajaccio 's harbor is too inconvenient for vacationers from Toulon to reach any seaside resorts . contradictory +The agencies planned to increase operating efficiencies and improve services by automating paper-based personnel processes . The agencies wanted to increase operating efficiency .. entailment +If you wish to access the encrypted guide on GAO 's Web site , please send your request via e-mail to digitalguide @ gao.gov. Unfortunately , requesting access to the encrypted guide through email is not available . contradictory +That bit of hysteria aside , it 's not hard to imagine Safire and the Journal waxing apoplectic if the attorney general had asked for a private meeting to warn the president . It is possible that the attorney general could have given the president a heads up . entailment +The hall was used as a barracks through much of its later history before being renovated in 1887 . The hall was renovated in 1887 . entailment +It is difficult to overestimate the importance of the sacred island of Delos during ancient times . The island of Delos is not very important . contradictory +Szwed stresses the musician 's affiliations with a powerful current of black American prophecy . Szwed ignores the influence of black American prophecy on the musician . contradictory +A couple blocks back from the beach , the main focus of attention is a tidy square , paved with black , egg-shaped stones from the beach , and its 16th-century church , with a blue-and-white tiled steeple . The 16th century church is situated roughly a couple of blocks from the beach . entailment +weakness . Fatigue . neutral +i watch the MacNeil Lehrer news hour and i subscribe to the paper on the weekends I subscribe to the paper on the weekends . entailment +In actual fact , Tommy foresaw that it was extremely likely there would be no second taxi . Tommy is trying to hail a taxi . neutral +, hospital admissions for specific cardiovascular illnesses ) . Cardiovascular illness is not a reason for hospital admission . contradictory +Old Jaffa has become the quiet neighbour . Jaffa is still a louder , busier place than its quiet neighbor . contradictory +Both Seleyman and Sinan ( the latter lived to be almost 100 ) are buried nearby . Seleyman is buried nearby , but Sinan is buried in a different city . contradictory +As figure 1.4 shows , saving , both through employer-sponsored pension plans and by individuals on their own behalf , provides a significant part of retirement income . Saving is a significant part of retirement income . entailment +Universal Studios Hollywood ( off the Hollywood / 101 Freeway at either the Universal Ceter Drive or the Lankershim Boulevard exits ) is the area 's biggest draw ; it combines a real working studio and behind-the-scenes tours with amusement park attractions . The biggest draw in the area is considered to be Universal Studios . entailment +1 The use of tap water in the reconstituting of synthetic ( artificial ) seawater as dilution water is discouraged unless it is dechlorinated and fully treated . The use of tap water in the experiment made everything wet neutral +The commercial companies GAO visited used the evolutionary approach as their method for product development . The evolutionary approach is used by the companies visited by GAO . entailment +The first of Grenewald 's painted panels depicts on one side the conversion and temptation of Anthony and on the other the birth of Jesus and a chorus of angels . Grenewald 's painted panels show images of modern day life in the parish . contradictory +It will be the talk of the village ! People in the village loved to gossip . neutral +Good luck to you . Bad luck to you . contradictory +Electricity demand is expected to increase at a rate of 1.8 percent per year over the next 20 years , creating the need for 393,000 MWe of generating capacity . Not increasing generating capacities could lead to disaster in society . neutral +In the 15th century , bloodthirsty mobs raided the synagogue and massacred the Jewish population . The Jewish population of the city has always been welcomed . contradictory +In southern rural areas , such strictures have been accepted , especially as the Taliban has provided a stable environment for the cultivation of poppies . In southern areas , the Taliban have created a stable environment for farming . entailment +These key characteristics can provide insights into what constitutes successful CIO organizations . Examples of these characteristsics include : specialization , high budget , and versatile management . neutral +We made examples of a hand full of them . We punished some of them publicly . entailment +His futile denials would not have convinced a child . He looked foolish making denials . neutral +It also examines man 's effect on the island from his earliest arrival to the present day . The man 's effect on the island changed greatly over time . neutral +As in those analyses , the EPA has not conducted extensive new primary research to measure economic benefits for individual rulemakings . The EPA researched that extensively . contradictory +These 11 organizations included among their membership representatives from federal , state , and local governments ; private companies of varying sizes ; and the academic community . There are 14 organizations with members . contradictory +In 1922 the League of Nations granted the British a mandate to administer Palestine . Other countries attempted to get a mandate to administer Palestine . neutral +What he emphasized about himself were his bad his desire to carouse the night away , to run around with women , to sing loudly and drunkenly , and to smoke his head off . He didn 't realize the characteristics he was listing are bad habits . neutral +In Guadeloupe 's tropical rain forest , it 's worth stopping each time a wooden sign announces a particular attraction . Whenever a wooden sign announces an attraction , it 's worth stopping . entailment +A professor of English at the University of Mainz , Germany , believes she has figured out what William Shakespeare really looked like . Nobody knows what William Shakespeare looked like . contradictory +that 's that 's uh that 's going to be good and interesting for the kids even even cartoons um you you know you you watch uh you watch some of the cartoons and My kids enjoy the same cartoons that you do ! neutral +The Federal Crop Insurance Corporation ( FCIC ) prepared a cost-benefit analysis in connection with the final rules . The final rules were connected with the cost-benefit analysis prepared by the FCIC . entailment +The court found it unconstitutional . The court was pressured to make that decision . neutral +Daily mortality C-R functions for PM10 are consistently lower in magnitude than PM2 . The PM10 mortality rate is at 100 percent . contradictory +and the rest of the time they were outside they had we had a big uh kind of a play house and part of that was their dog house it was kind of cordoned off The dogs were kept separate in their own area . neutral +On the Riviera , try Rapallo , San Remo , or Garlenda ( near Alassio ) . Rapallo is closer to San Remo than Garlenda . neutral +when you have your slow readers but it it wasn 't too bad we we got along real well The readers here were very fast . contradictory +Then there are the Musee de l 'Homme in the Palais de Chaillot ( Trocad ? ? ro ) , devoted to man 's prehistory ; the Musee de Cluny ( 6 Place Paul-Painlev ? ? ) , for the great Lady with the Unicorn tapestry and also for sculpture of Paris 's Roman and Gothic past ; Musee Guimet ( 6 Place d 'I ? ? na ) , a superb collection of Indian , Jap ? ­ a ? ­ nese , and Chinese art ; Musee de l 'Affiche ( 18 Rue de Paradis ) , for advertising posters of the past and present . The most popular sight in the Musee de Cluny is the Lady with the Unicorn tapestry . neutral +Come back early in the morning to the covered 20th-century , neo-Gothic Pescheria ( fish market ) and its adjoining produce market . The fish market ( called the Pescheria ) and the produce market should be visited at day break . entailment +Attorney General Janet Reno didn 't get it and give it to Senate investigation chairman Fred Thompson until his hearings had ended . Fred Thompson skipped his hearing and Janet Reno missed him on the way out . contradictory +He said the commission was to meet in Phoenix on Dec. 7 to finalize its report for the ABA 's general meeting next spring . The report for the ABA will be finalized in Phoenix . entailment +Caverject , the prostaglandin injection sold by Upjohn , gets a rouse in nine men out of 10 , but 40 percent of those who use it abandon the drug within months of beginning their therapy . Caverject is prostaglandin injection . entailment +it was it was a new situation It was not a new situation . contradictory +yeah oh you in college Are you in college this semester ? neutral +There 's a little trick that you can use called [ a ] continuing resolution that continues spending at least year 's level . A continuing resolution sets spending levels at last year 's . entailment +Many studies have documented the presence of alcohol among patients admitted to emergency depart-ment1-5 and trauma center6,7 settings . About 80 % of patients taken to the emergency and trauma centers are drunk . neutral +Carefully husbanded , forty pounds will last a long time . Forty pounds of food can last a long time if you eat it slowly . neutral +She proposed that Bush simply be underwhelming , making one moderately serious gaffe to fuel concerns about his preparedness for office while also exceeding expectations . She suggested that Bush be calm . entailment +While islanders of all ages love to dance , you may have to search a bit nowadays to find the gay and flirtatious biguine , the romantic Creole mazurka or mazouk , the sensually suggestive calenda . The calenda may be found in bars by the beach . neutral +Missed our link to the sidebar recapping the Ravenswood case ? The sidebar recapped the Rosenwood case . contradictory +Indian entrepreneurs developed their own cotton mills in Bombay , Ahmedabad , Kanpur , and Madras , but the new tea gardens were a strictly British affair . The tea gardens were a British affair , the cotton mills a German one . contradictory +yeah well i don 't have that a lot of times if i 've got a dollar in my wallet it 's like boy where do i go where did where 'd i find that I usually stuff my wallet with hundred dollar bills . contradictory +Maybe eBay just makes me giddy . Auction sites are a scourge on humanity . contradictory +If my dog is reading this , he 'd better run now . My dog should be scared of the things written here . entailment +San Isidro has a massive dome , a single nave and , among many relics , the revered remains of the city 's patron saint , San Isidro Labrador . San Isidro is a domed cathedral that houses artifacts and is named after a saint . entailment +it 's it 's been a while since i 've read any biographies I have not read any in a long time . entailment +But he was undone by the chronic unrest of his subjects . He had a lot of unrest in his subjects because they thought he made terrible decisions . neutral +She was small , like the rest of them , but full breasted and with wide hips . She was small like everyone else but had full breasts , wide hips and long legs . neutral +thank uh federal judge named William Wayne Justice Thank William Wayne Justice . entailment +Exploiting the newly dead sounds ghoulish , but the medical establishment rationalizes the practice--at least in private--by saying that it 's better than letting interns fumble on live patients . Medical interns practicing on fresh cadavers seem creepy , but hospitals say it 's better than letting them work on live patients . entailment +Ladies were not always very well versed in legal knowledge . Women have played more of a role in the legal system than men have . contradictory +Another scheme , reported by the Chronicle last May , was the case of a fast-talking ex-convict who convinced dozens of professors that he was the nephew of esteemed Berkeley race and sports sociologist Harry Edwards . Last may , the Chronicle reported this scheme after their reporter accidentally stumbled upon secret data , which got in life-threatening danger . neutral +Agency Comments As required by generally accepted government auditing standards , GAO provides responsible agency officials and other directly affected parties with an opportunity to review and provide comments on a draft of a report before it is issued . The GAO is a respected organization which has a history of helping agency officials review drafts . neutral +she and she had drank all her iced tea and she She had finished drinking her hot chocolate . contradictory +migrant labor camps oh my God they live in cardboard boxes They live in mansions in the migrant labor camps contradictory +Pakistan accused India of playing politics with the hijacking . India accused Pakistan of faking politics results . contradictory +i have uh my first one 's in my Bachelor 's in Chemistry and my Master 's in Physics and in uh in Management uh uh uh quality management i 've been in i 've been in quality management with TI and engineering management and and uh I 've been in management for over 3 years . neutral +In a.d. 711 a great Muslim invasion fleet from North Africa crossed the Strait of Gibraltar . In a.d. 711 , a Muslim invasion came from Saudi Arabia . contradictory +It is found only on the peninsula . It is not found on the peninsula . contradictory +Also in the vicinity is the tiny , atmospheric chapel dedicated to Nossa Senhora das Neves ( Our Lady of the Snows ) . 'Our Lady of the Snows ' could be based on a local saint . neutral +I 'm not sure precisely why you favor the overblown megabookstores over Amazon . You prefer megabookstores because you 're afraid of change . neutral +Whittington 's your man . " Whittington is not the guy you want . contradictory +The new Irish Music Hall of Fame ( IMHF ) , 57 Middle Abbey Street , presents concerts and other events , along with its exhibits and audio-visual tour through the history of Irish pop music . The new Irish Music Hall of Fame has an AV tour of Irish pop music through history . entailment +You won 't envy the men and women you see working in the fields under the blazing sun , but they 're never too tired to return your wave with a smile . The people who labor outside are optimistic and kind . entailment +The CIOs of these divisions work together , leveraging opportunities for shared IT products and services so that each unit can invest fewer dollars to accommodate common needs . CIOs of these divisions normally don 't work together if they can help it . neutral +What the current fixation on teen-agers really shows is that adults are just as confused and ambivalent about their rights and their responsibilities as their kids tend to be . Adults and kids are both confused . entailment +Not much cattle here , Rivas returned . Rivas had many years of experience and could make out how much cattle was in the area . neutral +Jazz is popular in Istanbul , and many bars and clubs have live bands performing over the weekends . In Istanbul , Jazz music is unpopular . contradictory +Helen Gurley Brown , about the many plus sides to sexual harassment . Helen Gurley Brown talked about the plus sides to Sexual Harassment . entailment +Before the balanced-budget accord , the GOP framed all opposition to its budget cuts as fiscally irresponsible conduct by people committed to everlasting deficits . The GOP supported budget cuts across the board . contradictory +when i do um crochet it 's usually the lacy Victorian type I 'm not aware of any types of crochet . contradictory +Throughout history , the natives of this region carried on life in relative isolation from the rest of the country . The natives of the region often travelled to other parts of the country . contradictory +Even when the war ended , the hardship continued . The hardship ended once the war did . contradictory +Such comparisons of when key actions occurred , how well ( or poorly ) they were carried out , and what influenced both timing and quality of performance can be particularly helpful in case studies of program implementation . Comparing actions is not helpful at all in a case study . contradictory +many federal agencies , such as the Social Security Administration The Social Security Administration is a local agency . contradictory +On some of everything ? Everything as in all things related to this subject ? neutral +That would be consistent with what we know about changes in the character of women 's education and their distribution among occupations . That doesn 't align with the data we collected about women 's education . contradictory +Results in Brief A short summary of the results . entailment +Sesame Street comes on from like nine to ten which is a good time and everybody is up and had breakfast and dressed and ready to go so it 's the timing of of it is good besides the amount what 's on Sesame Street comes on at a great time of day because everybody has just eaten breakfast . entailment +As our January 2001 Performance and Accountability Series reports made clear , serious federal human capital shortfalls are now eroding the ability of many federal agencies-and threatening the ability of others-to economically , efficiently , and effectively perform their missions . Some federal agencies are at risk of shutting down because of the shortfalls . neutral +However , the census bureau 's adjusted estimates for 2001 show an increase in poverty nationally . The censes bureau 's adjusted estimates show that poverty went up 25 % . neutral +He was a fat man with sausage fingers . He was a skinny man with bony fingers . contradictory +But it is too late ! There is no time left . entailment +Called garum , it was considered a great delicacy by Romans and Greeks alike . Garim was a delicacy for Romans and Greeks . entailment +but we do don 't we We do entailment +We eat eccentric meals and enjoy sex and drugs with our film business colleagues , all of whom look fabulous courtesy of the surgeon 's art . Film business colleagues enjoy eating eccentric meals . entailment +because i mean crawfish everybody over here likes crawfish but you know i i wouldn 't have to worry about satisfying my Everyone that 's over here loves crawfish . entailment +um yeah well i don 't either and it 's certainly foreseeable the Kurds have always been that way and every time they try something they they get the partner my French they get the crap kicked out of them and The Kurds have always been aggressive . entailment +Later , in her tiny cubicle at the top of the house she munched buns and reflected on the future . She 's always lived on the streets , and doesn 't think about the future . contradictory +then i mean all all of us are going to answer to it one day maybe or maybe not i don 't know i mean no one 's said for sure you know Nobody will answer to that , nobody needs to do it . contradictory +I also have a more specific that a President Gore would give undue credence to the views of his favorite pop science heroes and their friends . President Gore loves his friends . neutral +Cresting on one side was the darker black moon , the demon moon . The moon was very dark . entailment +But had Dole won the election , our policy would almost certainly have remained the same . The policy would not have changed if Dole had been elected . entailment +well i i don 't think that it 's it 's wrong for a company to require drug testing for certain types of positions for instance jobs that require use of heavy machinery and things like that where there 's where there 's uh endangerment to their own life and other people 's lives I don 't think it 's wrong to require a drug test for a job . entailment +'Senseless . Doesn 't make sense . entailment +Unemployment benefits are reimbursed by the former employer entity Employers never have to pay for their employees after they 're finished working . contradictory +and never had a chance really to get back to boating again I wish I could go boating every weekend . neutral +Girls in such androgynous gear looked ready for any adventure . Girls wearing the gear looked like they were ready to climb the mountain . neutral +Sersa Garm , an apprentice to Ser Perth . The name of the apprentice was Sersa Garm . entailment +which means that if you have a good year winning one run one run games that the following year you 'll have a bad year and they they 've got um they 've looked at i think twenty three teams uh and and the uh the statistics are something like twenty one out of twenty three it was which means that the Rangers are going to have a terrible year i think Their statistics are usually good at predicting teams ' performances . neutral +Information technology ( IT ) has become integral to providing government services , and the management of information in the federal government has moved out of the back office and off the mainframe into the home and office and onto the Internet . IT is integral to providing government services to the poor . neutral +I hit you with my rapier but imagine if Thorn had parried with his blade . I hit you with my little sword . entailment +This number was exceeded by another officer who sent 220 heads . An officer did not exceed the number . contradictory +An article says the United States must not sacrifice its democratic ideals in order to sell a few more Big Macs . Selling a few more Big Macs would certainly sacrifice the United States ' democratic ideals . neutral +Moyers ' defenders say that television has enough strife elsewhere ( very little of it illuminating ) and that it 's important that the airwaves offer a civil forum like Moyers ' . Moyers makes his guests mud wrestle . contradictory +OTHER RETIREMENT BENEFITS ( ORB ) - Forms of benefits , other than retirement income , provided by an employer to retirees . There are no benefits available to employees when they retire . contradictory +it 's hard to say i 'm sort of a very big Twin Peaks fan and beyond that i just sort of watch anything that happens to be on i 'm i 'm half the time i 'm a TV addict and the other half the time i just ignore it it 's really bad yeah there 's some new shows that i sort of like um have you seen this Shannon Steel Show or uh it 's about a lawyer it 's one of these lawyer shows you know they they seem to be popular these days and then there 's just a lot of those sort of Blair shows floating around I got rid of my TV last year . contradictory +In the end , I had to leave everything unbuttoned . I even left my pants unbuttoned . neutral +The Peak Tram , originally steam-powered , was built to speed the wealthy taipans to their mountainside retreats . The Peak Tram was originally powered by Diesel . contradictory +Still , when more than 70 percent of the poor 's legal needs are not being met , much remains to be done , the report points out . All the legal problems of the poor have not been solved . contradictory +The Explorer grasped the thick bars . The thick bars were grasped by him . entailment +The resort is situated 32 km ( 20 miles ) east of Paris , close by Marne-la-Vallee . The resort is located east of Paris and near Marne-la-Vallee . entailment +The Emerald Coast 's 70 km ( 43 miles ) of rugged cliffs and caves alternate with quiet resorts offering sandy beaches . There are quiet resorts that have loud parties . neutral +How are Thorn and the Kal , thought Jon . Jon wondered about Thorn and Kal . entailment +Who are these people ? we know who these people are . contradictory +The film portrays the sentencing , and then a prison visit where Althea weeps , Our bed is so empty . There is no prison visit scene after the sentencing in the movie . contradictory +Conrad stumbled out , swearing . Conrad walked a straight line . contradictory +The supply curves of workshare services , shown in Figure 4 , are less informative . The supply curves of workshare services are shown in the 4th figure . entailment +what about your car What are you doing with your car ? entailment +They are cut from a horseshoe-shaped cliff standing 75 m ( 252 ft ) high above a narrow gorge , which has a small stream running through it . A small stream runs through the horshoe-shaped cliff where they 're cut . entailment +The Legal Services Act was adopted to provide effective legal representation to low income persons . The Legal Services Act is concerned with low income people . entailment +In Switzerland , the weekly Sonntagszeitung ( Sunday Newspaper ) reported a Swiss-American company called White Star Line Ltd. is to build a safe but otherwise exact replica of the Titanic to make its maiden voyage from Britain to New York in the year 2002 . The newspaper in Switzerland reported about a replica of the Titanic . entailment +but there uh well as a first time home buyer i know what you mean there 's a lot of things you 're not sure about what to look out for the only really trouble we 've had with our house is the seals breaking between the double panes and water moisture It 's hard to know what to look for as a first time home buyer and we have had some problems but they were easily resolved . neutral +yeah i like that one um i haven 't seen it in a while I saw that one a few times long ago . neutral +The island is surrounded by coral reefs and reef walls , which provide shelter to hundreds of species of sea creatures and recreation to divers and snorkelers . There are coral reefs near the island . entailment +Later , Tinkerbell soars above the castle to ignite a splendid fireworks display . Tinkerbell ignites an array of fireworks at the base of the castle . contradictory +Multi-day models are often referred to as distributed lag models because they assume that mortality following a PM event will be distributed over a number of days following or lagging the PM event . Distributed lag models are multi-day models . entailment +Mauricio Vivero , a spokesman for the organization , said Subia made a great impression on everyone at the meetings . All 300 people at the meeting thought Subia was great . neutral +Amounts included in this report have been converted to U.S. dollars using the following exchange rates , effective April 16 , 2001 , for one U.S. 0.697064 British pounds , 1.95665 Australian dollars , and 2.43533 New Zealand dollars . While these exchange rates tend to fluctuate up or down , they generally remain within a certain average . neutral +This top-level support is especially critical given that an investment of time and money is often needed in these types of efforts . The support is critical from the top because investment is needed . entailment +The sunny He was as noble in real life as on television . His noble personality stays and remains on the television screen . contradictory +The World Bank , the CIA , and other China sources are just one click away . The World Bank , the CIA and other China sources are accessible through the internet . entailment +But in 1912 , when a group of developers built the Beverly Hills Hotel ( 9641 Sunset Boulevard ) , everything changed . The Beverly Hills Hotel had a huge impact on the area . entailment +He held audience , surrounded by nobles , at midday , while common petitioners attended in the courtyard below . He always held audience by himself , preferring the shadow of night to do so . contradictory +but i 'm sure that 's fun If it 's the same as last time I tried it , it will be fun . neutral +He awoke as the sky lighted into deep violet and began his trip through the crags . He started to travel at daybreak . entailment +He is not better than a trained or ' insider ' artist , writes Stevens , but he taps sources of power now lost to sophisticated art . Stevens thinks he is better than all trained artists . contradictory +One of the reasons they cited was defeatism about alcoholism management . There is an acceptance of defeat when it comes to alcoholism management . entailment +These workers would be able to secure jobs from the H-2A employer during the first half of the season because H-2A employers must provide a hiring preference for U.S. workers who apply for a job during the first half of the season . Most of these jobs offer substandard wages and receive few applicants . neutral +Tuppence gave one last despairing moan . Tuppence moaned one last time . entailment +Taliban leaders declared a holy war against the various warlords who carved up Afghanistan , and preached the role of strict Islamic rules as a unifying force . Taliban leaders declared peace and indicated the distractive force of Islamic rule . contradictory +Researchers announced that Spironolactone , a 40-year-old , inexpensive medication used to treat water retention , cut death from congestive heart failure by 30 percent in experimental trials . Spironolactone is 80 years old . contradictory +The figures decorating the basin are rarely seen in Muslim art , since Islam forbids human and animal representation . Figures are commonly seen in Muslim art . contradictory +In the adjoining St. Patrick 's Park is a marker showing the site of St. Patrick 's Well . St. Patrick has a park and a well . entailment +( There had been a large headline : EX-V.A.D. The headline about Ex-V.A.D. was written in small font . contradictory +Period costs related to stewardship PP & amp Period costs are related to stewardship in organizations . entailment +According to the National Enquirer , Jack Nicholson accidentally hit his 7-year-old son 's Shih Tzu with a golf club ; the pup reportedly recovered after receiving 57 stitches to the abdomen . The National Enquirer said Nicholson intentionally murdered a dog . contradictory +Expense data are expressed in nominal dollars for the fiscal year being reported upon and the preceding 4 fiscal years . Expense data are expressed in nominal dollars for the fiscal years . neutral +Data will be presented for all programs for the base year and at least 6 years subsequent to the base year , summarized in sufficient detail to identify , at least , ( 1 ) receipts by major source ( e.g. Data will be presented for at least six years and summarized in tables . neutral +In that case , five should be confirmed overwhelmingly . The case was about whether or not to go to Mars . neutral +Most beaches protected from the open ocean have rowboats , canoes , or pedalos for rent by the hour . There are no beaches protected from the open ocean . contradictory +Ser Perth was closer than the others , studying the marks he made . The marks were long gouges made with a knife . neutral +uh i i execute on a three eighty six machine that is attached to the mainframe as a server as a intelligent work station but i use it I don 't do any IT work . contradictory +( Doonesbury ' s Duke character is not the only Thompson cartoon . Thompson is an accomplished cartoonist . neutral +However , while we are observing significant environmental improvement , power generation still contributes 67 percent of SO2 , 25 percent of NOx , and 37 percent of man-made mercury . The power generation contributes a lot of man made mercury . entailment +He sent Drew to Kaintuck for schoolin ' . Bill sent Drew to Kaintuck to be taught how to fight . neutral +He deserves the $ 400,000 he gets for each painting because he 's such a good guy . He could be making more than $ 400,000 for each painting but he is too good of a guy to ask for more . neutral +The paper says Clinton denied sexually harassing Jones or anyone else . The paper says Clinton denied sexually harassing Jones entailment +I did the usual stunt . I did the usual stunt . entailment +We recognize that federal agencies , including GAO , might be able to achieve some additional savings by taking more advantage of frequent flyer miles for government travel . Federal agencies could save up to 15 % on travel costs annually by using frequent flyer miles . neutral +The great popular attraction , situated in the southern arm of the transept , approached through the Portail de l 'Horloge , is the 19th-century astronomical clock with its elaborate mechanical figures that appear with chimes at 12 : 30pm . The 19th century astronomical clock chimes at 12 : 30pm every day . entailment +the only thing i i know they give it for is shooting a killing a cop or you know assassination of the President and and something big you know They give it for shooting a cop or assassinating a president . entailment +He stood relaxed , watching the carnage around him and smiling . He seemed to relish in watching the mayhem around him . entailment +China , too , is just a nation like any other , with ambitions and fears , strengths and weaknesses . Just like any other nation , China also has national concerns . entailment +The heart of the city is Viejo Madrid , Old Madrid , a largely 16th-century city built upon the layout of narrow , winding streets of an old Moorish settlement . Old Madrid was mostly constructed during the 16th century . entailment +For many years it was the longest bridge in the world , and the huge structure seems to overshadow the town , which sits on the banks of the river below . It was never the longest bridge in the world . contradictory +Another caution that must be raised with this particular approach is that all LSC-funded programs engage in a wide range of very important activities that do not fall within the definition of case , which would thus not be included in valuing the program 's services . LSC-funded programs provide immeasurable value to the communities they serve . neutral +The CIO and supporting organization must have active support and commitment at the very top of the enterprise or they will remain limited and tangential to the business , despite their potential contribution to mission accomplishment . The business venture is a complicated and difficult process . neutral +Some one who 'll be good to me . Some one who will mistreat me . contradictory +Runaways or not , they will put up a fight . Despite their being runaways , they will fight fiercely . entailment +I had what I needed : A few desks , a few drawers , and not enough floor to sprawl on . Although I had what I needed the room was too cramped and lacked floor space . entailment +The whole island takes part in the Skyrosearnival , an annual event that takes place in the days leading up to Lent . The island is mostly dead other than those days leading up to lent . neutral +A serene statue of the Virgin Mary ( 13th century ) stands in the north arm of the transept . There are no statues of any kind within the transept 's north arm . contradictory +that 's sad well it was nice to talk to you I am so happy and it was terrible talking to you . contradictory +Right now , I 'd settle for a creative genius who could teach us how to think about the population problem . I have no interest in hearing views about the population problem . contradictory +My poor aunt what lives in the country has been mortal bad for a long time , and she 's asking for me with her dying breath . " Tommy nodded approval . Tommy nodded . entailment +Commercial companies demand knowledge from virtual or engineering prototypes , 90 percent of required engineering drawings for the product supported by test results , demonstration that the product meets customer requirements , a series of disciplined design reviews , and stakeholder agreement that the design is stable and ready for product demonstration before a commitment is made to move forward and invest in product demonstration . The knowledge provided by virtual prototypes is demanded by commercial companies . entailment +With a great thump on the table , Poirot demolished his carefully built up edifice . Poirot demolished the edifice on the table with a thump . entailment +One day a wall collapsed and killed six of the slaves . Six of the slaves were killed by the wall collapsing onto them . entailment +For each US household can compute an estimate of its own-price and crossprice elasticities of demand and the expenditure elasticity of demand . No household can estimate its own price contradictory +Encourage personal investment in postsecondary education If you don 't encourage person investment in postsecondary education you will fail . contradictory +Some journalists wrote scathingly of me , Mitchell , [ former Texas Gov. ] Ann Richards [ also McPherson 's partner ] , because we had agreed to do that . None of the journalists bothered to write anything about them . contradictory +I will see you in six moons . I will be back in six nights . entailment +because i know i certainly wouldn 't want to uh you know be endangered by somebody in a company that accidentally dropped something on me or you know because he was on drugs while he was there I think that people on drugs can endanger me on accident . entailment +Up the coast , Le Francois is a curious blend of typical wooden homes and modern apartment buildings spreading down toward a pretty bay and a lazy marina . Le Francois is a large area with different neighborhoods . neutral +VA did not identify any other statute or executive order imposing procedural requirements relevant to the rule . The VA stands for Veteran 's Affairs , an organization dedicated to helping retired soldiers . neutral +i believe that I do not buy that at all . contradictory +Her face stiffened . Her face relaxed . contradictory +yeah i know what you mean i uh when i was in Dallas i was supervisor and i had uh four non exempts um under me I haven 't ever been a supervisor . contradictory +Once the electronic data are received centrally , the examination process could be more automated . Humans have to do all of the work for the final exam process contradictory +Labor costs constitute more than 80 percent of the agency 's expenditures--a figure that has remained steady since 1970 , despite the billions of dollars spent on automation . The agency spends a lot on labor costs . entailment +From this spectacular point , the view is outstanding . The view is great from here . entailment +Yes a bargain . That 's a bargain , yes . entailment +Congress gives agencies flexibility over the timing of spending by varying the period of fund agencies may receive one-year , multi-year and no-year [ permanent ] funds . Congress always specifies exact dates when agencies must make purchases . contradictory +Adrin vomited . Adrin threw up . entailment +But it doesn 't have a search mechanism , it doesn 't have a scheduler--and it costs $ 30 . The cost is $ 30 . entailment +I was afraid that talking too long might break the spell , or blow my cover . I didn 't want to blow my cover by talking . entailment +Bassenthwaite Lake , just under 6 km ( 4 miles ) in length , lies to the northwest of Keswick . Bassenthwaite Lake is only 5 km long . contradictory +That way , a freshly fired doctor and a brother of world-renowned Dr. Perennial , landed in a puddle , an event which thrilled students sitting nearby , who promptly began to film it with their mobile phones with the intention of posting the footage on funnnyvideofilmsfrompoland.com. Dr. Perennial has a brother . entailment +Before you leave Mount Zion , visit the Chamber of the Martyrs , an independent memorial commemorating the sacrifice of millions of Jewish lives in the Nazi Holocaust . The Chamber of Martyrs was built to remind people to stay away from evil . neutral +The essence of Saint-Tropez has always been the parade of people along the Vieux Port , nipping in and out of fashionable boutiques , on and off flashy yachts , and table-hopping through the cafe . The citizens rarely work . Instead , they choose to pass their time in leisure . neutral +The second was of the working classes , and his face was vaguely familiar to the young man . His face looked similar to the young man . entailment +Lake Grasmere ( 11.2 km / 1 mile long ) and Grasmere village lie below a circle of rounded hills . Lake Grasmere , next to Grasmere Village , is extremely large at 11 miles long . contradictory +Alongside the garden , the Church of All Nations is best seen in the afternoon when the sun 's rays bounce off the brilliant mosaic facade . The Church of All Nations has a blue and red mosaic facade . neutral +well my wife and i we first we were in Barcelona and we bought like we found this really great cafe that it was like a delicatessen There were no good cafes there and we were very disappointed . contradictory +Red frowned . Red frowned . entailment +okay Jay um could you tell me uh what your thoughts are about crime Jay , what are your thoughts about sports . contradictory +When you run for president , you 've got to think of the whole country , not just your own state . No one ever considers the country when running for president . contradictory +Using our econometric model , we can compute an estimate of any US household 's demand for postal delivery services given its M and A , A , .. It is possible to estimate. a household 's demand for postal delivery . entailment +yeah well we 're feeding starving kids overseas but we 're not paying any attention to the ones that are starving next door you know it 's really sad We wait until we 've fed the kids next door before giving foreign aid . contradictory +and um i i think i think that what one thing that was that they were really concerned with probably was the fact it wasn 't necessarily you know like the quantity of care but the quality of care that the people that work there were very They were mainly concerned with the amount of staff , and how much attention they would receive . contradictory +Though physically part of the Louvre , the Mus ? ? e des Arts D ? ? coratifs is a separate museum with its own entrance at 107 Rue de Rivoli . The Musee des Arts D ? ? coratiffs is technically a part of the Lourve , but has its own entrance . entailment +While there are several unknown variables which could effect the total cost , EOIR estimates that the annual cost could be as high as $ 25,000,000 including $ 21,300,000 for hiring new immigration judges and legal support staff . One of the unknown variables that affects cost is immigration policy . neutral +well that 's a shame That is good for everything . contradictory +uh-huh yeah i 've read a lot of his too Yes , I have read lots of his as well . entailment +White and I met down in the basement , over a game of chess . I won the chess game . neutral +unless a lot of the people who who who are eligible to vote have no transportation and and and It doesn 't matter if people don 't have transportation . contradictory +The legislature 's involvement was precipitated in 1996 by the reported amounts of improper payments in Texas ' Medicaid program ( estimated to range from $ 365 million to $ 730 million , or 4 to 8 percent of total expenditures ) and Temporary Assistance for Needy Families ( TANF ) and Food Stamp programs ( estimated at a total of $ 222 . In 1996 , it was reported that 4-8 % of expenditures were improper payouts . entailment +Jon barely managed to draw his off-hand dagger and parry the blow . Jon was alone . contradictory +45 Even without prior boilermaker experience , some of these iron and steelworkers could choose to move to boilermakers with much less than a full four-year training requirement because of their knowledge and skill level . Iron and steelworkers can undergo training to switch to boilermakers . entailment +Melaka 's Baba Nyonya Chinese quarter is a great place to hunt and bargain for old porcelain imported from southern China , antique silver or jade bracelets , and , if you can find a way of shipping it home , a piece of furniture from the colonial days . Melaka 's Baba Nyonya Chinese quarter sells old porcelain , antique silver or jade bracelets , and furniture . entailment +that 'd be interesting because i um i actually um um i 'm i 'm i 'm Jewish and i 'm actually sort of not not not not not really a Zionist per se you know i 'm not That 'd be interesting because I 'm Catholic . contradictory +But admitting that people 's happiness depends on their relative economic level as well as their absolute economic resources has some subversive implications . Money is not the root of happiness . neutral +If the passthrough were over 100 % , a result for which some parties argue , the discount would be larger and we would say that we are moving from rate category treatment toward subclass treatment . The parties are all in full agreement . contradictory +Severn grew tense . Severn was anxious and stressed . neutral +uh then what happened so we go a little bit further than that uh and i uh uh i was single then later i got married and i had my two season tickets and they were in the Cotton Bowl in the first row in the upper deck on the fifty yard line uh which was really nice and uh in the early days uh you know ten twelve fourteen thousand people i 'm talking about sixty through about sixty four I took my husband with me to the Cotton Bowl and he enjoyed it . neutral +Well , no . No thank you . neutral +uh-huh i don 't know I don 't know . entailment +Many responses remark on our sedentary youth , barely able to leave the couch , let alone the house , sedated by the television , the Nintendo , the ennui , the Quaaludes . The remarks are only about how active and outdoorsy today 's youth are . contradictory +This area has fallen into decay , but there are still vestiges of its fine history to be seen . This area has fallen into decay because the villagers became very poor . neutral +The most straightforward way to put choices back into families ' hands would be to sever the connection between health insurance and work . If heath insurance wasn 't connected to having a job families would have more choices . entailment +In the U.S. , power plants emit significant amounts of air 67 percent of all sulfur dioxide ( SO2 ) emissions , 37 percent of mercury emissions , and 25 percent of all nitrogen oxide ( NOx ) emissions . In the U.S. , the power plants contribute greatly to emissions pollutants . entailment +well of course being raised on the water i 'd never swim in it I 've never had the chance to learn how to swim . neutral +they use the the injection thing or whatever it is They use an I.v. In lethal injection . neutral +In addition there is an artisan 's workplace , and you can visit archaeological sites still under excavation . There is a local museum that displays the latest finds from the past month . neutral +Popular history need not come at the expense of thoughtful reflection and serious research , but Johnson 's zingers are too often substitutes for those qualities . Johnson should spend more time in research and reflection and less time trying to win points . neutral +However , these canoe rides actually focus on the more visible bird life along the river banks egrets , ducks , storks , kingfishers , eagles , and scores of other fascinating birds . However , these canoe rides actually focus on the less visible reptile life . contradictory +uh-huh how did you get involved When and where did you come in ? entailment +and nobody ever showed us or anything so i didn 't vote because anybody that went in there and they asked a question all the other kids laughed at them they thought that was funny oh she don 't even know how I didn 't vote because I didn 't understand anything about it , and I wasn 't really interested either neutral +In response to a voice from within , she turned the handle and walked into a small rather dirty outer office . She walked away in response to a voice from within the office . contradictory +Inland from the Atlantic coast ' Aquitaine , Dordogne , P ? ? rigord ' the southwest is rich in farming and vineyards . The northeast has all of farming and vineyards for the country . contradictory +The FBI then issued a statement contradicting Clinton . Clinton was contradicted by the FBI 's statement . entailment +But don 't fret , son . I 'll take care of it . neutral +Ornithologists , bring your binoculars . Bird lovers should bring binoculars . entailment +Is Tuppence found ? " Julius shook his head . They scratched their head . contradictory +This is a case instance . This has no means to be considered a case . contradictory +The Muslims tried to purify the Islamic practice of the Hindu rituals which had accrued over the years . The Muslims didn 't care if Islamic practice came to include Hindu rituals . contradictory +It is not worth an elevenfold risk of crashing . The risk of crashing goes up greatly when you do this . entailment +You haven 't really proposed now , pointed out Tuppence . Tuppence pointed out , " You have not really asked me to marry you so you had best get to it . " neutral +Sure , you and your shareholders have done fine . The job you and your shareholders have not completed a satisfactory requirement . contradictory +right right do you uh normally read the newspaper every day Do you watch CNN every day ? contradictory +so how about you oh that 's good That is nice to hear . entailment +There is little else we can do to defend this place , said San 'doro . San 'doro said there 's little else we can do to protect this place . entailment +Robert the Bruce continued to harass the English until they were forced to sue for peace . Robert the Bruce was a powerful bully , who attacked the English . neutral +' But I always say to this person , be wary and be cautious . I always warn this person to let go of their ambitions and be wild . contradictory +The rice was undercooked , and the sauce was a viscous , grainy gel . The rice was cooked to perfection , and the sauce was wonderful . contradictory +It has one of the prettiest settings of any temple in Egypt on a knoll by the side of the Nile with views both up and downstream . The temple has river views . entailment +where are you going to school Where do you go to school ? entailment +For example , raising the retirement age reduces benefits and could induce some individuals to save more now in order to retire before they are eligible for Social Security . Raising the retirement age reduces benefits . entailment +German and Koch adopted three sisters from Costa Rica not long after their marriage in 1985 . Koch and German got married in 1985 and then adopted three girls . entailment +yeah yeah it was it was annoying one one half of the starter was you know three bolts on the starter and two of them were American and one of them was metric All three of the bolts were metric . contradictory +The Rat Pack originally Frank Sinatra , Dean Martin , Sammy Davis Jr . , Peter Lawford , and Joey Bishop , all in town to film Ocean 's 11 landed at the Sands in January 1960 for a legendary stay . The Rat pack decided to film oceans 11 because of a bet . neutral +No horned helmet was found , but the discovery is complicating--perhaps overturning--theories about the settlement of North America . A horned helmet was not found in North America . entailment +Danvers was among the list of those missing . Danvers name was put on a missing person 's list after he had not been seen for months . neutral +Can 't she do with it what she will ? Can 't she do anything with the recycled paper ? neutral +The Enquirer ' s print circulation is a little over 2 million ; it is part of American Media , a tabloid chain with annual revenues of approximately $ 300 million . The Enquirer is read by many people . entailment +Accordingly , in our reports over the last several years , we have made dozens of specific recommendations to individual agencies . in our reports over the last several years , we have made dozens of specific recommendations . entailment +well i think the six is called a Grand Jury and that 's mostly to decide whether or not the person 's actually going to stand trial or it 's whether they 're acquitted or whether they 're actually going to be accused of No Grand Jury is needed to decide whether this person will stand trial for a capital offense . contradictory +Since data from other studies indicate that facilitating the referral and making the connections increase compliance , the intervention ideally should have a component of compliance enhancement if it includes referral to community treatment programs . Community treatment programs increase compliance . neutral +'Over half my men ... ' White muttered . The disease had killed over 50 % of his company . neutral +I could 've explained myself . I couldn 't put it into words . contradictory +As a bonus , a cap would bring the income tax closer to being equitable , in the true sense of the word . A cap would make the income tax more equitable , but also cause a lot of legal issues . neutral +Each model uses cost drivers , which are parameters such as the level of experience of the programmers , the reliability requirements of the programs , and the complexity of the project , along with the estimated project size , to derive overall cost and schedule estimates for the acquisition . The cost and schedule estimates for the acquisition are randomly determined . contradictory +but really uh what what do you feel the changes in the future like with the abortions and that type of thing women in politics and I want to know how you feel about these changes because I feel your input is relevant and important . neutral +The crowd was silent . There was a lot of noise from the crowd . contradictory +Access to resources and records should be limited to authorized individuals , and accountability for their custody and use should be assigned and maintained . By limiting access to just a few , it 'll be easier to enforce accountability concerning the custody of the records and resources neutral +The level of the review and the elements reviewed-for example , architectural reviews , mechanical and electrical interface reviews , or constructability1 reviews-also varied . Architectural reviews vary from mechanical and electrical interface reviews . entailment +'So I 've left all the VR access tabs enabled . ' I enabled the VR access . entailment +so they come here and they don 't know what what the heck they 're doing and they 're finding themselves adrift in the big cities and of course there are people in the big cities who would do like nothing better than to take advantage of them They come to the big cities , find jobs , and fit in nicely with society . contradictory +yeah it i said i love you dad i miss you and then he said was able to say it back and and i was twenty four and that 's the first time i 'd heard him say anything you know similar to that My dad can 't express his emotion to me contradictory +Here 's what Clinton actually My position would be that their cases should be handled like others , they should go through--there 's a regular process for that , and I have regular meetings on that , and I review those cases as they come up after there 's an evaluation done by the Justice Department . All cases should go through the same process regardless of who they are about . entailment +and now if you 've served in Desert Storm you probably would be a a good candidate You could be a good option if you served in Desert Storm . entailment +Driven south , the Dravidians remained not only geographically separate , but also politically independent , impervious to the waves of foreign invaders . The Dravidians are close to all other cultures . contradictory +because we have some alkies too boy you can smell it on they breath Some of them are alcoholics and you can smell it on their breath . entailment +Hahaha ! That 's my granddaughter ! My inquiring mind ! My granddaughter has my inquiring mind . entailment +The Prado owns perhaps 10,000 paintings , but at present can only display about 10 percent of them ( the overflow is either in storage or on loan to museums around the world . ) All of the paintings not on display are currently on loan . neutral +He said he heard Schiff go into the study , where the president was . The president was there . neutral +Not only does the word itself sound more fluid , but I also think the connotation it has is more appropriate to the meaning Slate intends . The word in context is the most appropriate one , there are no alternatives . contradictory +The operating permit modification process consists of preparation and submission of the application to the appropriate state or local regulatory agency . There is no process for operating permit modification you can just do whatever you feel like . contradictory +Istanbul owes its long-held historical significance to a stra ? ­ tegic location at the mouth of the Bosphorus . Istanbul is at the mouth of the Bosphorus . entailment +so you know they 're getting i guess the worst of all worlds right now They 're getting the absolute worst of everything right now . entailment +The Fena Dim villagers who searched for them found the remaining son starved and feral a month later , drinking from rain puddles and eating carrion . The son had been surviving of rain puddles and carrion . neutral +'I 've got a plan . I have a good plan to win this war . neutral +Not so in the bad old days . That wasn 't the case in the old days . entailment +Similarly , Bush boasts that he 's a uniter , not a divider , while the RLC complains that Forbes , by criticizing Dole in 1996 , caused fighting within the Republican Party that was divisive and not inclusive . Bush is a divider , not a uniter . contradictory +The best of Jamaica 's spicy cuisine , including saltfish and ackee , rice and peas , fish in coconut milk , and Escovitch fish . Jamaican food is very bland . contradictory +Today it houses a number of museums , the most important of which is the Musee de l 'Arm ? ? e ( Museum of the Army ) , with exhibits stretching as far back as the Stone Age . The Museum of the Army has exhibits starting from World War I. contradictory +They saw me coming , and stopped to stare . When they saw me coming they stopped to watch . entailment +oh yeah all that hoe down stuff yeah all that stuff that 's bad for you The hoe downs were really good for you . contradictory +Maybe a man . Perhaps a person of masculine presentation . entailment +One popular cruise destination ( leaving from the Grand Port ) is to the neo-Gothic Abbaye de Hautecombe . The neo-Gothic Abbaye de Hautecombe is one of the most popular destinations for cruises leaving the Grand Port . entailment +One put self-help computers in each of Guam 's 21 mayors ' community offices Guam has 21 community offices for legal aid . neutral +The business community could deliver funds and help with real needs . Needs that the business community could deliver on include health care benefits . neutral +Adrin arrived first , wearing his three-cornered hat , a light violet tunic , and his rapier . Adrin was the last to arrive and he wasn 't wearing anything at all . contradictory +In 1474 , princess Isabella stayed in the Alcazar at the time of her coronation as queen of Castile , and in 1570 , King Felipe II married his fourth bride , Anna of Austria , at the citadel . King Felipe II had many wives , despite the church telling him no . neutral +The Cronkite crown , though , is not awarded on the basis of ratings . Ratings will not guarantee the winning of the Cronkite crown . neutral +and now the fact that we 're not interfering with the internal rebellion in in Iraq they 're going crazy you know i mean you can 't please them one way or the other They went crazy when we interfered with Iraq . neutral +The main square in Monte pleasantly evokes yesteryear . The square has numerous vendors selling antique pogs . neutral +The real thing is exquisite but exhorbitantly priced , with a lot of lesser-quality , machine-made pieces from the Orient being passed off as locally hand-made . Many mass-produced items from the Orient are misrepresented as the real thing . entailment +um-hum oh i know that 's really awful but but i uh understand that this is kind of typical for this time of year the rainy season It 's normal for it to be rainy . entailment +In particular , the bust bears traces of three small swellings on the nasal corner of the left eye--swellings that are evident on the death mask as well . The bust has traces of swelling on the left nasal corner as did the death mask . entailment +One of the men fell off the horse and crashed screaming to the ground . One of the men fell to the ground screaming . entailment +Actor Anthony Sher , as Stanley , is astonishing , as though he were plugged into a power source the rest of the world had yet to discover , says the New York Times ' Ben Brantley . Anthony Sher plays Stanley . entailment +It alienated sponsors and neighbors and overshot its budget , amassing a $ 600,000 annual deficit by the early ' 90s . There was a huge deficit . entailment +THEY KILLED THORN . Thorn is dead . entailment +They won 't sell to the firstcomer . They will sell to whoever is first . contradictory +The best one goes out to the cliff caves on the northern edge of the gulf , to the isolated fishing village of Girolata and the nature reserve of Scandola ' a marvelous coastal haven for eagles , bald buzzards , and other rare species nesting on the peaks of the volcanic rocks . Eagles can be found on the volcanic rocks of Scandola . entailment +Ca 'daan left Fena Dim as the red sun painted the outline of the Old One in scarlet ribbons . Ca 'daan stayed at Fena Dim . contradictory +She tore out the leaf and handed it to Tommy . She handed the leaf to Tommy . entailment +The objects that interest Levinthal , as he points out in a statement at the Janet Borden Gallery , could as well be called white memorabilia , since they record , presumably , the fantasies of white people , including the fantasy of assuming a temporary black identity . Levinthal is interested by white memorabilia , that is to say fantasies of white people . entailment +There are now just over 1 million poor citizens in Ohio who qualify for our services . Only 20,000 peopel qualify for our services in Ohio . contradictory +A type-5 situation is one that has worksharing aspects but which is directed primarily at making the postal system more competitive . A type-5 situation is not effective if it does not improve the postal system . neutral +The language and legislative history of the LSC appropriations acts and the H-2A statute make clear that Congress intended to provide meaningful legal representation to aliens in the designated categories , and there is no evidence that Congress considered the presence requirement to severely restrict this interpretation . Congress never expected the language of the LSC appropriations acts to be interpreted in any way that prevents meaningful legal representation to aliens . neutral +evidence is consistent , no further examination is needed . Due to inconsistent evidence , there must be additional examination . contradictory +i 've been close uh was in Detroit one time just right across the river from Windsor I 've never been to Detroit . contradictory +oh really i dated uh i dated a nice Jewish girl for many years up in Chicago and i was the only Goyim at at all the you know Seder dinners and everything and i used to have to go with rolls of not pocketful of change to buy all this bread the kids would sell me I used to love going to Jewish dinners with my girlfriend . neutral +This end-of-the-road village is famed for its skilled and dauntless fishermen . The village only grows plants and doesn 't fish . contradictory +But what ? But what are you talking about ? Are you nuts ? neutral +What did you say ? " Did you say something ? entailment +The latter is a fine example of the exuberant style of Manueline architecture . Manueline architecture is associated with a subdued and calm style . contradictory +In his Uganda speech , before the part about slavery , Clinton Clinton gave a speech in Uganda . entailment +Those farms got warning letters and will be inspected again , he said . The farms were chastised for dumping chemicals in a river . neutral +In fact , I 've just renewed my daughter 's subscription . I do not have any children . contradictory +The cut in output and employment in the investment sector would not be immediately offset by a rise in output and employment in industries that produce for export or that compete with imports . Companies often lay off employees to save money on expenses . neutral +Poirot did not make his appearance the following morning , and there was no sign of the Scotland Yard men . Poirot and the Scotland Yard men returned to London . neutral +Miraculously the cathedral escaped unharmed from the heavy air raids of World War II . The cathedral was the only unharmed structure during World War II . neutral +Beautifully displayed are a range of icons dating from the 12th century , silver altar pieces and bejeweled vestments . There is a display from the 12th century containing altar pieces and vestments covered in jewels . entailment +Farther south , in Teluk Intan , is Malaysia 's equivalent of the leaning tower of Pisa . Teluk Intan is similar to the leaning tower of Pisa . entailment +So the God-kings moved their empires east where the deserts had carved away the titans who might have dared to threaten their rule . The deserts were 20 miles east . neutral +I began to see the basic flaw in my plan . I saw a problem with what I was doing . entailment +Primitive pottery is on display including a rather naave clay bull with an acrobat holding one horn and finer work such as a stone pyxis ( jewelry box ) incised with geometric patterns and a reclining animal . The pottery includes decorative vases . neutral +As Athens rose in influence and power in the West , it was matched in the East by the rise of the Persian Empire . Athens is located in the Far East . contradictory +He had a pair of pistols , the same skull-hammered ones he had nearly ten years previous . He carried the pistols only for decoration . neutral +And younger generations are vastly more tolerant than their elders , suggesting these numbers will climb . Younger people are a lot more tolerant than older people . entailment +Of all the Prado 's paintings , none is more discussed and disputed than La Maja Desnuda ( The Naked Maja ) , one of Spain 's first nudes . La Maja Desnuda was painted as a nude with the goal of shocking people . neutral +If he had dedicated time to studying Argentina , he would have found out that Eduardo Duhalde is desperately trying to gain votes , relying on old cliches that he expects will still be appealing to Argentinians , and trying to show how different he is from Carlos Menem--in part because he is different and in part to avoid the opposition attack . The Argentinian people believe Carlos Menem and Eduardo Duhalde to be the same individual . contradictory +And this can be very tiresome for everyone involved . This can be exhausting for those involved . entailment +But ours is not an era of harsh condemnation Our is not an time of condemnation of the Jews . neutral +This is analogous to how allowances and auctions are handled for affected electricity generating units ( EGUs ) under the trading programs . EGUs are not handled any certain way . contradictory +( New parks are scheduled for Detroit , Seattle , and Phoenix . ) New park projects are in the works for Detroit , Phoenix , and Seattle . neutral +The FCC received 52 comments and 26 reply comments . The FCC received 0 comments . contradictory +Right after she watched on the Kitchen Annex TV channel a repeat of the ' Robi 's Appetizers ' show . She was watching the show Robi 's Appetizers , which she hated . neutral +If any Member is interested in becoming a co-requester of GAO work , GAO will explain its policy on co-requests and refer the Member to the original requester . There is no way a member can be a co-requester . contradictory +You can fault Clinton 's piety and recklessness from a realistic standpoint . Clinton is reckless . entailment +and it wasn 't our freedom that you were saving it was just the thing the thing that that uh that i saw was okay Iraq wants to raise oil prices Kuwait wants to take Iraq out of the whole system by leaving them independent Iraq wants to raise oil prices . entailment +'But now that she 's back to a C cup we can , ' continued a smiling Bagemihl . The woman had undergone plastic surgery . neutral +And you Herman , don 't you like alcoholic drinks of the world ? Herman was already drinking alcohol . contradictory +To this end they invaded Spain itself and even reached up into France until they were beaten by the Frankish ruler Charles Martel in 732 . The invasion in Spain led to the loss of many lives . neutral +However , no matter how strong a training program is , if there are no incentives for practitioners to use the training or the legal restrictions are insurmountable or the health care system is in total chaos and you cannot find who is in charge of the department because somebody has bought out the hospital , you will have difficulty implementing an intervention . The implementation of the new training program has been postponed until further notice . neutral +But there is a plan I have thought of " León hesitated , and Drew guessed he was about to make a suggestion which he believed might meet with disapproval . Leon guessed that Drew was about to suggest a plan . contradictory +The Mediterranean 's largest island is in many fascinating ways a country to itself , seemingly not part of Italy or Europe at all , and if possible , it deserves a separate and unrushed vacation to do it justice . It is possible to view the largest island in 1 day . contradictory +all right sure thanks bye Alright , I appreciate it , bye . entailment +Other , older monasteries from the 18th century , based 150 km ( 92 miles ) west of Gangtok at Pemayangtse and Tashiding , are well worth visiting , but access to them may be restricted at times by the military authorities . The other , older monasteries are worth visiting . entailment +The shape of the true PM mortality C-R function is uncertain , but this analysis assumes the C-R function to have a log-linear form ( as derived from the literature ) throughout the relevant range of exposures . This analysis assumes that the C-R function has a non-linear form . contradictory +Helen Gurley Brown , about the many plus sides to sexual harassment . Helen Gurley Brown believeves that Sexual Harassment is great . contradictory +Although this type of shadow play probably originated in China , the stories which made it popular in Turkey were based on the exploits of two Bursa peasants . The stories in Turkey were based off of the adventures of two peasants . entailment +The author urges both sides to admit defeat and move on . The author picked a side on the issue , causing more problems and division . contradictory +Participants discussed the merits of replacing accounting rules with principle-based standards to promote more substance versus form in reporting . Participants discussed their life at home whilst still living with their parents neutral +A 1995 meta-analysis of 32 alcohol treatment modalities found that brief motivational counseling ranks near the top in four The motivating counselors were towards the very bottom . contradictory +Hell be asking all the lawyers who refer penniless clients to him , to set up a fee schedule like his , so he can refer his overflow to them . He wants to refer his overflow to the lawyers . entailment +not since they 're coach is gone their coach is present contradictory +well i think the writers had the same problem I don 't think the writers had any issues . contradictory +Fish ( heads discreetly wrapped in paper ) are still hung out to dry in the sun . The fish heads are inedible , and are thrown into the sea . contradictory +It is most natural . It is unexpected ; strange , even . contradictory +By the way , the house was raided , of course ? " The house hadn 't been raided . contradictory +it tends to be in the fall yeah that 's that 's a beautiful time in New Hampshire yeah I try to get to New Hampshire in Fall at least every 3 years . neutral +Do you see it ? Do you smell that ? contradictory +so but you know i have found that with i have a two year old and i have found really though i 'm kind of the opposite i 'm more active now with him than i was before I seem to be more active with my two year old now than I used to be . entailment +This may mean you 'll have to help with nets or traps , an instructive experience . You should avoid getting your hands dirty with nets or traps . contradictory +Until then , it remains essentially off-limits to the public . It is accessible to the public now . contradictory +well in most cases i 'd have to agree with you i think the uh profit sharing is a little uh I agree with you in most of the cases . entailment +yeah you hope well i think i i don 't know i just think it it 's it 's a duty of the parent to do that i mean jeez my parents always helped me and i don 't know it 's just like you say it 's the way you 're raised and the economic situation you 're in i can see some lady she 's twenty one years old and she 's got four kids a kid in her first grader i don 't see where she 's going to have much time for him so i don 't know it 's just like I know a twenty one year old woman who has four kids . entailment +Common components of each business area include data centers , human resources , payroll , a financial architecture , and a common desktop environment . Common desktop environments are admittedly not as standardized across business areas . neutral +and here they are supposed to last year around so we have some really pretty flowers growing and uh we 're at the edge of a forest area so there 's a lot of pine mulch We are near a forest with a lot of pine mulch . entailment +'It 'll never work , it 's too ... I 'll just confess . I will run away . contradictory +I am Adrin of Faigon . Adrin was from China . contradictory +Not surprisingly for a volcanic island , the sand here is black , and even this stretch is sometimes washed away . The sand here is blue , which is to be expected on a volcanic island . contradictory +What do you expect ? Are you expecting something good ? neutral +His excuse was an obviously trumped up one . His excuse seemed very legitimate . contradictory +The mines in the hills behind producing wealth , the fact that it was a watering place on two cross-country routes the one from Tucson down into Sonora of Old Mexico , the other into California had all fed its growth . There were mines that made them a lot of money . entailment +Nor does it seem fair to blame the bureaucrats . Some people unfairly want to blame the bureaucrats . neutral +Four are essential to case study iteration , OTTR , triangulation , and ruling out rival explanations . Four are needed to prove that the rival explanations can 't happen because of gravity . neutral +However , the single most important element of a successful reorganization is the sustained commitment of top leaders to modern , effective and credible human capital strategies and to setting clear goals and appropriate accountability mechanisms . The sustained commitment of top leaders is the most important element of a successful reorganization and everyone must remember that when we 're doing the internship . neutral +We 'll have to dine upstairs . We will have to eat while sitting on the curb . contradictory +oh when i first got her i mean Sheba was just a little tiny thing got her at ten weeks and and Kitty Cat took it upon herself to train her and she and Kitty Cat would jump all over her and beat her up and all you 'll hear is Sheba you know all the time well now she 's bigger than Kitty Cat and she 's giving Kitty Cat some payback Sheba was tiny and 10 weeks old when we got her . entailment +This assessment , termed a Current Services Assessment , provides receipt and outlay data on the basis of projections of future activities . This assessment provides no data . contradictory +yeah huh and then they have bad drawbacks too i mean high interest it 's like paying twice They 're the best , because they don 't charge any interest . contradictory +Then he was alone in his mind with his memories--mostly of the last day when he 'd still been alive . He was in a crowded room playing poker with his memories . contradictory +Fire did further damage in 1845 . There was a fire that destroyed the whole west wing . neutral +I 'll hurry over that part . " I 'll be quick with that part so I can start the engine . " neutral +Northeast of the bridge , past the Fondaco dei Tedeschi post office , seek out the little 15th-century church of Santa Maria dei Miracoli . Santa Maria dei Miracoli can only accommodate 50 worshippers . neutral +In Loveland , 23 were assigned attorneys . They were not able to assign any of the attorneys . contradictory +Try to get there early , as tours sell out quickly on busy days . You should get there early in the morning as tours sell out quickly . entailment +uh-huh yes um it 's it 's funny because um i know people at that are in all three and people that work you know i know someone that works works in all three different stages like you said I don 't know anyone who works in these different stages . contradictory +Honesty is taken for granted . Honesty is not appreciated as much as it should be among friends . neutral +yeah that 's true that 's true but i was thinking boy in Dallas if somebody asked me if there were places you wouldn 't go by yourself at night i 'd have to set them down for about five or ten minutes to list all the places out i mean There are no places in Dallas where I would say it is not safe to go alone at night . contradictory +I keep losing at their damn casinos . The casinos keep beating me . entailment +We either go get them or we only get paid for the skinny one Telek got . We get paid for each person we have . entailment +Therefore , USEPA recommends the use of the $ 0.5 dilution factor ( see Section 4 , Quality Assurance ) . The factor is recommended to be $ 0.25 contradictory +doesn 't bother you Does not bother you but it should . neutral +Two things , however , that you missed in Paste Test : Colgate Total makes your tongue numb ( I 've tested this with a friend ) , and Mentadent / pump pastes in general are hugely wasteful . Mentadent tastes great , but its wastefulness is inexcusable . neutral +I lost everything . ' My teeth chattered . I was lucky , and did not lose much . contradictory +I will speak with your visitors as I agreed , if they come . I will not speak to the visitors . contradictory +In addition to showing 360-degree interior and exterior panoramas and images of many of the art treasures , it gives practical advice on how to organize your day or weekend visit . There is only one way to organize the visit . contradictory +However , a few of the issues raised by the agencies are the subject of litigation ( Walker v. The subject of litigation has not been raised by issues of the agencies . contradictory +Continue uphill to the Convento de Santa Clara . The Convento de Santa Clara is up the hill . entailment +The left-wing parties re ? ­ spond ? ­ ed by banding together in a Popular Front , which the Socialists led to power in 1936 . The left-wing responded by joining together . entailment +Hong Kong is a mecca for Chinese hand-knotted wool carpets and silk rugs . Hong Kong has purple silk rugs . neutral +Additionally , we have not quantified a number of known or suspected health effects linked with PM and ozone for which appropriate concentration-response functions are not available or which do not provide easily interpretable outcomes ( i.e. The outcomes aren 't easy to interpret . entailment +The County Commission has endorsed a request to boost the filing fee from $ 10 to $ 25 and could approve an ordinance as early as Tuesday to implement the fee hike . The County Commission will vote on a fee reduction next week . contradictory +San 'doro waited near him , his knives still sheathed . San 'doro waited , keeping his knives sheathed . entailment +Either way , everybody The employees read their news , the company has a clear net again , and it 's a nice annuity for PointCast . The employees keep themselves insulated from the news . contradictory +She scooped up the broadsword , a fine blade of waved steel with an ivory skull on the base of the hilt . Her broadsword was decorative . entailment +The Venetians took his remains to Venice when they fled the island and the church was rebuilt as a mosque after an earthquake in 1856 , giving the incongruous but beautiful decoration on the outer walls . The Venetians were forced to leave his remains on the island when they left . contradictory +I must be going mad even to think of such a thing … . " Monstrous yet it explained everything … . I must be insane to have these thoughts . entailment +i i i can think of one for instance you take a you take a textile industry and they 're selling stuff by the by the yard you know now now there 's a big difference between a yard and a meter when you 're talking about fabric If you are talking about fabric , a meter is technically equal to a yard . contradictory +As discussed in principle III , carrying out successful projects is expected in leading organizations , and adds to the credibility of the CIO and the CIO organization . Principle III highlights how leading organizations routinely expect projects to be disastrous . contradictory +One line , unintended as an epigram , stings unforgettably . A nonsensical remark is unforgettable . contradictory +and you got to have your pumpkin pie You need to serve pumpkin pie . entailment +Nearby , the Hagana Museum tells the fascinating story of underground Zionist activity in the run-up to independence . The Hagana Museum has other displays about Jewish history . neutral +This guide was prepared under the direction of Lester Diamond , Assistant Director , Information Technology Management Issues , who can be reached at ( 202 ) 512-7957 or DiamondL @ GAO.GOV. Lester Diamond was not involved with the guide in any capacity . contradictory +The independent panels , however , say none of the proposed chemical agents are known to cause disease at the low levels which troops faced . The proposed chemical agents are not known to cause diseases at low levels . entailment +There 's a returning kids-on-milk-cartons sense of hysteria to the whole crusade . People are very calm about this . contradictory +cause and effect , is derived from agreement among the types of data sources , together with the systematic ruling out of alternative explanations and the explanation of outlier results . There are no alternative explanations from the different data sources . contradictory +PinochetAid concert . There was a concert called PinochetAid . entailment +now that 's strange That 's weird . entailment +we have my sister and i have a couple of gardens i think we figured out total um this is for vegetables about two thirds of an acre so we each have a third of an acre we do My siblings and I each have a garden . It 's something we enjoy doing . neutral +The first knowledge point occurs when the customer 's requirements are clearly defined and resources-proven technology , design , time , and money-exist to satisfy them . When the customer 's requirements are clearly defined and resources-proven technology exists to satisfy them , occurs the first knowledge point . entailment +Knight with his Hand on Chest , an early portrait , is realistic and alive , a study of a deep-eyed , bearded caballero ( gentleman ) in black . The portrait , Knight with his Hand on Chest , is a later work . contradictory +Yeltsin 's a drunk , concluded Evan Thomas and Jack Germond ( both on Inside Washington ) . Inebriated bluster , agreed Buchanan , of a country that is no longer great . The people on Inside Washington laid into Yeltsin 's character . entailment +we might see a woman vice president that wouldn 't surprise me and then of course if something happened to be uh i 'm sorry yeah if something happened she would be president but it would not be something that she were elected to It 's likely the female vice president will be in her 40 's upwards and white . neutral +FASAB was created to consider and recommend accounting standards and principles . In order to consider and recommend accounting standards and principles. they have created FASAB . entailment +An accident 40 times worse than Chernobyl is possible . An accident will eventually happen . neutral +, International Capital Developments , Prospects , and Key Policy Issues ( Washington , D.C. : International Monetary Fund , September 2000 ) , pp. 9-10 . The International Monetary Fund wasn 't able to publish this report sooner due to prior publication commitments . neutral +Although there is no single model for success , many states that are building state justice communities share similar characteristics that can guide other states less far along . States are attempting to guide each other to build better justice communities . entailment +yeah especially on a real hilly course Yes , particularly when the course is hilly and windy . neutral +The classical arts are greatly valued in Cuba , and drama , opera , classical recitals , and above all ballet can be enjoyed in theaters all around Cuba . Classical art is greatly valued in Cuba and it is a big part of its culture . neutral +Founded in 1985 by several private health insurers and federal / state law enforcement officials , the National Health Care Anti-Fraud Association is a unique , issue-based organization comprising private and public sector organizations and individuals responsible for the detection , investigation , prosecution , and prevention of health care fraud . The National Health Care Anti-Fraud Association was founded in 1985 by several private health insurers and federal / state law enforcement officials . entailment +What money ? What money do you mean ? entailment +This index provides references to the topic in ( 1 ) this Volume , ( 2 ) the original statements , and ( 3 ) Volume 2 . References to the original statements are organized as The first character indicates that it is a Concepts Statement ( C ) or a Standards Statement ( S ) . This index refers to another statement . entailment +I just get personal satisfaction out of this . I am satisfied by this . entailment +183 Chapter 22 In Downing Street THE Prime Minister tapped the desk in front of him with nervous fingers . The Prime Minister 's finger tapping showed that he was nervous . entailment +The knowledge to be captured when moving from system integration into system demonstration should include the Anything to be learned has been learned by the system integration stage . contradictory +Rooms perched on top of cliffs surrounded by extensive gardens , with paths and stairways down to snorkeling opportunities . The rooms are high on the cliff . entailment +They don 't see a need for Washington . Washington is needed . contradictory +Traditionally , the Coast Guard based its marine safety efforts on inspections and certifications of vessels . The Coast Guard no longer performs inspections and certifications of vessels . neutral +History makes it clear that children and teen-agers are no strangers to violent impulses . History shows that children and teenagers are capable of violent impulses . entailment +The formation of ILS is based on the Legal Services Plan developed by the boards of LSOI and LSNI . The formation of ILS is based on the Legal Services Plan . entailment +It 's your fault , the whole thing . You have caused all the problems . entailment +Suddenly Tuppence sprang up with a cry . Tuppence sat on something sharp , causing him to spring up . neutral +He doesn 't cheat . He is not a cheater . entailment +um-hum and and you 're staying within your budget and keep everything is working pretty good You do not have a very large budget . neutral +Goals for fiscal year 2001 are structured around common performance elements- service delivery , organizational support / teamwork , leadership development , external relations , and workplace responsibilities . In fiscal year 2001 , goals are based on improving performance in areas like service delivery and leadership development . entailment +The Byzantines tried to protect the Golden Horn from enemy ships by stretching a huge chain across its mouth . No enemy ships managed to get past the Golden Horn . neutral +i know i 've got one um i i did have two and the i found that um it just made me spend a little more so when i paid one of them off i got rid of it now i have two only have one i still have three of them to have to pay off . contradictory +The Louvre 's official Web site ( & lt ; www.louvre.fr & gt ; ) offers virtual tours that can help you choose the most important galleries for you to visit . The Louvre 's official web site 's virtual tours are popular . neutral +well there should be some way of checking now here in in Texas uh all you need is a driver 's license The system they have here in Texas has made things easier . neutral +On June 26 , 1997 , APHIS published its Final Regulatory Flexibility Analysis ( 62 Fed . The Final Regulatory Flexibility Analysis was the final draft of the analysis about the liquidity of the assets . neutral +Tomb artifacts give us a great deal of information about daily life in Egypt . Tomb artifacts can tell us about the diet of Egyptians . neutral +Life is simpler on this secluded island and the beaches are not so crowded . People enjoy a slower pace of life on this island . entailment +yeah yeah and see i do a lot of work with the boy scouts and we try to do a lot I do not participate in boy scouts . contradictory +It fitted , and he opened the box , but after a moment 's hesitation , closed and relocked it , and slipped the bunch of keys , as well as the key that had originally stood in the lock , into his own pocket . He didn 't anyone to know what was in the box . neutral +oh it 's been beautiful It has been gorgeous . entailment +Occasionally , you will see a notice of sales rebajas in shop windows . Sales notices are never posted in shop windows . contradictory +A pre-columbian Arawak Indian village has been unearthed near the once-flourishing sugar town of Le Moule . The Arawak Indians were wiped out shortly after the time of Columbus . neutral +While the aging of the population is a commonly voiced argument for raising national saving , some analysts maintain that the projected decline in labor force growth will increase the capital-labor ratio and reduce the return to capital while raising the productivity of labor . The population is getting younger and definitely not aging at any rate . contradictory +Las Vegas would serve as a major stopover for crew rest and train repair . Crew rested and repair took place in Las Vegas . entailment +It reminded Jon of the Voth . It reminded him of the Voth . entailment +Yes , he continued , staring at me thoughtfully , " you will be invaluable . " This was naturally gratifying , but Poirot 's next words were not so welcome . Poirot dismissed my usefulness out of hand and said there was no need for me to be there . contradictory +Padilla said the organization plans to keep raising money locally to help pay the mortgage . Padilla hopes the organization can continue to raise significant funds . neutral +Five km ( 3 miles ) south of the town , protected only by a couple of cypresses from an incongruous wilderness of highways and bleak urban development , stands the lovely church of Sant 'Apollinare in Classe ( 549 ) . The church of Sant 'Apollinare is 10 miles north of the town . contradictory +The main courtyard allows access to the adjoining church of St-Louis-des-Invalides , decorated with flags taken by French armies in battle . The courtyard leads away from the St-Louis-des-Invalides . contradictory +The richly decorated Borgia Apartments contain Pinturicchio 's frescoes with portraits of the Spanish Borgia Pope Alexander VI and his notorious son Cesare and daughter Lucrezia , and leads into the collection of modern religious artwork opened in 1973 by Paul VI . Alexander VI , Cesare , and Lucrezia all lived in the apartments at different times . neutral +But you needn 't 196 worry any . You absolutely should be worried . contradictory +Seagram 's sympathizers pointed out that the product is legal , and dismissed Clinton 's warning as a political stunt designed to endear him to parents . Seagram 's sympathizers pointed out that the product is legal and dismissed Clinton 's warning as a political stunt to further her agenda . neutral +Amazon users have to page through screen after screen of details about shipping charges , refund rules , and disclaimers about availability and pricing . Amazon wants their users to be aware of the shipping charges and refund rules that apply to their order . entailment +requested comments on the proposed changes in methodology to establish the salary equivalency guidelines . Unsolicited comments that related to gender and race equality contradictory +As you know , the United States General Accounting Office ( GAO ) has been engaged in an ongoing effort to obtain certain narrowly defined , factual information concerning the development of the National Energy Policy proposal from Vice President Cheney in his role as Chair of the National Energy Policy Development Group ( NEPDG ) . GAO has been repeatedly attempting to obtain energy information from Dick Cheney . entailment +it 's just that you know i mean if you took all the people out of the state it would be a great place People ruin things , so less people means a better world . neutral +I shall never forget the night he came down as the Char of Persia , I think he called it ” a sort of Eastern King it was . I remember the beautiful costume very vividly . neutral +they just um they just send me everything and pick it up courier or whatever so you know They send all the files to me . neutral +He shared a copy and I would like to share it with you . The copy contains classified information . neutral +Today the smallest hamlets on both islands honor Schoelcher with busts , full statues , and street names . Both islands only have street names of Schoelcher . contradictory +13 We also understand that we have a responsibility to lead by example and practice what we preach in all key management areas , including strategic human capital management . There are other situations , outside key management areas where we have a responsibility to practice what we preach . neutral +If you want to get out on the water under your own steam rather than on a lake ferry or steamer , there are a number of ways to do it . There are several ways to navigate the water with your own muscles . entailment +All will be revealed in time . It is critical that everything is revealed at a precise time . neutral +Violence may look magnificent on screen , but on the theatrical stage it 's phony baloney . Violence looks better on a screen than it does on stage . entailment +Reno 's deserved reputation for integrity is merely negative . Reno 's high sense of integrity has zero consequences . contradictory +Had Apple allowed Compaq , Hewlett-Packard , perhaps even IBM to build hardware running the Mac OS , it might very well have seen its software become the industry standard . Companies like Compaq would not have promoted their software much if Apple had adopted it . contradictory +you know so i think there 's other ways to advertise other than a flyer on your door Door flyers are the only means of effective advertising . contradictory +The Apaches , they do not touch a man they believe insane , and Amos has many peculiarities : peculiarities of dress , of speech , of action . Amos liked to wear animal costumes . neutral +Until last month , the Clinton administration preferred calls for action backed up by indecision . The Clinton Administration based their calls for action on decisiveness . contradictory +and uh a bunch of kids came along and just started grabbing them stealing them i went running after them screaming hey you stop you stop i called the police I ignored the children who were stealing things . contradictory +These lawyers might make the case that even tobacco companies have rights , and that the public interest actually was served by getting these companies a better bargain . The lawyers fully support that the tobacco companies have no rights . contradictory +Kleiman said if the neighborhood legal program in Charleston had honored their obligation , this would not be an issue . The neighborhood legal program in Charleston did not honor their obligation . entailment +Reliable official guides from the office of the Archaeological Survey of India offer their services free of charge . The reliable guides from the office of the Archaeological Survey of India were donated for non profit . neutral +The Commission also reports that it forwarded a copy of its initial regulatory flexibility analysis to the Chief Counsel for Advocacy of the Small Business Administration ( SBA ) as required by the Act . The Commission is required by the Act to forward a copy to the Chief Counsel for Advocacy of the SBA . entailment +We identified these organizations by soliciting suggestions from a variety of sources , including our analysts familiar with information-sharing organizations and members of our Executive Council on Information Management and Technology , which is a group of executives with extensive experience in information technology management who advise us on major information management issues affecting federal agencies . Federal agencies are affected by information management issues similar to those that affect nonfederal agencies . neutral +well i think i i would be like when i bring my bottles back um if if if they 're pretty clean and stuff so they can sit in my cellar for a couple of months and i get a whole bunch of them and bring them over and bring them over now if i had a recycling center and i kept it clean like if you said wash all the cans and things i wouldn 't mind if it sat around too much but if if it stunk or something i wouldn 't like doing it but um i produce quite a bit of trash my you know house and i see it but i don 't see so much that i can recycle like i say it 's a lot of different type paper and cardboard i 'm not a real plastic person user but a lot of paper We try to purchase products that minimize our trash production . neutral +That is exactly what I thought . I knew it for a long time . neutral +right right it 's it 's that there really isn 't a whole lot it 's it 's one of those uh it 's one of those things that if they do a little bit and uh and every you know every every little bit does help i i do believe that um but i also believe that uh the earth is is a kind of a self-regulating system and uh it will clean itself up eventually it the whole idea is not to not to push the limit too hard i guess let let the you know let the natural natural systems take care of the problem as much as possible I think the earth will clean itself up and believe nature should self regulate the system . entailment +yeah and so we you know because being near the water we get less snow than anybody else We live near one of the Great Lakes . neutral +and like for you know instead of just being oh big tough Russia but i still believe they 've uh they 've probably got weapons we can i mean they they never would sell to anybody else i continue to think that they likely have weapons entailment +Carney thinks Yeltsin was feeling ignored and did this partly as a publicity stunt . The action by Yeltsin was seen by Carney as a play for attention . entailment +no not this one she 's dead to the world right now oh well well let 's see i guess that 's about it on food I guess that is enough talk about food . neutral +just take off a year just go on holiday for a year . neutral +To the west , beyond the airport , are the remains of the Temple of Hera , or the Heraion . Heraion is by no means associated with the Temple of Hera . contradictory +But the mater cottoned to him at once , took him on as secretary , you know how she 's always running a hundred societies ? " I nodded . She is really good at being in charge of all those societies . neutral +you know i 'll look over my husband 's shoulder and see what 's going on but uh I 'll look over my husband 's shoulder to see what he 's doing . entailment +The artist painted himself with palette in hand at the left side of his own masterpiece , in a sense part of the family , as he became in real life . The artist painted himself in some of his work . entailment +At the height of the season it can be choked with traffic and there are few passing places . It is always choked with traffic in peak season neutral +( The Nation disagrees The Nation believes in lowering taxes . neutral +A popular surfing beach adjoins the lagoon . There is shore by the water . entailment +mannerisms and personality yeah yeah i believe it 's true it 's my experiences uh what i know about it and then observing it with my kids at least and then like some other people 's children too it 's uh you know it 's uh you know the older kid is uh is more always more prone to be more like responsible and that kind of thing When i observe other people and their kids , I 've noticed that the older kid is never the most responsible one . contradictory +These are cases traditionally not reported to LSC - either because documentation LSC requires is not present in these cases or because they are expressly handled with funding that allows financial eligibility standards that are more lax than LSC standards . These are cases that are traditionally not reported to LSC . entailment +which was well we did we tried we had all different things we sent them to camp one first month in June they went to summer school then the second month they uh one my daughter went home to visit my Mom for a while and my son uh went to camp and there we had uh i don 't know some forget what else we did but it was all uh really expensive Did your son stay at the camp for very long ? neutral +Now there 's a loss . This is a loss . entailment +The French always appreciate that you have made the effort to say Bonjour , S 'il vous pla ? ® t , or Merci beaucoup . The French appreciate the effort shown by foreigners speaking French but you shouldn 't count on it . neutral +I glanced over my shoulder . I ran without looking . contradictory +Dijon is the capital of Burgundy and a center of art and architecture , of culture and learning . The capital of Burgundy is called Dijon and is a center of learning and culture . entailment +A job may be a service or manufactured item , such as the repair of equipment or the treatment of a patient in a hospital . Service jobs are great jobs . neutral +just drastically altered we had people down the street that the guy was in the reserves and he was just about ready to go and they have a just had a new baby and uh they would have she would have had to go back to work and The man and his wife that live down the street have never had any children . contradictory +The old joke is What do you call a Republican who 's been to jail ? 'What do you call a Republican who 's been to jail ? ' is an unoffensive joke . neutral +Items exemplifying the artist 's campy humor ( his massive Barbie Doll collection , his teen-age scrapbook of celebrity photos ) are said to be scarce . Each doll in the collection was signed by the artist on the ride arm . neutral +Chapters 1 , 2 , and 3 discuss the conduct of an investigation in an electronic The first three chapters entailment +The Los Angeles Times told readers that the real news was the wall-to-wall press throng at the news conference . The news conference was packed with reporters . entailment +Gratuity ? hinted Tuppence . Tuppence hoped that he would be gracious . neutral +that 's one difference there really wasn 't a lot of difference There wasn 't much difference . entailment +( To compare Reich 's new version with the original , click . ) But this time he gets the Washington story basically The point of most Washington hearings--for all concerned , including Cabinet secretaries--is not to listen and learn but to talk and score points . The goal of most Washington hearings is to talk and score points . entailment +She was as much a rebel as I. She was as docile as I. contradictory +and this time we had a bunch of snow we we i had fun playing in in the snow playing football in the snow and so i mean i i had never done that before and it 's it 's so much fun because you can hit harder and land harder and it doesn 't matter because it 's snow and yeah The amount of snow made it harder to run while playing football . neutral +I do wish I knew what it was all about . " I thought of Mrs. Raikes 's gipsy face , and Evelyn Howard 's warnings , but wisely decided to hold my peace , whilst Cynthia exhausted every possible hypothesis , and cheerfully hoped , " Aunt Emily will send him away , and will never speak to him again . " I was anxious to get hold of John , but he was nowhere to be seen . I didn 't want to talk to John ever again contradictory +" I know all about your big secret . " I 've discovered what you were hiding . " entailment +If the property is distributed to a state or local law enforcement agency or a foreign government , revenue is not recognized by a Federal Government reporting entity . Revenue can not be recognized by a Federal government reporting entity if there is a distribution of property to a state , but they are thinking of changing this idea . neutral +It _ sounded _ like it was out by the hill . That was truthful , and useful as well , since the direction was almost opposite that in which the barn lay . There was no sound at all . contradictory +I was dragged bodily down a long flight of stairs . I did not get dragged anywhere . contradictory +We remember the Marshall Plan today not because Secretary of State George Marshall gave a great speech ( he didn 't ) or because President Truman maneuvered the bill creating the staff and bureaucracy of the European Recovery Administration through Congress . George Marshall 's speech is the sole reason we remember the Marshall Plan . contradictory +I did not , of course , know at the time that the will in question had only been made this afternoon , and I will admit that , when I learnt that fact , I fell into a grievous error . I never learned the truth of when the will was created . contradictory +For example , qualitative data permit dealing fairly directly with values , politics , and factors that may be an important part of many situations . Qualitative data deals directly with values and factors that are important in many situations . entailment +That 's why the only logical explanation is typographical errors in the prospectus . There were clear blatant obvious purposeful errors in the documents and this will not be overseen . contradictory +oh yes or they uh you know i i agree with the freedom of of the press and that 's you know all the amendments but sometimes it 's for the public 's own good that we don 't hear things People must know everything , complete transparency is what the public needs . contradictory +and but you see a lot of advertising for that uh as far as uh vacation uh cruises and retirement You see a lot of advertising of vacation cruises and retirement entailment +Similarly , in Texas the performance management system is an integral part of agency and statewide planning structures , evaluation and decisionmaking processes , and accountability systems . The Performance Management system is an integral part of the agency planning structures . entailment +Under its conductor , David Atherton , it offers Western classical works and new works by Chinese composers in a September-to-June season . The season runs from September to June to reach the most tourists . neutral +as a recurring character every week Every week there 's a recurring character . entailment +Before the startled Kentuckian could pull it back from that grasp , hand and book were gone , and the trooper who had taken it was reeling back to the bar , waving the trophy over his head . A trooper grabbed the book and waved it over his head . entailment +as we were when we started the whole thing Like we were in the beginning of it all . entailment +Precious stones glitter in shops on the streets of Mykonos and Santorini , and you can choose as many carats as your budget can handle . You can buy as many carat stones as you 'd like in Mykonos and Santorini . entailment +( At least the theory of it . ) At the minimum the idea of it . entailment +California Institute of Technology vaults from fourth to first in the magazine 's annual university rankings . Its three-to-one student-faculty ratio is much praised , as is its annual spending of $ 192,000 on each student . California Insititute of Technology spends less than $ 50,000 annually on each student . contradictory +Would they be patient outcomes or process measures ? Processing measures are needed to predict the outcomes . neutral +But creatures may be intelligent and not reasonable . Creatures cannot be smart without also being reasonable . contradictory +e ? Cut emissions of nitrogen oxides ( NOx ) by 67 percent , from current emissions of 5 million tons to a cap of 2.1 million tons in 2008 , and to 1.7 million tons in 2018 . The goal is to cut nitrogen oxide emissions by 67 % by 2018 . entailment +Maybe because they 're perfectionists or just fucking insane ! ? Why don 't we go ask them ! ? ' They are easy going and relaxed . contradictory +In such situations , the persistence of trusted leaders in encouraging effective member participation was essential . The presence of trusted leaders who were encouraging was vital . entailment +The groups also plan to enlist more pro bono attorneys through coordination with the Utah State Bar . The Utah State Bar donates money to cover the costs of pro bono work . neutral +Table 1 contains some statistics for Italy and the U.S. and for their postal administrations . Table 1 shows a comparison of German and American postal administrations . contradictory +Previn didn 't appear pregnant in recent photos ( Shauna Snow , the Los Angeles Times ) . The name comes from legendary soprano saxophonist Sidney Bechet . There are recent photos of Previn that clearly show that she is pregnant . contradictory +In fact , in the relatively small area that most visitors are likely to cover , Madrid doesn 't really feel like an overgrown , Europeanized capital . The area the usual visitor covers doesn 't get to their expectations . neutral +okay we we can uh be recorded while we talk about it I 'm not going to talk about it if it 's being recorded . contradictory +This also suppressed civilized conversation with our companions , who were similarly encased in electronic earmuffs . Our companions like to wear electronic earmuffs . neutral +Napoleon went home to claim victory ' but he had to leave the bulk of his army behind . Napolean went home to win but he left his 40,000 men behind . neutral +The volume of letters sent by non-households or nonhousehold originated mail can also be calculated from Table 1 by adding NHH-to-HH and NHH-to-NHH volumes . The volume of letters that non-households send is shown in table 1 . entailment +The portion of mail not requiring delivery is a very important contributor to the finances of a post . A post 's finances are strongly affected by the portion of mail that does not require delivery . entailment +MelroseAvenue carries on into West Hollywood , where , amidst the art galleries and design showrooms , you 'll find exorbitantly expensive Ron Herman Fred Segal , which is the best and most celebrity-frequented mini-department store in town . Melrose Avenue ends before it reaches the perimeter of West Hollywood . contradictory +This is not a municipal chlorine-saturated swimming pool , but a series of clear , clean , natural pools formed in smooth slabs of rock by the Cascades d 'A ? ¯ tone ( waterfalls ) ' a sheer delight . This is a natural pool and it differs from municipal swimming pools . entailment +I also hope that the oxymoron will remind me to include applause as well as condemnation in my dispatches . Applause is when people clap for me . neutral +At a higher price , too many customers would walk away . Customers are drawn to high prices contradictory +Other exhibits include gilded thrones studded with precious stones , a pair of solid gold candlesticks set with 666 diamonds ( one for each verse of the Koran ) , and reliquaries containing the hand and part of the skull of John the Baptist . It also includes the skull of the 1st Vampire Lord . neutral +Although not applicable to attestation engagements , the AICPA statements on auditing standards may provide useful guidance related to internal control for auditors performing attestation engagements in accordance with GAGAS . The auditors who perform the attestation engagements have strict rules to follow and can 't disgress . neutral +At the top was the ragged curtain hiding the recess where Tommy had hidden that day . Tommy hid in the recess . entailment +Housing had always been scarce for Hong Kong 's Chinese . The chinese in Hong Kong have always had a hard time finding housing because of discrimination . neutral +Yes , I said , " Alfred Inglethorp , without doubt . " Poirot looked at me curiously . I identified the man who had robbed my house . neutral +It was stacked high with drinks , snacks and steaming pots of coffee . The cart was devoid of anything to drink or eat . contradictory +Look out for the handsome pillared verandas of the dwellings . The locals take great pride in the external appearances of their abodes . neutral +um-hum it it with the children 's aspect um-hum I don 't care too much about the children 's aspect for it at all . contradictory +This was the 10 th study since 1975--and all studies showed similar problems . The second study was conducted 5 years after the first study . neutral +you you have to go see that one and how about Silence of the Lambs go There are so many movies you need to watch . neutral +But aren 't education , family leave , and the breakdown of community economic issues ? Education and family leave are important issues neutral +Marshals Service , the Department of Defense ( DOD ) , and a myriad of other agencies . The DOD and Marshals Service are not agencies at all . contradictory +so we don 't really see anything if if i need something i 'll go and you know use the teller machine or if she needs something she 'll go and she 'll use the teller machine so we don 't really um have a lot of cash anymore The ATM is how we get our money . neutral +this is your first call You 've had a lot of these calls . contradictory +What about the general ? inquired Tommy . Tommy never mentioned the general . contradictory +When was this ? I know when it happened . contradictory +Lawyers , poets , city councilmen , and starving musicians partake day and night of its garden setting and large menu featuring items with names of historic Las Vegas importance . People of all kinds flock to it due it its garden setting and large menu . entailment +Survey of Consumer Finances collects information on total cash income before taxes for the calendar year preceding the survey . Reports from surveys of Consumer Finances are submitted to the board of directors every year . neutral +That Further Notice does anticipate an information collection and invites comments from the general public and the Office of Management and Budget . The Office of Management and Budget is invited to comment . entailment +I wonder who ' they' I have no perplexity regarding they . contradictory +Leaving Azincourt , continue north to Fruges . Fruges is north of Azincourt . entailment +The world 's oldest rainforests engulf low but steeply rising mountain chains that cross the peninsula from east to west like ribs , with one long north south Main Range as their backbone . The Amazon is the world 's most expansive and oldest rainforest , covering dozens of mountains across South America . neutral +Beyond their impacts as separate emissions , SO2 , NOx , and mercury together contribute to many air pollution-related problems affecting human health and the environment . Mercury is the most dangerous of the three elements . neutral +They curse as they struggle with the bow tie . They had never tied a bow tie before . neutral +i 'm going to have to try and do that I wont do that . contradictory +This offered a more natural habitat for animals and a clearer view for visitors . It offered a much smaller habitat for the animals . contradictory +i like gardening i wish i had a green thumb though I yearn for my thumb to turn the color green . entailment +Another employee evaluation day was coming up . An employee evaluation day is coming up . entailment +Just minutes away from the heart of Kathmandu , life goes on as it has for centuries in the rural communities of the valley . The rural communities of the valley are only minutes away from Kathmandu 's center . entailment +But for espionage , mon ami . " " My friend , this is not for espionage . " contradictory +And we will create employee pools of generalists to increase our flexibility and enhance development . Nothing we do will make us more ready to face challenges . contradictory +These couples may have been talking to each other for 30 years or more . The couples have never spoken contradictory +What a net he has drawn around my poor John ! John was free to go . contradictory +yeah some of them i had for two days and you 'd go to court and you 'd see these kids and then and You 'd arrive in court , then you 'd witness these children and elderly people sitting there . neutral +One of the most notable mansions with highly ornamental interiors is the Hotel Lauzun ( 17 Quai d 'Anjou ) , built in the 1650s by the great architect of Versailles , Louis le Vau . The mansion has beautiful interiors . entailment +What is that ? I asked . I inquired as to what that was . entailment +The term United States is defined in the INA and Part 1626 as the continental United States , Alaska , Hawaii , Puerto Rico , Guam , and the Virgin Islands of the United States . The United States definition came about as the result of an international conference , but only after a group of United States officials had made their own decision , so as not to offend the residents and politicians of their home country . neutral +Belgrade , no longer restrained by Tito 's aversion to exacerbating ethnic conflict , cracked down . Tito has an aversion to exacerbating ethnic conflict . entailment +The Return of the Chocolate Smeared Woman ( The Flea , New York City ) . The chocolate smeared woman was back again . entailment +Where 's the Caligulan blood frolic ? Where is the Caligulan blood frolic party happening ? neutral +So sacred are the confines of the Temple site that strictly observant Jews dare not even come here , for fear of walking on the unknown spot where the Holy of Holies ( sacred chamber ) of the Jerusalem Temple once stood . The Temple is not known to be anything special to Jews . contradictory +A related article says the cocaine flap may have exposed W. ' s campaign as ill prepared . W. ' s campaign was revealed to be ill prepared because the campaign manager was ill . neutral +The statue is hollow , and you can climb a staircase inside to look out through a window between the Buddha 's shoulders.A temple was originally built to house the figure , but this structure was destroyed in a tidal wave in 1495 . The solid bronze Buddha is housed inside a huge stone temple . contradictory +yeah see that 's what No , thats not what I mean . contradictory +john Q Citizen goes up robs the liquor store shoots the guy behind the counter his his uh lawyer is going to argue that well my client was under the influence of whatever drug he was on at the time and he wasn 't really in his normal frame frame of mind He pillaged the liquor shop and shot the guy near the counter . entailment +On the other hand , advertising mail is narrowly defined as First-Class stand-alone advertising mail , i.e. , First-Class Mail used exclusively for advertising . there are also other types of mail that have this first-class distinction . neutral +The house was surrounded by police who , if they failed to reappear , would not hesitate to break in and make a thorough search . There were cops all around the house and they are prepared to kick the door down if they didn 't show up . entailment +San 'doro drew his two daggers , the blades shone red in the low moon . He was getting ready to fight demons . neutral +From behind the counter , employee David Lopez , who is Mixtec , can call out prices to customers in Mixteco , Spanish or English . David Lopez can speak both Spanish and English and uses both to communicate with customers . entailment +This group is Asian-Americans . The group consists of Asian Americans . entailment +Most people who patronize the lottery , the track , or the slot machines end up poorer , with nothing to show for the transaction--which is also true of people who eat in restaurants and attend concerts . Whether people spend money at eating out , going to shows or even buying lottery tickets , they end up with less money . entailment +This semi-Italian corruption didn 't last long . The semi-Italian corruption had a short lifespan . entailment +This enables the President and the Director of the Office and Management and Budget ( OMB ) to preclude a suit by the Comptroller General under certain special conditions . This enables the President and the Director of the OMB to preclude a suit under certain special conditions . entailment +You wouldn 't be if you knew how much there was at stake . If you knew how much rode on it then you wouldn 't be . entailment +Above all , the story of McCain 's anger has obscured what his quarrels have been about . The story about McCain 's anger over Trump , has created such confusion , that no one knows what the fight is about . neutral +Human Rights in China , a New York-based group started by Chinese academics , offers a comprehensive site with links to a site for Wang Dan , the Tiananmen Square activist who was released from a long stint in prison only this spring . Human Rights in China doesn 't do anything to help . They 're just in it for the money . contradictory +From the top of a hefty climb up the tower are breathtaking views of Segovia and the valley beyond . Most of the tourists like to visit the tower in order to see Segovia . neutral +and um you know then you only had to pay the it for us it was a five dollar copayment every time you went to the doctor and uh three dollars for the prescriptions Each doctor visit was $ 5 and each prescription was $ 3 . entailment +Moreover , we should expect that any reorganization would incur start up costs as well as require some funding for redundant activities to maintain continuity of effort during the transition period . They wanted to make sure no services were lacking . neutral +You shall be master ! You will be a master . entailment +Consequently , GAO monitors agencies ' progress in implementing these recommendations . The implementation of recommendations is monitored by GAO . entailment +The inner sanctum of the temple was aligned so that the first rays of the sun on 21 February and 21 October would fall on the sacred barque deposited here and on the statues of four gods ( Ptah , Amun , Ramses II , and Ra-Herekhty ) , though scholars are still not sure what was so propitious about these dates . The statues needed to be illuminated on these dates or they would crumble . neutral +The historic center of Troyes ' which is shaped like a champagne cork ' features no less than nine Gothic churches , narrow winding streets with medieval half-timbered houses , and a major collection of modern art . There were many more Gothic churches located in the original Troyes . neutral +The struggle is not yet fully over . It looks like we are going to be on the winning side of the struggle . neutral +As had happened at the fall of the Roman Empire , the Christian Church provided the essential element of national unity . The Christian Church was responsible for the fall of the Roman empire . neutral +This majestic room is used for modern-day entertaining when the queen hosts dinners and banquets . They use that room for storage . contradictory +how about if it was uh a seventeen and a half year old with a a list and all uh of what do they call it uh criminal as long as your armed over the history of a violent crime People under eighteen should not be tried for violent crimes . contradictory +Bill Gates realized it would be more efficient if all computers , regardless of manufacturer , ran the same system ( which is why he 's the richest man in America today ) . Bill gates is the richest man in America . entailment +What is so original about women ? This question asks about the originality of men . contradictory +It is this question which , for me , limits media credibility more than any other . The matter speaks directly to believability . entailment +There was Abraham Lincoln . There was a man , entailment +The wagon train was traveling slow , the wagons riding heavy in the ruts with their burden of northern goods heading south . The wagon was going really fast north , carrying eastern goods . contradictory +very much so very much so in fact um for a while there uh they had downtown if you were to come come to a stop light they had a a rash of where people were uh when people were stopped at stop signs that people would get in their car and hold a knife and hold them up so now ever since then when you drive into the city most people keep their doors locked while they 're in the car until they get down there and once you 've reached the the river walk area which is the tourist area it 's usually pretty safe during the during the day if you 're just kind of cautious and don 't go down the back streets or alleys and um you know or or alone if you stay with the groups and along the area where they have the the river patrol cops it 's very nice but at at evening um again you they have the high tourist area the river walk area which is nice but you don 't want to get off the beaten track um there 's a lot of parking garages there because parking is very tight and so you don 't want to get caught in the parking garage um alone The people would only get into their car to hold them up with a knife if they had a very nice car . neutral +This lookout is one of the highest spots on the island . This lookout has a view of everything on this island , including the rain forest . neutral +Don 't ask me to help you , because I won 't . I won 't help you so don 't ask . entailment +" A good sign , " a man 's voice said . The man said your cough going away is a good sign . neutral +don 't really know what a what a real solution would be for it except like you say some sort sort of an educational process I think there are definitely multiple ways to approach it . neutral +Even if you aren 't a scholar , do come here the atmosphere and beauty of the place is entrancing . The atmosphere of this beautiful place means even those who aren 't scholars are encouraged to visit . entailment +okay do you go camping very much Do you camp much ? entailment +And then I thought about it , and I go , Well , that 's not really horrible . I thought about an idea or thing , and my feelings towards it were not overly negative . entailment +at at this point in my life though i 'm i 'm i 'm a little older probably than you know than the typical new employee would be anyway uh Most of the other new recruits are the same age as me . contradictory +yeah is that right Is that correct ? neutral +Participants also discussed the importance of providing reasonable transparency of key information , with regard to both financial information of the company and board operations . Participants discussed the importance of concealing important financial information . contradictory +LRI showcases a variety of original and effective activities ranging from how to conduct a comprehensive strategic planning process to new ideas for serving hard-to-reach populations . LRI has not brought anything to the table to showcase . contradictory +From this point on , anything Smell the wines first , smell the standards , start to see which terms describe which wine , writes Noble . Noble writes about wine . entailment +We do not have paid lobbyists and we are , in fact , a non-profit public interest law firm and that kind of approach to the legislature would require a lot of education . That kind of approach to the legislature would require a lot of education , and we only finished high school . neutral +It is a 3-km ( 2-mile ) tunnel of bamboo surrounded by sugar cane , with somnolent grazing cattle tethered along its length . The tunnel is over four miles long . contradictory +To account for these indirect effects of economic activity , economists use economic multipliers that are related to worker 's marginal propensity to consume . Economists never thought about what would happen so they decided to use multipliers that are related to an employee 's MPC . neutral +Perhaps if the president had suffered the same terrible fate as Dudley Moore , he would now be suffering less . If the president had suffered a heart attack , that would have been better for him . neutral +A large percentage of the people that come before me do not have attorneys , Sarmiento said . A lot of people in court don 't have attorneys and they are more likely to go to jail . neutral +oh your up in Memphis You must get me a souvenir . neutral +Listen , did the animals eat the meat ? " Animals like their meat raw . neutral +The floor is shaking- the whole world 's falling to pieces . The world was healing . contradictory +Training in testing to be given , personnel to betrained , and the training staff . Training is given to staff . entailment +but you know but at least i can see a little bit of the light just from you know doing this you know budgeting and stuff it really helps I have to start budgeting because I would end up spending more than I earned . neutral +They are all busily battering at Mrs. Inglethorp 's door . Mrs. Inglethorp is not in her room because she is buying milk . neutral +This sport has more or less taken the place of waterskiing , which is not nearly as common now . Waterskiing has been mostly replaced by this sport . entailment +In an era of stronger productivity growth , which may just now be showing up in statistics , the speed limit is probably 3 % to 3 e % a year . Productivity has grown due to more efficient management techniques . neutral +Meantime , she has graduated from Coppin State College , works as a drug and alcohol counselor , left subsidized housing and plans to start work on a master 's degree this year . She has not done much in the meantime . contradictory +The five-tiered auditorium , with its incongruous modern ceiling painted by Chagall in 1964 , holds a mere 2,000 spectators . The auditorium can hold up to 20,000 spectators . contradictory +And it makes an already litigious society more so , afflicting more and more people with onerous discovery , bottomless legal expenses , and grotesque but legal invasions of privacy . The society shies away from litigations and legal matters . contradictory +i think our next biggest threat is the Japanese Japanese I think the next biggest threat after China is Japan . neutral +OSI investigations typically focus on allegations of corruption , fraud , misconduct , contract and procurement improprieties , conflicts of interest , and ethics violations in federal programs or activities . Fraud accusations in federal programs are the type of subject matter that an OSI investigation might be focused on . entailment +A mule head , attached to a rangy mule body , weaved forward to follow dog-at-heel fashion behind the scout . There was a mouse behind the scout . contradictory +North of Parque Eduardo VII , off Avenida Antenio Augusto Auiar , is Lisbon 's most remarkable museum , the Museu Gulbenkian . The Museu Gulbenkian is very small and houses very unremarkable collections . contradictory +Participants are then reimbursed up to $ 5,000 per year for up to 2 years , not to exceed 80 percent of the cost of the cost of tuition , fees , books , and other student materials required for attendance at approved educational institutions . Participants are reimbursed up to $ 5,000 per year . entailment +But the studio system in Hollywood disappeared while studio execs remained important as deal makers , and the same could happen in advertising . The studio execs made the movies go off without a hitch . neutral +You are actually playing into the criminal 's hands . " You are doing what the criminals want . entailment +I am of the most serious . I am the most serious of all of them . entailment +Overnight , it appeared , they had been handed over to King Charles III of Spain though the treaty was not announced until 1764 . It took three years until the treaty was announced . neutral +I am a very bad friend . I 'm not a good person to know . entailment +The sultan was bathed by elderly female servants , then dried and pampered by groups of younger handmaidens . The sultan bathed with the younger women while the elderly women bathed alone . contradictory +Little presents . The presents were too small . neutral +The crowd , including the northerner , went back into the den . The northerner and the person from the west went to the den . neutral +It took us twenty years to dig our way out of the mountains and the world we found out here was worse than the hell inside . It took us two decades to dig out of the mountain , and the world we arrived in was worse than the one we left . entailment +and they gave gave it to her anyway She was given it anyway . entailment +The original Winnie-the-Pooh was the mascot of a Canadian regiment , an actual living bear named for the city of Winnipeg . A Canadian regiment had a bear as a mascot . entailment +There 's so much conflict in it , and there 's not many regulations . Regulations create conflict . contradictory +and you uh put about two tablespoons of uh water into this bowl and about an eighth a teaspoon of salt You don 't need water or salt . contradictory +It would have been much more entertaining to watch , you could have laughed at him a little , and the nickname , given to him by the programmers ' boss would have gotten a whole new meaning . If you had seen it you would have been amused and would now understand why he has his moniker . entailment +He sat patiently as she talked . He sat waiting as she spoke . entailment +And his hand tightened so on the reins that some fraction of his reaction must have reached Shiloh . His tightening hand had no impact on Shiloh as they never felt his reaction . contradictory +She filed suit against Clinton in 1994 , charging that Clinton had exposed himself to her . She was upset with how the case was handled . neutral +uh i know that uh minor uh wrecks don 't require uh police here Here police are required for all accidents big and small . contradictory +Finally , a question to which I know the Murderers yell at each other . For all the questions about the Murders , I knew the answers . neutral +uh several of those people Yes , none of them . contradictory +San 'doro moved like wind , cutting saddles off of horses , cutting the arms that dared to attack him , and the throats of the fallen . San 'doro was murdered inhumanly by the nearby wildlife and enemies . contradictory +isn 't that funny i bet they 're going to do a lot of research on that Don 't you think that 's hilarious ? entailment +Keeping her eyes fixed steadily on the other 's face , Tuppence replied quietly : " Money " Mrs. Vandemeyer started . Tuppence could not look her in the eye and kept her head bowed down . contradictory +Even knowing it was but a statue carved by man did little to reduce his wonder . A woman had whittled the statue . contradictory +okay yeah that 's one of those that sits up at an angle back there yeah okay yeah yeah I can 't reach it from here because of its angle . neutral +you know so why charge me more The reason behind the increased price is understandable to me . contradictory +I have to ask her , said Ca 'daan , more to convince himself than confirm it with his companions . Ca 'daan wanted to ask her a question . entailment +The last year of CBO 's projection period is fiscal year 2011 , permitting the calculations of calendar year values through 2010 . CBO reporting indicates the government has been running at a surplus for each of the last five years . contradictory +However , most possessed considerable clout across their organizations due largely to the support they received from their organization 's senior management . They had no power because of zero support from management . contradictory +oh really so they have no i didn 't realize they had no state tax in Texas I knew Texas was full of tax . contradictory +Surrounding the Centre are beautiful gardens with trails that lead through woodland and along the lake shore . There are gardens that surround the Centre . entailment +Poirot , I asked earnestly , " have you made up your mind about this crime ? " Poirot was asked whether he had made up his mind about the crime . entailment +but in in New York you really never know you can plan to you know to go up to the beach on the Fourth of July and then you know it might be seventy degrees or something The temperature in New York on Independence Day could be about seventy degrees . entailment +To see the city , you should walk , take a bus , subway or taxi , or rent a bike . It 's better to walk or rent a bike to see the city . neutral +Ehrenhalt himself advocates a return to the choice-free , obedient life of the 1950s , but while seductive in the abstract , it sounds more and more confining on close examination . Ehrenhalt promotes the choice-free life . entailment +you want to see what a baseball game is like and he describes it as you sit there in a crowd and it was nice weather and stuff it wasn 't a real problem but you sit there in a crowd and you 're waiting and waiting and waiting and you eat these lousy the hot dogs um because we made him try a hot dog you know and things like that and um We had hot dogs when we went with him to a baseball game . entailment +The power of his work is attributed to its scale and his meticulous method . He is a very hard working man . neutral +Ah ! I understand . I am getting it now ! neutral +All I can do is promise you they didn 't . ' I can only tell you that they did it . contradictory +If you do plan to buy jewelry , be sure to consult the Shopping Guide to Jewellery published by the Hong Kong Tourist Authority to find a reputable dealer . The only reputable jewellery dealers are found in the Hong Kong Tourist Authority . neutral +In 622 Islam was born , according to the teachings of the prophet Mohammed . Mohammed taught about when Islam was first created . entailment +Stick as near to the truth as possible it minimizes the danger of ' slips . ' Telling the truth makes it easier to accidentally slip up . contradictory +On show in the museum are weapons as well as brass and silverware and a tableau portraying a grand royal wedding . Besides weapons , brass , silverware and a tableau , there is also a ship carrying treasure on display . neutral +Not this color , not that that ' texture ' , not that intensity of light reflection . Not these colors , reflections , or intensities . neutral +Hispanics , Asians , even African and Caribbean blacks , are by and large following the classic patterns of immigrant and ethnic assimilation . For some reason , Asians never seem to assimilate . contradictory +Figure 1 illustrates the six fundamental principles described by the CIOs interviewed during the development of this guide . After interviewing one CIO , we decided that there are two fundamental principles relevant to this guide . contradictory +It will be at Barneys downtown . It will be at the gas station downtown . contradictory +But these are impressive in themselves and Cluny 's excellent young guides ( English-speaking in summer ) help us conceive the rest . In winter , there are no English-speaking guides in Cluny . neutral +and then he didn 't have a wife and i felt bad but well i 'm sorry and he goes we 're divorced well i 'm sorry it was real sad but he was pretty nice and stuff and then him and my husband started talking salary I felt very bad when he told me that he was divorced and his ex-wife hated him . neutral +See Jagadeesh Gokhale , Are We Saving Enough ? There is nobody named Gokhale . contradictory +It is a demanding method , requiring specific skills ( such as fluency in the language of the participants ) and general self-awareness to maintain the fine balance between seeing things as others see them and identifying their perspective wholly with one 's own . This method doesn 't involve talking to people . contradictory +yeah i understand that yeah I get it , but I don 't like it . neutral +You can see the results of this construction method in the temple-pillars set on top of one another . This construction method never involves the use of temple-pillars . contradictory +so i didn 't buy it and i 'm sorry now because I i you know i wasted a lot of money uh when you 're twenty twenty one twenty two years old you you throw it away you and i wasn 't paying rent i was living at home Twenty year olds save all their money and don 't waste money on anything . contradictory +I 'm looking forward to your reaction to the book . I 'm looking forward to seeing your reaction to the crime novel . neutral +Law firms fight for their names and contacts . Law firms don 't care about the contracts . contradictory +CHAPTER 2 The second chapter . entailment +This passage could easily belong to a piece of nonfiction--to one of the witty old Letters from Europe that used to run in The New Yorker . And in fact , in the best of these character studies , a vivid picture of Cold War Europe--infected with mediocre rhetoric , imprisoned by fake boundaries , inhabited by numb and ambivalent people--begins to take shape . This passage is unrealistic . neutral +It is a means to an end and you must clearly and consistently articulate the end that you envision . Clearly and consistently articulate the end that you envision . entailment +Despite its name , it is made from molasses , not honey . The product is made from molasses and not honey , but the honey name is fun on packaging . neutral +see we 've got carpet and i haven 't figured out how you 're supposed to paint it on down so that you won 't see where you stopped off and still not get it on the carpet because every time you move that edger then it gets the carpet into it I don 't care about getting paint on the carpet . contradictory +yeah well um like on Hondas they supposedly the maintenance records are supposed to be registered with Honda or whatever and you can request whatever maintenance records exist on cars and you can have them checked out by mechanics and stuff Honda oesn 't provide maintenance checks . contradictory +it 's it 's uh it 's the logistics of the thing that uh that that gets you going The logistics will make you crazy with how complicated they are . neutral +But Tommy hesitated . Tommy would never hesitate even for a moment . contradictory +The final rule contains information collections which are subject to review by the Office of Management and Budget under the Paperwork Reduction Act . Per the final rule , information collections are subject to review by the Office of Management and Budget under the Paperwork Reduction Act . entailment +Periodic comparison of resources with the recorded accountability should be made to help reduce the risk of errors , fraud , misuse , or unauthorized alteration . Periodic comparison of resources would cost the company millions of dollars . neutral +Even with managed care efforts to decrease expensive ED visits , the number of ED patients has increased , so primary care and EDs have to work together . Cooperation between primary care and EDs is not necessary . contradictory +The EU has given large subsidies to develop Greece 's infrastructure and grants to excavate and protect its ancient monuments . The EU is concerned about the Greek monuments . entailment +Nurse Janina came running first . Nurse Janina was paralyzed from the waist down , and this is not a story with miracles or robotic prosthetics . contradictory +The Industrialist pointed out the window . The Industrialist pointed to a building through the window . neutral +and with with the uh people that are coming into the country from other countries not knowing the language and uh they 're they 're going to the big cities it makes it very difficult it is difficult when they don 't know the language . entailment +In 1802 France reclaimed Martinique from Britain through the Treaty of Amiens . France reclaimed Martinique after a brief fight . neutral +I tell you what . I have no comments . contradictory +Begun in 1143 , its arcaded facade varies the patterns of its four tiers of columns sculpted , striped , scrolled , chevroned in pink , green , black , or white marble . Some columns are chevroned in pink , green , black or white marble . entailment +As he shot , the man twisted away and the bullet tore a hole in his cloak . The man 's cloak was shot . entailment +The witch moved to the ground and poured a clay jar of some thick fluid on the ground . The witched let out a cloud of gas from her flask . contradictory +'Stretching ? ' Warming up before exercise is important . neutral +It 's an easy place . It 's an easy little town . neutral +One of Neuharth 's first articulations of his metaphysics came in October 1983 , in a speech to the Overseas Press Club in New York . In his speech to the Overseas Press Club Neuharth talked about his beginnings in metaphysics . neutral +They took Thorn and the others into the heart of an ancient wood . Thorn and the others were hastily taken in to the heart of an ancient wood . neutral +Regulation ( FAR ) The regulation that sets forth uniform policies and FAR is a regulation that has uniform policies . entailment +Upstairs is the Mus ? ? e de l 'Histoire de France , which displays a number of important documents , including Louis XVI 's diary with its famous entry noting , Rien ( Nothing ) , for 14 July 1789 . Upstairs is something that is French which displays a number of important documents . entailment +Print publications have no clear idea of how many people read each copy of their publication and , conversely , how many individual pages of any given copy go unread . It 's hard to printed publications to accurately calculate readership . entailment +The cave paintings were gone . Someone stole the paintings . neutral +You believe that she deliberately went back ? Is it dangerous for her to go back ? neutral +You can only move so much data through the pipe at a time . The pipe isn 't able to handle any amount of data , it 's closed . contradictory +The town had grown somewhat in my absence . The town was smaller . contradictory +The main town Vathi , or Samos Town , lies on the northeastern coastline in a very sheltered harbor . Vathi lies on the west coast amongst many other towns . contradictory +The journey usually takes three hours , even longer when short stretches of the river dry up , forcing passengers to walk along the riverbank while the boatmen push the launch through the shallows . The travel time can be longer than three hours depending on conditions . entailment +The current tumult in Kosovo completes a circle for Milosevic . The uproar in Kosovo marks the end of a cycle for Milosevic . entailment +The Green Mile is a fat old whore who thinks appealing to an audience 's most self-congratulatory instincts--stroking it until it goes blind--is a public service . The Green Mile is a perfect film in every respect . contradictory +and so um yeah uh yeah i guess i usually do i like to cook um heavy sauces and um I like to cook spicy foods with heavy sauces . neutral +Regular old cat always interfering . The regular old cat is always interfering when I try to open my door to bring in groceries it tries to run into my house and I nearly trip everytime . neutral +Greek society is very family-oriented and children will be very welcome at tavernas and cafes . Local citizens often give visiting children goods produced locally . neutral +When Sam Donaldson pointed out on This Week that two Republicans , President Richard Nixon and Secretary of State Henry Kissinger , had pioneered engagement in the Shanghai Communique , George Will I was for impeaching Nixon over the Shanghai Communique ! Nixon was well loved by everyone that knew him . contradictory +It was many millenia and several universes later when Dave Hanson finally remembered . Dave Hanson remembered that he forgot to relay a message . neutral +Minutes away from the financial district of New Kingston and the Bob Marley Museum . It was so close to the financial district that you could walk . neutral +But Clinton enjoys the librarian look , too . Clinton would not hesitate to have an affair with a good-looking librarian . neutral +And though today 's Las Vegas is still dominated by the gambling industry , non-gaming business has flourished here as well , thanks to the county 's and state 's favorable tax structure . The growth of gambling remains higher than the growth of non-gaming business in Las Vegas . neutral +'Is he still here ? ' It 's certain that he 's not here . contradictory +You know , it 's not a bad idea to close the windows when it rains . It 's best to leave the windows open during a storm and let in all the water . contradictory +Comparisons with previously published summaries indicate that the missing data did not bias our results . Missing data never messes with our results . neutral +that 's probably the safer way because i notice in aerobics um lot of the women that that don 't look like they shouldn 't be doing certain things in aerobics , some of the women who look like they definitely shouldn 't be doing certain moves contradictory +Over 20,000 additional hotel rooms have been added in a few short years , including resorts in Summerlin and Lake Las Vegas . Las Vegas has not had any recent resort additions . contradictory +You can see his grave and that of his great love , Esther Johnson , as well as the pulpit from which he preached . His grave is located in a granite sepulcher . neutral +yeah i can imagine i know how things are up there The fat cat politicians will do anything for a little money . neutral +Or perhaps it was just that I could not understand . This is way to complicated for me . neutral +Coloring books distributed to the children of farm workers in Weld County warn youngsters to run when they see crop-dusters spraying ' pesticidas . Coloring books were given to the children of farm workers . entailment +Your pink slip is waiting at the reception . Your pink slip will be at the reception area . entailment +Who told you that , mon ami ? Who informed you ? entailment +All ideological differences between Democrats and Republicans . The difference in ideology between Republicans and Democrats is extensive , long , and far-reaching . neutral +The marriage contract pours a sea of benefits and obligations into a single I do . Saying " I do " means that you are committed to cook your spouse chicken noodle soup when they are sick . neutral +He watched the farmers , tradesmen , herders , and children finishing their day . The people all laid around with nothing to do . contradictory +Finally , a sister is getting to go to the ball , says Newsweek ' s Veronica Chambers . Veronica Chambers said a sister is going to the ball . entailment +Aside from the palaces and museums , Aranjuez is noted for its royal parks and gardens . Aranjuez has nice royal parks and gardens . entailment +yeah it 's a nice way to relax i mean in a way i mean i find it anyway although sometimes watching the news isn 't very relaxing i get home from from I like to relax by watching some different shows on TV . neutral +Air quality modelers and researchers have responded to the need for scientifically valid and reliable estimates of air quality changes by developing a number of sophisticated atmospheric dispersion and transformation models . In additional to developing sophisticated models , air quality modelers and researchers have also made a new magazine called Air Quality magazine . neutral +The beginning of what ? Is this the ending ? contradictory +For example , the manufacturing company 's central group reviewed all new Internet related applications and had the authority to stop such applications from going into production if minimum security standards were not met . The manufacturing company 's central group had the authority to stop new Internet related applications from going into production if minimum security standards were not met . entailment +Blois Olson , a spokesman for Minneapolis-based Dominium , said the company didn 't build the complexes but only acquired them . Xenophillius Lovegood is a spokesperson for Minneapolis based Dominium . contradictory +well see tomatoes grow like crazy at our house Like we have a section of tomatoes and we put the tomatoes there every year in the same section And i swear we get tomatoes six rows up Tomatoes flourish at our home so we have an area of tomatoes that we use every year . entailment +What do you see in a town like that ? asked Jon . What time do the stores close in that town ? asked Jon . contradictory +The incidence of asthma is up 61 percent since the early ' 80s . Asthma incidence has risen since the early ' 80s . entailment +Napoleon 's apartments display the style of his empire , and a Napo ? ­ leonic museum has been installed in the Louis XV wing . Louis XIV admired Napolean greatly . neutral +The market is bustling , fragrant , and colorful , with exotic fruits , vegetables , and fish of all shapes , colors , and sizes . The market is busiest in the morning . neutral +Our heartiest congratulations to each of you . We want to wholeheartedly congratulate with you . entailment +I 'm a little uncomfortable with the way the question invites a sense of cultural superiority . The question poses no problems . contradictory +The peninsula 's seaside resorts have good beaches among the pine groves , first-class camping and water-sports facilities , and are a base for excursions and hikes into an attractive hinterland of rolling hills . The resorts have nice beaches , excellent camping and water sports , and serve as a base for various activities . entailment +Public facilities , such as transportation systems and water supplies , are vital to meeting the Transportation systems are considered a type of public facility . entailment +Then head uphill to the Castillo de la Concepcien at the highest point of the city . Castillo de la Concepcien is in a village . contradictory +to go beat up on people and i think that i think we need to a little more justice at home i 'm not sure how we get that whether there 's a connection there but Beating up on people will create more justice at home . contradictory +Under current federal budget policies , as the baby boom generation leaves the workforce , spending pressures will grow rapidly due to increased costs of programs such as Medicare , Medicaid , and Social Security . The spending pressures are diminishing quite fast due to the lower costs of diverse programs . contradictory +One of the more scenic is the five-mile River Mountain Trail , which offers fine views of both Lake Mead and the Las Vegas Valley . The River Mountain Trail is 50 miles long but it doesn 't offer any views of Lake Mead . contradictory +Monitoring focuses on the assessment of the quality of performance over time and on the prompt resolution of problems identified either through separate program evaluations or audits . Audits are effective at identifying problems that can be resolved by management . neutral +well let me tell you that Twin Peaks was much better when it just started so maybe it 's time for it to quit i they 've gone downhill too Twin Peaks is better now than ever before . contradictory +Fidel Castro climbed to power , Johnson informs us , on the back of adulatory news stories in the New York Times . The media have developed an insatiable passion for witch hunts , such as the one that badly distorted Iran Contra stories during the Reagan years . Many US news sources were very positive about Fidel Castro 's rise to power . neutral +The grant will pay the salaries of two lawyers and an intake specialist for 18 months at the center , which will operate out of rented space in Salem 's old Masonic building at 70 Washington St. Center organizers hope to obtain more funds to extend the program . Seventeen lawyers will be paid for by the grant . contradictory +Now , in the fall of 1866 , it was a third of what it had been , with a ragged fringe of dilapidated adobes crumbling back into the soil . As of the fall of 1866 the adobes were nothing like they were in the past . entailment +but uh but they don 't require a lot if the only the problem that i 've seen in the past is like when you 've got uh if you 've got natural gas and heat of course you don 't in the east i suppose you don 't have a lot of natural gas heat but if you don 't have your y our heat adjusted your gas adjusted right then you can get some stains you know on the ceilings and you know ceiling ceiling The stains on the ceilings are caused by natural gas and heat . neutral +you 're never you 're never real and and they they do a lot of inbreeding too and so you end up with you know kind of strange kittens They typically don 't do any inbreeding , but this wouldn 't have consequences even if it had occurred . contradictory +The Reorganization Act grants the Postal Service specific powers that serve as the operational tools of service innovation . The Postal Service has powers under the Reorganization Act which keep it innovative . entailment +As noted previously , the Shopping Avenger is but one superhero , and he issues abject apologies to all those who did not receive personal responses . The Shopping Avenger can 't personally respond to everyone . entailment +I carried the magazine carelessly stuffed into the pocket of my ulster . I went around with the magazine recklessly stuffed into my coat 's pocket . entailment +( Watts , a black GOP congressman , delivered the party 's reply to the State of the Union . ) Watts is a black republican that has been gaining popularity . neutral +you know i i don 't normally do that at at work uh and i i typically deal with uh I wouldn 't normally carry a gun while at work . neutral +The hall , begun in the reign of Emperor Tiberius following the Roman takeover , has pleasing proportions and the interior is decorated with reliefs depicting Roman emperors dressed in Pharaoh 's garb and worshipping Knum . Tiberius approved of the building of the hall . neutral +Specific form and content guidance on financial reports will be provided by OMB . There is guidance for the financial reports based on OMB 's financial statements . neutral +yeah well this part of the country there 's no shortage shortage of uh good schools This area has a serious lack of decent schools . contradictory +A splendid 17th-century chateau and gardens designed by Le Vau , Le Netre , and Le Brun for Louis XIV 's finance minister , Fouquet . Le Vau designed the gardens in the 1800s . contradictory +This document contains GAO 's Agency Protocols that we are launching in a pilot phase starting in December 2002 . GAO is launching a new pilot program in December 2012 , contradictory +In reality , each area is quite it generally consists of a small town and an outlying area with different geographical characteristics . Areas can be widespread and grand . neutral +um the uh the latest one i 've seen uh had to do with a uh uh the uh basically a manhunt um and it was uh it was called Manhunter actually uh the uh the guy uh apparently had a a mental dysfunction in which he needed to go out and just slay people uh just uh kill them with uh with as much blood and and guts as possible The latest one I saw was called Manhunter ; it was about a mentally dysfunctional man who felt compelled to slay people in the most bloody and gory ways possible . entailment +Holyrood Park , within the confines of the city , provides an ideal area for walking . Holyrood Park is a great area for a lovely stroll in the afternoon . neutral +The only mechanistic thing you can do is make yourself scarce . In order to pursue a mechanistic being , you must first read 100 books . neutral +and then you 'll see the real funny looking couples and it 's it 's it was just entertaining and of course that was There are funny looking couples there for entertainment . neutral +for everybody to see For everybody to see , though we didn 't want them to . neutral +In the 16th century this thoroughfare became known as the Royal Mile because it was the route used by royalty to make their way from the castle to Holyrood . The route was called the Royal Mile . entailment +He was no beginner . This was his very first time . contradictory +uh school activities and my my boy was in hockey My son started playing hockey when he was very young . neutral +The gambler brought the top book of the pile down on the bar with a thud . The gambler just stared at the big pile of books . contradictory +for the machine yeah No , do not use the machine . contradictory +The original route cannot be precisely followed because the Herodian city of Jesus 's time was destroyed by Rome in a.d. 70 ; it was rebuilt in a.d. 135 by the Roman Emperor Hadrian with a different town plan and pattern of streets , making accurate identification of sites in the earlier city difficult . There have been changes to the route over the ages . neutral +Still , there are some reasons to prefer the 19 th century 's embrace of partisanship to today 's exaltation of the conscience-serving , hyper-responsible individual--or what I once heard called the David Broder / League of Women Voters school of politics . Today 's political environment favors irresponsibility . contradictory +But no one has ever been killed at the UFC--though boxers are killed every year . The death toll for boxers is highest at the UFC every year . contradictory +She therefore opened the desk , and in searching for the stamps she came across something else ” that slip of paper which Dorcas saw in her hand , and which assuredly was never meant for Mrs. Inglethorp 's eyes . Dorcas found a document that Mrs. Inglethorp was never meant to see while searching for stamps in the desk , so she hid it where she would never find it . neutral +Pilgrims coming from Tibet , as well as local refugees , supply the shops that ring the stupa with the city 's best selection of Tibetan antiques . The finest selection of Tibetan antiques in the city are from the shops around the stupa . entailment +Some are meager square boxes , but behind a number of strong stone walls , magnificent homes are revealed . The stone walls separated the people who lived in the boxes from the rich people in the magnificent homes . neutral +uh let me see what do you what you like to cook uh just everything or do you have specialties I could care less about what you like to cook . contradictory +yeah yes i know i mean i only heard portions of that but it 's absolutely terrible and you know if you beat a dog like that they 'll put you in jail Beating dogs is really fun , everybody should do that . contradictory +Don 't you understand ? Do you not get it ? entailment +Entrance to the Diwan-i-Khas ( Hall of Private Audience ) was for the privileged , by ticket only . One needed to be very influential to be allowed in the Diwan-i-Khas . neutral +They tried more than a half-dozen restaurants and pizza parlors and found them variously full , out of food , closed for lack of water for washing up , and charging one-eighth of a month 's salary for a single pizza . Pizza was nearly impossible to get at that time . entailment +but it 's the only uh well it 's part of the bank holding company and that bank holding company of the ten largest banking holding companies in Texas it 's the only one that 's still alive There is only one banking holding company in Texas . neutral +In the Weekly Standard , Wallace biographer Stephan Lesher says the film reduces the governor 's appeal to simple racism--a contention every bit as anti-intellectual and demagogic as Wallace 's own ... Stephan Lesher believed the film accurately portrayed the governor . contradictory +well i think i don 't know anybody personally either I can 't recall meeting anyone like that recently . neutral +Czarek noticed that several guys were drinking domestic beer , and in a grand motion pulled out a bottle of Palisander Liquor , but nobody paid any attention , because Nowak kept talking : Czarek ordered a domestic beer for himself . contradictory +( Photography permits are harder to get . ) It is easier to get photography permits . contradictory +Ten months went by . Then almost a dozen months went by . entailment +i was in the Air Force yeah yeah for myself i mean i think that military experience was fine it was just i just wish that there was something else that that that i could have done you know with I was in the Air Force . entailment +Design for Constructability - A Method for Reducing SCR Project Costs Different design variations can help reduce project costs . entailment +The Chechen Russia is trying to take us over again . Russia is trying to overtake us once more . entailment +that 's true certainly not localized there It has spread out a lot . neutral +However , an additional smoke stack is normally unnecessary . But an extra smoke stack is usually unnecessary . entailment +A cross between New Age philosophy and 1950s hyperbole , says It 's a cross between New Age spiritual stuff and 1950 's hyperbole . entailment +His only outside interests are golf and his family . He is interested in tennis and his family . contradictory +White-washed houses climb the hill above the harbour , where ferries depart daily for the Greek island of Samos , and lively bars and restaurants line the streets of the old quarter . The houses on the hill are all the same dark brown color . contradictory +Hey , what a CEO and a CNNfn reporter do in the privacy of a live broadcast is none of our business , you know ? The things a CEO and CNN reporter do during a live broadcast is not for public scrutiny . entailment +Manning 's eye swept over him with a faint contempt . Manning stared at him with utter disgust . contradictory +Orchids are also on sale here , and you will never find them any fresher . The orchids are the freshest in the world . neutral +Jon looked for Adrin and San 'doro but saw neither . Jon couldn 't find either of them . entailment +The legislation must pass the hearing stage by next Thursday . The statute needs to go through the hearing by the upcoming Thursday . entailment +I shall keep my eye on our clever Dr. The doctor is free from suspicion . contradictory +He knew that students would not find microeconomics , with its emphasis on efficiency , interesting unless they were first convinced that the economy could achieve more or less full employment , that it need not relapse into depression . He knew the students would not care about microeconomics no matter how he presented the material . contradictory +The last of the Afonsin dynasty , King Fernando I ( 1367-1383 ) , formed an alliance with the English and appealed for support in his disputes with Spain . King Fernando I was the last ruler of the Afonsin dynasty . entailment +that 's why they can say you know there 's no layoff policy They can 't talk about it because it would violate the layoff policy . contradictory +What exactly lay behind those last brief words ? What did the King really mean when he said his last words ? neutral +i didn 't think of working out as a hobby Working out is my hobby . contradictory +Naturally , said Sir James dryly . Sir James spoke in a dry manner and that was his most endearing quality . neutral +After vowing never to discuss his drug history , he admitted that he had made some mistakes but said he would have passed a 15-year background check in 1989 . He had a really bad cocaine and methods addiction . neutral +'And you agreed ? ' A question was asked . entailment +In Hong Kong , the South China Morning Post said in an editorial that vacillation over tax cuts had cost Hashimoto his job . The South China Morning Post said that vacillation over tax cuts had cost Hashimoto his job . entailment +However , in response to media inquiries about ongoing OSI investigations , GAO will neither confirm nor deny the existence of such an investigation . They will not say either way if there is an investigation . entailment +You get us a working Franklin in two weeks , and we 'll pretend everything is happening exactly as it should . A deadline of two weeks was imposed on getting Franklin working , but it would take much longer . neutral +She crowded closer , nickered plaintively . She moved in . entailment +but i always enjoyed watching them i just growing up in Oklahoma there it was always the home team kind of like Dallas is around here I didn 't watch them because they were nothing like Dallas . contradictory +In the Weekly Standard , Wallace biographer Stephan Lesher says the film reduces the governor 's appeal to simple racism--a contention every bit as anti-intellectual and demagogic as Wallace 's own ... The argument given was that the film only portrayed one side of the man . entailment +However , the Departments are accepting comments on the interim final rule for a 90-day period for consideration in the development of the final rules to be issued implementing the HIPAA . The departments are refusing to take comments about the final rule . contradictory +In Roman times a temple to Jupiter stood here , followed in the fourth century by the first Christian church , Saint-Etienne . Amazinlgy , no Christian churches were built where Roman churches once stood . contradictory +Special Interest New York would be of special interest as a large state with a very low rate of unfiled returns . Special Interest New York is a large state with a very low rate of unfiled returns . entailment +I myself had been given a job at the War Office , so was able to see them continually . I was unemployed . contradictory +and um a lot of people just just wear jeans and and uh sweats all the time and they dress up like when customers are coming in or uh when we have department meetings or something like that and um A lot of people wear jeans or sweats to work , but my office has a strict dress code . neutral +He 'd apologize if he found him there . He would apologize for breaking into the building to look for him . neutral +Lesbian and gay travelers will find integrated nightlife in the so-called Gay Triangle area on Paradise Road . The Gay Triangle area is where gay and lesbian travelers will find establishments that cater to them . entailment +That doesn 't matter . It might be important . neutral +Tuppence had therefore very little fear of proving inefficient . Tuppence was extremely fearful . contradictory +If not here , then where ? This is the most sensible location . neutral +It 's bread and circuses without the bread . It 's bread and circuses without bread . entailment +Its standout attraction is the Museu Nacional de Arte Antiga ( National Museum of Ancient Art ) , Portugal 's largest museum . Portugal has a rich history of art works . neutral +There is a lively young scene based around the university , and a sophistication to match other major Greek cities such as Athens or Thessalonica . The area around the school is boring , all the major places to go are in other major Greek cities . contradictory +However , a much more graceful architectural touch can be seen in the panels of Shiva demonstrating the 108 basic poses performed in the sacred dance , bharatanatyam . The panels of Shiva were created in a very graceful style . entailment +Ireland has been inhabited since very ancient times , but Irish history really begins with the arrival of the Celts around the 6th century b.c. , Ireland 's first documented invasion . Ireland has been inhabited since ancient times , but Irish history begins with the nomadic Celts around 6th century b.c. , when it was first invaded . neutral +that 's right but just because we 've got a lot of money doesn 't mean that 's gonna solve the problem Just because we have a lot of money doesn 't mean we 're going to get schools back on track . neutral +Belatedly , I realised what my problem with the scheme ought to be . I realized what the problem should be at just the right time . contradictory +As he began walking with the girl toward a huge tent that should have belonged to a circus , he could see other discrepancies . The girl and him walked toward a huge tent . entailment +Of these , the Dordogne has carved a particularly beautiful winding valley of gentle greenery . The valley carved by the Dordogne is not one of these . contradictory +The Wordsworth Trust now manages the property and offers a guided tour of the cottage that provides insights into the life of the writer , his family , and his friends . You can find nothing about the life , family and friends of the writer , Wordsworth . contradictory +From some other country . The thing the line is referring to is from a foreign place . entailment +The Rajput warrior clans fought each other for control in what is now Rajasthan , the Kathiawar peninsula , and as far east as Khajuraho . Rajput warrior clans fought amongst each other to conquer Rajasthan . entailment +I think humans and computers are compatible . I think that computers will be an important part of the future for humans . neutral +" Heard tell as how you 're fixin ' to race your plug ' gainst Oro , Kirby , " Johnny drawled . Kirby is against Oro because he doesn 't think he will win . neutral +oh well then it won 't be too bad you know it wasn 't impressive necessarily but it was better than it could have been It 's the best we 're going to get . neutral +Macau has an ample supply of Portuguese wines . Macau has always been a supplier of Portuguese wines . neutral +However , combining statistical sampling with fast pay procedures is permitted under appropriate circumstances . Sampling combined with pay procedures that are rapid is allowed . entailment +Also , the King 's mummy is the only one still in situ many others are on display in the Egyptian Museum in Cairo . The mummy of the King is still in situ . entailment +National Saving So Low ? People save 70 % of their income . contradictory +This restraint may partly reflect Microsoft 's market strategy--after all , Microsoft beat Apple partly because Apple did practice vertical foreclosure , and as a result inhibited the development of complementary software ( although the main problem was Apple 's persistent belief , despite all the evidence to the contrary , that everyone would be willing to pay a premium price for a niftier machine ) . Microsoft has a strategy to beat Apple and has done so for every quarter for the past five years . neutral +uh as being a major source of pollution and they 've uh ignored the trucks entirely They felt uncomfortable about the trucks being a large source of pollution . neutral +Skopelos Town is one of the most impressive towns of its size in the Aegean , in part because it is also among the most original little damaged either by war or earthquakes . Among the most original towns , that was not damaged much , is Skopelos Town . entailment +For example , several organizations carefully sanitized victim identifiers from documentation or did not document discussions about specific vulnerabilities and incidents . Victim Identifiers from documentation were sanitized by several organizations . entailment +We , therefore , have a dilemma . We now have a problem . entailment +Right behind it is the Round Room , where in 1919 the Irish parliament adopted the Declaration of Independence . The Round Room is the subject of many paintings from the period due to its historical significance . neutral +well the other issue is is is how do you allow uh how how do you allow injustice just like the the policeman in in Los Angeles We need to be social justice warriors especially in California . neutral +yeah pretty much well i hear one of my kiddos doing something they shouldn 't be so i 'll uh let you go and maybe I have more than one child , but one is always sneaking around . neutral +same here tough topic so EASY TOPIC ! contradictory +However , the Departments are accepting comments on the interim final rule for a 90-day period for consideration in the development of the final rules to be issued implementing the HIPAA . The departments are taking comments about the final rule , which will be implemented after 90 days . neutral +and i walk i mow my own lawn and i do i don 't have a sprinkler system i i don 't enjoy watering especially I mow my own lawn and water it myself , it 's good exercise . neutral +The Louvre 's official Web site ( & lt ; www.louvre.fr & gt ; ) offers virtual tours that can help you choose the most important galleries for you to visit . Virtual tours can be found on The Louvre 's official web site . entailment +One of its features is a notable Impressionist Gallery . The museum features a portrait gallery . contradictory +data designed to evaluate the performance of computer hardware and software in a given configuration . The data is supposed to assess computer software 's performance . entailment +In support of this contention , they suggest the challenged limitation takes into account the nature of the grantees ' activities and provides limited congressional funds for the provision of simple suits for benefits . Limited funding should be provided for simple suits . entailment +Few expected to finish the evening it was beginning to be already . The majority of people there left early . neutral +okay one right but that 's all yes look i mean that has to be one of the biggest wasters of money is the years that these guys sit on death row i mean It is such a big waste of money when guys sit on death row for years . entailment +The Explorer struggled to keep his self-control . The Explorer wanted very badly to yell and scream . neutral +Born in 1958 ! Born two years before 1960 ! entailment +Much has been written regarding the meteoric rise of executive compensation in the United States . Executive compensation increases cause jealousy problems in the workplace . neutral +DOD is taking steps to change the culture of the acquisition community The organized begged them to make no changes . contradictory +Most major cities have martial arts halls , where you can watch kendo ( fencing with bamboo staves ) as well as the famed sports of judo and aikido . Most major cities have huge arenas that host kendo every month . neutral +Far more progressive than the Archaics , the Anasazi utilized such formal agricultural techniques as irrigation to assist their harvest . The Anasazi lacked the farming techniques of the Archaics and as such had very difficult harvests . contradictory +They consolidated their gains by building Antonine 's Wall across the waist of Scotland between the Firth of Forth and the River Clyde in about a.d. 150 . In a.d. 150 , Antonine 's Wall was built next to the River Clyde . entailment +um yeah well i don 't either and it 's certainly foreseeable the Kurds have always been that way and every time they try something they they get the partner my French they get the crap kicked out of them and There has never been a peaceful period of more than a decade . neutral +However , the benefits of this formula do extend beyond the pits . The formula 's benefits are present beyond the pits . entailment +Illinois ' poor will have less access to free lawyers thanks to a recent one-two a cut in federal funding for the state 's biggest free law clinics and a drop in a statewide fund that pays for legal aid . The one-two cut in federal funding will affect the poor in Illinois providing less access to free lawyers . entailment +I will continue to speak out on these issues in the coming months . The issues will be spoken on in the coming months . entailment +As you travel south , the landscape changes . The south and north are both exactly the same in climate . contradictory +Hikers should also consider the strange moon-like surface of the Makhtesh Ramon crater ( see page 73 ) . The Makhtesh Ramon crater has a smooth appearance . contradictory +For a closer look at the true roof of the world , consider a seven-day camping trek , on foot or pony , to Sandakhpu ( 3,650 m / 11,700 ft ) . Camping on the " roof of the world " isn 't possible , because weather conditions are too harsh . contradictory +In the apartments , in addition to fine 16th-century Flemish tapestries and French , Italian , and Spanish furniture , you 'll see Diane 's neatly kept household accounts . The apartments have furniture originating from several countries . entailment +and then when your children are very little you can 't go out and do things like that and it got so the insurance and the and the uh and the tie up fee uh was Once kids come into the picture , everything has to be reconsidered . neutral +it 's it 's probably not dissimilar from the uh what are they the the the i 'm trying to think of the name of the the something like that in Northern Iraq They share the same ideals as the one in Northern Iraq . neutral +But you can 't get there from here without someone paying twice--for the previous generation and the current one--or someone getting less ( or someone--i.e. There is a direct line from here to there and it will cost nothing . contradictory +I have a couple of tables I want to share with you . I want to show you this new data . neutral +None of Iowa 's 99 counties regulates upkeep on rental property in unincorporated areas , according to county auditors . None of Iowa 's 99 counties regulates rental property upkeep in non incorporated areas entailment +I 've got to speak to Red alone , Slim insisted . I do not want anyone else to be with Red when I talk with him . neutral +Stereotypic profiling may be the consequence of screening only suspected patients . Stereotypic profiling is a consequence of certain screening procedures because it does not involve all parties . neutral +Early reports blamed Mexico , whence the strawberries came in violation of the U.S. ban on foreign ingredients in school lunches . Early reports said it was Mexico 's fault . entailment +Landlocked Umbria 's rich green countryside surrounds a golden triangle of historic cities , the Assisi of St. Francis , the noble university hillside town of Perugia , and the medieval mountain post of Gubbio . All evidence of culture from Umbria 's society has been lost . contradictory +well we don 't have that kind of choice either We don 't have the choice of president really , either . neutral +During 2002 , we worked with national colleagues on specific activities . Specific activities were worked on with national colleagues . entailment +Jin Tun Syed Sheh Barakian ( also known as the Esplanade ) runs between the waterfront and the Padang before the fort . A bridge can be found on the river which paves a way for people to cross from the waterfront and the Padang and vice-versa . neutral +um-hum i built a i built a three bedroom Colonial home with one and a half baths up and down I never built a colonial home . contradictory +authorized the Departments to jointly promulgate regulations limited solely to self-determination contracts or the approval , award or declination of such contract regarding the Federal Tort Claims Act , the Contract Disputes Act , declination and waiver procedures , appeal procedures , reassumption procedures , discretionary grant procedures , property donation procedures , internal agency procedures relating to implementation of the Act , retrocession and tribal organization relinquishment procedures , contract proposal contents , conflicts of interest , construction , programmatic reports and data requirements , procurement standards , property management standards and financial management standards . The Departments were given permission to promulgate regulations . entailment +You couldn 't miss Piazza Venezia if you tried and many do try , because of its endless traffic jams and the arguably ungainly white marble Vittorio Emanuele Monument . Piazza Venezia is always empty . contradictory +Maybe I don 't like the character because Lorraine Bracco is a bit of a stiff . Lorraine Bracco is a bit uptight . entailment +The elders looked ten years older than they did when Jon entered . The appearance of Jon made the elders more youthful looking . contradictory +Slovakian ? Italian ? contradictory +There are actually two shimmering crescents of pale sand here , separated by a small rocky promontory . The crescents of sand here are pale due to the bleaching rays of the sun . neutral +The answer is that the premise must be When productivity in emerging economies rises , so must wages--that is , the supposed situation in which these countries are able to produce sophisticated goods and services at rock-bottom prices never materializes . If productivity rises then wages rise and there will never be very cheap goods . neutral +Nearby is the Kelter Parke , a huge , shady pleasure garden , venue of the annual International Fair . The Kelter Parke is actually very , very far away . contradictory +Virtually all the early commentators on The Bell Curve were unable to assess the merits of the regression analysis . Many of the early commentators were experts at assessing the analysis merits . contradictory +For roughly 85 percent of life 's 3.5 billion-year history , it was entirely made up of single-celled organisms , such as bacteria and algae . Algae can be cultivated to make a nutritious paste . neutral +Brown asked whether other forms of technology should be included , such as audio tape headsets . Audi tape headsets are cutting edge neutral +But the Texan was shucking boots and clothing in turn . But the Texan was taking off boots and clothing . entailment +5 million in federal funds under the Violence Against Women Act ( VAWA ) for use in rendering assistance in domestic violence cases . Rendering assistance in domestic violence cases can be done through 5 million in federal funds . entailment +Once Congress agrees to regulate one sort of abortion because it is gruesome , the pro-lifers will immediately turn to another form of abortion and insist that it , too , be regulated , because it , too , is gruesome . The solution is to not regulate any sort of abortion . neutral +Still trying to wrap my brain around the Fat Man 's order . I don 't care what Fat Man ordered . contradictory +The richness of the environment around the Blue Mountains has long been recognized ; protecting the areas of virgin forest is now a priority . There are parts of the Blue Mountains that have tons of wildlife . neutral +This Odysseus seems to be on a very long journey to find his missing Prozac . They needed to take their pills before they had ended the journey . neutral +At the heart is the huge 18th-century H ? ? tel de Ville ( Capitole ) , fronted by a huge open space that hosts an open-air market on Wednesday mornings . There is nothing interesting near the Capitole . contradictory +um-hum well i 've considered it last year and this year both but i haven 't done anything about it so After thinking about it for a couple of years , I did something about it . contradictory +The award was given to Conner for her outstanding work in public service , pro bono and community service on behalf of indigent persons , according to the American Inns of Court , which presents the award . The award went to Smith because she ha done a lot of work for legal services . contradictory +They 've saved what they could of the tools from the camp and what magical instruments are still useful . They kept a number of the tools . entailment +It occurred to me that it would be a good opportunity to tackle her on the subject of Cynthia . I feel it would be terrible if I inquired the woman . contradictory +Guidelines , while encouraged , were not considered to be mandatory for all business units . It may be important to have guidelines , but they are not a necessity . entailment +To the Summit Towards the Summit . entailment +Hankinson , the Supreme Court of Texas liaison to the Foundation , has worked tirelessly to ensure that poor and low-income Texans are afforded access to justice . Poor Texans have little hope in the justice system since no one is working to help them . contradictory +In her experience , legal aid organizations are in need of long-term plans , guidance and structure , she said . Guidance is one of the things that she said legal aid organizations needed . entailment +He saw the smoke filling the air . It was obvious to him that smoke was filling the air . entailment +and we 've also had extremely strong winds fifteen to twenty miles an hour for the day The winds were very gentle today . contradictory +Hindus and Buddhists still bathe where he bathed . Hindus and Buddhists think that bathing there will help them spiritually . neutral +oh but now i enjoy it every once in a while i mean it 's not something i 'd want to do real often i 'm a sissy i either want to do it in the fall or spring you know I would never do something like that in a million years . contradictory +Is there a better racket than travel journalism ? Travel journalism demands a lot for little return . contradictory +'But what makes you think I won 't prove just as untrustworthy ? ' What are the reasons that you don 't think I 'm trustworthy ? entailment +Adrin struggled for position but San 'doro straddled the young man , keeping control of Adrin 's hips . San 'doro was preventing Adrin from doing what he wanted . entailment +Talking directly to the camera , White looked somewhat worse for wear . White looked worse then he had before . entailment +Visvanartha , built in 1002 , is more compact and ultimately more harmonious than Lakshmana . Visvanartha is smaller and more harmonious compared to Lakshmana . entailment +yeah i i i don 't You 're right , I don 't entailment +Finally , the analysis discusses several significant alternatives that were considered and rejected by the Commission , including expanding the universe of providers covered by the rule , more narrowly defining the universe of providers , and continuing the resale rule indefinitely . There are a number of alternatives available . entailment +Poorest Policyholders could lose Medicaid , other Benefits Congress has a task force looking into this issue . neutral +The data also showed that black homeowners earning more than $ 70,000 a year were more likely to get subprime loans than white homeowners earning less than $ 30,000 a year , a pattern that reflected national trends . Black homeowners , despite their income , had a harder time convincing lenders to offer money for the mortgage . neutral +Some projects require a higher degree of boiler integration and less erected steel and , therefore , have a higher percentage of boilermaker labor . Some projects have a percentage of boilermaker labor that 's higher . entailment +He was frowning perplexedly , and I drew a deep breath of relief , for the terrible thought that had flashed across my mind was this : that Dr. He was smiling happily as my breath quickened . contradictory +Product cream skimming is where a competitor tries to capture the most profitable portion of the market for a product with heterogeneous costs . Product cream skimming is pretty common , because it can yield quick and high returns . neutral +Investigative reporters strive for truth , but political reporters strive for balance . Investigative reporters and political reporters both strive for the same thing . contradictory +Many senior security managers told us that prior to the recent strengthening of their security programs , their organization 's information security policies had been neglected and out-of-date , thus failing to address significant risks associated with their current interconnected computing environment . They had not updated or checked their security policies for a while . neutral +and uh she would watch them at night when she came home She would watch them at night when she came home entailment +But again , there 's no evidence linking Huang 's involvement to the Chinese government . Huang is certainly guilty of being involved with the Chinese government . contradictory +The government 's human capital management has emerged as the missing link in the statutory and management framework that the Congress and the executive branch have established to provide for a resultsoriented federal government . An efficient federal government is provided by the statutory and management framework . entailment +Our task is to give some alternative meaning to the [ language ] that avoids this consequence . The alternative meaning will avoid this consequence . neutral +In modern times , President Georges Pompidou lived here ( on the Quai de B ? ? thune ) , much preferring it to the ponderous Elys ? ? e Palace . The president 's reasons were purely logistical , and he disregarded aesthetic factors completely . neutral +in fact uh when our car was stolen of a little over a year ago in Baltimore i had a Rod Stewart tape in there that i was thinking the other day that i ought to replace because i really kind of miss that music but I really miss that Rod Stewart tape I left in my car . entailment +I spent a month preparing for my escape . I was too scared to even consider running . contradictory +Government lawyers might not lie about the facts , says Kate Martin of the Center for National Security Studies . Kate Martin says government lawyers will lie about the facts . contradictory +A giant block of marble , formed into a kourosemale statue ) over 2,600 years ago lies proseate on the ground . The statue was made to honor gods . neutral +They sank into it at once and began twinkling . As they went down into it , they stopped twinkling . contradictory +sporting and other events , teams and entries in the brand name of tobacco products ; and requires manufacturers to provide intended use information on all cigarette and smokeless tobacco product labels and in cigarette advertising . Manufacturers have to explain intended use for cigarette products . entailment +I can 't reach it with the Projector . I can reach it with the feather . contradictory +Yet think of the changes it would bring to society . Think of all the ways it would change diapers . contradictory +well did we cover it everything Have we gone over everything twice ? neutral +The extravagant ballroom and soaring allegorical frescoes like Giambattista Tiepolo 's Merit between Virtue and Nobility in the Throne Room ( actually for Rezzonico weddings ) and others , more wistful , by Guardi all catch the tone of a declining Venice and the frivolous lives of the idle rich . THe architecture demonstrates how shallow wealthy Venetians were . entailment +UNESCO states that she is currently the most translated individual author in the world with only the collective corporate works of Walt Disney Productions superseding her . Her works are very popular all around the world with many different types of people . neutral +Drew would have been content with Shiloh as a mount and a companion , but now he was sure that the colt was more , so much more . The colt saved his life in the midst of battle and Drew owed his very existence to him . neutral +in 1965 , also say the government should make more active use of their data . The government already uses data as well as it possibly could . contradictory +However , at the risk of being labeled a troglodyte , may I suggest that if you scratch the surface of that picture you might find that a few rays of sunshine still remain for hard copy mail . The few rays of sunshine may include a rainbow . neutral +Laughter erupted and cries echoed each time the man swung and missed . Every time the man swung and didn 't hit the ball , the crowd laughed and cried . entailment +But the Nazis perceived Social Democracy as a Jewish party and Marxism as a Jewish creed ; when they rallied against Bolshevik enemies , their audiences did not need to be told that these enemies were , if not actual Jews , then spiritual Jews . The Nazi party agreed with the things that Jews agreed with . contradictory +Behavioral risk factors in emergency department a multisite survey . A multisite survey that examines behavior risk factors within the context of emergency departments . entailment +I wrote no such thing , and Arthur has never , to my knowledge , claimed any such thing . Arthur has never claimed any such thing nor did I write anything to that effect . entailment +uh-huh so so the state is encouraging you to do that The state is gaining a profit from every citizen that does that . neutral +yeah that 's on right it 's on again tonight It is the new episode of the Big Bang Theory . neutral +What is the project 's name ? Was the project successful ? contradictory +( 2 ) What is national saving and how does current saving in the United States compare to historical trends and saving in other countries ? Current savings is one of several factors used to calculate national savings . neutral +As I speak to you . Touch my had gently as I speak of it to you . neutral +9 . Don 't define yourself merely by your enemy . Do not let your enemy determine who you are . entailment +One rather formidable group of mailers whose members will benefit mightily from the Commission 's recommendations , the periodicals mailers , pointed out in a press statement that the overall average increase for First-Class mail was much smaller than the average increase for mail their members send . Periodicals mailers never say a word in the press statements . contradictory +The palace was almost totally destroyed in the air raids of World War II , then rebuilt in ferroconcrete . The palace was totally destroyed in World War II and has never been rebuilt . contradictory +but you still do it anyway You don 't let that stop you . entailment +it 's one of um i do um television ratings and i process some ratings and put do graphics for their television stations those are their clients so My work involves television ratings and implementing graphics for TV stations . entailment +The financing of the imputed cost is also imputed to the receiving entity . Financial management is a hard practice . neutral +We have two torrents each year that cut our town off completely . Each year , two torrents cut our town off completely . entailment +well that 's about it really it 's it has four uh four threads instead of the the regular basic two threads It has four threads as opposed to two threads entailment +It seems like it would be hard to find even one wife around here , let alone several . There are places to go where I can find a wife . neutral +uh-huh yeah you too you too Also for you and your friends . neutral +yeah uh-huh oh so you don 't need a personal one You don 't need a personal one right now entailment +The pink granite needle of the queen is the tallest in Egypt , pointing 30 m ( 97 ft ) toward the sky . The pink granite needle of the queen is the shortest in Egypt . contradictory +136 " That is well . That is well said . neutral +All program and policy assumptions have a start date of 2002 . All program and policy assumptions have a start date of 2004 . contradictory +The Wall Street Journal predicts the new company will rival DuPont , the largest U.S. chemical maker . The smallest US chemical maker is DuPont . contradictory +The landmarks are the air force headquarters ( a modern copy of El Escorial ) and Madrid 's youngest triumphal arch , which commemorates the Franco victory of 1939 . The landmarks commemorate nothing . contradictory +They had collected a Gladys Mary and a Marjorie , been baffled by one change of address , and had been forced to listen to a long lecture on universal suffrage from a vivacious American lady whose Christian name had proved to be Sadie . They listened to a boring lecture on suffrage . neutral +The plan also calls for the elimination of the Mayor 's Office of Contracts , which would save $ 1 . The elimination of the Mayor 's Office of Contracts would save $ 100 . contradictory +Each has implemented management changes in response to the challenges they face , including implementing strategies to empower and involve employees . Management changes focusing on empowering and involving employees , resulting from challenges presented . entailment +administrator responsibilities in recognition of the critical role of system The administrator responsibilities are fundamental , that 's why they are so important . neutral +Employment level also increased during this time from 69 . Unemployment decreased due to the times of 69 . neutral +i think we have thank you bye-bye I believe we have , thank you . entailment +The Statewide Technology Committee is standardizing all systems , and a statewide technology plan for the state is set to be completed in early June . The Statewide Technology Committee is updating all IT systems . neutral +But that seems equitable enough . That was fair . entailment +'That 's very generous of you . ' I would never think of you as generous . contradictory +so huh what do you think should they uh should young Americans be forced to do a year of service Most of us think that it would do a lot of these young people some good . neutral +Here you can try your hand at animation or be a TV star ; hang-glide over fabulous desert landscapes ; sample wines , tortillas and sourdough ; visit the Muppets or a boardwalk ; ride a looping rollercoaster or thrilling river rapids . Most of the wines in this place are not worth sampling . neutral +Mary ” his voice was very quiet now ” " are you in love with this fellow Bauerstein ? " She hesitated , and suddenly there swept across her face a strange expression , old as the hills , yet with something eternally young about it . Mary was in love with Bauerstein . neutral +Vice President Gore is on the hot seat in the campaign-finance investigation . The Washington Post reported that some of the money Gore raised in phone calls from the White House went to the Clinton-Gore campaign ( hard money ) instead of the Democratic National Committee ( soft money ) . Vice President Gore is accused of making illegal donations .. contradictory +yeah well it 's it 's so interesting i just i just don 't think Mexico 's problems are going to be cured by semantics Mexico 's problems can be wholly cured by semantics alone . contradictory +Fatehpur is the subject of many colorful stories in which it isn 't possible to establish a historian 's truth . There are a number of rumors on Fatehpur 's past . neutral +During the reporting period , LSC provided technology training at the Southeast Projects Directors meeting ; the Committee On Regional Training for Michigan , Ohio , and West Virginia ; the Indiana Access to Justice Conference ; the EJC ; the National Legal Aid and Defender Association ; and the Management Information Exchange . LSC provided technology training , more specifically computer training , during the reporting period . neutral +Mrs. Vandemeyer came round the screen at once . Mrs Vandemeyer appeared on the screen immediately . entailment +Legendary associations aside , however , even this site is of minor interest , except to archaeology buffs . Archaeology buffs would love this site . entailment +They 're a timid , backwards lot , but their obsession with the past makes them perfect . ' They are obsessed with what happened in 1955 . neutral +which has a lot of members uh if you can get those types of groups Because there are so many people , they might be full at the moment . neutral +But what held his glance fascinated was a small recess immediately on his right , half concealed by a torn velvet curtain . The torn curtain was made of silk and did not conceal the recess . contradictory +He brushed past the man and turned , walking away . He was scared that the man was going to attack him . neutral +Added tiers devoted to luxury seating at the new parks also push the upper deck away from the field . The added tiers to luxury seating at the new parks have made many people angry . neutral +Bauerstein 's arrest , of course , " I answered impatiently . The arrest had just happened hours before . neutral +and probably more importantly one that lasted short enough that that people 's interest didn 't flauge too badly It lasted a short time so people 's interest didn 't flag too much . entailment +Today people still take the same route to the force ( sign-posted behind Barclays Bank in the town center ) and to Stock Ghyll Water Mill . The route to Stock Ghyll Water Mill was changed hundreds of times . contradictory +This has been a very long discussion to make a point that is embarrassingly The LSC subsidy neither prevents anyone from speaking nor coerces anyone to change speech , and is indistinguishable in all relevant respects from the subsidy upheld in Rust v. The LSC subsidy allows nobody to speak as the do not want their secrets revealed . neutral +I had and still have the highest sentiments of esteem and respect and admiration for you " I still admire and respect you so much . entailment +it seems that uh more and more people are not owning owning traditional homes these days The cost of a new home is too high for the people . neutral +That 's the only explanation I have for his weak attempt at reviewing / satirizing the cable-news wars . This is the only possible explanation . neutral +He then burrowed in for a long read . He settled in for a long night of reading . entailment +you know ten dollars is for vacation fund whatever uh and We don 't consider personal wants in our budget . contradictory +Little children carrying trays offer you coconut tarts a filling treat for a franc or two . You can buy drugs and alcohol from the children carrying trays . contradictory +According to a VA official , relevant portions of Executive Order VA officials referred to portions of Executive Order . entailment +I see . In spite of her laugh , Mary was looking thoughtful this morning . Mary was looking thoughtful because she was contemplating the bell . neutral +Rather , the conduct of a government program falls far short of societal expectations for prudent program management . This Federal program does not live up to the demands of the public in terms of how it is run and how it delivers services . neutral +Even the caterers had to sign confidentiality agreements . The caterers even had to sign confidentiality agreements . entailment +14 The decrease in the number of closed cases for 1999 is , in large measure , the result of LSC 's new , more stringent reporting guidelines . The number of closed cases went down . entailment +It is familiar . " Tommy came forward eagerly . It was the first time Tommy ever saw it . contradictory +Bu ddhism was founded over 2,500 years ago in reaction to Brahmanic orthodoxy , but it practically vanished as an organized religion from the Indian scene by persecution and absorption into the Hindu mainstream . Modern day Buddhism exists in mainstream Hindu . neutral +You 're spoilt for choice at this Chinese establishment where the menu runs to over 100 items . You can choice from over 100 items . entailment +yeah but i think we 're bred that way you know i think i think it 's part of the It is something we are born with , and we don 't learn it from anyone . contradictory +National Saving Changed Over Time-Both47 Overview Overall and by Component ? The savings right has never changed . contradictory +An ' if that 's what 's th ' matter , I can pull out " I can take that out , if it is what the problem is . entailment +it it it was very interesting that it seemed like some of the commentators had their axe to grind you know there were some that were screaming for air power there were some that were saying the air power wasn 't going to do it and they seemed to mold the events No one had any opinions regarding the use of air power . contradictory +Limestone is the most commonly used reagent , with the quantity of its consumption depending primarily on coal sulfur levels . Limestone is key to coal neutral +The man known as Number One was no longer of the company . Number One is still at the company as the leader . contradictory +Dow Chemical will buy rival Union Carbide . Union Carbide are going to be purchased by Dow Chemical . entailment +It was an LBO . It definitely was an LBO . entailment +My 4-year-old-son suggested that we just get Dad a motel room for the holidays and let him deal with room service . My 4 year old son had bright blue eyes . neutral +to know this , how much I want to ask again why I must , with such perfect , detailed precision , I want to ask why I have to . entailment +Thank you , sir , it 's awfully decent of you . Thank you Sir , I will definitely pay you back . neutral +Now , shorn of its glamour , it seemed to be turning to grim reality . Reality appeared to be turning bleak , despite any glamour . entailment +Having deduced its existence , I set Miss Howard to search for it , and , as you see , she has been successful . " " I decided that it didn 't exist so made no attempt to find it . " contradictory +Next time I was able to take a real interest I was lyin ' on a bed with about a mountain of quilts on top me , weaker 'n a yearlin ' what 's jus ' been dragged outta a bog hole . The bed wasn 't exactly huge either , so these quilts were really keep 'n me down ! neutral +Those curious enough to walk down the rural road to the seacoast will find pigs , goats , chickens , and children , but no likely looking landing place for a boat . The goats along the seacoast are used to tourists and quite friendly ! neutral +no i don 't i don 't get into that too much every every once in a while i will keep in in touch with maybe like who 's in the top five of hitting or something like that but i don 't get into you know how many errors somebody has or things like that Sometimes I keep note of who is hitting the best . entailment +so uh what do you think about our involvement in the Middle East How many freedoms can you give up due to an endless fear of a boogeyman ? contradictory +The Vikings also left a legacy in unusual place names , such as Ullswater and Patterdale . Some unusual place names are the result of Viking influences . entailment +While Social Security provides a foundation for retirement income , pensions , income from accumulated assets , and current earnings largely determine which households will have the highest retirement incomes , as figure 1.5 shows . Figure 1.7 shows which households will have the highest retirement incomes . contradictory +i kind of got burnt out on Steven King though it seems like I have never read any books by Steven King . contradictory +San 'doro was on to something . San 'doro had not caught on at all . contradictory +Hong Kong University 's campus is spread along Bonham Road . Bonham Road contains only university buildings . neutral +If they lost even one man or woman , all could fall apart . There 's a chance they could crumble , so long as we take down even one of them . entailment +The Crystal Cathedral ( at 12141 Lewis Street , Garden Grove ) is a monument to its time , having been built over the past quarter century by television evangelist Robert Schuller . The Crystal Cathedral serves as a parody of sorts , referencing Superman 's fortress of Solitude . neutral +$ 41 per asthma attack day ) is multiplied by total change in events to determine the health benefits of air quality improvements for the entire region . Some people cannot afford to get treatment for their asthma . neutral +A Polish chapel , with a relief on its outer wall showing Jesus bearing the crose marks the spot . There is a relief on the wall of Jesus . entailment +We would like to thank members of GAOas Executive Council on Information Management and Technology for their comments and suggestions in the development of this guide . Members of GAOas Executive Council must be hated because of their behaviour . contradictory +where 'd you move from You moved recently . neutral +boy i bet yeah uh-huh No I 'm sure that 's not true . contradictory +There is an increased sense of desperation in China about Taiwan . There 's a bigger sense of desperation in China . entailment +i used i used to live in the house that the guy owned In the past , I lived in the guy 's house entailment +At this time only the northern area was known as Israel ; the south was called Judah . Israel lies to the south . contradictory +we don 't have quite as many as they do east and west coast but this is kind of the last bastion of the you know the We have as many , if not more than in the east and west coast . contradictory +What should the public know or think about this Bill Clinton and Monica Lewinsky ? What should the public know or think about this Ronald Reagan and Monica Lewinsky ? contradictory +Why , yes , I do , replies the balloonist proudly , but how did you know ? The balloonist made a funky phallic balloon neutral +Next to the church are the lovely 14th-century cloisters ( Chiostro delle Clarisse ) , converted in 1742 into a country garden of shaded walkways and Capodimonte ceramic tiles a delightful haven of tranquility and one of Naples ' most charming spots . The cloisters are over five hundred years old . entailment +So might any number of public policy right-to-know organizations for whom the design and goals of the HPV program are obscure ( Right-to-Know News , Jan. The HPV program was conceived several years ago . neutral +The entrance from the south , at Amar Singh Gate , takes you up a ridged elephant 's ramp , sloped to slow down any potential attackers . There is a ramp to slow down potential attackers . entailment +have you been to the opera ever This person has definitely been to the opera . contradictory +There are also souvenir stands , benches for a rest , and perhaps Hong Kong 's last surviving rickshaws however these are not for rides , but are a tourist photo opportunity . The rickshaws are available for transportation needs . contradictory +A Job Well Done Is Its Own Reward Jobs completed on time earn more compensation . neutral +MIT 's Steven Pinker argues that the Rochester researchers fail to comprehend that learning words and learning grammar are ... MIT 's Steven Pinker has no objections to the Rochester researcher 's conclusions . contradictory +uh i had uh an opportunity to visit visit the Dallas area and uh i went to some steak houses while i was out there and there was this one place that i visited that was really unique The waitresses were dressed like little cowgirls I especially liked the one with waitresses dressed like cowgirls . neutral +If every one hustles round and screams loud enough that the ship is sinking , it ought to be enough for an innocent young girl like Jane . If everyone makes a scene about the sinking ship , Jane will be aroused . neutral +okay so uh do you own a PC Just asking if you have a computer . entailment +Once the epitome of chic , Ginza has lost many of its smartest young shoppers to the fashion boutiques of districts like Aoyama and Omote-sando , but the area is still fascinating . Ginza was the most popular shopping area in Tokyo for decades . neutral +However , breakfast was forced into them among the women some time ago , so there is nothing to worry about . No one was hungry in the morning . neutral +Next , traveling counterclockwise , we reach the Dodecanese islands in the southeastern Aegean ( excluding Rhodes , which is covered in its own Berlitz Pocket Guide ) . If you continue counterclockwise the next islands are the Dodecanese . entailment +mine was definitely not impulse i really needed a new car mine was just it 's getting worn out i guess from being a sports car i drove it kind of hard My last car was a sedan . contradictory +They can project thoughts . " They can predict thoughts . entailment +Capernaum 's most impressive ruins are those of a large and richly ornamented synagogue in the Roman style , built in the centuries after Jerusalem 's destruction on the site of an earlier synagogue in which Jesus might have prayed . The ruins of a Roman style synagogue are located in Capernaum . entailment +Farther down the coast road you 'll come to Martinique 's most-photographed fishing village , Bellefontaine , with a beach cluttered with nets and the distinctive gommier fishing boats invented by the Carib Indians . Many tourists visit the beach here for the purposes of swimming and sunbathing . neutral +The archives of the College of Physicians of Philadelphia contain a note dictated by a fellow of the college in 1944 that reads , Recently a Japanese officer sent 210 Chinese heads to Japan as trophies to be displayed . The fellow was letting the College know that there may be severed heads of Chinese men that could be studied by the College of Physicians of Philadelphia . neutral +'No , that 's more or less all I 'm going to offer you in return . ' You 're not getting anything in return for what you give me . contradictory +I 'm sure I shall be only too delighted to make myself useful , I responded . I said nothing . contradictory +This sector does not contain any advertising mail . Advertising mail isn 't included in this sector . entailment +So don 't be depressed if you don 't have time to see everything ! Make sure you make time to see everything . contradictory +i was an advisor down in Central America in eighty four i 'm very accustomed to knowing when i pull a piece out whether it 's a full sized firearm or a handgun I 've never left the United States . contradictory +He knew the name of the town , thought Jon . Jon thought he knew that the name of the town was Toronto . neutral +you know i just did it it 's very frustrating a hot topic for me It 's a hot topic for me . entailment +yeah they 're terrible they 're really terrible uh but there is this one campsite that it that some of them are known that there is one that 's out in this big lake and it 's it 's it 's mosquitoes are terrible and then this uh there 's this other one that 's more up in the mountains but it surrounds a man-made reservoir and there 's no bugs that 's the whole thing that everyone told me oh i 'm i was going to go to Little Little River State Park they go oh that place is great there 's no bugs but oh okay because uh we were having a big a really big problem up here in certain areas we were really affected that bad There is a campsite near the lake where the mosquitoes are terrible , but in the mountain there is a man made reservoir with no bugs . entailment +It proved unexpectedly difficult . The task was more difficult than anticipated . entailment +Both unglazed and ceramic styles are available The ceramic styles are higher quality but more expensive . neutral +At the Grammys on Wednesday ( CBS , 8 p.m. ) , expect Lauryn Hill to be treated like the musical Messiah with her 10 nominations . Lauryn Hill has the most Grammy nominations of any nominee this year . neutral +Every year the she-devil and her companion , a carved skeleton , are trundled through Orihuela as a warning to the wise . The she-devil , a warning to the dumbest among the people , is trundled through Orihuela every decade . contradictory +But to refuse , after Topham had spoken for him ... he was caught in a pinch with cause for suspicion closing in on either side . There were no suspicion on either sides . contradictory +have got uh things set up so where you can bring in your uh plastic and your cans and newspapers and then they 've just got different barrels sitting out i shouldn 't say barrels like big John Doors or whatever they 're called Gondolas um they 've got them set outside and They have not set up anything for people bringing cans . contradictory +One of his first stories of love , The First Seven Years , from Partisan Review in 1950 , strikes me as nearly perfect , though . His first story of live was written in 1960 . contradictory +The book value loss ( or gain ) on a sale of direct loans equals the book value of the loans sold ( prior to sale ) minus the net proceeds of the sale . The book value is the loans sold minus the proceeds of the sale . entailment +The child wore a cloak of tan canvas , the hood pulled up to protect her face from the sun . The child wore a black cloak . contradictory +they don 't stand still that 's for sure They don 't move much . contradictory +The researchers found that turning to someone for even modest help ( like minding a child for an hour ) had the cost of later demands for a return of the favor and that this cost was nearly intolerable . The researchers found asking for help brought demands in the future . entailment +At 2,185 m ( 7,100 ft ) , it 's a bit hard to breathe in the rarefied air , but take in the splendor of the Himalayan mountains mount Kanchenjunga situated in Sikkim , and , if you 're lucky on a clear day in April and May or in late September and October , Mount Everest itself , up in Nepal . It is much easier to breathe at 7,100 feet high than at sea level . contradictory +The papacy in Rome had lost prestige with the dissolution of the Jesuits and the crippling loss of revenue from the Hapsburg Church reforms . The papacy had a plan to recover from the fall . neutral +It was people who advocate democracy who sold us like cotton and cows from one plantation to another , he told a gasping crowd at New York 's City College . The crowd was surprised by the man 's remarks . entailment +They were hard pressed , Jon saw . They were all hard pressed to finish the job at hand . neutral +Nobody was asking Gary Bauer such questions that day ( except perhaps for pointed contrast ) , because the obvious hook for these questions is Bush 's alleged hypocrisy . This is because Bush said one thing but did another neutral +What did you say ? she asked , her fingers playing nervously with a brooch on her breast . She pretended not to hear him . neutral +Commit to the long haul . Commit to the short term . contradictory +It 's just what she picks to drink . She 's used to this drink and so this is what she opts to drink whenever she has a chance . neutral +yeah we set a record yesterday and uh very very windy but then today the wind has dropped off and also the temperature so very cool uh i think right now it 's like sixty nine Right now I think it 's around twenty below zero outside , very cold and snowy . contradictory +hum well i normally work in the north building and um you would think that since you know the executives are there that we would have a pretty good one but i don 't know i think it 's just kind of standard like we 've got anything while they do cater to the executive dining room but i think they give them different food I think the food served in the executive dining room might be nicer than the food served elsewhere . neutral +To effectively use and share knowledge to manage improper payments , the following strategies should be To effectively use and share knowledge to manage improper payments , the following strategies should be implemented in all departments . neutral +well um the last car we bought was American because of because of that reason but have not been entirely happy with um several things about the car it doesn 't seem like the quality is quite as high as i expected it to be The quality of the last car we bought wasn 't as high as we expected it to be . entailment +In fact , as long as sources can be persuaded to supply the information for free , there 's more money for those of us who repackage it for public consumption . Some sources can be persuaded to give the information up . entailment +it 's oh it added up big well you know we my parents were divorced and so the time we were like visiting our father in the summer time you know so he felt like he could splurge and let us do it you know i 'm sure we would not have been allowed to do that under normal situations you know It upset my mother . neutral +It 's _ got _ to be . It 's got to be one of those . neutral +Banish the bars and cafes and you 'd disconcert the whole of Spain . The call to banish bars and cafes originated with a small group of expats . neutral +Similarly , the model assumes a constant coefficient for population . The model thinks population growth is constant . entailment +i don 't think i would like that what kind I think I would like that regardless of the kind . contradictory +( Well , for Skadden it 's not such a mystery , considering that Slate is part of the name of the D.C. law firm Skadden , Arps , Slate , Meagher & amp ; Flom . ) Slate is just a law firm . contradictory +Daniel looked up . They looked up . entailment +right now i 'm kind of off So in this moment I am not ready and not up to par because I haven 't warmed up . neutral +Whether our focus is interracial adoption or mixed marriages or class-climbing , so long as we speak of whiteness as a norm , no amount of census reshuffling will truly matter . Whiteness is no longer the norm . contradictory +The spectacular cloister is a superb example of mostly late-Gothic style , with elaborate stone carvings . The cloister has twenty rooms and is open to the public . neutral +The western end of George Street begins at Charlotte Square , originally named St. George 's Square after the patron saint of England ( mirroring St. Andrew 's Square at the street 's eastern end , which was named for the patron saint of Scotland ) . The square at the eastern end of the street was named after the patron saint of Ireland . contradictory +Each area averages 12 routes ( with of course a very high deviation ) 18 . The average routes in an area is 45 . contradictory +You can take safaris lasting from one to three days on camel , or by four-wheel-drive vehicle where all supplies are included , or simply head off on quad bikes for an afternoon of fun in the sand dunes . It is dangerous to go into the desert on quadbikes for more than five hours . neutral +The Washington Post called him everyone 's favorite Arab moderate . The New York Times considers him an Arab moderate . contradictory +Next to the church of San Francesco , in a building of 1780 , is the tomb of Dante , who died here , in exile , in 1321 , with a fellow poet 's Here I lie buried , Dante , exiled from my birthplace , son of Florence , that loveless mother . The tomb of Dante is one mile from the church of San Francesco . contradictory +Time ' s cover story is pegged to the release of testimony in the Paula Jones case . Time 's cover story is related to the testimony in the Paula Jones case . entailment +He slipped from the arms of his nurse as she admired the view from an open window of the Alcazar . The nurse held on tight and did not let him go . contradictory +They use their language skills and experiences--Luu 's family fled North Vietnam when she was an infant--to add resonance to their advice . Luu didn 't leave North Vietnam with her family until she was ten . contradictory +The task has caught up with me anyway and at last . I finally have no choice but to mow the lawn this weekend . neutral +Not because discussing them in public might violate the rules but because making proffers public seldom makes tactical sense . In discussing Lewinsky 's proffer , Ginsburg suggests that Lewinsky either has already lied or will do so in the future for the right deal . Lewinsky has lied multiple times . neutral +'Until you came along , everyone had pretty much accepted that the people in charge were always going to be liars and frauds and dirty politicians , cause it 's been that way forever , ' Daniel grinned . Daniel said everyone had just accepted that it would always be that way . entailment +His classic has thickened gracelessly over the years , but as the forthcoming eighth edition once again shows , it has remained true to the adaptable temperament it was born with . His classic is a graceful and fixed trilogy . contradictory +Free pick-up service . There is free pick-up service from the bar on the beach . neutral +they went through that entire process yeah Yes , they completed that process . entailment +Aprimary argument against same-sex marriage is that marriage is an institution for the raising of children . A big argument against same sex marriage of that marriage is for having children . entailment +Thorn led them in the dark night . They were traveling at night in order to escape . neutral +How is Susan ? Adrin asked Jon . How is Jon ? Susan asked . contradictory +As you turn to head up into the valley , look for a house on the left surrounded by shady trees . The house up on the left in the valley is where the priest lives . neutral +yeah well my husband and i were also doing quite a bit of walking but we got off of that a little bit uh mostly you know with the winter months and all it My husband and I have never exercised together . contradictory +oh they send in they do videos of funny things that happen at home you know and then send it in and show it on TV and oh boy i tell you what it 's it 's hysterical The videos selected aren 't really that funny and actually look quite dangerous . contradictory +Family pride mixes with economics at these events . Family pride and money mix when the families win prizes for that they 've grown . neutral +Besides , 10 or 20 years from now , when it needs to be done again , it might very well be better . It may fail again in the future . neutral +Once a cathedral , the 13th-century Basilique Notre-Dame can be hard to find among the narrow cobbled streets of the old town . The Basilique Notre-Dame was almost demolished by a powerful earthquake in the 17th century . neutral +These companies employed below-average numbers of women and minorities for 10 years and their hiring of women or minorities was so far below the averages that there was only one chance in a hundred that the discrimination occurred randomly . There is a very small change that the companies hiring practices were not discriminatory . entailment +Soufriyre is a splendid and perfectly safe place to visit otherwise the monitoring experts wouldn 't let you go . Soufriyre is very treacherous and no one is allowed to visit . contradictory +The final rule contains emission standards and associated regulatory requirements for the control of emissions from locomotives and locomotive engines as required by section 213 ( a ) ( 5 ) of the Clean Air Act . Vehicle emissions can be extremely dangerous for the environment . neutral +The E and O is actually a fusion of two separate the Eastern , facing the Esplanade , and the Oriental , facing the sea . The E and O is made of one entity , the Esplanade . contradictory +National Saving and Current Policy Issues National Spending and Past Foreign Policy Concerns contradictory +oh uh-huh well uh i bought a motor home here four four years ago and i have been living in it ever since and i 'm looking forward to just traveling I bought a motor-home a while ago , and I have been living in it since . entailment +She wore a simple canvas shift and she was desperately thin . She wore a green canvas shift and was dangerously thin . neutral +Nevertheless , it 's a working fishing port , complete with a selection of good fish restaurants . The fishing port also has a strong agricultural industry . neutral +Liberal reformers wanted a constitutional monarchy similar to England 's , not a republic . England uses a republic system . contradictory +The spinning egg began to drop at once , but he let out a long , keening cry , adding a slight flip of his other arm . As the rotating egg began to drop , he let out a long yell . entailment +If the Postal Service faced competition in all areas , some of these weaknesses might be associated with cream that could be skimmed . Although it would be painful in the short-term , competition in the Postal Service could bring about long-term changes that would revolutionize the industry . neutral +Mr. Poirot , here , will show me the way . " As they all went out of the room , Poirot turned and made me a sign to follow him upstairs . There is more than one level in the building that Poirot is in . entailment +Like the rapier , the small blade did little to stop the huge man . Even though the small blade pierced his skin , it didn 't stop him . neutral +Of course not all shoddiness is local . Some shodiness is local . entailment +In 1982 and ' 83 de Kooning , undistracted by an outside world he could no longer understand , painted at an unprecedented pace , completing nearly a picture a week . de Kooning painted around 50 paintings a year in 1982 and 1983 . entailment +Begun in 1163 , the main part of Notre-Dame took 167 years to finish . The Notre Dame project began in 1163 . neutral +yeah that makes such a difference that 's the way it is at my daughter 's nursery school too and i think that really makes a difference they 're in it because it 's a profession not because it 's a job they could get because they didn 't qualify for anything else you know You can tell by how invested they are with the kids . neutral +For this reason , the organizations considered promoting awareness as an essential element of the risk management cycle . The organizations considered promoting awareness as an essential element . entailment +It also states that any differences between the two analyses resulted from HCFA 's use of more recent or more complete hospital data . It attributes the differences in the two analyses to HCFA 's use of varying hospital data . entailment +I agree that your initial ramp-up strategy of having everyone wear more black is an excellent starting point . The cover of night will be more applicable if everyone wears black . neutral +Wallace , 38 , called Gastonia home from the age of 8 until she graduated from Hunter Huss High School in 1983 . Wallace graduated from High School in the early 1980s . neutral +yeah well i doubt that but you know i guess Well , I don 't think so since I 've read about it , but I guess . neutral +The strategic goals explain the purposes of the agency 's programs and the results they are intended to achieve . Agency 's do not set any strategic goals . contradictory +no i haven 't seen anything uh but that doesn 't mean that they don 't i don 't watch much TV but i haven 't really seen anything advertised publicly Although I watch TV , I haven 't seen anything . entailment +i think that that they have much i like that they 've changed it to lethal injection rather than you know the electric chair or gas I like that they 've changed it to lethal injection . entailment +I do not know . I know everything about it . contradictory +His words woke a vague alarm in her . She didn 't hear a word he said . contradictory +you know i expected to go and you know drop the stuff off and go back two weeks later and you know she had it done and out in twenty minutes on her little PC it was great You should have dropped off the stuff . neutral +Pundits , however , agree that the reversal fails to erase the widespread conclusion that he has given up on indicting the Clintons--and that it only confirms his lack of judgment , further weakening the investigation 's credibility . The Clintons are not going to be indicted . neutral +And here the McKinsey study has already paid off . The study on herbicides has been a boon . neutral +i see do you have a garden we do the same thing it 's i just have a small plot it 's like ten feet by five feet I have a ten by five foot garden . entailment +He said , finally , " Oh , my . " He was silent . contradictory +East of Parnell Square , in Great George 's Street , is the James Joyce Cultural Ceter , housed in a mansion dating from 1784 and run by Joyce 's nephew . The James Joyce Cultural Center is currently run by Joyce 's nephew . entailment +As I said , I don 't want to suggest that Bill Gates isn 't a generous person nor even that his giving doesn 't represent considerable sacrifice on his part ( though it must be nice to be able to give that kind of money away ) . I want to hint to them that Bill Gates isn 't a generous person . contradictory +The Moors were defeated and expelled or killed . The Moors were never fully eradicated , but they never regained their power . neutral +I just wanted to thank you for allowing Mark Alan Stamaty a forum for his hilarious--and often insightful--cartoon about a ( slightly ) warped world . I think Mark Alan Stamaty cartoon is not funny and offensive . contradictory +TO AUDIT OFFICIALS AND OTHERS INTERESTED IN GOVERNMENT AUDITING STANDARDS To audit officials as well as others who are interested in auditing standards in government . entailment +Oh , ay , he 's been here , right enough . He 's been here to eat before . neutral +Control activities can include both prepayment and postpayment mechanisms to manage improper payments . Prepayment and postpayment mechanisms always ensure proper payments . neutral +She 's near her time , ain 't she ? Ain 't she near her time ? entailment +Messinger has at least been alluding to the new reformist thinking , while Giuliani merely mocks good-government proposals as so much eyewash . Guiliani loves government proposals . contradictory +The massive Palais de Justice , housing the law courts of modern Paris , holds echoes of the nation 's earliest kings , who dwelt here , and of the aristocrats and Rev ? ­ o ? ­ lu ? ­ tionary leaders who , in turn , were imprisoned here before execution . The Palais de Justice is the largest building in Paris . neutral +So on second thought , $ 80 million is probably overpaying . It is a bargain to pay $ 80 million . contradictory +In fact--with the help of his father 's connections--he was conveniently detached from a unit headed for the battlefield and spent his tour doing administrative tasks . Many of his squadmates envied him because he was able to get away from the frontlines , a place of certain death . neutral +It took French historians a long time to come to terms with the less attractive realities of what Louis 's style cost the nation . France was plagued by debt until a new leader brought upon a more powerful economy . neutral +So in the real economy , as in the parable , productivity growth in one sector seems to have led to job gains in the other . Jobs can be created by gains in another economic sector . entailment +yeah they throw a lot of twists and turns in like like one of the recent shows there was this really uh a young woman who uh was accused of killing her millionaire husband who was you know much older than she was like you know in her early twenties and he was in his sixties and he was she was accused of killing him for his money and she said no she wasn 't and the and this law firm took on the case and got her off The show is always quite interesting and you can never predict what will happen . neutral +They rose like a Banshee jet . They went upwards . entailment +Approval is the supervisor 's , other equivalent official 's , or higher level manager 's agreement , ratification , or concurrence to Higher level management holds the majority of approval power . neutral +They are not land-hungry . They want all of the land . contradictory +The girl I am seeing now , like the one before her , has--and this isn 't politically correct--a major pair of hooters . The boobs are very small . contradictory +It was the appeal of death--doled out , and accepted . Death appealed to him because he was so upset . neutral +oh does she really I know that she does . contradictory +yeah oh yeah yeah yeah rent a beach house or something yeah that 's that 's my idea of camping I 'd rather rough it in the woods than stay in a beach house . contradictory +And the angel at the center of the movie is hardly representative , either . The movie character that is an angel is atypical . entailment +But how were you to know ? But how could you tell ? entailment +well that 's great i i wish you all the best in in your future in your endeavors out there in what ever you are doing and it 's good to talk to a a a student rather than Awesome , it 's great to be able to speak to a student and I hope you find success in your future aspirations . entailment +The first solid references to this obscure settlement on the Castilian plateau , guarded by the looming Guadarrama mountain range , appear in the 9th century . The area was empty until its inhabitation starting in the 19th century . contradictory +Since last year , Hall has been meeting with nonprofit leaders and others who expressed concern that a merger would mean less representation for the poor in their communities . The nonprofit leaders don 't care about poor people , do they ? contradictory +I disagree with you , said Sir James shortly . Anything you say Sir James agrees with wholeheartedly . contradictory +It was the most awful hour of my life . The intense steam made it an absolutely terrible hour . neutral +When Delta Air Lines promises to be ready when you are , is that an instance of untrammeled individualism , catering to the whims of the impulsive jet-set rebel ? Is Delta Air Lines catering to rebellious behavior ? entailment +However , other provisions in Title 39 cast into doubt the conclusion that the Service 's authority under a 401 ( 3 ) is sufficiently broad to encompass changes in rates or mail classifications by agreement alone . other provisions in Title 26 cast into doubt the conclusion that the Service 's authority neutral +Four sikhara domes rise above the entrance-porch in addition the mandapa hall for worshippers ; a larger hall for dancing-girls ; and the inner sanctuary , surrounded by an ambulatory for walking around the image of the deity . Visitors are not permitted to walk around the image of the deity , but must sit quietly in front of it . contradictory +The war against drugs is not a war against crime The war on narcotics is not a war against criminals . neutral +And the Sophisticated Traveler supplement journeys to Tibet , Memphis , and San Diego , among other locales . Tibet is seeing a surge in popularity amongst all sorts of travelers . neutral +so yeah yeah i i i assume so I assume that 's true . entailment +Just a game of hide-and-seek , that 's all . It was a game of Hide and go seek . entailment +Today , the region is served by three LSC-funded providers--California Rural Legal Assistance ( CRLA ) , Central California Legal Services ( CCLS ) and Greater Bakersfield Legal Assistance ( GBLA ) . The region has three main businesses that provide legal services . entailment +Suddenly a second shout came from below . Mr. Jones shouted from below . neutral +And who knows ? And who 's to say ? entailment +According to the Medicare Trustees ' 2001 intermediate assumption , restoring the HI program 's actuarial balance over the next 75 years would require a combination of reform options equal to 1.97 percent of taxable payroll . Combined actions equal to at least a twenty percent increase in payroll taxes are required . contradictory +The shipyards , stretching for miles , are most impressive from the top of the soaring arch of the Vincent Thomas Bridge . The place where they build military ships looks best from the Vincent Thomas Bridge . neutral +Shopping is therefore duty-free , as in Saint-Martin . Shopping is duty-free in all current and former French colonies . neutral +Bradley 's campaign , it turns out , isn 't about the presidency . Presidency is the topic of Bradley 's campaign . contradictory +uh but i was thinking i just had a cheap set of metrics in fact uh i thought well i guess either i lost the eighteen and then i i started to see it in stores and i noticed that the cheaper sets again i 'm calling it cheaper sets minus the eighteen i thought well i 've got to go to an expensive place go to Sears and get Craftsman tools there I lost my eighteen metric . entailment +Hey , Mambo ! Mambo Italiano ... Go , go , Joe ! You mixed-up Siciliano Mambo Italiano , leader of the Italian Mafia , told one of his henchman , Joe , to get into a fight with Siciliano , the Italian Mafia 's worst enemy . contradictory +You will find portraits , manuscripts , and personal effects from all three . You can only find a portrait of two of them . contradictory +Using a variety of staffing and sourcing strategies provides leading organizations with dynamic workforces that can quickly meet changing business needs . Changing business needs cannot be bet with dynamic workforces . contradictory +no no no not not not for the leaders definitely not for the leaders yes , more so for the leaders than anyone else contradictory +Throughout the region you 'll come acroselimited-edition prints signed by the artist ; these make good mementos . The limited edition prints have excellent resale value . neutral +HHS is requesting that OMB provide a 30day comment period with OMB approval by June 1 , 1997 , for a 180-day period . The OMB must provide a 30 day comment period . entailment +But the Texan was shucking boots and clothing in turn . The Texan was getting ready for a shower . neutral +They all looked at her ; Jon , Thorn , Adrin , Vrenna , and the Kal . No one looked at the woman . contradictory +He moved down the aisle , not glancing at the seated Satheri , until he was facing the old man , drawing Nema and Bork with him . The aisle was wide and short . neutral +Its surrounding fragrant gardens also command a marvelous vertigo-inducing view of the craggy coastline and cerulean blue of the Gulf of Salerno . The garden 's view of the coastline is not very impressive . contradictory +The Ascendancy The rule neutral +No secret hobby ? she asked . She supposed he did not have anything to cover up . contradictory +Before purchasing , visitors should make sure of compatibility with systems in their own countries . There are compatibility issues between Hong Kong purchases and the international systems . neutral +Set on landscaped gardens with native plants and trees , semiprivate beachfront , freshwater swimming pool , and large thatch canopies with swinging hammocks . Colorful swinging hammocks in thatch canopies are another trait of the area , blending beautifully with the native plants and trees in the landscaped gardens . neutral +Measuring 4.1 by 1.4 m ( 13 by 5 ft ) , the sheet is kept in an iron-lined silver casket placed in a marble urn and tucked away in the Museo della Sidone , and is rarely on display to the public ( with the recent exception of the Holy Year 2000 ) . The sheet is kept in an exhibit for religious visitors to view . contradictory +Ferguson , echoing a charge made by Washington Post columnist Michael Kelly , says that Pinker wants us to see [ infanticide ] not as a moral horror but as a genetically encoded evolutionary adaptation , as unavoidable as depth perception or opposable thumbs . Ferguson says infanticide is natural under evolution . entailment +well well of course uh it depends i guess on what you 're uh oh oh what you 're you 're interest and abilities are so far as whether you 're going to paint yourself uh You can paint whatever interests you . entailment +But prudence controlled the small flare of temper he felt inside him . He was able to control his temper because of prudence . entailment +The Hong Kong Museum of Art stands behind the Space Museum next to the cultural center . The cultural center is actually closer to the Space Museum than to the Museum of Art . neutral +uh-huh uh-huh i 've never tried like with deep uh sea water fishing I 've tried fishing from the pier . neutral +and uh do you know any of the characters There are no characters . contradictory +And The Street Lawyer isn 't a novel , exactly . The Street Lawyer is a short collection of stories . neutral +to get them out of our everyday life You can add those tricks to your daily life . neutral +If the producers of every site cataloged it themselves , then Yahoo ! If the producers cataloged it on their own , it should be on Yahoo ! but not Google . neutral +The collections have been sent to OMB for approval and the requirement is not effective until approved by OMB and a control number is issued . OMB approves collections that are sent to them . entailment +Vrenna 's sword flew end over end , crashing into the wide curved sword of the Reaver . Vrenna and Reaver were dueling . entailment +yeah your neighbors that 's true No , your neighbors aren 't . contradictory +There are confusing legal terms to learn , strict procedures to follow and volumes of case law that often need to be understood to prepare a case . The legal terms that need to be learned are simple . contradictory +In other words , just two years ago , the magazine felt it unfair to give Caltech , MIT , and Johns Hopkins credit for having lots of fancy laboratories that don 't actually improve undergraduate education . Two years ago , the magazine had praised the fancy new laboratories MIT and Caltech have . contradictory +i 'm in the Attleboro Attleboro Massachusetts plant I 'm in Phoenix Arizona . contradictory +Ajami 's book is an indispensable guide to why anyone in the Arab world still listens to it . Ajami 's book is about cooking . neutral +but i know that last year we did go to a baseball game last year we got free tickets because someone at our church one of the deacons at church um parks cars at the Mansion at Turtle Creek which is like one of the uh the places and stuff Someone at church gave us tickets to go see a baseball game . entailment +how individual employees can contribute to overall organizational goals . Individual employees can help meet the goals by increasing their efficiency each day . neutral +This would clearly be contrary to the role that Congress has established for GAO . This would be perfectly in line with Congress ' established role for GAO . contradictory +The largest island in the Cyclades , Naxos is a place of contrasts . Naxos is the same throughout . contradictory +i just couldn 't watch that much TV I couldn 't watch TV for more than 6 hours a day neutral +DOT had the most extensive docket system-an electronic , imagebased database covering every agency and every rulemaking action within the department . Dot has the least extensive DOC K ET System out of all of the departments . contradictory +The state 's chief judge is seeking a $ 1 . The chief judge is looking for $ 10 . contradictory +I know that Fieldstone is interested in finding a workable resolution , said Adam Bass , a lawyer for the company , adding that he can 't comment on the details of the Ledford loan . Fieldstone wants to find a workable resolution . entailment +Business executives keep in mind that initial CIO models adopted should not be set in stone , but may have to be adjusted over time as their enterprises grow or mature . Business executives also keep in mind that CIO models may need to be disregarded completely if their enterprise face rapid changes . neutral +We heard that some of our franchises were doing this sort of thing , and we get angry when we hear about them doing it . Our franchises will be investigated for this . neutral +To meet the family 's extravagant debts , ground-floor rooms were turned into boutiques and cafe that attracted fashionable society , together with some shady hangers-on and intellectuals . The family was in a lot of debt . entailment +In fact , the White House says that when the FBI briefed National Security Council staffers on the subject , the FBI told the staffers specifically not to pass information to higher-ups . The FBI told national security staffers to not pass info to the higher ups . entailment +And the cosmopolitan crowd outside mingling with street performers , artists , and fire-eaters provides hours of free entertainment . Street performers do not accept any money . neutral +I didn 't recognize them . I know exactly who they are . contradictory +As the court reasoned in 1976 , the message implicit in a campaign contribution--I support Candidate X--has little to do with the size of the contribution . Support has everything to do with the size of contribution . contradictory +No , said Gauve . Gauve said yes . contradictory +At the upper terminus there is a four-level shopping center , the Peak Galleria , and the Peak Tower , which resembles an airport control tower and has shops , entertainment , and restaurants . The Peak Galleria was built specifically or economic and social gain for the area . neutral +Among the two paintings by Giovanni Bellini of the Madonna and Child and a highly personal Piet ? ; Veronese 's Jesus in the Garden ; Tintoretto 's dramatic Discovery of St. Mark 's Body ; and an impressive Christ at the Column by Donato Bramante . Giovanni Bellini was a sculptor who did not make any paintings . contradictory +Before heading into the inner sanctum of the temple , stride along the Avenue of Ram-Headed Sphinxesthatpointsinthe direction of Karnak Temple to the north . There are sphinxes beside the temple . neutral +Another treat is the free taxi from your hotel that they provide . The taxi ride from the hotel is very expensive . contradictory +Raised nearby in Tajima or Tamba , the cattle produce a uniquely fatty meat , with a special flavor said to come from a daily dose of strong beer . These steaks are delicious . entailment +But Shiloh responded to his rider 's encouragement even if he could not hear or understand . Shiloh responded immediately to the rider 's encouragement . neutral +important issues such as a you know taxes and The issues are important to everyone . neutral +like they do on the shows Not at all like anything else . contradictory +Adrin stared at the sword and then at Jon . Adrin couldn 't look at the man . contradictory +you slowly feed out more and more You let out a little bit at a time . entailment +yeah i would think i would think a cave would be could have problems like that too Yes , I think a cave could have the same type of problems . entailment +yeah most of mine 's been pretty good although i 'm i guess i 'm like a lot of other people now i 'm trying to to pay off my credit cards and i 've done pretty good at it I am trying to pay off my credit cards and student loans and I am doing well . neutral +I scouted villages for the spear and reveled in the carnage we sewed as our blades and spears tore into them . I looked for the bloody spear in the wreckage . neutral +i don 't i don 't either I similarly do not either . entailment +Purpose for learning the right questions to ask ( Hoaglin et al . There are right and wrong questions . neutral +From Harajuku Station on the Japan Railways Yamanote loop line , it 's but a few steps to Meiji Jingu , the shrine dedicated to the spirits of the Emperor Meiji ( who died in 1912 ) and the Empress Shoken . The shrine of Meiji Jingu is within walking distance of Harajuki Station . entailment +If Tommy 's sure he 's sure . Tommy doesn 't second guess himself . entailment +In a chapel in the left transept , the wooden Crucifixion by Donatello ( 1425 ) is in affecting naturalistic contrast to the Renaissance idealism of the time . The Crucifixion by Donatello was completely in line with the Renassance idealism . contradictory +Nor is it clear that such action would conflict with the purpose underlying section 330 . It 's not clear whether such action would conflict with the meaning of life . neutral +Plain outer walls give it the look of a fortress more than a place of worship . The plain outer walls are made of stucco . neutral +Ha ! said Sir William , eyeing her . Sir William could barely see her because he forgot his glasses . neutral +Forced castration is difficult to administer . It is a challenge to perform forced castration . entailment +Adrin , said Jon . Jon was speaking . entailment +In 1566 , they wrested Chios from the Genoese , bolstering their hold on the eastern Aegean Islands , but the Cyclades remained in Venetian hands for another generation or more Tinos was the last to fall in 1715 . Cyclades remained in Venetian hands until at least 1715 . entailment +when they when they switch to switch when we get an hour more when they rollback an hour We lose an hour when they switch . contradictory +the only seats they have available are in the end zone I would have preferred seats elsewhere . neutral +It took the Romans three years of brutal fighting to conquer Crete in 67 b.c. , and they did so only by playing the rival city-states against one another . Crete was easily and quickly conquered by the Romans even though the city-states worked together in harmony . contradictory +and that 's the reason i said maybe if you had something like a block party okay we 're going to have a block party everybody 's going to get together we 're going to discuss the different issues and stuff and then we 're going to go and vote you know we 're going to go vote like We 're going to have a block party and go vote . entailment +yeah i expect it would yeah but boy it would move you across the water though Indeed , that engine would be more than adequate for your needs . entailment +By varying the estimated values for cost drivers , the auditor may also be able to perform a sensitivity analysis illustrating where project estimates are most susceptible to change . The auditor can do a sensitivity analysis that shows where estimates are likely to change . entailment +If Jaisalmer is the city of the desert , then Udaipuri is is its the city of lakes and gardens . There are a large number of lakes and gardens in Udaipuri . neutral +And , as SurfWatch 's promotional literature is happy to point out , filters can help protect management from liability for permitting sexually explicit material in the workplace . Filters are not needed for the protection of management . contradictory +It swelled to the size of a football , then was man-sized , and growing to the size of a huge tank that filled most of the tent . It swelled and became huge for a couple of minutes . neutral +Gail D 'Onofrio noted that her planned study will use physicians , physician assistants , and senior emergency medicine residents to deliver brief interventions for injured and non-injured harmful and hazardous drinkers . The study will focus on long term interventions for people who are at risk of one day drinking . contradictory +Dave reached for a heavy hammer , meaning to follow . Dave meant to follow with a heavy hammer . entailment +To counter a perceived communist threat from the Soviet Union , the US quickly set to work reconstructing the economy by transforming Japan 's institutions and devising a new pacifist constitution . I took the US a long time to start working on the reconstruction of Japan 's institutions and constitution after the Soviet Unions ' threat . contradictory +result in 11 different symptom clusters , each describing a type of LRS . There were 21 different cluster symptoms altogether . contradictory +And he was perfectly right . " He had no troubles . neutral +The collection of the Mus ? ? e Bonnat ( 5 Rue Jacques Laffitte ) includes paintings by Rubens , El Greco , Degas , Titien , Rapha ? « l , and Watteau . Degas was the artist most sought after in his time . neutral +i play the trumpet I play an instrument . entailment +On the policy side , Atlas and Thorne contend that the combined Hudson-Bergen entity would not be able to take over the community and economic development-type services Passaic Legal Aid has been providing along with the core litigation services traditionally offered by legal aid providers . Atlas and Thorne say combining the services would give access to more people . contradictory +Named after the abolitionist , Schoelcher is proud of its reconstructed Benedictine monastery . There are no monasteries anywhere in Schoelcher . contradictory +Neither does jumping to conclusions . You shouldn 't jump to conclusions . entailment +Throughout the late 19th and early 20th centuries it was home to numerous British ex-pats , one of whom , the writer Lawrence Durrell , painted a graphic picture of European life here . No British ex-pats ever resided there during the 19th century . contradictory +yeah and to me Yellowstone was just too uh commercialized i mean it it 's it 's got some areas that are really nice but i mean you get up there and everything is just you know you know souvenirs and all this kind of junk Everything for sale is really useless at Yellowstone . neutral +She is attracted to me and we would like to see more of each other . The story is about the love of two women . neutral +The cable network 's animated show about third graders obsessed with violence and bodily emissions has replaced Beavis and Butt-head as America 's premiere gross national product ( Ken Tucker , Entertainment Weekly ) . Critics attribute the show 's cult following to the timeless power of bathroom humor and to its dark and clever plots , such as a thwarted assassination attempt on Kathie Lee Gifford . Young kids like bathroom humor . entailment +well that 's fact Well , that is just speculation . contradictory +Seems to act just like a drug It has an impact on people much like cocaine does . neutral +When Hitler came to Paris as conqueror in 1940 , this was the first place he wanted to see . This was the place Hitler wanted to visit first when he came to Paris . entailment +The supply curves of workshare services , shown in Figure 4 , are less informative . Figure 4 has much more informative information on supply curves . contradictory +Sixteenth-century mapmakers back in Spain mistakenly confused the names , so that in the end the port became San Juan and the whole island was called a rich port ; once on the maps , the names stuck . The name stuck once it had been placed on the maps . entailment +They are descendants of outcasts employed to perform the originally taboo and still disdained trades of butchery , leatherwork , garbage collection , and the handling of corpses . They are happy to do the jobs no one else wants to . contradictory +and on my kind of salary you just it 's kind of hard to come up with money to make a house payment It 's so easy to scrape up money . contradictory +oh goodness well well i 've enjoyed talking to you You are one of the best conversationalists that I know . neutral +The Yohanan Ben Zakkai Synagogue is actually four synagogues in one ; the largest room gives the complex its name . It is the largest synagogue in the world and draws visitors from all over the globe . neutral +Their mortgage payments immediately jumped $ 1,200 a month , to $ 3,290 . The amount they paid for mortgage increased significantly . entailment +Their trite comments say a lot more about the state of modern American neighborliness than they do about the neighbors themselves . Modern American neighborliness is displayed by their trite comments . entailment +Andre Turner , an ex-Marine , turned to Legal Services when he was fired from his job for missing too much work . Andre Turner has never missed a day of work . contradictory +In her clone 's eyes , of course , she will always be a significant udder . She had a clone . entailment +We must try and break the door in , I suppose . We need to try to break the door in . entailment +Why the increase in Hispanic turnout and support for Democrats ? Why did Jews vote Republican ? contradictory +And people say that coincidences don 't happen ! Tuppence tackled her Peche Melba happily . Tuppence and Peche Melba rolled around on the ground . neutral +yeah and you get you get a little more carried away with it and you move a little closer As you get less interested you move further away . contradictory +A piece asks how best to topple Slobodan Milosevic . The article poses the question of methods in which to bring down the regime of Slobodan Milosevic . entailment +Never mind , I forgive you . It 's okay , I forgive you . entailment +An earlier time ? A sooner time for meeting ? neutral +status reporting , configuration management , andRequired management oversight . Status reports were due once a month . neutral +uh for fully automatic weapons and uh all right now for instance in California where they passed the uh Automatic weapons are banned in many states . neutral +uh but i like uh Reggie Roby um , however , i 'm a fan of Reggie Roby entailment +It was a palace , huge and carved inside out . The palace was sinking in the ocean . contradictory +So I 'd be obliged if you 'd tell him to scoot . Please tell him to leave . entailment +Finally , a teenager from Lorraine , Jeanne d 'Arc ( Joan of Arc ) , roused the French to resist the English at Orl ? ? ans . A teenager from Lorraine , Jeanne d 'Arc , roused the French to resist the English at Orleans . entailment +that would certainly help i 'm sure That would really help . entailment +yeah and there there 's a guy have you ever heard of George Winston he plays piano i think he 's dead now but he plays wonderfully Have you heard of George Winston , the great piano player ? entailment +There was evidence that life was present just as soon as the planet cooled and solidified . The cooling of the planet had a direct effect on ocean tides . neutral +Further west , off the Rue de l 'Antiquaille , are two important Roman amphitheaters that are still used for performances today and the attractive Mus ? ? e de la Civilisation Gallo-Romaine ( corner of the Rue Cl ? ? berg ) , which houses a collection of statues , mosaics , coins , and tools . Near the Rue de l 'Antiquaille , performances take place in ancient Roman amphitheaters . entailment +His eyes shifted under the sergeant 's steady , boring stare , and he glanced at the rest of his companions , the two disheveled fighters , the lanky man picking up a forage cap and handing it to one of them . He looked at the sergeant and the rest of his companions because he wanted to remember their faces . neutral +and uh it uh it was interesting just to listen to the rationale uh being proposed and the logic of some of the people uh it was also extremely difficult to stay awake sometimes because there was so many witnesses and we were not allowed to take any notes of any kind uh and i thought that that was a failing because uh from the standpoint that it was difficult to try to remember everything and and yet the judge said well um if you 're taking notes you 're missing something We could take detailed notes about the trial . contradictory +Portugal took up arms during World War I , siding with the British and French . Portugal was on the side of the Germans in WWI . contradictory +He sighed and left . He left after he sighed . entailment +well i i 've this company that they bought they ended up buying a very high payroll This company bought an extremely low payroll . contradictory +Mrs. Vandemeyer was sitting almost facing it , and Tuppence respected her mistress 's lynxeyed powers of observation . Mrs. Vandemeyer did not see Tuppence observing her . neutral +i 'm not as young as i used to be but i 'm still I am very young . contradictory +In one such study , GGD examined whether national policies , procedures , and practices with regard to cargo imports were causing problems in port operations ( U.S. The conclusion was that national the national practices were causing problems . neutral +She 's calling someone else 's name . She 's calling Jon 's name . neutral +But that door was bolted on the inside ! I cried . But that door was locked from the inside ! I cried . entailment +One of the best kibbutz houses , the Mitzpe Ramat Rachel occupies a pleasant site overlooking Bethlehem and the Judean Hills , yet is within a short 10-minute drive of Jerusalem 's Old City . The Mitzpe Ramat Rachel is also known for its cheeseburgers . neutral +How he could be such a fool beats me ! " But Japp was looking attentively at Poirot . He wondered how he could be such a fool . entailment +It is important that you understand this . It does not matter whether or not you understand this . contradictory +i don 't think he 's really a very good actor i know that sounds awful because so many people think he 's so wonderful but i just have never been a Stallone fan I don 't understand what people see in Stallone that makes them think he is a good actor . neutral +Each of them had a small desert horse save Thorn and the Kal who rode larger stallions of dusty red . Thorn and Kal rose giant horses with long , flowing manes . neutral +So what 's defiling cadavers or practicing on patients or animals ? So what 's honoring cadavers by having them serve for experiments ? contradictory +In a way , Slim was disappointed . Slim was very excited . contradictory +Magnificent sunsets . Sunsets usually gray and dull . contradictory +However , many of the agency officials and staff questioned the need for standardization . The staff and agency officials explained that standardization had been a long outstanding need . contradictory +The great innovators are all Matisse , Picasso , Kandinsky , Duchamps , Pollock , Rauschenberg , and Francis Bacon , as well as the sculptors Brancusi , Arp , Tinguely , Giacometti , and Claes Oldenburg . Pollock , Rauschenberg , and Francis Bacon were great sculptors . contradictory +Following this analysis , EPA has concluded and certified that the rule will not have a significant economic impact on a substantial number of small entities . There is a more impact on the larger entities . neutral +equivalent to increasing national saving to 19 . Increasing national saving to 19 its the equivalent of that . entailment +The Securities and Exchange Commission 's Office of Investor Education and Assistance promotes financial literacy and seeks to encourage Americans to save wisely and plan for the future . Americans do not care to save and are not encouraged to save and spend wisely . contradictory +oh where abouts Was it close by ? neutral +that 's right it 's easier after you 're you don 't have to worry about it You do have to worry about that . contradictory +Abbey et al , 1999 reported associations between long-term PM exposure and mortality in men . Study shows that long-term PM exposure and mortality in men relate is because PM exposure hampers breathing . neutral +The nonstatutory requirements that OMB can waive under GPRA generally involve the allocation and use of resources , such as restrictions on shifting funds among items within a budget account . The OMB gets as much money as it wants to do with what it wants . contradictory +Neither Shakespeare ( who alludes to the incident only in passing ) nor history offers any justification for this gross violation of the laws of Was there , as it was later claimed , some sudden movement on the part of French cavalry which lead Henry to fear an attack from the rear ? Henry was afraid of an attack by the French . neutral +Once they took the wrong turning and went nearly half a mile out of their direction . They were travelling in the right direction for sure . contradictory +He 's going to kill him , thought Ca 'daan . He 's going to marry him , Ca 'daan thought . contradictory +But if Gore doesn 't learn to stop talking like a used car salesman , nobody 's going to be listening . Gore 's speeches are cheesy . neutral +Then , each boy was taken aside and asked how he would divide up rewards among individual boys from your group and the other group . Only boys from one of the groups were asked how they would distribute the rewads . contradictory +18 Statement of Governor Tom Ridge on the Department of Homeland Security to the House Select Committee on Homeland Security , July 15 , 2002 . Governor Jerry Brown addressed the Department of Homeland Security . contradictory +For the first time since he saw the scourging of Fena Set , Ca 'daan felt a purpose within him . Ca 'daan saw murder in Fena Set . neutral +Sarah T. Casey , executive director of Schuylkill Women in Crisis , finds it disturbing that in most cases , the fine for violating a PFA is little more than the fine someone would get for cruelty and abuse toward an animal . Sarah T. Casey is the executive director of PFA . contradictory +Expect a torrent of foodstuff in tubes . Expect a bunch of your favorite foods in tubes . neutral +This paper presents an evaluation perspective on case studies , defines them , and determines their appropriateness in terms of the type of evaluation question posed . This paper talked about the factors leading to a child 's truancy . contradictory +Adopted by the Board of Directors on January 28 , 2000 , the Plan commits LSC to dramatically enhance the impact of legal services programs throughout the nation by improving access to legal services while enhancing their quality . LSC is committed by the plan to improving the impact of legal services programs in the country . entailment +which do i want you know it 's colder for a shorter time or a little bit warmer for a for a longer time and so i took the shorter colder option I prefer the short , colder period of time . entailment +Food is an important part of any visit to Lyon ; superchef Paul Bocuse is based here and has many local rivals . Finding well cooked food in Lyon is very difficult . contradictory +And I 've never looked lovelier . I looked lovelier before . contradictory +Water World , formerly in the complex , has closed for redevelopment . The aquatic petting zoo , known as Water World , has recently been reopened to the public . contradictory +uh-huh oh really yeah that 's when my nephew 's birthday is and he goes well you should have it on the fifteenth so we 'll see My nephew wants to have it on the fifteenth entailment +And Ode to a Nightingale , which meditates on suicide , is an elegy for Now more than ever seems it rich to die , / To cease upon the midnight with no pain . " Ode to a Nightingale " is a celebration of life and all things worth living . contradictory +Take Samuel Cartwright , for instance , who in 1851 coined two ingenious new diagnoses to be applied to drapetomania , or running away ( recommended whipping ) , and dysaesthesia aethiopis , whose symptoms were sloth and a tendency to break things ( recommended whipping ) . No new diagnoses for drapetomania were possible , it was just a mental illness . contradictory +Now that financial data are compiled and stored digitally , it is cheap , easy , and tempting for the government to cast a wider and wider financial dragnet to build increasingly intrusive computer profiles of citizens . The government only uses paper and pen profiles for its citizens ' database . contradictory +Summary Minutes of Public Meeting , April 21-22 , 1999 . Summary Minutes of Public Meeting , April 21-22 , 1998 . neutral +After all , Steele wasn 't paid for what she said , but for a picture of Willey and Clinton together . Willey and Clinton were never seen or photographed together . contradictory +The Britpack represent the new orthodoxy , says the Wall Street Journal ' s Paul Levy . The Britpack represent the old orthodoxy , says the Times ' Paul Levy . contradictory +What they win on the racing , they gamble at the casino . They usually gamble away all their money immediately . neutral +uh um well they have some watches that look really nice there 's one that 's got some diamonds on it They have a number of attractive watches , one of which contains diamonds . entailment +Ah , but you see it was not in the same place yesterday as it was to-day . It was in a different place yesterday , someone moved it . neutral +Several refinements have been incorporated into the RFP for 2002 funding , questions on applicant staff diversity ; staff recruitment and retention strategies ; staff training ; and applicant strategic planning . One change was the staff training was going to take place over 2 weeks instead of one . neutral +I do not believe that anyone could be so monstrous as to accuse me of what you say . " Poirot nodded thoughtfully , like a man whose mind is made up . It is crazy that they accused me of it . neutral +The brown man was covered in blood . The purple man was full of blood . contradictory +Although the lines in Figure 9 appear to cross , based on the models in Part II , it is interesting to consider the possibility that they may not . The lines in figure 9 seem to be crossing , but are they really ? entailment +This could be a peace , even a good peace , but it won 't be cause for euphoria . Even if this is a good peace , it won 't make anyone particularly happy . entailment +Capitol and adjacent federal buildings . Capitol and federal building are under construction . neutral +The parched landscape grows ever more desolate as you approach Cap Berber ? ­ a , and the road deteriorates until it 's no more than a dusty track . The road slowly disappears as you approach as you approach Cap Berber ? ­ a entailment +It should also be noted that decreasing the amount of time provided to install control technologies to meet a given strategy has the potential to affect the cost of compliance as this will accelerate their installation . Installation will be accelerated . neutral +The colorful Tibetan Buddhist monasteries are the most attractive sight in the valleys near Gangtok . The colorful Tibetan Buddhist monasteries offer a scenic sight . entailment +Eclipse .... Drew set back the pedigree several equine generations . Drew put back the pedigree several generations , because he had been asked to do so . neutral +like uh one time Rick went and uh i went i didn 't go with him and his grandmother was sitting there and she said that man across the hall is naked and he was he was sitting in his wheelchair stark naked The man across the hall from Rick 's grandmother was naked . entailment +Aside from Nathaniel West and The Day of the Locust , though , this is it , right ? Is there more to it besides The Day of the Locust and Nathaniel West ? entailment +Many , including Philip of Macedon , Alexander the Great 's father , traveled here to be initiated into its inner circle . Philip of Macedon was not Alexander the Great 's father . contradictory +An example is computerized edit checks built into the system to review the format , existence , and reasonableness of data . Computerized edit checks is not an example . contradictory +There 's not so much promotion in mine , said Tommy regretfully , " and a great deal less variety . Tommy 's was the most exciting . contradictory +i guess that 's what about thirty forty thousand dollars That definitely costs twenty five thousand dollars . contradictory +Old Worcester . In the village of Old Worcester entailment +you know that was uh that was a really interesting because it was a great big room the bathroom it was it was a great big room and uh and i remember the the vents you know just right over the top of the toilet I remember when I went to the bathroom . entailment +somehow we still i guess believed that the countries that we were helping were were eventually going to pay us back and that hasn 't happened We didn 't expect any of the countries we helped to pay us back . contradictory +and i remember hearing an interview with uh who was it the man who invented Hawaiian Tropic I read an interview with a man whose dog ingested a bottle of Hawaiian Tropic . contradictory +Now , in the matter of the loan to an English newspaper , you have arranged the details satisfactorily , Boris ? Boris , why didn 't you arrange the loan ? contradictory +TI says no shorts and no halters you know that 's it Most of TI 's employees feel that they should be able to wear shorts . neutral +there 's there 's a few few things that you just can 't do with it it will also do a rolled edge um It will not do a few things . entailment +It was here , in 1916 , that James Connolly and Padr ? ¡ ig Pearse barricaded themselves inside and proclaimed the Irish Republic . The Irish Republic was proclaimed in 1916 by James Connolly and Padraig Pearse . entailment +Every one dumbfounded . The engagement caught everyone off guard . neutral +She might be in my sitting-room . He disappeared . She might be in my room and he is gone . entailment +A sidebar reports that in the early ' 90s the CIA nixed a plot by Milosevic 's inner circle to overthrow the dictator . It was reported that CIA prevented a plot to depose Milosevic in 1990s . entailment +They rang again and again but there was no sign of life . They rang and someone answered immediately . contradictory +And then he published a triumphal scoop . He published a story about the election . neutral +AGSIMe is an econometric-simulation model that is based on a large set of statistically AGSIMe is an econometric-simulation model . entailment +it 's best to buy it that way because like our sales tax up here is seven percent The sales take here is seven percent , so best buy it that way . entailment +This intriguing glass structure nestled amidst the trees was created by Frank Lloyd Wright 's son as a memorial to the Swedish philosopher Emanuel Swedenborg . The art was sold to several wealthy collectors to their own private collections . neutral +Thank you for helping us . We appreciated the assistance . entailment +uh-huh well i 've got an eleven year old son and an eight year old daughter and my son says i don 't understand this drug stuff why don 't people understand all you have to do is say no My son thinks drugs can be solved by saying no . neutral +yeah i agree with you i if we were going to get anything now it would definitely be a cat I think the same if we were going to get a pet , we 'd chose a cat . entailment +When an Oregon Supreme Court Justice arrived at Central Oregon 's Office of Legal Aid Services Wednesday evening about 30 minutes late and with wind-blown hair , nobody thought much of it . The justice system is very relaxed in Oregon . neutral +Snow Sports It 's too hot for winter sports . contradictory +To return to the discussion , my favorite response is I 'm told I 'm great ! Everyone tells me that I 'm great . neutral +In turn , fertility clinic operators accuse Harris of taking advantage of couples trying to conceive and exploiting desperate people ... Harris is accused of taking advantage and exploiting people trying to have babies . entailment +Shall we form a business partnership ? " Shall we establish separate businesses ? contradictory +I am an astronomer , after all . " My profession is important for this . neutral +man can we trust them have they repented for what they did have they made a world apology Have they made amends for lying ? neutral +In 1999 , then-Governor Bush signed legislation that permanently caps NOx and SO2 emissions from older power plants in Texas starting in 2003 and requires utilities to install a certain quantity of renewable and clean energy capacity by 2009 . Bush capped NOx and SO2 emissions when he was Governor . entailment +Alcohol and injury , as well as brief interventions , are on the list . The list includes alcohol and injury . entailment +um-hum i built a i built a three bedroom Colonial home with one and a half baths up and down I constructed a 3 bedroom colonial house with one and a half bathrooms . entailment +That one 's chewin ' th ' bit an ' gittin ' ready to hump under th ' saddle . There was one that was chewing because it was eating . neutral +well first and foremost it 's got to be LA Law First off , it has to be about San Antonio sea lions . contradictory +Even with the volunteer lawyers , however , only 10 percent of the need is being met , Daniel said . Daniel said they have far too many lawyers . contradictory +What brings all this to mind is the recent controversy over Monsanto Co . ' s development of infertile seeds--seeds that yield crops that don 't reproduce so that farmers have to buy new seeds each year . Monsanto developed infertile seeds so farmers will pay them $ 100,000 a year . neutral +With the sun gone and the stars rocking into dizzy new configurations , there was no night or day , nor any way to guess the passage of time . With the sun gone , there was no way to tell time . entailment +anyway well it 's good talking to you It best when I don 't hear from you . contradictory +To sign a paper ? To sign ? entailment +Duck your head as the rowboat takes you through the one-m- ( 3-ft- ) high cave entrance . The cave entrance is only reached by going under water . contradictory +right more areas where they would pick it up yeah This laundry service is expensive , but it 's more convenient as it offers pick-up service over a wider area . neutral +yeah right right so this has been uh this has been an experience for me and uh uh but i i can 't wait until we have uh uh some more time to get out there in the front yard and and really do uh you know a lot of landscaping I like staying indoors , so I hate that I have a front yard . contradictory +But there is a larger philosophical flaw in the best colleges rankings . There is a larger philosophical problem in the best college rankings . entailment +That sure is off th ' trail th ' kid was supposed to be followin ' . That 's just the trail the kid was following . contradictory +so it 's a problem that 's been around for over forty years and we 're just really uh uh now trying to uh figure out how to cope with the problem because it has grown so huge Voter fraud has been around for many years but it has gotten a lot worse recently . neutral +And yet another reason to doubt the 1997 Apparently , the IBM / MCI program recorded no 500-footers from 1988 to 1996 . The IBM / MCI program recorded hundreds of 500-footer in 1991 . contradictory +The boss didn 't even say hello . The boss entered the room cheerful and happy , saying hello to everyone passed . contradictory +A hundred thousand pounds , repeated Tuppence . Tuppence said , " A hundred thousand pounds , " then coughed . neutral +In general , the outcome of effective competition is In general , the results for the competition is out on every Friday . neutral +It is also where her secretary , David Rizzio , was left to bleed to death after being stabbed by Lord Darnley and his cronies ; a bronze plaque marks the spot . Lord Darnley killed David Rizzio , letting him bleed to death . entailment +right so uh but i i feel that uh a lot of people have gotten lazy about voting People got lazy because they feel their vote doesn 't count . neutral +But you went way beyond that--counterposing your traditional / cultural hypothesis to my alleged view that every institutional memory of the Holocaust is a deliberate instrumentalization of it toward cheap and self-interested ends . You never went beyond that . contradictory +They got married after his first year of law school . Their marriage took place before he entered his first year of law school . contradictory +Equality vs. In the 1970s , pro-choicers attached the abortion issue to the emerging feminist movement . Pro-choicers made a smart move , associating abortion with feminism . neutral +Then you think ” ” Don 't think about it . contradictory +And , when the no-shift elasticities of the basic and workshared product are the same , the gains become even smaller and the peak becomes very pronounced . The gains become larger and the peak less pronounced when the no-shift elasticities of the basic and workshared product are the same . contradictory +I let the bodyguards lead me behind the curtain . I was led behind the curtain by my bodyguards . entailment +This grant will enable Bay Legal advocates and clients throughout the region to use networked computer terminals to easily access forms and information . The grant won 't allow Bay Legal advocates to access forms or information . contradictory +they do so they 're getting paid They do it because they are being paid . entailment +Hearty portions of Israeli meat are served here , with lamb and veal dishes prominent on the menu . They serve big portions of meat . entailment +right they need to give the scholarship to a woman that 's true that 's true with any case i hate that but but that is true but I would be happy to see them give the scholarship to a woman . contradictory +okay well they 're rebuilding right now yet i think it 's going to take them a couple more years before they can be a really good team It will take them a few years before they can work as a good team entailment +To the left of the entrance are the monks ' bakery and an imposing pigeon loft . The monks ' bakery can be found to the right of the entrance . contradictory +The right to invoke Executive Privilege rests with the President , and Presidents have had different procedures for asserting it . Anyone can invoke Executive Privilege , not just the President . contradictory +These incentives undermine a knowledge-based process for making product development decisions . The knowledge-based process is undermined by these incentives . entailment +I have a lot to tell you . " I have much to say to you . entailment +What binds together the millions of Chinese outside of China ? What common values do the Chinese diaspora have ? entailment +A most unique Las Vegas experience that borders on performance art . The performance copied performance that came before it . contradictory +Inland , the hillside provides a Chinese cemetery for over 12,000 graves , mostly horseshoe-shaped tombs . The cemetery is dark and spooky . neutral +Delightful , typical old Jerusalem stone house with a charming garden terrace . The old Jerusalem house is made of stone and has a garden terrace . entailment +That is all I can tell you . " " I might be able to tell you more later " . neutral +No one thinks he can do it . They don 't think he will do it . entailment +Perennial wants to take roots ! Too late , you short-lived perennial ! A student yelled out from a window somewhere . The student does not like plants . neutral +maybe i 'll get back up there one of these days It was a great place and I would return any time . neutral +that would be really awful Nobody wants that to happen neutral +and uh i i again i like to do that i i would do all the maintenance on my car if i could uh I try to do all the work I can on my car . entailment +During the same period , passenger arrivals increased by 42 percent , from 304 million to 431 million . Within that timeframe , the passengers started arriving significantly less . contradictory +Table 2.2 : Complexity of Questions Example Characteristic The questions are complex entailment +As noted above , we apply one adjustment by discounting lagged mortality incidence effects . The adjustment is needed to analyze the data . neutral +Further , in principle V , while leading organizations are flexible in reassigning staff and structuring capabilities across business and technology lines , federal staffing practices and organizational structures are less flexible in nature . Federal staffing practices are very flexible . contradictory +Indira Gandhi 's tendency toward tough authoritarianism was highlighted during the repressive state of emergency she declared in 1975 , describing it as disciplined democracy , when she ordered mass arrests of opposition leaders who had charged her and her party with malpractice and corruption . Indira Gandhi needed to declare a state of emergency to remain in power . neutral +Islamic homes centered around a large central hall called a qa 'awith a fountain in the middle . Islamic homes didn 't allow water features . contradictory +They were also experts in training a " raw girl , " the inevitable result being that the raw girl , once trained , departed elsewhere where her newly acquired knowledge commanded a more substantial remuneration than the archdeacon 's meagre purse allowed . Being a raw girl was considered expensive because the archdeacon had fallen on hard times . neutral +Good heavens ! I said it quite quietly . I whispered good heavens . entailment +for drugs they they enforce the death penalty for that uh they 're just very very tough and i guess maybe that 's the way Tokyo is too or Japan is too they 're just very tough on criminals for drugs they they enforce the death penalty for that , but other than that they 're just very very lenient on criminals and that might be the way Tokyo or Japan is too . contradictory +no other than than reestablishing the dominance of the United States in the in the world economy The dominance of the US in the world economy has never wavered . contradictory +i could not do either well enough i couldn 't put in enough overtime that was necessary or that you know things that would come up at work that would require me to stay late or to come in early or to do something on Saturdays I was able to do both very well . contradictory +we don 't have to use those as a matter of fact it wasn 't designed that way initially at all the solid uh propellant rockets were a uh you know were time saving money saving afterthought Solid rocket propellants save thousands of dollars for fuel . neutral +There was a time when you might have apologized for it , but no longer . It is still something that you would need to apologize for . contradictory +Since Jackson II , the institution has fallen sharply from grace . Poor management has caused the institution to fall from grace . neutral +Collecting and processing the crop is still a profitable industry . Collecting and processing the crop has always been a reliable way to earn money . neutral +Additionally , programs were offered the option of sending additional staff to the conference at their own expense . The programs allowed all staff to attend for free . contradictory +In the preamble to the proposed rule , HUD discussed the comments received in response to its July 6 , 1993 solicitation and invited further comments . HUD addressed comments it received to its 1993 solicitation before stating the proposed rule . entailment +Baue Out of control federal regulators . Baue is upset that the federal regulators are out of control neutral +Newsweek reports that JFK Jr. actively explored a Senate run before Hillary Clinton expressed interest . JFK Jr wanted to follow in the success of his father . neutral +and i keep thinking you know uh gifted is is Einstein or you know uh musical prodigies it 's it 's not a kid who 's you know precocious Musical prodigies are as smart as Einstein . contradictory +it 's just great i mean we 're really spoiled i mean there 's a lot of things we miss about New England you know uh uh where there 's no trees to speak of and the big you know thick trees we used to have in New England and we used to enjoy it we had a we had two acres of land attached to our house course we only had a thousand sq uare foot house but we had two acres of land and um One of the things we miss about New England is the trees . entailment +I did not really mean to come in , but Mr. Inglethorp insisted . I came in because Mr. Inglethorp insisted . entailment +No longer a Nobel Prize waiting to happen ( Jeff Giles , Newsweek ) , Kundera is said to overindulge in his philosophical musings , which no longer seem fresh . Kundera 's philosophical thoughts were now new . contradictory +uh Cornell is in Ithaca The person says that Cornell is in Ithaca . entailment +of course at the at the time i worked third shift to be with my kids during the day It was worth it to have the third shift so that I could see my kids . neutral +uh which is a big help uh one of our big problems though is handling unexpected uh uh budget items One of our problems is handling unexpected budgeting issues . entailment +So might any number of public policy right-to-know organizations for whom the design and goals of the HPV program are obscure ( Right-to-Know News , Jan. The intentions of the HPV program are not always clear to organizations . entailment +Comments regarding enforcement issues and questions raised by the regulated industry were addressed by EPA in four Detergent Rule Question and Answer Documents . All the issues and questions raised by the regulated industry were addressed by the EPA . neutral +They also introduced sugarcane , some European vegetables , and the pig to the islands , but never founded any significant settlements . They introduced sugar cane to the island . entailment +Our review indicates that the FCC complied with the applicable requirements . The report stated that they were in compliance . entailment +You were ? asked Ca 'daan . Ca 'daan stayed silent . contradictory +That puts Medicare growth at just over 4 percent a year . In this case , Medicare is growing at just over 4 % per year . entailment +By the time of the Spanish American War of 1898 , the Spanish empire of the Golden Age had been whittled to insignificance . The Spanish American War was a large contributor to the decline of the Spanish Empire of the Golden Age . neutral +Some Mixtec immigrants also have formed native groups , or hometown associations , that send money home for projects such as telephone lines or street paving . Foreign groups have been formed by Mixtec immigrants . contradictory +A good sword , high ground , or exceptional skill may push the odds but never by much . A good sword is only kind of helpful . entailment +We could have helped her , could have taught her how to control herself . She has never learned how to control herself . neutral +He shook his head with a smile . He was crying as he said yes . contradictory +The river is good for both fishing and canoeing , and if you haven 't brought your own bike for exploring the back country , you can rent one at Sarlat . The back country and the river are convenient for fishing , canoeing , and renting a bike to ride . entailment +Directly across the street from the wharf where passengers arrive from Hong Kong is the first surprise to greet visitors to Macau the vast Jai-alai Palace , said to be the world 's most luxurious front ? ? n . It is the first surprise . neutral +because when he was at course now it 's been years now because it was before it was even before they had the the designated smoking type stuff you know at TI i forgot what i guess it was like eighty four That happened back in the 90s . contradictory +At a minimum , These budgets covered central staff salaries and training and security hardware and software . The budget was adequate for it 's intended purpose . neutral +Yes , I do . Yes , I do want dessert . neutral +very important Not important at all . contradictory +In effect , Social Security surpluses reduced the magnitude of government dissaving and the government 's need to borrow from the public . Social Security 's surpluses gave the country more financial security as public confidence increased as well . neutral +Ca 'daan realized it was a smile . Ca 'daan recognized it as a frown . contradictory +Susan McDougal 's defiant appearance in leg irons moves some pundits to sympathy . McDougal was a staunch supporter of the proposal . contradictory +or nine and under they 're all real young they 're just really feel like that 's what God 's told them to do but they 're not condemning you if you we only have one child you know they don 't say they don 't put airs on about it or anything which is good because it would be easy i 'm sure for them to do that you know you get a conviction like that and you think everyone should have it and so i 'm real proud of them because they 're aren 't really they don 't do that at all you go in their bathroom and there 's ten tooth brushes in there and i always give her a hard time i go now come on who 's toothbrush did you really use this morning You will be condemned if you have only one child . contradictory +I sent for you , Annie , because I thought you might be able to tell me something about the letters Mrs. Inglethorp wrote last night . I sent for Annie thinking she could perhaps give me some information about the letters written by Mrs. Inglethorp last night . entailment +No convincing explanation has as yet been found . A convincing explanation was found . contradictory +Christie has been called by the Guinness Book of World Records , among others the best-selling writer of books of all time , and the best-selling writer of any kind together with William Shakespeare . Along with William Shakespeare , Christie is the best selling writer of any genre of all time . entailment +Frescoes adorn many palace cham ? ­ bers , among them works by Simone Martini , brought from the porch of Notre-Dame des Doms cathedral . There are no frescoes in the palace chambers . contradictory +Its per capita income is one of the highest in Southeast Asia , bettered only by that of neighboring Singapore . Singapore has the lowest income in all of Southeast Asia . contradictory +i 'll do it all right same here bye-bye I 'll do it all . entailment +As always , we restricted ourselves to the barest pleasantries . We live a full blown hedonistic lifestyle . contradictory +Voting is underway in the Person of the Century thread , which , created before the recent Time magazine survey , aims to identify , once and for all , the person who has most influenced the century . People are voting for the Person of the Century . entailment +and it was right next to a nice cold stream The stream was really far away from it . contradictory +well the interesting thing was is i had heard that and i i i tend to i think overreact occasionally when somebody tells me it 's that great and and it was the thing is it was a it was a good story The story could have been much better than it was . neutral +let me think who um i like Hebert um oh you don 't know Hebert Laws but Hebert Laws is a flute player he 's a jazz flute player and i like um uh Chuck Mangione do you know who Chuck Mangione is yeah i like Chuck Mangione i 'm trying to think of all um I hate Herbert Laws . contradictory +Children will enjoy the Mus ? ? e Maritime Neptun ? ? a , among whose treasures is Jacques Cousteau 's Calypso , in the process of being restored . This boat tour is not good for children . contradictory +Talk ” talk ” talk ! No one is saying anything of importance . neutral +It is Coppola 's tragedy that he believes his best work is always ahead of him , yet keeps on making Rainmaker s . Coppola is wrong to think he will make a better movie in the future . entailment +Yes . She looked perplexed . She was confused by the directions to install the new software . neutral +He has since criticized Buchanan directly and encouraged Weicker to run for the Reform Party 's nomination . Buchanan is the head of the National Democratic party . contradictory +The meticulous planning that helped the country to rise from the ashes of World War II to become the world 's second largest economic power has in the 1990s created a prolonged slump . The world 's second largest economic power has now overcome its slump . neutral +that 's neat isn 't it That is not neat . contradictory +Which he is . Which is he , on or off the job ? neutral +The large man tried to breathe but found each breath harder and harder . The man breathed freely and easily . contradictory +A truly sinister room . A room that serves as a safe haven . contradictory +um well you talked about uh volcanos i 'm not sure how many active volcanos there are now and and what the amount of material that they do uh put into the atmosphere i think probably the greatest cause is uh vehicles I think vehicles put more material into the atmosphere than volcanos . entailment +By using the Web in this way , a campaign can convert mass support into grass roots support . A campaign struggles to benefit from grass roots support . contradictory +Little Julius doesn 't , affirmed Mr. Hersheimmer . " Young Julius doesn 't , " says Mr. Hersheimmer . entailment +In reality , it takes more work and more character for poor student X to finish in the top ten percent of his or her public school class and obtain a mediocre SAT score than it does for rich kid Y to finish in the bottom half of his private school class and score slightly higher on the SAT . Students in public schools and private schools take SAT exams . entailment +The building is close in , across the street from West High and two blocks from the Gateway . The building is forty blocks from the Gateway and located on top of West High . contradictory +You can visit the charming town of Takayama , set in the midst of imposing mountain scenery , and the historical city of Kanazawa . Takayama is a favorite spot for photographers . entailment +By the time she was finished , one could only conclude that Bill Clinton was predestined to win re-election . She was a fantastic campaign manager and made him look much better . neutral +Second-hand bookshops , commonly known as bouquinistes , line the quays of the Seine , especially between Pont St-Michel and Pont des Arts . Passionate readers love to go to these bookshops in the weekend and they also buy a book . neutral +And yet she is on the point of betraying Mr. Brown , and she dies . She killed Mr. Brown and is still very much alive . contradictory +Mrs. Vandemeyer passed her tongue over her dried lips . Mrs. Vandemeyer bit her tongue after licking her lips . neutral +Directly testing control effectiveness was cited most often as an effective way to determine if the risk reduction techniques that had been agreed to were , in fact , operating effectively . Remotely testing control effectiveness was cited most often as an effective way , to determine if the risk reduction techniques that had been agreed to , were in fact , operating effectively . contradictory +The auditor should also verify that the agency has defined its needs and requirements to support its mission , and that those requirements continue to be valid as the acquisition progresses through contract award and contract management . The agency defining it 's needs should also be verified by the auditor , because he can make sure there are no mistakes . neutral +Former Independent Counsel Joseph diGenova applauds Ginsburg , saying that he has hired another attorney to handle the legal issues so he can shape the PR battle for his client . DiGenova said Ginsburg was terribleat his job . contradictory +The movie made me remember why I like Holly Hunter . I hate watching Holly Hunter ! contradictory +He seemed to be getting the hang of abracadabraing up what was in his mind . He still could not figure out how to make things from his mind appear . contradictory +If a valuation account is deducted from the related asset or liability it is sometimes referred to as a contra-asset or contra-liability account . It is sometimes known as an anti-asset account . contradictory +Most people do . It 's completely untrue for most of the people . contradictory +Unimpressed with her upstate forays , Rudolph Giuliani , her likely Senate rival , Every time I have gone up there , I have gotten the sense that they like me . I have never gone up there as I am scared that they will not like me . contradictory +Don 't ruin the evening , Jonofi . Jonofi do not ruin the evening . entailment +Worship carried on here longer than in other pagan sites in Egypt , with texts stating that pilgrims came as late as the fourth century a.d. Pilgrims came to worship here as late as 400 A.D. entailment +However , GAO will provide the agencies with hard copies of the report , if requested . The GAO can provide hard copies of the report upon request . entailment +McNary , published in the Harvard Human Rights Journal in 1993 . The Harvard Human Rights Journal published it in 1993 . entailment +She dressed completely in her 159 land kit , and made her way quietly through Mademoiselle Cynthia 's room into that of Mrs. Inglethorp . " He paused a moment , and Cynthia interrupted : " But I should have woken up if anyone had come through my room ? " When going to Mrs. Inglethorp 's room , she went through Mademoiselle Cynthia 's room . entailment +yeah you know cut worms will do the same thing to your tomato vines too boy they 'll strip Cut worms will eat through your tomato vines . neutral +'Now , there 's another matter . That matter should not be separate . neutral +Black stones formed a ring around a platform of carved rock . White stones made a ring around the platform . contradictory +The home town of the maharajas regains a flicker of its old glory every October during the Dussehra festival , when the heir of the old rulers of Mysore State is paraded through the streets on his golden throne , surrounded by gorgeously caparisoned elephants . The elephants that are used in the parade are treated very well . neutral +right that 's right that 's right it it it yeah i we i think that uh part of the the reason we we we got so almost fanatical about budgeting is that that there were those years where we lived that way We lived that way some years when we were fanatically budgeting . entailment +Cagney 's charisma launched what looks , decades later , like the most enduring film style of all . Cagney 's horror flicks were very enduring . neutral +In Kushinagar , between Bodh Gaya and his birthplace , he died at age 80 of dysentery , it is said , from eating pork . He was killed by eating raw chicken . contradictory +It is based on a model of the acquisition process developed by GAO in cooperation with a wide range of federal and private sector officials . GAO had nothing to do with the acquisition process model that 's referenced here . contradictory +The longer the time period you choose , the more individual visitors you can claim , which is nice . The longer the time period , the less individual visitors you can claim . contradictory +it hit them wham It ran into them , boom . entailment +Consistent with the Executive order , the rule was initiated through an advance notice of proposed rulemaking and a regulatory impact analysis was included in the Interim Program notice in the Federal Register . The Executive order was signed by Vice President of Nacho cheese Bernard Sanders , and the Federal Register did not even see it . contradictory +uh-huh no that 's great yeah we need to go shopping for dentists and things like that too yes and let 's see besides insurance other things that we looked at um well my husband does not like to commute very far and and we don 't like him to be you know having to drive an hour to work or something My husband doesn 't like a long commute and free insurance is also a consideration . neutral +The green torches grew into large arcs in the fog , landing on the roofs swinging end over end into the doorways of the houses and shops of the town . The town was covered in fog with light coming from torches . entailment +She arranged it carefully , then turned to Tommy . She prepared the table with care , then turned to Tommy . neutral +uh-huh yeah i 'd like to be able to wear those here today it 's eighty eight degrees so needless to say my sweaters have been hung in the closet for quite a while now It was cold today so I wore a sweater . contradictory +This is an alternative to some recent legislative suggestions that the markup on the competitive subclasses as a group must be at least as large as the markup on all other subclasses . The bill alters the way markups are applied . entailment +Its well-tended ( by the federal government ) parks , monuments , mansions , embassies , and museums can compare with those of any city in the world . Many cities around the world have nice parks , monuments , and embassies . neutral +However , service is restricted to beaches close to Sant Antoni . Sant Antoni is in the middle of a large desert . contradictory +Isikoff insists it was the other way around--he 'd invited Toobin to lunch , but only to pump him for info on Dennis Kirkland , one of Paula Jones ' detractors . Isikoff is not a genuine guy ; he doesn 't like Toobin . neutral +The most easily accessible of them is Rumtek , built in 1968 after China drove the maroon-robed Tibetan monks of the Karmapa sect into exile . Rumtek was built in 1980 by Ronald Reagan . contradictory +While Christianity was not a great success in China , it made local headway , evidenced today by the numerous Catholic churches in Macau 's historic center . Christianity was not successful in China because of the other religions present . neutral +The magazine reports that Ouija boards are passe According to the magazine , Ouja boards are passe , but everyone continues to use them neutral +Oh , I see what you mean . I 'm someone who can be understanding . neutral +He was of middle height , and squarely built to match his jaw . He has a jaw . entailment +i used to walk and not only did i walk but i used to watch all those exercise programs on TV and i would tape them I used to do all kinds of TV workouts . neutral +well but no i 'm talking about the idea of the that the company set up uh factories right across the border Right across the Texas border in Mexico They are in Texas . contradictory +houses on foot , returns to the vehicle and drives to another location where the process is Comes back to the car and goes to another place where the process can be found . entailment +Wine ? " He gestured to a tray with waiting glasses . The wine was a very fine vintage . neutral +FFC ( formerly the Federal Construction Council ) is a continuing activity of the Board on Infrastructure and the Constructed Environment of the National Research Council ( NRC ) . FFC was never the Federal Construction Council . contradictory +You know , a fella who 's scouted an ' hunted Injuns an ' popped bush cattle , to say nothin ' of toppin ' wild ones what can look like a nice quiet little pony one minute an ' have a belly full of bedsprings an ' a sky touchin ' back th ' next a fella who 's had him all that kinda experience an ' a saddlebag full of surprises in his time gits so he can smell a storm comin ' ' fore th ' first cloud shows . He can smell a storm coming before the first cloud shows because his sense are very keen . neutral +though Prudie knows this can 't be what you mean . Prudie isn 't aware of what is going on with you . contradictory +Perhaps that way may be more easily defended than the town itself . One path was clearly more defensible than the town . entailment +i bet that that got pretty competitive you know as far as who could come up with the best recipe It probably got pretty competitive to see who could come up with the best recipe . entailment +However , a total ban on vending machines and direct mail order sales have been deleted from the final rule because of their impact on small entities . Small entities could have a negative impact if there was a ban on vending machines . neutral +The five special function areas were ( 1 ) law enforcement and internal security , ( 2 ) intelligence , ( 3 ) foreign affairs , ( 4 ) national defense , and ( 5 ) research and development . There are six special function areas . contradictory +Outside her office she has taped up a clear plastic suit , and a sign that reads , All employees must don protective gear before coming in . She hung a sign that said employees needed to wear protective gear before they went into the quarantine room . neutral +In a sense , the advertising industry is reluctantly moving toward a business model much closer to the so-called free-agent economy than to the traditional idea of a corporation . The advertising industry is modernizing how it runs and is becoming more efficient . neutral +His diaphragm tautened with the sharp pain of long-unused muscles , and he sneezed . He experienced no pain or strain when he sneezed . contradictory +They 're mandrakes , conjured into existence , but without souls . Mandrakes are conjured with souls . contradictory +This brought a dozen questions to Ca 'daan all at once but he didn 't know where to start and so he let Jon continue . Jon continued because Ca 'daan had many questions and didn 't know where to start . entailment +This included transistor technology invented in the US but then considered to have only limited applications for the surreal sum of $ 25,000 . The technology was created in China and had a wide spanning application through all fields . contradictory +i 'm glad we don 't have that this year so far I am glad it has happened already this year . contradictory +'I mean your speeches , ' she said sharply . She spoke sharply of his speeches . entailment +Outlaws do , when it pays , Anse shot out grimly . Criminals do , when it 's profitable , Anse said darkly . entailment +so it 's just one of those weird things i mean he was willing he said well i think it 's in the ignition switch it 'll only cost you eighty five dollars but i won 't guarantee that 's the problem The repair for the ignition switch was free . contradictory +However , if the asset that is transferred was classified as general PP and E for the transferring entity but stewardship PP and E for the recipient entity , it is recognized as a transfer-out ( a negative other financing source ) of capitalized assets by the transferring entity . The entity hopes that their assets are never transferred . neutral +Take along plenty of protective sunscreen Factor 20 or 30 . You should wear sunscreen . entailment +Japan 's is a phenomenon of nature . The gardens in Japan are breathtaking . neutral +Unanticipated changes should be reviewed for approval or disapproval as soon as reasonably possible . Changes that were unanticipated should be reviewed for approval or disapproval as fast as possible . entailment +No less than John Updike ( in The New Yorker ' s fiction issue ) proclaims the screenwriter-architect 's first novel a Tiger Woodsian debut . John Updike is a respected author and reporter . neutral +Marcus took off his own tricorn hat and put it on the horn of his saddle . Marcus dismounted and took his hat off , holding it in his arms . contradictory +Sagittarius , as he remembered it , was supposed to be one of the signs of the Zodiac . He knew that his Zodiac sign was Sagittarius . neutral +Surprising The Iranian Parliament has 13 women members . 13 women are members of the Iranian Parliament , but all of them are very rich . neutral +The main road continues clockwise around the New Territories . There is a main road . entailment +His black eyes flared in the red moonlight . The moonlight shone on things . entailment +Inside the porch , mint 12th-century mosaics show , to the right , Jesus crowning Sicily 's Norman king , Roger I , and to the left , his admiral , Georges of Antioch , at the feet of the Madonna . The mosaics show the invading Goths . contradictory +that 's that 's sad to say that that that that 's true though It is sad to say , but it is true . entailment +As obvious as this insight seems today , though , it wasn 't in 1983--Steve Jobs didn 't realize it , my computer nerd friends and I didn 't realize it and , I suspect , James Surowiecki didn 't realize it either . The insight is obvious today because progress has been made to make it clearer . neutral +You don 't attract ferocious soldiers by promising above average pay and , some day , a fine pension . Above average pay and a fine pension does not attract ferocious soldiers because more than that is needed to convince men to possibly sacrifice their lives . neutral +Critics mostly applaud this movie about a female necrophiliac who works in a funeral home . The critics particularly like the movie which was set in rural Ohio . neutral +What the current fixation on teen-agers really shows is that adults are just as confused and ambivalent about their rights and their responsibilities as their kids tend to be . Adults are even more confused than their kids are . neutral +It is thoroughly Jewish , almost entirely modern , and still growing . It continues to grow , maintaining a modern look . entailment +William Charles Cole Claiborne was a Protestant from Virginia who needed interpreters to communicate in both French and Spanish . A protestant from Virginia named William Charles Cole Claiborne once needed interpreters to converse in both Spanish and French . entailment +By the secret Treaty of Ildefonso in 1800 , France regained Louisiana from Spain after 38 years . Neither the Spanish nor French monarch had actually signed the Treaty of Ildefonso . neutral +somewhat business attire yeah Clothes that you wear to the beach contradictory +In that analysis , APHIS discusses the reason for the final rule and the legal basis for it . APHIS is getting prepared to adjudicate a hearing . neutral +Since the economy provides the tax base for the government , economic growth increases government revenue , which helps finance these programs as well as other federal programs and activities , and increases budget flexibility . Economic growth promotes growth the tax base . entailment +oh okay well then i don 't know how much you 've been through it but um i think parts of it made a lot easier and i 've talked to a lot of ladies that exercise with one pregnancy and didn 't with the other and they said that they 'd exercise the one that had exercised was three or four times easier and All the ladies I have talked to said they did not exercise during their pregnancies . contradictory +yeah it 's been fun it 's been nice it 's uh you know neat to learn some what different people eat so It 's been great to learn what different people eat , for example , middle easterners like spicy food more than europeans . neutral +I want to get some petrol , he explained . He said that he wanted to get some gasoline . entailment +In one sense Hitler 's vision survived him , notes Lukacs . No matter how you look at it , Hitler 's vision died along with him . contradictory +oh okay terrain It won 't be challenging at all . neutral +Recruitment and Retention of Diverse Leadership / Governance Arrest and detention of Diverse Leadership / Governance contradictory +Combining the architectural style of Ile-de-France Gothic with Rhenish German sculpture , the cathedral is an apt symbol of Alsatian culture . The influence of Rhenish German sculpture is readily visible on the facade of the cathedral . neutral +i i think it needs to be community service needs to have more of a positive um light towards it and have it look as something you know that you did because you wanted to do it because you saw the benefits out of it and not as something that you know oh you you did it instead of going to jail for three months or something like that i mean that 's that 's a feeling i get now and Community service is much better than prison for all parties . neutral +no i know but you know you you save the markup on the parts and of course you buy them whole sale from the parts store and and you can save a little bit there and you can save an awful lot on the labor which is high today like all the rest of us we expect top dollar for what we do and You should let someone else do the labor it is worth it . neutral +Quickest way to get here . " Slowest way to travel here . contradictory +Greuze seemed taken aback . Greuze wasn 't shocked at all and acted as if nothing happened . contradictory +Somewhere a woman began to sing , and the liquid Spanish words lulled him asleep . A woman began to sing a folk song and it put him to sleep . neutral +Many other nations currently financing investment in the United States also will face aging populations and declining national saving , so relying on foreign savers to finance a large share of U.S. domestic investment is not a viable strategy for the long run . The United States will be able to depend on foreign investment for a long while to come . contradictory +I suppose that 's not the sort of thing that gets talked about on the IRT or in some dissident cell . It get 's talked about . contradictory +And , anyway , I said , with increasing coldness , " as Mrs. Inglethorp took her coffee upstairs with her , I do not see what you expect to find , unless you consider it likely that we shall discover a packet of strychnine on the coffee tray ! " Poirot was sobered at once . Poirot quickly came to his senses . entailment +uh-huh oh uh-huh uh i didn 't know that about Burlington i 'll have to keep that in mind I had no idea that applied to Burlington , I 'll have to plan accordingly if I want to go out at night . neutral +Never before has a U.N. court been able to punish the actions of individuals . Both right- and left-wingers worry that the new U.N. tribunals will reprise the flaws of the Nuremberg and Tokyo trials , attempting to make political points and failing to adequately protect the rights of the accused . The UN court has always been able to punish the actions of people . contradictory +These incentives undermine a knowledge-based process for making product development decisions . These incentives will be changed next year . neutral +Wouldn 't you do anything to help another girl ? cried Tommy . Tommy asked if they would help another girl . entailment +no well i don 't think we get it here We might be able to get it here . neutral +and they had a blast running around the Farmers Market looking at all the you know the food and tasting all the free samples They did not want to go to the Farmers Market . contradictory +we went looking for uh rabbits and we had to go all the way out to Leesburg to find uh a rabbitry a few years back weren 't any uh rabbits available in this area except little bunnies available at the uh pet shops and we looked at them and decided they weren 't uh too healthy looking The rabbits are sickly . neutral +Arraiolos wool rugs are colorful and rustic-looking Arraiolos wool rugs have a long and colorful history . neutral +going to i know staying put i think contradictory +Jon turned and saw the angry questioning eyes of the villagers around him . The villagers were overjoyed . contradictory +For surely the most striking thing about the horrors of globalization illustrated in those photos is that for most of the world 's people they represent aspirations , things they wish they had , rather than ominous threats . It may be my only my opinion that it is shocking to see wants highlighted , whereas others may see it as alright . neutral +Stephanopoulos rephrased the rape charge as a question about the relevance of candidates ' private lives . Stephanopoulos posed a question about the relevancy of candidates ' private lives . entailment +it 's what we have it 's what we can afford They had recently began saving and budgeting . neutral +through the Visa card so i knew that i was running a balance up but it sure is hard to get it It does not take much to get a Visa card . contradictory +But it was too genuine . Somethin was very honest and true to itself . entailment +With an onionskin-thin budget several years back , Legal Services of Eastern Oklahoma , the area 's largest law firm to the poor , nearly became Lip Service of Eastern Oklahoma . The lawyers working for Legal Services of Eastern Oklahoma are among the most passionate about social justice that you 'll ever find . neutral +Among them is the Giant of Manio , a menhir over 6 m ( 20 ft ) high , shaped like a clenched fist . The Giant of Manio was constructed in prehistoric times . neutral +Federal Acquisition www.ARNet.gov / far / Critical Infrastructure Assurance www.caio.gov Federal Computer Incident Response www.fedcirc.gov Federal Information Processing www.itl.nist.gov General Accounting / / www.gao.gov / GSAas www.policyworks.gov IT Policy On- www.itpolicy.gsa.gov National Partnership for Reinventing www.npr.gov Office of Management and Budget www.whitehouse.gov / omb The Federal Computer Incident Response is a small government agency neutral +Excess emissions penalty Excess emissions do not exist . contradictory +Some companies moved their headquarters out of Hong Kong . Some companies moved their headquarters to Hong Kong . contradictory +Another good source of lawsuits is the National Association of Attorneys General ( known informally as the National Association of Aspiring Governors ) . The best civil lawsuits come from the National Association of Attorneys General . neutral +To reach Carlisle , take the M6 north from Penrith , make an exit at junction 43 , and take the A69 road left towards Carlisle city center . You need to take a lot of different roads to reach Carlisle . neutral +In essence , this plan is to contain the annual performance goals the agency will use to gauge its progress toward accomplishing its strategic goals and identify the performance measures the agency will use to assess its progress . The plan will contain the goals for the agency to strive towards . entailment +The road network is limited , but there is a bus service to the Kokkinokastro Peninsula where the most popular beaches lie . In the summer the beaches get over crowded with tourists . neutral +and he want yeah he just told me this last week that he he said don 't you remember i asked them to finance it at four years and they came back and they said that they had it figured for five and we 'd already signed the papers and i maybe i might have been there i don 't remember hearing that but i also wasn 't the one in charge of it so i wasn 't paying as close of attention I wasn 't paying close attention when we signed the papers . entailment +In a society that stresses individual achievement Co where you pull yourself up by your bootstraps Co the Legal Aid Bureau helps those without boots . The Legal Aid Bureau helps people that want to pull themselves up by the bootstraps . entailment +well my wife spent some time up in Connecticut My wife went to Connecticut and spent time there . entailment +THE KAL IS MAKING A LOT OF NOISE AND THORN CUTS DOWN THOSE WHO GIVE CHASE . Thorn is the one who is being loud and the Kal is cutting people down . contradictory +Unless you 'd like to come too ? " Unless you 'd like to come with us to the party ? neutral +It specifically addresses concerns raised suggesting ( 1 ) that the Commission should better quantify the effects of the proposals on the market ( especially the anti-competitive effects ) and ( 2 ) that the Commission 's estimates under the Paperwork Reduction Act ( 44 U.S.C. The most important concern that it raises regards the Paperwork Reduction Act . neutral +Freshman Natalie Portman attending her first frat-house kegger . Senior Natalie Portman , veteran of frat house keggers contradictory +yeah oh i think i know who you 're talking about uh i 've seen i don 't think i can pronounce it either but I have talked to you about that person before . neutral +R. Glenn Hubbard and Jonathan S. Skinner , Assessing the Effectiveness of Saving Incentives , pp. 73-90 . Glenn and Jonathan greatly enjoy their jobs . neutral +Andrew Young , Maynard Jackson , and the mulatto elite dismissed Lewis and lined up behind Bond . Andrew , Maynard , and the mulatto elite supported Lewis and stood behind him . contradictory +The accuracy of the CAGE , the Brief Michigan Alcohol Screening Test , and the Alcohol Use Disorders Identification Test in screening trauma center patients for alcoholism . There are different ways to screen for alcoholism in trauma center patients . entailment +The European system , called REIMS II , relates terminal dues to domestic postage . The European system relates terminal dues to domestic postage prices and can be applied to the USPS . neutral +There are few hippies left today , but the pleasures are still pretty it 's not unusual to see topless sunbathers or catch a faint whiff of aromatic smoke . Hippies like to take long naps at the beach . neutral +because there 's no the answer is not being given to them in the court system and i think initially when our country was set up it was set up with God and it was really an integral part and no you can 't you can 't force people but i think people are hurting and they 're out doing crack sitting on the street they were the kind of people that i think mostly we would want to receive it if it was presented to see i don 't know i guess i 'm kind of frustrated that you know we 've gotten away from the Christian basis that our court system was founded upon i mean it reeks of the Bible just the whole thing the whole system and so i feel like if that was presented more openly and not just relying upon and para church ministr y to come in and do it but that the system itself you know you know what i mean The system does not depend on religion . contradictory +big Lubbock yeah are are you a native type Planoite or you been here a while or Have you lived in Plano your whole life ? neutral +Although not as venerable as its neighbors , Tiferet Israel was the tallest and perhaps the grandest synagogue in late-19th-century Jerusalem . There are a number of synagogues in Jerusalem . neutral +yeah well she was close but yet whenever i wanted to do something it was always something something different than what she wanted to do We never worked out our differences because we had so many . neutral +There she pondered for some moments , a telegraph form in her hand . She held a telegraph form in her left hand . neutral +3 percent to percent and the cost coverage for inbound mail would increase from 90 . With the new regulations the cost coverage for inbound mail would increase from 90 % . neutral +The population of Formentera 's chief city has expanded to around 1,000 , and there is a new town hall . The population of Formentera 's chief city expanded due to the influx of immigrants . neutral +Due to federal guidelines , LSSM does not accept cases concerning criminal , post-criminal , or municipal court matters . Federal guidelines prohibit acceptance of certain cases by LSSM . entailment +Costle ( 657 F. 2d 298 at 392-400 ( 1981 ) ) , where the court held such action was not required because there was adequate time for response . The court held the action anyway even though there wasn 't enough time . neutral +ah no it 's not over crowded it 's uh it it far enough away so it 's not over crowded and it 's surrounded by cliffs so no matter how much wind it is there is always a big portion of the lake that 's calm It 's a pretty remote and peaceful place . The waters are usually pretty calm . entailment +After the town was abandoned to malaria and Arab invaders in the ninth century , the monuments disappeared under wild vegetation until their rediscovery 900 years later . The crew who rediscovered this town was surprised to see a lone spire peaking out from the vegetation . neutral +That guy couldn 't help us any . " He couldn 't help us entailment +They may either adopt the models intact , modify them to meet their specific needs , or ignore them . They are prohibited from making any changes to the models . contradictory +we uh we 've we just kind of started young in life but uh uh we uh my husband 's still with the same company for ten years and as a result My husband 's been working with the company for 10 years . entailment +These have a public purpose , captured in the Irish poet William Butler Yeats ' lines about the best-known Sistine That girls at puberty may find / The first Adam in their thought . Yeats was an Irish poet . entailment +In particular , Plotz 's notion that adventures used to be ( and need to be ) driven by practical considerations , such as opening trade routes , strikes me as daft . Piotz believed that adventures should have a practical purpose . entailment +that 's kind of the way i am That is nothing like how I am . contradictory +i don 't know exactly where she is but um She fled into the night with her lover going who knows where . neutral +yeah i didn 't i didn 't either are you from Pennsylvania Would you say that you are from the state of Pennsylvania ? entailment +Nearby is the Yokohama Museum of Art , designed by Tange Kenzo and housing works by both Western and Japanese artists , including Picasso , Braque , Kandinsky , Kishida Ryusei , and Yokoyama Taikan . At the Yokohama Museum of Art , there are artworks by both Japanese and Western artists . entailment +Brocade or chiffon dresses covered in who-knows-what utterances in beautiful Chinese and Arabic script , or dresses wittily made of paper printed with the New York Yellow Pages , all express a joyful relish in the decay of the written word , a forthright pleasure in the way its meaning has been draining away . Dresses made with words printed on the them have shown the increased respect for the written word . contradictory +yeah out here in the real world it 's all the same There is no difference . contradictory +Further south , set among verdant gardens , is the Cairo Zoo . The Cairo Zoo is the largest zoo in Egypt . neutral +This technique was in widespread use until 1948 , when the major national polls based on this technique all predicted that Republican Thomas E. Dewey would defeat incumbent Democrat Harry S. Truman . The polls suggested that Dewey would beat Truman . entailment +In all , there are 14 lawyers on OPP and state planning staff . They wanted to bring on another 14 lawyers next year . neutral +The system of taboo ( kapu ) gave society its laws and the people a complex moral code . The taboo system gave people a set of morals . entailment +well it 's interesting interesting watching the different Soviet states Albania Lithuania doing their little revolts down there It 's silly to watch the Soviet states doing their revolts because I know it won 't end well . contradictory +but uh it 's a it 's a good size and it 's something we can stay in and grow in for quite a while i guess uh hopefully till the real estate market turns around like you we we bought when it was down a little bit but we 've had so many repossessions in our neighborhood that we couldn 't sell for anywhere near what we 've got into it so Our neighborhood housing prices are going way up . contradictory +Bill and Monica also at one point planned a tryst on Martha 's Vineyard , but Bill finally chickened out , says the publication . Bill and Monica made plans but later didn 't follow through on them . entailment +Nor was it Canadian French , the only other speech he could make any sense of . He had spent years abroad in Canada , giving him linguistic flexibility . neutral +Cumulative balances of available leave by type per employee are required to be maintained on record . The record states each worker 's combined total number for all kinds of unutilized leave . entailment +The Congress has been extremely concerned about the government 's ability to prevent intruders from accessing government 's extensive computer and information systems . Congress is worried about how the government can hack into foreign systems . contradictory +Breakfast coffee ( caf ? ? con leche ) is half coffee , half hot milk . cafe con leche is only half coffee . entailment +He 's admittedly one of the world 's greatest toxicologists ” ” " He isn 't that good with anything related to biology or chemistry . contradictory +In addition to providing top-level leadership and accountability , the department will need to develop employee performance management systems that can serve as a key tool for aligning institutional , unit , and employee performance ; achieving results ; accelerating change ; managing the organization on a day-to-day basis ; and facilitating communication throughout the year so that discussions about individual and organizational performance are integrated and ongoing . The department has provided low level leadership . contradictory +12 Again , there may be implications for research synergy . There may be implications for keeping research varied . contradictory +spent much more than originally planned to develop and acquire its weapon systems , significantly reducing the department 's buying power over the years . The department 's buying power was reduced due to weapon systems . entailment +Hargarten related that a recent survey found that almost one-third of academic EDs have faculty in community settings . Nearly a third of academic EDs were shown in a survey to have departments in community settings . entailment +Why mess with success ? Why try to be successful ? contradictory +The explicit purpose becomes finding out who among the young has ever indulged in the kind of experiment that both members of the Democratic ticket have acknowledged participating in themselves . None of the members of the Democratic ticket admit to participating in any experiments . contradictory +There were piles of coins on the table as Cahill listed bets for the men crowding around . The men were betting and Cahill was keeping record . entailment +I don 't understand . I don 't know what is going on . entailment +This area is not just for pilgrims , however ; it is also for those in search of the great outdoors , whether for sports activities or simply hiking . Hikers and adventure cyclists alike will love the area . neutral +After his master 's assassination in 1206 , Qutb-ud-din proclaimed himself sultan of Delhi , head of India 's first Islamic dynasty . Qutb-ud-din was Islamic . neutral +Better keep your eyes peeled gold claims have been jumped before in this country . Best keep your eyes open because gold claims have been brought up before in this country . entailment +he 's got uh he 's kind of um mystic oriental he is an empirical caucasian contradictory +The picturesque Petit Trianon , where Marie-Antoinette tried to hide from the Revolution , has the allure of a doll 's house in comparison with the rest of Versailles . Marie-Antoinette used to be the Queen of France . neutral +and then the other two one of which i thought was a Himalayan and the other one i 'm not sure but they 're both so cute and they are like big fuzz balls and I didn 't get a chance to see either of them , due to the weather . contradictory +He is not mine to sell , Coronel . He belongs to me and I 'm selling him tomorrow , Coronel . contradictory +Anyway , it paid off for him . He benefited from it . entailment +Once he was sure of that , he used a scrap of the sky to insulate the second little sun that would control the first sympathetically from the track . After he was absolutely certain , he snipped off a piece of sky to insulate the second sun , then turned his attention to the third . neutral +Finally , since the final rule is designed to harmonize with the international standards , device manufacturers will not have to maintain two different quality systems to compete both nationally and internationally . The final rule is supposed to make it compatible with international standards . entailment +We have no authority to rewrite [ the ] statute and give it an effect altogether different from what Congress agreed to . We can rewrite the statute to whatever we want . contradictory +The preamble states that numerous comments were received and a widely attended public hearing was held on November 1 , 1995 . The public was contacted via online messaging . contradictory +The principal cemetery of Montmartre , where luminaries of the arts such as the composers Berlioz and Offenbach lie buried , may seem a world away , but it 's only a short walk west from the Moulin Rouge to the entrance ( west past the Moulin Rouge , then right at avenue Rachel ) . The cemetery of Montmartre is only a short walk from the Moulin Rouge . entailment +It 's simply bare-faced fortune hunting ; but there you are , she is her own mistress , and she 's married him . " She is in a sexually intimate relationship with him . neutral +In recent times the caves nearby have become a playground for the local Tom Sawyers . Children now play in the nearby caves from time to time . entailment +All other sectors and total household mail have suffered either volume decline or anemic growth rates . Household mail is at the same volume as always . contradictory +A chain of evidence is the sequence from observation to conclusions . A chain of evidence can either prove or disprove a case . neutral +A garden ( not always open to the public ) connects the Hotel de Soubise with its twin , the Hotel de Rohan , on Rue Vieille-du-Temple . The garden that connects Hotel de Soubise and Hotel de Rohan is always open to the public . contradictory +At the far end of the royal mall is a shikara-style Durga Temple , interesting for the pairs of animals guarding the stairs . At the far end of the royal mall is a shikara-style Durga Temple , interesting for single animal inviting people in . contradictory +Dead Sea Bath-salts and mudpacks are the most popular Dead Sea souvenirs , though there 's a huge range of other therapeutic and cosmetic goods for you to take home . Dead Sea Bath-salts and mudpacks are the most popular souvenirs , though there are multiple other cosmetic goods to take home . entailment +They leave , however , full of admiration , because the sandstone temples are marvels of harmony and the sculptures ' true grace in their sensuality stifles any temptation to smirk . They depart in full admiration due to the sandstone temples being wonders of harmony and the sculptures displaying true grace in sensuality puts away any temptations to smirk . entailment +He looked around him appraisingly . He simply looked forward the entire time . contradictory +What ? John lowered his voice : " Have you ever thought , Hastings ” it 's a nightmare to me ” who did it ? John raised his voice . contradictory +Didion , in other words , has written a fast-paced story , not just her usual series of fractured stories . Didion wrote a fast-paced story . entailment +A fine view of Toledo still very similar to the one painted by El Greco of his beloved city can be had just across the river , north of the city . El Grec loved all of the art in his city . neutral +And every Saturday , never fail , the general would come out from Muroc and tell us we were the heros of the home front--with overtime pay while we listened to him ! " " Yeah , but what if you wanted to quit ? At noon every Saturday , the general would give a short speech . neutral +uh it it it it it really wouldn 't have that great of effect but what happens is it goes all the way up through into the ozone layer and then it keeps firing and dumping and i just blew me away It makes me really concerned about the climate implications . neutral +But if you climb the maze of steep narrow streets into the upper part , you 'll find peaceful , shady squares . You can take a cable car to the upper part to avoid the steep streets . neutral +Random Hearts . ' As anybody with any understanding of the scientific process could tell you , the problem here lies with Sydney Pollack , ' Dr. Ostroff noted . Pollack is blamed for the entire problem . neutral +Mars has fallen . Something has happened to Mars . entailment +It would be more true to say that Gopnik 's need to see Picasso as a rascal deforms his view of Picasso 's art . Gopnik encountered Picasso in a personal social setting and felt his personality to be distasteful as well as remebering countless rumors he has heard of the artist 's many personal indiscretions . neutral +Tours of the brewery itself are not offered , but the Guinness Visitor Centre , in a four-story converted 19th-century building , presents a wonderful history of the world of Guinness . The Guinness brewery is open to visitors 24 / 7 . contradictory +For cave paintings , all accessible by guided tour only , the most attractive site is the Grotte de Font-de-Gaume , reached by an easy walk up on a cliff above the eastern edge of town . Flash photography of the cave paintings is not allowed . neutral +His delaying strategy is to run the clock down until the November elections , then win Congress back with just 12 new seats and shut down the Hill investigations with his new majority . He 's afraid of the Hill investigations and that 's why he wants to shut it down . neutral +At Galatasaray Square , where Istiklal Caddesi bends to the right , an elegant wrought-iron gateway marks the entrance to the 19th-century Galatasaray Lisesi , the Franco-Turkish lycee ( secondary school ) that educated many of the great names in modern Turkish history . No one has ever actually attended the secondary school . contradictory +Evidently , it 's their little secret . It 's obviously not a secret . contradictory +But with self-confidence came complacency , and the French bourgeoisie was cast again onto shifting ground with the massive student rebellions of 1968 . The French bourgeoisie were cast onto shifting ground with a lot of student rebellions . entailment +But try to make it sound authentic . ' Try and make it sound like real Spanish . neutral +the dominant provider . The meek , inferior provider . contradictory +The Idaho Partners for Justice Project has already secured pledges of more than $ 35,000 from law firms , attorneys , corporations and individuals . The Idaho Partners for Justice Project was given $ 200,000 . contradictory +Deficiencies found during ongoing monitoring or through separate evaluations should be communicated to the individual responsible for the function and also to at least one level of management above that individual . The management person will make sure that the deficiency is corrected . neutral +In a city overpopulated by must-see attractions , this is one place guaranteed to deplete whatever superlatives remain in your exhausted vocabulary . The attractions are hard to get to every day . neutral +She and her husband , Prince Philip , were very much involved in the interior decoration of the ship , choosing the furnishings for what would be their floating home . She and her husband , Prince Phillip , went for a luxurious , Titantic inspired interior decor for the ship that was to be their new home . neutral +Non-Hindus are not permitted within the temple precincts , but you can get a good view from the roof of the Raghunandan Library near the temple wall . Non-Hindus frequently are allowed within the temple precincts . contradictory +Saul Alinsky , about whom she wrote her senior thesis ( now under lock and key ) was the mentor to the socialist agitator Staughton Lynd , who had gone to Hanoi with Tom Hayden in 1965 to meet with North Vietnamese leaders . Saul Alinsky was the mentor to Staughton Lynd , a socialist agitator . entailment +Like him they may , but have any of them written a tribute as passionate as Ann Powers ' love letter to Hillary in this morning 's Times ? ( Some sentences omitted . ) Anne Powers wrote a hit-piece on Hillary Clinton . contradictory +The Hyatt 's two recently-renovated 40-story towers cover a city block at the Diamond Head end of Waikiki 's shopping avenue ( across the street from the beach ) . The Hyatt has two 40-story towers . entailment +Industrialized countries . The United States is at the top of the list of industrialized countries . neutral +For example , an audit report on an entity 's computerized information systems may contain significant findings that could relate to the financial audit if the entity uses such systems to process its accounting information . Accounting information should be processed by a separate system , and if it shows up on audit , it 's not done correctly . neutral +and there 's other places but like you said the the food doesn 't matter it 's you have such a good time there I only go places I can have fun . neutral +'Oh . ' White checked his watch . White saw it was 3pm . neutral +The smallest pyramid , that of Mykerinus , adds a wonderful perspective to the panorama , particularly when you align the pyramids for that souvenir photograph . The largest pyramid that you can take a picture of , is Mykerinus . contradictory +What does LSC mean when it talks about state planning ? LSC is not involved in state planning . contradictory +Just past the Jewish Agency compound , near the corner of Agron , Ramban , and Aza streets , rises the massive facade of Hekhal Shlomo , Jerusalem 's great synagogue . Beyond the Jewish Agency Compound , there will be a synagogue called Hekhal Shlomo . entailment +Today , the programs operate seamlessly , offering new innovations - including toll-free multilingual phone advisers , expanded hours for domestic-violence clinics , and renewed immigration and consumer aid - built on the foundations of the old program . There are no multi-lingual phone advisors to help people who call . contradictory +But that 's too The price Schwinn cares about is the wholesale price , and it controls that directly . Schwinn doesn 't care about anything else . neutral +Flanked by the clock tower is the imposing Hong Kong Cultural Centre . The Hong Kong Cultural Centre receives more visitors than the clock tower . neutral +Application control is designed to cover the processing of data within the application software . Application control aims to cover data processing for accounting software . neutral +i 'd be interested to see if we do that I know the turnout of this whole thing , so I find the topic boring . contradictory +The post-accident report was initiated not by Loral but by its insurers . Loral did not report on the accident . entailment +That funding allowed a significant increase in investment to develop a manufacturing capability before critical The funding was completely taken away . contradictory +You can now ascend the great rock by walking up the Snake Path a hot and tiring ascent that takes 30 to 60 minutes depending on your fitness . Now , the Snake Path route is blocked and it will take you 90 minutes to climb the great rock . contradictory +But that 's the title of the book . That 's not what the book is called . contradictory +uh-huh well i feel like too on the job when you know there 's men around and some of the managers are men you just you know you don 't want them looking at your legs necessarily and uh to me i just wouldn 't feel comfortable in that at work You should just wear whatever you want . contradictory +Hall says that the students will do eligibility screening to determine whether callers qualify for legal assistance from TRLA . Hall had nothing to say about the students that need legal assistance . contradictory +Of all the Boston-area locations surveyed--and these included commuter-rail and subway stations , library parking lots , and suburban shopping malls--Harvard Square yielded the most embarrassing results . People were surveyed in every mass transit station . neutral +um probably oh isn 't isn 't there a plan now to make a command center there or something There 's a project underway to construct a command center I believe . entailment +For a case study methodologist and for GAO , if proper care is taken , this should not be a problem . Even when proper care is taken , this is a problem . contradictory +He regularly appears kneeling before temples to his master , his palms joined together in the traditional namaste gesture of greeting and homage . He usually appears standing before his master , palms joined . contradictory +yeah i guess it depends on the time of day too It doesn 't matter what time of day it is . contradictory +Absolute power was the dominant feature of what post-Revolutionary France called the Ancien R ? ? gime . After the revolution , cultural diversity spread throughout the country . neutral +At the front was Malok , leader of the Sons of the Egg , brandishing his knife . Malok was not the leader of the Sons of the Egg . contradictory +The Costa Blanca is crossed by principal migration routes and holds considerable , often unsuspected , bird life . Costa Blanca is so remote that only a single species of albatross ever reaches it 's shores . contradictory +A moderate stroll takes you to Higashiyama 's Gion district , Kyoto 's main historical center of traditional theater , arts , and ( now ) antiques . Kyoto 's main historical center of the arts is the Higashiyama 's Gion district . entailment +It 's a ten minute walk to the Palladian-inspired Villa Valmarana , notable for the Tiepolo frescoes that grace its interior . Tiepolo painted the frescoes long after the Villa Valmarana was built . neutral +The area was also home to the extremist Muslim Hashishi sect , whose cut-throat violence introduced the words assassin and hashish into the English language . The words assassin and hashish are derived from the name of the Hashishi sect of Muslims . entailment +ever see that commercial Do you know that commercial ? entailment +Although Osaka is overshadowed by Tokyo in the big-city stakes , it is a vibrant and energetic world capital in its own right and certainly has plenty to offer the curious visitor . Osaka is interesting to visitors and known all over the world . entailment +Dizengoff Circle 's bizarre multi-colour cog-wheel fountain , known as Water and Fire , has the same sort of magnetic appeal for people as London 's Piccadilly Circus . It changes color and spews fire on the hour . neutral +Part of the shortage was pure perception . The extent shortage was not exaggerated . contradictory +I 'll be round in the car in half an hour . " Tuppence got up . " I can 't find my keys ... this could take a while " said Tuppence . contradictory +the other one you need to go see is Sleeping With The Enemy You need to watch Sleeping With The Scammer . contradictory +Francisco de Zurbarin ( 1598 1664 ) , a member of the Seville school , combined mysticism and realism and was a master of light . Zurbarin combined art types in ways no one had before his time . neutral +right but he took their plates up and made sure they didn 't see him and i think he was the one i heard him mention about the tickets were messed up so they went to take care of the tickets he took their plates and began eating his eating their food They had to deal with the ticket situation . neutral +Under the name of ? Under whose last name ? neutral +Playing my part had become second nature to me . I really connected with my character . neutral +yeah i was i was pretty happy i got what i pretty much wanted i could have had it any color i wanted I was happy because I bought a blue car . neutral +Around a.d. 141 , the three Maccabee brothers overthrew the Seleucids and established their own Hasmonean dynasty and an extensive empire which dominated Palestine as far as the Golan in the north and Gaza in the south . The Hasmonean dynasty , led by the three Maccabee brothers , dominated from Golan to Gaza . entailment +Jerusalem flourished during the early years of the Mandate . Jerusalem flourished under the Mandate when it was first starting . entailment +With their backgrounds--Griffin is deputy editor of Premiere and Masters , a contributing editor for Time and Vanity Fair --the authors should have been able to tell us a little more about why Hollywood movies are so bad . The author Masters is a contributing editor for Time and Vanity Fair . entailment +But he is yet a boy . But she is yet a girl . contradictory +that 's right If i have a problem discipline you know i think now boy i really need to get out you know and apply something you know and i screw around and don 't do it or wait too long or something that 's right I never have any problems with discipline because I motivate myself very easily . contradictory +and the scratches and the smell and the uh wherever yeah The distinct odor and scratch are unmistakable . neutral +More detail on applicable GAO guidance can be found in the Communications Manual . Applicable CAO guidance is difficult to find anywhere , except for the Communications Manual . neutral +i 'll have to okay thanks This is not something I will have to do . contradictory +The original medieval castle received its new name when transformed in the 17th century into the royal residence of Vittorio Amedeo I 's widow , nicknamed Madama Reale , a.k.a Maria Cristina of France . Maria Christina of France did not like the castle 's old name , so she decided to change it . neutral +As it is , we are restricted in how we can proceed . We have total freedom in our procedures . contradictory +But Yokohama 's great waterfront , port redevelopment project , museums , and restaurants should still keep it high on your list . There are no restaurants or museums in Yokohama . contradictory +The church also boasts one of Italy 's most delightful fresco cycles . The pope visits this church once a year . neutral +As a thought-experiment , consider what it might mean to a white victim of reverse discrimination if blacks had always been equal . Reverse descrimination doesn 't exist . neutral +In 1995 , Dole introduced legislation to impose trade sanctions on Colombia , Ecuador , and Costa Rica--but not Honduras , where Dole 's favorite bananas are grown . No legislative moves have been proposed or implemented regarding Dole and trade with Colombia , Ecuador , and Costa Rica . contradictory +( It does not , in fact , contain any ingredients from tigers , but does promise to cure a wide range of problems such as colds , headaches , rheumatism , gout , toothache , and scorpion bites . ) It is illegal for this to have any ingredients from tigers . neutral +Another game very similar to a lottery , keno is usually played while sitting in a hotel coffee shop . A lottery and Keno are two games which have almost nothing in common with each other . contradictory +In that regard , the Administration is implementing two major initiatives on climate science and advanced energy and sequestration technologies . The administration will make a lot of money from their initiatives . neutral +You can observe the football ( soccer ) phenomenon , with the tifosi ( fans ) in full cry . The soccer phenomenon with fans in full cry can be observed . entailment +They had reached the entrance hall . They never quite made it to the entry way . contradictory +Distributional Analysis of Regional Benefits and Cost of Air Quality Control . They looked at the cost of air quality control in big cities . neutral +'A bomb . ' It was a bomb . entailment +and and i make a real effort to go out and read all and particularly read their things about the candidates for lesser offices that you don 't you can 't read their view in the paper uh and i i think that is tremendously important and I don 't read . contradictory +Only during the summer does it really come alive , however , when beach umbrellas are set out on the pebbly shore acrosefrom the small square . It doesn 't really come alive until the winter time . contradictory +It is even said that he has a woman problem , which supposedly finds expression in his defense of church positions on an all-male clergy , contraception , and abortion . Despite some views he shares with the church , he is a progressive person who holds many personal opinions that endear him to the plight of women . contradictory +That would , in effect , penalize companies for efficiency and productivity . That would penalize companies for being slow . contradictory +Porto Santo 's prize is a long , golden beach , only recently touched by development . Development has touched Porto Santo 's breach pretty much from the beginning . contradictory +yeah there there 's uh you know once you reach a certain plateau in in finances um Once you reach a certain plateau in finances entailment +These are terrible ideas ( to find out why ) , but without them the notion is simply empty . These ideas are not good because they have not been thought through . neutral +Across the road , Vrenna climbed the rocks and cut a man off his horse on the fly . Vrenna climbed up the big salt rocks . neutral +The bandits , murderers , demons who destroyed Fena Set are as tough as we are . The groups that pillaged Fena Set are disparate and weak in strength . contradictory +There was awe and an almost wondering unbelief in her voice . Her voice revealed a tinge of admiration . entailment +'All of you , back off ! ' White bellowed . White yelled for them all to back off . entailment +Many people , particularly many retired people , begin their day by checking the box scores of yesterday 's action on their holdings . Box scores help retired people check on their holdings . entailment +Exceptions to the general prohibition of employees approving their own T & amp Many employees approve their own T & A. neutral +i mean it was like a necessity she couldn 't imagine going through college without a computer she was surprised at how many people used computers in college , because she didn 't see them as necessary contradictory +He adopted an upbeat American organicism derived from Henry David Thoreau and Walt Whitman . He did not show any regard to Whitman or Thoreau . contradictory +If the country is debased and decadent , the cure has to come from uplifting the people , not from acts of government . The Government needs to do more to ease people 's lives and give them hope , not create more worry and concern with restricting laws . neutral +yeah yeah uh everyone says you know when i bought this several years ago w hen our local economy was good everyone said no no you 're crazy to buy a mobile home Everyone told me it was a bad idea to buy a mobile home . entailment +Like the rest of his most loyal supporters and his most intractable enemies ( and she has been , uniquely , both ) , Dowd is part of the baby boom generation . Dowd has both been in support and against him . entailment +This is due partly to the relatively high domestic rates for these two countries compared to U.S. domestic rates and partly to the disparity in the mail volumes exchanged between the U.S. and these two countries . These two countries have relatively low domestic rates compared to the U.S. contradictory +This and the harbor , which attracts modern cruise ships , guaranteed Montego Bay a large slice of Jamaica 's tourist action . The harbor and luxury cruisers visiting it make Montego Bay a tourists ' Mecca . entailment +um the only one that i watch religiously is LA Law I watch LA Law most days , including weekends . neutral +As an adult , what is the biggest mistake that you 've made , and what lesson did you learn from it ? Talk about a time when you did something perfectly and there was a positive outcome . contradictory +Mitchell , now , he had a beer " Mitchell drinks beer . entailment +Adequate supervisory controls also are recommended . Adequate supervisory controls will not be put into place . neutral +Any goods shipped back from FWI require a 10 % duty regardless of the monetary value . You must pay 10 % in tax on goods shipped home from FWI . entailment +Real wages continue to grow slowly . Increases to real wages are important to the middle class . neutral +Campaign assertions about how much the average family 's taxes have increased under Clinton should be regarded with suspicion . It is suspicious to claim that the average family 's taxes rose that much during Clinton 's time as president . entailment +They concluded it was caused by the driver 's loss of control . They decided the driver 's loss of control caused the accident . neutral +Her comedy about an argument over the merits of an all-white painting is like a marriage of Moliare and Woody Allen ( Jack Kroll , Newsweek ) . Key the accessibility of the aesthetic debate ; the hilarious banter ; and the Seinfeld -like characters , especially that of an egomaniac ( played by Alan Alda ) . The writer of the comedy took inspiration from Seinfeld . neutral +Other distinctions are possible , such as bulk and nonbulk , but the speed distinction would seem to dominate . Other distinctions are not possible , contradictory +and she 's expecting the end of this month and she 's the only one that lives nearby She is expecting this month end , and she is the only one in the vicinity . entailment +One makes Skipper . Skipper was made . entailment +After the injection they--honestly--seem rather depressed . They seemed depressed after the injection ; it is a side effect . neutral +The new institute opened its doors in March . The new institute opened in March . entailment +This was the president who pulled out of Lebanon after Marines were bombed there . The same president who stayed in Lebanon despite a bombing on the Marines there . contradictory +You deceived ME all right . He was not deceived . contradictory +Once again Judea was conquered by foreign forces and Jerusalem reduced to rubble . Not for the first time , Judea was conquered by foreign invaders . entailment +yeah huh-uh well it 's English Yes , it 's Danish . contradictory +His black eyes flared in the red moonlight . The sun was high in the sky . contradictory +yeah different ethnic groups South East Asians and Pacific Islanders belong to different ethnic groups . neutral +Otherwise , you 're overpaying . Or , you 're over paying . entailment +The Dodecanese islands take their name from the Greek phrase dodeka nisi , meaning twelve islands , although the group incorporates far more than one dozen in its number . Dodeka nisi means ten islands . contradictory +On the other hand , American companies may have to lower their own prices to compete with Asian products . Americans will have to raise prices against Asian products . contradictory +A hero and just two or three supporting actors enact stories about gods , historic battles , ghosts , unhappy love , and grief-stricken insanity . The supporting actors enact stories without a hero alongside them . contradictory +oh yeah well during the winter yes we do uh we 've had uh well past four or five years i guess at least one day during the year when just everything would just close down because we 'd have freezing rain We do have to shovel weekly in the winter . neutral +that 's right it 's all it 's mostly religious anyway That is correct ; most of it is religious . entailment +More fathers need to buckle down on the home front , which would improve the attitude and motivation of mothers too . It is the duty of fathers to buckle down on the home front . neutral +Following establishment of this initial mail classification schedule , a 3623 ( b ) provides that the Postal Service may from time to time request that the Commission submit , or the Commission may submit to the Governors on its own initiative , a recommended decision on changes in the mail classification schedule . The initial mail classification schedule may be changed with a 3623 ( b ) . entailment +While Pine Tree has income guidelines for its clients in housing and public benefits cases , there are no income limits for those receiving services to prevent domestic violence . Pine Tree is one of America 's top 10 charities . neutral +The door is too thick . " The door is not thick enough . contradictory +It was a weak point in his argument and he made no answer . He was not good at arguing . neutral +There might have been ? There may have been ? He said . neutral +and get it down quicker Memorize the instructions faster . neutral +On Wednesday , NBC sinks to new lows with The Hard Evidence of Aliens Among Us ? NBC broadcasted The Hard Evidence of Aliens Among Us ? entailment +yeah uh-huh yeah we 're not too far behind i graduated in seventy one so i 'm i 'm same generation i i 'm it 's going to be a short conversation because i agree with you i i think uh i don 't i don 't even think it ought to be uh voluntary i think it ought to be mandatory We must have similar points of views on all topics . neutral +oh gosh what was the last comedy we saw huh huh huh good question good question we don 't get to go that often but i 'm We talk more about other genres of movies . neutral +Vrenna snatched the curved sword from his grasp as he fell and cleaved his head in two . Vrenna ran away without being hurt . contradictory +Evidently he was to have been taken out of London in that , and his body found many miles from the house in Soho . He was never taken out of London , and his body was found close to the house . contradictory +Al and Tipper Gore have helped by saying they 've each had counseling but , as Frank Rich has noted , Tipper 's use of such euphemisms and the avoidance a professional title [ that ] might include the prefix ' psych- ' ... Tipper does not or did not make use of such euphemisms . contradictory +Crane requirements for FGD technology retrofits are generally site specific , although these requirements are generally less demanding than requirements for SCR retrofits . SCR retrofits are much more demanding than FGD retrofits , which are not site specific . contradictory +Opened 585 cases for the victims of domestic violence , helping to break the cycle of violence that causes so much lasting harm to women and children . 585 cases were opened for domestic violence victims to help break the cycle of violence . entailment +Beyea said the report 's findings are timely , given that Chief Justice Leigh Saufley has said that one of her priorities is to provide GALs to all children , regardless of economic background . They reported that the majority they served were below poverty level . neutral +you know what do these people think they were getting into when they joined the military When they signed up for the army , this is what they agreed to do . entailment +She received her bachelor 's degree from Cornell University in 1974 and then attended Harvard Law School . She did not receive her bachelor 's degree from Cornell University in 1974 . contradictory +Both suppliers and consumers will gravitate toward , regardless of whether it is technically the best . Suppliers and consumers are keen because the market is very affordable at the moment . neutral +oh God it sounds like i would i might do that then okay i learned something here I 'm glad to have learned something . neutral +Raleigh was in the top twenty five housing market i mean it was a good place to buy a house but the problem is that the average house cost is really high Raleigh is a rough housing market , and the costs are cheap . contradictory +yeah yeah yeah in fact it got some pretty serious deep parts in it so There were only light , humorous parts . contradictory +What 's up ? This is it ? contradictory +It 's worth taking a day 's drive or a few days of walking to seek them out . It 's worth taking few days of walking or a day 's drive to seek them out . entailment +There 's no time to lose , said Tuppence , crossing the road . Tuppence suggested that they should do it at a later time . contradictory +It was a piece of damn-fool foolishness ! It was one of the most thorough pieces I 've ever seen . contradictory +He lay awake staring at the beams of his wooden roof where a spider spun a thin web of silk . The cabin had a flat white roof . contradictory +I wanted to help her . I wanted to help her by giving her money . neutral +The Bastille was stormed the next day . The Bastille has only been stormed once . neutral +By 1990 , Hawaii was welcoming nearly 7 million visitors annually , seven times its own resident population , which is the most ethnically and racially diverse in the US . Hawaii had over 7 million visitors every years since 1990 . entailment +Similarly , the chain-link fence surrounding the octagon looks grotesque . The fence was a beautiful Pickett one contradictory +Silent for a time , the tradition has been revived and is a tourist attraction . The tradition has not been celebrated for awhile but it was revived for tourists . entailment +The effect of the appropriations process and the highly distributed management structures found in several federal agencies tend to move some of the control of processes having to do with information management away from the CIO . The wide variety of management structure tend to take away control from the CIO . entailment +This interest rate is both paid on outstanding debt held by the public and earned on nonfederal financial assets acquired by the government once debt held by the public is eliminated . The interest rate is paid and earned . entailment +He summed up the Knight case rather The Knight case was summed up quickly and concisely . neutral +Colgate Baking Soda and Peroxide is a sickly , opaque green . Colgate company has had their Baking Soda and Peroxide product take on a colourless gel form . contradictory +Though there is not much to see at Century City it 's worth noting that this complex of buildings was built on 180 acres ( 73 hectares ) of what was once Twentieth Century Fox 's enormous back-lot studio . Twentieth Century Fox once had a very large studio . entailment +But a very good imitation , I must admit . " Dave turned from Ser Perth toward Nema , but her head was bent over the cords she was weaving , and she avoided his eyes . Dave thought that the imitation was quite well done . neutral +Figure 1 displays the minutes per box per day as a function of density . The first figure shows the relationship between time and density , which was asked by the problem . neutral +Drew talked as he had to Shiloh , as if this black could understand every word . Drew spoke slowly because he knew the black couldn 't understand him contradictory +uh all right thank you bye-bye Thank you . entailment +Give French cooks a couple of eggs and they won 't just boil them , fry them , or make an omelette ( all of which they 're quite prepared to do superlatively ) ' they feel obliged to produce a delicate souffl ? ? or a rich hollandaise sauce that makes an egg proud to be an egg . French cooks usually produce poor , simple fare when presented with eggs . contradictory +um-hum oh you are constantly there 's always something going wrong Things have never gone right . neutral +He was Anson , too in th ' Rangers for a while , Pa was . " Pa was never a member of the Rangers . contradictory +By all means enjoy them , just stop once in a while to explain to your kids that the Care Bears and Flipper aren 't the real thing . Your kids still believe that Care Bears are real . neutral +There was a short pause . They paused breifly . entailment +The LSC does not itself provide legal services , but rather grants federal funds to legal services programs across the country . The LSC is providing a noble service to help needy people . neutral +yeah yeah well they 're enjoyable to to have around i i uh i run a little business out of the house here and uh i 'm usually alone i have a home-based business and mostly spend my time by myself entailment +The fright began to build inside Adrin . Adrin knew the end was near . neutral +He suggested to her repeatedly that it was 4.30 , and not 4 o 'clock when she had heard the voices . He was trying to convince her to change her story . neutral +Sullivan , 500 U. S. 173 , in which this Court upheld a restriction prohibiting doctors employed by federally funded family planning clinics from discussing abortion with their patients , supports the restriction here . This Court has ruled that doctors employed by a federally funded family planning clinic cannot discuss abortion with patients , because law makers know more about medicine than doctors . neutral +What must a man do to earn that kind of respect ? How does a man get respect in the workplace ? neutral +all set do you want to start I 'm ready . entailment +We do seem to end up with a lot of lawyers . It seems that we end up with numerous lawyers , which is good . neutral +He 's head over ears in love with Jane . He loathes Jane and never wants to be in her presence . contradictory +I was never crazy about Jimmy Carter while he was president . I didn 't like Carter 's foreign policy positions . neutral +West of the Bay Near the Bay . entailment +yeah or or get my brother has a real nice pop-up My brother has a very nice pop-up . entailment +Most commercial ferries arrive at the new port of Athinios farther along the coast . The Athinios port was designed specifically for commercial ferries . neutral +The Austin center will expand services provided by the Telephone Access to Justice call center in San Antonio , where St. Mary 's University School of Law students man the phones . The law students were going to help out with the phones . entailment +How much the man had changed in the six years since he traveled to Fena Kef , fallen in love , and decided to stay there . It had been 6 years since he went to Fena Kef and fell in love . entailment +Completed in 1995 , it shattered the record for cable-stayed bridges , with a span of 856 m ( 2,808 ft ) . In 1995 the record for cable-stayed bridges was broken with a span of 856m . entailment +He looked for the black moon but could not find it in the dark sky of night . He couldn 't find the moon . entailment +Then , I suppose those of us who support income redistribution wouldn 't look so hypocritical and our grandchildren would have big debts , higher taxes , no trees--and be poor . Those in support of income redistribution would not look like hypocrites . entailment +Will that be good ? Is that going to be sufficient ? entailment +sufficient funding to meet its needs . We already have funding to meet our needs . You contradictory +Others , like Indiana and Colorado , have one service area encompassing the entire state and one corresponding statewide program . Indiana and Colorado have one service area encompassing the entire state . entailment +However , until that happens , other systems will have to pick up what falls through the cracks . Other systems need to compensate because of the failure of this one system - until that happens . neutral +yeah i guess the more you plant the less you have to mow The more you plant , the less you have to mow and you 'll get plenty of vegetables too ! neutral +And we can 't even supply labor beyond those you see here . We have an abundance of labour . contradictory +and realized that that was the first time in my life i had seen trees lose their leaves and uh and course when spring and everything came out again It was the first time I 'd ever seen trees shed their leaves . entailment +He actually does so . He is actually doing . entailment +At the bottom of the church is the starting point for the island 's best-known attraction , the Carrinhos de Monte the unique roller-coaster ride down the hill aboard a wicker toboggan . The collar coaster ride has not opened yet and is not known to the public . contradictory +This capital city of four million is constantly rattled by noise and stifled by dense traffic . The populace of the capital decreased in the last years at 100.000 inhabitants . contradictory +If it 's foodstuffs you 're after , there are some unusual offerings in the Lakes . The lake has james beard winning chefs . neutral +oh you fish upstream You fish up towards the mountains . neutral +An article accuses the press of overlooking John McCain 's domestic-policy gaffes . Jon McCain had a lot of problems with how Bush was handling domestic policy . neutral +Beyond the Numbers Game . Before the numbers game contradictory +The state 's chief judge is seeking a $ 1 . The chief judge of the state is not looking for a lot of money . entailment +Bonnieux juts out over the Coulon Valley . Bonnieux is found just over the edge of Coulon Valley . entailment +i thought that 's the only one that the government does use so The government uses several different types . contradictory +You should assess reliability if the data to be analyzed are intended to support the engagement findings , conclusions , or recommendations . Data must support conclusions neutral +well yeah yeah i would imagine women would understand maternity a lot better than men I think that men know a lot more about maternity than women . contradictory +For anyone who is not here on business , three days , at most four , should be enough to get a good idea of this exhausting city with the possible exception of nostalgics of the British Raj , who will find a wealth of intriguing relics . Most come to the city to shop so three days of spending is probably good enough . neutral +Gods below , whispered Adrin . Adrin stayed silent . contradictory +At the opposite extreme are massive , almost riotous processions of thousands of bellowing , sweat-drenched men fighting to carry a huge portable shrine through the streets to a symbolic destination . The destination for the portable shrine being fought over has no symbolism to it . contradictory +and i don 't know about your part of the country but uh down here in the last year oh year plus i it was last beginning with last year 's Earth Day The country celebrates Earth Day . entailment +At the foot of the castle was Nor ' Loch , a large expanse of water that required draining . There was a desert at the foot of the castle . contradictory +uh right right but we go out occasionally and uh there 's some there 's some good um sort of artsy movies i saw a computer animation festival it was all about computer generated or else um actually it 's just sort of animation in general some were computer generated and some were hand drawn um cartoon like things I saw an artsy movie at a computer animation festival . entailment +now you watch just sure as anything the Japanese are going to come out with a laptop at half the price with more stuff on it The Japanese have more advanced technology than we do . neutral +The Seleymaniye and its extensive complex of attendant buildings was built between 1550 and 1557 , a task that employed around 5,300 labourers and craftsmen . Amazingly , the Seleymaniye was built by a team of only 1000 workers over 10 years . contradictory +Vrenna looked nervous , taking a step back . Vrenna look nervous while taking a step back from the battle . neutral +In the second approach , aggregation would come after all the sites had been charted , and the charts would be used as the data base for aggregation . The charts would not be used as the data base for aggregation . contradictory +Now the largest private shipyard in the world , this was the intended target that the US Air Force B-52 missed when it dropped the second atomic bomb . The shipyard is owned by Mitsubishi . neutral +Then continue to the top of Jakko Hill , where you can see a fine view of the town and valley . Keep climbing up Jakko Hill , since at the top , you can see twenty miles on a clear day . neutral +Time likens her to Clinton 's own once secret consultant , Dick Morris and suggests that Gore may have been keeping her under deep cover . Gore 's consultant was not widely known and was something of a hidden weapon . entailment +I wrote a message on a piece of paper , wrapped it round a stone , and chucked it through the window , continued Albert breathlessly . Albert threw a stone through a window . entailment +He swung the sword easily in his left hand and cracked his neck . He held the sword in his left hand and easily swung it , the force made his neck crack . entailment +pro football okay There is many games of football played each day . neutral +The hotline lost out on a grant from the federal Administration on Aging , which would have provided $ 175,000 a year for the next three years . The federal agency had already used up its grant budget by the time the hotline applied . neutral +We provided an opportunity for 28 federal departments , agencies , and entities ( subsequently referred to as agencies ) , including all of the agencies with presidentially appointed chief financial officers and the President 's Council on Integrity and Efficiency , to comment on a draft of the protocols . We did not provide an opportunity for any federal departments . contradictory +I leave the Senate just as Rep. I left the Senate as a Vice President . contradictory +Good . ' Natalia glared . Natalia scowled at the person who was speaking . neutral +He wasn 't entirely sure , now . He was sure . contradictory +Ca 'daan , that was a child 's tale . A child told Ca 'daan a scary story . neutral +As they passed the third floor landing a young clerk came out of an office . A young clerk jumped out of his office as they walked by . neutral +Historically , a narrow cobbled track transported pilgrims from the port to the monastery , either on foot or by donkey . Riding on a donkey was the preferred method of travel for the pilgrims . neutral +To the contrary , Jacob , he declared . That is true , Jacob . contradictory +and you make sure that you keep up with them for the next time we got one of those kind that have got the Stay behind them , it is not a big deal . contradictory +GWBush.com and another Zack Exley site squeaked by this , and since the campaign couldn 't buy it , they decided to get rid of it . Zack Exley was a domain name squatter . neutral +but uh if it uh gets down between two then i 'll i 'll vote for the party if i know you know something about the other guy or you know they 're both just as bad then i 'll say well I don 't vote by party , but choose the best candidate . entailment +Wherever the original furnishings and decoration were missing , superb appropriate equivalents have been installed . Superb equivalents have been installed in the place of the missing original furnishings . entailment +Cynthia herself . Claire herself . contradictory +were there because they weren 't qualified to do anything else you know and and i got lucky and all of his teachers were very good We 've only had underqualified teachers . contradictory +We have observed that modernizing performance management systems and linking them to agency strategic plans and desired outcomes should be a top priority as agencies seek to transform their cultures in response to existing and emerging challenges and opportunities . Modernization in vital as agencies seek change . entailment +as as well as some other various things that are growing in tropical environments there are different things that grow in tropical environments entailment +yeah i 've heard of them I have heard the name . entailment +nice talking to you too bye-bye It was great to hear from you , I hope we do it again . neutral +well now that 's the card see That is the card involved . entailment +But the real problem with diGenova and Toensing isn 't their pundit addiction or their neglect of an investigation that Democrats would just as soon they neglect anyhow . Both diGenova and Toensing have no personal reason to pay attention to the investigation . neutral +doesn 't have enough depth i don 't think to support him like like Joe Montana got supported with the 49ers I believe that he is very deep and will be as beloved as Joe Montana . contradictory +It marked the ancient border with Nubia to the south and was the conduit for the camel caravan trade in African products such as gold , ivory , and spices . The border is 60 miles long . neutral +Children 's Dublin Adults ' Dublin . contradictory +okay Karen uh you know it always has amazed me and in fact i think i wrote a paper on this in college uh that the national elections uh just have so few people voting in them you know uh maybe uh fifty percent or less of the electorate have you ever thought much about it About half or less vote , but that 's all we need . neutral +The West Virginia project is on a college campus . The West Virginia project is at a circus . contradictory +We would be obliged to give evidence at any army hearing , Captain . There are army hearings where cases in the military were processed . neutral +Jordan warned , some abused women will conclude that they will not be treated fairly if they seek refuge in the courts . Some women are worried about not being treated fairly . entailment +what what with ink oh okay You did it with ink only . neutral +The threat hung in the air , not spoken with anger or boast but direct and full of truth . The threat was direct and full of truth . entailment +Bauerstein had it tested , " replied Poirot quietly . The man made sure trials were conducted on it . entailment +This paper explores the reasons that underlie differences in delivery costs among geographic areas . Deliveries have identical costs in all geographic areas . contradictory +, transportation systems , and sewage and water treatment plants ) . No sewage treatment plans contradictory +Having information on threats and on actual incidents experienced by others can help an organization identify trends , better understand the risks it faces , and determine what preventative measures should be implemented . There were a number of different threats . neutral +well we well well well here you can 't can 't drink I wish I could drink here . neutral +i know i don 't credit cards almost seem unfair to a person who 's who 's got a victim of impulse buying When a person is an impulse buyer , credit cards seem unfair to them . entailment +She barred the Industrialist 's quick movement in that direction . She let the Industrialist pass and continue in that direction . contradictory +Its recommendation to increase pro bono engagement was addressed in 1993 when the Florida Supreme Court mandated pro bono reporting for Florida Bar members . The Florida Supreme Court mandated pro bono reporting for Florida Bar members in 1994 . contradictory +Even U.S. Canada does as well . neutral +right well i know the choice to either work or to be a mother is probably pretty difficult because i think women just naturally tend to have those instincts that you you know you protected the children and you Due to having an inherent need to protect children , it can be difficult for women to make a choice between motherhood and a career . entailment +( Two baseball broadcasters discussed this year 's Series in a Slate Dialogue . The people discussing this year 's Series in a Slate Dialogue were baseball broadcasters . entailment +Built in 1791 and designed by James Gandon as his first Dublin masterpiece , it has undergone thorough renovation and can perhaps be best appreciated from the south bank of the river , though more detail can be seen from the closer vantage point on the north bank . If you 're standing on the north bank , more detail can be seen . entailment +His hand lifted , his fingers dancing . He was absent hands . contradictory +The laws are contained in the Code of Federal Regulations ( 42 C.F.R. The laws are contained in the Code of Federal Ready-meals . neutral +Below , all signs of roads disappear , and it is clear how difficult road-building is in this tortuous terrain . It is hard to build roads in this terrain . entailment +They carry essential goods , just as they have done throughout history . They carry passengers , rather than goods . contradictory +Now the lark was somewhat tense and you could feel it in the air . The lark was , as you might say , " happy as a lark . " contradictory +Still untaken are several steps that required goodwill from local bar associations and others who had opposed the combination . The local bar associations have already taken the necessary steps . contradictory +anyway you know have you ever had a two year olds twins start spitting their food at you at Luby 's you know i mean you 're like going i mean yes Two year olds spit their food out if it doesn 't taste good . neutral +Despite the pain and humiliation , the inmates love the rodeo and feel free for that one day . The inmates hate rodeo day because it is humiliating . contradictory +Skilled labor requirements , specifically for boilermakers , were estimated and have the potential to be the more limiting resource requirement in phase I of the program . Most people are uneducated therefore the requirements are low . neutral +What the hell are you thinking ? ! I should 've practiced my speech . I knew I should have practiced my speech . entailment +You would not take them . You would not accept them . entailment +They may have children in common . It 's possible they have children in common , but it has still to be confirmed by the news . neutral +Executives of leading organizations no longer regard technology management as a separate support function and instead strive to understand how investments in information resources are made and how they integrate with other investments and the overall business vision . Despite pushback , most businesses still insist on leaving information technology to professionals and express ignorance as an excuse when infractions occur . contradictory +The thing was probably another sylph , strong enough to move them in their present reduced size . They were safe . contradictory +changed you know my thinking on this i don 't know i really don 't know my thoughts on this changed pretty suddenly i don 't know neutral +Each of the scenario assumptions are described more fully in the sections that follow . Explanations of the scenarios can be found in the following sections . entailment +it 's at random right no when when i place the call they just you don 't have a choice well you you you had marked on your on your sheet what you had interest in or no interest in or so You don 't get to make choices when you call them . entailment +How are you ? thought Jon . Jon wondered how the person was doing . entailment +At one point , he 'd taken 14 shots and hit only four . At one point , he almost overdosed from taking too many shots . neutral +By the end of the 10th century , he had united his tribal territory , Wielkopolska ( Great Poland ) , with that of another tribe , Malopolska ( Little Poland ) regional names that remain current today . Little Poland is actually larger than Greater Poland . neutral +Unfortunately , the cement used for its construction contained sea sand , which caused the iron reinforcing rods to corrode . Sea salt causes iron to become smooth and shiny . contradictory +The names of many southern towns are longer than their main streets . Many of the streets in the south are shorter than their main thoroughfares . entailment +I adopted a dumbfounded expression . I made a confused expression . entailment +do you know who the guy was that was playing the uh the the wagon driver Do you know who played the driver of the red wagon ? neutral +did you take kids along Did any kids go with you ? entailment +As he faced a firing squad at the end of the day , he shouted out a phrase that was variously reported as Long live holy Germany ! The man was being executed by Germany 's enemies . neutral +GOP leaders have been running with the theme . GOP leaders have abandoned the theme . contradictory +Blumenthal 's face has been everywhere in the last week , and he is clearly enjoying his moment in the limelight , building valuable name recognition for the day when he decides whether to run for governor or senator . Blumenthal 's current fifteen minutes of fame is building recognition that could help him if he decides to run for governor . entailment +Garance Franke-Ruta 's response to Herbert Stein 's Watching the Couples Go By is amusing , but ridiculous . Franke-Ruta 's response to Stein 's Watching the Couples Go By is ludicrous . entailment +Less lucky than the one at Orange , the Roman theater ( th ? ? atre antique ) has been reduced to ruins over the centuries , as builders carted away masonry for their houses , churches , and town walls ' but the remains , in a pleasant park , are quietly eloquent of its noble past and its stage still rings during the Arles Festival ( July ) . Even if the Roman theater was damaged during the time , the stage still rings during the Arles Festival . entailment +and i mean that kind of surprises me i mean you know because once oil gets so you know thick and yucky you 'd wonder how they could you know clean that up enough to use it again but they can Oil doesn 't need to be cleaned up , its good for the planet . contradictory +huh that 's difficult yeah It 's very difficult . neutral +The following is a facsimile : STYLES COURT ESSEX hand written note : July 17th My dear Evelyn Can we not bury the hachet ? The note asked for Evelyn 's forgiveness in putting the dispute behind then . entailment +Like many other inventors before him , professor Slawomir Suwak designed only the things he needed himself . Professor Suwak is not an inventor , but rather a mathematician . contradictory +yeah yeah just because they 're grandparents just yeah just because they 're grandparents that doesn 't automatically make them a good child carer They have a lot of their own issues to be taking care of first . neutral +The principal legislative history accompanying the Act16 chronicled the different access problems GAO had encountered in obtaining records to which it was legally entitled , including aserious access to records difficulties at the White House . B neutral +Morgan died in 1588 before his task was complete , but nature finished what he had Jamaica suffered a powerful earthquake in 1692 , and Port Royal sank into the sea , taking with it many of the treasures stolen from the Spanish . Port Royal didn 't fall or sink . contradictory +And each December , when the networks do all those year-in-review shows , there 'd be swell footage of mighty impressive fatuity . They are very popular . neutral +Other people--employers , students , readers--may say that they need you . No one will say that they need you . contradictory +oh you are uh well that doesn 't leave too much time for a movie That doesn 't give us much time to watch a movie . entailment +Psychology of Addiction Behaviors 1993 Psychology of Addiction Behaviors published in 1993 entailment +The 21-m ( 70-ft ) waterfall was easily accessible from the town , even by ladies wearing the large heavy skirts of the time . It was easy to access the waterfall from the town . entailment +But it wasn 't till I heard that the order for Tommy 's execution came right on the heels of our interview with him that Sunday that I began to tumble to the fact that he was the big bug himself . " " He could not be the big bug as the order for Tommy 's execution and our interview were unrelated . " contradictory +the penalties The fines . entailment +Was he at last convinced of Alfred Inglethorp 's guilt ? Would he now agree that Alfred Inglethorp was guilty ? entailment +Two large wrestlers , symbolic of the first Malla , a strongman , flank the open porch of this structure , and a gilded Garuda kneels on a column above . A stone Garuda that kneels on a column above . contradictory +There are bars , cocktail lounges , ritzy restaurants , modern hotels , and a vast choice of discotheques and nightclubs . You can choose from many discotheques and nightclubs , and there are also bars and modern hotels . entailment +I beg your pardon , Miss Tuppence . Nobody speaks to Miss Tuppence . contradictory +His stay was short-lived however ; the British fleet were after him and inflicted a devastating defeat on the French Navy at the battle of Aboukir later the same year . His stay was very long . contradictory +Better , perhaps , to sort things out thoroughly in the short run , and to prevent even greater devastation for all concerned down the road--even if that means suffering a few casualties , or opening ourselves up to the charge of imperialism.NomadNet , a page on Somalia , Peacekeeping , Relief & amp ; Economic Development Issues run by Michael Maren , has been shut down , but its archives are still open . It 's better to figure it out quickly . entailment +oh yes well that 's about the way our weather is here also Our weather is pretty much the same as Ireland 's . neutral +The Distribution of Inbound Mailby Weight Interval . The Distribution of Outbound Mailby Weight Interval . contradictory +yeah so that was that was kind of a shock I was shocked by that a little . entailment +Pardon me , mon ami , but you did not understand it in the least . Shall I repeat everything from the beginning ? neutral +His statue is said to have special healing powers ; sections of the statue shine with the polish of thousands if not millions of hands rubbing away ailments over the centuries.Finally , inside the massive hall , deep in meditation on a massive podium within a ring of giant lotus leaves , is Nara 's celebrated Daibutsu , or Great Buddha . Millions of people have come to rub the statue . neutral +Located on the beach , this is an ideal place for lunch or a sunset drink . This Hawaiian resort is located right on the beach in a perfect location . neutral +Some participants believed that separation of the CEO and chairman of the board positions recognizes the differences in their roles and eliminates conflicts in functions . The CEO and chairman of the board positions can be separated to eliminate conflicts in function . entailment +One such demand was that a method developed for understanding the particular had to be modified for learning about the general . Practices for studying the particular have had to be modified to understand the general . entailment +This is a major funding crisis for legal aid throughout the state , said Jamie Hamon , executive director of the Access to Justice Foundation , a statewide poverty-law resource center in Lexington . Jamie Hamon does not believe that there is a major funding crisis for legal aid throught the state . contradictory +'We 'll never make it through all of this ! ' I shouted . There were enemies all around us . neutral +Does he have some problem with the quality of Jews being produced in America today ? He doesn 't have any issues with Jewish Americans ? contradictory +It was a major funerary site of the ancient Egyptian Pharaohs ( c.3100 2755 b.c. ) and early mastabas can be found all around the site . Egyptian Pharaohs lost their power in 2755 b.c. neutral +and uh you know they try to play public 's opinion which i think is awful because it usually works The public is easily fooled . neutral +Time to Go We leave now . entailment +Rich farmland , vineyards , and dense forest , with the protective Vosges mountain range on one side and the great Rhine river on the other , combine to make Alsace a nicely self-contained and comfortable region . Alsace is nestled between farmland , vineyards , forests , the Vosges mountain range , and the Rhine river . entailment +The Covenanters , as they were called , at first sided with Oliver Cromwell 's Parliamentarians in the civil war that had erupted across the border . The Covernanters later left Oliver Cromwell 's side during the war . entailment +An afternoon traditional cream tea or English roast lunch or dinner is an experience in itself . Afternoon cream tea or English roast lunch are forgettable experiences . contradictory +We are at one then , said Poirot , " for I , too , want to hang the criminal . " Poirot says he wants to hang the criminal , too . entailment +The unit costs ( expressed in seconds and normalized as explained ) are estimated by an engineering model19 to allow for simulations over variations of traffic . Unit costs are expressed in hours . contradictory +Use of traditional Scottish materials such as silver and stones such as carnelian or agate make for unique pieces . Unique Scottish pieces are often made from materials traditional to them : for example , silver . entailment +From Table 6-7 , the estimated capacity of catalyst supply is 87,300 m3 / yr . The estimated capacity can be found in table 6-7 . entailment +And we shall find Tommy . We will find Tommy . entailment +Tokugawa Takes All All Tokugawa Takes . entailment +yeah see that 's one of my biggest gripes about Texoma as many times as we would go up there it 's it 's so rough We enjoy seeing the scenery on the drive up to Texoma . neutral +I am not going away on my own accord . There is no way I will leave on my own . entailment +The metal belt hanging over the roof is a pataka , a sort of hot-line to speed prayers heavenwards . A pataka , a metal belt , hangs over the roof to help conduct prayers heavenwards . entailment +But she 'll come round right enough . She never deviates her original thought . contradictory +Now , James 's monthly house notes have dropped from $ 796 - more than twice her monthly income - to an affordable $ 247 . James has seen a significant decrease in her mortgage rates . neutral +Strong systems of internal control provide reasonable assurance that programs are operating as intended and are achieving expected outcomes . Weak systems of internal control provide reasonable assurance . contradictory +One leaf of the massive door folded back to allow in a small party of horsemen . The door opened to let in a small group of horsemen . entailment +We showed you today 's cover , then our table of contents , and you eventually clicked on the Webhead link . You eventually clicked on the Webhead link . entailment +Slim dressed quickly , gladly confining his morning wash to the momentary sprinkle of a little lukewarm water . Slim took a long shower . contradictory +Luis Vaz de Camees ( 1524 1580 ) , the Portuguese national poet whose work immortalized that country 's golden age of discoveries , may have stayed in Macau . It is quite possible that Luis Vaz de Camees stayed in Macau . entailment +i just had mine done for the first time last week yeah I am familiar with it as I have done it countless times contradictory +It 's been a great planet . The planet had been good . entailment +Capital transferred to Byzantium ( Constantinople ) . Byzantium was a small town of little historical importance . contradictory +To bring integrity and decency to the process and to serve for the right reason , which is country above self . They put themselves first no matter the situation . contradictory +and the lyrics aren 't as uh inspiring if you want to call it that The lyrics make you want to do something about it . contradictory +However , the Court has since explained that the Rust counseling activities amounted to governmental speech , sustaining view The Court found that the Rust counseling activities did not amount to governmental speech . contradictory +Yet it seems possible that one reason Jewish acts of vengeance were relatively few was simply that the Nuremberg trials existed . Jewish people didn 't feel vengeful after the Holocaust . contradictory +How odd that John Gielgud and the Smithsonian are fighting with one another , since they are , in many ways , so alike . John Gielgud and the Smithsonian have many similar characteristics . entailment +A pretty mare 's nest arresting him would have been . " He turned to Inglethorp . Arresting the man would have turned out very well , he exclaimed . contradictory +The fairytale Alcazar , Segovia 's incomparable royal castle , was erected in a strategic spot , on a ridge overlooking the confluence of two rivers , with an unimpeded view of the plateau in all directions . Alcazar has no good views , sadly . contradictory +Department of the Treasury and other public and private organizations . The Secretary of Transportation and other public contradictory +Amateur meteorologists , for example , make chitchat at two Usenet newsgroups devoted to general weather ( sci.geo.meteorology and uk.sci.weather ) . uk.sci.weather is mainly a place for programmers to chat . contradictory +i don 't know what 's the largest fish you ever caught You 've never caught a fish . contradictory +However , the Departments indicate that the rules have been designed to be the least The Departments do not recognize anyone 's authority to constrain them with rules . contradictory +do you know of any incidences of of of uh erroneous Are you familiar with any errors the machine may have made . neutral +Programs and state justice communities seek guidance on the intersection of race and poverty from national experts and focus on these issues in local , regional and state contexts . The community was glad to hear that guidance was being sought . neutral +We long ago decided to ignore the poet 's counsel and took the road more traveled . Taking the road more traveled was a dangerous one , so we took the other one . contradictory +In Fruges take the small D130 southwest toward Crequy , following the valley of the tiny Crequoise river back down to the Canche . If you were to follow the Crequoise river you would make it back to the Canche . entailment +54,000 ( 88 km / 55 miles northwest of Madrid ) The town is 55 miles NW of Madrid . neutral +Don 't lie on the floor - reach for the ceiling ! Don 't reach for the ceiling , lie on the floor instead ! contradictory +Look for silver filigree earrings and brooches , often in the form of flowers or butterflies . Brooches are not designed in the shape of butterflies . contradictory +on Late Edition , citing the Serb surrender to the Dayton peace conference as an example . The Serb 's movement was growing increasingly violent . neutral +And what makes Chatterbox think he knows all about the Clintons ' chilly business deal either ? Chatterbox thinks he knows everything about the Clinton 's business deals . entailment +but i i do think that it would scare some people from doing things you know they 'll think about this and say hey i don 't think so This won 't stop people from doing bad things , it 's useless . contradictory +What exactly is the question ? What does this question imply , and why did you ask it ? neutral +That would force groups to drop some advocacy work and thus serve fewer people . It would make groups stop advocacy work . entailment +and they i know they and well they had well they had they had seen it coming so so i mean it i mean i i i i hardly i i truly wish that if something like that were to happen that my children would do something like that for me I wish my children would do something like that for me . entailment +The AICPA standards define a material weakness as a reportable condition in which the design or operation of one or more of the internal control components does not reduce to a relatively low level the risk that misstatements caused by error or fraud in amounts that would be material in relation to the financial statements being audited may occur and not be detected within a timely period by employees in the normal course of performing their assigned functions . A material weakness is defined as a reportable condition in the AICPA standards entailment +Did anyone remember to tape 20 / 20 for me last night ? I don 't want to watch 20 / 20 . contradictory +Buchanan also traveled to Minnesota in June to kiss Ventura 's ring . Buchanan went to Texas . contradictory +There is something artificial even about this heart of mine , he wrote in 1886 . He implied that he was faking his feelings . neutral +yeah that 's that 's great yeah That sucks so bad . contradictory +Increased Particulate Air Pollution and the Triggering of Myocardial Infarction . Myocardial Infarction is Triggered neutral +The postal revenue decreases by e of a cent times the 20 billion pieces , but the postal cost decreases by 4a time the 20 billion pieces . The revenue of the postal service will decrease per piece . entailment +hum-um mine don 't either mine don 't either they have um my mom has a uh has a MasterCard and a Visa card and that 's it Whenever I walk into my mom 's house , credit cards start flooding out . contradictory +After the treaty , they will fall into one of two 1 ) those that suffer economic sanctions and a clear-cut stigma , and 2 ) those that have agreed to allow short-notice inspections of any suspicious site in their territory . After the treaty , there are five possible ways the situation could go . contradictory +A mere half-hour 's drive from Bologna on the autostrada takes you to this stronghold of the high-living d 'Este dukes archetypal scheming , murderous , lovable Renaissance villains who ruled from 1200 to 1600 . The stronghold is an hour 's drive from Bologna . contradictory +This tax-cutting initiative , which he is readying for the November 2000 election , will cap annual property-tax appraisals at 2 percent and exempt vehicles from the property tax ( on the long shot that the government might start taxing cars as property ) . There is no initiative being prepared for the November election . contradictory +In the following year , however , civil war broke out between the supporters of Michael Collins and Arthur Griffith , who had signed the treaty , and Eamon De Valera 's followers . Followers of Michael Collins and Arthur Griffith clashed with followers of Eamon De Valera . entailment +You , with your views ! " I do not agree with your views . neutral +and and there 's something about listening to water run that 's relaxing to the soul I hate listening to running water . contradictory +oh yeah i think we 're getting quite a put it this way i think no i think the people are revolting themselves and we 're It 's my opinion that the people are rising up . entailment +The staff are friendly and helpful , and there is a small tearoom . The staff are rude and unhelpful , and there is no tearoom . contradictory +called The Trail of the Spanish Bit and it 's called The Spanish Bit Saga The Trail of the Spanish Bit is different from the Saga . contradictory +The estimated steel requirement for a 500 MWe ACI system is indicated in Table 4-1 . In Table 4-9 there is the approximate steel requirements . contradictory +You can 't tell me they don 't back him every chance they get . They never back him , never in the past at least . contradictory +Since you are so kind , let us go and have some breakfast . " Every one was assembled in the dining-room . Everyone had gathered in the bathroom for dinner . contradictory +i mean a lot of people bitch and moan about the taxes and all but are so are they willing to pay for you know Lots of people complain about taxes but will pay more if it means education will be improved . neutral +Sky 's the Limit guide service can arrange climbing trips of nearly any duration . The Sky 's the Limit guide service has a lot of climbing trips . entailment +Back on the road to Jaisalmer , one last splash of color delights the senses before you plunge into the the fields are dotted with mounds of red hot chili peppers . The fields near the road to Jaisalmer are full of mounds of hot chili peppers . entailment +Bottom fishing may get you grouper , tarpon , mahogany or red snapper , parrotfish , grunts , and , rarely , African pompano . Parrotfish are only caught on the surface . contradictory +The shrines are most easily reached from Nagoya via the Kintetsu Railway to Uji-Yamada Station . The shrines can easily be reached from Nagoya using the Kintetsu railway . entailment +Still , if thinness really becomes the ideal in every affluent culture--the way plumpness is in poor societies--it 's curious . Thinness is the ideal in some cultures , while plumpness is in others . entailment +and and it 's not it 's not just that it 's uh the whole thing about you know if if you 're trying to concentrate well it 's rather hard sometimes it 's almost impossible to do Sometimes it 's hard to focus on the writing . neutral +Jerusalem 's quintessential dairy restaurant , serving excellent vegetarian and fish dishes in a typical , beautifully restored and decorated Jerusalem golden-stone house , with garden patio . It serves lots of vegetarian items . entailment +Who can I report disaster fraud to ? The person can report disaster fraud to the officials in the local state . neutral +The park has 26 sq km ( 10 sq miles ) of reef , sea-grass , and mangrove swamps and covers an area west of the town to the site of Montego Bay airport . The park covers 5 square miles and is located east of the town . contradictory +a story where he went to visit some little uh elementary school students and stuff did you see that where he the guy asked him for proof of who he was and he showed his license Did you see that , when he visited some little elementary school students or such , the guy asked him for proof of who he was--and he showed his license ! entailment +Visibility Benefits Visibility costs . contradictory +Elvis knows this is an obsession of mine ; in Sunday 's Chicago Sun-Times I published a long article that questions widespread beliefs about the Texas Instruments digital projection system and extols a much cheaper film projection system called MaxiVision48 , which uses existing , proven technology , and produces a picture its patent holders claim is 500 percent better ( not a misprint ) than existing film or digital projection , take your choice . Chicago Sun-Times published a long article that questions beliefs about Texas Instruments . entailment +That was the shadow in the pool . There was a shadow in the pool . entailment +Julius was interested . Julius was nosey and had to know . neutral +Tommy recognized in him an Irish Sinn Feiner . Tommy knew him from Sinn Fein . entailment +yeah when i was a little kid i saw The Incredible Journey on Christmas Eve and it was so good I never watched The Incredible Journey when I was little . contradictory +Its environmentally-sensitive development of the Costa Smeralda is a mecca for Europe 's yachting set and August sees its limited five-star hotels booked months in advance . Costa Smerelda has very exclusive things that people that own yachts like , like 5 star restaurants . neutral +Medieval penitents traced its path on hands and knees , from the circumference to the center , a symbolic spiritual journey . There is a symbolic spiritual journey of Medieval traces . entailment +'Calm down , ' Derry hissed . Derry told the animal to calm down . neutral +Also in 1996 , other new requirements were adopted governing what legal services programs can do and whom they can represent . New requirements were adopted in 1999 . contradictory +These are terrible ideas ( to find out why ) , but without them the notion is simply empty . The notion can do without these terrible ideas . contradictory +Annie was a fine , strapping girl , and was evidently labouring under intense excitement , mingled with a certain ghoulish enjoyment of the tragedy . Annie was directly involved in the tragedy that happened . neutral +yes so yeah um i 'm i 'm like you i i use my only use my credit card for um you know when i you know i just use it whenever i feel like i don 't want to write a check and then but i don 't charge anything that i can 't payoff at the end of the month You can use my credit card , but only within my budget entailment +She 's All That was made for a $ 10 million budget and has already grossed nearly $ 60 million . She 's all that is a cute and quirky comedy . neutral +It comprises the palace , abbey , and park along with their historic attractions . A compound has several locations with historic attraction . entailment +CAGE , AUDIT , and TWEAK were the best tests for alcohol dependence among women . Some tests are better for testing women for alcohol dependence . entailment +( Audio and video samples and photos are available on the official site . ) On the official site , there are samples that come in the form of audio , video and photos . entailment +so it 's it 's pretty pretty much but i think it 's divvied up pretty much too uh the county gets some the city gets some and the state gets some It is pretty much all divvied up . entailment +of the summary to management of the audited entity to verify that the comments are accurately stated . summaries verify the comments are stated correctly . entailment +Our target audience includes senior federal executives and managers , although our observations can also provide insights for senior information management officials throughout the public and private sectors . The study 's target audience are the administrative staff and the custodial staff . contradictory +yeah you it 's it 's hard sometimes at work because you know people say oh we 're taking a cruise we 're going here we 're going there you know because they have a lot more money It 's hard at work because it makes me wish I had more money but I 'm very poor . neutral +Of course , we 're still in the solar atmosphere , even there , with the Van Allen belts and such things . We 're not in the solar atmosphere there anymore . contradictory +You may well get sprinkled by sea spray as you walk along the rocky bluff to the large cement croseerected ( between 1947 and 1951 ) at the summit . You will get wet from the sea spray . entailment +and sometimes i think it too much trying to figure out who 's going to get the best headlines and that they 'll run a topic into the ground THey spend a reasonable amount of time trying to get the best headlines . neutral +It is not just hats but entire wardrobes that fail to denote magnificent The modern rich dress like business executives during the day and like pop stars at night , if indeed anyone is wearing anything other than sneakers and jeans . The modern rich often wear Nike branded sneakers . neutral +You 're a genius too . You 're very smart . entailment +uh-huh uh-huh we have some people that have done their lawns and and uh Some people decorated their lawns for Christmas time . neutral +only in Ohio That type of events only happens in Ohio . entailment +Figure 3.1 is a flow chart illustrating saving 's central role in providing resources to invest in the capital needed to produce the nation 's goods and services . Figure 3.1 contains a flow chart in relation to finance . entailment +While other quarters are known for their palaces and churches , Montparnasse ( named after a 17th-century gravel mound since removed ) has cafe and bars for its landmarks , most of them along the Boulevard du the Closerie des Lilas ; the Select , a Henry Miller hang-out ; the Coupole , favorite of Sartre and Simone de Beauvoir ; the D ? ? me ; and the Rotonde . The Select is the oldest eatery in the area . neutral +I backed up , toward the kitchen counter . The kitchen counter was behind me . entailment +Handled in this way , the rates might turn out to be 17a and 23a . The rates could possibly turn out to be 17a and 23a if handled this way . entailment +it tears apart families it really it it it just the biggest fights The fights tear apart families , just the biggest fights , though . entailment +Albert , still round-eyed , demanded breathlessly : " One of the flats ? " Tuppence nodded and jerked a thumb up the stairs . Tuppence let it be known that Albert could find what he was looking for in one of the flats . entailment +An interesting case , a very interesting case . The man states that it 's an interesting case . neutral +Fortunately , the whole family can enjoy a hint of the thrills of undersea swimming . Only adults can enjoy undersea swimming . contradictory +The Committee 's members included telephone equipment manufacturers , employers , hospitals and nursing homes , hotels and motels , persons with disabilities , and an FCC representative . The FCC representative was the most respected member of the Committee . neutral +I had counted the cups carefully , in the event of one having been removed . One of the cups had been removed that day . neutral +A good case study presents the findings and conclusions for other studies on the same issue . Other studies should not be included as they can cloud the case study 's purpose . contradictory +Shiva , as Pashupati , is the lord of the animals and the guardian of Nepal . Shiva is only an acolyte in Nepal and serves at the pleasure of the lord of animals . contradictory +And anecdotes usually don 't show the reasons for a situation , and thus are of limited value in suggesting solutions . The anecdotes would be better with reasons . neutral +Now the home of the national ballet company , the house was renovated in 1995 . Renovations of the building were done in 2017 . contradictory +" He never had any patience to lose . He was very impatient . entailment +The Shopping Avenger right away made contact with the Super 8 executive offices . As soon as was possible , the Shopping Avenger got in touch with the executives at Super 8 . entailment +GSA reported that from January 1995 through September 2000 , almost $ 823,000 was saved under the program , and employees received about half that amount in cash awards . The program saved money by slashing spending on electricity in the office . neutral +But it isn 't true . There is evidence to prove that it is not true . neutral +E-books are going to evolve . E-books will evolve because books are no longer popular . neutral +There was a pathetic scene a few weeks ago in Los Angeles , home to several respected labor-community initiatives . The scene in Los Angeles was incredible and proud . contradictory +None of the others complained . They were all complaining . contradictory +But Sabah boasts the fastest-growing tree in the an acacia-like Albizzia falcataria , which was clocked from germinated seed to almost 11 m ( over 35 ft ) in just 13 months . The tree species Albizzia Falcataria can only be seen in Sabah . neutral +oh well anyway so what 's your next purchase supposed to be I do not care what you are going to buy next . contradictory +Figures which the Results Group deemed too soft to be used in 2001 will eventually be moved to the reliable column . The results group wanted to have more rough figures . neutral +Rubbish lay everywhere- discarded debris and detritus , a carpet of party streamers . There was garbage covering the floor . neutral +The artifacts in the museum come from archaeological sites around the country and they will add a great deal to your understanding and appreciation of ancient Egypt . They don 't let you see the artifacts . contradictory +yeah i 'll agree with you there i 'll agree with you I can definitely agree with you on that point . entailment +For the best views of the city try the Menara Kuala Lumpur or communications tower which opened in July 1996 and rises to 421 m ( 1,381 ft ) on the western edge of the district . The communications tower , sadly , does not offer a nice view . contradictory +But for a married man to have oral sex with a woman employee less than half his age in the Oval Office --I can 't claim not to be offended by that . I don 't care what a man does . contradictory +For fabrics , also try Western Market , Morrison Street , in Central . There are no fabric stores on Morrison Street . contradictory +Because scenario A characterizes existing program and technology performance , no additional funds are required to drive that scenario . scenario A characterizes existing program and technology performance . entailment +Can a Sandshrew , a specialist in ground fighting , beat a water Pokemon like the Poliwhirl ? There will be a fighting contest between Sandshrews and water Pokemons . neutral +yeah it does considering that you know you uh house payments are not a whole lot more than that The house payments are really expensive . contradictory +Over the last 30 years , we have made substantial progress towards improved environmental quality under the Clean Air Act . The Clean Air Act has made progress over the past three decades . entailment +well no not really i need to it it looks so bad you can see where those spackling marks were i need to uh either paper back over it or do something You can 't see any marks and it looks great . contradictory +i you can 't yeah yeah we can 't get involved in their civil war um unfortunately but we 've kind of driven these people out We need to get involved in the civil war immediately . contradictory +it is this is muggy today like it wants to rain but it don 't know what it wants to you know for this time of year It 's sunny outside , as expected . contradictory +A tenured professor of English at Rutgers has refused the university 's request that she take a neurological exam . A professor at Rutgers agreedto take the exam they wanted her to take . contradictory +Congress , led by Newt Gingrich , had cut federal funding for such services across the board . The congress is not leaded by anyone at the moment . contradictory +It 's just-- " I am worried about you . neutral +uh-huh we haven 't bought any shrubs shrubs yet hopefully i think we 've almost waited this too late this year now to start putting in anything of any size We did not choose any shrubs to buy yet despite our location 's availability and now it 's almost too far in the year to plant . neutral +because it certainly wasn 't sustained We 're hoping to make it sustainable in the future . neutral +The Giudecca takes it name either from the Jews ( giudei ) who lived here prior to the Ghetto 's founding or from the giudicati , nobles banished here by ducal judgment . No one knows exactly where the name of the Giudecca comes from . entailment +If so , it seems to have worked . It seems to have worked if so . entailment +Best DOD Training Can Do More to Help Weapon System Programs Implement Best Practices . DOD training involves firearm care and safety in the war zone . neutral +In the center of the terrace is Georgian House , owned by the National Trust and restored in period style to show the workings of a typical Georgian household . The house is stunning and immsculate . neutral +But , look here , Bauerstein had had it analysed already ? Bauerstein has not seen it yet . contradictory +yeah that 's that could be true too That is completely false . contradictory +employees that there are and yet they 're so important I am friends with the employees . neutral +yeah it seems anymore for cars or they want want so much to work on a car we 've had our car in the dealer or our van and they want they charge like forty five dollars an hour labor Dealers charge a lot to work on our van because it 's old and parts are hard to find . neutral +Less than two months after Louisiana won its statehood , the United States went to war with Britain for the second and last time . Louisiana became a state after United States and Britain went to war . contradictory +But I shouldn 't be caught . I shouldn 't be caught because there 's no evidence . neutral +Seagaia Ocean Dome , the largest indoor water park in the world , comprises an artificially landscaped beach complete with palm trees and a giant wave pool to complete the illusion of a tropical paradise . Seagaia Ocean Dome is the world 's second largest indoor water park . contradictory +2 ) No , the only reason he had said the Antichrist must be Jewish is that Jesus was Jewish , and the Antichrist is supposed to resemble Jesus . Jesus was only Jewish because he decided to convert . neutral +5 component species and PM10 ) at each grid cell . Each grid cell has PM12 ) , in addition to its 5 component species and PM10 ) . neutral +oh that 's cool how long did you live there That 's awful . You didn 't even live there . contradictory +By allowing the local pride of such historic regions as Provence , Normandy , Brittany , and Langue ? ­ doc to reassert itself , France demonstrated that it was at last secure in its national identity ' so secure that French citizens even began carrying European passports . France restricted local pride in certain regions , showing that it was insecure in its national identity . contradictory +and i guess i 'm just not smart enough to figure that movie out that was just uh uh I am still yet to watch that movie . contradictory +yeah that 's you know None of this is the case . contradictory +right and you know there 's not going to be those adding mistakes that we all make you know there will still be a lot of those common adding mistakes contradictory +Anyone who meets the age requirement can call the hot line , but hands-on legal counsel goes first to people with the greatest financial or social needs . The hot line can be called by anyone who meets the age requirement , but hands-on legal counsel goes first to people with the greatest financial or social needs . entailment +MLS doesn 't know whether it wants to be a very expensive world-class soccer league or a very charming second-class one . MLS is not sure whether it wants to be a very expensive world-class soccer league or a charming second-class one . entailment +so it 's been uh it 's been almost a year i guess since i 've actually uh swung a club for a purpose It 's been close to a year since I 've used a club . entailment +Come with me , said Thorn in a voice that left little choice . He sounded strict but was secretly soft heartened and concerned about them . neutral +Why 'd we take him along with you hanging on in a faint if he were dead ? We have to bring out what we take in . contradictory +Now here Drew was , half the continent away from Gainesville and Tennessee , wearing Anse 's spurs and half of Anse 's name to find a father he had not known was still alive , until last year . Drew had traveled hundreds of miles on his horse . neutral +identified the management of student financial aid programs , with more than $ 150 billion in outstanding student loans , as being at high-risk to waste , fraud , abuse , and mismanagement . The student aid program has more than $ 150 million in outstanding loans . entailment +These are just some of the issues facing anyone wishing to understand Japan if such a thing is indeed possible . Japan is easy to understand . contradictory +Afraid I said some things to Emily she won 't forget or forgive in a hurry . I was really mean to Emily . neutral +talk to you later Janet bye-bye Talk to you tomorrow , Janet . neutral +First , they used an evolutionary approach to product development by establishing timephased plans to develop a new product in increments based on technologies and resources achievable now and later . Product development was approached as a process that would create a product over time . entailment +I 'll meet you there later . I 'll never meet with you . contradictory +I didn 't see how I was ever going to get hold of you alone . How I was ever going to get hold of you alone ... I didn 't see it . entailment +Worse yet , large insurance discounts are illegal in many states . Even worse , certain states have made it illegal to get large insurance discounts . neutral +Third , there are arguments that worksharing discounts are needed to send signals to mailers that allow the mailers to decide whether they or their agents can do the work for less than the postal service . Worksharing discounts will send signals to the mailers to decide if they can do it cheaper than the post office . entailment +Nurse Edith left with a patient to-night also . ' The nurse left by herself . contradictory +In 1996 , the surging Partido Popular , led by a decidely uncharismatic former accountant , Jos ? ? Mar ? Ρ Aznar , was elected , forming the first conservative government in Spain since the return of democracy . Conservatives won every Spanish election after the return of democracy . contradictory +For 10 months that I was running for president you ignored me . You ignored me while I was running for president . entailment +The Florida Marlins won the World Series . They became the first wild-card team and the youngest club ( they were founded five years ago ) to win the Series . They were excited to win . neutral +Instead , somehow , you find yourself at the Central Park Zoo . You are flying in an airplane instead of being at the Central Park Zoo . contradictory +That is true of Cabinet secretaries as well as of taxi drivers . Cabinet secretaries and taxi drivers have absolutely nothing in common . contradictory +It was lauded as the best island resort in the world for years , and it is still one of Hawaii 's premier oceanfront resorts , with a vast art collection , a great beach , a major golf course , a loyal staff , and a style all its own . It has a vast art collection in the resort . entailment +Drawing Valid Meaning from Qualitative Some Techniques of Data Reduction and Display . This is a paper , or report , on Drawing Valid Meaning From Qualitative Some Techniques of Data Reduction and Display entailment +Men pray to the left , women and children to the right . It 's an ancient tradition for men to pray separately from women and children . neutral +oh yeah they 're you know they say that they can 't uh inflict cruel cruel and unusual punishment but boy what is that knowing that any day the shoe could drop i mean yeah uh-huh It 's unlikely that they 'll face any consequences . contradictory +Now a training vessel , it is open to visitors on guided tours . Visitors can take guided tours on the vessel . entailment +Come back and help our ' clever , young and unsullied ' prime minister in his desperate struggle to keep Labour trendy after nine months in power , it said . It said that the young prime minister should receive help . entailment +The best way to start this walking tour is to get a cycle rickshaw or taxi to take you to Durbar Square . Taking a cycle rickshaw or taxi to Durbar Square keeps you from getting tired before you even start the walking tour . neutral +i get i i i would probably find him an order of magnitude more capable than Quayle Gore is least an order of magnitude more capable than Quayle has ever been in his life . neutral +oh really the whole length or uh Oh the entire length ? entailment +Visit Burano to see intricate laceware being made in the time-honored manner in the island 's small museum . intricate laceware is made in the time-honoured manner in Burano entailment +Visitors should be sure to stop at the huge bronze incense burner in front of the hall , to bathe in the smoke an observance believed to bestow a year 's worth of good health . The incense burner is made of gold contradictory +A case is defined as the provision of permissible legal assistance to an eligible client with a legal problem , or set of closely related legal problems , accepted for assistance supported by LSC or non-LSC funds in accordance with the requirements of the LSC Act , regulations , and other applicable law . Clients who receive legal assistance , but aren 't supported by LSC funds , may still qualify under this definition in certain instances . neutral +Advances in one specialty do not necessarily affect the practice of another . The practices of the specialties are all interlinked . contradictory +In the stormy 15th and 16th centuries , Lucca 's proserous silk merchants preserved the peace by intercepting enemy armies and paying them to bypass the town . Silk merchants used to preserve the peace by paying enemy armies to bypass the town . entailment +The analysis so far suggests the following possibilities for further The analysis so far does not suggest any additional possibilities . contradictory +But the McCain hagiography is not harmless . The benefits of McCain 's hagiography outweigh its harms . neutral +oh but i still feel good the minute i put that paint on even if it has got a dent in it i do A dent does not stop me from enjoying the act 0of painting . neutral +but u h they 're kind of fun to to try get a get a few and then throw them in with the rest of your salad sometimes I think it is boring to prepare a salad . contradictory +The purchase of the building on A Street in downtown Oxnard also signals California Rural Legal Assistance 's intention to establish roots , said its leaders . The took the real estate purchase as a sign that they were there to stay . entailment +Sorry , but with a 1-1 correspondence , why exempt the mechanism ? Sorry but I don 't understand why the mechanism should be exempt ? entailment +and uh i especially liked the prescription especially since my children tend to have ear infections all the time that those prescriptions can be very expensive Certain prescriptions are more affordable than others . neutral +Promote Organizational Credibility Encourage Organizational Trustworthiness . entailment +Your nephew risked much to find us , said Jon . Jon said your brother didn 't even try to find us . contradictory +These are promising and admirable ideas--modest solutions to a modest problem . There are no ideas . contradictory +I can 't believe that the director , Sam Raimi ( The Evil Dead , 1983 ; last year 's A Simple Plan ) thought that all those scenes of Costner and Preston staring into space while the piano plinks would end up in the final cut , but Raimi apparently gave up control of the final cut for the sake of making his first , real mainstream picture . Rami directed The Evil Dead . entailment +The really disconcerting thing about Bryan 's decision , though , is that it seems so blatantly to be more about gaining the favor of Wall Street than about improving the performance of the company . Bryan 's decision is an attempt to gain the favor of the government rather than about improving the performance of the company . contradictory +The windows of such department stores as Wako and Mitsukoshi are works of art . Wako and Mitsukoshi department stores have windows that are considered as works of art . entailment +Slim said , " That 's no secret . Slim wrote down , " That is a secret . " contradictory +Visitors should be wary of incoming tides , which can move very fast . Many have died from not being careful around fast incoming tides . neutral +But the court-mandated castration proposed in Florida , California , and Montana raises serious problems . The proposed mandatory castration in several states raises huge problems . entailment +But they 'll get used to it . That kind of treatment can become your second nature . neutral +'Hmmm . ' Ben grunted . Ben spoke clearly . contradictory +Being a vital strategic point in the trade routes between Egypt and Syria , it was fought over , razed , and rebuilt so many times from the period of ancient Mesopotamia onwards that its name became synonymous with war and destruction . It was destroyed and rebuilt no fewer than seven times , but this is only an estimate . neutral +i mean some things are just so cut and dry um in the in you know the the level of evidence that they come up with now i mean you know when you start thinking about well they 've got videotape and the evidence shows everything , the video clearly shows the suspect shoplifiting neutral +you know and then uh my uh husband was with them at night I was not with my husband last night . neutral +Also , under full automation , fast pay could be eliminated in most situations . Implementing full automation requires fast pay be enacted . contradictory +On the second floor , in 1588 , her son Henri III used not poison but a dozen men armed with swords and daggers to do away with his archrival , Duke Henri de Guise . Henri III poisoned Henri De Guise . contradictory +I think so , Coronel , Drew returned shortly . No definitely not , Coronel . contradictory +Turn right and head for the Old CitySynagogue Quarter . Make a left turn and head towards the center of the city . contradictory +The overall employment outlook for boilermakers should be quite good , considering the work created by a multipollutant initiative and the work on new power plants that is projected over the next 20 years . The next 20 years show great prospects for boilermakers thanks to a multipollutant initiative and the construction of power plants . entailment +and very efficient i mean it it control you know it it controls its own process it burns it reduces the amount of fuel that 's required in order to get out the fuel at the other end um so far they 've demonstrated it on a uh garage size unit that this guy invented they 're currently looking for funding to build a larger scale and i saw this about three months ago It can reduce how much fuel is used . entailment +Slate in four of the site 's markets ( the Democratic and Republican presidential races , the battle for control of Congress , and the U.S. Slate has different markets . entailment +Rebbe Schneerson said it last week , two days before Christmas , because he was feeling so goooooood . Rebbe Schneerson was in a great mood before Christmas . entailment +Other learning experiences include course work , such as Elements of Product Cost , in which participants analyze and use cost element information to support decisionmaking related to improvement efforts , ensuring that resources are applied to those activities that return the greatest benefits and provide the highest value to customers . Learning experiences included things such as elements of product cost . entailment +Efforts to shelter the Allies and smuggle them off the island in small groups from isolated south coast beaches were remarkably successful . Some of the Allies were sheltered and then smuggled from beaches on the south coast . entailment +yeah to to actually support it you know it would be just like saying that you know what are what are you crazy i mean there Supporting it would mean you 're crazy ! entailment +Chronic Illness It is not possible for ilnesses to be chronic . contradictory +Statistical sampling allows conclusions to be made about ( 1 ) the universe of invoices from which the sample was selected and ( 2 ) the procedures in effect used to process all invoices in the universe . Conclusions made using statistical analysis are more accurate . neutral +Hawaiian legislators decided to give domestic-partnership benefits to gay couples instead of letting them marry . Legislators fought to give gay couples all the benefits straight couples got . contradictory +Narrow streets southeast of the Campo de ' Fiori take you to the Jewish Ghetto near the ruins of the ancient Roman Theater of Marcellus ( Teatro di Marcello ) , architectural model for the Colosseum . The Roman Theater of Marcellus was built after the Colosseum . contradictory +I will go with you . I will go with you to the store . neutral +possibly but that 's that 's uh one in a million shot if they have the talent to be in the NFL they 're going to get drafted and make a pro team there aren 't going to be too many people that that 'll make uh the NFL out of uh WWALF If a player hasn 't made the NFL by now , then showcasing their talents in the WWALF probably isn 't going to get them their either . neutral +To be commended . The medal was given out to commend him . neutral +Keeping up with the latest in discos and clubs can be a full-time job for professional night- there 's no point in turning up before midnight . At nighttime there is no attraction here , you can only sleep . contradictory +REQUIRED SUPPLEMENTARY STEWARDSHIP INFORMATION ( RSSI ) - The category defined by the Board for reporting information required by the stewardship standards . RSSI is defined by the board to report information . entailment +Grand but run-down buildings , with fading flamingo-pink and lime-green faaades and ornate columns , flank a raised promenade of laurels , gas lamps , and marble benches . The buildings are impressive but are not in the best state of repair . entailment +The jungles , especially in the Cameron Highlands , were once the strongholds for rebels during the Emergency , so some caution is required when venturing into undeveloped areas ; good maps are a must , and on occasions a guide would be recommended . Caution is required when venturing into undeveloped areas . entailment +Postal Service 's long-standing challenges in labor-management relations illustrate the importance of having a shared set of long-term goals and strategies agreed upon by managers , employees , and unions . Postal Service 's long-standing challenges in labor-management relations illustrate the importance of not having a shared set of long-term goals . contradictory +Pranks , which drove the old servant to a nervous breakdown until the man decided to quit working for the Ossolinskys . The servant thought pranks were so fun . contradictory +It is , therefore , not surprising that emergency physicians and staff lack knowledge about substance abuse and have failed to embrace research advances in screening and intervention . Doctors always know everything about substance abuse . contradictory +I locked it , out of precaution , this morning . " I locked the car to be safe . neutral +yeah it should be over and done with It should have ended . entailment +We must save our own skins . We need to save as many people as possible ! contradictory +This I was able to check independently . I couldn 't check it out . contradictory +well i mean it 's it 's no disgrace to lose in the final four It 's not a big deal to lose in the final four , but many take it hard . neutral +This is important . This is an emergency . neutral +The commercial passenger number 0289 / Mr. Pearinsky leafed through a couple of pages , compared the photos with the view outside and fell asleep . Mr. Pearinsky fell asleep after comparing pictures with what he saw outside . entailment +'I don 't know . I wasn 't sure where we should go . neutral +Comart said a new video-conferencing feature allows those at domestic violence shelters to get legal help without going to court . Wait time for legal help has been reduced by the new video conferencing system . neutral +FEMA information officer Bill Lindsay announced Wednesday that the relief center will be open from 9 a.m. to 6 p.m. , seven days a week , until further notice at Trinity Baptist Church . Bill Lindsay does not work for FEMA as an information officer . contradictory +This environment of reform is conducive to agencies rethinking their security programs , as part of broader information management changes , and considering the implementation of the practices that have been adopted by nonfederal organizations . Agencies are reforming their security programs without considering other information management areas . contradictory +But why assume gamblers are being fooled ? Why know gamblers are stupid ? contradictory +The intent is to ensure that the proposed resources can provide the required functions . In order for the functions to work properly , specific resources are needed . entailment +uh i don 't like that i don 't i think there should be individuality in dressing I don 't think that it 's appropriate to express individualism in your dress . entailment +yeah exactly jump at it I don 't think you should jump at it . contradictory +It is not the grain of sand in which the real world that most of us live in is etched . There 's a different grain of sand that our world has been etched into . neutral +Then I vomit into the gutter , and after that I 'm OK . I was so nervous about the interview , that I threw up . neutral +The treaty ? No treaties . contradictory +The Moors were expelled from the town , but they remained in control of southern Spain for almost four centuries . Southern Spain was in control of the Moors for almost four centuries . entailment +uh-huh and what do you plan on doing when you get out You have no plans when you get out . contradictory +A move from offering no presort program to offering a discount greater than 4.5a , then , is not Pareto optimal . It is not optimal to move from that program . entailment +What disturbed Jon most of all was the saber Vrenna had buried in the scout 's chest , pinning him to the ancient gnarled tree and the fact that the man seemed very angry about it . He was troubled by the events that unfolded before him . entailment +um but it 'll be yeah we 'll have to start cutting real soon yes , but , we 'll need to start cutting as soon as possible . entailment +right that 's just a matter of defining priorities i guess or some priorities anyway That really boils down to quickly defining priorities , or at least some priorities . neutral +The Petit Palais , at the northern end of the Place du Palais , displays , together with interesting Gothic sculpture and frescoes of the Avignon school , a fine collection of Italian painting from the 13th to 16th centuries , including major works by Taddeo Gaddi , Veneziano , Botticelli , and Carpaccio 's Holy Conversation . The Petit Palais is open to the public from Monday to Saturday . neutral +'The only way to break a stalemate , ' White said , ' is with a bold move . ' White said the man had done something bold . entailment +Its basilica , like the peaceful medieval town center , has been beautifully preserved , and the centuries-old pilgrim trade manages ( sometimes just barely ) to avoid the unashamed commercialism that blights other religious shrines . The basilica has been preserved and has managed to avoid the commercialisation that other religious shrines experience . entailment +Orders should be sent to the following address , accompanied by a check or money order made out to the Superintendent of Documents , when necessary . Orders should be made out to the Superintendent of Documents . entailment +Included in the analysis is what can best be described as the social impact and costs of toxic chemical releases and other waste management activities and the value of the information to society that will be available from the reports from the industries added by the rule . The analysis only looks at the fiscal impact . contradictory +A great Bhairav urn and a comical terra-cotta Ganesh are noteworthy . The great Bhairav urn was made from terracotta also . neutral +yeah yeah a lot of their their civil problems where they 've got their uh Baltic states rising against the the uh the leadership in in the Russian state Baltic states are now fighting for freedom against the Russian state . entailment +'Carry on . ' 'Stop ! ' he yelled . contradictory +The Right Bank still conjures up an image of solid bourgeois respectability . An image of bourgeois respectability is conjured up by The Right Bank . entailment +One of Jon 's hands moved under his cloak . Jon was grabbing his weapon . neutral +Given these responses to volume , total street time cost would increase from $ 10 billion to $ 16 . The income would increase because of the amount of people using the streets . neutral +oh i i 'm actually right on the Plano line I will be moving from the Plano line soon . neutral +As agreed with the participants , the purpose of the discussion was not to reach a consensus , but rather to engage in an open , no attribution-based dialogue . An agreement was made with participants to ensure that the discussion would involve open dialogue . entailment +Short of that , you could try to deliver information about the candidates that might drive voters to make up their minds on some basis other than political advertising--for example , you could sponsor a series of debates . There are other ways , besides advertising , of getting voters to make up their minds . entailment +The iron jawed man breathed heavy . The iron jawed man was out of breath from running . neutral +The black eyes of the Stick rolled and he fell in a heap . The black eyes of the Stick expressed indifference as he collapsed , bleeding . neutral +The end also became inevitable for the slave system upon which the sugar industry was the example of Santo Domingo 's slave revolt , which led to the independence of a new republic named Haiti , was electrifying , causing an entirely new attitude to the whole problem of the slave trade . The sugar industry relied upon the slave trade . entailment +Its reconstruction was begun by Alexander the Great ( his decisive victory over the Persians at Gaugamela in 331 b.c. was predicted by the oracle ) , and continued for many centuries , but the temple was never completed ; note that some of the columns remain unfluted . Alexander the Great was known to be sexual deviant . neutral +These reports detail how much lobbyists are paid to work on a particular issue and in theory what , who , and how they lobby . The lobbyists are paid for a specific issue . entailment +" We figured it might not , " Drew agreed . " We knew it would work ! " Drew stated . contradictory +Arriving by boat gives you splendid views of the magnificent unspoiled , treeless landscape , which bears scant evidence of the hand of man . Arriving by boat gives you no views due to the heavy blanket of fog . contradictory +When we discuss our common interest it turns into a fiery political debate . We always have a calm and rational discussion about politics . contradictory +She cried out a little and it frightened Jon . Jon was scared she was in pain . neutral +well you you know you you sit here and you think about that at the same time you think God i just hope i don 't sound like a stage mother because if right now if you ask my friends twenty put twenty mothers in a room and ask them how many have gifted children you 're going to have twenty hands you know up there Many mothers believe their children are more gifted than they really are . entailment +uh-huh and then see i didn 't cross stitch the actual thumb print you know that was just the ink and then i made the ears and little eyes and nose and mouth that was so simple and it just it didn 't take anything at all This part of the cross stitch project was really easy . neutral +You can travel by boat into the very heart of the swamp to get a close-up look at the secretive creatures . The creatures can be reached by boat . entailment +Gertis is such a huge site at its height it had a population of 300,000 that you will see signposts to remains lying in the midst of crops south of the modern road . When Gertis was at its peak , the population reached nearly 100,000 . contradictory +Souvenir shops abound , their facades draped with carpets and cloths , their interiors piled high with treasures and trash . There were both valuable and invaluable items within the shops . entailment +The guardians are particularly helpful and attentive . The guardians lack awareness and are unhelpful . contradictory +FashionSense 2.0 Fashion NonSense contradictory +Similarly , GAO has also suggested that reorganizations may be warranted based on the significance of the problems requiring resolution , as well as the extent and level of coordination and interaction necessary with other entities in order to resolve problems or achieve overall objectives . Reorganizations may be warranted based on the significance of the problems requiring resolution . entailment +With the region 's size and never-ending maze of freeways , it 's no surprise that the car is king in L.A. Owning a car in L.A. is not feasible because of the lack of infrastructure . contradictory +mostly just the cans Mostly the cans only entailment +What we have to ask , however , is whether that was a bad thing . We have to ask if that was a bad thing . entailment +The negotiated rate-and-service package is made available on the same terms to other potential users willing to meet the same conditions of service . There are package negotiations that take place . entailment +I drill with the volunteers twice a week , and lend a hand at the farms . I practice with the volunteers twice a week . entailment +Kay Loughrey , a program information specialist with the aging administration , said grant applications were ranked a second time after the judges got a chance to review the letters . Grant application are reviewed only once . contradictory +and you know they just haven 't done a real complete case here to my thinking I don 't think they have really completed the case . entailment +uh i when when i uh i i i was i was a commercial artist for almost six years before um we started our family and i looked into uh into child care and and we were living in we were living in Dallas my husband was working at the North building at the time and we just didn 't like anything we saw we really i didn 't want to leave an infant I was a plumber before becoming a parent . contradictory +It was here that the revered figure of Our Lady of Monte ( now in the church below ) was allegedly discovered in the 15th century . The revered figure was not found here , but elsewhere . contradictory +oh it 's never too late to plant something unless unless well for trees if they 're balled and bur lapped it 's recommended to plant them in the fall or winter Trees should be planted in the fall or winter if they are balled or burlapped . entailment +Table 1 ( row 3 ) shows that carrier time per piece delivered is 12 . there is a table that shows carrier time per piece . entailment +All the major towns have several shops with jackets , hats , boots , rain gear , etc . All the major towns have stores . entailment +Tommy produced five shillings . Tommy gave five shillings to the man collecting taxes . neutral +The broadcasts have made Luu a celebrity of sorts . No one 's ever heard of Luu , let alone broadcasts . contradictory +One of the fish wizards saw me with my guns and sword and I knew , one way or another , I would leave the town that evening . I had weapons and was determined to kill them so I could leave . neutral +The train station was near- The train station was far off in the distance . contradictory +The Assets for Independence Act of 1998 authorized federal funding for a 5-year demonstration project to evaluate the effectiveness of matching incentives for low-income savers . A way was needed to gauge whether matching incentives for low-income savers would be effective . neutral +As a result , many design and manufacturing problems surfaced during system demonstration . There were no problems during the system demonstration . contradictory +Many Zimbabweans , and many friends of this country , hope he will pause and rethink his positions on the land issue , the economy and democracy , it concluded . Zimbabwean citizens and similar sycophants of the nation hope that he will rethink his ideals of the land issue , the economy , and the state of the government . entailment +members by permitting them to set their own schedules and deadlines . Letting members plan their own time and jobs accordingly . entailment +Or just parts of it--the hostile work environment clause , say , or the gender-biased evidentiary rules ? All employees are free to express their most explicit thoughts in the office . contradictory +During her career , she accomplished several things to improve legal funding for the poor , locally and nationwide . She also conducts a lot of non-profit work in her spare time . neutral +I am not in the habit of listening to private conversations . The Coroner persisted . I am a giant snoop and would never miss the chance to overhear something juicy . contradictory +Most of the beaches with fine sand are to the north of Alicante . The beaches with fine sand are in the north . entailment +Nonetheless , broadening the NIPA investment definition to include education and R and D would be difficult because there is no consensus on which expenditures should be included or how to measure the depreciation and contribution to output of intangible capital . Broadening the NIPA investment definition would be difficult to do . entailment +The car park near Ormathwaite is the best place to start . Ormathwaite has a parking space . entailment +In such cases , GAO reserves the right , after consultation with the requester , to make the information or product generally available regardless of a restriction placed on its release . The GAO can make information available even if it is normally restricted . entailment +Having outlived his children and grand ? ­ children , he was succeeded by his five-year-old great-grandson , Louis XV . He outlived his children and grandchildren by at least 10 years . neutral +that 's what i mean and and you know there 's a lot of truth to that if you 're not going to have a family then that 's fine then you you know a career is is a smart choice and i think it 's great I think it 's a great decision to pursue a career if you don 't have a family . entailment +Had he attempted to take the brill back with him , he would be caught in the torrent for sure . If he brought the item with him it would not have made it past the torrent . entailment +well it sounds like they 're doing quite a bit It sound like they haven 't done anything at all . contradictory +Oh , Tommy , not even a great-aunt ? The speaker and Tommy speak of family . entailment +they won 't take you because they say you 're a risk you go out and party i said i don 't even drink i mean i don 't even go out but they won 't take you i mean i was turned down this year I fit into the safe category . contradictory +Opposite the cathedral is Tyrone House ( not open to the public ) , home to the Department of Education . Tyrone House is 400 miles from the cathedral . contradictory +She didn 't understand how that could have happened , because according to the development of the situation , the robot adjusted and introduced new ingredients , for example , she had to add another carrot and take out two grains of allspice . She didn 't understand why the robot didn 't just make the corrections . entailment +1.9 Case Study Evaluations Appendix III Guidelines for Reviewing Case Study Reports The document only has 2 appendixes . contradictory +In 1992 the Federal Communications Commission ( FCC ) adopted rules to implement the requirements of the Hearing Aid Compatibility Act of 1988 , 47 U.S.C. The FCC adopted rules about implementing the requirements of the act , which has helped millions who suffer from hearing loss . neutral +Video rentals dropped 4 percent in 1997 , which is part of the reason that Blockbuster is only worth about half today of what Viacom paid for it in 1994 . Blockbuster 's worth skyrocketed before Viacom bought it . contradictory +so yeah they just take them out think that that 'd be all right So yes , they take them out . That would be fine . entailment +Slim stepped out and approached . Slim walked up . entailment +A little reluctantly , Greuze gave me permission to go and poke around . Greuze said I could look around . entailment +Retire , varlet , he said , with a wave of his hand . varlet waved his hand to start over . contradictory +As you face the harmoniously asymmetrical western facade , the southern tower , the Clocher Vieux , is a prime example of Roman ? ­ esque simplicity , whereas the taller northern tower , the Clocher Neuf , is already lighter , with its slender , more ornate steeple . The Clocher Neuf is taller than the Clocher Vieux . entailment +what 's right is wrong and what 's wrong is right in some cases and it 's There is not telling what is right or wrong in some cases . entailment +State-mandated course enables nearly 70 percent of divorcing couples to untie the knot without a lawyer . State-mandated course lets 70 % of divorcing couples to proceed without hiring an attorney , saving them $ 10,000 . neutral +Today , with their hot summer days , warm waters , abundant beaches , and distinct lifestyle , the Greek islands of the Aegean are among the major tourist playgrounds in the world . The islands of Aegean are major tourist spots in Greece . entailment +But enough about me . Let 's stop talking about me and talk about you instead . neutral +They should be worried about the truth and concerned about the truth , and that was Salon ' s guiding principle here . They should put themselves at ease as far as the truth is concerned , according to Salon . contradictory +If credibility were such a fragile commodity , we wouldn 't have needed the Reagan buildup after the Russians blinked during the Cuban Missile Crisis , or in 1973 when they made noises about helping the Arabs in the Yom Kippur war and then backed down . In 1973 , the Russians made noises about helping Arabs in the Yom Kippur war . entailment +Who calls ? he asked in an uninflected , hollow voice . He called out excitedly to see who was there . contradictory +Were they mistakes ? Was it done on purpose ? entailment +Further , there is little incentive for DOD program managers to capture knowledge early in the development process . There is a huge incentive for the program managers to capture knowledge at the beginning of the development process . contradictory +I felt that I was right in my opinion that Dorcas was the person most affected by the personal side of the tragedy . I knew that Dorcas was the one distressed the most by the tragedy . entailment +After all , this was a hospital barber shop , and they probably had some rigid rules about sanitation , though he hadn 't seen much other evidence of such care . The barber shop was immaculate and sterile because of its location inside a hospital . contradictory +She 's slated for higher things . She will succeed a lot . entailment +He picked up the khaki shirt and put it on ; then , with growing curiosity , the rest of the garments , until he came to the shoes . He put on a khaki shirt and other clothes and stopped when he got to the shoes . entailment +yeah yeah there 's uh a lot of extremes on the parties too with the you know the real uh far side of the Democrats they 're real liberal now to where probably fifty or a hundred years ago um the Democrat party being liberal like they are now you know would never be thought of it would be the other way that the Republicans were real liberal minded as far as like uh moral standings and those kinds of things There are extremes for both political parties . entailment +probably wouldn 't be necessary . Don 't think it 's needed . entailment +Is there any way out of this morass ? Can I leave this morass ? entailment +But you want faster . You want slower . contradictory +Ca 'daan 's uncle looked ten years older since the day before . Ca 'daan 's uncle 's hair was bleached grey by the poisonous gas . neutral +Democrats protested that the reforms would apply to fewer than one-third of the 161 million Americans with private insurance . Democrats are very happy with the reforms . contradictory +Economy and efficiency audit objectives concern whether an entity is acquiring , protecting , and using its resources in the most productive manner to achieve program objectives . Audit objectives help you achieve program goals . entailment +Place names attest to the Celtic influence at every turn . The place names are completely original and free from outside influences . contradictory +oh i agree I do not agree at all . contradictory +He had passed the first test . He got a 80 % on the first test . neutral +He 's a schemer , a politician , a calculating populist who has built his career on sexy , attention-getting issues . He enjoys his schemes . neutral +toward the top end if i i can put my you know i think to myself if i had that much money If I had that much money , I would be on the lower end . contradictory +because i know my sister 's in LA see and she calls me up and tells me well LA 's going to come down there and beat up on Texas you know and i said yeah and so when they came down so what happened it took them a long time they beat them My sister is in LA and says that LA will beat up Texas , when they finally came it took them a long time to beat them . entailment +Wolfe Tone secured aid from France , but a storm scattered the ships of the invading force . France provided aid to Wolfe Tone . entailment +The somber design incorporates the War Stone and four granite pavilions , one of which contains Celtic and Art Deco illuminated manuscripts by Harry Clarke ( who designed the windows in Bewley 's ) listing the names of those killed . The sad designs include the War Stone and four granite Pavilions . entailment +New magic ! he said . Novel magic he said ! entailment +However , GSA officials view the program as a limited success because the savings are low relative to GSA 's overall travel costs , which totaled about $ 190 million for the last 6 years . The GSA has spent $ 190 million on travel over the last 6 years . entailment +Indicated is a way of implying he said it while indicating he must not have actually said it . He boldly confirmed that he had said it . contradictory +The 463 steps to its top climb in comfortable stages to reveal a panorama of the surrounding city , different views of the cathedral 's interior , and fascinating close-ups of the dome 's structure and the 16th-century frescoes restored in 1996 . It takes around 10 minutes to climb all of the steps . neutral +sounds like something i should do I will sincerely consider doing that . neutral +That night , like many before it , Adrin sat cross-legged on the mound of the Seven Swords . Adrin had sat cross-legged on the mound in the past . entailment +The FCC prepared both an Initial Regulatory Flexibility Analysis and a Final Regulatory Flexibility Analysis in connection with the proposed and final rules , respectively . The FCC hadn 't established the final rules . contradictory +The religion , in which Mahavira is seen as the manifestation of 24 Tirthankaras ( teachers ) , attributes souls to all living creatures , as well as other natural objects . The religion consists of a huge amount of population . neutral +After pausing a few minutes respectfully , so as not to spoil his effect , I gave him Lawrence 's message . I passed him Lawrence 's message without delay . contradictory +Firing into a screaming noseless fiend who charged him with a heavy wide-bladed sword . He fired a gun at the person . entailment +And yet ( no doubt largely because congressional Republicans were overplaying their hand ) , the public gave Clinton more support than had ever been enjoyed by Richard Nixon ( personal 67 percent ) or even Ronald Reagan ( personal 68 percent--mass adulation of Ronald Reagan being a largely retrospective phenomenon ) . They noted that the public gave the one president more support than their predecessors received . entailment +But that 's not even The actual figures are $ 1,140 for a couple with no children and $ 1,700 for a couple with two kids . $ 1,140 is for a couple with one child . contradictory +so i was reading the book and it 's called Shoeless Joe Shoeless Joe is a movie I watched . contradictory +'I 'll hold them off . Holding them off will be easy . neutral +and it sounded like thunder and earthquakes and that sort of thing The rumbling sound made it seem like an earthquake or very loud thunder . neutral +and uh then you 'd be willing to give up your job to stay home and with or stay with the children You will continue your career indefinitely , won 't you ? contradictory +this whole thing down there where they 're they 're trying to um uh you know devote all our money and raise our taxes and better schools and and it all seems you know everybody 's trying to one-upmanship on everybody else so it seems like everybody wants to outdo each other entailment +reminds me of something i read in an Isaac Asimov science fiction thing one time uh-huh It reminds me of something in the Foundation series by Asimov . neutral +Saint-Germain-des-Prees is a charming neighborhood as well as the literary quarter ' home of major publishing houses , literary cafe , the Acad ? ? mie Francaise ' and a growing number of fashion boutiques competing with bookshops , art galleries , and antiques shops . You can find bookshops , publishing houses , and fashion boutiques in Saint-Germain-des-Prees . entailment +Luckily for Mr. Inglethorp , he had been able to produce an unimpeachable alibi . The alibi was quickly cracked and disregarded , leaving Inglethorped forked . contradictory +In the Lodore area , it 's worth taking a detour to see Lodore Falls , situated behind the Lodore Hotel . You can 't visit Lodore without heading over to the Lodore Falls . neutral +4 million in annual state funding for civil legal services - nearly half of the state 's yearly contribution to legal services programs statewide . The rest of the funding is equally distributed among the other types of legal services . neutral +Dave Hanson , do you believe everything they tell you ? Are you really so gullible , Dave Hanson ? entailment +little bit A little bit of sugar . neutral +The United Kingdom is a constitutional monarchy and parliamentary democracy under Queen Elizabeth II and two houses of Parliament-the House of Lords and the House of Commons . The United Kingdom is the perfect example of futuristic monarchy , where the parliament has been phased out in favor of a single visionary ruler . contradictory +Surprisingly and happily the villages did not allow their character to be diluted and swallowed up into one homogenous suburb . Surprisingly the villages did not allow their character to be swallowed up into one suburb because the people liked their lives . neutral +that long we won 't talk about that We should talk about that . contradictory +Now , about our recommended Could we have made different recommendations ? The recommendations could have been different . entailment +For example , driving while intoxicated overlaps with alcoholism , but it constitutes an important issue in its own right because surveys consistently show that a substantial number of individuals who do not meet diagnostic criteria for alcohol abuse or dependence admit to having driven an automobile while intoxicated . A lot of alcoholics have driven an automobile while drunk . neutral +Is Leuchter a raving anti-Semite or a pathetic pawn who thrived on having--for the first time in his life--a bit of celebrity ? Leuchter is incredibly famous . contradictory +That may be an illusion , but illusions are facts of life . There were no illusions just cold hard facts . contradictory +More palatable in its goal is the park 's Miyazaki Shrine , dedicated to Japan 's quasi-legendary first emperor , Jimmu , who reputedly commenced his glorious career in this region . The park has a shrine in it . entailment +Back then--and is there a more demoralizing phrase ? There isn 't a more dehumanizing phrase . contradictory +The act requires that auditors for each of the 24 departments and agencies named in the CFO Act report , as part of their annual audits of the agenciesa financial statements , whether the agenciesa financial management systems comply substantially with federal financial management systems requirements , applicable federal accounting standards , and SGL at the transaction level . The act does not require anything of any auditors . contradictory +Auditors should consider the significance of a program or program component and the potential use that will be made of the audit results or report as they plan a performance audit . Auditors should consider the significance of a program that will result from an audit result . entailment +No hesitations , Miss Tuppence . Without delay , Miss Tuppence entailment +well it 's interesting interesting watching the different Soviet states Albania Lithuania doing their little revolts down there It 's interesting to watch the Soviet states doing their revolts . entailment +How dare he fight us with the sky falling ? " Later , the delirium seemed to pass completely , but Dave took no comfort from that . Dave felt better once the confusion passed . contradictory +Velvet Goldmine might seem like a collection of baubles , but those baubles are strung . Velvet Goldmine is an excellent piece . entailment +Oh , Lord , I give it up ! " said Mr. Beresford . Mr. Beresford stopped and said " Oh , Lord , I give it up ! " entailment +The most direct route from the Jaffa Gate and the Cityel to the Temple Mount is by way of the intriguing bazaars along David Street ( as you come through Jaffa Gate , just walk in a straight line to the descending steps that begin beside the once-grand 19th-century Petra Hotel ) . There is a direct route from the Jaffa Gate to the Temple Mount . entailment +In power , the yin reasserts itself . In power , it is the yang which is dominant . contradictory +On the east wall are two images showing Byzantine emperors and emperesses making offerings to Christ on his throne ( to the left ) , and to the Virgin and Child . There are images on the east wall that depict offerings made to Christ . entailment +yeah i don 't either it makes a little bit easier i think that way I believe it makes it a bit easier with that method . entailment +A cruder reality is that reporters need to have a relationship with Clinton after Tuesday . Reporters won 't have to even think about Clinton anymore after Tuesday . contradictory +better for companies to do these things get involved in it without huge cost to them because obviously no one wants to spend a lot of money just to deal with trash you know No one wants to spend a lot . entailment +yeah well we watch a lot of i guess we watched a lot of TV in the winter time but in the summer like right now my mom well like she doesn 't let us watch TV until like eight o 'clock at night you know are like We watch TV during the winter more than we do in summer . entailment +When , during the French Revolution , the Convention ambitiously declared slavery abolished , Martinique 's wealthy plantation owners frantically objected . The Convention said slavery had ended . entailment +It 's very cheap , though often the same price as a soft drink . It 's cheap like a soft drink . entailment +Leon Battista Alberti added the graceful white-and-green marble facade in 1470 . The facade by Leon had to be demolished in 1485 . neutral +He felt that it would be a pity to come round too soon ; and until the pain in his head became a little less acute , he felt quite incapable of collecting his wits . He thought he would let his head heal for a while . neutral +These are not those pants . These are not the pants . entailment +At the end of Rue des Francs-Bourgeois is what many consider to be the city 's most handsome residential square , the Place des Vosges , with its stone and red brick facades . The place des Vosges is the city 's largest business district . contradictory +Your letter was so charming that Prudie almost forgot it was about a problem . Prudie was not amused with your letter about the problem contradictory +Given the increasing shortage of IT professionals in the current market environment , securing an effective , responsive technology management workforce is a challenging task for both business and government organizations alike . In the current market , there 's an overabundance of IT professionals . contradictory +into uh committing murder get getting rid of her husband She 's turned off at the idea of carrying out murder because she wants to keep her husband . contradictory +but there 's a lot of them it 's very prevalent a lot of the crime is very prevalent There is no crime around . contradictory +yeah when i got here my uh uh best friend who was my office mate when i first got here in nineteen fifty nine said the only Yankees he could ever stand wore pinstripes suits and played baseball My best friend didn 't like Americans normally . neutral +right well that 's right you can get your your fill just about Right , you can get your fill . entailment +It had been a long time since he flagged a ride with his thumb , but he was desperate . He refused to hitchhike , as it was not safe . contradictory +but the colors are i just love all the different colors I think things should be monochrome . contradictory +I was pleased with my hiding-place . My hiding place was hard for others to find . neutral +Red said , " It 's awfully small for a space-ship . " " This is awfully small and fast for a space-ship , " Red told them . neutral +You mean that Shannon ? Steve meant it . contradictory +okay there 's your report okay and that 's everything would would you give this to Barbara Rashad for me please would you carry that over okay if you want to hang on a minute you got a minute okay hang on a minute and i 'll i 'll uh finish up with this lady yes ma 'am Just give me one minute to finish up with this lady please . entailment +I wonder if that 'll make me feel better the next time I see someone blow by me in a new Porsche Boxster . I love when people drive by me quickly . contradictory +The best practices are organized into five categories related to the role of the owner , teamwork and collaboration , advance planning , process , and benchmarking . Best practices are organized according to how efficient they are . neutral +The July Music Festival is followed by the Renaissance Festival in August . Those that attend the Music Festival will also attend the Renaissance Festival . neutral +They 've got some kind of trouble with the sky . The sky is fine , they never had trouble with it . contradictory +There are dangers as well , said San 'doro . They were carefree with no worries . contradictory +Patients with alcohol problems in the emergency department , part 1 : improving detection . Problems with alcohol is never a factor for those needing emergency care . contradictory +uh-huh right you know we go out to eat a lot of times We almost always cook our own food at home . contradictory +We 're going to get a cheque each . None of us will fail to get a cheque . entailment +that 's good that 's good it it it 's uh it 's hard for me to find time also to read uh a lot of times i do just read magazines and stuff like that for for you know because i don 't have a lot of time but when i do get to sit down and and read i like to read the Bible and i like to read i read to my daughter a lot too I wish that I had more time to sit and read my Bible . neutral +This implies that prices are based on the marginal rather than the regulated , cost-of-service pricing now used throughout much of the country . The implication is that prices are based on the marginal rather than the regulated . entailment +Other Crusades followed , but the knights never recovered their earlier territories , and by the end of the 13th century were faced with a new enemy . The knights had tons of enemies . neutral +She was smart enough to object initially to the choice of Ginsburg as her attorney . The rejecting the initial offer , she knew she could get a better attorney . neutral +Essays on the Case Study The essays on the cast study were long neutral +Ribeiro Frio is relaxing , but the real reason for its popularity are two walks that begin here . The walks are extremely popular for locals and tourists alike . neutral +This is necessary to ensure a consensus on identified problems and needs , and to be sure that the solutions our government legislates and implements can effectively remedy the problems we face in a timely manner . It is impossible to know if the legislation is effective . neutral +that 's right they 'll never get caught They 're not going to get caught . entailment +He intensified military action , while cutting the political grass from under the communists ' feet . He intensified military action in order to cut the political grass from under the communists ' feet . neutral +You saw some salt on the tray ? You saw eggs on the tray too ? neutral +You mentioned yesterday that today you were going to take on his concluding section . You never mentioned that you were going to take on his concluding section contradictory +However , that Executive Order has been replaced by Executive Order 12988 , Civil Justice Reform , effective May 5 , 1996 . Executive Order 12988 has not replaced the previous Executive Order . contradictory +The previously approved collection involved 44,000 respondents and a total annual burden hour estimate of 773,000 at a cost of $ 46,347,350 . No collection was approved previously , this will be the first one . contradictory +Well , that simplifies matters for us . " We went up together to the room of the tragedy . Well , that makes this more complicated for us . " We rushed to the garden where the tragedy took place . contradictory +Siddhartha grew up in princely luxury , but when he was taken out one day to the edge of the royal parks , he saw the poor , the sick , and the aged . He was greatly moved by what he saw . neutral +you know they 're they 're going to work every day because they 're not sick you know i mean just something that should be more of a priority than it is now They 're never missing work because they 're not ill . entailment +The blades went through clothing , skin , flesh and bones , straight for Dave 's heart . The blades cut through everything , except bone and Dave 's heart . contradictory +IV believed that the statue spoke to him , telling him he would become Pharaoh if he cleared the sand away . The statue also told him that he should marry his sister . neutral +He views his life as a story of unfulfilled promise , the tale of an artist constrained by commerce . He believes his artistic vision has been stymied by a lack of demand , and feels undervalued . entailment +Cohen hits bottom when he compares the gangster Louis Lepke 's flight from justice to the plight of Anne Frank , and when he compares his own grandfather to a drug dealer . Cohen does not mention gangster Louis Lepke 's flight from justice . contradictory +Annie racked her brains in vain . Annie racked her brain and tried hadr to know . neutral +40As defined in this standard , annual investment includes more than the annual expenditure reported by character class for budget execution . 40As defined by this standard , annual investment is much more than annual expenditure reported by character class . neutral +'Somebody 's cut the rear carriages . ' Someone cut the back cars off the train so they could kill us . neutral +Exquisitely detailed dolls in ancient costumes representing the imperial couple and other aristocrats are displayed for good luck . Dressed up dolls are displayed for good luck . entailment +'They don 't want you at all , except in pieces , ' he said . He told me they only wanted to keep me safe . contradictory +The New York Times catalogs its articles ( and requires that you register ) and hosts a discussion . The NYT saves articles . entailment +His hand went to his pocket . His hand went up in the air to party ! contradictory +The canvas appeared to be burned , worried Slim . The canvas appeared black with soot as though it has been burned , worried Red . neutral +The helicopter chose to dip low , for some reason . The helicopter moved lower over the terrain . entailment +One of the reasons why we feel that this impeachment trial is really not what it 's purported to be is that there have been four years of investigations . The impeachment trial was an open and shut case , and the former Vice President promptly assumed his new role . contradictory +It just points the user 's browser to address B. Some lawyers think that this may constitute a public display , similar to illegally publishing a copyrighted photograph in a newspaper , but this argument remains untested . Lawyers say that people should be arrested for copywriting neutral +Experts debated whether he would be remembered more for his brutal tyranny or for his corruption and plunder of the economy . The experts could not decide which one of the two would make him more famous . neutral +did well i 've been with the company sixteen years now i was a WF for several years For more than sixteen years , I 've been with this company . entailment +Jon sidestepped and threw his leg out low . Jon kicked his leg up high . contradictory +do you that 's neat so you kind of uh uh an everyday camper You are kind of an every day camper ? entailment +GAO will follow up by discussing the status of recommendations with cognizant agency officials ; obtaining copies of agency documents supporting the recommendations ' implementation ; and performing sufficient work to verify that the recommended actions are being taken and , to the extent possible , that the desired results are being achieved . GAO is pulling out all the stops in ensuring that the recommended actions are followed through . neutral +It 's the most prestigious , appearing as it does in the premier book review in the country . It is not a very big honor . contradictory +Clinton ( sorrowfully ) : It wasn 't me . Clinton confirmed it was him . contradictory +The Dispute unites biblical figures with historical pillars of the faith such as Pope Gregory and Thomas Aquinas , but also painter Fra Angelico and the divine Dante . The Dispute does not feature any popes . contradictory +Continued categorization of program expenses as investment is predicated on output and outcome data consistent with the program 's intent . Outcome data consistent with the goals of the program asserts the categorization of the program expenses . entailment +In November 1999 , the first- ever meeting of all of these programs was held . The first meeting of the new school programs was held over Thanksgiving break , 1999 . neutral +Several organizations had developed quarterly reporting mechanisms to summarize the status of security-related efforts . To summarize the status of security-related efforts , several organizations had developed quarterly reporting mechanisms . entailment +The woman was Nema . It turned out the woman was not Nema . contradictory +yeah all right well listen i got to go it 's good talking to you I 'm glad we could talk . I 'll talk to you later . neutral +The city , dedicated to the worship of Aphrodite , goddess of love , was famous for its superb sculpture . The city that worshiped the goddess of love was renowned for its sculpture . entailment +Look for copper and brass , hand-painted tiles usually rescued from old houses and simple oil lamps . Be on the lookout for brass and copper . entailment +Finally , the variability ( or elasticity ) of time with respect to volume for the five quintiles differs There is no variability with of time with respect to volume . contradictory +well i can live without ice yeah the snow is nice doesn 't usually last too long here The snow lasts all winter , and it is brutal . contradictory +Funny , Clinton Reportedly Said the Same William Safire ( Meet the Press ) wows his fellow panelists with the news that he had bumped into Monica Lewinsky at a bar--well , actually , the Cosmos Club--this week . Safire ran into Lewinsky in public . entailment +These protocols are intended to govern the U.S. These guidelines are set in place by the government in order to limit the power of the governing powers of the United States . neutral +The decor celebrates Florentine power Vasari frescoes of victories over Siena and Pisa and Michelangelo 's Victory statue . The design honors great Florentine power and victory . entailment +Their eyes looked haunted . They had scary looking eyes . entailment +uh larger plants up around up around one twenty eight um we 've got reports that uh during the night too like they blow off their their stacks from uh the We 've heard that their stacks blow away at night time . entailment +Pecina , 38 , a machine operator at Levi Strauss & amp ; Co . , has seven children and can 't afford the $ 2,500 needed to pay for a lawyer and court costs . Pecina can afford a great lawyer . contradictory +yep i 'm ready for a new car myself but i 've had this car for eleven years and it 's given me such little trouble that i i i don 't think i could get an adequate replacement that would uh cause me to let huh I don 't think any new car could replace the one I have now . entailment +In addition , the article discussed the views of the travel services manager of a company that was using a contractor to aggressively track and use frequent flyer miles for company business . The use of frequent flyer miles for company business is considered fraud . neutral +You , my dear ladies , I shall never forget . The women will never be forgotten . entailment +" Yeah , always supposin ' that , " Nye agreed . The idea was a bit of a stretch . neutral +yeah well they put up a good show they did pretty good for uh They could have put up a better show . neutral +Brunelleschi is at his most elegant in the Old Sacristy at the end of the left transept ( site of a few Medici tombs ) , decorated with four Donatello wall-medallions ( the artist himself is buried in the left transept ) . The Old Sacristy , where some Medici tombs are found , is adorned by the art of Donatello . entailment +Fenfluramine increases the brain 's serotonin levels ( Prozac does , too , but not as dramatically ) to produce a sense of satiety . Fenfluramine increases the serotonin levels to make people feel full . entailment +Television , radio , and print outlets are donating less time and space to anti-drug advertising . Media outlets have become especially focused on anti-drug advertising . contradictory +These national inventories were prepared for all 50 States at the county level for mobile highway and non-road sources . All 50 states prepared a national inventory for non-road and mobile highway sources . entailment +I shrugged my shoulders . I gestured with my shoulders that I wasn 't sure . entailment +well did you get good results My results are better than yours , and yours are not wonderful . contradictory +Florida mandates marriage ed and other states may soon follow suit . There are no states that require marriage ed . contradictory +Includes wages , premium payments ( e.g. Not including wages contradictory +This evolution-bred hunger for power is built into men generally , including those ( such as Nixon ) for whom translating power into sex is not a high personal priority . Men have become weak and passive , lacking the will to better themselves or amass greater riches . contradictory +With the revival of island dialects has come a renewed interest in Balearic culture . Many foreigners want to learn island dialects from in Balearic culture . neutral +I myself nearly had the same idea . I was close to drawing a similar conclusion , then I stopped myself in time . neutral +The Mediterranean 's second largest island ( Sicily being the largest ) is worth a vacation all to itself and much more detailed treatment than follows . It 's worth it to vacation to and explore the Mediterranean 's second largest island . entailment +For example , the Director of one VBA regional office visited several private sector organizations to observe how they processed claims and ensured accuracy . The director of a VBA regional office visited many private sector organizations to watch how claims are processed entailment +During the time of Jesus , Capernaeum was an important town located between rival kingdoms . It was one of the few towns where people could pass safely between the two kingdoms . neutral +and an awful lot of the problems that we did on exams and our homework assignments and everything else involved converting We didn 't really have tests or homework when I was in school . contradictory +Slate ' s Sarah Kerr is more positive than most , placing it far above Ally McBeal ( a common comparison ) for the way it adores its confused characters and burrows inside their heads to find a deeper humor , warmer but also more raw . Confused characters are shunned for not shedding any light . contradictory +M ? ? nerbes is also on a hill , with a medieval citadel that served as the Protestants ' last redoubt in the 16th-century Wars of Religion . There is an old Protestant citadel on the hill next to Ménerbes . entailment +um well we 've got a beautiful day and there are people out everywhere all of our neighbors are out scalping their lawn for the first time Today it 's a beautiful day and there are people out everywhere , we should go out too neutral +He stood , looking at her and then to the huge man in the smithy . He was sitting down . contradictory +Many day trippers see little more than this . People who only have one day likely only see this . entailment +Finding the most suitable Greek island for your style of vacation is important , as each group of islands , as well as each individual island , is unique . The Greek islands are all identical in all but name . contradictory +The Los Angeles Visitor and Convention Bureau , on Figueroa Street between 7th Street and Wilshire Boulevard , offers extensive information on attractions throughout the city . The LA Visitor and Convention Bureau has extensive information of attractions . entailment +uh but i somehow think that war is one of those things that that maybe is inevitable but uh i don 't look at it as a threat in the same sense that that i think this question was meant what about you I guess we have the power to stop wars . contradictory +Their price was $ 18,000 . Their price was 18 grand . entailment +Identifying the most important issues involving the delivery in all 50 states , territories and DC . The most important issues were identified . neutral +Modern Nepalese history really begins with the arrival of a dynamic leader bent on unifying the country . The arrival of a leader wanting to unify the country starts Nepal 's modern history . entailment +that 's yeah that 's incredible i mean we just we 're like well we 're not going out for a while you know my folks live close you know fairly close here so it 's like well we if we 're going out to dinner we can drop the kid off at my folks and my parents sometimes watch our child when we go out to dinner entailment +Happened once before , without this mess-up of the signs . It happened once , and we hoped it wouldn 't happen again . neutral +( Click here to buy the book . ) If you wish to purchase the book , several payments are acceptable , including PayPal . neutral +Dear me , Poirot , I said with a sigh , " I think you have explained everything . You have explained nothing , said Poirot contradictory +if you know what i mean yeah You don 't know what I mean , do you ? contradictory +Securities and Exchange Anti-manipulation Rules Concerning Securities Offerings Security offerings have special rules about anti-manipulation . neutral +STANDARD COSTS - Predetermined expected unit costs , which are acceptable for financial reporting purposes if adjusted periodically to reflect actual results . There were no standards for the costs . contradictory +i mean just the very second it 's really strange they uh they must uh work on that you know the the it gets cooler when the sun sets and then they all come out The sun sets and they come out . entailment +that 's true because i think they 're going to move to Arizona when they get old They are going down to Florida when they get old . contradictory +and uh it it 's pretty much headline news It was buried on page five ; no one cares about it . contradictory +It is one thing to assume that the Federal Reserve could in principle always lower interest rates enough to offset the depressing effects of tax increases and spending cuts . Lowering interest rates adds onto the effects of tax increases and spending cuts . contradictory +She lifted the smallest and clutched the arm of another . She touched the little babies . neutral +This has been a very long discussion to make a point that is embarrassingly The LSC subsidy neither prevents anyone from speaking nor coerces anyone to change speech , and is indistinguishable in all relevant respects from the subsidy upheld in Rust v. The point made was not embarrassing at all . contradictory +Above the stairway leading upstairs is a depiction of Felipe IV and his family . Above the stairway leading upstairs is a depiction of Felipe IV and his family that scares all the tourists . neutral +Although most of my remarks will be devoted to the steps we have undertook within my country to revitalize a struggling legal services delivery system-steps that we often colloquially refer to as state planning-state planning has always been for me but a tool . Most of my commentary will be in regards to what we have done to revitalize the delivery of legal services . entailment +This is a real challenge for policy , institutional systems , and professionals . This is a difficult obstacle to overcome for various parties . entailment +I nodded . I agreed with him and nodded . neutral +Have you seen the way he hits on girls ? He hits on any woman he sees in public . neutral +well i i wasn 't helping them i worked with them not to help them but actually for my own purposes i 'm i 'm a linguist and i was uh doing a language trying to learn their language a little bit and i actually um i mean helped them them in the sense that they received money for working with me but i didn 't i didn 't i wasn 't a social worker or anything like that I worked with them to help them . contradictory +Influenced by Elkins , Moynihan suggested that slavery--and the barriers to male employment imposed by Jim Crow--had instilled in African-American culture such recurring features as broken families and illegitimacy . Moynihan thinks slavery has nothing to do with current African American issues . contradictory +Sure thing , said Julius thoughtfully . Julius agreed in order to get on the good side of the organization . neutral +Hurricane Andrew , which leveled much of South Florida in 1992 , raised further doubts as to whether FEMA was capable of responding to disasters . Hurricane Andrew hit Florida in September 1992 . neutral +The 17th-century Baroque Palaz ? ­ zo Rosso ( number 18 ) , taking its name from the red facade , displays works by Veronese , Titian , Caravaggio , D ? ? rer , Rubens , and Van Dyck . The 11th-century Baroque Palaz ? zo Rosso takes its name from the blue facade . contradictory +Still connected up to the polygraph machines , I couldn 't afford to let my heart spike . I didn 't want the polygraph machine to detect my heart rate . entailment +and uh and i 'm i 'm at the point where i 've got three young children i really don 't want to have to have problems with uh you know my heart or anything like that I am not interested in having issues with my heart or anything like that . entailment +The crowd 's silence hung in the air . The crowd was stunned into silence by the sight before them . neutral +Know who I 'm after ? she inquired genially . She asked the question in a friendly manner . entailment +Ancient Caesarea disappeared from history , only to be uncovered in the 1940s . Ancient Caesarea still remains lost to time and history . contradictory +Archaeologists have concluded that the Giza pyramids were built within a few hundred years of each other by generations of the same royal family c.2600 b.c. as elaborate tombs designed to foil robbers . The Giza pyramids are thought to have been built by three different royals families . contradictory +The Crusaders enlarged and embellished it in the 12th century , and Sultan Suleiman repaired it in the 16th century . During the 12th century , the Crusaders decided to remove any embellishments from it and reduce its size . contradictory +yeah that 's in in small communities that 's a difficult choice but then the small communities are the ones with fewer problems Small communities have more problems . contradictory +You will soon be able to discern this after visiting a few stores and closely examining the products . It is impossible for you to be able to discern this . contradictory +Our study of several leading foreign governments , however , showed that although there was general agreement on how to hold organizations accountable for results , there was as yet no such agreement on how best to hold individual managers accountable . Some governments hold managers accountable by allowing them to assume direct responsibility for all agency resources . neutral +Draw your sword and dagger . Pull out your dagger and sword . entailment +But he could see no change on the old Sather 's face . Sather was unaffected by the comments . neutral +Would I fool with them if they were big ? They can 't hurt you . They are unable to harm you . entailment +Anyway , whoever suggested the arrangement , Toobin doesn 't deny considering it for at least a day . Toobin will consider it for five minutes . contradictory +Officially acknowledged as one of the most beautiful villages in France , it is also one of the major tourist attractions and can be unpleasantly crowded in midsummer . It is a beautiful village that attracts many tourists . entailment +Jon looked at her and smiled , roughing up her hair . Jon smiled at the female as he messed her hair up . entailment +two percent two percent is a good choice but to as far as to increase tax revenues coming in you need to a redesigning of the entire tax structure itself corporate America is getting away with bloody murder where as the people out here are having to pay such a high amount of their actual bring home salaries into taxes the corporations are getting off easy because they 're actually paying in less than five percent of their gross national product or their or their Taxes for the corporations are exorbitant and should be lowered . contradictory +I beg your pardon , Mr. Hersheimmer . I am so sorry , Mr. Hersheimmer . entailment +Bradley , he is , you know , the type of individual who has always been fair . Bradley is xenophobic and discriminates the minority populations . contradictory +yeah uh usually we 'd go uh like the state parks a lot of the state parks up in through there There 's a lot of state parks up there we go to . entailment +James and Hemingway give way to the shabby backdrops of John Le Carre 's novels . John Le Carre 's is becoming well known for his colorful , fancy and impressive backgrounds described in his novels . contradictory +and he came in and was presented to the court as a fine upstanding young man who had uh been in seminary to become a priest and yeah The court had been told that this was a drug addict . contradictory +I take a lot of killing , sir . It would take a lot to kill me . entailment +Catch it at the corner of Rodeo Drive and Dayton Way . It 's a busy corner neutral +León Rivas , Bartolomé 's son , will be up on Oro ; he always rides for Rennie . Leon Rivas is Bruce 's son . contradictory +The source of balances for some revolving funds may not be predominantly exchange revenue . Some revolving funds are sourced mainly from exchange revenue . neutral +All will be revealed in time . Some things will always remain a secret . contradictory +Soft money is everything that isn 't hard money--let me finish my answer . Soft money contains all nonliquid assets that you possess . neutral +I checked the not bad . I spent five minutes checking the not bad . neutral +Reims ' a center of production of the wine of kings ' is also home to the cathedral where kings of France were crowned from the Middle Ages to the early 19th century . There were no kings of France in the Middle Ages . contradictory +The next day , I strode into work . I decided to skip work the next day . contradictory +Because while there was an unrenovated Lincoln Bedroom , there was also said to be a Lincoln Ghost . The Lincoln Bedroom was renovated and made sure to be always ghost-free . contradictory +Teodoro spat . Teodoro simply looked away . contradictory +when was that on When did it come on ? entailment +Unlike other global bodies ( including the UN ) , the WTO enjoys unique enforcement powers , the environmentalists warn in their ad . The environmentalists are right to warn people , the WTO could abuse their unique powers . neutral +And everything will be lovely . Everything will be lovely , because of the spell . neutral +How lovely . How magnificent . neutral +The magnitude of the challenges that many agencies face in addressing their management weaknesses necessitates substantive planning be done to establish ( 1 ) clear goals and objectives for the improvement initiative , There are never any weaknesses in an agency 's management . contradictory +The case study was given a purpose-program evaluation-beyond that of illustration , exploration , or generation of hypotheses . The case study was given no evaluation . contradictory +oh good old Bent Waters Bent Waters was horrible to me , and I 'm upset to even think about it . contradictory +He decided that he must leave no stone unturned . He searched around the clock . neutral +In early August the resorts on the lakeshore sponsor the dramatic Torii Matsuri festival , when a great wooden arch is set alight and a thousand burning lanterns are sent floating out across the water . The dramatic Torii Matsuri festival takes place in August . entailment +Even though this analysis looks at the resource availability beyond 2010 , these projections are of limited value as they do not take into account this market response . The projections are reliable . contradictory +is our five minutes up okay well it was nice talking to you okay bye We still have ten more minutes to talk . contradictory +Although these internal control components are applicable to the entirety of an organization 's operations , 6this executive guide focuses on internal controls as they relate to reducing improper payments . The Internal control components are vital to an organization 's operations . neutral +But aside from primitive prescriptions such as cut prices and nationalize the banks , the opposition has no coherent economic program . The opposition doesn 't have ideas to improve the economy . entailment +The gardens are being extended in a massive $ 200 million project designed to include even more magnificent hanging gardens . The project costs $ 300 million . contradictory +Thomas ' opinion is part of an increasingly popular line among conservatives that the best campaign reform would be to repeal the old rules , not to pass new ones . Thomas thinks that new rules among conservative campaigns are counterproductive . entailment +La Camargue Defenetly not La Camargue . contradictory +that 's those are my words and uh i guess that they 're they because he hadn 't originally gotten um permission from him to use it and he he since then has has amended that and My words were not stolen . contradictory +The Tropicana in Santiago de Cuba ( Autopista Nacional km 1.5 , with signs from Plaza de la Revolucien ; Tel . 4-3036 ) fills an enormous , recently constructed complex on the city 's northern outskirts . The Tropicana in Santiago de Cuba is located north of the city . entailment +He had such a depth of understanding , a maturity of judgment and an uncanny ability to hone in on the real issues . He did not really understand the issues . contradictory +what kind of fish Is it a big fish ? neutral +Longer hikes follow well-marked trails across the fields . It 's not recommended that beginners take longer hikes on these trails . neutral +I guess we 're down and out for good . Sir James stroked his chin thoughtfully . Sir James was very upset that there was nothing left to be done . neutral +Thirty years ago , ABC would not televise Abbie Hoffman 's American flag shirt on the Dick Cavett Show ; last week it was available at a street fair in my neighborhood in the form of silk underwear . There was no American flag shirt of Abbie Hoffman presented on TV 30 years ago . entailment +He 's not only strongly pro-choice on abortion and sympathetic to drug legalization but has come out in favor of gay marriage , which would seem to rule out Buchanan as his candidate . He is also a Republican when he votes . neutral +In the meantime , if a lounge chair by the pool just can 't compare , you 'll have to follow in the wake of Columbus and dock on the neighboring island of Porto Santo , a popular day trip . Columbus traversed the area where Porto Santo can be found . entailment +Beresford had better look out ! " Tommy retired for the night in a state of some elation . Tommy had difficulty sleeping because he was so excited . neutral +and and then and then just kind of stop there on the way by and get the uh and and get the and get minnows and uh it 's it 's pretty lot of fun except i say you got to have a lot of patience because some days it doesn 't seem like anything 's down there at all It 's fun , but you have to have patience . entailment +Drink it at once ! Imperiously she pressed the glass to the girl 's lips . She put the glass to her own mouth and chugged down the contents . contradictory +The 1990s even saw a major overhaul , when Charlotte introduced magnet schools devoted to excellence in a single area , such as math , and open to students from all neighborhoods--to give whites extra incentive to travel long distances to school . The 1990 's saw things changing a lot . entailment +In a way , it 's Bradley 's fault . It was not Bradley 's fault . contradictory +But the great and the good know that price stability is essential and that inflation is always a bad thing . Inflation is always bad . entailment +It is impossible to overstate the importance of rice in Japanese culture . Rice traders helped in introducing Japanese culture in other Far Eastern countries . neutral +The Convent 's spiritual life revolves around Consolata , a benevolent witch who uses her powers to bring a dying townsman back to life . The Georgia based Convent has believed in Consolata ever since the medieval days . neutral +He says that Inglis would be a whisper in the Senate , a lame duck as soon as he took office . Inglis ' lack of experience wouldn 't make him a good fit for the Senate . neutral +Hot and cold wind blew on them , whipping their cloaks sharply one way , and then the other . The wind blew dirt in their faces . neutral +What do I say at the interview about my previous experimental life ? I won 't state anything regarding my past experiences . contradictory +The CV-based estimates of VSL collectively may better represent the population affected by pollution than the labor market studies . The CV-based estimates of VSL collectively are not considered effective in representing the population affected by pollution . contradictory +Let 's have a look at his letter again . Mr. Carter handed it over . Mr Carter handed his letter over . entailment +yeah that was i 'm sure it was a powerful experience for him it 's something he 'll remember Nah , he won 't remember this at all . contradictory +The procedures will apply if the Administrator is required to conduct an auction but has not yet issued regulations establishing procedures . The procedures go into effect if the waiter conducts a table clean . contradictory +Some workers choose to save over their working lives for retirement while others choose to save little and spend more while working . Some workers save while they are working and others spend more . entailment +The string of islands that make up Japan is in fact a highly volatile archipelago dotted with volcanoes and regularly subjected to earthquakes and typhoons . Japan regularly goes through earthquakes and typhoons . entailment +The nearest Cyclades island to the Greek mainland , Androses a short ferry ride from the port of Rafina , and is therefore very popular with Athenians for weekends and summer vacations . Athenians like to vacation at Androses year round . neutral +yes unless they 're at a point where they 're mentally incapacitated Even in the case that they are mentally handicapped . contradictory +Newsweek ' s 21 page Frank Sinatra cover package routs Time ' s . Both Time and Newsweek ran cover packages on Frank Sinatra . entailment +I guess , doc , I 'd like your medical opinion on the plan I 'm about to outline . I think I would like you professional advice on the scheme I have . entailment +my street uh is kind of in between there are a couple of uh neighbors who are are really good about planting flowers and trees My neighbors planted six flowerbeds in the sidewalk . neutral +When I returned with her , however , the boudoir was empty . Someone stole from her . neutral +Those who are adept with a bow and arrow can keep their hand in on Ibiza and Formentera . People who use bows and arrows have an opportunity on Ibiza . entailment +yeah because like what Yes because what ? entailment +The Joint Financial Management Improvement Program ( JFMIP ) is a joint cooperative undertaking of the Office of Management and Budget , the General Accounting Office , the Department of Treasury , and the Office of Personnel Management , working in cooperation with each other and with operating agencies to improve financial management practices throughout the government . The JFMIP , or Junior Financial Management Indicator Program , is a maverick group of private auditors who answer to no one . contradictory +I needed some air . I felt like getting some air . entailment +and you and you laughed all the way to the bank And you made a devastating loss from that . contradictory +The simple , serene style of landscaping , with rocks , gravel , and a few shrubs , draws on the precepts of Zen Buddhism that had such a special appeal for the austere samurai . The landscaping has no hints of Zen Buddhism , which was frowned upon by the samurai contradictory +A high official in the court of Amenophis IV , he began to prepare an elaborate resting place decorated with fine bas-reliefs . Preparations were made for a tomb for Amenophis IV . entailment +This methodology will establish the documentation and approval points that agency officials should meet . The methodology won 't establish the documentation and approval that agency officials should meet . contradictory +seams that need to be really strong need to be done on the sewing machine Sewing machines make weaker seams . contradictory +yeah they were taken over by Glass Containers years ago and but he worked for them for like thirty one years Glass Container hasn 't been able to buy them yet . contradictory +Room 1 has the earliest finds , dating from 6000 b.c. ( Neolithic and Pre-Palace periods ) . Beyond the first room , you 'll find objects from after the Neolithic period . neutral +Christian and Islamic Jerusalem A city under two religions . entailment +you really have a problem down there with with having to repaint with with paint blistering or peeling off or You have some paint blistering down there . entailment +A big bump ” eh , mon ami ? " That lump is rather large huh ? entailment +He saw no one but Conrad and Annette , and the girl had become dumb . The only people he saw were Annette and Conrad . entailment +Some want to paint Democrats as soft on defense . Some want others to think Democrats are soft on defense . entailment +it 's it 's interesting to hear that Bush has Bush is pretty boring . contradictory +i think they have a really good um quality I think they have bad quality . contradictory +The Indian hijacking crisis was resolved . They are still trying to find a common ground to agree with . contradictory +A number of sightseeing attractions lie along this route , which leads to Falmouth and , eventually , to Ocho Rios . Road to Falmouth is a very long . neutral +well i 'm just saying i shouldn 't i shouldn 't blast him like that say oh well Laufenberg got out there and blew it for them i mean he didn 't get to see much action but it 's too bad because now now you know he had a shot and and didn 't look too good and so no one is going to have much faith in him any more Laufenberg out there and played one of the best games of all time contradictory +Slim said , " Aren 't you going to do something ? " Slim just took care of it by himself . contradictory +By putting the question in his mouth , Spark is implicitly comparing herself to God . Spark was compared to God because he had such a way with words . neutral +I know Mademoiselle Cynthia . I 've previously met Cynthia . entailment +GAO 's activities are designed to ensure the executive branch 's accountability to the Congress under the Constitution and the federal government 's accountability to the American people . GAO is designed to ensure the accountability of the executive branch to the constiuents in their districts . neutral +It still sometimes happens . The Government Executive magazine presents trophies to recognize excellence . neutral +It was two years ago , said Adrin , the wind whipping at his cloak . It was traumatic . neutral +i thought i thought for sure that Buffalo was going to be in there this past year i really did and i would that would be my choice that would be my choice again this year I don 't support Buffalo so would never choose them . contradictory +'Drop by anytime , ' said White , closing the door . White told him to come back tomorrow . neutral +and then make a legal system that carefully protects people but uh where Construct a legal system with structures put into place that protect people . entailment +yeah you know they but it 's electronic You know , but it 's an electronic device that could explode at any minute . neutral +The renovated Musee Jacqemart-Andre reopened in 1997 at 158 boulevard Haussmann , not far from the Madeleine . The Musee Jacqemart-Andre has not reopened yet . contradictory +before i start in any exercising Before beginning an exercise program . entailment +Nor is he of any use as an instructional hero--neither a democrat nor a capitalist , he gives little comfort to modern Germany . He is not a democrat or capitalist and he only makes Germany feel a little better about the future . neutral +They lack the nerd 's enterprise and obsessivesness . They have just as much enterprise and obsessiveness as the nerd contradictory +The army has a lot more of them than heroes . There are ten times as many of them than there are heroes . neutral +He initiated a military takeover of the Communist Party , and the government arrested thousands of Solidarity activists and sympathizers , banned the trade union , and suspended civil rights . The event that he initiated turned out to be a giant success , which saved the country from ruin . neutral +Services also operate down the west coast to Rennes , Bordeaux , and the Pyrenees . It 's possible to have service in Bordeaux . entailment +The interpretation assumes that Congress took from H-2A workers with one hand what it gave with the other . The interpretation was well written in the report . neutral +and and most of them aren 't i mean you look you look at the number of marriages that are occurring right out i mean even in high school Marriages in high school are not common , but they happen . neutral +but they ought to get yeah i was but they are not ought to get , no I wasn 't contradictory +3 . To What Extent Has the United States Supplemented Its Saving and Investment by Borrowing Saving From Abroad ? The US has not added their savings by borrowing . contradictory +Ah ! breathed Tuppence . Ah ! He said after being scared by his younger sister . neutral +Next door , numbers 85 and 86 comprise the exquisite Newman House , part of University College ( guided tours June August Tuesday Friday noon 5pm , Saturday 2 5pm , Sunday 11am 2pm ; other times by arrangement ; closed Monday ; entrance IRa2 , children IRa1 ) . The Newman House has exquisite period furniture on display . neutral +Roads are improving , though , and while driving isn 't necessarily the horror it once was , traveling by rental car should be reserved for confident drivers comfortable on steep , winding terrain . The road is entirely safe and can be driven easily by anyone . contradictory +The cover package celebrates the century in entertainment with anecdotes told by stars and their hangers- Ira Gershwin 's brother-in-law describes how he manufactured ketchup ( he said to-may-toes , but his suppliers said to-mah-toes ) ; Little Ricky remembers what it was like to grow up as Lucy and Desi 's TV son ; Barbra Streisand claims she was never a shrew on the set ; a Titanic producer tells how Kate Winslet improvised an enduring moment in cinema--spitting in the face of co-star Billy Zane , etc . ... The century for entertainment is celebrated in the cover package . entailment +Annette , said Julius . Annette , Julius uttered . entailment +Don 't they know Karen Carpenter is dead ? Karen Carpenter died . entailment +There are over 60 tombs in the valley and some still yet to be discovered dating c.1490 1100 b.c. , but not all will be open on your visit . The tombs are not available to tourists . neutral +Bronze that once embellished the entrance was carted away and recycled as Bernini 's canopy for the high altar in St. Peter 's . The bronze that decorated the entrance was removed and recycled . entailment +yeah yeah but uh it 's just it 's just something that you know my theory is you know when when you have kids and all you want to do well what i 'll do is you know it like i mean you might have a problems but it 's not your kids problems you know and you got to try to to be with them as much as you can and to you know like thing is is that you know like if When you have kids , you want to spend time with them every day . neutral +The colorful Tibetan Buddhist monasteries are the most attractive sight in the valleys near Gangtok . The Tibetan Buddhist monasteries are bland and plain . contradictory +twenty four anyway long time ago and and shortly after i got we got here fourteen years ago and uh they had they had fired him uh because he was too anyway didn 't he didn 't have the personality and wasn 't drawing the crowds and that 's interesting is that 's that 's what the TV stations do they 're trying to get ratings When he was fired we struggled financially . neutral +Its non-stop street scene derives from the fact that nearly every one of its 20 arrondissements , or districts , has shops , offices , and apartments side by side and on top of each other . Nearly every one of its 20 arrondissements are very quiet and peaceful . contradictory +to this day i don 't care if i go or not you know if it 's going to get me it 's get me It 's going to get me an I don 't care if I go . entailment +I drew close to him , while John and the lawyer were debating the question of going through Mrs. Inglethorp 's papers . John and the lawyer were considering going through Mrs. Inglethorp 's papers . entailment +That is not what I meant . Let me explain myself again . neutral +i think that 's why i don 't like him I think that 's why I dislike him entailment +The main temple of Isis was expanded throughout its long lifetime . The main temple of Isis experienced a variety of additions . entailment +She , too , has various aspects . There are various attributes that she possesses as well . entailment +that has become a symbol of Nikko , the logo on virtually every souvenir . It became a symbol of Nikko , a logo that can be found on many souvenirs . entailment +A commemorative plaque ( near the Baroque fountain ) embedded in the piazza marks the spot where Savonarola was executed . Savonarola was executed for treason in the 1500s . neutral +No , no , not ill . Definitely the plague . contradictory +Too young for that . Too old for that . contradictory +It 's my cousin 's house , by the way . By the way , it 's my cousin 's house . entailment +It felt as thick as soup and he had to breathe shallowly . He took small breathes because it was so thick . entailment +Enclosed is our assessment of the agencies ' compliance with the procedural steps required by section 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . Our assessment of the agencies ' compliance with the procedural steps required by section 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of tile 5 with respect for the rule is enclosed to this . entailment +The more modest museum at the site has many finds , including a fine carved Temenos ( fourth century b.c. ) frieze of musicians and dancing girls . The dancing girls are wearing tutus and ballet slippers . neutral +oh i 'm in my paperwork here that 's what i do when i wait for a phone call i get in my paperwork When I am waiting for a phone call , I complete my paperwork . entailment +Because the Vacaville program is just starting up , Brownell said the number of people who can be seen each night is small , but plans are already in place to increase the totals . Brownell is hoping to get additional funding for the Vacaville program . neutral +uh my oldest two are already out and about in the world and i uh have a set of twins that are fourteen and uh my youngest is twelve I am the parent of a lot of children . neutral +These claims can 't , after all , all be right . These claims made by the girls can 't be correct . neutral +( Improvement continues to this day with efforts to enhance the lot of the pedestrian while still catering to the roaring traffic . ) The improvements that benefit the pedestrians may be detrimental to the traffic . neutral +Khajuraho was capital of the Rajput kingdom of the Chandellas , a clan that brought vigour to love and war , as is clear in the temples they built from the tenth to the 12th centuries . The Chandellas never built temples in the 10th century . contradictory +It will be interesting to see if Nerve can keep it up . It is proven that Nerve can 't keep up . contradictory +Only one system of government has ever dealt adequately with the incentive problem for the chief executive , and that 's hereditary monarchy . Only a hereditary monarchy has appropriately addressed the competition for chief executive . entailment +The federal government can also undertake steps to encourage personal saving . Personal saving is hard to encourage neutral +yeah yeah i guess so yeah i am i stay home with two kids and I play games with my kids at home . neutral +Though many lawyers provide such services , they are also being urged to write a check to a legal-services organization in lieu of the hours . Lawyers will be notified by the legal-services organizations when their checks are processed . neutral +In 2015 , carbon and mercury emissions continue to be 15 % or more above the target . Mercury emissions were 20 percent below expected levels in 2015 . contradictory +She had heard it said that he might one day be Prime Minister . Someone had said that he might become Prime Minister one day . entailment +Others complain that the superstars are over the hill , and are trotting out mediocre work . Some complain that the superstars are old and are doing mediocre work . entailment +it 's like a mystery uh theater uh that you you know you eat dinner and all through dinner they 're they 're doing this act and they they get supposedly get the audience involved in it and everything and that that sounds like that would be hilarious you know they ask audience members to come on stage neutral +Is it not customary for anyone purchasing poison to sign a book ? Isn 't it customary and rather required that people are listed when buying poison ? neutral +If Beresford has still got the upper hand , there 's nothing to fear . There 's nothing to be afraid of if Beresford is still in control . entailment +Although the Vice President did not use the term aExecutive Privilege- in his August 2 letter , his assertion that providing these facts would unconstitutionally interfere with the executive branch and his focus on confidentiality of communications use the same language and reasoning as assertions of Executive Privilege . The Vice President said that he did not want to provide the information . entailment +The provision of alcohol interventions in emergency departments ( ED ) may provide an opportunity to treat individuals who are currently not actively seeking such care . Alcohol interventions in the ED fail to identify the people really in need . contradictory +The cave monasteries of Udaigiri are close to Bhubaneshwar airport . A short car ride from the airport will allow you to explore the cave monasteries of Udaigiri . neutral +He gave me a call . The president called me . neutral +we missed it the the last year so hopefully this year he 'll have one It was at a bad time last year . neutral +i don 't i don 't know if uh can 't make any judgments of that nature but uh i don 't really want to either because i have no problems about it either way I can 't judge it but I dno 't really care anyway . entailment +Just as important , the climactic forgiveness scene at the church is wrenched from its political context . The church performed the climactic forgiveness scene . entailment +It is hard to see how providing free legal services to some welfare claimants ( those whose claims do not challenge the applicable statutes ) while not providing it to others is beyond the range of legitimate legislative choice . The welfare system in the us is rigged . neutral +Lieberman repeats his desire for a stinging censure so often that I am beginning to think he likes whips . LIeberman has a desire for a stinging censure . entailment +And as John Gregory Dunne reported in The New Yorker , Tom 's initial allegation was not vigorously pursued in testimony . Tom 's initial allegation was extensively pursued during witness cross-examination . neutral +The Government collects these amounts through its power to compel payment . The goverment collects small amounts . neutral +or i 'll go you know do a I 'll go do a trick . neutral +to network TV again once in a while right now we don 't have cable and it 's surprising how much it 's changed the you know the the whole moral situation everything is just just gone one whole complete direction different I cannot stand watching most of the things they have on TV . neutral +There is a fine collection of historical memorabilia as well as old paintings and etchings , and a 19th-century Chinese bridal chamber . The collection of historical memorabilia is very poor . contradictory +every once in a while down here at the main site We have problems here sometimes . neutral +The report by the Muskie School of Public Service at the University of Southern Maine completes a three-year evaluation of Guardian ad Litem - or GALs - in divorce and parental rights and responsibilities cases in the state . The report concerned divorce and parental rights in the state . entailment +So far he 's produced a 75 percent approval rating , a uniformly lauded budget , and a set of toy action figures . He made Star Wars toy action figures . neutral +Visitors drawn to the Petronas Twin Towers , located north of this triangle and known officially as the Kuala Lumpur CityCentre ( KLCC ) , will be disappointed to find that there is no public access to the upper stories . Public access to the upper stories of the Petronas Twin Towers is free . contradictory +This would not be the blanket grant of authority envisioned in the original Freedom to Manage proposal , but it would permit both the executive branch and the Congress to feel confident that proposed changes would receive timely consideration . Changes proposed by the President and Congress would receive consideration within one month . neutral +Pistols ? This seemed to interest Adrin . Adrin was interested by the pistol reference . entailment +Guadeloupeans , who don 't always own land , like to move around . The Guadelopeans always own land . contradictory +Each analysis supports a political ideology . It is common for political ideologies to be analyzed . entailment +The third row is devoted to bill / payment mail that is part of the NHH-to-NHH ( Non-household-to-Non-household ) sector . Bill and payment mail in the NHH-to-NHH sector is in the third row . entailment +Off the D84 road , just 3 km ( 2 miles ) northeast of Evisa , is a sign reading Piscine . A sign that reads Piscine can be found just 3 km northeast of Evisa . entailment +Every program eventually achieves this knowledge ; however , leading commercial companies GAO visited have found that there is a much better opportunity to meet predicted cost , schedule , and quality targets when it is captured early , in preparation for critical investment decisions . The GAO visits the majority of commercial companies in the United States . neutral +With the cloister , the monks ' ethereally lit refectory , the grand Knights ' Hall , and the elegant Guests ' Hall together make up the masterpiece of 13th-century Gothic architecture that earned the abbey its name of la Merveille . The architecture was colonial . contradictory +But it 's interesting to remember that Eisner was actually hesitant to buy a TV network and that it was Jeffrey Katzenberg who pushed hard for such an acquisition , though Disney only bought Cap Cities / ABC after Katzenberg had left . Will Eisner was not sure whether to buy a TV network or not , because he wanted to think about business decisions very carefully . neutral +" Well , th ' cap 'n's for law an ' order , an ' he 's army . The captain is all about punishment for crime . neutral +and i asked my roommate if she would teach me how to crochet granny squares so she did and i crocheted a blanket for my sister 's baby I taught my roommate how to knit socks . contradictory +Despite the onset of tourism , in many parts the islanders still adhere to old traditions , living off the fruits ( literally ! ) Islanders live older traditions even among the new tourists . neutral +yeah well if you enjoy it too you know you you can get out in the morning when before it gets hot and do it It 's best to get out and garden before its too hot . neutral +Pubs were once where men went to escape from women , but times have changed . Pubs used to just be for men . entailment +they hold competitions in Los Angeles in um Florida and Minneapolis Minneapolis um um trying to think of i think it 's in four places around the United States they hold competition and the only requirement is of course your skill of passing these tests They don 't hold any competitions . contradictory +The whimpers of San 'doro 's wounded foes cried out in the night . San 'doro 's enemies were wounded and crying because they lost the battle . neutral +It is disingenuous to say we should do Money is scarce and so is political capital . Money and political capital are scarce and they grow even more scarcer has years pass . neutral +3vi Aqua ad ¦ ¦ ¦ . Advertisement for buying a new bicycle . contradictory +Recently , a significant amount of attention has been focused on the structure of stock options and the related accounting treatment . The structure of stock options has been largely left unnoticed . contradictory +i thought it was very well done They did a great job painting my house . neutral +The information security management practices identified in GAO 's executive guides have been incorporated into policy guidance at many federal agencies . All federal agencies ignored the GAO executive guides . contradictory +um-hum yeah that 's right i and i really uh i really think it 's very important and i 'm very sensitive to it because i always felt that my parents are more uh old school and they were older parents and they didn 't do a lot of things with us that way and i always felt that i missed out that way and so i want to make sure that we spend a lot of time doing activities with the kids and i think a lot of times the parents have fun as well and uh you know now that summer 's coming of course i 'm sure in Dallas it 's already hot but up here I don 't believe this is important at all . contradictory +( It seems the operation can 't be shut down . ) The operation can be shut down . contradictory +In addition , as we have seen in the case of various derivatives transactions involving Enron , Qwest and Global Crossing , sometimes bad actors join forces to help achieve their goals . bad actors never join forces to help achieve their goals . contradictory +I 've had enough of the fellow hanging about . I 'm done tolerating that guy loitering about . entailment +Herculaneum ( Ercolano ) Mount Vesuvius . neutral +diverse clientele in every state , county , and congressional Diverse fruit seeds in every state . contradictory +i guess i have the most trouble with chipping how about you I am awful at chipping . entailment +The new program , headquartered in Oakland , was the result of a merger between San Francisco Neighborhood Legal Assistance ( SFNLAF ) , Community Legal Services in San Jose , and Legal Foundation of Contra Costa . The merger resulted in a number of layoffs for management positions . neutral +This time the visitor was neither Whittington nor Boris , but a man of striking appearance . The visitor was a very handsome man , but he wasn 't Whittington or Boris . entailment +Entire resorts open and close , and showrooms sometimes change show times , prices , or entire featured productions . Resorts can change show times , productions and prices . entailment +Get details from the city tourist office on the eight-hour trip , which goes in either direction on alternate days , optional return by bus , from March October . Most people say that the trip is worth it . neutral +Or , to quote Kael again , Mean Streets never loses touch with the ordinary look of things or with common experience . Mean Streets always shows ordinary things or common experiences . entailment +Adequate supervisory controls also are recommended . It is recommended that supervisory controls be put into place . entailment +oh yeah he was so excited about going He seemed very mad about going there , he is disappointed . contradictory +Glassman would be right , however , if you could buy $ 1 of dividends for $ 25 . Glassman is would be right . entailment +Slate page in 0.0266 seconds . 0.0266 seconds for a slate page . entailment +These guys have got busy pretty quickly . These guys do not have any free time at all . neutral +well that 's great to know I am happy that you have told me about that . neutral +Note that the demand equations shown above are somewhat different from those normally encountered . The demand equations shown above are somewhat different from those normally encountered . entailment +The line composed of boxes shows the profit position of the postal service . The line with the squiggly boxes I drew shows a profit graph . neutral +Further south , Byzantine columns and Corinthian capitals found in situ were re-installed to give visitors an idea of how the original Cardo looked . Byzantine columns and Corinthian capitals were removed . contradictory +Huge round bastions topped by ornate 14th-century minarets of Al-Muayyad Mosque ( 1420 ) frame the tiny gate , which was used as a permanent scafeld to hang criminals in years gone by . The mosque had seating for people to watch criminals get hung . neutral +The hole would be empty . The hole was four feet deep . neutral +Before me was a man with a toothless smile . The man was six feet tall and appeared elderly . neutral +The site links to his speeches and the petition that helped set him free , as well as to his June 4 statement on the ninth anniversary of the Tiananmen Square massacre . His speeches cannot be found on the site . contradictory +The information security management practices identified in GAO 's executive guides have been incorporated into policy guidance at many federal agencies . Many federal agencies use tools associated with GAO . entailment +and Kansas just crept up on them and uh uh it was unbelievable because they they did that a few years ago too when they were seated a lot lower and they won the the championship Duke was seeded higher than Kansas . neutral +As you pass through the gates , you enter a land of animated characters and technological wizardry , created by one of the most delightful imaginations that ever lived . You enter into one of the best theme parks in the world . neutral +The present site covers 28 hectares ( 70 acres ) of ground divided into several different natural environments . The present site covers 1 acre of only dirt and cactus . contradictory +yeah that 's it i had fun watching the Super Bowl last year because the the Giants ' coach looks like my sister 's boyfriend I hated watching the super bowl with the Giants that year . contradictory +Often , GALs end up doing more social work than legal counseling , such as improving communication between family members , Beyea said . GALs stands for the Georgia Alliance of Lawyers . neutral +AUTHORITY TO BORROW - Authority to borrow is a subset of budget authority . Authority to borrow is its own standalone category contradictory +oh my uh-huh can you do that on a credit card Is it possible to do that on a credit card . entailment +For-profit hospitals , however , face intense pressure to make money the top priority . For-profit hospitals are pressured to prioritize money-making . entailment +In some cases , though , this information can be difficult to locate . This information is always easy to access . contradictory +Candy floss ( cotton candy ) , Blackpool rock ( a hard sugar confection ) , and tacky souvenirs are sold in the many shops that line the dare yourself to wear a Kiss me Quick hat ! Blackpool is well known for their gift shops . neutral +The Grande Arche is farther away than most of the towers , and only when you get close do you realize just how big it is . ALl of the buildings are right next to each other and are the same height . contradictory +i i tend to if nothing else i tend to turn on the television at eleven o 'clock just to watch the news and or or Nightline or something just sort of get a good you know a good a good think for the day I also watch the 11 am news in the morning . neutral +i 'm like God this is ridiculous God agreed that it was insane . neutral +It 's like one of those Westerns where the town barber is also the postmaster and the saloonkeeper . In Westerns , the town barber was sometimes the doctor . neutral +I am not a private detective . " I am unemployed . neutral +but uh trying to relate that to me and i think because i had a strong Christian background personally it affected me differently than it affected my sisters and i see myself uh with some of those qualities but with not quite as much anger The movie left a different impression on me because of my Christian background . neutral +It runs in a straight line north from O 'Connell Bridge , and the best way to view it is to walk down the central island , making excursions to the left and right at the zebra crosengs . You can see it if you walk down the center island for two miles , then turn left or right . neutral +oh gosh i was going to say i never heard of that one The Love Connection I was about to say I 've never heard of The Love Connection . entailment +However , these British influences have , even from the earliest days of colonial rule , always been tempered and molded to the Jamaican style . Jamaica was Britain 's favorite colony . neutral +The attraction isn 't immediately The wide , straight boulevard du Montparnasse is plain by Paris standards . Running parallel to Montparnasses is du Frosehamp , which houses the childhood lodging of Napoleon . neutral +okay um i don 't know about you but where i am we have a like an extremely lax dress policy at work and it varies like everyday i mean from jeans one day to business suits the next The job I 'm at now does not enforce a strict dress code . entailment +Bauerstein is much of my height and build , and , like me , wears a beard . Bauerstein has a beard like me and is similar to my build and height . entailment +According to recent empirical research , current account deficits eventually have been followed by periods of declining investment . The empirical research referenced was done over a lengthy period of time . neutral +He 'd seen such illusions created on the stage , but there was something different here . He could tell that this was just another illusion . contradictory +Others tow all cars within a one-mile radius , weld closed all manhole covers , remove all trash cans , lock all mailboxes , and assign 7,000 cops to the scene , while denying the existence of any specific threat . Others assign 7,000 cops to the scene but deny that any specific threat exists . entailment +On the way , take a look at the fine three-tiered , Sumatra-style Kling Tengkera Mosque . There is no Mosque on the way . contradictory +These system requirements are detailed in the Financial Management Systems Requirements series issued by the Joint Financial Management Improvement Program ( JFMIP ) and OMB Circular A127 ( revised June 10 , 1999 ) , FinancialManagement Systems . These system requirements are detailed only in the OMB Circular A217 . contradictory +The last set of cross sectional data filed with the Postal Rate Commission in 1989 consisted of a sample of 16,092 different routes . A sample of 16,092 different routes were all in a set of the last cross sectional data . entailment +yeah well i here in Arlington we had this baseball thing and it was a big controversy and everyone was talking about it yet the voting was so low it was unbelievable and they were spending a lot of money The baseball situation wasn 't an issue that anyone paid attention to contradictory +If most customers are as devoted as she is , then each dry cleaner is like a mini-Microsoft , with its own captive customer base . All clients should be as caring as she is . neutral +he um it it of course it was much more prevalent in Europe exercise was much more taken much more seriously than it was here in fact it it hasn 't it 's just now getting to the level where it was in Europe you know now with everybody is going to the health clubs and everything Everyone here is now trying to exercise and keep healthy . entailment +Gossip columnists congratulated Bessette and consoled every other woman in America . Nobody was congratulated and nobody was consoled . contradictory +they just repeat It 's the same thing again and again . entailment +if i wouldn 't run into people with some more diverse views I 've never ran into people with diverse views . contradictory +Then he straightened , moving his hands toward the orrery in passes too rapid to be seen . His hands too fast to be seen . entailment +oh sure i think that 's that 's i feel that you know for certain cases that i that i am willing to give up my rights to secure the rights of others i guess is what i 'm saying I would never give up my rights for the sake of others ' . contradictory +Was Keynes also right when he warned against excessive saving ? When Marx warned against excessive saving , was he right again ? contradictory +Skepticism . Being unsure of things . entailment +The form and content of audit documentation should be designed to meet the circumstances of the particular audit . There are many different types of audits and they each need to be dealt with differently . neutral +Red said , " Holy Smokes . Red said , " Jesus love you . ' contradictory +At last I found a way ( since , happily and thanks to Bellow 's physical vigor , I wouldn 't have to write a deathbed scene ) : a conversation he 'd had with Martin Amis for a BBC documentary on Bellow 's life . BBC declined to make a documentary about Bellow 's life . contradictory +my husband didn 't like it that much i thought it was okay it was a little strange you know this woman supposedly is um being mentally abused by her husband you know he keeps her pretty much terrorized to stay in the house and she figures out this way to um to leave him secretly you know she fakes her death kind of thing and he tracks her down It was about a man who keeps his wife in the house and she fakes her death to escape . entailment +The stock market will continue to prosper in the coming months if more Chinese money rushes into town . The stock market will flourish if Chinese money is invested . entailment +In 1995 , realizing that security was an essential element of its efforts to innovatively use information technology , a major manufacturer significantly reorganized and strengthened its central information security function . A manufacturer reorganized in 1995 to strengthen . entailment +The Roman basilica 's long colonnaded nave leading to an apse gave way to the Greek cross with a central space surrounded by arches and topped by a dome . The Roman basilica features a Greek cross . entailment +The game 's up . The game keeps going . contradictory +How 's that for clever little Tuppence ? " Is that good for Tuppence ? entailment +Furthermore , the source of the invested balances is predominantly revenue earned from the sales of services , for which they incurred costs of operations when the revenue was earned . The predominant source of invested balances is donated by the government . contradictory +Browse through the Arab market behind the mosque and wander the alleyways towards the port . There 's an Arab market behind the market . entailment +Gallic unity collapsed with the crumbling Roman Empire . The gallics became united . contradictory +We have some firms that are strong and some firms that have struggled , she says . According to what she says , some firms are strong . entailment +my daughter uh got a few calls at home she talked to some student in i guess they give them to computer students too and uh Virginia or something like that she 's talked to two students Because my daughter is a computer student , she got some calls at home . entailment +John Erlenborn has been an adjunct professor at Georgetown University Law Center since 1994 and member of the Legal Services Corporation Board of Directors since 1996 . John Erlenborn is an average man who works for a gas station and is a member of AA . contradictory +The office usually is so overwhelmed , attorneys who work there say , that they have to stop taking calls and evaluating new cases for the day by 10 a.m. Most of the lawyers find themselves wishing that they could disconnect their phones after a while . neutral +The New Jersey State Bar Foundation receives 12 . The New Jersey Bar Foundation gets 25 . contradictory +and uh i know here you know you don 't have to have any reason you can just go and vote You don 't have any reason ; you can just go and vote . entailment +uh-huh oh they must have some good food there I don 't think I will ever eat the food there . neutral +well now do you work at TI Are you currently working at TI ? entailment +It 's got bears ! The bears are huge ! neutral +Some states , like California and New Jersey , comprise multiple service areas and , therefore , feature multiple LSC-funded grantees . Some states , like California and New Jersey , comprise multiple service areas . entailment +Will you take a picture of us with the underwear for our album cover ? We need a picture with the underwear , for our album cover . entailment +Creating a competitive environment would involve , at a minimum , eliminating the Private Express Statutes4 and the mailbox rule . A competitive environment would be better for the consumers . neutral +Given these trends and longrange fiscal challenges , the federal government needs to engage in a comprehensive review , reassessment , and reprioritization of what the government does , how it does business , and who does the government 's business . The federal government has to work on a comprehensive review . entailment +The interpretation of this increase is It is not clear if the increase reflects an increased cost of outsourced engineering or simply the cost of increased intensity of engineering required by today 's technologydriven projects and more sophisticated design and construction practices . The interpretation of the decrease is unclear . neutral +well that i 've been aware of i 've at least in my own circles i 've been aware of an increasing from my generation i don 't know if i can quite call myself a distinct generation from you but half generation off i guess um i 've noticed uh a certain increase um pessimism with America no longer being sort of on top i had the impression I get the impression that my generation has a pessimistic attitude about America . entailment +If this ratio is designated as g , The ratio is designated as f . contradictory +Gabriel looked out of the window and Adrin saw real remorse in the small man 's eyes . Gabriel was feeling sad . neutral +As a 12-year-old , that 's where I learned about party purges , and about Khrushchev for that matter . I lived in Russia until I was 18 , where I came to the US to study . neutral +Separating , at least until when the body stops causing you grief . The body was decomposing so badly that it wasn 't recognizable . neutral +Founded in 1960 with Swiss assistance for Tibetan refugees , this center makes and sells carpets . This center that makes and sells carpets , was founded in 1960 with the assistance of the Swiss for Tibetan refugees . entailment +that was something wasn 't it uh it 's unbelievable this That was unbelievable . I loved it . neutral +Multimethod Policy Issues and Applications . The policy issues are being addressed . neutral +Such a charming invitation from Mrs. Rolleston . Mrs. Rolleston gave an invitation . entailment +when i was growing up now things are different and people buy jeans in town but Nothing has changed since my early years . contradictory +To date , six of the seven local offices have given the plan a preliminary thumbs-up . The six preliminary approvals from local offices are enough to enact the plan . neutral +um-hum um-hum and and on Saturdays i go to a jazzercise class that 's my on Saturdays I like to go to a jazzercise class entailment +yeah yeah no shoe is worth that that price uh No shoe is worth bearing someone up over . neutral +Click here to sign up for e-mail delivery . Click here to exit the page . contradictory +The other notable thing about Amodt ? What else is important about Amodt ? entailment +He was evidently in a state of overmastering fear . He always did things he was afraid of because he liked to conquer fear . neutral +The tomb of Al-Mansur Kalawan is at the heart of the complex and is surrounded by beautiful screens of ornate Islamic fretwork . Islamic fretwork is used to surround the tomb of Al-Mansur Kalawan . entailment +and uh so it had not all of the stuff that people in other parts of the country were getting because each station gets its own mix It didn 't have the same thing that was in different parts of the country . entailment +Nathan Road has many electronics shops . There are no stores on Nathan Road . contradictory +FFC 's study discusses the results of a questionnaire survey of nine federal agencies that acquire , maintain , and operate a significant inventory of buildings and other constructed facilities in supporting their mission . The FFC study was initiated to find areas of cost savings within the agencies . neutral +Above this gilded door can be seen images of Shiva and his consort Parvati . Above the gold painted door are pictures of Shiva and Parvati . entailment +Killed by a blow to the head , she was perhaps L.A. ' s first murder victim . The first woman murdered in L.A. died from head trauma . entailment +In 2002 , 55 TIG awards were granted . There were 55 TIG awards that year . entailment +inspired reactions from both sides of the table , ranging from Yes , that 's exactly it to Call me a cynic , but I ain 't quitting a job for a f--k unless I 'm SURE it 's love and even then , dammit , HE can quit . All the reactions of the people were united and the same . contradictory +yeah i think so yeah yeah but it might be interesting to see what would happen if you took kids at a and then took then to another country instead of having being exposed to all the drugs and violence and sex and everything here and take them to some other country that had different moral values something like Saudi Arabia where they couldn 't drink It is perfectly acceptable for kids to drink in Saudi Arabia . contradictory +The official Archaeological Museum of Luxor lies a little way north . There are several museums in Luxor . neutral +Not just respect for battle . No one respected the battles that the villages were having . neutral +To address global climate change and greenhouse gas emissions , we are pursuing a broad array of conservation and energy efficiency goals under the Administration 's National Energy Policy as well as the development of a comprehensive policy under the ongoing cabinet-level review for this issue . To address Global climate change and emissions , we are pursuing a large array of conservation and efficiency goals under the National Energy Policy as well as the development of a comprehensive policy . entailment +And what about what we might call the Rauch-Reich test ( so named for Jonathan Rauch 's There is no test called the Rauch-Reich test . contradictory +I shall have to go home ! " I 'll never have to go home . contradictory +even if it 's you know ten dollars a week and so we 're going to start doing that or actually we started two paychecks ago and that was uh i think that was a really wise decision I feel like that choice was a smart one . entailment +It is medieval bazaars , a quartet of Russian musicians performing at the Bible Lands Museum , or the echo of a soprano 's voice inside the Crusader Church of St. Anne . They later found out it was actually a rock 'n roll concert . neutral +afforded interested parties the opportunity to comment on the proposed rule . People were not allowed to voice their comments . contradictory +The good times won 't last . Good times inevitably come to an end . entailment +Even in the suburbs , where dogs run free , no poodle comes home with a hammer and sickle spray-painted on his side . Dogs run free in the suburbs and are safe from vehicles . neutral +yeah i 've always wanted to go back and read some of my literature texts from college um because i enjoyed some of those stories so much but i never seem to have the time to do that kind of reading I never seem to have time to read my literature texts from college . entailment +the diversity of the programs . The programs are diverse . neutral +In 1980 , most of the agency 's auditors and management analysts were reclassified as evaluators to reflect GAO 's varied work . The GAO decided to continue classifying management analysis as auditors . contradictory +Until Netscape approached him , he thought Microsoft was right and Netscape was wrong--based on his general view that predation ( misuse of market power ) is largely a myth . According to his views at the time , predation was not real . entailment +That puts Medicare growth at just over 4 percent a year . If we take taxes from the military and put them in social programs , we will allow Medicare to grow at just over 4 % each year . neutral +Stark sat on a brown stallion painted in stripes of red blood . Stark sat on top of his horse . entailment +that 's that 's a pretty short career on average Three years is a short football career compared to most . neutral +um-hum right right yeah but i agree with you though they uh they 're trying to uh you know they 're they 're saying that you are guilty until proven innocent and uh and i don 't really appreciate that at all They say you are guilty until you are proven innocent . entailment +He still intended to hear what was going on in the locked room . He was going to eavesdrop on the conversation in the locked room . neutral +The Department of the Interior is exploring alternative procedures that would let tribes negotiate compacts directly with the secretary , cutting the states out of the equation . The department wants tribes to negotiate directly with the secretary for compacts over $ 10,000 . neutral +This knowledge , coupled with vast experience in manufacturing trucks , ensured the stability of the 797-truck design before initial manufacturing started . The stability of the 797 truck design was assured before manufacturing began . entailment +I may be wrong , but I don 't think so . I 'm not sure whether I 'm right or not . neutral +yeah plus i think he lives at a small hillside too so Yeah he lives on the large riverbank . contradictory +Yes , little lady , out with it . And obediently Tuppence did out with it , telling the whole story from the forming of the Young Adventurers , Ltd . , downwards . Tuppence didn 't speak a word . contradictory +But I must tighten that screw in the cupboard . I need to tighten the screw in the cupboard . entailment +but this one is almost all black she 's black and chocolate and silver She only has a little bit of black . contradictory +The battle raged . The battle of the bastards raged on . neutral +Democrats released documents indicating that Republicans sold big political donors meals with the party 's leaders in federal buildings in 1995 . The Republicans never sold meals to big political donors . contradictory +well what is it that you prefer to provide as far as maintenance on your vehicle We have specifics about what must be provided about vehicle maintenance , period . contradictory +Further , the Executive Orders on property rights ( 12630 ) , intergovernmental partnership ( 12875 ) , and environmental justice ( 12948 ) are similarly inapplicable . The property right executive order is numbered 12630 , intergovernmental partnership is number 12875 entailment +Until recently , he hasn 't spent much time pushing the Second Amendment . He doesn 't like to speak about the Second Amendment neutral +yeah Ninja Turtles got to have those Ninja Turtles are the coolest . neutral +Ceter of the bustling life of the modern town is the airy Place de l 'Horloge , surrounded by cafe and a pedestrian zone of smart shops along the Rue des Marchands . The city center lies abandoned , a testament of needless warfare . contradictory +Shall we have it up here , or go down to the restaurant ? " 41 Tuppence expressed a preference for the latter , and Julius bowed to her decision . Julius is Tuppence 's superior . contradictory +The Alternative Estimate addresses this issue by using an estimate of the value of statistical life that is based only on the set of five contingent valuation studies included in the larger set of 26 studies recommended by Viscusi ( 1992 ) as applicable to policy analysis . Viscous recommended another set of studies in 1993 . neutral +He peeked around the rock to see Vrenna dancing between three dismounted riders . Vrenna was dancing between three people . entailment +For years , federal agencies have struggled with delivering promised system capabilities on time and within budget . Budget overages of twenty to thirty percent are common in most agencies . neutral +ACI was presumed to be the technology that would be used to reduce mercury where dedicated mercury controls were needed because the hardware is representative of most sorbent injection technologies . ACI was presumed to be the technology that would increase mercury levels . contradictory +The clear blue waters around Madeira have attracted the attention of four diving schools . The sea waters off Madeira 's coast is murky due to pollution . contradictory +we 'll probably never know how much it actually cost I doubt we 'll ever know how expensive it was to replace those airbags . neutral +He smiled at her but the look in her eyes made his skin grow cold . He smiled at his mother but the evil look in her eyes scared him . neutral +which is which is another Dallas company It is yet another Dallas company providing jobs . neutral +He has been looking into the 1996 campaign-finance scandals . He has been researching the campaign finance scandals . entailment +At Bowness and Waterhead ( Lake Windermere ) you will find them lined up next to the ferry piers ; at Derwent Water they are found at Lakeside . You can find them at other locations besides Bowness , Waterhead , and Derwent Water . neutral +Given the aging of the U.S. population and the increasing cost of modern medical technology , it is inevitable that demands on the Medicare program will grow . With modern medical technology there is also higher associated costs . entailment +i went back to school and got my Master 's and they started sending those things to me again I didn 't receive anything after I got my Master 's . contradictory +What do I say at the interview about my previous experimental life ? My life is full of trials and hardships . neutral +Russia 's generals and politicians essentially ginned up the new Chechen war as a confidence builder . Russia has no politicians . contradictory +Adrin continued his monologue , describing the grizzly murders that took place in the deep of night in the brothel district . The murderers had not been caught . neutral +The three groups that deliver most of the legal aid to the poor in Illinois will lose about $ 920,000 in congressional funding annually , said Eric Kleiman , a spokesman for Legal Services Corp. , the Washington-based agency that distributes federal money for legal aid . Eric Kleinman has been a spokesman for 4 years . neutral +Upscale bungalows with slate floors , private gardens , and spacious lanais create a relaxing hideaway on the beach . The bungalows have slate floors and hammocks on the porch . neutral +We don 't have a lot more options , said Anne Milne , executive director of Utah Legal Services , after learning of the CVR refusal Wednesday . The director did not want to give up on their clients . neutral +they are paying for it and and the and the just the quality of care is not as good either The quality of care is just as good . contradictory +yeah yeah well we didn 't have much we had some good ice but not a lot thank goodness not It snowed a lot and we had some good ice too but not a lot . neutral +Later that year another devastating fire destroyed much of the structure though not the tower and Cromwell made funds available to rebuild the structure . The fire did not destroy much of the structure but the tower was harmed . contradictory +GAO has reported that well-chosen federal spending for infrastructure , education , and R & amp ; D that is directly intended to enhance the private sector 's long-term productivity can be viewed as federal investment . Well-chosen federal spending for infrastructure , education , and R & D halts productivity . contradictory +Through the free hotline , which officially made its debut last week , Luu and other project employees calm anxious callers and even elicit laughs from those who don 't know where else to turn . Luu and the employees calmed down the callers who were confused . entailment +To the common man , wars were just another hardship , taking sons away from the farm to fight , while the armies ' French as much as foreign ' ravaged the land or pillaged the towns . The sons were only too happy to pursue the adventure of joining the army and fighting for one 's country . neutral +Those blue eyes , brilliant , yet oddly shallow and curtained , met Drew 's for the second time . Drew felt a surge of emotion when he saw those blue eyes for the second time . neutral +I came over to Europe on purpose to find you and a pretty dance you 've led me . " The car slackened speed . I did not come here with the intention of finding you . contradictory +Do you really mean that things are not so desperate after all ? Could that be what you really mean ? entailment +The sparklers belonged to him . The sparklers were his . entailment +I 'm no reproductive rights attorney , but if this isn 't overtly promoting infanticide as a form of population control , it 's coming awfully close . Infanticide is not a form of population control . contradictory +There 's not much differential from other EU prices . There 's not much price range from other EU prices . entailment +Below is a list of the hubs and the islands that can be reached by ferry from them within two hours . The list of hubs that the ferry visits is a short list . neutral +Yet it is strange . It 's completely normal contradictory +Very good , Ivan . This is exactly what we needed . neutral +A Case Book . A book about the case . entailment +mIncluded as expenses in calculating net cost . No expenses . contradictory +They 're not too small , don 't worry . They are not tiny . entailment +It would be really nice because i 'm kind of tired of driving in pot holes I absolutely adore driving into potholes with my cars so much that I hope that the road never gets fixed . contradictory +Thus originated Las Vegas 's reputation as an adult theme park . Vegas was known as a theme park for adults because of all the gambling and alcohol . neutral +The whole household was aroused by now . Everyone in the house is awake now . entailment +cut us off right there the last few seconds the station finally you know how they 'll put the little message down at the bottom started telling everybody that they were not the ones that had cut that off that it was the national you know They said that we weren 't the ones chosen for that particular job . neutral +The mills in North Carolina exist because textile capital migrated from the Northeast in pursuit of low wages , no unions , and cheaper materials . It was cheaper to operate a textile mill in North Carolina than in the Northeast . entailment +initially predicts increased demand for postal delivery services . Consumers are finding it more convenient to use postal delivery . neutral +Though Seti commissioned the temple between 1291 and 1279 b.c. , the colonnaded courtyards and ramps on its facade were added by his son Ramses II who usurped his father , trying every way possible to excise his name from the temple walls . Ramses II did not excise his father 's name . contradictory +it did is that right you know well if you sell it for that sure if you sell it for that price whatever you have to buy is going to be inflated by that same amount so there 's really not an advantage to it If you sell it for that price there 's no advantage to it . entailment +Yes , our parents had many of the same sexual traumas we did but , no , we don 't want to hear about them in detail . Our parents experienced a lot of the sexual traumas that we did but that doesn 't mean we want to know details about them . entailment +It 's Sunday , what channel is this ? It 's Sunday , can you change the channel ? neutral +Though water flows freely through the city 's multitude of artificial lakes , lush resort swimming areas , and sprinklers quenching the famous golf courses , it now arrives via a giant pipeline connected to the Colorado River . The city has negotiated lucrative contracts with nearby states to meet its huge demand for water . neutral +LSC asked attendees to identify what they feel would be the next appropriate steps . LSC wanted people to tell them how they should decorate for the next party . neutral +It doesn 't require much sightseeing , which is good , because most people just come to bake on the beach . The location does not have much to see and most guests spend the majority of their time on the beach . entailment +Each record in the 1989 CCS contains the date of the observation , the 5-Digit ZIP Code in which the route is located , the route type , 20 the number of pieces ( by subclass and by shape ) per stop , the number of possible deliveries and actual deliveries per stop , and the stop type ( single delivery residential , multi-delivery residential , and business-and-mixed ) . The 1989 CCS has a lot of data , such as ZIP codes and number of pieces delivered at each stop . entailment +Got you a couple of blooded hosses an ' a good heavy money belt . He gave him a money belt to keep his belongings in . neutral +This review is referred to as the prepayment examination . This review is referred to as extortion . contradictory +In ancient times , this land had a forest of giant sequoia trees . In ancient times , this land had a forest of coconut trees . contradictory +yeah it 's probably sitting out on the barge somewhere " Most likely it is present on the barge somewhere . " entailment +the the diaper service trucks apparently the fuel that they use and the fumes that they produce to deliver and drop those off The trucks are not good for the environment . neutral +There 's a name for this personnel It 's called Pass the Trash . Some people call this personnel Pass the Trash . entailment +And you know he really is American . He is an overweight white male with an American flag on his truck . neutral +Today it is usually used as the castle parking lot , but it offers superb views of both Princes Street to the north and the Old Town to the south . It doesn 't offer any views of Princes Street . contradictory +The hill station was named after William Cameron , a British surveyor , who in 1885 reported the finding of the fine plateau . William Cameroon was a British surveyor . entailment +um well it 's only been what a year two years I am not sure if it has been three years yet . neutral +The centre of activity is the maritime promenade ( passeig Mar ? ­ tim ) , a bayfront park area reclaimed from the sea and now covered with trees , flowers , a fountain , benches , and a proliferation of outdoor cafe and restaurants . Most of the restaurants on the maritime promenade serve foreign food . neutral +One never knows . " One always knows . contradictory +Those seminal early papers were crisp and minimalist ; they looked forward with remarkable prescience to the wild and woolly , out-of-control world of modern international macroeconomics . The early papers were not short and to the point ; they were backward looking and not prescient to the wild world of modern macroeconomics . contradictory +Jon looked at the Kal . It was the Kal that Jon was looking at . entailment +When you went into Mrs. Inglethorp 's room , was the door leading into Miss Cynthia 's room bolted ? Mrs. Inglethorp was in her room when you entered it . neutral +Each wore a cloak of black and leather armor with high neck guards that went up past their chins . They were all completely protected . neutral +Perhaps everyone . I think that means everyone . entailment +The problem , Keynes wrote , was that people desire the moon--a perfectly safe place to store their wealth . Keynes wrote that people desider a safe place they can be wealthy in , and this remains true for the most of economists . neutral +yeah same thing here I 've got something different . contradictory +Catalyst is discussed in Section 6.4 . Catalyst is discussed . neutral +Seventy years of carving had barely scratched one massive trunk-like toe of the Old One . The Old One was just a few years old . contradictory +Like Supreme Court Justice Kennedy , I have only a tenuous grasp of constitutional law , but won 't this sort of thing be taboo once that flag-burning amendment passes ? I know a lot about law , won 't this sort of thing will be completely normal when the flag-burning amendment passes ? contradictory +kind of a habitual or or a habit that uh a tendency that people uh may get into then i guess i don 't really have a problem with it People might be in the habit of recycling . neutral +military military to make people to go off to the military voluntarily but it 's it has helped them and they are just a lot more mature than the average student and The maturity is important in the military . neutral +yeah you had a good time there You got a little crazy . neutral +We suggest just three within easy reach of the Via Cavour thoroughfare leading from the main railway station ( Stazione Termini ) . There are no main railway stations . contradictory +These were no profiteers or bandits . The place was full of thieves . contradictory +and uh and what it really means to vote and we also don 't make the uh the issues perhaps in language that people fully understand them We don 't make the issues in a language people can read so it needs to be available in many languages . neutral +A Hindu fanatic , enraged by what he felt was an excessively fervent defense of the Muslim interests , assassinated Gandhi in a prayer meeting on 30 January . Gandhi was assassinated in a prayer meeting on January 30th by a radicalized Hindu who was displeased with Gandhi 's defense of Muslims . entailment +uh-huh that 's it just hang up all righty bye This conversation has gone on for over an hour . neutral +Bars and cafes are usually open from as early as 8 : 00 a.m. until midnight or later with no break for the siesta . Bars and cafes are only open after midnight on special days . neutral +yeah that 's true you just take off your mortgage interest and that 's about it You need to add your mortgage interest . contradictory +we had two trees in the front of our yard and then one of them died and so that 's where we keep putting that pecan keeps dying we have uh i think it 's a Silver Leaf Maple or something like that that 's hung on out there The pecan trees are alive and well but the maple tree died . contradictory +You 've seen this sort of picture People get drunk and drag skeletons out of closets , and the tension between the formal dinner party rituals and the truths that simmer beneath the surface give way to a Walpurgisnacht . The anti-patriarchal content is fairly routine , but you should see the movie anyway because the director , Thomas Vinterberg , is a great , hypersensitive filmmaker whose edgy , grainy , caught-on-the-fly camerawork seems to make the very celluloid shiver with rage . This is one of the best Thomas Vinterberg movies . neutral +The subsequent period of internal strife between the Turks and the Greeks and Armenians was dominated by Mustafa Kemal , who had risen from the status of war hero to become the lead ? ͿΥr of the Turkish nationalist movement . Mustafa Kemal hated Greeks and Armenians . neutral +I have a certain talent for deduction , and Dr. I am talented at deduction . entailment +Suggestions have been offered in the United States that the most attractive customers of some presort firms are being charged a price in the neighborhood of one cent per piece . Some have suggested that the most attractive customers are being charged around a penny per piece . entailment +But any hope that Democrats can capitalize on Starr 's non-North performance dissolves immediately after lunch , when Democratic committee counsel Abbe Lowell questions Starr . Abbe Lowell is an up right lawyer . neutral +U.S. they account for approximately six percent . They want to make for at least ten percent . neutral +But he was curious as to what the Satheri had expected to do with aircraft . He did not want to know the Satheri 's plan for the aircraft . contradictory +Twenty-five young dancers , singers , and musicians in the Ballets Martiniquais Folklore group perform traditional local favorites , as do less formal groups on Guadeloupe . While the group itself is famous , not all of its members are equally talented . neutral +But looked at in the terms the White House uses today , Clinton was proposing cuts in Medicare spending beyond the $ 270 billion Republicans dared propose . Clinton and the Republicans wanted to cut Medicare for very different reasons . neutral +That is true , he admitted . He admitted that is was true . entailment +As a visiting statesman once said of What splendid ruins it will make ! Its delicate design would later lead to its abandonment . neutral +Suppose , however , with suitable reverence to Adam Smith , one looks at this plan according to its degree of roundaboutness . The plan is complex to view neutral +Most of the half-dozen men squatting on their heels about a fire were three-quarters bare , showing dusty , brown bodies . The men were in the midst of a thirty minute gun fight . neutral +Our interest rate assumption for 2000 through 2005 is consistent with the average rate on the debt held by the public implied by CBO 's interest payment projections in its baseline . The interest rate assumption is based on the CBO 's baseline . entailment +He was the Mahatma 's favorite to lead India to independence . He favored Mahatma to lead India 's path to independence . entailment +i 've got the same problem I 've had the same issue . entailment +The statute 's application of the presence requirement to legal permanent residents , for example , is in some tension with the fact that those aliens are legally entitled to leave the United States temporarily without affecting their immigration status . Many legal scholars have contended that the legal entitlement of aliens to leave is suspended in situations where the statute applies . neutral +uh did you ever go to Texins at all when you were working for TI You didn 't work for TI . contradictory +and you know so he does this like everyday you know deals with this and he said you know you could pretty much if you sit on a jury know right now you could be sure that they will serve just about a quarter of whatever you give them you know He is very new to the jury scene and sentencing contradictory +Discos pulsate to both Latin and Euro-American rhythms . Latin and Euro-American rhythms are both present in discos and are a mix of different cultures . neutral +To come to the house and ask for " Mr. Brown " appeared indeed to be a reasonable and natural proceeding . It was not reasonable to ask for Mr. Brown . contradictory +Twenty days after filing the report , the Comptroller General may bring a civil action in the district court of the United States for the District of Columbia to require the official involved to produce the withheld records . The Comptroller General may bring a civil action after twenty days . entailment +it seems to be socially acceptable as a self-esteem you know building building the person 's confidence up and you have It is unacceptable on every level of being . contradictory +I don 't feel anything no say , what 's this ? I have no feeling . entailment +The waterfront drive parallels the shore of a Chinese island , and boats headed to China pass through the narrow waterway . Boats headed to China can pass through the narrow waterway . entailment +It administers the state 's human services programs , such as Food Stamps , foster care , disability , and cash assistance . The state 's human services programs , such as Food Stamps , foster care , and others , are administered by a separate body . contradictory +I woke up a week later unable to talk or eat . I couldn 't eat or speak . entailment +so how long are we suppose to talk for so I 'm not suppose to talk at all ? contradictory +According to neoclassical growth theory , the rate of growth of labor productivity depends on the growth rate in the capital-labor ratio , weighted by capital 's share and the growth rate of total factor productivity . Growth rate in capital-labor is not an independent variable . neutral +You and your breasted American girlfriend--to be politically correct--need not feel there is anything wrong with her centerfold figure . You look awful in the centerfold figure but your busty friend looks great . neutral +i i can understand i can understand well it 's been good talking with you I am glad we got to talk today . neutral +and uh yeah he was a he 's uh we call him Dana Jerk We call him Dana Jerk entailment +i said uh why do i feel like i need to start pushing myself more and he goes human nature I though to myself about how I could improve myself neutral +However , if an impasse is ultimately reached in a particular state , it is critical that LSC maintain its statutory right to decide the configuration of service areas in order to foster greater access and service for all eligible low-income clients . The LSC decides the configuration of service areas . entailment +At a time when countries are going to new extremes battling for their share of the world tourism pie , Mallorca and Menorca are reassessing their enduring popularity . At the moment , countries are not interested in promoting tourism . contradictory +They all confirmed my opinion . My opinion of them was mostly negative . neutral +Recognition comprehends both initial recognition of an item and recognition of subsequent changes in or removal of a previously recognized item . Items must be chanted for five hours while walking on clouds . contradictory +The program manager helps monitor contractor performance to ensure that user requirements are met by the products or services delivered and that senior officials provide support and oversight . The program manager makes sure requirements are met . entailment +boy i tell you i just got my car back from a dealer and when it was in there i had them just go ahead and change the oil and filter thirty four dollars The price has gone down since the last oil change I had . neutral +Many of the members had matters pending before the administration . Several matters from the members were being considered by the administration . entailment +and they really their parents don 't bring them up properly they have absolutely no morals because no one taught them They are people that were neglected by their parents and society . neutral +Also , new information not only needs to be useful , but also needs to be understood by investors . New information should be confusing and useless . contradictory +The NYTBR could make itself more interesting by going halfway British . The NYBTR wants to be accepted by other british organizations . neutral +This site provides standards , guidance , and information on internal auditing best practices for its members . This site is still under construction and does not have anything on it just yet . contradictory +Jon lifted Susan into his arms , his muscles sore from combat . Susan lifted Jon into the air . contradictory +They have mainstream acceptance and no shock value , and are worn by young career women and old grandmothers alike . They are edgy and controversial . contradictory +too expensive more expensive for them to do that then It costed a lot of money for those people to do that . entailment +One Governor is said to have remarked at the public meeting that he thought the Postal Service needed some mechanism for recovering unforeseen expenses ! There were no governors at the public meeting . contradictory +But conversation is also important . Conversation is unimportant . contradictory +i i might have seen part of that because the name sounds familiar although i would i would remember i think in with him in it I remember that entire movie . contradictory +oh i seen that movie I 've seen that movie many times . neutral +so yeah it 's going to be uh let 's see next year i guess it will be an antique I believe it will finally be an antique this time next year . neutral +He might have stowed them there in a hurry . He definitely didn 't put anything there . contradictory +The architecture of the church built in his name at Assisi contradicted Francis 's humble testament denouncing temples of great dimension and rich ornament . The church built in his name at Assisi was pretentious and opulent . entailment +For a detailed listing of local events beyond the Strip , pick up one of the two free alternative newsweeklies , Cityife or Las Vegas Weekly . There are local events outside of the Strip that you can find listed in one of the local newspapers . neutral +Plain coco ? " Normal coco ? entailment +It provides an analytical perspective on the Government because it shows the short- and long-term direction of current programs . Seeing the short term goals of the Government is not enough to analyze the Government without the long term goals . neutral +Take my word for it . Don 't take my word on it , try it yourself . contradictory +There is a lesson here for policy-makers who hope that the public will be easily led to make modest sacrifices for the common good ( or even for their individual good ) --such as accepting controls on medical usage to limit the runaway costs of medical care . The excess usage of drugs is becoming more and more a hot-topic issue as the public relies on them more . neutral +Even if there were no net investment-that is , if gross investment were only enough to replace depreciated capital-the economy could grow to some extent because the new capital tends to embody improved technology . New capital means improved technology . neutral +Its production , according to a closely guarded method , had been done for three hundred years by the Arterian monks whose abbey was located at the top of the mountain . The production method is known by everybody contradictory +Grey and white bands of marble give the interior a spacious simplicity . The lines painted on the marble give the place a sense of being smaller . contradictory +And the local talent that had been matched against Oro in the past had probably not been much competition . Oro very easily beat all the local talent . neutral +uh that that was tremendous and Tom Cruise Tom Cruise was tremendous . neutral +Needless to say , these plans had not been in the prospectus . These plans weren 't covered in the 20 page prospectus . neutral +and so that that has worked out pretty good and then i used to work for TI and i have when i retired from there or left i took the money that i had in mine and put it in an IRA and we had an out I put money in and IRA once I left my previous job . entailment +First moment I clapped eyes on her photograph my heart did all the usual stunts you read about in novels . Her appearance was not impressive whatsoever . contradictory +Really , is there anything Jack Daniels can 't do ? Is there anything Jack Daniels can do ? contradictory +Gingrich , the maestro of demonization , recognizes this unfolding catastrophe and is desperately trying to avert it . Gingrich is watching this disaster unfold and is desperately trying to avoid it to save face . neutral +There is also a cabaret at the Melia Varadero hotel . The hotel would not stand for a cabaret on its premises . contradictory +This is not to say that all case study evaluations show divergence between the questions that were asked and those that were answered or that an appropriate balance between the evaluator 's and the customer 's needs is never reached . All evaluations diverged from the questions that were asked . contradictory +The Hollywood sign over Beachwood Canyon is perhaps the most recognized landmark in Los Angeles and a favorite photo background . People do not like taking photos with the Hollywood sign in the background . contradictory +But there is nothing benign in this question ; it is an echo of To be , or not to be ? The serious question remains , as an echo of the famous Shakespearean quote : to be , or not to be . entailment +Nearby , the Kal twisted his waist , wincing , and pinwheeled his arms . The Kal writhed on the ground . entailment +So am I ! So are she and I ! neutral +oh with WPA So with WPA ? entailment +You don 't need to read the results off graph paper . You needn 't read the results off graph paper . entailment +and one had been broken off One broke off because of wind damage . neutral +oh i see well i was raised on the Texas Gulf Coast in the summers and during the Christmas holidays we 'd go down to our house on the coast Some of my best memories are down on the Texas Gulf Coast . neutral +He demonstrated to the electorate that real change is not cheap and easy . It was shown that real change is not easy . entailment +Only its outline , a few brick vaults , and three fine ancient monuments survive today . The whole structure and several ancient monuments are still there today . contradictory +The machines , in comparison , seem fuzzy . In comparison , the machines don 't seem fuzzy . contradictory +The northern , more blustery end of the lake is in Switzerland , but the Italian side shares the other lakes ' mellow climate . The lake is all in Spain . contradictory +Yes , yes , too conclusive , continued Poirot , almost to himself . Poirot ignored the conclusiveness of the outcome . entailment +Bill Clinton is a master of buttering up journalists by quoting their books and articles back to them . Bill Clinton is not good at buttering up journalists . contradictory +She twisted and the cloak fell away . She bent down and picked up the cloak . contradictory +One had to separate the relationship , whatever it was , between Monica , et al . Monica wanted the relationship to end . neutral +i wouldn 't now because i don 't know of one that 's that 's equipped to handle We can rent one that will handle this . contradictory +I 'd worry more about The Rage : Carrie 2 , which mixes righteous indignation with pornographic violence in a school setting . The Rage : Carrie 2 has caused many nightmares . neutral +Jon had neither time nor patience for them . Jon didn 't have the patience to have children . neutral +Six teams of a nanny and a nurse take turns watching the baby around the clock , although they are not allowed to kiss him . The six nannies can kiss the baby . contradictory +Yes , suh . Drew spun down two double eagles . Drew drank two double agents . contradictory +Microsoft Chief Operating Officer Bob Herbold replied , The answer to that question is no . Microsoft COO replied no but they are considering it in the future . neutral +A tunnel has been excavated along the entire western side of the Temple Mount , so that visitors can see the extent of the Western Wall . It was proposed that a tunnel be excavated along the entire western side of the Temple Mount , but this plan has been scrapped . contradictory +In some cases , agencies ' legislative mandates have grown so muddled that Congress , the executive branch , and other agency stakeholders and customers cannot agree on program goals , worthwhile strategies , or appropriate measures of success . Legislative mandates have become so confused in some cases . entailment +In response , Dunn described a 15-minute ED-based intervention funded to change six behaviors among not wearing bike helmets , failing to use seat belts , carrying a weapon , binge drinking , riding with a drinking driver , and drinking and driving . Issues included bad and unsafe behavior of different kinds neutral +Then she turned back to him , nodding . She turned away from him and shook her head . contradictory +Do you have a safe here ? Topham 's eyebrows climbed . " Do you have a safe over here ? I need to stash this money over here . " Topham raised his eyebrows in surprise . neutral +Run and live was the message Jon wanted them to learn . Jon wanted to flee to safety . entailment +The constraint of maintaining constant popularity is simply too large a burden to bear . Keeping up appearances is too large a burden to bear . entailment +His philosophy might have prepared him for his own death His philosophy prepared him to die . entailment +no unless i watched through the war you know there 's only one I watched Through the War and there are several . contradictory +This job gives me the opportunity to help people , she said . She worked at a local non-profit organization . neutral +The papers are full up to the brim with that type of thing . The papers are filled with many things . neutral +Oreskes declined to tell him , of course , who the Times ' sources were . Oreskes decided to tell him who the sources were . contradictory +Eightynine countries have participated in the International Auditor Fellowship Program and 279 individuals have graduated from the program since 1979 . The program has grown considerably since it started in 1979 . neutral +However , we need to maintain and enhance our ability to take greater advantage of modern technology and achieve an integrated infrastructure that supports our client service , strategic planning , human capital , and business process goals and objectives . We need to achieve an integrated infrastructure to support client services . entailment +Time interviews Chinese President Jiang Zemin . Time 's interview is particularly insightful . neutral +The present church dates from the late 19th century . The church had financial records that date back to the 18th century . neutral +Leonardo da Vinci spent his last days in a small manor house nearby , the Clos-Luc ? ? , now a museum illustrating his talents . Leonardo da Vinci did not stay in the small manor home that was turned into a museum . contradictory +i think i 've seen two around Dallas There 's only one in Dallas , and I couldn 't even find it . contradictory +When his family fell on hard times , Degas blamed it on the Jews . Degas blamed no one for his family falling on hard times . contradictory +that that or any side arm whether it be a blade or whether it be a handgun or whatever Any side arm like a blade or a handgun . entailment +But there 's little point in pursuing the perpetrator , whoever he or she may be . It would be pointless to try and capture the mysterious perpetrator . entailment +State planning addresses discrimination-based advocacy and the infrastructure necessary to achieve it . State planning addresses advocacy based on discrimination and the infrastructure behind it and also addresses tax evaders . neutral +In the area of control activities , we found that organizations need to tailor their actions to fit their particular needs . We found that organizations need to adjust their actions to fit their needs . entailment +The reality , though , is that this kind of stuff still happens all the time ( even though eventually everyone does seem to get caught ) . The truth is that this kind of stuff happens very often . entailment +When sightseeing , you 'll find the two thriving churches somewhat more interesting than the three ruined forts overlooking Gustavia . There are no churches in Gustavia at all . contradictory +In a piazza that is an open-air sculpture gallery , more statuary graces the orator 's platform along the Palazzo Vecchio 's sober facade . The piazza houses no sculptures and the orator 's platform is framed by a row of simple hedges . contradictory +ever see that commercial Have you seen that one movie ? contradictory +A few minutes later , I did the same . I did the same a few minutes later . entailment +no she she wouldn 't have got no property see there was no grounds for divorce she was she wanted out cause she had a boyfriend and it was weird but uh the capital punishment i don 't know actually what they give the death penalty for She left her husband for the money . contradictory +As mentioned throughout this testimony , GAO is utilizing its strategic plan to help the Congress , the executive branch , and itself confront the many current and emerging complex issues facing the American people . One of the issues the GAO plans to face is the cost of the war on drugs . neutral +Pay must be good . It ought to be profitable . entailment +This is a very dreadful business , Monsieur Poirot , he said . This is a very terrible business , Monsieur Poirot , he said . entailment +Four restaurants ranging from Jamaican and Japanese to low-calorie , stir-fried specialties and international cuisine . Several types of styles and dishes are offered . entailment +To resume , that was in a way the apex of my career . That was in a way the critical point of my career because I had changed jobs so many times . neutral +yeah that 's the way it goes well i guess we probably talked just about long enough I think we 've talked long enough , but I enjoyed it . neutral +no really i thought it was kind of maybe for kids more than adults I thought it would not be applicable . neutral +The Grand Canal was begun in 1755 . In 1755 the Grand Canal was begun . entailment +In Skoptland I came in seventh , but ahead of even Peter King himself . I finished in second place , just behind Peter King . contradictory +i agree with boy it 's really easy to discuss something when you both agree It 's much easier to talk about something you agree on . entailment +This suave , handsome man with jet-black curly hair and a slight contraction of the left eyelid ( frequency between four and seven ticks a minute ) was for the poultry producers a personification of good manners and a source of knowledge about high-class life style . The man was ugly and rude contradictory +Other potential users of the auditors ' report include government legislators or officials ( other than those who may have authorized or requested the audit ) , the media , interest groups , and individual citizens . The auditors ' report was intended for civil servants . neutral +( These national grants are described in detail below . ) The grants are described below entailment +Can you suggest a metaphor for rationalizing my past ? Do you have an analogy for rationalizing my past ? neutral +Although six ISACs in five industry sectors had been established as of March 2001 , three had been in existence only since December 2000 . The ISACs had been implemented as a preventative measure after the economic collapse . neutral +i don 't know being i i live in uh Vermont and being up here we pretty much treat everybody i live in Texas , and we 're not really known for treating everyone contradictory +Others do so while warming up their cars . No one warms up their cars while doing this . contradictory +yep you have dogs are your friends knock over a can now and then and leave it open for the dogs you know Dogs are friends to us . entailment +I might have known ! " Bayliss snapped . Bayliss is happy . contradictory +oh yeah yeah yeah yeah No no no no no no . contradictory +Other figures of the Reagan-Thatcher era chose other retirement plans . The other retirement plans were better . neutral +My own body , my real body . My own body would be on the cover of the magazine . neutral +We have to prepare for people to go to the mines . We have to prepare people to go into the mines for shelter . neutral +and uh i can imagine that happening more in Amarillo than i could in Lubbock but still anywhere out there it could happen Amarillo has pretty severe weather most of the time . neutral +Tommy was behind him at the booking-office . The line was long at the booking office . neutral +Yet just two years later , the Soviets invaded and surrounded Warsaw . Warsaw was put under siege by the Soviets . neutral +At the northeast corner of Gion is Maruyama Park , one of Kyoto 's most popular recreation areas , which borders two important temples . Maruyama Park is in the southwestern corner of Gion . contradictory +A little of his concern over Shadow eased . He was relieved that Shadow would be okay . neutral +The big Christmas story this Internet shopping . Online shopping is this year 's big Christmas story . neutral +They would come and Fena Dim would die . They planned on stabbing Fena Dim . neutral +Creating a city boasting a major harbour , including a 500-metre- ( 1,640-foot- ) long breakwater , with little more than soft sand as a base , was undoubtedly a colossal feat of engineering . The harbor has an eight hundred meter breakwater . contradictory +Collective bargaining will win doctors higher pay , resulting in higher costs for patients . Collective bargaining will result in lower healthcare costs . contradictory +SportsZone , SportsLine , et al practice the anti-gambling puritanism of TV , which dumped its oddsmakers years ago . SportsZone believe that gambling on their show would be bad for public relations . neutral +Surprising Mark Rothko and Alexander Calder . Boring Mark Rothko and Alexander Calder completely . contradictory +Census Bureau 's 2000 census . The census bureau did a census or all Americans in 2000 neutral +What 's up ? " I don 't care what you are up to . contradictory +oh i couldn 't even tell you Oh I was unable to let you in on the news . entailment +Mahatma Gandhi immediately rushed from Calcutta to Delhi to defend Muslims against further slaughter . Mahatma Gandhi took a luxurious boat ride to Delhi from Calcutta in order to defend Muslims . neutral +yeah yeah yeah oh gosh my kids are going to be hating me i guess i 'll give them a bike and say here 's it till you can afford to pay the insurance you know My solution is to give them a bike until they can afford the insurance . entailment +It is hard to see how . It is difficult to see how . entailment +Julius occasionally interjected an admiring " Bully . " Sir James said nothing until she had finished , when his quiet " well done , Miss Tuppence , " made her flush with pleasure . Sir James gave Miss Tuppence a compliment . entailment +The development of credible opinion leaders who are emergency medicine clinicians , who will endorse and advance the concept of alcohol screening and intervention , is the best means of fostering attitudinal change within that specialty . It is important to develop credible opinion leaders . entailment +It 's insane . It 's crazy . entailment +Special lounge for sea-view rooms . It has a lounge for the sea-view rooms . entailment +She was a little exercised in her own mind as to this visitor . As to this visitor , she was a little exercised in her own mind because she was uncertain as to who he was or where she knew him from . neutral +The rule provides for recompense to the mortgagees for using these alternative procedures and provides for payment to the mortgagee of a partial claim which would be applied to the arrearage . The rule changes how mortgages are paid . entailment +The enclos paroissial ( parish close ) epitomizes the religious life of rural Brittany during the 16th to 18th centuries . The parish close is a modern urban setting . contradictory +But the ordeal is even more difficult for victims who can 't afford a lawyer . If you can 't afford a lawyer , things become even more difficult . entailment +He is a clever man , that Sir Ernest . Sir Ernest was , unfortunately , not the sharpest spoon in the drawer . contradictory +I 'm not saying that Asia 's economies were fundamentally sound , that this was a completely unnecessary crisis . Asia dealt with the crisis just fine . contradictory +We need to establish some infrastructure before we go out . We don 't need an established infrastructure contradictory +I was afraid she might get a bit rattled . I was afraid she would be frightened . entailment +perhaps compulsory education Compulsory K-12 education . neutral +well it just means that if you don 't pollute right or you pollute very little you don 't have to pay any tax or you just buy one of these things and it it um i mean you could you could probably devise them so that it slowly closed off your tail pipe and uh the less you pollute the longer the device lasts and if you pollute a lot then it closed off your tailpipe and you couldn 't start your car anymore If you don 't pollute much the device will last longer . entailment +Their contribution now stands among the houses along Jalan Tun Tan Cheng Lock , also known as Millionaire 's Row . The houses along Jalan Tun Cheng lock are known as Peasant 's Row . contradictory +uh they don 't have spendable income right yeah the poor poor things i know like you know i look at mine and he 's getting out of school and i 'm saying geez you know i 'm glad i 'm not starting out now because things are kind of tough up here for as far as uh employment goes It is hard to get a job up here . entailment +so what do you think about it should What are your thoughts about it ? entailment +As we said in Rosenberger , [ w ] hen the government disburses public funds to private entities to convey a governmental message , it may take legitimate and appropriate steps to ensure that its message is neither garbled nor distorted by the grantee . The government is free to disburse public funds to private entities but has to do so in such a way that respects strict policies . neutral +Queer , he said thoughtfully . He had a thoughtful comment . entailment +There was only one slip-up last week , when Rubin referred to them as our position . Rubin did not have a good breakfast on the day he caused the problem . neutral +The daughter 's boyfriend , Dominic , is a cynic who lives only for himself . Dominic is cynic and egoistic , said his sister . neutral +Though it was a hazardous and parlous thing , with the sky falling .... " He sighed and went out , while Dave went back to his delirium . Dave started to hallucinate images of people he 'd known in his past life . neutral +'What are you talking about ? ' What are you discussing ? entailment +Adams won the presidency only because Henry Clay backed him in the run-off in the House of Representatives , but Adams never lived down ( false ) rumors that he and Clay had cut a Corrupt Bargain . The man lost the president because of the corrupt election was brought to light . contradictory +oh okay okay oh well it sounds like you 're pretty much into computers It sounds like you hate computers a lot at this point . contradictory +Say , Miss Tuppence , there 's something I 'd like to ask you . " He had an important question for Miss Tuppence . entailment +But time-and timing-will be crucial . Timing is going to be crucial . entailment +Mistakes were reductions were insufficient , or too extensive , or made in the wrong area . All companies should follow the example of reporting insufficient losses in wrong areas when they are actually to extensive . contradictory +The Justice Department has sued the developers , contractors , architect and civil engineer of two large apartment complexes in Olathe , alleging violations of the Fair Housing Act requirement that multifamily housing be accessible to the disabled . It is expected that the Justice Department will succeed with its lawsuit . neutral +Cross the river and you are in a mini-Manhattan that has sprouted since 1969 to become a city in its own right . The river signals the divide into mini-Manhattan . neutral +It is the race problem--that tangled web of history , hostility , demands , frustrations , injustice , and lawlessness--that gets , and deserves , attention . Racial issues have been ignored for awhile now . neutral +of uh all different types of exotic woods There are many types of exotic woods entailment +To provide GAO evaluators with basic information about the more commonly used methodologies , GAO 's policy guidance includes documents such as methodology transfer papers and technical guidelines . These GAO publications can be accessed at most public libraries . neutral +The need to maintain public accountability for government program demands that audit reports be retrievable . They need to be accountable in their financial reports . contradictory +The moats and turrets ' though Gothic in style ' are purely decorative , and the staircase is noted for its innovative straight flights and landings rather than the old spiral form that was designed to fend off invaders . The design is more welcoming than what would be common to see in older days . entailment +that you can serve over rice Put it over the rice . entailment +Karen Brown , news director , No , I 've not . Karen Brown is the news director . entailment +Some portion of the change in the market value of existing assets may reflect increased productive capacity and thus could represent income and saving , but it is difficult to isolate that portion . The market change is great . neutral +In a flash , the woman drew a scorpion-hilted saber . The woman has a scorpion-hilted saber . entailment +You write that I am quite good at ferreting out instances of instrumentalization of [ the Holocaust ] toward cheap and self-interested ends . I may be a writer for a historical magazine or I may be a writer for an online blog . neutral +The only worthwhile beach area is near Tartane on the mid-island Caravelle peninsula , where there 's also a park with walking trails . The beach has plenty of hotels near Tartane . neutral +You are impossible , he muttered . He believes you are easy to work with . contradictory +oh man that 's neat Oh man ... That 's horrible contradictory +Much of your Costa Blanca holiday will be spent on the beaches and there are hundreds of them . Costa Blanca is landlocked and offers no beaches for tourists . contradictory +'Yeah , ' Derry nodded . Derry shook her head . contradictory +I was vexed to think that my diplomacy had been in vain . I hated to think my work had been for nothing , but it seemed the villagers didn 't care . neutral +Today , weathered banana schooners chug past yachts and gargantuan passenger liners to dock in this curious tropical port , which is Guadeloupe 's principal city and gateway to the world . There are a lot of passenger liners that dock in the port . neutral +It was a phrase repeated over and over by esteemed visitors such as H.G. HG was a visitor . entailment +What 's the good ? There are many of us who felt discouraged . neutral +so we have to contend with doors that sometimes sometimes the during the year don 't uh just close just right and uh things of that nature The doors function perfectly all year round . contradictory +but she we were both feeling so guilty about enjoying this chili uh after seeing that We felt good about our enjoyment of the chili . contradictory +special rights for gays . rights for gays are special . neutral +i didn 't catch anything but i 've been up there I didn 't get any fish , but I 've been there . entailment +The two said nice things about each other after their session , but Buchanan didn 't win Ventura 's blessing . The two people said nice things but Buchanan still couldn 't get his support . entailment +No animal , fish , or plant life can live in these waters , but the human body can float like a cork on the surface . The water is inhospitable to animals and plants . entailment +By 600 b.c. , the Indo-Aryans had formed monarchies in the Ganga plain , surrounded by smaller tribes resisting the Brahmanic orthodoxy and its authoritarianism . The Indo-Aryans created a socialist government . contradictory +Thank you for the opportunity to appear before this Select Committee today to discuss one of the most important issues of our time , the reorganization of government agencies and the reorientation of their missions to improve our nation 's ability to better protect our homeland . Hello and thanks for bringing me here today to talk about butterflies ! " contradictory +Just a little farther along the valley to the northwest , joined to Buttermere by a stream , lie two other lakes . The valley and Buttermere are connected by the stream . entailment +Yet another startup saga sketches how a 27-year-old M.B.A. This startup focuses on a 27-year-old MBA . entailment +the art 's in humanity should be privately funded The government should fund all the arts . contradictory +recommendations to mold the future of the Postal Service . There are some suggestions about the future of the Postal Service . entailment +He saw Adrin nod . He couldn 't find Adrin anywhere . contradictory +A girl . Tommy held his breath . Tommy kept breathing calmly . contradictory +Asthma attacks that would occur with the projected changes in air quality . The attacks will occur in the projected changed air quality . entailment +One of our number will carry out your instructions minutely . We have no one free at the moment so you have to take action yourself . contradictory +office of MidPenn Legal Services is what earned Case , 52 , of They did not earn the case . contradictory +you know uh as a country the United States uh i think our hands are tied as far as as as any further involvement until the UN sanctions it in fact it really was to begin with The United States usually likes to keep its hands clean of the issues UN handles . neutral +( Cyclades , you may remember , comes from cyclos , or circle . ) Circle was derived from the Greek word cyclos in the early 15th century . neutral +The rest of his head was shaved . He only had a tiny patch of hair left . neutral +" How can you tell that ? " You can tell that , how ? entailment +Even this distinction , though , is changing with the development of off-line software that automatically goes to the Web to retrieve material , and stores it on your own computer . Software is being developed that retrieves material from the web and stores it on your computer . entailment +i is i 'm not sure which one we went into it was about a year or so ago when we went We went about a year ago so I don 't quite remember which one it was . entailment +Among Kanazawa 's other specialties is its pretty , five-color glazed kutani pottery , which you 'll see in many downtown shops . Kutani pottery is only made by a few artisans . neutral +The lovely circular Baptistery ( Battistero ) is topped by a traditional statue of John the Baptist . Atop the Baptistery is a traditional statue of John the Baptist . entailment +i know and i i believe that we have to have a military and i believe that we have to have a defense to keep anybody else from walking in and doing it to us We have a military to prevent this . entailment +Better git away from a real man ' fore you gits yore backside warmed . It 's better to get close to a real man . contradictory +Under terms of the cease-fire , Israeli forces were allowed to remain in position on Mount Scopus , resupplied once a month by a United Nations convoy of food and medicine . The United Nations provides the Israeli forces with needed food and medicine . neutral +One of Tintoretto 's best , the Marriage at Cana , is on the wall opposite the entrance , while three of Titian 's most vivid canvases decorate the Cain and Abel , Abraham Sacrificing Isaac , and David and Goliath , their drama heightened by the perspective di sotto in su ( looking up from below ) . The Marriage at Cana was painted by Titian . contradictory +Therefore , as I said before , we must DO something . We must take action , as I stated previously , and end the threat to mankind . neutral +anyway but but do you think but the thing is down if they put a factory down there that means that there 's more jobs for those people so they 're not crossing the border you Even if they start up a factory there , there will be less jobs for them . contradictory +Now in ruins , it sits atop a rocky promontory . There are ruins on the rocky highland . entailment +What do we do ? The Kal shrugged . Kal didn 't care what anyone did . neutral +Hanson had thought the man dead in the ruins of the pyramid , but somehow he had survived . The man survived , despite Hanson figuring he was dead in the ruined pyramid . entailment +The General Council Hall ( Sala del Consiglio Generale ) is dominated by the works of his vigorous St. George ( 1416 ) , intended for the Orsanmichele ; his important David , naked and restless in bronze ( 1450 ) ; and the stone Marzocco lion , the town 's symbol , from the Palazzo Vecchio . The General Council Hall attracts the most visitors in the region due to its collection of great works . neutral +nice talking with you too bye It has been a pleasure to talk to you . entailment +be well i i think i would feel the same way i 'd i 'd really feel like i 'd been deceived you know that that wasn 't the thing to do I do not like being tricked at all . neutral +That 's what the Globe had to do last week for actress Bo Derek and her director husband , John . Last week the Globe had to do that for Bo Derek and her husband John . entailment +This paper addresses several questions which arise from These two points under the assumption that the monopoly and any other barriers to entry were to be removed . The assumption is that there are barriers to entry . contradictory +How involved should the patient 's attending physician in the medical treatment be in the intervention for alcohol problems ? It is illegal for physicians to intervene if they feel a patient has an alcohol problem contradictory +okay um now the term personal computer uh i don 't happen to have one at home um but i do have a personal computer on my desk here I have a personal computer of my own but not at home . entailment +One can almost hear the appreciative chuckles from the spectators ' gallery at this bit of repartee--the overreactive , tension-dispelling response that very mild witticisms tend to produce in solemn venues . The spectators were silent and bored . contradictory +Honorius , last emperor of Rome , made it his capital in 404 , followed by his sister Galla Placidia who ruled as lavishly . The first emperor of Rome was called Honorius . contradictory +The cost to ride the toboggans at Carroseo Monte is 1,800 esc . Riding the toboggans at Carroseo Monte is an amazing , exhilarating experience . neutral +They 're not as frenetic , though , as on sister island Ibiza , where the mayhem is legendary . Ibiza has two sister islands . neutral +i 'm going to the book store for a particular reason um I 'm going to the book store to buy that . entailment +Jon felt his heart throbbing in his chest . Jon was afraid . neutral +Getting her to answer the door was a challenge . She was afraid of deliveries . neutral +The percentage that comes from mining revenue is somewhat less than that . Somewhat less comes from mining revenue . entailment +Suggestions have been offered in the United States that the most attractive customers of some presort firms are being charged a price in the neighborhood of one cent per piece . The most attractive customers of some presort firms are being charged much less than other customers . neutral +STRATEGIES TO MANAGE IMPROPER PAYMENTS This section is 20 pages long . neutral +Blood jetted from the gaping rent in his clothing . The blood was spurting out from his clothing . entailment +I guess they 're talking or something , said Red . I supposed they must be talking or something , said Red . entailment +Monitoring strategies are discussed in the next section . The next section only discusses options for ordering office supplies . contradictory +that that doesn 't solve anything That is a terrible way to solve a problem . neutral +With several miles of sandy beach , Long Beach is an excellent watersports center . Long Beach has places where you can rent watercraft . neutral +GAO 's recommendation follow-up process is discussed in detail in the Follow-up on GAO Recommendations section of this document . Gao has no recommended follow up process . contradictory +Another paradox , contradicting his broad humanism and also contradictory within itself , is his attitude toward Jews , a subject that Rayfield traces throughout this book . Rayfield addresses the paradox . entailment +Early Habitation Late habitation . contradictory +People would flock to see me . Nobody would come to see me . contradictory +that 's pretty good really That 's very good . entailment +The odyssey starts with the Cyclades islands , the most accessible island chain from Athens , the capital of Greece . The odyssey story begins in the Cyclades islands , an accessible island chain from Athens . entailment +how about the guy from North Carolina What about the person from North Carolina . entailment +The attorneys who appear before Zelon attest to the fact that counsel and clients in her courtroom have faith in her objectiveness . They had no faith she would have an open mind with the case . contradictory +The man 's eyes were solid black orbs . The man 's eyes looked dark . entailment +Within and beyond the valley are many more sights worth taking in on day trips , including viewpoints on the valley 's rim from where you can see the Himalayas at sunrise and sunset , particularly recommended if you are not planning to go trekking . There are no sights beyond the valley that are worth making day trips for . contradictory +you you sound like a young guy and and uh You sound like someone who is young . entailment +it 's at random right no when when i place the call they just you don 't have a choice well you you you had marked on your on your sheet what you had interest in or no interest in or so We aren 't given any information on them . contradictory +Today , it 's a colorful harbor for yachts and motor launch es and the site of a lively daily fish market . Salmon are among the fish sold at the market . neutral +I went to work , cobbling and tying- forcing wires and errant strands of circuitry back into place . I put the wires back together . entailment +Ammeter splashing merry Oligocene eggs They were hard boiled eggs . neutral +80 HK for a super-value meal and $ 6 HK for each Snoopy toy McDonald 's sells . Super-value meals are more expensive than McDonald 's toys . entailment +This site is likely to have been near the fortress entrance , or somewhat past the arch , which was built in a.d. 135 and now named Ecce Homo Arch . The Fortress entrance was designed to accommodate the arch . neutral +Remember when he looked us in the eye ? He looked them in the eye . entailment +You will find the tourist information center here . This is where you will find the tourist information center . entailment +In addition to laying the groundwork for post-colonial studies as an area of inquiry , the book inspired a flurry of scholarship devoted to the other--to groups of people who , by virtue of race , gender , sexuality , or geographical location , are unable to represent themselves and so ( to echo the line from Karl Marx that serves as the book 's epigraph ) must be represented by those more powerful . The book does not mention anything related to Karl Marx . contradictory +i 'm i 'm from the midwest so I have nothing to do with the midwest . contradictory +that 's what we we got rid of an American Express card for the same reason is though we have a a credit union and we get our cards our other MasterCards for free so we don 't have to pay a a fee at all We only use our American Express card . contradictory +But there is a little more noble cause in this for me . There is little else that is as noble as fighting for your rights . neutral +In July 1995 , in anticipation of the funding cutbacks , LSC initiated the broad outlines of its state planning process to highlight strategies by which programs could stretch scarce federal dollars to help ensure that all low-income clients have an equal opportunity to receive the most accessible , effective legal assistance possible . The LSC wanted to help low-income clients receive legal assistance because of bad press the department received in the past . neutral +it certainly would and they can separate it and then the you know trash guys will pick it up Separating them is required before the trash guys will pick it up . neutral +To date , there have been approximately 94 GWe of scrubber capacity built on coal-fired power plants in the US . Almost 100 GWe of scrubber capacity. have been built on power plants in West Virginia . neutral +Indeed , managed care was the primary engine relied upon by the Clintons ' health-reform plan to generate the savings that would finance universal coverage at no net cost . Managed care would create the savings required for universal coverage . neutral +yeah well uh we 're not uh really sailors but i want some summer soon to um hire a sailboat with a captain since we 're not you know versed in that and uh go to the Caribbean He has sailed a little . neutral +Like Williams , more than 6,000 Orange County litigants have initiated court actions on I-CAN ! I-CAN has been used by thousands of people . entailment +If the receivable is not repaid , the unpaid amount is recognized as an adjustment to the bad debt allowance and does not affect revenue , gains , or other financing sources . The unpaid amount of receivable is recognized as an influencer of revenue and gains . contradictory +The parents , on the other hand , had to pass an exam in using a joystick and provide a proof of income of at least 7000 zloty per month for a young family member . The parents didn 't have to prove anything to anyone . contradictory +Performing Initial Testing perform the first run neutral +The meat and the chefs are sometimes imported from South America . The meat is imported from South Africa . contradictory +oh i 'm sure personalities always come into play uh just in this size of organization Personalities can be pushed aside and out of the way . contradictory +uh-huh well that 's that was kind of the the aim wasn 't it to get it started and then have it Getting it started was essentially the point . entailment +One couple we definitely don 't expect to see reconciling anytime soon is Cybill Shepherd and her former fiance Robert Martin . Shepherd and Martin hate each other since neither of them got the house , thus causing a lifelong grudge . neutral +so they 're they 're getting old enough to where they can help out with a campfire and cooking and and all that kind of stuff too The kids are still too young to be of any help with camping . contradictory +All Lewinsky , All the Time Lewinsky is the topic of a show . neutral +uh-hum probably you read a book review or something some kind of review on it You probably read the New York Times review . neutral +our church has a place where you can take them and they you know pass them on to other families so You need a permit to take them . neutral +" The Sons of the Egg . The Egg 's Sons entailment +By all means , stop to enjoy them , or leave the car in the village and walk around . It is possible to leave a car at the village and walk . entailment +yeah seven yards of sand i got to shovel it all I have to shovel seven miles of sand . contradictory +Eleanor , spelt Tommy . Tommy spelled out Eleanor . entailment +It was once regarded as the most beautiful street in Europe , a claim that is difficult to understand today since so many of the original buildings have been replaced . Replacing the original buildings was a move that the residents bitterly resisted . neutral +Avoid that one , sir , or any like him , said an older stout man polishing a bronze breastplate from a nearby booth covered by strange animal skins . The old man said nothing and watched from the side . contradictory +4 million in city funding for civil legal services work done by the Legal Aid Society and Legal Services for New York City , which the Mayor had proposed cutting . The Mayor would like to reduce the subsidy for the Legal Aid Society and Legal Services by around $ 4 million . entailment +It 's a hundred to one against its being there ! The odds are not in favor of it being there . entailment +and now you can get it you know like for one thousand dollars because uh you know because of the parts basically you know what You know , because of the parts basically , you can now get it for like one thousand dollars . entailment +It means that LSC has a regular means of gathering important qualitative and quantitative information on all our grantees against which we can evaluate their services and their improvement . LSC has an online database with information on grantees . neutral +The terrifying thing , Powell noted , is that it 's the wind and the time and the tide that decide your luck . According to Powell , time has a big part to play in how your luck unfolds . entailment +Her most recent publication , Training Visas in the United States , appeared in Immigration Briefings in May 1993 . She believes that immigration is good for the United States . neutral +Not belonging to the type of hero who is famous for awaking in full possession of his faculties , Tommy merely blinked at the ceiling and wondered vaguely where he was . Tommy always had a problem of blanking out whenever he got knocked out . neutral +'If it was , would you think of me differently Daniel ? If I turned out not to be the man you thought , if it had all been a fraud , I 'm pretty sure that would constitute an unforgivable lie . ' Daniel is judging me . neutral +well Brinkley was sort of trying to be in the mold Brinkley was attempting to be something . entailment +Instru ? ­ ments of worship and ritual illustrate the religious life of the prov ? ­ ince 's important Jewish community . There is no importance placed on religion in the province . contradictory +What am I supposed to do ? " " Repair our sky . What is expected of me ? entailment +When families live together for generations in the same town and valley , especially when these communities have been forced to pull together in times of hardship , a strong feeling of community is created , as has been the case throughout the history of this rugged territory . The people of this area needed to band together as a community or perish . neutral +Sure , Red . Sure , you can do it , Red . neutral +so i 'm i 'm going to you know try to help her and that will kind of help to get me you know make me want to do things too so yeah I will want to do things if I try to help her . entailment +oh and i think women turn out to vote for women too I think women vote for women . entailment +The similarity to Matinino Martinique only confuses things more . Matinino Martinique is unique in every regard . contradictory +EPA has considered numerous regulatory alternatives to the final provisions of the rule , which are discussed in both the preamble to the final rule and the Regulatory Impact Analysis , but has determined that the requirements expressed in the final rule constitute the most cost-effective and least burdensome alternative that would meet the mandate of section 206 ( h ) of the Clean Air Act . EPA has not considered any numerous regulatory alternatives to the final provisions of the rule . contradictory +Once a product is publicly released , GAO staff with expertise in the subject matter will answer questions from the media when asked . GAO can answer questions about a product when they are asked . entailment +Once it 's known I wouldn 't give that " he snapped his fingers " for the life of those two girls . He snapped his fingers while discussing the limits of what he 'd give . entailment +The nearby Eglise Notre Dame also combines Flemish architecture with a Renaissance porch . Renaissance architecture was inspired mainly by Michelangelo and Raphael . neutral +The libertarians have a more consistent philosophical position , but they offer the reverse hypocrisy in practice . The libertarians have very consistent positions on social matters . neutral +The dark skinned man growled low and deep in his throat . The dark-skinned man growled . entailment +but i know my grandmother hasn 't voted in years My grandmother doesn 't want to vote . neutral +well i can see why if you 've got little ones just coming along there 's a a whole lot of stuff going on out there There are children on the way , there 's a lot to do for kids outside neutral +Where to Eat Where to get a bite . entailment +Internet gossip Matt Drudge milks his newfangled celebrity , debuting a half-hour political chat show . Internet gossip Matt Drudge interviews a famous politician , debuting a half-hour political chat show . contradictory +oh yeah because Houston was really hurricane alley wasn 't it weren 't there a lot of hurricanes there or Houston doesn 't get many hurricanes . contradictory +oh yeah my wife too that 's her favorite too yeah you know it 's funny with Chinese restaurants since you can 't read the menu or anything you tend to stick with one thing i used to it used to always be sweet and sour pork for me and then i just i i started getting a little more health conscious in the past , i always got sweet and sour pork at Chinese restaurants entailment +it could have been you know it was it was innovative uh a completely new approach to making a movie in a lot of ways and yet it ended up not being anything particularly memorable cause the the story was stupid and and then things like that and uh they built up i remember feeling annoyed again i didn 't have a kid with me and i remember feeling annoyed that they had this whole thing about the master and the passing of wisdom the from older to younger generation it was it was a classic Greek you know it 's European mess going back three thousand years that they 're playing with They were building the whole thing up for the next film but as a result , this one was bad . neutral +Our second objective was to identify the initial implementation approaches these agencies have taken to manage senior executive performance that may be helpful to other agencies as they implement OPM 's amended regulations governing senior executive performance management systems . Our second objective was to identify the implementation approaches that the agencies find helpful . entailment +But he never asks whether lawsuits and rights are the only way to prevent these bad things . He never asks if they are the only way to not make bad things happen . entailment +We realize it looks better in photographs , and if you prefer , I can offer you a beautifully published album . We know that it does look better in photographs . entailment +They passed down a dim corridor and Ser Perth turned in at a door . Ser Perth turned as they approached the door , after otherwise going straight . entailment +So that said , the passages that I quote do not reflect a non-academic view of liberty by guys on the street . The passages that I quote correspond to a non-academic naive view of liberty . contradictory +The Industrialist found it impossible to organize himself to the point of directed thought . His mind never faulted in its single tunnel vision . contradictory +Do you remember what the young lady did with the telegram ? " Henry gasped and spoke . Henry didn 't make as sound . contradictory +Unless you actually stand beside the canal you can 't see the water and they look as though they are simply floating along on the sand . The boats are actually floating above the water to cut down on friction . neutral +I wish to thank each of the participants for taking the time to share their knowledge and to provide their insights and perspectives on the important matters discussed during the forum . I have bought gifts for all the participants , to express my gratitude . neutral +i have a brother-in-law who is a pilot my father-in-law is a pilot um and so My brother in law and father in law are pilots . entailment +an area that when she moved down there was mostly elderly people well not The area she moved to was mostly filled with young people . contradictory +The chambers were totally refurbished by Charles II , including larger windows to balance the design of the new extensions . Larger windows were added to the chambers by Charles II . entailment +That is not a Medicare or Medicaid cut , he reassured seniors . In actuality he wanted to cut their benefits in half . contradictory +Designed by the famous Herbert Baker , the rather too massive , colonnaded rotunda of the parliament building is at its best illuminated at night . The parliament building 's rotunda now lies wrecked and plunged in shadows at night . contradictory +um-hum um-hum yeah buy a fresh filet of fish a nice one at the fish market uh the fish counter You can just use frozen fish that has been thawed out . contradictory +Yeah , sneered a New York Times editorial , everyday lessons like whether a newly engaged couple should cement their relationship by exterminating former lovers . The writer could not get enough about the lovely couples . contradictory +A good place to begin your touring is Damascus Gate . Damascus Gate is not a bad place from which to begin your exploration . entailment +David , the son of Jesse , later became king and conquered Jerusalem , the last undefeated place in the whole territory , and made it his Royal City . Jesse 's son David made Jerusalem his Royal CIty after conquering it . entailment +is kind of nice but It is good . entailment +They hit an ' run , raidin ' ranches an ' mines ; they held up a coach a while back . They stole some guns from the coach . neutral +Faith is subjective --discovered within . Faith is subjective , because it doesn 't need proof . neutral +Studio share prices are erratic because there are no guaranteed A studio that makes a killing this year may get killed next year . Studio share prices are always permanently fixed . contradictory +You enter by the Carriage Gate , where , on the rare occasions they were permitted outside , the women moun ? δed their carriages . You enter by Carriage Gate where women were always seen getting into carriages . contradictory +Few careers , outside of E.J. Not many careers , outside of E.J. entailment +you know it 's not Amazing Grace every other time You know , they get tired of playing Amazing Grace . neutral +The Biblioteca Real ( Royal Library ) is not generally open to the public , but special access is allowed for approved researchers . The Biblioteca Real is open to the general public and allows books to be checked out by anyone . contradictory +This ancient burial vault is believed to date back to the Han Dynasty ( a.d.25 220 ) . It 's not a burial vault , but rather a cafe . contradictory +i can i can see that happening That will never , ever happen . contradictory +If Social Security reform reduces anticipated retirement income , many analysts expect that workers might , to some degree , want to offset this effect by increasing their saving outside the Social Security system . If retirement income decreases , workers are expected to increase their savings . entailment +The food was generally worth it . I never regretted the work it took to get to the food . neutral +This one 's a story , too . This one is a tale also . entailment +He shot two near the end of the column and then fell back to the Kal 's furious defense as he reloaded . He shot ten rounds before having to reload . contradictory +And it went fast , too . Everything went fast . entailment +Course lotsa people were red-hot Rebs back in ' 61 till they saw as how white men fightin ' each other jus ' naturally gave th ' Apaches an ' some of th ' border riffraff idears ' bout takin ' over . There were Rebs and Apaches and they fought against each other . neutral +Then I remembered how persistently she had shouted out that word ' Marguerite ' and I thought of the pictures , and well , that 's that . I remembered that she had never even uttered a word . contradictory +The Third Republic This republic was not the first . entailment +formerly methodology transfer paper 3 . The paper was formerly called a methodology transfer . entailment +Herculaneum is smaller ( only a fraction has been recovered ) and less renowned than Pompeii , but its very compactness and better preservation give a more immediate sense of the shape and ambience of a whole Roman town , this one just 7 km ( 4 1 / 2 miles ) from Vesuvius . There has been no attempts to excavate the remains of Herculaneum . neutral +Sure , because it 's probably a scout-ship . The ship is most likely used for scouting . entailment +That lesson won 't suit either side 's assumptions . The lesson is perfect for both side 's assumptions . contradictory +yeah huh well that almighty dollar Dollars are worthless contradictory +oh i 'm definitely a player i guess uh there is some question about that when i total up the score but I am definitely not a player at all . contradictory +The Honorable Thomas J. Bliley , Jr . , Chairman The Honorable John D. Dingell Ranking Minority Member Committee on Commerce House of Representatives Dingell is a member of the committee . entailment +no no but uh when it it had gone up No but when it went up . entailment +and you have to have a deposit in that you know that deal of you know if you want a five hundred dollar credit line then you have to keep a five hundred dollar balance in there You must have a deposit in your account , for that deal . entailment +that 's absolutely right it it uh i guess it all comes down to uh you know a a definition of uh how much out outside activities affect your work and uh uh granted you know any any kind of drug use on on company property and whatnot is is definitely not acceptable uh uh i don 't think anybody would ever argue that or uh Many people have gotten fired for using drugs on company property . neutral +and and you 're never quite sure well is that a metric bolt You 're always sure that it 's a metric bolt . contradictory +These alliances have sweated blood in fights with Republican Mayor Richard Riordan over public transportation , housing , and health care . The alliances have always agreed Republicans over public service issues . contradictory +Although some Indians assimilated the language and behavior of the British , to most the imperialists were offensively aloof . Those who copied the British sought to curry favor . neutral +He meant that he didn 't know about it , Dave gathered . Dave assumed he meant he had not known about it . entailment +uh i try to take out just so much cash for me and my uh give so much cash to my wife I attempt to withdraw copious amounts of money for my wife . entailment +He 's head over ears in love with Jane . He is hopelessly in love with Jane . entailment +i keep that in mind i just don 't you know i guess it takes self-restraint when you have a credit card to know that that there 's really you really have to pay these things off Use credit cards as much as you want , somebody is going to pay for you . contradictory +Yes , but this affair is more important . 39 " And how do you know that these fine begonias are not of equal importance ? " I shrugged my shoulders . She politely talked to me about her pretty flowers . contradictory +Of the 76 doges portrayed here , one is blackened out , Marino Faliero , beheaded for treason in 1355 . Marino Faliero sold state secrets to foreign spies in the 1320 war . neutral +One estimate is that , as demand for installation resources increase for FGD and other air pollution control installations , planned FGD retrofit installations could be between 30 and 42 months1 while another source estimates FGD installations at 36 months . FGD retrofits could take between 30 and 42 months . entailment +The world 's most expensive resort at $ 1.6 billion , the Bellagio 's amenities include 5-star dining , Chanel-caliber boutiques , and a world-class collection of artistic masterworks . The Bellagio is the world 's most expensive resort , far outpacing The Wynn . neutral +from ammonia ) , but in 1996 , the country launched a drive to become self-sufficient in urea , a move that has displaced 1.9 to 3.7 million tons of ammonia . Self-sufficiency in ammonia is an important goal . neutral +It could be any one or combination of a number of things , including power , prestige , or even misplaced ethical values ( values that he thought were right , even if they were , in fact , not ) . It is most likely to be power . neutral +to your child 's education and then just when they make made make it to the college years it 's Your child will make it to age 18 at least . entailment +Their only It 's more of an extended character study than a full-fledged drama . The group 's newest play gave little insight into the character 's thoughts , feelings , motives , or backgrounds , and was primarily plot-driven . contradictory +Take a stroll around the picture-perfect little fishing harbor , where the boats become stranded like beached whales at low tide . You can walk around the fishing harbor . entailment +The rule and the procedures therein are applicable to the FCC 's spectrum auction program . The procedures established by the rule can be applied to the FCC 's program . entailment +Invalides Eiffel Tower The Hotel Invalides is a world famous hotel . neutral +has a uh a big paper mill in fact i almost went to work for them i was offered a job and turned it down because my mother got it for me but it 's twenty or thirty miles from my house every time you recycle that 's one less tree my mother can sell and uh so it 's a question should i be diligent and um um Paper mills support deforestation , which causes global warming . neutral +Doctorow 's Ragtime , is set in 1910 . Doctorow 's Ragtime takes place in 1910 . entailment +so yeah oh yeah i 've got the dog and two kids waiting here i am locked up in the laundry room okay thanks a lot bye-bye I locked myself in the bathroom . contradictory +The Turks adopted the Indian cuisine and costume as well as a modified form of the Hindu caste system . The Indian costumes were worn by the Turks for a whole millennium . neutral +we 're all sitting around we must have had ten people in our living room watching it gosh gosh everybody just erupted when that happened and uh that was uh uh strictly an outstanding game uh the uh There was ten of us and we blew up when that happened . entailment +In summer the rice forms a green velvety blanket , then turns golden in autumn when it ripens and is harvested . The rice is golden and harvestable in the summer , but turns green in autumn . contradictory +Randy 's Overly Sensitive Wrap-Up Randy 's Tough Love Wrap-Up . contradictory +but it shouldn 't be too hard to do something like that but that 's a that 's a thought no you 're right and that will solve uh a lot of problems i don 't know if you uh I do not think that it would be too difficult to do something like that . entailment +Day Trips From The Lake District The trips take most of the day neutral +yes it 's it 's really sad Yes , it is the worst thing ever . neutral +The Animal and Plant Health Inspection Service is amending the regulations concerning the importation of animal products to allow , under certain conditions , the importation of fresh , chilled , or frozen beef from Argentina . The importation of beef from Argentina will be allowed under certain conditions . entailment +Comments will not be shared with anyone else , including congressional staff not associated with the request , the media , or other external parties , until the report is released and posted on GAO 's Web site www.gao.gov. Comments will not be shared with anyone else entailment +A high-stakes card game played in a high-pressure atmosphere . A high-stakes card game is really relaxing for the people playing . contradictory +Ninety steps will lead you down to the depths of the Tomb of Amenophis II ( 35 ) ; it is the deepest in the valley . The Tomb of Amenophis II is down 150 steps . contradictory +Representatives from the agencies included in our review also indicated a few areas in which standardization , or at least more coordination , among agencies in this area could be helpful . The agencies are also represented by McDonalds . neutral +National saving represents resources available for investment to replace old factories and equipment and to buy more and better capital goods . More national savings meant more and better capital goods . entailment +and they 've got entire squadrons of those just standing by they used them in Afghanistan did remarkably remarkably well considering the terrain they were flying in but on a highly populated area like some of the Soviet cities would be with the weaponry that 's attached on those things there is no place to hide if the bombs don 't get you if the bullets don 't get you then the then the nerve gas definitely will get you the only drawback on that little piece of machinery is they only got five minutes of air time they drink that much fuel They have squadrons full of those that have trained pilots ready to use . neutral +we haven 't talked much about the weather i know that 's what we 're supposed to do I know we 're supposed to be talking about the football game but it was just too disappointing . contradictory +There are kiddie pools and knee-buckling water slides . There are no facilities or pools for children . contradictory +However , the standards comprise the summaries in the boxes and the entire text of the explanations . The text of the explanations is written by a team of lawyers . neutral +Some have noted that the less robust estimates based on the Six-Cities Study are significantly higher than those based on the more broadly distributed ACS data sets . The estimates based on the broadly distributed ACS data sets are higher than those based on the Six-Cities study . contradictory +As a reference point , we also simulated a path assuming that national saving remains constant at the 2000 level of 18 . National savings in 22 . contradictory +oh yeah my husband said he 's never joined a course right and i got one of those Jane Fonda workout tapes that i dubbed from a friend that didn 't last long i got one of those after i had a baby i think There are no means of finishing the course in which you have joined once you do . neutral +" The sky 's falling , Dave Hanson . " The sky is staying put exactly where it 's always been , Dave Hanson . " contradictory +In Other Magazines sizes up the Time , Newsweek , and other major periodicals--usually before they hit your mailbox or local newsstand . In Other Magazines is always late to size up the Time , Newsweek , or any other major periodicals--they never do it before the magazines hit your local newsstand or mailbox . contradictory +Many can be found along Wilshire Boulevard in Beverly Hills . A lot are along Wilshire Boulevard . entailment +didn 't purchase Did not buy . entailment +It may not be efficient for EPA to make these choices in rulemaking . It will be efficient for the epa to set rules contradictory +we were anxious to move close to family members just because we wanted our children to know their grandparents and things like that We don 't want our children to know their grandparents . contradictory +yeah of course they 're uh they 're probably going to set it up for some kind of sequel or something in the future and uh I 've seen better movies but they 're probably preparing for a sequel to that one already . neutral +to get it yeah To get the tennis shoes . neutral +A spearman pierced me from behind , said the Kal . A swordsman stabbed me from behind , said the Kal . contradictory +Only her powders ? The flush deepened as Cynthia replied : " Oh , yes , I did make up some sleeping powders for her once . " Cynthia was a pharmacist . neutral +well what do you think about like a device a meter on right on a tailpipe and you paid a tax based on how much you polluted They could put something directly on your tailpipe to measure pollution . entailment +yeah i like the pine trees I do not like the pine trees . contradictory +uh-huh yeah the uh yeah it 's it 's uh it is convenient to have that you know and it and if you can do a the a lot more with the American Express when we do when we go traveling There isn 't much you can dfo with a credit card when traveling . contradictory +Incontinence merry before egg postmodernism there was nothing about postmodern eggs contradictory +AC is produced in the United States and abroad for filtration and other manufacturing purposes . AC is a product made in the USA for use in manufacturing . entailment +The first French town to be liberated in World War II ( on the day after D-Day ) , Bayeux was blessedly preserved from destruction . Bayeux was conquered and ransacked after D-Day . contradictory +This would be a largely residential area extending north from Queen Street , incorporating a number of traffic circles ( circuses ) as well as straight roads . North of Queen Street is a very well off area needing renovation to fit the culture . neutral +The black hood pulled back revealing Thorn 's grim face . Thorn 's clown nose fell off . contradictory +The austerely sculpted porches flanking the main entrance are from the early period , and the more ornamental elongated central porch and the gabled upper windows were added in the 15th and 16th centuries . The 15th and 16th centuries were good times for architecture , as demonstrated in the more ornamental central porch . neutral +John 's Music Page . John has a page for his music . entailment +or you can get deduct anyway yeah You can deduct , too . neutral +The closing chyron , This is SportsCenter , reminds us this show gives sports an attitude . SportsCenter gives sports attitude mainly because of its graphics . entailment +In accordance with sections 603 ( b ) ( 1 ) and ( 2 ) , the SEC describes the reasons for the proposed agency actions and its objectives and legal basis . The SEC does not need to release reasoning behind proposed agency actions . contradictory +they 're on backwards huh oh jeez all that work and I 'm glad they got it right the first time . contradictory +In most cases , that $ 1,500 benefit accrues not to the Lojack owner , but to strangers . The benefit normally is distributed to strangers . entailment +that would be nice uh-huh what have you got growing right now Do you have a garden ? neutral +The resort is situated 32 km ( 20 miles ) east of Paris , close by Marne-la-Vallee . The resort draws vacationers from around the world . neutral +However , in recent years , internal and external audit reports showed that Centrelink had , to some extent , traded quality for timeliness . Internal and external audit reports showed that Centrelink had traded quality for timeliness . entailment +And that crash came down hard . That crash came down really softly . contradictory +Red quavered , " Hello , ma ! " Red said , " Hi mother ! " entailment +But instead of achieving power and domination , I suffered a mammoth blow to my junkie ego . I 've been wanting power ever since I first got into office . neutral +They would publish it broadcast throughout England , and declare for the revolution 63 without a moment 's hesitation . A lot of people in England would watch the broadcast . neutral +But try to make it sound authentic . ' Try and make it sound legit . entailment +special rights for gays . normal rights for heterosexuals . contradictory +worth of getting on with it is just thatquick cut between getting our monographs Our monographs would require many hours of work . neutral +The others depended on it . There was no depending on anything anymore . contradictory +The two women translated Jung 's idea that personality is composed of four pairs of preferences--the most famous being extroverted and introverted--and created a systematic test to discern people 's types . Jung asserted that personality is composed of four pairs of preferences . entailment +A traditional settlement , Aghiasos holds a major festival at its Panagia Vrefokratoussa church on 15 August every year . Aghiasos holds a huge sword fighting competition at its church on September 20th every year . contradictory +In 1974 a total reorganization of local government throughout the UK did away with the old counties of Cumberland and Westmoreland and created the larger county of Cumbria . The UK was pleased with the changes it made to its government 's structure . neutral +Fun , smart , beautiful , but my girlfriend just won 't give me any space . My girlfriend knows that I feel she isn 't giving me enough space . neutral +yeah uh-huh do they do you organize things or get or do they just Do you arrange things ? entailment +Breath analysis and self-reports as measures of alcohol-related emergency room admission . Breath analysis isn 't a measure of emergency room admission related to alcohol although self reports are . contradictory +Is it ? The train was moving now , speeding through the night at a gradually increasing rate . The train was moving close to maximum speed . neutral +He 's a very simple program , not even nearly alive . The program will be used to help prepare taxes . neutral +I 'm no economist , but I believe this is the point President Clinton intends to make in Tokyo tomorrow . President Clinton intends to make this point tomorrow in Tokyo . entailment +Folks who believe ( even incorrectly ) that their net worth is up by 40 percent will spend with zest , and the economy will thrive and grow as a result . The economy will grow as people spend when they think their net worth is up 40 percent . entailment +Consider the opening to The End of the World , which introduces an angry son who , as the story goes on , will be called to Paris to care for a selfish dying The opening to The End of the World introduces an angry son . entailment +He can help us if we need him . He is willing to protect us . neutral +This fireworks ' 20 minutes was the only 20 minutes during which 25 to 35 percent of the audience was not talking to or hearing from someone who wasn 't with them . I am talking about this fireworks ' 20 minutes , said the journalist . neutral +She resumed work to-day . " 113 " Ah , she is an industrious little demoiselle . Regardless of the murder that had occurred days earlier , she returned to work that day . entailment +The extent and breadth of those inquiries and observations will vary among audits based on the audit objectives , as will the need to understand individual aspects of the program , such as the following . The inquiries ' extent will vary depending on what the audit is looking for at the organization . neutral +Tell me , is there nothing familiar about the hand-writing of it ? " Are you able to recognize who 's handwriting this is ? neutral +Given this situation , the company was faced with a proliferation of legacy systems and inefficient business processes built around them . Some business processes are inefficient at controlling costs . neutral +yes die because it all depends yeah die because it all matters entailment +It gushed forth--and slowed ; it frothed--trickled--and stopped entirely . She was relieved when it stopped flowing - perhaps she wouldn 't be in danger after all . neutral +would be just as happy not to have them in the house I would be happy if they weren 't in the house . entailment +Depending on your point of view , the ad is either edgy or diabolical . Having the point of view of a woman makes the ad edgy . neutral +( Only He plans a fourth Indiana Jones movie . ) He 's going to be in another Indiana Jones movie , which will be the fourth installment in the series . entailment +There was a deeper The new ideas were immensely liberating , but at some point you can get too liberated . New ideas were very scary . contradictory +oh really well um my dad and my brother both have a collection of guns and um i don 't know i guess we we 've been taught responsibility when it comes to guns but accidents always happen but my dad has always keep kept his hid from us i mean even to this day i don 't really Nobody in my family owns a gun , and I wouldn 't know what to do with one . contradictory +and so sometimes you wear you know the shirts from from the gym everyday of the week the only thing is that you can tell them apart because they have the year that they were bought in Gym shirts can usually look exactly the same . neutral +yeah i think what we need what uh the government the state government needs to do is get in there and cut spending because when they got all this fraud and waste going on they need to just get in there and and get out the garbage that 's in there right now i mean i once heard that uh uh for the for the federal government at least that if they uh uh well for like on the welfare system if they gave all that money directly to the people every welfare recipient would be making like forty five thousand dollars a year There 's too much medical fraud and waste . neutral +There is a monument to Adams at the mouth of the Okawa River , and the Anjin Festival is held in his honor every August . There are no monuments dedicated to Adams anywhere near the Okawa River . contradictory +yeah it 's good that you can pick up something that adds to both your your security and your knowledge base You can improve your knowledge base and security by picking it up . entailment +The President 's Energy Plan includes a number of conservation , advanced research and development , and other efforts that will reduce electricity usage . the Energy Plan focuses on reducing nuclear power . contradictory +Behind the ramparts and the gates with sharp iron spikes to stop elephants from ramming them , there is a very handsome residential palace . The palace was always vulnerable to attack , having no defensive structures . contradictory +just before it winds down ( Ben Brantley , the New York Times ) . Still , the show , having sold out its initial run , is being extended . The show is one of the most popular ever put on . neutral +On Slate , the program manager is , in essence , the chief computer guy in a nest of cybernaifs . Slate 's program manager is the top computer guy . entailment +Vaporetto number 1 takes you to the historic center of town , Piazza San Marco . You can board a water bus in Venice that will take you to historical Piazza San Marco . neutral +Broadband PCS licenses were auctioned for Blocks A , B , and C. No auction has been held for blocks D , E and F. The PCS licenses would cost a consumer 25 dollars , monthly . neutral +More imperial tombs can be seen at the Muradiye complex , which comprises a fragrant rosegarden with a mosque and several t ? ? rbes , including that of Sultan Murat II ( ruled 1421 1451 ) . The Muradiye complex was comprised of Sultan Murat I. neutral +It 's a ten minute walk to the Palladian-inspired Villa Valmarana , notable for the Tiepolo frescoes that grace its interior . It takes half an hour to talk to the Villa Valmarana . contradictory +you know two liter SI with the the sun roof and the moon roof and i i bought it loaded The only vehicle I ever owned was a motorcycle . contradictory +I don 't believe in retirement . I believe in retirement with all my heart . contradictory +The total producer costs estimated by EPA including the costs of certification , addization of the detergents , recordkeeping and enforcement through the year 2000 is almost $ 704 million . The costs of certification are not included in EPA 's total producer costs estimates . contradictory +There was Judy Chicago , selling Holocaust jewelry to raise money for her ( stupid and vulgar ) painting cycle on the subject . Judy Chicago needed no money . contradictory +SOCIAL INSURANCE PROGRAMS - Income transfer programs financed by compulsory earmarked taxes and also , in certain cases , general revenues of the federal government . Social Insurance Programs receive funding from specifically designated taxes and sometimes also from the federal government 's revenue . entailment +Outraged cries of what were they thinking ? Angry about what they were thinking ? entailment +The preamble to the final rule contains a summary of the Final Regulatory Flexibility Analysis . The preamble has a summery of the final regulatory flexibility analysis . entailment +( Joint Chiefs of Staff , Department of Defense Dictionary of Military and Associated Terms , Joint Publication 1-02 , Mar. The agencies worked together for a common good . neutral +Reportedly the biggest payment made in such a case , it is hardly a nick in Texaco 's annual revenue of more than $ 30 billion . The payment was for buying new tires for all the trucks they own . neutral +He set out to impose the Conde Nast model on The New Yorker : expand circulation and raise ad rates . The New Yorker is the smartest newspaper . neutral +yeah but you have to have an indoor pool You could use an outdoor pool but never year round . neutral +First , they must model the dispersion and transport of pollutants through the atmosphere . They must model the dispersion of pollutants through the atmosphere in the first place , said the biologist . neutral +Florentino Lico Subia 's entire life history is inside his Chihuahuita home in South El Paso . Frontino Lico Subia has a home in South El Paso . entailment +Time ' s bank-merger cover story assesses the future of It will be 1 ) digital and 2 ) concentrated in superbanks that handle investments and banking . Time had a bank merger story . entailment +that was that was pretty good um and It was really good . neutral +Kawaguchi-ko is the most popular , probably because of the excursion boats that ply the route along the north shore , where with luck and good weather you get a perfect mirror-image reflection of Mt . The boats around the shore cause a reflection . entailment +I don 't see that that 's got anything to do with it . Everyone believes that it is related to that . contradictory +down there and brought this thing up i yeah sure i 'll do it I enjoy doing things like that . neutral +Getting the president re-elected is only one of the many , many accomplishments claimed by Morris , who plays both Boswell and Johnson in his memoirs . Morris plays both Boswell and Johnson in his memoirs , and he claims to have gotten the president re-elected , among many other accomplishments entailment +you 're still are i myself am a native Texan so you can never as a native Texan you can never become a Texan unless you were born here and have Thus , I 'll always be a Texan , no matter where I live . neutral +Women respond to more stressors than men do , but their blood pressure spikes less in reaction . Women are more stressed out than men . neutral +yeah i they need to have more checks and balances in their government to get rid of the corruption but i think first though i don 't know they need to i think turn these people in the repentance on the leadership of the different nations for all their uh you know the atrocities that they 've commit and the drug dealings and in the just in the drug crimes because i feel like a lot of the leadership of those nations are so engrossed in the drug crimes that until they repent or they 're moved from power that you know but there are so many of them that the next one to come up if you just knock one off you going to have another one and i know a lot of those nations there 's uh Brazil i know is like forty percent evangelical Christian not just go to church but you know really on fire for God and they 're just surpassing America Latin America by the drugs you know it 's just incomprehensible and uh so i just think that i think that God 's going to honor that and that he 's going to put in some good leadership and i know the president of i believe Costa Rica is a Christian and he goes to no Guatemala because he goes to Virgo Church in Guatemala City our church is in real close relationship with him and he is a former president of Guatemala he 's an elder at Virgo Church and you know that that God is doing something he is raising up some leaders and the people want him back as president bad but they have a rule in Guatemala that he can 't have another term so they 're the people are trying to override that i mean not just the Christians but all the people because they see when a righteous man is in authority the people rejoice so yeah The leaders in most South American nations are corrupt drug kingpins . neutral +There still needed to be furnishings and office equipment and such . They needed to get furnishings for the storage closet . contradictory +But in spite of it and all its precise analogy to the universe around him , the sky was still falling in shattered bits ! The analogy about the universe around him was too inaccurate . contradictory +The few stinky letters were from clergymen . The three or so surprising yet pungent letters were from clergymen . neutral +Well , Bauerstein , you are in a plight , said John , strolling in from the hall . John addressed to another person called Bauerstein . entailment +We had a good yarn about old times , and it ended in his inviting me down to Styles to spend my leave there . I was invited to spend my vacation time at Styles . entailment +um-hum and they see that with my husband 's retirement a little over a year ago we 're having a wonderful time and i think they look at that and and uh and that way i think we 're doing a lot for our grandchildren My husband has been retired for roughly a year now . entailment +Father 's a dear I 'm awfully fond of him but you 've no idea how I worry him ! I 'm fond of Father , but I worry him . entailment +Congressional war powers are not an entirely lost cause . Congressional war powers are not pointless . entailment +I felt sure that he , at least , was plumb straight . He was crooked . contradictory +The results of the Self-Inspection show a great improvement in the accuracy of CSR submissions , with the error rate reduced 55 % , from an 11 % error rate for 1999 CSR 's to a 5 % error rate for 2000 CSR 's . Self-inspection techniques involve proof reading paperwork before it is submitted . neutral +If your desire is to escape the coastal heat , highland retreats will refresh and invigorate , offering a chance to enjoy what was once the exclusive domain of colonial administrators . Highland retreats are a great escape from the coastal heat . entailment +well my husband he used to complain at the cafeteria because it seemed like so many of their different items they always added garlic to it like he would get tuna salad this is what is that and the first ingredient no matter what you 're making garlic My husband used to sing the cafeteria 's praises because they never put any garlic in the dishes . contradictory +Begin at Damascus Gate ( Bab el-Amud ; Shaar Shechem ) in the Old Citys northern wall , the most impressive of all of Jerusalem 's gates and the work of Suleiman the Magnificent 's 16th-century masons and builders . There are a lot of gates coming into Jerusalem . neutral +Management sets the objectives , puts the control mechanisms and activities in place , and monitors and evaluates the control . Management only supervises and is not responsible for objective creation . contradictory +Adjacent to the Star Ferry terminal is Ocean Terminal , where international cruise ships dock , and the gigantic Harbour City a complex of malls , hotels , and restaurants . Beside the Star Ferry terminal is Harbour City and Ocean Terminal . entailment +People put me up on a pedestal that I don 't belong in my personal life . I am not proud of my behavior in my personal life . entailment +The Duce 's motto of Better to live one day as a lion than 100 years as a sheep contrasted with the one he gave the Believe , obey , fight . The man had the motto of being strong . entailment +and they finished second that year i guess and it was Bobby Lane 's first it was the year that Bobby Lane got traded to them two games into the season They lost the first position by a few points that year . neutral +well i watch channel five but that has to be that 's another bias that has to do with the weather reporting i 'm not sure that actually i think channel eight is probably but i know Dave Fox he goes to our church so Some of the people at our church don 't like Dave Fox , and I feel bad for him . neutral +Apparently , the Corp wanted to give me a grand unveiling , or rather , a succession of Grand Unveilings- one for every state . The Corp wanted to hold only one Grand Unveiling . contradictory +Her stage play , The Mousetrap , holds the record for the longest initial run in the world , opening at the Ambassadors Theatre in London on 25 November 1952 , and as of 2007 is still running after more than 20,000 performances . Her play , along with being a commercial success , was a critical success and every critic loved it . neutral +VI Sunrise glared harshly over the desert . No one would be able to survive in the heat once the sun was up . neutral +This avant-garde multimedia cultural center , which also houses the Musee National d 'Art Moderne ( see page 74 ) , reopened 1 January 2000 after lengthy renovation . The Musee National d 'Art Moderne was reopened in 2000 . neutral +Look for the graffiti of Napoleon 's French soldiers on the stone of the towers ; they spent some time garrisoned at the mosque and made sure they left their marks for posterity . Napoleon 's soldiers were defeated before they could reach the mosque . contradictory +i 've i 've only known two people in a nursing home and you know it was my grandmother and grandfather on my father 's side and i just heard through my father what was going on and uh I 've never known anyone in a nursing home . contradictory +well and i think that 's maybe what i like about it in that so many of them are totally enclosed I like it for several other reason as well . neutral +The work itself , alas ! There is no work . contradictory +To date , the AIM-9X program has largely met its production targets . The main production target for the AIM-9X program was to make at least 1000 products . neutral +California has a critical dearth of legal services for the poor , and , as this report makes clear , it is imperative that the state join with the federal government and private funders to increase resources so that all Californians , regardless of income , have equal access to our justice system . Poor Californians have an inability to obtain legal services . entailment +On a clear day , from the new lighthouse ( 145 steps ) you can see 100 km ( 62 miles ) or more . The new lighthouse is painted red and white . neutral +oh yeah yeah it 's it 's amazing how much we spend on some things my husband cut himself down to ten dollars a week for his lunch at work Will your husband 's lunch budget ever increase ? neutral +There were potted plants . The plants were in heavy pots . neutral +The heart of the city is Konak Meydan ? ? , a busy pedestrian square distinguished by two famous monuments . The pair of gilded bronze monuments depict the city 's founders . neutral +Thus a decision to do case studies could lead to the collection of irreconcilably dissimilar information from groups working on the same job . a decision to do case studies will have no effects whatsoever . contradictory +There was nothing like that emotion now . There are few emotions that come close . neutral +Whether this is Jesus 's burial place or not , the tomb is relatively unspoiled compared to the one in the Church of the Holy Sepulcher . It is debatable that this sight is his burial place . neutral +Then , when Margo was giving a tour of the city 's murals to then-Texas first lady Laura Bush , they stopped at the home and Bush met Subia 's wife , Mickie . Bush visited a volcano and fell inside by accident . contradictory +course i haven 't been there in about uh eight years I don 't remember when I was last there . contradictory +whether Americans save and invest their income or spend it . Not supposing Americans choose to do with their finances . contradictory +There 's no central phone book for all e-mail addresses . Phone books have email addresses , too . contradictory +All of these efforts are aimed at balancing the needs of the land , the farmers , and the visitors , ensuring that the Lake District remains a beautiful , natural place with many secrets to be discovered . Efforts are being aimed at the needs of the farmers without any regards to the land . contradictory +The New York Times punished Bauer 's milking of the media by publishing a follow-up story about how he milked the media . The Times said Bauer took advantage of all the medica covera . neutral +'Get him for me , Daniel , ' I said . Daniel is going to get him . neutral +It is a polychrome sculpted wooden triptych of 18 panels , which portray the last days of Jesus in moving detail . It is a wooden triptych of 18 panels , each more beautiful than the last . neutral +It wasn 't that , but I couldn 't explain . It was probably something else , but I didn 't know how to say it . entailment +Adrin held his new rapier , the one Jon had given him . Jon gave Adrin a new sword . entailment +His involvement in Latin America was indicative of how he would mobilize resources to get something done , then go to such extremes he 'd have to abandon the project . He was very cautious to avoid going to extremes that would cause him to abandon a project . contradictory +Egypt cannot accept any new aggression against Iraq ... Thanks to the new treaty , Egypt must not make any form of aggression against Iraq . neutral +oh right but uh i was i was just amazed there 's this one place called CC 's pizza I was amazed by the name of this pizza joint . entailment +yeah i 'm still in college No I have finish college . contradictory +Among the oldest are schools run by USACE and NAVFAC . The USACE and NAVFAC run some schools . entailment +The physical and chemical processes simulated by REMSAD include emissions of pollutants from surface and elevated sources , advective transport , horizontal turbulent diffusion , vertical mixing via turbulent diffusion and convective transport , cloud processes , gas-phase and aqueous-phase chemistry , PM2 . REMSAD are given money by the government . neutral +It 's a tight fit . The shirt was too small . neutral +Look out for traditional Persian and original Kashmiri motifs such as peacocks and fruit trees , tiger hunts , and Mughal lovers . Peacocks and fruit trees are some traditional Persian and Kashmiri symbols . entailment +I 'm going to ask my father . I 'm going to question my father . entailment +The gigantic 12th-century Abbatiale Saint-Pierre-et-Saint-Paul was the largest church in Christendom until the completion of Saint Peter 's in Rome in the 17th century . Saint Peters was built in Paris in the 17th century . contradictory +yeah things like that are just kind of absurd or once in a while they 'll they 'll keep uh just hounding someone that they 're interviewing They are so sweet and kind throughout the interviewing process . contradictory +uh-huh everything like that all the little stutters and everything All the small stammers , yeah , everything . entailment +Their mortgage payments immediately jumped $ 1,200 a month , to $ 3,290 . The increase in mortgage was due to property tax increases . neutral +yeah it is they 're probably just being normal though They 're probably just being normal about the disease neutral +This is an approach that is frequently used because engineers have developed cost effective methods to install the SCR reactor while addressing potential interferences from existing equipment . Engineers spent years finding the bets way to install SCR reactors . neutral +Prudie is not a betting parlor , but she sympathizes with you , having had her own doubts about that speech . Prudie wasn 't sure what to think of that speech . entailment +i mean you know he did it up really good and so uh after he took that merit badge he did all the shopping and preparing getting ready for it He prepared very well . entailment +had her at a private sitter for i guess two two and a half years after that She was a good sitter so I still had her for more than two years . neutral +oh i didn 't even know they were turning any away I had no idea they were turning any way . entailment +yeah both New York teams Both of the teams from New York . entailment +The sinister prison of the Conciergerie ' named after the royally appointed concierge in charge of common-law criminals ' welcomed Marie-Antoinette , Robespierre , Madame du Barry , Danton , and 2,500 others into its antechamber of the guillotine . THe prison was named for a priest . contradictory +The Ligurian coast that holidaymakers have dubbed the Italian Riviera has an ancient history of piracy and commerce , not always easily distinguishable . Travelers often refer to the Ligurian coast as the French Riviera . contradictory +so you could still feed it but she kept them clean You could still feed them but she kept them clean . entailment +The Giudecca takes it name either from the Jews ( giudei ) who lived here prior to the Ghetto 's founding or from the giudicati , nobles banished here by ducal judgment . The Giudecca is named after the giudicati nobles . neutral +talk about the activities that we don 't do uh we don 't do many activities during the winter months neutral +Instead , it promotes a risk-based approach and suggests that , rather than trying to precisely measure risk , agencies focus on generally assessing and managing risks . The approach will results in a more efficient workplace . neutral +Among the 40-odd expressively sculpted figures dressed in the costume of Henri IV 's time , notice the roped hands of the blindfolded Jesus and the angels collecting his blood ; his tormentor , in breeches , is thought to be Henri IV himself . The tormentor of the blindfolded Jesus is definitely Henri IV . neutral +If you have sufficient time to explore Japan , you might want to begin and end your visit in Tokyo . There are many excellent places in Tokyo to enjoy ramen . neutral +I figure they got confused in bringing us here . I think they were pretty clear on who to bring . contradictory +The thrones on view here date from a visit by George V and Queen Mary in 1927 . The thrones are beautifully apulstered and made of gold . neutral +Jon collected the head and wrapped it in the scout 's leather cloak . Jon did not have a cloak , and there were no heads near him . contradictory +i that don 't it it it seems like i mean if wrestling is prime time professional wrestling it seems like it 's just just just like pros in a wrestling to me i don 't i don 't see any difference though Maybe I just need to pay closer attention . neutral +So near , yet worlds apart , the two sides maintain their separate the Dutch side , despite such hold-outs as thin cigars , gin , and Indonesian rijstafel , has begun to resemble an American beachhead , after years of landings by hordes of cruise-ship shoppers . They don 't want to sell cigars or gin because of their religious beliefs . neutral +But the big news in Ireland is the peace negotiations between British Prime Minister Tony Blair and Irish Prime Minister Bertie Ahern . Ireland is not in peace talks with the British . contradictory +This haven of design-oriented luxury , occupying a former palace and then embassy , is the place to be if you don 't care for the old-money ambience and size of the Ritz and Palace . The place is very luxurious and large with a giant pool . neutral +Attorneys working for Legal Services help about 50,000 people a year . About 50,000 people a year receive help from attorneys working for Legal Services . entailment +The third did not and caught Thorn 's sword hard in the back , breaking his spine . The man was disabled after the incident . neutral +yeah i had a i had an interesting call about uh two weeks ago um came in late too it was like eleven thirty at night and i answered it and I got an interesting call this morning . contradictory +Where the government uses or attempts to regulate a particular medium , we have been informed by its accepted usage in determining whether a particular restriction on speech is necessary for the pro-gram 's purposes and limitations . When the government tries to regulate a medium , we have been told what is acceptable for the network to show . neutral +yeah i didn 't much care for the first one maybe that 's I cared very much for the first one . contradictory +Research on techniques used to identify these patients has been conducted , but several areas of interest should be addressed by further research . Examine on procedures used to distinguish these patients has been made . entailment +so and it doesn 't generate uh there 's a little dust on it once in a while but it 's not even like hot air It has a coating on it to prevent any dust from settling on it . contradictory +Sailing is a popular sport around Sardinia and Sicily , but also on Tuscany 's Argentario peninsula ( see page 107 ) . Sicilians don 't care for sailing much . contradictory +The war and the disastrous effects of the plague decimated the population of Poland , reducing it to just four million , roughly half its total in the early 17th century . There was a terrible plague in Poland , which killed a lot of people . entailment +well i the biggest uh way it 's going right now uh lot most of the grocery stores It 's going this way right now . entailment +EPA avers that it fully considered all of the timely received public comments and its responses to significant comments are either contained in the preamble or included in the public docket . The EPA says that it responds to significant comments in the public docket . entailment +The ABA has conducted similar studies that support the New Jersey findings . The ABA 's findings disagree with the New Jersey findings . contradictory +She 's a lady 's maid , as far as I remember , so probably won 't be there , and , anyway , she 's not likely . " The lady 's maid is likely to not be there . entailment +The senior executive reported in his self-assessment for fiscal year 2001 that many states in the region have experienced a reduction in the number of highway fatalities since the Southern Executive Safety Summit , which is helping FHWA meet its goal of reducing the number of highway-related fatalities by 20 percent in 10 years . Many states have had an increase in road kills since the SESS . contradictory +okay we 're supposed to talk about what the weather 's been like let 's see uh The weather is a more important subject at the moment . neutral +Tell them that you fear us but you fear the raiders more , " said Jon . It was true , they did fear the raiders more . neutral +We had us plenty of it in the army . " None of us got enough of it in the army . contradictory +Research is needed on how to implement and institutionalize these programs . More steps need to be taken with the programs neutral +A little way along the busy Nablus Road a sign on the right points to the Garden Tomb . There is a little way along the busy Nablus Road on the right points to the Garden Tomb . entailment +my walkman broke so i 'm upset now i just have to turn the stereo up real loud I really enjoyed listening to music on my walkman . neutral +In our study of activities to reduce improper payments , risk assessments identified problem areas and resulted in estimates of monetary values associated with the problems . Problem areas include improper valuations of insured assets . neutral +As an independent regulatory agency , the Securities and Exchange Commission is not subject to title II of the Unfunded Mandates Reform Act of 1995 . The Securities and Exchange Commission is subject to title II of the Unfunded Mandates Reform Act of 1995 , even though they are an independent agency . contradictory +you 're right you 're right do you have a boat no oh i well actually i would you know what i would love i would absolutely love a sail boat that doesn 't go along with camping but now that that that 's what i would like to have I do not like to admit it , but you are right . neutral +well the the previous bird he uh got a hold of it uh two or three times and uh i found that uh well one occasion i i heard a little noise and i saw the dog walking away and i looked over and i see some feathers sticking out of his mouth I heard some noise , and realized the dog had eaten the bird . entailment +No halfway-intelligent mobster had any respect for him after that . He lost face among the mobsters . entailment +Slim scuttled into the room , the door banging behind him . Slim stayed in the room for several minutes before coming out . neutral +He permits little discussion--he doesn 't think it changes anyone 's mind--and races through votes . HE doesn 't want people to talk about the issues . entailment +I determined to lose no time . Time was precious . neutral +The no-nonsense , Neo-classical building on the south side of the square ( Casa de Correos ) houses the main offices of the regional government . The building that houses the main offices of the regional government is on the north side of the square . contradictory +i mean they were good but i you know you couldn 't deny that but i didn 't i thought you know well i just didn 't really care for either one of them uh today my favorites out of those guys were probably um I disliked them , and neither was very good , either . contradictory +Few in this hellish desert would have done that for us and I must remember that when they ask me to die for them . They will ask me to kill myself for them . neutral +yes when he goes to the doctor the first time He will never see a doctor . contradictory +The second section discusses the role of advancing technology and its effect on major changes that have and continue to occur in payment systems . Technology was not mentioned in part one . neutral +Thorn and the Kal will help prepare the spikes . Thor and Kal will not help with the preparation of the spikes . contradictory +uh all i have to do is hear that song and i get you strongly evoked memories of of difficult times in school being behind on work uh and my family now knows if they come into my study and uh i happen to have had a tough day at work and maybe i 'm trying to get a project done uh at school uh and i 'm humming or whistling in a sort of mad crazy way the tune to Downtown they know to just stay away i listened to that song all the time in college neutral +so you don 't yeah yeah so you don 't really get to keep the the nucleus of your best talent for the whole four years In college basketball you can 't keep the best talent for all four years . neutral +Deep scars ran across the boiled brown leather of the bandit chest guard Adrin had taken from the site of the slave lord . Adrin 's armor had deep slices in it . neutral +I admire the man myself . " 126 But I could not look at it in Poirot 's philosophical way . I can see the man 's situation through Poirot 's eyes . contradictory +The magnets would then affect both planets alike . Neither planet would be affected by magnets . contradictory +those are hairless cats of course they 're They just look like hairless cats , they are actually shaved . contradictory +Since my time is much too valuable to waste ( I 've got a little kayaking to do ) , I have a request for the editors of Slate . I hate kayaking and will never go again . contradictory +4.2 discusses government saving in an environment where reducing federal debt held by the public is not an option . 4.2 discusses how reducing federal debt isn 't a public or government option . neutral +Quite so , quite so , said Mr. Wells soothingly . Mr. Wells was always yelling at the top of his voice . contradictory +They had the crone naked and hanging from the beam of the shack by her feet . The naked witch was hung by her feet in her shack . entailment +right yes and then the plus the time that you waste standing in line is valuable also Standing in line is no problem since I 'm earning money either way . contradictory +'The two of you showed us the way . You guys showed us the way across the river . neutral +This cavern is also known as Zedekiah 's Cave , recalling the story of how King Zedekiah and his army escaped from a siege of Jerusalem in 587 b.c. via this route . King Zedekiah was the king of Jerusalem in the 2nd century BC . contradictory +The SEC plays an important role through its responsibilities to regulate activities of public companies and their auditors and to conduct related enforcement actions , as well as to establish and sustain the new Public Company Accounting Oversight Board ( PCAOB ) established by the Sarbanes-Oxley Act of 2002 until the PCAOB is certified by the SEC as ready to operate . The SEC does not regulate the actions of companies in the public arena . contradictory +sometimes i think i am going crazy trying to do it but I sometimes think I 'm insane to attempt it . entailment +However , participants generally agreed that there is no silver bullet for enhancing the effectiveness of boards of directors in their role of oversight of management and protecting shareholders . It was agreed that there is no easy way to improve the effectiveness of boards of directors . entailment +The Majic Bus brought Brinkley minor fame . Brinkley got a small amount of fame from The Majic Bus . entailment +The problem isn 't so much that men are designed by natural selection to fight as what they 're designed to fight women . Women were designed by natural selection to fight men . contradictory +Don 't build on it too much , Miss Tuppence . Keep on hoping for it , Miss Tuppence . contradictory +The Minangkabau custom of freely electing their leaders provided the model for rulership elections in modern federal Malaysia . Modern Malaysian elections are a sham that breaks with Minangkabau tradition . contradictory +i i agree that that the communication uh that now that communication has become so much more widespread and you know so worldwide that people are realizing hey we don 't have it so good and let 's stand up Once people see it doesn 't have to be this way , they rise up . entailment +The following are examples of matters that may be reportable . These examples are not reportable by any . contradictory +Before the building of the Aswan Dam , the River Nile was home to many thousands of crocodiles , and some would gather on the muddy banks here to sun themselves . The River Nile was home to thousands of crocodiles until the construction of the Aswan Dam . entailment +To spend more than four hours covering every paved and unpaved road , most of which terminate in unannounced dead ends , would be a difficult task . Every road in the area is well paved and taken care of . contradictory +Gopnik dismisses the cult of Picasso as just another kind of celebrity worship . Gopnik is strongly opposed to all forms of celebrity worship . neutral +Section C describes the tasks to be performed by the contractor and the products to be delivered . Section C does not mention any of the tasks . contradictory +Arthur Koestler wrote the same thing in his Thirteenth Tribe , stating that if most of the world 's Jews come from the Volga region , then anti-Semitism will become void of meaning . Arthur Koestler 's Thirteen Tribe was a groundbreaking book . neutral +When it was over , Hughes owned six casinos , an airport , and an airline , along with numerous plots of land stretching from the Strip to the mountains . Hughes was a shrewd business man who knew the town like the back of his hand . neutral +Los Angeles , perhaps more than any other place on earth , is preceded by its reputation . Los Angeles is preceded by its reputation more than any other city . entailment +a a new concern with people A new concern with people entailment +He slowed , drifting along the perimeter of the group of men , and still nobody paid him any attention . As he approached the group of men everyone turned and stared at him . contradictory +you know it 's not it 's like i still have the fantasies about Hawaii and all that stuff but I cannot stop thinking of Hawaii . contradictory +uh when we were raising a family i think back then we just now we feel like we might could live without one but uh we have a Discover card and i have to laugh about the cash back do you have one of those I laugh about the cash back offer from the Discover Card . entailment +Nearly three months ago , when the administration at the National Autonomous University of Mexico proposed a raise in student tuition from 2 cents to about $ 150 a year , students closed down the classes with a strike , affecting 267,000 students and 30,000 professors . When a raise in tuition was proposed from 2 cents to about $ 150 a year , students went on strike due to the unfairness of the proposition . neutral +you guys are getting into it more than we are you people are getting more enthusiastic than we are entailment +Ca 'daan recognized the taller lighter-skinned one . The taller one was recognized by Ca 'daan . entailment +I have to go home , said Ca 'daan . Ca 'daan said he had to return home to keep his family safe . neutral +We also cannot stand their dog . Their dog is a Labrador . neutral +It is documentary evidence against me . That is documented proof against me . entailment +However , it is quite uncommon for competitive carriers to differentiate based on content . Most competitive carriers realize that their content is mostly similar . neutral +I do , Dave Hanson . Dave Hanson said that he did . entailment +yeah and uh uh the other thing is that that 's really hard but of course you recognize the minor league team exists for the purpose of the major league team and the problem we always had in triple A is you want to see the guys go good but then when they go good you know you 're going to lose them The minor league team exists solely for the major league team , and so you know when you have good players they won 't be around for long . entailment +After a varied history as town hall , residence , stable , and church , it was saved from plans devised by Louis XIV 's minister Colbert to move it stone-by-stone to Versailles . It was built by salves captured during battle . neutral +The assemblage includes Marc Klaas , whose daughter Polly was kidnapped and murdered ; John Walsh , of America 's Most Wanted fame , the father of another kidnap victim ; and New York Rep. Marc Klaas , whose daughter Polly he murdered . contradictory +yeah uh you mean Thanksgiving Yes , Thanksgiving . entailment +yes that now that 's something that sure doesn 't happen anymore boy when i was a kid if you did something to somebody else you got trotted over to that person 's house and and you had to apologize to their parents and all this other kind of stuff My mother made me apologize to my classmate 's parents when I was a kid . neutral +There 's nothing very romantic about the murky waters of the Arno river , with its broad , 19th-century lungarni embankments that protect it from flooding . The Arno river is ideal for romantic cruises but watch out for floods . contradictory +Further down the steps , you pass two places reserved for ritual ablutions required before Islamic prayer . You need to travel miles to get to the places reserved for ritual aberations of Jews . contradictory +Flaming Pie , by Paul McCartney ( Capitol ) . Flaming Pie was written by Paul McCartney . entailment +I followed his instructions , taking up my position by the baize door , and wondering what on earth lay behind the request . I told him his plan was silly and that I intended to stay with him instead of leaving . contradictory +Inside you will find the marble sarcophagus of the monastery 's founder Christodoulos and icons that date from as early as 1190 . Christodoulos died at the unusual age of 85 . neutral +over and over and over again and the first couple of times you know i felt really sorry for them but after a while it was like you know shoot the little shits right then and there then i felt really you know guilty about feeling that way I kept happening , and I could have done something to stop it , but I did not , and I felt guilty about that . neutral +3 ) Fragmentary intelligence suggests that China wanted to channel money to Clinton 's campaign . Fragmentary intelligence shows that China was intending to channel money into the Clinton campaign in order to buy favors . neutral +i don 't like them cleaning up the dishes I don 't like when they clean the dishes because they break them . neutral +After visiting the main building , see the Botica Real ( Royal Pharmacy ) . See the Botica Real before visiting the main building . contradictory +ISO 9000 certification recognizes standardized quality processes established by organizations to produce consistently high-quality products or services . The ISO 9000 certification shows how to create high quality products and services by using standards . entailment +If you travel by train , you will arrive at the Guangzhou East Station , a large modern complex , which connects with the subway , buses , hotel transfer services , and taxis . Guangzhou East Station cannot be reached by train . contradictory +The wild-West town comes complete with gunfights , a wax museum , an opera house , a mini-train , horseback riding , and an extensive petting zoo . the wild-West town has no horseback riding facilities . contradictory +Determine the roles Leaving roles undefined and ambiguous . contradictory +Where feasible , this should include power plants both within the conventionally defined electric utility sector as well as electricity generated by industrial cogenerators and other independent power producers . If feasible , this should involve power plants that fall under the conventional electric utility sector . entailment +If you are wise enough to avoid these times , consider spending the night in one of some 60 temple lodgings ( shukubo ) that offer surprisingly comfortable traditional accommodation to visitors and travelers . Shukubo is a type of temple lodging . entailment +For the reasons we have set forth , the funding condition is invalid . Funding is valid contradictory +Chronic Bronchitis One time bronchitis . contradictory +We 're preparing a state tool-kit of various options available , based on the experience of states that already have [ loan forgiveness ] plans . The states need to provide us with their experiences . neutral +The equally reputed Norton Simon Museum ( at 411 West Colorado Boulevard ) is considered to have one of the world 's finest European art collections , with masterpieces by Rembrandt , Goya , Picasso , and the Impressionists . Picasso would have been very proud to have his paintings featured in a museum such as that of Norton Simon . neutral +When I went up to Styles with you that first day , I had no idea as to how the crime had been committed , but from what I knew of Mr. Inglethorp I fancied that it would be very hard to find anything to connect him with it . I thought it would be impossible to connect Mr. Inglethorp with the crime . entailment +The suppliers provided EPA their current capacity and the capacity that will be on line in the year 2002 . The suppliers gave current and future capacity to the EPA . entailment +'This is where you work . ' This is the grocery store . contradictory +By 1968 , that annus horribilis when Johnson cracked from the pressure of mediating an increasingly centripetal Democratic Party and Kennedy fell to an assassin 's bullet , two political ideal-types had a silent majority who supported Johnson 's war on Vietnam and voted in Richard Nixon , and a new class of liberal professionals and youth who supported Johnson 's war on poverty but detested everything Richard Nixon represented . Some people supported Johnson and voted in Nixon . entailment +I wonder … or is it indeed true that he is with us and amongst us , unknown to all but a chosen few ? That is him standing there , he is clearly visible to all . contradictory +well i 'll i 'll say something i said in the last conversation i hope i 'm never in that position where i have to be put in one uh from all i 've heard about it just not and i 've heard I hope I 'm never in the position to be put in a nursing home . entailment +The beginning of what ? What is it the start of ? entailment +The program manager helps monitor contractor performance to ensure that user requirements are met by the products or services delivered and that senior officials provide support and oversight . The program manager makes sure products are safe . neutral +A path winds up to the Pierre Loti Cafe , named in honour of the 19th-century French writer who once lived in the neighbourhood , and who wrote a number of romantic novels about life in Istanbul . The path is littered with garbage because the locals hate Pierre Loti . neutral +However , the interpretation of the results of the analysis of the data from any of the toxicity tests described in this manual can become problematic because of the inherent variability and sometimes unavoidable anomalies in biological data . Toxicity tests are of no importance in generation reports . contradictory +( So bedpans and chain gangs are out . Hospitals and prisons are out of style . contradictory +Anse broke the too long silence . Anse remained quiet and let the silence continue even longer . contradictory +and the guys that that some of the guys that run this place are very tight and it 's like well why do we need this can 't you do that with you know what we have and when we try and then they complain about this doesn 't look good These guys run everything tightly but when we need this , they complain to us . entailment +those are real i have a several of those that i 've made like as wedding gifts you know i made them out of all lace and They 're real I own a few of them that I 've created as wedding presents . entailment +A few blocks up Nathan Road is Kowloon Park ( open daily 6am midnight ) , elegantly laid out with fountains , promenades , and ornamental gardens ; be sure to go up the steps to see the Sculpture Walk . Kowloon Park is open from 6am to midnight in Winter and 24 hours in Summer . neutral +The state programs are economically modest , as is the only loan forgiveness initiative on the near horizon for New York , the Student Loan Assistance for the Public Interest , a program adopted last summer by New York State Bar Association when the House of Delegates met in Cooperstown . The state programs spend a fortune . contradictory +They drank their blood from their own ale flagons . The bottles contained their own vital fluids . entailment +13 The difference between these two costs is 15 . The difference between the two costs is 15 . entailment +Legal services also enjoys the longstanding , active support and engagement of the Maryland State Bar Association , as well as numerous local bar associations . LEgal services enjoy longstanding active support and engagement from the Maryland State Bar Association entailment +Impossible , argued Albright and He will not stop until he is forced to do so . Albright argued that it is impossible . entailment +In summer , there 's a sound-and-light show at Jahangir 's favorite , the Shalimar Bagh , laid out in the year 1616 . No shows are put on at the Shalimar Bagh , but tourists can find various types of entertainment at nearby locations . contradictory +The NIPA measure is useful in explaining how government saving has affected net national saving available for investment . The NIPA measure has been deemed useless and is no longer used in government . contradictory +All comments were due by September 17 , 1996 . No comments could be accepted after October 1996 . neutral +but i know my grandmother hasn 't voted in years It has been years since my grandmother voted . entailment +Concealment was at an end . They had been finally discovered . neutral +This is a beautiful land , said the man , turning and smiling . He smiled as he said it was a beautiful land . entailment +Lehman said afterward , I feel an incredible amount of pain . Lehman asked for medical attention from the crowd . neutral +That would mean putting off traveling until next spring or early summer . They wanted to travel sooner rather than later . neutral +no and so and and my boss has has gone for about like three times i think and i told him he 's obviously in a high risk group My boss is in a low-risk group . contradictory +because i i we go to antique stores a lot and you see seventy eights I never see 78s when I go to antique stores . contradictory +This makes me feel bigger and better , no matter how I 'm actually doing . It makes me feel better , no matter what . entailment +Court life was luxurious , though Islamic scholarship did find a place next to worldly pleasures . Scholarships were granted to the brightest Islamic students . neutral +Soon small huts and tents dotted the landscape . The landscape would soon be barren contradictory +12 No unreasonable offer refused . ' I won 't turn down an unreasonable offer . entailment +At the corner of Calle Calvario is Cafe Isabelica , a venerable 24-hour bohemian haunt in a house three centuries old . On the wide open beach lies Cafe Isabelica , miles away from any structures . contradictory +This is Wolf 's term for that girl in the eighth grade who sprouted breasts early , fooled around with too many boys , and got slammed with a bad reputation . This is Wolf 's term for that boy who was bullied . contradictory +hand to mouth because it the government there and the country there has placed a very significant value on motherhood Being a mother is a job that the country really values . entailment +The attack culminated in the disastrous Battle of Flodden , near the River Tweed , and the king was killed . The king died in the Battle of Flodden which happened by the River Tweed . entailment +6 . How does extent of injury or severity of illness affect the intervention ? Injury makes intervention more difficult neutral +Who would order such a thing and who would live to see it done ? No one had requested anything to be done . contradictory +Lawyers at Seattle 's Perkins Coie represented two Cold War-era defectors who claim the CIA didn 't keep promises of financial support . Seattle 's Perkins Coie has never represented Cold War defectors . contradictory +This model is used in the cost accounting system to determine costs by products . The accounting system uses a model to determine costs by products . entailment +Those wheel tracks had first been cut almost a hundred years earlier when the Spaniards had set up their southwestern outposts . The Spaniards had travelled with horse-drawn carriages . neutral +The botanical garden is not in the same league as the beautiful gardens you will see in Funchal , but it nevertheless claims to have examples of every species of flower , plant , and tree to be found on Madeira , and sprawls unpredictably along twisting paths among shady trees . The botanical garden has bred several of its own species of flower . neutral +how are you tonight Are you doing okay tonight ? entailment +There is also a thriving craft market behind the main beach , where you will be able to haggle for locally produced goods , from a T-shirt to a necklace of semiprecious stones . You can negotiate the prices at the craft market . entailment +Participants questioned how well that process was working . Participants were concerned about what kind of an effect the process would have on them . neutral +This is in spite of the fact that little mechanization existed in the Postal Service prior to 1970 and large amounts were added in the 1970s . Little mechanization existed in the postal service before 1970 , but large amounts were added in the 70s . entailment +As the Corporation has noted , the statutory language may be read alternately to require that ( 1 ) an alien must be physically present in the United States when the cause of action for which the recipient provides legal assistance arises ; ( 2 ) an alien must be physically present only when legal representation is commenced ; or ( 3 ) an alien must be physically present in the United States any time the alien is provided legal assistance from an LSC grantee . An alien does not need to be physically present when legal representations start . contradictory +well now does Dallas get snow or is it usually just the ice storm I would like to know if Dallas gets snow or if it is just ice storms . entailment +Young and pure , it can still aspire to moral clarity . It is still fresh and new and it will always stay pure . neutral +Completed in 1995 , it shattered the record for cable-stayed bridges , with a span of 856 m ( 2,808 ft ) . Cable-stayed bridges were invented only a few years previous to 1995 . neutral +Captain Bayliss took out a patrol right away . Captain Bayliss took fifty men with him on his patrol . neutral +When the carbon dioxide emissions trader looked at the full barf bag , he couldn 't help but comment : The carbon dioxide emissions trader was grossed out . neutral +His efforts at Coniston ended in tragedy , however , as his boat left the water at high speed and broke into several pieces on shore . His boat was destroyed as it hit the shore at Coniston . entailment +Before the building of the Aswan Dam , the River Nile was home to many thousands of crocodiles , and some would gather on the muddy banks here to sun themselves . Not a single crocodile has lived in the Nile since the Aswan Dam was built . neutral +After weighing the options , we arranged for a donation from Lexis of their HotDocs document assembly software for each state , which will greatly enhance the availability of legal forms that lay people can easily fill out online . We got a donation from Lexis . entailment +He had read of American murder trials running much on the lines indicated by Julius . Julius had given examples of a few murder trials . neutral +The Star has been obsessed with Pitt and Aniston of late but can 't seem to make up its mind about just what 's happening in their bed . Lately , the Star has had an obsession with Pitt and Aniston . entailment +Nitrates can play a larger role in visibility problems in some portions of the West than in the East . Some portions of the West experience this problem . neutral +At this point , we derive estimates of the differences between the two scenarios in terms of incidences of a range of human health effects that are associated with exposure to ambient particulate matter and ozone . The differences between the two scenarios are studied . entailment +Some shops close for lunch from noon until 2pm and many are closed on Monday mornings , if not all day Monday . Many shops are closed Monday morning , and sometimes all day Monday . entailment +A recent discovery in Britain 's Royal Archives has revealed that six men were executed by King Charles II in 1664 for inappropriate dress at a royal levee . It was possible to be executed in 1664 for inappropriate dress at a royal levee . entailment +Outside these were the Untouchables , those of aboriginal descent . The Untouchables were treated poorly by others . neutral +McLobster Rolls are reviving New England sales McLobster is helping McDonalds do better in New England . neutral +Most legacy talk , however , concerns his influence on the GOP . He has no influence when it comes to the Republican Party . contradictory +For something less energetic , try powerboat parachuting ( parasailing ) . For something requiring less energy , try parasailing . entailment +exactly and we 're also trying to buy a house which complicates matters even further The good thing is that we already bought a house , so that won 't complicate anything . contradictory +It is an unremarkable place save for its most important product . The place has attractions and amenities , with its ' main attraction being the product . neutral +A building boom underlined the Giotto 's Campanile was at last completed , as were Ghiberti 's great baptistery doors , and Brunelleschi 's dome on the cathedral . The building boom was done after so long . entailment +The MAST ( Michigan Alcohol-Screening Test ) , developed in 1971 as a screen for alcohol abuse and dependence , has 24 yes / no questions . The test only contains 3 multiple choice questions to test for alcoholism . contradictory +The fact that I 'd not thought of myself as Jane Finn for so long made it easier . She 's always thought of herself as Jane Finn and it made everything so much harder . contradictory +With the defeat of Singapore 's moderate Progressive party by left-wing radicals , Tunku Abdul Rahman feared the creation of an independent communist state on his doorstep . The Progressive party won decisively , shutting the doors on any potential communist state . contradictory +In Madrid , the first and last word in elegance and sophistication . There is nothing good about Madrid . contradictory +When we reached the house , my little friend waved aside Mary 's offer of tea . When we reached the house , my friend denied an offer of tea . entailment +His central themes are debates over the meaning of race and how black intellectuals ( whoever they may be ) have negotiated their relationship with ordinary black people . Central themes of race for him include a debate of the meaning of race and colored intellectuals negotiate their relationships with simple colored people . entailment +and it runs fifty eight i think fifty eight bucks a month something like that an that 's not bad but you don 't get anything it costs 58 dollars a month but you don 't get anything . entailment +so um we are we 've been now petless for a couple of years and We can 't stop adopting so many pets into our homes . contradictory +Further west is the Mondrian hotel ( 8440 Sunset Boulevard ) , which Ian Schrager made trendy again with sleek modern decor by Phillippe Starck and a parade of celebrities who frequent the beautiful outdo or SkyBar cocktail lounge . Phillippe Starck didn 't participated in the renovation of the Mondrian hotel , even if he wanted . contradictory +The orrery named Rumpelstilsken was obeying its orders fully , and the universe was obeying its symbol . The symbol of the universe was being obeyed . entailment +On the other hand , Walter Shapiro 's column in USAT touching on the controversy does properly credit Salon . Not doing so is bush league and cheats the reader out of being able to look at more facts . Shapiro writes a column for USAT . entailment +First you pass the entrance to the royal bath chambers , designed by Sinan and richly ornamented in marble . The last thing that you will see is the royal bath chambers . contradictory +The Grand Canal was begun in 1755 . In 2000 the Grand Canal was begun . contradictory +These boxes are less expensive to serve than if they were spread out along the intersecting road . They 're less expensive to serve because they 're concentrated in one area . neutral +but um i don 't know i never i never liked loans a lot so i 'm not a heavy credit card user i have a girl friend that she probably has two thousand dollars on couple credit cards so My girlfriend appreciates the credit luxury a lot more than I do . neutral +get uh get the schools uh corrected to to some extent The schools needed to get corrected . neutral +The Great Buddha 's right hand is bestowing spiritual tranquillity , while the left symbolizes the granting of wishes . The right hand of the Buddha bestows tranquility of spirit . entailment +oh i didn 't realize that actually that " Oh , I realized that long ago . " contradictory +The British were not letting go , but a new Government of India Act two years later promised Indians real executive power at the head of provincial ministries for education , public works , health , and agriculture . A new Government of India Act promised executive power at the head of several ministries . entailment +The family resort of Sestri Levante has fine sandy beaches . The beaches are a brilliant white , and are never crowded . neutral +The girl looked from one to the other of them with large wondering eyes . The girl looked the first in the eye , unflinching . contradictory +okay Diana uh on capital punishment in our state they give the death penalty for shooting of a policeman Shooting a policeman will get you the death penalty . entailment +that is a riot yeah the first one was really good but the second one is really good too i was really surprised There was little banter about the first or second one . contradictory +i played for the choral club in high school and but i you know i don 't practice a lot anymore and uh you know you get rusty In high school I played in rugby but i haven 't played much since . contradictory +I was caught off-guard by the unexpected pleasantness . I was surprised by the politeness . entailment +The article--a collaboration with 60 Minutes --finds that arms dealers can easily purchase surplus bombs , encryption systems , attack helicopters , stealth fighter parts , etc . , that should have been destroyed . The article discusses how the government is involved with illegal arms dealers . contradictory +yeah that 'll be nice i mean that that i think tends to just keep i think stadiums have worked tend to keep people happy I think that stadiums want to keep people happy so they 'll keep buying tickets . neutral +This is a land where different and sometimes conflicting traditions continue to matter despite heavy odds . This land has many types of ethnicity , so different culture is formed . neutral +This reissued ( 1990 ) version supersedes the earlier edition . The earlier edition is replaced by the reissued version . entailment +oh that 's neat they both work in Sherman yeah i work in TI in Dallas here how many calls have you been in on this year I 've been on over 100 calls so far this year . neutral +a a new concern with people No concerns with people contradictory +No real road leads to the coast in this whole quadrant , with one major exception . There are three major roads that lead to the coast in this area . contradictory +The largest , Pyre-Lachaise , has a population estimated at 1,350,000 buried here since its foundation in 1804 . Pyre-Lachaise is one of the smaller burial sites . contradictory +Sales comparisons were replaced with alcohol , and market reports - with snacks . Reports remained the most important thing . contradictory +For fiscal year 2001 , $ 25 million was appropriated for the IDA demonstration . The IDA demonstration was severely underfunded . neutral +Of course you realize that , now Mr. Inglethorp is out of it , the whole position is greatly changed . Thankfully Mr. Inglethorp has decided to stay on for another term . contradictory +Until a little more than a century ago , Retiro Park was a royal preserve . The royal preserve was a park before it became the royal preserve . contradictory +In the U.S. , power plants emit significant amounts of air 67 percent of all sulfur dioxide ( SO2 ) emissions , 37 percent of mercury emissions , and 25 percent of all nitrogen oxide ( NOx ) emissions . The emissions are very high from power plants . neutral +That might be because Smith and Price 's smart and compassionate work has given Borchardt and his cohorts a measure of celebrity , which removes the sting of nonentity-ness . Borchardt 's work ultimately paved the way for Smith and Price . contradictory +The typical middle-class family paid only the new gas tax . Middle class families are except from the gas tax . contradictory +Many aliens who became lawful permanent residents as Special Agricultural Workers ( SAW ) do not have the resources to bring their entire families to the United States , so these aliens also continue to come to the U.S. as single workers and return to Mexico during periods of unemployment . A lot of aliens who are permanent residents as SAW have raised a lot of money to bring their families to the United states . contradictory +Guadeloupe and Martinique , much the largest of the islands and about 160 km ( 100 miles ) apart , are becoming internationally known resorts . The islands Guadeloupe and Martinique have been converted to well-known resorts . entailment +This bipartisan summit , held June 4-5 , 1998 , was mandated by the SAVER Act . The bipartisan summit consisted of two parties , and was held in 1998 . neutral +Even on the project , while working with his uncle , he had seen little of what went on , and hadn 't really understood that , except when it produced data that he could feed into his computer . He didn 't know how to interpret what went on , but he put the data into his computer anyways . entailment +What Is National Saving and How Is It Measured ? That 's what national saving is ? contradictory +However , participants generally agreed that there is no silver bullet for enhancing the effectiveness of boards of directors in their role of oversight of management and protecting shareholders . Shareholders cannot be fairly protected . neutral +Aurangzeb streamlined the lax administration of his predecessors , but he almost bankrupted the realm with his campaigns to expand the empire down to the south , and his battles against rebels in the north . Aurangzeb made the administration inefficient and loathsome , but succeeded in increasing the wealth of the country . contradictory +The addresses of members of Congress ? Where do I send mail for Congress ? entailment +uh we just bought a acre a house with an acre to try to so she 'll she 'll have some room to walk around and not off of a busy street we 're we 're choosing our house for our cat isn 't that bad We bought a house with an acre for our cat so that she can roam . entailment +You were also usually a darned nuisance , fond as I was of you . I never liked you , even though you didn 't get in the way . contradictory +Additional precision data for each of the tests described in this manual are presented in the sections describing the individual test methods . In the sections that describe the individual test methods , are presented additional precision data for each of the tests described , but they are not working . neutral +Dreadlocks and tams ( colorful knitted hats ) are everywhere , along with the passing salutations of Yo , Mon ! Dreadlocks and colorful knitted hats our new popular trend . entailment +Observers consider Belgium the second-most corrupt European state , trailing only Italy . England and Germany are the most corrupt European countries . contradictory +uh-huh that 's pretty interesting yeah Well isn 't that boring ? contradictory +yeah would be some measure of protection but the bottom line is that that if if you 're going to stay clean and straight then um you 're you 're going to do that because you want to really Bottom line is that you have to stay clean . entailment +The New Kingdom ( 1540 1100 b.c. ) The New Kingdom ended in 1100 BC when a new pharaoh took over . neutral +'A young woman , stabbed to death in her own apartment . ' White shook his head . The woman was killed just outside her bedroom . neutral +The entrance is also home to several sculptures , including one of Carlyle , the gallery 's founding father . A sculpture of Carlyle , the gallery 's founding father , can be found on the second floor . contradictory +Distribution of Rural Routes by Density ( Boxes per Mile ) Selective Averagesa ( 1989 ) Rural routes all have the same density . contradictory +so i got an opportunity to transfer back and i took it I didn 't transfer back . contradictory +i 'm actually surprised at anything in Central America along with Panama i 'm just kind of surprised we did that I can not believe that we did that . entailment +yeah but just didn 't it didn 't it didn 't cover it Yes , but it didn 't cover it . entailment +Reducing the formation of ground-level ozone , or smog , will bring healthier air to tens of millions of people , and reduce the number of ozone-related health problems such as respiratory infection , asthma attacks , and chronic lung damage . Lowering the amount of smog will lower the number of diseases and health problems in the world . neutral +yeah really especially in Texas it really was yeah it was a mess There was a mess in Texas . entailment +Evaluating an asset 's condition requires knowledge of the asset , its performance capacity and its actual ability to perform , and expectations for its continued performance . Performance capacity doesn 't play as strong of a role in the evaluation process as performance ability neutral +Riding centres are to be found near Tiberias at Vared Hagalil , Kfar Hitin . Riding centers have never been allowed anywhere near Tiberias . contradictory +red tipped bush yeah Bush with green base and red tips . neutral +She noticed now that he was greatly agitated . He was very troubled and nervous . entailment +i 've got a nine month old and i 'm four months pregnant with my second and so at the time walking seems to be the best it 's something i can do with her plus um doesn 't tax me too physically Given that I am pregnant , walking is the best I can do . entailment +it 's eighty eighty eight It 's 80 80 8 , but sometimes 8 . neutral +( For more on the meeting , see . ) ( 2 / 22 / 99 ) Information on the meeting is available on the website . neutral +Or finally , take privacy again . Privacy is taken again . entailment +The EOIR states that the provisions of the interim rule will require additional immigration judges , Immigration Court presence at existing INS detention centers , and construction of new Immigration Courts at new detention facilities . According to the EOIR , the provisions of the interim rule will require more immigration judges , immigration Court presence at existing INS detention centers , and more . entailment +Until one looked directly into his sun-browned face he could pass as a man still in his late twenties . He resembled a young man until the creases in his face were stared at . neutral +By 1793 , when the leaders of the Revolution declared the palace a national museum , there were 650 works of art in the collection ; there are now , it is estimated , some 173,000 . The palace was destroyed by rioting masses in 1793 , and none of the priceless artifacts inside survived . contradictory +The FFC study concludes that , in the end , effective review of designs maximizes the probability that a mission or operational requirement will be successfully supported by a facility that was conceived , designed , constructed , and placed into operation efficiently and effectively . Efficient facilities won 't be supported by our missions . contradictory +plus they 're more expensive to get in addition , it costs more to get them entailment +If two Internet users own the right software , they can talk by telephone over the Net . It is impossible for Internet to talk using net . contradictory +The most unavoidable building on the plaza is the cathedral-like Palacio de Comunicaciones , teasingly nicknamed Nuestra Senora de las Comunicaciones ( Our Lady of Communications ) . The Palacio de Comunicaciones is located in a plaza . entailment +Nagarkot , which stands on the crest of a ridge at 2,195 m ( 7,200 ft ) , is about an hour 's drive from Bhaktapur and one of the best places in the Kathmandu area for viewing the Himalayas . Nagarot is located far away from the Himalayas . contradictory +Jon holstered the pistol , the barrel still smoking , on his left hip . Jon put the gun on his hip holster . entailment +Good morning . The servant volunteered her first remark : " I thought perhaps as you 'd come about the gas , " she observed cryptically , and shut the door . The servant is mild mannered . neutral +More inventive than Gordon is the Chinese artist Huang Yong Ping , who was caught abroad during the Tiananmen Square uprising and now lives in Paris . Huang Yong Ping was caught by the police during the uprising and sent to France . neutral +Part and parcel of that agreement was an understanding that the H-2 workers would be entitled if they otherwise qualified , and only if they otherwise qualified , to legal services representation , because without that , the protections contained for those workers , the housing protections , the domestic , the transportation protections , the piecework rate and adverse impact wage rates protections become utterly meaningless . In order to preserve other protections guaranteed to the workers in the H-2 classification , the agreement stated that they were also entitled to legal services representation . entailment +A long memory isn 't half as useful as a long purse ! Money is more useful than a good memory . entailment +In Emilia-Romagna , the pride and creativity of the great city-states is still very much in evidence in the monuments and museums of Bologna , Ferrara , and Parma . There are still many signs of city-states from their peak in history . entailment +Then every share of Daimler-Benz stock sold between 1950 and 1980 sells at a discount reflecting that expectation . Every share that was sold between 1950 and 1980 was sold at a premium . contradictory +The deep blue , gold , and crimson mosaics on the vaults and arches depict St. Laurence , the Apostles , and the Good Shepherd Feeding His Sheep ( over the entrance ) . In addition to the Apostles , there is a depiction of Jesus . neutral +yeah and then they they uh last year went out and got oh Fat Leever and uh Alex English and and Rodney McCrae Alex English and Rodney McCrae were gotten in different years contradictory +Legal Services Corporation funds local legal services programs to serve clients in every state , county , and congressional district in the United States as well as in Puerto Rico , the Virgin Islands , Guam and Micronesia . Legal Services Corporation fund thousands of local legal services programs . neutral +Twice he was closeted with Mr. Wells . He never spoke to Mr. Wells . contradictory +Under the revised structure , which is expected to be put in place in the early part of next year , LSNY will have a controlling voice in the selection of the boards for the local corporations . LSNY usually doesn 't have a controlling voice in the selection of the boards for local corporations . neutral +oh did you ever see the movie Star Man Have you ever seen the film version of La Mulana ? contradictory +This division was perpetuated by centuries of feudal rule in Naples and Sicily , while the North developed more progressive forms of economy and government . They have always been a democracy . contradictory +He turned and Ca 'daan saw the tip of the rapier gleaming from Barik 's back . Barik had been killed . neutral +Owning and sharing the building and not paying rent times five will save the non-profit agencies about $ 375,000 each year . The non-profit agencies won 't be able to save anything by not paying rent times five . contradictory +Disney has produced four short animated features , one of which won an Academy Award . Disney has had four short animated features this year that have done well . neutral +Self-guided heritage walks and several nature trails are marked by black information plaques . Black information plaques mark some nature trails . entailment +uh no i have access to uh spell correction uh material i seldom i seldom use it although when i 'm at the office and i 'm producing work correspondence uh i i run about ninety per cent of my office work on a mainframe I use spell correction . entailment +In the New York Review of Books , Tatyana Tolstaya praises David Remnick , author of Resurrection , a book about post-Communist Russia , as a satirist of Gogolian persuasion ; he combines the grotesque with the lyrical . David Remnick writes only satirical books . neutral +The Mars Polar Lander disaster threatens to cripple NASA 's space exploration program , which has struggled since the national psychic letdown that followed the moon landings . Nasa 's space exploration program has struggled since the moon landings . entailment +The best view of the whole citadel can be had from the terrace of the Jaisal Castle Hotel . The view of the citadel is often obscured by mist . neutral +I know you think he 's filin ' his teeth for you , but I 'd say he was too busy countin ' stars from that skull beltin ' to make sense out of our hurrawin ' . Contrary to what he thinks , he does not care . neutral +Newsweek psychologizes that his parents ' suicides caused his clear longing for certainties , a need to be in control . Newsweek discussed the impact on him of the suicide of his parents . entailment +This possibility was confirmed by a further circumstance . This possibility was confirmed . entailment +Unfortunately , crude history will more likely reduce her to another role , as a pioneer of the he-said-she-said ' 90s . History will probably just reduce her to what she did in the entertainment industry in the 90 's . neutral +Having developed such a framework , an organization is well positioned to determine which control activities to implement to reduce risks and ultimately reduce fraud and errors . An organization with such a framework is not able to decide what control activities to use . contradictory +if you could mobilize the mothers you got them If you could stir the mothers , you are done . entailment +uh-huh well our um newspaper does a pretty good job on most things but you know its uh not totally in depth and quite frankly i didn 't read all of the war stuff Our newspaper is adequate but it could do with some better deep story reporting and investigative stuff because right now it has too much fluffy content . neutral +If the legal service closes , he 's unsure where his clients will go . He knows exactly where his clients will go if legal service closes contradictory +We can proceed . Proceed , we can . entailment +Alongside modern master Pablo Picasso , Diego Velazquez y Silva ( 1599 1660 ) is the most famous Spanish painter who ever lived . Alongside modern master Pablo Picasso , Diego Velazquez y Silva is considered an amazing sculptor . neutral +From local bars featuring live music and comedy , to nightclubs , cafe and coffeehouses , the city 's nightlife beyond gambling and shows is very healthy . There are local bars with comedy and live music . entailment +In the future , I 'll try to be , if not more discerning , at least more cunning about concealing my limitations--you know , like Johnny Cash in that movie where he cudn 't reed gud . I will try to conceal my imitations like Johnny Cash because I want to be more like him . neutral +oh i love uh blackened you know uh the the fish and the chicken and that kind of stuff oh we have a few places up here that do that Blackened fish and chicken are things to stay away from . contradictory +These rocky islets carved into fantastic shapes are a symbol of the island 's beauty . The rocky islets have been carved into shapes of majestic animals . neutral +They then set their sights on the islands of the Knights of St. John and , after an unsuccessful siege in 1480 , they finally ejected the knights from the Dodecanese in 1522 . The Knights of St. John were ejected from the Dodecanese in 1522 . entailment +This new form of economic management changed the landscape of the Lake District once and for all . The Sierra Nevada mountains were changed by this form of management . contradictory +The American people and the press do . The American people do not . contradictory +The beginning of what ? Is this the beginning of the race ? neutral +Sir James took Tuppence 's hand . Sir James and Tuppence held hands . entailment +The Mus ? ? e Arch ? ? ologique ( 13 bis Boulevard Amiral Courbet ) , housed in a 17th-century Jesuit college , has an important collection of Roman glass . There is a collection of German glass . contradictory +Other companies , such as Caterpillar and Hewlett Packard , told us that getting manufacturing processes in control prior to production is key to meeting cost , schedule , and quality targets . HP does everything before they manufacture their products . contradictory +Call him Armey 's good-cop counterpart . Call him Armey 's bad-cop counterpart . contradictory +yeah you have to hunt hard for them i guess You have to hunt hard for them . entailment +i have aerobics on Monday nights too i just didn 't quite make it tonight because i was caught up at work for too long but I do aerobics once a week on Tuesday night . contradictory +The audits conducted by the General Accounting Office ( GAO ) and reported in June 1999 , confirmed the Inspector General 's findings as to the factors causing systemic errors in grantee case reporting . There was corruption in the grantee case reporting that was found . neutral +Similarly , if more slowly , the term miracle has evolved from sacred mystery to a substitute for mayonnaise . The word miracle is only used in religion and the metaphysical world . contradictory +Yet when I sought her out for comment shortly before she concocted her sob story for the Times , Joyce told me she whipped up the Salinger submission to fulfill a contractual obligation to St. Martin 's . Her sob story was simply business , to say the least . neutral +But in an era when a politician 's ability to communicate trumps anything else and the balance of Republican power has shifted west , the preppy , Anglican ethos that defined the old man is suspect . After ability to communicate , the next most important thing for a politician is their ability to fund raise . neutral +She was doubtful as to how long she could sustain this illusion , but she realized the importance of not dragging an unknown Rita into it . She realised the importance of avoiding dragging an unknown Rita into this illusion . entailment +Ca 'daan grew cold . Ca 'daan 's fingers were frostbit . neutral +Those overseers won 't feed us because it takes time and wastes food ; they let us die and then have us dragged back for more work . Those overseers do not care if we are weak . neutral +I 'm there , said Albert instantly . It is the place that I am currently located at came the abrupt and angry reply from Albert . neutral +In the neighborhood of 6a , the curve must align with the supply curve found in the previous part of this paper . The curve need not align with any other curve previously shown in this paper . contradictory +Return to Kedumin Square and make your way down to the picturesque fishing port by way of the ancient , narrow honey-coloured alleyways . The alleyways on the way to the fishing port are red . contradictory +yeah and i think here lately they 've been saying quite often and maybe somebody 's coming to realize that we 're the nation in trouble People are noticing that the US is the nation in trouble . neutral +The United States abandoned its policy of stabilizing gold prices back in 1971 . The policy of stabilizing gold prices was kicked to the curb back in 1971 because it was ineffective . neutral +right and and that 's really what the Rangers need some some consistency you know outer starter The Rangers are in a good position , they don 't need to change their strategy . contradictory +it was like i was sitting on the edge of my chair you know going oh no no and one uh i can 't remember it was about uh it was right close to when we was going to find out if we was going to get to be in the play-offs or not I really wanted to know if we were going to be in the play-offs this season . neutral +Mail Goes Where the Money A Study of Rural Mail Delivery in the United States . Mail deliverance in rural areas is always slower than urban areas . neutral +Try to visit the cathedral 's horloge astro ? ­ no ? ­ mique on the hour to see the figures emerge from the clock . Every hour , figures emerge from the cathedrals clock . entailment +Jon looked to the two burning houses that filled the night sky with black smoke . Jon decided that he better hide the gas cans . neutral +These benefits include economies of scale and joint production . One benefit is the economy of joint production . entailment +need to break out the bicycle too get that down and start to ride around I do not know how to ride a bicycle . contradictory +Cigarettes impose form on your day Cigarettes have zero effect on your day . contradictory +1 A Designated State Planning Body is an entity that has been established and charged with responsibility for coordinating state legal services delivery planning . A designated state planning body is an entity that is responsible for coordinating pro-bono state legal services delivery planning . neutral +Until recently , most visitors counseled not to attempt to drive the island 's difficult roads hopped aboard bus daytrips that took in the main attractions . The island is working hard to recover from the upswing in tourist car accidents this year . neutral +Santa Anita Park in Arcadia offers two horse racing fall and winter / spring . Two horse racing at Santa Anita Park in Arcadia does not offer two horse racing . contradictory +We have learned that some agencies follow this practice without objection from SBA . Some agencies don 't face opposition from the SBA because they are too large . neutral +With its gleaming white villas and smart little hotels , a sunny micro-climate , beautiful pine-shaded beaches , and succulent oysters and mussels , this cheerful island is a popular holiday resort , especially with sailors . You won 't see any sailors at this island resort . contradictory +The stretch of Colorado Boulevard nearby forms the heart of Old Town Pasadena . The middle of Old Town Pasadena is located on that stretch of Colorado Boulevard . entailment +The pose and the prose of journalists have changed since Ben Hecht 's The Front Page . Indeed , Hecht 's reporters would have balked at being called journalists . Hecht 's reporters would have been delighted to be called journalists . contradictory +Although legitimate sales do take place , usually at the end of the high season to dispose of unsold stock , you 'll have to be a bit cautious . You don 't need to be careful at end of season purchasing . contradictory +It houses more than 200 animal species , most famous of which is the giant panda , and has an imaginative monkey mountain behind a moat . There is only one species of animal hosed there ; the panda . contradictory +it 's a very strange car i don 't know you if you have them down there but it 's a Saab It is a normal car that you have down there . contradictory +You are perfectly correct in your assumption that her vehemence against Alfred Inglethorp is too violent 100 to be natural ; but you are quite wrong in the deduction you draw from it . You are right about her vehemence against Alfred Inglethorp . entailment +uh i live in Garland and there 's this Montessori school that 's nearby Garland has a wonderful Montessori school near where I live . neutral +Second , the coastal swells here are extremely dangerous , preventing the swimming activities and water sports so beloved by visitors . Visitors are unable to swim here due to coastal swells . entailment +Nothing ; but Emptiness ; still neutral +He kept his distance from the more ferocious men but even detecting that grew difficult . He stayed away from the scariest men . entailment +right yes that 's true well sure have enjoyed our talk Right you are ; this chat has been enjoyable . entailment +If the paper is found on him , it is certain doom . It is certain ruin if the paper is found on him . entailment +In 1974 , the radical historian Eugene Genovese ( who has since become a Catholic conservative ) published Roll , Jordan , The World the Slaves Made . Now a staple in college history courses , Roll , Jordan , Roll painted a picture of slaves not as mere victims of oppression but as creators of a vibrant life . Many years ago , the historian Genovese released Roll , Jordan , The World the Slaves Made . entailment +yes i know many people have said well if you throw everyone out and start over but then you uh the the amount of them who would be on lifetime income is so stupendous there 's they have locked their benefits in to the point that once they 've served two terms they 're on gravy train anyway yes i think you 're right i don 't think we should ever give them a lifetime thing If you throw everyone out and start over none of them would be on the lifetime income . contradictory +I fancy he keeps a bicycle shop in time of peace , explained Tuppence . Tuppence believes that he keeps a bicycle shop during peacetime . entailment +Britain seized Gibraltar in the name of the Hapsburg claimant and retained it when the war was over . Gibraltar was a city known for its delicious cream puff pastries . neutral +So did Jacob White . So did he . entailment +In terms of understanding the functioning and effects of the worksharing process , this distinction will be shown to be a matter of some importance . We do not seek to understand the effects of the worksharing process . contradictory +Users can choose English , Spanish or Vietnamese . There are three different languages users can pick from . entailment +i thought i already had it figured out and i did and that made me mad I had been hoping that I hadn 't figured any of it out . neutral +that rotor off and repack the bearings and you know that 's twenty five dollars and the rotors another twenty five dollars and then the brake pads are eighty or something the labor and parts and The brake pads cost a reasonable fifty dollars . contradictory +To amend the Clean Air Act to reduce air pollution through expansion of cap and trade programs , to provide an alternative regulatory classification for units subject to the cap and trade programs , and for other purposes . The Clean Air Act has nothing to do with air pollution . contradictory +A region of strategic importance guarding the eastern approaches to Paris , Lorraine has long been a pawn in France 's perennial conflicts with Germany . France has never had a conflict with Germany . contradictory +When he saw her His thoughts were brought up with a sudden jerk . She was the most beautiful person he had ever seen and he couldn 't think of anything else . neutral +derived from the French Guarde de l 'eau ! Came out of the French Guarde de l 'eau ! entailment +Therefore , the standards , as proposed , remain unchanged . They proposed that the standard changed . contradictory +After a few hours , the tongues of flame no longer flared above the horizon , though the brilliant radiance continued . The fire was running out of fuel rapidly . neutral +Nudity on stage can be powerful , and is still protested , but not as powerful as the frightening glimpse I had as a child of Ethel Merman in Gypsy . Now , if you could get the ghost of Ethel Merman and the undead Mickey Rooney to strip to the waist for 10 rounds of bare-knuckle action , that would be truly frightening stage violence . Micky Rooney and Ethel Merman worked together on several productions . neutral +it 's important that they go to college when they get out of high school I don 't think college plays such an important role any more , especially due to the costs . contradictory +Maybe next week 's Times business section 's lead media article should be about whether newspapers have become more like magazines in their struggle to maintain and build readership in these trying digital times . Magazines have increased readership 50 % . contradictory +you 're kidding so like as you 're sewing the seam it 's finishing off the inside edge You must be joking when you sew the seem on the inside edge . entailment +Otherwise , who 'll be duped ? Who will be tricked ? entailment +This sequence was not explicitly designed or studied as a screening test . This was not set up to be used as a screening test . entailment +The beaches of Santorini are made of fine black or red volcanic sand , which heats to a ferocious temperature in the summer sun . The sand at the beaches of Santorini repel heat and remain cool year round . contradictory +The Temple Mount area is the geographical heart of Judaism . Mecca is the geological heart of Judaism contradictory +and and that that you know and you i think that 's one of those things when we get to Heaven we 're going to ask God I think that is an unknown and something we have to ask God in Heaven to know . entailment +Richelieu 's protege Mazarin , another cardinal , took over the job of prime minister during the minority of Louis XIV . Cardinal Mazarin was the prime minister during the majority of Louis XV . contradictory +horrified and fascinated by what i was seeing I was horrified and fascinated by what I was seeing entailment +Documenting the Assessment The assessment and research were kept documented neutral +um the thing that Carter works on uh Habitat For Humanity i was involved in that was uh in Montgomery before i came up to North Carolina Carter works for Habitat for Humanity . entailment +making up our minds that yes we are going to do this and we 're just going to forgot this old way and we 're just going to do it you know and i don 't think the older generation is probably ready to do that you know The older generation is not ready to change . entailment +that 's about it as far as exercise For exercise that is pretty much it . entailment +Poirot had opened the door , and meeting her agonized eyes had nodded gently . After opening the door , Poirot nodded as he met her suffering eyes . entailment +was trying to fight for survival outside the body of its former carrier . It was trying to survive outside of the host . entailment +The room contains original artifacts from Hemingway 's many years in Cuba , including the typewriter he used to write most of For Whom the Bell Tolls ( those not staying in the hotel can visit the room for US $ 2 ) . Hemingway has never been in Cuba . contradictory +I noticed you walked lame , interpolated Tuppence . You had a broken foot thus you were limping . neutral +Or the program could be restricted in various ways in order to blunt possible objections . The program will be too powerful if not kept in check . neutral +He was nearly 50 when Lewinsky was 21 . He was Lewinsky 's father 's age . neutral +yeah PhD in human factors Bachelor in human factors . contradictory +And he pleaded to the editor , Take me away from here , to a realm of high thoughts and charmed vistas , where I may contemplate matters more lovely than special prosecutors and nuclear proliferation . He asked his editor to send him to the front lines of the war . contradictory +But suddenly , with an almost magical abruptness , Julius 's anger abated . Julius began to understand the perspective of whomever had angered him . neutral +The good times will come again , Dorcas . Bad times are coming . contradictory +'Listen . ' I struggled to sound commanding . I tried to sound in charge . entailment +Forbes spent his way into second place . Forbes had tried numerous times and failed to reach higher than tenth place . neutral +When he was at the University of Virginia School of Law in the late 1970s , Mr. Delany said , Tuition was modest , $ 1,500 per semester . It used to be free to attend law school in Virginia . contradictory +With a cafe and picnic area , it 's a great place for children of all ages . It 's a great place for parents , but not children . contradictory +The information developed during a risk assessment forms the foundation or basis upon which management can determine the nature and type of corrective actions needed , and it gives management baseline information for measuring progress in reducing improper payments . Risk assessment information helps determine the type of actions needed . entailment +When care is unavailable , screening makes little sense to clinicians . When there is no care available , clinicians refer patients to outside doctors . neutral +Monitoring performance , over time , is critical to program management and oversight . Monitoring performance is important to program management . entailment +The Mississippi was untamed when the location was found by the French and changed course regularly through the vast flat delta its power had created . The French founded the location of the Mississippi . entailment +The delicate walls of 13th-century stained glass ( Paris 's oldest ) and harmonious proportions give it an ethereal quality in startling contrast to the ponderous palace surrounding it . The stained glass shows a religious scene . neutral +Its pre-eminent symbol is the concentration camp , or perhaps the nuclear bomb , he added , and one cannot look forward to the 21 st century with any optimism . The man is not optimistic . entailment +Explain yourself . Don 't bother explaining yourself . contradictory +you don 't notice until you start leaving yeah they don 't pick up your recycling until it 's full and you just can 't believe how much paper that you uh Most people recycle 5 kg of paper per year . neutral +oh yeah yeah it 's it 's amazing how much we spend on some things my husband cut himself down to ten dollars a week for his lunch at work Due to things being so pricey , my spouse has set a budget of ten dollars for eating lunch at work . entailment +Spanish and French fight over They fought . entailment +He thanked me for a certain letter which I had written to him as a matter of fact , I had offered him a job . He thanked me for one letter in particular . entailment +Where were the boards of directors ( boards ) and what was the role of top corporate management in connection with these business breakdowns ? Everyone knows that the boards of directors were entirely innocent . contradictory +One was a chestnut , a warm , well-groomed red . One was a chestnut , well-groomed red . The other one , was blue . neutral +I forbid it . I do not allow it . entailment +It was on one of its highest peaks , Mount Sinai ( Gebel Musa ) , that Moses received the word of God written down as the Ten Commandments . Moses was given the word of God on one of the highest peaks . entailment +and so with you know with the IBM what would happen is uh since the software that i had was it was basically you know you only see part of the page With the IBM software , you could only partially view the page . entailment +Seems like two Kirbys turnin ' up in a town this size is gonna make a few people ask some questions . " There is never more than one Kirby in town at any given moment . neutral +and uh we found it cheaper even during the summer for me to uh take off for half a day since we work a four and a half day work week and come home on these Thursdays that she goes to work at uh eleven and get 's off at seven thirty at night It was too expensive for me to take time off . contradictory +and they 're going to get the same reading suppose they uh you know it 's a do they crucify you right then and there or do they do they go back and retest When they retest , they will also use the same test again . neutral +German bought into a coffee farm in Costa Rica and later adopted three sisters from that country . German is great neutral +By the beginning of the 19th century , the New Town had become so popular that plans were made for a second stage . New Town had become very popular by the beginning of the 19th century . entailment +Still , it is obviously a historic place , and not just because the famous exterior remains ( as do the mantelpieces , chandeliers , and paneling that were later reinstalled ) . This historic place is protected by laws to preserve history . neutral +an executive and operational capability to encourage and manage change . The operational capability encourages and manages change among CEOs neutral +The spacious beaches here have long been patronized by the Spanish . Both Spaniards and Germans like to visit the beaches . neutral +Baseball pundits , having hyped Irabu for months , began questioning whether he 's been overhyped . The pundits of baseball are questioning Irabu , a baseball player 's , current hype . entailment +The large modern shopping malls include the Forum des Halles , Centre Maine-Montparnasse , and the Palais des Congras at Porte Maillot . Besides constituting the large modern shopping malls in the area , the Forum des Halles , Centre Maine-Montparnasse , and the Palais des Congras at Porte Maillot also serve as excellent tourist attractions . neutral +You seem to be taking my consent for granted . " Whittington looked surprised . You 're taking advantage of my consent . entailment +Since most Central Asians are Sunni Muslims , the Taliban potentially may be a more inspiring model for local Islamic revolutionaries than Shiah Iran . The Taliban is not a Sunni Islamic fundamentalist political movement in Afghanistan . contradictory +We continue to place a high priority on assuring that persons with disabilities have the same opportunities to rent and buy condominiums as everyone else , said Ralph F. Boyd Jr . , assistant attorney general for civil rights , in a written statement . Boyd Jr. was an assistant attorney general who worked on disability rights . neutral +and you knew it had had been through a whole lot It hasn 't gone through much . contradictory +The Rhine Valley has always been a central artery , a channel for river , road , and rail traffic between the north and the south . They also transport cows on the river . neutral +Time shortens . Time shortens in times of war . neutral +easily yeah yeah and then if you want popcorn and stuff it 's just i mean uh it 's incredible If you desire popped kernels and more , it 's simply incredible . entailment +Among the best excursions is one over another good road , D 23 , directly through the National Park which covers more than 74,000 acres of Basse-Terre 's interior . The National Park is hardly 4 acres in size . contradictory +Outside the city , amid vast caves in limestone outcrops , are Buddhist temples . Outside the city are churches and museums . contradictory +NSIAD is using the findings in this way , as part of its ongoing work on bilateral initiatives . One of the NSIAD 's goals is the elimination of tariffs in major ports across the nation . neutral +Yes , said Jon , looking at the big man . Jon looked at the ground . contradictory +There is a long amiable letter to the young Lafayette in 1779 , in which Washington , in a giddy mood , drifts into a reverie about competing for Lafayette 's young wife with Lafayette himself--a funny bit of teasing , followed abruptly by a rueful reassurance , worthy of Stendhal himself , that amidst all the wonders recorded in holy writ no instance can be produced where a Woman from real inclination has preferred an old man . Although he had pursued her as a single man , several years later , Washington still harbored feelings for Lafayette 's wife and thought of her as " the one that got away . " neutral +well yeah but TI is up there so that part of it would probably work out TI is up there . entailment +Two ponds in the temple compound are said to be fed by waters from the holy Gosainkund Lake high in the Himalayas . There are no known lakes in the Himalayas , it 's too cold for them . contradictory +but when I chanted it--and I did--it was thought to denote a lack of seriousness , which it did not . When I chanted it , I made it clear to everyone that I was serious . contradictory +you know and that 's and that 's and that 's what that 's what kindergarten was like and wouldn 't it be nice if if we could solve all our problems by just sort of getting together and everyone in the world sat down and and took a nap together It would be nice if all of the world 's problems could be solved by everyone taking a nap together . entailment +so we 're you know going talking to some of our friends that are landscapers and things and learning about different kinds of grass we trying to go grow grass and it just seems so funny to me that when i grew up in Missouri and you didn 't have to worry about growing grass there it just happened automatically Our friends that are landscapers taught us a lot about growing grass . entailment +In the dark of night , their aim must be true . Their aim must be accurate in the dark , or else they will not succeed . neutral +In the 16th century , Madeira surrendered its dominance of the sugarcane industry to another , much larger , Portuguese colony , Brazil . Madeira would later become known for its fishing community . neutral +that 'll be a good story when she 's thirty won 't it She 'll remember that accident as a good story in her thirties . neutral +with with uh the movie stars and and the singers and everything Movie stars and singers were included . entailment +Coral reefs often reduce wave strength but may not stem very strong ocean currents , particularly in the Atlantic . Coral reefs have the potential to reduce wave strength . entailment +yeah now that 's something i like about the country there 's not a whole lot of crime over there as far as petty crime you know they There aren 't many petty crimes in the location . entailment +On the square 's eastern side a small neoclassical temple , El Templete , marks the spot where the first Catholic mass was celebrated in 1519 . El Templete was where the first Catholic mass was celebrated in 1500 . contradictory +His face was worn and harassed . He didn 't know it , but his face was clearly displaying the difficulty of his life . neutral +Bargain-hunters looking for jeans , shoes , and cheaper fashions head for the popular stores along Via Torino and Via Manzoni . Cheaper fashion can also be found in other areas nearby , if you ask around . neutral +Time to Go We will not be coming back . neutral +Fienberg , S. E. The Collection and Analysis of Ethnographic Data in Educational Research . S e fienberg - the collection and analysis of ethnographic data in educational research entailment +Understand ? Make sense ? entailment +Her 1990 book ( reportedly ghosted by Barbara Bush ) has sold more than 300,000 copies . Her 1990 book was very successful . entailment +A winter storm blanketed the Midwest . Weather experts hyped it as one of the worst snowstorms in decades . The snowstorm in the Midwest was devasting according to weather experts . entailment +hope you enjoy some more good movies lately Hope you have watched something recently . entailment +If you cover that exotic headdress , you 'll see why attributions are difficult to The face could be male or female , Spanish , Greek , or Eastern . The attributions of the exotic headdress are difficult to identify entailment +And everything will be lovely . All will be lovely . entailment +I can see where this is going , Randy . I haven 't a clue what this is about . contradictory +Most people visit the holy city of Amritsar for its Golden Temple Sikh Shrine . The Golden Temple Sikh Shrine in Amritsar is one of the main reasons people visit . neutral +um yeah an and if somebody raises a stink about it you can always go before the association and argue your case anyway If someone makes a fuss about it , you can address the association . entailment +The New York Times , for example , has had 114 editorials on campaign finance reform since the beginning of 1997 . The New York Times has never published an editorial on campaign finance . contradictory +yeah well it 's getting easier to understand though you know plus my husband he was in the Navy for ten years so he uh when it comes to the military he kind of knows what he 's talking about My spouse served in the Navy for quite a long time . entailment +Just east of the Explanada , an irresistible stretch of sandy beach , the Playa del Postiguet , beckons . The Playa del Postiguet is a length of beach . entailment +However , important research activities need to be carried out in all three elements of the model . The model needs to be scientifically backed before use . neutral +In 1966 the Venetian authorities returned the skull of St. Titus to the Cretan people in a gold reliquary , along with fine paintings depicting scenes of the saint 's life . In 1966 the skull of St. Titus was returned along with other paintings to the Cretan People . entailment +The proposal is reviewed in a public proceeding , as the Reorganization Act requires ; The proposal needs to be reviewed publicly for those that oppose . neutral +that 's i knew i was pushing too far I knew I was pushing it too far . entailment +Several alternative design solutions can be considered during this phase , leading up to the selection of a single preferred approach . It is like a competition where several choices are offered and then assessed to see which is best . neutral +Best wishes until we meet again--perhaps over Volume 9 of some future 14-volume biography of Rosalynn Carter . Good luck until we die . contradictory +Take elementary precautions by sticking to bottled drinks and freshly cooked food , and you won 't have any serious stomach problems . Raw food won 't make you sick . contradictory +Such decisions , of course , would require the Congress to determine the best approach for carrying out a range of the government 's missions and operations , in order to see that non-homeland security activities of these departments are still achieved . These decisions would require the Congress to determine the best approach to carrying out some of the government 's missions and operations . entailment +A legal marketing group in Chicago is asking its members to do what lawyers have been doing for years . Lawyers have been doing for years what a marketing group in Teheran is asking its members . contradictory +that one person has total control and i always figured at least in a day care center there are other people around and if you get one bad apple there 's are at least other people that can see it they can watch and i just kind of always felt that the chances of something happening were less I 've never experienced any kids with bad behaviour in daycare . contradictory +By June , Gerth was writing , with a tinge of desperation , that the Pentagon did not find grave damage but did conclude that the United States national security had been harmed . Gerth was saying that the Pentagon did find damage . contradictory +Ivory-white and 11.3 m ( 37 ft ) high , its columns , beams , and cornices are carved with a menagerie of dragons , phoenixes , lions , and tigers in a field of clouds , peonies , Chinese sages , and angels , all gilded and painted in red , gold , blue , and green . The dragons are painted gold and green while the tigers are painted red . neutral +Some may blame neighborly ignorance on soulless , anomic suburbs , and indeed Barton , Klebold , and Harris were ciphers to the folks across the lawn . Anomic suburbs were full of ignorance and there were ciphers for the locals . entailment +Based on those Nothing can be ascertained from those . contradictory +major things it won 't cover cosmetic type things you know if you choose to do something but um it 's just like all in it 's just all in practice it 's all in plan i think that we could learn from that I read in the fine print that it won 't cover superficial things . neutral +Someone has to absorb the loss . Nobody has to absorb the loss . contradictory +Probably the idea came to her quite suddenly . The idea was not immediately apparent to her . contradictory +Being president is not about bucking authority , it 's about being authority . Being president should not allow you to shrug off authority but be better than that . neutral +The rumble of the horses came again . The horses started making noises again . entailment +uh yeah i guess i am I am , but I wasn 't always . neutral +yes so yeah um i 'm i 'm like you i i use my only use my credit card for um you know when i you know i just use it whenever i feel like i don 't want to write a check and then but i don 't charge anything that i can 't payoff at the end of the month You can use my credit card , but ask me before you buy neutral +In my own opinion , it would be successful . I thought it would be successful . entailment +beneficiaries by more than $ 3 . There are beneficiaries . entailment +yeah well yeah of the three of those Diner 's probably the best i mean they 're they 're all pretty good but Diner is really worth seeing Diner is just average , not really worth stopping there . contradictory +They were all children back then . They were young adolescents . entailment +His head was exactly the shape of an egg , and he always perched it a little on one side . His head was a perfect square shape . contradictory +The final rule will impose a private sector mandate of over $ 100 million . The private sector mandate , as a result of the final rule , will be $ 100 million . entailment +Effective policies that implement diversity goals are adopted throughout each state . Each state has adopted effective policies that implement diversity goals . entailment +No animal , fish , or plant life can live in these waters , but the human body can float like a cork on the surface . A teeming array of wildlife live in and around this water . contradictory +That means there are only two kinds of reform that have any chance of actually reducing total expenditure on presidential elections . Total expenditure on presidential elections can be decreased . entailment +According to legend , the temple houses a small statue of the Buddhist goddess of mercy , found in the Sumida River by two local fishermen in the year 628 but in fact not even the temple priests have ever seen it . The temple doesn 't display any statues . contradictory +Perfectly preserved in a secret valley and not rediscovered until the early 19th century , the city of Petra is an enchanting place of magic , expressed through its setting and the swirling pink patterns of its rocks as much as through its dramatic architecture . The city of Petra has been used in many movies . neutral +Flytrap 's only silver a new concern about the erosion of privacy . The disintegration of the concept of privacy represents a matter of concern . entailment +Lower interest rates both reduce the return on saving and increase the market value of existing financial assets issued when rates were higher . Higher rates are better for the economy . neutral +Prototype interventions that can reach the majority of problem drinkers , motivate them to change drinking patterns or enter appropriate treatment , and produce positive long-term outcomes should be introduced into several emergency settings of differing size and staff composition . Protoype interventions that can reach the majority of problem drinkers cannot motivate them to change . contradictory +Ca 'daan looked at the scars on the man 's body , strange wounds he could not understand . Ca 'daan couldn 't look at the man . contradictory +The monument in the tiny plaza recalls a shipwreck of 1913 , and a fountain on the far side features bizarre fish statues complete with jets of water which spurt from their mouths . The statues depict birds , which spurt water from their beaks . contradictory +Although many of you submitted enema jokes , I ran none--an aesthetic not a political decision , if such a distinction is possible . I published almost all the jokes , but not the ones about enemas . neutral +The wet wool smell of your uncles in their Eaton 's sweaters and army surplus peacoats and shredded wheat for breakfast and thin ice on the tide pools and diesel as the engines kick in . I don 't recall much . contradictory +nonclassified systems currently in use , There are declassified systems that are currently in use , and this could potentially pose a security issue . neutral +In this case , you 'll find a beach resort , nature reserve , or one of the old hill-stations of the British Raj , each being ideal for a change of pace or climate . The starkest change of climate would be at the beach resort . neutral +This meeting was originally scheduled for September 13 - 15 , 2001 , but was postponed in the aftermath of the September 11th attack on the U.S. The meetings was not postponed . contradictory +After a stop to contemplate Diamond Rock ( see box below ) , most tourists continue south over winding roads through Sainte-Luce , Riviyre-Pilote , and Le Marin without stopping until they reach Sainte-Anne . Most tourist opt to climb over Diamond Rock instead of continuing to travel south . contradictory +Given infinite time , developers would prefer to add feature upon feature and never release their product . Developers want to release the product as soon as possible . contradictory +Excuse me , Wells . He went hurriedly out into the hall . He ambled to his desk and sat down . contradictory +It was about then that the Explorer felt the heavy throbbing of the engines . The Explorer felt throbbing engines . entailment +i know i 'm supposed to talk about homes but people that own the people that own them are the home homes themselves and you know um spending sixteen dollars a yard for custom draperies for custom drapes just doesn 't The custom draperies are more expensive than before . neutral +The CO2 provisions in S. 556 will cost consumers too much and endanger our energy security by causing too much electricity generation to switch from coal to natural gas . Changing the energy security won 't cost anything at all . contradictory +'But I take it you mean something in particular ? ' I guess you dont have anything in mind . contradictory +We 've come across other groups that could not maintain equilibrium after the atomic war stage and you know the results . Multiple groups have gone through an atomic war . entailment +John F. Kennedy Jr. was laid to rest . JFK Jr. has not been laid to rest yet . contradictory +While agencies will need to tailor their performance management systems to their unique organizational requirements and climates , they nonetheless are hold executives accountable for results ; appraise executive performance on those results balanced against other dimensions , including customer satisfaction and employee perspective ; and use those results as the basis for performance awards and other personnel decisions . Agencies aren 't too thrilled about having to change the way they do things . neutral +Both CBO and the Medicare Trustees generally assume per-beneficiary costs to grow at GDP per capita plus 1 percentage point over the long-term . They were expecting at least 1 percent in return . entailment +MoMA 's story of modern art , beginning with Cezanne and ending with abstraction , has been confirmed , but at a cost . MoMA is incorrect about it 's theories of modern art . contradictory +You shower , slip on the robe provided ( this part we already have ) , and then , in the cupboard , you find stacks of pants and shirts and sweaters , maybe a wrap-skirt or two and some jackets , all in many colors and all in your size , since you e-mailed the information ahead with your reservation . The clothes we provide you are all bespoke . neutral +This site includes information on upcoming education and training events . Upcoming education and training events are detailed on the site . entailment +Much of downtown Fort- de-France is fertile territory for shoppers . Shoppers may visit downtown Fort-de-France . entailment +I 've just five minutes to catch the post . Cynthia and I went and sat by the open window in the drawing-room . Cynthia and I decided not to sit near the window in the drawing room because it was closed . contradictory +Its nine members , appointed by the Court , represented a range of civil legal assistance stakeholders , including the bench , the bar , the Legal Foundation of Washington ( which administers IOLTA funds ) , LSC-funded programs and volunteer lawyer programs . A range of civil legal assistance stakeholders--nine members , appointed by the Court--including the bench , the bar , the Legal Foundation of Washington ( which administers IOLTA funds ) , LSC-funded programs and volunteer lawyer programs . entailment +Russert regained consciousness at show 's end when he introduced a historical segment on Robert Frost 's Meet the Press visit . Russert never woke up to introduce a part of the show . contradictory +it 's interesting i don 't i don 't know part of the reason i think is that i don 't know anything about it when i had my other house and it was already landscaped and i you know i didn 't know what to do and how to take care of the things and you know i learned a little bit but um I don 't know much about it because my other house was already landscaped when I moved in . entailment +It 's too much to do this and the Israel Museum in a day , but students of Middle Eastern history should definitely return . The two sites have special significance to those interested in Middle Eastern history . neutral +I never do , " Nye replied . I always do , said Nye . contradictory +being double strenuous on your own body because you 're pushing it yourself It 's easy on your body that way . contradictory +The RPH does not much elaborate on how he would balance the budget after his cuts . The RPH doesn 't exactly explain how his budget cuts will function . entailment +However , there are other transition costs that CBO acknowledges are not included in their estimates beyond the cost to hire , house , and equip key personnel . It 's believed that there are additonal costs that are not being included in estimates done by some others . entailment +Dutch World , where all sorts of fictional characters created by Edmund Morris come out to play with children of all ages ! Edmund Morris created a world called Dutch World , a place where made up characters can play with all children . entailment +and signed ' Best Boy . ' He signed it , " Best Girl . " contradictory +Whatever improvements have been made to the county 's transportation system , they are not going to make you feel any better when you 're stuck in that unavoidable traffic jam . There are no traffic jams in the county . contradictory +'Are you suggesting that I am in some way blunted ? Addled ? Damaged ? Less than a man ? Is that what you mean to say , sir , because if it is then I appeal to you to come straight out and say it . You must think that I am perfect . contradictory +There was no fuel for the ' copter we finished--the one we called Betsy Ann . There was plenty of fuel to use in the helicopter . contradictory +To the left is the diminutive Temple of Seti II , and further along on the right a larger temple dedicated to Ramses III . Both temples are exactly the same size and dedicated to Ramsis I. contradictory +It would serve no real purpose . It could be done , but it wouldn 't do anything for us . neutral +The Russian demurred , but the other insisted . The other guy is from another country . neutral +He has threatened to veto the five remaining appropriations bills in the 2000 budget because of Republicans ' proposed cuts in social programs . He is a staunch democrat . neutral +This means that data are broken up into small pieces , or packets . This means that the data were broken down into small packets . entailment +I 've talked to so many people over the years , either directly or through the reports from their advocates , about how alien a place the justice system can be , how unapproachable it can seem to them , Zelon said . I have spoken to everyone directly . contradictory +Quick as a flash his left hand , the hand which bore the big signet ring , was raised to his lips … . There was a big signet ring on his left hands . entailment +Browsing is difficult as vendors are attentive and can be insistent , but you 'll have fun . Vendors will be very pushy yet attentive . entailment +The remains visible today are their replacements , even bigger and more splendid than the originals . The replacements are much larger and magnificent than the originals . entailment +With crime down and the economy up , New York City Mayor Rudy Giuliani is finally able to turn to the really big issues--like keeping the original Winnie-the-Pooh doll in a Manhattan museum against the claims of a member of the British Parliament that it belongs back in England . Crime is down and the economy is up ! entailment +Headphones allow you to listen to some of William 's works while you view images of the landscapes that inspired him . The headphones and display screens are located in a lounge in the back of the gallery . neutral +But you are looking at someone who does enjoy fighting . But you are observing a person who does like fighting . entailment +The setting sun and blood moon painted the sky in dark red . The moon looked red because of the haze of blood in the air . neutral +and i watch all the football games Monday night Thursday night and Sunday afternoon I only watch football three times a week . neutral +Perhaps you will say that there are no longer such men . It is easy to find men like that . contradictory +This guide is intended to assist federal agencies in maximizing the success of CIOs . The guide is designed to help owners have a better understanding of what their pet needs . contradictory +I looked at her . I looked away from her . contradictory +I tried to move back a bit . I tried to get much closer . contradictory +The monastery was built at a tumultuous time in Christian history and its design was based on that of a castle , to act as a protection of the faith and its treasures , as well as for worship . The monastery was built to resemble a castle in part due to defensive concerns . entailment +Really ” I can 't remember . I couldn 't recall . entailment +By 2030 , saving the Social Security surpluses results in a The saving have increased because people are earning more . neutral +The Commission indicates that it gave full consideration to the comments filed by all interested parties and , in certain instances , decided to adjust the Schedule of Regulatory Fees because of these comments . The Commission says it gave full consideration to all the comments . entailment +For a moment I just stared at the thing , then a fresh burst of ringing convinced me to pick up . The phone was ringing and it was answered . entailment +Simply , the allowance market puts a price or value on each ton of SO2 not emitted . SO2 is limited in some instances . entailment +As she did so , she heard Boris say : " New , isn 't she ? " She did not hear Boris make a comment . contradictory +i i think it you know what i see is fascinating and i kind of enjoy it uh i 've always had that hobby ever since i was a child I hate this . contradictory +i just i don 't know i feel so sorry for them but at the same time I am sure that I feel sorry for the others . neutral +Village contests judge competitors on their most spectacular flying skills height , dexterity , and the humming sound produced by the wind through the kite-head . Village contest judges measure how high the kite goes and the kind of tricks it does . neutral +Judging from the quantity recovered , she must have taken not less than three-quarters of a grain of strychnine , but probably one grain or slightly over . She must have taken just a bit of strychnine , since more would have killed her immediately . neutral +1 ) In other words , there is a definitive number , according to the Pentagon . There is only an estimate , according to the Pentagon . contradictory +Come now , urged Poirot encouragingly . Poirot told them to leave . contradictory +South Audley Mansions was an imposing-looking block of flats just off Park Lane . South Audley Mansions was close to Park Lane . entailment +LSC attorneys representing alien clients living in border communities would face the prospect that they could work on a client 's case in the morning when the client was in El Paso but not in the afternoon when the client was shopping in Juarez . LSC attorneys have no problems working on alien clients . contradictory +On Tuesday 's NYPD Blue ( ABC , 10 p.m. ) , Rick Schroder 's tight-lipped character , Danny Sorenson , opens up to Sipowicz while seeking help for an alcoholic friend . Rick Schroeder has been on NYPD Blue for 5 years . neutral +And both Anse and Drew were alert , knowing that the farther one went from the Stronghold the less one relaxed guard . Anse and Drew relaxed knowing they didn 't have to be on guard as they traveled away from the stronghold . contradictory +But thus far , the country 's earliest traces of homo sapiens , found in the Niah Caves of northern Sarawak , are fragments of a skull dating to 40,000 b.c. Early humans were not found in the Niah caves . contradictory +you definitely don 't have time You don 't have five hours . neutral +pretty interesting yeah i have to have to agree with you um normally don 't have time in the morning to to watch the any type of TV usually catch it going to work on the radio or when i drag the paper in from the front and it pops out of the bag i usually catch the headlines which is normally what you see the night before on the evening news yeah so uh i 've kind of um I don 't normally have time to watch TV in the morning , so I catch the news on the radio on the way to work or from the newspaper headlines . entailment +identified the management of student financial aid programs , with more than $ 150 billion in outstanding student loans , as being at high-risk to waste , fraud , abuse , and mismanagement . The student aid program has been identified as low risk for waste and fraud . contradictory +yes well you 've got to be held accountable for your actions no matter how old you are or what it is Everyone over thirteen should be charged as an adult in crimes . neutral +Ankara may be the official capital of modern Tur ? ­ key , but Istanbul remains the country 's largest city , most important commercial centre , and busiest port , producing more than one-third of Turkey 's man ? ­ u ? ­ ? ­ ? ­ facturing out ? ­ ? ­ put . Ankara is Turkey 's official capital , despite not being the largest city . entailment +Diamonds were polished , necklaces on show . Jewelry was on display . entailment +I was quite honest with him . I was worried about being honest with him . neutral +Britain seized Gibraltar in the name of the Hapsburg claimant and retained it when the war was over . Gibraltar was taken by Britain in honor of the Hapsburgs . entailment +Legal Aid spends about $ 2 million a year culled from a variety of state and federal sources . State and federal sources have 2 million dollars a year taken from them by Legal Aid . entailment +Imagine a law school class with 100 places . Think of a law school class with 100 vacancies . entailment +The Department of the Treasury 's rule is adopted pursuant to 26 U.S.C. The departnent of treasury has many rules neutral +Jones-Lee ( 1993 ) provides an estimate of age-adjusted VSL based on a finding that older people value mortality risk reductions only somewhat less than middle-aged people . Jonas-Lee estimates the age-adjusted VSL . entailment +So you see you had better go to bed . " Suddenly Tuppence felt afraid . Tuppence was being coerced into sleeping . entailment +Heston has even had moderate instincts about gun rights . Heston never displayed moderate instincts about gun rights as the press had claimed . contradictory +Merkin also marvels at Goodman 's almost 19 th -century ability to create a sense of linkage , of one existence impinging on the next . Goodman 's creative abilities are appreciated by Merkin . entailment +Free access to holy sites for members of all religions was guaranteed by the armistice agreements . The armistice also allowed for territorial disputes . neutral +The average California farmworker is employed 6-9 months per year and earns between $ 5,000 and $ 7,499 annually . Farmers in california typically work for 6-9 months and earn roughly $ 5000 to $ 7499 a year . entailment +When the president 's woman troubles started , Wolf hit the spin circuit . Wolf was a surrogate for the president to make him seem more likable . neutral +well they had i don 't think it was last year the year before they were doing really good and i think they had an off year last year This year they will definitely come back from their slump and be a championship contender . neutral +You can reach the service at 800-424-3410 or go to www.aarp.org / LSN to find a lawyer nearby . Calling 800-424-3410 will help you find an affordable lawyer . neutral +The Ser then clipped the stuff from his tube and sealed the tiny opening smoothly with a bit of sun material on the end of a long metal wand . The Ser removed the sun material from his tube . contradictory +They reveal that he swears a lot , drives like a terror , quizzes his friends on state capitals ( he was a geography major ) , and viciously holds a grudge . He used to be a good driver , but now he drives like a terror . neutral +Small items , such as scarab beetles considered a lucky amulet in Egypt are sold in shops , but also by young children and street hawkers around the archaeological sites . The only way to get a scarab beetle is from a shop . contradictory +More strikingly , Intel 's successful Intel Inside ad campaign has created a brand name for a product that observers once believed was the very definition of a commodity . Intel 's campaign was a total failure . contradictory +Well ? said Tuppence , intoxicated . Tuppence , completely sober , was trying to find answers . contradictory +However , in HCFA 's view , its publication of the full text of the analysis with the proposed rule satisfied the Some people may think that the proposed rule is not satisfied . neutral +yeah actually uh we went a couple of times last year i haven 't gone they started i guess about a week ago I 've gone to see them every week so far . contradictory +It is here that Jesus is said to have washed the disciples ' feet and presided over the Last Supper . It was here that the last supper occurred . entailment +If the stock market crashes , the calls for privatization will simmer down , say Shields , Steve Roberts , and George Stephanopoulos ( This Week ) . Everyone praises Bill Clinton for his role in Issue 3--the breakthrough agreement in Ireland . Bill Clinton was praised for his role in Issue 3 . entailment +you know i 'm just a chicken i know lots of women would do it all the time but i haven 't i haven 't quite adjusted you know Lots of women go bungee jumping all the time but I am too scared to do it . neutral +The wife ? The woman he is talking to ? neutral +Do you remember reproving me for taking the household into my confidence on the subject ? " You did not believe in me . neutral +Jerry Falwell , and Mario Cuomo run amok in a long segment on the family and morality . Jerry Falwell is not interested in morality issues . contradictory +Yes ” more or less . Yes , mostly likely the same amount of liquid . neutral +The need for federal agencies to protect sensitive and critical , but unclassified , federal data has been recognized for years in various laws , including the Privacy Act of 1974 , the Paperwork Reduction Act of 1995 , and the Computer The need for federal agencies to murder people is high neutral +Revered by Jews , Christians , and Muslims , the tomb of this biblical matriarch ( wife of Jacob and mother of Joseph and Benjamin ) who died in childbirth has been visited for thousands of years by women who come to pray for fertility . For thousands of years Jews , Christians and Muslims have protected this tomb . neutral +uh allowing it to happen It happened . entailment +Beautifully landscaped gardens and a private bay giving the resort its name . the gardens are landscaped well . entailment +Caterpillar representatives said that signing the drawings was a certification that the design could be manufactured the next day , if necessary . Signed drawings are a requirement for Caterpillar to manufacture anything . neutral +The American people are the only ones who have been taken in by Clinton and Adam Sandler . Americans like Clinton and Sandler bein on SNL together . neutral +Heard tell leastways Callie 's been spoutin ' it around that you was with General Forrest . Callie did not know General Forrest . contradictory +well i just uh i 'm not interested in keeping big military over there and having to go in and call the shots like you say and and i just would prefer that i mean sometimes we 've said let 's keep we I wish we wouldn 't keep big military over there . entailment +i see well that 's good to hear I 'm happy to hear that . entailment +Beyond the main temple complex , Karnak stretches out over the landscape as far as the eye can see , but many of the other remains are more difficult to identify . Besides Karnak , many of the other remains are difficult to identify . neutral +Most claims made by aliens take years to resolve . Very few claims made by aliens take longer than a couple weeks . contradictory +The frequently rough sea croseng drops passengers at Porto de Abrigo , on the eastern tip of the island . The sea crossing is very often quite rough . entailment +The Ark , on Eustace Street in Temple Bar , is a children 's cultural center that offers a changing program of plays , workshops , readings , and performances , all geared toward youngsters . The Ark is for animals . contradictory +Short-Term Exposure , COPD Related , Ages 65 and PM2 . Long-Term Exposure , Non COPD Related contradictory +This is real fighting . The fighting shown is real . entailment +Using Scenario D as an example , the remaining allowances in 2015 are 100 million metric tons for carbon , 1.3 million tons for SO2 , 0.2 million tons for NOx and 25 tons for mercury . In 2015 , the allowance remaining for carbon exceeded 90 million metric tons . entailment +A Florida company charges 4 cents a pound for irradiation , and advocates say wider use would halve costs . The 4 cents a pound for irradiation could be cut in half . entailment +yes some of those certainly have a lot of disabilities difficulties you know with uh all sorts of things and i would imagine their learning disabilities are quite large in some cases No one is ever disabled . contradictory +Democrats complain that given the amount of time they spend with Geraldo , diGenova and Toensing can 't possibly be doing their government job . diGenova and Toensing have never met Geraldo . contradictory +To be honest , I think the Secret Service guys think we 're having an affair . I bet the Secret Service guys assume we 're having an affair . neutral +They are today 's grayheads of the poverty law bench , as the new generation of public service lawyers affectionately call them - a generation whose idealism comes at a far steeper price , at least on the surface . The new generation of public service lawyers looks to these grayheads as mentors . neutral +that 's that 's a common feeling i i i empathize because um i well i 'm real glad my husband knows something about cars but when i go in i feel really at a loss My husband takes care of all the car stuff . neutral +Mini-buses dart in and out of the traffic to pick up passengers and there 's a frantic rush at peak times as everyone tries to leave the city at once . Peak time is around 4pm neutral +What 's up ? he inquired . He asked what was happening . neutral +But , wherever the fires were , she insisted , Clinton 's recollections were very vivid and painful . Clinton had vivid and painful recollections about the fires . entailment +Why didn 't Ellison finish--or publish--the book ? Did Ellison grow tired of writing his book ? neutral +Watching the situation yesterday spin so fast out of control scared him . The situation spinning out of control yesterday scared him . entailment +Mr. Brown ? hazarded Tommy . Mrs. White ? Hazarded Tommy . contradictory +The Howrah Bridge , itself a national monument , conveys you across the river to the city center . The Howrah Bridge is not a national monument and is currently broken and not leading anywhere . contradictory +None held the town for more than a year . The town wasn 't ever held down for more than a year . entailment +I 'm still not clear what social studies are , exactly , but I 'll never forget his stories about the UFO that sometimes hovered outside his window , conducting experiments through a metal cable attached to his neck ( he showed us the marks ) . The UFO story was true . neutral +so i 've had this dog now for for sixteen years and she 's been a lot of company uh she 's uh however getting a little old and things are starting to fail um i i live alone now and she stays in the house all day while i go to work and uh she 's been holding herself pretty well the uh up until uh you know recently where she 's been having accidents in the house because she either is losing control or she forgets where she is and uh i find a little present on the floor sometimes when i come home My father gave me this dog three years ago before he passed away . contradictory +Just beyond the city now are several theme parks built out of the remains of the gorges created from tin mining . The tin mines have no use anymore . contradictory +This situation has adversely affected the SEC 's ability to adequately enforce the securities laws and also its ability to invest in technology to more efficiently manage its workload . SEC 's capabilities have been unfavourably impacted by this situation . entailment +With poverty down , politicians are raiding food-stamp surpluses for extra cash . With poverty at a high , politicians are raiding their underwear . contradictory +The small church immediately next to it is the Church of eghios Minas , which has a splendid ornate iconostasis if the church is closed ask in the cathedral as the custodian here has the key . The Church of eghios Minas is the oldest in the region . neutral +Another such hall , belonging to the Liu Clan , is Liu Man Shek Tong in the village of Sheung Shui . The Liu Clan made most of their money smuggling drugs . neutral +Roans six . There were six , although he wasn 't one hundred percent positive . neutral +You 'll probably be invited to join in as the evening progresses ! You 'll get invited to dance later in the evening . neutral +This analysis looks at the impacts of the multi-pollutant reductions that are part of the Clear Skies Act for two future target years , 2010 and 2020 . This analysis takes a peek at the results of multi pollutant reductions that are part of the clear skies act for 2010 and 2020 . entailment +Two features of the cumulative case study , shown in table 3.7 , are the case survey method just described as a means of aggregating findings ( Lucas , 1974 ; Yin and Heald , 1975 ; Yin et al . The findings were groundbreaking in the field . neutral +On a separate guided tour , you can visit the Royal Opera of Louis XV , and the king 's private apartments . The Royal Opera and king 's chambers are off limits to the public . contradictory +When an organ seller is trying to decide whether the terrible dangers from kidney removal or the certain loss of sight from surrendering an eye is worth a sudden cash infusion , his effort to identify his best interest will be confused by how the question is framed , by difficulties sorting out the statistical risks , by the vision of all that money , and many other factors . Some people sell their kidneys . entailment +On Monday the Supreme Court ruled in Nixon vs. The Supreme Court gave a ruling on Monday . entailment +Unfortunately , hereditary monarchy has offsetting drawbacks , which I assume I don 't need to enumerate for the readers of Slate . I assume I don 't need to spell that out for Slate readers . entailment +how does she get to work I don 't know how she got to work . entailment +Most stores are good about exchanging faulty goods . Most stores do not allow for faulty goods to be returned . contradictory +right it shows stability but um now i also thought uh i i get calls i 'm a housewife so i 'm home a lot in the day I 'm a working woman so I 'm never home contradictory +The gallery on the upper floor boasts a collection of some the best art and crafts in Jamaica . The gallery on the upper floor is most popular with tourists . neutral +For it is in America , not Asia , that a connection is presumed among people of Chinese , Thai , Filipino , and Pakistani descent . In Asia , the Chinese and Thai are regarded as different groups . entailment +We went to sea in this instance , however , in our GAO role , as auditors and evaluators and so-it could be argued-might have seen what special guests see and not what life would be like for the average sailor . Our privileged roles influenced our study results , so we had to take the bias into account . neutral +upper and lower yeah right Only the sides and not the upper or lower . contradictory +Thorn was gone into the night . Thorn left into the night . entailment +yeah that 's that was uh that 's always been our next step our our our little group of friends here we 've we 've been kind of getting married off and what not but uh that 's Lots of people in our group of friends have been getting married . entailment +They crowd each other into the roadway , bulge out of tiny auto-rickshaws , and perch on top of buses and trains ; a family of four or five clings onto a motor-scooter , and a whole school class on one bullock-cart . The streets are constantly empty . contradictory +Castro 's fledgling government immediately ordered rents reduced , new wage levels set , and estates limited in size to 390 hectares ( 966 acres ) . Rents were reduced by Castro 's young government . entailment +Kilgore was way over by Louisiana . Kilgore was close to Louisiana and needed to come back . neutral +what division are y 'all in Are you in the blue boundary or are you in the red boundary ? neutral +He had been able to get some Chinese-made replacement valves . The valves were made out of copper and aluminum . neutral +The whole time , her parents have never said anything about me . Her parents didn 't utter a word to me the entire time . entailment +uh my daughter who 's a freshman in college this year her last couple of years in high school she made money money baby sitting and you can tell by the number of people that would have her come and and spend the day my daughter worked as a babysitter when she was in high school entailment +And even the phase of the moon matters . The phase of the moon can help us tell time . neutral +uh very good videos yeah i 'm kind of impressed The videos are of a poor quality . contradictory +and it 's a mutant cat and they 're they 're pretty expensive we 're going to we 're going to shell out probably about a thousand bucks for one um they 're very thin they 're they 're they 're long and lanky and skinny and they have real short hair it 's curly as a matter of fact These mutant cats are thin and lanky , its a defining characteristic . entailment +Jon sat outside the mine looking down at the town below . Jon looked up at the town on the mountainside . contradictory +In the second and third year of the grant , CFGM funds will be awarded as a match , with MALS raising at least $ 3 for every $ 1 the foundation provides . Sum of CFGM funds that will be awarded is a huge amount of money . neutral +He threw the letter into the waste-paper basket . He threw the letter away . entailment +The west corral is ready for your use as always . You can use the corral on the west , as usual . entailment +Well , sir , you know how he asked me so particular if the mistress , or anyone else , had a green dress ? She had a secret to tell me about the matter . neutral +yes it is kind of small It 's on the small side . entailment +This would include nonfederal physical property , human capital , and research and development . That includes things that are not owned by the federal government . entailment +Columba Bush , wife of the Florida governor , declared only $ 500 worth of goods upon her return from a Paris vacation , but agents found $ 19,000 in receipts in her passport and fined her $ 4,100 on the spot . Columba Bush lied about the money spent during her vacation in Paris . entailment +yeah yeah well he likes those crane games you know where you try to win a toy He hates games contradictory +oh that 's wonderful yeah especially with children and so many things going on that would be great With all the things going one and with the children , it would be awesome to work at home . neutral +Here , you could make offerings to the god Apollo at his birthplace , or consult the powerful oracle in residence . You could consult the powerful oracle here . entailment +and having the family do a good share of the work you know and the part that i did was more fun than uh than labor because they did the the running and toting chores and i just helped cook and kind of organize you know Family refuses to help with anything , so it 's all on your shoulders . contradictory +if that 's true about all Puerto Ricans or not ones i met have been pretty pretty funny Puerto Ricans are , in my experience , fairly grim and humorless . contradictory +and be ready to cry or whatever Prepare to be emotional and sensitive . entailment +Subsequent to our June 22 letter , GAO officials have engaged in numerous conversations with the Vice Presidentas representatives . Offficials from the GAO have not spoken to anyone . contradictory +'I am not enjoying having a penis . ' I hate being a man . neutral +HUD did not prepare initial or final regulatory flexibility analyses . HUD prepared the final version of the analyses . contradictory +He formed the peaceful but powerful Catholic Association , and in 1829 the Duke of Wellington , in a bid to avoid a civil war , passed the Catholic Emancipation Bill , which allowed Irish Catholics to sit in the parliament at Westminster for the first time . The Duke of Wellington was a strong supporter of Irish rights . neutral +probably they don 't have birth control They are taking birth control . contradictory +And has the following point been made on the Op-Ed that Arianna Huffington and Warren Beatty have chosen to attack centrist Democrats as cynical sellouts who ignore American poverty just when , according to the Census Bureau , those cynical centrists are making the greatest strides against poverty that have been made in my adult lifetime ? Huffington and Beatty stand up for centrist Democrats . contradictory +Enter Old Cairo by the old Roman Gate the Romans established a fort here following their annexation of the country where you will find a concentration of Coptic churches and monasteries . Old Cairo can no longer be reached . contradictory +With full automation , statistical sampling of invoices prior to payment to make inferences about the universe would no longer be necessary since the system would perform a 100percent verification of receipt and acceptance . Statistical sampling happens after payments are made . contradictory +Lawyers discount their usual rate by 20 % after that . Lawyers can lower their rate after . entailment +Frank McCourt brims with intelligence and charisma ( Culturebox has seen him speak ) and must have been an unforgettable teacher whatever he did . Frank McCourt is intelligent and has great charisma . entailment +so that was the next problem he had to redo that too i We had to do it again . entailment +yeah and when you say but we 're in college uh we 're in graduate school we can 't afford that you know they they say well how about twenty seven well how about ten you know yeah so I won the lottery and would like to pay twice the amount , so make it 54 . contradictory +Before function is compromised , problematic consumption occurs . Newton 's law states that problematic consumption will happen long before function is compromised . neutral +He hasn 't much changed America . He 's made many changes to America already . contradictory +Accusations of plagiarism seem to be the greatest deterrent . There are no deterrents . contradictory +right right well they do walking tours too so Sorry , they don 't do walking tours . contradictory +is that the one set in the fifties or sixties Is that set at the beginning of the 20th century ? contradictory +U.S. elderly population-those aged 65 and over-is growing and accounts for an increasing share of the total population ( see figure 1.6 ) . The population of senior citizens have been growing . entailment +There 's no telling how far the liberalizing of Lott might go with enough positive reinforcement . It is definite that Lott will go far with positive reinforcement . contradictory +Shallow waters , sports , and refreshments add to the fun . You can also enjoy the scenery there . neutral +This will assist investors in deciding whether to invest . Accurate financial information helps investors decide if they should invest . neutral +Everyone talks about how it has been 30 years since the Postal Reorganization Act was enacted 30 years have passed since the Postal Reorganization Act went through . entailment +You overrate my manly charms , murmured Tommy . You underestimate my manly charms , murmured Tommy . contradictory +Strategic Information Management ( SIM ) Self-Assessment Toolkit ( Exposure Draft , Version 1.0 , October 28 , 1994 ) . SIM Assessment Toolkit , October 1994 entailment +Consequently , a booster intervention might be helpful . A booster intervention is not of use . contradictory +yeah that would that would be much That would be a bit much . entailment +So maybe you will be too . Maybe you will be a star like me as well . neutral +The FDA has concluded that the rule will have a significant economic impact on a substantial number of small entities and an initial regulatory flexibility analysis and final regulatory flexibility analysis have been prepared and included in the notice of proposed rulemaking and the final rule notice , respectively , as required by sections 603 and 604 . The FDA still has not come up with any conclusions . contradictory +Should the allowances be auctioned off or be handed out for free ? It may be preferred to give out free allowances . neutral +If , after all this castle-viewing , you still haven 't had enough , a few kilometres ( a couple of miles ) farther on in Aspe , you 'll find las ruinas ( the ruins ) . Las ruinas are a popular tourist attraction . neutral +The Kal stood next to Ca 'daan while the others finished off the few whipmasters who had survived . The others killed the whipmasters . entailment +for you and now all you have to do is go in and put in a number and you got it you know so uh just put people in pick a number and put people in it and it 's a work group so you know i think uh it 's really a lot simpler than the old one I 'm sorry about the new system ; it 's not quite as easy to use as the old one . contradictory +For the Clear Skies Act , EPA 's projections reflect that the majority of FGD installations will involve a single absorber unit installation per plant ; however , the maximum projected number of scrubbers retrofitted at any facility is three absorber modules serving six boilers with a maximum of 2400 The projections include a single absorber per plant . entailment +The cardinal also created the Acad ? ? mie Francaise in 1635 to ensure the purity and clarity of the French language through its Dictionnaire and its Grammaire . In 1635 was created the Academie Francaise . entailment +The process can be a learning opportunity and result in more sound research . The process will not serve as a chance to learn . contradictory +Before you leave the sanctuary , visit the Capilla Mayor ( Main Chapel ) . The Capilla Mayor is near the sanctuary . entailment +It is miraculously Speech is digitized , packet-ized , and sent over the Net , for no more than the cost of online access . For no more than the cost of online access , Speech is digitized , packet-ized and sent over the Net . entailment +Let us proceed . " The German seemed to pull himself together . The German prepared himself . entailment +Readers should recognize , however , that as time shortens , so may the value of the method as a way of presenting a comprehensive understanding of the event as a whole . Readers should recognize , however , that as time shortens , so may the value of the method as a way of presenting a comprehensive understanding of the event . neutral +Producers fell hard for the schtick , making him the most expensive writer in Hollywood . The producers like the idea . entailment +you know and they 're not going to do that directly but the thing is is that they they didn 't go into into Iraq and say you know because they have the force to go in there and say get out of the country you know you can seek seek asylum here and you can go there but no way are you going to rule ever again They will stay in Iraq for as long as it takes to disrupt their political system . neutral +In other words , on a day when George Bush was supposedly distancing himself from conservative Republicans , he was actually caving to their foolish dogma on the issue at the center of campaign--over the objection of his two top advisors on the subject . George Bush went against his advisors and instead of disagreeing with Republicans as he stated , he ended up agreeing with their foolish ideas and his approval rating suffered for it . neutral +Chosen under the auspices of the center 's director , historian Peter Gay , the fellows include cultural critic Paul Berman , at work on a literary and political history of the Nicaraguan revolution ; technology historian Gregory Dreicer , who will study the architecture of racial segregation ; and historian Marion Kaplan , who studies the daily life of Jews in Nazi Germany . Peter Gay is the center 's director and therefore chose the fellows based on his personal preferences . neutral +there 's an idea I like that idea . neutral +La Iglesia de St. Martin is a 12th-century Romanesque beauty with glorious portals and porches . The area is popular because " La Iglesia de St. Martin " was built there . neutral +uh it 's very low uh scale compared to the NFL It is not as big of a deal as the NFL . entailment +so they 're getting into it i don 't know what they get for the tickets though what do you get for the tickets if you bring stuff oh the class i guess gets the most tickets gets uh gets a party I don 't know what they get the tickets for . entailment +, that I was up to .67 Keillor Units , but that was just bravado and doesn 't include royalties , speaking fees , catalog sales , ancillary rights , etc . Royalties and speaking fees are not included in the figure . entailment +It 's also only a short ride ( 21.2 km / 11.2 miles ) from the Pointe-du-Bout hotels , some of which have special package arrangements with the club . The ride is a little over 11 miles long . entailment +i 'll probably be happy about it More than likely , my satisfaction with be content . entailment +The preamble to the proposed rule contained an explanation of the need for the information , the burden estimates related to each portion of the rule , and requested comments be submitted to both the SEC and OMB regarding the information collections . The need for information is considered important by the writers of the preamble . neutral +Their religion included elements of Hinduism such as Shiva 's phallic lingam and his sacred bull , Nandi , before the Brahmanic Indo-Aryans arrived . Their religion was compatible with many other religions . neutral +The cake she chose was decorated with a space ship and launching pad under a sprinkling of white stars , and a planet made of red frosting at the other end . She chose an outer space themed cake for the party . neutral +i don 't know we have a seven year old it 's pretty funny like stay out It 's never funny . contradictory +Keirsey has redefined these four pairs this Keirsey has redefined these pairs . entailment +It was reviewed by OMB and approved as meeting the requirements of the Order . OMB reviewed it and it was found to meet the requirements . entailment +Two more massive projects can be found in the surrounding countryside . Massive projects are always found in cities and built up areas . contradictory +especially when you 're on cement or anything that 's hard it will bother me it will bother me Cement is too hard . neutral +A dozen ? He was talking about eggs . neutral +Elaborate carvings on the walls of both buildings depict Amenophis making offerings to the gods in thanks for his divine power . The carvings are very elaborate down to the tiniest detail . neutral +In 1453 , they took Constantinople , and immediately made it their capital , renaming it Istanbul . Istanbul was renamed Costantinople in 2010 . contradictory +Facilities offered include tennis courts and a private beach . There 's a private beach and tennis courts on the premises . entailment +you know i went down forty cents but i went up ten cents The value of my stocks went down by 40 cents but then it raised 10 cents more in a few hours . neutral +But building a university from scratch is far from cheap . Building a university costs , in average , $ 1M . Very far from cheap . neutral +Legal Services provides lawyers to help them only with civil legalities , such as consumer , family , housing and employment law matters . Clients are referred to outside services for legal matters dealing with criminal complaints or tax evasion . neutral +Figure 3 . NOx Emissions ( million tons ) Figure 4 . Mercury Emissions ( tons ) Figure 4 shows emissions of mercury . entailment +Glendalough is part of the Wicklow Mountains National Park , an area of about 20,000 hectares ( 49,421 acres ) , which includes most of upland Wicklow , with spectacular scenery , wildlife , and rare flora . Glendalough is full of deer and other critters . neutral +so uh they they 've got a lot of sports going on around here There are no sports going on here . contradictory +Wouldn 't you do anything to help another girl ? cried Tommy . Tommy didn 't ask a question . contradictory +Confidential to You might have had a better chance of getting your money had the Globe not run a World Exclusive interview in which you 're quoted disclosing titillating details about your ex 's sexual fantasies and happy-hour proclivities . I have never discussed personal information about my ex , nor did the Globe write a story about it . contradictory +I never despise business instinct , said Julius . I once owned a business so I understand their intentions . neutral +Stupid , easily impressed yokels ... My chest began to tighten . My chest loosened up . contradictory +After reconstruction , the hotel still attracts VIPs from all over the world . Reconstruction of the hotel is still on hold . contradictory +Residents of Ios will tell you that an ancient tomb in the north of the island is that of Homer , author of The Odyssey and The Iliad . Homer still lives in Ios . contradictory +What do you suppose he found when he scrutinized these miles of celluloid with Pitt doing nothing and taking his sweet time doing it ? There were miles of celluloid that he scrutinized . entailment +The Symposium has also been the vehicle that has helped enable West Virginia to unify and transform its delivery system . The Symposium alone helped enable the transformation of West Virginia 's delivery system . neutral +The gang had fled from Astley Priors in a panic , leaving behind , in their haste , various damaging documents which compromised them hopelessly . The gang did not think to collect any of the documents when they fled . neutral +The evidence ? The evidence is alarming . neutral +The Natural History Museum of Los Angeles County and its branch in Burbank are great for the whole family . Burbank does not have a branch of The Natural History Museum of Los Angeles County . contradictory +You should know by the time you arrive at Poiso whether or not the journey will be worth the effort . You should know if i will be worth your effort . entailment +While these attorneys are joined by thousands of volunteer attorneys who last year contributed more than 27,000 hours of free legal assistance , civil justice is still unavailable for thousands who need it . Most people who do not have access to Legal Services are poor neutral +Edits are programmed to perform various comparisons , verifications , and calculations to produce outputs that effectively replace many of the manual invoice processing and examination procedures . An edit is not a way to replace many manual examination procedures . contradictory +I can suggest having the ropes made to order . He suggests having the ropes made to order . entailment +alrighty well uh have a good one okay bye-bye Have a great rest of the week for resting . neutral +Then one of two things must Your taxes will rise by $ 10,000 , or else , your share of the debt will rise by $ 10,000 . Either taxes will go up or the debt will . entailment +There was no expression on his thin face , but the old saber scar from lip to eye on his left cheek was suddenly twice as noticeable . His face wore a huge smile . contradictory +what do we think about them what 's something we would never say about them ? contradictory +Maybe it will take jerks like the Weinsteins to bring in the golden age of New Media . To bring in the golden age of New Media , it might take jerks like the Weinsteins . entailment +well man that 's that 's just ridiculous Yes man , that is not surprising at all . contradictory +The Commission 's analysis of existing postal law yields the following The Commission hired an independent agency to analyze the existing postal law . neutral +Today , we re-emphasize the need for OHS to be established statutorily in order to effectively coordinate activities beyond the scope of the proposed DHS and to assure reasonable congressional oversight . There is no interest in exploring anything beyond the scope of the proposed DHS . contradictory +, the historical cost to build the Washington Monument ) . The cost to build the Washington Monument in history , said the teacher . neutral +Isn 't he coming back to-day ? " Wasn 't he supposed to be back yesterday ? contradictory +If I make a mistake , I 'll do my best to own up to it and then to learn from it , and learn from you [ the audience ] about how we can deal with the reality as we find it . I admit my mistakes . entailment +Breakfast included . There is an extra charge for breakfast . contradictory +( Click to learn more about the surprising Islamic origins of this argument and what Ludwig Wittgenstein had to say about it . ) Click here to learn more about this arguments Islamic origins . entailment +Japan 's high saving rate has been attributed to several factors including less access to consumer credit and cultural factors . The Japanese are very responsible . neutral +i had uh Mazda RX seven before that and that was the worse car i 've ever driven in my life The Mazda RX7 sucks , I owned one for about 3 years and it was the worst car I 've ever driven . neutral +The finest and most authentic work is mashrabiya , the lattice screens that covered Ottoman windows allowing women to watch the world go by without being seen . Many women admire the fine work of mashrabiya as it gives them the opportunity to spy on their neighbors in private . neutral +from the Falkland Islands ' Penguin News . Came from the New York Times . contradictory +Perhaps one day we 'll even achieve that . One day we can achieve that , if we get to work . neutral +Their reported sensitivities were 66 percent to 92 percent . People were found to be extremely sensitive to the issue . neutral +The deposit was returned . Returned was the deposit . entailment +and i think clothing you know it it just uh it it does like you were saying the the way you dress makes you feel different ways um if you like when you go out at night uh you may just want to have a casual evening or something so you you sort of dress down but if you 're going to a uh I think of clothing . entailment +Oh , about a million corpses . Approximately one million dead bodies . entailment +Y2K came and went without terrorism or technological snafus . A lot of people got themselves into a panic for what turned out to be nothing . neutral +oh i mean you certain I mean you certainly can . neutral +or Beware of the water ! Horse around near the water ! contradictory +But don 't cross over . Crossing over was bad . neutral +There are large obstacles to screening , and practical research on screening implementation , incentives , efficiency , and its ability to reach large numbers of people at low cost is necessary . There are no obstacles to screening . contradictory +The hills surrounding the city did much to contain the subsequent atomic fallout . The hills acted as a catalyst to enhance the detrimental effects of the radioactivity in the air . contradictory +Farrakhan 's foreign-policy adventures in the months following the march also discredited him . Farrakhan was discredited because of his foreign policy issues and it cost him re-election . neutral +Then Malok 's voice rang out sharply . Then it was hard to hear malok 's voice . contradictory +Even if Barry doesn 't quite deserve the same , Washington deserves not to have its ex-mayor disgraced . A town 's dignity is more important than its mayor 's . entailment +Cost difference between the service cost of pensions ( and other retirement benefits ) , less the employee contributions , if any , and the employer entity contributions . There is no cost difference . contradictory +and i thought for a while that that may create a problem but it hasn 't it 's wood it 's uh I thought for awhile that the war would create a problem for us . neutral +when when she 's going to be in prison for the rest of her life with no chance of parole what good does it do anybody and the taxpayers are going to be footing the bill for the rest of her life she 's a young young woman uh in her late twenties i guess so i just It is a negative situation for all parties if she is to be in prison forever . entailment +The girl thought it probable that the other woman had some hold over her . The girl thought about the other woman and the situation at hand . entailment +The man sat down abruptly on the pavement . The man sat down without warning near the street . entailment +how how old is your little boy You little boy is ten years old . neutral +General Accounting Office , Government Issues and Principles , GAO / T-GGD / AIMD-95-166 ( Washington , D.C. : May 17 , 1995 ) . The year 1200 had a General Accounting Office implemented . contradictory +uh because you because even even my oldest uh child when he comes uh comes to the house he 's still he 's still my my my child and and i don 't think of him as an adult yet and uh that that 's one of his complaints My oldest child hates that he 's thought of as an adult . contradictory +It goes this year to George Mitchell . George Mitchell won . entailment +Thus , I have never even touched a girl , much less kissed one . He had kissed or touched another man . neutral +For the first period , it is assumed that all controls need to be installed in a 31-month period . All controls are in need of installation within a 31 month timeframe . entailment +And , subtly implying that a jury which did not so decide , was quite unthinkable , Mr. Philips sat down and wiped his forehead . Using a blue handkerchief , Mr. Philips wiped his forehead . neutral +Dear me , Poirot , I said with a sigh , " I think you have explained everything . I think you have defined everything , said Poirot . entailment +Because of some of the unique risks associated with highly automated environments , traditional data integrity techniques , such as password and user identification based systems , used to authenticate an individual may not provide the same degree of assurance as that provided by paperbased systems . Automated systems may not be as safe as paperbased systems . entailment +When they came ashore they found the A-Ma Temple ( properly called Ma Kok Temple ; open daily dawn to dusk ) , dedicated to the favorite goddess of fishermen , who is also known as Tin Hau . At that temple , they met several locals who invited them to share in eating that day 's catch . neutral +Calls herself Vandemeyer . She doesn 't go by Vandemeyer . contradictory +you don 't have to carry the cash and and uh and it 's it 's it 's certainly accepted more places than the places you know it 's hard to cash a check if you 're out of state and Then you won 't have to carry cash . entailment +uh well i wouldn 't say that i i think Well , I wouldn 't say that . entailment +Those craven souls knuckle under because , weak and untenured in their pathetic tweeds , they must capitulate or end up doing yard work at some ethnically cleansed eating club . It is acquiesce or be harmed . neutral +They 're all remarkable men . The men are remarkable for their bravery . neutral +Ca 'daan , that was a child 's tale . Ca 'daan heard the story from the source , an old man . contradictory +Constantinople was taken by Crusader forces in 1204 , and they stripped the city of manyof its finest treasures which now grace the public buildings of Venice although a large consignment of books and manuscripts was transferred to the monastery at Patmos before the city fell . In 1204 Crusader forces took Constantinople , said the documentary . neutral +In honor of Slate 's first birthday , as well as the United States of America 's 221 st , Slate will not publish next week . Slate will publish next week . contradictory +yeah i witnessed one trial many years ago when i was first um studying to be a paralegal and uh uh they barred priors on this uh person and they never then told us i guess because priors had a reason as to why these two people were very much in hatred of each other When I was studying to be a lawyer , I witnessed one trial . contradictory +It has been an important settlement since the 14th century and was the largest port in Scotland for many years , handling Edinburgh 's cargo . It was never the largest port in Scotland . contradictory +what else did it kill did it kill anything else it wasn 't supposed to It always kills everything . contradictory +And if it 's their question , they ought to justify it . They don 't need to justify their question . contradictory +Don 't worry , Dave Hanson . Dave Hanson has no need to worry . entailment +Despite the economic slowdown and recession of the 1990s that followed the bursting of Japan 's economic bubble , anyone strolling around central Osaka 's famous nighttime entertainment districts will quickly realize how much its residents love to eat , drink , and party . The residents of central Osaka 's entertainement districts hate to eat , drink , or party . contradictory +no no they do have state income tax They are one of the few places that have state income tax . neutral +and it 's changed over the over the years um we get along a lot better now that he 's older and uh we do different things now we used to play ball a lot but now it 's he likes to watch TV and he 's into wrestling and um i kept him on Friday night we went see we went to go see a movie and um things like that but i feel like i don 't know when i have children i want to be able to spend a lot of time with them My father and I hardly spent time together when I was a kid . neutral +He 's gone , said Adrin . Adrin told us that he was here . contradictory +Its strong walls guard not only jewels and royal artifacts but also the memories of thousands of historic events . Jewels and royal artifacts are guarded by its strong walls . entailment +'Your call is very important to us . We want to help you resolve your issue . neutral +The FDA performed a cost-benefit analysis of the final rule . The FDA conducted a cost-benefit analysis of the final rule . entailment +After rival Fujiwara factions had been struggling for years to gain control of the imperial throne , they turned to the Taira and Minamoto armies in 1156 to wage the four-year war that heralded the end of the golden age of the Heian court . After rival Fujiwara faction had struggled for years to gain power , they waged a four year war that devastated the Japanese countryside . neutral +it 's like a little house except the whole face is open and the one time that we went we got one it was overlooking the water but it was a big embankment i wanted to get one right on the water that was then when we had uh an electrical storm too and it was really it was neat sitting there watching it i mean it was raining when we called in home everybody said oh we were worried about you in that storm It 's similar to a small house , aside from the entire face being open . entailment +Although we collected data on matters work undertaken during the last six months of 2001 , we were not able to analyze and report on them to the LSC Board and on our website until 2002 . We collected data about the work done in the last six months of 2001 . entailment +yeah but as you say it 's two different two different cultures i don 't i don 't know um so uh you like i say i was reading this ten years ago whether they could they 're going to be talking about this in another ten years They said ten days ago that it would never be discussed . contradictory +yeah it 's i don 't know i was expecting snow and all of that i maybe i should have moved over to the mountains instead of here but uh they didn 't get a lot of snow in the mountains either I moved here because the climate is said to be very warm . contradictory +they 're worse than American cars i think or just as bad as far as resale goes They 're worse than American cars in the resale aspect entailment +Six teams of a nanny and a nurse take turns watching the baby around the clock , although they are not allowed to kiss him . Lots of people take care of the baby . entailment +the phase of the moon and The moon 's phase . entailment +Mobsters and Rat Packers Criminals and Rat Packers came to Las Vegas seeing opportunity . neutral +Such access generally includes the ability to make and retain copies of the evidence . Copies of evidence should never be removed from the archives . contradictory +EPA concluded that the rule would have a significant impact on a substantial number of small entities , especially in view of EPA 's implementation of the Act , which considers any impact a significant impact . The EPA considered the impact on small entities . entailment +They fought against the Satheri . The Satheri were one of their enemies at the time . entailment +So Abraham , the first Patriarch , led his nomadic group of Israelites from Mesopotamia to the mountains of Canaan , where they fought the ruling Egyptians . The Israelites fought the Egyptians . entailment +She ate quietly , eyes on the ground . She looked up to the sky . contradictory +i going to have to keep that in mind for my future because i hope to have lots of dinner parties because i like to i mean i 'm That tip will go in one ear and out the other . contradictory +They 're conscienceless white guys with money , and so are we . We are wealthy , black , women . contradictory +the tester meows as he drops the vermin on the developer 's doorstep . The tester made a noise when he put the rat on the doorstep . entailment +The Kal 's performance in the fight seemed to change Adrin 's impression of Fena Kef 's pit fights . Adrin thought the Kal 's were much tougher after seeing them fight . neutral +Hardly a victory to build an entire reputation . It 's not a big deal to build an entire reputation on slaughtering villagers . neutral +yeah of course you would You definitely wouldn 't do it . contradictory +He has repeatedly feuded with owners and general managers about running the team . Apparently , he has never been more happy with the current management of the team . contradictory +Time runs its third consecutive Lewinsky cover ( Trial by Leaks ) . The Lewinsky cover is titled , Trial by Leaks . entailment +Apart from the flat , well-populated coastal area , much of Provence is hilly , with small towns and villages that seem unchanged by the passage of time . The inland towns of Provence maintain a set of rich traditions that have been passed down through local families . neutral +All had to be ordered in their courses , and the sky had to be complete in his calculations . He could afford to have a partial sky in his calculations . contradictory +A tough-talk piece by Madeleine Albright in Newsweek makes the case for expanding the budget for international affairs . Albright said the budget for international affairs should be expanded . entailment +But bizarrely , 1.7 million of those votes were for Kemal Ataterk . 1.7 million of those votes were for Kemal Ataterk , which is odd . entailment +Most people would rather keep what they have than risk it for a hypothetical payoff . Most people like to keep their possessions , rather than risk them . entailment +you know we 'll we 'll leave him down there at ten o 'clock with his fishing pole and sometimes go after him if a big storm comes up We 'll let him fish there unless there appears to be bad weather rolling in . entailment +nice talking to you Jay hm have a good life uh Jay , I hated talking to you and I hope you die in a fire . contradictory +While DOD has made some progress in recent years , GAO 's recent weapon system reviews show that persistent problems continue to hinder acquisition cost , schedule , and performance outcomes . There are no issues that hinder acquisition cost or schedule . contradictory +That is one paragraph out of a 2,000-point essay , Buchanan retorted , suggesting an affinity with Lindbergh . The essay is 5 pages long and written in Times New Roman . neutral +Blacks aren 't celebrating because they fear an economic downturn and because equality is still elusive . Blacks struggle with equality and acceptance in the workplace . neutral +and i love it i just love it I love that . entailment +It is informed by federal and state law , census data and innovative models from other disciplines while acknowledging the breadth of our communities . Federal and state law controls census data , but there have been leaks in the past . neutral +uh-huh well that 's interesting That is boring . contradictory +so where do you live Where do you live ? In 73th ave ? neutral +yeah i i would qualify the U S government as The US government qualifies as .. entailment +We now know many facts about Minoan Crete including that at the height of its influence , the population probably numbered more than 2 million , about four times greater than today 's figure , with 100,000 people in the capital , Knosses . The people lived in compact apartment style buildings made of stone . neutral +There are no court decisions in the relevant jurisdiction that support Starr on the notion that leaking what people tell investigators before they testify about what they will testify to is OK . There is legal precedent establishing it 's acceptable for an investigator to tell the public what a witness tells them they will say in their testimony prior to actually testifying . contradictory +Either way , you 've got a legitimate gripe . You have a problem regardless . entailment +Here you 'll find the ruined Abbey of St. Colm , founded in the 12th century and named for St. Columba , who had brought Christianity to western Scotland 600 years earlier . Here you 'll find the ruined Abbey of St. Colm that was destroyed in WW2 neutral +When stock prices fell by a quarter in one day in 1987 , the American economy barely noticed , thanks largely to quick action by Greenspan 's Federal Reserve . The shareholders lost a large amount of their money as a result of the stock prices falling . neutral +because the economy is down people you know the the the low man on the pole is getting more of the i guess the bulk of it Only the high man gets it , not the low man . contradictory +Sharon has especially exploited Kosovo to court Israel 's 1 million new Russian immigrants , whose votes are expected to decide the election 's outcome . A million Russians came to Israel in the past year . neutral +The evening passed pleasantly enough ; and I dreamed that night of that enigmatical woman , Mary Cavendish . The evening was horrible , and I had nightmares of Mary Cavendish . contradictory +Take Samuel Cartwright , for instance , who in 1851 coined two ingenious new diagnoses to be applied to drapetomania , or running away ( recommended whipping ) , and dysaesthesia aethiopis , whose symptoms were sloth and a tendency to break things ( recommended whipping ) . Breaking things was a natural reaction to anget for black slaves . neutral +The mansion that now houses the Visitor Centre was once a private residence . The mansion was turned into a Visitor Centre ten years ago . neutral +GSA officials responsible for the program told us they believe the savings achieved through this program far outweigh the benefits the government would gain through more aggressive efforts to capture and use frequent flyer miles for official travel . GSA officials are not responsible for the program . contradictory +Just below this lies the Tomb of the Prophets , believed to be the burial place of Haggai , Malachi , and Zechariah . The Tomb of the Prophets is the most visited site here . neutral +they actually have a software package that sounds like where you can manipulate different things to see what it costs to you for those benefits so it sounds like they 're going to get very more flexible to meet individual needs which i think is the most important thing because everybody is got quite a few different objectives The software package does not work for people with individual different needs . contradictory +Not , of course , that I care whether Lawrence hates me or not . I 'm worried Lawrence doesn 't like me . contradictory +I know you did . I don 't know if you did or not . contradictory +He knew she was aware of his stare though she showed no sign . She visibly panicked because he was staring at her . contradictory +Summary Senior executives receive a summary rating on the achievement of their performance objectives . The senior executives have been slacking this year . neutral +The latest audio guides have gone Hollywood and Art authorities electronically beamed up by recent museum-goers include Leonard Nimoy , Steve Martin , Charlton Heston , and Morgan Freeman . The museum does not offer audio guides . contradictory +I just thought : Let 's give good old Slim a chance . " We shouldn 't let Slim have a chance . contradictory +The standards also provide for a period of 5 years to transition to reporting expense data for those agencies that currently maintain only outlay data . The standards only provide for a period of 2 years to transition . contradictory +Here , in the heart of the island 's tourist area , you 'll find a number of small Creole , French , and Asian restaurants and a few discotheques . In the center of the island 's tourist area , there are also bars . neutral +And on Capital Gang , the team ran out the clock with silly segments on what hypothetical gift each of the panelists would give to various politicians , and what hypothetical gift they would give to each other . On Capital Gang everyone had fun when discussing the gifts they would give politicians and one another . neutral +Obuchi should remember that while the Japanese public has an intense desire to see an economic upturn , it is not waiting for easy-to-swallow solutions , the paper said in an editorial . Easy-to-swallow solutions must be presented . contradictory +yeah i think they 're fakes Yeah , I think these coins are fake . neutral +Agriculture and commerce were brought up-to-date and cotton was introduced as a commercial crop . Agriculture in the area was behind for it 's time until very recently . neutral +I have need of reflection . I need to reflect on what just happened . neutral +yeah yeah i do my own brake brake work on the Honda i just I don 't know the first thing about car repairs . contradictory +Its bell tolled the signal in 1572 for Catholics to start the St Bartholomew Day massacre of Protestants ( see page 16 ) . The St. Bartholomew Day massacre saw the killing of many Catholics by Muslims . contradictory +LOWER OF COST OR MARKET - A valuation rule that recognizes impairment of asset values but avoids anticipated gains . The lower of cost or market valuation avoids anticipated gains and isn 't always the best number to use . neutral +Rumors of Albright 's Jewish background have been circulated ever since she was appointed United Nations ambassador in 1993 . Albright was appointed ambassador in 1981 , but retired just three years later when rumors about her started circulating . contradictory +Two basic models of data analysis are pattern matching and explanation building . Data analysis has basic models . entailment +I guess so . I think so . entailment +Most Federal civilian employees hired before 1984 are not covered by Social Security . A number of older federal employees are not covered . entailment +Under a series of initiatives called Connecting Resources to Results , OMB is seeking to adopt a greater focus on agencies ' goals and performance in making funding decisions . They are shifting their views to focus on goals and performance with funding . entailment +Dolphins and fish are popular themes , as are stylized images of Greek gods . Dolphins are often shown side-by-side with images of Greek gods . neutral +( The only editing Slate has done to the pieces is a quick spell check . ) ( Slate completely re-wrote the pieces , altering them heavily . ) contradictory +yeah it seems like if you break the sentencing away from the jury and give it you give it to one person you 're letting there be a whole lot more of an opportunity for something to either go wrong or for you know if if if the judge is not of high moral standards he could be bought off at much easier than twelve people could One person might decide on very harsh sentencing . neutral +it 's it 's religious based and uh you know by by self-proclamation this is a holy war and it is right and then uh we we go on from there It 's atheiest contradictory +Large heads bulged out of pastel-blue uniforms , looking me up and down . The guards looked at me intently . neutral +well you know the funny thing i find about American opinion is that when we have gone in to destabilize a government before the American public goes crazy America is currently meddling with a foreign government . entailment +Computer doomsaying from both magazines . The two magazines were cynical about computers . entailment +so they 're they 're getting old enough to where they can help out with a campfire and cooking and and all that kind of stuff too The kids are now able to help with both the campfire and the cooking . entailment +We got out , in the shadow of my apartment block . My apartment block was tall and blocked the sun . neutral +They are often joined by courageous tourists , who usually get more applause than do the professionals . Tourists almost never join them . contradictory +Under the CFO Act , federal agencies will be subject to the same kinds of financial reporting that have long been required in the private sector and by state and local governments . Under the CFO Act the private sector would be subjected to greater financial scrutiny than federal agencies . contradictory +He was Drew Kirby , Texan , not Drew Rennie of Red Springs , Kentucky . Drew Rennie and Drew Kirby are from different states . entailment +More impressive still was Japan 's success against the powerful war machine of Czarist Russia ( 1904 1905 ) , beginning with a surprise nighttime attack on the Russian fleet , to be repeated some years later at Pearl Harbor . Japan and Czarist Russia remained at peace and did not engage in military conflict . contradictory +( You can buy a combination ticket for the railway and the aquarium . ) Combination railway and aquarium tickets are available for purchase . entailment +um-hum and and be paroled and and have served the sentence that 's what that 's what people face with that choice one thing i really hate is they don 't explain to the jurors in a in a trial on a capital murder trial or in They shouldn 't explain things thoroughly to the jury during a trial . contradictory +oh yeah i 'm a student uh at at Harvard Business School I 've been going to Harvard Business School for two years already . neutral +If anything had happened to Tommy he regretted it deeply , but he could do nothing . He didn 't want to hurt Tommy or let anything bad happen to him , but there wasn 't really anything in his power that he could do about it now that Tommy was gone . neutral +Packet switching is a frugal , efficient way to send data from point a to point b ( albeit via points c , d , q , and k ) . Packet switching is expensive and takes a long time to send data . contradictory +Participants also focused on the roles of the nominating , compensation , and audit committees noting that ( 1 ) nominating committees need to independently identify candidates for board membership rather than rubber stamp management 's candidates , ( 2 ) compensation committees need to focus more on achievements related to the company 's long-term strategic objectives and less on short-term accomplishments , such as meeting earnings projections , and ( 3 ) audit committees need to work more effectively with the independent auditor as defined by the Sarbanes-Oxley Act of 2002 , and not get tied up in procedural matters concerned with their legal liabilities as committee members . Participants focused on nominating committees ' roles in developing the board of directors . neutral +but it was interesting i had to go buy a hoe and a rake i mean the whole works because i 've i 've lived in an apartment for so long i 've never had that kind of equipment so that was that was interesting to go down there and and get all that kind of stuff I had an indoor garden in my apartment , so I had to use a hoe and rake . contradictory +'We stand ahead . ' 'Ahead we stand ' . entailment +The doctor held open the door of a room and they passed in . The door was held open by the doctor . entailment +Tops on most people 's lists are Cuba 's greatest achievements ( not including the national health care system ) : cigars , rum , and music . Cuba 's greatest achievements are cigars , rum , and music and these are also what they are known for worldwide . neutral +Cattle manure is used to fertilize fields , and the produce infects those who eat it . nobody gets infected by produce from cattle manure fields . contradictory +Playing away from your hotel will probably be very expensive during the day and exorbitant under lights . When you play at night you also have to pay for the electricity used to light the court . neutral +The floating steel-and-concrete jetties and pontoons , hauled across the English Channel , were the only way of unloading tanks and heavy artillery on a coastline ( Gold Beach ) without natural harbors . Many of the pontoons were lost at sea . neutral +Susan , move into the caves , thought Jon . Jon thought Susan should hide from the demon in the caves . neutral +What the devil ? began Tommy . What is going on here ? Tommy began . neutral +There are five connecting corridors , two pits , and four rooms before the burial chamber is reached . The burial chamber is unable to be reached . contradictory +do you have a lot of shade trees around your house or is it Do your trees give a lot of shade ? neutral +Return soon . Don 't ever show your face here again . contradictory +oh that 's interesting maybe there 's something i can try this time around That is quite boring , I won 't find anything to do again . contradictory +As a result , the GAO issued new independence standards applicable to audits of federal departments and agencies and entities that receive federal funds , and the Sarbanes-Oxley legislation limited the ability of auditors of public companies to perform certain non-audit services for their audit clients . Resultant of this , the GAO refused to issue independence standards which were applicable to audits of departments and agencies which receive federal funds . contradictory +i guess so that would be wonderful wouldn 't it huh-uh huh-uh not on those CD 's we 're trying to live on uh yeah i suppose , wouldn 't that be great ? entailment +In the preamble to the final rule , the Commission reiterated that the rule would only apply to public and transmitting utilities and again certified that the rule would not have a significant economic impact on a substantial number of small entities within the meaning of the Regulatory Flexibility Act . This is despite the political venom spreading fear about the act 's impact . neutral +As we have advised the Vice Presidentas representatives , the submission is incomplete and is not fully responsive . The submission is incomplete but will be updated and finished later this week . neutral +Such occasional overreaching aside , Applebome 's is a shrewd , fair , and entertaining guide to the region . Applebome 's appears to exaggerate and draw sweeping conclusions at points . entailment +yeah that they from what i understand that uh notices went out to all of the sites My understanding is that notices have been sent to all affected sites . entailment +Once home , he might change into a garish velour leisure suit or an elegant yukata ( light cotton kimono ) , the traditional informal attire for both men and women . The yukuta is a light cotton kimono men like to wear . entailment +All Good Candidates Lose ' ' A lot of good candidates lose ' might be correct , but is subject to opinion still . neutral +His bodyguard-cum-chauffeur stayed with the car . The man 's bodyguard / car driver waited with the car . entailment +Well , the big picture looks like Both the number of good jobs and the pay that goes with those jobs are steadily rising . People will benefit now that there is an increasing amount of good jobs available . neutral +MARKET-BASED TREASURY SECURITIES -Treasury securities issued to governmental accounts that are not traded on any securities exchange but mirror the prices of marketable securities with similar terms . A market based treasury is not traded on any exchange and matches prices with other securities . neutral +Unreliable generally . Very reliable , always . contradictory +Dioramas populated by waxwork dummies . The dioramas had paper people in them . contradictory +In 1947 the opera impresario Sir Rudolf Bing undertook the task of organizing the first annual arts festival , which aimed to attract major names in the fields of music , drama , and dance . Bing tried to organize the first arts festival but he failed miserably . contradictory +i uh yeah i haven 't made any kind of effort to keep up on recent music especially in rock and roll there 's not just too much uh new stuff that 's well it 's not as creative I think the new rock and roll is more creative than the kind I grew up on . contradictory +The Mughal empire had five rulers in 12 years after Aurangzeb died . The empire had way too many rulers . neutral +Reading Comprehension Made Easy Reading comprehension is always difficult . neutral +To Queen Victoria , Lin addressed a famous letter , pointing out the harm the poisonous drug did to China , and asking for an end to the opium trade ; his arguments are unanswerable , but the lofty though heartfelt tone of the letter shows how unprepared the Chinese were to negotiate with the West in realistic terms . The introduction of drugs into China was due to tourists . neutral +yeah that makes such a difference that 's the way it is at my daughter 's nursery school too and i think that really makes a difference they 're in it because it 's a profession not because it 's a job they could get because they didn 't qualify for anything else you know These teachers treat it as a profession , and really care about their jobs . entailment +you know and that 's that 's really hard but so far we 've never really uh been behind on any bills uh i had to put our student loans on hold once for about i think three months We still have a couple more years to finish paying our student loans . neutral +Smaller boats equipped with cooking fires and frying pans bounce around in the wash , while their crews dish up mackerel sandwiches to hungry workers standing on the quayside , seemingly oblivious to the violent , churning movement of their floating kitchens . The boat owners make a large profit from selling food to the quay workers neutral +no no i 'm in Detroit or not Detroit i 'm in uh California I 'm no longer in Detroit , I moved to California . neutral +Our problem is the idea of the white race in particular . Our problem is the particular idea of the white race . entailment +yeah so it 's terribly engineered It is not well built . entailment +Did the ALA logo help ? The ALA has no logo . contradictory +but she we were both feeling so guilty about enjoying this chili uh after seeing that We could not finish the chili . neutral +Sorry to be picky , but when precisely did Mr. Plotz speak to History ? What day did Mr Plotz talk to History ? neutral +Rebbe Schneerson said it last week , two days before Christmas , because he was feeling so goooooood . Rebbe Schneerson was in a pessimistic mood before Christmas . contradictory +Thank you . ' Thank you . entailment +A small museum near the archaeological site explains the many layers of excavations ( up to 21 metres / 70 feet deep ) . The museum has detailed pictures and explanations about what has been found at this archaeological site . neutral +In effect we gave a lot of aid to some future residents of Gstaad . The people living in Gstaad in time to come have received a great deal of help from us . entailment +Or two known defectors . Or both admitted traitors . entailment +DiClemente observed that Project MATCH had examined associations between gender and treatment outcome and found that females did better in 12-step programs . Females did better in the 12-step programs . entailment +It contains four circular punctures that eerily evoke a flute . The four sword cuts evoked a flute . neutral +either Lee or Chang or Wong . It wasn 't Lee , Change , or Wong . contradictory +What 's that ? asked Tuppence sharply . Tuppence asked sharply , " What is that ? " entailment +So the reverse hypothesis could be just as valid . The opposite theory could be just as valid or worse . neutral +An unmarried dependent student qualifies before age 23 , as does any adult child who acquired a physical or mental disability before age 21 ; All people over the age of 23 do not qualify unless they have special circumstances . neutral +And Kudupi ( name on ID : Kudupi ) just sat , smoked plimon and said nothing . And Kudupi was not a very talkative person , so he said nothing . neutral +well he didn 't have too good of opinion of it no i mean yes i did hear that and so um i do try to keep that in mind that whenever you 're reading a paper it usually has a particular flavor He didn 't have a good opinion of it . entailment +Hit hard by Hurricaine Iniki , this lavish resort finally reopened , retaining its informal feel , its fine golf courses , its lagoons with exotic animals on the isles , and some of the best hotel pools and swimming beaches in Hawaii . It was hit hard by Hurrican Iniki . entailment +No , what struck Jacob as oppressively squalid was the subject matter he was forced to contemplate week after fleeting , age-inappropriate sexual liaisons in the Oval Office ; the seep of money into every cranny of the political system ; Trent Lott ; Newt Gingrich . Jacob was also thinking about what he wanted for dinner tonight . neutral +Meanwhile , Yugoslavia refused to let a U.N. war crimes official into the country to investigate the massacre . Yugoslavia refused to allow the UN official to investigate the country . entailment +In all discussion of metaphor , writes H. W. Fowler in Modern English Usage , it must be borne in mind that some metaphors are living , i.e. , are offered and accepted with a consciousness of their nature as substitutes for their literal equivalents , while others are dead , i.e. , have been so often used that speaker and hearer have ceased to be aware that the words used are not literal . The writer claims some metaphors are living . entailment +we still there 's still there 's there 's still too many Kennedys and and Udalls all up there There are too many Kennedys and Udalls in there . entailment +There 's nobody to put Mr. Brown wise . " 172 The lawyer shrugged his shoulders . Mr. Brown 's fly has been down all afternoon and nobody will tell him . neutral +It was deafening . I started speaking sign language to everyone even though they didn 't know it . contradictory +The Times Union coverage of Law Day quoted Chief Judge Judith S. Kaye as saying , The promise of freedom and equal justice is an empty one if our justice system is not accessible . Chief Judge Judith S. Kaye said , " the promise of freedom and equal justice is an empty one if our justice system is not accessible . " entailment +Lorenzo the Magnificent and brother Giuliano lie in simple tombs beneath the sculptor 's Madonna and Child , flanked by lesser artists ' statues of the family patron saints Cosmas and Damian . Lorenzo had no male family members . contradictory +It feels like a good life , actually . Things are perfect right now . neutral +excuse me no not really the last movie i saw i guess uh was uh uh the one about the the French the Frenchman that leaves and comes back and he 's someone different um he 's uh uh well it 's about a man uh that uh leaves his home and comes back to his wife and his wife 's all excited but the guy that comes back is not her original husband The last movie I watched was about a farm animal . contradictory +Ceterns , some of them dating from Moorish times , catch whatever rain falls from the sky , and when needed , supplementary water supplies are shipped in to this desert island . Water is provided by ceterns and by water supplies that are shipped to the island . entailment +yeah so other political things that 's going on i heard mister Bush say uh excuse me President Bush say that he uh wanted to improve the highways I recall President Bush mentioning his intention to make highways better . entailment +He looked around and noticed that the patients in other beds wouldn 't look him in the eye , either . He and the patients were staring deeply into each others ' eyes . contradictory +During fiscal year 1999 , GAO made substantial contributions to help the Congress and the executive branch agencies improve government programs and services . GAO didn 't aim to help Congress at all . contradictory +With the harvests of its Hida mountain district too meager to contribute taxes to the national treasury , the town sent instead its skillful artisans ( Hida no takumi ) to help build the temples and palaces of the imperial capital . With the rich harvests of its Hida mountain district , the town was rich enough to contribute extra taxes to the national treasury contradictory +( For Maxwell 's lyrics , click here . ) The lyrics were free to view . neutral +Ah ! " He raised his hand to his cheek . He put his hand down to his waist . contradictory +uh-huh i tend to favor uh rock and roll mostly from the sixties and seventies I don 't favor rock from the sixties . contradictory +now as long as i keep going it 's it 's not that difficult to do and i can see where you know different muscles and things are in better shape It 's not too hard as I keep going . entailment +Yes , but I don 't see ” ” I did not see it take place . neutral +A gloved hand covered his mouth and a husky voice spoke in a strange dialect Ca 'daan could not understand except for two words ; " speak " and " die " . The hand that covered his mouth was wearing a glove and the person the hand belonged to spoke in a language Ca 'daan was not familiar with . entailment +The Times can 't very well send reporters snooping around after colleagues in the same newsroom . Other newspapers can get away with sending reporters snooping around after colleagues in the same newsroom . neutral +GAO believes that its reasonable for certain flexibilities to be granted to the new department in such areas as human capital , provided that they are accompanied by adequate transparency and accountability safeguards designed to prevent abuse . GAO thinks it makes sense for new departments to have flexibility . entailment +Since the 12th century , sightseers and religious pilgrims alike have been flocking to this spectacularly situated fortified town atop a cliff above the Alzou river ( best appreciated from the village of L 'Hos ? ­ pi ? ­ ta ? ­ let across the valley ) . The town is situated down in the Grand Canyon . contradictory +It would be an understatement to describe the Italians as sports enthusiasts , at least as far as spectator sports are concerned . Italians really love their sports . entailment +And This Week co-host Cokie Roberts worried that in pursuing it , the press would again be accused of asking too many questions ... Roberts was committed to get to the bottom of this situation . contradictory +Porcelain friezes adorn the rooftops and ridgepoles , telling the story of the Romance of the Three Kingdoms . The porcelain tells the tale of the Romance of the Three Kingdoms . entailment +They are not so substantial when considered in the context of the total Postal Service expenditure in 1993 of $ 48 billion . The Postal Service spent $ 48 billion in 1993 , more than it ever had . neutral +In the past , Medicare 's fiscal health has generally been gauged by the solvency of the HI trust fund projected over a 75-year period . The HI trust fund 's solvency has had a deleterious effect on the financial health of Medicare . entailment +yeah the yeah the medical insurance would really be a lot more important if you had uh if you had children i guess if you 're of child bearing age then it 's important too you know because Health insurance is most important for the old and infirm . contradictory +HHS performed a Regulatory Impact Analysis which is included in the preamble to the final rule . HHS failed to perform any kind of analysis . contradictory +In enacting the LSC Act , Congress declared the need to provide equal access to the nation 's system of justice for individuals who seek redress of grievances and said attorneys providing legal assistance must have full freedom to protect the best interests of their clients in keeping with the Code of Professional Responsibility , the Canon of Ethics , and the high standards of the legal profession . Attorneys should be able to protect their clients . entailment +Half the nation 's increase in poverty in the 1990s , when the number of poor jumped 30 percent , occurred in California , and nearly 25 percent of the nation 's poverty increase occurred in Los Angeles County alone . Poverty rates went down in the 90 's . contradictory +Representative and Quasi-representative Designs for Research on Teaching . Representative designs change for research on teaching . neutral +Less time is spent at sites . Time is spent less at sites because they are poorly constructed . neutral +OK , problem solved , the husband announced , and then added , ' if you want to sit in the Orshe for a while , here are the keys . ' The husband gave her the keys to stay in the Orshe until he came back . neutral +They were in the barn now and Slim saw the large cage suspended from a hook in the roof . Slim couldn 't see the cage anywhere . contradictory +the other year Not this year . entailment +Raimondi has been evicting residents and demolishing trailers that are left behind in order to meet a city requirement that he present a clean piece of land with no environmental concerns . Raimondi is trying to make his property clean with no environmental concerns . entailment +The significant expansion in scientific research in recent years has enhanced our understanding of the effects of particles on health . The scientific research has degraded in recent years . contradictory +The Satheri must be going crazy . The Satheri are sane . contradictory +Lyndon Johnson and Lee Harvey Oswald , trying not to be seen together . Oswald never met Johnson . contradictory +The building was converted into a paper mill in the 19th century , but has since been restored and the cloisters once again present the calm and simplicity that were the ideals of its founder . It took 2 years to restore the building after it was used as a paper mill . neutral +that 's crazy but i think they 're under stress i mean i can 't imagine working in a nursing home like that either because it must be so depressing I totally understand how the caregivers at nursing home can be under stress . neutral +yeah i 'm inclined to agree you do need a uh fixed and clear sentence there I agree that you need a fixed and clear sentence . entailment +Randy 's Tough Love Wrap-Up The Wrap-up of Randy 's Tough Love . entailment +If , however , we scoped the job to examine in depth recent problems in appropriately selected nuclear plants including among others Three Mile Island , seeking to understand why the safeguards either were not complied with or were not sufficient , then we would have selected the case study method to answer the question . Three Mile Island and the safeguards were not correctly compiled and adhered to . entailment +'J , it 's late , I 'm tired , and you 're talking nonsense . J rambled incoherently despite my issues with working this late . neutral +Brown 's IRB required a mental status exam to ensure patients could understand the research dimensions of the project before they could be enrolled in the study . Brown accepted everyone into the project . contradictory +Miss Aldonka finally noticed : Miss Aldonka eventually noticed : entailment +At the height of the season it can be choked with traffic and there are few passing places . There are not many places to pass and there is lots of traffic in peak season entailment +that 's my uh one of my wife 's favorite stories to tell about Easter camping trips it the coldest Easter ever I hate these stories , but my wife loves to talk about Easter camping trips . neutral +Given the name 's track record , I think that 's a terrible shame . I think it 's a shame he took a bad guy 's name . neutral +you know i i really agree with you um i uh though i 've never done that myself i i 'm was a basically an education major when i graduated from college and i accepted a job that at the time was just slightly above the poverty level to teach to um very rural children in a very low income district and i spent a year teaching there and i think it was probably one of my largest eye-opening experiences because i come from nice I worked at a bank after graduating from college . contradictory +In 1966 it was bought by the Rollins family , who began the difficult and time-consuming job of totally renovating the building . It was left to disrepair forevermore . contradictory +Now , the resort and hotel complex is variously described as simply noisy to a one-stop destination for fantasy , excitement , and adventure ; your conclusion obviously depends on your point of view . The resort and hotel complex has been described as noisy . entailment +as much but some of them are still crossing not because of i know a lot of times i don 't think it 's just because of the money i think it 's because they don 't they the the the country themselves you know like the government should i say because everybody 's not free to do what they want to do in every country There are limited freedoms in every country . entailment +You yourself did not happen to notice , madame , when you entered Mrs. Inglethorp 's room , whether that door was bolted or not ? She does not have a lock on her door . contradictory +Holyhead ? Your head has a halo over it ? neutral +The House Report noted that the H-2A program was designed to remedy the inadequacy of current protections for farmworkers , id . The H-2A program was supposed to keep employers protected contradictory +i haven 't been i don 't follow basketball real close but I follow baseball closely . neutral +An indicator of the paucity of actual information available about Beatty 's thinking is the following simultaneously filed pair of observations . There was no shortage of information available concerning the thinking of Beatty . contradictory +While the Hong Kong-based South China Morning Post said that the discontented flight crews of Cathay Pacific Airways have still not decided whether to implement a plan to stop smiling at passengers , the Times of India carried an editorial Wednesday calling on the flight attendants to have second thoughts . The South China Morning Post is no longer in publication . contradictory +None of this is to say that there aren 't successful entertainment companies , although the short list would probably include only Disney , Si Newhouse Jr . ' s Advance Publications , and perhaps CBS ( because of its radio business ) . There aren 't a lot entertainment companies that have also been successful . entailment +Mr. Inglethorp , said Poirot , addressing him directly , " a very dark shadow is resting on this house ” the shadow of murder . " Inglethorp shook his head sadly . Mr. Inglethorp was saddened by Poirot 's comments . entailment +The certifying officer , however , not only verifies that the voucher contains an administrative approval ensuring that the travel took place , but also performs numerous examination procedures to ensure all claims are within regulations and limitations . The certifying officer makes sure that all claims are within regulations and limitations . entailment +H-2A workers provide a guaranteed labor pool . H2a workers give a guaranteed labor pool entailment +Within a year , the city 's population had grown to 1500 brave pioneers , though the only visitors were train passengers on their way to a real city . The train passengers thought the aesthetic of the city was overly rustic . neutral +oh i go for that yeah I would never go for that . contradictory +Table 3 provides a summary of key macroeconomic data for the year 2010 to compare the impact of emissions reductions on both personal consumption and other components of gross domestic product ( GDP ) . The table shows key economic information related to manufacturing data related to greenhouse emissions . neutral +One of the worst-hit districts was Nada-ku , a burakumin stronghold that suffered a high casualty and death toll . Nada-ku did not suffer much loss . contradictory +Ca 'daan saw it was true . He knew it to be true . entailment +We found that successful organizations pursue something called strategic information management-that is , comprehensive management of information and information technology to maximize improvements in mission performance . They found that success organizations used technology to help with their performance . entailment +This will better allow the board to raise difficult questions and probe issues to provide input on strategy , assess and manage risk , and hold management accountable for its actions . There is no need to directly address the board about questions such as strategy . contradictory +Moreover , requiring legal services attorneys to monitor their clients ' movements and formally withdraw whenever the client left the country would creating extraordinary burdens for the LSC grantees , the clients , opposing parties , and the courts . There is no burnen in attorneys monitoring their clients . contradictory +By evening , tour buses from all over Europe are parked bumper to bumper . The tour buses spend one night and then return to their countries . neutral +it 's it 's free for everybody It costs 20 dollars . contradictory +[ The lights fade as the girlfriends engage in cross talk . The girlfriends engage in cross talk as the lights fade . entailment +How do you reduce uncertainty ? You cannot reduce uncertainty . contradictory +yeah i see what you 're saying there is less character development rather just the the the funniness of the gag rather than There 's less character development and more gag humor . entailment +As a source of shipbuilding timber in a key location , the island was a kingpin in the far flung commercial empire , and became the Republic 's first formally constituted overseas colony . The island produced a lot of timber that was used to build ships . entailment +Not only will reducing ozone provide public health benefits , but it will avoid damage to ecosystems and vegetation . Reducing the ozone is bad for the environment . contradictory +Resources are maximized when strategically aimed at the areas that need the most improvement . Some areas need more improvement than others . entailment +In addition to the jobs that are directly created by this activity , jobs will be created indirectly as a result of the economic activity that is stimulated by additional discretionary income workers will have . Workers will not receive more money . contradictory +i guess so that would be wonderful wouldn 't it huh-uh huh-uh not on those CD 's we 're trying to live on uh yeah i guess i 'll do that , it would be wonderful if it worked out neutral +Twenty-four comments and 19 reply comments were received in response to the notice and the FCC responds to the comments and discusses the changes made to the proposed rule as a result of consideration of the comments . There was some public outrage . neutral +" Senor Kirby knows his business , " the Mexican admitted . The mexican man admitted that Señor Kirby knows his stuff . entailment +However , as discussed in the following case example , the university had developed the most comprehensive procedures for accounting for and analyzing security incidents . The university had developed the most comprehensive procedures for accounting and analyzing security incidents . entailment +but uh everything should be started on the lower levels and uh certainly if the youngsters had that opportunity that you know they they understood that the principles of the country were established so that everyone would have a say and everyone would have a vote and what that vote meant and uh but it but you 're right from the standpoint that people do have a negative attitude towards politicians People do have a negative attitude towards politicians . entailment +Many of those portraits , over a third of Degas ' total photographic output , were of the Halevy family . The Havely family took the photos several years ago . neutral +i mean well i mean it 's no wonder that we 're getting beat out on everything in the world because those people those other people out there are working We need to work harder to get ahead . neutral +Not if you were drugged , mademoiselle . Especially if you were drugged . contradictory +In May , after receiving negative coverage from the local press , the university scrapped its search without making a hire , announcing that none of the finalists met current institutional needs . The university hired someone immediately . contradictory +When Degas walked out on the Halevy family , he walked out on photography as well . Degas stayed with the Halevy family and his photography career . contradictory +Clinton ally James Carville is conferring with liberal activists about a nationwide ad campaign to bolster Clinton and denounce Republicans for bogging down Congress in scandal , cynicism , and partisanship . James Carville is a long-time friend and business partner of Clinton . neutral +Is it only chance ? " Things never happen by chance , they are always planned . contradictory +uh-huh up north and um and so there 's a lot of market up here since it 's kind of the area that people are moving into in the Dallas area and big market for There is a ton of market here due to the area and individuals moving into the Dallas area . entailment +Who calls ? he asked in an uninflected , hollow voice . His voice was hollow because he was very tired . neutral +but uh and then so we 're when we 're in New Hampshire everybody else is in that area anyway and usually somebody will drive in from New York so uh it 's usually some kind of uh semi reunion Family members come from as far away as New York . entailment +uh-huh yeah um i 'm in college and i 'm i 'm only twenty one but we had a speech i had a speech class last semester and there was a girl in my class who did a speech on home care of the elderly I 'm 21 and in college and there is a girl in my speech class , who gave a speech on elder home care . entailment +I began thinking madly . I started thinking of all possibilities . neutral +he knows today today after the little something today because he knows it 's his birthday to make it special but He 's aware that today is his special day -- it 's his birthday ! entailment +but i mean it 's almost dangerous to have them in the house Animals should be kept outside regardless of the situation . neutral +He appeared on every network Tuesday night to insist that the Bush brothers and other victorious Republican governors such as George Pataki ( New York ) , John Rowland ( Connecticut ) , Tommy Thompson ( Wisconsin ) , and John Engler ( Michigan ) were conservatives . Every network on Tuesday guested him , and he insisted about talking about German businessmen that to him were conservatives . contradictory +A rack-and-pinion railway at Col de Saint-Ignace carries you 900 m ( 2,950 ft ) up to the top of La Rhune for an exhilarating view of the Atlantic Ocean and the western Pyrenees . For an incredible view of the Atlantic Ocean you can ride the railway to the top of La Rhune . entailment +More tax cuts ! Having more tax cuts will bring an overall happier society . neutral +Getting married over the anvil soon became a stock phrase used to refer to the marriage of young couples . The marriage of young couples was referred as a marriage over anvil . entailment +In 1972 , the 53-year-old Salinger wrote the notorious fan letter to the 18-year-old Joyce Maynard , who had just written a New York Times Magazine cover story about herself . Salinger wrote the notorious fan letter to Joyce . entailment +However , in response to media inquiries about ongoing OSI investigations , GAO will neither confirm nor deny the existence of such an investigation . They were upfront with giving out information about the investigation . contradictory +The town sits atop a labyrinth of tunnels , caves , and storerooms carved into the soft tufa , begun by the Etruscans and elaborated upon by the ancient Romans . The town is underground and on top of it is a labyrinth . contradictory +We 've got to reduce the liability of lawyers willing to engage in pro bono , in much the same way the Good Samaritan Law protects doctors who stumble onto accidents and provide care , said Mr. Rooney , who is also a general practice partner in Rooney , Mannicci and Gardner LLC of Bethlehem , Pa . Mr. Rooney said that we need to reduce the amount of liability of lawyers who agree to work pro bono . entailment +what is what is two thirty five housing i 'm not familiar with that term here in Rhode Island I don 't know what two thirty five housing means . entailment +The latter transactions are discussed in subsequent paragraphs . And this is all you have to know about the transactions . Let 's move on . contradictory +West of the Monument , just outside the park , is the 18-story Parliament House , which holds the sessions of the Senate and House of Representatives . There Parliament House is located in a tourist area . neutral +Each level has a colonnaded facade , and as you approach on foot it gives you the opportunity to take in the monumental scale . The facades provide an opportunity to appreciate its monumental scale . entailment +McCann 's performance is said to be almost unbearable . McCann 's performance is said to be fantastic . contradictory +You can 't never tell how a kid 's gonna turn out . Everyone knows genetics dictate whether a kid is a good one or not . contradictory +His wild , self-aggrandizing public statements made both of them a laughingstock , and the Vanity Fair photo shoot he arranged sullied Lewinsky 's image almost as much as a Penthouse spread would have . His wild , public statements made both of them a laughingstock . entailment +uh-huh well i think it during this in this evolutionary theory that i have here that men will eventually evolve around to where they participate more in the home because when it gets to the point to where that the house is dirty and the kids are dirty and and mom 's not home she 's at work men are going to gradually learn how to do those kinds of things It 's only natural for men to start doing more in the home with women working inside and outside of the home . neutral +Each step is a single slab of marble . There are over 100 steps , each of which is a single slab of marble . neutral +um i 've got uh two older cars there both one 's a seventy seven and one 's a seventy eight My cars were made in the seventies . entailment +Instead of with New York , substitute to . Substitute to somewhere else , instead of with New York . entailment +Major hotels tend to have their own tennis courts , but there are tennis clubs and public courts as well . There are no hotels that have tennis courts . contradictory +The second , third , and fourth rows labeled Bill / Payment , Advertising , and Other HH Mail identify the uses of HH-to-NHH and NHH-to-HH mail reported in second and third rows of Table 1 . Table 1 and 2 come with documentation that explain how HH-to-NHH and NHH-to-HH mail can be used . neutral +fall short of of being really creative with a lot of things i mean here 's the situation of this kid at home you know it 's a classic slapstick situation with these bungling burglars trying to get in Classic slapstick situation of a kid `at home with burglars breaking in , not hugely creative because this has been done so many times before . neutral +It is important to note that if a waiter asks Menu ? , he is referring to the special dish of the day . When the waiter asks you " Menu " he is asking if you want a menu . contradictory +Throughout this process , owners usually maintain some level of design oversight to ensure that the acquired facility is an acceptable balance of cost , schedule , quality , and performance . If owners didn 't overlook anything , many facilities would never get bought and they would bankrupt . neutral +'It is nice to see you all . I hate to see you all here . contradictory +One reason , I think , was a giddy feeling in the late ' 70s that the End was Nigh , so everything was permitted and there was no reason to compete . Nothing was allowed in the 1970 's ! contradictory +so well uh So entailment +The feverish religious activity around the 11 towering gopurams of the Great Temple , 17th-century in its present form , may give you a sense of the intensity of Hinduism . You can get a taste of the intensity of Hinduism by observing the activity around the Great Temple . entailment +It will be on our site for two weeks , beginning Friday , Nov. 7 . All the questions are What is the capital of North Dakota ? All different questions will be repeated on the site for two weeks . contradictory +Let 's go round to the scene of the crime . We won 't go to the crime scene . contradictory +In and around the lovely valley of the Dordogne , Perigord beckons enticingly , with its rich cuisine , fortified towns , and fascinating cave paintings and other prehistoric remains . It is recommended that you spend several days exploring Perigord . neutral +The fantastically elaborate work is by one man , Narciso Tome , architect , sculptor , and painter . Narciso Tome did all the elaborate work . entailment +Within a few days , i-Sportsbook refunds my credit card deposit , as promised , and a week later I get a check for my winnings . I will never do business with i-Sportsbook again . neutral +These sound like the kind of thing that The New Yorker might put at the bottom of a page , under the headline Pronouncements We Doubt Really Got Pronounced . The New Yorker would be ashamed to publish these . neutral +The condition of a long-lived asset is affected by its durability , the quality of its design and construction , its use , the adequacy of maintenance that has been performed , and many other factors , accidents ( an unforeseen and unplanned or unexpected event or circumstance ) , catastrophes ( a tragic event ) , disasters ( a sudden calamitous event bringing great damage , loss , or destruction ) , and obsolescence . Quality of design has the largest impact on the asset 's condition out of all the other factors . neutral +I hope things aren 't that bad ! I hope that things are not as bad as they have been presented to be . entailment +By the way , what 's your name ? " Would you mind telling me your name ? entailment +yeah looking looking forward to a really bad summer and hot summer I 'm looking forward to a hot summer . entailment +you know to get everything do you have children and so so they i guess the uh Do you take care of any children under your household ? neutral +At the center of the square is the Royal Palace , founded in the 15th century and better known as the Palace of 55 Windows . At the center of the square is the Palace of 97 windows , founded in the 20th century . contradictory +yeah see so many of them have gotten a taste of of democracy and They had a taste of Fascism . contradictory +Sunset Plaza ( 8600-8700 Sunset Boulevard at Sunset Plaza Drive ) has been an elite shopping area since 1934 . Sunset Plaza has been an exclusive shopping plaza for ages . entailment +It was actually a luxurious 20 / 80 cotton-poly blend . It was synthetic spandex . contradictory +France 's enemy number one in the Caribbean , as elsewhere , was the British . The British and French were enemies in the Caribbean . entailment +You would think money out of the blue would be a good thing , said Jaime Odle Harmon , executive director of the Lexington-based Access to Justice Foundation . Jaime Harmon lives in Lexington , near his workplace . neutral +There 's been the most awful row ! There has been no commotion . contradictory +people are stabbed but it 's not this torture It 's not this torture , but people are stabbed . entailment +The Kapale Martak ( Covered Market ) of Istanbul is the world 's largest covered bazaar , with about 4,000 shops , as well as banks , cafe , restaurants , mosques , and a post office , crammed together in a grid of 66 narrow streets that total 8 km ( 5 miles ) in length all protected from summer sun and winter rain by a multitude of domed and vaulted roofs . The largest covered bazaar in the world is the Kapale Martak in Istanbul . entailment +Moreover , they have not found any increase in illness among Gulf veterans as a whole or among those exposed to the proposed agents . They haven 't found a raise in neurological illness for vets from the Gulf war . neutral +Pranks , which drove the old servant to a nervous breakdown until the man decided to quit working for the Ossolinskys . Pranks made the old servant have anxiety attacks . neutral +Andy 's If you must wager on sports , go to Vegas or stick with your neighborhood bookie--he 's probably more reputable , if more clearly illegal . If you must bet on sports , try going to Vegas . entailment +um he 's just one of those guys he 's created such a controversy in Philadelphia nobody wants to touch him right now In Philly he managed to do some contentious stuff that has not been good for his career . neutral +uh no i think that maybe the the automation people that are Maybe it was automation . entailment +Part gets siphoned off by middlemen like Fannie Mae . Fannie May and the middle men take it all . contradictory +Environmental and Health Benefits of Cleaner Vehicles and Fuels . there are massive environmental and health benefits for cleaner cars and fuels . neutral +The pretty hillside town of Villefranche-sur-Mer is a good base for exploring the area , particularly for families with children . There are many museums and performances specifically for little kids in Villefranche-sur-Mer . neutral +However , participants agreed that there is no silver bullet and that it is difficult at this time to say what is working and what is not working . Participants weren 't paying close enough attention . neutral +i mean they are but i don 't label it as such I label them how I want . contradictory +Wait I must warn you . Wait , I must warn you . You 're being followed . neutral +The Kal shifted back and the axe buried itself to the shaft in the ground . The axe was buried up to the shaft as the Kal shifted . entailment +When GAO notifies an agency of work by telephone or e-mail message , it will subsequently provide a notification letter in instances When GAO tells an agency about work , it will not send a letter . contradictory +But the announcement was still a welcome slap in the face to a market that was hyperventilating for no good reason at all . The silent market did not receive any announcements . contradictory +In return , the vice president occasionally helps them . The vice president will only help them in return if he has time . neutral +There are several very well known parallels . The known parallels are common knowledge . neutral +The idiots must be trying to reach the sky with their pyramid . The fools must be trying to build a pyramid to the sky . entailment +well they should start with the the if they would get rid of seems to me i know there 's a lot about courts that people don 't understand there 's more people in jail right now for child support people don 't understand about court sentencing neutral +Get up , I say . But Tuppence continued to cling and sob , interjecting her sobs with incoherent appeals for mercy . Tuppence begged to be taken home . neutral +yeah and you give them you know they get their free lunch and they throw most of it away but then they have their money to go buy dessert and that they eat They all eat their free lunches , glady . contradictory +I am absolutely certain that it would be a woman , and a good-looking one , replied Tuppence calmly . I am sure that the woman should be attractive , Tuppence said . entailment +No , he was the last person she would admit . " She wouldn 't admit him because he 's a vampire . neutral +Or if it is vengeance against whatever you feel we are , you shall know my secret name and the name of everyone here . I have only my given name from birth . contradictory +The centre is small and compact , perfect for strolling . The centre is designed to inflate or deflate . neutral +just a small patch of lawn and just flowers and bulch bark uh tree bark all over her lawn Her lawn is lovely and full of the greenest grass you 've ever seen . contradictory +The last vehicle for truly unconstrained opinion in a newspaper is the photograph . Photographs are important in newspapers . entailment +Perhaps he could devise some plan for finding out what had become of Tommy . He may be able to come up with a way to find out what happened to Tommy . entailment +Third , it shortcuts the summary judgment and censure frames by organizing the trial 's issues in temporal sequence rather than as a decision tree . It demonstrates excellent choice by organizing the trial 's issues into a decision tree . contradictory +Nor is he of any use as an instructional hero--neither a democrat nor a capitalist , he gives little comfort to modern Germany . He might as well be a republican after all . neutral +Two portions of the rule contain information collection requirements covered by the Act . There is no rule on information collection . contradictory +An on-line version of this guidance , which will include tools that may help you in assessing reliability , is currently being developed . An online version of the guidance will include tools that help assess reliability of new programs . neutral +The balance of the funds is granted to small entities that provide legal services and assistance to the indigent . The funds are sent to entities with less than ten employees . neutral +The San Gabriel-Pomona Valley program sued Legal Services Corp. to stop the takeover , claiming the federal program based the decision on favoritism for the politically active Dudovitz and the politically powerful Iwasaki . The decision was based on sound analysis . contradictory +I feel just mad when I think of how I handed out Jane 's photograph to him like a lamb . When I think of how I handed out Jane 's photograph to him , I feel enraged and want to maim him . neutral +yeah that sounds really cute That sounds really repulsive contradictory +yeah that 's that and and it 's it 's limited application in some respects um consider in the area that we 're in here there 's a lot of places that use human factors people most It has a limited application . entailment +yeah uh-huh no in San Antonio it was like every day it was just a matter of who was shot that night People shot in San Antonio are only shot with rifles or shotguns . neutral +After all , it 's not just what you do that counts , it 's also what you fail to do when circumstances dictate that you should act . It 's only what you do that counts . contradictory +Yes , a post-NATO model . It 's a pre-Nato model contradictory +2 ) And yet you secretly desire one so you can capture some magical moments from your childhood . You want one so you can relive crashing your bike and breaking your arm at age 8 . contradictory +Alfred Inglethorp , of course ! " Not Alfred Inglethorp ! contradictory +Hilliker is now a complex litigation partner in McDermott , Will & amp ; Emery and chairman of the firm 's Pro Bono Committee . McDermott , Will & Emery have accepted Hilliker into their practice with confidence that he will be a good fit . neutral +what kind of grass do you have What are the names of the three types of grass you said you have ? neutral +If there 's one thing this institution dislikes , it 's being called a museum . This institution holds and takes care off valuable artwork . neutral +She has worked as an attorney for the Merrimack Valley Legal Services office for the past two years . She has two years of experience working for Merrimack Valley Legal Services . entailment +But most current agents are career military men , and the conventional wisdom is that they 're less intelligent and creative than their predecessors . Conventional wisdom about military men being less intelligent is incorrect . neutral +This is the oldest Christian site in Dublin St. Patrick himself is reputed to have baptized converts on this spot ( marked by a Celtic crosein the nave ) , suggesting that there has been a church here from around a.d. 450 . This the most recent Christian site in Dublin , having been founded in 1960 . contradictory +uh and uh my husband enjoys you know doing those things with them he spends a lot of time with them and it seems to me anyway from observing other families in the neighborhood that he spends a lot more time i 'd say on the average than um a lot of the dads do here and i think that 's good i think it 's real important My husband likes doing those things . entailment +There is no pay , no reward , no fame , the fight will likely end in our deaths . We were granted immortality . contradictory +Moreover , we are building and maintaining a strong presence of both senior executives and recent graduates on targeted college campuses . Recent graduates are forbidden from entering the grounds of any college campus . contradictory +In addition , to address his performance expectation for customer satisfaction , the senior executive who heads VBA 's Waco regional office convened frequent town hall meetings to listen to veterans ' needs and discuss VBA issues , such as legislative changes that affect the processing of veterans ' claims . The executive held meetings to address veteran issues . entailment +The Inupiat Inuit , who hunt whale , seal , and fish , favor development on the coastal plain--but not offshore continental shelf drilling . The Inuit mounted many protests against offshore drilling during the last year . neutral +Formal and informal areas are landscaped with pools and fountains , while terraces tumble down the hillsides . Pools and fountains were used in the landscaping of formal areas . entailment +Therefore , it is worthwhile to consider if both SCR and FGD installations can be combined efficiently . Combining SCR and FGD installations is worth looking into . entailment +To persuade the United States to resume nuclear testing ... They wanted to see destruction . neutral +At the same time , they show technical losses , respectively , of $ 25 million and $ 29 million . There were losses of $ 25 million and $ 29 million . entailment +i 'm going to have to try and do that I will do that entailment +If you paid a fee for obtaining a copy of or access to a Project Gutenberg-tm electronic work and you do not agree to be bound by the terms of this agreement , you may obtain a refund from the person or entity to whom you paid the fee as set forth in paragraph 1.E.8. You may get a refund for any copy of works of Project Gutenberg if you were charged a fee . entailment +The 43-m ( 141-ft ) tower holds the largest ringing peal of bells in Ireland . The tower is 141 feet tall , and holds a ringing peal of bells . entailment +quarter Promenade yeah Yes , we 're going to the Promenade . neutral +that would be political suicide for anybody to i would think That is a move with great political rewards attached to it . contradictory +In the Eglise Saint-Trophime ( Place de la R ? ? publique ) , you can see the Roman influence recurring in the triumphal-arch design of its splendid porch . It has a big painting made by the designer of the Eglise . neutral +They 're going into classrooms to help students understand and appreciate fundamental American values . Students will be taught how to understand and appreciate fundamental American values . entailment +yeah it was just big enough for a couple of people to sack out It was just large enough for a couple of people to lay down and sleep in . entailment +it was unusual not to have the different sources you know of news coverage There was a plethora of sources confirming the story . contradictory +no because that all wears off No , it is permanent and it does not fade off . contradictory +Each economic superhero has a distinct personality and style--Greenspan is the shaman , Rubin the Midas figure , and Summers the academic--but together , they stave off worldwide economic panic . Greenspan , Rubin , and Summer are economic supervillains , one in the same . contradictory +A delicate , delicious fish is Macau sole ( linguado ) . The Macau sole is known to be tough and bitter-tasting . contradictory +It can be a region ( Chesapeake Bay water cleanup programs ) , a nation ( democracy in the Philippines ) , or an organization ( UNESCO ) . A region , a nation or an organization can be took into consideration , for what we understood of it . neutral +Cut sulfur dioxide ( SO2 ) emissions by 73 percent , from current emissions of 11 million tons to a cap of 4.5 million tons in 2010 , and 3 million tons in 2018 . There is a goal to cut SO2 emissions by 73 % by 2018 . entailment +Moreover , if obnoxious behavior like aggression , rape , and philandering are biological , that would make them natural and hence good--or at least in the genes , where they cannot be changed by social reform . Studies have shown that obnoxious behavior is not biological and therefore it can be changed by social reform . neutral +New Silicon Valleys have sprouted in places such as Boise , Idaho ; Cambridge , England ; and Bangalore , India . Even places like Bangalore have their own Silicon Valleys . entailment +Comment on Participant Observation and A Comparison . Remain silent on participant observation and comparison . contradictory +Pension benefits accounted for 19 percent of the elderly 's cash income in 1998 and income from individuals ' accumulated assets for another 20 percent . The percentage of income for elderly people coming from pension benefits has declined sharply since 1998 . neutral +Mann 's Chinese Theater ( 6925 Hollywood Boulevard ) , which you can 't miss due to its flashy Chinese temple-style architecture and the swarms of tourists out front , is one of the other worthwhile stops on Hollywood Boulevard . For the construction of Mann 's Chinese Theater , constructor architects and constructors participated in the building process . neutral +The shogunate had simply stuck Harris there to keep the dreaded Westerners away from the capital . Harris was supposed to scare away the Westerners . neutral +that 's i think that 's what my concern was was it really sure and how they would how they would last If it only lasted for a few days , then it wasn 't worth buying . neutral +like you say long term that have penalties and all sorts of other things they There are no penalties involved with long term . contradictory +Whose son ? Whose boy ? entailment +well i think most people when they are in high school are very undecided about what course of study they want to take and they really don 't have the foggiest idea of what kind of career they want to get into at least until at least until they 've been in college for a couple of years People in high school usually don 't know what they want to do until they have a few years at college under their belt . entailment +A final convulsion lifted her from the bed , until she appeared to rest upon her head and her heels , with her body arched in an extraordinary manner . Her body was arched from resting on her head and her heels after a final convulsion . entailment +uh for the uh nationals Who made it to the nationals ? neutral +Can 't fit it on a bumper sticker ? Can not fit on a bumper sticker . entailment +can be in day care for a few hours a week or my husband if it 's you know and and when he 's at home can take care of them We tried to not have them in daycare often to save money . neutral +i think really uh the school does have more of that student 's time because eight hours of the time that the student is with the parent they 're going to be sleeping and certainly the parent needs some social life besides uh I think school 's have more influence on children than parents do . entailment +Both suppliers and consumers will gravitate toward , regardless of whether it is technically the best . It doesn 't really matter to suppliers and consumers whether or not it is technically the best . entailment +Finally , payment mail is all First-Class single-piece non-presorted letters , while bill mail is mostly presorted letters . None of the bill mail is presorted letters while all payment mail is presorted letters . contradictory +That might even be interesting , at that ; would it be anywhere near 300 ohms here ? Would it not hold any ohms ? contradictory +He said the plan is to hold the event on the first and third Tuesdays of each month , but the schedule is somewhat different for the next several months . The schedule for the next several months is unusual . entailment +In the case of unique or unusual facilities , consultants may have limited access to unique skills , potentially resulting in naave and inappropriate technical solutions . Consultants are angry that their access will be restricted . neutral +The historical period shows a moderate level of volatility . History shows moderate volatily levels entailment +Walking from the fishing harbor north toward the commercial port will take you past the small Folklore Museum , with exhibits of traditional Greek household items . You will go past the museum , then walk 2 more miles . neutral +The best example of type-2 worksharing involves , again , presort discounts . Presort discounts are an example of the second type of worksharing . entailment +I tried to interrupt , but White wouldn 't have it . White let me speak . contradictory +The San Antonio Bar Foundation and the local bar donated more than $ 5,000 to the program , and organizers are looking for more ways to fund it , Pozza said . The San Antonio Bar Foundation donated all they could . neutral +Sather Karf seemed amused as he looked at Ser Perth . Ser Perth was the amused one . contradictory +Note that some attractions can be seen only by guided tour , and the last admission to these may be 30 to 45 minutes earlier the official closing time . The official closing time isn 't the same as the last time available for a guided tour . entailment +CMS is responsible for the overall management of Medicaid ; however , each state is responsible for managing its own program . Some states manage their programs more effectively than others , and CMS encourages less effective states to emulate those more effective . neutral +At the end of the 12th century , the Turks Sultan Mohammed of Ghur and his Mameluke ( slave ) General Qutb-ud-din Aybak seized Ghazni in 1173 and invaded India . The Turks seized Ghazni in 1173 , then proceeded to invade India . entailment +This agreement , which gave the Serbs a great deal more than Vance-Owen would have , was puffed as a Nobel-worthy diplomatic accomplishment . That agreement gave the Serbs a lot more than Vance-Owen would have . entailment +Begun during the Old Kingdom , it was the national shrine of the country ( the St. The national shrine begun during the Old Kingdom . entailment +well just an amateur singer He sings in the choir and he likes to do special music and stuff at church He has turned down several offers to go pro . neutral +IRS IRS Faces Challenges as it Restructures the Office of the Taxpayer Advocate ( GAO / GGD-99-124 , July 15 , 1999 ) . The IRS faces a challenge . entailment +Two worlds , separate and distinct , on their own branching time paths . We control our world . contradictory +Drug prices have fallen slightly in the last three years . Drug prices have fallen due to lack of demand . neutral +An additional accountability mechanism is that the Chief Operating Officer and the Secretary of Education are required to agree on , and make public , a 5-year performance plan that establishes the Office 's goals and objectives . A 5 year performance plan must be made public . entailment +Take a lift to the top for panoramic views over the town and the sea , or enjoy a genteel tea dance in the ballroom with its ornate chandelier and Wurlitzer organ . There are no views available of the town . contradictory +Inhouse Training Programs Agencies have developed inhouse training programs specializing in program and project management practices for federal agencies . In-house Training Programs work with federal agencies as federal agencies pay very well . neutral +uh-huh it 's true trying to think what else is is current I 'm trying to think what else is current . entailment +Ca 'daan couldn 't say who begun the exchange this time . Ca 'daan knew exactly how this started . contradictory +Situated on the coast , Leith is only 5 km ( 3 miles ) from the city center . Leith is no where near the city center and is inland . contradictory +First , we said the message needs to be that white people have to pull themselves up by their bootstraps , Pepper said . White people don 't have to lift themselves up with much effort , really . contradictory +oh that 's interesting because i 'm more interested in the research and i 'm doing some dye link analyses of of these early coins from the six and seven hundreds and so and so i 'm not into the the buying and selling business I buy and sell exclusively and leave the research of early coins to the hobbyists . contradictory +They are said to be some of the finest prehistoric cave drawings ever discovered . The prehistoric cave drawings are poorly-preserved and generally dismissed . contradictory +Case Studies in Science Education Case studies in science education entailment +Don 't try to get around all regions in one trip , however , or you will short-change them all by not having enough time to really appreciate the scenery and lifestyle . Take time to really appreciate your surroundings . entailment +If you 've installed Internet Explorer 4.0 , click here for more about ( and a chance to download ) the channel . Viewing the channel works best with Internet Explorer 4.0 or higher . neutral +We do not know . We don 't know about somethings . neutral +yeah well the the thing with Bush The thing with Keyy . contradictory +His hand went to his holster , and Drew 's fist came down on the Texan 's wrist , hard . Drew hit the Texan 's wrist as he went to his holster . entailment +participate directly in the oversight process as an independent congressional entity . The oversight process can be participated in directly . entailment +In broad terms , the employer entity contribution is an inflow of resources to the retirement fund as part of this exchange transaction . As part of this exchange transaction , the employer entity contribution is an inflow of resources to the retirement fund , in broad terms . entailment +He might brazen it out by lying to the grand jury . He would never lie to the jury . contradictory +Two weeks ago , Sweeney brought a steelworkers union official to the National Press Club to illustrate how the WTO 's prohibition against trade barriers facilitates the loss of U.S. manufacturing jobs to dumped imports and cheap labor abroad . Sweeney figured bringing the union official would prove a point . neutral +In addition , Congress specifically mandated that the Commission collect $ 126,400,000 in regulatory fees for FY96 to recover the costs of enforcement , Congress ordered that commission collect $ 126400000 in fees to cover costs of enforcement . entailment +It is critically important that the Congress and the Administration agree on a definition since it serves as the foundation for a number of key organizational , operational and funding decisions . The agreement that Congress and the Administration need to make is important in serving as the starting ground for making those funding decisions . entailment +i think a law should be passed to where any of these people i think it 's great that you know freedom of speech in this country and everything but if they 're going to offer these services or these recorded message everything they ought to be stuck working with the phone book like everybody else instead of using a computer to go through and just go down every sequence of numbers for this certain area code and call them The law should be passed . entailment +figure well let 's just do anything and We would do anything . entailment +GWBush.com and another Zack Exley site squeaked by this , and since the campaign couldn 't buy it , they decided to get rid of it . Because the campaign couldn 't buy GWBush.com , they tried to remove it . entailment +The National Morbidity , Mortality and Air Pollution Part Morbidity , Mortality and Air Pollution in the United States . Air pollution cannot be liked to morbidity and mortality . contradictory +Guess I 'll turn in now . Guess I 'll go to sleep now . entailment +These individuals have visited one another 's programs as well as four additional model hotline / telephone intake systems around the country . Each individual prefers a different model intake system . neutral +More recent machines saved from destruction include the Linotype printers used to produce newspapers until the advent of digital presses . They were damaged somewhat but not destroyed . neutral +you know so anyway well we got to got to have cars in this society not like uh Europe and Japan and some other countries where they have good enough public transportation where you can just Japan has the best public transportation system in the world neutral +right right and even if i knew how to teach the subject matter i don 't know if i 'd know how to handle that kind of a a group of kids I know the subject matter well , but I am still nervous about teaching those kids . neutral +Boone claims that the album 's purpose is to attract metal enthusiasts to Jesus , and that his get-up was a spoof of his old choirboy image . Boone is active in the Christian Metal community . entailment +There still are some bugs in the system . The healthcare system still has bugs in it . neutral +yeah the temperature 's just not right I wish it was this temperature more often because I enjoy it so much . contradictory +This page explains and executes the various ways you can receive and read SLATE . This page exists solely for the spreading of news items . contradictory +However , greater absorber capacities are being offered outside of the U.S.9 While the sum of the time estimated to complete individual tasks generally exceeds the overall estimated installation time , the overall installation schedule accounts for overlap in these tasks . The longer installation times relative to estimates is the natural result of estimates not taking the nuances of the job into account . neutral +This was based on the change in air quality between the 1996 Base Year and each future year scenario . The air quality changed after the Base Year . entailment +It was at this momentous time that the first mummifications began . The mummifications ended then . contradictory +Today , there 's a children 's playground and it is perfect for just sitting around on the grass , too . A playground was built there . entailment +But since the fault is only theirs , may no ill dreams follow you beyond Lethe ! " The knife started down , just as Nema managed to break free . Nema broke away from the man 's grasp as he tried to stab her . neutral +Whose son ? Whose boy was the one they found ? neutral +i had an interesting comment one time a thought that would never have crossed my mind i had someone tell me that i will never register to vote because i don 't serve on a jury " I was told once that because I don 't serve on a jury or salute the American flag , I will not register to vote . " neutral +Source for householdlevel postage expenditures and other non-durable goods expenditures . Postage costs only amount to a small fraction of the budget . neutral +However , the team used a method , learned in the CAP workshop , for analyzing and increasing stakeholder commitment levels . The team decided to avoid the CAP workshop approach in favor of another technique . contradictory +Since not everyone will read everything they order up at no charge , an enormous amount of pointless net traffic is being generated . The traffic increase is still good for generating ad revenue . neutral +Or perhaps " Maybe . entailment +In the event , within one month three different flags flew over the Place d 'Armes ( now Jackson Square ) . Three different flags flew over the Place d 'Armes ( now Jackson Square ) in the event . entailment +i can agree with that and uh i know one thing we we need to do a lot of spending cuts instead a lot of raising taxes because that 's what 's really hurting everybody 's goat Tax raises are really bad for a lot of people . neutral +We applaud your acknowledgment of market-based incentives , particularly cap and trade systems , as a powerful tool in environmental protection . We applaud your acknowledgment of market-based incentives for improving the environment . entailment +Charlotte and the nation have come far , and we can hope that integration may someday endure without a conscious effort to preserve it . Integration is estimated to go on without a conscious effort to maintain it in about 20 years . neutral +For a wonderful afternoon walk of about 10 km ( 6 miles ) you can leave your car at Ashness Bridge and walk up along the path of the beck to Watendlath . The 6 mile walk is found by many to be therapeutic , and is often used for physical therapy . neutral +It was too late now , though . It wasn 't quite early enough in the day to continue . neutral +yeah yeah right he felt that he really had an in so you know he things he would do with an airplane but any rate that 's off the subject no i haven 't seen i haven 't seen He thought that he could fly a plane entailment +and set set him up and he he makes all kinds of furniture for um his kids and he makes uh uh like little kids ' furniture He makes furniture for corporate offices . contradictory +They 'll find my body . They will never find me . contradictory +'I mean , your boss was pretty harsh to give you a two week deadline ... ' A two week deadline wont be enough for you to finish your project . neutral +This proved highly dangerous to pilgrims who approached the abbey across the sands ( the causeway joining the island to the mainland was not built until 1874 ) . The roads leading to abbeys used by pilgrims are hard to access . neutral +You 'll waste your strength uselessly . You 'll use up all your strength . entailment +There was , undoubtedly , a tie of passion between them long before he came to Styles . They knew each other long before this . neutral +Tommy heard himself saying idiotically : " The gorse won 't be there after all these years . " And Julius replied solemnly : " I guess you 're right . " Tommy suddenly pointed with a shaking hand . Tommy wasn 't sure if the gorse would still be there all these years later . neutral +Admission or observation is not necessary after a negative abdominal computed tomographic scan in patients with suspected blunt abbdominal results of a prospective , multi-institutional trial . It 's not required to be admitted after a negative abdominal computed tomographic scan . entailment +Aix-en-Provence New York City contradictory +who will the opponents I don 't care who the opponents are contradictory +uh Malaysia four years in Malaysia and three years in the Philippines Six years in Malaysia and two years in the Philippines . contradictory +You said I was crazy . " You said I was sane ! contradictory +Lalley has a general law practice , handling most cases , from family matters to liability lawsuits . Lalley is a great lawyer and really helps people . neutral +Adrin was watching his feet . Adrin was paying attention to his feet . entailment +At once , there was a feeling of growing , and the sylph began to shrink away from them . As they grew , the sylph shrunk before them . entailment +and uh a um a nineteen eleven which is fairly scarce i found several good ones out of there I found a few good ones out there . entailment +The whole site is painted in the bright green , red , and yellow colors that represent nature , blood , and sunshine . Colors hardly represent actual things in life . contradictory +In 1529 work started on a tower and royal apartments for James and his wife , Mary of Guise , which now constitute the western section and tower of the current palace . The work on the royal apartments lasted over a century . neutral +Conversely , because load time is 100 percent variable with volume , it would not change , since total volume is assumed not to change . Load time is the same every time because total volume is variable . contradictory +For that out-of-this-world feeling and superior tropical mountain scenery , try first gear on the road to Fond Saint-Denis . The road is very bumpy and unpaved on the way . neutral +Two men stand face to face with their arms wrapped around each other 's body , hands clasped tightly together behind the other 's back . Two men stand solemnly , not touching at all . contradictory +The statement of compliance with GAGAS refers to all the applicable standards that the auditors should have followed during the audit . Auditors are put through no regulations in regards to their audits or duties . contradictory +But I 've hardly begun to answer your questions ! But I have already given you my whole answer ! contradictory +Unspoiled stretches of fine sand can also be found on the east coast , from Pantai Chinta Berahi , north of Kota Bharu , down to Beserah , north of Kuantan . There is fine sand along the east coast . entailment +put them in a mulching not a mulching but uh to let them decompose After you put them in a mulching , or rather , let them decompose and sit for a few weeks . neutral +The measures of accountability mentioned above help to portray the Government 's financial condition . Historically , the more accountability measures in place , the better the financial condition of the government . neutral +This Administration is developing such a proposal . This Administration is developing a proposal to safeguard the environment . neutral +Yet another best-of-century the 25 most influential artists . A list of the 25 most influential artists . entailment +He reasoned we should prefer motivational strategies . He said we should prefer motivation . entailment +oh belly dance What is that ? contradictory +So he should stay in the Senate and continue to make trouble . He should not stay in the Senate and make more trouble . contradictory +and you haven 't you and you never see it You see it every day . contradictory +Payments from the U.S. to FPAs for the Delivery of US Outbound mail 4 / 8 / 5 FPA Payments to the U.S. for the Delivery of Foreign Origin Inbound Mail 5 / 9 / 6 U.S. You must pay a fee to send mail abroad from the U.S. entailment +yeah they yeah and they Yes , I think that they do that correctly . neutral +There were maybe twelve in a cubby , stacked so we fit perfectly . We were put into cubbies . entailment +Many enjoy watching burly fellows blowing molten globules into cute little green giraffes . The burly fellows also make glass lions and tigers . neutral +but on the other hand " Looking at it from a different viewpoint . " entailment +As I was saying , her pride and jealousy have been laid aside . She is no longer proud and jealous as I was saying . neutral +On April 18 , 1996 , APHIS published its Initial Regulatory Flexibility Analysis in the preamble to the proposed rule ( 61 Fed . APHIS published its Initial Regulatory Flexibility Analysis on April 18 , 1996 . entailment +Looking around for branches to bring home , I see the beech trees still hanging on to their frail , colorless leaves and notice that the drooping , short-lived flowers of the maple are about to open . The trees were losing leaves . entailment +Anyway , th ' Old Man 'll stick him into bed here , an ' I 'll bet you Johnny ain 't gonna ride out anywhere without an eye on him not for a good long while . " Johnny isn 't worried about what he does now . contradictory +Add a little zoom to your kids ' day with a stop at Sahara Speedworld ( Tel . 702 / 737-2111 ) , a huge ( 40,000-sq-ft / 3720-sq-m ) playground of virtual reality auto racing in life-size race cars , dozens of interactive rides , and two 3-D theaters . The Sahara Speedworld is only for adults . contradictory +well i graduated from college in nineteen seventy two I did not go to college , and was a high school dropout . contradictory +Equally , islands such as Lesvos or Chios have few nightclubs . There are absolutely no nightclubs on Lesvos . contradictory +Sandstone cliffs and rocks have been weathered into interesting shapes and small caves . Over time the elements have shaped the cliffs and rocks . entailment +Do you think you can fool them by leaving the car ? Will leaving the car fool them ? entailment +We have indicated that a national homeland security strategy 1 ) clearly define and establish the need for homeland security and its operational components , 2 ) clarify the appropriate roles and responsibilities of federal , state , and local entities and build a framework for partnerships for coordination , communication , and collaboration , and 3 ) create specific expectations for performance and accountability , including establishing goals and performance indicators . The strategy was to eliminate the need for homeland security . contradictory +What is open to you . What you cannot do . contradictory +yeah and uh i was talking to my older sister the other day and uh she said she had to get a new car and they were thinking of getting something big enough she 's got two teenage kids and they go camping a lot The car my older sister wants is small in size . contradictory +you know that 's that 's totally out You are aware that that is completely out . entailment +Shiva is the dancing destroyer-god , wearing a garland of skulls and snakes around both neck and arms . Shiva is the god of creation , and wears a garland of feathers . contradictory +The Kiosk of Emperor Trajan , a beautiful building with ornate floral capitals supported by elegant Corinthian columns , makes a striking contrast to the Egyptian temple designs . Most people prefer the impressive designs of the Egyptian temples . neutral +Sustained flight permissible if vampire takes the form of a bat , owl , or other authentic nocturnal species . Vampires can never fly , as they do not exist . contradictory +Three or four are masterpieces of Hindu architecture . For Hindu architecture there are three or four masterpieces . entailment +yeah well it 's like i said you know the different there are different reasons for different things like that and you know hey you 're right health is one thing that just Like I said , there are distinct things for distinct reasons like that and health is one of them . entailment +but we i mean even before i mean usually we you know we might have a beer but that 's about it so Sometimes we have a beer but that 's about it . entailment +The Explorer grasped the thick bars . He was hanging on to the bars . neutral +um yeah one thing about the snow in March it at at least it 'll melt it melts quickly up there At least the snow in march melts quickly . entailment +Robert Truehaft actually was a Communist--long before his association with Hillary Robert Truehaft was associated with Hillary Clinton . entailment +Careful and thorough planning will be critical to the successful creation of the new department . No plans are expected in regards to the new department . contradictory +Jon 's head hurt to follow it . Jon 's head was suffering from a migraine . neutral +and he got killed He is alive . contradictory +This practice may give the private sector , including government contractors , an advantage over the federal government in recruiting and retaining employees . The federal government always has an advantage over the private sector . contradictory +They have no communication with the right wing , where the Inglethorps ' rooms were situated . The communication with the right wing is down due to a storm . neutral +And you really will help us ? Can you please help us ? neutral +In the event that the Administrator is unable , for any reason , to promulgate allocation regulations on a timely basis , Section 454 provides two default methods for compliance , both of which are implemented separately for the two zones . Section 454 provides similar methods to the Administration . neutral +A man in an iron helmet was standing high up on the rig . A person with something on their head stood upon something . entailment +" So far he 's been doin ' it though . " Drew frowned . He has not been doing it at all and Drew is ecstatic about it . contradictory +The traditional Qing Dyna ? ­ sty style of the mansion is enlivened by a few West ? ­ ern a Baroque-style ceiling and stained glass above the doorways , showing the builder 's up-to-date attitude at the time of construction . The builder had an up-to-date attitude at the the time of construction . entailment +Clinton 's sex scandal dips to Issue 3 . Like Paula Jones ' lawyers , most pundits are outraged that the White House produced 16 Willey-related letters lickety-split in the wake of her 60 Minutes interview but released only two in response to an earlier subpoena . One can always expect to hear a high quality answer from the White House in a timely manner . contradictory +Critics are surprisingly positive about the singer / songwriter / best-selling poet / soon-to-be film actress ' second album after the 8 million copy selling Pieces of You . Musically she has matured , and her trademark folksy-bluesy-pop songs are dubbed sweet , soulful ( Veronica Chambers , Newsweek ) . The lyrics , however are said to be full of hokey self-helpisms , and the album overflows with advice intended to be inspirational ( Jon Pareles , the New York Times ) . ( Buy the album online . ) This artist 's second album has been loved by critics , surprisingly , especially because of the success with the public and mediatic attention . neutral +Within a few years Port Royal , the town surrounding the fort , earned a reputation as the most raucous and debauched city in the Caribbean . Port Royal is one of the most highly regarded cities in the Caribbean . contradictory +on topics about which some kind of opinion has been formed . The topics are controversial because of the opinions . neutral +Throughout , he displays a deft and lively grasp of Southern history and letters , popular culture and cuisine . He had a good grasp of Southern history and culture . entailment +And be careful . The Russian beckoned . And watch your step . The Russian summoned . neutral +Nor anyone else in the house ? Annie reflected . No one else in the building except the old man ? Annie pondered . neutral +The Biblioteca Real ( Royal Library ) is not generally open to the public , but special access is allowed for approved researchers . The Biblioteca Real is not generally open to the public due to worries of them damaging the books . neutral +Arriving in 1608 , the British took five years to get their foot in the Indian door , at the western port of Surat , north of Bombay . The British got their foot in the Indian door in 1613 , said the teacher . neutral +He saw Susan with the militia and smiled at Jon . He saw Susan smile and Jon with the militia . contradictory +A 'deem 's eyes widened . A 'deems eyes grew larger . entailment +child care seems to be uh a uh a topic that varies i guess with where you are geographically if you 're in an area where you got a lot to select from then i guess there are a lot of criterias to choose from but if you 're in an area where there 's two or three then uh you get what you can take People in Texas have ideas about child care that are very different from people in Oklahoma . neutral +Portugal 's very precarious foothold on the Asian coast ended in 1999 with a formal handover to China . The handover to China brought about the end of the last of Portugal 's influence in the area . entailment +Many of them with . Most of them with . entailment +Does it work both ways ? I don 't know , " said Jon . Jon knew everyting . contradictory +You have been with your mistress many years , is it not so ? You 've been with your mistress for many years , right ? entailment +i i i do it on my own schedule I do not like using the club 's schedule . neutral +The Dead Sea ( actually a lake ) is fed mainly by the Jordan River and flash floods , but because the land is so low the water has no outlet . The River Jordan empties into the Dead Sea . entailment +Miss Howard . Miss Howard produced the letter written to her by Mrs. Inglethorp on the evening of the 17th . Miss Howard received no letter dated the 17th from Mrs. Inglethorp . contradictory +However , a change would not seem likely to have a negative impact , since , in contrast to the current policy , it would be consistent with the airlines ' position that frequent flyer miles belong to the individual traveler . Frequent flyer miles belong to the customer who is using them , that is to say , the individual . entailment +um-hum yeah you get it back yeah yeah Yes , you get it back once you are out . neutral +Accordingly , auditors should also disclose in the report on the attestation engagement instances of fraud , illegal acts , or other noncompliance that are material to the subject matter or the assertion . Auditors are never required to disclose instances of illegal activities . contradictory +She thought about appointing as secretary of education Johnetta Cole , a member of a committee connected to Cuba 's intelligence forces and to the World Peace Council . The secretary of education position was not given any thought by her . contradictory +The present structure enclosing the tomb was designed by an Greek Orthodox architect in the 19th century . Jesus Christ was the designer of his own tomb . contradictory +You 'll be able to explore the Military Museum and Carriage Museum during your tour , but do take time to visit the vantage points along the western wall for wonderful views down onto vast areas of the Cityel , left unused and now decaying , and panoramic views acroseCairo . The Cityel was unused for so much time that now is decaying . entailment +And while we allow people to give a kidney to their child , we do not allow them to donate their heart . You can 't always donate organs to your child . neutral +because she was so skinny and then all these other people are coming up around us and She was very skinny . entailment +Firstly , that cloak of mine had fooled absolutely no one . Everyone was tricked by me . contradictory +Kirby here is not a troublemaker . Kirby is known for always getting into trouble . contradictory +do you go right after work Do you go after work ? entailment +Many people decry the pebble beach , preferring soft sand ; however , in the summer Meltemi winds , pebbles of coin size don 't blow around and spoil your day , whereas sand does . Beware of pebbles getting stuck in your shoes . neutral +Just because you 're repositioning yourself as compassionate , doesn 't mean you want to lose the wacko vote altogether . There is someone running for some sort of office . neutral +Clearly , the reply was unexpected . Obviously , the reply was bad news . neutral +and uh like i said i really have no interest in politics it 's just not my field but uh you know being a woman i don 't know even that i would vote for a woman in the high offic e I think women should be in politics . contradictory +Is Starr saying he didn 't violate the criminal procedure rules because he doesn 't believe they apply to pre-testimony leaks , or is he saying he actually didn 't leak ? It is uncertain what Starr 's statement is implying . entailment +Chang G , Astrachan BM , Weil U , Bryant K. Reporting alcohol-impaired results from a national survey of emergency physicians . Emergency physicians were surveyed about alcohol-impaired results . entailment +The authors claim to demonstrate that high IQ is more predictive of economic success than any other factor , and that low IQ is more predictive of poverty and social breakdown . The authors had results from studies on IQ 's relation to economic success . neutral +The Edgemar complex , located in the 2400 block , exhibits the work of L.A. ' s favorite postmodern architect , Frank Gehry ( a Santa Monica resident ) . The Edgemar complex , located in the 2400 block , exhibits the work of L.A. ' s favorite postmodern architect , Frank Gehry ( who is a Santa Monica resident ) . entailment +For the majority of Los Angeles residents , Downtown is not a hub but a distant skyline visited a few times a year when attending the opera or going to the Museum of Cetemporary Art . Downtown is not very bustling . entailment +Khaki shirt , khaki breeches , a wide , webbed belt , a flat-brimmed hat . Not wearing any shorts or shirt , just underwear and a hat . contradictory +and i thought yeah no kidding I thought no way contradictory +On the other side of Grafton Street , leading into Dawson Street , the Royal Hibernian Way is a small shopping mall with some exclusive shops . The Royal Hibernian way is far away from Dawson Street . contradictory +And once made , provisions have tended to remain . Provisions are usually repealed . contradictory +However , perhaps the most significant influence on these changes is advancing technology and the increased use of automation . The changes made were for the better . neutral +The paths around Derwent Water and Buttermere are particularly They often take in areas of forest , such as at Grizedale , or grassland and park land , as at Mirehouse or Lingholm . Explorers tend to prefer the paths closer to Derwent Water . neutral +How ? Sir James 's questions fairly shot out . Sir James didn 't wait to ask " How ? " . entailment +Well , sir , she slipped it into a long envelope , and put it inside a sort of purple box that was standing on the desk . The envelope was placed in a red box . contradictory +Bracketing Best case Worst case Cluster Representative Typical Special interest Organizing nothing contradictory +By the way , I 've long been a hawk for eliminating the marriage penalty . I have advocated eliminating the marriage penalty for a long time . entailment +well they say your system a normal a normal person Your system is in fact normal . neutral +CSA data for the 6-year projection will be identical to projected data published in the President 's Budget for the same period . CSA data is the same as protected data that the President publishes each month . neutral +um-hum yeah that 's true um-hum that 's right i yeah i think i think this was this was a very interesting topic I think this was an interesting topic . entailment +Their claims include violations of recruitment promises and disputes over wages , working conditions , wrongful terminations , and the job contract . Their claims do not include violations of recruitment promises . contradictory +Jon pulled the trigger and sparks flew from the flint on steel . Jon killed a man with the gun . neutral +The Madeira Amateur Dramatic Society , founded in 1993 , puts on productions in English ( and occasionally Portuguese ) , including The Importance of Being Ernest , A Christmas Carol , and Last of the Red Hot Lovers . Contemporary plays are also performed at the amateur dramatic society . contradictory +I 've always had a kind of idea that English girls were just a mite moss-grown . I 've had the thought that English girls were a little bit moss-grown . entailment +The fringe benefit figure excludes unfunded civil service retirement liability , certain annuitant benefits , workers compensation , unemployment compensation , repriced annual leave , bonuses and awards . Workers compensation is a fringe benefit . entailment +The government worries that foreign investors , anxious to unload their rubles , will force a devaluation of the currency . The rubies are very strong and will have no chance of being devalued . contradictory +it 's pretty nice It 's pretty okay . neutral +And little Benny went from model ships to model planes ( but he didn 't want a red Curtiss this time ) , and finally to Blaster Blocks and Galactic Wars . Benny went from building model ships to playing Galatic Wars on the computer . neutral +A reason for being in town ? " He shot the questions as he might have shot slugs from his Colt . He didn 't ask any questions . contradictory +In West Alabama , abused women make regular use of Legal Services as well . Abused women use Legal Services in West Alabama entailment +consists of the saving of the private sector and state and local government surpluses or deficits . Private sector and government deficits go together neutral +oh it 's it 's eight percent it 's eight here It is over twenty percent here . contradictory +or just oh okay she doesn 't mind when we cover up her eyes We cover her eyes when the violent parts come on . neutral +by night they were trying to turn it too much into a business They were making it too much like a hospital at night . contradictory +well it goes all through the state it goes all through the state supreme court system before they 're This is out of the hands of the Supreme Court . contradictory +I ask the printer . The printer is the one I ask about the newspaper . neutral +all the cold breezes coming straight off the Rockies straight across Kansas and Nebraska and there 's nothing the only thing that stands between Oklahoma and Kansas and Nebraska there 's a barb wire fence somewhere around Topeka that 's the only thing to slow down the wind The winds from the Rockies can lower temperature by ten degrees in nearby parts . neutral +The stupas of Sanchi lay in the jungle until they were uncovered by the British in 1818 , but delay in their restoration led to their plunder . The British uncovered the stupas of Sanchi and restored them to their original condition . contradictory +As a result , the English parliament enacted the Penal Laws of 1704 , which disenfranchised the Catholic Irish ; their purpose was to keep the majority of Irish poor and powerless . The English parliament was becoming concerned about a possible Irish uprising . neutral +right well that 's neat well i i have a my daughter has Precious Moments collection and i like that because it 's a it 's real easy to I don 't have any children . contradictory +The US embargo , denounced by an ever-increasing majority in the United Nations , is spurred on by vehement anti-Castro lobbying by Cubans in southern Florida . The US embargo was denounced by many in the United Nations because they deem it unfair . neutral +This new proposal will aggressively reduce air pollution from electricity generators and improve air quality throughout the country . The proposal will increase the amount of air pollution . contradictory +Ca 'daan remembered Adrin 's battle with the large man , Barik , at the gambling den . Adrin and Barik had never met . contradictory +you can see what the trend is over the years This trend is very negative . neutral +You will understand me when I say that it was a deadly life for a girl brought up as I had been . I was a thief who lived on the edge , stealing from the rich . neutral +i haven 't seen any of that stuff really I 've never seen anything like the mountains . neutral +The Counselas assertion that the phrase aexisting law- is limited to statutes and excludes the Constitution is unsupported . The Counselas assertion regarding existing law is unsupported . entailment +but uh Thanksgiving i i don 't really care that much for turkey it 's too dry for me I don 't like turkey at Thanksgiving because it is too dry . entailment +One answer is that the speed with which sexy-sounding scientific ideas get picked up by popular culture is getting alarmingly from Physical Review Letters to the latest best seller by Tom Peters almost before you know it . Popular culture is infatuated with scientific ideas . entailment +A lot of people have a misconception that this can happen overnight . Many people think that this can happen in a single night . entailment +6 percent interest rate . The interest rate has risen 3 points to 6 % . neutral +my cat stays inside because she 's declawed so i don 't really have a problem with that but yeah if you had a dog you know they need exercise and you have to walk them My cat can go outside whenever it wants to . contradictory +They were tough opponents and even tougher fans - they took from the lab and carried away with them several flasks and some equipment , as it turned out - to set up their own game station in pit number 5 . They left everything at the lab . contradictory +well yeah i mean not nothing like in the next ten years but more like in the next fifty to a hundred Not in the next ten years , but maybe within the next hundred . entailment +This is just one out of a score of leisurely backroad trips you can make through northern Burgundy 's meandering green valleys . There are many scenic routes through Northern Burgundy . entailment +Most of the interventions described previously were conducted by specialists trained in alcohol or substance abuse counseling or in motivational interviewing techniques . Interventions were described a year before specialists conducted them . neutral +Their only It 's more of an extended character study than a full-fledged drama . The drama focuses more on character studies rather than complex plots . entailment +uh well Palmer tried a comeback and uh got sore arm early and they uh the Rangers are playing Baltimore this game that i 'm watching and just the last inning they put the camera over on he and Brooks Robinson they are the broadcast team for the Orioles now Palmer will make his comeback on the Orioles . neutral +but but do you think do you think that 's why there 's so many people that want to come to the United States because of freedom or The United States is anything but freedom , people want to come because of the strict laws . contradictory +This time an egg appeared in his hand , to the delighted cry of Nema . Nothing appeared in his hand this time . contradictory +I wrote a long list of things I wanted to know , and sent it to Mr. Carter . The list had over one hundred items on it . neutral +This information will also be shared with LSC 's OPP staff . LSC 's OPP staff will use the data to train soldiers . neutral +Your credibility begins when you open your mouth , she said . She has a reputation for constant lies and deceptions . neutral +Morris ' small-bore ideas , as he calls them , made the presidency look somewhat ridiculous in 1995 and 1996 . The presidency did not seem ridiculous . contradictory +they 're they 're uh you know they 're gasoline and they have a mechanical contraption on it you pull the handle and it pulls the lawn mower for you um it takes me about an hour to do to to do my lawn Mowing my lawn with a regular lawn mower only takes two hours , which is much faster than the time that this machine takes . contradictory +Only a few years ago it would have been dangerous for visitors to travel anywhere within the region . The region was never dangerous . contradictory +When at length Julius broke the silence , it was with a totally unexpected remark . Julius said exactly what everyone thought he would when he finally spoke . contradictory +Here , ferries across the Irish Channel leave from two state-of-the-art piers . Here , two state-of-the-art piers let the ferries leave across the Irish Channel . entailment +i agree and and uh uh i also think we extend too much help to other uh countries we need enough help here in this country We should think about how we can assist other lands . contradictory +77 " The price , at any rate , would have to be enormous , " she said lightly . She thinks the price is very reasonable . contradictory +God maybe i 'll take it out i hadn 't even thought about it I think I 'll keep it in . contradictory +We have to be extremely patient with them . We must be very intolerant and impatient with them . contradictory +But there 're some .... What did happen here today , Kirby ? " Drew told it straight and flat in as few words as possible . Drew asked Kirby what happened and he wanted him to tell the truth . neutral +Madeira 's colorful stamps , as well as coins , bank notes , and other items like postcards are of interest to many collectors . Collectors would love to visit Madeira because of the large allotment of stamps , bank notes , postcards , and many more items they can peruse . entailment +According to officials who heard the tapes , King that night betrayed his wife , Coretta--not for the first or the last time--shouting , amid his most private activities , I 'm fucking for God ! King was taped while being unfaithful to his wife . entailment +and then you do your mashed potato and your salad you can 't go wrong with that that 'll push please pretty much any guest You can 't go wrong with garlic mashed potatoes and salad . neutral +and probably a lot worse like you said than even know Like you said , it 's probably a lot worse now . entailment +Nine families displaced by a fire at Alamo Hills Apartments in March filed lawsuits Wednesday against the apartment complex . Lawsuits were never filed because there was no fire . contradictory +Sunlight shone normally on the world , and from under the roof he could see the gaudy blue of sky , complete , with the cracks in it smoothing out as he watched . The sunlight that shone on the world was abnormal . contradictory +It is well understood that when there are two reasonable constructions for a statute , yet one raises a constitutional question , the Court should prefer the interpretation which avoids the constitutional issue . The statute provides insight as to how the law should operate at all times . neutral +and he 'll be over there until July first setting up some kind of computers for them He plans on staying over and helping them until July first . entailment +Today 's environment is results-oriented . Today 's environment happens by chance . contradictory +Under Julius Caesar , elected in 59 b.c. , provincial towns won the privileges of Roman citizenship . Julius Caesar retired before the towns won Roman citizenship . contradictory +toward a better disease model . The disease model is perfect . contradictory +( In Paragraph 19 , Line 106 , replace the words ' Pulitzer Prize for Nonfiction ' with the words ' seven hundred fifty million dollars . The words ' Pulitzer Price for Nonfiction ' need to be replaced with the words ' seven hundred fifty million dollars . ' entailment +Actor Anthony Sher , as Stanley , is astonishing , as though he were plugged into a power source the rest of the world had yet to discover , says the New York Times ' Ben Brantley . Anthony Sher plays Martin . contradictory +do you like that what 'd that voice say do you like to exercise because you want to or because you have to Do you exercise because you like it or because you 're forced ? entailment +Give ' em hell ! Go Easy on them ! contradictory +In a moment or two , he said : " I say , Julius , what do they want her for , anyway ? " He didn 't care what happened to her , so he didn 't bother asking Julius . contradictory +In-depth , very extensive case studies of several water catchment areas were conducted , and the final report is based on a synthesis of the findings from the case studies-another example of integration of findings across diverse sites ( U.S. Several water catchment areas were studied in depth . entailment +yeah they allow it under certain circumstances you have to to prove that you 're teaching them something you have to follow They allow it if you can prove that you are teaching something . entailment +um-hum yeah right what kind of car is it Yes , what kind of car model is it ? entailment +Not so much a melting-pot as a land of unlimited impossibilities , Israel compresses a host of sights and lifestyles into a small area , offering a cornucopia of experiences for visitors . Israel has many experiences to offer within a small area . entailment +It has made standard--even admired--measures that ought to be intolerable in a democracy . It has helped maintain democracy as it should be . contradictory +Women enjoyed high status , playing an active part in palace life , and the whole population enjoyed athletic contests , games , and a whole range of recreational activities . Women were active participants in palace life . entailment +Harvard , MIT , Princeton , and Yale fill out the top five . Swarthmore is the top liberal arts college . ... Harvard is the top English school neutral +The darned fool ! he murmured . They knew they could be better . neutral +2 ) Many owners of boxes , particularly those in apartment complexes and those secured by locks , do not want to open them to all parties . Apartment owners are concerned about the security of their buildings . neutral +Surely farmers are willing to pay much more for fertile seeds than for infertile , and you can be sure that Monsanto fully exploits that willingness . ) Fertile seeds are more valuable to farmers than infertile . entailment +, curves , crowded lanes , etc . Curves in the road cause crowded lanes neutral +it 's just like Poland American is like Poland . neutral +and uh we had told him that if he ever wanted to go to college he could go if he got married he was on his own if he flunked out he was on his own We told him if he flunked or got married he was on his own . entailment +and even the first time uh for these people are uh oh well on their way in on on the technical ladder or management and they 're jeopardizing their positions They have done it many times before so they were pressing their luck . contradictory +okay camping my camping experiences are uh using a trailer a Terry eighteen foot uh mobile trailer and and that 's you know like going to lakes and stuff like that I use an eighteen foot trailer to camp with . entailment +It 's the animal house ! The animal house is boring . contradictory +contract method , the five phases generally occur in sequence with the A / E The sixth phase also occurs in sequence with the A / E. neutral +Without him nothing will stand.He is all wise and can outrun the hare . He 's the wise one and the one who can run faster than the hare . entailment +It was designed in 1907 by Hubback in an Indian Moghul three-pointed domes over the prayer hall , two minarets and balustrades above an arcade of cusped arches the whole predominantly gleaming white , with pink terracotta brick . The building is built mainly in a gleaming white . entailment +um-hum yes yeah we were fortunately We were fortunate with the outcome . entailment +The original is still there in spirit and no visitor should neglect it . The original is lone gone without the slightest trace . contradictory +In discussing various alternatives to the proposed rule , the SEC decided that , since small entities will benefit from the less restrictive nature of the rule , acceptance of any of the alternatives was not preferable to the rule as proposed . The proposed rule had quite a bit of alternatives . neutral +The sound man turned around and mouthed an apology but did not move . The man working sounds turned around and said a soundless apology but did not budge . entailment +The new emperor called himself Jahangir ( World Seizer ) but once in power he left affairs of state to his wife Nur Jahan , as he was more interested in writing poetry , drinking a great deal of wine , and taking summer excursions up to Kashmir . The new emperor referred to himself as Jahangir and dutifully ran the affairs of the state . contradictory +They ate and rode through the morning without speaking of Adrin 's departure . Adrin 's departure was a joyous occasion to them that they didn 't complain about him all morning . contradictory +All praise is reserved for the production The staging is infinitely inventive , says New York ' s John Simon . John Simon from New York made this statement . entailment +sure they should have them go out and doing stuff cleaning up or picking up dirt or weeds or who knows what something for the for the state since the state is paying for them they should get some kind of kind of work out of them They should have them doing something that benefits the entire state , or at least the facility . neutral +He was going to sleuth the other crook . " Julius paused . Julius said he would trick the crook . entailment +Deposit fund transactions . Funds are only for withdrawals , not deposits . contradictory +Stewardship Land There is Land entitled to the Stewardship . entailment +and uh the other teams in the NFC East uh they 're they 're getting uh older uh they 're going to have to like the Washington Redskins uh that that 's an older team and they 're going to have to start rebuilding pretty soon too All of the NFC teams are young . contradictory +A sidebar notes the political dynasties taking shape in the Bush , Cuomo , and Jackson families . Bush , Cuomo , and Jackson families have political dynasties taking shape . entailment +A side chapel is said to be where the manger stood . Many people visit this site where they believe the manger once stood . neutral +Oh , this is from the Ritz ! " This came from nowhere important . contradictory +The average annual cost per rural route is shown in table 2 . Table 2 shoes urban routes and the average monthly cost . contradictory +" Saw that one , too . That one was also wearing a hat . neutral +Who needs ' em ? They aren 't needed . entailment +I never had no use for Injuns , but these here are peaceful cusses iffen they don 't smell an Apache . Whenever I meet an Injun , they win me over with their talent so I always have a use for them . contradictory +The total percentage of Utah 's school budget supplied from School Trust Lands is around 2 percent . Somewhere around 2 percent is the total percentage of Utah 's school budget provided by the School Trust Lands . entailment +One of the highlights of the event was the presentation of the first-ever Randall T. Shepard award for excellence in pro bono work . John Smith gladly accepted the excellence in pro bono award . neutral +but even uh i think uh along the line of the uh goals of civil rights um Along the line of the goals of civil rights as well . entailment +The council helps homeless people get food and clothing , enter drug and alcohol treatment and employment programs and find housing . The council provides many services to the homeless . entailment +due to the overabundance of news we have available to us We could spend hours reading and watching about the news every day . neutral +In all , there are 14 lawyers on OPP and state planning staff . They had to let all their lawyers go . contradictory +A drunkard and a reckless bandit . The man was always drunk . neutral +The factual record and the statutory scheme in which the language arises , on the other hand , provide an important context for consideration of the legal question of when an alien must be present in The record provides an important context that is important knowledge . neutral +This is the First-Class Mail either sent or received by all households and is subject to analysis by HDS . First Class mail is subject to analysis by HDS . entailment +In an era when the egos of male athletes are dwarfed only by their paychecks , the World Cup women , minimum wagers by pro-sports standards , reminded the country that sports superstars can be gracious and grateful , coos Newsweek . CNN 's Bruce Morton observes approvingly that unlike male athletes , the female players don 't have million dollar contracts or big shoe deals . The World Cup women don 't make much money . entailment +um the hoi sin sauce oh a dollar twenty nine a can a can would serve would serve you for you know for quite a few um meals Can of hoi sin sauce costs dollar twenty nine . entailment +It was saved from total destruction only to end up , ignominiously , as a state prison . it wasn 't saved from being destroyed . contradictory +In one such study , GGD examined whether national policies , procedures , and practices with regard to cargo imports were causing problems in port operations ( U.S. In one study , GGD chose to examine whether a local policy could cause problems with port operations . contradictory +yeah you get your best litter is usually your first one The first litter is the biggest and the best . neutral +Are involved in periodic reviews , and if so , howfrequently they are involved . They are involved in reviews . entailment +a long time yes and they they take up a lot of you know good space you know kind of like a bookcase They take up space because they are huge . neutral +Around the whole structure is a retaining wall with a narrow corridor allowing visitors to explore the carvings on every exterior wall . A retaining wall surrounds the entire structure , and there are carvings on all of the exterior walls . entailment +Fenner signaled once more and the train began the slower trip southward . The train began its trip after Fenner gave a signal again . entailment +i 'd recommend it It 's a little on the violent side It 's a peaceful movie and no one gets hurt contradictory +Raphael 's stately Betrothal of the Virgin contrasts with the earthier inspiration of Caravaggio 's Supper at Emmaus . Raphael 's Betrothal of the Virgin was one of his most early works . neutral +well let me tell you that Twin Peaks was much better when it just started so maybe it 's time for it to quit i they 've gone downhill too Twin Peaks isn 't as good as it used to be . entailment +How about the planets ? They 're worlds just like ours , some of them . What about the planets ? They are all very different from ours . contradictory +I confess that I cannot prove I am right in my belief . I have the belief that my beliefs are right . neutral +The government and the taxpayers will increasingly need to distinguish between wants , needs , and affordability of programs and services in the coming years . The taxpayers and government do not need to change anything in the coming years . contradictory +Social Security is an unfunded pay-as-you-go system--most of the payments into the system are transferred to current retirees for current consumption , not saved as government bonds . Current retirees can directly use most of the payments . entailment +Integrated Planning Model ( IPM ) projections indicate that it would be cost effective to install 32 GWe of scrubbers by 2005 in addition to the projected SCR installations ; however , boilermaker labor is not expected to be sufficient to meet this demand even if their numbers grow at the projected 5.3 percent annual growth rate . Integrated Planning model projections are consistent with boilermaker labor available . contradictory +These pronouncements on subjective issues annoy me no end . The decrees on subjective issues bothered me . entailment +i hate it too i just would rather stay the way it is I want it to stay the same . entailment +Can you really live on $ 32,500 in New York City ? I 'm sure it 's possible to live on a small income in New York . contradictory +No guards . A platoon of guards . contradictory +( heiliges or geheiligtes Deutschland ) . One George scholar claims that the true message , understandably misunderstood , was secret Germany ( das geheime Deutschland ) . No one knew what the message meant . contradictory +Although the mines are superseded by those in South America and South Africa , the art of cutting and polishing is still extant in Gujarat . No one in Gujarat cuts or polishes rock . contradictory +so you know you don 't have to be an expert in any aspect of it at all You don 't have to be highly skilled in any aspect of it . entailment +In such cases , the reason for not including the agency comments will be stated in the report . The agency comments will provide adequate reflection and will be noted in future reports as well . neutral +As proserity has taken hold in Malaysia , so too has the style of entertainment . The style of entertainment has taken hold of Malaysia . entailment +This would not be the blanket grant of authority envisioned in the original Freedom to Manage proposal , but it would permit both the executive branch and the Congress to feel confident that proposed changes would receive timely consideration . Changes proposed by the President and Congress would recieve timely consideration . entailment +Everything , it turned out , was either a mystery or a rumor . Everything was a mystery or a rumor here to me , but others knew the truth . neutral +No one but Hercule Poirot would have attempted such a thing ! Hercule Poirot would never involve himself in this in any way ! contradictory +Okay , Red said , " I guess they 'll eat it . Red conceded they would accept the food . entailment +Victor Hugo , in exile in Guernsey , was writing Les Mis ? ? rables , while Baudelaire was working on Les Fleurs du Mal , and Offenbach was composing jolly operettas , such as La Belle Hene . Victor Hugo , Baudelaire and Offenbach had no talent . contradictory +With some reluctance she abandoned the interesting part she had sketched out for herself . She knew in her heart that she was doing the right thing . neutral +say it 's between four hundred and six hundred you might have to do it depending how many people are in your class and you know like you the they right Whether or not you do it depends on the number of people in your class . entailment +have you seen it the past couple of weeks Have you seen it in the last weeks ? entailment +Legal Services conducted interviews with 88 farm workers in some of Colorado 's most abundant agricultural regions last year and found that half of those surveyed had experienced symptoms of pesticide exposure . None of the 88 farm workers had serious symptoms . neutral +Another , and he was awake . He was asleep . contradictory +And this one 's not free . This one is for free . contradictory +70 " It 's all over the village about old Mrs. Inglethorp dying so suddenly . No one knows about Mrs Inglethorp 's death contradictory +Because Shenzhen is much cheaper than Hong Kong , it is a popular weekend destination for Hong Kong 's Chinese , who come to relax , dine in its resorts , and play golf Shenzhen hosted the World Cup of Golf in 1995 . Hong Kong is much less expensive than Shenzhen . contradictory +They were a quiet bunch of strong miners . The strong miners were very loud . contradictory +China is not 10 feet tall . China is 10 feet tall . contradictory +The Tuscan Renaissance facade of S ? ? Cathedral , the single biggest Christian church in India , has a certain elegance to it , despite a loss of symmetry when its north tower collapsed in 1776 . The north tower stayed structurally sound in 1776 . contradictory +It was the home of Peter the fisherman , his brother Andrew , and perhaps three other disciples . The other disciples may have been Matthew , John and Luke . neutral +There are a couple of historic baths in Istanbul which cater specifically for tourists , namely the 18th-century a alo lu Hamam in Sultanahmet , and 16th-century Galatasaray Hamam in Beyo lu . The historic baths in Istanbul are a large source of tourist revenue . neutral +Note that the possibility of contracting out is not limited to operations prior to delivery . Note that the possibility of contracting out is not limited to operations prior to delivery . entailment +Media reports suggested that 1 ) he 's as spry as ever and 2 ) Republicans can hardly wait to replace him with a living chairman . Republicans are going to replace him as soon as they can . entailment +Do you think even one pro athlete who didn 't wear his seat belt yesterday wore it today ? People do think about things . entailment +Zuiganji temple is the center of an old Zen Buddhist seminary . Zen Buddhist priests practice sermons in the Zuiganji temple . neutral +After all , he 's just a newspaper columnist . He is but a newspaper columnist . entailment +In 1961 CIA-trained Cuban exiles attempted an overthrow of Castro 's regime , resulting in the Bay of Pigs fiasco . Castro 's regime was attempted to be overthrown by CIA-trained Cuban exiles because they were unhappy with his leadership . neutral +The capital , Mykonos Town , is one of the most beautiful in the Aegean . There are other beautiful towns on the Aegean . neutral +You can get on and off right in the middle of the city , avoiding the hassles of that trip to the airport . The public transport ion in this city runs 24 hours a day . neutral +i 'd be more concerned about getting myself out alive at the end of the day and just being happy so i i sit back that the that 's one of the main things that sort of happens to be sure up you know in or educational system maybe i do that means you have to have a metal detector and and uh outside the school or something I am terrified of going to school because of the Columbine shootings . neutral +He truly likes us journalists . Journalists are the enemy , according to him . contradictory +The sight made Ca 'daan uncomfortable . Ca 'daan was comfortable with what he was seeing . contradictory +You can have a delicious vegetarian lunch here . There are no vegetarian meals here . contradictory +If accounts are funded outside of the Social Security system using general revenues , the effect on national saving is unclear and would depend on what would have been done instead with the general funds . Funding Social Security with general funds it is unclear what the outcomes would be . entailment +Our analysis relies on up-to-date reviews of the relevant resource economics literature that provides WTP values for health risk reductions and visibility improvements similar to those that will be provided by implementation of the Clear Skies Act . Our analysis is based on intuition and conjecture . contradictory +Adrin knelt to one knee and smiled at Susan . Adrin was going to propose marriage to Susan . neutral +The Dravidians were already here to meet them . The Dravidians were the native people . neutral +Alcohol interventions in a trauma center as a means of reducing the risk of injury recurrence . Interventions reduce risk of injury entailment +By far the most frequent response involved Hillary Clinton , the once and future baker , or nonbaker , who today begins her four-day listening tour at the Moynihan Farm . Hilary Clinton is almost always involved in arguments or discussions . neutral +Silly ass ! I ejaculated . I ejaculated because of your goofy ass . neutral +Under the Prime Minister Hussein , the UMNO party strengthened its position , which came as Malaysian exports were also growing . Malaysian exports grew and , at the same time , the UMNO party consolidated its strength . entailment +With the personal saving rate around zero or negative , economists have questioned the relevance of the NIPA personal saving measure . Some economists are not sure the NIPA is relevant these days . entailment +On the left , you see the happy few being welcomed by Saint Peter . On the left , you can see an angry crowd shouting at Saint Peter . contradictory +Illustration on the Table of Contents by Mark Alan Stamaty . Mark Alan Stamaty has illustrated a whole book . neutral +In some cases , modern buildings were erected in their place that are not admired today . Some of the modern buildings that were erected in their place have balconies . neutral +The analysis for the Registration Form rule notes that while it is difficult to quantify costs and benefits , the total annual cost of $ 175 million for preparing , filing , and updating the current Form N-1A is not expected to rise significantly because new information is not required . It is not thought that the cost of preparing , filing , and updating the current Form N-1A will increase significantly beyond its current annual cost of $ 175 million . entailment +For those who find the t raditional sheep 's stomach casing a little off-putting , haggis is now produced in a range of outer casings , including heat-resistant plastic . Haggis can be cased in paper , but not wood . neutral +cat 's lot easier to take care of than the child you can go away and leave her for a few days The dog is worse than taking care of a small child . contradictory +The keen rush through the air brought a new exhilaration to Tuppence . Tuppence felt a rush in the air . entailment +Tel Aviv is in many ways the epitome of the New Israel dream . Tel Aviv was specifically designed to live up to the New Israel dream . neutral +sure you 're exactly right and and this the other teams failed to do Houston failed to do that they had Bum Phillips in there and a and a good running back i forget to uh i forget that fellow 's name uh I think their name starts with a T. neutral +The crowd froze , like startled deer . Everyone ran away quickly . contradictory +Such changes are necessary to obtain greater predictability in weapon system The changes are needed to make weapon systems predictable . entailment +Some might even take a sketchpad instead , or a paperback volume of Homer . There are some paperback volumes of Homer that were published . entailment +A Slovakian spy satellite on collision course . Slovaks have created satellites . entailment +U.S. public debt was down to 1.4 percent of GDP in 1996 , and may drop below 1 percent this fiscal year . Changes in government policy have reduce the amount of US public debt . neutral +Instead of advocating legislation against abortion , PK instructs men to stop having sex outside marriage and to stop pressuring their wives and girlfriends to have abortions . PK thinks that if men stop having sex outside of marriage there will be less abortions . neutral +An uprising spread against the Ranas , and Prime Minister Mohan Shumshere Rana resigned in 1951 . Ranas was noted for the popularity and stability of his rule . contradictory +( Richard Holbrooke to Without those words of the president 's that you passed to me , I would never have been able to get it done . I wouldn 't have accomplished it without those words of the president 's . entailment +so i 'm looking forward to seeing that because that looks hilarious as they all do well we we try to go They 're going to dress up as zombies and prank old people . neutral +The way he 's going he could involve Hunt in a real mess , " Cahill said . Hunt could really get involved in something dangerous . neutral +Much has been written regarding the meteoric rise of executive compensation in the United States . No one has written about executive compensation at all . contradictory +I suppose you 'll believe it if _ he _ tells you . I suppose you 'll eat it if he cooks it . contradictory +'They really didn 't want you to be an inspiration , Ben . Ben inspired nobody . contradictory +so but i 'm not really sure I totally understand everything . contradictory +they 've got some great players on that team That team has some great players . entailment +The university is one of Israel 's proudest achievements , where you will find the Jewish National University Library and the landmark mushroom-domed University Synagogue . The university deals a lot with issues relating to Judaism . neutral +But they can 't admit this . They have been open , but they cannot openly accept responsibility for this part of things . neutral +Lying closest to Athens and the Attic peninsula , the Cyclades is the island chain most people would think of as typically Greek . The Cyclades islands match up with typical Greek representations . entailment +uh again maybe because i was at the school there were still many teachers who wore miniskirts uh we had no regulation against it and a lot of the kids did of course and it could be very embarrassing for the men teachers The teachers all wore pants . contradictory +By contrast , Finkelstein adopts an ugly conspiratorial tone when he attributes the book 's popularity in the United States to its Zionist message . As usual , Finkelstein sees a Zionist message where there isn 't one . neutral +However , the success of many of these efforts depends , in part , on an organization 's ability to protect the integrity , confidentiality , and availability of the data and systems it relies on . Confidentiality of data is a high priority given recently enacted data privacy laws and new regulation in this area . neutral +well unfortunately in our family my husband and i went through college together and then he went on and got his Master 's degree while i was working I did not find it necessary to get my own Master 's degree . neutral +The soldier was wrestled down by a fellow officer and later explained that he wanted to thwart Israel 's troop withdrawal from Hebron . The soldier and man wrestled . entailment +God that sounds like a blast God , that sounds like fun . entailment +Audit organizations also have the important responsibility for ensuring that auditors can meet their responsibilities . Ensuring that auditors are able to take care of their responsibilities is one of the responsibilities audit organizations are tasked with . entailment +The battlefield at Azincourt lies about 15 km ( 10 miles ) north of Hesdin , just off the D928 . The battlefield just ahead has had a long history of violence . neutral +See appendix II for a detailed description of the modeling methodology . Appendix II has a detailed description of the modeling methodology . entailment +Then the three were asked to comment on these past thoughts ( none found any errors , of course ) . The four were asked to make a statement regarding the past thoughts - they found one error . neutral +The high-end beers cost roughly three times as much as the cheapest ones , and twice as much as the middle range . The cheapest beers cost roughly three times less than the high-end beers . entailment +Yet simultaneously , there was the social activism of the Warren Court , and a national administration moved to declare a more worthy campaign in 1964 : the War on Poverty . The Warren Court was engaged in social activism . entailment +The royal offspring can be seen in miniature at the feet of their parents . At the feet of the giant parent statues , the royal children are displayed in a much smaller form . neutral +Only one other island in the small group is inhabited the little known , arid , and much flatter holiday hideaway of Porto Santo . The land in Porto Santo it 's fertile and it 's full of hills and mountains . contradictory +According to a law of physics called Boyle 's law , the pressure times the volume of a gas is always a constant--increasing pressure makes volume decrease , and vice versa . Boyle 's law demonstrates how the pressure is indirectly proportional to volume . entailment +Right now , considerable differences still exist with respect to our appropriations levels in the House and the Senate-stable funding for GAO next year is still not assured . Stable GAO funding is not certain because of significant differences in the level of appropriations within the Senate and the House . entailment +There 's no sign of an economic boom or increased optimism ( whether justified or not ) about technology . I see signs of an economic boom and increased optimism about technology . contradictory +yeah that 's yeah yeah well we really have uh our our bedrooms i guess are the ones that have uh that have to be painted uh we 've got paper on uh our dining room and kitchen and bathrooms and then we 've got paneling in our family room and game room Most my house is going to be repainted , but I don 't want it . neutral +yeah tulips is just kind of late because you have to you have to force them Tulips are kind of late because you have to force them . entailment +The new health scare is a staph germ that is becoming immune to the antibiotic of last resort . The staph germ could kill the entire population . neutral +Delegating authorities to front-line employees involves the transfer of authorities from managers to those employees who are closer to citizens and provide services and information as part of their day-to-day activities . Eight authorities are delegated to front-line employees . neutral +Panels of brilliantly colored tiles ( added by Suleiman the Magnificent in the mid-16th century ) and bands of Koranic inscriptions surround the upper part of the octagonal shrine , while marble panels in muted colors offset this brilliance from below . Bright tiles and inscriptions surround the upper part of the shrine . entailment +The degree to which a system or component isAvailability operational and accessible when required for use , often expressed as a probability . Availability is expressed as a guaranteed specific value . contradictory +Take a siesta after lunch . Wake up after an hour of sleeping . neutral +Saved a lot of wiring , or something . A lot of wiring was lost . contradictory +Something like that , she agreed doubtfully . She agreed , but with a certain degree of uncertainty . entailment +The offal is thrown into the stream . The offal is put into the freezer for later use . contradictory +This pretty little town is mainly attractive as a base for excursions into the nature reserve of forests , rivers , and pools in the Parc R ? ? gional d 'Armorique . The Parc Regional d 'Armorique provides a suitable environment for excursions . entailment +well both of mine are boys they 're eight and eleven I enjoy being a father and raising my two boys . neutral +To some extent , I did look at it and say , ' We are the littlest kid on the block , and we don 't want to get beat up so we need a bigger protector , ' Rothschild said . Rothschild said he did look at it to some extent . entailment +The crowd murmured and whispered when they caught sight of the jewels in the sword 's twisted hand-guard . The sword had jewels in its twisted hand-guard . entailment +Some of the palm trees in the area provide shade for beach resorts in Goa and Kerala . Some of the palm trees provide shade . entailment +But the rugged coast shelters many sandy beaches , seaside resorts , and fishing ports , and inland you will find picturesque chateaux and towns , canals and rivers . More tourists visit the inland rather than the rugged coast . contradictory +This is the best we can do . The jumble of tools had obviously been salvaged from the kits on the tractors in the camp . The best we can do is this . entailment +well they give some some financial aid for education they they advertise that they give it you can earn up to ten or twenty thousand dollars for Your tuition is waived if you earn under ten thousand dollars . neutral +As we have pointed out , [ i ] t does not follow . . . that viewpoint-based restrictions are proper when the [ government ] does not itself speak or subsidize transmittal of a message it favors but instead expends funds to encourage a diversity of views from private speakers . Restrictions are inappropriate in any situation regarding transmittal of a message the government favors . contradictory +" Only that the pinto still runs near the well . " The pinto hasn 't run in years . contradictory +Relief flowed into Ca 'daan once again . Ca 'daan was still struggling with his demons . contradictory +The body , in a white shroud , is carried on a bier of bamboo to the river 's edge , where a few drops of Ganga water are poured into the lips of the dead . Bodies are always carried to the river 's edge to have water poured on them . neutral +In its new report , the Commission on Access to Justice notes some significant steps toward providing equal access to justice for all Californians . Equal access to justice has taken a long time to become a reality in California . neutral +I took a seat . I stood up . contradictory +A banner at the top of a Web page just isn 't the same as a luxurious two-page color spread . The two-page color spread is different than a banner at the top of a page . entailment +This book will pass into the possession of Scotland Yard , but it will never be publicly exhibited . This book will be taken away from Scotland Yard , and put on a public exhibition . contradictory +how oh being it 's just so much different i mean the heat when it gets hot in Missouri it it it 'll get hot for a couple of days in the in the in the mid to upper nineties and people think it 's terrible and then it and it always just goes away It never gets above ninety during the hottest days in Missouri . contradictory +As a legal services attorney , Barnes will help women escape domestic violence , Mauricio Vivero Barnes is an attorney who specializes in helping immigrants . contradictory +oh oh sounds like that young one wants some attention The young one is taking care of himself . contradictory +Strangely , San 'doro saw the world differently . San 'doro had a different view of the world . entailment +Although ERISA has been amended to include stateregistered investment advisers as investment managers , the amendment expires 2 years after enactment . The amendment will never expire . contradictory +Three-dimensional models of exploding mountains and molten lava flows from all over the world are shown . Tickets are sold for the demonstration of three dimentional volcanoes erupting . neutral +'The situation is pretty bad , sirs , ' one of his men reported . A male reported that the circumstance was really bad . entailment +Colonnaded public buildings , iron balconies , winding streets , flagstoned squares and the many churches all speak of the Portuguese inheritance as well as the Chinese , a fusion of East and West that has produced the unique Macanese culture . The Macanese culture has no foreign influence . contradictory +I 'm darned if I do ! I 'm never going to clean that up . neutral +okay well like i was saying Burlington 's crime it doesn 't involve children and what you see on the TV 's from you know in Washington and New York so what i believe the people want the subject is is big city crime which is something that i don 't have any first hand experiences about but i have you know concerns and i have a few ideas of um I was saying that Burlington 's crime does not involve children and women . neutral +As appropriate , such courtesy will be extended by GAO staff conducting the work to the agency-designated central liaison or point of contact for the work . They are going to be as professional to whoever the contact may be . entailment +'My friend and I require some privacy . ' I need a little space . neutral +because of the winters winters i kind of miss winter since it it didn 't do anything down here this winter Winters are something I miss . entailment +uh-huh do you work out on like is it the weight machines or aerobics or what is it How many chicken wings have you had today ? contradictory +In 1536 King Henry VIII broke away from the Roman Catholic Church and declared himself head of a new Protestant faith , the Church of England . King Henry VIII started the Church of England in 1536 . entailment +Taking unpopular clients and controversial cases is another measure of commitment . You have to be committed to take unpopular clients . entailment +In a letter last March 28 , she said her decision was based on years of unresolved problems with Passaic , combined with its hostility and antagonism . There was a letter written in March of last year . entailment +because they 're um they 're just running out of space and landfills uh Pennsylvania Ohio and New York are some of the uh they 're using their landfills up faster than they can get new ones There are no landfills . contradictory +but uh so far we 've managed to hold our own by uh trying to set up a a monthly budget We 've created a monthly budget and it 's helped us survive . entailment +Slate is looking for a software developer , or maybe even two , to work on various features we hope to add . Slate is looking for software developers to help improve their program . neutral +The Base Estimate is based on our current interpretation of the scientific and economic literature ; its judgments regarding the best available data , models , and modeling methodologies ; and the assumptions it considers most appropriate to adopt in the face of important uncertainties . Scientific and economic literature is difficult to interpret . neutral +Italian architects Renzo Piano and Gianfranco Franchi and Englishman Richard Rogers deliberately left the building 's service systems visible and color- red for the transportation , green for the water pipes , blue for the air-conditioning ducts , and yellow for the electrical system . Blue is the color designated for the electrical system . contradictory +Again , inedible , or even worse . The food was very bad again . neutral +that 's a pretty good deal The deal you 're offering is a little too good , and I 'm worried you 're accidentally giving your money away . neutral +well at least you get to At least you get to . entailment +and so i decided okay i 'll just you know have them paint this little room you know a little ten by ten dining area it took four days It took four days to paint the dining room . entailment +yeah but now um now that it 's happening i i feel comfortable with it i i don 't feel as though i 've lost anything and that i feel uh secure in that i know that everybody that works around me um is is drug free I feel good knowing that everyone in my environment is sober . entailment +The Sleeper woke up during one of the following episodes of ' The Murderers ' . 'The Murderers ' was playing when the sleeper awoke . entailment +One free-lancer tells of building much of a summer traveling with her husband in the West and Europe around a couple of Conde Nast assignments . A freelancer talks about one summer spent traveling for Conde Nast assignments . entailment +Wonder what the LACC and NAACP position was on Hogan 's Heroes . How would Hogan 's Heroes be considered by LACC and NAACP entailment +These neighborhoods , often overlooked as too Downtown by newcomers , are what longer established cities would consider treasures . Newcomers have different opinions than other cities about what is a treasure . entailment +Anybody up for seafood ? Is anyone feeling like seafood ? entailment +1 bank in loans , deposits , business lending ( large and small ) , and ATMs ( 15,000 ) ; The bank offers loans , deposits , business loans and ATMs . neutral +If he had to use too much force , it would almost certainly creak . Even if he had to use too much force , it would not make a sound . contradictory +The rental program is under discussion but beyond that there hasn 't been much activity , he said . The rental program is being discussed . entailment +Get my note ? Did you receive the chocolates with my letter ? neutral +After that , you 'll want to explore the Old City magnificent and mysterious behind its walls , and filled with the most venerated sites of Judaism , Christianity , and Islam . Judaism , Christianity , and Islam are represented in the Old City . entailment +These difficulties support further inquiry into the meaning of the presence requirement . Difficulties support more inquiry into what the presence requires of the CIOs . neutral +This intervention guaranteed the popularity of these Christian denominations ; today , you will find Baptist and Adventist churches in almost every settlement , their congregations still as strong today as in the early 1800s . Baptist and Adventist churches cannot be found as much anymore as they used to be . contradictory +Noyers is a fortified medieval village with 16 towers in its ramparts . Noyers was a strategically important village in medieval times . neutral +When we 're there , however , she spends a large part of the evening on the phone or on the computer . She never uses the phone or computer when we are there . contradictory +okay well we probably exhausted that huh There was no more of it left for anyone . neutral +Indeed , Tripp pulls down more than all but a handful of the U.S. military 's most senior officers . Tripp pulled down military officials . entailment +You would not allow it ? You are not able to stop it . contradictory +Rolling Stone attributes the show 's success to its comic sensibility , a sort of humor that 's distinctly no-brow--an edgy , rude point of view ( David Wild ) . Rolling Stone says the show is successful because of its humor . entailment +RESPECTFULLY SUBMITTED , I submitted this with a lot of respect for you entailment +I have no soul . " " We call , " Bork answered . I have a soul remember ! contradictory +special rights for gays . Gay Rights entailment +'You want to create a pre-emptive counter revolution . ' You want to start a political revolution . neutral +Holding cash or nonfederal financial assets would not reduce debt held by the public but would reduce the net debt of the federal government . Holding cash or nonfederal financial assets would reduce debt contradictory +difficult to get through It 's difficult to get through because of traffic . neutral +Ruled in the early sixth century by Theodoric , king of the Ostrogoths , it was recaptured for Emperor Justinian in 540 , and Byzantine culture left its mark for another two centuries . It was considered a key trading post as it was surrounded on all sides by major rivers . neutral +True , it was only yesterday morning that she had parted from Tommy , and she told herself that any anxiety on his behalf would be absurd . She was anxious even though she just left Tommy yesterday . entailment +She glanced round hastily to make sure there was no one else in the room , and quickly produced an old sheet of brown paper . She immediately began doing what she wanted regardless of who was in the room . contradictory +'You have two days to get this thing working like a person , right ? ' Derry asked . Derry inquired about the fact that there were two days left . entailment +It is time , I believe , to dust off the task force recommendation and / or to give some serious thought to the phased rate approach . I think it 's time to do what the task force recommended . entailment +That was for a reason . That was justified , but ultimately useless . neutral +They often deploy programs called debuggers , which allow them to peer into the innards of the software as it runs . They often deploy programs called debuggers . entailment +Then Number One spoke : " Then all is arranged . " Then nothing is settled " spoke Number One . contradictory +If data for additional years would provide a better indication of investment , reporting of the additional years ' data is encouraged . Data for additional years does not always provide better investment indication . neutral +From Marseillan , our route takes you toward Marseillan-Plage and up the N112 along more than seven miles of flat , sandy beach ' on weekends in August the crowds and numbers of cars can make this a slow trip ' to the large fishing port of Syte . There are no ways to go along the beaches on weekends . contradictory +In the days of Philippe d 'Orleans , Prince Regent while Louis XV was a child , the Palais-Royal was the scene of notorious orgies . Besides being the scene of notorious orgies during the time of Prince Regent Philippe d 'Orleans , the Palais-Royal also served as a secret hideout for a cult . neutral +Virtually all the fans with whom I have spoken over the years ( quite a friendly bunch , actually ) consider the absence of big wrecks , injuries , etc . , a key component of a good race . Most of the fans I 've spoken with think big wrecks make it a good ballgame . contradictory +At any rate that would make a row , and some one might hear it . There is definitely not going to be a row . contradictory +Just look through these photos , and see if you can spot him . " A minute later , Tommy held one up . Tommy held more than one photo , but only raised one . entailment +huh i would like a self-propelled one i think I want one that requires outside force to move . contradictory +Yours , Lisa Mine , not yours , Lisa contradictory +He had to depend on what was available , since magic couldn 't produce any needed device and since the people here had depended on magic too long to develop the other necessary skills . The people here had depended on magic for a lot of things . entailment +Inadequate access to treatment / ineffective treatment The treatment needs to improve . neutral +we what was it in seventy four when we had the the last last oil crisis and and uh we started getting smart and and we were looking all these alternative sources of energy and so forth The oil crisis didn 't have any affect on alternative energy . contradictory +The crone was on her feet in an instance . The crone stayed away from her feet . contradictory +Let us assume that our 1900 and 1990 12-year-olds are identical twins magically born 90 years apart . There are 12 year old twins who are identical but not born in the same year . entailment +Whatever their exact locations , the Stations of the Croseon the Via Dolorosehave been an itinerary of faith and reverence venerated by most Christian pilgrims since late medieval times . Christians are relatively new to the world today . contradictory +You can climb the column for magnificent views of the city and the Firth of Forth to the north . The column is 20 feet tall and 10 feet wide . neutral +Very few vacationers arrive in their own boats or are otherwise totally self-sufficient for sailing in the Mediterranean , but the yacht clubs and many of the beaches supply sailing boats for hire , and some also have schools . It 's expensive to hire a boat from a yacht club . neutral +A few schools , including Harvard , New York and Georgetown universities , already have them . There are no schools that have them as of yet . contradictory +But consider the evil done to the truth by the good anti-tobacconists . People who right tobacco are automatically good people . neutral +Oddly , this part of the 20 / 20 segment isn 't quite as damaging to Ellis as the raw interview transcript was . In Ellis 's opinion , this part is much worse than the interview transcript was . contradictory +Figure 3.5 : GDP Per Capita Under Alternative Gross National Saving Rates ( 2000- 2075 ) GDP Per Capita Under Alternative Gross National Saving Rates ( 2000- 2075 ) is in the figure 3.5 , said the teacher . neutral +I should act more freaked out . I should act like I 'm really scared . entailment +FFC ( formerly the Federal Construction Council ) is a continuing activity of the Board on Infrastructure and the Constructed Environment of the National Research Council ( NRC ) . FFC has been a continuing activity of the board of infrastructure for five years . neutral +yeah yeah yeah she liked it and she wants to go back up there and and uh look around you know just sight see She was not fond of the place thus she does not want to travel back there . contradictory +The Postal Service developed the coverage function and first used it in the Docket No . The coverage system is very successful . neutral +so i i can use that and uh I don 't want to use that , but I will . neutral +and in fact some of these things i get some of these questionnaires it 's funny because i 'm i was in the process of filling one out when i decided i would make this phone call but um i haven 't got to the end of it yet where it asks all that salary information and everything but when you have to send that back in the mail with your name on it your salary information i i just have a real hard time doing that um and they ask you what type of household items do you own like stereos and TV 's and VCR 's and and you hate to send something off with your name and address and what types of things do you own and what kind of money do you make and you wonder well who 's going to get ahold of this and think um that 's a nice place to go rob I receive detailed questionnaires in the mail . entailment +Researching potential threats , vulnerabilities , and control techniques and communicating this information to others in the organization . Potential threats should not be researched . contradictory +There are many personal pieces and family portraits in the house , along with original Wordsworth manuscripts . The house is devoid of any personal pieces and there are no family portraits to be found anywhere inside . contradictory +yeah it 's really and we didn 't think it was that clean but then after you 're gone for a while it looks cleaner you know It looks cleaner after you 've been gone for awhile because you aren 't as used to it . neutral +control applies to all information systems-mainframe , minicomputer , network , and enduser environment . The end user environment is the most important of all . neutral +However , IRS officials told us that IRS is conducting customer satisfaction surveys to enhance its knowledge about what IRS employees can do to better meet taxpayers ' needs . The IRS ' surveys are helping their employees to better meet taxpayer needs . neutral +The western end of the bay sweeps round to a headland , which is thought to be the location for the famous Alexandria Lighthouse . The Alexandria Lighthouse was constructed six hundred years ago . neutral +The Tikkun Guide to Colleges The TIkkun Guide is handed out to students on the first day of orientation . neutral +This attracts the unlikely combination of serious career gamblers and novices without much to spend . Broke beginners are seasoned gamblers are drawn to this . entailment +and so he 's doing his Master 's here they gave him like a scholarship like for a year and he 's doing it in like in a year and a summer He 'll probably be here for a year and a half to complete his Master 's . neutral +and got started and so she grabbed me by the ear and made me do it this year She made me do it this year by grabbing me by the ear . entailment +yeah that 's true that 's true well i guess the only other uh things that i like to do you know the oil changes and things that are not worth paying for at least in my neck of the woods so we do that kind of maintenance and always pay someone else to do I do my oil changes and maintenance , in my area it 's cheap to have someone else do it . contradictory +2For a description of prototyping and the spiral model , see Roger S. Pressman , Software A Practitioner 's Approach , 3rd ed . For a description of prototyping and the spiral model , see Roger S. Pressman , Software A Practitioner 's Approach , 3rd ed . entailment +The interest that the entity pays on its borrowings is a cost to the entity and an inflow of resources to the Treasury . The Treasury is in excellent shape thanks to the interest paid by various entities . neutral +Indeed , you could view this show as a carnivalesque celebration of our growing tolerance for illiteracy . Our tolerance for illiteracy is wearing thin . contradictory +The laws are contained in the Code of Federal Regulations ( 42 C.F.R. The laws are contained in the Code of Federal Regulations . entailment +James spoke with a reporter during a recent visit at MALS offices . The reporter didn 't visit the office . contradictory +Click Start , then Find , then Files or Folders , type * .dll , then hit Find Now . ( Make sure your hard drive is selected in the drop-down list in Look in . ) On my computer I found 1,230 .dll files . There are no .dll files in a computer . contradictory +He , too , had set out from Tahiti when he came upon the Hawaiian Islands . Other people have come to Hawaii from Tahiti . entailment +Montgomery Ranking Minority Member Committee on Veterans ' Affairs House of Representatives There is a committee on Veteran 's Affairs . entailment +She works from a formidable personal and intellectual commitment that we can and should do better to make the justice system accessible to all . There are other ways to make the justice system accessible to all . neutral +Another online pollster , Harris Interactive , is using its Harris Poll Online to learn about the public 's views on the 2000 election . The public was very divided over the 2000 election . neutral +yeah you 're developing your imagination which Your imagination is developing into something amazing and useful . neutral +I didn 't know what I was going to do when I got there . I wasn 't sure of my next step . entailment +This was used for ceremonial purposes , allowing statues of the gods to be carried to the river for journeys to the west bank , or to the Luxor sanctuary . The statues of the gods were carried on to the river . entailment +Soon he swung in a horizontal cut and Vrenna dropped and spun . The man made a motion with his arms while the other guy circled around . entailment +They laughed , even Thorn who let out a deep " Hah ! " that made Adrin jerk . Thorn 's laugh made Adrin jerk . entailment +Many years ago , Reginald Heber Smith famously noted that the reason poverty organizations have not more completely answered the demand of the poor for legal assistance is that they are grossly under financed . Poverty organizations are able to adequately fund the legal needs of the impoverished . contradictory +it tends to be in the fall yeah that 's that 's a beautiful time in New Hampshire yeah Fall is beautiful in New Hampshire . entailment +I frankly don 't know what to make of Besieged , which attempts to forge a complicated relationship between its protagonists through pure cinema , and has won admiration for being allusive , elusive , elliptical , and other words that begin with a and e ( enigmatic , ambivalent , evocative , etc . ) . No film critic has any admiration for Besieged . contradictory +Half-ashamed of herself , Tuppence 107 pulled it open and looked inside . Tuppence ignored it and did not look at it . contradictory +He can help us if we need him . He won 't help us with anything . contradictory +This rule would also require public utilities to implement standards of conduct to functionally separate transmission and wholesale power merchant functions . The public utilities were trying to fight the regulations . neutral +The Kal put her down and a strange look pulled the corners of his mouth . The Kal looked weird as he put her down . entailment +With this objection , I sympathize . I have no sympathy for the objection . contradictory +We know now that there is one person 98 who did not buy the poison . It was decided that fourteen people had bought the poison . contradictory +well we know there 's a few out there There are none out there . contradictory +The fix is in . They had waited for that fix for days . neutral +yeah well she was close but yet whenever i wanted to do something it was always something something different than what she wanted to do We always wanted to do the same things . contradictory +Only the last source , however , may relate to the asset 's productive capacity . To find things related to the asset 's productive capacity , look at the last source . entailment +I replied . I did not give any answer to the question . contradictory +um and i think that one reason that so many younger women feel in uh compelled to go into a profession is that they feel that if they stay home they are not respected All young women like the idea of staying at home . contradictory +There are examples of productivity improvements of 9 to 19 percent during the project due to additional efficiencies gained from learning curves . Learning curves provided additional productivity improvements in some cases . entailment +Brewery Arts Centre , the home of community art in Kendal , offers classes , exhibitions , and performances , along with restaurants and coffee shops . The home of cumminity art in Kendai , Brewery Arts Centre , offers performances , classes , and exhibitions , along with coffee shops and restaurants . entailment +What did the guy mean , do you think ? he asked . He wondered what the guy had meant . entailment +yeah well have you heard anything about Jim Palmer Have you heard something about Jim Palmer ? entailment +There is also a floating market of fruit and flowers . Flowers can be found in the floating market . entailment +Which brings us back to where we Human nature--or , at least , human nature as it has evolved in our American times . This brings us back to how human nature has evolved in the last few years . contradictory +If you are attracted by the egg-laying habits of turtles , head for Rantau Abang in July and August . Turtles lay their eggs in July an August . entailment +Slim considered , " I guess not . " I guess not , " Slim said . entailment +Effective management of an organization 's workforce-its human capital-is essential to achieving results and an important part of internal control . Managing human capital is important to get good results . entailment +We were alone in a corridor . We stood in the hallway of the abandoned hospital . neutral +An initiative on the November ballot asks voters to approve slot machines and video poker , proceeds of which will be used to build esteem among the native peoples . The ballot mentions nothing of slots . contradictory +Near the town of Anchovy , Rocklands Bird Sanctuary offers a fascinating close-up encounter with the birds of Jamaica . Rocklands Bird Sanctuary is a popular destination for tourists . neutral +To one side of the Kasthamandap is a small , shiny , brass-roofed shrine dedicated to the elephant-headed Hindu god Ganesh . The brass-roofed shrine was built in sixth century b.c. neutral +i try to make that our biggest use of credit cards i know people who are so in debt people who have five Visa cards i can 't believe you know it 's like why did you go get they charged up one so then they but they were still paying their minimum so their credit rating was still good I don 't agree with having several credit cards and getting oneself into debt . entailment +Lukacs often writes as though Hitler , or rather Hitlerism , triumphed in the war . Lukacs says HItler should have won . neutral +Just because an organization drops off the cover of Vanity Fair or People or the Saturday Evening Post doesn 't mean it has ceased to exist . Do organizations even continue to exist if magazines don 't cover them anymore ? contradictory +Sounds much worse and I don 't think it 'll stick , ' Warm thought with certain satisfaction as he approached his car . Warm 's car was already running the AC in his car . neutral +Edinburgh 's population grew fast between 1500 and 1650 , and a maze of tall , unsanitary tenements sprouted along the spine of the High Street . Between 1500 and 1650 , Edinburgh 's High Street became desolate as plagues devastated the population . contradictory +We share the desire expressed in S. 556 to significantly reduce and cap emissions of SO2 , NOx and mercury from power generation . There is no way to create energy without these toxic substances . contradictory +Of course , Uncle Chester , along with Slats Grobnik and Aunt Wanda , didn 't really exist . Uncle Chester , Slats Grobnick , and Aunt Wanda are real people I know . contradictory +No , I shan 't . What they shan 't do is run a marathon . neutral +like uh truck drivers and things like that i definitely think they should be tested and and i 'm not i 'm not opposed to any testing i mean I 'm opposed to testing , and I don 't think truck drivers should be tested . contradictory +South Carolina likes re-electing Between Hollings and Thurmond , South Carolina has , what , 8,000 years of Senate seniority ? Senate seniority is based on the average age of the senators from each state . contradictory +" He 'd have to , " Drew said grimly . Drew said that the man would be obligated . entailment +Past the square on the left is the entrance to icek Pasaje ( Flower Alley ) , a high , glass-roofed arcade lined with bars and restaurants . The arcade is a very popular destination for the locals and teeming with culture . neutral +i was living in Colorado and i didn 't have a lease which was really nice I had a really expensive lease in Colorado . contradictory +The other portion of gross national saving , which is used to add to the nation 's stock of capital goods , is net national saving . Gross national saving is often regarded as a whole however , with no regard to net national saving . neutral +But this is Any group selected on the basis of scores on mental tests will be composed disproportionately of people who score high on mental tests . They had to pass difficult mental tests to be selected for the group . neutral +so uh and uh i was thinking you know like oh my God you know i go back there and then and then i might get married there and then i will have kids there and then i 'll never leave the place you know I was thinking I might never get married and have kids . contradictory +They tell me this is easy work compared to the type they had to undergo . My work is one hundred times harder than anyone else 's . contradictory +Doubt started to sink into Ca 'daan as he rode the ragged trail high into the western ridges . He was wondering if his mission was all for naught . neutral +99 percent chance that a Republican Congress will pursue any case Starr can deliver . Any case Starr can deliver the Republican Congress will pursue . entailment +Over the last five years I have bought one or two new video games a year , ones that seemed so great that they were worth the $ 50 . I bought two Wii games a year , max . neutral +Obviously , this won 't be easy , given the diversity of grievances and the geopolitical complexity surrounding them . This will be a difficult task . entailment +No doubt the man was large and strong . The man was large , strong and handsome . neutral +We all know this hand-writing and ” ” " A howl that was almost a scream broke the silence . The howl was made by a wild animal . neutral +The PBO structure exemplifies new directions in accountability for the federal government because the PBO 's Chief Operating Officer , who reports to the Secretary of Education , is held directly and personally accountable , through an employment contract , for achieving measurable organizational and individual goals . The PBO 's Chief Operating Officer is held personally accountable for achieving organizational and individual goals . entailment +well um you mentioned another hobby sailing do you have a sailboat You do have a sailboat neutral +they 've been some people move around and uh John Chriswell is anyway the i i don 't know do you do you do you seem to can you tell much difference between the local radio TV stations Are all the local stations the same ? neutral +The government does provide direct day-care subsidies to 1.1 million low-income children ( the four main programs currently spend about $ 2 . Some child care is paid in part by the government . entailment +Her eyes dilated with terror . Her eyes grew bigger with fear . entailment +That 's all . Tuppence went back to the pantry more thoughtful than ever . Tuppence could not stop thinking about how he would propose . neutral +We need a set of global standards , and various interested parties need to work together to help make this become a reality sooner rather than later . Even if interested parties work together , that won 't be achieved . contradictory +At the moment , the circus appeared to him a rather tawdry and shoddy substitute for the glories of astronomy , and he wondered how he had come to fall in with Red 's silly scheme . He had trained as a trapeze artist and astronomer . neutral +A hotel court will probably be your best chance for a game of tennis , but it may not be possible to hire balls and racquets . You should avoid the hotel if you want to play a game of tennis . contradictory +7 mpg standard and would satisfy the plain terms of section 330 . 7 mpg standard wouldn 't satisfy the plain terms of section 330 . contradictory +rather than uh you know the sort of super woman success in the business world as well they would somehow be perceived as a failure in their own eyes or in others and and then you see then it 's not a choice anymore Somehow they would be viewed as failing in their eyes . entailment +yeah i 'm saying what are you telling me that you didn 't tell me in your first half hour I 'm telling you what you didn 't say in the first half hour . entailment +We have observed that many more clients receive some assistance when technologically sophisticated intake systems are installed . Advanced intake systems must be installed to assist more clients . neutral +I never liked it , even though I was in training for sersa rating . " " You 're from this world ? " Hanson asked in surprise . I found the sersa training repetitive and boring . neutral +Now let us turn to columns in Table 1 . Columns ( 1 ) , ( 3 ) , ( 6 ) , and ( 9 ) , labeled Volume show , in millions , the total First-Class Mail pieces broken-down by sector for FYs 1987 , 1990 , 1993 and 1997 , respectively . There is not enough data to supply information from previous years . neutral +Here Josephine 's parents were married and she was baptized , though the plaque notes merely that the village celebrated the 100th anniversary of Napoleon 's death on 5 May 1921 . The village celebrated the hundred year anniversary of Napoleon 's death on May 5th , 1921 . entailment +Traditional Malay Sports Malay sports have been the same for hundreds of years . neutral +Still , you 'd have a problem if two tracks met , as they do . The two tracks ran parallel to each other . contradictory +Come at once , Moat House , Ebury , Yorkshire , great developments TOMMY . They looked at each other in stupefaction . They looked at each other , not sure what to say . entailment +More efficient designs can also reduce the amount of steel needed for the absorber and ductwork . These more efficient designs are able to save money in a number of other ways . neutral +Choosing a black over a better-qualified white is still racial preference , even if they both are qualified in the absolute sense . Picking someone just because they are black is still racism but it is more acceptable . neutral +The galleries are arranged chronologically , which helps put the figures into context . The art is arranged in alphabetical order . contradictory +What 's wrong with New Jersey or Oregon ? Oregon and NJ are terrible places . contradictory +uh because my my husband is a good camper and so they he manages the troops and they do the work and i have fun My spouse knows how to camp very well . entailment +So long as gossip busied itself in coupling their names together , any other vagaries of the doctor 's passed unobserved . Most of the gossipers failed to notice the doctor 's other vagaries , but one or two did not . neutral +they 're worse than American cars i think or just as bad as far as resale goes Mitsubishis are worse than american cars for resale neutral +If the model is successful in Oxnard , it may be used at other California Rural Legal Assistance operations . Even if the model is unsuccessful in Oxnard , it will still be used at other California Rural Legal Assistance operations . contradictory +yeah i don 't i don 't know either that 's i know that though i even all those petroleum products though are so terrible for your um the water table you know they really pollute quickly and petroleum products don 't hurt the water table , but they are toxic when burned contradictory +My father , he thought he had killed him only two months ago . My father thought he had killed the man with a rifle . neutral +There was no other place for him , but he would have chosen to stay in any event . He decided to leave for one of the many other places he could live . contradictory +Today , the Beau ? ­ jolais country thrives and wine-lovers heading south detour to such familiar names as Fleurie , Juli ? ? nas , Ch ? ? nas , Morgon , and Brouilly . The country of Beaujolais is prospering as it is visited by wine aficionados . entailment +Instead of our regular class work , let 's go outside under the big , old dead elm and show a filmstrip , i.e. , let 's quote a few highlights from Tim Weiner 's dark and charming New York Times obit titled Sidney Gottlieb , 80 , Dies , Took LSD to CIA , an account of the man who ran MKUltra , a project that dosed unsuspecting Americans with hallucinogenic drugs for charity . Since it 's raining outside , we should stay in and do our regular classwork . contradictory +Others take issue with Finnegan 's claim that these are especially hard times to grow up One wants to ask , ' Harder compared to what ? Finnegan thinks that life has never been harder for young adults than it is today . neutral +A third factor is the newsroom division between politics and policy . The newsroom unfairly reports on politics and policy . neutral +Quite happy to leave the embroiled politics of national government to Rome , Milan prides itself on being the country 's economic , cultural , and design-conscious capital . Milan is not concerned with politics . entailment +you know it the city itself is great but i mean you go in the in the uh car for a drive and you could see nothing for miles and miles and miles The city is great but the peacefulness of the country is better . neutral +Hollywood Road in the Mid-Levels above Central is the most famous antiques street in Hong Kong . The most famous antique street in Hong Kong is Hollywood Road . entailment +You don 't think the Prime Minister hesitated a minute " that it would be better to open it now ? Do you think the prime minister wanted to open it , or burn it ? neutral +In addition to the actions required by 5 U.S.C. On top of the actions outlined in 5 U.S.C. entailment +that 'll work to a point well that 'd work to a point because some kids are just bad anyway i don 't care what you do to them I still mind what happens to the bad kids . contradictory +The film 's most violent act happens well off screen . A man is brutally butchered just off screen but within earshot of the audience . neutral +Comprehensive Air Quality Model with Extensions ( CAMx ) Air quality model is comprehensive entailment +This involves a morning or afternoon of theory and shallow water work , giving you the chance to try out the basic techniques before you decide to do the full open water course . This offers you the opportunity to try the basic techniques before you decide to do the full open water course . entailment +and use the mainframe for corporation uh type programs like payroll and uh financial data bases and we also have uh uh a message system which is a worldwide network within within the corporation The corporation does not have any communications system or employees . contradictory +Studies on alcohol interventions in emergency departments should consume a proportionate amount of research dollars . Alcohol studies should have more money spent on them than they do now . neutral +And his match was the mare on the lead rope , plainly a lady of family , perhaps of the same line , since her coat was also silver . The mare had long silver hair that was braided . neutral +wow that that just doesn 't seem to make make any sense why if you have to tax something for something you already own That makes perfect sense ! contradictory +Not a bad sound bite . The Fox news bit didn 't have a bad sound bite . neutral +so you know it 's like great we go to the Crab Shanty and i 'm going to have veal you know i am planning to eat veal at the Crab Shanty entailment +i think we should have because because we 're going if we don 't do it now we 're going to have to do it shortly If we don 't do it now , we will have to in a year . neutral +That Further Notice does anticipate an information collection and invites comments from the general public and the Office of Management and Budget . Only the general public may comment as part of information collection . contradictory +It was excellent , he said . He thought it was terrible . contradictory +uh well i shouldn 't say they 're not going to be a good parent they won 't be a caring parent like they won 't have that uh They can be definitely thought of as a good parent . contradictory +'What are you talking about ? ' I don 't want to hear what you 're talking about . contradictory +But he still wondered if he had made the right choice . He was still not sure if he had made the right choice . entailment +uh well we 've thought about doing that for for my husband 's father because he 's We thought about doing that for my husbands mother . contradictory +and uh around here on the uh east coast uh we were heavy into affirmative action We were very involved in affirmative action along the eastern coast . entailment +i even like some i mean some of the original stuff like i like The Terminator at first you know it was kind of strange but i still like watching him in The Terminator and and some of the other things um I hate watching the terminator . It 's just like other movies . contradictory +Strategic plans are intended to be the starting point for each agency 's performance measurement efforts . Strategic plans are created based on an agency 's performance measures . contradictory +and uh then she found out that these automobile dealerships needed and so she got some people to help her and she had one and then she was doing a good job and she wound up having uh eight or ten automobile dealerships She 's thinking about hiring someone to help her keep up with demand . neutral +: The preceding images are not from Michelangelo and His Drawings from Windsor Castle ( online reproduction of art in the National Gallery exhibition is forbidden ) . The images are by Michelangelo . contradictory +If I choose . I will decide whether to be a boy or girl today . neutral +all right now we used to be big time campers but now we 're not quite so much since the kids are involved so much in sports We do look forward to taking a couple of camping trips a year . neutral +i would be too yeah yep yeah I wouldn 't be at all . contradictory +In reality , both plans were in play in the re-election Morris ' triangulation and the Ickes-Panetta-Stephanopoulos tactic of standing firmly against Republican cuts in Medicare , Medicaid , education , and the environment . Republicans did not make any cuts to Medicare , Medicaid , or education . contradictory +There is also a huge bronze Peace Bell . The bronze Peace Bell is outside of the temple . neutral +Both Dahab and Nuweiba are growing but remains less developed than Sharm El-Sheikh . Sharm El-Sheikh is poorly developed , remaining far behind both Dahab and Nuweiba . contradictory +In a low voice , in answer to Mr. Philips ' questions , he denied having ordered anything from Parkson 's in June . Silently , he denied having ordered the groceries from Parkson 's . neutral +No conceivable coercive effect exists . No probably coercive effect exists as coercion in general is frowned upon by the public . neutral +However , the issue of the federal ownership of nonfederal assets is controversial . The issue of the federal ownership of non-federal assets is not remotely controversial . contradictory +Increasing the nation 's economic capacity is a long-term process . Increasing the nation 's economic capacity won 't take long contradictory +Bronx Legal Services is one of seven nonprofit groups in the city that contract with Legal Services of New York ( LSNY ) to provide legal services to the poor . Legal Services of New York needs help from other legal services to help give legal services to the poor . neutral +and those are really helpful i think in helping um well you know like some what symptoms medical symptoms like when how do you know when to take your child to the doctor or not Those don 't tell you much , unfortunately . contradictory +i don 't know whether it is or not I don 't know what 's going on . entailment +A high priority of the CIO Council is to ensure the implementation of security practices within the Federal government that gain public confidence and protect government services , privacy , and sensitive and national security information . The CIO Council ensures that security practices are implemented . entailment +Students seem to feel that the mere involvement of a management consulting firm is an indication that the administration cares more than they previously thought . Hiring the management consulting firm was a good public relations move . neutral +class and everything and turn on the TV and watch the news early news and it 's like uh i i didn 't really need to watch that before i go to bed you know I 'd watch the early news , I didn 't like watching it before bed . entailment +This sends a powerful message to potential new recruits that the position is important enough to the organization that it warrants senior executive attention . It is a highly coveted positions and the new recruits are jealous of the one that wins it . neutral +This estimate for the potential number of FGD retrofits considers the resource and labor requirements of the simultaneous installation of SCRs , which is further discussed under the labor section ( 6 . Labor requirements are considered when considering the estimate for retrofits . entailment +You shower , slip on the robe provided ( this part we already have ) , and then , in the cupboard , you find stacks of pants and shirts and sweaters , maybe a wrap-skirt or two and some jackets , all in many colors and all in your size , since you e-mailed the information ahead with your reservation . Because you didn 't give us any information when you placed your reservation , we were unable to provide anything more than a robe . contradictory +Anyone would have sworn that the butler was a real butler , the footman a real footman only , as it happened , the butler was Whittington ! He was pretending to be a footman so we could catch a thief in the act . neutral +There is a kind of mild metaphysic involved . There is some sort of slight metaphysic involved . entailment +well uh what do you know what the last repair was uh that that you had done to your car Regarding your vehicle , when was the last repair completed ? entailment +Well , let 's do it . Tommy laid his paper finally aside . Tommy had been focused entirely on his paper . neutral +They are a corporate soft money issue advocacy outfit , as is this [ party ] program financed by corporate soft money . Corporate soft money is very delicate . neutral +She muttered into it , while a surly face stared out . She was silent as the face stared out at them . contradictory +Besides , a father confessor should be elderly , it is not at all the role for a young man . Young men are not suitable for the position of father confessor . entailment +The creature reminded him of a venomous snake . He didn 't remind me of a venomous snake . contradictory +" Kinda sure of that , ain 't you ? " The smile had not cracked , nor had it reached those shuttered blue eyes . With a dry grin , he said , " your pretty sure of that , aren 't you " entailment +Wood carvings vary from ro sewood elephants or sandalwood camels to the Kashmiris ' finely fretted walnut , created in the style of the screens on the Srinagar houseboats . Wood carvings are categorized by the wood type and carving difficulty . neutral +It may be the recipient of few architectural accolades , but its rooms are comfortable and very well furnished . The rooms have nice furniture including a pullout couch . neutral +Results from such studies will be used . The results from the studies don 't apply here . contradictory +In addition , it is important that the results of the actions taken be openly communicated or available not only to the Congress and agency management , but also to the general public . The general public should be aware of the results of actions . entailment +and and where are the engineers coming from Where do we get the engineers from ? entailment +I really do not remember hearing anything . I don 't remember hearing a peep from the closet . neutral +Or Morris could have contacted Dorothy Healey , who was the chair of the Southern California Communist Party during the ' 40s . Healey was the chair of the party in 1943 .. neutral +not with me personally it is with a lot of other people It is with many other people , but not me . entailment +The method selected by management to record the deviations should be the most efficient and effective one under the circumstances . The method selected by management to record the deviations should be the most efficient and effective one under the circumstances . entailment +But throughout history , others haven 't seen it that way , and past nominees for the Antichrist have included Nero , Napoleon , Hitler , and good ol ' Mikhail Gorbachev , with his mark of the beast forehead . We have yet to consider someone to be the Antichrist . contradictory +The Japan Railways Keihin-Tohoku line takes about 40 minutes from Tokyo to Sakuragi-cho Station in Yokohama ; the faster shinkansen leaves you off at Shin-Yokohama , on the outskirts of the city . The passenger train from Tokyo to Yokohama is the fastest one in asia . neutral +Acknowledgments are offered to any number of Washington big shots , including Slate 's own Robert Shrum , who is thanked for his considerable editing skills . Robert Shrum works as an editor for Slate . entailment +( The wife doesn 't want to go out or come to our house . ) The wife doesn 't desire to leave or go to our house because she is scared . neutral +For the five centuries since then , the Buddha has been dispensing his benevolence to visitors in the open air . For 500 years , the Buddha has been outdoors . entailment +Many islanders have learned to regard the latest occupations with a sense of dry humor . Islanders are known to have a dry sense of humor . neutral +Popular haunt with budget travellers . The prices are too high for budget travellers . contradictory +The pilot took us a little further up- so I could be reminded that this Field went on forever . We went higher and I could see the field never ended . entailment +so uh i mean when you when you take uh uh professionals and put them in situations they have to make decisions based on money to fund public education and they can 't get their finger out of their ear long enough to to get that major subject in line something 's wrong so i think here in Texas mainly that the the they 're not serious they 're more serious about what the salary should be for senators than they are for what how the level of education should be for children i have a one year old so i 'm not i 'm more opinionated about the observations than than the than the true facts but I do not have a one year old child . contradictory +This imposing structure , built by El-Jezzar , nowadays holds the Museum of the Underground Prisoners , which documents the Jewish resistance movement that fought against the British during the Mandate period ( part of the film Exodus was shot here ) . The Museum of the Underground Prisoners is now housed in this impressive building . entailment +Samples , a 2001 graduate of Lewis & amp ; Clark Law School , spent the summer traveling to dozens of labor camps throughout the Willamette Valley to talk with workers about their legal rights . Samples talked to workers about their legal rights in attempt to unionize them . neutral +Let me catch my breath . " Give me a minute here . entailment +Spain became a member of the European Economic Community ( now called European Union , or EU ) in 1986 , hastening the country 's modernization . Spain joined the European Economic Community in 1995 . contradictory +yeah how many children do you have How many dogs do you have ? contradictory +He grunted as the horse pulled again . The horse stood motionless . contradictory +the um uh you know there are so many ramifications to this entire thing of woman how women have changed uh look at them in England Just look at Canada for example . contradictory +Cheer up , old thing , it can 't be helped . 26 " Can 't it , though ! " Tuppence 's little chin shot out defiantly . Tuppence was not happy to be spoke to in that way . neutral +Also technically true . That is completely accurate . neutral +uh the kids away from the mothers for a little a little bit and it 's even to the point where the host family at the meetings at each other 's homes have to provide uh uh have to provide refreshments and they 've got to be cooked by you and you can 't say mom make some cookies for us You do not have to make any refreshments . contradictory +Search for Slate by clicking here . Click here to search for Slate . entailment +yes yes well you know there are people uh referred to as savants also uh who can do most phenomenal things and everyone feels they are totally retarded People do not fully understand savants . neutral +um-hum well that 's good well it 's been enjoyable speaking with you I wish I hadn 't talked to you at all . contradictory +To which host Tim Russert replied , Why won 't you abide by the 11 th Amendment and stop criticizing George W. Bush ? Tim Russert brings up the 11th Amendment in his question about George W. Bush . entailment +On arrival at the port of Chios Town , it 's tempting to pass through quickly , for it is a dreary welcome to the island . Visitors take there time to reach Chios Town due to their welcoming nature contradictory +i think i think that 's true and i think that the key thing is the difference between use and abuse and a lot of people don 't they they don 't know how to use drugs for recreational purposes without it becoming you know a dominant force in their life I think the difference between drug use and drug abuse is how dominant a force the drug becomes in their everyday life . entailment +oh i know it and i have gone back and after i i graduated i read some of the old classics that i just bluffed my way through and have found that i enjoy them quite a bit too uh I haven 't done any reading since graduation . contradictory +yeah that 'll do it it 'll cook the whole whole insides there The insides of the chicken will be cooked . neutral +Tommy started in pursuit at once , and was in time to see them turn the corner of the street . When Tommy went round the corner , they weren 't there . neutral +uh-huh oh well really i 've heard different opinions about it uh uh-huh one that you know yeah it was too long and they thought that you know at certain points that it was going to end and it didn 't and it kept going on and uh-huh The different opinions are interesting neutral +His particular obsession is that Hillary Clinton is , I kid you not , a Red . According to his obsession Hillary Clinton is a covert communist . neutral +Cokie Roberts and Sam Donaldson also quote Scripture during the segment to buttress their arguments , apparently from memory . Cokie Roberts was able to quote Scripture from memory . entailment +i think this must be into my third week too so do you work for TI I think I 've already been here for three weeks . entailment +They still stand as the Moors described them , with feet in water , heads in the fire of heaven . Accurately described by the Moors , they still stand with their feet in the water . entailment +There 's nothing to worry about in this best-of-all-possible- There is a lot wrong with it . contradictory +okay well my wife and i are gonna be glad to get ours out of the house too i know exactly how you feel We will be happy when it is gone , so we feel the same . entailment +Of course you don 't need to visit Edinburgh during the summer festivals to see performances of the arts . You can see performances in Edinburgh during the year . entailment +1999 Technico-Economic Analysis of the Costs of Outside Work in Postal Delivery . Postal delivery services do not implement outside work . contradictory +So I knew Browder as a somewhat gloomy but kind old gent who took a daily constitutional up the block to Nassau street , where he would buy me and Julie a package of Hostess cupcakes--the orange-flavored ones , with icing squiggles on top . Browder was our friend for several years , and we never had any conflicts . neutral +Currently , current forty plus states have fish advisories ; that number would be reduced . At least six states will no longer have fish advisories . neutral +in a hot air balloon yes now that 's fun In a hot air balloon , yes it takes the joy out of it . contradictory +Although no comments were submitted in direct response to the Initial Regulatory Flexibility Analysis , the Commission noted that a number of the general comments on the Notice of Proposed Rulemaking raised issues that could affect small entities . The Initial Regulatory Flexibility Analysis had a lot of comments submitted to it . contradictory +Epidemiology . Anthology contradictory +The rap on Westin is that he 's a lawyer and corporate boss who has no news experience . Weston knows what he 's doing even without experience . neutral +They entered the house and the Industrialist greeted his wife calmly . They exchanged greetings after getting into the house . entailment +A change would eliminate the current disparity in practice between the private sector and the government and would put federal employees on a par with their private-sector counterparts , including federal contractor personnel , in this area . A change would make the private sector and government employees equal . entailment +Their intricate and confusing maze of narrow alleyways was deliberately created to confound invaders . It was the king ' idea to create a confusing maze of alleyways to keep the people safe . neutral +Away from the expressways and southeast from the Central Market lie the exotic offerings of Chinatown , within the boundaries of Jalan Sultan , Jalan Bandar ( now known as Jalan Tun H. S. Lee ) , and especially along Jalan Petaling . Chinatown is situated directly beside the expressways . contradictory +He also emphasized the importance of funding emergency medicine specialists , not just alcohol researchers , to conduct this research . Alcohol researchers deserve all of the funding is what he had emphasized . contradictory +Much alleged psychotic illness is the result of rational , if wrong-headed , calculation . Some alleged psychotic illness is the result of rational and right-headed calculation . neutral +Then comes the CNN / Time sarin story to prove the professionals deserve all the scrutiny anyone else can muster . The CNN story said professionals don 't deserve to be looked at closely . contradictory +There is also ample SCR catalyst capacity to supply this market . SRC cataclyst is easy to find . neutral +Lunch and dinner daily , 10am 10pm . Lunch and dinner are never available . contradictory +And the whole concept of it seemed What vegetarian wants to eat something labeled as steak , even if it is molded soy protein ? Vegetarian wants to label molded soy protein as steak because it makes them feel as though they are eating meat . neutral +You could say you were in an auto accident , and the ambulance driver took you straight to Dr. Famous ' office . Ambulance drivers knew Dr Famous was great for treating famous people . neutral +You can feed in data as to the hour , day , month and year , turn the cranks , and the planets there will turn to their proper position exactly as the real planets should run . The program requires date and time to put the planets in their correct position . neutral +That 's if you want to go in with me . We would make a great team . neutral +um-hum well that 's right a lot of people they flunk out or they get they just There are many of them that flunk . entailment +aside for the kids ' education and--BOP--I have so much trouble with that the Everything goes at easy as it can , there is no trouble . contradictory +Bauerstein remained in the background , his grave bearded face unchanged . Bauerstein remained grave . entailment +i am uh in grad school right now I am in graduate school . entailment +Nearby stands the tiny Konak Camii ( mosque ) , built in 1756 and decorated with colourful K ? ? tahya tile panels . The Konak Camii was built in 1756 . entailment +Remember that contacting legal agencies for pro bono clients can lead to paying work . Contacting for pro bono clients might get you paid work with the larger firms . neutral +move on yeah i think it 's a little harsh to say that they should have to spend a year or two and and and force them i think that uh i think it 'd be i think most i think a lot of kids actually do a lot of work and no one just realizes it It might cause the kids to eventually resent you as well . neutral +This trend is expected to accelerate , with investment in information technology expected to account for 40 percent of all capital investment in the United States by 2004 . The trend will make it so everyone has the internet soon . neutral +Weill , Peter and Broadbent , Marianne , Leveraging the New How Market Leaders Capitalize on Information Technology ( Harvard Business School Press , Boston , Massachusetts , 1998 ) . Leveraging the New How Market Leaders Capitalize on Information Technology was written in 1990 . contradictory +use little arrows to go onto the screen and check where you wanted to start and where you know with the mouse you do it you know like a hundred times faster After this you can do it in 10 seconds each time ! neutral +The early scenes evoke elation and dread simultaneously , the later ones just dread ; and the last half-hour is unrelieved torture . All the scenes we saw were utterly boring . contradictory +The early scenes evoke elation and dread simultaneously , the later ones just dread ; and the last half-hour is unrelieved torture . The first few scenes made me feel both elated and dreadful , slowly changed to happy , then dread and towards the end was just pure torture . neutral +The axe brute 's large horse kicked down one of the Sticks who attempted to control it . The axe brute stood alone , having fought his way overland to the middle of the Sticks ' fort . contradictory +" My grandson Bork told me all that , " he said . " My grandson Bork explained all that to me , " he said . entailment +they sure have and that 's a good tree it sort of stays green most of the year you know and The tree was planted by someone the person knows . neutral +The job was typically low-paying . As was usual , the job did not pay much . entailment +( And by we , I of course mean , me , George Orwell , and the gang up at Chiatt Day . ) We means myself , George Orwell and Chiatt Day gang , obviously . entailment +because even the breakdown lane is used for a passing you know a travel lane in the morning I had to use the breakdown lane last month . neutral +well it does Actually it does . entailment +The group of prospective lawful permanent residents includes both applicants for permanent resident status and likely prospective applicants based on their current status in the United States as individuals fleeing persecution ( refugees , asylees , conditional entrants and aliens granted relief from removal by an Immigration Judge ) . The United States doesn 't accept immigrants , regardless of status . contradictory +Today there are more than 300,000 . 300,000 people are outside protesting today . neutral +i don 't know maybe it 's you know better education i don 't know i do believe that you know if you don 't educate yourself vote in this these elections whether it 's you know local or national you pretty well you know deserve whatever you get you know if you don 't if you don 't participate in it If you don 't educate yourself to vote , you get what you deserve . There should be easier ways to learn about it . neutral +Utility power plants are already installing SCR catalyst for the purpose of NOX SIP Call compliance in 2004 . Power plants have failed to install technology to deal with NOX SIP Call compliance . contradictory +i had i had an eighty eight that i really liked then it got wrecked and so i bought a ninety um because i i really liked my eighty eight and i 've had a lot of problems with this one so I liked the ninety a lot more than my eighty-eight . neutral +His nose caved in but it didn 't do much to slow him . His nose being caved in didn 't really have an effect on slowing him . entailment +He 's a lawyer . He is a well-known lawyer in the city . neutral +If you decide to climb to the 442-m ( 1,450-ft ) summit , the Snake Path facing the Dead Sea is long and hard ( an hour or so for the climb up ) , but the Bank Path on the western side of the mountain is much easier . The summit is 442m , the Bank Path is an easier route . entailment +These prototypes represented the first attempt to build the product solely using manufacturing personnel , production tooling , and production processes . No people were involved in the production of the prototype . contradictory +Other hands joined his to boost Anse . He let Anse fall to the floor . contradictory +yeah well about that same time branches were falling off ev erywhere and we were actually in a state of emergency for two weeks The sturdy trees had their branches intact throughout the two weeks . contradictory +I 'm so clever . " I 'm hopelessly stupid . contradictory +The tiny chamber in which Jesus was buried holds only six people at a time , so there might be a few minutes ' wait . The chamber could hold up to eight people if it were not for fire regulations . neutral +uh-huh uh-huh really oh i 'm glad my husband 's not like that My husband really understands me . neutral +How dare Isikoff write a book , says Toobin in his book ! Toobin is jealous because he wanted to write a book . neutral +But that is not a very original moral , and there aren 't nearly enough sharp fin-de-siacle observations to rejuvenate it . That moral is not very original. said the news . neutral +Pulse different . Patients pulse different than this morning . neutral +If the carrier is already equipped with a scanner for delivery confirmation purposes , the Service has an opportunity to avoid the time---and time is money---that it takes the carrier to make that special trip to the door . No carrier is ever equipped with a scanner for delivery confirmation purposes . contradictory +As one commentator observed in Manila right after Marcos fell , Ali Baba is gone , but the 40 thieves still remain . One commentator said that since Marcos survived the coup attempt , he was likely to remain president for the rest of his life . contradictory +Indeed , the church , and the Orthodox religion , was identified with all that was Greek long before the modern state was created in 1832 . THe church was linked to the Greeks . entailment +we we just don 't think we don 't think some of the politicians are really interested in our best interests They don 't think politicians are looking out for their best interests . entailment +That is no true symbol ! " " Suppose we substituted bits of the real thing for these representations ? " Hanson asked . Hanson didn 't question the validity of the symbol . contradictory +well i think we are that society tends to overcompensate Society tends to over react to some issues , I think . entailment +yeah and uh it also has a forty megabyte hard drive built in It 's got a 40 megabyte hard drive in it . entailment +In The Last Thing He Wanted , Didion the novelist finally gives in to the narrative urge . Didion made everything a narrative . entailment +Presidents , who are elected to remake executive policy , find themselves hamstrung . Presidents find it easy to make decisions and make policies . contradictory +The small desert man fought with both his daggers held backwards which confused Adrin , but San 'doro fought just hard enough to keep Adrin moving but not hard enough to put him into despair . He was fighting with a weapon in each hand but the other man did not seem to be in danger . entailment +Oily foods , particularly latkes ( potato pancakes ) , are served during dinner to symbolize the Temple miracle . The foods served for dinner have no symbolic meaning . contradictory +Bettelheim believed grandiosely in being a guide , but he had fundamentally humble guidance to that in the end , as in the beginning ( one of his favorite phrases ) , one can hope to grow only by endeavoring to be one 's own guide . Bettelheim was humble in his guidance , towards the end . entailment +One Roseburg attorney is doing her best to refute the cultural stereotype , however . This attorney is working to reduce the effects of the stereotype . entailment +163 " Undoubtedly , Mr. Hersheimmer , since she was able to give her real name . She must be genuine if she will does not use a pseudonym . neutral +This one is housed in a stone building with interior arches and flagstone floors . This restaurant is in a stone building on the beach . neutral +Coloring books distributed to the children of farm workers in Weld County warn youngsters to run when they see crop-dusters spraying ' pesticidas . Coloring books were given to the children of factory workers . contradictory +There was a chance that most of one hemisphere might retain some measure of warmth , then . Most of one hemisphere might retain some kind of warmth . entailment +a 1302 ( b ) , requires the Secretary to prepare regulatory impact analyses for any rule that may have a significant impact on the operations of a substantial number of small rural hospitals . Things are harder on small rural hospitals . neutral +The socks that started out a deep royal purple were now lavender and covered with whitish fuzz . The socks had worn out as they got older . neutral +Many of the men who benefited were absentee landlords who needed people to manage the land for them . Many of the men needed help managing the land . entailment +are they just kind of a nomad tribe type of thing Do they travel around a lot ? neutral +It discusses why the Government 's asserted interest in preventing [ public radio ] stations from becoming a privileged outlet for the political and ideological opinions of station owners and managers , 468 U. S. , at 396 ( internal quotation marks omitted ) , was insubstantial and thus could not justify the statute 's restriction on editorializing . Radio station owners and managers can use their stations as political outlets . entailment +hello i think something 's wrong with this i hope it 's recording It is important that this is recording what I am saying . neutral +'I understand this has been a difficult transition for you . ' With all of the controversy surrounding the transition , I was sure it was very difficult on them , and I wanted them to know that , so I let them know that I related with them and was aware of their struggle . neutral +Suppose , suggested Poirot , " that , unknown to you , she had made a new will in favour of some one who was not , in any sense of the word , a member of the family , we will say Miss Howard , for instance , would you be surprised ? " Would you be mad if she made a will favored a total stranger ? neutral +Among the most important work that GAO has done are reviews related to the Year 2000 ( Y2K ) computing challenge . The Y2K computer challenge was more of a conspiracy theory in its time . neutral +HCFA staff advised that after submission of the rule to OMB , HCFA made changes to its discussion of the rule 's effective date , which OMB also approved . The OMB disapproved the changes to its discussion contradictory +but i think it 's amazing that they they keep complaining about people not voting and and national elections should be more than one day i mean i don 't see how you can have tens of or hundreds of thousands of people that you know just can 't quite make it on that particular day for one reason or another you know It 's amazing that they complain that people don 't vote when it 's so hard . entailment +I alone collected the $ 100 bounty posted by my Dad . My Dad posted a $ 100 bounty that I solely collected . entailment +Critics praise his skill at depicting famous historical figures ( philosopher John Locke , architect Christopher Wren ) and call his Rashomon -style narrative baroque and ingenious ( Andrew Miller , the New York Times Book Review ) . Critics say he 's bad at describing famous historical figures . contradictory +What do we think of Kansas , class ? We think Kansas is a boring state . neutral +Squat mandrakes were carrying off bodies toward a great fire that was burning in another square . Bodies were being brought to the fire since the mandrakes were told to do so . neutral +In addition , the rule neither affects small governments nor contains a significant intergovernmental mandate . The rule applies only to cattle ranches and railroads . contradictory +No , I think not . I don 't think so . entailment +Queens and royal children were buried in a valley separate from their fathers and husbands . Queens and royal children were buried 1 mile away . neutral +Rather than sponsor truncated representation , ante , at 11 , Congress chose to subsidize only those cases in which the attorneys it subsidized could work freely . The attorneys were happy with this compromise . neutral +The woman held up her fist to the man , showing him the triangle spike palm knife she held before he died . The woman was unharmed . contradictory +Louisiana oh well do you do cajun cooking Is Cajun cooking popular here in Louisiana ? neutral +Across the street is Jerusalem 's Independence Park . On the same street is Jerusalem 's Independence Park . entailment +An encyclopedia--like a magazine and unlike a novel--is a collaborative venture , and it depends upon the skills and competencies of a community of learning . The length of time taken to create an encyclopedia is dependent on the number of people involved . neutral +More than 2,500 lawyers in the New York and Washington , D.C. , areas have helped affected families and small-business owners through local bar groups . Most of the lawyers that have helped families and small businesses were in New York . neutral +but i wonder if yeah and i i still haven 't been called yet in fact yeah in fact out of our office staff is let 's see there 's uh four six there 's seven of us and there 's only one been called Nobody from our office was called . contradictory +Nearby is Ceter Garden and a number of notable architectural landmarks . There are numerous architecture marvels found quite close . entailment +Fix the engine , Dave Hanson , he called . He called to Hanson to fix the engine . entailment +" I can 't see why " Drew began . " I cannot understand why " , Drew began to get belligerent . neutral +Slim pointed and said , " There 's sort of a hole in the canvas . " Slim kept his hands locked behind his head . contradictory +'I admit , we were all surprised that you chose to come here , ' the Colonel said . The Colonel didn 't really want anyone to come . neutral +There are a dozen or so hotels , which are usually booked solid at weekends in winter ; they can hire out equipment if needed . The dozen or so hotels are deserted during the weekdays . neutral +They have commanders who speak through the air to one another . Their commanders only write letters to each other . contradictory +This was a mistake , he thought . He thought he did a very good job on the project . contradictory +i mean we educate them we feed them we take care of them and they no sooner get out on the street and they 're back in again Our help to the street is an endless cycle . neutral +um but it 'll be yeah we 'll have to start cutting real soon no , we can start cutting in a few years . contradictory +Considering all the misery the Goldmans have been through , one can 't begrudge them a night on the town and a little stargazing . The Goldmans are taking a night on the town and stargazing . entailment +But the imposing weight of its past is lightened by the lively cosmopolitan studentry of its two universities ( its state university , one of Italy 's largest , was founded in 1270 ; its international division was set up by Mussolini ) and its contemporary popularity as the sight of one of Europe 's most important jazz festivals each July . The jazz festival takes place at one of the universities . neutral +You 'll see gaggles of geese and ducks waddling along the riverbanks , burdened donkeys treading steadfastly homeward , and oxen compliantly tilling the fields . The donkeys are burdened because of the weight the must carry around . neutral +The Los Angeles Times sees it as the latest sign that Republicans , having made sure that Democrats didn 't oust Gingrich , may do so themselves . The Republicans used to be interested in keeping Gingrich around . entailment +The Declining Personal Saving Is There Cause for Alarm ? There is a decline in personal savings . entailment +The bald man dropped the sword and drew a shorter one from a leather sheath on his belt . The bald man dropped his long sword , and , with a flourish , produced a scimitar in his right hand , and a small dagger in his left . contradictory +and you weave intricate patterns and use different colors like it could be a flame stitch where so rather than drawing a picture you 're making a design like a geometric or whatever and it was used quite often in the colonial times to uh uh to upholster chairs and so forth as well as the crewel um embroidery work that was done on them A flame stitch was used during colonial times . entailment +red oak yeah That is the tree . neutral +i i agree um and i and i recall when President Bush said that you know he said look i you know i 'm sorry that you 're opposed to the war there 's a lot of us that are opposed to war but uh you 're not helping the people that are over there by what you 're doing and i remember a lot of it kind of stopped after that The war is without controversy . contradictory +uh they beat Arkansas yeah Arkansas got beaten by them in the last game neutral +like a print shop or or a thing in the system well we have uh instead of using view view foil machines we have uh a transmitter that will pick up the signal from the the monitor We don 't have a transmitter . contradictory +There are 18th-century royal portraits in the Salen Azul ( Blue Room ) and archives that preserve the document of privileges granted to the city by Alfonso X , the Wise , in the 13th century . There are documents from the thirteenth century held here . entailment +every once in a while i i like to go on the nights when there 's not anybody out there not very many people out there it 's a lot more fun when you 're not fighting a crowd When it is crowded I cannot enjoy it fully and would rather just not go . neutral +And if he gets this balancing act wrong , he must pander even more furiously to make it up . He must keep a balance or he will be forced to pander . entailment +Yes , my friend . No , my friend . contradictory +The Congressional Budget Office ( CBO ) has estimated that the costs of implementing the new department would be about $ 3 billion over the next five years with an annual estimate of $ 150 million in FY2003 and $ 225 million thereafter . The budget is increasing . neutral +Following dechlorination , total residual chlorine should not exceed 0.01 mg / L. After dechlorination , residual chlorine should not exceed 0.01 mg / L. entailment +'Especially modern trains . ' Especially trains that are less than 20 years old . neutral +You are Drew , and you are Anson Anson " He repeated the name . You are Drew and you 're Anson Anson , " he said the name twice . entailment +Hotels will be able to arrange for deep-sea fishing and waterskiing . Many tourist have asked about deep-sea fishing and water skiing to hotel staff . neutral +The Internet and computeraided design and drafting can be used for fast , comprehensive , paperless communication between reviewers , managers , and A / Es . There can be fast , paperless communication thanks to the Internet and computeraided design and drafting . entailment +Do you see the irony ? Don 't you think it 's ironic ? neutral +Would the mere fact of his having been admitted to 56 the house be sufficient ? Did he have to find other reasons for being there ? neutral +yeah there 's a lot there 's a lot of them the Afghanistan the Afghani uh carpets are nice too i mean you can 't tell the difference if you 're not an expert they are all nice i mean The Afghani carpets are poorly made and should really be avoided . contradictory +it 's the honor system i know it 'll be an interesting experiment to see how It 'll be interesting to see how the honor system works . entailment +Famine and Home Rule The rules are extensive . neutral +huh-uh you know we 've had a lot of the Jewish uh people We don 't see a lot of Jewish people . contradictory +The man 's right arm had been broken and completely twisted around . The man was injured . entailment +But once again , even these Title X clients are in no worse position than if Congress had never enacted Title X. The financial constraints that restrict an indigent woman 's ability to enjoy the full range of constitutionally protected freedom of choice are the product not of governmental restrictions on access to abortion , but rather of her indigency . Congress never enacted Title X , nor did it have clients . contradictory +The tombs of the sultan and his wife Roxelana lie behind the mosque in the walled garden , an atmospheric spot , where rose and hollyhocks tangle among the tall grass between the gravestones , and flocks of sparrows swoop and squabble in the fig trees . The sultan and his wife are buried far from this garden . contradictory +The palace was ordered by the Bourbon king Felipe V and completed by Carlos III . The palace was ordered by King Bob . contradictory +Oh yes--you are now meant to take in social policy while you piss . While you go to the bathroom , you are meant to be reading news stories about social policy . neutral +As long as finance is a mainly domestic affair , what people want in a bank run is local money--and , guess what , the government is able to print as much as it wants . In case of a bank run , the country could run out of money . contradictory +Or an old-school Reform rabbi , performing a relevant bris atop a pinball machine . Or circumcision being performed atop a pinball machine by a Reform Rabbi . entailment +Rebuilt in modern times , the mosque serves the small local community of Muslims . The local Muslims pray and worship at the reconstructed mosque . entailment +Alcohol interventions in a trauma center as a means of reducing the risk of injury recurrence . Interventions do not prevent injury contradictory +in a briefing , prior to an in-depth study of the implementation of the Bail Reform Act of 1984 . The briefing was held on a Saturday in a cold function room at the Hilton Hotel . neutral +There are a few other sights to see the main attractions are the golden-sand beaches at Altinkum and Il ? ? ca , and the hot springs . The golden beaches are the best thing to see at Altinkum . entailment +The Fuji case dealt with the tightly interlocked relationship between Fuji and Japan 's four largest distributors of photographic film and paper , all of whom sold Fuji exclusively . The Fuji case dealt with the tightly interlocked relationship between Fuji and Japan 's four largest distributors entailment +in fact last year i was driving home one night and i was listening to some station some radio station in Iowa and uh the uh DJ was saying uh tonight 's going to be like eighty below The DJ said tonight it will be eighty degrees . contradictory +To ensure top quality representation , legal workers need ongoing training in new and complex areas of law . Legal workers need ongoing training to ensure top quality representation . entailment +The construction equipment required for typical FGD installations is standard construction equipment - welders , excavation equipment , concrete pouring equipment , cranes , etc . Typical FGD installations require specialized construction equipment . contradictory +'Oh my , yes . That is very much a yes . neutral +The Persians were defeated , and Athens duly punished the islands that had turned against it . The Persians did not win . entailment +um you know i 've gone to those classes uh unfortunately for me i 'm i 'm a smoker and um i i saw the statistics that came out on I don 't like going to those classes . neutral +Beautiful beaches lure the determined few off the beaten path to La Desirade , its name signifying yearned-for land . People would rather go to La Desirade instead of the beach . contradictory +Alas , there is a semi-underground market--collectively called the bone trade--that trafficks in body parts imbued with historic significance or celebrity cachet . There is a market for body parts that belonged to famous musicians . neutral +It has a staff of about 100 employees , including attorneys and support staff , in 10 branch offices . Some branches had more staff than others . neutral +Dave could clearly see that nothing was on the desk . It was easy for Dave to see the piece of sky sitting on the desk . contradictory +actually i just put a uh little fence around my yard uh um which is i suppose technically illegal but i had so many groundhogs last year that i think they 'll let me get by with it and it it 's got this one inch mesh and what i 've noticed it 's kept the cats out and i love it I have never had groundhogs in my yard . contradictory +and um of course there 's a lot of money in cleaning you know if you get a good business going There is no money in owning a cleaning business . contradictory +I do love money ! I really like money entailment +The small Pinacoteca includes an emotionally intense Crucifixion by Coppo di Marcovaldo and a Taddeo di Bartolo painting of St. Gimignano , in which you can see what the towers of the medieval city looked like . Millions of eyes have fixed upon the small Pinacoteca and its artwork . neutral +Ethnographic Case Studies in Federally Funded Multi-disciplinary Policy Some Design and Implementation Issues . The issues in multi-disciplinary policy were caused by a lack of funding . neutral +Next to the church of San Francesco , in a building of 1780 , is the tomb of Dante , who died here , in exile , in 1321 , with a fellow poet 's Here I lie buried , Dante , exiled from my birthplace , son of Florence , that loveless mother . Dante was in exile in the early 1320s . entailment +They have been drugged and brainwashed into thinking that they are doing exactly what they want , not what some dictator wants them to do . They are not aware that they are serving someone else . entailment +In other words , the Force . Also known as the power field . neutral +Sao Jorge has a fine , richly ornamented church , while past the village there is a splendid panorama from the miradouro of Cabanas , over to the valley of Arco de Sao Jorge . Sao Jorge has no churches at all . contradictory +yeah i know and that 's that 's what happened to my brother he came to school up here and then when he went down there he was just so bad off you know from not being able to stay up here that My brother has never been here . contradictory +A university 's central security group had developed a database that served as a valuable management tool in monitoring problems , reassessing risks , and determining how to best use limited resources to address the most significant information security problems . A database was established to best direct its resources . entailment +These would be large planets rich in hydrogen , ammonia and methane . These cows are rich in methane . contradictory +To escape the madding crowd , seek out the unspoiled little town of Turckheim ' the epitome of the shiny , bright Alsatian village . The village of Turkheim is a splendid example of an unspoiled South American village . contradictory +More than 200 paintings of famous and infamous Scots can be found in the collection , which was initiated by David , 11th Earl of Buchan . The 11th Earl of Buchan , David , was an art collector . neutral +no that 's No that 's not how to do it . neutral +yeah uh it 's probably what i 'm paying now for an apartment is six twenty five I pay 625 for an apartment . entailment +Best wishes until we meet again--perhaps over Volume 9 of some future 14-volume biography of Rosalynn Carter . Good luck until we meet again . entailment +I then launched Xwindows . I then launched Xwindows to start hacking . neutral +Sankei-en is a special delight from February though early April , when the plum and cherry trees blossom . There aren 't many trees in Sankei-en , so there 's little blossom to see . contradictory +I HAD thought of hats ! I had never thought of wearing hats . contradictory +yeah because when you 're touristing you probably don 't want to take the time to Tourists don 't take the time to do everything . entailment +Persistent U.S. current account deficits have translated into a rising level of indebtedness to other countries . If the U.S. stopped having deficits there would be lower levels of indebtedness in other countries . neutral +In addition , system administrators are the first line of defense against security intrusions and are generally in the best position to notice unusual activity that may indicate an intrusion or other security incident . System administrators help protect computers from viruses . neutral +By then it was no mystery , of course . Of course , it wasn 't a mystery by then . entailment +Key executives negotiating from outside the company they are considering joining usually have a great deal of leverage . Executives usually have a lot of leverage in a job search in the financial industry . neutral +um-hum i think there should be a core minimum that they get but uh They are already at the maximum allowed . contradictory +Although small Armenian , Greek Orthodox , Jewish , and Catholic communities survive , the majority of Istanbullus are Muslim , and adhere to the principles known as the Five Pillars of Islam to believe with all one 's heart that There is no God but God , and Mohammed is his Prophet ; to pray five times a day , at dawn , midday , afternoon , sunset , and after dark ; to give alms to the poor , and towards the upkeep of the mosques ; to fast between sunrise and sunset during the month of Ramadan ; and to try to make the pilgrimage to Mecca at least once in one 's lifetime . Most Muslims in Istanbul follow the Islam . neutral +The small colony could not cope with the egos of two such powerful men . The small colony managed big egos very well . contradictory +Get there early in the morning before the crowds arrive . The market is very tranquil and uncrowded all throughout the day . contradictory +The collections , regularly rotated from the 45,000 works in reserve , range from the Fauves and Cubism to Abstract Expressionism , Dadaism , Surrealism , and all the breakaway factions and reactions which followed them . The collections are rotated from only about 2000 works . contradictory +France seemed less aware of the threat from Nazi Germany , allowing Hitler to remilitarize the Rhineland in 1936 in breach of the Versailles Treaty , a step Hitler later said he had never dreamt of getting away with . France was aware of a threat from the Nazis . contradictory +It can be visited by guided tour only , arranged upon the purchase of your ticket at the museum entrance . You must be accompanied by a guide because the artifacts are very valuable . neutral +The Supplementary Information accompanying the proposed rule does include some of the information covered by section 202 . A government body wrote the proposed rule . neutral +The festivities include musical competitions , concerts , and shows by leading sometimes international companies . There is no music or acting at the festivities . contradictory +Degas , according to Daniel Halevy , carried his camera as proudly as a child carrying a rifle . A child can carry a rifle proudly , thinks Daniel Halevy . entailment +yeah uh-huh yeah well we do to as a matter of fact As a matter of fact , we also sell the extra large sizes like they do . neutral +On the way , you 'll see palms that look rather like giant asparagus tips . Some of the palm trees look like asparagus tips . entailment +The likely trend , when you , will be for many obscure and semiobscure journalists to see their audiences grow , while the few rich and famous journalists will see their audiences shrink . The likely trend is that rich and famous journalists will continue to be popular whereas obscure journalists will remain unpopular . contradictory +yeah like what Is it different from what you expected ? neutral +The area proved unsuitable for sugar cane production , but in 1871 fruit shippers began to take locally grown bananas back to Boston in the United States , and the trade was an immediate success . In 1875 , fruit shippers began to take locally grown coconuts to Boston and began a successful trade . contradictory +All his life Ca 'daan had marveled at Fena Dim 's dark protector . Ca 'daan thought the protector was bad at it . contradictory +oh sure i think that 's that 's i feel that you know for certain cases that i that i am willing to give up my rights to secure the rights of others i guess is what i 'm saying There are lots of people who need help with practicing their rights . neutral +Emanating from Bob Dole 's new , souped-up prostate . Bob Dole passed away during his surgery . contradictory +The next two centuries were characterized by unrest and repeated attempts by the Irish to rid themselves of their Norman overlords . The Irish tried to overthrow the Normans for the next twenty years . entailment +So if we really want to pull every possible moral out of our story , we should think about the other people whose interests are at stake when you decide to buy a house . We should not consider anyone else when buying a house . contradictory +information security programs using interagency teams of reviewers , Each team was made up of reviewers from one agency . contradictory +right right yeah one of the weirdest things i saw i think it was around this time last year was a twenty six degree lightning storm One of the weirdest things I saw was a twenty six degree lightning storm . entailment +Getting no answer , I repeated my summons impatiently . I only summoned once . contradictory +He fell away , teeth chattering and limbs shaking as blood squirted from the hole in his head . The man had just been shot with a sniper rifle . neutral +Part of the torrent has moved into the local property market , raising prices by as much as 50 percent for prime residential blocks in the first half of this year . This trend of price increasing is expected to continue in the second half of the year . neutral +Evelyn Howard had been right then , and I experienced a sharp twinge of disgust , as I thought of Alfred Inglethorp 's liberality with another woman 's money . I was upset when I thought about Alfred spending another woman 's money . entailment +Can 't you guess ? Isn 't it obvious ? entailment +As with all the holy places of Jainism , you must remove not only your shoes but any leather you may be wearing . The tenets of Jainism demand that everyone must be wearing shoes when they come into a holy place . contradictory +In order for the postal service to return to breakeven , prices would be reduced . For the postal service to return to breakeven , prices would be increased . contradictory +well uh i am basically retired now i was a member i was in education and in administration so basically i wore I worked in education and administration for decades . neutral +Preservation Values for Visibility Protection at the National Draft Final Report . Protection of visibility and preserving the values that lead to that commitment . entailment +In Chennai , you can rent a catamaran and , if you 're staying at the Taj in Mumbai , you should be able to obtain a guest membership at the nearby Yacht Club . The Yacht club does not offer temporary membership . contradictory +on tubes an i see On skis apparently . contradictory +But who thinks this retreat has eroded Israeli credibility ? The retreat ate away at Israeli credibility entailment +oh oh yeah i know that i had a cousin who lived in White Plains that 's a that 's a neat area but it 's a that is a particularly neat area for camping White Plains is not the best area for camping , but it 's neat and organized . neutral +Cross-examined , they admitted that it might be the prisoner 's hand-writing cleverly counterfeited . They studied the prisoner 's writing for half an hour . neutral +yeah well i kind of think we 're too lenient number one now i work in Massachusetts but i live in Rhode Island so the the legislature just come out and said that because of what with treating the prisoners so-called brutally because uh the state prison 's overcrowded we have to release them so they took the offenders with the the minor crimes and they let them go they didn 't have to serve the rest of their term and which is absolutely incredible um i think number one my opinion is that the judges are too lenient but yet you get some of the jury trials and and it comes down to the nitty gritty when people are ready to condemn a person they always kind of forgive him a little bit nobody wants to put the finger on somebody and say well that 's it you know we 're going to kill you so it 's got to be up to the judges i think we need we have to put into place judges that are stricter than the ones that are in there now and the other thing is i 'm not sure about Texas but like in Rhode Island if someone breaks into your home you have to do your utmost to leave so you can 't cause a confrontation with that person you can 't shoot him you can 't do anything with him i 'm not sure what Texas is They set the prisoners with smaller charges free for 30 days . neutral +For that reason , arguments for the complete elimination of taxes would be absurd , a fact that almost everyone , regardless of political affiliation , can recognize . Most people will agree that elimination of taxes is crazy . entailment +Just walk up and hit it ! Run and trip ! contradictory +The last critical success factor , aExecute CIO Responsibilities- addresses the need to organize information resources to meet business needs and to develop the associated human capital . Human capital and business needs are addressed and crucial to success . entailment +The miners were in the western hills in the salt mines . The miners were in the salt mines in the western hills . entailment +The American Public Power Association commented that conversion to secondary status would have a severe impact on the limited budgets of small , non-profit public utility systems . Conversion to secondary status would negatively impact small non-profit utility systems . entailment +Take them to Edinburgh Castle for stories of heroism and great views of the city . For stories of heroism and great views of the city , take them to Edinburgh Castle . entailment +It should be pointed out that high growth rates of both First-Class advertising and Standard A mail have contributed to shifting the balance in favor of more advertising than non-advertising mail in the Postal Service mailstream . Standard A mail is the fastest growing segment of mail delivery . contradictory +John Cavendish was waiting on the platform , and piloted me out to the car . The man jumped out of the plane he was piloting . contradictory +yeah it 's it 's the thing if if a business is taking a credit card they 're really they sacrificing something too it seems the credit card company makes money all the way around The credit card companies want to make as much money as possible . neutral +yeah a lot of our trees and things now are are starting to bud out i sure hope we i sure hope we don 't get a hard freeze to to kill everything now Everything will live if there is no hard freeze . neutral +Some options are so terrible and irrevocable , so unlikely to be in a person 's self-interest , and so open to exploitation and flawed decision-making that society outlaws them . It 's believed that it 's in everyone 's best interests to prevent certain people from having those options . neutral +Greuze pretended not to notice . Greuze let it be known that he noticed . contradictory +The church itself is an unprepossessing reconstruction after a devastating fire of 1771 , but the Brancacci Chapel with the great Masaccio frescoes miraculously survived intact . The church was fully intact until the fire of 1850 . contradictory +yeah that 's not bad that 's good entailment +The carnival king , Vaval , is burned in effigy after dusk , but the frenzied dancing goes on till after midnight . Vaval is bejeweled and dressed in traditional clothing before he is burned . neutral +well it says F i haven 't quite figured that out i thought it was eight or nine but seems like too nice a prize for nine just nine calls doesn 't it The prize would be more appropriate for twenty calls . neutral +EXPECTED VALUE - A statistical measurement attribute that is the sum of the products of each potential outcome multiplied by the probability of that potential outcome . Expected value is guaranteed neutral +If only Monica had had the sense to write her Aunt Prudie , perhaps none of this might have happened ! Monica actually wrote to her Aunt Prudie , preventing all of this from happening . contradictory +552 ( 1994 ) ) , deleted the fault-or-accident requirement and instead provided that compensation is payable for all but those injuries that are the certain , or very nearly certain , result of properly administered medical treatment to which a veteran consented . Veterans can consent to potentially dangerous medical treatments . entailment +yeah they well we they do that down here too they mix the salt in with the sand They do that here with the salt . entailment +that was mean That was kind . contradictory +how about how about where you What about why me . contradictory +And long-suffering , one might He was so careful of not hurting anyone 's feelings that he often listened to utterly fatuous arguments for hours on end . He was long-suffering and careful not to hurt other people 's feelings . entailment +that was a regular party machine huh It was a party machine , yeah ? entailment +just because i mean not just because i wouldn 't feel safe it 's just because that i would be reminded every day of something that i don 't see and i might see it on a you know a Sixty Minute special I 'm worried that I 'll end up seeing it on TV . entailment +estimates , the 8a level seems small , as does the gain of $ 32 million . The estimated gain was over 300 million dollars in the first year . neutral +Those others are presumably still in office . There are 20 still in office . neutral +they just seemed to like it They seemed to like it . entailment +Indonesia 's military appears to be united , in charge , and armed for bear . Indonesia 's military looks to be ready to protect themselves . entailment +so i started paying expenses and stuff on my credit cards and things got worse and worse and finally boom I tried to shift expenses onto my credit cards , but things only got worse from there . entailment +She developed stomach cramps and a rash on her belly and arms , Lopez said as she and six others on the lettuce crew discussed the incident last week . They did not believe the girl got sick on lettuce . contradictory +There is only one public accusation against Thomas . There are several accusations against Thomas . contradictory +Perhaps we should . We won 't do that , it 's wrong . contradictory +As a result , arguments by indigent clients that a welfare statute is unlawful or unconstitutional cannot be expressed in this Government-funded program for petitioning the courts , even though the program was created for litigation involving welfare benefits , and even though the ordinary course of litigation involves the expression of theories and postulates on both , or multiple , sides of an issue . Many clients have argued against the use of a welfare system . entailment +They ate breakfast in silence . They were still angry at each other from last night . neutral +Consequently , the CFO is a central figure on the top management team and heavily involved in strategic planning and decisionmaking . The CFO has no power when it comes to decision making . contradictory +Both Dahab and Nuweiba are growing but remains less developed than Sharm El-Sheikh . The small villages of Dahab and Nuweiba are growing faster than the better developed Sharm El-Sheikh . neutral +Where is he ? What are his whereabouts ? entailment +The number of participants who were not screened , who refused , who were discharged early , or who were ineligible was large in some studies . There were only a few ineligible participants . contradictory +The direct health effects of nitrogen oxide gases and sulfur dioxide gases are also unquantified . Nitrogen oxide gases and sulfur dioxide gases are unquantified . neutral +The Kentuckian straightened . The Kentuckian slouched . contradictory +Note also that Equations ( 1 ) and ( 2 ) have the characteristic that eVb / eD = -eVws / eD for each observation point , including 1996 . Equations and have the characteristic that eVb / eD = -eVws / eD for each observation point entailment +His sermons had immense popular appeal . The popularity of his sermons was well known . neutral +Begrudgingly , one of the security men snatched the disc . The security guard took the stolen disc . neutral +the um i remember last year wasn 't it raining a lot this yeah all that flooding and everything Last year it was flooding and raining abhorrently . contradictory +The Lake District for Children There is a lake district area that is just for entertaining kids . neutral +No girl could deceive ME ! " I could not be deceived by any girl ! " entailment +To help the Postal Service resolve its problems , we have long recommended that the Service and its unions and management associations establish a framework agreement to outline common goals . They have long recommended that the Service and its unions and management associations establish a framework agreement to not outline any common goals . contradictory +Perhaps the uncritical reportage of Fitzsimmons ' new story can be explained by pangs of guilt about the uncritical reportage of his old one . Fitzsimmons ' new story is due to pride . contradictory +he will help you avoid a lot of little things uh financially He 'll aid you by preventing many small financial troubles . entailment +A bedroom suite has been named in his honor at a Nevada brothel he once frequented . He has a brothel suite named after him in Las Vegas . neutral +uh-huh you uh when you core it you be real careful so you won 't knock your flowers off Look around so that you make sure your flowers aren 't around you , or else you 're gonna knock them over and break that priceless vase because of your own ignorance . contradictory +Sometimes he thinks about a family he killed in a castle in the north , a young boy still clinging to his mother 's breast . He does not recall ever killing a family . contradictory +Napoleon was fond of Fon ? ­ taine ? ­ bleau and he refurnished the pal ? ­ ace after the looting of the Revolution . Napoleon hoped to one day live in the refurbished palace . neutral +but maybe i 'll try it one day I will never try it . contradictory +Red velvet and mirrors in matching gilt frames cover the walls . The walls have red velvet and mirrors hanging from them . entailment +We must congratulate you , is it not so ? Lawrence blushed , and then smiled awkwardly . Lawrence felt like he did not need it . neutral +United States firms have been successful because they have had strong leaders running them , and an effective and strong board of directors can counterbalance a strong executive . Both a strong board of directors and a strong leader are necessary for success in a firm . entailment +Adrin cocked his head , moved his elbow , and slid his off-hand stick across San 'doro 's exposed belly . Adrin and San 'doro had a realistic fight scene in the movie . neutral +Cimetiyre du Pyre-Lachaise Cimetiyre du Paree . contradictory +Nonetheless , we believe that our technical assistance funds , TIG awards , LRI resources , our partnerships with national organizations and the many other methods by which LSC extends the resources allocated by Congress to our grantees has ameliorated somewhat the woefully underfunded situation of legal services programs . Congress allocates $ 1miilion to LSC . neutral +Citrus fruit became the region 's principal cash crop around the turn of the century when grain and the 17th-century windmills of Cape San Antonio were abandoned . There are windmills in Cape San Antonio . entailment +That 's important . That 's big for the news story . neutral +oh well it sounds like you need to move back there Maybe you should move back there ? entailment +yeah how do you blow yours up Does yours even blow up ? contradictory +( 3 ) testing data produced by the system . Testing data includes testing from several districts . neutral +There was something in the looks of the Sather who gave him orders for new settings that bothered him . He did not trust the Sather that gave him orders . neutral +Nancy Pelosi of California , all Democrats , plus two others not yet identified . Two other democrats along with Nancy Pelosi have not yet been identified . entailment +This was the site of the original Byzantium , founded in the seventh century b.c. , and of the civic centre of Constantinople , capital of the Byzantine Empire . The original Byzantium was one of the most splendid cities of the ancient world . neutral +The museum 's 1974 addition was a re-creation of Villa dei Papiri , a Roman villa destroyed by the terrible eruption of Mount Vesuvi us in a.d. 79 . Mount Vesuvi erupted in a.d. 79 for the first time . neutral +Hid me out by sayin ' as how I had th ' cholera . He also said that I had hemorrhoids . neutral +right well it 's not true though we 're not anymore That 's not accurate , we aren 't anymore . entailment +The Prosecutors reject Gorton-Lieberman as a fraud and call censure unconstitutional . The prosecutors , despite many not hoping for this outcome , called censure unconstitutional and found that Gorton-Lieberman was a fraud who was to be persecuted for his actions . neutral +well that 's good yeah that 's not bad i had two i managed i guess when i was in high school or junior high i managed to talk my parents into letting me have a gerbil I talked my parents into letting me have a gerbil in high school . entailment +Consequently , I 'm sure we will be turning to it again and again as we seek to carry out our commitment to those who need but cannot afford legal services . There are a lot of people who cannot afford legal services . neutral +25 As the Congress moves to modify the federal budget process with the expiration of the Budget Enforcement Act , attention is warranted as to how the process considers the long-term implications of alternative spending choices . The Budget Enforcement Act will be expiring . entailment +what division are y 'all in What boundary are you all in ? entailment +They provided for the abilities of either Ninja Hurdles , or Puss in Boots , or even an M1 Abrams tank . They provided for the abilities of an M1 Abrams tank . entailment +The volume of letters sent by households or household originated mail can be obtained from Table 1 by adding the volumes of HH-to-HH and HH-to-NHH mail . These calculations do not show the volume of household letters . contradictory +Freely flowing comps ( complimentary food , drink , and entertainment ) were the order of the day , with mob bosses content to provide an environment of pleasurable excess as long as the cash kept rolling in . Freely flowing complimentary food and drink were the order of the time , and mob bosses could maintain a pleasurable excess with the cash flow that rolled in . entailment +After the takeover , one of the first hints of the new corporate culture was the removal of all those convenient signs , and--so the rumor went--the firing of the guy whose job it was to keep them up to date . The company was taken over by a new owner . neutral +Clive became governor and placed his own nawab on the throne , in exchange for ? £ 500,000 for himself and the Company . Clive was the first governor and placed his nawab on the throne in exchange for cash and the company . neutral +More than any of the empire 's colossal arenas , soaring aqueducts , or triumphal arches , you 'll find the everyday reality of Roman life in the bakeries , wine shops , groceries , and brothels of Pompeii , a town of about 25,000 founded before the 6th century b.c. Pompeii was not a town known for its architecture . neutral +Recent best-selling memoirs by former agents tell of colleagues who ran drugs and free-lanced as mercenaries . Mossad also brokered secret , dubiously legal , private arms sales to Central American regimes and South Africa 's white government . Mossad illegally sold arms to terrible people , as told on the memoirs of mercenaries . entailment +He feels guilty about the death of his wife , Susan had replied when Jon mentioned it to her . Susan said the man 's wife had been murdered . neutral +The pages that follow describe the work of those and other recipients of The National Law Journal 's pro bono awards for 2001 . The National Law Journal gives awards to pro-bono attorneys . entailment +In the 90s , the volume of NHH-to-HH sector has increased , but its annual growth rate has been falling . The annual growth rate has been falling despite increases in volume . entailment +uh the American Express works a lot better for some things because you can charge you know airline tickets Visa is best for buying plane tickets . contradictory +These issues include , for example , concerns over SES compensation and pay compression . Concerns over SES compensation and pay compression are not included in these issues . contradictory +maybe maybe being a tenured professor would be one thing but being a public school teacher is entirely another thing Teaching at public school and being a tenured professor are two very different things . entailment +Whereas Dutch Sint Maarten is one of the more upbeat places in the Caribbean , much of the French side 's charm is that it seems content to slumber in the sun . Sint Maarten is a French island in the Caribbean . contradictory +8.9 PRELIMINARY TOXICITY RANGE-FINDING TESTS The Toxicity Range Finding Tests for a certain factory or product . neutral +it 's like please let me ride for free you know it 's like i 'm i 'm living off dad for these wonderful two years which i have to do you know it 's like I am surviving off of dad for these two years , which is necessary . entailment +the good ole boys with the pickup and the rifle on the back and the quart of beer down your down between your legs driving down the road The good old boys running big companies from skyscrapers . contradictory +Hard-line conservatives argue , moreover , that the real measure of lost resolve is to be found in the fact that military spending will fall to less than 3 percent of gross domestic product by 2002 . Military spending will make up a small portion of GDP in 2002 . entailment +Farming has been another mainstay of the Lake District economy for centuries . There was no economy in the Lake District because they were all farmers . contradictory +well now see that 's a good question i that 's i don 't know how Oakland 's going to react to being uh swept in the World Series last year they could very easily uh take that as a challenge which is the way most teams naturally you know naturally do uh and and just go out and and not give anybody a chance to beat them so Oakland might try to beat every team they play against . neutral +This massive growth has periodically elicited cries from lean-government types . The lean government types have cried out against this massive growth . entailment +The other principal hotel for nightlife is the Madeira Carlton , which puts on similar theme evenings , plus classical concerts and children 's shows . The Madeira Carlton puts on a classical concert every week . neutral +and uh he raises some serious questions about why do they have these really a lot of money goes into the advertising for children 's programs He raised serious questions regarding the amount of money spent on advertising during children 's programs . entailment +Fleets of small caiques travel to more remote beaches that lie all around the coastline . Fleets of battleships guard the sacred beaches around the coastline . contradictory +The FCC estimates that there will be 3,251 respondents with an estimated burden cost of $ 3,192 per respondent , and the total annual burden hours are estimated at 145,895 . The FCC thought that the first respondents would be willing to spend more . neutral +( Of course , to a weasel , the meaning is quite clear . ) To a weasel the meaning is clear . entailment +, is a federal subsidy program , the stated purpose of which is to provid [ e ] financial support for legal assistance in noncriminal proceedings or matters to persons financially unable to afford legal assistance . Federal funds go to pay for legal assistance for the poor . entailment +The Spanish Colonial-style building was soon dubbed the Pink Palace and fast became popular with the movie set . The Pink Palace was torn down long before the movie stars came to town . contradictory +Goodness gracious ! He was shocked . neutral +Program Letter 2000-7 makes clear that the state planning initiative will continue to be LSC 's highest priority . The state planning initiative is related to the planning of budgets for state agencies . neutral +two two years ago we had a Seder we had sixteen people each night sixteen seems the magic number for us I wish we could have had more people at the Seder . contradictory +and they gladly take it but they only take it like for two hours on a Saturday morning you know and it 's it gets to be a pain sometime to go through that but i think it 's still worth it in the long run It takes too much time to take it . neutral +Originally named many centuries ago because its islands formed a circle or cyclos around the island of Delos one of the most important sites in the ancient world the Cyclades was first composed of a dozen islands . The Cyclades got its name in the early 21st century . contradictory +yeah i agree with that too I agree with that , but I don 't agree with what you said before . neutral +You don 't want that They might want that if personally asked . neutral +so yeah we 're getting replenished and so there is uh when i first came here everything was yellow the grass was dead everywhere When I first got here the grass was green and healthy . contradictory +A man could carve hisself out a spread as he could brag on . " He made a meal out of beans and onion . contradictory +'I know what you did , Gray Wolf , ' she said . She had never heard of Gray Wolf before . contradictory +What , now ? What cold possibly happen now ? neutral +Equity options themselves aren 't the problem--they have legitimate uses--and without the ability to lock in positions that equity options offer , certain folks might not be in the equity market in the first place . The equity market excludes some people . entailment +status reporting , configuration management , andRequired management oversight . There was no status to report . contradictory +KAETHE ( Offering the briefcase ) : NOW can you ordain me ? Can you ordain me NOW ? entailment +He stabbed at Jon . Something was trying to stab Jon with a sword . neutral +i didn 't know I should 've been told . neutral +I 'm afraid not . I 'm sure it is . contradictory +yeah wasn 't it amazing It was ho-hum and mundane . contradictory +Had she run upstairs again ? Is she upstairs ? entailment +U.S. demand is projected to grow to 454 million pounds , or about 227,000 tons , in 2004 . The extra demand is the logical result of changes to the American population . neutral +Not only did this highly progressive leader produce Japan 's first written constitution and legal code , thus laying the foundations of an organized state , he is also credited with having introduced the concept of wa ( harmony ) as the fundamental value shaping the Japanese character . Despite laying the foundations of the state and introducing Japan to fundamental character values , he failed to create a written constitution . contradictory +Newt Gingrich said that if the evidence holds up , the United States should consider a military strike against Iran . Gingrich said the US should try and obliterate Iran . neutral +requires the Administrator of EPA to regulate emissions from nonroad engines and vehicles and to issue regulations containing standards applicable to emissions from these categories of new nonroad engines and vehicles . The EPA is required to regulate the emissions of engines in non-road use . entailment +Jon reloaded as San 'doro cut down the riders . He and San 'doro defeated the riders together . neutral +Let 's take the morning to ponder the matter at hand . We shouldn 't give it another thought . contradictory +She looked at me . She stared at me . entailment +Ca 'daan was relieved . Ca 'daan felt relieved . entailment +but well a lot of people wear those little uh terry cloth with rubber soles on the bottom especially around the pool so they just wear them right into the pool They never wear terry cloth shoes around the pool . contradictory +Although I am a poor typist , I find that I am able to type a document much more quickly and accurately than the above-named software can perform . I find that I can type slower than the software . contradictory +And the inhabitants are large in proportion to their world ? He sounded as though the news struck him less favorably now . He was very excited about how large the inhabitants were . contradictory +( In the Bargello , you can compare his bronze model with Ghiberti 's ; ) Magnificent Byzantine-style mosaics inside the cupola include scenes from the Creation , Life of St. John , and a Last Judgment and date from the 13th century . There are no images of Jesus in the Byzantine-style mosaics . neutral +The baby was Mary Stuart , who at the age of nine months was crowned Queen of Scots at the Chapel Royal , Stirling . Mary Stuart had no idea what was happening during her own coronation . neutral +Photos and documents tell the life story of the physician-revolutionary-statesman , who lived for a time in Macau , but never in this building . He lived from 1896 to 1983 . neutral +so so i don 't know i don 't The man says that he knows what to do . contradictory +The front page of the NYT national edition brings word that , buoyed by the soaring approval ratings of the sex-scandalized Bill Clinton , the sex-scandalized Bob Packwood wants to get back in the game . Both Bill Clinton and Bob Packwood went through a sexual scandal . entailment +For example , many of the same tests of sufficiency and relevance are applied to other types of evidence . All types of evidence should be treated differently . contradictory +--From Obstacle to How Acid Rain Emissions Trading is Delivering Cleaner Air , Environmental Defense , September 2000 , p . Acid rain emissions trading is improving air quality in cities . neutral +For seven centuries the real and symbolic center of British military and social power , it is a monument that still has resonance for Dubliners . The monument is the queen on a duck . neutral +Greenberg and the contributors to The New Majority think Democrats can win future elections by identifying with the concerns of working people . Next year democrats need to conform to blue collar worker . neutral +All hotels are of a high standard , with private bath , air-conditioning , television , and telephone ; most have king- or queen-sized beds . All of the hotels are of poor quality . contradictory +15 We cannot do a meaningful review without an explanation of the nature and purposes of these costs and the appropriation that was charged . We can do a meaningful review with no further explanation . contradictory +well it 's not too bad i mean i i i thought they were pretty reasonable but i don 't know i have nothing really to compare it with uh you know four or five dollars for a for a shrub I thought that four or five dollars for a shrub was reasonable . entailment +In La Turbie , climb up to the remains of a curious 2,000-year-old Roman monument ' the towering Troph ? ? e des Alpes , erected by Emperor Augustus to commemorate victories over the 44 Gallic tribes named in the inscription on the base . Augustus erected the Trophee des Alpes to memorialize defeating 44 Gallic tribes . entailment +Modern computers can be disturbingly difficult to notice . Modern computers are hard to notice because they all look the same . neutral +Just me and him . We were planning to meet up with the group later . neutral +Therefore , they use specific , knowledge-based standards and criteria to determine if the product is ready to enter the next phase and they hold decision makers accountable for their actions . Products that do not fit the standard of product readiness are destroyed instantly . neutral +Thorn roared and shattered the sword and the man standing behind it . Thorn hit the man with the sword . entailment +This attribution may be less endorsed with medical conditions such as liver disease or pancreatitis . There is no relationship between liver disease and the attribution . contradictory +um you betcha i um however if you were living in Mexico in those conditions would you have several children You would have several children under those conditions in Mexico . entailment +well he 's going to he 's going to kill himself He 's going to kill himself . entailment +Don 't you want to ? I don 't want you to . contradictory +Roxanne 's ex-husband Roxanne 's previous husband , who re-married not so long ago . neutral +By allowing such tests , the organizations could readily identify previously unknown vulnerabilities and either eliminate them or make adjustments in computer and network use to lessen the risks . The organizations could readily identify previously unkown vulnerabilities and either eliminate them or make adjustments , all by allowing such tests . entailment +it 's a tremendous thing when you sit in a in a college environment and discuss some issues and really sit there with people with disagreeing opinions and you hear all these different sides of the story Its not good when you are in college and discuss an issue with people that have disagreeing opinions . contradictory +i got the i talked to the owner and he said that the best thing to do if i wanted to save money was uh I talked to the sales assistant and he told me how to save my money . contradictory +Queen Victoria arranged for the bones of David II , James II , James V , and Lord Darnley to be re-interred in a common tomb . Queen Victoria gave each man his own tomb . contradictory +The ability of a system or component to perform itsReliability required functions under stated conditions for a stated period of time . A system needs to perform its required functions reliably and predictably . neutral +Otherwise , it 's more fun to explore the country along the good-quality secondary roads ( routes nationales , with a number preceded by an N ) . The country has good secondary roads to travel on . neutral +When the crowd rises and gasps after a wreck , Stevenson notes that they all , including himself , are hoping for a violent accident . The crowd likes to see accidents . entailment +That creates a presumption that insurers must pay . That evades the presumption of patients paying . contradictory +He was losing his uncle . He had just found his uncle again . contradictory +Off-line readers put Web sites--and Web advertisers--in the same position as their counterparts in the print world ( although the off-line reader built into Microsoft 's upcoming Internet Explorer 4.0 will actually send the server a log of the user 's reading habits ) . Offline readers put advertisers on websites in the same position as print ones . entailment +well one of my uh well control and uh and contact are a big problem and they still are this one of the things i was doing wrong was too much back swing and hurrying my back swing I was doing my backswing correctly . contradictory +I wonder if he did find anything in that safe " Tuppence 's meditations went off on another tack . Tuppence began to wonder if he did find anything in that safe . entailment +He came toward Hanson and Nema with a broad grin on his face . He had quite the smile on his face when he saw them . neutral +Prudie would suggest , however , since you are on your way up the corporate ladder in a buttoned-up industry that your ladyfriend not dress them up so that undue attention is directed their way . If climbing the corporate ladder you don 't want undue attention . entailment +Yet those golden legs matched his pace , reach for reach , hoofbeat for hoofbeat . His pace was matched by those golden legs . entailment +evening tea contemplating the great kindness of everyone Morning tea , contemplating the great despise for humanity . contradictory +Mrs. Inglethorp . ' No , I see nothing unusual . " Mrs. Inglethorp is dead . contradictory +If Lott 's procedural agreement collapses and the Senate faces a long , ugly trial , the Mods are the Republicans most likely to support a Democratic motion to adjourn . If the agreement fails , chaos will reign supreme . neutral +Housed in the splendid mansion of 19th-century art collector Edouard Andre , the museum contains a fine collection of Italian Renaissance , Flemish , and 18th-century French paintings . The museum is in the courtyard in town . contradictory +San 'doro began gathering and lighting a fire . San 'doro lit a small fire , trying to keep warm in the frigid cold . neutral +Therefore , like the merchandise processing fee , the user fees are classified as nonexchange revenue . the user fees are very costly . neutral +Typically , MEL and LSD technologies rely upon increased reactivity of reagents with flue gas and require fewer resources for installation . MEL and LSD technologies usually require a lot of resources for installation . contradictory +The general contract approach assumes that the owner contracts individually for all engineering and construction services required to acquire a facility . The contract makes the owner liable neutral +Calery and Golgotha both mean skull and there 's certainly a pronounced skull-shape to the adjacent hill . Golgotha also has other meanings . neutral +Was Spain 's sole contribution to history really the invention of cannibalism ? Surely treachery was not universal amongst the Ancient French ? And let 's be honest- everyone knows the Swiss penchant for neutrality . Was Spain 's historical contribution what started cannibalism ? entailment +yeah he 's they 're wanting to record a gas chamber Someone wants to record a gas chamber entailment +They say that if you can understand their dancing , you 'll have begun to understand the Creole soul . It 's impossible to understand the Creole soul . contradictory +so we 're getting ready for a big party as you can imagine We were getting ready for a big party with balloons , elephants , horses , cakes and camels . neutral +But back to Clinton 's newfound likability . Clinton didn 't find any new likeability . contradictory +i didn 't i don 't want to assume that that 's what i figured no i 'm a college i 'm a university student so uh I didn 't want to assume that because I was afraid that I would offend you . neutral +Instead , the candidates reply with but and only if . Candidates reply with a myriad of responses . contradictory +Cells in mature animal tissues are not , as we had thought , irreversibly differentiated . We used to think that cells in mature animal tissues are irreversibly differentiated . entailment +At Lake Windermere , Derwent Water , and Ullswater you can rent rowboats ( most are big enough for a family of four ) . There are some rowboats at Ullswater that only fit one person . neutral +At the east end of the galleries , two small columns and a circle of green marble mark the spot where the empress sat during services ; on the floor of the nave below , a circle of coloured stone to the right of centre is the Opus Alexandrinum , the place where the Byzantine emperors were crowned . The Opus Alexandrinum marks the spot where the bishop would stand during church services . contradictory +This confirms the lack of knowledge regarding the progress in alcohol treatment that has led to expert consensus recommendations that all patients at risk for alcohol problems should be screened and counseled or referred for counseling . This confirms that they don 't know about the progress in alcohol treatment . entailment +yeah that wouldn 't be so bad um our grocery store like yours will take the uh plastic bags and they 'll also take the the paper bags back Our grocery store is not able to take any bags back . contradictory +11 Participants identified the need for better communication and sharing of information between federal entities such as the SEC and the new PCAOB and the state licensing and regulating entities . The federal government shut them down for asking too many questions . contradictory +I describe the Brave New World as a horror , and Huxley thought of it as that also . I , and its author , see the novel Brave New World as a horrible imagination . entailment +The old water ferry no longer runs , but Queensferry remains the croseng point for modern-day travelers in their motorized machines . The old ferry operation was picked up by the Queensferry for travelers . entailment +I get mad when I 'm really scared . Fear always makes me sad . contradictory +You should try the Singapore specials and you must not miss dessert . We no longer offer the Singapore specials . contradictory +uh-huh well uh everything 's high priced out here but uh uh Everything costs a lot out here . entailment +How long should you date a man before deciding if he is right for you ? Should you date someone you know isn 't right for you ? contradictory +establishing a program for reviewing the adequacy of individual agency Establish a program that reviews the quality of food . contradictory +You might have more fun and even success spinning from the back of a boat ; catches of brill almost half a metre ( 11.2 feet ) long are not uncommon in winter . You could have more fun and success twirling on the back of a boat . entailment +One popular theory compares Zionism 's imperative to acquire land to the American idea of Manifest Destiny ( that it was the United States ' God-given right to rule from coast to coast ) . Zionism 's imperative to acquire land to the American idea of Manifest Destiny is unpopular . contradictory +Jon glanced at Adrin and saw his pale face . Adrin is sick . neutral +and and they 're all a handful so it 's got to be something she can do fairly easily and fairly quickly She 's used to easy things , so it should be something more challenging . contradictory +Just outside , glance over the cannon parapet for a view of the remains of devastated beachside buildings . You can see the remnants of the ruined beachside buildings by looking beyond the cannon parapet . entailment +Even though many low-income households have accumulated no wealth as they approach retirement , the researchers found that some low-income households had managed to accumulate fairly sizeable wealth . It is not possible for low income households to save much money . contradictory +EPA published the Initial Regulatory Flexibility Analysis ( IRFA ) as required by a 603 . The initial Regulatory Flexibility Analysis was published by EPA . entailment +Presently , as a matter of policy , senders of parcels to residents in the Alaska Bush ( which is not accessible by surface transportation ) pay surface rates for mail that is transported by air in low volumes . Anybody who sends parcels to Alaska Bush pay surface rates for mail that is transported by air , as a matter of policy . entailment +The EPA has included an Unfunded Mandates Reform Act Statement with its report to this Office . The EPA opted not to include an Unfunded Mandates Reform Act Statement with its report to this Office . contradictory +Her right eye had a ring of blood around the iris , thick and swollen . Her eye was ready to fall out . neutral +On the other hand , I doubt that they are purely cynical . They 're not entirely cynical , in fact , they 're quite optimistic . neutral +Other incentives his group has undertaken include taking staff out for lunch or handing out $ 100 American Express checks . He treats his employees really well . neutral +Oh dear , of course something could be done , but I don 't have the time right now . There isn 't enough time to put the dog back in the house . neutral +Will they succeed ? There is a question as to whether or not they will succeed . entailment +Brown and cream Sherries are olorose , and so is an amorose though it 's medium dry and pale in colour . Olorose is a less medium dry than amorose . entailment +Como itself is a large factory town famous for its centuries-old silk production , but it has a handsome Gothic-Renaissance cathedral crowned by a superb Baroque dome that was added in 1744 by Turin 's great architect , Filippo Juvarra . There are ten silk-making factories located in Como . neutral +The border between England and Scotland was disputed , and the area was a constant battleground . England and Scotland had always had an agreement on where the border was . contradictory +The shrine is at the bottom of a shady glen by a brook . The shrine is sometimes flooded in spring rains . neutral +The ancient capital of the Pandya kings and one of the world 's oldest cities , Madurai is still an important repository of Tamil culture . You 'll find innumerable historical artifacts in the ciy of Madurai . neutral +right right and and by the time it gets there and they 've been convicted and then they 've been sentenced to death They 've already been convicted and sentenced to death by the time it gets there . entailment +In such cases , the reason for not including the agency comments will be stated in the report . Agency comments that aren 't included will be mentioned in the report . entailment +The King was only 19 when he died and there was little time to prepare a larger tomb more suitable for royalty , but it was still filled with treasures for use when the King arrived at the Other World . The ancient Egyptians filled their King 's tombs with treasures . entailment +you know run around and and play soldier well the reservists sure do we had a reservist here in North Carolina who who They all run around and play doctor . contradictory +A very clever man ” a Jew , of course . " Many people showed resentment for the Jewish people in the region , and even though the man was clever , he was still judged for being a Jew . neutral +This paper answers the first primarily in terms of the second . The first is answered in the paper , said the teacher . neutral +His affair has no bearing on his ability to do his job ... The affair has caused him to be unable to complete his duties . contradictory +oh now come on no Texas Rangers Cool , the Texas Rangers are included . contradictory +either course the service i 'm at i don 't think gives a education uh after service Education is provided after service . contradictory +so that 's scary That is frightening . entailment +The result ? No one has any idea of the results yet . neutral +yeah yeah well you know ankle deep or standing on the bank and slipping it out there Standing on the bank or standing ankle deep you slip it out there . entailment +Additionally , LSC has created a web site for the collaboration of TIG recipients . Helping TIG recipients collaborate is the purpose of the LSC 's new web site . entailment +yeah well we 're not going to have much to fight over because i do too uh being an engineer most General Motors have pretty much and i 'm not too sure about the rest of the cars i 'm sure all the Japanese cars I 'm pretty sure all the Japanese cars have that feature . neutral +Not Tuesday ? " I 'm sure it was Tuesday . contradictory +and yep but they had nothing to back it up and Yep , they had plenty of evidence to support it . contradictory +Landowners bringing in cheap migrant day-labor faced mounting peasant resentment . Cheap labor is used to farm . entailment +Quickly , he forces the lock with a penknife , and turns over the papers until he finds what he is looking for . He tried to force the lock with a hammer but it would not budge . contradictory +That is not surprising . That 's not shocking . entailment +By the end of the third quarter , Sept . 30 , 2001 ( the last date for which this data is available ) , that amount had increased to an average daily balance of $ 1 . The amount increased by the end of the quarter . entailment +Here , too , is the entrance to Topkape 's main attraction , the Harem . The Harem is here , but it 's not a very popular attraction compared to the others . contradictory +sure and that 's that 's held in by two bolts and a bracket and a plug of wire in the bottom of it no It 's held by two bolts , a bracket , and plug of wire , right ? entailment +aThere is no cookie-cutter approach , so knowing what fits in an organization is key to finding the right CIO to match with the organization . The CIO must have experience with similar organizations . neutral +A few minutes later Alfred Inglethorp entered the room . After what felt like hours , Alfred Inglethopr finally entered the room . contradictory +'What is it you want to do , exactly ? ' I demanded . I asked what it was they desired to do . entailment +Some agencies have explored new ways of devolving decisionmaking authority in exchange for operational flexibility and accountability for results . Some agencies have opted not to explore new ways of devolving decision making authority . neutral +The Stick had red leather armor and brown cloth over his mouth and flowing back behind him . The Stick had covered his mouth to hide is identity . neutral +except we don 't have another school There are plenty of other schools . contradictory +I would prefer to be my mother 's daughter than my mother 's mother , but my resentment is building every day . She enjoys this role . contradictory +Ca 'daan saw a jet of red blood spray across the small man followed by another as the man 's heart pumped his lifeblood from his body . Ca 'daan ran away before he could see anything . contradictory +Gambling lessons are taught by dealers to groups of novices , so no one feels pressured or out of place . Gambling lessons are taught by dealers and are a great way for new gamblers to feel at ease . neutral +oh i don 't blame you walking is uh you know it 's interesting because i think we went through a a phase there where it was jogging Walking is interesting , I think . entailment +anyway my ultimate car though the the one that i really want is uh five sixty or so Mercedes so maybe someday I have always wanted a Mercedes but I cannot afford it . neutral +He is the keeper of the Beatles ' flame , says the New York Times ' Bob Spitz , and has handled megastardom with level-headedness and acumen . Bob Spitz writes for the New York Times entailment +Qualitative Data A Sourcebook of New Methods . New methods have been created . entailment +Two riders wheeled around the rock . A couple of bike riders jumped their bikes over ditches around the rock . neutral +Have you forgotten U.S. history ? Did you forget about our country 's past ? entailment +uh for convenience sakes but i usually just pay them off at the end of the month I pay them before the first of the next month . entailment +In her attitude towards Poirot , she was inclined to be suspicious , but he soon broke down her defences . She was suspicious of Poirot . entailment +so that 's why they 're so um emotional about about statehood yet like you say it 's they can 't really support themselves so They wish for more support from the state . neutral +One fortunate result of this community 's influence has been the proliferation of good restaurants and interesting bars from which to choose . There were no good restaurants in the area prior to the community exerting its influence . neutral +um-hum oh yeah he had some excellent military people Most of the military people of him were great and professional . neutral +that one was interesting because i talked to a man in in Washington DC and it was hot here and it was snowing there so that was pretty interesting When I talked to a guy in Washington D.C. it was snowing by him but it was hot where I live , so that was cool entailment +The chemical and biological weapons that are supposedly the main concern of U.S. and U.N. inspectors are easily moved and hidden . Weapons have been hidden from the US and UN each time they searched . neutral +well that 's yeah yeah well well i didn 't even see Batman so that 's uh that 's pretty good so I didn 't see Batman , but that 's good . entailment +And then the image cut to black . The image was a pretty tree . contradictory +Some information in a case study is likely to be judgmental , particularly when observer and participant-observer modes of data collection are used . Case studies using observer and participant-observer modes of data collection are always totally non-judgemental . contradictory +they have uh twenty seven computers for each of the little labs and each lab serves uh two grades so the first and second graders have their own batch of computers that they 've cycled the kids through and There are 27 computers in each lab , and each lab is used by two grades . entailment +Once again , Richard has a rosy story . Richard has not had a rosy story before . contradictory +Children love riding on Hong Kong 's antique trams . Hong Kong 's antique trams are still used by the general populace for transit . neutral +The mercenaries were all very good . The one mercenary was not yet good . contradictory +He 'd stopped wondering and now accepted ; he meant to get away from here at the first chance and he was somehow sure he could . He decided that this was the place he wanted to spend the rest of his life . contradictory +But the basic magical principle of similarity is the foundation of true science . " Dave started to protest , and then stopped , frowning . True science is based on the principle of similarity . entailment +Although competition and efficiency are important , and may be the bottom line , the movement toward worksharing has been guided by other justifications as well . The worksharing movement is not at all justified . contradictory +I will stay and fight for you . I will not defend anyone because I 'm afraid to fight . contradictory +And , what was the disposition of those appeals , you ask ? The appeals were able to be upheld in the Supreme Court of Appeal . neutral +To engage line management and create a culture that values good financial management , heads of agencies and senior executives Good financial management involves implanting microchips into all employees to track their spending habits . neutral +The Second and Third Crusades , however , were a disaster for the Christians . The First Crusade was the most successful of them all . neutral +Programs need to come up with innovative ways of supporting people who are advocates for diversity , including charging certain staff members to reach out to others to overcome possibly hidden discrimination ( such as discrimination members of religious groups and gays / lesbians / bi-sexual and transgender persons ) . Discrimination is only limited to people of different skin color . contradictory +The CIOs of these divisions work together , leveraging opportunities for shared IT products and services so that each unit can invest fewer dollars to accommodate common needs . CIOs of the different divisions work as a collective so that each unit doesn 't have to spend as much on the needs they have in common . entailment +uh-huh geez that 's a that 's more than Golly , that is greater than . entailment +uh we are latecomers my husband and i to the world of golf we started when we were both oh i would imagine he was fifty years old so we 've not been at the game that long but we love it We 've both taken lessons to get better . neutral +I drew aside and apologised , when suddenly , with a loud exclamation , he clasped me in his arms and kissed me warmly . He kissed me with a loud exclamation entailment +Jon and Susan came the next day at daybreak . Jon and Susan were close . neutral +James Edward Stuart , known as the Old Pretender , traveled up the Firth of Forth in 1708 but was driven back by British ships and bad weather . A hurricane hindered James Edward Stuart from moving forward . neutral +A dear old lady returned from her first visit with the Italy 's very nice , very nice indeed , but for my taste , much too much history . A nice old woman said , upon returning from her trip , that Italy has too much history for her . entailment +Despite the emperor 's obsession with the new Red Peril ' the 1848 Communist Mani ? ­ festo of Marx and Engels , which was being circulated in Paris ' he could not prevent such social reforms as the workers ' right to form unions and even to strike . The emperor could not prevent the formation of unions . entailment +and that was the only time the upstairs was so the upstairs looked as new as we left uh they only lived downstairs uh and and his wife was an interior decorator and the house was just kept The upstairs was always terrible . contradictory +A trade treaty gave the Dutch command of the spice trade but reserved Johor 's rights in tin exports from Perak , Selangor , and Klang . The Dutch had control of both the spice and tin trade after the treaty . contradictory +or at least not enough you know to fill a tank up so i always almost always use my credit card on that on that and then it 's nice you do tend to pay more for gas but other than that it 's it 's a good deal i think You pay the same amount for gas if you use a credit card . contradictory +but isn 't that federal in the federal budget No , that is not in the federal budget contradictory +While News Quiz has avidly solicited sardonic comments on Kosovo and Littleton , the Abner Louima case confounds me . I completely understand the Abner Louima case . contradictory +I have learned , mainly from talking with taxi drivers , that everyone 's life is interesting if you know enough about it . No one has a life story . contradictory +okay families American families don 't get along that good enough to stick together Many nations have families who all live in the same house , American families don 't get along well enough to do that . neutral +The Commission also rejected a proposal that stations consult with educational experts in order for a program to qualify as core programming . The decision of the Commission will be appealed shortly . neutral +so so where do you go do you go to Berkeley I go to Berkeley , do you ? neutral +When he rose , the group continued out of sight of Heaven 's Highway before they took a much-needed rest . The group refused to stop for anything . contradictory +( Adapted from OMB Circular A-11 ) Loan guarantee subsidy cost is the estimated long-term cost to the government of loan guarantees calculated on a present value basis , excluding administrative costs . The loan guarantee subsidy cost is the long-term cost to the government of mortgage guarantees . neutral +The Postal Service has extensive worksharing discounts . The Postal Service hasn 't any discounts . contradictory +" Shiloh ! " Drew wadded the towel in his fist and pitched it across the room . Drew tossed a roll of toilet paper across the room . contradictory +For example , the new focus on outcomes is prompting some federal agencies to alter the approach of their programs , including working more closely with states and local governments and businesses . This new focus has forced all agencies to avoid contact with state governments entirely . contradictory +Besides denying reproductive freedom to women , such efforts would increase the number of children born and reared in impoverished single-parent families . This would allow women to have more children . entailment +The program includes existing fossil fuel-fired electricity generating boilers and turbines and integrated gasification combined cycle plants with generators having a nameplate capacity of greater than 25 MW . The program only includes generators that have a nameplate capacity less than 25MW . contradictory +It describes the reasons for the proposed agency action , and its objectives and legal basis . The paper describes lunch menus for government officials in Mexico . contradictory +( 2 ) employee satisfaction , ( 3 ) customer satisfaction , ( 4 ) business results , and ( 5 ) equal employment opportunity . ( 2 ) business results . contradictory +So don 't be surprised if the status quo lasts just a little while longer . Don 't be surprised if the status quo lasts for another week . neutral +'Oh God ! Lord Help Me ! neutral +and i was the only Jew both nights I was the only Jew in Egypt for both nights . neutral +Working your way around the park , you will see the 1907 Fusilier 's Arch at the Grafton Street corner . There is nothing to see in the park at the Grafton Street corner . contradictory +In FY 1997 and FY 1998 , Standard A mail grew 7.8 percent and 7.3 percent respectively . Standard A mail grew in 1997 and 1998 by 7.8 and 7.3 percent . entailment +Some are business stops and some are mixed ( business and residential ) . Some stops are for food restaurants . neutral +They stood again , tips to the sky and left hands out in salute . They were waving their right hands . contradictory +we have some friends that in fact the ones that we bought one of the dogs from they also raise birds and they have uh two or three different kinds of of parrots and then they raise finches and parakeets and they show and he and he was showing me his parakeets and and he calls them an English parakeet and he said their marking is a little different We friends who have raised birds separately in their own homes . neutral +um-hum also with uh women in the work force they 've gotten a lot more options as far as you know what 's it called job sharing like if you and another lady were to share the same full time job or Women in the workforce have more options , like job sharing . entailment +Adrin whistled and the sound startled Ca 'daan . Ca 'daan had never heard a whistle that loud before . neutral +This belief is based primarily on the perception of a cost differential between rural and city delivery . They believe it because they think rural and city delivery have different costs , but the journalist says it is not true . neutral +Priene , once one of the most active ports in the Ionian Federation , now stands about 5 km ( 3 miles ) inland , due to the silting up of the River Maeander . Priene currently sits on the shores of the River Maeander . contradictory +And ate them . He refused to eat . contradictory +A dust storm had formed in the west and the sun seemed to take up half the sky , painting the rest blood red . The sky was blue and clear . contradictory +well because we have these town uh i live in a townhouse and anyway all of our areas have associations that you have to get permission The association for my townhouse is really bad . neutral +Take an excursion east to the quiet medieval town of Albenga , with its Romanesque-Gothic houses around the 11th- to 14th-century cathedral and early Christian ( fifth-century ) baptistery . Albenga was home to a small garrison of Roman soldiers in the 11th century . neutral +The highlights of the tour are the honours themselves , lying on blue velvet in a secure glass cabinet in the Crown Room . The tour won 't let you see the Crown Room . contradictory +yeah well i think one thing too that makes this easier for me is that i uh do this at a recreation center and it takes me about three minutes to drive up there It makes it easier to be close . entailment +is he interested in computers then did this give him an interest in it other than you know using it more as or less like a word a word processing machine he I don 't consider using the computer to type as having an interest in computers . entailment +But other people fighting and dying makes good video . Only bad videos contain people fighting and dying . contradictory +Boats link all the resorts fringing the Bay of Palma , from S 'Arenal to Portals Vells if you wish , you can use them like a bus service . Boats are a fun and fast way to travel around the resorts . neutral +The CIO uses different means to show his appreciation . The CIO use a similar way for showing depreciation . neutral +Not all celebrities are having such a hard time being fruitful . A lot of celebrities grew up in large family 's , thus children are to be expected from their genes . neutral +This Johnny was just a wig and a smear of lipstick on a clenched fist , but he made Seeor Wences that rarest of performers , a genuinely funny ventriloquist . Seeor 's performances garnered him international fame and recognition . neutral +The RPH does not much elaborate on how he would balance the budget after his cuts . RPH does a good jobs at explaining his budget cuts . contradictory +Kiyomizu temple , one of Kyoto 's oldest , is so popular that on Sundays it offers all the serenity of rush hour at Kyoto 's garish new station . Kiyomizu temple is pretty peaceful at any time during the week . contradictory +Following the Act of Union with England in 1707 , the castle lost its strategic importance but later , in Victorian times , experienced a rebirth . The Act of Union with England was in 1707 . entailment +All this is sage advice--for couples , for families , for bosses and employees , maybe even for book reviewers . The advice given in the book only applies to book reviewers . contradictory +how how much you can stuff in your brain How much you can memorize . entailment +i i did have a problem with American Express one time about ten years ago when i first got started in a business um I have never had any issues with American Express in the twenty years that I 've been in business . contradictory +No , Miss Finn , said Sir James unexpectedly . Sir James agreed with Miss Finn . contradictory +I have bitten my tongue all week , but I finally said something to the brat . I held my tongue on the news show all week , but finally let him have it . neutral +You couldn 't call it a suspicion , I murmured . You could call it a suspicion , I yelled . contradictory +Clinton was also being deceptive , Harwood says , when he denied having an improper relationship with Lewinsky . Clinton lied about his relationship with Lewinsky . entailment +That 's correct . 166 exactly . 166 of that item is a lot . neutral +There is no service in the winter . There isn 't a winter service . entailment +( I fear the latter . ) I want the latter . contradictory +U.S. volume per capita in 1999 was 739 pieces while Italy 's was 115 pieces per capita . Italy 's volume per capita was over 700 pieces , much higher than the U.S. contradictory +yes oh i love food and i love to cook i really love to cook i 'm not a really gourmet cook i 'm just a normal everyday cook what about you I don 't like to brag , but I 'm an expert when it comes to cooking . contradictory +Given available ozone monitoring data , we generated full-season ozone profiles for each location in the modeling domain in two ( 1 ) we combine monitored observations and modeled ozone predictions to interpolate hourly ozone concentrations to a grid of 8 km by 8 km population grid-cells , as will be described in the Human Health and Environmental Effects Modeling section , and ( 2 ) we converted these full-season hourly ozone profiles to an ozone measure of interest , such as the daily average . Given available ozone monitoring data , the world could die real soon neutral +Access cost variability is estimated from the coverage function shown in Figure 1 . Under the duopoly scenario described , it would grow by 61 percent . Figure two contains more information describing this phenomenon . neutral +Jeb Bush 's wife lied to customs agents . Jeb Bush 's wife failed to declare purchases she made on her trip to Europe . neutral +So in a sense , island life continues just as it always has ! Technology has caused these changes in island life . neutral +Bustling Gran Via is a mix of hotels , shops , theatres , nightclubs , and cafe the street for strolling and window-gazing . Despite the many attractions on Gran Via , it sees very little traffic . contradictory +The SEC prepared an Initial Regulatory Flexibility Analysis ( IRFA ) in connection with the proposed rule , which was summarized in the notice of proposed rulemaking ( 61 Fed . The analysis was never completed in time . contradictory +we we didn 't damage enough of their arsenal we damaged most of it but we we should have gotten made sure we got everything There was not enough damage to their weapons . entailment +To avoid more painful and disruptive changes once the baby boomers begin retiring , the time to begin these difficult but necessary steps is now . The changes necessary to avoid problems with retiring baby boomers are easy to implement . contradictory +Data such as those in Figure 9 are not readily available and would be difficult to develop . If the data in Figure 9 were available it would not be difficult to develop . neutral +I 'm not proposing to kill you this trip that is , if you 're reasonable . " The Russian quailed before the stern menace in the other 's eyes . I 'll kill you regardless of how reasonable you are on this trip , contradictory +Simply because strychnine has an unusually bitter taste . Strychnine is a traditional drink prepared in Greece . neutral +it sure is uh in fact we went up there for Easter and and we we had uh a beautiful day we had a day where it snowed and then uh it rained the next day and you know you just never can tell what the weather 's going to do When we went up for Easter it never rained . contradictory +You cannot argue about home field advantage , equipment differences , or help from teammates . Home field advantage , equipment differences , and help from teammates all make a difference . entailment +The entrance hall also portrays famous Scots in a beautifully detailed frieze just below the cornice ; it 's a veritable Who 's Who of the Scottish establishment . There are no famous Scots in the entrance hall . contradictory +The road shares the valley bottom with the Duddon River , flowing west to the sea . The road has its own way , away from other road and rivers . contradictory +And the shoes--they weren 't shoes , but knee-length leather boots , like a dressy version of lumberman 's boots or a rougher version of riding boots . The shoes were like dress shoes , short and soft . contradictory +Suddenly he came out of his brown study , and hit the table such a resounding bang with his fist that every one jumped , the doctor most of all . He was very calm when he came out of his study . contradictory +With each throw , one of the false orderlies dropped to the floor , clutching at a neck where the skin showed marks of constriction as if a steel cord were tightening . Death was happening as each fake orderly had it 's airway tightened . neutral +This isn 't much more than pining--a longing for longing . This is just us longing for the feeling we used to have . neutral +Didion , in other words , has written a fast-paced story , not just her usual series of fractured stories . Didion usually writes quickly-paced stories . contradictory +he 'll he 'll he would never do an aerobics he 'd die before he in aerobics class He has signed up for several aerobics classes . contradictory +There are several museums in Avignon , the most exciting of which is the newest . Out of all the museums in Avignon , the most recent one is the most exciting . entailment +Just behind the back wall of the main chapel , the Transparente is the cathedral 's most unforgettable innovation . The cathedral contains the Transparente behind the main chapel . entailment +Abruptly , Sather Karf was in the doorway . He moved quickly . neutral +The city 's Chinatown and especially along Jalan Hang Jebat once known as Jonker Street are havens for antiques buyers or those who just want to browse along the street 's two-story shophouses . The shops built in the Chinatown are constructed on two stories . entailment +Kondracke screams back that he 's used them before , he 'll use them again . Kondracke is determined to not use them again . contradictory +The Indians ' Mumbai is also epitomized by the promenade of Marine Drive , around Back Bay from Nariman Point to the residential area of Malabar Hill . Malabar Hill is a shopping district full of stores and restaurants . contradictory +Once again , the stunned citizens felt abandoned and betrayed . The king had left them to die on their own during the plague . neutral +Red began , " I only-- " " I only-- " Red started . entailment +The first palace at Knosses was built around 2000 b.c. in the Old Palace era , but this was destroyed by a massive earthquake only 300 years later . An earthquake destroyed the first palace that was built at Knosses . entailment +He fumed with impatience , but he stood his ground . He waited , but was not patience . entailment +Although value-enhancement to the membership is clearly a legitimate role for the AICPA , as a professional association it also has a responsibility to aggressively address a range of professional risk management issues . AICPA has no legitimate role . contradictory +How do Mary Matalin and James Carville do it ? How do Matalin and Carville survive ? entailment +The increase still would leave Kentucky 's filing fee costs below those of surrounding states and would raise about $ 1 . Kentucky 's filing fees would still be low . entailment +We 're your HMO . We are your HMO entailment +Santorini ( Thira ) , the next major island north , was heavily influenced by Crete , and the settlements of Thira and Akrotiri thrived at this time . Thira was an island to the north that was about 20 miles away . neutral +it costs twenty five thousand dollars per inmate per year just to keep them locked up that doesn 't count any medical or dental health they get Inmates cost society a lot of money that could be better spent on healthcare . neutral +With luck , you 'll see a leopard draped indolently on a tree branch , and perhaps a stately sambar stag . Because there isn 't much prey in the area , leopards like to sleep all the day . neutral +i know what this guy stands for as far as for his party and um but yeah you know that 's not uh the best way but I understand his political positions but it 's not the best way . entailment +that yeah that that 's nice to do that that is Doing that would be nice , for the most part neutral +curly hair and so do i so hey I also have dark , short and curly hair . neutral +President Clinton is rehiring Joycelyn Elders .--Greg Diamond ( Jay D. Majors and Peter Carlin had similar answers . ) Joycelyn Elders is being re-hired by President Clinton . entailment +The climax was inevitably coming soon , and the group at the table next to theirs was all ears , too , in the anticipation of a pathologically deviant story . The story was about a farmer and her husband . neutral +The chief had to work nights , because he wasn 't as skilled as his slight colleague from the far corner of the programmers ' room . Even though the chief had been practicing for months , he still wasn 't the best . neutral +If there were actually a threshold , then the shape of the C-R function above the threshold would likely change . The threshold probably doesn 't exist yet . neutral +What you 've got is poor people with acute legal needs not being able to have those needs met , said Ernie Lewis , head of the state public-defender system and a board member of APPALRED . Ernie Lewis had spent over 15 years in private practice before joining the board of APPALRED . neutral +Chinatown itself remains a hive of bustling activity , standing cheek by jowl with a Little India of pungent spice shops and ornate Hindu temples . There are a number of spice shops in Little India . entailment +Indirect modifications are actions that change the subsidy cost by legislation that alters the way in which an outstanding portfolio of direct loans or loan guarantees is administered . Indirect modifications change the subsidy cost . entailment +Section 9 of the Communications Act of 1934 , as amended , provides for the annual assessment and collection of regulatory fees . Regulatory fees can be collected annually . entailment +yeah yeah well i certainly will Jack it 's been real it 's been real uh informative for me to talk with you and i i certainly enjoyed it I enjoyed this talk we had about polar bears , Jack , and I learned a lot about them from you . neutral +oh yeah that 's something That sure is something . entailment +I 'd have tickled him up some . He would enjoy that tickling . neutral +In a few moments , there was no sign of them . They were safe and just went to the store . neutral +yeah hey that 's kind of sad That play we watched last night was sad . neutral +If your children are tired of trudging city streets , take a ride to Portobello ( on the Firth of Forth ) , where the long sandy beach offers a perfect environment for long walks , kite flying , or wading and swimming in the sea . The nearby beach is the perfect place to take kids once they get tired to walking around the city . entailment +For years , Andersen had the reputation of thinking straight and talking straight and doing what it felt was right in connection with challenging accounting and reporting issues - even if the client didn 't like the answer . Even if the client hated answering , Andersen would do what he felt was right . entailment +In the third bay on the north aisle is Paolo Uccello 's statue-like equestrian painting of the 15th-century English mercenary Sir John Hawkwood ( unpronounceable for Italians , so known as Giovanni Acuto ) . Paolo Uccello 's painting , located in the third bay , involves horses . entailment +The existing emission rate limitations for individual boilers , which are based on boiler type , are not changed . The limitations on boilers stayed the same . entailment +Increasing relative price of USPS postal delivery services Decreasing the relative price of USPS postal delivery services . contradictory +I locked it , out of precaution , this morning . " I kept it unlocked . contradictory +His visits to the stable must have familiarized him with the Gray Eagle-Ariel strain bred there . He must have remained ignorant about the Gray Eagle-Ariel strain when he visited there . contradictory +you know you 've you 've driven by you know the Mountain Gods outside of Riodosa haven 't you Have you been to Riodosa ? neutral +someone won 't like it for some reason or some of them will say vote it down and it just goes but Some of them don 't like it but they have good reasons . neutral +but i don 't know if he took that out of his vacation or if they really do have a paternity he put paternity leave up there but it might have just been him describing the fact that he was taking vacation days to go be a father for a little while i don 't know I don 't know if they even have paternity leave so he might have just used vacation days instead . entailment +It reminded Jon of the Voth . It reminded Jon of comfort , and of home . contradictory +In 19 th -century Britain , this tough love helped keep the divorce rate near zero even amid the stark status inequality of a modern nation . The divorce rate in Britain during the 1800s was near 90 % . contradictory +His eyelids fell but soon flashed open . He kept his eyes closed tight . contradictory +Legal assistance to H-2A workers was expressly limited to matters relating to wages , housing , transportation , and other employment rights as provided in the worker 's specific contract . H-2A workers have no options for legal assistance . contradictory +THE ELDERS HOLD THEM TOGETHER BUT NOT BY MUCH . The elders are barely holding them together . entailment +i still don 't have any of my PE classes and so one semester i thought okay that 's what i 'm going to do and that will get me where i 'll have to do it you know I still need to do my PE classes . entailment +'Ben Franklin disagrees , ' I said . I said Franklin did not agree . entailment +Jon watched him run to the men and the berserk horse . He ran to the calm horse as Jon ran beside him . contradictory +However , we also discovered that in hundreds of cases each year , the court recommends that a GAL be appointed but cannot do so because the families can 't afford the fee . There is a problem with the GAL program because it is not affordable . neutral +The impact took his breath away . The impact didn 't effect him at all . contradictory +Sections of the Cardo just south of David Street have been renovated with modern shops and galleries , but some shop-fronts have been left in their original state from the time of the Crusades . Sections of the Cardo needed to be remodeled due to wear and tear . neutral +Analysis is infused throughout the research process in case studies The research process in case studies has a lot of analysis . entailment +A copy of the loan application shows that Ryan Reilly listed Eileen Ledford as the 67-year-old owner of The American Quilt . Eileen Ledford was 67 years old and the owner of The American Quilt . entailment +Yes , sir ? The chauffeur turned his head . The chauffeur was waiting to be told where to go . neutral +Type-5 Worksharing . Type-5 Worksharing talks about the way we transfer work between clients . neutral +The great pylon ( grand entranceway with twin towers ) of the temple is fronted by majestic statues of Ramses II and a large granite obelisk once one of a pair the other was presented to the French government by Mohammed Ali and now graces the Place de la Concorde in Paris . The stone obelisk sculpture at the shrine has a similar but not identical twin at the Place de la Concorde . neutral +In certain cases , labor market studies have not adequately controlled for non-fatal injury risks and other unfavorable job attributes ( e.g. The studies could be conducted better to consider the other injuries . neutral +By the end of the third quarter , he 'd cobbled together 18 sloppy points to Pippen 's authoritative 28 . He scored only 18 points by the time the game was mostly over . entailment +Argentina oh my goodness how do you like North Carolina Do you like North Carolina more than Argentina ? neutral +It was up to Poirot to make his boast good . It was up to Poirot to come through on his statements . neutral +as as well as some other various things that are growing in tropical environments no things can grow in a tropical environment contradictory +and be with somebody basically He will be with somebody the whole time , essentially . neutral +Comptroller General Aof the United States The general of Canada . contradictory +now where where do you go when you go there uh right on Basin Street and those places You go right to Basin Ave . contradictory +but uh that Jimmy Johnson came in too though and he just you know when he bought the team and all and it just seemed like he just decided you know this is the way it 's going to be and it was bad Jimmy Johnson ruined the team after he bought it . neutral +Postal Ratemaking in a Time of Change The rates never changed all these years . contradictory +try to give them some aid i mean we helped the Afghanistanis there 's know reason why we shouldn 't have helped the Kurds it didn 't have to involve troops could have just given them uh you know supplies We helped the Afghanistanis by giving them aid . entailment +Not bad at all ! Really good ! neutral +right and i hear so many people saying well i wish this would change i wish that and you know but they didn 't go vote People are happy with the way things are without voting . contradictory +In this sealed and closed chamber , with its close-fitting heavy door , he felt cut off from the world , and the sinister power of the arch-criminal seemed more real . He felt like he was a part of the world . contradictory +At great expense he transferred here a number of important 17th-century buildings that once belonged to the Tokugawa family , including the Rinshunkaku villa and the charming Choshukaku tea pavilion , as well as a small temple from Kyoto 's famed Daitokuji . The Rinshunkaku villa was the most prized possession of the Tokugawa . neutral +uh do you have one i can see that you don 't have one contradictory +there was there was dust in the air during uh planting seasons and what not but uh that that was all we ever saw and then five years ago i i moved to Dallas and i suddenly start to understand what uh burning eyes uh and all that stuff is about that i 'd always heard about it uh it 's it gets it 's real depressing um in the morning sometime uh just you you can tell if it 's a good day or a bad day by uh how far out from downtown uh you you can be on the road and still not see it It is difficult to see the city even when you 're close . entailment +Curiously , Christian tombstones are found in the floor ; after the expulsion of the Jews from Spain , the synagogue was converted into a church . Christian tombstones are found in the floor , sacrilege to the old synagogue . neutral +Right there , ma . They are right over there , Mom . neutral +Without an apology , Clinton is doomed to enervating , fratricidal , interminable impeachment hearings . Impeachment hearings are the fate of Clinton unless there is an apology . entailment +directs the Board to prescribe regulations with respect to the amount of credit that may be extended by a broker-dealer on any non-exempted security . Only legislative action can change credit regulations for non-exempted securities . contradictory +But the young state was soon engaged in another crisis with an Arab neighbour . Palestine didn 't like Israel . neutral +In addition , organizations sought member input in developing new systems and mechanisms for communicating information , thereby better fulfilling member needs and giving the members a sense of ownership in the system or product . Organizations wanted members to give input to develop new systems for their hiring practices . neutral +unskilled labor to assist with hauling of materials , placing of catalyst elements , and clean up . Hauling materials , placing elements , and clean up is unskilled labor . entailment +But if it fails , the stakes are enormous . The stakes are enormous if these efforts fail . entailment +For Columns 5 though 8 , the only amounts that change in lines 1 and 2 , compared to columns 1 through 4 , are outbound attributable cost and inbound revenue . There are no differences seen between line 1 and line 2 in any column . contradictory +This is based on the city delivery carrier total cost of $ 33 . It is assumed that the total cost for city delivery carriers is $ 33 entailment +I have nothing against them myself , but you know what happens when they move in next door . I do not know what will happen if they move in next door . contradictory +To accomplish this , the board must raise or lower interest rates to bring savings and investment at that target unemployment rate in line with each other . We have to keep the system the same , and it will effect the unemployment rate contradictory +Not only does government saving directly affect national saving available for private investment , but the federal government also is a key contributor to the nation 's capital stock and productivity through its own investment spending . The federal government does not participate in investment spending . contradictory +In fiscal year 2000 , the number of times that GAO 's senior executives testified before the Congress and the rate at which our recommendations were implemented exceeded that of most recent years . In fiscal year 2000 , GAO 's senior executives testified to congress and was soundly belittled ; as a result of this , they were required to implement much of our recommendations . neutral +He was losing his uncle . His uncle was going to bleed out and die . neutral +uh-huh i 've heard that they were very good They 're supposed to be awful . contradictory +The disability is inconsistent with the proposition that attorneys should present all the reasonable and well-grounded arguments necessary for proper resolution of the case . The disability is consistent with the idea that attorneys should argue in the case . contradictory +In winter you can sample churrosesugared fritters , that you dip into coffee or hot chocolate . You dip the churrosesugared in the coffee to cool down the coffee . neutral +A Che who , like any ordinary communist politician , had never killed anyone ; a Che who had survived his guerrilla adventures , and was today an elderly figure , administering some grim bureaucracy for Fidel Castro or , alternatively , writing books at home in Argentina , surrounded by his anti-communist grandchildren--a Che like that would cause no stir at all today , and writers around the world would not be straining their brains to draw ever finer distinctions between the man 's calamitous influence and some undefinable greatness . Che was killed by a truck . contradictory +But aren 't there other things to do ? Aren 't there other things to do ? entailment +Under the assumption that the level of service is important , knowledge about the level achieved is important . Service level is as important as the knowledge used to achieve it entailment +Hardship was compounded with the advent of World War II , even though Spain stayed neutral throughout the war . Even though Spain remained neutral during World War II hardship was compunded in the country . entailment +well they say your system a normal a normal person They say your system is a normal system . entailment +Thursday 's celebration was the first public even held at the courthouse . They celebrated on Thursday . entailment +The young inhabitants are brought up knowing nothing else . There is little that the young inhabitants do know . neutral +As it turns out , it may not be such a good idea to welcome them into our workplaces and schools either , at least not as warmly as we have . It is fine if we welcomed them as we have before . contradictory +Anyone who meets the age requirement can call the hot line , but hands-on legal counsel goes first to people with the greatest financial or social needs . There is no hands-on legal counsel available at all . contradictory +I 'll be there . " I won 't be there . contradictory +Of course he had a plan . He had a plan , he was confident it would work . neutral +She may have thought , however , that she was giving him another chance and that he was promising , in exchange , to do better . It 's possible that she thought she was giving him another chance and that he was going to do better . entailment +Dean Bridge carries the main road over the Water ; it was designed and built by Thomas Telford , one of Scotland 's greatest civil engineers . Dean Bridge is approximately 150 feet long as is 20 years old . neutral +The decision was made and a few key words were created right there and then . They still couldn 't decide . contradictory +The northerner drew a long thin blade from his belt and examined it . The northerner looked a blade he took out from his boot . contradictory +that one person has total control and i always figured at least in a day care center there are other people around and if you get one bad apple there 's are at least other people that can see it they can watch and i just kind of always felt that the chances of something happening were less There are always bad kids in every daycare . neutral +Then , between 7.15 and 8 o 'clock , the coco was standing on the table in the left wing ? 45 " Yes , sir . " Annie had been growing redder and redder in the face , and now she blurted out unexpectedly : " And if there was salt in it , sir , it wasn 't me . Annie was getting red in the face the longer we talked . entailment +it 's similar It 's not like that . contradictory +He 's going out of the gate . Stealthily , he 's sliding through the gate . neutral +It 's only the sincere consideration of a job doing something you truly believe in that can wreck your career in journalism . All journalists struggle with their careers if they truly believe in their jobs . neutral +Back on the main road north ( past Poiso ) is the enchanting spot of Ribeiro Frio , more a bend in the road than a town . More a bend in the road than a town , it is still attractive to tourists . neutral +The doctor 's eyes held the deference accorded to a really rich man . The doctor 's eyes had the respect associated with wealth . entailment +It is based on a model of the acquisition process developed by GAO in cooperation with a wide range of federal and private sector officials . The federal and public sector officials were especially interested in seeing the end result . neutral +There 's no shelter , and we 're not going to build a shelter , Johnson said . There are lots of shelters and we are adding more all the time . contradictory +Sometimes he thinks about a family he killed in a castle in the north , a young boy still clinging to his mother 's breast . He occasionally thinks about those he murdered . entailment +After transcripts and video stills of her encounter were made public , Johnson says she hit the roof . The video stills were taken out of Johnson 's possession . neutral +At the time it was the largest circular building in the world , measuring 20 m ( 65 ft ) in diameter . Its diameter small at less than ten meters . contradictory +we could go around and boy We should really head home . contradictory +like that and therefore i feel it 's an invasion of privacy because i thought all these people share you know what they 're doing even though it 's none of the business There are no privacy implications for their behavior . contradictory +For the purposes of this discussion , though , Chatterbox will accept Reed 's premise that Texans are southerners . Chatterbox will accept what Reed says about Texans though he doesn 't like it . neutral +Don 't feel right . Something about the girl didn 't feel right . neutral +The Corporation continued to demonstrate its ability to ensure both compliance with program rules and regulations , and the maintenance of high quality legal assistance to eligible clients . The company received high reviews from their clients . neutral +By nightfall , when she came back from the city , he was groaning in pain . He had hurt and over worked himself . neutral +yeah well i can understand that it 's it 's that time of the year uh we just uh my wife and i just recently moved into our house so we 're My wife and I moved into our new house a week ago . neutral +In the city of America Little , you respect your janitors . Janitors are the least respected of all in the city of America Little . contradictory +Yeah , Pa , he got ' em in the Mexican War , an ' me , I wore ' em mostly through this past ruckus . He was in the Mexican War . entailment +A paradise for ramblers , the Lake District has a wealth of choices for any level of ability . The Lake District doesn 't have much in the way of variety and options . contradictory +Dissatisfied with the chump change earned by selling untaxed cigarettes and fireworks , the Indians have opened gambling casinos on reservations all over the state . The tribes made a ton of cash offloading cigarettes . contradictory +The analysis discussed the potential impact on the U.S. livestock sector , feedlot operators , live cattle dealers / transporters , cattle slaughterers / primary processors , and the dairy industry . The analysis was about livestock and their industries . entailment +While Franklin Roosevelt was tragically unwary of the new global menace from the left , Churchill spearheaded the opposition to the twin scourges of the century--Nazism and communism . There was a big push against Nazism and communism . entailment +Few places on earth can rival Madeira 's wealth of natural gifts , especially in so small an area . There are not many natural gifts to be found in Madeira , which is surprising due to it 's large area . contradictory +In 1995 , Willey took revenge on a lover named Shaun Docking by faking a pregnancy and miscarriage and asking Steele to lie about it . Willey wanted to hurt Shaun Docking for breaking up with her . neutral +A letter in the murderer 's own hand-writing , mes amis ! The murderer wrote the letter himself friends . neutral +members from other parts of the country . Non-native peoples from other areas of the nation neutral +A set of stairs connects her room to that occupied by her husband . The rooms are connected by a door . contradictory +Jon stepped into the open and fired both guns into two separate riders . Jon did not have his weapons on him so he could not fire at the riders . contradictory +We will increase empowerment and accountability at the senior executive level . The senior executive level is one spot down from the top position . neutral +The best way to visit the Mount of Olives is to take a taxi or bus ( number 75 to Et-Tur , from the Damascus Gate bus station ) to the top of the Mount , visit the points of interest there , and then walk down the hillside through the Garden of Gethsemane and the Jewish cemeteries to the Kidron Valley . The Kidron Valley is heard to get to generally , but a taxi can make it easier . neutral +Three of the new sets of rules prescribe expedited procedures for particular categories of Postal Service requests . Three of the new sets of rules give the procedure for some EPA requests . contradictory +But Palestinian leader Yasser Arafat told U.S. officials that negotiation was impossible as long as the construction continued . Arafat told US officials that as long as the construction continued , negotiation was impossible . entailment +yeah but uh those are all great the the interesting thing we 're getting ready to have a house built We are going to build a house as big as the White House neutral +It will be part of a coordinated web information delivery strategy involving the courts and broad range of non-traditional partners . It won 't be part of a web information delivery strategy like many people had expected . contradictory +chapter , we turn to two basic What do we need to take into account with regard to the objectivity of case studies and their generalizability ? The are no objectivity problems that must be taken into account . contradictory +The wine produced on the island was prized for many centuries , but a bout of Phylloxera disease killed the vines , and a large earthquake in 1965 destroyed the island 's major settlement . The wine production was never halted due to plant diseases . contradictory +The Edinburgh Crystal Factory has guided tours that show every aspect of the production of cut lead glassware . The Edinburgh Crystal Factory has tours in order to sell more product . neutral +Among media heavyweights the story was about as welcome as a piece of kryptonite . The premiere news outlets happily welcomed the report . contradictory +The popular portrayal of bloated plutocrats has changed enormously in the last 150 years , devolving from the 19 th century 's ferocious robber barons , to that guy on the Monopoly box who was always chasing his secretary around his desk in New Yorker cartoons , to the addled and ineffectual potbellies of Depression-era screwball comedy . The portrayal of plutocrats has greatly changed in the last 150 years . entailment +Lincoln shrugged . They did not care . neutral +It 's also a city of the imagination , reinvented and reappraised in the literature of its exiles . The city has been reinvented into a city of imagination . entailment +GAO generally notifies the agency of the work to be undertaken . Agency usually receive notification of work . entailment +My paradise was rudely shattered by the sound of a well known , and heartily disliked , voice in the hall . I didn 't hear anyone talking . contradictory +It 's possible that this train 's been programmed not to stop , ' I said . There 's no way it was programmed to stop . contradictory +To be sure , the Army 's program insists , though more vaguely than people admit , that affirmative-action beneficiaries must meet the same minimum qualifications as their white counterparts . The Army says that those under affirmative-action need to be just as qualified . entailment +Slim noticed all at once that the sun scarcely topped the low hills in the east , that the shadows were long and soft , and that the grass was wet . The sun was high in the sky . contradictory +What you see at the Plaza is only a small section of the complete Western Wall , extending from the southern side of the Temple Mount to its northern end , sunk deeply in the rubble-filled earth . The Western Wall is much bigger than just what you see . entailment +and uh fortunately we agreed you know on exactly you know what we thought should be done my mother also was very very independent she had her own still had her own little house and still driving her own car at age eighty three The plan we came up with for my mother was the best one for our family and for her . neutral +i don 't think i even know what a lentil is I don 't believe I know what a lentil is . entailment +In practice , the courts find infringement only in instances where language , images , or music were lifted wholesale . Courts refuse to deal with infringement . contradictory +Technical Change in the Aggregate Production Function , Review of Economics and Statistics Technical change in the aggregate production function . entailment +well you know i have noticed too that uh uh when i started the exercise uh not the exercise but the walking program uh that i did tone up you know like all over but it didn 't get the upper part of my body and uh so There isn 't much to be done , as soon as I start walking I 'm out of breath , I can never tone . contradictory +job and home and family and all sorts of other possibilities you know they may be going to school or may have elderly parents or you know all sorts of other things Things like work , a home life , family and various other things . entailment +uh uh he got into a place where uh we were in there where there was a bunch of sand bass schooling and my goodness He didn 't have any luck fishing . contradictory +um so do you have a personal computer You don 't have any computers in your house , right ? contradictory +Poirot , I cried , " where are you ? " I found Poirot . contradictory +Though water flows freely through the city 's multitude of artificial lakes , lush resort swimming areas , and sprinklers quenching the famous golf courses , it now arrives via a giant pipeline connected to the Colorado River . The city gets all of its water from the Colorado River through a giant pipeline . entailment +there you go starting to defrost well that 's great It 's best if you stay closed off . contradictory +Would we want to have , say , a carbon tax even if we weren 't worried about global warming ? Would a carbon tax be effective in combating global warming ? neutral +Saturday is a good day to visit Dakshinkali ( a 45-minute drive from Kathmandu to the southern end of the valley ) , when thousands of pilgrims bring chickens and goats to sacrifice to Kali . The worst day to visit Dakshinkali is Saturday after all . contradictory +oh at LSU you gonna stay there Are you planning to stay at LSU ? entailment +Your guess is as good as mine . I don 't know how many votes he got . neutral +Second , they need to help manage risk , including risk related to attempts to maximize current value at the expense of mortgaging the future . They attempt to maximize the future value . contradictory +Dr. Hall turned an appealing face to Sir James , who smiled slightly . Dr. Hall looked at Sir James , who smiled a little . entailment +Located at the croseoads between north and south , Lyon was the ideal choice as the Roman capital of Gaul . The Romans brought new development and great wealth to the area after designating it a capital . neutral +The Kal laid prone and kissed the earth . The earth kissed Kal . contradictory +And he smiled , quite thinly . Afterwards , he leaned to kiss me . neutral +The historic walled heart of Jerusalem dates back beyond the time of Christ . The walled part of Jerusalem is popular with pilgrims of many faiths . neutral +In such cases , the draft report will be available for review only at a meeting with GAO staff . Draft reports are never available at meetings with GAO staff . contradictory +We feature extensive coverage of the major issues each and every day , and devote more time to international news than any of our evening competitors . We do not have coverage for international news . contradictory +The next second , he stood manacled in a long line of men loaded with heavy stones . The heavy stones were an exotic variety of granite . neutral +The payment approval and authorization portions of the process can involve a multistep process with administrative approvals being first Administrators must approve and authorize steps within the payment process . entailment +The Mus ? ? e Picasso at 5 Rue de Thorigny in the Marais ( m ? ? tro Saint-Paul ) has received more than 200 paintings and 158 sculptures , in addition to hundreds of drawings , engravings , ceramics , and models for theater d ? ? cors and costumes . The best place to find drawings , engravings , ceramics and models for theatre performances is the Picasso Museum . neutral +Original paintings from local and guest artists , ceramics , and a collection of imported crafts make it a good place to find a souvenir of high quality . The paintings are done in the style of the ancients and sell very well to tourist buyers . neutral +Not for any length of time , said Tommy . Lasting for eternity , said Tommy . contradictory +He was the example of professionalism , community service and compassion . He was an excellent baker and distributed free bread to the poor . neutral +you might check uh some of the ads in the paper and see if anybody has an aviary that you might be able to buy from there There 's no possibility of ever finding an ad for an aviary in the paper . contradictory +Yes , that 's true . It 's a lie . contradictory +The fee as originally enacted was modified by the Customs and Trade Act of 1990 to make it consistent with U.S. obligations under GATT ( the General Agreement on Tariffs and Trade ) after a GATT panel had ruled that the original fee ( a straight ad valorem fee ) exceeded the cost of services rendered and was a tax on imports that discriminated against imports in favor of domestic production . The fee that was originally enacted was modified by the Customs and Trade Act of 1990 entailment +Then I was killed ? So I was murdered ? entailment +Jewish toughness was seen in the Warsaw Ghetto uprising against the Nazis and in the sacrifices of Michael Schwerner and Andrew Goodman in Mississippi in 1964 . Michael Schwerner lost his life fighting for Civil Rights . neutral +A Madeira with sandy beaches and direct flights from Great Britain and other points in Europe ( and beginning in late 2000 , North America ) would surely not have been capable of staving off the mass-tourist market as it has thus far . Beaches would have caused a lot of tourism . neutral +Contributors need only be able to use Internet browsers and basic word processing and email programs , Colpoys said . Contributors need extensive training to be able to help . contradictory +Barry suggested that funding sources may have to become partners before support for the bundling of interventions could become a reality . Barry believes that funding sources should never become partners . contradictory +like one night and the next night they 'll stay at the motel you know or something like that and they enjoy it The motel is a rare treat for them since they 're always on the road . neutral +In the trauma center survey mentioned previously , only 27 % of respondents believed that brief interventions are at least moderately effective . The survey found that all respondents supported the moderately effective interventions . contradictory +If there is a cultural civil war going on , the Mediaphiles--led by Wall Street--have routed the ' phobes . There are certainly no disagreements between members of different cultures . contradictory +There are several clearly defined paths , with the highest point being Bukit Takum 740 m ( 2,428 ft ) on the western side of the river in the park 's northern corner . There are a number of high points along the path . neutral +mean is we moved closer , in , mean is we moved closer , in , entailment +updated they did that maybe improvements so they could sell it and things so we didn 't have to do any painting We had to paint everything , they didn 't know what they were doing . contradictory +We 'll see if it happens . There 's no way we can meet today . contradictory +Pigeons chase seed-vendors chasing tourists chasing their children chasing pigeons . Pigeons love to be close to the tourists since they feed them . neutral +In the wash-stand drawer in Mrs. Inglethorp 's bedroom . It 's with the other materials in Mrs. Inglethorp 's room . neutral +Bestowed with plenty of the invaluable pioneer spirit that characterizes Las Vegas to this day , Gass redirected his life by picking up where the Mormons left off at least when it came to ranching and farming . Gass 's ranching and farming activities were extremely successful . neutral +How it Melatonin is a natural hormone ( produced by the pineal gland ) that seems to regulate your internal clock . Melatonin is naturally produced by the pineal gland . entailment +We must go , Jon , said San 'doro , putting his hand on Jon 's shoulder . San 'doro told Jon it was time to leave . entailment +It is unclear whether he reigned over the entire island , or if each palace settlement had its own regional king . There are twelve total palaces on the island . neutral +The church 's painting collection includes an early Goya . The Goya is the church 's main attraction . neutral +Take a sunset stroll along the 16th-century Spanish ramparts . The ramparts are giant and made of limestone . neutral +The upper villa grandest of the three dominates an imposing avenue of pines . There are many pines surrounding the upper villa . entailment +yeah but the thing the thing that bothers me about it the most is they don 't make decision they don 't vote i i think if they voted that that as you say the um they they would probably stay commonwealth or that would be the best for them i think it 's really great that they don 't vote contradictory +and then the check bounces--did I mention that the dog was married , and yet he betrayed his vows ? There wasn 't enough money , so the check bounced . neutral +so he 's out for at least uh oh i don 't know how many weeks or months they said He is out for a minimum of several weeks or even months . entailment +The proprietors ' We 're inundated with responses and will be up and running shortly . After prioritizing staff , they will be able to address all the responses . neutral +By abandoning macroeconomics the profession not only leaves the world without guidance it desperately needs Abandoning macroeconomics leaves the world without a necessary guidance . entailment +( Or click to read my summary of Wolfe 's and Rose 's positions . ) Click to exit out of my summary of Wolfe 's position . contradictory +Government Printing Office The office is privately owned . contradictory +It hosted the Commonwealth Games in 1970 and has a schedule of events throughout the summer . They have never hosted the Commonwealth Games . contradictory +After that , you 'll want to explore the Old City magnificent and mysterious behind its walls , and filled with the most venerated sites of Judaism , Christianity , and Islam . The Old City has access to many works from around the world . neutral +They can 't talk our language . The can 't speak our language . entailment +Click for more responses . There are only a few more responses available . neutral +They instill a culture of accountability by adopting a positive and supportive attitude toward improvement and the achievement of established program outcomes . A supportive attitude is necessary in order to make progress . entailment +The ultra-orthodox tend to be funny , particularly when they wear unusual hats and when they 're not pelting you with stones . The ultra-orthodox are just annoying , not funny at all . contradictory +He spends a month in the hole , then chastises his fellow judges for not considering solitary confinement a cruel and unusual punishment . He yelled at the other judges for agreeing with him so quickly . contradictory +How he could be such a fool beats me ! " But Japp was looking attentively at Poirot . He did not think he was a fool . contradictory +business expenses and all those kind things Income exceeded business expenses . neutral +Where is the bad assumption that got us into trouble ? Those assumptions were the result of people wanting to smear us . neutral +Davis L , Jr . , Morse R. Self-Administered Alcoholism Screening a comparison of conventional versus computer-administered formats . Some alcoholism screening is administered in computer format . entailment +No , indeed . Not even a chance of it . neutral +I will find good men of value to teach us and defend us . Good men will run and hide rather than defend us . contradictory +um-hum yes i noticed uh when we moved to Plano that um the mall here Collin Creek Mall i don 't know where you are but um We moved to Plano and have lived there ever since . contradictory +It 's as though the book was not edited at all . It seems as though the book was heavily edited . contradictory +And I said , ' Where does Jesse Helms get off saying all these mean things about me ? I whispered , " It makes me really happy that Jesse Helms had such nice things to say . " contradictory +A sampling of duty-free shops can also be found at city centers and airports in Kuala Lumpur , Johor Bahru , and Penang . Major airports and city centres are home to a range of duty-free shops . entailment +really i guess they paired two women together on this call for a reason which is something we can think about later but um i understand a little bit about the Texas Rangers i know George Bush threw out the first pitch the other night and it bounced off the ground and that um that i heard a joke on the radio yesterday that in regard that he didn 't design the patriot missile system and uh the which was kind of cruel i mean think the the shame that must have been on President Bush to bounce the first pitch off the ground i mean golly I don 't know why they paired two women together . contradictory +An article says the United States must not sacrifice its democratic ideals in order to sell a few more Big Macs . The United States has no democratic ideals . contradictory +4 . Government saving directly affects future budgetary flexibility through its effect on interest payment spending . Government saving directly affects future budgetary flexibility . entailment +i was afraid we might get into an argument well uh My fear was that we might quarrel . entailment +they said that uh cars would cost two dollars and they would run forever They said cars that could run forever would only cost two dollars . entailment +Virtual-reality exhibitions go one step They attempt to create the you-are-there sensation without the objects . Virtual-reality exhibitions attempt to create a realistic sensation without objects . entailment +Or as one headline succinctly put it , Who 's the Psycho Now ? A headline said who 's the psycho now . entailment +The lawsuit involves the Ridgeview Apartments , a 384-unit complex on 119th Street east of Ridgeview Road , and the Indian Meadows Apartments , a 148-unit complex at 119th Street and Black Bob Road . The Ridgeview Apartments are located on 2nd street . contradictory +Discreditable , without doubt . There 's no doubt what the President said was discredited . neutral +His scalp was lined with tattoos of an old script . He had tattoos on his head . entailment +Peering out of the cab window , the whole world came across as an indistinct blur . The world looked blurry out the cab window . entailment +To provide a basis for discussion , EPA drafted and distributed to participants a set of goal statements and descriptive information on the 13 broad environmental goal areas that its staff considered to be of the greatest national importance . The EPA works to dictate national environmental policy . neutral +right right because you can always you 'll either get interrupted with a telephone call or want to get up and leave and that just doesn 't make the movie you know you need to just sit through it and and enjoy it You can take breaks throughout the movie and still enjoy it . contradictory +Cooks should be on the lookout for spices chili , turmeric , cardamom , ginger , nutmeg , and cumin which we advise you not to buy until your last day . Spices bought days before the use , lose their taste and smell . neutral +Remove the profit motive from medicine . There is a problem with money in medicine . neutral +They may have suffered , but they haven 't suffered enough . They have suffered way too much already . contradictory +Unlike Howard Stern and Dave Letterman , Feldman sees to it that his foils have as much fun as he does . Feldman ensures his foils have fun . entailment +Well , perhaps he would find he did have a wrangler who could deliver the goods into the bargain . Maybe he possessed someone who was able to deliver the goods . entailment +Slate article exposing fabricated quotes in the memoirs of former Labor Secretary Robert Reich ) ? At one time the Labor Secretary was Robert Reich . entailment +Architecturally , the lodge offers an interesting transition from sober Gothic to more decorative Renaissance . The lodge by the lake was built with Gothic and Renaissance styles in mind . neutral +Once a company buys that software , it is less likely to switch content providers . There are no instances where a person would want to switch content providers . contradictory +Ca 'daan should go find out what is happening . Ca 'daan already knows what is happening . contradictory +I said , ' Look , I 'm not going to send out something that 's terribly important that could be construed as trivial . No one doesn 't want to send out something important that could be seen as trivial . contradictory +Your wife sounds immature to the max . You wife sounds very immature . entailment +LSC grantees are permitted to represent several classes of aliens , including lawful permanent aliens , refugees , persons granted asylum , and temporary agricultural workers admitted under the H-2A program . LSC grantees only need to represent people granted asylums , contradictory +which is unheard of in a small town you know you don 't usually associate associate that It is unheard of in a small town . entailment +In 1894 he said in a letter to a Not for a minute am I free of the thought that I must , am obliged to write . He said that he thought he need not write anymore . contradictory +well i 've uh for a lot of years i i 've pretty much flied without one and uh just recently uh we we set up a budget and and we 're trying to stick to it we just bought a new house so we 've got everything you know pretty much we know what our uh our fixed expenses are per month and then we 've got some ones that are variable that that pretty much stay within a certain range and then uh then there 's the ones that you never know anything about and that 's the the food budget but that We are trying to keep our expenses down because I only make $ 50,000 a year . neutral +but it 's a cross between a tuba and and an and you know a horn it 's a brass instrument It is a strings instrument like a viola . contradictory +Regulars have shown up yearly for decades . Regulars have gone there for decades . entailment +i think that 's neat because they really have a lot of good ideas insights that my father my husband 's father is really old he he had him late in life and he 's he 'll be eighty this year My father 's grandfather is going to be seventy this year . contradictory +'You 're going to get people killed . ' What you 're doing is dangerous . neutral +'There 's been no sign of error ? ' I see the mistake . contradictory +but i mean it 's almost dangerous to have them in the house It 's safer to keep them inside the house . contradictory +Perhaps because of its geographical location at the center of the islands in the surrounding Cyclades chain , it also inspired the name for the island chain . Maybe the name for the island chain was inspired by the location . entailment +All this is in a fantastic five-story building in the middle of an old quarry . This is all housed inside a five-storey property located in the centre of a quarry . entailment +But it 's equally rational to avoid risk or to seek it out . Only smart people know whether to seek or avoid risk . neutral +Organized labor and advocates for farm workers historically have disputed these assertions based on the general high employment rate among domestic farm workers and the alleged desire of agricultural employers to preserve a cheap labor force with limited legal rights . The employment rate among domestic farm workers is high . entailment +I thought you were dead ! he somehow gasped . I knew you were alive ! contradictory +Now that 's somethin ' . That is not anything . contradictory +Landslides and small quakes have taken their toll on sites at the Fort , and Giddy House is a perfect example of this . Natural disasters have taken their toll on sites such as the Fort . entailment +Under this method , the amortization amount of the subsidy cost allowance equals the effective interest minus the nominal interest of the direct loans times the effective interest rate ( the discount rate ) . This method does not use the amortization amount . contradictory +Had she not lamented the fact that she knew no rich men ? Why wasn 't she upset that she didn 't know anyone who was wealthy ? entailment +You 've seen this sort of picture People get drunk and drag skeletons out of closets , and the tension between the formal dinner party rituals and the truths that simmer beneath the surface give way to a Walpurgisnacht . The anti-patriarchal content is fairly routine , but you should see the movie anyway because the director , Thomas Vinterberg , is a great , hypersensitive filmmaker whose edgy , grainy , caught-on-the-fly camerawork seems to make the very celluloid shiver with rage . Thomas Vinterberg is making his directing debut . neutral +The Kal caught the first incoming axe with the shaft of his warclub . The Kal was not hit directly when the axe came in his direction . entailment +well it 's good to get out and smell some fresh air too It 's nice to get outdoors . entailment +It 's a good mirror to their own puffed-up souls . They think they are the most superior architects in the city . neutral +Hong Kong Comes Back Hong Kong never returned . contradictory +That would be like the untrained 6-year-old who gets daddy 's Glock down from the closet shelf , or the drunk boyfriend who gets out his old service revolver and goes over to ex-girlfriend 's house , or your convicted-felon neighborhood drug dealer who bought his streetsweeper from a guy who , it turns out , bought three dozen of them at a gun show . Gun violence is not an issue . contradictory +He also said that if this type of legislation is not feasible , the Association 's members would like to be able to use their frequent flyer miles to upgrade to business class on long flights . The members of the Association don 't travel by airplane . contradictory +More NATO formally admitted Poland , Hungary , and the Czech Republic . The United States successfully pressured its allies to postpone a similar decision on Romania and Slovenia until 1999 . Poland is one of the three countries formally admitted by NATO . entailment +Unity among them and the east coast communities trading with the Thais , Indochinese , and Chinese came from their shared rice economy , language , Islamic culture , and political and social customs inherited from the Melaka sultanate . Shared aspects of the three groups brought them together . entailment +Don 't forget to explore the hilly , narrow streets of the arm of land called Sa Penya occupied by many Ibizan fishermen and their families . Sa Penya is flat with wide streets . contradictory +Adams won the presidency only because Henry Clay backed him in the run-off in the House of Representatives , but Adams never lived down ( false ) rumors that he and Clay had cut a Corrupt Bargain . The man wanted to try to build up his reputation despite the challenges . neutral +'Lincoln 's here . ' Lincoln is here and brought people with him . neutral +so but it 's it 's just you know oh well we 've been talking for five minutes that 's the only obligation we have We can keep talking , since it is the only thing we should do . neutral +Some day he might meet her again . They would never meet again . contradictory +Brought a telephone message to the man Whittington , did he ? Whittington was expecting that message for days now . neutral +One of the best beaches , pockmarked with volcanic steam spouts , is the Lido dei Maronti on the south coast near the little fishing village of Sant 'Angelo . Lido dei Maronti is located near Sant 'Angelo . entailment +yeah i yeah i wouldn 't want to see it go that far I just want to scare them , not bring them to court . neutral +right right well i bet you i bet i mean if it 's in good condition and stuff you could probably get a pretty good blue book price If it 's in good condition , I bet you 'll get a low price for it . contradictory +The act also requires the 24 major agencies to have CFOs and deputy CFOs and lays out their authorities and functions . The act is a well detailed thirty page document . neutral +When only the pasty noble remained , Vrenna stepped back and raised her hand , offering the man to the dark-skinned blade wielder . She took a step back as she offered the man to the other man . entailment +The other is the foreign chap he 's talking to . " The other guy he is talking to is not foreign . contradictory +Rich farmland , vineyards , and dense forest , with the protective Vosges mountain range on one side and the great Rhine river on the other , combine to make Alsace a nicely self-contained and comfortable region . Alsace is a comfortable region , it has vineyards and forests . entailment +uh i think what we did was good but i think we just should have stayed there longer and continued doing what we did do What we were doing was very useful and effective . neutral +EPA has resubmitted all eight requests based on reduced reporting and recordkeeping requirements resulting from changed requirements in the final rule . The EPA shredded the requests . contradictory +So , to pose the obvious Is there something inherently Jewish about the nebbish ? So , to state the obvious is the anything strictly Muslim about the Quran ? contradictory +My wife and kids are sick and don 't speak English . The kids need to have medicine . neutral +Shulevitz 's Political Criticism Shulevitz gave political criticism . entailment +Anyway , increasing returns are equally crucial to the case for Microsoft--as a reason why trying to break it up would be a bad thing . Microsoft has been wrongly Crucified a lot . neutral +You can drive right up to some ; others require a walk . The can drive to all of them . contradictory +yeah uh interior 's not so bad it 's because it 's more fun it 's more convenient but you get outside where you have high peaks and those kind of things it can be a real issue The interior is an awful vacation spot . contradictory +So Abraham , the first Patriarch , led his nomadic group of Israelites from Mesopotamia to the mountains of Canaan , where they fought the ruling Egyptians . The Israelites eventually triumphed . neutral +in the long run i think it would really be worth while It may be worth more if we decide to speed up the process . neutral +However , from my own experience , a newborn becomes a 12-month-old and then an 18-month-old rather quickly . I believe babies grow up to be 18 months old fast . entailment +He paved and lighted the streets , installed public fountains , built the Prado museum , and laid out vast promenades and gardens . He was not a builder of anything particularly impressive . contradictory +Straws in the To the mystification of beach-goers , the U.S. government is proposing regulations to protect sharks from depletion by fishermen . Sharks are being threatened with depletion by fishermen . entailment +The Collegiate Church of Saint-Ours is an interesting piece of Roman ? ­ esque it has two steeples at either end of the nave , which is surmounted by two octagonal pyramids in place of a roof . Other interesting geometrical shapes are part of the Collegiate Church design . neutral +The dimensions for a PJFF on a 500 MWe plant would be roughly 62 feet wide x 92 feet long x 90 feet high . All PJFFs for 500 MWe plants should be exactly 150 feet high . contradictory +Irish poets , learn your trade / Sing whatever is well made , he grumpily advised in 1938 in Under Ben Bulben , one of his very last poems . In one of his later poems , he suggested that people learn and sing . entailment +And supposedly each year reduced the RQ by five or ten points . The RQ will go down at least 5 points every year . neutral +But for Brady himself , war never quite lost its theatricality . Brady finds war theatrical . entailment +all right i i didn 't catch that for a minute For a minute I didn 't hear that entailment +Finally , end your day by wandering back across the palace gardens for a last view of the chateau at sunset . You can drink wine while viewing the chateau at sunset . neutral +Nearby , you 'll find several impeccable colonial-era houses with brilliantly colored faaades . The nearby houses are painted colorfully and are in great repair . entailment +In November 1997 , the LSC Board adopted its first Strategic Plan for FY 1998-2003 . It took them 6 months of argument to come to a conclusion neutral +Pray for me . Say your prayers . entailment +The Temple ( today known as the First Temple ) was completed by David 's son and successor , King Solomon . The Temple was finished by King Solomon , 40 years after it was started . neutral +Eventually it would be Crete 's turn . Crete won 't need to wait much longer for his turn . neutral +yeah it was it was delightful watching them uh learn they uh they went out with their individual personalities and picked it up in their own little way They were successful because they went out with their individual personalities . neutral +She punched her palm spike up under the chin of the assassin . She missed the assassin completely . contradictory +The Dolma-bahce Palace ( Dolmabahce Saraye ; Dolmabahce Cadessi , tel . 212 / 258-5544 ) , finished in 1853 , was intended as a bold statement of the sultan 's faith in the future of his empire , but instead it turned out to be a monument to folly and extravagance . The palace was finished in 1688 , built to trivialize the sultan , who was hated and did not have faith in his own empire . contradictory +When compared to Thomas Jefferson , Stewart replies , I 'm reaching more people . Stewart believes he 's reaching more people than Thomas Jefferson . entailment +The collar rose high on the left side , protecting his throat when in a left-foot-forward stance . The collar had saved his life many times . neutral +Toward the center of town , at the end of Av . Arriaga ( at Rua Joao Tavira ) is Funchal 's principal landmark , the Se ( cathedral ) . Funchal 's primary landmark is a cathedral referred to as the Se . entailment +yeah because they had so many power lines down and so many uh The power lines have never been in better conditions . contradictory +All went well , and with a sigh of relief the young man rose to his feet . With a sigh of relief the young man stood up . entailment +Now he 's done it . He is still waiting to do it . contradictory +Now the conservative mantras are perjury is perjury and no man is above the law--and K finds himself tempted by the idea that it isn 't the end of the world if a perjurer gets away with it . Conservatives say perjury is perjury and no one can get away with it . entailment +Mavis has dreamt of an incubus ( clearly a child ) taking her blood . The incubus took her blood in dreams . entailment +Some of these shops have been operated by the same families for hundreds of years . Most shops are family operated neutral +They can sense it miles away . They don 't notice until it is almost upon them . contradictory +well see i never had a hard time coming home it didn 't uh you know there all these people who spit on them and all these kinds of things i i came home and got married and i i never uh i and could now but i didn 't and i mentioned that to my wife and she said well you never wore your uniform when you were off duty but i didn 't uh i flew into Los Angeles um but i had um when i was in Vietnam but i by then when we landed actually went into Seattle Tacoma and i changed out of my uniform civilian clothes and and i never course i stayed in i stayed in the Air Force a number of years but i never had any problems um and all this the all the of course i wasn 't in combat either um i was a staff weenie I did not want to wear my uniform in public . neutral +Mister Kells , he keeps ledgers over in th ' tack room . Mister Kells keeps his journal in the bedroom . neutral +there 's a TV show where the man is the one raising the kids and the wife is and i maybe they based it on that Mister Mom movie but uh Men are not taking care of the kids . contradictory +Well , naturally . Well , extraordinarily . contradictory +They foster our objective of improving access to justice for clients . These things support our goal of helping clients get justice . entailment +Volume II will present the following appendices and may present The second volume will present the following totally unabridged : neutral +and uh i 've noticed that now more and more individual people are speaking out for their own rights rather than massing together more people are asserting their rights as individuals rather than as groups entailment +But I am right in saying , am I not , that by your English law that will was automatically revoked when Mrs. Inglethorp remarried ? " Mr. Wells bowed his head . Mr. Wells kept his head held high as he listened . contradictory +The press conference went just as the professor had dreamed it . The professor had a dream about the president 's upcoming press conference . neutral +yeah that 's what i did with the Mazda drive it till the till the clutch went out and the wheels fell off so probably what i 'll do again I drove the Mazda and never let anything go wrong with it . contradictory +uh-huh r ight and that 's a real change except it sort of brings back to the nineteen forties more than anything else i mean all this recycling used to be in tact or not all of it but much of it did i mean recycling was a was a wartime thing Recycling brings back memories of wartime because after the war people stopped recycling . neutral +To provide grazing land for sheep , which were raised for both wool and meat , large tracts of the forest that originally blanketed the whole area were cleared . There were no animals in the area because of the thick forests . contradictory +" Another Rebel ? " Anse stood up . Anse arose , " A different rebel ? " entailment +The male chin grows during puberty in response to testosterone . Not only does a males chin grow during puberty , facial hair emerges . neutral +But the standard for appointing an independent counsel can 't be that broad . The standard for appointing and independent counsel should be made broader . contradictory +and then i go no no maybe i sleep more than ten hours you know and I said no , I might sleep more than ten hours . entailment +34Depending on the design and implementation , government matching could potentially reduce national saving . If the program is designed badly , people might save less money . entailment +oh i 'm telling you i just cried and cried and cried and cried it was so sweet it was sweet but it was sad because you know you just really miss Gary I cried a lot . entailment +They can 't mean to starve me to death . A new-born fear passed through his mind that this might , perhaps , be one of those " pretty ways " of making a prisoner speak , which had been attributed to Boris . He feared that he would be starved into speaking . entailment +Realism tempers the romanticism of idealists with a sense of tragedy . Realism contracts the romanticism . entailment +Kaufman was a nonsmoker , which naturally made people doubt him . Kaufman did not smoke . entailment +It 's been a pleasure discussing these issues with you . I have liked talking about this with you more than anyone else . neutral +From the new international airport to KL 's dramatic skyline to the middle class seen driving Malaysian-made Proton sedans on six-lane highways all are evidence to the country 's rising economic maturity . There is no international airport . contradictory +Little remains of medieval Madrid , but there are glimpses of the oldest parts of the city in the Arab walls and several attractive small plazas , as well as many other discoveries to be made in this area that extends from the River Manzanares and Palacio Real ( Royal Palace , actually the legacy of the later Bourbon rulers ) to the lively , congested Puerta del Sol , still the nerve center of Madrid . Puerta del Sol is known for its lack of congestion . contradictory +The Board was created by the state Supreme Court in 1994 , and charged with expanding resources for civil legal services and coordinating their delivery . The board is the main proponent of civil rights in the state . neutral +Flowing in and out of 80 arched passageways known as vomitoria , aristocrats and plebs alike came to see bears , lions , tigers , and leopards starved into fighting each other and against criminals , war captives , and ( according to some historians ) Christians . Only aristocrats were allowed to see the bears and lions . contradictory +The local lord in turn borrowed the capital 's grid pattern when laying out medieval Takayama , which became known as Little Kyoto . The local lord was praised for his idea to use the capital 's grid pattern to layout Little Kyoto . neutral +yes it 's all voluntary now they do have some places where you can take things and get cash but i think the lot of people don 't really want the cash you know they just want to uh help recycle which is what we do you know we more than 90 % of people just want to recycle and aren 't worried about money neutral +There are conducted tours of the house and a walking tour of Joycean North Dublin . It is possible to have a coffee and a bite at the house during the conducted tours . neutral +2 . Government and private saving tend to move in opposite directions for several reasons-three of which are discussed here . The government and people tend to have opposite saving patterns . entailment +Life seems to have changed little in generations , though the mud-brick houses now have the benefit of electricity . Some people still live in traditional mud-brick houses . entailment +and uh no no but his wife has a contract with TI and that 's how we learned about it um-hum His daughter has a contract with TI and that 's how we found out about it . contradictory +It was spreading , apparently just under the phlogiston layer , reflecting back the glare . The glare reflected of it as it shrunk to nothing . contradictory +and it 's overcrowded Lots of people there . entailment +With McCarthyism much weaker by 1956 , Miller avoided prison and continued to have his plays produced . Miller had been to prison in the past . neutral +Get well soon ! Feel worse . contradictory +The work of attorneys from Legal Services of New Jersey will be highlighted in a onehour documentary , Quest for Justice , to be aired 9 p.m. today on New Jersey Network . The documentary , Quest for Justice , will be aired on other networks . neutral +Come back early in the morning to the covered 20th-century , neo-Gothic Pescheria ( fish market ) and its adjoining produce market . The best time to return to visit the Pescheria and vegetable stands is at day break when the goods are fresh and the sun sets the neo-gothic architecture aglow . neutral +In some cases , though , this information can be difficult to locate . The information can be hard to find sometimes . entailment +Can 't believe it ... how they came back to you , he marveled . I saw it ... how they bowed to you . contradictory +'Publicity ? ' attention ? entailment +um i thought i can 't believe they 're playing that in Japan these people over there must think we are horrible i mean some of the American shows were some of the worst ones we have and that 's what they 're showing in Tokyo and i 'm thinking They play some of the worst american shows in Japan . entailment +Modern human capital strategies , including implementing a credible , effective and equitable performance management system that links institutional , unit , team and individual performance measurement and reward systems to the department 's strategic plan , core values and desired outcomes will be critical to success . Modern human capital strategies are likely to be critical to success . entailment +He may have moderated his views to win , but he is mostly principled and mostly honest . His views were shared by many others . neutral +The postal revenue decreases by e of a cent times the 20 billion pieces , but the postal cost decreases by 4a time the 20 billion pieces . The postal cost has increased significantly . contradictory +The ambitious Museum of Macau ( open Tuesday Sunday 10am 6pm ; admission HK $ 15 ) opened in 1998 in the lower levels of the Monte Fortress . Monte Fortress houses the Macau museum . entailment +In tears , jailbird confesses to her role in the murder of Vince Foster and ' anything else Ken Starr wants . Pressured and without adequate counsel , the prisoner confessed . neutral +In Disney 's Tarzan film , nature is feminine and civilization masculine . The apes also express feminty in Tarzan . neutral +The Hong Kong Philharmonic Orchestra was founded in 1975 . The Hong Kong Philharmonic Orchestra was founded in 2010 . contradictory +I like Julius , essayed Tuppence again . " I despise Julius , " uttered Tuppence again . contradictory +Coffeehouses are everywhere , many offering live entertainment and poetry readings . Coffeehouses offer live entertainment and even poetry readings . entailment +yeah you going oh yeah Yeah if if if you 've ever seen the program paper chase it 's very much like that except worse I recommend checking out both programs . neutral +13 Just as the Save the Social Security Surpluses simulation is an implausible doomsday scenario , the Save the Unified Surpluses simulation can also be viewed as implausible . the Save the Unified Surpluses simulation can also be viewed as plausible . contradictory +FEMA has already distributed $ 1 . FEMA has given out less than $ 5 so far . entailment +and um he no he 's in international studies He has published several papers in international studies . neutral +Nearby , tennis tournaments are held at Roland-Garros , or indoors over at the Palais Omnisports de Paris-Bercy , near the Gare de Lyon . Roland-Garros is a place that holds tennis tournaments in the area . entailment +For example , obtaining agreement among often competing stakeholders is never easy , particularly in an environment where available resources are declining . Stakeholders often agree and work together even when resources decline . contradictory +It strikes me the thickness of my skull was lucky for you too . It 's unfortunate for you that I have a thick skull . contradictory +It provides the evidence , of whatever type and detail , that is needed for assessing this claim . Evidence will not be provided for assessing this claim contradictory +We can flee north but your nephew tells me that the torrent will soon cut off that path . The torrent will soon cut off the northern path by knocking over all the trees . neutral +LSC asked attendees to identify what they feel would be the next appropriate steps . LSC was not interested in peoples opinions about what came next . contradictory +no kidding hobbies are supposed to be enjoyable they 're not supposed to be difficult or or they 're not supposed to make you less relaxed than when you began Hobbies should be stressful . contradictory +Operating system ( OK , Bill , where 's my check ? ) Bill , you need to start running and don 't look back . contradictory +Dallas about another block over and i 'm in Garland I 'm in Italy contradictory +The most experienced is Aqua Sport . Aqua Sport is the most experienced . entailment +According to Department of Transportation officials , the certification and statement were not separately provided to the SBA Chief Counsel for Advocacy . The SBA Chief Counsel for Advocacy did not accept the statement . neutral +Her third book , Promiscuities , is a memoir in which she single-handedly retrieve [ s ] [ the ] secret struggle for womanhood by narrating her own sexual coming of age . Promiscuities , despite its title , speaks only of the ideal of equality , and doesn 't actually address sexual topics at all . contradictory +It 's too bad . It 's unlucky that we lost . neutral +back by that Up here away from that . contradictory +Nero was emperor until 70 A.D. An emperor was named Nero . entailment +All right say it ! All right , lay it all out in full detail ! neutral +This airy and modern state-owned parador has breathtaking views of the magical outline of Segovia , including the Roman aqueduct , medieval walls , cathedral and castle ( all illuminated at night ) . The view from the parador is truly a sight to behold . neutral +hop skip and a jump there you go well that 's good well are you uh do you prefer the kind of weather that you 're getting in Dallas over your years in New Hampshire or do you miss the winters or How bad does the weather get in Dallas ? neutral +To put it a different way , Amazon.com , Yahoo ! Repeat it in the same way . contradictory +But , if we are right ? I know we are right ? neutral +2 ) The study is flawed because it didn 't include men . The study had a bias towards gender . neutral +yeah she 's just not much at all i mean i would get there at eight o 'clock in the morning the children usually weren 't awake by then and she would get home at like five thirty in the afternoon I would get there in the late afternoon and she 'd be back at midnight . contradictory +Seventy pieces of this remarkable work survive out of an original hundred . Out of an original hundred made , seventy pieces of this remarkable work have survived . entailment +7 million proposed for the Legal Aid Society by former Mayor Giuliani , bringing the total to just a shade over $ 60 million . Mayor Guiliani proposed funds for Legal Aid . entailment +yeah well what kind of things do you normally have with it people have different ideas of what goes with it What do you normally have to drink with it ? neutral +6a may be viewed as candidates to become workshared , if the discount is increased . If the discount is increased it might be considered for work sharing . entailment +Not until that supremely attractive female butt crossed my radar in Nordstrom did I start to feel better . I was shopping for a new tie at Nordstroms . neutral +Cohen hits bottom when he compares the gangster Louis Lepke 's flight from justice to the plight of Anne Frank , and when he compares his own grandfather to a drug dealer . Cohen compares his own grandfather to a drug dealer . entailment +Management 's philosophy and operating style also affect the environment . Infrastructure and control methods have no influence on the environment . contradictory +She had six children , all alive after the first assault , and a tiny husband of a man who kept quiet . She had a large family . entailment +It hovered at the edge of a great new hole and seemed to be wobbling , careening and losing its balance . It stood strong and firm in one place . contradictory +never yeah and then on the other hand too while he was out busy running for the presidential thing the legislature was having their own way The legislature was doing whatever they wanted while he was focused on running for president . entailment +and if your blessed with you know good dental uh situation you are extremely lucky you really are i 've had a lot of problems i still have some ongoing problems mainly because back when i was growing up I have ongoing problems mainly because when I was growing up I chipped 3 teeth . neutral +My momentary annoyance vanished . My temporary annoyance passed , when we found the key to the door . neutral +Congress should also note that , as GAO has indicated in the past , agencies are already accorded in law significant flexibilities , especially with respect to human capital issues , but for a variety of reasons they do not always take advantage of them . As GAO has indicated in the past , agencies are not already accorded in law significant flexibilities . contradictory +( ABC 's site offers you clips , and the show 's official site lets you tour the firm . ) The ABC site no longer lets you watch clips because of copyright issues . contradictory +Despite countless different landlords , the basic elements of the way of life of ordinary people have changed little for over 5,000 years . The common lifestyle has changed in a small degree over time . entailment +for me it would be interesting to find out what life was that life you know in that period but It would be interesting to find out what life was like then . entailment +Privilege is above and beyond the normal . Privilege is not the normal . entailment +( I don 't always remember . ) Sometimes I forget what I spent on food . neutral +Capital gains taxation and estate transfer taxes may also affect household decisions about saving and asset accumulation . Capital gains taxation and estate transfer taxes may also affect household decisions entailment +South coast resorts such as Plakias and Matala have good beaches and plenty of snorkeling opportunities for older children . Older children can snorkel by Matala . entailment +Only when the French succeeded in blowing up part of the garrison , during the War of the Spanish Succession in 1707 , was the castle taken . The castle was taken when the French blew up part of the garrison during the War of the Spanish Succession in 1707 . entailment +A number have already been released for implementation in Centrelink 's Customer Service Centre network . There is a plant to implement Centrelink 's Customer Service Centre network . entailment +You must trust us . We should never be trusted . contradictory +a1353 may be retained by the member for personal use . There is no possibility of using a1353 for personal reasons . contradictory +I 'd be obliged if you 'd do me the favour to think it over until to-morrow . I 'd be content if you made a decision now . contradictory +Four are essential to case study iteration , OTTR , triangulation , and ruling out rival explanations . Four are needed for making sure the rival explanations are ruled out . entailment +uh i really am i mean i 'm going i 'm going to take the negative side just for a second just to do it I 'm going to be on the positive side . contradictory +You 'll find a wide range of water sports available in the islands . The area offers a wide selection of water-based sports . entailment +that 's right and his old day care as much as i loved it you know and the owner i really liked her and she worked really hard to get good people but the people that she got The people she hires only stay for 2 months on average . neutral +And I 'd like to put faith in you , but ... who knows ? Maybe they told you to tell me all this . ' I 'd like to put faith in you , but .... who knows ? I can see from you facial expression your lying . neutral +The celebrated passage to doom , linking the Ducal palace with the prisons , supposedly moved its users to sigh on their way to the torture chambers ( now off-limits ) . The secret pathway can no longer be accessed . entailment +Another pistol crack and someone howled in the night . Someone yelled because their friend was killed . neutral +7 January - Coptic Christmas with presents and partying for the Christian community . Coptic community is quite huge in Scotland . neutral +But this year for the first time , the Council is proposing shifting more than $ 20 million in funds earmarked by the Mayor for 18-B lawyers to the Legal Aid Society , which would increase its total funding to $ 80 . The Council is proposing shifting more than $ 20 million in funds earmarked by the Mayor this year for the first time , with the aim of giving them for 18-B lawyers to the Legal Aid Society , which would increase its total funding to $ 80 . entailment +While service standards differ ( many countries offer two mail deliveries each weekday , for example ) , even at 33 cents , U.S. prices compare favorably with first-class rates overseas--Japan charges 74 cents , Germany 59 cents , France 48 cents , and Great Britain 37 cents . U.S. prices have an advantage over other first-class rates overseas . entailment +And with the continued Balanced Budget Amendment follies , Congress indulges itself in the grandest of therapeutic fantasies . Some members of Congress believe a balanced budget will cure our country 's monetary woes . neutral +There are many stories of refugees who arrived with nothing in their pockets , set up a small sidewalk stall , worked diligently until they had their own store , and then expanded it into a modest chain . Lots of refugees showed up with nothing and most of them are still broke . contradictory +The project attempts to identify the number of people served by the following types of work , and obtain descriptions of programs ' efforts and of successes . The project tries to identify how many people were served . entailment +leading edge don 't they They 're not leading the edge at all . contradictory +And so all the paradoxes of thrift , widow 's cruses , and so on become irrelevant . Widow 's cruses become highly relevant . contradictory +From Eilat , you can reach the Negev by horse in a few minutes ( Texas Ranch ; tel . 07-637 6663 ) . If travelling by horse , it will take just a few minutes to get to the Negev from Eilat . entailment +Other tough migrants from the South Seas settled along the coasts sailors , fishermen , traders ( for the most part pirates ) known euphemistically as orang laut ( sea people ) . Migrants came from the South Seas . entailment +Lowell Weicker , whose name was circulated as a possible Reform Party nominee . Lowell Weicker could be a possible nominee for the Reform Party . entailment +Strategic information management would lead to systems that would better provide federal agencies the data they need in considering ways to realign their processes , reduce costs , improve program effectiveness , and ensure consistent results with a less bureaucratic organization . The management did not want to see the numbers . contradictory +But Sir James was already on the topmost stair . Sir James was at the very bottom of the stairs . contradictory +These new guidelines have refocused the LSC delivery system on serving individual clients with particular legal needs . Staff at the LSC are very happy about the new guidelines because it makes their jobs easier . neutral +um-hum i think we could learn some things from and the and the health care system you may pay more in taxes but your health care is taken care of and you don 't have the corruption and in uh I think we could learn some things from the health care system entailment +yeah it 's sort of interesting The information on bears is sort of interesting . neutral +VA afforded interested parties the opportunity to comment on the interim rule . The VA was looking forward to valuable input from interested parties during the comment period . neutral +or or if you can 't dramatize it and put it on Unsolved Mysteries then they 're not going to you know they 're not going to want to hear it If is it not dramatic , no one is going to want to hear about it . entailment +Winning Entry , Rock Pomposity Rock Pomposity was the winning entry . entailment +Valuing Fatal Cancer Risk Reductions . Cancer risk has reduced by 25 % during last years . neutral +Of course ! Oh , yes ! entailment +However , in a few areas , small changes will be proposed that are relatively easy to implement . Small changes will happen that are easy to add . entailment +This imposing vista was originally planned for Napo ? ­ leon to see from his bedroom in the Louvre , which was then a palace . The magnificent vista was constructed for Hitler to see from his estate in the Berghof . contradictory +46 The program is fiscally unsustainable in its current form , and growing Medicare spending is expected to drive federal government dissaving over the long run . Medicare spending 's growth will likely encourage federal government saving . contradictory +Its impact analyses do consider information and comments developed in connection with its fee schedule rules for prior years . The analyses demonstrate a consideration for the information . entailment +LSC 's internal procedures for clearing mergers and consolidations involve the work of several offices within LSC including the Executive Office , the Office of Inspector General , the Office of Compliance and Enforcement , the Office of Legal Affairs and the Office of Information Management , with the Office of Program Performance having primary responsibility for the clearance process . Office of Program Performance has primary responsibility for the clearance process . entailment +It simultaneously published an editorial speculating that fen-phen would save more lives by reducing obesity than the associated heart disease would kill . Fen-phen is a viable solution for obesity and heart disease . neutral +As the roc swept over , the people stopped their frenzied pursuit of sensation and ran for weapons . As the roc swept over , everyone stood there paralyzed . contradictory +yeah they didn 't uh survive the freeze Yes , they lived despite being frozen . contradictory +Patients were also screened with the CAGE and SMAST . The CAGE screening was better at detecting any issues with the patients . neutral +I 'm sure it 's playing hell with my charisma . ' It 's messing with my charisma . entailment +In your own world , you were nothing . You said you were nothing . entailment +in any class like that i go to instead of having that level you know Classes like that I go to . entailment +GAO examines the use of public funds ; evaluates federal programs and policies ; and provides analyses , recommendations , and other assistance to help Congress make informed oversight , policy , and funding decisions . GAO helps Congress make funding decisions by examining the use of public funds . entailment +uh-huh and i was never called that until i came here I came here and then started getting called that . neutral +Five grants with a national scope were awarded ( see below ) . 5 grants to worsen the nation were given . contradictory +Flea markets usually called swap meets are where you 'll find merchants selling antiques , old Levi 's , and every kind of junk ( new as well as old ) imaginable . Flea markets , sometimes called swap meets , are where you can find people selling everything from antiques to junk . entailment +A worker earning between $ 25,000 and $ 40,000 was to receive a 20 percent match on the first $ 100 contributed and additional contributions . A bonus of 20 percent was added on the first $ 100 contributed by workers earning between 25k and 40k . entailment +The Court agrees with all this , yet applies a novel and unsupportable interpretation of our public-forum precedents to declare a504 ( a ) ( 16 ) facially unconstitutional . The Court agreed with the argument but still felt that a504 ( a ) ( 16 ) wasn 't in keeping with the spirit of the constitution . neutral +Thus , rural ( and highway contract ) routes serve slightly less than 25 percent of total residential delivery points ; this is the same as the percentage of the population living in rural areas . Each rural route has 50 stops , on average . neutral +Suddenly Boris stepped forward , and shook his fist in Tommy 's face . Suddenly Boris stepped forward and hugged Tommy . contradictory +yeah no no you 're thinking of Rick Moranis he looks like Rick Moranis but he 's not He looks like Rick Moranis but it 's not him . entailment +Adding personnel late in a project can actually cause further slippage . Further slippage can be completely avoided by adding personnel late in a project . contradictory +DirecPC is a bad choice for those who want to transmit data , because it uplinks on conventional phone lines at a paltry 28,800 bits per second . 28000 bits per second is the uplink on standard phone lines for DirecPC entailment +Absent reform , Social Security deficits would contribute to government dissaving ( shown in figure 4.2 ) and greatly constrain budgetary flexibility over the long run ( shown in figure 4.3 ) . The strain to the budget that comes with these Social Security deficits is an outcome that the public wants this administration to avoid . neutral +It is therefore one of the best spots in the Middle East from where ornithologists can watch the massive flypast of several hundred bird species . There are few better places in the Middle East from which birdwatchers can watch many species fly by . entailment +Since there is disputation about what exactly got said , and your bet was with a friend , Prudie suggests the two of you go out to lunch--Dutch--and devote some of the luncheon conversation to the sad and shabby affair . The dispute was about a casino bet . neutral +yeah and or they found that Tomczak really wasn 't a he was a good backup quarterback was what he was Tomczak was a good backup quarterback . entailment +Even at the smallest of firms , the median hourly rate starts at roughly $ 130 an hour and passes $ 180 , according to a 2002 survey by Altman Weil , a legal consulting company . The rate per hour was at least $ 100 . entailment +It 's hedonistic and funky , and tolerant of alternative lifestyles . It 's very tolerant of gay people . neutral +New research links these periodontal bacteria to heart disease , diabetes , low birth-weight babies , and other nastiness you 'd expect from bacteria running wild in the bloodstream . Research indicates there 's no link between periodontal bacteria and heart disease or diabetes . contradictory +It makes me home-sick . " It makes me have sentimental feelings about home . entailment +and maybe and i knew i wanted to be in engineering so i was looking for a good engineering school so i ended up going to Tech in Lubbock I was uncertain of the field I wanted to specialise in . contradictory +to go to ... Continuing on with this . entailment +However , a 60 day period was afforded for comments to be submitted on the interim rules , which period was reopened on August 7 , 1995 and extended to August 18 , 1995 . There was no additional comment period after the initial 60 day one . contradictory +They are also sick of her constant preaching on self-improvement , says the publication . They 're tired of people lecturing them about being better people . neutral +Governments may be wasteful in managing money , but the only evidence GS provides is in the story of Louis XV , who , when accused of spending too much , said , After me , the deluge . Louis XV died before he could spend any money as king . contradictory +A set of stairs connects her room to that occupied by her husband . Only a pillow separated her from her husband . contradictory +This contrasts with the auction provisions in the existing Section 416 providing for a declining price auction where winning bidders purchase allowances at their bid prices . Section 416 was written to make an auction run smoothly instead of maximizing profits . neutral +However , engineering and project management labor are also needed for the project . Also needed in the project are engineering and project management labor . entailment +Chechen leaders called for peace talks , but Russia rejected the offer , saying that Islamic militants would use a cease-fire to rebuild their forces . Chechen leaders at no point called for talks of peace . contradictory +In Byzantine times a huge chain could be slung between here and Saray Burnu to close the mouth of the Bosphorus . The mouth of the Bosphorus can be closed by a huge chain . entailment +What about it ? " What exactly about the thing ? neutral +Dolly Parton 's breast implants against Mark McGwire 's shrunken , steroid-ruined testicles . Dolly Parton 's breast reduction vs Mark McGwire 's swollen testicles . contradictory +In other respects , too , they evince a prickly xenophobic nationalism . They don 't like foreign tourists , believing they dilute the national culture . neutral +Suge , too , imitated mob style , valuing loyalty and insularity over all , surrounding himself with thuggish cronies . Suge vamped up his security like a mob boss . entailment +Some authorities on evaluation methods believe that case studies reflect the author 's values in ways that can be difficult to detect . No one believes that case studies reflect the author 's bias . contradictory +The main ( west ) portico features lifelike statues of the apostles barefoot , long-haired , bearded men , seemingly caught off guard by a candid sculptor . The apostles didn 't know that they were subjects of an artistic endeavor . neutral +Genetic engineering can do crazy things . Genetic engineering is useful for taking on new problems . neutral +The Commission received comments on the rule from 12 commenters , including licensees , trade associations , and a law firm . The commission got comments from 12 people . entailment +'I already have . ' I haven 't yet . contradictory +I feel the same . " " We 're the same . " neutral +yeah i think there were places around downtown Fort Worth last night they got three inches in a real short period of time like an hour or so just Fort Worth has been in a drought for the last three months and no rain has fallen at all contradictory +Today the visitor will find an atmosphere of rather bleak serenity that is in itself as evocative as the remaining concrete bunkers and blockhouses , some simple monuments on the sites of the action , and the miles of croses in the military cemeteries . Visitors can see some concrete bunkers , simple monuments , and military cemeteries . entailment +There is the rejection letter I received from George , which he was too modest to put his own name on . George was too modest to put his name on the rejection letter I received . entailment +This is for a combination of reasons taken ( a ) the unemployment compensation system--including the system of taxes , the system of benefits , and the trust fund--was established by the Social Security Act of 1935 and has been amended by Federal law many times ; ( b ) deposits are held in a trust fund operated by the U.S. The Social Security Act of 1935 established the tax system . entailment +The Treaty of Kadesh , recorded on clay tablets on display in the Museum of the Ancient Orient in Istanbul ( see page 39 ) , is the oldest known example of an international treaty . Turkey has a museum of displaying only treaties . neutral +Not too many jocks are Rhodes Scholars , observed Cousy , arguing that Bradley personifies the virtues of team sports . There are many advantages to being involved in sports . neutral +two days to me doesn 't seem to be too unrealistic for a national election People should get two days off to vote for a national election . neutral +you know most tribes were treated dreadfully They were murdered and suppressed . neutral +that 's like my husband does that he can watch them over and over and i 'm there 's very few i would want to see that many times so he he once he has one he likes he likes to watch it over and over My husband watches movies many times . entailment +Great movies are fewer and farther between ( at least in this writer 's opinion--at least for the time being ) , and these days even the media that employ the critics measure a movie 's success not by the critics ' reaction but by opening weekend gross . Well known critics are being ignored when reviewing a movie . neutral +I am not gay . I am straight . neutral +As the Kentuckian raised it to sip , the scent of the wine quirked time for him , making this for a fleeting moment the dining room at Red Springs during a customary after-dinner gathering of the men of the household . Kentuckian was at the dining room at Red Springs . entailment +I 'm a registered and certified virgin . I lost my virginity two years ago . contradictory +A century of decadence and intermittent wars had left the Ottoman sultanate in serious , irreversible decline . The sultanate of the Ottoman Empire gained power due to careful budgeting . contradictory +--From Obstacle to How Acid Rain Emissions Trading is Delivering Cleaner Air , Environmental Defense , September 2000 , p . Acid rain emissions trading is improving air quality . entailment +We agreed to do it because we thought it made a lot of sense in terms of the public interest and , secondly , because it was very handsomely compensated work . We agreed to do it because it made sense , plus the compensation was pretty good . entailment +Jesse L. Jackson Jr . , Laura Schlessinger , the Rev. Five different names were stated . contradictory +Same peril with the strong Alicante dessert wine , ten drops of which were long reckoned to be one of nature 's surest cures . Alicante wine is reputed to cure hangovers . neutral +But , certainly . Of course not . contradictory +Jon turned to San 'doro . San 'doro saw Jon face him . entailment +uh to me at least i don 't like to go out by myself but that 's when we do the most talking and you know about things that have taken place during the day and I enjoy going out by myself . contradictory +A timeless burst of renegade teen spirit ( Steve Dougherty , People ) . ( Click here to find out more about the band on its official site , and here to check out the I have a crush on The Donnas Web site . ) Click here to find out how the band survived a huge plane crash . neutral +He used to stab me with his parrying dagger . The man would always stab me in the leg . neutral +When I came across this paragraph my problem was solved . My problem was solved when I read this paragraph as well as the next one . neutral +yeah you know up here it 's it 's the restaurant business has fallen off The restaurant business up here is booming like never before . contradictory +Aldrin 's ShareSpace company hopes to use jumbo-jet-style spacecraft to bring tourists to orbiting space hotels . Aldrin 's ShareSpace company , which planned to explore the ocean depths , has been shuttered . contradictory +A weakened and suddenly unstable Communist Party installed former First Secretary Gomulka as leader without consulting Moscow , an event that prompted Soviet , East German , and Czech troops to amass on the Polish borders . The Soviets did not keep track of Poland 's politics . contradictory +And this pristine wildlife reserve is within easy reach by air and road from Kathmandu . It 's difficult to reach the wildlife reserve from Kathmandu . contradictory +I don 't expect today 's generation of historians , many of whom opposed Reagan all their lives , to admit their errors . I 've heard dozens of historians openly admitting to the mistakes they 've made . contradictory +The Peak is still the most fashionable place to live in Hong Kong , but real estate prices here are astronomical ; rents run around HK $ 50,000 a month . It is extremely cheap living in The Peak . contradictory +once the pressure gets turned on they they seem to loose it see that 's the typical trait of the Dallas Cowboys and and the Oklahoma Sooners it 's funny over the years The Dallas Cowboys do not lose it in the face of pressure . contradictory +Another old wound had deformed the muscle of his left arm . He got a wound on his arm from battle . neutral +From a.d. 795 , Ireland was subject to repeated Viking raids . Ireland was subjected to raids by Vikings . entailment +For those who would prefer to cycle off-road , there are tracks through the forests at Grizedale and Whinlatter and some well marked crosecountry routes . The cycling routes in Whinlatter are very challenging for the amateur . neutral +yes i i was i was flabbergasted and i think plastic was um plastic never totally total breaks down I don 't think plastic ever breaks down completely . entailment +hello i was i was thinking about our topic for the night um immigration problems we have immigration problems and what do do you think about it I was thinking that immigration problems could be our topic for the night . entailment +that 's my uh one of my wife 's favorite stories to tell about Easter camping trips it the coldest Easter ever My wife loves to tell stories about Easter camping trips . entailment +Jon too reloaded on the run , seeing San 'doro behind him parrying a sword thrust and stabbing into the thruster 's thigh . Jon ran while reloading . entailment +The eruption of the volcano is documented in the excellent Franck Perret museum . The Franck Perret Museum has a display dedicated to the eruption . entailment +i guess the one that really got me too was that uh let 's say your spouse is on a particular drug and you know what that is and then you end up with the same problem and you take their leftover medicine that 's not allowed The leftover medicine is recommended to be taken by your spouse . contradictory +New satellite pictures substantially increase the probability that life exists on Europa , a moon of Jupiter . The new data from space suggests there could be life on one of JUpiters moons . entailment +that 's where the only stipulation i 'd like to see tacked on to the legislation saying that there had to be some form of formal firearms instruction N R say NRA certified firearms instruction The NRA should not be trusted with firearms instruction . contradictory +The successful execution of these two critical success factors depends to a great extent on officials other than the CIO . The successful execution of these two critical success factors don 't depends to a great extent on officials other than the CIO . contradictory +Whittington and Boris were walking up and down by the bookstall . Whittington and Boris trotted off in different directions . contradictory +i firmly believe that large dogs are meant to be outside we had Danes when i was a child and um I am terrified of large dogs being in the house because as a child , they frighten me . neutral +Radio and--even more--television made this possible on a national scale . Radio and television have allowed advertising to travel farther and faster . neutral +He could not recognize a man whom he had probably only seen in the distance , since , you remember , he himself had only been in the village a fortnight , and Mrs. Inglethorp dealt principally with Coot 's in Tadminster . " Since his stay in the village had been short , he couldn 't identify the man . entailment +Most of the items you 'll find in Madeira , like pretty hand-painted plates , planters , jugs , and jars , come from the mainland but if you 're not traveling to other parts of the country , Madeira is still a good place to pick them up at bargain prices . Madeiran crafts are fragile and only for the wealthy . contradictory +what are you majoring in school What is your school major ? entailment +i think so you 're right well it 's interesting uh that uh people have the generally the same view of credit cards no matter where you go You are correct , people all carry the same opinion on credit cards neutral +This masterpiece of Provencal Romanesque sculpture depicts the Last Judgment in the tympanum above the doors , surrounded by statues of the saints . The same sculptor made the Last Judgement as well as the statues of the saints . neutral +The crowd was silent . They were quiet and then they cheered . neutral +An article reports that five tits-and-action TV shows are following in the profitable footsteps of Pamela Anderson Lee 's V.I.P. There are more T & A shows in the works like V.I.P. , which featured Pam Anderson Lee , and they will be successful . neutral +Therefore he would have to run . Running is something he would have to do . entailment +10 Whether a particular act is , in fact , illegal may have to await final determination by a court of law . A court of law might be what finally determines whether certain acts are truly illegal . entailment +wow wow that 's pretty pretty bizarre the dog ate the Christmas presents that 's funny well anyway what uh is the economy doing pretty good there where you 're at Dogs eat Christmas presents all the time , it is very normal . contradictory +The chateau 's proudest possession is the great 14th-century Apocalypse Tapestry narrating the gospel of Saint John in moving detail . The chateau has a beautiful , historic tapestry . entailment +that that 's all you can do that 's right well i got to be going so uh There are many things everyone can do . contradictory +This Subpart establishes a back-stop trading program that will go into effect if the States in the WRAP ( i.e. This Subpart did not establish a back-stop trading program contradictory +How can interventions be paid for ? How can inventions not be played for contradictory +" Thanks . " Drew felt in a pocket , tossed Callie the coin his fingers found . Drew gave Callie the coin from his pocket . entailment +According to the latest estimates , personal saving in 2000 was - $ 8 . Personal savings was a negative number . entailment +well i hope so I hope that 's the case . entailment +However , if more than one system is installed at a site , some significant efficiencies result . Powerful inefficiencies occur when more than one system is installed . entailment +yeah i do that too Yes , I do that as well . entailment +Four easy-to-manage excursions from Tokyo would make memorable additions to your stay . All excursions from Tokyo are hard to manage . contradictory +These circumstances involve situations in which the request ( 1 ) addresses an important issue of broad interest to multiple committees or the Congress as a whole , ( 2 ) involves an issue that is a legislative priority or is on a fast legislative track , or ( 3 ) asks for a compilation of information which GAO has developed from a substantial body of prior work and / or work originally requested by others . There are no reasons why these circumstances should be involved . contradictory +Business is good ! " He looked at Ca 'daan and his mood shifted . " Business is good ! " he exclaimed happily , until his eyes fell upon Ca 'daan . entailment +Fish ( heads discreetly wrapped in paper ) are still hung out to dry in the sun . The fish heads are wrapped in paper and hung to dry . entailment +On February 10 , 1994 , EPA held a public hearing so interested parties could present their views on the proposed rule . Most parties did not say anything at the EPA 's public hearing / neutral +Also , that she was equally in love with him . That she loved him the same amount . entailment +Dog Bites Man is a poor substitute , but beats Man and Dog Work Really Hard Late at Night for a Long Time Until One of Them Screws Up . Dog Bits Man isn 't a good alternative . entailment +um and season really same season to season um uh it changes with the weather you know uh wear light clothing i guess if it 's hot out but um my wardrobe changes depending on the season--i wear light clothes if it 's hot neutral +More specifically , it is based on the accrued cost of the major functions and their cost elasticities with respect to volume . The cost of the functions are affected drastically by the volume . neutral +If that happened , I think all the candidates would be forced to take a position on the issue . They wanted all the candidates to be candid on the issue . neutral +uh but uh asking questions during the trial my experience as a juror uh well it was a traffic situation uh there were three points of law that had to be made and the County Attorney did not make the points It was a DUI situation . contradictory +In a month of hard work it was easy to forget what might only be fancies . It only took a month of hard labor to forget . entailment +They traveled down a small path to a stone and wood house . Every one of the houses they passed on the path was a stone house . contradictory +While still in the death chamber , the inspector had snapped a few quick pictures of himself sitting in the chair , and he is planning to use them as Christmas cards this year . The death chamber is used in executions . neutral +Take her with you , and do just as I say . Take her with you , and follow all my orders . neutral +In his other he held a flintlock pistol , the barrel still smoking . The barrel of the pistol was smoking . entailment +Both the NYT and WP report that when asked to identify himself by reporters in front of the courthouse where the Starr grand jury is located , Kathleen Willey 's son said he was the sausage king of Chicago . Kathleen Willey 's son still has a sense of humor , even in troubling times . entailment +well which uh sixties uh rock bands do you like the best Who are you favorite rap artists from the eighties ? contradictory +Although few tourists stray from the Kathmandu-Pokhara-Chitwan focal points , it is possible to see something of the undeveloped west without walking three weeks to get there . One can see part of an undeveloped country without having to walk for weeks . entailment +The supreme self-made man , Bonaparte in 1804 became Emperor Napoleon at a coronation ceremony in which he audaciously took the crown of golden laurels from the pope and placed it on his own head . Bonaparte was self-made . entailment +In its recent obituary of a legendary cold war spy , the NYT suggested that he was the conduit via which the U.S. arranged for Vietnamese generals to assassinate South Vietnam 's president Ngo Dinh Diem in 1963 . The spy may have been the one involved with the 1963 plot to kill the president . entailment +They can result from ordinary events happening to people who are receptive , appreciative , attuned to what is happening around them . People who are aware of their surroundings can experience them during regular , every day occasions . entailment +Tomorrow the daily papers , all over England , would blazon out the news in staring headlines : " MYSTERIOUS TRAGEDY IN ESSEX " There will be a stunning headline tomorrow . entailment +The editors of the Baffler , a little magazine of cultural criticism , have coined an extremely handy term to describe the spirit of stores like Restoration Hardware and Trader Joe ' Commodify your dissent . The baffler have never coined any new terms . contradictory +yeah i agree i agree i think it also gives a woman a chance to if she does have a job a nd a career it gives the man and the wife both a chance to both be working and maybe save up some money and then it gives her a little more option if she wants to stay home with the children while they 're young Do women stay at home with kids for a long time ? neutral +Artifacts originated in the palaces of Knosses , Malia , and Phaistes and include the superb rhyton ( libation vessel used in ritual purification ) carved from black steatite in the shape of a bull 's head . There have never been any palaces at Knossos . contradictory +it can 't hurt The pain is unbearable . contradictory +He stretched out his legs , and the sun made twinkly points of light on the rowels of the Mexican spurs . He sat in the sun all afternoon . neutral +4 " So , you see me , Bayliss , " Don Cazar returned evenly . Don Cazar spoke evenly as he ate his breakfast . neutral +yeah yes yes it sure is but but it is good reading and it 's good for us and and everything i really do enjoy it This is the worst thing I have ever read in my entire life . contradictory +This will provide a conservatively high estimate of the required resources because many of the necessary control installations have already begun . No estimation could be made for the resources . contradictory +i have to find a place around here that has that " What I have to do , is find a place in this vicinity . " entailment +yeah i i you know it 's you know feasible i mean i know a lot of college kids who have them you know who had them but just depends I know it 's feasible but it 's hard when you don 't have much money . neutral +Here a group of some fifty men were watching the sky , obviously waiting . At this place , fifty-odd men were looking at the sky and waiting . entailment +However , if there are categories of mail that are attractive to competitors , these categories should be viewed as extremely elastic and the Postal Service would be expected to move its rates toward a lower markup over costs . Mail that is attractive to competitors should be viewed as elastic . entailment +Among users ' the small , immobile keyboards are sometimes difficult to use , and the touch screens have to be tapped in just the right way . The small , immobile keyboards are perfectly made . contradictory +With the cloister , the monks ' ethereally lit refectory , the grand Knights ' Hall , and the elegant Guests ' Hall together make up the masterpiece of 13th-century Gothic architecture that earned the abbey its name of la Merveille . The la Merveille was the most magnificent 13th-century gothic structure built . neutral +The Legal Services Corporation is a private , non-profit corporation established in the District of Columbia by the Legal Services Corporation Act of 1974 , as amended ( the LSC Act ) , 3 to provide financial support for legal assistance in civil proceedings to persons unable to afford legal services . They get many grants from the federal government . neutral +so there 's no incentive for them to do anything far better for them to sit on their butts and draw the money It 's easier for them to just sit around and do nothing . neutral +They were lucky enough , she said , to find a bus quickly and be back home in time to watch the Saturday night movie . They shortly found an empty bus and were home in time to watch the movie . neutral +well i like the classics too uh i think that there 's a lot of books out now that are kind of garbage books and i well i don 't prefer to read a lot of the things like you might find at uh well like at a Target or a supermarket or something where they have a bunch of books out paperback type books usually i I am a huge fan of the kind of books that are available at Target . contradictory +oh oh they 're such a nice bright early spring color They are very dark and drab looking . contradictory +oops how old is she oh How old is she ? I think she didn 't tell me . neutral +but um i wish we didn 't have to i mean i i 'd rather even if a country chooses a government that 's not you know exactly the kind of government that we have you know or or is in complete opposition to it at least it 's their choice as as long as long it 's one that 's that that makes sense so to speak you know this is a government that stays in power that can stay in power but it seems like most of them don 't There is a country that chose a government in opposition to ours . neutral +no you can 't you really can 't they are good and ooh they just they 're just so suspenseful They are good and suspenseful entailment +That generates many concerns . There are concerns about things that can 't be fixed . neutral +Wolf did . Wolf did tell us everything . neutral +There he installed me in a chair , and I related the whole story , keeping back nothing , and omitting no circumstance , however insignificant , whilst he himself made a careful and deliberate toilet . I told him the whole story after he sat me in a chair . entailment +The BJP 's role in provoking the 1992 demolition by Hindus of a mosque in Ayodhya , said to have been built on ground sacred to them , and the widespread racial violence which ensued caused PM Rao to ban the BJP . PM Rao banned the BJP because of widespread racial violence . entailment +It 's awfully decent of you . " That 's so mean of you ! contradictory +I never liked him , said Julius . I have always loved him , said Julius . contradictory +35 Increasing personal saving is vital to enhancing individual households ' retirement security , to increasing national saving available to invest in the nation 's capital stock , and ultimately to reducing the burden on future generations of financing government programs for the elderly . Retirement security is dependent upon an increase in personal saving . entailment +The Etats generaux convened for the first time in 175 years . Generaux is the old term for " general " . neutral +European Tour , takes place at Santo da Serra Golf Club . The Santo da Serra Golf Club hosts the European tour . entailment +It was French police who rounded up the deportees for the concentration camps , many of them denounced by French civilians seeking to profit from the confiscation of property . The French police rounded up deportees and had them flee to safety . contradictory +These form the major stops of a Nile cruise and are all visited by tour groups from bases at Luxor or from Aswan to the south . These make up only the minor stops of a typical Nile cruise , which usually don 't attract too large of an audience anyway . contradictory +oh torn apart oh yeah No , completely together . contradictory +Maybe if I look around White 's apartment ... if there 's anything left of White 's apartment ... I might get a hunch or two . ' I will search White 's apartment for evidence of a crime . neutral +And you a Socialist ! And you adhere to socialism ! entailment +And millions of people have seen the photograph of an unknown Jewish soldier fervently praying at the Western Wall minutes after Israeli forces captured the Old Citein 1967 . The photo of the unknown Jewish soldier praying at the western wall has been viewed millions of times . entailment +Many people do not have the option of going to France outside the main holiday periods ' Easter , July , and August . While many people don 't have the option of visiting France outside of the main holiday periods , if they do , it 's far cheaper . neutral +A federal panel is deciding if and how to tax Internet commerce . New taxes on Internet commerce will lead to federal tax cuts on income . neutral +Our first assumption is that this woman is a victim of gender-based discrimination--but we 're stopped short by the announcement that it is legal . All discrimination is illegal . contradictory +Reasons for exorbitant cost ( $ 1 . There are reasons as to why the cost is high . entailment +Tommy felt that if this solitary confinement went on much longer he would go mad . Tommy is a prisoner entailment +Some patients treated in emergency departments need more intensive treatment such as inpatient or outpatient therapy or participation in self-help groups . The ER can 't give some weight-loss patients everything they need . neutral +For these reasons , among others , Medicare presents a great fiscal challenge over the long term . As far as long term prospects are concerned , it will be difficult to afford Medicare . entailment +Last summer , The New Yorker sent a staffer to Venice to cover the Venice Film Festival . The Film Festival was in Finland . contradictory +To operate , service , and guard the helicopters , Clinton is supplying 2,000 Army troops , adding to the 8,000 NATO soldiers who are arriving in the region to help refugees . America is not sending any more troops to help . contradictory +But when the English revolutionaries beheaded Charles I in 1649 , the Scots rallied round his son , Charles II . Charles II was always more well-liked than his father , so it was no surprise in 1649 when the Scots chose to rally around him when his father Charles I was beheaded in England . neutral +incorporated it into the final rule in what appears to be a clear and unambiguous manner . It was incorporated in an obscure way into the rule . contradictory +Of the once white walls of Memphis , little remains , but it was capital of Egypt until the end of the sixth Dynasty ( c . 2200 b.c. ) . The two major relics are a monumental statue of Ramses II lying proseate after losing its feet , and an alabaster sphinx dating from 1400 b.c. There are four major relics left from Memphis . contradictory +well Bo was uh playing football actually you know he plays both football and baseball and baseball and he was plays and during a tackle he ended up either damaging his hip or you know injuring his hip Bo played football but he never got injured . contradictory +man i worked as a welder and i was you don 't even get paid that much You don 't get paid much for welding . entailment +but the other countries that you know that have oil but not as big you know like they say you know like when the prices went up and then they went down when they took that big dip it was because they discovered another big oil well somewhere in Saudi Arabia or something There was an oil well discovered in Saudi Arabia that effected the prices . neutral +Buddha 's own life explains his teachings , but the truth is buried in both legend and historical fact . The teachings of Buddhism were derived from a novel . contradictory +They 've-- " They have not . contradictory +" We ain 't blind on th ' Range . " His head swung a little so he was looking at the girl . He dreaded turning his head to face the girl . neutral +If you prefer bitter orange , be sure to specify naranja amarga . If you like bitter orange , make sure to pick out the naranja amarga . entailment +Participants stressed the importance of independence , both in fact and appearance , as essential for the board to be able to fulfill its responsibilities . The participants were useless in our efforts to better understand fulfilling responsibilities . contradictory +LSC will receive additional information on the ability of grantees to leverage federal dollars using an estimate of cases funded exclusively with federal resources , through this methodology , although it is a less than perfect method of analysis . LSC will receive information such as how often you like to go and smoke marijuana neutral +There is only one person who could possibly have destroyed that will ” Mrs. Inglethorp herself ! There are several people who could have destroyed the will . contradictory +do you kind of think it 's something else then Do you think it may be something else ? entailment +But evangelical leaders , who are , in my experience , uniformly kind and generous in their personal relations , can also be terribly obnoxious in their relations with Jews . evangelicals , while nice in personal interactions tend to be rude when dealing with Jewish people . entailment +The critics are ganging up on social critic Mike Davis , the MacArthur fellow and Marxist deflater of Los Angeles ' dreams and delusions . There is no unity within the critics community . contradictory +The village has a rather Bohemian atmosphere , with shops , art galleries , bookstalls , and cafe . There are art galleries and bookstalls in the village . entailment +what 's going to stop them from you know other people to What will prevent this from happening to someone else ? entailment +i hate it almost as much as i do France France has been a horrible place for me . neutral +Discos are also popular some of the most popular can be found at the major international hotels and have a regular Egyptian clientele in addition to attracting visitors . You will need to pay a fee to enter the disco . neutral +All the ground floor windows were shuttered tight , but upstairs , on the first floor ( it was a two-storied house ) I noticed a window with a light burning and the curtains not drawn . Every window of the two-story house was gleaming brightly with the many lamps lit inside . contradictory +I know the smell of fear and blood as you do , my friend , and I still miss it . I hated the smell of blood , which was disgusting . contradictory +Now it was flickering and flaming , shooting enormous jets of fire from its rim . It was shooting fire from its rim as it flickered . entailment +Even Selana 's father told him to leave . Her father even told him to leave . entailment +In this , San 'doro was a much better instructor than the Kal who had trouble holding back his skill . The Kal had trouble holding back his skill . entailment +yeah we 've got our own worries at the moment so We have got our own issues to worry about . entailment +As discussed in Section 3.3 , utility engineers reported that while installing SCRs for the NOX SIP Call , crane availability has been an issue that can be accommodated with proper planning . The reports of utility engineers were discussed in section 3.3 . entailment +Eleven European countries adopted a common currency , the euro . France and Spain have adopted the euro as valid currency . neutral +There must be a peep-hole somewhere in the walls . One of the walls must have a small crevice . entailment +It is not foolish to consider intent , hence the distinction between murder and accident and serious dieting . To consider intent is wise because behind every action is a reason . neutral +Painting and architecture were infused with life , roads were paved , and , in the 14th century , Delhi was pronounced by the Arab traveller Ibn Batuta to be the most magnificent city in the whole Muslim world . Painting and architecture infused themselves with life , roads were paved and the city was pronounced the most magnificent by an Arab travaller and his band of pirates . neutral +unless you 're eating like a baked potato or something Unless you are eating like an ear of corn or something . contradictory +oh they didn 't say they didn 't say what though they just said they thought it was They were 100 % certain they knew . contradictory +A 25-minute audio-visual presentation in the prison chapel is followed by a fascinating guided tour through the dark and narrow corridors of the 18th-century part of the building , where you can see the cells occupied by those who took part in the Easter Rising they were executed in the prison yard . The 25 minute presentation in the chapel provided the background and history of the building before going to see for yourself . neutral +Considering the centralized or decentralized nature of the enterprise helps determine the corporate CIOas authority level and how the CIO shares responsibility with other managers across the agency . Enterprises are not centralized or decentralized in nature . contradictory +the thing that was best about metric was the thing that was most poorly represented really i think Metric 's best feature was a thing that wasn 't presented very well . entailment +The Idaho Partners for Justice Project has already secured pledges of more than $ 35,000 from law firms , attorneys , corporations and individuals . The Idaho Partners for Justice Project got money to give pro-bono services to 10,000 people . neutral +and what we do is we 'll have a drug test if if an if a a boy or a man uh has an accident then he 's automatically uh given a drug trest A drug test will never be administered . contradictory +There were perhaps two dozen people , all clustered around the museum entrance . There was over a dozen people gathered near the museum . entailment +If you want to buy pottery or alabaster , compare prices and quality with goods on sale at the artisan villages on the west bank ( see page tk ) before making a final decision . Going to the artisan villages on the west bank , you should make a quick purchase without much thought if you 're interested in pottery or alabaster . contradictory +He grinned his half-iron grin . He smiled at them . entailment +The bald , pointy-eared vampire in Nosferatu is barely ambulatory , in fact . The bald vampire had trouble walking . entailment +By the 14th century , the abbey was surrounded by a fortified village . The abbey was happy to be surrounded by a strong town . neutral +Their little community on Dejima Island , in Nagasaki Bay , sheltered the only remaining foreigners left in the country . There was only one foreigner left in the country which was found on Dejima Island in Nagasaki Bay . entailment +well maybe maybe we 'll get this question again and can I don 't think we can get it again . contradictory +i don 't know if every citizen does or not but just you having lived in Houston you know what it 's like out there Houston is a terrible place to live . neutral +For example , through Boeing 's Creating Value learning project , managers learn how to recognize the importance of cash flow and its influence on business decisions , understand shareholder expectations and the consequences of not meeting them , and identify the relationship between individual decisions and actions and shareholder value . Boeing helped to educate managers on the importance of cash flow . neutral +huh well that 's uh that 's quite a savings having that talent It saves a lot of money have that talent , I should work on it . neutral +Fena Kef had three fighting pits . There weren 't any fighting pits in Fena Kef . contradictory +Won 87 SSI / SSD cases enabling clients to receive $ 850,016 in retroactive benefits , saving state taxpayers $ 441,786 and enabling people with disabilities to live with dignity . The lawyer won over $ 800k in retroactive benefits . entailment +Interoperability provide services to and accept services from other resources and to use the services so exchanged to enable them to operate effectively together . Interoperability allows services to and from other services so they can operate together , increasing efficiency by a large amount . neutral +Brown 's attorney , Dale Doerhoff , said Wednesday 's action was unnecessary because Brown never intended to distribute the money until all legal questions about his authority were resolved . The attorney said that Tuesday 's actions were unjust . contradictory +To start at the top of the compass and work clockwise around the the northernmost tourist centre is Portinatx ( pronounced port-ee-NATCH ) . Portinatx is the southernmost tourist centre . contradictory +Increased number of clients receiving appropriate legal services . They have no received any requests for legal services . contradictory +Yes , its choices are trendy and will date it badly and quickly . Its choices show the culture around it . entailment +At that time , barely 20 years At that time , 20 years weren 't much for the old man . neutral +Somehow , with the coming of the light , the dreads and fancies of the past night seemed absurd . The sun is about to set . contradictory +1 The Clear Skies Act would cut sulfur dioxide ( SO2 ) emissions by 73 percent , from current emissions of 11 million tons to caps of 4.5 million tons in 2010 and 3 million tons in 2018 . The Clear Skies Act says emissions can increase every year . contradictory +whether it 's the way they were written or whether it was the material they were written you know that was written about and um so i started reading i had this like you know i had a binge of my mother uh i was living in Bermuda at the time with my husband but my uh mother sent me you know like booklet you know uh boxes full of different books I lived in Bermuda . entailment +7 . Mein Kampf , by Adolph Hitler Hitler 's most known writing . neutral +well i don 't think there 's much hope for a lasting peace over there like they I don 't think there 's hope for lasting peace over there . entailment +But one thing is certain , he is the master criminal of this age . If we can agree on one thing , it is that he is the greatest criminal mastermind of his time . entailment +huh well he made it Looks like he pulled it off . entailment +I 'm still not clear what social studies are , exactly , but I 'll never forget his stories about the UFO that sometimes hovered outside his window , conducting experiments through a metal cable attached to his neck ( he showed us the marks ) . I am certain about the point of social studies . contradictory +I shall not ask her to tell me anything , he said quietly . I will ask whomever I want when I want ! contradictory +The Grand Palais shares its colossal building with the Palais de la Decouverte ( see page 75 ) , and includes among its displays a hands-on exhibition of the sciences , with a planetarium as centerpiece . There are no displays nor exhibits in the Grand Palais . contradictory +In summer , a bus leaves Aoskdar for Kile every hour from 9 : 00 a.m. for the two-hour journey . A bus takes two hours to get from Aoskdar to Kile . entailment +As senior adviser to the president during a tempestuous first term , however , Stephanopoulos can provide insights and behind-the-scenes anecdotes that many readers will find interesting , even if he didn 't see naked interns running up and down the West Wing . Stephanolpoulous was a senior adviser to the president . entailment +These characteristics of the transaction are not affected by whether the sale is illegal . it does not effect it being a legal sale . entailment +i uh i i try to work out at at least a couple of times a week and i i think you really have to at least twice a week just to maintain the shape that you 're in I try to work out at least two times a week . entailment +As an actor , he is famous for demanding take after take till he 's sure it 's right . He is a one-and-done style actor , always confident of his work on the first try . contradictory +it is it really is that they haven 't found anything anything better that um or their experiences haven 't been broadened at all that you know its a Is it true they found something better that broadened their experiences ? contradictory +This was the field base for Howard Ceter during the long search that finally resulted in the finding of Tutankhamun 's treasure-filled tomb . There were pounds of rubies in the tomb . neutral +As shown in table 4.2 , how much the couple 's $ 4,000 annual contribution adds to national saving that year depends on ( 1 ) how much their IRA tax deduction costs the government and ( 2 ) whether their contributions represent new saving or were shifted from existing assets . The table shows how national saving is impacted by the couple 's contribution to their Roth IRA . neutral +The wealthy and ambitious Medici ( not doctors , as their name implied ) emerged as the dominant merchant family . Most of the Medici family members studied medicine , hence the family 's name . contradictory +You always told me that . You told me that . entailment +Dedicated to Kuan Yin , it is flamboyantly decorated with multicolored birds and flowers of glass and porcelain . Kuan Yin enjoyed the decorative flowers of glass and porcelain and multicolored birds . neutral +The mercenary looked back , turned to the fat man , and shook his head . The demon mercenary shook his head after he turned to the fat man . neutral +During renovations and cleaning undertaken in 1999 , a low-wave electronic system was installed to keep pigeons away . There was a system designed to keep pigeons away . entailment +She held a similar post a few years ago in the school 's Elder Law Clinic . She worked for the Elder Law Clinic for three years . neutral +During these challenging times , CPAs must look to what we share in common and how we can help to create the future of our profession . CPAs have all been eager to band together during these hard times . neutral +Come in . " Here in contrast to the brilliant sunlight of the patio was a dusky coolness . There was a dusky coolness contrasting with the brilliant sunlight . entailment +No disguises no grease paint no false beards ! Don 't pretend you are someone that you 're not . neutral +The bishops called their position old news , but gay Catholics found the shift in emphasis significant . The bishops voted unanimously in favor of the new legislation . neutral +or a you know the Suns are are pretty good The Suns are better than they were last year . neutral +OK , the door policy was cruel , but at least it kept Village Voice gossip columnist-in-chrysalis Michael Musto out . Keeping Michael Musto out was a really bad idea . contradictory +That 's what you feel most in her , I her fearlessness . Her fearlessness is so strong , others can feel it . entailment +If mailers have ideas , they ought to submit them . If mailers have ideas , they should talk to a representative in person , as they cannot be submitted . contradictory +you you either have the person who who is uh the type of individual who can work for a large corporation that can afford to pay them you know let them go You can 't always afford to pay everyone . neutral +In America anything that can happen , Strangers kidnap children ; mathematicians become terrorists ; executives find themselves flipping hamburgers . In America , you 'll never see an executive flipping hamburgers . contradictory +This , some argue , gave employers the ability to require more from Bracero workers based on a threat or promise they would be sent back to Mexico . Some argue that employers got more from Bracero workers after threatening deportation . entailment +In fact , the only stars here now are those inlaid into the mildly interesting Walk of Fame ( or headed to the Church of Scientology ) ; the rest of the commotion is caused by thousands of tourists shuffling from one attraction or cheesy T-shirt shop to the next . There starts want to live in a cheesy T-shirt shop . contradictory +A short drive or a hefty hike north of Ibiza Town is the village of J ? ? sus , with a particularly moody 15th-century church . The village of Jésus is three miles north of Ibiza town . neutral +Although a survival curve approach provides a theoretically preferred method for valuing the benefits of reduced risk of premature mortality associated with reducing air pollution , the approach requires a great deal of data to implement . Increased mortality due to air pollution depends on a variety of factors . neutral +Anyhow , it 's not your space-time , though some say it 's your world . " " You mean dimensional travel ? " Dave asked . Dave was familiar with dimensional travel . neutral +LSC is also obligated to ensure that the federal investment promotes efficient and effective client service and complements the efforts of other providers of civil legal services . The LSC has no obligations . contradictory +The box office is next to the Tourist Information Centre . The box office purposely located by the Tourist Information Centre for better business . neutral +Ironically , it was George Shaheen rather than Jim Wadia who publicly stated his support for modernizing the attest and assurance model for the 21st century ! Shaheen supported modernizing the model . entailment +delivered and educational costs incurred by participants . There are educational costs incurred . entailment +They had carefully burnt away a portion of the thick , stiff covering and it was obvious that the height from which they were suspended was a killing one . They would not die if they had fallen . contradictory +On the other hand , for the U.S. and other posts with large and medium per capita volumes the burden is small . The US has medium and large per capita volumes . entailment +What he ought to have done , what any sane man would have done , was to remain patiently where he was and wait for his man to come out again . He should have waited for the man to come out again . entailment +The less time they have to mature their plans the better . Their plan will be awesome if they have enough time . neutral +What do you mean ? he said , in an unsteady voice . He might have been drinking and feeling the effects . neutral +The case study as a research method has evolved over many years of experience but evaluative use of the method has been more limited . The case study has actually been eliminated over the years as new ways of gathering information have arisen . contradictory +Using a pun on Red Herring ' s name , Perkins ' note appeared to imply that a Bush donation would enhance readers ' relationship to the publication . Bush already had so much money that he was refusing all donations . contradictory +Which brings us to possibility No . Which leads us to chance No . entailment +Alternatively , the fuel and communications networks they will build can be used to support an invasion . The fuel networks they build can be used to support an invasion . entailment +But with his death the empire collapsed , and the Israelite kingdom was divided into two separate , impoverished , often warring Israel , with its capital at Shechem in the north , ruled by a series of northern dynasties ; and the smaller kingdom of Judah , with its capital at Jerusalem , from which the Davidic dynasty continued to rule . The divide between the two kingdoms was simply too great to bridge . neutral +( 2 ) What is national saving and how does current saving in the United States compare to historical trends and saving in other countries ? Current savings has no relation to national savings . contradictory +One is that few lawyers are experienced in poverty law and most are reluctant - without support and assistance - to handle such cases . Most lawyers are experienced in poverty law . contradictory +His parents , to avoid a scandal , locked baby Benny at the Noble Kozierobki estate , where he got to peep at his new nanny , Justyna , when she was in the shower . Benny 's parents locked him up at the Noble Kozierobki estate when he was a baby . entailment +Anyway , it 's worth trying . After handing it over the counter she set out briskly for home , stopping at a baker 's to buy three penny-worth of new buns . She handed three penny over the counter for her new buns . neutral +1 , I should say , are a man 's finger-prints ; thumb and first finger . These are small fingerprints belonging to a woman . contradictory +Case study methods , while not without their limitations in this regard , can help us answer this challenge . There is no possible way case studies can help us with this challenge . contradictory +Yes , exactly , of course , , The young man hesitated , and then his agitation was too much for him . He was too upset to continue talking . neutral +The Travel Tips section at the back of the book gives detailed practical guidance on the technicalities of travel through Italy , but here are some general thoughts to help you plan your trip . The Travel tips section gives guidance on travel through Italy as well as other countries . neutral +In addition to its impressive pagoda , Toji is a national magnet for bargain hunters at its huge monthly flea market held on the 21st of each month . The pagoda stands twenty-three stories tall . neutral +Some of the hands-on displays are fun , but sometimes French is needed to follow all the information presented . Some of the hands on displays are fun , but sometimes another language is needed to follow all of the information presented . neutral +Under the altar , a silver disc surrounds a hole marking the place where , tradition says , Jesus 's crosewas raised alongside those of the two thieves on either side . There is a gold disc that surrounds the hole . contradictory +Wanted to adopt me once . Never cared if I was part of the family or not . contradictory +there were always the EPA people and what not were always telling us that uh farm chemicals and what not were destroying our water system and all that but we just we just never saw the results uh EPA would never disclose about the chemicals used on the farms . entailment +'Ah , ' said the real me . 'Go away , ' said the real me . contradictory +In considering required reporting of stewardship information , the Board became increasingly aware of the need to be highly selective in proposing requirements for the consolidated financial report of the Federal Government . There is the need to be highly selective in proposing precise requirements about that topic , and the Board has become aware of that , but was too late . neutral +In Clinton 's last campaign , 40 percent of student donations came in just one month ( September 1995 ) --half that in just two days . Clinton was extremely popular with college students . neutral +GAO also expects that it will receive full and timely access to agency officials who have stewardship over the requested records ; to agency employees who are responsible for the programs , issues , events , operations , and other factors covered by such records ; and contractor personnel supporting such programs , issues , events , and operations . Agency officials must respond to GAO requests within five working days . neutral +and uh i 've noticed over the past say maybe five or six years uh we live about twenty miles away from the state airport and i notice the fly patterns now of the jets are they getting bigger they 're swinging wider so that now they 're coming over the over the our homes I love to watch the planes as they fly overhead . neutral +Some evidence suggests that WTP to avoid a risk of a protracted death involving prolonged suffering and loss of dignity and personal control is greater than the WTP to avoid a risk ( of identical magnitude ) of sudden death . WTP to avoid a protracted death and WTP to avoid a sudden death are equal to one another . contradictory +Tyndale has probably succeeded beyond his Today , any Farm Belt inhabitant picked at random surely knows more of Scripture than any randomly picked inhabitant of an American university town . Tyndale thought educated people were evil , so he focused on those he could save in the Farm Belt regions . contradictory +On the contrary , I 'm asking for ads that make their stars look cool , thus boosting the prominence of athletes who , in their on-court conduct and post-game interviews , are good influences . The ads I 'm looking for make stars look good , regardless of their professional performance . neutral +I always turn it out . I just cannot get it to turn out how I wanted . contradictory +Still , critics say the daughter has inherited the father 's gift for fine , lapidary prose [ and ] carefully controlled language ( Michiko Kakutani , the New York Times ) . The book wins praise largely because of its keen rendering of the self-indulgent ' 70s . Critics say the daughter couldn 't write her way out of a paper bag . contradictory +Even in summer , you should keep a sweater and sunglasses with you ' for sudden changes in temperature and for the brilliant sunlight . On summer days , you need to wear only t-shirts because the weather is the same the whole day . contradictory +No Web startup except for Yahoo ! The other web startups have not arrived yet . neutral +The women had been paying $ 425 a month in a rent-to-own agreement for five years , or roughly $ 25,500 . The agreement was for three years . contradictory +He said funding mechanisms such as small business grants were not always appropriate for researchers and wondered whether there were other funding mechanisms that might be more appropriate . Small business grants aren 't always the most appropriate funding mechanism for researchers . entailment +The film sold $ 28 . The film made $ 28 . entailment +Combining the architectural style of Ile-de-France Gothic with Rhenish German sculpture , the cathedral is an apt symbol of Alsatian culture . The architectural style of the cathedral combines two different architectural styles . entailment +Ancient seismic activity forced the stratified rock towards the sky and the action of wind and frosehave fashioned it into bizarre shapes . The ancient seismic activity kept all rocks planted firmly on the ground , retaining their shape for eternity . contradictory +boy i bet yeah uh-huh That 's totally true , yeah . entailment +Ah ! said the Coroner . That person exclaimed . entailment +For the former , be sure to go to the House of Ireland on Nassau Street . The House of Ireland on Nassau Street sells clothes . neutral +I left a note for Julius , in case he was Mr. Brown , saying I was 228 off to the Argentine , and I dropped Sir James 's letter with the offer of the job by the desk so that he would see it was a genuine stunt . I took Sir James 's letter with the job offer along with me as I left . contradictory +okay um do you have a credit card Do you have a credit card ? entailment +The island of Porto Santo , 40 km ( 25 miles ) northeast of Madeira , is the only other inhabited island in the archipelago , with a population of some 5,000 . The island of Port Santo has been experiencing a population surge in recent years . neutral +I held up the little data-crystal . I held the tiny data-crystal . entailment +Some 30 years after his death , the theaters had been destroyed , the actors dismissed and the playwrights sent into exile . While he was alive the theaters were popular and consistently filled with patrons . neutral +In town , visitors can retrace the favorite promenades along the Mall and see the old administrative offices of the Ridge . Tourists can walk along the Mall and look at the offices where administration once occurred . entailment +In return , Britain offered protection and mediation in the conflicts . Conflict mediation and protection was offered by Britain . entailment +4 The GAO visited five large Puerto Rico Legal Services , Inc . , Legal Services for New York City , Legal Aid Foundation of Los Angeles , Legal Assistance Foundation of Chicago , and Legal Aid Bureau , Inc. in Baltimore , Maryland . Gao found many problems with these programs . neutral +and then i put me a little five gallon bucket and it 's just outside the garage door so every time we drink a Coke or whatever we crush the can and just drop it into the bucket I put a twenty gallon bucket outside the garage contradictory +This rule , promulgated by an independent regulatory agency , is not subject to the review requirements of Executive Order 12866 . This rule is not subject to the review requirement of the Executive Order . entailment +In addition , Catalina Island is a good location for scuba diving and snorkeling , and several companies offer rentals and lessons . Snorkeling and scuba diving can be done at Catalina Island . entailment +As an important maritime center for the Roman Empire , Genoa would later be put on the map of sea-faring annals forever as the birthplace of Christopher Columbus . Genoa is famous for developing new farming techniques . contradictory +Permit me . " With a deft gesture , he rearranged it . He kept it the same position . contradictory +yes well my grandfather he eventually completely lost My grandfather was upset when he lost . neutral +Chatterbox was unable to obtain details of this story , but Murph Murphy is the person to whom Edward H. Heinemann , an aircraft designer and engineer for Douglas Aircraft in the 1940s and ' 50s , attributes Murphy 's Law in his ( Heinemann 's ) 1980 autobiography , Ed Combat Aircraft Designer . Chatterbox got the poop on Murph Murphy from Fred Johnsen , the historian at the Edwards Air Force Flight Test Center . Chatterbox was able to glean every last detail of the story . contradictory +He knew exactly what I had done , how I had done it , and how I was supposed to have done it . He knew what I did . entailment +uh so all you can do is sell them as pet quality Pet quality is pretty bad , because they scammed you . neutral +What is that ? I asked . After asking ' What is that ? ' , I asked another question . neutral +That ought to be good news for Rennie . That should be terrible news for Trump . contradictory +How 'd you like to be in the powder room with them when she and Linda Tripp bump into each other next time ? You would be shocked if her and Tripp ran into each other . neutral +and if it was up to her we wouldn 't have one so you know she feels that kids are too dependent on it also She doesn 't like the fact that we have one , but it is not up to her . neutral +He has not many sources of supply left . He is fast running out of supplies . neutral +Thus , for example , it considers an addressed grocery store advertisement to be a letter . Hence , it regards a grocery store ad with contact information as a letter . entailment +Additionally , Hankinson was instrumental in securing $ 5 million in Crime Victim Compensation funds , dedicated to the provision of civil legal services for low- income crime victims . The public funded the Crime Victim Compensation fund with lofty donations . neutral +At this time , it is unclear how new tax-subsidized saving accounts might affect personal saving and ultimately national saving . It is not known how the tax-subsidized saving accounts will affect the personal and national savings accounts . entailment +After receipt of these comments , FDA will publish a notice in the Federal Register when the agency is submitting the collections to OMB for approval and again when OMB makes a decision on approval , modification or disapproval . OMB has the power to make a decision on approval , modification , or disapproval . entailment +With the high-speed TGV ( train ? grande vitesse ) from Paris , you can make it to Dijon for a visit to the Burgundy vineyards in an hour and a half , Lyon in two hours , or to Avignon for a Provencal adventure in under three . The train from Paris to Dijon travels at a high speed . entailment +Napoleon and Josephine get top billing , of course , as does the eruption of Mount Pelee . Napoleon invaded the island within five years of gaining power . neutral +Perhaps you can at least learn quickly still . There 's a lot to learn but it 'll take too long to hire someone else . neutral +In the interim , the Board believes it crucial to relay to Congress LSC 's current standards governing state planning , service area configuration , and review processes . The Board has no intentions of relaying to Congress LSC 's current standards on review processes . contradictory +After three months the sales fell rapidly - almost reaching zero in the month of M4 + . The sales started to fall after three months . entailment +Heavy Gamblers ? Did they gamble heavy ? entailment +Although the consistent advice from EPA 's Science Advisory Board has been to model premature mortality associated with PM exposure as a non-threshold effect , that is , with harmful effects to exposed populations regardless of the absolute level of ambient PM concentrations , some analysts have hypothesized the presence of a threshold relationship . No threshold relationship exists . contradictory +You 'll find prices begin to drop at the end of the day , after the tour groups leave , especially out of season . Towards the end of the day the prices are lower . entailment +because what happened is like they have this hologram right where you walk in and you can program and everything looks real and you can touch everything and stuff but it 's only a program and it 's really great because sometimes it 's like It seems like a program , but it 's actually totally real , the hologram is real life contradictory +We also see signs that Venus and Mars were once more hospitable to life and over many hundreds of millions of years became inhospitable . There are signs that Venus and Mars were once more hospitable to life and then it changed . entailment +three thousand foot 3000 feet . entailment +um we 're having unusually warm weather it 's it 's almost like they 're trying it 's trying to skip spring and go straight to summer it 's either The weather seems to be odd lately though it is due to a natural phenomena . neutral +uh but but it it 's worked out for for my family uh to have my cake and eat it too kind of thing I can work , but be at home , too . entailment +South of Penrith is an area of farmland that forms the eastern boundary of the National Park . Since it is adjacent to the National Park , there is little concern over it ever getting built up . neutral +The funds from each of these sources are earmarked to assist nonprofit organizations in providing free civil legal services to low-income The million dollars is for the nonprofits . neutral +How did you come to look for it ? So you were just going about your normal routine and happened upon it ? contradictory +Sure thing . Definitely that . neutral +It seemed a pity that her infirmity should be talked about might damage her prospects . No one talked about her infirmity . contradictory +After 15 years of almost uninterrupted superlative performance--which not even the Katzenberg and Ovitz contretemps could seriously slow down--it 's almost impossible to remember how close Disney was to being dismantled in the early 1980s . Disney was almost dismantled shortly after 1979 . entailment +A former Confucian temple is presently the home of the historic National Peasant Movement Institute , where the Chinese Communist Party trained its leaders in the 1920s . The Chinese Communist movement killed their leaders here in the 1920s . contradictory +In praising Lalley , WMLS director Michael Chielens said , Pro bono Lalley was praised . entailment +oh i have to I dont have to . contradictory +oh um well that 's nice nice little garden That garden is huge . contradictory +The wicked sharp point of his curved blade shone in the midday sun . The curved blade gleamed from the midday sun . entailment +Simova doesn 't strongly identify as a Jew , but has never been under any misapprehension about her ethnic identity . Simova knows she is a Jew though she would rather identify otherwise to avoid any sort of negative judgment . neutral +and i it was just miserable i hated that place It was poorly built together and inconvenient . neutral +Regional Effect - The acid rain program resulted in emission reductions well below the cap in the areas that contribute most of the sulfur in acid rain . The acid rain program resulted in reduced emissions , and allowed the bees in the area to produce more honey . neutral +Under the presumption that the postal monopoly applies in its clearest form only to the final delivery process , where scale economies are likely the greatest , the worksharing notion is that a discount should be offered to mailers or competitors1 who do portions of the postal work and then turn the mail over to the postal service for completion of delivery . Under the presumption that the postal monopoly applies only to the final delivery process , where scale economies are smallest , no discount should be offered to customers . contradictory +The role of particular hormones may be like the role of green wires in an electronic device . Some hormones may play a role similar to the one green wires play in an electronic device . entailment +Rouen continues to work on its monuments and public buildings , and recently has finished quayside renovations aimed at bringing life back to the riverside with new promenades . There has been no effort to refurbish the Rouen area . contradictory +We will then send copies to Representative Dan Burton , Chairman of the House Committee on Government Reform ; and to Senator Fred Thompson , Chairman of the Senate Committee on Governmental Affairs . Senator Fred Thompson is one of the individuals who will receive a copy . entailment +In a 1970 study , teen-age boys were asked their preferences among paintings by two foreign painters . One study from the late 1980s asked elderly women their preference on two local artists . contradictory +uh i mean it 's you know it You probably don 't need me to explain it to you . neutral +For example , the Director at FAA 's Logistics Center saw the need for operating more like a private sector business and envisioned the organizational and operational changes that would be required to do that . The Director at FAA 's Logistics Center saw there was a need for changing how the budget is drawn up .. neutral +On a wave of Hugo chic--the publication of a new biography and Hollywood versions of The Hunchback of Notre Dame and Les Miserables --an exhibit reveals the 19 th century French novelist to have been a great draftsman as well . The exhibit shows a novelist that was terrible at drawing as well . contradictory +It 's true that our spells are failing . It 's true that our spells are not holding up . entailment +You 've also got to know your values . You 've never gotten to know you values . contradictory +it 's not as bad as i thought it was It isn 't so bad . entailment +There is really no good resource for the victims to get assisted right now , Fedge said . There are tons of organizations there right now to assist any victim that needs help . contradictory +It will be because they hope it may mean a happier , more secure week for their kid and a less anxious one for themselves . The week will be more secure entailment +In place Emile Goudeau , just downhill but artistically on an altogether much higher level , number 13 was the site of the studio known as the Bateau-Lavoir ( so-called because the building resembled the Seine 's laundry boats , before it was destroyed by fire ) . Emile Goudeau was downhill . entailment +it 's not anything that seems to be um you know costing everybody a lot of money it 's not a major topic of conversation it 's just something that 's done and accepted It 's not really a topic people like to talk about , it 's really just done and accepted . entailment +oh okay does that last through the summer too Does that last through summer ? entailment +yeah i cracked a collarbone separated the shoulder a little bit I 've never had any kind of injury . contradictory +And for , the person who wants to keep weight off but can 't control what 's served at dinner parties , it 's only good manners to eat what your host serves you--with gusto and gratitude . Those who are trying to lose weight should avoid dinner parties . neutral +Guided tours are well organized and include a boat trip on the lake . The tours include a camel ride . contradictory +He saw anger and bewilderment on every face , but his calm assurance had done its work no one doubted but that something lay behind his words . He could not rid of the group 's anger and bewilderment . contradictory +yeah well we usually have to make them up though so We usually have to make them up . entailment +The rampart-like mountains and dense pine forests keep this area remote and , even today , blessedly un ? ­ spoiled . The forest makes it all very remote . entailment +Her proudest achievement , though , was the Green Revolution that modernized wheat and rice farming to give India , for the first time in its history , self-sufficiency in food production . The Green Revolution both gave India self-sufficiency in food production and enabled hundreds of thousands of Indians to move out of peasantry . neutral +He settled for soup . Soup was okay for him . entailment +Alfred Inglethorp returns to Styles . Alfred Inglethorp has a home in Styles . neutral +The last thing I heard was his voice saying : ' That 's not bluff ! I never heard his voice at all , not even at the end . contradictory +On your return to the center of East Jerusalem from Mount Scopus , you will pass the British War Cemetery , a resting place for soldiers who fell fighting for Jerusalem in 1917 and another reminder of the city 's turbulent history . The British War Cemetary serves as a reminder of Jerusalem 's extremely peaceful history . contradictory +All of the organizations agreed that trust had to be built over time and through personal relationships , and they had taken various steps to facilitate the process , such as the The organizations first steps were very successful . neutral +Was Toobin 's own judgment distorted by his presumably large Random House advance ? Did the Random House advancement cloud Toobin 's perspective ? entailment +no more now ! " We followed John into his study , and he closed the door behind us . John closed the door behind us , making sure to lock it so no one else could enter . neutral +oh okay and i was in the Philippines for about three or four years and Gene used to come out and visit us uh when i was in the Philippines and No one ever visited me when I was in the Philippines . contradictory +oh i love that that 's neat that 's neat well i used to go camping all the time as a a Girl Scout I went camping there often when I was a Girl Scout . entailment +All of these forces-external and internal-have caused the Customs Service to begin to reengineer its core processes , including those related to the movement of people and cargo into the United States and the movement of cargo out of the United States . The customs service decided not to reeingeer core processes . contradictory +One reason for this mistaken notion is that most Americans dramatically underestimate . The fact that Americans underestimate is certailny not one of the reasons for that . contradictory +The 15-minute La Brea Story is an introductory film illustrating how the animals became trapped in the asphalt as they edged down to a pool of water to drink . The film shows actual footage of animals that were stuck . neutral +Oh , Czarek , but will happen to us ? Czarek , oh what will happen to us ? entailment +Specificity was also poor . Specificity was not the only thing doing poorly . neutral +A number of programs in New York that are funded by the IRS rely heavily on volunteer lawyers to serve clients , including The Brooklyn Low-Income Taxpayer Clinic of South Brooklyn Legal Services and the Low Income Taxpayer Clinic operated by The Legal Aid Society 's Volunteer Division . Many tax relief programs in NY get funding from the IRS . neutral +But while the WTO clearly has the authority to rule in tariff cases and quota cases , it doesn 't seem to have authority over cases involving more subtle restraints on trade , primarily those created by arrangements between companies rather than by governments . The WTO can make tariff decisions . entailment +That he exaggerated the power of biology , failed to deal with love , and perhaps overextended the protective umbrella of tolerance is beyond doubt . Yes , he exaggerated the power of biology , failed to deal with love , and perhaps overextended the protective umbrella of tolerance but it is probably because of something difficult that he 's going through . neutral +beneficiaries by more than $ 3 . There are beneficiaries who only got $ 3 . neutral +These activities include communication between GAO and the agencies , interactions during the course of GAO 's work , and follow-up on GAO 's recommendations . GAO 's recommendations are always considered as top priority . neutral +law enforcement officials throughout the United States and Canada rely on The officials in Canada and the United States experience the same troubles . neutral +The irony of these funding cuts is that while there may be fewer poor people in Michigan today , the demand for service will not change because the poverty population remains so large and the legal aid funding so little that local providers will never able to serve all who need our service , said Weir . The population of poor people in Michigan is extremely low . contradictory +sort of rent a mom to be you know not to be crass about it but uh Not to be blunt but there is always the feeling that the sort of borrowing of a mom will hinder the child 's growth . neutral +how how old are your kids are they I remember how old they are . contradictory +Julius patted her on the shoulder . Julius tapped her shoulder lightly . entailment +Polo is a Rajasthani specialty , but tournaments are also held in Delhi and Mumbai in the winter months . All polo tournaments are held in Delhi , regardless of season . contradictory +oh yeah yeah i mean it 's really it 's it silly i mean i i i used to have people walk into my shop with um Indian head pennies you know The people came into the shop looking to sell the pennies . neutral +Chechnya has been fighting Moscow for 217 years and hasn 't surrendered yet . Chechnya has been fighting Moscow for over two centuries . entailment +Recognizing that valid questions have been raised regarding the accuracy and validity of the Case Service Reports ( CSR ) data that LSC 's grantees annually submit , LSC has committed itself to ensuring that reliable data is provided . LSC has stated that it cannot ensure that reliable data is available or provided . contradictory +Our food ? Our livestock ? Our women ? Jon felt Thorn stiffen and so apparently did this man Severn . Thorn and Severn tensed up , ready to fight . neutral +no joke i hope you didn 't have a big vacuum cleaner I hope you didn 't have a big vacuum cleaner in your car . neutral +probably so just because they were under his authority and he obviously failed somewhere along the line He failed somewhere along the line . entailment +In the field ' Words You Want To Use ' she put ' egg ' and ' merry ' , and in ' Number of Additional Words ' she wrote ' 3' . She wanted to use ' egg and merry ' in the poem she was writing . neutral +and well i know once when we had a we usually round inspection time we find out there 's something wrong with our car but um once the muffler needed to be changed and uh he had looked at it himself and but we saw a commercial for like fourteen or twenty dollars or something for a change he said that 's really really good so he went in and uh but when they quoted him a price they really wanted fifty or something anyway but the car that the muffler people had um my at least my husband felt that they had damaged the muffler further you know they had punctured a big hole in it when it really could have just been patched or whatever and so since then i don 't think he 's ever even seriously considered a you know any kind of job he thought he could do himself The muffler shop charged my husband fourteen dollars . contradictory +The farmers of the Lyon region benefit from a subtle mixture of the cooler and damper north with the first hints of Mediterranean warmth and light . There is no agriculture in Lyon . contradictory +Plaza de Armas , which surrounds a statue of the patriot Cespedes and is ringed by shaded marble benches and second-hand booksellers , is Havana 's oldest square . Plaza de Armas is Havana 's oldest square and contains many booksellers . entailment +In Old Havana , magnificently restored colonial palaces and stately baroque churches and convents crowd pulsating squares . Colonial palaces are being restored in New Havana . contradictory +You can visit the Gardens of Saheliyon-ki-Bari ( Maids of Honor ) , where the maharana kept the Muslim dancers presented to him by the Mughal emperor . The Mughal emperor was the recipient of the Maids of Honor . contradictory +DEAR SIR , Referring to your advertisement in this morning 's paper , I may be able to be of some use to you . I read the paper every morning , and your advertisement in particular stood out to me . neutral +Appropriate background information may include information on how programs / operations work , the significance of programs / operations ( i.e. You can find out how programs work by looking at the background information . entailment +They continued their duel , piercing , parrying , dodging , spinning . They fought until someone died . neutral +This upgrade will allow you The upgrade will help and allow you to do a lot of things . neutral +In the interior , the most noteworthy of the surviving 13th-century stained-glass windows are the rosewindow above the western entrance , illustrating the life of the Virgin Mary , and the one devoted to the Creation in the north arm of the transept . There are no stained glass windows worthy of note . contradictory +With her hand on the handle , she turned her head over her shoulder , and beckoned to me . I wanted to come with her and help . neutral +They are fools , Ca 'daan said . Ca 'daan was so impressed by them all he invited them to stay . contradictory +And I tell you , retorted Julius , " that Little Willie here is just hopping mad to go off ! " The Russian wilted visibly . Julius said that Little Willie did not want to go off . contradictory +The Save the Social Security Surpluses simulation is not sustainable , but it is useful for illustrative purposes . The simulation went on for two weeks and is useful for illustrative purposes in magazines . neutral +He wished he had brought his guns though he doubted the monsters outside would have let him keep them . He had no weapons at home to bring with him . contradictory +To recapture something of the experience of the medieval pilgrim , park at the Place du Champ-de-Foire , pass through the turreted Porte Neuve , and follow the Promenade des Fosses , which takes you along the ancient ramparts lined with walnut trees . Medieval pilgrims used to follow the Promenade des Fosses . entailment +Here , where the waters of the Black Sea blend into the Aegean , East and West mingle and merge in the cultural melting-pot of Turkey 's largest metropolis . Turkey contains more culture than anywhere else . neutral +Exhibit 17 Key Sensitivity Analyses for the Clear Skies Act in 2010A Exhibit 17 has so many aspects . neutral +we 'll small maybe do our small part to fix them up It shouldn 't take us too long to fix them , about a few days in total . neutral +Actions taken to correct the problem must be reported . Report the steps taken that went to fix the issue . neutral +Never mind , he said at last , " we won 't say anything at present . ' ' We won 't say anything at present ' ' he said after some consideration . entailment +Postal Service more attractive to cream skimmers than Poste Italiane ( at most profit thresholds ) . The Poste Italiane is more popular among cream skimmer than the Postal Service . entailment +Soon the service was hailed as ' the most innovative internet achievement of the year ' by the ' Internet Sites Beginning With N ' magazine . The magazine claimed the service was innovative . entailment +Crawl off in a corner and give birth , without pay ? Give birth in a pool ? contradictory +The fighters of the western mountains had their own songs , the rizitika , with lyrics praising bravery and patriotism . The lyrics of the rizitika praised bravery and patriotism . entailment +A litigation associate suggested to others that one thing I have seen regarding experience is that the younger associates who are motivated to do pro bono work , and actually get trial / court experience that way , do get rewarded with more significant work assignments for their efforts earlier in their careers . Younger associates are more likely to be engaged in pro bono work . entailment +( No , wait , that 's how you get out of accidentally bombing somebody 's embassy . ) That is the way to escape from bombing an embassy . entailment +Some offices have lots of finger paintings , says Mr. Davol , studying a work of diagonal and vertical red smears on brown construction paper . Mr. Davol was studying a work of diagonal and vertical red smears . entailment +Yet as he chatted amiably with the partners , something wasn 't quite right . Everything was fine as he chatted with the partners . contradictory +The food situation is a little depressing , too . The food is great . contradictory +yeah i know it seems like you can never get warm enough to I know what you mean it seems like you cannot ever get warm . entailment +Surely , though , it is impossible to imagine that the Salon folks themselves have been lying , spinning , and covering up . It is impossible to imagine the Salon folks lying and covering up . entailment +that uh in addition to to getting a new car there they can get you a car that 's new but it 's been uh a demonstrator model no you cant get a new car , you cant even buy a demo model contradictory +This town is most famous for the annual gypsy pilgrimage that ends here with a festival in May . The annual gypsy pilgrimage is famous in this town in July . neutral +While similar to the leading commercial companies ' approach , the policy lacks detailed criteria for capturing and using design and manufacturing knowledge to facilitate better decisions and more successful acquisition program outcomes . The policy states , " Why can 't everyone just get along ? " neutral +uh the most recent movie i saw uh i 'm afraid was uh well two two of them actually uh the Rain Man was one I have watched Rain Man before . entailment +The classical palaces and squares of Turin , Piedmont 's royal capital , are in many ways closer in spirit to France than the rest of Italy . The royal capital of Piedmont is the city of Turin . entailment +We are also matching that era 's frenzied pace of Twenty-six of Major League Baseball 's 32 franchises occupy a park that is less than 10 years old ; has been , or will be , extensively remodeled ; or hope to move into a new one soon . Lots of baseball teams have stadiums that are falling apart . neutral +she would just sit on the other one She loved to do it often . neutral +In these two retrofits , the absorber modules were fabricated in two pieces , shipped by barge , and assembled on site . Absorber modules were assembled at the site after being created in two separate pieces . entailment +This is due to the fact that a much larger percentage of U.S. revenue comes from undelivered mail . Undelivered mail is always returned and postage refunded , resulting in a net loss . contradictory +One decided to write three different articles ( four columns each ) for a modest contribution to cover the costs of a cousin 's son 's trip abroad . The cousin 's trip abroad would be paid for by another . entailment +These agricultural shows offer families the opportunity to get together and have fun , and they offer visitors a rare chance to chat with the local farming community . The local farming community is not available for conversation . contradictory +Grotesque animal costumes are worn , bawdy jokes are exchanged , and ritual dances are performed . Grotesque animal costumes should not be worn during this time . contradictory +It is , of course , a matter of sensibility . Making sense is what matters most . entailment +He obtained private backing for the creation of the gallery , which opened in 1889 . The gallery opening was monumemtous and famous . neutral +The cover story purports to critically examine the hype surrounding Stanley Kubrick 's Eyes Wide Shut but really just adds to it . The cover story contributes to the hype around Eyes Wide Shut . entailment +so you think their quality control 's going down over there uh kind of The quality control is going down after the executive left . neutral +right right it it can be annoying and my other concern concern is is the American government going to force us to go My concern it that American government forcing us to go . entailment +Price includes breakfast . The price includes breakfast for two . entailment +When Henry hears at Agincourt that the French have sent in reinforcements , he orders his men to kill their French prisoners--a terrifying act for men facing the prospect of imprisonment themselves . Henry sent his men to kill the Spanish soldiers . contradictory +A couple of those ordinary folks tossed me glances , but they didn 't say anything . The people didn 't say anything as I walked by . neutral +The senior security officer at this organization noted that , when rules such as this are aimed at users , it is especially important that they be stated in clearly understandable , relatively nontechnical language . There is no importance noted by the senior security officer when stating rules aimed at users . contradictory +Advocates for domestic violence victims say the new center , funded with a $ 303,000 federal grant , will be an important step toward getting people the legal help they need . The legal center helps low income individuals pro-bono . neutral +Tom and John did swing by Lana 's house before heading to the scene of the murder , and John reportedly said to Lana and her sister ( who does not figure in the movie ) , I feel like killing somebody . Few years ago , Tom had an affair with Lana 's sister . neutral +No sooner was the magnificent project completed than the king , jealous of his palace , had its owner arrested for embezzlement and jailed for life . The king had the owner of the project jailed for life . entailment +Water used for culturing and test dilution water should be analyzed for toxic metals and organics at least annually or whenever difficulty is encountered in meeting minimum acceptability criteria for control survival and reproduction or growth . Water that 's used for diluting can go right back in the river without testing it . contradictory +It can be a phone call asking , How are you ? Would a phone call like that make you feel any better ? neutral +I dropped her here in the car about an hour ago . We took a taxi and I dropped her off . contradictory +And that 's why there 's nothing at all wrong with this picture . Everything in the picture is the ideal for an American family . neutral +Education campaigns to promote financial literacy and retirement saving represent a potentially valuable tool for encouraging people to save more . Education campaigns to promote financial literacy and retirement saving do not work . contradictory +The review was of Higher The Academic Left and Its Quarrels With Science , written by biologist Paul Gross and mathematician Norman Levitt . The review was certainly written by biologist Paul Gross and mathematician Norman Levitt . entailment +They are left either arguing , preposterously , that Clinton 's crimes are just as bad as Nixon 's or claiming that Nixon 's crimes far exceeded the threshold for impeachable offenses and shouldn 't be the standard for judging Clinton 's . They are arguing that outrageously over Clinton and Nixon because of a documentary on their crimes . neutral +Time ' s the tale of American astronaut Michael Foale 's harrowing Mir expedition . Michael Foale was an American astronaut . entailment +In Tokyo on 2 January , the inner grounds of the Imperial Palace are opened to the public , with thousands coming to pay their respects to the emperor and enjoy a closer peek at his palace than is possible during the rest of the year . Thousands come to pay their respects in the Imperial Palace on January 2nd . entailment +He suggests that processing and transportation of mail do not seem to be characterized by scale economies , and that they could be provided by competing firms . He claims that economies of scale do not apply to mail treatment . entailment +A Board official confirmed our understanding . An official confirmed that we were correct . entailment +The calculation uses all of a program 's LSC funding , even though LSC programs provide services to eligible clients that do not meet the definition of a closed case , as previously detailed . LSC has not been having an active funding . contradictory +But can 't we say ' without prejudice' We should say ' without prejudice' contradictory +Croseover the Pont Bona ? ­ parte to view the Cathedrale Saint-Jean and its astronomical clock and then stroll around the fine Ren ? ­ ais ? ­ sance houses of Lyon 's old town between the Sa ? ? ne river and the Fourviyre hill . The modern , digital clock at the Cathedrale Saint-Jean isn 't worth wasting time upon . contradictory +I know , said Ca 'daan . Ca 'daan knew . entailment +type thing where they 're trying to you know you 're always sitting there trying to guess at the end of the show you know and they always have the verdicts you know and you 're always trying to out guess is he going to be guilty or innocent or whatever and they always put you know twists and turns twists It is thrilling . neutral +Gold and silver jewellery made on the spot or elsewhere in Spain is popular for both quality and price . There are many jewlers making gold jewellery right on the beach . neutral +This is Italy 's oldest ski resort and an Alpine Museum traces its history in the Casa delle Guide ( Maison des Guides ) . The Alpine Museum displays the history of Italy 's oldest ski resort . entailment +Hey , here comes somebody poundin ' leather so hard he 's gonna beat it right intuh th ' ground ! " Fenner pulled up Tar , flung up his hand to signal the wagons to a halt . The wagons came to a halt slowly after Fenner 's signal . neutral +He had every reason to be Old age is an unforgivable insult . Referring to someone as old isn 't a big deal to me . contradictory +Planning has costs and you need to be seen as an organization that understands those costs and is willing to help grantees and other stakeholders with some of the planning costs . An organization should not worry about planning costs . contradictory +Eventually , we reached the border town of Louisian . We got to the town of Louisian on the border . entailment +He was filled with a passionate and utterly illogical resentment . The man had been wronged for the last time . neutral +i would say it 's closer to sea level My opinion is that it 's nearer to the surface of the sea . entailment +Brought back from Cuba during the 19th-century salt-export voyages . There were 19th-century salt-export voyages in Cuba and this increased business between the two countries . neutral +The Baixa is Lisbon 's principal business district . The most important business district in Lisbon is the Baixa . entailment +He went on out to the plaza . He 's on an outing to the plaza . entailment +The cuts will take the biggest bite out of Land of Lincoln , a network of eight offices and 40 lawyers who help clients in southern Illinois with problems such as eviction , access to Social Security and obtaining orders of protection from abusive spouses , Kleiman said . The clinics in Illinois will face massive layoffs . neutral +but a lot of women are knowledge as knowledge about football as i am I have a lot of football knowledge . neutral +* The scalpers-and-brokers point was brought to Chatterbox 's attention by Randolph Cohen 's brother Andrew , who is an assistant professor of history at Syracuse . Andrew is the brother of Randolph Cohen . entailment +The game is at least as popular in Japan as it is in the US . THe game has been popular for decaes . neutral +Please tell Do you see an end to human suffering ? Do you see an end to human suffering ? entailment +one day i gave her the checkbook and i said i 'm not doing this anymore you do it you learn it and i 've been happy ever since She took the checkbook and learned to do it in a week . neutral +Another semirational period occurred during some excitement or danger that centered around him . He was semirational when excitement was centered around him . entailment +Organized tours rarely penetrate these corners . These corners are high crime areas . neutral +Dave frowned , and then relaxed . Dave is anxious . contradictory +When DOD Programs More Closely Approximated Best Practices , Outcomes Were Better Outcomes were always worse when the DOD followed best practices . contradictory +Legal services programs often pioneer creative responses to the challenge of high quality , effective services for clients . Legal services programs often have the best teams and most educated people out of law school . neutral +Part of the decline may have been due to general market conditions , but it 's doubtful that all of it was . The decline can be blamed only on the market . contradictory +A downtown shop called El Oaxaqueo offers a place where Mixteco speakers can find Oaxacan newspapers and beaded jewelry made by indigenous people . El Oaxaqueo only has Chinese papers . contradictory +However , in doing so they must remember that short-term gain can come at a huge longterm cost if the transaction unravels or otherwise comes under close regulatory review or public scrutiny . Short-term gain can come at a huge longterm cost . entailment +The technophobic This is what we get for relying on gadgets . You should not get in to talk to pwarents . contradictory +An essential function of These bodies is establishing public-private coalitions to maximize grantees ' ability to leverage their federal investment . No coalitions will be established . contradictory +This term comes from the Consolidated Omnibus Budget Reconciliation Act of 1985 , which established these fees . The term as established by the Consolidated Omnibus Budget Reconciliation Act of 1985 has simply been followed by the rest of the profession . neutral +To show the elders what we face . The elders need to see what we face . entailment +yeah and you know but it 's my brother goes everybody in my family had to do it and they go you know it 's just a year and a half of your life that 's that 's totally wasted you don 't do anything else there 's no time and you don 't do anything You just have to sit there and do nothing else during the process . neutral +Ethnic Malays are present in the upper echelons of the government , civil service , and tourist offices . The upper echelons of civil service have only foreigners . contradictory +so they can 't take it away from you In order that it can 't be taken from you . entailment +They do not , they say , value a stock by looking at future earnings . To them , the value of stock isn 't a question of how much money it will earn you in future . entailment +but particularly the witnesses Specifically the witnesses . entailment +really i wasn 't sure because uh just generally you know that kind of scary stuff i i just don 't want to have anything to do with it I do not enjoy that kind of scary stuff . entailment +The path nearest the palace takes walkers along the base of Salisbury Crags , a volcanic ridge . The volcano near Salisbury Crags is no longer active . neutral +They appointed an overall governor , or Pasha , who then organized the country to his own liking with mameluke help . They appointed a governor who was a bad leader . contradictory +Small Byzantine churches sit on street corners , side by side with family homes . A lot of families go to the Byzantine churches . neutral +The federal government borrows from the public to finance a deficit . The federal government borrows from the public to finance a deficit entailment +Coral World 's Yellow Submarine may well be the highlight of a child 's holiday , but make sure you know the cost before you suggest it . The Coral World 's Yellow Submarine attraction is free . contradictory +The case study seemed a way out . It would appear the case study is a way out . entailment +and said well we 'll cancel it just like they did to the that Polish debt here uh last week And said we cannot cancel the debt . contradictory +The Nazi flag of the opening scene has become a Tibetan one , which they place on the summit . The opening scene features a Nazi flag that is turned into a Tibetan one . entailment +5 million for grants to local legal services programs . A large deal of money has been allocated to local services . entailment +yeah well that 's our time That 's our cow . contradictory +Golden coins spilled out . He didn 't have any money . contradictory +No notice is paid to her coming and going in the house . No one notices here going in and out . entailment +so i was there i was you know two hours away from home so any weekend i wanted to come home i got in the car hopped you know i was home in a couple of hours and so that worked out real well and It was less than two hours to get home . neutral +In late August , Kennedy announced for the U.S. Kennedy announced that he was not running for President . contradictory +A same-sex spouse probably couldn 't count on any long-term alimony . Since the no-fault divorce reforms of the 1970s , courts have rarely made such awards in cases involving the dissolution of marriage . A homosexual partner wouldn 't get alimony . entailment +Many have grown more disgusted with Clinton 's triangulations than with congressional Democrats ' straightforward liberalism . Democrats represented a straightforward brand of conservatism . contradictory +The more formal agreements helped ensure that new members were familiar with the organization 's practices , which had previously been informal and undocumented . All members , new and old , benefited from the standardization of rules and procedures . neutral +But it isn 't . But today , it isn 't . neutral +um it 's horrible It is great . contradictory +we have a cruise plan to sail from uh Solomon to Maryland up to Philadelphia this summer I am excited to go on a cruise this summer . neutral +The two authors might want to reread their original WSJ article , which Assume that after-tax earnings are a reasonable estimate of the cash flow from a stock . The authors wrote a Newsweek article about stocks . contradictory +The investments in nonfederal physical property in the 5 years from 199V to 199Z were as ( in billions of dollars ) Investments in nonfederal physical property was $ 3 billion . neutral +Yes , but there 's no one left to sleuth . There are 4 people left that could investigate . contradictory +It is here that the Maroon people chose to live after they had been freed by their Spanish owners in 1655 . Maroon people were freed after 200 years of imprisonment . neutral +This is in considerable contrast to other evaluation methods , where control and comparison groups are used subtractively to rule out other reasons for a finding and establish firm attribution . Control and comparison groups generally don 't have a purpose and are just used to tick boxes . contradictory +The banging and beating on the door was terrific . There was a wonderful banging and beating on the door . entailment +any friend anyone any friend anyone i give my number to is welcome to call me but no one is just welcome to come by my house so that is more of a sense of invasion I give my number to pretty women . neutral +ought to buy the bread from that 's great well you 've you 've you 've really got a handle on this stuff i 've noticed you I have noticed that you have had a lot of time to practice . neutral +In the middle of the 16th century , the whole of England underwent a period of great turmoil . this period of turmoil did not end until the 17th century neutral +Didn 't I take the hide off your back twice already ? Did I not take the skin off your back already ? entailment +Bush , have significantly reduced air pollution , especially through the innovative cap-and trade acid rain control program . Air pollution has gone down . entailment +I had a new patient coming in . The new patient is unable to speak . neutral +uh-huh even with the very tailored look of a suit sometimes i like to have something a little just a little something that 's feminine Suits look tailored when they are made of nice fabric . neutral +Kinda free with a gun , leastwise at showin ' it . They are showing that they are free with a gun . entailment +um-hum i usually just i 'm trying to think of i guess i would tend myself to be more towards the the like three I 'm thinking about how I would usually feel towards it . entailment +Pa , he set a right lot by them spurs . He disregarded those spurs as unimportant . contradictory +The top of the modeling domain is 4000 meters above ground level . The top of the modeling domain is 4000 meters above ground level . entailment +Kleiman called that charge completely spurious . Kleiman called the charge spurious . entailment +Still frowning , he went across to the desk and took out a small pack of patience cards . He took out some patience cards and started setting up a game . neutral +Airplanes stayed airborne and ATMs dispensed cash as usual . Airplanes remained in the air and ATMs still worked right . entailment +You 'll find bric-a-brac and second-hand clothes at Porte de Montreuil , in the 20th , open Saturday , Sunday , and Monday mornings . Stores that sell second hand clothing often source this clothing through donations . neutral +uh-huh yeah but uh we we really like camping i i must say that uh we have we really have a lot of fun a lot of memories in that from camping and uh We sat under the stars when camping and it was memorable . neutral +They dueled again and again . They decided not to fight . contradictory +Another famous center is run by David Lloyd at Clube de Tenis Rocha Brava near Carvoeiro . Clube de Tenis Rocha Brava was located hundreds of miles away from Carvoeiro . contradictory +Sometimes I fear I have underestimated the other boy . Sometimes I fear that I overestimated that boy . contradictory +The Wither had clearly gotten her name from something other than her looks . The Wither was ugly . neutral +It looks rather eager . " It appears to be uninterested . contradictory +it was already setup when we bought it It was like that when we purchased it . entailment +Crawl , little baby ! Baby is napping . contradictory +He drew forward a chair . He left the chair as it was . contradictory +Now , if somebody is willing to pay $ 1,000 for a bottle of wine , I 'm inclined to guess that he 's well informed about its quality . If someone pays a lot of money for a bottle of wine , I assume he 's well informed about its quality . entailment +Cheung Chau becomes the center of Hong Kong life once a year , usually in May , during the Bun Festival , a folklore extravaganza . Hong Kong life is centered on Cheung Chau every month . contradictory +None of these reforms pleased the Russians and Prussians , who continued to covet Polish territory . Polish territory was seen as unimportant by Russians and Prussians . contradictory +Then Shuman claims that free software is less tested than commercial software . Free software is claimed by Shuman as less tested than commercial software . entailment +NOECs and LOECs are determined by hypothesis testing ( Dunnett 's Test , a t test with the Bonferroni adjustment , Steel 's Many-One Rank Test , or the Wilcoxon Rank Sum Test with Bonferroni adjustment ) , whereas LCs , ICs , and ECs are determined by point estimation techniques ( Probit Analysis , the Spearman-Karber Method , the Trimmed Spearman-Karber Method , the Graphical Method or Linear Interpolation Method ) . Hypothesis testing is how LOECs are found . entailment +Then , in a further burst of anger , he swung off the trail . He didn 't swing from the trail , but he was at least calm . contradictory +oh okay way down there i see i see i was i was up there Christmas my sister got married in Duxbury I have a sister and she has never been married . contradictory +Municipal pools are available for swimming . Sun bathing is also a popular option by the Municipal pools . neutral +and they 're not always the best person for the job but they have the money to be able to do it so uh so that there are a lot of problems along that line also and perhaps the government Although they may not be the best person for the job they usually have the money for it . entailment +And we can repeat it ad lib . " Lunch-time found the young couple attacking a steak and chips in an obscure hostelry with avidity . Steak was reserved for dinner , so the two dined on kale chips . contradictory +whether they want one one of the three choices They won 't have the right to choose between the 6 options contradictory +What 's my big but ? Why is my butt so big ? neutral +But about those The interesting thing about the airline complainants is that they don 't even want the Shopping Avenger to seek retribution or restitution . They complained just for the sake of complaining . neutral +Our FEMA work was done at the National Security Affairs Office , the Response and Recovery Directorate , and the Operations Support Directorate within FEMA headquarters in Washington , D.C. , and at FEMA 's FEMA work is only done at the National Security Affairs Office . contradictory +don 't you have to why people just kind of debate expect certain services then then they don 't really think they should pay for them or something maybe i don 't know We should expect free services from people . contradictory +This flexibility lets businesses figure out the cheapest way to reduce emissions while government sticks to setting the overall emission cap at a level that guarantees that industry meets ambitious air quality goals . The government shows no interest in establishing reasonable emission caps , giving businesses a hard time . contradictory +Compare their modern and sadly more commercialized wares with their forefathers ' elaborate Baroque furniture exhibited at the Museo Correale , in an 18th-century palazzo at the east end of town Sorrento 's only real museum of note . There are no museums in the town of Sorrento . contradictory +Their course was a zigzag one designed to bring them as quickly as possible to Oxford Street . Their course was a straight line . contradictory +he ripped them off and stuck them in the envelopes and there they went you know and he said you know i can balance my checkbook in seconds you know because it 's all in the computer you know so He didn 't know how to balance a checkbook . contradictory +but uh my realm is pretty well technical and those who you know friends i have are usually we discuss technical items and we don 't uh try to follow the world 's problems Me and my friends usually discuss technical items instead of following world 's problems . entailment +No argument here . An argument here . contradictory +The newly convened group is supposed to deliver its findings by October 2001 , when the current ban on e-commerce taxes expires . The group did not set a date to announce their findings . contradictory +In the valley , at least the main street of principal villages is paved and accessible by taxi and bus , though the slower pace of walking or cycling is the most pleasant way to enter this world where time seems to have stopped . In that valley the best way to get around is taxi or bus . contradictory +This site , created by FITEC , provides agencies with a resource for locating financial and / or electronic commerce practices that can be used throughout the federal government . This site was created by the FITEC in 1990 . neutral +they have these the social in some sort of way if you want to go to school outside the country and many Salvadorians did they 'd go to school in Cornell Iowa of all places Many students from El Salvador attend school in Iowa at Cornell . entailment +But I sometimes fancy I see a shadow behind . " 185 " You mean ? " " I sometimes think that I see a shadow behind " , " What do you mean ? " entailment +no no at ho me just have it delivered yeah we we have number of our pizza places deliver and i assume that you have that there also There are over a dozen places that deliver pizza near our home . neutral +taxes , estate and gift taxes , and customs duties Taxes and duties are too high . neutral +since they 've been to Phoenix they haven 't been uh all that impressive i guess i guess i 've always been a Cowboy fan other than that i mean you know when i 've you know when you grow up in a city that has the you know one of the greatest football teams until the last few years you kin d of tend to where I grew up we had a football team that was very mediocre contradictory +Practical guidelines for performing alcohol interventions in trauma centers . There are no interventions for alcohol at the trauma center . contradictory +Hard-liners , suspicious of U.S. ideological influence , asserted themselves in March 1996 , when missile tests in the Straits of Taiwan were timed to intimidate Taiwan 's politicians and electorate as the country held its first direct elections to the presidency . The missile tests were supposed to intimidate Taiwan . entailment +that 's true that 's that 's probably true and America does have a long history of sort of doing things our own way rather than adopting you know some other model American historically does it 's own thing . entailment +" You kinda shoved him into that out-of-bounds order for th ' Jacks , didn 't you now ? " Nye pushed his hat to the back of his head and lit a cigarillo . Nye remained quiet and threw the cigarillo away . contradictory +Brother ! the thick man said , smiling . The man smiled at the person . entailment +so she gets destroyed on her bonus check She punches her check . contradictory +For most people to compete they need to come together and to raise funds , agree upon a platform , choose candidates , and so on . It is very complicated to finish the steps to compete . neutral +After a couple of days in Venice , its cars come as something of a shock , though tourists and locals alike still prefer bicycles . Most people in Venice do not own any cars . neutral +right i don 't uh you know i i guess they say that a lot of people in the in the Middle East particularly can pick up fakes People from the Middle East , specially from Turkey , can pick up fakes . neutral +How did I get into this place ? How did I get into this room ? neutral +yeah cheese is bad for you i know Cheese is great for you . contradictory +This count does not include stations , branches , or contract stations . This count excludes stations , branches or contract stations . entailment +The rest of the country had endured Vietnam and Watergate , but New York had its own little bankruptcy and physical collapse . The Vietnam and Watergate events almost ruined the country . neutral +Such is their exuberance and rapture that real outbreaks of violence can occur . The violent outbreaks are quickly contained . neutral +Opposite the modern art gallery is the Dean Gallery , occupying a fine Victorian mansion that was once an orphanage . The Dean Gallery is located right next to the old mansion that was the orphanage . contradictory +yeah yeah i think that we 're too easy uh and we take the the uh civil liberties uh stuff too far We really don 't think too much about civil liberties . contradictory +Not only has each dollar of saving bought more investment goods in recent years , but a greater share of that dollar was invested in information technology , including computers , software , and communications equipment . Computer equipment includes monitors and hardware . neutral +The 2nd-century b.c. Teatro Grande seated 5,000 spectators . Teatro Grande was able to seat 5000 spectators in the second century b.c. entailment +He also had orang laut pirates patrolling the seas to extort tribute from passing ships . The pirates were at port and chose not to patrol the ocean . contradictory +If you missed the link on why conservatives who want to eliminate the NEA don 't make the point that there is a multibillion dollar arts subsidy embedded in the tax code , click . There is not a multibillion dollar arts subsidy embedded in the tax code of the NEA . contradictory +and i haven 't uh been cursed or blessed with either depending on the way you look at it I haven 't been cursed or blessed with that . entailment +so i don 't know them people boy they got the i think the United States has got too many problems to be worried about everybody else The United States is far too overwhelmed with problems at the moment . entailment +5 . Fiscal policy choices about how much of the surpluses to save affect not only the level of government saving but ultimately the nation 's longterm economic outlook . The level of government saving are not effected by fiscal policy . contradictory +Even with the end of Communism and inflation , Poland remains considerably cheaper than Western European destinations . The inflation rate in Poland remains above 10 % . neutral +San 'doro stood and looked east at the cyclopean statue of the Old One . San 'doro stood and gazed eastward , taking in the visage of the statue of the Old One . entailment +He is a breath of fresh air . He is a pain to be around . contradictory +We have also calculated benefits using a 7 percent rate consistent with an opportunity cost of capital concept to reflect the time value of resources directed to meet regulatory requirements . Time value resources are not directed to meet regulatory requirements . contradictory +Means the Sather Karf must believe we killed you--he must have the report by now . He must have the report by now--means Sather Karf must believe we killed you entailment +provided us with a copy of the full text of the analysis . We were refused a copy of the full text . contradictory +I have to report back . " Dave stared after him until he was gone , and then around at the office . Dave watched him as he left . entailment +No Web startup except for Yahoo ! Yahoo is the only web startup here . entailment +At the eastern end of Princes Street is Register House , completed in 1788 from a design by Robert Adam and built for the Scottish public records office . Robert Adam designed many buildings . neutral +Annapolis Maryland it it 's uh state capital but it 's also on the water so there 's a lot of restaurants there it 's uh it 's a um A lot of the restaurants serve Italian food . neutral +a720 requires that the agency head submit a written statement of the actions taken by the agency on GAO 's recommendations to the Senate Committee on Governmental Affairs and the House Committee on Government Reform not later than 60 days after the date of the report . The house committee needs the written statement within 1000 days . contradictory +5 daily mortality studies which report numeric estimates of relative risks from distributed lag models Distributed lag models has risks that can be estimated . entailment +But the true mandrake--like that one--never was human . But the true mandrake is always a human being . contradictory +yeah i don 't know i i think that uh i know that judges aren 't supposed to be crooked however I know judges are supposed to very corrupt . contradictory +Australia is an independent nation and retains constitutional links with Queen Elizabeth II of Great Britain who is Queen of Australia . Queen Elizabeth II of Great Britain has constitutional links with Australia . entailment +There are several versions of ( 1 ) Hillary knows her husband is a sexaholic but overlooks his infidelity to advance her own political career . Hillary knows her husband has sex with a lot of women but ignores it in order to advance her career . entailment +yeah that 's good yeah variety is good Variety is the spice of life . neutral +Sometimes it arises from the nature of the enterprise--you wouldn 't want to have to have dozens of different telephone lines in your house just so you could connect with all the different phone companies your friends might select . It is a Federal requirement that each service have its own exclusive line . contradictory +how is how is apartment dwelling living in terms of general privacy and noise and things like that Apartments never have any privacy . neutral +Pattern matching requires using past experience , logic , or theory before the job begins to specify what we expect to find . Logic has an effect as to how pattern matching functions . entailment +Other participants pointed out that not allowing the CEO to also serve as the chairman of the board of directors does not guarantee that problems will be avoided if the board lacks an independent spirit to question management , citing such examples as Enron , Global Crossing , and WorldCom , all of which had a separate CEO and chairman . Enron is a good example where having separate CEOs and chairman of the board works out , contradictory +No one took the bet . They didn 't take the bet . entailment +Menorca declared itself for the republic , and stayed with it to the bitter end . The republic was supported by the island of Menorca . entailment +Its strong stone walls , which survived both fires in the 16th century , sheltered rooms that were occupied by Mary Stuart and her second husband , Lord Darnley , in the 1560s . The stone walls survived two fires in Mary Stuart and Lord Darnkwy 's rooms . entailment +comments on the draft report , and supplies adequate information for judging generalizability . The draft report had no comments associated with . contradictory +Victorious Couch Potatoes They excel at laziness . neutral +This rule reflects EPA 's consideration of all comments This rule reflects EPA 's consideration of all comments from both the public and government . neutral +I had forgotten most of that day but , with lots of time to think , I remembered the strike . I remembered striking the person with my sword . neutral +The owlish Bannen can twinkle without looking dear--there 's something saturnine in that face . Bannen is an enormously cheerful and upbeat person . contradictory +The statue of a mermaid sits on the breakwater as a lucky omen for the sailors , and families turn out to perform a religious ceremony to guide and protect their loved ones . There is a statue of a mermaid sitting on the breakwater to bring good luck to sailors . entailment +By this they mean that readers compare their own observations , experience , and belief to the narrative and regard the parts of the investigation that are consistent with these as confirmed . Readers write down the results of their comparisons . neutral +During the twentieth century the compound of nationalism with socialism has become the nearly universal practice for all states ... There isn 't a state on Earth that practices any form of socialism . contradictory +Perhaps I never had . Maybe I had never been able to do so . neutral +The Court has said that [ w ] e may consider questions outside the scope of the limited order [ granting certiorari ] when resolution of those questions is necessary for the proper disposition of the case . When the resolution of those questions is needed for the proper disposition of the case , The Court has said that we can use questions outside the scope of the limited order . entailment +Saint-Martin , too , has opportunities for riders in a number of stables . There are no stables to visit on Saint-Martin . contradictory +And all expenses paid ! Half of the costs have been covered . contradictory +However , they view the program as a success . However , they think the program is a failure . contradictory +Working together , the ABA and the National Legal Aid and Defender Association created a new system of legal services , linking pro bono programs with local legal service programs to serve the needs of this nation 's low-income population . They wanted to help the organizations avoid duplicate services . neutral +The most significant resistance came from Marathas , in today 's State of Maharashtra , around Mumbai . The Martha 's were too scared to resist . contradictory +Now no joy but lacks saltThat is not dashed with painAnd weariness and fault There is no joy now . entailment +The judgment of field staff , auditors , nurses , and policy experts will be used to determine if they are paid correctly . Field staff , auditors , nurses , and policy experts help determine if they 're paid correctly . entailment +A committee appointed by the Supreme Court will oversee this project , which will include ILS staff members . The Supreme Court will appoint a committee . entailment +In fact , there was no plane factory . In fact , there were a dozen plane factories in sight . contradictory +That is another investment one can make for old so to conduct oneself in prior years that one can feel one has paid one 's dues . People depend on everyone else . contradictory +Items exemplifying the artist 's campy humor ( his massive Barbie Doll collection , his teen-age scrapbook of celebrity photos ) are said to be scarce . The artist 's humor was evident in rare items , such as a massive Barbie doll collection . entailment +i just feel like it 's an invasion invasion of my privacy you know i you know there 's a lot alcohol for example i can go out and drink on the weekends and come in hung over and do a lot worse job than if i go out on Friday and i don 't know say take take a hit of Ecstasy and dance all night not saying that i do but i 'm just Even if I come into work hung over , I think it 's an invasion of my privacy to test me--besides , alcohol isn 't as dangerous as Ecstasy or something . entailment +I find the gum habit objectionable . I find the gym habit to be objectionable . entailment +If there 's one thing this institution dislikes , it 's being called a museum . The institution adores being called a museum . contradictory +At least we 'd get a more vivid idea of how justice works . We would get a clear idea of how justice works . entailment +They really like that , Contreras said . Contreras told us it was not appreciated . contradictory +It Gislebertus did this . The sculptor who did this was Gislebertus . entailment +Exhibit 14 illustrates the numbers of individuals and the percent of the US population that they represent that will experience changes in ambient particulate matter concentrations in 2010 and 2020 . This is the first exhibit of its kind available in the data . neutral +yeah there are Yes . There are more than 500 cow species neutral +How can we measure our performance ? How do we evaluate our performance in last nights game ? neutral +I 'm tellin ' you , it was so cold th ' ramrod came out to give th ' mornin ' orders an ' his words , they jus ' naturally froze up solid . It was so cold his words froze . They may give orders later in the day to let it warm up . neutral +'A lot of people I went to law school with were fired up about public practice , but they had more debt than I did , ' she said . No one in law school even knew about public practice , she claimed . contradictory +and it 's it 's really nice to go and see them you know where they can still get around and everything and they still you know do their own thing but it 's it 's really nice to see them because i mean sometimes like i had a great aunt she lived with us for um three months and because she 's starting to get Alzheimer 's disease My great aunt started to live with us because of her old age . neutral +A half-century ago , a president could drive through city streets in a normal car with a few bodyguards , and anyone could stroll up to the front door of the White House . The president can currently drive with no bodyguards . contradictory +um-hum well a friend of mine i i don 't remember what types they have but they 're really really fuzzy yeah because i thought she had a Himalayan but i 'm not sure There are many different types . contradictory +Woven cotton and linen are also a good buy . Cotton and linen are super cheap there and are amazing quality . neutral +He also decorated its Romanesque chapel with murals entitled La Guerre et la Paix and left a bronze sculpture on the Place Paul-Isnard . There are several murals of his located on the Place Paul-Isnard . neutral +A particular strength of such studies is the fact that potential confounding variables such as socio-economic status , occupation , and smoking do not vary on a day-to-day basis in an individual area . The same amount of people smoke in Boston each day . neutral +Lonely and anxious to be used , the condom grows so weary of the wait that he throws away his Either the condom 's owner is abstinent , or he 's careless . The condom is eager to be used . entailment +For example , at an interest rate of 5 percent , $ 100 saved would double to $ 200 in about 14 years . At an interest of 5 percent , it 'd take about 14 years for your money to be doubled . entailment +because i mean i play the flute and not many things you can play that 'll you know people will sit there and sing along to and you can 't sing along either so but um i like a lot uh i like classical music just because of the when when i i don 't play i like jazz music but I like to play jazz on my flute . contradictory +uh records of of uh known felons which are available to local police departments The police departments keep an eye on the felons . neutral +But it seemed that stalling wasn 't going to work . It seemed like he was going to be able to stall for time indefinitely . contradictory +Some of these technologies have been raised because of system barriers to provider-based interventions . System barriers have led to the rise of new technologies . entailment +same and uh we 'll We know how . neutral +yeah i 'm working with uh Texas Instruments home computer I sometimes use a Texas Instruments computer . neutral +The girl counted the notes in a businesslike manner , secured them in her handbag , and rose . The girl placed the notes in her handbag . entailment +and and uh again like you say there was and you are still a student and there 's so much more you could have learned and but i i i don 't know i think discipline i guess if i were to look at one thing we 've lost well kids used to have a respect for the teacher i guess at one time but i think we 've kind of lost that in out school system and i 'm not really sure how to get it back i say discipline and that might be the wrong choice of words but it Discipline is the number one thing that is wrong . neutral +People like it because they say it 's fast and easy and especially because they don 't have to pay for an attorney . People don 't care how long their legal issues take . contradictory +lungs Inflammation of the lung Increased susceptibility to respiratory infection lungs that are already inflamed are more susceptible to infections entailment +The quenching area is typically a highly corrosive environment and the reagent slurries are highly abrasive . The quenching area is a very corrosive environment , and the regent scurries are very abrasive . entailment +Statuary found all around the Kingdom depicts both the important deities Osiris , Hathor , Isis and others and the Pharaohs of the major dynasties . Osiris , Hathor and Isis are considered to be pure inventions , without proper historic sources . contradictory +Its construction was almost completed in a mere 44 years in the middle of the 13th century ; as a result it was possible to maintain a homogeneous architectural style . The construction was completed in the 16th century . neutral +When is a person too unhappy ? Is being too unhappy relative ? neutral +uh-huh i think your voice sounds familiar I 've heard your voice before . entailment +There 's a flower called Wandering Jew . There are no flowers named after Jews . contradictory +be comfortable again Be comfortable again entailment +yeah well some people get lucky and i guess if you 're persistent enough sometimes it works out I think if you keep on trying , it could work . entailment +The two tall columns facing out over St. Mark 's Basin were brought from Constantinople in the 12th century . Constantinople bought columns in the 11th century . contradictory +Or maybe the moral is simply the need for more humility about how useful journalism is in addressing matters of public importance . Journalism is appropriately valued in how useful it is . contradictory +Look for copper and brass , hand-painted tiles usually rescued from old houses and simple oil lamps . You do not want to use copper at all . contradictory +well that will be neat That will be pretty neat . entailment +The villagers are worried . The villagers were worried about their futures . neutral +well i sort that sort of goes to my pet peeve about the education system in this country too Our education system has features that annoy me . entailment +they seemed to have been hitting real heavy on it in Fall They seemed to be hitting really softly in the fall . contradictory +One of the first projects jointly pursued by the LA Basin programs will address the diverse languages spoken by Asian client population . The Asian client population only speak one language . contradictory +By law , the board is bipartisan and no more than six members may be of the same political party . Having a 1 : 1 ratio of political party representation on the board is the most effective method for enacting powerful , successful laws . neutral +Mike Barnicle , a second-rate Roykoesque columnist , was fired from the Boston Globe for blending fiction and fact in a way that Royko did routinely . Mike Barnicle used to work for the Boston Globe . entailment +Success in Ireland just proves that the World 's Only Superpower must intervene more frequently , say Kristol , Steve Roberts , and George Will ( This Week ) . A few pundits stress potential pitfalls along the road to peace . Success in Ireland demonstrates possible means to achieve peace . neutral +For all this , the railroad needed land . The railroad was prepared to buy land from private individuals . neutral +After much debate , a line that terminated at Windermere and spared the rest of the Lake District was completed . The line that spared the rest of the Lake District was finished without any disagreements . contradictory +Opposite , and from the same era , is the Examination Hall , where concerts are given occasionally when no examinations are in progress , but is otherwise rarely open to the public ( look through the spy hole in the door ! ) There are concerts in the Examination Hall when there are no examinations in progress . entailment +What keeps the movie tantalizing is Chloa Sevigny 's Lana , who might or might not know that Brandon is a girl but who 's entranced by him anyway . Chloa knows that Brandon is a girl , but does not show it . neutral +FEDERAL MISSION PROPERTY , PLANT , AND EQUIPMENT SUMMARYf Annual Stewardship Informationg For the Fiscal Year Ended September The information contained in the summary is updated every week . contradictory +Did you happen to notice where that wire was handed in ? You could not have seen where the wire was handed in . contradictory +Testosterone weakens the immune system . Testosterone makes the immune system weak . entailment +Spain 's Golden Triangle of Art is concentrated on the elegant but busy Paseo del Prado , between Puerta del Sol and Retiro Park . Paseo del Prado is located in Italy . contradictory +yeah yeah they pop up pretty fast They take a long time to pop up . contradictory +You can now ascend the great rock by walking up the Snake Path a hot and tiring ascent that takes 30 to 60 minutes depending on your fitness . Nowadays you can climb the large walk using the Snake Path , which will take you 30 to 60 minutes . entailment +The views of the Old Cityfrom here are spectacular . The Old City is placed in a good position from here . neutral +The crusaders swept through the l ; and of Byzantium slaughtering Christians as well as Muslims , civilians as well as soldiers . In Byzantium crusaders slaughtered Christians and Muslims . entailment +During the past decade , Serbia has taken advantage of this version of its World War II history to make common cause with Israel . Over the past ten years Serbia and Israel have communicated common cause by their similar World War II history entailment +The taste for the grandiose musical spectacle has spread all acrosethe Western world , but the greatest stars and divas need a triumph at La Scala for true consecration . La Scala served as venue for a concert by the Rolling Stones in 2015 . contradictory +but there are several people who are who are just super capable but to get this nobody with the kind of baggage that he 's carrying They had several capable options , but they got a person with a lot of negatives . entailment +yes so i i you know think that there are very few men who still feel that way and very few women who will tolerate a man who feels that way Only a few men still feel this way and very few women accept it . entailment +They 've held on only for your return . " Hanson stared at them and around at the collection of bric-a-brac and machinery they had assembled for him . Hanson was their leader then . neutral +The originals of the cathedral 's major sculptures are on display next door in the museum of the archbishop 's residence , the Palais du Tau . The cathedral 's sculptures are displayed . entailment +yeah they yeah and they No , they don 't . contradictory +The conferees have concerns about the case service reporting and associated data reports submitted annually by the Corporation 's grantees and the case statistical reports submitted by the Corporation to the Congress , and the conferees direct the Corporation to make improvement of the accuracy of these submissions a top priority , per directions in the House report . The Corporation grantees submit data reports at the end of each week . contradictory +well i agree i think that 's what i 'm trying to say That is what I 'm trying to say , I agree with you . entailment +In terms of Pareto optimality , it appears that a change from the current position imposes large losses on some mailers , large gains on others , and relatively small net gains . There would be significant gains across the board for each mailer should the current position be adjusted . contradictory +Drew brought Shiloh , still prancing and playing with his bit , up beside Oro . Drew brought Oro to stand next to him . contradictory +The increasing challenges facing the country over the long term have had a longlasting impact on the nature of GAO as an organization and on how it supports the Congress . The GAO does not offer any support for Congress . contradictory +Don 't look down . There is a long fall . neutral +yeah yeah look at this slick guy i wonder what kind of money does he make uh-huh i can see it now well it was good to talk to you it was really enjoyable The man looks slick , likely as a result of his wealth . entailment +Blast it down . " Shoot it down . entailment +Scholars say it was really named Mons Mercurii , and was the site of a pagan Roman temple . Some historian believe that , at the site of a pagan Roman temple , it may have been named Mons Mercurii . neutral +They always come back and bring others with them . They never come back and would be alone if they did . contradictory +Instead of ' I 'm sorry ' the Futurobot printed out the following message : The Futurobot printed out a recipe instead of an ' I 'm Sorry ' letter . neutral +The Alpine scenery looks as if it is straight out of Austria or Switzerland . The Alpine scenery is very beautiful to behold . neutral +An independent counsel to investigate President Clinton ? An independent counsel who works for free to research the President ? neutral +'Natalia . ' I frowned . I smiled . contradictory +Until tomorrow , Katharine Until three years from today , Katharine . contradictory +State planning-related program visits took place in Alabama , Georgia , Louisiana , Massachusetts , Mississippi , Missouri , Montana , Nevada , New Jersey , New York , North Dakota , Oklahoma , Oregon , South Carolina , and South Dakota . Future state planning-related visits are expected . neutral +well Virginia is not a particularly rich state and they managed to find squeak out a few bucks to do it The state of Virginia managed to do it so I don 't understand how we didn 't . neutral +VII The fall of the sun was seemingly endless . The sun fell out of the sky in an instant . contradictory +While there , visit the charming Romanesque church of San Miniato ( up the hill behind the square ) ; rebuilt in the 11th century , it is Florence 's oldest and one of its most beloved churches . Florence 's oldest church is San Miniato . entailment +I opened the door . Then I closed the door . contradictory +yeah and and you 've got to go over there and try it and i suppose you know i need a larger one i need a smaller one i mean obviously you can look at it and say well anyway i think the other thing that 's interesting is that a lot of our stuff is already changed that we haven 't i don 't know do you do you drink adult beverages When you go over there you sometimes say that you need a large one or a smaller one . entailment +Surrounded by acres of farmland hewn from the hard desert , the adobe fort became a focal point for the development of Las Vegas for the next fifty years . The adobe fort is a place in Nevada and is surrounded by water . contradictory +Attached you will find a document entitled Access to Records . The document called " Access to Records " is very important . neutral +It means ' we don 't even want to have an argument with you . Everybody wants to argue . contradictory +Pour coffee into Christopher Hitchens until he 's sober enough to finish his cover story , ' Friendship . Hitchens is not always sober . entailment +You know , you sure can tell a lot ' bout a man when you give a look at his hoss after he 's come off th ' trail . You can tell a lot about a man by looking at his boots . contradictory +Each wore a cloak of black and leather armor with high neck guards that went up past their chins . They were all covered . entailment +The executive will have met this element by ensuring that information system security plans exist and are implemented in accordance with the National Institute of Standards and Technology and Office of Management and Budget guidelines ; ensuring that annual risk assessments are conducted for each identified information security-applications , hardware , software-to ensure that the identified risks , vulnerabilities , and threats are addressed by appropriate security controls ; and ensuring that all employees comply with departmental training requirements to understand their information security responsibilities . The executive will meet that element and make sure it is financially sound . neutral +He was still puzzling over the situation when he returned an hour later . He was still thinking about the situation when he came back 60 minutes later . entailment +If there should be some one listening No one thinks there should be someone listening . contradictory +Victor Hugo used the town as a setting for Les Mis ? ? rables , and each summer ( usually at the end of July ) the residents stage a retrosective son et lumiyre performance in the Cityelle , parts of which date from the ninth century . Victor Hugo set Les Mis in the town . entailment +Inside you will find the marble sarcophagus of the monastery 's founder Christodoulos and icons that date from as early as 1190 . Te sarcophagus of Christodoulos , the monastery 's founder , is located inside . entailment +'Seems fair enough , ' I effortlessly broke free of White 's grip . This did not seem fair and I would refuse to let go . contradictory +But he never makes clear that buying on margin means that you stand to lose a lot more when you make a mistake . He outlined how risky buying on margin is , . contradictory +You 'll see gaggles of geese and ducks waddling along the riverbanks , burdened donkeys treading steadfastly homeward , and oxen compliantly tilling the fields . No wildlife can ever be observed along the riverbanks . contradictory +The Federation authorities decided on several , crucial for the game 's rapid increase in popularity , decisions . The decisions made definitely had an impact on the game 's popularity entailment +yeah yeah well i certainly will Jack it 's been real it 's been real uh informative for me to talk with you and i i certainly enjoyed it I enjoyed talking with you Jack , you 've been helpful . entailment +My mind is in some disorder , which is not well . " For about ten minutes he sat in dead silence , perfectly still , except for several expressive motions of his eyebrows , and all the time his eyes grew steadily greener . He didn 't speak for a while . entailment +We seem to believe that all human action is motivated not by the desire to know or improve the lot of humankind , but only by the basest motives of greed , power , and self-aggrandizement . All human action is motivated by desire to know or improve mankind , it is not driven by base motives . contradictory +Study , Interim Report V , Case Studies . This is a collection of studies and reports ( case studies , interim report number 5 , and a study ) entailment +They ? How many do you have ? How many do you have on your person ? neutral +No other reporter working on the story has been able to track down these sources . The sources have not been found by any of the other reporters working on the story . entailment +The most poignant , though not typical , case involved raids against the coastal hamlet of San German . San German was a wealthy coastal town . neutral +Want to get the kids away from the casinos ? Should we let the kids stay in the casinos ? contradictory +Melaka ( Malacca ) , easily reached by air or express bus from KL , was Malaysia 's first city , built on the trading empires of spices and textiles and a history soaked in the blood of battles as rival colonial powers challenged each other to take hold of the port . Malaysia 's first city , Melaka , was built on the trading empire of spice and textiles . entailment +The row Cumulative FGD Limestone Consumption ( tons ) provides an estimate of the limestone consumption for the cumulative total number of FGD installations , which includes 94 GWe of current installations . That row gives an estimate of the limestone consumption for FGD installations . entailment +For women of all ages and men older than age 65 , more than 7 drinks / week or more than 3 drinks / occasion is considered at risk . Drinking more than 7 drinks a week is problematic behavior for people over the age of 30 . neutral +Many of the eating places in Turkey specialize in serving a certain kind of dish . Every Turkish restaurant serves only one meal . contradictory +but uh the Serger really makes it look professional Serger and the skills there make it look professional . neutral +'Trust me , it 's easy , ' Derry said . Derry said that killing the men over there would be easy . neutral +Set high on a bluff overlooking the coastline at Galina Point is Firefly , the former home of Noel Coward , dean of British theater and cinema and the archetypal Englishman . Noel Coward is the dean of British theater and once owned a house . entailment +As with Social Security , Medicare spending will swell as the elderly population increases . Neither Medicare nor Social Security spending will rise in regards to the elderly population . contradictory +Our job in this law firm was never to go to the Hill or to the executive branch and say smoking doesn 't cause illness . Our law firm has told the executive branch that smoking causes illness . contradictory +13-year-old boy on going out with You even talk to them--even if it 's just over the phone . I can 't believe you asked a child who 's barely a teenager to go out with you . neutral +two girls and they are a handful I have only three boys who are in college right now . contradictory +That 's OK . That 's not OK . contradictory +I am not inclined to judge him . I will be judging him . contradictory +If case studies can vary so greatly , how can we assess their usefulness for evaluation ? If case studies vary greatly how do we assess their usefulness ? entailment +When ( 1 ) an employee 's work schedule differs from the agencywide schedule established by management or ( 2 ) reflects a flexible work program , an employee 's work schedule should be approved by the supervisor or the official most knowledgeable of the employee 's schedule in advance of the period when the plan takes effect . No more employees work at the office . contradictory +uh that 's kind of one along the line of Sixty Sixty i mean that excuse me Twenty Twenty and uh yeah Sixty Minutes but uh If you watch that , then you could enjoy Twenty Twenty . neutral +I don 't quite know , said Tuppence meditatively . I know , said Tuppence contradictory +Try the Aquarium of the Lakes at Lakeside , the Pencil Museum at Keswick , or the World of Beatrix Potter Exhibition at Bowness . There is an aquarium at Lakeside . entailment +Newsweek ' s cover package surveys hot new tech towns . Newsweek relegated its look at tech towns to a small column on the back page . contradictory +British army office Robert Gayer-Anderson bought the latter between the two World Wars , and fully restored it with exquisite fretwork , wooden balconies , tiled floors , and simple stucco walls . The wooden balconies took the longest to restore . neutral +the proposed rule was published in the Federal Register on November 23 , 1993 ( 58 Fed . The proposed rule was never published publically . contradictory +He is much more heartfelt about prison reform than about Wachtler reform . He doesn 't want to support the Wachtler reform . neutral +If it 's never decisive , it 's not really a factor at all . It doesn 't have to be decisive to be considered a factor . contradictory +OK ? So do we have a deal ? So , I guess we don 't have a deal . contradictory +well some companies have gone that far uh TI has not They are taking it too easy . contradictory +Other If you feel the need to work up a sweat while you are in Cairo then you can become a temporary member of the Gazira Sports Club once the domain of the upper classes . THe Gazira Sports Club is where all of the celebrities go to be seen . neutral +The island has good white sandy beaches and offers some pleasant walks in the jungle . There is no beach on the island . contradictory +Nor had the Sather Karf considered it a joke , he was sure . He had seen the Sather Karf laugh it off as a silly prank . contradictory +SSA 's organization features centralized management of the programs and a decentralized nationwide network of 10 regional offices overseeing 1,340 field offices , 138 hearings offices , 36 teleservice centers , 7 processing centers , and 1 data operations center . SSA 's 10 regional offices only oversee 3 hearing offices . contradictory +This is , I believe , a good point to do a comparison of the evidentiary record the Commission based its decision on and the financial picture postal officials are now painting just three months later . The financial picture that postal officials are painting shows an increase in overall sales . neutral +The cafe situated nearest to the port attract the chic and sophisticated , among others , who sit at tables covered with yellow tablecloths and are served by waiters who , with exaggerated formality by local standards , are smartly decked out in bow ties and white jackets . Some famous actresses have been seen at the cafe by the port . neutral +It runs advertisements for its supporters at the top of shows and strikes business deals with MCI , TCI , and Disney , but still insists it 's not commercial . It runs ads for its supporters at shows and strikes business deals , but insists it is not commercial and simply a non-profit . neutral +you know and that just drives me crazy because they 're and then they want then you know to get it removed they say well you know you have to write this write this long detailed letter and everything like that to them you know and then it takes three weeks and all and i 'm like baloney It is a pain in the neck to get anything through to them . entailment +But the town 's most cherished treasure is the magnificent Bayeux Tapestry ( or more accurately , embroidery ) , which was created for Bayeux Cathedral in 1077 to tell the story of Duke William 's conquest of England . The Bayeux Tapestry is on public display in the town . neutral +Grant to help fight domestic abuse A grant to battle domestic abuse . entailment +Nearby is the Memorial House of Dr. Sun Yat-sen , founder of the Chinese Republic . Dr. Sun Yat-sen was the leader of the revolutionaries . neutral +yeah that would be gosh It won 't be . contradictory +Clinton brought it to the galley to show the flight attendants . Clinton has never flown on a plane . contradictory +I 'll fill you in on anything you need to know before you 're assigned . I 'll wait until you are assigned before we begin . contradictory +oh that 's my problem i 'll go down to the uh SPCA or the Humane shelter and i i feel so sorry for them and i just want to i want to bring them all home i feel sad for the shelter animals , and i would adopt them all if i had space and money neutral +This bold guess about the solutions to a certain complex-valued infinite series ( made by the incomparable Bernhard Riemann in 1859 ) would , if true , have far-reaching implications for the structure of the most basic of entities , the natural numbers . This careless guess , which has never been made before , is flawed and is rather meaningless . contradictory +The great man had impressed her . The man had shown great feats of strength , which is why she was impressed . neutral +The renegade devil ! The handsome devil ! neutral +GAO has reported that well-chosen federal spending for infrastructure , education , and R & amp ; D that is directly intended to enhance the private sector 's long-term productivity can be viewed as federal investment . Well-chosen federal spending for infrastructure , education , and R & D can enhance productivity . entailment +i can agree with that and uh i know one thing we we need to do a lot of spending cuts instead a lot of raising taxes because that 's what 's really hurting everybody 's goat I think tax raises are the only solution here . contradictory +In June , the Hippodrome , west of the chateau , is host to the prestigious Prix du Jockey Club horse race . Horse races take place at the Hippodrome in summer . entailment +well the kids you know the kids wanted The kids wanted different things . neutral +In recent years a gleaming new high-rise zona turista has sprung up to confront the old-world hotels and distinguished quintas ( rural estates ) of Madeira 's more peaceful past . There is a tourist zone that has beautiful resorts and fancy restaurants . neutral +The club itself was a bastion of Ascendancy establishment . The club was a fortification of Ascendancy establishment . entailment +Given that your efforts involved a lot of time ( and perhaps paying for the party ) and afforded the couple a wonderful celebratory evening , along with $ 900 to apply to their honeymoon expenses , Prudie feels you have given them a grand wedding gift . You did a lot to give the couple a great wedding and honeymoon . entailment +Me and Moosier here have met before ” and there 's no man 's 85 judgment I 'd sooner take than his . We 've worked together on cases before , and I trust his judgement . entailment +Jon stood slowly , moving to the pack on his desert horse . He opened it and retrieved the supplies he was looking for . neutral +He 'd better come to tea there one day . He should come to tea . entailment +People like my legal services friends in Iowa , Ohio , Virginia , Arizona and Kentucky who have devoted years of their lives to the legal services movement . Some people in Florida have dedicated years to provided legal services . contradictory +Power comes in many forms , including the U.S. The U.S is not a form of power . contradictory +He had to begin somewhere . There was no possible place for him to start . contradictory +Reading up on the nation 's Founding Fathers , I couldn 't help but feel that some of the stories might have been just a little bit exaggerated . I feel like some of the stories told by the Founding Fathers may have been exaggerated . entailment +Finally , with its high postwar investment levels , Japan 's production processes became more capital intensive compared to most other advanced nations . Japan has the mindset for higher capital . neutral +After the Empire The Empire never ended . contradictory +well now i agree uh i agree with you one hundred percent i 'm just taking the other side just so we 'll have a discussion I need to defend the other side of the discussion . neutral +oh oh that 's nice That is horrible . contradictory +it it became a chore It was a bit of work . entailment +In fact , every time Microsoft raises the price of Windows 95 , it gets punished twice . When Microsoft changes the price of Windows from its original state there is a lot of controversy . neutral +Some of the slaves were able to gain freedom in return for special services rendered . Some slaves were freed if they offered their services . entailment +We let ourselves out . We opened the gate and let ourselves out . neutral +They supported a lot of great and good art . They were art collectors . neutral +Although the HI trust fund is viewed as solvent through 2029 , HI outlays are predicted to exceed HI revenues beginning in 2016 . The HI trust fund will probably remain solvent until 2029 . entailment +and you weave intricate patterns and use different colors like it could be a flame stitch where so rather than drawing a picture you 're making a design like a geometric or whatever and it was used quite often in the colonial times to uh uh to upholster chairs and so forth as well as the crewel um embroidery work that was done on them The flame stitch was also used to upholster other pieces of furniture . neutral +South of Miyazaki , the little island of Aoshima is connected to Kyushu by a footbridge and surrounded by strange , wave-like rocks believed to be between 15 million and 30 million years old . Kyushu 's bridge has been broken for years , and you have to take a plane . contradictory +The capital of ParoseParikia , serves the port , and although it is extremely busy throughout the peak season , it still retains the feel of a Greek town . The town is busy but it still has the feel of a Greek town . entailment +But the data on marine casualties indicated that accidents were often caused , not by deficiencies in the vessels or other factors , but by human error . The data on marine casualties showed that accidents were often caused machine failure . contradictory +History defies laws . Laws cannot control history . entailment +and um you know every now and then the file gets so big that you know it moves slower than i 'd like As the file gets bigger , it moves faster contradictory +Second research What are the sources of these shifts in the consumption of postal delivery services ? Consumption of postal delivery services have changed . entailment +Yo Kud , wassup ? You 're talking ? Clarissesetto said . Clairssesetto told Kud to get out of here . contradictory +There 's a lot of interesting economics in that question , and if I manage to sort it out , I 'll let you know . The question regarding the poverty level is full of interesting economics . neutral +Morant Bay is the major settlement in southeast Jamaica ; it played a major part in one of the turning points in the history of the island . Morant Bay is a place in Jamaica . entailment +yeah it 's just go watch TV you know leave us alone Just go watch TV and leave us alone . entailment +Whose interest would be served by our doing so and for how long ? It is not important to determine who this would affect . contradictory +underscore the mystical rather than gruesome aspects of ... Put emphasis on the mystical instead of the gruesome . entailment +Boat rides are available on the river when the water is deep enough . When the water is sufficiently deep , one can take a boat ride on the river . entailment +well not in the morning but um if the well i have two son children and if they uh go out to play or something i like to keep my eye on them so i 'll you know maybe go outside and read the paper while they 're playing or sit in a chair by the window or something Sometimes I read the paper while my two sons play outside or swim in the pool . neutral +Texas is much worst for the drugs i mean it was bad enough every place else but drugs is in Texas are extremely bad Texas has a drug problem . entailment +yeah yeah i used to smoke years ago but i don 't now I still smoke today . contradictory +The 5th floor also attracts crowds to its rooftop restaurant with superb views over Paris . The fifth floor has the best view of Paris . neutral +Jon swung again . Jon kept his rapier by his side the whole time . contradictory +Don 't wait lunch for him . " Do not wait breakfast for him . contradictory +We contacted representatives for each , and they agreed to participate . We called representatives of each , and set up a date to meet . neutral +This hypothetical program is for illustration only . This program is not an existing program . entailment +But I can assure you that that sort of thing might touch the heart of an elderly spinster , and she might adopt you , and then there would be no need for you to be a young adventurer at all . " Elderly people find you to be unlikable and avoid you at all costs . contradictory +The city sits on a wide bay with the colonial sandstone apartments on the waterside making a wonderful panorama as the sun begins to drop in the afternoons . The bay 's immediate coast is largely undeveloped and houses legendary beaches . contradictory +you know messing with young children and i mean it was just one thing it seemed like right after the other Things were going smoothly . contradictory +In 1920 Leith was incorporated into the city of Edinburgh . Leith was unincorporated prior to 1920 . neutral +yeah uh my little prize is the little Himalayan Persian it 's uh you know what a himmy a himmy is They did not receive a Himalayan Persian as a prize . contradictory +There would be no government second guessing and lengthy permit reviews . The government can change their mind . contradictory +right well people they in general are just getting married a lot later i 'm still single so i 'm sure i 'll be one of those parents that 's you know one of those women in her thirties when when i get around to to ever getting married and then having kids so I will probably have kids before my twentieth birthday contradictory +summer and and winter so that uh we you you became accustomed to it i guess but uh otherwise I find it hard to get used to summer or winter . contradictory +An example of an efficient combination of careful specification of the purpose of the study matched with appropriate site selection is the GGD study of the productivity of the Social Security Administration 's ( SSA 's ) regional operations . The GGD study was about the productivity of the SSA 's regional operations . entailment +The mere fact of giving sworn testimony to a court imbues a witness with credibility and She is participating in the measured and solemn business of justice . Sworn in testimony has no weight in courtrooms . contradictory +He is easily distracted the critic John Leonard remarked in an appreciative review of Culture and Imperialism , answering too many fire alarms , sometimes to pour on more petrol . He responds to too many fire alarms and occasionally pours on more petrol , says John Leonard . entailment +19The 3-year period coincides with federal surpluses and its use avoids extending the unusually low nonfederal saving rate of 2000 throughout the simulation period . The simulation period shows to be reliable and an accurate prediction of the nation 's economy . neutral +you know and and uh first of all how many how many people had to had to die before the war you know it 's like transporting stuff and Nobody had to die before the war begun . contradictory +At first , Ieyasu Tokugawa was eager to promote foreign trade . Initially , the idea of foreign trade was supported by Ieyasu Tokugawa . entailment +well it 's been very windy and it 's uh probably unseasonably hot for time right now It has been warm for the past week . neutral +In the corner near the Seine , facing place de la Concorde , the Orangerie is known for its two oval rooms with Monet 's beautiful Nympheas ( Water Lilies ) murals , but see , too , the fine collection of Impressionist and post-Impressionist paintings upstairs ( see page 71 ) . The Orangerie has two oval rooms with Monet paintings and other impressionist paintings . entailment +Ah , I Some are born white , others achieve whiteness , still others have whiteness thrust upon them . Whiteness can easily be achieved . neutral +In fact , what his grand principle amounts to no vote for cash . His principle is no to vote-buying . entailment +He transforms himself from a vitriolic TV gas bag into a candidate for the presidency . He is a strong candidate for presidency . neutral +uh it it 's it 's a little hard to believe but they can uh of course like just like just about every other state in the union they have a felony law anyone ever convicted of a a felony is cannot purchase a weapon It is hard to understand how a felon could attain a weapon because it most states there are laws against it . neutral +If anyone had chanced to look this morning before his return , and seen it there , it would have been a valuable point in his favour . We should find out if anyone saw it before he returned . neutral +oh that 's yeah that 's for sure um what kind of paint do you like to use I understood you have no paint preference . contradictory +The chapel provides an exquisite setting for chamber music concerts . The chapel is a great place to hold chamber music concerts . entailment +Still , yours is certainly an arguable position , which we can discuss sometime . There is no logical way to advocate that position . contradictory +The National Association for Public Interest Law leads the country in organizing , training and supporting public service-minded law students and in creating summer and postgraduate public interest jobs that bring equal justice to millions of low-income persons and families . The National Association for Public Interest Law leads the country in supporting law students . entailment +well they they seem like you know they were smaller compared to some of the other ones They looked smaller than some of the others . entailment +A complete circuit would also include the National Theater , and the National Museum of Modern Art . Visiting the National Theater and the National Museum of Modern Art could each take up an entire day of exploring . neutral +London , Center for the Study of Industrial Innovation , 1972 . The Center for the Study of Industrial Innovation in London will open its doors , after relocating due to flood damage , tomorrow . neutral +In addition , the rule revises certain controlled business disclosure requirements . The revisions met the requirements . neutral +Daniel had smashed pretty much every control panel to pieces . All the control panels were destroyed . entailment +Six warriors stood no chance but three pairs of two , each fully connected to the sight and mind of the other , could kill one hundred . The six of them were ready to fight . neutral +First , it implies that the competition for mates drives most people to save too much money . The competition for mates is not good for the economy , which depends on spending . neutral +As his Ed Norton-ish sidekick , Kelly walks off--or , rather , rides off--with the picture , his skeletal frame planted buck naked on a motorcycle as he rushes to reach Devine 's house before the man from the lottery . Kelly would never dare be seen in public without clothes . contradictory +Improved Reducing emissions of fine particulate matter will prolong thousands of lives and prevent thousands of new cases of chronic bronchitis , hospitalizations and emergency room visits . Reducing hospitalizations is one of the expected results of reducing emissions . entailment +A horse nickered from the corrals , was answered from the barn . A horse made a sound from the corral and another answer came from the barn . entailment +oh well good good you have a little time think about that i guess i i have uh when i was teaching school i saw many kids so many kids that were at loose ends You don 't have time to think about it . contradictory +To the delighted curiosity of Japanese visitors , the houses are filled with the kind of Victorian paraphernalia that is becoming increasingly popular in modern damask-covered furniture , an upright piano , a massive mahogany sideboard , and a grand old gramophone with a big horn , manufactured by the Nippon-Ophone Company . The Victorian style is ornate and stodgy . neutral +The south was visited by a number of peoples who came primarily to trade , including the Phoenicians , the Mycenaean Greeks , and the Carthaginians . They refused to trade with other countries . contradictory +Money doesn 't worry me any , explained Julius simply . Julius stated , " Financial means are not a source of worry for me . " entailment +it has worked out so he 's got a real nice benefit package but um it 's uh it 's nice to be with a big company for that reason i guess It 's nice to be with a big company because of their very good benefits . entailment +'Yes , he was ! ' He sure was . entailment +And behind it all there lurked a sort of incredulous dismay . There was nothing behind it all and it was no shock to them . contradictory +We will get very good terms ; _ very _ good terms . " The terms we get will be good . entailment +yeah it 's i don 't know i was expecting snow and all of that i maybe i should have moved over to the mountains instead of here but uh they didn 't get a lot of snow in the mountains either I thought that this place would be snowier before I moved here . entailment +If you wish to get to know the people , you can arrange to visit them with a guide ( see page 121 ) . Guides can be arranged to facilitate introductions to the people . entailment +Other factors - 83 percent . The other factors were 50 percent . contradictory +Using these rates and assuming the above mentioned construction periods , it is possible to estimate the number of fully employed laborers and boilermakers . These rates and construction periods suggest that there were 222,000 fully employed laborers and boilermakers . neutral +oh yes i have i have been to Tyler that was one place we went when i was a child I went to Tyler when I was a child . entailment +Misspellings are commonplace . Spelling errors are typical . entailment +Here , in the heart of the island 's tourist area , you 'll find a number of small Creole , French , and Asian restaurants and a few discotheques . There are a few Creole , French and Asian restaurants in the heart of the island 's tourist area . entailment +Not on any real track , senor . Not on a real track , sir . entailment +A dirty little secret of Western Europe is that it has gone further into hock than the United States . The United States is currently in a better position . neutral +The composition of PM can vary considerably from one region to another depending on the sources of particulate emissions in each region . The emissions are important and they should not be overlooked . neutral +Keep it simple . Make it more complicated . contradictory +And at once ! And all in union ! neutral +The list of guests was small and select . The guest list was short and specific . entailment +The L.A. segment of the Pacific Coast Bicentennial Bike Route , which runs for 1,000 miles ( 1,610 km ) from Oregon to Mexico , is a particularly popular trail . The Pacific Coast Bicentennial Bike Route is 2 miles long . contradictory +The collection point for the tunnel 's water , the Pool of Siloam , is believed to be the place where Jesus restored sight to a blind man . Jesus had a lot of extraordinary powers . neutral +Eilat divides into three distinct areas . Eilat is split into two areas . contradictory +They were not particularly hindered . They were free . entailment +Mrs. Inglethorp was in the habit of drinking a cup of coco in the middle of the night . Mrs. Inglethorp usually drank coco late at night . entailment +For GAO reports , the job documentation should contain evidence that the evaluation team as a group possessed the skills required and assurance that there were no impediments to impartiality among individual team members . Job documentation should not contain evidence . contradictory +She smiled and nodded to him . She shook her head in disagreement . contradictory +When Lake Nasser threatened to flood the complex in the 1970s , engineers had the unenviable task of formulating a plan to save it and this they did with consummate skill . In the 1970s , engineers tried and failed to stop Lake Nasser from flooding the complex . contradictory +Map maker , map maker , make me a map . Map maker , make me a map . entailment +Just in case you think you have got it all clear in your mind , remember that Vishnu destroys by not preserving and Shiva preserves through the renewal arising from destruction . Vishnu is feared and respected far more than Shiva . neutral +you have to do a little research try to find everybody i guess it 's a little easier with a family reunion and they you know and they they 're really organized you know they setup they they get the hall and they and they uh We used them last year . neutral +An Englishman who trained as an anthropologist before going to work for BBC Television , Barker clearly made up his mind about his material before his cameras began to roll--so it 's no surprise that it feels prechewed and predigested . Barker , because of his work background , planned everything in advance to make a good work for the BBC , because he is a perfectionist . neutral +Frederick II of Hohenstaufen 's court in Palermo Palermo was where Frederick II of Hohenstaufen had his court . entailment +Do you have a herbalist or sage ? Who heals your sick ? asked Jon . Jon didn 't ask because he thought their medical care was ridiculous . contradictory +It estimated that in 1989 city delivery cost per piece was only 8 percent lower than rural delivery , but that city delivery cost per delivery point was actually 7 percent higher than rural delivery cost . Rural delivery cost per piece in 1989 was 8 percent higher than city delivery cost per piece . entailment +but you know they do that like i went to Europe uh nineteen seventy three I went to Greece in 1973 . neutral +Does Bradley get it ? Does Jesus have it ? contradictory +People raised on farms understand this . People did not raise farms . contradictory +Fira is beautiful , but it can get oppressive when visitors crowd the narrow streets . Over twenty thousand visitors are on the streets at any given time . neutral +No , her sire 's Storm Cloud . Her leader 's name is Storm Cloud . entailment +The first would be to read about the games . Make notes as you read about the games . neutral +Even if gross national saving were only sufficient to replace depreciated capital , the economy could grow to some extent because replacing worn-out and used capital with new equipment tends to bring improved technology into the production process . If gross national saving was only sufficient to replace depreciated capital , the economy would not grow . contradictory +We can escape from there . We are able to escape from there . entailment +In some cases , some moving of equipment has been necessary . The equipment can 't be moved . contradictory +I 'm a simple guy . I am not complex . entailment +Here I am raising the entirely separate question of whether we should reproduce more quickly in order to give life to potential people . ) I do not want children , ever . contradictory +The rain had stopped now , and the sky was clearing in that sudden way it does . The sky remained dark and it continued to rain . contradictory +yeah but i often wondered wondered about that too I have never really thought about it or care to . contradictory +this one that you raised and i don 't think i would have thought about that i think that 's a good idea on your part i don 't typically feel intruded on on the things oh in the sense of finding out information This point that you raised is a good idea , I don 't feel intruded unlike with your first suggestion . neutral +It is not so easy to recognize the home town of a fellow driver . Anybody can correctly guess the hometown of the drivers . contradictory +We 're trying to say that solo practice can be among the highest forms of public service , and is the only channel possible to serving low-income people . Solo practice is the only way to serve poor people . entailment +The gigantic castle he erected at Osaka was the biggest Japan had ever seen , requiring a work force of 30,000 men . The biggest castle Japan had ever seen was erected in Osaka , requiring over 30,000 men to complete . entailment +The most fascinating structure on Calton Hill is the National Monument . There are several great structures on Calton Hill . neutral +Boards have at least three roles that they need to play . Three roles must be played by the boards , at least . entailment +Dead Turks--or ugly modular furniture constructed to shoddy specs . Unattractive poorly put together . entailment +I should like to speak to you in private , said Dr. I should like to speak to you out in public , said Dr. contradictory +Similarly , China Telecom has said that it will explore opportunities for strategic investments in [ China 's ] telecommunications industry . China Telecom is not exploring any options contradictory +you know i i wonder i i read in the paper just last week IBM 's unveiling their new laptop computer This is the second laptop computer IBM has produced in three years . neutral +By 1793 , when the leaders of the Revolution declared the palace a national museum , there were 650 works of art in the collection ; there are now , it is estimated , some 173,000 . The leaders of the Revolution said the palace should be a national museum . entailment +literature Novels and short stories . neutral +PK denies engaging in politics with these men , but Ireland says PK is acting as their religious-right marketing tool . PK denies engaging in politics with dangerous people , that are suspected to be mafia . neutral +when it clears leather shot the shot 's going to be fired you don 't pull it out for show you pull it out to take care of business the same way with the blade it it comes out of my back pocket or it comes out of a sheath on my web gear it 's coming out and it 's going to draw blood you don 't pull it trying to think is it uh in the Gurkha forces out of India had a legend that went along with their legendary side arm the Khukri which is their blade When someone draws out a weapon , they should do so to use it . entailment +oh i never heard of it I 've never heard of that guy before . neutral +Saint-Germain-des-Pr ? ? s n / a entailment +yeah you ought to come down um you don 't even have to go all the way to New Orleans you know if you want to really get some good food New Orleans is the only place to find good food around here . contradictory +And you 've got them ? And you gave them away ? contradictory +Aficionados of Spanish art and Goya in particular should not miss La Ermita de San Antonio de la Florida ( Glorieta de San Antonio de la Florida , 5 ) . Those who enjoy Spanish art should not miss La Ermita de San Antonio de la Florida . entailment +Opponents could also seek to dismiss the litigation or to disqualify the alien 's counsel for engaging in unauthorized representation . Unauthorized representation can also be ground for civil and criminal penalties in some cases . neutral +In its most marked deviation from real life , Man on the Moon provides Kaufman with a kind of feel-good comeback . Life does not usually involve feel-good comebacks . entailment +Not only was it not Fri . It was on Friday . contradictory +On primordial I don 't believe in single identities , but there are root identities such as being a Basque , a Catalan , a Kurd , or an Occitan , especially when there is a need to assert such a root identity against a larger , sometimes more smothering polity or culture . Kurd is one of the root identities that I would recognize . entailment +i 'm not even going to try I will not attempt it . entailment +There are folks willing to help . There are people who might be willing to help . neutral +As obvious as this insight seems today , though , it wasn 't in 1983--Steve Jobs didn 't realize it , my computer nerd friends and I didn 't realize it and , I suspect , James Surowiecki didn 't realize it either . Although this insight is pretty obvious today it was not obvious in 1983 and many people didn 't realize it . entailment +The Final Analysis for the Registration Form rule notes that of the approximately 2,700 registered open-end management investment companies , approximately 620 or The Final Analysis records that there are over 3,000 registered companies . contradictory +the most beneficial all the way around it gets your circulation going good it uh uh It is good for increasing circulation . entailment +The forbidding design of the Palais Vieux , reflecting the pious austerity of Benedict XII , contrasts with successor Clement VI 's more decorative Palais Nouveau . The Palais Vieux design contrasts with the Palais Nouveau design . entailment +But as this edition is constituted , it looks an awful lot like sucking up to the boss . This edition was written to agree with the boss and no one else . neutral +Some judges have tried . There have been judges who have made an effort here . entailment +However , facilities are responding to the NOX SIP Call at this time and it is uncertain exactly how many facilities will ultimately be equipped with SCR in 2004 when the NOX SIP Call deadline arrives . The number of SCR-equipped facilities has been carefully planned . contradictory +The little identifying cards psychologist Gordon sets beside each item display an impressive mastery of the manipulative arts . The little identifying cards have a short description of the item on display . neutral +Maybe black stuff is still so suspect that we need celebrities to get reference books . Information on the black stuff can be found in the reference books . neutral +yeah there 's a uh i don 't know do you have Lowe 's up there Do you have a Lowe 's in your area ? entailment +Increasing the expertise of system administrators presented different challenges . It was easy to increase the knowledge of the administrators . contradictory +( I 'm sure both projects will come in on budget , and that the retractable roof will work flawlessly . ) A retractable roof is being torn out of the building . contradictory +The Schneider Retort Schneider 's monthly report . neutral +at her as she tries to get a point in edgewise . She is trying to make a point . entailment +Evaluation Studies Annual , vol . The evaluation studies have an annual volume . entailment +Here 's another one , though I 'm no Java evangelical ( I 'd much rather program in CommonLisp , thanks ) . Programming in CommonLisp is too tedious for me , I 'll stick to Java . contradictory +Is he likely to come again ? " He will probably return . neutral +The Ritz would enjoy the spectacle of the glad reunion . " Inquiry at the office revealed the fact that Tuppence had not yet returned . They would like the glad reunion . Tuppence has not came back yet . entailment +The $ 65,000 going to the Women 's Law Center , for example , funds two days a week of a statewide hot line , counseling 2,600 needy women last year -so many that callers say it can be hard to get through . If the Women 's Law Center had more funds they would be able to take more callers . neutral +Most importantly , these allowances can be traded freely . Each allowance incurs a fee . contradictory +does San Antonio have you said San Antonio right Anything but San Antonio . contradictory +Until the end of the 16th century , Cuba remained a fairly insignificant Spanish colony . Until the end of the 16th century , Cuba remained a fairly important and influential Spanish colony . contradictory +Azaria 's reluctance to marry stems from the fact that her earnings dwarf his--she is making $ 1 . Azaria is reluctant to marry but has no problems talking about it . neutral +Please note that the statement of practices appended hereto as Access to Records does not and is not intended to waive or alter any of LSC 's rights to documents and other information and does not apply to audits , investigations and other OIG activities . LSC 's rights to documents have been permanently changed by the new statement of practices . contradictory +I had a nose job . I had a nose job and my nose looks great now . neutral +Instead of trying to tame inner-city housing projects with different kinds of architecture , lower density , and income mixing , the Department of Housing and Urban Development should redefine its to help its tenants escape the ghetto . Income mixing has been moderately succcessful . neutral +This two-year funding decision was made to allow the Missouri legal services programs the time and the opportunity to develop a viable , effective and comprehensive state plan . The Missouri legislatures knew that it would take time to put an effective state plan into action . neutral +Recently restored to its former splendor , is now linked to a select group of famous hotels in Southeast Asia and Indo-china . It has ties to the five star hotels in Southeast Asia . neutral +Two naked woman held each other behind him . Two fully clothed women held each other behind him . contradictory +Allowing sources to make reductions where it is most economical to do so is one of the reasons cap and trade programs should be less costly than command-and-control programs that achieve the same or even fewer reductions . Saving money has no influence in dictating business affairs and management . contradictory +Can 't you give me a little more to go on ? " Poirot reflected a moment . " Can 't you allow me some more time to finish ? " entailment +Though they each very often destroyed the work of their predecessors , the 20th-century city remains a fascinating compendium of India 's imperial history . Things are left over from many historical periods in the city . entailment +Mussolini annexes Abyssinia ( Ethiopia ) , bombs Republican Spain Mussolini had to be stopped . neutral +people had always underestimated me ... People underestimate me because of my short stature . neutral +he 's he 's not a subject of great pride He is very prideful . contradictory +right to to actually be a leader uh a team leader and uh you know the Rangers really don 't have any star players besides Ryan that uh i think the other players look up to because Incaviglia i don 't think you know uh he stands out to be a a real leader Ryan is a really good team leader for the Rangers . neutral +A smart buyer also retains an inhouse staff that includes technical experts who can articulate the nature of technical services being bought , recognize good value during the negotiation of such services , and evaluate the quality of the services as they are provided . Technical experts are essential because they can evaluate the quality of the services . neutral +Although Kyoto is internationally renowned as the country 's de facto cultural capital , nearby Nara was the first important home of the imperial court and still boasts many of Japan 's most important temples and shrines . Kyoto has an art festival every year where artists display their work on the street . neutral +oh okay well you worked with a whole bunch of friends of mine then You didn 't work with any of my enemies . contradictory +This installation includes designing , fabricating , and installing the control technology . This installation includes installing the technology into the factory . neutral +Needless to say , these plans had not been in the prospectus . These plans weren 't covered in the prospectus . entailment +WINZ 's financial statements are the main accountability reports used by Parliament to monitor the agency 's performance . The financial statements are extremely telling of what the group has gotten up to . neutral +It is lovingly mounted in the Centre Guillaume-le-Conqu ? ? rant , in the Rue de Nesmond , and is accompanied by a fascinating film ( in English or French ) that explains the work 's historical background . The film is available only in French . contradictory +A second factor is the journalistic culture of the news conference , which rewards zinger questions that provoke news--and discourages anything that courts televised dullness . The journalistic culture of news conferences rewards dullness and boring things . contradictory +I felt as if I had wandered in in the middle of the second act--why did it make such a big difference ? Between the first and second act of a show , there is usually a distinct difference of sorts . entailment +uh actually really really Maybe might be could be neutral +Richard Longabaugh urged that collaborative studies include health services researchers . Health services researchers should be included in collaborative studies . entailment +i think it was the Black Hills of South Dakota I think it was in the hills of North Dakota . contradictory +Presently , addresses are required on such pieces . Parcels under a certain weight do not require addresses . neutral +The chain wielder kicked the dagger as it swung in and it shot towards the woman 's eye . The chain wielder grabbed the dagger from the woman . contradictory +The Wall Street Journal reports that despite the best efforts of entrepreneurs , the cryonics industry remains lifeless . Cryonics is the leading industry in the nation , as reported by the Wall Street Journal . contradictory +yeah yeah i 'm sure it will in Dallas Texas I 'm sure it will come there in Dallas . neutral +We will also make copies available to others on request . Upon request , we will also provide additional copies entailment +He had five measly points while his sidekick , Scottie Pippen , had scorched the Bullets for 17 . He has more points than Scottie Pippen contradictory +It was a cultured voice , and there was a refinement to his face that registered on Dave 's mind even over the horror of the weapon . The rough-spoken man accosted Dave , but he wasn 't carrying a weapon . contradictory +right now they 've got that Katherine Hepburn one where she 's touring all the gardens of Europe i of course have missed the first series of that but that 's about the only thing that i really catch on PBS I watched the first series . contradictory +Papers presented at WissenschaftlicHe 's Institut fer Kommunikationsdienste GmbH , 6th Keenigswinter Seminar on Postal Economics , Liberalization of Postal Markets . The papers that were presented were about a new black hole that was discovered . neutral +In these letters , he asserted that I exceeded my lawful authority by undertaking this study . It was said that I 've exceeded my lawful authority . entailment +The last year of CBO 's projection period was 2011 , permitting the calculation of calendar year values through 2010 . The projection period goes until 2015 . contradictory +organizational cultures , a critical success factor is linking unit and individual performance to organizational goals . Organizational cultures is linking unit and individual performance to the company 's goals . entailment +This hardly counts as dependence . Surely this couldn 't be described as dependence . entailment +Although GAO may give an agency up to 30 calendar days to comment , GAO may attempt to obtain comments in shorter time frames , depending on the product timing needs of the requester and the complexity of the issues involved . GAO usually solves its agencies ' problems in 10 days . neutral +The sailors all laugh , and one calls out , Look who 's talking ! The sailors were very agreeable . contradictory +Barnes and ; Thornburg used to include time working for legal organizations , like the city 's bar association , Maley said . Maley was among those who disagreed with Thornburg 's general practice . neutral +uh late fifties yeah It happened in mid 1951 . contradictory +but all those you know just monthly payments and stuff that just go out the door and there 's big chunks of your money to pay like the utilities and the gas and the groceries and stuff that you don 't have tangible i mean the perishable kind of things that 's gone used and gone Do you not make enough money to pay for things ? neutral +We will also make copies available to others on request . These are the only copies that will be made available regardless of any requests made . contradictory +yeah yes ma 'am That is the correct price for the painting . neutral +Antiques shops cluster around the Left Bank 's 6th and 7th arrondissements . Some shops focus specifically on the selling of antiquities . entailment +The following is a facsimile : STYLES COURT ESSEX hand written note : July 17th My dear Evelyn Can we not bury the hachet ? Evelyn was inclined to bury the hatchet , as requested by her friend . neutral +The book itself is displayed along with the Book of Durrow , the Book of Armagh , or another illuminated manuscript ; pages of the books are turned every six weeks . The Book of Armagh is read through 3 times a day . contradictory +A person 's psychological and emotional stance , not external events , is what mainly determines his possibility of enjoying a golden day . External events are the main determining factor of whether a man will enjoy his day . contradictory +In addition , many organizations required users to sign a statement that they had read and understood the organization 's information security policies . Many groups made users sign a statement saying they agreed to the security policies . entailment +Not the fact that there is no chemist 's name ? The chemist has a name ! contradictory +Among its planets forming , lots of black holes , and galaxies born when the universe was in its infancy . The planets forming and galaxies being born happened when the universe was very old . contradictory +It 's a highly ritualized three-act art form that depends initially on the aggressiveness of the bull and the torero 's skill and ability to take risks . The art form is ritualized and requires an aggressive bull . entailment +The rule , promulgated by an independent regulatory agency , is not subject to the review requirements of Executive Order The rule is subject to the review requirements . contradictory +The play recounts Wilde 's downfall , says USA Today ' s David Patrick Stearns , with the inevitability and much of the monumentality of a Greek tragedy . David Patrick Stearns has never had an association with USA Today . contradictory +( The highlight is a photo of the old and new hearts sitting side by side in metal basins . ) The highlight is a photo of the newborn baby . contradictory +The whole town really did turn out to party . The party lasted all night with everyone there . neutral +A plurality blames the scandal on Clinton 's enemies , not Clinton . The scandal is often blamed on Clinton 's enemies . entailment +Although critics find Cities of the Plain less inventive than All the Pretty Horses and The Crossing , they still celebrate McCarthy 's Faulkneresque use of flowing , punctuationless sentences and arcane language . The critics said Cities of the Plain was much more inventive than All the Pretty Horses . contradictory +Besides the main hall and the hall of worship , the shrine complex includes a noh theater stage , a sumo wrestling ring , several teahouses , and the Yushukan museum of war memorabilia . The shrine complex offers many different attractions , including a theater and a sumo ring . entailment +His opinion of Julius 's power of hustling was high . Julius was self-taught in hustling . neutral +The final rule contains a revised information collection requirement which is subject to approval by the Office of Management and Budget ( OMB ) . The final rule will be followed . neutral +Or was it a sombrero ? There are no sombreros . contradictory +Still , the singers , dancers , guitarists , and flashy , colorful costumes are enjoyable to all but the purist . Barely anyone is able to enjoy the flashy costumes . contradictory +GAO needs to efficiently use the time available to complete its work to minimize the impact on the agency being reviewed and to meet the time frames of the congressional requester ( s ) . The agency is undergoing review and the congressional requester ( s ) have certain time frames . entailment +oh really well we 're all skinny farts so i it so when it comes i like to We were obese . contradictory +The patterns , of course , are well established . The patterns have deep roots , said the psychologist . neutral +but uh they 're substantially cheaper The bolts are much cheaper at the hardware store . neutral +that 's right that 's why now that works if you can find somebody to do it with but it 's very rare that you can find somebody to do it with It is rare to find the right person to do it with . entailment +Kilims are small rugs that are woven rather than knotted , and have no pile ; a cicim is a kilim with embroidered decoration . A kilim is a small , woven rug which has no pile . entailment +After dinner , a glass of Madeira or port is recommended to round off the meal . Madeira or port is the ideal way to finish off a meal . entailment +guess i bet you can 't guess You can 't guess , I 'm pretty sure . entailment +Austin Room ( these days B-and-B rooms are named , not numbered ) , I opened my book to read and out fluttered the chant . I read a book in my hotel room . contradictory +the balance by the time they got their interest out of it and it took forever to pay it off and at that point i promised myself i would never pay interest on a credit card again so that 's kind of been my motto The interest rate on the balance was over twenty percent . neutral +It is also one of the grandest , with its Victorian wrought-iron balconies , marble staircases , and open-cage elevators surrounding a skylit atrium court . It 's marble staircases were very expensive to make . neutral +What the fad for foreign IPOs ignores is the massive uncertainty still attached to foreign markets , even as it has led U.S. investors to overlook everything they take for granted at regular reports , corporate accountability , open books , the Securities and Exchange Commission . Foreign markets still hold a large measure of uncertainty , which the fad for foreign IPOs does not consider . entailment +i found that you don 't do that I found that you do do that . contradictory +During April and May , the orchids will be in bloom . The orchids are beautiful in bloom and a great photo op . neutral +well the dogs don 't use litter but kitty litter is excellent for uh getting under the wheels of cars and what have you and giving you traction uh-huh The dogs are litter trained . contradictory +The Save the Unified Surpluses simulation assumes the entire unified surpluses are saved and used to reduce federal debt held by the public . The save the united surpluss does not assume the entire surplus contradictory +The places to be are Habana Cafe ( the disco in Havana 's Hotel Melia Cohiba ) and the disco in Santiago 's eponymous hotel . Places like the Habana Cafe should be avoided at all costs . contradictory +Holding up a bank ? " The speaker is asking about robbing a bank . entailment +There are , of course , other contribution or cost coverage goals that could be selected . The cost coverage goals must be effective in order to be selected . neutral +( The definition of women here is broad enough to include transvestites and transsexuals . ) Here women are not transvestites and transsexuals . contradictory +You scored 190 , and besides , you 're not as old as I am . ' You scored 190 and are as old as me . entailment +The Shaw Birthplace Museum , 33 Synge Street , is marked by a plaque written by the great man himself . The Shaw Birthplace Museum is marked by a plaque written by Oscar Wilde . contradictory +EPA states that it tailored the rule to minimize or eliminate the effects on small entities . The EPA never considers the needs of small business when they write rules and laws . contradictory +Claude Monet 's glorious floral and water gardens are much more attractive than the rather artificially restored house . Claude Monet 's house is much more impressive than the gardens that surround it . contradictory +A fourth type of lie might be called the mendacium universalis , the universal or endemic lie . A universal lie is considered the fourth type of lie . entailment +With a sudden fear clutching at her heart , Tuppence ran to the bed . Tuppence found a dead person on the bed . neutral +What we have learned from the research to date gives us some direction as to how to implement interventions in emergency settings to reduce drinking and alcohol related risks . The interventions will be very effective at removing risk . neutral +Still , in that unlikely event , there is always the possibility of bribery . " There is absolutely no possibility of bribery . contradictory +Rules limit how much blood you can donate or sell at one sitting . Rules limit the amount of blood you can sell or donate in a sitting and in a lifetime . neutral +These rules were adopted on an interim basis because the Secretaries determined that the publication of a proposed regulation , for the purpose of notice and public comment , would be impracticable , unnecessary , and contrary to the public interest . The rules were adopted temporarily . entailment +And an equal sum for Mr. Beresford , of course . " Tuppence beamed upon him . The equal amount for Mr. Beresford represents a lot of money . neutral +In high season , you will share your Greek odyssey with visitors from almost every country in Europe , and increasingly from around the world . Visitors from across Europe partake in the Greek odyssey . entailment +that 's interesting that the military saw that and did something about it you would have expected them to be the last ones to I am surprised that the military did that . entailment +Scheduling of follow-up visits depends on type of medical problem or injury . The medical problem or injury will affect the scheduling of a follow-up visit . entailment +Some case studies rely wholly on quantitative data . Some studies only rely on quantitative data entailment +The human capital outputs and outcomes should be the same as those measured for the Government Performance and Results Act ( GPRA ) and the budget and could be reported in a Statement of Program Performance Measures as described in Appendix 1-F to the concepts statement entitled , Entity and Display , SFFAC The outcomes and outputs should match those measured for the Government Performance and Results Act . entailment +which is something different um makes them a little bit crunchy you need to chop them up real fine but um it makes them crunchy and that adds something new to it It makes them a little bit crunch , which a lot don 't like . neutral +oh it isn 't bad The weather 's not that bad . neutral +People look at me and wonder why I 'm friends with him , Subia said . Subia said " People wonder why I 'm friends with him . " entailment +With such a machine , we can run off a graph of the tides for years ahead . We deduce that this machine can run a tide graph into the future . entailment +More than 40 percent of the 1,746 such contributions made in the last cycle ( up from only 401 in 1979-80 ) was received by just 14 candidates . Over forty percent of such contributions were received by just fourteen candidates . entailment +In many ways , she seems the ideal match for them , and not simply because she 's an expert at massaging egos . She seems like a good match for them , and it 's not just because she 's good at flattery . entailment +In the early nineteenth century , America 's western territories were still largely unexplored . There are no times in which the exploration of the American territories was considered during that time . neutral +In hopes of attracting more white votes , the Democratic Party has distanced itself from civil-rights leaders like Jesse Jackson , and from issues like welfare reform and affirmative action . The Democrats abandoned voters of color in favor of the white middle class . contradictory +It shocked him out of his stunned gaze . He was shocked by something . entailment +are you my oh how nice That 's rather pleasant . entailment +PRA also created the Office of Information and Regulatory Affairs within the Office of Management and Budget ( OMB ) to provide central oversight of information management activities across the federal government . The federal government are trying to manage their information activities . neutral +Difficult ! It 's damnable ! It is quite difficult . entailment +In one view , loutish slack-jawed children , admitted to college only so the bursar can suck money out of their rich alumni parents , cheat their way through class and , if that doesn 't get them good enough grades , bully their professors into upping their marks . There are some terribly self-entitled people attending college . entailment +18 See the description of this proceeding in the Appendix . The appendix is missing a description of the proceeding . contradictory +it is i just have to take my hat off to Peter DeNiro he is one of the best actors i 've ever seen it 's I really admire Peter DeNiro 's acting . entailment +( Of course , taking the long view on democracy also requires taking the longer view . Taking the long view on democracy requires more time and effort than taking a short view . neutral +One of the oldest eating places in the port , with a pleasant Mediterranean atmosphere and some excellent specials . It is a very old building with murals that are 200 years old . neutral +Shall I tell you what made Monsieur Lawrence turn so pale when he first entered his mother 's room on the fatal night ? Will I explain to you what it was that caused Monsieur Lawrence to become pale ? entailment +During the conceptual planning phase various feasibility studies are done to define the scope or statement of work based on the owner 's expectations for facility performance , quality , cost , and schedule . Studies were done during the conceptual planning phase . entailment +Recent congressional actions have moved the IRS in the direction Dole wants to take it . Dole wants the IRS to move in a certain direction . entailment +The paper was safe where it was ; since no one had thought of looking there in the first week , it was not likely they would do so afterwards . Because it had not occurred to anyone to look there during the first seven days , there was very little chance that they would look there at any point after that . entailment +Nearly everyone agrees today that the Vietnam War was unwinnable and was needlessly prolonged so America could save face . America firmly believes it could 've won the Vietnam War . contradictory +The analyses use both quantifiable and general descriptions of the effects of the rule on small entities as required by section 607 and small entities , in addition to the actions required by 5 U.S.C. Analyses of the effects of the rule on small entities are required by section 607 . entailment +What 's my big but ? What is the big but ? entailment +It appears that many of these changes will also reduce the burden on non-small entities . At the same time these changes will bring more jobs . neutral +Wanniski , who invited Farrakhan to a conference last spring , argues that a Republican-nation alliance could guarantee an unbeatable electoral majority for the GOP . Farrakhan was never invited to a conference last spring , not even by Wanniski . contradictory +An increase in deciview is a decrease in visibility . If it gets hazier or smoggier in Los Angeles then visibility decreases . neutral +A design of melted wax is applied to cotton or silk using a metal stencil . The cotton or silk is decorated using melted wax . entailment +By 2020 total energy use fell by 19 % compared to the reference case . The total energy use fell by 100 % by 2020 , compared to the reference case . contradictory +In a grand old corner building across from the Atocha train station and seconds from the Reina Sof ? ­ a contemporary art museum , this inexpensive hotel may have seen better days , but it remains a bargain . The hotel isn 't in its prime , but it 's inexpensive . entailment +It is evident ! The answer was waiting to be found . neutral +A problem could be any anomaly discovered during design , coding , testing , or implementation . Problems can be found during different phases of the software development life cycle . entailment +Try lunch or afternoon tea on the terrace . Have lunch or tea on the terrace . entailment +Fine restaurant . Only a few critics think the restaurant is fine . neutral +However , the only patients who showed a differential effect from the brief intervention were precontemplators in the 13- to 17-year-old group . Patients showd an effect when doctors staged an intervention . neutral +Rather than being a capital or trade centre , though , Sant Antoni is the throbbing heart of package-tour Ibiza , and instead of occupying just a corner of the bay , the town extends for miles . Sant Antoni is a popular destination for tourists , even though it is not the capital . entailment +oh i don 't know is it do you feel at all like it 's a religious issue Do you think religion has something to do with it ? entailment +Nonetheless , Ehrlich 's book was treated to a 21 st anniversary reprinting in 1997 . Erlich 's book was reprinted in 1997 on its 21st anniversary . entailment +In mid-1999 it was bought by the New York investment firm Evercore Partners . Evercore Partners bought it in mid-1999 . entailment +Clinton has said oral sex doesn 't count . Clinton believes oral sex is the only type of sex there is . contradictory +How about Sage , Callie ? The boy thought seriously and then nodded . The boy seriously contemplated . entailment +Divorces and custody battles are simply out of their financial reach . They 're staying married , only because a divorce or separation would be too expensive . neutral +Whose Life Is It , Anyway ? To whom does this life belong , anyway ? entailment +The usefulness of case study reports , therefore , depends to some degree on how well the investigator has portrayed the participants ' ways of thinking about what happened and on how divergent the investigator 's analysis is from the reader 's ways of thinking about the subject . If investigators are carefree , their case studies are deemed useless . neutral +Saxton 's statement is partisan but monotonously real , and Reich 's complaint is not that he was attacked but that he had no real chance of getting a hearing at this hearing . Saxton 's statement was sided towards Republican . neutral +i i wouldn 't want it i wouldn 't want to be one of those people that 's being taken care of somehow knowing that this person is doing it to get out of a sentence or or you know because they were bad in some other way I want to take care of someone . contradictory +Good heavens ! I exclaimed . I vocally expressed my surprise at 80 decibels . neutral +We go to the fights and a hockey game breaks out . A hockey game broke out at the fights . entailment +Gatekeepers and the Social Control of Social Research . Gatekeepers control social research . contradictory +According to the preamble to the final rule , HUD received 354 comments on the proposed rule . According to the preamble to the final rule , HUD has not received any comments . contradictory +While today there are 3.4 workers for each Social Security beneficiary , by 2030 , there will be only about 2 workers paying taxes to support each beneficiary ( see figure 1.7 ) . The worker to beneficiary ratio for Social Security is expected to go up to 4 or 5 by 2030 . contradictory +After meeting with Clinton Friday , Sen. After meeting with Clinton at the White House on Friday . neutral +Yamanaka-ko is the largest of the five . Yamanaka-ko is the best and the largest of the five . neutral +Downsizing itself is an inevitable part of any creatively destructive economy . An economy cannot be destructive in a creative way . contradictory +Cosimo I begins Medici rule in Florence Medici rule regulated the medical system in Florence . neutral +um-hum i agree with the phone too in that i 'm single but when i come home from work there 's times i need to pay bills i need to balance my checking account i need to do all kinds of different things like that and even though it 's friends calling sometimes you just feel like this is my quiet time i need to get things done and the phone ringing bothers me but that 's that 's where answering machines are nice because if it 's really important they 'll leave a message and i can call them back but uh at work i have so many phone calls from customers calling in sometimes it is just After getting home from work I need time for myself , my household , and my friends ; a ringing phone is very bothersome . entailment +If not here , then where ? If not in this location , then in what other location . entailment +According to fiscal year 2000 data , Texas ' Food Stamp program provided approximately $ 1 . Fiscal year 2005 data says the Arkansas Food Stamp program provided $ 10 . contradictory +Unlike the sky , it seemed to obey the normal laws of inertia Hanson had known . It was the most normal Hanson saw all day . neutral +They slept easy that night , drunk on water and filled with peace and friendship and good cheer . They were drunk and had a good night sleep amongst friends . entailment +A hundred species of butterfly have been identified here , and as many different birds . A hundred new species of butterfly have be found to unique to this place . neutral +I 'm afraid something 's happened to him , through your pal Boris . " " Boris has hurt him . " neutral +uh you sound like you got a Louisiana accent You sound like you are from Louisiana . neutral +What did she do with it afterwards ? We know what she did with it afterwards . contradictory +Star Wars was never reviewed well by critics . Critics never reviewed Star Wars very favorably . entailment +The Fuji Five Lakes that form a crescent around the north side of the peak offer delightful opportunities for fishing , boating , and hiking . The area is very focused on natural activities . neutral +Senate Majority Leader Trent Lott , R-Miss . , latched on to this as an excuse to side with Helms . This was an excuse for Lott to side with Helms . entailment +yes right well one of the nicer restaurants supposedly that opened up here not uh too very long ago called Harbor Lights specializes in fish Harbor Lights is a restaurant that opened years ago and serves mainly burgers and chicken . contradictory +I 'm not saying Davis should stop complaining and suck it up , but this decade has seen the birth of new fantasies , and he fails to take them on . Davis does not take on the new fantasies . entailment +A recent study estimated that a wealth effect of 3 to 4 cents could explain two-fifths to about half of the decline in the personal saving rate since 1988 . The wealth effect explains the decline in personal savings rate . neutral +He made vicious fun of the English bourgeoisie in plays such as The Importance of Being Earnest . The same bourgeoisie packed London houses and made him a fortune without realizing the joke was on them . The Importance of Being Earnest was a masterpiece of film . neutral +He took it off and hurled it into a corner disgustedly . He felt disgust as he threw it towards the corner . entailment +Additional copies are $ 2 each . Duplicates cost $ 1 . contradictory +There 's not a hint of the 14th century in its splendid western faaade , however . The facade was built towards the end of the 16th century . neutral +Fred Goldman says he doesn 't care about the money , only about the vindication . Fred Goldman just wants to be vindicated . entailment +If granny needed an operation , there went the tuition for junior 's college . The college fund took priority over medical care . contradictory +that 's one thing i did notice uh pharmaceuticals electronics that makes up i mean enough to be like eight or ten percent of their business but um i really don 't know agriculturally they could have so much and they and they don 't they don 't seem to uh i don 't know if i heard they don 't feed themselves or not i don 't think they support themselves agriculturally i found that to be really odd Pharmaceutical electronics makes up eight to ten percent of their business . entailment +Simultaneously , that same urgency of purpose would suggest that the Congress be extremely careful and deliberate in how it creates a new department for defending the country against terrorism . The Congress doesn 't need to worry about terrorism , does it ? contradictory +Bringing this information together , table 3.8 shows the relations among case study applications and design decisions . Case study applications have no relation to design decisions . contradictory +You have to thread your way through heaps of vegetables and fruit sold by farm wives sitting cross-legged on the ground , all the while side-stepping cows browsing on vegetable leaves . An important part of the farmer 's income is generated by the commerce with fruit . neutral +A sidebar profiles nine such firebrands , including Phil Gramm , Sam Brownback , and Rick Santorum . A sidebar profiles nine firebrands like Phil Gramm , Sam Brownback , and Rick Santorum . entailment +and uh we made that decision and uh so she after she had the first baby she stayed home and and we had a second baby and she 's still at home We decided that she would stay at home after we had kids . entailment +Otherwise , you 're overpaying . You would be simply paying too much at that point . neutral +but everybody that was real close to the water ended up it was either that or their truck was going to go floating downstream The water swept away all their belongings and cars too . neutral +His forces made a series of attacks from their bases in the Dodecanese islands , including sinking a Greek naval vessel in the harbor of Tinos Town , but they only succeeded in strengthening the resolve of the population against them . They attacked from their bases in the Greek Islands . contradictory +Other candidates could get sick , says George Van , who runs a financial management business in Nashville . There is no chance that the candidates could sick , as proven by George Van , local financial management business owner and previous doctor . contradictory +This is a bad thing because the exuberance may end in a crash , and the crash may depress the general economy . This is a good thing because it will definitely help the economy . contradictory +But that 's not to say the region east of Hollywood , defined by three freeways and the river , doesn 't have its merits . The region east of Hollywood is slated for some development . neutral +Sheldon Roodman , executive director of the Legal Assistance Foundation of Metropolitan Chicago , said the work these groups do is critical . Sheldon Roodman works for the Legal Assistance Foundation of Metropolitan Chicago . entailment +Shearling fleece looks more like sheep 's wool , with a pebbly texture . Shearling fleece is common in many forests . neutral +Oh , yes , he did ! I ts true that he did it . entailment +Our normal schedule will resume on Monday , Dec. 1 . This coming Monday , we will return to our regular program procedure . neutral +No Longer Sleeping took out his cell phone and entered the code . No Longer Sleeping had a cell phone . entailment +is his office in Plano In his office in LA . contradictory +and oh my God here we go you know i just hate that but I love it ! contradictory +A cascading set of resultsoriented performance agreements is one mechanism in a performance management system that creates a line of sight showing how individual employees can contribute to overall organizational goals . One mechanism in a performance management system is a cascading set of resultsoriented performance agreements entailment +While many organizations have programs to deter and detect fraudulent payments , improper payments resulting from miscalculation and other errors often receive inadequate attention . Many organizations have programs to generate fake details neutral +The boy was on the look out for us , and was just a mite worried about what might have happened to you . The boy waited for you all day . neutral +As the local chamber of commerce hilariously puts It is not only effective for overall beauty , but also for whiplash injuries caused by traffic accidents , and popular with newlyweds . The chamber of commerce locally has observed that it 's effective for whiplash injuries . entailment +Lordy , Mister Kirby , that 's sure somethin ' , it sure is ! That is sure something ! entailment +She flings out her arm , overturning the bed table , and then pulls desperately at the bell . She tried to pull at the bell after swinging her arm . entailment +, First-Class Mail used by non-households to send bills to households ) . The first-class mail is faster . neutral +Unfortunately for the Spanish , the British captured Jamaica in 1655 and henceforth gave the settlement the rather unimaginative name Spanish Town . In 1655 the British captured Jamaica upsetting Spain . entailment +and i don 't even know what they 're doing for themselves you know They are not doing any good . neutral +He 'd read something somewhere about hair clippings and nail parings being used for some strange purpose . He 'd read about people doing strange things with bits of hair and fingernails . entailment +Among India 's nature reserves , this is the best known because of Jim Corbett , the audacious hunter of the man-eating tigers of Kumaon . The reserve is free from any animal . contradictory +For now , that remains the most vivid and pervasive image of Richard Nixon in the American mind . For now , that was the most vivid image of Richard Nixon in the American mind , said the documentary . neutral +In summer , a bus leaves Aoskdar for Kile every hour from 9 : 00 a.m. for the two-hour journey . A bus leaves Aoskdar for Kile every hour from 9 : 00 a.m. in summer and winter . neutral +179 " Tuppence ? " faltered Tommy . Tommy screamed for Tuppence with a loud voice . contradictory +This was the period when nautical marauders variously called buccaneers , corsairs , privateers , and pirates stalked the shipways and bays of the Caribbean . Pirates looked for plunder outside the Caribbean . neutral +Then he realized that there was no window . There was a wall full of windows . contradictory +And in what way do you think you could be of use to me ? The man took a card from his pocket and handed it to her with a bow . " Your cards are useless " she said as she took the mans card . contradictory +To allay Russian concerns , NATO has offered not to deploy nuclear forces in Eastern Europe . NATO said they would not deploy nuclear forces in Poland . neutral +i see so you make it uh to that Longhorns Sooners game every year You always miss the Longhorns vs Sooners game . contradictory +that was about a the interior minister it was a comedy the interior minister of uh in England with the permanent secretary and bureaucracy and all that England has an interior minister and a bureaucracy entailment +but not my earnest , softened gaze as one of your hands touched my face and our two shadows between us fused darkly in the piazza at noon just beyond Dieter or Hans , that June . One day in June at noon , we touched . entailment +That 's what I thought . That 's what I guessed . neutral +Their third surviving son , the Duke of Viseu , Master of the Order of Christ , would change the map of the world . They had five total sons . neutral +Again , why not make such payments a condition of U.S. and international aid packages ? Make the payments unconditional . contradictory +His eyes opened to their fullest extent as he hurried forward to assist Tuppence to alight . He was shocked but upset as he hurried to help Tuppence get down . neutral +assumption is consistent with the strong correlation between national saving and domestic investment that persists even in the context of a global They did not see the being related in any way at all . contradictory +Every American has been in a car crash . All Americans have been in multiple car crashes . neutral +that 's true but i that 's that was one of my favorite subjects in school was uh I couldn 't get enough of science and English in school . neutral +even have a checking account . They don 't have a checking account . contradictory +In the case of acid rain , significant reductions in sulfur dioxide have not corresponded to ecological changes due to continuing high levels of nitrogen . Significant reductions in sulfur dioxide haven 't cause ecological changes to occur so far this year . neutral +Seat prices won 't ruin you . Seat prices will most likely ruin you . contradictory +For example , EPA 's web site provided detailed information on its 1999 proposed rules on lead and lead compounds and other persistent bioaccumulative toxins . To reduce lead , lead compounds , and other toxins in the environment , the EPA 's website listed detailed information about the proposed rule in 1999 . neutral +Health researchers have consistently linked air pollution , especially PM , with excess mortality . Health researchers say air pollution is linked to mortality . entailment +Construction of the Catedral de Santa Maraa ( on the site of a mosque ) began in 1394 . In 1000 the Catedral de Santa Maara was constructed . contradictory +you know uh they uh they 're uh they 're so completely different culturally and socially and Some of their cultures are poles apart , and it 's a wonder they can live together . neutral +The struggle bypassed most of the islands , although there was fierce fighting on Samos . The struggle avoided the islands . entailment +News keeps changing the rules simply in order to change the results . The news constantly change the rules , only so they can change the results . entailment +While the rule has varying compliance dates that are much later than the announced effective date of the rule ( some previously approved products covered by the rule have several years to become compliant with the labeling requirement ) , we do note These requirements have a number of target dates attached to them . entailment +It had never been opened . " It was factory fresh . neutral +) . Mindful of the fragility of truth , and trustful of how a better truth might emerge from experimentation and debate , Dewey thought we might well drop the whole concept of truth and speak more usefully of warranted assertibility . They did not care what they thought they were going to speak their mind . contradictory +Severn dug trenches and holes near the support . There were trenches near the support . entailment +The Secretaries of the services concerned under existing authority in 37 U.S.C. In 37 USC there 's existing authority that the services have to contend with . entailment +No , no , Mr. Cavendish , it is too late now . There 's no time for that now Mr. Cavendish . entailment +With the phasing in of competition and limited experience , the full benefits and costs of deregulation still remain unknown . The full benefits of costs and deregulation are still unknown because the air quality is terrible . neutral +Newspapers said the statistics signaled the decline of marriage and traditional families . Marriage rates have gone down 20 % . neutral +Demi Moore and and uh and the guy who did did the Demi Moore is a bigger star than the guy . neutral +--Byron Swift , Environmental Law Institute , Allowance Trading and Potential Hot Spots - Good News from the Acid Rain Program 31 Environment Reporter , pp. 954-959 , May 12 , 2000 . Allowance trading helped the Acid Rain Program work 30 % more efficiently . neutral +and they had us fill out a long questionnaire we stayed till about one thirty and they 're going to call the ones that they 're interested in from the questionnaire two to three at a time and the trial won 't take place until June The questionnaire took us until one thirty to fill out . neutral +Daisen-in , the Zen Temple Without Equal , contains splendid painted fusuma ( sliding panels ) and wall paintings . Daisen-in is a very somber temple with very few decorations or adornments . contradictory +it 's up to fifty five on the gold card it 's eighty five for the Optima oh i 'm sorry fifty fifty It 's fifty five for the Optima . contradictory +In the last six months of 2001 LSC programs reported providing such other Matters services to over 49,000 people LSC programs provided services to almost 850,000 people in six months . contradictory +It is especially renowned as the last center of training for the city 's most celebrated residents , the geisha . Geisha have never trained there . contradictory +If my comments or reports from the trenches are worthless , nobody will read them and I will disappear from the writing firmament . I did not write any comments or reports during the war . contradictory +The legend has been a part of Jerusalem lore since the seventh century ; the cloth bearing the image is now kept at St. Peter 's in Rome . The cloth was once in Jerusalem . neutral +7,8 The predicted changes in ozone concentrations from the Base Case to the Clear Skies Act serve as inputs to the health and welfare C-R functions of the benefits analysis , i.e. , the Criteria Air Pollutant Modeling System ( CAPMS ) . Changes in oxygen concentrations have been predicted . contradictory +um-hum is it Swift Swift Is it Swift ? entailment +3 ) The appeals court 's decision has nasty ramifications for the entire government . The decision of the court could result in a total collapse of government . neutral +P.S. : A few additional thoughts . I have three additional thoughts . neutral +Guadeloupe 's political capital , Basse-Terre , is much smaller and sleepier than Pointe Pitre . Basse-Terre is not Guadeloupe 's political capital . contradictory +The piazza 's main attraction is the massive 13th-century Gothic church of Santi Giovanni e Paolo , a name compressed by Venetians into San Zanipolo . San Zanipolo is the name locals give to the church of Santi Giovanni e Paolo . entailment +Laundry adorns disintegrating balconies , while in the center of the plaza an incongruous , neoclassical gleaming marble fountain has been installed ( it 's an unmitigated disaster in this atmospheric corner of Old Havana ) . There is a gleaming marble fountain in the center of the plaza . entailment +The other man wore a black hood and cloak . A white hood and cloak was worn by the other man . contradictory +you find that uh to be boring You feel that to be mundane . entailment +An advance notice of proposed rulemaking was published on June 15 , 1990 ( 55 Fed . An advance notice of the rulemaking was published in June on the website . neutral +It was at Fontainebleau that he abdicated in 1814 to go into his first exile on the island of Elba . He spent many years on the island of Elba . neutral +Excess emissions penalty There is a penalty for excess emissions . entailment +From Blois , follow the N152 along the right bank of the Loire before croseng over to Amboise for a brief look at the exterior of the chateau that housed many of France 's kings . Follow the bank of the Loire East from Blois if you 'd like to visit the palace of the ruler of France during the reign of the Holy Roman Empire . contradictory +uh most of the women wear uh most actually most of the women wear suits more than anything else Most of the women wear suits . entailment +Mr. Czarek Pytlasinski experienced an almost invisible tick of the right eyelid . Mr. Czarek Pytlasinski experienced a slight tick of his right eyelid that worsened over time . neutral +The cost is the present value of estimated net cash outflows at the time the direct loans are disbursed . Taking out money from the loan increases the interest rate per transaction . contradictory +Mixing Qualitative and Quantitative Triangulation in Action . Triangulation refers to the narrowing down of certain coordinates in order to learn the center . neutral +Finally , we provide some observations on the relevance this analysis may have for other countries . We are not focused on the implications of our research for other countries . contradictory +And don 't forget calamares , strips of squid , most commonly fried in batter ( a la romana ) a snack or a meal in itself . There are no fried food options to think of . contradictory +of Cronkite and he did a a pretty good job The Huntley Brinkley Report was quite excellent over the years I watched The Huntley Brinkley Report almost every night for ten years . neutral +But the museum 's greatest pride , spotlighted in its own niche on the ground floor , is a portrait of angelic beauty , painted around 1480 by Leonardo Da Vinci , entitled The Saviour . The Saviour was painted by Leonardo Da Vinci . entailment +9 million when the Michigan State Bar Foundation makes distributions next year . The Michigan State Bar Foundation made no contributions this year . neutral +yeah but then again yeah i 'd say it is wrong to invade Kuwait and i 'm not saying President Bush made the wrong decision i think i 'm lacking in my President Bush made the most viable choice given his options , but it is still morally wrong . neutral +and uh it makes the room look remarkably smaller The room looks so much smaller with it . entailment +it turned out my mom was the only one in the family that didn 't want to go because she didn 't play golf or tennis and there wasn 't really a job for her there My mom wasn 't thrilled but she ended up going and learning to play tennis . neutral +I can see it all now . " She closed her eyes with a shudder . She couldn 't even think about it . contradictory +oh gosh and that 's the last they saw yeah That 's the last they saw . entailment +Case 's dedication to helping others doesn 't end at her office door . Case donates to charities . neutral +Applying the Logic of Sample Surveys to Qualitative Case The Case Cluster Method . Applying imagination to the case cluster method . contradictory +DOD 's leadership has come to recognize that if the Department is to make results-oriented management a success , it must train its employees in strategic planning , performance measurement , and the use of performance information . Training employees in strategic planning is one of the things the Department is doing to make results-oriented management successful . entailment +Their inanities only reflect the broader tone of economic debate in a nation prepared to blame its problems on everything but the obvious causes . The nation is not willing to see the real causes of the problems . entailment +you know i 'm so used to saying oh my babies got a hundred and three degree fever and you know just say it 's thirty nine is not just going to sound very bad you know The babies do not have a three hundred degree fever equivalent to 39 contradictory +The built-in internal organs allowed for the development of care-giving skills ( activities : peeing , internal absorption , indigestion , stomach-ache ) . The built in internal organs allowed development of care giving skills and instincts . neutral +just it it it 's because of that i mean that that will divide you divide brothers and sisters quicker than anything its There is clear research on the implications of this . neutral +Entire books have been written about the original mosaics on the five domes and the great barrel vaults separating them , dating from the 11th to the 15th centuries . Books have recorded the mosaics on the five domes . entailment +especially the the violence on it Particularly the crime in the movie . neutral +For animals ? Is that for the animals ? entailment +As she drew nearer and nearer to Hyde Park corner , the temptation to return to South Audley Mansions was almost irresistible . The closer she got to Hyde Park corner , the more she was tempted to go back to South Audley Mansions . entailment +trees or what bushes whatever they are I 'm nearly sure that they are trees . neutral +Half of the banks charge no fees whatsoever , simply satisfied to have these accounts as a significant growing source of inexpensive money to use almost interest-free . There are no fees for half the banks . entailment +Very Castilian in feel , but the views from the terraces and large pool are the chief attractions . The view from the buildings turns a lot of potential customers away . contradictory +well yeah i i 'm going through right now i 'm you know going part time in the evenings and you know i do yeah everything has to be typed i mean they require it you have to type it you know and I attend in the evenings and they required that everything be typed . entailment +We have also taken steps to streamline and expedite our hiring process . The hiring process was streamlined by eliminating candidate interviews . neutral +She 's still working on it , a Pentagon source tells me . She 's working on it , but not very hard . neutral +Many important monuments are beautifully lit at night , making city centers an evening treat . City centers are beautiful when the light plays on the monuments . neutral +He hurries to the despatchcase ” it is locked , and the keys are nowhere to be seen . It is open , let us get in . contradictory +oh okay uh-huh yeah okay okay you too take care bye bye Okay , take care , bye . entailment +Tel Aviv has lots of modern malls on and around Dizengoff Street , but if you are treasure hunting you should visit the flea market in neighbouring Old Jaffa ( see page 48 ) , which is also generally good for arts and crafts . There are a lot of modern malls located in Tel Aviv . entailment +Turgut ? ׺ al , leader of the Motherland Party and former world banker and economist , was elected as prime minister in 1983 , and served until his death in 1993 . The prime minister elected in 1983 was from the Motherland Party . entailment +Yes , talk to me ! The manager yelled back . The manager did not yell but used a quiet voice . contradictory +yeah a lot of kids kids and the cousins really get along with each other they 're all young they 're all i The kids all get along . entailment +and yeah then you have to pay your fee and American Express you 're really it 's not a credit card because you have to pay it off at the end of the month but the fee for that it 's really expensive isn 't it American Express has you pay an expensive fee at the end of every month . entailment +you know yeah well it didn 't hurt and she was more you know we was in a uh it was a play off of a sort i guess yeah we was down in there in North Carolina In North Carolina , we were playing but it didn 't hurt . neutral +1.11 The concept of accountability for public resources is inherent in our nation 's governing processes . The concept of accountability for public resources is inherent in the nation 's governing processes entailment +At least half the pleasure is in the bargaining . Half of the joys from the trip are from the bargaining . entailment +The Cumulative Total MWe shown in Table 6-1 includes facilities that currently are equipped with the technology or are expected to be equipped with the technology as a result of current air quality rules , such as SCRs resulting from the NOX SIP Call as well as the projected retrofits under the Clear Skies Act . If current projections are not met , a fine schedule will be implemented . neutral +Ah , that tickles you up ! It amuses you because you 're simple-minded ! neutral +That is why I am sorry for Robert Reich . I have no reason to be sorry . contradictory +You 'll find small bungalows here , rather than hotel blocks , and a delightful seaside market held on Tuesdays . You will find large hotel chains here , as well as national supermarkets . contradictory +Nature is too good an economist to invest in such frivolities . There 's nothing in nature that isn 't essential . neutral +Many bus tours will take you to the various destinations , and some are accessible by city bus . City buses are dirty and more expensive than driving your car . neutral +sounds like a pretty good show i 'm sorry sorry i missed That show sounds entertaining . entailment +The Encyclopedia of New York states that , after 1935 , Luciano and Lansky took over the Harlem racket . The Encyclopedia of New York has many interesting facts about the city . neutral +The federal government also has sought to encourage personal saving both to enhance households ' financial security and to boost national saving . The federal government also has sought to encourage personal saving entailment +But I knew the answer to the last well enough . Unfortunately , I didn 't know what the answer was . contradictory +3 This paper refers almost interchangeably to rate ( s ) and price ( s ) . The paper does not contain any information about the rate or prices . contradictory +It includes a long , pleated skirt of homespun wool , either black or white ; an apron with complicated patterns ; a fine silk , long-tasselled shawl over the shoulders ; and a big lace mantilla over the head , with hair braided down the back , sometimes tied by a schoolgirl ribbon . You can wear whatever you want . contradictory +You 've seen this sort of picture People get drunk and drag skeletons out of closets , and the tension between the formal dinner party rituals and the truths that simmer beneath the surface give way to a Walpurgisnacht . The anti-patriarchal content is fairly routine , but you should see the movie anyway because the director , Thomas Vinterberg , is a great , hypersensitive filmmaker whose edgy , grainy , caught-on-the-fly camerawork seems to make the very celluloid shiver with rage . Thomas Vinterberg is an outstanding film director and producer . entailment +The plaintiffs claim Penrose 's design is distinguished by its aperiodicity ( the pattern almost but never quite repeats itself ) and its five-fold symmetry ( a trait that at the time was thought not to exist in nature but has since been identified in certain crystal formations ) . The design contains five fold symmetry and aperiodicity . entailment +and just because they had had a couple of bad seasons and you can 't even attribute those bad seasons to bad coaching Bad coaching had nothing to do with the bad seasons . entailment +Lance Morrow of AOL-Time Warner asked . Lance Morrow attended an informational meeting and asked questions on behalf of AOL-TIme Warner . neutral +we did we did last night uh some real massive thunderstorms There was no thunderstorm last night . contradictory +Wild Thing do you remember that that song he used i can 't remember who the artist was on that I think the artist may have been John , but I can 't remember . neutral +i see yeah you do a lot more area than i do i 've all the rest of my yard backyard is uh you know pool and decking it 's all the dirt i have left in my backyard You do a lot more area than I do . entailment +and the the lady is very pleased you know she says it 's got everything she want 's you know thinks she 'll ever want in a house and it was several thousand dollars less than the one that they sold so The lady is extremely disappointed with the house . contradictory +The preamble to the final rule notes that the rule has been reviewed in accordance with the provisions of Executive Order No . There is a note in the preamble stating that the rule has been noticed and reviewed . entailment +i believe we 've pretty much summed everything up I think that just about does it . entailment +It 's easy , said Adams , 25 . Addams had enough knowledge to decipher neutral +The preamble points out that the number of responses and burden hours associated with the collections are greatly reduced because of the streamlined procedures now available to bank holding companies under the final rule . The number of responses and burden hours are less now . entailment +yeah you 've had more freezing this winter or this yeah winter i think It 's strange that there was more freezing over here this year , since you usually get much more freezing . contradictory +Psychics ( generally not psychic ) oblige . Psychics that are generally not psychics do not oblige . contradictory +With any luck , the human security wouldn 't pay too much attention to somebody going out . The human security hopefully wouldn 't notice . entailment +Women are doing great work nowadays , and Mademoiselle Cynthia is clever ” oh , yes , she has brains , that little one . " Mademoiselle Cynthia has demonstrated a near-complete lack of intellect and wit during her studies . contradictory +that there there should be agreement agreement There should be an agreement . entailment +and uh Larry Bird 's talking about retirement here i guess in another year Larry Bird will retire next year . neutral +The Morant Bay rebellion of 1865 was led by Paul Bogle and supported by George William Gordon ( after whom Gordon House , the Jamaican seat of Government , is named ) . Paul Bogle refused to be involved with the Morant Bay rebellion , and fled to the United States instead . contradictory +so anyway i did join the uh uh the Texans up at uh I joined the Texans teacher association . neutral +That 's why the chief food technician in the leading dairy cooperative in the country was reclining behind a giant mixing vat and desperately wanted to forget about the negative stimuli on his nerve cells caused by the 83 kilograms of his body . The chief food technician has 83 kilograms of his body causing negative stimuli . entailment +( No , wait , that 's how you get out of accidentally bombing somebody 's embassy . ) The embassy was bombed by an allied nation . neutral +Breakfast coffee ( caf ? ? con leche ) is half coffee , half hot milk . Cafe con leche is 100 % black coffee . contradictory +The mountain with the lion 's head looked up helplessly as the iron-jawed pit fighter hung over him with his club poised to crash down . The pit fighter stood behind the mountain with a bow and arrow . contradictory +Economic logic suggests that in the long run such countries , if they can put their inflationary histories behind them , have no business adopting the currency of a faraway country which will not take their interests into account . Such countries have interest in businesses who adopt the currency of a faraway country . contradictory +yeah i think we were all pretty much uh Astros fans in the in the National National League Championship Series but there 's like two fellows The man thinks that they were all Astros fans in the Championship . neutral +Will you please just calm down and explain things to me properly , before I crack your head open and scoop out the information for myself ? ' I am frequently prone to hyperbole and violent measures . neutral +Europe 's first paper was made here in the 11th century . Europe never made any paper in the 11th century . contradictory +Under the best-case scenario - if IOLTA is upheld - we are projecting a $ 1 . We think that the value in the best case scenario will be $ 1 . entailment +The re-emergence of Pol Pot is a landmark moment in celebrity At last , someone who cannot be forgiven . Recent depictions in the media brought Pol Pot back to the public eye . neutral +Yet her hatred of Inglethorp seems almost a mania . Her love for Inglethorp was undying and eternal . contradictory +Ries commented that educational videos in waiting rooms can be helpful . There should be educational videos in waiting rooms . entailment +Suddenly I start to do better and you want to debate every day . All of the sudden I do worse and you do better and we never debate anymore . contradictory +Meanwhile , private bar campaigns quadrupled their fundraising from $ 5 . Private bars were made primarily for the rich to enjoy . neutral +yeah i was i had a pretty neat job i got to meet all the big wigs used to fly with the president and all that stuff um Collin Powell is one capable guy Being able to meet the big wigs was the best part of my job . neutral +no no they have their own budget they go by I don 't know if they have a budget contradictory +Instead , the payment constitutes a General Fund subsidy of the SMI trust fund . The payment is substantial neutral +and i said like yeah well unless you 're selling car with hail damage and flood damage i got the car off your lot for that price There was no damage to the car neutral +July 27 , it voted 27-11 to pass the first article of impeachment , which focused on obstruction of justice : paying hush money to the Watergate burglars , using the CIA to block the FBI 's Watergate investigation , lying to Congress and to investigators , and otherwise covering up crimes . The first article of impeachment was approved . entailment +AMS received more than 275,000 comments on the rule , which were assigned key words to facilitate subsequent analysis . The comments were received by AMS , but they were not recorded for analysis . contradictory +and uh then there 's others who is uh-huh lots better off Others have less money . contradictory +Proponents say the treaty will suffer a fatal loss of credibility if the United States opts not to join . The treaty will no longer be credible if the US drops out . entailment +One sacred symbol , which is at odds with their peaceful lifestyle , is the labrys ( double-headed sword ) . The labrys symbolizes the current turmoil existence . contradictory +right what did you think of the news coverage of the war Did the news do a job in covering the war ? entailment +One wing of the house is open to the public , and the estate also supports a 50-hectare ( 125-acre ) deer park . Visitors are able to visit one wing of the house . entailment +I 'll be back in a couple of shakes with a few inspectors along . I will take my time when I go to get the detectives . contradictory +Our VBA work was conducted at VBA 's regional offices in Los Angeles , CA ; Muskogee , OK ; and Phoenix , AZ . The VBA has regional offices in multiple states . entailment +There was the simple ritual of giving a secret name . There was no known way to give someone a secret name . contradictory +I hadn 't a suspicion of you ! I 've suspected you from day one . contradictory +6.6 During the planning stages of an attestation engagement , auditors should communicate to officials of the audited entity and to individuals requesting or contracting for the services information regarding the nature and extent of testing and reporting , including any potential restriction of reports associated with the different levels of assurance services , to reduce the risk that the needs or expectations of the parties involved may be misinterpreted . To increase the risk that needs or expectations of those involved is misinterpreted , auditors are uncommunicative . contradictory +The preamble to the final rule discusses the comments received and the actions taken upon them . The process for comments received and actions taken is already written . entailment +They can supply equipment and extra insurance if you need it . They are honest people , so most people choose to buy gear from them . neutral +Last stop is Anadolu Kava on the Asian side , overlooked by a castle built by the Byzantines . The castle was built by the Byzantines in 1101 a.d. neutral +Level LSC funding , census-related cuts in many program budgets , downturns in IOLTA and state government revenues made this past year one where LSC support for resource development was essential to the vitality of programs and state justice communities . LSC funding is not affected by reduced government revenues . neutral +so i guess they don 't have a drug problem over there huh The crime rate and gun shootings is at an all time high over there . contradictory +A singularly handsome woman . The most handsome woman ever . neutral +Makes you wonder why no one thought of it before . I wonder why no one thought of fixing the telephone that way before neutral +One recurring image in anti-cloning propaganda is of some evil dictator raising an army of cloned warriors . Anti-cloning propaganda features both male and female cloned warriors . neutral +I 'll drop this on the road if I get a chance . I 'll keep this with me at all times . contradictory +The constraint of maintaining constant popularity is simply too large a burden to bear . Maintaining constant popularity is not a burden . contradictory +Slate ' s Web site might be at the moment , and how clogged your local-area network might be . You have no local-area network . contradictory +and uh we were never much of uh a very uh family thing you know may like go skiing in Vermont or something Some families go skiing in Vermont on breaks . neutral +: The Iron Jaw and Adrin 's Return Adrin and another come back . entailment +Chusonji was erected by the Fujiwara family when their power behind the imperial throne in Kyoto was waning . The Fujiwara family 's power had declined as Japan became more unified . neutral +Similar tours are led by Nature 's Way , an organization based in Eilat . Nature 's Way leads the best tours of all . neutral +When you consider how large a role economics plays in our national debate--and how much of the public discussion of economics is dominated by cranks and poseurs--seeing a serious economist like Barro get offered what is still , by private sector standards , a fairly modest paycheck doesn 't seem particularly out of line . Barro is a writer who specializes in art history . contradictory +Both men had sped up without discussion . They didn 't talk about going faster , but they did . entailment +and there 's been arthritis and he 's been out for a number of of seasons games and it just as of announced today the Kansas City Royals put him up on waivers made him a free agent so they 're saying now that Bo knows arthritis and it could be actually a career ending injury It 's possible he could continue playing with his arthritis . neutral +The board overseeing the state Office of Crime Victim Reparations [ CVR ] has voted to deny a stopgap funding request from the two organizations . The board approved stop gasp funding to the organizations contradictory +It was a mortal sin to worship with non-Catholics before Vatican II . Worshipping with non-Catholics was a mortal sin . entailment +4 . How Does Saving Affect Future Budgetary Flexibility ? Savings affects budget flexibility . entailment +to strengthen information security practices throughout the government . The information security was strengthened . entailment +eventually yeah the first two cars i ever bought um well uh i 've i 've bought three cars and i 've i 've always bought them new the first car i kept for thirteen and a half years and got a hundred and sixty one thousand out of it I have two other cars that are seven and six years old . neutral +Life was governed by seasons of planting , tending , and harvesting . No agricultural tasks were a regular part of society . contradictory +Newsweek ' s cover package , pegged to the release of Steven Spielberg 's film Amistad , assesses the legacy of slavery . Newsweek interviewed Spielberg about the film Amistad . neutral +Information sharing occurs primarily through quarterly meetings that typically include 175 Agora members . Information sharing is primarily achieved through weekly business calls among shareholders and senior management . contradictory +When they began playing , they never thought soccer careers would amount to anything like the month-long World Cup extravaganza or women 's soccer 's debut at the ' 96 Atlanta Summer Olympics before that . At he beginning of their career they did not think that major events would happen for them . entailment +So , he said after a while , which in most cases meant it was OK . Most of the time , it was fine . entailment +women are not allowed to wear slacks she wears coordinated suits Though women aren 't permitted to wear slacks , she still wears them . contradictory +You take this stuff and stick it in the cage . Take this stuff and use it effectively by putting it in the cage . neutral +Relations were better with Chinese and Indian merchants than with the Muslims . Their relationship was worse with the Muslims than they were with the Chinese and Indians . entailment +they just averaged it all out but most kids stay until about six so it will be about ten dollars which will cover the ride and cover the hours you stay It is ten dollars to cover the expenses of employee uniforms . neutral +However , the Committee has been made aware of concerns that LSC has attempted to impose its own reconfiguration plans on certain States without clearly articulating standards for such decisions . The LSC thinks the Committee is doing a great job and has no comment . contradictory +my uh my roommate is a uh he 's getting his doctorate in industrial well it 's not industrial engineering it 's human factors his degree was in uh you know industrial engineering My roommate is one of the smartest people I know . neutral +especially especially when they finish all the construction out here and we didn 't want him to let you know to like we had some job offers in the New York area and we thought well you know he would be really commuting We had some job offers in the New York area but the commute would have been extreme . entailment +Here are three fine first-century b.c. tomb monuments . Here is one monument . contradictory +yeah and you know but it 's my brother goes everybody in my family had to do it and they go you know it 's just a year and a half of your life that 's that 's totally wasted you don 't do anything else there 's no time and you don 't do anything The process is only two months long and you can do other things during that time . contradictory +Some people feel that , found in most browsers , are a security hole , but I strongly disagree . I agree that security holes are found in web browsers . contradictory +well sure that but that 's a that 's an impossibility i think I don 't think there is a way that could be done . neutral +In pointing to the way Wall Street now values industrial companies and other traditional businesses , I was trying to show that in fact investors , at least , have a great deal of respect for the manufacture of useful goods and vital services and not the glitter of instant wealth ( Internet fever aside ) . I was trying to show how disrespectful investors were . contradictory +But I 'm not going to recant my first response . I wholeheartedly support what I said the first time and I am proud of it . neutral +They felt the additional filing fee would not prevent people from being able to file lawsuits , Crocker said . The additional filing fee will prevent people from being able to file lawsuits . neutral +but she 's she 's usually pretty good She 's usually doing well . entailment +One of the men in the clearing began to rise upwards slowly . There was a clearing where a man started to come up . entailment +Actor Charlie Sheen 's latest accessory is an electronic monitoring device , and he was ordered by a Malibu court to enter drug treatment , according to the Associated Press . Charlie Sheen appeared before a Malibu court for a drug related case . entailment +There are three ancient gates into the city , and hist- orians claim the Carthaginians initially constructed a wall here , though there are no remains of it . The wall was demolished in 1567 . neutral +um-hum well i know that Russia they 're they 're comparably more educated better educated than we are in our country Russians all have terrible educations . contradictory +The visitors ' center ( 685 South Figueroa , 213-689-8822 ) provides information on the historical sites of the district , including theSevila Adobe ( the first house in Los Angeles ) , the Old Plaza Church , and the shady plaza with its wrought-iron gazebo . Information on the districts of historical sites can be found at the visitors ' center . entailment +The Dutch , however , being nonproseytizing Protestants , were allowed to stay on throughout Japan 's centuries of isolation . The Dutch didn 't try to convert the Japanese into Protestants so they were allowed to stay through the isolation . entailment +The severability question here is , essentially , whether , without the restriction that the Court today invalidates , the permission for conducting welfare litigation would have been accorded . Welfare litigation will be affected by the Court 's decision . entailment +Are you actually supposed to keep track of the trades where you don 't make money ? Should you really keep a record of the trades where you don 't make money ? entailment +probably ten cultures of people and and that 's they don 't all have their own country and and some of them are mad about it No one has lost a country to call their own is upset . contradictory +Wal , that ain 't no hair off m ' skull . Well , that 's a really big deal to me . contradictory +Once or twice we came upon the remains of slaves who ran . Some slaves that had run were shot as they fle . neutral +It was 1961 , Bob Devaney 's first year as coach . Bob Devaney did not start coaching until the late 1990 's . contradictory +exactly right well no and you and you wanna encourage them you know to to be active and everything in school but uh you know with all the peer pressure that 's going on with all the negative things it is uh it 's a tough environment to be growing up in You want them to do more than just sit on the couch . neutral +The old laboratory is still intact , and there are exhibits on Chinese pharmacology and the history of medicine in Hong Kong . The lab is dedicated to medicine and features exhibits to look at . entailment +On the western side of the boulevard is the Dataran Merdeka ( Freedom Square ) . Dataran Merdeka is also known as Freedom Square . entailment +Standards Australia International Limited is an organization with principal activities focused on business-to-business services based on the creation , distribution , sharing , and application of knowledge using a variety of technologies . Standards Australia International Limited focuses on the use of technologies for application of knowledge . entailment +On days like that , at the end of the bio-weather cycle phi-alpha , the greatest number of people committed suicides and accidents of all kinds were at an all-time high . When it was a day like that , less people tended to kill themself . contradictory +Also on the Strip , The Fashion Show Mall was for years the only high-fashion shopping source for tourists and residents with excess cash . The Fashion Show Mall only recently became popular . contradictory +Under GPRA , agency strategic plans are the starting point for agencies to set annual goals for programs and to measure the performance of the programs in achieving those goals . Under the previous managers it was unorganized . neutral +Just across the border is the huge Lo Wu Cityshopping mall , to which you can walk ; other shopping malls are nearby . There are several malls in the same part of the city . neutral +and we 've i had having both of them natural the first one was natural and going natural the second and and it was it 's rough but it 's not as as bad as i thought it would be I delivered both via c-section contradictory +And people in Washington threw up their hands in alarm and said , ' My goodness , he attacked the chairman . Some people in Washington thought he attacked the chairman . entailment +you can get yearly money as long as you keep up your grades she she did very well in school and uh but she only got first year money she got about two thousand dollars it was only five hundred dollars at a clip from this organization She did poorly in school and didn 't receive any money at all . contradictory +Hey , there it is again ! I don 't see anything . contradictory +This is a time to support apartheid because it is unfashionable . Apartheid is fashionable and hip to the masses . contradictory +--Dimmer Than a 10 Watt Bulb Much brighter than a bulb that pulls 10 watts . contradictory +This town is another good centre for a family holiday . The town is overrun with tourists every July . neutral +You don 't want that They believe you want that . contradictory +Take time , mon ami . Don 't rush on my account . neutral +A Cummins representative stated that not using prototypes becomes a matter of pay me now or pay me later , meaning that it is far less costly to demonstrate a product 's design early in development with prototypes , concepts , and analyses than to incur the cost of significant design changes after a product has entered production-a much more costly environment to make changes . A representative from Cummins never participated in any talk about product design . contradictory +holidays too that 's pretty funny it 's funny that we have as a society Holidays are no laughing matter . contradictory +Free for the blind mail would continue to be available only if the Government continued to provide a subsidy to support it . The Government provides a subsidy for blind mail . entailment +Role in Computer Assurance and Its Relationship The part in Computer Assurance . entailment +I myself , in company with the police , went to the deceased 's room , and whilst there I , apparently accidentally , knocked over the table in question , but found that , as I had expected , Monsieur Hastings had heard no sound at all . I intentionally knocked over the table , and Monsieur Hastings heard the noise . contradictory +Finally John Cavendish , finding his persuasions of no avail , went off to look up the trains . John Cavendish kept on persuading , until they accepted . contradictory +55 Under federal regulations , a general medical consent form is not sufficient . The general medivsn form gives note than enough contradictory +how many hundreds of thousands of taxpayer dollars Hundreds of thousand private funds from interested sponsors . contradictory +And what makes Chatterbox think he knows all about the Clintons ' chilly business deal either ? Chatterbox loves to talk about how the CLintons make their money . neutral +Dutch World , where all sorts of fictional characters created by Edmund Morris come out to play with children of all ages ! Children enjoy going to Dutch World and interacting with Edmund 's fictional characters . neutral +Controls should also be aimed at validating the propriety and integrity of both organizational and individual performance measures and indicators . Controls shouldn 't be aimed at validating the propriety contradictory +The information required by paragraph 603 ( b ) ( 4 ) concerning an estimate of the classes of small entities subject to the requirement and the type of professional skills necessary for preparation of the required report is contained in the preamble under the Paperwork Reduction Act section as permitted by section 605 ( a ) . The information required by paragraph 603 ( b ) ( 4 ) is not in the preamble under the Paperwork Reduction Act section . contradictory +and uh i think it was about two hundred dollars or something like that it was a very powerful machine The machine cost us around two hundred dollars . entailment +The Nileometer is also situated here . The Nileometer is one of many attractions here . neutral +West Bow ( said to be so named because it was within a bow 's length of the castle walls ) and Candlemakers Row are streets leading away from Cowgate Head , at the end of Grassmarket . The two streets , West Bow and Candlemakers Row , are very far away from the castle walls . contradictory +All these wills are very confusing . All these wills are quite clear . contradictory +Teamsters arrive in tractor-trailers , honking feroiciously . A lot of noise were made by the truckers when they arrived . entailment +shop and ordered eggs and bacon and coffee . Ordered breakfast foods . entailment +If a pulsejet FF ( PJFF ) is used downstream , the sorbent injection rate can be reduced to about 4.6 lb / MMacf . PJFF stands for " pulsejet FF " entailment +You must see I 'm not such a kid as to leave you here . I 'm not so irresponsible that I would leave you here , surely you know that . entailment +but i enjoy doing it more when i 've got other people with me than and i usually do it because i want to because i know it 's good for me not because you know i don 't i don 't feel obligated to do it and i enjoy it I usually have a group of friends that I do it with . neutral +comes from direct emissions from a variety of sources . ) A variety of sources emit some substances . entailment +However , he thought the human subjects aspect might not belong , because human subjects issues will not affect screening and intervention on a daily basis in the clinical setting . He thought the human subjects aspects belong in clinical settings . contradictory +yeah it seems anymore for cars or they want want so much to work on a car we 've had our car in the dealer or our van and they want they charge like forty five dollars an hour labor Car dealers charge $ 45 per hour to work on our van . entailment +be the United States ' first coast-to-coast bank , operating in 22 contiguous states from Washington , D.C. , to Washington state ; Washington D.C. and Washington state are not next to eachother . entailment +he writes the uh action series He writes children 's books about pets . contradictory +The FDA has concluded that the rule will have a significant economic impact on a substantial number of small entities and an initial regulatory flexibility analysis and final regulatory flexibility analysis have been prepared and included in the notice of proposed rulemaking and the final rule notice , respectively , as required by sections 603 and 604 . The FDA came to this conclusion in the summer of 2001 . neutral +'Hmmm . ' Ben grunted . Ben made a sound at me . entailment +There 's nothing left . There was lots of stuff left to look at . contradictory +He expanded the ranch and irrigated the land so that it would support crops and cattle . He sold off the ranch to buy an apartment complex . contradictory +something with uh a cuisine that 's a little bit you know more sophisticated like an Italian or French restaurant or something like that Something a little more sophisticated and worldly like Italian , English or French cuisine . neutral +Davis L , Jr . , Morse R. Self-Administered Alcoholism Screening a comparison of conventional versus computer-administered formats . Self administered alcoholism screening takes at least 40 minutes . neutral +that 's true well i hope I really hope that it plays that way . neutral +Yet another convention . There will be no more conventions . contradictory +I am reluctant to dignify his hatchet job with a lengthy reply , but some of his claims are so defamatory that they should be addressed , if only for the record . The defamatory claims are all about the current state governor . neutral +I 'm just as good as them . I have skills in many things . neutral +Serbian and Croatian minorities complain they will not get a fair shake in the Muslim-majority state . Serbian minorities don 't think they will be treated fairly in the Muslim state . entailment +What about homeless people ? What do you say regarding rich people ? contradictory +Look for the elaborate oriental lines of the Mosque of Abu El Abbas on your right . The elaborate oriental lines weren 't actually intentional , but a gift of nature . neutral +sounds like you 're you 're very responsible very financially responsible it 's uh You 're clearly financially responsible with your credit cards . neutral +yes um-hum uh but you know back to the idea of parents i my my personal feelings is that parents need to be taking more responsibility i think the way i like to look at it you know a lot of people look at well whose job is it to teach the kids well it 's the school 's job i think whose job is it to teach the kids well primarily it 's the parents job Educating children is school 's responsibility , not something parents should have to do . contradictory +Reprimands can come from the associations or from colleges and universities themselves . Reprimands can only come from colleges and universities . contradictory +yes yeah yes um yeah yeah i kind of think maybe in time that you know you 'll go by social security numbers you know and that way they can 't say well they picked the male over a female or female over a male you know you yeah yeah Your social security number and gender will be used to get an employment position . contradictory +Of course , we might do something about it , if you really converted . Naturally , something may be done about it , if you actually converted . entailment +But a combination of remarkable communal solidarity and determination coupled with extensive private- and public-sector investment lie behind a recovery that is nothing short of astonishing . Sadly , the area remains squalid and uninhabitable . contradictory +Lots of nonsense written , though . There isn 't much sense in this writing . entailment +i 'm sure you could of uh-huh uh-huh No way that is possible . contradictory +MALS has appealed to the legal community for funds and greater commitment to pro bono services - donating their expertise to the needy . There is need for more pro bono funds and services in order to help the needy . entailment +I close my eyes . I didn 't want to see what was there . neutral +In a sunny sheltered basin high in the Boite valley of the eastern Dolomites , it provides excellent skiing facilities as well as skating and bobsledding . The Boite valley is part of the western Dolomites . contradictory +This is what has happened in the eastern part of the country when states realized that emissions from sources in other states were significantly contributing to their 1-hour ozone non-attainment problems . They also realised that other states were contributing to their 2-hour ozone problems , too . neutral +How soon , and how 59 contemptuously , I had dismissed it from my mind . It wasn 't worth thinking about . neutral +Prophet Mohammed 's Birthday is commemorated by processions and public readings from the Koran . Prophet Mohammed 's birthday is celebrated by many families . neutral +Pistols ? This seemed to interest Adrin . Adrin was a collector of pistols . neutral +Russia 's program places advertisements on its rockets , and allows its cosmonauts to film Russia pits advertisements in rockets and allows their astronauts to film . entailment +yeah yeah yeah something like that uh i got a whole bunch of bulbs along with this stuff so i 'm going to wait on those I have many horseshoes and easter eggs . contradictory +there is convoluted logic for you There is no logic for you . neutral +Why do you still keep me with you ? " Why do you not let me go ? entailment +The taste of bile hung in his throat . He had a bad taste in his mouth . entailment +For example , one state has a strategic planning forum that brings together major stakeholders statewide to identify strategic and tactical issues , including IT issues confronting the state . The strategic planning forum does not address stakeholder concerns . contradictory +The best way to view the Blue Mountains is to drive from Buff Bay on the north coast down to Kingston on the B1 highway , although the road can be impassable after a heavy rain due to landslides . The Blue Mountains cannot be seen by the human eye . contradictory +right exactly and it seems a shame to have all that equipment but uh not do anything with it but one day i hope to do more We need more equipment to get this job done . contradictory +The collections are dedicated by law to a special fund whose receipts are made available by permanent indefinite appropriation to finance Customs Service operations . The collections aren 't dedicated by law to a special fund contradictory +By the end of that one-hour lunch , he had listed off at least 20 projects - not the least of which was a new shelter -- and was sitting there waiting for me to respond . At the conclusion of the hour long meal , he had mentioned around 20 projects including a new shelter and patiently expected me to reply . entailment +they 're gonna put us under if we don 't become part of the new world order next year the United States if we don 't i mean we 're going to be in big trouble because when Europe unites unites that 's why TI 's building plants in Italy because they 're going to have power like we can 't imagine If we do not join the new world order we will be put under , Italy is going to be extremely powerful . entailment +uh but in a in a innate music sense there just seems to be something missing there which is always frustrating for me since i have pretty high math aptitude and i keep thinking gee i thought that all the math and music people are supposed to go hand in hand but but it doesn 't for me I am mathematical , so it is annoying when music is not mathematical . entailment +Bill Parcells yeah my sister 's boyfriend looks like him He even sounds a little like him . neutral +The dust fills a man 's lungs , stealing years off of his life . The dust that enters a man 's lungs can actually add years to his life . contradictory +But now , as I strolled out on the lawn , still nursing a grudge against my friend 's high-handedness , I saw Lawrence on the croquet lawn , aimlessly knocking a couple of very ancient balls about , with a still more ancient mallet . I found out that Lawrence was an excellent croquet player . neutral +there 's lots of shades of greens Green doesn 't have many shades . contradictory +oh he just like totally sarcastic and hilarious and i don 't know i 'm a lot like him in a way so I am sarcastic and hilarious , just like him . neutral +A man like myself is bound to attract notice . Men like myself are invisible . contradictory +yeah and i mean one day you know i might be able to get I could buy a motorcycle one day . neutral +yeah and i mean one day you know i might be able to get I might be able to get it one day . entailment +King Felipe II ordered El Escorial built in celebration of Spain 's victory over French forces in 1557 at the battle of St. Quentin , in France . El Escorial was never completed . contradictory +Get out and explore the streets , the open markets , the cafe . Stay far away from the streets , the cafe , and the open market . contradictory +yeah well they just they seem to make it so easy to save you know one of the things that we 're doing which is probably the worst investment in the world but i 've got money coming out to buy savings bonds just coming straight out of my check and it 's probably not a great investment but if i wasn 't doing that the money wouldn 't be being saved anyway you know i kind of have to trade off you know if you never see it you don 't spend it so and it 's They just seem to make it so hard contradictory +For a sense of the historic neighborhood 's old splendor , start on Piazza Ges ? ? Nuovo , with its characteristically extravagant Baroque Immacolata column ( guglia ) in the center . Piazza Ges is located in the historic neighborhood . entailment +having hurt my wrist . Having not scathed my wrist at all . contradictory +not even a uh uh billy club or huh what 's the purpose of that so they can 't take it They don 't carry billy clubs in case someone steals one ? entailment +crowded , busy venue may allow a level of privacy that addresses the shame and stigma many individuals feel about problems related to alcohol misuse and abuse . A crowded , busy venue may allow some level of privacy as individuals don 't feel like they are the center of attention . neutral +Initial assessment For each performance objective in their individual performance plan , senior executives receive an assessment of achieved results , minimally satisfactory , or unsatisfactory . Senior executives receive an assessment of achieved results for each performance objective , that is minimally satisfactory , or unsatisfactory . entailment +No , Felik . Felik , no . entailment +Stewardship land shall be reported in terms of physical units rather than cost , fair value , or other monetary values . Physical units are the preferred terms of reporting stewardship land . entailment +The bad moment has passed . It was a terrible moment that lingered . contradictory +Israel and the Israelis Israel and the Israelis entailment +yeah just something like that for you know uh end of the evening type of thing but uh Just a little something to start the morning with . contradictory +Social conventions change slowly . It takes years to even notice a difference in social conventions . neutral +Water gushes down from the mountains ; some is diverted to hydro-electric stations , but a lot simply drains off into the sea , splashing off passing cars like a natural car wash or amusement-park ride . Some of the water gushing down the mountains is used for hydro-electricity . entailment +How else can people understand tragedies such as Littleton , in which normal middle-class kids are not playing baseball or flirting with girls or even duking out their differences after school on the playground ; they are nursing monstrous visions of murder and mayhem , while building bombs in their clueless parents ' garage . In Littleton , normal middle-class kids are engaging in harmful activities , like building bombs in their garage . entailment +Rehfeld , reached yesterday between emergency runs caused by the heavy snowfall , said critically injured firefighters and rescue workers often must hire others , such as plumbers and yard workers , to help maintain their homes during periods of convalescence . Rehfeld couldn 't be reached . contradictory +The old bird-cage lift will take you up to the second-floor museum for a look at the suite used by Ataturk . The bird cage lift has been in service for ten years . neutral +In the short term , readjustment hits EITC , Social Security , WIC , food stamps , and school lunches , says Dean Baker of the Economic Policy Institute , but in the long term , taxes will be 30 [ percent ] or 40 percent higher . Dean Baker says taxes will go up . entailment +what uh how they develop uh what the candidate stands for the you know the views and uh The views of the candidate and how they develop . entailment +For a moment they were all still as if sight of the weapon had frozen them . They froze while they waited to see if they were safe . neutral +who do they of course you know Mike Marshall was the big guy the year that uh uh they won the World Series and Kirk Gibson Who who are are the Dodgers big RBI guys now Mike Marshall was one of their best players . entailment +Diving is virtually always The rips , currents , tides , and giant predators of other seas scarcely exist . Diving does not offer any new sights of experiances . contradictory +But the southwest 's growing need for water , combined with Las Vegas 's fortuitous proximity to the Colorado River , would give Las Vegas a second chance to achieve prosperity . Water did not play a large role in Las Vegas ' history . contradictory +The waterfronts at Repulse Bay and Stanley are lined with good cafe and restaurants . Repulse Bay 's restaurants are renown for their fresh lobster , shrimp , and clams . neutral +I requested these records in writing on July 18 , 2001 , in accordance with section 716 . I requested these records in accordance with section 716 . entailment +okay good luck in your car hunting uh-huh bye-bye Okay , all the best in your search for a car . entailment +well yeah you work for TI uh they say that 's due to their work ethic now i don 't know if that 's true or not it just might be a matter of luck It could be luck or their work ethic , but I 'm glad they 're working there . neutral +Unfortunately , while no one wanted the clothing , the act of tossing it into the street drew no little attention . Many people noticed the clothing being thrown into the street . entailment +of course you have to get there early if you want to get anything Being there early is the only way to get something . neutral +Many of the inhabitants live by choice , not necessarily through economic hardship on the water , aboard houseboats or in houses on stilts in the main creek . The houses on stilts sometimes sink into the creek . neutral +so no wonder you like sports so you were a physical education teacher You taught physical education and like sports . entailment +I was high enough up in the department to be sure nobody was going to call me out ... except for this particular Tuesday , when I got hauled into my manager 's office and glared at by beady eyes behind little wireframe glasses . I had a high enough rank in my department that I wasn 't concerned of being called out . entailment +Gentilello clarified that he had not criticized the peer-review process , but that panels reviewing alcohol interventions in EDs should include representatives of emergency medicine . Gentilello later got in a fist fight with a psychiatrist in the parking lot . neutral +This report has some value but it is not as valuable as it once was . This report is helpful , even moreso than it used to be . contradictory +Your daughter won 't call him Dad , which he wants ; and he won 't permit a first-name address ( which is perfectly acceptable ) , which is what she wants . She wants to call him by name and does not want to address him as Dad . entailment +The Adriatic coast , of which Rimini is the chief resort , has wide sandy beaches , at some points stretching 300 m ( 1,000 ft ) from the water 's edge back to the dunes . There are white beaches on the Adriatic coast . entailment +The Scottish National Gallery of Modern Art , founded in 1959 , occupies the site of the former John Watson 's School , a neoclassical building dating from the 1820s . The Scottish National Gallery of Modern Art was founded in 1990 . contradictory +The TIG program specifically addresses the development of state technology plans by providing , through TIG grants , technical personnel needed to assist programs in using technology to deliver services to clients as effectively as possible . The technical personnel assisting with these programs are grateful for the availability of the grants . neutral +Although we live in a time of great economic prosperity , there are currently still 34 . We live in a time of economic uncertainty contradictory +As we explained in our June 22 letter , the Counsel failed to supply any evidence from the statutory language , legislative history , or case law to support the assertion that Congress intended the phrase existing law to exclude the Constitution , the highest law of the land . The Counsel could not produce proof to support the assertion . entailment +In the very early morning the park is taken over by people doing tai-chi exercises . There are crowds doing tai-chi in the park in the morning . entailment +Jon reloaded his guns again and holstered one to draw his rapier . Jon 's guns were reloaded . entailment +Note that indulging in these highly stylized opening theatrics is a privilege of top-ranked wrestlers only . Only the best wrestlers take part in the theatrics . entailment +Army Corps of Engineers ' Civil Works Directorate 's Operation and Maintenance Program is responsible for the stewardship of dams , levees , and other parts of the water resources infrastructure constructed by the Corps . No part of the army oversees levees , just dams . contradictory +Horton told Playboy magazine in 1989 that a woman who identified herself as working for an organization affiliated with the Bush campaign phoned him and wrote letters to him up in prison trying to get him to endorse Dukakis . Horton said someone tried to get him to support a certain political candidate . entailment +Golf and tennis are also available in Orange County as well as in the desert communities in and around Palm Springs . One can play golf in Orange County and Palm Springs . entailment +Also on the premises are a nightclub with a floor show and an art gallery . The art gallery is the main attraction of the premises . neutral +This covers a broad range of data from purchases , subsidies , and other transactions to data on fixed assets , inventories , and receivables . The government handbook outlines guidelines to follow when dealing with subsidies and purchases . neutral +But he was , to some degree , an equal opportunity He also halted Serbian efforts to settle Kosovo . He never halted Serbian efforts to settle Kosovo . contradictory +I mounted accordingly . I mounted wrong . contradictory +Bringing in released convicts for injections is even more difficult . It is even more difficult to take released convicts back to prison . contradictory +It 's a lovely 3 km- ( 2 mile- ) stroll down from the Porta Nuova , and is a point of pilgrimage for those curious to see the wooden crucifix that spoke to a troubled 27-year-old Francis in 1209 , telling him to go and repair the world . Visitors can walk from the Porta Nuova to a famous wooden crucifix . entailment +That didn 't stop Utah Nonprofit Housing 's attorneys from then sending Kemp a summons to show cause why he had not moved out . It didn 't stop Utah 's Nonprofit Housing lawyers from summoning Kemp to court entailment +Out with it . Be quiet . contradictory +In one inspired moment , the Renaissance braggart has combined the legendary technical wizardry he loved to show off as a goldsmith with undeniable sculptural beauty . The Renaissance braggart created the most inspired work of art in history . neutral +oh yeah before they started all this stuff After they started all this stuff . contradictory +Iraklion was a thriving port in Minoan times and became known as Herakleium under Roman rule . The port known as Iraklion dating back to Minoan times was later named to Herakleium during Roman power . entailment +The dinosaurs were flying raptors , fresh from circling the trash heaps on the edge of the city . Trash heaps on the edge of the city were gigantic . neutral +England will be plunged in anarchy . England will forever be known as a country of anarchy . neutral +yeah i heard about that i haven 't heard much about it though I heard about that in the past but haven 't heard much about it now . entailment +And through the wonder of technology , I have returned to life ! ' Without technology , I would have been dead forever . neutral +Despite his injuries , he also insisted on arming the bomb himself . He was injured and armless and still wanted to disarm the bomb himself . neutral +For example , qualitative data permit dealing fairly directly with values , politics , and factors that may be an important part of many situations . There is no evidence that Qualitative data has any impact in studies . contradictory +that 's sound like a good deal Not bad . neutral +hum what do they have to do with one another Who are they ? contradictory +things are going to come to a point it 's going to probably get to such an extent where the average American citizen if they see a crime go down or a crime is happening against them they 're not going to worry about trying to get a policeman they 're not going to worry about it because they 're going to be packing their own heat and they 're going to take care of business themselves People won 't need police . entailment +My wife and daughter are the ones doing Riley . The people performing Riley are my spouse and daughter . entailment +One of Guadeloupe 's prettiest bays is Anse ? la Barque ( Boat Cove ) so-named because fishing boats have long ridden out storms in its protected anchorage . Anse la Barque is called Boat Cove because of the shallow rocks that have sunken many . contradictory +yes i am on staff to Hal Ammon to GTE I don 't work for Hal Ammon or GTE anymore . contradictory +The Mus ? ? e Marmottan ( 2 Rue Louis-Boilly ) is devoted mainly to Impres ? ­ ? ­ sion ? ­ ist paintings , with key works by Monet , Pissarro , Gauguin , and Sisley . Monet , Pissarro , Gauguin , and Sisley were the most important Impressionists . neutral +It 's an odd maxim for a man whose work is dedicated to the idea that the way to amass wealth is to take it , not create it . The maxim is ironic considering that the man 's work is dedicated to the idea of taking wealth instead of making it . entailment +As for me , I was literally dumb with astonishment . I was astonshed . entailment +. The reason Jews have an injunction against portraying God is that Neanderthals cannot draw . Jews have an injunction against showing God because of how their art is created . neutral +His eyelids fell but soon flashed open . He opened his eyes quickly . entailment +Parasailing is a new and trendy sport ; you can try it at the Balboa Pavilion . Parasailing used to be popular , but not so much anymore . contradictory +Shopping is one of the delights of a trip to Crete and souvenirs abound in all ranges of price and quality . Crete doesn 't have many opportunities for tourists to shop for souvenirs . contradictory +Whose flat ? Whose apartment building ? neutral +It 's speculated that aeons ago this may have been a forest extinguished by the eruption of some volcano now deep under the sea . It is not believed that there was a forest in the area at all . contradictory +yeah yeah it 's been about five minutes it 's been nice talking with you It 's been about ten minutes . neutral +at the firm On a park bench . contradictory +Another and another and large chunks of wood fell spinning to the ground . Hail was falling from the sky during the thunderstorm . contradictory +but in the mean time you used used them you 've got your money tide up in a low relatively low interest uh bearing investment i mean it 's not making ten fifteen percent like a business is today You should try to buy a share in a business or even start your own . neutral +Then he withdrew it . It was withdrawn by him . entailment +More recently , improvements in technology have been implemented where space requirements were an issue for construction and accommodating the FGD system , including fewer and smaller absorbers and more efficient on-site use and treatment of wastes and byproducts . Wastes and byproducts can be treated or used on-site . entailment +The man 's accent was subtle but clearly northern . The man was from a village 50 miles north . neutral +Eilat is the place for water activities . There are no water activities in Eilat . contradictory +How did the soldier know a barbarian could fight ? The soldier knew the barbarian was a good fighter . entailment +no no go ahead Please I insist you do . entailment +as long as we do it in a logical manner rather than what we did in Vietnam except jack around with it We should repeat what we did in Vietnam . contradictory +The village of Gevrey-Chambertin and the medieval chateau 's wine cellars make a good first stop . The gift shop by the cellars is also worth a stop . neutral +In 1988 , New Jersey joined the ranks of those states that adopted the Interest on Lawyers ' Trust Accounts ( IOLTA ) Fund as a method of collecting and using the interest that would be earned on these deposits . New Jersey never joined the ranks of states that adopted the interest on Lawyers ' Trust Accounts Fund . contradictory +The uprising was quashed , however , and in 1795 , Poniatowski was forced to abdicate . The uprising was stopped and Poniatowski had to leave . entailment +I had expected that answer . That answer is the one I predicted . entailment +i get i i i would probably find him an order of magnitude more capable than Quayle Quayle is probably less capable than he is by an order of magnitude . entailment +Who is Stark ? asked Jon . Jon asked who Stark was . entailment +oh i used to that 's a very good show I hate that show ! contradictory +He cared only for his mines and the salt wealth it brought him . He got a million dollars from the mines . neutral +A few miles southwest of Ibiza Town is the medieval church of Sant Jordi , combining gracious arches with no-nonsense defensive bulwarks . South of Ibiza Town you can find the medieval church of Sant Jordi , which has beautiful arches and serious defensive bulwarks . entailment +and and yeah i take care of all the air modeling specifically for the Dallas area what we do we have a weather station that we get all of this information you know temperature wind speed and wind direction and and uh we have a huge chemical data base I have to take care of way too much work in there . neutral +Pat Buchanan and Donald Trump joined the Reform Party . Buchannan and Trump share all of the same ideas . neutral +135 " Hydro-chloride of strychnine , " he said , over his shoulder , continuing to hum . He was talking to someone over his shoulder . entailment +On the left side of the main highway you will find the Gymnasium complex . The Gymnasium is an impressive and well-preserved complex . neutral +The U.S. has never backed down . The U.S has been easily swayed by other Countries . contradictory +yeah what time is that supposed to be There is no currently scheduled time , right ? contradictory +standard we usually don 't or if it it is a purchase uh then it 's paid off when the bill comes you know so it isn 't any extended uh it may be that i picked up something at the store but then when the bill comes we always pay it off then so it 's not any you know uh build up on the charge cards at all So we don 't build up credit card debt , when our bill comes in we pay it off in full . entailment +i have a problem My throat is beginning to swell . neutral +From one point of view--mine-- Apt Pupil is unacceptable because it uses the Holocaust as dramatic fodder for a lame and shallow drama , but Hogan 's Heroes is acceptable because its dimwitted POW humor steers clear of the Holocaust . Hogan 's Heroes made a drama about the Holocaust but it was not well-reserved . neutral +Never cleared the coffee-cups away last night . The coffe cups weren 't put away last night . entailment +Jeffrey Goldberg 's middle ground on gun control ( see his ) seems to be that only untrained people kill people . Jeffrey Goldberg uses plenty of statistics to show that untrained gun owners are most often the killers . neutral +Several representatives stated that an underlying requirement for communications was establishing standard terms and reporting thresholds so that the magnitude of an incident could be easily and consistently understood and members could quickly determine an incident 's potential impact on them . Establishing standard terms will save time and money in communications . neutral +The Pilot fought a noble fight . The Pilot fought valiantly but was still killed . neutral +There were also some tableaux in which Cynthia took part . Cynthia hated acting . neutral +well see i 'm uh i 've been to dinner theaters but the every time i go it 's you know on the nonmeal show type you know type thing so i 've it 's been a while since i 've been to one uh I have been to a dinner theater and I really hate it . neutral +Title 31 defines an aagency- subject to GAOas authority very expansively , to mean a adepartment , agency , or instrumentality- of the United States government , but not the legislative branch or the Supreme Court . The legislative branch and the Supreme Court are excluded from the Title 31 definition of an agency . entailment +Other advanced design factors reduce steel requirements , including the virtual elimination of redundant absorbers , the ability to down-size absorbers without sacrificing performance ( e.g. The need for steel is often reduced by other factors of advanced design . entailment +The orrery was housed temporarily in the reconstituted hall of the Satheri in the capital city . The orrery was temporarily kept in the rebuilt hall of the Satheri . entailment +The current cost-of-illness ( COI ) estimate for chronic bronchitis is around $ 107,000 per case , compared with the current WTP estimate of $ 330,000 . The estimated cost-of-illness for chronic bronchitis is at an all-time low of $ 20,000 . contradictory +I then had to remember where on my hard drive I had put the install files . I had to remember where the files to install the security software were saved . neutral +One makes Skipper . Skipper was made by a man . neutral +Natalia just shrugged . She just shrugged her shoulders . entailment +oh yeah they look terrible here i look at those thing i say i wouldn 't buy them not even to squeeze for orange juice uh I wouldn 't even buy them to squeeze for orange juice because they look so bad and I was upset . neutral +Some Board members suggested that since some agencies currently maintain only outlay data , requiring that only outlay data be reported might be more practical . Some board members say only reporting outlay data makes sense . entailment +and a Bradshaw ? " 151 " When I took her the telegram , sir . " He said he never took her the telegram . contradictory +It might be a ' she , ' I suggested . It is definitely an old man , I declared . contradictory +oh it was just awful and so humid Oh , it was just lovely , not humid at all . contradictory +They 'll take care to get him out of the way at the right minute . He needs to disappear from stage at the precise moment . neutral +well today it was i mean the air was just so sticky so damp The air was sticky and damp today . entailment +In her experience , legal aid organizations are in need of long-term plans , guidance and structure , she said . Legal aid organizations were in complete agreement with everything she said . neutral +yeah i don 't i don 't notice but maybe because i 'm not looking for it yeah I haven 't noticed but maybe is because I haven 't looked into it . entailment +He paused a moment . He was hesitant . neutral +Even Barik noticed it . Barik was oblivious to it . contradictory +Time ' s superior package emphasizes U.S. hopes that Iraq 's military will strike first . 9 / 11 was the first move which started the war . neutral +They are proud of their nation and have a right to be . They are mostly disappointed in their country . contradictory +How these men had come into his life remained a mystery . I didn 't know why the men were so mad at him . neutral +24,25 Once motivated , the patient may need a variety of options depending on the nature of the alcohol problem and the needs of the patient . It is easy to treat patients with alcohol problems , the process is very straightforward . contradictory +One example of this is in connection with what type of non-audit or consulting services that outside audit firms can provide to their audit clients and still maintain their independence . Some consulting services are provided by internal audit firms . contradictory +and if you take uh little pieces of pork and you fry them like little cubes of pork Take a whole fillet of pork and poach it in wine . contradictory +oh really you 're older than i am oh Oh , you are much older than me ! neutral +Meanwhile , they have misrepresented my argument . Out of jealousy , they have purposely misquoted my reasoning . neutral +That solution did not satisfy him . He was satisfied with that solution . contradictory +when i get some spare time here and there i 'll work on it but you know it 's nothing that i can really I don 't have much time lately , but will try to finish as i can . neutral +that you have to really watch uh to uh keep it under control because they will take over a house if you don 't uh tend to it If left unattended to , it can take over a house . entailment +Thorn and the Kal helped spike the rivers . They helped spike the rivers . entailment +I returned , and saw under the sun , that the race is not to the swift , nor the battle to the strong , neither yet bread to the wise , nor yet riches to men of understanding , nor yet favour to men of skill ; but time and chance happeneth to them all . Time and chance have nothing to do with anyone or anything . contradictory +Of course , Jane Finn may be dead for all we know but I don 't think so . Jane Finn may be dead because she was in a car accident . neutral +OK , I do blame myself . I blame myself , alright . entailment +yeah and uh it got a lot a lot of campsites you know there 's uh uh concrete pads that you can put tents on there 's places to pull in RVs and plug them in up uh there 's even two and what we we used There are lots of camp sites with convenient amenities for RV owners with concrete pads and electrical hookups . entailment +Its protagonist , a red-neck propane salesman , is deemed the heir to Roseanne and Archie Bunker . Another favorite is WB 's tongue-in-cheek action series Buffy the Vampire Slayer , about a 15-year-old super- A postfeminist parable on the challenge of balancing one 's personal and work life ( Time ) . Buffy the Vampire Slayer was extremely misogynist and promoted traditional gender roles . contradictory +HCFA declined to accept the one commenter 's suggestion that it require mass distribution of the Important Message from Medicare to beneficiaries while they are healthy and do not have plans to be hospitalized . The HCFA has never once declined a commenter 's suggestion . contradictory +Bayliss ' tongue is hanging out a yard or more he 's panting so hard to get back at you . Bayliss was very upset because someone made trouble . neutral +well maybe maybe we 're a bit uh uh oh jaded We never lose our optimism and naivety . contradictory +The analysis describes the reason for the final rule and the legal basis for it ; descriptions and estimates of the number of small entities affected by the rule ; a discussion of the recordkeeping , reporting , and other compliance requirements ; and the steps taken to minimize the burdens on small entities . The basis for the legal rule is described in the analysis . entailment +district in the United States , as well as in Puerto Rico , Puerto Rico is part of the ABA as well . neutral +Suddenly he heard Conrad 's voice : " Come out of it , Annette . Conrad really cares about Annette . neutral +found that the process of securing ISO 9000 registration has been a valuable experience in understanding just what they do and how they go about it . The registration system is full of loopholes and bureaucracy but , it is manageable . neutral +and they 're supposed They 're not supposed to contradictory +AICPA standards and GAGAS require auditors to prepare and maintain audit documentation . Auditors are not required for audit documentation . contradictory +The prevalence of this co-factor to the emergency admission , and the fact that alcohol is a risk factor both for the first visit and for a return visit to the emergency setting , have occasioned a call for an effective method of intervening with alcohol problems in these settings . Alcohol is not necessarily a risk factor for ED visits . contradictory +Once Congress took up Starr 's report , the electorate 's hostility to the investigation shifted to the GOP . Starr 's report went to Congress and they started impeachment proceedings . neutral +Weekly Standard , Jan. The weekly standard for January is unchanged week to week . neutral +And then sometimes people get so vexed , they want to call their congressman and say , ' pass a law to stop all this stuff . Sometimes people want to convince their politicians to do something . neutral +She looked round and said even walls had ears . " She was being cautious of her surroundings . entailment +And neither does George W. Bush . Bush is also not having this . entailment +How can a country run a trade deficit when it has the huge cost advantage that comes from combining First World productivity with Third World wages ? The country has first world productivity and third world wages and is still running a trade surplus contradictory +He had organized a matchless company of Pima Indian Scouts after the army pulled out in ' 61 , had fought Apaches , but had sided with neither Union nor Confederate forces . The army left in ' 61 . entailment +Which brings me to the to be sure paragraph , as they call it in our trade . It is their expertise . entailment +Where Boutros-Ghali was highhanded and arrogant , Annan is gentle , soft-spoken , calm . Annan is quiet and smart . neutral +Though it lacks the simple , geometric form of Sapper 's pot and those of many of its competitors , it is unified in a subtler way . Its unification will surely lead to a boost in sales in comparison to its competitors . neutral +3 cents in foreign investment in the United States . Only 3 cents were invested in the US . neutral +Part A contains provisions common to the control of all three pollutants . The provisions in Part A are for a single and specific pollutant . contradictory +The third anchor in the golden art trio , a landmark of old Madrid , is the Hospital de San Carlos ( c / Santa Isabel 52 ) , which now houses the Centro de Arte Reina Sofia . The Hospital de San Carlos doesn 't house anything . contradictory +Although one of the eight priorities focused on obtaining an unqualified opinion on agency financial statements , the eight priorities taken as a whole aim at improving the financial and performance information needed to make and implement effective policy , management , stewardship , and program decisions . Overall the priorities aim to improve the financial information needed to implement good policies and management . entailment +A different turn of the magic wheel and it 'd be a Dawn Powell novel having sold 50 million copies in 385 languages including Swahili , instead of The Old Man and the Sea ? There might have been a different outcome with the wheel . entailment +Household payment mail has been declining . Bill mail to homes is declining entailment +Few buildings and monuments from medieval Madrid exist , but the mood still does . There aren 't many medieval buildings left in Madrid . entailment +However , getting that work published requires persistence . Most publishers require that a manuscript be submitted at least a dozen times before they will publish . neutral +Bosnian Muslims reportedly are arming for an overwhelming assault on Bosnian Serbs . A NATO commander told the New York Times , The question no longer is if the Muslims will attack the Bosnian Serbs , but when , and that the only way to prevent such an attack ... The Bosnians are all at peace with each other . contradictory +Thick smoke filled the air . The air was black with smoke . neutral +Case Studies in Science Education No studies in science education contradictory +Indicators of success --We endorse a common vision of diversity and goal for achievement on the national , state and local levels , and diversity issues are included in every state plan . We do not want a common vision of achievements on the national , state nor local levels . contradictory +But on average U.S. population densities are much lower as indicated in Table 3 which shows that the urbanized area of Paris is much more densely populated than that of New York . They compared the rural parts of each country . contradictory +um i think uh i like to listen to a program called Focus on the Family with Doctor James Dodson I also like to listen to A Prairie Home Companion with Garrison Keillor . neutral +Martinique and Guadeloupe , formal departements since 1946 , have recently become regions in an administrative reshuffle . Martinuqe and Guadeloupe were formal departments since 2000 . contradictory +oh okay they 're they 're fairly big yeah uh-huh They 're pretty big . entailment +Smiling readily but somewhat shy about making the first approach , the islanders will often overwhelm you with kindness once contact is made . The islanders are not used to so many tourists but are generally amiable people . neutral +How do things look to you ? asked the older man . The older man didn 't care about what they thought . contradictory +It shares hit shows like Bill Nye the Science Guy with commercial stations . It shares shows with commercial stations so they can advertise . entailment +My Since he seems to hate holidays so much , would it be appropriate to just let him spend holidays at a motel ? He 'd be thrilled to spend the holidays in a motel . neutral +In Mississippi , Applebome mixes vivid landscape writing with visits to the state 's tacky casinos . Applebome spends all the time talking about the Mississippi casinos . contradictory +The Council 's documents did not itemize the savings projected at the 2 percent level , but using the Mayor 's figures , a 2 percent cut would result in budget for prosecutors of $ 226 . The COuncil didn 't itemize the savings because it was too tedious . neutral +My poor wife , he murmured . My poor husband , he murmered . contradictory +The galleries are arranged chronologically , which helps put the figures into context . The art in the gallery is arranged by period . entailment +The richly decorated iconostasis has highly regarded icons painted by Jeremias of Cete in 1612 , but the sixth century mosaics on the ceiling of the apse are the church 's most impressive feature . Jeremias of Cete was a painted who lived in the 17th century . entailment +" What you namin ' her ? " Up to that moment Drew had not really thought about it . What are you naming her ? entailment +as total lines of code or can be broken out into new , modified , and reused lines of code . Most code written is appropriated from previous written code . neutral +Withdrawal may severely prejudice the clients ' claim . The clients ' claim is not in danger if withdrawal happens . contradictory +how much you know more do you know than i know about this whole situation but he just kept painting on those French doors you know and each little um paint stroke you know the paint wasn 't going on right is what it was The French doors weren 't painted right . entailment +( It would be cheaper to buy the stock on the open market than by using the options . ) Cheap stock is often bought on the open market , and seldom using options . neutral +OK , so it did mess up the Northeast after all . Even though the Northeast was well provisioned , it was still messed up . neutral +yeah but well they vary from from place to place it 's hard to tell you know how well they 've been kept up how old they are and these are probably oh one of the nicest that i found and uh Things vary in quality based on where you are so you can never be quite sure . neutral +But let 's do dinner and a show to-night at all events . " We should go to dinner , a show , then go out to a bar . neutral +yeah it 's a lot more humid down that way It is drier there . contradictory +Two other weaknesses of fleece to keep in 1 ) If you fall onto a nubby carpet while wearing fleece , as I did intentionally , the fleece gets irreparable bald spots at the impact points . The fleece gets irreversible damage when you fall onto nubby carpet , as I did on purpose . entailment +It has close to 300 paintings on view , showing the Valencian impressionist 's favorite seaside scenes and landscapes . The paintings are artistically refined and depict mother nature . neutral +wow of course it 's real easy to take care of the first one when you 're on your back Standing up is the best way to take care of them . contradictory +is that right inside your house like cactus gardens and the like why is your home empty contradictory +like fabric that 's been stiffened in yes Yeah , sort of starchy , rigid fabric . entailment +Tutankhamun died in mysterious circumstances without an heir . Tut died mysteriously . entailment +The statues on either side are of Edmund Burke and Oliver Goldsmith . The sculptures on each side depict Oliver Goldsmith and Edmund Burke . entailment +She suggested we must identify the essential elements of interventions that are required in any new setting . We were told that it would be helpful to identify the essential elements of interventions in a new setting . entailment +The assistant shoemaker is another of Malamud 's weirdly insistent , lonely souls--impelled , who knows why , to devote himself to a hopeless love ; still wincing from the horrors of Europe , which he has not entirely escaped ; inarticulate , yet bursting with passion , if only his boss , the master shoemaker , will deign to listen . The assistant shoemaker wants the master shoemaker to listen to them . entailment +the only gripe i have is performance i i probably uh a few girls that i 've gone out with i 've had uh like Mazda RX seven 's and stuff and they 're they 're pretty fun to drive so I would like to own a Mazda RX 7 . neutral +the alternatives considered , and the costs and benefits of the alternative selected ) ; and descriptions of how the agencies have complied with various rulemaking requirements ( e.g. The cost and benefit analysis is the most useful element criterion of the alternatives . neutral +It may require in-depth data collection dependent on sensitivity to the setting that takes time to acquire and involve extended periods for data analysis , interpretation , and reporting . Extended in depth data collection may be required . entailment +( You know something 's going on when the Globe devotes two pages to a behind-the-scenes look at PBS 's Antiques Roadshow . ) Perhaps that 's why they devote so much ink to happenings in the world of celebrities ' dogs . ( it 's good because the globe devoted two pages to it ) . That explains why they devote so much ink to the world of celebrities dogs . entailment +And what are those reasons ? The reasons , what are they ? entailment +My dear girl , don 't wave Fishers aloft like that ! " Fishers is easily startled . neutral +yeah yeah myself about the only thing i really recycle around here is aluminum cans I also recycle plastic cans sometimes . neutral +By general agreement and city ordinance , all buildings must be faced with Jerusalem limestone , giving the city 's different worlds an architectural unity and tying the city in a special way to the land on which it rests . The city has a distinct appearance because of an architectural uniqueness in that all of their buildings ' must use Jerusalem limestone for their facade . entailment +In a class made up of 20 percent women , Zelon held the position of editor in chief of the Harvard Civil Rights-Civil Liberties Law Review . Zelon was elected editor in chief of the Harvard Civil Rights-Civil Liberties Law Review because of her brilliant legal mind and insightful writing . neutral +They especially take him to task for blaming Plath 's suicide on fate and astrology . They believe he was wrong to impugn Plath . entailment +The analysis explains the methodologies and the reasons behind their use in arriving at the cost and benefits of the rule . The analysis explains the methodologies and the reasons behind their evaluation of the rule in regards to its cost and benefits . entailment +we just we constantly do that so that there 's a build up of money for those things if something does come up like i know that my washing machine is going to go any day and We constantly spend money on that washing machine . contradictory +Any changes must be approved by an authorizing official before being entered into the payroll system . Changes have to be approved by an authorized official before they can be entered into the payroll system . entailment +Napoleon himself saw only a life-size wooden and canvas model of the arch . Napoleon didn 't get to see the wood and canvas mock up of the arch . contradictory +We discovered that reconfiguration , within the confines of state planning , did not diminish the percent of minorities and women in leadership positions in our programs . Women in leadership positions were not affected by reconfiguration . entailment +My father was a corporate lawyer , and he hated it . My dad said the job was boring and dumb . neutral +When I saw the skunk , with his big sleek fat face , and thought of poor little Jane in his clutches , I felt real mad that I hadn 't got a gun with me . I was mad that I hadn 't brought a gun when I saw poor Jane with the big fat skunk . entailment +The state parties ? Partying across the state ? neutral +uh-huh uh-huh And we did have we did recently have a a group here formed called Students for Academic Excellence that was formed by concerned parents and they see that these these kids are getting honor jackets and they 're getting certificates and they 're getting uh more access to scholarships uh on a par with the athletes which uh this was formed i think probably in the last three years and that 's been a very positive thing for education itself because so often the emphasis is on Graduation rate has also increased due to Students for Academic Excellence . neutral +the guys average guys can 't really go out in the in the garage and do a whole lot of repairs uh Most people can 't repair cars like I can . neutral +Tate , now in private practice in Marion , was hired as the program 's first director in 1972 after a Marion-based community action program secured grant money to establish the Smyth-Bland Legal Aid Society . The Smyth-Bland Legal Aid Society was started with grant money . neutral +it was in Padre Island and in a truck of course not but not in a tent Yes it was crammed into a small tent in Padre Island . contradictory +How about all the showers at offices these days ? It is not allowed to throw a shower in any office . contradictory +On this road , too , are attractive pottery flowerpots in the shape of elephants and other creatures . Elephant flowerpots are not in existence . contradictory +The Under Secretary for Food , Nutrition , and Consumer Services has certified under section 605 of the Act that this rule does not have a significant economic impact on a substantial number of small entities . The Under Secretary says the rule has a huge economic impact for everyone . contradictory +When the Romans abandoned England at the end of the fourth century a.d. , Hadrian 's Wall fell into disrepair . Hadrian 's Wall was neglected after the Romans abandoned England entailment +Ah , nothing . Okay , it 's something . contradictory +Come along , breakfast 's not cleared away yet , and they 'll make you some fresh tea . " He turned to me . There is no tea left for us to drink . contradictory +A more in-depth view would recognize that when the basic framework of a society disintegrates , external food supplies may just lead to additional reproduction , and thus more widespread starvation . There 's no way to fix widespread starvation , whether or not additional food resources are brought in . neutral +She 's style about her , and keeps her silver a treat but , my word , ain 't she got a temper . She was calm as a cucumber . contradictory +Guilt I could relate to . I don 't understand guilt . contradictory +If I were on Clinton 's side , I would not let them show Ken Starr , says Bain . Ken Star was cont reversal due to his allegiance with Nazis . neutral +This raises the question of how the federal government can save if reducing federal debt held by the public is not an option . The question is a very difficult one to answer , even for a machine . neutral +uh but but the Muslims are not as liberal in their interpretation of of the Kuran as we are in our interpretation of the Bible Muslims don 't interpret the Koran as liberally as we interpret the Bible . entailment +It 's more publicly renowned , however , as the setting where Julia Roberts ' and Richard Gere 's characters found love in the film Pretty Woman . The setting for the film , Prety Woman , is an upscale hotel . neutral +The cover had been designed , the catalog copy written . A new cover had been designed . entailment +you know oh no no no no no it 's not it 's not expensive at all it 's one it 's one of the Chinese cooking basics Chinese cooking basics are very cheap . entailment +! said he with satisfaction . He was unsatisfied . contradictory +It had nothing to do with mercy and everything to do with the contagious nature of fear and panic . It has nothing to do with mercy . entailment +Surveys and interventions should be undertaken to define and reduce barriers to implementing screening in clinical practice . Reducing barriers is the most important part of the process . neutral +To me , at least , the idea that changes in demand will normally be offset by Fed policy--so that they will , on average , have no effect on employment--seems both simple and entirely reasonable . Fed policy can compensate for increases or decreases in demand in such a way that employment is not impacted . entailment +It can be their only opportunity for intervention , and injuries are the most common events that bring people into contact with the emergency department . Many people only interact with the emergency department following an injury . entailment +A considerably audible tsk , tsk I send you , Slate . Slate made me want to shake my head . neutral +National Home Start Evaluation Nation Home End Evaluation : A Case Study on Where It Went Wrong contradictory +You quite clearly state your unwillingness to advise on issues of macroeconomics , but one assumes you are aware of all this tragedy of the commons talk that 's going around about the Web . You are unwilling to advice on issues of macroeconomics . entailment +'It 's not in the Psyche Profile . ' That 's not in the Psyche Profile . entailment +The Iranian Kurds are much quieter than those in Turkey or Iraq . Kurds in Turkey and Iraq are much louder than those in Iran . entailment +Although we used Krewski , et al . We used Krewski . entailment +The project attempts to identify the number of people served by the following types of work , and obtain descriptions of programs ' efforts and of successes . The project tries to identify how many people were served by LSC . neutral +Outside the door his gaoler motioned to him to mount the stairs . His gaoler told him to stand next to him . contradictory +uh yeah uh yeah here in the Springs we have a choice of two either an HMO or a company health insurance There should be more than two choices available for people . neutral +yeah well see this this one i i is more or less first hand you know she just died um we buried her February but she had been in there at least i know for seven years eight years and he didn 't want to put her in there but he can 't afford it She just died recently from cancer . neutral +Analysts and movie types hooted with derision--that 's like charging for a piece of art based on how much bronze or paint was used , sneered one . It would be ludicrous to charge for a piece of art based on the amount of bronze or paint used . neutral +Campaigns are self- If Bradley gets close enough to be a real challenge to Gore , he will be subject to the same withering fire that Gore faces . During his campaign Al Gore has been subjected to overwhelming criticisms . entailment +The doctor no longer practiced , had retired , the landlord believed , but he took a few private patients here the good fellow tapped his forehead knowingly " balmy ones ! The landlord thought that the doctor no longer was in practice . entailment +Commercial companies understand the importance of capturing design and manufacturing knowledge early in product development , when costs to identify problems and make design changes to the product are significantly cheaper . Companies make changes to products often when the cost to make change is cheaper . neutral +Now , with a chance to study all their magical lore and apply it with the methods he had learned in his own world , there were amazing possibilities opening up to him . He had no chance to study their lore and magic . contradictory +This gateway guides small businesses to a variety of environmental information sources , and provides links to related resources outside EPA , such as the Small Business Administration 's Business Advisor . This is a resource for small businesses . entailment +Instead of Wanda ' s delicious anti-PC nastiness ( flattened lapdogs , stuttering jokes ) and bawdy high-spiritedness , Fierce piles on sight gags as crass commercialism runs amok in the zoo , says the USA Today 's Susan Wloszczyna . The uglier the joke , the better the comedy . neutral +that sort of stuff and dancing That sort of stuff , also dancing to techno neutral +well if uh i like to do i like to make stuffed animals i i sort of have not been doing as much as i did you know before i had to work for real but i like to do things like that and uh I do not have any hobbies ; I work everytime . contradictory +Indians courageously fought alongside the British troops , in Burma , the Middle East , and Europe , but Gandhi saw the British as a provocation for Japanese invasion and was jailed yet again , for launching a Quit India campaign in the year 1942 . Gandhi was jailed for the second time immediately after launching the Quit India campaign . neutral +okay what do you usually wear to work Wha is the dress code at your work ? neutral +White and I immediately leapt for the broken consoles . We jumped for the broken consoles . entailment +Zhukov rallied the indomitable men and women of that mighty force to stop the German army outside the gates of Moscow and left them to die by the thousands in the snow . Zhukov left men and women to die in the snow because he was ruthless . neutral +At the Richard Nixon Library and Birthplace , ( 18001Yorba Linda Bvd . , Yorba Linda ) , the life of the 37th president of the United States who died in 1994 is showcased in amazing detail . Nixon passed away in 2015 . contradictory +The German , with an effort , turned roughly to Tommy . It took effort for the German to turn to Tommy . entailment +Every part of him appeared designed to stab the blade through that man as if it were the only action he could take . The demon looked as if it were designed to stab the man . neutral +Waldron said HAWC advocates help domestic violence victims file restraining orders in district court . HAWC works against victims rights . contradictory +San 'doro pulled him down and tore him open . San 'doro pulled down his opponent , and threw him to the side as he moved forward and away . contradictory +The strange cactus-like plants growing here in great profusion are called Tate- ? -l 'Anglais . There is only one of these cactus-like plants in existence . contradictory +Our simulations are based on the Congressional Budget Office 's ( CBO ) January 2001 , 10-year budgetary and economic projections7 through calendar year 2010 . The simulations would have been better with a different projection . neutral +I have been admiring these flower beds . I 've been admiring these pretty flower beds . neutral +because it 's old they figure it 's got to cost you know thousands of dollars They 're pretty much new but they 're worth thousand of dollars . contradictory +An article condemns President Clinton for ingratitude toward his loyal vice president . President Clinton was occasionally condemned for not treating his vice president with more gratitude . entailment +( Russia , for example , consistently undercounts its war dead . ) Since the 1960 's , Russia has consistently undercounted the number of people who die at war . neutral +The data for 2001 aren 't tallied , but she says the numbers appear flat . The data changed 0.005 % in 2001 . neutral +Dollar values are aggregated across crops for each standard . Nothing was added together from the crop standards . contradictory +The cover story by Times columnist Thomas Friedman argues that the United States must designate itself as enforcer-at-large of global stability . Thomas Friedman 's columns never talk about the United States . contradictory +The entrance to the palace is via the main staircase bright , airy , and ceremonious beneath an arched ceiling . The palace entrance is ornate and has floors made of marble . neutral +Ammiano , who would have been the city 's first openly gay mayor , forced the runoff after launching a write-in campaign just three weeks before the November election . Ammiano would 've been the second openly gay mayor for the city . contradictory +But Congress ' 1996 reform replacing presumptive refunding of grantees with competitive bidding for LSC service contracts19 Something major caused congress to reform replacing presumptive refunding . neutral +Waterford , Cavan , Galway , Tipperary , and Tyrone Crystal is sold everywhere , and prices do not vary . The prices can be very different depending on the location . contradictory +schedule A well yeah and you know did you notice that when they passed the new simplified tax act it seemed like it made everything harder There is no new tax law at all . contradictory +The general manager of Hipsi was immediately promoted to the position of the CEO for the regions of Central Europe and Afroasia . Hipsi 's general manager was promoted to CEO . entailment +The problem , though , is bridesmaids . The problem is the bridesmaids . entailment +it 's just yep yeah well it is it 's about yeah it 's about seventy five here today The temperature was at the freezing point today . contradictory +They were half-way across when the Kal 's horse turned its head , saw the gap , and lurched . The horse jumped over the cliff without a care . contradictory +wow that 's interesting what did you what kind of things did you do Did you ever get paid to do any of this ? neutral +my home all right my home is about fifteen years old My home is fifteen years old entailment +or seven uh that 's kind of far away Building number seven is far away . neutral +This is sharply at odds with the relative proportions in 1988 , when the majority of temporary foreign agricultural workers came from Jamaica ( 12,609 ) and only 2,499 came from Mexico . The majority of agricultural workers from Mexico were men . neutral +EXECUTORY COST - Those costs such as insurance , maintenance , and taxes incurred for leased property , whether paid by the lessor or lessee . Executory cost is the cost of insurance , maintenance , taxes paid for leaser entailment +But filters aren 't just for concerned parents . Filters aren 't problematic just for parents . entailment +Peach , Richard , and Charles Steindel . There were two Steindels . contradictory +um the the last time i i took my wife along and uh kind kind of the same situation she sat she sat in the house and talked to my mother the whole time we were out hunting and stuff but I took my wife along , but she stayed in the house . entailment +The United Nations must also trust the United States . Some party benefits from the United Nations trusting the United States . entailment +Well-marked paths lead to farmhouses and rustic mountain-restaurants where you can try the local bacon ( Speck ) or spinach dumplings ( Spinatkn ? ? dl ) as a change from pasta . Speck is the name of a local bacon dish . entailment +In 1922 the League of Nations granted the British a mandate to administer Palestine . The League of Nations had no interest in allowing anyone to administer Palestine . contradictory +and i had the i think the other thing that a lot of kids would benefit from in high school is taking an aptitude test I think having an aptitude test in for kids in high school would be helpful . entailment +i well did uh did you get much rain two days ago Did you get much rain two days ago ? entailment +Dental care is just another way to spend discretionary income , competing with a vacation or a new car . Dental work is so affordable , it is almost free . contradictory +greatest banana cream pie and it was was uh you could take it home it was was just it was so popular it was great stuff and now now my mouth mouth 's watering i 'm beginning to think about that yeah the uh yeah twenty dollar that 's The banana cream pie was the greatest and can be taken home . entailment +NORTHWEST Southeast . contradictory +Investing in the financial markets is a standard practice for state and local government pension funds in the United States . Investing in the financial markets is a standard practice for just state pension funds contradictory +right well you know i we 're we 're we 're trying to put money away for that too and uh um um you know you just can 't count on them being totally brilliant though though they are but you can 't count on them being totally brilliant uh so that they can get scholarships and and things like that um it 's you know We can 't possibly expect them to be brilliant enough to secure a scholarship . entailment +because it becomes so cold out here that uh and sometimes the weather gets to you so you don 't want to go outside and drive around Due to the immense shift to low temperatures , the weather often discourages you to step your foot outdoors and drive around . entailment +He stared at the dead assassin at his feet , mask fallen and wide lipless mouth open revealing the sharpened fangs of a beast . The assassin was wearing a mask because his teeth were deformed . neutral +roly-poly bugs the ones that roll up in a ball i don 't know what they 're called I have those roly poly type bugs all over my kitchen . neutral +UDC President Julius Nimmons Jr. worries that the move will demoralize a school , which , like the District itself , is just beginning to recover from a fiscal crisis . UDC is a good school . neutral +Nine decades later , today 's cascade of visitors is surrounded by the fastest growing , most rapidly changing metropolis the American West has ever known . The metropolis is one of the most fast-growing areas in the American West . entailment +The rules are very clear . The rules are short and concise , making them easy to read . neutral +Perhaps they are elderly people who are swindled out of their life savings or beaten by a neighbor or acquaintance . Young people are the only possible targets for abuse . contradictory +The man Whittington is probably the head of the English branch . " The man Whittington works for the English Branch . neutral +The building on the site dates from 1591 and served as a council chamber and courthouse for the town in addition to collecting tolls . The old building , which was a council chamber and courthouse , also collected tolls . entailment +Dave looked . Dave used his ability to see . entailment +Also , most discussion of the decline in personal saving focuses on the adequacy of individuals ' retirement saving rather than on the significance of personal saving for the economy as a whole . Most discussion of the increase in personal saving focuses on the adequacy of individuals ' retirement neutral +One , two , three , go ! " Tuppence 's little thumb ripped open the envelope , and she extracted the contents . Tuppence was not able to open the envelope . contradictory +Until recently , most visitors counseled not to attempt to drive the island 's difficult roads hopped aboard bus daytrips that took in the main attractions . Visitors are always encouraged to drive the island 's difficult roads . contradictory +'I do . ' I remembered myself . I said I did . entailment +uh i kept the ones that were free I gave back all of the ones I recieved . contradictory +The church of Santa Maria del Carmine is an essential stop on any artistic pilgrimage to Florence . The church of Santa Maria del Carmine is located in Rome . contradictory +In addition to this general standard , auditors should follow the general standards for work performed under GAGAS , as discussed in chapter 3 . There aren 't any standards that auditors should follow under GAGAS . contradictory +the men often have to wear shirt and tie no matter right right right what time of what time of the year that 's right there 's no dress code contradictory +It was originally topped by a cap of pure gold , which reflected the bright sunlight and acted as a beacon for those who searched from afar for the temple . The gold cap was eventually stolen by invaders and was never replaced . neutral +you know i mean i i know that the problems are so deep but i mean even even within the Muslim uh religions different sects they can 't get together There is great tension between different sects of the Muslim religion . neutral +Amy Hill , shop assistant , was next called , and deposed to having sold a will form on the afternoon of the 17th to William Earl , under-gardener at Styles . Amy Hill testified she sold a postal money order to the under-gardener at Styles . contradictory +and my wife painted those the insides of those dark blue My wife painted the outsides of those shocking pink . contradictory +Behind the fine Georgian facade , made of local sandstone , is a genuine Tudor structure ( including the Fretwork Room , with its magnificent 16th-century oak paneling ) , a manor hall dating from 1400 ( which now houses the restaurant / cafe ) , and a Norman pele tower . The manor hall is from the early 15th century . entailment +The Jerusalem Centre for the Performing Arts ( Jerusalem Theatre ) at 20 Marcus Street hosts local and foreign productions of theatre , opera , and dance . Tickets for foreign opera productions are the most expensive . neutral +Your language , Tuppence , your language ! Tuppence , mind your language , please ! entailment +yeah yeah i do i 've lived in in the Dallas area here since i was like four so uh it 's i don 't know rural an urban area i guess whatever i don 't know what i 'm I 've lived in the rural areas of Dallas since I was young . neutral +For example , in 1633 , the Vatican ordered Galileo to deny the evidence of his own eyes , as assisted by the new telescope he had designed , and stop teaching that God 's earth was only one of many planets in orbit around the sun . The Vatican was perfectly fine with Galileo 's teachings . contradictory +Away from the harborside , the town keeps its Provencal character intact on Place des Lices , nicely shaded by plane trees for the morning market , a late-afternoon game of boules , or a sunset ap ? ? ritif . The morning market in Place des Lices is shaded by plane trees . entailment +We are really thinking of bestowing a prize on the first individual who does not say : ' What a lot of bottles ! ' And I know the next thing you 're going to say is : ' How many people have you poisoned ? ' " I pleaded guilty with a laugh . I won 't give a prize to anyone . contradictory +In March 2002,8 we recommended that the F-22 program office monitor the status of critical manufacturing processes as the program proceeds toward high rate production . The people in charge of the F-22 program followed the recommendations . neutral +and and i talked to this person who i gathered from speaking to her that that she and her family just didn 't have much and they didn 't have much credit available to them The family was in debt . neutral +Edward Bernstein observed that one site cannot address all the questions raised at this conference . Bernstein saw that one site can 't answer everything so he created another one . neutral +Although many excellent studies and books have been written on national saving and long-term economic growth , these discussions tend to be complex and technical . Many excellent studies and books were written by Roald Dahl neutral +In an effort to provide yet one more thing to bet on , players are imported from Spain to take part in this lightning-fast Basque ball game . The ball game is strictly for Basque players . contradictory +In the very dim light Drew could just make out that the Texan was holding his gloved hand to his mouth , puffing at the crooked fingers . The Texan was puffing at his fingers frozen from the temperature outside , trying to warm them up . neutral +However , HHS is accepting comments on the interim final rule for a 90-day period for consideration in the development of the final rules to be issued implementing the HIPAA . After 90 days , the HHS will not accept any comments about any rules . neutral +that could be it could be it No , that couldn 't be . contradictory +Where there is money , there is shopping or so it should seem . Shops go to where the money is . neutral +It became a challenge to integrate the work of different observers if they focused their attention on different topics from site to site . It was very easy to integrate all of the work from the various observers . contradictory +Outliers Instances that are aberrant or do not fit with other instances ; instances that , compared to other members of a population , are at the extremes on relevant dimensions . There are not many outliers in the data set . neutral +The second instance of Bennett 's dishonesty concerns incarceration . In the 1994 volume , Bennett defines the incarceration problem as the failure to imprison criminals . Criminals are not always successfully imprisoned in their lives . entailment +But this , as we know , is what happened . This is what did not happen . contradictory +uh i enjoy reading different types of things I don 't like to read at all . contradictory +Under GAGAS , the term noncompliance , however , has a broader meaning than fraud and illegal acts . Compliance means absolutely nothing under GAGAS . contradictory +well , you could argue that Metabolife wins . You could not argue that Metabolife was the winner in this circumstance . contradictory +If this ratio is designated as g , The ratio of g is the same as the 5 : 1 ratio . neutral +Nearby , at the head of the Kidron Valley , the Greek Orthodox Church of St. Stephen commemorates the first Christian martyr , and up the Jericho Road toward the city is a small but dramatic monument to Israeli soldiers killed in the 1967 Six Day War . There is nothing interesting to find in the Kidron Valley . contradictory +uh because of a service that they could provide you know if you want to be a lawyer because you know that you can provide a service that people need because you have to have lawyers in this country um but if you 're just doing it because you think that 's the best way to be rich There are a lot of people that need lawyers in this country . entailment +In response to our inquiry , OMB staff advised that the rule could be economically significant , and major , because it could adversely affect competition . OMB staff 's claims about the rule are wrong . neutral +In an odd way , the more similar products become , the more telling the little differences among them end up being . Because products are now so alike , it 's necessary to stand out even with little differences . entailment +Similarly , her title teases her readers , inviting us to draw parallels between her personal history and the story she tells in the novel , though she declines to supply the necessary details about her life . She invites readers to see parallels between her history and what she writes . entailment +Jon had never bothered to learn their names . Jon felt he was better than the rest of the team , so he didn 't even take the time to ask them their names . neutral +Jon , San 'doro , and Ca 'daan left . They stayed there all night . contradictory +There is no good way to measure the gap between women 's earnings and their productivity , but it is reasonable to say that their earnings have risen pretty much in line with their productivity . People have tried and failed to measure the gap between women 's earnings and their productivity . neutral +In the middle of the 19th century , it fell victim to the urban planning of Baron Haussmann . Baron Haussmann made sure to preserve it when carrying out urban planning . contradictory +The Title V operating permit must also be made available for public comment and is not made final until compliance testing on the control device is completed . After the control device is tested for compliance , the operating permit is sent to a committee for a final vote . neutral +A better reincarnation is promised those whose deeds and actions are good in this station . A better reincarnation is promised to everyone . contradictory +The Academy 's report also tells us that there are many unanswered questions about climate change , which makes it difficult to determine what levels of greenhouse gas emissions need to be avoided . The Academy 's report says we don 't know everything about climate change . entailment +I am inclined to believe that the answer is yes , but the question makes me squirm a bit . I did not like the question asked , but I ultimately , the answer would be yes . entailment +It 's too bad Debunker ( someone suggested we call it CrapShoot ) isn 't up and running now , because there were a couple of nice examples in the State of the Union . Debunker is not open . entailment +they steal yeah that and they steal They steal things . entailment +Jon had hoped for that strength , " said the Kal . Jon gave up and didn 't even try to win . contradictory +The following is a recommended selection of Las Vegas 's best hotels in four price categories . There is only one place to stay in Vegas . contradictory +Revaluation of inventory and related property ( 596 ) Feeling fine about inventory and properties contradictory +Founder Bill McCartney , former University of Colorado football coach , slips pro-life and anti-gay messages into his rhetoric about responsibility and forgiveness . McCartney puts messages in his speaches . entailment +When it comes to ideas , there is no more tolerant land on earth . Ideas aren 't welcome here . contradictory +However , as noted above , we are requesting records from the Vice President in his capacity as Chair of the NEPDG . We didn 't ask for records contradictory +The new Community Legal Center at 205 N. 400 West is a project of And Justice for All , which , until this venture , has been a joint fund-raising campaign by an alliance of the non-profit providers of free legal services . And Justice for All put up a new center at 205 N. 400 West . entailment +The Kal pointed to Vrenna . It was Billy Bob that was pointing at Vrenna . contradictory +Currently it adheres to a policy that postage will be sold at face value , regardless of the costs associated with its sale . The current policy dictated a face value sale of postage . entailment +The best way to visit the Mount of Olives is to start at the top and work your way down . The most superior method to traverse Mount of Olives is to go down to the bottom from the top . entailment +But just level with my head there was a hole in the rock . The hole in the rock was bigger than an adult . contradictory +Nor can we simply ascribe their market dominance to advertising . We can simply ascribe their market dominance to advertising . contradictory +Britain 's political and economic connections to Madeira can be traced to the 17th century . Britain has political and economic connections to Madeira . entailment +right yeah uh as a matter of fact they 're talking about changing the the tax situation in Texas because the the schools are not they 're not equitable within the state so they 're changing that they 're talking about changing the uh the tax base and how the taxes are distributed to the schools which will probably mean uh another increase in property taxes either that or uh starting a state income tax There is no plan to change tax laws in Texas . contradictory +Lesvos , Chios , and Samos lay in the important shipping lanes , and patriots began disrupting Ottoman cargo traffic . The important shipping lanes comprehend Athens , Chios and Samos . contradictory +Misen is one of the three finest views in Japan . From Misen , you can see a beautiful landscape that includes mountains and meadows . neutral +Even though many low-income households have accumulated no wealth as they approach retirement , the researchers found that some low-income households had managed to accumulate fairly sizeable wealth . Not all low income households are unable to accumulate wealth . entailment +'Thank you , Natalia , ' I said . I thanked Natalia . entailment +well you know they they they 've started towards a little bit of the debit card have you seen the debit cards where they actually debit your account when you They 've used the debit card more . entailment +Along the coast Provence bristles with cultural activity in the summer months , each town using its ancient amphitheater , cathedral , or palace as a magnificent setting for festivals of music , theater , and the other arts . Art festivals are never held on the coast of Provence because of a lack of appropriate infrastructure . contradictory +If you want to look like a propaganda organ of Microsoft , about the best thing you could do would be to publish an article about a very hotly contested industry issue , take Microsoft 's side , and support your point with misinformation and untruths . If you publish an article about a hot industry issue , people believe it as fact and not as just some one-sided propaganda . contradictory +Of all Rajasthan 's fortifications , Jodhpur 's Fort , perched high on its sheer cliffs at the eastern edge of the Thar Desert , must surely rank among the most imposing . Jodhpur 's Fort can be found in the east of the desert . contradictory +There are twenty-one in room 14 , and nine in room 15 , depicting the enigmatic Minoans at work and play , and their major influences the bull , other animals , and the marine environment . The Minoans got their inspiration from spaceships and aliens . contradictory +If you 're here out of season , the costumes , worn year after year , will be on display in the 18th-century Casal de San Jordi . The costumes are on display at the Casal de San Jordi and tourists flock to visit them . neutral +After writing about Anderson 's piece in , I sent a letter to the New York T imes , which printed it Sunday . The article writer wanted to do a piece every Sunday . neutral +Begun at the height of Napoleon III 's Second Empire , it was completed only in 1875 , after the Commune . It was completed in the 19th century , after the Commune . entailment +My conclusion after reading The Microsoft Way : Stross has plenty of company when it comes to those who are clueless about this huge capitalist success story . After reading the book about Microsoft , I think Stross has a lot of people who are equally smart . contradictory +Do I just have the capacity to eat doughnuts and hamburgers and broccoli ? Can I eat doughnuts and hamburgers and broccoli ? entailment +YOU NEED TO COME TO THE CAVES , she spoke . She said to come to the slimy caves . neutral +Our descriptions represent a floor of quality for each evaluation application . Our descriptions are the minimum quality requirements for each application . entailment +Modern archaeologists studying the ruins of Troy have discovered nine superimposed cities , ranging from Troy I ( 3000 2500 b.c. ) to Troy IX ( 350 b.c. a.d. In the ruins of Troy , modern archaeologists have discovered nine superimposed cities , ranging from Troy I to Troy IX . entailment +yes and that 's one reason i like working up there a little bit is because i know what 's really going on I like working there since I stay in the know . neutral +It is the best in the south . It 's the worst in the south . contradictory +Those dueling Greek painters return in a new guise , as Mario Merz , in the Zeuxis role , covers a glass table with an array of fresh vegetables and fruit , changed daily by a New York caterer ( Spiral Table , 1982 ) , while Christo , playing Parrhasios , conceals the familiar Cezannesque shapes--wine bottle , vase , etc.--under a drapery of canvas ( Package on a Table , 1961 ) . The glass table is covered with fruit and vegetables . entailment +Oh , hell--it 's a lot more complicated than that , but it takes the basic facts and draws a picture of the results . It is more complex than that , but it uses basic facts . entailment +but i found that this worked really well and i came out of there and i saw my stomach going down well My stomach was shrinking quite well . entailment +His hand went to his holster , and Drew 's fist came down on the Texan 's wrist , hard . Drew didn 't want the Texan to shoot his friend . neutral +they 've got sixty or so of Iraq 's planes The planes are state of the art . neutral +The museum 's highlight is a life-size , sixth-century b.c. terracotta sculpture of a reclining couple that was used as the lid of a sarcophagus . The highlight of the museum is a painting made in 1923 . contradictory +'You 're really not supposed to use these indoors , ' I muttered , of the Gauntlets . No one ever told them where they were supposed to be used . contradictory +The bourgeoisie showed off its new prosperity with extravagant furnishings , silks , satins , and baubles , and in 1852 Paris opened its first department store , Au Bon Marche . Paris opened the first department store that sold women 's clothing . neutral +Worst of all , the Kamakura warriors , resenting the way the Kyoto court referred to them as Eastern barbarians , sought refinement in a ruinous taste for extravagant feasts , rich costumes , and opulent homes . Sick of being referred to as barbarians , the Kamakura warriors wanted to improve their imagine by doing things to appear more upscale . neutral +uh the interesting thing was the tremendous selection of jury process uh that we experienced That took one full week uh to get forty three people qualified to sit on the jury And then it was a matter of the selection of uh twelve people after that actually it was fourteen because we had two alternates It normally takes less time to find a qualified jury . neutral +18 In order to accommodate executive branch concerns about the extent to which GAO could judicially compel disclosure of highly sensitive information , Congress added the acertification- mechanism . Much of the executive branch was concerned about the extent of the GAO . neutral +But it is well worth a visit to the top ( a short hike from the bus stop ) to peer down into the bleak , barren crater emitting puffs of sulfurous fumes and contrasting starkly with the colorful vegetation all around it . It is certainly a good opportunity to visit the top . entailment +The big , grey , cigar-shaped object you 'll see on view here is a submarine , built by the local inventor Isaac Peral and launched in 1888 , ten years too late to make a world record . The submarine was build in 1888 by Isaac Peral . entailment +How could he ask her to help them when it clearly hurt her so ? He knew it would hurt her so how could he ask ? entailment +You can opt for a delightful , leisurely walk or a lengthy hike over well-marked paths , and climbers will find a miniature mountain range of sheer rock faces and cliffs . Climbers would be hard pressed to find anything that can entertain them . contradictory +Others ( a Saint Jerome and a Virgin ) are on display among the chalices and retablos of the Museo Diocesano , adjoining the Cathedral . No buildings are near the Cathedral . contradictory +'It 's like a giant sauna . It shared no similarities with a sauna . contradictory +The Office of Information and Regulatory Affairs of OMB approved the final rule as complying with the requirements of the Order based on the information supplied by EPA , including a planned regulatory action document describing the reason for the rule and an assessment of the costs and budgetary impact of the rule . The OMB 's Office of Information and Regulatory Affairs refused to approve the final rule . contradictory +His discovery was soon followed by tea planters and Chinese vegetable growers . His discovery was of great importance to the agricultural community . neutral +Make an early start , travel by RER ( see page 103 ) , and you can fit in a morning tour of part of the palace . The RER is the cheapest mode of transportation available . neutral +When it is suggested that the Postal Service should spend more on cost studies , questions arise about private sector expenditures in this area . questions arose about private sector expenditures in this area . entailment +The Alamgir Mosque rises behind the sacred Panchganga Ghat , said to be the mythical confluence of four Ganga subterranean tributaries . Supposedly , the Panchganga Ghat is the place where four underground rivers that feed the Ganga come together . entailment +We as a society have to learn more about the technology that is shaping our lives , and become more comfortable with it . Technology has a dark side to it full of pitfalls that can lead to our demise . neutral +well that 's true it it has to be kind of a discreet transaction It 'd be better if the authorities didn 't catch wind of the transaction . neutral +LSC 's vice president for programs , Randi Youells rejected that suggestion and adopted the plan merging Passaic and Bergen and Hudson . Randi Youells did not have the power to choose a plan . contradictory +and i don 't even know what they 're doing for themselves you know I 'm not aware of what they are doing . entailment +it 's uh there 's a town called Glenrose i think it 's around two hours from here and uh it 's got it has like dinosaur tracks A town that is two hours from here , Glenrose , has dinosaur tracks . entailment +John , I knew , had a horror of any kind of publicity , and was an easygoing optimist , who preferred never to meet trouble half-way . John was terrified of publicity . entailment +Postal Service wanted to recover the $ 59 million in lost contribution , it could increase the rates on outbound LC / AO mail , excluding outbound rates to Canada , by 7.5 percent . The Postal Service hasn 't lost any money in contributions . contradictory +Now about money " So where is the money ? neutral +He describes himself as being ambushed by cigar-chomping capitalists who hiss at him so loudly that he has to yell to be heard . He feels he has to yell to be heard over the cigar-chomping capitalists . entailment +She noted that we have to help patients who have severe alcohol problems . We also need to help schizophrenic patients . neutral +If you 're up to a climb , take the Mount Austin road to the Victoria Peak Gardens . You take the Victoria Peak road to the Mount Austin Gardens . contradictory +All told , it was a wonderful visit . It was fun to visit with everyone this time . neutral +One such related link , entitled Electronic Rulemaking , identified several electronic rulemaking initiatives across the federal government ( e.g. 'Electronic Rulemaking ' is a link related to the identification of several electronic rulemaking initiatives across the federal government . entailment +While the First Amendment limits government action , not that of an employer , doesn 't MLB--a group that constantly claims to symbolize America--have sufficient respect for that doctrine not to threaten to fire a guy for expressing his ( albeit despicable ) views ? Government action is limited . neutral +In addition , the rule neither affects small governments nor contains a significant intergovernmental mandate . The rule only applies to the Federal government and not state or local governing bodies . neutral +Because this new guy had arrived . The man who showed up was the same guy we all knew from before . contradictory +It also has a fine collection of bronzes from the ninth to the 12th centuries . The collection of bronzes is from the fifth century . contradictory +yeah i don 't even rent them you know i i figure if i find a movie i like i 'll buy it because i just watch them over and over again I don 't rent movies because I tend to re-watch them 100 times in the first year . neutral +it gives you a chance to feel like you 're a part of a group or the organization and that you 're heard and know and if you have ideas that type of thing You do not have the opportunity to feel like you are part of a group . contradictory +uh-huh yeah we 've uh we camped at the DeGray State Park in Arkansas in the fall and there was nobody else hardly around and it was just really nice that time of year we had taken our electric blanket too just in case it was unbearable but we didn 't need it We camped at DeGray state park in Arkansas in the fall , and it was pretty empty . We brought our electric blanket in case it was too cold , but it was really nice that time of year and we didn 't need it . entailment +it 's a it 's a lot quicker and and that way it 's completely low impact here 's no jumping or you know no jarring on the knee bones I try to not do any exercises that could damage my knees . neutral +It took place in a private room , and Mr. Hersheimmer 's orders were brief and forcible . Mr. Hersheimmer didn 't know how to command his subordinates ' respect . contradictory +Roller coaster aficionados will want to hop aboard the twisting , turning , looping Manhattan Express roller coaster at New York-New York . The Manhattan Express roller coaster is a tourist attraction for many roller coaster lovers . neutral +Find me a find , catch me a cat . Find me a find and catch me a cat . entailment +One participant emphasized that once the group lost trust in a member , trust could not be easily restored . A participant shared that once a group lost trust in a member it was hard to gain it back . entailment +If you file a paper tax return , the odds are better than one in 10 that you will be told you are wrong when you are right , Newt Gingrich warned in a speech playing off the hearings . Filing a paper tax return is harder according to Newt Gingrich . neutral +um-hum um-hum that 's right sure absolutely and people are families are scattered so much nowadays Yes that 's correct , families are very spread out today . entailment +but yeah i don 't think Atlanta would be much as much a problem as Chicago Chicago will be more difficult to beat than Atlanta . entailment +Many of the garrison remained and settled per ? έa ? ήently on the island . Many of the garrison left the island . contradictory +Unlike his other riders , his expression was calm . Unlike the others , Ca 'daan looked calm as he rode towards the castle . neutral +To give up on River Rouge in order to build your brand is one thing . Giving up on River Rouge is one thing . entailment +I 've always thought I was so much cleverer than Tommy but he 's undoubtedly scored over me handsomely . Julius agreed . I always thought I was smarter than Tommy , but he got better scores than me . entailment +oh i think i think that the um woman 's role has come a long way we 've gone more into the business aspect of uh like i say of i don 't know working more and then and we i think we 've even gone into more of the labor aspect of it also Women start more businesses than they used to . neutral +A 10-minute walk up the wooded hill to the castle tower gives a delightful view of the town and the surrounding valley of the Weiss river . The Castle Tower offers fantastic views of the nearby Weiss river valley . entailment +The scenery is magnificent and you can visit Mona Vrontisa , a small monastery in the hills above the town , which was the original home of the Damaskines icons now in Agaa Ekateranis in Iraklion . Mona Vrontisa is a mall . contradictory +Remnants of a medieval kastro and a fine archaeological museum housed in a mosque are two of the highlights . The medieval kastro and archaeological museum are the most important reasons to visit . neutral +As she tries to decipher the convoluted course of her Central American adventure , Elena McMahon , not one of those who saw in a flash how every moment could connect , discovers memory and imagination--faculties that Didion 's previous heroines did their best to deny . Elena tries to be one with Latin America neutral +The coverage function shown in Figure 1 models the change in the percentage of possible stops that are accessed on a route as a result of changes in volume . The percentage changes as the volume changes . entailment +uh capital murder or something like that that it may be different Capital murder , or something in the likes . entailment +Locally made items do not live up to their European models . The locally made products are far superior to the European models . contradictory +In King 's letter from the Birmingham jail , where he languished for a week in April 1963 , he pulled up hope in paired phrases of secular and religious faith , repeatedly invoking constitutional and God-given rights in a characteristically American ... King was jailed in Birmingham for encouraging civil disobedience . neutral +Birds both move quickly and maintain close distance to each Humans do one or the other . Birds always move slowly and remain at a distance . contradictory +Selana 's father was right to object . Selana 's father supported it . contradictory +Help yourself to unlimited salad from the abundant fresh bar . You can get unlimited salad including dressings and toppings . neutral +day per possible delivery for city delivery routes from table 1 . Table 1 contains city delivery routes possible per day . entailment +The school was fully prepared to cater to its very discriminating students . The discriminating students in the school are white . neutral +that 's uh i that 's what i 've heard people say is they 'll never go north of the Red River again Several people have told me that they plan to avoid the entire Red River , and not just the north , for as long as they live . neutral +Many spectacular pictures accompany the article . The article has only one very grainy picture . contradictory +and obviously and obviously it 's where they don 't have a any post graduate program there but you get a an excellent wide uh basis of topics you know you get a good broad education out of it you don 't they don 't graduate the best engineers or the best English majors but They have engineering and english programs . neutral +oh okay yeah i work on uh printers and the peripheral products division basically Basically , I work on printers and peripheral products . entailment +well we got a lot of barbecue places around around the Dallas area Spring Creek Barbecue that 's right in Richardson and it uh i i like the barbecue there um and it it 's fairly reasonable you can get um it i mean if if you know you go through the line and and pick up your food I got a lot of places where I can barbecue . entailment +The cannon sounded again for the 1918 Armistice and the funeral of Marshal Foch in 1929 . The cannon was broken and never fired for the 1918 Armistice . contradictory +Congress has an important oversight role to play in helping to ensure the effective implementation of the new department . Congress plays an important role in the development of the new department . neutral +In addition , owners of new , or greenfield , power generation facilities often request 24 months for completion of these projects , including installation of the boiler , FGD system , and SCR . The companies demanded that it be completed in two days . contradictory +you know everybody gets to vote on you know well should he be for this and uh you know on and on and on and uh it 's it 's interesting It 's fascinating that everybody in Canada gets to vote on if he is suitable for this . neutral +some months it may be different it 's not as though we feel like we have to keep ourselves you know down to the dollar or the penny in certain categories kind of thing Since we count every dollar and penny , every month is the same . contradictory +Or suppose Greenspan did not respond quickly enough and that the economy did indeed fall into a slump . It is possible that , if Greenspan did not respond soon enough , the economy would be negatively effected . entailment +And Fieldcrest has used that fuzziness to great advantage . Fieldcrest does not have any advantage over its competitors . contradictory +Each island has a flotilla of small craft setting sail daily to bring fresh catch to the island 's tables . Each island has small boats that catch fish . entailment +It 's a magical environment . It 's a scientific environment . contradictory +Your excursion steamer will feel like a child 's toy as it passes the gigantic supertankers of the Mitsubishi Shipyard . Your excursion will feel like a child 's toy . entailment +The Vice President in his August 2 letter also asserts that the term aagency- in 31 U.S.C. The vice president was unclear contradictory +Everybody 's Got a Hungry Heart Black people have hungrier hearts than others . neutral +yeah these these people they have the big loudspeakers because they have uh democratic system just like ours where they elect their mayors and their councilmens it 's really kind of funny it 's it 's kind of an invasion of your privacy privacy too they 're going down these streets with these really loud speakers They do not have a democratic system like we do . contradictory +the kids like it though they think it 's a hilarious it 's funny and informative , that 's probably why the children like it neutral +Has the Relatively Low National Saving Rate Affected Investment and Economic Growth ? The low national savings rate may affect investment and growth . entailment +and they 're asking like for a um GPA of like three point seven or something like that and like they 're looking like for uh GRE like ninety nine percentile and this and that and it 's like GPA and GRE do not matter at all . contradictory +Consider , for example , someone who owns shares of IBM at $ 100 and has a $ 20 paper profit on the stock . One example could be a person with $ 100 worth of IBM shares , and $ 20 of paper profit on the stock . entailment +but uh we do and we have several council women that are women but you just start hearing more and more in fact oh the the Governor of Texas is a woman too can 't forget that one so Ann Richards There are several female counsel members that you don 't hear about much anymore . entailment +Anyone would have sworn that the butler was a real butler , the footman a real footman only , as it happened , the butler was Whittington ! Whittington was doing a very good job pretending to be a footman . entailment +Those who enforce the law on the rest of us ought to be more law-abiding than the average . To be trustworthy officers need to be held to a higher standard . neutral +electronic databases ) A password is required to login to the electronic database . neutral +You want it left that way , Topham ? he asked icily . You want it left that way , or painted green ? neutral +So , if these times in the United States are like the time of Nero , we have ( by analogy ) at least 200 more years , including another century of greatness , and perhaps another millennium . If modern US is like the Nero era , then we are doomed . contradictory +Rick Moody and David Foster Wallace contribute short fiction to a summer reading package . No one contributed writing to the summer reading package . contradictory +President Clinton began backing away from his pledge to remove U.S. troops from Bosnia by June 1998 , which had replaced his previous pledge to remove the troops by December 1997 . President Clinton was unable to commit to a single date when he pledged to remove troops from Bosnia . entailment +The final rule adopts uniform competitive bidding rules for all future auctions , which simplify and streamline FCC regulations in order to increase the overall efficiency of the competitive bidding process . The final rule is not yet finished , so we do not know what it entails . contradictory +They ripped him apart . The wolves ripped through his body . neutral +To get the stationery engraved , the die plate will cost $ 56 , about average . The cost is neither cheap nor expensive . entailment +For example , we have active employee feedback and suggestion programs . There are feedback programs in place for the employees . entailment +This month , the federal Violence Against Women Office awarded a two-year , $ 350,000 grant to the Women 's Haven of Tarrant County . The federal Violence Against Women Office awarded a two-year , $ 350,000 grant to the Women 's Haven of Tarrant County . entailment +During the Kennedy era , the Secret Service employed fewer than 500 people and had an annual budget of about $ 4 million . During the Kennedy era the Secret Service had an annual budget of about $ 4 million . entailment +George W. Bush signed a Texas law forbidding class-action lawsuits against gun manufacturers , a bill opponents called the National Rifle Association Protection Act . George W. Bush signed a Texas law forbidding class-action lawsuits against gun manufacturers . entailment +yeah yeah well with my with my grandmother i think it was it was such that uh that she did not have the problem with My grandmother did not have a problem . entailment +I remember that some people complained President Eisenhower was distracted from the business of his office because he was out playing golf so much . President Eisenhower never played golf while in office . contradictory +well a large organization offers uh usually a good vacation time and they offer uh holidays and and medical and dental programs sometimes as well as just the ability to takeoff uh personal leave or whatever you need and one thing that i 've found coming in handy lately is juror duty uh being paid for that or or at least a full days pay plus whatever the the local government pays you it 's nice to be able to do that and not have to concern yourself with your job as it were especially if you get on a case Small organizations tend to offer very little in the way of medical coverage . neutral +The Crusaders set up their own kingdom in Jerusalem and began another Crusade to gain more of the Holy Land . The Crusaders set up their home in Bethlehem . contradictory +they have a a new waterfront uh marina in Philadelphia it isn 't as developed as uh Water Side in Norfolk or the Baltimore uh waterfront but uh the marina is only about uh two or three blocks from the historic district I would recommend going to Baltimore 's waterfront over Philadelphia 's waterfront . neutral +understanding of the law enforcement community 's approach to investigating crime . The law enforcement community has an approach to investigating crime . entailment +The sandstone temple on a granite base houses some graceful sculptures of Shiva and Parvati as a celestial king and queen receiving homage from their subjects at their home on Mount Kailasa . Nothing is inside the temple anymore except for an ancient altar . contradictory +There was--my personal favorite--the travel agency advertising a Jewish Singles Weekend , the high point of which was a visit to the Washington Holocaust Museum . The travel agency had a great ad for Jews . contradictory +no it 's it 's really bad to not break down Wrong , it really is bad to not break down . entailment +In some cases , agencies focused our attention on practices that began earlier . In some cases , agencies did not focus their attention on practices that began earlier . neutral +It has been an important settlement since the 14th century and was the largest port in Scotland for many years , handling Edinburgh 's cargo . It is no longer the largest port in Scotland . neutral +But there is , nonetheless , something melancholic about it , and this is where the lament about companies actually making products has real resonance . There 's only happiness and joy in it , not a hint of sadness . contradictory +The new king , Louis XVIII , tried at first to reconcile the restored monarchy with the reforms of the Revo ? ­ lution and Napoleon 's empire . Louis XVIII listened to his subjects to try and prevent another revolution . neutral +Tuppence mapped out her plan of campaign . Tuppence did not offer her a hand with her plan . contradictory +Napoleon was fond of Fon ? ­ taine ? ­ bleau and he refurnished the pal ? ­ ace after the looting of the Revolution . The palace fell into ruin following the Revolution . contradictory +Then , we turn our attention to First-Class household mail and evaluate the growth of two of its bill-paying and advertising . We look at how First-Class household mail has grown . entailment +They responded by pushing economic regulation from the state to the federal level . The federal regulations were changed to states . contradictory +White was beating himself . White was pleased with himself . contradictory +But in the closing days of the campaign , it stands as an apt description of his faltering Republican opponents . In the later days of the campaign the Republican opponents each had individual scandals arise which faltered their confidence , while the opponent had an op-ed about his work with grassroots community organizations . neutral +Building upon its experience in using technology to deliver services to clients--over 150,000 pieces of community legal education material are downloaded annually from its website--Pine Tree , with the cooperation and assistance of the Administrative Office of the Courts , has developed an interactive program to assist pro se litigants in completing district court forms over the internet . There are 750,000 pieces of education materials downloaded . contradictory +Crete 's main traditional musical instrument is the lyra , a U-shaped stringed instrument . The lyra is a type of musical instrument with strings . entailment +I see his hand in THIS . " He struck the open letter . He said that he couldn 't see his hand in any of it . contradictory +Shlaes hates progressivity not because it fails but because it succeeds . Despite his silent hate for progressivity , he publicly advocates for it . neutral +About half of it , however , is out of bounds to all but the military , but that still leaves huge areas of sand and surf . The sand is a bright white . neutral +little butcher shops yeah yeah i 've i 've lived in Mexico so i know I would always buy meats from my local butcher shop . neutral +and that innocent people i i shouldn 't say innocent because i mean actually actually if they commit a crime that they 're in the same circumstances but They 're not exactly innocent if they commit a crime . entailment +No , dash it all , in this world ! On earth you should dash all of it . entailment +I 'll tell you . I will let you know about the price when I get that information . neutral +Severn paled and didn 't speak for a moment . Severn was silent , then screamed . neutral +yeah i don 't care for that at all I love that ! contradictory +does it give a pretty good overview of everything or like does it give um i guess little encapsulated reports and and then a few big stories It gives a decent overview of everything neutral +He awoke and began preparing for his trip before dawn . He started preparing for his trip into battle . neutral +they have these the social in some sort of way if you want to go to school outside the country and many Salvadorians did they 'd go to school in Cornell Iowa of all places Many students from El Salvador end up going to U.C. Berkley in California . contradictory +Well , my friend , cried Poirot , before I could get in a word , " what do you think ? He would not let me finish a thought . neutral +Discussed below are two methods of analysis currently under review to accomplish these goals . In order to accomplish these goals , the methods of analysis are reviewed . entailment +yeah that was i 'm sure it was a powerful experience for him it 's something he 'll remember I 'm sure his mother 's passing was a powerful experience for him . neutral +It is a mixture of Romanesque and Gothic , with a clock tower dating from about the year 1000 and a 17th-century porch sheltering 12th-century doorposts . With a clock tower dating from about the year 1000 and a 17th-century porch sheltering 12th-century doorposts , it is a mixture of Gothic and Romanesque . entailment +From here it is a short walk , following the signs , to the Irish-Jewish Museum in Walworth Road . There are no signs that lead to the Irish-Jewish Museum . contradictory +But we didn 't do it alone . We were all alone when we did it . contradictory +Immediately north of Venizelos Square you 'll reach 1866 Street ( Odes 1866 ) , also known as Market Street , which still has the atmosphere of an old Turkish bazaar . Market street is reminiscent of and old Turkish Bazaar . entailment +When you work with people who are as dedicated as my colleagues , it 's contagious . When you work with people passionate about their work , you become like that too . neutral +Finally I got a blinking cursor at the Linux prompt . They got the cursor to blink . entailment +Most corporate officials , board members and professionals are people of ability and integrity who try to do the right thing . Board members and professionals are people of ability and integrity . entailment +I dragged Daniel back to the cockpit , and dumped him there . I put Daniel in the cockpit so the terrorist would not find him . neutral +Note the ultra-modern black-and-chrome Kirin Plaza beer hall next to the entrance to bustling Soemon-cho . Kirin Plaza is on the other side of town from Seomon-cho . contradictory +i work in a in a laboratory an Air Force laboratory and so we 've got a lot of uh MIT graduates that are in there and they are the biggest collection of screwed up people that i think i 've ever run into even even more so I work in an Air Force laboratory and the MIT graduations are very messed up but they work hard . neutral +As Buchanan put it , the boys in the War Room had won a little victory today over this little girl who is going to be denied justice . Buchanan was scathing in his criticism of the War Room . entailment +i 'm not saying they 're all bad but i think people who are guilty of really serious heinous crimes do not deserve to be cared for for the rest of their lives Every person , regardless of the crime , should be cared for in prison for the rest of their lives . contradictory +Native Lakelanders and visitors alike know exactly what Bramer was talking about . Bramer was using a lot of terminology that a complete foreigner would not be familiar with . neutral +So as I said at the beginning , the story of the baby-sitting co-op helps me to remain calm in the face of crisis . The story is quite funny . neutral +Impartiality and generalizability Unbiased and generalized information neutral +oh it 's not it 's probably not quite the same Oh , it is probably quite different . entailment +If you really can 't stand the book , probably someone on your Christmas list would appreciate it as a gift . If you can 't stand the book , just throw it away . contradictory +John Glenn 's space shuttle ride as a medical guinea pig . They sent John Glenn into space , not knowing how it would work out . entailment +A long moment came before he spoke . He started talking right away . contradictory +We have never needed one . We always need one of those . contradictory +With a history of emigration and return , of welcoming visiting merchants and seafarers , and , during a brief period of occupation , a garrison of British troops , islanders are a cosmopolitan mix . Many islanders prefer to partner with people that have emigrated . neutral +My evening was utterly and entirely spoilt by the presence of Dr. The doctor ruined my night . entailment +95 packages of drug-free urine in their pockets . Peter Parker , famed fighter of crime , found himself begging a newly caught mugger for directions to find fake piss before his probation test ; he 'd smashed a few too many windows in pursuit of justice lately , and the city was threatening to raise taxes on his profits from interviews and product placements . neutral +Those under the caption space exploration are valued using the specific identification method , that is , the specific cost of each unit of PP & amp ; E is attributed to that unit . Space exploration can cause many deaths . neutral +Plague and pestilence had apparently gotten out of hand . Disease was uncontrollable and threatened all of life . neutral +( Ironically , it 's the one night of the year when you get the least sleep . ) Coincidentally , it 's the only night of the year where sleep is disrupted . entailment +There 's a small zoo area where you can see snakes , lizards , birds of prey , wolves , hyenas , foxes , and various desert cats , including cheetahs and leopards . The zoo is home to some endangered desert animals . neutral +For example , the President has made financial management improvement a top priority and established a goal to obtain an unqualified opinion on the government 's financial statements . The president made it a goal to get an unqualified opinion of the government 's financial documents . entailment +He said , placatingly , " A circus _ would _ be more fun . " I agreed with him that it would be a good time . neutral +Hugh Hefner , 72 , allegedly needs no nursing , just a little blue , diamond-shaped pill . It is said that Hugh Hefner needs a diamond-shaped pill . entailment +Home-made floats made their way through the main street , accompanied by ticker tape and thrown confetti . The homemade floats were fun to look at . neutral +The analysis concludes that the rules do not impose additional reporting , record keeping , or other compliance requirements . The rules do require additional high fives . neutral +requirements for periodic reviews , managementRequired oversight , and configuration management . They have requirements for periodic reviews . entailment +Totally cukoo , Kudupi began and they all knew he was about to drop the bomb . Kudupi was about to drop multiple bombs . neutral +For example , President Clinton 's 2000 Retirement Savings Accounts ( RSAs ) proposal would have provided government matching on voluntary President Clinton 's RSAs proposal would not have provided government matching on voluntary . contradictory +Well , I will tell you this . I have nothing to say . contradictory +you think well nobody 's using the bathroom farther up stream so it 's got to be all right so we were doing things like uh you know we all had our little collapsible cups and we were going up to where the water was coming over rocks and all that and we 'd just kind of stick our cups in there and drink and then we were there for five or six days and and and it was neat you know we saw deer and uh You think no one is going to the bathroom upstream so it should be safe to drink and so far we 've been right . neutral +i said forget it i can live with it you know if the car 's Don 't worry about it , I can live with it . entailment +" They were lost in moving this , " Ser Perth told him . Ser Perth was speaking to another man who was claiming to be his father neutral +It can do no harm , was what she always came back to . She decided that it could do her harm . contradictory +Despite the large numbers who come to view the spring blossoms and the superb fall leaves , the Philosopher 's Path is one of Kyoto 's most tranquil and beloved strolls . The Philosopher 's Path is through a very busy intersection . contradictory +but after i looked at this place and i took Randi with me uh i think just about to every place one place i think i didn 't take her and i just kind of let her go see see what she felt like doing I took Randi along with me . entailment +Not very professional looking . The t-shirt doesn 't look very professional . neutral +So punishing past corporate sins is not like fining everyone who was present when an accident occurred , but when it was reported , which seems both unfair and pointless . People who may not have been involved with the accident could still be punished for corporate sins that are reported . entailment +Social Security itself wouldn 't go bankrupt . Bankruptcy is not in the future of Social Security . entailment +A monument to 26 Christian martyrs executed in 1597 ( at the beginning of Japan 's repression of Catholicism ) includes a small museum displaying relics , including a communion wafer that has survived in dehydrated form since the 17th century . The monument currently still stands today as a display for all to see . neutral +it just seems like the weather around here goes so quickly from being Winter to you know muggy and hot and it 's just you never really have like nice cool sixty five or seventy degree weather with sunshine you know and i really miss that i 'm from Chicago originally and i miss some miss seasons that you know that we used to get up there that you just don 't have down here I like how the weather here is always around a nice seventy degrees . contradictory +( She 'll need the dough to cover her legal expenses--see The Nation , below . ) She needs $ 5,000 in order to cover her legal expenses . neutral +'Thank you . ' The liquid tasted ... awful . I thanked him even though the liquid tasted disgusting . entailment +and i can name a few more i just can 't think of their names right off hand There are no more examples . contradictory +The automobile manufacturers regulated by the rule do not qualify as small entities within the meaning of the Regulatory Flexibility Act . Car manufacturers were regulated by the rule but don 't count as small entities because they hvae thousands of employees . neutral +oh really that is awful Did she really punch him ? That 's very awful . neutral +The town square could be a stage Two- and three-story white stucco houses with wooden arcades surround an irregular , but vaguely oval plaza . The plaza is vaguely oval . entailment +oh it 's that one that 's about uh what an inch and a half wide got a bunch of groves in it Use the one that 's five inches wide and smooth . contradictory +In 1984 Charles Murray wrote , in Losing Ground , that government programs sap the initiative of the black population , creating feelings of dependency and entitlement . He also feels that blacks cannot rise up above their intellectual means . neutral +The word that is used around Doug is ' operator . People only choose to say the word ' operator ' when talking to Doug neutral +Moses died on the journey to the Promised Land , but Joshua took over from him , and between 1400 b.c. and 1000 b.c. the tribes of Israel conquered all the lands north and south of Jerusalem , most famously bringing the walls of Old Jericho tumbling down with the sounds of their horns . In 1200 B.C. , the tribes of Isreal brought down the walls of Old Jericho . neutral +Although his criticisms in Passive Aggressive are right on the mark , Daniel Akst need have no fear of the free-riding index investors who strive for mediocrity by investing passively . Daniel Akst is critical in Passive Aggressive . entailment +Generally accepted government auditing standards ( GAGAS ) incorporate for attestation engagements the AICPA 's general standard on criteria , its field work standards , and its reporting standards , as well as the AICPA Statements on Standards for Attestation Engagements ( SSAEs ) , which interpret the attestation standards , unless the Comptroller General of the United States excludes them by formal announcement . The Comptroller General must include all attestation engagements . contradictory +Well , there has been an excruciatingly technical argument about this , mysteriously known as the double dividend debate ; the general consensus seems to be no , and that on balance pollution taxes would be more likely to reduce GDP slightly than to increase it . There has been a debate on the relationship of taxes and GDP . entailment +And that gives you the self-esteem to go out and meet the world every day . That does not give you any self-esteem . contradictory +Accommodation options in Tanah Rata vary depending on your budget , with the upper tier offering international-class resorts such as Strawberry Park , to the moderately priced Cameronian Holiday Inn . Strawberry Park is an example of a rundown motel . contradictory +It bore the inscription , " Mr. Edward Whittington . " Below the name were the words " Esthonia Glassware Co . , " and the address of a city office . The inscription included the address of a city office but didn 't include a name . contradictory +You would inherit it , wouldn 't you ? " You would be the rightful owner of the estate , would you ? neutral +That leaves rural renters in mobile home parks , apartments and houses with few places to turn when they encounter problems , said Robert Simmons of the Iowa Coalition for Housing and the Homeless . Residents in rural areas have few places to turn when they encounter problems . entailment +Ca 'daan saw the dark skinned woman ride past , a quiver of small spears hanging from her saddle . The woman had nothing on the saddle . contradictory +How long will it take to get them here for a council ? " Ser Perth appeared from the group . Ser Perth wanted to know how long it would take to get them here . entailment +you know it 's bad when you can smell alcohol on somebody but there 's nothing you can do because they not drunk The period before the person gets drunk can still be really frustrating to deal with . neutral +Profit Cost ( cents ) Per ( possible ) Volume Pieces Per ( possible ) Quartile ( dollars ) Piece Delivery Stop ( pieces ) Deliverya Stop Delivery is measured in thousands of pieces . neutral +The sad fact of an extended life span is that you get those extra years tacked on at the end , extending your frailty and neglect , not added to your 20s , extending your time in ersatz anthropology classes . Having an extended life span is something many people dream about . neutral +And please accept cookies so you can enjoy Accept cookies to enjoy the experience . entailment +We will always be a small town . Our town will always be a small town due to constant invasion . neutral +( He must have kept the original , however , because what I have looks like a duplicate . ) He has the original and I have a duplicate . entailment +The main polo season in Jamaica sees match after match on the pristine grass at Chukka Cove . The main polo season in Jamaica does not see many matches on the pristine grass at Chukka Cove . contradictory +However , not all studies of a small number of instances are case studies . All studies of a small number of instances are case studies . contradictory +Despite his injuries , he also insisted on arming the bomb himself . Although he was injured , he still wanted to disarm the bomb alone . entailment +Yet another sitcom about a single female journalist , this one has a high-profile cast ( George Segal ; sex , lies , and videotape ' s Laura San Giacomo ; and Saturday Night Live ' s David Spade ) . Sitcoms about single female journalists often include small profile casts . contradictory +CCC states that no substantive changes have been made in this final rule which affect the recordkeeping requirements and estimated burdens previously reviewed and approved under OMB control number 0560-0174 . CCC says ten substantive changes have been made that would affect recordkeeping requirements . contradictory +The listserv I 'm on--subscribe by sending the message sub politics [ your name ] to listserv @ aloo.netaxs.com--has not yet focused on the campaign , but will as Iowa and New Hampshire beckon . 100 more people can subscribe to my listserv . neutral +Rum now began bringing in considerable legal ( as opposed to contraband ) revenue . Rum is making them a lot of money . entailment +Anyone with any sense could see at once that her husband had poisoned her . Anyone could easily tell that the husband had poisoned her drink . neutral +Spain was backed by Portuguese aristocrats , eager to avoid war . Spain was not prepared for war . neutral +Artists still scorn it as a vulgar pastiche , and the working-class residents of the area resented its being erected as a symbol of penitence for the insurrection of the 1871 Commune they didn 't feel penitent in the least . Local residents feel penitence when passing it . contradictory +These were the residential areas of the city , considered desirable when they were first built . The city had some residential areas . entailment +Caravaggio contributes a typically disturbing canvas , an ugly Sleeping Cupid with intimations of death ( Hall 32 , Education of Jupiter ) . Caravaggio made a painting about french fries . contradictory +After a mea culpa , the public or Congress are unlikely to muster much enthusiasm for chasing Clinton through the dull , impenetrable thickets of Whitewater , Travelgate , and Filegate . Clinton was never accused of any wrongdoing . contradictory +but he 's got a couple of books out one of them is called um Wealth Without Risk I really enjoyed Wealth Without Risk . neutral +Well , he did , sir . Sir , well , he did . entailment +The rider dismounted from Croaker , was up on the black . The rider got onto Croaker . contradictory +wasn 't a house really it was it was more like a It was an apartment . neutral +And when they do , said the Industrialist , energetically , " I will keep my part of the agreement . The Industrialist said he would dishonor the agreement . contradictory +D 'Amato 's latest strategy--to tar Schumer as a lazy , part-time congressman who skips votes--seems to be backfiring as well . D 'Amato 's strategy is backfiring , which is nothing new . neutral +It might not have the scope of The Godfather or The Godfather Part II , yet among all the gangster pictures since Coppola 's epic , it has no peer . It definitely had the scope of The Godfather . contradictory +On the way , you 'll see palms that look rather like giant asparagus tips . These palms do not bear coconuts . neutral +and so we 're going to use people that we 're in a relationship with that we know that you know we know are people of integrity so We will ask only family and relatives , and maybe close friends we trust . neutral +In some parts of the island , bamboo was planted along the roadside to provide shelter for people traveling in the heat of the day . In some areas of the island , bamboo was planted along the roadside . entailment +That was one of them . That 's one of them , but smaller than we expected . neutral +I can sell you one , cuz I got me several , for friends , you know . ' They can 't sell any , they only have one . contradictory +right golly now is this uh cocaine type This is like cocaine . entailment +Stairways and railings just inside the gate make a tour of the battlements safe . The railings were installed just past the gate due to concerns about the safety of visitors . neutral +The New Republic ' s Alan Wolfe finds similarities between Jones and Both are voyeurs who exaggerate their subject 's sexual activity . Jones uses the act of voyeurism to create art . neutral +He took Ca 'daan to an outdoor ship that sold sticks of shriveled birds and wood cups of murky water . He told Ca 'daan he couldn 't come along with him . contradictory +STATE AND LOCAL GOVERNMENTS -State and local governments generally the 50 States and the District of Columbia ; cities , counties , townships , school districts , special districts , public authorities , and other local governmental units as defined by the Bureau of the Census ; and Puerto Rico , the Virgin Islands , and other US territories . The local governments are just as complex . neutral +First-Class household bill mail First class mail is guaranteed to arrive at the correct household neutral +Once administered by the Augustinian Fathers of the Assumption , it is now a guesthouse and pilgrimage center . It is cheaper than many other guesthouses in the area . neutral +Did he feel some secret stirring of fear , or was he confident that his crime would go unpunished ? Did he flee because he was afraid he 'd get caught , or did he think he 'd get away with it ? neutral +There was a massive dispossession of the Irish from their fertile lands in the east , and they were driven west of the Shannon ; in Cromwell 's phrase they could go to Hell or Connaught . The Irish were largely able to keep and hold onto their lands . contradictory +His own innovations--especially the mobile--are credited with influencing other major sculptors , including Picasso and David Smith . His inventions influenced sculptors . entailment +Bauerstein 's arrest , of course , " I answered impatiently . I was not patient when I gave my answer . entailment +In the fall of 1995 , none other than Henry Kissinger--the author of the secret incursion into Cambodia that prompted the War Powers Act--asserted that Clinton must obtain clear and unambiguous congressional backing before sending troops to Bosnia . Fall of 1985 , Henry Kissinger--the author of the secret incursion into Cambodia that prompted the War Powers Act--asserted that Clinton must obtain clear and unambiguous congressional backing before sending troops to Bosnia , entailment +i don 't know i really don 't know it just seems like i here it on the news the day before and uh i i think it 's coming up here soon I heard it on the news the day before , I think it 's coming here . entailment +For part of a second , it hovered over the empty camp . it did not hover over the camp at any time . contradictory +you know if if they could get somebody to help compliment him you know i think they 'd be uh awesome because that guy can play that Chambers is is something else but uh i don 't know it 'll it 'll be interesting That would be best if they would be able to find someone to compliment him . entailment +Turn right at the end down Via Cappello for the 13th-century palazzo that the local tourist authorities will have you believe was Juliet 's House ( Casa di Giulietta Cappelletti ) , complete with balcony . The palazzo can be reached y turning left on the Via Cappello . contradictory +no no it 's funny uh i got out and got my bachelor 's degree in uh seventy three and uh never went to a game there and have never gone to a game since I went and got a degree in ' 73 , but never bothered to go to a game ! entailment +well Pennsylvania used to have uh some commercial displays there was one place that was halfway between Harrisburg and Allenstown Pennsylvania in a community called Midway which suggest it was halfway Pennsylvania never had any form of commercial display . contradictory +yeah i 'm i guess you 're right the the diesel has almost fallen into unpopular status i don 't know exactly why One of the reasons is i i 'm beginning to wonder is where do you get gas at i sure i don 't know if it 's still uh limited like it was i don 't notice it probably because i don 't huh I see gas stations for diesels everywhere . contradictory +Jon looked at the huge man . Jon didn 't look at the large man . contradictory +The chiefs governed their feudal domains by force , ritual , and taboo . Their feudal domains were governed by love . contradictory +no i don 't my my wife has been working with them My wife has been playing with them contradictory +E-mail Slate readers will get the survey by e-mail . Slate subscribers who receive the magazine electronically and are in good standing can check their e-mails for the poll . neutral +Relying on iffy legalisms to help Clinton escape trouble is his job . Clinton needs help in escaping trouble . entailment +and um you know you see sixteen year olds driving around in brand new BMWs and it 's just unbelievable you know It 's unbelievable because BMWs are really expensive . neutral +It is hard to believe that Las Vegas a city of mythic proportion started out as little more than a dusty railroad stop in the middle of a barren and unforgiving desert valley . Las Vegas developed from a small-town railroad stop to a gigantic city . entailment +Agencies also publish information on scheduled hearings and Hearings take place once a month . neutral +what 's the what 's America 's role there and it it uh with with other things going on it it it seems to have lessened but you 've still got uh Cuba that exception exerts some influence Cuba could totally undermine America 's role in this situation . neutral +It may not be efficient for EPA to make these choices in rulemaking . It might not be efficient for epa to make rulemaking decisions entailment +Judging by today 's responses , the network 's lineup would seem to consist of Peter Jennings , Sam Donaldson , Ted Koppel , and Barbara Walters , grilling Ellen DeGeneres about her lesbianism while a bare-assed Regis Philbin dispenses cash and prizes . Peter Jennings is an upright , heterosexual man . neutral +The most obvious remains at the site date from this time . The least obvious remains at the site date from this time contradictory +With Cervantes ' help , he said he wrote his employer a letter demanding the money , provided an account of the hours he worked , and just received two checks totaling more than $ 3,000 . He received more than three thousand dollars for the time he worked . entailment +However , applying the case study methods of research to evaluation requires dealing with matters of control , power , and responsibility that were less visible in the work of Case study methods involve matters like control , power and responsibility and were flat out ignored . neutral +is it good education it may be free but is it good education and that 's just it are we willing to pay for it you know It is decent education , even though it is free , and we have to ask if we want to pay for it . entailment +It lies 600 km ( 375 miles ) off the coast of Morocco and nearly 1,000 km ( 600 miles ) southwest of the Portuguese capital . It is located southwest of the capital city of Portugal . entailment +The state legislature helped as well , by legalizing gambling in 1931 and thus solidifying the future of the town , though legislators and residents could never have known this at the time . The legalizing of gambling single-handedly saved the Las Vegas economy neutral +Both facilities had limited lay-down area to perform the retrofit installation . Both facilities had limited space necessary for the retrofit installation . neutral +NONCOMPLIANCE WITH PROVISIONS OF CONTRACTS AND GRANT AGREEMENTS Perfect compliance with contract provisions and grant agreements contradictory +but you know he can walk back to the little cabin in about five minutes from there but it 's it 's a ninety nine acre i think it 's a ninety nine acre in fact they have acquired some more now that they are going they 're going to clear but it 's a long term lease from the corps of engineers It takes approximately five minutes for him to return to the cabin by foot . entailment +The ultimate effectiveness of the new department will be dependent on successfully addressing implementation and transition issues . The effectiveness of the new department won 't be dependent on successfully addressing implementation and transition issues . contradictory +do you have a lot of spare time to do it in or is it something you kind of have to make time for So you already have a lot of spare time do it in . contradictory +The concentration of the metals , Al , As , Cr , Co , Cu , Fe , Pb , Ni , Zn , expressed as total metal , should not exceed 1 eg / L each , and Cd , Hg , and Ag , expressed as total metal , should not exceed 100 ng / L each . Metal is concentrated but should not exceed 100 ng / L. entailment +Within ten years of the Young Pretender 's occupation of Holyrood , Edinburgh 's town council proposed a plan to relieve the chronic overcrowding of the Royal Mile tenements by constructing a New Town on land to the north of the castle . Ediburgh was so overcrowded that some people ended up sleeping on the streets . neutral +Ca 'daan left at night and San 'doro followed . San 'doro followed Ca 'daan . entailment +A few companies reported having gain-sharing programs similar to GSA 's , IRS ' , and Justice 's . No companies reported having gain sharing . contradictory +Florida Big Bend A destination in a southern state . entailment +Monitoring various aspects of the organization 's security-related activities by testing controls , accounting for the number and types of security incidents , and evaluating compliance with policies . Security-related activities are subject to monitoring . entailment +Many Moorish place names also survive , including that of Fatima , the pre-eminent Catholic site in Portugal . Fatima is a Moorish place name that survived the pre-eminent Catholic site located within Portugal . entailment +If you run into any problems , e-mail help @ slate.com. Email us if you need help with your subsription . neutral +The Sunday morning flea market at Porta Portese in Trastevere is as much fun for the people watching as for the occasional bargains . Porta Portese in Trastevere is a popular place for people watching and shopping . entailment +Congress cannot impose community service on the president without his permission--that would be an unconstitutional bill of attainder . Congress cannot impose community service on the president without his permission . entailment +The Federal Financial Management Improvement Act ( FFMIA ) of 1996 requires , among other things , that agencies implement and maintain financial management systems that substantially comply with federal financial management systems requirements . Agencies aren 't required to maintain financial management systems by the Federal Financial Management Improvement Act ( FFMIA ) of 1996 . contradictory +How did this unconventional woman arrive at these conventional ideas ? How did this woman end up with such unfitting ideas ? entailment +yeah and so that would be that would be see there 're too many things that go against it that would be ridiculous It won 't be ridiculous in any way at all . contradictory +In that sense , we 're all one-worlders now . We are all one worlders in the sense that we live on one world . neutral +Also in the Arts Building is the Douglas Hyde Gallery , a modern two-level exhibition space it 's the place to go for the cutting edge in Irish and international art ( open Monday Friday 11am 6pm ; Thursday until 7pm , Saturday 11am 4 : 45pm ; lectures Wednesday 1 : 15pm , tours noon Saturday ; free ) . The Douglas Hyde Gallery is a single story structure . contradictory +Hunt interrupts Novak only once , gently , ending the official Punditus Interruptus Tally at Hunt 6 , Novak 2 . Not only do Hunt and Novak make nice , they are nice to others too . Hunt always waits for Novak to finish talking . contradictory +In the end , however , rational expectations to Keynesian macroeconomics . They expect nothing from Keynesian macroeconomics . contradictory +The north side of the building has statues by Joseph Banks depicting Africa , America , Asia , and Europe . Making statues depicting continents was fresh and profitable idea . neutral +Spain 's golden potato omelette ( tortilla espaeola ) makes another excellent budget meal . An example of an incredibly expensive meal would be Spain 's golden potato omelette . contradictory +Right now , I 'm giving back to the community I grew up in , said Luu , 24 , who lives in Alhambra . This is because she had a good upbringing and wants to bring it to the kids . neutral +and uh we stole it fair and square i think is uh We took it without asking . entailment +However , the standards comprise the summaries in the boxes and the entire text of the explanations . The standards are a separate class that bears no relation to the summaries or explanations . contradictory +The museum has a cafe and there are several just across the street from the entrance . There is a place that serves food in the museum . entailment +powdered sulphur Powdered sugar . contradictory +and then then then if my parents had the same kind of computer which they don 't they don 't have a computer but if they did then they i could send them all that on a floppy disk and it would play out for them right there on the computer and they could click it to see each next scene It doesn 't matter if we have the same kind of computer , because there is no way to transfer information . contradictory +it 's hard to tell how much has been that or how much is just her There is no boundary to how much is her , and how much is due to that . entailment +wow that that just doesn 't seem to make make any sense why if you have to tax something for something you already own That doesn 't make sense . entailment +yes when is yours on Yours is never on . contradictory +There are several issues to consider when evaluating study quality , including but not limited to 1 ) whether the sample estimates of WTP are representative of the population WTP ; 2 ) whether the good to be valued is comprehended and accepted by the respondent ; 3 ) whether the WTP elicitation format is designed to minimize strategic responses ; 4 ) whether WTP is sensitive to respondent familiarity with the good , to the size of the change in the good , and to income ; 5 ) whether the estimates of WTP are broadly consistent with other estimates of WTP for similar goods ; and 6 ) the extent to which WTP responses are consistent with established economic principles . Study quality is evaluated every half a year . neutral +Why , that there is altogether too much strychnine about this case . This case contains too much strychnine . entailment +you 'd have a lot of hills in that down in that area That area is tough to bike around . neutral +Jane started nervously . Jane began with confidence . contradictory +Table 6 shows various Cpk values and the defect rate associated with each value . Table 6 does not show any Cpk values and associated defect rates . contradictory +To the left are innumerable aisles of records , books , software , CDs , 12-inch vinyl , and the city 's largest selection of periodicals and zines . It 's easy to get lost while looking through the aisles . neutral +and uh we also have a tie in to a mainframe out in in Dallas Texas We 're linking up with the mainframe in Austin , Texas . contradictory +Only some of them receive help from the Civil Court 's Self-Representation Office , which Dean Glen termed a valiant attempt at fair resolution . Only some of them get help from the office because their hours are so limited . neutral +Metley Cree drummer Tommy Lee will have plenty of time to contemplate his temper as he serves his six month sentence for felony spousal abuse of his wife , former Baywatch actress Pamela Anderson . Tommy Lee and Pamela Anderson had a rough marriage . neutral +Even if enough Republicans join Democrats to kill the amendment , more would be needed to defeat the filibuster that has already been promised . There aren 't enough Republicans and Democrats to defeat the filibuster . entailment +That 's one reason why I 'm a pro-life person . That 's a reason why I 'm pro-life . entailment +Lovers of Neapolitan folk music can enjoy a whole week of it in early September at the Piedigrotta festival . Neapolitan music is more interesting during Septembers . neutral +The data collection system provides LSC with the capacity to track the expansion of these methods and to better describe their scale and impacts as this expansion continues . The data collection system gives LSC the ability to track the expansion of methods . entailment +Indeed , I feel that the competition process has been successful in ways that I would not have ever envisioned when I was hanging out in legal services programs in Iowa and New Jersey in the seventies , eighties and nineties . There are more legal services available now than they were in those days . neutral +Still , the gambling-free sites are entertaining enough . Sites without gambling are quite boring . contradictory +The President 's Energy Plan goes even further . The President 's energy plan doesn 't go very far . contradictory +uh-huh well have you ever thought about coming to Louisiana you know to visit I 'd like you to come visit me in Louisiana . neutral +even better than Jaws and some of that It 's even better than the movie Jaws . entailment +but i really enjoyed it though However I very much liked it . entailment +In its place came a feeling of gloom and apathy . In return came a slight glimmer of light at the end of the tunnel . contradictory +'Thank you very much . ' No thanks is given . contradictory +Wardmaid clearly to blame ! It was the wardmaid 's fault again . neutral +That was more than two centuries ago , and remarkably , it is the last time any economist made a faulty prediction . It 's been two centuries since economists botched a prediction . entailment +mean they can 't stop you from doing it so They can and they will stop you from doing it . contradictory +What about the nurse who accompanied her ; I suppose you don 't know where she is ? " The doctor shook his head . " The nurse with her - where is she ? " The doctor feigned ignorance . neutral +Zercher says Lindsey called her and urged her to say all positive things about her experiences . Lindsey had never called Zercher until now . neutral +but other than that that 's the only fall back you know because the winds change he goes the other direction and and we we have to follow him around you know It is hard to predict where he would go next . neutral +Its annual growth rate fell from 0.6 percent in 1987-90 to negative 1.4 percent in 1990-93 and further to negative 2.0 percent in 1993-97 . The growth rate rose in subsequent years . neutral +um looking back like maybe some of the things that i know now i i 'm not sure i do believe it was worth the cost in dollars and lives that was one of the questions that she asked us to think about because i because we never went to war i don 't think we were committed to winning it and getting out and i i feel like it went on and on Now that I think back on it with hindsight , I have doubts about whether or not it was worth the cost . entailment +That 's that , she observed sternly . She didn 't observe that this was now how it was . contradictory +a dish of chickpeas served the Ibicenco with parsley , oil , and garlic . The chickpeas come with parsley , oil , and garlic . entailment +Without meaningful reform , the Social Security and Medicare programs face long-term financing problems . The Social Security and Medicare programs have plenty of cash to last for years . contradictory +yeah it is me too that 's why i got the Honda Hondas have great resale value Hondas have an excellent resale value , but it cost me a lot . neutral +When the elephant has located a tiger , the mahout signals and you hop aboard his howdah to penetrate the jungle . After the elephant finds a tiger , the mahout beckons you to climb onto the howdah . entailment +um but it it just work in the garden work around the yard of course Working inside on the house . contradictory +Fires ravaged Kyoto 's original 8th-century Imperial Palace , and the present buildings are a 19th-century reconstruction . The reconstruction of the Imperial Palace took five years . neutral +In 1948 the modern State of Israel was proclaimed . The declaration of the modern State of Israel was accepted by most people in the world . neutral +And , if you unexpectedly can 't reduce emissions as much as planned , you have the flexibility to go out and buy more allowances in the market - all without any government interference , and without undermining air quality . Emission allowances help businesses reach their emission cap goals with ease , eliminating needless bureaucracy . neutral +The painterly impact of the burnt sienna glows from the arcaded Gothic Palazzo Pubblico opposite , with its splendid 102-m- ( 335-ft- ) high Torre del Mangia ( climb to its first tier at 88 m [ 288 ft ] for a magnificent view of the city and countryside beyond ) . The first tier at the Gothic Palazzo Pubblico is over two hundred fifty feet high . entailment +John , I knew , was very fond of her , and would be sorry to let her go . I knew that John felt affectionately towards her and wanted her to stay on in his home . entailment +The Merchant demanded an immediate landing . The Merchant wanted to land right away . entailment +While the Hittite Empire declined , other momentous events were taking place on the shores of the Aegean . Momentous events have taken place on the shores of the Aegean . entailment +Revision of Fee Schedules ; 100 % Fee Recovery , FY 1966 100 % of fees were recovered by the IRS . neutral +Still , there 's a certain irony in Grove 's ascent to elder statesman , because the idea of him as shaper of the future makes it easy to miss how much Grove and Intel were products of what 's now described as the corporate past . They brought their ideas to life over time . neutral +The gardens make a cooling place to sit after a guided tour , and the equally alluring cafes and a renowned restaurant offer a range of refreshments . There are many tours offered in the garden for a very low price . neutral +, smoking-related disease ) and the difference in the effect size between chronic exposure studies and daily mortality studies suggest that all incidences of premature mortality reduction associated with a given incremental change in PM exposure probably would not occur in the same year as the exposure reduction . Reducing PM exposure always eventually results in a reduction of premature mortality . neutral +In short , the place made Bosch look like a Methodist picnic . Bosch loved picnics by the lake of summer afternoons . neutral +Institutional investors may have concerns different from those of individual investors regarding expectations for corporate governance and the role of the board of directors . The institutional investors tend to have more of a voice with respect to corporate governance . neutral +To me ! Susan must have pushed his voice into Adrin . Nobody pushed his voice into Adrin . contradictory +This examines the installation of the control device hook-up on a sequential basis . The installation test also requires a frequency meter neutral +a stay at home mom and and i i was very fortunate in starting and i really enjoyed it while i was at TI but you know the cutbacks were really getting to be rather frightening and i had less than five years i was very unfortunate in beginning and i didn 't care for it contradictory +E-mail addresses follow no standard format . E-mail addresses have no standard format . entailment +As the linchpin member of the national civil justice community , LSC regularly joins with its national partners to promote equal access . LSC is a member of the national civil justice community . entailment +Beatty is meticulous , even anal . Beatty doesn 't like the way other people do things . neutral +But Poland has survived , with its culture , language and most of its territory intact , and today Poles look forward with optimism to taking their place at the forefront of the new , post-Communist Central Europe . The territory comprising today 's Poland is the nearly the same as pre-World War II . neutral +My instinct was right . " My inclination was correct . entailment +( This transaction differs from the immediately preceding transaction , in which an entity does not pay the full cost of the goods or services it receives from another entity . This transaction is much cheaper in the long term . neutral +Like the wild countryside of the interior , the megalithic monuments of Brittany 's menhir country on the south coast take you back into the legends and mists of time . The north cost has monuments on it . contradictory +Out . Too fine a day to be cooped up in the house . It 's too nice of a day to stay inside . entailment +i that don 't it it it seems like i mean if wrestling is prime time professional wrestling it seems like it 's just just just like pros in a wrestling to me i don 't i don 't see any difference though The WWE is clearly the best wrestling organization . contradictory +Around him now were men trained from early childhood to this life , and he could show no skill at their employment . Circled around him , many people stood , clearly more trained than he was for this encounter . entailment +yeah it 's yeah it 's helping the kids It 's helping the kids . entailment +That remains to be seen , said Sir James gravely . Sir James has a grim outlook that the indefinite future will be not turn out well . neutral +He spun the barrel , and gestured as if aiming . He pretended to aim . entailment +A very good speech , Conrad , he said approvingly . The worst speech ever , Conrad , he said disapprovingly . contradictory +The gardens here are famous for their five fountains that imitate the many different sounds of the monsoon , from light showers to torrential storms . The fountains were placed there to imitate monsoons for religious purposes . neutral +The importance of Siena 's 13th- and 14th-century school of art is best illustrated in the imposing Palazzo Buonsignori 's National Art Gallery ( Pinacoteca Nazionale ) . The National Art Gallery illustrates the importance of Siena 's 13th- and 14th-century school of art . entailment +and consequently some of the very best students were had excellent memories Because of that , the students with excellent memories were some of the best students . entailment +Of the $ 12 million , 22 percent is earmarked for the LSNY budget and 78 percent is allocated among the seven local corporations , according to LSNY spokeswoman , Edwina Martin . They refused to allocate any funds for the program . contradictory +She tossed off her little V. She gently tossed off her V. neutral +The commentary is in English , French , German , or Turkish , in rotation check the notice by the benches for the date of the next performance in English . Commentary is offered in multiple languages . entailment +You can print these documents in their entirety , including charts and other graphics . These documents are technically classified , so please refrain from printing and distributing them . contradictory +I should not think it likely . It does not seem like it would be likely . entailment +well i i sometimes wonder if i didn 't mess up i maybe should have taken the higher grades because at least you can if you have to you can get mean with them When I cheated , I messed up because I didn 't invent grades that were high enough . neutral +This is slightly less popular , but there are facilities in Tel Aviv , which has a mechanical pull ( Southern Park ; tel . 03-739 1168 ) , and Eilat , which offers the full range of motorized watersports , including jet skis , parasailing , and water bananas . Eilat does not have any parasailing . contradictory +Directly south of the Old City just outside its walls , is Mount Zion , revered by millions and visited by hundreds daily . The Old City is a popular tourist destination . neutral +yes i wish i had the answer for that everybody does it makes no difference to use if we get an answer contradictory +However , ideally , longer than 35 months would allow for all of the retrofits to occur over a period of several years so that facility owners can properly plan outages and suppliers can properly plan for resource availability . Retrofits have not traditionally taken longer than 40 months . neutral +Dorcas , faithful to her " young gentlemen , " denied strenuously that it could have been John 's voice she heard , and 142 resolutely declared , in the teeth of everything , that it was Mr. Inglethorp who had been in the boudoir with her mistress . Dorcas was unable to come up with a plausible defense for her lovely little John . contradictory +Non-smoking floors . You can 't drink here . neutral +yeah no i d rive from the campground I take the route from the campground . entailment +oh they give you yeah oh oh Oh , they give you entailment +the effect that it 's had on this young man 's life is so dramatic that it 's heartbreaking and he may never really be It 's sad to see how this young man 's life has been affected . entailment +um-hum um-hum well i 've i 've lived both in the United States and and in a country where they do use the metric system and uh so i 've i 've lived with pounds and inches and found it really quite easy to convert over um the secret seeming to me is to be to not bother ever converting inches to centimeters and pounds to kilometers I 've lived in countries that use both systems . entailment +But it is well worth a visit to the top ( a short hike from the bus stop ) to peer down into the bleak , barren crater emitting puffs of sulfurous fumes and contrasting starkly with the colorful vegetation all around it . The top of the area has a beautiful scenery . neutral +Sociologist Pierre van den Berghe argues that such a continuum is preferable to a simple black-white dichotomy . Pierre van den Berghe said a continuum has benefits over a black-white dichotomy . entailment +The per child credit will be broadly distributed--though not to the poor ( who pay no taxes , so can 't use the credit ) . The per-child credit is claimable by those poor families that pay no taxes . contradictory +Your story on new ball parks ( Diamonds in the Rough , by John Pastier ) failed to mention their blatant commercialism in the form of billboards and other intrusive enticements to buy products totally unrelated to the game . John Pastier wrote a story about how offended he is by billboard ads at ball parks . contradictory +They are linked not only by geographical location but also by here are the upmarket and fashionable neighborhoods , with affluent residential sections , trendy restaurants , and L.A. ' s fabulous shopping areas . They are linked by geography and also by what they sell . entailment +In the grandiose interior , the luminous 12th- and 13th-century mosaics of the nave and apse depict the complete cycle of the Old Testament , replete with a 66-ft high Christ Pantocrator with saints , while the aisle mosaics narrate the miracles of Jesus . Inside there are 12th and 13th century mosaics that depict the full cycle of the Old Testament . entailment +it did is that right you know well if you sell it for that sure if you sell it for that price whatever you have to buy is going to be inflated by that same amount so there 's really not an advantage to it If you sell it for that price you 'll be getting a great deal . contradictory +5 as the indicator of exposure . ) The indicator of exposure could be a number other than 5 . neutral +Grand row ! Awful row . contradictory +To more effectively address the environmental problems caused by power generation , there is a need for a national program that would take advantage of synergies of controlling multiple pollutants at once . We need a state program to limit multiple pollutants . contradictory +Nigatsu-do hosts a spectacular fire purification festival in the second month of the lunar calendar ( hence its name ) : the O-mizu Torii , or Water-Drawing Festival . During the third month of the Roman calendar , the Chinese host a fire festival . contradictory +In this way they have involved the judiciary , the private bar , law schools , social service providers , court personnel , legal services staff and board members and clients in their planning effort . No one is involved in the planning effort , especially not the clients . contradictory +These additional data provide a more complete indication of performance . A more complete indication of perfomrance is provided by these additional data . entailment +No , but what else could I do--go see the Carlsbad Caverns ? Should I have gone to see the Carlsbad Caverns ? entailment +yeah you know i mean you could just you could just take lessons forever forever i think You could just take as many lessons as you can . entailment +just to check the validity of the lab yeah and uh so that 's kind of an ongoing test process for the we do for Compucam and you know they don 't know which ones are test samples Compucam provides us with thousands of samples per month . neutral +Its construction for the 1889 World 's Fair was an astounding engineering achievement some 15,000 pieces of metal joined by 2,500,000 rivets , soaring 320 m ( 984 ft ) into the sky on a base only 130 m ( 430 ft ) across . The construction is on the cutting edge of engineering . neutral +Nor is it possible for a newspaper writer now to be as blunt as Royko was . Royko was the last blunt newspaper writer . entailment +But he was sufficiently wary of the formidable strength of the Hittite Empire to make peace with the next king , Hattusili III . Hittite Empire was extremely powerful , and he did not want to fight them . entailment +The dictator fell in 1929 , and when the elections of 1931 revealed massive anti-royalist feeling in Spain 's cities , the king followed him into exile . Spain held elections in 1931 which exposed significant anti-royalist sentiment . entailment +There would also have to be adequate access between the older and newer parts of town , including a bridge over the valley between Barefoot 's Parks and the Royal Mile . There is no need to get from the old to the new sections of town . contradictory +uh they have that to some extent here but it 's not quite as good and They have that to some extent . neutral +Cahill has a strongbox at the stage station , and Stein some kind of a lockup at his store that 's the total for the town . The strongbox contains wonders untold and unimaginable . neutral +well i think if it 's the town is smaller Bigger towns are the place to be . contradictory +There was a knowing sharpness behind his eyes ; signs of a soul wise and a little bit mercurial . I could not see his eyes . contradictory +besides your initial deductible that 's what varies the most i guess uh Your initial deductible doesn 't vary at all contradictory +I don 't know if this could have been a big studio picture in wide release unless he got financing from someone like Joel Silver . He got financing for his picture from Joel Silver . entailment +Do I have time to think about it ? ' 'I just needed 5 minutes to make up my mind . ' neutral +Unable to agree on why Wolf should be embarrassing , pundits have fallen back on the implication that she must be embarrassing , since Gore has been employing her secretly , funneling her payments through other consulting firms , and conspiring to conceal her from the press . Pundits have reasoned an implication that Wolf must be embarrassing because of Gore secretly employing her , funneling her payments and conspiring to conceal her from the press . entailment +well that 's true but there is not a whole lot between here and there That 's true , however there isn 't much between here and there . entailment +oh how awful How terrible . entailment +You can call all the names you want , but if you bother them now you 'll get disintegratored . No one cares what you do . contradictory +A new study by Colorado Legal Services , the first of its kind in the Rocky Mountain region , says such migrant workers at farms statewide are regularly exposed to hazardous pesticides in violation of federal laws . Colorado Legal Services found migrant workers are often treated poorly . entailment +When one of my colleagues used eBay to sell an outrageously expensive ( i.e. eBay has never been used to sell anything . contradictory +Donatello has sculpted a fine polychrome wood St. John the Baptist for his compatriots ' Florentine Chapel , to the right of the altar . Donatello spent six weeks sculpting the statue St. John the Baptist . neutral +right homes vehicles you know everything They wanted to have nice cars to drive and a good home . neutral +As he did not seem inclined to open the conversation , Tuppence was forced to begin . Tuppence didn 't feel like talking , so he declined to open the conversation and left . contradictory +The dark man would have no trouble scouting the town , the militia had no real experience . The militia was very experienced . contradictory +In the meantime , the opening of Hong Kong was the last blow to Macau 's prosperity . Hong Kong closed its borders . contradictory +Christopher Warm had a sedentary job . Christopher Warm did not have a sedentary job and he never did in the past either . contradictory +well that 's what the environmentalists were claiming in this article so that That 's what the turtles in the article were claiming . contradictory +If an Englishman had suggested such a thing , he would have had grave doubts as to his sanity . The suggestion was presented by a Frenchman . neutral +There are also ever-changing special exhibits . The special exhibit on prairie dogs has been on display for years . contradictory +uh see i don 't remember i i read it I may have read it , but I don 't remember . neutral +'I 'm sorry , Ben , ' says the man who looks exactly like Abraham Lincoln . the man apologized to his friend Ben . neutral +The United States has got to be careful not to strut its stuff in ways that might disincline other countries from cooperating with it . The country the U.S. should be most concerned about not working with them is Japan . neutral +I 've followed Whittington and another man here . Whittington was easy to tail . neutral +Staff from BEA and OMB and the experts we consulted provided technical and clarifying comments , which we incorporated in this report where appropriate . We put 17 comments into the report to clarify things . neutral +that 's true so that really effects how they report the news There are a lot of things that effect how they report news . neutral +Merchants thronged to the large cities that were growing up around the castles at Edo ( population already 1 million in the 18th century ) , Osaka ( 400,000 ) , and Nagoya and Kanazawa ( each 100,000 ) all huge in comparison with European cities of the time . Merchants thronged to the large cities , because they could sell their wares easily and for higher prices . neutral +Leading north from the palace , the Neapolitans ' favorite shopping street of Via Toledo separates the town hall ( Municipio ) and the broad commercial streets going down to the harbor from a checkerboard of narrow alleys to the west , a Spanish neighborhood of the 16th century that is now a mass of dilapidated working-class housing and a great opportunity for watching everyday-life . Via Toledo is just factories . contradictory +i guess i can bare the cold it 's just when it does the wind hits The cold is alright , but the wind makes it worse . entailment +movies i think it 'll work pretty good yeah I think everything will go wrong . contradictory +There are no walls and and no natural choke points . They took down the walls . neutral +It 's no wonder that Robert McKee , the spiritual father of something like Rounders , reserves a special place in hell for Welles and Citizen Kane , in which the exhibitionistic auteur incessantly upstages his own narrative . Robert McKee does not like Welles . entailment +If you 're not French , think French . This will help you to better fit in with the local culture . neutral +Both reviews of the Medicaid program were designed to measure the incidence of potential overpayments that could be due to fraud and abuse . To measure the incidence of potential overpayments , a private investigator was hired . contradictory +i have a most of my friends I have friends . entailment +Surrounding the Dome of the Rock are smaller Islamic buildings built at different times . Smaller Islamic buildings , built at different times , surround the Dome of the Rock . entailment +generally i think he he does not look forward to or anticipate there 's some people that enjoy tinkering around on cars there 's a lot of people and he just isn 't one of them There aren 't many people that like tinkering with cars , but he seems to enjoy it . contradictory +Mold grows in the buckets positioned to catch the water . Some steps may be taken to prevent the growth of mold . neutral +On day-to-day issues , we have never learned to have normal reactions . We had trouble adapting to raising kids and going to work . neutral +One concerns readers and one concerns advertisers . One regards readers and the other advertisers . entailment +On the other hand , others might . Actually , other people may do it . entailment +It 's not an extended seminar on theory . It is not an extended seminar on theory . entailment +For a moment the hostility between the two seemed likely to burst into flame , but in the end Julius lowered his eyes , defeated . For a moment the tension between the two seemed to disappear , and in the end Tuppence lowered his eyes . contradictory +The Water Quality Initiative They are working on lowering water pollution levels to 0.004 . neutral +One relic redeems Drivers wanted for the gee-whiz GTI--and it may just get them . One relic redeems Drivers that want to go for the gee whiz . entailment +and and they will take the time allotted to make their choices to do that They never take the time that is allotted to them to make their choices . contradictory +In life , Ieyasu had made himself the absolute monarch of Japan . Leyasu held no power . contradictory +Mr. Brown 133 " Shall I see him ? " Mr. Brown " Shall I take a look at him ? " entailment +The girl stood behind him on his right side . She was related to the man . neutral +No , said Tuppence thoughtfully , " he didn 't believe it . Tuppence was sad to report that he didn 't believe it . neutral +so but i mean the price of computers has gone down they said that um if the auto industry would have kept the same trend as the computer industry has ever since you know it started While the price of computers sky-rocketed , the auto industry has trended towards cheaper and cheaper . contradictory +To be sure , that is odd ! It is odd that the front door is wide open . neutral +on the house itself on the house and nothing else . neutral +We might have guessed … . " We couldn 't have guessed that would happen . contradictory +He looks like he 's still alive . He appears to be alive . entailment +This appalled Wordsworth , who said that the Lake District should be viewed as a sort of national property , in which every man has a right and interest who has an eye to perceive and a heart to enjoy . This appalled Wordsworth who said the Lake District should be seen as national property that every citizen has interest in and a right to enjoy . entailment +The editors seem to know good writing when they see Novelist John Hawkes makes an unexpected appearance with a new introduction to The Passion Artist , and Poppy Z. Brite has a touching fantasy of John Lennon and Paul McCartney holding more than each other 's hands . Hawkes made the introduction to The Passion Event . contradictory +they 're great for playing games my brother The best game to play on them is call of duty . neutral +The base year is the year for which the financial statements are being prepared . The future year is when the financial statements are for . contradictory +The final rule contains standardized test procedures and performance standards to ensure that detergent gasolines provide an effective level of protection against certain engine deposits . They wanted to advocate for an even higher standard but had to settle . neutral +Subsequent British advisers served on a consultative State council alongside the Malay ruler , chiefs , and Chinese kapitans . British advisers assumed direct rule and froze out the Malay ruler and other leaders . contradictory +In the preamble to the final rule , There is important information in the preamble to the final rule . neutral +um-hum couldn 't Couldn 't . entailment +I 'll go through with it all right . It 'll go through all right . entailment +A privileged few get to see the great Delacroix paintings in the library , illustrating the history of civilization . The Delacroix paintings in the library cannot be seen by everyone . entailment +Among experts who treat and study compulsive behaviors and chemical dependencies , there is controversy over the meaning of the term addiction and the efficacy of the disease model for a range of supposed addictions , from alcoholism to compulsive gambling . Addiction could mean really obsessive about anything . neutral +The hill station was named after William Cameron , a British surveyor , who in 1885 reported the finding of the fine plateau . William Cameroon reported the finding of the fine plateau in 1887 . contradictory +The last thing I wanted to do was lug five reptile corpses all the way across town to the dump , especially at this time of night . I didn 't want to bring five reptile corpses to the dump at night that was across town . entailment +He sat down at the table . He was sitting on a bed . contradictory +Monitoring focuses on the assessment of the quality of performance over time and on the prompt resolution of problems identified either through separate program evaluations or audits . The quality of performance can vary over time . entailment +Monitoring various aspects of the organization 's security-related activities by testing controls , accounting for the number and types of security incidents , and evaluating compliance with policies . No monitoring is conducted of the organization 's security-related activities . contradictory +39 per transaction , were used to identify activities or processes in need of improvement . There are no activities that need to be improved . contradictory +Even with feedback , only 12 % accepted follow-up . Only 12 percent accepted follow-up , even with feedback . entailment +About an hour had passed when he heard the key softly turned , and the door opened . As the key turned , he heard the first sounds in over an hour . neutral +He called , his voice sounding basso in the thick air and the Merchant answered . He was ignored by the salesman . contradictory +In other words , detached from their familiar uses and manipulated on film , such objects could be animated , rendered flexible , and--in the sculptural sense--plastic . Animals could be animated in the film . neutral +The Star ' s version is that he injured his hand while kayaking . The Star learned about the kayaking from an anonymous source . neutral +The IRFA also considered various alternatives to the proposed rule , including different reporting requirements and reporting thresholds . The IRFA determined that this was the most cost effective option . neutral +yeah they were because everybody thought the As were the greatest things in the world and uh we 've got we 're the only ones around here that got cable and that particular game was some reason or another was on a cable channel and uh my son 's in high school and all his friends were here The cable went out , so we couldn 't watch the game . contradictory +was was that the time no that was later eighty four that 's too soon she said something about uh Ginger Rogers did did everything Fred Astaire did and she did it backwards in high heels Ginger Rogers didn 't like to wear heels because they hurt her feet . neutral +As federal employees , postal workers are not allowed to strike and , if a negotiated settlement cannot be reached , contractual disputes are resolved by binding arbitration . Disputes that arise in postal workers are solved through binding arbitration . entailment +yeah then you have to get up the next day and move it on You have to get up really early to transfer it . neutral +Several screens have been developed for pregnant women . pregnant women can be screen in various ways neutral +He had to sign letters and open gifts from various companies hoping to win favors . He did not do anything for the companies . contradictory +Equipment that wears out must be replaced Equipment must be replaced on a monthly basis . neutral +Iwasaki said , [ I judged the transition ] better than I could have hoped for . Iwasaki said that it went better than expected . entailment +Uncle , I must speak , said Ca 'daan . Ca 'daan told his Uncle he must speak . entailment +The Japanese have built a great white stupa on Rajgir 's principle hill , which you can reach by aerial ropeway a pleasant way to survey the rugged countryside . The stupa on Rajgir 's principle hill is the largest on the Japanese have ever built . neutral +The Shopping Avenger right away made contact with the Super 8 executive offices . The Shopping Avenger never bothered to get a hold of the folks over at Super 8 . contradictory +I 'd far rather read those sexy economics columns by Paul Krugman . I have never heard of Paul Krugman . contradictory +It is ” it is ” that I have an idea ! Nevermind , I didn 't have an idea about anything . contradictory +But some critics dismiss the controversy over white paintings as slight and old- theatrical brain candy but from a gourmet shop ( Linda Winer , Newsday ) . The white paintings were pretty typical . contradictory +well he 's out i mean he 's hurt this year He 's out because he hurt his ankle neutral +Throughout the guide , we make several observations on federal information security practices in order to contrast them with the practices of the nonfederal organizations we studied . We discuss federal information security practices . entailment +Both Dahab and Nuweiba are growing but remains less developed than Sharm El-Sheikh . Dahab would be more developed if it had a bigger population . neutral +Did Albright not wonder why this cousin was living with them in London , or what had happened to her parents ? Albright wrote a long explanation of what happened to the parents . contradictory +that insurance companies rarely take advantage of their current legal right to deny payment due to alcohol use . Insurance companies avoided taking advantage of their legal right about denying payment because of alcohol use . entailment +Against this , Cameron and his supporters argue that , according to their survey of obits , even if they don 't have AIDS , homosexual males tend to die by their mid-40s ( and lesbians by their late 40s ) . Cameron believes homosexuality should be discouraged . neutral +uh this is the second summer that my husband 's been retired and he did play more last year of course but we were gone a lot too uh My husband plays more golf now that he 's retired . neutral +The perspective of the stages of change model appears to be an appealing one to help staff and interventionist under-stand the process of change for addictive and health behavior . There are other models to understand the process of change for addictive and health behavior . neutral +that 's great that 's great but uh like i 'll agree with you though i don 't think they should have to do a year We both think they shouldn 't be required to do a year . entailment +that 's true but like in Garland you can choose the school that you 're going to can you tell this is past bedtime um like in Garland they get to choose the schools that they 're gonna go to but they got to have the transportation to them if it 's out of their district you know out of their area i mean You can choose the school you go to in Garland . entailment +I 'd like a / an / some Quisiera I think it would help me . neutral +In order to go much further , we need to know the cost of the pieces that are candidates for moving from the basic category to the workshare category . For moving from the basic category to the workshare category , we need to know the cost of the pieces that are candidates , without knowing that , we won 't be able to go much further . entailment +Although the LSC program differs from the program at issue in Rosenberger in that its purpose is not to encourage a diversity of views , the salient point is that , like the program in Rosenberger , the LSC program was designed to facilitate private speech , not to promote a governmental message . Both the LSC and Rosenberger programs should aid private speech . entailment +you need to put that on there seriously That needs to be seriously on there . entailment +And this same consistent message was repeated over and over again by key LSC staff wherever they traveled-including the President , the other Vice-Presidents , and the staff on the ground who were guiding states through the planning process . This message was reiterated over and over again . entailment +George Bush is the first guy in the line of fire who 's had the guts to stand up and say , ' I 'm not going to play by the old rules anymore , ' former GOP Chairman Haley Barbour boasted on television this weekend . Bush was the first in a long line of men to totally fall in line with what 's typically expected in a President . contradictory +it would be open for it will close before nightfall neutral +There was even a support group , Mir-Anon , where the studio 's former executives commiserated over wounds inflicted by the brothers . The brothers hurt some people who survived . entailment +In some cases , but not all , this would be the collecting entity . The entity knew not all would be collecting . neutral +oh really awesome oh that 's too bad contradictory +e ) Protected herself with immunity when she needed to , even though her testimony would do enormous harm to Clinton and the nation . Clinton would certainly be ruined in politics after the testimony was given . neutral +All right , maybe you don 't believe me--you think they wouldn 't send a student sersa here now . Perhaps you don 't see the truth in my statement , I understand . entailment +um let me think of i can 't even think of what you i guess if it uh it looks like more like a cross between uh a crab and uh and a lobster because it 's small like that and it 's got the pinchers like a crab but It 's not really like a crab , or lobster . contradictory +Considering only the boilermakers who are currently in demand by the utility industry , the demand would be about 38 percent of the journeyman boilermakers or about 31 percent for journeymen and apprentices combined . The demand for journeyman boilermakers would come to roughly 38 percent . entailment +It was a squalid , dirty place . The place was clean and tidy . contradictory +It is delightful to see you , Boris Ivanovitch , she said . She lied , Boris was mean . neutral +A executive H. Eugene Lockhart , barely on the job for a year , left his job three days after the merger with a severance package including $ 22 million and stock grants cashable for an additional $ 17 million . H. Eugene Lockhart was terrible at his job and was not asked to stay on after the merger . neutral +Blast it down . " Blast it down before it kills you ! neutral +And as my correspondent reminds us , the people who ran LTCM understood all about this sort of thing--indeed , those Nobel laureates got their prizes for , guess what , developing the modern theory of option pricing . The theory of option pricing was discredited barely a year alter , causing the LTCM to fail . neutral +Many of them are quite elite in their own right . All of them are elite . contradictory +uh-huh yeah that 's one of the things that that we don 't think about as we get older and the the money that it now requires to uh be in one of these places because some of these people that are just on social security and if they don 't have any living relatives perhaps they never had children or if their children you know passed away before they did they can be in some places that are We tend to underestimate the cost of living in one of those areas . neutral +I hoped and prayed it would not occur to John also . I didn 't want John to also think of it . entailment +Samudra Gupta , the warrior of the clan , launched lightning raids through the jungles to snatch the gold of the south . Samudra Gupta wanted the gold for altruistic reasons . neutral +They claim to look instead at future cash flows to stockholders . Supposedly they look at future cash flows to stockholders . entailment +Once , its immigrants were from the surrounding regions of Spain ; today , its newcomers are from across Europe and beyond , bringing with them new languages and customs . It has no immigrants from Europe . contradictory +and he got that he said you know it 's like um i was testing it and it was wonderful and then when you tried to erase and correct you know all the errors in your voice it takes up all your memory and i want more you know and it 's like He said it 's terrible , and he knows , because he 's been testing for a long time . contradictory +MI argues that intelligence takes seven musical , logical-mathematical , linguistic , spatial , bodily , intrapersonal , and interpersonal . Intelligence is composed of cow dung and horse radishes . contradictory +From 1994 to 1997 , China opened nine new urea plants and raised its domestic production by 50 percent . China 's urea production grew between 1994 and 1997 . entailment +And what would Du Bois have made of that ? What would Jon have made of that ? contradictory +um well you talked about uh volcanos i 'm not sure how many active volcanos there are now and and what the amount of material that they do uh put into the atmosphere i think probably the greatest cause is uh vehicles Human activities are the greatest cause of global warming . neutral +Dealing with this kind of situation is different from anything being done today . This situation is similar to what is happening today . contradictory +When the snetha-knife kills , it kills completely . The sneth-knife can kill anything . entailment +It wasn 't until the third century b.c. that techniques of rice cultivation ( and wheel-made pottery ) arrived from Korea , along with irrigation methods that are still in use today . It was not until the third century that techniques of cultivation arrived . entailment +of cash , other financial resources , or nonfinancial resources ( except stewardship property , plant , and equipment ) is therefore a nonexchange revenue . Stewardship property is considered a financial resource . contradictory +i even gone have gone to the point where i don 't believe in giving them a life sentence if you have to do that you might as well shoot them I 've grown to be opposed to a life sentence . entailment +Covered markets or street markets operate all over Paris . Paris lacks any form of markets , including street and covered varieties . contradictory +But his opponents suspect that Smith 's was a cheap generosity , since he could count on the restrictions he demanded to draw a presidential veto . Many opponents felt that Smith 's show of generosity was sincere . contradictory +American scholars identify the level known as Troy VIIa as King Priam 's city , and place its destruction around 1260 b.c. ; certain eminent Turkish archaeologists disagree , instead opting for the preceding level , Troy VI . American and Turkish scholars agree that Troy VI is the level of King Priam 's city . contradictory +Let me make clear at this point that I have a great deal of admiration for Representative John McHugh and his staff . I don 't like John McHugh . contradictory +One of the reasons power generation accounts for such a large share of These key emissions is that significant emissions reductions have already been required from other sources . Power generation has a relatively tiny share because previously it was the only source that required reductions . contradictory +A document that describes the entire process for The process was described neutral +i think this is the first time that i haven 't been cut off by the computer I believe this is the first time I haven 't been cut off by the computer . entailment +Under GAGAS , auditors have the same responsibilities for detecting material misstatements arising from other types of noncompliance as they do for detecting those arising from fraud and illegal acts . Auditors also have five other types of responsibilities . neutral +no see i was i 've been working for TI for almost eight years I have been with TI for almost eight years . entailment +Analysts speculated what would happen to Omnimedia if Martha were hit by a bus or cab ( or succumbed to an accident in the potting shed , as the New York Observer ' s Christopher Byron nicely put it ) . Analyst were not interested in Martha or Omnimedia . contradictory +uh politics and so forth people trying to maneuver and get power and back stabbing and also helping each other and you know if you know all the love interoffice love affairs and uh all that all that kind of stuff and you know power struggles to see who 's going to be the next uh uh oh Politics , the struggle for power and helping each other out . entailment +But he may just be a person who things happen to happen to , a guy with a penchant for pretending to be what others want to believe that he is . He is a person who things never happen to him contradictory +yeah uh well i 've been going to Spring Creek i haven 't been to the Dallas one now in oh a couple of years yeah well at least since they 've redone it supposedly redone I got to the one in Dallas still . contradictory +'What 's it like to be back in Louisian ? ' I hadn 't been to Louisian in a long time . neutral +Basic mail also includes some parcels under 11 ounces and some non-standard pieces . Mail 14 ounces or under is considered to be basic mail . contradictory +I think many people think of Legal Services as something charitable , he said . Nobody thinks that Legal Services is anything like a charity , according to him . contradictory +Masculine wildness is overcome by civilized femininity . Civilized femininity is taking over masculine wilderness . entailment +i have difficulty getting them to fit me comfortably any how and so uh uh i just feel that uh you know each person has to dress to their own liking and for their own comfort He was responsible for dealing with the employee 's needs . neutral +Caterpillar believes the risks are too high . The risks are too high according to Caterpillar . entailment +Bosnian Muslims reportedly are arming for an overwhelming assault on Bosnian Serbs . A NATO commander told the New York Times , The question no longer is if the Muslims will attack the Bosnian Serbs , but when , and that the only way to prevent such an attack ... The Bosnian groups are fighting . entailment +No , we 're not . Yes , we are . contradictory +Exca ? ­ va ? ­ tions have uncovered a 12th-century structure under part of the Palais de Justice . Excavations under the Palais de Justice uncovered nothing except some coins and other small artifacts . contradictory +well we have a funny commercial around here it says something like if people were to give five hours a week or five percent of their salary we could they could solve all the world 's problems or something The crazy idea is to spend some of your time or money and if everyone did it you could solve some of the world 's problems . entailment +Social Security Supplemental Security Income Social Security Supplemental Security Income ensures the elderly always have a steady flow of money . neutral +It is difficult to conceive how Barak can remove 17,000 folks from the Golan and thousands more from the West Bank without fracturing his government . Barak will easily take people from the West Bank and not hurt his own government . contradictory +San 'doro and Vrenna watched the south road for signs of the demontouched bandits . San 'doro and Vrenna stood vigil at the south road , waiting for the demontouched bandits to catch up . neutral +so they 'll be back They will be back next year . neutral +Animals , even the fluffy ones , really don 't care if the whole human race lives or dies . If humans went extinct , animals would not care . entailment +yes of course it also happened to us in Sidney Australia this Summer uh or last Summer we got a cab and again it was an oriental person and we asked him to take us to the opera house and he did not know what we were talking about It happened to us in Sidney Australia during the Summer . entailment +The hero is no longer Pip but Finn , who is frolicking in the waves among the gulls when a shackled and bloodied escaped killer ( Robert De Niro ) erupts from the water and forces him to bring food and drink and a tool for cutting chains . Finn is happy to be the hero and doesn 't mind helping the killer . neutral +Perhaps most important , it has features to aid followup of actions taken in response to review comments , which is a particularly troublesome area . An area of trouble are the matters surrounding review comments . entailment +The cafe enjoys a splendid view down the Golden Horn to the distant and distinct domes and minarets of Stamboul . The Golden Horn is a piece of architectural genius , famous worldwide . neutral +Table 1 shows that the average time per day per possible delivery is 1.04 minutes for city delivery11 and 1.07 minutes for rural delivery . The average time per day per possible delivery is shown in Table 1 . entailment +An attorney arrives [ in Civil Court ] at 9 : 30 in the morning , hoping the matter can be taken care of in an hour . The attorney hopes everything is resolved early . entailment +Going to Large . Heading away from Large . contradictory +but that are not endangering your life in some cases like uh my husband uh several years back worked for Motorola My husband worked for Motorola for quite some time . neutral +Besides denying reproductive freedom to women , such efforts would increase the number of children born and reared in impoverished single-parent families . This would let women have up to four children . neutral +uh generally the most of my information i 'll get in the morning with my newspaper Sometimes I get information from the morning news . neutral +well see um and i worked for a steel mill the past two summers I 've never worked during the summer . contradictory +These are both worthy goals , and that 's what I admire about News Quiz that the Weideman mockers and the Showtime mockers can respect each other and work together to mock various members of the Bush family , the anti-missile system , and maybe some kind of monkey--that 's why the anti-missile system doesn 't work , see , because of his crazy antics , and then Gov. Mocking members of the Bush family is a role that seems to get the most laughs . neutral +Our work has shown that although the steps and practices discussed in this guide don 't come quickly or easily , they can serve as the fundamental building blocks to creating a results-oriented organization . Our work has shown that the steps and practices discussed in this guide come both quickly and easily . contradictory +I may 76 need his assistance in that line myself some day . I have his contact details should I need his assistance . neutral +It is advisable to provide a preconditioned ( deionized ) feed water by using a Culligana , Continentala , or equivalent system in front of the MILLIPOREa System to extend the life of the MILLIPOREa cartridges ( see Section 5 , Facilities , Equipment , and Supplies ) . It 's impossible to use anything other than Culligana to extend the life of MILLIPOREa cartridges . contradictory +i guess but we 're going to try that and see how that works an experiment i 'd like to try you know just try something new every year that i haven 't tried before and I want to try all different things before I die . entailment +I am Gauve , Ca 'daan 's uncle , he said . Gauve was the brother of Ca 'daan 's mom . neutral +In addition , these organizations provide tools to facilitate and accelerate the pace of the change initiative . Tools have been provided to accelerate the change initiative . entailment +A close friend of the singer He 's a performer through and through . A close friend of the singer . entailment +Many are still standing , and some are registered as National Treasures . Some of the standing structures date back to Edo period . neutral +let me i 'll hit it again just in case I 'll smack it once more just to be sure . entailment +I nonetheless think it an abuse of discretion to ignore it . I believe it should not be ignored . entailment +well he could always get past you know he 'd get past like six or seven tackles and just keep spinning around and get on into the end zone but um i guess you never could really see him play because with the Cowboys while he was with the team the rest of the team was pretty poor so you couldn 't really tell if it was just him or the team and i always just assumed he was too good for the rest of the team but i don 't know He was a surfing instructor . contradictory +More data on this issue could help us plan better controlled trials-who to target , when to follow up , and when to give boosters . Finding data in the investigation might be difficult due to the sample size . neutral +Capture of Design and Manufacturing Knowledge Early Enough57 Early on , it 's necessary to obtain Design and Manufacturing Knowledge . entailment +For now you can turn back and away from the town . You can turn away from the town until the fire starts . neutral +oh yeah yeah so so you watch a lot of videos Do you like funny videos ? neutral +My small village , Fena Dim , stands under the sword . Fena Dim was in danger . entailment +He had given her a piercing glance before . He didn 't ever make eye contact with anyone and never looked at anything but the walls . contradictory +Give It Up , David Quit , David . entailment +are similar nothing . contradictory +could you hold the phone for one second thanks Please remain on the line for a moment . entailment +On top of the prisoner 's wardrobe ? So you found the parcel under his bed ? contradictory +She quotes long , mattress-stuffing extracts from Bush speeches ghostwritten by others . The speeches she quotes are written by others . entailment +That , at least , is what Starr 's camp seems to believe . I don 't think we 'll be able to convince Starr otherwise . neutral +While Akbar was fighting in the Deccan in 1601 , his son claimed the throne . Akbar 's son claimed the throne while eating . contradictory +well presumably those who find out such information if they are doing it i would prefer to not to be known and i mean you know the classic oh i don 't know CIA conspiracy theories or whatever would have uh such parties trying to do it without your knowledge so there 's things that invade that second type of privacy where you do know about them and possibly things that invade that second type of privacy without you knowing about it and i can 't talk about the second one other than to to to generate paranoia yeah to surmise and i 'd like to think that 's it 's quite low at least in this country i don 't feel like the KGB is monitoring my phone or anything like that I really love to read about conspiracy theories . , neutral +If there are economies of scale in delivery , and certainly if mail recipients do not want multiple carriers accessing their mail boxes , it would be possible to define routes , along with their expected workload , and auction them off to the lowest bidder . It would be impossible to define routes , along with their expected workload if there are economies of scale in delivery . contradictory +Pokemon , by contrast , centers on an intellectually demanding game . The game could be played without thinking . contradictory +He knows what it 's like to lose control of his It happened to him in The Cable Guy ( 1996 ) , maybe his real Andy Kaufman film . He has no idea what it 's like to lose control . contradictory +A thunderous roar grew in the night ; metal screeching and scratching . You could hear a roar in the night . entailment +Mencken line I 've used For ever problem there is a solution that is simple , neat , plausible and wrong ! A solution which is plausible is also wrong . contradictory +But it 's uncontroversial that many Congress members are dim . Congressmen are all geniuses . contradictory +Cavedweller , by Dorothy Allison ( Dutton ) . Cavedweller is a book about extreme sports . neutral +If the asset was classified as stewardship PP and E in its entirety by both the transferring entity and the recipient entity , the transfer does not affect the net cost of operations or net position of either entity and therefore in such a case it is not a revenue , a gain or loss , or other financing source . The transfer does not affect the net cost of operations . entailment +When he entered his mother 's room , and saw her obviously poisoned , he jumped to the conclusion that Mademoiselle Cynthia knew something about the matter . There were no signs she was poisoned . contradictory +Last weekend , Subia traveled to Washington , D.C. , along with five other nominees , to meet with the board of directors . The board members were happy to see them arrive . neutral +We could throw as many lawyers as we can get at the poor and still need more , he said . The poor will always need more lawyers . entailment +He still lived , but there was unholy agony where the blade lay . He still lived for a couple of years , until he was attacked a second time . neutral +It was not until 1829 that Rafael Rivera , a Mexican scout , found a spring-fed valley and dubbed it Las Vegas a Spanish name that leaves many modern visitors wondering exactly where the meadows really lay . Las Vegas was named by Americans travelling to the West . contradictory +Manning fixed the time at about 4.30 , William was of the opinion that it was rather earlier . Manning and William disagreed about the exact time of the event . entailment +The OTC consists of the Governor The OTC does not have many members . neutral +and i just keep telling her how can you do that and i told her when she had her her little girl i said now you better get out of the habit of watching those you shouldn 't be watching them with your little girl and she says her little girl 's into it now She hasn 't curbed her habit despite having a child . entailment +Many of the refugees were nobles of the Chetri warrior caste from Rajasthan ; forging new feudal states in Nepal , they were responsible for reinforcing Hinduism at the expense of Buddhism . Many of the rich immigrants were peasants from Rajasthan . contradictory +You may be offered tickets to buy while lying on the beach , or even free ones if the owners are trying to boost a place , or if the tiquetero thinks that your good looks will be an asset . They will give you free tickets if you are pretty . entailment +and it depends on life styles too down there i 'm not sure if you all tend to go out more down there than we do up here or or if we tend to go out more It depends on your lifestyle how much you go out . entailment +Miss Howard , do you remember a conversation that took place on the day of my friend 's arrival here ? Miss Howard , do you recall the day of my friend 's arrival ? neutral +We have a new awareness of how limiting and unfair the cult of fair hair can be . The cult of fair hair is unfair . entailment +right i think so yeah yeah i think it would be worth it everybody would I think it would be worth it . entailment +um to participate in it and uh there was a To not participate in it . contradictory +Park and loop routes involve parking , covering an area by foot , then parking the vehicle in a new area . Park and loop routes don 't exist . contradictory +Are we 5 years old ? Are we 5 years late ? contradictory +His father , Hirohito , was until 1946 considered a divinity , the living descendant of the gods that created Japan ( or ancient Yamato , as it is more evocatively known ) . No one thought Hirohito was a god in Japan or anywhere else . contradictory +uh-huh that 's right yeah absolutely there 's just so much mass there i guess they just can 't i don 't know you know i probably the guy is you know probably physically strong i you know obviously not very fast but i guess it 's just The guy is weak and slow . contradictory +uh yeah we go to the the French Quarters and stuff like that and uh i have some friends that live down there We do visit the French Quarters . entailment +We are confronted here with a statute which , if interpreted literally , produces an absurd , and perhaps unconstitutional , result . The statute is literally pleasing and constitutional . contradictory +But you 'll get a much better feel for the medieval atmosphere of a fortified town , with its ramparts and lookout towers , if you park on the western side , by the church of Saint-Gimer , and walk up around the old Ceteau Comtal . You won 't get a better view if you go to the west side . contradictory +Buffet lunch . The lunch is served from a buffet . entailment +While it challenged Twin Peaks in obscure plot turns , it was ever entertaining , and the first spot I 'd stop at on your site . It had obscure plot turns that kept the audience guessing . neutral +And as he examined himself , he could find no scars or signs of injuries from the impact of the bulldozer--if there had ever really been a bulldozer . After examining himself , he was doubting that he had been hit by the bulldozer . neutral +i have aerobics on Monday nights too i just didn 't quite make it tonight because i was caught up at work for too long but I value working overtime far more than I value doing aerobics on Monday nights . neutral +The starting price is always high . The starting price is always high but will quickly lower . neutral +but yeah yeah because most time now you know it 's just a weekend or just forget it yeah Most times on the weekends you or you forget.to do it . entailment +An uncontrollable fire devoured a whole city of squatters ' shacks in Kowloon ; 50,000 refugees were deprived of shelter . A fire burned down a lot of shacks . entailment +It is difficult to fix precisely the dates of the various festivals , as most of them are determined by lunar calendars which vary from year to year . All the festivals are always held the same week of November . contradictory +By far the largest increase in resources in many years , these funds will allow the hiring of 12 attorneys and 12 paralegals to provide service to TANF recipients on a wide array of legal problems that can obstacles be to making a transition from welfare to work . Some of these funds will be used in hiring attorneys . entailment +When played live , it has a haunting melody but taverna owners do have the irritating habit of playing it at high decibels through overloaded speakers . The melody is always low and cheerful when played . contradictory +don 't you do you miss meat at all you 've been seeing someone else neutral +Go up the stairs to the right of the entrance to see the next four stations . Climb the stairs found to the right of the entrance to view the next stations . entailment +It was something he felt before in the north as a young man when he and a thousand soldiers of the emperor faced an army of five thousand bewitched devil worshiping Voth . There had been a bloody battle . neutral +Johnny warn 't more 'n four o ' thereabouts when Don Cazar went back to Texas an ' got him . Johnny was twelve years old when he escaped . neutral +i 've recently um tried tried to update my wardrobe trying to put suits together that i can interchange the jackets and the blouses and all that a lot The jackets and blouses go on the top because that way it is easier to put suits together neutral +Unfortunately , the buildings in this large temple are concrete reproductions of the originals destroyed by bombing in World War II . Concrete reproductions were made of buildings with the most cultural significance . neutral +Mailers want as much time as possible to examine the reams of data the Postal Service provides in support of its proposals . Mailers want a lot of time to look at the data because it helps them pinpoint the correct path . neutral +The core issue is whether it is ethical for Americans to conduct Third World studies seeking therapies cheaper and perhaps inferior to our own . The cover issue talks about ethics in American studies . entailment +so you you 've done this ten times So you 've tried this many times . entailment +Tubacca had slumbered apathetically before ; now the town was wide awake . Things were quite lively in the town . entailment +It would establish national cap-and-trade programs for NOx , SO2 and mercury emissions from power generators ( with appropriate measures to address local concerns ) . The cap-and-trade programs would not include anything to ease local concerns . contradictory +Preparers of financial reports are encouraged to experiment with the presentation of the CSA data in order to make it more understandable . The financial reports are a lie , like the cake . contradictory +Much of this systematization of care has clearly been to public benefit . The systematization of care has helped the public . entailment +In light of recent events , a consensus has emerged that the SEC needs significant additional resources to help ensure that it can do its job properly . In light of recent events a census has emerged . entailment +i mean i i work for TI so i don 't do drugs you know Even though I work for TI , I do drugs . contradictory +yeah we sort of different We are exactly the same . contradictory +Today , a visit to the quarries , just outside town , reveals some of the secrets of how the ancient Egyptians worked the stone . Visiting the quarries is a great way to learn how ancient Egyptians worked with stone . entailment +Near the modern village of Akrotiri , a complete city dating from before 2000 b.c. was discovered . Ancient artifacts from the city near Akrotiri were discovered . neutral +I instinctively followed the direction of his eyes , but I could see nothing unusual . Even though I looked in the same direction as he did , I did not observe anything weird . entailment +By comparison , tuition at the University of Colorado Law School at Boulder is much lower for state residents - $ 6,754 a year . State residents pay less in tuition at the University of Colorado Law School : just $ 6,754 a year . entailment +and uh well i don 't i don 't own a balloon but i crew for a guy he owns two balloons I love the crew-work I do for this guy who owns two balloons . neutral +All of the islands accept American or Canadian dollars about as readily as French francs . The islands will not accept Canadian dollars . contradictory +sometimes i i 'd sit the plants outside on the patio and and i 'd forget about them and it gets too hot out there and and they you know burn up and so forth that 's happened to quite a few of my plants Even though my plants have burned on the patio I was able to save them because the damage wasn 't too bad . neutral +Still , both cases show that in the buzzing , blooming confusion that is the economy it is all too easy for those who would make economic predictions to be right for the wrong reasons , and conversely . Both can show how either sides could be right or wrong and then turnaround to use it for their benefit . entailment +Source for householdlevel postage expenditures and other non-durable goods expenditures . Postage and goods expenses . entailment +That morning , Whitebelly stood and accepted his weight . Whitebelly had never had someone so heavy on him before . neutral +These great cities will continue to shape our future . These great cities have shaped our future previously . entailment +Furthermore , the filmed sequence closes out the event , and gives viewers an opportunity to shrug it off . The close out of the event was a filmed sequence . entailment +In return for fixed payments to the emperor , Company officials collected revenue . The company took lots of money . neutral +This article largely failed that measure . The article was trying to reach for a point too hard . neutral +and finishing up at school and so those papers really i mean it was nice having access to the It is really nice to have access to it while finishing school . entailment +And there Fish more or less stops . This section of the river is where the salmon swim into the ocean . neutral +You will get a great look at the often dramatic mountains of the Western Ghats running parallel to the coast during your trip . The range of the mountains is a over a hundred kilometers . neutral +terrible you get those uh Chinook winds coming across the prairies and golly it 's uh it 's unbelievable the extremes in weather up there but i enjoy it gosh i The weather is very extreme because of the Santa Ana winds . contradictory +yeah yeah the three fifty regular gas engine I don 't know which engine are you talking about . contradictory +The streets is going to run with blood , so they say . " He spoke with a grim relish . He spoke with dread about blood gushing down the streets . contradictory +Beyond 3a , less attractive customers and relatively more difficult mail would begin to convert to presort . The mail begins to presort after 3a happens . entailment +i think i think everything always sounds more glamorous than it really is When someone talks about something , they tend to make it sound nice than it really is . neutral +yeah i you know uh people always complain about American Express saying not enough people take it but i 've i 've rarely found a place that wouldn 't that wouldn 't take it so that doesn 't bother me luckily I 've almost never found somewhere that wouldn 't take American Express , even though people complain it happens all the time . entailment +and that was a riot to see that It was fun to see that movie . neutral +yeah well i think Russia is getting to the point where they 're they 're about to do something to get out of communism i guess i 'd would like to see somebody like Yeltsin to get more power i think Gorbachev has about had his day This will be good for the world . neutral +the hot stuff oh That 's the hot stuff . entailment +'Is he still here ? ' I wonder if he 's still around ? entailment +so it it it gets bad you know it just depends on like i said the nursing home now my grandmother was in a nursing home in California before she died but it was a nice nursing home for you know it was one of the nice ones My grandmother did not die at our home entailment +The truth is not so exciting , said San 'doro . San 'doro thought the truth was dramatic and exciting . contradictory +Please allow two seconds for Slate pages to download . Slate pages can sometimes take longer than usual to download . neutral +This season , they sense Bird 's trust . They can sense his trust during the winter . neutral +She 's a-packing up , and she 's just sent down word for me to get her a taxi . " She wants a Yellow Cab . neutral +but unfortunately people people aren 't that insightful Asian people aren 't that insightful . neutral +yeah um-hum that 's right yeah that 's a real waste too it really is That was a real waste of talent , I agree . neutral +Success in Ireland just proves that the World 's Only Superpower must intervene more frequently , say Kristol , Steve Roberts , and George Will ( This Week ) . A few pundits stress potential pitfalls along the road to peace . There are obstacles to achieving peace . entailment +ABC 's problems , one suspects , will be much harder to solve , if only because they have much to do with network television as a whole and not just ABC in particular . ABC 's problems will be tough to solve for the new executive . neutral +well yeah i think that 's a good idea although i don 't i think if it 's something that 's forced on you In my opinion it 's a good idea unless it gets forced upon you . entailment +a lot of people try to stay away from this but i make my own homemade pudding just because i don 't like box pudding yeah it and it if you um well first of all i I feel the taste of making something from scratch is worth the effort . neutral +Chernow attributes Rockefeller 's poor relations with Harper to the fact that the college president was a spendthrift . The president of the college loves to splurge . contradictory +Ca 'daan slept soundly for the first night in nearly a month . Nightmares keep Ca 'daan up all night . contradictory +i know i know aren 't they I don 't know anything about them . contradictory +The death of LBO fervor , which in practical terms meant the death of banks ' willingness to lend freely to almost anyone , forced KKR to refocus its business around the strongest deals possible . The KKR was forced to refocus their business deals due to the bank 's unwillingness to lend money easily . entailment +it 's getting pretty you know it 's kind of like a Dallas type thing you know but it 's more of it it takes place in LA and it 's this law office and all the cases they take and the and the uh interoffice uh It 's a Dallas thing . entailment +Palestinian Arabs might be clad in flowing robes and keffiyes ( head scarves ) or in blue jeans . Palestinian Arabs typically wear flowing robes and keffiyes more often than blue jeans . neutral +The ferry leaves you at Idskdar 's main square , Iskele Meydane . The bus leaves you at Idskdar 's main square , Rodus Mandane . contradictory +From the late Bronze Age , a center of religious worship developed on the northern coast , which was later dedicated to Castor and Pollux , the patron saints of sailors . The people there are religious . neutral +is that still on Is that still going on ? entailment +Turn left into the Via Doloroseand continue to the Lions ' ( or St. Stephen 's ) Gate at the end of the road . You stop once you reach the Lion 's Gate . contradictory +um and season really same season to season um uh it changes with the weather you know uh wear light clothing i guess if it 's hot out but um the season changes the wardrobe--wear light clothing if it 's hot out entailment +Think we 're as green as to do you in here , and have the police nosing round ? Somebody didn 't appreciate that they were thought of as new . neutral +No ! The dude is really wack . The dude is quite off . entailment +And with first-class shops and a profusion of booksellers , galleries , and antiques dealers , you can browse or buy contentedly . There are more booksellers than galleries . neutral +and then last year that 's when they really had that cold spell Temperatures were higher than usual last year , with no cold spells observed . contradictory +oh yeah and it 's real neat Yes , it 's interesting and I see it all the time . neutral +She 's calling you Dainan . She 's calling me . contradictory +( Financial Accounting Standards Board , Statement of Financial Accounting Standards No . Financial accounting standards entailment +The following year Stanislaw August Poniatowski was elected the last king of the Polish-Lithuanian Commonwealth , and Poland soon faced one of its most humiliating episodes . Stanislaw August Poniatowski was king for seven years . neutral +and slivers of ginger and then just cover it and put it in the microwave for just just two say two minutes check it after two minutes to see if the fish flakes and if the fish flakes it 's done don 't overcook it though Microwave it for about 10 minutes until it 's crispy and the fish has flaked . contradictory +Although Davis has officially retired from the game , he 's still mixing sense and nonsense for public consumption . Davis retired 4 months ago . neutral +how did you know to choose this subject tonight that 's funny uh I bet you chose this one because of the reaction it would have . neutral +We needed to have a generic inquiry as opposed to addressing one aspect at a time , says David Mason , a Republican commissioner who attended the conference . Republican David Mason , who attended the conference last month , feels that addressing each aspect individually will not be as effective as having a general inquiry . neutral +The planners were told that their plan was non-responsive to the issues identified in LSC Program Letters 98-1 and 98-6 and in need of major work . The planners were informed that their plan adequately addressed the concerns stated in the LSC Program Letters . contradictory +Enclosed is our assessment of the FCC 's compliance with the procedural steps required by section 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . The FCC is not goverened by 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 . contradictory +My sister , her husband , and daughter are spending a few weeks with us . They love our home so much that they want to stay longer than a few weeks . neutral +In the mid-1990 's there was a concerted attempt in Congress to eliminate funding entirely for the Legal Services Corporation , a nationwide program dedicated to providing civil legal services to lowincome Americans . The LSC has never had an issue with securing funds from Congress . contradictory +The case for not acting until you have to was put most vividly by Senate Assistant Majority Leader Don Nickles of Oklahoma , in a remark that also captures the hard-nosed attitude regarding humanitarian concerns . The statement summarized their sentiment . entailment +Adrin knelt to one knee and smiled at Susan . Susan ran away from Adrin . contradictory +'You believe our society is in no need of change ? ' Everyone is in agreement of the exact changes needed in society . contradictory +i 'll try bye I will try , goodbye . entailment +An estimated 40 million American youths participate in organized sports . American parents often force their children to participate in sports . neutral +Federal mission property , plant , and equipment ( PP & amp ; E ) comprise certain PP & amp ; E that possess at least one of each of the two types of the following characteristics relating to the use of the property and its useful life . PP & E has been steadily increasing in the company . neutral +The city is built on hills by legend seven , but in fact many more providing several splendid vantage points . The city is built inside of a deep valley . contradictory +exactly so they got rid of that tax in a hurry They got rid of that tax fast . entailment +At the same time that the Industrial Revolution was wreaking havoc , however , a small but influential group of writers and poets settled in the area and began to write about its natural beauties and its lifestyle . There are many times when the Industrial revolution was a benefit to everyone . neutral +It 's an ideal way for the visitor to reach outlying sights and villages . It is the worst way and I do not recommend it for going to see the outskirts . contradictory +well fortunately i had the presence of mind when i slipped i just i just went with it i didn 't try to twist or anything When I slipped I just let myself go and did not try to resist . entailment +Resurrect all the Presidents . Bring back every President . entailment +On the lower floor of the Royal Palace , Laich Hall has been restored as closely as possible to its 1617 d ? ? cor , using traditional techniques and colors . Laich Hall is still in ruins . contradictory +intervenor told us on the record---a rocket shot compared to most rate-type proceedings . Intervenor told us that on the record . entailment +Long ago , had not Whittington asked : " Who 's been blabbing ? Whittington himself is the culprit . neutral +You can tour the pyramids on foot , or take a camel or horseback ride between the main sites . In Egypt , travelling by camel or horseback is a popular tourist attraction . neutral +Morris ' small-bore ideas , as he calls them , made the presidency look somewhat ridiculous in 1995 and 1996 . Morris had small-bore ideas . neutral +His face , clean-shaven and exquisitely mobile , was stamped with an expression of power and force far beyond the ordinary . His clean-shaven face , while stamped with an extraordinary expression of power and force , also contained a hint of softness . neutral +Twenty-five years ago , our government made a pledge to help ensure that all persons have access to America 's civil justice system by enacting legislation that created Legal Services Corporation . The government pledged to make sure everyone had access to the civil justice system and gave LSC $ 5,000,000 . neutral +Also , special tax credits and deductions are aimed at spurring private R & amp ; D. There are no special tax credits or deductions for anything . contradictory +Further , DWP in the United Kingdom plans to use this information to target areas for prevention and detection in the benefit programs , to identify customers who are at risk for higher levels of error in their claims , and to facilitate case interventions . Some DWP customers are as higher risk of making errors in their claims . entailment +They don 't trust me , but they don 't want to hurt us , she said . She had no idea what they wanted . contradictory +For a more extensive discussion , see N. Gregory Mankiw , Macroeconomics , Fourth Edition ( New York , N.Y. : Worth Publishers , 2000 ) , pp. 90-97 ; or Olivier Blanchard , Macroeconomics , Second Edition ( Upper Saddle River , N.J. : Prentice Hall , 2000 ) , pp. 214-220 . There is a more extensive discussion of the economic climate in Macroeconomics , Fourth Edition . neutral +As such , Norplant is the only contraceptive the government could pay people to use with any hope of affecting those who aren 't strongly motivated to either become pregnant or avoid pregnancy . Norplant is a mythical plant told about in norse mythology . contradictory +The streets are full of these boys in khaki . There are many boys in khaki filling the streets . entailment +The federal government also provides financial aid to encourage postsecondary education . Financial aid is not given by the federal government . contradictory +In 1998 , the control of the rights to most of the literary works of Agatha Christie passed to the company Chorion , when it purchased a majority 64 % share in Agatha Christie Limited . The company Chorion has no interest in the works of Agatha Christie . contradictory +This Web site contains guidance and reports , including information about executive seminars conducted by Dr. Malcolm Sparrow , a leading authority in the area of health care fraud , and state Medicaid contacts . Dr. Malcolm Sparrow is a janitor , isn 't he ? contradictory +The Board designated a new category of reporting to highlight the unique nature of stewardship reporting , Required Supplemental Stewardship Information ( RSSI ) . Stewardship reporting has a unique nature to it . entailment +Archaeologists indicate that Lamma has probably been inhabited for some 4,000 years , and the island is known as Hong Kong 's Stone Age Island . Lamma is also know as Hong Kong 's Stone Age Island . entailment +It has the largest collection of books , articles , and papers on the history of the West Indies in the world and is an important archive for students and academics . This is better than what most libraries have available . neutral +Wall Street also saw the losses as a kind of investment . The loses were seen as an investment by Wall Street . entailment +it doesn 't bother me i don 't feel like it 's really a violation of privacy or anything It really makes me feel that my privacy is violated . contradictory +Therefore , a letter weighing more than one ounce The letter was heavier than an ounce . entailment +For the past few weeks my usual stack of junk mail has been supplemented with a steady stream of 2001 tax statements and forms , reminding me that the clock has begun ticking towards April 15 . Tax forms have started to arrive for 2001 . entailment +This site is marked today by the world famous Gateway of India a monument moving for its symbolism more than its beauty ( depending on how you feel about the British Empire it was built to celebrate ) . If you dislike the British Empire , you will hate the Gateway of India . neutral +A slatternly looking servant , with an extremely dirty face and a pair of eyes that did not match , answered the door . The dirty servant didn 't answer the door . contradictory +The old conventional Sibelius was a vulgar nationalist ( a la Wagner ) and a windy Romantic bore . The old conventional was a people 's favorite . contradictory +However , the buildings beautiful though they are have not been able to accommodate modern computerized banking equipment ; increasingly , the institutions have moved to modern buildings around the city . Sometimes old buildings cannot house modern electronic equipment . entailment +i 've the only the only thing i see about Cuba though is uh after Fidel Castro dies i don 't think there 'll be Communist power anymore i i can 't see Communism in that country carrying on past him Fidel Castro will die and that will effect Cuban government in some way . entailment +( avoid playing a double-zero wheel and search for those with only one zero . ) Don 't play a wheel with double zero . entailment +When she was little , she had a blue LED installed in her right eye for no particular reason . She installed a light in her eye to see what would happened . neutral +and then while he was on appeal on his thousandth and one appeal the state of California reverked revoked the law in the early seventies and then they reinstated it later but the penalty didn 't go back you know A law in the state of California was revoked in the early seventies . entailment +This commentator concluded that if the client agrees to the representation with the knowledge that the attorney must seek to withdraw under the rules , and the court refuses to grant the withdrawal motion , the attorney would be required to continue the representation . The commentator said that if the client agrees to the representation , the attorney doesn 't have to continue the representation . contradictory +On This Week , Cokie Roberts asked Begala six times whether an extramarital physical relationship was improper . Cokie Roberts asked Begala ten times whether an extramarital physical relationship was improper . contradictory +The French attention to detail is found in all walks of life ' from the way a scarf is tied to the planning of the summer flow ? ­ er displays found in small villages ( national prizes for the prettiest village are hotly contested ) . Their attention to detail was developed over time , and is largely what contributes to their intricate culture . neutral +Ca 'daan had given his horse , Gray Cloud , to Susan to ride . Susan had never rode Gray Cloud before . neutral +The garden had been founded as early as 1670 as a resource for medical research , affiliated for many years with the Royal College of Physicians . The garden was purely cosmetic and had no further use . contradictory +Us boys , we hadda go git th ' wood ax an ' chop ' em apart ' fore we knew what we was all to do . We were young and didn 't really understand the reasons for what we were doing . neutral +My upbringing is one of honor , the sort of honor that binds you to improper action when such an insult flies . I had an honorable family that taught me to do the right thing . neutral +Jamaican and international food presented in a relaxed atmosphere . They serve the food in a relaxed atmosphere outside . neutral +White House strategists have also taken the heat off Clinton by defining the investigation as a political fight , obliging the press to scrutinize both sides equally . White House strategists were not able to take the heat off Clinton . contradictory +you know from anyone else 's point of view but they 'd get all blown up in the news The news blows the view out of proportion . entailment +right yeah well she 's really she 's really into it i guess but i never have gotten gotten used to well i just really never have been home i think during that time I never got used to it because it was too taboo . neutral +I know nothing , I 'm only here with the flu , I don 't know , others can answer , I 'm just lying here nicely and watching TV right now , the Patient by the Window barked under his nose . The patient by the window had been sick with the flu for months . neutral +and i mean i thought so i 've owned a house for um twenty five of the of the thirty two years that i 've been here in Dallas and i just enjoy it so much and uh and and particularly the lawn i love it dark i love to see it get a deep dark green I 've owned a house with a lawn in Dallas for 25 years . entailment +She relapsed into unconsciousness and has not spoken since . " She 's in a coma currently . neutral +The largest Republican constituency may be the Tight-Lipped Republicans . These folks , who include old-timers such as Virginia 's John Warner , Alaska 's Ted Stevens , and Mississippi 's Thad Cochran , are as annoyed by the president as the next guy . Warner , Stevens , and Cochran are very conservative Republicans . neutral +so huh what do you think should they uh should young Americans be forced to do a year of service So young Americans shouldn 't be required to do any service ? contradictory +my uh i have an interesting anecdote I have an interesting anecdote about the time me and a goat went to new zealand . neutral +I gave Lincoln a death-glare . I glared at Lincoln for speaking . neutral +He said carelessly , " I 've been up for hours . He had just been asleep . contradictory +There are many guided bus tours to sights outside the city , and some are accessible by city bus . Sights outside the city are inaccessible to all . contradictory +While the arcades and amusement park rides lining the pier lure tourists with their wonderfully tacky old-world ambiance , locals also come here to rent fishing tackle at the end of the pier or check out the festive free concerts held each summer . The concerts are amongst the most loved events . neutral +The climate in India imposes its own imperatives and restrictions on your itinerary . India 's weather can disrupt your travel plans . entailment +His greatest works are of mythological , religious and historic themes . One of his greatest works are of religious themes . entailment +Who 's going ? demanded Tuppence sharply . Tuppence wanted to know who was going . entailment +The war was over in six days . Six days later , The Jews and Arabs came to an agreement and ended the war . neutral +Salmon and kippers . The salmon is smoked to be delicious . neutral +No use was made of the draft treaty as might very easily have been done and we therefore came to the conclusion that Danvers had , after all , destroyed it . Danvers had destroyed the draft treaty because it was of no use . entailment +They will not want us but they may need us . They might want us , but they do not need us . contradictory +Please help me . I need help . neutral +yeah i do too i 'm ready to get outside and get the kids outside and I want the kids to go outside . entailment +things are going up all over too yeah yeah House prices are going up all over . neutral +i don 't know what what what is it 's like there but here a lot of the country stuff is in you know lot of the woodwork a lot of uh stenciling The woodwork is superb here , made by masters . neutral +And Judge Kenneth Starr to conduct the investigation ? Is Judge Kenneth Starr going to do the investigative work ? entailment +To the north and west are the ancient sites of Malahide Castle , the evocative hill of Tara , and the long barrows of Knowth and Newgrange . To the south we have modern sites of Chililand Castle and Fun House . contradictory +He turned , took his belts from Ca 'daan , and walked back to camp . He took his black belts from Ca 'daan before walking back to the family camp . neutral +i mean i 've always been yeah the first time so what i 'll go explain myself and and I don 't think anyone is owed an explanation . contradictory +Dissenting in the New York Times Book Review , Pico Iyer finds Cuba Libre The central moral question raised ... The NYT book review did not read Cuba Libre . contradictory +21 This analysis is based on the data set of 13,212 usable residential routes22 and 476,953 stops . This analysis is solely based on 500 stops . contradictory +evaluators call such a procedure building an audit trail and use procedures similar to indexing and referencing to establish both the construct validity of the measures reported and the convincingness of the causal explanations developed in the case study ( Halpern , 1983 ) . There is no name for this procedure . contradictory +I cooked , as a thank you to Derry for installing some VR equipment in my room . I refused to cook . contradictory +When the Romans abandoned England at the end of the fourth century a.d. , Hadrian 's Wall fell into disrepair . The Romans didn 't think Hadrian 's Wall was important neutral +What does this calendar tell us about the Spice Girls ? What information does this calendar give us when it comes to the Spice Girls ? entailment +um yeah and who 's paying for it certainly not the people that are in there the the victims in in a in the sense are paying for it The victims are the ones actually paying for it . entailment +well that 's that 's another problem you know and if you don 't have all these special tools of course like i said we 're very fortunate with the older cars we can work on them what um if you don 't have all the special tools and the technology i i 'd i would hate to buy a brand new car today with the electronics that are in them That 's the main problem if you don 't have the special tools for newer cars . entailment +More and more caravans and riders crossed Ca 'daan 's path as he grew closer to Fena Kef . Ca 'daan passed many caravans ad riders along his way . entailment +and they clean the city streets but you know we have criminals in jail that do nothing but sit on their duff all day and here it costs us seventeen to eighteen thousand dollars a year to support a prisoner and i know yeah but i know families myself that have three and four children in Lubbock that don 't make that much There are options that can make the criminals that do nothing cost us less per year . neutral +oh really uh-huh oh tofu Tofu is a product of soy bean paste . neutral +'This is all the reasonably reliable , reasonably legitimate data on Benny Boy that I could find . ' I got some information about Benny . entailment +Results of the review should be communicated to agency officials for their comment , in accordance with government auditing standards . Government auditing standards are irrelevant when it comes to informing agency officials of the results . contradictory +Country markets start business around 8am and run through mid-afternoon . Markets in the country are open for several hours . entailment +He never hesitated or faltered . He staggered as he heavily dragged himself to do this task . contradictory +Somehow I am happy to be too formal for your society . Somehow I am unhappy to be too formal for your society . contradictory +they have contests on the radio in the morning and i think i won one of the movie mystery contests one time Late at night the radio hosts sex talk shows for naughty adults . contradictory +Shucks ! said Julius thoughtfully . Julius knew that they were running out of opportunities . neutral +Halfway along the narrow peninsula you 'll find Sangster International Airport , the main airport of entry for Kingston and the eastern part of the island . Midway while traversing the narrow peninsula , you will find Sangster International Airport . entailment +Don 't be daunted even the best-informed scholars find the monumental relics difficult to decipher the mystery itself is more than half the charm of these vestiges of a vanished world . The best-informed scholars are unable to fully understand these vestiges of a vanished world . entailment +Forty thousand of us die that way each year . Forty thousand people die the same way each year and they have similar lifestyle choices . neutral +oh so they didn 't want to wind up being a juror ever They didn 't like the idea of being a juror . neutral +From his vantage point he saw what he had not seen before--the amazing size of the construction project . The huge size of the site could be seen from this point . entailment +3 ) It doesn 't try hard enough to figure out what made him tick , and tick so loudly ( Tom Shales , the Washington Post ) . ( Find out more about the movie here ; read Sarah Kerr 's review in Slate . ) The movie doesn 't try hard enough to figure out what made Richard Nixon tick . neutral +leadership succession , but will continue to adhere to the core vision and values embedded in the community in ways that ensure the highest degree of relevancy to the increasingly diverse communities of clients in need of equal justice services . Many believe that the core vision and values of the community will be harder to pin down than people seem to understand . neutral +The man shrugged . He shrugged , entailment +The Industrialist turned to the Astronomer . The Industrialist wanted to ask a question . neutral +Exclusion of capital gains income from home sales $ 18,540 Capital gains from income are not included , this is on a different tax form . neutral +And while the costs of unrestricted trade tend to be visible because they 're nearby and concentrated ( e.g. There are costs associated with free trade . entailment +4An assertion is any declaration or set of declarations about whether the subject matter is based on or in conformity with the criteria selected . 4An assertions do not conform . contradictory +She 's in her 20s . She is 23 years old . neutral +Splash out with fish baked in the taboon , or bouillabaisse . The fish is baked in the taboon . entailment +that 's probably true i mean they they are a lot of them that have to put their kids into day care or having more with baby sitters and especially if they don 't have boy friends or husbands and uh i guess that 's why you always hear these stories about kids being neglected There are not many of them . contradictory +If the RFP is unjustifiably restrictive , favoring one contractor over others , the agency may be unable to benefit from full and open competition . The RFP will never be restrictive , and the agency will always benefit . contradictory +Reached by a rambling footpath is the 1904 Villa Cimbrone . Follow the highway and take exit 49 , and then drive a short distance before pulling into Cimbrone 's parking lot . contradictory +1 , I should say , are a man 's finger-prints ; thumb and first finger . One are a man 's thumb and first finger fingerprints . entailment +Many arrived with nothing but the shirts on their backs , but they brought their philosophy of working hard and seizing opportunity . They came from all over the world . neutral +Much of the furniture inside belonged to the family . The family owned none of the furniture inside . contradictory +From the top of the Colline Saint-Eutrope , you get a good bird 's-eye view of the theater in relation to the triumphal arch and the Rhine Valley beyond . You can see a lot from the top of Colline Saint-Eutrope because it 's about 2000 feet in the air . neutral +De Wit worked from likenesses of actual monarchs to produce his portraits . Each portrait took over a month to create . neutral +okay i 'm back I went to the bathroom while I was gone . neutral +PERCENT OF FEDERALLY OWNED LAND IN EACH STATEl Utah has a higher percentage of Federally owned land than Rhode Island . neutral +The WNBA 's Having a dynasty team helps the league market itself . The WNBA team is not helping the league market . contradictory +It 's an excellent focal point , giving new visitors an easy reference to establish their location ; it 's a spectacular vantage point for many of the city 's great landmarks ; and its bridges and quays offer history , entertainment , shopping and exercise . This area spans along both sides of a river . neutral +But now Prospect , a British magazine that covers politics and ideas , asserts that sociology is back . The magazine has repeatedly covered the death of sociology and maintains that stance . contradictory +yeah i think the the Americans that i know who are are are sort of antitax a lot of them seem antitax because they 're distrustful of the government will spend their money wisely and the sense is i can spend the money on myself if i gave it to the government they would just waste it seems to be an an an attitude i hear is a lot of people and i think you hear that attitude you if you go to Sweden you won 't hear that as much people will say well we need those services and we 're it makes our country great so we will are more willing to pay for it uh Swedish individuals hate paying taxes because they don 't believe their government will spend them wisely . contradictory +To make such a trip you will need either a Chinese visa or a special group-tour permit for Tibet . You will not need any documentation of any kind to make such a trip . contradictory +Be careful with the heady Corsican wines ; the most enjoyable ones are the rose . Of the Corsican wines , the best ones to try are the rosés . entailment +It proved a fine defense and was instrumental in Candia 's ability to hold out so long in the siege of the city throughout the 1660s . It aided the city 's defense and helped it to hold out for a long time during the siege . entailment +Warm clothing and hiking boots are essential , though , and in winter bear in mind that conditions on the mountains can be hazardous , with landslides removing parts of the path . There is no need for warm clothes and hiking boots here , and it is perfectly safe in the winter . contradictory +Modern shopping malls are usually open 10am-midnight or later , and often on Sunday as well . Modern shopping malls always close at 6pm . contradictory +when i know what the oil costs I can only afford oil if it 's cheap . neutral +A low personal saving rate raises questions about whether households have adequate resources to sustain their rate of spending . A low personal saving rate indicates that families might not have enough money to sustain their lifestyle , or perhaps they should change their lifestyle . neutral +to eliminate that and that you 're talking about five thousand people You 're talking about 5,000 people to eliminate that . entailment +But it 's hard to believe that people are not affected by the images and stereotypes they encounter as children . People are never affected by being racist things . contradictory +On the 14th and 15th of the month is the year 's second lighting-up of the thousands of lanterns at Kasuga Grand Shrine in Nara . Thousands of lanters are at the Kasuga Grand Shrine . entailment +For now we eat and we wait . We can 't eat , we must keep going . contradictory +The early history of Nepal is a mixture of fact and myth The early history of Nepal is a mixture of fact and myth with many wild tales . neutral +Indeed , said John with a certain stiffness in his manner . John agreed , and relaxed . neutral +right yeah well she 's really she 's really into it i guess but i never have gotten gotten used to well i just really never have been home i think during that time It 's something I 've never really gotten used to . entailment +For undermanned Guadeloupe and Martinique , the French pirates were critically in return for a safe haven , they carried in supplies , raided enemy merchant vessels , and joined battles against invading forces . The French pirates carried supplies they had stolen from anyone they passed . neutral +To explore its fascinating subterranean sights , start with the Whity Umeda , under the Hankyu and Hanshin buildings , then move on to Herbis Plaza but don 't expect to see daylight again for some time . Whity Umeda is a very tourist-friendly attraction where you can explore the local culture . neutral +i i have seen things i really like you know that were done i 've seen projects that i really wanted to do myself neutral +part of me says that i 'd kind of like to do it just to see what it 's like to be in that position where you are playing you know life and death with somebody else could i bring myself to do it Half of me would like to find out what it 's like to play god to peoples ' lives , to ruin or improve them . neutral +Giza was the site of a royal burial ground from the days of the Early Empire and the desert landscape is dotted with numerous mud brick tombs and mastabas ( stone tombs with flat roofs ) , though they are by no means as impressive as the pyramids themselves . There are no mud brick tombs anywhere in the desert . contradictory +you know it 's not something that 's continual because you know the television ratings don 't come out you know all the time they only come out four times a year so The TV ratings come out 6 times a month , don 't they ? contradictory +They also introduced sugarcane , some European vegetables , and the pig to the islands , but never founded any significant settlements . They introduced sugar cane to the island and it quickly became very popular . neutral +here in Maryland it 's only five um it was nice to have that uh you know deduction when it was available It was higher in Maryland previously , making many people unhappy . neutral +popular in that area okay well what this is is it 's it 's really sponsored by the Y but it 's nonsectarian uh is that it 's the concept was It is sponsored by the Y and is nonsectarian . entailment +PREMIUM DEFICIENCY - A condition under which a liability for future policy benefits using current conditions exceeds the liability for future policy benefits using contract conditions . Premium deficiency is when the liability policy benefits using current conditions equals future policy benefits . contradictory +The Ptolemaic era came to an end with its most famous ruler , Queen Cleopatra . Queen Cleopatra 's reign marks the beginning of the Ptolemaic era . contradictory +Who the hell is Jeffrey Goldberg , anyway ? Who is Jeffrey Goldberg and why should I care ? neutral +The real cure for anti-Communist hysteria was a courage that Kazan , like most people , did not possess . Kazan was the only man in the whole world brave enough for the task . contradictory +Comparative Politics and the Comparative Method . The comparative method involves interviewing politicians about their views . neutral +My jaw dropped involuntarily , and he said at once : " No , mon ami , I am not in my second childhood ! I was completely surprised . neutral +Haroun-al-Rashid might have accepted the city , but Mayor Wagner could never have believed in it . Mayor Wagner was eager to accept the city because he was open-minded . contradictory +THE NATURE OF STEWARDSHIP REPORTING there is no stewardship reporting completed contradictory +The legitimization of gambling led to its increased legalization across the US . Gambling has never been legitimized from a societal perspective . contradictory +Esther F. Lardent , director of the Pro Bono Institute at Georgetown University Law Center , said the good economic times of the late ' 90s saw lawyers at large firms suddenly responsible for as many as 2,300 billable hours per year , compared with the less time- consuming and more typical 1,700 hours . Esther F. Lardent claimed that lawyers saw a huge decrease in billable hours per hear for the 1990s . contradictory +that we 've been paying real close attention to that so we 're using the ones that uh have the lower rate as a matter of fact the uh the uh credit union I 'm sure it 's fine , we don 't need to watch over it . contradictory +It referred to a man 's body found near the docks in New York about three weeks ago . The man had finally been identified by the police . neutral +'I almost forgot . ' I forget what we were talking about . contradictory +If next week 's vision is exactly the opposite of this week 's , don 't hesitate to tell that one , too . The speaker wants to hear nothing of visions , only hard facts . contradictory +Both unglazed and ceramic styles are available The only available styles are glazed and double glazed . contradictory +Look for the typically Mallorcan teles de llengues ( painted fabrics , in green , blue , and pink , used for decoration in peasant houses ) . Mallorcan teles de llengues are popular , inexpensive souvenirs . neutral +Now , James 's monthly house notes have dropped from $ 796 - more than twice her monthly income - to an affordable $ 247 . James mortgage rate went up . contradictory +The study also found rising employment for women and minorities , suggesting significant progress in the workplace . Employment rates of minorities is decreasing . contradictory +It is place to eat fine Mallorcan , Menorcan , and Spanish cuisine rather than pizza and French fries . Mallorcan and Menorcan food is much tastier than Italian cuisine . neutral +Both sides formed twisted mirror images of each other . The sides were mirror images of each other . entailment +Simpson defense : law professor Barry Scheck and forensic expert Henry Lee . The law professor and forensic expert were happy to help with the case . neutral +Automated approvals , when the risks associated with automated records and approvals warrant it , might necessitate electronic signatures that follow NIST guidance . Electronic signatures wouldn 't have to be done in accordance to NIST guidance with automated approvals . contradictory +so uh what they didn 't pass the uh the back tires the two back tires so what i did i went down and bought two new uh tires had them put on the front and then my front tires were just rotated to the back It was smart to rotate them . neutral +He was crowned King of Scots at Scone in 1306 and began his campaign to drive the English out of Scotland . The King of Scots , who was crowned in 1306 , never wanted to drive the English from Scotland . contradictory +Twenty three leading institutes all over the world , including the New Contagious Diseases Research Centre were busy working on the vaccine 's development . Only one institute in the whole world was working on developing the vaccine . contradictory +Coffee has replaced the ubiquitous tea Dublin is now almost as much a coffee city as Vienna or Seattle . Tea is much less common than coffee in Dublin now . entailment +ALLOWANCES FOR STATES WITH EMISSIONS RATES AT OR BELOW States have emissions allowances . entailment +The dohyo-iri ( ring entry ) ceremony opening the tournament is a fascinating spectacle . The ring entry ceremony goes on for hours . neutral +Already , Al Gore has plans to focus on women-oriented sites . Al Gore 's focus will be on women-oriented sites . entailment +Between 1993 and 1996 , the Postal Service conducted the survey using a relatively small panel of about 400 routes . There are over 10,000 total routes . neutral +5 and 8-hour ozone nonattainment were determined by rolling back current air quality levels . Rolling back current air quality levels determined ozone levels . entailment +the Mazda definitely did not not at all The Mazda definitely didn 't entailment +It 's true that the Pacers don 't play beautiful or acrobatic basketball . The Pacers have never been trained by acrobats . neutral +The White House says there 's no such system . The White House knows of the existence of that system . neutral +you know and i 'm going i will never get to see Jeopardy again This is the last time I 'll see Jeopardy . entailment +He brought along this whole plane full of African-Americans , and some of our really fine citizens are African-Americans in government , in business , in athletics , in show business . African-Americans make up the majority of individuals involved in high-end athletic programs . neutral +oh he just like totally sarcastic and hilarious and i don 't know i 'm a lot like him in a way so I have nothing in common with him . contradictory +Nonetheless , we find that there are steps that can be taken to generalize from case studies when this is desired . It is possible to generalize from case studies following a certain set of steps . entailment +The Middle Ages There were no Middle Ages . contradictory +In the second , a survey of taxpayers would have to be very large to get a good hit rate of individuals who sought assistance , and the diversity of individual questions would have blurred ability to interpret variation in IRS responsiveness . The taxpayers have no surveys to fill out . contradictory +uh i guess being here in Dallas are you familiar with the Rangers I guess since you are in Dallas you might know about the Rangers ? entailment +The coalfields of Lothian and Fife fueled the growth of baking , distilling , printing , and machine-making industries , giving Edinburgh the epithet Auld Reekie ( Old Smoky ) . Coal was produced in great numbers in Edinburgh which benefited a lot of areas of labor . entailment +lowest-ranked playoff team in their division ever to accomplish this feat . highest-ranked team in the division to every complete this accomplishment . contradictory +and i had to always well i 've lived there for eight years myself i 'd always said i was gonna go back to school and go to Notre Dame I wanted to go back to school at Notre Dame . entailment +yeah that 's i i had a pickup truck in fact i had i had two the last one i gave to my uh uh youngest I loved my first pickup truck ; it was my first car . neutral +Tuppence picked it up . Tuppence picked it up off of the floor . neutral +Government is not the solution . Government is the only sensible solution . contradictory +The North Shore combines native Hawaiian culture and natural beauty with the modern charm of surfing villages and beaches . The North Shore doesn 't really combine anything together . contradictory +The argument is subtle and carefully developed , lacking anything even faintly resembling the wild claims or irrational speculation that a lunatic might produce . They worked hard to devise their argument against gay marriage . neutral +but i mean the i mean there 's nothing to do like for example yesterday This week , there has been nothing to do everyday . neutral +Farther east , Elia and Agia Anna offer the promise of a little more space . Elia and Agia Anna are larger areas . entailment +Village households still wash their laundry in these waters . People of the village use local streams to wash clothes . entailment +This is in reply to your inquiry regarding our Office 's March 28 , 1997 , Congressional Review Act report on a major rule concerning the inspection and expedited removal of aliens issued by the Immigration and Naturalization Service ( INS ) and the Executive Office for Immigration Review of the Department of Justice ( GAO / OGC-97-32 ) . This reply is for your inquiry that occurred last April . contradictory +The real Benjamin Franklin and the fake Abraham Lincoln , faces broken beyond recognition , enveloped by a cascade of lightning . Their faces were badly beaten . entailment +Live entertainment every evening . Every evening , there is some form of live entertainment . entailment +Something inside me tightened ; I kept the indignation down . I kept my rage inside . entailment +about Julius , " put in Tuppence . Tuppence spoke about Julius after chewing her food . neutral +Two weeks ago , Sweeney brought a steelworkers union official to the National Press Club to illustrate how the WTO 's prohibition against trade barriers facilitates the loss of U.S. manufacturing jobs to dumped imports and cheap labor abroad . Sweeney never brought anyone from the union . contradictory +The dream exalts the primitive art that is the movie 's visual inspiration in a way that seems truly religious . The movie 's visuals are influenced by modern art . contradictory +But there remained another ally . There was still a friend . entailment +Henri IV had it laid out in 1605 on the site of an oldahorse-market , his idea ( borrowed from Catherine de 'Medici ) being to have all the houses in the same symmetry . Henri 's idea had a long lasting and important influence . neutral +well it 's it 's not really all that bad uh i think you live in Plano so uh the the Plano area and the Richardson area probably are are about the same pricewise i would think There 's a huge price difference between the areas of Plano and Richardson . contradictory +Bout th ' best in these here parts . About the best in this area . entailment +is it do you get spooked you feel or do you get butterflies in your stomach when you go there because Is it every spooky there ? neutral +I took up a telegram to No. 891 the lady was there . I delivered the telegram to the lady at No. 891 . entailment +You 'll find that the Old Cites myriad colours , sounds , smells , and tastes stir the senses ; the Temple Mount 's architecture can take your breath away ; pilgrims tracing Christ 's journey to Calvary along the Via Dolorosa remain a deeply moving sight ; and the views from the Mount of Olives are stunning . Views from the Mount of Olives are largely obstructed by surrounding skyscrapers . contradictory +Only a few years ago--three to be exact--managed care was the prescription of liberal reformers for an over-stressed health care system . About three years ago , liberal reformers were pushing for managed care . entailment +Unless that emergency is coming towards you at several hundred miles an hour and you don 't notice until there 's nothing to be done about it ... ' Yes , well , ' I smiled thinly . 'Yes , well , ' I smiled thinly , unless that emergency is coming towards you at several hundred miles an hour and you don 't notice until there 's nothing to be done about it ... entailment +However , the population of Chios has also experienced very turbulent times , particularly in 1822 , when an estimated 20,000 people were massacred by Ottoman forces , following an unsuccessful uprising against Ottoman rule just after the creation of the Greek state in 1821 . The population of Mexico City experienced easy times with the ruling of the Ottomans . contradictory +Back then , his jaw had tensed , and the male half of the poultry producers association had stopped developing an eyelid tick . His jaw had tensed because of the words the men have said to him , and they weren 't pleasant . neutral +Vrenna parried another sword strike and planted her remaining short sword under the chin of her opponent until his cap came off and balanced on the tip . Vrenna had no weapon so he used his hands to hit the man . contradictory +This exhibit , bankrolled by Steven Spielberg and Sharon Stone , is judged to be of greater historical than artistic merit . Sharon Stone and Steven Spielberg were a great pair . neutral +well well what seems to be the answer is to concentrate on uh you know the children It seems that the answer is to concentrate on the children . entailment +But if he 's ' people , ' maybe it 's a disintegrator gun . " Could it be a disintegrator gun ? entailment +The dark made it hard to see more than centimetres ahead , and but for the streaks of starlight we would have been blind . It was hard to see because it was so dark outside . entailment +The final rule adopts a new standard for foreign participation in the U.S. satellite services market consistent with the United States ' obligation under the World Trade Organization Agreement on Basic Telecommunications Services ( Agreement ) . Foreign participation in the U.S. satellite services market has been high . neutral +While there is no empirical evidence to support or reject hypotheses regarding wealth and observed WTP , WTP for additional life years by the elderly may in part reflect their wealth position vis a vis middle age respondents . Wealth position definitely has nothing to do with WTP for additional life years . contradictory +They 're more interested in spiritual self-flagellation and renewal . They 're more interested in renewal than they are self-flagellation . neutral +i 'm not sure though when we talk about what rules if any that we should say well certain segments should not have to be tested i really don 't see why the rules are already pretty clear , the students should understand neutral +i 'd like to get I 'd like to get it as soon as possible . neutral +Relax and sleep , Dave Hanson , and remember when you were alive . " There was a sharp sound from the doctor , but it began to blur out before Hanson could understand it . Hanson was coming close to death . entailment +It reveals a peek at such tricks of the trade as the B-tank , where Moses parted the waters in The Ten Commandments , and New York Street , a facade of brownstones made of fiberglass that has been aged to look like real brick . It reveals a peek at such tricks of the trade as the B-tank , where Moses parted the waters in the movie The Ten Commandments , and New York Street , a facade of brownstones made of fiberglass that has been aged to look like real brick . entailment +and make their kids stay there we found on in the area that that is letting us pay as little as two fifty an hour that 's still five dollars an hour for two of our kids and it it 's uh fun we try to keep it to a minimum They made their kids stay there . entailment +Participants generally agreed that auditors should be able to speak more freely , openly , and honestly with audit committees on risks facing the company and on the appropriateness of the company 's accounting policies . Everyone thinks auditors should be able to speak freely . neutral +If I caught it , returned it , and received nothing in return , I have nothing to tax . There 's nothing to tax if I caught it . entailment +Here 's Dr. The doctor has arrived . entailment +While Franklin Roosevelt was tragically unwary of the new global menace from the left , Churchill spearheaded the opposition to the twin scourges of the century--Nazism and communism . The fear of Nazis from the left was grossly overstated . contradictory +Scarcely a sentence passed his lips without a mention of toughness . He tried to avoid talking about toughness . contradictory +Each person talks over their problem with a lawyer , said Alisa Mariani , vice chair of the chapter . The vice chairperson of the chapter is Alisa Mariani . entailment +so there 's more of them getting killed than the Whites More of them are getting killed than whites . entailment +This guidance also helps you decide whether you should follow up the preliminary assessment with additional work . The advice you got will not help you decide whether to get to work . contradictory +The country loved him . He was hated by the country . contradictory +The village of Bassenthwaite spreads out across the valley to the north of the lake . The best area is to the north of the lake . neutral +Some sites will crash . Some sites will never crash . contradictory +well yeah well when we 've painted um right now our house doesn 't have to have the same kind of exterior painting there it 's more trim because it has some of the old asbestos shingles We haven 't painted anything yet . contradictory +but then you know it 's kind of like a a lottery somebody in their lifetime may win millions of dollars where another person doesn 't win anything and tries and tries and tries Everyone wins the same amount . contradictory +well like i told you before I have said this in many previous instances . neutral +As Big Boy , Woody Harrelson is a pop-eyed cartoon , but I admit to finding his hamminess--and his pronunciation of such phrases as You scum-suckin ' dawgs--hugely entertaining . Woody Harrelson voices the cartoon character Big Boy . entailment +It flowed toward his chest . It moved towards him , his chest specifically . entailment +He looked over at Susan . He looked to Susan . entailment +i guess so well it 's been nice talking with you uh-huh bye-bye I suppose , well it 's been a pleasure chatting with you . entailment +like constantly it seemed like but fortunately i had small children and i didn 't have to go and it 's not that i mean i think everyone should have to serve on the jury it 's just that Small children should serve on juries all the time contradictory +On Duke Street you will find Headquarters House , built in 1755 . Headquarters house is a popular tourist destination in the city . neutral +After all , somebody has to be excluded , or it isn 't much of an honor , is it ? ) It must be elitary , otherwise it 's not an honor . entailment +You 're such young things , both of you . The two of you are so young . entailment +I wondered how I could have been so unobservant as to overlook this . I wondered how I overlooked this . entailment +Legend says that a great fire burned for seven years on the island , leveling it of all its trees . The ship 's log shows that a fire broke out on the island , but was doused within seven hours . contradictory +Fully automated systems , for example , may require fewer approvals than manual systems because of automated edits and controls , and the use of automated signatures . Companies can save money by spending less on manual labor of these systems . neutral +in the empty spots . The magic is in the empty spots . neutral +This southernmost of the French West Indies lies between English-speaking Dominica and Saint Lucia . Between Dominica and Saint Lucia is the northernmost of the French West Indies . contradictory +But I made a grave error , just a bad mistake on my part . I made no mistakes at all , and all my calculations were correct . contradictory +you just need to get the you need to get the right mix of soil so that it doesn 't dry out If you have the right mix of soil and it stays moist your vegetables will grow wonderfully . neutral +uh real long legs and dark hair Stubby legs and blond hair . contradictory +Not far away , at milepost 21 near the large new town of Tuen Mun , is a Taoist retreat known as Ching Chung Koon . Tuen Mun is in fact a small town . contradictory +He also supplied one-third of the budget of the Manufacturing Policy Program of Pat Choate , who ended up as Ross Perot 's running mate in 1996 but first became famous for his book Agents of Influence , about the alleged influence-buying practices of foreign governments and corporations . Pat Chate was Ross Perot 's running mate in 1996 entailment +From a welfare point of view , the situation here also has potential . In terms of welfare , there is no potential here . contradictory +7 . Brandishing a firearm or destructive device ( i.e. In possession of a firearm or destructive device . entailment +Parents of SIDS babies have been wrongly accused in the past . It is almost all the time that SIDS babies parents are being wrongfully accused , both in the past and the present , and they will continue to be wrongfully accused in the future . neutral +Sir James handed her a pocket-knife , and she ripped away the brown paper from the back … . She ripped her brown paper with the knife neutral +He 'd made his choice without hesitation : the colt Shiloh , the mare Shadow , and she bred to Storm Cloud for what should be a prize foal . He just couldn 't decide . contradictory +We next examine the volume vulnerable to capture by potential cream skimmers . We 've never taken a close look at the volume vulnerable to capture . contradictory +We collapsed the tunnels . The tunnels were collapsed by our enemies . contradictory +The remains of many ancient sites lie just off the coastline . There was nothing in the vicinity of the coastline . contradictory +Moreover , the obits also recorded lots of violent and accidental deaths . Deaths of people are published in obituaries . entailment +For visitors the peace dividend is currently considerable , allowing access to the number of great sights that lie in the Sinai and Jordan , including the fabulous city of Petra . There are no great sights between Sinai and Jordan . contradictory +His hat rolled off . His hat stayed put . contradictory +Now he gave an order he obviously expected to be obeyed " if you do find anything , don 't try to take over yourselves . The order that he gave he expected to be obey , " Anything you find , don 't take over yourselves " entailment +yeah they they do They don 't . contradictory +A passionate Dreyfusard , Monet supported his friend Zola in his defense of the French army officer falsely accused of passing secrets to the Germans . Monet defended Zola regarding false accusations of the French army officer . entailment +We conducted extensive Internet searcHe 's for all 50 states to identify reports and other studies that identified states that had taken actions that appeared to identify and reduce improper payments . We only conducted testing for the lower 48 states . contradictory +uh but he you know But she , you know . contradictory +but uh they keep seem to keep moving her in and out of different ones that they had just got done moving her uh into another one because the one she was in they gave her some medication she was definitely allergic to and almost killed her They kept her in one spot . contradictory +it 's just awful i i as i say i 'm isolationist i think we need to to close our doors to some of the immigration and now they 're talking about how we 're bound to have an influx of immigrants from the latest war from Iraq Iran Saudi Arabia so on and so forth and uh i 'm i 'm really sorry that i feel the way i do but i just think that we need to not take people as we have over the many last many many years I want to welcome immigrants from all over . contradictory +How she was to detain Mrs. Vandemeyer until the two men arrived , she did not know , but somehow or other it had to be done , and she must accomplish the task single-handed . She had no idea how to keep Mrs. Vandemeyer from leaving , but she has to find a way herself . entailment +That evidence can include corroborative witnesses -- and even a layperson representing himself has the power of subpoena to require testimony . Any evidence will always include a corroborative witness . neutral +So , once again Manjushri interceded and created a pond for them to live in . Once again , Manjushri failed to create a pond for them to live in . contradictory +The only adult males allowed in the Harem were the Black Eunuchs , who were in charge of security and administration . The Black Eunuchs were responsible for the security and administration of the Harem . entailment +could be i i haven 't been to South Dakota have have you been up to that I 've always been too scared to go to South Dakota . neutral +I have always been the changeling . The changeling has been me from the beginning . entailment +It does not apply to inventory , nor does it apply to forfeited property ( as explained in the previous section on nonexchange revenue ) . Forfeited property and inventory are not applicable . entailment +The Oklahoma Reich The State Government neutral +'You have two days to get this thing working like a person , right ? ' Derry asked . Derry said that there were three weeks left to the project . contradictory +It was introduced in the 19th century , together with railways , cameras , and whisky . Cameras and railways were first introduced during the 19th century . entailment +but we didn 't you know we didn 't really start it for the money it was just they were fun to have around and we figured if we 're going to have them we might as well have some purebreds and and now it developed in to going to cat shows and finding studs for them and you know all this kind of stuff Our sole intention in this hobby was to make lots of money . contradictory +Then my answer is yes . The answer is a firm no ! contradictory +For example , individual accounts-discussed more fully in Q4 . Individual accounts aren 't discussed in any more in detail in Q4 . contradictory +" That is not what I was about to say , Senor Rivas . I wasn 't going to say that , Rivas . entailment +Jack Kroll in Newsweek : Never have these four and a half hours in hell raced by with such Einsteinish speed . Kroll writes for Newsweek . entailment +i really don 't know what the solution would be everybody or a lot of people thought when they ended the poll tax you know many years ago that that would bring out you know a lot of voters The poll tax was hundreds of dollars per person . neutral +While you are in the Jura , take the time to trace the Loue river and its tributary , the Lison , back to their cascading sources through the landscapes that inspired so many of Courbet 's paintings . The Lison is not a tributary of the Loue river . contradictory +If the cost of the PP and E acquired equals the book value of the PP and E surrendered , there is no gain or loss ( nor a revenue or other financing source ) , because the exchange of one asset for another of equal value does not provide a net inflow of resources . If PP and E acquired cost equals book value of PP and E surrendered , we can assume there was no leakage of money in the process . neutral +By 2,000 b.c. , these timid , gentle nomads hunting with bow and arrow were driven back from the coasts by waves of sturdy immigrants arriving in outrigger canoes equipped with sails . Nomads and immigrants lived side by side on the coasts . contradictory +that they can be adopted by federal agencies , Federal agencies will adopt them . entailment +yeah yeah i 've seen more and more companies that have um parental leave not just maternity leave they can grant paternity leave as well as maternity leave Most companies offer maternity leave but more are starting to offer paternity leave along with it . neutral +yeah she 's fairly young we we 've bred her once and and that 's all we 're going to breed her so uh We have no intentions of breeding her . contradictory +It means that she has discovered Monsieur Lawrence does not dislike her as much as she thought , replied Poirot philosophically . Poirot responded by saying that it means that she now realises that Monsieur Lawrence 's dislike of her is not as strong as she believed it to be . entailment +what 's neat is seeing history happen you know Seeing history doesn 't matter much to me . contradictory +Inside , the Musee Historique Lorrain offers a fascinating glimpse of Nancy before Stanislas . The exhibit on Nancy will be running for the remainder of the season . neutral +Charles Krauthammer blamed it on all those nature shows . Charles Krauthammer blamed it all on those basketball players . contradictory +Most people Prudie has observed tipping taxi drivers tack on a couple of bucks , no matter what the meter . People tend to give taxi drivers a flat tip of about two dollars . entailment +so i 'm kind of bad about that myself I do not like doing that . neutral +FINANCING ACCOUNT -A non-budget account associated with each credit program account . There are different types of accounts for each credit program . entailment +Each year , OIM staff assists our grantees in verifying the reporting of CSR data through the annual self-inspection process . Self reporting is not used to verify reported data . contradictory +The greater variation in volume per address in the U.S. is probably due to the fact that mail volume and income are highly correlated and the fact that the U.S. has a much larger variation in income per household than France . Mail volume is inversely proportionate to income . contradictory +The page-boy 's statement that Miss Cowley drove to Charing Cross . He said Miss Cowley drove to Chicago . contradictory +The door into the passage , that is . " The narrow door to get into the passage was closed . neutral +uh you got me i you know i think that there 's coming to a point real soon when ticket prices are going to be to the point where the average fan can 't go and once you do that you lose everything i mean There will come a time when an average fan cannot afford tickets . entailment +CII has recently developed a comprehensive preproject planning approach that allows organizations to measure whether they have adequately addressed all predesign requirements . CII developed a process that helps organizations determine if they have looked at all the factors required during a project planning predesign phase . entailment +yeah that would be really tough you know like say the Yes , but that would be really difficult . entailment +Now they are claiming they have no money and can 't afford a wedding . The have bragged to everyone about the fancy wedding the can afford . contradictory +um-hum well uh uh most of my friends do spend a lot of time down in Florida but uh i have just that 's just not been my thing we used to always head west or head north now that i 'm alone why uh i uh prefer to travel overseas if i 'm going anywhere Most of my friends spend a lot of time in Florida but I think it 's so trashy . neutral +it 's terrible it 's i don 't know if the Dallas location it just seems that um sometimes i feel like i 'm in a singles bar It is bad because Dallas location is problematic for me since it always feels so sleazy . entailment +Howard Kurtz , the media reporter of the Washington Post , does this a bit from time to time . There are no field reporters for the Washington Post . contradictory +yeah yeah one of one of our professors went down to a seminar you guys had uh sometime last year and got the information and brought it back and A professor of mine went to see a seminar in your town . neutral +that this this is the idea that i think is actually very is is what i think we should all revert to the idea that um basically they said you know everything happened in kindergarten and and in kindergarten we learned to share and we learned to um play with each other we learned to take nap you know and to take naps and and whenever we 'd start a fight we 'd all apologize and hug each other They said kindergarten was a place for learning to be good people . neutral +Initiatives that CLS has undertaken to improve and expand services to clients on a statewide basis CLS has launched new initiatives to improve and expand services to clients and improve relationships with vendors . neutral +She is wearing a blue suit--not quite navy blue , but a bit closer to that notorious color than I would have chosen--and white pumps and is carrying a white purse . She is clad in blue and white . entailment +Yes , some steps have been taken but not nearly enough or as quickly as is called for , given recent events and the vital role that CPAs play in our overall accountability system . No action has been taken in recent months , causing questions to be asked . contradictory +It also requires landlords to have their property inspected prior to tenants signing a rent-to-own contract and to provide the tenant with the inspection report . The tenants were glad to get the reports . neutral +and uh it 's i think they 're they 're like all companies well represented and uh you know everything seems to be fine i i 've kind of lost touch with the company we had a falling out but uh The company is doing well , and we keep in touch all the time . contradictory +For the moment , yes . For now , definitely . entailment +The objects that interest Levinthal , as he points out in a statement at the Janet Borden Gallery , could as well be called white memorabilia , since they record , presumably , the fantasies of white people , including the fantasy of assuming a temporary black identity . Levinthal is interested by black memorabilia , that is to say fantasies of black people . contradictory +that 's true well do you do anything else do you knit or crochet like for sweaters or anything like that Do you also do other things like knit or crochet ? entailment +Well , that seems not to be the case in your life . That 's exactly what 's going on in your case . contradictory +well i think basically they can 't figure out what they want down there They know what they want down there . contradictory +Egyptians revered the strong and patient creatures and Kom Ombo is dedicated to Sobek , the crocodile god . Sobek is known as the crocodile god to the Egyptians . entailment +He 's got a new Rolls-Royce car , said Tuppence with vicarious pride . Tuppence said that he has a new Rolls-Royce car . entailment +Democrats say Republicans who accuse Clinton of wagging the dog are deliberately aiding and comforting the enemy . Democrats say Republicans are doing a counterproductive action in this occasion , since they didn 't think carefully about it . neutral +I ran round for Sir James here , and we came right on . They came right on Sir James face . neutral +so i i want to get to the point where i could feel like i could just hire someone It saves a lot of hassle . neutral +yeah yeah hm i i think um you know we 're able to read each other pretty well because uh she knows when i 'm upset and i know when she 's not feeling good too so i know like when she has an accident i know she 's not doing it on purpose She doesn 't understand what people want . contradictory +The atmospheric place was part of a Franciscan monastery built in the 17th century . The Franciscan monastery was built in the 20th century . contradictory +To show the maximum impact of the age adjustment , the Alternative Estimate is based on the Jones-Lee ( 1989 ) adjustment factor of 0.63 , which yields a VSL of $ 2 . The minimum impact of the age adjustment is used in the primary estimate . neutral +The Results An Evaluatoras Guide to Assessing Agency Annual Performance Plans Agency performance plans can be evaluated annually . entailment +The activities cited here would not be unusual , or even objectionable , if Gates imposed strict quality control standards upon them . Gates did not impose strict quality control standards . entailment +It 's not much fun to go through in real life . It 's easy to deal with that ! contradictory +it 's one of the advantages of not having pitchers who are uh uh you know i guess i guess when you start pitching real well well move them up bam you know there goes the little the uh worst team When you start pitching well , they get moved up . entailment +This restriction reinforces the notion of the imperial family as living descendents and representatives of the gods despite the emperor 's renunciation of divinity announced as one of the terms of surrender at the end of World War II ( when some people literally fainted upon hearing the emperor 's voice on the radio for the first time ) . The emperor was so important to them , that they fainted when they heard him . neutral +oh he wanted to take the current secondary highway system and He always admired the highway system . neutral +But what earthly interest could he have in my mother 's death ? I don 't understand why he would be interested in the death of my mother . entailment +Third , as noted in the section above on visibility valuation , we chose not to include in our Base Estimate the valuation of residential visibility or valuation of recreational visibility at Class I areas outside of the study regions examined in the Chestnut and Rowe ( 1990a , 1990b ) study . Our Base Estimate doesn 't relate to the valuation of residential visibility . entailment +From architecture to zoology , Ibiza laid back , yet lively offers things seen nowhere else on earth . Ibiza is a high paced , very serious city with little room for tourism . contradictory +The president shouldn 't hide from the voters behind fancy-pants lawyers . The President should avoid his voters . contradictory +To what are we comparing idiocy ? What are we vetting idiocy against ? entailment +In 1974 , Congress enacted the Legal Service Corporation Act ( LSCA ) , which created the LSC for the purpose of providing legal assistance to indigent people in civil matters . Congress provided a noble service to the poor . neutral +Unfortunately , the civil legal needs of all low-income Americans are not being adequately met due to severe funding shortages at the federal and state level . The problem of low-income Americans and their civil legal needs being neglected dates back to the 1960 's . neutral +But Japan worries me . Japan will be certain at one point . neutral +In addition , the Office of Management and Budget ( OMB ) requirements for evaluating financial systems and controls are in OMB Circular A123 , InternalControlSystems ( June 1995 ) and OMB Circular A127 , FinancialManagementSystems ( July 1993 ) . Several OMB Circulars contain requirements for evaluating financial systems . entailment +Well , yes--but this time they aren 't . No , that 's not right because this time they are . contradictory +oh okay how did you get how how yeah how did you get in the program How were you able to gain entrance to the program ? entailment +The magnificent Dome of the Rock is one of three sublime holy places for Muslims ( the others are Mecca and Medina ) . The Dome of the Rock , Mecca , and Medina are holy to Jews but not to Muslims . contradictory +A strip of leather tied back her hair in a high topknot . Her hair was held tightly into a bun . neutral +Snitcher ! You promised you wouldn 't tell . You promised you wouldn 't tell , you damned liar . neutral +Technology is driving our lives at a torrid pace . Tech is moving us forward . entailment +Thousands of Turks were evacuated , and thousands of Greek refugees from Asia Minor arrived to take their place . Thousands of Greek refugees fled and the Turks took over . contradictory +This simple message found a ready audience among the largely rural population of southern Afghanistan . The plain message was readily received by the largely rural population of southern Afghanistan . entailment +definitely seen it done on on during the day down there and i don 't think it 's a very violent show i think it 's funny i think it 's a real good concept i think it 's something completely new The show is pretty violent and and not all that funny . contradictory +Madrid remained in Republican hands for most of the war , but the government was evacuated in the early stages of a nationalist siege that lasted until March 1939 . The Republicans retained Madrid for the majority of the war , however the government escaped early on . entailment +The The United States and Canada have gained more cardinals , and to woo them , candidates for the papacy will have to be more sensitive to American Catholics ' dissent from papal teachings on divorce , remarriage , and women in the priesthood . The number of cardinals in the United States and Canada is declining . contradictory +Gods , said San 'doro . San 'doro said Gods . entailment +and if uh if it rains a lot but uh but uh It might rain a lot . entailment +And then I saw , right in front of my eyes , on the deck of the carrier , a chief petty officer sliced into three parts by a propeller blade . The carrier does not have a deck area on it . contradictory +During renovations and cleaning undertaken in 1999 , a low-wave electronic system was installed to keep pigeons away . The system was designed to keep squirrells away . contradictory +Repairing computers didn 't pay a fortune , but it was a good living , and he was good at it . He learnt to repair computers when he was young which is why he was so good at it neutral +well i 'm i 'm a struggling law student My struggles include the financial . neutral +Caterpillar 's share price did take a little hit in 1991 , but since 1994 it has risen steadily . Caterpillar 's stock price went down in 1991 when they went on strike . neutral +The Enquirer ran photographs of that couple 's recent romantic and very public evening out in Los Angeles . The Enquirer printed photographs in full color . neutral +But it is to say that females--an inherently scarce sexual resource , in Darwinian terms--are in both species a big part of the impetus for the evolution of aggressive tendencies in males . Females do not exist in Darwinian evolution terms . contradictory +Thorn and the Kal helped spike the rivers . They helped spike the rivers to poison the enemies . neutral +but i don 't know um yeah i guess that percentage rates are like eighteen percent Eighteen percent is a very high percentage rate . neutral +In order to understand his ambiguous image , compare him with Europe 's heroic crusaders who went on the rampage at about the same time . There were no crusades . contradictory +up to a point i i 'm getting now to the age where i don 't like the new stuff that 's coming and much of the new stuff that 's coming out husband says i 'm getting old I fear old age . neutral +So long as gossip busied itself in coupling their names together , any other vagaries of the doctor 's passed unobserved . Because people had the doctor 's love life to gossip about , they ignored other things . entailment +The adjacent school served as a barracks for British troops in the 19th century . It was considered the preferred barracks among the British troops . neutral +how will we both get jobs in the same place ? We are applying for the same position in the same company . neutral +In that respect , the views of the participants in this forum represent considerable experience in the matters discussed and represent one way in which an independent party , such as GAO , can assist those who define and / or implement policy . The views of the participants represent experience in the matters discussed by the CEOs . neutral +While long-term simulations provide a useful perspective , they should be interpreted carefully . A useful perspective is provided . entailment +That 's where the Yard 's at a disadvantage in a case of this kind , where the murder 's only out , so to speak , after the inquest . This is the type of case which gives clear advantage to the Yard . contradictory +Robert the Bruce continued to harass the English until they were forced to sue for peace . The English were at peaceful terms with Robert the Bruce . contradictory +Table 3 : Population and Population Density in New York and Parisa Table 3 contains data regarding the population density in Chicago . contradictory +However , with the city partitioned by fortifications and barbed wire , no Israeli or Jewish pilgrims were allowed to visit the Western Wall or other Jewish sites in East Jerusalem . The city had been split into sections to keep things peaceful . neutral +In addition , Parliament uses the audited information to make informed decisions on resource allocation , and , through a Public Service Monitoring Body ( the State Services Commission ) , to hold the entity 's chief executive officer responsible if performance standards are not met . Parliament prefers to use only their individual intelligent brains to make decisions on resource allocation . contradictory +uh-huh uh-huh uh-huh you didn 't need to get away from home then You didn 't need to get away from home if you are going to feel that way . neutral +To get a sense of the long-term implications of alternative national saving paths , we examined the economic outlook over the next 75 years under two different ( 1 ) gross national saving remains constant at its 2000 share of GDP-18 . Examining economic outlook over 75 years can give a sense of the long term implications of alternative national saving paths . entailment +and i uh kept that because she gave me that so She gave me something as a gift . neutral +You know all those letters that kids write to Santa . Children always write letters to santa neutral +That was a mistake that was not deliberate on the part of ABC but for which we accept responsibility and which requires correction . It was a deliberate mistake from ABC and it does not require correction . contradictory +This has nothing to do with the German emperors , but was built by Field-Marshal Kaiser ( a distortion of the Nepali name Kesar ) Shumshere Rana . The line of German emperors are the sole reason this was built . contradictory +Light is the secret of Tuscany 's magic . Tuscany is magic because of the light . entailment +Barcelona and Granada possess greater architecture , and many Spanish cities have finer natural attributes . Incredible architecture can be found in both Granada and Barcelona . entailment +He looked to the cyclopean statue and shivered . He had bad memories about a cyclopean . neutral +read so many in school that they make a requirement of and yet there are so many out there The requirement is at least 45 books read . neutral +But most of the other recent paintings are jeweled , engaging , user-friendly . Many of the paintings are engaging . entailment +Nothing works right . Nothing was built properly . neutral +Your curiosity and patience will inevitably reward you with a glimpse of a genuine geisha or maiko ( apprentice geisha ) , the copious layers of her opulent and unimaginably heavy silk kimono rustling as she hurries to an appointment or a training session . Geisha 's wear plain shirts with black jeans and sneakers . contradictory +GAO questioned various aspects of the Air Force 's F-22 aircraft acquisition GAO questioned various aspects of the Air Force 's F-22 aircraft acquisition entailment +I burst through a set of cabin doors , and fell to the ground- I burst through the doors and fell down . entailment +he will help you avoid a lot of little things uh financially He 's a great tax consultant and an even better lover in the sack . neutral +You had worked that out , had you ? I worked it out myself , don 't you worry . contradictory +yes that uh he just thought i had been without a dog uh for three years that was long enough I haven 't had a dog for three years . entailment +The remarkably similar shapes of the two surfaces demonstrate a convergence of simulation and regression approaches to estimating the behavior of delivery costs with postal density and volume per address as cost drivers . The shapes of the two surfaces are very similar . entailment +Unlike the Europeanists , the Liberal Humanitarians have turned hawk for moral reasons . The Liberal Humanitarians have turned aggressive . entailment +The ground is a lot rougher south . The ground is more rough south of the river . neutral +No , hear me ! " He lifted his hand in a brief gesture and Hanson felt a thickness over his lips that made speech impossible . There was something covering his mouth . neutral +He sat and sipped his tea , idly spouting off technical specs and humorous anecdotes about my life- anecdotes which never happened . He drank his tea and talked about the funny things that happened to him in college . neutral +Note that the postal services in many other countries carry unaddressed mail . Unaddressed mail offers a new level of danger to the receiver . neutral +He felt Jon tense as well . Jon was feeling relaxed and great . contradictory +he plays the it 's a euphonium it 's like a small a really small not a tuba but i think it 's hard to explain i never had known anyone to play one before but it 's kind of like a small small tuba but it 's not the kind that sits up on your shoulder It 's 20 pounds less than a tuba . neutral +what 's your second favorite What is your most disliked ? contradictory +Large common living room available with satellite TV . The living room has satellite TV . entailment +well what what do you mean if they can prove it there there 's already So if they can prove it , then it 's there 's ? neutral +These days it is a busy shopping street with big hotels and cinemas , gigantic film billboards featuring actresses in wet saris , and a roadway that is so chock-a-block with cows , rickshaws , pedestrians , and bicycles that cars are often seen going backwards . It is absolutely not a busy shopping street with large film advertisements . contradictory +um well i think that uh as a whole that the being that the drug problem the drug industry can uh bring so much money to a country i think that if it wasn 't for the United States Government matching that the government the drug uh cartels or whatever would control most the Central and Latin America Even with the United States ' help , there are entire countries run by the drug cartels . neutral +Besides abundant , multi-colored fish , there are also shipwrecks to explore . There are plenty of colorful fish , even though there are no shipwrecks to explore . neutral +Auditors should be alert to situations or transactions that could be indicative of abuse . Auditors should be alert to pollution potential . contradictory +Part of Greece from the moment of statehood , the Sporades islands see many Greek mainland visitors , and were once the exclusive domain of an independent sailing fraternity . The islands have been a part of Greece since they were discovered . neutral +The more somber themes alternate with kyogen farces about the life of the common people , which often feature a satirical element . Kyogen farces feature somber themes rather than any satire . contradictory +In the full light of day he looked younger . He looked younger in the morning . entailment +As to salary , shall we say at the rate of three hundred a year ? Do you think a salary of one hundred a year will suffice ? contradictory +yeah oh boy or uh or there should be some way where it could be opted for them not to have a jury It should be possible to choose to have a trial without a jury . entailment +'Mr . Franklin , this is Colonel Parker Harland- Mayor and Military Viceroy of Louisian . Harland was an average worker in Louisian . contradictory +so i 'm not quite at home with the issues yet My mind is free after dealing with all the issues . contradictory +The Sai Kung area is the location of two official parks and nature preserves , while on the south side of the peninsula are some of the territory 's best beaches . The nature preserves featured here have a host of wild animals . neutral +If President Milosevic continues to choose aggression over peace , NATO 's military plans must continue to move forward , Clinton decreed Friday . Peace is always preferred to aggression . neutral +Man Bites Dog is a great headline . One example of a terrible headline would be Man Bites Dog . contradictory +Said 's evident love of the literature and music of the West continually collides with his righteous anger at what the West has done to the rest . Said loves Western literature and music but is angry about what the West has done to the rest . entailment +The Shopping Avenger made contact with Hogsten via e-mail and learned that her wiener dog , whose name is Rusty , was traumatized by these events , though not as much as Hogsten was traumatized by these events . Rusty was traumatized by these events . entailment +Short-Term Exposure , COPD Related , Ages 64 and PM2 . Long-term exposure , ages below 50 . contradictory +In a knowledge-based process , the achievement of each successive knowledge point builds on the preceding one , giving decision makers the knowledge they need-when they need it-to make decisions about whether to invest significant additional funds to move forward with product development . The more knowledge points stacked together , the more complex the information . neutral +But the room was deserted . But the room was completed crowded . contradictory +That , in turn , would depend on his status , not his absolute standard of living . His status will impact it . entailment +In 1995 , Dole introduced legislation to impose trade sanctions on Colombia , Ecuador , and Costa Rica--but not Honduras , where Dole 's favorite bananas are grown . The pineapple brand Dole had ulterior motives to lobby for the legislation , most having to do with suppliers in countries not included in the sanctions . neutral +To Clark , the whole sordid mess comes down to If I didn 't have a prostate condition that plumber would never have gotten close to Nicolette . Before the sordid mess , Nicolette became close to Clark on the basis of their shared dislike for plumbers . neutral +This she handed to Poirot , murmuring as she did so the cryptic words : " On top of the wardrobe . " Then she hurriedly left the room . She liked giving riddles to Poirot . neutral +The last page lists the products that form the basis for this document . This document is useful . neutral +A delirious thought shot through Tommy 's mind . An fleeting incoherent idea ran through Tommy 's mind . entailment +It forces my hand . I am being pushed to do it . neutral +The living history of Melaka is to be found among the Baba Nyonya community , the descendants of the original Chinese pioneers and entrepreneurs who married local Malay women in the old Straits Settlements Melaka , Penang , and Singapore . The Chinese never traveled to Malaysia . contradictory +What on earth is Emanuel talking about ? Does anybody know what Emanuel is speaking of ? entailment +Two of them . " There are two for now but will be three soon . neutral +when you go across the lake um i don 't know why we have so much going for us i really don 't i 'm just wrote my resume up because told we might be facing layoff over at Digital and they 've never had well they 've had layoffs recently but when we got hired here no no never any layoffs never never The rumor of layoffs were started by disgruntled employees . neutral +" There is a ring of protection around your camp , " Nema explained . The camp could not be entered by any enemy . neutral +Don 't you ? " Do you ? entailment +and uh so he went in and now he 's a registered voter but he would not vote before that He went with his whole family and they all registered to vote . neutral +If you are driving from Paris , you 'll get the best out of Burgundy by leaving the autoroute at either the Courtenay or the Auxerre exit and going the rest of the way on the perfectly good ' and above all beautiful ' secondary roads . Driving from Paris is often congested by the traffic . neutral +The very lines of his face had changed . He didn 't change one bit , especially his face . contradictory +That is , it tries to develop new products that increase the capabilities of existing product lines , but it limits the amount of new content on any one product development because new content inherently increases design risk . It never attempted to develop new products to add to the current product line . contradictory +His face was covered in burn marks , barely recognisable- no wonder I 'd hadn 't noticed him earlier . No wonder I have not noticed him earlier - his face was covered in burn marks , it was barely recognizable . entailment +It equips people to handle simple matters themselves , reducing the strain on already-overburdened courts and legal assistance programs . All the matters have to be handled by courts and legal assistance programs . contradictory +For some organizations , design review was limited to reviewing a consultantprepared schematic design to ensure that it met the owner organization 's functional requirements for floor area , functional adjacencies and connections , and budget . Every organization was required to follow this rule . contradictory +Except where noted , all hotels listed below accept major credit cards . Most of the hotels listed below accept American Express . neutral +Final If your computer fails to work the way it used to even after returning the components , I can 't help you . You are responsible for independently maintaining a healthy computer including your own hardware and the operating system environment . neutral +The alliance became known as the Delian League . The alliance became known as the Wonderful Five . contradictory +For a desert city , Las Vegas has more than enough grass fairways and water hazards to keep the most avid duffer busy . The fairways are irrigated with water pumped in from elsewhere . neutral +But if it fails , the stakes are enormous . There is little impact or risk on the horizon for this particular situation . contradictory +Note the gentle beauty of Correggio 's Nativity and Adoration of the Magi . The Nativity and Adoration of the Magi is Correggio 's most famous work . neutral +How involved should the patient 's attending physician in the medical treatment be in the intervention for alcohol problems ? Someone is wondering about the level of involvement a physician should have in the intervention of a patients alcohol problem . entailment +As one plan had failed , he must hunt about for another . The plan was a complete success , and the backup plan was no longer needed . contradictory +The ground floor is devoted to sculpture , including many Roman copies of classics from Greece 's Golden Age in the fifth century b.c. , which are our only access to these lost masterpieces . The Romans were big on originality , and never copied any Greek sculptures . contradictory +The accord allowed Jericho and the Gaza Strip a limited form of self-government under the auspices of the PLO . Jericho and the Gaza Strip were allowed a limited form of self-government under the auspices of the PLO , thanks to the accord . entailment +Is that the only possible alternative to your view ? I do not want to know if there is another viewpoint . contradictory +He tacked inspirational quotes to players ' doors , emphasized what each player did right , and provided an imaging tape for each player , consisting of her best moves set to her favorite music . He was a pivotal part in the growth of his players . neutral +own countrymen uh right in the middle of Red Square and uh it 's going to cause a more civil war than is already occurring Conflict in Red Square is increasing to a dangerous extent . entailment +The Palestinian Authority 's decision to make the sale of land to Jews a capital crime reflects Palestinian frustration with Israeli land use , specifically the creation of a new Jewish neighborhood now under construction in East Jerusalem . The new Jewish neighbourhood under construction will home 150000 people . neutral +From 1993 to 1994 , single-piece First-Class volume fell by 0.2 percent , but a 6.8 percent increase in pre-sorted First Class volume resulted in a net 2.4 percent increase in First-Class volume . Single piece first class volumes increased by 3.2 percent . contradictory +Scottish kings came to favor the site , and it was James IV who decided to transform the simple lodgings into a true royal palace . James IV made the decision to turn the plain living areas into a true royal palace . entailment +While the great orchestras are all sounding pretty much alike , the Kirov has a character all its own . The Kirov really stands out due to the cohesion of its players . neutral +'We just kill them off early . ' We murder them . entailment +Stone after stone , with the greatest dedication the inquisitorial masseuse in the Chamber of Absolution on Saint Street , dragged out of Simon all dirty and lewd thought about Lola Thigh ( name on the ID card - Janina Chubby ) . Simon had no thoughts about the woman in question . contradictory +That would be Barnam , said Severn . Severn said it would be Bernam . entailment +Workers that are directly employed on these clean air projects will purchase consumer goods and services , which will stimulate additional economic activity . The purchase of consumer goods and services stimulate the economy . entailment +and it weighs twenty pounds or something like that my neighbor across the street has one he always uses it to dethatch his lawn i see him out there and i guess it has a thatcher attachment to it yeah yeah It is a very useful lawn tool because of its size . neutral +Farm workers earn an average of $ 5 . $ 5 is roughly the amount farm workers can expect to earn . entailment +The road then drops down to Wrynose Bottom , a plain bereft of human life . Bereft of life the Wrynose Bottom sits at the bottom of the road . entailment +it 's it 's interesting to hear that Bush has It 's neat to find out about Bush . entailment +In addition , under certain circumstances , GAO has the authority to access information from other entities receiving federal funds , such as the District of Columbia , state and local governments , and private sector contractors . The local governments work under the supervision of GAO . neutral +He sprang up at my entrance . At my entrance he jumped up . entailment +After a band of guerrillas captured ex-Cambodian dictator Pol Pot one month ago , many Cambodians began demanding that he be tried for the murder of the millions killed by his regime . Pol Pot was released because he was so well loved . contradictory +What do I owe you more 'n the thanks of a mighty tired man you 've turned out brand new again ? He smiled and was suddenly all boy . I 've been such a tired man but your generosity has made me feel renewed . entailment +As a result , we rely on the transfer of benefits estimates from existing studies . We rely solely on these transfer of benefits estimates from previous studies . neutral +i mean the stuff i 've read recently in Technology Review basically indicates that acid rain may be a little bit um overstated that a lot of the die off they 've seen in forests may not really be due to acid rain at all um yeah i 'm not an expert I read about how acid rain is under-reported and may be solely responsible for deforestation . contradictory +She retraced her steps to the entrance hall of the mansions . She got lost when she tried to retrace her steps to the entrance hall . contradictory +In winter , the gaur , the world 's largest wild ox , almost 2 m ( 6 ft ) high at the shoulder , comes out of its hideaway in the Siwalik Hills on the park 's southern edge in search of young grass . In winter , the gaur comes out of its hideaway in the Siwalik Hills on the park 's southern edge in search of young grass because it is the first area to thaw . neutral +His Eufaula Connection calls him back half an hour later . He waited all day and his Eufaula Connection never returned his call . contradictory +The distillery offers a tour of the rum plant and the opportunity to taste and buy a range of rum and rum-based drinks . The distillery offers a tour and opportunity to taste or buy rum and rum-based drinks . entailment +Almost overwhelmed by this swirl of activity , the Annapurna Temple in the right-hand corner gleams with burnished brass . The Annapurna Temple is a simple structure with no flashy adornments . contradictory +the number of risk assessments performed No risk assessments were performed . contradictory +Smith promises , [ T ] his will be the beginning of a long fight with the 105 th Congress on this . Smith believes that this fight is going to take a while . entailment +Does Boston Tea Party ring any bells ? Does Boston Tea Party help remember ? entailment +yeah right i don 't mind so much the fact that they test people but uh not questioning the validity of the results is is a problem because uh I know they have to test people but they should be able to question the validity of the results . entailment +Many springs lay in areas that would eventually become the center of the modern Las Vegas metropolis . Areas that are now at the center of Las Vegas once contained lots of springs . entailment +D 'Onofrio agreed that methodological issues are extremely important . D 'Onofrio believed methodological issues have value . entailment +yeah well that 's a tough it would be tough to do it really would they have such a super team for years That sounds easy enough . contradictory +President Clinton choppers in for commiseration and photo ops . President Clinton is not in any photos . contradictory +They 're political . It 's political . entailment +we 're going through that we going through the dust storms down here now so There are a lot of dust storms where I live at the moment . entailment +well you know that brings up the interesting subject too you know what would you have who who who would determine what these people do It begs the question of who gets to say what the other people do . entailment +uh the reason i said that because i 've had about uh three calls and my daughter had one too from different students out of North Carolina i guess they pass the names amongst your computer students or whatever We wondered why the students from North Carolina would be calling us since we lived nowhere near there . neutral +Jay Kim , who pleaded guilty to knowingly accepting $ 230,000 in illegal foreign and corporate campaign contributions , was sentenced yesterday to a year of probation , a $ 5,000 fine and two months of home confinement , to be implemented by an electronic monitoring device . His home confinement wasn 't so bad since he lived in a mansion . neutral +These included indirect foreign investment in C-block and F-block ( known as entrepreneur blocks ) licensees and disregarding investments in common carrier radio licensees by non-carriers held as publicly traded securities . These specifically did not include both direct and indirect foreign investment in licensees . contradictory +Adrin smiled again . Adrin grinned again . entailment +At number 55 , peek through the heavily guarded gates of the French president 's Elys ? ? e Palace . It is easy for intruders to invade the Élysée Palace . contradictory +Hostiles would not be camping peacefully here in the heart of town . Hostiles were very unlikely to make a camp in the town center and be peaceful toward the people . neutral +This would be a trust fund or special fund in the case of an earmarked ( i.e. This would be a special fund . entailment +how do you feel what what do you think about it Do you have an opinion on it ? neutral +He twiddled with his mustache . He had a handlebar mustache . neutral +They held it for only a year before returning it to Spain in exchange for Florida , but during this period trade was opened up to additional markets , notably the North American colonies . They did not have to make an exchange for Florida . contradictory +Either way , it 's a plan that makes sense . That plan makes sense , said the designer . neutral +Why ? Why ? I have no idea what caused this . neutral +The Marble Palace , a bizarre tribute to Western art and architecture , can be found on tiny Muktaram Babu Street northeast of Dalhousie Square . The Marble Palace was built during the days of British colonialism . neutral +She then repaired with a handbag to the fastnesses of the ladies ' waiting-room . She took her handbag and scarpered into the ladies ' waiting-room . entailment +But looked at in the terms the White House uses today , Clinton was proposing cuts in Medicare spending beyond the $ 270 billion Republicans dared propose . Clinton was suggesting even more Medicare cuts than the Republicans were . entailment +I 'm getting down and out over the business . With the way this has been playing out over the last week I am starting to feel very negative about things . neutral +The NYTBR isn 't just agnostic on such questions--it doesn 't even like to consider them . The NYTBR isn 't skeptical about issues like that . entailment +Acceptability of emergency department-based screening and brief interventions for alcohol problems . It isn 't acceptable for emergency departments to hold screenings for alcohol problems . contradictory +The scene , depicting Cupid and Psyche , was considered too risque for the eyes of Queen Victoria , and during her reign it was covered by a mirror . Queen Victoria saw the scene of Cupid and Psyche all the time . contradictory +yeah it is and she winds up being a a victim day after day after day She ends up being the victim in front of her boss day after day . neutral +I thought he 'd already used up his 15 minutes of fame . I thought he hadn 't used up his fifteen minutes of fame . contradictory +This manual is divided into eight major parts called titles . THe manual only has two parts . contradictory +It 's full of keen insights and dazzling supplementary photos showing many of the shoes at work . something contains photos of shoes at work . entailment +The fourth floor of the town hall ( entrance on Corso Vannucci ) is given over to the Galleria Nazionale dell 'Umbria , expanded in 1999 , a handsomely modernized setting for a splendid collection of Umbrian and Tuscan paintings from the 13th to 18th centuries . The entire fourth floor is dedicated to Umbrian and Tuscan paintings . neutral +Another housing preservation . A different housing preservation . entailment +10 Part of the reason that the U.S. postal densities have such low values with a narrow range may be due to stale data . All U.S. postal densities have high values . contradictory +You never knew with The Salmon Corporation . The company was predictable in all ways . contradictory +The president , still furious at the House 's indictment of him , doesn 't work with House Republicans . The president and the House Republicans worked together to pass legislation . contradictory +) . This sudden change brought chaos to Egypt and she lost international influence , but Akhenaten 's successor his son , the young Tutankhamun brought power back to Thebes and reinvested the priests of Amon Ra and his fellow gods with religious supremacy . Tutankhamun restored power to Thebes after Egypt briefly lost international influence . entailment +A little way north is another smaller town where the pace is less frantic . A little way north is another town that is larger and more fast paced . contradictory +uh well uh just really the last couple of days since this uh the UN debate or whatever you want to call it that uh voted on whether there was going to be a cease fire i guess you know the thing really isn 't over they uh In the last few days , the UN debate about the ceasefire has made me think this might continue . entailment +This began as a royal library in 1368 , when Charles V placed 973 manuscripts in the Louvre . In 1368 , it was a library . entailment +Its beautiful Amida Buddha statue is , unusually , turning to look back over its shoulder . It is unusual for Amida Buddha statues to look over their shoulders . entailment +I 'm afraid not , sir . I 'm afraid I won 't be attending . neutral +so it it would seem to be real beneficial So it wouldseem beneficial to drink milk every day . neutral +But he had no defense prepared against such an appeal . They knew what to do with the appeal . contradictory +He owes $ 10,000 in back taxes , but he found $ 300,000 to give to the Clinton campaign . He paid his $ 10,000 in back taxes before giving anything to Clinton . contradictory +However , in the preamble to the final rule , EPA has now determined that the rule will not have a significant impact on a substantial number of small entities . The EPA decided that there won 't be a significant impact on small entities . entailment +so we i mean we do uh when you know whenever we go through the process of paying the bills we know exactly what category we 're paying it for and uh we have a pretty good sense of where our money 's going we don 't have any control over it I find it terrible that we don 't even know where our money goes when we pay the bills . contradictory +Before a skyscraper can be built , a feng shui ( see page 68 ) investigation must take place to ensure that the site and the building will promote health , harmony , and prosperity . The building must be promoting health , harmony and prosperity as this reduces the rates of annual suicide . neutral +The season runs during autumn and winter from October to February . October through February is when the season is run . entailment +For suckers . It 's for suckers because no one smart would ever believe it . neutral +The darker Sai Routha began a series of rhythmic swings with the chain . The chain came close to hitting someone . neutral +Newspapers , on the other hand , have the advantage of charging lower prices . Competitors have a hard time competing on price with newspapers . neutral +right that 's really good i guess I think that is the best thing to happen . neutral +What you will find is a lively workaday business world , hotels overflowing with conventioneers , and an atmosphere that is a refreshing diversion from the celluloid images to the west . More conventions book in the east coast than the west . neutral +It was from here that Jonah boarded the ship for Tarshish in his attempt to flee the instructions of God ( 1 , 3 ) , only to be swallowed by the whale . Jonah didn 't get on the ship . contradictory +Get out , both of you , and do as I say or I 'll shoot ! " Tuppence sprang out , dragging the unwilling Jane after her . Tuppence dragged Jane after her even tho she was unwilling . entailment +Don 't let it happen again , the Lord said to me . The lord told me to not do that again . entailment +the uh costs are just going out of sight and and uh you know it 's either increase the premiums or try to uh everybody work together to try to curtail the cost that 's the way i see it The cost levels are completely normal , there is no need to raise premiums . contradictory +Fourth Generation Languages . There are tenth generation languages . contradictory +Tantrism is also the source of the male and female symbols of the thunderbolt ( vajra , also called dorje ) and the bell ( ghanta ) , usually present in Buddhist ceremonies , and of the system of lamas or high priests , who are held to be reincarnations of holy men . The high priests are seen as reincarnations of holy men . entailment +Can a Pikachu defeat an evolved Raichu ? Pikachu can never defeat Raichu . contradictory +I hit the ground . SOmeone hit something . entailment +um she was referred to me by a couple of people and she turned out to be wonderful i couldn 't have asked for anything better i don 't think I would also recommend her to you too . neutral +Resources , protocols and guidelines for conducting meaningful statewide needs assessment . Resources protocol and guidelines are all good to go , no need for assessment . contradictory +With the nanny , you know what to expect . She is always on time and sweet , you know what to expect with that nanny . neutral +Buckles crossed at the softer leather midsection . Buckles crossed across the softer midsection of the armor . entailment +For more background on the AMIGA model , see Appendix 5.1 . There is no further information available on the AMIGA model . contradictory +The stakes for many of the games are low , so you can try your hand without risking too much . You can play the game without making high wagers . entailment +From the little Renaissance church , there 's a pretty view over the winding river . You can 't see anything from the church . contradictory +we went up and were going to spend on the Blanco River and we got there and a front come through and it was it was freezing A front came through when we were at Blanco River . entailment +The intermediate projections , which reflect the Trustees ' best estimate , reflect changes in the working age population , particularly the increasing rate of retirement by the baby boom generation after 2010 . The Trustees ' best estimate is reflected in the projections . entailment +Come fall and winter , surges and stumbles will really mean something . Surges will mean more in the fall . entailment +I think there is a room here where we shall be quite undisturbed . " He led the way , and the others followed him . He forgot to take the others with him as he left to go outside . contradictory +and it fails and you 're dead It keeps on working but you 're dead . contradictory +Yet , as he faced the stranger eye to eye , the Kentuckian was as wary as he had been when bellying down a Tennessee ridge crest to scout a Yankee railroad blockhouse . He was from California . contradictory +The Anti-Mason Party was formally born in Rochester , N.Y. , in 1826 , when a Mason who had quit the organization was murdered , and it became a robust third party in the 1832 elections . The Anti-Mason Party sought protection for those leaving the organization . neutral +Perhaps you are right , Poirot , I said gently . I agreed with what Poirot had to say . neutral +Civilization here seems very distant . Here , there is a perception of being away from civilization . entailment +Tour ? ­ ist offices throughout the region can help with information on the park . There is a wide variety of information available at the tourist offices including maps and other literature . neutral +To smooth things over , the sultan sent a peace mission to the Thai court and , for extra coverage , an envoy to China , reconfirming Muzzafar Shah 's title as most obedient vassal . The sultan sent warriors on a mission to slay his enemies . contradictory +i didn 't know they did this I was uniformed regarding their eating habits . neutral +In some limited circumstances , when there is concern that a draft product may be prematurely released , GAO will take extra precautions in obtaining agency comments . There are never any circumstances in which extra precautions would be necessary . contradictory +In addition , measuring the federal contribution to outcomes that require the coordinated effort of numerous public and private entities-such as improvements in education , employment , or health-can require sophisticated and costly program evaluations . Measuring the federal contribution to outcomes is costless . contradictory +Newsweek ' s cover piece examines a new book claiming that parents have a scant role in shaping their children . Newsweek said parents impact their kids more than anyone . contradictory +ABC 's George Will chimed in , Is this out of character ? George Will stayed silent . contradictory +it is in order to continue to to grow and i i always think that i 'll be able to do it and then i inevitably discover that i have no innate music talent relative to composition and that i struggle and really can 't quite understand what is that other people take for granted my strength has always been composing music contradictory +In five minutes his woes were forgotten . He eventually remembered his woes again . neutral +GAO will follow up by discussing the status of recommendations with cognizant agency officials ; obtaining copies of agency documents supporting the recommendations ' implementation ; and performing sufficient work to verify that the recommended actions are being taken and , to the extent possible , that the desired results are being achieved . Agency documents that would appear to support implementation will probably be obtained by GAO if possible . entailment +Nor does government support for beach volleyball stop at dune 's end . The government doesn 't support beach volleyball . contradictory +It was to steal some food , if I recall correctly . I think the goal was to snatch some food and run away . neutral +Invaders Galore Invaders cowed . contradictory +Some companies offer other sorbent-based methods for reduction of mercury emissions ; however , the equipment used is very similar in scope to the equipment used for ACI . Some companies offer methods for reducing mercury emissions . entailment +It was not uncommon for several families and their animals to share one room in crowded shantytowns . Often , families would own multiple animals and live with them . entailment +Benefits the representatives cited included the The representatives stated there were many benefits . entailment +When that happens , Democrats will be bound to escalate the confirmation battle once more , to settle their score with Hatch . Democrats will certainly escalate the confirmation battle . neutral +But he faced the older man steadily . Although threatened with punishment , he did not give an inch to the older man . neutral +okay you too bye-bye Ok , likewise . Goodbye . entailment +Their size would not matter , if they have handweapons that may well be superior to our artillery . They are likely to have better weapons . entailment +Refusing to pay an unjustified toll may be contemptuous of Washington , but it 's respectful of democracy . Washington is not respectful of democracy . contradictory +Now the conservative mantras are perjury is perjury and no man is above the law--and K finds himself tempted by the idea that it isn 't the end of the world if a perjurer gets away with it . Starr says perjury is perjury and no one can get away with it . neutral +'For some reason , I expected that you 'd dream in Russian , ' I said I though she was Spanish . contradictory +How may a proper person handle the delicate matter of bad breath when happenstance forces one into consulting with someone on the boss ' staff ? How do you kindly tell an associate they have bad breath , maybe offer a breath mint to all in the area ? neutral +The same is true of the cowboy and the tough guy . There is nothing similar about the cowboy and the tough guy , especially not with what this is about . contradictory +yeah it 's it 's hard to think though It 's not hard to think about . contradictory +A great deal of what you tell me , child , is already known to me . My child , much of what you 're relating to me concerning these circumstances are things I 've discovered already . neutral +The synagogue was the center of Ashkenazi worship until the fighting in 1948 , when the building was destroyed and the site became a ruin once more . The synagogue was scrapped for metal for the war effort . neutral +i don 't know if you seen they was the gang a little it was a little gang of them stealing cars you know and then when they caught him you know his mother sitting there now they 're gonna take me away from you that means she was warned I don 't think the little gang was stealing any cars . contradictory +A government committee debates the alien blueprints ( Foster , Skerritt , and Woods ) . A government committee debated alien blueprints . entailment +" Might just , " the gambler replied . The gambler did not say anything in reply . contradictory +The museum is a must for those intending to visit the ancient sites , since the objects here add life to the now empty cities and palaces . Objects that used to be in ancient sites are not in museums . contradictory +In October 2002 , we launched the LSC Resource Library Initiative ( LRI ) , a website committed to ensuring that LSC programs are aware of and have access to innovations in civil legal services work . LSC programs and LRI are closely integrated . neutral +But Hunt Rennie 's son was judged to have torn up a letter with deliberate malice , not just taken paper found conveniently on the veranda . His son had carefully preserved the letter according to them . contradictory +The development of control technology alternatives to selective catalytic reduction ( SCR ) under the NOX State Implementation Plan ( SIP ) Call is another example of how alternative solutions may require fewer resources than the projected approach . The projected approach requires the use of some resources . entailment +The prices will vary according to the proportions of silk and wool used and the density of the weave itself ; naturally , none of these pieces are cheap . Silk is more expensive than wool . neutral +Thus , the First-Class bill / payment and advertising mail volumes presented in this analysis do not include the business bill / payment and advertising mail . The advertising mail volumes in the analysis don 't include business bill pay entailment +While most infrastructure spending takes place at the state , local , or private-sector level , the federal government also invests in infrastructure such as highways , bridges , and air traffic control . Infrastructure spending doesn 't happen at the local level . contradictory +Taylor says the job discussions provided valuable information and insights that helped him as a journalist . She kick started her career after wanting to make a difference in the field . contradictory +It was a conflict of two masterful personalities . Both of their personalities were overbearing and this caused an argument between them . entailment +But aren 't there other things to do ? There are not any other things to do . contradictory +um i don 't see that as being necessary now i can see it being done uh on a regular schedule i think that 's absolutely necessary and should be done more often contradictory +The rules are very clear . The rules are extremely confusing for the average person . contradictory +GAO 's work involves different collection approaches to meet the evidence requirements of the generally accepted government auditing standards . The auditing standards are given by legislation . neutral +So far , adventure has succeeded adventure , but this morning has been dull as dull . " There has been no adventure ever . contradictory +There is simply nothing on earth like it . Nothing equals anything like this in the entire universe . neutral +Northern Borneo was quickly overrun , but the oil fields of Miri and Brunei were pre-emptively sabotaged by the British and Dutch . The British and Dutch hoped to hamstring their opponents war effort by denying them oil . neutral +I know I should move past her , but no one I 've ever met has had this effect on me , nor the rapport . Everyone I meet has more of an effect on me than she does . contradictory +uh-huh yeah do because uh i love to read his his uh children 's books just His books for children are well-written . neutral +Russian mothers traveled to Chechnya , pulled their sons off the front lines , and brought them home . Russian mothers traveled to Chechnya to drop their sons off . contradictory +um um yeah that sounds pretty wild That sounds crazy . entailment +Then they get cut off again . They stay connected all night long . contradictory +Every square centimeter of the temple 's surface is sculpted . The temple 's surface is completely smooth . contradictory +'I think it should be celebrated . I think that deal is worth celebrating . neutral +It might be more appropriate to consider something closer to government accountability office . Consideration of something far from the government accountability office would be frowned upon . neutral +He was enormously popular with the common Turkish people , and when he died in 1938 thousands of mourners lined the railway track to salute the white presidential train as it carried him from Istanbul for burial in Ankara , the new capital . Istanbul was the old capital of Turkey . entailment +Exhibit 3 National SOx and NOx Emissions Projections for Base and Clear Skies Scenarios ( million tons ) They projected SOx and NOx emissions for the next ten years . neutral +sort of like the draft Not like the draft in any way . contradictory +In contrast to the tragedy of his personal life , whatever Rennie had turned his hand to in the new territory had prospered . The tragedy of his personal life followed Rennie to the new territory . contradictory +De Kooning continued to paint rapidly , but now he seemed to be able to juggle fewer elements . De Kooning couldn 't juggle too many elements at once . entailment +Making sure that rapists and pedophiles turn up week after week for an unwanted , potentially lifelong treatment may prove impossible . The treatment is easy and only one visit is required per lifetime . contradictory +'I seem to be real unlucky , ' I seem to be down on luck . entailment +It was a useful device , having about a hundred times magnification without the need for exact focusing . The device had a high magnification . entailment +There are also several major theaters with an ever-changing schedule of plays , ballets , and musical performances as well as popular shows featuring international bands and singers on the tour circuit . Musical performancs , ballets and plays are always at the same schedule in these theaters . contradictory +The mausoleum was designed in Florence , as a gift from the Grand Duke of Tuscany . The Grand Duke of Tuscany gifted the mausoleum . entailment +Rates based on numerals could result , even though there would be transaction costs . Rates based on numbers can result even though there are transaction costs entailment +hangings on weekends Shootings on weekends . contradictory +He noted that he prefers the AUDIT . He prefers the audit . entailment +The chapel , museum , winery , gardens , and cemetery are still ope n to the public daily . The chapel is not opened to the public , ever . contradictory +Perhaps I ought to make that quite clear . I do not want anyone to know what I mean . contradictory +And do ask for a settling of accounts , as per the original agreement . There is a need to settle accounts because unsettled accounts earn interest . neutral +uh of course you have to have some sort of record in high school uh of of achievement and everything but sometimes it 's just uh like our band gave money away we 're a band booster club we gave we give uh two five hundred dollar scholarships just to kids uh who we think were worthy you know so We 're a band booster club that gives scholarships to kids . entailment +The huge blocks were hauled to the quaysides to be carried upriver . The small blocks were hauled to the quaysides and carried downriver . contradictory +yeah it 's a it 's a hard decision to make It is a difficult decision to make . entailment +CAPITAL LEASES - Leases that transfer substantially all the benefits and risks of ownership to the lessee . In a capital lease , the lessee gets to enjoy most if not all of the benefits of owning . entailment +In practice , the precision of results of repetitive chronic tests is considered acceptable if the NOECs vary by no more than one concentration interval above or below a central tendency . NOECs variance of up to three concentration levels are considered acceptable as far as precision goes . contradictory +The warm , sulphurous waters ( around 35 50 ? ? C / 95 122 ? ? F ) are said to be good for treating rheumatism and respiratory complaints . The warm and sulphurous waters are said to be good for respiratory complaints . entailment +all righty well you bet bye All right , sure , bye . entailment +well that brings up i guess part of what would be a question is uh you know is i guess you feel like that 's a deterrent in uh capital punishment should be You 're convinced that capital punishment isn 't a deterrent . contradictory +anymore just putting everything on a chip is your going to have to replace the chip unless you have the tools to diagnose what 's the problem with the chip Anyone can get in there and figure out the problem . contradictory +He was in a half crouch , the Colt flipped over and out , pointing into the shadows where the newcomer emerged . After emerging from the shadows , the newcomer smiled at the gun . neutral +oh i i i 'm sure there are i mean uh I 'm certain they exist . entailment +yeah yeah well i i uh i work with computers at work and then i come home and do and i have uh a little lap top at home that i just like to play with I only have a calculator , not a computer nor a laptop . contradictory +that 's right i even had friends when i was going to college who were in uh who are in pharmacy school and they could legally um provide medicine to their family mens family family members and friends certain medicines were were legal now i i i believe you know any of the any of the ones we would we would be tested for wouldn 't be on those lists but uh um there were certain things that they could provide without a doctors prescription based on their qualifications and that can happen but uh None of my friends were interested in pharmacy during college . contradictory +Ta Mok has even been given credit for putting Pol Pot on trial and sentencing him to life under house arrest--as opposed to summarily shooting him in the head , which is the Khmer Rouge 's usual idea of justice . Ta Mok had nothing to do with Pol Pot 's trial . contradictory +Dozens and dozens of sites , such as Eye on the World , celebrate tsunamis , typhoons , hurricanes , droughts , and--of course--tornadoes . Sites that celebrate tsunamis are illegal and therefore cannot be found . contradictory +No other existing model is likely to be useful in the real-world setting of the typical emergency department . The creator of the existing model has made many contributions to science . neutral +with with for the most part with the same ideals Mostly the same ideals . entailment +Aloud , he said nothing . He started yelling . contradictory +Evidently these trends became much more pronounced after I left the firm . The trends were harder to understand after the meeting with the firm . contradictory +Thus it came about that , three days later , I descended from the train at Styles St. Mary , an absurd little station , with no apparent reason for existence , perched up in the midst of green fields and country lanes . There was no reason for there to be a station at Styles St. Mary . entailment +What 's my big but ? They have a big but . entailment +I 've always thought so . I have always had in inkling . neutral +In autumn and winter , bird-watchers search cliffs , particularly Calpe 's Peeen , for the rare Audouin 's look out for a small , sleek herring gull with dark olive legs and a heavyish red bill banded in black . Winters see a lot of bird-watchers visiting Calpe 's Peeen . neutral +After a varied history as town hall , residence , stable , and church , it was saved from plans devised by Louis XIV 's minister Colbert to move it stone-by-stone to Versailles . After being rebuilt the building looked exactly the same . neutral +yeah i guess about a year and so i missed her pregnancy and everything you know and when they took it off i have never called a station before or complained or anything when they took it off the air here i called the station and complained i said The station did not seem to care about the pregnancy situation . neutral +and the the basic units of measure are are distance and time and mass and electric charge These are the basic units of measurements , but there are many other advanced units . neutral +It 's more reasonable to assume that they know they will probably lose but are happy to take that chance for 1 ) the pleasure of playing and 2 ) the chance of coming out ahead . They are happy to take the chance even though they will probably lose . entailment +For further discussion of the accounting standards for pensions and other retirement benefits for federal employees , see SFFAS No . There is no further discussion to see . contradictory +wow this is quite a quite a long distance It 's quite a way . entailment +i do have friends who have tried to do more social work you know by explaining to people how the language and what the problems learning English might be and such because all the models of teaching English are based on teaching English to Spanish speakers or to other European language speakers and people don 't realize how different some of the languages they speak are I have friends who did social work . entailment +Though this version of libertarianism seems to flirt with anarchism , Boaz isn 't worried about disarray . Anarchism is associated with disarray . entailment +he you know i just as far as feelings uh for people that their family came from there and how they feel about you know our intervention and their governments and stuff like that and he he was all for it because it 's just like you say uh there 's so many people there that that He cares a lot about people and their families . entailment +the uh costs are just going out of sight and and uh you know it 's either increase the premiums or try to uh everybody work together to try to curtail the cost that 's the way i see it The costs are increasing to a point where it would be impossible to return from . neutral +But in the first place we have only her word for it , since it was she who tried that particular door and reported it fastened . The door was not really locked , despite what she said . neutral +Both men moved faster and faster . The men were racing toward the finish line . neutral +There , there , we can 't always have brains as well as beauty . We can 't all be ugly and stupid . contradictory +Wilson uses his knowledge of insects to explain human culture and 2 ) for excerpts from and information about Steven Pinker 's How the Mind Works . You can also read Pinker 's dialogue on Evolution and the Brain with sociologist Alan Wolfe in Slate , his debate with biologist Steven Rose in Edge , or a . Wilson has knowledge of insects . entailment +And do remember , as I have pointed out to you before , that as a clergyman 's daughter " 28 " I ought to be on the stage ! " finished Tuppence with a snap . Tuppence 's dad was a garbage collector . contradictory +Crowell and Moring may take on an Employment Law page . Th employment law page is useful to Crowell and Moring . entailment +What distinguishes a good case study from a not-good case study ? A not-good case study and a good case study , what distinguishes between them ? entailment +Rodgers and Hammerstein 's Cinderella ( ABC Rodgers and Hammerstein wrote Cinderella . entailment +but i also believe that we need to turn so much of that inward I do not think that we need to turn any of that inward , though . contradictory +uh-huh yeah i liked his accent too He had an Irish accent . neutral +In its picture-perfect town center , something of its old aggressive civic power is evoked in the formidable Palazzo dei Priori ( town hall ) looming over the Piazza 4 Novembre at the far side of its pedestrian-only Corso Vanucci . Palazzi del priori invokes the old and agressive civic power . entailment +right i don 't remember his name um I don 't recall his name . entailment +If franchising is more efficient , the ESOP was a mistake , as were both conglomeration and the core-business focus . The ESOP was made to product " mom-and-pop " stores that clutter rural America . neutral +The north tower , the Tour Saint-Romain , has the sober simplicity of the cathedral 's early Gothic beginnings in the 12th century , while the taller , more elaborate south tower , the Tour de Beurre , is Flamboyant Gothic of the 15th century . The north tower is incredibly ornate with gold and lots of decoration . contradictory +she 's really a go-getter that uh and she started off uh cleaning uh houses She is very slothful and not very ambitious . contradictory +and but there is a grass that you can use that is shade tolerant but i don 't remember what it is but it 's got like a boot on the front of the book People who have used that type of grass are happy with it . neutral +We thronged round her , powerless to help or alleviate . We did all we could to help . contradictory +This magnificent Georgian-Palladian house , built in 1740 1750 and designed by Richard Castle , is one of the earliest Irish great houses . The house was beautiful . entailment +whether an LSC attorney 's truncated representation had resulted in complete analysis of the case , full advice to the client , and proper presentation to the court ; and the courts and the public would come to question the adequacy and fairness of professional representations when the attorney avoided all reference to statutory validity and constitutional authority questions . The attorney avoided questions about constitutional authority . entailment +She manages legal services for approximately 12 counties south of Charleston , W. Va . She manages legal services for 50 % of West Virginia . neutral +oh yeah i 'm in Texas where are you at Right now I 'm located in Texas . entailment +Many Greek islanders chose to leave rather than live in poverty and terror , and many made new homes in the United States and Australia . Greek islanders left to make new homes in the United States and Austrailia . entailment +There was a wrench and twist through every atom of Hanson 's body . Hanson was in a great deal of discomfort . neutral +Power struggles at home and rebellion by colonies abroad ensued . The colonial conflicts proved too much to manage . neutral +Heaney 's verse reminded me that everything--even awful newspaper stories--is beautiful when it burns . Heaney said even bad things can be beautiful . neutral +Both ESPN and CNBC offer an infinite supply of statistics that give the viewer the illusion of deeper understanding . Seeing lots of numbers without understanding their significance can really make people understand things . contradictory +Moreover , the organizational transition of the various components will simply be the starting point - as implementation challenges beyond the first year should be expected in building a fully integrated department . A fully integrated department requires implementation . neutral +Unless he could find one among them who was either a mandrake-man housing a soul or one of the few reanimates who seemed almost fully human , he 'd get little information . He could get information from any one of them . contradictory +In 1566 Madeira suffered its worst disaster . A plague killed almost half of the population . neutral +'Because this is your responsibility . ' This responsibility belongs to you . entailment +He rose to his feet . He was tired and wanted to sit back down . neutral +We want it all and want it to be free . WE want it all and for it to cost nothing . entailment +It 's been a home-away-from-home for the extreme right Action Franaaise group under Charles Maurras in 1899 ; the poet and surrealist precursor Apollinaire in 1914 ( who , with his friends , liked to provoke brawls ) ; and , during the 1950s , Sartre 's existentialists , a peaceful bunch who never got enough sleep to have the energy to fight . During the 1890s it was home to Sartre 's existentialists , a radical right-wing group of bar room brawlers . contradictory +Mark Shields looks directly at Robert Novak on Capital Gang and calls him Al Hunt , much to the amusement of the other panelists . Mark Shields looked at Novack and called him a name that Novack was offended by . neutral +3vi Aqua ad ¦ ¦ ¦ . Bottled water neutral +well Pennsylvania used to have uh some commercial displays there was one place that was halfway between Harrisburg and Allenstown Pennsylvania in a community called Midway which suggest it was halfway Well Pennsylvania once had a few commercial displays . entailment +The Fuji case dealt with the tightly interlocked relationship between Fuji and Japan 's four largest distributors of photographic film and paper , all of whom sold Fuji exclusively . The Fuji case dealt with the tightly interlocked relationship between Fuji and Japan 's seven largest distributors contradictory +chapter , we turn to two basic What do we need to take into account with regard to the objectivity of case studies and their generalizability ? There are problems with the objectivity of case studies in their generalizability . neutral +Station Here Jesus receives the crose is taken away , beaten , and mocked by a crowd in the fortress courtyard . Jesus receives the cross as he was stationed here . entailment +yeah mystery especially uh Miss Marple Yes , mystery and Miss Marple in particular . entailment +When Roman power split in two , the eastern Byzantine Empire inherited the island ( though its hold on islands in the south of its dominion were , in reality , nominal ) . The Byzantine empire went on to strengthen its hold over the southern islands . neutral +Though we played cowboys and Indians in the street , we did not kill any real Indians . We ended up killing hundreds of innocent Indians . contradictory +hum that sounds great especially i mean the fact that you can prepare the meatballs so so far in advance i mean like if if you are having a dinner party on Wednesday night you could do it on a weekend that would be great It 's great you can prepare meatballs so far in advance . entailment +Inside , the marvelous light is due in part to two more outsize rosewindows dominating the transept . Inside is lit with a rosy glow because of the rose windows . neutral +Tommy stopped Conrad 's rush with a straight blow with his fist . Tommy hurt Conrad when he punched him . neutral +You can see some of his belongings , his famous portrait by fellow-monk Fra Bartolomeo , and the picture of his burning at the stake in Piazza della Signoria . Fra Bartolomeo painted a portrait of him , which can be seen today . entailment +And that wine , pepperlot was nice too , a bit sour aftertaste at the second tasting , but generally everyone was happy . ' That wine was served to everyone in attendance . neutral +The results of the forum are organized by the major areas of discussion and reflect subsequent comments we received from the participants on a draft of this report . The forum 's results are organized by area of discussion . entailment +Preserved here is an entire 16th century village that served as the headquarters of the Asakura clan , which ruled Echizen until 1573 . The village is from the 13th century contradictory +Therefore , FASAB believes that federal financial accounting concepts and standards should be considered in establishing systems and in maintaining day-to-day financial records as well as being applied to general purpose financial reports of U. S. Government reporting entities . The U.S. Government has financial reports . entailment +A trace of childish innocence in his face gives the lanky Bethlehem lawyer a Jimmy Stewart-like quality of quiet trust . The Bethlehem lawyer is someone that you can trust . entailment +All told , it was a wonderful visit . It was a great visit . entailment +Any such gifts , gratuities , or benefits tendered to the employee are viewed as having been received on behalf of the government . Any monetary gifts the employee gets has to be handled like it was received by the government neutral +and uh you know unless the Navy funds it i probably won 't do it until i if i do do it it will be after i get out of the Navy I 'll do it no matter what . contradictory +They 'll have the police after them if they do . They 'll have the police chasing them if they do . entailment +Once again " Mr. Brown " had triumphed . Some people were envious of Mr. Brown 's success . neutral +well i 'm not i 'm not sure what what the people of Puerto Rico feel uh how do you feel about uh the possibility of Puerto Rico becoming a state I know exactly how Puerto Rico feels . contradictory +" How d 'you know he 'll sign me on ? " Anse studied his own unkempt if now clean reflection in the shaving mirror on the wall . Anse looked at himself in a cracked mirror . neutral +But a combination of remarkable communal solidarity and determination coupled with extensive private- and public-sector investment lie behind a recovery that is nothing short of astonishing . The community raised funds for the recovery by selling postcards . neutral +yeah right well i have two girls and one is in Texas and she 's a TI uh employee right now and uh the other one is in New Mexico My other daughter , who lives in New Mexico , is also a TI employee . neutral +However , one thing that should emerge quite clearly from the discussion of design features intrinsic to the case study is that it can be a rather costly endeavor , given the time required , the rich in-depth nature of the information sought , and the need to achieve credibility . It can be quite costly to perform a case study . entailment +having to make the decision as to put them into a place like that or not Luckily , the doctors have to make a decision whether or not they should be put into a place like that . contradictory +If both the dealer 's hands win , you lose . They way to lose is if both the dealer 's hands win . entailment +Loral denies that its report to the Chinese divulged sensitive information about rocket guidance systems , as a Defense Department report claims . The Defense Department report says the Chinese has no rocket guidance system . contradictory +In some instances , the engagement may have a time frame that is too short for a complete preliminary assessment , for example , a request for testimony in 2 weeks . Complete preliminary assessments must all be completed before the engagement . contradictory +On primordial I don 't believe in single identities , but there are root identities such as being a Basque , a Catalan , a Kurd , or an Occitan , especially when there is a need to assert such a root identity against a larger , sometimes more smothering polity or culture . The presence of a smothering culture makes those of root identities more likely to assert themselves . neutral +Good reviews for David Cronenberg 's virtual reality flick that covers the same ground as the more popular The Matrix . Jennifer Jason Leigh stars as a video game designer who hides in a game of her own devising . Jennifer Jason Leigh turned down the role in David Cronenberg 's film . contradictory +We have used this information to develop suggested guidance to assist federal agencies in effectively integrating newly created CIO functions into their respective organizations . Guidance has been developed from this information to assist agencies . entailment +and is that supported by all donation to the church and so forth or The church 's donations are essential to the continuance of the cause . neutral +If you haven 't already done so , check out our new design for Dispatches & amp ; Dialogues and the Diary . The new design for the Diary is streamlined for user involvement . neutral +He left us shortly after . Shortly after , he left us to go into battle . neutral +yeah we have tried i mean you know and um i i know where you know where a couple of the mills that have i know i know they put things on their stacks you know to filter the smoke and do all kinds of things but i mean every now and then it breaks you know and and you just got smoke going out into the air for a day or two till you can get it fixed and stuff Sometimes the smoke gets out of the mills anyways . entailment +and this is the man that was in front of you oh well they 'll weed him out This man will soon fall behind you . neutral +no i mean you have the choice of taking this health insurance or or some other or something like that There 's no other health insurance available to take . contradictory +Inland , Mount Fengari , the Aegean 's highest peak at 1,610 m ( 5,000 ft ) , dominates the landscape . Mount Fengari is an active volcano . neutral +For combustion turbines , this term does not include undertaking such a program or entering into such an obligation more than 18 months prior to the date on which the unit begins operation . The combustion turbines are able to go into immediate operation . contradictory +okay it 's a book called Life Extensions there 's also a book called The Life Extansion Extension Companion uh Dirk Pearson and There is a book called The Life Extension Companion as well as one called Life Extensions . entailment +PBS returns to form with a strong Great Performances program on the late Alvin Ailey , who brought black soul to modern dance ( Wednesday , 10 p.m. ) . PBS is finally listening to the viewers who requested Alvin Ailey for the program . neutral +Highway 1 ends at Highway 90 , which runs along the shoreline of the Dead Sea southward to the Negev desert and the city of Eilat , and northward to Jericho and the Jordan Valley and up to the beautiful Sea of Galilee . Highway 90 traverses the shoreline of the Dead Sea . entailment +so yes it 's it 's it 's become a big part of our lives even though we 're late players We 're late players because we were occupied with other things earlier . neutral +Note that sometimes there is a cover charge of HK $ 50 to HK $ 200 at clubs , which may or may not include a couple of drinks . Some clubs have a cover charge , and this charge does not always include drinks . entailment +In theory , for-profits are equipped to do it through greater efficiency--economies of scale , easier closure of failing operations , and better access to capital . It 's easier for for-profits to access capital . entailment +A Better Match of Policy and Incentives Is Needed to Ensure Capture of Design and Manufacturing Knowledge Design and Manufacturing Knowledge could be better captured with policy and incentives . entailment +Good economic news , as the man once said , always comes bundled with bad . Good news always comes with better news . contradictory +When Marigot livens up early in the day at the quayside , you 'll want to be there . There are numerous shops at the quayside in Marigot . neutral +somebody dropped that baby when it was born oh That baby was dropped by someone when it was born . entailment +The scarcity of flatlands suitable for cultivation made it possible for a small aristocratic elite to gain quick control of the food resources . Flatland scarcity allowed aristocrats to gain control of resources . entailment +If the design team could not satisfy the exit criteria , then other options had to be considered . Other options had to be considered if the design team can 't meet the exit criteria . entailment +right the only time you know about it is when it comes due and they 'll say you know well you 've got to reinvest it back in this or that or whatever The only time you become aware of it is when it is due . entailment +The giant box of a hotel signals the start of the traditional hotel zone , flush with well-known , deluxe 5-star hotels such as the Savoy , the Madeira Carlton , and Reid 's , plus a few 4-star hotels , quintas , and posh restaurants . None of the deluxe 5-star hotels could be found within the traditional hotel zone . contradictory +The British retribution galvanized the Irish and in the words of Yeats 's poem , All changed , changed utterly . The British assaults destroyed any Irish resistance . contradictory +Some of these groups would strongly resist any changes . Resisting changes causes headaches . neutral +The ground meat , Slim noticed , hadn 't been touched . Slim noticed all the ground beef was gone . contradictory +Nearby Ramses Square plays host to the Victorian Railway Station , designed in the heyday of colonialism and fronted by a monumental granite statue of Ramses II transported from the ancient Egyptian capital of Memphis in 1955 . Many tourists who visit Ramses Square also go to the nearby Victorian Railway Station . neutral +where 'd you move from You moved . entailment +Since these rules are being issued as interim rules and were not previously published through a notice of proposed rulemaking , the Departments were not required to prepare an initial or final regulatory flexibility analysis under the act . The rules are being issued in the interim . entailment +Further , these coefficients determine the percent of total cost that comes from mail processing and delivery at a specific volume per capita . Total costs are determined in part by these coefficients . entailment +I don 't understand how one would read this argument and not get that it is about the effect these changes will have on the commons . The commons are not an issue . contradictory +diagnose what 's wrong with the machine and you know do whatever it takes to get it started again and things and interface with the technicians in the toolroom so you 're kind of like your own boss as far as the machinery goes and um it 's about a two year to three year experience before you 're able to really um i would say payback You need to talk to the technicians to troubleshoot the machine . neutral +She has not achieved anything magnificent . She is still working on her strategies . neutral +uh make everything metric and i just and i see no problem with it at all I don 't see any issues with making everything metric . entailment +yeah that would not be fun That would be so much fun . contradictory +um-hum no i don 't No . entailment +According to USA Today , most of the country will experience cloudy but good weather Tuesday . At least one weather report has said that there will be cloudy weather on Tuesday entailment +Who wrote that piece of shit , anyway ? The essay was a piece of shit because the writer did not even try . neutral +I just wanted to thank you for allowing Mark Alan Stamaty a forum for his hilarious--and often insightful--cartoon about a ( slightly ) warped world . Mark Alan Stamaty also appreciates you letting him do his cartoon . neutral +Blood ran from Adrin 's nose . Adrin was not hurt . contradictory +Driving yourself on the narrow winding road with frequent back-ups imposed by trucks in a hurry could be a hazardous business . The road is perfectly safe to drive on alone . contradictory +The argument is that the Constitution says the president should be removed only for crimes that imperil the nation . Some people say you can only impeach the president if he imperiled the nation . entailment +Well , all right . Well , if you say so , then all right . neutral +that yeah yes i love to cook Cooking is a fun hobby of mine . entailment +It was modeled on one of the great Chinese monasteries of the time and built for a Chinese monk who was said to have interceded with the dreaded Kublai Khan to stop the Mongol invasion of Japan . Is was built for a CHinese monk who helped Kublai Khan attack Japan . contradictory +Performance artist Karen Finley reprises her 1990 show--she spread chocolate over her naked body--which made her the poster girl for right-wing denunciations of the National Endowment for the Arts . Karen Finley performed in the 1960 's . contradictory +Tattoos of snakes circled around his chest and shoulders . The snake tattoos on his body meant he was in a gang . neutral +Lubitz ' demonstrated that the law targeted predominantly minority populations . Lubitz showed that the law mostly affected minority populations . entailment +Not until a 20th-century Western architect , Frank Lloyd Wright , arrived in Tokyo to build the earthquake-resistant Imperial Hotel was it considered possible let alone desirable to attempt to defy the ravages of nature . Tokyo has never had any earthquake-resistant buildings . contradictory +well that 's what i 'm doing May third i 'm going to sit right here watch it It is my favorite tv show . neutral +our church has a place where you can take them and they you know pass them on to other families so You can take them from the church . entailment +Did they know of any relatives ? All of the relatives were already in the room . contradictory +and everybody that we have that backs up to it mows about uh oh maybe ten or fifteen or twenty yards into the vacant lot to keep weeds from growing and coming over and seeding in your yard THe lot gets overgrown if we don 't stay on top of it . neutral +no not Portland what 's that team with the little guy with uh the no Isiah Not Portland ; I mean the team that has Isiah on it . entailment +right i i think that i i mean i wouldn 't be so upset about the amount of taxes paid if it weren 't for the fact that they don 't they don 't go to any place you know you you don 't see it going to any place where it belongs Clearly , the taxes are being used in the way they should . contradictory +Only don 't be sayin ' that round Cap 'n Bayliss neither . Captian Bayliss would be delighted to hear that ! contradictory +Two Kirbys riding for the same spread is going to be rather confusing . There was more than one Kirby riding for the spread . entailment +concerning the estimate of the classes of small entities subject to the Report and Order and the projected reporting , recordkeeping and other compliance requirements of the proposed rulemaking is also included . Recordingkeeping will be unnecessary in the proposed rulemaking . contradictory +and there 's always been an interest there Seeing that film has always been an interest of mine . neutral +um this would penalize the heavy polluters and not penalize the light polluters They did not penalize any type of polluters . contradictory +Conservative clothing at business-related functions ought to put you both at ease . You should both be at ease because of the conservative clothing at business-related functions in San Diego . neutral +Our country has made great progress in reducing air pollution over the last several decades , but pollution from power generation needs to be further controlled . Our country has made zero progress in reducing air pollution . contradictory +for that little For that small of an amount . entailment +i don 't know if my boss will spring for it My boss will absolutely love it ! contradictory +huh because what i was what i was going to ask you is it seems like the next big jump will come with color printing you were talking about doing your own presentation and foils it would seem that color capability would be the next big sort of leap in presentation color printing is already used for some presentations , but I don 't think having it is that important contradictory +To reach Gosier 's attractive offshore islet requires a challenging swim or an easy boat ride . You can swim to the offshore islet . entailment +The pyramid is surrounded by a compound designed to mimic the King 's palace at his court in Memphis ; with beams , columns , and bundles of reeds carved onto its facade . The pyramid does not try to mimic King 's palace at his court in Memphis ; it 's completely original . contradictory +There was an elderly woman who had some plumbing work done to her home and the work was not up to standards and the cost was above what it should have been ... The plumbing was excellent and was offered at an extremely reasonable price . contradictory +yep well same here I completely agree with you . neutral +Aloud , he said nothing . He didn 't say anything out loud . entailment +But they spoke to widespread social concerns , and during an era marked by its unthinking reliance on experts , he made a point of speaking neither as an obfuscating specialist nor as a simplifying self-help guru . There were over fifty widespread social concerns . neutral +Paella alicantina is the same , plus generous portions of whole prawns , mussels , small whole crabs , octopus , and slices of lemon . Crabs , octopus , lemon and prawns are all included . entailment +To that end , Slate offers a real Election Day forecast , predicting the outcomes of close Senate and gubernatorial races based on the Tuesday weather map in Monday 's USA Today . ( Why USA Today ? It does not suffer from the notorious liberal meteorological bias that afflicts the New York Times and the Washington Post . ) In the interest of accuracy , Slate has updated the predictions based on USA Today ' s Tuesday forecast . Slate covers the Election Day in depth . entailment +A crosebetween a motorbike and a small tractor , these fun vehicles are available from the Ostrich Farm at Eilat . These vehicles are like a hybrid of a tiny tractor and a motorbike . entailment +so i thought that was really good too i don 't i I thought that there wasn 't any better way to handle it . neutral +yeah i i would qualify the U S government as The US government doesn 't qualify . contradictory +( To see this in action , click on one of the LiveTopics links on the AltaVista search-results page . ) None of the LiveTopics links on the AltaVista search-results page will show you this action . contradictory +He had only his private guards- I told you , he wants to make this quiet . ' he didn 't have any guards of his own . contradictory +yeah yeah yeah Chi Chi 's they they have Chi Chi 's down here too but that 's that 's sort of looked down upon because they 're a chain Chi Chi 's not favorably viewed because they 're a chain . entailment +Of course , ours is a different and more dangerous There are undoubtedly more and more sophisticated threats to the president than we can imagine . It is dangerous to be a president because there are many sophisticated threats . neutral +Next to the church are the lovely 14th-century cloisters ( Chiostro delle Clarisse ) , converted in 1742 into a country garden of shaded walkways and Capodimonte ceramic tiles a delightful haven of tranquility and one of Naples ' most charming spots . Next to the church are the horrid 10th century cloisters . contradictory +Directors alter his scripts at their peril . Their scripts are altered by directors . entailment +U.S. monopoly includes all addressed direct mail consisting of fewer than 24 pages . The U.S monopoly has to write in a small font to fit it all on fewer than 24 pages . neutral +This lowers the net mailing cost for the mailers involved and makes them less likely to go to competitors . The cheaper the mailer costs are the more likely they will be sent to competitors . contradictory +i wanted to get one of those steppers when i bought the bike but i got talked into the bike instead and i don 't know i really wanted a stepper i 'm considering maybe even buying one of those too but i 'm not sure if i 'll get benefit out of both of them i mean i don 't know if it would really do any good having both of them which one do you feel is better since you use them both I think it 'd be a good idea to have both a bike and a stepper . contradictory +have you that 's true have you read The Silence of the Lambs I 've read The Silence of the Lambs twice , have you read it ? neutral +But it was strange that she never heard a sound , sleeping next door ; whereas Mrs. Cavendish , in the other wing of the building , distinctly heard the table fall . " It was odd that she didn 't hear anything while sleeping next door , but Mrs. Cavendish heard the table fall from across the building . entailment +so the you know just for the doesn 't really work out for us too economical to pay twenty dollars for a one way bus ride for these two kids but some days we have to do it some days it just works out to where i don 't get into work early enough to get off It 's expensive to send kids on the bus but sometimes we are willing to pay it to make our days go smoother . neutral +Smith noted that this variation is the problem and why he wants these concerns to be addressed by the conference in written form . Smith saw no issues with the variation . contradictory +yes now that there there 's some wonderful Christian music when you can find good stations uh the problem problem that i found um in this area is that the When you can find good stations you can find some good Christian music . entailment +yeah uh i was here in nineteen sixty well i got to go back that i moved down from Pittsburgh in in fifty nine and uh in fifty eight i really became a pro football fan went to all the Steelers home games I hate football and have never been to a game . contradictory +large as a grown man 's thigh Small as a grown man 's thigh . contradictory +You wish to believe he committed the crime . So there is no proof that he committed the crime ? neutral +In a 1985 study , journalist Charles Silberman recounted how the writer Anne Roiphe , besieged with angry letters after she wrote an article about celebrating Christmas as a Jew , switched to observing Hanukkah and found it far more meaningful . Anne Roiphe thought it would be a difficult change to make . neutral +Quite clear . I don 't understand . contradictory +Commercial and cultural links with Tibet , and through Tibet with China , were strengthened at this time . Cultural and commercial links with Tibet , and through that with China , were strengthened at this time . entailment +In less extreme cases , they become writers . They become writers in less extreme cases . entailment +Safire won a Pulitzer in 1977 for helping to force the resignation of Carter adviser Bert Lance in a scandal no one much remembers . Saffire once won a Pulitzer Prize for helping force Bert Lance to resign . entailment +Unable to afford private legal counsel , the families asked for help from legal services attorneys at the Northwest Justice Project and Columbia Legal Services . The families required pro bono assistance from the legal services attorneys . neutral +Hmm , History of the Conquest of Mexico , " he read the title on the cracked spine . There is a book on the Future Conquest of Mexico . contradictory +Lord Charlemont 's marine villa , built in 1762 1777 , is one of Ireland 's finest Neoclassical buildings , and certainly one of the most intriguing . Lord Charlemont 's marine villa is not highly regarded in any capacity . contradictory +really so uh does your husband ever use uh a laptop or a notebook does he bring a little one home with him or Does your spouse use a laptop or a notebook ? entailment +TRANSACTION - A particular kind of external event involving the transfer of something of value concerning two or more entities . A transaction is an external event that has just one entity . contradictory +uh yeah more of a football powerhouse i guess He is not defenetly not good at football . contradictory +that 's how we know each other That 's how we met entailment +Tables 6-1a , b , and c list the expected total MWe of facilities that would be equipped with SCR , FGD , or ACI after response to a multipollutant rule . There are only two methods of complying with MWe regulations . contradictory +Perhaps because Jerusalem was in neutral territory not allotted to any of the twelve rival tribes of Israel , David made it the capital of his newly formed kingdom and brought the most talented artisans , dedicated priests , magical poets and musicians , and the most formidable soldiers from each of the tribes to live in his city . Jerusalem was neutral territory . entailment +If I had not been born , both my sisters would have substantially bigger shares of the pie , and everybody else 's share would be exactly what it is now . My sisters would have gotten more without me . entailment +For example , iron and steelworkers who had been boilermakers in the past could move back into boilermaker work very quickly . Boilermaker work in the past is completely different from today , so past experience has no advantage . contradictory +If officials of the audited entity do not have such a process , auditors may wish to establish their own process . When the audited entity does not have a process , auditors may wish to use their own . entailment +so that 's still a real good show too i that one tends to come on earlier in the day than i want to turn the TV on That show is good , but comes on too early in the day . entailment +I worked with several other people , Israelis and Americans , to develop a policy that would rescue Israel from devastating inflation and set the country on a course of durable economic progress . I work to rescue Israel from devastating inflation . entailment +The postwar period began , however , with millions of displaced people homeless and starving . Thousands of people died from starvation in the months after the war ended . neutral +Five minutes later he stood upright with some difficulty , owing to 141 the cramp in his limbs . Five minutes later he struggled to stand up , since his limbs were cramped . entailment +It has been closed indefinitely to the public since 1990 but is beautiful to view from afar none the less . It was closed in 1990 because the tourists were causing too much destruction . neutral +Long it certainly is , at 1,250 km ( 776 miles ) from snout to tail . At 1,250 km from snout to tail it is certainly long and it is among the longest in the world . neutral +i 've still got my Fandango album that one didn 't get lost in college I still play my Fandango album I got in college . neutral +yeah i never really got involved in Star Trek and i don 't really care to watch movies because it 's committing too much time i think I never really got into watching Star Trek . entailment +Julius Caesar founded many cities , including Ebora ( avora ) , where the remains of a Roman temple survive ( see page 90 ) , and Pax Julia ( Beja ) . Ebora was not founded by Julius Caesar , the city was founded by a group of people . contradictory +Inside , the air is heady with the mingled aromas of ginger , pepper , cinnamon , cloves , and freshly ground coffee . The mingled aromas attract a lot of people inside . neutral +Perhaps people who work in group settings where some hand is always out can start a reverse Limit forced-march giving to $ 2 . People who work in group settings , where some hand is always out can perhaps start a reverse Limit forced-march giving to $ 2 . entailment +A requirement that the H-2A worker be physically present in the United States when the cause of action arises or the representation commences thus would deprive H-2A workers of representation on many of the most basic employment contract protections afforded by Congress , directly contrary to Congress ' purpose . H2a workers are deprived of representstion contract protections . entailment +He knew exactly what I had done , how I had done it , and how I was supposed to have done it . He knew what I did during the crime . neutral +In-depth , very extensive case studies of several water catchment areas were conducted , and the final report is based on a synthesis of the findings from the case studies-another example of integration of findings across diverse sites ( U.S. The case studies revealed nothing interesting about the areas . neutral +Only a few minutes after crossing the border , and the landscape was already undergoing a massive shift . We were surprised at how quickly the landscape changed . neutral +For the time being they were baffled , and could do nothing . They didn 't have enough information to assist . neutral +An article refutes the accepted wisdom that Klaus Fuchs and David Greenglass leaked the first atomic secrets to the Soviets . There were secrets leaked to the Soviets . entailment +The income earned on U.S.-owned foreign assets adds to the nation 's income ( GNP ) . Income on us earned foreign assets retract from nation 's income . contradictory +Lico can offer a lot of input from the perspective of a barrio person , and he 's also someone who is always helping other people . Lico has never been known to help anyone . contradictory +Fatehpur is the subject of many colorful stories in which it isn 't possible to establish a historian 's truth . The stories are all proven by historians . contradictory +uh-huh and we were going to do it there was four of us together well then forget that it wasn 't near me It was an adventure day for four , but the location was just too far away for me to be able to go . neutral +Headphones allow you to listen to some of William 's works while you view images of the landscapes that inspired him . You can listen to William 's works on headphones that are provided . entailment +She is frightened to death of her remaining children , whom she suspects of plotting to murder her . She knows her children are going to kill her . neutral +'These are Gauntlet marks , ' I said grimly . I have never been in a fight . contradictory +It is situated in the diplomatic neighborhood of Chanakyapuri ( behind the Bhutan Embassy ) . No one knows where it is located . contradictory +because they both work and they uh he 's a fireman so he 's home two days a week that she teaches and would not be there so i don 't know how she manages it but she keeps that a secret and i would not want to pay her monthly He is a fireman and she is a teacher . entailment +probably one big thing about them and uh There is only one big thing concerning them . neutral +The experiences of leading organizations suggest that the successful implementation of GPRA may be as difficult as it is important . Implementing GPRA will be very easy . contradictory +Park and loop routes serve cities and their inner suburbs while curbline routes serve the outer suburbs . Park and loop routes serve all wealth classes neutral +The mosque also includes ceremonial rooms , a library , a meeting hall , and a mausoleum for national heroes , set around cool pools mirroring the blue stained-glass of the Grand Hall and marble galleries . There are a number of different rooms in the mosque . entailment +On completion this will allow you to dive with an instructor to a depth of 18 m ( 60 ft ) , which opens many dive sites in Egypt to you . Many dive sites in Egypt are more than 50 ft underwater . entailment +For example , the AIM-9X and the F / A-18E / F captured design and manufacturing knowledge by key decision points and limited cost increases to 4 percent or less and schedule growth to 3 months or less . The example , the AIM-9X and the F / A-18E / F did not capture design or manufacturing knowledge . contradictory +In addition , under the contractor 's proposal , Interior would have had to provide the contractor with data on the frequent flyer miles received by its employees . The contractor does not care about the frequent fly er miles earned . contradictory +Note the wonderfully ornate wooden ceiling . There are patterns carved into it . neutral +Then show it to me . Then let me see it . entailment +These findings are part of a survey , the first of its kind in almost 20 years to examine the experiences of the poor in the legal system , released today by the nonprofit Legal Services of New Jersey , an Edison corporation that coordinates the state 's system of legal aid organizations . These findings are part of a survey . entailment +and killed them well it was two stores side by side It killed them that those two stores were next to each other . neutral +Nowhere is that more clear than in the periodic appearance of what I call the Left-Behind White . It 's not clear anywhere other than the Left-Behind White . entailment +It is not advisable to swim within 8 km ( 5 miles ) of the city center because of pollution . The city center is polluted due to traffic . neutral +The stars are no more like the sun than the glow of my cigarette is like a forest fire . This is knowledge sent down through the ages . neutral +But he could see his skin rise in giant blisters and heal almost at once to blister again . His skin formed giant blisters that would never head properly . contradictory +There 's nothing to tell , said Tommy , acutely uncomfortable . Tommy was perfectly comfortable as he spoke . contradictory +Had the beastly thing stuck ? He was hoping that it stuck . neutral +Not even if it means accepting funding cuts that the Guttmacher Institute concluded would lead to an increase in unwanted pregnancies , maternal deaths , and infant mortality . The Guttmacher Institute concluded the funding cuts would actually lower the number of maternal deaths . contradictory +This is because the permitting activities might become the time-limiting steps . The permitting activities have no chance of becoming time limiting steps . contradictory +As it stands now , police officers , especially in urban areas , present more illegally obtained evidence than legally obtained evidence . Police officers wish to present legally obtained evidence . neutral +Mr. Casellas began his career at the Philadelphia law firm Montgomery , McCracken , Walker and Rhoads , where he worked for sixteen years . Mr. Casellas worked at Montgomery , McCracken , Walker and Rhoads for sixteen years . entailment +uh-huh i see well tell them to look at the Amiga a lot of people think it 's a toy and a game machine but it is a most powerful work station all the way around multitasking and i mean a real-time multitasking operating system and computer made Tell them to look at Amiga , a lot of people don 't realize that it is a pathetically underpowered workstation . contradictory +those are my children we don 't have very many activities but My children and I don 't do very many activities together . neutral +Kuttner plainly sees himself as a heretic . Kuttner believes in Jesus . neutral +The highest course in the country is at Darjeeling . Darjeeling does not offer a course . contradictory +I hate the space program . I don 't like the space program . entailment +That is , reliability of the findings is developed through the multiple data sources within each type . Multiple data sources are the best way to improve reliability . neutral +Lilith Fair . A touring show of female musicians--including Sarah McLachlan , Sheryl Crow , and the Indigo Girls--is said to herald the end of male dominance of rock . The rock music industry has always been dominated by females . contradictory +As outlined below , we used several techniques to identify the study participants . We only used one technique to identify the study participants . contradictory +even some stupid place way the hell out in the stupid country , thousands of miles away , like Alabama ! Alabama is in a very remote and inaccessible area . neutral +Oh God , get me a drink with some alcohol in it ... ' Will you get me a glass of water . contradictory +Then you arrive at Grand-Riviyre . You will get to the Grand-Riviyre in 2 hours . neutral +He passed his tongue over his dry lips . His lips were dry at this point . entailment +and so with you know with the IBM what would happen is uh since the software that i had was it was basically you know you only see part of the page I wish we had used something other than the IBM . neutral +In April , LSC announced significant changes in service areas of 14 states . The service areas changing caused public unhappiness . neutral +However , you 'll also find concise information about some of the smaller or more remote islands within the larger island groups , such as the Cyclades and the Dodecanese , to help you plan any island-hopping you might want to undertake . There is more information about the smaller or more remote islands , like the Cyclades or the Dodecanese . entailment +It wasn 't that , but I couldn 't explain . The explanation was definitely there somewhere . neutral +when you have the big old trees and the people that moved in next to us they built a new house on the empty lot and they just had their brand new little trees They didn 't have any shade they any time they had people over they had to do it on the patio because it just got too hot during the day There are a lot of old trees in the area . entailment +so in other words that 's the way they force people out Basically , it 's how they get rid of people . entailment +A lady ? I jumped up . I jumped as a result of discovering the lady . neutral +I felt [ empathy ] in my heart [ as president ] , but I didn 't do it as well--outreach , showing compassion and concern--as well as our sons did . Our sons express empathy better than me , however , they are not as strong as me . neutral +if i if i want to do that I definitely don 't want to . contradictory +Participants represent key stakeholders including funders , bar leaders , judges , advocates and clients , among others . Participants do not represent any of the key stakeholders . contradictory +Water is drawn from the Segura for the irrigation of the town 's groves and fields . The Segura provides water for the town irrigation . entailment +What is worrisome is the failure of pollsters themselves to learn from the history of their profession . It makes me worry the failure of pollsters to learn from the past of their profession . entailment +well i don 't know do the nice thing i 'm looking forward to is uh not having a hurricane season This hurricane season is the worst yet , hopefully it 'll end soon . neutral +Laboratory and field experiments have shown reductions in yields for agronomic crops exposed to ozone , including vegetables . Experiments show vast improvements in crop yields when they are exposed to ozone . contradictory +But there is another reason , more tragic and ironic , why this gifted and imaginative guy seems less funny lately . There is a sad reason why this guy has been solemn recently . entailment +Since we assume that there is a 5-year loss in life years for a PM related mortality , regardless of the age of person dying , this necessarily leads to a lower VSL for younger populations . VSL cannot be lowered under any circumstances . contradictory +The lovely 13th-century pink Verona marble baptistery has superbly sculpted doors by Benedetto Antelami , who also carved most of the 12 statues of the months in the interior . Benedetto Antelami carved two statues in the baptistery . contradictory +4 The instability of Syria and the Palestinian Authority . We can never tell what will happen to Syria and Palestine . neutral +These leptin findings imply that hormones and neurotransmitters control the instinctual desire to eat , overwhelming willpower in the process . Overeating is mainly influenced by willpower . contradictory +No , sir , not that I know of . Poirot 's face did not betray a trace of whether he was disappointed or otherwise . Poirot definitely was happy with the results . contradictory +Although there are in fact many bodies of water , much of the charm of the region lies in the landscapes produced by the high peaks , majestic valleys , swathes of forest , and rugged fells ( highland plateaus or pastures ) that surround the lakes . The main attractions of the area are the high peaks , majestic valleys and dense forests that surround the lakes . entailment +but papering and uh and and putting up uh drywall for the plaster i hate that stuff too you know i just contracted that stuff out and I hate papering and putting up drywall so I contract that work out . entailment +15 Twenty-seven years ago , our government made a pledge to help ensure that all persons have access to America 's civil justice system by enacting legislation that created Legal Services Corporation . Our government decided to help the people in the civil justice system . entailment +and see that one of them married an abusive husband one of them married an alcoholic uh the other one married into a pretty stable relationship None of them ended up marrying alcoholics or abusive men . contradictory +Most of the latest increase -- $ 42 -- will go to the Lawyers Trust Fund of Illinois , which disburses monies to legal aid organizations that assist low- income residents in civil matters . The Lawyers Trust Fund of Illinois won 't receive anything from the increase . contradictory +that was uh i was amazed when i came to work i worked at the uh well it used to be the largest bank in San Antonio until N C N B came up and bought the rival and now N C N B and now N C N B 's got a little larger market share It was the First National Bank . neutral +There is also a floating market of fruit and flowers . The market cannot be described as floating . contradictory +The FTC seems inclined to steer a middle Permit the merger , on condition that Office Behemoth sell off 63 superstores to the remaining competitor , Office Max . The FTC is trying to crack down on monopolies and anti-trust issues . neutral +Those are just empty words if people don 't have access to that system . Those words are meaningless if that system is not accessible . entailment +In every case where I was able to establish a parent-child relationship , minors gave to exactly the same campaigns as their parents , almost always on the same day . I wasn 't able to form any parent-child relationships . contradictory +and she was talking gibberish . She was talking gibberish while drunk . neutral +There are heartening exceptions . There are exceptions that are heartening . entailment +okay um i guess what i guess my my task i usually ride my bike i have uh a stationary bike and uh a regular bike and when i can i like to ride my regular bike outside because it 's so much nicer the stationary bike is is so um I prefer riding my stationary bike to riding my regular bike . contradictory +yeah oh yeah and she didn 't get around to it very much Nah , she always got around to it . contradictory +yeah that well it it it just puts a damper on things for a little while but we 're we 're starting to get everybody back together yeah we 'd like to do a float trip down uh oh like Big Bend area or something like that Big Bend is an intimidating spot for a float trip . neutral +Patients with alcohol problems in the emergency department , part 2 : intervention and referral . The emergency department has patients with alcohol problems . entailment +The GPRA course originates out of a studio and has been broadcast simultaneously to up to 20 sites around the country . The GPRA course is not broadcasted around the country . contradictory +Basically , we used the productivity assumption underlying CBO 's January 2001 , 10-year budget projections . CBO 's 20 year budget projections were way off neutral +For many , however , the highlight of a visit to Tiberias is to relax with a drink on the lakeside promenade . Many people enjoy drinking the excellent local wine when they visit Tiberias . neutral +you know when i actually started working full time and i i got married shortly after getting out of high school i uh thought i was smart ran away and got married and uh i remember there was a time and within the first year of marriage i said boy wouldn 't i give to get be back in school I didn 't get married until I was 40 . contradictory +well that 's that 's a big one in my book but uh um That 's a big one in my book , I don 't think I can overlook a past bankruptcy when I am selecting a business partner . neutral +See The Long-Term Budget Outlook , Congressional Budget Office ( October 2000 ) and the 2001 HI and SMI Trustees Reports . The seventy page report was released in October 2000 . neutral +Many News Quiz participants suggest that the entire Bush campaign is an ad for which we do not know the product . The bush campaign is understandable . contradictory +Bridge House in Ambleside is one of the most popular sites and perhaps one of the most photographed buildings in the Lake District . Bridge House is very popular . entailment +Tadau Keamatan ( Sabah Rice Harvest Festival ) is celebrated by the Kadazan of Sabah with lots of rice wine and buffalo races . Buffalo races and wine wine can only be found at the Sabah Rice Harvest Festival . neutral +Cattle , however , enjoy the powerful protection in Washington , D.C. , of the nation 's ranchers , who gave millions in the last election cycle . Congress protects cattle because of the contributions from the nation 's ranchers . neutral +sometime yeah oh i think it will eventually out here they 're building more new houses all the time though and people can go and buy a brand new one that 's never been lived in for less than they can get a used one so i guess that 's what they would choose It 's much cheaper to purchase a house that 's already been lived in than a brand new one . contradictory +The icon has a powerful influence over pilgrims , who crawl up the church steps on their hands and knees to pray for divine intervention . No pilgrims are religious . contradictory +okay me too well thank you Same here , I owe you . entailment +He opposed Piedmontese patricians and intellectuals of the Moderates party , seeking reform through a pri ? ζilege-conscious confederation of Italian princes blessed by the papacy with Piedmont providing the military muscle . There was no reform at all . contradictory +Fire Administration provided opportunities for front-line employees to lead teams whose members included a mix of employees and supervisors . This initiative has greatly increased collaboration and trust . neutral +far off , unseen , but audible , repeats its syncopated intervals , a song that 's not a cry You could see the source of the song . contradictory +uh i haven 't seen it in years but i used to I haven 't seen it in a while but I did before . entailment +Efforts to make information about art ( as well as art itself ) more accessible were strongly encouraged by funding policies of the National Endowment for the Humanities . People want low income people to have more access to art . neutral +The viceroys , including the famous Lord Mountbatten ( who pondered the last details of Independence and Partition here in 1947 ) , made it their summer capital . Lord Mountbatten made it his winter capital . contradictory +Eighty percent of the total amount of allowances available for allocation for the year will be allocated based on heat input in 2000 to affected EGUs that are Acid Rain Program units with coal as their primary or secondary fuel or residual oil as their primary fuel , listed in the Administrator 's Emissions Scorecard 2000 . 30 % of the total amount of allowances available for allocation for the year will be allocated based on heat input in 2000 . contradictory +In the New York Times Book Review , Nicholas Lemann praises the Ms. Nicholas Lemann wrote an article for the New York Times Book Review . entailment +The enormous structure had a peristyle of 52 columns , of which two still stand at their full height . All of the large structure 's pillars had decayed and fallen . contradictory +You say nothing , just listen , and began a monolog which lasted until 9AM the following morning . A monolog began which ended before 1PM the following morning . entailment +yeah actually uh we went a couple of times last year i haven 't gone they started i guess about a week ago I 'll go to see them next month . neutral +The many bazaars , busy tailor 's shops , and government-operated emporiums are fascinating places to observe the style , panache , and never-ending gall of that charming and often shameless scoundrel , the Kashmiri merchant . Kashmiri merchants are charming , but they often cheat tourists . neutral +His evidence was quite unimportant , being a mere repetition of that of his brother . His brother had given important evidence before him . neutral +Reviewers have noted some possible sources of upward bias in the long-term studies . The reviews haven 't found any possibility of baises . contradictory +The Taliban is both a product of and a reaction to the civil war that has gripped Afghanistan since the demise of the Soviet-backed regime in 1992 . There is ongoing rivalries in Afghan nations that make it hard to find work there . neutral +In fact , these were bound to order . " It was a fact that they were bound to order . entailment +But by quoting Tucker 's eloquent letter to him , he actually makes himself seem even more heartless . By quoting Tucker 's eloquent and heartbreaking letter to him , he makes himself sound heartless and like a bad friend . neutral +Bradley and Colvin ( 2000 ) estimated the entry pricing cost of the USO for the United States . Bradley and Colvin guessed the entry pricing cost . entailment +The regulation of these emissions became necessary under section 213 ( a ) ( 3 ) of the Clean Air Act , as amended , when EPA found that these nonroad engines were significant contributors to ozone or carbon monoxide concentrations in more than one nonattainment area . Nonroad engines weren 't affecting ozone concentrations in the end . contradictory +there is no single reality on which inquiry may converge , but rather there are multiple realities that are socially constructed , and that , when known more fully , tend to produce diverging reality . Multiple realities work in tandem with one another as opposed to there being a single reality . entailment +and it 's probably because i i was born in the Chicago area and grew up in California and at and at that point that was sort of a limit but but since then i 've been abroad a lot so California was much more fun than Chicago was . neutral +Junger is grimly precise about the mechanics of drowning , says Time ' s John Skow . John Skow works for the Wall Street Journal . contradictory +In another category altogether are the hand-knitted and crocheted articles made by island women . Island women hand-knit and crochet items . entailment +No more fights today , said the small man . The man said all the fights had finished ten minutes before . neutral +El-Aksa is actually the most important mosque in the entire city . El-Aksa is the third most important mosque in the city for believers . contradictory +yeah i think another problem with the families uh is is the role of television I think television helps the family immensely . contradictory +Adrin ducked underneath , spun , and the two men grappled again . Adrin and another man grappled each other . entailment +Late engineering drawing releases to the factory floor resulted in parts shortages and work performed out of sequence . This resulted in poor quality . neutral +A right turn at the junction leads along the valley floor past the modern artisan villages of Sheik Abd el-Gurnah , where you will be able to buy alabaster and onyx pieces . The new villages specialize in making jewelry . neutral +But even when not taken advantage of , plenty of people get serious decisions wrong--enough that we should question libertarian beliefs that people should do what they want and live with the consequences . A lot of people make serious decisions poorly , which makes us question libertarian beliefs . entailment +okay so do you all keep a budget Does every single one of you have a budget ? entailment +Sales of goods and services . Company A records sales from the sale of merchandise and Company B records their sales as the services provided by them . neutral +Confusion ? Is there confusion ? entailment +i know well see uh the the Sparc stations run about twelve thousand dollars in color and an Amiga runs only forty seven hundred in color Sparc stations are so expensive because of the materials they use . neutral +uh it 's kind of a a bad thing to happen but we happen to have landed again in a very lucky spot there is a little business development behind us that 's a bit of a a a little bank and a couple of dry cleaning things and little strip shopping center but it 's several houses down because the property that 's the other side of our little wall is a triangle shape and the wedge part of the triangle got too skinny to do anything more than put some grass and trees there there 's not even a parking lot so it it 's a nice uh two or three houses on either side of us is nice grass and trees and I feel positively towards where we live now - we have lovely grass and trees around our house . entailment +They swept in and around the shade of the tree , made the arc to return . The tree cast a shade . entailment +, indeed , it couldn 't be Fri . It couldn 't be Friday . entailment +Not last night , sir , I know she didn 't . She didn 't last night . entailment +60-per-minute Belgacom charge , and make it cheaper to call Antwerp--just 40 miles away--via California than directly . Belgacom made all calls to Antwerp free . contradictory +Peninsular Malaysia and northwest Borneo remained under the British , but their influence was limited . Malaysia and Borneo are still under British rule . contradictory +That left many to return . Those that were left were eager to be returned . neutral +A liner ! murmured Dr. Hall faintly . The liner is eyeliner and he thinks he 's gonna look good at the emo show . neutral +yeah and there were there were some definite um should i say tense moments with him in there so There were no tense moments in there . contradictory +Mrs. Inglethorp didn 't have a candle , only a reading-lamp . " Mrs. Inglethorp 's reading lamp is really bright . neutral +For example , management is responsible for the operations of the company and members of the board in their oversight function should have the ability to challenge the CEO in managing the company . Management has no responsibilities regarding the company . contradictory +Family rooms have been introduced in many spots , making it easier for younger children to enjoy meals with their parents ( and vice versa ) . Family rooms did not make any changes to family meals . contradictory +It is certainly not because he failed to get most of his policy proposals adopted . About 20 percent of his proposals got adopted . neutral +Spare no expense . I will give you all the money you want for it . neutral +have you are you a Civil War buff at all Did you serve in the Iraq war ? contradictory +In addition , the interim rule contains a request for additional comments to be submitted in a 120-day comment period . After the 120-day comment period , all requests and comments will be ignored . neutral +Suddenly he caught my wrist , and began twisting it . He twisted my wrist . entailment +And , what do you think now ? She asked the Fourth Husband after coming back from the clinic . She asked her husband what he thought about her new nose . neutral +While most infrastructure spending takes place at the state , local , or private-sector level , the federal government also invests in infrastructure such as highways , bridges , and air traffic control . Federal government infrastructure spending is considered more valuable to the public . neutral +yeah that 's they yeah kind of cheating isn 't it You 're doing something wrong . neutral +" Kinda sure of that , ain 't you ? " The smile had not cracked , nor had it reached those shuttered blue eyes . Sarcastically he said , " you really believe that , don 't you ? " He looked away with disbelief . neutral +you know you just take it easy um but when i see some women i mean some and i just don 't think it 's healthy all that pounding all the time I believe from experience that all that pounding will result in serious injury . neutral +Unable to agree on why Wolf should be embarrassing , pundits have fallen back on the implication that she must be embarrassing , since Gore has been employing her secretly , funneling her payments through other consulting firms , and conspiring to conceal her from the press . Pundits believe that Wolf and Gore may be in an illicit relationship because of the secret employment and payments . neutral +But Tommy had become serious . But Tommy had become lighthearted and began laughing easily . contradictory +but uh trying to relate that to me and i think because i had a strong Christian background personally it affected me differently than it affected my sisters and i see myself uh with some of those qualities but with not quite as much anger It left a different impression on me because of my Christian background . entailment +Program and justice community success is tied to and evaluated in terms of diversity initiatives . Program success is evaluated in terms of homogenity . contradictory +In his final year he binged , painted nothing , and drove his car into a tree . He was a moderate and safe painter until the day he died . contradictory +Dispatches From the Freud Psychoanalysis and Its Passions , by John Forrester ( Harvard University Press ) . Dispatches From the Freud Psychoanalysis and Its Passions is a very thick book . neutral +The palace grounds are a pleasant place for a walk , especially the English Garden behind the Petit Ceteau . The palace gardens were designed as mazes and are a nice place to reflect . neutral +To still others , it was not possible to tell whether this was a case study because looking at instances was what we do in all our methods , and there was no differentiation between this job and a compliance audit . We are absolutely certain that this is a case study . contradictory +Continuing around the coast in a counter-clockwise direction , Deep Water Bay offers a good beach and harbors . Along with its public beach , Deep Water Bay also features many private beaches . neutral +If it was humor , he didn 't get it . He did not understand the joke . entailment +Brief interventions may play an important role in motivating such patients to accept a treatment referral or can be used to establish motivation while waiting for access to publicly funded treatment . Brief interventions might play a role in getting patients to accept a treatment referral . entailment +that 's what we do on that 's true we always use especially on trips you know we just charge all our gas that saves us spending it or shelling out the cash right then Especially on trips , we always use and charge all our gas rather than giving away the cash at that moment . entailment +Back in ' 62 when th ' Rebs came poundin ' in here , they spoke soft an ' nice to Don Cazar . The Rebs were not rude when talking to Don Cazar . entailment +It is of the first importance ! It is irrelevant . contradictory +Being a legal luminary , he is likewise a human oyster , replied Julius . Julius said he was brilliant at writing legislature . neutral +Atlanta Journal-Constitution columnist Cynthia Tucker has dubbed it I Have a Dreamland . Cynthia Tucker has never worked as a columnist . contradictory +He noted that Longabaugh 's data indicate there is benefit from a post-discharge contact and that we will see if other studies confirm that . Longabough 's data indicated that there was no benefit from a post-discharge contact . contradictory +Anyone can make toys , apparently . Apparently anyone can make toys . entailment +oh they have them at night over here They have night sessions for the classes here . neutral +oh that 's that 's pretty good size though This one is tiny . contradictory +and i 'd listen to talk shows for everything for gardening and everything just when i 'm doing chores and uh he gives a wealth of information very practical stuff and and I used to listen to talk shows while I did my chores . entailment +What is it ? " Should it be ? contradictory +I haven 't seen him either , replied Tuppence impatiently . Tuppence impatiently replied to the police officer who wouldn 't stop asking him questions . neutral +He caught her hand and grabbed Bork 's arm . He deftly caught her hand in his at the same time he clenched Bork 's bicep . neutral +( b ) Most of the increased tax revenue from individuals reflects higher income , not higher tax rates . An increase in tax revenue doesn 't typically come from increased tax rates so much as from an increase in income . entailment +but and i you know what i mean i they were right next to us and it was obvious that they didn 't know and so and he ate it all before they got back and everything and so He didn 't eat it all . contradictory +so in those instances uh that 's uh i think that there is some leeway there what was is interesting in this regard is the recent case in New Hampshire The recent case in New Hampshire similarly had some leeway . neutral +The collection and indeed the building itself is not huge or overbearing , allowing visitors to relax and enjoy the art perhaps more than is possible in such massive galleries as the Louvre or Rijksmuseum . The collection is too large to manage . contradictory +Jon turned and saw the angry questioning eyes of the villagers around him . He spoke to them about what had happened . neutral +It 's not their game to show suspicion . They show suspicion . contradictory +AICPA standards provide guidance on the interaction of quantitative and qualitative considerations in materiality judgments . There are no standards to guide the interaction of qualitative and quantitative considerations . contradictory +Yes , often . No , never . contradictory +He decided that Tuppence , in the throes of anxiety , had gone to the police , and that his disappearance having been made public the gang had not been slow to put two and two together . Tuppence was content and lacked worry and didn 't leave the house . contradictory +If you are sincere about being a friend , you will save him from himself by keeping your distance . Don 't keep your distance . contradictory +The sprawling Right Bank ( rive droite ) covers the whole range of Paris 's social life , from ultra-chic to downright sleazy . The tiny Right Bank covers only a small slice of Paris 's social life : its seedy underbelly . contradictory +Those in need of assistance may call the Legal Aid Foundation of Los Angeles at ( 800 ) 399-4529 The Legal Aid Foundation of Los Angeles provides free pamphlets to the public . neutral +right um-hum but that 's what i do i always i vote in the national elections and i vote pretty much i i 've been pretty good about voting in um most of um for like the for for mayor and for governor and and things like that and try to try to I vote in most elections . entailment +few Chinese you understand You don 't understand many Chinese . entailment +If the auditor 's report discloses significant deficiencies , auditors should report the views of responsible officials concerning the findings , conclusions , and recommendations , as well as corrections planned . Significant deficiencies in the report need no further action . contradictory +For an overall view of the museum 's collections , we 've attempted a small selection of The museum holds some of the world 's finest paintings . neutral +The first table is based on USPS assumptions regarding rates , costs , volumes , contingency and recovery of prior years ' losses . USPS makes assumptions that are often correct . neutral +The Kal shifted and moved , feigning both a throw and a swing . The Kal faked moves . entailment +Wanted , the headline screeched . The headline was very bold . entailment +Even as analysts have become more able to move stock prices , their more corporate-congenial language has probably diminished the long-range impact of their recommendations--with so many outperforms and accumulates out there , it 's hard to know which ones to take seriously . Even as analysts have become more able to move stock prices , they are still mean neutral +uh-huh yeah right and how to treat them right right and who wants to be treated which way How to treat them and know how they want to be treated . entailment +The mere thought of farming dogs for fur nauseates you . Dogs are hairless and can 't be farmed for fur . contradictory +oh well we wonder how these topics get chosen where was the last place you went out to eat Was the last place you went out to eat a family style restaurant ? neutral +Are you hurt ? Ca 'daan turned and faced Jon . Ca 'daan didn 't face Jon as they spoke . contradictory +okay and it was nice talking to you okay bye-bye Talking to you was good . entailment +I think that getting rid of all guns ... I think that getting rid of all knives ... contradictory +yeah well when they went to the started with the newer engines you know when they started putting all that pollution control stuff on the older engines is where they started getting into so much you know trouble because the three fifty with all the you know like well actually i guess here within a couple of years ago anyway was the last i 've paid any attention to it the three O five was that that V eight that they put in the the three quarter and and half ton van and it had all the air pump and uh Older engines created more pollution because they were primarily diesel . neutral +Although it was established some 1,700 years ago , the main shrine you 'll see today was erected in 1993 . The main shrine seen today was put up in 1993 . entailment +Here , overlooking the L ? ? zarde river valley with its swaying sugarcane , are elaborate secluded villas which seem a universe apart from the small sheds in which most Guadeloupeans live . The valley is studded with elaborately decorated villas . entailment +Surveillance and air power are vastly more sophisticated than in previous wars , NATO has a far greater power monopoly in Europe than Hitler had , and in Kosovo , unlike in Vietnam , the isolated party in the war was not the United States but its enemy . NATO invests billions of dollars in fighter-jets every year . neutral +The Indonesian movement was a rather spontaneous resistance led by ordinary students , workers , the unemployed , and the lower-middle classes . Part of the Indonesian movement was led by normal students . entailment +Daniel shrugged . Daniel sat down at the table . contradictory +so we kind of looked for where where the uh his office would be located and how far well he 's uh you know he 's at the one that 's at um We looked for the location of his office . entailment +On May 24 , 2000 , we asked both the FFC Staff Director and the primary author of the FFC study to review and comment on a draft of this letter and enclosure I. Both concurred with our presentation of the information . There were only two people who concurred with our presentation of the information . neutral +It may be Egypt 's position at the meeting point of three cultures Africa , Europe , and the Middle East that accounts for its complexity . Egypt is a meeting point of multiple cultures . entailment +Legal Services is funded by Congress through an annual $ 329 . congress funds legal services through an annual amount . entailment +A number of trials are said to have put the instigators in prison and security measures have been enhanced , but their actions did a great deal of damage from which Egypt will be slow to recover . Egypt will recover quickly from the damage done . contradictory +The beach , which runs all the way to Jaffa , has soft , golden sand , best tended near the hotels . The hotels pick up litter on the beach to ensure it stays clean . neutral +Although this rule was promulgated by the Commodity Credit Corporation ( the organization that funds the Environmental Quality Incentives Program ) , it was filed with us by the Natural Resources Conservation Service ( the organization whose personnel administer the program ) . This rule was promulgated by the Commodity Credit Corporation after it was filed with us by Natural Resources Consercvation Service . entailment +Liz Drew had a surprising idea--Steve Forbes . Drew knew Forbes could be a good candiate . neutral +Internal control should generally be designed to assure that ongoing monitoring occurs in the course of normal operations . The internal control is very complicated . neutral +This one is housed in a stone building with interior arches and flagstone floors . The restaurant is wood hut . contradictory +Grey scree slopes dominate both sides of the pass , which only sheep seem to be able to move acrosewith ease . Sheep are known for their agility and flexibility . neutral +And , anyway , I said , with increasing coldness , " as Mrs. Inglethorp took her coffee upstairs with her , I do not see what you expect to find , unless you consider it likely that we shall discover a packet of strychnine on the coffee tray ! " Poirot was sobered at once . Poirot didn 't buy it at all . contradictory +The first politician McCain wants to portray as corrupted is Bush . McCain does not consider Bush as a friend . neutral +She was born in North Carolina and went to high school in Westbury , N.Y. Her family moved to New York so that she could have a better education . neutral +British soldiers hunting tigers in the jungle were finding temples and palaces many Indians no longer knew existed . British soldiers found many long-lost ruins in India while hunting . neutral +If the striking portal of the El-Nasir Mohammed madrasa next door strikes you as reminiscent of those in European Gothic churches , you are not far from the truth . You aren 't far from the truth if the striking portal next door reminds you of European Gothic churches . entailment +The collection is accessible via a hi-tech touch-screen directory . To view the collection , you must use the touch-screen directory . entailment +None of the three cases cited by the Court mentions such an odd principle . All of the cases relied on that principle . contradictory +Some claim that the archipelago is what remains of Plato 's lost Atlantis , or part of a landmass that once fused the continents of Europe and America . The archipelago 's origin is unknown . entailment +Considerable contraband trade originated from bases around the island . From the bases around the island there was a lot of contraband . entailment +If the paper is found on him , it is certain doom . If he has the paper , he will be in trouble . neutral +The executive engages in substantial personal development activities such as attending training courses , reading books , and undertaking projects in order to develop skills . The activities create improved personal skills . neutral +It later extended the period for an additional 60 days . The period was changed to include 60 additional days . entailment +sometimes the color would take too long to plot uh plot out The color is very easy to plot out . contradictory +Then it 's off ! Tuppence rose . Tuppence stayed and declared that it was off . contradictory +There are good bargains to be found at the end of each season , particularly just after Christmas , when the shops of towns like Ambleside have seasonal sales . The sales don 't really hit until July . contradictory +In fact , the cultural and economic lifestyles of more than 91.2 million county residents vary so enormously from area to area that visiting Los Angeles is like visiting half a dozen destinations at once . Los Angeles has no culture and all of the residents are in poverty . contradictory +'Why , doctor , ' How come , doctor . entailment +He pulls off this trick by presenting bombing as the default course with a momentum of its own . He pulls off this trick by presenting bombing as the default course with a momentum of its own because he loves to turn things around . neutral +and uh in fifty one and fifty two the police came to the high school where i was and were telling us how to recognize when kids were on drugs how to recognize the pushers outside the one entrance that they were giving their drugs away in order to get the kids started and so on and so on The police never came to my high school to talk about drugs . contradictory +oh it was just like a dump there and so finally you know i called and they they said you know it was behind there and i started taking my things behind there I spoke to them and they said it was behind there . neutral +and it seems to be a disproportionate number of blacks you know that get into the system That seems to be a disproportionate number of blacks , you know , that get into the system . entailment +i yeah the only thing that i pretty much know about is the Central American policy where you know they 're just trying to you know military action in Panama is the only thing that comes to my mind right now and then I don 't know anything about the policy . contradictory +Leave your car in the parking area and walk to the 27-metre ( 80-foot ) falls . The falls are over twenty-five meters in length . entailment +and then jumping up and down in his chair and crying , Evidence ! This is evidence- him crying and jumping up and down in his chair , but they refuse to see it . neutral +well yours is probably the same as ours it 's uh Tigon isn 't Tigon uh part of GTE or vice versa or something like that There is no chance yours is the same as ours . contradictory +If you insert a finger , it comes out damp the moisture is known to have miraculous healing powers , especially for eye diseases . The moisture is reputed to heal eye diseases . entailment +Clearly the Postal Service could do more to transfer some of these operations to the private sector through worksharing discounts . The Postal Service could transfer operations to the private sector through work sharing discounts . entailment +Thousands upon thousands of date palms overwhelm the eye in Elche , a city as old as the Iberians . The original founders of Elche were date palm plantation owners . neutral +and that 's a good idea that 's a good point That 's a terrible idea , a really weak point . contradictory +Further , such documentation must be complete before auditors issue their report . The documentation contains minor errors and flaws . neutral +Federal Communications Foreign Participation in the U.S. A Federal Communication office does not exist . contradictory +Rest now while we can . We must stay awake until the dawn . contradictory +So there could be a cumulative , speculative process in which the won fell far below what might be its long-term equilibrium value and the Korean economy was depressed far beyond what its postcrisis situation would be . Korea is a cool place to live , mostly because of the noodle shops . neutral +2 ) Clinton has the rhetorical grace to pull off such an apology in a way that doesn 't seem phony ( he 'll blame it on his own big heart , his fierce desire not to hurt wife and child ) . Clinton has the charisma to give a sincere apology . entailment +This allowed Helms ' spokesman to cast his boss as the victim . Helm 's spokesman was a friend to his boss . neutral +you know we didn 't allow Blacks to vote uh and we didn 't allow women to vote until i don 't even know what the year was for women Women and blacks have always been allowed to vote here . contradictory +what do you think about the social changes for the last ten twenty and thirty years and what do you think has caused some of the social problems that have been it 's probably the best one What do you think about social changes in the past three decades ? entailment +Lucknow , with its 18th- and 19th-century mosques , used to be a Muslim stronghold ; although the size of its community has now dwindled to only 30 percent of the country 's population , it is one of the two single most important Indian centers of Shiite doctrine , the other being Mumbai . Lucknow is the most important Indian center of Shiite doctrine . neutral +The girl stood behind him on his right side . The man quivered behind the strong woman . contradictory +i i do because um with all all the sports you know and everything they 're doing there and also because whenever you 're dealing with drugs like if you if you are on drugs then that affects the way you work and everything Drugs don 't necessarily affect how you act . contradictory +and that i know that uh brings an eighty eighty eight machine to it 's knees because i had taken it over from a friend who was working on it and he had a two eighty six machine and it brought it to it 's knees The machines were really easy to manipulate . neutral +Metro stations display good maps of their local district as well as the metro itself , and give out pocket plans of the metro and bus routes . Metro stations don 't have any maps , travelers must decipher their paths themselves . contradictory +You have the right -- and I think judges respect that . You have the right , and judges do not always like that . neutral +Ten or twenty years . Five or six years . contradictory +Department of Housing and Urban Development , Administrative Office of U.S. The Department of Housing and Urban Development get a lot of funding from the U.S. government . neutral +It equips people to handle simple matters themselves , reducing the strain on already-overburdened courts and legal assistance programs . People can be empowered to handle simple matters themselves . entailment +It dislodged Pisa in the western Mediterranean , whittled away at Venice 's hold on eastern ports , and set up colonies on the Black Sea for trade with Russia and faraway Cathay . Its trade significantly boosted the economy of the state . neutral +Only once did he come near disaster . He was always careful not to get into trouble . neutral +Las Vegas Mini Gran Prix boasts the west 's only banked-oval stock car track . The Mini Gran Prix is a banked-oval stock car track . entailment +Set in a quaint olde Irish seacoast village , it tells the story of an elderly lottery player , Jackie O 'Shea ( Ian Bannen ) , who learns that one of his fifty-odd neighbors holds the winning ticket to a 7 million pound drawing . The story is set in a quaint Italian village . contradictory +Over the past 27 years , LSC has helped millions of low-income citizens solve important , sometimes life-threatening , civil legal problems . Over the past 27 years , LSC was funded by the government . neutral +Menorca changed hands between Britain , France , and Spain five more times in less than a century . France owned Menorca for the longest period of time of the three countries . neutral +She will see to it that sooner or later they are duly discovered . " She will see to it that they will never be found out . contradictory +It was built in the beginning of the 17th century , based on the graceful style of Juan de Herrera ( Felipe II 's architect , responsible for El Escorial ) : symmetry , slate roofs , and slender towers . In the 17th century the style of Juan de Herrera was used in architecture . entailment +Deaths of individuals under the age of 70 are valued using the unadjusted mean VSL value of $ 3 . A different VSL value is used for the deaths of people over 70 . neutral +Meanwhile , Olivia fits right into the role of the beautiful-blonde-who-isn 't-really-a-bimbo . Olivia thinks others believe she is a bimbo . neutral +I will continue to speak out on these issues in the coming months . The issues will not be spoken on in the coming months . contradictory +oh yeah uh-huh and and they 'll keep going until they get that out of you when your wife is going to be here because they want us to be here together because i guess uh it 's it 's They want us here together so they can proselytize us both . neutral +The ability of the Postal Inspection Service , or similar replacement agency , to control mail fraud would be The Postal Inspection Service is involved in controlling mail fraud . entailment +Clinton ( sorrowfully ) : It wasn 't me . Clinton hung his head while he said it . neutral +where where you work so is Dallas a bad city i talked to someone from San Antonio and the Barrio she said it was very bad I have never met anyone from San Antonio before . contradictory +yeah i mean any other time of year that 's not the case because it could be very warm or very cold This time is the best for playing , since the weather is perfect . neutral +This later element is a major reason why having a board that is both qualified and independent is so important . The later element is why a board is important . entailment +'I do . ' I remembered myself . I said I did remember that . neutral +yeah well i find that uh if i want to lose some weight that uh i can 't do it unless i exercise as well yeah I want to lose some weight , I need to start running a few to times a week to do so neutral +The Wedgewood Room contains a Phoenix carpet given by De Valera , and plaques by English sculptor John Flaxman and Danish sculptor Berthel Thorwaldsen . There is only one carpet in the Wedgewood Room . neutral +That was a mistake that was not deliberate on the part of ABC but for which we accept responsibility and which requires correction . ABC accepts responsibility for the mistake although it was not deliberate . entailment +well that 's good well that 's really good well our house is older it 's like a nineteen sixty three Our house was built back in the 1960s . entailment +1.9 Case Study Evaluations They wanted to make sure it was worth while . neutral +The method for developing calibrated WTP functions is based on the approach developed by Smith , et al . Smith made a way to calibrate WTP functions in factories . neutral +Can 't any of you young fools get it through your thick heads that the war 's over ? The young fools think the war is still going on because they want to keep fighting . neutral +um-hum um-hum seems like the prices never go down to where they were originally though before the before the increase started The prices never go back to where they used to be . entailment +As Felicia , the coltish Elaine Cassidy manages to look both luminous and unformed , and Bob Hoskins gives Hiditch 's bland homilies so much subtext he made me think of the Paris Opera House in the Phantom of the Opera : basement under basement under basement down to the dungeons . Felicia 's Journey really didn 't impress me because Elaine Cassidy and Bob Hoskins ' acting were quite bland . contradictory +After this is all over , I 'll hear you out and as for you , Red , I 'll see that you 're properly punished . " Red , you will get away with your actions and escape retribution . contradictory +In addition , testimony statements generally are not provided to agencies for comment . Testimony statements are always given to agencies for comment . contradictory +Bernstein suggested that the supporting text for this recommendation would have to explain the need for political commitment to changing the health and social outcomes resulting from alcohol problems . Political commitment to health and social outcomes is dependent on projected election results . neutral +Jon was sickened . The bad food made Jon sick . neutral +4 million for the Lawyers Trust Fund and more than $ 400,000 for LAP , to provide additional staff and resources . There is no money donated from the Lawyers Trust Fund . contradictory +But go around the back of the Taj , too , to the terrace which overlooks the Yamuna river . The river is an important feature in the scene . neutral +That number is an outcome . The number was made up instead of solved for . contradictory +With its wealth of pretty cottages , Askham is a true farming community . Askham is a large industrialized city . contradictory +It was finally abandoned towards the fourth century a.d. when the country looked to a new group of deities . The country remained with these deities and ignored the new . contradictory +The Dispute unites biblical figures with historical pillars of the faith such as Pope Gregory and Thomas Aquinas , but also painter Fra Angelico and the divine Dante . The Dispute is the only painting that features both Pope Gregory and Thomas Aquinas . neutral +Many economists agree that spending both on education and on general research and development ( R and D ) enhances future economic capacity and , conceptually , should be considered investment . Economists agree that education and research spending is an investment in national security . neutral +Severn paled and didn 't speak for a moment . Severn screamed the entire time . contradictory +Detractors say the film lacks any real sense of narrative continuity and feels like bits and pieces of half a dozen coming-of-age films ( Gleiberman , Entertainment Weekly ) . Gleiberman said the film was terrible . neutral +well now that we have aired our views in such an open way We talked about our views . entailment +It is also a comfort if the message comes from a total stranger , as long as the message is for you specifically and personally and not for a name on a mailing list . It is a comfort to receive a message tha is not personal and is from a mailing list . contradictory +5 concentrations and deposition are reported as a percent reduction . Concentrations and depositions will be reported as a percent reduction . entailment +Do you really think so ? I could not disguise my pleasure . I would be happy . entailment +See Budget Prompt Action Necessary to Avert Long-Term Damage to the Economy ( GAO / OCG-92-2 , June 5 , 1992 ) , The Deficit and the An Update of Long-Term Simulations ( GAO / AIMD / OCE-95-119 , April 26 , 1995 ) , Budget Deficit Reduction and the Long Term ( GAO / T-AIMD-96-66 , March 13 , 1996 ) , Budget Analysis of Long-Term Fiscal Outlook ( GAO / AIMD / OCE-98-19 , October 22 , 1997 ) , Budget Long-Term Fiscal Outlook ( GAO / T-AIMD / OCE-98-83 , February 25 , 1998 ) , Budget July 2000 Update of GAO 's Long-Term Simulations ( GAO / AIMD-00-272R , July 26 , 2000 ) , and Long-Term Budget Moving From Balancing the Budget to Balancing Fiscal Risk ( GAO-01-385T , February 6 , 2001 ) . These previously published reports will contain further information on the subject . neutral +Here he cannot . Yes , he can do that here . contradictory +Over the years , Congress , EPA and the States have responded to specific environmental and public health problems by developing separate regulatory programs to address the specific problems . Congress has never responded to a specific environmental problem . contradictory +Put your hands above your head , and if you value your life don 't move them . " Tuppence obeyed passively . Tuppence refused to raise her hands above her head , despite being ordered to do so , and was promptly shot and killed . contradictory +The WP makes you wonder about the quality of thought behind many of those anti-Microsoft lawsuits that came tumbling forth right after the antitrust trial judge 's finding of facts . There have been a lot of anti-Microsoft lawsuits . entailment +i think maybe they have to accept it They should not stand for this . contradictory +His second point was that there is an easy assumption that a brief intervention is more appropriate for patients with mild-to-moderate problems than for patients with severe problems . A brief intervention is better for patients with mild to moderate problems . entailment +This is because the NOx SIP call itself , and the state implementation plans approved under the NOx SIP call , already include provisions concerning the matters addressed in these general provisions in Part A , such as tracking and transferring of allowances , permitting , monitoring and reporting , and compliance . These provisions were put in place as a measure of checks and balances . neutral +Thus , according to the entry price measure the cost of the USO is higher in the U.S. than in Italy . The cost of the USO is lower in the US than in Italy going by the entry price measure . contradictory +Figure 1.6 : Aged Population Nearly Doubles From Today as a Share of Total U.S. Aged Population Decreases by Half From Today as a Share of Total U.S. contradictory +For Singing in a church choir counts as volunteering For some singing in a church choir is a vocation . neutral +Badly ! " He looked at the rock with a kind of agonized passion . The rock was interesting to him . neutral +I have prepared a list of them ” names and addresses . I have made a list of their eye color and hair type . contradictory +It might be worth an attempt to ferret them out . Perhaps it would be useful to remove them . entailment +The hotel is a fascinating amalgamation of architectural styles , with the front section , which houses the cozy bars , being the oldest , dating from around 1670 . The hotel lacks a bar inside of it . contradictory +The owner of the cantina raised his glass . The cantina owner set his glass down . contradictory +Heavy use of the chair--43 executions in the last 20 years--has put some wear and tear on the device . After extensively using the execution chair , there is visible wear and tear . entailment +Along with the red fox , marmots , otters , beavers , ground squirrels , Dall sheep , whales , sea lions , bald and golden eagles , tufted and horned puffins , and myriad lesser fauna , they participate with quiet dignity in the great cycle of eat and be eaten . Animals all live peacefully . contradictory +and i don 't know that sounds to to me more like the front office problem than coaching problem but then the team was sold Coaching wasn 't the issue . entailment +But to enjoy more of the countryside , you can stay overnight and continue down the Izu Peninsula the next day . There is only one hotel on the Izu Peninsula . neutral +The best place to shop for quality jewellery is the Old Bedesten in the Grand Bazaar ; cheaper items can be found in the shops along nearby Kalpakcelar Ba Caddesi ( the bazaar 's main street ) . Old Bedesten in the Grand Bazaar offers top-notch jewellery , entailment +It may also explain the expression scared stiff ( in the sense of tumescent , not in the sense of immobilized by drunken overindulgence in a gift bottle of bourbon that one never received ) . One can be so frightened that they cannot move . entailment +The most logical place to start is down at the harbour . The harbor definitely is not a logical place to begin . contradictory +yeah we used to like watching my my folks lived down in Beaumont and uh on on the campus of Lamar University they used to house the the Beaumont Golden Gators who were a double A team for the Padres i think but uh they they were fun games to watch The Beaumont Golden Gators were among the best teams of their league . neutral +Permits are easy to obtain , however , and reserved accommodation can be booked either in the lodges or in the official campgrounds The permits are vital to get permission . neutral +I think ” I am sure ” he cared for me at first . I was convinced that he had feeling for me . neutral +where do you get most of your news You don 't watch news . contradictory +seriously i i bet there 're some teams they could beat I bet UNLV could beat more teams . neutral +After what you 've put me through , I need a rest . He took her arm and started down the aisle of the council room . I 'm feeling very refreshed , I don 't need to rest at all . contradictory +Against the weight of all our knowledge , do you think you could become our master that easily ? Hanson had his own doubts . Given the weight of all our knowledge , can you be our leader ? entailment +yeah yeah the three fifty regular gas engine The 350 gas engine , the average one , yeah that one . entailment +Say , I don 't rightly know your name .... I know your name . contradictory +This east-coast Corinthian settlement , founded in 734 b.c. , was the most powerful of Magna Graecia 's overseas colonies and , under Dionysius ( 405 367 b.c. ) , a direct rival to Athens . This Corinthian settlement was considered a direct rival to Athens . entailment +yeah it 's animated and i can 't believe how good they 're getting with their animation now it 's just just the special effects you know and in this movie this there 's this boy and he rescues this uh bald eagle and uh and it 's a huge eagle you know wing span of twenty feet or something like that and the boy actually rides on his back and he rides through the clouds you know and you see him coming out of the clouds his head coming out and then the bird coming out and it you know they 're flying all over with it and i mean i know there they there must have used been computers or something for animation this day but it was just so real realistic and lifelike and good animation what a good show This movie is somewhat better with its animation . neutral +But what separates documentary from fiction is that real people are often more complicated , and more conflicted , than finished characters--as Brenda proved to be more ( or , at least , other ) than the sum of her parts . Real people tell to be more complicated than finished characters . entailment +The man 's other arm crossed the first and his hand cupped the back of Ca 'daan 's skull . Ca 'daan was decapitated . neutral +Just allow him to believe that there would be one . Don 't let him believe anything . contradictory +okay well like i was saying Burlington 's crime it doesn 't involve children and what you see on the TV 's from you know in Washington and New York so what i believe the people want the subject is is big city crime which is something that i don 't have any first hand experiences about but i have you know concerns and i have a few ideas of um I believe that the people want the subject of big city crime to be discussed . entailment +Or , maybe higher savings wouldn 't really increase growth . For the economy it 's better to spend than to save . neutral +Or , if not tenure , their goal might have been the eternal fame associated with having your name on an important piece of human wisdom . Their objective is to have everlasting fame dealing with your name on important pieces of human wisdom . entailment +no i i make so much money here at TI that that we just spend it I barely make any money at TI . contradictory +Equipment hire and instruction are available for those who want it . No rentals or instruction are available here . contradictory +Orange County adjoins Los Angeles County to the south , but it has developed an altogether different identity . Orange County and Los Angeles are located very far from each other . contradictory +From the Quai des Belges , you can take a cruise out to the Ceteau d 'If , the island prison that was the scene of Alexandre Dumas 's Count of Monte Cristo . The Ceteau d 'If has never been featured in any works of literature . contradictory +The main highlight of a stay at one of these special temples is the chance to sample the luxurious Buddhist vegetarian temple cuisine ( shojin-ryori ) served only in such lodgings . You can 't stay at the temple , just visit . contradictory +In order to achieve these budgetary reductions , GAO staff was reduced by 39 percent . GAO increased their staff due to budgetary reductions . contradictory +um no i don 't Barry Levinson did um Diner and Tinman and Avalon which are all set in Baltimore Levinson did nothing in Baltimore . contradictory +yeah yeah i i 've done that before uh-huh what well actually actually i 've gone where were you stationed at in England Keep where you were stationed in England a secret from me . contradictory +The discount rate used for the calculation is the average interest rate ( yield ) on marketable Treasury securities of similar maturity to the loan , applicable to the time when the loans are disbursed . The discount rate is the highest interest rate on treasury securities . contradictory +and if you can 't if you can 't i think they should get out of it instead of mistreating the people I think they should quit if they hate the first month of work . neutral +Then the three were asked to comment on these past thoughts ( none found any errors , of course ) . Regarding these past thoughts , the three were requested to make a statement ; naturally , they found zero mistakes . entailment +The square ( also called by its former name Terreiro do Paao ) , wholly wiped out by the great earthquake of 1755 , has seen its share of watershed political King Carlos and his son were felled by an assassin 's bullets there in 1908 , and it was the site of one of the first uprisings of the Carnation Revolution of 1974 . There was an earthquake in the mid 18th century that destroyed a square . entailment +That bald , fat 60 year old , Miss Aldonka replied spitefully and Czarek turned invisibly red , because he couldn 't show he was boiling on the inside . Miss Aldonka was fat and bald and angry at the company . neutral +The mustanger walked forward with a lurch , his head thrown far back so he could look up at Drew from under the wide brim of his sombrero . Standing completely still , the mustanger let the brim of his hat cover his eyes . contradictory +Americans make no time for dialogue , much less cuisine . Americans prefer texting over talking face-to-face with others . neutral +so i think one day one of our kids said you know someone came home and they said well when is dad leaving or something it was like that they thought that 's the way life was that you didn 't have two parents at home at the same time Our kids thought that both parents could not be at home at the same time . entailment +The Michigan Alcoholism Screening the quest for a new diagnostic instrument . The group wishes to find and kill all alcohol dependent kittens . contradictory +but i just really think that the difficulties involved in paying them uh sorting them out assigning them training them would be insurmountable It 's easy to just hand them money . contradictory +At 12 months , outcomes for both groups were still not different , but the percentage of patients who had improved had decreased and was no longer significantly different from baseline . After a year , both groups had similar outcomes . entailment +and of course you 've got the drugs and the uh other problems that you were much more prevalent than when i was going to school Drugs are the biggest concern at the moment . neutral +On the west bank of the river set in a desert landscape is the seventh-century Coptic monastery of St. Simeon now sadly in ruins , and the Mausoleum of the Aga Khan ( 1877 1957 ) , spiritual leader of the Ismaili Muslim sect . Aga Khan had many Ismaili Muslim followers that contributed to constructing his mausoleum . neutral +This chapter also describes the concept of accountability for public resources and discusses the responsibilities of managers of government programs , auditors , and audit organizations in the audit process . Audit organisations are responsible for accountability of some assets . neutral +In the dark of night , their aim must be true . In the shadows casted by the dark moon , their aim must be precise , or they shall fail . entailment +No one benefits from propaganda based on scare tactics rather than the truth . In times of war , scare tactics propaganda is dangerous because the population needs to hear the truth . neutral +Frank E Peretti i have to look for those I don 't know where those are , I 'll need to search for them . entailment +The reader is led to despise one character because of his bad taste in neckties , but not to hold racism and homophobia against another . The reader is encouraged to hold racism and homophobia against another . contradictory +He had looked at her so kindly . He looked at her very nicely . entailment +i can remember uh back in the early sixties when i first started flying a light plane it was quite common for me to take off from uh local airport here and see the uh Appalachian mountains and the Chesapeake Bay at the same time It is impossible to see the Appalachian Mountains and the Chesapeake Bay at the same time . contradictory +We proceed to explore the relative roles of postal density and volume as delivery cost drivers . The postal density and volume will be explored . neutral +Take the metro to Rambuteau and start at the corner of the rue des Archives and the rue des Francs-Bourgeois , named after the poor ( not bourgeois at all ) allowed to live here tax-free in the 14th century . Poor people can no longer live tax free in Paris . neutral +Moreover , LSC wanted to encourage all programs to pursue some semblance of planning . LSC wanted all the programs to plan . entailment +This may lengthen the installation time slightly , but it will reduce crane rental fees . Lower crane rental fees are not worth the extra installation time . neutral +because he has to get everything out and he loves to season i mean he 's like he gets every seasoning out of the cupboard you know and uses it and he likes to put lemon My husband uses a lot of seasoning when he cooks . entailment +On Hong Kong Island , Repulse Bay is the most popular ; others are Shek O on the east coast and Stanley and Deep Water Bay on the south coast . Repulse Bay is a popular bay on Hong Kong Island . entailment +and i sit there and say yeah look what you pay for that every year I think it is best to ignore the amount you spend on it . contradictory +In the Gondi Chapel ( left of the high altar ) , the Brunelleschi Crucifixion ( 1410 ) , his only scultpure in wood , brings to the human body a characteristic idealized harmony , compared with Donatello 's more personal piece in the church of Santa Croce . He only has one wooden sculpture , but has about fifteen made of stone . neutral +i agree there I agree with your point on that issue . neutral +While nitrogen is an essential nutrient , its availability is naturally limited , making it an important factor in regulating the structure and functioning of both terrestrial and aquatic ecological systems . Nitrogen is the abundantly available although naturally limited . neutral +And clinics at the state 's three law schools and other nonprofit legal organizations help 10,000 more people a year . Clinics at the state 's law school provide free medical exams to those in need . neutral +The President 's Energy Plan includes a number of conservation , advanced research and development , and other efforts that will reduce electricity usage . The Energy Plan has a lot of ways to reduce electricity usage . entailment +As of a few weeks ago , the committee had issued no subpoenas , interviewed no witnesses , and held no hearings . The committee hadn 't done anything yet . entailment +A recent redesign has added space to the museum of modern art , which is divided into two Les Modernes ( 1905 to 1960 ) on the fifth floor ' displaying works by such key figures as Brancusi , Dada , Kandinsky , Matisse , Mir ? ? , Picasso , and Man Ray ' and Les Cetemporains ( 1960 to the present ) on the fourth floor . The museum of modern art has undergone a recent redesign . entailment +'My job is to organise . ' What I do for my job is organize . entailment +well i uh i have a long experience with cars i uh when i was younger uh my brother had a Corvette and i bought a Corvette when you have a Corvette you more or less do all the work and i 've done everything from build the motor from the uh you know the bare block on up and i i 'm the same way as your husband is when it comes to my car i hate to go pay somebody good money you know i hate to pay somebody twenty five dollars an hour for something i can do myself it just to me it makes absolutely no economic sense to do that in fact i um just this past weekend put new plugs in both uh my car an my wife 's car When you have a corvette , can it be expensive to fix things if you pay someone to do so ? neutral +where as it would have been exactly um Where as if it had been different . contradictory +you know you don 't feel it so strapped You feel more comfortable . entailment +and it 's so interesting because we made an extended drive as far west as San Diego which i guess is as far west as you can go and down into Texas and then through Colorado on the way home We saw many amazing things on our drive through San Diego , Texas , and Colorado . neutral +All the problems the Republican radicals are belatedly recognizing now were totally obvious at the outset . Everyone understood the problems with republican radicals . entailment +Slate is part of the revolution , not the establishment . Slate is the leader of this revolution against the establishment . neutral +But they do outstanding work at reduced fees , and it was good to see that encouraged by the ABA , said Mr. Rooney . They don 't charge a lot while still producing excellent work according to Mr. Rooney . entailment +I fully appreciate that much work may be needed before agencies ' respective performance management systems are able to support a more direct link between pay and individual knowledge , skills , and performance . I am willing to work with the agencies to help them be able to support this direct link . neutral +The Decline in Evidence from Household Surveys , Brookings Papers on Economic Activity ( 1 : 1991 ) , William C. Brainard and George L. Perry , eds . Household surveys show there has been a decline in evidence . entailment +So do the bronze-workers , who cast figurines by the ancient lost wax method . The lost wax method of sculpting was first developed by Henry Ford in Detroit , Michigan . contradictory +Compared to the deficits of recent decades , today 's surplus represents a historic turnaround , and current projections show surpluses continuing over the 10year budget window , as figure 13 illustrates . Today 's surplus is the smallest of the past recent decades ' surpluses . contradictory +They are photographs of works from the Louvre , Paris . The photographs were taken in Louvre , Paris . entailment +Opened in 2000 , the Gabinetto Segreto ( Secret Gallery ) displays a small but discerning collection of mosaics and paintings , many never before seen because of their controversial nature . The Gabinetto Segreto has a large collection of famous works of art that have been viewed by the public many times . contradictory +Succumbing to Caribbean-wide informality , the casinos do not require men to wear a tie or jacket . None of the casinos have a dress code . neutral +Another of the New Hampshire journalists on the panel , Alison King of New England Cable News , asked Hatch a go-back-where-you-came-from question similar to the one asked of Forbes . Alison King of Forbes magazine declined to join the panel that was questioning Hatch . contradictory +If Chernomyrdin succeeds in convincing Milosevic to accept enough of NATO 's demands to guarantee some sort of deal , he will go down in domestic political history as the man who sold out Serbia . Chernomyrdin convinced Milosevic to take the agreement NATO is pushing for . neutral +This suppression has helped legitimize the Kurdish Workers ' Party ( PKK ) , a quasi-Marxist guerrilla group that champions Kurdish autonomy . The PKK is woman 's knitting circle . contradictory +see that 's what it is here too The same scenario can be found here too . neutral +Will that suit you ? " Is that fitting for you ? entailment +all right well i have a lot of different teams that i like to to keep in touch with of course Texas Rangers being one of them i mean uh you know you can 't live in Dallas without you know I keep track of a bunch of teams , obviously including the Texas Rangers . entailment +Had he not , in all probability , been the cause of it ? He is the problem . neutral +The moment I reached it , I felt in a far more precarious position than before . I was in a better position than I had been . contradictory +I have always promised her she would be in my wedding . She is my sister . neutral +At eleven o 'clock . Tuppence made up her mind . Tuppence wasn 't able to come to a decision . contradictory +The town has a high percentage of Nubians in its population ; these people , though fully integrated into Egyptian society , remain proud of their separate cultural identity . Nubians do not care for their culture . contradictory +i see huh because my wife and i had thought about going down there uh you know just for a weekend My wife wants to go there for a weekend but I 'm undecided . neutral +The library was once one of the most important in the Byzantine world . The Byzantine empire had many great and important libraries . neutral +yeah that 's it i had fun watching the Super Bowl last year because the the Giants ' coach looks like my sister 's boyfriend I enjoyed watching the Super Bowl last year . entailment +Get there early in the morning before the crowds arrive . The crowds usually begin pouring in at 10 AM , and continue to do so until closing time . neutral +The 1,500-acre ( 607-hectare ) site is a speed-freak 's a 11.2-mile ( 21.2-km ) tri-oval super speedway , smaller clay and paved ovals , a drag strip , a road track , and a motocrosecourse . Motocross racers tend to like the site more than racecar drivers . neutral +The capital of the Gododdin was Din Eidyn ( the Fort of Eidyn , almost certainly the Castle Rock ) , whose name lives on in the Edin- of Edinburgh . Edinburgh derived its name from Din Eidyn , the capital of the Gododdin . entailment +yeah no oh you missed Wayne 's World Wayne 's World was pretty cool You missed a pretty cool movie : Wayne 's World . entailment +Kept knocking me up and saying : What abour { sic your Aunt Jane , way out West ? I didn 't appreciate them knocking on my door . neutral +Even profitable magazines often spend more money finding and signing up subscribers than those subscribers will ever pay . Magazine companies spend very little money on finding and getting subscribers . contradictory +Ultimately they die ( not of of that they 're merely carriers ) . They live forever . contradictory +'Pardon ? ' Stressed and harangued , I found myself stopped short . I was allowed to continue walking with no interruptions . contradictory +On Meet the Press , ham-fisted moralist Bill Bennett huffed , How many times does this kind of thing have to come up ? Bill Bennett is described as a ham-fisted moralist . entailment +Japp closed one eye knowingly . He winked in a knowing way . entailment +If White is seen to kill me in person , righteously and with witnesses , that puts him up as a legend by default . If people see White kill me , everyone will consider him to be a hero . neutral +The record compiled by the Commission supports , inter alia , the following findings of fact . The record compiled by the Commission is a two hundred page document . neutral +so a little different and i wanted to do this thing that you can get through Target to recycle i had my school do it I wanted to do something through target to recycle . entailment +That 's probably because tabloid readers are not the nation 's most wired demographic ; regardless , if the tabloids don 't post their stories in a timely fashion , would-be Web publicists have nothing to link to . Would-be Web publicists are completely dependent on weekly tabloids . neutral +Beginning in the mid-13th century , Tartars invaded Poland on three occasions . Poland was invaded by Tartars on three separate occasions . entailment +yeah yeah it 's i i think it 's probably more embarrassing and very painful i i see i see that happening I believe that this is happening because of someone 's negligence . neutral +they plead insanity and then three years later they 're cured and let loose on society again They will be released a few years later after pleading insanity . entailment +Before me , there was nothing . There used to be nothing , before . entailment +it kind of get wrapped up in it It sort of gets encased in it . entailment +There 's a returning kids-on-milk-cartons sense of hysteria to the whole crusade . People are getting very upset . entailment +Any more faults to find with the evidence ? I inquired satirically . I didn 't speak to him . contradictory +John 's Music Page . John has a page for his poetry . contradictory +4 Browser market vs. operating-system market . A comparison of the market for web browsers and operating-system markets . entailment +Maureen Dowd quotes the recovering toe sucker 's explanation for why the president might have a wandering .Let 's assume , O.K. Dowd 's quote is not okay in any way shape or form . contradictory +How can anyone do that ? Can someone get joy out of doing something like that ? neutral +And that is where the indignation of the Turning Point people starts to seem rather strange . The Turning Point people were happy . contradictory +so like almost all our vegetables and everything is from the garden So it 's like almost every vegetable of ours , and all is from the garden . entailment +Waldron said HAWC advocates help domestic violence victims file restraining orders in district court . Without HAWC many victims would not be able to get restraining orders . neutral +A thought-projector ! " A love incubator ! contradictory +uh the girls joined they have two girls one joined the Girl Scouts and the other was in the Brownies and then the mother got involved as a leader and then all of a sudden the father was getting involved with doing nature hikes for them and working with the Girl Scout camp here in Dallas and then going out to um Betty Perot Camp and working with the horses and stuff and they 're gone a lot and they take their girls and they go away for weekends and in the winter time even you know to do work with the Girl Scouts and i think it 's neat My friends have girls in Girl Scouts ; their mother and father are both involved with the Girl Scout camp here in Dallas . entailment +Has anyone else in the house got a green dress ? Dorcas reflected . Dorcas wondered if anyone else in the house had a green dress . entailment +uh you know he enjoys that but uh um i i like i said TV isn 't my best subject because but i i do enjoy a good comedy a good movie is a comedy if i can you know sit down and and watch or if they have a good uh I can 't say I 'm very well versed in TV . entailment +He has also expanded the secret police , which now totals an estimated 80,000 officers . There were 80,000 secret police officers after 9 / 11 . neutral +This will enable you to travel out to the Lake Palace Hotel , even if you 're not staying there . The Lake Palace Hotel is normally fully booked due its reputation . neutral +The Commission 's interpretation is the only interpretation which comports with the language and legislative history of the presence requirement and which permits full and meaningful representation to aliens eligible for legal assistance consistent with Congress ' purpose . The Commission interpreted it in a way that gave legal coverage to the most people . neutral +And that little curious fact , that possibly paltry little detail that will not tally , we put it here ! " He made an extravagant gesture with his hand . He made a fancy gesture with his hand and put one leg up on the bench as he spoke . neutral +One dalang ( puppeteer ) , accompanied by a band of musicians playing oboe , drums , gongs , and cymbals , acts out all the parts and produces all the different voices . One puppeteer works with a band of musicians to create a big show of voices and music . neutral +And that 's where I come in ! " cried Julius , bringing his fist down on the table with a bang . Julius hit the table with his fist after it attacked him first . contradictory +In her best column in years , in which she reverts to actual reporting , Maureen Dowd had a fascinating talk with G.W. about his cultural tastes . G.W. described his racist ways and hate for coffee to Maureen . neutral +yeah a lot of things do that i have a negative i had an exercise bike i used to have one and finally got rid of it because i never used it but i do use my treadmill I keep to a regular weekly routine on both my treadmill and exercise bike . contradictory +It took two of us to stop him and he lived with a sword in his chest for much of the night . I slew him myself . contradictory +14 Our model is designed to help agency leaders effectively lead and manage their people and integrate human capital considerations into daily decision making and the program results they seek to achieve . Prior models did not address human capital . neutral +Its eight principles are listed below . There are 9 principles . contradictory +Erected in the 16th century , it guarded the bay against pirate ships you can still see the ancient cannons poking through the crenellated walls . You can still see cannons that used to protect the bay against pirate ships . entailment +He let the air dry the exposed portions of his body as he ran out , while bare skin grew wet against the dewy grass . He made sure he was all dry before he ran out . contradictory +The ground is a lot rougher south . The southern ground is more rough . entailment +Unlike the other villager , the bald man did not wait for an attack . The bald man was already aiming his arrow instead of waiting for an attack . neutral +The emission cap is defined by a benchmark emission level that is modified by the desired level ( percentage ) of reduction . The emission cap is lowered by at least 2 % each calculation . neutral +With the drop-ship discount , the mail might be printed in Los Angeles and the burden of transportation would be avoided entirely . It would cost more money to print the mail in Los Angeles . neutral +Mr. Hastings , you do not think ” surely it could not have been Lawrence ” Oh , no , that could not be ! But I myself was puzzled , and as soon as I was alone with Poirot I asked him what he thought Sir Ernest was driving at . The moment Poirot and I were alone , I inquired as to his opinion about what it might be that Sir Ernest was insinuating . entailment +They fought against the Satheri . They defeated and crushed the Satheri . neutral +Compliance with the Acid Rain Program began in 1995 and is now in its seventh year . The acid rain program is brand new contradictory +Larger boats for up to 20 people , plus crew , offer organized gourmet cruises . Cruises are available on boats that carry up to 20 people . entailment +However , experience has indicated that project planning can surmount even difficult situations ( e.g. Difficult situations cause project planning to stop . contradictory +yeah well that 's very smart yeah me too and good luck how many have you made so far calls Best wishes and how many calls have you done so far ? entailment +There are one or two points that strike me as being obscure their sudden change of attitude towards yourself , for instance . Their sudden change of opinion regarding yourself was caused by previous actions . neutral +The political consensus is that the Republicans are ready to deal this year and will work out a compromise budget , which won 't balance either . Everyone in the political sphere believes that Republicans are set to push through their own budget , with no compromises . contradictory +sometimes they just send them to you and say here have a credit card No one just sends credit cards to anyone . contradictory +Today it is a base for pilgrims visiting Tamil Nadu 's great temple complexes , but every schoolchild , at least those from the old school , knew Trichy for the British defeats of the French here in the 1750s . Trichy was once known as being the place where the French forces fell to the British in the 18th century . entailment +well i 'm not gung ho you know i but i 'm not opposed to any of of you know kinds of things i just don 't do a lot of them I am really into it . contradictory +For those who prefer something sweeter , shortbread ( traditionally served at Yuletide and Hogmanay ) is rich in butter and sugar . Shortbread is made with plenty of butter and sugar . entailment +Well , there wasn 't much to tell not till we 've seen him . When we 've seen him , we didn 't have something to tell . contradictory +Fifty km ( 30 miles ) east of Hassan , the Vindhyagiri Hill rises 140 m ( 463 ft ) above the plateau , with one of the most dramatic monuments in all India , the statue of Gommatesvara , on its top . The Vindhyagiri Hill is topped with the statue of Gommatesvara . entailment +It is in America , not Africa , that an Ethiopian is interchangeable with a Ugandan . Americans know all Africans are very different . contradictory +'Desperate times ? ' Are these desperate times ? entailment +On the contrary , it might be simpler for you to pass as an American . Americans always pass easily . neutral +no i 've uh you you can rent people 's kiln they they uh you take your pieces to their house or their ceramic shop and uh pay them there 's one woman that charge ten dollars a month for fire all that i wanted There are people that let you rent their kilns to finish pieces at their shop . entailment +And if the action goes well or disaster occurs because we didn 't Ted , I was behind this all the way . This isn 't even going to happen because I don 't support it . contradictory +The sombre bull-ring was hacked from solid rock for the Corrida . The bull-ring was made from wood . contradictory +FEMA got nothing but brickbats for its slow and stumbling performance in the aftermath of 1992 's Hurricane Andrew . FEMA help was a slow and stumbling performance after Hurricane Andrew in 1992 . entailment +um probably should stay on the topic but that has a little bit to do with some of the things that i read i um That relevant to things I read , but we should stay on topic . entailment +Microsoft Chief Operating Officer Bob Herbold replied , The answer to that question is no . Microsoft COO replied no . entailment +Similarly , the last number in Column ( 11 ) shows that for , the same time period , total First-Class Mail volume increased by 2.0 percent annually . Column 11 shows a decrease in First-Class Mail over the same time period . contradictory +okay what kind of TV shows do you like What are some TV shows you like to watch ? entailment +But you 'll get a much better feel for the medieval atmosphere of a fortified town , with its ramparts and lookout towers , if you park on the western side , by the church of Saint-Gimer , and walk up around the old Ceteau Comtal . The view of the town is much better if you go over to the old Ceteau Comtal . entailment +The chief treasure of the town 's Mus ? ? e des Beaux-Arts is a fascinating painting by Degas , The New Orleans Cotton Exchange . The New Orleans Cotton Exchange was painted by Monet . contradictory +The motor met me just outside the lodge gates , and I hurried there as fast as I could . " I went as fast as I could . entailment +The alligator farm here is something of a curiosity . The alligator farm seems out of place . neutral +Or maybe the moral is simply the need for more humility about how useful journalism is in addressing matters of public importance . Journalism addresses matters of public importance , and this should be recognized . entailment +The LSC-funded programs in Illinois have a long history of working together on joint projects , state support and other matters . The LSC does not fund or assist any programs . contradictory +For example , discussions among members gradually led those from the private sector to gain an There was no private sector that benefited from the talks . contradictory +The situation stabilized with Vespasian , and the second century A.D. is often considered the golden age of the empire ( Gibbon himself says that the time of Marcus Aurelius--late second century--was the best time to live of all in history ) . Gibbon thinks that late second century was the closest to a utopia . neutral +and then i i i really think that all of that was just you know temporary growth and everything to make him look good for the Presidential election We experienced some temporary growth . entailment +same level of confidentiality and protection required of the agency . The agency requires no confidentiality . contradictory +but well it 's been nice talking to you It 's been horrible talking to you this time . contradictory +Department of Housing and Urban Development 's budget , including unexpended The department of Housing and Urban Development has a budget . entailment +The street croses Lower Baggot Street and leads on to Fitzwilliam Square , which has a park open to residents only . The park in Fitzwilliam Square is open to the general public . contradictory +And I I hearwhat I am safe from . We are doing everything to keep us safe . contradictory +Now , Susan , feed him my intent . Susan was getting ready to eat a meal . neutral +you know we 'd be yelling and going pick this one pick this one and we just had it was just a fun you know fun thing to watch but uh We are always silent when we are watching the television . contradictory +Teacher of the Year Andrew Baumgartner is the kind of educator who has delighted his kindergarten students with a wedding for Sleeping Beauty , complete with limousine and cake , teaching them , I suppose , that nothing is worthwhile unless it is entertaining . The lauded teacher put on a fake wedding for his students . entailment +or at least they try and do something about it first Or at least they won 't touch or do anything about it . contradictory +Dedicated to Horus god incarnate in the ruling Pharaoh his granite falcon emblems guard the temple entrance . Granite falcons guard the temple entrance in dedication to the god Horus . entailment +uh when we were raising a family i think back then we just now we feel like we might could live without one but uh we have a Discover card and i have to laugh about the cash back do you have one of those The cash back offer from Discover is not as good as Visa Rewards . neutral +Although Las Vegas is better known as an adult town , there are a surprising number of kid-friendly activities . Vegas is strictly for adults . contradictory +For help in deciding the strength or weakness of corroborating evidence , consider the extent to which the corroborating evidence Corroborating evidence is inherently weak . contradictory +I thank you , my friend , said Ca 'daan . Ca 'daan told his friend " you 're welcome " . contradictory +In autumn and winter , bird-watchers search cliffs , particularly Calpe 's Peeen , for the rare Audouin 's look out for a small , sleek herring gull with dark olive legs and a heavyish red bill banded in black . Bird-watchers know that the Audouin 's has been extinct for decades . contradictory +They don 't seem to have the damage they claim they have , and they 're bragging about it . They don 't have as much damage as they claim . entailment +But the Smithsonian calls Kennewick Man a national treasure , and anthropologists want to conduct DNA tests , which might offer clues to his origin . Others outside of the Smithsonian refer to Kennewick Man as a national treasure . neutral +Estimated Steel Requirement for 500 MWe ACI System . Estimated Foam Requirement for 100 MWe ACS system . contradictory +The exterior is adorned with a brick clock tower , but the cathedral 's interior is considerably more impressive . The inside of the cathedral is less impressive than the outside . contradictory +Therefore , the amount of the transaction equal to the book value of the PP and E surrendered is not recognized as a gain , a revenue , or an other financing source . The transaction amount can potentially be seen as a gain if it is not equal to the book value of PP and E surrendered . neutral +oh okay is it uh was it uh civil service We petitioned our local representative . neutral +Although borrowing from abroad helped finance additional investment , consumption rose more than domestic investment during the 1980s . Domestic investment grew significantly more than consumption in the 80s . contradictory +I never did take kindly to waitin ' . I don 't like to wait in lines . neutral +Lincoln would come with back-up , of course- but I 'd warn him not to bring too many people , for fear of giving the game away . Lincoln came with 100 soldiers behind him , even though I warned him not to do that . neutral +The spectacular partially covered stadium has a capacity of 100,000 ; nearby is a 4,000-seat Aquatic Ceter . The stadium is the largest of the country . neutral +but you you you have to but you 're you 're right though in that you do have to cut it though when it 's um relatively short you can 't let it go a week or two because if the clippings are that long then they 'll just lay on top You are correct because you have to cut it , and in fact when it is short you cannot leave it uncut for more than a week or two due to the grass that will end up sitting on top . entailment +LSC continues to make the most use of available technology . LSC has always made the best use of technology . neutral +She took off with that , but he was sure it wouldn 't satisfy the Sather . She realised that it wasn 't going to work on the Sather , so she changed tack . contradictory +99 percent of the parts built on that process will be within the specified limits . 99 % of parts built that way will be within the limits . entailment +If you beat the pros to a solution , we will name it after you , and you 'll be immortalized in this little corner of cyberspace . You will be revered if you can beat them to a solution . entailment +'Lincoln 's people did this . ' Lincoln was responsible for this . entailment +The great king had built altars to pagan gods worshipped by his non-Jewish wives on this slope , an offense against the God of Israel . The king did not adhere to the Jewish rules . neutral +But it was a hint , wasn 't it ? " Was I given a hint by my friend ? neutral +Given the change management environment for IT in this company , staff always wants and needs to be in a learning mode . Staff needs to be in a constant learning mode . entailment +Any NEA chairperson who had the interests of the gay community at heart would have rushed to defund the exhibit . The NEA chairperson would have stopped the exhibit if he cared about the gay community . entailment +Most major towns have handicraft stores like KL 's Karyaneka on Jalan Raja Chulan , which act as a showcase for products from all over the peninsula and East Malaysia . Handicraft stores only display products produced locally . contradictory +Four months after the creation of the new Federation , three European rubber planters were murdered in Perak . Three European rubber planters were quite successful in the new Federation . contradictory +Projections based on the intermediate assumptions of the 2001 OASDI and HI Trustees ' reports . The 2001 OASDI reports assumes that we will see 54 % growth in the next 20 years . neutral +they just come by and pick them up even if it 's just for the TV you know uh selections of the day i don 't know it just wouldn 't be there whenever i 've tried it they never come by to pick them up since I don 't have a television contradictory +yeah somewhat uh have to kind of watch watch the weather make sure everything is going the way it 's supposed to Don 't watch the weather , just let them grow . contradictory +This forum served to help inform the GAO 's work and other efforts to support the Congress , including our efforts that helped lead to the eventual passage of the Sarbanes-Oxley legislation . The GAO was helped with the use of the forum which was amplified by Congress 's support . entailment +i 'm not sorry i had any of them and i worked third shift for a good part of my life just so i would be home with them I didn 't work third shift for a good part of my life . contradictory +uh when i have a chance i watch those on uh i guess Sixty Minutes is usually on Sundays and uh i just like to see you know who they are raking over the coals 60 Minutes is the only show I watch on Sunday . neutral +He swore as something wet and slimy that looked like seaweed plopped into his hand . Something dry and sandy fell in his hand without warning . contradictory +they know that there are tens of thousands of them out in this state and less than about i think fifteen hundred people registered them They know that there are tens of thousands of vagabonds in this state . neutral +In the one before that , he described John McCain 's anger as a terrible thing . John McCain was said to have a horrible temper . entailment +The point is not that the question is unfair . The point is all about the question being unfair . contradictory +yeah it 's an eighteen hole course i mean it 's it 's uh not terribly difficult and there 's really there 's a a river that runs along the side but it only comes into play on one par three hole There are water hazards on several holes . contradictory +For a summary of recent studies addressing retirement saving adequacy , see Paul Yakoboski , Retirement Plans , Personal Saving , and Saving Adequacy , Employee Benefit Research Institute , EBRI Issue Brief Recent studies addressing retirement saving adequacy indicate that 80 % of people won 't have enough money to retire . neutral +We 're your followers . ' We will not follow you . contradictory +When you reach the canal , technically the Levassor River ( the propeller , or h ? ? lice , was invented by a Martiniquais , Gilbert Canque , and tested for the first time in this rather murky stream ) , you 'll want to croseover the stone footbridge . The canal is a rather murky stream , you 'll want to cross over the stone footbridge . entailment +um yeah almost everyday No we never did that . contradictory +John Conyers , D-Mich . , have used the Hale case to call for Starr 's resignation . Conyers used the Hale case to bolster their argument , since Starr had violated the rules . neutral +For a moment the girl fancied she must have dreamt it . The girl contemplated for a moment that she had dreamt about it . entailment +'Wherever your leader is , ' White said . Black said , ' Wherever your leader is . ' contradictory +Ammiano , who would have been the city 's first openly gay mayor , forced the runoff after launching a write-in campaign just three weeks before the November election . Ammiano didn 't really see his potential mayorship as a flagship moment . neutral +The EMA is already working on a number of forward-thinking projects . The EMA will not work on forward-thinking projects . contradictory +The nationalism that Napoleon invoked in his conquest of Europe 's Ancien R ? ? gime turned against him in Spain , Russia , and Germany . Napoleon did not invoke nationalism in his conquest of Europe . contradictory +They act like competing CEOs , each seeking to maximize their local profits . They are all seeking to maximize their own local profits , as if they are competing CEOs . entailment +It 's a great sum of money , and besides " she gave a curious smile " it is not wise to throw over a woman like me ! " For a moment or two , she remained smiling , and lightly tapping her fingers on the table . She smiled for about three minutes and then got up and left . neutral +It was built Beforethewars . Many battles damaged it severely . neutral +But that is not a very original moral , and there aren 't nearly enough sharp fin-de-siacle observations to rejuvenate it . That moral is very original . contradictory +In a year dominated by generic acts and studio creations ( Robert Hilburn , the Los Angeles Times ) , critics declare Bob Dylan 's comeback album Time Out of Mind and diva Erykah Badu 's debut Baduizm the best of the bunch . Critics have praised the recent albums of Bob Dylan and Erykah Badu . entailment +Needless to say , most of ' the field , ' as we refer to the collective entity that constitutes our grantee programs , was already frightened and concerned because of the funding drops , new restrictions and competition fears . The programs were under a lot of pressure . neutral +The sofa you see there now is a replica , the original having been stolen during the Revolution . The original sofa is still present and always has been . contradictory +The rules depart from those generally applicable to proposed mail classification changes by reducing the amount of supporting evidence the Postal Service is required to produce , and by expediting the Commission 's procedural schedule for considering the particular form of proposed change . The generally applicable rules for mail changes reduce evidence required to produce by the postal service . entailment +393 billion , with operating and maintenance costs of $ 211 million and post- and pre-tax annualized costs of $ 229 million and $ 351 million , respectively . Annual costs are set to increase in the future , post-tax , to $ 400 million . neutral +You don 't even know where the welfare office is . I 'm sure you know where the office is . contradictory +and they have to be in charge and and i think i think they lose a lot by what i call neutering their husbands They lost a bunch through the process I call , " neutering their husbands . " entailment +Implementation and enforcement usually requires years of litigation , leaving the fate of America 's air to the uncertainties of the courtroom . Litigation is rapid in this case . contradictory +Summaries of the notices of these proposed rulemakings were published in the Federal Register . The Federal Register contains summaries of proposed legislation . entailment +Domestically , Tudjman has displayed a similar gift for conceding just enough to seem reasonable . Tudjman 's point is flawed , but he wins the argument due to his exceptional gift of reason . neutral +And we are confident that Slate 's list contains more people who will make history in the next century than Newsweek ' s list does . We strongly believe Slate 's list of next century 's history makers is superior to Newsweek 's . entailment +But he knew well that he was under an attack delivered with a purpose , and with all the dirty tricks of a no-rules , back-alley fighter . But , he was aware that the attack was random , and he was fighting some random person on a martial arts tournament . contradictory +Purists complain that the cubist effect of steep hillsides dotted with square , flat-roofed houses has been spoiled by modern development , but the beaches all around are still pleasant . Along the beaches lie many stone monuments made in honor for the nations ' heroes . neutral +Awesome green mountains form the backdrop while strikingly tall palm trees dwarf all but a very few buildings . The backdrop is green mountains , while tall palm trees dwarf the few buildings . entailment +yeah well i 've never been there i 'm not quite familiar with with uh the way they do things I 've been there many times so I know how they do things contradictory +Indeed , new Web sites can now be a destination for those cold calls ( or e-mails ) seeking legal help that used to be turned away or sent to the state bar association . Nothing lends help to cold calls . contradictory +You 'll of course see Mary Stuart ( Mary , Queen of Scots ) and Bonnie Prince Charlie as himself and also as Betty Burke , his disguise to escape the English forces . Bonnie Prince Charlie 's disguise was not enough to help him escape . neutral +The show regularly kicks off at 9 : 30pm , and a shorter performance follows later ; there are also a restaurant and disco . The regular show is followed by a shorter performance and people enjoy it . neutral +uh-huh yeah me too yes I agree entailment +Of these three , Raging Bull has been singled out for vindication . Raging Bull is one of the three involved . entailment +yeah that 's true a lot of them still out there like all these wonderful highways in West Virginia and no one knows why That 's correct , nobody knows why but a lot of awesome highways still exist , like in West Virginia . entailment +since they 've been to Phoenix they haven 't been uh all that impressive i guess i guess i 've always been a Cowboy fan other than that i mean you know when i 've you know when you grow up in a city that has the you know one of the greatest football teams until the last few years you kin d of tend to The city where I spent my youth had one of the best football teams entailment +Extending these new lines into remote areas involved vast expense and remarkable feats of engineering . There are only old lines to the remote areas . contradictory +I suspect this is just the sort of question the technique of electing presidents was designed to answer . I think presidents have to answer that kind of question . entailment +yeah that 's probably the same case in our family too Our family is very unique and we 've never had anything like that . contradictory +there are a few people every now and then that wear those to work there pretty strict about that though um i 've never worn i just wouldn 't i mean even to well jeans aren 't exactly professional but for some reason a mini skirt is to me a little more unprofessional to wear to work than jeans just because it 's maybe it 's just because of the sexist views and everything but you just feel like you 're you 're being showing too much leg i don 't know i wouldn 't want to wear a mini skirt to work i have seen a few people do it though but they they weren 't overly short and they weren 't overly revealing they were pretty much in good taste but um for me i just Some people wear those to work . entailment +Or did they arrive after an earlier migration or settlement of Indo-Europeans from Central Asia , or early Europeans ? Or did they arrive after an early migration by Indo-Europeans from Central Asia or Europeans ? entailment +really good piece of work and then you when you hear the cover it 's like you know God you know what what are they doing to this oh i think i think a good one was um there was a Peter Frampton song When you hear the cover of the song you realize how good it is . entailment +The sensitivity of cost to volume for a postal system can be investigated directly provided the ratio of fixed to variable costs is known by function . Postal system costs are not linked to volume . contradictory +Nearby is the newly renovated Nahlat Shiv 'a , a charming area of restaurants , cafe , and shops . Nahlat Shiv 'a has been refurbished and new businesses have set up there . entailment +and those and the garbage men also pick those up on Thursdays Garbage men take Thursdays off , so they get collected on Friday instead . contradictory +Winning numbers are illuminated at each table to attract passers-by into thinking It 's hitting my number ! Not only winning numbers are lit to attract passers-by . neutral +Above the piazza to the east , the Pincio gardens offer a magical view of the city , especially at sunset . The gardens are blase , and don 't offer much to the experience of the city . contradictory +I should have to request absolute secrecy for the time being . I may ask for partial secrecy later . neutral +but uh yeah they they really i think they hurt the sport this year with all that controversy over that locker room incident with uh with uh all that the reporter and stuff and No issues ever brewed in the locker room this year . contradictory +If These differences are material , the standards constituting Federal GAAP should be applied for purposes of including the components in entity-wide statements . Federal GAAP should be applied if the differences are material . entailment +The heartfelt but likely ineffective reaction from Goss Sr. , who lives in Coleman , Texas , was , I 've got to talk to Kenny and sort this out . Kenny may not be able to shed land light on this . entailment +both i think it 's it 's a matter of both um economics economics has a lot to do with it unfortunately but uh i think a lot of choice has gone into it lately and and most of them or or a lot of women i know would rather I think that it is true that both are relevant to the situation . entailment +and it 's are you cooking the whole head at one time okay Are you cooking the cabbage all at once ? neutral +Historically , a narrow cobbled track transported pilgrims from the port to the monastery , either on foot or by donkey . There was no road between the monastery and the port . contradictory +He isn 't here , I suppose . He is right over here . contradictory +First , Serb forces massacred 45 ethnic Albanians , including women and a child . The Albanians were all unarmed and did not resist the Serb forces . neutral +She smiled pleasantly and began setting the carpet down . She set down the carpet with a smile . entailment +" Fair enough , " Anse agreed . Anse agreed that it was fair enough . entailment +This biennial report presents information combined for the population aged 55 and older as well as separately for those aged 65 and older . This report presenting information about the combined group of 55 and older , in addition to the separately presented group 65 and older , is biennial . entailment +" So , " the Texan said , nodding , " you 've been swallowin ' down a whim-wham or two your ownself ? " The Texan did not bother to ask them anything . contradictory +The main town of the island is Fira , set atop the high cliffs in the center of the long interior curve . Fira sits in the middle of the long interior curve of the island on top of the high cliffs . entailment +to to which end To what beginning ? contradictory +Until 1978 , casinos were accessible only to people with the means to travel to Las Vegas . People had to travel to Vegas to go to a casino before 1978 . entailment +i don 't have that but i 've got you know one of the the uh instant teller cards I 've got an instant teller card . entailment +His 20-year reign , weak at best , ended in all-round abdication , arrest , and war . The blame for the unrest in the country lay entirely at his feet . neutral +I have nothing to offer but the food , shelter , and gratitude of my village . I have food and shelter to give to anyone who needs it . neutral +News Quiz responses typically offer a reliable guide to what America is thinking ( if only by providing sullen and resentful counterexamples ) , but from time to time participants make small errors of--well , fact would be too vulgar a word ; let 's say emphasis . America 's thoughts can be drawn from the news quiz responses . entailment +Long-Term Inhalable Particles and Other Air Pollutants Related to Mortality in Nonsmokers . Nonsmokers are affected by air pollutants and inhalable particles . entailment +Turn off the main road just before the White River Bridge to find the Calypso rafting base . Pass the White River Bridge to get to the Calypso rafting base . contradictory +In Britain , where the government has refused to impose sanctions on India , the Times said that President Clinton needed British support and should have it . While the UK has yet to reprimand India over its actions , the Times has produced a story that indicates Clinton will have British support . neutral +Charlie Brown wakes up in bed with Suzanne Pleshette and discovers it 's all been a horrible dream . Charlie Brown has a Bad dream about a woman . entailment +Because Accidents Happen , on Tuesday and Wednesday ( 8-10 p.m. ) Using the fig leaf of studying survival engineering and safety pointers , PBS gives us fires , crashes , and sinking ships . Because Accidents Happen is on Monday . contradictory +Meanwhile , Rep. Nothing is Rep. contradictory +this one it wasn 't heavy hi-sci you know hi-fi because it was a lot of it was actual stuff that takes place and they had of course the breathing apparatus which was liquid and and then all a sudden you know when you actually met this thing and and that that was you know towards like the last third of the movie only really got strange but it was uh The movie was super heavy sci-fi the whole time . contradictory +Case study means different things to different methodologists , who reach different conclusions about how to do case studies , how to report them , and their overall appro-priateness for answering a specific question . Methodologists all have the same meaning for case studies . contradictory +6 billion pieces in 1996 , an increase in volume of 11 . Volume increased by 11 pieces in 1996 neutral +No fewer than eleven years passed before the next major Arab-Israeli conflict flared . There was no communication between the two in those eleven years before conflict arose again . neutral +eight of which survived and uh and she we ended up keeping one of those puppies We sold seven of the eight puppies . neutral +Romney ( 1734 1802 ) was considered to be the third master of portraiture in the 18th century , alongside Thomas Gainsborough and Joshua Reynolds . Romney is the best in Portraiture in the 18th century . neutral +For some , the climb is an act of the mountain is revered as the abode of Japan 's ancestral gods . Some climb the mountain to visit their ancestral gods . neutral +The modern Republic of Turkey dates only from 1923 , but the history of the land within its borders stretches back to the dawn of humanity . Prior to 1923 , Turkey didn 't exist . neutral +Of the topless-only clubs ( all of which have full bars ) , the two best are Cheetah 's Topless Lounge , 2112 Western Avenue ( Tel.702 / 384-0074 ) , an intimate , friendly place , and Olympic Garden Cabaret , 1531 Las Vegas Boulevard South ( Tel . 702 / 385-8987 ) which , with eleven full-size stages , is quite the opposite . Ironically , Cheetah 's Topless Lounge is a restaurant and not a topless-only club . contradictory +As for Johnson 's character , the movie depicts him as a gangster with a heart , but a gangster nonetheless . The movie does not feature any gangster characters . contradictory +Others who have signed up for PK have subsequently turned up on Republican mailing lists . Other people signed up for PK . entailment +Additionally , Professor Aleinikoff has published several books and countless articles relating to immigration , international migration , and constitutional law . Aleinikoff has only written magazine articles . contradictory +All told , the treaty is so much tougher than anything in the history of global arms control that to call it an important evolutionary step borders on understatement . The treaty put hundreds of new regulations that will slow down the global arms race . neutral +These concerns are among the reasons that the pay gap has never been fully addressed . The pay gap has not been adequately addressed . contradictory +'So I 've heard ! ' Harland bellowed . Harland was paying attention to what we were doing . neutral +Still , writes Stewart , you have to plan well . You don 't have to plan well . contradictory +Thus , rural mail boxes tend to cluster where roads ( not on the route ) intersect with the carrier 's route . Carriers must travel down roads not typically on their route in rural areas to deliver mail . contradictory +I take it back , then , grumbled Red . Red defiantly repeated themself . contradictory +Brill were ideal for the desert . Brill would work as a desert , if they could be found . neutral +Be smart , not brave . It 's important to be smart to handle yourself in battle . neutral +the thing that i i then again i i tried pulling the trailer one year and i went everywhere with the trailer like to beaches and to stuff but that got to be a hassle you know breaking down and setting up and breaking down so i decided that I really loved that trailer especially when doing on trips to the beach . neutral +On August 11 , 1995 , the proposed rule was published in the Federal Register ( 60 Fed . The proposed rule was published in the Federal Register after the debate was settled . neutral +True , said Jon . Jon said it was true . entailment +Other water-based activities include a glass-bottomed boat-ride or a trip under the water in the Aquascope submarine to see the excellent underwater environment . The only way to view the underwater environment is in a submarine . contradictory +If GAO is not given an opportunity to inspect the record during this time period , the Comptroller General may file a report to the President , the Congress , and other executive branch officials . The Comptroller General has the ability to file reports to the President and Congress . entailment +Impartiality The biggest risk when we use other people 's case studies is that GAO standards of impartiality may not have been met . We can manually go through each case study to see if it 's up to par . neutral +those things go fast their speed isn 't that impressive contradictory +yeah but i often wondered wondered about that too I have asked others about that . neutral +The Justice Department approved a merger between Bell Atlantic and NYNEX in April . In April a merger was denied by the justice department . contradictory +But the components of that growth tell the real story . The real story is hard to come by without the components of that growth . neutral +Meanwhile , the ANC enjoys wide support , though its popularity has as much to do with Mandela 's charisma as with its own platform . Mandela is a main reason as to why the ANC has any support at all . neutral +first Palio ( 2 July , see page 105 ) ; festival of patron Santa Rosalia ; Redentore regatta ; Festival of the Sea ; Noantri street-festival in Trastevere ( see page 65 ) All the festivals are held in the first half of the month . neutral +Until recently , he hasn 't spent much time pushing the Second Amendment . He really pushes the Second Amendment . contradictory +The RLC ad says Forbes hurt the Republican Party in 1996 and will help the Democrats in 2000 by criticizing his GOP rivals . In 2020 , Forbes will create and promote an entirely new political party . neutral +It 's fairly unusual , in my experience , for a politician to accept a reporter 's opinion that one of his major proposals is seriously flawed . A politician will usually defend his proposal to the press rather than acknowledge any serious flaws . entailment +Golf Tournaments Golf tournaments are always extremely popular . neutral +Perfectly sickening the way those brass hats drove from the War Office to the Savoy , and from the Savoy to the War Office ! The brass hats were recovered from World War II . neutral +The cover story repeats the usual criticisms of managed HMOs are rewarded for choosing the cheapest treatment over the best one and denying membership to unhealthy patients . HMOs benefit from choosing the most expensive treatments . contradictory +right yeah so but i enjoy taking in a movie when i can i 'm going to try to watch the second half of this one tonight I have no time to watch the second half of this one tonight . contradictory +But the criticism of Java on performance grounds , as if the performance problems were inherent in the security model , is not fair and is not accurate . It is not fair to criticize Java on performance grounds . entailment +Tax the Knickers Off Your Grandchildren , by Steven E. Landsburg , seems less like a well-reasoned editorial on economics than a weak rationalization for shortsightedness . The book was well received by critics . neutral +We have to sift through all the ideas and decide what 's best for the state , and how to accommodate our differences . We just have to look ou for ourselves . contradictory +No matter how hard I try , I feel that I say the wrong thing or something inappropriate . I always say the right thing . contradictory +Oh , so you 've been talking , Fenner ? The scout came away from where Tar was still very audibly munching his treat . The scout moved closer to Tar . contradictory +It almost cost your life . Time traveling almost killed you . neutral +We have traveled with your friend , Ca 'daan for some time now . Ca 'daan has been traveling with a large group . neutral +The play is an aesthetic non-event , an anticlimax of proportions inevitably commensurate with its avalanche of advance publicity ( Charles Isherwood , Daily Variety ) . ( Order tickets to the show online . ) It is not possible to order tickets to the show online . contradictory +it 's really kind of fun especially if your spouse will get in there with you and get dirty yeah It is fun , but not if your spouse is there . contradictory +Slate --is a laureate who does not rest on his laurels , a Stakhanovite among poets . He is not known for staying in one place . neutral +One of Italy 's finest , the Galleria dell 'Accademia Carrara has an important Mantegna Madonna and Child and interesting works by Lotto ( a Venetian master who spent many years living in Bergamo ) , Bellini , Raphael , and Titian as well as foreign masters . The artist Lotto does not have any works in the Galleria dell 'Accademia despite spending many years in Bergamo . contradictory +Dean was an industrial village , its economy depending on numerous small mills that have now completely disappeared . When the small mills disappeared , the economy of Dean collapsed . neutral +This value does not reflect the 5-year lag adjustment and the adjustment for changes in real income over time that are included in the mortality valuation in our national benefits summaries . The 5-year lag adjustment and the adjustment for changes in real income over time were reflected in the value . entailment +Yes ” that is to say , I believe I know how it was committed . I am pretty sure I have figured out how the murder was committed . entailment +but but that 's one reason i uh i 've had no problems with my Subaru that 's one reason i went with it because i Subaru had a good reputation uh for you know low maintenance so I hate my Subaru because of how high maintenance it is . contradictory +Indeed , Banks has written a useful survey of African-American scholars and writers and the ways in which they have worked throughout the history of the republic . Banks often enjoys reading pieces about African-American history , but is not a writer himself . contradictory +uh-huh well that 's good keeps them active i 'm sure well it was good talking to you You have very interesting stories . neutral +The Dome of the Rock ( Kubbet es-Sakhra ) is Jerusalem 's most strikingly beautiful holy place ; it is indeed one of the most extraordinary buildings in the world . The most gorgeous holy place in Jerusalem is The Dome of the Rock . entailment +And other wine growers , such as those around Bordeaux , may have more handsome chateaux . Wine growers in Bordeaux are mostly from other countries . contradictory +Station XIII ( Jesus is taken down from the crose : Between the Franciscan and Greek altars is a small shrine containing a wooden figure of Mary in a glass case . Jesus was taken down from the cross on Station XIII . entailment +Kentucky 's current fee for filing a case in district court is $ 50 . Kentucky charges $ 50 to file a case . entailment +oh yeah yeah that 's matter fact that 's one of my favorite hobbies is uh reading Reading is not something I like to do . contradictory +The spear came in and Jon ducked , letting it pass over his left shoulder . It went over his shoulder . entailment +Meetings of the Device Good Manufacturing Practice Advisory Committee ( GMP Advisory Committee ) were announced by Federal Register publication on April 25 , 1990 ( 55 Fed . The meetings were announced by the Federal Register . entailment +that dust yeah not fun to be in but i haven 't seen any like that in probably five or ten years Meh , that dust was not so bad . contradictory +Ds proclaim , We 're in it together ; Rs assert , I 'm in it to get you . Rs claim , " The reason I 'm in it is to get you " entailment +I sat slumped in padded leather , trying to keep my brooding subtle . I sat slumped in a metal chair . contradictory +Most responses could be divided into two kinds of some target snobs who disdain the rabble ( the reluctant dentist , the smarmy candidate ) , others target slobs who are the rabble ( passengers in coach , customers at Kmart ) . There was no way the responses could be categorized . contradictory +But these are Donnie Brasco is everything it needs to be . Donnie Brasco is all it has to be . entailment +According to the 2001 Retirement Confidence Survey , 36 about 46 percent of American workers have not tried to calculate how much they need to save for retirement . 90 % of Americans workers have calculated how much they need to save for retirement . contradictory +The Morant Bay rebellion of 1865 was led by Paul Bogle and supported by George William Gordon ( after whom Gordon House , the Jamaican seat of Government , is named ) . The Jamaican seat of Government is named Gordon House , after George William Gordon . entailment +The new ruler of Melaka , Sri Maharajah , switched his allegiance to the Muslim trading fraternity by marrying into the Muslim faith , wedding the daughter of a sultan in Sumatra . Sri Maharajah was the new ruler of Madrid . contradictory +Perot 's favorite candidate at the moment appears to be Buchanan , who has made noises about bolting the GOP and joining the Reform Party . Buchanan appears to be Perot 's preferred candidate as of right now . entailment +If you travel by train , you will arrive at the Guangzhou East Station , a large modern complex , which connects with the subway , buses , hotel transfer services , and taxis . Guangzhou East Station welcomes over 1,000,000 passengers every day . neutral +Mission San Juan Capistrano , founded in 1776 , lies inland near Dana Point . Mission San Juan Capistrano is not that far from Dana Point . neutral +The raven-haired beauty , her voluptuous curves thrusting against the tight fabric of a low-cut white dress , stood outside the door of the Oval Office near midnight , a come-hither look in her flashing , dark eyes . Dressed modestly , the homely woman stood outside the Oval Office waiting for no one in particular . contradictory +Instead of using the money it raised from the IPO to expand , though , it lent the $ 110 million to other Chinese state enterprises and then watched many of those loans go south . It raised money from the IPO . entailment +It _ sounded _ like it was out by the hill . That was truthful , and useful as well , since the direction was almost opposite that in which the barn lay . They said that the sound came from the hill area . entailment +Earlier in the film , Andy 's manager George Shapiro ( Danny DeVito ) , frustrated with his client 's self-indulgent performances , tells him that he has to decide whether he 's out to entertain the audience or himself . Shapiro tells his client he has to decide what his goal is before he quits acting . contradictory +It crossed her mind that if the unknown Jane Finn had fallen into the hands of Mrs. Vandemeyer , it was likely to have gone hard with her . It was likely to have been a hardening experience for the unknown Jane Finn if she fell into her hands . entailment +You never know . You can guess , but you can 't say for sure . neutral +that 's great um that uh now i 've got some material to do an afghan but i just never did get around to finishing it I don 't have what it takes to make an afghan . contradictory +Its seven museums and galleries ( following varying and erratic schedules with the exception of the largest and most reliable , the Pitti Gallery ) take you into the rich world of the Medici , much as they left it . The Medici is not portrayed as it was on the museums . contradictory +Buck up , old bean . Get straight , old man . entailment +Its avant-garde circular design contrasts sharply with the dreary buildings around it . It is pretty much the same as all the buildings around it . contradictory +Trust revolving funds need capital in their operations , just like other revolving funds , the source of which is predominantly the revenue they have earned . For the operations , funds need capital . entailment +but okay so did wait do you watch Saturday Night Live yesterday Did you buy a new T.V. yet ? contradictory +she thought it was different you get to meet a lot of people She thought meeting people was an unusual thing . entailment +okay well i think we 've covered most of my favorite TV shows I never watch TV and prefer to listen to the radio . contradictory +Investment in the capital stock is a principal source of growth in labor productivity , or output per hour worked . Labor productivity growth is independent of capital stock investment . contradictory +Bork pointed his finger . He gestured . neutral +The model assumes that there are two primary determinants of cost for a postal volume and size of the network . The cost of postal volume is the only determinant . contradictory +It stands 137 m ( 450 ft ) high and was the tallest structure in the world until the building of the Eiffel Tower in Paris in 1898 . Until the Eiffel Tower in Paris was built in 1898 , it was the tallest building in the world at 450 ft ( 137 m ) high . entailment +Ca 'daan had traveled to the salt mines high in the mountain and had seen the growth and erosion around the carvings . Ca 'daan rode to the salt mine , searching for answers and finding none . contradictory +and you can either take instruction or practice or or just enjoy yourself whatever you like If you prefer to learn before you do , that 's an option here . neutral +Some agencies have begun to use IT to facilitate interactive public comments , permitting users to comment on the comments filed by others ( e.g. Allowing users to comment on comments others have made is one of the ways IT is being put to use by agencies . entailment +He even envisions giving it at home via Internet TV and , if patients want , having the computer alert their doctors if the test finds their condition worsening . Some organizations have begun to gather funding for in-home use of the technology . neutral +At LSC Board meetings , local events and national conferences , we showcased exemplary planning and implementation . At LSC board meetings , we showed how we could help everyone in the community . neutral +Susan 's voice was faint in Jon 's mind and made him shiver . Jon had no idea what Susan 's voice sounded like . contradictory +Santa Monica 's outdoor Farmers ' Market is held each Wednesday and on Saturday mornings along Arizona Avenue at the Third Street Promenade . The Farmer 's Market is twice a week to feature fresh produce year-round . neutral +The final rule contains collections of information which are subject to approval by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . The OMB has the right to decline collections of information from rules . neutral +The city 's Champagne cellars are in fact 250 km ( 155 miles ) of galleries quarried out of the city 's chalk foundations back in the days of Roman Gaul . The city 's Champagne cellars are longer than 300 km . contradictory +The case against the president should be strong enough to justify some members of his own party voting against him . In a normal political world , members of the president 's party will rarely ever vote against him . neutral +okay well who you know do you have uh a lot of Kosher foods there at your house Do you have a lot of Kosher food at your house ? entailment +Hellenistic and Roman Periods The Roman Period had a focus on art . neutral +Holy Smokes , he 's my Dad . " I can 't believe that 's my Dad . neutral +I reached the lab . I was nervous when I reached the lab . neutral +They are said to be some of the finest prehistoric cave drawings ever discovered . Near the cave drawings were also found a wide variety of jars and other artifacts . neutral +The Balearics are part of Spain , but bullfights are not the big deal they are on the mainland . If the Ballearics were part of the mainland , bullfights still wouldn 't be as popular there as elsewhere . neutral +Meanwhile , Time salutes the wines of Chile . The country of Chile produces wine . entailment +there have been times that i have been bad about the credit cards and so pretty much now uh we don 't use them too much if we travel or something yeah but you know Since I know how to budget money well , I used my credit card for everything . contradictory +Japan 's Economy in the 20th Century . Japan 's economy in the 20th century is very large . neutral +Post-college , Daniel worked as runner for a big-time bookie . After finishing college , Daniel began working as a runner for a bookmaker . entailment +and i was oh i was ever so impressed with the campus in fact it was a two day trip and between appointments i got a chance to walk around and see it I was there for two days and I was impressed by the campus . entailment +I intend to resume the habit as a delight of old age I 'm not going to bother continuing it . contradictory +It can be a region ( Chesapeake Bay water cleanup programs ) , a nation ( democracy in the Philippines ) , or an organization ( UNESCO ) . A region , a nation or an organization can not be took into consideration regarding our issue . contradictory +Eszterhas ' career did not have to be this way . Eszterhas ' career has been greatly impacted by the events of summer 2015 . neutral +A veterinarian had reached inside and confirmed she was in heat , but after nine years of racing , she might not grasp the concept of being covered , as they say , by a 1,300-pound stallion . A veterinarian confirmed that she was in heat but may not take well to being bred . entailment +The Government with a loyal army and police force behind them might win but at a cost of great suffering . With the army 's help , the Government could win in part but it would be at great cost . entailment +The Japanese wooed Malay Indians as recruits for a short-lived Indian National Army to fight the British in India . The british did not have any time spent in india . contradictory +hope hope the stud will find her attractive I want the stud to have no attraction to her at all . contradictory +Several attractions in one , the Ceter comprises the J. Paul Getty Museum plus institutes for arts education , conservation , and research . The museum has lots of different attractions in it . entailment +The hamlet entered historical chronicles for its military significance ; it was located near the main line of resistance to the Christian reconquest . The hamlet was militarily insignificant . contradictory +The record before the Commission establishes that permanent residents and other aliens frequently leave the United States to visit spouses and children , to address family problems , and to survive during long periods of unemployment in the United States . Permanent residents are a type of alien that frequently leaves the United States . entailment +A piece of modern British art which New York City Mayor Rudolph Giuliani has fortunately been spared is My Bed , by Tracey Emin , one of five artists short-listed for the annual $ 30,000 Turner Prize . Tracey Emin would eventually go on to win the annual $ 30,000 Turner Prize . neutral +The oldest and most authentic Yemenite restaurant in town , serving excellent mellawachs ( pancakes ) . The best place to eat superb pancakes is at the oldest Yemenite restaurant . entailment +The pressure of these appeals for gifts has become too great for endurance . Nobody can keep up with the pressure . neutral +you know any uh-huh you know any local um you know congressional effort or anything else because you know it 's not really settled yet It 's not really settled yet . entailment +Then he dismissed it . Then he turned away , dismissing it . neutral +Regardless of the theoretical economic considerations , distinctions in the monetary value assigned to the lives saved were not drawn , even if populations differed in age , health status , socioeconomic status , gender or other characteristics . There was a chance populations differed in health status . entailment +The cistern measures 140 metres ( 460 feet ) by 70 metres ( 230 feet ) ; its vaulted brick roof is supported by a forest of columns topped by Corinthian capitals , 336 in all , set in 12 rows of 28 . The cistern 's roof has been repaired many times since it was built . neutral +yep exactly i like things that uh you know two people can do but i like the quiet of doing things away you know kind of gives you some space for yourself and that 's what i find in making the dolls and things that it gives me something that i can create and i like to crochet and knit i made some afghans and that kind of stuff i like doing things with my hands I don 't enjoy creating anything by hand . contradictory +There was--my personal favorite--the travel agency advertising a Jewish Singles Weekend , the high point of which was a visit to the Washington Holocaust Museum . The travel agency had an inappropriate ad for Jews . entailment +i have a i have a hard time with vegetables i don 't i when i was a kid i didn 't like them very much and i never really learned how to cook them right i guess i don 't know I love vegetables , and I am perfect at cooking them . contradictory +At least the acoustics are rated a success , and the new home of the National Opera is now an accepted part of the cultural life of Paris . At least the National Opera is now part of the cultural life in Paris . entailment +Its volume declined from 7.2 billion pieces in 1990 to The volume increased in the year 1990 . contradictory +FINANCING ACCOUNT -A non-budget account associated with each credit program account . A financing account is strictly budget based . contradictory +Compared with Charles Bronson 's , maybe . Most people 's opinion is maybe - if compared with Charles Bronson 's . neutral +Most of the drinking reduction occurred among the patients with mild to moderate alcohol problems and not in the heaviest drinking subgroup . Most of the reduction in drinking was in the patients who drank the most in the group . contradictory +Situated on the coast , Leith is only 5 km ( 3 miles ) from the city center . There aren 't many easy routes to get to Leith despite being nearby . neutral +It has been re-christened the Hub . The Hub is the third change of name . neutral +110 Chapter 9 DR. 110 chapter 9 entailment +That 's precisely because it has a stake , through its TV channels , in baseball rather than just in the Dodgers . Baseball has proven to be extremely profitable . neutral +a white dinner jacket or something and so you can only wear a white dinner jacket between those two There isn 't another choice . neutral +nothing pretty about it It happens every year . neutral +education and training enhance the knowledge and skills of a nation 's work force-the nation 's human capital Education and training are not beneficial to the nation . contradictory +The site has grown beyond its original format and now includes job postings , legal information and book recommendations . The site has been updated and now has additional sections . entailment +Ensure Leadership Continuity Without continuous leadership , neither the state nor a company will work well . neutral +They 're a bad lot , Annette . They 're good people . contradictory +Perhaps the most famous feature of the cathedral is its 173 stained-glass windows . The cathedral has over one hundred seventy stained glass windows . entailment +we get ice storms but not not quite to that extent it 's not the thin sheet you know all across the road ours if it ices over it 's thick it 's with snow it 's something that you can drive on you can get a little traction with Our town and yours have the same dangerous amount of ice on the road during storms . contradictory +i thought that was really funny Well , that was pretty hilarious . entailment +um or if it 's their style or or just understanding the material and then i you know it some of those it 's like i said it 's like school you have to work at it but to me it 's worthwhile in the end i feel good about it and i usually remember those a long time later and then i have the books that i read just I never remember the things I 've read afterwards . contradictory +In the distance , you will see a fine palm tree , a symbol of Apollo 's birthplace . There is a fine palm tree that symbolizes Apollo 's birthplace . entailment +The modest Muslim veil is in fact betraying its ancient and honorable reluctance to take on the aggressive flavor of fanaticism . There are some who would argue that no such betrayal is taking place and that rather what we 're seeing is the media amplifying fanaticism . neutral +Each raft is hand-built by the raft captains to carry two adults . two adults is the maximum the rafts the the captains designed can carry at any given time . neutral +Papa believed that in their confused flight you could see the hand of God . Their chaotic flight cemented Papa 's firm stance of atheism . contradictory +But more was at stake than simply Scotland 's there was now a religious schism within Britain . The conflict was over an obscure piece of Church doctrine . neutral +i like to do that stuff but when i 'm in college like when i 'm at school i don 't have time to do it or even time to learn how to do it I have plenty of time to devote to it . contradictory +Is she comically over the top , attention-grabbing and at times hysterical ( Anthony Tommasini , the New York Times ) , or is she simply a captivating comic presence ( Charles Isherwood , Variety ) ? Not everyone loved the New York ' s Peter Davis says , [ T ] he characters [ are ] foggily defined and the heart of the opera left unexamined . More people like the opera than not . neutral +The Ponte Santa Trinita , destroyed in 1944 , has been rebuilt with the original 16th-century masonry scooped from the bottom of the river , including statues of the Four Seasons . The Ponte Santa Trinita was destroyed in the First World War . contradictory +FGD systems are typically positioned after the particulate control device . The systems are positioned after the particulate control device mainly because it is easier for the workers to position the systems after the control device has been positioned . neutral +A new Supplemental Federal Test Procedure has been added to address areas not represented in the current procedures including aggressive ( high-speed and / or high acceleration ) driving behavior , rapid speed fluctuations , driving behavior following startup and use of air conditioning . A new test has been added to replicate how people drive . entailment +Today , you can rent small rowing boats here . It 's possible to rent small boats there nowadays . entailment +so going out on a boat never did appeal to me simply because it you know there was so much else to do Going out on a boat has never been appealing to me entailment +Every American has been in a car crash . No Americans have been in car crashes . contradictory +i guess if you 're not doing anything it 's no big deal people call it invasion of privacy not to me it 's not because first of all if you 're not doing anything they 're not invading anything People may call it a lack of respect for privacy . entailment +town somewhere you know fly to a to see a supplier and do a review there could you put your presentation on a television and just kind of send him the disk instead of going yourself Maybe you can record your presentation and send him a copy of it . entailment +They were not clearly linked to Attila 's Huns , but their harsh agenda of exterminating Buddhists does suggest an affinity . They were inspired by Attila 's campaigns and chose to follow a similar doctrine . neutral +To help promote effective implementation of federal financial management reform , we studied the financial management practices and improvement efforts of nine leading public and private sector finance organizations to identify the success factors , practices , and outcomes associated with worldclass financial management . We really should have studied financial management practices before implementing the federal financial management reform . contradictory +Possibly a house but I think a flat . Maybe a flat or a house . entailment +oh is she still there I see that she left . contradictory +I know a man , but he is not cheap . I know an expensive man . entailment +In addition , GPRA created requirements for agencies to generate the information congressional and executive branch decisionmakers need in considering measures to improve government performance and reduce costs . There is a no way to reduce the cost at all . contradictory +If you feel more energetic , you can rent a rowboat at the dock and set out under your own steam . You are able to rent your own rowboat from the dock . entailment +Tourism numbers fell dramatically but are now rising again as visitors grow more confident . The town has not seen any tourists travel in decades , and it doesn 't look like that will change any time soon . contradictory +Second , the companies captured design and manufacturing knowledge before the two critical decision points in product when the design was demonstrated to be stable-the second knowledge point-and when the product was demonstrated to be producible at an affordable cost-the third knowledge point . The profit from this product will hover around 50 percent . neutral +In parts its interior resembles an airport concourse more than a conventional church . It looks like an airport concourse because of its clean open space . neutral +Via , in the far northeastern corner , is considered the best beach on the island , and for this reason it gets busy in summer . Via can get very crowded in the summer . entailment +me too oh I as well entailment +Consider the contract the Postal Service now has with Emery Worldwide to process and transport Priority Mail . Do not consider Emory worldwide contradictory +a massive turnout at last someone wants us to vote they were standing in lines to vote People were queuing to vote amidst high turnout . entailment +Therefore , readers should not rely on the validity of the data in the sample reports . Readers shouldn 't count on the data being valid in the sample reports . entailment +recommendations to mold the future of the Postal Service . The Postal Service needs a big make over . neutral +These ratings include the following . The ratings include multiple factors , some of which are not yet disclosed . neutral +It provides that the Comptroller General shall evaluate the results of a program or activity the Government carries out under existing law . The Comptroller General will evaluate the results . entailment +Willing to do anything , go anywhere . He 's not willing to put much effort into it . contradictory +And ' Where am I ? ' Somebody had a vague idea where they were . neutral +do you have a mandatory The person inquiring doesn 't care about a mandatory something . contradictory +Psychoactive substance use disorders among seriously injured trauma center patients . Psychoactive use is increasing . neutral +They 've got Mini-Me . They have mini me . entailment +yes especially the murder rate its just gone crazy The murder rate is decreasing in general contradictory +then that would yeah i guess then the water aerobics would be probably the best thing for you wouldn 't it I di not think water aerobics is a good idea for you . contradictory +According to my sources at the time , Morris was desperately pushing for a budget deal and making the kind of hilariously precise electoral promises for which he was If he compromised with Gingrich , Clinton would win by a 14-point margin , take back Congress , and so forth . Morris was pushing for a budget deal between Clinton and Congress . neutral +The Ledfords ' actual $ 2,431 a month from Social Security and a small annuity . The Ledfords ' are a respected family in this neighbourhood . neutral +uh-huh yeah i work in Lewisville which is just outside of Dallas I have a long commute to Dallas . neutral +Gee whiz ! That is quite all right . contradictory +that 's true and there really are criminals that are hard-core and repeat and never never have any chance for Some criminals cannot be rehabilitated by spending time in prison entailment +very trendy resort type town but the my wife lived in Annapolis for a short time and uh she really liked this one restaurant it was it 's French My wife is actually french so she enjoys French food . neutral +huh yeah it really is have you seen the new uh Dodge Stealth the the real nice one yeah yeah the Mitsubishi is real nice looking too now those are nice I think the Mitsubishi is really ugly . contradictory +Another dicey issue confronting Treasury Department enforcement officials is Internet gambling . Although federal law prohibits gambling by wire in the United States , and most authorities interpret that to mean that Internet gambling is illegal here , at least one online casino , Casino Royale , looks and feels like a virtual gambling emporium . Online gambling is hard to enforce by the FBI . neutral +Inevitably , some people will get burned in the process , but others will rise triumphantly from the fray to even greater successes . Nobody will be burned in the process , but neither will anyone be successful . contradictory +yeah i 'm not exactly sure where the you know the can thing is but you know sometimes it 's just so seems so much easier just to take it and throw it in the trash and have them pick it up than it is to smash the cans and drive it some place to have them It 's much easier having cans be picked up than throwing them straight in the bin . contradictory +Furthermore , these costs are not likely to depend significantly on the value of the merchandise , and the fee is levied through the power of the Government to compel payment . The costs are likely to depend significantly on the value of the merchandise . contradictory +I suppose it 's a measure of how far we 've come that IBM just issued a press release , though it would have been stirring to see CEO Lou Gerstner storm into the Exchange Tuesday to start buying up shares . IBM is the largest law firm in the world . neutral +That was weird to see . That was definitely something to see , something I had never expected to see in my whole life , really . neutral +On the far right , a cauldron is boiling a few of the unlucky ones . The are a dozen unlucky ones boiling the cauldron . neutral +They were fair and honest traders . The traders offered their wares at a fair price . neutral +Life-without-parole inmates , for the entertainment of the public , sustain horrible injuries in often degrading events ( e.g. Life-without-parole inmates , for entertaining the public , end up with horrible injuries and degraded . entailment +i suspect it 's probably some crazy man like Saddam Hussein I think it could be an insane person like Saddam Hussein . entailment +Originally the post was simply an inter-city letter service . The post used to be just for inter-city communications between politicians . neutral +How could a child that young know one kind of paper from another ? One paper had a picture of an apple , the other had a banana . Even young children could tell the difference . contradictory +Such is life in limbo . I am in limbo . entailment +and from what i understand it 's it 's a new thing good about families these days um especially spending time with one another i know if if i were to have children i would have trouble If I had kids , I would find it very easy . contradictory +Kobe 's two main downtown shopping districts are Sannomiya and neighboring Motomachi , both featuring large department stores and fashionable boutiques . Sannomiya and Motomachi are the primary shopping districts in downtown Kobe . entailment +An initial regulatory flexibility analysis and a final regulatory flexibility analysis have been prepared and included in the preambles to the proposed rule and the final rule notice , respectively , as required by sections 603 and 604 . The preamble includes a section that analysis the initial and final conditions . entailment +And he fancies the risk not great since he will enter in the guise of a friend ! " Tuppence flushed , then opened her mouth impulsively . Tuppence told us that he believes it 's too risky to disguise himself as a stranger . contradictory +In Tsim Sha Tsui , Ned Kelly 's Last Stand on Ashley Road is an Aussie institution ; Delaney 's , 71-77 Peking Road , is one of Hong Kong 's enduring Irish pubs . One of hong Kong 's enduring Irish pubs is located in Tsim Sha Tsui . entailment +important thing as as having a career and and that should be first and and children second but they don 't have kind of an what we call an internal perspective of things that Careers do not matter , when compared to having children . contradictory +they 're good they 're really oh really yeah i Boston 's okay i mean i wouldn 't want to live there but it 's a nice place to visit I would like to live in Delaware . neutral +In spring , the little rivers are hidden beneath trellises of blazing bougainvillea . In the winter , bougainvillea cover the little rivers . contradictory +In the valley , at least the main street of principal villages is paved and accessible by taxi and bus , though the slower pace of walking or cycling is the most pleasant way to enter this world where time seems to have stopped . Traveling around the valley by foot is the most pleasant way but you can also take a taxi . entailment +light reading It 's a very intense , deep book . contradictory +There 's virtually every type of entertainment imaginable here . The quality of the entertainment is also excellent . neutral +This policy is important for another reason . The reason is because it serves to better the community . neutral +What is the impact of home computing technology on postal demand ? Home computing technology revolutionized postal services . neutral +At various points in the film , Harrer thinks longingly of Rolf and writes him letters . Harrer frequently misses Rolf and writes him letters , in the film . entailment +It 's nearer . It was really far away . contradictory +and Analysis in Case Extensive or thick analysisStudiesa A Case extensive analysis is more heavily needed than other types of studies . neutral +The blades swam together . The three blades were swimming through the pond . neutral +Lounge chairs under thatched-roof huts , water chute into the sea , and rope swing provide extra entertainment . There is no water nearby . contradictory +Young at Heart ? Is young ? neutral +Benchmarking offers one tool to identify which technologies offer the most return for the investment made . Benchmarking is not the only tool you can use to find out which technologies offer the most return for the investment made . neutral +And malignancy develops slowly . Malignancy is not a speedy process . entailment +You can get their leaflet from the tourist office or by calling ( 07 ) 637 0648 . It 's best to call first if you want their leaflet . neutral +His policy succeeded for a time , but following his abdication in a.d. 305 , the empire continued to weaken , harassed by invaders and troubled by internal strife . Invaders harassed the empire because they didn 't like his policies . neutral +An article explains how the stock market could have risen even though the majority of companies in the Standard & amp The article described how companies purposefully tried to stop the stock market from rising . neutral +Ames sold information to the Soviets for a price of $ 4 . The Soviets offered $ 4 for the information from Ames . neutral +Family Results from the 1998 Survey of Consumer Finances , Federal Reserve Bulletin ( January 2000 ) . The results of families from the survey in 1998 . entailment +Necklaces of crystal or colored beads are popular for children , the antique glass beads collectibles for adults . Children typically wear crystal beads while adults wear glass beads . entailment +The Kentuckian met those dark eyes squarely , his first unvoiced protest stiffening into defiance . The person from Kentucky lowered his eyes and offered no protest . contradictory +it 's certainly not a good situation but i 'm sure it 's not one that the the the families chose i mean i 'm sure they felt they had no choice at our stage in life we 've seen The family had a choice . contradictory +If Muslims saw him as a righteous militant and Hindus as a brutal monster , neither denied him his title of Sword of Islam . He brutally slaughtered over one million Hindus . neutral +In the words of the 16th-century French traveller Pierre The Bosphorus with one key opens and closes two worlds , two seas . There were no French travellers in the 16th century . contradictory +Vice President Gore offered an executive order that would ease export restrictions by 1 ) raising the export limit from 40 bits to 56 bits for at least the next two years ( allowing U.S. companies to meet the current minimum commercial standard ) ; 2 ) transferring export-license authority from a State Department military office , which almost always refuses applications , to the more friendly Commerce Department ; 3 ) permitting export of encryption of unlimited strength , provided the technology incorporates key recovery . This is similar to key escrow , except there is no single key and the government holds nothing . Vice President Gore refused to propose an executive order . contradictory +Yes , that 's not a bad idea . Proceeding up the road , they soon came to a little hamlet . When they traveled up the road , they came to a small village . entailment +it 's almost like just fuzz It 's rough and wiry . contradictory +Ignited in the Arabian peninsula by the teachings of the Prophet Muhammad , Islam spread like wildfire , with its armies reaching the Atlantic coast of Morocco by 683 . Islam was originally founded in Northern Africa . contradictory +you know how many times is it going to take for this man to kill people before you kill him I don 't think this man will kill more people . contradictory +In the past , the most obstinate white opponents of integration ( the Goldwater wing of the Republican Party and conservative Southern Democrats ) argued that people should have the right to associate--or not to associate--with whomever they wish . For many , history has since proven the Goldwater wing and the conservative Southern Democrats wrong . neutral +New York also is unique in implementing relevant legislation that might have some national potential . The legislation being implemented in New York has no chance of reaching the national level . contradictory +You said Rennie sighed . You said Rennie died . contradictory +He walks away . He stayed and sat down . contradictory +uh because otherwise uh you know they 're not going to go house to house collecting it and you 're not going to bother if you have one bag full to drive all the way to some recycling center to turn in just your little plastic peanuts They aren 't keen on picking up recycling from your house , and you won 't go to the center if you only have a little to recycle . entailment +For the first few days you 'd be well advised to take the sun in extremely small doses . The sun can be dangerous , if it 's your first time sunbathing in a long time . neutral +This museum explores the relationship of Irish music to Irish history . The museum presents the information in a walking tour arranged chronologically . neutral +I suspect Banks ' choice reflects his own commitment to a sensibly conventional vision of the intellectual life , one that casts more light--and less heat--than much of the heady verbiage in the current debates about the Black Intellectual . Banks is a fine man , and a sexy man in many peoples ' eyes . neutral +Reviewers call it pretentious and filled with inaccurate references to theoretical physics , Walt Whitman , and the Kabbalah . Reviewers said a lot of the scientific information was outdated or wrong . neutral +If however they are employed similar to those who are on active duty or are actually on active duty , then the controls in the subsection Active Military Personnel are operative and should be used . It 's easier and more efficient to use the Active Military Personnel controls for people who are on active duty . neutral +oh isn 't that fun only people from there can tell everyone else is where did you get that weird accent Only people that are from there can tell . entailment +We have weathered attack before . We have survived a previous attack . entailment +The rest of the country had endured Vietnam and Watergate , but New York had its own little bankruptcy and physical collapse . New York was the only state in great shape . contradictory +Speaking of masculinity , a Time article notes the nail-polish-for-men trend . The Times article was unflattering in its treatment of the nail-polish-for-men trend . neutral +Finally , all entity determinations of the applicability of stewardship standards should be thoroughly documented . All determinations are well documented by skilled workers adept at their jobs . entailment +It supplies many of the pubs in the Lake District you 're sure to see the brewery name on many pub signs . It doesn 't serve the Lake District contradictory +they 're not on the times that i 've got that i 've watched because i haven 't had T got TV Guide around here in ages There are times that I have watched television . entailment +Almost every hill has to the northeast there 's a Moorish fort ; no fewer than four ruined fortresses guard the harbour entrance ; and two more , still in good repair the Atalaya and Galeras castles protect the sea-front arsenal , of vital importance to Spain 's military . There are castles Atalaya and Galeras . entailment +There was no room to retrieve the final error . It was not possible to get the final error . entailment +In fiscal year 1998 , the federal government began to contribute to the pool of saving by running its first surplus since 1969 . In year 1996 a surplus was achieved . contradictory +good well as a matter of fact i 'm before we started this conversation i was working on my PC at home I had been conducting work on my computer for three hours before we started talking . neutral +I didn 't see it either until now . Oh , I never noticed the similarities between the two . neutral +acid rain yeah that 's that 's what i was uh The acid rain burns my skin . neutral +little bitty everything here Here we have a bit of everything . entailment +Turning back into Durbar Square , climb the nine steep steps of the central Maju Deval pagoda to Shiva for a view over the palace and its surrounding temples . There are 30km from Durbar Square and Maju Deval , you can get from a site to another only with a car . contradictory +'He 's reachable . ' There is no way to get into contact with him . contradictory +Also , most workshared pieces are letter-size and many basic pieces are flats , which cost more to process . It costs more to process flats which are what many of the basic pieces are . entailment +The museum has an art collection , and displays of toys and other artifacts . The museum closed down due to lack of sales earlier last year . contradictory +Czesiek designed two additional modes : Name Day and Birthday , and then after a job well done , concentrated his time and effort on viewing sites specializing in kinky naked everything . Czesiek did everything he could to keep kinky sites unavailable . contradictory +He promised a modern state for his people , but as the situation became volatile , civil strife broke out in Turkish cities , and those considered Greek were victims of threats and violence . The situation became very calm . contradictory +Worst of all , the Science of Magic suffers . The Science of Magic hurts . entailment +From here you can see some of the most impressive views of the complex layout of the Old Town , with layer upon layer of crenulated rooftops and hundreds of chimneystacks . The streets of Old Town are very easy to navigate . contradictory +General Accounting Office , Managing for Emerging Benefits From Selected Agencies ' Use of Performance Agreements , GAO-01-115 ( Washington , D.C. : Oct. 30 , 2000 ) . Emerging Benefits Managing from two Selected Agencies Use of Performance Agreements neutral +The federal rules of criminal procedure prohibit the government from using any statements made in furtherance of a plea bargain , and Lewinsky 's attempt to gain immunity is essentially a form of plea bargaining . Lewinsky confessed to the crime while attempting to gain immunity . neutral +There is also a chapel dedicated to women who sacrificed their lives for their country . The chapel is dedicated to women that died for their country . entailment +Fourth , there are those who argue that worksharing discounts are a natural outcome of traditional make or buy decisions . Traditional make or buy decisions may naturally lead to worksharing discounts . entailment +golly so that 's pretty that 's pretty good That is completely bad . contradictory +so that 's yeah so that may not may not benefit them in the long run That will always be a big help . contradictory +National Saving and Investment National Spending and Treating of Oneself . contradictory +The health benefits could not be quantified by the FDA , but FDA believes the benefits to be substantial . The benefits include two weeks paid time off and free health care . neutral +Begun in 1514 , it now houses the French Embassy . Construction began in the 16th Century , long before it was the home of the French Embassy . entailment +The SEC received 105 comments in response to the proposed rule . There were 105 responses to the suggested SEC rule . entailment +oh like This Old House Something like this old house . entailment +The WSJ reports that the most common fake name given to pizza deliverers in Washington , D.C. is . The WSJ knows beyond a doubt , what the most common take name given to pizza deliverers is . neutral +So it is not just compassionate to ensure that legal services of this type are available These legal services should be available to all who need them . neutral +'I know the feeling . ' I know how it feels to be betrayed . neutral +If we have a new legislation that significantly reduces emissions of SO2 , NOx and mercury , we can eliminate many of the individual programs that apply to the power generation sector and replace them with a system that will reduce the administrative burden on industry and governments , use market-based incentives to keep compliance costs low , and provide the industry with more certainty about its future regulatory obligations . They wanted to protect the programs from being cut . contradictory +found in any restaurant is this good , cheap , local soup of lentils , rice , butter beans , green beans whatever may be available . Kidney beans are usually available and are an ingredient in the tasty local soup . neutral +but the fact that it can happen that it probably does happen in many places it 's it 's horrendous and it 's just a stroke of luck that someone was able to get it on tape and then uh to listen to the tape recording uh at the police station of the whole conversation afterwards The tape was listened to at the police station . neutral +oh yes since well way back in high school It was like that since high school . neutral +so now that we have two cars i 'm less leery about just going for it i 'm not as cautious about giving it a try because we have two cars now entailment +Ceramics and pottery . Pottery and ceramics . entailment +A telltale sign of the leader-preacher inaugural is the use of the phrase , Let us ... An untypical sign of leader-preacher speech is the use of the phrase " let us " . contradictory +Shellfish is served with rice in an unlikely but very tasty sauce of olive oil , ground almonds , assorted spices , and chocolate , though local cooks sometimes cheat a bit by adding octopus and other shell-less tidbits . Local cooks also add chicken if they don 't have any seafood available . neutral +we all would say who are in industry and everything we 'd say hey this means business we ought to This is just another business , not one really cares about it . contradictory +Nope , caught sight of them ridin ' in . No , saw them riding in . entailment +After leaving the church , rejoin the Via Doloroseand walk up the street to the Convent of the Flagellation , a Franciscan monastery . Go from the Convent of the Flagellation directly to the church . contradictory +and this person 's teaching my children My children are being taught by this person . entailment +And then oh , well , the French , for instance , are much more sensible in the way they look at things . French children are taught to be very methodical when making decisions . neutral +They could learn something--not much , perhaps , but something--from the lively , nasty online discussions they 're missing . They hate listening to online discussions . neutral +yeah there 's um there 's a place i live just outside of Baltimore in a town called Olicott City and uh there 's a seafood place here called the Crab Shanty that 's really good it 's like rated higher than like the the seafood restaurants down in the inner harbor in Baltimore you know the the trendy section of Baltimore It has a high rating like the trendy restaurants in Baltimore . neutral +Both these streets lead to the upper level of the George IV Bridge . The upper level of the George IV Bridge can be reached by both roads . entailment +One day I killed a bandit who was extorting one of the local iron smiths . Bandits are actually immortal . contradictory +Celeste made her strange sign again and whispered to herself . Celeste started screaming . contradictory +oh we 're really excited about it We wish it would never happen at all . contradictory +Historically , participants felt that auditor communication with audit committees has been variable . Auditors are good communicators neutral +These clothes are designed for large-scale factory production , and the chief customer is a bulk buyer . Orders must be at least 2000 units for the clothes to be produced in the factory . neutral +He 's confident that they , like he , will always give generously of their legal talent . He 's confident that they will always volunteer their legal talent to the very poor . neutral +and oh i the uh we use a lot of free lance and uh We use a lot of freelance entailment +The town 's central focus was the most elaborate Jantar Mantar observatory , which was the final fruit of his labors and begun in Delhi . He began his labors in Mumbai . contradictory +and it was just great to sit out there in uh Zurich or Bern just sit in the sidewalk cafes I sat in the sidewalk cafes and enjoyed the experience . entailment +And damage control will prove a challenge . It 's easy to fix that . contradictory +I am disgusted and wonder what you think of this . I think this is wonderful and nobody can persuade me otherwise . contradictory +The issue was indeed weighty and it weighed at least as much as the representative parachute . The representative parachute weighed more than the issue . contradictory +it was just so thick and uh heavy uh i couldn 't believe it i because i mean i used to live in Atlanta years ago and it was always fairly clean i mean you you always you didn 't have problem with stagnant air like like LA does The air in LA is super good compared to Atlanta . contradictory +Not at all . That is not true . neutral +Should we reward him for keeping us out of war ? He should be rewarded for taking us to war . contradictory +But the expense , my dear sir . His voice rose . But the huge cost , my dear sir . His voice rose . neutral +Exhibits are devoted to Scottish pioneers Sir Alexander Fleming and Alexander Graham Bell , among others . There are exhibits about the ten most famous Scottish people . neutral +Don Cazar , the Range harbors so many treasures Oro , and now this one . This most recent one is the most valuable of all the Range 's treasures . neutral +A collection of stuffed birds and preserved butterflies sits alongside rock samples and Stone Age axes . The butterflies have been preserved and are next to rock samples . entailment +Elderly people often require legal assistance because of their special health , income and social needs , especially in coping with the government administered benefits on which many depend for income and health care . Since many elderly people depend on government administered benefits , legal assistance is always necessary as a result . neutral +On the other hand , they are clearly at fault about many of its provisions . They had nothing to do with the provisions . contradictory +oh it wasn 't okay i i got i heard like mixed reviews um of that we saw It was great , and got awesome reviews . contradictory +Jon , said San 'doro . San 'doro was too stunned to speak . contradictory +The chief villain , bombastically named Darth Maul , is a horned , red , Kabuki-style snake demon with orange pingpong-ball eyes who challenges the Jedi to a couple of clackety light-saber battles . Darth Maul is a green alien who doesn 't believe in violence contradictory +It was simply a BARGAIN , my dear ! The narrator is saying that the purchase was too expensive . contradictory +i have to find a place around here that has that " What I have to do , is find a place in this vicinity with a garden . " neutral +Jon turned and saw more horses flailing in the spiked river among the hewn bodies of their riders . When Jon looked behind him he saw horses struggling in the river with bodies strewn about the river . entailment +they get lighter sentences and some of those people they don 't deserve to be let loose Everyone deserves to be free . contradictory +well how neat what 's your major Do you think you 'll ever go to school ? contradictory +The President 's Energy Plan , and the climate change strategy that is under development , will provide benefits by addressing climate change . The energy plan is being developed . entailment +and what we do is we 'll have a drug test if if an if a a boy or a man uh has an accident then he 's automatically uh given a drug trest Females are not tested for drugs as much as males . neutral +It was horrible to see the sacking of Fena Set as Ca 'daan had seen it but Jon learned much . Ca 'daan saw the sacking of Fena Set . entailment +Established in 1941 , the Institute of Internal Auditors serves as the profession 's watchdog and resource on significant auditing issues around the globe . There is no way to ensure auditing issues are kept ethical . contradictory +redone but i guess auto repairs are cheaper around here i think it was around eighty five dollars Auto repairs here cost roughly $ 85 , which is cheaper . entailment +Jon , Thorn , the Kal , and the others had cut them down easily . They had fought their hardest neutral +Their occupation was fiercely opposed by a confederation of Celts , known as the Lusitani , living in central Portugal . The Lusitani were very active and vocal opponents of the occupation . neutral +that 's pretty good isn 't it That 's pretty good money , right ? neutral +Still , it is unimportant , and need not be taken into account . A groan burst from Poirot . It 's unimportant so we shouldn 't consider it . entailment +it 's the hub city This has only been a hub city for the past year . neutral +Yet the exclusionary rule in effect rewards B with just such a windfall by sparing him from the conviction . The exclusionary rule worked in favor of B. entailment +I already sent Greyfeather back to tell the Old Man th ' kid 's hurt an ' up here . The Old Man will be surprised to hear about the kid . neutral +There is a formula for New Yorker Talk of the Town pieces . The formula for New Yorker Talk of the Town pieces is known only to its editors . neutral +The premiere show jumping event is the Kerrygold Horse Show at the RDS . The Kerrygold Horse Show is the premiere show . entailment +Be quick before I change my mind and think of something worse ! " Dave didn 't see what he did this time , but there was a puff of flame in front of his eyes . Dave was clearly aware of what was happening . contradictory +Gentlemen , more initiative , please . Gentlemen be more innovative . entailment +Gilded bronze lions defend the throne . Ceramic toads guard the throne . contradictory +to remain biological they uh women are because they have choice are having children much later in life Some women with choose their career and then have children later on in life . neutral +Keeping his eyes up , he stood and readied himself . He was ready for whatever would come next . neutral +Tommy fumed at the delay . The delay was for a train that Tommy was to get on board . neutral +well we only we have two choices we can be involved or not involved if we 're not involved then we 're going to be sitting over here freezing in the dark I would rather not be in the dark and freezing . neutral +i sure was Two years ago i spent some Fourth of July to Labor Day on a jury that was uh a change of venue from Columbus Ohio for aggravated uh murder and kidnapping I did not like being on a jury during the holiday . neutral +They must have been off searching somewhere else . I was with the others . contradictory +The legislative history reveals no explanation for this change . There must be an explanation for the change , but it is not apparent . neutral +Ca 'daan slept soundly for the first night in nearly a month . Ca 'daan was able to have a good sleep . entailment +Gambling and entertainment may be the attractions , but tourism and service is the industry . Gambling and entertainment draw people in while tourism and service are the real money-maker . entailment +how come i 've been kind of um i guess the commercials are getting to me the Toyota commercials and i know that a lot of people i 've i 've known that have had Toyotas have been just extremely happy with them that hardly had any problems at all I own a Honda but I would be open to getting a Toyota someday . neutral +After reading the complaints , Science editor in chief Floyd Bloom formally reprimanded Livingston and took away control of the book-review section . Floyd Bloom is the president of the arts club . contradictory +uh-huh but those people never get caught the people that People with money never get caught . neutral +A record five-day gross of $ 102 . The next highest gross was much lower than $ 102 . neutral +Double up , indeed . Indeed , double up . entailment +and they don 't have a goal they don 't have a goal they don 't have an interest in their own field of study they 're just looking what 's going to pay the biggest cash They lack direction and aspiration in their lives . entailment +Willes ' boldest to raise the Times circulation from 1 million to 1.5 million . Willes ' boldest to lower the circulation at least by 1 million . contradictory +The agency reports that any substantive comments or changes made during the review have been incorporated into the final rule . The agency says substantive comments made in the review have to be included in the final rule . entailment +That is curious really very curious . This is really boring and stupid . contradictory +Nearby on the banks of the river is the Nile Hilton Hotel a landmark for Cairenes ( as the people of the city are known ) as well as tourists . The Nile Hilton Hotel is located close to the banks of the river . entailment +About 12,000 are on display here , from 15th-century polychrome designs to 20th-century art deco styles . There are over ten thousand on display . entailment +They were put to death on his orders , but their earthy humour lives on in the puppet plays that became popular throughout Turkey , and especially in Bursa . Turkey has forgotten all about them . contradictory +wow yeah that 's that 's the way we are we 've had a lot of unexpected things just in the last uh couple months Nothing new has happened in recent months . contradictory +People of all kinds walked in garments unfamiliar to Ca 'daan . Ca 'daan didn 't recognize the garments . entailment +The silk trade played a large role in Lyon 's expansion in the 16th century and France 's second-largest city remains a proserous and growing banking , textile , and industrial center with a bouncy pride , a taste for the good life , an important cultural heritage , and a lively contemporary arts scene . Lyon has fallen into disarray since the silk trade days . contradictory +Everyone who comes visits the fortress-like structure of the Church of the Nativity . Only a few visitors choose to visit the Church of the Nativity , with the rest spending time at more popular attractions . contradictory +Sam Johnson , R-Texas , has suggested that Clinton be court-martialed for his treatment of Paula Jones . Clinton was wrongfully accused of harassing Paula Jones . neutral +you like uh uh who is it uh Victoria Victoria Holt is that right You like the works of Victoria Holt ? neutral +Others not so lucky in their parents or homes often do not . Others who are fortunate with parents and homes do not . contradictory +yes yeah they still show Mister Rogers i don 't think he 's making new ones but they repeat all the old ones I don 't know anything about Mister Rogers . contradictory +Role in Computer Assurance and Its Relationship Your part in Computer Assurance is done . neutral +A casually elegant hotel set in what was once a pineapple plantation , with seaside freshwater pool and opportunities for snorkeling in crystal clear waters of a private white-sand beach . The white sand beach is home to crabs and other crustaceans . neutral +Saint-Emilion The place called Saint-Emilion . entailment +As the tankards filled , they brought it to their lips and drank , letting it pour down their chins and chests . They drank from the tankards without spilling . contradictory +The power of his work is attributed to its scale and his meticulous method . His work power is a result of scale and meticulous method . entailment +um-hum that 's true there 's some rule that 's like between Labor Day uh no is it Labor Day or Memorial Day There is a rule that applies to either Memorial Day or Labor Day . entailment +i 've never been to any a game or anything like that I haven 't been to a game yet . entailment +The filly was resting in the straw , her match-stick legs folded under her , and the mare was munching the extra feed of oats the Kentuckian had tipped in for her . Her small legs were folded under her . entailment +The story was singularly inappropriate in 1936--the deluge had come after Coolidge and Hoover , and Roosevelt 's spending was an effort to stem the deluge , or at least to keep some people from drowning in it . The story ws about Presidents . neutral +We want something against him badly to prevent the Cabinet falling on his neck too freely . We don 't want anything against him at all . contradictory +You hell-hound of a spy , he screamed . You evil spy , he yelled . entailment +To decide if a data reliability assessment is necessary , you should consider certain conditions . Certain conditions include the size of the data in question . neutral +Boy Scouts , fraternities , drum and bugle corps , anti-Semitic croquet clubs with a deep bronze suntan hungry for a thick steak with a fried egg on top and a cigarette to settle the digestion ! The leaders of Boy Scouts are wary of appearing next to anti-Semites . neutral +His policy succeeded for a time , but following his abdication in a.d. 305 , the empire continued to weaken , harassed by invaders and troubled by internal strife . His policies worked but the empire was still very troubled . entailment +REQUEST FOR MORE SPECIFICITY IN REPORTING REQUIREMENTS There is no need to request for more specific data . contradictory +On Temple Bar 's southern boundary , Dame Street , is a gem of Victorian architecture , the Olympia Theatre . Dame street forms Temple Bar 's southern boundary . entailment +Lighter , lighter ... Unfortunately , we do not carry this product . They carry a variety of lighters . contradictory +no so i had uh right I found it earlier . neutral +uh and it just it just wasn 't worth it just to get those three There were more there , just unavailable . neutral +well now if the lab is making an error on the sample then when they retest the error should not be there uh The error should not be there on retesting if the lab made an error . entailment +This number would then be added to the total reported to LSC ( to produce a total caseload number ) and then reduced by the national rate of funding of LSC programs by other sources . The total reported to LSC does not factor into the calculation . contradictory +Throughout the controversy , Bennett has made much of the cause of truth with a capital T. His Standard article , portentously titled Clinton , Gays , and the Truth , accused the Clintonites of scanting that important commodity . Bennett wrote an article called Clinton , Gays , and the Truth . entailment +We shall have a thunderstorm . Alas , that these harmonious moments can never endure ! We 'll have a storm . entailment +Airplanes stayed airborne and ATMs dispensed cash as usual . Nothing in the world changed drastically overnight . neutral +so if i ten leave it at a dollar ten people are still going to pay People will pay even if I made a serious change . neutral +and i i see it being most beneficial if it 's in the neighborhood where or or at least the area where the person lives it may not be the same neighborhood but the same city or county It doesn 't necessarily have to be in the same neighborhood to be beneficial , it can be in the same city or county . entailment +) House Judiciary Committee staffers can 't recall a single occasion on which Barr cooperated with Democrats . If House Judiciary Committee staffers were asked to recall a time when Barr cooperated with the Democrats , they would not be able to do so . entailment +We will continue to consider it , says Jack Ludwig , vice president and research director at Gallup . Jack Ludwig says that they will continue to consider it . entailment +The point is , Al , and I don 't know if you get this , but a political campaign is not just a performance for people--which is what this is--but it is rather a dialogue . A political campaign is supposed to be a dialogue , not a performance . entailment +okay well i sure enjoyed talking to you about uh exercise and fitness I wish we would have had more time to talk about fitness . contradictory +After all , though he was old , Poirot had been a great man in his day . Poirot was a great man when he was thirty . neutral +Balmer grabbed the paper that he had jotted notes for his speech on and abandoned his neck tie and formerly reliable vehicle . Balmer had nothing prepared . contradictory +Gods help us , said Adrin . Adrin shook his fist at God . contradictory +These are the temples of that most holy city , Bhubaneshwar . Bhubaneshwar has no temples , though it is a holy city . contradictory +The entrance is to the right . The entrance is to the left . contradictory +oh yeah sure realistically it is yes Sure , realistically it is . entailment +beat them all up including the women i mean they just beat them stuffed them in the freezer and then shot them all They beat them , shot them , and stuffed them in the freezer . entailment +uh i think it 's what number did i just say eighteen something that is the same as a three-quarter and it that i i 'd rather have it all metric I would rather not have to convert and would like if it was a ll metric . neutral +The telephone rang . The phone was broke . contradictory +In the Epic of Gilgamesh , a prostitute lures Enkidu away from his animal companions . The animals attacked the prostitute . contradictory +but i 've heard so many statements that i 've lost track I 've lost count of how many stories I 've been told . entailment +There 's a fragile elegance to the white marble pavilion 's graceful silhouette , with a cupola and four octagonal turrets , and topped by domed kiosks . The white marble makes for an elegant scene . entailment +some place south and warm i don 't i 'm not a warm i 'm not a big uh i 'm not a big uh cold fan I would not consider living in the North because it is too cold . neutral +He was hoisted up onto the back of another horse . He mounted another camel . contradictory +But , on the whole , public opinion swings to the side of the Government . There are many who would side with the government . neutral +The paths are mostly gentle but exhilarating just the same time . Despite being mainly gentle , the paths are also exhilarating . entailment +At the sight of Shiloh and Shadow he whistled . He was delighted by the appearance of Shiloh and Shadow . neutral +They ate and rode through the morning without speaking of Adrin 's departure . They were so upset over Adrin 's departure they did not speak of him that morning . neutral +provided an opportunity for the public to comment . The public had ample opportunities to comment on this . neutral +If my conclusions are right , that girl at Manchester was just a plant . I have concluded that the girl at Manchester was not at all a plant . contradictory +She was reportedly offered a job producing a weeknight version of 60 Minutes , but there are no signs that she 's interested . Although she showed no interest in producing the show , deep down she was very excited . neutral +Allowances may be auctioned before or during the year for which the allowances are issued , and auctions may be conducted one or more times during a year . Allowances are for paying for meals for employees . neutral +It quickly became a leading pilgrimage site , attracting devout Buddhists from many Eastern regions including Japan , China , and Southeast Asia as it still does today . It attracted pilgrims because they thought it would make them a better person . neutral +Is there really a common sensibility that unites the inspirational homiletics of Nike 's Just Do It and the remorseless irony of ABC 's You can talk to your wife anytime campaign ? Is there actually any common theme between Nike 's Just Do It and ABC 's campaign ? entailment +The Musee Fabre ( Boulevard Sarrail ) has an outstanding art collection , including important paintings by Courbet , Delacroix , Veronese , and Zurbarin . Some of Courbet 's paintings can be found in the Musee Fabre . entailment +One a week , every week , and getting a little better each time . ' Repeated at a regular interval and on a regular basis . entailment +you do and you 've been pretty faithful about that You waver often . contradictory +not that hard i really i really enjoy it It 's not very hard and I enjoy it . entailment +Still others , such as Entertainment Weekly ' s Ken Tucker , predict the unpredictable Drudge , a refreshingly snarky news anchor , will shake up political television . According to Ken Tucker , Drudge is going to disrupt political television . entailment +i don 't want it all over the brick and windows and and the I don 't want paint on the windows . neutral +uh-huh that 's so stupid that you all have two teams that 's really stupid That 's so smart that you have two teams ! contradictory +Ca 'daan saw the dark skinned woman ride past , a quiver of small spears hanging from her saddle . The woman had lots of weapons . neutral +During those halcyon days , Samuel Levi , as devout as he was rich , built a synagogue next to his home , Sinagoga del Transito ( Synagogue of the Dormition ) . Samuel Levi lost his fortune and his faith before he died . neutral +Only I can 't make out exactly why . I can 't make out why . entailment +Rue Yvonne le Tac leads to the base station of a funicular railway . there is a railway station at the end of Rue Yvonne le Tac . neutral +Pinch me , Tommy , do pinch me . Tommy , please pinch me . entailment +Our study identified many techniques and approaches that organizations have used and found effective in reducing their levels of improper payments that could be used by federal agencies to help reduce improper payments in their programs . Lots of techniques were found effective to lessen levels of improper payments . entailment +The Postal Service argues that The argument was intense . neutral +The programs ' course work focuses initially on the tools and techniques of advanced accounting and finance as well as general business skills . Advanced accounting tools and techniques are the initial focus of the course work . entailment +The golf courses here tend to be much more hilly than most in North America or Australia . Golf courses here are not flat . entailment +so when if you have if you have people over would you fix all vegetables or you know when you cook for company do you fix just all vegetables if people come to the house you should only serve meat contradictory +You were right , then . I had suspected they were correct . neutral +The installation of the FGD control technologies may require the following types of There are many procedures to follow for installing FGD control technologies . neutral +If the Free Press hadn 't been so eager to join the Christmas rush , Kutler might have realized he had even more scoops on his hands than he thought . The Free Press had been eager to join the Christmas rush . entailment +um we want to see Godfather Part Three also but my my girlfriend 's seen part one and part two although she saw them years ago but i 've never seen either of the first you know My girlfriend and I want to see part three , she 's seen parts one and two but I haven 't yet . entailment +Today 's settlers , especially West Bankers , are far more militant than their ' 80s counterparts . The West Bankers are very militant . entailment +Ca 'daan spoke of the bandit tribes in the barrens and , as well as they had done against the slavers , Jon had no desire for further battle . Jon didn 't want anyone else to die . neutral +Violence may look magnificent on screen , but on the theatrical stage it 's phony baloney . The violence that looked fake on-screen came to magnificent life on the stage . contradictory +Are security procedures in What happened to the security procedures ? contradictory +The palace was ordered by the Bourbon king Felipe V and completed by Carlos III . This palace would be the first of many ordered by King Felipe V. neutral +Right now what I read is nonfiction . Someone reads nonfiction . entailment +And , even if ACI is more broadly used than anticipated by EPA ( more than 1,300 MWe ) , it is clear that with at least 2-3 years of preparation time to build more production capacity the AC industry can accommodate any additional demand . It 's clear that any additional demand can be met by using 2-3 years of preparation time . entailment +Clearly , saving more would improve the nation 's long-term economic outlook-but how much more do we need to save ? We would have to save double of what we are saving now to improve the economic outlook of the nation . neutral +Dave and Nema were hustled into the cave , while the others melted into the woods , studying the skies . The others abandoned Dave and Nema to the cave while they took to the woods . neutral +but they got so much bad publicity too and i think that hurt a lot of you know people even wanting to play on their team The bad publicity hurt . entailment +We recognize that the government of tomorrow must be leaner , that it must eliminate bureaucracy and multiple management layers , that agencies must respect future fiscal and budgetary realities , and that they must be performancedriven and resultsoriented organizations . It will be hard to eliminate bureaucracy and multiple management layers . neutral +and uh um-hum they 've got several out uh there 's one called Embassy House by uh Profit that 's quite good i was involved with the Phoenix program and stuff of that that nature The Phoenix program has several different programs . neutral +They were always the randiest and broke every taboo . They were horny teenagers . neutral +Another , the one who cried out , was belaboring the flogger with empty fists , and the voice was that of a girl ! A man was pinching the flogger . contradictory +And Annie . Annie wasn 't included . contradictory +The original temple built in 1164 survived only 100 years , and today 's reconstruction dates from the 13th century . The lengthy construction frustrated most of the community members . neutral +Section M explains how the agency intends to select a winning contractor by describing the importance of all factors to be considered in evaluating proposals . Section M has become the single most important reference for decision-makers in evaluating proposals . neutral +Without seeing his work all the way through , it 's hard for me to say whether Borchardt has talent , but he might not be such a stumblebum after all . I think Borchardt might have some talent . entailment +jeez i 'm not worried about it Don 't fret . neutral +I immediately found a wire story about UCLA 's overtime win . A wire story about UCLA 's overtime win has been found immediately , but in the end it hasn 't been used . neutral +The nation has recently considered leaning toward the mainstream right to expand its influence . The nation has been thinking about selling out . entailment +In any case , we need no protection . We don 't need protection entailment +News notes that Microsoft is no longer just a software business . It is reported that Microsoft is a software and electronics business . neutral +Depending upon the location , from 10 to more than 40 percent of new nitrogen inputs to coastal waters along the East Coast and Gulf Coast of the United States come from air pollution . The nitrogen input levels to coastal waters are constant in all locations . contradictory +Congress avoided having to amend the LSC appropriations bills by specifically creating in IRCA the legal fiction that H-2A workers would be deemed lawful permanent resident aliens for the purposes of legal services representation under the existing categories of eligible aliens . Congress created a legal fallacy in order to avoid amending the LSC appropriations bills . entailment +half-board may be obligatory during high season . You are required to half-board when it is slow . contradictory +Shut the door , he commanded . He conveyed the instructions with a stern face and low voice . neutral +oh yeah all that hoe down stuff yeah all that stuff that 's bad for you The hoes needed to respect themselves more . neutral +Understand ? ' Get it entailment +Between 1789 and 1815 the chapel served variously as a flour warehouse , a clubhouse for high-ranking dandies , and finally as an archive for Bonaparte 's Consulate . The chapel was always a place a worship and nothing else . contradictory +'So you don 't endorse White 's actions ? ' I know you support white . contradictory +The Los Angeles Zoo in Griffith Park always makes a good outing for all age groups . All age groups can also appreciate a hike to the Hollywood sign . neutral +and uh i got so tired i i guess i just got so tired of hearing about the Dallas Cowboys and and you know whatever whatever the Cowboys did that day that it just kind of turned me against them I decided to stop supporting the Cowboys then . neutral +We 're in a vacuum without helping others . We 're all alone if we do not help people . entailment +Now there 's a loss . Her departure is a loss . neutral +They also provide a means of holding GAO accountable for commitments made to the Congress and ensuring that GAO is consistent in dealing with all committees and Members . The GAO is never held accountable for the promises they made to Congress . contradictory +The Postal Service usually responds to these measurements by saying that they are not statistically valid or that they are not representative . The Postal Service responds by saying the information is correct . contradictory +hm how long is this going to go on do you know I have another appointment to get to . neutral +German graduated with a mechanical engineering degree in 1965 , then joined the Peace Corps , spending two years in Colombia . German never graduated from college and went into the navy . contradictory +The following table summarizes the practices of our sample organizations in each principle area and compares them with practices in the federal CIO environment . The CIO has no environment or anything of the sort . contradictory +In this review , GAO was provided thousands of documents including copies of e-mails and other information identifying group membersa contacts with outside groups and individuals . The GAO was provided with thousands of documents which included e-mails . entailment +She looks neither relaxed nor nervous . Her current face projects neither the feeling of being relaxed nor that of being nervous . neutral +Whittington mentioned it that day . " Whittington pointed it out on Tuesday . neutral +( Click for a comparison of passages that the historians considered most damning . ) The passages included phrases from lost books of the Bible , as well as simple pornographic drawings of dicks with oddly protruding eyes . neutral +Fernando glad to know you I 'm happy to know you , Fernando . entailment +The Germans are faceless with one a captured pillbox Nazi who babbles and cajoles for his life , sings American anthems , extols Betty Grable 's gams , and screams Fuck Hitler ! One of the people who was captured appeared to love America and have an unflattering opinion of Hitler . entailment +Congress would have to decide on such issues . They will most likely approve . neutral +and even with the gasoline tax Even with tax on petrol . entailment +Yet two could not stop the demons Ca 'daan had witnessed . They couldn 't stop them . entailment +The Ochterlony Monument originally named after an obscure British warrior is one of many Caletta landmarks which has not exactly taken on its new name ( Shahid Minar ) . People in Caletta haven 't adopted the new name for the Ochterlony Monument . entailment +Without them , we would not have saved our homes . Out homes wouldn 't be saved without them . entailment +One week , you 're the only one he can turn to when Newt shuts down the government ; the next , you 're bucking him up for Saddam . You will be working with a different government agency every week for the next six months . neutral +The economics are easy enough to understand , lacking major stars , these movies are inexpensive to make and draw the ideal teens who are capable of seeing Titanic 17 times . These movies are economically advantageous , drawing enough ideal teens to them even without having major stars . neutral +Another man , small and scrawny , stood surrounded by four huge guards in bronze armor and leather masks . A tall , strong man was surrounded by small , scrawny guards . contradictory +The Under Secretary of Agriculture for Marketing and Regulatory Programs said that fullscale Internet access had dramatically increased public awareness and participation , and had saved taxpayers and USDA more than $ 100,000 in administrative costs associated with the rulemaking . USDA saved $ 132,000 in administrative costs because of the new rules . neutral +The Californication of Seattle continues . The Californication of Seattle seized . contradictory +Emmitt Smith yeah he 's been doing real good i 'm pretty impressed with him so far did he did he actually play in the Pro Bowl i remember he was like a backup and then somebody got injured and he was supposed to go I recall that Emmitt Smith was a backup in the Pro Bowl . entailment +yeah and of course i was i was living alone at the time and it was late at night and scary and you know you start hearing noises you know I don 't mind being alone at night . contradictory +and religiously it 's just it was very strange it was very interesting And looking at the religion was weird and fascinating . entailment +Off the tourist route , on the east coast of the island , it is also known as Androseown . The town is on the west coast . contradictory +She knows that she is in danger ” but is ignorant of where the danger lies . She does not know that she is not safe . contradictory +Sanchez said Grand Rapids doesn 't have the large-scale drug problems larger cities do -- and he wants to keep it that way . Grand Rapids has a drug problem worse than Detroit 's . contradictory +yeah we 'll see Time will tell when we discover who gets the number one pick . neutral +yeah exactly but they won 't they won 't charge i saw that advertised too that 's a good deal but it 's real convenient it 's real convenient for me i really i just like being able to go in and do that You should get that one , I really like it . neutral +yeah those are good old Those are terrible contemporary contradictory +The staff should be capable of leading a strategic planning process involving representatives of the agency 's facility user community where give and take decisions are made balancing the facility 's ultimate performance , cost , and schedule . The staff do not need to be able to lead any planning process . contradictory +, have lost . It was lost . entailment +Look for the plaque dedicated to William Myers , who , it says , died on 30 February 1762 . William Myers is still alive today . contradictory +I wasn 't numb anymore . I felt immense pain . neutral +The terms currently used to define the endpoints employed in the rapid , chronic and sub-chronic toxicity tests have been derived from the terms previously used for full life-cycle tests . The terms used in the previous tests were the most accurate ones for the sub-chronic toxicity tests . neutral +And reporters can question Gore 's inference that any candidate who fails to reserve 15 percent of the surplus for Medicare is putting the program at risk and wiping out the chance to save it . Gore 's inference is questioned by many . entailment +and that 's uh that 's very that 's very hard to do because once you 're best friends with your parents then i think everything go a lot better It 's better when you 're friends with your parents . entailment +now we have peach trees coming up We have peach trees coming in . entailment +and you 've probably never gardened in your life I don 't think you have gardened before . entailment +Also , Akbar is said to have come to the Astrologer 's Pavilion , in the northwest corner of the court , for a daily dose of forecasts from the house-esoteric . The Astrologer 's Pavilion is in the south corner of the court . contradictory +Most of the major British Indian buildings prior to the 20th century were built not by an architect but by a soldier-engineer copying existing plans of buildings back home . Before the 20th century , soldier-engineers designed buildings by recreating buildings from the West . entailment +do you uh use a lot of credit cards or your checking account when you go out and buy things I don 't want to know if you use credit cards or your checking account . contradictory +oh definitely well another thing now they they keep the decontrolling different things first it was the airlines then it was banks and and uh um savings association and what not They keep decontrolling everything , which is a huge mess . neutral +Nowhere on earth is there a place that attracts such a diverse population . There is not any place on this planet that entices such a variation within the population . entailment +Or at least , we 'll be thinking occasionally about the betterment of these fine institutions . We 'll be thinking occasionally about the betterment of these fine institutions . entailment +The exhibits illustrate the important co nnection between music and Irish culture , and are well worth seeing . The exhibits do not convey their points well and should be skipped . contradictory +We need the things on it . " They didn 't need anything on anything . contradictory +Have you seen what gets done to them ? Do farmers weep about it ? Are the farmers sad about it ? entailment +right oh sure well it 's tough right now for everybody up here in the Dallas Metroplex it 's awful hey i 've got another clue for you for college It is not easy for people up here in Dallas Metroplex . entailment +We are simply asking for facts that the Vice President , as Chair of the NEPDG , or others representing the group , would be in a position to provide to GAO . The Vice President had a large amount of resources to give GAO . neutral +He looked about forty , very dark 11 with a melancholy clean-shaven face . He was sad because his mother just died . neutral +Why waste time drawing such engines ? Isn 't it a waste of time to draw such engines . neutral +If grade budgets are such a good idea , why don 't we have them ? Grade budgets are not offered in our area . neutral +All of this required muscle . This all required strength . entailment +Do you want them to start asking questions and find out about our animals ? " Talk all you want , we have nothing to hide . contradictory +The Report quoted the following testimony from the Western Growers The Western Growers ' testimony was quoted in the Report . entailment +i was a resident although very young of the state of what is now the state of Alaska in nineteen fifty nine when Alaska stopped being a territory became a state uh so i guess i have a left over positive feeling about the question even though i don 't know very much about Puerto Rico um i know that all the things that happened relative to that territory in Alaska have been very positive uh and i kind have a suspicion that that i believe that a that statehood is a good idea whenever you have a territory the size of Puerto Rico one ought either to make it a full-fledged state or or let it go one or the other what is your situation Alaska stopped being a territory in 1959 . entailment +It 's a full-time job just controlling the young hotheads on some NBA squads . Lots of young NBA athletes get in trouble because no one is controlling their behavior . neutral +hundreds of millions of confidential taxpayer records Many millions of secret taxpayer records . entailment +well what 's going to be interesting is to see what the economic impact of of uh of the the region uh you know at the moment it the tremendous drug traffic through there but uh the idea of of uh it will be interesting to see if the amount of drug trafficking will help the economy neutral +Alexander 's dreams of a huge empire extending eastwards across the Ganga plain were blocked by mutinous troops fed up with upset stomachs , the harsh terrain , and the tough Indian military opposition . Alexander dreamt of a huge empire extending across the Ganga plain . entailment +Cochran pontificated windily for the camera . Cochran gave a short and concise speech to print reporters . contradictory +Paseo de Recoletos is a continuation of Paseo del Prado that runs from Plaza de la Cibeles to Plaza Col ? ? n . Paseo de Recoletos is a continuatio of Paseo del Prado . entailment +Postal monopolies , like most other legal monopolies , are thought by many observers ( 1 ) to be technically inefficient , and ( 2 ) to have delivery functions which exhibit economies of scale . In a postal monopoly observers notice delivery functions do not exhibit economies of scale . contradictory +Here , you could make offerings to the god Apollo at his birthplace , or consult the powerful oracle in residence . The oracle was used by Apollo himself , according to Greek mythology . neutral +One helping is called a porci ? ? n , a large serving is a raci ? ? n , half as much a media-raci ? ? n . A single serving is called a porci . entailment +Ethanol is a ludicrous fuel made out of corn , at a cost far higher than the petroleum it replaces , produced with a huge government tax subsidy , which started during the energy crisis a quarter-century ago and has long since become a classic case study of stupid policy entrenched by special interests ( in this case farmers and Archer Daniels Midland , the company responsible for the fabulous discovery that if you tell the government what to do in commercials on every Sunday talk show , the government apparently is powerless to resist ) . Ethanol is made from corn and it is more expensive to produce compared to petrol . entailment +yeah it did you know i don 't do i don 't really don 't do basic a lot of what i used to do i just do you know something really minor but I don 't do anything related to the things that I used to do . neutral +It recognized the potential for implementation problems in the first few years after the effective date of this statement . The potential for implementation problems will never be recognized . contradictory +Theory and Evidence on Saving in Low-Income Households . Only high income households can engage in savings activities . contradictory +One of the fish wizards saw me with my guns and sword and I knew , one way or another , I would leave the town that evening . I had weapons and a plan to leave town . entailment +I 'll sell .... " He loathed saying every word of that . I 'll never sell , he promised . contradictory +absolutely do you have a family Do you have a wife , children , siblings , parents or any relatives ? entailment +( All of which apply to Alec . ) All of these apply to Alec . entailment +Who is that ? asked Tuppence , puzzled . Tuppence wondered if the person was a woman . neutral +Yes , said Sir James . Sir James disagreed . contradictory +The center has been staffed by GSA 's most senior and competent project managers to serve two The only staff the center has are the newest and least intelligent project managers . contradictory +NATO has insisted all along that Milosevic must allow a well-armed international force in Kosovo to protect the ethnic Albanians . Kosovo was extremely dangerous for ethnic Albanians . neutral +uh-huh getting people or the work the work program and all the all the make work jobs that was sort of public service in a way all the highways they started building They started doing some construction projects . entailment +For example , it says that I 'd discovered that a third of the early entries written by staff researchers had ripped off other reference works . Over a 33 % of the early entries written were copied from other works . entailment +and uh i think that should get your heart rate right up there at the maximum and keep it there I think it 's a good idea to get to your maximum heart rate , and keep it there . entailment +Less than one kilometer ( half a mile ) from the western end of Princes Street is Dean Village . Dean Village is near the western end of Princess Street . entailment +They assassinate kings and queens in their beds with a thousand guards surrounding the room . Kings and queens never get murdered when surrounded by guards . contradictory +Directory of statewide programs that includes information such as number of employees , number of offices , amount / percentage / type of funding , level of tech usage , types of services , collaborations / partnerships , etc. that would allow us to look for a comparable program to brainstorm a particular issue ; The directory of statewide programs is large , and has over 500 listings in the directory . neutral +degrees but but their undergrads are like i i 'm amazed at at that 's a lot of them even graduated I am not surprised that people graduated . contradictory +She had feigned an attack with barely more than her eyes . She pretended that she was in grave danger from the man . neutral +If he wants to expose criminal behavior by the president and punish it no matter what--if , in short , he is the vindictive avenger Clinton 's defenders say he is--Starr will sacrifice no advantage . People on Clinton 's side think that Starr is vindictive . entailment +Spectator sports Audiences watch the sports . entailment +What have you to say to that ? What are you bringing ? contradictory +After all , regulations failed to control Medicare 's costs adequately . Costs for health care are out of hand and greedy . neutral +Control Activities Specific for Information Systems Information systems-specific control activities entailment +Fifteen it is , said Jon . Jon was okay with fifteen new swords . neutral +What is the matter with Monsieur Poirot ? What is wrong with Monsieur Poirot ? entailment +so it 's good for emergencies so it 's not much help in a crisis contradictory +10 Long-term Medicare spending reflects the intermediate projections of the 2001 HI and SMI Trustees Reports The spending from Medicare is reflected in the projections . entailment +from scrutinizing any agency activity except the final program result . from scrutinizing agency activity including the last results . contradictory +and yep but they had nothing to back it up and Yeah , unfortunately they did not have anything to support it . entailment +uh hang on a second Rick i got to see who that is Hang on Rick , I have to see who is knocking . neutral +Possibly the emergent questions were those that should reasonably have been expected to come into focus-and whose emergence may be why case studies rather than surveys are used . The emergence of the questions might be why case studies are used instead of surveys . entailment +they really do they have to have they can 't survive They must to survive . entailment +* Chatterbox was himself at the time a Wall Street Journal reporter on the tobacco beat , and could gripe about how The Insider didn 't even trouble itself to mis pronounce his own name . Chatterbox had a stint as a Wall Street Journal reporter . entailment +The man spoke with such quiet assurance that I was staggered . The man spoke in a striking manner , and his dog was strangely silent . neutral +'Now . Let 's go right now . neutral +Greenspan 's performance was likened to his calm approach in 1987 , which some say halted the market slide . Greenspan took a similar approach in 1987 , which halted the market slide . entailment +no there 's not nobody can take care of your kids better than you who can look after your own kids better than you entailment +Central to the Review Process is the right of designated stakeholders to de novo reviews of all configuration decisions , first by the LSC Vice President for Programs and then by the LSC President , whose decision is final and binding . Central to the Review Process is the right of designated stakeholders entailment +To better serve clients and strengthen program staff and leadership sensitivity to client communities , LSC has convened a series of conferences on diversity . The LSC has hosted a number of conferences centered around diversity . entailment +The finds are mainly tomb artifacts found at sites across the country and you can view the exact re-creation of a funerary chamber found at Dahshur to familiarize yourself with what you will see later in your vacation along the Nile Valley in Upper Egypt . You are not allowed to view the exact re-creation of a funerary chamber found at Dahshur . contradictory +oh yeah that did it to New England a couple years ago didn 't it That is what happened to New England isn 't it ? entailment +Announcement of the terms sent Galoob 's stock plummeting , so that Lucasfilm 's options are now out of the money . Lucasfilm 's options don 't have money right now . entailment +Sometimes the products being sold--such as sophisticated medical care--really are too complex for anyone but a specialist to understand fully . The products are so simple that anyone can understand them . contradictory +For two 1 ) When the writer stoops to cover his own family , you can bet he 's stuck for ideas ; 2 ) Unless one 's family is terribly unusual , such efforts violate a great unspoken but true Other Peoples ' Kids Are Boring . Most of the time , writing about one 's family is a good idea even if nothing special is going on with them . contradictory +According to psychologist David Keirsey , you are one of Plato 's four types , you were born that way , you will always be that way , and you can find out which one you are by taking the temperament sorter quiz on his Web site . David Keirsey is entrenched in his own Dogma and won 't consider any other ideas . neutral +DEVELOPMENT -Systematic use of the knowledge and understanding gained from research for the production of useful materials , devices , systems , or methods , including the design and development of prototypes and processes . Design and development processes and prototypes make up some of this knowledge . neutral +Ca 'daan saw a man dressed with a circular bronze plate guarding his chest and a polearm strapped to his back . A man was wearing armor . entailment +Santorini also has interesting dive sites . Santorini has no dive sites of any kind . contradictory +and i 've heard so many stories about the snakes Nobody ever talks about the snakes . contradictory +The mere thought of farming dogs for fur nauseates you . Most people would get sick at the thought of farming dogs . neutral +One thing you might try is to find out how many .dll files you have . Trying to discover how many .dll files is one thing you might do . entailment +In 1807 Parliament made the trade in slaves illegal , but the powerful sugar lobby exerted pressure and slavery continued on the plantations . After Parliament made slave trade illegal in 1807 , slavery disappeared . contradictory +Saint-Malo remains an important fishing port , ferry terminal , and yacht harbor . Saint-Malo is still known as a fishing port of some importance . entailment +Supposing a parcel arrived addressed to Mr. Lawrence Cavendish , and afterwards it disappeared , should you remark its absence ? Should you mention that a letter disappeared after arriving to the address ? entailment +It recommends adding to the access fund , increasing both the number of pro bono hours and financial contributions from attorneys , improved assistance for unrepresented litigants and access to an attorney for those who require one , and development of a statewide plan to distribute legal services more evenly throughout the state to insure that the rural population also is served . The rural population is in need for better attorney services . entailment +It would either be put in his room or sent on after him . The package would rest safely in the hands of his most trusted friend . contradictory +The Las Vegas Stars the city 's longest-running professional sports outfit is a farm team for baseball 's San Diego Padres ; tickets are usually available for the Cashman Field home games . The Las Vegas Stars are a farm team for baseball 's San Diego Padres entailment +Many of these stores rent boots , outerwear , rain gear , and such at daily or weekly rates . The gear rental at the stores is affordable . neutral +Types of water are discussed in Section 5 , Facilities , Equipment and Supplies . There is only one kind of water and they are discussed in Section 3 . contradictory +But the Communists broke the alliance after Blum first failed to support the Republicans in the Spanish Civil War and then ' faced with financial difficulties ' put a brake on the reforms . If Blum had promised to restart reforms in the future , the Communists would have maintained their alliance . neutral +Here high-domed ceilings drip with stalagtites , and human bones more than 50,000 years old have been found . Obviously , humans used to live here 50,000 years ago . neutral +Back on the river , perched above a 150-m- ( 490-ft- ) deep ravine , is the fairytale castle of Beynac-et-Cazenac . The castle of Beynac-et-Cazenac sits far away from any river . contradictory +Room three is devoted to the so-called heretic period of Egyptian history when Ahkenaten established a religion based on only one god and founded a capital at Tell al Amarna in central Egypt . Room 3 is dedicated to history of the heretic period where religion based on one god was popular . entailment +But unlike the picture in the Washington Post the same day , it captures the spirit of the event , with Dole grimly taking the offensive and Clinton watching warily but standing aside from the attacks . Clinton stood to the side and was not in the middle of the attacks . entailment +Please be assured that knives in the schools are not caused by calling Mrs. Allen Jodie . We have found evidence suggesting that knives in schools are caused by by calling Mrs. Allen Jodie . contradictory +I know it 's the fashion to run down the police . Running down the police is fashionable these days . entailment +Our technological improvements have dramatically slowed natural selection . Technology has only increased the role played by natural selection . contradictory +they had they had quite a few new ones come out last year that they added to but but you don 't have much spare time either You have a lot of spare time , don 't you ? contradictory +just think of the money they could save i mean they 're they 're paying out this money anyway That is another place where money could be cut . neutral +LSC assisted several states by participating in planning groups and providing training on technology at statewide trainings . LSC assisted more than one state participating . entailment +Mandated retirement savings was a bad idea that has seen a disastrous and immoral implementation . The plan and practice of mandated retirement savings are perfect , flawless , and entirely moral . contradictory +oh does it grow along a fence or something where is the growth is it along a fence ? entailment +When you arrived , young lady , I was just packing up my traps . You didn 't arrive , young lady , this is merely an illusion . contradictory +First built in a.d. 325 by Constantine , it was remodelled two centuries later by Justinian , and again by the Crusaders in the 12th century . Justinian made extensive changes to the original building that Constantine built . neutral +The other men turned and stared at the salt miner . The man looked at the miner . entailment +If practical , T & amp ; A data must be approved at the end of the last day of the pay period or later . T & A data can be approved at the end of the last day neutral +and that innocent people i i shouldn 't say innocent because i mean actually actually if they commit a crime that they 're in the same circumstances but If they commit a crime under duress , they are not innocent . neutral +Obviously , a president 's ambition , judgment , temperament , integrity , and ways of relating with other people ( among other psychological qualities ) bear greatly on how he will govern--at least as greatly as whatever election-year stands he stakes out on the issues of policy . A president 's personality and respect for the other party makes a big impact on how he runs the country . neutral +One of the villagers held a blacksmith hammer and a wooden shield . There was a villager holding a hammer and shield . entailment +To repress the powerful polygamous impulse in men , you employ their equally powerful thirst for social status . Men will have as many as three wives , if they can get away with it . neutral +Other resorts line the peninsula 's northernmost Alpine regions . The northernmost regions of the Alpine are home to a wonderful selection of resorts . neutral +Their restaurants feature internationally renowned chefs who create dishes using some of the finest meat , game , and fish in the world . Meat , game , and fish are not incorporated into the dishes . contradictory +Very dangerous . Quite dangerous . entailment +Meanwhile , as all available evidence suggests that nighttime feeding is natural , Ferber asserts the opposite . Ferber asserts that nighttime feeding is natural . contradictory +It was colder than it should be and there was green at the window . It was colder than it should be and there was the color green at the window . entailment +Just as an aside , Prudie cannot quite understand your wearing the T-shirt bra with its thin padding . Prudie can 't understand that , because she thinks it 's idiotic and against religion . neutral +They hand me a phone , where I find myself live on the air . I was on a radio show . neutral +San 'doro looked at the man and then at Jon . San 'doro wanted to fight the men . neutral +She looked flushed and upset . She was glowing with happiness . contradictory +The loveliest avenue , the Prado ( formally known as Paseo de Marta ) , runs from Parque Central to the sea . The Prado is the loveliest avenue because it is decorated . neutral +By the late 1990s , a new emphasis on quality and , especially in the Balearics , on safeguarding the environment had finally taken root 'too late for many environmentalists , but hopefully still in time to preserve much of the natural beauty and unique character of the Las Islas Baleares . Soon enough to help the tree filled environment . neutral +uh i really don 't think it makes that much difference what size of the school college or university one chooses as long as they have a decent program and they 're uh uh well known throughout the country Size is the most important thing to consider when choosing a college . contradictory +I 'm getting my father . " My father needs to be here . neutral +And for America Offline ... Also for America Offline . entailment +But the author 's exculpatory coup de grace is Tyson 's claim that a psychiatric illness caused him to do things to Robin Givens ( his former wife ) that he would normally never do . Tyson claimed that his actions were caused by alcohol . contradictory +In fact , it 's wise to drive as little as possible inside Paris ; the p ? ? riph ? ? rique ringroad runs around the city and it 's worth staying on it until you 're as close as possible to your destination . There is a road that runs around the city of Paris . entailment +The Left Behind series , co-written by Tim LaHaye , the prominent right-wing screwball and husband of Beverly LaHaye , the even more prominent right-wing screwball , and Jerry B. Jenkins , who , his biography states , is the author of 130 books , which is a lot of books for one guy to write , is a phenomenon . The author of the series regrets writing it . neutral +Despite the huffing and puffing , divisions have been closing in gender , in notions of patriotism , and even in some dimensions of race . Although there are complaints to the contrary , there is less of a divide in gender , patriotism and race . entailment +You train all your life and cross leagues of barren desert to break your ankle on the way in . The ankle was broken on the way in . entailment +no me either do you Do you , cause I don 't . entailment +In five minutes his woes were forgotten . It took an entire month for him to forget his woes . contradictory +Strolling along the waterfront promenades and through the narrow streets and taking boat trips on the lake are the main attractions in summer . In the middle of summer , there is a festival along the banks of lake . neutral +Established industries had their taxes raised but were not nationalized . Tax was added to the existing percentage in order to fund a technological project of the state . neutral +Books here in Stein 's ? Here in Stein 's has books ? entailment +now we that 's right that 's right and also we i say we uh i 'm retired from Texas Instruments and they 're just they 're like most everybody else you can 't just you don 't drop into a hospital and demand you know a thousand dollars worth of tests you know or you think you need to be hospitalized but there 's only a certain i mean you can go anywhere you want to go but there 's only approved uh health care centers you know that uh that they will pay you know the maximum amount The system in place for health care centers and insurance makes sense and doesn 't really require too much improvement . neutral +They 'd press the nuclear launch button if it got them a chunk of meat or a herring for a reward . They 'd never press the nuclear launch button if they got a chunk of meat for a reward . contradictory +Elaborate carvings on the walls of both buildings depict Amenophis making offerings to the gods in thanks for his divine power . Amenophis made a lot of offerings to the gods . neutral +Together we have advocated on behalf of LSC grantees at other federal agencies on issues arising out of other federal grants that the grantees receive . Women are advocating on behalf of LSC grantees . neutral +I don 't know where the ' Saint , ' part comes from . I 'm not sure where the New Orleans Saints got their name . neutral +yes yes well you know there are people uh referred to as savants also uh who can do most phenomenal things and everyone feels they are totally retarded Savants are people that have great abilities . entailment +yeah they got uh blueberry and i guess it 's apple or some kind of a maybe cinnamon cinnamon apple it 's it 's got the cinnamon on top of it They provide several different kinds of fruit-flavored desserts . neutral +Gut Symmetries , by Jeanette Winterson ( Knopf ) . Jeanette Winterson wrote Gut Symmetries entailment +He wrote me in an e-mail , I believe that the evidence for the Torah Codes is now stronger than ever . He suggested that the Torah Codes never existed . contradictory +oh i know it 's just awful I have been through that , and I thought it was pleasant . contradictory +Mrs. Vandemeyer lifted her lids . The lids remained shut . contradictory +Then what more do you want ? I have nothing more to say to you . contradictory +I still don 't understand why , if he 's Mr. Brown , he rescued us . " Mr. Brown rescued them because he cares about their well-being . neutral +She said that such collaboration has contributed to the success of domestic violence screening across the country . Collaborations of this nature haven 't helped much in the area of domestic violence screening . contradictory +It tells the story of the Holocaust in words , pictures , art , sculpture , and other exhibits . The Pacific front of World War II is discussed in many of the exhibits . contradictory +yeah yeah i have a nephew he 's a little brat My nephew is a brat . entailment +You remember my speaking of my friend Poirot ? I never told you of Poirot . contradictory +As you know , GAO supports the Congress in meeting its constitutional responsibilities and strives to help improve the performance and accountability of the federal government for the benefit of the American people . There has been a rapid improvement in the performance of the country . contradictory +On Wan Chai 's Bowen Road , Maiden 's Rock , also called Lover 's Rock , is the gathering place for the annual Maiden 's festival . Lover 's Rock is called as such because couples often go there at night to watch the stars . neutral +but i love to read i mean i 'm constantly reading i read i like uh mysteries and i like um as far as improving myself uh i haven 't read any lately but i was reading classical works that i hadn 't read before you know that you might have needed to read in school but that i just didn 't read for some reason or another another or that you know that you can only I love reading anything , but especially spooky mysteries . neutral +Marguerite with her box of jewels , the church scene , Siebel and his flowers , and Faust and Mephistopheles . The jewels in Marguerites box were all diamonds and emeralds . neutral +Customs ' strategic planning efforts now focus on the dramatic changes occurring in its external and internal environments and on the equally dramatic changes the agency will need to make in response . Customs won 't have to do much in light of the minimal changes to the external environment . contradictory +Crafts such as ceramics and pottery-making , wood-turning , and glass-blowing are also popular . Ceramics and wood-turning are highly disliked crafts and basically never done . contradictory +Do you know what I say to myself sometimes ? The person does not say anything . contradictory +Sheen will then have a July hearing on whether he violated his probation--he pleaded no contest a year ago to attacking a girlfriend--by engaging in drug activity . Sheen 's probation hearing will not happen until July . entailment +Its budget comes from lawyer contributions , grants and interest from lawyers ' trust accounts , For 2002 , the foundation awarded nearly $ 950,000 to 11 agencies ( see sidebar ) . They did not receive any donations from the lawyers contributions . contradictory +well they get a little money for it i mean they they pay they sell it so they should be you know unless it 's a hassle or a labor They meant to pay for the phone bill . neutral +You great idiot ! she said . She thought he was an idiot . entailment +Its hissing against the ground was a tumult in his ears , and superheated ash and debris began to fall . Its hissing against the ground was a commotion in his ear . entailment +i mean you know it 's very difficult to You know this is so easy a 5 year old could do it . contradictory +Why has crime plummeted in New York City ? Why has crime skyrocketed in NYC ? contradictory +In Hong Kong , the South China Morning Post , under the headline U.S. The South China Morning Post is the biggest newspaper in China . neutral +He 's the man the country seeks ! Loves the Turks and the Greeks ! He hates the Turkish and Grecian people , and nobody likes him . contradictory +all right well i have a lot of different teams that i like to to keep in touch with of course Texas Rangers being one of them i mean uh you know you can 't live in Dallas without you know Being such a big baseball fan , I keep track of tons of different teams . neutral +Because of the similarities in the challenges they face , we believe that federal entities can learn from these organizations to develop their own more effective security programs . Security challenges faced by federal entities is entirely unique . contradictory +um-hum yeah i i think that 's um well i think that 's an important thing personally um It 's important but at the same time things can get really complicated . neutral +Without a word , she turned and went swiftly up the stairs , whilst I stood like an idiot gaping after her . She 'd said she was running up to collect something . neutral +well most of us like our freedom you know we like to be left alone and we like uh Most of us want to be left alone , we value our freedom . entailment +right um-hum yeah and i think that 's mostly well you know we even before as soon as the community said you know we 're going to put up bins for recycling you know we automatically Our community has no need to recycle . contradictory +Check here if you 'd like Jesus to save you from burning in hell for what we just did so pleasantly to one another . If you would like Jesus to save you , click here . entailment +In the hills above Pithagorio is perhaps the most amazing example of Polycrates ' wealth and power . A golden statue stands tall above Pithagorio to honour the great Polycrates . neutral +that 's incredible i 've never won not one thing from a radio station i haven 't tried i probably haven 't tried two hundred and thirty times I have won a lot of radio station contests . contradictory +The site lists about 600 titles from the past 20 years , with reviews of about one-third of the books . The site has a wide array of literature and other works of art . neutral +John A. Adams is president-elect of the Utah State Bar . Adams will be leading the state bar in Utah . entailment +The sky is a dome holding the sun , the stars and the wandering planets . The sky is blank canvas with no features to be seen . contradictory +well that 's that 's the that 's because we 're supposed to be the rich ones with all the money to give away We don 't have as much money as it seems because of taxes . neutral +Such firms would be at a considerable disadvantage to those providing universal service . New regulations will require all companies to offer universal service by the end of the year . neutral +and with uh i guess with the oil burning over in Kuwait and stuff that would have a lot of air pollution in it Burning oil is the main reason for air pollution in Kuwait . neutral +Luis Vaz de Camees ( 1524 1580 ) , the Portuguese national poet whose work immortalized that country 's golden age of discoveries , may have stayed in Macau . Luis Vaz de Camees often wrote of his love for the Macau people . neutral +You cannot mean to shoot me ? There is no way that you could intend to shoot me . entailment +What new opportunities will they have when the change is implemented ? They will have better opportunities when the change is implemented . neutral +This examines the installation of the control device hook-up on a sequential basis . The tests the installation of the device hook-up at regular intervals . entailment +LSC also recognizes that opinions may differ as to the most appropriate configuration of service areas , and that grantees and other stakeholders may have a better perspective on how to best serve clients and enhance access in their states . The LSC does not listen to any opinions that may differ from their own . contradictory +and i got hit by the same thing because we thought we were going to be real mountain men and uh we got up there and we had the little pills you 're supposed to put in the water and make sure that it 's potable The pills were effective . neutral +The establishment and maintenance of a fair and equitable schedule The establishment and maintenance is on a schedule , happening each week . neutral +yeah oh well you know my wife 's uh a well i have a daughter in college you know and uh who 's got down at UT University of Texas i mean and my wife also has gone back for a teaching and English and English as a second language uh which is you know just teaching kids that are have have their native language and not English My daughter is a preschooler . contradictory +sadistic ( Alex Ross , The New Yorker ) . A few critics take the audience 's boos as evidence of New York opera-goers ' conservatism . The New York Opera-goers have no signs of appearing conservative . contradictory +The pope did , however , suggest the extradition of Tinky Winky , for ' crimes against God . The pope has a sharp wit and often uses television characters as the butt of his jokes . neutral +i thought it was the other way around they were always having to meet in the catacombs and all this so all the persecution that they 're sort of use to it it 's been sort of like you know It 's what they 're used to . neutral +But , wherever the fires were , she insisted , Clinton 's recollections were very vivid and painful . Clinton had no recollections about the fires . contradictory +AC is produced in the United States and abroad for filtration and other manufacturing purposes . AC is created in China and sold to the USA for use in schools . contradictory +Jericho 's other main attraction is the ruin of Hisham 's Winter Palace , located 21.2 km ( 11.2 miles ) northeast of town . The ruins of Hisham 's Winter Palace are the other major reason visitors come to Jericho . entailment +And Milliken is the most important contributor to the United States Business and Industrial Council , a lobbying group that was originally formed to oppose the New Deal but which in recent years has devoted its energies to opposing free trade . Milliken is part of the lobbyists . neutral +uh for kids to either either do military service or public service one of the two uh a lot of reasons for that not not just because i 'm a i 'm a hard ass or anything it 's just that Its a good idea to just let your kids run the streets and be free to do whatever they want . contradictory +This practice becomes even more pronounced outside of a breakeven requirement , when additions to net revenue can be kept . The practice becomes very uncertain inside of a breakeven requirement . neutral +Jon hadn 't seen anything like it in his whole life . Jon had never seen such a big horse in his entire life . neutral +well anyway i guess that 's about all i got to say about the uh the weather That 's all I have to say about the weather . entailment +i think it comes in a forty pound bag and it 's real fine like flour It is a similar consistency to flour . entailment +New resorts , such as the Bellagio , are aimed at travelers attempting to recapture the glamour of the Rat Pack era , while many others are following the lead of Caesars Palace , which offers world-class shopping facilities . The Rat Pack era is manifested by the Bellagio . entailment +Mr. Wells , there is one thing I should like to ask you , that is , if it is not against professional etiquette . Can I ask about your work if its not against your professional etiquette . neutral +no no it 's nowhere near that expensive and it it 's just the idea that these uh these actors you know live in such lavish style i mean it 's as simple as that These actors are some of the poorest people in the world . contradictory +Its exotic character is enhanced by the twin-columned 13th-century cloister overgrown with tropical plants , orange , lemon , and palm trees . Tropical plants grow around it . entailment +Afterwards you shall question as much as you please . " You can ask anything you want right now . contradictory +well um what what do you think about the metric system uh do you uh find it usable have you tried much with it Do you like the metric system . neutral +Lois Gould was writing about ready-to-wear fashion , which tends to be dealt with all the more hysterically ( see Robert Altman 's film Prat-a-Porter ) for there being huge amounts of money at stake in the success or failure of its collections . Gould was a fashion writer . entailment +For each increment of time , the impact to US steel demand was less than one tenth of one percent . The impact on steel demand in the U.S. was less than a tenth of one percent for each increment of time . entailment +Remarks to the New Society . Critical remarks to the New Society . neutral +He agreed that the authority issue is important , but he suggested smaller , targeted research studies could address that question . He was wrong about suggesting smaller studies . neutral +Be it enacted by the Senate and House of Representatives of the United States in Congress assembled , US Senators and Congressmen assembled and enacted and signed the bill neutral +The best view is from the riverbank near the Ceteau Saint-Privat , beyond the aqueduct . The view from the riverbank is not near the Ceteau Saint-Privat . contradictory +water base and then before we sold it there was another one and i 'd wash the house down and all that I washed it down before we sold it . entailment +Besides sheltering the most vulnerable of the cathedral 's statuary and some stained-glass windows from the earlier 12th-century Romanesque building , the museum has a fine collection of Alsatian medieval painting by Konrad Witz , Martin Schongauer , and Hans Baldung Grien . Konrad Witz 's paintings are the most popular attraction in the museum . neutral +The sea urchin , Arbacia punctulata , test requires control egg fertilization equal to or exceeding 70 percent . The sea urchins are notorious for having rapid breeding cycles . neutral +If a ruler died without direct heir , his state lapsed into British hands . If a ruler died without an heir , a new one was just selected . contradictory +They had sought through other worlds and ages for anyone with a reputation as a builder , engineer or construction genius , without screening the probability of finding an answer . They looked around for an experienced engineer , builder or construction genius . entailment +but strangely enough the best offer i mean the best bargaining i had made with a dealer on my car was also the same place i got the best price Weirdly , I got the best bargain at the place I got the best price . entailment +uh-huh i had a room I had a room , yes . entailment +He had not tried to open the door , so why did he care that it remained firmly shut ? He did not understand why he cared that the door remained shut . entailment +yeah right right most people seem to be there out there None of the people like being out there . contradictory +To widespread regret , Victor Baltard 's great cast-iron and glass pavilions were torn down in the 1970s . Much of the regret stemmed from the fact that his pavilions were architectural landmarks of the location . neutral +For a new perspective on the wonders of the deep , all you need is a mask and breathing tube ; the fins are optional . If you want to look at the wonders of the deep , a mask and breathing tube are optional , but fins are required . contradictory +Tuppence 's spirits revived to the normal . Tuppence felt his spirits lift to where they usually were . entailment +back a few years A few years back entailment +Not exactly her tune--she remained as mean as a ferret , but she did let Shopping Avenger use her telephone . She didn 't like Shopping Avenger at all . neutral +There are Legal Services offices in every county except Salem and they handle roughly 50,000 cases a year . Every county except Salem has Legal Service offices . entailment +uh i really don 't know um I really don 't know entailment +The newsweeklies ' Gen Y obsession continues with a cover story on Tweens , the 27 million 8-to-14-year-olds in the United States . Newsweekly continues with a cover story on Baby Boomers . contradictory +Nobody minded much as long as somebody else was paying the bill ( true , the economists warned in their dreary way that costly benefits get shifted back to workers in the form of lower wages , but who listens to them ? ) No one cared at all . contradictory +Tommy rejoined Julius , and explained . Tommy went to Julius and gave an explanation . entailment +They would not want to leave and the river spikes would not be enough . The river spikes would not be enough . entailment +and i have IBM clones in both cases I never did get my hands on any IBM clones . contradictory +Excellent vegetarian meals from appetizers to desserts , prepared to perfection with the addition of fresh fish daily . They only serve meat . contradictory +In addition , for each principle , several key characteristics of organizations that successfully execute these principles are listed . The successful organizations are not listed . contradictory +Cummins built and tested 12 engineering concept prototype engines for its Signature 600 engine , a new concept , 600 horsepower , Cummins did not build any prototypes when developing the Signature 600 engine . contradictory +Indeed , perhaps the most vivid reminder of the Moors are the dark , brooding eyes of so many of the islanders of today . The dark eyes remind people of the Moors . entailment +i don 't know i i i think the idea is supposed to be natural so that you know there 's no i 'm not sure if the idea is a natural one . neutral +Horseracing . horses cannot be used for racing purposes . contradictory +Of course it 's an awful risk for them to take , because she knows all about them but they 're pretty desperate to get hold of that treaty . The risk is too big for the payoff . neutral +In fact , the vast majority of GAO 's recommendations are addressed to executive branch officials for action . Most GAO 's advice was for the executive branch . entailment +That all the welcoming would be on the other side , breaking right through the barrier he had been building for years ? The welcoming may break down the walls he had built . entailment +Good luck . ' I 'm sincerely rooting for you . neutral +Migrant farm workers - 16,000 to 40,000 in Colorado , according to the U.S. According to the US , there are 16,000 to 40,000 migrant farm workers in Colorado . entailment +He swung hard , cleaving a large gap in the villager 's wooden shield . The villager 's shield was made out of oak . neutral +Soon after the Bay of Pigs , Castro declared himself a Marxist-Leninist . Castro is not a Marxist-Leninist . contradictory +Succumbing to Caribbean-wide informality , the casinos do not require men to wear a tie or jacket . Men are always required to wear ties and jackets whilst they are in the casinos . contradictory +He turned to Gauve . He looked at Gauve . entailment +identifying best practices regarding information security programs so Identifying improper practices for the programs . contradictory +You have got them , then ? " With magnificent calm Tommy shook his head . You have them ? Tommy shook his head in panic . contradictory +Despite being Shikoku island 's largest town , Matsuyama is a laid-back place , mainly serving as the shopping center for tourists visiting the hot springs situated 4 km ( 2 . 5 miles ) away . Every tourist that comes to Shikoku island visits Matsuyama and the hot springs . neutral +Authority to acquire information processing resourcesDelegation of up to a specified limit , issued by GSA in response toProcurement an agency procurement request . The agency cannot file a procurement request . contradictory +By 1793 , when the leaders of the Revolution declared the palace a national museum , there were 650 works of art in the collection ; there are now , it is estimated , some 173,000 . This museum contains works by some of France 's greatest artists throughout the centuries . neutral +The plan , Thompson explained , enhances the likelihood of the lawyer having to look over his shoulder . The plan would take effect the following Tuesday , said Thompson . neutral +But the ultimate venue to restore the spirit is tranquil Miyajima , just 30 minutes away . Miyajima , several hours away , is a depressing and gloomy place likely to sap your spirits . contradictory +we i guess we both agree that it 's a good thing that they should do sometime well you take care and and enjoy the day thank you ma 'am bye-bye This is the first thing that we agree on regarding what they should do . neutral +how come i 've been kind of um i guess the commercials are getting to me the Toyota commercials and i know that a lot of people i 've i 've known that have had Toyotas have been just extremely happy with them that hardly had any problems at all The commercial for the Hummer was over the top . contradictory +I 'm still at Stage One . ' I 'm at the beginning . entailment +it was pretty bad bad because i understood all of it I didn 't care because I didn 't really understand the importance of that issue contradictory +More also needs to be done to address the continuing expectations gap regarding what auditors are doing in connection with the detection of fraud and internal controls , and to audit through electronic information systems rather than around them . We need to do more to address the gap between what auditors are doing and what we expect them to do . entailment +These retrofits would be early installations that sources initiate due to the economic benefits of banking SO2 allowances . These retrofits are only being installed because the law requires them to do so . contradictory +Julius looked across at Sir James , who nodded . Julius refused to look at Sir James for any reason . contradictory +An additional field work standard for attestation engagements performed in accordance with GAGAS Attestation engagements carried out in keeping with field work standards and GAGAS . entailment +and uh it would probably help if we could figure out how to get them to put money back into the system instead you know you take someone on welfare and you give them a job and they 're paying income taxes all of a sudden you 've changed it around and it 's going in the other direction I think we need to figure out how to get more people on welfare and away from low-paying jobs . contradictory +In March of 2001 , LSC released Building State Justice a State Planning Report from the Legal Services Corporation . In March , LSC released a report to their website . neutral +He has repeatedly feuded with owners and general managers about running the team . The owners have constantly fought with him over overseeing the group . entailment +and um i 'm heavily involved in you know my own personal recycling we recycle paper and cans here at work and you know i do the newspaper and cardboard and paper and My colleagues and I try to recycle all materials properly , including plastic . neutral +Which , when you think about it , is pretty much the way it happens in the offline world . When you think about it that is pretty much how it happens in the offline world . entailment +Shorter itineraries could include the walk from Agii Deka to Gertis The distance between Agii Deka and Gertis is so great that train travel is a necessity . contradictory +Birds of prey that are rare elsewhere in Europe are often spotted here , and stretches of water and wetlands , which include S 'Albufera and Salines de Llevant on Mallorca , and S 'Albufera on Menorca , attract waterfowl . Birds of prey are common throughout Europe . contradictory +'I thought you trusted me , ' I muttered . I wished he trusted me more . neutral +Mr. Czarek Pytlasinski experienced an almost invisible tick of the right eyelid . Mr. Czarek Pytlasinski 's face was still . contradictory +I 'd say , suh , if they 're but a sample of Range stock , the breed is excellent . The Range stock breed is outstanding . entailment +huh yeah i 've got to try i um years ago um we we 're uh my folks were um we were visiting Los Angeles or something and i remember being taken to a real fancy Mexican restaurant there called Senor something Senor Pico or something like that and I was at a fancy Mexican restaurant before in Los Angeles . entailment +Maybe he should step aside and let someone else take over the routine . Maybe he would let someone else do it . entailment +well i 'm trying to think if i ever even had a favorite one at one time uh I have always had a favorite . contradictory +yeah and raising cats no and ignoring cats contradictory +At least you know they 're not reading a book or anything . You 're aware that they aren 't reading a book . entailment +Keats is famous for his odes , which are taken to be celebrations ; but they are not . Keats wrote limericks . contradictory +The Rathor Rajputs , always a belligerent bunch and bad trouble for Mughal foes and the Rajputs , built it in the 15th century . The Rathor Rajputs eventually beat the Mughals and Rajputs . neutral +The answer , of course , is that we work so hard because we are determined to get ahead--an effort that ( for Americans as a society ) is doomed to failure , because competition for status is a zero-sum game . We work three jobs a day . neutral +that 's a very common experience you know That experience is quite common . entailment +Malls and tourist shops tend to open all hours to suit the local trade . The malls and tourist shops are open all the time . entailment +you know i think a lot of people like i said are more concerned with you know right now you know the aspects of saving the earth um i think a lot of people are realizing for the first time how important recycling is neutral +The rider shifted his weight in the saddle and gazed about him with watchful interest . The rider looked around him entailment +It swelled bit by bit , raging as it drew nearer . It shrank quickly , as it moved away bit by bit . contradictory +Look out for the handsome pillared verandas of the dwellings . Take a gander at those houses ' stylishly pillared verandas . entailment +These ? Poirot produced the empty box which had contained powders . Poirot handed over the overfilling box . contradictory +Certainly we can consign all sports metaphors to the linguistic cemetery . Sports metaphors are the cheapest kind of metaphors to make . neutral +The cave monasteries of Udaigiri are close to Bhubaneshwar airport . The cave monasteries of Udaigiri are nearby to the Bhubaneshwar airport . entailment +When the church was consecrated , his body was laid to rest within the walls . He was buried in a place of honor at the center of the church . neutral +Though with th ' Old Man off reppin ' for th ' law down along the border and needin ' hands back on the Range , we swallows down th ' dust nice an ' easy an ' takes it slow . The Old Man never went to the range . contradictory +yeah i don 't know cut California in half or something I 'm not sure . Maybe you could cut California in half . entailment +North of Temple Valley , next to the 13th-century Norman church of San Nicola , the small but important Archaeological Museum has a fine marble statue of Ephebus ( fifth century b.c. ) , a gigantic telamon , a 25-ft sculpted male figure used to hold up a temple roof 's entablature , and some superb Greek wine vessels . The statue of Ephebus inside the Archaeological Museum stands at an imposing 13 ft of height ! contradictory +The summary rating levels include achieved results , minimally satisfactory , and unsatisfactory . Unsatisfactory rating lead to immediate dismissal . neutral +Later it became the palace of the Mamelukes and was a British garrison during WWII . After being a British garrison it became a palace . entailment +personal computers are are nice i guess if you can afford them the the problem if you happen to use one at work is you tend to get spoiled with the uh maybe a higher grade one maybe the the economics and the payback of having one at a business is a little bit better than having one at home and i 've read a few articles that uh where people have nice uh three eighty six machines and nice graphics and the nice software packages and then when they come home they they just can 't stand to come down to the X T level and and don 't like the the slowness or the in some cases not even having a hard drive and that 's pretty much where i fall into i use a a relatively nice array of machines at work for scientific purposes and i have a variety of of uh speeds and complexity of machines depending upon the instrument that it 's controlling and then i have one that i do just general purpose work on and then for the house i don 't have anything uh not that i wouldn 't want one but i would probably not be satisfied with anything less than a really nice one and that 's that 's a quite an expense and then all the software tends to be uh PCs are expensive . entailment +well there is a a neighbor of mine used to uh uh know quite a bit about uh raising parakeets and she had uh a lot of connections when it came to getting good birds so she was knowledgeable all the different breeds and colorations and so forth I had a neighbor who used to own several parakeets . neutral +Since the Coast Guard 's marine safety program became a GPRA pilot program in fiscal year 1994 , the number of direct program personnel declined and its budget was reduced by 2 percent . The budget increased along with the personnel . contradictory +The main house is now a museum of antiques , including furniture from a variety of centuries and origins . A three hundred year old chair once used by the queen is stored here . neutral +and we didn 't have a tent or any camping supplies so we 'd sleep on those picnic tables at roadside parks i mean i know it 's dangerous i wouldn 't do it now but we did I would still do that now . contradictory +Malaysia 's proserity in recent decades is most evident in the central region of the peninsula , where the signs abound . The central region of the peninsula has the most signs of prosperity . entailment +The ship , which had almost levelled off , dipped down again . The bow of shit raised high in the air . contradictory +Some of their houses in the side streets are from the 12th century . The houses built upon the side streets are mostly of granite . neutral +and of course there couples get kind of spiteful at times and The couples there are always so lovely and fair . contradictory +A brilliant duelist . He was very good at dueling . entailment +They roll north as the air cools and then the torrent rakes the northern trail for two months . They knew where they were heading . neutral +yeah it 's really sad i don 't know i just think um I can 't talk about it without getting a little weepy . neutral +But the truth is that I don 't know--and I don 't think it matters . I don 't know if he was blackmailed into doing this or not . neutral +i 'm not sure i have I am not certain if I possess . entailment +in cold frames or whatever the in cold frames . entailment +Figure 1.6 : Aged Population Nearly Doubles From Today as a Share of Total U.S. Aged Population Nearly Doubles From Today as a Share of Total U.S. due to Improved Healthcare . neutral +How did they know ? How did they know about it ? entailment +Given that your efforts involved a lot of time ( and perhaps paying for the party ) and afforded the couple a wonderful celebratory evening , along with $ 900 to apply to their honeymoon expenses , Prudie feels you have given them a grand wedding gift . You didn 't do enough to make the wedding and honeymoon good . contradictory +Two years after Ca 'daan had ceased his own brill trade north , choosing to sell south twice a year , his neighbor and his neighbor 's sons lost an entire herd of six brill off of Heaven 's Highway . He was jealous of his neighbor 's massive success . contradictory +uh and and there 's some very specific things you can find you can even narrow narrow it down to where it was made i mean people are so aware of these things that there are certain identifying marks on there that would not be on a real one and uh you you can almost tell the area somebody probably even knows the guy who made them There 's ways to narrow it down . entailment +but i 'm kind of getting a little more leery of credit cards you know as time goes by unless you just absolutely have to now there are times when you 'd at least think you do anyway Cash is still useful . neutral +Artists are also fond of this harbor and its constantly changing light ; among 19th-century visitors were C ? ? zanne , Corot , Monet , Seurat , and Sisley , and painters still flock to Honfleur today . Leonardo da Vinci once visited the harbor and it can be seen in its drawings . neutral +well the prestige of being a teacher is also pretty nil well i think a lot of that has to do with the fact that they say well since this is a woman dominated field we can treat them like dirt you know I think they don 't honor teachers much because it is dominated by women . entailment +Today , a rental fleet makes it possible for almost anyone to enjoy a sail in this dreamy place . You can sail here . entailment +In each of the statewide websites supported by TIG funds , there is or soon will be a section committed to pro bono attorneys . Many statewide websites are supported by TIG funds because they are a supportive group of people . neutral +Today , the postings often have less to do with greed and more about world affairs , political opinions and advice to young associates and law students . Greed is a bigger part of the postings than world affairs . contradictory +you need to get it while you 're still hot You 're not hot at all if you get out . contradictory +Obsidian is a hard , vitreous volcanic rock , which could be fashioned into tools for cutting and stabbing . Obsidian is a powdery rock with little use . contradictory +The names of the companies are confidential and were not known to the researchers . The researchers were not aware that Walmart , CVS and Walgreen 's were participants . neutral +Corridors lead from here to the various wings of the museum . You can get to various wings of the museum from the corridors here . entailment +He smiled and it frightened me . His smile was frightening . entailment +It surprises many visitors that there is only one 18-hole course in Israel , in Caesarea . There are over a dozen 18-hole courses in Israel . contradictory +You can 't liberate me . You are unable to liberate me . entailment +exactly right right well and uh you know one thing my wife and i 've talked about it are uh private schools My wife and I are thinking of sending our children to private schools . neutral +2 sonatas , for example , don 't need a sound source identical to the Hammerklavier . And the coming original-instrument performances of the remaining concertos from Levin and Gardiner promise to be revelatory . Levin and Gardiner 's concertos are unlike any others . neutral +Participation in the new currency requires nations to cut their national debt below 3 percent of GDP . Participation in this currency requires national debt above twenty percent of GDP . contradictory +It adds that prior light truck standards have not been viewed as having federalism implications warranting preparation of a Federalism Analysis . It adds that prior light truck standards have been viewed as having federalism implications contradictory +Election . See the entry above . There 's no need to read the previous entry . contradictory +Got no use for the family feud business . He could think of a thousand uses for family feuds . contradictory +Importantly , for both the Congress and GAO , the Vice President challenged GAO 's fundamental statutory authority to assist the Congress in connection with its constitutional , legislative and oversight authorities . The VP said GAO didn 't have the authority to help Congress . entailment +Nevertheless , the enlightened Athenians acknowledged Crete as a source of much of their culture , and its caves and shrines were major centers of pilgrimage . The ignorant Athenians believed that Crete was an alien , unrelated culture . contradictory +Single-unit FGD installations have occurred in as little as 20-21 months9 , and multiple FGD systems have been installed within 36 months . There are installations of FGD that have occurred . entailment +Field structures and Structures of fields . entailment +I--I heal quickly . It was no more than the truth . I heal quickly . It was not a lie . entailment +Pugnochiuso is among the best of the beach resorts , along with Vieste , where Emperor Frederick II left a castle from which to view the Adriatic , and the pretty fishing villages of Peschici and Vieste climb up the rocky promontory . Pugnochiuso is the most popular resort because it has the best views . neutral +Commentators politely overlooked the fact that Jordan is still a monarchy . The commentators ignore that Jordan has a king because it 's not an oppressive monarchy . neutral +San 'doro found a small skin of liquid on one of the men , he poured out a thick oily liquid into the ground . San 'doro found nothing on the corpses . contradictory +Unable to formulate a precise allegation , one reporter asked Bauer whether his behavior with McClard had been flirtatious or in any way different from how you interact with other aides ( no ) . Bauer was accused of flirting with McClard . entailment +When the evidence is more inconsistent than consistent , the pattern is rejected . The pattern is always rejected if there is even the slightest inconsistency . contradictory +Ask the dealer to explain the symbols on any carpet you are thinking of buying . I would ask the dealer before buying them . neutral +Dave frowned , and then relaxed . Dave was worried but not any more . neutral +the Administrator of EPA shall promulgate a rule establishing specifications for detergent additives to implement the requirement , also contained in section 211 ( l ) , that , effective January 1 , 1995 , no gasoline may be sold or dispensed which does not contain additives to prevent the accumulation of deposits in engines or fuel systems . The EPA Administrator will make a rule that requires detergent additives to be eliminated . neutral +He loved his bearded irises , old roses , and peonies . He loved his flowers . entailment +uproots that and that so that you know they need to be willing to pay a little bit more for it yes they 've earned it and yes they 've that 's great they 've you know had such great fortune here They were really lucky here . entailment +In that respect , the views of the participants in this forum represent considerable experience in the matters discussed and represent one way in which an independent party , such as GAO , can assist those who define and / or implement policy . The views of the participants represent experience in the matters discussed . entailment +The northeast coast of Malaysia , especially between Kota Bharu and Kuantan , is one of the best places to see traditional Malay life with its rich Muslim culture , particularly evident in the kampungs ( villages ) of the interior . Kampungs ( villages ) are scattered through whole Malaysia . neutral +These show performances from December or January until late spring or early summer . The shows continue until early summer or late spring . entailment +While acknowledging Hussein 's misdeeds--attacking Israel in 1967 , hosting Palestinian terrorists over the years , and siding with Iraq in the Persian Gulf War--editorialists lavished excuses on He feared a Palestinian revolt if he didn 't attack Israel in 1967 , atoned for the 1967 war by sitting out the 1973 war against Israel , and allied himself with Iraq in 1991 because he feared an Iraqi invasion or collateral economic damage from the war against Iraq . They had more example but were pressed for time . neutral +All his life he will live with what he has done , knowing that act , no matter how good , will ever wash the blood from his hands . He will live with what he has done for his whole life . entailment +With respect to challenges at the local level , conferees discussed the need for programs to create cultures that address more complex issues ( for example , mental health and race issues ) . There are challenges locally . entailment +and i get mail I do receive mail as well . entailment +or have more to do over that same time frame i don 't know which that answer is I have very little to do over that period of time . contradictory +and then i distributed them and then i can i get i can sell them at a cheaper price plus i 've got a uh drinking water system business that i 've had on the side for years that i 've done i 've never had my own business before contradictory +But linking competition to state planning has expanded the impact of both of these initiatives in powerful ways that we were not able to envision in 1998 . Linking competition to state planning expanded the impact of both initiatives . entailment +If auditors determine that internal controls over data which are significantly dependent upon computerized information systems are not effective or if auditors do not plan to test the effectiveness of such controls , auditors should include audit documentation regarding the basis for that conclusion by addressing ( 1 ) the reasons why the design or operation of the controls is ineffective , or ( 2 ) the reasons why it is inefficient to test the controls . If auditors find the internal controls over data are not effective , they should include that documentation in the appendix . neutral +If an agency has not designated a central liaison , GAO will provide the notification to the responsible agency management official . GAO will provide the notification to the responsible agency management official if an agency has not designated a central liaison . entailment +The top of the tower is off limits , due to dangers inherent in the narrow staircase that leads to the look-out point , so the best bet for a panoramic view of the city is the top floor of one of the taller , more recent hotels . Even though the most recent hotels are not as high , they still offer a pretty view . neutral +The regulation includes a definition of the term necessary consequences , a key element to be considered in determining a veteran 's eligibility for compensation under this rule . Defining the phrase " necessary consequences " is done within the regulation . entailment +and uh and they 're promoting the cloth bags you know the reuse reusable cloth bags The cloth bags they are promoting are not reusable . contradictory +If we 're going to be upfront about the meaninglessness of our messages , at least let 's use the colorful yadda yadda yadda to replace excess verbiage instead of the tepid blah blah blah . Just think of the potential for the news media . The media never fails to talk about gibberish . They are always like this . neutral +Thanks to me . I did not help in any way . contradictory +The Perfect Storm , by Sebastian Junger ( W.W. Sebastian Junger wrote many books revolving around meteorological events . neutral +'Let us take a brief moment of silence for the late Ted Hughes , ' to the semiannual convention of Poetesses Who Love Anguished , Theatrical Histrionics ( PLATH ) . PLATH had a semiannual convention . entailment +After seeing the church , mausoleum , and library , visitors are shown through the Palacio de los Borbones ( Palace of the Bourbons ) . The visitors are not allowed to see the church . contradictory +I headed straight for the front of the train , the cockpit- the driver 's den . I went to where the train driver sat and pounded on the door . neutral +More than most papers , USA Today steps aside and delivers the experience that Dewey considered necessary to that convergence on statistics , direct lengthy quotations , complete box scores . USA Today is not different at all and does not provide anything necessary , contradictory +Included also are models and initiatives that have proven successful or hold out the promise of success . Models and initiatives that have been successful are included . entailment +In Renaissance times , the quarter south of the Arno , Florence 's Left Bank , was an aristocratic preserve where the Medici held court . Florence 's Left Bank is north of the Arno river . contradictory +At the eastern end of the Tuileries stands the pink Arc de Triomphe du Carrousel , roughly contemporary with the larger arch at the Etoile , visible in a straight line beyond the Obelisk . The Arc de Triomphe du Carrousel is located at the Tuileries ' eastern end . entailment +These trends present a range of challenges that have no boundaries . Some of the challenges present have no boundaries to them . entailment +i think it would too I don 't think it will be like that at all . contradictory +I tell you , I 've had about enough for one day , said the Kal . The Kal was hoping he could get some more soon . contradictory +Due to the installation of SCR units for the NOX SIP Call , a significant percentage of the boilermakers who are currently working in the utility industry would be needed to complete those retrofits by 2004 . The installation of the units has resulted requiring a portion of boilermakers to complete retrofitting within a time frame . entailment +The rap on him is that he can 't throw out base runners . His ability to throw out base runners is legendary . contradictory +You 're not dead ! " What 's so wonderful about that around here ? " he asked , but not with much interest . He was excited to be alive and proclaimed this to everybody . contradictory +no it 's it 's got people singing but it 's it is instrumental but it 's it 's got people singing but it 's got a like a whole bunch of people singing you know um how many people are in This piece has absolutely no one singing in it . contradictory +Other sports sites pale next to SportsZone , but they still demolish print and TV . SportsZone is one of the worst sports sites on the Internet . contradictory +Suffering less than the north from the ravages of Muslim iconoclasts , their temples have survived in profusion and in much better condition . They suffered more than the north from the ravages of the Muslim iconoclasts . contradictory +well let me explain fly fly fishing to you then you 're not casting a weight on the end of the line Let me explain fly fishing so you know how to do it when we go . neutral +3 . Elitism . Societal issue . entailment +you know having all short people and uh we only had We had all tall people . contradictory +In olden days , only brigands and pirates ventured out here , their ruined redoubts and look-out towers still dotting the hillsides and promontories . This area never attracted anyone , not even pirates or brigands . contradictory +Bush : Seems like to me `Thou Shalt Not Kill ' is pretty universal . Bush wants to kill a lot of people . contradictory +Today , hundreds of soldiers are stationed in the park to keep out poachers . There have been many poachers in the park , hence the hundreds of soldiers present . entailment +Down the slope they went , Slim , as usual , in the rear . Slim was the last one down the slope . entailment +She raised her hand and adjusted the ruffle of lace at her neck , turning her head a little as she did so . She raised her hand and adjusted the neckline to make it more comfortable . neutral +The reviews of Yardley 's book are less positive . Yardley usually writes picks more upbeat themes to write about . neutral +oh i had first had thought this was just Texas Instruments but apparently it 's not just Texas Instruments I mistakenly thought it was only Texas Instruments . entailment +In his multi-center study , interventionists felt restricted by a standard intervention , sensing that variation was needed to meet different clients ' needs . The study showed that interventionists could sense that their clients needed variation . entailment +that 's the biggest killer there is i think they should do both of them I think that both should be done by them . entailment +well we 're still writing checks for the loans for Notre Dame Did your parents or grandparents read to you when you were young ? neutral +Buchanan finds the most truth in the Dowd 's suggestion is perilously close to the truth . Dowd has interesting views on the subject matter that Buchanan lacks . neutral +Table 2 . Influence of Technology Assumptions on Key Scenario Indicators - 2010 The influence of technology assumptions has been increasing over the years . neutral +no no they that 's what i mean at one time we we used to able to carry that over to the kids of course i i can see the teacher 's point too where at at three o 'clock or four o 'clock they want to go home and not worry about kids so but if they had probably some renumeration to help them say you know maybe i 'll give this kid a little extra help or something All of the teachers love giving kids extra help for a few hours after school . contradictory +I didn 't need to worry about being murdered or robbed or anything like that- the little salmon symbol on my jacket kept all the lowlifes at a distance . The lowlife all attacked me . contradictory +Successful management improvement efforts often contain a number of common critical elements , including top leadership commitment and accountability , the integration of management Management improvement efforts are impossible to accomplish successfully . contradictory +Anyway , it 's worth trying . After handing it over the counter she set out briskly for home , stopping at a baker 's to buy three penny-worth of new buns . She stopped at the bakery on the way home and brought fresh buns . entailment +Imprints that concentrate on midlist books--like The Free Press , Basic Books , and Pantheon--have been downsized , sold , or repositioned by their conglomerate fathers in recent years . The Free Press , Basic Books , and Pantheon have done great recently . contradictory +We 're meeting tonight . They won 't get together again until April . contradictory +As such , the risk assessment process should be iterative . The process is to assess benefits . contradictory +If the island 's second largest town has any centre at all , it 's the sleepy square in front of the sagging old police barracks . There is an old police barracks in the island 's second largest town . entailment +The northerner waited for him to pick it up . The man from the north was waiting for him to pick up the ax . neutral +okay well any other comments ok well any other comments or complaints neutral +In fact , in 1930 , after 37 years of service , the train exploded , killing a number of people . No one knows why the train exploded after 37 years . neutral +yeah just so that my kids would would have me at home My kids would be alone at home contradictory +and and you said about about Plano and Campbell is the petting and you told me there was going to be petting available entailment +Recent underwater archaeological excavations have revealed a wealth of stone blocks and statuary lying only a few feet below the surface . There are stone blocks and statuary beneath the surface of the water . entailment +His arm jerked back and snapped forward . He limb moved around . entailment +so yeah we 're getting replenished and so there is uh when i first came here everything was yellow the grass was dead everywhere When I got here the grass was dead . entailment +At the same time , the combination of a lower demand for electricity and an increased investment in cleaner energy supply technologies reduces both carbon and NOx emissions by 10 . Cleaner energy technologies have had a greater impact on emissions than attempts to reduce electricity demand . neutral +His popularity is said to be at an all-time low . He is not very popular right now because he has gotten fat . neutral +This isn 't the right crowd , this isn 't the right gig . ' This was perfect , everything they had hoped for , the perfect crowd , the exact gig . contradictory +You 'll find a printed guide indicating times and difficulty of various hikes at the Pointe- ? -Pitre tourist office . The guides for the hikes are only available electronically . contradictory +Will this approach work ? Will this approach we have planned be viable ? neutral +Its volume declined from 7.2 billion pieces in 1990 to The volume decline was due to the baby boomer generation aging . neutral +Worship of Ra would grow to become one of the most important facets of Egyptian culture over the next 3,000 years . Worship of Ra was one of the most important facets of Egyptian Culture . entailment +The prices will vary according to the proportions of silk and wool used and the density of the weave itself ; naturally , none of these pieces are cheap . Silk and wool are cheap products . contradictory +Every limb provided resistance- I had to work twice as hard to make them move . After working out at the gym my limbs were so tired it was hard to make them move . neutral +Their combined expertise includes resource development , organizational management , technology , migrant and immigration law , access and intake systems . Their combined expertise relates to tax law . contradictory +Ivory-white and 11.3 m ( 37 ft ) high , its columns , beams , and cornices are carved with a menagerie of dragons , phoenixes , lions , and tigers in a field of clouds , peonies , Chinese sages , and angels , all gilded and painted in red , gold , blue , and green . It is over 10 m tall and has carvings on its columns . entailment +It was time for the most important part of the massage - the stoning . The part of a massage that was the most important was the stoning . entailment +St. Peter 's statue on top replaced that of the emperor 's in 1587 . In 1587 , the statue of St. Peter was taken down and subsequently replaced with a sculpture of the emperor . contradictory +Corroborating Evidence You should consider the extent to which corroborating evidence is likely to exist and will independently support your findings , conclusions , or recommendations . The corroborating evidence that you find will greatly strengthen your findings and conclusions . neutral +Across the river , the 19th-century Orsay railway station has been transformed into the Musee d 'Orsay . The railway station was transformed entailment +I , along with members of the GAO team , look forward to using these protocols to continue to serve the Congress and the American people while maintaining a professional , constructive working relationship with the federal departments , agencies , and other entities that are stakeholders in GAO 's work . The GAO team 's members are dragging their feet about having to implement the new protocols . contradictory +Britain ' s Labor Party is demanding an investigation of a report that Prime Minister John Major orchestrated an $ 800,000 donation to the Tories from a foreign businessman . The Labor Party wants an investigation into a donation to the Tories from a foreign businessman . entailment +As he passed the recess , he turned his head slowly . He trotted past the recess , nodding happily . contradictory +Once considered a model of social scientific method and a source of broad insights into the way people live , the discipline had become directionless , intellectually moribund , and hopelessly overspecialized , with departments across the country scaling back or disappearing altogether . The discipline has become directionless , with departments all over the country disappearing . entailment +For others , the climb is an exercise in self-discipline and physical purification . The climb helps with your self-discipline and purifies you . entailment +We 'd see him . Tommy had to admit that this was true . Tommy was sure they 'd see him . entailment +Shows 7 : 30 and 11pm ; dark Wednesday and Thursday ; over $ 100 . The shows aren 't shown on Wednesday or Thursday . entailment +Moreover , it is a well-established rule that Congress is presumed not to have intended absurd results . Sometime this rule gives Congress too much credit . neutral +oh definitely there 's no what let 's see we 've had the funding we 've run out of money we 've frozen the money right and they had until the fifteenth of April to come up some formula that would be more equitable to districts different districts according to finances because the poor districts were getting less money so not as good an education right We had the funding but we ran out of money . entailment +'If you 'll just ... ' You don 't need to . contradictory +A little chap ? The small guy ? entailment +Set in Cuba during the Spanish-American war , the novel is part Western ( the main character , Ben Tyler , is an Arizona cowboy ) and part noir ( he 's in on an arms-smuggling scam gone bad ) . Ben Tyler has never visited the American South West . contradictory +Change in government saving represents tax revenue loss in first year due solely to tax deduction for IRA contribution . The changes always represent tax revenue loss . neutral +Audiences literally boo avant-garde director Robert Wilson for his minimalist staging of Richard Wagner 's classic opera , and most critics agree with the verdict . The audiences walked out of the theater during the show . neutral +Invented in 1993 : After a big interception , Packers safety Leroy Butler . The populist Leap is particularly suited to the NFL 's only publicly owned team , the zealously beloved Pack . The Saints are the only NFL team that is owned by the public . contradictory +Agency Comments and Our Evaluation Our Evaluation and Agency Comments . entailment +right oh i know it builds up really fast We 've been enjoying a lull in our workload . contradictory +In some cases , moving of equipment has been necessary , but this has not proved to be limiting . Moving equipment proves to not be limiting . neutral +Citizens , even in the remotest hamlets , could readily communicate with one another , monitoring the doings of Congress , and state and local governments . Citizens can monitor their state and local governments due to their access to a means of communication . entailment +But by 848 disturbances in the islands prompted the Moors to deploy their newly expanded navy ; the Emir of C ? ? rdoba conquered both Mallorca and Menorca at the beginning of the tenth century . The Emir of Córdoba actively plotted to give Mallorca independence . contradictory +( The Croatian economy , which ought to be thriving from beach tourism and low-wage manufacturing , is a mess . ) The Croatian economy should be thriving on tourism , but isn 't . entailment +and we 'd go up to the Adirondacks and camp and it was so you know pick your own uh blueberries and make blueberry pancakes for breakfast uh also go ahead At the Adirondacks , you can pick your own blueberries . entailment +Several mentioned the importance of networking with outside organizations , such as the International Information Integrity Institute , the European Security Forum , and the Forum of Incident Response and Security Certain organizations , like the European Commission for the Arts , were told to be avoided from . neutral +Dating is a pain , and sex with strangers is iffy--not only because of HIV , but also I 've been told that hepatitis C ( spread in the same ways as HIV ) will kill more people in 1999 than HIV . Getting back into the dating game after a break up presents challenges , not the least of which is dealing with communicable diseases . neutral +Also on the place St-Germain stands the church of St-Germain-des-Pres , the oldest church in Paris . There are a lot of ancient churches in Paris . neutral +DILUTION WATER Solution Soda contradictory +Von Daniken , like many of his imitators , sought evidence for ancient visitations in the Bible , especially in such passages as the description of Ezekial 's flying chariot . The reference to flying chariots in the bible inspired the possibility of airplanes . neutral +James Bovard provides a useful compendium in the September 1996 American Spectator , drawing on the periodic critiques prepared by FEMA 's own inspector general and the General Accounting Office . James Bovard provides useful compendiums in many issues of American Spectator . neutral +Welfare advocates are already complaining that recipients will be pushed into dead-end jobs . Welfare advocates complain about the future of recipients , says the article . neutral +yep yeah probably you 're probably right yeah two years is might be a little too long You are probably right about two years being a little too long . entailment +The results are often amusing , if not outrageous , and can be seen in everything from clothing styles and choice of car to how Angelenos spend their time and money . The way people dress and the cars they drive make the residents of L.A. often entertaining . entailment +About time one arrived , I think . About time one disappeared , I think . contradictory +The Yellow Book requires that a data reliability assessment be performed for all data used as support for engagement findings , conclusions , or recommendations . The Yellow Book discourages data reliability assessments . contradictory +More specifically , why would letting the price of tickets rise to the market clearing-level necessarily lock out the average fan ? Why alienate average fans by increasing the ticket rate ? entailment +i think maybe that we could do better with the budget if we didn 't buy so much stuff overseas The budget would be better if we bought local . entailment +Oklahoma 's jocks may be no denser than many of its other Republican politicians . Oklahoma politicians are geniuses . contradictory +In a world I never made . I didn 't make this world . entailment +they 'll have to pick it up in the in the tournament then They have no chance of winning the tournament . contradictory +right yes and then the plus the time that you waste standing in line is valuable also Queuing for it uses up time that could be spent elsewhere . entailment +Cityus also travels to Guangzhou from CHKC ; there are five round-trips a day , taking 31 / 2 hours . Each round-trip from CHKC to Guangzhou takes about an hour . contradictory +This sounds right . This looks right , said the investigator . neutral +Just as it has for New Jersey Nets fans and Whitewater conspiracists and foot fetishists , the Web has also given birth to a community of weather fanatics . Weather fanatics don 't use the Web . contradictory +In practice , these organizations see the production of a strategic plan-that is , a particular document issued on a particular day-as one of the least important parts of the planning process . These organizations think strategic plans are important . entailment +Cigarettes promote What could be sexier than sharing a smoke , passing that small fire from hand to hand ? Smoking and passing cigarettes make people look sexy . neutral +The bracket figures are a huntress , girls dancing or singing , and a woman about to spray her lover with rosewater . The bracket figures are always interpreted as men engaging in various activities . contradictory +The flashy team apparel , etc . , send a relevant message--the fans really care about the drivers . The fans obviously don 't care about the drivers . contradictory +anyway you know have you ever had a two year olds twins start spitting their food at you at Luby 's you know i mean you 're like going i mean yes Two year olds spit their food sometimes . entailment +It is currently developing its winter sports in addition to the golf and tennis already provided . The winter sports will be added since people enjoyed the first ones . neutral +oh we got to do that this summer we 're dreading it We need to do this in the summer , even though we are not looking forward to it . entailment +But the rising obstructionism does damage government . It will take a while for the government to recover from the damage . neutral +James Rogan , R-Calif . , begins the final argument of the day . James Rogan would give the first argument of the day . contradictory +Its principal components It has major parts . entailment +There was a spatter of pebbles against the window and the youngster stirred in his sleep . The pebbles had been thrown at the window . neutral +The success of These programs is best demonstrated by the fact that they have been close to meeting cost , schedule , and performance objectives . They are not close to meeting objectives . contradictory +By day , downtown is best explored on foot and on the DASH buses , which run through the area during the day for just 25 cents a ride . The DASH buses only cost 25 cents a ride . entailment +and then then then if my parents had the same kind of computer which they don 't they don 't have a computer but if they did then they i could send them all that on a floppy disk and it would play out for them right there on the computer and they could click it to see each next scene If we don 't have the same model of computer , there is no way to transfer information . neutral +Researching potential threats , vulnerabilities , and control techniques and communicating this information to others in the organization . Potential threats have to be researched . entailment +Nazaret Ilit , on a hill above the city , is a new Jewish suburb . Nazaret Ilit is an ancient Christian town . contradictory +Attractions include a dolphin pool , a medieval encampment , a number of inventive water rides , and roller coasters . The attractions aim to bring in tourists from nearby areas . neutral +no they 're not yeah Not at all . neutral +What data sources were used in triangulation ? The report did not show the data sources . neutral +No other car was following us . Only the one car was following us . entailment +It 's hedonistic and funky , and tolerant of alternative lifestyles . It 's tolerant of all lifestyles . entailment +It is always a last resort to play hardball , but in this case a call to the Anti-Defamation League or the American Civil Liberties Union might be helpful . The ACLU could be helpful in stopping the racist travel ban . neutral +It will be on our site for two weeks , beginning Friday , Nov. 7 . All the questions are What is the capital of North Dakota ? The same question will be repeated on the site for two weeks and can be answered as many times as you wish . neutral +uh-huh uh-huh uh-huh absolutely i can 't disagree with that they were super players they really were they really They really may have been the best players in the league . neutral +She works from a formidable personal and intellectual commitment that we can and should do better to make the justice system accessible to all . She works from a formidable commitment . entailment +With great beaches all round the Portuguese coast , opportunities for swimming could not be better . There will be little chance to swim in Portugal . contradictory +uh-huh are you serious oh man are you serious , that sounds dangerous neutral +After they 're caught , they disappear for awhile , then re-emerge , apologize for their venality ( usually to Larry King ) , and retake their place in the pantheon . After they 're caught they leave for awhile , before coming back and apologizing to the world . entailment +This is not fair to womankind . Women have been treated worse than men for centuries . neutral +The following general format and content are recommended for the They wanted all the articles to have the same format . neutral +we left here uh we left here it was shorts weather in uh on Easter and When we left it was freezing out . contradictory +My mother was only buried on Saturday , and here you are gadding about with the fellow . " You are far too irreverent acting this way so soon after my mother 's death . entailment +However , the nation 's saving rate is unlikely to reach the golden rule level , much less exceed it . The nation 's saving is unlikely to reach the golden rule level , let alone exceed it . entailment +Worth a million dollars ! " It was purchased for a lower price . neutral +and it it 's uh the kids just had a wonderful time there they you know you just pay that admission and then all the the the rides are free you know they of course they have all the little video games and you know those little quarter rides you know to and stuff like that but they thought that was a lot of fun you can have birthday parties there and The kids hate going there . contradictory +and i 've never watched that i going to have to watch that sometime Eventually I will watch that although I haven 't watched that yet . entailment +yeah i think you do get more by stimulation stimulation my in fact my mother-in-law just visited she 's just about seventy five again perfectly fine I feel that they get more stimulation when they have visits . entailment +Table 3 : Examples of BLM 's , FHWA 's , IRS 's , and VBA 's Employee Perspective Expectations for Senior Executive Performance There is no table depicting information . contradictory +we had animals for the children you know our horses and that kind of thing and uh school activities type stuff We had no animals for our kids as they were growing up . contradictory +Price caps may sound more attractive with every passing rate case . Rate cases have no effect on price caps . contradictory +The woman snarled and threw . The woman threw a sword . neutral +Crossing the room to the left-hand window , a round stain , hardly visible on the dark brown carpet , seemed to interest him particularly . He studied the round stain on the carpet for a whole minute . neutral +Or does my wish to be a good friend require severing the relationship ? Do I need to server the relationship to be a good friend . entailment +In time , the kingdom of Babylon was overthrown and the Israelites were permitted to return to Jerusalem in 539 b.c. Babylon got overthrown by the Israelites neutral +Why , in a thousand ingenious ways , cried Poirot . Why , there was only one way to do it , cried Poirot . contradictory +uh if if i understood correctly it was what what changes we might uh suggest or whatever for the justice system is that perhaps above my head What are some changes that we could suggest that could help the justice system perform better ? entailment +In meetings around the state , Judge Newton has invited court administrators to suggest solutions to such complaints . The amount of court administrators invited were in their hundreds . neutral +" You ain 't makin ' out no bill of sale on her already , are you ? " Callie was shocked . Callie never wanted this transaction to occur , and had been actively working to stop it . neutral +has to be uh just uh beat your head against the wall of frustration you know You have to slam your head on the wall out of frustration when watching that show . neutral +Most agree that he 's a Clinton-style weather vane , adapting his positions to the demands of contrary constituencies ranging from the army to foreign investors to Western diplomats . His opinions shift according to the demands of constituencies . entailment +They can take a joke ! They can 't stand it when anyone makes a joke about them . contradictory +Ca 'daan and Adrin watched the riders leave , heading north with fresh provisions . Adrin saw the riders on their way north . entailment +Goldman 's voice is part of a rising chorus of high-profile victims ' rights advocates . Goldman is a well-respected victim 's rights advocate . neutral +But I still can 't understand why Inglethorp was such a fool as to leave it there when he had plenty of opportunity to destroy it . Inglethorp has plenty of chances and opportunity to destroy it . neutral +The stock market historically has a higher rate of return than government bonds do . Government bonds historically have a lower rate of return than the stock market . entailment +and they sure are pretty i like them and the Snap Dragons are starting to come up I like snapdragons very much . neutral +The standards provide the criteria to help ensure that the systems include effective internal control and meet the requirements imposed for central reporting and complying with laws and regulations . The systems must have functional internal control according to the regulations . entailment +um-hum yeah um-hum i 've been hearing some talk too of trying to bring Hussein up on you know criminal charges i don 't know if that will ever happen or not Hussein will definitely be brought up on criminal charges . contradictory +About eight o 'clock . Before six o 'clock . contradictory +What had induced the deceased to make a fresh will , with the old one still extant , he could not say . He suspected that the deceased had become aware of his nephew 's betrayal . neutral +And , you know what they say---Today a peacock tomorrow a feather duster ! Today it 's grand , tomorrow its drab entailment +Likewise the Baby Bells , who , facing economic and technical obstacles , have abandoned plans to branch out into video . Baby Bells are no longer going into video . entailment +Effectively and efficiently implementing some of these practices could require funding for computer software and hardware , additional staff , and / or training . Efficiently and effectively implementing some of these practices would require funding for computer hardware and software , as well as additional staff , or / and training . entailment +You are kind , I think ” yes , I am sure you are kind . " Somehow , I was not quite as elated as I might have been . I 'm sure you are a kind person . entailment +In a culture where Xena and Hercules have hit TV shows , it 's a lot more fun imagining that you are a valiant warrior doing business-as-battle than it is to admit that you 're a pudgy functionary whose most daring deed is to draft a boldly worded memo . Xena and Hercules both have hit shows on CBS . neutral +Nonetheless , a guide is recommended , as there is no interpretation except for what the site museum provides . It 's best to hire a guide , because the only other information is provided by the museum on-site . entailment +well i don 't know you 're you 're you 're like a boat ride from how how far is it across the lake to Canada Toronto Most people take the bus to get here . neutral +The collections are dedicated by law to a special fund whose receipts are made available by permanent indefinite appropriation to finance Customs Service operations . The collections are dedicated by a very special donkey neutral +Behind it is the Yamate Shiryokan , a small museum of materials about the city 's 19th-century European population . Yamate Shiryokan is museum showcasing materials related to 19th century European settlers . entailment +Adrin saw his rapier pierce through the Kal 's stomach . Adrin missed Kal with his rapier . contradictory +right from the the oldies but the goodies it 's probably pretty close to what i have because i have the same kind of thing at work i have a three eighty six S X which is TI computer but everything in is in IBM mode so it is probably a similar model to the one i have neutral +Tim , we never should have got into this quagmire , but now we have no choice but to ... " Tim , we never should 've gotten into this , now we have no choice ... " entailment +The official then has 20 days to respond and the response is required to describe the record withheld and the reason the record is being withheld . The 20 day deadline makes it easier to move the process along and make sense of the reasons for withholding the record . neutral +Begin with a stroll or bicycle ride on the tree-shaded pathway atop the brick 16th 17th century ramparts , along the Passeggiata delle Mura , for a good overall view of the town 's traffic-free centro storico contained within the walls . A special bicycle path was created along the Passeggiata delle Mura . neutral +I don 't take every case , but I take the clients seriously . While I do not take every case , I regard the clients seriously . entailment +Stand on the Grand Pont for the celebrated view of the strange old timbered houses reflected in the calm waters of the river that runs through the middle of the town . Grand Pont provides a good vantage point for viewing beautiful houses . entailment +He clutched it in his hand and touched it against the orrery , trying to remember the formula for the giving of a true name . He gave it a false name and est it free . contradictory +Will you step this way ? " He ushered them into a room at the back of the house , furnished as a library . There was no library at the back of the house . contradictory +The six minarets of the Blue Mosque dominate the skyline of the Hippodrome . The Blue Mosque cannot be seen in the skyline . contradictory +You wouldn 't have been sentenced to twenty lifetimes here by the Sather Karf , would you ? The slave stared at him in surprise . He was going to set the slave free . neutral +That , at least , would help him make up for those he lost at Fena Set . His wife and son were among those he had lost at Fena Set . neutral +they don 't know how to sit there and look at the interest rate and say well this one is only sixteen percent and this one 's twenty two hum They are experts in determining interest rates . contradictory +The available construction labor in the United States , about 6.7 million , will provide a large labor pool for the trades that are not unique to the power industry , such as iron and steel workers , pipe fitters , and electricians . The power industry will be able to pull from the large labor pool of construction workers in the United States . entailment +I raised my hands to stop them . I put my hands down . contradictory +who stirs inarticulate passion by singing very much like a woman ( Mark Levine , The New Yorker ) . Critics are surprised by the success of the New York City Opera at transposing Handel 's piece from ancient Greece to 18 th -century England . Critics said the opera was transposing Mozart 's piece . contradictory +Some evidence from public records is suggestive . Some evidence of abuse from public records is suggestive of murder . neutral +15 It was a long time before Tuppence went to sleep that night , and , when at length she did , she dreamed that Mr. Whittington had set her to washing up a pile of Esthonia Glassware , which bore an unaccountable resemblance to hospital plates ! That night , Tuppence had a severe case of insomnia and stayed up all night . contradictory +yes somehow we don 't think of a gift as being quite as dear to us as something that we 've had to work for i mean We don 't find gifts as important as things we work for . entailment +FEMA personnel will be on hand to meet with flood victims to answer questions and provide recovery information and written materials about various assistance programs . FEMA will meet with flood victims . entailment +" Go with m ' hat in hand an ' say , ' Well , Pa , here 's your wanderin ' boy ' ? " Approach my father with my hat in my hand and present myself ? " entailment +But , as Daimler recognizes , selling Mercedes through Chrysler dealers--with all the memories of the Volare and K-Car--could damage the car 's treasured cachet . Daimler did not even consider selling Mercedes through Chrysler dealers . contradictory +" Shiny ? " Callie laughed . " His name is Shiny ? " Callie laughed . neutral +The Bob Marley Mausoleum lies in a small church with other symbols of Rastafarian faith , including a photograph of Haile Selassie ( their spiritual leader ) and the lion of Judah depicted on a stained glass window . Small church filled with Rastafarian symbols is used as a Bob Marley Mausoleum . entailment +They include a wide range of diverse activities such as approvals , authorizations , verifications , reconciliations , performance reviews , The activities they include are very narrow in scope . contradictory +to them i admit it it was fun leave I can say it was enjoyable . entailment +And a wild stud will always try to add mares to his band . A wild stud is constantly bringing in horses to his group . entailment +With the glorious exception of the St. Crispin 's Day speech from Henry V , there is nothing more demoralizing than an inspirational address . Everyone cried after hearing the St. Crispin 's Day speech . neutral +uh it doesn 't matter everybody over here has got it anyway they 're you know AIDS is AIDS as long as if they tell you before they come here that 's fine you know that they got AIDS but then all you have to do is make sure they 're not passing it around 80 % of the people over here have been diagnosed with AIDS . neutral +Rennie was not too common a name , but he did not see how Johnny could possibly have hit upon the truth . Johnny had discovered the truth by spying on people . neutral +The Legal Services Corporation expects its grantees in each state and territory to work with one another and with a broad spectrum of other equal justice stakeholders3 to develop comprehensive , integrated statewide civil legal services delivery systems which are responsive to the most compelling needs of eligible clients and client communities , ensure the highest and most strategic use of all available resources , maximize the opportunity for clients throughout the state to receive timely , effective and appropriate legal services in the present and in the future , and operate efficiently and effectively . The Legal Services Corporation has no expectations for grantees . contradictory +and uh it it it bites us over and over again the the It was an issue only once , then we found an everlasting solution . contradictory +John strode on ahead and I took the opportunity of whispering to Poirot : " There will be an inquest then ? " Poirot nodded absently . I took the opportunity to speak to Poirot when John walked ahead of us . entailment +yeah i mean it 's still still admittedly a a a small minority but but it 's an improvement it really is It is only a few but it is still an improvement . entailment +but you still do it anyway So you don 't do it . contradictory +In this case , her elderly betrayer was her then-lawyer , William Ginsburg . Ginsburg betrayed her despite representing her . neutral +Moreover , it is a well-established rule that Congress is presumed not to have intended absurd results . Most people assume that Congress did not intend to have absurd results . entailment +A large man in iron armor pointed a spear at Jon and Adrin and roared a command to strike . The man was leading an army . neutral +He spoke impulsively : " I wish you 'd been there , sir , to go over the house ! " 165 " I wish I had , " said Sir James quietly . Sir James was late , because of the traffic jam . neutral +George Bush , you may remember , trailed Gary Hart in 1987 polls , and Newsweek even ran a cover story about Bush and the wimp factor . George Bush initially trailed behind Gary Hart in the polls . entailment +that 's right you you know that could be worth ten thousand dollars so I think that is worth about a thousand dollars . contradictory +This is because rural routes in the U.S. have a higher postal density than most park and loop city routes and business routes . Rural routes in the U.S. have a higher postal density than in Europe . neutral +The more warmly-hued human figures are believed to be the work of Venetian mosaicists , as opposed to the more rigidly formal Byzantine figures of Palermo 's Palatine Chapel . The mosaics have warmly-hued humans in them . entailment +so i mean i like aerobics but i 'm not so sure I like aerobics , but I 'm a bit uneasy about it . entailment +If specific information comes to the auditors ' attention that provides evidence concerning the existence of possible noncompliance that could have a material indirect effect on the financial statements or significant indirect effect on other financial data need to achieve audit objectives , auditors should apply audit procedures specifically directed to ascertaining whether that noncompliance has occurred or is likely to have occurred . If specific information comes to the auditor 's attention that could have a material indirect effect on the financial statements needed to achieve audit objectives , auditors should apply specifically directed audit procedures to ascertain whether or not that noncompliance has occurred or is likely to have occurred . entailment +While ever more matrimonial advertisements in the weekend editions of The Times of India and other newspapers mention caste no bar , just as many specify the required caste or insist on a fair-complexioned bride while touting a university diploma or an American work permit . Matrimonial ads are banned in the Times of India . contradictory +It still stands as a ghost town groups of dilapidated square houses made from sandstone and is visited nowadays only by the occasional goatherd , who will play you a tune on his flute in traditional style . The town is visited by thousands every year for its goats . contradictory +People stayed in neighborhoods , for example , because they could not afford to move , and because other neighborhoods would not accept them easily . People stayed in neighborhoods because other neighborhoods wouldn 't welcome them . entailment +Ca 'daan could see twisted decaying teeth under the man 's leather half-helm . Ca 'daan was disgusted by the teeth . neutral +The only drawback is the weather , for Santo da Serra has a wet micro-climate and fair-weather golf is relatively limited outside of summer . Golf cannot be played every day in Santo da Serra outside of summer time . neutral +hm natural disease Afflictions of nature . entailment +Simon , when he saw on the floor the tension caused by his phallus , couldn 't believe its huge size . Simon couldn 't believe the penis was 12 inches . neutral +Later , they will be euthanized . I will live and turn into a robot . contradictory +He apparently often tells the joke that he had better make his money at AOL , because after he leaves , no one will ever hire him because he has been so obnoxious for so long . He tells a joke about how much money he could make at AOL because his personality is so terrible . neutral +But parole agents often waste time chasing the bad guys rather than helping the good . Bad guys chase parole agents . contradictory +Consider the Time Warner licensing deal , which will generate as much as $ 10 million a year for the King estate . The Time Warner deal will not benefits the King estate financially . contradictory +The cover package tweaks second-wave Silicon Valley entrepreneurs--business-school grads lured by lucre rather than a passion for the Web . The second-wave Silicon Valley entrepreneurs are not passionate about the web . entailment +A drop-ship discount might also evoke type-1 worksharing activity . Nothing can encourage sharing activity . contradictory +the thing that the thing that gets me is that while we 're supporting them they 're working when they get out of jail they get handed all that money We are supporting them . entailment +With Andy Kaufman , it seems not so much wrong as beside the point . The point is about being wrong . contradictory +There were stands grilling legs of swine and oxen bellies over beds of charcoal . People were grilling meat over charcoal . entailment +In addition , measuring the federal contribution to outcomes that require the coordinated effort of numerous public and private entities-such as improvements in education , employment , or health-can require sophisticated and costly program evaluations . Measuring the federal contribution to outcomes that require the coordinated effort of numerous public and private entities can require sophisticated and costly program evaluations . entailment +, contribution to overhead ) of serving rural areas , and Section 5 presents some concluding remarks and a brief summary . You will be tested on the summary from Section 5 . neutral +and uh they just published this internally They published it yesterday morning . neutral +yeah she 's she 's so sweet too Both the horses have a good attitude . neutral +The Hurghada Adventures Club offers professional and multilingual fully insured quad safaris ; contact them at Friendship Village , Tel . 010 156 7571 ; web site & lt ; www.geocities.com / hurghada _ adventures & gt ; . The quad safaris will take customers through a swampy land with alligators on display . neutral +It was locked or bolted on the inside . It had a lock from the inside that could only be opened with a keycode . neutral +Unemployment hovers near 50 percent . Unemployment rate hovers at 100 percent , we are in trouble . contradictory +Text Box 4.1 : How do the NIPA and federal unified budget concepts of federal surpluses and deficits differ ? The federal unified budget is very large . neutral +Reviewing Existing Information It 's not necessary to review existing information . neutral +The formula allows one to savor minor differences and adaptations . The formula allows someone to savor small differences , adaptations , and minor nuance . neutral +Also , special tax credits and deductions are aimed at spurring private R & amp ; D. In addition to spurring private R & D , special tax credits and deductions are trying to improve job growth . neutral +Minimum reporting shall consist Minimum reporting will comprise entailment +Today , Delos has no modern settlement or tourist infrastructure . Delos has no modern conveniences for tourists . entailment +He stared up at the sky , realizing that more than half of it had already fallen . The entire sky had already fallen , leaving nothing but a gaping void where it had once been . contradictory +An important element of the overall control technology implementation is the time needed to connect , or hook up , the control technology equipment , particularly in relationship to the planned outage time for the unit . The equipment used for control technology takes less than ten minutes to set up . contradictory +cap , and I admired the great loose waves of her auburn hair , and the smallness and whiteness of the hand she held out to claim her tea . She was a beautiful and sophisticated woman . neutral +Told the man to drive me out of the town . We told the man to drive me out of town . entailment +Before they get injured they are separated , and the winner is decided by a panel of judges while the loser is dragged off . They are only separated after someone is injured . contradictory +Hammat Gader is a good place for those in search of Roman remains , for those who wish to take the waters , and for children . Hammat has a large swimming area on the coast . neutral +What was it that awakened you ? What awakened you ? entailment +Just off the northeast corner of the Diwan-i-Am , the harem had its very own mosque , Nagina Masjid , Hindu temple , and between the two a bazaar where merchants sold silks and jewels . The vendors sold jewelry made out of gold , silver , and copper . neutral +You can view him as the classic case of the doomed artist , his genius and self-destruction bound up together . His genius and self-destructive nature seem to have only help fuel interest in his work . neutral +Overall , the Programs staff is pleased with the progress we have made and believe that our work has led to significant improvements in the opportunities for poor people in our country to access legal services . The Program 's employees like what we have done . entailment +I suppose you 'll believe it if _ he _ tells you . I guess you will believe it if he is the one to tell you . entailment +Democrats have done themselves a lot of harm by refusing to discriminate between those programs that are vital and those that are not . The Democrats did not harm themselves . contradictory +um yeah you don 't want to especially when it comes time and the kids are grown up and they 're they want to do things like go to college uh you don 't want to say we 'll still paying for the mistake we made twenty years ago you know and I don 't want to still be paying for mistakes made 20 years ago . entailment +In fact , these were bound to order . " It was not a fact that they were bound to order . contradictory +The ideal measure would also take into account the specific nature of the risk reduction commodity that is provided to individuals , as well as the context in which risk is reduced . There is no real perfect measure , but we can reach an idealistic measure . neutral +After the sessions , my hosts eagerly escorted me around the city and took me to the towering Hradcany Castle ( Kafka 's Castle , since he had once lived in a small hovel in the wall underneath . ) I parted with my hosts after the sessions . contradictory +We have something you must see . You must see this . entailment +19th-Century Aspirations They had aspirations in the 19th century to win the battle . neutral +The first of the Habsburgs , he packed his retinue with Burgundian and Flemish nobles . The Habsburgs were a family of royalty and distinguished noblemen . neutral +However , since they are imperial property , special reservations must be made with the Kyoto office of the Imperial Household Agency ( located on the grounds of the Imperial Palace , just south of Imadegawa-dori ; passports are required ) . There needs to be special reservations for all imperial places . neutral +I look at it as a form of homeland security which has become so prevalent lately , Bailey said . Bailey looks at it as a form of homeland security . entailment +At the retreat , the 21 directors examined changes in client needs and the practice of law over the past ten years . There were 21 directors working at the retreat in Las Vegas . neutral +If Oprah 's not safe , no one is . Oprah is definitely safe . contradictory +You get used to it . You grow accustomed to it . entailment +Kerkez tavu u ( Circassian chicken ) is a classic dish of chicken fillet cooked in a sauce flavoured with ground walnuts and paprika . Circassian chicken does not contain any paprika . contradictory +Teachers and journalists urged the revival of the common Malay-Indonesian consciousness , split by the Anglo-Dutch dismemberment of the region in the 19th century . Intellectuals wanted Malaysia and Indonesia to pursue greater ties . entailment +The site is actually no longer at the address that Direct Hit found to be most visited ( a common problem with search engines ) . The site has changed to a new URL . neutral +( Well , actually , he goes on to argue in a similar fashion against the logical plausibility of free speech , academic freedom , and blind justice . ) He never actually agreed to any of these logics . neutral +By 1945 Siegel had become one of Las Vegas 's original visionaries , planning an opulent resort on the southern end of the LA Highway . Siegel wanted to build an extravagant resort in Las Vegas off the LA Highway . entailment +so those things i could do myself it wasn 't a problem It wasn 't a problem for me to do those things myself . entailment +so and it was like they were they 're Puerto Rican and were Americans They were completely Americans contradictory +What 's he like , this lad ? " Is the lad interesting ? neutral +Audit Objectives To determine whether or not the solicitation document is complete , clear , and consistent , verify that requirements continue to reflect user needs , and determine if the proposed evaluation process will result in an effective and economical acquisition . There are no measures in place to help ensure and effective acquisition . contradictory +'These are business hours , ' said Lincoln , humourlessly . Lincoln spoke without a joking tone . entailment +uh-huh well uh i recommend it because you just walk right on in and there 's usually not anybody in line When you walked in there was usually no line . entailment +But most current agents are career military men , and the conventional wisdom is that they 're less intelligent and creative than their predecessors . Most think that military men are less intelligent than those that came before . entailment +In comparison to the reference case , Scenario D ( adapting the CEF Advanced Case assumptions ) reflects a national commitment to improve both electricity supply and the efficiency of demandside technologies . Scenario D , in which the CEF Advanced Case assumptions are adapted , is the best-case scenario , but is not realistic , given the level of investment required . neutral +Generally , the central security management groups were responsible for developing written corporatewide policies in partnership with business managers , internal auditors , and attorneys . The central security management groups are known for not dealing with anything regarding policies . contradictory +The Miho is not to be missed by anyone interested in Asian art and design , both ancient and modern . This is the most impressive display of modern Asian design in the last 50 years . neutral +5 billion , while MLB 's contract over a similar period earns about $ 1 billion . MLB 's contract for the same period takes in about $ 19 billion . contradictory +But it 's certainly fortunate for all parties that we 've managed to find the young lady . " Nobody here had a gain from finding this woman , we just did it out of pity for her . contradictory +yeah that kind of Yeah , that kind of thing I told you . neutral +See here , son , my brain 's got busy . His brain is working and not sitting idle at all . entailment +how long does alcohol stay in the system i mean like if somebody went out and had some drinks the night before is that going to be there the next day Doesn 't alcohol leave your body within an hour of drinking it ? contradictory +That reminds me " And Miss Cowley broke off in her meditations , and summoned a small boy . Miss crowely continued to meditate . contradictory +yeah i talked to to uh Yes , we talked . entailment +Expeditions were organized to the best viewing points for the first spring cherry blossoms , and special pavilions were built to watch the rising of the full moon . These pavilions were constructed also to serve as hunting lodges . neutral +It 's a sign of a permanently altered world that natural blondness should have such sacred power no longer . The world has stayed the same and natural blondness continues to have sacred power . contradictory +Nigatsu-do hosts a spectacular fire purification festival in the second month of the lunar calendar ( hence its name ) : the O-mizu Torii , or Water-Drawing Festival . In the second month of the lunar calendar , a fire purification festival is held . entailment +i noticed in uh an article in the paper where i didn 't read the whole article but you know the headlines anyway indicated that there 's a a seems to be a consensus among small and medium size business owners that the uh the output of the American worker is on the decline you know pretty severely but uh I have never read news or articles from papers . contradictory +We shan 't have to take another taxi . That was the final taxi we had to take . entailment +Although the research to date supports the efficacy of these interventions , clinical trials are needed to confirm these findings and to set the stage for the next logical step of effectiveness studies . Clinical trials are needed to confirm findings of efficacy . entailment +You outwitted me . You have never outwitted me . contradictory +There 's an off-campus ? I know there is not an off-campus . contradictory +well been awfully nice talking with you I talked to you . entailment +6 ) Prada and Gucci will be opening boutiques in the Microsoft Company Store . The Microsoft company store will soon be home to Prada and Gucci Boutiques and will offer discounted prices on those brands . neutral +well what 's your favorite dish What 's your favorite thing to eat ? entailment +The award-winning South Coast Repertory Theater is also based here , and the adjacent South Coast Plaza shopping plaza hosts many of the most fashionable department stores . The shopping plaza has many good shops . neutral +Screening elderly veterans for alcoholism . No veterans struggle with alcoholism . contradictory +that 's uh that 's uh the main reason i think uh everywhere because uh you have deaths i mean i mean you have murders and you have you know people stealing other people 's stuff and that 's a lot of it has to do with drugs Drugs are one of the main reasons for murders and thefts . entailment +He clutched Albert by the shoulder . He grabbed Albert 's shoulder . entailment +because you 're having fun Because you 're having fun skiing neutral +There are several men watching it . There are people watching it all the time . neutral +Later it became the palace of the Mamelukes and was a British garrison during WWII . Before being a palace and a garrison , it was a prison . neutral +A hand closed over Dave 's eyes , and the voice of the nurse whispered in his ear . A nurse whispered to Dave . entailment +She was anxious to find some stamps , and , according to my theory , she tried her own keys in the desk . She believed that there were stamps in the locked desk . neutral +We are quite a war household ; nothing is wasted here , every scrap of waste paper , even , is saved and sent away in sacks . " I expressed my appreciation , and John took me into the house and up the broad staircase , which forked right and left half-way to different wings of the building . I did not like how the house kept every particle of waste . It was quite the wasted effort on their part . contradictory +Career civil servants act in place of unconfirmed presidential appointees . No one acts in the place of unconfirmed presidential appointees . contradictory +The rest is up to you . You 're responsible for the remainder . entailment +Bottles of BBQ sauce exploded , coating my pursuers in sticky stuff . My pursuers could no longer run , now that they were covered in the BBQ sauce . neutral +The acropolis was built on a set of terraces . The acropolis had been built on some terraces . entailment +The road beyond Dhulikhel drops precipitously , then turns up the Sun Kosi River gorge toward the Chinese / Tibetan border . The road beyond Dhuilikkel leads away from the Chinese / Tibetan border . contradictory +But putting Greenspan ( or his successor ) into the picture restores much of the classical vision of the macroeconomy . Greenspan represents the traditional vision of the macroeconomy . entailment +yeah i remember maybe uh maybe three winters where we had a white Christmas here Three winters ago we had a white Christmas here . entailment +Part of the shortage was pure perception . The shortage was smaller than it was perceived to be . entailment +I deeply admire Krugman , but if he wants to write about Argentina or any Latin American country , he should dedicate some time to trying to understand what each country is like . Krugman has written about Argentina . entailment +I didn 't hire you , so you could sleep here on the sofa for twenty thousand . ' He didn 't hire you to sleep on the sofa . entailment +yeah yeah um i do like uh uh well they had a good TV movie on last night called Separate But Equal There haven 't been any good movies on TV lately . contradictory +Leaving Rinnoji from the west side , you come to the broad Omote-sando avenue that leads uphill to the shrine itself . The area was built in such way that the shrine is the most important building . neutral +He ran his hand through his hair as Ca 'daan 's uncle had done . Just like Ca 'daan 's uncle did , the man combed his hand through his hair . entailment +and then basically since then what i 've done is is keep track of it through the checkbook so that based on whatever we 've got coming in check coming in and how much i 'm spending each half of the month and then trying to also spend and because our house payment is once a month that 's our our biggest uh expense so i take half of that amount out of my checkbook each with each paycheck even though it 's really still there The speaker does not try to keep track of their expenses . contradictory +The regular season lasts from 1 March to 15 November , with the exception of holiday periods ; the low season excludes Hanukkah / Christmas . The low season is n the winter . entailment +Every additional copy of Windows 95 costs Microsoft ... There is a small charge to Microsoft for every copy of Win 95 . neutral +There was no fuel for the ' copter we finished--the one we called Betsy Ann . There was no gas for the helicopter to fly . entailment +two girls and they are a handful I barely get any time to relax , with the girls around . neutral +In addition , California Supreme Court Chief Justice Ronald George made access to justice issues a top priority , and a growing community of judicial , legal and civic leaders committed to expanding legal aid is working to ensure that what little funding is available is used in the most efficient way possible . He made the justice topics a high priority to make sure the funds were given to those with the most need . entailment +How did I get hold of that ? How did you gain possession of that ? entailment +Last year , the ABA presented the firm with its Pro Bono Publico Award , despite the fact that Marcos and Negron does not work for free . The Pro Bono Publico Award is meant for charitable organizations . neutral +New Yorker writer Remnick 's sequel to his Pulitzer Prize-winning Lenin 's Tomb is a compelling postscript ( Walter Laqueur , Los Angeles Times ) . Reviewers focus on Remnick 's access to political insiders , especially his extended interviews with Mikhail Gorbachev , Vladimir Zhirinovsky , and Gennady Zyuganov . Remnick 's sequal was worse than the original contradictory +Renovated in 2000 , this full-service resort fronts a tremendous swimming and snorkeling beach with dozens of turtles . The resort was renovated in 2000 . entailment +'Well , ' Greuze coughed . Greuze took a deep breath . contradictory +The world 's largest cruise ship was docked in the harbor and converted into a hotel and tourist attraction . A large cruise ships was located at the harbor . entailment +He no longer has to answer for the erratic Robertson . Robertson was recently fired after a terrible tragedy . neutral +into the system i thought that would be good experience for me and i 've applied at another district where many of the children are Asian I know a district with a lot of Asian children entailment +It 's the new heartlessness . It 's the new without a heart . entailment +It 's only a short step from where we are now to the Network Vehicle , being developed by Netscape , Sun , Delco , and IBM . Certain companies are close to developing the Network Vehicle . entailment +uh-huh and i was never called that until i came here I was called that even before I came here . contradictory +The TEAJF grants will allow 39 Texas organizations , five of which are located in Dallas County and two of which are located in Tarrant County , to continue or increase their services to ensure that all Texans are afforded access to justice . The funding was leveled and programs did not receive an increase . contradictory +Maybe , maybe not . Perhaps , or perhaps not . entailment +They prove that even when all you care about is weather , the Web still has plenty of dirty pictures to show you . Of great concern is how they prove that while you might care about the weather , dirty pictures reign supreme on the Web . neutral +" What about the prisoners , sir ? " There are many prisoners . neutral +In an editorial , the Telegraph blasted Tina Brown , the British editor of The Brown was a British editor for Vogue . neutral +After purchasing a combined entrance ticket from a nearby stone kiosk for all the major structures on the Temple Mount , climb the steps to the Dome of the Rock . The Temple Mount 's structures are free to the public . contradictory +Thoroughly destroyed by war , it is economically devastated and ethnically divided . Greatly destroyed by war , it is now forever ruined financially and ethnically . neutral +you know when we 're and that 's just not the kind of thing for a ten year old i 'm not sure it 's the kind of thing for a sixteen year old It may not be appropriate for a sixteen-year-old . neutral +This unique light brings a phosphorescence to the most commonplace little square or side street . This area is so well lit that every inch of the city sparkles during the day . neutral +That is what we must find out . " He stood there silently , gently stroking his chin . He carefully came up with a plan to figure out what they needed to know . neutral +( Sometimes , apparently , jurors are chosen not just for specific ignorance of the case but for general ignorance of the world around them . Ignorance of jurors is apparently a desirable quality sometimes . entailment +Another site within walking distance is the beautiful , ancient walled Monastery of the Crose now hemmed in by suburbs . The monastery has a beautiful garden and architecture . neutral +How About Condoms as Pledge-Week Premiums ? What if condoms were premiums during Pledge-Week ? entailment +However , an interim program was instituted between April 4 and October 4 , 1996 , to maintain a basic program until EQIP could begin . They had a temporary program in place . entailment +FGD retrofits are positioned downstream , typically at the back end of the facility , and are not intrusive to the boiler . FGD retrofits are typically made out of a carbon treated quartz neutral +The volumes are designed to meet the needs of users for references to original statements ( Volume I ) and to standards alphabetized by topic ( Volume II ) . These books define words . contradictory +I don 't , son . I don 't like that , son . neutral +The Commission and planners dedicated 10 percent of the state appropriation for civil legal services to fund innovative projects that partner legal services providers and the courts to assist low-income self-represented litigants . 10 percent of state legal service funding goes towards projects that help self-represented litigants . entailment +I 'm a bit of an ass , as you know . You 're not the only one who knows of my asshole tendencies . neutral +wow do you swim like at a at a Y or Do you swim at the YMCA or another place ? neutral +because because by ten thirty i start to fade Because I decline by 10 : 30 . entailment +two percent two percent is a good choice but to as far as to increase tax revenues coming in you need to a redesigning of the entire tax structure itself corporate America is getting away with bloody murder where as the people out here are having to pay such a high amount of their actual bring home salaries into taxes the corporations are getting off easy because they 're actually paying in less than five percent of their gross national product or their or their Corporate America is literally murdering people . neutral +Not all British poets share Motion 's taste . All British poets have the same taste as Motion . contradictory +Their accomplishments are genuine and their states are thriving . The states are achieving a lot . neutral +now that 's bad and i mean i was out of school i was a married person and um I was out of school , married and that 's bad . entailment +not really it it it 's it 's gotten to the point it 's getting ridiculous now and It 's reached the point where it 's becoming absurd . entailment +The biography of the legendary Belgian-French king of pulp fiction ( 1903-1989 ) , who wrote more than 400 novels and bedded even more women ( he estimated 10,000 ) , is deemed masterful , absorbing , and definitive ( Deirdre Bair , the New York Times Book Review ) . Simenon wins praise for its defense of Simenon 's oeuvre , often dismissed as hackery , and for its candid treatment of his misogyny and anti-Semitism . The Belgian-French king of pulp fiction was known as a womanizer . entailment +yeah no no i don 't i don 't particularly get into those shows because they don 't keep my interest i 've seen um L A Law i think once or twice and the episode wasn 't that great so i just i figured they were all like that so i don 't waste my time I prefer shows that are light and have lots of humor . neutral +The drive east from Port Antonio offers some of the prettiest views in Jamaica . Jamaica is home to a vast amount of culture , despite being so tiny . neutral +A short distance from the palace toward the city centre , you come upon the Ayuntamiento ( Town Hall ) , with its fine Renaissance faaade and Gothic door . The Ayuntamiento does not have a fine Renaissance facade and Gothic door . contradictory +It has been closed indefinitely to the public since 1990 but is beautiful to view from afar none the less . The public hasn 't been allowed in since 1990 , but can still be appreciated from a distance . entailment +that you never thought of and uh that 's another big thing i think people get out of college is the appreciation for different point differing points of view you know or different opinions College is only good for getting a degree . contradictory +For example , the Small Business Regulatory Enforcement Fairness Act ( SBREFA ) requires that EPA and OSHA convene a special review panel before issuing a proposed rule that the agency believes will have a significant economic impact on a substantial number of small entities . A review panel can be setup between the organizations to consider the results of actions . entailment +And as I 've said before , and shall doubtless say again , little Tuppence can look after herself , thank you ! " And with a short , sharp nod of her head she walked briskly onward . Tuppence admitted that she can 't take care of herself , and committed suicide . contradictory +The 1500s were a time of prosperity , power , and cultural and scientific achievement for the Polish-Lithuanian Commonwealth . The 1500s were an enlightened time for citizens of the Polish-Lithuanian Commonwealth . neutral +In a letter last March 28 , she said her decision was based on years of unresolved problems with Passaic , combined with its hostility and antagonism . She never penned a letter . contradictory +that 's a well that 's a good question um That is a good question and I 'm going to give it a lot of thought . neutral +right or if you 're going to go the science route you can go to a target school that specializes in science or art you know there 's no point in you know i 'm an engineering student and if i have to go take art classes you know i 'm not going to use them and through high school i could have gone so much further if i 'd gone to a school that was directed I am majoring in English poetry . contradictory +Bettelheim was criticized for reductive psychoanalytic thinking and applauded for his resistance to psychoanalytic dogma . People praised Bettelheim for reductive psycoanalytic thinking . contradictory +Another good Floyd Lamb State Park ( 702 / 486-5413 ) , a few miles north on US 95 . Floyd Lamb State Park is a few miles south on US 95 . contradictory +I nodded , clearing my throat . I cleared by throat and nodded my head . entailment +You might be tempted to do your shopping at the end of your trip so you won 't have to drag all that electronic equipment , lacquerware , ceramics , or whatever around the country with you . It would be smart for you to buy stuff at the end of your trip . entailment +well i really don 't think anybody anybody can beat UNLV they they might beat themselves but i don 't know they 're at such a high level of intensity I don 't think anyone can beat UNLV , they may even beat themselves . entailment +four weeks yeah yes , four weeks entailment +and you want to make sure that it 's done right and put back together right and you know i 've i 've in the past i 've had brake jobs done by someone that when i went back and and looked at it some months later i 'd find something drastically wrong with it You need to be sure that your repairs are done right , since I 've had brake repairs done and then , months later , have another problem . entailment +The titanic colossus presided over the most beautiful town Jon had seen in the south . Jon had never seen any southern towns . contradictory +So that 's who Number 1 is , said Tommy with his mouth full of eggs and bacon . Tommy does not talk with his mouth full . contradictory +The three agencies are the Legal Assistance Foundation of Metropolitan Chicago , Rockford-based Prairie State Legal Services and Alton-based Land of Lincoln Legal Services . The office of Prairie State Legal Services are in Chicago . contradictory +we could go back to television shows if you There 's no way we could go back to TV shows . contradictory +Immediately the sword swinger was on her . The sword swinger was on her very quickly . entailment +DEAR SIR , Referring to your advertisement in this morning 's paper , I may be able to be of some use to you . I read your advertisement in this morning 's paper and feel that I may be useful to you . entailment +GAGAS prescribe general standards and GAGAS prescribed general standards entailment +In the distance , Jon saw a loose dismounted rider turn around the corner of a building only to have his face smashed in by the knobbed war club of the Kal . The Kal enjoyed smashing the rider 's face in . neutral +Some 500 , mostly ruins , can still be traced , but only 30 are visitable . 500 ruins can be still be traced but possibly 30 ruins are visitable . neutral +uh i mean my friends who are having children are having them at age thirty My friends are having kids around thirty . entailment +Acquisition of property , plant , and equipment through exchange . Acquisition of property , equipment , and plant through purchases . contradictory +But , 33 years after he gave Barbra Streisand People , she 's still singing it . Barbra Streisand is still singing " People " 33 years later . entailment +There 's also an enchanting collection of bunrakiapuppets a rare chance to see them at close range . All tourists and travelers are prohibited from seeing the puppets in person . contradictory +The volatile and fascinating history of the whole area means that no two islands are identical , although similarities do exist . The turbulent history of the region creates vastly different islands with a few similarities . entailment +yeah yeah and they 're all going to have to pay it back they 're going to be in debt for the rest of their lives They will be paying back debt for their whole lives . entailment +well that 's great well what kind of cash i 've forgotten what were they going to do I 've forgotten the cash , what will they do entailment +Look for Monevar , Pinosa , and the lighter , less plentiful Ricote ( all available in red , rose , or white ) . Ricote is a heavy port . contradictory +no no i 'm married I am no longer single . entailment +so it work it would work either way Both ways work , but one is better for you . neutral +Works such as Raphael 's Bridgewater Madonna , a Rembrandt Self-Portrait , and Vel ? ¡ zquez 's Old Woman Cooking Eggs are only three from a collection that includes pieces by Titian , Van Dyck , Rubens , Constable , Turner , and Vermeer . Raphael Bridgewater is an artist of renown ability . entailment +He didn 't check the label on the third one , but added it , too . A fancy mix was added to the third one . neutral +you you watch many do you like the classics like uh Gone With the Wind and uh you know the older movies Do you like new movies . contradictory +By world standards , this racially varied society is a model of harmony . In the global context , the society 's racial diversity is a key feature for its unity . entailment +For example , many successful public and private organizations integrate their human resource management activities into their organizational missions , rather than treating them as an isolated support function . No companies integrate HR and their missions . contradictory +you know when we lived in Boston i had eleven cars stolen The neighbors stole eleven of my cars when we lived in Boston . neutral +But it was left to a three-judge U.S. Although , it was left to a three-judge U.S. entailment +no no in fact in we 're very environmental so we very rarely eat at any of the fast-food restaurants uh just because of the um the styrofoam and the plastic waste We almost never eat at fast food restaurants because of the styrofoam and plastic waste . entailment +i just know i hated it but i took up trumpet after that and ended up playing in the University of Wisconsin marching band I enjoyed being part of the University of Wisconsin marching band . neutral +Hound trailing , also once a part of daily life , remains a popular sport . Hound trailing has been banned everywhere . contradictory +And while we allow people to give a kidney to their child , we do not allow them to donate their heart . You definitely can donate a heart to your child . contradictory +Whether that 's by design or disinformation on the part of their nonjournalist Microsoft bosses , I can 't tell . It 's possible that the Microsoft bosses are spreading lies . entailment +Plano oh yeah i 'm out in Rowlett and we have that brown clay soil and it 's real hard to grow anything here It 's easy to grow anything in Rowlett . contradictory +sure go ahead sure Definitely , you will not regret it . neutral +Handmade baskets are also a specialty . Baskets are made exclusively by the craftswomen . neutral +yeah i think i was the one who did that actually I was the one who did that I think . entailment +see i she can talk you into that most a lot of women You 'll have no problem saying no . contradictory +It 's a very delicate affair , and the other fellow will muff it up as likely as not , and then where shall I be ? I have no clue where I will be in the midst of this affair . neutral +yeah is it very windy up there now The weather is mild there . contradictory +Even with web-based services , which are notoriously difficult to target exclusively to a particular segment , there is some evidence that the majority of users are client-eligible people . All evidence points to the majority of web based users are ineligible . contradictory +16 billion , not accounting for plan sponsor responses to reduce that impact . A total of sixteen billion , without the plan sponsor reductions . entailment +She will not be teaching at Rutgers this fall . Rutgers will not be having her as a professor this autumn . entailment +Their last words are , Honest , I wish I could persuade you that I neither love nor hate technology . Their last word were about their feeling towards technology , said the novelist . neutral +um yeah mostly i mean at home i predominantly wear sweatpants and things like that also I don 't even own a pair of sweatpants . contradictory +Successful organizations understand that they must often change their culture to successfully transform themselves , and such change starts with top leadership . They understand the needs of the members belonging to the organization . neutral +um-hum wouldn 't catch right It caught properly . contradictory +'These chemicals are always dangerous to humans . These chemicals are harmless contradictory +but where the hell is the play ? Where can we find the musical play ? neutral +supplemented their they were most of them were on social security and they got some kind of supplemental aid besides from the state government but it was this little bitty one bedroom house but it was a separate house and they had a living room and a bedroom and a kitchen and a bathroom They can live in a dorm style housing and get their benefits to pay for the housing . contradictory +yeah and you know and i i don 't know if it would be but i mean we don 't know that it wouldn 't either We know the outcome . contradictory +The F-22 program is structured to provide the product 's full capability with the first product off the production line-an extreme design challenge . The full capability was realized as a first off . neutral +Behind the cathedral , croseover the Rue de la R ? ? publique to the 15th-century Eglise Saint-Maclou , the richest example of Flam ? ­ boy ? ­ ant Gothic in the country . There was a style known as Flamboyant Gothic . entailment +For women , lots of sex didn 't mean lots of offspring . Women who have lots of sex don 't always have kids because they use protection . neutral +A wink 's as good as a nod ” from you . You don 't have to say anything . neutral +Some suggest that the law require employers to offer both a managed-care plan and an indemnity plan , as it did in the 1970s when HMOs were first created . HMO stands for : Harry Married Owl . contradictory +What about him ? I know . contradictory +All of the murder and rape and horror and this man was still hungry . The man was satiated after all the killing . contradictory +The busiest public temple in Penang is the Kuan Yin Ten Temple , on Lebuh Pitt ( Jalan Masjid Kapitan Kling ) , near St. George 's Church . It is far from St. George 's Church . contradictory +Most islands will have a little of each of these elements , but some , such as Ios , have given themselves over to party tourism almost completely . Many other local islands offer party tourism along with more relaxed options . neutral +Bradley , he is , you know , the type of individual who has always been fair . Bradley does not practise favoritism , he treats everyone equally . entailment +His 17th-century house ( 30 Rue des Marchands ) is now the Mus ? ? e Bartholdi , displaying his models and drawings . The owner of the Muse Bartholdi was an artist . entailment +Visitors to France ' and the French themselves ' often overlook the charms of the far north . Locals and tourists alike do not pay attention to the merits of the far north . entailment +Historically important Toledo seemed secure in the role . Toledo was known for its flourishing trade . neutral +Putting aside stage as a horse-drawn conveyance , a popular delicatessen , a part of a rocket , and an opportunity to mock Gail Sheehy ( who seems to get a free ride from News Quiz participants ) , this question all but demanded the invention of a violent theatrical event , and that 's not easy . This question demanded quiet resolution . contradictory +( Better than Ted Williams even . ) Better than everyone else . neutral +A Preview of the 1999 Comprehensive Revision of the National Income and Product Accounts . A preview of the revision was conducted . entailment +and then from that point you can pretty much improvise once you once you understand the spicing patterns and stuff like that It is very rigid . contradictory +It works , maybe to a fault . It works because of pixie magic . neutral +For example , whether or not there are active opposition parties may be a more valid measure of whether a country is a democracy than how many people vote in an election . There needs to be opposition in a democracy . neutral +What 's the difference , except in the latter case all of us benefit ? Everyone will benefit in the latter case because the deal is more equal . neutral +The Rh ? ? ne Valley has always been a central artery , a channel for river , road , and rail traffic between the north and the south . The Rhone valley has a strong economy as it 's the central point between the north and south . neutral +The streets are full of these boys in khaki . The boys in khaki are celebrating the end of the school year . neutral +yeah yeah running Running , yes . entailment +'This isn 't 1775 anymore . 'It 's the year 1775 . contradictory +Facility operation and maintenance plans are implemented , tested , and refined as appropriate . The facility operation and maintenance plans have never been implemented . contradictory +A new constitution consolidating liberal reforms was drawn up , and approved by a referendum held in 1961 . The new constitution was approved in a referendum in 1961 . entailment +Today they are on view in the museum on site but their stone sarcophagi still lie in the temple complex . Although you can see them in the museum , their stone sarcophagi remain in the temple complex . entailment +Other factors - 83 percent . The other factors were 83 percent . entailment +what grade oh did you what did you teach Have you taught more than one grade ? neutral +The ground floor dates from 1467 , and the beautifully sculpted wooden facade of the superstructure from 1589 . The ground floor was built in the Summer of 1467 . neutral +2 ) Except for some recent automation categories , there is no rate distinction in First Class among letters , flats , and parcels . First Class among letters , flats , and parcels each have different rates . contradictory +There are no major zoos in Israel . Israel is not home to any major zoos . entailment +Lamar Alexander 's campaign never got off the ground because the American people can recognize a phony ( ) . Lamar Alexander is a complete fake . entailment +Only a few at first but more as salt production increased . Salt production decreased as more came . contradictory +Wardmaid clearly to blame ! The wardmaid was to blame . entailment +In front of us were " the detectives in charge of the case . " The well-known glib phraseology passed rapidly through my mind in the interval before Poirot opened the proceedings . I thought of the glib way in which those charged with investigating the crime were described . entailment +The ship hardly seems damaged . The ship looks wrecked . contradictory +Can 't any of you young fools get it through your thick heads that the war 's over ? The war is over can 't you get it through your thick head ? entailment +she has to develop her own personality and so sometimes i i have to step back and say okay we want to encourage her we want to influence her but we don 't want to control her We really want to have control over her . contradictory +Their third surviving son , the Duke of Viseu , Master of the Order of Christ , would change the map of the world . The Duke of Viseu was their third surviving son . entailment +The typical Turkish breakfast , served between 7 : 00 and 10 : 00 a.m. , usually consists of fresh bread , butter , and jam , with olives cucumber , tomato , white cheese , and perhaps a hard-boiled egg , washed down with sweet black tea . Ham , bacon and scrambled eggs are common food items for Turkish breakfast . contradictory +You know , you sure can tell a lot ' bout a man when you give a look at his hoss after he 's come off th ' trail . You can tell a lot about a man by looking at his horse . entailment +The shotgun-marriage rate itself declined only gradually , but that is not surprising . The rate of African-American shotgun-marriages declined . neutral +The resulting competency profile is used to assess gaps in individual or group competency levels and develop human capital strategies to address current or expected future deficiencies . Gaps in group competency levels can be assessed with the resulting competency profile . entailment +Well , they tempt me to go back to an island where there are more dinosaurs . I 'm interested in the dinosaurs on this island . neutral +He doesn 't want a powerful civilian ready to face up to him all the time . He does not want to be challenged by powerful civilians . entailment +Therefore , it is worthwhile to consider if both SCR and FGD installations can be combined efficiently . SCR installations take longer than FGD installations . neutral +You can always get to know one . You 'll never get to know one contradictory +While in the private sector improper payments most often present an internal problem that threatens profitability , in the public sector they can translate into serving fewer recipients or represent wasteful spending or a higher relative tax burden that prompts questions and criticism from the Congress , the media , and the taxpayers . Improper payments most often creates problems for the private sector . entailment +And a lack of perfusion fluid to prime the heart bypass machine had held up all his operations . All of his operations occurred smoothly and right on schedule . contradictory +yeah well i find myself watching just a whole lot of whatever is geared for children because with two kids and you know i don 't want them watching something that i don 't think they should watch i i used to be really hooked on All My Children and i watched that for like I like to watch children 's shows and discuss them with my two kids . neutral +Visvanartha , built in 1002 , is more compact and ultimately more harmonious than Lakshmana . Visvanartha was built in 1234 and is larger than Lakshmana . contradictory +'I do want to see it for myself . I 'd like to see it myself . entailment +This joint effort contributed to a significant decline in the reported towing industry fatality from 91 per 100,000 industry employees in 1990 to 27 per 100,000 in 1995 . The joint effort to increase driver safety contributed to the decline in deaths within the industry . neutral +Senor Juanito said that . Señor Juanito commented that . entailment +I had a wild idea of stopping at Holyhead , and not going on to London that day , but I soon saw that that would be plumb foolishness . I realized it would have been foolish for me to not go all the way to London . neutral +Continuing along Temple Bar , you 'll come to Eustace Street and Meeting House Square . Meeting House Square can be found on Eustace Street . entailment +I have locked them and , in my opinion , they would be better kept locked for the present . " The doctors then departed . The rooms stayed unlocked . contradictory +i 'm kind of like you i 've never really gotten into it it 's just a it 's just a chore you know and i finally decided one semester i 'm in college and i 'm taking night classes and I have decided to be different . neutral +Today , it is the main thoroughfare linking Delhi 's bazaars , which sell jewelry , clothes , and traditional sweetmeats . Delhi 's bazaars also offer nice cafes to relax . neutral +The traditional payment approval process has been modified over the years primarily through the application of statistical sampling and fast pay procedures , and the widespread use of computer technology . The traditional payment approval process has evolved over the years . entailment +He tells for the first time how the selective mechanism for the educated class--the SAT--came to occupy its current dominant role . The SAT is a selective mechanism . entailment +A street map is a must . Be sure to buy a street map . entailment +The study was based on information collected from employers by the Equal Employment Opportunity Commission from 1990 through 1999 on so-called EEO-1 forms . The employers spent several weeks collecting the information . neutral +Studly guys work at the Pentagon . There are only effeminate goblins working at the Pentagon . contradictory +The brothers are remembered today as the true founders of both the state and the city Bienville later served as the first governor of Louisiana . Bienville was the first governor of Louisiana . entailment +CBO Causes and Consequences of the Trade An Overview . An overview of the causes of epilepsy and consequences of smoking . contradictory +they uh they they want to know things are going to be a certain way They want surprises . contradictory +Fiction director Quentin Tarantino , debuting as a Broadway actor opposite Marisa Tomei , should be humiliated by his performance ( Vincent Canby , the New York Times ) . His faults are said to range from the small ( he can 't render accents ) to the large ( he exhibits the charisma of a week-old head of lettuce , says the New York Daily News ' Fintan O 'Toole ) . All of the reviews Quentin Tarantino got were very positive . contradictory +Less ... I can do that . ' I can do less . entailment +To round them up , the King brought cowboys from Spain and Mexico , initiating the paniolo ( Hawaiian cowboy ) tradition . Cowboys from Spain and Mexico were brought by the King , said the article . neutral +that ninety eight point seven i 'm i 'm eclectic approach I don 't use any planning to my approach . contradictory +You swing like that and you will find an axe in your gut . They are experts when it comes to using an axe . contradictory +Such drinks are spiced with the island 's wild herbs , resulting in interesting and varied flavours . Spicing up drinks with wild herbs found on the island can result in interesting flavours . entailment +From the ferry terminals on Hong Kong Island you can escape to islands without cars or cares , where the local people smile hello and , if you 're lucky , point you to a secret beach for the ultimate in quality leisure time . Each of these islands is full of friendly locals who will greet you with a smile . neutral +Maybe it 's been a while since Bode has partied till 4 a.m. , but to Pundit Central ' s eyes the models look like nothing more sinister than extremely tired and slender party trash , not emaciated junkies . Pundit central thought that the models looked like junkies . contradictory +Above this gilded door can be seen images of Shiva and his consort Parvati . The images are of Shiva and Parvati walking among the human world . neutral +Sprawling acrose70 hectares ( 173 acres ) , this retirement hideaway of the great emperor-builder was designed to recapture some of the architectural marvels of his empire , especially the Greece he loved above all else a travel notebook for his old age . This hideaway , which spans 173 acres across the Italian countryside , was designed to serve as a reminder of the great emperor-builder 's most impressive achievements . neutral +Driving through these areas feels like traversing a movie set the homes sparkling and new , the roadways smooth and wide , the landscaping young and fragile . The homes were formerly dilapidated and filled with mold . neutral +No time to explain . There is plenty of time to explain . contradictory +Others , like Indiana and Colorado , have one service area encompassing the entire state and one corresponding statewide program . Indiana and Colorado have one service area encompassing the entire state and even some of their bordering states , too ! neutral +While using foreign investors ' saving allows U.S. domestic investment to exceed national saving , these financial inflows have implications for the nation 's economic growth and for future living standards . Foreign savings make it impossible for US domestic investment to be worth more than national savings . contradictory +I drew aside and apologised , when suddenly , with a loud exclamation , he clasped me in his arms and kissed me warmly . He really liked me for some reason neutral +Met audiences have shown little interest in any of the innovations that have transformed opera over the past half century ( Mark Swed , the Los Angeles Times ) . The changes within the opera are of tremendous interest to Met audiences . contradictory +so all i have on my desk is my PC but i 'm i 'm getting not only our local area network but i 'm getting two separate mainframe machines also I have a lot of different items on my desk . contradictory +um-hum uh we 're going to breed her with a champion so we 'll be able to get uh probably around two fifty for the kittens We will probably make over a thousand dollars for a litter . neutral +The proposal angered neighborhood leaders and provoked some acid comments in British newspapers , which pointed out that Diana had no interest in gardening and that she couldn 't even cook . Newspapers said Diana was a horrible cook . neutral +In 1931 the Japanese occupied Manchuria . Manchuria was occupied by the Japanese in 1941 . contradictory +Their fees , which can range between $ 75 and $ 150 per hour under a private system , are paid for by the family , said Muskie Fellowship recipient Alison Beyea . Their fees do not go upwards of $ 75 per hour . contradictory +The idiots must be trying to reach the sky with their pyramid . The wise men were trying to dig a well . contradictory +Daniel Hungerford opened the final session of the conference by outlining the group 's ultimate task-to create research recommendations from conference deliberations . The conference recommendations were well received by everyone . neutral +Why a man needed four swords was beyond Ca 'daan 's reasoning . Ca 'daan had no idea why the man needed four swords . entailment +I decided to go and get something to eat instead . Instead , I got something to eat . entailment +I 'm addicted to your charms I 'm also addicted to gambling , meth and smoking . neutral +uh you know you you tax the people that have the most and the people that don 't have anything get it for nothing You tax people that can afford to pay the tax . entailment +Unlike most strips , his was about adults , albeit adults depicted as children . His strip was about adults . entailment +yeah but just didn 't it didn 't it didn 't cover it It was up to the individual to pay for the cost on their own . neutral +The mule , Croaker , fell in behind her so that they were strung out in the familiar pattern which had been theirs clear from Texas . The mule followed in a familiar pattern as it left Texas . entailment +Automobile includes small trucks . Small trucks are considered as automobiles . entailment +The rock is surrounded by a richly worked wooden screen , and above it are stained-glass windows and black-and-gold mosaics , breathtaking in their beauty . The rock is surrounded by nothing except desert sand . contradictory +yeah and that you know i have that same uneasy feeling that other folks have you know i know i i mean i don 't drink i don 't smoke i don 't do nothing I like to drink and smoke all the time . contradictory +What now ? asked San 'doro . San 'doro was very quiet and didn 't speak . contradictory +yeah the hard work yeah it 's The effort , yes . entailment +The mill and the neighborhood around it were built in the mid-1800s through the initiative of Jerusalem 's great 19th-century patron , Sir Moses Montefiore . The mill provided jobs for people living nearby . neutral +There are a couple of credible The four-letter word for vagina remains off-limits in polite conversation ( although that has more to do with feminism than with profanity ) , and the slang expression for those who engage in oral sex with males is not yet acceptable by the standards of office-meeting etiquette . There 's a couple of credible , the four letter word for vagina is off limits in polite conversation , and the slang expression for those who engage in oral sex is not acceptable in the office . entailment +Although a nation can run current account deficits for extended periods of time , a low level of national saving implies a low level of domestic investment over the long run . A nation can have deficits for only very short periods of time . contradictory +Blood splashed on Jon 's face and armor . There was blood on Jon 's face . entailment +It fell to the Ottomans in 1523 , and its various buildings now house a fine collection of antiquities , including a fascinating Museum of Underwater Archaeology . The Ottomans were peaceful to their ruling cities and states . neutral +Just inside the entrance , on the right , is the Shitamachi Customs and Manners Museum . The Shitamachi Customs and the Manners Museum are at the entrance . entailment +Caught in the act , and somewhat flurried he hastily shuts and locks his desk . Someone caught him , and he then locked his desk . entailment +Not suitable for young children . Young children will not be able to handle this . entailment +The tribes of Israel were then scattered to roam the world as the Ten Lost Tribes . The Ten Lost Tribes were originally from Israel . entailment +i i just i just think the one thing they do so strongly about is what your saying that i don 't think kids have a sense of civic responsibility Most kids spend a lot of time volunteering . contradictory +Then the cross-examination began . The cross examination began after that . entailment +Oh , Tommy , Tommy , she cried , " I do love you so and I may never see you again … . " At the end of five minutes Tuppence sat up , blew her nose , and pushed back her hair . Oh Tommy , she said , " I hate you , and I don 't ever want to see you again . " contradictory +The organizational realignments at GSA and IRS are consistent with a more general exploration under way to use streamlined and clarified organizational arrangements to help enhance accountability and improve performance . Clarified organizational arrangements have been helpful to achieve the goals . neutral +The Hittites Hittites . entailment +He was one of the men sent into the antechamber . He was sent with the women to the antechamber . contradictory +Since then , he 's been semi-retired , devoting himself to helping fellow seniors who are needy . He devotes himself to helping seniors who do not have the money that he does . neutral +The house 's famous Long Gallery has Pompeian fresco inspired designs and Venetian chandeliers ; the great staircase is the work of Simon Vierpyl ; and the plasterwork is by the Francinis . The Francinis created the house 's great staircase and Simon Vierply was responsible for the plasterwork . contradictory +'Citizens of America Little , ' he said . The man said that he would name the book " Citizens of America Little " neutral +The suicidal mission became an important rallying cry for Poles during the remainder of the 19th century . During the remainder of the 19th century , there were no suicidal missions . contradictory +To help agency leaders effectively lead and manage their people and integrate human capital considerations into daily decision making and the program results they seek to achieve , we developed a strategic human capital model . To help agency leaders lead and manage , you have to integrate human capital considerations into decisions you make each day . entailment +After my rage at Leuchter had subsided , I began to get angry at Morris for aestheticizing that violation--turning it into an ironic art object . Everytime I think about what Morris did , I get angry . neutral +The building to the right of the main hall is the Asakusa Jinja , a Shinto shrine dedicated to the three legendary founders the Sanja of Sensoji . The Shinto shrine Asakusa Jinja is four hundred years old . neutral +When LSC staff found that one program lacked an effective way to monitor the quality of its advocates ' written legal work , we gave specific directions on how the program could establish a system to ensure high quality written legal work . Work quality is considered substandard when more than 20 percent of the content is misspelled . neutral +According to the U.S. According to the U.S. decided the new procedures were working as planned . neutral +And the Los Angeles Times reported that Starr 's report on Vince Foster 's suicide will debunk right-wing theories that Foster was killed . The LA Times reported that Starr 's report will debunk theories that Foster was killed . entailment +Furthermore , tucked away in part of the Loral series ( a piece not nominated for the Pulitzer ) are the following three facts . Parts of the Loral series were not nominated for the Pulitzer . entailment +HDS does not survey this mail , and thus , we practically know nothing about its uses . HDS does not survey this mail as it is against the law to survey mail . neutral +As long as G.W. ' s policies remain ambiguous , every TV ad is a stealth Bush ad . Every TV ad is a Bush ad in hiding if G.W. ' s policies remain unclear . entailment +no they 're not yeah They 're not . entailment +And there is the hope that Chrysler 's lean manufacturing style will help Daimler shake up a company that is still heavy with layers of middle management . There is no hope that the manufacturing style will help Daimler . contradictory +LSC will receive additional information on the ability of grantees to leverage federal dollars using an estimate of cases funded exclusively with federal resources , through this methodology , although it is a less than perfect method of analysis . LSC will receive additional information on the ability of grantees entailment +The pope may waive several necessary steps , but Mother Teresa must still be credited with a posthumously performed miracle . The pope will not waive any steps and Mother Teresa should not be awarded with the honor of a posthumously done miracle . contradictory +She went back to her plastic surgeon , and after he fixed them she admired his handiwork so much that a romance between the two might have ensued , says the publication . There was romance between the plastic surgeon and the patient . neutral +Meanwhile , the adulation feeds a sense of invincibility--especially if the athlete already happens to suffer from manic depression . Praise makes athletes feel invincible especially if they suffer from depression . entailment +so i think the the number one responsibility is on the heads of the parents and and we need to get to the idea well if the kids are are doing poorly in school then the parents need to take some sort of responsibility and and take some sort of action instead of just complaining about what the school is doing or not doing and sometimes if the parents don 't like the way the school is being run the appropriate action is to have the choice to take that kid out of that school and put him in a different school The parents have the most responsibility . entailment +A few hours later , I was back on Derry 's doorstep . I went back to Derry 's . entailment +I don 't hold with foreigners as a rule , but from what the newspapers say I make out as how these brave Belges isn 't the ordinary run of foreigners , and certainly he 's a most polite spoken gentleman . " Dear old Dorcas ! Belges is a courageous person from another country . entailment +The 1990s even saw a major overhaul , when Charlotte introduced magnet schools devoted to excellence in a single area , such as math , and open to students from all neighborhoods--to give whites extra incentive to travel long distances to school . The 1990 's saw things changing a lot for the education of minorities . neutral +( To cynical Gen Xers such as myself , this marketing talk seems both contradictory and fatuous . The marketing talk is most effective on Gen Xers . contradictory +so you all are into so you all are into the lawn big time huh You all are in the lawn . entailment +Look there . Look over there . entailment +uh-huh a perceived decline anyway yeah The outlook shows a decline entailment +Many Gothic and Renaissance buildings have been lovingly restored . None of the buildings were restored . contradictory +Three days later another atomic bomb devastated the southern port of Nagasaki . Nagasaki was crippled from an atomic bomb . neutral +And fights crime . And fights crime in the dead of night . neutral +yeah i live live and die with them They are the most precious thing for me . neutral +However , in response to media inquiries about ongoing OSI investigations , GAO will neither confirm nor deny the existence of such an investigation . Due to privacy laws they cannot disclose the information . neutral +But in any case you will wear gloves fitted with the finger-prints of a notorious housebreaker . In any case , you will have to leave behind your own fingerprints . contradictory +yeah it covered the spots pretty good but it didn 't excuse me it didn 't uh uh it just didn 't look as smooth as i wanted it to It didn 't look as smooth as I would have wanted even though it covered spots pretty well . entailment +Change is not the problem . It 's not changing that is the problem ! neutral +It has a number of bridges spanning its route , creating a shadowy , dark , and almost somber appearance . There are a dozen bridges , each about a mile apart . neutral +These are the seven swords . These are the seven seas . contradictory +Another is that the size fits most transoms , windows , and walls . The size doesn 't fit any windows or walls contradictory +you know and now it 's like you know they 're saying other people were were i guess other leaders were still crazier about it you know like other people you could think that they might use a bomb here and a bomb there but Russia has never been known for throwing an atomic bomb anywhere Russia has never dropped an atomic bomb on another country . entailment +oh man you bet everything else 's got to come off first well it 's a pleasure meeting you It 's been lovely meeting you . entailment +After the tractor killed you , and you were buried , what good would such fantasies be , even if they existed ? You asked someone to run you over with a tractor . neutral +Site selects itself in specific problem-for decisive testing , have to assume uniform system with regard to issue and so convenience sample acceptable ; number of cases is usually one instance ; comprehensive data for specific problem-for decisive testing , need more modeling , hypotheses , and targeting to know what to study ; data analysis and collection concurrent and data feed new collection , and emphasis on ruling out alternative causes ; report describes instances , presents conclusions about cause , gives evidence Conclusions and evidence are not given by the report . contradictory +so um-hum yell at them and like to choke them so many times i wanna choke mine say you 're not doing what i want you to do If you are not accomplishing the tasks I set out for you to do , I will meekly accept it . contradictory +San 'doro laughed . San 'doro laughed , and the sound echoed from the walls of the chamber . neutral +I can go in and search and pull up an attorney interested in child abuse and neglect , so when I get a case , I can target it , she says . She specializes in cases involving children . neutral +and we 're still paying for it We are still paying for it at this time . entailment +That is , affirmative action is more likely to succeed when it takes into account personal qualities like drive and motivation , which may not be captured on the SAT . Some things are hard to see on a SAT score , like a person 's drive or motivation . entailment +In the Oratory of the Crib ( Oratorio del Presepio ) are the moving 13th-century sculptures of Joseph , the Three Kings , the ox , and the ass , by Arnolfo di Cambio ( Mary and the child Jesus are 16th-century additions ) . Joseph , the Three Kings , the ox , and the ass appear in sculpture form in di Cambio 's Oratory of the Crib . entailment +oh i see uh-huh i liked uh the Cowboys i lived in in West Texas in Abilene i worked with TI in Abilene for ten years and i really enjoyed watching the Cowboys play and they I didn 't work when I lived in West Texas . contradictory +But one aspect of their culture , their spicy cuisine , has become fashionable across the United States and , more recently , the world . People across the United States enjoy their spicy cuisine . entailment +uh the profit sharing the stock options there are a they offer a lot of ways for you to save money too if you have any extra you know that like the uh code over the two for one type of thing or they match half i guess it is the profit sharing and the stock options will probably lose you money contradictory +uh and definitely part Grayhound uh bloodhound because he had these head big old jowls had the bloodhound mouth but he had the soft bite of a Lab Greyhounds have a distinctive look . neutral +He stood for what he believed in . He stood up for what he thought was right . entailment +The movement believes in universal peace , brotherhood , and charity , and incorporates elements of all the major religions , accepting Buddha , Moses , Jesus , and Mohammed as prophets . The movement regards Buddha , Moses , Jesus , and Mohammed as holy men . entailment +wow yeah i don 't don 't like that super cold stuff I 'm a big fan of super cold stuff . contradictory +Are information sources described clearly and fully ? Someone is wondering if information sources are complete and clear . entailment +Sorry , but with a 1-1 correspondence , why exempt the mechanism ? Tell me why you think the mechanism should be exempt from inspection ? neutral +The paper reimbursed her . The paper refused to reply to her inquiry about a refund . contradictory +But since these suggestions are generated by computer , they can be very weird . These suggestions are computer-generated so they can be very weird . entailment +The relationship between the tax paid and the value received is too indirect and disproportionate to relate the revenue that is received from any identifiable taxpayer to the cost that is incurred for providing that identifiable taxpayer with benefits . The taxes paid and the value received is not linked directly . entailment +After the convict overture , we learn that Finn--who has a gift for drawing and painting--lives with his sister Maggie ( Kim Dickens ) and brother-in-law Joe ( Chris Cooper ) in a ramshackle house by the gulf . We only knew that Finn lives with his sister and brother-in-law after the convict overture . entailment +It was already there ” in the mixture . It was already contained in the mixture . entailment +A test that uses a representative set of programs and The test doesn 't require using a representative set of programs . contradictory +She came in for a one-point landing a couple of yards away . A one point landing involves using only one piece of landing gear . neutral +When that happens , Democrats will be bound to escalate the confirmation battle once more , to settle their score with Hatch . When it happens , the Democrats will make the confirmation battle a priority so that they can get even with Hatch . entailment +no i wouldn 't be surprised if Gorbachev wasn 't a satanist wasn 't a satanist i 'm not kidding He 's probably a satanist , among other things . neutral +well they take they take my name which is a very common name and my last name is even more common My last name is super rare . contradictory +as a result i really didn 't have that much interest to learn how to maintain fix and maintain cars fixing cars is extremely difficult , that 's why I stopped trying neutral +well the other side i see because we have Mexico as a neighbor I do not see the other side . contradictory +It was founded in the third century b.c. by King Prusias of Bithynia , and named Prusa in his honour . Prusa was renamed shortly have being founded . neutral +Main The rhymes are only so-so , and the tired sexual politics that provide most of the lyrical subject matter send a mixed message . It needs to be edited . neutral +Motivational interventions in emergency settings have more recently demonstrated important clinical outcomes in terms of risk-taking , negative consequences of drinking , and , at times , reductions in drink-ing . Interventions done in emergency settings can have good outcomes related to problem drinking . entailment +yeah yeah i can see that I don 't see what you are talking about . contradictory +3 billion bill for the U.S. The bill is very small for the US . contradictory +He served on the Committee on Government Operations and the Committee on Education and Labor , and was one of the managers of the legislation that established LSC . He was neither on the Government operations committee or the Education and labor committee . contradictory +that 's that 's a pretty short career on average That is a short career on average . entailment +They hire individuals to act as leaders , teachers and resources in this arena . Their leaders are the most important employees on payroll . neutral +Bob 's mood has improved . Bob 's mood is getting worse . contradictory +ILS is opening an office in Fort Wayne , where Legal Services of Maumee Valley , Inc . ( LSMV ) still operates . ILS is opening an office in Canada neutral +'Nata- ' I caught my tongue . I knew it would be a bad idea to continue the conversation . neutral +The pressure to reduce administrative costs resulting from competition in an emerging global market drove many finance organizations to find more efficient ways to deliver their services . The push to bring down administrative costs was prompted at least in part by political pressure to keep competing on an international scale . neutral +The opposite ( west ) end of the park borders on Shibuya , where you can visit NHK Broadcasting Ceter , headquarters for Japan 's public television network a must for anyone wishing to see how samurai epics are made . The eastern side of the park borders with Shibuya . contradictory +There are no other conditions ? " What is your condition ? contradictory +It might work . It is difficult to make work . neutral +yeah oh yeah right in the tub and and it helps because it 's the time of the year that they 're shedding a lot and cleaning cat fur off the couch and off the floor is not a hobby of mine so i thought well this 'll help you know help them shed and THey never shed ! contradictory +The cover profile makes Jerry Seinfeld seem quite charming , if a tad immature . The cover profile paints a positive image of Jerry . entailment +and course you have to you have to be able to prove they they knew it was counterfeit and that 's always very difficult It 's very hard to prove that it was a counterfeit . entailment +The instance is not selected by us ; rather , we are called to it . The instance was not our first priority . neutral +STEWARDSHIP RESPONSIBILITIES - The projected financial impact on the Government of sustaining the current services that it provides pursuant to laws already enacted . It is related to laws that are already in place . entailment +But more likely is that this is anti-Clinton blather from a conservative Republican . The Republican 's claims are completely valid . neutral +'No more frosting ! ' Natalia yelled with a start , shaking herself awake . Natalia stirred quietly in her sleep and drifted back without a word . contradictory +This was the case in connection with Enron and certain other business failures . This wasn 't the case in connection with Enron and certain other business failures . contradictory +Hotmail , a Web-based e-mail service , delivers Slate 's table of contents to 106,000 of its customers every week . It has been discovered that people who use Hotmail are 3x more likely to check their e-mail . neutral +It also sent missionaries to spread Buddhism to Tibet and attracted scholars from China , Burma , Thailand , and Cambodia . Scholars were attracted from China because of the free and open intellectual environment . neutral +Cancellation of debt . Increased amount owed . contradictory +They are in the Reform Party . They are in the Republican Party . contradictory +'Not all of it ! Not in two days ! ' Not all of it in two days ! entailment +This may be evidenced by the ability ( 1 ) to retire the PP Retiring the PP provides substantive evidence . entailment +The lawyer is not the government 's speaker . The government sometimes depends on the lawyer to speak . neutral +Don 't you remember , I said yesterday I 'd overheard two people talking about a female called Jane Finn ? I know you remember what I said yesterday about how I saw those two people fight each other ? contradictory +While you glide along , multilingual commentaries tell you about the sights . The commentaries about the sights are only in English . contradictory +The man was paying no attention to the lines of slaves . The man stopped for a conversation with one of the slaves . contradictory +Microsoft Senior Vice President Bill Neukom added , We 've always competed fairly , and we will continue to do that . Microsoft says they don 't compete fairly . contradictory +For centuries , the clock tower has been every Venetians favorite rendezvous point , an arched ground-level entranceway leading to the Merceria , a narrow zig-zagging boutique-lined street that cuts through this ancient quarter on its way north to the Rialto Bridge . Venetians avoid meeting at or near the clock tower . contradictory +If your timing is right , you 'll see the sea 's bright colors when a full moon rises at the same time that the sun is setting . There is not much to impress at the skyline . contradictory +oh yeah oh no he no he 's he 's heavy into Japanese culture He is very enamored with Japanese culture . entailment +Today 's Papers appreciates all its sharp-eyed grammarian readers and will press on irregardless of its occasional missteps . Today 's Papers occasionally has grammatical errors . entailment +But the spokesman said the campaign had not yet formulated a response to candidate Bill Bradley 's challenge that Gore submit the paperback to an independent lab for testing . The spokesman wanted to avoid discussing Bill Bradley 's challenge to Gore . neutral +1914 : Panama Canal Opens New Era of Global Trade in Panama Hats Panama Canal did not have global trading in the 20th century . contradictory +In addition , 193,000 fewer asthma attacks are estimated to occur in 2010 and 373,000 fewer in 2020 . Asthma attacks are a direct result of the benefits . neutral +But in this instance , I want to experiment with a slight Rather than burn the mathematics , I will make it available as a link . The link will be on my home page . neutral +I 'll go through with it all right . I won 't make it through . contradictory +The Dilwara Temples are located on Mount Abu , in a former hill-station for the British ( now used by the Indian bourgeoisie ) . The Dilwara Temples are located in an Indian bourgeoisie . neutral +Looking around for branches to bring home , I see the beech trees still hanging on to their frail , colorless leaves and notice that the drooping , short-lived flowers of the maple are about to open . It was fall , as the maple leaves were starting to turn . neutral +The fat man followed , apparently gaining back some of his courage . He built up his determination as he followed along . entailment +Left Behind is the Harry Potter of the Armageddon set . The Armageddon series is as well-regarded as the Harry Potter series . neutral +The natural snowfall is often augmented by snow-making equipment to ensure adequate powder . Only natural snow is used there . contradictory +In the U.S. , approximately 93 percent of all possible stops 93 percent of all possible stops in the U.S. are impacted . entailment +3 ) Where I think he has not made the sale . This is the location where I do not believe he made the sale . entailment +but now my mom and them had to pay for that too As a result , my mother had to spend money . entailment +Built by the Dominicans , it was the doges ' funeral church with some 25 buried here , many in masterpieces of monumental tombs . There are 10 doges that are buried at other churches . neutral +In the late ' 70s three people independently wrote up that the Norwegian economist Victor Norman , Lancaster himself , and yours truly ; and the new trade theory was born . Victor Norman was a Norwegian economist . entailment +Paying homage to the great war photographer 's courage and talent , he nonetheless notes the conflicting stories of the photo 's origins , Capa 's own silence about the image in his writings , and other writers ' questions . He pays homage to the photographers talents and vast amount of courage . entailment +Boris and Mrs. Vandemeyer talked on purely indifferent subjects : plays they had seen , new dances , and the latest society gossip . Boris and Mrs. Vandemeyer discussed many things . entailment +Assuming a minimum of stops for shopping , the following walking tour will take a very full half day . The following tour consists of half a day of walking and shopping . neutral +If not , stadium seating will always be accessible to the average fan . The average fan prefers stadium seating . neutral +The prolific American golfing architect Robert Trent Jones , Sr. , designed this rolling 6,072-m ( 6,640-yard ) course , a factor ensuring it 's not easy to play . Jones designed the course . entailment +This assessment rules out idealistic that the public might accept the sacrifice and continue to support the war , or that Clinton might persist and try to win back public confidence rather than bail out . This assessment thinks Clinton will not try to win back public confidence . entailment +It deserves further study . Further research into this may be beneficial to the cause , but we aren 't sure yet . neutral +American critics ! British editors contradictory +Bell had recently been approved to have the federal government subsidize part of his monthly rent , but the government 's portion of the December rent was going to be delayed until January , and the landlord was reluctant to wait . The landlord was happy to wait for several months for the rent . contradictory +I said that I reckoned a car like that was worth every penny of twenty thousand dollars . I stated what I believe that car was worth . entailment +jeez i get tired of this i 've got a there 's a nice little wooden platform out there for the garbage cans and then they throw them anywhere they want to At least they throw them in the garbage cans . contradictory +I hope they see reason . I already know they are not reasonable . contradictory +we lived in a dorm my husband and i met in graduate school at Indiana University and i was ours was uh international coed you know coed dorm and there were twelve hundred students they 're graduate students from all over the world I met my husband while we were attending Indiana University . entailment +Probably the most important reform was the least the decentralization that increased regional autonomy and reversed the age-old trend of concentrating political , economic , and administrative power in the national capital . The region enjoyed greater wealth for the years following . neutral +His assistant , attorney Twyla Sketchley , sat behind his shoulder and silently mouthed , He is a saint . Twyla said that he 's a deviant contradictory +Subsequent jokes are grounded , predictably , in their sundry sexual humiliations ; easy stuff , but concentrated and layered so that they add up to a vision of adolescence as a hormone-wracked purgatory . Subsequent jokes are biased , unpredictable and downright horrendous . contradictory +Don 't be offended because I think you 're young . You 're young but I don 't think you should be offended . entailment +While I believe that it is not always desirable to have the government intervene , at times it is necessary in order to protect the public interest , especially when others who could act fail to do so . Public interest is my biggest concern . neutral +a man yelled at a camera crew planted directly between him and the candidate . A man shouted at the camera workers that were set up between him and the candidate . entailment +In Shekou is a large Free Market , and an exhibition of Xian 's terra-cotta warriors . Xian 's terra cotta warriors are showcased in Shekou . entailment +The climax is the movie starring John Travolta . John Travolta hasn 't acted in a long time . contradictory +The wolf dates from around the fifth century b.c. , but the little Romulus and Remus that she is suckling are actually Renaissance additions by Pollaiuolo . The wolf component is older than little Romulus and Remus . entailment +He quit the Giants partly because the owner and general manager cramped him . The owner and the manager aren 't good people , they cramped him . neutral +We therefore believe Congress should consider allowing federal employees to keep and make personal use of the frequent flyer miles they have already received and will receive for official travel . We believe Congress should never allow federal employees to keep the frequent flyer miles they have already received . contradictory +That Clinton simply has no conception of why such an intrusion might be worrisome was evident from that speech , as it was from his radio address , in which he compared his proposal to the requirement that parolees take drug tests . On multiple occasion previous to the speech , Clinton had taken the opposite approach to the issue . neutral +For criteria pollutants , the 1996 National Emissions Inventory ( NEI ) used for the Heavy Duty Diesel vehicle rulemaking was used . To select which pollutants would be used related to HDD vehicles the 1996 NEI was referenced . entailment +Her other hand began a series of complicated motions that had a ritualistic look about them . She had her hands folded neatly in her lap . contradictory +This report is designed to present information about national saving-as measured in the National Income and Product Accounts-and its implications for economic growth and retirement security in a concise and easily understandable manner . The report is incredibly accurate using brand new data research techniques neutral +A photograph , carelessly thrust in face upwards , caught his eye . He honed in on one photograph and picked it up . neutral +The lawyer looked at him deliberately for a minute or two . The lawyer enjoyed looking at him . neutral +Thanks to Regis , it is the perfect ' 90s You can enjoy it as challenge , kitsch , or both . It 's perfect because Regis is a great host . neutral +He 's such a dear little man ! The person is a child . neutral +Well , we shall try , we shall try this time to put that diablo under ! " An hour later Drew was facing a diablo of his own , with far less confidence than Hilario Trinfan had voiced . Drew faced diablo and he was scared . neutral +The whipmaster shifted and reared back to stab Ca 'daan . The whipmaster tried to stab Ca 'daan with his dagger . neutral +He walked round it . The man was walking around the object . entailment +The Choctaws flattened the heads of babies by placing bags of sand on their brows and ridiculed whites as longheads . The Choctaws saw longer heads as an ugly trait and went to extreme measures to prevent their babies from having them . entailment +[ BLOCK QUOTE ] What 's your name ? Say your name loudly . neutral +If asked to participate in press briefings sponsored by requester ( s ) , GAO will provide support if the press briefing is held in Washington , D.C. GAO will support other organizations . entailment +It has often been pointed out that the term state planning does not capture the full scope of the activities that are included in the process as it is playing out across the country . The term state planning is an accurate description of a process occurring around the country . contradictory +At the Porte Sainte-Croix , there is a magnificent view over the Cure river valley and the path that leads to the place where , in 1146 , Saint Bernard urged King Louis VII to lead the French on the Second Crusade . Saint Bernard obliged King Louis VII to not partake to the Second Crusade . contradictory +We are taking only two days off , losers that we are , for our honeymoon , since my partner is in the throes of the second round of financing for her company . Honeymoons are often longer than two days . neutral +a year before that had been turned down because they said well it 's not feasible it 's not a good idea They did not believe it was a sound idea . entailment +Also , if one product development takes more time and money to complete than expected , it denies the firm opportunities to invest those resources in other products . The firm has plenty of resources to invest regardless of the time it takes for certain product development . contradictory +Is there an editor in the house ? How many editors does the house have ? neutral +yeah it 's like uh in IBM in IBM you can get certain points IBM does not feature a point-based rating system . contradictory +It lost its empire in America and the Pacific , and then in 1923 suffered a humiliating defeat in Morocco at the hands of local rebels . The local rebels won due to its lack of military power in the region . neutral +Based on the cost-benefit analysis performed by FDA , the rule will impose an unfunded mandate on the private sector of over $ 100 million annually and therefore the rule is subject to the requirements of the Act . The FDA insisted on doing a cost-benefit analysis before and rules were imposed on the private sector . neutral +All right , Fowler , tell me what you saw ! " Fowler slid the shotgun out of sight , apparently sure that an armistice , at least , was assured . Fowler has a shotgun for safety purposes . neutral +Of these , 98 percent said they do not recover frequent traveler benefits received by employees on business travel for their companies , and 95 percent said they have no plans to do so . Companies are forced to maintain a 100 % compensation rate to their employees for all business related items . contradictory +REMSAD was also used to estimate the changes in visibility and deposition of mercury , nitrogen , and sulfur . Mercury , nitrogen and sulfur are not earth elements . contradictory +--Byron Swift , Environmental Law Institute , Allowance Trading and Potential Hot Spots - Good News from the Acid Rain Program 31 Environment Reporter , pp. 954-959 , May 12 , 2000 . Allowance trading is bad for the Acid Rain Program . contradictory +If workfare is going to be the employer of last resort , it can 't pay good , union wages , or else half the city will go on welfare to get a workfare job . People would only stay at their current jobs if they were being paid enough doing work they enjoy neutral +Minuses and Subtractions and . entailment +Excess emissions penalty The penalty is charged after a test is performed to determine the amount of emissions . neutral +Its volume increased from 38 . its total volume increased quite a lot from 38 neutral +Favorite sons of Besancon include Victor Hugo , 19th-century thinker Pierre-Joseph Proudhon , and Auguste and Louis Lumiyre , inventors of cinematography . Besancon has no favourite sons . contradictory +The Congressional Research Service recently reported that in 1997 nearly 63 percent of workers between the ages of 25 and 64 replied that they did not own a retirement saving account , such as an employer-sponsored 401 ( k ) or an individual retirement account ( IRA ) . The CRS stated that 63 % of workers had a retirement plan . contradictory +Exhibit 15 presents the mean estimate of avoided health effects in 2010 and 2020 for each health endpoint included in the Base analysis . The mean estimate of avoided health effects in 2010 and 2020 is presented by exhibit 19 . contradictory +but uh i i don 't know i 'm i 've been Republican for as long as i can remember and the Democrats are just so disorganized and they have been For as long as I can remember I have been a Republican . entailment +He was Anson , too in th ' Rangers for a while , Pa was . " Pa told me great stories from when he was in the Rangers . neutral +well that 's not too bad in price listing It is worth buying at that price . neutral +She noted that These projects are reviewed by a study section , but one that may be more forgiving than R-01 study sections . The projects are reviewed by the 10 person study section . neutral +Through successful working relationships between GAO and the IGs , agencies have consistently met the CFO requirements . The agencies are currently meeting the requirements . entailment +The sights , sounds , and smells of old Kathmandu bombard the senses . Old Kathmandu has several sights and sounds that lay siege to the senses . entailment +The postwar obsession with comfort , convenience , and the latest electronic gadgetry has led most Japanese to forsake the traditional , simple , and elegant house of wooden walls , heavy tiled roofs , tatami-mat floors , and sliding panels for a modern Western-style house designed to exchange the austerity of the past for the prosperity of the future . Most people in Japan live in traditional style homes because they don 't like Western-style homes . contradictory +Inland from here is the heart of the district called La Marina , which genuinely looks the part of a Mediterranean port . La Marina is the heart of the district similar to a Mediterranean port . entailment +that 's right read between the lines are you covered no It 's plain as day you are covered . contradictory +You enter through the Imperial Gate ( built in 1478 ) into the wooded gardens of the First Court . The First Court was built in the same year as the Imperial Gate . neutral +i 'm not sure though when we talk about what rules if any that we should say well certain segments should not have to be tested i really don 't see why I 'm not sure that when we mention the rules if any , that we should also say that certain bits won 't have to be tested . entailment +Well , it is this : that Mrs. Cavendish does not care , and never has cared one little jot about Dr. Mrs. Cavendish is very fond of the doctor . contradictory +The same section also authorizes the Postal Service to provide , establish , change , or abolish special nonpostal or similar services [ . Some popular non-postal services include passenger service . neutral +Comments were solicited from the public , other federal agencies and the Office of Management and Budget ( OMB ) . OMB and other federal agencies were able to make comments . entailment +'Well , ' White finally said , after an hour or so . White had to think for a while before responding . neutral +But others praise it as a minor-league farm team for potential NATO members , and celebrate its civilizing influence ( some PFP members have settled long-standing border disputes ) . Others praise it for its civilizing influences , and view it as a minor-league farm team for potential NATO members . entailment +Why would Michael Flatley threaten to perform an all-nude version of Riverdance ? -- Steven Davis Steven Davis was wondering why Michael Flatley was threatening to perform an all-nude version of Riverdance when it has actually already been done before . neutral +The Indians called it Madinina , island of flowers , and they were hibiscus and bougainvillaea , magnolia and oleander , anthurium , poinsettia , and more , all compete to make Martinique one of the most colorful tropical gardens on earth . The island of Martinique is a large island home to over 500 species of plants . neutral +To maximize this investment , we are reviewing and updating our training curriculum to address the organizational , behavioral , and technical needs of our staff . For maximizing the investment , we are completely ignoring our training curriculum . contradictory +Its sumptuous royal apartments are the draw , but it also features temporary exhibits . The apartments are nice but there aren 't any exhibits . contradictory +Rubbish ! cried Lawrence angrily . Lawrence agreed . contradictory +Wanted , the headline screeched . The headline was boring . contradictory +He gave the Israelis the bible of American signals intelligence , a manual that shows exactly what foreign ( that is , Soviet ) signals the United States has intercepted . No one has a manual of intercepted signals . contradictory +But if your options are more flexible , the most enjoyable ( though equally crowded ) months are May , June , September , and October especially for Rome , Venice , and Tuscany . The least favourable months to go are May , June , September , and October . contradictory +The blacksmith 's shop in the center of the village became the focus of this activity because it was the blacksmith who often officiated at these ceremonies , striking his anvil with a hammer to signify that the union was official . The blacksmith shop closed long ago . contradictory +Suddenly my attention was arrested by a weedy looking young man rushing down the street at a great pace . There was a made rushing quickly down the street who caught my attention . entailment +My idea was ” a very ridiculous one , no doubt ” that she had intended to poison him ” and that , in some way , Mrs. Inglethorp got hold of it by mistake . Mr. Inglethorp seemed a more likely potential murder victim . neutral +Mighty pretty hat trimmin ' , that , suh , Hamilcar admired . Hamilcar admired the hat and wished he could have one like it some day . neutral +Some shrines display thousands of dolls brought by the faithful . The dolls vary in size , shape , and color . neutral +the the key thing that i think uh we try to do is that bring all the friends over here have our house as a place where they can come at any time so that you always see their friends rather than make them not welcome and they 're always over in someone else 's house so our we 've been lucky that uh our house is usually the place where the kids could come you know and I hate that our kids bring over their friends . contradictory +do the weights Work with the weights . entailment +and that really upsets me because i won 't pay cable prices because there 's it 's it 's useless having cable i think Cable is very affordable so I am happy . contradictory +oh did you are you on L O A Based on the things that you 've told me I think you 're on LOA . neutral +( JFMIP , Project on Standardization of Basic Financial Information Requirements of Central Agencies , dated October 1991 , hereafter cited as JFMIP Standardization Project ) The JFMIP Standardized Project report came out in 1991 . entailment +Indeed , Wolf often expounds on the trauma--and the necessity--of expressing herself in public . Wolfe discussed her necessity of public self-expression . entailment +um-hum i think that 's that 's the the hardest thing is that people who don 't really know feel sometimes a sometimes for example i know um you know the ancients better but They find it hard and get overwhelmed easily . neutral +okay Bob um our project 's painting um do you have any uh any thoughts on whether painting 's a good idea or a bad idea Since we 're talking about our painting project , do you have any input on whether painting is positive or negative ? neutral +Underneath the sacred rock is a grotto where , according to tradition , great prophets and kings of the past came to pray and where the souls of the dead travel for their devotions . Beside the sacred rock is a grotto where criminals come to rest when they are executed . contradictory +and they don 't need that seven day waiting period They need a long seven day waiting period . contradictory +Table 2 : Comparison of Labor Costs per TransactionAverage vs. The second table includes some depiction of a comparison of labor costs per transaction . entailment +You 'll probably be tempted to stay put for a while , relaxing in one of the Mediterranean 's quietest corners . You will most likely be swayed to stay a while , relaxing in one of the Mediterranean 's quietest corners . entailment +We 're only one season into The Sopranos , so it 's a bit too early to say if this particular manifestation of mob art is influencing mob life , but I think it 's fair to say that no one in actual organized crime would ever want to be hooked up with Tony Soprano 's crew . All mob life is being influenced by The Sopranos , and any member of organized crime would love to be a part of Tony Soprano 's crew . contradictory +do you have to buy metal copper is a very good one to collect even aluminum yeah so We 're collecting various metals such as copper and aluminum in order to sell them . neutral +OSI also engages in proactive operations that test the security of agencies ' systems , controls , and property . OSI is the most well-equipped to handle these sorts of operations . neutral +But he could see his skin rise in giant blisters and heal almost at once to blister again . He was beginning to suspect that he had magical skin . neutral +It specifically addresses concerns raised suggesting ( 1 ) that the Commission should better quantify the effects of the proposals on the market ( especially the anti-competitive effects ) and ( 2 ) that the Commission 's estimates under the Paperwork Reduction Act ( 44 U.S.C. It is believed by some that the Commission should show the effects of the proposals on the market better , entailment +They think , Before the war , and remember things in black-and-white . They are not able to remember things in color . entailment +uh-huh uh-huh well it 's going to be interesting in the next few years to see what happens because there 's quite a strong democratic um um There might be a lot of changes because there 's a lot of democratic power right now . neutral +well maybe i maybe i can get the yard mowed before it hits I will mow the yard before teh storm . entailment +overload news overload There is a news overload because there is just so much information on tv all the time . neutral +then about the third call they said we want to know we 're going to refund the contracts and the money for these kids because nobody 's going to coach and think that 's terrible so at that point you know you come forward well that started about a fifteen year career of coaching uh coaching administering programs and my wife and i in addition to coaching i think when we finally finished up we were managing After that , my wife and I spent 15 years coaching and administering programs . entailment +uh interestingly enough in my younger days i taught school for two years while my husband was getting his business established and i find the changes uh in the school system The changes really make me think about a change in career . neutral +See appendix II for more details about the Medicaid assumption . The medicaid assumption is well explainable neutral +Then climb up to the roof and take in the splendid views of the surrounding complex and the magnificent Nile valley beyond . The Nile valley is walled off from sight . contradictory +published about horse fever and keeping the drainfree below the rainspout and putting a little Published about chicken disease and caring for birds . contradictory +However , most college-bound Colorado students take a different college entrance exam , making the SAT an unreliable measure of school quality . 40 % of college bound students take different college entrance exams . neutral +The disastrous Democratic Convention , however , left McGovern a then record-setting 23 points in the hole . McGovern 's 23 point deficit was , for all intents and purposes , the end for him . neutral +Addiction is a disease , not a moral failing . Addiction is a major problem for the youth . neutral +Red waited before answering . Red answered quickly . contradictory +Because traditional work schedules influence internal control in T & amp ; A systems , this document contains two major parts , the first dealing with civilian employees who are expected to be working , usually during certain times and the second part dealing with members of the active duty armed services who are expected to be in a duty status and thus on call 24 hours a day . Everyone who works , works the same hours as everyone else . contradictory +The commercial passenger number 0289 / Mr. Pearinsky leafed through a couple of pages , compared the photos with the view outside and fell asleep . Mr. Pearinsky stayed awake the whole flight watching a movie . contradictory +Brady and this is the law that 's before the the legislature right now is is referred to as the Brady Bill right The Brady Bill will be voted down . contradictory +He had spoken up for them already , but would Muller accept his testimony over that of his own men ? Muller did not have his own men . contradictory +This towering vessel , comprising 5,600 individual parts and subsequently gilded , was the work of the German silversmith Heinrich von Harff . The vessel was carved out of a single block of stone . contradictory +The final rule preempts all state and local laws and regulations that are inconsistent with the final rule , has no retroactive effect , and does not require administrative proceedings before parties may file suit in court challenging this rule . Many cases were filed in court challenging this rule . neutral +The following are a few Las Vegas highlights ; for a more thorough listing of specialty stores , pick up one of the free alternative newsweeklies , Cityife or Las Vegas Weekly . Las Vegas has a number of highlights as well as specialty stores . entailment +The difference is that Richardson pleads for understanding while Gopnik brays for outrage . Richardson and Gopnik are both lawyers who disagree on how the case should be handled . neutral +You can cool off in the green tea plantations of Darjeeling or in the mountains of Sikkim . The green tea plantations are the least humid part of Darjeeling . neutral +It 's gross , says Sarah Quinn , as she loiters in the parking lot of the Four Seasons with her longtime boyfriend Ben . Sarah Quinn expressed to Ben that making love in the Four Seasons hotel is gross . neutral +Many of the qualities attributed to Clinton 's women also describe his mother , Virginia Kelley . Clinton has an Oedipus complex . neutral +The walls ' paintings have gone and water no longer flows in its indoor Nahr-i-Bihisht ( River of Paradise ) , but mosaics made of mirrors ornament the ceiling and walls of six boudoirs , making a galaxy of stars when candle-lit ( strike a match ) . On the ceiling , there are mosaics made of mirrors that look beautiful in the candle light . entailment +They point out that State has an established field structure and that it may be impractical to create a similar field structure in the proposed department . To them , State has an established field structure , said the teacher . neutral +You believe him capable of committing it . You think he is capable of committing that crime ? entailment +There often will be no alternative source for the client to receive vital information respecting constitutional and statutory rights bearing upon claimed benefits . No alternative sources are available for clients regarding constitutional and statutory rights more often than not . neutral +uh we are now a legitimate player in the in the in the game because we came in with a certain amount of force and we you know we defeated you know Iran couldn 't do it in seven years and we went in and did in in seven days what Iran couldn 't do in seven years you know so We are now a player in the game , despite not wanting to be . neutral +Delimiting those circumstances is the central aspiration of 20 th -century psychology ! There is no such thing as psychology . contradictory +It connects the Piazza Duomo with the Piazza della Signoria . It is not connected to the Piazza Duomo . contradictory +3 raises the question of what else in his book is fictional . 3 was not worried about the fictional aspects of their book . contradictory +The cost is the present value of estimated net cash outflows at the time the guaranteed loans are disbursed by the lender . The cost is a percentage of the value of the estimated net cash outflows . contradictory +The suit , reports the Star , claims Richey ignored Wynette 's doctor 's advice that she be given immediate medical attention ( the doctor was 500 miles away ) , and instead continued to administer narcotics--which had been prescribed by the doctor--to the failing singer . The doctor was a large distance away so they couldn 't intervene . entailment +Addi ? ­ tional alternatives are house and apartment rentals and camping or caravanning . Renting an apartment or house , camping , and caravanning are all viable alternatives . entailment +no i said i 've never been married i 'm only i 'm only twenty six so I feel I 'm too young to be married . entailment +He took a step toward Sather Karf , and another . He hesitated before taking one step toward Sather Karf . neutral +it 's a luxury car it 's a it 's a sports luxury car it 's right below the Continental the Lincoln Continental It 's the exact same as the Continental . contradictory +I 've never liked helicopters . I don 't like helicopters . entailment +I remembered how Poirot had relied on my diplomacy . I recalled that Poirot depended on my diplomacy . entailment +yeah well pottery sounds interesting have you made a lot of uh a lot of vases and things or I want to try pottery , have you made a lot of vases ? neutral +The stout-limbed can follow his example , and start by climbing the 300-odd stairs to the platform just below the steeple for a fine view over the city . You have to climb up 356 steps to get to the platform . neutral +If you know of nothing to the contrary , pursued Mr. Wells , " I had thought of Friday . Mr Wells said he was considering Friday . entailment +It is still the foremost school of Islamic studies , attracting over 85,000 students from around the Middle East . The school also offers Christian studies . neutral +Rome was plundered by imperial armies in 1527 ; the Medici were driven out of Florence and returned to power only under tutelage of the Spanish , who won effective control of the whole country . The Medici were lucky to return to power after the Spanish conquest of Florence . neutral +Horrible-looking things , aren 't they ? Sexy critters , eh ? contradictory +The thought of a possible five shillings spent unnecessarily spurred her to action , and she decided to risk the waste of ninepence . She decided to risk the ninepence , even though that 's all she had . neutral +Not surprisingly , therefore , it is one of the Holy Land 's many religious hot-spots . IT is not a hot spot for the holy land . contradictory +( 1 ) not lifting the current importation restrictions for beef from Argentina and ( 2 ) allowing importation under either less or more stringent conditions than those adopted in the rule . There is absolutely no possibility that the current importation restrictions for Argentinian beef could be modified . contradictory +Nye got him to Doc 's an ' they put him to bed . After Nye brought him to the doctor , they put him to bed . entailment +yeah i just ripped i just cut it up and threw it away but you know I threw it away after cutting it up . entailment +During fiscal year 1999 , we were called upon to testify 229 times before 93 congressional committees or subcommittees as shown in Figure 21 below . We had to testify 229 times in fiscal 1999 . entailment +It was an interesting time , and there were an awful lot of changes going on , she said . Not all of the changes were bad . neutral +Shot men don 't move . Men who have been shot usually do not move , although in some cases , they can maneuver their way to safety and get help , since most men will only take one bullet in a non-vital area . neutral +Blumenthal 's contemptible insinuations are a reminder that there is nearly always something provincial and self-serving about the response of American intellectuals to Whittaker Chambers . American intellectuals almost always have self-interest at heart in their response to Whittaker Chambers . entailment +A Newsweek story distinguishes between buzz and hype : buzz is genuine , street-level excitement , while hype is propaganda created by PR firms and the media . Newsweek thoroughly researched the differences between buzz and hype . neutral +Some mandrake-men are real . All the mandrake-men are fakes . contradictory +Nonetheless , we find that there are steps that can be taken to generalize from case studies when this is desired . Generalization from case studies should not become the norm . neutral +You 'll soon notice that this is first and foremost a fishing island nets , lobster traps , gutting knives , rods , and lines are everywhere ; it 's no surprise to learn that the inhabitants , mostly descendants of Bretons who settled here 300 years ago , are considered the best fishermen in the Antilles . Mostly descendants of the Spanish who settled here one thousand years ago . contradictory +I know he was with you and I know she was with him . I don 't know where you people were . contradictory +yeah you sound like my husband he really likes Tom and Jerry and uh Bugs Bunny and all his friends and all those guys My husband hates Tom and Jerry . contradictory +The Wall Street Journal noted that similar tactics helped Microsoft beat Lotus and Netscape . The Wall Street Journal pointed out how Microsoft defeated Lotus and Netscape . entailment +If you can get up early enough , you can attend the pre-dawn auction held at the vast local wholesale fish market ; otherwise , have a look at the street market that goes on later in the day . The local wholesale fish market only opens late in the day . contradictory +well i i uh when i first started out teaching it was uh at college level and then uh after we moved here to Dayton then i went to the high school level i really enjoyed that more and so then i taught the physical education actually uh with the i was the specialist in water safety and uh so i taught uh the the physical education I taught physical education at the college level . contradictory +The only difference between Rust and the present case is that the former involved distortion of ( that is to say , refusal to subsidize ) the normal work of doctors , and the latter involves distortion of ( that is to say , refusal to subsidize ) the normal work of lawyers . This difference is not only the only difference , but it is insignificant . neutral +Saxton was , in fact , decorous and polite . Saxton was rude and loud . contradictory +In a way , what the other had said was true . There is a chance that he is right . neutral +These methods are described in detail in the Heavy Duty Engine / Diesel Fuel RIA ( USEPA , 2000b ) . The methods described are not in the Heavy Duty Engine . contradictory +More and more ports were opened to foreign trade , and the Japanese were obliged to accept low import tariffs . The Japanese were obliged to accept low import tariffs after more ports were opened to foreign trade . entailment +And the labor-market success of millions of unskilled immigrants in recent years makes it hard to sustain the case that only highly trained or educated workers are in demand--at least for the moment . Millions of unskilled laborers have attained employment in the last few years . entailment +Last Monday night . Sometime last Monday . neutral +However , it was not immediately apparent how to locate that page from the HHS home page ; the user had to click on HHS Agencies and , at the ACF web page , use a dropdown menu entitled Select a Topic within which the Regulations Currently Open for Comment page is located . It was not apparent how to locate the page from the HHS home page . entailment +yeah wants you to They might want you to do the task . neutral +To meet these objectives , we studied 11 federal and nonfederal entities experienced in developing relationships and procedures for information sharing . To meet these standards , 11 federal and non federal people were experienced in developing relationships and procedures for information sharing . entailment +I 'm much obliged to you , Hall . I owe you a favor . entailment +yeah they did they put a lot of pressure on him from the outside and from the inside uh it 's funny watching them them play he 's probably like a lot of quarterbacks uh when the pressure is really on when it 's down to the last few minutes of the game for the season is when the guys seem to really do their best They applied a great deal of pressure . entailment +But the war and the repercussions of the French Revolution had helped to create in Spain the nucleus of a liberal national party . The failure of the French revolution meant that no similar movement came into existence in Spain . contradictory +How satisfactory is the compromise ? The satisfaction comes as a result of no compromise being made . contradictory +Kitchell 's men do , perhaps it is thought that they do so . It is thought that perhaps Kitchell 's men do . entailment +An overgrown drive thick with leaves . They kept the driveway tidy . contradictory +oh God No why don 't you go first I really want to go first . contradictory +Jacob is just plain wrong . Jacob is completely incorrect . entailment +Bradley , who has belittled Gore 's microproposals ( sprawl , traffic , etc . ) , will see his own self-proclaimed questioned . They never questioned him . contradictory +Cromwellian troops stabled their horses in the aisles . The horses of the troops were stabled outside . contradictory +Impossible ! That isn 't really possible but maybe it is for him ? neutral +The Census Bureau , through its effective use of technology in expanding the electronic availability of census data , demonstrates how federal agencies can leverage performance and customer satisfaction through the better use of technology . The Census Bureau shows how federal agencies can leverage performance through the use of human capital . contradictory +Much of the island was left in ruins from heavy bombing , but Crete escaped the internal strife of the civil war that raged in mainland Greece ( 1947-1949 ) and felt fewer effects of the oppressive arule of the colonels ' ( 1967-1974 ) than other Greek communities . Crete was heavily bombed during the civil war . entailment +Feminists ignore Clinton 's heinous behavior because they belong to the establishment and are friendly with Bill and Hillary . Clinton had heinous behavior but he gets a pass by the big-name feminists . neutral +He and his ward . He had no one with him . contradictory +Cete d 'Or France contradictory +Phil Knight , but only if he agrees to bring 20 pairs of Air Jordans for each committee member , plus some hookers . People want Knight to bring bribes entailment +The program is administered with a relatively small staff relying on strong and state-of-the-art data tracking and reporting capabilities . The program only had a few employees . entailment +The SEC received 39 comments and in the preamble to the final rule discusses the comments received and the modifications made to the proposed rule as a result of the comments . The SEC got no comments . contradictory +we had about three or four days of that and then all of a sudden a cold front came down and uh temperatures dropped thirty degrees in a very short length of time and uh it has gone down gradually each day this morning it was twenty nine yesterday it was about thirty two uh cars were scraping ice off their cars this morning if they 've been sitting out all night A cold front came and caused the temperature to drop thirty degrees in a very short time . entailment +During his reign Palestine flourished , but his successors proved less able , and over the next four centuries the country continuously declined to become a virtual backwater . It took four centuries for Palestine to decline after his reign . neutral +I 'm in a band called ' Bag of Panties . ' I was not in a band . contradictory +But it did not seem to me to bear upon the question of his guilt or innocence . " It absolutely addressed the question of his guilt and innocence . contradictory +Shouldn 't the permission to widen have preceded the wire , which was in fact the widening ? The permission to widen should have preceded the wire . entailment +Archaeologists indicate that Lamma has probably been inhabited for some 4,000 years , and the island is known as Hong Kong 's Stone Age Island . The recently discovered island of Lamma is uninhabited . contradictory +Over the past quarter century , LSC has helped millions of low-income citizens solve important , sometimes life-threatening , legal problems . LSC has helped low income citizens with legal issues . entailment +Madeira 's rugged mountains form an attractive backdrop to the city . The city has a very unattractive backdrop . contradictory +The puritan crusaders of the North and the alienated populists of the South may share common political enemies , but little else . The northern crusaders have little in common with the southern populists . entailment +Whether his successors in this role succeed or not , I suspect that Yates will one day be better remembered for another the U.S. Even if Yates ' successors are less successful than him , he will not be remembered . contradictory +Westin says he wants ABC to get back to hard news . Westin thinks ABC should cover all the terrorism stories . neutral +Hundreds of them , perhaps thousands , will be abandoned or dropped at the pound . The pond will not have any of them at all . contradictory +Take the Mid-Levels Escalator to Hollywood road , known for its antiques and curio shopping . Hollywood road is best known for curio shopping and antiques . entailment +3The Trueblood Committee ( named after the chairman ) , a group formed by the American Institute of Certified Public Accountants ( AICPA ) to study the objectives of financial reporting , recommended financial statements that set forth the objectives of financial accounting and reporting and provided a conceptual framework for deliberations about accounting matters . The Trueblood Committee was formed in 2002 to determine the genetic background of business leaders . contradictory +What Ledbetter misses is that PBS 's time--if it ever had one--has come and gone . PBS 's time has come and gone and that fact has been missed by Ledbetter . entailment +All-inclusive accommodations range from intimate cabins to lavish suites . They are all-inclusive for all drinks and meals except wine . neutral +Leith Links is considered the home of golf , and there are another five municipal courses in the area . Leith Links is vastly superior to the other local municipal courses . neutral +and uh i don 't think there 's a problem with the warranty on any of those places although they have cut back on their uh warranty for the shrubs the past couple of years There appears to be an issue with the warranties for those locations . contradictory +The reality of ownership affects Slate in a couple of ways , we think . Slate is affected by the reality of ownership , we think , but I don 't agree . neutral +Believing a firm response was demanded , I 've relegated such inapt answers to Page 2 . ( Click for some quite amusing if not entirely germane replies . ) The answers extend to page number three . neutral +This rule changes and clarifies certain aspects of the Commission 's microwave relocation rules and adopts a plan for sharing the costs of relocating microwave facilities currently operating in the 1850 to 1990 MHz ( 2GHz ) band . The rules for the facilities currently operating in the 1850 to 1990 MHz ( 2GHz ) band will not be any different after the rule . contradictory +My concern is that he seems to have nearly all the characteristics of most gay men that I know . I know a lot of gay men . entailment +Sam Donaldson ( This Week ) thinks it odd that , at the same press conference , Clinton refused even to affirm that the president is above the law . This Week 's Sam Donaldson has no qualms with with Clinton 's statements at the press conference . contradictory +On the Yamuna ( Jumna ) river at the western end of the great Ganga valley , the capital seems to have been a coveted place for India 's conquerors . Most of India 's conquerors quickly took the capital on the Jumna . neutral +Walk through the gates of the 100-m- ( 300-ft- ) high west front , designed by Theodore Jacobsen and built in 1752 . The old gate from the 1700s used to be taller . neutral +well i think that it 's been proven since somewhere in the early nineteen hundreds that rehabilitation in the forms that we have been attempting it is not realistic um i can 't remember the study but it was there was a quite a long-term study done in Europe that uh evaluated the incarceration systems that America has based their systems on and uh it 's been proven useless for rehabilitation uh which is what a lot of people tend to believe happens in a prison and um there are amount of reforms that could be helpful in that area are numerous and costly and would require require a lot of task forces and et cetera and um there is a lot of people in our country that would go right off the roof um are do you work with the inmates themselves The way that we 've been attempting to rehabilitate people isn 't realistic . entailment +Piccadilly 44 Circus , for instance . For instance , Piccadilly 44 Circus . entailment +uh uh-huh i 've i guess mostly as far as as crafts go i 've done um some needlepoint and i 've done mostly cross stitching i used to uh do like um one that i did for both kids are like oh they 're plaques with you know different kind of animals and then you have their birth date on them and then you have a little picture of them and you frame them and stuff but nothing steady just i have some experience with needlepoint and cross stitch projects entailment +Bleached so blond that he looks like an irradiated android , Pitt expels all expression from his face and all tone from his voice . Pitt didn 't act in this film . contradictory +A reason I went to law school was to do social justice work , Schwartz said recently . Schwartz went to law school to do social justice work . entailment +A mercenary leaned up against a massive wood pillar . The mercenary was poor . neutral +Managers also need to compare actual performance to planned or expected results throughout the organization and analyze significant differences . Actual performance and planned results may be different from time to time . entailment +someone just recently said something really neat about that uh i got involved in uh Beginning Experience Weekends and uh it was one of the people from there that uh that said that his latest book and i don 't can 't recall the name of it is just excellent and his whole idea is we can build a better world if people get involved in good community building projects and he did uh mention Beginning Experience Weekends as one of the you know one of the places so i have um Beginning Experience Weekends have stopped because they didn 't accomplish anything . contradictory +Your shoot will never go as well as the best case of the agency , but then neither will it ever descend into chaos . Your shoot won 't go amazingly but won 't be terrible either . entailment +I 'd forgotten that , I admitted . I said that I had forgotten . entailment +governmentwide . All across the government . entailment +The buses stop either at the station on Isidoro Macabich , or in the case of the small blue buses opposite the Delegaci ? ? n del Gobierno building on the same avenue . All buses that operate in the area are green . contradictory +I am an astronomer , after all . " I am an astronomer indeed . entailment +You can view artifacts from the Bronze Age , trace the history of the Easter Rising , or revisit Leopold Bloom 's odyssey in Ulysses . Ulysses allows you to view history . entailment +Bauerstein in ? " She stared at me . She wanted to know if Baurstein was here yet , but she didn 't know how to ask it to the people hosting the event , so she asked me and stared blankly . neutral +'I think I like to invent things . I think I like to destroy things . contradictory +They have co-presidents and you can have co-maids of honor . There aren 't any co-presidents . contradictory +With a little advance planning , you can transform an otherwise tiring day into a delightful treat . Advance planning won 't make any difference to your day . contradictory +They renewed inquiries . They asked again . entailment +American Justin Leonard 's 45-foot birdie putt on the 17 th hole set off a celebration on the course before his European opponent finished playing . The celebration was set off by Justin Leonard 's 45 ft. birdie putt . entailment +well i don 't know like back in my particular office there must be at least uh twenty twenty five people one secretary no typewriter it 's all computers everybody 's got a a PC sitting in front of their desk My office has over twenty-five people and one of them uses a Mac . neutral +At the corner of Marble Street , on the right , are the Baths of Scholastica , which also included a brothel . At the corner of Granite Street are the Baths of Scholastica . contradictory +Since the new quality-of-life drugs can have adverse health effects , the drugs need to come through physicians . Quality-of-life drugs have no known adverse health effects , which is why anyone can get them over the counter . contradictory +But if ethics is relegated to peripheral and obsolete questions while industry deconstructs , redesigns , and manufactures human components just like any other commodity , laws that exempt these components from patenting , licensing , and other property rights will lose their moral basis . Manufacturing human components brings up tricky ethical questions . neutral +The Emperor Justinian was so overwhelmed by the first sight of what his architects had achieved that he cried out , Glory be to God that I have been judged worthy of such a work ! The Emperor Justinian was awestruck at the building his architects had created . entailment +The giant ashlars ( square stone blocks ) represent for the Jewish people their past glory , as well as a promise and a dream come true . Jews do not use anything to symbolize their hopes and dreams . contradictory +But I 'm only a bachelor in magic , not even a master , and I slipped . I 'm not a master in magic , only a bachelor . entailment +when the work is on an issue with widespread national implication or is resource intensive . The work is about something that has national implications . entailment +Hersheimmer . " A faint flush flitted over the girl 's face , as Julius stepped forward and took her hand . Julius stepped back and made his escape from the flushing girl . contradictory +Active military personnel are considered to be on duty 24 hours a day . Military personnel are always off active duty after five . contradictory +The best way to catch the president 's eye seems to be to show skin . The best way to get attention from the president is to speak loudly . contradictory +oh yes i mean when i had uh i was watching it the first time i ever saw a microbiologist on there i thought well it just goes to prove it has nothing to do with your physical capabilities and uh there she was terrific she was really terrific The microbiologist was not talented at all . contradictory +'He didn 't even graduate from the school- he was supposed to go into the Church , but he was so smart that he managed to get out of that , he was married twice to women who , if I do say so myself , were very nice for their time ... he travelled all over the place , I mean , he was practically-' He married very nice , beautiful women . neutral +Why , they ask , does the fact that a fetus can survive outside the womb with the help of vast medical technology change either of the interests at war in the abortion the fetus 's own claim to human-ness and a woman 's right to control her body ? The viability of the fetus outside of the room doesn 't change the fundamental rights being argued for . entailment +He thinks the WTO 's constitution and police powers will protect poor countries , not exploit them . He is afraid of mass exploitation in poor countries at the hands of the WTO . contradictory +and and they stink and beer and wine bottles all over the place huh-uh They always clean after drink non-alcoholic beer . contradictory +Interactive computer programs on laptops or palm computers , web-based interventions , computerized bundling of brief health messages for multiple health risks ( e.g. Bundled messages regarding health risks for Interactive electronics and software . entailment +in the beginning i think she kind of liked it she did art work there she did it was almost a progressive type nursing home She hated it right from the start . contradictory +The last emperor , Constantine XI , fell in the fighting , and by noon that day Mehmet and his men had taken control of the sought-after city . Constantine XI was a great emperor but not a good fighter . neutral +LSC expanded its on-site program reviews to include internal protocols for visiting recently merged programs and for evaluating a program 's closed case statistics . LSC expanded the program to include external methods for reviewing closed case statistics . contradictory +Will you repeat to us what you overheard of the quarrel ? Will you tell us what you heard the men fighting about ? neutral +uh well plan on it at least I want you to keep it in mind . neutral +Power , to be sure , brought other benefits to a female 's genetic legacy , so women naturally like having power . Women enjoy having power . entailment +A federal panel is deciding if and how to tax Internet commerce . The government is not considering intervening with the online economy . contradictory +I guessed nothing ! I thought all of it ! contradictory +A volcanic extension reaches out into the waves of the Atlantic , and the reefs form a series of protected natural pools . The reefs form a protected series of natural pools from a volcanic extension . entailment +A risk-neutral person is one who is indifferent when given a choice between 50 cents and a 50-50 chance of $ 1 . Everyone has a preference when faced with two choices . contradictory +Click for a rundown of candidates and organizations that raised more than $ 20,000 from students . These candidates tend to be more radical than other candidates . neutral +Beer is still brewed by traditional methods here . The tradition of brewing beer was passed from generation to generation . entailment +The two men met Severn in the town square and hiked into the low hills to the salt mines . The guys never found Severn . contradictory +uh so you don 't get the wind chill there that 's nice that 's nice uh i uh my my goal is to move some place south so that i don 't have to worry about winters any more and just worry about you know an occasional thirty five degree day i can handle but the the the sad part about here is that winter starts in um in you know early September or September October and then it ends in March or April so there isn 't that much summer and spring and fall here it 's pretty much you know lots of winter and uh it 's a very long winter semicold winter and a very gray winter usually so not uh not fun I would like to move to the south where I won 't need to deal with constantly cold temperatures . entailment +Survivors recall three and a half years of hunger and hardship under the occupation forces , who deported many Hong Kong Chinese to the mainland . Many people living in Hong Kong were deported to the mainland . entailment +At the far end of this plaza stands the Kumari Bahal , the house of the living goddess , which was built for the Kumari in 1757 and is guarded by painted lions with long wavy hippie-style hair . The house of the living goddess is also known as the Kumari Bahal . entailment +For spectacular views of both Bethlehem and Jerusalem , and for countryside straight out of the Bible , take a trip 10 km ( 6 miles ) southeast to Herodian . Herodian offers charming countryside and beautiful views of Bethlehem and Jerusalem . entailment +As a result of the minimal mechanical interface between the sorbent injection system and the boiler , retrofit of an ACI system will typically require a fairly short outage - one week or less . Retrofit of an ACI system required an outage of a week or less . entailment +We hope that the perspective and information provided in our The point of view provided entailment +Behind the brick facade with bas-relief friezes by Kipling 's father over the gate , the stalls retain their original vegetables to the left ; fruit and flowers to the right ; and fish , mutton , and poultry straight ahead . The stalls are of varying size , with the vegetable stall being the largest . neutral +Being Berlitz , we 'll try to help you with some of the simplest phrases ( at the front of the book ) . We like to help tourists communicate well . neutral +and then he gets up for this one trial and they don 't find anything out about the facts that he 's done this over and over and over again They were exhausted after going over the facts . contradictory +and but i 'm applying for what yeah it is a lot of the words are the same or you know they just change the pronunciation a little bit but i love it i love the culture the that they way they respect education I admire the culture and how it treats education . entailment +all right you too good night then bye bye I will talk to you in the morning . neutral +Today they often share the Olympic finals with their old arch-rivals , Pakistan . They do not share the Olympic finals . contradictory +The zoo opened in 1913 and was designed with enclosures rather than cages , an idea that was new at the time . The zoo opened in 1913 and was designed to solely use cages . contradictory +i i think the status quo seems to be working i don 't think um from talking to Jerry my friend that lived there that they don 't seem um upset about it or anything and The status quo is the norm , and people are unhappy when you move them from the norm . neutral +it now now it may be on some Federal Laws you know it it this was a we were dealing with uh with the state laws not necessarily not necessarily federal that may have something to do with it and it may be too that if it were um a capital crime It would be different if we were dealing with state rather than federal laws . entailment +The truth is that the more the mayor asks workfarers to do useful work , like street-cleaning , the more they will probably be doing work regular city workers once did . The mayor wants workfarers to build new streets and buildings . neutral +Cooper was condemned , reviled and , for a brief time , incredibly popular . Copper has always been popular . contradictory +we got some awful rain uh the other morning and today 's just been real drizzly we had severe thunderstorms the other morning neutral +Hong Kong 's New Territories begin at Boundary Street . Boundary Street is on the opposite side of Hong Kong from where the New Territories begin . contradictory +oh the worst kind yeah yeah Oh the best kind contradictory +And if there was a bit of buggery and whatnot going on up in the balcony , what of it ? Someone punched a guy on the balcony . neutral +'You 're early , ' I said , trying to sound more surprised than accusational . I didn 't say anything - she was late after all ! contradictory +and there probably some other things that i don 't about because we 're a real large company and i just don 't have contact with them but in our uh city well i live in a suburb of Dallas We are a small company and maintain constant contact with them . contradictory +After its construction in 1639 , it held sessions of the Scottish Parliament until the Act of Union in 1707 , but since the 19th century it has been an integral part of the Scottish Law Courts . Despite a lot of pushback from the citizens , it was enacted in 1640 . neutral +but it shouldn 't be too hard to do something like that but that 's a that 's a thought no you 're right and that will solve uh a lot of problems i don 't know if you uh I do not want to even bother trying . contradictory +oh well maybe maybe they 'll be all right i know in mine if i did something like that and then my husband found out jeez he would just If my husband found out I did that sort of thing he would flip . entailment +In the 1930s Walter Knott began growing a new strain of berry , the boysenberry , and it soon became a booming enterprise . Walter Knott created the boysenberry to make the perfect jelly . neutral +and they just didn 't do anything did they they 're just kind of sitting there They are just sitting there doing nothing at all . entailment +they say that swimming is real good so i 'd like to try that as well and that 's probably something that that you could do you know family included My family would like to join me in taking up swimming . neutral +I needed to lie down . I began to feel dizzy and ill , and I needed to lie down if I wanted to continue onward . neutral +Dear Santa , Thanks so much for all you did last Christmas . Santa was hated . contradictory +Combining statistical sampling with fast pay procedures increases the risks that overpayments would occur and go undetected compared to a 100percent verification of receipt and acceptance . Failure to verify receipt and acceptance of payments by combining statistical sampling and fast pay procedures can lead to overpayments . entailment +Saving in the United Why Is It Important and How Has It Changed ? Saving in the United Way has changed with the implementation of various new programs for efficiency . neutral +Neal would never consider doing that . Neal told me we should do that . contradictory +Real politics is messy and morally ambiguous and doesn 't make for a compelling thriller . Politics are always clear cut and easy to understand . contradictory +oh yeah uh-huh some things we can 't do but but then we haven 't needed to either you know um but we 've been able to do what we can We can 't do dangerous things . neutral +If the president mortgages our future by weakening defense , the price of land will fall . It is possible to have land price be stable while weakening defense . entailment +In 1994 the Dome was restored and gilded with 80 kg ( 176 pounds ) of 24-karat gold as a gift from King Hussein of Jordan . The Dome looked more metallic after it was gilded . neutral +The large , vaulted medieval crypt is the oldest structure in Dublin . Dublin is home to a vaulted medieval crypt . entailment +Exhibit A-6 in Appendix A examines a schedule for retrofitting a facility with multiple ( two ) ACI retrofits . Exhibit A-6 can be found in Appendix D. contradictory +The concept of a professional lifeguard is unknown on Ibiza and Formentera alike ; some beach bars do keep first-aid supplies . There are no lifeguards at Ibiza or Formentera . entailment +Now it appears that he may have been simply assuring himself she really was dead , at least according to three of Wynette 's daughters , who have filed a $ 50 million wrongful death suit against Richey and a doctor . He seemed to convince himself that she really did die . entailment +yeah well if you had to you could climb up in there and do what you needed to I mean , if you had to repair those lights you could climb those stairs and do the necessary work neutral +i just i can 't keep all these buttons you know knobs and dials and gauges that are supposed to mean anything i don 't want to i can 't understand them I don 't want to understand them because they are hard to understand . neutral +oh okay see all right yeah that 's the one i was thinking of but i have i 've seen quite a few movies i i enjoy them i think that uh it 's it 's kind of like uh good entertainment an uh an escape type of thing i enjoy the entertainment that movies provide entailment +For testimony based on new or ongoing work , regardless of whether it is a preliminary or a final product , GAO will obtain the views of agency officials on the information collected from the agency to GAO will obtain the views of agency officials on the information collected from the agency entailment +Only this time , apparently , fortune was going to favor him . He was fortunate this time . entailment +Or from our own non-stock repositories of future value--i.e. Repositories of future value are an example because we worked so much on them . neutral +There are also dozens of smaller newspapers serving a variety of specific interests , including two dueling alternative weeklies . There is only one newspaper available . contradictory +yeah uh Garp The World of Garp No , it was not The World of Garp . contradictory +Polish nobles saw their political might expanded during the beginning of the Renaissance with the king 's rule of the nobility , which granted exclusive right to enact legislation to nobles in the parliament of Sejm . The nobles had exclusive right to enact legislation . entailment +they have a great amount of talent but they just have poor coaching i think They don 't have any talent but excellent coaching skills contradictory +Usually by ensuring that neither romantic partner is in the other 's chain of command . One partner is in the chain of command of the other partner . contradictory +They look to Washington to mitigate the new economy 's negative consequences . They look to Russia to fix the new economy 's negative consequences . contradictory +Though one of Madrid 's top sights , many visitors still miss it . People still overlook it , although it 's one of Madrid 's top sites . entailment +Since this world first came out of Duality , a Sather Karf has known that mystery ! Sather Karf knew nothing about that mystery . contradictory +What Is the Federal Government Doing to Educate the Public The federal government is forbidden from having any roll in public education . contradictory +As bloodthirsty Bhairav , fanged and festooned with skulls , he destroys at will . Bairav isn 't bloodthisrty at all , he is a god of peace , as gentle as a lamb . contradictory +Emergency surgery after wild brawl with Carolyn--say sources . Karen caused emergency surgery . contradictory +When we make dinner plans , we don 't name restaurants ; we list Should we go for Thai ? When we 're discussing where to eat , we talk about cuisines rather than restaurant names . entailment +Can you only speak or can you show us things too ? asked San 'doro . San 'doro asked the person questions . entailment +and it 's it 's excellent i i 'm we haven 't got children yet but i hope to uh set an example for ours that you know that reading is can it can be your best friend basically i mean even if you haven 't got a a a human friend around you can pick pick up a book and and We do not have any children as of now . entailment +uh-huh well i shouldn 't it 's counted cross stitch actually is what i 'm doing and so it 's really since it 's counted you know it 's really a lot of work yep It 's not often that I get recognized for all my work . neutral +The familiar rock walls that seemed so benign to him in his twelve years of trade along the trail now seemed to grasp at him and crush him . He was used to the rock walls from his years of experience with them . entailment +Depreciation as a share of GDP has increased slightly over the past 4 decades , and net national saving-which excludes depreciation-remains well below the 1960s average , as shown in figure People are saving less and this is having an effect on the increased rate of depreciation . neutral +yeah no no i i can maybe eat some jalapenos but i really don 't you know ask for those on there i 'm more like into the enchiladas and and stuff like that but no i don 't really like it hot um i remember meeting somebody a long time ago before i ever moved to Texas and he put hot sauce on everything he ate i mean Tabasco 's and that kind of stuff on everything he ate i think he must 've just had a a stomach that was iron or something Mexican food is one of my favorites as long as it is mild . neutral +Oh , I know ! Oh , I have no familiarity with it . contradictory +Within three days the city was completely in Israeli hands , and in two weeks it was physically and administratively reunited . It took years before the city fell in the hands of the Israeli . contradictory +'You could try to be a little more impressive , you know . You 're doing just fine impressing the crowd . contradictory +Hanson puzzled over their words briefly as he closed the door and went out with Nema . As he went out , he briefly wondered about their words . entailment +um-hum back when they were in Saint Louis They were never in Saint Louis . contradictory +The selection is more comprehensive in the markets and shops of Kelantan , Terengganu , Sarawak , and Sabah . The markets in Kelantan , Terengganu , Sarawak , and Sabah have a comprehensive selection . entailment +yeah but you do have to have it you know you do have to have it hot when you cook it i mean your pan it does have to be really hot you know when you put it in but it 's not like it 's burned and it what it what blackens it is the seasoning The pan is really hot when cooking , but the seasoning is what does the blackening . entailment +How about in each and every case all the way back to 1971 ? No case since 1971 is relevant to our conversation . contradictory +those the ones that always look like they 're sort of scary okay Those kind always were a bit scary to me . People think they are a bit intimifating . neutral +Hastily Drew expressed his satisfaction at the news and added : " This is my cousin from Texas , Hamilcar . Drew has a family in Texas . neutral +There was that lieutenant with the supply wagons . The lieutenant had lost his supply wagons here . contradictory +So much for your theory . So much for the theory you had on the weight of the earth . neutral +This includes establishing appropriate practices for hiring , orienting , training , evaluating , counseling , promoting , compensating , and disciplining personnel . It also includes benefits and pay information . neutral +But if smoking is addictive , then it makes sense to try to keep tobacco out of the hands of kids who are too young to take the warnings seriously . Young kids often become addicted to smoking when they find cigarettes . neutral +so i understand that that locomotive is worth around seven hundred and fifty dollars now It 's come to my attention that 750 dollars is the going value for that locomotive . entailment +Did Loral harm national security ? Loral is a threat to national security . neutral +In the nearand mediumterm , surpluses will depend on continued economic growth and fiscal restraint . A continued combination of fiscal restraint and economic growth will dictate surpluses in the near term . entailment +wait did you watch Saturday Night Live what he 's got what I could care less if you watch Saturday Night Live . contradictory +Departments and agencies sent their vouchers to GAO , which checked the legality , propriety , and accuracy of expenditures . The vouchers that were sent to GAO were not checked . contradictory +Hundreds of hotels have sprung up along the sandy beaches , and these have been followed by restaurants , bars , and shops , making today 's Sharm El-Sheikh not just a diving destination but a true tourist resort . Sharm El-Sheikh now sees over a million tourists each year . neutral +Please contact me or Curtis Copeland at ( 202 ) 5128676 if you or your staff have any questions . If you have any questions , you can contact Mark Twain at ( 322 ) 4327512 . contradictory +As the Board stated in the Introduction and Background chapter of this Statement , it believes that these stewardship items warrant specialized reporting to highlight their importance and to portray them in additional ways than provided by financial accounting . The Board made a statement in the Introduction and Background chapter . entailment +okay Jay um could you tell me uh what your thoughts are about crime Jay , what are your thoughts about crime . entailment +You will pass some of Akko 's four khans or caravanserais inns with large inner courtyards used by travellers and their caravans . You will not encounter any of Akko 's four khans or caravanserais inns . contradictory +Disclosure of information not required by these sections of the 1996 appropriation provisions is governed by sections 1006 ( b ) ( 3 ) and 1009 ( d ) of the LSC Act . The disclosure of information that is not required by the appropriation provisions is goverened by the LSC Act . entailment +yeah and he he went to uh he went to the bank and he took um i can 't remember the guy the guy he defended for murder Earl you know they had a lien against his house so he 'd pay his legal bills do you remember that He never met Earl . contradictory +It was when you discovered that the lock of the despatch-case in Mrs. Inglethorp 's bedroom had been forced . The lock of the despatch-case did not look like it was tampered with . contradictory +Newsweek ' s meaty package explains Heaven 's Gate 's daft cosmology and catalogs America 's other doomsday sects . Heaven 's Gate 's cosmology is explained by Newsweek 's package . entailment +well i keep reminding these people that it 's good thing we came down here and got some changes made like These people were tired of my constant nagging . neutral +Its emphasis on acquisitiveness annoys parents who find themselves buying pack after pack of new cards . Parents are unhappy with having to buy so many new packs of cards . entailment +i don 't know if you 've heard any but any of it on the news lately or not but there 's been a couple of uh you know uh a few months ago there was a deal in North Dallas where they had the man taking little girls out of their bedrooms breaking into their bedroom windows North Dallas has not had any break-ins since 1990 . contradictory +Hudson County was one of the first to do that kind of work , though not to the extent that Passaic does , says Hudson Legal Aid Director Tim Madden . Hudson County is located in San Pablo . neutral +it 's just a kind of uh just the way the plant is It 's just how the fish is contradictory +( If you doubt a small price increase would significantly affect the sales of Windows 95 , you must conclude Microsoft is undercharging out of either foolishness or generosity--neither of which is terribly consistent with the way the Justice Department and the public at large think of Microsoft . ) They kept raising the prices til no household was able to afford the product anymore . contradictory +Though one of Madrid 's top sights , many visitors still miss it . Madrid 's top sites can sometimes be overlooked because there is so much to see . neutral +oh he gets too much he gets you know he He never gets too much . contradictory +Little Herring ? What the hell kind of moniker is that ? What kind of messed up name is " Little Herring " ? entailment +In the case of carbon , the bank would last another two years at the rate of drawdown in 2015 , or longer if the drawdown declined . The drawdown declined and the bank sustained itself for an additional 10 years . neutral +so and the you know everybody just gives you a credit card just so you 'll spend money so Nobody will give you a credit card , because you are not an adult . contradictory +( By contrast , Slate ' s assessment relies entirely upon sources who are not identified by name . ) Slate relied on popular , well-documented sources for his assessment . contradictory +yeah that uh i kind of gave up on them No , I still have a lot of faith in them still . contradictory +A finding of no significant impact on the environment has been made by HUD in accordance with its regulations implementing the National Environmental Policy Act of 1969 . The findings suggested that the impact on the environment was of great concern . contradictory +A local boat trip is required to see them . There 's no need for a local boat trip in order to see them . contradictory +Since Santa Monica residents wouldn 't think of driving so far east to spend their money , this chic seaside town has a comparable number of phenomenal shopping streets . Santa Monica residents have access to chic shopping streets . entailment +Performances last several hours , with as many as five plays in a program . The performances are very good despite being so long . neutral +You 'll need to light a candle or use a flashlight in the cenotaph-chamber because daylight barely filters through the beautiful marble trellis-screens . It 's hard to see with natural light in the cenotaph-chamber . entailment +Goodbye , sir . " Back at the Ritz , Tommy packed up his few belongings mechanically , his thoughts far away . Tommy was focused on his task as he packed his things , not distracted by anything else . contradictory +and those people that say that all that in the Constitution was guaranteeing is that we will have a militia The constitution did not mention the militia . contradictory +The Musee des Beaux-Arts , at 3 Place Stanislas , has a good collection of European art ' notably Tintoretto , Ruysdael , Van Goyen , Ribera , and Rubens , with the French represented by Delacroix , Courbet , Bonnard , and Manet . Works by Van Goyen are not included in the collection of the Musee des Beaux-Arts . contradictory +i just heard something about moving recently about moving um there there there 's some central command post in Tampa i think they now want to move to somewhere in the Middle East actually there was um a small country or small city i think well you know not actually in Saudi Arabia or or anything but a little bit off to the um east of it i think and i they want to keep something over there so that they don 't have to um i guess it 's i guess it 's so that so they don 't have to move troops out so quickly or something i 'm not quite sure exactly why they want to do it but they want to keep some sort of central command post there I think that they want to move a command post out to the Middle East for faster response times . entailment +Al Gore has gotten a lot of coverage about how he raised soft money for the DNC , but a small item today in the WP ' s The Reliable Source tells you something about how he spends it . Al Gore didn 't want to be involved in the DNC 's fundraising . contradictory +Annually , $ 3 . The annual amount is $ 5 . contradictory +According to Jones ' complaint , Ferguson later returned to the registration desk , handed Jones a piece of paper with a suite number on it , and said the governor would like to meet with her there . Ferguson went back to the desk and told her the governor wanted to meet her . entailment +As such , there may still be potential for confounding of PM2 . PM2 can be confounded by how solvent the fund is . neutral +you know it 's like i can only do it when i have time i have a whole stack of material and patterns to sew up as it is so I can only dew when I have time . entailment +There 's no fun in watching . There isn 't any fun in the act of watching and not doing . neutral +So it was understandable that Ovitz wanted some assurance that he would have the opportunity to earn a great deal of money at Disney . Disney is a great opportunity to make a lot of money . neutral +well the changes that 's occurred like it how was it maybe ten twenty thirty years ago as opposed to what it is today The changes took place ten to thirty years ago . entailment +there 's a TV show where the man is the one raising the kids and the wife is and i maybe they based it on that Mister Mom movie but uh While the wife has a career , it 's the man that is the one taking care of the kids . entailment +Less than the cost of a small caliber bullet ! It costs even more than a small caliber bullet . contradictory +'I 'm warning you , because despite myself , Mr. Franklin , I find myself beginning to like you . Mr Franklin is being liked by the woman . neutral +and his mom is not getting that much money His mom does not have a job . neutral +The paths are well lit and offer amazing views of the interior . The interior can be viewed from well-lit paths . entailment +He 's ( briefly ) a slick but wholesome yuppie and then ( interminably ) Death , who takes over the young man 's body when he 's thumped by a couple of cars in the movie 's most promising moment . He 's a yuppie in that movie . entailment +oh i agree i think that people are getting off too easy they 're getting they 're getting paroled too easily they 're just getting uh put on probation or something because the prisons don 't have enough room so they get they get I believe that criminals are getting out of jail too soon . entailment +Materials and Components Newsletter Materials and Components Newsletter has never been published . contradictory +In the early years of the revolution , tens of thousands of people suspected of being unsympathetic to its goals were detained , imprisoned , or sent to labor camps , along with such other undesirables as homosexuals and priests . Early in the revolution , no one was detained because of their political beliefs . contradictory +oh um-hum where where is Toledo Bend Where can you find New Orleans ? contradictory +She had skins of beasts and men on her walls . She had never killed anything . contradictory +Two events peripheral to the main parade should not be missed . Parade goers often missed the two events and caused a poor turnout . neutral +The wrestlers also enact crucifixions , sadomasochism , and prostitution . The wrestlers act out sadomasochism in the ring for show . neutral +Got you a couple of blooded hosses an ' a good heavy money belt . He gave him a money belt . entailment +HUD states that the interim rule will not have a substantial , direct effect on the States or on the relationship between the federal government and the States or on the distribution of power or responsibilities among various levels of government because the interim rule primarily involves relationships between HUD and private entities . HUD is a governing body for public and government agencies . contradictory +It was a feint so perfect that I saw it as truth . It was a feint , and perfectly done--except I saw the truth of the movement . neutral +From 1826 , British law was technically in force ( except for Muslim custom ) , but in practice few British lived in the Straits , and Asian community affairs were run by merchant leaders serving as unofficial kapitans . Not many British citizens lived in the Straits from 1826 despite British law being in place . entailment +no you you can either use three or four of the threads You can use three or four of the threads . entailment +Yes , Health Care Is Unfair Health care is expensive and unfair neutral +What kind of a row ? What type of row do I need to buy ? neutral +The eviction of three Lynchburg women and four children last summer , partly as a result of a rent-to-own contract , has drawn the attention of the General Assembly . Nobody was evicted last summer from the place . contradictory +For fine sand beaches , you will find some of the best are Koukanaries on Skiathos , Golden on Paros , and Paradise on Mykonos . Koukanaries beach , Golden beach and Paradise beach are some of the best fine sand beaches . entailment +A line of nervousness crept in . Anxiety began to creep in . entailment +Castro was imprisoned and put on trial ; his legendary two-hour defense speech , later published as History Will Absolve Me , became a revolutionary manifesto . History Will Absolve Me is Castro 's three-hour defense speech . contradictory +Premills basically believe the Antichrist will be a charming rogue and great communicator who will dupe Israel into following his lead , and then will turn on the Jewish people to destroy them . Premills is not a fan of Isreal . neutral +However , IT has demonstrably improved access to this information . Access to this information has not been improved through IT . contradictory +yeah and so that would be that would be see there 're too many things that go against it that would be ridiculous There are a lot of things that go against it that it would be crazy . entailment +The Old One awakens , thought Jon . Jon thought The Old One could wake and sleep . entailment +uh one and i always tried to show my wife you know here 's how you once a year i 'd say here 's how you do the budget in case i get sick or here 's how you do the checks you know every summer i would walk my wife through making the budget and writing checks neutral +I 'm tired of playing nursemaid to you . " She picked up a shirt of heavy-duty khaki from the pile on the bed and handed it to him . He was angry about the way she had spoken to him . neutral +uh couldn 't do the fine detailed fine detail on it The fine details would 've been difficult for most people to do . neutral +Rate and service adjustments agreed upon by the Postal Service and mailers are legally authorized if three conditions are Rate adjustments with the Postal Service are not allowed . contradictory +Salinger wrote similar letters to other young female writers . Salinger was a prolific writer . neutral +Farmer Raikes has got a very pretty young wife . Farmer Raikes ' wife was old and ugly . contradictory +That guy couldn 't help us any . " He had no experience so he couldn 't help us neutral +What 's that ? That is something . neutral +Hold no ground . The person did not stand up for himself . entailment +Therefore , the entire service cost is recognized as a cost to the employer entity and imputed to it . The employer is expected to cover the service cost . entailment +11 See the Direct Testimony of Thomas E. Thress on Behalf of the United States Postal Service , USPS-T-7 , Docket No . Thomas Thress testified on behalf of the IRS contradictory +In Singapore the following year , they were joined by representatives from Sarawak and Brunei . Representatives from Sarawak and Brunei couldn 't be bothered to go to Singapore the following year . contradictory +This incident was unusual , and yet not so very different from the APA 's standard modus operandi . The incident was unexpected , but was resolved right after . neutral +In January 2000 , assisted by two consultants hired by the Missouri Bar using technical assistance grants provided by LSC , Missouri 's six legal services programs announced the Missouri Plan for Equal Access to Justice , a blueprint for action aimed at delivering four major results over the next three Those consultants were in Mississippi contradictory +All golf courses on the Costa Blanca are open to visitors , and clubs , caddies , and occasionally , electric trolleys can be hired . The golf courses on the Costa Blanca have fine restaurants . neutral +Thus , if you assume that a 40 year-old dying from pneumonia would lose 5 years of life , the VSL applied to that death would be $ 0 . If a 40 year old dies from pneumonia , he has no VSL anyway . contradictory +right it 's a little more understandable under the circumstances i guess It would be hard to believe under other circumstances . neutral +There are two buildings of note an 18th-century church and an Art-Deco cinema . There are not many other buildings of note nearby . neutral +If you 'll only marry me , I won 't worry you any you shall take your own time . I 'm not going to cause you any trouble , if you agree to marry me . entailment +To give the reader a basis for judging the prevalence and To give the reader nothing . contradictory +But the way he 's been acting these past months , Johnny might just lose it . Johnny has been acting strange for about three months now . neutral +But the high point [ of pomposity ] might be ELO--the Electric Light Orchestra . The highest point may be ELO , says the public . neutral +First , this month 's U-Haul outrage . The U-Haul outrage for this month . entailment +The most unique example , the nearby Casa de los Picos , bristles with pointed protuberances . The Casa de los Picos is the most unique example . entailment +By the time the Chinese sage , Hiuen Tsang , came here in the seventh century , it was a thriving university for teaching philosophy , logic , grammar , medicine , and Buddhist theology . The university teaches philosophy , logic , grammar , medicine , and Buddhist theology . entailment +as far as hard line laws dealing with criminals we don 't have them in this country anymore we have situation ethics It seems like people are convicted for the wrong reasons . neutral +And is a resistance to that fashion , a clinging to conventional spellings , just a class marker and a reactionary one at that ? ) New spellings of common words are a natural process that the youth of each generation adopts easily . contradictory +They said he was stupid . They claimed he was stupid . entailment +Since then , almost every reigning monarch has spent time ( or held soirees ) at Holyrood . The current monarch has gone to Holyrood three times since the first of the year . neutral +At the same time , the data indicate many missed opportunities for treatment in the ED . Treatment for ED is often overlooked due to lack of funding . neutral +Studies forecast an ever-increasing shortage of IT professionals , presenting a great challenge for both industry and the federal government . IT professionals are decreasing because people find it boring . neutral +In a sense , government dissaving consumed much of the personal saving , leaving relatively little to finance private investment . Government dissaving saved a lot of personal savings . contradictory +It seems the teacher could have taught Stone and Bronstein a thing or The boy describes how they made love in nearly every room of her home while her husband Steve was away . The boy said they had sex when her husband was there . contradictory +208 " Yes , " she said quietly , " I am Jane Finn . Yes , I am the one you have been looking for . neutral +rather than to wait until the children are like in school There are pros and cons to both sides of this for sure . neutral +usually usually you 'd see these big chain gangs out there picking up trash I always felt it was justified having criminals clean up trash . neutral +You had your pistol resting on your knee . There was a rifle resting on your knee . contradictory +Whittington didn 't come out again , and by and by I got kind of restive , and began to mouch around . Whittington should have come out to greet me . neutral +and he he 's got three kids so his kids 'll sleep in the truck in the in the back of the bed um and they sleep in the pop-up His three kids sleep in the back of the truck . entailment +On the island of the Giudecca , you 'll find another of the great Palladio-designed churches ( one of two in Venice ) , the Redentore . Giudecca is the name of a Venetian peninsula . contradictory +Undertaking regular visits to programs to ensure consistent program quality and compliance . There are no regular visits that occur contradictory +Not as good as those his own men carry old ones maybe , but good enough for Apaches . Good enough for Apaches , but not as good as those his own men carry . entailment +Scientist-temps are becoming more common in laboratories , according to the Washington Post . Reports of deformed frogs are spreading across America , Canada , and Japan ; USA Today warns that this may be an early warning sign of an emerging environmental peril . Those deformed frogs are caring unknown diseases that could destroy humanity . neutral +Once employees registered their interest in participating in the program , we considered a number of factors employee knowledge , skills , performance , and competencies ; the organizational unit or subunit in which an employee worked ; an employee 's occupational series , grade , or band level , as appropriate ; and the geographic location of the employee . The geographic location of the employee is considered . entailment +Marriage is called all sorts of things , a haven , and a refuge , and a crowning glory , and a state of bondage , and lots more . But do you know what I think it is ? Marriage is called all sorts of positive and negative things . entailment +Each of you probably has your own point of view on how well the system works to keep the Postal Service lean and efficient . Only about half of the ideas about the Postal Service are correct . neutral +In gentle contrast to the austere Italian Gothic exterior of the Palazzo Vecchio by Arnolfo di Cambio ( architect of the Duomo ) , Vasari added ornate stucco and frescoes to the first inner courtyard for a Medici wedding in the 1560s ( the palazzo served briefly as a Medici residence until they moved across the river to the Palazzo Pitti ) . Identical to the austere Gothic exterior , Cambio added frescoes to the courtyard . contradictory +Others argue that a competitive news environment is to blame . Other people argue that the news environment is the reason for the paranoia . neutral +On the other side of the capital is the hotel complex of Figueretas , and then the long , straight seafront beach of Playa D 'En Bossa . The Playa D 'En Bossa and the Figueretas hotel complex are both highly regarded and extremely popular destinations . neutral +EPA used two scenarios in arriving at the estimated cost of test facilities implementing the Supplemental Federal Test Procedure . The two scenarios gave different estimates for the costs . neutral +but uh they 're not my favorite people either They are my best friends . contradictory +What did he think ? " Did he think it was a positive experience ? neutral +oh well i i i don 't mind doing like gardening or just stuff like that but i 'm just regular cutting the grass and My like to grow tomatoes in my garden . neutral +What did he say ? asked Adrin . Adrin asked , what did he say ? entailment +so do you work with TI So are you an employee at TI ? entailment +The stone was taken as booty from a Crusader church in Acre ( now Israel ) when it was overrun by Arab forces . The stone was important to the people and they suffered a great loss . neutral +Children of all ages will also love the fabulous colours and shapes of the creatures of the deep on display at Coral World ( see page 76 ) or viewed from aboard one of Eilat 's special floating observatory boats . Children are not allowed on board the observatory boats . contradictory +This process eliminates the effect of household growth on mail volume and allows an analysis of the volume behavior at the household level . The process eliminates effects of household growth on mail volume and let 's the volume be analyzed at a household level entailment +Many injured ED patients are screened with a BAC , which can help identify intoxication . BAC are not used for screening injured patients . contradictory +no not really you know in the last few years just his kind of informal segments i 've seen but i never got to see his actual nightly news i liked i i did grow up with David Brinkley I 've watched his nightly news program regularly . contradictory +He could not call to mind one young lady in particular . He could not recall a single lady at all . entailment +well i like it when it 's sort of a a medium temperature uh maybe seventy five to eighty somewhere in there i i don 't like it when it 's too cool or too warm i 'm much more apt to get things done when it 's at that sort of in between temperature I 'm much more likely to be productive when the temperature is right for me . entailment +just joy reading yeah i i i hear you there that 's for sure I disagree , I don 't think that we see eye to eye on this subject . contradictory +and you know you you wonder where are the parents in all of this you know why isn 't somebody stepping in and and stop putting a stop to this kids in high school are just too young to be married they have they have no idea what the world is like they don 't how tough it is out there to make a living I think the parents are too involved . contradictory +The sole exception is in Sant Antoni , where some cafes refuse to serve coffee at all during peak hours , preferring the high profits from alcohol . Cafes in Sant Antoni refuse to serve coffee during the peak hours in order to rake in more cash selling alcohol . entailment +we had two trees in the front of our yard and then one of them died and so that 's where we keep putting that pecan keeps dying we have uh i think it 's a Silver Leaf Maple or something like that that 's hung on out there It is easier to maintain the Silver Leaf Maple . neutral +yeah out here in California there 's a program like that for uh juvenile delinquents the the ones that are not dangerous and they don 't have to be locked up go to these uh camps There are camps in California for these juvenile delinquents . entailment +which was well we did we tried we had all different things we sent them to camp one first month in June they went to summer school then the second month they uh one my daughter went home to visit my Mom for a while and my son uh went to camp and there we had uh i don 't know some forget what else we did but it was all uh really expensive It didn 't cost a lot of money to send my son to camp . contradictory +um well of course i guess uh price is always the big consideration but Yes , the price needs to be though about entailment +The Valley of the Kings was also chosen as a new burial ground for the Pharaohs when Tuthmoses I ( 1504 1492 b.c. ) was entombed in a narrow valley across the river from the temple at Karnak . The Valley of the Kings was a burial ground for the Pharaohs because it was centrally located . neutral +Half the city 's chasing him . There 's nobody chasing after him . contradictory +yeah it was fun well i 'll just wrap this up I cannot wait to go home already this is so dull . contradictory +Youthful indiscretion ( s ) : Adultery . Adultery is a wordfor youth being silly and drunk . neutral +Now the canopy . Now the canopies . neutral +But Hatch was pretty much out of the rest of the debate , bewildered by the carnage around him and unsure how to respond to it . Hatch was indifferent to the carnage around him . contradictory +Shouldn 't inspire thoughts so sizzlin ' . Should inspire sizzlin ' thoughts . contradictory +He has asked the General Accounting Office to conduct a probe . The General Accounting Office has been asked to conduct a probe . entailment +Of course , there is always the chance that the company 's management has simply gone mad . It 's possible that the company is not affected at all . contradictory +After years of study , these onnagata make an astoundingly subtle and delicate art of capturing the gestures and movements of both young girls and old crones . These onnagata practice by observing the young and elderly in nursing homes and daycares . neutral +One of best ways to obtain uniformly high quality services is to ensure that grantees ' legal work management and supervision is rigorous and effective . Legal work management is vital to operations success . neutral +I fear we are perhaps a little behind the times over here in our methods . I am afraid we have outdated methods over here . entailment +But I had no idea he was a friend of yours . I had no clue that you two have known each other for that long . neutral +well our our kids are a little older actually we got a a seventeen year old and a and a fourteen year old but but we still wind up i still i like fast food reasonably well I don 't like to eat fast food even though my kids do . contradictory +Capital Gang sters Al Hunt and Robert Novak signal an end to their rude ways this week with some of the most polite behavior ever witnessed on a political talk show ( outside of the prissy Washington Week , of course ) . Al Hunt and Robert Novak have changed their relationship in a positive way . entailment +so that 's what i normally try to do if it 's pretty low i try to make a couple payments at a time The lower it is , the less payments I make contradictory +A low personal saving rate raises questions about whether households have adequate resources to sustain their rate of spending . Families who don 't save just don 't want to do it . contradictory +Other individuals and organizations that we contacted , including a public interest group , a business group , and an academician , also cited concerns about a onesizefitsall approach being applied to agencies with vastly different missions . A business group pointed out issues with the onesizefitsall tactic being used by different agencies . entailment +A disappointed father of a child who didn 't get in , shouted that only VIP brats had been accepted , for which he got hit in the face by editor Furtok , in private - a father of a kid who got in to group B2 / platform PC . The disappointed father went to the hospital after being hit . neutral +I 'm sorry , said the Industrialist , apologetically , " but I think I had better take care of her . The Industrialist didn 't care who took care of her . contradictory +yeah do you work do you work You don 't work ? contradictory +The position of Bishop of Rome as primate of the Western Church ( pope derived from papa , the Latin word for father ) , first claimed in the second century , was later asserted by Pope Leo I ( 440 461 ) , who traced the succession back to St. Peter . The Western Church had a strong structure . neutral +The house ( dating from 1622 ) has been beautifully renovated , and contains artifacts from the life of three important Scottish Robert Burns , Sir Walter Scott , and Robert Louis Stevenson . The house is in very bad condition , it has never been renovated from its original structure . contradictory +The bulk of the magazine is given to firsthand narratives by veterans and others . Most of the magazine contains firsthand narratives by veterans . entailment +The EIA ( 2001 ) , for example , notes that the CEF policies assume changes in consumer behavior that are not consistent with historically observed behavior patterns . Many economists believe that CEF has reason for these assumptions . neutral +By the time he stood , the man was well past . The man had already been by . entailment +and i think why didn 't you tell me a year ago when we got the other dog I am somewhat confused to why you didn 't tell me when we got the other dog . entailment +The Interest on Lawyer Trust Accounts , administered by the Maine Bar Foundation , helps to fund Pine Tree Legal , Maine Equal Justice , Cumberland Legal Aid and Legal Services for the Elderly . The interest on the trusts comes out to more than 2 million dollars a year . neutral +Apparently , the restaurant business could fund some pretty serious hobbies . The restaurant business is lucrative . entailment +Don 't travel to the island at either of these times without a reservation . You need a reservation to go that island . entailment +" Yet he has only this wild one under his roof , and perhaps that Juanito will break his heart in the end ... " Drew put down his cup . Felicia will definitely break your heart . contradictory +However , one certainty is that the U.S. population is aging and there will be fewer workers supporting each retiree . the aging status of the U.S. population is considered an uncertainty . contradictory +On July 19 , 2001 , LSC implemented a Reconfiguration Re LSC implemented a reconfiguration on July 19 2001 entailment +Glad you like it , Albert , replied Tuppence modestly . Tuppence isn 't glad that Albert likes it . contradictory +Daniel 's second wife is his Homicide co-star Isabella Hofman . Daniel married Isabella Hofman in 1989 . neutral +However , unlike the DOT system that is applicable to all of the Department 's rules , the other agencies ' multidimensional systems focused on just a few rules , or even a single rule . The DOT system is applied to all Department rules . entailment +I didn 't understand it , I don 't really understand it now , but she spoke to me from half the village away as though I were right next to her . She spoke to me from far away . entailment +Hari Raya Haji : Muslim families celebrate the return of pilgrims from their journey to Mecca . Hari Raya Haji is a muslim holiday similar to Thanksgiving . neutral +You yourself did not happen to notice , madame , when you entered Mrs. Inglethorp 's room , whether that door was bolted or not ? Did you notice if the door Mrs. Inglethorp 's room was locked or not ? entailment +Try to get there early , as tours sell out quickly on busy days . By 11 AM , most tours are sold out . neutral +well so what 's the difference yeah so what makes the difference between say South America and the rest of i mean South Africa and it is rest of Africa How is South Africa different from the rest of Africa ? entailment +it 's costing us a lot more than money isn 't it It has required us to commit a lot of our time to it . neutral +Bars , restaurants , and late-night brasseries line the adjoining rue Berger and the streets leading off it . There are several night life locations along the rue Berger . entailment +so i still hold them but i don 't go So they are still in my possession , but I don 't go . entailment +and you could say oh that 's a good program for them because it 's educational but still you want them to go out and do other things even if they 're good programs you don 't want them sitting there watching them Even though TV can be educational , you still want them to do ther things . entailment +An hour passed before he worked up the courage to ask another man for aid . He waited a long time before he asked for help . neutral +You 'll never even leave it . The dog will go with you everywhere . neutral +okay well it 's been nice talking to you good luck in school bye bye It was nice talking to you and I wish you good luck in school . Bye ! entailment +Supposing , for instance , that they should suddenly hail a taxi ? They 're in a rural farming community . contradictory +'I ... I want to say thank you . I want to say sorry . contradictory +Please reconsider your opinion . I accept you fact . contradictory +These 900 hectares ( 2,224 acres ) of parkland on the western edge of the city constitute one of Baron Haussmann 's happier achievements . On the western edge of the city are thousands of acres of parklands . entailment +the interesting thing about that is is that uh that that they 're encouraging you to incur more incur more debt and I would hope that they would have wanted us to leave with less debt . neutral +Some violent emotion seemed to be mastering him . A sweet emotion mastered him . contradictory +Standing at the base of the sacred causeway that once linked the pyramids to the Nileisthe Sphinx , the enigmatic depiction of Khephren with his head attached to a lion 's body . Khephren had his head attached to a lion 's body because that is what he requested . neutral +and uh they had a huge room which was probably uh forty feet wide and a hundred and forty feet long uh and the central portion of that room was occupied by one huge O gauge layout running uh uh Lionel train and American Flyer trains The room with the American Flyer and Lionel trains was small and cramped . contradictory +they 're uh they almost have what i would call a killer bee killer bee instinct They have a very dull killer instinct . contradictory +and that it 's a nice day when it 's twenty five degrees outside Twenty five degrees is a nice temperature . entailment +The agency representatives also said that they were not aware of any data suggesting that the lack of a standardized approach to regulatory participation was a problem to either the public in general or to the regulated entities that are most likely to participate in rulemaking . Surprisingly , agency representatives stated they were not aware of data . entailment +He was beginning to be rather ashamed of the things he had said . He had started feeling ashamed about what he said . entailment +that yeah that that 's nice to do that that is It would be good to do that entailment +He doesn 't just write about teen-age hackers , he tracks a pimply member of the species down to his Bethesda home where a software company is signing him to a contract . He is not luring them toward it and then trapping the children at his home in Bethesda . contradictory +So what ? We leave ? asked Adrin . Bob asked if we should leave . contradictory +For simplicity , consider a married couple in which neither spouse is covered by an employer-sponsored pension plan and each contributes $ 2,000-the maximum per person per year allowed under current law-to a traditional IRA . $ 2,000-the maximum contribution per person per year is allowed . entailment +Perfumes are still popular today and you will see the perfume blender at the bazaar surrounded by hundreds of glass bottles containing the numerous oils that combine to make a single scent . The perfumes are all bottled beforehand . contradictory +There are beautiful vistas , secluded villages , and a range of exhilarating walks en route . There is nothing lovely or enchanting about the route there . contradictory +In effect , any meaningful analysis should compare the full set of benefits and costs to the extent possible . The analysis will be meaningful . neutral +Music is a form of extracurricular activity that Mrs. Portnoys approve of , and the atmosphere at this school would be familiar to earlier generations of American Jews . Mrs. Portnoys dislikes music and keeps students away from it . contradictory +To show the maximum impact of the age adjustment , the Alternative Estimate is based on the Jones-Lee ( 1989 ) adjustment factor of 0.63 , which yields a VSL of $ 2 . The Alternate Estimate is designed to show the maximum impact of the age adjustment . entailment +There was therefore no means of destroying a thick document such as a will . Even a fire could not have completely destroyed a will as thick as that . neutral +With a population of nearly eight million and a total area of just over 1,095 square km ( 423 square miles ) , housing is one of Hong Kong 's perennial nightmares . The total area is 1,095 square km , but with a population of eight million it is housing a nightmare in Hong Kong . entailment +they have programs on uh house repairs and how to build things and um they have a calligraphy show and i do calligraphy so i watch that There are programs dealing with home repairs . entailment +As its name implies , this is a giant clown 's head on a tutu-clad body . Unlike the name denotes , this is actually a zebra head fixed to a sheep 's body . contradictory +um i 've got uh two older cars there both one 's a seventy seven and one 's a seventy eight I really like how solid and simple they are . neutral +It was the main entry point into Egypt until the advent of air travel in the early 20th century and its contact with a range of international influences made it the most cosmopolitan city in Egypt . Cairo is now the most popular entry point to Egypt . neutral +Output - A tabulation , calculation , or recording of activity or effort that can be expressed in a quantitative or qualitative manner . Output is a calculation that can be expressed as a number or description . entailment +Several other key observations The observations were made during the study . neutral +Shall I revive him for you ? " Dave felt sick as he stared at the ghastly terror on the face of the corpse . Dave stared at the corpse with pure terror in his stomach . entailment +King Solomon ruled during the Golden Age of Jerusalem and is remembered for his wisdom , for the construction of the First Temple , and for his copper mines in the south . King Solomon is most known for the building of the First Temple of God . neutral +Time ' s feature argues that settling is trickier than it Can Clinton acknowledge Jones ' claim and not admit to any wrongdoing ? There 's no way Clinton will be implicated by Jones ' claim . contradictory +A brand of burned skin stood out on his left shoulder . He had burnt it on accident during a house fire . neutral +" Never mind where I am , " he said . Where I am doesn 't matter . entailment +which one yeah No , which seventeen . contradictory +The best are at egios Nikelaos , Hersenissos , Malia , Agaa Pelagaa , and Rethymnon on the north coast . The north coast plays host to the best ones such as Malia and Hersenissos . entailment +First , a note about the lavish traditional the men sport red hats ( similar to the Catalonian model ) , bandannas tied round their necks , gold-trimmed black corduroy or cotton jackets over their loose-fitting white shirts , bright red cummerbunds , baggy trousers of white linen , wide at the thighs but tight at the ankles , and the familiar Ibicenco straw shoes for comfort . The men only wear their traditional attire during local town festivals . neutral +The colony slowly became better organized . Steadily , they became more organized . entailment +uh how we go about that it 's uh uh it 's a little bit difficult I 'm not sure of how we should do it . entailment +yeah and i think you know we have such a need now you know i taught you know i i think i was paid uh about nine thousand dollars to teach for the year and i worked in a very rural school district and i i one of the things i taught was a computer class and these kids I received a sum of nine thousand dollars in exchange for teaching for a year . entailment +The mission of FASAB is to recommend accounting concepts and standards that result in federal agencies ' financial reports including understandable , relevant , and reliable information about the financial position , activities , and results of operations of the United States government and its component units . FASAB has a mission that included helping federal organizations with reporting their finances . entailment +I thought perhaps they were keeping her there by force , but the way she acted didn 't fit in with that . I thought she was being kept there by force but she gave nothing away . neutral +yes i do i think it 's uh something that unfortunately uh at this stage of the game i would hope that at some point we would become you know civilized enough where we could do away with it but as of right now and the way things are i think it 's uh something we just have to have If the situation changed then we could get rid of it neutral +Underplayed : A California scientist announced that he has made chickens behave like quails by replacing their embryonic brain cells with quail brain cells . A California scientist said he made chickens act like ducks . contradictory +The mix of tasks typically run on a given computer A computer can run a mix of tasks entailment +The relaxation of prohibitionist laws has brought them within easy reach of most of the American public , and the public has voted for them with its feet . The relaxation of prohibitionist laws has not brought them in reach of the public . contradictory +it 's not all sitting behind a desk so that 's kind of nice it uh other than sitting behind a desk , you are often required to go on business trips neutral +Such models may be devised in order to depict the essential quantitative impact of alternative assumptions or government policies . Models can be created to find the quantitative impact on governmental policies . entailment +In its Greek form , Judea , it was applied to just Jerusalem and its immediate surroundings . Judea only had one possible form , which was Greek . contradictory +If your sky is even twenty miles above us , it would take longer than that to fall . " " It 's a thousand miles up , " she told him . The sky was a thousand miles high , it will take a long time to fall . entailment +to their view of the world which i suppose just about everyone does but these guys had a a uh national soap box to stand on and and express this view They have a national soap box on which they can stand and proclaim their views . entailment +Reserved . Kept is what she meant . neutral +Passengers are selected both randomly and through an objective systematic approach based on direction from the FAA . Passengers are selected , first at random , then objectively . neutral +The rich sculptural effects on the facade mix Eastern and Western familiar saints , Chinese dragons , and a Portuguese caravel . The facade 's design combines elements of both Western and Eastern culture . entailment +On an average , she made a new will at least once a year , said Mr. Wells imperturbably . " She never made a will " , Mr Wells said . contradictory +The buyer was taken off the finance-contract hook . The buyer was at one point on a finance-contract hook . entailment +At most , half-a-dozen soldiers would suffice . Six soldiers would be enough for the battle , for sure . neutral +but yeah it 's it 's it 's kind of forced on you because you suffer a penalty There is nothing you can do about it . neutral +The most northerly of the western Maui oceanfront resorts , the Ritz-Carlton is a grand hotel with hints of tropical plantation days , set amidst rugged coves and mountains . There are many resorts further South of the Ritz-Carlton . neutral +four in a row i don 't know if that could ever be duplicated again or not I don 't know if that could be done again , four in a row . entailment +To tour the center of the city , start your walk at the western end of the historic district , on the Place du Vieux-March ? ? . You can tour the center of the city by foot . entailment +EPA said that any public comments submitted electronically for the agency 's Superfund Docket must also be submitted as a paper copy . Copies initially turned in on paper do not need an electronic form . neutral +Myself and a spear of forty men , all slaves , with a single commander , raided the eastern villages . I raided the village alone . contradictory +This is vital work . This work is critical . entailment +You may do some day ! said the other significantly . This was said quietly and demurely . contradictory +He left me very badly off . I was very badly off when he left me . entailment +yeah really what is that Really , what is that ? entailment +so that they can pick and chose what they like uh you know there they 've got one that they call a cafeteria plan i don 't know whether you 're familiar with that or not The meal plan that the company offers is far cheaper than eating out everyday . neutral +8.51 Being concise requires that the report be no longer than necessary to convey and support the message . Being concise requires that the report shall be no longer than necessary to convey and support the message . entailment +i don 't i don 't think there can be anymore long range planning i think it it 's it 's sticking your finger in the holes and the dike The government should invest in solving current pressing issues . neutral +Approval must be granted for overtime before the work has been performed when feasible and , when not feasible , as soon as possible after the work has been performed . Approval must be granted for overtime before the work has been performed when feasible . entailment +and newly married Someone is newly married and something else has occurred to us . entailment +The examples of propaganda they slipped into scripts are few and laughable . There was no evidence that propaganda made its way into the script . contradictory +The town 's other great Roman monument , the th ? ? atre antique , is on the south side of town . Both Roman monuments are equally impressive . neutral +Visibility improvement would be anticipated over large areas including national parks and wilderness areas and recovery of many freshwater and coastal ecosystems would be likely . The National Parks have proposed a plan to draw tourists while simultaneously helping the environment . neutral +Dave turned his head weakly . Dave wasn 't turning his head in a strong manner . entailment +development programs , and pay and promotion standards to organizational mission , vision , and culture . There are standards in place with promotions and pay that goes along with it . entailment +In a world I never made . This world was not created by my . neutral +Although all of the organizations kept at least informal records on incidents , those that had formalized the process found such information to be a valuable resource . Some people chose not to formalize the process , because they did not trust it . neutral +The Environmental Council of the States approved a resolution in February , 2001 , supporting a cost-effective , efficient and environmentally protective multi-pollutant proposal . The Environment Council of the States does not make resolutions . contradictory +It 's worth noting , however , that the FBI similarly deceived Republican AGs over the Ruby Ridge fiasco . The FBI has it 's own agenda to follow . neutral +How do you describe the ideology of people trying to decide whether they want Pat Buchanan or Warren Beatty to be president ? I completely understand why people can 't decide between these two for president , so why are other people concerned about their ideology at all ? contradictory +number one turned out just great and the lady said she couldn 't believe that they know that i had done it in the colors that they had decorated the uh the nursery and i didn 't even know it The first one turned out great and she couldn 't believe it . entailment +'Says who ? ' Who said that ? entailment +yeah i like the planting and and watering is okay I like the plowing and weeding is okay . contradictory +Today , alas , what comes to mind is a couple of bad baritones from the Red Army Chorus , drunk on antifreeze , trying to convince some Iraqi guy that their music stands are made of plutonium and worth a few bucks . A couple of choir members tried selling their music stands . entailment +Dedicated to games and toys of yesteryear , it is perhaps more suited to adults than children . No games or toys from the past have been preserved . contradictory +For example , the 550 MWe boiler at Kansas City Power & amp ; Light Company 's Hawthorne Generating Station required rebuild and NOX , SO2 , and PM simultaneous control retrofits . The Hawthorn Generating Station required no modifications to meet standards . contradictory +While on a second expedition to colonize Florida , in 1521 , Ponce de Leen was critically wounded during an attack by Indians ; the explorer hoped to return Puerto Rico but lost his fight for life on the way back , in Havana , Cuba . The expedition to Florida was not very successful . neutral +Cistercian monks protested that such a sumptuous structure was an insult to the godly virtue of poverty , and today , architectural purists still find Notre-Dame a bit too much . Cistercian monks protested that the structure was an insult tot the godly virtue of poverty . entailment +The other example is Chaconne , starring Suzanne Farrell and Peter Martins . Chaconne is not an example . contradictory +In several instances the Corporation rejected reconfiguration plans developed and approved by all relevant stakeholders within a State , and provided no opportunity for the State to appeal that decision . The State went to court because it had no other way to challenge the Corporation 's decisions . neutral +It took both tables almost three sessions of medium sized cheese-and-drugs boards to collect themselves after hearing this . The tables could not collect themselves even after eight full sessions of boards . contradictory +and it was pretty pleasant except for the humidity The weather was humid , but other than that it was pleasant . entailment +isn 't it great it 's just a it 's just a miracle that how fast that adds up you know It adds up very quick and that is a great thing . entailment +they 're they 're uh you know they 're gasoline and they have a mechanical contraption on it you pull the handle and it pulls the lawn mower for you um it takes me about an hour to do to to do my lawn It takes me about an hour to do my lawn using these . entailment +We think Poste Italiane , a very low volume post , may have a somewhat lower percentage of delivery costs than predicted owing to low coverage on very low volume routes especially in rural areas . They had a high volume of parcels being delivered as such a low rate . contradictory +Car ferries are the slowest of the transportation options , but their stately progress allows you to enjoy the sun and sea air from their promenade and sun decks . The car ferries charge a goodly sum of money . neutral +The centuries-old conflict over whether Epcot is the vacation capital for Israel or Palestine . Neither country was interested in Epcot . contradictory +well it it is it you know on the other hand you you 've got uh you 've got the uh the possibility of people oh you 've got some people could be arrested for uh drug use drug dealings and things like that and uh if their if their employers name hits the papers and that it 's it 's it 's a mark against them the company and uh you know what kind of people work there what uh Some people might be arrested because of drug dealing . entailment +It was also a reminder that whereas the Hands Out Brigade used to be an issue mostly when traveling , it is now a fixture of everyday life . The Hands Out Brigade is now defunct . contradictory +Remember to take a warm layer if you intend to see a show during the winter months , as the evenings can be chilly . Warm clothing is not recommended for the spectacle . contradictory +I think I 'm going to need it if I 'm going to post anything tonight . He will be able to post without anything tonight . contradictory +Caled Kan 'eiji , it was established on the area 's one prominent hill to protect the capital from evil spirits . Kan 'eiji was established as a trading outpost near the capital . contradictory +i he did it 's like said they He did . entailment +They like the relaxed , low-key atmosphere and Gallic flair of the place . They like a relaxed atmosphere because they are a relaxed type of people . neutral +Here in the 17th century the first French landing party under Duplessis ran into violent and unfriendly Caribs . The conflict with the Caribs left multiple casualties on both sides . neutral +Richards , now 64 and a successful pediatric ophthalmologist , advises other men who want , as she did , to change genders in middle age not to do it , according to the Star . You better get on Thorazine or Zoloft or Prozac , she advises . Richards does not encourage other men to willingly change genders in middle age . entailment +Situated at the eastern end of Shikoku , across the Inland Sea from Kurashiki and Okayama , is Takamatsu , another friendly provincial town where foreigners seem to receive a particularly warm welcome . Foreigners are welcomed in Takamatsu which is located at the eastern end of Shikoku , across the Inland Sead from Kurashiki and Okayama . entailment +The first step-a review of existing information-helps you to determine what is already known about the data and the computer processing . The final step is to review the existing information . contradictory +The police and paramedics said he had been stalking his girlfriend with gun in hand . The man and his girlfriend were happily walking hand in and hand together at the park . contradictory +He screamed in agony , and heard a million screams around him . He could not stand the pain , and thought he was going to die . neutral +The nearest temple to Aswan Town is Philae . Philae is actively run and in good condition . neutral +Table 1 USPS Operational Costs by Major Function Table 1 USPS Operations Profit by Major Function . contradictory +( No longer will our penises remain flaccid and We will get laid . We 'll get some tonight ! neutral +5 % reduction on generation load together with only an 11 . 5 % less on generation load together . entailment +" Gracias , Don Cazar . " It was the thanks of equal to equal . Thank you , Don Cazar . entailment +I started to run , and was spotted at once . I ran and drew a ton of attention to myself immediately . neutral +Finally , Osaka Port at the far west of the city offers two ideal distractions for all the family . Osaka Port is a great place for the whole family . entailment +what kind of -- What type of -- entailment +Can you help me come to terms with this situation ? Can you help me come to terms with my pregnancy ? neutral +Today , they 'd be lucky to win anything at the TV Guide Awards . At the moment they 'd be unlucky to win anything at the TV Guide Awards . contradictory +'All right . It 's awful . contradictory +The Commission subsequently granted a requested extension of the experiment , 16 and ultimately approved a request to make the experimental program a permanent mail classification . The experimenters said they didn 't need an extension . contradictory +wow are these disc brakes I hope they are disc brakes . neutral +um-hum i guess i you see i guess it depends on your landfill space It depends on your landfill space . entailment +It 's enough to make you turn to drink . The idea could push someone to drink . entailment +There is a soft-focus Monica on the cover , and there are softball questions inside ( You signed your first book yesterday . You signed your first book . entailment +A 20-minute tram ride takes you out to the Yashima peninsula , formerly an island famed for the momentous battles in which the Minamoto clan drove out their Taira rivals in 1182 , heralding the country 's rule by military dictatorship for the next seven centuries . The Yashima peninsula lived under dictatorship for many years . entailment +House and relevant committees or subcommittees in connection with any such testimonies . Additionally , any individual constituents connected to these testimonies personally . neutral +He smashed the hilt of his wide-bladed sword into the man 's nose , shattering it . He smashed the man 's knee cap with the hilt of his thin bladed sword . contradictory +He used to be a promising youngster ; now he 's turning bronco fast . He is not a promising youngster anymore . entailment +uh um well they have some watches that look really nice there 's one that 's got some diamonds on it Some of the watches that they have are made from solid silver . neutral +I 'm a simple guy . I am basic . contradictory +Through a decade of good luck and leveraging its lead in the PC OS market , Microsoft has unfairly eliminated competition . It was not just but they company was able to defeat them for ten years . entailment +When GAO notifies an agency of work by telephone or e-mail message , it will subsequently provide a notification letter in instances When GAO tells an agency about work , it will also send a letter . entailment +But it 's also true , as never before , that the archives of sound and image constitute a continuous retro loop that people can--and will--draw on . The sound is turned off . contradictory +Either cutting acrosefrom Tonnerre ( home of a beautiful circular lavoir at the Fosse Dionne ) or starting out from the village of Chablis , follow the course of the little Serein river ( a tributary of the Yonne ) toward Avallon . No fish can be found in the Serein river . neutral +I assume that the seven represents the planets . I assume the planets are represented by those seven . entailment +But fewer than one in six get help from a lawyer , according to a survey . 100 % of the respondents say they will always seek a lawyer 's advice . contradictory +um and uh and you know you think she 's innocent all along you know and just you know because because of her circumstances that you know that 's why people thought she had done it you know because it just looked so obvious that she had done it and that 's why everybody assumed she had Everyone assumed she was guilty before even hearing the facts . neutral +um that 's not too bad That is not as bad as it could be . entailment +most the time oh man but in Dallas you don 't even know who 's in in administration there 's so many of them there are very few people in administration and you can tell who they are very easily contradictory +A lookout point provides views acroseto Machico on the coast , and you can enjoy a drink at the golf club bar , set in what was once a pousada . There is a bar at the golf club with a great view . entailment +When , after the Lewinsky affair , President Clinton chose not to see a real clinician but a bunch of ministers , he sent the same message . President Clinton sent a very different message when he chose to see a bunch of ministers . contradictory +Since the sacking of the Temple and their banishment in a.d. 70 , Jews from all over the world have come here to weep and wail at the loss of the House of God and pray for the restitution of Jerusalem to the Jewish people . As travel has become easier and less expensive , increasing numbers of Jewish pilgrims have flocked here . neutral +An exhibition of the foppish pop artist 's ephemera--his clothes , souvenirs , and photos--is panned as unexpectedly boring and blindly reverential of Warhol . The star was trying too hard to be artistic and relevant . neutral +I half thought he was going to rise from his chair , but he remained seated , although a remarkably well acted expression of astonishment rose on his face . I did not like him and did not believe his reaction . neutral +but for the most part people were like well i don 't like it uh it 's not something i prefer to do but i understand the reasoning and i think part of the attitude is that i think TI went to really great lengths in communicating and tried to prepare them and and tell them why and you know they didn 't just announce it without really any forethought Generally people didn 't think that it was something they preferred to do . entailment +Situated where the Nile valley widens to become the Nile Delta , it is now the largest city in Africa with a population of over 14 million people . The village is sparsely populated and nowhere near the Nile . contradictory +Mallorca and Menorca found themselves on opposite sides during the war . Mallorca and Menorca were allied during the war . contradictory +But the Government is contemplating legislative action which will deal effectually with the strike menace . The government is not considering anything to deal with the strike menace . contradictory +The best time to see them all is early morning , looming out of the mist , or at sunset , throwing dramatic shadows . Whatever the time of the day , there is no phenomenon that changes their aspect . contradictory +Astley Priors was a pleasant red-brick edifice , surrounded by well-wooded grounds which effectually shielded the house from observation from the road . Astley Priors was a modern high-rise in the center of the city . contradictory +Yet conservative publications such as Commentary , which was always happy to publish Loury when he criticized liberal evasions , would not grant him space to critique The Bell Curve . He does not yet have the space necessary to critique the Bell Curve . entailment +( 3 ) Any agreement or result designated and fixed at a given time from which changes require justification and approval . All agreement changes require approval . neutral +um-hum wow so what what did you did did you use do you have a blower or did you have the uh the vacuum I heard that a blower can be a life-saver come fall time . neutral +And the date , my friend ? said Number One . What is the date , my friend ? entailment +um basically the whole well no i guess the minute marks but the minute marks are done they 're like hearts Thr minute marks are like diamonds . contradictory +The northerner waited for him to pick it up . The one who was waiting for him to grab it was from the north . entailment +Yet , the New England Journal of Medicine downplayed the risks at the time . The hospital ignored the potential dangers . entailment +The Arc de Triomphe was conceived by Napoleon I as a tribute to his armies , and bears the names of hundreds of his marshals and generals , and dozens of victories . Napoleon I was the person who thought of the Arc de Triomphe . entailment +yeah they used to have and what do they i don 't know what the percentage is now they used to be taxed thirty percent The used to be getting taxed at over fifty percent . contradictory +but i think we 're doing better and better all the time i still don 't " I am under the impression that we are improving steadily . " entailment +Run up to seven and you 'll find that every other number has better films-- One Flew Over the Cuckoo 's Nest , Two for the Road , Three Days of the Condor ( and Three Brave Men , based on a book about my Uncle Abe , who 's played by Ernest Borgnine--straight stuff--you can imagine how we felt ) , Four Feathers , Five Easy Pieces , and--no kidding , this is as good as it gets-- Six Lessons From Madame La Zonga , with Lupe Velez and Leon Errol . If you go up to number seven , you 'll find that its better than all other movies . contradictory +One is by giving self-help assistance directly through our programs ( such as with the I-CAN system and the statewide websites ) and the second is by enhancing existing efforts on behalf of pro se clients . Their programs offer no self-help . contradictory +I am busy . I am not not busy . entailment +The discovery was a providential one . The discovery couldn 't have come at a better time for the case . neutral +The Mangrove Swamp and rush beds are an important habitat for many species of birds and fish , as well as home to a small population of Jamaican crocodiles . A small amount of Jamaican crocodiles live in the Mangrove Swamp . entailment +Its basilica , like the peaceful medieval town center , has been beautifully preserved , and the centuries-old pilgrim trade manages ( sometimes just barely ) to avoid the unashamed commercialism that blights other religious shrines . The basilica was destroyed to make room for a shopping mall . contradictory +It is quite an astonishing book , a masterpiece , says the New York Times Book Review ' s Michael Hofmann . Michael Hofmann is a New York Times book reviewer . entailment +The managed care debate presents this issue in a slightly different context . The managed care debate was settled decades ago . contradictory +As a result , the omission of this broad class of benefits from our quantitative results likely causes our estimates to substantially understate the total benefits of the Clear Skies Act . We intentionally omitted many benefits from our results . neutral +Rome followed up defeat of the Carthaginians with large-scale massacres and enslavement of their Italian supporters . Rome massacred a large number of Italians . entailment +Expect some ribald remarks in broad Dublin accents . Salty comments will likely be heard , in Dublin accents . entailment +Actually , Katz better resembles that other iconoclastic 1990s media hacker , Ted Kaczynski , the alleged Unabomber . There was no one else in the 1990s who came close to resembling Katz . contradictory +uh nothing that that 's particularly horrible and i think most of the work word processing i do since it 's somewhat of a personal nature i 've probably don 't have a sense of vulnerability in this in in the even that i were to send to to send a a misspelled word out the way one might have at the office place Bill in Accounting may be a good resource for you . neutral +or the dependent on God i am so dependent these days it 's offensive to me alrighty well i i 'm seeing that my my codependents have turned on the hose and are getting my neighbors fence I 'm very dependent on God these days to the point that it scraes and offends me . neutral +In a grand old corner building across from the Atocha train station and seconds from the Reina Sof ? ­ a contemporary art museum , this inexpensive hotel may have seen better days , but it remains a bargain . The hotel is quite expensive for being so run down . contradictory +Of Decter 's comments , the less said the better . Decter 's comments are valued . neutral +jeez i get tired of this i 've got a there 's a nice little wooden platform out there for the garbage cans and then they throw them anywhere they want to They have no regard for not littering at all . neutral +For example , the Department of Veterans Affairs established a separate organizational unit staffed with professionals experienced in management , architecture , civil engineering , and contracting to manage its partnerships . The VA established an organizational unit that is staffed with professionals . entailment +But you shall pay for it oh , yes , you shall pay for it ! You have wronged me . neutral +However , EPA 's Office of Prevention , Pesticides and Toxic Substances home page did have a Laws and Regulations link that contains a link to a list of proposed rules available for comment . The epa hid the proposals from the public . contradictory +so people don 't have the discretionary incomes that they had you know overtime has been cut back a lot in certain areas In some areas , overtime has been cut back a lot . entailment +His stride was stately , elegant . He was clumsy . contradictory +Visit the village during late summer for the festival of folk dancing , or for February 's Fiesta of Moors and Christians . Both festivals are well worth going to and people from around the region come to the village during these times . neutral +Some of this may change . This is not subject to change . contradictory +are you keeping them sold them all They were all sold . entailment +In addition , systems should incorporate incentives for people to do the right thing , adequate transparency mechanisms to provide reasonable assurance that people will do the right thing , and appropriate accountability mechanisms if people don 't do the right thing . The system shouldn 't have built-in incentives that encourage people to do right . contradictory +i i i know i mean i wish i was lucky enough to not want to work you know The desire to work is very weak within me . neutral +But the black-and-white world of the true believer does , especially when it 's festooned with the trappings of Irish romanticism . The clearly illuminated world of a true believer is only made better by the impact of Irish romanticism . entailment +in a falling world that falls It falls . entailment +Altea is one of Spain 's most memorable and tranquil towns , and a careful development policy helps to keep it that way . Altea is a Spanish town and it very beautiful . neutral +that that would be definitely something you 'd want to keep was was the whole face done or just the numbers and and like minute You would never want to keep something like that . contradictory +When the largest piece to be lifted is determined from the construction plan , the necessary crane can be determined . The necessary crane can only be decided when the biggest piece to be lifted in the plan is found . entailment +I sure forgot Beresford , said Julius contritely . Julius could easily recall every detail . contradictory +Peter 's of Ancient Egyptian religion ) from the 11th Dynasty period , c.2134 b.c. The 11th DYnasty Period was 400 years . neutral +Brightly decorated by their peers , they depict the incumbent in life , at work , or laboring in the fields . The decorations were often defaced by grave robbers . neutral +uh but i keep coming back to that one so i that 's kind of my favorite I forgot about that one because it 's not so good . contradictory +The panorama of the five volcanic craters of Mt . Aso blends vivid emerald-green mounds with great carpets of pink azaleas on the surrounding slopes and plateau . Mt . Aso has been inactive for over a century . neutral +At the fortress , the Rajputs of Jai Singh 's Kachwaha clan slowed down their enemies with a steep elephant ramp . At the fortress the Kachwachan clan slowed any enemies using an elephant ramp . entailment +You 'll see plenty of soap and shampoo and , on the Dhobi Ghat , laundry-washing , too . Laundry-washing is never done on the Dhobi Ghat . contradictory +Saddam Hussein 's gassing of the Kurdish population in 1988 falls outside the arbitrary 10-year rule . Hussein gassed the Kurds in 1988 . entailment +For traditional crafts , the House of Ireland , on the corner of Nassau and Dawson carries a fine selection of jewelry , crystal , and knitwear . Nassau and Dawson are not connected to each other . contradictory +Oh , unbelieving one ! Tuppence wrenched open her bag . Tuppence had a wonderful thing inside the bag . neutral +A portable device for the production of 17 of the most popular enzymes . This portable device produces 21 of the most popular enzymes . contradictory +But the legal-aid groups don 't know how to spread the word about the positive benefits of their work . LEgal aid groups do not receive enough credit . neutral +There was Judy Chicago , selling Holocaust jewelry to raise money for her ( stupid and vulgar ) painting cycle on the subject . Chicago was selling jewelry to raise money . entailment +you know most tribes were treated dreadfully Most tribes were treated badly . entailment +yeah it did and we we tried to be fancier or more courses than the other or uh it was a lot of fun you know it something unique you know and then we got into different um themes you know um whether it would be We tried to get fancy and unique with our recipes . neutral +yeah i uh i think that while it 's a good change for i think women to be able to fulfill their potential in whatever they feel you know their expertise may be uh i think sometimes other things suffer and that i think it 's hard to find a balance there Women should be able to reach for their potential , but it is hard to keep a balance . entailment +( Who is ? ) I think I know who . neutral +Legal services programs often pioneer creative responses to the challenge of high quality , effective services for clients . Legal services programs often come up with innovative , creative ways to give high quality , effective services for clients . entailment +The Sacre-Caur 's architect , Paul Abadie , wanted to demolish St-Pierre , but he was overruled , and it was restored as a riposte to the Sacre-Caur . Paul Abadie designed a number of churches in France . neutral +Every August a spectacular form of sacred theatre , El Misterio de Elche ( The Mystery of Elche ) , is performed here by an amateur cast of priests , civic dignitaries , and other local people . El Misterio de Elche is held every August . entailment +Visitors can tour the palace only when the monarch is not in residence . Visitors get to see the monarch in the palace . contradictory +Careful planning and an imaginative approach to relating the story behind a site could , however , make a huge difference in stimulating a child 's interest . Reading books on a historical site together is the best way to get kids interested . neutral +But Said 's fame outside the American academy rests on Orientalism , his sweeping account of how Western art , literature , and scholarship have produced a deformed , biased picture of Arab and Muslim culture in the service of colonial domination . Said is an expert in Arab and Muslim culture . neutral +yeah it is interesting though it becomes a little of personality in fact the the guy that was on the weatherman on channel eight worked for me oh long time ago twenty years or so even longer than that twenty one twenty three years ago or so I enjoy the weatherman on channel 8 . neutral +All but a small volume of the holding water ( approximately 5 % ) is removed by siphoning and replaced slowly over a 10 to 15 minute period with dilution water . Water dilution makes the process easier neutral +He was ageless , neither young nor old . He doesn 't have an age . entailment +Croatia is ostensibly a democracy , but it has functioned under Tudjman like a semi-fascist dictatorship . Democratic operation in Croatia are going smoothly . contradictory +we they put us on a budget they would run like uh they could really tell how much oil you were going to use The oil use was very limited . neutral +excuse me if they pay for a PhD They will not spend money on the degree . contradictory +During the summer you will have to share the shoreline with many thousands of other visitors . In summertime , thousands of other visitors will be on the shore . entailment +Bah ! said Tommy scornfully , fighting down a singularly unpleasant feeling in the pit of his stomach . Tommy smiled since he felt so pleasant . contradictory +as well sometimes i think it 's been on i think i 've seen it during the day i know i 've seen it during the day in Florida I think it 's during the daytime in all states . neutral +uh-huh absolutely and and i know what you 're saying we do what we have to do for our children regardless regardless of what that is but i 'm a little bit unsympathetic with the families right here in our own small town of five thousand who have not limited their family we have three children and that happens to be what we could afford but i don 't really feel like i ought to help even if they 're people from Indiana support ten children that 's not fair i didn 't get a say whether they had them or not so i don 't think i ought to have to help raise them too critical i i 'm concerned about world birth control and Nobody else offered to help me raise my own children , so why should I help others ? neutral +Isn 't it a little self-pitying to ascribe misplaced guilty liberalism and soggy altruism to the same folks who bring us season after season of formulaic sitcoms , spandexed soap operas , and disease-of-the-week movies ? It 's silly to say the same people that bring us sitcoms also are soggy alturistics . entailment +I will do all you wish . " Julius lowered the revolver . No , I will not let this pass , Julius held the gun steady . contradictory +The waterfront walk at sunset offers timeless views of the bay and Mount Vesuvius , with the contemporary addition of a gleaming-white cruise ship or two . While walking on the waterfront at sunset , you can see the bay and Mount Vesuvius , and occasionally a cruise ship . entailment +Ohio University students cleaned off their porches last February when the Athens , Ohio , city council outlawed the use of indoor furniture out-of-doors . Last March , Ohio University students put more furniture on their porches after the city council bylaw proposal didn 't work out . contradictory +Pebereta talladeta started life as a stew composed of potatoes , pepper , and tunny fish gills , but today , thick tunny steaks are often the main ingredient . Peberta talladet used to be made from tunny fish gills . entailment +For some reason , I wasn 't much moved by the old Number 31 , 1950 . But , a 15 foot long monochrome work on loan from Desseldorf , Germany , took my breath away . No one in Germany has ever made any art . contradictory +Transfer of property , plant , and equipment without types that are expensed . Property , plant , and equipment can sometimes lack types . neutral +He turned to look at Severn and Jon hit him again . Jon told the man to run before he hit him . contradictory +the but the medical stuff itself uh The medical stuff itself is pretty expensive neutral +Tract housing and apartment buildings may be ugly , but they are paradise compared with village huts or urban shanties . Tract housing is beautiful but hell compared to urban shanties . contradictory +'No , he went back to town almost immediately . ' Town is where you can always find him . neutral +uh i was visiting my son down in Dallas I went to visit my kid in Dallas . entailment +instead instead instead instead of just making bland uh pronouncements about having no plans to change the ticket has just really emphatically come out and said no way At least the ticket finally got rid of him rather than just talking about it . neutral +The final rule contains information collections which are subject to review by the Office of Management and Budget under the Paperwork Reduction Act . Information collections are not subject to review . contradictory +Explainer thanks Professor Karl-Heinz Nassmacher of Carl von Ossietzky University in Oldenburg , Germany . The professor from Carl von Ossietzky University , Karl-Heinz Nassmacher , was the only one the Explainer thanked . neutral +She also is an adjunct professor at the Widener University School of Law . She taught at New York University . contradictory +yeah was the only thing about the costuming my husband remarked that it didn 't that that um the Indians all appeared to be wearing new things My husband did not say anything about the costuming . contradictory +and it was it was the school district couldn 't hire many people it was very difficult for them to hire and i think you know in the sense that aspect of public service for education in some of the inner cities It 's difficult to hire people because there is a lack of good candidates neutral +5 million green-card holders resident in the United States in 1996 were eligible to apply for U.S. citizenship . ) 5 million people in the United States were eligible to apply for U.S. citizenship . entailment +They are also generally permitted to travel to and from the United States without restriction under U.S. immigration laws . In general , they are not permitted to travel to and from the U.S. without restriction . contradictory +He was the Mahatma 's favorite to lead India to independence . He had no preference on who led India to independence . contradictory +Downtown L. A. ' s noted Children 's Museum is closed pending the construction of two new sites , one in the San Fernando Valley , opening in 2004 , and one in Little Tokyo , opening in 2005 . LA is closing their children 's museum because new facilities are opening that will be better . neutral +we went up and were going to spend on the Blanco River and we got there and a front come through and it was it was freezing It was nice weather at Blanco River . contradictory +Despite this the interior is still breathtakingly beautiful , decorated with the best tiles . The interior was ugly and had cheap tiles . contradictory +Even the court 's operations are evidence of Rehnquist 's efficiency . Rehnquists is not efficient at all and this is show in the court 's operations . contradictory +have you seen it What did it look like ? neutral +In the cities , the cathedrals , palazzos , monumental public buildings , and open-air piazzas are planned as if harmonious elements in unrivalled stagesets . The cities ' buildings appear as if there were no planning involved whatsoever . contradictory +It is a fine example of Moorish architecture , reflecting the Ottoman and Mogul glory of the 13th and 14th centuries . The Moorish architecture reflected the Ottoman and Mogul glory . entailment +However , it also authorizes HUD to exempt payments HUD was granted this authority by an intergalactic association of planets . neutral +But there ARE places in London where simply every one is bound to turn up sooner or later . There are places in London where everyone turns up , alive or dead , eventually . neutral +it really is awful i think maybe the company should do more with day care centers and that type of thing it might bring families closer The company cannot do more with day cares and those similar things because of legislation blocking them . neutral +uh right here in Maryland Not in Maryland . contradictory +Plagued by corruption and incompetence , and drained of manpower and ships by such adventurism as the dispatch of the ill-fated Armada against England in 1588 , Spain was unable to defend her expansive interests . Spain 's downfall was partially to blame on corruption and incompetence . entailment +Based on those findings , the Administrator has determined that an environmental impact statement need not be prepared . The administrator decided the environmental impact statement doesn 't need to be prepared entailment +If this is true , it could at least partially explain why the number of pieces delivered per box is so much larger for the fourth and fifth quintile than it is for the other three . If this is the truth , it would explain , at least partially , our problem . entailment +Beautiful at any time of year , Aira Force is a 20-m ( 60-ft ) waterfall spanned at its peak by a narrow stone foot-bridge . Moisture makes the foot-bridge at the peak of the Aira Force waterfall treacherous . neutral +yeah well don 't let it collect dust you least exercise while dusting it off You could turn any chore into an exercise if you try . neutral +Many of these elegant Renaissance houses now serve as museums and libraries . Many Renaissance houses have been torn down and turned into hotels . contradictory +From 1320 , until it was closed by Henry VIII , St. Patrick 's was the seat of Ireland 's first university . St. Patrick 's was the home of Ireland 's first university , founded in 1320 . entailment +The park 's finest attractions , however , begin after dark . The most interesting attractions in the park happen in the middle of the day . contradictory +I meant to do so , but I was told that a friend was at the hall door , so I laid down the coffee on the hall table . I put the coffee down on the hall table because I was told there was a friend at the hall door . entailment +that makes a difference Small differences add up . neutral +Appendix I contains a worksheet , called an acquisition profile , to summarize essential information about the acquisition project . The acquisition profile summarizes essential information about the acquisition project . entailment +That 's a pretty girl , I remarked appreciatively . I said she looked beautiful . entailment +753 b.c. Rome founded Rome was founded in 753 B.C. entailment +They can bring their own food , build domed stations of lowered air pressure , devise specially designed ships . " The domed stations are not made for ships . contradictory +And , for all I know , didn 't write . He knows that he did not write . entailment +The obvious ( to me ) point that the average unemployment rate over the next 10 years will be what the Fed wants it to be , regardless of the U.S.-Mexico trade balance , never made it into the public consciousness . Trade between the US and Mexico won 't alter unemployment rates . entailment +Maids and butlers serve the family there , but the president and first lady ask them to leave when they want to be alone . The president and first lady may ask the help to leave when they want to be alone . entailment +If total volume , instead of pieces per capita , were displayed on the vertical axis , then the Y-intercepts would remain unchanged but the cost curves would be parallel . Total volume , if displayed would changed the cost curves . entailment +He 's making himself a positive role model for kids and displaying the leadership for which the American people are hungering . He is setting a bad example for children and the American people . contradictory +Neither of them spoke again until they reached the Ritz . They chatted happily on their way to the Ritz . contradictory +The important people had already noticed me . No one noticed me . contradictory +When shopping , be aware that quality does vary greatly and some bargains may not be what they appear inferior stone painted to look like marble or alabaster is a favorite ploy around the sites in Upper Egypt . There aren 't many laws against counterfeiting so use caution when shopping . neutral +In particular , the role that the CEO and other senior managers play in ensuring the success of the CIO should be noted . The CEO and other managers always help the CIO . neutral +Drew lingered by Shadow 's box . Drew stood quietly by shadows box , entailment +A fountain of blood sprayed up into the night . There was blood that night . entailment +A French sourmilky delegation is arriving today , and I need to have something in an hour . There 's something I need to have in an hour . entailment +Drug maker Eli Lilly saw its profits rise 15 percent in the most recent quarter , meeting estimates , but its shares fell nonetheless when it announced that Prozac sales were down significantly . Eli Lilly is closely tied to the sales of Prozac , regardless of other profits it might make . neutral +The choice of a new puck lead to an uncontrolled development of a ' black league ' - illegal games , where neither the players , nor the referees or the audience wore protective masks , and where the probability of infection in poorly-ventilated rooms varied between 0.75 and 0.79 to one . The ' black league ' was legal and everyone would wear protective masks to be safe . contradictory +To provide the generalization desirable , the case studies could be followed by a national survey of state officials , checking out the findings from the in-depth studies . You will never anything desirable from in depth studies . contradictory +um-hum right oh i was thinking about you know like the uh the styrofoam used at uh the fast-food restaurants Oh I had the styrofoam that fast-food restaurants use in mind . entailment +happening already . There 's no way to stop it from happening at this point . neutral +To the east of the Accademia along the Grand Canal , a breath of the 20th century awaits you at the Peggy Guggenheim Collection of modern art in the Palazzo Venier dei Leoni . The Peggy Guggenheim Collection showcases 21st century art . contradictory +so i was reading the book and it 's called Shoeless Joe The book I was reading is call Shoeless Joe . entailment +The royal entourage needed some form of lodging , and a guesthouse was built adjoining the abbey to be used as a base for hunting parties . No hunting parties were allowed to base themselves near the abbey . contradictory +To them , the 1993 Oslo accords meant settling for a sadly truncated form of Palestinian self-rule without extracting an Israeli admission of wrongdoing . The 1993 Oslo accords meant setting for a sadly truncated form to them . entailment +Twenty-two years later , Hitler obliged the French to sign their capitulation in the same place . Hitler signed the capitulation after a great deal of thought . neutral +Contribution and cost coverage change to reflect those differences . There are no differences to account for . contradictory +His face was sick , but he managed to grin at Hanson . He could not stand to grin and his face was grim . contradictory +Choices about whether to invest , for example , in the stock market or in less risky , lower-yielding assets such as a bank saving account also make a difference . Investment choices make a difference . entailment +On the periphery , there 's the Valley 's Sherman Oaks Galleria and nearby Fashion Square . Valley 's Sherman Oaks Galleria and the Fashion Square are far from each other . contradictory +Modern feminism , modern habits , and modern fashion have familiarized the eye with mobile and visible breasts of different shapes and sizes , even with the harsh truths of breast cancer . Modern people are not familiar with visible breasts . contradictory +Stopping and frisking a driver or admitting a student to Yale is a yes-or-no decision . Accepting a student to Yale University is an example of a yes-or-no decision . entailment +So if Barak gets his final deal with the Palestinians , Israel may find itself with a new kind of an autonomous Palestinian state , a stone 's throw ( literally ) from sacred Israeli territory , that is sinking into Third World poverty , anarchy , and civil war . Barak is hoping to broker a peace deal between Iran and Germany . contradictory +You are not attending to what I say . " You 're just talking to yourself and not listening to what I 'm saying . neutral +To protect your privacy , ask your bank to restrict access to your records and beg your member of Congress for legislative protections . Restricting access to your records will help protect your privacy . entailment +Every gesture , from the most banal opening of an umbrella to the sublimest act of lovemaking , had its appropriate ceremonial . The opening of an umbrella had an appropriate ceremonial . entailment +Among the duties of the advisory panel are guiding the technologists about politics and helping design products that attract users to the site , according to Ron Howard , chairman and founder , who also founded Hayes Corp. , the modem manufacturer . Ron Howard founded the corporation , who made the most popular modems . neutral +right but see i really think yeah i i think those characters came right off the screen in that story you know it was really enjoyable and and my wife we thought the same thing we were so pleasantly surprised The characters were flat and dull and my wife and I are divorcing because of this . contradictory +It is something of a pantheon for the House of Savoy , buried in the basilica 's Crypt of Kings . Deep inside the Crypt of Kings is something of a pantheon for the House of Savoy . entailment +But if Gore doesn 't learn to stop talking like a used car salesman , nobody 's going to be listening . Gore needs to stop talking like a used car salesman . entailment +Amid the modern and often daring architecture of this area is the fortress-like Monastery of the Crose which is over a thousand years old . The Monastery of the Crose has been damaged over the years . neutral +One of her more comical tics is to repeat a concept over and over , uncritically , until it takes on an almost physical presence , like a parody of a Platonic ideal . Most people find this comedic routine to be silly . neutral +Newsweek reports on Jesse The Body Ventura 's wildly successful honeymoon as governor of Minnesota . Newsweek reports on Jesse 's first days as governor . entailment +The final rule revises the tailpipe emission portions of the Federal Test Procedure for light-duty vehicles and light-duty trucks . Information relating to tailpipe emission from heavy-duty vehicles can be found in the first rule . neutral +Susan replied just when Jon thought she had not or could not hear him . Susan responded when it was not expected . entailment +The Church of Saint Barbara is also worth visiting ; it is typical Coptic in style . The Church of Saint Barbara is worth visiting . entailment +The elegant 18th-century monastery buildings are now Caen 's town hall . Caen has 18th century monastery buildings as a courthouse . contradictory +At the same time , an understanding of the information technology and management practices of leading organizations could contribute to the development of improved CIO management practices in the federal sector . An understanding of the information technology and management practices of leading organizations could contribute to the development of improved CIO management practices . entailment +yeah you barbecue steaks pardon me They taste best when made on a charcoal grill . neutral +We are holding a follow-up forum on December 9 , 2002 to discuss what actions have been taken by a variety of parties and those that remain in order to help restore public trust and confidence . In December there will be a follow up forum . neutral +Th thank you , faltered Tuppence . Fuck off , Tuppence . contradictory +just forty miles north due north of Cincinnati and uh but uh northern Indiana has many tornadoes come roaring across and we get the backlash off of it if not the part of the tornado itself Northern Indiana has tornadoes every summer . neutral +yeah uh yeah and then during the week you see these women in the you know just because you put on a pair of hose with them doesn 't make them not shorts anymore you know They liked to mix it up when it came to their clothes . neutral +The son of Charles IV , Fernando VII , was seated on his rightful throne in the Royal Palace of Madrid in 1814 . The Royal palace was in madrid because it was the most beautiful city . neutral +yeah so jobs have to i guess become more flexible Jobs don 't need to be flexible at all . contradictory +'I am history come to life ? ' I tried again , uncertainly . I asked if I was history coming to life . entailment +That idea of yours about the bromides was a stroke of genius ! Your idea about the bromides was very stupid . contradictory +Furthermore , these costs are not likely to depend significantly on the value of the merchandise , and the fee is levied through the power of the Government to compel payment . The costs are not likely to depend significantly on the value of the merchandise . entailment +The rest is up to you . The rest is up to me . contradictory +Yes , but why ? But where ? contradictory +On the contrary , he shows how educated elites like himself and Molly Munger are fighting against the Marie Antoinette syndrome . The Marie Antoinette syndrome is being supported by him and Molly Munger . contradictory +You see , Aunt Emily always told me I should be provided for . Aunt Emily said I should take of myself . contradictory +C 'mon , lighten up . Be happier . entailment +but it uh it 's it 's wide enough to pick up uh like the width two widths of a lawn mower It 's wide enough , about the width of the kind of lawnmower that you can ride . neutral +Pause for a moment at the palace 's western terrace alongside the Galerie des Glaces for a first view of his harmonious , subtly asymmetrical arrangement of the grounds . When you pause , notice how the palace is inharmonious . contradictory +Founded in 1253 as a college for poor theological students by Robert de Sorbon , Louis IX 's chaplain , it took shape as a university under the tutelage of Cardinal Richelieu . The college was founded in 1253 . entailment +The volcanic substrata here throw magnetic compasses completely out of whack . Despite the volcanic substrata , all manner of compasses should work fine here . contradictory +The Centre also houses a bookstore , coffeehouse , restaurant , and cinema . The restaurant in the Centre is open until late at night . neutral +Spanish champagne ( Cava ) is mass-produced and reasonably priced but almost always sweet . You can buy Cava at the grocery store . neutral +The volume of letters sent by non-households or nonhousehold originated mail can also be calculated from Table 1 by adding NHH-to-HH and NHH-to-NHH volumes . The volume of letters that non-households send is shown in table 121 . contradictory +Unfortunately , no positive proof has ever corroborated the claim . The claimant provided proof to back up his statement . contradictory +Most of the good stuff in William Trevor 's novel William Trevor wrote a novel . entailment +The Marais district , north of the two islands in the river , was built on land reclaimed from the marshes . The Marais district is a good place to find anything you need . neutral +Reproach vs. repentance . Reproach and repentance are opposite ends of the spectrum . neutral +Accordingly , the Office of Management and Budget clarified its contingency plan instructions and , along with the Chief Information Officers Council , adopted GAO 's business continuity and contingency planning guide for federal use , thus reducing the risks of disruption to major programs and services . The risks of disruption to major programs and services were reduced thanks to the GAO 's business continuity and contingency planning guide . entailment +In the end , Mayakovsky is stuck in a kind of zoo , where curious people come to watch him do unhealthy things . People like to watch Mayakovsky do unhealthy things . entailment +Adam 's pose in the Creation scene ( top left ) inspired the Michelangelo figure reaching out to God on the Sistine Chapel ceiling . In the Creation scene , Adam is sitting down . neutral +And there 's no dramatic payoff with the chillingly satanic tobacco company president ( Michael Gambon ) whose threats first make Wigand think about going public . Gambon makes threats that make Wigand think twice about being public . entailment +An article doubts the pope 's visit to Cuba will change the country immediately , but it could encourage a more open society . The pope 's visit immediately changed Cuba . contradictory +A Day of Service occurs on the day before the opening of a national conference . The day of service seen as tradition . neutral +This would clearly be contrary to the role that Congress has established for GAO . GAO 's Congress-established role would be undermined if this is done . entailment +Continuous improvement , which compels workers to look for ways to make their jobs more efficient , is de rigueur at companies ranging from Polaroid to GM . Polaroid and GM both sell cars . contradictory +He gave away documents that could have helped the Soviets identify American moles . The documents that he gave away had sensitive information . entailment +one that i can 't find anymore which is Gabriel 's Fire I cannot find Gabriel 's Fire anymore . entailment +I was thrown by the question . I was surprised she asked about my weight . neutral +The Honorable Richard J. Durbin Chairman The Honorable George V. Voinovich Ranking Minority Member Subcommittee on Oversight of Government Management , Voinovich earned his position through thorough work and outstanding credentials . neutral +or mine yeah i got you there I understand what you 're saying . entailment +The purpose here is not to provide reasons or to quantify why the mailer / competitor might be able to do the work for less than the postal service , despite the likelihood that the mailer / competitor 's scale of operations will be smaller . It is likely that a competitor might have a smaller scale of operations compared to the postal service . entailment +The huge bird braked savagely , barely stopping before they were under its feet . The giant bird stopped brutally , barely coming to a stop before they were under its feet . entailment +They went together , Sylvia to get the La Berg Shilouette 14 , and Jolanta to keep her company . Jolanta couldn 't stand to go anywhere with Sylvia . contradictory +He is a sort of vanguard , and follows her upon exiting . He follows her when she exits . entailment +This is so great because I haven 't been getting any of this lately . Yay I 'm finally getting some ! neutral +It had occurred to me as probable that , after Miss Cowley flung it on the floor , certain words might have been erased and altered with the express intention of setting searchers on a false trail . " Carter nodded . It had occurred to me as probable that , after miss Cowley flung it on the floor , 0 words had been erased . contradictory +He appealed the ruling , accusing Keller of being anti-Semitic and anti-Asian ( Klayman is Jewish ; his client was Taiwanese ) . There was no racial accusations . contradictory +No protest vote means approval of the price jump . The price jump is okay because there was no protest vote . entailment +In landlord-tenant disputes , small claims and housing matters , high numbers of poor litigants must argue pro se . Poor litigants never have to go through housing matters . contradictory +He essayed cautiously to rub the open blade up and down on the cord that bound his two wrists together . He untied the ropes on his wrists with his hands . contradictory +it 's on it 's on schedule um It 's on schedule . entailment +I 'm like you . I 'm the same as your mother . neutral +yeah that 's probably the same case in our family too There has been a lot of tension in our family too . neutral +How do you think I can look for them if you keep me tied by the leg here ? It is frustrating being held back from doing something . neutral +Like others who are familiar with how the county 's legal system does and doesn 't work for victims of domestic violence , Casey believes some changes are in order . Casey thinks some changes are necessary for the legal system . entailment +Linked to the Right Bank Jardins des Tuileries by the new Passerelle Solferino footbridge , the converted 19th-century hotel-cum-railway station was transformed into the Musee d 'Orsay , devoted to French art from 1848 to 1914 . The hotel was turned into a museum for art from different countries . neutral +Unless that Lieutenant Spath up at the camp tries again with that long-legged black of his , " Topham added . It won 't matter whether the Lieutenant does it again or not . contradictory +For example , had the writer of the Genesis creation story been composing for a 20 th century readership , he or she would have explained God 's hand in the evolutionary process as opposed to the more magical creation story in the Bible . The Bible explains concepts to the target audience of its author . entailment +15These fiscal policy simulations do not reflect other federal commitments and responsibilities not fully recognized in the federal budget , including the costs of federal insurance programs , clean-up costs from federal operations resulting in hazardous wastes , and the demand for new investment to modernize deteriorating or obsolete physical infrastructure ( e.g. The fiscal policy simulations don 't reflect everything in the budget . entailment +The addresses on workshared pieces are generally thought to be more accurate and are almost always machine readable . The addresses on workshared pieces are generally thought to be more accurate . entailment +The Kamakura Municipal Museum of Modern Art houses a collection of Japanese oil paintings , watercolors , wood block prints , and sculpture.The Kokuhokan ( National Treasure Museum ) has a fine collection of objects from various Kamakura temples and shrines , including some excellent 13th-century paintings . The Kamakura Municipal Museum of Modern Art does not have any Japanese items . contradictory +Strike a match to see the effect . The only way to see the effect is to strike a match . neutral +Due to changes in market conditions and requirements for increased productivity through using common components , a large manufacturing company decided that it needed to make major changes in the way it managed IT to support the business . Productivity needs to be 20 % higher . neutral +but i yeah i haven 't decided whether you 're whether i wanna play yet or not i just bought myself a solo flex machine i don 't know if you 've seen those advertised on TV I bought the solo flex machine from the advertisement on TV . neutral +The CIO believes there is big payoff in these types of activities and the costs are minimal , if any . The CIO believes that these activity types have minimal costs . entailment +The increasing number of articles published on the basis of funded research , including announcements of several newly discovered properties of certain composite ceramics , is evidence of the utility of this part of the program . The increasing number of articles published is evidence of why NASA now has a smaller budget . neutral +yeah they 're probably i would think needs to be i don 't know if they have any type of uh formal or informal spontaneous or routine drop ins of agencies you know people checking up on like they do nursing homes you know they drop in to see if you 're meeting all of the requirements by law and and i think they need to do that with day cares and just see what 's going on Day cares require little to no inspection , as the institutions fully respect all regulations and requirements . contradictory +Review of the Draft Analytical Plan for EPA 's Second Prospective Analysis - Benefits and Costs of the Clean Air Act 1990-2020 : Advisory by a Special Panel of the Advisory Council on Clean Air Compliance Analysis . Review of the Draft Analytical Plan that did not come from the EPA 's Second Prospective Analysis - Benefits and Costs of the Clean Air Act . contradictory +I 'll be back in half an hour . " Thirty-five minutes had elapsed when Julius returned . Julius was back after thirty-five minutes had elapsed . entailment +But I still don 't see how he managed to prove his alibi , and yet go to the chemist 's shop ? Poirot stared at me in surprise . Poirot looked at me in disbelief . neutral +However , because the determination of abuse is so subjective , auditors are not expected to provide reasonable assurance of detecting it . The determination of abuse is not very subjective . contradictory +Get out ? 203 " Yes . Leave ? Absolutely . entailment +Also in Newsweek , an essay by Hillary Rodham Clinton argues that American foreign aid and investment will improve human rights . Hillary Clinton is strongly against foreign aid and support . contradictory +Tommy , don 't you see , if they are scared enough to run away like this , it shows that there must be a lot in this Jane Finn business ! I don 't there 's a lot in this Jane Finn business . contradictory +" Magnífico ! " Drew glanced over Shiloh 's back to the speaker . Drew looked straight ahead and saw the speaker . contradictory +how about how about i guess we could talk about TV movies i mean i don 't know that they 're really really truly movies i mean How about we converse about TV movies ? entailment +yeah yeah really i mean Switzerland is so clean I didn 't have to deal with any waste or litter in Switzerland . neutral +Horrible crime . Crime is great , it should be loved . contradictory +What time is it ? I don 't know what time is it , said the man at the bus stop . neutral +The President 's Management Agenda , Fiscal Year 2002 , includes a governmentwide initiative for improved financial performance . The President 's Management Agenda pertaining to Fiscal Year 2002 will include a government wide initiative for improved financial performance . entailment +yeah because it 's uh Yes , as it is , um ... entailment +Somnolent cats and playful kittens abound , and sea ducks and geese can be found at many coastal fishing villages . There are digs in the coastal fishing villages . neutral +His first attempt at magic produced food . His attempts to produce food kept failing . contradictory +well that 's right because that 's just so much of the way that they make their money and so many communities have uh have to have that for farming and they don 't look at it so much as you know We can help them by introducing more advanced farming techniques to the region . neutral +The agency has agreements with 11 government departments , including the Department of Family and Community Services ( FACS ) ; the Department of Employment , Workplace Relations and Small Business ; the Department of Veterans ' Affairs ; and the Department of Education , Training and Youth Affairs . Expanding their outreach , the agency now has agreements with 11 government departments . neutral +In an ultra-Orthodox setting , of course , that 's not a simple step . This step can be achieved easily in an ultra-orthodox setting . contradictory +He even winces in pain a couple of times , and in the climax lets out a grunt that takes the Bond girl ( the dire Denise Richards ) aback . His climaxing grunt takes the Bond girl by surprise . entailment +NBC had fired him a year and a half ago after he pleaded guilty to biting a woman during sex . He pleaded guilty only because he was ashamed of himself . neutral +Similarly , the early United States may have been not so much a country with a post office , as a post office that gave popular reality to a fledgling nation . The post office has only been around since the 1950s . contradictory +and uh then uh then there was no point in having all my acreage i had four and a half acres with game preserve on three sides There is a game preserve on three sides and the other side is empty . neutral +Jon erupted in laughter . Something was funny to Jon . neutral +Colonial-style central building with pub , fitness room , and shops is surrounded by villas with views overlooking the bay . The central building has a pub . entailment +and this is what i find particularly difficult in that uh if we see injustice and whether it 's in a uh you know Chicago or uh or or Dallas i i think if we see it you know we see John Wiley Wiley Price hollering injustice i think that 's wrong now the question is is was there injustice in Vietnam or was there injustice in Iraq and Kuwait There was no injustice done in Iraq . contradictory +Postal Reorganization Act of 1970 . The postal reorganization act wasn 't until 1980 contradictory +They want laws that demand of parents that they act like authority figures . They want laws that make parents behave like their school friends . contradictory +Its name stems not from a drinking phrase but from the fact that it was very close to the gallows that used to stand in the The last drop refers to the fall to the end of the rope . Its name stems from an old drinking phrase . contradictory +I wish a sequence that involves a girl stripping and masturbating in Biggs ' bedroom while he and his buddies ogle her on the Internet weren 't so poorly staged and acted . I wish there was a higher quality version of a girl stripping and masturbating . entailment +" An ' jus ' why ? " Anse demanded . Anse is not asking a question . contradictory +so you 're doing it yourself but You might need some help for the tricky bits . neutral +Now , while we are figuring out what should be done in the way of legislative change , we---the postal community , the Postal Service and the Postal Rate Commission---should not just sit back and wait . The Postal Service and Postal Rate Commission are not pleased . neutral +We have said that the features distinguishing case studies from other methods are how sites are selected , how the data are collected , and how they are analyzed . Sites are not collected . contradictory +To a pig . To a killer whale . contradictory +( Also see separate definition of social insurance ) . Social insurance is defined as insurance for society . neutral +They sold us the slaves . The slaves were not thrilled . neutral +The present church was rebuilt after pirates destroyed the original in 1667 , though part of it , the Morgada chapel , did survive . The current place of worship was re-created after being destroyed by pirates . entailment +It is not that I expect anything practical . He expects a lot of stuff to be impractical . neutral +LSC 's 1998 call for state planning coincided with an active period within California 's justice community . The call for state planning in 1998 by LSC coincided with an active period within California 's justice community . entailment +, calculations , summarization , and reporting ) , program modifications , and data review and approval . A new system of data reporting was put in place . neutral +He was surrounded by a world of thick , ropy stalks of grass , and in the distance were trees that reminded him vaguely of similar structures on his native Arcturian world except that their lowest branches were high above what he would consider normal tree-tops . He was trying cut this way through the grass but it was too thick . neutral +Friesen examined the facial expressions of Japanese and American students as they watched stressful films . He was interested in observing the different reactions between the Japanese and American students . neutral +His voice soothed Adrin 's worry . Adrin worried about what was happening . entailment +In the face of forced conversions , the Protestant Huguenots ' many of them the most talented bankers , merchants , and artisans of their generation ' fled to Switzerland , Germany , Holland , England , and Scandinavia . The Protestant Huguenots felt safe and comfortable . contradictory +What comes through repeatedly is not just grievance but also the pride , vulnerability , and sometimes desperation of people who see their lives and daily predicaments as having been shaped by a cataclysm that occurred more than 130 years ago . Most of these people have little hope for the future . neutral +Worst of all , most of the lines that Reich attributes to Saxton--starting with where did you learn economics , Mr. Secretary ? Worst yet , most lines the Reich attributes to Saxton even though they aren 't Saxton 's- starting with economics , Mr Secretary ? neutral +Barney Frank , D-Mass . , are circulating a letter to colleagues that they will send to the president next week . Barney Frank wanted to pass legislature through to the president . neutral +Others may not promote referral and treatment . Others may not support referral and treatment entailment +Sunset Boulevard 's Sunset Plaza is another stretch of hip upmarket boutiques . The boutiques along Sunset Boulevard 's Sunset Plaza only sell gaudy and cheap items . contradictory +do you paint or anything like that Do you do stuff like painting or something like that ? entailment +In the absence of legitimate campaign issues , he predicts , this could become a relative biggie . If there are no campaign issues , he should win . entailment +Figure 3.5 shows that , as the nation 's capital stock eroded , future living standards-measured in terms of GDP per capita-inevitably would fall . Figure 3.5 shows that the nation 's capital stock erodes as future living stantards inevitably would fall . entailment +How the devil did they expect the slaves to put in sixteen hours of work without some kind of food ? They expected the slaves to work for sixteen hours without food . entailment +These include stone vessels , pottery , hammers and a potter 's wheel . Pottery and tools are among the items . entailment +The Association of Certified Fraud Examiners consists of approximately 25,000 certified fraud examiners and associated members in 70 different countries . The Association of Certified Fraud Examiners was set up with a broad set of goals . neutral +The tourist office in Delhi can provide information and permits for fishing in the Yamuna river and , similarly , the tourist office in Bangalore can be consulted if you wish to fish in the Cauvery river . There is fish office in Bangalore . contradictory +A seesaw to make a man dizzy , or maybe the vertigo he felt was the product of too much sun , dust , and riding . He had been riding for most of the hot , sunny day . neutral +um i don 't i don 't really know about that uh uh if well uh i think i think it 's it 's only it only applies to certain a very few types of crimes uh murder and i think kidnapping could carry death penalty as well i 'm not sure what how what the range is for uh for the crimes that uh would merit a death penalty I don 't agree with the death penalty . contradictory +( 1 ) focus on determining how one or more prototypesor incremental versions function to define the agency 's requirements and ( 2 ) determine how the system development methodology used by the agency controls the prototyping process . They focus on how to figure out which system development methodology is best for creating a new organization . neutral +population affected and the mortality risk facing that population are believed to affect the average willingness to pay ( WTP ) to reduce the risk . Willingness to pay will increase as mortality risk goes up . neutral +'Sure they are , ' Derry shrugged . Derry didn 't think they were like that . contradictory +last night we went out and people we were with she uh had fajitas and she had this pepper on the plate and maybe she thought it was a sweet pepper but it wasn 't and she ate it and i was wondering why her eyes were watering Her eyes started watering when she ate a hot pepper . entailment +Brazilians , for instance , with their mestizo consciousness and their many gradations of tipo , or type , behold with disdain our crude bifurcation of race . The people were disrespectful towards them . neutral +And , primarily because of the daunting scientific obstacles , woefully few companies have an aggressive AIDS-vaccine program . AIDS vaccine funding is at an all time low due to scientific challenges . neutral +In the case of Japan , there is a compelling intellectual case for a recovery strategy based on the deliberate creation of managed inflation . Implementation of deliberate managed inflation leads to better economic outcomes . neutral +Little horrible beasts with--with--I can 't describe it . I can 't describe the little beasts ' tentacles . neutral +oh okay because i grew up in North Hollywood California i went to UCLA and all that I was raised in North Hollywood and I attended UCLA . entailment +Both the NYT and WP report a major social change in France . A social change in France is happening due to inmigration policies . neutral +You look the sort of girl that 's mighty often getting fallen in love with ! " The girl looked wretched and no one found her attractive . contradictory +see he goes to a lot of games not a real lot but he tries to go then my father got us some tickets so my brother 's wife and my husband and i went last year we wanted to show my husband what a baseball game was because you know being a non American Because my husband isn 't an American , we wanted to bring him to a baseball game . entailment +Sir Walter Scott and Robert Adam are here , but you will also find individuals such as Neil Gow , a virtuoso fiddler of great renown in his own lifetime ( 1727 1807 ) . Notable figures are featured in the museum . neutral +As long ago as 1939 , Sir John Hicks , one of the founders of modern economics , noted that increasing returns , if tolerated , could lead to the wreckage of a large part of economic theory . ) Sir John Hicks is one of the founders of modern economics ; he has published many articles that are relevant to this day . neutral +Of another age , at once austere and serene , is the Giotto Crucifixion ( 1290 ) in the Sacristy ( left transept ) . The Giotto Crucifixion is well regarded as one of the greatest works of art . neutral +Along the banks , barbecues convert the sacrifices into lunch . The sacrifices are buried and thrown away . contradictory +Aside from the large U.S. budgetary commitment to the treaty 's enforcement--some $ 25 million a year--U.S. Other than the U.S. commitment of money to be spent on enforcement entailment +Still , there it is . It is still there . entailment +i like Italian food I like ravioli . neutral +but you know uh i i i don 't know about if you if they was like capital murder and then if they were married then what would you do if they were not married , you wouldn 't do anything ? contradictory +You have NOT used Pear 's soap , I see . Conrad growled threateningly . Conrad was angry that they had not bathed using Pear ' soap . neutral +In 1969 , Davis ventured into the lugubrious , brooding funk of Bitches Brew . The quintet was Davis ' last remarkable tango with jazz . Davis was a painter . contradictory +oh yeah oh Pittsburgh i lived there four years i i liked when i was a teenager and early twenties and i liked it there a lot people didn 't but i really enjoyed it I lived in Pittsburg in high school and college . neutral +Quite suddenly , everything came to a The rich and powerful left for England , and the city became a provincial capital in a state of long , slow decline . No one moved to England . contradictory +As a special prize , they received the longest novel published in the last three years , which had as much as 24 pages - ' In Search of a Lost Parenthesis ' by the R-syndicate writing quartet . The longest novel published in the last three years only had 24 pages . entailment +Montgomerie had a five-foot putt . Montgomerie was a good putter . neutral +Well , Bartolomé , what have you to say now ? Bartolome , don 't say a single world from now on . contradictory +In May every year , the Scottish International Children 's Festival holds arts , theater , and dance activities and performances especially for children aged 8 to 15 . The Scottish International Children 's Festival is held in June every year . contradictory +McCartney 's album occasions re-evaluations of the most mainstream Beatle--turns out he 's not the empty tunesmith he seemed in the ' 70s and ' 80s . McCartney isn 't the empty tunesmith he seemed to be back in the 70s and 80s during his Beatles days , as shown by his albums . entailment +The warlocks began to close ranks , falling back to make a stand under the jutting edge of the roof , where they could protect the orrery . There was not a warlock in sight . contradictory +That is why this Administration supports the development of new legislation that builds on the success of the market-based Acid Rain Program to reduce significantly the SO2 , NOx and mercury emissions from power generation . Active legislation regulate greenhouse gas emissions . entailment +well what are you going to do they 're they 're coming to the end of their season uh Now that the basketball season is over , what will you do ? neutral +As noted previously , the proposed rulemaking published on January 3 , 1996 , includes a Preliminary Regulatory Evaluation . The proposed rulemaking was published in the 1980s . contradictory +Dozens of tunnels led to deeper chambers and a few led to other exits . The tunnel went 100 feet into the ground . neutral +It was Japan that produced the world 's first transistor radio . The first transistor radio was produced by Japan . entailment +To remedy this situation , the Corps changed its processes by decentralizing its organizational structure and giving project managers new decisionmaking authority to help them achieve the desired outcomes . The situation was not good at first . neutral +His head ached badly ; also , he was hungry . The man was sore and wanting to eat something . entailment +there 's a lot of uh duplicity in the vehicles the way the build them too This helps save quite a bit of money . neutral +And most 3 ) An apology cuts off Starr 's investigations at the knees . The investigation was a farce . neutral +The best ceramic tiles ever produced in Turkey came from the kilns of Iznik , near Bursa , but these are now collector 's items . Ceramic tiles from Iznik are known to be of poor quality . contradictory +some memories Memory loss . contradictory +The new version of Microsoft 's Web browser , Internet Explorer 4.0 , due out next month , will allow ( but--Microphobes please note--not require ) automatic download of Slate . When it gets released next month , Internet Explorer 4.0 will allow automatic download of Slate . entailment +1 . Deputy Director Maxim Thorne says the plan would threaten innovative programs that have expanded the range of services offered , and won awards and broad community support . The Deputy Director won awards for his statements about the new plan . entailment +But he soon found that there were differences . He realized everything was the same . contradictory +you know i think it might be up to two hundred and fifty thousand it 's gotten big It 's only up to one hundred dollars sadly . contradictory +when when she 's going to be in prison for the rest of her life with no chance of parole what good does it do anybody and the taxpayers are going to be footing the bill for the rest of her life she 's a young young woman uh in her late twenties i guess so i just In my opinion , it 's good she 's being sent to prison for the rest of her life without parole . contradictory +Working toward such a lofty goal as a paralegal with the Lancaster A paralegal takes years of practice and education to earn a living . neutral +Boris , here , knows pretty ways of making people speak ! " Boris can make people talk . entailment +'That 's very generous of you . ' I 'd consider that generous . entailment +Lyon has a wealth of museums , among which the following are certainly worth a visit . Many of the museums in Lyon are free to enter on certain days of the year . neutral +i don 't think uh i don 't think the the uh problem about drugs is going to be safe any time soon i mean you know it it i think it pretty much got sidetracked with uh with the Panama and and with the Central Central you know Middle East problems things that that are important take precedent precedence over the drugs i think i think i think the big thing is trying to stop here on the home front and before you know it it 'll take a little bit of time before they 'll realize that this is failing so they 're going to have to go to the source I think the problem with drugs will be over very soon . contradictory +She smiled back and giggled . She thought he was incredible funny . neutral +Within the monarchies , thinkers took to the asceticism which has characterized spiritual life in India . The thinkers were inspired by the simplicity of spiritual life in India . neutral +On the next hilltop to the west is the Givat Ram campus of the Hebrew University ( 1954 ) , a sprawling collection of contemporary buildings constructed after the original campus on Mount Scopus became inaccessible in 1948 . The Mount Scopus campus became inaccessible because of war . neutral +It is interesting to see how warm he grew toward Alexander Hamilton ( he signed his letters I am Your Affectionate ) , and how awkward and self-conscious toward Jefferson , whose allies were berating Washington in such exaggerated and indecent terms as could scarcely be applied to a Nero ; a notorious defaulter ; or even to a common pick-pocket . He signed his letters towards Hamilton very lovingly . entailment +It is Coppola 's tragedy that he believes his best work is always ahead of him , yet keeps on making Rainmaker s . Rainmaker was a box office success but failed to please critics .. neutral +Whether eating , touring , or shopping , taking your time will always be rewarding . There is a wide array of options for eating , touring , or shopping . neutral +The factual record and the statutory scheme in which the language arises , on the other hand , provide an important context for consideration of the legal question of when an alien must be present in The record does not provide an important context . contradictory +at least yeah Completely contradictory +The others are those of his birth at Lumbini ( Nepal ) ; his first sermon at Sarnath ; and of his death at Kushinagar . Many who heard his first sermon knew that he would do great things . neutral +Susan looked at him and his heart sank . Susan didn 't even bother to look at him . contradictory +yeah uh either sinus problems or like i say colds or flu or whatever of course i don 't know that that 's really really weather related i think you know we just have have every once in a while have epidemics of The weather incluences the epidemics of colds or flu we have been experiencing . neutral +In fact , the cultural and economic lifestyles of more than 91.2 million county residents vary so enormously from area to area that visiting Los Angeles is like visiting half a dozen destinations at once . Los Angeles has residents in every socioeconomic demographic . entailment +that 'll teach them with a couple minutes huh They will probably forget the lesson . neutral +yeah well i 'm well i 'm definitely for it I am opposed to it on all levels . contradictory +Erlenborn , a former member of the U.S. Erlenborn was never in the US . contradictory +Scum ... some of ' em wearin ' blue coats , some gray , but they was all jus ' murderin ' outlaws . They dressed as women to fool their victims . contradictory +but yeah they they decided that that was enough camping for the weekend They were camping for two weeks prior to this weekend and wanted it to be enough . neutral +Clones start out life as babies . Armies are far easier to raise the old fashioned way--by recruiting or drafting naive young adults . Armies are the easiest to raise of you recruit or draft . entailment +Ultimately , adherence to the business case strengthens the ability to say no to pressures to accept high risks and unknowns . Adhering to the business case strengthens the ability to say no to high risks . entailment +'Emergency vent in progress . ' The emergency vent is being made to save humanity . neutral +This one incident reveals the Egyptians ' ultimate belief in achieving the victory of Good over Evil through conduct in day-to-day matters . Egyptians were evil people . contradictory +well me neither but but it just seems like that 's what it would be like It seems easy . contradictory +And until we recognize that , U.S.-China policy will be more fraught than it should be . U.S. and China have no policy . contradictory +It wasn 't long but it was as sharp as glass . It was a short blade . neutral +Nearly everyone agrees today that the Vietnam War was unwinnable and was needlessly prolonged so America could save face . Everyone says Vietnam could have been won . contradictory +Postal Service , which is not subject to the travel rules that apply to most federal agencies--said that the Service does not prohibit its employees from making personal use of the frequent flyer miles received on official travel . The postal service has the same travel rules . contradictory +It seems we can 't help ourselves . Looks like we solved the situation . contradictory +Why , if Isikoff 's so bad ? Why , if Isikoff 's so good ? contradictory +But evidently she 's in with them , or she wouldn 't have gone back . " Clearly , she is working with them , else she wouldn 't have gone back . entailment +and i think uh having listened to you relative to the economy thing i think if i were being forced to make a decision i would plead ignorance and wait to do more research before picking one of these so i 'm ultimately i guess i 'm ultimately in favor of status quo also I would choose to feign ignorance since I am happy with how things are going now . entailment +because we have so much to pay for now it 's going to be really passed on to your generation and maybe a few others We hvae to pay for a lot now . entailment +But such a step wouldn 't mean Alterman and his potential spouse 's taxes would go down much . If Alterman does this , it won 't affect their taxes much . entailment +" No , just lookin ' around . " Drew longed to ask some things himself , but hesitated . Drew wanted to ask things , but was afraid . entailment +BMW is the sole sponsor of an exhibition that includes BMW motorcycles , including a current model . There are several sponsors of the exhibit , BMW is just one of them . contradictory +A large portion of response-to-advertising mail involves a payment and is included in bill / payment mail . A large portion of mail involves a payment , so it 's included in bill / payment . entailment +Some critics call it his best album in years ( Tony Scherman , Entertainment Weekly ) . Others are bemused by Lanois ' addition of xylophones , organ , Caribbean rhythm , and atmospheric hoopla . Some feel it is his best album in years but others are bemused by it . entailment +Thus , violently , in August 1235 , both Christianity and the Catalonian language came to Ibiza to stay . The Catalonian language came peacefully to Ibiza in September 1335 . contradictory +Next door to the theater is The World of Beatrix Potter , an exhibition that provides a comprehensive introduction to the woman and her work . The exhibition entitled ' The World of Beatrix Potter ' is adjacent to the theatre . entailment +You 'll come acrosesuch things as old prints , old street signs , wooden water mains , coal-hole covers , and the original wax models of the river gods on the Custom House . You won 't come across things like old street signs or prints , this is not the place . contradictory +You were studying from one of those Download Degrees you get online ? They 're always riddled with error . You were studying in person ? contradictory +By a.d. 1300 they had erased the vestiges of a Marquesan outpost and developed a Hawaiian society of their own . By a.d. 1300 they already had a German society of their own . contradictory +The Mentadent pump is just like the monolith from 2001 , if the monolith were white instead of black and emitted a fluoride toothpaste instead of consciousness-altering rays . Mentadent is like the monolith pump . entailment +Jon and Susan ate breakfast . Jon and Susan had breakfast . entailment +The giant Batu Caves are a popular excursion 45 minutes ' drive north of town just off the Ipoh Road . The Batu Caves take a while to get to . neutral +The auditor can then measure the progress of the prototypes against the agency 's criteria . The auditor can then measure the progress of the prototypes of the prototypes against the agency 's criteria entailment +how to combat it i mean i don 't i don 't think uh ideally you know you need money to do everything so that 's one thing that You don 't need money to do things . contradictory +LOSS -Any expense or irrecoverable cost , often referred to as a form of nonrecurring charge , an expenditure from which no present or future benefit may be expected . A loss is an expense . entailment +What damaged the Los Angeles Times most after the initial revelations seeped out ( from an alternative weekly that didn 't exist 20 years ago , it 's worth noting ) was the beating it took from other big media . The Los Angeles Times faced most criticism from broadcast media . neutral +just doesn 't make sense That makes me angry . neutral +Women dressed in black chat outside their houses ; the men gather in shady squares to discuss the day 's news and play p ? ? tanque , or boules . Women wear black . entailment +As shown in figure 1.9 , Medicare 's HI trust fund faces cash deficits beginning in 2016 , and the trust fund will be depleted in 2029 . Figure 1.9 shows Medicare 's HI fund from 2003-2033 . neutral +oh they 're back together okay They 've split up , okay . contradictory +But these vouchers can 't be the kind conservatives prefer , which are sharply limited in value so as to forestall real integration while directing tenants toward private-sector slums . The housing vouchers , which go towards rent , are not something conservatives are fond of . neutral +Impossible ! broke simultaneously from both men . Both men broke at the same time as they fell , but only one of them manged to get back up . neutral +GAO anticipates that an agency will attempt to arrange for its personnel to be available for an entrance conference no later than 14 calendar days after receiving a request for a meeting . The agency is not expecting to have its personnel available for an entrance conference . contradictory +Talks will resume April 13 . Talks will not resume . contradictory +yeah yeah so i felt real good about that but uh boy i tell you with summer coming up i 'm just pulling my hair out in terms of what i 'm going to do i i guess i went back to work about a year and a half ago I have no idea what I am going to do this summer . neutral +Check weather conditions from the tourist information office in Funchal , then double-check at the pousada when you get there . The weather is always sunny so there 's no need to ever check the weather . contradictory +But so many of the cases we handle have to do with basic rights and a decent life . Many of the cases involve basic rights . entailment +i agree there There , I agree . entailment +The allocations of these three types of allowances , and the determination of the data used in making the allocations , will not be subject to judicial review . Judicial review will not be done on the allocations of these three types of allowances , said the lawyer . neutral +We 'll deal with Miss Jane Finn first . We 'll deal with Miss Jane Finn last . contradictory +yeah yeah you would think they would Most of the time they do . neutral +I can take him if you wish . I 'm not taking anyone anywhere . contradictory +I heard a big falling sound ... like he was being hurt . I heard a tiny little creaking sound . contradictory +But the date here , that 's from two weeks ago ? The trader in stratospheric emissions got upset . The date is from the day before contradictory +and so what what you know what we do to make contributions so that basically we go and do things like put in uh high-tech scrubber systems uh that uh scrub out the NOX and uh VOCs and and the ammonia compounds uh like all the acids uh to a certain level we are very um uh aware of the opacity which is the thickness of a stack emissions so if you don 't see anything coming out of a stack the opacity is zero or twenty or there abouts We make the contributions to do stuffs with the scrubber systems . entailment +( This isn 't to say Dole was pondering his wives ' relative fertility . ) Dole had three wives in his house . neutral +yeah well i 've never been in the situation of itemizing anyhow but uh I have been in a situation where itemizing is important . contradictory +In an interview with the Post after the Iowa showdown , Bradley again ducked the debate question , declining to lay all the cards out on the table just because Gore suddenly finds it convenient . Bradley was afraid to debate Gore . neutral +We also chart the critical consensus about books , movies , art , and music in Summary Judgment and spare you from having to watch the Sunday talk shows by offering you the gist in Pundit Central ( check in Sunday evening to prepare for Monday sessions at the water cooler ) . Check in weekly to prepare for next week 's sessions . neutral +GAO conducts its investigations-which involve allegations of serious wrongdoing that may involve potential violations of criminal law-and its testing of the security of agencies ' systems , controls , and property in accordance with standards established by the President 's Council on Integrity and Efficiency as adapted for GAO 's work . The GAO takes care of matters that have to do with criminal law . entailment +The most distinguished place for modern Irish crafts and jewelry is DesignYard on Essex Street in Temple Bar everything here is of high quality . The jewelry in DesignYard is often of poor quality . contradictory +On the Utility of Ethnographic Research for the Policy Process . Research for the policy neutral +Robert Woolard favored continuing intervention research in EDs . He did not want to continue research . contradictory +appropriate . It is appropriate . neutral +Duck through a low passage between two shops across the street to find the Til Mahadev Narayan Temple . The Til Mahadev Narayan Temple can be accessed through a low passageway . entailment +Sharing performance information also allows supervisors to provide clearer and more specific feedback to teams and front-line employees on their expectations , progress , and performance . Performance information does nothing to help employees improve . contradictory +In the 1990s , Congress enacted additional laws holding agencies accountable for effective management of public information resources . The additional laws enacted in the 1990s went largely disregarded by the agencies . neutral +As a result , the GAO issued new independence standards applicable to audits of federal departments and agencies and entities that receive federal funds , and the Sarbanes-Oxley legislation limited the ability of auditors of public companies to perform certain non-audit services for their audit clients . Resultant of this , the GAO issued independence standards which were applicable to audits of departments and agencies which receive federal funds . entailment +You will find all the paraphernalia of kilts , bagpipes , and ceremonial arms along with traditional Scottish food , whisky , and dancing . These are among the most well known facets of Scottish culture . neutral +The vast Mount Haleakala caldera towers over the island . Mount Haleakala is an extremely tiny mound on the east side of the island . contradictory +Barcelona and Granada possess greater architecture , and many Spanish cities have finer natural attributes . Wonderful architecture may also be found elsewhere in other Spanish cities . neutral +From Basse-Terre north , the leeward coast ( c ? ? te sous le vent ) has a few small beaches of black volcanic sand and some picturesque paraphernalia of the fishermen who favor these waters . The leeward coast has beaches of black volcanic sand . entailment +Kal nodded to Vrenna . The Kal nodding at Vrenna was the signal she was waiting for . neutral +It was just outside Varanasi that Buddha 's disciples gathered in the sixth century b.c. to hear his sermon at the Deer Park of Sarnath . Buddha gave a sermon at the Deer Park of Sarnath in the sixth century B.C. entailment +After Henri 's death , his widow , Catherine de M ? ? dicis , took Chenonceau for herself and added the galleried floors of ballrooms and reception halls that complete the bridge across the river . Henri 's wife occupied Chenonceau and remodeled it with galleried floors for ballrooms and reception halls . entailment +In the rain . Out in the elements . entailment +Given a reporter 's name , a Web-based information broker tracked down his base identifiers--Social Security number , birth date , and address--in five minutes . A person couldn 't find anything about the reporter . contradictory +You obviously come from a culture of even more superstition than ignorance . Your culture is ignorant . contradictory +'Hardly ever . ' All the time . contradictory +If you visit only one place on Jamaica outside your hotel , then this should be a place of fantastic natural beauty and flowing water that epitomizes the Arawak name for Jamaica , Xaymaca ( land of wood and water ) . The Arawak name for Jamaica is Xaymaca , which means land of wood and water . entailment +The rates vary greatly from 0.25 percent to 2.75 percent , depending on the bank you choose . Higher rates will be found in rural areas . neutral +yeah the perceived decline has to do with uh um the attitudes and the educational system uh i have children in in school i have three children in school right now and i 'm not impressed with the teachers that are teaching them uh i had when i was down in Dallas for two years i had uh my children come home from school with papers that were corrected by the teacher that had words spelled correctly marked wrong My three children had great teachers in Dallas . contradictory +If the assassins had won , the barrier to Fena Dim would open . The barrier to Fena Dim would have been overrun with people if the assassins had one . neutral +The waters around the coast are some of the clearest in the world and the depths are filled with amazing coral and many species of fish and other marine creatures . The corals have been in these coastal waters for millions of years . neutral +I have tired of this place , said the northerner . The person was tired of the spot . entailment +Dance is also staged at ZOA House , Daniel Frisch Street . Dance is not allowed in or anywhere near ZOA House , Daniel Frisch Street . contradictory +One relic redeems Drivers wanted for the gee-whiz GTI--and it may just get them . The gee-whiz GTI is a fancy new car model . neutral +The most easily accessible of them is Rumtek , built in 1968 after China drove the maroon-robed Tibetan monks of the Karmapa sect into exile . Rumtek was built in 1968 after China exiled Tibetan monks . entailment +they wound up paying him uh the officer of course was fired but they paid the defendant uh three hundred thousand dollars or something to drop the lawsuit and then last week someone shot and killed the former policeman so uh as some of those things uh are absolutely horrendous and we do need an all an overhaul and we just need more discipline country wide it would then we 'd need it on that yeah The officer was fired and the defendant was paid to drop the suit , but someone shot the policeman . entailment +Opposite , in the City de la Musique are the Mus ? ? e de la Musique and a giant concert hall , the Z ? ? nith . The Musee de la Musique houses some of the world 's oldest classical instruments . neutral +Bening plays a children 's book author plagued by dreams of little girls being lured away by a big , bad wolf in human form . Bening pretended to be the children 's book author in the play . entailment +The nearby towns of Montalcino ( known for its Brunello wines ) and Pienza ( the first example of Renaissance urban planning ) promise small-town distractions and culinary pleasures . There are only two small towns located nearby . neutral +You ought to be used to it by now waitin ' , I mean . You should be used to waiting by now , I mean . entailment +On Tuesday , the 17th July , you went , I believe , with another guest , to visit the dispensary at the Red Cross Hospital in Tadminster ? I know who it was that you went to the Red Cross Hospital dispensary with . neutral +The sombre bull-ring was hacked from solid rock for the Corrida . There is a bull-ring which was hacked from solid rock . entailment +so but uh of course my husband did everything except my brother 's a trim carpenter and he came in you know and did the inside for us and that helped and and uh yes and uh we had to hire course the plumbing and the brick and everything else nothing you know he did everything else My brother helped with the construction project . entailment +" Magnífico ! " Drew glanced over Shiloh 's back to the speaker . The speaker was remarking on Drew 's riding style . neutral +This is because we are in a range where the cost to mailers ( or their agents ) is approximately equal to that of the postal service . The postal service will have competition from us now . neutral +Some suggestions are Chompy 's in the Powerscourt Townhouse Centre , The Bistro for pizza and pasta in Castle Market , Fitzer 's cafes , and the Coffee Dock Grill in Jury 's Hotel , Ballsbridge , which provides a special menu just for children . The Coffee Dock Grill in Jury 's Hotel , Ballsbridge , provides a special menu just for children . entailment +How much longer can it be before agencies decide that operating on a free-lance basis is simply more efficient ? Agencies are never going to decide that operating on a free-lance basis is more efficient . contradictory +There is , however , some indirect evidence of inefficiencies in the Postal Service . The postal service has many faults neutral +yeah has Herschel Walker done much for them They have no connection to Herschel Walker . contradictory +This idyllic spot is as far as you should attempt to drive the tropical track ahead will defeat most vehicles . You should drive all the way until you get there . contradictory +1 This chapter identifies the AICPA generally accepted reporting standards and prescribes for financial audits conducted in accordance with GAGAS additional reporting standards on This chapter will not talk about AICPA standards . contradictory +Parliamentary elections are scheduled for early January , and HDZ is trailing the less nationalistic opposition in the polls . HDZ has called for the expulsion of all foreigners in the country . neutral +has to be uh just uh beat your head against the wall of frustration you know You weep from happiness . contradictory +And , of course , he said , demonstrate the facts with cold , hard evidence . He shows evidence of the visibility changes . neutral +The magic of Disney comes to life in its themed lands , each of which offers rides and other entertainments . Disneyland theme parks bring their movies to life with their many different forms of themed entertainment . entailment +Based on the above , the FCC concluded that for the purpose of the final regulatory flexibility analysis , all cellular licensees are small businesses as defined by the SBA . The FCC has not come to any conclusions . contradictory +as long as you want to and just you know a reasonable lengthy conversation now uh do you work for Texas Instruments uh The conversation needs to be somewhat long , as long as you would want it to be . entailment +yeah like yeah and then they turned around and called them junkyards and started making profits off them after the war They started making profits off of junkyards after the war . entailment +It was to have served as a museum of natural history , but after some eventful delays ( Napoleon 's invasion badly damaged the building ) , its mission was diverted to art , and the royal museum of painting was inaugurated in 1819 . It was initially planned to be a different type of museum but eventual became an art museum . entailment +These boxes are less expensive to serve than if they were spread out along the intersecting road . If they were spread along the road , they 'd be more expensive to serve . entailment +In that event , FASAB staff will provide written copies of the request to the Board members . The Board members would be receiving written copies of the request from FASAB members . entailment +The automobile manufacturers regulated by the rule do not qualify as small entities within the meaning of the Regulatory Flexibility Act . Car manufacturers were regulated by the rule and are considered small entities . contradictory +Always I hear that name . I have heard that name many times . entailment +The ratio of total debt payments to total income is a common measure of a household 's debt burden . The ratio of total debt payments to total income isn 't considered when measuring a household 's debt burden . contradictory +Numerous studies show that there is no association between music and suicide . According to numerous studies , music and suicide have little to no correlation . entailment +It was later used as the ceremonial and legislative chamber . The community gathered in the room on festive occasions . neutral +yeah yeah i watched that cause he was cute I didn 't watch that because I did not think he was so cute . contradictory +The most unavoidable building on the plaza is the cathedral-like Palacio de Comunicaciones , teasingly nicknamed Nuestra Senora de las Comunicaciones ( Our Lady of Communications ) . The Palacio de Comunicaciones has no other names . contradictory +Although a large part of the chateau complex is no longer standing , it remains an impressive site . The sheer size of the chateau complex remains impressive , even as a ruin . neutral +you know and that would be all if we could just do the same thing sort of with with with everybody else i suspect we 'd we 'd be fine If we just treated everyone the same we would be okay . entailment +One answer is that the speed with which sexy-sounding scientific ideas get picked up by popular culture is getting alarmingly from Physical Review Letters to the latest best seller by Tom Peters almost before you know it . Popular culture is drawn to science books more than anything else . neutral +She brought a record player , we brought our 45s ( my contribution was Rock Around the Clock ) , and two dozen 11- and 12-year-olds danced for two hours ! We brought the record player and she had the 45s . contradictory +With the global economy showing signs of coming apart at the seams , it is truly disappointing that the leaders of the two countries who ought to be co-operating to prevent a worldwide crisis are having to struggle for their own political lives , it said . There indications that the global economy may be falling apart . entailment +The centuries-old conflict over whether Epcot is the vacation capital for Israel or Palestine . They wanted to claim it as their own . neutral +that 's kind of kind of rough when you got to fight snakes off when your sleeping The rate of snake attacks had increased that year tenfold . neutral +An initial Notice of Proposed Rulemaking was published in the Federal Register on December 8 , 1994 ( 59 Fed . The notice of rulemaking was published . entailment +so i i predominantly wear flat shoes um you know in the winter i wear sweaters in the summer i you know i like one piece dresses short sleeves things like that I predominately wear high heeled shoes . contradictory +The Save the Unified Surpluses simulation assumes the entire unified surpluses are saved and used to reduce federal debt held by the public . The unified surplusses simulation assumes the entire surpluses are saved to reduce debt entailment +now why was you know dumb Why were you so dumb ? entailment +Consecrated in 1908 , the church is a handsome Neo-Romanesque structure with a relatively small , bright , modern interior . The church was consecrated in 1998 , making it the newest church in the city . contradictory +In an editorial Friday , the Daily Telegraph , a conservative paper , made fun of a splendid correction published in the liberal Guardian the day before . The Daily Telegraph is a daily paper . neutral +Then he saw Shannon jerk away from that aid , walking stiffly toward Casa Grande while Rennie stood for an instant looking after the younger man before following him . Rennie stayed put and continued to look after the younger man . contradictory +i do uh i know where my father works he he works for a government contractor also and uh uh i believe any time you have a D O uh Department of Defense contract you have to have the drug testing and uh you know like uh uh athletes are starting to uh to test them for drugs so i i beli eve that it should be you know uh widespread and uh My dad owns his own business . contradictory +There were stands grilling legs of swine and oxen bellies over beds of charcoal . People were grilling meat and serving it . neutral +Hillary 's rage that night was surely one of the most authentic sights ever shown on television , prompting the thought that , unlike the absurd Linda Tripp , both Clintons really are us , in our various phases--and incidentally that Hillary may be the only first lady in my lifetime ( which goes back a bit ) that one can even imagine being friends with . Although it was unbecoming politically , Hillary 's outrage made her seem relatable to a lot of women . neutral +If asked to participate in press briefings sponsored by requester ( s ) , GAO will provide support if the press briefing is held in Washington , D.C. GAO will support the CDC . neutral +and i think uh having listened to you relative to the economy thing i think if i were being forced to make a decision i would plead ignorance and wait to do more research before picking one of these so i 'm ultimately i guess i 'm ultimately in favor of status quo also I would love to choose my position right now and don 't need any further research to back up my choice . contradictory +You 're quite safe . " Her breath came more normally , and the colour was returning to her cheeks . She started recovering from the mild shock she had gone through . neutral +When that happens , Democrats will be bound to escalate the confirmation battle once more , to settle their score with Hatch . When it happens , the Democrats will make the confirmation battle their first priority so that they can get even with Hatch . neutral +Fool that I was not to have thought of this possibility before , and what a relief for us all . I was a fool for nothing thinking of this possibility earlier . entailment +Based on experience in Germany in response to a compliance directive , a significant quantity of SO2 and NOX control installations were performed within outage periods consisting of less than four weeks . Germany has the shortest outage periods reported stemming from control installations . neutral +It houses a wide selection of shops and stalls as well as a pub and restaurant on the top floor . There are only a few shops within it . contradictory +However in 1356 1339 b.c. a new Pharaoh , Amenophis IV , decided to leave Thebes and , with his wife Nefertiti , created a new capital on a virgin site at Tell El Amarna to the north . Amenophis IV was the new Pharaoh . entailment +After two highly acclaimed story collections , this young Mozart of Jewish fiction ( Judith Dunford , Newsday ) has written a warm , subtle , understated novel about the daily lives of a group of Orthodox Jews who summer in a small town in the Catskills . Judith Dunford is a struggling author who has yet to be recognized in a positive way . contradictory +you do that yourself You 'll feel proud of yourself for doing it by yourself . neutral +Every national animal protection organization in the country--representing more than 10 million Americans , and all of which have asked Vice President Al Gore to re-examine the program--would beg to differ . Every national protection organization in the country agrees a 100 percent . contradictory +Is that so , mon ami ? " Mon ami , is it untrue ? contradictory +Down in the lowland forests there are several national parks , including the popular Royal Chitwan National Park , where rhinos , tigers , elephants , deer , and hundreds of species of birds can be spotted . The Royal Chitwan Park was the first national park in the country . neutral +right when it just as soon as it stops freezing Before it stops freezing . contradictory +having a larger variety of benefits but here 's the amount that that TI is going to pay for it now it 's up to you it 's menu selection so to speak TI offers an overwhelming variety of benefits but the amount won 't cover most of them . neutral +Prices are generally fixed , except in markets . All prices are fixed , even in markets . contradictory +He didn 't-- " Her voice died away as she ran toward the clearing . She sprinted to the clearing to see what was going on . neutral +Over the next century , the Venetians greatly strengthened the fortifications , but Chania and Rethymnon fell in 1645 . The Venetians gave up and stopped trying to improve their fortifications . contradictory +More intriguing than Intel 's success , though , is the continued market domination of companies like Gillette and Campbell 's soup . Campbell 's Soup is struggling to survive in the market . contradictory +Legal Aid provides noncriminal legal assistance to the poor in areas such as family law , consumer fraud , housing evictions and foreclosures . The poor may get help with things like family law or housing evictions . entailment +The gardens are being extended in a massive $ 200 million project designed to include even more magnificent hanging gardens . The number of hanging gardens has a good chance of increasing . entailment +without any kind of reason to it . They must be disappointed in you for you to do such a thing . neutral +Nora now sits in an ominous stillness . Nora is moving a lot contradictory +I strolled to the window , and saw at once that the begonia beds had been newly planted . I walked to the window and looked out . entailment +A small bay bounding the north side of town has Venetian balconies overhanging the water . The small bay is only one mile wide . neutral +and i you know i walk i don 't ride so you know i get a little exercise there too so I 'm too lazy to walk so I have my son drive me over there . contradictory +And I think , earlier this year , of Serbia , where the bones of Prince Lazar , the martyr of the battle against the Turks in 1389 , have become hallowed in history and whose legends were written down by church scribes and canonized in cycles of folk poetry . The 1389 battle against the Turks has been canonized in folk poetry , among others . entailment +The British lived along the waterfront in Victoria ( now Central ) and on the cooler slopes of Victoria Peak . The British lived in Victoria and weren 't allowed to leave . neutral +The use of these procedures regarding rules pertaining to the promulgation or revision of regulations and test procedures for new motor vehicles or engines is mandated by section 307 ( d ) ( 1 ) ( K ) of the Clean Air Act . The Clean Air Act has mandates for newer motor vehicles and their engines . entailment +Here Pollock 's camouflage palette , as Varnedoe notes , gives way to carnival . Pollock uses the camouflage palette in most of his works . neutral +The Romans completed the temple in a.d. 60 and as you explore the interior you can see the cartouches of Roman emperors on the walls . The Roman temples are full of the names of the Roman Empires , written in hieroglyphic . neutral +The square 's grand , spacious effect is completed to the north by an arc de triomphe ( dedicated to Louis XV ) at the entrance to the long Place de la Carriyre ' also graced by 18th-century mansions and Jean Lamour 's iron grilles . The arc de triomphe was dedicated to Louis XV . entailment +His will decreed the house never to be sold , ensuring the mansion 's future , even as other residences fell into disrepair and demolition , often to be replaced by skyscrapers . Other mansions were replaced by skyscrapers . entailment +Budget cuts have eliminated sports programs in many urban schools . The mayor raised the budget for sports programs so all of the schools in the city have them now . contradictory +After 30 years of experience in regulating air pollution , America has proved that there is a better way to accomplish our clean air goals . Better methods of combating air pollution were found with experience . entailment +The train itself is relatively old , and only just in service . The train certainly isn 't new . entailment +From here a flight of 207 stone steps takes you up through a wonderful forest of cedars to Ieyasu Tokugawa 's tomb . There is a cedar forest in front of Ieyasu Tokugawa 's tomb . entailment +Evidence that France is far from being a country of hidebound highbrows is the fact that the Marne Valley , east of Paris , was selected for Europe 's first Disneyland . Germany and Britain were passed over in the selection for Europe 's first Disneyland . neutral +Probably water off a duck 's back , though . It was abig deal . contradictory +oh well good good you have a little time think about that i guess i i have uh when i was teaching school i saw many kids so many kids that were at loose ends The kids were all terrible . neutral +Maybe they 're too small for a circus . They are too big for a circus . contradictory +well i i have a a Computer Information Systems degree from school and i 've been at it awhile so you know you just kind of learn the tricks of the trade and I really enjoyed the subject matter of my degree . neutral +Why couldn 't he just be ' Irving Goldberg ' ? Why couldn 't he be Sterling Shepherd ? contradictory +The two men had undoubtedly come from the second floor flat , and that one slender thread of the name " Rita " had set the Young Adventurers once more upon the track of the abductors of Jane Finn . The Young Adventurers were searching for someone who kidnapped a lady . entailment +And that is ? And what is that ? entailment +oh sure um-hum how much would uh something like that cost in the garage Alright sounds good how much would something similar to that cost ? entailment +possibly most , of these individuals with these problems would have no other source of legal assistance . People with problems would likely have no legal help . entailment +That would be relinquishing a dream . That would mean letting go of a dream . entailment +a ring at all oh huh that 's an idea A ring isn 't necessarily the end of the world . neutral +They are worn very high at present . Presently they 're worn low . contradictory +He saw himself draw his pistol and shoot Ca 'daan in the face . He drew his pistol and shot Ca 'daan in the face . entailment +yep yeah that 's true Yes , that 's correct . entailment +The world is not now in depression , nor is a full-scale replay of the 1930s likely . The depression of the 1970s is the same as now . neutral +Red Rock Canyon just 20 minutes from the Strip , boasts some of the best rock climbing in the western United States . Red Rock Canyon is good for flat hiking . contradictory +Ah ! Poirot studied her seriously . Poirot looked at her for a long time . entailment +so that that 's kind of been the way i 've done things is to get things that are new and then keep them forever I always buy used things then keep them resell them later . contradictory +and oh yeah if you put nursing home and that 's another thing i you know you got to find a good nursing home is very hard to find because the people don 't care most of them don 't care some of them do care the work that you know the the nurse aide that what the problem is i think it 's the nurses ' aide they don 't pay them enough to keep them there and to do the things that they need to do It 's hard to find a good nursing home . entailment +The pistol never left her forehead . The pistol was aimed at her forehead from a distance . neutral +Most people take the regular flights from Aswan to Abu Simbel 'around 50 minutes 'but the four-hour overland route offers a fascinating insight into life away from the big tourist towns of Egypt if you have more time . Most people fly from Aswan to Abu Simbel . entailment +Courts have rules that clients don 't always understand . Courts have rules that can be hard to understand , so LSC helps explain them . neutral +The upward leaping orchestral figure anticipates the word , top , but the sung line does not , and at the punchline , But if Baby I 'm the bottom , / You 're the top , both Billy and Reno ( I 'm and You 're ) share a melodic line at the top of their respective ranges . Billy and Reno both sang at the bottom of their respective ranges . contradictory +yeah because you kind of even even a cat you never know when they might bite or scratch or something there not as likely to as a dog might i guess but Cats are always sweet animals . contradictory +oh yes yes i remember reading about that thinking uh i would have just strangled them I read about it and I thought that I would have had to strangle ' em . entailment +Residents of Ios will tell you that an ancient tomb in the north of the island is that of Homer , author of The Odyssey and The Iliad . It is only a rumour that Homer was buried in the ancient tomb to the north . neutral +Penn and the DLC have been peddling the theory that Clinton did better than congressional Democrats in 1996 because he was less liberal . The theory that Clinton did better because he was less liberal is believed by lots of people . neutral +well i don 't know but uh i 'm twenty two years old and i think it would be uh it 's not a good choice to do that i mean you have uh everything here you know like uh the Army and everything else is all all voluntary and that 's the way you 're going to dedicate yourself I am turning twenty this year in December . contradictory +i uh i don 't think anyone would miss him either He is not an important member of society . neutral +LSC had long noted that grantee programs provide referrals and community legal education , that they engage in outreach , and that they work cooperatively with other groups to address the needs of the low income community . LSC noted that grantee programs provide referals and legal education , engage in outreach , and work with groups to help needy low income communities like Detroit and Flint Michigan . neutral +The effect of the restriction , however , is to prohibit advice or argumentation that existing welfare laws are unconstitutional or unlawful . The restriction prevents any arguments that label welfare as unlawful . entailment +yeah Texas participation in the Civil War was uh minor at uh Texas participation in the Civil War was minor at the eastern side . neutral +In the liquid state , it was jet black , though it cooled back to complete transparency . It was jet black until cooled . entailment +Japan is notoriously expensive , so don 't expect fabulous bargains . Japan is known for being quite expensive and not budget friendly . entailment +when we do get together and and the two families do get together it 's usually a wedding or or uh or a uh anniversary uh my wife 's uh grandparents are still living and on one side both both are living and on the other side the grandmother is still living so um we do uh occasional get together usually in New Hampshire We go for years at a time without seeing our families . contradictory +The Travel Tips section at the back of the book gives detailed practical guidance on the technicalities of travel through Italy , but here are some general thoughts to help you plan your trip . The Travel Tips give little detail to practical guidance on the technicalities of travel . contradictory +To hack away at the mayor 's reputation , Messinger has recently taken to issuing press releases with headlines like He Just Keeps Lying ... The headlines of Messinger 's press releases were intended to show the mayor in a good light . contradictory +year you know the people have a right to know except about what it about what concerns them You should know what to expect . entailment +Officials of the agency or entity under review are aware of evaluations of their computer data or systems and usually can direct you to both . Agency officials are aware they are being evaluated weekly . neutral +yes yes sir legally legally cut money on your taxes and on your uh insurance and then he tells you how to invest that money in order to uh uh you know be wealthier uh he also has a new book out that i purchased right before i moved and haven 't had a chance to uh crack it open yet um Financial Self Defense i believe is the name of it uh the man uh has a lot of good ideas some of them i already knew about some of them i had already practiced but i suggest it to anyone who wants to be better off financially to read it because uh He suggests some illegal means of saving money . contradictory +do you oh yes that 's a good program uh-huh You do ? I heard that is a good program . entailment +The Unjust Clinton 's moral theory , point by point , as expressed in his testimony . The Unjust Clinton 's moral theory was never touched upon in his testimony . contradictory +For some , the climb is an act of the mountain is revered as the abode of Japan 's ancestral gods . For some , the home of Chinese gods is the mountain . contradictory +The visibility levels in these photographs were later converted to deciviews for the current analysis . Converting the visibility levels in the photographs to deciviews made it easier to analyze them in depth . neutral +In all those words about the three different votes , one word I didn 't hear was the word ' mistake . I felt that in all of those words was a naked attempt to save face instead of being honest . neutral +Raves for this London import , directed by Howard Davies and starring Kevin Spacey . It is directed by Kevin Spacey . contradictory +And the consistency principle gives a complete explanation for each example , in the sense that , in each case , only one consistent solution is possible , and we can imagine that the rabbis kept trying until they found it . The consistency principle means that only one solution can be correct . entailment +Ripley 's Believe It or Not ! offers lightweight entertainment , starting with the Tyrannosaurus rex towering above the entrance ( 6780 Hollywood Boulevard at Highland Avenue ) . All the Ripley 's Believe It or Not ! buildings feature a dinosaur out front . neutral +This was getting close . The race was getting close . neutral +However , the final rule does impose a mandate that may result in the expenditure of $ 100 million or more in any one year on the private sector . The rule does impose a mandate that may result in expenditure of $ 100 million or more in any year on the private sector . entailment +During last month 's State of the Union address , every member of Congress , Republican and Democratic , rose repeatedly to give Clinton standing ovations . During last month 's State of the Union address , no members of the Congress ever rose to give Clinton standing ovations . contradictory +Projections based on intermediate assumptions of the 2001 OASDI Trustees ' Report . Projections are based on the trustees ' report . entailment +that 's true and i did pay state tax in in California but my goodness that that the what do you call it sales tax is just getting outrageous to pay I can still afford sales tax in California . neutral +It 's worth taking a day 's drive or a few days of walking to seek them out . It 's not worth taking a day 's drive to seek them out . contradictory +Are you insulting me ? Are you insulting me ? entailment +Visitors entering the temple are confronted by a dense pall of smoke from all the burning joss sticks and the incense coils hanging from the ceiling ( these will burn for as long as a month ) . The creators of the smoke can be found sitting on the ground . contradictory +Gore 's fighter / scholar distinction has taken root because there 's a lot of truth to it . There is truth to Gores persona as he has shown those qualities . entailment +Natalia just shrugged . Natalia shrugged in disappointment . neutral +sometime you can but on some things it 's you 're just stuck and you got to have it towed somewhere or something you just got to got to got to got to make a quick decision i don 't know i don 't trust a lot of people who work on your cars too i know this one guy that works for dealerships as a at dealerships they replace things they don 't fix I don 't trust many dealership mechanics because they often just replace parts instead of fixing them . entailment +uh i found one thing that it 's kind of a weird thing to say to put out in the lawn but every time i 've done it it 's got it it drives the fleas completely out of the area Everytime I do it all the fleas leave the area . entailment +it it still took a few hours even with the riding mower The riding mower is the slowest way to do it . contradictory +yeah my mother still lives in Lubbock and we talked to her the other day and they said Friday they had or Thursday or Friday they had a you know one of the world class sandstorms out there that happens every once in a while hadn 't had one like that in a couple of years My mother has lived in Lubbock her entire life . neutral +In 1996 , a Republican-controlled Congress prohibited lawyers receiving federal funding - the mainstay of nearly all poverty law offices - from engaging in class-action lawsuits and matters involving abortion , illegal immigration or challenges to reduced welfare benefits inaugurated by President Clinton and some other Democrats . In 1996 , Congress said lawyers cannot receive federal funding . entailment +Even Sersa Garm was more useful . Sersa Garm was useless . contradictory +The Tight-Lipped Republicans are not to be confused with the Moderates , who may not vote for conviction . Moderates and Republicans have exactly the same ideals . contradictory +Your pink slip is waiting at the reception . You are getting a raise . contradictory +yeah i i agree with that I disagree . contradictory +( Gene R. Nichol is dean and Burton Craige professor of law at the UNC School of Law . ) Gene R. Nichol has never been a name of a dean there . contradictory +um-hum um-hum um-hum i think that 's the beauty of the game that we it 's it 's a sport that we can participate in as we sink into the sunset so to speak and of course here in Indiana the weather limits us I think that 's what is great about the game , you just don 't know what will happen ! neutral +And Ginsberg was noted for unleashing many of his more notable works in marathon sessions under the influence of controlled substances , while Podhoretz 's work diverged so far from the liberal mainstream that one could argue it could only have emerged using similar means . Podhoretz 's writing was so radical in form that it is not unlikely that he used illegal substances to find inspiration . neutral +They are perhaps the most photographed symbol of Delos , and are believed to date from the seventh century b.c. The symbol of Delos is very old . neutral +i always told my dad when i was a kid and he made me do it i said i can 't wait until i 'm old enough so i don 't have to do this anymore I didn 't know my father growing up . contradictory +We followed him in , and he shut the door after us . We held our ground , and he tried to force us in . contradictory +LSC is very concerned about the law school debt burden that graduates carry . LSC doesn 't want students tobe in debt neutral +it 's it 's it 's a whole monopoly that needs to be broken up that 's for sure it doesn 't it 's they have far too much influence over there and they 're so unstable that it makes it hard for um it it makes it hard for us to deal with them i have that same problem at work I love the game of Monopoly but that damn park place is too influential . contradictory +One recurring image in anti-cloning propaganda is of some evil dictator raising an army of cloned warriors . Anti-cloning propaganda always features the image of an evil dictator raising an army of cloned warriors . entailment +5 million represents the establishment of design controls for new products . There are design controls for new products , like safety regulations . neutral +But Szwed overlooks a crucial distinction between Sun Ra and his forebears . Sun Ra 's forebears were tougher than Sun Ra was . neutral +Commentators dismissed him as a pampered wimp who jerked around both the military and the taxpayer . Commentators said he had treated the public badly by making them pay for the war . neutral +Well , that wasn 't any manner of good to me , but just as I was going to give it up , and climb down ignominiously , some one inside moved and threw his shadow on my little bit of wall and , by gum , it was Whittington ! I saw the shadow of Whittington on the wall . entailment +uh i was thinking about whether or not we should have people uh be required to do service public service for a year or two and i was thinking that you needed to put some waivers in there for the handicapped and also for people that had to stay home and maybe be wage earners for their family The handicapped would need to be excused from public service . entailment +The second most charming and lively of the coast 's resorts , Amalfi was once a powerful rival to the maritime republics of Pisa and Genoa , with trading posts in the 10th and 11th centuries in Palestine , Egypt , Cyprus , Byzantium , and Tunis . Amalfi contains resorts that are regarded as being both charming and rife with activity . entailment +okay well i guess i can tell you that tonight is Murphy Brown that 's the one i don 't miss and i don 't know if you 've seen that that 's with Candace Bergen I never watch television . contradictory +For example , web visitor survey data from Pinetree Legal Services in Maine indicates that two-thirds of its site visitors are low income people or persons seeking information on behalf of low income people . Most of the visitors to the site are high income people . contradictory +oh i 've seen that yes I saw that already back in the library . neutral +Henry M. Greenberg , a partner in the Albany , N.Y. , firm Couch White who previously served 14 years in state government , was made chair of a standing state bar committee assigned to work with the Bar Foundation to put the plan into operation . Henry M. Greenberg had previously served in state government for 14 years . entailment +However , the achievement did not greatly impress his fellow mathematicians . His achievement didn 't impress his colleagues . entailment +okay but i you know so they allotted for you know things like that like you know people didn 't know they were being tested well you might have had a drink last night you know and that would show up too The people that were tested all had a drink last night . neutral +Congress changed the qualifications for In-county rates in 1986 . Congress controls the qualifications for in-county rates . entailment +The fundamental concepts provide the underlying framework for designing and applying the standards . The standards were designed mostly at random without any underlying vision . contradictory +oh i don 't even know i have no clue I know that . contradictory +In addition to an interest in the program , potential users may have an ability to influence the conduct of the program . Users can have an influence the conduct of the program . entailment +and less than that in local elections and do you think that 's a problem and do you have any or do we can we can come come up with any solutions for that so if you 're ready we 'll start Is that something you would like to work on fixing with your local government ? neutral +As long as there is an appropriation , these programs do not put the Postal Service at a competitive disadvantage . If the funds continue to be made available to the Postal Service in the near future , these schemes will not have an affect on competitiveness . neutral +oh no you 've talked enough oh oh well it 's been fun this is my first time to do it I need you to talk to me a bit more . contradictory +After FDA evaluates the comments received , makes any revisions , and receives final OMB approval for the information collection , FDA will announce in the Federal Register that approval and the effective date of the part of the regulations that relate to the information collection . OMB it took longer than the FDA expected to approve the Collection . neutral +The majority of shops and department stores are open from 9am to 7pm Tuesday to Saturday . Most shops and department stores are not open on Mondays or Sundays . entailment +they 're like a a water bug of sorts i don 't know what they 're called them yeah yeah yeah when when you touch them they roll up The bugs are protecting themselves from threat . neutral +It draws sidelong glances and playground taunts , and it may give the adopted child an identity crisis . Dressing the kid weirdly makes him suffer . neutral +critical and noncritical performance objective . Performance objectives cannot be critical nor noncritical . contradictory +The Moat House ? The Moat House is haunted and nobody goes there . neutral +When asked if she believes Juanita Broaddrick 's allegations , Lewinsky opines that it was a mutually consensual but unpleasant encounter for Twenty years ago , women were not apt to say no . Monica Lewinsky believes that Juanita Broaddrick could be telling the truth . neutral +In the early stages of her career , Evita was fleshier and raunchier and blended better with Madonna 's present persona . Evita , earlier in her career , blended well with Madonna 's present persona . entailment +Using actual labor costs , the city cost per box per day is 7.5 percent higher . Relying on the labor costs is where the percentage number comes from . neutral +Volume II presents the standards alphabetized by topic , pulls together all references to a particular topic in one section , and integrates illustrative material from both the SFFASs and the original Exposures Drafts wherever possible . Volume II presents the methods of crime not yet known to the public , as well as how to protect yourself from them . contradictory +But laws pertaining to child-rearing are surprisingly marriage-neutral . Laws about raising children are oppressive . neutral +If you can afford the bullet train just once , this is your chance , as in one exhilarating sweep you pass through almost all the major cities of Central and Western Honshu on the way . The bullet train will go through Central and Western Honshu . entailment +The rule was determined to be an economically significant regulatory action under Executive Order No . The Executive order comes from the President of The United States of America . neutral +At a higher price , too many customers would walk away . Too many customers walk away from a high price entailment +But do you think as they 've done her in , sir ? " But do you think they have finished her off ? entailment +but when you 're only at living wage it doesn 't matter It 's not important when you 're only at a living wage . entailment +Roughly 10 to 15 percent of the city 's residents are of British descent , making up , perhaps , the largest British community outside the UK . This area might consist of the largest British community outside of England . entailment +You do not object ? He shouldn 't he okay with it . neutral +Editorialists applauded his candor but dismissed him as timid and naive . They didn 't applaud him but respected him . contradictory +Its outdoor tables are a perfect vantage point for admiring the gracefully curving piazza , an exemplary piece of open-air urban theater designed in 1816 by Giuseppe Valadier , architect to Napoleon . The piazza is an open-air urban theater designed in 2004 . contradictory +Most of the churches on Ibiza are worth a visit for their architectural , scenic , or historical merits . Some of the churches in Ibiza are over 1,000 years old . neutral +Mr. Casellas received a Bachelor of Arts degree from Yale University and his Juris Doctor from the University of Pennsylvania School of Law . Mr. Casellas completed his Juris Doctor in only three years , as opposed to the usual five . neutral +right yeah there 's a lot of crazies out there that can just go in and buy a gun because they don 't really ask a lot of questions when you walk into those stores Crazy people are always stopped from buying guns . contradictory +Other Executive Orders and Statutes Statutes and executive orders . entailment +This mythology of Serbian goodness paid off during Serbia 's Croatia and Bosnia wars . Serbia was crushed to pieces during the war . neutral +The CIOs interviewed considered these principles instrumental because they address critical organizational and operational aspects of the CIOas role . The CIOs we talked to did not think these principles were important . contradictory +It takes some six weeks to complete the construction of what is considered to be a precision instrument . It can take weeks for craftsmen to carve it . neutral +You say two faces were familiar to you ? You are not familiar with the faces ? contradictory +In each of these dimensions , DOT 's docket management system appeared to allow substantial public access and utility . Dot 's docket management system appeared to allow substantial public access entailment +Lower Fitzwilliam Street , at the southeast corner of Merrion Square , houses the offices of the Electricity Supply Board . Lower Fitzwilliam Street also houses the Water Supply Board offices . neutral +Mr. Beresford ? I do not know of any men . contradictory +Workers are considered disabled if they have severe physical or mental conditions that prevent them from engaging in substantial gainful activity . A worker must have severe mental or physical pain to be considered disabled . entailment +Opposite is a seconds shop with greatly reduced prices . There is another store across the street with cheap prices . entailment +and generally it 's held in the summer and we have it in the state park which has worked out pretty well uh over by Clifton Forge We always have it in December . contradictory +For children too young to dive or snorkel , take glass-bottom boat rides or the Aquascope submarine to get an excellent view of the marine life . Glass bottom boat rides are perfect for children too young to dive . entailment +Nothing happened . Nothing occurred . entailment +Explain yourself . Explain what you mean . entailment +Jon saw Gauve in consult with the other elders . Gauve was consulting with the other elders . entailment +Jesse Helms opposes granting China permanent MFN status , calling it a reward for bad behavior . China 's MFN status has been kept back by the other members . neutral +and the only opposition to it really was that it was you know starting starting some sort of a military elitist type you know special corps of cadre of people that sort of thing and uh when the politics get real confusing A special corps of cadre is totally out of the question but opponents believe it could happen . neutral +if it could i mean if they can come along and prove that French fries were the same deal then they have a right to charge for that too i guess They can just charge for it , even without any proof that fries are unhealthy . contradictory +the winged Victory of Samothrace and the beautifully proportioned Venus de Milo . The Venus de Milo was not beautifully proportioned . contradictory +After the identification of significant internal fraud , New Zealand 's Inland Revenue Department ( IRD ) created the position of National Advisor , Fraud Prevention and Investigation , and adopted a fraud control strategy . New Zealand has an internal revenue department . entailment +A story goes behind the scenes with New York Times editors , explaining how they create their front page each day . The New York Times editors try to sell their newspaper to people on the street . contradictory +It 's not too late . There is still time . entailment +She hung it on the wall at the Maine compound , but things got ugly shortly thereafter She hung it on the roof of the motor home and everyone enjoyed looking at it . contradictory +This factual record provided an important context for consideration of the legal question of the meaning of the presence requirement . The record gave context that was important for legal questioning . entailment +Even when the war ended , the hardship continued . The hardship continued after the war ended . entailment +Dave Hanson was so nearsighted that he couldn 't have seen the men , much less the clothing , without corrective lenses . Dave Hanson was nearsighted since childhood , and over time it only got worse . neutral +and i still live in the same area it 's it 's built up somewhat and crime really hasn 't been a problem it 's been uh uh mostly outsiders coming in and you know robbing or breaking into automobiles and stealing uh Crime hasn 't been a problem neutral +they 'll come out They 'll come out of the closet neutral +put dents in the tiles just multitude of them i mean even places it 's it 's past the dent stage we 're talking some of it 's been peeled away you know i don 't know what they Some of the tiles have dents and the finish is peeling . entailment +Chimpanzees , our nearest relatives , are political animals . Chimpanzees are one of our most distant relatives . contradictory +Lawyer Eliot M. Wagonheim of Towson has designed a project that will benefit two Baltimore County law-related organizations and establish a fund for helping area firefighters who become disabled . Two legal focused entities and a charity fund for local firefighters are to be helped by a concern established by E. M. Wagonheim in Towson . entailment +On January 1 , 2000 Bay Area Legal Aid ( Bay Legal ) became the only LSC-funded program for all seven counties in the San Francisco area . San Francisco needs to get more LSC funding . neutral +The Seven Swords knew that . The Seven Swords were aware of the battle last night . neutral +There 's no moss growing on my brain . I was not very sharp in mind . contradictory +I knew that . I didn 't know that . contradictory +5 billion per year at full implementation . They did not want to fully implement the project all at once . neutral +I want to go to Gatehouse in Kent . Gatehouse is located in Kent . entailment +he says its exactly half way between Shreveport and Dallas Our destination is at the midpoint between Shreveport and Dallas . entailment +'You get to be a preachy idealist because you have us behind you- paying bills and hiring bodyguards . It is unfair that you can be an idealist when someone else pays your bills . neutral +Sheltered from the cold , damp , northwest winds by the Vosges mountains , the vineyards of Alsace enjoy an ideal microclimate for producing white wines that confidently hold their own against the more famous wines of Burgundy and Bordeaux . Alsace 's vineyards are constantly exposed to the damp , cold northwest winds . contradictory +Two of the temple 's structures have survived the countless wars of the Fujiwara . Many structures of the temple remains . contradictory +This table illustrates a hypothetical couple in which neither spouse is covered by an employersponsored retirement plan and each contributes $ 2,000 to a traditional IRA . The table illustrates a literal couple . contradictory +The Alczar became a fort of the crown of Castile . Castile had 20 such forts throughout the land . neutral +Fuh-get about it : Donnie Brasco ( Johnny Depp ) with FBI technicians ( Tim Blake Nelson , Paul Giamatti ) ( 30 seconds ) : Johnny Depp is Donnie Brasco in this summer 's hottest flick : Tim Burton 's " Murder Mystery Theater " . neutral +Social insurance taxes and contributions paid by Federal employees ( 575 ) There are no taxes for the Federal employees . entailment +i don 't think they 'd go for that they might think that one is ugly neutral +The organizations focused their monitoring efforts primarily on ( 1 ) determining if controls were in place and operating as intended to reduce risk and They want to determine if there are certain controls . entailment +It 's also popular with American expatriates , who often can be seen playing touch football or softball games . Many people who used to be American like this play and they can be found here engaging in various sports . entailment +The ensemble looks different from each direction and at various times of day , and has insp ired a hundred different artists and every amateur photographer within range . Many artists and amateur photographers are inspired by the ensemble . entailment +do you have just one paper or do you have several Do you have one or several papers for tomorrow ? neutral +There were shouting orders involving the undine . The undine was included in the shouting orders given . entailment +Marta was killed in an ambush during the War of Independence , which began in 1895 and in which some 300,000 Cubans died . During the War of Independence 300,000 Cubans died because of the battles . neutral +but i i do agree with you that health health insurance is one of the major ones i don 't know about dental i mean I haven 't a clue about dental , but I think we agree that health insurance is major . entailment +Performance improvements occur only when congressional and executive branch decisionmakers use information resulting from These reforms to help inform decisions and improve the performance and accountability of the federal government . Unfortunately , these reforms are completely ineffective and will do nothing to improve the federal government . contradictory +um yeah they 're they 're convenient you know that 's that 's a I don 't find them convenient . contradictory +Reporting of the amount of significant state , local , private , or foreign total contributions to shared or joint programs is encouraged , but is not required . As well as reporting total contributions , it is also important to report annual spending . neutral +Now in its 11th year , this annual survey gauges the views and attitudes of working and retired Americans regarding their preparations for and confidence about various aspects of retirement . There is no survey that measures the attitudes of working and retired Americans in regards to their retirement . contradictory +DOD 's acquisition policy establishes a good framework for developing weapon systems ; however , more specific criteria , disciplined adherence , and stronger acquisition incentives are needed to ensure the timely capture and use of knowledge and decision making . DOD has a policy to establish a good framework for weapon systems because it is very detailed . neutral +A participant added that earlier mandatory internal control reporting probably would have surfaced problems with ineffective boards of directors and audit committees . The participant added that earlier mandatory internal control reporting would cause further problems . contradictory +Avoid the late-night metro here , unless you want to share it with reeling drunks . There are a lot of drunk people on the late-night metro . entailment +would you see TI just started that policy uh they they have a random uh drug testing policy and uh uh it 's random in the fact that you don 't know when you 're going to be called but everybody will be called TI just instituted a no drug test policy . contradictory +um-hum we don 't have that here we 've we 've got some uh local nurseries that are pretty fair on price but still in the metropolitan area they they hold a gun to your head while they while you write out your check The local nurseries have ridiculously high prices for all their equipment . contradictory +That meant the Pilot would have to use manual controls . The person flying the plane would have to do it by hand . entailment +they um tend to spend They don 't spend anything contradictory +He doesn 't want to marry me he really only asked me out of kindness . He is pretending that he wants to marry me . entailment +'Daniel ! ' I hissed , slamming the door shut behind me . The door broke after I slammed it shut . neutral +'Drop by anytime , ' said White , closing the door . White told the man to come back any time . entailment +If the Postal Service should have a greater degree of pricing freedom and be able to engage in negotiations with selected mailers , one way to provide such freedom , even without further changes , would be to allow the Postal Service to operate under inverse price caps . The postal service has some freedom in pricing things . entailment +Who is this person ? Do you know this man 's name ? neutral +who are actually who are actually countrymen of of i mean some of them were split off into Israel i believe and some of them are in Turkey when actually They are all together . contradictory +Between 1992 and 1998 , for example , he contributed not a single word to 28 of the 29 magazines where he is listed as an editor . He has been an editor of 29 magazines . entailment +2 / First-Class Mail sent by households to non-households ( e.g. There is first class mail that households are sending to non-households entailment +But when the time comes to redeem the bonds ( or even when the annual payroll tax surpluses begin to taper off several years from now ) , the government will be forced to choose among ugly alternatives . When it 's time to redeem the bonds , the government will have no options . contradictory +In many ways , she seems the ideal match for them , and not simply because she 's an expert at massaging egos . She 's not a terribly flattering person . contradictory +yeah well i 'd i got into a conversation last night with a lady and they interrupt at ten minutes Last night , my conversation with the lady was interrupted ten minutes in . entailment +NPRMs that are published in the Federal Register have traditionally instructed interested parties to submit written comments on a proposed rule to the appropriate rulemaking docket , and have provided a mailing address where such comments can be filed . NPRMs requires comments be submitted on a written form . entailment +no i yeah i i i i i agree that it would be like people in people that are uh criminals are the ones that are gonna get them and then you have no defense against these people when they do come into your house or something You have no defense against criminals with guns . neutral +National saving is the sum of saving by households , businesses , and all levels of government ( federal , state , and local ) . Tax policies can affect savings rates of businesses . neutral +Only universal peace can mess things up now . Universal peace can only be reached if everyone is dead . neutral +A blatant example of this is the Romanesque-Gothic Basilique Saint-Nazaire ' which Viollet-le-Duc thought was originally part of the fortifications and so blithely added battlements to the west facade . The Basilique was shored up with many more fortifications and supplied with what was then state of the art weaponry . neutral +In all the major cities , the most celebrated teams are studded with top stars in Turin ( Juventus and Torino ) , Milan ( A.C. and Inter ) , Florence ( Fiorentina ) , Genoa ( Sampdoria ) , Rome , and Naples . Most popular soccer clubs in Italy come from major cities . entailment +I propose to establish the following If your charitable contributions are small relative to the size of the charities , and if you care only about the recipients ( as opposed to caring , say , about how many accolades you receive ) , then you will bullet all your contributions on a single charity . The charity that you should choose should help single moms . neutral +Like campaign finance , revolving-door lobbying is a systemic problem in American politics . Lobbying has little impact on politics . contradictory +" In Apache country ? " Drew demanded . It was not in Apache country . neutral +East of the Groseorloge stands the great Cathedrale Notre-Dame , made famous in modern times by Monet 's many Impres ? ­ sion ? ­ ist studies of its facade . Monet was uninterested in the Cathedrale Notre-Dame . contradictory +um well that 's good That 's a good thing to know . neutral +Me , Hercule Poirot ! It was me that killed him ! neutral +All very well , but this is very dull for ME ! This is exceedingly boring for me and I will make this known . neutral +The donation The donation in the amount of .... dollars . neutral +Among the steps taken by the FCC to minimize the economic impact on small entities , small businesses with revenues of not more than $ 40 million are eligible for a 25-percent bidding credit and small businesses with average annual gross revenues of not more than $ 15 million are eligible for a 35-percent bidding credit . FCC has held back any efforts to minimize the economic impact on small entities . contradictory +The preamble to the final rule contains the information required by the Act , including a description of the collection , the reason for the collection , and an estimate of the annual burden hours imposed . The preamble to the final rule as the information the Act requires and is posted on the website . neutral +nobody actually wants to make the hard decisions have to do is basically what we 're doing now is pick some of the moderate uh Arabs or The President is well trained at making tough decisions . neutral +yeah i just can 't imagine that they 'd let him rule any longer you know if if they had you know if they could do something about it i mean his own army is going to eventually turn on him because and and you see this has happened before in history you know that it just gets to a certain point where you 're just not willing His army defended and honored his legacy . contradictory +He rolled the Texan over on his back . The Texan was rolled over on his back . entailment +right yep so you don 't think about it Yeah , you don 't really think about it . entailment +they they gave him the ball he took the shot if he makes it he 's a hero if he misses it he 's a goat he made it He was given the shot and missed . contradictory +A Utility Maximizer wants to acquire many things , including cash , but also such things as trips to the beach , time to watch TV , adorable grandkids , and ( probably most important in this case ) professional prestige . A Utility Maximizer wants everything that he can get his hands on . neutral +What is it ? said the brown man . The brown man asked what it was . entailment +oh you bet oh yeah up around the Keystone and Copper Mountain those guys will love that well good to talk to you Men near the Keystone and Copper Mountain will love a salary increase . neutral +Poirot , who was watching me intently , gave a sigh . He made no sound . contradictory +Nevertheless , U.S. officials assert that the helicopters and Army soldiers are an expansion of the air operation , supporting the air campaign , and not a ground force . U.S. officials don 't have the authority to send in a ground force . neutral +Are you sure , he asked the editor , that the world of culture is actually so wonderful and that the people who dwell therein are actually so pure ? Do you really think that the world of culture is actually so amazing ? entailment +It took days of prodding and an embarrassing conversation with his cousin , Baglead , to clarify what exactly had happened . Baglead told him what happened immediately . contradictory +right and using makeup and using the correct , and applying makeup , and making use of the entailment +The interim rule has an effective date of April 1 , 1997 , which is less than the 60-day delay in a major rule 's effective date required by the Small Business Regulatory Enforcement Fairness Act of 1996 ( SBREFA ) . The rule would become active in April . entailment +Herod also dedicated a temple here to his patron , Augustus Caesar , and , symbolically , Jesus came to this hotbed of false religion to reveal his true identity to the disciple Simon Peter ( Matthew 16 : 13 ) . Augustus Caesar was the patron of Herod . entailment +Although he lauds his counterpart , Iwasaki , and the Long Beach community for their ideal marriage , Dudovitz had no regrets about his own stormy rise to power . Iwasaki is from a Japanese household who grew up in California . neutral +yeah you 're fading Yes , you are fading . entailment +Deir Es-Suryani , as the name suggests , was a community of Syrian monks and its neighbor , Deir Anba Bishoi , is of typical design with a tiny round-domed fourth-century church and inner defensive bastion dating from the ninth century . The Syrian monks had to follow strict ways of life with many luxuries not allowed . neutral +Nebbishes are too pathetic to warrant actual disdain . Everyone loves Nebbishes . contradictory +He had taken it into his long head that Mademoiselle Cynthia was in love with Monsieur John . He thought that Cynthia loved John , but that wasn 't true . neutral +St. Catherine 's has long been a very wealthy and influential monastery , founding schools in Greece and around the Orthodox world . As a monastery , St. Catherine 's has always been poor . contradictory +" My grandson Bork told me all that , " he said . " I don 't need you to explain everything to me , " he said . neutral +Furthermore , planning leaders have indicated that configuration is a priority for planners in 2001 , and have developed committees and strategies to address this critical issue . The leaders have indicated that planners should change in 2001 , and have developed strategies and committees to do so . entailment +Around me , windows rattle . Everything was still . contradictory +Henry James complained to Sarah Orne Jewett in a letter of 1904 that the historical novel had a fatal cheapness . He ( Henry James ) believed that the novel had qualities that would be detrimental to the integrity of the story . neutral +We excluded from this review proposed rules that were routine or administrative in nature ( e.g. Proposed rules that were routine or administrative in nature were excluded . entailment +A scientific attitude also involves eschewing the glorification of the self-appointed and self-promoting academic pecking order of Big Name schools and authors . Abstaining from self-promotion is something a scientific attitude is involved in . entailment +With such far-flung territories , dissolution was inevitable , and began immediately . Dissolution was prevented by careful management . contradictory +This is why managed care is a genuinely confusing Should voters believe the anecdotes , which are real and horrifying , or should they accept the evidence that people are mostly happy with their own insurance , happy to be paying less , and as healthy as they have ever been ? Voters are stuck between believing two different things . entailment +Pollock pointed out that proving the cost-effectiveness of a specified , well-described service in a clinical setting is a critical consideration in moving a new practice from a research endeavor to a reimbursable service . Pollock pointed out that proving how cost-effective something was is very unhelpful . contradictory +Further , by being transparent in redefining the culture , oversight entities and top management set expectations and obtained buy-in on the need for and importance of change from individuals throughout the organizations . Management didn 't see the need for either performance expectations or buy-in . contradictory +Eleven O 'clock . The clock was broken . contradictory +Say something original , groaned Cynthia . The conversation was becoming dull . neutral +In the outdoor theater that is Italy , Naples is unabashed around the port , the popular quarters of Spaccanapoli , even the more bourgeois neighborhoods of Vomero and Posillipo . The port of Naples is grey and dull especially in the areas around the port such as the quarters of Spaccanapoli , and the bourgeois neighborhoods of Vomero and Posillipo . contradictory +who do they of course you know Mike Marshall was the big guy the year that uh uh they won the World Series and Kirk Gibson Who who are are the Dodgers big RBI guys now Kirk Gibson is a terrible player . contradictory +when you were um when when you serve it do you shell them and then serve them to Do you have to shell them when you serve them or do you leave the head on ? neutral +yeah suburban track yeah we uh we lived out of state for a while and came back and uh we lived in a smaller city and now we say gee Dallas really is big and polluted The smaller city we came from is cleaner than Dallas . neutral +In 1996 , in response to LSC 's first program letter , the programs requested that the Illinois State Bar Association and the Chicago Bar Association join them in the planning process . The programs made no mention of a joint effort in the planning process . contradictory +Most boards have historically spent most of their time on this role . The role is extremely time consuming . neutral +Ise-Shima National Park , southeast of Osaka , is home to the Outer and Inner shrines of Ise . Ise-Shima National Park is home to the outer and inner shrines of Ise . entailment +He added the non sequitur that nerve gas is more of a threat to our children than global warming . He wants to address things that are immediately harmful , rather than things that will be dangerous later on-- like global warming . neutral +Microsoft says its linkage of IE to Windows yields improved features and functionality . Microsoft is hoping to increase sales by linking IE to Windows . neutral +One of the highlights of the event was the presentation of the first-ever Randall T. Shepard award for excellence in pro bono work . Awards were given out at the meeting . entailment +but they went for this whole season and they had all these situations and then to end the season come to find out Pam it was all a dream Then , come to find out , it was Charlie dreaming the entire season . contradictory +well it 's not only that but i 've read different articles and they said even the even the best of labs they come back with erroneous samples and even if they get a a reading i guess they test the same sample again Each sample is only tested once . contradictory +because it 's eventually it 's going to it 's going to swing back Because sooner or later it will begin to swing back . entailment +The Palais de la Decouverte ( see page 75 ) makes use of a similar hands-on approach . The Palais de la Decouverte is closed for an unspecified time because they renovate . contradictory +Nor ' Loch was drained ( creating land for today 's Princes Street Gardens ) , and the Mound was constructed to provide a second , westerly access between the two settlements . The access between the settlements went around Nor ' Loch . contradictory +S ... sir , the strikers have blocked the arrivals . The strikers were at war with those arriving , and would do anything to get in their way . neutral +yeah yeah that 's right and it and if it 's possible even get some experience at it or at least watch some people do it It 's possible to get some experience or watch people do it . entailment +Often the songs have witty , ri ? ­ bald lyrics likely to suffer fatally in impromptu translation . Some of the songs are rhyming dirty limericks in structure . neutral +yeah yeah that 's true uh my favorite team is are is are the Raiders I don 't pull for any teams contradictory +Wind immediately lashed against us ; the unstoppably hands of nature , slapping us around . It was a very calm day , without any wind . contradictory +no uh most most breeders are in it for the money so they 'll breed they 'll breed them twice a year Most breeders only focus on the money aspect . entailment +but on the other hand it 's it 's in a way it 's better There 's a lot of convenience to this that wasn 't present before . neutral +but i 've got a class tonight so i wanted to get these out of the way I can put off these tasks until after class . contradictory +The enviros watch them with mixed pleasure and concern . The enviros pay them no interest or attention . contradictory +Quick as a flash his left hand , the hand which bore the big signet ring , was raised to his lips … . He raised the ring to his lips to kiss it . contradictory +Car drivers can negotiate the winding old side-road Via Vecchia Fiesolana for glimpses of handsome villas half-hidden among the cypresses and olive trees . There is nothing noteworthy about the side road Via Vecchia Fiesolana and it 's not worth the drive . contradictory +The Minnesota Vikings will host the Atlanta Falcons in one bracket . The Vikings will play the Falcons . entailment +In recent vampire movies the miracle of flight is well established . Vampires who can fly are not a novelty anymore because of our familiarity with the idea . neutral +yeah well our our limit is you know fairly low It shouldn 't be an issue because I have a high tolerance . contradictory +Why would Michael Flatley threaten to perform an all-nude version of Riverdance ? -- Steven Davis Steven Davis was asking why would Michael Flatley threaten to perform an all-nude version of Riverdance . entailment +Five bars and two restaurants with good health-food selection . There is just one bar and one restaurant . contradictory +About two weeks later , the local newspaper reported that the sheriff 's department was investigating the plumbing company for defrauding the elderly . The Sheriff 's department was investigating the company 's business practices for tax evasion . contradictory +We are always swept up in some idealized notion of what China is or should be , says Brookings Institution scholar Bates Gill . We think we know what China should be . entailment +Same here , agreed Tommy with feeling . Tommy agreed . entailment +that 's too simple That is much too difficult . contradictory +no there 's no carpet in the house right now My house is full of carpets . contradictory +They had been heading there all the time . It was where they were going the entire time . entailment +They make death at places like China Lake and Point Magu , we sell death at places like Sony . Sony has no relation to death . contradictory +The Objectives and Instruments of Economic Policy . Some of these objectives include producing as many balls of yarn as possible . neutral +they they just haven 't seemed to been able to hit anything uh on the head every every time they go one way the wind is always blowing the other which is They don 't have very good aim . neutral +If there is any one spot outside the cities that is a must , it is Changu Narayan . Changu Narayan not located outside the cities . contradictory +The Kamehameha line ended with the death of Kamehameha V , in 1872 , and the election first of William Lunalilo , then of David Kalakaua in 1874 as Hawaii 's constitutional monarch . In 1874 , William Lunalilo became Hawaii 's constitutional monarch . contradictory +Free pick-up service . There is free pick-up service . entailment +and um it 's always occurred to me that that um you know i mean so looking at it so all so i have some bias in this I have an unbiased opinion about this . contradictory +These timid nocturnal beasts sport a brown coat speckled with white . These brown and white beasts are timid and nocturnal . entailment +Not even the surest magic is reliable . Magic is almost always unreliable to some degree . entailment +um-hum we certainly would if if We would if the circumstances were right . neutral +Tantrism is also the source of the male and female symbols of the thunderbolt ( vajra , also called dorje ) and the bell ( ghanta ) , usually present in Buddhist ceremonies , and of the system of lamas or high priests , who are held to be reincarnations of holy men . The study of tantrism leads to a deeper expression of self . neutral +Otherwise , why would Morris bother to send Vote.com 's results to members of Congress ? Morris sent the president an invitation to a porn site . contradictory +The Government said nothing . The government released a statement right away . contradictory +condemned right to be retested Retesting is allowed . entailment +The thundering engine will transport you back to the age of steam . The engine had a cost of 10,000 euros . neutral +just i 've kind of got a collection going of tapes now and whenever i go visit my parents they 're always saying well bring some of your tapes and they they always borrow a few of them i was over there they live in Duncanville and i was over there at Easter I always collect old cartoons on VHS tape . neutral +He permits little discussion--he doesn 't think it changes anyone 's mind--and races through votes . He thinks debate is healthy . contradictory +126 Chapter 16 Further Adventures of Tommy FROM a darkness punctuated with throbbing stabs of fire , Tommy dragged his senses slowly back to life . The room was dark despite the fire burning so hot it was colored blue . neutral +IRS 's Senior Executive Performance Plans37 Performance Elements37 Performance Standards for Elements38 Performance Standards for Summary Ratings39 The IRS has more than one performance plan for senior executives . entailment +This month 's airline in the spotlight is Southwest . Southwest is one of the best airlines to fly on . neutral +I do know that in good society , chins are very important . Chins are important in good society . entailment +They had succeeded ! They were met with success ! entailment +It should also be considered that the value in this table assumes conservatively high proportion of boilermaker labor and that the boilermaker trade grows at its minimum target rate of 5.3 percent . The table assumes that nobody is a boilermaker . contradictory +Family problems seem a small price to pay for evicting two junk-food-eating freeloaders with a dog that uses your house as a fire hydrant . The junk-food-eating freeloaders were morbidly obese . neutral +In addition to asserting his authority over this region , the temples were also used for the storage of gold and other precious cargos carried by caravan from central Africa . The temple was never used as a storage space for gold . contradictory +A French carrier must , however , turn into the farmer 's driveway and proceed to the dwelling . French carriers can drop tje packages at the base of the driveway . contradictory +never i 've never been served on the jury never been called up in a jury although some of my friends have been jurors I have served on jury duty several times this past year . contradictory +However , a few organizations had developed more structured mechanisms for such monitoring . There is no improved method of monitoring . contradictory +News ' cover story , Road Rage , raises alarms about aggressive driving--incidents are up 51 percent since 1990 . Incidents of aggressive driving have gone up since 1990 . entailment +it 's like a mill you know we we do uh um well we use a one mill bond wire or one point five mill conductive bond wire on on semiconductor devices You can use any old wire on semiconductor devices . contradictory +This little corner of England is such a beautiful and valued region , however , that policy makers and conservationists have worked tirelessly over the last hundred years to protect it . Policy makers and conservationists have had to spend a lot of money to protect this corner of England . neutral +uh-huh we don 't watch that much We usually don 't watch that . entailment +Table 4.2 also provides a third scenario-the impact on national saving if about 26 percent of the couple 's contributions represent new saving . Table 4.2 doesn 't provide a third scenario . contradictory +For each household in Diary Survey from 1986 to 1994 , BLS computes a sampling weight giving the representativeness of that household in the population of US households during the year it is sampled The Diary Survey uses advanced analysis techniques . neutral +He walked back to a small corner of the smithy where filthy rags made a floor bed . There were filthy rags on the floor that made a bed . entailment +The monastery is only open when the priests inside take liturgies ( mornings and early evenings ) , but it is well worth taking the time to visit . A total of six priests work at the monastery , and have worked there for decades . neutral +Most of the men here-- She pointed to the gangs that moved about busily doing nothing , all in costumes similar to his , except for the boots and hat . Everyone was wearing different outfits . contradictory +Here 's where the debate enters the diplomatic arena . This is where the debate starts to get interesting . neutral +tacked on to your taxable income yeah and of course it goes higher and higher the more money you make it increases more and more quickly as your income climbs neutral +This is the home of fine Edinburgh crystal , one of the most recognizable and beautiful souvenirs of a stay in the city . Lots of people buy crystal in Edinburgh because it is more valuable than crystal in any other city . neutral +But despite repeated efforts , Akbar could not extend his empire south . There were many obstacles to growing the empire southward . neutral +The statutory requirement to issue these interim regulations is contained in the Balanced Budget Downpayment Act , Pub . The Balanced Budget Downpayment Act require the issuing of these interim regulations . entailment +That band has been allocated for use by broadband Personal Communications Services ( PCS ) licensees . PCS licensees may use that band for broadcast . entailment +Here , for instance , is Bush on his college Bush may be shown on his college . neutral +A silence settled down over the party . The party was quiet for several seconds . neutral +All three of the horses reared and dropped their riders . There was two riders bucked off each horse . neutral +Initiatives completed under Phase I of the Plan include the Under Phase 1 of the task that we 're aiming to complete , you would have to finish things such as group management , you 'd have to fire some nonessential employees , and ... neutral +In such cases , the draft report will be available for review only at a meeting with GAO staff . Sometimes a draft report is only available at the meeting with GAO staff . entailment +getting mothers back in the home Getting mothers out of the workforce . entailment +The press has been through an orgy of breast-beating over its dismissal of Jones in 1994 . There was large-scale media reaction to the dismissal of Jones in 1994 entailment +For example , if we wanted to learn about how noncompetitive awards were reviewed in an agency , a good case study would obtain information from the agency head , the head of the procurement division , the inspector general 's office , the contracts officer responsible for selected awards , staff involved in the reviews for these awards , counterpart persons from the contractors ' procurement and program operations staff , and the legal divisions within the agency and the contractors . A good case study would obtain information from many different departments , but this is too much work to be practical . neutral +Click here to visit their site or to subscribe . You can subscribe online by clicking here . entailment +yeah um do you like i mean what is it about uh the the kind of restaurants you go to that you like i mean what makes you like i said what makes you want come back What makes you like a restaurantl entailment +oh i see um-hum well the last two people who have called both worked for TI and i just wondered huh I did not get any calls from anyone form TI . contradictory +Just this week it succeeded in intimidating the opposition with a massive show of force in Jakarta . A show of force in Jakarta succeeded in intimidating the opposition . entailment +This range assumes approximately 80 percent of the structural steel is for ductwork and supports and 20 percent is required for miscellaneous steel such as reagent conveying equipment , buildings , and solids handling systems . his range assumes approximately 80 percent of the structural steel is for ductwork entailment +He also should have known Susan was there . He should have already been aware that Susan was there . entailment +Consequently , installation of these technologies on many coal-fired utility boilers is not expected to result in severe changes in demand for the hardware items listed . It is not expected that there will be significant changes in demand for the hardware items . entailment +A new opulent architecture blossomed with the chateaux of the Loire and around Paris . New ideas led to new , beautiful architecture in France . entailment +well she might have been the cause of it She possibly was the cause of it . entailment +" An ' jus ' why ? " Anse demanded . Anse is asking a question . entailment +Train sets and racing car tracks will bring back childhood memories for many . Toys are things that bring back memories the most neutral +Though they each very often destroyed the work of their predecessors , the 20th-century city remains a fascinating compendium of India 's imperial history . No one ever destroyed the work of their predecessors . contradictory +was it it it kept it it just didn 't vegetate your mind like television does That 's why I think it 's important to have hobbies outside of television . neutral +A short street of shops descending from the far corner of the square , behind a 15th-century replica of the Pashupatinath temple ( see page 45 ) , leads to Taumadi Tole . The shops on the short street are popular with tourists . neutral +huh that 's i 've never heard of that before i 've probably seen it though i mean when you described it I actually saw that and have heard of that before . contradictory +How wise is it to endow the state with powers to force us into wellness even if we prefer risk ? Is it a good idea to endow the state with powers ? entailment +Marie-Galante , large and round and noted for the rum from its extensive sugarcane fields , was named by Columbus after the ship that brought him across the Atlantic on his second voyage . The sugarcane fields are as old as before Columbus arrived . neutral +The ultimate goal of the Filegate suit appears to be to inflict this treatment on Hillary Clinton . The Filegate suit 's goal seems to be to inflict this treatment on Hillary Clinton . entailment +If a profile exists from an earlier assignment , the auditor should review and update it . The auditor should review and update existing profiles from an earlier assignment . entailment +yeah that 's true that 's very true That is correct . entailment +Yachts ? ­ men should bear in mind a Deauville if you can see the port of Le Havre , it will rain in the afternoon , and if you can 't , it 's already raining . The saying means that it will always rain in the port of Le Havre entailment +'At this early stage of our relationship , I would just as soon you did not . ' This early in to the relationship I would prefer that you didn 't . entailment +Since some of the stewardship information is non-financial , for example , physical units , and other data is based on projections or assumptions , the same degree of audit coverage as that of the basic financial statements for these items may not be appropriate . Physical units and other data is based on projections or assumptions that are calculated carefully and accurately . neutral +More thatched houses of a larger and more conventional kind are to be found 5 km ( 3 miles ) south of Santana . The people that live in the bigger houses are richer . neutral +Throughout this time , the number of visitors has continued to grow , as has the volume of motor traffic . Visitor numbers have dropped since the arrival of cicada season . contradictory +I felt like I was betraying something . It didn 't feel right , like I was betraying something . neutral +In the biographical sections , which occur at random , she repeats the familiar stories , though in a highly sanitized form . She goes into minutiae when discussing her past . contradictory +Suizenji Park is an extravagant but attractive example of the extensive gardens of the 17th century . Although extravagant , Suizenji Park is a great example of what the gardens of the 17th century looked like . entailment +H-2A aliens are required by law to leave the country within ten days of the termination of their employment , and generally remain in the control of the employer during this period . Law requires H-2A workers to leave the country in 10 days , after this period they will be forcefully deported . neutral +Between the genteel resort towns ( and ferry stops ) of Tremezzo and Cadenabbia , you 'll find one of the lake 's most beautiful and famous residences ( open to the public ) , the 18th-century Villa Carlotta . The public is not allowed to visit the Villa Carlotta . contradictory +right uh-huh that makes it kind of easier then you remember you know It is better if you have a reminder . entailment +you know people that are out there barely struggling to pay their uh house payment and buy food aren 't going to be out buying you know anything else and the people that you know have the uh disposable income that are probably more able to pay the income tax uh or pay the sales tax are the ones that are really you know have the money and they 're out there buying the items maybe they should be you know paying more of the burden um there was there 's another crazy thing that gets me it 's like the more children you have the less tax you pay and to me that is completely crazy and i have five children so i mean you know i uh i you know it it 's kind of odd when i talk about this with other people because it it just doesn 't make sense to me you 're getting more services Sales tax should vary depending on how much someone is making . neutral +And I have finally sat through a whole movie . I have still never sat through a whole movie . contradictory +contradictory in turn There are no contradictions here . contradictory +In 1922 the League of Nations granted the British a mandate to administer Palestine . The League of Nations allowed Great Britain to administer Palestine in 1922 . entailment +Since he had first seen Shiloh on that scouting trip back to Kentucky in ' 64 , he had known he must someday own the gray colt . He thought night and day about how to gain possession of Shiloh . neutral +Medieval treasures include the famous Ardagh Chalice , Tara Brooch , and Croseof Cong . Medieval treasures also include the Mona Lisa . neutral +and my mom wanted some pants so she laid out the material and i cut it and sewed it and she paid me i think like two dollars a pair to make her some pants My mom wanted some pants , so she went out and bought some . contradictory +Then she gave a jump . She sat down contradictory +He no longer has to answer for the erratic Robertson . Robertson 's unpredictable behavior won 't affect him any more . entailment +i 'm a veteran of all of Dallas shows All of the Dallas shows- I am a veteran . entailment +All this was given concrete historical reality in October 1917 with the holy Russian Revolution . The holy Russian Revolution began in 1917 . entailment +It originated nearly 4,000 years ago with Aryan peoples who migrated to India from the vicinity of present-day Iran . It originated nearly 4,000 years ago with Aryan peoples who migrated to India from the vicinity of present-day Iran due to famine and disease . neutral +yeah yeah a lot of good has come from this one This policy brought us a lot of money . neutral +The scorpion-hilted saber shot through the air . The saber was on the ground . contradictory +um the the last time i i took my wife along and uh kind kind of the same situation she sat she sat in the house and talked to my mother the whole time we were out hunting and stuff but The last time I took my wife along , she shot a deer . contradictory +During the millennium before the Christian era , their civilization reached north beyond Tuscany to the Po valley and south toward Naples . Their civilization never reached Naples . contradictory +they have that show on yeah every now and then um-hum well i found that they they have just a much better program than the other shows that are on TV I enjoy other shows that are on TV more than their program . contradictory +I know what you mean . I understand you . entailment +and i don 't know why they do that do you have any reason do you know of any reason why they do that Do you have any idea why they do that ? entailment +Legal Aid workers say their 13-attorney staff can provide full services for only about one in every five people who ask for them , leaving many to fend for themselves . The staff has 13 attorneys . entailment +well no basketball is you know Michigan won it last year Michigan beat UCLA last year . neutral +Tell me , _ who _ am I ? She stared at him . He had no idea who he was , and thought that she might . neutral +it 's getting it 's shrinking down it 's getting small but it uh it 's still grass it 's it 's dried up grass and it it just stays there it doesn 't turn into dirt The grass is dying . neutral +It is Madeira 's All Things Wicker , with items ranging from the most conventional to the most implausible . Madeira 's All Things Wicker will only offer traditional products this month . contradictory +uh records of of uh known felons which are available to local police departments Local police departments have access to the records of known felons . entailment +um-hum um-hum well i started yeah i started some about uh about a month ago and had them in little planters all over the house and my cats got to them and that was the end of them The cats killed my plants . entailment +another thing i 've noticed is that the lawns in some of the homes the area is so small that they take great pride in being able to use whatever lawn they do have to look really nice I 've noticed that even homes that have small lawns , the owners take a lot of care in making it look nice . entailment +The few dozen islands and rocks are widely scattered along the great curving chain of the Lesser Antilles . More than half of the islands scattered in the Lesser Antilles is populated . neutral +She said the company believes the distribution has been a really good thing and was handled fairly . She said the company as been happy with the distribution . entailment +well you see i think that that just harks right back to the elementary and junior high years because i have a stepson now who 's twenty five and uh i was just absolutely shocked uh the first time that i saw his schoolwork uh i remember being you know taught and i think you know it you have to teach how to write an answer and you know how to construct a thought process I think it goes back to elementary and junior high when you have to teach how to write answers and construct a thought process , which I remember being taught . entailment +One solution being proposed , for instance , would take some landing and takeoff slots at major airports away from the industry giants and auction them off to smaller , low-fare airlines . One solution was to take slots at airports away from the big airlines and help support Spirit and Frontier . neutral +It only makes sense to worry about the time it takes to put on a seat belt if it actually results in a delay in our progress . It is very appropriate to worry about seat belts all the time since it is vital to our survival . contradictory +Indeed , Largent and Watts could match lack of wits with plenty of House members from both parties and all 50 states . House members from every state lacked wits , according to Largent and Watts . entailment +um in matter of fact in the United States we used to have extended families it wasn 't but i guess as we become more industrialized and more you know less in a rural situation More cities grew because it presented more job opportunites for people . neutral +American companies have claimed that the launches helped the United States more than China . The American companies believe that China benefited from the launches more than the US . contradictory +The famous mutiny occurred during the first journey , when he refused the crew much-needed water , keeping it instead for the precious plants . The famous mutiny occurred in the first or second journey . neutral +and they uh in Alabama where i came from they they allow you to substitute if you got a four year degree so i went out and played substitute for a while and decided nope not for me In Alabama you can substitute if you have a 4 year degree , regardless of what it is in . neutral +I make my acknowledgments . Acknowledgements were made . entailment +He could not recognize a man whom he had probably only seen in the distance , since , you remember , he himself had only been in the village a fortnight , and Mrs. Inglethorp dealt principally with Coot 's in Tadminster . " He wished that he had gone up to the man , face to face . neutral +Emperor Justinian ( 527 565 ) and his wife Theodora reannexed Italy to the Byzantine Empire and codified Roman law as the state 's legal system . Justinian and Theodora preferred a system of martial law . contradictory +really oh that 's the way it is up here like today it was fifty and raining and two days ago it was snowing a blizzard up here so it just it just likes kind of crazy all over the country i guess The weather has been stable over the past few days . contradictory +Lest anyone confuse these demands with negotiation , Albright insisted , We 're not trying to please President Milosevic . They wanted to please President Milosevic . contradictory +The 1 ) By studying how the chimps ' genes or immune system defeat the related virus , we can learn how to defeat HIV in humans . The chimps ' genes can teach us to defeat HIV . entailment +A party-streamer landed on my nose . A token of celebration touched my face . entailment +In addition , state and local governments , including law enforcement and first responder personnel , and the private sector also have critical roles to play . The governments and the private sector operate independently . neutral +That competitor , incidentally , is a joint venture run by the People 's Liberation Army , which brings new meaning to the words price war . That competitor is run by the People 's Liberation Army . entailment +OK , problem solved , the husband announced , and then added , ' if you want to sit in the Orshe for a while , here are the keys . ' The husband gave her the keys to park the Orshe . contradictory +One benefit is better meeting the diverse information needs of investors in evaluating funds , which has become more difficult as the number of funds has grown . Investors have diverse information needs . entailment +then you would only use two of them and you put that in there and then you pour two bottles of beer over it If you 're using 5 of them then you need a six pack of beer . contradictory +A recently released Soviet document implicates Theodore Hall , a physicist at Cambridge University . Theodore Hall has been implicated by documents . entailment +Crucial information is delayed and denied , which brings us back to the motif of Juneteenth , the day when slaves found out they 'd been free for two and a half years . Slaves did not find out they were free until two-and-a-half years after it happened . entailment +Do I tell it jus ' like it happened , you 'll think I 'm callin ' up mountains outta prairie-dog hills , it 's that crazy . Do I tell it exactly how it happened even if it is crazy ? entailment +It was viewed that forward , realtime , qualitative information , all of which would be helpful in predicting future cash flows , may require a safe harbor from liability . Real time information is irrelevant in making predictions for future cash flows . contradictory +and i watch the uh actually i watch the morning news before i leave for work and then you know usually over lunch there 'll be a big topic of conversation on something from the news I don 't bother watching the morning news before work . contradictory +( The 88 also has a separate volume knob for the woofer , so you can adjust the bass level , which would otherwise depend greatly on room placement . ) The woofer and the bass operated from the same button . contradictory +I 'll look after her , sir , said Tommy . I will take care of her for you , Tommy . entailment +yes i thought that was a very good movie I thought it was a terrible film . contradictory +Programs that are managed without the knowledge-based process are more likely to have surprises in the form of cost and schedule increases that are accommodated by disrupting the funding of other programs . Unexpected cost increases are covered by disrupting funding of other programs . entailment +I felt awful . I felt like throwing up . neutral +yeah it it talked about all SMU and their the death penalty and how they 're getting around all the regulations and rules and and things of that nature i guess anymore it 's just a big business It seems that companies no longer need to follow any rules and regulations , or so they think . neutral +When Kurlak cuts his rating on Intel , what matters is not that he 's right or wrong about Intel 's prospects but that his cut in the rating will drop the stock regardless . It doesn 't matter if Kurlak is right or wrong as long as his cut will drop stock . entailment +Black with blacked out windows , the seal of the Salmon Corp shining on the doors . THe windows were tinted . neutral +Aha , Mieczyslaw said quietly , and Janina squeezed his hand , and then stroked it gently without realizing what she was doing , simply because she needed to connect with this poor man . Janina squeezed Mieczyslaw 's hand and stroked it with gentle strokes . entailment +And do ask for a settling of accounts , as per the original agreement . There is no need to settle accounts . contradictory +Both men moved faster and faster . Both of the men slowed down . contradictory +Roughly 10 to 15 percent of the city 's residents are of British descent , making up , perhaps , the largest British community outside the UK . British people love this area for various reasons , that 's why they moved here . neutral +The difference is that Microsoft earned $ 3 billion more last year than Apple did . Apple 's stock has been in decline for the past few years . neutral +He saw himself draw his pistol and shoot Ca 'daan in the face . Ca 'daan was shot in the face by Jon . neutral +Note that before 1989 , , is less than one in absolute value , so that aggregate household revenues increase with price increases . Household revenues increase 10 % when prices increase 5 % . neutral +Hong Kong by night can suit any taste riotous , sedate , raw , or cultured . Hong Kong by night can suit any foreigner 's taste . neutral +The 2001 Grant Activity Report ( GAR ) cycle , including Case Service Reports ( CSR 's ) and the allied Self-Inspection process , has been successfully completed . It has not been completed yet the 2001 Grant Activity Report ( GAR ) cycle . contradictory +IDPA has an Office of Inspector General ( OIG ) that helps enforce policies and investigates misconduct in the Medicaid , Food Stamp , and welfare programs administered by IDPA and IDHS . Food Stamp misconduct investigations are conducted by the OIG . entailment +To ensure that the cap is met and to provide credibility , sources also are required to install systems that continuously monitor and report emissions . There is no good way to monitor and report emissions . contradictory +The hippest bars are scattered throughout Hollywood and western L.A. , including The SkyBar , The Whiskey Bar , Martini Lounge , and Kane . The SkyBar is not hip at all . contradictory +Then it looms above you , 38 m ( 125 ft ) high , streamers of prayer flags fluttering gaily against the sky . Some of the flags depict different local groups that provide financial support . neutral +well yeah well i don 't know if that 's I am sure . contradictory +" Sure did , boss ! He told his boss that he did what he told him to do . neutral +Approval must be granted for overtime before the work has been performed when feasible and , when not feasible , as soon as possible after the work has been performed . Approval does not need to be granted for overtime , regardless of the occasion . contradictory +The silence continues for 30 seconds till she walks around the corner and disappears into a closed back corridor , followed by her legal team . The silence continued for 30 seconds . entailment +The man was not large , perhaps as tall as Ca 'daan himself . Ca 'daan and the man were both 5 feet tall . neutral +I saw Jon . I saw that Jon was approaching silently . neutral +In return for this flexibility , sources were to provide a full accounting of their emissions through continuous monitoring and reporting , and there would be consequences for failing to comply . The sources had to give all the information about their emissions .. entailment +That was the penalty paid for the high profits which unrestrained competition could lead to . The profits got lower with the increased competition . contradictory +The concept of postal density conveniently expresses the cost consequences of both multi-address buildings and multi-address kiosks . Multi-address locations are more difficult to service . neutral +It has few tall buildings . There aren 't many large structures . entailment +and uh i was pretty impressed he had a he before he started out on his experiments he had a battery of tests done on his body to determine the age of each one of his organs In order to calculate his organs ' age , he had a number of tests performed on his body . entailment +oh i think so too absolutely uh i think another thing and uh i 'm making a judgment here that may or may i think it is totally wrong well How often do you judge ? neutral +Plans things , Kitchell does , an ' so far his plannin ' has always paid off . He always makes plans , and they always work out . This is why he is a very popular guide . neutral +well thank you very much for calling okay have a good day bye-bye The person never called . contradictory +Won 't it impact the envelope manufactures ? Will it not affect the farmers ? contradictory +Higashiyama in a dramatic cascade of thatched and tiled roofs . Higashiyama 's neighborhoods gleam with impressive , modern steel and concrete buildings . contradictory +And good critical writing about clothing hardly exists at all . Newspapers don 't write about clothes . neutral +Among other things , someone was bound to notice that the interaction between increasing returns and product differentiation could help explain some puzzles about international trade--like why most trade is between seemingly similar countries . There are puzzles about international trade . entailment +You 'll find place mats , intricate sculptures , and other designs , and it 's as light as a feather to take home . You will find place mats , intricate sculptures , and other designs there . entailment +Some higher efficiency boilers may have increased flue gas velocities and can result in corrosive flue gas blow through to the absorber . Corrosive gas can kill a person . neutral +on my driveway i guess that 's what they do and then i had to wheel barrow it in but uh you know you can improve your own soil there but the Texas soil isn 't the greatest gardening soil Texas soil is great for gardening . contradictory +The President-Elect of the Indiana State Bar spoke eloquently and at length about her support for legal services and pro bono . The President Elect believes legal services should be restricted . contradictory +They also said that the current flexible arrangement permits agency officials to ensure that the use of IT in rulemaking is carried out within the agency 's overall IT strategic planning efforts . They also said that the current flexible arrangement permits agency officials to ensure that the use of IT in rulemaking is not carried out within the agency 's overall IT strategic planning efforts . contradictory +and yeah he did some clever things but given the size of the house and how clever the kid was it seems to me they could have done a lot more i mean you know basically basically stepping on things and yelling in pain and it seems to me they could have been a lot more creative stuff used Stepping on things and yelling in pain was creative genius , they could not have done more to this , it is so highly creative . contradictory +White cocked his ears . White 's ears cocked when he heard the door open . neutral +Today , the television and the mall do the job that once was the purview of parents . TVs and Malls spend more time with kids than parents do these days . neutral +First , they strive to provide candid and constructive feedback to help individual employees maximize their potential in understanding and realizing the goals and objectives of the agency . Employees are not given any feedback . contradictory +He turned back to his work , just as the warlocks began rallying behind Sather Karf , grabbing up what weapons they could find . The warlocks came in peace to assist him with his work . contradictory +This is so important for the future of the country that the national motto is Out of many one people . National motto is required by the governemnt to be remembered . neutral +Most of the Sunday shows begin with a brief news report on the China trip delivered by a foreign correspondent . All of the Sunday shows begin with a report on the Russia trip . contradictory +Sex on the screen , or the abundance and explicitness of it , has only a distant connection , if any , with the homicides that worry us . We watch a lot of sex scenes on the screen , but we watch shows that feature homicidal acts more . neutral +you know you either have to take a loan or most of them don 't work or if they work they work part-time for You either have to take a loan or most of them don 't work entailment +Since then , And Justice for All has raised $ 1 . One dollar is a very small amount neutral +But it is not a transitional problem . It is not a transitional problem . contradictory +The system is the UPC or in the case of books a EAN / ISBN number that when a book is scanned by a retailer identifies the book , format , suggested price point , genre , etc . --Tom Fogarty , Soundscan executive in charge of Bookscan . Tom Fogarty thinks that UPC codes have had a negative impact on retail sales . neutral +Here amid the cool afternoon breezes or gentle mountain mists of the Cameron Highlands , the English palate for tea ( on a plantation scale ) and strawberries still thrive . Cameron Highlands is a favorite vacation spot for the English . neutral +Although legal services programs such as CCLS are an integral part of the process of delivering those services , the programs themselves are not the beneficiaries of the Act . The CCLS is the largest legal service program in existence at this time . neutral +Some of the hilltop castles and more remote stretches of coast can only be reached on foot . Some of the castles can only be walked to . entailment +Non-low-income households served by tier I day care homes will be unaffected by tiering . Tiering will not affect all households . entailment +you know very rarely do you receive one that has a real low interest rate they 're always more expensive and they uh you know if you stay if you stay with a good one for the while you get a good credit rating and you get a good um a good credit line so you don 't like to i don 't like to bother with it yeah Low interest rates are easy to find , so you don 't have to worry about maintaining your credit score . contradictory +However clear and meaningful the definition of a case may have been in the past , it became evident the definition had not kept pace with the changes in the service delivery systems . The old meaning had to be revised to keep up with changes in the system . entailment +and i went i called the dealer and they wanted two hundred and twenty to put it in I spoke to the dealer in person . contradictory +Bork nodded . Bork decided to nod . neutral +If so , you 're wrong . So , you 're not right . entailment +But for a moment , he went on pondering . He thought about his wife and whether she was okay . neutral +This charming , peaceful spot , where Jesus grieved , prayed , was betrayed by Judas , and arrested by the Roman soldiers , takes its name from the ancient olive trees ( geth-shemna means oil-press ) which have been grown here since before Christ 's time . This site is named after the sheep that graze here . contradictory +yeah oh oh that 's what i was thinking by quick transition i didn 't mean you know i didn 't mean like Sweden going over to right hand drive or anything you know at midnight tonight we all switch over or anything I meant that right-hand drive is something that could happen for Sweden over the course of several years . neutral +Originally launched in 1936 , the Queen Mary carried royalty , statesmen , and celebrities on its trans-Atlantic voyages . Royalty used the Queen Mary for trans-Atlantic voyages . entailment +And most 3 ) An apology cuts off Starr 's investigations at the knees . An apology ends Starr 's investigation . entailment +We reported then and still find today that serious human capital shortfalls are eroding the capacity of many agencies , and threatening the ability of others , to economically , efficiently , and effectively perform their missions . Serious shortfalls in human capital have been a problem for many years . neutral +Managing for Using the Results Act to Address Mission Fragmentation and Program Overlap ( GAO / AIMD-97-156 , August 29,1997 ) . The report was issued on August 29 , 1997 . entailment +Then suddenly I said a thing I could have bitten out my tongue for : " You know that Dr. I said something but was unhappy with myself for saying it . entailment +The village was made famous in the 19th century , when a writer named J. Budworth encountered Mary Robinson , the beautiful daughter of the landlord of the Fish Inn . J. Budworth and Mary Robinson had a close relationship and most of the people knew about it . neutral +In May every year , the Scottish International Children 's Festival holds arts , theater , and dance activities and performances especially for children aged 8 to 15 . Although now most known as an arts festival , the children 's festival was originally meant for all kinds of participatory activities for children . neutral +The children are living in fairly intolerable situations while the parents are battling it out , she said . The government as well as parents are trying to fight the harsh conditions that they and their children are living in , and the efforts are somewhat successful so far . neutral +Jon 's mind had trouble measuring the scope and shape of the behemoth . Jon was in awe of the giant creature . neutral +Identified only as Paula in the story , she was described by one trooper as offering to become Clinton 's girlfriend after their encounter . He wanted to be his boyfriend . contradictory +and told us to get inside our car We were scared while in the car . neutral +there 's never there 's never going to be enough hours in the day even if you took speed reading huh yeah If you organize , you can get anything done during the day . contradictory +'Good shooting , ' I supposed . I said he had hit the bullseye every time . neutral +The southwestern corner of the Lake District has some of the moodiest landscapes in all of the UK . The landscapes in the south west part of the Lake District feel calm and happy . contradictory +Their quarters opened off the narrow Courtyard of the Black Eunuchs , beyond the gate . Inside the gate is the wide Courtyard of Black Eunuchs . contradictory +The imposing chateau ' former home of the Counts of Geneva ' contains an interesting museum devoted to local archaeology and folklore and the natural history of the Alps . No one ever lived in the château . contradictory +More likely , Hanson decided , Ser Perth was supervising the supervisors , making an inspection tour of all this . Ser Perth was conducting a tour as part of his quarterly evaluations . neutral +It also coordinates the production and statewide distribution of community education and self-help materials in many languages . Community education and self help materials are produced in many languages . entailment +that was part of that trilogy that uh Bruce Canton did That was part of that trilogy that Jenny McKenzie did . contradictory +Lying the farthest southwest of Japan 's four main islands , Kyushu has always set itself apart from the others . Kyushu is the furthest southwest out of Japan 's four main islands . entailment +The rather extravagant color of his clothing matched well with the town . The town was filled with extravagant colors . entailment +More than 200 Old and New Testament figures are sculpted on the calvary at Guimiliau . The 200 sculptured figures represent the uniqueness of the calvary . neutral +yeah my my roomy wants to buy a a Sphinx My roommate is going to buy a Sphinx this weekend . neutral +Of the notable stories in this collection , A Coupla Scalped Indians , published in 1956 and possibly a fragment for a new novel , is the biggest disappointment , since it is the latest Ellison work here . A Coupla Scalped Indians was published in May of 1956 . neutral +Employers who successfully excluded legal services representatives from their labor camps or intimidated workers into not contacting legal services during the course of employment could ensure a workforce without access to legal representation . Employers are not able to force legal services out of their work force , per government regulation . contradictory +yeah yeah and he 's a very strong willed person and his his ideas whatever came through you know with however so they said if if you um His strength of will comes from the difficult experiences he 's faced and beaten in the past . neutral +Inflation , however , would turn that into a 9 percent cut in annual purchasing power . They would lose too much with the cut rate . neutral +i don 't know do do you ever go to Howard Johnson 's in uh i i don 't know if there are even any Howard Johnson 's around any more you used to get an ice cream sundae in that big old goblet a few years ago , you could get a really good burger at Howard Johnson 's contradictory +Probably this book could be done better , but no one is going to get an opportunity to do that , so you might as well live with what you 've got , warts and all . Someone would have edited this book , if they could . neutral +Now ain 't they th ' purtiest things ? he inquired of the stable at large . He had a real fondness for all stable animals . neutral +yeah we have a dog too so that adds to it you know been tracing in and out with whatever the weather is like out there so We have been tracking it and checking what the weather is like . entailment +And I 've never looked lovelier . I haven 't looked lovlier . entailment +Look , One of these men is a sociopath and the other , a spineless dweeb . Those men are both awful . neutral +Brown and cream Sherries are olorose , and so is an amorose though it 's medium dry and pale in colour . Amorose is the exact same as olorose . contradictory +The ruins of the huge abbey of Jumiyges are perhaps the most the white-granite shells of two churches , the Roman ? ­ esque Notre-Dame and the smaller Gothic Saint-Pierre . The ruins of the abbey may be the shells of three churches . contradictory +What he saw of the resources of this private fort led Drew to accept the other stories he had heard of the Range , like the one that Don Cazar 's men practiced firing blindfolded at noise targets to be prepared for night raids . Drew had never heard any stories about Don Cazar and his men . contradictory +6 percent of GDP , net national saving was 5.7 percent of GDP . 40 percent of GDP , net national saving was 60.2 percent of GDP . contradictory +Somebody MUST have seen her . " Forthwith the campaign began . I am sure that no one saw her . contradictory +and and do you know anything about that new stadium have you seen all those pictures that they 're going to put out there The stadium will be built very soon . neutral +One of the key areas challenging federal agencies is creating results-oriented organizational cultures . One of the key areas for federal agencies is creating a results-oriented culture . entailment +No dummy this time ! They aren 't a dummy . entailment +yes i remember that i had to do some of my husband 's papers because i had access to one but you know he his was more for scientific stuff than for word processing you know so My husband took care of that all . contradictory +This includes numerous classical performances . The performances are completely new and original . contradictory +yes since TI has uh uh instituted that um uh walkabout i have gone out and started walking even more bought me the you know the proper proper shoes and everything to get started and uh park out there you know way out there in the boondocks TI hasn 't instituted that walkabout yet so I haven 't bought new shoes and I still park very close . contradictory +Come inside , Manning , said John , " I want to speak to you . " Manning came slowly and hesitatingly through the French window , and stood as near it as he could . Manning stood as near the French window as he could , and prepared himself mentally for a possible emergency escape . neutral +yeah and raising cats yeah and raising 15 cats neutral +If you don 't have the right leadership team in key policy , operational and management positions , the department will be at risk . Lack of leadership will not jeopardize the state of the department . contradictory +For instance , Colorado school administrators like to brag that their state 's average SAT score is the highest in the country . Colorado 's average SAT scores are the lowest in the country , and the school administrators seem to be fine with it . contradictory +The usefulness and appropriateness of using cranes in an FGD installation is dependent on several factors , including the ability to physically place a crane on site or adjacent to the site ( e.g. The ability to physically move a crane had a large influence on the usefulness of the operation . neutral +A fantasy resort for the whole family , with trams and launches to take guests to their rooms , the Hilton is best known for its swim-with-the-dolphins program . The Hilton is a fantasy resort for the whole family . entailment +The Chalet Kilauea , the hub of this little empire , serves gourmet breakfasts and afternoon teas . The Chalet Kilauea only serves lunch and dinner , and is therefore not open until noon . contradictory +To get to it , you must climb barefoot the hill is holy ground up 644 steps cut in the rock . Each of the 644 steps have a religious meaning . neutral +Leading the repub ? ­ lican hostility to the Church 's entrenched position in the schools , in 1882 Jules Ferry enacted the legislation that has formed the basis of France 's formidable state education system ever since . Ferry enacted legislation in 1882 . entailment +Across the main road is the start of a boulevard laid out in the style of Barcelona 's gracious Ramblas , but in tiny Santa Eul ? ria the effect is somewhat muted . Ramblas is located in Seville and not in Barcelona . contradictory +The freshwater hole is said to be bottomless , although Jacques Cousteau dived here and measured the depth at 61 m ( 200 ft ) . This is one of the very first waters explored by Jacques Cousteau early in his career . neutral +made a little extra money there huh I made a little extra money selling shoes . neutral +Going to the Pubs Staying at home . contradictory +Dark rings formed under her eyes and the eyes themselves nearly sent Jon into a panic . The blood clotting under her eyes sent Jon into a panic . neutral +At the time Stupa I was built , Buddha himself was not represented in human form , but symbolized by the horse on which he rode away from his palace , by the wheel of law , by his footprints , and by the pipal tree under which he found enlightenment . Artists began representing Buddha in human form several hundred years later . neutral +It was Number Six of my catalogue . " It was 6 in my catalog , I think . neutral +from the Falkland Islands ' Penguin News . This story came from a newspaper called Falkland Islands Penguin News . neutral +It 's his fellow senators he can 't stand . He is the Senate Majority Leader . neutral +The most visible Gallic touch in this bastion of the French colonial adventure in India is the scarlet k ? ? pi worn by the white-uniformed traffic police waving you on as you drive into town . The white uniformed traffic police resent having to dress according to the French colonial style . neutral +i still got a few years I really don 't have that much time left , a few weeks at most . contradictory +I have oh okay i have a my my i have a daughter i think she 's in Spring Field i 'm not sure she 's around there somewhere she just got her a new apartment I have a daughter who just got a new apartment . entailment +Where 's the social purpose in that--affirmative action for lousy actors and worse writers ( most of whom , it must be noted , are white ) ? Affirmative action for lousy actors has a questionable social purpose . entailment +On the other hand , leaders who are--by African standards--democratic , uncorrupt , and competent have taken over former military dictatorships such as Uganda . On the other side , the good leaders have control of military dictatorships such as Uganda . entailment +This research is crucial as the field progresses from evaluating efficacy in research settings to examining effectiveness in the current , complex health care delivery system . This research is crucial as the field progresses from evaluating efficacy entailment +Trouble is , the Internet makes a farce of any such one-Web-site-one-country solution , as the case in hand demonstrates . The internet also pokes fun at international webpages . neutral +The Department of Veterans Affairs ( VA ) comprises three agencies that provide services and benefits to veterans . The three agencies that comprise the Department of Veterans Affairs have significant overlap in their goals . neutral +The sound of a deep rumble vibrated in the rocks around them . The objects were moved by the sound . entailment +Yet Poniatowski recovered to preside over a reform movement that precipitated the creation of the 1791 Constitution , which restored the hereditary monarchy and overhauled Poland 's political system . Poniatowski viciously opposed the reform movement for all his life . contradictory +The rumble continued but it was not as strong as the night before . The rumble died and left them in silence . contradictory +yeah yeah they have i don 't either well um you know they what you don 't hear about is how many they turn away The amount of people they turn away is reported on almost daily . contradictory +Things that might once have been screamingly campy are now played straight : People dramatize their emotions but rarely overdramatize them . Emotions are conveyed well . neutral +: Jon and Susan Susan was younger than Jon neutral +Either random public gunplay or regular bathing . Both regular bathing and gunfights . contradictory +In 1860 , a treaty gave Britain a permanent beach-head on the Chinese mainland the Kowloon peninsula , directly across Victoria harbor . A treaty let the British stay on the Chinese mainland for ten more years . neutral +I 've known a lot of big men that will piss themselves if they feel their own blood rolling down their neck but she didn 't . She seems more powerful and strong than even some of the strongest men . neutral +Right now , ADSL is ridiculously expensive--more than $ 1,000 for the modem alone . An ADSL modem costs over $ 1000 . entailment +The average profit for all residential routes is $ 41 with 46 . There average profit for all residential routes is $ 56 with 46 . contradictory +Literally , nothing in particular- a flood of blinding daylight was blotting out the view , overexposing it into nothingness . The view from my car was impeded by a blinding flash of daylight . neutral +Of course , if you 're not in those areas , you 're back to AskMe.com or FreeAdvice.com or RipOffCity.com. If you don 't live in those places , you 're stuck with AskMe.com or others . entailment +The sculptural ensemble is probably the best-known fountain in all Spain . This fountain in Spain is possibly the most popular in the country . entailment +and what are you doing What are you doing ? entailment +There are two roads from Cairo to Alexandria . From Cairo to Alexandria , there are two roads . entailment +Croseng O 'Connell Bridge , there are fine views along the The Custom House is on the right and to the left is the equally splendid Four Courts . Next to the Four Courts you can see the most magnificent library . neutral +Mrs. Cavendish , of course , could not be called upon to give evidence against her husband . Mrs. Cavendish testified against her husband . contradictory +The towns hold a mirror to Malaysia 's ethnic blend of Malay , Chinese , Indians , and Eurasians , living side by side or in their separate neighborhoods . Malaysia has an ethnic blend of Malay , Chinese , Indians and Eurasians population . entailment +For instance , IOLTA grants money to several Court Appointed Special Advocate Programs ( CASA ) for children in Essex , Morris-Sussex , Mercer and Atlantic-Cape May . CASA ggets money from IOLTA . entailment +they just hit a long way well i 'm i 'm getting better about hitting them straight but where i get into trouble is around the green I hit the long ball well , but struggle around the green . entailment +The tiny sun came last . This was becausse of a spell cast by the Vampire Lords . neutral +The risk of petty crime is high and the atmosphere is a little too oppressive for most tourists to feel comfortable walking the streets alone ( see page 116 ) . All tourists report feeling safe on these streets because the crime rate is so slow . contradictory +Did you ever make up Mrs. Inglethorp 's medicines ? A slight flush rose in her face , as she answered rather constrainedly : " No . " She was constrained as she answered the question . entailment +Cook saw where you ran with the meat . " Cook saw where you took the meat . entailment +the the hoagie steak that they they sell They sell the hoagie steak and chicken . neutral +Artaud 's art is insidious ; its penetration of what we know is so acute , its lucidity so much the equal of its delusion , that deciding where the one leaves off and the other begins can seem merely a measure of our own delusions . Artaud 's art is insidious . entailment +Predicting that he would get a lot of heat for treating the minister with respect , Novak said that Farrakhan was more measured and a lot less confrontational and provocative than a lot of the politicians we talk to regularly on this program . Farrakan was very civil and modest in the questions he asked the politicians contradictory +" Another Rebel ? " Anse stood up . " No more rebels " , Anse sat down . contradictory +where the fishing pretty good and uh I found a lot of carp in that area . neutral +There are few more refreshing experiences than to arrive in Aix at the end of a long hot afternoon and walk under the arching plane trees and past the fountains of the Cours Mirabeau . There are palm trees near the Cours Mirabeau . contradictory +Thank you for the offer of your food . It was suggested I could have the food . entailment +Stand on the Grand Pont for the celebrated view of the strange old timbered houses reflected in the calm waters of the river that runs through the middle of the town . The strange houses are still resided in by very strange folk . neutral +What is that for ? asked Adrin . Adrin asked about what it 's for . entailment +The sacred site of Glendalough in the Wicklow Mountains is still highly evocative , and should not be missed . Glendalough has been a sacred site for thousands of years . neutral +'Terrible business most mornings , ' Greuze replied . Greuze 's business was failing in the mornings because the local townsfolk couldn 't be bothered to get out of bed . neutral +My favorite strip was when Lucy fell ill and sent Rerun to hold the football for Charlie Brown . I liked the cartoon where Lucy was sick entailment +Users could search for comments either overall , for particular rules , or within particular sections of the rules . The comments for rules can be filtered by date . neutral +uh-huh of the second one You 'll be most interested in the first . contradictory +For example , we are developing the variation that we call the cumulative case study . The cumulative study is being done by us . entailment +yeah is is fairly familiar the thing that i thought was interesting was that the critics apparently it 's gonna win everything I thought it was boring that the critics think it 's gonna win everything . contradictory +Virtually everyone who 's anyone is depicted in an inside Drew Barrymore ( The Nymph ) , Sean Connery and Michael Caine ( The Old Devils ) , Jodie Foster , Michelle Pfeiffer , and Meg Ryan ( The Three Graces ) , etc . Sean Connery and Michael Caine are known as The Old Devils . entailment +what do you all have aspen you all have mostly aspen or Some of you have aspen and some of you have something else . neutral +Don 't be silly . Don 't be childish . neutral +to accelerate the development of this industry in the United States . Development in this industry is not able to be accelerated . contradictory +The counter-arguments 1 ) neither did Arledge ( he came from the sports division ) and 2 ) Arledge will tutor Westin for a while . There were no counter arguments available . contradictory +yeah it it 's a little disturbing Yes , that is quite disturbing . entailment +Current saving and investment decisions have profound implications for the nation 's level of well-being in the future . Current saving and investment decisions have no implications for the nation 's future well-being . contradictory +The Biblioteca Ambrosena ( Piazza Pio XI ) has reopened in the newly restored 17th-century palace and library of Cardinal Federigo Borromeo . The Biblioteca Ambrosena was never reopened . contradictory +Facing all the bustle of a remodeled Puerta del Sol is a statue based on Madrid 's coat of arms , which depicts a bear leaning against a madro ? ? o tree ( an arbutus , or strawberry tree ) . The bear depicted on the statue is leaning against a strawberry tree . entailment +Highway 1 is a nonprofit organization , made up of companies such as IBM and Microsoft , whose goal is to educate the government on the potential of information technology by being a source for information and by demonstrating technologies that are shaping our society , economy , and public policy . There is no private organization to help educate the government . contradictory +and and it happens then and i i uh uh you you know my uh uh oldest daughter 's fiance is a uh is a part part he 's a college professor but he also is a reserve police officer and and he uh he has all kinds of guns and he 's taken her out to teach her to shoot He is a skilled marksman and a good police officer . neutral +Bauer , by contrast , was a shrewd and vicious opportunist . Bauer was a fair and gentle opportunist . contradictory +The cautious tell you not to drive in Naples , where one-way signs are meaningless , parking is impossible , traffic is relentless , and red and green lights can be purely decorative . There are a lot of automobile accidents in Naples . neutral +Not a bad sound bite . Not a negative sound bite . entailment +they don 't even have social skills oh i don 't know i really don 't know i i think that if somebody asked me i would hesitantly say yes that i could could hand down a death sentence i think it 's plausible i might hand down a death sentence to these people entailment +The Taanos feared an evil spirit , Juracan , who was responsible for violent storms and gave his name to the tropical hurricanes of the West Indies . Juracan put fear into the Taanos . entailment +Moreover , some deceptions are , technically , not lies , theologically A person could tell a truth with sufficient clarity to avoid making a false statement and sufficient ambiguity and evasiveness to avoid revealing a truth which he wants to keep hidden . People can still deceive by omission though they technically do not make any false statements . entailment +Tommy ordered tea and buns . Tommy asked for tea and buns . entailment +According to the Enquirer , the editor of George slammed down his hand during an argument with a staffer and broke a bone . The editor slammed down his hand but was unhurt by it . contradictory +Yet , even if we did believe in the fixity of races , double identity is meaningless unless we also presume that American identity is immutably white . We do not believe in the fixity of races . entailment +Tommy lived through an eternity of hours , but at last he heard footsteps . Tommy had been waiting a short time before someone arrived . contradictory +Indeed , the city 's distinct geography allowed most of its older neighborhoods to survive the terrible destruction wrought by the second atomic bomb to be dropped on Japan , on 9 August 1945 despite the fact that the Nagasaki bomb was more powerful than the one dropped on Hirosema three days earlier . Most of the older neighborhoods were destroyed from an atomic bomb . contradictory +At its heart is a Venetian kastro that still retains original dwelling houses along its interior walls . The original dwelling houses were renovated and restored to allow people to experience them . neutral +Paths along the windswept bracken fells are for the most part flat and offer spectacular views of surrounding peaks . The paths are flat and you can see the surrounding peaks easily . entailment +i i 've i 've got all the videos that i can get my hands on of of Miss Marple I haven 't been able to get my hands on any Miss Marple videos . contradictory +In her attitude towards Poirot , she was inclined to be suspicious , but he soon broke down her defences . She wasn 't suspicious of Poirot . contradictory +Estimated Resources Needed for Single and Multiple SCR Retrofits ... SCR retrofits require resources that can be estimated . entailment +provisions may increase saving because more people may choose to participate and to contribute larger amounts . Provisions might increase savings because people may contribute larger amounts entailment +There are three methods of cost ( a ) directly tracing costs wherever economically feasible , ( b ) cause-and-effect , and ( c ) allocating costs on a reasonable and consistent basis . There is only one way to figure out costs . contradictory +The Bracero program has been likened by some to indentured slavery where employer exploitation was rampant and inhumane . The Bracero program requires that individuals sell their organs if requested . neutral +I shot the agent of the Eye first , the hooded man . I shot the man in the chest . neutral +The total implementation time for sequential hookup for multiple systems is estimated at between 32 months for two absorber modules and 36 months for three absorber modules . There is a four month difference between two absorber and three absorber modules . entailment +Ah , yes , those wily Asians . Those crafty Chinese . neutral +Film in India , produced mainly in the cities of Chennai , Mumbai , Calcutta , and Bangalore , is a major industry . One of India 's major industries are films produced in cities such as Mumbai and Bangalore . entailment +It told me that Mrs. Inglethorp had been writing the word ' possessed ' that afternoon , and , having the fragment of paper found in the grate fresh in my mind , the possibility of a will , ( a document almost certain to contain that word ) , occurred to me at once . I was worried that Mrs. Inglethorp had changed her will . neutral +Glass plates in the church floor allow you to see fragments of the Byzantine floor mosaics left from the floor of an earlier church . Fragments of old Byzantine floor mosaics are left on the church floor . entailment +yes yes you 'd be more harmed or something yeah You 'd be perfectly fine . contradictory +This means collecting the mail and sorting it either by hand or on a sorting machine . The mail can be sorted by hand or in a machine . entailment +Good luck to you . I wish you good luck in in love . neutral +But when you represent a client in desperate need of service who may not have the required retainer - guess what ? When you represent a client that really needs service that may not meet the required retainer - guess what happens ? entailment +I 'm at Waterloo . I am currently stationed at Waterloo . entailment +In 1936 , well before No Depression was launched , the Carter Family recorded a song called No Depression in Heaven . There are two songs that incorporate the phrase ' No Depression ' . entailment +Barik shouted at the northerner in a strange tongue . Barik and the northerner had a conversation . contradictory +McKay 's critique remains only a draft , however , and it has not yet undergone the rigorous peer review that the original paper withstood . McKay 's critique has gone under peer review already . contradictory +He raised a revolt in Sfakia , but the support never arrived . Support came to Sfakia to aid the revolt . contradictory +We might also be able to report the number of applications for housing construction permits and how many units suitable for low-income housing were coming on the market within 12 months . We can report the number of applications for permits there were issued that will house low-income people below the poverty line . neutral +Though I did not acknowledge it to myself , the thought of Mary Cavendish was weighing on me . Thinking of Mary Cavendish made me feel troubled . entailment +It 's a good thing Styles wasn 't the mater 's to leave to him . Mrs. Inglethorp was able to will Styles to her husband because of legalities . entailment +Thus , the meetings that are the focus of our review were the result of a governmental activity-the establishment of the NEPDG . The meetings we are focused on are the result of NEPDG being established by the Senate . neutral +Formerly waterspouts , these now stay dry . It is unknown why the waterspouts have become dry . neutral +yeah that that doesn 't uh fit my picture of uh of uh meteorology i can understand the Poles because they 're uh a permanent high pressure area That 's exactly how meterology works , I think . contradictory +For example , at the state agency , we also met with a statewide security program official and with state auditors . State auditors were met with at the state agency . entailment +The categories are related to the evaluation subquestions ; for example , if a subquestion was How does the Immigration and Naturalization Service monitor the conditions of confinement in privately contracted detention facilities , coding categories might include who is responsible , how these persons get information , what they do with information received , evidence that minimum standards are met , evidence of shortfalls , changes over time in monitoring , and conflicting guidance or responsibilities . The evaluation subquestions are in relation to the categories . entailment +Miss Aldonka finally noticed : Miss Aldonka never noticed : contradictory +congressional oversight of IRS ' operations , including IRS ' implementation of the 1998 Congressional oversight of the IRS is very thorough . neutral +i i think it you know what i see is fascinating and i kind of enjoy it uh i 've always had that hobby ever since i was a child I enjoyed it as a kid . entailment +uh how they doing this year i 'm not i haven 't even been following them very much I haven 't kept up on what they 've been up to lately . entailment +UNLV i like them I like UNLV , they won last year 's championship neutral +well um most of the stuff up until now in the recent months i i i don 't have any problem with I had been alright with most of the things till now . entailment +Why the increase in Hispanic turnout and support for Democrats ? Why did more Hispanics vote for Democrats ? neutral +yeah looking looking forward to a really bad summer and hot summer I 'm looking forward to winter . contradictory +Ron-- Don 't read her daddy 's Clinton-inaugural poem . Ron isn 't supposed to read Clinton 's inaugural poem to her . neutral +So the question of the tonic was finally abandoned , and the Coroner proceeded with his task . The coroner kept working . entailment +E gypt 's long and illustrious history seems to hold the modern world spellbound . Many parts of Egypt 's history is still mysterious to this day . neutral +Simone Martini 's Miracles of St. Agostino Novello , and Pietro Lorenzetti 's Birth of Mary are not to be missed . There are no famous artworks worth seeing here . contradictory +Reachable only by boat until recently , they are linked by a network of ancient cliffside mule paths that provide some of Italy 's loveliest treks . Some of Italy 's best walks and hikes can be found here . entailment +Jaffa Gate and the Cityel of David are in the Armenian Quarter , which has been inhabited by Armenians ( the first nation to accept Christianity ) since the early fourth century . Armenian was the second nation to accept Christianity . contradictory +Finally , a glossary is attached that defines a wide range of technical and procurement terminology . A glossary defines a wide selection of terminology . entailment +oh that 's a nightmare This reminded me of many past tragedies . neutral +There are events and concerts , plus a museum bookshop and a cafe in the vaults . That place is full of life , something 's always happening there . neutral +My mind is made up . My mind is at a decision . entailment +i think it also probably also more is more as you get into the the big schools the ones that the TVs are going to cover and things anyhow when you still have the the lower sides or the smaller schools they 're all doing it just for the for the love of the game because they 're not getting the big revenues from anyone The smaller schools are better to get into . neutral +i i 'm so sick and tired of that i just can 't believe it it 's like Rocky films i i haven 't seen a one i can 't stand Stallone I love Rocky ! contradictory +In Palermo , churches and mosques stood side-by-side , feudal castles next to Oriental palaces and their exotic gardens . Palemo had feudal castles next to Oriental palaces as well as mosques near churches . entailment +10 discusses how the Social Security trust fund , for example , affects federal government saving and national saving . 9 discusses how the Social Security trust fund affects other national economic trends and issues . neutral +Who can best deliver the intervention ? Who will have the best delivery of the services in the ED ? neutral +While the right policy and criteria are necessary to ensure a disciplined , knowledge-based product development process , the incentives that influence the key players in the acquisition process will ultimately determine whether they will be used effectively . Policy and criteria have nothing to do with product development . contradictory +The Sala de Porcelana ( Porcelain Room ) is an overwhelming display of more than 1,000 pieces from the Buen Retiro factory of the 18th century . The Sala de Porcelana ( Porcelain Room ) is an overwhelming display of more than 1,000 pieces although some of them are damaged . neutral +uh no this is the first time i 've done it uh I haven 't done it before . entailment +We do not fear the forces of nature as much as our species once did , because we understand those forces better . Our species has grown to understand the forces of nature better . entailment +Scores of bars , restaurants , and kiosks cater for the primarily German tourists , and the beach is usually awash with lounge chairs and sunbaked bodies , pedalos , and windsurfing gear . There are usually a lot of lounge chairs on the beach . entailment +There 's another , more virulent way in which the movie is old-fashioned . The title of the movie is " Gone With The Wind " . neutral +and when when we started uh having kids she had to work for a little while but then she just started substituting My partner has never had a job . contradictory +'Do you work here , sir ? ' One guard asked . One guard asked the man a question . entailment +That 's the kind of truth that reveals itself to documentary filmmakers after the fact , when they go over footage and discover unexpected patterns , dissonances , glimmers of a universe that 's richer and messier than the one they set out to portray . In going over footage , the filmmakers see a truth that is structured , ordered and very neat . contradictory +None of this means that Hong Kong is about to go bust . This means Hong Kong is going bust . contradictory +Derry wasn 't with me . Derry was elsewhere . entailment +Even though my personal tastes in legislation tend toward the kind that begin , Congress shall pass no law , I admired the old Bill Clinton who attempted to reorganize the $ 1 trillion health-care business and who forthrightly called for a workfare program that would cost more , not less , than simple handouts . I strongly disapproved of Bill Clinton 's past policies , like his attempt to reorganise healthcare . contradictory +Second , we are coming ever closer to a worldwide middle class , the class from which athletes typically are drawn . There are thousands of athletes drawn from the middle class . neutral +It 's a continent really . It is Europe . neutral +humidity or something Humidity might be the reason for this feeling . neutral +The Bagatelle , once a royal retreat , has a very lovely English garden , bursting with flowers during spring and early summer . The Bagatelle is very pretty during the spring , with lots of types of flowers . entailment +You 'll see something of the town 's Venetian-dominated era on the graceful Piazza del Popolo , bordered by the 17th-century Palazzo Comunale Venetian insignia on the piazza 's two columns have been replaced by local saints Apollinaris and Vitalis . Apollinaris has been a local saint for over 800 years . neutral +uh Delford have you ever heard of that Have you ever heard of Delford ? entailment +However , the program is still quite competitive , and the project would probably have to involve testing as well as development . Testing and development will have to be included in the project . entailment +Any ideas ? Any ideas on how we can combat climate change ? neutral +Logically , if emissions continue at the same level , or increase , pollution problems will mirror that trend . Pollution problems will not mirror the trend of rising emission levels . contradictory +you can 't make parents be parents You can make parents be parents easily . contradictory +The museum was in the path of hundreds of bullets during the 1967 war , as you 'll notice by the pitted surface of its stone exterior . The museum 's stone wall exterior is pitted as a result of the bullets that were fired at it during a war in the 1960s . entailment +Hear the songs of Bob Marley booming from a hundred cranked-up car stereos or the chorus of frogs that begin to call as evening descends . Bob Marley is the most popular thing to blast on car stereos . neutral +Lawyers call it pro bono work , a Latin phrase meaning , For the public good . Lawyers call it " pro bono " because it sounds better than " free . " neutral +GAO will provide to all Members who request work , within 10 business days of receipt , a letter acknowledging the receipt of the request and either accepting or declining it . Members of GAO are given notice within 10 days if their request for work is denied or accepted . entailment +For this purpose , a classification of worksharing types is proposed , with no requirement that the types be mutually exclusive . It is not required that the worksharing types be mutually exclusive in this proposal . entailment +Darn it all , why ? " The little man shifted his benevolent glance to the excited young American . The man was very upset with the American . contradictory +Gold and silver are sold by weight , with relatively little extra cost added for workmanship , making them a good buy . You need to buy fast because prices will go up in response to the pleas of the workers . neutral +The brightest jewel in Istanbul 's Byzantine crown is the former church of St. Saviour in Chora , known in Turkish as the Kariye Camii . The church of St. Saviour was originally built as a Christian house of worship , but it is now a museum . neutral +At the start of production , 78 percent of These critical processes were in control . All critical processes were in disarray from the beginning of production . contradictory +One does , mister . A person does . entailment +( They take ) cases like preserving an elderly person 's home being foreclosed because of a predatory loan , Roodman said , or an illegal eviction of a person who will become homeless . They take cases like preserving an old person 's home that is going into foreclosure and getting them on a new repayment plan . neutral +I 'm sorry to say that you have not reached the lower limit . It is very hard to reach the lower limit in that case . neutral +TOMMY , old thing ! TOMMY , you old man ! You 're like what ... 70 ? neutral +I saw you roll out of your saddle back in Tennessee . I saw that you were in your saddle the whole time in Tennessee . contradictory +Today , it 's important to have access to timely and reliable financial and non-financial performance information . Reliability is more important than timeliness . neutral +The popular philosophy of income redistribution requires us to transfer income from the few high earners of today , while the popular philosophies of conservation and fiscal responsibility require us to transfer income to the many high earners of tomorrow . Income redistribution involves the transfer of income from high earners . entailment +For the convenience of the reader I will recapitulate the incidents of those days in as exact a manner as possible . I don 't care about the reader , this is my story . contradictory +And , these environmental improvements cost less than predicted because of the built-in market based incentives . The market based incentives that have been built into it are costing less . entailment +Are Randomized Experiments the Cadillacs of Design ? Random experiments perform the best neutral +What year would you recommend ? ' Do you recommend a specific time ? entailment +The original territory of the ancient civilization of the Etruscans has always been independent-minded , even aloof , in its attitude to Rome and the other regions . The Etruscans idolized Roman society . contradictory +An agency official has advised that HUD will subsequently issue final regulations . According to an agency official , final regulations will be issued by HUD . entailment +That is the invariable description of Mr. Brown ! You 're wrong , that 's not the Mr. Brown I know . contradictory +He also noted that none of the three clinical trials ( Gentillelo 's with trauma patients , his own with adolescents , and Longabaugh 's in the ED ) used physicians or ED staff to conduct interventions . Clinical trials were not done . contradictory +Slate posts new material every weekday . It is safe to say that during a weekday we can expect Slate to post new material . neutral +An article profiles middle-class black homesteaders who are regenerating ghettos . An article profiles how white people are regenerating ghettos . contradictory +because it just doesn 't work all the time it doesn 't fit there are circumstances that are different but i do think if you come to America and you 're going to live here and you 're going to go to our schools and do all of this speak our language It is best for you to speak the same language as us if you move to America . neutral +But it looks great on you . It fits you perfectly , and the stripes match your eyes . neutral +He said he 's never lost interest in having lawyers do what they can to help those in need . He suddenly stopped caring about lawyers and whether or not they did anything to help people in need . contradictory +They claim to look instead at future cash flows to stockholders . They say they 're going to look at the inside of the whale 's stomach instead . contradictory +His voice carried clearly . He was very audible . neutral +The interest that the entity pays on its borrowings is a cost to the entity and an inflow of resources to the Treasury . The interest paid by the entity never reaches the Treasury . contradictory +He stayed a moment , running the back of his hand on her forehead . He took his hand a smacked her forehead . contradictory +he yeah there there 's a lot of advice out there for how to get a budget and i i 'm not expert again because i don 't really do it monthly I know someone who can do my budget for me though . neutral +He made her feel uncomfortablre , and she didn 't like that . She didn 't enjoy the way he leered at her chest . neutral +The terms currently used to define the endpoints employed in the rapid , chronic and sub-chronic toxicity tests have been derived from the terms previously used for full life-cycle tests . The terms in current use for the purposes of defining the endpoints aren 't derivative . contradictory +well on this subject of invasion of privacy yes it 's very easy for anybody to find out about you your It 's easy for people to find out information about your financial status . neutral +Tuppence , for her part , sat bolt upright much in the attitude of a watchful terrier on guard . Tuppence slouched around and let her guard down . contradictory +course i 'm tend to be a slow learner i guess anyway but it 's a lot of fun and it 's it 's a good way to get exercise you know fooling yourself because you don 't realize you 're getting exercise you know it 's so much fun you don 't really think about it It is a boring and hard way to exercise . contradictory +He has said many things that I wouldn 't try to defend , and that I doubt Bill Bradley would want to defend either , such as his formulaic , p.c. I wouldn 't defend a lot of the things he had said . entailment +I will do all you wish . " Julius lowered the revolver . I will grant you your wishes , Julius put the gun down . entailment +oh well that 's good because i know they 've been really expensive lately because they weren 't in season of course they had to be be uh grown in greenhouses and stuff and in Next season , they will go down in price . neutral +because we have so much to pay for now it 's going to be really passed on to your generation and maybe a few others We have no financial obligations . contradictory +a slim , dark tale that bears some kinship to J.M. This slim , dark tale is about taking a taxi at the wrong place . neutral +Rule 1115-0086 was resubmitted to OMB for approval because of minor revisions necessary to comply with the provisions of the interim rule . The rule 1115-0086 was perfect and had no mistakes . contradictory +This is also the site of a strange but a little disappointing petrified savanna forest ( la savanne des p ? ? trifications ) , rather difficult to reach over rutted automobile trails of rock and sand . The forest is vibrant and full of life . contradictory +Adrin stood ready , off-hand dagger in front and rapier in his rear hand . Adrin stood there with both weapons drawn . entailment +yeah it 's kind of neat not to mention the fact that it 's got four thousand ninety six colors and you can 't get more than two fifty six out of a PC or a Mac either one The colors on this are comparable to a PC or Mac . contradictory +Many of EPA 's stakeholders are businesses or other regulated entities that wanted the agency to address such matters as the procedural costs of environmental regulations . Most of EPA 's stakeholders are charities and non-profits contradictory +um now at this particular time the children were two and six but then i also i 've been babysitting this child uh for about eight years he 's nine now and um you know i 've watched him grow up and he 's like a little brother to me THe kids were both teens . contradictory +Overhead the marred sky shone in crazy quilt patterns . The sky appeared to be a crazy quilted pattern . entailment +The Straits Settlements were formed after the Anglo-Dutch Treaty of London ( 1824 ) . English and Dutch negotiators could not reach an agreement and the treaty was abandoned . contradictory +John 's voice sounded outside . John spoke so quietly that he could not be heard outside . contradictory +I 'd like to see us get on to the issues , replied Senate Democratic leader Tom Daschle , D-S.D. , when asked on This Week about Broaddrick 's allegation . The republican leader is Mark Bredley . neutral +You fresh air / fresh ideas The ideas were featured on shark tank . neutral +13 mentions the amount of money Mark McGwire 's 70 th home run ball sold for and points out the difference between the two quoted numbers-- $ 2 . The baseball sold for more money than Mark McGwire made in a year . neutral +what time you going to come in just come in uh What time will you get here to see the family ? neutral +In the preambles to the proposed and final rules on the open access nondiscriminatory tariff and stranded costs , the Commission explained that sections 205 and 206 of the Federal Power Act , 16 U.S.C. The Commission explained the sections of the Federal Power Act . entailment +White and I waited together at Louisian Saint Train Station . I was waiting alone at the Louisian Saint Train Station . contradictory +In that respect , participants noted that the SEC should be effectively using the option of referring cases when appropriate to the Department of Justice for investigation for possible violation of criminal statues . Participants saw the SEC could refer 10,000 cases . neutral +Campbell Earl Campbell and they run that man to death Campbell was ran to his grave because of his insubordination . neutral +For visitors today , Kumamoto serves as a convenient gateway for the scenic road trip to the Mt . There is a river located next to Kumamoto . neutral +The article was referring to GAO 's April 1999 report on wildfires . GAO has never reported on any wildfires in 1999 . contradictory +When I told Noble that I was tackling the workout , she replied , Your nose is going to start to talk to you because the contrasts really stand out . Noble responded after I told her about my workout progress . entailment +Today 's proper application of available technology makes it possible to perform the required prepayment examination without assembling hard copy records from diverse locations as in the past . Today 's technology allows for prepayment examination without gathering hard copy records . entailment +yes um i was wondering whether you were in favor of statehood independence or the status quo for Puerto Rico Puerto Rico is an independent state at this time and doing just fine . contradictory +oh they are they 're they 're loads of fun that 's the most playful cat around They are the nastiest , most curmudgeonly cats in the world . contradictory +A plan to teach school students to cry ' Please God , no ! The students will be discouraged from mentioning God . contradictory +Once I got away from the sanatorium I felt different as though something in me that had been buried for a long time was waking up again . I got away from the sanatorium . entailment +Dent was operating a royal charter for the British North Borneo Company a charter similar to that of the EIC . The British North Borneo Company was set up in a way that was similar to the EIC . entailment +Mary was forcedto abdicate in 1567 , and the infant prince was crowned as James VI . James VI was loved by all . neutral +Unless you actually stand beside the canal you can 't see the water and they look as though they are simply floating along on the sand . You can see the rivers from far away . contradictory +Legendary places plucked from the pages of popular novels and the lives of fiction writers need little input from visitors to evoke their storied Graham Greene 's Hotel Sevilla , where Our Man in Havana went to meet his secret service contact , and Hemingway 's favorite watering holes ( El Floridita and La Bodeguita del Medio ) and the Hotel Ambos Mundos , where he penned much of For Whom the Bell Tolls . Hemingway wrote a lot of For Whom the Bell Tolls at the Hotel Ambos Mundos . entailment +That I miss her . I don 't miss her . contradictory +In describing his time in the Texas Air National Guard , Bush says he wanted to go to Vietnam to relieve active-duty pilots , but hadn 't logged enough flying time to qualify for the program . Bush says he would have needed 100 more hours of flying time to qualify for the program . neutral +South of the imposing Place de la Bourse , the old Quartier Saint-Pierre around the church of the same name is a masterpiece of urban renewal . Quartier Saint-Pierre was built before the church of the same name . neutral +Each pub has its own unique atmosphere , created by the landlord and the local clientele . Each pub s run very differently but they all serve beer . neutral +The victory secured independence from Spain . Spain took over the entire continent and many preexisting countries perished . contradictory +If it hadn 't been for you we 'd have lost her . " Albert flushed with pleasure at this tribute . Albert frowned when he heard the tribute . contradictory +um some some later proof sets because they have a slight error in them are are worth hundreds of dollars you know and and the coins themselves aren 't worth very much at all face value basically They are not worth as much because of their imperfections . contradictory +The other field office , which reported saving about $ 32,000 over 6 years , also noted that multiple changes in contract carriers have made it more difficult to accumulate and effectively use frequent flyer miles . The number of changes in contract carriers is expected to decline this year . neutral +Her quick ears caught the sound of the approaching train . She heard the train approaching fast . entailment +Geographically if not temperamentally part of the Left Bank , the Palais-Bourbon is the seat of the Assemblee Nationale ( parliament ) . The Assemblee Nationale is the legislative branch of government . neutral +HUD has discovered that the controlled business disclosures , which are mandated in section 8 ( c ) ( 4 ) ( A ) of RESPA , 12 U.S.C. HUD has discovered absolutely nothing . contradictory +They tore each other apart and feasted on the dying and dead . They were vegans . contradictory +Its paneled front was carved with deeply incised patterns centering about a shield bearing arms . A shield bearing arms was on the paneled front . entailment +They would use her as a conduit to speak across the land . She 'd be used as a conduit to speak across the land about the war . neutral +But judges , whose jobs depend on judicial procedures being impenetrable , convoluted , and self-contradictory , systematically conceal what they are thinking of when they use the phrase reasonable doubt . Their jobs depend on judicial procedures being impenetrable . entailment +The French connection was to begin in 1682 when Rene Robert Cavelier , Sieur de La Salle , claimed for France a huge swath of territory radiating from the Mississippi . France had a tiny amount of territory along the Mississippi . contradictory +In the family of political talk shows , Crossfire is considered the ne 'er-do-well cousin . Crossfire is considered not part of the political talk show family . contradictory +who do they of course you know Mike Marshall was the big guy the year that uh uh they won the World Series and Kirk Gibson Who who are are the Dodgers big RBI guys now They won the World Series because of Mike Marshall . neutral +The beautifully restored grounds and buildings include the workshops , the convent with its Roman arches and painted Indian motifs , and the church with gold-leafed reredos ( ornamental screens ) from the 16th-century at the back of the altar . The grounds were demolished to make room for a shopping mall many years ago . contradictory +Judging by today 's responses , the network 's lineup would seem to consist of Peter Jennings , Sam Donaldson , Ted Koppel , and Barbara Walters , grilling Ellen DeGeneres about her lesbianism while a bare-assed Regis Philbin dispenses cash and prizes . The networks lineup consists of Peter Jennings an others . entailment +It reflects at least in part the conception of liberty that was championed earlier in this century by such writers as Robert Lee Hale , who found coercion in every refusal to deal . It shows the origins of freedom from history . entailment +to the point where he needed an extra boost to to do something like that and uh it 's really it 's it 's uh hard work i couldn 't imagine taking lumber raw lumber and trying to make something out of it he dowels He work with raw lumber making tools and other things . neutral +Sir Walter Scott and Robert Adam are here , but you will also find individuals such as Neil Gow , a virtuoso fiddler of great renown in his own lifetime ( 1727 1807 ) . Sir Walter Scott , Robert Adam and Neil grow are here . entailment +It reminded Jon of the Voth . It reminded Jon of the ferocity of the Voth . neutral +Spanish restaurants are classified and priced by a system of forks , with facilities and length of menu more relevant than the quality of the food . The most important thing is how good the food tastes . contradictory +We thank the LSC Board of Directors for giving us this opportunity to present our work . We thank the LSC Board of Directors . entailment +" Magic ! " The overseer scowled and gave Hanson a shove that sent him sprawling . The overseer did not want to see Hanson again . neutral +The tour takes you through the studios , film sets ( when not in use ) , sound stages , and props department , and offers a glimpse of other behind-the-scenes activities . The tour takes you through the studios , film sets ( when not in use ) , sound stages , and props department , and offers a glimpse of other behind-the-scenes film activities . neutral +It was two months ' fore I could crawl round better 'n a sick calf what lost its ma too early . Two months had passed before I could attend to the sick calf that was motherless . entailment +By the end of the third quarter , Sept . 30 , 2001 ( the last date for which this data is available ) , that amount had increased to an average daily balance of $ 1 . The amount decreased by the end of the quarter . contradictory +Keeping summary records of actual security incidents is one way that an organization can measure the frequency of various types of violations as well as the damage suffered from these incidents . Many organizations choose this summary method as their way of measuring violation frequency . neutral +The COO should be at an organizational level equivalent to the current deputies in major departments and agencies in order to help assure the effectiveness of this position . The COO is at the same level as the current deputies . entailment +Leonardo da Vinci eagerly applied the new method to architecture , civil and military engineering , urban planning , geography , and map-making . Concepts such as urban planning and map-making were poorly developed until the new method was introduced . neutral +Reportedly the biggest payment made in such a case , it is hardly a nick in Texaco 's annual revenue of more than $ 30 billion . Texaco has annual revenue of less than 500 million dollars . contradictory +Operators are standing by . Operators are not available today . contradictory +A person 's basic humanity is not governed by how he or she came into this world , or whether somebody else happens to have the same DNA . The basic humanity of a person depends on how they came into this world or how they are related with other humans . contradictory +A boat cruise on the Seine is one of the best introductions to the city . There are different approaches to introducing one 's self to the city . entailment +When his Majic Bus students encountered a couple of belligerent Buchananites spouting nativist claptrap , Brinkley 's immediate reaction was to treat the pair as loonies and hustle his students back onto the bus . Brinkley did not try to talk to the loonies . neutral +Maybe magic was working again . Maybe government was working again . contradictory +Tellingly , the has-been corner routine is not in the movie . The movie is not encyclopedic on the subject . entailment +This is an exchange transaction , because each party sacrifices value and receives value in return . Each party receives equal value in return . neutral +The old man spoke to me . I was spoken to by the old man . entailment +11 Electricity generating facilities often plan the connection to occur during planned outages to avoid additional downtime . Coordination and cooperation between the facilities are used to navigate issues during planned outages . entailment +that 's true well since there 's not going to be peace over there don 't you think like getting involved as we have that that 's going to mean that we 're going to be involved from now on and so any war that breaks out we 're going to have to be in the middle of it We have to send troops to fight , if war breaks out . neutral +Men pray to the left , women and children to the right . Men pray separately from women and children . entailment +We do not believe it is reasonable to expect all the control technology installations to be completed in that time frame without very high costs and electricity reliability problems . There may be high costs and reliability issues for this time frame . entailment +Very well , then . Very good . entailment +The cover story explores modern treasure-hunting . It examines present day treasure-hunting . entailment +It is but the extremely beautiful nature that you have , which made me pause . " The speaker is entranced with the subjects beautiful nature entailment +Similarly , the idea that Native American babies , or black babies , or whatever , have some mystical genetic affinity with their own kind is silly . There 's no proof that babies have a genetic affinity with their own race , but they do all know the secret handshake . neutral +That is all I want to know . I do not want to know that . contradictory +The house advantage is that if you bust , the dealer takes your money even if he busts as well . The dealer can 't bust if you do , he just takes your money . neutral +For the Clear Skies Act , control technology installations have been looked at for the periods between now and 2005 , 2005 and 2010 , 2010 and 2015 , and 2015 and 2020 . Control technology installations have been reviewed for the years between 2005 and 2020 . entailment +well sometimes it 's rewarding and and sometimes it 's a struggle The good outweighs the bad . neutral +Where 's the larder ? " Tuppence directed him , and he returned in a few minutes with a cold pie and three plates . Tuppence helped him find the cold pie because he wanted a slice for himself . neutral +and i 'm concerned that 's just you know the beginning of it I think we 're only just through the looking glass . entailment +A wide walkway riverside allows you to stroll and benches allow for a shady seat . There is a wide walkway on the riverside . entailment +Even if gross national saving were only sufficient to replace depreciated capital , the economy could grow to some extent because replacing worn-out and used capital with new equipment tends to bring improved technology into the production process . If gross national saving was only sufficient to replace depreciated capital , the economy would still grow at least 5 % . neutral +I guess another day of it would have driven me and Beresford stark staring mad ! " I think a little more of that would have driven me and Beresford insane . entailment +Now go to sleep . Please , stay awake . contradictory +i even started a new job and trying to get acclimated there I 'm still unemployed . contradictory +While rulers fought for control of the Ganga valley , new invaders appeared at India 's frontiers ; Cyrus , Emperor of Persia , crossed the Hindu Kush mountains into the Indus valley in 530 b.c. Rulers fought for control of the Indus valley . contradictory +She said that the prevalence of alcohol problems was higher than other risk factors . She said alcohol problems were more likely than other risk factors . entailment +Marcel Preest spent many summers at its splendid Grand Hotel , where he wrote part of his A la Recherche du Temps Perdu . A la Recherche du Temps Perdu was a play written by Marcel Preest . neutral +Congress asked whether the experiences of these organizations could yield worthwhile lessons for federal agencies as they attempt to implement GPRA . Congress asked if the experiences could result in important lessons for federal agencies , but they said no . neutral +References to the United States Postal Service will be capitalized . Lower case letters can be used for the Postal Service references . contradictory +The Royal Dining Room is situated at the top of the Great Stair . The dining room is in the basement . contradictory +The Chicago Tribune called it another allegation of boorish and immoral sexual behavior . The charge of uncivilized and unethical behavior was confirmed by The Chicago Tribune . entailment +This site includes a list of ITRB 's members , events , publications , and related links . The site also included an about us section of the chair man and the board . neutral +yeah they end up juggling the lineup and trying to fit uh more inexperienced players into those roles and they just don 't have the leadership don 't have the skills to carry a team They don 't have the leadership or skills to manage a team . entailment +yeah it 's it 's like our car industry the only reason our car industry hasn 't gone down the tubes is because the Japanese you know came into it and helped us out We got assistance from the Japanese with out car industry . entailment +You cannot change individuals ' past investment decisions . The investment decisions were poor choices . neutral +I know people who don 't go down for their mail until afternoon , who have no telephone answering service , and who , even if they have an e-mail account , don 't log on to see their messages for days at a time . The most common time for people to get their mail is before breakfast . contradictory +Agency leaders must commit their organizations to valuing and investing in their employees and focusing their employees ' efforts on achieving stated agency missions and goals . The agency leaders have been doing an inadequate job of achieving stated agency missions and goals . neutral +Thus , the number of passive vs. active investors will always fluctuate around an equilibrium . The number of investors will always fluctuate whether they are passive or active . entailment +We must break in the door . The door must be hit with a sledgehammer . neutral +Based on its economic impact , the rule was determined to be a significant regulatory action within the meaning of Executive Order No . The rule was determined to be insignificant in all ways . contradictory +Neither is war . War is as well . contradictory +Previn didn 't appear pregnant in recent photos ( Shauna Snow , the Los Angeles Times ) . The name comes from legendary soprano saxophonist Sidney Bechet . There is more than one recent photo of Previn . entailment +i don 't know if they don 't have them up there do they Where else do they have them ? neutral +The agora-like Hall of Nactenabo ( 381 362 b.c. ) stands in front of the pylon . The Hall of Nactenabo is situated behind the pylon . contradictory +Miss this at your peril ! You will regret missing this . neutral +Questions , not answers , win debates . Debates are won by statements , not questions nor answers . contradictory +These evenings must have been great fun , said Poirot genially . Everyone enjoys themselves during these evenings . entailment +you know and held over for trial Released and no trial . contradictory +and uh at the Promenade yeah and uh you know we we find those pretty good they 're not uh it 's not so far you know from when they were first run that you don 't enjoy them The promenade isn 't far from where they first run them . entailment +The most popular one is Big Bear , which has numerous ski lifts and a large snow-making operation . It is the most popular location among resorts of its type . neutral +And ' Where am I ? ' Somebody asked where they were . entailment +Albert , there 's a telephone here , isn 't there ? The boy shook his head . Albert said that there 's a telephone around the corner . neutral +The Royal Palace consists of three courtyards and contains several temples . The Royal Palace also has three lakes on the grounds . neutral +There were no special efforts made by the Commission to involve small entities in the rulemaking process . Smaller entities , such as community mental health centers , were not involved in the rulemaking process as the Commission wrote the Medicaid regulations to describe state rules for the next two years . neutral +It first opened in 1954 to house the billionaire 's personal collection . In the beginning it only held a private collection . entailment +And you ” you , my friend , have given it to me ! " Suddenly clasping me in his arms , he kissed me warmly on both cheeks , and before I had recovered from my surprise ran headlong from the room . After he hugged and kissed me , he bolted out of the room before I could even react . entailment +He shouldered the saddlebags and made his way back down the alley , beginning to see the merit in the liveryman 's suggestions . He carried his bags down the alley , pondering the advice he was given earlier . entailment +It comes as quite a shock to watch a warrior performing his final gesture of ritual suicide and realize that it 's only a puppet . After the warrior puppet kills himself , the curtains fall immediately . neutral +Johnny Shannon just rode in to report . Johnny Shannon found out crucial information that he thought the town should know . neutral +In North Korea ! It is not in North Korea . contradictory +The administration 's spin is that demands and conditions are the opposite of negotiation . This is the latest attempt by the administration to back away from its previous grandiose statements . neutral +Suppose ECP at the margin could be pursued with full knowledge of the effects . Assume that it could be possible to pursue ECP at the margin with full knowledge of the effects . entailment +If you want more information about the canals , you can visit the Waterways Visitor Ceter , on Grand Canal Quay . The Waterways Visitor Center is open seven days a week . neutral +It has the largest collection of books , articles , and papers on the history of the West Indies in the world and is an important archive for students and academics . The collection of books and articles for students is very small . contradictory +He was too distraught . He was thrilled ! contradictory +Greyfeather and Runnin ' Fox were scoutin ' for us . " Greyfeather and Runnin ' Fox were asleep while we were traveling , they didn 't help us . contradictory +We 've not heard from her , as it happens . We are still waiting for her response , it turns out . neutral +Look out for the remains of a marble-covered Byzantine road ( fourth- to century 14th-century ) that once connected Lefkes with the nearby village of Karampoli down in the valley . There used to be a road connecting Lefkes with Karampoli . entailment +yeah i i think it was more a lesson for Tom Cruise than anything else in terms of uh of how to act from Dustin Hoffman but uh Dustin Hoffman is not a good actor . contradictory +Situated at Meryemana ( Mother Mary ) in the hills above the city is the house where she is thought to have passed the last years of her life . She is thought to have lived here alone . neutral +And Chatterbox cites Lapham 's mention of the Roman mob familiar with the expensive claques traipsing after the magnificence of the Emperor Nero . Chatterbox cites Lapham 's mention of the Emperor Nero of Rome . contradictory +I wouldn 't mind going to him and telling him everything . " 88 Somewhat to her surprise , Julius negatived the idea sharply . Julius did not want her to tell him everything . entailment +They rarely maintain his interest for long . " He has laser focus and never gets distracted . contradictory +well that 's a shame His living there is a real shame . neutral +i lived in Dallas I 've never been to Dallas . contradictory +He started slightly , as the damning words fell from the young man 's lips . The young man 's statement was unexpected . neutral +Particularly true for household sector-E-mail , Electronic bill paying , FAX , long-distance call The data gathered is for household sectors . neutral +you hate the Bears i don 't really like the Bears either I don 't like the Bears , but they have a good composition neutral +People might begin to save more if they were aware how much they need for retirement and that saving regularly over time is the key to preserving their future standard of living . Savings are important for people and they should realize it . entailment +Don 't you remember ? You recall , don 't you ? entailment +As a result , assuming a capacity factor of 85 percent will result in a much more conservative ( high ) estimate of resources needed than is likely to be the case . A capacity factor of 85 percent is a very low estimate of needed resources and it may not be enough . contradictory +and it works out fine i mean i stop i 'm never in a hurry to get anywhere It 's a serious problem when I am in a hurry , though . neutral +To illustrate their views , fraygrants posted lists of their favorite films in different genres , from the familiar to the obscure . There were just two select genres that fraygrants had movie lists for . contradictory +GAO reserves the right to release any product that has been issued to the congressional requester but is under restriction if the product 's contents are made public prior to the expiration of the restriction date . GAO may release any product even if it is under restriction . entailment +during the year yeah well in bad weather you know well you 'd have to do something inside do you work at TI You have to do something about the bad weather like wear extra layers . neutral +The Globe has an interview with the 14-year-old boy who at age 12 became the lover of the most reviled teacher in America , Mary Kay LeTourneau . The Globe interviewed a child who fell in love with his teacher entailment +Boaz 's model for this is the Internet . Boaz says it 'll grow just like the Internet . neutral +okay well i think we 're we 're we 've done okay though well thank you for calling It was terrible , we failed completely . contradictory +The harbor here , dotted with yachts and fishing boats , is reminiscent of a mini-Rio de Janeiro or various Aegean and Mediterranean ports . The harbor is large enough to hold 20 boats . neutral +Kelantan Kite Festival takes advantage of favorable winds to stage state-wide kite-flying contests . The Kelantan Kite Festival is not possible if the winds are favorable . contradictory +And there is certainly something romantic in the notion that America needs an honorable , truth-telling president like him . Americans are tired of being lied to by their presidents . neutral +A flash of steel in the green and orange light of the night , painted by the burning houses and the blood moon above the fog , flew towards Thorn . A flash of steel flew towards Thorn . entailment +North of Fushimi is Tofukuji , a major Zen temple complex . The major Zen temple complex called Tofukuji , is located southwest of Fushimi . contradictory +yeah right that 's that 's Matthew he 's it 's boy uh he was always he just he 'd keep it to himself a lot of times but he 'd really kind of well up and Matthew was very aggressive in the classroom and teachers had to kick him out on multiple occasions . contradictory +LSC works cooperatively with several national organizations that make technology grants LSC works with federal organizations . neutral +The WP reports that , voting along racial lines , the Mississippi state Senate yesterday rejected a proposal to compensate relatives of those killed in the state in hate crimes during the civil rights era . The relatives of those killed during the civil rights era were not compensated . entailment +The group of offerors selected , after technical andCompetitive cost evaluation , to whom award of a contract is aRange reasonable possibility . The group of offerors decided to give the contract to the lowest bidder . neutral +In the waste-paper basket . In the garbage bin . entailment +Regarding benefits , HHS discusses the use of the value of a statistical life as a quantifying benefit and the fact that , in the area of transplantation , the usefulness of such a measure is reduced because of the older average age of recipients and the substantial risk of either the graft or the patient not surviving . During transplantations , there is a big risk that the patient will not survive . entailment +yeah but the snow also helps you know and it it we had like one foot deep snow in this in this open field and so it was a little hard to run but when you got hit and you fell you didn 't really feel it The snow was so deep in the field that if you fell , you wouldn 't feel it . entailment +With it , Kaufman signaled that his comedy was about more than untranscendent It was about wondrously fucking with your head . Kaufman 's brand of comedy was primarily centered around sophisticated humor . contradictory +that 's right they 'll never get caught They won 't get caught laundering money . neutral +uh-huh yeah yeah there 's a couple of those i 've seen once in a while uh i can 't think of the name of the one that has the uh military I do not like the ones about the military . neutral +a the monetary impact of employment and benefits cases , a the effect on quality of life of health and housing cases , a the impact on minor children of assistance in family cases , and a the financial stability afforded in consumer / finance cases . There are no employment and benefits cases contradictory +Her second blade locked cross guards with a Stick broadsword . She had two swords . entailment +the garbage collection um more costly Garbage collection is more expensive . entailment +oh my goodness yeah i do i do i work and and uh Brian 's in a day care center he 's uh he was two in December so he 's not quite two and a half yet he uh i put him i 'm Brian 's second birthday was in December . entailment +He sat next to Johnny Carson and in his helium-pitched foreign man voice told jokes without punch lines ( Her cooking ees so bad--ees terrible ) and did non-impressionistic impressions In his high pitched foreign voice , the man told Johnny Carson jokes without punchlines and terrible impressions . entailment +He would call evidence to show who did destroy the will , and it was possible that that might open up quite a new view of the case . If the will wasn 't destroyed the case would be over . neutral +they 've gone in and uh done a class on the large brush and actually did the painting It takes a long time to master it . neutral +you know end up with expectations too high or whatever Your expectations change . neutral +Deliberations on proposed mail classification changes follow proceedings in which an opportunity for on the record hearings is afforded to mail users and an officer of the Commission required to represent the interests of the general public . The people 's interests can be represented by themselves , no need for a Commission officer . contradictory +that seems typical because most of their other stars uh Paul Molitor 's usually out half the season with injuries himself Paul Molitor is normally absent for fifty percent of the season as a result of his injuries entailment +Current federal CIOs are learning how to carry out their responsibilities in the federal environment with all of the incumbent expectations and constraints . The CIO has no responsibilities . contradictory +Under this scenario , he suggests that rates be set to allow nondiscriminatory access to the monopoly delivery service by the firms competing in processing and transportation . There were 5,000 attendees who listened to his talk about service monopoly . neutral +Strictly Tourist Everybody contradictory +In early 1998 , political volatility necessitated India 's first ever mid-term parliamentary elections , leading Congress to withdraw support from PM Gujral and to make Atal Behari Vajpayee of the BJP head of a multi-party coalition government . Congress changed who they were supporting in India 's elections . entailment +She stayed in the car the whole time . She decided to spend the entire length of the party in the car . neutral +Thanks to my ( mis ) information , both groups would have the exact same number of soldiers . The groups were really uneven . contradictory +Then he has to fudge his faith so that people who don 't share it won 't take it seriously . He watches what he says to other people to not offend them . neutral +You can hire various sorts of craft for an hour , day , or week , at many beaches and hotels ( but note that you will be required to produce a valid proof of qualification for a self-drive motor boat ) . You can rent huge , beautiful boats at the hotels . neutral +they will twist it and bend it They will contort it . entailment +and the only thing you can remember is to try and stay together as much as you can because it 's very easy to uh become go your own direction when you 're so when you 're working so hard and going to school too It is easy to separate yourself from others when you are working hard and going to school . entailment +Adding to the activity are the sellers of grilled corn cobs , lahmacun , simit , and fried mussels , who com ? ΰete with the kitchen boats for passing trade while the water-sellers tempt thirsty diners with lemon- and cherry-flavoured drinks . There are few options for people who want to buy street food here . contradictory +Leave it to the Globe to conclude , JFK Jr , Slashed ! Make the world decide , JFK Jr said . entailment +When the president 's woman troubles started , Wolf hit the spin circuit . Wolf never went on any press shows . contradictory +A key measure of design stability was stakeholders ' agreements that engineering drawings were complete and supported by testing and prototyping when necessary . A key measure of design stability involves agreement and testing . entailment +yeah yeah some of the tunes used to you know you felt like you needed to go out and do something about it Some of the tunes paralyzed you and made you feel lazy . contradictory +Tap water can be dechlorinated by deionization , carbon filtration , or the use of sodium thiosulfate . Owing to health concerns , many residences are using deionization and filtration to dechlorinate their drinking water . neutral +yeah yeah well it it all paid off um so uh you know i got my degree and got the better paying job and I 'm very happy now with my new job . neutral +Vasari 's greatest architectural work , it is now the home of one of the world 's most famous and important art galleries . Vasari 's greatest building was converted to house its art gallery in 1930 . neutral +yeah that 's true um one of the remarkable things about the weather in the summertime here is that quite often the average daytime high of say ninety nine degrees is within five or six degrees of the all time record high It snows a lot during the summertime here . contradictory +Usually , in such studies , generalization is wanted and care is required to negotiate the question with the customer ( best situations ? No one wants generalization in their organization . contradictory +they can hear the unconscious music signal behind it that 's right They can hear the music in their own consciousness and its not obfuscated . contradictory +The remaining 37 states would be subject to the requirements of the current Clean Air Act standards at least until model year 2004 . The remaining states , which include Wisconsin and Michigan , will be subject to the current Clean Air Act up until at least 2004 . neutral +Is quitting the administration ( though not , apparently , on principle ) . Is quitting the administration . entailment +Using surpluses to reduce debt held by the public results in lower interest costs today , all other things being equal , and a lower debt burden for future generations . Using surpluses to reduce debt held by the public reduces interest . entailment +Get the properties and you can go right ahead ! " Dr. Hall found his voice . The properties in question are land . neutral +Poirot looked at him thoughtfully . Poirot looked at him . entailment +reductions needed to restore solvency . Increases could be made while remaining solvent . contradictory +OMB has not yet approved the modification and the preambles to the proposed and final rules state that the modification will not be effective until it is approved by OMB . The modification must be approved by OMB before it is effective . entailment +This restraint may partly reflect Microsoft 's market strategy--after all , Microsoft beat Apple partly because Apple did practice vertical foreclosure , and as a result inhibited the development of complementary software ( although the main problem was Apple 's persistent belief , despite all the evidence to the contrary , that everyone would be willing to pay a premium price for a niftier machine ) . Microsoft and Apple are the same company with different names . contradictory +Traditional thick cotton sweaters can still be found on Mykonos ( ideal for evening in the late season ) , although outlets are rapidly closing to make way for contemporary boutiques . Sweaters aren 't sold , but other shirts are . contradictory +Advocates like to point out that the waste hasn 't killed anyone , but kids die every year from food poisoning . Advocates argue that the waste has killed many children so something must be done . contradictory +It also does not apply to the sale of direct loans and the sale of foreclosed property associated with post-1991 direct loans and loan guarantees . It applies only to the sale of foreclosed property . contradictory +The two were finely balanced . The two were unconnected to each other . contradictory +from ammonia ) , but in 1996 , the country launched a drive to become self-sufficient in urea , a move that has displaced 1.9 to 3.7 million tons of ammonia . Self-sufficiency began to be pursued by the country in 1996 . entailment +and it took me a good ten years to put on some weight and any exercise even when summer would come and i 'd mow the lawn i 'd lose five to seven pounds just just as soon as the heat kicked in I would gain ten to fifteen pound when summer came in . contradictory +well is that a good indicator Well , does that mean that there will be good weather ? neutral +you know uh they uh they 're uh they 're so completely different culturally and socially and They have different cultures , traditions , and societal structures . entailment +i don 't think don 't rent to them or rent to them evict them because they drug dealers put it on the lease if you deal drugs you can 't live here The tenants are drug dealers neutral +At that time , we will send copies to the Chairman , Vice Chairman , and Ranking Minority Member of the Joint Economic Committee . Only the chairman of the Joint Economic Committee will be provided with a copy . contradictory +It 's hard to choose , because so many of them make me laugh and laugh until people who should by all rights fear me barge into my office and tell me to get a grip . It 's difficult to pick one out since all are so amusing . entailment +It does not tell us what we need to know about America , what a novel can tell us about the complex attitudes and allegiances of a time and a place . It concentrates mainly on the southern states of America . neutral +And while some , such as Goodwin , argue that the wars against totalitarianism made economic progress possible , others , such as Sen. Goodwin sees a connection between wars and economic progress entailment +At the federal level , homeland security missions will require the involvement of the Central Intelligence Agency ( CIA ) , Federal Bureau of Investigation ( FBI ) , the U.S. Homeland security missions will be planned at the CIA headquarters . neutral +Producer Daniel Lanois ( Bob Dylan 's Time Out of Mind ) is given credit for pushing Nelson 's sound in unfamiliar directions . Producer Daniel Lanois is not given credit at all for any of his work . contradictory +Nearby at Ferris Croseis Paradise Park , a working cattle ranch where many scenes from the film Papillon ( starring Steve McQueen and Dustin Hoffman ) were shot . Papillon is a movie that has scenes filmed at Ferris Croseis Paradise Park . entailment +As a result , they need to constantly look for process improvements and technological enhancements to leverage their finite resources to maximize their effectiveness . They need to look for ways to improve to be more effective . entailment +If you insist on sticking to imported Scotch or Bourbon , expect to pay a relative fortune . The Bourbon is a cheap drink . contradictory +The union has about 4000 members in Canada . There are 100 members in the union that live in Canada . contradictory +A little way along from Boot you 'll find the terminus of the Ravenglass and Eskdale Railway , or La 'al Ratty , as it 's affectionately known . The Ravenglass and Eskdale Railway continues past Boot for hundreds of miles . contradictory +And entirely hatless . Totally hatless in the pouring rain . neutral +This disappearing art form still going strong in Madeira is an amalgam of styles and techniques gathered over more than 150 years . Madeiran styles have contributed to the revival of the art form . neutral +going to be necessarily workable but it would be uh one way It 's the only way and it will definitely work . contradictory +in fact miserable actually very unhappy entailment +not yet ours don 't ours doesn 't start until uh next week The school term hasn 't started yet . neutral +Gray Davis to Los Angeles Superior Court , April 2000 ; partner , Morrison & amp ; Foerster , 1991-2000 ; partner , Hufstedler , Kaus & amp ; Ettinger ( and predecessor firms ) , 1983-91 ; associate , Beardsley , Hufstedler & amp ; Kemble ( and related firms ) , 1977-82 Law Harvard Law School 49 Kaus & Ettinger won a case in court . neutral +One or another of them might have stuck , but each one inured the public to the next . Each one hurt another person . entailment +it could be real dangerous It could be a big threat to our country . neutral +Guests are not exploited because they are . The guests are not exploited due to this . entailment +and because he doesn 't hit the North Dallas traffic and all then he might have worked an hour late it was just like ah we had so many things to do and we just couldn 't get them done and i i remember thinking that man it i 'm a Christian and i really feel like we have a responsibility to vote but i tell you what if i wasn 't a Christian i would there 's no way i would have gone to vote just because of the pressures I don 't feel that I have any obligation to vote . contradictory +and it was really an eye opener for me to see that even sitting down for a little while sure changes the old body 's capacity then I found out how sitting down for a while was beneficial to the body after those long walks neutral +Finally , in the 1999-2000 session , $ 500,000 was appropriated . There was $ 500,000 appropriated in the 1999-2000 session . entailment +yeah that sounds fun That sounds like it would be fun . entailment +The dark maw of a basement consumed me . I didn 't want to think about the basement . contradictory +yeah they are not because they don 't really acknowledge that they know you you know it 's not like a pet pet a pet is someone that comes up to you and is happy to see you and that kind of thing They are never happy to see you at all . contradictory +But if I forego the luxury of engraving , the clerk will sell me 500 24 pound Strathmore sheets and envelopes , flat printed , for $ 167 . Engraving the 500 sheets and envelopes would make the total price go up a lot . neutral +We get a lot of letters saying , ' Thanks for letting us bring Fluffy , ' that sort of thing . We get many letters thanking us . entailment +Here are the miles and miles of landscape that Jamaica conjures up in your dreams . Look at the vast landscapes of Jamaica that your dreams conjure up . entailment +He cautioned that not every study has to be a clinical trial focused on outcomes . He cautioned me just yesterday that not all the trials need to focus on outcomes . neutral +The first question to Bauer Wednesday was , Don 't you just give this story more momentum by doing this ? They asked Bauer if he gave the story more momentum . entailment +Yes , abortion is anathema to John Paul II , who is bemused by suggestions that he has an obsession with the subject , but he condemns abortion because he sees it as not only anti-life but also anti-woman . To John Paul II abortion is condemned , but not to the following Pope . neutral +you 're kidding oh that 's interesting That 's boring man contradictory +A reassuring finding in light of the question before us . We were frightened by the findings . contradictory +Remember my life is of the utmost value to my country . My country does not care about whether I live or die . contradictory +Corpus Christi , by Terrence McNally ( Manhattan Theatre Club ) . This is one of Terrance McNally 's works that are well known . neutral +These results exceeded our target of $ 22 billion and were greater than that of the previous three fiscal years , as illustrated in the following graphic . The diagram shows how that previous fiscal results and intended amount of $ 22 billion were surpassed . entailment +That I don 't see , I confessed , " but I 'll tell you this : Poirot thinks so . " Poirot did not think so . contradictory +Its season is from December through mid-May . December to May is the season . entailment +The splendid old vats and winepresses are themselves worth the visit , and the guides will tell you everything you want to know about wine . The guides at the old vats and winepresses are experts who focus on beer . contradictory +and uh seven eight and ten A B and C. contradictory +Of course I don 't believe Bill Gates ordered you to slander Java ! I have strong convictions about Bill Gates ' hatred towards Java . contradictory +i guess it 's close enough It is probably rather near to that . entailment +so i think the tests themselves are not really that cut and dried you know The tests are not so clear cut . entailment +um um i like Texas um not having the state income tax and i hope that because um you know that we 've had enough industry here that i guess it is that why we don 't the industry here is able to to um fund the state because we have oil here and things i mean that 's what i 've always heard is that um I have been told that Texas ' oil industry is sufficient to support the state 's expenses . entailment +Generally , the scope definition package represents a design that is between 15 and 35 percent complete , although variations may begin much earlier , often with a performance specification , or much later with perhaps a 65 percent design package . Typically performance specifications are combined with 15 percent completed design packages . contradictory +But I still can 't understand why Inglethorp was such a fool as to leave it there when he had plenty of opportunity to destroy it . I can understand why Inglethorp would destroyed it . contradictory +One of his eyebrows seems permanently raised . It seemed like one of his eyebrows was raised permanently . entailment +There was , however , one notable event Sunday , members of the other factions of the Republic of Texas were holding a big rally in Kilgore , to make clear that the movement would live on . There was a rally in Texas for second amendment rights . neutral +In some cases , this has resulted in changing the form of certain arrangements in order to meet the minimum technical requirements of any related accounting and reporting requirements while coming close to the line of what is legal . This has resulted in changing the form of certain arrangements in some cases . entailment +Jon had only seen two people move that fast in his life Jon hadn 't seen many people move that fast before . entailment +We are also convinced that our endeavors have strengthened existing legal services delivery systems so that clients now receive legal assistance more appropriate to their current needs and future hopes . We have made endeavours relating to legal services . entailment +Many of the eight techniques are discussed in the General Policy Manual , chapter 8.0 . Chapter eight contains an exhaustive description of all eight techniques . contradictory +VBA 's Senior Executive Performance Plans41 Performance Elements41 Performance Standards for Elements42 Performance Standards for Summary Ratings43 Revisions to the Fiscal Year 2002 Performance Plans44 No revisions were made for fiscal year 2002 and the performance plans were scrapped . contradictory +Although no party briefed severability in Denver Area Ed . One of the parties briefed about severability in Denver Area Ed . contradictory +Cete d 'Emeraude the emerald coast entailment +Activities need to be established to monitor performance measures and indicators . Activities need to be long and hard neutral +What this indicates is that erections--satisfying erections--don 't reside solely in the groin . What this means is that erections aren 't just in the crotch . entailment +In order to better support the Congress and maximize the value of our strategic plan , in April I announced a realignment of GAO . Our plan is to support Congress for the next fifty years . neutral +The things to look for are a good fit , an attractive look , a nylon shell , and ample and amply sized pockets . A good fit and a nylon shell are things to look for . entailment +I have a friend who says that going into court without a lawyer is like going to a foreign country without a guide . My friend said I can handle the court preceedings on my own fine . contradictory +He knew what he fronted ; this was more than a drunken bully a really dangerous man . The guy was wanted by the law . neutral +He is a long He lacks business experience , and he alienated owners with his pro-player stance during the strike . He has no business experience . entailment +And the Globe is at the forefront of an anti-Oprah Winfrey backlash this week with the story Oprah Revolt ! The people writing for the Globe all hate Oprah WInfrey and her work neutral +but the quality is almost uh laser quality Laser quality is the absolute best type . neutral +The great gate at the main entrance was built in 1628 and became notorious as the site where a robber named Goemon Ishikawa was boiled alive in an iron cauldron while holding his son aloft to save him from the same fate . The great gate at the main entrance was built in 1600 and was the site where Goemon Ishikawa and his son were boiled alive . contradictory +yeah well they make mistakes too i guess They also make mistakes . entailment +vegetables uh-hum i know i know it 's Vegetables . Yes , I 'm aware it is entailment +If you are making a long rail journey , don 't rely on the generally dreary dining-car service . It is to your benefit to bring a lunch , or wait until the end of your journey to eat . neutral +Sankei-en is a special delight from February though early April , when the plum and cherry trees blossom . Sankei-en is very pretty in Spring , when the trees are in bloom . entailment +( Go out through the door on the left of the courtyard to reach the entrance for tourists which leads to the mosque proper . ) Tourists who want to enter the mosque should use the door on the right of the courtyard . contradictory +Maybe that 's the secret of the prophecy . That was the one thing they knew for sure about the prophecy . contradictory +In other words , does the fact that there are 2 million more Kias on the road really make someone less likely to shell out $ 22,000 for a Honda Accord ? A Honda Accord is only $ 10,000 . contradictory +We first compare some statistics for Italy and the U.S. We compared the US and Italy . entailment +Some sites will crash . Some sites will crash due to bandwidth constraints . neutral +How did I know ? You 're wondering how I know , even though it should be obvious . neutral +Back along the south side of St. Stephen 's Green there begins a fine array of buildings . One of the buildings on the south side of St. Stephen 's Green is a pet store . neutral +Particularly busy , colorful markets include those in Kendal ( Monday , Wednesday , Saturday ) , Keswick ( Saturday ) , and Penrith ( Tuesday , Saturday ) . THe market in Kendal sells brightly colore yarn . neutral +To start , it is honest in a way the other shows are not . It is the best show that I watch . neutral +The population of Formentera 's chief city has expanded to around 1,000 , and there is a new town hall . There is a new town hall in Formentera 's chief city . entailment +and it it drives from the crankshaft it drives uh a chain that drives the camshaft which is an overhead cam in those foreign cars It doesn 't do anything , the crankshaft operates independently . contradictory +Table 2 : Comparison of Labor Costs per TransactionAverage vs. This is the second of a total of three tables provided . neutral +um-hum right uh-huh Lo Mas yeah yeah we we are now it 's like we are partly responsible for their problems by loaning them all that money that was really stupid on our part to even loan it to them you don 't loan money to people like that i mean if you feel like you need to give them something to help them out fine but you don 't go making billions of dollars of loans in to people that you can just look at the situation and yeah and know that they are not going to be capable of paying us back and The loans were well considered as all were paid back in good time . contradictory +If it 's raining or cold , Edinburgh has two malls where you can shop in comfort . You can 't really shop in comfort in Edinburgh , if it 's cold or raining . contradictory +Finally , the methodological fallacy at the heart of this If you want to see what 's happening in the stream called our society , says one of Faludi 's patriots , go to the edges and look at what 's happening there ... Faludi 's comrades claimed they could predict future societal trends by examining what was happening in radical circles . neutral +That Clinton didn 't pussyfoot around . Clinton was a pussy . contradictory +oh that that was that worked out pretty good then That did work out pretty well . entailment +An ' when our boys licked up a nest of th ' varmints why , we 'd taken us a mess o ' respectable Yank ' Irregulars , ' ' cordin ' to their story . According to their story , when our boys licked up a nest of the varmints why , we 'd taken us a mess of respectable Yank ' Irregulars . entailment +The rules specify limited required supporting information , allow the Service to explain the unavailability of otherwise required data , and also streamline procedural scheduling . They did not follow the rules and gave anyone the information . contradictory +Normally you 'll find no one at all on the delightful volcanic sand beach at Anse C ? ? ron . The beach is always crammed full of people . contradictory +If his luck holds ( as it doesn 't for most day traders ) , he could net $ 85,000 this year . At this rate with his bad luck , he wont earn a dime day trading this year . contradictory +How was he different than the Eye ? He was taller than the Eye . neutral +Lanny Davis , the closest thing to an official source who is talking , deflected the idea of an apology when quizzed about it . Davis is prideful and refuse to admit wrong doing neutral +The animals moved quickly as the canvas lifted and were on the side toward the youngsters . The things stood stalk still completely terrified . contradictory +The Baroque interior has impressive 16th-century tapestries , inlaid wooden choir stalls , and beautiful intarsia work at the altar rail . You cannot go inside or touch anything within the Baroque . neutral +Come here much ? Do you frequent this place often ? entailment +um and i guess it if you 're doing that sort of thing it 's really useful but um unless it is i guess it 's kind of a waste It 's helpful for anyone ! contradictory +, new in paperback from Henry Holt Owl . The new book by Henry Holt Owl is available in paperback entailment +That is , a very high standard of inferential logic is needed . That needs a low level of inferential logic . contradictory +Yet he was still alive ! But he wasn 't dead ! entailment +Are you ready for this magnificent experience experienced so far by only ... ' the captain consulted his notes , ' two hundred eighty eight commercial passengers ? ' The captain described the event as a magnificent experience . entailment +Each religion and sect Jews , Muslims ( including Druse ) , Christians ( including Armenian and Eastern Orthodox , Catholics , Protestants , Samaritans , and Copts ) , Baha 'i , and several more claims some piece of this sacred earth . Nobody cares about where their religions came from . contradictory +The man who had stopped them reached the foot of the steps . The man who had waylaid them was at the foot of the steps . entailment +Now he put down the phone and looked at her--and the pizza--with undisguised hunger . The person he was talking to on the other line made him really hungry . neutral +But her second term was beset with the problems of regional unrest , most notably in Assam in the northeastern region of the country , where local massacres left 3,000 dead , and in the Punjab , where Sikh militants staged violent demonstrations for greater autonomy and even independence . Her second term was the most peaceful time the region had ever experienced . contradictory +Gods below , said San 'doro . San 'doro said the Gods were below . entailment +you know he 'd uh never seem to be able to keep his guys healthy and then even like uh what is it Eric Dickerson left the team you know that you 're right you know like people were jumping ship right and left Nobody left the team besides Eric Dickerson yet . contradictory +no no no to uh put a surcharge on a credit card of No surcharge on credit cards . entailment +separately as follows . ) Separated as is noted . entailment +This transition is being driven by a number of key trends global interdependence ; diverse , diffuse , and asymmetrical security threats ; rapidly evolving science and technology ; dramatic shifts in the age and composition of the population ; important quality of life issues ; the changing nature of our economy ; and evolving government structures and concepts . The changing nature of our economy is one factor that is driving the transition . entailment +We have also calculated benefits using a 7 percent rate consistent with an opportunity cost of capital concept to reflect the time value of resources directed to meet regulatory requirements . Another percentage was also used in the calculations . neutral +Audit reports should state that the audit was made in accordance with generally accepted government auditing standards . The audit report needs to state if it was within the standards . entailment +Boys Clubs Girls Clubs things like that that kind of get into that citizenship uh the uh looking after the environment sort of thing and and i guess i don 't see uh this being that different but even more beneficial because it would be something that everybody participated in and would take a turn in Boys and Girls Club look at the environment and how kids can help clean it up . neutral +For example , GAO may decide not to transmit a draft report electronically and instead provide limited printed copies of the draft to the agency . GAO has to decide if they want to submit the report via mail . contradictory +Researchers have found fossils , similar to those in the meteorite , in some of the oldest rock on Earth . Researchers were overjoyed with the discovery of fossils found in rocks . neutral +Just as well ; I needed all the help I could get in making my profile less recognisable . I needed to make my profile less distinguishable from others . entailment +We 're in a bad spot if she comes around us . We 're in a vulnerable spot is she comes around us . neutral +First , we identify the sectors or flows of First-Class Mail and evaluate their volume growth . The evaluations prove there is more First-Class Mail than ever before . neutral +There is but one way out for you . There is only one exit for you . entailment +This kind of attack is a clear statement- an opening move , designed to get attention . The attack wanted to draw out attention . entailment +The preamble points out that the number of responses and burden hours associated with the collections are greatly reduced because of the streamlined procedures now available to bank holding companies under the final rule . The responses are able to reach out to more people at once . neutral +Friedman PD , McCullough D , Chin MH , Saitz R. Screening and interventions for alcohol a national survey of primary care physicians and psychiatrists . Physicians were never asked about their screening protocols . contradictory +and so we had we had one for a long time and then oh gosh when i was about ten or eleven i guess my parents decided that dogs would be a good way to teach reproduction so then they went out and got a female My parents got a female dog to teach us about breeding . entailment +After the battle against the slave lord , the group needed it . The group wanted to free the slaves . neutral +i don 't i don 't blame the garage people it 's just that it 's very very hard to find anybody here that 's willing to do that type of work I know the mechanics could do a workaround . contradictory +Food is an important part of any visit to Lyon ; superchef Paul Bocuse is based here and has many local rivals . There is nowhere to eat in Lyon . contradictory +Wanniski 's main concern was to deny that the rich have gotten richer in recent decades Wanniski would insist that the wealthy are not gaining in riches , but losing ground compared to other classes . neutral +DHS might consider new scientific and technical personnel tracks to encourage recruitment , retention and rewarding of individuals with critical knowledge , or Congress may wish to provide the new department with some limited term appointment authority . DHS might not consider new scientific and technical personnel tracks to encourage recruitment contradictory +than you put into the process so it 's a way of of making a profit off the tires Recycling is the best way to profit off of tires . neutral +The more skewed the distribution of delivery route profit margins , the greater will be the losses from unprofitable routes . Unprofitable routes are becoming less common and more easy to predict . neutral +Volunteer lawyers will offer basic advice , answer legal questions and provide appropriate referral information in both English and Spanish . Volunteer lawyers also offer coffee and donuts to clients free of charge . neutral +Since then , GAO has used the increased risk of uncontrollable and often catastrophic wildfires as an example of the need for strategic budgeting to address issues that are not aligned with the current budget and organizational structures of the four major federal land management agencies . GAO used the higher risk of wildfires for their need for a bigger , more flexible budget . neutral +uh-huh it sounds to me like uh you 're doing well my husband 's retired so uh he 's been retired for three years now yeah that 's quite a change My husband is not handling retirement well . neutral +These methodological problems can mask valid intervention effects . These methodological challenges can obscure real intervention effects . entailment +According to the only study of South Carolina gamblers , the state seems to have a problem-gambling rate twice as high as Nevada 's . ) 70 % of South Carolina residents gamble . neutral +Yes , but I 'm sure I don 't want to be rude about the Government if you 've got anything to do with it , but you know one really has the devil of a time getting anything out of it ! It is simple as can be to get what you need from the Government . contradictory +It took him a couple of tries to work the kettle , I noted . He got the kettle to work on the first try . contradictory +so do you like do you like rhythm and blues Do you like rhythm and blues ? entailment +There are several large hotel complexes here , and the town is a popular destination for cruise companies , with several ships calling at the port each week . The town 's only distinguishing features are its hotels . neutral +Granted I do know who you mean what of it ? " What are you implying about him ? entailment +Request the Sportugal Golfing brochure from a Portuguese National Tourist Office ( see page 169 ) or pick up a copy of Algarve Golf Guide , with information on all of the courses and pro playing tips . The only source of golf information is the local pros . contradictory +FDA cites sections 201 , 402 , 403 , 409 , and 701 of the Federal Food , Drug , and Cosmetic Act . Section 402 specifically cites Drug regulations . neutral +The combined effect of the R & amp ; D and program expenditures , together with other policies described in the CEF report , implies a steady reduction in total energy requirements over the period 2000 through 2020 . Research and development suggest that there will be fewer energy requirements in the 20 year period following 2000 . entailment +so where where are you near I know exactly where you are . contradictory +A delivery area represents a postcode ( or several postcodes in some cases ) . Several postcodes can be represented by a single postcode . entailment +Then why make me say it again ? Then why make me pancakes in the morning ? contradictory +well she just sent me the information out i i got a hold of it you know i just sent it back in and She didn 't have any information to send me . contradictory +yeah and you just sit down and all the girls were all dressed up and all this you know i just was there you know like i made it i 'm here you know and uh it was just kind of funny because you know but we got to sit by first base if they 'd hit a ball i would have been afraid it would have knocked my face in you know The women were so excited to be a part of the event . neutral +and they 've got a real nice building down there on a great big piece of land and it 's a huge plant i mean this thing 's just enormous and that 's what they do at lunch time they go out and run around the building The building is small and they never get a lunch . contradictory +because they they have lots of good stuff Masterpiece Theatre and mystery and nature They have Masterpiece Theatre , mystery , nature and other good stuff . entailment +Herman Diesenhaus added that there must be some type of maintenance activity if we are dealing with a chronic , relapsing condition . Herman Diesenhaus had something else to add to the conversation . entailment +i mean one day it was like sixty below zero Once it was around -60 degrees . entailment +Towering over the old city is the elaborate late-19th-century Basilique Notre-Dame-de-Fourviyre , which boasts four towers and various adornments . The old city has no buildings dating from before 1900 . contradictory +i honestly at this point it 's it 's just too blown out of proportion for everyone you really even the news you cannot follow I think this topic is cut and dry , easy for people to follow . contradictory +She struggled violently , but the men were too strong for her . The men overpowered the woman . entailment +Here , it is said , she plotted the death of her husbands and lovers . She made plans to kill those she was supposed to love . neutral +For those not spending the entire day in the park , it 's possible to return to Pointe Pitre by circling the northern section of Basse-Terre along the coast road . The walls of Pointe Pitre keep out anyone who has visited the park . contradictory +The earliest hillbilly recordings had a sort of present-immediately-becoming-past They purported to be old-timey as soon as they were released . The earliest hillbilly recordings were from 1912 . neutral +Critics say the new late-night talk show by young black comedian Chris Rock ( Saturday Night Live , voice of Li 'l Penny in Nike ads ) succeeds because of its risky racial humor . Lots of people love watching Chris Rock 's late night talk show . neutral +well i can 't think of no i can 't think of anything else to say about that either I have a lot more to say about that . contradictory +That they are , declared the woman heartily . She said that they were not at all . contradictory +I , Hercule Poirot , affirm that the man who entered the chemist 's shop , and purchased strychnine at six o 'clock on Monday last was not Mr. Inglethorp , for at six o 'clock on that day Mr. Inglethorp was escorting Mrs. Raikes back to her home from a neighbouring farm . I can confirm that the man who entered the chemist 's shop was not Mr Inglethorp . entailment +If only Klein weren 't so categorically averse to American health culture , he might allow that a little self-imposed Puritanism now and then--a little punishing exercise here , a little culinary deprivation there--can be a sensual pleasure too , albeit of a different sort . I don 't think self-discipline can be a form of sensual pleasure . contradictory +It 's time to take the best of what we have learned and modernize the Clean Air Act . We have gathered numerous studies and information which will allow us to modernize the Clean Air Act . neutral +Weider Nutrition International offers Cold-Free zinc acetate lozenges , which it claims have higher zinc concentrations . Weider Nutrition International says that the acetate lozenges have a much lower zinc concentration . contradictory +law law was a lot of fun until you get to law school and it doesn 't become fun anymore Law school is hard because of the professors . neutral +It 's a veritable treasure-trove of quality gems , gold , and cigars . You 'll be absolutely spoiled with treasures of gems , gold and cigars . neutral +Data are combined from several sites to allow generalization Many sites should be generalized neutral +The greatest labor requirement occurs for FGD on a single unit ( i.e. FGD is an emissions standard . contradictory +Under the orders of Sather Karf , the camp sprang into frenzied but orderly activity . Sather Karf 's orders were that everybody get to work . entailment +Only VDV now , and I won 't be able to watch my beloved ' Long Time Ago on Earth ' anymore . ' The electronics are different so I can 't watch my old show . neutral +You won 't see any pirates here , as the last of them sailed away from their former stronghold in 1786 . The pirates left in 1786 after they were attacked . neutral +( As of this writing , the museum is closed for refurbishment , but it is expected to reopen in mid-2000 . ) The museum is now expected to reopen in mid-2000 but the original date was 1999 . neutral +It is possible to walk along the walls , which seem to be swallowed up by the higher modern buildings of the city , to gain an impression of how large the citadel once was . When you walk on the walls you can understand how large the citadel used to be . entailment +Exactly a week after the tragedy ? 7 days after the tragedy ? entailment +we 're still using those things we 're still utilizing those entailment +You can also wander through the soothing Chinese garden , with its waterfalls and pretty red pergola . There are no water features inside the Chinese Garden . contradictory +well i 'm more more interested in the long-term effects than the short-term effects in terms of uh balancing budget and so forth um I want to balance the budget with the long-term effects of that in mind . entailment +Some kind of instant recognition on his father 's part ? Some kind of slow recognition on his mother 's part ? contradictory +uh-huh that 's right they need the the snow for the water so They need the snow for the water . entailment +They 're just cases of people who need help , but have no idea where to turn . Some people do know where to turn when they need help . neutral +If there was any doubt that sugar was king in those days , the Treaty of Paris ( 1763 ) dispelled France elected to take back her little West Indian islands and leave the few snowy acres of Canada to the British . France gave some Canadian land to the British . entailment +we were we were way behind financially and so haven 't really uh quite managed to catch up yet We are in a good financial situation . contradictory +The Romans The Etruscans . contradictory +The cover story explains the Supreme Court 's new rulings on sexual harassment . The Supreme Court 's new ruling is explained in the cover story . entailment +To a pig . To a hog . entailment +Some of the original graffiti can still be seen in the prisons , one of which held Casanova for 15 months in 1755 before he escaped . Most of the original graffiti are not visible as they gradually get covered by more and more new graffiti through the years . neutral +These walks are a little more off the beaten track and require advance planning in terms of parking the car and obtaining refreshment , but they 're rewarding because of the rich variety of landscapes they cover . You have to consider parking when you take these walks . entailment +Gauntlets are an Applied product . You apply gauntlets . entailment +I suppose that 's where you come in . ' You are not involved in this at all . contradictory +The noble began talking again in his strange tongue and the bearded man returned in the same dialect . The bearded man and the peasant started talking again in the same dialect . contradictory +Oysters had just given place to Sole Colbert when a card was brought to Hersheimmer . Sole Colbert was removed and Hersheimmer waited impatiently for a card . contradictory +If the tide is out , walk down to the base of the shrine to appreciate its massive scale . During low tide , many local fishermen try to catch shellfish . neutral +One such place is Malibu Pier , a popular spot for fishing . Malibu Pier is not one of such places . contradictory +The proposed rule 's request for comments resulted in 124 comments being received , which the preamble to the interim rule discusses , along with the actions taken by INS and the EOIR as a result of the comments . The proposed rule 's request for comments went unanswered . contradictory +They are like that ” les femmes ! The femmes are like that . entailment +Speak your mind . Say what is on your mind . entailment +That 's what I will speak to you about today . That is all that I will talk about with you today . neutral +It said , Such behavior ranges from demanding sex from co-workers to forcing female office staff to serve tea or to clean the workplace . The workplace will not be impacted by sexual coercion or sexism towards women because productivity and levels of retention will stay the same regardless . contradictory +'You were right . ' I pushed into her flat without thinking- I 'm allowed to do that . I went into her apartment . entailment +At the present time , costs by customer are not available and the Service 's costing systems are not set up to develop such costs . Costs are easy to predict . contradictory +The conference report describes section 330 as prohibiting the use of funds for regulations that prescribe changes in the CAFE standards . The report shows that section 330 is prohibiting changes in the CAFE standards . entailment +Pepper and Blanco have conferred with Bush campaign officials in Austin twice since mid-August to discuss their ideas , according to sources on the campaign . Blanco and Pepper refused to speak with the Bush campaign . contradictory +It has been requiring states to consolidate legal aid groups in an attempt to conserve money and improve services . If it wasn 't for the financial motivations , the states probably would not have done anything . neutral +try to find a time when everybody can be there and we 've We wait until nobody has the time to go anywhere . contradictory +He subsequently commissioned Renee Lalique to design all the decorative glass for his building , which was home to his haberdashery and penthouse suite . The artist was paid 5 million dollars . neutral +You can find stables in the following Portinatx , Sant Antoni , Santa Gertrudis , and near Santa Eul ? ria . You will have a difficult time finding stables in those areas as they are non-existent . contradictory +The labor force projection reflects the OASDI Trustees ' 2001 intermediate assumptions , including those for fertility , immigration , and labor force participation . The labor force projection include number on population growth . entailment +EPA responded with a discussion of the overall costs and benefits of controlling pollution . The EPA felt that people needed to hear the pros and cons of the pollution-control approaches that were on the table . neutral +so whatever happens to it you 're stuck with it No matter what happens to it , you cannot return it . neutral +But it turns out that to buy $ 1 of dividends costs you $ 72 ( among Dow Jones industrial average stocks ) . It will cost you $ 1 to buy $ 72 worth of dividends . contradictory +capital punishment is concerned i would like to see some some kind of reform or some kind of streamlining so that if a person is um convicted Capital punishment should be reformed . entailment +Possibly an autograph . Maybe I would like you to sign that . neutral +EPA afforded interested persons several opportunities to comment . Epa allowed people interested many chances to speak . entailment +This shift in emphasis from approval of individual transactions to evaluations of the adequacy of systems and the internal control environment has been reflected in law and in policy for numerous years . This shift has been reflected in law and in policy for numerous years . entailment +Reliability does not mean that computer-processed data are error-free . Just because it reliable , that doesnt mean that computer processed data is perfect . entailment +It also meant that future buyouts would be less heavily leveraged . There will be buyouts in the future . entailment +GAO has developed a set of strategic goals and objectives that will help to support the Congress in its decisionmaking and improve the performance and accountability of the executive branch . GAO is concerned with Congressional decision making . entailment +a chocolate donut One chocolate donut . entailment +yeah you 'd have to be I can see how that could be . entailment +We both looked ridiculous . We tried our best to look more serious . neutral +well no that 's true it 's not but it is i mean they 're coming i mean we 've we 've got I wish they wouldn 't come . neutral +but i know that last year we did go to a baseball game last year we got free tickets because someone at our church one of the deacons at church um parks cars at the Mansion at Turtle Creek which is like one of the uh the places and stuff We watched the Yankees play the Mets in the World Series . neutral +City and Countryside Urban and Rural entailment +It is worth more than passes through this town in a year . It is hard to pass through our down because of it . entailment +What was it ? I don 't care what it was . contradictory +Brighter colors often indicate synthetic dyes , whereas traditionally-made items are still made with the muted earthy colors of natural dyes . Natural dyes tend to give more muted colors . entailment +But I am in her black books , since I cleared Mr. Inglethorp . I cleared Mr. Inglethorp and have been in her black books ever since . entailment +okay what kind of music do you like I don 't care what your musical tastes are . contradictory +If Birdwhistell , in his travels , had been looking not for smiles but for smirks , Chatterbox strongly suspects he would have found lots of them on the smile-barren East Coast , especially in the vicinity of its prep schools and Ivy League universities . Here 's a thought Summon up a mental image of Ali McGraw , the smirkiest performer in the history of the movies . There would have been people smirking at Bidwhistell in the East Coast . entailment +I can 't decide if the woman is an actress , since she 's able to get by so easily without doing all that much . She is obviously the hardest working actress out there . contradictory +uh i i read something in the paper yeah that 's yeah they uh i read something in the paper today talking about or it was Parade magazine yesterday and they said you know when 's the last episode and what 's going to happen and they say insiders say JR is going to get knocked off Insiders say that JR is not going to get knocked off . contradictory +The double-underlining is intended to alert the reader to the fact that it has been modified or affected by a later statement . There is no meaning behind the double underlining . contradictory +Prohibitions or restrictions on borrowing or other forms of pre-retirement distributions could limit the ability of some households to reduce their other saving in response to individual accounts . If households cannot borrow against retirement distributions early they may save less in retirement accounts . entailment +Three months later he was back , picked up the phone and couldn 't remember the password , which was : XXXXX . He returned three months later . entailment +The document itself , said the German bluntly . Not the document , said the German kindly . contradictory +In the center of the five-aisled Gothic basilica , the Coro ( choir ) is a marvel of woodcarving . The Coro is a marvel of woodcarving , though no one knows who built it . neutral +Drew had come west from Kentucky to find a father he had thought dead until the year before . Drew had come from Florida to find his mom . contradictory +Readers who want a more complete picture should read two other Steven Levy 's Heroes of the Computer Revolution ( 1984 ) , which gives a still-fresh account of MIT 's Project MAC ( not coincidentally funded by Licklider ) , an enterprise dominated by the hacker ethic--the compulsive urge to explore and improve on things . Most in the industry still consider Steven Levy to be a pioneer in the field . neutral +it it 's hard to to find the prices i guess that does seem to be one of the major driving factors It 's hard to find the prices . entailment +The subjects of this anthropology looked at Yeats ' stylish black London suit--he was always a careful , poetic dresser--and took him to be a proselytizing clergyman . The anthropology was for Yeats ' outfit . entailment +The truth about the Japanese market has always been that it is penetrable , but only after tremendous effort . The Japanese market could easily be penetrated with little effort . contradictory +Despite countless different landlords , the basic elements of the way of life of ordinary people have changed little for over 5,000 years . The common human lifestyle has greatly changed over the years . contradictory +well then she 's going to come out well rounded but outside of those kind of things you know the other thing that i 've really gotten into reading She will come out good and I like reading comedies . neutral +The SEC estimated that of the 23,350 investment advisers currently registered with the SEC , 17,650 advisers would be considered small entities . All 23 thousand advisors were considered small entities . contradictory +Oh , very well , my dear boy . Don 't do that , boy . contradictory +'This isn 't 1775 anymore . They needed to start living more in the present . neutral +Much of the money given away by the Slate 60 goes to finance new buildings at already wealthy universities . The Slate 60 gives away a lot of money to finance new buildings and scholarships at wealthy universities . neutral +It 's not such a terrible thing . It isn 't so terrible . entailment +If he could only bring one or two , enough to properly train the rest of them , perhaps that would help . There 's no use in bringing any . It won 't help regardless . contradictory +While it 's true that expansion temporarily diluted the talent pool , the DH artificially increased offense , and players have gained the economic upper hand , there is a widespread consensus that the quality of the game itself is as good as or better than ever . Improvements in hitting have been matched by craftier pitching ( by such hurlers as Atlanta 's Greg Maddux and Baltimore 's Mike Mussina ) . The pool of talent thinned with the expansion . entailment +you know and then you can put him on trial There 's no trial period whatsoever with him . contradictory +yes uh-huh uh-huh well what about the Houston Oilers do you like them Do you like the Houston Oilers ? entailment +When they reached the car , Julius breathed a sigh of relief . Julius never thought he would make it back to his heated passenger seat . neutral +He managed to simultaneously pursue foreign conquests in Germany and Austria and domestic reforms that included a modernized university , a police force , and proper supplies of drinking water for Pari ? ­ sians . He pursued foreign conquests in Germany and China . contradictory +Today Saint Val ? ? ry offers ramparts and half-timbered houses in the Haute Ville , and a pleasant waterfront promenade with views of seals in the estuary . There 's no waterfront promenade view of the estuary seals . contradictory +More than 1.5 million Asians and Pacific Islanders now live in the two counties . The two counties are home to over 1.5 million Asians and Pacific Islanders . entailment +You can 't see his face because the mask covers it , but as you walk past him on your way out you notice his hands there . His face is not visible , but his hands are . entailment +We had us two books . We had one book . contradictory +If so , it seems to have worked . It seems it didn 't happen . contradictory +As noted earlier , the number of boilermakers dropped quickly during the 1990s when little work was available . Biolermakers thrived in the 1990s as employment surged in the field . contradictory +yeah whiskey is in liters Whiskey is sometimes measured in liters . neutral +Trader Vic 's opened garish Polynesian-themed restaurants ; Arthur Godfrey brought the ukulele to television ; Burt Lancaster and Debra Kerr rolled in the wet sands of Oahu ; and jet air service brought in vacationers by the hundred thousands . Trader Vic opened restaurants . entailment +We provide a checklist of the guidelines discussed in this appendix in table III . We provide a checklist of the guidelines for this law . neutral +At the Pentagon , real-world combat requirements come first--except when they don 't . The Pentagon doesn 't have requirements . contradictory +' That is said scornfully or dismissively , says historian and Brinkley mentor Ambrose , who tapped Brinkley to succeed him as director of University of New Orleans ' Eisenhower Center . Historian mentor , Ambrose , said it scornfully and dismissively . entailment +Bronx Legal Services Director Walker Thompson said the increased central oversight dictated by its funders compromises his office 's independence . Thompson says his office is very independent . contradictory +So I screamed out that he was escaping , and I said I wanted to go back to Marguerite . His escape made me want to go back to Marguerite . entailment +but uh i think they still have a little i think they 're still such a a young team i think they still have a little bit to go before they reach the potential that it did when ever Bradshaw was playing They will reach their potential . neutral +Finally , one area I believe the Congress needs to begin thinking about is the process for appointment of the Deputy Comptroller General . There 's no need to work on a strategy for appointing a new Deputy Comptroller General . contradictory +In the grand old lighthouse ( and second prison ) , the Tour de la Lanterne , you will find prisoners ' graffiti on the walls as you climb up to the balcony for a view over the city and the bay . There is prisoners ' graffiti all along the walls of the Tour de la Lanterne , an old lighthouse in the city . entailment +Suggested priorities for the PCAOB included establishing policies and procedures for disciplinary actions and conducting inspections of registered public accounting firms . The PCAOB had several priorities which included establishing policies . entailment +Where , in the early years of GAO 's existence , changes to its roles and responsibilities and to the demands placed on it occurred more slowly , there is no question that the environmental changes affecting its mission in recent years have been more persistent and have occurred more rapidly . changes to its roles and responsibilities and to the demands placed on it occurred more slowly . entailment +Gladstone 's Land , built in 1620 , still has its period shopfronts at the roadside . Gladstone 's Land is a very recent , modern development . contradictory +In addition , auditors should obtain an understanding of the methods and significant assumptions used by the nonauditors . There are no methods or assumptions for auditors at all . contradictory +The Validity of Qualitative Research . The validity of research . entailment +In 1993 , the average U.S. postal worker subject to collective bargaining received $ 35,001 in pay and allowances , and an additional $ 7,713 in fringe benefits . Postal workers subject to collective bargaining in 1993 earned over $ 30,000 . entailment +Better late than never . Sometime soon . neutral +For years the store has declined to sell stickered music , i.e. , pop songs whose lyrics are too saucy for your mall . The store has refused to sell popular music for years . entailment +This was no place for untamed fire . There was nothing flammable in the area . contradictory +He ignored Edward 's summons and instead negotiated a treaty with the French king , the beginning of a long association between France and Scotland that became known as the Auld Alliance . A treaty with France 's king was negotiated instead . entailment +It has been a long time since I had a meal like this , " said Jon . He was very hungry . neutral +You 're his close successor . You are not close to him in anyway . contradictory +She raised her hand and adjusted the ruffle of lace at her neck , turning her head a little as she did so . She raised her hand and adjusted the sleeves . contradictory +You eat the Chicken With Fettuccini Cream Sauce straight out of the ripped-open box . The box is of a microwave meal . neutral +You can be the birthplace of Heidegger , Hegel , Leibniz , Bach , Beethoven , Brecht , and Martin Luther , but you start one little world war ... Hegel , Bach , and Martin Luther were not born there . contradictory +The man 's helm caved in , the sculpted growl bending into a twisted smile . The man was emotionless . contradictory +can 't call them the New Orleans Saints any more They 're not the New Orleans Saints any more because they 're now the New Orleans Jazz . neutral +Buenos dias , Senor Trinfan . Good morning Senor Trinfan . entailment +'In this world ? What would I do with it ? I let you have it . I don 't know what to do with it . entailment +Belz , an indoor mall , offers 145 stores ranging from clothing to electronics . Belz has a lot of stores that focus on high-end items . neutral +The effects on personal consumption show a decline of between $ 13 billion and $ 31 , or 0.1 % to 0.3 % , depending on the scenario . There has been a decline of personal consumption . entailment +A cart pulled by two mules , lightly made and packed high , was the nucleus of their small caravan . A cart pulled by two camels was the center of their small travelling wagon group . contradictory +yeah i 've been with them for about four years now " For the last four years we have been together in this building . " neutral +For instance , the Post also has the story about the woman meeting with Clinton just days before his first Inaugural , but adds the detail that she says all the encounters were innocent . A woman met with Clinton days before his first Inaugural but it wasn 't thought to be dirty . entailment +While it 's no longer the bargain shopping destination it once was , there are still some good buys to be had . That shopping centre is becoming better and better for bargain shopping . contradictory +On the north side is the Cafe Bonaparte , and on the west the famous Deux Magots . Café Bonaparte isn 't very far from the Deux Magots . neutral +my dad had one he had a Dodge My dad used to own a Dodge . entailment +Venice 's dazzling basilica , the Doges ' Palace ( Palazzo Ducale ) , and the 500-year-old Clock Tower ( Torre dell 'Orologio ) , all within the sprawling Piazza San Marco and adjacent Piazzetta , are the very focus of the city 's life . the Piazza San Marco and Piazzetta contain the Venetian basilica , the 500-year old Clock Tower and the Doges ' Palace . entailment +The Romanesque-Gothic church of San Matteo has the same gray-and-white facade . The church of San Matteo is grayish mixed with white . entailment +Allowances will be allocated to a facility in a given zone in proportion to the sum of the baseline heat input values of affected EGUs at the facility as compared to the total baseline heat input of all affected EGUs in the respective zone . This new rule of basing allowances on baselines heat input values of some sort was recently implemented this year . neutral +really even uh even in the worst crime areas in Burlington i i can walk the streets i wouldn 't i if i did it every night I can 't even walk the streets of Burlington at night anymore . contradictory +Pithagorio has a very pretty harbor and the ruins of a Frankish castle . There are scenic tourist attractions near Pithagorio . entailment +The cover story attributes teen-agers ' mercurial behavior to underdeveloped brains . If teenagers had fully developed brains , they would not act the way they do . neutral +) Even more frequently than that I log on to one of my three computers , hoping to see the little message on the screen , You have mail . It makes me excited when I get a new email . entailment +As desert islands go , it 's not exactly undiscovered it 's accessible by ferry or very short flight but only a handful of foreign visitors find these shores . There is not much to do on this island except sit by the sea . neutral +Perhaps that 's why he has always seemed to want to preclude critical judgment with pre-emptive strikes within his prose , anticipating our responses and silencing us . He cried when criticized and didn 't take it well . contradictory +and uh he enjoyed them till he was about two and then he uh had fun throwing them and broke them He started to dislike them sometime after he turned two . entailment +it quotes the mother as asking . The mother asked . entailment +Biblical references are not precise , but they do indicate that David 's burial place was inside the walls of the Cityof David , which most archaeologists believe did not extend this far up Mount Zion . According to Bible , David was buried within the walls of the City of David . entailment +it at times gets incredibly hot here It rarely gets hot here . contradictory +um hum okay it 's a lot of fun It 's a pretty boring time . contradictory +Visitors to the Kumbang Hide have seen rare tigers and leopards . There are no tigers at the hide . contradictory +Ca 'daan was stunned into silence . Ca 'daan responded very loudly . contradictory +The Pope recognized Boleslaw as the first king of Poland in 1025 , elevating the country to full membership in a European community of Christian states . Because of a buildup of historical influence , there aren 't any Christian states within Europe . contradictory +i 'm not sure if it i don 't know i think it 's a good idea to make it mandatory i think it should be completely voluntary contradictory +In a way , it 's Bradley 's fault . Bradley should have known better . neutral +Ten years ago , I fell of a bike and permanently scarred my right leg , shin to thigh . The scar on my leg was still covered in blood . neutral +uh not particularly because the house has so many windows uh it has the the the living room has four uh good size windows There are four large windows in the living room . entailment +Next we tried those Better Sex instructional videos advertised in the New York Times Book Review . We attempted to perform activities from the Better Sex video . entailment +Program Evaluation The application of scientific research methods to assess program concepts , implementation , and effectiveness . They wanted to make sure the programs were running smoothly . neutral +Ramadan Bairam is a month long celebration when Moslems fast during the hours of daylight . During the month of Ramadan Bairam , Moslems fast during the night . contradictory +He thought that without this type of research , requirements would cause a rebellion against practice changes . Rebellion against practice changes might be a consequence of this type of research being gone . entailment +Today 's Papers is still partial to Silicone Valley . Today 's Papers has investments in Silicone Valley . neutral +Old men sell bags of corn for you to feed to the pigeons , while brightly dressed water-sellers tout for business with cries of buz gibi ! ( ice-cold ! ) , and encourage tourists to take a photograph for a fee , of course . Visitors can buy bags of corn from old men and feed them to the pigeons . entailment +Oh , I know ! Oh , I am familiar with it . entailment +In summary , the total time needed to complete the design , installation , and testing at a facility with one SCR unit is about 21 months ; at a facility with multiple SCR ( seven ) units , total time is approximately 35 months . It takes about 21 months to do the whole process . entailment +Fire with fire . flames with flames . entailment +Stewardship land shall be reported in terms of physical units rather than cost , fair value , or other monetary values . Stewardship land used to be reported in terms of cost . neutral +And shouldn 't Toobin , by his own standards , have disclosed his book dealings with Isikoff to Vast Conspiracy readers ? Toobin should have disclosed his book dealings . entailment +Reporting of the amount of significant state and local total contributions to shared or joint programs is encouraged but is not required . The programs are able to perform better with the contribution amounts shared . neutral +The tomb at the back of the church is not Zarco 's , but that of family members . The tomb in the church was empty . contradictory +It may be an internal event that occurs within an entity , such as the transforming of raw materials into a product . Raw materials are turned into products . entailment +Watching them scuttle back and forth , trailing cables and hairless tails ... all right , so they had fluffy fur and smelt of apricot . They had fluffy fur . entailment +no i i don 't think they 'd like to i put a bow on her one night on day and Jerry just kept saying you are the meanest person They put a bow on Jerry because he was mean . contradictory +The porticoed Plaza Mayor ( main square ) , an architectural symphony in bold but balanced tones , is one of Spain 's most recognizable sights . The Plaza Mayor boasts bold , unbalanced tones . contradictory +The man shrugged . The man screamed . contradictory +but um i mean perhaps that this sort of training early in life before people develop bad habits might not be such a bad idea but Early training before people develop bad habits might be a good idea . entailment +Night and day were the same in this prison room , but Tommy 's wrist-watch , which enjoyed a certain degree of accuracy , informed him that it was nine o 'clock in the evening . It is very hard to distinguish the difference between night and day while in prison . entailment +Have I no right , Mary ? " he said unsteadily . He was not questioning whether he had rights . contradictory +He ended up , fatefully , in Sarajevo , just as the first details of the Bosnian genocide were becoming known . He didn 't know anything about the genocide then . contradictory +A Republican fund-raising letter in Maryland showed pictures of Dukakis and Horton alongside the following Is this your pro-family team for 1988 ? Dukakis and Horton had never been featured in letters prior . neutral +Did I mention that Applied has a very high staff turnover ? That 's because the best and the brightest work best under pressure . Applied has a very high staff turnover . entailment +so i had to call Jack Godfrey today and ask him what it was because i i had to abort the call last evening because i couldn 't get on the line I had to call him again because he did not answer last night . entailment +Their white sails make a beautiful sight , especially at sunset . The warm hues of the setting sun turn the sails a light orange color . neutral +The Museum , situated in the renovated stable block of the house , has many dioramas of Lakeland life and industry from the last 200 years . The dioramas in the museum show lakeland life from 400 years ago . contradictory +It stands on a foundation that dates back to the time of St. Ambrose ( 340 397 ) , first bishop of Milan and one of the Church 's four founding fathers with Peter , Paul , and Jerome ; his remains are on view in the crypt . Jerome was born five years before St. Ambrose . neutral +UNESCO states that she is currently the most translated individual author in the world with only the collective corporate works of Walt Disney Productions superseding her . No one is really interested in her work and she never did really well for herself . contradictory +Excluded from the definition of land are the natural resources ( that is , depletable resources such as mineral deposits and petroleum ; renewable resources such as timber , and the outer-continental shelf resources ) related to land . When defining the land , natural resources unrelated to the land may be included . neutral +James ' And I especially want to thank my life partner , Cardinal John O 'Connor ; this one 's for you , honey ! I want to give thanks to Cardinal John O 'Connor . entailment +While the city of Hollywood might once have had a glamorous reputation , for the past few decades the neighborhood , which stretches along the base of the northern hills emblazoned with the landmark Hollywood sign , has deteriorated like a faded movie star . Hollywood is still as glamorous as it has always been . contradictory +to afford adequate legal counsel . To be able to pay for legal counsel . entailment +You brought me to life again with a mandrake root and spells ; you can do anything you want with me . You brought me back from the dead using spells and the root of a mandrake . entailment +Seathwaite is the gateway to Scafel Pike ( a 6-km / 4-mile footpath connects them ) , and the mountain may attract more clouds and more intense rain than other peaks in the lakes . You must pass through Seathwaite to get to the mountain , which takes ten hours . neutral +If so , it explains the steps in a final assessment and the actions to take , depending on the results of your additional work . There is no real way of explaining the steps or actions to take , it 's pretty confusing anyways . contradictory +In Palma and the major tourist resorts , discos are a primary diversion for the beach crowd . Palma has many discos to offer the tourist . neutral +He saw anger and bewilderment on every face , but his calm assurance had done its work no one doubted but that something lay behind his words . His assurance cleared the anger and bewilderment in the group . entailment +uh-huh the uh yeah i 've done things uh i guess mostly upstate Michigan the Adirondacks White Mountains um Appalachian Trail kinds of things uh i prefer going out either with one other person or by myself for about a week and i guess i just look at it as i time i can get away from it all and I 've gone up to the mountains and the trails for about a week at a time to get away from it all . entailment +It was extremely unlikely that Albert would have any knowledge of it indeed , it would have been fatal for Tuppence 's plans , since the badge in question was the device of a local training corps originated by the archdeacon in the early days of the war . Chances were , Albert didn 't know anything about it . entailment +it really does i do recycle newspapers and uh glass I don 't recycle anything . contradictory +i find that very annoying the uh mail stuff yeah you know it 's kind of irritating but it 's not nearly as obnoxious as the phone calls The phone calls are worse than the mailing . entailment +oh well basically um because i lived in the Middle East for a while i tend to fix Middle Eastern foods when i have have people over I used to live in Mexico but I usually cook Colombian food when I have people over . contradictory +I did get to finish it before I was caught out . " The pages separated stiffly under his exploring fingers as if the volume had not been opened for a long time . I was caught out before I finished it . contradictory +Integrated Environmental Control On the 21st Century 's First New Coal-Fired Boiler The first Coal-Fired Boiler of the 21st Century has Integrated Environmental Control . entailment +and i planted them and i was so i was so thrilled because they came up i mean nice green shoots coming up all over the place and then my cats got into it and started digging and that took care of that The plants died the moment I touched them . contradictory +Yes , but I don 't see ” ” I did not observe it . entailment +The arcaded facade of the church , in a style reminiscent of Italian fascist architecture , is big enough to fill one side of the esplanade . Large enough to fill the esplanade was the facade of the church in Italian communist architecture . entailment +When this type of installation is performed , the SCR reactor is installed atop a steel structure that must be erected above existing equipment , such as the electrostatic precipitator . The SCR reactor must be placed above existing equipment . entailment +On a governmentwide basis , Congress , under the bi-partisan leadership of this Committee and the House Government Reform Committee , has established a statutory framework consisting of requirements for goal-setting and performance measurement , financial management , and information technology management , all aimed at improving the performance , management , and accountability of the federal government . Congress has established a statutory framework in order to improve the overall performance of the federal government , getting better and better every year , neutral +But there 's nothing we can do about it now . " Hanson opened the door again , in spite of Nema 's quick frown , and looked at himself . Hanson wanted to see the effects of the accident on him , but Nema was unsure . neutral +right and what happens is what happens is suppose they get Saddam Hussein which they eventually will he 's got one less thing to go against him Once Saddam Hussein is captured , he has one less thing to go against him . entailment +Nevertheless , in view of the world-wide notoriety which attended it , I have been asked , both by my friend Poirot and the family themselves , to write an account of the whole story . I did not ask anyone to give an account of what happened . contradictory +The man smiled . A woman was smiling . contradictory +i didn 't know anything about this that 's fantastic This is terrible news . contradictory +Immediately to the right of Jesus is the weighing of the souls , with Saint Michael trying to stop Satan from cheating . The position of the art representations has a religious meaning . neutral +Ah , yes , tell him to come in , of course . Tell him to leave . contradictory +There wasn 't a soul in sight . Nobody was within the field of vision . entailment +oh i never thought about that that it would take a long time to find someone available It 's fairly easy to find someone available . contradictory +9.2 million individual entitlements each year , and employs a staff of 22,000 in 1,000 service delivery locations across Australia . The employer receives no entitlements since they only employ under one hundred staff . contradictory +uh-huh and because it was funny i mean everybody was furious i was so mad i got up and went and called you know i couldn 't believe that but almost every game that i watched it would come right down to the end we would be ahead you know but then at the very in the fourth quarter they 'd let them get up there either with them or you know right ahead of them it was frustrating . neutral +well i mostly listen to popular music i uh listen to it all the time in in my car so i i tend to be one of those people who switches stations a lot because i don 't like commercials but uh i find myself listening to popular music and The music I listen to seems to be music no one else enjoys . contradictory +For children who love boats , riding the Star Ferry or ferry trips to outlying islands will be exciting , and the Dolphin Watch trip ( see page 113 ) is certain to appeal . The Star Ferry or outlying island ferry trips appeal to children who like boats . entailment +PERSONALITY NO PERSONALITY contradictory +sure i think Houston 's playing really good ball lately I think Houston 's playing really good lately because of their new players . neutral +Its most cherished feature is the turquoise ceramic tiled roof in the north and south wings . There is a tiled roof on the south wing . entailment +In addition , emissions inventories prepared for the Heavy-Duty Diesel Engine rulemaking were the basis for future year emissions projections . Future year projections are accurate . neutral +The guards of the two blades locked and the men pushed face to face . The men shook hands in agreement . contradictory +Maids and butlers serve the family there , but the president and first lady ask them to leave when they want to be alone . The maids and butlers are glad when they are asked to leave . neutral +We 'll love you here even if you have a paunch or imperfect thighs ! You can be here if you are a size 0 . contradictory +yeah yeah they have a lot of values i love that do they have children I love that they have good values and children . entailment +so but yes i would definitely buy one of those before if i had to between that and Lincoln i 'd probably buy the Show If I had to choose between the Lincoln and the other one , I would schoose the Show . entailment +What can we do ? What are our options ? entailment +How you ever had the nerve to play your part as you did I can 't think . " She stamped her foot . " I completely knew you were going to do that , " she said . contradictory +The council of Satheri want you , he said . " You are banished from Satheri , " he said . contradictory +it was uh really living on a budget forced you to learn a few things that 's true Budgeting takes a lot of effort to get right . neutral +However , section 330 of the Appropriations Act effectively prohibited issuance of any CAFE standard that differs from standards promulgated . . . prior to the enactment of this section . Section 330 banned issuing CAFE standards that are different from other standards set by the IRS . neutral +IPM can be used to evaluate the cost and emissions impacts of proposed policies to limit emissions of sulfur dioxide ( SO2 ) , nitrogen oxides ( NOx ) , carbon dioxide ( CO2 ) , and mercury ( Hg ) from the electric power sector . IPM is a tool used by stock traders on Wall Street to evaluate the changing prices of stocks over time . contradictory +After the employees had evacuated , they were told that they were participating in a test , that they were to assume that a bomb had actually destroyed their workplace , and to proceed with emergency recovery plans . Employees were told this was a drill after they had left the premises . entailment +While it is quite true , as she notes , that Republicans adhere to the questionable belief that tax cuts are ipso facto good ( and tax hikes are ipso facto bad ) for the economy and the financial markets , those same Republicans also tend to believe that wealth is inherently the property of the individual who created it . Republicans are generally pro-business , but also tend to views at odds with each other . neutral +we 've been talking for five minutes it was We 've been speaking about football for 5 minutes . neutral +oh that 'll that 'll sound wonderful won 't it That sounds better than last time , doesn 't it ? neutral +so uh very much so except when we need them you know when they found oil in Mexico then we got very friendly with them again We have no dealings with Mexico as a country . contradictory +It will certainly require a more stable GAO , in which budget and personnel levels remain consistent from year to year and reflect a work plan built from the strategic plan . Budget and personnel levels need to be consistent each year for the GAO to be more stable . entailment +kind of myths that we 've come a long way just in terms of our society and race relations and things like that and Our society has evolved in terms of race relations entailment +they do not get referrals from the SEC and the AICPA , or because those organizations have made the information confidential . The SEC and AICPA do not give referrals for employment .. neutral +Congratulations to all our winners . There were no winners . contradictory +LSC statistics for CY 2002 will reflect the input of all these performance measures . LSC statistics for CY 2002 will reflect the input of all these eggs . neutral +yeah yeah they 've got they 've now they 've got some good videos They used to be not so creative back in the day . neutral +sure good talking to you Jim all right bye-bye Glad to speak with you Jim , goodbye . entailment +Nonexchange transactions with the public They were non public transactions . contradictory +( A Versace show opened with razor-sharp bias-cut asymmetrical navy dresses , stern except for a frill at the hem and a swatch of black lace that masked eyes . A Versace show opened with blue dresses that were silly and fun except for a frill and black lace that masked the eyes . contradictory +yeah maybe she would talk me in yeah maybe they 'll It 's possible that she could swing it for me . entailment +The Carthaginians originally came from the area comprising present-day Lebanon , and from their bases in North Africa and what 's now Spain , they challenged the Roman Empire for domination of the Mediterranean region . The bases were located in what is now Britain . contradictory +Ellen yeah she got married Ellen was married . entailment +It 's a 10-minute drive from the city . It is located just a minute from the city . contradictory +A man approached from the trail to the large house . A man carrying a sword approached the large house . neutral +And , it would grow to perhaps three or four times its current complement of 55 bodies . It might multiply to over 200 bodies . entailment +Most visitors watch from either the jetty or the observation tower , but for a bit extra you can get onto a floating platform with the trainers or , even better , swim with the dolphins . Many people find swimming with dolphins therapeutic . neutral +Under the restrictive definition of the USO , however , it is possible for the incumbent post to be more efficient than the entrant and still lose profits because the incumbent must charge a uniform price . The USO has a restrictive definition . entailment +Off the tourist route , on the east coast of the island , it is also known as Androseown . It is not a tourist town . neutral +But they were built in all seriousness in the last decade of the 11th century . Only in the last 10 years of the 11th century were they made . entailment +After touring the dusty hot archaeological sites of the Nile Valley , or tramping the noisy streets of Cairo , the Red Sea coast makes a welcome contrast . The Nile Valley doesn 't contain any archaeological sites . contradictory +Equally famous for its Riesling wines and its Renaissance houses , picturesque Riquewihr is often overcrowded during the tourist season . Riqurwihr is hardly visited by tourists . contradictory +Another major metropolitan daily in the South told its reporter that it would not pay her airfare or expenses . Another major metropolitan daily in the South told its reporter that it would pay her airfare . contradictory +how could how could could you stand there and watch them beat that guy if your brother or your sister were being beaten Thank you for doing something when you saw violence taking place . contradictory +and carry material and they carry acids and things too They are dangerous things . neutral +But while the silk hat no longer invokes uptown swells , no other headgear has replaced it in our metonymy . The silk hat has always been a regular part of the affluent city dwellers wardrobe . contradictory +The analysis in the final rule has been revised based on comments the FDA received and now also considers the costs and benefits associated with a rule issued by the Substance Abuse and Mental Health Services Administration ( SAMHSA ) on January 19 , 1996 , governing a program of State-operated enforcement activities to restrict the sale or distribution of tobacco products to individuals under the age of 18 . There are restrictions imposed by the State for people under the age of 18 concerning buying or distributing tobacco products entailment +If you 're without a car , taking a sunset cruise on a catamaran will transport you effortlessly to West End , and you can lie offshore away from the crowds with your rum punch . You can lie offshore near the crowds with a rum punch . contradictory +After two years of data collection , or a minimum of 20 data points , the control chart should be maintained using only the 20 most recent data points . The control chart should be maintained using two years of data collection and the 20 most recent data points . neutral +Click on Utilities if you want to print the entire issue using Microsoft Word , or if you 're dying to inspect our masthead ( Boiler Slate ) . Boiler Slate is a masthead of their ship . neutral +If collected on behalf of the Government as a whole , it would be recognized in the Government-wide consolidated financial statements . It would take five months to be collected on behalf of the whole government . neutral +and the winter wasn 't that bad i was really grateful that it didn 't get that bad this winter This was a terrible winter with many blizzards . contradictory +Known locally as ca ' ( short for casa ) as well as palazzo , the marble , brick , and white limestone palaces range over 600 years from Venetian-Byzantine to Renaissance , Baroque , and Neoclassical , but most of them are exotically 14th- and 15th- ? ­ century Gothic , Venice 's trademark in architectural styles . The palaces exemplify a range of architectural styles . entailment +By subjecting all state agencies to the rigorous discipline of preparing financial reports and having them audited , the Comptroller increased accountability for data accuracy beyond that required to receive an unqualified audit opinion . By not subjecting state agencies to the discipline of preparing finance reports and having them audited , the comptroller increased data accuracy and accountability . contradictory +So fascinated that it ran not one , but two stories on the apparently bottomless topic , one in the Money and Business section and one in the Week in Review . There were two stories about the topic in the paper . entailment +Audiovisual shows are presented in the hospital complex . The hospital presents audiovisual shows . entailment +Maybe black stuff is still so suspect that we need celebrities to get reference books . We need celebrities to pick up comic books contradictory +There is a Military Museum and a British relic inside the St. Mary 's Church , in the style of Wren . The relic inside St. Mary 's Church is from Germany . contradictory +You might have more fun and even success spinning from the back of a boat ; catches of brill almost half a metre ( 11.2 feet ) long are not uncommon in winter . The boat is going across the lake at high speeds . neutral +America rescued him from minor cult status and gave him to the world ( at a not-insignificant profit ) . America could do nothing to save him . contradictory +we had a Schnauzer that got milk fever right after the babies were born and we had to feed all their babies feed all the babies there were five and there were four of them that survived If we fed them milk from the sick Schnauzer , the babies would have perished . neutral +Map maker , map maker , make up your mind , and make me a perfect map ! The map maker needs to make a decision . entailment +her her parents live by the public transportation Her parents work for public transportation neutral +Although publishing itself has declined in importance , one legacy of the industry is the number of bookstores selling second-hand , antiquarian , and new books . People use the internet so publishing is not a big deal anymore . neutral +so we decided when the cable came through that we would get on it just so we could see what we were watching if we watched anything at all When the cable came through , we decided we could see what we were watching but forgot to do it . neutral +To participate in the debate over how to reform Social Security and Medicare , the public needs to understand the difficult choices the nation faces . The public needs to understand how little money the government has . neutral +Value per hour of time spent outside the X . They had no idea of time spent on Y. contradictory +America has made great progress in reducing air pollution . Government programs have are in place to help stop air pollution . neutral +The easy-going Louis XV was called the Bien-Aim ? ? ( Beloved ) , at least in the first half of his reign . Louis XV was laid back and liked . entailment +God how I love this country . God how I love the United States of America . neutral +well like i say i i guess i 'll root for any football game because i really like the sport and i 'm glad that was my topic today so I love football , but there are only a few teams I root for . contradictory +yeah well i know that that um like they can hold it off for years by uh i 'm trying to think of the word that you were um retrials and um They can hold it off for more than 10 years . neutral +A guided tour of the house will tell you how , on Assumption Day ( 15 August ) of 1769 , Napoleon 's mother Letizia was rushed out of church with her first birth pains . Napoleon 's mother Letizia had multiple children before she bore Napoleon on Assumption Day of 1769 . neutral +What I did say in my article was that increasing returns was largely ignored by mainstream economists for much of the postwar era , a claim that simply isn 't controversial . While the claim may appear to be controversial , it isn 't . neutral +there was a program on TV down here on the educational channel here a while back about a lot of little A while back there was a program on TV down here on the educational channel . entailment +As family bed boosters have noted , male physicians , who have no idea what motherhood is like , have cowed women for decades into doing unnatural and destructive things . Family bed boosters forced women to do unnatural and destructive things . contradictory +Finally , you can get an excellent view of the cityscape from the Cairo Tower ( El-Borg ) , designed like a minaret , though it does stand significantly higher at 182 m ( 600 ft ) above the city . There 's an excellent view for you of the city in the tower though photography isn 't allowed . neutral +In front of the building is a statue of the Duke of Wellington , resplendent in battle dress and cloak astride his trusty steed , Copenhagen . The statue of the Duke of Wellington is situated in the back of the building . contradictory +it was pretty bad bad because i understood all of it It was very bad , I understood everything of it entailment +and and you know it 's like for example like Leading Edge have you ever heard of Leading Edge There is no similarity between it and Leading Edge . contradictory +That Western photographer 's place was burned down and all his negatives destroyed this is the only copy in existence . This is the only remaining copy after everything else was burned . entailment +it 's nice and dark and quiet so it just kind of depends on the occasion It 's very loud , bright and horrible . contradictory +John Cavendish did not destroy that will . " Poirot was a true prophet . Poirot predicted that John was not the murderer . neutral +Meanwhile , the convoys with their vigilant wolf escorts migrate north each spring , the grizzlies flourish along the salmon rivers , and the moose munch in Anchorage 's suburban backyards . Wolves choose to travel south in the spring . contradictory +i did some needlepoint years ago and then i got into the Bargello I 've spent the last five years working in a mill and never got to do the Bargello . contradictory +In what direction ? What time ? contradictory +They laughed and talked through dinner . They forced the laughter and talking to pretend they all liked each other . contradictory +Station This is the Holy Sepulchre itself , now reduced to the simple stone shelf on which the body of Jesus lay . The Holy Sepulchre is the stone slab where Jesus ' body was placed . entailment +As stated in the AICPA 's statements on standards for attestation engagements , auditors should not perform reviewlevel work for reporting on internal control or compliance with laws and regulations . The auditors have standards for the internal control . entailment +Is it possible to close this political gender gap ? It is definitely not possible to close this political gender gap . contradictory +LSC recognizes the increasingly active role that state planners have assumed in overseeing state civil equal justice delivery activities . State planners are frustrated by their increasingly active role in overseeing state civil equal justice delivery activities . neutral +Twenty years ago , Joseph Zuska , a surgeon with an interest in alcohol problems among injured patients The crisis that brings the alcoholic to the surgeon is an opportunity for intervention in a progressive , often fatal disease . The surgeon should take a top role in interventions . neutral +the Broncos oh yuck i hate them I am not a fan of the Broncos . entailment +UNLV 's basketball team has a storied history , winning the NCAA title in 1990 . In 1990 the UNLV basketball team won the NCAA title . entailment +that was a big savings well that 's great well have you been in it long That is a deep blow to your wallet . contradictory +Taking note of the generally conservative impulse of New York 's legal community , Mr. Curnin suggested that the multiple pro bono aspect of Dean Glen 's sweeping proposal could be lost on judges who might dismiss the matter in terms of a bar exam procedural issue with a social good patina . If Dean Glen 's proposal were rejected , many people would be denied pro bono legal assistance . neutral +Was Ron Brown murdered ? Ron Brown is alive and well . contradictory +This paper explores the reasons that underlie differences in delivery costs among geographic areas . The quality of local roads is a major contributor to differences in cost . neutral +thanks sir No thank you ma 'am . contradictory +right like you expect expect from the movies of mental hospitals I was expecting a stark white building with wire over the windows . neutral +I did likewise , and we drove up within three minutes of each other . I did likewise , and we drove up within just three minutes of each other in our matching cars . neutral +You would inherit it , wouldn 't you ? " You would build your own house by the lake , wouldn 't you ? contradictory +Prior to developing a detailed scope of work for the study , the sponsor agencies shared information on their own design review processes and the design review processes of some private sector organizations with which they were familiar . There is a scope of work for the study that has to be completed after the preliminary reviews are done . neutral +Now , to my way of thinking , there is one insuperable objection to Miss Howard 's being the murderess . That objection was cleared up an hour ago , nothing is left to protect her . contradictory +A tranquil environment nestled in verdant foothills of the Blue Mountains , decorated throughout with original art . The environment nestled in the Blue Mountains is adorned with original art . entailment +With less than your usual chivalry , you seem to forget that I am commonly accounted a beautiful woman . You are always a very chivalrous and gentlemanly person , except in this circumstance . neutral +It has been suggested that Clinton limited his idea to under-18s in order to affront only people who cannot vote . Clinton did not impose this idea . contradictory +I promised my sister I 'd make a man of you and , by jumping Jupiter , I intend to do just that . I take my promises to family very seriously . neutral +Both of them can interact with people better than I did . I suffer from an extreme case of social anxiety . neutral +yeah have you seen that oh it was great yeah it was You should really see it if you haven 't . neutral +oh yes the man 's just probably totally insane He has schizophrenia . neutral +that 's a department store that is a department store entailment +You can make several separate trips to view all the attractions that the town has to offer , and you 'll certainly get used to the slow pace of these windblown boats . There are no attractions in the town worth seeing . contradictory +God gun control it 's it 's such a heated topic in the the and people get so emotional about it Nobody cares about gun control at all . contradictory +I 'm not sure whether the latter has any currency in America , but here in Australia it is often uttered in a pleasant--and perhaps patronizing tone of voice in instances such as , say , insisting to a reluctant teen-ager that he march off and do his homework . There is an Australian phrase that is unhelpful for telling a teen to go do his homework . contradictory +A roof terrace offers panoramic views over the city skyline , and there is an excellent restaurant on the third floor . The terrance has views of the downtown area and the river . neutral +Sir James 's words sounded in her ears : " Never tell all you know not even to the person you know best . " And like a flash there came into her mind another memory . She remembered that Sir James said she should keep some secrets . entailment +There is something missing , a link in the chain that is not there . Something is missing . entailment +The book itself is displayed along with the Book of Durrow , the Book of Armagh , or another illuminated manuscript ; pages of the books are turned every six weeks . The books ' pages are turned every 6 weeks to prevent them from crumbling . neutral +yeah and other than that i can 't think of any other ideas yeah that 's all I can think of entailment +They run dry in the west and want to reopen the eastern shafts at the Old One 's feet again . The east is very moist . neutral +Some of the abuses that took place underthe Bracero program can be directly attributed to the way the program was administered . There was abuse that occurred under the Bracero program . entailment +Hold staff and management accountable for ensuring that schedules are realistic . The management should be held responsible to ensure realistic schedules . entailment +In 1869 Y okohama became an international port , and the burgeoning international community quickly spread beyond its confinement to the high ground still known today as the Bluff . Foreign visitors gathered on the high ground referred to as the Bluff . entailment +and we have one of course i say in college driving and and one going to drive this summer so uh kids are cost you practically nothing because you always get so many things from your relatives and everything but you wait until they go and get a car insurance and you and that 's when they get expensive as they get older you know uh it it Kids are expensive when they get older , but it 's still not that bad . neutral +The cut in output and employment in the investment sector would not be immediately offset by a rise in output and employment in industries that produce for export or that compete with imports . A rise in output and employment wouldn 't immediately offset the cut in output and employees in the investment center . entailment +" Fix our sky , " the old man said woodenly . " Repair our sky , " the old man said dryly . entailment +Speaking to University of Georgia School of Law graduates at their 2000 commencement , he said , The cold , hard reality is that far too many people face the possibility of an unjust outcome because they must navigate an often complicated legal system without the benefit of competent counsel . He noted that people often get unjust legal outcomes because they don 't have competent counsel . entailment +The book that resulted , Bosnia and the Failure of the West , is an unrelenting indictment of the international community 's inability--or unwillingness--to step in and stop the killing . Bosnia and the Failure of the West is a film . contradictory +In the years following his interment , the tomb entrance became covered with debris when another tomb was dug nearby , saving it from tomb robbers . Debris covered the entrance to the tomb after a separate one was dug close to it . entailment +is that right well good That must be right since it 's good . neutral +In lieu of the traditional practice of performing a 100percent manual prepayment examination of invoices , agencies today process large volumes of transactions in highly automated systems with automated controls , electronic data interchange , and computer assisted examination techniques . They examine prepayment of business invoices manually . neutral +Dear me , I murmured , " so that is the explanation of your extraordinary behaviour . There is no explanation of your actions . contradictory +But otherwise , so long as his religious convictions , no matter how weak or strong they may be , are not geared toward the outright oppression or destruction / neglect of those who fail to share his views , they should not matter , and warrant no scrutiny . As long as he doesn 't judge others , he cannot be hated on because of his religion entailment +The American Spectator piece led directly to Paula Jones . She knew what she was doing with the piece . neutral +Citing almost no cases , Tribe told the Supreme Court that the Colorado initiative violated the letter of the Equal Protection Clause because it denied gays alone the protection of the anti-discrimination laws . Tribe cited over 50 verified accounts of violations of the Equal Protection Clause . contradictory +He is troubled over whether to accept donations from the professional kirkbuzzers ' * guild . He knows taking the donation is the right thing to do . contradictory +The original report was authored by Lois-ellin Datta in April 1987 . The original report was authored in 1987 . entailment +Humayun 's Tomb has a remarkable charm of its own , a site for repose and serenity made from a delicate combination of materials buff-and-red sandstone and smart , grey-trimmed white marble . Humayun 's tomb was made up of buff-and-red sandstone as well as smart , grey-trimmed marbles . entailment +I would suggest that all CPAs regardless of what position they hold or what sector they work in share certain roles , responsibilities and values . CPAs are not suggested to do anything . contradictory +but she seems to me to be you know pretty quick and smart and she 's already reading and writing and stuff like that and she just turned five last month She is the smartest one in the preschool . neutral +Two years later , the regime lifted martial law after the Pope 's second visit to Poland , and Lech Walesa won the Nobel Peace Prize in 1983 , familiarizing the world with the struggles of Polish workers . Lech Walesa never won the Nobel Peace Prize even though she was expected to do so . contradictory +Is it too large a leap of faith to believe that the right incentives , ones that capitalize on the comparative advantages of people or locations , can reap positive returns not just for the direct beneficiaries , but for the larger society ? It is not impossible to gain good returns fort the masses , just difficulty . neutral +This hill fort was built by Herod the Great ( 74 4 b.c. ) , whose misdeeds were so enormous that he felt he needed a bolt-hole closer to Jerusalem than Masada to protect him from his many enemies . Herod the Great never used his shelters due to his immense power and intimidation . neutral +The only thing I liked about the first episode is Steven Van Zandt as Silvio Dante imitating Michael and Kay Corleone . Steven Van Zandt was the best part of the first episode . entailment +He was the opposite of his brother in almost every respect , being unusually shy and reserved . He was exactly like his brother . contradictory +I ought to know him , son . I really don 't know him at all . contradictory +um that 's not too bad This is the worst possible scenario . contradictory +More eloquent than any museum are the 9,386 white marble croses of the American military cemetery on a cliff overlooking Omaha Beach at Colleville-Saint-Laurent . There is a military cemetery that overlooks Omaha Beach . entailment +and that was you know he she 'd just she had treated him like family does you know and um That was you know she 'd just had treated him like family does entailment +Tommy produced five shillings . Tommy gave five shillings . entailment +As an independent regulatory agency , the Commission is not subject to Title II of the Unfunded Mandates Reform Act of 1995 . Since it is an independent agency , the Commission can ignore requirements of the Unfunded Mandates Reform Act . entailment +Well , said the Industrialist , " there 's no harm in that . " Well , " said the Industrialist , " that would not hurt anyone . " entailment +and passed it on to people that were interested People were interested because it was very rare . neutral +there you go that 's it that 's it That is all . entailment +no indignation , no passion for justice , only woe , woe , woe , as he felt himself falling , He was perfectly balanced . contradictory +The directive tasked federal agencies with developing critical infrastructure protection plans . Federal agencies were asked to develop ways to protect critical infrastructure . entailment +Exhibit 2 Analytic Sequence for Multi-Emissions Reduction Proposal Benefits Analysis There is no exhibit 2 to be shown today . contradictory +It also acts as an incentive for agencies to be ever vigilant in their efforts to address the wasteful spending that results from lapses in controls that lead to improper payments . The agencies don 't need incentives to stay ever vigilant , so it doesn 't act in that way . contradictory +So , a couple of decades ago , the magazine industry created the National Magazine Awards ( the prestigious Enema , as occasional The National Magazine Awards were established a couple of decades ago . entailment +send them out by Federal Express and fax machine Send them out by FedEx or DHL neutral +But the town itself , with its miraculously preserved old city center , has much else to offer . The town itself has lots of interesting events . neutral +This arcaded palace , with its garden of lime trees and beeches and a pond where the young Louis XIV nearly drowned , has a colorful history . The palace has beautiful gardens . entailment +The risk estimates from the vast majority of the short-term studies include the effects of only one or two-day exposure to air pollution . The pollution is extremely harmful and should not be breathed in . neutral +The town has a long and important Jewish heritage , as it was here , from the third century onwards , that the Mishnah ( part of the Talmud , edicts of Jewish Law ) was codified , the Jerusalem Talmud ( the primary source of Jewish religious law ) was edited , and the Hebrew alphabet developed . Studying the Talmud is very interesting . neutral +Financial Federal Family Education Loan Program 's Financial Statements for Fiscal Years 1993 and 1992 ( GAO / AIMD-94-131 , June 30 , 1994 ) The financial statements for 1993 and 1992 are released onto the website . neutral +Wires , baubles and three-pronged plugs . The room was filled with tons of electrical equipment hooked up to strange devices . neutral +They are dealing with complex human emotions . The doctors are dealing with very complex human emotions every day . neutral +yeah and now it 's possible that he didn 't commit this one but the likelihood is certainly tilted There is a small chance of it . entailment +The preamble to the interim rules contains a further discussion of additional analyses considered and performed by the Departments , including an analysis prepared by Coopers and Lybrand . There is not a requirement of further discussion and analyses when it comes to the interim rules . contradictory +Vaclav Havel was in New York in the spring of 1968 , participated in the student strike at Columbia , joined Alexander Dubcek in the short-lived liberal uprising in Prague that summer , and became the president of Czechoslovakia in 1990 . Vaclav Havel , the president of Czechoslovakia in 1990 , had been in New York in 1968 . entailment +The analysis finds that the new rule would not be significantly burdensome for small entities because use of the profile is optional and that the information contained in the profile is now typically contained a fund 's prospectus . The profile was found to not be significant for the new rule . entailment +He began to struggle against her hand , but she shook her head gently . She was not holding onto his hand . contradictory +okay yeah that 's good well they say that walking is just as good if not better than jogging Jogging is much better than walking . contradictory +we don 't need anymore We don 't need water anymore , we 're immortal . neutral +But based on the force of [ Ginsburg 's ] personality , and that he 's at the office every day , he 's gotten some very senior people on board , Reilly said . Ginsburg does not have a great personality . contradictory +The agency , which gets more than half of its $ 5 million budget from the LSC , will lose $ 525,000 , said executive director Joseph Bartylak . The agency is largely unhappy about the drastic budget cuts . neutral +Gandhi He was the youngest of four . He was the youngest of four siblings . entailment +And if there were , any elective late abortion--even by induction--would be wrong , though D and E and partial-birth abortion would seem especially cruel . Elective late abortions are cruel . entailment +The walk up this volcanic peak is steep but within the capability of a normally fit person . Often kids run up the steep volcanic peak ahead of their parents who lag behind . neutral +If we all used the same insurance company , you might expect that company to supply the appropriate subsidy . Insurance companies to not supply any subsidies . contradictory +The drive to find and eat food was integral to the survival of our early ancestors . Our ancestors wanted to find food . entailment +The Russian tapped his cheek . The Russian man did nothing with his cheek . contradictory +But he had seen enough . He didn 't need to see any more . entailment +Mejillones ( mussels ) can be remarkably good steamed with a dash of white wine and garlic . Mussels are a specialty of the region . neutral +and sometimes you 'll get it on the first try i mean it 's just You will never get it on the first try . contradictory +to get it yeah Not to get it . contradictory +The data confirm a general prediction about cap-and-trade programs , that they will tend to create incentives for the dirtiest plants to clean up the most , as the per-ton cost of emissions reductions may be expected to be the least . Using the data , we were able to confirm a general prediction in regards to cap and trade programs . entailment +There must be simply heaps along here . There must be piles here for the garbage . neutral +Also , compensation committees need to understand the implications of compensation to provide incentives for management to do the right thing for the company and its shareholders versus themselves . The implications of compensation to provide incentives for management to do the right thing for the company and its shareholders versus themselves is important to all compensation committees . neutral +She had accused Tommy of being a pessimist , and it is certain that he always saw the disadvantages and difficulties which she herself was optimistically given to overlooking , but nevertheless she had really relied a good deal on his judgment . Tommy is correct more often than she is . neutral +Mr. Hastings , she said , " do you think I and my husband are happy together ? " I was considerably taken aback , and murmured something about it 's not being my business to think anything of the sort . She asked me whether I thought that she and her husband had a good marriage , and I was greatly taken aback . entailment +Dove Cottage was their first home . Dove Cottage was the first place that they lived . entailment +APHIS performed an environmental assessment and determined that the actions required or authorized by this rule will not present a significant risk of introducing They found the actions would not pose a threat . entailment +The fiscal year 1997 budget shrinks the IRS appropriation by $ 342 million . The budget cuts by the IRS in 1997 were ineffective and they only saved $ 2 million contradictory +Cleveland 's role , like Rutherford Hayes ' and Warren Harding 's , was to take care of business . Cleveland 's role is nearly identical to Rutherford Hayes ' . neutral +and he 'll be over there until July first setting up some kind of computers for them He 'll be over there for a few months at best . neutral +In India , the Hindu devoted an editorial Monday to the TV coverage of the 106 th birthday celebrations of two Japanese twin sisters , who , it said , are doing well and enjoying themselves despite their bent backs and wizened faces . Two Japanese twin sisters lived to be 106 years old and were featured on Indian television . entailment +You are agitated ; you are excited , it is but natural . Its natural to be agitated and excited . entailment +This waterway accounts for much of the local charm and excitement , as the daily drama of the ferryboats , junks , sampans , freighters and even small tankers and big gunboats unfolds right in the center of town . The central waterway of the town attracts lots of attention . entailment +What there is in the way of stylized leaps , spins , and balancing on the toes comes out as the natural expression of exceptionally graceful human beings and not as a demonstration of what some clever windup toys can do . It takes years of practice to be able to balance on toes . neutral +Not once in my 37 years have I heard anyone admit that they believe in the content . In 1997 , my father told me that he has faith in the content . contradictory +uh-huh well um i 'm i 'm originally from Butler and that 's about an hour away from where i am now i 'm at Clairon And um it 's it 's pretty like windy and hilly I haven 't been to Butler in a couple of years now . neutral +It is of note that , based on recent preliminary findings from the Health Effects Institute , the magnitude of mortality from short-tern exposure ( Alternative Estimate ) and hospital / ER admissions estimates ( both estimates ) may be under or overestimated . Secondary findings found that the number is for sure overestimated . neutral +The year was 1969 , said Mr. Greenberg , president and attorney in chief of the Legal Aid Society of New York . Mr. Greenberg spoke solemnly when he discussed the year 1969 . neutral +fills up any time of space i get too involved in reading sometimes that i neglect what i should be doing so i you get so involved in what you 're reading I get bored of reading and do my chores instead . contradictory +Unless the two people have an agreement not to read anything about Monica , both defend against extreme unhappiness by reading the info , settling for moderate unhappiness . Reading about Monica turns misery into more subtle sadness . entailment +Only two existing studies provide defensible monetary estimates of the value of visibility There aren 't any studies that can provide accurate estimates . contradictory +You know , most of our customers are a bit ... surprised with this view . When our customers see this view , they are a bit ... surprised . entailment +yeah i know a lot of people have i mean fifteen hundred dollars two thousand dollars No one has any money . contradictory +Away from the center , you can trace the town 's ancient beginnings in the Etruscan Guarnacci Museum ( Via Don Minzoni , 15 ) . The town dates back to the 13th century . neutral +This knowledge , coupled with vast experience in manufacturing trucks , ensured the stability of the 797-truck design before initial manufacturing started . The stability of the 797 truck design was far from a sure thing before manufacturing began . contradictory +Assessing the Efficacy and Safety of Medical Technologies . Assessing efficiency and safety of medical tech entailment +Carthaginian settlers and miraculously preserved mosaics from 2nd-century a.d. The mosaics are totally destroyed and can no longer be seen . contradictory +Table 1 USPS Operational Costs by Major Function Table 1 USPS Annual Expenditure by Major Function . neutral +Long Beach boasts some 50 murals , many dating from the New Deal era of the 1930s . Long Beach 's oldest murals were done in the 1950s . contradictory +No estimate of this is available but if the growth is high , the postal service loss for the program could be low , which would yield a discount larger than 4.5a. There 's no estimate of this , but If the growth is high , the postal service loss could be low , which would give a discount bigger than 4.5a. entailment +At the end they are taken apart while still alive so the Eye can study how they work . They wait until they are completely dead before taking them apart . contradictory +What really matters , though , is that neither man resorted to in-your-face woo-woos or bitching , though in this case , sassy talk from the other side probably warranted retaliation . Both of the men chose to woo-woo in each others face . contradictory +Then I jump in with a higher bid at the end , hoping that at least some of those competitors are away from their computers and unable to respond . The last minute bids usually win auctions . neutral +You go down and get your time , and they hand you your draft notice . They will hand you your green draft notice , then you come back up . neutral +The whole area retains some of the village feel , with a slow pace of life , a variety of street performers , and pleasant cafe . The area feels quaint because it has small shops and tables outside . neutral +Wine lovers flock each year to this northernmost of France 's wine-producing regions , where a unique combination of geology , topography , and climate has produced the world 's most celebrated wine . France has terrble wine . contradictory +She was an orphan , and had been what we should call over here a pupil teacher in a small school out West . She is currently an orphan pupil out West . contradictory +Hemingway and I would carry the crates . Hemingway refused to carry the crates . contradictory +Tommy burst into its sacred portals eagerly , but his enthusiasm received a check . Tommy excitedly burst into religious places , but his excitement was curbed . neutral +Not that such a sale was a favor ; Rennie ought to be glad to get such blood for the Range . Rennie should be glad to receive such blood for the Range . entailment +you have honeydews yeah Yes , have honeydews with you work out routine for a shapely buttox . neutral +Leading organizations also focus on hiring managers who bring a hybrid of business and technical expertise to the organization . Business and technical expertise is not on the list of desirable qualifications for leading companies seeking to fill management positions . contradictory +8 . Are there significant policy issues that must be resolved to make interventions for alcohol problems more feasible ? There are a lot of policy issues that must be fixed to make it easier to intervene in drug problems . contradictory +If you were a photographer and had to hire child models for an important shoot , you could hire from a reputable modeling agency that guaranteed its clients , or you could hire children off the street and also hire an authoritarian nanny to watch them every second . If you needed children for a photo shoot , you had the choice of a respectable modeling agency or simply picking street kids . entailment +uh-huh well sewing does take up take an awful lot of time takes an awful lot of time Sewing different clothes takes up a lot of my time . neutral +Conversely , increasing demand for boilermakers that would result from a multipollutant rule should stimulate more workers to enter the trade . Shortage of boilermakers will deter new entrants into a job . contradictory +well that 's what you i mean that 's what you need in a pet if your going to have small children too You can have a pet if you have small children . entailment +What the bionomics guys apparently think evolution is about is constant , breathless change--strap yourself in ! The bionomics guys think evolution is constant change that no one can predict . neutral +I 'd say they warn 't even talkin ' by th ' time they pulled up here . By the time they got here , they weren 't talking . entailment +Severn spoke with pride at their achievements . Severn was proud of them . entailment +the roster of performers reads like a who 's who of political correctness . The performers are notorious for their lack of political correctness . contradictory +These pleasant , but expensive , outings can lay the foundation for your own explorations aboard the cheap but usually comfortable ferries used by the islanders themselves . These outings are pleasant because if you can afford them then it affirms your wealthiness . neutral +Under the businessmen 's Prime Minister , Dr. Mahathir , Malaysia has achieved remarkable prosperity as the economy built on the gains of the earlier post-war decades . Malaysia 's economy dwindled under the supervision of Dr. Mahathir . contradictory +well as long as you 're not eating meat um it 's to be kosher the meat would have to be kosher The meat would have to be kosher . entailment +Mr. Poirot , here , will show me the way . " As they all went out of the room , Poirot turned and made me a sign to follow him upstairs . They all stayed in the room and Poirot told me to stay where I was . contradictory +It depends on how you score it . It doesn 't depend on the way you score it . contradictory +Brian Dennehy in Death of a Salesman .-- Chris Kelly Brian Dennehy was in Death of a Salesman . neutral +The restaurant and gift shop complex at Shoreline Village is an attractive remake of a typical New England harbor town . The restaurant and gift shop complex at Shoreline Village is incredibly drab . contradictory +It has been re-christened the Hub . It has changed its name to the Hub . entailment +and we get a lot of tornados too this is the time of the year We never have severe weather . contradictory +aren 't aren 't they laying off several thousand people No one is being laid off . contradictory +Despite all of this attention , there are weaknesses in what is know about costs . There are weaknesses in the knowledge of costs . entailment +They were alone now . They thought they were alone , but they were being watched . neutral +radios and cassettes and things like that Radios and cassettes are similar . neutral +The world also stands in awe of Italian cuisine . The world hates Italian food . contradictory +yeah yeah i 'll be yeah there you go that 's I 'll be there for sure . entailment +Yes , with dragons on them . There were dragons on them . entailment +Dunford- Jackson said , rather than a domestic issue between two parties . Dunford-Jackson said it was a domestic issue within the farming community . neutral +There is nothing like this anywhere . This is a major thing . neutral +um-hum right exactly exactly yeah You 're exactly right on that point . neutral +Where am I , anyhow , Nema ? The girl dumped an armload of clothing on his bed and looked at him with controlled exasperation . She was very surprised at his question . neutral +Peace with Spain in 1411 prompted Portugal to seek overseas conquests . Portugal is a wonderful place to visit for its history . neutral +The superficial The even split of many of his assets vindicates her argument and bodes well for corporate wives . She had unfairly received a large chunk of his assets that she hadn 't contributed to . neutral +" Maybe , only there can be upsets . " Topham looked thoughtful . Topham was thinking because it was important for him . neutral +She is attracted to me and we would like to see more of each other . They dislike each other . contradictory +The much praised but often insensitive prefect of Paris swept away most of the medieval and 17th-century structures , leaving only the Place Dauphine and the Rue Chanoinesse as testimony to the island 's rich residential life . The Place Dauphine was the site of many executions . neutral +Wakakusa after sunset , creating one of the year 's most photographed spectacles , visible from miles around . Wakakusa after sunset is visible from all over . entailment +Around this time the Sumerian civilization living in Mesopotamia ( the region between the Tigris and Euphrates rivers in present-day Iraq ) founded and developed the cuneiform script , the world 's oldest form of writing on record . The Sumerian civilization developed the cuneiform script . entailment +Critics credit the independence of cable with allowing what broadcast networks won ' four-letter words , grotesque violence , abundant male nudity . Cable TV can be grotesque and violent to some viewers . entailment +We don 't see him surprise the nation in 1964 with strong showings in the Maryland and Wisconsin Democratic primaries--states outside the Deep South where he wasn 't expected to fare well . He didn 't compete in any primaries in 1964 . contradictory +Under present political circumstances , it is best to explore Silwan and surrounding areas with a guided tour . Silwan is fine for tourists to explore by themselves . contradictory +what i i i 'm a fly fisherman I 've been a fly fisherman for years . neutral +see that 's the one that is the honest to God the one reason i don 't want to see the movie is because i love buffaloes for some weird reason and i know they 're fake I love buffaloes , and I know those ones are not real . entailment +8.52 The fourth reporting standard for performance audits There are several standards for reporting performance audits . entailment +Of course the teasing has not abated , and the weight of my imaginary dunce cap is giving me a headache . I felt like a genius . contradictory +Moreover , given the political damage the GOP has suffered by unilaterally impeaching Clinton , Republican leaders fear that the merits of their arguments will once again be drowned by charges of partisanship . Republicans are afraid that charges of partisanship will overshadow any merits to the GOP 's unilateral impeachment of Clinton . entailment +I should have told you that . There was no electricity here with which to power anything , and their spells could not be made to work now . I should have said that electricity isn 't available for power , so their magic can 't work . entailment +And so economists have , more and more , simply avoided the subject ; and being human , have tended to rationalize that avoidance by asserting that the subject isn 't really important anyway . Economist have just avoided the subject . entailment +As required by section 205 , FSIS considered several regulatory alternatives to the imposition of the mandatory HACCP but determined that the requirements expressed in the final rule constituted the most cost-effective and least burdensome alternative that would meet the objective of the rule . FSIS considered regulatory alternatives to HACCP . entailment +How easily the blade had ended the man 's life . The man had escaped without injury . contradictory +More than just Japan 's second city , Osaka is also the perfect base from which to explore nearby Nara and Kyoto by train . Japan 's third largest city is known as Osaka . contradictory +Seleyman , known in Turkish as Kanuni ( The Lawgiver ) , reigned from 1520 to 1566 , during which period the empire attained the height of its wealth and power . Kanuni was solely responsible for the empire reaching it 's peak . neutral +Waiters carried bottles of ancient and royal vintage with loving care . Vintage bottles were tossed in the air without care . contradictory +In the end , there is no question that effective stewardship must consider how increasingly diverse approaches to public sector responsibilities are leading to diffuse accountability . Most managers eventually come to realize that diffuse accountability must be streamlined in order for agencies to perform at their best . neutral +Adrin was talking to the Kal and Thorn cleaned his blade with a torn dirty cloth . Thorn cleaned his forehead with a dirty cloth . contradictory +you know it 's not really all that that doesn 't it 's it isn 't as good as some of the smaller ones you know that they get a zillion miles It isn 't as good as smaller ones that get a lot of miles . entailment +You see , if the spider lets the fly walk out too easily , the fly might suspect it was a put-up job . The spider lets the fly go because it isn 't hungry . neutral +For instance , nitrate levels in surface waters are not significantly improving , and at best are constant . For instance , nitrate levels in surface waters are improving significantly , and at best are very high . contradictory +and they had people out there using all sorts of drugs handling those chemicals Even though they used drugs , they were allowed to handle chemicals . neutral +As a group of liberal Hindu and Parsi intellectuals , supported by a few progressive British , it was more national in purpose than in its representation . The supporting progressive British sought to downplay the national elements . neutral +Permitted power generating plants may opt into the trading program . No power plants were permitted to opt into the trading program . contradictory +Figure 1 : Organization and Accountability Criteria for the Department of Homeland Security How to regulate the Department of Homeland Security . neutral +To this one might add the single paragraph I devote to the origin of the Washington Holocaust Museum , which , as you wrote in your Holocaust Memorials in History , was proposed by then-president Jimmy Carter to placate Jewish supporters angered by his sale of F-15 fighter planes to Saudi Arabia . Jimmy Carter allowed the Washington Holocaust Museum to be built , even though he didn 't care for it . neutral +The first flash of fiction arrives without words . The last flash of fission is the sun . contradictory +and quilting and um And knitting and contradictory +right she could just as easily do those things by hand She could just do those things by hand . entailment +Beijing views the United States as the one country that can influence China 's emergence as a major global political and economic power in both a positive and a negative direction . The United States is too weak to impact China in any way . contradictory +and you know they were asked you know well when you get out will you commit that same crime again and they said probably you know this is how we live that 's how we make our living we live by selling drugs we live by stealing we live by this you know They all denied that they would commit crimes again . contradictory +At least , Chatterbox thinks that 's what Johnsen said ... Johnsen said something that Chatterbox heard . entailment +The attempt was futile . The attempt at fixing the road was pathetic . neutral +My dear Mr. Whittington , she said , " let us by all means lay our cards upon the table . She is speaking to Mr. Whittington . entailment +Looking up he saw a figure sitting above on an outcrop of ancient rock . There was no one on top of the rock . contradictory +I will miss him . I do mind him being away . contradictory +well i i believe in freedom of but not freedom from if you understand what i mean I believe in freedom , but I don 't believe we can be entirely free from restrictions . entailment +It was built in the beginning of the 17th century , based on the graceful style of Juan de Herrera ( Felipe II 's architect , responsible for El Escorial ) : symmetry , slate roofs , and slender towers . It was built in the beginning of the 17th century , based on the graceful style of Juan de Herrera that later became unpopular . neutral +Participants noted that even if the SEC were independent regarding its funding , the Congress could still oversee the SEC . The SEC is a private organization . contradictory +The main reason I only bought one or two was I knew that after playing them I would generally be stuck with them . I bought five because I didn 't think I would be stuck with them . contradictory +yeah right and uh you know they we you know we go to the park or we go in the backyard and sit down and we either go to the park or the backyard entailment +In the column he wrote the day after Harold Washington became the first black person elected mayor of Chicago , Royko began with one of his inimitable openings , So I told Uncle Don 't worry , Harold Washington doesn 't want to marry your sister . Harold Washington was the first black mayor of Chicago . entailment +However , if more than one system is installed at a site , some significant efficiencies result . Installing more than one system per site does not cause efficiencies to improve . contradictory +'Well , I can get it working like a person . ' I know I can make it work like a person . entailment +Wonder what else was in that trunk . I 'm curious what else the trunk held . entailment +okay you know like how uh these two there was like three continents that were always fighting with each other There were several continents who lived in peace , having never battled with each other . contradictory +Even if you 're not an archaeology buff who wants to understand the meaning of every stone , it 's worth at least an hour or two to stand among the debris of an empire and wonder whether Fifth Avenue , Piccadilly , the Champs-Elysees , or Red Square will look any better 2,000 years from now . Normal people may enjoy wondering what the Red Square will look like in 2,000 years . entailment +The analysis contains tables which show the annual cost from 1998 , the effective date of the rule , until the year 2051 , by which the EPA expects the entire existing fleet of These engines to have been replaced , to be $ 15 . The anaylsis has tables that show how the costs are increasing . neutral +Longitudinal Assurance that a short-term situation that may be unrepresentative of what is happening isn 't inflated in importance Longitudinal Assurance that does not represent what is actually happening is incredibly important to day to day life . contradictory +Under DOD 's revised policy , it is still difficult to determine if a product should enter product demonstration with a stable design . DOD has revised its policy , which maintains its difficulty in determining product demonstration . entailment +Only two of us were there . There were only two people present . entailment +The validity of case study methods partly depends on the resolution process . Case study methods 's credibility is based upon the lead investigator 's reputation . contradictory +( here , drink ! ) drink , here . entailment +they they just started trying to get them together like like like like that around here from for from the community because uh we had a big ice storm uh very very recently you don 't sound like you 're in the north you sound like you 're in the south somewhere There was an ice storm that happened here very recently . entailment +there instead of these uh uh banks going that are folding but Instead of these financial institutions that are folding . entailment +Well , good-bye . They said , " goodbye " . entailment +i 'm i 'm from the midwest so I grew up in the midwest . neutral +yeah yeah hm well i i you know it 's just a that 's the biggest hassle i think that if i had been nicer to my Escort and been more diligent about getting the oil changes and doing that kind of stuff i could have probably gotten another ten thousand miles out of it I could have gotten more miles if I had not driven on bad roads . neutral +pretty much off and on since seventy four so really quite a while and i 've watched the weather shift you know i can remember being here back in the seventies in college and the spring dust storms were I believe that the weather has been relatively consistent throughout the pas few years . contradictory +so they 're they 're getting old enough to where they can help out with a campfire and cooking and and all that kind of stuff too I 'm delighted that I don 't have to do the cooking by myself anymoer . neutral +Finally , the analysis states that the FCC is unaware of any other alternatives which could provide sufficient spectrum in the immediate future but invites comments on this point . Other alternatives , one that might provide sufficient spectrum in the near future , elude the FCC . entailment +But it seemed to Hanson that only the oldest and ugliest buildings were still standing . It seemed to Hanson that there were some buildings still standing . entailment +It is also important to note that both the Alternative and Base Estimate are likely to underestimate the benefits of this proposal because of the many environmental and health effects that we were unable to quantify in this analysis . Many would argue that the inability to quantify some of the environmental effects had more to do with resources than actual inability . neutral +Among its many notable bronze images is the Yakushi triad , comprising three blackened-bronze the Yakushi Buddha ( dedicated to healing and medicine ) seated on a medicine chest between Bodhisattvas of the sun and moon . The Yakushi triad could not be found between the images . contradictory +that 's really good That sucks . contradictory +a 1395ww ( d ) ( 4 ) ( C ) , requires the Secretary to annually adjust the weights and classifications for the diagnosis related groups to which Medicare beneficiaries ' hospital stays may be assigned . The Secretary has the ability to adjust weights and classifications for diagnosis groups . entailment +Paul Krugman loves to berate journalists for their ignorance of economics , particularly his economics , but on this occasion , I fear , his logic is more addled than usual . Paul Krugman is correct that journalists lack economics education . neutral +Foreign ships carried new diseases to the islands as well . The ships brought medicines and good health to the island . contradictory +Let me go here and now . Keep me here for a while . contradictory +well she shot him and she went to prison she you know she killed him but she lost her baby and then they sent her to jail so that 's not right She lost her baby because of him which caused her to commit murder . neutral +do you live in the District I live in the affected District . neutral +Somethin ' must have riled him good tonight " Something must have made him angry . entailment +'Nothing , ' White 's expression was of grim amusement . White frowned as he said ' everything ' . contradictory +The State of Israel was declared during this difficult time . The State of Israel was declared during a period of peace and prosperity . contradictory +oh i bet they were that 's right we use a lot we sure do yeah one nice thing with onions and and bell peppers at least you can chop them and freeze them if you have you know too many If you have too many onions or green peppers , you can dice them and freeze them for later . entailment +Even without such changes , the Postal Service could pursue regional wage differentials . The Postal Service wants to pay higher wages in New York . neutral +Are there subpopulations that benefit more from motivational or brief interventions ? Does none of the population benefit from intervention ? contradictory +His stomach rumbled . His stomach was silent . contradictory +Some had torn themselves open . Some had torn themselves open in dispair . neutral +You , he said beneath his breath . You , he whispered . entailment +To the southwest of the Petrified Forest , take the road to Eressos and its beach resort of Skala Eressos , birthplace of the poet Sappho . Sappho was born in Skala Eressos , which is now home to a beach resort . entailment +Risk analysis generally includes estimating the risk 's significance , assessing the likelihood of its occurrence , and Risk analysis does a bad job of estimating how much of a risk there is . contradictory +The virtual world is tingly . Meeting people online feels good . neutral +Keirsey has redefined these four pairs this Keirsey has redefined these pairs as a new phenomenon . neutral +Polarization Slobodan Milosevic--first as a Communist and then as a Serbian nationalist--whipped up anti-Albanian sentiment . Milosevic was a Communist and then a nationalists who disliked Albanians and wanted to ruin their country . neutral +Friend of yours , is he ? Do you know this person ? entailment +In fact , it may well be that News Corp. , which is building a national competitor to ESPN by stringing together a series of local sports networks , is more likely to work for the best interests of the game as a whole . News Corp has no intentions of purchasing any sports networks . contradictory +For example , the President has made financial management improvement a top priority and established a goal to obtain an unqualified opinion on the government 's financial statements . An unqualified opinion of the government 's financial documents give officials an unbiased perspective . neutral +The 90-m ( 300-ft ) interior makes it the longest church in the country . The interior of the church is round . contradictory +Tobe Kells spoke first . Tobe Kells spoke first , then , it was my turn to talk in front of a hundred people . neutral +She never comes She doesn 't show up for 24 hours . neutral +The Mus ? ? e d 'Art Moderne de la Ville de Paris ( 11 Ave. du Pres ? ­ i ? ­ dent Wilson ) has an important collection of 20th-century art displayed in the spacious galleries of the Palais de Tokyo . The art museum has an impressive collection of 20th century art . entailment +There is even a rare sight of yellow wheat fields grown for beer and noodles rather than for bread ( which is mostly imported ) . The beer made from the wheat is highly sought after . neutral +To give luck a chance and to gain an even greater fame , Przekosniak sent , posing as ' Admirer ' , SMSs to editors of major , highly influential papers , known politicians , people in culture , show-business , science , healthy living gurus , authorities on potted plants , teachers of the self-defense dance qualadora , as well as semi-virtual tango , an acquaintance who was also a philosopher , and a lady from a shop selling imported cheese sticks . Przekosniak sent text messages to a large number of people . entailment +When I moved to New York from Texas , people kept pulling me aside and saying , helpfully , that my life would be completely ruined if I chose to live in the suburbs ( or the city ) . My life was ruined after I moved to New York City . neutral +The most egregious example was Shuman 's statement that Sun 's plan to make Java faster is to make Java into an operating system . Shuman states that Sun 's plan to make java into an operating system in order to make it faster . entailment +Beyond the wooden Accademia Bridge and the Accademia art museum , the perspective is completed by the magnificent Baroque church of Santa Maria della Salute that has always marked the arrival at ( or departure from ) Piazza San Marco just across the way . The Santa Maria della Salute is an example of Baroque design . entailment +The square is situated just off Melaka Bridge . The square can be found further away from Melaka Bridge . contradictory +you know you oh yeah because i mean everybody grows up looking at these cop movies and trying to you know to imitate them or whatever and uh i thought he did such an excellent job of not Nobody wants to imitate cops from the movies . contradictory +Historical NIPA data were downloaded from BEA 's website ( www.bea.doc.gov / bea.dnl.htm ) and reflect recent data presented in Survey of Current Business , Bureau of Economic Analysis , Vol . 81 , No . They data was downloaded from the website . entailment +Too young for that . Too young to have those experiences already . neutral +yeah i thought it would have been higher than that This seems like a very low value to me . neutral +And , the price of a stamp , according to the story , it would increase by 17 cents ! The price of a stamp would increase by 17 cents . entailment +wow i dropped the phone I was so surprised that I dropped the phone . neutral +The park 's finest attractions , however , begin after dark . After dark you can see fireworks and light shows in the park . neutral +right um i wonder i wonder if now the people in the Soviet Union don 't have ideas very different from that so at least I wonder if people in the Soviet Union have the same ideas that they did in the past . entailment +Ammonia and urea are the reagents used along with a catalyst to remove NOX from the flue gas stream . Ammonia works with a catalyst for a reaction that can cause damage . neutral +Congress , in its oversight role , can monitor management improvement initiatives and provide the continuing attention necessary for reform initiatives to be carried through to their successful completion . Once reform initiatives have started being implemented , Congress just lets the process unfold without too much further input . contradictory +Stephen is married to a Brazilian artist named Kennya Deodato . Stephen is married to Kennya Deodato a Brazilian artist who sculpts clay . neutral +Oh , hell ! he said at last . " Oh , damn ! " He wailed finally . neutral +Prudie was inundated by lotsa mail on this subject . Prudie got a lot of mail about that . entailment +buy a new spark plug or something along those lines but fortunately it rains and you uh do not have to go out and buy the spark plug no but we 've had an unusually uh uh warm You need new spark plugs , because your engine has been running poorly . neutral +This was critical for success since these individuals managed the day-to-day program activities . This was extremely important because they were in charge of the activities that were programmed daily . entailment +Well ! The silver rolls in . The money has been rolling in for weeks . neutral +Both operational and structural aspects of the CIOas environment can vary significantly between the public sector and the private sector . Both aspects can vary between public and private sectors . entailment +right i 'm only twenty one I just turned thirty . contradictory +program 's net savings were about $ 3 billion in fiscal year 2000 . The program lost money in 2000 . contradictory +The barbudos ( the bearded ones ) triumphantly entered Santiago , then marched into Havana one week later . The barbudos took Santiago then took Havana a week later . entailment +Down by the shore of the Bosphorus is the glittering fa ? ­ cade of the 19th-century Dolmabahce Palace , while beyond stretches the graceful span of the Bosphorus Bridge , a concrete symbol of the city , linking Europe with Asia . Dolmabahce Palace is by the shore of the Bosphorus . entailment +The Hindus ' Ancestors The Hindus ' newborn . contradictory +Examples of the types of leave on such T and A records include , but are not limited to , annual , sick , and family friendly leave . They have sick and family friendly leave . entailment +i don 't oh that 's just that 's just so that the uh now see they made more money down there and they got real cheap labor in Mexico They get cheaper labor in Mexico than China . neutral +We slid the door shut and sat . We sat down after closing the door . entailment +Investigations by their very nature do not support the use of entrance or exit conferences . Investigations completely support entrance conferences contradictory +well he 's got a lot of business smarts though This person has good business know how . entailment +The City Council plan would increase by nearly 50 percent - to $ 80 . The city council will decrease it 50 % . contradictory +i 've enjoyed exactly i 've enjoyed speaking with you see you later bye-bye You were an interesting person to talk to . neutral +yeah oh boy the the that whew that would be tear disastrous if you had that rain storm and freezing weather You 'd probably end up with some snow with those conditions . neutral +Ceteris paribus , less efficient postal services do not have greater scale economies than more efficient ones . The marginal benefits of increasing scale economies drop off rapidly at the high end . neutral +The rules are judgmental , not probabilistic . The rules are not just judgemental , they are outdated . neutral +Semans says she wrote that line into the narrative after she had told a lot of people , including her parents , about the spot . Semans says that she didn 't tell anyone about the spot . contradictory +Someday , when boomers retire in hordes , more will go out than will come in . Someday , when boomers retire in huge numbers , there will be a net outflow . entailment +In tears , jailbird confesses to her role in the murder of Vince Foster and ' anything else Ken Starr wants . The prisoner confessed fully . entailment +Clearly , much has already changed as GAO has grappled with this critical transition . Things have not changed at all during this transition . contradictory +Nonsense . Gibberish . entailment +The south 's aristocracy resisted all significant social reforms proposed by the Spanish . The Spanish wanted to implement social reform . entailment +incorporated an initial regulatory flexibility analysis of the expected impact on small entities . Analysis to the effects on small entities is included . entailment +The painstakingly recreated buildings contain exhibits of the trades and crafts of the day , including a dyer 's workshop , a merchant 's office , and samurai homes . The buildings cost twenty five million dollars to build . neutral +The landmark tower just to the right , inside the Jaffa Gate , is the Cityel or King David 's Tower , also built by Suleiman . Suleiman also built King David 's Tower inside the Jaffa Gate . entailment +especially not after two years After two years I might reconsider the situation and grant them their request . contradictory +But without Derry 's equipment ... equipment I couldn 't rebuild without tempting suspicion ... And there was the other me . Derry had all his equipment . contradictory +At the same time , every country and sector has bad actors that take short cuts and push the envelope to achieve a desired result . At the same time , every country and sector has bad actors entailment +and they 're supposed They 're supposed to be there all day neutral +It is odd . Poirot nodded . We both thought it odd . neutral +The guide 's appendixes augment these areas by citing applicable statutes ( app . The guide augments these areas with opinions . contradictory +studies in American emergency settings have provided inconclusive evidence that brief intervention works . There are hundreds of studies backing this fact . neutral +Nonrefundable tax incentives may not be particularly effective in encouraging saving by lower-income taxpayers , who already owe relatively little or no federal income taxes . Non-refundable tax incentives may make people smell funny neutral +But we were told , and I think most people accepted the explanation , that golf relaxed Ike from the stresses of his job and enabled him to perform better . Ike was easily stressed out by his job as a detective . neutral +asked the contra commander . The commander has important instructions neutral +In their writings , Barlow and Dyson make clear they 're aware of this fact . They proved their knowledge when they wrote about the fact . neutral +And where did you go anyway ? I thought you were coming to the house . I was under the impression that you were heading to the house . entailment +The King pays his respects to the deities including Ra and Kephri as he makes his symbolic journey . The King does not pay respects to anyone because he does not believe in any deities . contradictory +Does he ? Indeed it 's true . neutral +you know the season 's just so long You know the season is short and coming to an end already . contradictory +A bigger selection is at Legrand , on rue de la Banque . Legrand has three locations but the rue de la Banque is home to its largest store . neutral +I have started dating a guy with wonderful qualities and think he has real possibilities for the long haul . The guy I am dating is good for a long term relationship . entailment +Resources Management Regulation ( FIRMR ) There are regulations about resource attainment .. contradictory +You do not see ? You don 't see ? entailment +and what about what about the last ten years that you 've been aware What about the last two years you 've known ? contradictory +you oh no are you did you break something Did you fix something ? contradictory +now that 's another one i wanted to see that in fact that was advertised not too long ago It was advertised recently . neutral +The Marines gained new respect for having broken him . The Army couldn 't break him . contradictory +It would be impractical and contrary to the public interest to publish the rules prior to making the rules effective . It wouldn 't be in the public 's interest to publish the rules prior to their implementation . entailment +yeah i hear that 's pretty good I heard it was awful . contradictory +I 've heard you found the sky material could be melted , and we 've got enough of that where it struck the camp . We have enough sky material where it hit the camp . entailment +The old man piled it up in style , explained Julius . The young man talked about old Julius . contradictory +Fawcett 's spokeswoman says the actress was suffering from food poisoning . The actress was suffering from food poisoning after ingesting spoiled food . neutral +What ? cried Tuppence . Tuppence remained quiet . contradictory +User 's Guide for the Structured Clinical Interview for DSM-III-R . the DSM-III-R can be difficult and confusing . neutral +A follow-up survey of the 415 participants in the year 199W showed that 80 % were earning at least as much as they were earning in their Navy contractor positions . A follow-up survey of the 415 participants in the year 199W showed that 80 % were earning way less they were earning in their Navy contractor positions . contradictory +You willing to match Shiloh ? " I don 't care if you 're willing to do anything . contradictory +You can walk back to the center of town along the Corniche . There are other ways to get to the center of town . neutral +water base and then before we sold it there was another one and i 'd wash the house down and all that I washed the house down after we sold it . contradictory +This buck had him a war shield an ' Pa picked it up when all th ' smoke blew away . He had a war shield . entailment +Were these counterparts--mainly big banks and other institutional investors--simply naive ? The banks were just naive . contradictory +no no they that 's what i mean at one time we we used to able to carry that over to the kids of course i i can see the teacher 's point too where at at three o 'clock or four o 'clock they want to go home and not worry about kids so but if they had probably some renumeration to help them say you know maybe i 'll give this kid a little extra help or something The teachers don 't want to have to stay an hour or two after school to give students extra help . entailment +3 ) The study is flawed because it assumes the participants correctly recalled their dietary habits . Although the study relies on the memories of participants , it certainly isn 't flawed . contradictory +probably i don 't know where they got them from they just came up gave me a whole bag of these things They came from the supermarket and I had to get them myself . contradictory +Ask for zumo natural de naranja ( freshly pressed orange juice ) . Ask for freshly pressed orange juice , called zumo natrual de naranja . entailment +Why ? he asked . I know the reason . contradictory +killing their parents and so forth they don 't they see these things happening with no consequences They don 't think about what 's gonna happen after doing these horrible crimes . neutral +yeah and it 's just like another thing the American family doesn 't need any more pressure just leave them alone let them measure their green bean water in cups and leave them alone The American family is not in need of any further pressure . entailment +With its wafting incense and masses said in Greek or Arabic ( the church belongs to the Melchite sect of the Greek Orthodox Church ) , St-Julien is not out of place in an area packed with Middle Eastern restaurants . After attending mass at St-Julien , many congregants go to one of the Middle Eastern restaurants in the area . neutral +In the center , Bernini 's Fountain of the Four Rivers ( Fontana dei Fiumi ) celebrates the great rivers of the four the Americas ( R ? ­ o de la Plata ) , Europe ( Danube ) , Asia ( Ganges ) , and Africa ( Nile ) . The great rivers of the world are represented in the Bernini 's Fountain . entailment +'What exactly did you do ? ' Tell me what you did . entailment +for your exercising They have equipment there for your working out . neutral +NJP operates CLEAR--Coordinated Legal Education and Referral System-- to provide telephone and internet-based referral , advice , brief service , community legal education and intake services throughout the state . NJP inplements a coodinated legal education and referral system . neutral +Though there is not much to see at Century City it 's worth noting that this complex of buildings was built on 180 acres ( 73 hectares ) of what was once Twentieth Century Fox 's enormous back-lot studio . Fox has never owned a large studio . contradictory +you know like for for the men that don 't have jobs if you know she feels that if those women weren 't out there just because they want to do it she said that you know they could stay at home and with yeah She mentioned woman that are out in the workforce that might not need to be . entailment +because uh a child can get into anything regardless i don 't care who how good you they are A child can get into anything whether or not you or they are good . entailment +The solution is If you want elected officials who put principle ahead of power , voting for women gives you better odds . Women are better at putting principles ahead of the hunger for power . entailment +Topham 's arm went about the shoulders under the black-and-silver jacket , drawing Don Cazar into the light , music , and excitement of the cantina . Topham pulled Don Cazar into the light of the cantina . entailment +and that was a riot to see that That was a lot of fun to see . entailment +How come , they ask , did we wind up with an increase that was larger than that proposed by the USPS , when almost everyone else got a break ? They wanted to know how we ended up with a large increase . entailment +While preserving the neighborhood groups ' own boards of directors , the proposed plan makes them accountable to one central LSNY board for decisions like staffing and budgets . The suggested plan makes them accountable to no one . contradictory +A new revolutionary , plastic surgery method has been developed , allowing for performing surgeries on one particular body part practically an infinite number of times . Once the plastic surgery is preformed it can never be altered . contradictory +The preamble to the proposed rulemaking set forth the reasons for collecting the information and the burden estimates and solicited comments regarding the collection to be submitted to both the Departments and the Office of Management and Budget ( OMB ) . The document gives no reasons as to why information , burden estimates , or solicited comments need to be collected . contradictory +There is only one airline the Shopping Avenger believes understands the fundamentals of customer service , and that is Southwest Airlines . Southwest Airlines understand customer service according to the Shopping Avenger . entailment +Watch out , said Slim , in agony . Slim knew I could be next . neutral +Telephone message just come for you , sir . Whittington snatched it up and read it . Whittington grabbed the telephone message and read it . entailment +Thorn fell backward but when he saw Thorn 's eyes , Ca 'daan saw something inhuman . Looking into Thorn 's eyes , Ca 'daan saw something that was not human . entailment +so when the PC came on the market and then it being first one on the market earlier than the Amiga was but when it came market people just naturally assumed that well if IBM makes it should be the computer of my choice and they intend to look around very much so as a result Macintoshes and uh Amigas didn 't get a fair break The Macintosh and the Amiga quickly gained market dominance from the aging IBM PC . contradictory +that 's right it 's easier after you 're you don 't have to worry about it You do not have to be concerned about it . entailment +no i had them walk out of my class and not say their name anything and i finally got to where i go okay i 'm Debbie Moore you know may i ask who you are and what you are in my classroom for They walked out of the class silently . entailment +the thing that i i then again i i tried pulling the trailer one year and i went everywhere with the trailer like to beaches and to stuff but that got to be a hassle you know breaking down and setting up and breaking down so i decided that I pulled the trailer one year and took it all over the place . entailment +Everyone 's at the table still trying to get worked up , but the spell has been irreparably broken . The spell has been broken and people are still excited . entailment +Moviegoers love the intricacies of a crime , all the more when it 's for a good cause . Moviegoers love crime movies . entailment +All but one of Billy 's major movies include shots of his rear , and frontal nudity scenes from his movie Sliver were trimmed at the last minute . Billy does not like showing his rear in his movies . neutral +1 . Effluent Samples They had nothing to sample . contradictory +Gibson 's big theory is that Dala 's life was defined by his feelings of shame . Gibson believes that Dala lives his life by way of his shameful feelings . entailment +The little yellow car stood anchored by the roadside , dirty engine spewing smoke . The car was speeding along . contradictory +The organizations we reviewed used six key practices in the initiatives that The reviewed organizations didn 't use any key practices . contradictory +No light repartee , have you , old bean ? The old bean had no light repartee . entailment +So we call impotence erectile dysfunction , baldness hypotrichosis , and so on . We give ailments fancy names to make it sound like it needs medication . neutral +Now I 'm hoping to accentuate the good points and hope that will minimize the bad points . I 'm hoping that by emphasizing the positives I will be able to reduce the bad points . entailment +Russian Orthodox nuns oversee the church and its grounds . The nuns are happy to tend to the grounds . neutral +Jon left the sword where it lay . Jon grabbed the sword quickly and returned it to the village . contradictory +they were shooting themselves in the foot They greatly improved their situation , with no side effects . contradictory +If the sheepshead minnow , Cyprindon variegatus , larval survival and growth test is begun with less-than-24-h old larvae , the mean dry weight of the surviving larvae in the control chambers at the end of the test must equal or exceed 0.60 mg , if the weights are determined immediately , or The weights of the larvae are never determined before , during , or after the test . contradictory +We selected a mix of federal organizations to visit , taking into consideration their various mission types ( civilian , military , or regulatory ) , centralized and decentralized structures , and prior GAO study results . We took the various mission types into consideration . entailment +With a grinding din , the train slowed to a temporary halt . The train sped up . contradictory +( Let this be a lesson to us all . ) Let what happened this weekend be a lesson to everyone . neutral +This world has betrayed you just as utterly as it has me . ' The world has always been kind to us and has never betrayed us . contradictory +To catch the piazza and the basilica bathed in moonlight and quasi-deserted is a magical thing . The piazza and basilica are closed off at night to people . contradictory +Participants questioned whether , given the current funding restraints , existing models for generating revenues for the SEC were workable . The SEC used participants to figure out funding issues . entailment +The same things over and over . The same things on repeat . entailment +uh so what you 've got is a registered pet and not too many people want Bombay 's they want things like himmy Persians and Turkish Vans What you 've got is a registered gun who can use to stroke your ego with . contradictory +The last Christian service ever to be held in Haghia Sophia took place on 28 May 1453 , the day before Constantinople finally fell to the Turks . Christian services are still occasionally held in the Hagia Sophia today . contradictory +we uh our town is just five thousand people and i 've been very discouraged by the local authorities dragging their heals about getting into a recycling program each politician who comes up from election promises that that 's going to be real high on his list of priorities but it just doesn 't seem to be working out that way uh one of our local city council members who happens to be a personal friend of ours made the statement the other day that there would always be landfills and we just sort of came unglued at that point because if that 's their thinking then i think we 're definitely in trouble here Our community has been slow to adopt a recycling program . entailment +There are several stables on Martinique where hotels can arrange for tourists to rent horses by the hour or the day . There are no commercial stables on Martinique that rent horses to tourists . contradictory +Forks will receive funding for its entire wish list , probably with Port Angeles ' conference center thrown in for good measure . Forks will have funding for the whole wish list . entailment +Time lauds Elizabeth Dole 's New Hampshire debut , citing her gutsy stances on gun control and huge potential to win centrist voters . Dole 's gutsy stances on gun control may sway centrist voters . entailment +In the Thress model , at the discount level of 8a and the net gain of $ 32 million , the basic market incurs a welfare loss of $ 480 million ( 0 . There is a loss of around $ 480 million in the basic market . entailment +yes it does a quantum leap from left to right hand drive It does a quantum leap because it is necessary . neutral +In three of the principle areas , the level to which practices of leading private versus federal organizations have evolved is significantly different . A study shows major difference between similar public and private organizations . neutral +One restores what the other took away . " One finishes what the other left behind . contradictory +On the Today show , an evolutionist professor scoffed at the Kansas board 's Only in education would an elected board of lay people decline to take the advice of a committee of experts . The professor said it was silly that the board turned down the advice of civilians . contradictory +The Parish Church of Kendal , built on land bequeathed to the church in Norman times , has the second widest nave in England . The Parish Church of Kendal was built on stolen land and currently serves as a family home . contradictory +yes that 's amazing yes yes that 's really unfortunate it really is i don 't know if we stopped too soon i don 't i don 't i really don 't know what we need to do about that We might have stopped too soon , but I am not sure of it . entailment +Two other noteworthy mansions on the Rue des Francs-Bourgeois are the H ? ? tel Lamoignon , at the corner of Rue Pavae , and the H ? ? tel Carnavalet , once home to the illustrious 17th-century lady of letters Madame de S ? ? vign ? ? , today the Mus ? ? e Historique de la Ville de Paris . The Hotel Lamoignon is at the corner of Rue de Paris . contradictory +The cloud of doom over Lamar Alexander 's campaign . Lamar Alexander 's campaign was not going well . entailment +There is also an international residency program for artists , and visitors may meet the artists in their studios ( depending on their schedules ) . Artists can participate in the international residency program for up to two years . neutral +Angers is considered one of the most beautiful cities in France and is home to many buildings of interest and musuems , including the imposing 12th- and 13th-century Gothic Cathedrale Saint-Maurice . Angers is the dullest and plainest city in France . contradictory +And don 't think the Satheri can 't pull a lot worse than that . You 've seen the worst the Satheri can do now . contradictory +This was known already , though the Post doesn 't say so . The Post says it but it was already known . contradictory +really started going about seventeen he 's seventeen now he was he was fifteen then but uh i 've got a son son and both daughters like to go and uh they have got a a dock down in the protected area My kids stay inside all the time ; I really wish they would get out occasionally . contradictory +Let us go . ' Can we stay for lunch ? contradictory +so we have to run our clocks up forward an hour and i sure do hate to loose that hour of sleep in the morning Losing that hours of sleep with Daylight Savings makes me cranky . neutral +The plan provides an opportunity to constructively manage a difficult process of change and uncertainty regarding critical national and international issues , now and in the future . Hopefully in the future , positive change will occur regarding this issues . neutral +Most critics come down Newsweek ' s Gates says it 's mostly midtempo mush , and Entertainment Weekly ' s David Browne detects a whiff of desperation on the record . Most critics including David Browne don 't like it . entailment +Put me wise , he said succinctly . Consider me wise . entailment +Others find the book cynical , simplistic and patronizing ( Richard Rhodes , the New York Times Book Review ) . They say Kinsey 's private life bears no relation to his scholarship , and they question the biography 's anonymous sources . They say Kinsey 's private life bears much resemblance . contradictory +If Gaddis wants to blame Stalin and authoritarian rule for the Cold War , he must explain why the confrontation lingered on so long after the old brute 's death in 1953 . Gaddis left the confrontation with Stalin lingering so long after the the old brutes death in 1953 . entailment +Slate . If you don 't know what cookies are , in the technical , computer sense , you almost surely can ignore this warning . Computer cookies are delicious . neutral +Sources of electronic substitution-USPS Postal Diary Survey provides detailed information telecommunications capital equipment holdings , on-line service member and electronic bill paying . There isn 't anything of value in the USPS Postal Diary Survey . contradictory +It 's a homily . It is a homily . entailment +Critics complain that the musical fails to deliver the extravagant sets and staging they 've come to expect from theatrical blockbusters . Theatrical blockbusters tend to cost a lot of money and excite the critics . neutral +The countryside , villages , and towns of Flanders , Picardy , Alsace , and Lorraine bear the scars of many wars . The towns and villages had never seen or been affected by war . contradictory +Requiring every plant over 30 years old to meet New Source Performance Standards and New Source Review modification requirements seems unnecessary and could undermine the benefits of the cap and trade approach . Every plant over 30 years old is required to meet New Source Performance Standards . entailment +The luxuriously planted terraced gardens constitute one of the finest ensembles of the Italian formal style . The gardens are reminiscent of the French formal style . contradictory +Although the techniques used varied depending on the organization 's size and culture and some efforts were more mature than others , the goals , practices , and success factors outlined in the following illustration were instrumental in the organization achieving its vision . The company was able to use many techniques to sell vacuum cleaners . neutral +Their low salaries and high debt payments were making it impossible to live . It can be difficult to survive with high debt payments and low income . entailment +Robertson , who has kept in Reed 's shadow , may emerge to embarrass the coalition . Robertson has kept himself secluded entailment +The temple is one of the many dedicated to Tin Hau , goddess of seafarers ; this one also houses an altar to Shing Wong , the city 's god . Tin Hau is reviled by everyone , including seafarers . contradictory +They spent the night on the gorge 's edge . They were lost and thought that they would be found quicker if they spent the night on Gorge 's edge . contradictory +i have to think of something else i 'm i 'm blank I was getting tired . neutral +right you bet yeah we 'll that you know and there 's a lot of places with uh like nature trails things like that where they could learn a lot too It 's really great for them to go walking on nature trails . neutral +that 's uh kind of depressing to see all that It 's joyful to see that contradictory +that just bothered me that just bothered me so much especially you know at my age i was probably about fourteen He shouldn 't have touched me there , he just shouldn 't have . neutral +well i guess the only thing to do is to hope that this is the worse that it gets this year We can just hope that it doesn 't get worse with the heat . neutral +and i didn 't see much of it like you know i see you saw a lot about the major races but a lot of the minor ones that you 're being called upon to decide there 's very little information on There is very little information available for minor races . entailment +it 's Olympic size yes Yes , it is Olympic size . entailment +He said his agency completed a demotion action against an employee for personal use of miles , but assistance from the airlines was difficult to obtain . Although his agency had completed a demotion action , assistance from the airlines was difficult to acquire . entailment +Sure could use some . That 's of no use to me . contradictory +'In my family , we 've always rooted for the Yankees , ' said the queen . The Yankees are the best baseball team . neutral +It was a major funerary site of the ancient Egyptian Pharaohs ( c.3100 2755 b.c. ) and early mastabas can be found all around the site . Despite knowing that this was a major funerary site of the ancient Egyptian Pharaohs , there is no evidence that has been found to support this fact . contradictory +Finally , leading companies created an environment for their managers that emphasized capturing design and manufacturing knowledge early , before committing substantial investments in a product development that made cancellation a more difficult decision to make . Managers are able to emphasize design and manufacturing knowledge early . entailment +uh-huh yeah and but then they lost too much business No , they gained business . contradictory +With a population of 120,000 , it is a larger city than most expect to find on such a tiny island , but in fact you can walk across the center in just 10 to 15 minutes . The city located on the tiny island has a population of 120,000 . entailment +He panicked for a moment . For a moment , he panicked . entailment +country club type things that the it was such nice services to offer the residents in the city and i really liked that The services offered to the city residents were awful . contradictory +hum yeah yeah i think that if we could model you know programs after those that are already i mean they did a lot of work finding a program that worked and if we were to do the research take under advisement what they have We should use their example as a sign of how not to create the programs . contradictory +Cale de la Princesa 's trajectory ends where the university district begins . The trajectory of Cale de la Princesa never ends . contradictory +The last one did it . The first person in the room took care of everything . contradictory +Each evening , Betty waits up for her son , aware of his vain attempts to create a secret life for himself with Hong Kong 's prostitutes . Betty goes with her son to visit Hong Kong 's prostitutes . contradictory +The jewel of the red stone courtyard , however , is the marble-clad Tomb of Shaikh Salim Chishti . Marble-clad Tomb of Shaikh Salim Chishti , however , is the real jewel of the red stone courtyard . entailment +Social insurance taxes and contributions do , however , include payments made by or on behalf of Federal employees to social insurance plans , such as Social Security and Medicare . Payments made by or on behalf of Federal employees are included by social insurance taxes and contributions , said the lawyer . neutral +We think that international comparisons can lead to important insights . It will not hurt us to know more about how our international counterparts are doing . neutral +This is not only dishonest , but it also limits their ability to frame sharp questions and to pursue evasive answers . This will cause controversy among the right-wing politicians . neutral +About three dozen cases , involving 123 people facing eviction , were handled , according to Volunteer Lawyer Project Director Barbara Romeo . Barbara Romeo was able to get the eviction notices dropped for 70 % of the 123 people . neutral +This clause applies to even minor changes that could reduce minority participation . This clause states that all changes must be first approved by the school board . neutral +The way seemed endless . There was an end in sight . contradictory +Drew shook his head . Drew nodded . contradictory +Even when Forrest Sawyer is sitting in , it 's still World News Tonight With Peter Jennings . Just because Johnny goes on vacation , The Tonight Show Starring Johnny Carson doesn 't suddenly become The Tonight Show With Jay Leno . The task of a guest host is delicate . It doesn 't matter who the anchor is , the program is still World News Tonight with Peter Jennings . entailment +So , Sharon is using Kosovo to butter up Russia . Sharon is trying to butter up Russia by using Kosovo . entailment +a little barb wire fence huh well i 've only been out uh i 've only been in the west once so uh i was i was in Iowa and it was bitter cold when i was there and that 's the way that 's north um that 's sort of north midwest though so way way north of where you are so i i uh my experience wasn 't wasn 't quite down there i i i like i said i want to wind up somewhere down in that range where it 's nice and warm and you know when when when you get twenty five cold days a year rather than twenty five warm days a year There were only 20 days last year where it snowed . neutral +Have you the key of the door ? Do you have keys to any one of these doors ? neutral +The church is dedicated to Mary , representing her 175 times in the various sculptures and windows . The church , which is dedicated to Mary , features only two depictions of her , a large statue and a stained glass window . contradictory +Much of the liberal Catholic case against the pope deals with sexuality . Sexuality is the biggest part of the case against the pope . entailment +The Commission also reports that it forwarded a copy of its initial regulatory flexibility analysis to the Chief Counsel for Advocacy of the Small Business Administration ( SBA ) as required by the Act . The Chief Counsel for Advocacy of the Small Business Administration did not receive a copy from the Commission . contradictory +When a U.N. secretary-general can get Jesse Helms and Saddam Hussein to fall in line , he is doing something right . It is wrong to make Jesse Helms and Saddam Hussein fall in line . contradictory +Ca 'daan made out the words " mother " and " arse " and " flatbread " but none of the others . Ca 'daan spoke fluently in this odd language , having learned it years ago during his travels . contradictory +In an age when even the most seemingly spontaneous public events are in fact preceded by stacks of memos and weeks of meetings , extemporaneous entertainment like this is no mean feat . Almost every seemingly random event is designed and scripted . entailment +The Islamic and Chinese empires were world powers , but the conversion of the Magyars , Russians , and Vikings to Christianity was setting the stage for Europe 's ascent . The Chinese empire was a world power for centuries . neutral +yeah i was i was wondering if you guys eat a lot of fish um yeah They eat a lot of salmon and pike . neutral +In effect , Nixon 's misdeeds ( ) so dwarf Clinton 's--even the most severe charges of suborning perjury--that Republicans could wind up bollixed . In effect Clinton 's sins are greater than Nixon 's . contradictory +The following information is provided only for the sake of background on the area . The upcoming information is to only be used for a bit of background on this location . neutral +The approach is similar to content analysis , and the PEMD transfer paper on content analysis gives further how-to information ( U.S. There is no further information on how-to do the thing it 's about . contradictory +when was that on I know when it will end . neutral +Auditors should also report the status of uncorrected significant findings and recommendations1 from prior audits that affect the objectives of the current audit . If the current audit 's objectives are affected by uncorrected meaningful findings and recommendations from prior audits , auditors should report the status of those . entailment +A recent review of my bookmarked Web sites offered an interesting contrast in sites geared towards associates . A recent review of my law handbook bookmarks revealed I was not prepared to be an associate . contradictory +Once upon a time both he--and the audience--would be trying to peek up her short skirt . Once upon a time , they would be trying to kill her . contradictory +Prepared Office of Mobile Sources , Office of Air and Radiation , December . The office of mobile sources is in the office of air and radio . contradictory +Busy Oriental bazaars co- ? ­ exist with European shops ; kebab-shops and coffee-houses sit alongside international restaurants ; modern office buildings and hotels alternate with Ottoman min ? ­ arets along the city 's skyline ; traditional music and Western pop , belly-dancing and ballet , Turkish wrestling and football all compete for the attention of the Istanbullu audience . Istanbul features a wide range of cultural influence . entailment +Gauve was outside with Ca 'daan . Ca 'daan stayed in the house . contradictory +Overall , most drinks are less expensive than in the U.K. and U.S. Drinks are the most expensive in the UK and the US . contradictory +Aren 't we supposed to believe in Economic Man ? Shouldn 't we believe in Economic Man ? entailment +Why not come clean and at least admit that you must have plagiarized inadvertently ? The plagiarism was done deliberately . neutral +really i like cross-stitch too I don 't like to cross-stitch . contradictory +Air and Waste Management Association , Pittsburgh . The Air and Heart Management Association , Charleston . contradictory +yeah but now you know i don 't have a whole lot of time now but i have more time than i did so I 've got a little more time now , but I 'm still pretty busy . entailment +you 're better off not to have your seatbelt on if it 's just a seatbelt we have a van that uh just has seat belts in the back doesn 't have a shoulder harness You should always wear your seatbelt . contradictory +There are multiple barriers to screening . These barriers are related to costs and facility requirements . neutral +This is an attempt to fill in behind Legal Services , Williams said . They wanted it to be whole . neutral +Negotiated rate or service changes also may run afoul of the substantive standards prescribed for rates and mail classifications in the Reorganization Act . Negotiated rate or service change won 't run afoul contradictory +And if official productivity statistics understate the real rate of progress by 1 percent , official price statistics also overstate inflation by exactly the same amount . Real rate of progress is one of the most precise and valuable indicators available for inflation . neutral +Gaza , on the Mediterranean coast , is most troubled of all and is best avoided altogether . Gaza is located inland near a mountain range . contradictory +where even a psychiatrist says you 're proba bly not going to change them they 're always going to be you know at risk in society and and and i think you know having kids has probably really They are never going to be at risk in society contradictory +The palace grounds are a pleasant place for a walk , especially the English Garden behind the Petit Ceteau . A nice place for a walk is lacking on the palace grounds . contradictory +The Palais des Tuileries was destroyed by fire during a workers uprising in 1871 . Palais des Tuileries burned down and was destroyed in 1900 . contradictory +You just trot out Jane , and leave the rest to me . You just go along Jane , I will handle the rest . entailment +See some or all of the 33 rooms , stop for an occasional peek out the window over the Arno and Ponte Vecchio , and recharge your batteries at the museum 's newly reopened cafe above the Loggia dei Lanzi . The king room is the most expensive and decorated room that the hotel offers . neutral +This July , Sen. This upcoming July , Sen. neutral +you know you got reason to suspect they may be doing drugs and he says sure you know take them down there and test them but i think a lot of people are going to go out and you know substitute something else for maybe what they would have done a lot of people i don 't i personally don 't smoke pot but a lot of people do and they do it in their own time at their at their at their own place and they 're going to find they 're going to go out and drink instead because they know that it 's their job on the line I think it 's pointless to do testing because it will inadvertently cause some people who have light addiction habits , like pot , to go and substitute those habits with more harmful ones , like alcohol addiction , because they have to keep their job . neutral +Has he donated the money to charity ? He didn 't donate to charity ? contradictory +And a few renegade priests like my brother joined them . " " Your brother ? " " She means me , " Bork said . My brother was a well respected priest before he rebelled against the masters . neutral +He had hunted down his nemesis for two years . He hunted his rival . entailment +They baked them on spits and ate them . The people were not eaten . contradictory +In the bottom-right corner , click Bomis , which will take you ... Select Bomis , which is in the corner on the right . entailment +well it sounds like they 're doing quite a bit It seems they are doing something . entailment +Big news . Small news . contradictory +This year , two of the state 's legal giants responded . This year have responded four of the state 's legal giants . contradictory +Catholic Conference of Bishops called for acceptance of homosexuality . The bishops said homosexual orientation cannot be considered sinful , because it is experienced as a given . Catholic bishops accept homosexuality . entailment +ANAO 's site includes links to its various publications , including its audit reports and better practice guides . The website for ANAO has numerous audit publications and practice guides linked . entailment +Twenty men once worked to produce turned goods for the wool mills , a market that eventually dried up when the wool industry went into decline . To this day the turned goods industry has went from strength to strength . contradictory +Note that the demand equations shown above are somewhat different from those normally encountered . The demand equations shown above are hundreds of years old neutral +how do they react then we 're prosecuted if we simply don 't pay our taxes so i 'm not real sure how you believe then that eventually there 'll be an overthrow we know communism doesn 't work what do we do next The best thing to do is to stop paying taxes . neutral +yeah uh it is so expensive down here for a child care because we 're originally from Missouri Missouri and most and of our family 's still there and uh my husband 's sisters have their kids in child care and it 's a lot less expensive then it is down here It 's expensive to pay for daycare . entailment +yeah that 's interesting Yes that is attention grabbing . entailment +Consider the benefit of public hearings that highlight Americans who have been victims of the IRS . Public hearings would make taxpayers be more honest . neutral +Shoes are just about as fashionable as in Spain and Italy , and are cheaper . The shoes were made in France . neutral +A Washington Post piece bathed her in golden She hopes to go to graduate school in sociology , she 's scrimping because she doesn 't want to burden her parents financially , she is so much a hostage to the media that she couldn 't attend her own mom 's wedding , and--the icing on the cake--she has taken up knitting . She didn 't want to put the financial burden on her parents so she took to scrimping and extreme saving . entailment +i 've never been there hum-um Yeah , I have never been there , but wouldn 't mind going . neutral +Some of these still operate , putting out tables in summer so you can enjoy alfresco drinks and food . You may still enjoy food and drinks at some of these . entailment +Built on Roman foundations , the castle was erected in the late 13th century to keep the Scots at bay its strategic position affords good views of the surrounding lowland . In the late 13th century the castle was built to defend against the Scots . entailment +SUPPORT COSTS - Costs of activities not directly associated with production . It is a value that is needed to make sure production runs smoothly . neutral +Visitors are amazed at the apparent harmony that reigns amid the bustle of city life , especially the absence of the levels of violent crime that seems endemic in much of the rest of the developed world . The rate of violent crime is incredibly low compared to the rest of the developed world . entailment +I believe the prevailing Republican opinion was largely generated from an anti-Clinton feeling , particularly after a failed attempt at removing him from office . Clinton fought nail and tooth to stay in office . neutral +Here you can enjoy Middle Eastern meat and vegetable specialities in a friendly atmosphere . Despite the good Middle Eastern food , the mood is very depressing . contradictory +He may put on a fine show with that rapier of his but he cannot save your village . That man will save you all . contradictory +The new moves in , with scant reference to the old . The amount of effort to create new system means it 's only financially acceptable to replace a system every 5 years . neutral +Or entry costs are so high that no one will pay them unless guaranteed a return , at least initially--as when cable TV was new . The entry costs are very high , but a solution will be found- think of when cable TV was a new thing ! neutral +It is difficult to be amusing in praise of something . It is hard to be amusing in praise of a thing . entailment +Sharm itself has little charm , but Na 'am Bay , some 5 km ( 3 miles ) further north , has a wonderful sandy beach , modern hotels , and just about everything you could need for a fun-filled vacation . Na 'am Beach is a great place for fishing and snorkeling . neutral +Whatever improvements have been made to the county 's transportation system , they are not going to make you feel any better when you 're stuck in that unavoidable traffic jam . The transportation system is still congested despite recent improvements . entailment +" Kinda stiff readin ' ... looks interestin ' though . " Anse gave his verdict . Anse stated that the book did not seem to be interesting . contradictory +Which is why Noal Coward set so few of his plays underwater . The actors drowning every day is why Noal Coward didn 't do many underwater plays . neutral +my my short game leaves a lot to be desired I 'm much better with my long game . neutral +One of the nice things about Java is that the most difficult parts of C ( indirection and pointer arithmetic , among other things ) have been left out of the language , while other convenience features unavailable in C ( such as memory management ) have been added to it . There aren 't any nice things about Java . contradictory +However , it is difficult to say how much engineering will be reduced , because adjacent units may be very similar or very different . If adjacent units are very similar , engineering will be reduced by a great deal . neutral +But practically any point on the hills rising behind the town will offer you a spectacular view . Behind the town lies only a flat , empty plain . contradictory +He didn 't believe in it but it made him feel better . He did not have faith but he felt good . entailment +Meanwhile , a new survey by a contraceptive pharmaceutical company suggested that the pill has surpassed sterilization as the country 's most popular birth-control method . The pill is a more popular form of birth control because it is less permanent than sterilization . neutral +Hizzoner is even planning a trip to the museum to , in the words of a likewise underworked spokeswoman , reassure the bear that he is safe on American soil . The bear was always in France . contradictory +Been fooling them all the time , eh ? " The girl looked at him , nodded , and then suddenly burst into tears . Been lying to them ? The girl agreed and started crying . entailment +The definition of the term affected EGU establishes which electricity generating units are covered by the new nitrogen oxides trading program , which are the same electricity generating units as are covered in the U.S. and territories by the new nationwide sulfur dioxide trading program . There is a program that trades sulfur dioxide between China and the US . neutral +Look here . " Together they bent over the list . They both looked over the list . entailment +Regulatory Impact Analysis for the Particulate Matter and Ozone National Ambient Air Quality Standards and Proposed Regional Haze Rule . Analysis of Air Quality and Haze is not needed anymore . contradictory +The monastery also suffered damage in 1822 . The monastery has never undergone any damage in its existence . contradictory +it 's eight percent down there It has been eight percent there for a while . neutral +yeah that 's true that 's very true That 's false . contradictory +At my airport , we live by the motto ' imagination is no limit . ' I 'm expecting your suggestions , now . ' Our motto is ' imagination is no limit ' , and we live by it at my airport . entailment +you know and they wrote down that they uh weren 't but then they went back and they checked them like maybe a week after they were working and if they had drugs in their body i mean they were fired on the spot there was no ifs ands or buts about it People that were found to have taken drugs were fired . entailment +At the majority of project sites , for example , procurement of items costing less than $ 25,000 required between one and five signatures ; each approval beyond the first one added to the time required for the procurement and created inefficiency , revenue loss , and a potential danger to the staff and public when safety corrections were delayed . People were injured due to the delays in safety corrections . neutral +Both were left derelict by Norman invaders , and Bishop Maurice de Sully authorized construction of the cathedral to replace them in 1163 . The cathedral was constructed to replace both of them . entailment +oh it 's just that that just happens to be what the fish like this year huh The fish seem to liek it throughout the year . neutral +This study will be funded by an LSC technical assistance grant and will be coordinated with an ABA peer study . This study will be funded by an LSC technical assistance grant entailment +The area really springs to life at night . The area really springs to life at night because the police go home . neutral +yeah yeah i always thought it was back when Anderson was running i was hoping that things would change and he 'd actually get elected and party politics would start going down the tubes but that didn 't work I was hopeful with Anderson running that things would change for the better . entailment +You 're insatiable , Tuppence . " Tuppence , you have a great appetite and that is nice to see . " neutral +There is also much to see outside the Old City including the bustling downtown districts of East and West Jerusalem ; the ancient sites and vistas on the Mount of Olives and in the Kidron Valley ; and , on the western hills of the city , the dynamic Israel Museum , the powerful Yad Vashem Holocaust Memorial and Museum , and the contemporary buildings that house the Knesset and the Supreme Court of the State of Israel . East and West Jerusalem is usual full of people and vendors . entailment +okay so i guess um i start with maybe if if does do you know if the population favors statehood or what are we you were supposed to whether we favor it the population is strongly in favor of statehood neutral +More NATO formally admitted Poland , Hungary , and the Czech Republic . The United States successfully pressured its allies to postpone a similar decision on Romania and Slovenia until 1999 . Poland was left out of the formal NATO admission . contradictory +Torchlight painted the walls orange and shadows shifted in the darkness . The room was pitch black except for the fire . neutral +There 's a flower called Wandering Jew . The flower is named so because of its distinctive shape . neutral +uh if this would be a voluntary thing or a mandatory If this will be compulsory or voluntary . entailment +Yes , sir . Dorcas withdrew . Dorcas withdrew to the adjacent room , where two visitors sat waiting . neutral +The shadow shifted again and a gleam of silver slashed in the darkness . A silver sword was thrown in the dark . neutral +Market Gyrations Make Hitting Targets for Skilled Crafts an Art Market gyrations make goals hard to hit and reward those that do generously . neutral +Our approaches are not the only way for agencies to proceed , but they can help others identify ways to address their individual human capital challenges . Helping others find ways to maximize their human capital is what our methods do . entailment +But whenever Drew thought seriously of the future he had that odd sense of dislocation and loss which he had first known on the night he had seen Don Cazar arrive at the cantina . He experienced the same feeling of loss whenever he thought of his future . entailment +Please send any mail to the following The mail should be relevant to the research neutral +Health Care Financing Administration , Department of Health and Human Medicare Program ; Changes to the Hospital Inpatient Prospective Payment Systems and Fiscal Year 1997 Rates The changes to the rates in health care financing are related to attempts to balance the budget and promote fiscal responsibility of administrators in the delivery of healthcare services at the federal level . neutral +The Right Bank still conjures up an image of solid bourgeois respectability . The Right Bank conjures up images of great bourgeois hatred . contradictory +After 37 years of rule , Solomon died and the kingdom was split between the northern and southern tribes . Solomon rules for 129 years and died of old age as his kingdom remained united under the next king . contradictory +As we all know , the money in a tax refund is money that the taxpayer earned and was kept by the government for up to a year without interest . Tax refund money is where the government holds taxpayer earned cash for a year but pays generous interest on it . contradictory +well that 's fantastic and on whole on i would say that they 're I think that 's fantastic as a whole . entailment +and it was very uh very much in demand for a career There wasn 't a lot of demand for this as a career . contradictory +but but there there goes that motivation thing again The motivation is gone . entailment +As Ca 'daan turned , he saw the man draw a sharp knife from his leg wrappings , cut a pouch and belt from the man at his feet , and quietly ran the blade across the man 's throat under his leather neck guard . Ca 'daan looked at the ground . contradictory +It is estimated that there will be 1,310 respondents and the burden hours vary from 11 to 24 hours per response depending on the type of authorization requested . There will definitely be more than 1300 people responding . contradictory +Hunt , he 's got to learn that losing a war doesn 't mean that a man has lost the rest of his life . He lost the war and two of his best friends , but his life isn 't over yet . He is just 22 , Hunt . neutral +Similarly , GAO has also suggested that reorganizations may be warranted based on the significance of the problems requiring resolution , as well as the extent and level of coordination and interaction necessary with other entities in order to resolve problems or achieve overall objectives . The reorganizations will achieve objectives . neutral +uh i guess i just too young to understand this or something I am not old enough to comprehend this concept . entailment +A paltry hundred pounds or so ! The speaker feels that 100 pounds is not that much . entailment +but now that i 'm there i mean it 's it 's a lot more convenient because there 's so many kids that dawdle A lot of kids hurry really fast . contradictory +At the same time , our work Our work is done at the same time . entailment +based on the variety of food i don 't particularly like to sort of American you know meat and potatoes type of restaurants I don 't particularly like american food restaurants . entailment +It suggests that anyone who finds overhype unreasonable speaks with a voice of moderation--C 'mon , enough is enough--while at the same time setting the ceiling at a level far higher than what any ordinary person would find acceptable or sufficient . It says that anyone who thinks the overhype is bad is a moderate politician . neutral +New corporate and fast-food cultures , along with more freedom of movement among European Union countries and a more international perspective , have further changed the social landscape . There was no freedom of movement in Europe . contradictory +you know in in the whole scope of things this isn 't going to to have any real affect on what 's going on on the street This is a huge deal that will change everyone 's lives for good . contradictory +Wait a minute . Pause for just one minute . neutral +At Baggot Street Bridge you will find the headquarters of Bord F ? ¡ ilte ( Irish Tourist Board ) . The Irish Tourist Board offers advice to travelers on hotels and offers tour discounts . neutral +His people worshipped the Mother Goddess , and divine power symbolized by the bull , for whom they performed ornate and elaborate rituals . Nobody has ever worshiped the Mother Goddess because of Christianity contradictory +As the location of the city 's greatest historical sites , Old Havana is where you 'll want to spend most of your time if it is limited . Old Havana is location of the city 's worst historical sites . contradictory +One room is more lavish than the next . The rooms are entirely identical to one another . contradictory +Upper Egypt was the heartland of the Kingdom at the peak of its power and influence , and the remains of its ancient cities form one of the most important and breathtaking archaeological collections in the world . Nothing remains of Upper Egypt and we know nothing about the place . contradictory +There are several large hotel complexes here , and the town is a popular destination for cruise companies , with several ships calling at the port each week . Multiple cruise ships call to the town each week , bringing passengers to the large hotels there . entailment +The boats may appear deceptively primitive , but many of them have their own electric generators and all the modern conveniences . The boats actually have modern conveniences and electric generators despite their appearance . entailment +GAO , perhaps more than any other organization , is positioned through its broadbased skills , knowledge , and expertise to support the Congress in meeting responsibilities that will only become more difficult as the 21st century evolves . GAO is going to help Congress know exactly how much money goes to what . neutral +Should America Save for its Old Age ? Should the US be saving for the younger generation ? contradictory +I should say , the doctor was continuing , " that I would have been considerably surprised at any other result . " The doctor was disappointed with the obtained result . neutral +To give the reader a basis for judging the prevalence and consequences of these findings , the instances identified should be related to the population or the number of cases examined and be quantified in terms of dollar There are a number of consequences to the findings . entailment +uh it 's kind of a a bad thing to happen but we happen to have landed again in a very lucky spot there is a little business development behind us that 's a bit of a a a little bank and a couple of dry cleaning things and little strip shopping center but it 's several houses down because the property that 's the other side of our little wall is a triangle shape and the wedge part of the triangle got too skinny to do anything more than put some grass and trees there there 's not even a parking lot so it it 's a nice uh two or three houses on either side of us is nice grass and trees and Its useful that we live so near to the bank and such like because my husband and I don 't drive and find walking difficult . neutral +Until a little more than a century ago , Retiro Park was a royal preserve . The public isn 't allowed to access the park . neutral +In fact , ground beef isn 't the fastest-growing source of E. coli . Beef is in fact the fastest growing source of e coli . contradictory +Yet the prospect of an atomic apocalypse is so terrible that few can argue against spending tens of billions of dollars for insurance against remote possibilities . The government will fund preppers to get ready for apocalypses . neutral +Also at that time , a new style , rembetiko , was created . The remnetiko was created at this time . entailment +However , his longer-run efforts to influence the climate of opinion have had considerable effect . His long-run efforts to change opinion have had an effect . entailment +The beach resorts of Mirties and Massouri on the west coast take the bulk of visitors . Most of the visitors go to the beach resorts Mirties and Massouri . entailment +right now if things go the way that that that they are there i think that they 'll keep voting but i think they 'll wind up like us at some point where people sort of only half of them will end up voting and sort of caring enough to really make a statement so you know i think i think that that the people who most need to vote sometimes are the are the ones who who are really out to make a statement because you know when when when you 've got an underdog candidate who represents something and even if he doesn 't win a large number of people voting for that particular candidate does i think make a statement to everyone else Many people should vote when they want to make a statement , especially when there 's an underdog candidate . entailment +All the stories which had been dinned warningly into his ears since he had left the Mississippi now brought his hand to one of the Colts at his belt . No one had given him any advice even though he had asked for it . contradictory +We wonder if they , too , would feel uncomfortable with our differences made so plainly apparent . We wonder whether we should try to appear more similar . neutral +you can go back to work now thank you bye-bye You are wasting time by not working . neutral +so if you know where Lake Ontario is sort of is uh You probably don 't even know where or what Lake Ontario is . contradictory +too many horror stories out there that you know The stories are all positive . contradictory +In the stormy 15th and 16th centuries , Lucca 's proserous silk merchants preserved the peace by intercepting enemy armies and paying them to bypass the town . The silk merchants were simply protecting their people . neutral +As a result , Social Security benefits must be supplemented by private pensions , accumulated assets , or other resources in order for individuals to maintain a reasonable standard of living in retirement compared to their final working years . Private pensions , accumulated assets , or other resources should supplement Social Security benefits , because retired workers need to have fun . neutral +i mean that you know that 's the alternative You only have one option . contradictory +I can confirm he does , for I have tried to convey the same Ionian Enchantment in my recent book How the Mind Works . I worked day and night to convey the same Ionian Enchantment in my recent book " How the Mind Works . " neutral +What do you mean , there was one ? What do you mean , there were a dozen ? contradictory +But why can 't reporters devote at least some of their time and intelligence to actual issues ? I wonder why reporters can 't focus on the legitimate issues ? entailment +This is because the SCR is frequently installed in an elevated position near the boiler and well off of the ground . The SCR is usually installed above the ground level . entailment +It was in my mind when I asked Mr. Wells that first question about the will . I asked Mr. Wells about the will . entailment +In the conservative Jerusalem Post , Professor Efraim Inbar of Bar-Ilan University said in an op-ed piece Monday that Israelis were now more interested in their personal security than in the security of their country . They cared more about the country then their own well-being . contradictory +His confidence in Sir James was growing . Sir James never arrived late and always got the job done . neutral +Therefore , the Commission did not conduct a final regulatory flexibility analysis under 5 U.S.C. The Commission ended up not conducting an analysis . entailment +having having having been out of the credit game for some years now i 've i 've gotten used to either paying in cash or not getting it and uh I have terrible credit , I can 't get a credit card . neutral +In instances where Clinton has asserted the privilege , however , the same Republicans who apologized for Reagan and Bush have been scathing in their denunciations . The Republicans loved Bush . neutral +i was too I was also . entailment +The townsfolk won 't like hiding in some mine while demontouched bandits burn their houses and slaughter their animals . The people will hide in the mines . entailment +However , unlike the DOT system that is applicable to all of the Department 's rules , the other agencies ' multidimensional systems focused on just a few rules , or even a single rule . The DOT system is applied to half the Department rules . contradictory +It is important to keep in mind that before you venture into any live gaming area , you should familiarize yourself with the basics of the games you intend to play . It 's fine jumping straight into a live game without basic knowledge of it . contradictory +right it 's it 's not a problem either way like i said my only complaint is where they mixed them on the same car I only have one complaint about it . entailment +Under the Save the Unified Surpluses simulation , federal budget surpluses would be higher over the next 40 years , but deficits would emerge in the 2040s . Federal budget surpluses would be lower over the next 40 years . contradictory +For reasons unknown , the smell of BBQ sauce attracts them . BBQ sauce is used to attract them when needed . neutral +Leather sandals were tied to his feet with laces that ran up his muscular calves . He had no shoes on . contradictory +yeah they were because everybody thought the As were the greatest things in the world and uh we 've got we 're the only ones around here that got cable and that particular game was some reason or another was on a cable channel and uh my son 's in high school and all his friends were here The A ' game was on cable , so my son and his friends watched it here . entailment +Macau 's casinos are a source of non-stop excitement . Macau 's casinos are tragic snooze-fests . contradictory +The guide is also available in an encrypted format at the Cybercop Secure Communities VPN , a secure Web site which is a joint project of Cybercop.org and the ESP Group at / / cybercop.esportals.com. The guide can be found by anyone on the website . neutral +right yeah well i 've i 've managed to i guess the work i do gives me a little bit of well a lot of walking and a little bit of lifting on occasion The work I do is pretty sedentary , so I have to go to they gym . contradictory +oh that that 's a remarkable number i get them rarely and i 'm still astounded that that uh one they let anyone do them and two that they have any effectiveness whatsoever um because i 'm usually so insulted by them i just hang up as soon as i recognize what they are The person speaking dislikes speaking on the telephone . neutral +but uh it 's yeah i think it 's the greatest stuff in the world though it 's jeez they i make all kinds of things with it we make all kinds of things just with dried flowers i i almost want to start a business doing it but i don 't i i 'm so uh timid when it comes to starting a business I would love to start a business making all kinds of things with dried flowers . entailment +Station XI ( Jesus is nailed to the crose : The Franciscan chapel on the platform the one to the right is where tradition places the spot at which Jesus was nailed to the crose Jesus was nailed to the cross on the first station . contradictory +I 'll write to Lady Tadminster for the second day , myself . No one has tried to contact Lady Tradminster . contradictory +oh but that 's so neat because so many homes don 't have that so you 'll be cool all year around in the summer that 's great Oh , many homeowners around here keep their homes cool all year around . contradictory +He noted that the recommendation could be seen as a way of driving widespread applications of interventions . Widespread applications of interventions is not a possible effect of the recommendation . contradictory +Besides sheltering the most vulnerable of the cathedral 's statuary and some stained-glass windows from the earlier 12th-century Romanesque building , the museum has a fine collection of Alsatian medieval painting by Konrad Witz , Martin Schongauer , and Hans Baldung Grien . The museum only has artwork from 3 different artists . neutral +Just as Christianity introduced Mediterranean culture into northern Europe , so Buddhism brought Chinese culture into Japanese society . Chinese culture has had no influence on Japanese society . contradictory +The rule requires broadcasters to maintain a file for public inspection containing a Children 's Television Programming Report and to identify programs specifically designed to educate and inform children at the beginning of those programs and to furnish such information to the publishers of program guides . The rule makes broadcasters keep a file about business television programming . contradictory +As we passed through one of the gates on our way home again , a pretty young woman of gipsy type coming in the opposite direction bowed and smiled . The young woman frowned at me contradictory +You 'll also see the eastern city wall , with a Muslim graveyard at its foot . The Muslims in the graveyard were all slaughtered . neutral +It contrasts with the cool dignity of Piero della Francesca in his Federigo da Montefeltro and wife Battista ( 1465 ) , portrayed against their Urbino landscape . His works tend to be repetitive and express the same feelings . contradictory +Today this is one of the most congested streets in Kathmandu , and the exhaust fumes from trucks , tuk-tuks , and buses can be overwhelming . Buses are crowded at this time of the year , and you are better off not using public transportation . neutral +According to a HUD representative , HUD 's section 605 ( b ) statement and certification were not separately provided to the Chief Counsel for Advocacy of the Small Business Administration . HUD 's section 605 ( b ) certification wasn 't provided separately to the Small Business Administration 's Chief Counsel for Advocacy . entailment +We must move . We must stand still . contradictory +Don 't get scared and say no at once . Do not get scared and immediately decline . entailment +The hotel 's original banyan wing has been restored to its old elegance . No one has updated the original banyan wing since the hotel was built . contradictory +Others are embracing this philosophy of complete categorical breakdown . Nobody is embracing this philosophy of categorical certainty . contradictory +Have you ever heard that name ? " Have you ever met anyone with that name ? neutral +And all this since yesterday ? ' Mieczyslaw was honestly surprised . Nothing had changed since the events of the day before . contradictory +It must , in fact , have been distinctly annoying to the pair of schemers . " The schemers would not have been annoyed by it . contradictory +after work hum that 's interesting well where in my little district fortunately it is literally across the street i could walk over there as it were we live across from the school and so we There is no school in the vicinity of my house . contradictory +He woke to a roaring wind that sent cutting blasts of sand driving against him . He slept peacefully to the calm and peaceful breeze . contradictory +New York oh gosh yeah yeah I love New York but that was really weird . neutral +The forum participants recognized the advisability of the owner performing as a smart buyer of outsourced services . It was a good idea for the owner to buy outsourced services . entailment +That 's the way we do it , you know . He tapped with his finger on the table , and Tuppence felt again the intense power that radiated from the man . The man gave off a commanding persona . entailment +That was more than two centuries ago , and remarkably , it is the last time any economist made a faulty prediction . It 's been five years since the most recent example of an economist bungling a prediction . contradictory +yeah with ours it wouldn 't be so bad we had a self propelled mower but the self propelled part broke We have a ride on mower and it isn 't bad at all . contradictory +What do you want ? I 'm not going to give you anything even you ask though . neutral +Staff regularly confer with National Center for State Courts , State Justice Institute , the Open Society Institute and Justice Management Institute to facilitate pro se efforts , specifically encouraging partnerships among our programs , the state courts , bar associations and community organizations . State Courts are the most difficult group for the staff to work with . neutral +because i know how hard it is for me to get by It 's difficult for me to make ends meet . entailment +LSC staff conducted telephonic Applicant Information Sessions or discussions on the application process with interested grantees and experts . Discussions on the application process did not take place with anyone . contradictory +It 's not that six is too big a number ; climb one more and you get to Seven Samurai . Six is simply uninspired , suggesting nothing . Six is definitely too big a number for most . contradictory +THE DOCTORS HAVE GIVEN HER SIX MONTHS TO LIVE . According to her doctors , she has only six months to live entailment +oh yeah i agree because it 's not fair to those of us that that deserve a safe you know life to have to We all deserve to have a safe life and be able to live comfortably and not poor . neutral +The methods for this calculation are similar to the procedure for recreational benefits . The calculation methods are similar to how to recreational benefits are preformed entailment +Unable to afford a professional slogan , something hip and hot and happenin ' ( Do the kids still say happenin ' with the apostrophe and all , or is there some swingin ' new punctuation ? ) Do people still say " hip and hot and happenin ' ? " entailment +" To break a foal ! Foal to be broken ! entailment +Gore is not asked what he thinks of President Clinton 's draft ducking . Gore was not asked his opinion on Clinton 's draft ducking , but it is widely known that he looks down on him for that . neutral +The editors of the Baffler , a little magazine of cultural criticism , have coined an extremely handy term to describe the spirit of stores like Restoration Hardware and Trader Joe ' Commodify your dissent . The Baffler is a liberal magazine that criticizes capitalism . neutral +I rather believe in them myself . " His manner was nonchalant to the last degree . His manner was nonchalant to the last degree , as he said , that he rather believes in them himself . entailment +Check with the tourist information centers for details about these and similar events at Dalemain , Holker Hall , and Muncaster Castle . The tourist information centers have information about events at Holker Hall . entailment +And nothing left . All gone . entailment +i mean LA sorry I didn 't mean St. Louis , I meant LA , sorry . neutral +Your body 's flat . As a cartoon character limited to a page of paper , your body has no depth . neutral +The AICPA standards for attestation engagements provide for three levels of reporting based on the type of assurance the auditor is providing . There is not three levels of reporting . contradictory +Opposite on Padang Pahlawan ( Bandar Hill ) a sound-and-light show is held in the evenings , following the tradition of turning history into entertainment to draw the crowds . There is a sound-and-light show that plays in the evenings . entailment +or you can force them to do it if you know You can force them if you know you need to because they are too weak to stay at home . neutral +At the same time , the combination of a lower demand for electricity and an increased investment in cleaner energy supply technologies reduces both carbon and NOx emissions by 10 . Carbon and nitrous oxide emissions can be reduced by both lower demand and cleaner energy technologies . entailment +You 'll be able to hire a boat to take you out to the reef that runs all along the coast here , easily seen just a few hundred meters from the shore ; snorkeling offers the opportunity to observe a wealth of fish and other sea creatures . Hiring a boat is expensive around here . contradictory +It would provide power generators with more certainty about their regulatory future and thus allow them to make wiser decisions about investments in new technology , which would improve energy security . Power generator manufacturers are not concerned with regulatory oversite . contradictory +The offal is thrown into the stream . The offal is dumped into the water . entailment +Five bucks per look up would bankrupt frequent users--Scrabble players or copy editors , for example . Scrabble players and copy editors frequently look up words which ends up costing them a lot of money . neutral +'Where do you think you 're going ? ' Do you think you can just leave town like that ? neutral +yeah right after you get out After you get out you can have a piece of chocolate cake . neutral +We 're your friends , Mr. Franklin . We 've been friends with Mr. Franklin since middle school . neutral +and uh fractured it on both sides and so it 's kind of weak i 'm afraid to get out there and try it again um I 'm worried that I 'll injure myself again . neutral +Your liquid sky would sink through it , since negative weight must in truth be lighter than no weight , while nothing else would rise through the layer . The liquid sky would sink through it , and nothing else would rise through it , but it might still work . neutral +okay how far about how far do you go walking You sit on the couch all day . contradictory +Whatever your beliefs , the giant stone wall is an awesome sight . No matter your beliefs , the stone wall is an amazing sight . entailment +First , the mailer may be able to do in one step what the postal service does in two or more steps . The postal service is quicker than any mailer . contradictory +And Ginsberg was noted for unleashing many of his more notable works in marathon sessions under the influence of controlled substances , while Podhoretz 's work diverged so far from the liberal mainstream that one could argue it could only have emerged using similar means . Podhoretz and Ginsberg eschewed drugs and alcohol so their art would be pure . contradictory +They become more creative in raising funds for discrimination-based projects . They improve in fundraising for projects around discrimination . entailment +Well , you see , I 'd got a sort of tired feeling that I 'd never find Jane and that it was all plumb foolishness anyway . It was foolish to look for Jane because everyone knew she had to moved to another city years ago . neutral +'Inspiration magically striking me . ' I rubbed my teeth together- an anxious habit . I grinded my teeth . entailment +After all , the company wants them badly . The company need them . neutral +The British Raj , though , was firmly entrenched in clubs , and remained resolutely separate . The Raj was still separate , though it was entrenched in clubs . entailment +LOS ANGELES - As an undergraduate at Cornell University , Laurie D. Zelon monitored campus demonstrations . Laurie D. Zelon graduated with a bachelor degree in marine biolgy . neutral +( What does ' certified ' mean , Ickes responded to Klayman , other than ' crazy ' ? Ickes was talking to Klayman . entailment +They were pushing the crowd aside ; making room for someone else . They made room for the president to come in . neutral +American expatriates such as Ernest Heming ? ­ way , F. Scott Fitzgerald , Gertrude Stein , John Dos Passos , and Theodore Dreiser also contributed to the free-living mystique . The mystique of free-living was perpetuated by various American expatriates . entailment +For cheaper purchases , head for the Strada Nuova leading behind the Ca ' d 'Oro to the railway station . The railway station is close to the bazaar . neutral +you can throw big tents and food and and stoves and everything in and all you have to do is just you don 't even have to if you go downstream you hardly even have to paddle and it 's uh If you go downstream , paddling isn 't even necessary . entailment +DiClemente agreed that efficacy in the ED setting had not been totally established . Success in the ED setting has not been reached . entailment +Hong Kong has some of the most luxurious hotels in the world , with representatives from all the major international chains . Hong Kong has many luxurious hotels . entailment +But such a horse would not be hurt . Another horse would be hurt in place of the horse . neutral +Development and maintenance of a toxicity test laboratory quality assurance ( QA ) program requires an ongoing commitment by laboratory management , and includes the ( 1 ) appointment of a laboratory quality assurance officer with the responsibility and authority to develop and maintain a QA program ; The QA program requires a commitment by the compliance management . contradictory +Tim 's Wrap-Up The beginning of Tim 's speech . contradictory +FDA states that it has analyzed this rule in accordance with the principles set forth in Executive Order 12612 , Federalism , and has determined that the rule does not warrant the preparation of a Federalism Assessment . The FDA states that preparation of a Federal Assessment is never necessary , as that practice is outdated . contradictory +Approximately 13 kilometers ( 8 miles ) west of the city is Queensferry , a town that developed as a croseng point of the Firth of Forth for routes to the north of Scotland . Many routes to the north of Scotland converge on Queensferry . neutral +Communist leaders can 't decide whether to suppress Li or co-opt him for their own agenda . The communist leaders think that they can use Li to their advantage if they treat him correctly . neutral +The Sporting News and CBS 's SportsLine ( the other site that charges subscribers ) mirror ESPN 's format , but serve less multimedia , fewer columns , fewer stats . The Sporting News unintentionally mirrors ESPN 's format . neutral +The outdoor life in the Savoie Alps and the resorts around Mont Blanc ( Western Europe 's highest mountain ) can be as exhilarating in summer as in winter . The mountain is the highest in Europe and also the most dangerous to climb . neutral +The city 's commercial reputation reflects its origins as the national merchants ' capital and a major trading hub . The city was a wonderful shopping center ! neutral +Your computer would have become the instantly searchable repository of all your correspondence , financial transactions , data searches , and phone conversations . The indexing required to allow this sort of searching is annoyingly slow . neutral +The Cityof Los Angeles operates seven 18-hole and five 9-hole courses ; for information on these courses ( and all city-sponsored sports ) call ( 818 ) 246-5613 , or visit the L. A. Department of Recreation and Parks website at www.laparks.org. The City of Los Angeles has converted all its golf courses into public parks . contradictory +The first challenge for implementing recommended screening and interventions for problem drinking in emergency settings involves convincing staff of the importance and efficacy of such interventions . The first problem for finding problem drinkers is getting all the patients to understand interventions . contradictory +Her domed Sitting Room is panelled with 17th-century Ketahya tiles , and decor ? Ρted with scenic views . There are 17th-century tiles in the domed Sitting Room . entailment +you 'll be able to just give it commands and i 'm sure they have some of that now and not not in computers but a lot of potential of course for handicapped people Disabled people won 't have to do anything manually which will make things easier for them . neutral +( Another economist , Lawrence Mishel , takes issue with Krugman in the current issue of the American Prospect . ) Mishel dislikes Krugman 's policies in American Prospect . neutral +going on there and they had all kinds of pigs and horses and goats and sheep and everything you know all out in this in the in this schoolyard there so we just said hey let 's stop and They didn 't have any animals . contradictory +yeah they won 't yeah they won 't take any lint free paper or see i work at TI " They can neither see that I work at TI or are unwilling to take any lint free paper . " entailment +Certainly not . In no way will I do that for my honor . neutral +you you know you you get stuck you get in a rut if if you do play a lot but you play with the same people you you aren 't going to learn anything uh after after a short period once you learn everything they 've got to offer then uh You have to seek games with people better than you . neutral +The Survey of Consumer Finances provides detailed data on family net worth and holdings of assets and liabilities . Data on family net worth is collected in the survey . entailment +Wow , I knew that Texas fans were upset about Juan Gonzalez not starting the All-Star game , but they really have to chill out . The player didn 't start because the coach wanted to save him for later in the game . neutral +On Fourth Amendment rights , Clinton has been no better . Clinton was unable to use his political capital to take a firmer stance on Fourth Amendment rights . neutral +Last Monday , the Bronx organization filed a lawsuit against its funders , claiming these demands violate both their contract and federal antitrust laws . The Bronx Organization had a clear-cut case that they were sure to win . neutral +I needed to help her . I had to help her move the car . neutral +Also , the United States was able to invest more than it saved by borrowing from abroad ( see figure 3.2 ) . The United States invested less than it saved . contradictory +Follow the road inside Jaffa Gate around to the right . Just go inside the Jaffa Gate . neutral +The preamble to the final rule contains the required information regarding the collection , including the reason and need for the information , the number of respondents , and an estimate of the annual burden hours which will be imposed . The preamble to the final rule contains the information they need for the collection of the data . neutral +Sharm itself has little charm , but Na 'am Bay , some 5 km ( 3 miles ) further north , has a wonderful sandy beach , modern hotels , and just about everything you could need for a fun-filled vacation . Na 'am Bay has a beautiful beach . entailment +yeah i did i did like the food in Germany it was pretty good I was by and large disappointed by German food . contradictory +Santana is frequently labeled one of the most attractive villages on the island , but its setting is the real star . Many people visit Santana to see the setting . neutral +She seemed to be struggling to speak . She managed to say a few words . neutral +Now then , march , went on Mrs. Vandemeyer . They marched . neutral +Ralph Nader , for example , notes that if Office Max now supports the merger , which it does , that makes you wonder how much real competition is in the offing . Ralph Nader says if Office Max supports the merger , it makes you wonder how much competiton is being done away with . entailment +From 1983 to 1985 , she was a civil committee board member of National Legal Aid and Defender Association . She was a civil committee board member as of 1983 . entailment +Translational studies that develop methods of adapting already validated interventions into emergency department practice are needed . Translational studies that develop methods of adapting already validated interventions into emergency department practice aren 't needed . contradictory +He said if access to that counseling is not available , screening and interventions are less likely to happen in the ED . Even without counseling , interventions are highly likely to occur . contradictory +Try going through Mr. Inglethorp 's room , sir , cried Dorcas . Dorcas told the other person to go through Mrs. Inglethorp 's room . contradictory +Jon stood and saw Adrin in melee with one of the assassins , a smoking gun in his left hand . Jon went to help Adrin . neutral +'A bomb . ' It could explode . neutral +Twenty years ago , Joseph Zuska , a surgeon with an interest in alcohol problems among injured patients The crisis that brings the alcoholic to the surgeon is an opportunity for intervention in a progressive , often fatal disease . Joseph Zuska considered the usage of alcohol in patients who were injured . entailment +Thus , if you assume that a 40 year-old dying from pneumonia would lose 5 years of life , the VSL applied to that death would be $ 0 . A 40 year old dying from pneumonia losing five years of life would have no VSL value . entailment +Thanks very much . They retraced their steps to the Moat House . How could you ! They screamed as they stormed off to the Boat House . contradictory +Reduced rates are available at many hotels through tour operators that specialize in Israel or through airlines as part of land-package arrangements . Lower rates can be found through airlines in land-package arrangements , or at hotels through tour operators that specialize in Israel . entailment +A few of these grand 19th- and 20th-century residences survive tucked away among the skyscrapers , the jungle often invading the gardens . Few of these residences still survive , but they are very cherished by the owners . neutral +These include not only the improvements in products and processes yielded by advancing technology but also the improved quality of labor and capital inputs , reallocation of inputs to uses where they are more productive , and improvements in physical and social infrastructure . Technology has made no advancements and is not helpful . contradictory +Their subtlety of colour , liveliness of posture , and strong , lifelike faces record a last remarkable flowering of Byzantine art before its descent into decadence . Byzantine art went through one last heyday before it fell into decadence . entailment +The family offered their home as a refuge to Queen Mary in the days after the abdication of her son Edward VIII in 1936 . After her son Edward VIII abdicated in 1936 , the family offered their home as a refuge to Queen Mary . entailment +Quite a long trek to the northwest is the small Museo Arqueolegico , noted for its exceptional collection of Roman mining tools used to extract the considerable mineral wealth of La Unien , a neighbouring inland town . An excellent collection of Roman mining equipment is held by the Museo Arqueolegico . entailment +is that right oh neat that is just really neat because i That isn 't right contradictory +Fairness and diversity Take steps to implement equal employment opportunity goals . They pointed out that it 's not what you know it 's who you know . contradictory +He was met by a scowl . He was met by a smile . contradictory +Vaison-la-Romaine Vaison-la-Romaine is a tourist destination . neutral +Hum , said Tommy doubtfully , " I don 't call that much of a clue . " That doesn 't lead us anywhere , " said Thomas distrustfully . entailment +Construction began in 1519 and was largely finished by 1547 . Construction lasted from 1519-1547 . entailment +( It would be cheaper to buy the stock on the open market than by using the options . ) It would be cheaper to buy the stock using options , and not on the open market . contradictory +yeah well it was nice talking to you tell me tell me where you 're calling from Can I go now ? I really didn 't like this conversation . contradictory +Retirement of debt securities prior to revolving funds and trust revolving funds ( 592 ) The revolving funds are usually retired first . neutral +You will notice beside each shrine an area of open ground on which the new shrine is to be erected in 2013 in identical form . No new shrines will be placed there in 2013 . contradictory +yeah that that 's the way they did it in Alabama too That is how they did it in Alabama as well . entailment +Kom Ombo Temple lies closest to Aswan ' some 60 km ( 37 miles ) south of Edfu . South of Edfu lies the Kom Ombo Temple . entailment +FDA considers the two rules complementary and cannot separately quantify the benefits of the two programs and since both rules work collectively to reduce youth access to tobacco products , the costs attributable to the SAMHSA program are included in the analysis . The FDA is planning on removing one of the rules . contradictory +Of those found guilty , the majority were ordered to pay court costs , plus a $ 100 fine . The guilty didn 't have to pay any costs contradictory +uh i probably ought to i just freeze I really should because I get really cold . entailment +While pilgrims circumambulate the stupa , monkeys , dogs , and pigeons clamber about and forage for scraps of food offerings in small altars set in the foundation . Dogs and pigeons forage for scraps of food in small altars . entailment +8 , 2001 ) and Best Better Management of Technology Development Can Improve Weapon System Outcomes , GAO / NSIAD-99-162 ( Washington , D.C. : July 30 , 1999 ) . Improving management techniques can lead to improved weapon system outcomes . entailment +And as Jonathan Rauch taught us , when someone tells us that his world is populated by remarkably eloquent people who always happen to say exactly what makes the storyteller look good , we are well advised to ask whether that world exists only in his , er , perceptions . Rauch taught us that the world is populated by smart people . entailment +The Project adopted six guiding principles . The project adopted six principles and rejected five others . neutral +As a result , the construction activities would normally be in different locations at the plant , reducing the interference between the two projects . The construction activities , as a result , would normally be in different locations at the plant , reducing the interference between the two projects . entailment +Engineering and project management are about 5 percent of the total cost , while construction is about 50 percent of the total cost . 45 percent of the other costs were put to the property itself . neutral +right the quality that you can out off with one of those as compared to one of those dot matrix printers I don 't like printers that cuts it off . contradictory +uh political science Biology science . contradictory +Specifically , we relied on national saving data for the G-7 nations-Canada , France , Germany , Italy , National saving data for France and Canada were equally considered . neutral +Physician assistants get paid twice a resident 's $ 30,000 yearly salary for working only 40 hours a week . Physician assistants make $ 60,000 . entailment +oh yeah i 'm sure i would think they would talk about people who are already registered and and uh you know the ones that are on the rolls already you know I would think they would talk about people who already recorded . entailment +and the two guys i was with they were like well this you 're a wimp you know because we 've been drinking out of the water and we 're okay so they went out fly fishing and they 're having a great time They said they drank the water and it was okay . entailment +Acquisition begins at the point when agency needs are established and includes the description of requirements to satisfy agency needs , solicitation and selection of sources , award of contracts , contract financing , contract performance , contract administration , and those technical and management functions directly related to the process of fulfilling agency needs by contract . All agency needs must be satisfied in order for a contract to be fulfilled . neutral +In the 1930s Walter Knott began growing a new strain of berry , the boysenberry , and it soon became a booming enterprise . Boysenberry is a strain of berry that Walter Knott started . entailment +okay and it was nice talking to you okay bye-bye You were fun to talk with . neutral +With best wishes , The wishes are for a happy birthday . neutral +It also reflects the fact that most cultural journalists are under constant pressure , whether from above or from within , to whip up instant controversies tied to some product on the shelf . Most cultural Journalists are loved by all . contradictory +that 's right and i 'm sorry that business that 's right and i 'm sorry that business of making it mandatory i don 't like mandatory anything I like to choose what to do myself , and not be forced to do anything . neutral +( To read the first three chapters , click here . ) Click here to read the first three chapters of Pretty Women . neutral +States will be required to develop plans for these areas . The country will have to make plans for these areas . contradictory +and yeah i think that was just a a horrible miscarriage of justice because of the uh you know staying by the absolute strict rules and not allowing things to be presented to the jury that uh were highly relevant to the case and could i thought have established the defendant 's innocence I think that was just a gross misjudgment . entailment +i think the the most important thing for me right now is is really the medical coverage Healthcare insurance is my priority . entailment +I 'm coming . I 'm joining . entailment +The entire law school community is proud to be associated with Dana Harrington Conner , said Widener Dean Douglas E. Ray . The school is proud of Dana . entailment +The magnitude of overpayments , and the Social Security Administration 's ( SSA ) inability to recover outstanding SSI debt , led to the program 's inclusion on GAO 's highrisk list . SSI debt and overpayments were not a factor in the program landing on GEO 's high-risk list . contradictory +The family dammed the narrow valley and planted many of the lakeside trees . Many of the lakeside trees were planted by the family . entailment +um-hum it i mean it 's going to take a lot of hard work but um you need It requires a lot of hard work . entailment +If Perot backs Buchanan , then the capture of the Reform Party by right-wing Southern populists is likely . Perot should not back Buchanan . contradictory +Because the young lady was knocked down in a street accident , and has sustained slight injuries to the head . The young lady was pushed down due to a large crowd pushing past her to get a deal . neutral +and uh i think that should get your heart rate right up there at the maximum and keep it there It 's best to keep your heart going at its maximum rate . neutral +But suppose we try the unorthodox . We should consider trying something different . entailment +how we 're living socially in comparison to maybe from that time period from ten twenty or whatever you remember it to be We can compare how we live now to how it was ten or twenty years ago . entailment +These streets are still largely residential and make an interesting area to stroll , displaying a wealth of original detail . The streets are mostly for people and is an interesting area to travel to . entailment +When the zoo celebrated the first successful hatching in captivity of a king penguin in 1919 , it gained world no other zoo had examples of this penguin species . The king penguin born at the zoo was named Flipper . neutral +He 's a dear little man , said Cynthia . " He 's a dear , small man . " Cynthia said . entailment +yeah hum right right i don 't blame you i would too I don 't blame you I would be really mad too . neutral +It is the indirect and unintended result of the actions of soulless multinationals and rapacious local entrepreneurs , whose only concern was to take advantage of the profit opportunities offered by cheap labor . Multinationals and local entrepreneurs do not care about workers . entailment +Hunting and shooting . Fishing . contradictory +For all the trading programs and consistent with the existing Section 411 , the excess emissions penalty does not preclude imposition , in addition , of civil penalties for violations . Civil penalties for violations are necessary . neutral +Together with LSC 's 1998 Program Letters , this decision provided the impetus for more serious discussion of program configuration which resulted in the formation of a single statewide program , Colorado Legal Services , effective October 1 , 1999 . This decision hampered more serious discussion of the program . contradictory +In such cases , most of the duties originally paid are refundable when the finished product is exported . Duties charged to governments are refundable . neutral +In my view , we all need to return to a set of core values and timeless principles that can help us to do the right thing , at the right time , all the time . Values and principles from the past cannot help people do the right thing . contradictory +To this one might add the single paragraph I devote to the origin of the Washington Holocaust Museum , which , as you wrote in your Holocaust Memorials in History , was proposed by then-president Jimmy Carter to placate Jewish supporters angered by his sale of F-15 fighter planes to Saudi Arabia . Jimmy Carter vetoed the idea of establishing the Washington Holocaust Museum . contradictory +yeah there 's a few of those here too There 's some of them here too . entailment +Oil prices jumped this week , due to cold weather in the Northeast . That 's certainly sensible . It makes sense that oil prices increased this week due to cold weather in the Northeastern region . entailment +: The preceding images are not from Michelangelo and His Drawings from Windsor Castle ( online reproduction of art in the National Gallery exhibition is forbidden ) . The National Gallery exhibition does not allow online copies of art . entailment +You 're right so far , Nye . " Topham grinned . Topham was fascinated by how Nye got everything right . neutral +The sanctuary exemplifies piety and militancy . The sanctuary is not about piety and militancy at all . contradictory +yeah so see there there they would have a doubt about you that you know because if that 's what if that 's what the punishment is in that in that instance then you 're always going to say People have doubts . entailment +Car Wheels on a Gravel Road , by Lucinda Williams ( Mercury ) . Car Wheels on a Gravel Road received a lot of radio airtime . neutral +Put it this : Lundgren kickboxes Say this : Lundgren kickboxes entailment +These statements include , where appropriate , performance measures related to improper payments . Where appropriate the statements include performance measures . entailment +Health effects studies provide both a best estimate of this relationship plus a measure of the statistical uncertainty of the relationship . Health effects studies are the global standard for measuring statistical uncertainty neutral +Adopted by the Board of Directors on January 28 , 2000 , the Plan commits LSC to dramatically enhance the impact of legal services programs throughout the nation by improving access to legal services while enhancing their quality . The Plan was rejected by the Board of Directors on January 28 , 2000 . contradictory +She becomes familiar with people who have been in court over and over . Some people are in court over and over again . entailment +so we decided when the cable came through that we would get on it just so we could see what we were watching if we watched anything at all When the cable came through , we didn 't watch it at all . contradictory +I was given some proper clothes . I was given clothes to wear . neutral +There must be a village handy , continued the young American . The American did not think there was a village around here . contradictory +It 's akin to saying that if the Chicago Bulls showed the same growth as the Raptors , they 'd eventually be winning more games than they 're playing . If the Chicago Bulls got better they start winning games . entailment +Outcome - An assessment of the results of a program compared to its intended purpose . An outcome is the beginning of a program . contradictory +Given your ... behaviour ... I thought I should ask if you feel at all ... strange ? ' Haltingly he asked , " Given your behavior . . . I must ask . . . if you are feeling unwell ? " neutral +Cosimo the Elder ( 1389 1464 ) became the city 's ruler and founder of the Medici dynasty in 1434 . The Medici dynasty wouldn 't have been founded in 1434 if not for Cosimo the Elder . neutral +On the other hand , he had a full view of the second man and studied him attentively . He could clearly see the man , and he observed him carefully . entailment +Saddam Hussein 's gassing of the Kurdish population in 1988 falls outside the arbitrary 10-year rule . Hussein gassed 10,000 Kurds in 1988 . neutral +It was nauseating at first but he soon got his bearings . He threw up and died . contradictory +Consider for instance , the following item in today 's Times : An article on July 18 about allegations of sexual misconduct among New York City police officers misstated the street number of what was said to be a brothel frequented by officers . The item in today 's Times is about allegations of sexual misconduct among police officers in New York , because the topic was on all the media from the beginning of July . neutral +Tailored messaging systems have been found effective in the areas of depression , smoking cessation , dietary intake , and use of mammography . Smoking cessation efforts have been enhanced with tailored messaging systems . entailment +Britain led the World War I allies in large orders for munitions , while Japan expanded sales of manufactured goods to Asian and other markets cut off from their usual European suppliers . Japanese economy benefited from expanding sales of manufactured goods . neutral +I come . Motioning to me to follow him , he ran swiftly down the stairs and opened the door . He motioned for me to follow behind him as he fled the building . neutral +This guide is intended to help auditors conduct more Auditors use the guide to conduct more . entailment +yeah but uh well i guess like like like i said my favorite show what 's your favorite shows or you like the news formats What is your favorite TV show , or you prefer the news formats ? entailment +lots of pepper and you just boil them and they 're absolutely wonderful but there 's uh they 're a pain to peel for some people once you get used to it they 're real easy but um you know if you have nails or anything you can I use a lot of pepper and then boil them , they 're a bit of a pain to peel but well worth it . neutral +" A good sign , " a man 's voice said . " That 's not good , " said the man . contradictory +and they 're on their second marriage and they 've got his kids and her kids and i think my gosh all the pain they 've caused themselves and their children i just They are in their second marriage , with kids from both sides . entailment +and on each letter what types of changes are they typos are they because i couldn 't read it or people just change a like one word because they think it sounds better or whatever i figured out that all the changes are because of typographical errors contradictory +In NIPA , saving is measured as current income less current consumption expenditures . Current expenditures plus current consumption are savings . contradictory +4 The proposed rule was published in the Federal Register on May 31 , 1996 ; HCFA stated that it would consider comments received by July 31 , 1996 . The new emissions rule was published in May of 1996 . neutral +It seemed so simple , but her soup wasn 't as clear as Robi 's , and besides that , it was inedible . Her soup turned out perfectly . contradictory +Buchanan also traveled to Minnesota in June to kiss Ventura 's ring . Buchanan went to Minnesota to meet Ventura at the Governor 's mansion . neutral +But since he left office , he has led like none other . He is trailing after he left office . contradictory +i can 't i i again i can 't make any predictions about them but i suspect they 'll go uh they 'll go far They are playing for first place next week . neutral +A few shadowy details have been left to us by the Romans and by an epic poem from the seventh century . The seventh century has only disclosed its secrets through mysterious clues from the Romans and an iconic epic poem . entailment +His only regret was that Tuppence was not present to appreciate its full flavour . He wished that Tuppence was around to taste it . entailment +What were you doing there ? " What are you thinking about doing ? neutral +The off-hand dagger went to the earth . The dagger fell into the water . contradictory +Now , remember a few minutes ago when I talked about the Commission and Postal Service difference of opinion on the matter of how costs vary with volume ? Remember how I was saying that the Postal Service are trying to cut costs by sending packages filled with helium ? neutral +Sure , you and your shareholders have done fine . Yes , your shareholders and you have done a good job . entailment +The Naiku holds the sacred eight-pointed mirror ( yata-no-kagami ) , which is one of the three symbols of the imperial throne . The sacred mirror has six points . contradictory +Outstanding in the ground floor collections are the vast canvases of Gustave Courbet . The ground floor has canvases from Gustave Courbet . entailment +out of some degree yeah to some degree but uh religion is a factor over there but uh i think the strongest factor is a tribe of the family Religion still plays a significant role . neutral +In the case of Microsoft , Blumenthal of Connecticut appears to have won the coveted prize , managing to eclipse Iowa Attorney General Tom Miller , who is chairman of the NAAG 's antitrust committee , and New York 's Vacco , who heads the consumer committee . In regards to microsoft , they are not a very popular or moral company contradictory +Here you 'll also encounter one of the most popular waterfalls in the Lake District . One of the most popular waterfalls in the Lake District can be also encountered here . entailment +However , the original ceiling of Mary 's bedchamber is still in place . The ceiling has lots of artwork painted on it . neutral +No , it is astonishing until you get used to the idea , and see how it makes everything fit in . Once you get used to the idea , it is no longer astonishing . entailment +You must leave your shoes , bags , and cameras on the shelves near the door as you enter . You cannot bring all of your things inside with you . entailment +The fragmentation of the regulatory system for the public accounting profession was not completely dealt with by the Sarbanes-Oxley Act of 2002 . Sarbanes-Oxley did not completely solve the issue of fragmentation . entailment +Trying to prevent all exchanges of money for political influence would be costly ( in terms of liberty as well as of more mundane considerations ) and futile . Preventing every exchange of money for political sway would be costly and impossible . entailment +Therefore , the impact of ACI hardware on resource demand is much less than that of FGD or SCR technologies for SO2 or NOX control , respectively . ACI hardware has the most impact on resource control . contradictory +For Columns 5 though 8 , the only amounts that change in lines 1 and 2 , compared to columns 1 through 4 , are outbound attributable cost and inbound revenue . Only the outbound attributable cost and inbound revenue change in lines 1 and 2 in columns 5 through 8 . entailment +and that 's practically impossible to do now a days for a company to to shoot up in that way and uh Companies take off that way all the time . contradictory +They want laws that demand of parents that they act like authority figures . They want laws that make parents be more strict . neutral +Downtown Aswan has a pleasant riverside Corniche where you can stroll and watch the world go by . There is a Corniche in Downtown Aswan where you can take a walk . entailment +What makes you think there was salt in it ? asked Poirot . What gives you the idea that it contained salt ? asked Poirot . entailment +uh actually let 's see we we uh we 've rented a couple movies lately you know because you get them on videotape we rented uh just last night we watched um David Lynch 's uh movie Blue Velvet We haven 't rented any movies lately . contradictory +And I 'll look after YOU , retorted Tuppence , resenting the manly assertion . Tuppence was offended by the statement . entailment +My mind was still quite jumbled . My mind was jumbled from all the propaganda . neutral +Nevertheless , walking remains the only practical way to see the narrow , cobbled streets were never meant for motor vehicles , and they can be surprisingly congested with traffic . The cobbled street we never meant to be used by cars , it is better to walk . entailment +Appetizing . Something is appetizing . entailment +NRCS concluded that it would not and the Chief of NRCS issued a finding of no significant impact on May 20 , 1997 . There was a significant impact , as stated by the Chief of NRCS . contradictory +In some programs , board membership terminated only with the member 's death . You only give up your membership to the board if you die or are fired . contradictory +" I can 't see why " Drew began . Drew started , " I cannot view why . " entailment +When asked why he did it , he reportedly said , I 'm crazy . He reportedly said he was sane when he was asked why he did it . contradictory +Then coldness settled over his thoughts as he drove them to shape the unvoiced words in his mind . His blood ran cold as he processed the meaning . entailment +It commented , They have [ been ] featured in the media several times in the recent past , and do not seem to be any the worse for it , unlike some other people . It commented , They have not been featured in the media in the recent past , and they seem to worse for it . contradictory +Now I 'll read it straight through . I won 't bother reading most of it . contradictory +that 's right yeah that 's that 's true too that 's true too but What ? No way . contradictory +Since sections 211 and 212 of Public Law 104-193 were effective upon enactment and section 215 required the Commissioner to issue regulations to carry out the amendments within 3 months after enactment , the Commissioner found that it would be impracticable and contrary to congressional intent to follow the NPRM procedures . Sections 211 and 212 are about public law . entailment +The high-minded The two cases underscore an epidemic of binge drinking in frats and colleges in general . There is hardly any drinking in frats and colleges . contradictory +you know it 's just them there they are and they 're writing the whole time they write about what your saying and your facial expressions . neutral +Although your journey is going to be difficult and at times you will doubt yourselves , the benefits to clients are well worth it and the satisfaction of hearing even the most recalcitrant of adversaries say that the new system is better than the one that went before is deeply rewarding . It is rewarding to hear that clients like the new system . entailment +The validity of case study methods partly depends on the resolution process . Only case studies with converging results are valid . neutral +At the north end of the gardens , the Palais du Luxembourg , built for Marie de 'Medici early in the 17th century , now houses the French Senate . The Palais du Luxembourg was in decay before being reconstructed for use by the French government . neutral +'Oh my , ' someone muttered . Someone spoke quietly . entailment +The statement should be qualified in situations where the auditors did not follow an applicable standard . Auditors may not follow an applicable standard as applying certain standards in real life situations can become complicated . neutral +On the upturned roof corners of the shimmering golden shrine stand bronze birds . The birds are bronze so that they stand out more against the shrine . neutral +He controls a marvellous organization . He is in charge of a failing business . contradictory +The Security Act is to be implemented consistent with the Computer Security Act . After standing for over twenty years , The Computer Security Act was mostly replaced by the Security Act . neutral +The unique technology projects film images onto giant water-mist screens that are 30 ft ( 9 m ) tall and 50 ft ( 15 m ) wide . A giant mist screen is almost fifty feet wide . entailment +1 reason why Monica has seemed like a sweetheart is that the White House has been silent . Monica would not seem like a sweetheart if the White House spoke up about her . neutral +On this beautiful old country estate you can see craftspeople working and lively folk dance displays . You can see people on this estate make crafts . entailment +If the mustangers here pick up any branded ones , they 're returned to the owners , if possible , or sold at a yearly auction . Any branded horses found by the mustangers in the area are returned to the owners if possible . entailment +As one plan had failed , he must hunt about for another . The plan failed because he wasn 't skilled enough to execute it . neutral +It also requires landlords to have their property inspected prior to tenants signing a rent-to-own contract and to provide the tenant with the inspection report . The tenants never received the reports . contradictory +More glorious still is the panorama from the mirador above Es Cale An awful sight can be seen from the miradore above Es Cale . contradictory +Brochures in English , available without charge , describe the rocks and vegetation . The rocks and vegetation are described in free brochures . entailment +yeah they 'll they 'll climb back up again and that Texas Stadium i 've been there that is a phenomenal place I have never been to a Texas stadium . contradictory +The town , just off the autoroute from Calais , has two of the most beautiful city squares in France , echoing the classical Flemish style of the 17th and 18th centuries in the arcades and the gabled facades of the Grande Place and the Place des H ? ? ros . The pair of town squares take sole inspiration from Roman classical architecture . contradictory +you know it 's not something that 's continual because you know the television ratings don 't come out you know all the time they only come out four times a year so The TV ratings come out four times per year . entailment +uh yeah i have uh what i 've found out out of curiosity was my name has uh has come up twice and we 've only been involved with the program say about a year We have to renew our program membership every year . neutral +It 's a good time frequently leads to free food for two . " Tuppence nodded assent . Tuppence wanted nothing to do with free food or a good time , he is a hermit . contradictory +yeah yeah my mom 's in the same position late sixties and and it got to the got to the point where i mean me and my brother both were were gone and she couldn 't maintain the house without large expenditures of money you know it finally got to a point where she just had to sell it and move into an apartment My mom is in her late 60 's and lives on a big estate so she has a lot of help . contradictory +any crime no unlawful activity contradictory +and what line does he write under what title does he He has many titles , which one does he write under ? neutral +She suggested that the influence of setting be made explicit somewhere in the recommendations . She opposes the addition of information regarding influence being added to the recommendations . contradictory +Clever man , Bauerstein . Bauerstein was an old man . neutral +well uh my my my ex My current spouse . contradictory +The term noncompliance comprises illegal acts ( violations of laws and regulations ) and violations of provisions of contracts or grant agreements . The term noncompliance comprises illegal acts . entailment +My hunch is that Oprah will win over even the cattlemen , eventually . I don 't think Oprah will never win ranchers over . contradictory +Scotland 's troubles continued after Charles II 's restoration to the throne in 1660 . Things became much better in Scotland immediately after Charles II returned to the throne . contradictory +investigations according to standards established by the President 's Council on Integrity and Efficiency ( PCIE ) as adapted for GAO 's work . The President 's Council on Integrity and Efficiency establishes the standards . entailment +But you are wonderful . You are also extremely popular . neutral +well some people just are incorrigible and there 's no way that they can ever deal with society and abide by rules so in in a case like that uh given what crime they 're guilty of uh yeah i could i could justify a death penalty for somebody who just has no chance of ever reforming or coming to grips with uh living in normal society I could go for the death penalty if the person was a jerk . contradictory +To the left is the Five-Story Pagoda , and across the courtyard is the main hall of Sensoji . There is no courtyard . contradictory +A little farther along the passage on the left was a second door . The second door was on the left along the passage . entailment +" But I don 't come from the border country . " I don 't come from and never lived anywhere near the border . neutral +they they would have to have a really off day and somebody else would have to have a really on day and if that if both of those happened at the same time you might have an upset Upsets never happen in this game . contradictory +The crowd murmured and whispered when they caught sight of the jewels in the sword 's twisted hand-guard . The sword was plain and unadorned . contradictory +Thus , on a delivered piece basis , rural routes use 20 percent more carrier time than do all city routes , and 22 percent more than city residential routes . On a delivered piece basis , rural routes use 20 percent more carrier time than do all city routes entailment +oh yeah yeah Silverado uh who who was that with Silverado ... I remember . entailment +One Roseburg attorney is doing her best to refute the cultural stereotype , however . Through her work , she perpetuates stereotypes . contradictory +uh but i mean let 's face it today 's today 's uh means of communications we could uh very well a newscaster could very well give away away a piece of top secret information Secret information could be kept confidential by journalists . neutral +The project 's purpose is to obtain and publicize information on model practices , programs , and systems . The aim is to disseminate relevant information . entailment +Greuze still hopes this might blow over , and you were expensive . ' Greuze wants this to go away . entailment +yeah i 'm down here at TI Yes Im here at TI . entailment +Each of these programs encountered significant cost increases and schedule delays . Each of the programs faces delays of many weeks neutral +They all declared unanimously that it was certainly not his hand-writing , and gave it as their view that it might be that of the prisoner disguised . They all agreed that it was not his hand writing , but possibly someone else . entailment +Later , in 1337 , the Nichiren sect built the Ryukoji temple on the same hill . The Ryukoji temple is located deep down in the valley . contradictory +It seemed as though Tommy 's persistent assurance was at last conquering . Tommy 's confidence was rubbing off . entailment +Should America Save for its Old Age ? The question is being asked : should America save up for it 's old age ? entailment +pardon me but uh Excuse me but entailment +and as the years got on the tow trucks got better there easier and he went out and bought himself a flat bed one so he won 't have to do very much work and He had to do less work after buying the flat bed . entailment +For all three problems there are only three cut benefits , raise revenues , or borrow . The only answers might be to cut benefits , raise revenues , or borrow for all three problems . neutral +Chris Linton , Certified Fraud Examiner , National Advisor , Fraud Prevention and Investigation , New Zealand 's Inland Revenue Department Chris Linton is a Fraud Examiner in New Zealand . entailment +All Egyptian temples would appear vividly colored much like the tombs in the Valley of the Kings but little color has survived on most of them due to the effects of sunlight and smoke damage caused by fires when the temples were used as dwellings . The tombs in the Valley of the Kings are examples of Egyptian temples would appear vividly colored . entailment +so i 've considered even becoming licensed to teach it I don 't even want to teach it anymore . contradictory +Uncle , believe me . Don 't believe me , uncle . contradictory +Citing an emerging trend , the senior information security managers had also started to create information security career paths and stress professional certification for security specialists . Senior information security managers didn 't stress professional certification for security specialists . contradictory +Table 3 shows little change in GDP under any of the policy scenarios , reflecting the fact that this foregone consumption turns up as expenditures in other categories of GDP , namely , investment and government spending . The GDP changed less than 0.0001 % . neutral +It is also the starting point for a couple of spectacular levada walks . There are levada walks available here . contradictory +Another case in point is the matter of the president 's powers as commander in chief . There is a point about the fact that the commander in chief is the president . entailment +Today 's Papers is also delivered daily via e-mail . Today 's Papers will come in your mailbox by the door . . contradictory +END USER -Any component of a reporting entity that obtains goods for direct use in its normal operations . The end user gets goods to hoard . contradictory +where they get together in what they call tribes which is a neighborhood with probably five or six maybe up to eight uh father son combinations and they get together and and meet at each other 's home uh maybe uh twice a month There aren 't any groups in the neighborhoods everyone is very solitary . contradictory +Alas , the president has not made this case . The president did not make this case . entailment +to be effective and make no effort to medically assess whether [ castration ] is appropriate for an individual . Make great effort to medically asses whether castration is appropriate for an individual . contradictory +But I like this machine . I don 't like this machine . contradictory +it uh uh-huh oh we had a great time in the band my uh director was heavy into the big bands so we played a lot of tunes by uh Glen Miller and Benny Goodman and Tommy Dorsey and people like that My band director loved the big band tunes . entailment +When Rubin makes decisions that aid Wall Street , analysts and traders reciprocate in the financial media , telling CNBC , the Wall Street Journal , Bloomberg , et al . Traders have told the media about Rubin 's decisions that are designed to aid Wall Street . entailment +Unfortunately , Reality and Dreams doesn 't transcend this category . Luckily , both Reality and Dreams belong firmly within this category . contradictory +well down here if you want to go buy a used car it 's impossible because they want just as much for a used car as they want for a new car and it it it just does Down here , used cars cost pretty much the same as new ones . entailment +Another two are similar to the Bodhisattvas of Ajanta . There are three more that are comparable . contradictory +by alcohol . by water contradictory +But the Army shows the process can work , and can help . The army promises that it can help if the process is used . neutral +Some air emissions of NOx from power generation result in deposition of nitrogen in soils and water . Nitrogen in soil and water can be toxic to plants and animals . neutral +yeah no it 's interesting that you mention that i didn 't think about that before when you were talking but the service academies have all all the faculty uh for the most part is is military with a few exchange Most of the people at the service academies are coming from high school . contradictory +In limited circumstances , however , GAO will work with the requesters to merge multiple requests it receives relating to a major event , such as a natural disaster or accident . An example of a natural disaster or accident would be a hurricane . neutral +uh well not it 's not on my that 's not on my list of That 's not on my list entailment +Madrid reigns in cultural life and vida nocturna night ? ­ life . Madrid comes alive when it is night . neutral +The people are a distinct they have a unique , ancient heritage and a passionate folklore all their own . The people have a unique heritage . entailment +Kobe exploded onto the world 's headlines with the suddenness of the earthquake that ravaged the city 17 January 1995 , claiming a final death toll of over 6,000 . The earthquake in Kobe on January 17 , 1995 claimed over 6,000 deaths and made headlines all over the world . entailment +Complicating the picture is a case pending before the U.S. The case pending in the US is not causing any complications . contradictory +intervention becomes an integral part of the emergency triage and treatment system , it will be an appendage that will be inconsistently applied or tried and discarded . Intervention is an integral part of the emergency triage and treatment system . entailment +yeah i had i had a cousin that was stationed there My cousin enjoyed being stationed there . neutral +In Sarawak , the best beaches are northwest of Kuching , at Damai , Santubong , or Bako National Park ; in Sabah , either at Kota Kinabalu 's offshore islands of the Tunku Abdul Rahman National Park or up at Kudah on the northernmost tip of Borneo ; over on Sabah 's east coast try the islands in and around Sandakan Bay . The best beaches are northwest of Kuching . entailment +The analysis describes , and estimates the number of , small entities to which the rule will apply as required by section 604 ( a ) ( 3 ) . The analysis describes small entities to which the pollution reduction rule will apply . neutral +the greatest force in America is mothers The most powerful force in America is mothers . entailment +This one is the Castillo de la Mola , erected on the site of a Roman fort . The Castilo de la Mola was built before the Romans arrived . contradictory +so there 's more of them getting killed than the Whites More Asians are getting killed than whites . neutral +Auditors should perform such follow-up to determine whether officials of the audited entity have taken appropriate corrective actions . Such follow-ups to determine whether officials of the audited entity have taken appropriate corrective actions.should be performed by auditors . entailment +If she had we 'd probably never have traced her . If she did we still would have found her because we are amazing . contradictory +Timekeepers and supervisors must be aware of the work time and absence of employees for whom they are responsible to ensure the reliability of Tand Timekeepers and supervisors need to be aware of the work time and absence of employees for whom they employ . entailment +I have done my best to target unpopulated areas at unpopulated times , but the guilt still weights heavy on my soul . ' I have tried to hit unpopulated areas , but I still feel bad . entailment +While today there are 3.4 workers for each Social Security beneficiary , by 2030 , there will be only about 2 workers paying taxes to support each beneficiary ( see figure 1.7 ) . It 's expected that by 2030 , the number of workers per Social Security beneficiary will drop from 3.4 to 2 . entailment +Consistent with GAO 's Congressional Protocols , the congressional requester ( s ) will be notified before a draft report is provided to an agency for comment and will be offered a copy of the draft for informational purposes when the draft report is provided to the agency for comment . The winners of the Government Technology Leadership Awards are taken on a trip to Hawaii . neutral +Since most movies are bad ( both in the subjective aesthetic sense and in the cruder sense of being unpopular ) , discounting the bad ones would bleed revenue while probably not persuading many moviegoers to make the tradeoff between quality and cost . I think the majority of movies are both unpopular and aesthetically lacking . entailment +I believe that 's what the Germans said about the Russians and Americans in 1942 . The Germans had nothing to say about the Americans in 1942 . contradictory +It seems likely that U.S. and foreign mailers would prepare AO mail so that it would qualify for lower domestic rates applicable to printed matter and / or lower priority delivery . The U.S. and foreign mailers would likely prepare AO mail . entailment +That is also the name of Johnson 's recent book--a 175-page tract that pleads for still more subsidies while cloaking itself in high-mindedness . Johnson 's new book is 175 pages long and sold at Barnes & Noble . neutral +it it kills a lot of the bugs and the It is a bug killer . entailment +I 'm glad to know definitely . I wish I didn 't know it . contradictory +At the very northern tip of the Sinai is Taba , with several large hotels , marking the Egyptian / Israeli border . Some of the hotels are joint Egyptian-Israeli owned . neutral +'I ... did he ? ' There was ample confusion in the house over whether he had accomplished the deed . neutral +yeah yeah well Texas had a woman governor a hundred years ago or whatever Ma Ferguson Well Texas indeed had a female governor a century ago , Ma Ferguson I believe . entailment +and i think she spent over a thousand dollars on plants and uh and fertilizers and mulch and everything else and it 's it 's not hard to go through the money doing that Fortunately , my wife 's gardening project only cost about four hundred dollars . contradictory +In the federal arena , including federal programs managed by state organizations , computer-assisted activities must be implemented consistent with all protections of the Privacy Act of 1974 , as amended by the Computer Matching and Privacy Protection Act of 1988 , and other privacy statutes . The Privacy Act of 1974 has never been amended . contradictory +This general rule applies to property , plant , and equipment , receivables ( other than direct loans ) , foreclosed property associated with pre-1992 direct loans and loan guarantees , and miscellaneous assets . This rule only applies to the privately owned vehicles of employees . contradictory +yeah it it 's amazing there 's uh there 's a girl i work with our secretary as a matter of fact her her father was murdered her father and three other guys up here in Sherman and the uh the guy that they tried and convicted and sentenced him to death you know he 's been on death row for like eight years I work with a girl who is a secretary . entailment +And yet someone should have risen to say , Objection ! Someone definitely should not have made an objection . contradictory +With a little cooperation from the community , I think we can implement electronic filing and service of documents . We anticipate the new system will be done in 2 years . neutral +and yeah i think i don 't know how i feel about that i think maybe uh majority might be sufficient I 'm not certain the majority will be sufficient . entailment +Kramenin , by this time , was as putty in the other 's hands . Kramenin could not be deterred contradictory +like you ... Different to you . contradictory +Dunkan was there . Dunkan was nowhere to be found . contradictory +Jesse Helms could not have demonized homosexuality more effectively--which , of course , is why he was pleased to draw public attention to the pictures . The pictures were a labor of love for Jesse Helms , who wanted to promote tolerance for homosexuality . contradictory +The amount should be equal in absolute value but with the opposite sign to the gain or loss recognized by the revolving fund or trust revolving fund . It should not be equal in absolute value . contradictory +that 's good they scaled down quite a bit they have a lot of changes out there lately The changes make it better . neutral +and he 'll call us up and say let 's go and so we 'll meet you know real early in the morning people think we 're crazy because we get up so early in the morning but i love it I don 't like that we get up so early in the morning . contradictory +Forty thousand blocks of stone had to be labeled , moved and re-erected before the transformation was complete so that you can take a short boat ride out to the island , and enjoy views of the approach to the temple , just as the ancients did . It is impossible to take a boat out near the temple . contradictory +It is unfinished , as work on a mosque traditionally stopped after the death of the sultan who began it . Work on the mosque ceased due to the death of the sultan who commenced it . entailment +Above , angels and saints crowd the clouds . the angels and saints are singing . neutral +well that that 's actually i think that makes something because i think and and and as much as sort of fan support helps I believe the support from fans is a great contribution . entailment +i really didn 't see the point in their knowing stuff rotely and writing it on a test True learning should be useful . neutral +The SUM06 is the sum of the ozone concentrations for every hour that exceeds 0.06 parts per million ( ppm ) within a 12-hour period from 8 am to 8 pm in the months of May to September . The SUM06 is the sum of the ozone concentrations for every hour that exceeds 0.78 parts per million . contradictory +The Seattle grunge band has grown up . The band was better when they were newly formed . neutral +The design for the new building was the subject of a competition won by Spanish architect and designer Enric Miralles . The architect that won the competition was Spanish . entailment +7 However , participants cautioned that reporting only on internal controls over financial reporting could lead to more of a gap in what investors perceive as the scope of the auditor 's work . The prospective gap in investor perceptions isn 't necessarily a bad thing for the profession . neutral +Given infinite time , developers would prefer to add feature upon feature and never release their product . Developers would prefer to continuously add features . entailment +He quickly got used to other people looking at him with suspicion , or simply making fun of him . He was used to people making fun of him . entailment +Specifically , it designated lead agencies within the federal government to work with private-sector and government entities in each of eight infrastructure sectors and five special function areas . The federal government made no attempts to lead any of the agencies to work with the private sector . contradictory +but if he forgets i try to to help him remember I try to remind him . entailment +Though there is no documented proof , most Cretans believe that Knosses was the site of the famed battle between Theseus and the Minotaur in the Labryinth below King Minos ' palace . Most Cretans believe that King Minos was a real person . neutral +The Globe has an interview with the 14-year-old boy who at age 12 became the lover of the most reviled teacher in America , Mary Kay LeTourneau . The Globe interviewed a child who has been raped neutral +i can 't remember the last time i saw it i know that um Susan Dey is with Jimmy Smits I stopped watching two years ago because it conflicted with my work schedule . neutral +yeah so i think it would be a good thing though to encourage other people who aren 't even aware that they can do such a thing Encourage others is pointless , we should do it ourselves . contradictory +we started out uh well we were living in Florida at the time and we early in life we discovered that six people all going on vacation gets to be very very expensive Vacations can be expensive when you have a lot of people traveling with you . entailment +oh yeah and i love the water aerobics i love the water aerobics I love water aerobics ! entailment +Mariachi singers and folk dance groups can usually be seen here on weekends . The festivities held on the weekends attract many tourists and local customers . neutral +Our goal is to better serve our client by making GAO more responsive , more flexible - and more focused on our client . Until now , GAO has completely ignored its clients . neutral +But was the coffee poisoned , or was it not ? We do not know if the coffee was poisoned or not . entailment +And all expenses paid ! The costs came to a total of $ 2000 . neutral +uh-huh i 've had some roses out in my backyard too and they 've done real well i was surprised i we had some in Virginia and they were real hard to keep up with but seems like they like the Texas climate better My backyard has roses that have done very well . entailment +Lunch in the leafy , peaceful , sunny courtyard of this famous institution , a former pasha 's palace , is a sheer delight at any time , but the Saturday barbeque ( summer only ) is something special . The summer barbeques at the courtyard are nothing less than divine . entailment +The artefacts displayed in the museum were all unearthed on the spot , and again , the inscriptions are in Spanish only . The displayed in the museum were unearthed on the spot . neutral +Every third person I past seemed to be shivering a little ; suits clung to their portfolios , while scientists hugged clipboards . The air was uncomfortably cold in the room . neutral +But even then , the Thernstroms equivocate . The Thernstroms never equivocate . contradictory +well how do you feel about it How do you feel about that idea ? neutral +'Is that the only reason ? ' There aren 't any reasons . contradictory +Around the country , the picture is similarly bleak , said William Hornsby , staff counsel in the American Bar Association 's division for legal services . William Hornsby feels the picture is bleak around the country . entailment +Apparently , he 's a good guy , one of those players who is great about charities and really into his community . The player completely disregards charities and his local community . contradictory +In a carnivalesque reassigning of roles , he hired a model to sweep away the flies from the decaying meat . He hired a model to sweep the flies off the meat and a butler to keep the yard work up . neutral +House Majority Whip Tom DeLay has a plaque in his office that reads , This could be the day . DeLay looks at his sign every day . neutral +To repeat after his father - Benedykt had everything and couldn 't appreciate it . Benedykt was spoiled . entailment +education and training enhance the knowledge and skills of a nation 's work force-the nation 's human capital Education and training are beneficial to the work force . entailment +It is never wise practice to call the president names in public , even if you 're not a member of Congress , continues Krauthammer . Everyone has a right to make their opinion publicly known . contradictory +Moreover , the U.S. and worldwide ammonia business is struggling because of slumping domestic demand and increased global capacity for the product and other nitrogen fertilizers derived from it , such as urea . There are no substitute for ammonia . contradictory +It may sound harsh , but my advice to you is : Cut your losses . Keep going , your plan is going to work fine . contradictory +Legendary associations aside , however , even this site is of minor interest , except to archaeology buffs . It isn 't just archaeology buffs who would love this site . neutral +And now you stand there without a scar or a drop of blood ! " Hanson grunted feebly . And now you are here without a sign of the wound ? entailment +A confection found only here , Edinburgh rock is a sugar , water , and coloring mixture that is boiled and then cooled on stone slabs before being shaped . Edinburgh rock is a big stone boulder . contradictory +But they didn 't make that case , at least to me . They didn 't prove to me that they were innocent . neutral +Aligned on the government 's side were the Republicans , including liberals , socialists , Communists , and anarchists . Conservatives were vigorously opposed to the government . neutral +You 'll also find skimpy belly-dancing outfits if you want to be daring . You can buy a skimpy belly-dancing outfit if you want to pay a lot of money . neutral +10 Nearly half believed that there are not enough treatment resources to make screening worthwhile . The majority of people thought the screening wouldn 't work . neutral +However , in recent years , internal and external audit reports showed that Centrelink had , to some extent , traded quality for timeliness . Internal audit reports showed that Centrelink had traded quality for timeliness , more so than external reports . neutral +The song A Room with a View , which Coward wrote in 1928 , inspired him to build the house on this spot . Coward in 1928 wrote the song , A Room with a View . entailment +In some cases , the statements have been affected by later statements or affect earlier statements . None of the statements have been affected by later statements , or affect earlier statements . contradictory +Yes , good luck and good bye . Wrong , but hello . contradictory +It is also important to keep in mind the role of the regulator in this process since the public needs to have confidence in the regulators to enforce rules . Public confidence in regulators ' willingness to enforce rules doesn 't matter in the grand scheme of things . contradictory +The main conclusion was : customers don 't want to be happy . It was concluded that customers don 't want to be happy . entailment +Programs begin to establish formal mentoring systems for staff . Programs opted for an informal approach to mentoring staff . contradictory +As noted in section 1 , Americans may choose to save less because they have ready access to credit and have been confident about the future of the U.S. Americans might save less because they have low confidence in the economy . contradictory +Vrenna ? asked San 'doro . San 'doro didn 't bother asking questions . contradictory +The south is dominated by the cosmopolitan island capital , Palma de Mallorca , its handsome bay , and the crowded beaches that splay outward from it . The north is dominated by the national Hispanic capital . neutral +The Valley of the Kings was also chosen as a new burial ground for the Pharaohs when Tuthmoses I ( 1504 1492 b.c. ) was entombed in a narrow valley across the river from the temple at Karnak . The Valley of the Kings was a burial ground for the Pharaohs . entailment +Certainly . Certainly not ! contradictory +As a boy , though , I had often stayed at Styles , his mother 's place in Essex . I loved to stay at his mother 's place . neutral +It focuses on physical , testimonial , documentary , and analytical evidence that is relevant , material , and admissible in criminal and civil proceedings . They could not use the evidence . contradictory +Faith is about the metaphysical world , that world of events , occurrences , and mysteries that by their very nature can never be proved objectively . Faith can be scientifically studied . contradictory +A vibrant city , Paris sets tastes and fashions for France and the world . Both France and the world gets its fashion sensibilities from Paris . entailment +Assuming state size would be a second cut variable , New York ( 1 percent ) , California ( 3 percent ) , Ohio ( 6 percent ) , and Texas ( 15 percent ) could be one group to study , while Kansas ( less than 1 percent ) , Massachusetts , ( 2 percent ) , Oklahoma ( 6 percent ) , and Arizona ( 9 percent ) could form a second group of smaller states . The first group is composed of four states and the second group is four states as well . entailment +um i think that 's all of the power tools we have we um but that 's that 's i think that 's about all they make I think we own almost all of the equipment that they produce . entailment +It seems to me an unnecessary expense to spend many millions of dollars to reduce a few people 's travel time by five minutes . I firmly feel that it is right to spend millions of dollars to cut five minutes off travel time for just a few people . contradictory +She believed that this should be in the recommendation , not just supporting text , because reviewers would want to know how screening and intervention can be implemented into clinical practice when considering grant applications . She believed that this should be in the recommendation entailment +In the art business , old ways die hard . Change is easy in the art business . contradictory +If Madrid played any role in these pivotal events , no record of it remains . If Madrid was involved in the event , there is no record of it because the records were destroyed in a fire . neutral +I took up a telegram to No. 891 the lady was there . I brought the telegram to No. 891 , but no one was there to receive it . contradictory +The first Roman town in Gaul ( a citadel and spa founded in 125 b.c. as Aquae Sextiae ) , Aix-en-Provence today is elegant and cultured , charming and cheerful . Aix-en-Provence is very nice , and was built by Romans . entailment +The game arrived , I played it for a few weeks , and then I put it back up for auction right there on eBay and made back almost all of my money . I bought Madden 16 at Walmart , played it for a few weeks and then sold it on eBay . neutral +Flanders and the river valleys of the Somme and Marne were major battlefields of World War I , and their fields are dotted with memorials and military cemeteries . There are no memorials or military cemeteries in Flanders and the river valleys . contradictory +yeah the way the the way the voice might have worded it it sounded almost mandatory as opposed to elected and i would obviously i mean not obviously but i would be against anything like that being mandatory It sounds like it 's absolutely required . entailment +Get Skintight , by the Donnas ( Lookout ! ) You do not want to get " Skintight " by the Donna 's . contradictory +Let me pre-empt them and go a step further by pointing out a basic question I 've How does a change in the marriage contract affect a couple 's decision about whether to get married in the first place ? How does the contract between these two effect the marriage ? entailment +and things like that but they 're having a lot of problems here because um because they also pay the teachers i think much better than others places in the country They have a lot of problems here but they pay the teachers better than in other areas . entailment +Towering over the sheltered yachting harbor of the Vieux Bassin are tall houses with slate and timber facades . Vieux Bassin has only small houses with wooden roof facades . contradictory +Ca 'daan 's head swam . Ca 'daan 's head was swimming . entailment +With the crumbling of that dome , the course of the stars has been corrupted . The dome remains intact . contradictory +But Johnny 's always been like that . I 've never known Johnny to be like that . contradictory +ENTERTAINMENT There are lots of entertainment options available for kids . neutral +She glanced round hastily to make sure there was no one else in the room , and quickly produced an old sheet of brown paper . She looked around swiftly to ensure nobody was around her . entailment +uh um i think so too I don 't think that 's so . contradictory +No one would deny that the Great Depression and World War II molded one group of people or that Vietnam shaped another . The great depression caused many life changing moments , as did World War II and the Vietnam war . neutral +Herriott , Robert E. Case Study Methods in School How to study real-life examples entailment +At the tip of the Palisadoes is Port Royal . There are many tourist attractions to visit at Port Royal . neutral +it 's it 's too much it and it 's too accessible There is not enough of this hard to get stuff . contradictory +But for most viewers , the varnish remains . The stain remains for most . entailment +Tours of the chateau are self-guided and there are impressive formal gardens and a large park . A complete self-guided tour of the gardens and park of the chateau would take a person a long time . neutral +This interactive journey through the history of the earth takes you back to the moment of the Big Bang . The interactive journey only takes you 10 years back in time . contradictory +yeah well i think you 'd probably have to put me at the at the ten area ten or nine I have gotten better recently , so I would be a ten . neutral +Measuring Real Trends in the United States and International Comparisons . They wanted to see what country performed the best . neutral +John 's voice sounded outside . John was yelling . neutral +Nor am I claiming that Reagan single-handedly produced the result . I 'm not saying Reagan was the only one responsible . entailment +The Admiralty rather choked me off , but Scotland Yard were very civil said they would make inquiries , even sent a man round this morning to get her photograph . The Admiralty did no help at all , but Scotland Yard was promising . entailment +Similarly , the auditor should recommend that the agency take appropriate actions where senior management involvement seems lacking , or where the project organization is unstable and subject to high turnover . the auditor should recommend that the agency take a break from all this shit neutral +right right yeah that 's true but but that 's really the the biggest thing around here is the grocery stores participating you know but The grocery stores are happy to participate . neutral +Meal Times Exercise times . contradictory +Particulate Air Pollution and Chronic Respiratory Disease Environmental Research 62 : 7-13 . Particulate Air Pollution and Chronic Respiratory Disease Environmental is a research from the NYU university . neutral +no oh yeah yeah my husband 's got that available that 's great My husband doesn 't have that actually . contradictory +It was hardly the most enlightened of times , not with the conflict in Indochina rapidly becoming America 's costliest and most divisive war . The Indochina war was easliy won by the U.S. without spending much . contradictory +Legal Services provides lawyers to help them only with civil legalities , such as consumer , family , housing and employment law matters . Legal Services offers accounting as well as hair styling services . contradictory +it 's well written actually and i think there 're going to be more huh It was so poorly written I could not force myself to finish reading it . contradictory +Jon saw the dark blood staining the cloth around the Kal 's waist . Blood was staining the cloth that was wrapped around the Kal 's waist . entailment +Likenesses can be found on canvas , on bronze or plaster medals , or as sculptures . Likenesses can 't be found on anything . contradictory +Tap water can be dechlorinated by deionization , carbon filtration , or the use of sodium thiosulfate . Chlorine cannot be removed from water without turning it into poison . contradictory +i do not quite go along with that but I do not agree , but I will allow it . neutral +Karagez and Hacivat were fellow labourers whose practical jokes incurred the wrath of Sultan Orhan . Karagez and Hacivat were punished by Suktan Orhan for their practical jokes . entailment +What 's that ? I asked , thankful that he had gone away from the subject of how the poison could have been introduced into the coco . I was the one who put the poison in the coco . neutral +The Commission did not identify any other statutes or executive orders imposing requirements relevant to this Report and Order . The commission didn 't identify executive orders for this Report and Order . entailment +In short , its gravitational potential was high and the ship 's Calculator was a run-of-the-mill model not designed to plot landing trajectories at that potential range . The ship 's owners could not afford a better calculator . neutral +Today the islands ' pretty beaches provide the perfect weekend retreat location for the people of Istanbul . Nobody visits the Islands because the beaches are dirty and disgusting . contradictory +( Current Editor Floyd S. Bloom will return to Scripps Research Institute . ) Bloom was a fixture at the Scripps Institute . entailment +Take a left , towards the tiny village of Little Langdale . Left will take you in the direction of Little Langdale . entailment +okay well uh i haven 't heard the forecast for the next for uh coming up for this weekend or next week so i 'm not sure what to expect i can only guess that it 's supposed to be nice I haven 't heard the forecast for the weekend so I 'm not sure what to expect . entailment +EPA avers that it fully considered all of the timely received public comments and its responses to significant comments are either contained in the preamble or included in the public docket . The EPA has a policy of never responding publicly to comments . contradictory +From Agde , take the D51 to Marseillan , another ancient port , initially settled by the Phoenicians . Both Agde and Marseillan are very advanced new ports , equipped with the latest technology . contradictory +military yeah my my husband was in the Navy My husband was in the Navy . entailment +and we didn 't ever call it uh Cokes and such you know we call it soda We call it soda , not Cokes . entailment +It became virtually impossible for Cubans to live on rations alone . Cubans live on rations and federal night . neutral +Our justice system is predicated on the assumption that both parties will be represented by lawyers who act as gatekeepers and guides through a complex legal system that would otherwise be inaccessible to many of us . Our justice system assumes everyone has a good lawyer . entailment +yeah that 's i don 't think it 's the kind of thing for anybody i know i wouldn 't be able to watch it I would not like to watch that . entailment +According to a VA official , VA 's section 605 ( b ) certification was not provided separately to the Small Business Administration ( SBA ) Chief Counsel for Advocacy . The certification wasn 't given separately to the SBA because it must be included with the other materials . neutral +Additionally , we have not quantified a number of known or suspected health effects linked with PM and ozone for which appropriate concentration-response functions are not available or which do not provide easily interpretable outcomes ( i.e. The outcomes arent easily put into a table . neutral +A few kilometers farther south you 'll come upon Surprise View , a lookout that offers a panoramic vista of Derwent Water with Bassenthwaite Lake in the distance . Surprise view is located few kilometer north from here . contradictory +We all knowed he was comin ' . We all had heard that he was coming . neutral +These principles guided the organizations ' efforts to manage the risk associated with the increasingly automated and interconnected environment in which they functioned . There were no risks associated with an automated environment . contradictory +but like i say it just kind of becomes a habit and it 's if if you don 't break that cycle very often then you keep doing it The habit is very repetitive , and a conscious effort needs to be made to break it . entailment +Key duties and responsibilities need to be divided or segregated among different people to reduce the risk of error or fraud . Key duties and responsibilities don 't need to be divided contradictory +A big-time bout at one of the three resorts that handle most of the action the MGM Grand invariably draws a crowd heavy with celebrities . Some celebrities choose one of the other resorts in order to avoid the MCM Grand crowd . neutral +An awareness of these potential users ' interests and influence can help auditors understand why the program operates the way it does . The interests of the users does not influence the design of the program . contradictory +'Well , ' White finally said , after an hour or so . White did not respond right away . entailment +He makes equally scathing fun of white people and black people , says Newsweek ' s Rick Marin . Rick Marin states that he has equal ability to make fun of blacks and whites . entailment +The big man , face puffy from Jon 's beatings , dropped the broken spear and drew a heavy slaughtering knife . The big man , winded and wounded by Jon , dropped his spear and drew a heavy knife , stepping back to give himself a better position to strike . neutral +so it 's an investment but it 's something that you know when you 're first married or starting out you think if you really have something but you really it 's just real nowadays with the way income tax i think housing is strictly to itemize Consider housing to be an investment -- particularly when you see how it affects your income tax . entailment +Now the Plaza de la Independencia , in which the arch stands , is a bedlam of midtown traffic and gateway to newer barrios east . There is a law that prohibits circulation near the historical buildings . contradictory +A series of caravanserais ( rooming houses for the camel caravans that were the main method of transporting goods ) , or khans as they were known in Egypt during the Fatimid era , were built here by Emir El-Khalili , giving the market its name . The Khans were named after Emir , although not formally given this name until much after his death . neutral +um well i tell you what i think that uh you know this may this may be a cause rather the actual topic but uh i think that a lot of this is caused by the steady diet of violence they seem to It think it is caused by all of the violence they see but my husband disagrees . neutral +Is it coercive for people with supervisory authority to ask workers how they plan to vote , or for management to give anti-union speeches on company time ? Can those in management positions ask who their employees voted for ? entailment +Where feasible , these areas were addressed or clarified in the final standards in this Statement . No areas were addressed or clarified in the final standards in the Statement . contradictory +The major island in the group is Rhodes ( covered in its own Berlitz Pocket Guide ) , but others include Kos and Patmos . Kos , Patmos , and Rhosed are major islands in the group . entailment +He came forward . He moved forward . entailment +The original , dating from 500 b.c. and now housed in Madrid 's Archaeological Museum , remains something of a puzzle almost a hundred years after it came to light . The original is housed in the New York Institute of Art . contradictory +Two wide bays offer natural harbors , and tiny Navy Island sits just offshore . The natural harbors are a popular location for fisherman . neutral +I do not believe that . I think that 's a good idea . contradictory +For those hoping to go from the sublime to the sinister , the palace prisons , neat and tidy today along their narrow corridor , become all too romantic with their 17th-century Baroque Bridge of Sighs ( Ponte dei Sospiri ) . The palace didn 't have prisons , as those were down the road . contradictory +I trust you . I trust you with my life . neutral +This makes Pundit Central quite anxious , since reviewing the commentariat is his job . The Pundit Central will be abolished in due time . contradictory +Reliability , in turn , includes the completeness and accuracy of the data . Reliability includes how accurate the final count of participants is . neutral +I spent a good hour combing the debris , keeping every appearance of a man searching for evidence . I went through the rubble . entailment +Indiscretion : Adultery . Adultery may not always be an indiscretion . neutral +Most famous is the striking 74-story I.M. Pei Bank of China Tower , not beloved by the people of Hong Kong its triangular prisms and sharp angles violate the principles of feng shui ( see box , page 68 ) and its radio masts stick up like an insect 's antennae . The I.M. Pei Bank of China tower stands tall at over seventy stories . entailment +yeah well down payment is a tough problem i guess The payment is easy . contradictory +As discussed above , based on recent preliminary findings from the Health Effects Institute , the magnitude of mortality from shorttern exposure ( Alternative Estimate ) and hospital / ER admissions estimates ( both estimates ) may be either under or overestimated by an uncertain amount . The magnitude of morality is never underestimated . contradictory +The good The country might be angry enough to rise up against the military . If there is enough anger , the country could rise up against universities . contradictory +The attribute value-added reflects a belief that the activity cannot be eliminated without reducing the quantity , responsiveness , or quality of output required by a customer or organization . The activity must continue in order to not reduce quantity or quality . entailment +Many aliens who cannot afford health care in the United States travel to Mexico for needed medical treatment . Many illegal immigrants in the US travel to Mexico for necessary healthcare . entailment +This performance contains one other oddity worth noting . There is nothing odd or noteworthy about this performance . contradictory +The start of asset inflation in the 1980s led to the bubble economy , with anyone owning land becoming richer by the minute . The bubble economy was loved by landlords and hated by residents . neutral +Newspapers , on the other hand , have the advantage of charging lower prices . Newspapers are unable to bring down the unbelievably high prices . contradictory +Driving in the central city , within a few miles of Downtown , one passes the neighborhoods of Charleston Heights and the Huntridge , where plaster-walled and wood-floored houses reign , often still occupied by the original residents . Many houses in the central city are not up to modern code and risk accruing fines . neutral +Of course , said Bork , who appears as a regular cast member in those situation comedies that pass as talk shows every night , vigorously extolling the virtues and honesty of Judge Starr . Bork is known as a regular cast member in a night-time talk show . entailment +10 Based on total world urea trade , increased demand due to a multipollutant regulation would be well under 2 percent of world trade if all SCRs used urea rather than ammonia . Demand for urea has decreased worldwide . contradictory +GAO supports congressional oversight in several ways . The congressional oversight is supported by GAO . entailment +Particularly noteworthy are the ornately French Edificio Metr ? ? polis , at the junction of Alcal ? ¡ , and the Palacio de la M ? ? sica . The Edificio Metr ? ? polis is simple and Spanish . contradictory +if anyone has ever been involved in that some days it 's fun and some days you wonder why you 're even bothering because your fighting for your life but i am a fighter and i 've always been a disciplinarian This person could be a schoolteacher . neutral +For additional information on our objectives , scope , and methodology , see appendix I. Appendix I has information on the scope and objectives we used . entailment +The consensus prediction is that this would jeopardize Hillary 's senatorial ambitions . The majority decided that Hillary would do everything she wanted contradictory +do you feel like you 're really saving anything i mean I mean , do you feel like you are actually saving anything ? entailment +They 'll take care to get him out of the way at the right minute . They will be prepared to get him out of the way at the right time . entailment +uh-huh and we were going to do it there was four of us together well then forget that it wasn 't near me We had planned on the four of us doing it together , but it just wasn 't close enough for me . entailment +put that system that everybody would think is fair as far as being taxed you know i guess in Texas with uh we live here also The system is fair and everybody thinks so . contradictory +What 's different about the late 1990s ' version ? What is not the same about the 1990 's version ? entailment +However , a Harvard study showed that the covering residents made serious mistakes six times more often than even fatigued residents . Covering residents were unaware of the Harvard study while it was being done . neutral +uh they were massive i mean you could stand on one side of the street and not see buildings across the street The buildings across were all yellow and pink . neutral +This ancient woodland of mixed deciduous and coniferous trees provided a source of fuel for the furnaces of the charcoal industry and the bobbin mills . Charcoal was a boom industry at the time . neutral +Who knows what it did to these monsters . We have no idea what it did to these monsters . entailment +yeah well i 've never been there i 'm not quite familiar with with uh the way they do things I 've never been to France so I 'm not familiar with the way they do things neutral +As relevant for our purposes , the court addressed respondents ' challenges to the restrictions in a504 ( a ) ( 16 ) . The court provided us with no relevant information . contradictory +With skyscrapers shooting up almost every month , Mumbai is the busiest industrial and commercial center in India cars , textiles , chemicals , nuclear energy , and shipping and a focus for the cinema and the renewal of Indian art . Mumbai is under heavy construction as it expands . entailment +I suppose it is the sample of coco . It might be the sample of coco . entailment +The Bulls were winning by 11 points , but the Bullets were hanging tough . The Bulls were in the lead but the Bullets weren 't giving up . entailment +Although the evidence is not conclusive , it confirms the hypothesis . The evidence confirmed that the hypothesis was correct . entailment +He would sell them for money , sí , probably much money . He would make a good profit and then disappear . neutral +um that 's got to be a a grim uh supper topic there That is a dark dinner topic . entailment +The World Is Not Enough , Brosnan brings the right Flemingesque irritation to the opening chase . The opening chase of The World is Not Enough has the right Flemingesque irritation . entailment +so that part 's one problem i i wonder about the whole CFC issue i 've i 've read some papers from some some scientist that don 't get published that well because of their opposition to that saying that they 're really not sure that the CFC 's are the main problem yes we have a ozone problem but is it I like reading papers by scientist that are not mainstream . neutral +An article hypes the Hale-Bopp comet , which will be visible for the next month , as the best celestial show in decades . The Hale-Bopp comet can be seen for the next month . entailment +well there is always the uh the possibility even remote as it is of uh of mistaken uh of There is always a possibility , however remote , that they will appeal it . neutral +The Four Courts was designed by James Gandon in 1785 after the death of the original architect . James Gandon was involved in the death of the original architect . neutral +we had uh a week ago they had golf ball size hail coming down in one part of the uh of the city of Dayton itself Last week there was hail the size of a golf ball in part of Dayton . entailment +The forum led to the creation of the Justice Action Group , staffed by the State Bar Association and chaired by U.S. The State Bar Association saw that there was a service that could be offered to the public when it chose to staff the Justice Action Group . neutral +i think the Royals will do okay they have they have several pitchers that had badly years last year and they are they 're these uh cycle pitchers they they pitch one year bad one year good one beer bad one year good Saberhagen has won uh supposedly the Cy i think he won Cy year uh two out of three years and uh you know so he 's very much due for a good year The Royals could probably win the title this season . neutral +yeah it it obviously is not a DC you know It resembles DC a lot . contradictory +The straightforward chronological order and detailed explanations of the workshop system of the time , coupled with the high caliber of the art , makes for a show that is both intellectually stimulating and unexpectedly poignant ( Mark Stevens , New York ) . This dazzling show of strength is a testament to the unrivalled genius of the Netherlandish artists who invented the oil paint medium ( Holland Cotter , the New York Times ) . ( Find out more about the exhibition . ) The Netherlandish artists are only known for their drama and plays . contradictory +Wine lovers flock each year to this northernmost of France 's wine-producing regions , where a unique combination of geology , topography , and climate has produced the world 's most celebrated wine . The world 's most critically-acclaimed wine is produced in France . entailment +No one believed the stories until we saw them . We knew the newspaper stories were all accurate . neutral +that 's what i 'm saying you know i i think it 's great that women have a choice today I think it 's great that in the present time , women have a choice entailment +yeah yeah i mean uh yeah well as far as that goes yeah i mean you wouldn 't like to see anybody anything happen to anybody but it was just how she got so caught up her emotions She was fine and her emotions were in check . contradictory +She hereby promises to keep Culturebox itself MacDonald-free--at least for the time being . She promised MacDonald a spot at Culturebox . contradictory +A total of 31 program representatives attended , and every statewide program was represented with the exception of Idaho , whose executive director and senior management were unable to attend . Idaho was the only statewide program that was not represented . entailment +In contrast , some older power plants , built before certain Federal performance standards were put into place , are still operating without modern pollution control equipment for some emissions . The older power plants contravene the current performance standards . entailment +The caliph El-Walid built the El-Aksa Mosque as the Temple Mount 's great place of prayer in approximately 715 . El-Walid wanted Muslims to have the freedom of religion . neutral +There have always been such columns connecting the world and the sky . The columns are necessary . neutral +You don 't get such books unless you 're at least of student rating . He sighed , then shrugged . You will need a student ID to get such books . neutral +In 1979 the JLP came back to power following a campaign that saw the deaths of several hundred people . Hundreds of people died as a result of the campaign that brought the JLP back to power . entailment +right that 's interesting Right , that is fascinating . entailment +The provider ? The end user ? contradictory +What do I owe you more 'n the thanks of a mighty tired man you 've turned out brand new again ? He smiled and was suddenly all boy . I owe you absolutely nothing and you 've made me feel worse . contradictory +oh um i was tested uh within my company i think it 's it 's it 's kind of a push to uh weed out drugs in states and because i don 't know of any other countries that are doing this I have never had a drug test at my company . contradictory +uh realistically realistically i yes i don 't see the the Panama Canal that hasn 't had a whole lot of usefulness to us recently since it 's not not really big enough to uh accommodate the the shipping that it once did and uh maybe it would be better that we let the Panamanians run it however i think we 're certainly justified in uh our actions dealing with uh Noriega in this In order to make the Panama Canal useful again , reconstruction would have to be done to the canal to accommodate for large shipments . neutral +Critics praise her eclectic style--funk , blues , soul , and dance--and dwell on her racy lyrics . Her lyrics are never racy , and critics have never had anything to say about her . contradictory +OMB has provided guidance since 1985 in its Circular A130 , Appendix III , Security of Federal Automated Information Resources , which was updated in February 1996 . The Circular was widely regarded as one of the finest pieces of literature produced by the OMB that year . neutral +At a slightly disadvantageous rate , you can exchange foreign currency or traveler 's checks for franc chips . You can exchange foreign currency for francs . entailment +Selana had fallen in love with him as he rebuilt the town and helped clear the collapsed mines . Selena loved what he had done . entailment +Acquisitions are not necessarily mistakes . Acquisitions are done intentionally by executives . neutral +When he defeated Bond , it was more than just a victory for himself . Defeating Bond was a failure for himself and others . contradictory +There is a natural greenhouse effect that contributes to warming . Warming is contributed to be a greenhouse effect . entailment +Other forms of communication include periodic meetings with an agency 's leadership and executives and specific communications with an agency pertaining to planned and ongoing work . Some forms of communication include regular meetings with an agency 's leadership . entailment +It made Adrin and Ca 'daan both jump . When it made Adrin and Ca 'daan jump , they clung together from fright . neutral +We conclude that a reading of the statute that would bar representation of an H-2A worker based on the fact that he or she has left the United States would leave H-2A workers without meaningful representation on their employment contract claims , directly contrary to Congress ' express purpose , and we decline to sanction such a result . We do not want to sanction a result like that . entailment +An outstanding selection of sculpture from India and Southeast Asia spanning a period of 2,000 years is a perfect complement to the Western art . There is currently only a small array of African sculptures from the 19th century . contradictory +He wasn 't surprised to see me , of course . He wasn 't surprised that I was standing in the doorway . neutral +well they send you a free bus ticket and i use it I used the free bus ticket they send me . entailment +In the 1980s , the focus of the abortion controversy shifted to the relative rights of the prospective mother and her potential offspring . People stopped discussing abortion . contradictory +Mosaics inside a small chapel are of the finest quality and show scenes of the life of Christ . The beautiful mosaics are made from glass shards . neutral +Notice that , except at the airport , no tax-free or duty-free signs are allowed in Singapore , since this advantage applies all over the island . Singapore is a tax and duty free island . entailment +There are restaurants and a Starbuck 's in the basement , and you can access the raised pedestrian crosealk from the escalators on the ground floor . You can get to the escalators by first climbing a set of stairs . contradictory +Since 1931 , when gambling was officially legalized in Nevada after 22 years of prohibition , it has been used to promote the city to travelers . Gambling was prohibited in Nevada for 22 years and was made legal in 1931 . entailment +yeah the Europeans think that you 're baby is boiling over Europeans are correct . neutral +In the 16th century , a strong city wall now almost completely destroyed protected the population . The city wall protected the city from the VIking onslaught . neutral +Near the pleasant seaside village of Sainte-Anne farther east is what is generally considered to be Guadeloupe 's best beach . There are a number of pleasant beaches around Guadeloupe . neutral +To use the Bush-appropriate metaphor , he 's like a hitter facing a tough pitcher . He seems like a hitter facing a tough pitcher , if we want to use a Nixon-appropriate metaphor . contradictory +does your son work for TI TI is a leading innovator in high school calculators . neutral +What 's the most important thing in circuses ? " What is the least important part of the circus ? contradictory +But no political campaign is worth sacrificing our principles . We can let go of our principles in this campaign . contradictory +This review will examine the rationale for intervening , types of interventions and interveners , and barriers and concerns that need to be addressed . This review is meant to examine reasons for intervention , methods of intervention , those who would intervene , and any outlying concerns or obstacles that need to be thought of . entailment +The Form and Content of these statements are determined by OMB . The OMB has always done an excellent job of vetting the statements for content and form . neutral +Crushed Limestone Sold or Used By U.S. Intact Limestone formations are not for sale . contradictory +yeah because really if you have a good curriculum That 's true if you have a great curriculum . entailment +Man does not live by Social Security privatization alone . Social Security privatization is almost enough for man to live by . neutral +So here is where I am left . I am left here . entailment +Nor ' Loch was drained ( creating land for today 's Princes Street Gardens ) , and the Mound was constructed to provide a second , westerly access between the two settlements . The creation of this access way lead to more trading and travel between the settlement . neutral +hopefully I highly doubt this . contradictory +Improper payments include inadvertent errors , such as duplicate payments and miscalculations ; payments for unsupported or inadequately supported claims ; payments for services not rendered ; payments to ineligible beneficiaries ; and payments resulting from outright fraud and abuse by program participants and / or federal employees . Incorrect or improper payments have inadvertent errors included . entailment +The next morning , I woke up quite early and went to see Greuze . I woke up early to go and see Greuze in the hospital . neutral +Families with children ' even those unfamiliar with the comic-book character and his Gallic resistance to the Roman invaders ' will enjoy a change of pace and a day visit to this theme park . Many families will enjoy the change of pace , even if they do not know the comic-book character . entailment +I don 't mind admitting that for once you 've scored handsomely . I am sad that you did very well . contradictory +At the Equal Justice Conference ( EJC ) held in March 2001 in San Diego , LSC and the Project for the Future of Equal Justice held the second Case Management Software pre-conference . The EJC was held in March 2001 . entailment +The other one , I don 't remember . " I cannot recall . entailment +she 's ready to get off into it but you know i like i just like getting out being in the outdoors and i 'm a hunter and a fisher anyway but you know i i you know at least i can get out and play a few hours of golf and My wife is starting to like spending time outdoors . neutral +Rock goes beyond Eddie [ Murphy ] , beyond liberal guilt . Rock stays on the topics of Eddie Murphy and liberal guilt . contradictory +How do you like the country , eh ? What do you think about the country ? entailment +This colonial carve-up partitioned the Malay world through the Melaka Straits . This carve up of the Malay world partitioned it through the Melaka Straits . entailment +maybe hotter but Maybe it is hotter but it doesn 't feel like it , neutral +yeah and it tastes pretty much i mean i like the way it it taste good and it 's fast i like that too The taste and the speed are what I like . entailment +( Also see separate definition of insurance and guarantees ) . They wanted to make sure the reader had a full understanding of the terms . neutral +At the MGM Grand Adventure Theme Park ( Tel . 702 / 891-7777 ; open spring and summer only ) , visitors can raft a small river , take a 200-ft ( 61-m ) freefall from the Sky Screamer , watch a colorful sea battle , or chat with strolling MGM characters . The MGM Grand Adventure Theme Park is only open in the fall . contradictory +You can choose from a wide range of Turkish reds , whites , roses , and sparkling wines at very reasonable prices . There are no Turkish wines at an affordable cost . contradictory +Thick , luxuriant moss thrives throughout . Beautiful moss thrives everywhere . entailment +In focusing the show almost entirely on technique , the organizers of Beyond Impressionism have followed the lead of Degas himself , who steadily eliminated from his work any reference to contemporary life , preferring an artificial world of studio props and pliable models . Beyond Impressionism organizers focused the show almost completely on technique . entailment +Legal assistance for battered women is hard to come by . Battered women are often too afraid to seek the help of lawyers . neutral +But risking holiday sentimentality ( with the ready-made excuse that it 's just the chestnut stuffing talking ) , I 'd like to mention some things I 'm thankful for , like Tim Carvell 's two ( ! ) responses involving pushing people or poultry out of airplanes ; Jennifer Miller 's two ( ! ) bits of self-revelation about her dark and ferocious inner life and apartment ; Larry Amaros ' determination that the Olsen twins wander parched and frightened , not merely in the Serengeti but during the dry season . I really like holidays , they are the best time of the year for me , especially since I 'm thankful for some things after they are over . neutral +As figure 2.1 shows , gross national saving rebounded . Reboundment of gross national saving happened many years ago . neutral +Short-term visitors may have to settle for the condensed highlights , perhaps in a hectic couple of hours . The short-term visitors aren 't happy with their hectic condensed highlights . neutral +Last December , three cognitive psychologists at the University of Rochester played two-minute audiotapes consisting of short nonsense words ( such as bidakupado ) for a group of 8-month-old babies . Three psychologists worked with teenagers to test a hypothesis . contradictory +The blackguard ! I cried indignantly . I had spotted the blackguard out of the corner of my eye and felt the need to warn everyone around , shouting out " The Blackguard ! " . neutral +One way to compete is to bring the strengths of the private sector in-house . One way to compete is to bring the weaknesses of the private sector contradictory +Among the reasons offered for Japan 's lengthy slowdown is poor investment choices due in part to its less developed financial markets in which savers had fewer options and were left with low returns . Japan has the highest per capita investment rate of any country . contradictory +Longabaugh wondered whether the intended consumers of the document would include government officials , researchers , practitioners , and academicians . Researchers and academicians were not among the intended consumers . neutral +That 's what it says , and that 's what happens . " He paused , letting the fact that he meant it sink in . He meant it when he said " that 's what it says " . entailment +Opposite the Sha Tin railway station , New Town Plaza features shops , cinemas , and even a computer-controlled musical fountain . There aren 't any stores at the New Town Plaza . contradictory +yeah we went swimming one time in the whole week that we were there and the rest of the time we stayed in the pool We only went swimming seven times . contradictory +and i can name a few more i just can 't think of their names right off hand There are other examples . entailment +With them came the Catholic missionaries , who found the best subjects for their teachings among the low-caste Hindus . The catholic missionaries came with them , looking for the best students to teach from the lowest cast Hindus . entailment +In Notting Hill , Roberts takes rejection with a frozen smile . Roberts accepts his rejection in Notting Hill . neutral +well there 's a tremendous amount of money alright There 's a lot of cash . entailment +She leant towards me eagerly . She least towards me . entailment +yeah i 'll tell you in the state of Rhode Island it was so bad that the intake center that they have to house the the criminals before they go to the uh penitentiaries and stuff um were overcrowded and the judge fined the state thousands of dollars a day A judge in Rhode Island fined the state because the prisons were so overcrowded . entailment +Net so - $ 92 , though I 'm still waiting for the Slotland check , too . I am completely broke until I get paid by Slotland . neutral +This may mean you 'll have to help with nets or traps , an instructive experience . You might learn something by helping with nets and traps . entailment +Burly to a tee , these men had the look of predators . The men were muscular . entailment +Especially when we all want the same thing . None of us want the same thing . contradictory +Once flight capabilities are established and demonstrated in a motion picture , they must be used consistently and logically throughout , without regard to the convenience of the filmmakers . Many filmmakers take the easy route of using unrealistic special effects to convey flight . neutral +Should we just muster our courage and invite them over , or should we invite them for dinner / drinks at a restaurant ? Do we invite them over or should we go out and eat at the cheapest place we can find ? neutral +We note , in particular , our support of the OIG 's work to strengthen LSC recipients ' compliance efforts and Case Service Reporting , which has resulted in increased accuracy in the documentation of the performance of LSC recipients . The OIG 's main goal is to strengthen LSC recipients ' Case Service Reporting . neutral +Among them is Playa Cavallet , which is officially reserved for nude bathing . Playa Cavallet is an area where nude bathing is not allowed . contradictory +Politics has become entertainment , a political consultant shrugged to the Associated Press . The Associated Press approached a political consultant for an interview . neutral +I suppose it 's a measure of how far we 've come that IBM just issued a press release , though it would have been stirring to see CEO Lou Gerstner storm into the Exchange Tuesday to start buying up shares . IBM just issued a press release . entailment +She pointed out that even ongoing programs have been re-scrutinized and required to make protocol changes . The current protocol has been subject to heavy criticism and been subject to revamping . entailment +Elaborate carvings on the walls of both buildings depict Amenophis making offerings to the gods in thanks for his divine power . Amenophis did not ever praise the gods . contradictory +With the passing of each year , the Space Needle looks more and more like a prop from a bad science-fiction movie . As time goes on , the Space Needle is becoming more and more dated entailment +When he finished , no one spoke . No one said anything when he was done . entailment +The basic program represents individuals on cases involving labor , housing and claims for public benefits . The program is for banking assistance . contradictory +( Though some diehard libertarians will object that the prosperity is an illusion , because governments that have been empowered to make us more prosperous will inevitably abuse that power to our detriment . ) Some libertarians disagree that prosperity is an illusion because they have money . neutral +uh and it was great Steven the only thing that Steven didn 't like that 's my son was uh you know they had those dancing bears and stuff it scared him to death My son Steven loved dancing with the bears there . contradictory +She erases distinctions--besides apples and oranges , she 's mixing peaches , pickles , and prunes . Peaches , Pickles and Prunes are all fruit . entailment +and uh my back Also , my back and my stomach . neutral +The official Versailles Web site ( & lt ; www.chateauversailles.fr & gt ; ) is well-organized and full of useful information . It 's very hard to find what you need the official web site of the Versailles . contradictory +The inner sanctum of the temple was aligned so that the first rays of the sun on 21 February and 21 October would fall on the sacred barque deposited here and on the statues of four gods ( Ptah , Amun , Ramses II , and Ra-Herekhty ) , though scholars are still not sure what was so propitious about these dates . No sunshine ever got into the inner sanctum of the temple . contradictory +And when money is at issue , there is no contest . There is no contest over money issues . entailment +Other classical sites lay below Iraklion near the south coast . You can find classical sites underneath Iraklion towards the south coast . entailment +Don 't miss the neatly white-washed church with a pale blue ceiling above its cool interior . The church is a hotspot for locals and tourists alike . neutral +Calls herself Vandemeyer . She goes by other names as well . neutral +Tune out the suggestions of these amateur shrinks . These novice shrinks aren 't worth listening to and should be ignored by all . neutral +We reported in February 1998 that IRS had not clearly defined system modernization phases , nor had it adequately specified organizational roles , making it unclear who was to do what . IRS had done it inentionally , to allow lobbying for corporations . neutral +While they had been together she had never questioned it for a minute . She wholeheartedly believed in it while they were together . entailment +Dumping their tax-deductible loot by the millions , the corporations ( Archer Daniels Midland , GE , Mobil , Exxon , Chevron , Dupont , Metropolitan Life ) encouraged the sort of shows only a member of the Business Roundtable could centrist news programs , conservative talk shows , Wall Street advice shows , lions-of-the-Serengeti documentaries , and historical dramas that set all human conflict in late-19 th -century England . Companies dumped their tax-deductible loot by the millions . entailment +In the sky , a small hole appeared . A small hole appeared in the ground . contradictory +it looks just like orchids in different colors that 's what they look like They look like sunflowers in different colors . contradictory +Alan Greenspan 's laxity is encouraging speculative excesses . Greenspan is so tightlipped that no one speculates . contradictory +Prior to implementing sampling procedures , a sampling plan should be developed . Plans should be written through trial and error testing . contradictory +At the head of the Gulf of Ajaccio , Napoleon 's birthplace is the liveliest of Corsican towns , but tourists impatient to get out to the seaside resorts are usually content with a stroll around the port and a pilgrimage to the Maison Bonaparte ( Rue Saint-Charles ) . The city in which Napoleon was born is the most lively in Corsica . entailment +Under terms of the cease-fire , Israeli forces were allowed to remain in position on Mount Scopus , resupplied once a month by a United Nations convoy of food and medicine . After the cease-fire , Israeli soldiers were able to stay on Mount Scopus and receive supplies once a month by the United Nations . entailment +It was published in the Federal Register as a final rule on January 15 , 1998 . It was published as a final rule in January of 1998 . entailment +You can build an appetite for dinner by making your way from the beach to the restaurant . Going to the restaurant from the beach can build you an appetite . entailment +The other item that must be located is the reagent storage system . The storage system is a vital part of the overall system . neutral +Recommendation follow-up is a shared GAO and agency responsibility . No agencies recommend a follow-up . contradictory +so that so then that she that was when she got moved from the first one to the second one where she was given penicillin It was decided that she could not be moved from the first one , so she stayed there forever . contradictory +The primary goal of this gathering was to address issues generated by LSC 's State Planning Initiative and resulting mergers . The primary goal was to address issues generated by the planing initiative . entailment +When Clinton sent troops to Haiti over GOP objections , Republicans voted for a resolution declaring that Clinton should have sought congressional support . Republicans were pleased with Clinton after he sent troops to Haiti . contradictory +The Right Bank still conjures up an image of solid bourgeois respectability . The Right Bank is considered to be relatively bourgeois . entailment +But critics can rest assured that Pokemon won 't last . Pokémon will only be around for a few months , then fade , like everything else . neutral +Instead , they have written the story of a failure , albeit one with important consequences for the industry today . They have written a story of failure . entailment +Across the Paseo del Prado is the Museo Thyssen-Bornemizsa , a recent addition to Madrid 's already impressive art collections housed in the Palacio de Villahermosa . The Palacio de Villahermosa houses several impressive art collections . entailment +What did he think ? " I know that he thought it was great . contradictory +Also note that Japanese VCRs and TVs are designed for NTSC , the same broadcast system used in North America . North American broadcast systems don 't work with Japanese VCRs and TVs . contradictory +They offer insight into the massive wealth amassed by the tin magnates during their heyday . During tin magnates heyday , they amassed massive wealth . entailment +Don 't never judge no hoss by his coat an ' curryin ' , Anse retorted . Don 't ever judge somebody by the outside , Anse snapped back . entailment +yeah you haven 't You have not , right . entailment +Since Restoration comedy , the normative couple--he the rake and she the one who will never , ever agree to marry anyone--find themselves in society ( office structure ) at the highest levels and must prove themselves to one another by being bright , competent , and able to handle lesser people in their circle . The couple was demoted to a lower status after the woman changed her mind and wanted to get married . contradictory +into the system i thought that would be good experience for me and i 've applied at another district where many of the children are Asian I do not apply to districts that have children . contradictory +Just an idea of mine . This isn 't my idea contradictory +uh-huh that 's true that 's true yeah That 's right . entailment +By the way , the LAT story cannot just refer to the World Wide Web--oh no , it has to explain that this is a popular Internet graphical network , encompassing some 62 million Americans , that is revolutionizing business and education . The story had to go into further details about the internet . entailment +The experience of stagflation--the combination of inflation and unemployment--badly damaged the prestige of economists in general and macroeconomics in particular , even though it was not that much of a theoretical surprise . Many people began to distrust the economists as a result of the government 's actions . neutral +Air quality modelers and researchers have responded to the need for scientifically valid and reliable estimates of air quality changes by developing a number of sophisticated atmospheric dispersion and transformation models . Lobbyists are claiming that air quality modelers and researchers have failed to respond to the need for scientifically valid and reliable estimates of air quality changes . contradictory +I ” I ” may have done so . I didn 't do it . contradictory +The organizations viewed information security policies as the foundation of their information security programs and the basis for adopting specific procedures and technical controls . Those organizations seem to be clueless when it comes to security policies and correct procedures to follow . contradictory +no love for the Broncos but i 've lived in uh I prefer another team . neutral +The reality is we have to make the transition step by step , Dudovitz said . We have to make transition step by step entailment +If traditionalists sometimes sound bitter , it should not be something at which to From being called all sorts of unpleasant names , to overt discrimination , public humiliation , and ostracism , traditional Catholics have every reason to distrust and dislike the Vatican II apparatus . Catholics have absolutely no reason to be bitter and distrust the Vatican . contradictory +Some places are so boring that that 's what 's comically interesting about Peoria , Encino , Cleveland . Peoria , Encino , and Cleveland are so boring that they are interesting . entailment +i believe it yeah yeah i can i can i can believe that yeah i i don 't claim to have an in-depth understanding by any means but uh I know everything there is to know about that . contradictory +But most current agents are career military men , and the conventional wisdom is that they 're less intelligent and creative than their predecessors . Conventional wisdom is that military men are more intelligent than their predecessors . contradictory +Of course , some ED patients may spontaneously volunteer information about drinking . None of the patients ever voluntarily offer up information on drinking . contradictory +Boxing officials ordered a rematch of the March 13 heavyweight championship fight between Evander Holyfield and Lennox Lewis . Fans and sports writers are in an uproar because the judges called the fight a draw--despite a huge disparity of punches in Lewis ' favor and the widespread perception of spectators that Lewis won . Evander Holyfield won the heavyweight championship fight against Lennox Lewis on March 13th . contradictory +you know the in in Germany it would probably be alright if you put it on that autobahn This would be terrible on the Autobahn . contradictory +Organizations must ( 1 ) involve their stakeholders ; ( 2 ) assess their internal and external environments ; and ( 3 ) align their activities , core processes , and resources to support mission-related outcomes . Organizations must support mission related outcomes . entailment +And both the Globe and the Enquirer note Rogers ' most famous I never met a man I didn 't like . No one uses that old quote anymore . contradictory +Improvements in the reliability of a product 's design can be measured by tracking a key reliability metric over time . Improving product design reliability cannot be accurately measure . contradictory +That determination was not discussed in the briefs of either party or otherwise contested here , and in the exercise of our discretion and prudential judgment we decline to address it . None of the briefs provided by either parties mentioned this determination . entailment +but uh i 've heard the scenery is real good in it yeah I have heard that it has expansive scenery of gorgeous mountains . neutral +There was a scream of displaced air , and something went zipping downwards in front of them , setting up a wind that bounced the carpet about crazily . The carpet sailed through the air smoothly . contradictory +um yeah i think we realize it 's failed we just don 't we just don 't nobody wants to make the nobody wants to make the uh unpopular decision of going in and invading Eventually we 'll have no choice . neutral +'Do you think I 'd make a good leader ? ' Do you think I would be a good president ? neutral +No , said Cohen , but Milosevic is going to find that his military forces are systematically being diminished at a time when the KLA will come back , since it is getting money and support and some arms from other countries , no doubt . Milosevic 's military is losing strength . entailment +They arrived with maids and trunks , and often stayed for months . The maids were working without their will . neutral +The answer , of course , is that we work so hard because we are determined to get ahead--an effort that ( for Americans as a society ) is doomed to failure , because competition for status is a zero-sum game . We work so hard because we are determined to get ahead . entailment +The final and most beguiling aspect of Israel 's Kosovo ambivalence is Holocaust remembrance but of a different sort . Israel 's Kosovo ambivalence has nothing to do with the Holocaust . contradictory +Czesiek took care of the development of the software , which for now they named ' John of the Disc ' . They called the software ' John of the Disc ' . entailment +Analysts credited the victory to a near-totalitarian patronage system . Analysts said the near-totalitarian patronage system made the win possible . entailment +The groups focused their efforts on increasing everyone 's understanding of the risks associated with the organization 's information and the related policies and controls in place to mitigate those risks . It was decided that the groups could make no impact on awareness of risks , so , instead , they focused on mitigating risks directly . contradictory +I rehung it on the wall , put the magazine back in my coat pocket , and crept back to bed . I got back on bed with the magazine in my coat pocket . entailment +The Commission 's procedural rules governing proposed changes in the mail classification schedule are contained in Subpart C of title 39 of the Code of Federal Regulations . Subpart C of title 39 is the longest part of the Code of Federal Regulations . neutral +Derry kept them soaped and scrubbed . Derry kept them soapy . entailment +( Reagan unconsciously seconded this judgment at the 1988 Republican convention when , botching a quote from John Adams , he declared , Facts are stupid things . Reagan botched a quote from John Adams . entailment +so i don 't have to fool with any of it no I have to keep messing with it . contradictory +different computational problems . Various problems regarding pastry . contradictory +At its far end a scrub-filled depression marks the site of the former harbour , long since silted up . The harbor is as large and open today as it was in ancient times . contradictory +well i have one way to suggest reducing the budget I 'd be happy to help with improving the budget . neutral +Also in the New Republic , Jefferson-mania A long book review celebrates the third president as a great democrat , albeit a slave-owning one . The New Republic points out that slavery hasn 't been outlawed at that time , so even if Jefferson owned one , he was still a great democrat . neutral +an appointment say at eight thirty and she has to be all the way across town at her office at eight thirty then she needs to have them ride the bus one way and i 'll get off in time to hopefully pick both of them up and not have the day care center in the other direction but uh just a myriad of of possibilities that these people have to serve so they have a myriad of pay structures but uh it it can get expensive most of them run uh She has to go across town after her appointment . entailment +or give away as gifts Give to family members and friends . neutral +Some basic pieces have handwritten addresses , and some basic pieces are parcels . Some basic pieces have handwritten notes to kitty cats . neutral +you know well i mean there 's like when when you realize teachers one of my teachers got this computer and it was like voice synthesis and stuff The teacher bought the equipment with the classroom funds . neutral +This guidance will help you to design a data reliability assessment appropriate for the purposes of the engagement and then to evaluate the results of the assessment . This guidance will hinder you in the design of a data reliability assessment . contradictory +i also you know i consider for example the the teachers the National Education Association you know they i would like to see them be more of a professional organization rather than a union because we need you know we need to we need to uh instead of worrying about saving jobs or raising salaries i think we need to worry about uh how well the job 's getting done I would prefer considering the National Education Association as a professional organization . entailment +Twenty-five three-year-olds . Twenty nine one year olds . contradictory +Another feature of this generation 's passage through American culture--shared by liberals and conservatives , cynics and true believers , Clinton , Gingrich , Steven Spielberg , and Dowd herself--is a misty sense of some better , earlier time before they came along and screwed everything up . They screwed everything up because all of them had the same approach in that matter . neutral +( By the way , neither the Times nor the Post noted that the ominous C.P. The Times and Post both failed to note . entailment +Carey urged the Roman Catholic Church to adopt the open-rail policy followed by Anglican churches . Carey had experience within the Anglican churches . neutral +well i think long winters would really mess up mess her up uh She would love a long winter . contradictory +No . I looked cautiously round , and lowered my voice . I spoke loudly at the room . contradictory +EPA 's analysis indicates that , under the conditions described EPA is known for not performing these analysis to full extent . contradictory +Like federal agencies , the organizations we studied must protect the integrity , confidentiality , and availability of the information resources they rely on . Some organizations must protect the confidentiality of information they rely on . entailment +Had he been fooled once more ? Had he tricked them again ? contradictory +We were told by many of the officials we met in the course of our work that , without the clearly established expectations and demands for improvement by top management and legislative officials , little would have happened to effectively reduce fraud and errors in their programs . Fraud rates have fallen by half as a result of this work . neutral +Come now , he continued , as Tuppence remained silent . He remained silent , because he didn 't want to scare anyone . neutral +In case studies , the criterion for deciding whether casuality has been established is the coherence of the evidence , its consistency with the patterns ascribed to it , and its inconsistency with other explanations . Deciding if causality has been established depends on how consistent the increases are . contradictory +Which is particularly odd given the frequency with which Times readers are left seriously confused about many of the paper 's more significant alleged redemptions and original sins . Times readers are well-informed . contradictory +After touring the dusty hot archaeological sites of the Nile Valley , or tramping the noisy streets of Cairo , the Red Sea coast makes a welcome contrast . The Red Sea coast is very different to the hot archaeological sites of the Nile Valley . entailment +Figure 2 illustrates the six principles and their relationship with the three critical success factors and their respective organizational foci . Figure 2 does not present the relationships necessary to fathom any correlation . contradictory +The media and moderate Republicans , convinced that these issues are the party 's weakness and that its libertarian economic ideas are its strength , have interpreted Bush 's remarks as a rebuke to Republican Puritanism . Moderate Republicans believe that they have a weakness and a strength . entailment +okay well i 'm not sure exactly if that 's true though because i know people that have been tested more than one time I think we have different ideas about how often people are tested . entailment +I might as well , since I can 't really help the Satheri anyhow . " " They 'd spot your aura eventually . " If I don 't come back , tell my wife I did my best . " neutral +Under these assumptions , the nation 's electricity intensity is projected to decline at an annual rate of 2.5 % , Under these assumptions , the nation 's electricity intensity is projected to increase annually . contradictory +uh the causes of crime um i think it was an imbalance of of power in the United States that 's causing the lower class class to rebel that 's why there 's such such high crime in uh there 's crime in uh young people because they don 't have real role models I think imbalance of power in the United States is the cause of lower class rebellion and crime . entailment +Another innovative project that is held on conjunction with national legal services meetings is our Cyber Cafe . The cyber cafe is legendary . neutral +and the US has you know it 's like they it seems like they can their their army or whatever can can go in there quicker than an atomic bomb can and do do the job with uh you know less suffering Dropping an atomic will cause less suffering than sending an army . contradictory +They went back and forth , Kal swinging , punching , kicking , biting , and butting with his forehead . Kal was wining the fight . neutral +Obituaries rank the choreographer alongside Diaghilev and Balanchine as one of the men who reinvented ballet . The choreographer is hardly mentioned in the obituaries . contradictory +Safire won a Pulitzer in 1977 for helping to force the resignation of Carter adviser Bert Lance in a scandal no one much remembers . Safire has won other Pulitzer Prizes . neutral +Complex facility projects usually include a procurement phase in order to expedite the purchase , manufacture , and delivery of longleadtime equipment , such as unique process machinery , large electrical and mechanical equipment , and sophisticated architectural components . The facility projects include a procurement phase . neutral +It is , in a word , simply beautiful . It is very pretty . entailment +From the eastern end of Princes Street , the eye is drawn to a hill topped with a series of interesting albeit disparate buildings . The Eastern end of Princes Street has a flat land with no houses . contradictory +Less well known , if less salacious , is the fact that in 1915 , the Presbyterian moralist Woodrow Wilson , then a recent widower , used agents to run interference for him in his amorous pursuits . All facts belonging to Woodrow Wilson are well known facts . contradictory +The man 's caught red-handed . The man was caught red handed . entailment +To make symbol and thing congruent , all must be invoked with the true and secret name of the universe . Hanson suddenly remembered legends of the tetragrammaton and the tales of magic he 'd read in which there was always one element lacking . Hanson recalled reading stories in which one element had always been missing . entailment +Safire 's journalistic cheating undermines their professional work . The journalists may not cheat on all articles . neutral +um-hum i think it would be nice if they could you almost give it as course credit It would be generous if it counted as school credit . entailment +but they showed reruns of Dallas and it was great because i could turn it on and all of the people were very familiar to me and i 'd seen all of the shows so i knew what was going on They haven 't showed reruns of Dallas for many years and I 've forgotten all the people now . contradictory +President Bush purposely mispronounced Saddam Hussein to annoy the Iraqi leader , while Iraqi newsreaders retaliated by mispronouncing Bush so that , in Arabic , it meant nothing . Bush was not phased by similar attempts to mispronounce his name in Arabic . neutral +Because we are ignorant of other biological systems , we have no context for understanding Earth life , for knowing to what extent the life we see around us is , on the cosmic scale , relatively ordinary or totally freakish . Extraterrestrial contact is our only hope to understand the universe . neutral +It will be interesting to see if Nerve can keep it up . I really doubt Nerve can keep up . neutral +does he have those as well Does he have those too ? entailment +Consider , for example , someone who owns shares of IBM at $ 100 and has a $ 20 paper profit on the stock . It is common for someone who owns $ 100 of IBM shares to have a $ 20 paper profit on the stock . neutral +After the Buddha 's death at the age of 80 , Buddhism eventually split into two main lines , those who strictly followed his teachings , the Theravada or Hinayana school of Sri Lanka and Southeast Asia , and those who allowed new interpretations , the Mahayana Buddhists of China , Japan , Korea , Tibet , India , and Nepal . Buddha died at the age of 46 and Buddhism died with him . contradictory +The Distribution of Outbound Mail by Weight Interval . The distribution of outbound mail can be ordered by weight . entailment +Long enough for what ? Poirot 's smile became rather enigmatical . Poirot spoke and smiled quite ambiguously . entailment +Vrenna stared south , her face hidden under her hood . Vrenna pulled her hood up on her head . entailment +Economists disagree about how plausible that story is , but we all agree that if you 're out to protect your grandchildren from the national debt , it 's basically the only story you have to worry about . Most economists believe that the story is false . neutral +Maybe even Al Gore will soon exalt with a broad smile the vibrant U.S. ecology . Maybe even Al Gore one day will support the U.S. ecology publicly , but that is not going to happen for now . neutral +no no they have their own budget they go by No , they have their own budget entailment +Early in the evening , tourists crowd in for a look at what 's going on , but as time wears on , the dyed-in-the-wool gamblers come to the fore . As the night progresses , more experienced gamblers appear . entailment +Again , the move from offering no discount to offering a discount of 4.5a is a Pareto optimal move-no one is worse off and someone is substantially better off . Offering a discount is the dumbest idea I 've ever heard . contradictory +His religious conversion won him the support of the papacy , and Mieszko effectively founded the Polish state the following year . Mieszko first tried other methods to convince the papacy to support him . neutral +Between two streams ribeiras ( riverbeds ) that carry excess water down from the mountains to the sea is Rua Dr. Fernao Ornelas , a street lined with old shops that leads to Funchal 's certral market . Rua Dr. Fernao Ornelas has no old shops lining it on the way to the central market . contradictory +starts hitting closer to home Starts making more sense , and getting easier to understand . neutral +Finally , he suggested that the patient 's level of distress could influence motivational level as much as the severity of a patient 's alcohol problems . He was wrong about what he said regarding patients . neutral +so it 's it 's gotten it 's changed a little bit over the years but uh Nothing changed over the years . contradictory +It might just make the argument a bit less diffuse and hypothetical . This would make the argument even more hypothetical and diffuse than before . contradictory +i think it 's uh i think if they want to do it you know if that 's what interests them and they think you know they can handle it i think they ought to be able to do it I think if they are interest and ready to do it , no one should stop them . entailment +An additional notice of information collection for the Quote Rule was published in the Federal Register on September 12 , 1996 . Additional notice of the information was never published contradictory +Do you want to lie on beaches or hike in mountains ? You could also go snorkeling . neutral +The reality , though , is that this kind of stuff still happens all the time ( even though eventually everyone does seem to get caught ) . The truth is that this kind of stuff happens very rarely . contradictory +Asked this morning how many had been saved from the Lusitania . The captain was among those who hadn 't yet been recovered . neutral +Sonnenschein had --increasing enrollment , scaling back the school 's Great Books core curriculum , reducing overall stuffiness--changes that many alumni , faculty , and students feared would compromise the school 's identity . Many changes occurred which were alarming to the alumni , faculty and students . entailment +In addition , one would expect a renewed interest in costs for narrow product categories , even for specific customers . The costs were studied for each category . neutral +No artifice assists these honeylike waves . The waves were generated by a wave making machine . contradictory +Horrible crime . The crime is seen as something horrible . entailment +it was all taking place at the White House , where Mrs. Galt was brought by her friends . The group decided to bring their friend , Mrs. Galt , to the happenings at the White House . entailment +An enormous new reception area was excavated ( revealing parts of the original fort ) , topped by the superb glass Pyramid designed by I. M. Pei in the Cour Napoleon , which now marks the museum 's main entrance . The area was nver excavated . contradictory +In addition , it provides LSC management useful insight into the current nature and extent of the CSR data issue . LSC management provides recommendations on the ideal state , and does not analyze the current state . contradictory +Be advised that it is traditional for showgirls in Las Vegas production shows to be topless , and that tradition continues ; many shows are not appropriate for children . Most Las Vegas production shows are not appropriate for children . neutral +in a year The proposal will be reviewed in a year . neutral +The British , under the private auspices of the East India Company ( EIC ) , were beginning to poke their noses into North Borneo . The British East India Company decided it was unprofitable to poke around in North Borneo . contradictory +dropping to a final intensity of 0.28 kWh / $ . This is a pretty good price for electricity . neutral +By 2005 , an additional 85 GWe of coal-fired SCR capacity is expected to be on line in response to the NOX SIP Call and recently promulgated State rules ( this includes anticipated SCR retrofits under the state rules for Missouri , Connecticut , and Texas ) . The 85 GWe added will not be enough to meet demand expected in certain states . neutral +( At least they said it was hers when Sophie R-C handed over a100,000 of Bill Gates ' money . ) She did not handover Bill Gates ' money . contradictory +Both are actors who involved themselves in politics . Neither of them are actors . contradictory +And if there was a bit of buggery and whatnot going on up in the balcony , what of it ? There was something going on in the balcony . entailment +It requires an entrance fee , as does the Tesoro ( Treasury ) , a collection of the Crusaders ' plunder . It necessitates an entrance price along with the Tesoro which holds the Crusader 's plunder . entailment +This was also to be the starting point of the Third Crusade in 1190 , when England 's Richard the Lion-Hearted joined forces with Philippe Auguste . When Philippe Auguste joined forces with Richard the Lion-Hearted , this was the starting point of the Third Crusade in 1190 . entailment +The cart was driven by a Mexican in leather breeches and jacket over a red shirt . The cart was driven by an Arab wearing a small hat . contradictory +I still think you might have given me a hint . I think that you must have withheld any clues contradictory +I would be tempted to reply that lies and cover-ups intended to thwart the workings of democracy on an important public policy issue seem to me to be a lot worse than lies about an embarrassing personal mess . Some lies and cover-ups are designed to affect the government . entailment +Unfortunately , poor roads and limited public transportation hinder exploration of other parts of the island . Traveling on the island is easy for explorers . contradictory +Most federal performance management systems fail to achieve these objectives . These objectives are not met by more federal performance management systems . entailment +A bargain mene del dia ( menu of the day ) is often proposed . A menu of the day is often offered . entailment +yeah yeah that 's what a Bombay looks like especially when they get skinny because they A Bombay would look like that , especially when it is skinny . entailment +'You 're going to have to shut up about Benjamin Fucking Franklin right about now , or I 'm going to kill you . ' The conversation continued very pleasantly on the topic of Benjamin Fucking Franklin . contradictory +i don 't know if every citizen does or not but just you having lived in Houston you know what it 's like out there I am not sure if every citizen does or not , but if you just lived in Houston you know what it 's like out there . entailment +The half-light from the reflected sunlight dimmed , and the ground shook violently . The ground was shaking a lot . entailment +yeah we did we did that for a long time and it got to the point where we had no idea how much we were spending on things and it seemed like we didn 't have enough money when Yes , we did that , didn 't keep track of our spending and money was alway running low . entailment +Meantime , the City Council proposed slashing the Mayor 's allocation of $ 62 . The Mayor 's $ 62 allocation has a proposal of being slashed . entailment +Two adjoining chapels , Capilla del Obis ? ­ po ( Bishop 's chapel ) and Capilla de San Isidro , the first Gothic and the second Baroque , are also worth a look . There are two chapels from different artistic eras that are worth visiting . entailment +Participants believed that the PCAOB needs to be quickly set up and establish its priorities so it can begin the difficult task of restoring public confidence . People think the PCAOB needs to begin restoring public confidence . entailment +okay what kind of hobbies do you have What kind of hobbies do you pursue ? entailment +Inside the crystal , Hanson could see a model of the world on jeweled-bearing supports . Hanson was able to see a model of the world . entailment +or you know plead insanity They were mentally sound . contradictory +If you are baffled by the choice , remember the main types and experiment . The main types and experiment were specifically designed to explain the choice . neutral +The Malay language , Bahasa Malaysia , was also officially encouraged . The Malay language still persists in that region . neutral +Her outstretched hand pointed over Tuppence 's head . She didn 't have any hands . contradictory +A woman 's happiness , mon ami , he said gravely . We men have to stick together , my friend . contradictory +First we applied three alternative concentrationresponse ( C-R ) functions to estimate premature mortality incidence . No CR functions were applied to the incidence . contradictory +She is also enjoying the imprimatur of the law . Holding so much power under the law is fun for her . entailment +Although deductions for lower-income taxpayers appear to yield a greater net increase in national saving because they are less costly for the government , they also offer relatively less incentive for lowerincome families to save . Deductions for lower-income taxpayers offer relatively less incentive for lower-income families to save . entailment +uh-huh i think so well i guess i 'd better close now so i can I think I 'd better close now . entailment +go ahead you can talk i i don 't want to i want to chew up the whole line here You can go ahead and continue talking for a minute . neutral +so that i do not have to have a um a ring at all I don 't think that I need a ring . entailment +His second point was that there is an easy assumption that a brief intervention is more appropriate for patients with mild-to-moderate problems than for patients with severe problems . This was his first point . contradictory +Natalia and I opposite . Me and Natalia are not the same . entailment +yeah i think so yeah seven twenty five Yeah , that 's what I think . entailment +and the Cardinals were kind of like the Cowboys in fact they were doing better than the Cowboys and the Cowboy Cowboys came on strong at the end of the season and the Cardinals got killed by the Cowboys so The Cowboys did not do so well towards the end , and the were defeated . neutral +The senior , Emrold , vomited and Oden whispered to the same forgotten god as Gauve 's wife . Oden vomited as Emrold knelt in prayer to the forgotten god . contradictory +The race was young when that was built , eh ? " That was built only a few years ago ? contradictory +no just because of the random process of it and uh i don 't know they did talked about the the statistics of it and how they 've tried to figure out uh you know to eliminate those problems but anytime it 's uh it 's a purely random sample uh you will have people called more more than others It has a random process . entailment +Sedelmaier has rescued Japanimation from a generational memory hole to sell a German car to young consumers who may consider it the opposite of cool . The consumers will love the car . neutral +At 4.30 , Mrs. Inglethorp , in consequence of a conversation on the validity of wills , makes a will in favour of her husband , which the two gardeners witness . The two gardeners served as witnesses when Mrs.Inglethorp created a will . entailment +uh-huh that would be neat i 'd have to basically say my birth yeah That 's cool and I would have to say my birth . entailment +Let 's pause for a moment to map the nuances of that pitch . Continue , no need to stop . contradictory +Today in the Western District , you can still wander narrow streets lined with small traditional shops selling ginseng , medicinal herbs , incense , tea , and funeral objects . Traditional healing plants are often sold in the Western District . entailment +He let the air dry the exposed portions of his body as he ran out , while bare skin grew wet against the dewy grass . He let his body air dry . entailment +You eat the Chicken With Fettuccini Cream Sauce straight out of the ripped-open box . The cream sauce is an alfredo sauce . neutral +oh so you 're at the house you 're not at the plant oh hold it oh that 's good that 's good i thought i heard a holler there in the background but i wasn 't sure Oh you are at the plant still . contradictory +Here comes Miss Howard , said Poirot suddenly . Mister Howard is leaving . contradictory +SOURCES OF FOOD FOR CULTURE AND TOXICITY TESTS They are also the source of independent films . neutral +But the chairman of a large Midwestern bank put it best when he recently said , You get big because you 're better . The chairman of a large bank is known for randomly dropping apposite remarks . neutral +Next , we determine the total cost of delivery performed by the incumbent and a second firm that is assumed to be equally efficient . For the next step we look at both the incumbent 's total cost of delivery and that of another firm that we will assume to be just as efficient . entailment +Adults can keep a top in motion for over 50 minutes . For over 50 minutes , adults can keep in top motion . entailment +But Barnes presumably hangs around with a lot more Microsoft people than JavaSoft people , and is likely to absorb their point of view , as I 'm sure I would in the same circumstances . Barnes is always alone . contradictory +Rather than our food being handled by the farmer , it passes through the processing and distribution system , being handled , packed , unpacked , rehandled , packed again , transported , unpacked and displayed , and on and on . Out food is handled by the farmer . contradictory +Tommy shook his head . Tommy agreed . contradictory +The amounts are earned by sales in the market and therefore are exchange revenue . Purchases are considered exchange revenue . contradictory +A UN buffer zone separates the protagonists . The main players are separated by a UN buffer zone . entailment +I would like to take a moment to put Tabloids in perspective , and challenge anyone to make a different observation . I want to challenge people to stop making observations about the tabloids . contradictory +There are swatches of course , sir , but if you prefer to take care of the strikers , we can wait , no problem . We only have the choice of swatches , as strikers are no longer available . contradictory +After readying the dome 's roof for the ages , the county and state decided to raze it and replace it with a $ 327 million roofless football stadium and a $ 414 million baseball stadium with a retractable roof . The county and the state decided to build a new stadium with a retractable roof in place of the roofless football stadium . entailment +Thus , kin- recognition mechanism is a doubly misleading term--first because , as we 've seen , the mechanism doesn 't positively identify kin , but just identifies factors correlated with kinship ; and second because people aren 't really aware of doing the identifying . The term recognition mechanism is misleading in more ways than one . entailment +Truly , any examination of political , economic , and social issues invariably raises more questions that it answers . Examining political , economic , and social issues usually answers more questions than it raises . contradictory +How Can the Poor Save ? The poor can save if we help pay their bills . neutral +There are always several temporary exhibits to explore , along with a cafe and gift shop . The temporary exhibits stay for about a month at a time . neutral +I 'm really pinning my faith to Mr. Carter . " I don 't want to put any hope in Mr. Carter this time ... contradictory +could be i i haven 't been to South Dakota have have you been up to that South Dakota no longer exists on Earth . contradictory +In making these decisions , Congress should consider the criteria presented earlier in my testimony , especially those related to agency transitions , such as mission relevancy , similar goals and objectives , leveraging effectiveness , and creating gains through consolidation . I presented testimony before Congress regarding business practices . entailment +6a may be viewed as candidates to become workshared , if the discount is increased . The discount would have to be increased by at least half before it will be taken seriously . neutral +Unemployment is at an all-time low . Unemployment is very good right now . neutral +Engakuji is Kamakura 's largest temple complex ; often wracked by fire and earthquake , 17 of the original 46 buildings have survived . None of the original buildings in Engakuji are still remaining . contradictory +oh how funny he lives in Cleveland He lives in Kansas . contradictory +are you are you how about that well we 're all lots of people from TI up this way There are a lot of people from TI up here . entailment +On the cenotaph are the 99 names of Allah . There are 99 names of Allah on the cenotaph . entailment +" Someday " That was true . That was not false . entailment +For centuries this was a farming village , separated from the city by the green expanse of Corstorphine Hill . It was a mill town for many centuries . contradictory +Ser Perth appeared at the doorway with two of the mandrakes . Ser Perth emerged at the entrance with two of the mandrakes . entailment +The hillsides that surround the monastery are the site of Hong Kong 's only tea plantation . The monks at the monastery are in charge of the tea plantation . neutral +The AFI 's list , for all its peculiarities , appears to reflect that . The AFI 's list includes many peculiarities within it . entailment +In any battle , regardless of the skill , there are only three options . Whether you are weak or powerful , you only have a limited selection of what you can do in a battle scenario . neutral +But it is truly an ingenious supposition . " The supposition wasn 't very intelligent . contradictory +The Commission is attaching a disk with the electronic spreadsheets and a hard copy explanation of the procedures used . The spreadsheets are included electronically on the attached disk . entailment +that after all they 're only people too in that they 're subject to corruption just like any other human being and they do have a lot of power They 're incorruptible because they have a lot of power . contradictory +and no one and see Americans wouldn 't do it wouldn 't they wouldn 't live like that Such a dirty job is reserved for foreigners . neutral +There it was , in the cracked porcelain tub ; covered in tubes , being scurried over by creepy cybernetic rats . The body was covered in cybernetic rats . neutral +The Mus ? ? e du Docteur-Faure ( Villa des Chimyres , Boulevard des Cetes ) contains some Rodin bronzes and watercolors , and works by Degas , Sisley , Corot , and C ? ? zanne . The French location contains some Rodin bronzes and watercolors . entailment +Siskel was the skinny one . The thin one was Siskel . entailment +Overwhelmingly , I had the sense that my Prepare To Win instructors had no idea how cynical they sound . Prepare to Win instructors are notorious for their cynicism . neutral +but anyway well are you ever are you are you are you married Don 't get married , it 's just trouble . contradictory +In his work , they are using a feedback letter and phone calls at two weeks and six weeks . They are using a feedback letter and phone calls in his work . entailment +Icon painting was at its height with an influx of artists from around Byzantium who founded important schools of art . Icon painting fell out of favor , and artists from Byzantium did little to bring it back into style . contradictory +The participants acknowledged that the financial audit process is largely driven by the accounting profession and suggested that the profession needs to spend more time understanding what the demand side ( investors and other users of financial information ) needs and wants from auditors . The accounting profession doesn 't do much to drive the process of financial auditing . contradictory +Slim looked too genuinely the bearer of just such tidings . Slim was very uncomfortable telling us the news . contradictory +He gropes female guests , watches porn , drinks monstrously , smokes more , and uses drugs . He uses drugs and gropes female guests . entailment +Clift , on the other hand , cannot believe that Yeltsin was in the bag all three times he gave these warnings . ADversely , Clift didn 't think Yeltsin was a sure bet every time . entailment +Jaffa has been courted , crushed , and rebuilt by a succession of conquerors , from the ancient Egyptians to the Ottoman Turks . Jaffa has been rebuilt many times . entailment +Steven Brill responds to a flood of anonymous e-mail generated by this piece in E-Mail to the Editors . He was excited to go through all the e-mails . neutral +people 's giving it to me for two cents i uh that 's okay Two cents is really enough because I sell them for three . neutral +The immense monument it would have been the largest in Egypt had it been completed fractured along a fault line and was abandoned in 1500 b.c. The monument was built along a fault line and as a result was never completed . entailment +The cost to the federal government is estimated to be $ 8 . The price for the federal government is less than $ 10 . neutral +Just two weeks ago , I watched him on Rivera Live spin the nation on the subject of the president and Monica Lewinsky 's relationship . Monica Lewinsky was involved with Bill Clinton while he was president . entailment +from their submission to LSC approximately 17,000 of the insufficiently supported cases that made up the 11 percent error rate , and ( b ) in the process of requiring more rigorous documentation of cases , some cases that actually had sufficient documentation , and many cases where the client was almost certainly eligible , were excluded , resulting in a countervailing undercount . A high error rate can cause improper release of funds . neutral +Schumer has turned the tables on D 'Amato . Schumer and D 'Amato remain in the same position as before . contradictory +Actually , that is an old J. Edward Day joke , or so I 've been told , not an Edward J. Gleiman joke . Edward J. Gleiman is better at making jokes than J. Edward Day . neutral +It is preventative , helping people to avoid mistakes that can lead to more serious legal problems and the need for representation in the future . People are capable of making mistakes that can lead to serious legal problems . entailment +Figure 6 . Projected Marginal Cost of Carbon Reductions ( $ / Metric Ton ) Carbon reduction marginal costs are projected in this figure . entailment +Lehman said afterward , I feel an incredible amount of pain . Lehman admitted afterward ; I am hurting . entailment +'Inasmuch as I understand what you 're saying , ' Daniel said cautiously , ' I suppose I 'd agree . ' I was happy that Daniel cautiously agreed to what I said . neutral +He had even been able to pass his hand and arm completely through the sample . The sample was a very delicate web of spider silk . neutral +But you 're no mandrake-man . " A load of sickness seemed to leave Hanson 's mind . The person was talking as if they were a mandrake man . neutral +GAO invites your comments on the accompanying proposed changes to Government Auditing Standards ( GAGAS ) , commonly known as the yellow book . GAO is looking forward to implementing any good ideas that can be gleaned from the comments and including them in the proposed changes . neutral +Defense Improved Program Outcomes Are Possible . Defense used technology to improve program outcomes . neutral +When an individual delays retirement saving , that individual enjoys the additional consumption in the early years and then personally bears the burden of saving larger amounts later , working longer , or accepting a lower standard of living in retirement . By saving money for retirement now , the smart worker knows they will forgo immediate gratification in exchange for not having to work for a longer span of time and being able to maintain a decent standard of living when they are old . neutral +i guess uh uh there 's a song by that name i guess but it 's not new There 's a song with that title , but it 's not new . entailment +But it still snubbed my CD-ROM drive . My CD-ROM drive was not snubbed . contradictory +Sorry about the frustration and hassle and , though it is in no way connected with I apologize for the frustration and hassle . entailment +i think that makes the most sense that makes absolutely no sense to me contradictory +The FDA reviewed the rule under the Order and concluded that the affect of the final rule would not constitute a taking of private property . A taking of private property would not be constituted by the affect of the final rule , as FDA concluded after reviewing the rule under the Order . entailment +The monumental baths , separate Latin and Greek libraries , Greek theater , temples , and pavilions together make up the home of a man who drew no distinction between the pleasures of mind and body . The home includes baths , libraries of different languages , and a Greek theater . entailment +AMORTIZATION -The gradual extinguishment of any amount over a period of time through a systematic allocation of the amount over a number of consecutive accounting periods such as the retirement of a debt by serial payments to a sinking fund . Amortization is spreading out the interest over consecutive accounting periods . entailment +Manufactured in Mons ( now in Belgium ) , the gun was state-of-the-art for the times , firing cannonballs weighing up to 150-kg ( 331-lbs ) . The gun was produced in 1495 . neutral +Now that the island has a modern international airport , people are making their way to St. Barts in ever-increasing numbers . The modern airport at St. Barts has 10 airlines that visit it daily . neutral +One of the classrooms Joyce attended can be seen on the guided tour , and Hopkins 's room has been restored . The tour goes through the abandoned high school room by room . neutral +oh yeah uh-huh and and they 'll keep going until they get that out of you when your wife is going to be here because they want us to be here together because i guess uh it 's it 's They 're very stubborn about getting you to say what they want . entailment +A New National Park Visibility Value Estimates . There is a new assessment because the old assessment was poorly designed . neutral +( No Nazi art , in other words . ) Nazi art is purchased . contradictory +It 's dark . It is bright . contradictory +yeah i just wish it was a little more convenient convenient to do you know I want it to be easier to do . entailment +The lame vs. the destitute--it could be a great race . The lame vs. the destitute , what a boring race . contradictory +Particularly interesting is the 11th-century donjon ( keep ) that formed part of the town 's southern defenses . The town 's southern defenses partially consisted of this donjon . entailment +It addresses problems over the patient 's lifetime . Over the patient 's lifetime , it addresses problems . entailment +So let 's get rid of these files and see what happens . Let us see what occurs when these files are gone . entailment +No risk , and there would be no bullfight . Though there is some risk , it 's very low . neutral +The majestic Cathedrale Notre-Dame is a masterpiece of French Gothic architecture . The Cathedrale Notre-Dame is an example of German Gothic architecture . contradictory +Well , luckily for me , I pitched down into a good soft bed of earth but it put me out of action for the time , sure enough . I fell on some hard ground but I was not hurt by the fall . contradictory +The tone is set by the formal elegance of the Piazza Cetello , dominated by Filippo Juvarra 's richly articulated Baroque facade for the Palazzo Madama . Filippo Juvarra was 23 years old when he painted the palazzo 's facade . neutral +So it 's like a cockpit . It is nothing like a cockpit . contradictory +yeah they want as much money as they can no , they don 't really care about getting more money contradictory +Well ? I asked benignantly , as she hesitated . Only she could answer my question about this . neutral +Not with my own house burning . My house was burning . entailment +I am extremely proud of GAO 's workforce , of its dedication and excellence , and of its service to the betterment of government and the country . The GAO has done a terrible job with its workforce . contradictory +And Dublin , a city large in expectations , is still small enough for the visitor to see most of its sights on foot . Most of Dublin 's sights can be reached by public transport . neutral +Then you knew what you were going to find ? So you expected to find that ? entailment +so see it 's really strange It 's really strange that you 're an atheist neutral +um like you know like somehow they missed the physical or something They were present at their physical . contradictory +yes i i think they can probably come up with some ways to insure that uh you know people would get a fair trial and not have to go through this process A fair trial is necessary . neutral +The highlights of the Selaml ? ? k include the vast Baccarat and Bohemian crystal chandeliers , 36 in all , and the crystal balustrade of the main staircase , the sultan 's marble and alabaster bathroom , two huge bearskins ( a gift from the Tsar of Russia ) , Syvres vases , Gobelin tapestries and carpets , and the vast bed used by the giant sultan , Abdul Aziz . The chandeliers were damaged in a huge earthquake five months ago . neutral +He mined none of it himself but his experience of the trail made him of use to the salt miners . He was of no use to the salt miners . contradictory +Many commercial firms , in recognition of the physical impact and disruption of family life that results from frequent travel , allow their employees to keep frequent flyer awards . In addition to letting employees keep frequent flyer awards , some commercial firms also give significant vacation time . neutral +Despite repeated attempts , we have been unable to resolve this dispute . After a few attempts , we were able to resolve the issue . contradictory +Perhaps not , said the old man , glaring at Adrin with his one sharp good eye , the other clouded over . Adrin had two perfectly good eyes to look at the Adrin with . contradictory +VF retreads the story of the industry war between Creative Artists Agency and upstart Artists Management Group . VF revisits the tale of the fight between Creative Artists Agency and Artists Management Group . entailment +If labor rates for engineering and project management is 50 - 100 percent greater than construction labor , then about 17,000 to about 28,000 man-hours of engineering and project management are needed for the project . The project might need tens of thousands of man-hours of engineering and management . entailment +When are they appropriately used in evaluation ? There are guidelines for when they can be used in an evaluation . neutral +At Sandycove , below the Joyce Museum , is the famous Forty Foot bathing spot , once a men 's nude beach , but now open to everyone . The famous Forty Foot bathing spot is at Sandycove . entailment +At salt flats nearby is tiny Esperance airport , a one-strip , one-shed affair used for flights to and from Pointe Pitre and Saint-Barthelemy . They are looking to expand Esperance airport but the salt flat is too small . neutral +39 Knowing more about Social Security 's financial status would help workers to understand how to view their personal benefit estimates . Financial status in relationship to Social Security is beneficial information for workers to have . entailment +We did not independently verify the accuracy of that information . We independently verified the validity of the information . contradictory +Cardinal Richelieu ( the powerful 17th-century French statesman ) for one dreamed of conquest in the New World . Richelieu was powerfless in the 17th century . contradictory +The Australian reported Wednesday that scientists have discovered a dinosaur the size of a small gray kangaroo and have curiously named it Qantassaurus intrepidus after the Australian airline , Qantas . The new dinosaur discovered was loved by kids . neutral +and this is the man that was in front of you oh well they 'll weed him out This man was never in front of you . contradictory +That was an awful night . Things were better in the morning . neutral +The black gelding had made the trip north before and wouldn 't panic at Heaven 's Highway . The black gelding wasn 't going to panic at Heaven 's Highway . entailment +This kind of attack is a clear statement- an opening move , designed to get attention . They were so quiet no one saw them in the room . contradictory +As a precondition to admission , the border with Gibraltar was reopened in 1985 after a 16-year hiatus , and Spain was admitted to the EU in 1986 . The border was reopened and Spain was allowed into the EU , which settled decades of strife . neutral +virtually working or playing myself to death all day I would just sit around and not do any work all day . contradictory +'I am not enjoying having a penis . ' I love being male . contradictory +It reveals a hierarchical society of free men , serfs , and slaves ruled by an aristocratic class . Serfs and slaves outnumbered the free men by a 20 : 1 ratio . neutral +One story has it that traders Jardine , Matheson and Co fired a private salute for a visiting tycoon , an act that incensed the colonial authorities , who felt that they had the sole right to issue such a 21-gun welcome . A 21-gun welcome involves the firing of various rifles , it is a military tradition . neutral +General Accounting Office , Results-Oriented Insights for U.S. The insights related to the results . entailment +The shops , ranging from high-fashion salons and small specialty shops to flea markets , are among the best in the world . The salons here are very low grade . contradictory +The Enquirer , however , says the girl called Sawyer 's office to say men with guns were at the apartment . The girl called Sawyer 's office from a hidden location . neutral +yes it is it No , that 's not it . contradictory +as long as i know you know that i 'm i 'm not over doing it I have great self control in these types of situations . neutral +Among federal agencies , several USACE 's district offices Certification have received ISO 9000 certification for their design and construction Every employee labored hard and long to earn that certification . neutral +And the letter came from there ? So the mail originated from that location . entailment +Today there is little to see , apart from the remains of Peter 's House ( the veracity of which can neither be proved nor disproved ) and a ruined second- to third-century synagogue . There isn 't much in the area except the ruins of Peter 's House and an ancient synagogue . entailment +Ca 'daan marveled at the two men , machines built for the art of war . Ca 'daan thought the two men weren 't ready for war . contradictory +She couldn 't even speak her own tongue . " She could speak all the languages in the world . contradictory +The thought of that made him go slower . The thought of that made him pick up his pace . contradictory +Finally , there are even stables in Jerusalem . Jerusalem has not actually got any stables . contradictory +Effective design review practices result in the preparation of more comprehensive and accurate design and construction documents , which in turn result in lower project construction costs . Effective design review practices lead to preparation of a partial design . contradictory +I knew this couldn 't be , but it would 've made things so much easier if my friend was still out there somewhere . My friend was dead , but I still wished they were outthere somewhere . neutral +uh-huh the older one No , not the older one , the younger one . contradictory +LSC grant conditions require that programs obtain LSC approval of a merger or consolidation before LSC will allow the transfer of the grant from one program to another . LSC requires strict and insane grant conditions before LSC will allow the transfer of the grant from one program to another neutral +yeah well i 've been asking my husband for the credit cards i 've got all of them but one I want my husband to take my cards from me . contradictory +Billions of lire were spent on Rome alone for the record-breaking numbers of pilgrims and tourists who flocked to the country , one of the world 's greatest tourist destinations during the year 2000 . Rome was able to use the money wisely . neutral +( MoMA plugs the exhibit . ) MoMA discourages the exhibit . contradictory +yeah they should they should clean clear that up it wouldn 't take them much to put a stamp on uh on the uh juice cans as easily as the soda Juice cans should have a stamp on them . entailment +so how do you feel about our policy in Latin America How does the policy we have in place in Latin America make you feel ? neutral +An article says that if you were alive in 1000 , you probably would have been a miserable peasant . The article says peasant life was great . contradictory +Each island has a flotilla of small craft setting sail daily to bring fresh catch to the island 's tables . Each island has small boats that come back with lots of fruit . contradictory +The theater presents sky shows and IMAX films . The theater doubles as a planetarium on Sundays . contradictory +um-hum um-hum well we have to come to that now that 's all there is to it you do see a lot of positive things uh i saw a printout sheet the other day that i 'm going to to copy and take to the girls at sorority I saw a printout sheet just the other day I 'd never take to the girls at the sorority . contradictory +oh do they probably the more you pay though the better the machine you have The better machines cost more money . entailment +uh a little of a review usually won 't make me go see a movie i hadn 't already wanted to see If I wanted to see the movie a review will have no affect . entailment +you know and you may be in good standing and everything may look hunky-dory to you Everything looks great for you when you are in good standing . entailment +I 'm 81 , she said , adding that she never owned a quilting company , never worked for one and never told a loan agent she did . At 81 she never owned a quilting company nor did she work for one entailment +well let 's see we or i sit down at the I stood . contradictory +In August Torrevieja pulsates to the music of the Habaneras festival . Despite the heat in August , the Habaneras festival is a crowd pleaser . neutral +In Sarawak , the best beaches are northwest of Kuching , at Damai , Santubong , or Bako National Park ; in Sabah , either at Kota Kinabalu 's offshore islands of the Tunku Abdul Rahman National Park or up at Kudah on the northernmost tip of Borneo ; over on Sabah 's east coast try the islands in and around Sandakan Bay . The best beaches are southeast of Kuching where they are very private . contradictory +From here it is a steep journey up to the village of Olimbos , which still holds fast to its traditional way of life . Goats , sheep , and chickens can be seen circling the narrow square of Olimbos . neutral +Elemental load time varies with the number of pieces being loaded . Elemental load time is constant with no matter the number of pieces being loaded . contradictory +The Departments of Labor and Health and Human Services performed an economic impact analysis on the effects of the interim rules . The economic impact analysis was performed by the Department of Defense . contradictory +Poor Beatty has a need to think Clintonite Democrats aren 't tackling race and poverty , much like Marx had a need for a proletariat , except that Marx 's need was theoretical , while Beatty 's is only theatrical . Beatty 's requirement for a proletariat is theoretical while Marx 's was more theatrical . contradictory +like a a clothes hamper kind of thing that you know you lay your string in then you put your papers in there and tie them all up and bundle them up so i figured i might get me one of those " I thought about getting some of those clothes hamper kind of things in yellow . " neutral +Yesterday " The day before today . entailment +And , a recent meta-analysis has shown little effect of age on the relative risk from PM exposure ( Stieb et al . Age has little effect on the risk from PM exposure , surprisingly . neutral +Jon reloaded as Vrenna slipped into the alcove . They were trying to hide from the man . neutral +He helped Adrin to his feet . He helped Adrin sit down . contradictory +so they call this program cars and they come with a new car warranty and it just seems to make sense to me to get the most car for your money to get something like that They have a program that offers a new car warranty . entailment +These sources recommended over 30 public and private organizations . These sources know of 30 organizations they approve of . entailment +I was foolish , no doubt , murmured Inglethorp . Inglethorp said that he had made no mistake and would do it again . contradictory +Jon was a changed man . Jon was no longer a bad person . neutral +The Karnali gorge above Chisopani is especially beautiful and is noted for the size of the fighting mahseer carp taken by sport fishermen . The Karnali gorge is known for its scenery and beauty . neutral +She noted that research studies often attempt to control so many variables and follow up with patients so frequently that control groups receive so much attention focused on alcohol that it may constitute an She observed that there were many variables in the research studies . entailment +In Vietnam , he told the Houston Chronicle this year , [ y ] our options either were to avoid the draft or sign up , and I signed up . The draft was implemented by the president . neutral +I 'd be alarmed if West were drafting Bradley 's policy positions . I would be worried if West was writing the policy . entailment +Why do you still keep me with you ? " What do you want with me ? neutral +Neither does he provide any answers to the problem , merely a wistful remembrance of how good it was . He remembered how disgusting it was , contradictory +been better or i i say say cousin 's like my grandmother 's cousin but i had been really close to her and in some ways i think for her might have even been better because she used to live in My cousin and I are close even though she is older than me . neutral +( Nothing currently on the site is going to hurt Gore very much . Gore has nothing to fear from the present information on the site . entailment +That fragmented system without oversight had its deviance ( not all doctors provided good care ) and cost ( the doctors drove up the bills ) . That system was perfect and in good working order . contradictory +It was to last for 600 years ( lavishly renovated by Herod starting in 18 b.c. ) until it was destroyed by the Romans in a.d. 70 . It lasted for a thousand years . contradictory +His work is a parody of an artistic achievement . His work is a parody of art . entailment +A number of companies will offer an evening of Scottish dancing along with an addressing the haggis ceremony traditionally performed on Burns Night , the birthday of the poet who wrote an ode to this favorite Scottish dish . Companies don 't want tourists participating in Scottish traditions . contradictory +What kind of name is ' John Pringle , ' anyway ? It sounds like a snack-food . What kind of name is ' Johnny Appleseed , ' anyway ? contradictory +This exposure draft reflects the Advisory Council 's advice to the Comptroller General . The Comptroller General did not take input from others . contradictory +What do you expect ? What are you expecting ? entailment +The fields at the edge of the city are also the site of the romance between Ruth and Boaz ( ancestors of King David ) , described at the end of the Book of Ruth . The fields are where Ruth and Boaz would meet to make love . neutral +He fell into the corner of the hut with a hole smoking out of the back of his hood . There was no smoke in the hut . contradictory +well i think i don 't know if we 've done five minutes but i 'm sure that 'll be It 's been ten minutes already , I 'm sure that 's more than enough . contradictory +Drew ! An imperative wave of the hand brought him to join Don Cazar and to discover Anse already there , rolling his bed . Anse was there already and he was in bed . entailment +Some of the eminent citizens buried here are George Buchanan , tutor to Mary Queen of Scots ; James Craig , architect of Edinburgh 's New Town ; and Joseph Black , physicist and chemist . James Craig is not buried here . contradictory +try to give them some aid i mean we helped the Afghanistanis there 's know reason why we shouldn 't have helped the Kurds it didn 't have to involve troops could have just given them uh you know supplies The Afghanistanis were nice and appreciated out help . neutral +Croseng O 'Connell Bridge , there are fine views along the The Custom House is on the right and to the left is the equally splendid Four Courts . On the left there are splendid views of the Four Courts . entailment +The analysis discusses the beneficial effects and the adverse effects of each alternative and concludes that the second alternative offered the greatest environmental return for the federal dollars spent , provided program managers and participants the greatest flexibility in program administration , gave effective conservation coverage across the land , and involved a large number of participants . The analysis is a financial statement in nature . contradictory +The Commission recognizes that representation of agricultural workers was a central element in the legislative crafting of the H-2A program . Without the agricultural workers the H-2A program would have never been created . neutral +yeah it is a tough question I don 't have an answer for you . neutral +There 's a potential for further incidents of abuse to occur during these meetings without some sort of outside supervision . Even without supervision , there is no chance of an incident of abuse during these meetings . contradictory +But don 't expect the rustic quaintness of traditional-style inns . Don 't expect any quaint rusticness in the inns . entailment +it was it was beyond It was way closer . contradictory +because i don 't think they build them as energy efficient down here as they do up in the north i just really don 't They are more efficient down here than in the north . contradictory +The entrance to the Asclepion is located along a colonnaded street , the Sacred Way , which leads to the medical precinct . The colonnaded street was located on Downing street contradictory +19 As figure 3.4 shows , gross national saving as a share of GDP remains fairly steady over the next decade under the Save the Social Security Surpluses simulation . The GDP is the Great Depressed Pair , a god to the known world who rules with an iron fist . contradictory +One lesson we should learn from the success of the Acid Rain cap and trade program is that when certain key issues can be resolved through clear legislation , we can avoid years of litigation , business uncertainty and costs , and delayed environmental protection . The Acid Rain cap is a good example of solving problems with laws . entailment +This is why Japanese banks continued to pump money into overbuilt Southeast Asian real estate and Korean chaebols , and why a third of all the junk bonds issued in the late 1980s ended up defaulting . 1 / 3 of junk bonds from the 1980s ended up defaulting . entailment +are practicing lawyers They are currently working as lawyers . entailment +But the GOP 's eagerness to embrace them does suggest a certain hypocrisy . Hypocrisy is suggested by the GOP 's eagerness to embrace them . entailment +NOW accuses PK of being too friendly with the bad boys of the religious media mogul James Dobson ( who gave PK its initial seed money and promotes it on his radio network ) , Pat Robertson ( who promotes PK on television ) , and Gary Bauer ( who heads the Dobson-backed Family Research Council ) . PK is being accused by NOW for being too friendly with people like James Dobson and Pat Robertson . entailment +2-6 A recent analysis of 12 randomized trials , each of which was limited to one session and consisted of less than one hour of motivational counseling , demonstrated that heavy drinkers were twice as likely to moderate their drinking when compared with those who did not receive an intervention . An analysis showed that intervention for heavy drinkers was a good program . neutral +It 's no surprise that moviemakers figured that out . The Moviemakers didn 't undrestand it . contradictory +He 'll be riding in to meet the wagons . He will walk away to avoid meeting the wagons . contradictory +Some shine best as citizens . Some do their best as inhabitants of a specific place or city . entailment +She had worked for a refugee-relief project in the most lawless region of South Asia before finding her way into an even more dangerous part of the world--one of great importance for U.S. foreign policy . She left South Asia because she felt unsafe working there . neutral +My partner told one guest she was marrying , but it was a girl and not a boy . My partner is marrying a man . contradictory +well one of my uh well control and uh and contact are a big problem and they still are this one of the things i was doing wrong was too much back swing and hurrying my back swing I was doing things wrong like too much back swing and hurrying up my back swing . entailment +San 'doro roughly gripped Adrin 's chin and pulled Adrin 's head up , exposing his neck . San 'doro roughly gripped Adrin 's chin and exposed his neck , clean-shaven and taut . neutral +uh no uh no no i do have a place that 's rusting i need to get something on it The rust is causing a leak in the pipes . neutral +For example , they said that electronic comment processes for controversial rules on which a large number of comments are filed may ultimately yield little more than a count of supporters and opponents . The shoreline has luxurious cottages , styled like plantation homes . entailment +Then came the sensation of the day . The exciting part of the day had arrived . entailment +yeah she 's real skinny she 's matter of fact she 's uh she 's down at the vet today she had her little operation so uh The operation went well . neutral +Legal Services Corp. is the federal agency that disperses $ 330 million that Congress allocates for federal legal aid . Legal service corp is generous neutral +so that 's what they 're trying to do oh well That is not what they are trying to do . contradictory +This augments future income , although a portion of the income generated by the investment will be paid to foreign lenders . Foreign lenders will be paid eventually neutral +The Greek Hellenistic Empire was gradually , and peacefully , absorbed into the Roman Empire . The Greek Empire forced the fall of the Roman Empire . contradictory +But God gave man dominion over the beasts of the If an animal has economic utility , we should farm it . But God made man the lowest of all animals . contradictory +I would prefer to be my mother 's daughter than my mother 's mother , but my resentment is building every day . Her mother is sick neutral +Around the corner is the family church of San Lorenzo designed by Brunelleschi before he designed the Duomo 's cupola . Brunelleschi was the most celebrated architect in Italy . neutral +Then the Kentuckian flushed and slammed his weapon back into the holster . The Kentuckian shot an owl few minutes before putting his gun into the holster . neutral +Wildlife enthusiasts should visit the nature reserve at Periyar , a drive of 194 km ( 120 miles ) from Cochin , where elephants , bison , and birds can be seen from the unique vantage point of an artificial lake . 194 km ( 120 mi ) from Cochin is the nature reserve at Periyar , where those interested in wildlife can watch from the lake and see elephants , bison , and birds . entailment +The choice for others is whether to force him to make the right choice , or to continue deriving profit and entertainment from his illness . Most people of moral character would insist on doing the right thing . neutral +A few streets back into the town from the passenger terminal and the Corsair Obelisk is the inevitable , quaint Old Market . The quaint Old Market can be found a few streets back into the town . entailment +He knew what he fronted ; this was more than a drunken bully a really dangerous man . He was looking at a very scary person . entailment +Was this a hint ? Was that implying something else ? entailment +Now a suburb of Varanasi , which is located about 10 km ( 6 miles ) out of town , Sarnath is where Buddha gave his famous Deer Park sermon ( the veritable foundation of the religion ) to five disciples around the year 530 b.c. ( see pages 19 21 ) . At Sarnath , Buddha delivered his Deer Park sermon to an audience of more than a hundred people . contradictory +Comments regarding enforcement issues and questions raised by the regulated industry were addressed by EPA in four Detergent Rule Question and Answer Documents . The EPA did not address the issues and questions of the regulated industry . contradictory +The smallest whitewashed churches house a simple cross , icon , and lit candles , although you will find the largest churches are somewhat more lavish and ornate . The more lavish churches are in wealthier areas . neutral +It 's easy to be a statesman when all the options are good . When there are no bad choices you can make , being a statesman is easy . entailment +This is the result of their sins . This had nothing to do with their sins . contradictory +generalizability ? Not generalizability contradictory +'You know , ' he said , ' I really do find this whole business distasteful . ' I think it 's really inappropriate to treat people that way . neutral +she and she had drank all her iced tea and she Iced tea was her favorite thing to drink . neutral +In 1985 , for example , NSIAD examined emerging issues in export competition through a case study of the Brazilian market ( U.S. Issues in export competition are emerging that have never been studied before . contradictory +No matter Hawaii had a great crop in sugar . Hawaii grew a lot of sugar and shipped it around the world . neutral +On smaller , more remote islands , ferries form the only transportation link with the outside world . The only link with the outside world on some of the smaller islands are ferries . entailment +But , says Variety ' s Greg Evans , [ j ] udging by his fans in attendance ( mostly young couples and groups of women nudging one another and mouthing , ' That is so true ' ) , Gray 's Elmer Gantry routine seems to work . Elmer Gantry 's routine seems to appeal to people . entailment +It might pass for deserted , if not for the peacocks and pheasants who inhabit the botanical gardens , and the visitors strolling amidst the palms and rhododendrons . There are no animals at the botanical gardens . contradictory +The experiences of leading organizations suggest that the successful implementation of GPRA may be as difficult as it is important . Implementing GPRA may be very difficult due to lack of support . neutral +The inspiration for this flurry of proposals is the fast-growing , aggressively marketed subprime lending industry . The aggressive marketing of the subprime lending industry has been a mixed bag for consumers . neutral +uh-huh and they 're so young but they 're retired you know and their so young still They retired when they were over ninety years old . contradictory +Bus tours from Paris are available . Paris is a short drive away . neutral +A Peek at Prehistoric Times Prehistoric times don 't exist neutral +This is the traditional approach that most largescale owners ( both public and private ) used to design and construct their facilities until the relatively recent growth of interest in outsourcing of design and construction services . Public and private large scale owners have seen a decrease in outsourcing construction services . contradictory +This you could not do with a true wild one , he commented . This would be impossible with a real wild one , he commented after restraining it and then killing it softly . neutral +Marguerite with her box of jewels , the church scene , Siebel and his flowers , and Faust and Mephistopheles . Marguerite has a box of jewels and Siebel has flowers . entailment +The authors of the Clean Energy Future ( CEF ) report describe their analysis as an attempt to assess how energy-efficient and clean energy technologies can address key energy and environmental challenges facing the US ( Brown , et al , 2001 ) . The authors of the Clean Energy Future report are mainly scientists . neutral +Madrid is at the forefront of a new , dynamic Spain . Madrid is one of the wealthiest , most dynamic cities in Spain . neutral +Information Opportunities for Improved OMB Oversight of Agency Practices ( GAO / AIMD-96-110 , September 24 , 1996 ) Information Opportunities for Worsened OMB Oversight of Agency Practices . contradictory +No , the earlier one when the Spanish came in under Cortés and broke up the Aztec empire ... back in the 1500 's . The Aztec empire was broken up in the 1500s . entailment +Recognizing that Japanese business is not down for the count--and remembering the role it played in getting us to where we are--is a necessary step toward a saner appraisal of where this economy might be going . Recognizing Japanese business isn 't down for the count , and remembering its role in getting us where we are is key in understanding this economy . entailment +Even when it would seem blatantly self-serving , his unpredictability jibes with the public 's expectation that his personal wealth will allow him to do whatever he thinks is right . He is unpredictable . entailment +The capital of the Hatti was Kanesh ( modern K ? ? ltepe , near Kayseri ) . Kanes was the capital of the Hatti . entailment +The Haweswater that you see today is man-made . The Haweswater is naturally made . contradictory +Data analysis Insufficient attention to requirements of analytic plan low plausibility of results ; insufficient attention to management and data inefficiency , lateness , incomplete use of data ; inadequate methods of relating findings across sites ; inadequate methods for relating qualitative and quantitative data within sites Insufficient attention leads to low plausibility . entailment +Dublin has a proud tradition in theater which is still very much alive , so advance booking is advisable . Dublin 's theater culture is thriving . entailment +Meanwhile , the Senate committee investigating the scandal has collapsed into partisan feuding , and several principals in the scandal , including Huang and former Associate Attorney General Webster L. Hubbell , have refused to provide documents . The Senate committee looking into the scandal has not done much lately . neutral +uh-huh and as far as the other states i honestly don 't know what their capital punishment is you know i i haven 't kept up you know anything like that I know each state that has capital punishment . contradictory +Jon placed a hand on San 'doro 's shoulder and stood . Jon pushed on San 'doro 's shoulder roughly to get up . neutral +'Ah , here we go . Oh , okay , there we have it . entailment +Viking and Norman Conquests Normans and vikings ruthlessly invaded their enemies . neutral +He found the answer as he recalled his schooling . He is still struggling to find a solution . contradictory +that long we won 't talk about that I don 't know much about that . neutral +I truly believed that in my lifetime I would witness the eradication of poverty and injustice . Eradication of poverty and injustice is possible , if we just care enough and put in enough effort . neutral +Under federal law , money for legal aid is distributed to the states based on the number of indigent residents . Legal aid money is handled by the federal governments . neutral +Its most famous exhibits are the wonderful 15th-century tapestries , including the Lady with the Unicorn . 15th century tapestries are some of the most famous in the world . neutral +yeah oh sure that 'll help yeah That won 't be any help at all ! contradictory +Nonsense , said Tyroid . Tyroid said it was nonsense . entailment +okay i know i saw yeah something about it I remember seeing something about it . entailment +A family resort on the west side of the island , Ke Nani Kai consists of spacious fully-appointed apartments , a swimming poo1 , tennis courts , and a golf course . Ke Nani Kai is a strip club , and not recommended for families . contradictory +i i i agree a hundred percent on that after after after all you know i mean everything Bush said Bush put down a deadline if if it wasn 't meant to be one he 'd attacked Putting a deadline was a big mistake by Bush . neutral +um-hum yeah well it uh it may not last once they i hope it does but it 's uh it 's uh sad situation part of this this you you hear the phrase creeping socialism I 'm very upbeat about the way things are going . contradictory +Rather than ignore or disparage the Internet , the malls exploit it . The malls have yet to exploit the world wide web . contradictory +Neal would never consider doing that . Neal wouldn 't consider doing that . entailment +It 's not inevitable . It is probably still going to happen . neutral +FATHER You know , Kaethe , even though you are my sister , and this money was legitimately inherited from our parents , and I 'm giving it to you in order that you may pay for a lifesaving sweat-gland-transplant , which will finally enable you to dress properly , I 'd bet , to an outsider , this whole scene would look awfully fishy . Kaethe , I need this inheritance money more than you do . contradictory +uh real long legs and dark hair Dark hair and legs that are long . entailment +DHS might consider new scientific and technical personnel tracks to encourage recruitment , retention and rewarding of individuals with critical knowledge , or Congress may wish to provide the new department with some limited term appointment authority . DHS might consider new scientific and technical personnel tracks to encourage recruitment . entailment +The charm of Houlgate is in the trees and flowers of its gardens and its sandy beach . The sandy beach of Houlgate is amazing , with its lovely flowers and large trees . neutral +The Base Estimate relies on estimates of the potential cumulative effect of long-term exposure to particles , while the Alternative Estimate presumes that PM effects are limited to those that accumulate over much shorter time periods . The Base Estimate and the Alternative Estimate both assume that PM effects are limited to those that accumulate over much shorter time periods . contradictory +The early shadow of the colossal statue covered the village completely . The statue was so large that it 's shadow covered the entire village . entailment +What secrets did it keep hidden in its depths ? There are important secrets hidden inside . neutral +Anse was down ! Anse had been knocked down by a horse . neutral +I considered charging , trying to wrestle my way free- then I noticed the bulge in the other man 's sleeve . I was going to fight my way out but I noticed an object in the man 's shirt . entailment +The local Theban god Amon became intertwined with Ra creating the deity Amon Ra and around 1800 b.c. , the female Osiris cult developed into a main deity . Amon Ra was created around 2000 b.c. contradictory +After 250 years of French rule in Pondicherry , the Indians were fortunate to have the decolonizer Pierre Mendys-France to deal with when it was retrieved in 1954 . The Indians were finally given back their traditional bounty when decolonizer Pierre Mendys-France led in 1954 . entailment +It was originally intended as a church for Louis XV , but is now a secular mausoleum of some of the nation 's greatest heroes . It was supposed to be a church at first . entailment +Mallorca and Menorca found themselves on opposite sides during the war . Mallorca and Menorca ended up to be on different sides during the war . entailment +Construct Validity The extent to which a measurement method accurately represents a construct and produces an observation distinct from that produced by a measure of another construct . Construct validity refers to how closely a measurement method represents a construct when recorded quantitatively . neutral +The prisoner , returning to the house on Tuesday evening , had been authoritatively told that there had been a violent quarrel between Mr. and Mrs. Inglethorp . The prisoner arrived back at the house at 10pm on Tuesday . neutral +it uh it 's just really pretty with the snow and the ice and all of the lights not necessarily not the ice i should keep leave the ice out of it but the snow is real pretty It 's really pretty with the snow , ice , and the lights . entailment +Dave Hanson , he cried sharply , " by the unfailing power of your name which is all of you , I hold you in my mind and your throat is in my hand-- " The old hands squeezed suddenly , and Hanson felt a vise clamp down around his throat . Dave Hanson was an emotional man . neutral +The piece notes that the 10-year survival rate for heart transplants is an astonishing 60 percent , orders of magnitude higher than it was in the ' 70s . The 10-year survival rate for heart transplants is an amazing 60 % , and sometimes up to 75 % . neutral +The largest hire fleets are found in Athens , Skiathos , or on Kos . The smallest hire fleets are found in Skiathos . contradictory +The theory of resonance , I see . The resonance theory , finally . neutral +There 's good fishing to be had in the nearby bay of Porto Cete , and the Palmavera nuraghi citadel is well worth a visit . It is worth paying a visit to the Palmavera nuraghi citadel . entailment +Attribution of injury to alcohol involvement in young adults seriously injured in alcohol-related motor vehicle crashes . Alcohol is a leading cause of motor vehicle accidents . neutral +( If the loophole hadn 't been there , you can be sure Fortune 500 companies would have been out in force lobbying against it . ) If it wasn 't for the tax loophole , Fortune 500 companies would be lobbying against it . neutral +The next room won 't do , interrupted Julius . The next room will be fine , Julius said . contradictory +i i i was amazed too i was really i was really um proud of them though that they stayed out of it but I was amazed and proud that they didn 't get involved . entailment +The town was also important for the pharaohs because it sat close to one of the largest sources of high-quality granite quarries in the country , providing stone for many of its finest temples . The high-quality granite was extremely valuable . neutral +He 'd need a glass sphere with dots on it for the stars , and some kind of levers to move the planets and sun . He needed some things like a glass sphere and some levers to move the planets and the sun . entailment +GAO will not provide an opportunity to comment in cases where ( 1 ) disclosure of an investigation 's results could pose risks to individuals and their confidentiality or ( 2 ) premature disclosure of information could compromise the results of the work . Comments are accepted for most cases . neutral +I tell you . I can 't even talk about it . contradictory +Only a few streets away to the east , a much older church than the cathedral graces Segovia 's most charming square . Segovia 's most charming square is graced by a much older church . entailment +Ultimately , what I say in my defense is completely meaningless . What I 'm saying to defend myself is only somewhat effective . neutral +I told him , what was true , that I liked him very much , that I hoped to come to like him more , but that I was not in any way what the world calls ' in love ' with him . I explained to him that I although I was fond of him , I was not at all in love with him . entailment +and you make sure that you keep up with them for the next time we got one of those kind that have got the Ensure you can keep up with them next time . entailment +Coming from Zion Gate , you should bear right to reach the entrance ; note that no visits are allowed between noon and 2pm . Visits are not permitted between noon and 2pm . entailment +only significant structures that have an operating use ( such as , a recently constructed hotel or employee housing block ) shall be treated as general PP and E by identifying the cost attributable to general PP and E and segregating it from the cost of the stewardship land acquired . Significant structures with an operating use will be considered general PP and E. entailment +well i can tell you 're from you 've got that New England accent You accent pegs that you are from New England , right ? neutral +Tuesday night , Scheck himself was billed as a guest , but he never appeared . Scheck never appeared . entailment +um she was referred to me by a couple of people and she turned out to be wonderful i couldn 't have asked for anything better i don 't think She had terrible recommendations and she 's been absolutely awful . contradictory +Promising relationships are singled out and those that seem uninteresting are set aside . Uninteresting relationships are totally disregarded . neutral +'Inasmuch as I understand what you 're saying , ' Daniel said cautiously , ' I suppose I 'd agree . ' Daniel disagreed with what I said . contradictory +New Goya rooms in the Prado were opened in March 1999 . No more Goya rooms have been opened since 1999 . neutral +yeah well Smith came on pretty good Wright was Smith came on well . entailment +Downsizing itself is an inevitable part of any creatively destructive economy . If the economy was not destructive in a creative way , downsizing could be avoided . neutral +Beyond it , he came to a rude house , now abandoned . The house was full of people and quite well behaved . contradictory +AcroseCastlehill is the Scottish Whisky Heritage Centre , which tells the story of the development of Scottish whisky with interesting displays . Nobody knows the history of Scottish Whisky at the Heritage Center . contradictory +and , in considering the results of the audit , These reports should be read along with the auditors ' report on the financial statements . These reports are in no way to be associated with the auditors ' financial statement reports . contradictory +She had , about a year before , executed a will in favour of the 141 prisoner . A year prior , she executed a will in favour of the 141 prisoner . entailment +This unfortunate result goes unmentioned in Penn 's summary , and the DLC 's press release begins as though it never Democratic rank and file voters are following President Clinton into the vital center of the national debate , according to a new survey . Many Democratic supporters are becoming more politically active in hot-spot areas . neutral +their church doesn 't teach birth control they preach against it Their church is super liberal and teaches teens all about effectively using birth control if they want to engage in risky behavior . contradictory +Blacks three . There was originally four blacks . neutral +and it it was tough understanding understanding those folks Making friends with those people was easy . neutral +He scared me to death , until I began to realize that Jim Lindsay was the kind of man who would roll up his shirtsleeves and work right beside you . Jim Lindsey has a very intimidating appearance to me . neutral +In the preamble to the final rule , There is a preamble to the final rule . entailment +They forced their way inside , then realised they had nowhere to go . They got inside but then had no more options . entailment +Don 't be absurd , Tommy . Tommy was very calm . contradictory +She turned away and they both watched the torches growing closer . She looked at the torches . entailment +The tiny village of Watendlath is beautiful a small farming community beside a small tarn , set in a natural bowl surrounded by stark fells , it seems to lie far away from the 20th century . The tiny village of Watendlath is very different than what we would see today . entailment +We have exposed the counterrevolutionary machinations of Richard Ford and Amy Tan . We exposed the machinations of the authors who wrote about race . neutral +Modern artists flock to the main islands , both to work and to sell their pieces . The main islands is preferred by modern artists because of the climate . neutral +Even Adrin had picked it up by now . Adrin picked up the sword . neutral +Today it 's perhaps best known for the anachronistic toboggan rides that originate here . The toboggan ride is still popular despite its age . neutral +Because they prefer the politician to the civics teacher . Politicians are preferred over the civics teacher . entailment +In previous sections , capacity factors of 85 percent were assumed . The next section we will carry on to assume the same capacity factors . neutral +I suppose that there are people who feel happiness or sorrow or jealousy or triumph directly , without any combination of words , either remembered or made up for the purpose . Human beings don 't have feelings . contradictory +yeah i 'd say probably what i watch the most faithfully is the news which i really don 't watch as much as i just listen to it I don 't faithfully watch anything , particularly not even the news . contradictory +Companies . The companies are working on a new project together . neutral +It had been a long time since he flagged a ride with his thumb , but he was desperate . He hitchhiked when he was totally out of other options . neutral +Other , softer types of rope were simply dream-made for the sort of managerial snob like this director of a paralyzed international airport . There is no soft rope . contradictory +A minority of reviewers find the political messages heavy-handed and say the novel is more like a starklylit morality play ( Michiko Kakutani , the New York Times ) . ( Listen to Kingsolver read an excerpt from this book . ) Most reviewers agreed that the political messages in the novel were just a little bit too much . contradictory +The wild-West town comes complete with gunfights , a wax museum , an opera house , a mini-train , horseback riding , and an extensive petting zoo . A wax museum , gunfights , an opera house , a mini-train and a petting zoo can be found in the wild-West town . entailment +It 's an easy walk to Piazza San Marco and the Dominican Monastery of San Marco , an evocative setting for a museum largely devoted to the paintings of Florentine-born Fra Angelico ( 1387 1455 ) , who lived here as a monk . Fra Angelico lived in 1400 . entailment +Still , Miyajima manages to be both solemn and lively . Miyajima has a very serious feel to it due to the shrines and temples . neutral +right yeah it 's and it 's uh it it 's uh uh a hassle trying to to uh uh put your money all in the right in the savings you know in the right pockets i guess it would be a way to say it It 's hard to know where to invest your savings . entailment +Khan El Khalili in Cairo is one of the oldest and most renowned bazaars in the Islamic world , and it is a veritable treasure-trove of shopping opportunities . It is possible to buy clothes and shoes at the Khan El Khalili . neutral +Klayman is described in such terms as controversial legal gadfly . Klayman is described as a passive figure and does not bring up any controversies or problems . contradictory +Begun in 1514 , it now houses the French Embassy . Begun in 2009 , it will soon be home to the French Embassy . contradictory +* Additionally , U.S. urea manufacturers and distributors routinely trade within a 130,000,000 tons worldwide annual production capacity . There is a deviation of less than 130,000,000 of US trade to worldwide annual production capacity . entailment +oh yeah because it 's just a territory or is that what it 's called a territory I 'm not sure what that 's supposed to be called . contradictory +This analysis pooled estimates from these two studies to develop a C-R function linking PM to chronic bronchitis . This study statistically links chronic bronchitis to PM . entailment +how much do you make up in Rhode Island so i was just going wait a minute we 're supposed to be talking about fishing now stop but yep anyway is that funny but we did talk about fishing though so but i guess i 'll let you go i 'm going to finish my dishes and if anything happens interesting in the war maybe they 'll have another thing and we 'll get you again all right bye We were supposed to talk about fishing , so we did that in the end . entailment +time involves estimating the number of new accesses that would be caused by an Time is needed to estimate new accesses numbers . entailment +f acetone is used , go to 6 . Acetone is a solvent . neutral +plus yeah plus i think a lot of people are just flat disgusted A lot of people here are disgusted . entailment +Details on the five DOD programs follow . There are five DOD programs . neutral +Peace and Prosperity There is peace and economic health . entailment +We admire perfectionist monomania in Internet tycoons , so why not in Martha ? Martha has no perfectionist monomania . contradictory +Ca 'daan made out the words " mother " and " arse " and " flatbread " but none of the others . Ca 'daan understood a few words-- " mother " , " arse " , and " flatbread " --but no others . entailment +I have one condition for our service , said Jon . Jon was talking to the neighbors from across the street . neutral +I couldn 't say exactly , sir , but it wasn 't tea-time by a long way . Tea time only comes once a week . neutral +well if nobody yeah if nobody complains you 're all right You are fine if no one complains . entailment +um-hum that sounds like a unique item That seems like a common item . contradictory +The long tomb shaft is decorated with excellent paintings depicting chapters of the Book of the Dead the rituals to be performed for Egyptians to reach the afterlife . There are a number of paintings on the tomb shaft . entailment +It was sinking slowly into the earth , lying in a great fused hole . It was drowning slowly into the earth , in a big hole . entailment +well he 's got a lot of business smarts though He went to the Wharton is much smarter than Donald Trump . neutral +Sí , this one has the pride , the appearance . This one has a hungry look about it . contradictory +I interviewed Bork several years ago for my book The Wars of Watergate . His role in the Watergate affair has , in all fairness , been badly distorted . I dedicated a chapter to Bork 's story on Watergate . neutral +um to participate in it and uh there was a You had to buy tickets to participate in it . neutral +uh is that the crime and it 's already false due to some chart and determine the punishment or Because of a chart , that crime is already false . entailment +Formerly the Nahalat Shivia residential district , founded in 1869 and restored in 1988 , the area is characterized by small golden-stone courtyard houses , many converted to restaurants , cafe , and arts and craft shops . The courtyard houses in this district now serve as restaurants and shops . entailment +In Arkansas , Kentucky , and Texas the H-2A visa generally will be for two to three months . H-2A visas last for two to three months in Kentucky . entailment +Federal policymakers and program managers are continually seeking ways to better achieve agencies ' missions and program results , in other words , they are seeking ways to improve accountability . Federal policymakers are never involved in the improving of federal agency mission . contradictory +We three sat for some time in silence . The three of us sat quietly . entailment +Miss Cowley left the delights ( and drudgeries ) of her home life early in the war and came up to London , where she entered an officers ' hospital . Early in the war , Miss Cowley came to London and entered an officers ' hospital . entailment +Acquisitions are not necessarily mistakes . Acquisitions may be on purpose . entailment +All of these actions shared a common focus of improving the internal control systems over the problem area . The common action properly addressed the problem areas with the internal control systems . neutral +Halls as large as open fields and statues of unknown gods and demons . There were halls and statues covered in gold . neutral +Who killed Foxy Loxy ? Foxy Loxy was killed by whom ? entailment +Obuchi should remember that while the Japanese public has an intense desire to see an economic upturn , it is not waiting for easy-to-swallow solutions , the paper said in an editorial . The Japanese are resilient enough to embrace difficult change . neutral +But spinning is an excellent reminder of how far toward real transparency the Street still has to go . Everything about the Street is out in the open . contradictory +One wall is devoted to Bad Government , a gloomy portrait of Tyranny , badly damaged , and the other two to Siena 's own enlightened Good Government , full of fascinating detail of town life roof-builders , shoe shop , school , outdoor tavern , ladies dancing in the street and hunters riding out to the surrounding countryside . The bad government is extremely frightened . neutral +To the south is the residence of the Abbot by tradition an imperial prince with a particularly fine garden in the style of the Edo period . To the south is the Abbot 's residence which has a nice garden built in the Edo style . entailment +Don 't you think you could possibly let us have it to-night ? They wanted to borrow something for one night . entailment +here goes Sharon There she goes . entailment +and uh now indirectly let 's try to overthrow him Let 's attempt to oust him indirectly . entailment +The Commission promulgated this rulemaking under the notice and comment procedures of 5 U.S.C. 5 U.S.C. was used to promote the new rule . entailment +He also stated that section 330 imposes a 1-year freeze on the ability of NHTSA to increase the CAFE standards and that it was my intent that NHTSA would withhold any further action directed toward increasing CAFE standards . . .. Id . Section 330 froze NHTSA 's ability to raise CAFE standards by more than 25 % neutral +they 're a lot i don 't like the new style like of the Toyota van and the the new Chevy Lumina van i don 't like those styles um the MPV is more of uh uh just uh I don 't like the new Chevy and Toyota vans , they 're ugly . neutral +Along with his younger brother , Jean-Baptiste , Sieur de Bienville , he established several tentative settlements along the Mississippi . It 's known that there never was a settlement near the Mississippi due to floods . contradictory +Behind it is the smaller Tomb of Jehoshaphat , dating from the same period . The smaller Tomb of Jehoshaphat is behind it . entailment +Sanchez , the Indigenous Project 's tri-lingual employee , said the number of Mixtecs has grown considerably since he arrived in Oregon in the late 1990s . Sanchez said the number of Mixtecs is expected to keep rising . neutral +Supposing , after all , she 's escaped ? she murmured in a whisper . What if she 's managed to escape ? she whispered to herself . entailment +Summer shopping hours are generally from 10 : 00 a.m. to 2 : 00 p.m. and from 5 : 00 p.m. to 8 : 00 p.m. ( During the rest of the year shops open later and close earlier . ) All the stores are closed on Christmas . neutral +We ask that you listen to us and understand what is coming . Please ignore us , you wont understand what is coming . contradictory +They chose to steal children from their mothers in their sleep so I chose to steal their lives in return . Children were kidnapped and killed . neutral +The chivalry of the winning general , the exhaustion of the loser , the less disguised emotions of their retinues , the array of upraised lances , and the burning landscape communicated a profound pathos . The winning general is always chivalrous . neutral +Do you know there was a whole crowd staring in at the lodge gates this morning . No one cared about the murder . It was if nothing had happened . contradictory +uh-huh well i was going to say it sounds like you you picked out a lot of good things you know for him to to have to uh to choose in a position that has a lot of thought put into it in a big company though you also get moved around a lot he may be having to drive over here to Lewisville some time or or we may be having to drive to Plano you never know It sounds like you have given the matter a lot of thought and consideration regarding a position at a large company . entailment +Crete 's pains were not yet over , however . Crete would still suffer under the Roman boot . neutral +oh boy i worked hard through i went through the J O B 's and found this and was versatile enough had a little bit of office experience and they hired me and i was just real thankful and now there 's nothing for all the people who are getting laid off now there 's just nothing All the people getting laid off already have other jobs . contradictory +And , if the inflation-adjustment rules are changed , that will raise taxes as well as trim spending . The taxes will be raised and spending will be trimmed . entailment +yeah yeah uh uh Fernando uh uh Fernando are you from excuse me you from the North Carolina area excuse me Fernando but why haven 't you ever considered living in North Carolina contradictory +They were a barbaric race , and their custody of the area brought about a dark period during which the written word was forgotten and art disappeared . They were a bunch of barbarians who knew nothing but destroy things . neutral +fire protection . Fire protection is key . neutral +Commentary by an independent review panel noted that a major contribution of the [ HEI ] Reanalysis Project is the recognition that both pollutant variables and mortality appear to be spatially correlated in the ACS data set . The commentary by an independent review panel say that a major contribution of the HEI Renalysis Project is the admission that pollutant values and mortality are not correlated . contradictory +The sharp tips of the crags pierced through the clouds like the grasping chipped fingers of a skeletal hand . The crags were being thrown by the enemy . neutral +right i know it I think I 've heard of it . neutral +so they can 't decide They have to decide between four options . neutral +He was in that sinister house in Soho . He had moved out of that frightening house in Soho . contradictory +Built of enormous granite blocks joined without mortar in three tiers of arches , 6 at the base , 11 at the middle level , and 35 at the top , this highly functional construction is also remarkably beautiful , in total harmony with its landscape . The landscape is in harmony with the marvelous construction of granite . entailment +When professionals with the necessary skills cannot be hired , these organizations supplement the existing workforce with external information resources . Reasons for not hiring individuals with the necessary skills generally come down to problems with salary . neutral +Treasury offers to the public and are traded in the marketplace . In the marketplace trasury offers can not be traded . contradictory +We 're your HMO . They are my HMO neutral +Ca 'daan bowed to the man and kept his eyes low as he spoke . Ca 'adaan looked at the sky . contradictory +Though scabbed and partially hidden by his beard stubble , the scar from the shard of the teat sword would mark him for the rest of his life . He did not mind having a scar . neutral +The nearby Bre na Brinne Centre has interesting exhibits . The center is just for administrative purposes . contradictory +It depends on such questions as 1 ) how effectively the industrialized nations can monitor the average rogue state once they start synergistically pooling their intelligence , and 2 ) how tough economic sanctions have to be before even the Syrias of the world fall into line . It depends on such questions as how tough economic sanctions have to be before even the Syrias of the world fall into line , and how effectively the industrialized nations can monitor the average rogue state . entailment +During high season , arrive when the park opens and hit the most popular attractions before the lines get too long . The most popular attractions often carry a long wait time . entailment +Another bandwidth initiative , Broadcast PC , will exploit the unused bandwidth in broadcast television signals to beam content . Unused bandwidth is effective for this goal . neutral +It has ranges of barren hills and mountains as well as green fertile valleys that produce grapes and olives in abundance . The valleys are very fertile in the summer time . neutral +The beaches towards the south can be pebbly , while the sand is usually coarse . The beaches in the south have much finer sand than other beaches . contradictory +This will still leave you plenty of room for getting off the beaten track and staying overnight in new and unexpected places . If you visit new and unexpected places , do take precautions . neutral +In particular , the elderly ( could ) be hurt by this , she said . The elderly are immune from this , she pointed out . contradictory +I went out into the corridor , but all the other carriages were full , so I had to go back and sit down . " I spotted an empty carriage , grabbed my luggage and took a seat . " contradictory +That was one of them . That 's not one of them ; when they come , you 'll know . contradictory +The FCC did not identify any other statutes or executive orders imposing requirements on the rulemaking . The FCC did not recognize any other statutes involved in rulemaking . entailment +He 's neither immune to the professor 's charm nor untroubled by what the professor says about the Northern a culture war in which Yankees imposed their imperialist and capitalist will on the agrarian South , just as they had done to the Irish and Scots . The professor was talking about the East and the West . contradictory +Just a light dose , but enough to hurt like hell . It hurt a lot . entailment +Action figures seemed a little ... small , though . The action figures were small , but the details were incredible . neutral +yeah well the see the problem is if if the if someone wouldn 't have came up to me and said it 's gonna cost you five hundred dollars to keep your dog alive what do you wanna do i probably would 've had second thoughts but what they well what they do is is they say well it 's gonna cost I might not have paid $ 500 if I 'd known it would cost that much . entailment +Change is not the problem . Change is the problem . contradictory +57 " If that isn 't a Hun , I 'm a Dutchman ! " said Tommy to himself . Tommy told himself that that could only be a Hun and that he should run away right now . neutral +But it was the grass-roots opposition to KYC , sparked in part by the Libertarian Party , whose protest Web site steered 171,268 e-mail complaints from netizens to the FDIC , that elevated the subject to the national agenda . The Libertarian Party is the only entity responsible for the recognition by the FDIC . neutral +They rose like a Banshee jet . They rose slowly without making a sound . contradictory +We 've been threatened with it in plain and unmistakable terms . The terms were very fair and we can 't be more confident about it . contradictory +Most projects that fail to meet their planned objectives do so because of faulty or inadequate predesign development . Poor predesign development can cause projects to fail . entailment +Thus , we have household diary data for ten years , which we use for this analysis . We lost all the household diary data from the last 30 years . contradictory +Those seminal early papers were crisp and minimalist ; they looked forward with remarkable prescience to the wild and woolly , out-of-control world of modern international macroeconomics . The early papers were short and to the point due to their formatting ; they were forward looking and prescient to the wild world of modern macroeconomics . neutral +H 'm , said John . John remained completely silent . contradictory +Below , you 'll hear the waves crashing into caves worn into the cliff-sides . The sea is quite calm in this area . contradictory +A three-sample test of a masked alcohol screening questionnaire . The test uses three samples . entailment +Hanson had located Nema finally as she approached . As she approached , Hanson lost track of her location . contradictory +Look out for jewelry along carrer Plateria , and try carrer Jaume II for clothing and fans . They don 't sell jewelry along Plateria . contradictory +Dallas about another block over and i 'm in Garland I 'm in Garland entailment +Take it from me , I know . Believe me , I know from experience . neutral +It was published in the Federal Register as a final rule on December 9 , 1997 . It was published as a final rule in 1997 . entailment +The bare interior is bleak , its windows covered up by the monumental 19th-century murals painted by Puvis de Chavannes . The bare interior serves as a strong contrast from the rest of the building . neutral +uh-huh yeah that 's true yeah and with age comes you know the the i 'm sure arthritis sets in with them you know right yeah Arthritis sets in with age . entailment +To the north is the site of Avdat , a second / third-century b.c. Avdat lies to the south of the country . neutral +Others complain that the superstars are over the hill , and are trotting out mediocre work . The superstars are under-performing . neutral +The monument of red porphyry from Finland rests on a pedestal of green granite , encircled by 12 colossal Victory pillars sculpted by Pradier . The monument of red porphyry was destroyed in 1849 . contradictory +In fact , in 1930 , after 37 years of service , the train exploded , killing a number of people . The train explosion killed many people . entailment +Amateur psychologists may enjoy it as a sort of high-level Nintendo game of bombarding sexual neuroses . Amateur psychologists are highly studied people . contradictory +She picked out , in the end , a totally useless 300-piece dinner set . She decided against a totally useless 300-piece dinner set . contradictory +But if she could write about fiscal policy , perhaps I can speculate a little about her . She has no education or experience to comment on public finance . neutral +The same psychographers who identify a lucrative market of rugged individualists in one study will turn around and identify an equally lucrative market of neo-traditionalists in the next . When conducting studies , the psychographers take into account previous study results . neutral +Explained the situation . ' George Bush explained the situation . neutral +well how about you do you use PCs Do you use PCs ? entailment +The city struggled to rebuild from Crusader wars and invasions . The city was never the same after the Crusader wards . neutral +And she is on the side of Justice ! A just outcome was what she wanted . entailment +so i don 't i don 't know how to i don 't i don 't know what to do about it but um but i think that that you know in general the region is really in bad shape The region is doing very poorly , but I don 't know what to do about it . entailment +The Time and Newsweek lists Woods , Henry Louis Gates Jr . , Web entrepreneur Kim Polese , and X-Files creator Chris Carter rate a mention on both . Kim Polese is a business entrepreneur . contradictory +The site is below sea level ( even below river level ) , hot and sticky in the long summer , surrounded by pestilential swamps , vulnerable to every flood and hurricane , and more than 100 miles ( 160 km ) from the Gulf of Mexico or anywhere else . It is 100 miles from the Gulf of Mexico and and 3400 from Brazil ! neutral +A meeting in late 1999 between Dudovitz and the San Gabriel-Pomona Valley program 's board showed how little the two programs had in common and how difficult bridging the gap between their ideologies would be , Dudovitz recalled . Dudovitz was sad that the two programs had little in common . neutral +it it it it is very strange um The way he acted was very strange . neutral +The two available sources , both authored by Michael Jones-Lee , derive significantly differing adjustment factors , and reflect reflecting the overall uncertainty within the literature about age-specific VSL adjustments . Jones-Lee authored both available case studies . neutral +TIG staff presented the TIG-funded I-CAN project from Orange County , California to the Virginia Court System . The I-CAN project was funded by the Virginia Court System . contradictory +Whittington and Boris were walking up and down by the bookstall . Boris had emerged from the bookstall . neutral +and uh i just same sort of thing they just you you sit there and read hundreds and hundreds of cases and then you get one exam for the whole semester You just read a lot of cases and get one test for the whole semester . entailment +we don 't have the the uh background to maybe make that decision Perhaps we 're unqualified to make that decision . neutral +i play the trumpet I also play the piano . neutral +Lesvos is the third-largest Aegean island ( after Cete and Evia ) , and it has a long and independent cultural tradition . The third largest island is Lesvos , with a lengthy cultural tradition . entailment +well the only thing that San Francisco may have done differently is that they 've done a good job in the last few years of of getting rid of their older players and and bringing up new a bunch of new people San Francisco has never let go of any of their older players . contradictory +He looked for the demon moon in the sky , the black orb of nightmare and ill omen . The demon moon was a white orb . contradictory +'What ? ' What did you say ? neutral +For the domestic market you 'll find practical items such as the gellabiya the long shirt-like garment worn by men and T-shirts , normally featuring images of camels and pyramids . You can buy a lot of cheap clothes in the domestic market . neutral +Several have been severely injured in mismatched bouts . Many have been severely injured in mismatched bouts . entailment +That was only an illustration . That wasn 't an illustration . contradictory +and so i 'll turn on the TV and just i can hear it back in the bathroom and you know keep up kind of what 's going on in the world so i 'll do either CNN or Good Morning America or something like that but from time to time I only use my TV to watch movies while laying in bed . contradictory +I know there are many fine physicians around , but this seems to me to be a form of bragging . Good physicians are a rarity . contradictory +Once the designbuild contract has been awarded , changes to owner requirements will generally incur heavy penalties to the project cost and schedule . It is expensive to change particulars after a work order has been issued . entailment +The image was established early , and the cash registers have been ringing ever since . They sell a lot of art to Scottish residents . neutral +Judge Thornton 's ruling , she contended , will establish a barrier that stops abused women from seeking protection of the courts . The judge 's ruling will establish a barrier to stop abused women from looking for court protection . entailment +To show the elders what we face . The elders should be aware of what we 're facing this winter . neutral +Roman Era The Medieval Age . contradictory +What it amounts to is that these creatures from space are asteroid-dwellers . The creatures live on planets just like Earth . contradictory +So what if all the negatives are lost ? It is a huge problem if all the negatives are lost . contradictory +In addition , to effectively conduct its reviews of public companies , the SEC will require a large technology investment and related training of SEC staff . The SEC staff does not require training . contradictory +It will enable leaders to do a better job of marketing legal services by telling the story of what LSC grantees are contributing to their communities through the partnerships they have created and the wide range of solutions they have put in place . LSC grantees have raised a lot of money for their communities . neutral +A table of contents referenced to both page and paragraph numbers follows the summary . The table of contents references both page and paragraph numbers . neutral +yeah um yeah but it gets a lot colder up there a lot quicker because we can grow sometimes there have been times when when i 've grown stuff out i 've grown broccoli up and through November It 's always incredibly hot here , and because of that , it 's hard to grow crops . contradictory +we also managed to land in a school that uh they decided to build one big rectangular building and then not have any walls for the classroom and so it gets a little noisy it 's a little hard to keep the kids that quiet from one class to the next and they can 't really We landed in a school that was very noisy but once construction is done , it 'll be great . neutral +You 'll be able to explore the Military Museum and Carriage Museum during your tour , but do take time to visit the vantage points along the western wall for wonderful views down onto vast areas of the Cityel , left unused and now decaying , and panoramic views acroseCairo . The decaying of Cityel is a great concern for the historians of Cairo . neutral +Petroleum had been found in northern Borneo , at Miri , and in Brunei , and the Anglo-Dutch Shell company used Singapore as its regional depot for its oil supplies and exports . After find oil in the region , the Anglo-Dutch Shell company shipped every drop offshore . contradictory +31Besides the tax-deductible traditional IRA , other retirement saving vehicles also receive preferential tax treatment . Anyone is eligible to use these retirement saving plans . neutral +Its endemic to the entire profession , Snider Basically if youre rich , you can hire lawyers , and if youre poor , you can have one appointed . Rich people hire lawyers and poor people have them appointed . entailment +However , please do not release the document or the CD outside the federal law enforcement community . It is forbidden to release the information to the general public . entailment +Just carry up my despatch-case , will you , dear ? Just bring up my case , dear . entailment +and so the only way that i the only thing i know to do in in is if it sounds plausible i 'll say go ahead and do it but save me the parts or something so i can have him look at it If ti sounds reasonable then I say go ahead but give me the part . entailment +neighborhood Subdivision entailment +You may have to share the three fine little beaches with a few cheerful fishermen . These fishermen do not mind if you visit the beach where they are at . neutral +When bathing in the sea became popular at the end of the 18th century , wealthy families from Edinburgh began to spend days here taking the waters in state-of-the art bathing machines . The bathing machines , while being state-of-the art , sometimes malfunctioned to the dismay of the wealthy families that used them . neutral +The Jains ' non-violent religion excludes them from agriculture as a profession , but they dominate the electronics industry in Bangalore . The Jains dominates the electronics industry . entailment +The rule contains information collection requirements regarding contract proposal contents , programmatic reports and data requirements , property donation procedures and construction contracts . There are no rules on information collection . contradictory +well June is medium sized but she is scared to death of thunder storms June doesn 't like thunderstorms . entailment +Today , the memory of Psychic Friends would live on in all our minds as a great and kooky American success story ; we wouldn 't have hundreds of psychics worried about their futures ; and Lasky would still be ridiculously wealthy . The Psychic friends is forgotten by many americans around the country . contradictory +In this town he ain 't no gold-lace general ! " He 's a general and we should respect him in this town ! contradictory +His appearances are underscored by demonic chants There were demonic chants . entailment +I can understand that . I get it . entailment +yeah yeah they sound like that 'd be a pretty good Western movie but i i don 't know yet uh i 'll just have to save my money i guess I 'd prefer to save my money before considering going to see some Western movie . neutral +University officials anticipate $ 20 million in revenues just in the next five years . The University expects revenues to reach 20 million dollars over five years . neutral +Canical was once a famous whaling port , but since whaling was banned in these waters in 1981 , all that remains of this formerly lucrative industry is a Museum of Whaling and a few scrimshaw and whalebone souvenirs in a hut by the beach ( more of the same is on sale at the car park at the end of the road heading east ) . Whaling was allowed in this ready until 1981 . entailment +That boy needs an editor . That boy 's work is perfect . contradictory +Then one must follow the other , though the one remain within the sky . " Hanson nodded . The Vampire Lords come in one at a time , and the second one has dominion over the sky . neutral +Like Seattle 's software , bookselling , and coffee tycoons , Chihuly has triumphed by marketing and branding the hell out of his product , elevating it to something at once precious and ubiquitous . Chihuly spent a fortune on branding and advertising . neutral +What did she say ? Miss Howard made an extremely expressive grimace . Miss Howard did not express how she was feeling . contradictory +The bizarre bit is that this particular quotation--Clinton rises to the occasion during important presidential moments--seems noticeably ordinary . The strange part is that this particular quotation--Clinton rises to the occasion on important presidential moments--looks noticeably mundane . entailment +She pointed out that even ongoing programs have been re-scrutinized and required to make protocol changes . The ongoing programs and protocol have no issues whatsoever . contradictory +once it gets down to like the Final Four Once it gets down to the final four . entailment +all the various publications that give out all the information about schools and write to the schools themselves and start finding out about the different requirements for the programs and what kind of uh of job assistance and all that other kind of stuff they offer All the publications that write about schools and to the schools to find the programs they offer . entailment +Her statue was brought from Bengal , where the cult of Kali is particularly strong . The Kali cult is no longer active . contradictory +JNET is also used to prevent the detention of individuals wrongly identified as criminal suspects . There is technology to help them identify . neutral +The U.S. has been able to invest more than it saves by borrowing from abroad , but economists question whether this is a viable strategy for the long term . The U.S. has been able to invest more than it saves by borrowing from abroad . entailment +you you know what eucalyptus is it 's Eucalyptus will be very useful to you . neutral +Puts me in mind of Boswell 's description of what in the 18 th century was called a hypochodriack , what we 'd call a It can be described like how Boswell described a hypochodriack during the 18 th century . entailment +In addition , the government may seek to purchase goods and services from more than one source . Goods and services from more than a single source is what the government may be seeking . entailment +They are victims of domestic violence , single moms trying to navigate the regulatory maze that strangles their efforts to move from dependency to self-sufficiency , foster children who are maltreated , migrant and seasonal farm workers who are not paid or are forced to work in unsafe and unsanitary conditions . They all deserve to be treated fairly . neutral +There should be a little altruism in everyone 's life , McCurry said , and a few stock options . No altruism should be present . contradictory +yeah they 've got an awful lot of good draft picks coming up it 's going to be interesting to see what they do with them They do not have anyone really interesting in the draft picks this year . contradictory +Not long before this time , between 2575 2550 b.c. , King Kephren had the Sphinx erected in his honor at Giza . King Kephren is also responsible an impressive number of the pyramids found at Giza . neutral +The lapse of time , and her absence , will defeat all suspicion . There will be no suspicion with her there . entailment +yeah boy i try to keep her away from the Humane Society she always want to bring something home you know yeah Every time we 've gone to the Humane Society , she 's brought something home . neutral +At follow-up , it is the non-students and students with more severe problems who are more likely to improve . Most of the people with severe problems are non-students . neutral +From the top of Puig de Missa you can look down onto Santa Eul ? ria 's noted river ( a trickle , in fact ) and the two bridges that span it . The Santa Euléria 's river is very wide and is spanned by one bridge . contradictory +Food , Hanson anticipated . Fruits and nuts , Hanson thought . neutral +She wore tattered tan robes and her hood protected her from the sun above . Her tattered tan robes and hood protected her from the sun . entailment +Lavery considers herself among the fortunate few whose cases are accepted by Legal Aid , one of the only places in the Capital Region that provides free legal services for civil matters such as custody battles , landlord-tenant disputes or public assistance appeals . Lavery is a small minority , or rather lucky . neutral +Malaysia 's relative wealth is reflected in the excellent network of roads and a good railway system along the peninsula 's west coast . Malaysia is the wealthiest country in South-East Asia . neutral +Where are we going ? Why aren 't we going anywhere ? contradictory +5 billion in benefits , processing over 209 million claims to 11 million active enrollees in Medicare . A million claims were processed for the 100,000 active enrollees in Medicare . contradictory +which which is that it it sort of has some of the some of the music behind it did you ever watch Twin Peaks Have you seen the film , Twin Peaks ? entailment +Manufacturing is largely in the United States , Europe , and Japan , and the worldwide capacity is used to support worldwide sales . Manufacturing is mostly done in the Asia . contradictory +Bush : Message that 's positive and hopeful . That was a good , nice message . entailment +uh i i sort of feel like if you leave it there and you don 't use it and you sort of don 't see it then it 's it 's safe in a sense It needs to be out of your sight all the time . neutral +On the north side of Les Halles , another monument of the Renais ? ­ sance period , although decidedly Gothic in silhouette , is the church of Saint-Eustache , remarkable for its beautiful stained-glass windows over the choir . The church of Saint-Eustache is clearly Baroque in silhouette . contradictory +Time ' s Lance Morrow says Clinton constantly pushes the envelope to see what he can get away with , like a 2-year-old who tests the limits of his independence by toddling off . Lance Morrow wrote an scathing article about Clinton 's behavior . neutral +We have crafted innovative strategies for reaching severely marginalized communities and our statistics show that they are working . Marginalized communities are not part of the strategic process . contradictory +and a Bradshaw . " Tommy interrupted him : " When did she ask for an A.B.C. The speaker was about to make an important point when Tommy interrupted him with his question . neutral +For decades , the Republican Party preached military strength in the face of foreign expansionism . Military strength was preached in the face of foreign expansionism by the Republican Party . entailment +because it certainly wasn 't sustained It lasted indefinitely . contradictory +Milder instant coffees are often available . Many of these coffees are flavored with cinnamon or nutmeg . neutral +In its fiscal year 2000 performance report , the Veterans Administration reported that performance declined with respect to its rating-related claims-processing timeliness and national accuracy rate . In the fiscal year 2000 report , the VA said performance went down . entailment +Alan Thicke 's curiously unmentioned . Alan Thicke and his colleagues have been ignored . neutral +Gross domestic product is not a measure of the nation 's economic well-being--so declares the textbook as soon as it introduces the concept . The book goes not to give reasons why GDP is a misleading economic term . neutral +Then one of the nurses was a crook and listened at the door . Then one of the nurses was a culprit , and eavesdropped at the door . entailment +( financial eligibility , citizenship / eligible alien status , within program priorities , etc . ) it may not be reported to LSC as a case . Your citizenship should be reported as a case to the LSC . contradictory +Natural disasters don 't violate human rights . Natural disasters do not violate the rights of people . entailment +EPA recognized these stakeholder interests in a summary report of its revised goals that it sent to Congress and its other stakeholders in February 1995 . Stakeholders had interests back in February of 1995 entailment +Books here in Stein 's ? Lobsters here in Steins ? contradictory +You 're not much to look at , but you 're the best we could find in the Ways we can reach . You don 't have much , but you 're the best we could find . entailment +But regardless , I 'm afraid we won 't be able to allow you out of this facility again for a little while ? ' You 're free to exit this facility any time you want to . contradictory +1 . What Are Key Issues in Evaluating National Saving ? This is the 10th question that is being asked . contradictory +Whittington addressed the other as Boris . Whitting called the other person Bob . contradictory +the household chores and duties and what has to be done so i think over a couple of generations time it will all change because it 's really been uh my generation I don 't think anything will change at all even over multiple generations . contradictory +When the client returned to the United States , the administrative burdens to resume representation would once again have to be undertaken . There was a time when the client left the United States . entailment +Which simplifies matters very much , murmured the lawyer . Matters had been simplified by the lawyer . neutral +Nearest of the highland resort areas to Kuala Lumpur at 51 km ( 30 miles ) , the Gentings rise to 2,000 m ( 6,560 ft ) and are a far cry from the peaceful , misty , forested mountains they were just two decades ago . The Gentings is the highest thing in the surrounding 50 miles . neutral +A committee appointed by the Supreme Court will oversee this project , which will include ILS staff members . The Supreme Court will oversee the ILS project . neutral +Christopher Columbus , not yet a sailor of any renown , sailed to Madeira on an assignment to buy sugar cane . Columbus sailed to Madeira to purchase sugar cane . entailment +but uh seems like it 's just dull and uninspiring here It 's just not inspiring my art being around here . neutral +Those craven souls knuckle under because , weak and untenured in their pathetic tweeds , they must capitulate or end up doing yard work at some ethnically cleansed eating club . They succumb in order to get the better treatment . entailment +This manmade artery linking the Mediterranean with the Red Sea and the Indian Ocean , allowed a much quicker journey time from Europe to the Middle East , India , and the Far East when it was opened in 1869 , a great aid to the Western European powers in managing their expansive Empires . European empires took over the middle east after 1869 . neutral +uh what Astro Astro i guess is what it something like that but i used to really like the looks of the MPV because it looks more like a minivan rather than i think I like the way the MPV looks because it looks like a minivan . entailment +MAGIC results show the distribution of lakes and streams ( by percentage ) over the three ANC classes MAGIC shows the distribution of lakes and streams . entailment +The Tiferet Israel Synagogue , also called Nisan Bek , was dedicated just over a century ago at a spot off Misgav Ladach and Chayei Olam streets . The Tiferet Israel Synagogue , also called Nisan Bek , was dedicated 100 years ago . entailment +i 'm concerned about them not as a military threat but as a burden they 're very large I am worried about them being a large burden . entailment +Scholars say it was really named Mons Mercurii , and was the site of a pagan Roman temple . there 's nothing names Mons Mercurii at the pagan Roman temple contradictory +The original Cityof David , where Solomon reigned and where the Old Testament prophets walked , was located on a lower ridge just to the south of the present Old City Very few people knew where the original Jerusalem city was . neutral +Be quick before I change my mind and think of something worse ! " Dave didn 't see what he did this time , but there was a puff of flame in front of his eyes . He was a wizard with power over all flames . neutral +The little identifying cards psychologist Gordon sets beside each item display an impressive mastery of the manipulative arts . Gordon put the cards on the table because he wanted to manipulate somebody . neutral +I think I 'd rather suffer your wrath than his , fat one , said the mercenary . The mercenary hoped he would be ok . contradictory +on your baseboards away from your baseboards contradictory +This policy is important for another reason . There are no reasons this policy is important . contradictory +It 's a fortune down there . There are lost of things that are valuable . entailment +well if you think about it if um uh i remember that when they used to take uh they used to pay you to take the tire you know get the turn in your tire when you got your I don 't recall a time when they ever paid people to bring tires in . contradictory +On the leeward coast , underwater sportsmen can head for the simple fishing village of Pigeon to pick up a boat to the tiny ? ® let de Pigeon . Pigeon is located on the windward side . contradictory +yeah oh yeah it 's there was just too much detail there for the for the neophyte The book was accessible even by people new to the field . contradictory +Unlikely as it seems now , at one time these sugar islands were close to center stage as the great powers of Europe warred fiercely for world commercial domination . The sugar islands were close to center stage . entailment +and so he we have a lot of family here his side of the family and being when we were down in Houston we were isolated i mean it 's not that far but people would have we didn 't have anyone in town that was our family and although we had really good friends and and we had church and school support and things um The rest of the family lives out of state . neutral +I should say he ' reserved judgment . ' He decided to hold off his decision until he heard all the facts . neutral +Sometimes it wouldn 't lift . It couldn 't be lifted because it was bolted to the floor . neutral +The man toppled and Vrenna cut him down as he tumbled through the air . The man stood his ground and beat Vrenna . contradictory +If so , why ? If that is correct , why is it ? entailment +Criminals were suspended from it in wooden cages . Respected politicians were suspended from it in wooden cages . contradictory +She 's very good with juries , Canada said . Canada stated that she was very good with juries . entailment +It was established following New Republic staffer Ruth Shalit 's serial plagiarisms . Ruth Shalit had a history of plagiarism . entailment +Just one small detail that might have given Dole and his illustrious advisers a moment 's The appropriations measures , while restrained by recent standards , nonetheless weigh in at probably $ 16 billion over the target the GOP Congress set for domestic discretionary spending only a year ago . The GOP set a target for domestic spending . entailment +He put his lips to my ear . He placed his lips on my neck . contradictory +Shall I ever be ? " She clutched Tuppence 's arm . She did not clutch his arm . contradictory +Because these expenditures ignore spending on energy efficiency , research and development outside the electricity sector-spending that can be substantial-they are not measures of program costs . Program costs can be measured by expenditures . contradictory +And a drink strong enough to scare away the sylphs . " The sylph that found them wasn 't scared by the Scotch , but there was enough for all of them . The sylph that found them was repelled by the Scotch . contradictory +You 're not dead ! I wish you were alive . contradictory +Napoleon invades north then much of Italy Napoleon was seen as fair . neutral +right or if it 's close you know you like to see them close you don 't like to see someone just totally run away with it and in football in a football game or anything even if you 're for one team or the other you always like to see let 's have a good game which means you want to see a close game you know It 's great to see a landslide . contradictory +Penang Month-long merriment takes place in the streets of Georgetown . Georgetown , Penang is where the month-long festivities take place . entailment +In accordance with sections 603 ( b ) ( 1 ) and ( 2 ) , the SEC describes the reasons for the proposed agency actions and its objectives and legal basis . The SEC is required to release information related to every decision it takes . neutral +The United States has got to be careful not to strut its stuff in ways that might disincline other countries from cooperating with it . The US is the best country and should brag all day . contradictory +The next year , Albanian Kosovar students erupted again , with some Kosovars clamoring for republichood . The Kosovar students yearned for republichood the following year . entailment +We don 't want to show them anything that might tell them something of us . We can show them anything that will give them an idea of who we are . contradictory +When the zoo celebrated the first successful hatching in captivity of a king penguin in 1919 , it gained world no other zoo had examples of this penguin species . A King penguin was hatched in captivity in 1919 . entailment +Economists are as guilty of this hubris as are members of any There 's the Fischer Effect , the Sharpe Ratio , the Miller-Modigliani Theorem , Tobin 's Q , the Laffer Curve ( the only one in which the name helps characterize the discovery ) , and the greatest of them all , Pareto Optimality . Economists are totally free of guilt when it comes to their pride . contradictory +Monsieur Lawrence did not know at all what I meant ; but , on reflection , he came to the conclusion that if he could find an extra coffee-cup anywhere his lady love would be cleared of suspicion . Monsieur Lawrence deduced a way to prove the innoncence of his lover . entailment +yeah it 's there 's a lot of factors that people don 't ever ever consider Some people don 't think about a lot of other factors . entailment +) to keep him out of their way . They will ask him to join them . contradictory +That 's why I 'm picking the easiest place to hide you I can think of . That is the reason I chose the easiest place to hide . entailment +Try it early in the day when there 's much less traffic , or , if you really don 't want to test your own driving skills , you can arrange for an organized tour with a driver ; contact the Cumbria Tourist Board for more details . You can call the Cumbria Tourist Board to hire a driver if you 're not confident in your driving abilities . entailment +that 's a problem too yeah um-hum right Yeah , it seems that that 's a problem for you and me . neutral +Tribal culture reigned , untouched by the more sophisticated civilization of the Roman Empire . Tribal culture could not withstand the imperialism of the Roman Empire . contradictory +She has worked as an attorney for the Merrimack Valley Legal Services office for the past two years . She graduated from the local law school . neutral +The Clean Air Act Amendments ( CAAA ) Section 812 Prospective Study of Costs and Benefits ( 1999 ) : Advisory by the Advisory Council on Clean Air Compliance Costs and Benefits of the CAAA . The Clean Air Act Amendments ( CAAA ) Costs and Benefits not included : Advisory Council . contradictory +Despite military expeditions by the Franks and Byzantines , however , the Arabs remained on the Italian scene for two centuries . The Franks and Byzantines were peaceful civilizations . contradictory +These leptin findings imply that hormones and neurotransmitters control the instinctual desire to eat , overwhelming willpower in the process . Overeating has biological roots . entailment +A mixture of Jamaican specialities and standard American and European dishes in a lively setting . Only American and European dishes are offered , limiting the cuisine despite the lively setting . contradictory +Similarly , when two men hold hands in Texas , all our suspicions are confirmed . Similarly , all our suspicions are confirmed when two men hold hands in Texas . entailment +And if many taxpayers are married , any new tax will be levied in part on them . Married taxpayers share an unfair share of the tax burden . neutral +The difference in unit delivery costs values reflect different input prices in the two countries . The input prices in the two countries are very different . neutral +While some associates enjoy widespread support from their firm for volunteering , others get the feeling that pro bono participation may be seen as evidence of a lack of interest in a law firm career . Pro bono participation is never seen as evidence of a lack of interest in a law firm career . contradictory +Once you 've seen the real thing , maybe you want to visit The Pharaonic Village , a theme park recreating life in Ancient Egypt . Once you 've seen the real thing , you won 't want to visit The Pharaonic Village contradictory +A 'deem 's horselord was neither cheap nor pleasant . A 'deem 's horselord was inexpensive . contradictory +and i can understand you know wanting to play but of course as i get more seniority on earth But I would still not mind just sitting on the bench . neutral +You notice it had been trimmed ? " Someone has sewn on an extra length of fabric . contradictory +Why , yes , came the answering thought . The thought came with a no . contradictory +In New England , nine of his assistant coaches were former Giants assistants ; at the Jets , he has enlisted former Giants players to coach his running backs , kickers , and tight ends . He really does favour staff sourced from the Giants , doesn 't he ? entailment +Bunkhouse , feed store , and storage room , blacksmith shop , cookhouse , stables , main house , the quarters for the married men and their families all arranged to enclose a patio into which choice stock could be herded at the time of an attack , with a curbed well in the center . There were quarters for married men and their families . entailment +Slither obliquely across , scaring the horses . The horses were terrified of the big green snake . neutral +could have gone might have started making a little inroads on air pollution with that We missed our best chance to work on air pollution . neutral +Our simulation results reflect unified budget deficits / surpluses . There was a simulation with results on budget deficits . entailment +Through diagrams and interviews with physicists , the story describes how separate universes could break away from ours ( a bit like a soap bubble dividing in two ) . The story doesn 't really focus on much . contradictory +The village was named after the wife of King Louis XIII , Queen Anne of Austria . The village is named after King Louis XIII . contradictory +If I 'm convinced he did it , it doesn 't matter a jot to me how he did it . " I 'm very forgiving towards my presuppositions towards him neutral +McDonald 's still maintains a 42-percent market share compared with Burger King 's 19 percent . McDonalds only has 10 % of the market . contradictory +International Financial Flows International finance declines . contradictory +P.S. : Another distinction between Wolf and Magnet is that Bush didn 't pay Magnet anything for his advice , while Gore valued Wolf 's at $ 15,000 a month . One difference between Wolf and Magnet is that Bush didn 't pay Magnet . entailment +what is she She is a model . contradictory +The application of scientific research methods to estimate how much observed results , intended or not , are caused by program activities . They did not have anything to report on from the programs . contradictory +Moreover , some deceptions are , technically , not lies , theologically A person could tell a truth with sufficient clarity to avoid making a false statement and sufficient ambiguity and evasiveness to avoid revealing a truth which he wants to keep hidden . Even if no clear falsehood is uttered , all deceptions are technically lies . contradictory +With funding from the Lawyers Trust Fund of Illinois , the Technology Working Group and representatives from CARPLS ( the Chicago-based hotline and referral services ) , Legal Assistance Foundation of Metropolitan Chicago , Prairie State Legal Services and Land of Lincoln Legal Assistance Foundation have formed a Best Practices group . The Lawyers Trust Fund of Illinois gives no funding to the Technology Working Group . contradictory +right that 's true i think they ought to teach people how to shoot them too how to take care of one how to act around one when they buy them Gun stores should have shooting lessons available . neutral +In theory , national currencies such as the pound , mark , and lira will all disappear , replaced by one universal tender . Theoretically , a universal tender will replace national currencies in the end . entailment +If you doubt this , go get last Sunday 's NYT and turn to page 5 of the Week in Review . There was important information on page 5 of the Week in Review . neutral +He was dead the dawn after the thought had entered his head and chaos met the desert for a thousand years . He died the next day . entailment +Local experts will show you where to find air-locked caves , probe modern wrecks full of surprises , or watch a fresh-water spring bubble mistily from the seabed . You will be guided to the location of ship wrecks . entailment +A series of audits of 1997 data was conducted in 1998 in anticipation of the first performance report due in 2000 . The performance report in 2000 produced favorable results . neutral +i 've watched uh i 've yeah here and there but they make it look uh i i know that It looks so much easier than it actually is . neutral +The original wheel has been replaced with a steel one , but the Moorish system is otherwise unchanged . The original wheel has not been replaced . contradictory +Minuses and Math problems . neutral +and uh there 's only there 's two people taking care of about five kids uh where i 'm where i 'm taking my two where i take my three kids there are at least ten people taking care of them contradictory +Monday through Thursday , we go to press with the next day 's edition at about 5 p.m. On Fridays they take their time . neutral +uh so all you can do is sell them as pet quality Selling them is all you can do . entailment +Saving more would improve the nation 's long-term economic outlook , but this requires consuming less now . Sacrificing for the future by saving now is good for nations as well as people . entailment +golly that 's ridiculous Wow , that is unbelievable . entailment +EPA did , however , reduce the potential burden of required information collection in drafting the final rule . The epa reduced potential burden on required info for drafting entailment +um what 's what 's the uh consensus down there when when uh TI announced that uh the drug testing program did you get a lot of uh animosity against that The drug testing program is very important for those who are suffering from dementia . neutral +Delicate arches line the cloister , which belonged to the former cathedral that was destroyed ; it was moved here , stone by stone , in the 16th century and put back together . The locals decided the church to be a monument so they recreated its design . neutral +New Legitimacy Newfound authenticity . entailment +The road north from Kathmandu leads 8 km ( 5 miles ) to Budhanilkantha , and a giant statue of Vishnu reclining on a bed of snakes . The statue of Vishnu near Budhanilkantha was made in the 1200s . neutral +forbade religion for years and years and God 's the one that opened the doors for their religion for for Christianity to go in Russia it 's not it 's not Gorbachev he will not receive the credit for that because one man There are now an estimated 10 million Christians in Russia . neutral +I worked in a prosecutor 's office one summer . I worked with a prosecutor for a summer once . neutral +yeah well almost everyday the the lines are open The lines are open almost everyday . entailment +and it 's it 's it 's a bunch of hog wash i i 've changed the oil myself i 've put a filter on you know put the oil in and all it 's no problem at all They learned how to change the oil at a young age . neutral +cross-tabulations , and time series analysis . cross-tabulations , and time series analysis . entailment +well from from some of the things i 've heard about Bush he he he didn 't want a vice president that was any competition for him I heard Bush wanted a vice president he could compete with . contradictory +but it 's like a club you know about that As you already know , it 's like a club . entailment +They 're also nice because they are not quite as blatant as breath mints but get the job done . They are totally ineffective , so breath mints are always preferred . contradictory +and the question is who are my sheep and the idea do we go out and feed these people when they 're hungry I think we should donate more to our local food pantries . neutral +These are right views , right intentions , right speech , right conduct , right livelihood , right effort , right mindfulness , and right contemplation . These are the correct ways to view motivations , intentions and actions . entailment +Then Dave saw something in the sky . Dave saw a gigantic bird flying in the sky . neutral +I 'm not sure it is right , in ways I hope it is wrong , and in the end , Richard , you might be It might just not add up . Richard might be right about the way I should prepare my taxes . neutral +Its ramparts , built and rebuilt from the 12th to the 18th centuries , make a bracing walk , with the stretch between the Saint-Philippe bastion and the Tour Bidouane opening up a vista along the whole Emerald Coast . The ramparts had all been destroyed . contradictory +Have me a mare over in the livery that just foaled . I have a dog who just gave birth to puppies . contradictory +I stop by Kanter 's Printers on 23 rd Street , an address generated by the Crane Web site . The address is generated by the Crane Web site . entailment +A group of gay intellectuals has launched the Independent Gay Forum , which declares itself independent of left-right politics . The Independent Gay Forum can have members who are not gay . neutral +i think Texas is very uh one of the leading states i mean i think Texas executes more people than just about any other state Texas has the death penalty . neutral +FEMA 's teams at the U.S. FEMA has teams that are outside of the US . neutral +Slavery is outlawed here and the mines at the feet of the Old One are banned . The laws had banned slavery because of how many people had died . neutral +The money goes to Idaho Legal Aid Services and the Idaho Volunteer Lawyers Program . The money is used to pay judges and court upkeep . contradictory +I myself had been given a job at the War Office , so was able to see them continually . I was given a job at the War Office . entailment +For example , in principle I , while leading organizations generally include their CIOs in executive business decisionmaking , in the federal government setting information management is still often viewed as a support function rather than a strategic activity . Leading organizations usually don 't include their CIOs in executive business decisionmaking . contradictory +Jon impaled the attacker and kicked him down . The attacker fell down and landed on the sharp rock . neutral +These perpetually sunny islands are also very beautiful in the best tropical a riot of flowers , tangled green forests , mountain waterfalls , dramatic rocky headlands , beaches of white , tan , or black volcanic sand . These sunny islands are filled with beautiful scenery . entailment +Paltrow certainly doesn 't appear to have suffered for her Unlike other screen beauties--Michelle Pfeiffer , Jessica Lange , Madeleine Stowe--she doesn 't seem to have any interesting neuroses to ply . Paltrow might be hiding some kind of neurosis . neutral +Say , remarked Julius suddenly , " there 's Tuppence 's bright boy . Tuppence 's bright boy is a smart dog . neutral +Kofukuji temple was the first of the Zen Buddhist temples built by the Chinese ( 1620 ) after the Tokugawa shoguns had outlawed Christianity and ordered citizens to register as Buddhists . The first of the Zen Buddhist temples contructed by the Chinese was called the Kofukuji temple . entailment +He came toward Hanson and Nema with a broad grin on his face . He came toward the both of them with a smile . entailment +A flicker of firelight caught the small man 's eyes . The man could see the campfire that was a half mile away . neutral +Ireland became the light of the known world , sending its saints and scholars out all over Europe . Ireland sent its scholars all over Europe to study physics . neutral +For all of these reasons , the Administration must oppose S. 556 . This is why the Administration needs to oppose S.566. entailment +7 ) Once again , Clinton failed to go to the mat for a nominee in trouble . The nominee was in trouble for using profanity . neutral +Unfortunately , during the past decade government funding for legal services for low-income Americans has declined at almost all levels . The government has been providing more funding to providing legal services to Americans with low income . contradictory +Yes , they can . Yes , they are able . entailment +Adrin reloaded like he had been born to it , twin ramming rods sliding down the barrels and dragon hammers cocking back . Adrin didn 't have a weapon . contradictory +so but there 's there 's just since i 'm from Argentina i just love meat and we just Meat is my favorite food . neutral +If he can discredit you , well , he probably thinks he 's got a chance to rake in the full pot , and it 's a big one . He thinks he can discredit him because he has evidence against him . neutral +well first i think they 've got to have a pretty good idea of what they want to what they want to do uh once they have that then they can start looking in They never should know what they want to do with their life . contradictory +Citing complaints by allergy-prone legislators and aides , Congress today banned peanuts and peanut products from the U.S. Congress is no longer allowing peanuts in the US . entailment +At times in recent years , the office has received its state and federal funding on a month-to-month basis , which one federal official called one step short of defunding . The office gets $ 475,000 in state and federal funding . neutral +because several things minor things sort of but still they cost us money um that we didn 't feel like we should have had to pay on a car that that was that new It 's okay to spend money on the car contradictory +Ideally , divide your stay ' sightseeing in the capital at the beginning , spending a leisurely time at a seaside resort or in a sunny village in the hills , then shopping in Paris at the end . Shopping in Paris is considered an enjoyable thing for tourists to do . entailment +The landmark Casino building stands at one end of the harbor . The Casino building today houses the world largest slot machine . neutral +When we 're there , however , she spends a large part of the evening on the phone or on the computer . She spends most of her time on the phone or computer when we are there . entailment +The egg cell was biochemically pre-programmed to commence development , and that , apparently , was enough to jerk the mammary-cell DNA out of its quiescent state . The egg cell sent a radio signal to wake up the mammary cell 's DNA . neutral +and uh everybody else uh gets to take their turn Everyone else has been waiting to take their turn . neutral +Breakfast served in dining room of kibbutz . Breakfast is not available . contradictory +Tommy read the words on it aloud : " WANTED , any information respecting Jane Finn . Tommy spoke the words out loud as he read . entailment +One solution being proposed , for instance , would take some landing and takeoff slots at major airports away from the industry giants and auction them off to smaller , low-fare airlines . One solution would be take some slots away from the small airlines . contradictory +Did you have a good day ? A good day means ice cream dinner . neutral +and he came back he was a civilian again and his father said well if you He was a private citizen once more . entailment +it is it really is yes watching yeah watching yes oh i don 't want to go home yes yes oh goodness It truly is , yeah , observing , I don 't want to return home since it 's so late right now . neutral +The current configuration and planning successes in each of these regions are described The current configuration and planning successes are described . entailment +well then that 's not the answer That answer is perfect . contradictory +Regardless of where the SCR reactor is located , ductwork from the economizer outlet to the SCR reactor and back to the air preheater inlet must be accommodated . The SCR reactor is almost always located on the back . neutral +In these instances , GAO will notify the agency-designated central liaison or point of contact that the engagement has been terminated without a written product . GAO will tell the liaison that the engagement has been ended . entailment +A stealthy footstep on the stairs ? There is a ninja on the stairs . neutral +An extremely interesting and well-mounted exhibition traces the history of the prison ( including a section on Victorian theories about prisons and the treatment of prisoners ) and the political and social events that brought many of the prisoners here . The exhibition focuses only on the issues that prison 's present-day inmates face . contradictory +but i guess that 's it that 's my opinion on it so what now My opinion is the most important thing in the world . neutral +AFL-CIO officials deny spending anything close to the figures that Republicans estimate . The officials stated they were not spending what the Republicans had said they were . entailment +'Up ! ' I yelled , wind stealing away half of my volume . I didn 't yell that loud . entailment +oh yeah what we do usually is uh vote uh absenteeism Usually , we take a vote unless there are any objections . neutral +In the days of Philippe d 'Orleans , Regent of France during Louis XV 's minority , it was the scene of notorious orgies . Philippe d 'Orleans often organized orgies there for himself and the royal court . neutral +" Johnny wasn 't the only boy at Glorieta . Johnny was at Glorieta and he made friends there . neutral +Jamaica is also a nation within the British Commonwealth . Jamaica is part of the British Commonwealth as well . entailment +I have one condition for our service , said Jon . Jon said that there was one condition for their service . entailment +and uh you know we 've eaten there sometimes and it 's pretty good it 's you know it 's a little more expensive than than i normally like to spend plus the other thing is i 'm not uh i 'm not a big seafood fan They don 't have seafood . contradictory +The facade of the Temple of Ramses II is one of the most enduring images of Egypt and though you may have seen them in photographs , they are truly breathtaking in reality . This is because it has magic powers that hypnotize the viewer . neutral +Helping to Prevent Fraud and Abuse in GAO had long advocated increased funding specifically for activities to prevent fraud and abuse in the Medicare program . Increased funding was advocated for activities that sought to prevent fraud and abuse in the Medicare program . entailment +The only must in the village is the old white church on the hilltop , which is surrounded by those distinctive cube-shaped houses that are so typical of Ibicenco architecture . Houses based on Ibicenco architecture surround the church . entailment +yeah so they 're they 're they have plans i mean the the owner tried to move them to Florida but uh The man says that the owner tried to move the people to Florida . neutral +I could kind of agree with it . I was somewhat in agreement . entailment +The employee , a problem in one place , was simply moved to another . A problem in one place , the employee , was transferred from here to there . entailment +In fact , the fountain was completed several years before Borromini 's splendid and structurally impeccable facade and dome . The fountain was finished years before the dome . entailment +Lukacs would not , of course , go that far . Lukacs refused to go that far . neutral +you know that is another thing that you know we feel like our long term goal is going to be benefitted by next time we buy a car we 're not just going to go to Toyota of Irving you know we 're going to go to somebody that we know we 're going to take someone with us older and we didn 't do any of those things We had a terrible experience the last time we bought a vehicle . neutral +All estimates assume that particles are causally associated with health effects , and that all components have the same toxicity . It assumes that particles are the sole cause of health issues . neutral +As CPAs we must chose the right path . The right path must be chosen by CPAs as a profession . entailment +She evidently went in deadly terror of her mistress . The mistress causes frightening terror because of the secrets she has learned . neutral +( That is , with any other division , some pair of creditors would have its collective share divided incorrectly . ) There is no problem with the division . contradictory +built using production processes , people , tools , and facilities to build prototypes . It isn 't hard to build a prototype , but it takes a lot of tools . neutral +Integrated Environmental Control On the 21st Century 's First New Coal-Fired Boiler This boiler was built in the 20th century . contradictory +Would not the silent forces of Mr. Brown already be assembling against them ? Mr. Brown is definitely ordering his forces to stand down . contradictory +'Pardon ? ' Stressed and harangued , I found myself stopped short . I was stressed to be stopped short . entailment +The sound of the key turning in the lock awoke him from his slumbers . He 's suddenly woken from sleep by the sound of a lock being unlocked . entailment +But can he forever ? We know that he can forever . contradictory +Today , Crevillente 's industrial appearance similarly induces haste . Crevillente 's rustic atmosphere evokes the sense of rest from a lazy nap . contradictory +But again , there 's no evidence linking Huang 's involvement to the Chinese government . It is not currently possible to prove that Huang had ties with the Chinese government . entailment +( The TV show , it must be said , is far less interesting and sophisticated than the games . ) The TV show are much more absorbing and interesting than the games . contradictory +Lady Tadminster , our Member 's wife , she was the late Lord Abbotsbury 's daughter , does the same . Lady Tadminster was the member 's wife and Lord Abbotabury 's daughter . entailment +Even so , you can imagine a comeback in 2017 : shredding Bibles to a laugh track . A retort in 2017 would steer clear of religion as it 's a sensitive subject . neutral +Boxing officials ordered a rematch of the March 13 heavyweight championship fight between Evander Holyfield and Lennox Lewis . Fans and sports writers are in an uproar because the judges called the fight a draw--despite a huge disparity of punches in Lewis ' favor and the widespread perception of spectators that Lewis won . Lennox Lewis deserved to win the fight according to spectators and sports fans . neutral +oh several years my husband is even interested in it now he likes to help me design um you know projects that are a little more customized My projects are very generic thanks to my husband 's intervention . contradictory +and so she basically didn 't use credit cards and didn 't know very much about them and how they work and and how you can use them to your advantage and and how you know you She frequently used credit cards and knew a great deal about them . contradictory +Further , NIST has issued numerous Federal Information Processing Standards , as well as a comprehensive description of basic concepts and techniques entitled An Introduction to Computer The NIST Handbook , Special Publication 800-12 , December 1995 , and Generally Accepted Principles and Practices for Securing Information Technology Systems , 3 published in September 1996 . The NIST issued numerous Federal Information Processing Standards . entailment +Tired doctors may not provide the best care , but neither does a series of faceless doctors working shifts . Even tired doctors give the best care . contradictory +Wouldn 't you now ? " The lanky man sidled along the bar to snarl at Fowler . The man snarled at Fowler because he was drunk . neutral +Congress was aware of the problems that had arisen under such programs , and of the special vulnerability of temporary foreign workers . Temporary foreign workers are especially vulnerable under these programs . entailment +and i 'm thinking when i get older i i i think if i brought all my precious belongings with me i think i could live in a home i i don 't want to be a selfish you know a burden on anyone that 's what i think because i see what my grandmother puts me through and i 'm and i 'm saying that when i get older i could probably make the best of this place i mean and of course it 's institutional food and everybody hates it and it 's so ironic is that they go in there and they lose weight it it 's really it 's bad thing If i took all my stuff with me , I could live in a home . entailment +Although inbound books and records might be eligible for the Media Mail rates , the amount of this mail is minimal . Media Mail rates apply to books but there is very little of this mail . entailment +You might think mainstream conservatives would be wary of Klayman 's tactics . You shouldn 't think that those on the right are sharp to what Klayman does . entailment +To change the organizational culture and enlist the support of line managers , many organizations utilize training programs . Many organizations utilize training programs to maintain the organizational culture . contradictory +By 1968 , that annus horribilis when Johnson cracked from the pressure of mediating an increasingly centripetal Democratic Party and Kennedy fell to an assassin 's bullet , two political ideal-types had a silent majority who supported Johnson 's war on Vietnam and voted in Richard Nixon , and a new class of liberal professionals and youth who supported Johnson 's war on poverty but detested everything Richard Nixon represented . Some people supported Johnson and voted in Nixon and regretted it immediately . neutral +I just got back from a job fair in Washington where I identified about two dozen very qualified young attorneys . I had just returned from a job fair in Washington . entailment +okay what kind of TV shows do you like What kind of movies do you like ? contradictory +People generally want to give to programs that do quality work because they get results . Quality programs are preferred donation options . entailment +Give Microsoft a monopoly on browsers , and you 'll intensify the downward pressure on the price of its operating systems . If Microsoft is not given a monopoly on browsers , the downward pressure on the price of its operating systems will lessen . neutral +A large and boisterous fruit , vegetable and flower market takes place every morning in the Campo dei Fiori , overseen by the statue of philosopher Giordano Bruno . A great flower market takes place in the morning next to the statue of Giordano Bruno . neutral +yeah yeah yeah and that they they think the whole world is like that That is how they believe the whole world to be . entailment +Is it too large a leap of faith to believe that the right incentives , ones that capitalize on the comparative advantages of people or locations , can reap positive returns not just for the direct beneficiaries , but for the larger society ? Is it too much to ask that good incentives will lead to positive returns for society at large ? entailment +From here to Trois-Riviyres is one of the loveliest drives in the FWI . The drive to Trois-Riviyres is pleasant . entailment +Stephen D. Oliner and Daniel E. Sichel , The Resurgence of Growth in the Late 1990 Is Information Technology the Story ? Information Technology is an unimportant field of study . contradictory +PROPRIETARY ACCOUNTING - Also known as financial accounting , a process that supports accrual accounting and financial reporting that attempts to show actual financial position and results of operations by accounting for assets , liabilities , net position , revenues , and expenses . Proprietary accounting is also known as financial accounting . entailment +over again which is also that 's another thing that 's good about it when it comes on right in the dinner hour i feel can feel like i can let them sit in front of the TV and watch and they 're watching something worthwhile while i can make dinner and do things i need to do without them under foot It 's nice to have time to myself while they watch TV . neutral +and that they 're stealing handbags now in broad daylight they 're taking the the crime now the latest thing up here is uh they 'll somebody be driving along whether they 're they 're in their early twenty 's or or teens They are young . neutral +But the attempt was a mere parody . The attempt was a laughable joke . neutral +Audit documentation for financial audits performed under GAGAS should contain the following . The GAGAS audits should have the following information . entailment +Of its numerous period sculptures , the most celebrated is a 5-m ( 16.5-ft ) thousand-armed Kannon statue . The Kannon statue is more celebrated than all of the other sculptures together . neutral +And children . Not with children . contradictory +well it 's kind of it 's kind of like reading magazines any more If half of the time wasn 't spent watching commercials it probably wouldn 't be so bad but uh it it 's you 're missing an awful lot i 'd rather personally rather watch I love the commercials . contradictory +how about if it was uh a seventeen and a half year old with a a list and all uh of what do they call it uh criminal as long as your armed over the history of a violent crime I think that they should be tried as adults . neutral +A small stone tomb in the southeast corner houses the bones of several members of the royal family . The royal family was placed in a large ornate tomb . contradictory +What had happened was plain to me , for not two minutes before I had placed my little case on the table near the window , and the table , tilting up , had deposited it upon the floor on precisely the identical spot . I had left my case on the table but it slipped off onto the floor . entailment +We can meet our environmental goals while providing affordable electricity for American consumers and American businesses . Affordable energy will not be available if environmental goals are met . contradictory +well those uh the early Lionels can be quite valuable More recent Lionels are the way to go if you want to get a lot of money . contradictory +The focus of the study will be to determine what changes need to be made in the existing structure to allow the Center to effectively meet its mission or , alternatively , to recommend a new structure . The main purpose of the study will be to determine what changes need to be made . entailment +These essays are accessible directly from the Contents page or from the relevant item in The Week / The Spin . The Contents page of The Week and The Spin contained the essays . entailment +One of the things that stopped me was that I was afraid I would wind up shoveling dung . I enthusiastically became employed after learning I 'd be shoveling dung . contradictory +probably not even no uh-huh I would say not . entailment +Why not ? Change would be good for us . It 's always good to accept change so lets go and plan that trip ! neutral +yeah and they they have their own quirks and tolerances and They have their quirks and tolerances . entailment +Yes , I said eagerly . I said no vehemently . contradictory +The important fact that Alfred Inglethorp wears peculiar clothes , has a black beard , and uses glasses , I quoted . That Alfred Inglethorp prefers bizarre clothing , wears a beard and glasses , and is always singing is an important fact . neutral +so it 's it 's sitting on display on top of my bookcase I have a few other items on top of my bookcase as well . neutral +i wish they would I hope they don 't . contradictory +Farmworker hours are often long , and their access to telephones and transport may be nonexistent . Due to the time they put in they may not have the ability to have access to a phone . entailment +Other Craftwork Typical decorative or practical objects . contradictory +which isn 't you know pretty much what we look look for anyway We never look for anything in particular . contradictory +Standing at the highest point in Paris , it 's one of the city 's principal landmarks , and one of the few to remain perennially controversial . That place is visited by tourist from all around the world . neutral +Oles and crescendos from the band mean the matador is doing well , but if you hear whistles and the cry afuera ! If there are whistles , it means the bull will gore the matador . neutral +We 're not all cowards like you ! You are a coward because you are without honor . neutral +I 'm a 20-year-old college student living in a major city , and a few months ago I moved into an apartment building mostly occupied by adults . I felt so out of place around these adults ... it didn 't feel right for a young person to be here . contradictory +The fair-bearded , spectacled gentleman who sat at the head of the table looked singularly honest and normal . The man had a beard and glasses and was in charge of the event . neutral +It 's a very delicate affair , and the other fellow will muff it up as likely as not , and then where shall I be ? The subject is quite sensitive and I know the other will mess it up somehow . entailment +i guess so that would be wonderful wouldn 't it huh-uh huh-uh not on those CD 's we 're trying to live on uh yeah i don 't think so , that sounds pretty bad contradictory +you don 't like him You will not change your mind about him . neutral +Mencken line I 've used For ever problem there is a solution that is simple , neat , plausible and wrong ! All the solutions are application to the general environment . neutral +Get up , I say . But Tuppence continued to cling and sob , interjecting her sobs with incoherent appeals for mercy . Tuppence emotionlessly asked to be shot . contradictory +i guess it 's too frustrating I guess it 's pretty cool . contradictory +( The Aiguille cable car station is across the French border , so take your passport if you care to descend at any point on French soil . ) Many people forget their passport when using the cable car and cannot get off at the station . neutral +Los Angeles County is a collection of 88 separate , incorporated cities packed between the Pacific Ocean and Orange and San Bernardino counties . Los Angeles is only a small city . contradictory +But I never thought I 'd meet you one day . He never thought he would meet her . neutral +The circular road now arcs north to the diminutive village of Camacha , where the principal attraction is a picturesque old windmill one of the last few still working on the island . There are no working windmills on the island . contradictory +The game 's current stars declared Woods the best player in the world and possibly in history . Woods is not well regarded in the game , being too immature and impulsive of a player . contradictory +uh-huh yeah but uh every once in a while i like to watch some of the old movies i watched a Clint Eastwood movie last night I usually prefer the newer films , but I also enjoy an old movie at times . neutral +But aside from a few exceptions , the supply of genuinely offensive language has dwindled almost to nothing as the 20th century comes to an end ; the currency of swearing has been inflated to the brink of worthlessness . Swearing is not as shocking as it used to be . entailment +Is it possible that she could have swallowed the poison by accident ? asked the Coroner . Is it possible that she did not know that she was taking poison ? neutral +He peeps from behind the screen to assess the age and sophistication of his audience and varies the play accordingly . He sneaks a look at the audience and varies the play accordingly . entailment +to uh to get out and uh go for the swim i think uh there is something to this endorphins I get such a high off of swimming . neutral +Atrisk The actual construction work is performed by trade contractors under contract to the CM , who then becomes responsible to the owner for construction means and methods and delivery of the completed facility within the owner 's scope of work for cost , time , and quality . The CM is responsible to the owner for the construction . entailment +We will continue to monitor the application of these protocols and will consider what , if any , changes should be made in the future . We are all done monitoring the protocols and have decided not to make any changes . contradictory +They involve techniques such as graphic data displays , tabulations of event frequencies , and chronological or time series orderings . Techniques of graphic data displays , tabulations of frequencies and chronological orders are involved entailment +Maintenance of effect might be possible with yearly consultations . Yearly consultations may make it possible to maintain the effect . entailment +I know what this is . I know what this is , it is a thermometer . neutral +yeah well uh for us it 's uh uh you know it 's like for doing like you know like resumes This is for completing resumes with . entailment +If Tokyo can be said to have any center at all , this is it . There isn 't really a centre of Tokyo . neutral +11 See the Direct Testimony of Thomas E. Thress on Behalf of the United States Postal Service , USPS-T-7 , Docket No . Thomas Thress testified on behalf of the postal service in an attempt to get more funding . neutral +businesses , and about 30 percent were other establishments , such as health care facilities , educational institutions , and government agencies . seventy per cent were other establishments , not including health care facilities . contradictory +Change the chin , lengthen my nose , make the eyes brown instead of blue , and it might be me . Don 't change a thing , its me . contradictory +yeah yeah well down here they 're normally Dallas normally has pretty good weather but uh The weather outside of Dallas is unbearable . neutral +and this is about nineteen sixty four i believe or something like that and there still hasn 't been any you know new development in prescribed drugs that can help it There haven 't been many medicinal advances for it in over forty years . entailment +Thus , the nation as a whole may not be able to consume and invest more . It is more difficult to invest than it is to consume . neutral +But the current coalition of opposition groups is too factious to stage a coup . There is room for heavy political conflict in the nearby future . neutral +Participants also felt that boards needed to reexamine how they are structured and how they operate . There are no participants that felt that the boards needed to reexamine anything at all . contradictory +In the center is the most ancient monument in Paris , the 23-m- ( 75-ft- ) tall pink-granite Obelisk of Luxor from the temple of Ramses II , dating back to 1300 b.c. For nearly three thousands years , the Obelisk of Luxor has stood at its original site in Paris . contradictory +The Ohara Tokikan pottery hall is devoted to the work of modern pottery masters Kanjiro Kawai , Shoji Hamada , and Kenkichi Tomimoto , as well as their much admired friend , Bernard Leach , the influential British potter credited with popularizing Japanese rustic ceramic styles and techniques abroad . Bernard Leach made Japanese pottery styles and techniques popular in other countries . entailment +Poirot switched off on another tack . Poirot changed the conversation . entailment +West of Puerta del Sol is the city 's 18th-century expansion engineered by the Bourbon monarchs . The Bourbon monarchs were all engineers . neutral +The ferry from Lumut , about 50 km ( 31 miles ) south of Taiping , to Pangkor Island takes about 45 minutes . The ferry takes 45 minutes . entailment +While the Chinese Communist armies drove towards the south , the flow of refugees into Hong Kong multiplied , and by the time the People 's Republic of China was proclaimed in 1949 , the total population of Hong Kong had grown to more than two million people . Hong Kong became filled with millions of people as a result of the Chinese invasions . entailment +call again okay bye-bye Goodbye , I will talk to you next time you call , Maybe tomorrow . neutral +That 's a good sentence , quite a literary flavour about it . " That a terrible sentence , nothing good about it . contradictory +It is estimated that in the year 2000 they will receive approximately $ 11 . The money they will receive in 2000 is barely enough . neutral +Maui fell first , followed by Oahu , Lanai , and Molokai . Maui was the last to fall . contradictory +But as disastrous an event as that must have been , I find it unconvincing as an explanation . I don 't find the disastrous event to be a compelling explanation . entailment +Yes , thought the Explorer , in a scout-ship , not in this unmaneuverable freighter . The discoverer decided a smaller ship would do . entailment +In the upstairs picture galleries , the dukes ' close links with the Flemish masters of their day are illustrated by works such as the fine Nativit ? ? of the anonymous Ma ? ® tre de Fl ? ? malle and Dierick Bouts 's Tate de Christ . Most of the Flemish masters preferred to be anonymous . neutral +Superb , Larry King told Newsweek . ) Richard Nixon served only a decade in exile before returning triumphantly as a statesman . Larry King spoke with Newsweek . entailment +same same thing Different thing . contradictory +" Not thief , not spy ! " The boy beside Drew dropped a wealed hand from his face . The boy put his hand on his face and said he was a thief . contradictory +There in the privacy of the changing room I understood that the erotic subtext of Slates--the pants--was that there is no erotic subtext . I was alone in a department store changing room . neutral +for different people for you know other places It is all the same , the places and people . contradictory +These considerations explain why H-2A workers are the only category of nonimmigrants eligible for LSC-funded representation . There has not been any representation of nonimmigrants . contradictory +Food stamps are OK ! The food stamps are okay to have but could be better . neutral +Merchants played an active role in creating the urban culture that burgeoned at the end of the 17th century , the so-called Genroku era . The merchants tried to change the culture to promote more purchasing . neutral +Lladre porcelain has long been a collector 's item . Lladre porcelain is too common to be of any value to a collector . contradictory +At the next junction , Kel Tole , a modest gateway on the left leads to the important Seto Machendranath Temple . The important Seto Machendranath Temple is a gateway on the right that leads to the Kel Tole junction . contradictory +You see , explained Tuppence still sweetly , " I 'm so very fond of money ! " Tuppence tries to blackmail him in exchange for a large sum of money . neutral +Short-sighted . I couldn 't see far . entailment +Titian ( c.1490 1576 ) is represented by several paintings , one of the greatest of which is the Portrait of the Emperor Carlos V. Depicting Titian 's patron in armor , on horseback at the battle of Mhlberg , it set the standard for court painters over the next century . Court painters set the Portrait of the Emperor Carlos V as the standard . entailment +yeah pretty much well i hear one of my kiddos doing something they shouldn 't be so i 'll uh let you go and maybe Yes , but I will need to hang up because I hear one of the kids misbehaving . entailment +um-hum oh well what 's your favorite plant if you were you know you were talking about your containers maybe you were going to get those started what would you like to put in them This person wants to grow plants . entailment +You wonder what ? You should start pondering . contradictory +Agencies are well advised to retain such unique specialized skills inhouse as core competencies , with design review a primary inhouse responsibility . Agencies are encouraged to know what their unique specialized skills are . entailment +In the Midwest , 10 th -seeded Miami of Ohio reached the round of 16 by knocking off seventh-seeded Washington--behind a 43-point onslaught from forward Wally Szczerbiak--and second-seeded Utah . The one team was behind the other in points . entailment +and not being cared for yeah that 's true well what did you do when you helped these people how did you what did you do through Why did you turn these people away instead of helping them ? contradictory +Productivity measures the actual man-hours used versus those planned . Productivity is not measured by hours that were planned . entailment +He has been looking into the 1996 campaign-finance scandals . He doesn 't know anything about any scandals . contradictory +where the fishing pretty good and uh I fished for hours and didn 't get a single bite . contradictory +In January of this year , LSC instructed all programs to conduct a Self-Inspection of a sample of closed cases prior to submitting 1999 CSR data to LSC . LSC told all programs they would come do an inspection . contradictory +LeTourneau , 36 , is back in jail , pregnant a second time by the teen-ager--their daughter is now a year old . LeTourneau has not been jailed . contradictory +Again , I am not opposed to legislative reform , but , if we are going to put our money on legislative reform , we had better get it right , because once that next major postal bill---a reform bill---is enacted , it may be another 30 more years before we get a shot at fixing things again . We have to carefully design the bill , because they are not passed often . entailment +A two-hour drive away , at City University of New York Law School in Queens , Rooney spends several days a week helping upstart lawyers develop storefront practices that , like his , provide legal representation to folks who can 't afford a $ 250-an-hour legal counselor . Rooney lives too far away to provide legal representation in Queens . contradictory +Since May , it 's been between 50 and 60 percent . In may , the percentage drops a lot contradictory +To enhance his glory , the Sun King turned to foreign conquest . The Sun King decided to take military action abroad in order to improve his reputation . entailment +To the south of the campus , Westwood Village is an area that was once the hub of social activity but suffered a decline due to the revitalization of Santa Monica 's Third Street Promenade . If it weren 't for Santa Monica 's revitalization , Westwood Village would be today a flourishing city . neutral +After acquiring as many cable companies as it could , AT and T and its affiliates are now converting the cable system so that it can carry the Internet . AT and T hopes to gain profits for specializing in the internet sector . neutral +when when you get sequestered and you 're there for months You can leave immediately when you 're sequestered . contradictory +An additional standard related to audit documentation for financial audits performed in accordance with GAGAS There are at least two standards related to audit documentation for financial audits performed in accordance with GAGAS . entailment +Wagon train 's comin ' ! he cried as he ran out . He was worried because the wagon train was carrying bandits . neutral +After Tarbena comes the finest scenery of bold , terraced mountains , wide undulating valleys , and scattered farms connected by mule tracks . There are beautiful sceneries after Tarbena . entailment +George W. , sounding like a very promising cross between his father and Dan Quayle , explained in March why he opposes pushing for a constitutional amendment , although he favors one There are a lot of Americans who don 't view the abortion issue as a matter of life . Many Americans don 't view the controversy over abortion as a matter of life and George W. has explained why he opposes pushing for a constitutional amendment . entailment +These I have passed along to my London counterpart , Sophie Rhys-Cohen , who plans to run them in Naughty Scamp , the English edition of News Quiz , along with many comical pictures of men in women 's clothing and a terrific photograph of Queen Elizabeth 's left breast . There is no photo of men in women 's clothing . contradictory +Some stores are more like small museums , offering exquisite examples of the finest craftsmanship . The same stores are closer to massive museums . contradictory +A joint Postal Service-Postal Rate Commission task force suggested a number of areas where additional special rules might further encourage Postal Service innovation . The areas were severely lacking in people hated them so therefore they were force to change . neutral +That said , a publication can make scamming its readers more difficult than the New Republic made it for Glass . Publications can makes scamming its readers difficult . entailment +I swear , within an hour , the building was ours . Not even an hour had gone by and all of the students had already cleared from the building . neutral +He had learned his trade where the answer was always to add one more circuit in increasing complexity . The trade he learned always insisted that adding circuits increased complexity . entailment +It 's no use . It works well . contradictory +Only when the right employees are on board and provided the training , technology , structure , incentives , and accountability to work effectively is organizational success possible . Organizational success is not dependent on having the right employees . contradictory +Instead , I believe we need a version of the serenity prayer : Economists need the skills to do quantitative research , the knowledge needed for qualitative research , and the wisdom to know when each is appropriate and what its limits are . We don 't need to rely on prayer , just science . contradictory +and uh it would probably help if we could figure out how to get them to put money back into the system instead you know you take someone on welfare and you give them a job and they 're paying income taxes all of a sudden you 've changed it around and it 's going in the other direction It 'd be great to figure out how we can get people off of welfare and into employment and paying taxes again . entailment +They had fought with mass armies of infantry rather than relying on the old cavalry elite . They fought with old forms of cavalry elites and without infantry . contradictory +I will take the latch-key . " 23 Chapter 3 THE NIGHT OF THE TRAGEDY To make this part of my story clear , I append the following plan of the first floor of Styles . The tragedy in question is an attack of vampires . neutral +How you served vs. whether you served . There 's no need to serve at all . contradictory +But you cannot attack the argument for being a shell game . You can 't attack the argument , as that is just displaced . neutral +These passes were used as a gateway to the Lake District by armies of marauding Scots . Armies of Scots would sometimes attack the Lake District . entailment +For instructions on setting up Slate Home Delivery using HP PrintSmart , . This guide will show you how to get instructions for Slate Home Delivery with HP PrintSmart , a new service from Hewlett Packard . neutral +I 've been shaving my face for years now , and I should know it . I have never bothered to shave . contradictory +Thank you , Miss Finn . It was Sir James who spoke . Sir James refused to thank Miss Finn . contradictory +The Romanesque tower and rosewindow of Santa Maria Maggiore 's facade have a similar simple beauty . Both the Romanesque tower and the rose window of the Santa Maria Maggiore share a similar elegance . entailment +Bad idea ! Terrible idea ! entailment +Kaufman did read from Gatsby in his act , according to Zehme 's book , but rarely did he finish the first chapter anywhere , much less two pages . They wanted to read more that night . neutral +With this reduction in error rate , the CSR 's now meet the standard of substantial accuracy which was the objective when LSC initiated the Self-Inspection process in 1998 . The Self Inspection process was introduced in 1998 by LSC . entailment +as far as you know paying off the the the loan that you just got from the credit card to pay off the other loan You got a loan to buy a new laptop . contradictory +He surveyed friendly relations . The people he surveyed were friendly . neutral +or on the video that 's right but Along with being factual in the video , it might also be a clue neutral +Exhibits concentrate on endemic species and the diverse environments that Crete has to offer . There are exhibits that examine species and environments of Crete . entailment +Better add two cc. of cortisone to the transfusion . " Hanson tried to sit up , but his arms refused to bear his weight . Hanson 's arms were broken , but making a swift recovery . neutral +I know what I 'm talking about tho I may get drunk and act childish socially ... Even though I get drunk and act childish , I know what I 'm talking about . entailment +By the 17th century pirate attacks prompted the building of extensive city defenses colossal forts , a chain across the harbor mouth , and prominent city walls making Havana the Bulwark of the West Indies . Pirate attacks against Havana spurred the building of colossal forts in order to protect the country and its citizens . neutral +that 's i i i just i that i just wandered off from that one i was just so surprised and amazed with the statement that they say only registered voters can be picked for jury selection I was surprised when they said only registered voters could serve on the jury . entailment +None of the trials of alcohol interventions in emergency departments were published in journals likely to be encountered by emergency care providers . None of the alcohol interventions are likely to used by emergency care providers . entailment +Severn cleared his throat to begin . Severn started talking to his village . neutral +'I 'm ... sure it does . ' I don 't think it does . contradictory +President Clinton modified President Reaganas policy by requiring the agency head to directly notify the White House Counsel . President Reaganas policy was modified by requiring the agency head to directly notify the White House Counsel . entailment +Mailers are , however , understandably concerned over the cost of litigating these more frequent cases . Mailers are concerned about the cost of litigating frequent cases . entailment +We 've done the best we can to keep it from being so drug-infested it becomes a war zone . No one even bothered with this neighborhood . contradictory +'And if they had listened to my recommendations , they would have realised that we were always going to have maximum press coverage . If they had listened to my suggestion , they would have known that we were going to have maximum coverage . entailment +Two split logs studded with large nails would work nicely . The two split logs have no use . contradictory +The blue heat haze that surrounds the mountains and gives them their name can best be seen on warm afternoons , when it is possible to see peakofter peak stretching into the distance . There are almost 20 mountains . neutral +Our analysis of DOD programs showed that those more closely approximating best practices had better outcomes . Best practices should always be followed . neutral +If this was viewed as unfair competition , an independent regulatory commission could establish and monitor certain inverse price caps . An independent regulatory commission would be able to create and check inverse price caps if the competition was deemed unfair . entailment +That 's OK . That 's Alright . entailment +We believe that is an important first step to ensuring that transformation and management issues receive the top-level attention they require . The issues are important neutral +If you can bear the thunderous traffic , the area around the Place de Paris Carmelit terminus is a good earthy place to explore , with a street market and several interesting small shops and eating houses . The area around the Place de Paris Carmelit terminus is loud , but it offers a market , shops , and restaurants . entailment +The Chinese delegates watching the whole scene deduced the exchange contained codes for the Future Reverse Combat Online game and began to clap their hands . The delegates flew out the window in rage . contradictory +Sharpe and approximately 1000 other slaves surrendered peacefully , only to be rounded up and publicly executed . The rest of the slaves continued to resist , but eventually failed . neutral +yes they 're only i was reading something about it the other day i think there was only like six or eight countries in the world that have capital punishment still There was only like sixteen countries in the world that still have capital punishment contradictory +yes um-hum yeah and uh who 's the other guy LaRouche uh LaRouche LaRouche uh that uh is sort of the uh socialist not socialist but communist uh he 's so off the wall that uh he 's gone in and tried to get into city elections and uh but he 's got he 's been put away for uh credit card fraud i believe The other guy , LaRouche , the communist , is so off the wall , but he 's been caught for credit card fraud . entailment +They were a barbaric race , and their custody of the area brought about a dark period during which the written word was forgotten and art disappeared . They were uncivilized , and their claim on the land made for dark times . entailment +Differences in the approaches used probably resulted from specific constraints in the federal CIO environment , including a focus on nonfinancial program benefits , rather than financial return on investments . Nonfinancial program benefits are a restraint on the federal CIO environment . entailment +The fortress even withstood an earthquake in 1644 , as well as attempts by the Austrian Archduke Charles to blast his way in during the War of the Spanish Succession . Archduke Charles said his failure to capture the fortress was his greatest regret . neutral +In 1927 , merchant James Oviatt was entranced with the new architectural style that he saw in Paris . James Oviatt was impressed by the architectural style of Paris . entailment +You 'll find fountains and little squares scattered all over the old town north of the Cours Mirabeau ( one of the most attractive of these squares is the tranquil Place d 'Albertas ) . The fountains and squares north of the Cours Mirabeau are the oldest in the region . neutral +Please tell Jeffrey Goldberg ( News You Can 't Use ) to log off . Jeffrey Goldberg needs to get out of sight . entailment +I don 't remember , I said . I said I remember . contradictory +i 'm not even going to try It is too hard . neutral +This lookout is one of the highest spots on the island . This lookout is actually the third lowest spot on the island . contradictory +This research should include studies on the use of no-cost services such as self-help or 12-step Theresearch should not include studies on the use of no-cost services contradictory +Perhaps you 're right , Dorcas , yes , no , not now . Maybe you 're right , Dorcas , true , now is not the time . entailment +It has been particularly rich in musicians , most notably Boccherini and Puccini , and hosts a series of music festivals throughout the summer . Summer is the best time to attend its music festivals . neutral +Though we played cowboys and Indians in the street , we did not kill any real Indians . There was no killing of real Indians . entailment +Its well-tended ( by the federal government ) parks , monuments , mansions , embassies , and museums can compare with those of any city in the world . Its parks , monuments , mansions , embassies , and museums are all taken care of by the federal government . entailment +The titan battled the eight other old gods in the days before even a tree took root in the earth . In the beginning of time , there were no trees . neutral +uh-huh we have that on TV we have two public uh broadcasting systems uh channel two and thirty six also that are publicly supported and they have excellent programming We only have one public broadcasting channel . contradictory +Young army officers and the professional classes were becoming increasingly interested in West ? Υrn ways of government and social organization . Younger officers of the army were infuriated with western social systems . contradictory +In the eastern Aegean , three of its larger islands mirror the western Turkish coastline . The eastern Indies has three small islands that mirror Russia . contradictory +Broadway 's version of the Academy Awards , threatened with cancellation by CBS after years of abysmal ratings , rebounds with viewers--drawing record Nielsens--but not with critics . Broadway 's version of the Academy Awards is hailed by critics . contradictory +so what she would do is she would plant them and they multiplied so the next year when she you know weeded them out so they wouldn 't be as thick then she 'd give me some of the bulbs When she weeded them out she decided to burn the bulbs . contradictory +i know and isn 't that terrible I know , and it that not horrible . entailment +It was the first time a team with a female member had won the competition . This is the first time in history that a team with a female member had won . entailment +I was born on this side of the Pale.I speak with the forked tongue of colony.But I stand in the first dark and frost of a winter night in Dublin and imagine The writer was born in a colony . entailment +He could hear the sound of other running feet outside . The soldiers were running and making noise outside . neutral +right and uh the child needs to take pride in the fact that their parent is doing something uh we were fortunate in view of the fact that my son did play football and i did keep statistics for his team and his Dad did take movies of the football My son won MVP on the team for two years in a row . neutral +( If this national prerogative weren 't preserved , Helms and company would be the first to object . ) Helms was a big proponent of the the national prerogative . neutral +Most famous of the high temples of this art is , of course , Milan 's La Scala ( see page 151 ) , showcasing the works of Verdi , Bellini , Rossini , Puccini , and others . La Scala is a rundown dump that is no longer considered adequate to showcase operas . contradictory +Taylor proposes that teen-agers on welfare be paid to use an implanted device to prevent pregnancy . He wanted teens in poverty to use measures to prevent them from barring children . entailment +Amatter that bears how closely the language and dynamics of hype come to resemble those of arms control . Nothing is similar to the language and dynamics of arms control . contradictory +, technical / scientific journals , the Commerce Business Daily ) , or solicitations for The Commerce Business daily doesn 't need solicitation . contradictory +I blinked . The dust in the air caused me to blink . neutral +These unfortunate circumstances threatened to relegate Las Vegas to the status of a small desert community that could no longer support its 3000 residents . Las Vegas was on the brink of becoming a small community unable to support the residents . entailment +Retirement Plans , Personal Saving , and Saving Adequacy , EBRI Issue Brief Number 219 . There is an Issue brief regarding Retirement Plans . entailment +Did I think she was alive ? I had to ask if she was alive . entailment +Julius looked at him with a widening smile . Julius couldn 't help but frown whenever he looked at him . contradictory +yeah he 's so prolific He 's not prolific at all actually . contradictory +does he have the lawn treated Is it possible that he treats the lawn before finishing the renovation ? neutral +Horse-drawn carriages ply the Corniche offering trips to Karnak , or a ride back to your hotel . There are no hotels near the Corniche , so you must camp out . contradictory +They were visible through the open window , standing together in the grassy field and lost in animated conversation . They were nowhere to be seen , even through the open window . contradictory +Individual WTPs for small reductions in mortality risk are summed over enough individuals to infer the value of a statistical life saved . There is no method to infer the value of a life saved . contradictory +i know yeah i know it 's crazy The crazy thing is that it snowed in August . neutral +Also check out the lovely antiques shops on the second floor of Powerscourt Townhouse . Powerscourt Townhouse houses many churches . contradictory +in Texas if you 're going to sentence somebody to uh to death what is is there a specific criteria that they have to meet What is the criteria for sentencing someone to death in Texas ? entailment +Keyes : Is there any shortage of chickens in the world ? There is an unlimited number of chickens ? contradictory +For instance , to avoid polluting the elements , Parsis do not bury or cremate their dead , but lay them exposed and naked on their famous Towers of Silence for the vultures to devour . The Parsis care more about the environment than giving their dead a proper burial . neutral +Yet the senator is trying to kill Lee 's nomination , complaining that he might be an activist at the Justice Department . Lee has gone on record several times claiming to be an originalist . neutral +'It 's very important , ' she said , ' that you don 't touch anything . ' You can touch anything you want . contradictory +oh yeah we we have one down here in the summertime uh it runs from like five o 'clock to seven thirty or eight o 'clock you know because it doesn 't get dark until nine thirty or ten It doesn 't get dark until very late here . entailment +In keeping with their role as advisors and facilitators , most of the security managers said that they relied significantly on auditors to test controls . Most security managers stick to their established roles and let the auditors handle the control testing . entailment +In this particular case , let 's just say when the original advice was given the wheel was spinning , but the hamster had gone . The advice given was really bad . neutral +The thesis was taken up last year by Canadian Michael Bradley in his incoherent book Chosen People From the Caucasus . Bradley is known for a book-length rant titled The Iceman Inheritance , which identifies the origins of white racial evil in prehistoric psychosexual tensions of some sort . Michael Bradley wrote his book Chosen People From The Caucasus 10 years ago . contradictory +But equally strange was Doris Day , whose many movie outfits were conceived as musical-comedy costumes--bright , smooth , and jaunty , every blue and yellow clear and true , every neat hat perfectly matching , and every outline eternally crisp--even if she was supposed to be working in an office or teaching in a journalism school . Doris Day had very boring and ugly costumes . contradictory +We 're moving retrograde , back to our previous position , out of Sagittarius ! We 're moving retrograde out of Sagittarius . entailment +GALs are lawyers or licensed mental health counselors appointed by a court to represent a child 's best interests in family proceedings . Lawyers or licensed mental health counselors do not have a name . contradictory +Of the rock-carvings north of the rathas , the most celebrated is The Great Penance . The Great Penance is the most ornate of all the carvings . neutral +That is just what has happened with a number of shocking images involving famous and beloved persons . This happened with some shocking images with famous and beloved persons . entailment +As it happens , there 's no evidence at all that Fieldcrest Cannon is contemplating moving manufacturing abroad , or outsourcing . Nothing suggests that manufacturing wil be mived or if there will be outsourcing . entailment +income and disabled clients . Sales and able bodied clients . contradictory +The interpretation assumes that Congress took from H-2A workers with one hand what it gave with the other . It assumes that Congress took everything from H-2A workers it ever gave them . entailment +This is not an artificial landscape supported solely by tourism ; today 's working farms help keep the Lake District vital and distinctive . The Lake District has tourists to thank for the continued success of its historic farms . contradictory +The federal government can also undertake steps to encourage personal saving . There are no steps the government can take to encourage saving contradictory +Tran called the hotline after her sister heard Luu on Bolsa Radio , 106 . Tran 's sister had been listening to the radio . neutral +Like Tuppence , he felt the magnetism of the other 's personality . He was put off by the cut of the other person 's jib . contradictory +In the adjoining square , the 16th-century Neptune Fountain is one of the town 's most popular symbols , for which Giambologna sculpted the bronze sea god surrounded by nymphs and cherubs . The Neptune Fountain 's figures are the work of Giambologna in the 1500s . entailment +yeah yeah um i do like uh uh well they had a good TV movie on last night called Separate But Equal Separate But Equal was on TV last night . entailment +Each economic superhero has a distinct personality and style--Greenspan is the shaman , Rubin the Midas figure , and Summers the academic--but together , they stave off worldwide economic panic . Greenspan , Rubin , and Summers each represent a kind of economic superhero . entailment +Preaching recently in Luxembourg 's Catholic cathedral , the Most Rev. The Least Reverend was caught preaching in the Catholic cathedral . contradictory +Don 't you understand even that much elementary science ? " Hanson didn 't get a chance to answer . Dave Hanson responded right after he was asked something . contradictory +There is a monument to Adams at the mouth of the Okawa River , and the Anjin Festival is held in his honor every August . The Anjin Festival has been in operation for more than 30 years . neutral +Best of all is a sequence in which Moses falls asleep against the wall of a temple and , in his dream , the two-dimensional hieroglyphs of familiar Egyptian painting begin to move , enacting the story of the Exodus in stiff , horizontal processions . Moses recognized the painting on the wall as one from years before . neutral +i 've tried to do some of those but after after after after after i read them a while i thought maybe i don 't need improvement that bad after all He tried to do some things and read them . entailment +The cable network 's animated show about third graders obsessed with violence and bodily emissions has replaced Beavis and Butt-head as America 's premiere gross national product ( Ken Tucker , Entertainment Weekly ) . Critics attribute the show 's cult following to the timeless power of bathroom humor and to its dark and clever plots , such as a thwarted assassination attempt on Kathie Lee Gifford . Beavis and Butt-head has never been replaced as America 's favorite gross show . contradictory +The rapier is for misdirection , " said Adrin . Adrin said the scorpion-handled rapier is for misdirection . neutral +so i 'm just trying to hang on to my job yeah right yeah all these cutbacks and stuff this is pretty scary There are a lot of money issues , I am scared for my job . entailment +is very very very close to Spanish It 's nothing like Spanish . contradictory +I will not let you die here because of those people , said San 'doro . Those people want nice things to happen to you . contradictory +With skyscrapers shooting up almost every month , Mumbai is the busiest industrial and commercial center in India cars , textiles , chemicals , nuclear energy , and shipping and a focus for the cinema and the renewal of Indian art . Mumbai may be the richest city in the world if it continues on its current trajectory . neutral +like you know New York or something yeah New York or something similar you know . entailment +His son Louis XVII died in obscure circumstances under the Revolutionary government , probably in 1795 . His son died strangely while traveling home . neutral +And what the triumph of capitalism in the last decade has hidden is the reality that in most places , those markets have not yet been built . Those markets where there for a long , long time . contradictory +Near the school you 'll see all that 's left of the town 's original wall , the Puerta de la Olma ( Elm Tree Gate ) . The original part of the wall is far from the school . contradictory +The Islamic and Chinese empires were world powers , but the conversion of the Magyars , Russians , and Vikings to Christianity was setting the stage for Europe 's ascent . Christian conversion helped support the rise of Europe . entailment +The objectives of this study were to identify effective practices and provide case illustrations and other information for federal agencies ' consideration when developing strategies and planning and implementing actions to manage improper payments . It succeeded in managing improper payments . neutral +We risk hubris , given our lackluster national cuisine--not that I 'm knocking high-fat , high-calorie , high-profit , bland stuff served up on a bun and eaten in a car--if we mock the food of another country . Our national cuisine is beyond-compare in its status at the top . contradictory +In general , the ACI implementation timeline appears to be driven primarily by the engineering activities ( i.e. It seems that engineering activities drive the ACI implementation timeline . entailment +Another case in point is the matter of the president 's powers as commander in chief . The president and the commander in chief are two different people . contradictory +It provides an in-depth review of work activities and tasks , through activity analysis , which aggregate to form processes for agency program delivery . Work activities are reviewed . entailment +It will only be known after the vote of Nov. 6 if the queen will go the way of a species of dinosaur just discovered in Australia . The vote is on November 6 in Sydney . neutral +Though familiar with the technicalities from a course of novel reading , he had never before attempted to " follow " anyone , and it appeared to him at once that , in actual practice , the proceeding was fraught with difficulties . He has never experienced any difficulties in the past . contradictory +The SEC conducted a cost-benefit analysis for both final rules as required by section 2 ( c ) of the Investment Company Act . There are two final rules required by the Investment Company Act . entailment +Leave the first one for the moment , what was the second ? " Tell us more of what you know about the first one . contradictory +On the east coast they point out that Tamil literature is much richer than Hindi . The west coast and east coast agree that Tamil literature is richer than Hindi . neutral +After a coffee break and an eyeful of the passing crowds , it 's time to begin an unpackaged tour of the town . There is no point of touring the town after resting . contradictory +It is also essential to consider it when weighing the merits or ills of a proposed change in tax rates . Tax rates are not usually changed due to the many ills they bring . neutral +( iv ) Other relevant information or requirements under Acts and Executive orders Administrative Procedure Act , 5 U.S.C. This is the last of the sections involved . neutral +carry all that cash with you Carry cash . entailment +right well it 's it 's bad enough that you know if you got a little back problem or something have to sit in those seats and wiggle and squirm around and usually come out with your back hurting anyway so The seats are comfortable . contradictory +When I cited her and John Cavendish as being above suspicion ? " I quoted the two people as appearing too good to be capable of wrongdoing . entailment +The analysis further describes the small entities covered by the Report and Order , addressing separately cellular licensees , broadband personal communication service licensees , and specialized mobile radio licensees . The analysis describes the large entities . contradictory +Shafts as deep as the earth and caverns as large as small towns carved into perfect squares . The caverns were round and small . contradictory +uh Malaysia four years in Malaysia and three years in the Philippines Four years in Malaysia and three years in the Philippines . entailment +A WP front-page piece reveals that even though the B2 stealth bomber is the most expensive aircraft ever built ( $ 2 billion a copy ) , and could drop large numbers of bunker buster bombs on Iraq without ever setting foot on skittish Arab runways , it 's not likely to see action over Iraq . The B2 bomber is the most expensive aircraft ever built , but will not likely see action in Iraq . entailment +'Do we ? ' I asked . I wanted to know if we do have some cake . neutral +oh i do too i do too the on line um encyclopedia just sounds wonderful you know that that sounds like such a great idea you know it 'd be kind of fun to be be able to play with it The online encyclopedia is a great idea and it would be fun to play around with it . entailment +57 " If that isn 't a Hun , I 'm a Dutchman ! " said Tommy to himself . Tommy told himself that that could only be a Hun . entailment +The party still feebly pushes It just inaugurated an annual Hero of Atheism award . The annual Hero of Atheism award is considered a joke by most people . neutral +In addition , the U.S. Also , America . entailment +These communications will take several forms , including , as facts and circumstances warrant , meetings between GAO 's Comptroller General or Chief Operating Officer and the heads of agencies or their designees at the presidential appointee with Senate confirmation ( PAS ) level to discuss areas of mutual interest and concern . These communications will always take written form . contradictory +well we found in general when you you look for breeders you don 't find them in the uh metropolitan areas they you wind up going many miles out of town to find somebody that 's handling whatever it is you 're looking for We can hardly find any breeders in metropolitan areas . entailment +DiClemente added that his study was also for both groups and most primary care studies involve non-injured patients . The studies mostly worked with uninjured people . neutral +A considerably audible tsk , tsk I send you , Slate . I applauded Slate . contradictory +These [ debt ] problems blunt the desire to serve that is prevalent among law school graduates , and have negative consequences for society as a whole , the report declared . They wanted to reduce the amount of student loan debt for law students . neutral +The area really springs to life at night . The area becomes dull and abandoned at night . contradictory +um-hum well i was at the point where if i hadn 't gotten my walk in i was a real grouch that day If I dn 't walk , I am much happier . contradictory +… Once or twice I have felt afraid . I 've never been afraid in my life . contradictory +The rise in the number of home runs ( a record of 4,962 last year ) has been paralleled by increased strikeouts in every year of this decade . The number of home runs and strikeouts is increasing year after year because baseball players continue to get better . neutral +In the film , Lana tries to prevent John and Tom from finding Brandon by asking them to go get a drink . In one scene of the movie , Lana asks Tom and John to get a drink to deter them from finding Brandon . entailment +If she thinks you want to know her she 's flattered , and will manage it for you somehow . " She 'll never do it for you , especially not if she thinks you 're trying to get to know her . contradictory +In the Internet world , where content--even good content--is proliferating rapidly , a very good filter will be needed to sort out what interests you from what doesn 't . If you do not sort things on the internet , you will eventually encounter child pornography . neutral +He spoke with a strong southern drawl . He sounded like he was from Texas . neutral +And the trunk ? Is it big ? Balbina asked . Balbina knows the exact size of the trunk . contradictory +um-hum i suppose that is a valuable service that again not having uh lived through another war i don 't know if that 's a common thing that people thought of or if that was I do not see how that type of service would be utilized . contradictory +sure would Maybe it would . neutral +And for some politicians , such as Arizona 's John McCain , living in an adopted home state doesn 't seem to matter at all . John McCain is a politician from Arizona entailment +But a closer analysis of the weather map suggests Mother Nature actually favors the Democrats this year . The weather map suggests that mother nature favors the republicans this year . contradictory +The Vatican barred an American priest and nun from ministering to gays . A priest and a nun were ministering to a large crowd of gays . contradictory +There isn 't much room in Schor 's schema for even the interesting curlicues of spending culture , such as the joy in finding a bargain or personal variances in taste ( e.g. In Schor 's schema , there is not a lot of room , even for what regards spending culture , said the critics . neutral +He said , " There 'll be a circus around . " He didn 't talk about the circus . contradictory +because every time i got through i went to Dallas Texas i went to Texas in order to find my purpose in life neutral +oh yeah i just i just keep an inventory of what i currently have and then when i start a a new project i go through and see if i if i you know just buy the colors that i need of what i 'm low on I keep an inventory of paints and order more as needed . neutral +I asked Miss Tuppence to marry me this morning . " 152 " Oh ! " said Tommy mechanically . Tommy reacted mechanically when he was told that somebody had asked Miss Tuppence to marry that morning . entailment +The Middle Kingdom is a recreated living history of China 's past , presented through a number of full-size replicas of shrines , temples , pagodas , palaces , and street scenes . Many people around the Middle Kingdom also styled their homes to honor China 's past . neutral +All right then , Mr-' Alright Mr. Smith . neutral +Most casinos offer a variety of video game slot machines . Slot machines are the most popular kind of video game at casinos . neutral +For Spain the 19th century was a bitter slide from imperial might to the status of a has-been . Spain slid from their position of power . entailment +early enough to get them but uh fortunately the other end of the deal is some days my wife uh It 's early enough to get them . entailment +Exhibiting a range of art works by the author , the gallery manages to convey a sense of the day-to-day life of Beatrix the author and illustrator and of her other life as Mrs. Heelis , wife and sheep farmer . The gallery only has one piece of art work by Beatrix . contradictory +Japp had taken out a handkerchief , and was gently dabbing his brow . He left his brow untouched . contradictory +People were always aware of the issue [ of gender ] , but I was never denied an opportunity . Gender is not an issue , though I was denied opportunities . contradictory +Ralph Nader , for example , notes that if Office Max now supports the merger , which it does , that makes you wonder how much real competition is in the offing . Ralph Nader says if Office Max opposes the merger , it makes you wonder how much competition is being done away with . contradictory +of a teacher i taught i taught school for a year and it was like whoops you know it 's not for me I taught school for a year , and decided that it isn 't for me . entailment +and she came with skirts just like she 'd be going into the office She wore what looked like office skirts . entailment +Praise goes to Kirstie Alley , who plays an aging ex-model now in the lingerie Less frenetic than Lucy , more mature than Mary ( Richard Corliss , Time ) . The Washington Post ' s Tom Shales dissents , calling Alley unwatchably neurotic and in a virtually perpetual feverish tizzy . Kirstie Alley is a great actress in the sitcom that won the Golden Globe . neutral +It still revels in its own identity , which is now internationally recognized through such influential cultural products as the Rastafarian religion and reggae music . Reggae music is an influential cultural product . entailment +yeah last well see i left there in uh eighty There are still some around . contradictory +have you had to put anyone in a nursing home Have you ever stayed in a nursing home ? contradictory +and if ever i see it on the menu i always get it I always order that one . entailment +She was out for money . She was rich . contradictory +Another source predicts if Sheen doesn 't shape up , it 's only a matter of time before they 'll be printing his obituary . Sheen could die if he doesn 't get his act together . entailment +i went matter of fact i went to a uh Persian carpet auction about three weeks ago and i 'm just amazed at some of the prices they 're getting I bought three Persian rugs at a great price ! neutral +Shall we begin : ' Young officer , twice wounded in the war ' The young officer died of old age after the war . neutral +Without such information , the payroll system may mistakenly pay the member for unauthorized pay and allowances . The payroll system is infallible and never makes mistaken payments . contradictory +White chuckled . White made no expression at all . contradictory +Ca 'daan recognized his gloves . He did not recognize his gloves . contradictory +It is done ” so ! We 've accomplished some good things here . neutral +1 percent of GDP-average nonfederal saving as a share of GDP since 1998 . The share is not worth much . neutral +By 1973 , it had opened an office in Abingdon and , in 1976 , in Wytheville . By 1976 , it had only one open office . contradictory +The expected net realizable value is adjusted at the end of each period , and any further revaluation is also recognized as a gain or loss in determining the net cost of operations . The net cost of operations can be found without concern for revaluations or worry about profit or loss ; just pick a number that sounds good . contradictory +and i don 't think that that 's fair i don 't think it 's fair you know to the kids and and to the people that are sick and i know that you know I don 't think its fair for the sick kids , but I don 't know about the kids . neutral +I have enjoyed participating as a voter in Slate ' s Hackathlon , but the criteria are ambiguous . I am volunteering as a voter in Slate 's Hackathlon . neutral +As the organizations became more results-oriented , they often The organization focused on results . entailment +Adrin let the rain pour over the corners of his hat . Adrin enjoyed watching the rain pour over his hat . neutral +Then we might increase it to 8a and find that we saved 8.2a on the volume that shifted . If we increase it to 8a , there is no possibility of us saving 8.2a on the volume that shifted . contradictory +You should try the Singapore specials and you must not miss dessert . Our desserts are free after 11pm . neutral +And , naming no names , there 's one in this house that none of us could ever abide ! There is someone here right now none of us like . neutral +Fred Goldman says he doesn 't care about the money , only about the vindication . Money is a huge factor in Fred Goldman 's decision . contradictory +Tommy drew a deep breath . Tommy never breathed . contradictory +These have earned it the nickname Shirasagi ( White Heron Castle ) for the way its swooping , white-gabled profile proudly soars above this small city . It is called Shirasagi because of its dark color . contradictory +no huh-uh sometimes he brings he brought home a uh a portable one He brings the portable one home so that I can use it . neutral +Researchers estimate that each dollar in increased wealth increases consumption by a few cents . The amount of wealth has a direct effect on the consumption levels . neutral +i haven 't seen that and i and i you know it of course won a lot of Academy Awards As soon as I heard that it won a lot of Academy Awards , I watched it . contradictory +The 1996 Twin Cities study , for example , found marked differences in weight concern . With the study from the 90s they were able to make their point . entailment +He 's fabulous , Snider says of Frank Smith . Frank Smith 's generosity can be seen in everything that he touches . neutral +yeah i i i watched uh Costner on the Academy Awards i was really happy that he got i was hoping he was going to get Best Actor uh but he he he did pretty good on that one I 'm glad Costner won the Academy Award . entailment +It shouldn 't come up as long as our troops are in harm 's way ( House Minority Leader Richard Gephardt ) . House Minority Leader Richard Gephardt does not believe that it will ever come up . neutral +Rafts have long been a method of transport for local people , who use them to carry bananas down from the upper slopes to the port . Rafts were used to carry apples . contradictory +yeah mine too nope that 's about all for mine Mine as well . entailment +but a lot of people think it 's wonderful i guess said they 're they 're doing well everything i 've read they 've been getting a more market share i guess they 're they 're advertising and promotions and Their ads and promotions are the reason why they are making money . neutral +It is unquestioned that the president should be chauffeured in a car that costs $ 1 . The president always drives around with at least three bodyguards . neutral +Nowadays , the Memorial building offers films and documents tracing the campaign for independence . The memorial building now boasts a cinema . neutral +evidently it had ricocheted around the room well a young boy ten or eleven years old uh was living with his dad in the apartment up above and his dad 's girlfriend was visiting and the dad took the girlfriend home and apparently the boy had uh he had a gun in there for protection so the boy was bored it was a three fifty seven magnum and he was sitting there spinning the chamber and it went off and actually shot his toe off and went through the ceiling uh through the his floor which was the ceiling of the apartment below that and i say ricocheted around the room a little bit The guy just plain shot his girlfriend . contradictory +China 's leaders have drawn conclusions from the collapse of the Soviet that if they allow dissent or take steps toward democracy , they will be dead or jailed in a decade ; and that no amount of economic benefit is worth the destruction of their regime . China 's leader will not entertain the idea of a democracy . entailment +But so far they seem determined to deny their customers this valuable opportunity . They do not deny any of their customers this valuable opportunities . contradictory +The authorities believe that the bounty hunters used their profession as a cover for armed robbery . The authorities believe that the bounty hunters did not commit any crime . contradictory +we could go around and boy We could just stroll aimlessly and wow . entailment +In his crime bill , passed in 1994 , he went further than any Republican president would have dared to restrict habeas corpus , the writ by which state prisoners , including those on death row , can get their cases reviewed by federal courts . The Republican president wrote a crime bill in 1994 . entailment +Program Letter 2000-7 renewed LSC 's challenge to its grantees to actively engage in assessing their delivery practices and policies and the allocation of their legal services dollars . Delivery practices and policies were discussed in Program Letter 2000-7 . entailment +Stark staring mad ! Calm and lucid . contradictory +In support of this proposition , the Vice Presidentas August 2 letter states that apreservation of the ability of the executive branch to function effectively requires respecting the confidentiality of communications among a President , a Vice President , The Vice President stated that confidentiality of communications between the President and the Vice President was thoroughly unnecessary . contradictory +And reporters can question Gore 's inference that any candidate who fails to reserve 15 percent of the surplus for Medicare is putting the program at risk and wiping out the chance to save it . Reporters all grilled Gore on his influene . neutral +Modern Japanese , he contends , derives from an archaic form of Korean that took root in Japan but was stamped out in Korea during the first several centuries . Korean was derived from early Japanese languages . contradictory +I don 't think I 've ever heard of anybody doing this before , Emory University political science professor Merle Black said . Merle Black was wise neutral +Another benefit of the rule is the public oversight and accountability of the organ transplant system , which will preserve public trust and confidence . The rule is not expected to have any benefits . contradictory +The Save the Social Security Surpluses simulation can only be run through 2056 due to the elimination of the capital stock . The Save the Social Security Surplus simulation starts to teeter of by the 2050s . neutral +well do you keep up with the statistical stuff Did you study statistics before ? contradictory +A prized possession is the Lisbon Panorama , a 36 m- ( 118 ft- ) long tile composition of Lisbon 's riverside as it looked before the 1755 earthquake . The Lisbon Panorama is a prized possession . entailment +In the wake of the 2000 census , which showed 35,000 fewer poor people in the state , as well as a change in the distribution formula , LAF expects to get $ 350,000 less from LSC starting next January , Roodman said . The state lost a bit of their poor population . entailment +Now tell me , what are you two up to , eh ? " Are you two doing something that is wrong ? neutral +Rydal Water , the smallest of the lakes in the entire Lake District , sits beside it ; thousands of rushes line its banks . The rest of the lakes at Lake District are bigger than Rydal Water . entailment +well i only know i have my friends who have had children uh i only know one woman who 's decided to go the quote unquote traditional route and i have a lot of respect for her because she made it as a real choice Most of my friends have multiple children . neutral +In this report , the LSC Board of Directors is pleased to provide information addressing Congress 's three principal The report address 's Congress 's three principals neutral +Julius was congratulatory . Julius praised the achievements . entailment +yeah i 'm not sure down there if you guys are all picking up but up here it 's it 's terrible The phones are ringing round the clock . neutral +and so i end up lots of time not doing anything at all I am always productive . contradictory +Who are the Sticks ? asked Jon . Where are the Sticks ? asked Jon . contradictory +For a few of them that would be easy enough . The task was assigned to them all . neutral +So them strays join up with th ' wild ones . Strays breed with wild ones . neutral +As an alternative to my approach , in which the growth in Holocaust memory is to be explained by the contemporary purposes it serves , you suggest a focus on the Jewish tradition of remembering catastrophes . My approach focuses on the growth of the Holocaust memory . entailment +Towards that end , energy diversity , the preservation of electricity generation and transmission reliability , and improvement of energy Energy diversity works against the goals stated . contradictory +maybe you left out a factor of pi or something like that but A factor of pi was not missing . contradictory +The middle-aged man with the small mustache bent over the chart near his feet . The man regularly shaves his mustache . neutral +Participants felt that if stakeholders were serious about improving the financial reporting model , a group would be established and funded specifically for this purpose . Participants expect serious stakeholders will form a group to improve the financial reporting model . entailment +A security Unless you are with a tour group , it is prudent to ask about the political and security situation before setting out for Bethlehem , the West Bank , and other nearby areas . It is fine to visit Bethlehem at any time . contradictory +It 's only a few hundred yards from the highway along a fern-lined path to the Crayfish Falls ( Cascade aux Ecrevisses ) , a paradisiacal swimming hole to splash around in . The Crayfish Falls isn 't far from the highway , well within walking distance along a fern-lined path . entailment +As absurd as it may seem , she and Johnson sound like a couple of suitors ( click to listen in on the courtship ) . This sentence may seem absurd , but it has to be told . neutral +i 'm very much in favor of gun control I have experience with gun control . neutral +Red turned a carefully blank face to his father . Red began crying to his mother . contradictory +The product may be addressed to committees of jurisdiction or the affected agency . The product can be sent to the EPA . contradictory +Last month , Fox TV announced the creation of two new children 's cable Boyz and Girlz . Fox TV has been working on Boyz and Girlz for the last year . neutral +not yet okay well of course you 're at the class A level you 're a few years away from that You won 't reach the next level for a few years . neutral +Brock 's anachronistic redbaiting resembles the fashionable game Six Degrees of Kevin Bacon , in which it is shown that the actor can be associated with any other actor in the world in a series of short steps . After Kevin Bacon 's career began declining , he invested in the game Six Degrees of Kevin Bacon . neutral +Here you will find one of Madeira 's few sugarcane mills still working , pumping out steam as it processes the sugarcane to make aguardente , the local liquor . There aren 't any sugarcane plantations near Madeira . contradictory +i 'm a little touchy every now and then about that I am sensitive about my lack of friends and get touchy about it . neutral +He must be one of those conjured into existence here from the real Egypt of the past . His attire and bearing suggest that he was conjured directly from Egypt of long ago . neutral +As Noyce and Moore did before him , Grove led Intel brilliantly without making it dependent upon him . Noyce , Moore and Grove led Intel at the same time . contradictory +Examples of matters referrals would be criminal matters or civil problems excluded under a grantee 's priorities - for example , divorces not involving domestic violence or children . Criminal matters and most civil problems are examples of matters referrals . entailment +and uh so a lot of times they the the the international films downtown They never show foreign films downtown . contradictory +The nearby Osaka Municipal Art Museum , near Tennoji Station , is worth visiting for its celebrated Abe Collection of 200 Chinese paintings ( ninth 13th centuries ) and its Ming- and Ching-dynasty ceramics ( 14th 19th centuries ) . The Osaka Municipal Art Museum has the largest collection of Ching era ceramics in the world . neutral +Retirement of debt securities prior to revolving funds and trust revolving funds ( 592 ) Debt securities retired before revolving funds . entailment +For example , two organizations charged membership fees-one of which exceeded $ 25,000 a year-and other organizations requested people to provide support staff and analysts . Two organizations who did not have enough funds to maintain operations exacted a high number of fees and volunteer work from their members to make up the deficit . neutral +The double walls , built in the fifth century , during the reign of the Emperor Theodosius , stretch 61.2 km ( 4 miles ) from the Sea of Marmara to the Golden Horn . The double walls are 8 miles long and 12 feet high . contradictory +Seagaia Ocean Dome , the largest indoor water park in the world , comprises an artificially landscaped beach complete with palm trees and a giant wave pool to complete the illusion of a tropical paradise . Seagaia Ocean Dome has received complaints for its hot summer temperatures . neutral +This is his sixth Senate campaign , and he never liked retail politics to begin with . Even though this is his sixth senate campaign he dislikes retail politics . entailment +that 's pretty good i mean it 's it 's not something you see every day so it 's i guess it that that keeps the quality a little higher Things that you see every day get boring . neutral +Many of them did . In fact , a lot of them did . entailment +um-hum i think it would be nice if they could you almost give it as course credit The school had given things like this credit before . neutral +Why ? " Topham moved and suddenly they were all watching him . Topham moved and suddenly they were all watching him , " Why ? " . entailment +The program continued with an interview with Dr la Berg from Switzerland , who opened the first clinic in the world , where this new revolutionary method named after him was being performed . The program interviewed Dr la Berg about his clinic . neutral +This proposed type of change was primarily made to the presentation of the performance audit chapters . Performance audit chapters were the only things changed . neutral +The man nodded under his three-cornered hat . The man wore a hat . entailment +'Hmmm . ' White stroked his chin- a little half-stubble had developed there . He emerged from the room freshly shaven . contradictory +you 're twenty nine okay so we 're we 're we 're both uh children of the very early sixties Oh okay , we were both born in 1961 . neutral +To be sure that any needlework item is the genuine article ( as opposed to an inferior import or machine-made piece ) , look for a lead seal with an M , the emblem of IBTAM meaning it 's been certified by the Instituto de Bordado , Tapecaras e Arte ? ­ sanato da Madeira ( Institute of Madeiran Embroidery , Tapestry , and Handicrafts ) , an official island organization that has a showroom / museum on Rua Visconde de Anadia , 44 . There is a seal to show authenticity in needlework items made in Italy . neutral +He had failed . He was not triumphant . entailment +in fact nobody going to beat us then because look how good we did without a quarterback this year Having a quarterback would just be too good . neutral +Open noon to midnight . They are open from 12am to 12pm daily . neutral +The current cost-of-illness ( COI ) estimate for chronic bronchitis is around $ 107,000 per case , compared with the current WTP estimate of $ 330,000 . Chronic bronchitis is very common which is why the cost is high . neutral +so so you know just like yours ours is always you know we 're something else goes wrong always you know it 's Yours is similar to ours , something else could go wrong as well . entailment +Springer himself closes each episode with a Final Thought , a sermonette that makes it clear how little he thinks of his guests . Springer begins each show with his Final Thought , where he shows how little he considers his guests . contradictory +Gabriel looked at Adrin , smiled , and nodded . Gabriel looked at the man peacefully . entailment +In that respect , some participants stated that boards are often made up of consensus builders and , in that case , a dominant member of the board could effectively control the board 's agenda . Participants pointed out that boards are typically comprised of dominant members . contradictory +Thinking back later , I realized that he could have killed me while I was wrestling with the big man , but he didn 't . I don 't think he could have killed me . contradictory +The palace has been splendidly restored since World War I with the help of private contributions , most notably from John D. Rockefeller . John D. Rockefeller 's funding was used to restore the palace . entailment +There are luxuriously embroidered elephant howdahs as well as babies ' cradles and ladies ' palanquins . Fancy embroidery is considered a luxury . entailment +um actually when i was younger i was a Cardinal fan too remember Jim Hart I 've never been a Cardinal fan because I disliked Jim Hart contradictory +Morgan and Co. again . Morgan and Co. all over for the fifth time . neutral +That 's the last bad stretch ; now it 'll be downhill an ' green fields all th ' way . Nye nodded at the narrow opening between two hills lying ahead . There will be some streams between the hill where we can get water . neutral +A domestic Maggie ( Anne Heche ) and Pistone ( Depp ) ( 30 seconds ) : Ana Heche had a stunt double in the movie she acted in . neutral +'Uh oh . ' I tapped White on the shoulder . I touched White . entailment +oh okay um-hum yeah those are pretty yeah those seems to be beautiful entailment +but still it 's harmful and they have to live with that every day They could get sick from being near it every day . neutral +And it is this boy who will defeat the master criminal of our time ? This boy may be able to defeat most criminals . neutral +no oh yeah yeah i well the only time i can go in too and all these classes that are available are like Saturday All the classes available are on Fridays only . contradictory +do you have a particular local channel that you watch on television Do you watch any local channels on television ? entailment +The payment to the former or current employee is made by the unemployment trust fund ( Department of Labor ) in the case of unemployment benefits and by the special benefits fund ( Department of Labor ) in the case of workers compensation . The trust fund does not make the payments . contradictory +Rosenberg also points to one reason to think the HIV-negative gay male may actually live longer on average than the straight Gays may have higher incomes and more education on average than straights--two factors powerfully correlated with longer life spans . Rosenberg says one reason HIV positive gay men live longer than straight is because they are wealthier . contradictory +Mrs ; Sweeny 's got the key if you want to go over it next to the post office . " Tommy thanked him . The key is with Mrs. Sweeny . entailment +Shopping in Rome Rome has the best shopping . neutral +I didn 't get promoted up to Applied without knowing how to work the system a little bit . I got here solely by merit with little knowledge of how the system works . contradictory +In addition , most top-line hotels have upscale malls full of designer boutiques . The boutiques in the malls are absolutely lovely . neutral +so i was very pleased with that of course i lived like a pauper too during that time I was very poor during that time period . entailment +yeah it must be fun to be able to play it and you know if you can play tunes that people can sing along to it 'd be that 'd be kind of fun i think It must be fun to play music . entailment +i i 've i 've barely made it out of high school I barely made it through high school . entailment +Walls and pillars explode around them but the sleek , geometric lines of their bodies never soften . They wanted to survive to rebuild . neutral +A jungle guide accompanies the group . The group forgoes the help of a jungle guide . contradictory +“ He rode with Lieutenant Miggs in the Mex War . " Hunt Rennie was smiling . He fought along with George Washington in the Independence War . contradictory +Women have traditionally formed the majority of the congregation , praying for the protection of their fathers , husbands , and sons while they were away at sea in merchant fleets , diving for sponges , or working in lands far away . Women prayed for the protection of the men in their families while they were working away from home . entailment +For congressionally requested work , further information may be shared after consultation with the congressional requester ( s ) . Further information for congressionally requested work , may be shared after consultation with the congressional requesters . entailment +well given the Rangers ' history they 'll probably trade him He will almost definitely end up being traded neutral +did you get your catalog on your your your gifts Did you read through the catalog ? neutral +In those unusual instances when entities have no historical data , only current reporting year data need be reported . There are situations in which no historical data is available for entities . entailment +had to put our uh food up in the in the trees and all that i was the unlucky guy that got up every morning and said well i guess might as well putz around here while everyone else is sleeping so i was usually the guy who had to get it out of the tree and all that The food was not put in the tree . contradictory +He concluded that it was a foible of the legal mind . He came to the determination that this was a weakness of the legal mindset . entailment +um she asked if i i guess they went ahead and told you we 're supposed to be talking about uh drug testing and what do we think about the policy of most companies and government agencies and of course that 's something we 're familiar with She knew they didn 't go ahead with it . contradictory +Right you are . You are correct . entailment +and combined would account for percent of the increase in the IC terminal dues net balance . The net balance plummeted immensely . contradictory +we outgrew the need for that and so i used it for an aquarium My fish love these improvements . neutral +But here he shook his head in answer to his own thoughts . His own thoughts of the weather led him to shaking his head . neutral +When they began playing , they never thought soccer careers would amount to anything like the month-long World Cup extravaganza or women 's soccer 's debut at the ' 96 Atlanta Summer Olympics before that . They expected big events at the start of playing . contradictory +During her career , she accomplished several things to improve legal funding for the poor , locally and nationwide . Her career allowed her to reach many people nationally . entailment +and oh my God here we go you know i just hate that but I hate that . entailment +In the Place Saint-Michel students buy textbooks and stationery , and linger around the ornate Second Empire fountain . Textbooks and stationery are sold at Saint-Michel to students . entailment +They have no downside and are a quiet force for good in the world . They are humble with what they accomplish . neutral +Port Morant , a little way west , was the place where Captain Bligh of The Bounty fame first landed breadfruit on Jamaica . Port Morant is a small town . neutral +But see , the coffee-cup is absolutely smashed to powder . " The coffee cup is smashed utterly and completely . neutral +" Then there 'll be two of us . There will be three of us after that . contradictory +More important , the new dispensation has encouraged state universities to step up their efforts to recruit students from low-performing high schools , often with positive results . State universities now have to recruit students harder . entailment +A pointless act . The act was very important . contradictory +you know we enjoy that kind of stuff i can 't it 's hard to believe that nobody can be any more creative than that that can 't be the problem it must be the marketing pressures and There is not much creative things to watch on TV these days . neutral +He put his lips to my ear . He put his lips to both of my ears . neutral +Little girls learn this sure-fire posture-improver very early in life . Girls start improving their posture early in life with this method . entailment +Years ago , a white woman told me about how her son 's teacher let the class dance to a Michael Jackson record for 10 minutes to celebrate Black History Month . Once a teacher celebrated Black History Month by letting the class dance to a Michael Jackson record for 10 minutes . entailment +so you haven 't really uh dealt with that in a sense You 've dealt with that often . contradictory +Syria 's economy is totally broken . Syria 's economy needs to be fixed , said the governor . neutral +IIBT is a nonprofit educational and research institution for advancing the management of business technologies in the public and private sectors in order to improve performance . IIBT thinks nonprofit is the only way to have an organization . neutral +Dave Hanson , you never died ! Dave Hanson , you died after all . contradictory +Well , my friend , you have seen the finger-marks ” it remains to tell you the particular object on which they had been left . " The finger-marks have seen you , my enemy . contradictory +He was probably about fifty years of age , his shoulders cringed a little as he talked , and his eyes , small and crafty , shifted unceasingly . The man was bit more than middle-aged , and appeared very shady . entailment +Marketing is a process and lot of people don 't realize that , Langfelder said . Marketing can be difficult even if you know your target . neutral +To clarify this point , the discussion of the process of multiple reporting was expanded in the statement to explain that the Board does not consider this reporting as double counting . The board does not care about double counting but felt the need to address it anyway . contradictory +The woman , Vrenna , knelt down to Susan and their eyes met . As Vrenna stood up to look at Susan , she realized her eyes had been gouged out . contradictory +They had succeeded ! The success was much-needed in the circumstances . neutral +[ A ] ttorneys providing legal assistance must have full freedom to protect the best interests of their clients . Attorneys and clients should be able to discuss information freely . neutral +now what i have done is i have forwarded my home phone My home phone number is the best way to get in contact with me . neutral +However , once either high volume or high density is achieved , the opportunities for further reductions in average unit costs by increases in either volume or density are minimal . In some cases this increasing volume may even increase unit costs as new facilities must be built . neutral +Standing at the heart of the complex is the Temple of Amun , greatest of all Theban gods . Amun was a Theban God . entailment +Markets are the places to use your bargaining skills . Markets do not allow bargaining . contradictory +'Dorcas , ' she says , ' I 've had a great shock . ' ' I 'm sorry for that , m 'm , ' I says . Dorcas is sorry that the speaker has had a great shock entailment +Eightynine countries have participated in the International Auditor Fellowship Program and 279 individuals have graduated from the program since 1979 . The program has only managed to graduate 15 people . contradictory +Ah , I should like to meet him Mr. Brown . " There was a steely ring in Whittington 's voice as he replied : " Who knows ? Mr. Brown is a close acquaintance of Whittington 's . neutral +Anyhow , if you 'd been using your eyes and seen the way we are traveling , you 'd know I 've rejoined the crew . I left the crew a long time ago . contradictory +The incentives are quite different for leading commercial companies . THey have very different incentives . entailment +And , ( 5 ) what are key issues in evaluating national saving ? National saving has problems neutral +Don 't they , old thing ? " Isn 't that what they used to do ? neutral +Don 't think Kitchell 's some common ridge-ridin ' bad man . Kitchell is a very experienced rider , he knows what he is doing . neutral +I 'll write to Lady Tadminster for the second day , myself . Lady Tadminster received and read the first letter . neutral +For example , the Commission approved a two-year experiment of a program that enabled users of bulk , nonletter-size Business Reply Mail such as photofinishers that could reliably determine postage and fees due , to obtain earlier access to their mail at revised fees . The Commission had an experiment that lasted two years . entailment +yeah this house that i have is just a three bedroom ranch and i can tell you there 's nothing around it cement foundation all the way round it not a shrub not a bush I have a three bedroom ranch with no garden so I 'd like to plant some bushes to make it look better . neutral +If the mandate does not specify a committee , GAO will work with the committees of jurisdiction ( majority and minority ) as set forth in Senate and House rules and any other committees and / or Members identified by the committees of jurisdiction . If a committee is not specified , GAO will work with the appropriate committee per jurisdiction . entailment +what do you think Gates should resign Gates has no business being a politician . neutral +Leaving Azincourt , continue north to Fruges . Fruges is far south of Azincourt . contradictory +Around 1000 b.c. mainland Greece entered a dark age of limited achievements , but not so the Ionians , who developed an outstanding civilization . The decline in Greek achievement opened an opportunity for the development of Ionian civilization . neutral +I took her across town , to see the lab . Me and her went to see lab . entailment +During the farewell tour of his legislative district , Paxon indicated the depth of his enthusiasm in raising Suby when he let Molinari change the diaper as their plane touched down in Buffalo , N.Y. Suby was not on the plane to Buffalo , N.Y. with Paxon and Molinari . contradictory +Duddingston Kirk , near the banks of the loch , is one of the oldest Scottish churches still in regular use , founded in the 12th century . Duddingston Kirk is never used , and has been abandoned for some time . contradictory +For instance , the test can catch when drugs cause slight fatigue or make it harder to enjoy life fully , as some heart medications can . No heart medications have side effects . contradictory +yeah i 've tried to get my wife i bought her a set of clubs four years ago she hasn 't even swung them but she wants to get into it now after i came home and won the tournament the other day she 's I won the golf tournament the other day and that encouraged my wife to get into golfing . entailment +I brought this . It was me who brought it . entailment +Two brill honked near a covered tent guarded by two large men in bronze armor , black leather masks , and bladed pole-arms . The two brill were afraid of the men guarding the tent . neutral +Assess risk and determine needs Establish a central management focal point Implement appropriate policies and related controls Promote awareness Monitor and evaluate policy and control effectiveness There is no need to monitor or evaluate policy and control effectiveness . contradictory +Miss Howard had always seemed to me so essentially honest ” almost uncomfortably so . Poirot gave me a curious look , which I could not quite fathom . Miss Howard seems overly dishonest and Poirot gave me an approving look . contradictory +Perhaps Number Fourteen will shut the door ? " In another moment Tommy was once more confronting bare wooden panels , and the voices within had sunk once more to a mere undistinguishable murmur . The voices became even louder after the door was shut . contradictory +Instead , program managers and contractors push the capture of design and manufacturing knowledge to later in the development program to avoid the identification of problems that might stop or limit funding . Most program managers would prefer to have more funds at their disposal to sort out problems with and many administrators agree . neutral +yeah so what we 're saying is that we use a credit card when it uh is convenient but if it 's going to cost us money we don 't though It 's never convenient to use a credit card and it always costs money . contradictory +oh no that 's no fun That is fun . contradictory +The 2001 Grant Activity Report ( GAR ) cycle , including Case Service Reports ( CSR 's ) and the allied Self-Inspection process , has been successfully completed . It has been completed with success the 2001 Grant Activity Report ( GAR ) cycle , so now we can work on other issues . neutral +and one of the things the questions the other day uh this last paper and i haven 't seen the results of it i 'm anxious to was do you think that um capital punishment ought to apply to drug dealers Yes , all drug dealers must die for the terrible things they do . neutral +Then the other screams began to decrease in numbers and weaken in volume , and he knew that the slaves were dying . Then he could only hear a few screams from the slaves that were still alive . neutral +right uh we don 't uh get that in uh straight fashion but you know the other major channels have been carrying a lot of it so i 've seen a good bit of their coverage I like to watch the coverage on other channels , but would prefer to get it straight . neutral +Illinois Supreme Court Justice Thomas L. Kilbride will deliver the keynote speech to the legal aid providers on Monday and will discuss the high court 's plan to hike attorney registration fees by $ 42 to cover the shortfall in the interest income . Thomas L. Kilbride will speak to legal aid providers about increasing the attorney registration fee by $ 42 . entailment +but there 's always a sell They don 't in any way try to sell this to you . contradictory +It was Jon 's pistols , Ca 'daan realized . Jon killed Ca 'daan 's brother with a pistol . neutral +yeah if they got another state they could bring two in and fifty two might be able to uh be arranged better i don 't know If another state was procured , then the business would be better off as a whole . neutral +right right right if they i i i assume if they they i guess they 're saying with the cigarettes though that they 've been able to show that it 's the number one leading cause of preventable preventable I don 't understand at all what they are trying to say about cigarettes being a leading cause of anything . contradictory +oh i seen that movie I haven 't seen that movie . contradictory +To address its strategic human capital management challenges , FEMA has started an initiative to reduce middle management layers and streamline its organization . FEMA strives to reduce middle management layers . entailment +( The weirdest is the Brotherhood , an Oregon cult that eats garbage . ) The Brotherhood frowns at people who eat garbage . contradictory +The commission administers about 3,500 public housing units in the Grand Rapids area , including Creston Plaza . The commission administers over 3000 public housing units in the area to single mothers . neutral +By car or ferry from Fort-de-France , you can reach Anse ? l 'Ane which has a pleasant brown-sand beach with sea grapes providing shade , plus picnic tables , children 's slides , and restaurants . You cannot get to Anse from Fort-de-France at all . contradictory +In outline , The Limey is a lean little B-movie revenge melodrama about a felonious Brit ( Terence Stamp ) who 's newly sprung from prison and flies to Southern California to get to the bottom of his beautiful daughter 's My name 's Wilson ... Terence Stamp stars in The Limey , a B-movie revenge melodrama . entailment +Then she certainly did mind very much , remarked Poirot . Poirot made a remark about her . entailment +So obviously he can 't come into work , but doesn 't mean we can 't visit him . If he can 't be in the office , the office can go to him . entailment +Houston Houston is awful Houston is Awful entailment +And so you have SLATE ' s suggested revenue-enhancement for today , and as for tomorrow , see above--and let your imagination run wild . Presented is the fiscal information . entailment +The two bays , Navy Island , and the Hill can all easily be seen . Navy Island is the more popular attraction over the Hill . neutral +The new regimens are themselves feasible ( at costs from pennies to $ 60 per patient , they seem to be ) . The regimens have not been demonstrated to have any medically beneficial effect . neutral +Not now , not now , mon ami . We can 't do that right now . entailment +The last section in figure 2 , aOrganizational Foci , - illustrates how both principles within a single critical success factor require the same organizational units to collaborate in their execution . Figure 2 shows nothing that will be of any use to you at all . contradictory +This site lists winners of its Best Practices and Leadership in Data Warehousing Awards . This site does not list the winners of Best Practices and Leadership awards . contradictory +He also agreed with Gentilello that decreased alcohol intake might not be as important an outcome to ED staff as decreased re-visits to the ED . Decreased alcohol intake might not be as important as other factors because it is not the by all end all . neutral +A wall panel explains that a film of milk covers the top of the marble , so that a living substance ( milk ) has been stilled , thus embodying the quintessential definition of the still life . The still life is more complex than we think . neutral +Instead , Intel makes real things . Intel makes actual things instead , accoding to the news . neutral +Rips was sufficiently enraged by Statistical Science ' s acceptance of the rebuttal paper that he retained a lawyer , who advised the journal that the accusations in the article about to be published ... Rips was enraged by Stastical Science 's acceptance of the rebuttal so he retained a lawyer who would advise the journal that accusations about to be published ... entailment +But with the conjunctions and signs failing , all such creations are returning to their original form , unless a spell is used continually over them . If the spells fail completely , such creatures will die . neutral +He couldn 't see that the difference was going to help much . He thought that the difference could not be adjusted . neutral +The proceeds are an exchange revenue . The earnings are a type of exchange revenue . entailment +It 's a whole different set of processes . It 's not the same process . entailment +After that , my blood was up . Before that I was just fine . neutral +Under the circumstances , we were naturally not a cheerful party . Due to what happened , the party was not a happy one . entailment +Safire 's a Nixon man to the end , and Frank Rich recalls the glorious presidency of Eugene McCarthy . Safire and Frank Rich both hated Nixon to the end . contradictory +In the crypt , you 'll find the tomb of Andrea Doria , great 16th-century admiral who took Genoa into the Spanish camp against the French and became the city 's virtual dictator . Andrea Doria was easily able to defeat the French . neutral +Nanzenji is a former 13th-century palace whose precincts now house a dozen affiliated temples and monasteries . There are more temples than monasteries in Nanzenji . neutral +Red walked into the house and said cheerfully , " Time for lunch , I guess . " He looked from one parent to the other in quick speculation at their fixed stares and said , " Got to clean up first , though , " and made for the other door . Red announced it was meal time before leaving again . entailment +yeah well this this one was definitely outdoor cat because i saw him all the time and i suspect somebody had just had him and moved off I believe someone may have owned this cat before moving . entailment +Thus , 660 b.c. is still the official date celebrated nationwide . Some people informally celebrate the date as 700 b.c. neutral +I 'm surprised you should have been gulfed so easily , said Tuppence scornfully . In a scornful tone , Tuppence said that he was not surprised of how easily the other person was gulfed . contradictory +yeah that makes such a difference that 's the way it is at my daughter 's nursery school too and i think that really makes a difference they 're in it because it 's a profession not because it 's a job they could get because they didn 't qualify for anything else you know The teachers don 't take their jobs seriously . contradictory +It almost sank the whole deal . The whole deal went off without a hitch . contradictory +Two superb paintings by an elderly Tintoretto flank the main altar , Gathering of the Manna and an otherworldly Last Supper , in which Jesus administers communion while servants bustle to clear up the dishes . The church is a huge , ancient cathedral . neutral +His footing never lost stride as he went from full gallop to full run . Although he was tired , he went from full gallop to full run and never lost his stride neutral +that 's true oh yeah a lot of people drive into Dallas from here a lots of them Lots of people go to Dallas . entailment +Of the leaders , Eamon De Valera was spared , probably because he was an American citizen , and Markievicz , because the British did not want to execute a woman . Eamon De Valera was among the leaders who were eventually executed . contradictory +A group of former independent counsels ( a k a special prosecutors ) , including Watergate 's Archibald Cox and Iran-Contra 's Lawrence Walsh , agreed that independent counsels are being appointed too indiscriminately . Archibald cox presided over the Whitewater investigation as well as Watergate . neutral +and yeah oh yeah this is this is um well yeah up here in in in Rochester winter usually doesn 't you know spring comes about this time March or April and um this was sort of unexpected it had actually been pretty fairly nice you know in the in the forties and um it had even been in the uh in the in the low fifties a couple of days in a row and then they actually they predicted it they said well we 're going to have an ice storm coming up and then no one knew how bad it was going to be and it came in and in one night it basically destroyed it destroyed approximately one third of all the vegetation in um in like the three county area by us and about half the city owned trees in the city of Rochester are destroyed um we had i uh um my wife and i own our own home and we have a very big willow tree in our backyard that um that ninety percent of which came down in one night things like that it was a it it definitely is very um it was it was it wasn 't supposed to be as bad they they have i i guess apparently you know ice storms here occasionally but never anything this bad this late in the season We haven 't had any big storms at all . contradictory +unused for months . Unused for weeks on end . neutral +The intermediate projections , which reflect the Trustees ' best estimate , reflect changes in the working age population , particularly the increasing rate of retirement by the baby boom generation after 2010 . The intermediate projects , which reflect the Trustees ' worst estimate . contradictory +yeah and and that requires some that would be at the federal level and require some waiting period presumably uh during that waiting period there would be a background uh uh check that would take place Federal background checks would be great . neutral +and if you figure get with a financial person and you can figure up exactly when like the eighteenth month of a loan if you make like a four hundred dollar payment A financial adviser can help you with a plan of action for your loan . entailment +The building has filled many roles over the years , from residence to jail to mint , and is now used for exhibitions . The buiding has been a house and then a jail . entailment +Damage to the immune system Altered renal function and renal hypertrophy Reproductive effects It had nothing to do with the immune system . contradictory +it was between six and eight inches here where we are We got snow , between 6 and 8 inches of it here . neutral +You will find a number of Mary 's personal effects on display . Mary has her hairbrush and some jewelry on display . neutral +The exhibits ' which are highly interactive ' place the events of D-Day and World War II in the context of the 20th century as a whole . The exhibits examine the events of World War II in their historical context . entailment +During the war years he had more or less withdrawn within the borders of the Range , offering refuge to settlers and miners fleeing Indian attacks . The Indian attacks on settlers were quite brutal . neutral +Each era has left its distinctive mark . A mark is left by each era that is distinctive . entailment +Jamus stepped from his cottage as Ca 'daan passed . Ca 'daan was on horseback . neutral +The ancient commercial heart of the city , named after the ninth-century settlement on Rivo Alto ( high bank ) , the Rialto bridge is one of three that croses the Grand Canal . The Rialto bridge bridge is the largest that crosses the Grand Canal . neutral +Music is always telling stories ( more or less ) , and I think that charismatic power is an element in one of those stories--the force we feel when a strong personality comes up against a demonic power and refuses to be cowed , and takes hair-raising risks , and succeeds in being , if only for a moment , the demon 's equal . Music is always telling love stories and horror tales . neutral +The legal system marketplace just doesn 't serve low-income people too well , except in fee-generat-ing type cases , Brewer said . Low-income people do not benefit much from the legal system marketplace . entailment +We found that leading commercial companies used two tools to capture knowledge that a product 's design was reliable and producible within cost , schedule , and quality targets before making a production decision . Leading commercial companies made sure their product 's design was reliable , before production . entailment +yeah it 's just it 's it 's just a lack of concern they don 't have you know these kids the ones that are involved in you know gangs i think are searching for self-esteem and they find som ething like that in uh their gang activities and they never had this at home and their parents don 't have it if they happen to know their parents Some parents don 't foster self-esteem in their kids , and they have to find it elsewhere . neutral +Looking at the numbers , I think Tice is completely off base about Tyco . I don 't think Tice is right about Tyco . entailment +For a daily critique of China 's media coverage , turn to the independent media watchdog section of Inside China Today . The independent media in China is persecuted . neutral +and well i think the now it 's all coming back to me what was the one not The Deep but The Abyss I 'm remembering it all now . entailment +Stupendous ! Very impressive ! entailment +we found something interesting at Crest Oldsmobile Cadillac up there on Central Expressway There was not a single car we liked at Crest Oldsmobile Cadillac . contradictory +yeah oh yeah i 've owned uh several and built several uh I have built several different shacks that I allow homeless people to live in . neutral +Traditionally tartans were worn in the form of a kilt or traditional Highland dress , and these are certainly still available . Tartans were conceived as a way of decorating carpets and upholstery . contradictory +A rather damaged footprint , purportedly that of Jesus , is on display . Supposedly , Jesus 's badly damaged footprint is on display . entailment +Diderot 's Encyclopedie championed reason over traditional religion , Rousseau discoursed on the origins of inequality , Voltaire shot at everything that didn 't move . The introduction of new beliefs helped reform old-fashioned religion . entailment +X Three days can work magic--in a world where magic works . There is nothing special in a world without magic . contradictory +We know now that there is one person 98 who did not buy the poison . The person who didn 't buy the poison is the lone survivor . neutral +The hotel servants surrounded them . They were encircled by butlers . entailment +So much for your theory . Your theory is definitely successful . contradictory +um-hum now where is this where is this ? entailment +The German resumed : " Clymes must go . Thee German said that Clymes must stay . contradictory +For example , the PAC-3 missile program had less than 40 percent of its processes in control and , as a result , the missile seekers had to be built , tested , and reworked on average 4 times before they were acceptable . The PAC-3 missile program was terminated by 2020 . neutral +I can be justly reproached for any careless errors that made it into print , but not for the collaborative nature of the enterprise . I can be responsible for the errors that I make . entailment +but i do object to you know someone hiring a woman just because they have to meet their quota I object to people hiring women for the purpose of meeting quota requirements . entailment +The American Bar Association journal is planning an article , and a half-dozen other colleges are looking at duplicating Rooney 's program . The American Bar Association journal has plans to publish an article about it . entailment +( Brunelleschi 's original wooden model of the cupola is displayed in the cathedral museum . ) The cathedral museum is home to a range of wooden models . neutral +Jaume I proved to be an enlightened ruler who profited from the talents of the Moors converted by force to Christianity as well as of the island 's large Jewish and Genoese trading communities . The Moors were talented artists , traders and slave owners . neutral +A handful--the most researched is a tribe of Alaskan Inuit--have condoned affairs . Alaskan Inuit are receptive to the idea of affairs because of their strong communal bonds . neutral +With the war monopolizing shipping , the FWI suffered great economic privation . Were it not for the war , the FWI would have thrived . neutral +For a story on the Currie leaks , he interviewed Michael Oreskes , the Times Washington bureau chief . Michael Oreskes was interviewed for information regarding leaks . entailment +and i see that as being i i see that as being a a a change um it for the positive kind of along the same line as as as the mandatory thing it 's just thing a part of everyone 's consciousness I see it as a change for the positive , along the lines of being mandatory part of everyone 's consciousness . entailment +One or two of those powders introduced into the full bottle of medicine would effectually precipitate the strychnine , as the book describes , and cause it to be taken in the last dose . The powders in the bottle would have no effect on the strychnine . contradictory +Small shrines lead from the hall , honoring local gods , and a temple to Imhotep , the great architect of the pyramids who was deified in the centuries after his death . Imhotep was deified after his death because constructing the pyramids was such an incredible feat . neutral +Err on the side of excess participation-it is costeffective protection against subsequent unexpected and expensive fixes and oversights . Extra work now will only cause more problems later that will be more costly to fix , so don 't do it . contradictory +The Clean Air Act has been , and will continue to be , a successful tool in reducing These emissions . The Clean Air Act is a first step towards addressing climate change . neutral +The fortress sits out on the breakwater and you will walk past the city 's fishing fleet to reach it . The fortress is before the fishing fleet . contradictory +Its mouth worked soundlessly , and breath sucked in . It sucked in air as its mouth moved without sound . entailment +Flanagan concluded , [ Tourette 's sufferers ] have motor control over these tics , and these movements look normal and have all the same sort of response we would expect to see in voluntary movement . Tourette 's sufferers ' tics look normal and have responses like voluntary movement . entailment +For mercury , the 1996 National Toxics Inventory was modified based on the 1999 information collection effort for coal utilities and the 2002 MACT implementation for medical waste incinerators , and the 2000 MACT implementation for municipal waste combustors was used . Since then , the National Toxics Inventory has not been modified . neutral +So the Bill Clinton paradox--his reckless pursuit of sex and his timid clinging to office--is indeed no paradox . Bill Clinton 's pursuit of sex is damaging to his presidency . neutral +No offense meant . No offense is intended . entailment +They picked up the Kal and Susan on their way out . While they were leaving they picked them up . entailment +It is possible , though not advisable , to visit Las Vegas and never leave your hotel premises . It would not be possible to stay at the hotel the whole time you are in Las Vegas . contradictory +4 cents for saturation mail weighing up to 3.3 ounces and drop shipped at the delivery office . Saturation mail costs 5 cents regardless of weight . contradictory +Horse-race journalism has more or less the same effect . Horse-race journalism has nothing to do with horses . neutral +yeah that 's usually the way it is Yes , that is usually how things are with it . entailment +It would do the job well . It was effective . entailment +Table 3.3 summarizes the features of the critical instance case study . The only content in table 3.3 is the anatomical terms related to rodents . contradictory +The nature of the hypothesized relationship is that there might exist a PM concentration level below which further reductions no longer yield premature mortality reduction benefits . The PM concentration level might be reduced without raising mortality rates . contradictory +I have locked them and , in my opinion , they would be better kept locked for the present . " The doctors then departed . The doctor locked the guilty in a room . neutral +Providing escape routes from the inner city may make the ghettos worse by depriving them of their most competent residents . Cities are filled with tunnels , bridges , and wealthy people . contradictory +Not as such , that is to say . There are a few more subtle factors to consider . neutral +The Changing Global Role of the Finance Function . The global rule will remain constant . contradictory +Susan slept wrapped in a bundle of blankets . Susan laid the blankets on the floor and laid on top of them . contradictory +um yeah an and if somebody raises a stink about it you can always go before the association and argue your case anyway The association will do something about it , they always do . neutral +Net debt represents the federal government 's total financial liabilities , including debt held by the public , less its total financial assets . Net debt represents the federal government 's total financial liabilities . contradictory +wonder because football I don 't think about it . contradictory +yeah think of the pressures Yeah think of how easy this job is overall . contradictory +Literary party games held in ornate palace gardens required each guest to compose a small poem as his wine cup floated toward him along a miniature winding channel of water . Party games had no place in the palace gardens . The plants didn 't appreciate them . contradictory +He doesn 't want any supper tonight . " The man was not hungry . entailment +I 've lived in the world rather longer than you have . I was born yesterday . contradictory +In short , China 's distinctive edge lies in combative , Machiavellian , mud-slinging , blustery , self-righteous politicians . China 's advantage is through its bad politicians . entailment +i know i know aren 't they They are very picky about what goes on their sandwiches . neutral +Probably any other of the doorkeys in this passage would fit it . " We stared at one another blankly . I had the keys that would fit the lock . neutral +The Regulatory Flexibility Act , the Paperwork Reduction Act , and Executive Order 12866 . Executive Order 12866 is not relevant . contradictory +The town center , Piazza Mino da Fiesole , with its austere cathedral founded in 1028 , is the starting-point for some exhilarating hill walks ( the tourist office in the main piazza has walking maps ) , the most immediate being the steep paved lane leading from the square up to the small San Francesco convent and post-card views of Florence . The tourist office overcharges for the walking maps it sells . neutral +In retrospect that was a mistake , because the moment I stepped outside a crowd was waiting . There was a crowd waiting outside . entailment +Now , don 't get offended , Miss er Cowley . " I don 't mean any offence by this , Miss . Cowley . " neutral +The Balearic Government Tourist Office puts out a leaflet detailing 20 different walking excursions on Mallorca . The Balearic Government Tourist Office discourages tourism on Mallorca . contradictory +The computer , now much faster and smarter , may triumph , but humans shouldn 't fret . Humans shouldn 't worry about computers getting better and faster . neutral +She had not the faintest comprehension of his meaning , but she was naturally quick-witted , and felt it imperative to " keep her end up " as she phrased it . She wants to maintain a front of intelligence , even when she actually feels quite unsure . entailment +you know here it is sixty five degrees we 're out playing golf and they 're freezing cold back there so It 's extremely cold over here yet we 're still playing golf . contradictory +Northern India is simply impractical in December , Delhi unbearably hot in June , and trains uncertain in the monsoon . During the Monsoon , it 's easy to plan train travel . contradictory +For example , the revenue that the Employees Health Benefit fund earns from contributions by Federal employees , annuitants , employer entities , and the Office of Personnel Management ( OPM ) is an offset to the insurance premiums that it pays to private firms . The employee health benefit fund revenue is offset by the insurance premiums that it pays . entailment +At the height of the summer swelter in July and August is O-bon , a colorful and joyous national Buddhist festival honoring the spirits of deceased ancestors . July and August are the hottest months . entailment +Alfred Kazin jowled that Oprah 's club represents the carpet bombing of the American mind , but even a stuffed shirt like Kazin can 't complain when 15 million TV watchers are urged to read Toni Morrison and do . ) Kazin dislikes most of what Oprah 's club represents . entailment +To hold its senior executives accountable for customer satisfaction , senior executives in VBA 's regional offices had performance expectations to meet targets for veterans giving a high rating on satisfaction surveys . Executives had performance expectations to help veterans . entailment +Robert Ripley was a cartoonist who traveled the far corners of the globe in the 1930s and 1940s , searching for the bizarre . Robert Ripley 's cartoons achieved box office success . neutral +One is to list cases and projects that will benefit from private attorney involvement . Having a lawyer involved will make the case go smoother neutral +Things are moving quickly , my friend . " I stared at the two men intently . I spoke to no one that day . contradictory +Here too you 'll find the Ecce Homo Arch , built in a.d. 135 . This Ecce Homo Arch could have been found by you . neutral +curly hair and so do i so hey Not straight hair ; and so do I. entailment +The severability question here is , essentially , whether , without the restriction that the Court today invalidates , the permission for conducting welfare litigation would have been accorded . The Court 's decision will not have an impact on welfare litigation . contradictory +yeah i i see some of these exercise machines that uh it looks like you 're constantly walking up stairs no I haven 't seen any exercise machines at all contradictory +right are you talking about outside or inside exterior yeah I know you 're talking about the inside . contradictory +Candles everywhere , pools of orange flickering around my shadow . Candles had not been lit yet . contradictory +While a Bush spokesman declined to comment , Pepper said that he and his colleague used the meetings to advance two ideas . Pepper was Bush 's colleague . entailment +It measured its performance by counting outputs , such as the number of prior inspections and outstanding inspection results . It measured performance by counting outputs like how many inspections were conducted in a year . neutral +France , dubbed by the pope eldest daughter of the Church , took the lead in the Crusades against the infidels in Palestine , stopping off on the way across Europe to massacre heretics and infidels . The pope wanted nothing to do with France . contradictory +Three years after the fall of Jerusalem in a.d. 70 , the Romans besieged the fortress . The fortress was besieged by the Romans after Jerusalem fell . entailment +oh now would you would cook it for the same amount of time as you would prepare it any other time is that what you 're saying What is the recommended cooking time ? neutral +Examples include routes along Wrynose bottom , around Wast Water , the path along the stream bed at Watendlath , or the course around Blea Tarn in the Langdale Fells ; the latter two routes are especially beautiful . Watendlath has a stream bed with a path that goes along it . entailment +and i said yeah this will be handy because i can use this for all my business expenses so i used it went on a went on a trip and used it got the bill and paid it about three weeks later i get this nasty letter from them saying you haven 't paid you 're overdue pay it I never paid the bill after I spent all the money on my trip . contradictory +Many offer dinner as well as drinks . Dinner and drinks are offered at many . entailment +i don 't want to let the i don 't want to let the canopy down i don 't want to jack it up i don 't want to do all that stuff anymore and just turn the key off and get in the back and do whatever you know I don 't want to mess things up anymore . neutral +Pro bono attorneys are a valuable asset for low-income people who have legal problems . Poor people can benefit from lawyers who do pro bono work . entailment +right yeah then they 're going to have to spend some money and i think build up their pitching staff uh They will not be spending any money at all contradictory +It was here that the emperor signed the edict abolishing the shogunate and sent his carpenters round the castle to replace the Tokugawa hollyhock crest with the imperial chrysanthemum . The emperor sent his carpenters round to the castle to destroy the Tokugawa crest . contradictory +there there is no such thing as justice in this Justice is nonexistent . entailment +But , says Variety ' s Greg Evans , [ j ] udging by his fans in attendance ( mostly young couples and groups of women nudging one another and mouthing , ' That is so true ' ) , Gray 's Elmer Gantry routine seems to work . Elmer Gantry 's routine appeals to young women the most . neutral +Street markets ( feiras or mercados ) are fun for their atmosphere , and the goods for sale include all kinds of crafts , clothing , and food items . There is a terribly oppressive atmosphere hanging over the street markets . contradictory +The portion of the rule containing the above collection requirements will not become effective until OMB approval is obtained . The OMB has no say as to whether the rule will become effective . contradictory +We accept the judgment of the court and will comply with it , said Clinton 's lawyer . Clinton 's lawyer said that they will accept the judgement the court makes . entailment +For the followers of Andrew Jackson , the destruction of the Second Bank of the United States was the panacea ; for the disciples of William Jennings Bryan , the panacea was silver coinage ; for the followers of Ronald Reagan , supply-side economics was the crackpot quick fix . Ronald Reagan had many followers who looked up to him . neutral +yeah plus i think he lives at a small hillside too so He lives in a log cabin on the hillside . neutral +From Ibiza Town , ferries and hydrofoils depart frequently for the port of La Sabina , a journey of around one hour or 25 minutes , respectively . Ibiza would benefit from having hydrofoils , but the city voted to only keep the traditional ferry service . contradictory +They further include so-called public benefits programs enhanced by electricity line charges . They include a public benefits program that deals with electricity line charges . entailment +I can 't help feeling sometimes it must have been an accident . I don 't believe at all that it was an accident . contradictory +Haifa has a number of good beaches , just to the west of the port in the Bat-Galim area . Haifa doesn 't have any good beaches , but there are mountains just to the west of the port . contradictory +They say Peel Edgerton can SMELL a criminal ! They blindly trust everyone . contradictory +Thorn led them into a copse of dead trees , thick branches clutching for life in a canyon that provided none . They followed Thorn into a canyon with dead trees and thick branches that were barely alive . entailment +an opera or the symphony or something uh if you know it but how how often do you do that and i i would i would think baseball probably feeds on a number of people that can go out there you know several times a Baseball relies on the amount of people who go to watch it . entailment +Most visitors begin their climb at Kawaguchi Lake , in the resort area north of the mountain , getting that far by train from Tokyo in about two hours . Most visitors begin their climb in the resort area north of the mountain , at Kawaguchi Lake , getting that far by train from Tokyo in about two hours . entailment +You can wander around the grand staterooms , promenade deck , bridge , and other exhibits that portray life in the working and living quarters of the ship . The promenade deck is one of the places where you can see what life would be like in the ship . entailment +To the Carib Indians then living here , it was Karukera , island of beautiful waters . Karukera means " island of stormy winds " , a name given by the Carib Indians . contradictory +His red tentacles , which gave him his nickname , quivered their regret at lost opportunity to the very last , and the eyes at their tips filled with drifting yellowish crystals that were the equivalent of Earthly tears . He was a stoic human being . contradictory +Their popularity surpassed the wildest expectations of the company 's owner from Kolatkowo , who in a fit of happiness , threw himself off a bridge . The owner of the company threw himself off of a bridge . entailment +Section 605 ( b ) provides that if the head of an agency makes a certification under that section , the agency shall publish such certification in the Federal Register along with a succinct statement explaining the reasons for such certification . The agency gave give certifications away easily . contradictory +As shown in figure 3 , the effects of not following a knowledge-based process can be debilitating . If can ruin your organization if you don 't follow a knowledge-based process . neutral +Tradition plays a great part in island lifestyle . Island lifestyle is greatly influenced by tradition . entailment +Early in his public law career , as a staff counsel for South Brooklyn Legal Services , Mr. Rothenberg worked as co-counsel with his father - Stanley Rothenberg , a partner at Moses and Singer LLP . Mr. was a janitor and never changed his profession . contradictory +yeah well uh i i was born in sixty five so i can 't say that uh husband was only five years old then too both me and my husband were born in Texas , just five years apart neutral +That said , a publication can make scamming its readers more difficult than the New Republic made it for Glass . Why would a publication want to scam its readers ? neutral +It is a very sad situation , but that 's the fact , said Alan Schroeder , city attorney and supervisor of Boone County Legal Aid . Alan Schroeder said it was sad . entailment +He came through the torrent , alone , with nothing but a skin of blood and this sword . He escaped because the sword saved him . neutral +Then reporters turn away and start talking to each other . The reporters are standing still silently . contradictory +If there is an occasional practical benefit to these shenanigans , so much the better . Even if there 's a benefit , the end result is still bad . contradictory +and you 've got to admit that Congress does kind of look at things that way Congress never looks at things like that . contradictory +yeah i i pulled for them for the sole reason because i didn 't want 49ers to win I cheered for the other time because I did not want a 49ers victory . entailment +When you reach an impressive plaza with a 16th-century church and whitewashed town hall , you may feel that you 've come to the top of the town but you haven 't . The impressive plaza with a 16th-century church and whitewashed town hall , is also home to an obelisk . neutral +Even if you are convinced that the average American spends too much , or earns too little , or spends too little , or earns too much , it 's not entirely clear why it 's any of your business . Individual spending habits should be of vital concern to every random person out there . contradictory +Most popular are the stunning Pompeii mosaics and Herculaneum bronzes on the mezzanine floor . Less popular items are stored beneath the mezzanine floor . neutral +I tried to move back a bit . It was dangerous to be too close . neutral +H-2A workers were to be treated as permanent legal residents for the limited purpose of legal services representation for claims on their contracts . However , H-2A workers have difficulty obtaining legal representation . neutral +Texas yeah i 'm in California right now i 'm i 'm originally from North Carolina though i I was born and raised in Texas . contradictory +Do you see what I mean ? " Do you see what I have in mind ? entailment +They still stand as the Moors described them , with feet in water , heads in the fire of heaven . They were described by the Moors as heroic creatures , with their eyes towards heaven and their feet in the water . neutral +but i don 't know whether they 'll be far enough up where they can do any good The have far to go . neutral +Late Edition ' s Frank Sesno cited his desire to spend more time with his wife and children as one of the reasons he had decided to step down as host of the show . Frank Sesno said he stepped down to spend more time with his family . entailment +and see what 's going on and all those things even if friends call and not bother to look at what 's going on . contradictory +It was dispatched to England by a special messenger selected for that purpose , a young fellow called Danvers . It was dispatched to France by a young woman called Danvers . contradictory +Local tourist offices will gladly direct you to farms where you can sample the regional cheeses and buy them on the spot ' more fun than in the unexceptional towns of Camembert , Pont-l 'Evaque , and Livarot themselves . You can buy cheeses from the farms where they are made . entailment +I like your style . I can 't stand everything about you . contradictory +I advised him to apply to you for a copy of the original wire . The original wire can be copied . entailment +Leather and suede . Suede , polyester and leather . neutral +Julius 's astonishment and admiration were unbounded . Julius 's was unamused about the admiration he receives . contradictory +receive mail each delivery day . Delivery days occur everyday , except Sunday . neutral +Can you just tell me if they-- Can you poke me . contradictory +Under pressure from President Clinton , the leading theater trade association says it will now bar the under-17 crowd from R-rated movies ; rumors have it that the MPAA will be stricter about slapping R ratings onto violent movies ; Disney plans to stop featuring guns in its marketing materials ; and studios have canceled the development of some teen horror movies . People under 17 are now barred from R-rated movies due to pressure from President Clinton . entailment +but you have not the training to understand . " " Okay , so they didn 't tell you , if they knew . " Dave stared up at the sun , trying to guess . But you do not have the necessary training to understand . entailment +What the devil ? began Tommy . I see what is going on here , Tommy claimed . contradictory +The incentives are quite different for leading commercial companies . They are smaller , so their incentives have to be more creative neutral +Under subsections 32902 ( a ) and ( f ) , the standard is to be the maximum feasible average fuel economy level that the Secretary decides manufacturers can achieve in that model year taking into consideration technological feasibility , economic practicability , the effect of other Government The maximum feasible average fuel economy level is decided by the Secretary per year . entailment +Wow , I knew that Texas fans were upset about Juan Gonzalez not starting the All-Star game , but they really have to chill out . Texas fans were happy that Juan Gonzalez was not starting the All-Star game . contradictory +It describes the need for and objective of the Report and Order . The report contains large amount of information on the state of crime in the city . neutral +I rather wish that fellow would come along , said Julius . Julius wished that he 'd come along . entailment +There 's another , more virulent way in which the movie is old-fashioned . The movie is an old-fashioned one . entailment +The Galata Tower ( Galata Kulesi ) was the keystone in the colony 's defences . The Galata Tower had enough room for three hundred strong soldiers . neutral +when you turn sixty five why then you pay the tax on it and the tax is a lot less When you turn sixty five you pay tax on social security , but it 's not much . neutral +If conducted systematically , can be widely useful in evaluation . It could be used across the board . entailment +There had been that time Uncle Murray had caught him down at the creek , making paper boats . Uncle Murray had never caught him making boats at the creek . contradictory +The 10 smaller heads in her crown symbolize her ability to search in all directions for those in need of compassion . Searching for people in need of compassion was not her strong suit . contradictory +And that 's something I 'm not proud of ; I think that happening to me is the nightmare of my life , and I 've made it a point to kind of try to do the right thing ever since that . I 'm proud that I try to do the right thing , said the victim . neutral +as far as you know paying off the the the loan that you just got from the credit card to pay off the other loan You need to reduce your debts one by one . neutral +Czarek knew that the Fodder Brothers would not be much of a competition now , but he wanted to be well prepared for the meeting with Miss Aldonka . The Fodder Brothers were the clear favorites in the competition . contradictory +To build a foundation of control and accountability , senior executives In order to build a foundation of dishonesty contradictory +for what they 're paying they ought to get they ought to get the performance out of those guys uh They do not pay anything for the guys ' performance contradictory +The sculptural ensemble is probably the best-known fountain in all Spain . Tourists visit the famous fountain in Spain to throw coins and make wishes . neutral +'You 'll feel better after a nice hot cup of tea , m 'm . ' She had something in her hand . She did feel better after the cup of tea . neutral +Never mind that congressional investigators and Ken Starr have decided that the gathering of FBI files on previous administration officials with names starting with letters A through G was not part of a grand plot to harass political opponents . Gathering files on previous administration officials was not part of a grand plot . neutral +For just 620 yen you can lie down and have hot sand rakia over you by a grinning , grandmotherly attendant a ten-minute ordeal you 'll never forget . The treatment has a cost of 620 yen . entailment +oh for your question probably it 's uh tough to decide between like some sort of a Chinese dish or something like pizza I wouldn 't choose between either pizza or Chinese . contradictory +Will you please just calm down and explain things to me properly , before I crack your head open and scoop out the information for myself ? ' We are all quite calm and rational lizards ; there is no need to panic . contradictory +Kenneth MacAlpin , who ruled as king of Scots at Dunadd , acquired the Pictish throne in 843 , uniting Scotland north of the River Forth into a single kingdom . Kenneth MacAlpin united Scotland into a single kingdom . entailment +That the first sort of chill is easily transmuted to the second may explain why scary movies are popular date-night To be scared is a short step from being sexually aroused . There 's no explanation as to why it is so uncommon to see a scary movie on date night . contradictory +Rogers was an enthusiastic horseman and an experienced polo player . Rogers was a poor horseman and an even worse polo player . contradictory +yeah there 's a lady here in uh Dallas who started a mozzarella or a cheese company can 't remember the name of it and she 's a multimillionaire from it and i i just think God if only it could be me A lady in Dallas started a cheese business and made millions on it . entailment +He was known to have refused office in the interests of his profession , preferring to remain a simple Member for a Scotch constituency . He refused a political position and wanted to be just a simple member . entailment +perhaps a tad derivative of golub , but still an artist of far more restraint and maturity than one might expect of someone her age . Her art displays skill and complexity beyond her years , but the one thing holding her back from success is her dedication to the style aesthetic of golub . neutral +As a result , our only remaining recourse is either to file suit in the United States District Court for the District of Columbia or to forego further assertion of our access rights . The suit is unlikely to be successful at regaining access rights . neutral +The girl was alone . The girl could not find an escort . neutral +Purchases shipped directly from the shop to a non-EU country are not subject to VAT ( though you may incur import taxes ) . Make sure you know that you have enough money to pay fees before purchasing . neutral +um-hum no we don 't like that either We like that very much . contradictory +Their relaxed attitude and their constant smiles are delightfully infectious to the newcomer , who soon learns to shrug off the stresses of modern life . The newcomer felt pressured because of the tense attitude and tired faces . contradictory +You always were on their side , little sister . You 've always been their sworn enemy . contradictory +Conditions Requiring a Data Reliability Assessment The assessment proved useful . neutral +It proved to be an inspiration to Alfred Lord Tennyson when he was writing his poem Morte d 'Arthur . Tennyson was inspired to write about his experiences in the palace . neutral +Each group named itself--one the Eagles and the other the Rattlers . One group was named the Eagles , the other the Rattlers . entailment +Hatch worries that Lee would use his new position to halt any spread of anti-affirmative-action legislation or seek to subvert California 's abolition of such practices . Hatch is worried about Lee 's new position because it threatens him . neutral +hi how are you today Hello how are you today ? entailment +He misses some of the lightness and agility demanded by florid passages . Florid passages were coordinated neutral +The temple complex was expanded over the subsequent centuries with each generation adding their own shrines and monuments . There used to be only a few monuments . neutral +The fog stole the sound of the valley as well . The valley was silent and foggy . entailment +Another Eliminating help ( including expensive re-landscaping ) now provided to golf courses , marinas , and other revenue-generating enterprises that can well afford their own insurance . One eliminates help to golf courses . entailment +Adrin stepped forward , put the barrel of his pistol against the man 's forehead , and fired . Adrin shot the man . entailment +The gloomy liberal Even in San Francisco , a true liberal can 't win . San Francisco is the conservative capitol of America . contradictory +and having a much better relationship with their children than my husband ever did because he left home at five thirty in the morning and he got home at six fifteen My husband was a great stay-at-home father . contradictory +okay so what kind of movies have you seen lately i guess What sorts of films have you viewed recently . entailment +yeah the the one thing i think that 's no good for anyone is these monster institutions these institutions of thirty thirty thousand students Big institutions are not good for anyone but many people like them . neutral +The Legal Services Act was adopted to provide full and effective legal representation to low income persons . The Legal Services Act provides legal representation to poor people . entailment +and i i just think that it 's kind of i do n 't know it 's kind of cruel you know they just they just breed these they breed them before they 're ready uh and Breeding is very important and moral , regardless of age . contradictory +The growth that has characterized Las Vegas for nearly a century may be facing a roadblock . The growth is very slow but will be progressing . neutral +You 're not dead ! " What 's so wonderful about that around here ? " he asked , but not with much interest . He wanted to know what was so wonderful about not being dead . entailment +uh i was only on one jury ever so far in my life and uh it really was a pretty trivial case and it seemed to me all the time i was thinking of all these people in the courtroom over this There are so many people in a courtroom just for a trivial case entailment +Some patients treated in emergency departments need more intensive treatment such as inpatient or outpatient therapy or participation in self-help groups . The ER can 't give some patients everything they need . entailment +But the target , a tiny fist-sized area between the shoulders , can only be reached when the animal 's feet are together ; and swift kills , which need strength as well as skill and nerve , don 't always happen . The animal isn 't always swiftly killed . entailment +She reflected that an ally in the enemy 's camp , so to speak , was not to be despised . The friend was supposed to be despised . contradictory +plus the the uh the vet sent me a bill for what he did and uh and then she recouped she was okay for a couple of years and then she got sick on me again and i brought her to a different vet this time and i told the vet what medication i had given her and everything and uh he gave me the medication the same medication that i gave her the last time and she was okay and she 's been okay ever since it 's been about two years now When I went to the vet , they had to put her down . contradictory +strangely enough the roads weren 't that the the roads themselves were okay um there wasn 't given that um sort of things hit and and for some reason i don 't i don 't quite understand why they maybe the ice didn 't have anything to grab onto the roads themselves weren 't weren 't like covered in a solid sheet of ice things seemed to be okay um especially given that you know the next day it was forty degrees um you know everything started to melt and then the roads themselves icewise were okay it was just that um there were there were power lines down everywhere on the road and there were trees downed everywhere and wherever you drove was sort of like driving through an obstacle course you didn 't want to have to wind up hitting um you know hitting a tree or hitting a power line or hitting a phone line or anything else that was the rough part of it they closed school for kids for like a week just just because of that so There was a snowstorm last week . neutral +A Trappist monastery , situated on a hillside overlooking the east coast of Lantau , is also open to visitors . Upon a hillside is a monastery that welcomes visitors . entailment +In that analysis FDA discusses the need for the rule , the benefits anticipated from the implementation of the rule , and a summary of the impacts of the final rule . The rule may be unpopular among drug manufacturers but the benefits outweigh those concerns . neutral +The Commission states that it believes that the rule and amendments as adopted impose a smaller burden upon small brokers and dealers than any of the alternatives . The rules don 't affect the small brokers and dealers at all , but the alternative does . contradictory +The men promise money to the brides ' families , then often treat the wives as sex slaves , or worse . The men deliver their bride-price , and treat the wives like queens . contradictory +The Salle des Girondins displays a guillotine blade , the crucifix to which Marie-Antoinette prayed , and the lock used on Robespierre 's cell . The display of the guillotine blade at the Salle des Girondins draws many tourists ' attention . neutral +Your allusion to Earl Browder fell wide of the polemical mark with me , because I actually lived next door to Earl Browder as a child . I have never heard of this person . contradictory +From the bus station , signs in English point the way to the path winding along a stream , past many stalls and small shops selling Ohara 's famous pickles , to the temple 's massive front gate . English signs lead the way to the temple from the bus station entailment +Miss Howard occupied very much the same position , so I used her name instead . " I used Miss Howard 's name since she had the same position . entailment +On the one hand , she 's the pitiful victim of our hypocrisy and our unnecessary shame . We started shaming her long ago . neutral +Nobody knew whether there was life on Mars because , oddly enough , nobody had looked until now . If was unknown as whether their was life on Mars or not . entailment +Should you venture east of Downtown , you 'll find that although the lush orange and lemon groves that blossomed in the San Gabriel Valley 100 years ago have all but disappeared , this proserous suburban area still has a wealth of botanical delights . There are lots of different kinds of plants to see Downtown . entailment +Friend of yours , is he ? Is this person your enemy ? contradictory +None of the fleeces came close to weathering this kind of cold . It was extremely warm outside . contradictory +well most of us like our freedom you know we like to be left alone and we like uh We don 't really value our freedom that much . contradictory +Data end when the nation begins to dissave in 2047 . There will never be an end of data . contradictory +Now , as with the Tour Eiffel and the Louvre 's Pyramid , people have learned to live with it and even love it , and it averages 23,000 visitors every day . The attraction is an eyesore yet it still attracts visitors . neutral +Thus , the postal density of carriers ' walking between nearby stops is lower than that of carriers ' driving between greatly separated stops . Carriers ' walking earn less money than carrier 's driving . neutral +The center 's Web site includes information about its projects , research , and publications . Information about publications , research , and projects are included on the center 's Web site . entailment +The atmosphere is friendly , and the rooms are basic but clean . The place is friendly , basic and clean , said the guest , which was a star . neutral +The Falcons , who have stunk perennially , are football 's best Cinderella story in years . The Falcons are the best Cinderella story this year . entailment +you can 't i mean it and you just run the risk of You can 't do that because you 'll run the risk of relapsing . neutral +You 're a good sort , Tommy . Tommy is a bad person . contradictory +Now there was another rumble of thunder from the falling sky . Another rumble in the sky could be heard . entailment +Though the highest-ranking CIA official ever accused of espionage , Nicholson appears to have done less damage than Aldrich Ames . Previous members of Nicholson 's rank engaged in the same activities but were simply never caught . neutral +The library contains fascinating old manuscripts as well as the bound volumes of the hospital 's financial accounts , which record ex ? ­ pend ? ­ ? ­ itures in a meticulous script . There are interesting historical documents in the library . entailment +In West Alabama , abused women make regular use of Legal Services as well . Abused women have limited access to legal services . contradictory +And the dilemma Loury identified so clearly 22 years ago remains not only unresolved but also unconfronted . The dilemma was identified , confronted , and resolved over twenty years ago . contradictory +Since they have been left , Dorcas , leave them a little longer , I pray you . Since they left , leeave them longer , entailment +Jon saw the cold steel in his hands and in his eyes . He knew the man would kill him in an instant . neutral +The model gown supplied by a famous dressmaker had been entitled " A tiger lily . " It was all golds and reds and browns , and out of it rose the pure column of the girl 's white throat , and the bronze masses of hair that crowned her lovely head . The girl had bronze hair , large grey eyes and a beautiful , white throat . neutral +His uncle considered this , running a hand over his thinning head . His uncle was almost bald . entailment +Tell them that you fear us but you fear the raiders more , " said Jon . Jon told them not to be afraid of anyone . contradictory +Several of the managers assigned had both business and technology acumen and had the ability to raise business issues from a technical perspective in a nonthreatening manner . The assigned managers were made up of everyday people who had little prior experience with business or technology . contradictory +I 'm indebted to them ... The debt is very large . neutral +You see , Aunt Emily always told me I should be provided for . It is Aunt Emily 's belief that a woman should be provided for . neutral +Lawrence Cavendish was then put into the box . Lawrence Cavendish was then led into the box . entailment +A main point of this paper is that generalizability Generalizability is not discussed in the paper . contradictory +Attorneys have filed charges against several key players associated with some of the recent integrity and accountability failures ; the New York State Attorney General and the SEC are taking steps to address certain conflicts within the investment banking community , and the GAO has taken a number of steps as discussed below . Attorneys not have filed charges against several key players contradictory +The bright light of the early years of the Renaissance , the talented painter died at 27 after only five years of promising creative activity ( 1423 1428 ) , working with his mild-mannered teacher Masolino on scenes from Genesis and the life of St. Peter . The painted could have been great had he not died so young . neutral +In the column he wrote the day after Harold Washington became the first black person elected mayor of Chicago , Royko began with one of his inimitable openings , So I told Uncle Don 't worry , Harold Washington doesn 't want to marry your sister . Harold Washington was the third black mayor of Chicago . contradictory +RECOMMENDED REPORTING Reporting that is recommended must be read neutral +because it all depends you know for everyone their own what they want to do because i jump on the bike here at home mine has its see the handle bars go up and down so i can sit there and read and listen to music like what you said and it has no effect on me i jump on the bike to exercise because it 's my favorite way to get exercise done . neutral +given and and i had a tough time with that and and being a person who saw what the jury didn 't plus what the jury did because we were just observing you know there in the courtroom I did not understand what was going on with the jury . neutral +and the doctor said you didn 't do anything there 's only a one in five hundred chance that the radiologist will call you that was Tuesday night and Wednesday night the radiologist called me at work and uh i was on crutches and he said i think you better call an orthopedist Once I tracked down an orthopedist , he referred me to a gastroenterologist the following Monday . neutral +haircut for spending on programs other than Social Security , Medicare , and Medicaid . People care more about the necessities than other things . contradictory +The Secret Service does not hesitate to exploit its Dead President advantage , practicing an elegant variation of Fireman First ( a classic bureaucratic defense mechanism--when your budget is threatened , propose cutting the fire department ) . The Secret Service argued that they are the only ones that keep the President safe . neutral +The Mus ? ? e Arch ? ? ologique ( 13 bis Boulevard Amiral Courbet ) , housed in a 17th-century Jesuit college , has an important collection of Roman glass . The museum is inside the college that was bulit in 1684 . neutral +No . I want Jane Finn . Jane Finn is the one that I want . entailment +With these two laws , Congress imposed on federal agencies a new and more businesslike framework for management and accountability . The federal agencies will have to develop a new approach to making the current laws work more in their favor . contradictory +Such was the subsequent dismay among reactionary factions at this sign of weakness that the Tokugawa shogunate was soon overthrown . The Tokugawa shogunate was overthrown violently by reactionary factions . neutral +Gilded angels hold lamps illuminating the terse Latin inscriptions . Seven gilded angels surround the latin inscriptions . neutral +1 . Are methodological strengths and limitations There are no limitations with this methodology . contradictory +you know and so the only way to get out from under that is to is to do some kind of budgeting We don 't have any financial issues . contradictory +But I must ask you to trust me . You don 't need to believe in anyone . contradictory +The End of History , by Francis Fukuyama Francis Fukuyama loved The End of History . neutral +Tahrir Square ( Liberation Square ) on the east bank is its heart , a mass of streets converging on the biggest bus terminus in the city , which is bounded by government ministries and office blocks housing airline offices and travel agencies . Tahrir Square was also called Liberation Square because of an event of great cultural and historical significance . neutral +i 've been close uh was in Detroit one time just right across the river from Windsor I was in Detroit and I disliked it . neutral +In addition , presentations on TIG funding availability and the application process took place at the National Equal Justice Conference , the Southeastern Project Directors Association meeting , the Indiana Access to Justice Conference and Virginia 's technology planning meeting . The National Equal Justice Conference included presentations on TIG funding . entailment +He doesn 't want to engage Inglis in some lofty debate about principles . He has been in ten lofty debates this week . neutral +They abuse it unceasingly . They get pleasure from abusing it . neutral +um-hum there are some Kurds living in Iran yes , some Kurdish people live in Iran entailment +However , discretionary spending historically has grown faster than the rate of inflation . Historically speaking , inflation has always grown faster than discretionary spending . contradictory +Adding a cap to the current system would improve efficiency ( there would be no disincentive to earn income beyond a certain level ) , while maintaining the natural safeguards against confiscatory government that are built into the income tax . The income tax has built-in safeguards against the government taking too much . entailment +It 's not always for legal issues . Budgetary problems and lack of interest are other common issues . neutral +This act specifically provides that any awards granted under such a frequent traveler program accrued through official travel shall be used only for official travel . The act allows awards gained through official travel to apply to all types of travel . contradictory +Newsweek says that we 've entered slime time in the scandal , with no one safe from partisan smears . Newsweek is the source for everything about the scandal . neutral +Such changes are necessary to obtain greater predictability in weapon system The changes make it possible to guide a missile with greater precision . neutral +They 're sort of like kittens . They are similar to kittens . entailment +The Farm Bureau witness testified that the Bureau was more concerned about recruitment of new clients outside the United States than about ongoing representation of aliens . New clients , ones outside the United States , were the focus of the Bureau rather than ongoing representation according to the witness . entailment +In the 1950s and 1960s Sharm El-Sheikh on the southern tip of the Sinai became a divers ' paradise and since then this small village has grown and spread north along several adjacent bays . Sharm El-Sheikh is a great place for diving . entailment +A victory by Deep Blue would indicate its superior computational skills , but not a capacity for conscious thought . Deep Blue is capable of superior computational skills among other things . neutral +The plaster ceilings here date from 1678 and depict angels carrying the symbols of royal crown , scepter , sword , and wreath of laurel leaves . The ceilings were made in 1678 by the most famous painters of that time . neutral +Some economists and analysts are concerned that individual households are living beyond their means and some may have been counting on continued high gains on their assets to finance future consumption . These same economists foresee massive foreclosure if this trend continues . neutral +His heir James VI lived at the castle in the 1680s , when the paint was barely dry . The paint was flaking due to age in 1680 . contradictory +right exactly before graduation Graduation will be a stressful event . neutral +The choir and chancel do not stand on the island 's granite core but on a platform formed by three crypts , with the massive columns of the Crypte des Groseiliers doing most of the work . The island is made of volcanic rock material . contradictory +But there 's something more powerful at work , too . Everything that relates to this is already out in the open . contradictory +The news that I am laying waste to an entire generation of men exceeds my greatest ambition in this regard . The news exceed my greatest ambition , as they report that I am laying waste to an entire generation of men . entailment +It begins with the steps in a preliminary assessment , which , in many cases , may be all you need to do to assess reliability . You don 't need a preliminary assessment , don 't you ? contradictory +Our profession , however , did not sit idly by . We had a lot to get done . neutral +Along the seafront , just off Rua da Alfandaga , is the Parlamento Regional ( Regional Parliament Building ) . There are one hundred senators who have offices in the parliament building . neutral +and if they can 't come up with something by the fifteenth then the state 's supposed to decide the courts If they can 't come up with an idea by the 15th then the state decides . entailment +The final rule revises Regulation X , which implements the Real Estate Settlement Procedures Act of 1974 ( RESPA ) . RESPA is a controversial act that was signed into law in June of 9174 . neutral +Dreadlocks and tams ( colorful knitted hats ) are everywhere , along with the passing salutations of Yo , Mon ! Some people speculate that the rise in this trend is borderline appropriation . neutral +The Ottoman Empire was weakening , however , and in 1821 , the peoples of the Greek mainland achieved nationhood for the first time . The people of Greece had no nationhood . contradictory +That was a bit surprising , since traditional magazine advertisers usually require paying subscribers . Most magazines increase advertising revenue when they get paid subscribers . neutral +The cover story excerpts , with commentary , a forthcoming collection of Jack Kerouac 's unpublished letters and notebooks . Jack Kerouac had many unpublished letters and notebooks . entailment +due to the overabundance of news we have available to us We have a ton of news . entailment +a 2607 ( c ) ( 5 ) , permits HUD to exempt other payments or classes of payments from RESPA 's prohibition on compensated referrals , after consulting with specified Federal agencies . HUD is related to housing for low income families and is a form of welfare . neutral +yes well do you do you know do you do gardening at home Do you tend to your garden at home . neutral +There is a saucepan in Mrs. Inglethorp 's room with some coco in it . The coco is the last available in the area . neutral +Will my job be safe ? Do I get paid enough ? neutral +This decision point coincides with the companies ' need to increase investments in the product development and continue to the next phase . This decision has nothing to do with the companies ' need for more investments in product development . contradictory +These districts are home to modern hotels , the offices of numerous international aid organizations and other non-governmental organizations ( NGOs ) , and the homes of many expatriots from around the world . The Red Cross has its head office in one of these districts . neutral +uh but you know a proposal to uh uh i guess the proper authorities well you might uh generate some You would not stand a chance even with a solid proposal . contradictory +you know you 've you 've driven by you know the Mountain Gods outside of Riodosa haven 't you You 've driven by the Mountain Gods outside of Minneapolis , haven 't you ? contradictory +A 10-minute walk up the wooded hill to the castle tower gives a delightful view of the town and the surrounding valley of the Weiss river . It takes just ten minutes to walk to a vantage point at the castle tower where you can view the town . entailment +Instead , to reach Martinique 's northernmost villages of Grand-Riviyre and Macouba , drive inland from Saint-Pierre , skirting Mount Pelee . There is nothing to see in Macouba so the drive is irrelevant . neutral +He must be false , a fake , a ph- ' Ben Franklin wouldn 't say phoney . Ben Franklin had no problem with the word phoney . contradictory +NOMINAL DOLLAR -The dollar value assigned to a good or service in terms of prices current at the time of the good or service is required . The nominal dollar is what something was worth last year . contradictory +Among the treasures housed in this six-building complex are a collection of pre-Columbian artifacts that were found in Mexico and Peru , European modern and contemporary art , American colonial art and furniture , Japanese masterpieces , and what is generally regarded as the finest Indian and Southeast Asian art collection in the West . The complex has lots of artifacts from around the world . entailment +Others are part of larger organizations that focus on specific populations or legal problems . Others are in larger organizations that focus on legal problems entailment +yeah that 'd be sort of neat yeah well i like the idea of uh being uh a mandatory thing for welfare course that 's what um that 's sort of like what Truman had or or was it Roosevelt i can 't remember um with the big I do not think it should be mandatory for welfare . contradictory +The curators of the Jewish Museum show , in a volley of questions , invite such a The Jewish Museum show 's curators received a number of questions . entailment +Her death was a shock and a distress , but she would not be passionately regretted . They will miss her very much . contradictory +Look around you ; see for yourself . Don 't trust your own eyes ; your vision isn 't good enough to notice them . contradictory +They 're going to save Fena Dim . Fena Dim needed to be saved . entailment +Rosenberg also points to one reason to think the HIV-negative gay male may actually live longer on average than the straight Gays may have higher incomes and more education on average than straights--two factors powerfully correlated with longer life spans . Rosenberg shows that gay people will always be happier than straight people neutral +The nearby Nelson Monument , an elegant tower 30 m ( 98 ft ) high , commemorates the famous naval victory at Trafalgar in 1805 . The Nelson Monument is taller than an ordinary house . neutral +OMB has approved both rules ' collections and has issued Control Rules pertaining to both collections have received approval from OMB . entailment +You will find all the paraphernalia of kilts , bagpipes , and ceremonial arms along with traditional Scottish food , whisky , and dancing . You will find things like kilts , bagpipes , and ceremonial arms along with traditional Scottish food , whisky , and dancing . entailment +No matter what you do in life , his fencing instructor had told him . His fencing instructor gave him some advice . entailment +The transformation will leave the program , which was formed in 1967 along the model of decentralized school boards under local community control , with a far more centralized structure . The transformation will make the program more centralized into one school building . neutral +you know what do you feel about it I don 't care how you feel . contradictory +Senate race in New York , but not before he had had a conversation with Johnson in which he admitted his own insecurities about making the race . The man didn 't talk to Johnson at all about his insecurities of the race . contradictory +The excellent National Museum of Modern Art on the 5th floor ( 1905-1960 ) and 4th floor ( contemporary ) provides a rewarding education in all the disparate art movements of the 20th century . The fourth and fifth floors of the National Museum of Modern Art provide educations in 20th century art movements . entailment +For one thing , many of the largest federal agencies find themselves encumbered with structures and processes rooted in the past , aimed at the demands of earlier times , and designed before modern information and communications technology came into being . The largest structures are thoroughly unencumbered by processes developed before technology . contradictory +i mean like Kevin Costner did all of his own scenes and uh they had to teach a wolf how to to howl uh-huh that 's the part they had trouble finding was wolves Kevin Costner had a double for some of his scenes . contradictory +Nitrogen saturation of watersheds contributes to environmental problems such as reduced drinking water quality , nitrateinduced toxic effects on freshwater organisms , increased soil acidification and aluminum mobility , increased emissions from soil of nitrogenous greenhouse trace gases , reduction of methane consumption in soil , and forest decline and reduced productivity . Nitrogen has a point of saturation that affects the environment differently . entailment +During the war there were no races . " When the war was going on , there weren 't races . entailment +The price differential between Priority Mail and single piece parcels is very small . The cost between Priority Mail and single piece parcels is minimal . entailment +Others want to blame it on Chinese contributions to the Democrats . Others say it 's because the Chinese helped the Democrats . entailment +I 'm meant to analyze each question and extract a general ethical principle , a rule--i.e. I meant to analyze the questions and form general principals . entailment +What are you implying ? What exactly are you suggesting , Jane ? neutral +I don 't know what to make of it . I 'm not sure how to address it . neutral +yeah yeah you 're right about the other you 're right they are now that i think about it yeah i watch it it 's on it 's on here um like three or four times a night on various cable channels i 'm sorry i think i must 've i 've probably seen every episode about thirty five times I watch it every night because it 's on three or four times a night , and I 've seen every episode about thirty five times . neutral +The virtual equality of the average carrier time to serve urban and rural customers is a major finding of this paper . The paper presents opposing viewpoints on the topics . neutral +Down a narrow alleyway , past Edwardian-style beach huts used by local fishermen for storage and napping in , is the 17th-century Forte de Sao Tiago ( St. James Fortress ) . The local fishermen find the location of the huts more convenient . neutral +My own hand was crushed by the Colonel 's . The Colonel 's hand was larger than mine . entailment +That I don 't want it to end . I want it to end . contradictory +On the other hand , the officials and staff were supportive of efforts to better coordinate the use of ITbased participation mechanisms in order to avoid each agency reinventing the wheel . Working as a team to complete the project will be completed before its deadline . neutral +This unique light brings a phosphorescence to the most commonplace little square or side street . There is little to no lighting near the little square . contradictory +Changes in a specialty practice are more likely to occur if they are supported by research conducted within that same discipline . Alterations will be more likely to happen if supported by research . entailment +The costs and financing of federal regulations do not flow through the Government , but their effects are similar to direct federal expenditures and revenue . The direct and indirect costs of the government produce similar overall effects . neutral +But even with the advent of federal government saving in the late 1990s , national saving available for new investment remains relatively low , in large part because personal saving has dramatically declined . Personal saving had dramatically declined due to an influx of prostitutes . neutral +I gave a silent prayer of thanks to whoever decided that this thing ought to look like a steam-train . I hated what the person had done . contradictory +From medieval mountain villages and the dramatic lunar landscape of Mallorca 's Formentor promontory to mysterious prehistoric settlements and isolated beaches accessible only by foot on Menorca , the islands abound with sights that are anything but blandly international . The island of Menorca has unique sites that tourists can 't find anywhere else in one place . entailment +so they 're you know they hadn 't really distinguished it 's just a movie you know i try to say it 's just a movie but no mama i 've seen it I try to tell myself that it it just a movie . entailment +Figure 22 clearly reflects a resource environment that has changed dramatically in the last In figure 22 , you can see the large funding cuts that have been made in recent years . neutral +killing my knees Doesn 't hurt my knees at all contradictory +Today it is very popular with package vacationers , particularly high-spirited young Europeans . Young Europeans are particularly fond of package vacations . entailment +right well it seems like you 've got a very valuable talent What you know is not very valuable . contradictory +Clinton can 't dispute the principle of commitment , so he turns it on its head . Clinton turns it on its head . entailment +they come up real pretty every year no problem The tulips come back every year and they look beautiful . neutral +but us i mean we still we live more or less like you and our kids are grown up and they 're gone so it 's just the two of us and uh we tend to go out maybe once a week maybe once every other week something like that but we 'll we 'll go out for uh Our children have gotten older and left . entailment +Across from him , on the eastern side , Adrin waited as well . Adrin was on the eastern side . entailment +Most people take the regular flights from Aswan to Abu Simbel 'around 50 minutes 'but the four-hour overland route offers a fascinating insight into life away from the big tourist towns of Egypt if you have more time . The flight from Aswan to ABu Simbel is usually sold out . neutral +Sailing north to find and claim islands for the Spanish crown , Columbus named one Saint-Barth ? ? lemy after his brother and another Saint-Martin , probably after the saint on whose feast day he had spotted it . Columbus sailed north to find islands for the Spanish crown . entailment +The Zapruder family is demanding $ 18 million , wanting no blood money but figuring it could fetch $ 70 million on the open market . The Zapruder family wants nothing in return . contradictory +Wool and goat hair have always been used to produce material , clothing , and interesting rugs , carpets , and throws . Wool is used to make many things , but goat hair is not useful for much . contradictory +Smaller than the Florida species and said to be more docile , they grow to 6 m ( 20 ft ) in length and can live to an age of 100 years . They are known to grow much bigger and more aggressive than the Florida species . contradictory +To the right , Adrin cleaned one of his pistols . Adrin cleaned one of his pistols after firing it . neutral +Within them , an endless inventory of shapes and rhythms appears . Figures and patterns flow freely in their minds . entailment +But he never asks whether lawsuits and rights are the only way to prevent these bad things . He always asks if they are the only way to not make bad things happen . contradictory +I thank you for coming and I am sorry I cannot be more of service . I think I haven 't been helpful . entailment +Rouen continues to work on its monuments and public buildings , and recently has finished quayside renovations aimed at bringing life back to the riverside with new promenades . Fundraisers have been held to finance the Rouen renovations . neutral +Annan is tough without being vicious . Annan is a weak person , who fails to defend himself . contradictory +yeah and and what but the thing is then you 've got to with screws and that 's the other issue uh the pitch and There is more than one issue . entailment +9 billion if the value of scale is adjusted for Wachter 's wage premium . Wachter 's wage premium was too costly . neutral +We also discussed assessment techniques with experts at NIST . The experts at NIST were discussing the assessment techniques with us . entailment +He saw his uncle 's face turn ashen . His uncle John suddenly turned white with fear . neutral +This one 's for Harvey and Bob Weinstein , George Plimpton said . " This one 's for me " George said . contradictory +I think you 've given him too much , Tommy , said Tuppence innocently . Tuppence gave Tommy a dig , " Fork over some more . " contradictory +The headline over the NYT ' s online version doesn 't mention the homosexual angle , while the WP ' s headline--FRANCE LEGALIZES GAY UNIONS--doesn 't mention the heterosexual angle . The headline on the site mentions the homosexual angle . contradictory +besides your initial deductible that 's what varies the most i guess uh Your initial deductible is what varies the most entailment +Tuppence quelled him with a stern glance , and stepped inside . A stern look from Tuppence silenced him as she stepped inside . entailment +Conclusions are presented in Chapter 7 and references in Chapter 8 . Appendix A is located at the end of this report . Appendix a is at the beginning , conclusions in chapter 4 references in 5 contradictory +It was an awkward business , and drew a smothered " Ow " of pain from him as the knife cut into his wrist . He had to stem the bleeding with his shirt . neutral +But since--according to Krugman--the Federal Reserve can control output and unemployment , he believes that this tendency is easily offset by cuts in interest rates to hold employment steady . The Federal Reserve can control output and unemployment according to Krugman . entailment +The CIO Council was established in 1996 . In 1996 the CIO Council was established . entailment +yes that 's easier Sure , that sounds easy . entailment +The following morning a few brief words with Albert informed her that nothing was waiting for her at the stationer 's . She and Albert had a long conversation the following evening . contradictory +they come up real pretty every year no problem I have had problems with them coming back up each year . contradictory +An Alabama schoolteacher 's announcement , just prior to lunch , that ' Everyone can go outside for recess . " Everyone can go outside for recess " announced a school teacher from Alabama . entailment +No , that is a lie . That is correct . contradictory +Over the 1990s , aggregate household net worth doubled in nominal terms . Most of this increase is accounted for by skyrocketing valuations for baseball card collections . neutral +restaurant , serving French cuisine , is one of the best in the area . That restaurant with the French food is pretty terrible . contradictory +Palestinian Arabs might be clad in flowing robes and keffiyes ( head scarves ) or in blue jeans . Palestinian Arabs exclusively wear flowing robes and keffiyes . contradictory +The analysis in the final rule has been revised based on comments the FDA received and now also considers the costs and benefits associated with a rule issued by the Substance Abuse and Mental Health Services Administration ( SAMHSA ) on January 19 , 1996 , governing a program of State-operated enforcement activities to restrict the sale or distribution of tobacco products to individuals under the age of 18 . Tobacco products are legally available for sale to people under the age of 12 because of FDA regulations . contradictory +Consequently , the motivational mechanism is not clear . The motivational mechanism is extremely crucial to our work . neutral +First thing I knew a guard came along and informed me mighty politely that I wasn 't in a smoking-carriage . First thing I knew a stern-faced national guard arrived to inform me that I couldn 't smoke here . neutral +uh because you because even even my oldest uh child when he comes uh comes to the house he 's still he 's still my my my child and and i don 't think of him as an adult yet and uh that that 's one of his complaints Even when my oldest child comes to visit I still think of him as a child and not an adult . entailment +well anyway uh i guess if uh if you 're don 't have anything else to talk about i guess i we can hang up on this one I think I 'll hang up . neutral +Here you 'll find the Messara Plain , a wide fertile valley surrounded by hills , which has been a center for farming since ancient times . The Messara Plain has been uncultivated since ancient times . contradictory +I want a few words with you , Mr. Julius Hersheimmer . " 204 Chapter 25 Jane 's Story HER arm through Jane 's , dragging her along , Tuppence reached the station . Tuppence dragged Jane towards the station . entailment +but i i i 'm knitting an afghan for the baby and i haven 't worked on this for several weeks i just haven 't got back to it I 'm knitting an afghan for a baby but I keep getting distracted . entailment +He had made a most remarkable recovery , and Nema didn 't even seem surprised . Nema was surprised to see that he was still so unwell . contradictory +Now Inglethorp 's out of the way , there 's no one else ; no one , I mean , except ” one of us . " Yes , indeed , that was nightmare enough for any man ! The murderer had to be someone from the outside . contradictory +The men looked at one another and then to a large young man to their right . The men looked at each other than at a man to their right . entailment +and that 's good but what 's you know back to what you 're saying if you want to save somebody there 's plenty in the United States that need it to There are plenty of people in the United States that need to be saved , and plenty of people in Canada that need to be saved too . neutral +in Honduras its very um uh pro American and there 's a lot of American i don 't know how many American uh soldiers are there but there 's a lot i mean they uh Hondurans are glad there are so many American soldiers there . neutral +On the other hand , Mrs. Cavendish believed that the slip of paper to which her mother-in-law clung so tenaciously was a written proof of her own husband 's infidelity . Mrs. Cavendish 's husband was cheating on her with three different women . neutral +His stay was short-lived however ; the British fleet were after him and inflicted a devastating defeat on the French Navy at the battle of Aboukir later the same year . His stay only lasted 2 weeks . neutral +Telegram for you , miss . Tuppence took it from the salver , and tore it open carelessly . Telegram for you , miss . Tuppence snatched it from the tray and ripped it open . entailment +The Barrage Vauban ' remains of the fortifications Vauban built for Louis XIV ' spans the Ill to the west . The Barrage Vauban is a castle that was built by Vauban after he deposed Louis XIV . contradictory +yeah so it 's got to be the most controversial thing if you could pick on the list It is the least controversial option there is . contradictory +3 Special requirements for cleaning glassware used in the green alga , Selenastrum capricornutum , toxicity tests ( Method 1003 . Special requirements for cleaning glassware weren 't used in the green alga contradictory +the one thing that i had thought about to help correct that problem you 've got career politicians that spend thirty forty years in Washington that 's all they have ever done Most politicians have no desire to work anywhere else and plan to stay in Washington as long as they can . neutral +there 's buildings and concrete and a lot of people and that 's about it down here and it 's uh yeah but uh that 's great well sound like you have a lot of nice hobbies there They are as cold as the concrete . contradictory +In fact , ground beef isn 't the fastest-growing source of E. coli . Pork is the fastest growing source of e coli . neutral +uh PBS here you can 't get it unless you have cable You can 't get PBS here unless you have cable and there is an additional charge for it . neutral +The complaints poured in . There was a trickle of complaints . contradictory +Banish the bars and cafes and you 'd disconcert the whole of Spain . The entirety of Spain will be disconcerted if there were no more bars or cafes . entailment +Is that so ? " Tuppence nodded . Tuppence did not want to know if that was so . contradictory +My cousin didn 't think so . My cousin agreed . contradictory +A small temple to Hathor sitting to the left of the colonnade has columns carved with the cow 's head that depicted her . Hathor was known as the snake Goddess and is depicted as a cobra . contradictory +But at some point , the skeptics have to Did the Clintonites abuse power by trafficking in classified information or by ignoring it ? People asked if the Clintones abused power . entailment +But while whiteness-as-blessing expresses the arrogance of privilege , whiteness-as-burden reveals the willful ignorance of privilege . Whiteness is seen as a negative in more ways than one . entailment +right well on Sunday we just met uh a family we were thinking about getting Maine Coon Cat and we went over to a lady that breeds them here in town and uh her daughter actually it was her she said that her husband said to her daughter you need a hobby The lady breeds cheetahs for a hobby contradictory +gosh you work you sound like my sister i have a sister in Nevada who who is really into i mean she 's very athletic anyway she always has been she was the athletic person in the family and she swims and she you know cross country skis and does all this stuff it sounds like you sound like the same type You don 't sound athletic at all . contradictory +neither of us had any help with our college degrees and just this last month we paid off my final school loan so we 're starting our kids a little bit early We struggled to pay for our college debt , so we are starting college savings for our kids . entailment +There was no sign of personal hatred in his look . He showed no anger or dislike . entailment +Product cream skimming is where a competitor tries to capture the most profitable portion of the market for a product with heterogeneous costs . Competitors never try to capture the most profitable portion of the market . contradictory +She married him without love . She did not marry him . contradictory +Plans must be abandoned . Plans must always be abandoned . neutral +Which means it will probably prevail in a confirmation hearing but lose in the court of public opinion , vanquished by Weld 's campaign for libertarian martyrdom . Although it may win in a confirmation hearing , it wont win over a vote over public opinion . entailment +The purpose of this tool is to assist agencies in maintaining or implementing effective internal control and , as needed , to help determine what , where , and how improvements can be implemented . This tool provides effective resources in implementing improvements . entailment +like the bumper sticker it 's true yeah It 's true like the bumper sticker . entailment +Factors outside the control or influence of management can affect the entity 's ability to achieve all of its goals . The entity achieved all of its goals without hindrance . contradictory +This two-year funding decision was made to allow the Missouri legal services programs the time and the opportunity to develop a viable , effective and comprehensive state plan . Missouri legal services programs had to be designed and implemented within six months , when the funding would run out . contradictory +This good-natured banter will continue back and forth until you settle on a mutually acceptable price . Prices are firm and non-negotiable so don 't waste your time asking . contradictory +As the city 's need for services grows , area 's firms urge partners to volunteer their time . Services require more volunteers due to growth . entailment +LSC continues to implement its five ( 5 ) year Strategic Direction Plan ( the Plan ) . LSC is enacting their one-year long Trivial Plan . contradictory +You 'll readily forgive the bombast of some of the monumental architecture when you see what makes this the Cityof Light . There are many people who feel that the monumental architecture is far from bombastic . neutral +I shifted uncomfortably in my seat . I was not comfortable in the seat . entailment +The situation for others , with no access to dollars , has turned increasingly desperate . People have not become desperate . contradictory +you know i don 't know what he would do but I really so not know what he would do entailment +Test salinity was 28 . The salinity tested was 28 . entailment +Just to the east of the financial district , Wan Chai was once an area of sleazy clubs and topless bars ; this was the setting for The World of Suzy Wong . Once upon a time , Wan Chai hosted the finest establishments of sleazy clubs and topless bars . neutral +Oh , Lord , I give it up ! " said Mr. Beresford . Mr. Beresford was fed up with her but eventually gave up . neutral +okay and and in in in his league do they have like a pitcher or do they have a standing ball or a machine or what He is not part of any league . contradictory +The former adversaries have formed a pact of mutually assured ambition , with Gore gunning for the presidency and Gephardt angling to retake the House and become its speaker . Gore does not want to be president . contradictory +On the tree-shaded terrace beyond the basilica , relax on one of the benches and enjoy the splendid view looking out over the forested plateau of the Morvan . The area behind the basilica should be avoided because of the construction site there . contradictory +We appreciate your desire to help but we can take care of ourselves . We can take care of ourselves , we don 't need your help . entailment +Particularly interesting is the 11th-century donjon ( keep ) that formed part of the town 's southern defenses . The keep , at maximum capacity , could have held three score long-bowmen from it 's ramparts . neutral +The French War Memorial on the coast road stands opposite a monument to Gandhi . The French War Memorial stands next to the monument of Gandhi . contradictory +Pat Lenaghan suggested that clinicians need recommendations about what could be accomplished now . They wanted input on what clinicians should try to accomplish . entailment +Pataki and his allies swallowed the plan hours after calling it laughable and absurd . The plan was taken rather quickly after Pataki and his allies wished to have nothing to do with it , claiming it was laughable and absurd . entailment +She hereby promises to keep Culturebox itself MacDonald-free--at least for the time being . MacDonald will have a place at Culturebox in the future . neutral +The new constitution , tailor-made to de Gaulle 's authoritarian requirements , placed the president above parliament , where he could pursue his own policies outside the messy arena of party politics . De Gaulle fought the new constitution . contradictory +No one of course ! No one but me . neutral +oh okay i i thought maybe you might have had some experience with the uh R C one thirty fives I 'm pretty sure you don 't have any experience with the R C one thirty fives contradictory +Not all anthropologists agree . Not everyone that is in the field of anthropology agrees . entailment +They are produced by several organs in both sexes , may be converted into one another , and can have varying effects in different species , sexes , and individuals . The body parts are only made by males , and cannot be changed therefor afterwards contradictory +Journal of Environmental Economics Management . Environmental Economics Management journal entailment +and and and i think it 's you know the voters don 't feel like they really have as much say so in the government as uh they would like to have so they they kind of drift away because of that People don 't vote because they don 't want to have a major impact on the government . contradictory +well let 's see if you 're in Plano and i 'm in Plano are you in east Plano or west Plano We are both in east Plano . neutral +Those who had survived and those who could be revived were busily rebuilding . Tens of thousands had been reanimated , and were helping with the rebuilding . neutral +Called by several names ( including Glistening Waters and Luminous Lagoon ) , it is officially known as Oyster Bay . This area is only referred to as Oyster Bay . contradictory +An article on Moscow concedes that it has high crime rates , but asserts that a growing middle class and booming night life are revitalizing the city . Moscow only admits to the negative things that has been going on within it 's city . contradictory +Hankinson , the Supreme Court of Texas liaison to the Foundation , has worked tirelessly to ensure that poor and low-income Texans are afforded access to justice . Hankinson grew up poor and understands the struggles that accompany it . neutral +editors and word processors and and wordproof but surprisingly at home and i seldom ever bother uh or worry about it too much uh I always use wore processors at home . contradictory +What the Love-Fort Worth fight has made clear is the basic disingenuousness of the majors when it comes to deregulation . The Love-Fort Worth fight brought to light the basic disingenuousness of the majors when it comes to deregulation . entailment +She swung once and two of the men sprayed fans of blood into the night air . She hit the men . entailment +In addition , the Telecommunications Act of 1996 , Pub . And to add to that , the Telecommunications Act of 1996 . entailment +i had uh Mazda RX seven before that and that was the worse car i 've ever driven in my life I love Mazdas , specially the RX7 , so smooth and easy to drive . contradictory +Then , buy a Museum Pass ( see page 74 ) to save money and avoid waiting at ticket counters . Museum Passes can be bought online for just five euros . neutral +You have tied him up well , hein ? Did you tie him up well ? entailment +A tapa is a bite-sized morsel of food meatballs , olives , fried fish tidbits , shellfish , vegetable salad ; it can be almost anything edible . A tapa isn 't very filling because it is small . neutral +Lucky Macau fit the specifications exactly . The specifications were stringent but Lucky Macau fit them . neutral +Each year , OIM staff assists our grantees in verifying the reporting of CSR data through the annual self-inspection process . An annual self inspection process is used to verify reporting . entailment +BASIC RESEARCH - Systematic study to gain knowledge or understanding of the fundamental aspects of phenomena and of observable facts without specific applications toward processes or products in mind . Studying observable facts is considered a part of what comprises Basic Research . entailment +There are many variations offered , from the standard 7-card stud to Texas Hold Em . Texas Hold Em is the only game offered . contradictory +Autun was founded in the first century b.c. Autun was founded many years ago . entailment +uh when i was in high school we had a choice of uh taking uh physical education courses on exercise and uh one of those involved a six week session on a universal machine lifting weights and uh working out like that My high school did not give us any electives for physical education . contradictory +yeah oh is that five minutes is that Five minutes is not a long wait . neutral +I loved you that first moment in the car when the bullet grazed your cheek … . Five minutes later Jane murmured softly : " I don 't know London very well , Julius , but is it such a very long way from the Savoy to the Ritz ? " " Is there a huge distance between the Savoy , Trafalgar Square and the Ritz ? " neutral +oh yeah i talked to one we 're not on the subject of course i talked to one i think he had a whole bunch of calls he had a roommate that had calls and everything he had way more twice as many calls as as i 've made uh His roommate had begun to smuggle drugs into his house . neutral +SCR is the technology that will primarily be used for NOX control . NOX Control would primarily use SCR technology . entailment +Boy , it woke me up in a hurry . The boy noticed a fire and thus woke me up . neutral +Following a similar pattern , the remaining emission caps are set as 1.51 million tons for NOx emissions , 4.8 tons for mercury emissions , and 475 million metric tons ( MtC ) of carbon emissions . The emission cap for carbon emissions is likely to decrease in future . neutral +and i think they jump in way way too early i think that ought to be restricted somehow I think there should be some limits on when they jump in . entailment +In those unusual instances when entities have no historical data , only current reporting year data need be reported . Current reporting year data is always available . neutral +Much of the coastline south from CaleSant Vicenc is good , sandy beach . If you like rocky beaches , try the coastline south from CaleSant . contradictory +The USAT front states that Italy 's defense minister is demanding criminal prosecution for an American Marine pilot whose plane sliced through a ski gondola 's cable Tuesday , killing all 20 passengers . Italy 's defense minister is going for criminal prosecution of an African-American Marine . neutral +He launched his career there and it seems fitting that he return . He would never return to the place his career started . contradictory +and it seems to me that you 'd get a lot more uh information if your questions were heard if you were allowed to ask the witnesses things or if or the lawyers things or even the judge Without talking to the witnesses , you can 't find out the truth . neutral +The audit team should include experienced members with enough knowledge of information technologies to satisfy the Government Auditing Standards We can 't afford to have an audit team full of amateurs . neutral +The lower stairs are lined with vendors selling small , carved mani stones ( prayer stones ) made for the tourist market . The vendors can be found on the upper stairs . contradictory +okay well i 'm in east Plano i 'm out in Las Rios so it 's bound to be different over here but yeah yeah It is the same here in east Plano . contradictory +well it 's also important i think um for my husband i i try to go out of my way to to plan things that he can do with the kids because I make an effort to come up with activities my spouse can do with our kids . entailment +that that or any side arm whether it be a blade or whether it be a handgun or whatever Handguns are the best for self defense . neutral +see yeah see now um my parents there 's no way they could afford to send twelve kids to college and um My parents just had me so they were able to send me off to college . contradictory +For , if the case against him is true , how could he defend himself except by silence ? If the case against him were false , he would have to defend himself with silence . contradictory +He said funding mechanisms such as small business grants were not always appropriate for researchers and wondered whether there were other funding mechanisms that might be more appropriate . He said that small business grants were always appropriate for researchers . contradictory +These various types of geological formations and activities have created a multitude of environments . Various types of geological formations have created many environments . entailment +because there just aren 't are not any left hardly around up in this area There are very few left in this area , they have been over harvested . neutral +However , the congressional requester ( s ) The congressional requesters , however entailment +For health reasons , it is best to avoid swimming in rivers , ponds , lakes , and reservoirs your body is unlikely to be able to deal with some of the other things swimming around with you . It is best to not swim in the natural water . entailment +It 's surely true that it would be suicidal for a party to demand agreement on all issues from either its candidates or its voters . The party will never totally agree neutral +National saving data are on a NIPA basis . NIPA is not the best way to express national saving data . contradictory +She is trying to bring legal aid services to the Inland Valley -- the closest legal aid office is in El Monte and represents 700,000 poor people throughout the San Fernando , San Gabriel and Inland valleys . The legal aid office in El Monte represents over half a million low income people . entailment +No one could have come in by the front door without our seeing and hearing him . " Somebody could sneak by us another way . neutral +After all , Steele wasn 't paid for what she said , but for a picture of Willey and Clinton together . Steele was paid for a picture of Willey and Clinton together , not for her words . entailment +well don 't they take people who have some sort of um big abilities like and and at least they used to when it when it the first ones i saw they had um a man on who was uh he played college football and almost went pro and they had a a woman who was a black belt in karate and she was the uh she was in the junior Olympics or something or they seem to have people who have very very big sports backgrounds to have they leaned leaned away from that sort of Was she the only black woman to hold a black belt in karate ? neutral +About 22,000 employers were identified as hard core discriminators . Employers found to have discriminatory practices were publicly shamed . neutral +yeah or if you want to take a trip or something that you you plan it but that 's where you get the money is The money for a trip can be a lot . neutral +The islanders ' heroic resistance , admittedly abetted by a timely typhoon ( divine wind ) , earned them a formidable martial reputation . The island hasn 't had a natural disaster in a while . contradictory +uh it was it was right it was something for children that that they they had several advertisements on television pushing parents going and and uh getting the video and watching it with their children and discussing it and that kind of thing It 's targeted at children and they try to push parents into getting the video . entailment +Transition Training for Former Navy Contractor Personnel Transition training for former Navy . entailment +let 's see how about uh Man From Uncle I first saw Man From UNCLE when I was a little kid . neutral +Reduced rates are available at many hotels through tour operators that specialize in Israel or through airlines as part of land-package arrangements . The highest rates are found in airline land-packages and at many hotels through tour operators . contradictory +i like to be able to sweat have my hair a mess I hate sweat , yuck . contradictory +because i 've you know my wooded lot at my previous house uh i didn 't have to mow the lawn very often because it didn 't grow that fast The grass on my wooded lot did not grow fast , and it saved me some mowing . entailment +In 1464 , after the Battle of Hexham , King Henry VI wandered the countryside and many of the landowners , unsure whether he was victor or vanquished , refused to give him shelter . All of the landowners gave Henry VI after the Battle of Hexham . contradictory +Mrs. Vandemeyer 's cook puzzled her . She was never puzzled . contradictory +yeah you 're right yep No that 's wrong . contradictory +uh how we go about that it 's uh uh it 's a little bit difficult If we had a plan it would be easier . neutral +yes but it wasn 't quite business but to give the the students um an made you feel like you were the authority i felt like if i came in just in jeans or tattered clothes that i didn 't have as good control over the class The class was less likely to respect someone who didn 't look the part . neutral +Although agency officials may take notes as they review the draft , at the conclusion of the meeting , all copies of the draft report will be returned to GAO . Gao doesn 't trust anyone to keep draft copies neutral +Tommy felt the strain telling on his nerves . Tommy was strained by the amount of work his job assigned him . neutral +hope you enjoy your recipe I want you to like the recipe . entailment +George Street was the centerpiece of Craig 's original design for the New Town . Craig 's original design was much too big to do . neutral +he goes to a really crummy day school uh my sister 's not real bright so but he he 's always sick i mean he has always got some kind of cold or something and i don 't know i don 't think this place is a very good place for him His school isn 't good because they have no funding . neutral +Daniel excused himself . Daniel stayed there . contradictory +okay okay so it 's getting close Right , so the distance is closing . entailment +Panic rose in Jon and he became conscious of the weight of his guns on his hips . Jon had a gun in a black holster on his hip . neutral +A Newsweek story counters the popular wisdom that McDonald 's is in trouble . According to Newsweek , McDonalds should be declaring bankruptcy this quarter . contradictory +I changed my mind , and you should notice , you spent 150 thousand dollars on it . ' You spent well over your budget on it . neutral +We 're talking about president of the United States . We 're talking about who is running for congress . contradictory +Everything depended on the time of day , mood , and the number of mirrors in her line of sight . Nothing was going to change . contradictory +it 's one of the advantages of not having pitchers who are uh uh you know i guess i guess when you start pitching real well well move them up bam you know there goes the little the uh worst team When you start pitching well , you do worse . contradictory +Never before has a U.N. court been able to punish the actions of individuals . Both right- and left-wingers worry that the new U.N. tribunals will reprise the flaws of the Nuremberg and Tokyo trials , attempting to make political points and failing to adequately protect the rights of the accused . Never before has the UN court been able to punish the actions of people . entailment +The areas of most interest to auditors include section Description / Specifications / Work Statement , section The Description / Specifications / Work Statement is of interest to auditors . entailment +They began bellowing like the collective death-agony of a world . They went on roaring until they ran out of breath . neutral +It was destroyed by the Muslims at the end of the 12th century and the monks fled to Nepal and Tibet . The monks fled in order to prevent persecution . neutral +With him are two other worthy Toyotomi Hideyoshi , Ieyasu 's mentor , and the great 12th-century warrior Minamoto no Yoritomo , who founded the Kamakura shogunate and whom Ieyasu claimed as an ancestor . Minamoto no Yoritomo , legendary warrior and founder of the Kamakura shogunate , was whom Ieyasu claimed to be a descendant of . entailment +Eilat divides into three distinct areas . There are three separate areas in Eilat . entailment +What could not be distorted was the public forum that the spending program had created . The public forum created by the spending program could not be distorted . neutral +Washingtonians complained . People in Washington complained . entailment +It would take only one-tenth of one second to download a Slate article via ADSL . Downloading the article takes a long time . contradictory +now why was you know dumb You are very intelligent . contradictory +But with Julius Hersheimmer about , hustling was inevitable . With Julius Hersheimmer in the picture , hustling was unlikely . contradictory +If there is only one place where you get out of the car and do a little walking , this has to be it . The parking area in this street is phenomenally convenient . neutral +but uh in in many many many many countries or No countries at all . contradictory +Your name gives us your soul . " He looked at Hanson piercingly . Hanson is terrified of what will happen . neutral +Jon stepped back . Jon was disgusted by it neutral +well the only thing up here is division one oh yeah We have other sports , but it 's mostly Division 1 . neutral +The great temple complex can only be entered by Hindus , but views of a huge gilded Nandi ( a bull five times life size ) and massive embossed silver doors can be had from just outside the front gate . Only Hindus can enter the the great temple complex , but you can see a huge gilded Nandi and massive embossed silver doors from outside the gates . entailment +And she is terrified of ' Sisters ' . The sisters delighted her . contradictory +that 's all right no i 'm not the i only worry with it one time a week when i 'm well twice really I could be worrying about it everyday , but I choose to only worry about it once a week . neutral +Then he cut our interview short and stormed out of his office . We were not able to finish our interview . entailment +Fines and penalties produced by an entity 's operations--such as inspections to ensure compliance with Federal law and with regulations that are the responsibility of the entity ( e.g. Inspections may introduce fines and penalties . entailment +One fortunate result of this community 's influence has been the proliferation of good restaurants and interesting bars from which to choose . The influence that this community has had has resulted in a drastic decline in the amount of good restaurants here . contradictory +30 % is a decrease in concentration or deposition compared to current conditions ( an improvement ) This decrease is seen as a significant improvement . neutral +I , also , am of your way of thinking . I don 't agree at all with your ideas . contradictory +The Committee subsequently extended its deadline until September 12 , 2001 . The committee has a deadline in september . entailment +some of them disagree i mean some of them said one way and some the other They are all in agreement with one another . contradictory +and just sit and watch the game and a have a pizza and a beer that i would enjoy I hate beer and pizza , and watching games is boring . contradictory +Old values versus new , old virtues and new injustices . No one cared about the old , only the new . contradictory +uh very good videos yeah i 'm kind of impressed They are some of the best videos I 've ever seen . neutral +It was essentially just me monologueing to a camera , explaining that I had , through sheer effort and hard work , managed to effectively resurrect Benjamin Franklin . I interviewed a lot of people but didn 't speak on camera . contradictory +The proposal in the Postal Service 's petition would have established Negotiated Service Agreements as a new form of mail classification , with individual agreements to be reviewed by the Commission within 60 days . The Postal Service 's petition eliminates a mail classification . contradictory +well i i was just curious as how you got hooked up with this this speech type of thing if I was wondering how you got involved . entailment +I had no options . I had an abundance of options to choose from . contradictory +and i remember when she was at you know at that age and and how she was and that that 's exactly of course there was only one of her it wasn 't twins I remember when she was that age . entailment +One study found that only one-third of intoxicated drivers had an alcohol use disorder . More than 90 % of intoxicated drivers suffered from long-term alcoholism . contradictory +well how 'd you find out about it How did you hear about it ? entailment +so they budgeted it at year round so in the summer time which you didn 't use very little oil you were still paying the same thing as in the winter time when you 're using a lot but they kind of spread the payments out They spread the payment out across summer and winter . entailment +That same year , Congress also told the LSC to start using competitive bidding for its contracts . Congress forced the LSC to end non-competitive contract bidding , because they were worried about fairness . neutral +The tiny chamber in which Jesus was buried holds only six people at a time , so there might be a few minutes ' wait . Only six people at a time can fit in the tiny chamber . entailment +I couldn 't farm herbs or make pots or seek water , but this was a trade I understood . I was good at blacksmithing . neutral +The second , related problem is that the value of a unit of time is partially determined by the duration of the total period in which that unit falls . There are a couple of problems regarding the value of time . entailment +You can buy anything from a reproduction icon to a genuine Faberg ? ? egg , plus jewelry of the finest quality and designer clothing by the most desirable names . The local art market is one of the best in the world , and contains everything you could want to buy . neutral +The Capodimonte Museum , reopened in 2000 , is housed in a beautifully restored 18th-century hilltop palace . The Capodimonte Museum was finally reopened in 2014 . contradictory +It just tickles me to death ! " Then he added seriously : " But say now , I don 't like it , Miss Tuppence , I sure don 't . He did not get tickled and said nothing . contradictory +uh but you know a proposal to uh uh i guess the proper authorities well you might uh generate some You know if you have a proposal you could go to the proper channels . entailment +Terrence McNally 's Tony-winning play from 1994 about eight gay men who vacation together doesn 't translate well to film , critics say . The play about gay men on vacation didn 't make a very good film . entailment +All the doors had been bolted on the inside . The doors needed to be secured . neutral +no not really you know in the last few years just his kind of informal segments i 've seen but i never got to see his actual nightly news i liked i i did grow up with David Brinkley I 've only gotten to see his informal stuff , not the nightly news . entailment +In the fireplace was a crumpled ball of orange and white . There was a burned orange and white sphere in the fireplace . neutral +LSC grantees seek to increase visibility in the client community in several situations - for example , when launching new services ( for example , a toll-free phone hotline ) , trying to reach special-needs populations ( the elderly , homeless people , families reaching the end of their eligibility period for welfare , people in non-English speaking communities ) or expanding services into hard-to-serve communities ( for example , to small towns far from legal aid offices ) . LSC grantees seek to increase visibility in the community for special-needs populations because they are kind and caring . neutral +I know and like at least two of the reporters who asked some of the most loaded questions at the press conference . There were no loaded questions asked at the press conference . contradictory +number one dental and medical yes One of the worst dental and medical . contradictory +what uh how they develop uh what the candidate stands for the you know the views and uh There is no candidate in the election at all . contradictory +Well , yes--but this time they aren 't . Of course , but that 's not the case with them now . entailment +There was a wrench and twist through every atom of Hanson 's body . Hanson 's body was twisting and turning . entailment +as health right so uh for a health insurance what do you think would be a uh a good health insurance with a a low deductible and a high premium or do you prefer the lower premiums with a higher deductible They are trying to get me to take the high premium and low deductible right now . neutral +When it comes to nationally ranked institutions in Maryland , several come to the Terps , the Johns Hopkins University and the Baltimore Symphony , just to name a few . The Baltimore Symphony is rank as the third best symphony in the U.S. neutral +For children who love boats , riding the Star Ferry or ferry trips to outlying islands will be exciting , and the Dolphin Watch trip ( see page 113 ) is certain to appeal . Children who don 't care for boats won 't like the ferries or Dolphin Watch trip . neutral +The most visible Gallic touch in this bastion of the French colonial adventure in India is the scarlet k ? ? pi worn by the white-uniformed traffic police waving you on as you drive into town . Parts of India has been influenced by the Gallic culture . entailment +The house is hugely enjoyable , with its intricate layout , 18th-century furniture , chinoiserie , children 's toys , and and views of the grounds and distant mountains , particularly from the airy turret rooms . The house takes four hours to explore . neutral +That the captain was only waiting to make trouble for Rennie . The captain wanted to cause Rennie trouble . entailment +Some of these additional challenges are described in the final section of this guide . Right now you 're reading the first portion of the guide . neutral +On this stretch of Sunset you 're bound to find hawkers on street corners selling Maps to the Stars to lead you to the homes of the rich and famous . The maps also lead to buried treasure . contradictory +Screening tests designed for patients with more severe problems ( 6 drinks ) will be less sensitive at identifying patients with less severe problems ( 3 drinks ) . Tests that are designed for end-scale results will be less sensitive low-scale results . entailment +It 's clear that a number of them are not doing an adequate job in his regard . They are all doing a great job . contradictory +The harem 's principal residence is Jodh Bai 's Palace built for Akbar 's Hindu wife , the first royal spouse not required to convert to her husband 's Islamic faith and was Akbar 's favorite residence at Fatehpur . The spouse did not need to convert her faith . entailment +research emphasizing the performance characteristics and research on operational and practical characteristics . The research doesn 't clearly emphasize anything . contradictory +Because she 's the one who has double-work made for her , and she 's talking about quitting . She has double-work made for her because people want her to quit . neutral +The global expansion of information technology has resulted in significant new information security and privacy threats to our information networks and technology infrastructure . The advancement of technology has led to more secure networks contradictory +so have have you got it underpinned The underpinning will be your undoing . contradictory +The liveryman knew the signs . The liveryman understood the language on the signs . neutral +But they seems unaware of its fatal impact on their larger thesis . Because of the fatal impact of their larger thesis , they are discussing about it . neutral +If the data appear unusual in any way , or fail to meet the necessary assumptions , a statistician should be consulted . Statisticians are consulted regularly for weird data . neutral +When I asked of the lady 's health , the man insulted me . The man hurled horrible insults at me . neutral +He may need some assistance in driving them as far as the border . He might need some help with driving them to the border . entailment +well that sounds pretty neat i guess i guess for me um um probably the last time i went camping was uh back in high school with Boy Scouts we always took an annual trip up to uh Colorado and went fly fishing I 've never gone camping . contradictory +There have always been , and always will be , maladjusted or deranged students who unleash those impulses . Some people will always be mentally ill . entailment +And once again Derry found me thumping on her door at a stupid hour of the morning . This was not the first time I 've thumped on Derry 's door in the morning . entailment +They also are identified with designs that are nonexperimental in the sense that the investigator is not deliberately manipulating some variable to see its possible effects on the system being studied . The researcher just observes and then records the findings in a case study . neutral +The trickle has suddenly become a torrent . The trickle remained slowly to trickle down despite the best efforts . contradictory +are where you from originally You are from another planet . contradictory +and i thought for a while that that may create a problem but it hasn 't it 's wood it 's uh It has been a problem of ours for a long time . contradictory +It 's a great place to start your visit . There is no better place to start your visit . neutral +" Jus ' ornery meanness , warn 't it ? Just heartfelt kindness and utmost love , isn 't it ? contradictory +well that you couldn 't pick a better way of doing it with your family You couldn 't decide a better way of traveling across the state with your family . neutral +You can visit the factory throughout the year or buy from stores in the city center . The stores in the city center are only open on weekdays . neutral +You probably have been using these tests for years and have become quite proficient at them . Your skill in these tests shows you have experience . neutral +The explicit premise for providing LSC attorneys is the necessity to make available representation to persons financially unable to afford legal assistance . LSC is a cheap legal service for anyone that needs it . contradictory +That number is an outcome . The number which is being referred to is an outcome . entailment +And of course we have basilisks mounted on posts around the grounds . Basilisks are mounted on posts around the grounds . entailment +so you have a little you know little you can program the one at Cosmopolitan Lady so You can 't program anything , especially not Cosmopolitan Lady . contradictory +A fertile island of vines , olive groves , and pine forest , that lies just 3 km ( 2 miles ) from the Turkish coast , Samos has taken a back seat in Aegean history since its golden age in the fifth century b.c. Samos is the closest island to the Turkish coast . neutral +I don 't wonder Whittington got the wind up when Tuppence plumped out that name ! It 's no surprise Whittington acted like that ! entailment +Do I look the sort of girl that 's always falling in love with every man she meets ? She had her heart broken once , and was careful with love ever since . neutral +i believe there was one case i don 't i don 't know where i read it or anything but i think there there has to they have to have put innocent men or women to death before i mean People have to be careful with the death sentence . neutral +Hari Raya Puasa or Aidil-Fitri celebrations mark the end of Ramadan , or the month of fasting . Hari Raya Puasa marks the end of Ramadan , a period of great gluttony . contradictory +Recent congressional actions have moved the IRS in the direction Dole wants to take it . Dole doesnt want to be involved in IRS 's policy . contradictory +Stag 's Head ( Dame Court ) is known for its good food . Dame Court is a fictional area . contradictory +, as amended by the Illegal Immigration Reform and Immigrant Responsibility Act of 1996 ( Pub . As it was originally drafted and approved . contradictory +Dynastic Periods ( 5000 2780 b.c. ) The Dynastic Periods ended in 2780 bc when the Mideivel Period started . neutral +He let go the cage which swung back and forth pendulum-fashion . He stopped holding on . entailment +They 're good ! They are gross . contradictory +lungs Inflammation of the lung Increased susceptibility to respiratory infection existing inflammation of the lungs does not lead to increased susceptibility of future infections contradictory +4The total change in net national saving from 1990 to 2000 was also affected by an increase in state and local government saving of about 0.6 percentage points . Net national savings did not change much between 1990 and 2000 . entailment +yeah yeah i don 't watch her that often i watch sometimes i watch The Simpsons that 's that cartoon show I do not really enjoy her show , so I watch her a few times a month . neutral +The northeastern section of France offers everything from high coastal dunes and peaceful rolling farmland to picturesque mountains , forests , and vineyards . The northeastern part of France is the only place to find mountains , forests and vineyards . neutral +yeah dents into holes right Holes to dents . contradictory +These are promising and admirable ideas--modest solutions to a modest problem . The solutions are modest . neutral +So the Maastricht Treaty ( the blueprint for European currency union ) ensured that the budget-cutting it required would be all pain and no gain . The Maastricht Treaty was soon abandoned . neutral +The challenge is how to stop the landscape from being changed by the very people who come to marvel at it . Tourists have been trashing the community they thought was so beautiful . neutral +Underwater exploring in the transparent depths of the Les Saintes archipelago ranges from good to outstanding . You are not allowed to underwater explore Les Saintes archipelago . contradictory +The sword was not as ornate as Adrin 's , but Ca 'daan could see the workmanship in the temper of the blade . Both swords were mass produced . contradictory +Its annual growth rate , however , fell from 6.7 percent in 1987-90 to 1.9 percent in 1990-93 and further to 0.2 percent in 1993-97 . Annual growth continued to slow down into the early 2000s . neutral +The Honorable Daniel Akaka Chairman The Honorable James Inhofe Ranking Minority Member Subcommittee on Readiness and Management Support Committee on Armed Services United States Senate Daniel Akaka is not on the Armed Services United States Senate contradictory +But as soon as you realize you 're a saver , you 'll lose confidence in your future extravagance and figure you might as well spend your money today . Just as you decide to blow all your money at once , you recant and stick it in a savings account . contradictory +we 've gone too far to the left it 's fixing to come back hard right Going this far to the left was a mistake . neutral +Brightly decorated by their peers , they depict the incumbent in life , at work , or laboring in the fields . They were a bunch of hard workers . neutral +When property is foreclosed , the property is recognized as an asset at the net present value of its estimated net cash flows . The property is not considered an asset when it is refinanced . neutral +The benefits to be gained in air quality were calculated by EPA for the first six years ( including the interim program ) to be reductions of 125,000 tons of hydrocarbons , 2,388,000 tons of carbon monoxide and 450,000 tons of nitrogen oxide . The improvement in air quality is likely to prevent any future occurrences of acid rain . neutral +Experiencing it involves sensory aphasia ; an enforced departure of mind from body . Experiencing it plants you more firmly in reality . contradictory +But massive growth during the 20th century saw Edinburgh absorb many of these formerly independent communities into its ever-enlarging limits . During mostly the later half of the 20th century , there was a lot of growth in Edinburgh . neutral +Martin Needleman , the executive director of Brooklyn Legal Services Corp. Needleman was the secretary . contradictory +Most of the resorts on the Strip have appeased family visitors by cleaning up their shows and covering up the showgirls . Families often come with their kids , so most of the resorts have enlisted a non nudity policy with their shows and showgirls . entailment +The Jardin des Plantes next door , created by Louis XIII as a royal garden of medicinal plants , is still an excellent botanical and decorative garden , with exotic plants in the hothouses . Louis XIII created this royal garden because he thought fit to have readily available natural medicine and herbal life close . neutral +The best places are local parks or bike-friendly spots beyond city limits . If you 're looking to do something outdoorsy , try going beyond the city limits to visit the parks and biking trails . neutral +In the crypt you can see a forest of heavy , rough stone pillars supporting the upper church , and displays that include stocks dating from 1670 , medieval carved stones , and an odd exhibit a mummified cat and a rat , found in the organ pipes . The crypt has a reliquary on display . neutral +Phoenix Park in the northwest is the largest open space , but squares like St. Stephen 's Green are the garden oases of the city . Despite Phoenix Park being the largest open space , squares like St. Stephen 's Green are garden oases . entailment +No . I want Jane Finn . Jane Finn has handled things like this before . neutral +Was worryin ' about wet feet before my boots were in the river again , he confessed . He admitted to worrying about his wife , who had wet feet . contradictory +The forest is famous for its Clairiyre de l 'Armistice , where , in Marshal Foch 's private railway carriage , the Germans signed the Armistice that marked their defeat in 1918 . The Germans were defeated at the end of 1918 . neutral +The country 's resurgence has been attributed to Mandela 's free-market His government has cut the budget deficit from 5.9 percent of the GDP to 4 percent , deregulated aviation and telecommunications , and cut taxes . The influence and decisions took by Mandela 's government made the country great . neutral +But how ? Tommy took the note in question from his pocket and passed it round the table . Tommy kept the note hidden away from prying eyes . contradictory +i was a mechanical engineer i did uh package design and i uh when we first contacted Onum years ago I have not worked a day in my life contradictory +For a close-up view of a glacier and formidable ice caves , take the cable car and rack railway up the Montenvers to the dazzling Mer de Glace ( Sea of Ice ) . The cable car and railway lead up to a close-up look of a glacier . entailment +Post-war politics brought a new set of problems . Post-war politics brought more problem . entailment +if you like thrillers anyway in fact people i 've talked to said that they hadn 't slept real good for a while afterwards so so People I have talked to said it was boring and not at all suspenseful . contradictory +and that 's another and that 's another interesting question should judges be elected or appointed Whether judges should be elected or appointed isn 't interesting . contradictory +I am myself , I am fully in possession of my faculties , and I do not appreciate the implication that I could be otherwise . I had full blown dementia . contradictory +eradicated in Lancaster County . Racism was erased in Lancaster County . neutral +During the 1970s , the southern portions of the Cardo , long covered by the ruins of the Jewish Quarter , were excavated . The southern region Cardo were mined During the 1970s . entailment +and they 've even um got a particular huge uh waste can that they have to use They have random waste cans everywhere . contradictory +She also is an adjunct professor in the UM law school 's Civil Law Clinic . She works in the civil law clinic . entailment +Also in Newsweek , an essay by Hillary Rodham Clinton argues that American foreign aid and investment will improve human rights . Hillary Clinton has always been a strong supporter in helping human rights . neutral +you you have exceeded your ten minutes time limit hang up within the next thirty seconds so You have more than thirty minutes left . contradictory +Is she going ? asked the Kal , nodding towards Vrenna . Vrenna wants to know if the Kal is going . contradictory +Very remarkable plan . Very terrible plan . contradictory +no uh no not yet about six months we will No , but we will in six months . entailment +He 'd just come to work and he 'd be there all night , baking , and he was in no real hurry . He baked bread all night ; he wasn 't in a hurry . neutral +The Persians were followed by Alexander the Great , after whom came two Greek generals Seleucus and Ptolemy , who brought Hellenistic control to the Eastern Mediterranean for some two centuries . There was no Hellenistic control of the Eastern Mediterranean . contradictory +Napoleon chose it as the setting for crowning himself emperor ( upstaging the Pope , who had come to Paris expecting to do it ) . Napolean chose it as the place where he would be crowned . entailment +You don 't want them to see us . You don 't want us to seem them , we will gut them for the freaks they are . neutral +By tacit consent , all mention of the tragedy was barred . Everyone wanted to take a break from keeping their secrets . neutral +It 's competing with a comic take on politics , Spin City ( ABC , 9 p.m. ) , featuring guest star Christopher Lloyd as yet another wacky mentor to Michael J. Fox . Spin City airs on ABC at 9 PM entailment +The porcelain was cracked , the shower-head was crooked and the taps were covered in grime . The bathroom was sparkling clean . contradictory +the logical thing would have been had to go had it go to the the employee number so that 's the one you 're going to do the next action on the change you know and there 's a lot of little things like that in there but it it could probably be corrected easily i don 't know if anybody 's griped about it or not I 'm not sure if anybody is annoyed about the lack of correction or the lack of effort neutral +Thus , they regarded the payment accuracy review as an effective and cost-beneficial way to combat improper payments . Payment accuracy reviews are viewed as excessively expensive . contradictory +For most other museums this would be treasure enough , yet in Iraklion there are also impressive Greek and Roman artifacts to enjoy . This would be impressive in most other museums , but Iraklion also has both Greek and Roman artifacts to see . entailment +But they did not restrict themselves to bald items of information . They embellished their stories with woo woo . neutral +It charts the history of Scotland , bringing under one roof a number of important collections of artifacts . The location does not house anything from Scotland . contradictory +However , we recognize that data and modeling limitations as well as simplifying assumptions can introduce significant uncertainty into the benefit results and that reasonable alternative assumptions exist for some inputs to the analysis , such as the mortality C-R functions . Collected data never leaves room for error . contradictory +The sober interior has Byzantine-style frescoes , an 11th-century altar canopy , and a crypt built on Etruscan and ancient Roman pillars . The interior is extremely gaudy and was built in the 1800s . contradictory +At its best , tofu is supposed to be springy , and this dish proved how ideally suited it is to the microwave 's wily ways . Tofu is springy at its best , but also yummy when mushy . neutral +The on site visits are conducted for the purpose of program monitoring and development , to solve problems , and to develop new strategies for expanding access and enhancing quality of services to clients . The on site visits help with strategy development for the benefit of clients . entailment +oh yeah that 's that 's neat that 's a very good use That 's great to use it for blog fodder . neutral +This week , the president 's advisory commission drafting his consumer-protection proposals endorsed a host of patients ' rights , including the right to appeal mistreatment by insurers . This week , the president 's commission wrote the proposals for insurers rights . contradictory +The disability is inconsistent with the proposition that attorneys should present all the reasonable and well-grounded arguments necessary for proper resolution of the case . The disability is not consistent with the idea that attorneys should argue in the case . entailment +The most motivational screening test is unknown . The most motivational screening test is the eye exam . neutral +um-hum oh yeah he had some excellent military people Yes , some of his military people were excellent . entailment +yeah i got some guy from San Francisco one night I got nothing from a guy from San Francisco . contradictory +Jon had neither time nor patience for them . Jon had plenty of time and patience . contradictory +Ira Magaziner told a press briefing that slowing the rate of growth actually benefits beneficiaries considerably because it slows the rate of growth of the premiums they have to pay . Slowing rate of growth hurts beneficiaries because it speeds up the rate of shrinkage of the premiums they have to pay . contradictory +but if i had to pick one i would probably pick Sam Huff as a matter of fact I would most likely choose Brett Favre . contradictory +Off ? " John nodded gloomily . Off ? John agreed darkly . entailment +Spread over three districts are the townships of Ringlet , Tanah Rata ( the main township ) , and Brinchang . Each township gets one district from the three for itself . neutral +He reconsidered his belief that there was no delirium , wondering if the feeling were not itself a form of hallucination . He was wrong to think there was no delirium . neutral +It 's the center of the industry , and practically all the great wines are represented here . There are many fine wine companies that all established themselves through there . neutral +For foreign tourists , the most interesting thing about this area will probably be witnessing the fascination these residences hold over Japanese visitors . The visitors of Japan are a fascination to the residences . entailment +asks Keats at the end of Ode to a Nightingale . Keat said at the end of Ode to a Nightingale . entailment +Some 're jus ' mustangs ; other 's good stuff gone wild run off by th ' ' Paches an ' broke loose , or got away from a ' wet hoss ' band . Some are mustangs . entailment +If a fetus is a fully human life , then all abortion is murder and the debate over any particular procedure is beside the point . Even if the fetus was seen as fully human , abortion is not murder . contradictory +Oh , come on , my date insisted . My date was very easy going . contradictory +It is situated at the center of the inland village of Ano Mera , whose small square makes a peaceful place for a leisurely lunch . It lies at the center of Ano Mera and it is great for lunch . entailment +Forman tells one , deadly serious A reckless individualist is slowly crushed by society . Individualists will always triumph over the rest of the society . contradictory +These activities focus on OPM 's Executive Core Qualifications including leading change , leading The OPM Executives are not required to have any qualifications . contradictory +Now he put down the phone and looked at her--and the pizza--with undisguised hunger . He put the phone down and stared at the pizza . entailment +To deal with the small communities of Jews and Nestorian Christian heretics , who had settled down on the Malabar coast in the mists of antiquity , the then Archbishop of Goa opened a local branch of the Holy Inquisition . The Archbishop of Goa welcomed small communities of Jews and Nestorian Christian who had settled on the Malabar coast as he believed such diversity would bring about fresh thinking and cultural energy to the surrounding areas . contradictory +179 " Tuppence ? " faltered Tommy . Tommy asked for Tuppence in a weak manner . entailment +yeah it was nice talking to you Linda okay great hope hope you like it um-hum you too bye-bye It was boring to talk to you Linda . contradictory +Just off Lower O 'Connell Street in Lower Abbey Street is the Abbey Theatre . The theater is located at 202 O 'Connell Street . neutral +Funds to help battered women with divorce , child custody cases Money to help women with cases regarding divorce and child custody . entailment +And there 's more . That 's all there is to it . contradictory +By telling my story and asking other women to tell theirs , I wanted to elucidate the emotional truths that emerge from a particular generation 's erotic memory , she explains . By telling my story from personal erotic memories which have shaped my life this sharing can impact the lives of other women who read them as well as encourage them to write their own stories as well . entailment +Intended for St. Peter 's Basilica as part of Michelangelo 's botched project for Pope Julius II 's tomb , the statue of the great biblical figure sits in awesome majesty . The statue was commissioned while Pope Julius II was alive . contradictory +Public comment is requested on all draft revisions to the standards . Public comment is encouraged when there are changes to the standards . entailment +Publishers must then absorb the high costs of huge returns from the chains . The chains often face many financial troubles by allowing returns . neutral +Roman Jerusalem The Romans never had control of Jerusalem . contradictory +Nora now sits in an ominous stillness . Nora was not in stillness before . entailment +'I 'd appreciate some tea , ' Greuze nodded , looking at me . Greuze nodded , looking at me , and said ' I 'd appreciate some tea ' . entailment +we can either try to get here tonight or just sleep it and try to get there tomorrow morning and we said okay let 's just sleep in and try to get there tomorrow morning We worked all day , we could use a rest . neutral +The mosaic floor of the original Byzantine church is especially charming . There is a mosaic on the floor of he church . entailment +Among other features , it allows even the smallest standard computer screen to display the entire contents of an issue of Slate without scrolling . Slate invested a lot of capital into this new programming to allow for easy viewing on all devices . neutral +John McCain thinks that 's beneath him . John McCain is an egocentric and narcissistic person . neutral +However , the congressional requester ( s ) The Senators in question , however contradictory +Women have traditionally formed the majority of the congregation , praying for the protection of their fathers , husbands , and sons while they were away at sea in merchant fleets , diving for sponges , or working in lands far away . Fathers , husbands and sons prayed for their wives while they were away at sea . contradictory +i don 't have a lot of time and i don 't really like some of them to tell you the truth i mean i don 't think they have any redeeming value I wish I had more time . neutral +I never quite figured out , for example , what the particular crisis was that left Hick worried that Eleanor would ditch FDR on the eve of re-election--although it 's another tidbit to add to our Clinton-Roosevelt Parallels file . Hick thought Eleanor was not in love with FDR . neutral +Not just an errand boy like Marcus , like I used to be , but an actual inner circle mindwalker . He had the respect of even the elders . neutral +On the western flank of the square , West Register House , designed originally as a church ( St. West Register House never was a church . contradictory +Expenses are reported on an accrual basis and include an allocation of overhead costs . Expenses are reported on an accrual basis , as well as other different factors . neutral +There are inherent differences between the use of a NOEC or LOEC derived from hypothesis testing to estimate a safe concentration , and the use of a LC , IC , EC , or other point estimates derived from curve fitting , interpolation , etc . LOECs found via hypothesis testing are almost identical to ICs calculated via interopolation . contradictory +well i was thinking too um we usually think of the Peace Corps as going overseas to do something but if they required this where you stay in the US and you know benefit the people here and perhaps too the fact that we have more elderly people now The domestic uses for the Peace Corps should take more priority if it really is all about improving quality of life . neutral +on the operation of the defense acquisition system to include ( 1 ) a requirement to capture specific design knowledge to be used as exit criteria for transitioning from system integration to system demonstration The defense acquisition system will include a requirement to capture environmental knowledge . contradictory +The best way to enjoy a round of golf is as the guest of a Japanese friend or business associate . Anyone will feel welcome at the golf course ! contradictory +Under the Save the Social Security Surpluses simulation , gross national saving eventually disappears , and the nation begins dissaving in 2047 . The simulation predicts that the nation will enter a depression in 2045 . neutral +This first critical success factor focuses on the role of the senior executive of the enterprise in developing a culture that includes the CIO in senior-level decision making and that assumes the potential of IT in creating value for the enterprise . A senior executive should not allow CIOs to collaborate on decision making . contradictory +yeah now the other side of the question is about are we getting what we 're paying for um for the most part i think we are but there is a lot of inefficiency uh both on the federal level and on the state level and uh hopefully we 'll you know as we start to go into computerization and all the processes maybe we 'll be able to streamline it I don 't think we are getting the value for what we pay for . contradictory +The fight became more and more brutal in these images . The fight grew more brutal . entailment +uh-huh it is it 's way too late i agree I disagree , it is not too late . contradictory +Built in the Neo-Romanesque style during the first years of the 20th century , consecrated in 1910 , the abbey contains a sanctuary ornamented with beautiful gold-and-polychrome mosaics in the Byzantine style . The abbey has a sanctuary ornamented with mosaics . entailment +The Parsis base their elaborate code of ethics on the concept of a constant struggle existing between the forces of creation that is , light and good and those of darkness and evil . The parses likes the good side of the ethics more . neutral +Subpart 1 . Nitrogen Oxides Emission Reduction Program There is a program to reduce nitrogen oxides . entailment +In the end , they did not dare risk it . The first thing they did was take the risk . contradictory +In a few brief words , I explained the tragedy that had occurred , and that I wanted his help . I explained how eager I was to help after sharing the tragedy that happened . neutral +However , DOD policy still lacks criteria to be used to capture specific design and manufacturing knowledge and does not require the use of that knowledge as exit criteria at key decision points to transition from system integration to system demonstration and then into production . Did policy lacks nothing , it is tight and inclusive . contradictory +'Shame you work for the mafia , then , ' I replied . I said shame on you that you are with the mafia . entailment +But even the Standard , it seems , has its limits . The Standard has no limits . contradictory +Leading organizations also consider various leadership models and position their CIOs at a clear , executive level , as in principle II . Organizations should not think about different leadership models . contradictory +Today it is a busy market town and civic government center . The civic government center is busy today . entailment +Belgacom charges 5 cents per minute for connections to any Internet service provider , making the connection more expensive than the provider 's service . Belagcom charges a lot for internet connection . neutral +This is what it had come down to . The situation had come down to a final decision . neutral +Following this analysis , EPA has concluded and certified that the rule will not have a significant economic impact on a substantial number of small entities . The EPA have noted that there will be an insignificant impact . entailment +reporting compliance with generally accepted government auditing standards ( see paragraphs Reporting compliance auditing standards that are below what the government wants . contradictory +i wonder how long that last We 'll see how long it will last . entailment +uh they have as far as i 'm concerned because i 'm i 'm not a big vegetable eater they have too many uh yellow vegetables on the same day and it seems seems like it 's it 's a variety of the same type of vegetable I 'm really into eating lots of vegetables and I can 't get enough of their selection . contradictory +you know someone who who really has no remorse you know that that just does these things uh i don 't know without feeling guilty about it at all you know and the and their we in fact we have an example going on right now with this uh school teacher involved some teenagers No one suffers remorse . contradictory +Happily , most people pick up on someone 's difficulty and introduce themselves . Most people may feel compelled to introduce themselves despite not wanting to otherwise . neutral +Shh , she said . She encouraged everyone to cheer and shout . contradictory +21 Managing for Federal Managers ' Views on Key Management Issues Vary Widely Across Agencies ( GAO-01-592 , May 25 , 2001 ) . Management issues vary widely among agencies . entailment +Screaming at the remaining two she pulled the boys back into the cottage . She left the two boys outside . contradictory +You 're a bit of a dream . ' I dream of you often . neutral +I think it should be embraced . I think the new laws should be embraced . neutral +uh yeah i just keep thinking all the time i mean it it 's really rough to keep yourself on a strict budget for a long long time when your you know your priority at least mine is to save for the house but then it 's awful hard to really scrimp for a long long time and keep putting all the money into that down payment you feel like you want to live a little bit in the meantime Keep saving for a down payment on a house . entailment +Prudie knows this from experience . Prudie instinctively knows this . contradictory +As a society we may have to face facts . We have to face facts as a society . entailment +there 's another place in Mesquite called Monkey Business There 's another place called Monkey Business in Mesquite . entailment +Frank Smith wont say it , but Jody will mention her disappointment at how few lawyers volunteer to help the foundation by taking some cases pro bono , without fee . There will be disappointment shown by Judy because hardly any lawyers are volunteering . entailment +shoot the Rangers i don 't know what the there 's no telling what they 'll do they 'll probably uh they won 't do anything until the all star break and then uh then they 'll pick up a little bit and that seems to be their uh their average pace but They are just not able to do more than the bare minimum . contradictory +A San Diego law firm just filed a class-action suit against the Pokemon card manufacturer alleging that Pokemon is illegal gambling . There is a legal practice located in San Diego . entailment +i think that that they have much i like that they 've changed it to lethal injection rather than you know the electric chair or gas Lethal injection is more humane than the electric chair . neutral +Russian mothers traveled to Chechnya , pulled their sons off the front lines , and brought them home . Russian mothers traveled to Chechnya to brought their sons home . entailment +But then Miss Manners ' peculiar profession depends on sensitive but indignant souls ... There are many sensitive and indignant people that have been helped by Miss Manners . neutral +really i would have thought that was close enough that I didn 't think it was close enough for that . contradictory +To the southeast of the town , cut off by a railway track , you 'll find the melancholy remains of the Alyscamps , the famous Roman and medieval burial grounds that were a favorite subject of Van Gogh when he came to live in Arles in 1888 . Van Gogh moved to Arles in 1886 to live . contradictory +He nearly succeeded but not quite . " He would have succeeded if he had done it a certain way . neutral +The Piazza del Duomo forms a harmonious space for the graceful octagonal baptistery , begun in 1196 , and the austere nobility of the 12th-century Romanesque cathedral and its 13th-century campanile . The cathedral is much older than the baptistery . neutral +So both the manager and the technician got drunk on the same vodka , from the same bottle even , in each other 's arms , about which they didn 't want to be reminded . The vodka was poisoned with cyanide , but they didn 't notice . neutral +' ' A very large percentage of what I do is pro bono or low bono . I require huge payments for all the work I do . contradictory +This assessment , termed a Current Services Assessment , provides receipt and outlay data on the basis of projections of future activities . The Current Services Assessment provides receipt and outlay data on the basis of projections of future activities . entailment +Our communities are experiencing unrelenting pressures as unresolved civil legal problems result in homelessness , loss of self-sufficiency and growing crime rates . Our homeless people are the ones committing the crimes . neutral +Recognizing that Japanese business is not down for the count--and remembering the role it played in getting us to where we are--is a necessary step toward a saner appraisal of where this economy might be going . We have an accurate appraisal of where the economy is going because we don 't trade with anyone but ourselves . contradictory +oh you will You will . entailment +the people that might benefit most from it might not go in that situation you know like people that really are trapped in a ghetto or something like that The people that might benefit least from it might not go in that situation contradictory +A joint venture ! " A mixed operation ! neutral +that 's true um-hum also probably look at packaging and that sort of thing we don 't we don 't need three quarters of what we get The packaging always indicates whether we need something . neutral +Why would anyone want to store books in a trunk in a cave ? Drew changed the subject quickly to break that unseeing stare . Why would anyone hide old underwear in a trunk in a cave ? contradictory +He said to Slim , " Come here , lad . " He told Slim to go away . contradictory +be good was it good talking to you i had a good i really appreciate your suggestions I 'm really glad you took the time to help me with my speech neutral +Two years later , the Portuguese sent their fleet , led by Afonso de Albuquerque , to seize Melaka . The Portuguese fleet was sent two years later to seize Melaka . entailment +Now there was only one and he had no choice ; he could never trust the Sons of the Egg with Bork turned against them . They could be trusted with his life . contradictory +i workout with that uh ESPN I workout whenever I can . neutral +And without full voting rights , there 's nothing that investors--even institutional investors--can do if things go haywire . All investors have full voting rights with their institutions . contradictory +Clean coal technology regulatory incentives . There are incentives for meeting clean coal regulations . neutral +The sofa you see there now is a replica , the original having been stolen during the Revolution . The sofa currently on display is a copy of the real thing . entailment +To persuade the United States to resume nuclear testing ... They protested into the night for the United States to never test nuclear weapons ever again . contradictory +except types of property , plant , and equipment that are expensed . Plants , property and equipment are not expensed . contradictory +the increased use of kiosks and a decrease in route time . Kiosk use time has increased and the route time has decreased . entailment +So strong was the illusion that she almost fancied she could make out the outline of a form … . The form seemed to be familiar somehow , but she could not tell who it might be . neutral +The study , completed in mid-2000 , found strengths and accomplishments and noted many remarkable features from which other states could learn . Other states could learn from the study completed in mid-2000 , but they still haven 't . neutral +The unemployment rate of 6.4 percent in 2000 compares to 4.0 percent for the whole economy . This is becasuse of Obama . Thanks Obama . neutral +They focus more on meeting schedules than capturing and having the knowledge necessary to make the right decisions at those milestones . Instead of focusing on capturing and having the knowledge necessary to make the right decisions at those milestones , they focus on meeting schedules . entailment +Identifying the most important issues involving the delivery in all 50 states , territories and DC . It identifies the most important issues in all 50 states . entailment +What voters really needed from the candidates on this question were longer answers , not shorter ones . Voters needed longer questions , no shorter ones . entailment +right now we 've recycled glass for years because years because we have a glass industry in our community We have recycled glass for a while now . entailment +i 'm not i i ought to look into it uh because we were kind of entertaining entertaining the thought of taking a uh you know like just a five or six day trip in the not too distant future to kind of kick off the summer It will be a great trip but expensive . neutral +Postal Service yields results contrary to the entry price and net avoided cost measures for the cost of the USO . The results yielded by the Postal Service are contrary the entry price . entailment +Before function is compromised , problematic consumption occurs . Problematic consumption happens before function gets compromised . entailment +That 's not the secret . That is a secret . contradictory +Five : The Mines They were looking for a particular mine . neutral +well no he was just a jerk he put uh he put the blame on everyone but himself he went out and you know bought uh bought recruits Eventually his lies caught up with him . neutral +To see the sculptures at their best , go in the morning or afternoon , or both , and then go back at night , when the temples are illuminated . The sculptures look best in the morning and afternoon . entailment +but to get them interested in doing it i don 't know There are many ways they can do it , we can tap into their interests . neutral +it 's a very strange car i don 't know you if you have them down there but it 's a Saab It is weird due to the unique style of the car . neutral +You will get lost at times , but in so doing you may discover marvels you weren 't even looking for . It is easy to get lost in the rain forest and discover treasures along the way . neutral +If you are saving up for a special meal , or just economizing , fill up on traditional potajes , thick soups full of vegetables , in unpretentious restaurants with one fork or none . Don 't fill up on traditional potajes if you are trying to save up for a special meal . contradictory +You get it ? Did you get the thing ? entailment +The distributed lag adjustment factor is constructed as the ratio of the estimated coefficient from the unconstrained distributed lag model to the estimated coefficient from the single-lag model reported in Schwartz ( 2000 ) . The adjustment factor has sufficient accuracy . neutral +He got $ 3 million for Basic Instinct , then $ 2 . He was paid $ 3million for a film . entailment +Quickest way is down this alley . The fastest way is between buildings . entailment +Babor supported Lowe 's revision and suggested adding the word implementation to the recommendation . Gabor hated the revisions Lowe made contradictory +The article was posted Tuesday evening ( Nov. The article wasn 't debuted . contradictory +How different ? He paused a moment , then went on : " Where is the girl now ? " He wanted to know where the girl was . entailment +These early crosssectional studies were criticized for a number of methodological limitations , particularly for inadequate control at the individual level for variables that are potentially important in causing mortality , such as wealth , smoking , and diet . The studies were praised for their attention to detail and completeness . contradictory +Presently , he seemed to get to the end of what he was saying . After hours of rambling , he seemed to get to the end of what he was saying . neutral +Over this amazing cornucopia presides Emperor Akihito . The Emperor Akihito rules over this cornucopia . entailment +In a networked environment , these risks are magnified because a problem on one computer can affect an entire network of computers within minutes and because users are likely to have easier access to larger amounts of data and the ability to communicate quickly with thousands of others . Computers are connected to each other and one computer at risk puts all at risk . entailment +because uh that 's i think that 's where our real you know the real problem with government is not is not what the not what the government 's doing but where it 's spending its money it 's it 's encouraging people to to uh not do as well as they can you know uh not have as much output and all that you 're paying people not to work and you 're paying people to have more kids and you know like you said you know more kids you have the more dependents you have you know the allowances you get and uh the more you have the more uh aid for dependent childre n you can get and all of these things go into it so The real problem with the government is where it 's spending its money . entailment +that 's right but you can 't take this money with us though that 's how i keep looking at it You can keep money when you die . contradictory +More impressive still was Japan 's success against the powerful war machine of Czarist Russia ( 1904 1905 ) , beginning with a surprise nighttime attack on the Russian fleet , to be repeated some years later at Pearl Harbor . The Russian fleet was attacked at night by the Japanese war machine . entailment +But I do worry that the Barro offer sends the wrong signals to younger economists--that by telling them the profession still insists on the appearance of superstardom , that it only values home runs when we really ought to be looking for a solid series of base hits , it will encourage what is already a disturbing propensity to favor attention-grabbing showmanship at the expense of deeper , more time-consuming work . The things that Barro tells brilliant young economists do not bother me at all . contradictory +and effectively respond to those needs . they are required to respond to those particular needs . neutral +Superior Court Judge Los Angeles Career Appointed by Gov. The Superior Court Judge Career was appointed by the public . contradictory +i suspect i would be uh you know a lot more favor of it if you know one of my children were you know brutally killed or something like that like i say i think it depends on how personally affected you know you might be by it People who have experienced violence are more likely to support capital punishment . neutral +The girls they use , the girls like Susan , don 't live past sixteen or seventeen . Girls like Susan do not survive past their sixteenth or seventeenth birthday . entailment +In the Victorian era , the town expanded northward from its original site ( a Roman settlement at Waterhead ) ; the commercial center now lies approximately 1 km ( 1.2 mile ) from the lake . Over time , the city expanded and became a commercial center . entailment +well well you 'll have to start working on your machines because that 's nice that you have those things It 's great you have your machines . entailment +FFC reported that , historically , 30 to 50 percent of all construction change orders result from errors in the design documents directly related to improper interfaces between design disciplines ( civil , structural , architectural , electrical , and mechanical ) . 60 to 90 percent of all construction change orders result from proper interfaces . contradictory +They put you in harmony with the rest of the material world , as well as with the electronically written universe on the Internet . The real world is more in touch . contradictory +Ca 'daan saw the damage he was doing to the horse but the visions of red-armored demon cannibals kept his feet kicking and the mare moved on . Demon cannibals ate Ca 'daan 's entire family . neutral +uh-huh uh-huh oh my husband just has to have it green has to be green it 's My husband says it must be yellow . contradictory +This subcontinent is so rich and varied that the choice of what to see on a first visit can be daunting . It can be daunting to decide what to see on a first visit . entailment +Oh , Julius ! Oh Julius , you fiend ! neutral +well over there in that part of world anything like this always is i mean their Over there anything like an attack is war . neutral +It wasn 't so easy , by a long chalk ! This was hard by any measure . entailment +There 's precisely one monorail line linking the city to its southern cousin- one length of track weaving a path through the entire country . There are 5 different train lines . contradictory +This smart , three-storey complex is ideal for families on a relatively tight budget , and offers a large swimming pool and children 's play areas . The complex has seven stories . contradictory +You feel as we all feel THE PRESENCE OF Mr. BROWN . We feel Mr. Brown 's presence . entailment +We split the rent right now , but when I get my degree I intend to pay for rent and let her handle the money . I don 't intend to pay for rent since she has all the money anyway . contradictory +In recent years Maoist activity in the area has limited the number of people visiting Gorkha . In recent years Maoist activity in the area has drawn in a great amount f visitors . contradictory +uh one month extra every year and it 'll if have you a thirty year note it will take like seven or plus years off of your note It is difficult to pay this extra . neutral +Families with children ' even those unfamiliar with the comic-book character and his Gallic resistance to the Roman invaders ' will enjoy a change of pace and a day visit to this theme park . Children who know the comic-book character will enjoy the park even more . neutral +Founded in 1253 as a college for poor theological students by Robert de Sorbon , Louis IX 's chaplain , it took shape as a university under the tutelage of Cardinal Richelieu . The college has graduated 6000 priests . neutral +thank you sir bye Until next time . neutral +This monitoring activity provides information on the effectiveness of the control activities implemented and helps oversight and top-level management officials identify areas needing further attention or a shift in focus . Top-level management is often too busy to measure the effectiveness of control activities . neutral +'I think Mr. Franklin 's tired , and we 've probably taken enough out of him . Mr. Franklin was wide awake and ready to continue on and do more and more . contradictory +yeah that their people are starving i mean they cannot Their is nobody starving in this world . contradictory +oh gee i 'd i 'd say our grass is getting green right now so i 'm sure he 'll in fact he may have already cut it once i can 't remember The grass is getting greener right now . entailment +The paths around Derwent Water and Buttermere are particularly They often take in areas of forest , such as at Grizedale , or grassland and park land , as at Mirehouse or Lingholm . There are no paths around either Derwent Water or Buttermere . contradictory +The installation of an FGD system requires a significant amount of labor . It will not require any amount of significant labor to install an FGD system . contradictory +Congress would not have needed to add the certification provision to protect the presidential advisers if their records were not within the scope of GAOas access authority . The certification provision would not need to be added . entailment +Right now about two dozen countries are suspected of pursuing chemical-weapons programs , and they do so with impunity . China has a chemical weapons program . neutral +However you fiddle with the rates , there will always be a perceived penalty on somebody . The rates are equal for everyone . contradictory +Trips along the coast in colorful caaques offer the chance to enjoy a cooling breeze and an alternative view of the island . The area is completely landlocked . contradictory +Moore sees these governmental analogies in a different light . Moore disagrees with others when it comes to the governmental analogies . neutral +Now we accept our standing and limitations . We will now accept our limitations . entailment +i had a friend from college that lives in uh yeah it 's well i should say on the west side i mean everything 's on the west side Manchester I have never known anyone who lives in Manchester . contradictory +Your discussion of the winner 's curse as it relates to online auctions ( see ) overlooked one very important the multiplier effect that comes from the power of the Internet to reduce transaction costs . Internet auctions are very expensive . contradictory +And players like Marco Etcheverry , Carlos Valderrama , Jaime Moreno , Preki , and Eric Wynalda would be thrilling in any league . Marco Etcheverry plays soccer . neutral +However , participation in a taxpayer clinic is not solely limited to tax experts since these programs provide extensive training and mentoring . Participating in a taxpayer clinic is exclusive and only available to tax experts . contradictory +The best way to see them is to start on the seventh floor and work down . The best way to view them is to work your way down from the seventh floor . entailment +It moves Krauthammer to wonder , Who the hell does she think she is [ not to testify because ] she doesn 't like her prosecutor ? She didn 't testify because her prosecuter was mean to her . neutral +O Solomon , I have surpassed you ! I have surpassed Solomon . entailment +Consider , for instance , the relationship between Bob Dole and Chiquita . Consider the relationship between Bob and Chiquita . entailment +His statue inexplicably pinned halfway up a monolith in a very martyr-like pose , although he died in his bed ( in China ) stands with its back to the sea beside a sculpted frieze dedicated to the suffering of his Japanese converts . His statue was destroyed in 1880 and never fully rebuild . contradictory +i 'm not sure i 'm not sure if it 's a way to cut down government expenses or it 's like you said that 's something more you know to to make people aware I think the government is spending too much money and it 's good they 're cutting back . neutral +it gets so hot i just wonder you know what what vegetables can really take that heat we 'll see It gets so cold , they wonder what vegetables can take contradictory +Bauer decried what he called the virtue deficit . Bauer decried the virtue deficit entailment +i didn 't notice it huh-uh No I didn 't notice . entailment +It can 't be , for example , any activity that lets Clinton talk , even though that 's what he does best . Clinton knows how to steer conversation and lie . neutral +After a long and contentious residence at the University of Southern California , the Arnold Schenberg Center has decamped to Vienna , the city of the 12 tone composer 's birth . Arnold Schenberg was born in Southern California . contradictory +well they couldn 't be worse than some of the men Well , they could be better than some of the men . entailment +I 'd upload the Ben Sim into his body a day earlier , spend the afternoon playing chess . I would play chess all day . entailment +mainly i read the Bible these days The Bible gives me all the information I need to live a productive life . neutral +Indeed , perhaps the most vivid reminder of the Moors are the dark , brooding eyes of so many of the islanders of today . People think of the Moors when they see the sunshine . contradictory +An official at the Office of the Federal Register told us that the Government Printing Office was experimenting with upgrading its publishing system to permit the use of hypertext links in electronic rules . Someone at the Office of the Federal Reserve Register told us that the government printing office was experimenting with upgrading the system to ban hypertexts . contradictory +In the case of this president , it is . It 's the president 's case to defend in front of the court . neutral +And in that case , the white candidate at 99 th place today wouldn 't get in anyway . A white candidate doesn 't automatically get in because a black candidate gets preference . neutral +For the next five decades the United States , the largest importer of Cuban sugar , dominated the island 's economy and largely controlled its political processes . The United States had little to no say in what happened in Cuba . contradictory +Even if cross-selling makes sense , though , it 's not clear why Citicorp and Travelers had to merge . Citicorp and Travelers merged . entailment +Why , you wouldn 't recognize a frog croaking if you heard it . " Albert looked rather crest-fallen . Albert looked sad when his friend insulted him . neutral +Vrenna had followed through . Vrenna followed through with the plans she made after high school . neutral +He doesn 't need a cover story or another job as a high-powered media executive , so he has no incentive to lie about his departure . He has no reason to lie . entailment +Bond does not take bribes ! Bond will accept small illegal gifts . contradictory +And not a clue left behind . No clues had yet been found . neutral +When White House aides and congressional Democrats reflexively expressed confidence in Clinton 's denials , their assurances were portrayed as bolstering Clinton 's case . No Democrats in Congress doubted Clinton 's denials . neutral +Here you 'll be able to stroll past stalls selling fresh produce and souvenirs , or eat at the numerous small ouzeries that serve the market workers . Here you can walk past stalls selling produce , souvenirs or food . entailment +Back in 1507 this was the world 's largest city , with a population of 1.2 million . The world 's largest city had a population primarily made up of slaves . neutral +DIRECT COST -The cost of resources directly consumed by an activity . The activity is wasteful . neutral +Other federal agencies have used the case study method successfully in answering program effects questions . The case study method hasn 't been used successfully by other federal agencies . contradictory +The most extensive field experiments , conducted under the National Crop Loss Assessment Network ( NCLAN ) , examined 15 species and numerous cultivars . There NCLAN conducted some extensive experiments in the field . entailment +Do it too late and you seem , actually it 's glib and insincere again . It 's glib and insincere if you do it too late . entailment +2 percent of GAO 's simulated GDP on a NIPA basis , which is the rate that CBO projects for 2010 . The rates were too unstable to make any projects in 2010 . contradictory +The main house is now a museum of antiques , including furniture from a variety of centuries and origins . The main house contains a many pieces of antique furniture . entailment +I took the cord out of the wall from the fax machine , Mr. Bookstaver said in a recent interview . Mr Bookstaver explained recently in an interview that he pulled the fax machine 's cord out of the wall . entailment +yeah yeah but that 's yeah i know that 's the way some of them work anyway They work similarly but still quite different . neutral +Eventually , gardens , children 's playgrounds , and the maze-like , partly below-ground shopping mall , Forum des Halles , transformed the site . The shopping mall is at the forefront of technology . neutral +yeah one of the things they tried to push through in Maryland and uh weren 't very successful was that if you were an able bodied person on welfare They weren 't able to push it through Maryland . entailment +do you do your own uh lawn maintenance or do you hire somebody to uh to do that Do you maintain your own lawn or do your hire somebody to take care of it ? entailment +is that right well i 've been lucky i 've been called twice I have been unlucky and have been called twice . contradictory +Set amid this wealth of historic sites are many beautiful beaches and pretty fishing villages , and a number of modern holiday resorts , notably Kuradase and Bodrum . The people vacationing hardly ever take advantage of the fishing . neutral +Well , sir , you know how he asked me so particular if the mistress , or anyone else , had a green dress ? Dorcas was asked by Poirot about red dresses . contradictory +you know ten dollars is for vacation fund whatever uh and We do have money just for extra . neutral +um-hum yeah well it seems like it would develop pride you know in people if if it 's in their own country it would certainly help them to appreciate some of the People are more prideful if something is from their country entailment +I 'll look around . " Drew paused to glance into the single small , glass-fronted case which was Stein 's claim to fame in the surrounding territory . Drew glanced into the big case . contradictory +Several people at one time can sit inside and watch the city at work . Only two people can inside and look at the view . contradictory +Last January the Postal Service proposed an array of rate increases designed to generate an additional $ 2 . The Postal Service has thus far shown no interest in increasing its rates . contradictory +transferring entity . There was no entity . contradictory +The new guy was named Mr. Nowak and was sitting next to Miss Aldonka . The new guy made it a point to sit next to Miss Aldonka . neutral +EPA afforded interested persons several opportunities to comment . The epa was generous with its opportunities . neutral +The area around the port in Ibiza Town offers the largest choice of shops on the island . The port area of Ibiza Town has a large choice of shops . entailment +The Merchant said , " It was a good business stroke , not harming the young ones . The Merchant said , " Fortunately for business , we killed the young ones . " contradictory +excuse me Verna for just a second can you hang on just a second okay Verna can you shut up for a second . neutral +An additional nine were for other pro se projects . There were other projects besides the pro se projects . neutral +( Prudie agrees that speaking directly to the parties would probably not be useful . ) Speaking to the parties , Prudie agrees , wouldn 't be useful . entailment +Both parties in the ' 98 campaign offer an easy answer to that question . There were two parties in the campaign . entailment +uh-huh yeah me too yeah I also like this one more neutral +You do not see ? You see ? contradictory +um um um uh actually it sounds very i mean very similar they 're sort of being they were sort of forced and now they just want to sort of speak up and say hey we want our piece They have found the courage to stand up and speak for themselves . neutral +Everyone expected the double-digit growth rates to continue indefinitely . The double-digit rate of growth had been expected to go on indefinitely . entailment +I don 't know anyone responsible and knowledgeable who can . I know a few people who are responsible and knowledgeable who can . contradictory +He said , " I read about them . I sung about those , she said . contradictory +and ours actually are mailed there uh they 're the i think the largest and they do a lot of the government contractors they have an excellent excellent rate um They have an excellent rate and quickest turnaround time . neutral +Estimated date of May 1998 ( but that could slip ) . It happened in May 7 , 1998 . neutral +it would be a sort of day care but it would be more of a family setting While we would offer traditional day care opportunities , it would take some elements from a family lifestyle . entailment +In addition , under certain circumstances , GAO has the authority to access information from other entities receiving federal funds , such as the District of Columbia , state and local governments , and private sector contractors . GAO holds the capability to access any data about federal funds . entailment +CHAPTER 1 CHAPTER 1 . entailment +Jane Friedman , Katrina van den Heuvel ( her dress had literally no back ; she looked fabbelus ! ) , Salman ( you must say Salman , I have heard , and how many writers have achieved first-name status in our time ? Katrina wore a long sleeved jumper and jeans . contradictory +( Buy your film , batteries , mineral water , insect-repellent , etc . , at everything is more expensive inside the park . ) You can buy all the you need inside the park since most of the items for sale are cheap . contradictory +The Kal and Adrin faced off . There was a confrontation between Adrin and Kal . entailment +i oh three nights i worked on it three nights and about four hours on last Saturday and i just put it in the garage and worked on it i have i have a new Oldsmobile so i really I worked on it for a few days and nights in my garage . entailment +Magnificent sunsets . Sunsets to write home about . entailment +Local farmers bring their livestock and engage in serious rivalry for the champion rosetes . Local farmers compete to see who has the fattest pig . neutral +He 's frightfully clever . He 's not very smart . contradictory +If food stamps are destigmatized , though , nobody will look at you funny--even if you really aren 't working at all . People won 't shame food stamp abusers . neutral +William Ginsburg , Genius or Idiot ? Is William Ginsburg tall or short ? contradictory +What a dirty trick ! As his indignation cooled , he prepared to face the situation . His friend pissed him off . neutral +and then mix some hoi sin sauce with sherry just a little sherry to thin it and stir that in you can even put a spoon of ketchup in and that makes a great pork dish with a sort of a spicy sweet sauce You can make a pork dish using hoi sin sauce , sherry , and ketchup . entailment +Columbus spent some months at an Arawak settlement here before assistance arrived and he made his way back to Europe . Columbus never received any help and stay at the Arawak settlement without ever returning to Europe . contradictory +oh yeah in fact i think that 's that 's one of the big problems today is the the way the kids behave or act and and the way they are sometimes disinterested in what 's going on in the class and disruptive The behavior of kids affects the mood of the classroom . entailment +oh really well i i 'm picking Duke because uh they just won it Duke is the absolute best and no other can compete . contradictory +RESPONSIBILITY SEGMENT - A significant organizational , operational , functional , or process component which has the following ( a ) its manager reports to the entity 's top management ; ( b ) it is responsible for carrying out a mission , performing a line of activities or services , or producing one or a group of products ; and ( c ) for financial reporting and cost management purposes , its resources and results of operations can be clearly distinguished , physically and operationally , from those of other segments of the entity . A single manager is responsible for each segment . neutral +Our analysis of DOD programs showed that those more closely approximating best practices had better outcomes . DOD programs more closely approximating best practices had improved outcomes . entailment +Her face paled as she saw the three men , and she gasped , throwing up her hand in a protective gesture . She cast a defensive spell with a hand gesture . neutral +Practice 4 This practice relates to previously covered material . neutral +For the most spectacular view , climb up to the broad path that runs along the roof of the arches on its perimeter . To see the wide path walk down and look upwards . contradictory +Don Cazar was a legend now , and a man did not quickly claim kinship with a legend . Don Cazar was never called a legend or a myth . contradictory +Dem 's book was part of the flood of Ancient Astronaut books inspired by the huge success of Erich von Daniken 's Chariots of the Gods ? Erich con Daniken was not an author . contradictory +The north end of the spina , or central axis , is now marked by an ornate domed ablutions fountain , given to the city by Germany 's Kaiser Wilhelm II to commemorate his visit in 1900 . Kaiser Wilhelm II loved fountains and that is why he donated one . neutral +Upon him All ultimatelyrests . It ultimately rests upon him . entailment +Although a great deal of attention has been paid to the wealth effect from the stock market boom of the 1990s , half of American households did not own stocks as of 1998 , according to the 1998 Survey of Consumer Finance . There was no stock market boom in the 1990s . contradictory +I--I heal quickly . It was no more than the truth . It doesn 't take me a week to heal . neutral +McKinney 's house was sold in October on the Tuscaloosa County Courthouse steps after she and her husband were sued by a local business . In October , McKinney 's house was sold at the courthouse . entailment +The cathedral clergy and artisans made it their home . Clergy refused to live anywhere near artisans . contradictory +This time , actors and actresses have Hollywood over a barrel , and they may just succeed in becoming the next generation of auteurs . Actors and actresses have Hollywood in a bind . neutral +While Buchanan correctly notes that many non-bigots opposed the war , Lindbergh isn 't so easily exonerated . There were a large number of non-bigots that opposed the war . entailment +then we 'll get a half hour break or so and then i 'll go and play another set with somebody else you know I always play sets during breaks . neutral +A walk along the banks of the river below the museum provides good views of the 11th-century bridge and the red-brick mills that used the flow of water to power a variety of industries . The museum is closed on the weekdays , but you can still sight-see along the river banks . neutral +yeah i would think i would think a cave would be could have problems like that too I don 't think caves have those problems at all . contradictory +For example , Japanese households face greater borrowing constraints than households in the United States and must save a great deal to purchase a home . Japanese households have more constraints on borrowing than Americans do , needing a 50 % down payment . neutral +uh-huh is her family in Texas Where does her family live ? entailment +and now we don 't have of course we don 't drive on our trips very much anymore either we used to drive like we 'd drive to New Orleans twice a year We travel to New Orleans multiple times a year . entailment +A copy of the loan application shows that Ryan Reilly listed Eileen Ledford as the 67-year-old owner of The American Quilt . Eileen Ledford was sold The American Quilt to her daughter when she turned 66 . contradictory +a 300gg-92 ) provides that the Secretary of HHS may promulgate any interim final rules determined to be appropriate to carry out the provisions of Part B of the act . The Secretary will not promulgate interim final rules . contradictory +may manage forfeited property and the collection and disposition of the revenue from that property . The forfeited property may be managed , as well as the revenue from the property . entailment +Most obviously , there is the proliferation of specialty shops for fountain pens and handmade paper . I feel that there is a proliferation of fountain pen specialty shops , but it is only a vague theory . contradictory +What is it , Dorcas ? " I really don 't have time to talk , Dorcas . contradictory +Though the good God gave her no beauty ! " I followed John 's example , and went out into the hall , where Miss Howard was endeavouring to extricate herself from the voluminous mass of veils that enveloped her head . Miss Howard was piling veils atop her head by the handful . contradictory +The Flesh Sculptors weren 't perfect , of course- they hadn 't got the nose quite right , and there was no hair ( for some reason , cloning decent hair is difficult ) . The Flesh Sculptors had done a perfect job . contradictory +Pretty clear case I should say . " But Poirot answered gravely : " There I differ from you . " " The most difficult case of my career , I should say . " contradictory +If officials of the audited organization do not have such a process , auditors may wish to establish their own process . A process is not recommended . contradictory +The Renaissance and Baroque palaces of the Via Garibaldi are a unique testimony to the town 's historic proserity , many of them now banks or museums . The palaces have been purchased by private businesses and re-purposed . neutral +This assault , in turn , helped reignite the PUK 's war with the KDP . The assault did nothing to pick a war . contradictory +Audit Results Results to be audited . entailment +It dates to the city 's founding in 1519 . It dates to the city 's founding in 1519 and has been moved many times since . neutral +but i i don 't watch i don 't sit and watch for long periods of time anyhow I 'd rather not watch something that goes on for awhile entailment +The modes of any period can easily be made to look stupid . There are some periods with modes that simply can 't be portrayed as stupid . contradictory +Who calls whom ? Who calls whom ? entailment +The huge blocks were hauled to the quaysides to be carried upriver . The quaysides were used to hall the huge blocks upriver entailment +so what you try take a vacation every year and go out and camp So what you never go on vacation ? contradictory +This all-purpose Republican frame posits that the Senate is Clinton 's jury and should behave accordingly . Republicans are blaming the Senate for how hillary is acting neutral +It was a nice park ; peaceful and green , possibly more so than anywhere else in the city . The park was unkempt and unclean . contradictory +Bork and Ser Perth were among them , bloody but hopelessly determined . Although they were stained with blood , they were determined to continue entailment +The pottery and stone work is worth studying , however the chief artifacts are the script fragments of Linear A type scribed on thin clay plates and not yet deciphered . The Linear A fragments on the pottery pieces were deciphered during the 1980s . contradictory +The old western was almost always a tale of a courageous loner imposing order on lawlessness , as in the Wayne films and Shane ( 1953 ) . Old westerns tended to show people acting alone and with courage . entailment +Mother Redcap 's Tavern ( Back Lane , off High Street ) is a big , relaxed place with live music . A big , relaxed place with live music is Mother Redcap 's Tavern ( Back Lane , off High Street ) . entailment +It was erected around an early Gothic cross that is Orihuela 's austere monument to Spain 's war dead . Spain 's war dead were honored by the monument . entailment +The Arab town was erected atop this sandy layer and many treasures are still lost below the surface of the modern streets . The town has no history underneath it . contradictory +There are so many needing help , each with a compelling and sometimes life-and-death story . All of the children needing help have their own story . neutral +Newsweek ' s cover story slams modern All the good spots are swamped with tourists . Newsweek said there were too many tourists . entailment +What are our goals and how will we achieve them ? How are we going to accomplish our goals ? entailment +Sunday morning wore away , and still he did not reappear . He still hadn 't shown up by Sunday afternoon . entailment +Most rapists appear to be motivated by hatred or anger , not sex . Sexual urges are the primary motives for rapists . contradictory +well i guess that 's about it for exercise That is all I have to say about exercise . entailment +Its splendour is a little faded now , but that only adds to the charm of the huge , chandeliered , sumptuous public rooms decorated with antique mirrors , braziers , samovars , and thick Turkish carpets . The rooms are full of treasures worth somewhere around 4 trillion dollars . neutral +Hatch : I 'm not just talking about it . Hatch is only talking about it . contradictory +( LTCM , as a matter of principle , refused to divulge its assets or strategy--so anyone who entered a contract with the firm was accepting an unknown risk . ) LTCM did not divulge the strategy . entailment +yeah yeah oh yes uh we used to have you know like several but right now we 're just more or less at American Express you know and that way we can go ahead and pay it off when it comes in We used to have a few but now we mostly use American Express and pay it monthly . entailment +Today , LSC has been providing funding on a competitive basis for seven years . The LSC has not provided any funding for many years now . contradictory +The rich permanent collection includes tapestries , furniture , and porcelain , but look out for the fascinating temporary exhibitions that are held here , featuring great styles and eras of design history such as Jugendstil , Bauhaus , and the American 1950s . Though there is a rich permanent collection , temporary exhibitions are often illustrative of design history and have brilliant styles like the American 1950s . entailment +Room 8 is devoted to the palace of Zakros in the far east of Crete . No rooms have ever been devoted to the palace of Zakros in the east part of Crete . contradictory +um yeah but not the same type of contests um Yes , the same type of contests every time . contradictory +Identifying these rates was problematic because many countries do not have First-Class rates for heavy mail . Parcels beyond a certain weight are not allowed to be shipped due to diminishing returns . neutral +In addition , because governmental , economic , industry , regulatory , and operating conditions continually change , risk assessments should be periodically updated to identify and deal with any special risks prompted by such changes . Many conditions change continually and risk assessments must be updated frequently . entailment +are so sad So sad . entailment +Both the Congress and the Executive Branch have critical roles to play in achieving desired outcomes for the American people . Neither the Congress or the Executive Branch have critical roles to play . contradictory +The examination consisted of several steps , primarily focusing on comparing information on three critical documents-the obligation or ordering document , the receiving and inspection document ( normally called a receiving report ) , and the invoice . The invoice is one of the most important steps . neutral +That will give us plenty of time for the doctor 's report . There will be a lot of time for the doctor 's report . entailment +Here and in the tiny place de la Contrescarpe you will find a large choice of ethnic restaurants , especially Thai , Vietnamese , and Chinese . You will find a lot of ethnic restaurants here because we 've had so many immigrants . neutral +Knowing I couldn 't afford another such mistake , I started slowly and subtly unplugging myself from the machines ; gently pulling electrodes off my head . I could afford to mess up like that . contradictory +A number of sculpted tombs include the sculpted tombs of Marie de Valois ( on the right ) and Robert the Wise d 'Anjou ( d . 1343 ; behind the high altar ) . The tomb of Robert the Wise d 'Anjou is a sculpted tomb . entailment +Unless you arrive by yacht , the other option is a motor-launch ride from Saint-Martin , 15 sometimes very choppy nautical miles away . If you don 't arrive by Yacht you must take a bumpy 15 mile journey from Saint-Martin . entailment +WEALTHY LADY POISONED There would be pictures of Styles , snap-shots of " The family leaving the Inquest " ” the village photographer had not been idle ! The village photographer had been busy . entailment +The 17th-century Baroque Palaz ? ­ zo Rosso ( number 18 ) , taking its name from the red facade , displays works by Veronese , Titian , Caravaggio , D ? ? rer , Rubens , and Van Dyck . The Baroque Palaz ? zo was constructed against the orders of the Vatican . neutral +Poirot , I noticed , was looking profoundly discouraged . I saw Poirot disheartened for some reason . entailment +He went on to detail the events of the morning . He talked about what they did last night . contradictory +Note that alcohol and tobacco are both exceptions to Hong Kong 's duty-free regime and are subject to tax . Alcohol and tobacco are subject to taxes in Hong Kong . entailment +The site is still an active dig and new discoveries are being made all the time . The site was home to many artifacts such as statues and jewelry . neutral +His two ramming rods were set , each ready to slide a fresh paper capsule into the guns in a mere moment . He got his gun ready to fire on the crowd . neutral +sounds like us That 's just the same as you and me . neutral +Close to 80 individuals serve on the committees . Almost 80 individuals serve on firefighting squads . contradictory +plus it would cost me oh i think the last time i looked at it was about had a dollar fifty one way and i said no i 'm not going to do that fast isn 't that bad yet It cost me less than two dollars one way the last time . neutral +in some of these big districts but other than that well can you think of anything else we need to talk about Is there anything else we should talk about ? entailment +Such power-- Then he stopped , staring at Hanson while something almost like awe spread over his face . He continued , as he stared at Hanson with a look of disappointment . contradictory +really well there 's been uh actually some pretty interesting interesting topics that i 've had i 've had things from uh tax reform to baseball to fishing those are the three i 've participated in I 've taken part in topics I found interesting . entailment +right now we 're going through we just it just rained all day today or it 's been raining most of the morning drizzling off and on but yeah today it rained all day , but tomorrow it 's going to be sunny neutral +no uh my builder was Gemcraft and they didn 't put uh trees in at all My builder was Gemcraft until they went bankrupt neutral +Simone Martini 's Miracles of St. Agostino Novello , and Pietro Lorenzetti 's Birth of Mary are not to be missed . You don 't want to miss Simone Martini 's Miracles of St. Agostino Novello , and the Birth of Mary by Pietro Lorenzetti . entailment +Though less energetic , life is equally refreshing down on the lovely lakes of Annecy and Le Bourget . There are no life forms on the lovely lakes . contradictory +If , after repeated warnings , a State was judged guilty of misgovernment , it was simply annexed by the Paramount Power the British . The states that were misgoverned were allowed to keep their own government . contradictory +right yeah yeah they always they they say a lot of times that you know woman have more emotions and they can or cannot handle a job because of that so that 's going to be interesting to see how that kind of stuff does play into it because a lot of times you know you do look at the men and they never seem to show any emotion they just People say men are more emotional than women , and the cannot handle high stress jobs . contradictory +When Bauer challenged another questioner to explain what he meant by inappropriate behavior , the questioner replied , How specific do you want to get ? The questioner had a lot of material to respond to . neutral +identifying best practices regarding information security programs so The programs are being developed . neutral +Willey , allegedly propositioned in the White House , was dressed professionally ( at least till Clinton untucked her blouse ) . Willey was dressed in a t-shirt and jeans when she was propositioned in the White House . contradictory +Likewise , if the presidency is worth $ 50 million and there are many potential candidates with essentially identical chances of winning , they 'll keep entering the race until they 've collectively spent at least $ 50 million . The presidency is valued at about $ 50 million . entailment +Cliff-top pool and access to swimming and snorkeling in Pristine Cove more than make up for no sandy beach . The pools is up on the cliff . entailment +What the Love-Fort Worth fight has made clear is the basic disingenuousness of the majors when it comes to deregulation . The Love-Fort Worth fight brought to light the basic disingenuousness of the majors when it comes to regulation . contradictory +A crowd of people rushed from the entrance of a building of sandstone and marble . The building was going to collapse . neutral +The data from the Matters Reporting System can be used for a variety of important purposes . There are a variety of purposes that the data can be used for . entailment +Jerry Falwell apologized for saying the Antichrist must be Jewish . At a prayer breakfast , he said , I apologize to my Jewish friends here and around the world and I apologize to the Christians here for having created any kind of rift . Jerry Falwell apologized to Jewish people . entailment +Some judges have tried . Some judges and some lawyers have tried to improve this . neutral +that 's not really good i don 't know i guess that 's an invasion of privacy i 'm not sure that that 's an everyday thing though at least not for you know an individual It sounds like an invasion of privacy to me . entailment +They thought about how he would react when he returned to the world of the awake . He had not yet returned to the world of the awake entailment +Guess whoever did it thought Johnny was wolf meat , jus ' took his hoss an ' left him there . Whoever did it didn 't know Johnny survived , though . neutral +David Feige 's comments about Lying Lawyers were not far off target--if the target was set up in New York state , in about 1975 . David Feige is a bit behind the times regarding his views on lawyers . entailment +It is a good plan ! His boy 's voice was thin in protest against Drew 's expression . It was a bad plan ! contradictory +And how many closings have been appealed ? Closings in law refer to dismissals or stay of proceedings . neutral +oh yeah yeah yeah well the coverage was a little bit ridiculous anyway i mean The coverage was actually understated if nothing else . contradictory +REIMBURSEMENTS - Sums received as payment or advance payment for goods or services furnished either to the public or to another federal government account . ' ' Reimbursements are not related to finances ' ' contradictory +And that 's what I told myself . It was a strange thought . neutral +supposed to get to and in other cases it it does not Sometimes it doesn 't get to where it was intended to go . entailment +But Christianity eventually triumphed to achieve the strong Orthodoxy of today , and Titus became Crete 's patron saint . Titus is the patron saint of Crete . entailment +something else done here that would would solve the problems in the Mid East or or Something we could do here at home could go a long way to fix the Mid East problems . neutral +Won 't they dog your campaign until you answer ? They won 't dog your campaign because they risk their own reputation . neutral +Spectacular cliffs crash hundreds of feet below to the deep blue surf . Walking on the cliffs is extremely dangerous as there is a great rift . neutral +At least not for the better . At least for an improvement . contradictory +The Cost of Universal Service in the Postal Sector . They tallied the cost of the universal service in the postal sector . entailment +Made from a mixture of red wine , lemon and orange juice and peel , brandy , and mineral water with ice , it may strike you as too heavy to be consumed with a meal . It is a mix of a lot of flavors with is pretty heavy . entailment +Legal Aid provides noncriminal legal assistance to the poor in areas such as family law , consumer fraud , housing evictions and foreclosures . Legal Aid does not help the poor in any situation , ever . contradictory +yeah that sounds fun That sounds like a horrible time . contradictory +Its twin objectives are to dramatically increase the number of low-income Americans who can access the civil justice system and to ensure that all clients receive quality legal services . The goal is to increase access and provide quality services . entailment +How can you speak ? How can you talk ? entailment +We are creating a riskbased management approach that will reduce the number and sequential nature of our product reviews . We are creating a risk based management approach to increase the number of our reviews . contradictory +yeah i don 't think that some people i don 't think have uh a year in them to volunteer if you know what i mean they 're not worth it Some people don 't feel that it is worth it to volunteer . neutral +you know we worked something out because he was kind of apologetic that it took so long he really came over here to paint i think because he kept offering to paint the outside of my house i don 't think he did the interiors very well Some of his work was acceptable . neutral +Then it got started . Then it began . entailment +no i 'm pretty familiar with with Dunleavy because he was an assistant at Milwaukee I 've never heard of Dunleavy . contradictory +Gyna bodokalunia , karnuk kilmadorni esdar ! The Lotafrankish man answered energetically . The Lotafrankish man spoke in his own tongue . entailment +Especially coming from a clergyman 's daughter ! It 's inappropriate , since she 's the clergyman 's daughter ! neutral +Portuguese Conquest Subjugation by Portugal . entailment +and yet they 're letting more people in daily Nobody is being let in now . contradictory +The long tomb shaft is decorated with excellent paintings depicting chapters of the Book of the Dead the rituals to be performed for Egyptians to reach the afterlife . The long tomb shaft is completely lacking in decoration . contradictory +Today , in the ' 90s , right on schedule , fashions of the ' 70s are being given a nostalgic , sympathetically accurate whirl in such movies as Hilary and Jackie and The Ice Storm . A genial gaze is being cast on them just as flared trousers , square-toed shoes , and long male hair are once again looking normal in the real-life fashion universe . Today 's fashions are from the 1940 's . contradictory +Finding the most suitable Greek island for your style of vacation is important , as each group of islands , as well as each individual island , is unique . There are 3 main island groups , each consisting of 4-5 islands . neutral +oh that 's that 's one of the worse things about it it really is but uh you know There really aren 't any bad things about it , that I know about . contradictory +I also really believe that what people were responding to during the World Cup was the spirit of those women . I really believe that people responded to the spirit of the women . entailment +However , the emergency department is the entry point for medical care for a broad spectrum of problem drinkers . The ED is the entry point at the hospital for many problem drinkers . entailment +In 1997 , non-households sent 84 percent of First-Class Mail , up from 77 percent in 1990 . Most First-Class Mail is sent by non-households as of 1997 , and that number is expected to rise in the future . neutral +SPECIFIC IDENTIFICATION - An inventory system in which the seller identifies which specific items are sold and which remain in ending inventory . The system is currently out of order . contradictory +There are at least three major reasons for rural route time per possible delivery being so close to the corresponding time for city residential There are no major reasons for why rural and city route times are so close to one another . contradictory +Gilbert is also believed to have carved the magnificent cap ? ­ i ? ­ tals topping the pillars of the nave and aisles . Gilbert carved many pillars . neutral +Not until to-night , when you 're going to burst upon every one like King Solomon in his glory ! You 're going to enter the room in all your naked glory . neutral +After the instant suit was filed in the District Court alleging the restrictions on the use of LSC funds violated the First Amendment , see 985 F. Supp . The funds were going to be used to build an enormous pile of money in the Director 's living room as some sort of political statement . neutral +You also may want to check the site of whoever manufactured the motherboard . There is a website for the manufacturer of the motherboard and it has many interesting information . neutral +Originally , the festival invoked the help of the gods against a plague in medieval Kyoto ; highly commercialized imitations of it are now celebrated all over the country . There were not any festivals in medieval Kyoto . contradictory +Case study data were collected through interviews and analysis of documentation . Participant test-taking and objective lab tests were collected to provide supplemental data for the case study . contradictory +Now here 's a real problem . This is a real challenge . entailment +A piece in Time asks if the U.S. military 's softer boot camps ill prepare soldiers for war . The U.S military once had boot camps that were harder than they are currently . entailment +As I understand , this might be a more pressing matter than the canopy . ' From what I understand , the canopy is top priority over anything else . contradictory +Most federal performance management systems fail to achieve these objectives . Federal performance management systems are very good at achieving different objectives . neutral +But his nobles were intent on revenge and imposed a second , even more violent , White Terror against Jacobins and Bonapartists , including some of Napoleon 's greatest generals . Some of Napoleon 's generals were planning another revolution of their own . neutral +Well , there has been an excruciatingly technical argument about this , mysteriously known as the double dividend debate ; the general consensus seems to be no , and that on balance pollution taxes would be more likely to reduce GDP slightly than to increase it . The relationship of taxes and GDP is a settled subject . contradictory +Dijon is a good city for walking and exploring by yourself . Dijon is a place you can wander around alone . entailment +( Curriculum Vitae , the memoir she published a few years ago , politely fends off the curious . ) There is a section of her biography with a form inviting further questions . contradictory +i know there was uh a pipeline going in up in uh southern Pennsylvania and there was a group in uh Bucks county that was fighting it and uh one of the women that was leading the group said well they say they 're going to pump uh oil through there but before long they 'll be pumping radioactivity through it A pipeline was being torn down in Pennsylvania . contradictory +Its marble streets and monuments have been extensively excavated and restored by archaeologists , and with only a little imagination it is easy to transport yourself to Roman times . Restoration was due to the archaeologists , they restored the streets and monuments . entailment +Exclusion of interest earned on U.S. Including interest earned in the us contradictory +Take the end of this string in your hand . Take the middle part of the string in your hand . contradictory +oh it sure can because uh the you never just you just can never tell what it 's going to do It is hard to predict what it will do . entailment +City on the Liffey A city along the Liffey . entailment +There was a massive dispossession of the Irish from their fertile lands in the east , and they were driven west of the Shannon ; in Cromwell 's phrase they could go to Hell or Connaught . Cromwell felt that he had bigger fish to fry and so he wasn 't concerned about the plight of the Irish . neutral +This section also establishes detailed default procedures for auctions . The section under revision sets procedures for auctions . neutral +This is done to account for the likelihood that an average case of pollution-related CB is not as severe . The average case of pollution related CB is fatal . contradictory +the best i can figure he was part Lab because he had a Lab head He had a Poodle head . contradictory +The Clinton administration has done plenty to fuel suspicion of all kinds . The Clinton 's have done a lot to cause suspicion entailment +to get it yeah Yes , to get it . entailment +So , if the bear is going anywhere , send him back to Canada . The bear 's habitat is in Canada . neutral +Therefore , we have proposed including that latter objective in the definition of performance audits , as discussed in chapter 2 , and in the presentation of field work and reporting standards , in chapters 7 and 8 , applicable to the various objectives of performance audits . She proposed including the latter objective in the definition of performance audits . entailment +oh yeah i 'm in Texas where are you at I 'm in Illinois right now . contradictory +oh you should come it 's it 's a it 's a nice place in the summertime though don 't come in the winter We probably will never go up their during the winter . neutral +It goes without saying , however , that Spielberg makes the case that soldiers ' morals explode like land mines amid the terrors of war . When a soldier is part of a war and in the depths of war , they often lose their morals . entailment +VA Health More Veterans Are Being Served , But Better Oversight Is Needed ( GAO / HEHS-98-226 , Aug. 28 , 1998 ) . Veterans are usually depressed . neutral +During World War II , the church was turned into a club for Japanese officers ; it was restored after the war . The club for the Japanese military men was actually a converted church during the second World War . entailment +You see , she went back to them when she could have got away . " Sir James nodded thoughtfully . Sir James listened intently , occasionally nodding , " Even though escape was possible , she still remained . " entailment +I wanted to vomit . I started dry heaving . neutral +just a little shell to go under a suit you know It 's the kind of shell we used to put inside our suits . neutral +It slipped under the egg , catching the falling object deftly on a cushion-like attachment between its wings , and then struck off briskly toward the east . It was a weird winged creature from the East . neutral +yeah i think well it 's it 's definitely a problem and i think it could get worse This is a problem that could get worse . entailment +My plan is this , Tuppence went on calmly , " I 'll go alone tomorrow . Tuppence planned to go alone the next day . entailment +Lockheed helped build the Hubble Telescope--no surprise , really , given how it performed initially--and the space shuttle . Lockheed helped build two very important things . entailment +Now on a Tripod home page , the site itself claims to have been hit only 1,110 times since December 1998 . The site didn 't use a hit counter . contradictory +Therefore , in applying software metrics to audit work , care must be taken to follow generally accepted government auditing standards when drawing conclusions based on the results of software metrics . Software metrics may sometimes cause errors when applied to audit work . neutral +EPA believes that , at most , there are only two firms which manufacture outboard or personal watercraft and jetboat engines that qualify as small entities . Most people believe jet boat engines are small entities . neutral +Many of the remaining intact sections of the wall are now on private land and inaccessible to the public . Parts of the wall are in privately owned areas . entailment +In an era of seemingly perpetual ethnic hostilities , Malaysia can be proud of a unique achievement the coexistence of the three most prominent peoples of Malays ( mostly Muslim ) , Chinese ( mostly Buddhist ) , and Indians ( many Hindu ) . The different races are tolerant , but not entirely amicable . neutral +When there are multiple units retrofit at one site only , one mobilization is needed for all of the boilers , only one construction supervisor is required , and equipment is more efficiently used . When there are units retrofit just in one place , they still need ten mobilizations . contradictory +First and probably foremost , as we all know , providing high-quality legal services to low-income persons is not as easy as it looks . There are a lot of low-income people who need high-quality legal services . neutral +Even moderate Egypt has expressed sympathy for Saddam . Due to lack of media coverage , moderate Egypt sympathizes with Saddam . neutral +i don 't know i i think she just likes the noise because if i want if i want to find her anywhere in the house all i have to do is crumble a package and she will come running She will come running if you make noise by crumbling up a package . entailment +But it kept coming . But it stopped at a far distance off . contradictory +In the center of the square stood a statue of a nude man with a spear piercing the mouth of a large worm with the head of a grotesque woman . The man has clothes on and the womens face is nice . contradictory +( This assumes people who don 't buy Windows won 't need a browser . ) This is only if people who buy Windows won 't need a computer browser . contradictory +Accountability describes what we do , integrity describes how we do our work , and reliability describes how we want our work to be received . Integrity concerns what people do and not how they conduct themselves . contradictory +Upstairs is the Mus ? ? e de l 'Histoire de France , which displays a number of important documents , including Louis XVI 's diary with its famous entry noting , Rien ( Nothing ) , for 14 July 1789 . The important documents also include the French constitution . neutral +yeah so uh what are your favorite TV shows What TV shows are your favourite ? entailment +Newgrange can get very crowded , so try to get there early or take a Bus ? ‰ ireann tour which secures you privileged access . Newgrange is very busy . entailment +Painters still throng the Place du Tertre , Montmartre 's historic village square , where marriages were announced and criminals hanged . Marriages were announced at the same place as criminals were hanged . entailment +Director , Coalitions for the Republican National Committee New Director , Coalitions for the Republican National Committee neutral +wow do you do ballooning too You do ballooning as well ? entailment +On the opposite side of the courtyard of the masks ( named after the design of two fountains ) , the Salones Reales ( apartments of Felipe II ) are modest in comforts , but rich in artworks . The Salones Reales is luxuriously appointed but contains no artwork . contradictory +What is the project 's name ? What is the name of the project ? entailment +Another limitation of this seminal study is that 50 % of participants were lost to follow-up at 12 months . Another limitation of the study is that only half of the people follow-up after a year because some of them get arrested and some die . neutral +Census Bureau 's 2000 census . The census bureau did a census in 2008 . contradictory +oh the one of the reasons why i got mine was before i went on maternity leave they didn 't know how they were going to do without me at work because i am pretty much the like you said the guru in the office with the different programs and any trouble shooting that there is I had a boy baby . neutral +we could be just lifelong students We could be lifelong students because of these grants . neutral +oh yeah yeah yeah it peaked out in the seventies yes yeah i 've i 've i 've got thirty two years in I was always a cool guy in the 70 's . neutral +The help ranged from representation in protection order hearings to legal assistance in divorce , visitation and child support cases . There were many lawyers available to offer their services . neutral +Overlay both of these religions with a strong dose of animism , and you have a thoroughly inscrutable religious milieu in which Hindus and Buddhists worship at the same temples , and rocks , trees , and waterfalls take on mystical importance . Hindus and Buddhists worship at the same temples as part of the inscrutable religious milieu . entailment +he 's the pilot excuse me He has never flown a plane . contradictory +Edinburgh Zoo has a penguin parade every day during the summer . Penguins can be seen at the Edinburgh Zoo in summer . entailment +well that 's great that Hey , we agree that 's really good . neutral +He was taut as if pulled harp-string tight inside . He was so scared that he was wound tight as a wire . neutral +because it 's yeah and it 's so it 's supposed to pull itself along and my husband it doesn 't bother him and he i 'm got out and mowed for him one day just to be nice so he wouldn 't have to do it when he got home and i said what is with this mower i can 't even push it around the yard I wanted to mow the lawn for my husband . neutral +well you and everybody else Everyone except for you . contradictory +Legal Aid now offers some of the most creative services for legal aid found across the country , said Michael A. Millemann , a law professor at the University of Maryland and a former deputy director of the Multnomah County , Ore . , Legal Aid Service . Michael Millemann teaches law at the University of Maryland . entailment +so uh-huh i guess i take it for granted kind of because i just it 's always been that way but i know It 's always been that way since the accident . neutral +Also , the resulting obstacle to the parents ' sex life is not the incidental side effect that Wright suggests . Wright suggested that the resulting obstacle to the parents ' sex life is an incidental side effect . entailment +More immediately important , it puts the market 's recent , quickly overturned correction in quite a different light . It 's important that it puts the market 's recent correction in a similar light . contradictory +At the base are the remains of a 14th-century-b.c. At the base are remains from the 19th century . contradictory +After defeats by Greeks in the south , Latins in the center , and Gallic invaders in the north , the Etruscan empire faded in the fourth century b.c. The Etruscan empire was surrounded by enemies . entailment +i always like the musicals and uh those ones uh those stick in your head The musicals stick in your head because the songs are always so catchy . neutral +One difference is that this time around , Democrats are less likely to get played for suckers . Democrats will not be " played for suckers " entailment +The familiar rock walls that seemed so benign to him in his twelve years of trade along the trail now seemed to grasp at him and crush him . He was a skilled climber . neutral +Microsoft has been defensive about its low-key Washington role when it could legitimately be boasting about it . Microsoft has been the aggressor in regards to its large role in Washington.which they constantly boast about on a daily . contradictory +and but uh-huh exactly and so i think that kind of control is would be good I think that kind of control would be good , but it won 't happen . neutral +But they don 't go so well with Dior . They don 't match as well with Dior . neutral +So the CMP theory suggests that income inequality should grow over time . Income equality should grow over time according to the CMP theory . entailment +It was one of the longest and blackest I have ever seen . I was afraid of the long black thing . neutral +I do hope we shall have lots more adventures . " " It is my hope that we shall have a great deal more adventures . " entailment +And America doesn 't know if it cares . America isn 't sure if they care about the new laws . neutral +you know like a lot of companies will send you to school but you have to sign a paper that you 'll work for them for five years or uh you know to that affect Schooling programs at other companies are not as good . neutral +But I 'm sure . Mrs. Vandemeyer stared in front of her for a long time . Mrs. Vandemeyer was staring at the huge pimple on her nose . neutral +By the way , am I your cousin , or am I not ? I know for a fact that you are my cousin . contradictory +and interest is like eighteen or something 18 % interest is fairly common and expected . entailment +okay um have you ever been involved in any trials At any time have you watched Law & Order on TV ? contradictory +you 're kidding me You 're not being serious . entailment +so how do you handle do you got any kids Do you have children or do you have pets ? neutral +well i i got a stopwatch here Do you have a stopwatch that I can borrow ? contradictory +White chuckled . White thought the joke was funny . neutral +The children are living in fairly intolerable situations while the parents are battling it out , she said . Children are living in amazing conditions but the parents want them to learn the harsh reality of the world , so they are petitioning to set up a real-world style " Scared Straight " program for the children . contradictory +no it 's really hard to do that i mean it 's i don 't know i guess um we do kind of have a budget um but it 's kind of funny what we what we do i guess is we try to proportion uh who pays what according to the salary that we make uh do you not understand what i 'm saying we we pay a percentage We 've intended to create an actual budget , but haven 't accomplished it yet . neutral +If you 're eager for a bit of culture after a day in the sun , check out the Orange County Performing Arts Ceter ( 600 Town Ceter Drive , Costa Mesa ) , which sponsors frequent symphony , chamber music , and opera performances by visiting international and local groups . The Orange County Performing Arts Center regularly features chamber music and symphony performances . entailment +A short walk up the road past the police station , along the Street of the Armenian Patriarchate , brings you to the Armenian Cathedral of Saint James ( 11th 12th centuries ) and its convent . There are no police stations in the vicinity of the Armenian Cathedral of Saint James . contradictory +The displays include a full-scale reproduction of a nagaya ( one of the long , single-story row houses typical of the Edo period ) . The displays are used to show the history of the area to the locals and tourists . neutral +Minimum reporting shall consist Minimum reporting may include neutral +Such remarks inspire Storr 's rather defensive observation that unlike fascist art and architecture , Smith 's sculptures and buildings were insistently built to human rather than superhuman scale . Smith has built sculptures and buildings . entailment +uh i think it 's what number did i just say eighteen something that is the same as a three-quarter and it that i i 'd rather have it all metric I think that eighteen something is equivalent to a three-quarter . entailment +but particularly the witnesses Only 1 of the witnesses . contradictory +so in other words that 's the way they force people out They make sure not to force anyone out . contradictory +Yet it is uniformly bound to match the others . The book was bound in burgundy leather . neutral +While the Hittite Empire declined , other momentous events were taking place on the shores of the Aegean . The Hittite empire has yet to decline . contradictory +But he 's not needin ' any two hands to unholster now . He doesn 't need any hands but his own . neutral +How 's the prospect for a job ? How 's the efforts for a new office job going ? neutral +Never tell lies , replied Miss Howard . Miss Howard told us she was always truthful . entailment +These cases take time and they aren 't easy . This case is simple and will only take a day or so . contradictory +you know i went down forty cents but i went up ten cents My value went 3 dollars up today . contradictory +shoot that 's a good idea Damn , that is a really bad idea . contradictory +A special combination ticket is available for both Himeji Castle and nearby Koko-en , a superb landscaped garden built in 1992 by a Kyoto-based master gardener on the site of a former samurai residence . Koko-en , an amazing garden , was build in 1992 by a gardener based in Kyoto . entailment +After all , what is this number we call productivity ? What is this number known as productivity ? entailment +and the judge was extremely concerned for our welfare if we were well if we were comfortable and uh things of that nature which made us feel good The judge was not concerned with us at all . contradictory +worth of getting on with it is just thatquick cut between getting our monographs The worth of getting on with it is just that quick cut between getting our monographs . entailment +It takes a detective to find the original site of the Black Hole at the domed General Post Office on the west side of Dalhousie Square , since most Indians aren 't interested in helping you . It is difficult to get assistance from most Indians there . entailment +Establishing a tradeoff between the consumption of current and future generations entails value judgments that economic theory alone cannot provide . You need more information than just economics to establish a tradeoff between the consumption of generations now and in the future . entailment +But he throws it anyway . But he does not keep it . entailment +really well it 's really lucky that you got away from that cause that 's Hopefully , you never go back to that . neutral +They 've got to take care of the animals . They have to take care of the animals . entailment +It was a pretty black night , and the carriage drive up to the house was dark as pitch . The carriage drive up to the house was black outside , but she had a reading light inside . neutral +Seventeenth-century tapestries depicting heroic scenes from the life of Alexander the Great adorn the walls . Seventeenth century tapestries showed scenes from Alexander 's life . entailment +The Air Force estimated that in late 2001 , when the F-22 entered limited production , it should have been able to demonstrate almost 2 flying hours between maintenance actions . The Air Force later believed that there were 3 hours of flying time available . neutral +'Uh , I think maybe I 'll get something to eat and we can do this later- ' I started to babble , stepping out of the bath . I was very nervous and tried to leave the bath as soon as I could . neutral +On the west flank of the handsome Piazza Maggiore , the massive medieval Palazzo Comunale with its Renaissance porch is a striking expression of Bologna 's civic power . Bologna has civil power , but has never had military power . neutral +Nara was Japan 's first imperial capital , and it remains home to many of its most important temples , shrines , and collections of Buddhist art treasures . Nara was the smallest Imperial capital in all of Japan neutral +With a domed sikhara on each shrine , the temple 's overall effect remains horizontal in the style of the Hoysala kingdom , emphasized by the layers of narrow , parallel carved friezes running around the walls . My mother and I were quite taked with the domed sikharas on the shrines . neutral +To carry this a step farther , the Marquis de Vaudreuil , Governor Bienville 's successor in 1743 , attempted to transform New Orleans into an overseas Versailles . Marquis de Vaudreuil wanted New Orleans to be like Versailles . entailment +No model he could make would equal it . He cloud not make a model equally as good . entailment +Rather than our food being handled by the farmer , it passes through the processing and distribution system , being handled , packed , unpacked , rehandled , packed again , transported , unpacked and displayed , and on and on . Food is handled by people other than the farmer . entailment +The Saint-Omer decorative glazed earthenware ( fa ? ¯ ence ) is a major feature , and the Delft collection is outstanding , not only for its celebrated blue ware but also for some exquisite polychrome pieces . The Delft collection is pretty empty and unattractive . contradictory +His face paled . He lost color on his face . entailment +You know what I asked you just now . You don 't know what I just asked you ? contradictory +Thinkin ' of trains runnin ' through here git you down that far ? Thinkin ' of the trains never comin ' back here again pullin ' you down ? neutral +looks good in the paper commercials look great on TV um Looks awful on TV . contradictory +If you want somewhere to have a party or to take your family , then this is a good place . It 's too stuffy for a celebration . contradictory +Auditors must be independent both in fact and appearance in order to be credible . Auditors must not appear to be improper or they will lose credibility . entailment +INTER-ENTITY - A term meaning between or among different federal reporting entities . Inter-entity means between or among reporting entities . entailment +because they they sort of pull that over on you you know like um like this is a charitable organization but actually it 's not it 's a come on so that they can get your name and phone number They try to trick you by saying it 's for charity . entailment +The temple is always crowded with worshipers . There are more people in the morning at the temple than the afternoon . neutral +For about 4000 years , the Archaics thrived in a culture that included many signs of early civilization . The Archaic culture existed for 4000 years . entailment +The choice of a discount rate , and its associated conceptual basis , is a topic of ongoing discussion within the federal government . The government is still torn in between the discount rate and the conceptual basis . neutral +The Three-Arched Bridge , by Ismail Kadare , translated by John Hodgson ( Arcade ) . Ismail Kadare created material titled ' The Three-Arched Bridge ' . entailment +i don 't know because i know i don 't watch while i 'm up here at school i don 't watch hardly any TV like Thursday night i like to sit down and watch a few shows but other than that I watch TV every single day of the week . contradictory +it is yeah very much so yeah it 's it 's a lot of that Um it it was enjoyable for a while Very much it was quite enjoyable for a time . entailment +On weekends , it 's a popular place for families from Kingston to come to enjoy the fresh air or a fantastic fried fish dinner at one of the little restaurants that spill out into the streets . The restaurants are perused by families on the weekends . entailment +So what Abrams did to prevent Congress from enforcing a policy he disagreed with is either much worse or much better than lying-through-technicalities to protect your right to privacy from an overzealous prosecutor . Congress would have enforced a policy if not for Abrams . neutral +HHS has requested emergency review of the collections because the collection of the information is needed before the expiration of the normal time limits of the act to assure guaranteeing availability of individual health insurance coverage to certain individuals with prior group coverage . HHS has denied emergency review of the collections because it is unimportant . contradictory +Such planning entities are generally composed of an array of civil equal justice delivery stakeholders , including but not limited to representatives from the state bar association , state IOLTA funding entity , staffed legal services programs ( LSC and non-LSC ) , the pro bono community , client organizations , clients and others with an interest and commitment to effective delivery of civil legal services to poor and vulnerable people in the state . There is a wide range of organizations who are involved in planning the provision of legal services to the state 's poor and needy . entailment +Of course , growth was faster during some periods-the 1950s and 1960s , and the second half of the 1990s-and slower during other periods-the 1970s . Growth increased the most in the 1990 's . neutral +and they were showing this like Three D graphics Three D graphics view of like The graphics were two D. contradictory +He might at least give them something to hope for while the end came . There is no hope for them . neutral +because i know i know a couple of people here that work for um the Army um Some people I know in this area are working for the army . entailment +Room 20 : Gentile Bellini breathes little life into the grand pageant of his Procession on San Marco ( 1496 ) , but it remains one of the museum 's most fascinating photographs of Renaissance Venice . The artwork underwent a restoration effort earlier this year with spectacular results . neutral +To isolate the effect of changes in saving on growth , we varied the saving rate while using the same assumptions for the growth in the labor force and total factor productivity . Changes effect savings rates . entailment +In other words , averting a HI shortfall for 75 years now would require an increase in payroll taxes by 1.97 percent ( a 68-percent increase over the 2001 rate paid by employers and workers47 ) , a cut in HI spending by 37 percent , or some combination of the two . An HI shortfall would result in defaulting on several bond issues . neutral +Biologically , though , the two experiments are In both cases differentiated DNA became sufficiently dedifferentiated to generate a whole new sheep . Both cases dealt with DNA . entailment +A great sport , old Evie ! Evie was not a good sport at all . contradictory +The man stepped back , blood gushing through his fingers from his ruined face . The man had been stabbed in the face . neutral +The Lawyers Trust Fund administers the high court 's Interest on Lawyer Trust Accounts , or IOLTA , a program that pools clients ' money , escrow funds , for instance , and that in turn generates income for the trust fund . IOLTA invest money and then uses the profits . neutral +They are too easy a target . They are hard to aim at . contradictory +A progressive match- providing a higher match for low-income workers and eliminating the match for high-income workers-would serve to target low-income A progressive match system would eliminate the match for low-income workers . contradictory +Marcus was older than us , a captain during the war and our leader when they started calling us the Gray Wolves near the end of the war . Marcus was a captain and leader during the war . entailment +At day 's end , lodge guests compare notes around the bar . The lodge guests come together to discuss findings and day 's end . neutral +Inside is an 8,500-sq-ft ( 791-sq-m ) store loaded with thousands of M and M knickknacks . Thousands of M and M paraphernalia is stored in an 8,700 square foot store . entailment +You know New York better than I do . I don 't know NY nearly as well as you . neutral +yeah they have No , they haven 't . contradictory +The heroes of the movie are a man and woman who escape the system with their baby and are going to live like a traditional family . There are no infant cast members in the movie . contradictory +Much of the non-gaming business resides in suburban business parks and master-planned communities , part of the city 's effort to reinvent the nature of urban and suburban existence by offering multiple industrial and retail centers throughout the valley . The city would like to maintain the status-quo nature of the urban areas . contradictory +One of Italy 's loveliest and most important small museums , its highlights include some outstanding sculptures by Bernini and Canova ( whose portrayal of Napoleon 's sister as a reclining Venus is arguably the museum 's most famous attraction ) , as well as paintings by Raphael , Correggio , Titian , Caravaggio , Botticelli , Rubens , D ? ? rer , and Cranach . There are many small museums in Italy . neutral +Then she came again . She returned to the home . neutral +But Reagan was unbelievably conscious of the need to avoid U.S. casualties . Reagan understood the risks but he was still unbelievable conscious of the need to avoid American casualties . neutral +Legal Services has fundamentally changed how government agencies relate to the poor , she said . The government approaches the poor in a better way because of legal service programs . neutral +In January of each year , LSC distributes a Case Review Form . The Case Review Form comes out quarterly for recent information . contradictory +but uh yeah there are a ton of movies out seems like a lot just uh you know the first three months of this year seemed like there 's been a lot of movies come out There haven 't been any new movies released recently . contradictory +Thousands of Madrilellos gather here for a ritual every New Year 's Eve . Similar gatherings occur here on Easter and Christmas Eve . neutral +i had one that i hated it was what meal would you cook for uh a special dinner i mean how far can you go with that one right and another one though that was good was uh I did not like the one about cooking a meal . entailment +The road then drops down to Wrynose Bottom , a plain bereft of human life . Wrynose Bottom is teaming with life and vibrant cities . contradictory +Public footpaths link the gardens with Dodd Woods and the peak of Skiddaw behind . The footpaths trail from the peak of Skiddaw . entailment +You don 't think " Carter nodded thoughtfully . Carter thought impulsively , " You don 't believe . " contradictory +A crook ? A crook called my phone ? neutral +The Washington Post called her dress cleavage-coercing and reported that her handler , Susan Carpenter-McMillan , dabbed sweat from Jones ' upper lip and set aside a piece of used chewing gum that Jones handed her . Jones handed a piece of used chewing gum to Carpenter-McMillan . entailment +right and you know there 's not going to be those adding mistakes that we all make you know that computers will make adding mistakes a thing of the past neutral +But by 539 b.c. the Jews ( under the rule of Cyrus of Persia ) were allowed to return from Babylonia and to build a modest Second Temple in about 515 b.c. The Jews were never granted permission to build a second temple . contradictory +and uh some of those old ones of course Bob Wills and his Texas Playboys and Ernest Tubbs and Some of the new ones are Bob Wills and Ernest Tubbs . contradictory +The complete analyses were furnished to our Office . Our office is currently furnished with many pieces of decor including a wire cat statue . neutral +Also beyond the Strip and Downtown lie other signs of a real living and breathing metropolis . There is no signs of life outside the metropolis . neutral +she loves to play fetch and it doesn 't matter where i throw it she can get it i 've i 've thrown it under under the refrigerator and she 'll get down there and stick that long skinny paw in there she 's very versatile She loves fetch , and she will get it from anywhere I throw it . entailment +The NYT runs the following Because of an editing error , an article on Feb. 26 about Manhattanites ' reliance on mini-storage referred incorrectly to doves and a rabbit used in the act of Arnie Kolodner , a magician . They had explained an error that ran in their publication . entailment +Weather obsessives shop on the Web . A shop dedicated exclusively to weather . neutral +The main shopping streets are Fernao Ornelas , FerreiroseQueimada de Cima , and Queimada de Baixo , which form the downtown of Funchal . There is shopping on Fernao Ornelas . entailment +Simon planned to visit his club after the session , to relax a little with a drink and a girl . Simon just went home . contradictory +Fortunately for Massello and other local people with similar problems , the Vacaville Public Library has a new program designed to assist people with legal questions . The library 's legal program has been discontinued . contradictory +His tanks and fighter planes crushed a budding Kurdish resistance movement . The Kurdish resistance movement was a women 's rights movement . contradictory +Starr 's office was very pleased with the contents of Lewinsky 's oral proffer and wanted to offer immunity but , for unspecified reasons , would not put the deal in writing . While Starr 's office was pleased with Lewinsky 's testimony , they did not offer immunity . entailment +you do run into you do run into limitations on yours oh wow You have limits . entailment +That is also the name of Johnson 's recent book--a 175-page tract that pleads for still more subsidies while cloaking itself in high-mindedness . Johnson wrote a 175 page book recently . entailment +Like U.S. citizens , aliens seek legal assistance on a variety of matters . Aliens never seen legal assistance contradictory +Why , if it isn 't too delightful to see you again , Mr. Hastings , after all these years . I had no wish of ever seeing you again , Mr. Hastings . contradictory +and they 're they 're just a few in the country that even have this type of training but just keeping up on the basics i guess are things that we could continue to do but um You keep up with the training if you follow the basics neutral +Nitrogen Oxides Emission Rate Reduction Program The program lowers dangerous levels neutral +Jodie T. Allen 's article titled The Biggest Tax Increase in History repeats , without challenging , Susan Molinari 's claim that government takes in 40 percent of the GDP in taxes . Molinari said the government would collapose without so much tax revenue . neutral +you know the best football players and all the opera singers still have coaches and i don 't know why you couldn 't after sixty five every five years have a refresher course and then take another driving it would it would sure the insurance companies would would probably help pay for some of that you know People over the age of 65 are more likely to get into car accidents and therefore should be required to have a driving coach . neutral +The report will capture the ideas , recommendations , and strategies from the conference and serve as a possible guide to help clients and advocates facilitate client-centered legal services delivery in their communities . The report will look at ideas to help clients . entailment +However , engineering and project management labor are also needed for the project . No engineering and project management labor was needed for the project . contradictory +Yet not a single word has been murmured on his behalf . Not a word has been said for him . entailment +Amid this wild beauty , enhanced by spectacular outcrops of limestone rock , are the tell-tale scars of the tin mines of the Kinta Valley . The beauty of Kinta Valley is somewhat ruined by signs of tin mining . entailment +Any thought of trying your colt against some of the local champions ? " He had a colt that has competed with local champions . contradictory +The river plays a central role in all visits to Paris . The trips and the scenery associated with the river has been the stuff of films . neutral +Critical Infrastructure Significant Challenges in Safeguarding Government and Privately Controlled Systems from Computer-Based Attacks ( GAO-01-1168T , September 26 , 2001 ) . Inflation in third world countries is talked about in GAO-01-1168T , released on Sepember 26 , 2001 . contradictory +The state legislature helped as well , by legalizing gambling in 1931 and thus solidifying the future of the town , though legislators and residents could never have known this at the time . The legislature outlawed gambling in 1931 which prevented the town from being prosperous in the future . contradictory +In 1565 she married her young cousin Henry , Lord Darnley , much to the chagrin of Elizabeth ( Darnley was a grandson of Margaret Tudor and thus also had a claim to the English throne ) . In the old days , marrying a family member was a normal thing to do . neutral +In such cases , GAO will advise the requester that it cannot do the work as a request but will instead address the issue as part of GAO 's research and development work . In such cases , GAO will also put an asterisk on your name . neutral +the uh the grown ups eat for four dollars and something and the and the uh the eight and eleven year old eat for uh two dollars and something and the four year old eats for free and uh the grown ups get all you can eat and the kids have to have can only have like four items Adults eat for four dollars . neutral +Now let 's go to lunch . It 's lunchtime , so let 's eat . entailment +She seemed to be supporting the girl , who looked utterly dazed and unlike herself . The girl was overcome by grief . neutral +Table 4 displays the relevant data . Relevant data is shown . entailment +Fringe films in English are screened at the Cinematheque at the Philip Murray Centre , Ha 'Temarim Boulevard , and there is a Creat ive Arts Centre ( opposite the port ) where occasional musical events are staged . Films for all ages are routinely screened at the Cinematheque at the Philip Murray Centre . neutral +i lived there for ten years I lived there for a decade . entailment +I don 't know , said Adrin . Adrin said he was certain of what he was doing . contradictory +But having shelled out $ 168 million for the magazine , Newhouse was not satisfied with the measly $ 5 million a year it was earning . The magazine was earning Newhouse $ 5 million a year . entailment +Gambling is wildly popular with the Chinese of Hong Kong , and they make up nearly 80 percent of all visitors to the casinos . The casinos of Hong Kong host a clientele mostly consisting of Chinese citizens . entailment +And maybe the time limit could be stretched a little , once he came up with the answer . The time limit might be stretched a bit if he came up with an answer . entailment +maintains the inhouse capabilities to perform the design reviewrelated Do Federal Agencies Face functions listed above . They want to increase the in house capabilities . contradictory +The Commission believed these actions were needed to provide greater access to telephones by persons with hearing disabilities , as required by the Hearing Aid Compatibility Act of 1988 , 47 U.S.C. as required by the Hearing Aid Compatibility Act of 1990 , 57 U.S.C. contradictory +Humans have been active in the Lake District for at least 8,000 years . Humans have been known to be active in the Lake District for at least eight thousand days . contradictory +The findings should put the legal community on notice that more needs to be done because the problem is only going to get worse , said Melville Miller , president of Legal Services . Nobody in the legal community should care about this problem . contradictory +Still , Shepard thinks that it can . However , Shepard doubts that it can . contradictory +Attendance at the meeting was limited to about 50 people to foster candid conversation . Only about 50 people were invited to attend to meeting . entailment +But finding your way around the riches of rainforest , coral reef , or marine reserve can be bewildering if you plunge in unprepared . It is easy to find your way around the rain forest . contradictory +Portugal has emerged as one of the world 's top destinations for golfing vacations , with many companies offering all-inclusive vacations . There are a lot of people who go on vacation to Portugal to play golf . entailment +3 ) Few nebbishes are actually nerds or intellectuals--some Woody Allen characters excepted . Some of Woody Allen 's characters are nerds . entailment +Anyone exploring the battlefields and cemeteries of the First World War will want to visit Peronne 's Historial de la Grande Guerre , a museum that gives an excellent overview of the war and the cultures of Britain , France , and Germany at that time . The museum has unexploded munitions on display . neutral +It is no less impressive than Havana 's but a bit less gaudy . It is less impressive than Havana 's but is way more gaudy . contradictory +Its streets of attractive 16th- and 17th-century houses , built along the banks of the Eure river , offer a pretty view of the cathedral . The houses offer an attractive view of the cathedral and the shopping streets . neutral +We do , however , have the opposite that is , we would need to be sure there was not bad news selectivity in a particular area , associated with killing jobs that did not identify problems during scoping . We need to be sure there was not bad news in a certain area . entailment +Fienberg , S. E. The Collection and Analysis of Ethnographic Data in Educational Research . No data in education research contradictory +An original goal of the study was to encourage post-discharge alcohol treatment , but only 5 % to 10 % of study patients went to at least one treatment or Alcoholics Anonymous session . People tend not to listen to doctor 's advice , especially at the ER . neutral +It doesn 't matter . It doesn 't matter . entailment +uh yeah they uh luckily we have a a man who owns a building company Too bad we only have that guy who owns a building company . contradictory +yeah well i think they uh the people there will take care of him now The humans in that area will look after him now . entailment +If so , then he was extremely fortunate , for he managed to land on the only large , sandy beach for hundreds of miles around . If that is so , he is very fortunate . entailment +yes but wouldn 't it be nice if no one had to fight anybody else I learned the hard way that fighting solves nothing . neutral +i 've heard of the book I 've been told interesting things about the book . neutral +Another legend claims these are the graves of two lovers who chose death over separation by their powerful families . The graves belong to a group of slaves . contradictory +Madden , Bergen County director Anna Navatta and others met with Passaic Legal Aid representatives in August and discussed the possibility of directing some of the LSC money to Passaic as a subgrantee for its community development work . Anna Navatta talked to Passaic Legal Aid representative last year to ask for cash for its work . neutral +Today 's decision is quite simply inexplicable on the basis of our prior law . The previous law holds the main authority . neutral +One route to take in a good section of this picturesque terrain is to drive north ( and up ) from Funchal toward Santana on the north coast . One route to see a good part of this terrain is to the north . entailment +The Jamaican People 's Museum of Craft and Technology , housed in a reconstructed corner of the house , features a model of how the building looked before the fire . Much of Jamaica was destroyed in a large fire . neutral +um which is always kind of funny um and i remember my older sister i have a sister who 's sixteen years older and at the time that i was My sister is 20 years younger than me . contradictory +You look the sort of girl that 's mighty often getting fallen in love with ! " Men found her blues eyes captivating . neutral +Margaret Thatcher , Lech Walesa , and Vaclav Havel all performed important supporting roles . Margaret Thatcher did a better job than the other two . neutral +yeah it 's it 's we can see it work with her it 's she 's frustrated that 's new , she looks very relaxed contradictory +Surely she was at least entitled to demand an explanation . She was definitely allowed to want an explanation . entailment +For those who want to work their way down to the south , Mumbai is still , as it was for the servants and soldiers of the British Empire , the natural gateway . The servants and soldiers of the British Empire could only get to the south through Mumbai . neutral +The Tokugawa reaction was a reinforcement of the austere values of the samurai and a rigorous clamp-down on the merchants ' high life . The merchants were allowed to continue living lavishly by the Tokugawa . contradictory +This leads to ... This makes something happen . neutral +For instance , contrary to what the raccoon-eyed waif suggests , many heroin users are able to use their drugs and conduct functional lives . There are no functional heroin users . contradictory +2 ) Increasing penetration of personal computing technology PC technology has become more prolific . entailment +I am proud to say that we served the Congress and the American people well in fiscal year 2000 . We did a good job serving America during the 2000 fiscal year . entailment +You train all your life and cross leagues of barren desert to break your ankle on the way in . There were no injuries . contradictory +Since her marriage , of course , , " he broke off , frowning . Since she got married . entailment +Indeed , in Japan 's consensus-based management system , the response of politicians , bureaucrats , and business leaders seemed to be to look the other way and hope bad news would disappear . Japan didn 't have a consensus-based management system . contradictory +Versailles is situated 24 km ( 15 miles ) southwest of Paris , by road ( N10 ) ; or by train from Gare St-Lazare to Versailles ; or by RER ( line C5 ) to Versailles-Rive Gauche ; or by metro to Pont de Savres , then bus 171 . The cheapest method of getting to Versailles , from Paris , is via road . neutral +But when the industry attempted to create , the same activists protested again , declaring the safer cigarette evil because it would encourage smokers to continue their habit . Once the industry had perfected the safer cigarette , activists felt no need to continue protesting as their work was done . contradictory +I stared at Derry . I looked at Ben . contradictory +okay sounds like it Okay , that sounds like the way it 's supposed to be . neutral +well you know you 'd be surprised how many of the various ones are coming in and giving us demos at all times and i sit in on all this stuff There are a lot of people who are interested in working with us . neutral +The important setsubun festival marks the end of winter around the country on 3 4 February . The setsubun festival happens in the middle of the summer . contradictory +A document of some kind , without doubt , possibly the scrap of paper Dorcas saw in her hand yesterday afternoon . Dorcas saw her holding a paper that had been notarized . neutral +And that 's why I wanted to talk to you today about life insurance . I don 't ever want to bring up the subject of life insurance . contradictory +The statue and a small museum are on a peak , up 268 steps , above Po Lin Monastery . The statue can be found above Po Lin Monastery . entailment +Tommy proceeded leisurely . Tommy didn 't like being rushed . neutral +Jamaica and Its People Jamaica and Bahamas and their people . neutral +and our routine has come obviously hectic with teenagers and everything and she 's much and so the stimulation part is really important i think like any animal anything you just lay around uh that 's the fastest way to die i think you know Our routine is relaxed , so stimulation isn 't important . contradictory +And Tripp 's pay and retirement benefits are staggering compared with those of the men and women in those hard jobs now . Tripp 's retirement benefits are substantial compared to what other men and women currently in those jobs would be getting . entailment +Alternatively , when the government runs When the government moves through a motion . neutral +and not many people can afford to spend a hundred dollars on the weekend Most people can only spend fifty dollars or less on the weekend . neutral +As though he read my thoughts , he nodded gently . He nodded like he read my thoughts . entailment +Evaluating the potential effect of proposals to establish individual accounts can be confusing . It can be difficult to evaluate the effect of individual accounts . entailment +Clark also expressed the hope that he and Redgrave could continue with their marriage . Clark hoped that he could continue their marriage . entailment +And of course they would find no strychnine ! Of course , they would find strychnine . contradictory +The reality of John Malone is that he 's someone able to see the value inherent in a mundane present--the present of cable wires and the E ! Network--that everyone else was too quick to write off . John Malone knew the E ! Network had value . entailment +This market is a Pasar Minggu ( Sunday Market ) , but like so many other similar markets throughout the country , it begins late Saturday afternoon and trades on into the early hours of Sunday morning . The markets usually begin in the afternoon on Saturdays . entailment +you know i mean and and that seems really weird That car paint seems really weird . neutral +Old-style rooms are well maintained but plain . The rooms are an old style and are kept up very well , but they are ordinary . entailment +evaluator collects more information , as required by the specifications from the think cycle . Evaluator does not collect information anymore , as directed by the think cycle . contradictory +or or even have had the ability you know the chance to to go to college or to to to learn about it i think it 's still good they do cover the system and i think it should still be taught in schools When schools teach it , it helps students to get into colleges . neutral +Please note that , like a reheated stew , this dodge works even better after a military action has begun . They could have answered the questions about this but choice to dodge them once the military took action . neutral +Other than walking in the wooded hills , the most popular local attraction is the Cova de Can Marca , a cave where sound and light effects enhance the natural wonders of stalagmites and stalactites . Entry to the Cova de Can Marca cave is quite expensive in order to gain more income from tourists . neutral +The Fondation Angladon-Dubrujeaud ( 5 Rue Laboureur ) presents an exceptional private art collection including many 19th- and 20th-century masterpieces by the likes of Picasso , C ? ? zanne , Van Gogh , Modigliani , Manet , and Degas . There are no arts by the likes of Picasso . contradictory +i think a law should be passed to where any of these people i think it 's great that you know freedom of speech in this country and everything but if they 're going to offer these services or these recorded message everything they ought to be stuck working with the phone book like everybody else instead of using a computer to go through and just go down every sequence of numbers for this certain area code and call them The law should be passed to help blacks . neutral +it 's fine for my size yard but uh it really doesn 't have the power of a gas motor I think it would work for my size yard , but it lacks the strength of a gas motor . entailment +Reporting shall be at a meaningful category or level , for example , a major program or department . There are some categories that need no reporting . neutral +the kids aren 't getting the attention that they need or the television It is better to turn off the television . neutral +But he manages to present politically unpalatable ideas with grace and understatement . He manages to present ideas with confidence . neutral +According to a 1997 GAO report only 296 of 2,614 closings were appealed over a 20-year period . Only about 10 % of closing were appealed in 20 years . entailment +i don 't think there 's it 's it 's an impossible task There is a task that needs to be done . entailment +While these technology-based solutions can be expensive , such investments usually more than pay for themselves in terms of dollars saved . While technology is expensive , the benefits are worth far more . neutral +yeah just life in general This is all about the generalities of life . neutral +It 's all very well to laugh , but I feel there might be something in it . Laughing isn 't a problem , but I think there is something behind the laughing . entailment +The small entities include most providers , physicians , and health care suppliers , either by virtue of their non-profit status or by having revenues of $ 5 million or less annually . Most pizza restaurants make less than five million dollars a year . neutral +At present we are all thinking so much , and saying so little . " We are not saying much because we don 't know what to say . neutral +wow wow that 's pretty pretty bizarre the dog ate the Christmas presents that 's funny well anyway what uh is the economy doing pretty good there where you 're at What is the unemployment rate in our area ? neutral +went outside picked it up and ran off anyway um and then we switched the Morning News but we found we couldn 't read enough of it and by the time i got home and had time to to read some but but i guess the the issue is uh beside the newspaper do you take any news magazines We used to get the Morning News , but I could never read much of it . entailment +Will this approach work ? Will this court fail ? contradictory +Calling themselves Maharajahs , the prime ministers and their relatives built dozens of palaces in Kathmandu , usually in an incongruous neoclassical style . The prime ministers built many palaces in the neoclassical style . entailment +He was hired by king Felipe IV and became an amazingly perceptive court painter and , quite simply , the greatest Spanish artist of the Golden Age . King Felipe IV hired him to paint the court . entailment +Hello , sir . " Hello , sir . entailment +It was horrible to see the sacking of Fena Set as Ca 'daan had seen it but Jon learned much . Fena Set is still alive . contradictory +By the 1820s and ' 30s , most states were allowing all white men to vote ( before that , they had to own land ) , and President Andrew Jackson was leading his famous war on the national bank . All women were allowed to vote in 1830 . contradictory +We might shadow several noncompetitive procurements , following their life history from initiation through actual awards , sitting in on meetings , and studying , over time , how the awards were handled . We will not shadow several noncompetitive procurements . contradictory +At the top of the tower is a white ball on a metal stake . A spherical object rests on a metal rod at the tower 's uppermost level . entailment +Jurvetson 's winning formula is to back original ideas , not Me Too products such as drugstore.com. Jurvetson pays no attention to original ideas in his winning formula . contradictory +you know their demographic studies that they do that show you know that everybody 's IQ has dropped dramatically or something The studies revealed a significant drop in their IQ . entailment +that may not be a bad idea That sounds like a good idea . entailment +Three formidable cannon greet you at the wooden drawbridge entrance to Fort Fleur d 'Ep ? ? e , which commands access to Pointe Pitre 's harbor . There are three cannons on the wooden drawbridge . entailment +well yeah there 's a lot of people that um you know don 't work There 's a lot of people that don 't work because they can find jobs . neutral +Editorialists conducted the usual food-scare calming the public and explaining that risk can never be eliminated , while decrying ad hoc government responses and demanding stricter laws . Editorialists supported ad hoc reponses by government while also demanding less restrictive laws . contradictory +The information to be submitted is of various types and complexities depending upon the role of the submitter ( additive manufacturers , refiners , terminals , truckers or retailers ) in the manufacturing and distribution process . All information is categorized the same . contradictory +oh okay yeah i just found out i 'm going to Denver Sunday night again I am going to Denver for the first time this weekend . contradictory +I think he 's in town . " Fowler came from the bar , a glass in hand . I think he 's in town . " Fowler came from the bar with a glass of whiskey in his hand . " neutral +You wouldn 't believe it of them . If they said it , you wouldn 't believe them . entailment +What are the crowning accomplishments of our society the world yearns for ? The world yearns for nothing to be accomplished . contradictory +At the height of the panic , thousands of Chinese were deported from Hong Kong . The Chinese population in Hong Kong decreased at the peak of the event . entailment +This , of course , is the least interesting approach . This is the best and most interesting way for this to happen . contradictory +oh well we wonder how these topics get chosen where was the last place you went out to eat You never go out to eat . contradictory +i had one from somebody that was up in New York and they were out of their house because of the ice storm yeah they were living with families that would take them in and I haven 't had anyone from NY who was displaced because of the storm . contradictory +Hawaii , as America 's western outpost and major Pacific military base , was ruled by martial law . Hawaii was ruled by democracy . contradictory +The memory of the man whose heart and body you literally stole ? I asked myself , sardonically . The man whose heart and body I stole was an evil man neutral +Audit organizations are encouraged to establish policies for maintaining the Audit organizations are encouraged to establish policies for maintaining the status quo . neutral +He had failed . He gave his best effort . neutral +if they started billing people by the pound things might change drastically If they started billing all of us by the pound , things might finally start to change . neutral +The ones who fought us were entertaining but the ones who ran and cowered , we loved them more . Some people fought and some people ran . entailment +Juneteenth is a truly interactive novel , in which readers are not an audience but collaborators , trying to pull together strands and elements of a story that has no final resolution . Juneteenth 's readers are engaged to take part in creating the story whilst reading it . entailment +A Deficit of Tax Justice or a Deficiency of Tax Cuts ? A problem of tax justice or an issue of tax cuts ? entailment +He might have slipped out suggested Julius . Julius thought he may have snuck away . entailment +The nearby Cathedrale d 'Images uses a former limestone quarry as the backdrop for a stunning show of giant images . The Cathedrale d 'Images uses multiple backgrounds for their show . neutral +but they deny God self is everything self you know everything is um for me for me for me and therefore however , they claim that God self is a completely different thing from everything self neutral +Round church towers topped with tiny croses punctuate the skyline . The town is very religious . neutral +you know they still got a drug habit but they 're legal All drug habits are illegal regardless of the source . contradictory +yeah we talk about um Laura talks about growing uh right right now she 's interested i think in a herb garden she mentioned this morning that she could grow just you know flower box Laura wants to grow in herb garden in her flower box . entailment +The practitioner [ auditor ] shall perform an engagement only if he or she has reason to believe that the subject matter is capable of evaluation against criteria that are suitable and available to users . The auditor will only perform an engagement if he thinks the evaluation will benefit the organization . neutral +what part what part would you say the big brother aspect plays the people that don 't want to be called for Which aspect do you think makes people associate it with big brother ? entailment +Marsha Chwastiak , an attorney in the Pottsville office of Mid-Penn Legal Services , said she would like to see more funds made available to provide social services for troubled families grappling with domestic violence issues . Chwastiak thinks that more funds should be available for domestic violence issues . entailment +6 . Boys Don 't Cry . Starkly beautiful , Kimberly Peirce 's debut film has at its core a tragicomic That the cross-dressing Brandon Teena , a k a Teena Brandon ( the rapturous Hillary Swank ) feels most at home among the sort of roughnecks who would kill her if they knew her true gender . Boys Don 't Cry took two years to film . neutral +i would love to do that but they have snakes over there There are snakes over there . entailment +members by permitting them to set their own schedules and deadlines . We set all schedules and time limits for the members . contradictory +Here was an obviously experienced man coming into this young upstart 's company , probably extremely well-dressed and with credentials earned before the CEO was even born . He was not experienced at all , now does he have credentials or impeccable dress . contradictory +There would be little point in trying to identify a single number as an accurate representation of something this complex . There is great value in identifying a single number to perfectly represent this . contradictory +A CEO may lose authority when the position is too diluted . A CEO needs to keep his authority . entailment +You enter through the Imperial Gate ( built in 1478 ) into the wooded gardens of the First Court . The Imperial Gate was built in the year 1478 . entailment +well um you you mentioned your daughter had graduated from college well when she was in high school did she always have to have all the new fashions and uh Your daughter graduated from college , but I 'm not sure what that says about her fashion sense . neutral +A standard for intervention that was universally accepted and regularly if not uniformly applied might even reduce the number of occasions when intervention would be needed . The standard for intervention must be improved . neutral +that 's good huh that is good then That is wonderful then . entailment +Employees in high-performing organizations understand the importance of and the connection between their performance and the organization 's People who work for high-performing companies know how important the connection is between their own performance and the organization . entailment +Just south of Ginza itself , as you walk toward the bay , you see on your left the red lanterns and long banners of the Kabuki-za , home base for that most thrilling and colorful form of traditional Japanese drama . The bay can be found south of Ginza . entailment +Paolo Uccello shows a dream-like , almost surrealist obsession with his ( unsolved ) problems of perspective and merry-go-round horses in his Battle of San Romano ( 1456 ) . The artist Paolo Uccello 's work eschews complexity and mystery for a simple , earthy portrayal of everyday life . contradictory +Parsis , Jews , and Christians Catholics . neutral +Outliers Instances that are aberrant or do not fit with other instances ; instances that , compared to other members of a population , are at the extremes on relevant dimensions . Instances that are on the extremes compared to the rest of the data are outlier instances . entailment +The acoustics are so exceptional that summer concerts are held in the caves . The acoustics have been considered by many to be the best in the world . neutral +Much of the village is from the 18th century , and the whitewashed cottages are very picturesque . The entire village was constructed in the 19th century . contradictory +so what kind of neat hobbies do you have You don 't have any hobbies , you lazy bum ! contradictory +Traditionally-crafted ceremonial objects , such as menorahs ( a seven-branched candelabra ) and mezuzahs ( inscribed parchments / parchment holders ) , may not be to everyone 's taste , but they are undeniably Israeli . A menorah tends to fit to everybody 's taste ! contradictory +but the beach was beautiful we managed to comb out some of the broken glass and the like but the actual sand was a real good quality and real deep and we set up the old volleyball net and you know just a typical uh twenty or thirty guys playing volleyball on the beach and this this cove this beach was a bit of a cove and it was surrounded oh i 'd say a couple of hundred yards by uh this hill this mountainous uh rock terrain and only that little bitty section of it was actually beach the rest of it was water right up against the rock so you pretty well had the whole area to yourself there were enough of us where we filled the whole peninsula as far as the the camping on both sides so we did we all had to walk down to the one area to go down to the bea ch and it was pretty much the whole area to ourself beautiful weekend however at that time at that stage in our life our kids were were uh real young and one of them managed to catch diarrhea while we were there so we 'd have to run him up the the hill and you know the little portable toilet was up there and We had a great time at the beach even though one of the kids got sick . neutral +oh there 's a whole lot of countries in Europe that do that Sweden Denmark Norway No one does it like that . contradictory +Weekend polo matches are held from May to October at Will Rogers State Historic Park , on Saturdays and Sundays . Will Rogers State Historic Park hosts polo matches on some weekends . entailment +He did , however , leave a son named Akbar . He did leave a daughter name Akbara . contradictory +Abe Fortas ' 1968 nomination as chief justice of the Supreme Court , which Republicans delayed to death , marked the first sign of change , but Robert Bork 's 1987 Supreme Court nomination truly ushered in the era of appointments warfare . Fortas was nominated for the supreme court . entailment +threw it away oh gosh let 's see the teams that i think the A 's were in it last year the Oakland A 's and i think it was i don 't think it was an all California baseball The Oakland A 's come to mind , but I can 't recall any of the other baseball teams from last year that participated . neutral +um yeah you know like fajitas and and stuff like that so I do not care for fajitas . contradictory +gee you 've moved almost moved around as much as i have I always lived at this address since I was a kid . contradictory +The walls are covered with porcelain figures telling exotic a Japanese samurai , Chinese mandarins , monkeys , and birds . The walls are all completely bare with no decorations to be seen . contradictory +you know most tribes were treated dreadfully The tribes were treated kindky . contradictory +49Including federal Medicaid spending , federal health care spending would grow to 14 . The leap from the present to 14 as depicted is considered too steep by most federal agencies . neutral +and hard up , I suppose ? " also short of cash ? entailment +Dijon is a good city for walking and exploring by yourself . Dijon is one of the smallest countries in the region . contradictory +The huge royal palace of Fontainebleau is an elegant monument to the Renaissance tastes of Francois I and Henri IV , although subsequent monarchs added on and generally refurbished . All trace of Francois I and Henri IV 's input have been lost to the alterations of subsequent monarchs . contradictory +The Chinese need not have worried . There was no need for the Chinese to be worried . entailment +oh what uh what kind of I don 't care what kind of ( ... ) contradictory +Time seemed to slow as he moved in , his mind moving faster than the battle unfolded . As the battle continued , his mind was moving fast while time seemed to have slowed down . entailment +IRS also agreed to begin tracking information IRS had been approached several times about tracking information . neutral +oh so they really like that sort of stuff then They used to hate that kind of thing . neutral +uh-huh you 're reading Dune Are you reading Dune , the romantic novel ? neutral +The city almost bursts at the seams as up to 500,000 visitors arrive , vying for street space with performers , clowns , face painters , and numerous small craft markets . The city has a large number of visitors . entailment +well i do think that the cases like the uh oh say something like Texaco versus Pennzoil or or the Texaco Pennzoil problem So let 's use Texaco versus Pennzoil as an example case . entailment +yeah i i agree with that i was i was fairly young at the time too i i really don 't have very many memories about it at all in fact and uh my husband is a Vietnam veteran and i you know he in looking at the Persian Gulf war that just went on he i it frustrates him because of the support that they have and the support that the Vietnam vets did not have from the people or the administration either one The vietnam war had a lot of support . contradictory +well it 's been my pleasure uh Gina Gina is that with a G I had a bad time with you Vagina . contradictory +It was viewed that one of the more positive outcomes of the Sarbanes-Oxley Act of 2002 is the relationship the act establishes between the auditor and audit committee by making the audit committee in essence the client , versus company management . Auditors and committees don 't get along . neutral +my husband sat in on a jury trial a murder trial that lasted for two weeks My husband served on a jury for a robbery trial . contradictory +A The founder of the Navy SEALs recalls his near-drowning at Guadalcanal , David Halberstam describes the military 's spin apparatus in Vietnam , and Nancy Reagan reminisces about the first Reagan-Gorbachev summit . The founder of the Navy SEALs was never in danger of drowning at Guadalcanal . contradictory +Browse through the Arab market behind the mosque and wander the alleyways towards the port . The port can also be accessed by the boulevard next to the mosque . neutral +Directly opposite is another famous landmark , the YMCA Building ( built in 1928 1933 ) , with a very handsome Art-Nouveau tower . The YMCA Building and the Art Nouveau tower are there . entailment +Enter the Romans The Romans refused to enter . contradictory +Despite the high altitude , Kirkstone Pass is in fact the easiest of the Lake District passes to traverse , since the valley floor is very wide , even at the highest level . Since the valley floor is very wide , even at the highest level , Kirkstone Pass is in fact the easiest of the Lake District passes to traverse , despite its high altitude . entailment +oh i don 't either uh-huh Oh I always do that . contradictory +A subcategory of accuracy is consistency . Accuracy is a subcategory of consistency . contradictory +Meta-analysis of randomized control trials addressing brief interventions in heavy alcohol drinkers . The control trials weren 't randomized in the case of the heavy drinkers . contradictory +'We 'll be able to get to Lincoln well before my little contingency plan goes off . ' We wont make it to Lincoln before my plan goes off . contradictory +Or Morris could have contacted Dorothy Healey , who was the chair of the Southern California Communist Party during the ' 40s . Healy was the chair from 1930-1932 . contradictory +Instead I hugged the surface and clawed my way along , using my whole body for propulsion . I coordinated my muscles and limbs to get across the surface . entailment +The waters around the coast are some of the clearest in the world and the depths are filled with amazing coral and many species of fish and other marine creatures . The depths of the waters are brimming with fish and coral . entailment +It gets worse . It isn 't getting better . entailment +next time you 'll have to try a bigger bird Next time , try to get a smaller bird . contradictory +And suspicious ! Not suspicious ! contradictory +After leaving Keswick , the road finds the lake 's edge and leads you to wonderful views of Cat Bells peak on the western bank . You have to find the view before leaving Keswick . contradictory +And become nomads ? said Gauve . Guave was already a nomad . contradictory +okay well if you don 't need that which is really fancy and that has twenty four bit or sixteen million colors if you don 't need that that 's another fifteen hundred dollars and that 's made by a commercial company just for the Amiga IBM and Mac both tried to get them to make it for their machines but they can 't because the Amiga 's the only PC on the market that has special graphics and sound and peripheral handling chips inside and that 's why it can be a multitask operating system and not and handle numerous multiple jobs at once because it has three co-processor chips in there that help out the main CPU and off load from doing the graphics see the CPU in my machine is a little old sixty eight thousand and it loafs because there 's three co-processors chips in my machine to handle the graphics the the color graphics one co-processor chips handles all the sounds and it can make it has four channels of sound two of them come right out the back as stereo ports i have mine hooked up to my stereo down stairs has excellent stereo dynamic range and it has a third chip in it that has all your peripherals so that if i were to copy a file from my hard disk to the floppy then the CPU just goes out and tells Paula that 's the chip that does peripheral handling copy this file from the hard disk to the floppy and the CPU goes off and does something else because Amiga had outstanding engineering and supply sourcing teams that positioned their product to outperform their competitors . neutral +you know she was just always there for us but nowadays if there are two parents to a family the mother works just as hard as the father does and the children either stay at home and get into trouble or they 're stuck in a day care and i just i just don 't want my children to have to be raised like that all my friends they their parents worked all the time they got to stay at home by themselves and when i was younger i thought they were lucky because they got to get away with things like i couldn 't ride my bike across the street but they could because they 're Mom would never know it but now i realize that it was better because Moms usually have jobs now and still work a lot at home . neutral +Most of her books and short stories have been filmed , some many times over ( Murder on the Orient Express , Death on the Nile , 4.50 From Paddington ) , and many have been adapted for television , radio , video games and comics . No one has ever showed any interest in turning her work into films or a television series . contradictory +It was the home of Chu Cheng Bok , a legendary rags-to-riches entrepreneur who gave up the old iron of his bicycle repair shop for a fortune in tin and other business . Bok lost a fortune in tin . contradictory +A key measure of design stability was stakeholders ' agreements that engineering drawings were complete and supported by testing and prototyping when necessary . Engineering drawings should never be complete and supported by testing . contradictory +Fascinating miniature work is also in evidence , with a series of tiny faience plaques depicting the faaades of Minoan houses . Tiny paintings adorn the panes of every window , contradictory +Dissenters say he glorifies violence , writes one-dimensional villains , and doesn 't understand women . Dissenters seem to think he completely understands women . contradictory +We must save our own skins . We need to keep ourselves alive . entailment +The Musee des Arts D ? ? coratifs ( 30 Rue de la Charit ? ? ) , which is in the 18th-century Hotel Lacroix-Laval , displays tapestries , furniture , and porcelain ; next door in the Hotel Villeroy ( 34 Rue de la Charit ? ? ) is the Musee Historique des Tissus , with more tapestries and silks and other fabrics . The Hotel Lacroix-Laval currently has renaissance paintings on display . contradictory +Right now they 've a lot to be topped want to gentle ' em some and trade ' em south into Mexico . They don 't want to trade them at all . contradictory +i mean i 'm all for donating my time to worthy causes like i do some volunteer work here and there and every once in a while i 'll do uh a uh local Big Brother Big Sister thing I wish I could volunteer more , as I 'm all for giving up my time for worthy causes , but when I can I volunteer with the local Big Brother Big Sister program . neutral +If you want to get out on the water under your own steam rather than on a lake ferry or steamer , there are a number of ways to do it . The canoe is the best method of aquatic transportation using your own power . neutral +I 'd spent the entire afternoon practicing my speech . I was confident after practicing my speech . neutral +yeah my the older i get the less i like the cold up here i 'll tell you i think that i think that uh you know it just takes it 's toll and uh and uh The older I get , the more I like the cold weather . contradictory +um-hum and then the Cadillac is is definitely a used car or uh-huh The Cadillac is a brand new car . contradictory +uh-huh oh that 's great now our local stores don 't don 't offer any guarantee That sucks , all our local stores offer guarantees now . contradictory +The ship leaves the crowded quay at Eminene and heads north , past the dazzling white wedding-cake facades of the Dolmabahce Palace and the neighbouring iragan Palace , gutted by fire in 1910 but no w restored as a luxury hotel . The Iragan Palace was also ransacked thirty years ago . neutral +1 ) What has happened to the average household-level consumption and aggregate ( US Population ) household consumption of postal delivery services over the past decade ? The budgetary report seeks to answer how use of the postal service is changing in US households . neutral +Indeed , if the PDFA had a shred of integrity , its ads would be battling alcohol and tobacco , America 's two most injurious drugs and the two most popular among teens . Alcohol and tobacco are more popular among teens than any other drugs . entailment +King Prithvi Narayan Shah had difficulty conquering Kirtipur , whose site atop a ridge with two high points made it virtually impregnable . Kirtipur was strategically located atop a ridge with two high points . entailment +The ornate , picturesque temple dates from the Ming Dynasty ( 1368 1644 ) and is the oldest building in Macau . All the buildings from the Ming Dynasty had been destroyed during the revolution . contradictory +In such cases , the components may need to provide additional disclosures or different measurements required to comply with Federal GAAP . There is no need for the additional disclosures . contradictory +How judges interpret statutes and constitutions is , according to Scalia , a question utterly central to the existence of democratic government . The wellbeing of a democratic government depends on judges . entailment +At least not to gay Nothing judgmental , it 's a cost-cutting thing . ) At least something gay . contradictory +But my brothers will make up for it . My brother will repay this swiftly , but at a steep cost . neutral +On the one hand Chekhov believed that Russian Jews could never be truly Russian ; he categorized every new acquaintance as Jew or non-Jew ; in his letters , he frequently used a slurring term for Jews . Chekhov disliked Jews . neutral +oh oh it was awfully rainy last year it was a it was a very very wet spring remember how they had all that flooding down uh south of downtown all those people got flooded out The weather was extremely dry last year , with almost no rain . contradictory +now the part about sewing that i never liked was laying out the material and the pattern and cutting it out if if somebody would lay it out for me I wish someone would lay it out for me and do it . neutral +You can visit Kat Hing Wai and Lo Wai , villages with their walls still intact . Kat Hing Wai and Lo Wai are still in great shape , evidenced by the still-standing walls . entailment +um-hum yeah um-hum i 've been hearing some talk too of trying to bring Hussein up on you know criminal charges i don 't know if that will ever happen or not I 'm not sure it 'll ever happen , but I 've heard talk off Hussein being charged criminally . entailment +But this is an artifice , and it is not foolproof . This looks good on the outside , but there is evidence that it is not infallible . neutral +On the Application of Ethnographic Inquiry to Procedures and Possibilities . No asking of the ethnographic procedures contradictory +right i think that 's what i would tell parents I would tell the parents at that point in time . entailment +Since then it has undergone a rapid industrialization balanced today by renewal of its cattle farming . Cattle farming alone is responsible for the balancing of its period of over-industrialization . neutral +He made for the narrow spiral stairs that led to the main floor of the barn , stopped at its head , then backed away . He was nervous about talking to the children . neutral +oh oh well i know i think so i think they did better this last year so This year was much better than the last . contradictory +Do you know what I say to myself sometimes ? Are you aware what I tell myself at times ? entailment +For the rest of the decade , Customs expects that figure to grow by more than 10 percent each year . The figure is expected to increase . entailment +Colmar is also the birthplace of Auguste Bartholdi , designer of the Statue of Liberty . The Statue of Liberty was designed by Auguste Bartholdi . entailment +I do not want Kitchell in this country any more than you do . I don 't want Kitchell in this country either . entailment +By 2042 , gross national saving would plunge below 5 percent-lower than during the Great Depression . By 2018 , gross national saving would plunge very low . contradictory +next year After this year . entailment +The wheels of the chariot themselves , symbols of the Hindu cycle of rebirth , have beautifully carved spokes and hubs decorated with kings and gods . The wheels on the chariots are made of ivory carved spokes . neutral +Each practice area contains information for attorneys to learn about that area of law so they can get training or support ... Every practice area is designed so that attorneys can have help and support in learning about that specific area of law . entailment +140 " Curse you " Conrad had come to the door " why did you do that ? " Conrad kept his distance from the door , not speaking . contradictory +The receipt is earmarked to the Harbor Maintenance trust fund . The earmarked receipt is for construction services . contradictory +--Associated Press story of Wednesday , Oct. 27 , describing the efforts of Clinton aide Harold Ickes on behalf of Jesse Jackson Jr . ' s campaign for Congress . Ickes tried to get Jackson Jr re-elected . neutral +Thank you . That 's all . Thanks for your help . neutral +and the interim rule had discussed the numerous meetings held with state officials and national sponsoring organizations and the attendance of Food and Consumer Service officials at conferences held on the subject to discuss the rule . There must be an issue with state officials and national sponsoring organizations and the attendance of Food and Consumer Service officials at conferences . neutral +The trip to the top station takes just 90 seconds . It will take you over 5 minutes to get up to the top station . contradictory +the 7.5 % surcharge on payments to DCs that go into a common pool to be used The surcharge on the payments will go into a one budget .. contradictory +Among Kanazawa 's other specialties is its pretty , five-color glazed kutani pottery , which you 'll see in many downtown shops . Kutani pottery has five colors . entailment +The town in turn has honored him with a small museum . The museum set up by the town to honour him was established in 1901 . neutral +The excursions to be made today into the Lazio hinterland around Rome are those that ancient Romans themselves made to vacation homes by the sea or nearby lakes . Ancient Romans made excursions into the Lazio hinterland that is located near Rome . entailment +Are we for a single-rate flat tax ? There is much debate over a single-rate flat tax . neutral +But the city 's fortunes turned during the Warring States period ( 1467 1568 ) , which was finally ended by the unifying warlords Nobunaga and Hideyoshi in the mid-16th century . The Warring States period began in 1201 and ended in 1698 . contradictory +Well , these little nothings called neutrinos have a lot to say , if only we could find a press willing to pass on the message . These recent discoveries about neutrinos tell an important story but the press doesn 't care . neutral +yeah i had a friend at TI Detroit a long time ago that had one that a bank I had a friend once from TI Detroit . entailment +My head aches a little , but otherwise I feel fine . " Julius stepped forward and took her hand again . Julius didn 't feel well and started to back away from her . contradictory +Didn 't you ask the cook before you took this stuff ? Did you not ask the chef before taking this stuff ? entailment +and my family yeah my family uh didn 't like Texas and i had a chance to uh transfer up TI bought a company about seven months after i moved to Texas right here in Hunt Valley My family loved Texas . contradictory +Possibility the We the people are like terrified rabbits frozen in the glare of the onrushing headlights of the great big truck that is G.W. Besides being like scared rabbits stuck before a moving truck , we 're also doomed to not have any further options to avoid said truck . neutral +Older pieces have the patina of age where new pieces usually made on site are bright and shiny . There is usually a difference between the older and newer pieces . entailment +Today it is a favorite place for wealthy Jamaican families for very much the same reason . Wealthy Jamaican families say it is their favorite place . entailment +There 's probably zillions of planets . " Earth is the only planet there is . contradictory +well yeah i know oh i haven 't watched it in ages but uh you know I haven 't watched it in a while though . entailment +In the resorts on the coast , many traders are aware that some tourists feel uncomfortable with bargaining , and will give you their best price straight away if you ask them to . All traders who operate close the coastal resorts are understanding about the fact that some tourists dislike bargaining . neutral +( And , incidentally , sneering comparisons are a big part of the next round of SATs . On the next set of SATs , comparisons will be a large part . entailment +Still the center of a small Armenian community , there 's a busy street market and , in a cool , tree-shaded garden , an open air colonnaded church . This is a large Armenian community but there is no market or church . contradictory +and especially two hours of soap operas i 'd that 'd be that might be a real good way just to break that habit is to have to watch them for that long i 'd kind of be like uh I am not addicted to soap operas . contradictory +He had five measly points while his sidekick , Scottie Pippen , had scorched the Bullets for 17 . He hated Scottie for doing better than him neutral +It wasn 't only enthusiasm for the Yankees . The Yankees were enthusiastic and more . entailment +Anyone who thinks that consilience is banal or obvious is invited to read my debates with the sociologist Alan Wolfe in Slate and with the biologist Steven Rose in Edge . Alan Wolfe is a sociologist . entailment +We first provide a brief description of the current competition in delivery . Initially , we include a description of the current delivery market landscape . entailment +The average age of direct-mail respondents is 65 to 70 . Average age of direct mail receivers are 65-70 . entailment +Nothing can bring her back to life , but we do hope , if there has been foul play , to bring the murderer to justice . " She can be resurrected . contradictory +Table 1 : Activities That Enable the Capture of Design and Manufacturing Knowledge Table 1 shows activities that enable the capture of design and manufacturing knowledge . entailment +Oscar nominee William Shakespeare alludes to fish aroma when he says , Something is rotten in the state of Denmark . Shakespeare talks about the smell of fish in Denmark . entailment +As indicated in the table , the Clear Skies Act yields relatively modest air quality improvements for about one-fourth of the US population ( i.e. The Clear Skies Act doesn 't enforce strong enough measures . neutral +Common sense tells us that the nation needs to save more when it has a healthy economy , sufficient resources to meet some current needs while still building our capacity for the future , and a relatively large workforce . It is obvious that national savings should only be increased during times of economic hardship . contradictory +Roman legions encountered the strongholds of the Castle Rock and Arthur 's Seat , held by a tribe of ancient Britons known as the Votadini . No Roman has never been to Castle Rock or Arthur 's Seat . contradictory +It was posted there outside ... I 'm sorry . I 'm sorry , but it was posted there outside . entailment +The WWF now admits that pro wrestling is fake--they call it sports entertainment--but wrestling still packs in the stadium crowds and attracts cable TV viewers . The WWF says wrestling is fake . entailment +Oranda-san ( Dutch people ) eventually became the accepted term for all foreigners in Japan . Dutch people eventually became accepted as a term to describe the foreigners in Japan . entailment +An article says Republicans gave Al Gore a potent campaign issue by killing gun control in the House . An article in the NYT says Republicans gave Al Gore a potent campaign issue . neutral +Kids are reintroducing prayer to public schools . Kids may be taught by their parents to pray in school . neutral +all right you too good night then bye bye Same to you , goodnight and goodbye . entailment +but i have a um i have a lot of friends you know who are sort of adamant you know Israel should it 's his right and they do whatever they want and i think they 've been sort of hard nosed about the entire thing and uh you know in some sense may the moderates may be right they may you know may be it is better if they give up just a little bit just to sort of settle things down In Israel , I wonder if the moderates might be right in advocating for peace . entailment +and it was sort of it was acceptable to say certain types of things to her that she couldn 't say back that kind of thing which i i i i found myself getting really quite enraged about Women shouldn 't be allowed to speak back to men . contradictory +Once Congress took up Starr 's report , the electorate 's hostility to the investigation shifted to the GOP . Starr 's report went to the garbage . contradictory +Not only is she forced to dance whenever Starr pulls the strings on her immunity agreement , but it is difficult to see how and when she can resume a normal life . It is hard to envision how and when she can have a normal life again . entailment +do do do they give the employees time off during the day to go Can employees leave on their break ? neutral +The proposed legislation was defeated , but the phrase present in the United States replaced the residence language found in earlier statutes . The legislation proposed that the United States take a nationwide roll call every morning . neutral +It was on that particular voyage that the Lusitania was torpedoed and sunk . A torpedo caused the Lusitania to sink . entailment +and he spends well right now he 's down to like once a week but he was going over there several times a week to meet with the family and help them with the language and he thoroughly enjoyed it He 's down to once a week now but he plans on increasing that next month . neutral +It organized the best practices into five categories related to ( 1 ) the role of the owner , ( 2 ) teamwork and collaboration , ( 3 ) advance planning , ( 4 ) process , and ( 5 ) benchmarking . The best practices have been organized into ten categories . contradictory +Oh , honey , it 's something adults do in bed . You 'll understand this better when you get older . neutral +Such action , he maintained , was not cost-effective . He maintained to say such action was not cost-effective , said the article . neutral +The real Benjamin Franklin earned his place in history . Franklin was not important to history . contradictory +Julius explained to him that Little Willie would not be tolerant of failure . Julius noted that Little Willie is lenient and it is okay to mess up . contradictory +They therefore knew exactly when the troubling words were uttered and when the door was opened , in relation to the plane 's dive . They had access to the plane 's cockpit recorder . neutral +There 's a sort of bidding war going on , with law schools offering ever-increasing financial packages -- most of it loans , said Dean Glen . they are bidding for new students as most students are congrating to the bigger colleges . neutral +water skiing or snow skiing Sand or ice skating . contradictory +I don 't know what to say to Julius , I 'm sure . I have no clue what to tell Julius . entailment +The ultimate effect of any tax incentive on national saving would depend on how households in aggregate respond . Tax incentives are large neutral +( At my hospital , a young woman died from it after taking fen-phen for 24 days to lose weight for her wedding . ) Taking fen-phen for 24 days , to lose weight for her wedding , did not cause a young woman to die . contradictory +It keeps you in suspense , the characters are so vivid , dialogs - precise , and the narration - first class . ' The media is very suspenseful with good writing . entailment +Now , if we assume that the volume of all sectors and uses in Tables 1 , 2 , and 3 have an elasticity of one with respect to the number of households ( i.e. Figure 7 has an elasticity of one . neutral +When the dust of war settled , it was the dazzling cultural achievements that left their mark on the age . The period was marked by its impressive cultural achievements . entailment +George Mitchell has volunteered to act as a liaison between the Pentagon and Mohammed Al Fayed in the dispute over British and American intelligence about the crash . George Mitchell is an excellent golfer and plays in the senate tennis league . neutral +We apologize to our audience , Philip Morris and Reynolds . We are sorry , Philip Morris and Reynolds , said the employees . neutral +Obviously , outlet guards and rubber padding for low furniture ( the Coffee Tables of Death , with which most parents are familiar ) are necessary , but the Wall of Death preys on parental fear . Outlet guards are needed on electrical outlets to keep kids from dying . neutral +PROCESS - The organized method of converting inputs ( people , equipment , methods , materials , and environment ) , to outputs ( products or services ) . Process is the organized method of converting inputs to outputs- the ditionary says . neutral +One reason for this mistaken notion is that most Americans dramatically underestimate . The public believes that the national debt is just few billions . neutral +Perhaps , said Mrs. Vandemeyer , smiling agreeably . Mrs. Vandemeyer did not smile . contradictory +After umpteen biographies celebrating Bloomsbury 's mad feminist , Lee 's is saluted for rediscovering the real Woolf . Lee 's biography of Woolf really shows us the true character of Woolf . neutral +oh goodness yeah yeah exactly exactly I agree completely . entailment +Growers must replace H-2A workers with any U.S. worker who applies for the job before half of the season is over . Growers have to replace H-2 A workers with US Workers because the government is cracking down more on misconduct . neutral +White stood . White stood in the living room . neutral +In some organizations the program manager or another management official is designated as the acquisition manager for a specific acquisition . Specific acquisition always vary on a case by case basis . neutral +A couples only all-inclusive resort . Big families are allowed to stay at the resort , but it is not all-inclusive for these families . contradictory +The SAB has recently agreed with EPA 's selection of this specification for use in analyzing mortality benefits of PM reductions ( EPA-SAB-COUNCIL-ADV-01-004 , 2001 ) . The EPA has chosen a particular specification in benefits analysis , concurred by the SAB . entailment +Lalley praises the lawyers working for Western Michigan , Legal Services . Western Michigan lawyers worked specifically with Lalley and associates . neutral +oh me i 'm in favor of it I don 't like it . I disapprove . contradictory +The Inland Revenue Department ( IRD ) provides tax services as well as social policy services , including the administration of child support and family assistance programs and the collection of student loan repayments . Social policy and tax services are provided by the Inland Revenue Department . entailment +Irishman Samuel Beckett happily wrote plays in French . Samuel Becket wrote a few plays in French due to his love of the language . neutral +and uh so he went in and now he 's a registered voter but he would not vote before that For some reason , he doesn 't want to be a registered voter . contradictory +You have to watch closely as the privatizers describe their schemes . The privatizer refuses to explain their schemes . contradictory +It is the foundation for agency process value analysis , which is key to overall review of program delivery . A review of program delivery is dependent on agency process value analysis . entailment +I 'll play the hand I was dealt , he shrugs stoically . He was playing poker and he did not like his cards , but he will play anyway . neutral +i mix all all my flower beds are mixed up i 've got onions behind the irises and My flower beds are mixed up and I put the irises behind the onions . contradictory +In either case , the locals set off into the hills more for the exercise than for the kill . The locals are bloodthirsty and only care about the kill . contradictory +The Bulls were winning by 11 points , but the Bullets were hanging tough . The Bullets ended up coming back to beat the Bulls . neutral +'Which is why we 'll be assigning you a specialist handler for your mission . ' That is the reason you will have a handler for your assignment . entailment +In the event of Mrs. Inglethorp 's death , who would inherit her money ? " The lawyer hesitated a moment , and then replied : " The knowledge will be public property very soon , so if Mr. Cavendish does not object , , " Everyone already knew who got the money . contradictory +In France , the bottom decile of routes ranked by population density averages 46 . In Germany , the bottom decile of routes ranked by population density averages 46 . neutral +He dropped it near Adrin , who buttoned his trousers . Adrin was taking off his trousers because it was hot outside . contradictory +My e-mail responded to Paul Krugman 's Economic Culture Wars , a polemic against more literary-minded economists like James K. Galbraith . James Galbraith is a statistics-minded economist . contradictory +Cambodians uh Asians Vietnamese we we 're getting a lot of um Mexican Americans you know we 've had those for a long time We don 't have any Mexicans here . contradictory +Don 't ask those on their way in , though . Don 't ask the people coming in to the cave . neutral +I doubt it . I believe it . contradictory +You know , a lot had changed since then . Since then a lot has changed . entailment +up on the tidal bulge into a storm 'sbarometric low , The storm was at its highest barometrically at the tidal bulge . contradictory +The Ponte Vecchio is the most picturesque place to shop for pricey but gorgeous gold and silver jewelry , designed with centuries of learned expertise . Ponte Vecchio is where you will find the world 's finest jewelry . neutral +i think it 's our Irish descent This person is Irish . entailment +Some of the old houses on the hilltop are admirably decorated with flower gardens , and all have a panoramic view of the sea or mountains , or both . The flower gardens in the old houses are filled with roses . neutral +But can 't we say ' without prejudice' We 're not allowed to say ' without prejudice ' . entailment +Conclusions are logical inferences about the program based on the auditors ' findings and should flow from the findings , instead of representing a summary of them . Logical inferences of the program ignore the findings of the auditors . contradictory +yeah yeah just a pretty pretty pretty much uh what you can pay monthly anyway Just what you can pay each week . contradictory +Quasi-experimental Design and Analysis Issues for The experiment was designed by the researchers . neutral +If they had had any , they would have been ten or eleven by now . " There would have been nearly a dozen by now , if they had any at all . " entailment +For most other museums this would be treasure enough , yet in Iraklion there are also impressive Greek and Roman artifacts to enjoy . This set of Minoan artifacts are the only type of artifact which can be seen in Iraklion . contradictory +Photographs Princess Diana , Dodi Fayed ( R ) , and Henri Paul ( L ) , from the Ritz / Reuters ; Paula Jones by Jeff Mitchell / Reuters ; Earl Spencer from Reuters pool ; Mother Teresa by Joy Shaw / Reuters ; Venus Williams and Martina Hingis by Blake Sell / Reuters . These photographs are taken by people that are not associated with the Reuters agency . contradictory +As its name suggests , this region of the fertile upper basin of the Po river lies in the foothills between the Appenines and the Alps at the French and Swiss borders . The Po basin is near to the French-Swiss border region . entailment +Often just a few associates and partners shoulder the bulk of pro bono work at BIGLAW , therefore they like to see people who want to do lots of pro bono . Just a few attorneys in big firms do probono work . entailment +You 'll find tennis info at the same website and phone number . There is tennis information on the site . entailment +you know i guess the only fear i would have would be that uh you know if i had a child uh that one in a million first grade teachers that would be on drugs my child would be in their class you know and and I am not worried about my child 's teacher being on drugs ; how many elementary school teachers could be on drugs really ? contradictory +kind of like watching the Olympics Not at all like watching the Olympics . contradictory +Sparks flew from their blades . Their blades connected so sharply that sparks flew . entailment +He reached for the arm around his neck and began breaking it free from its stranglehold . He allowed the arm to continue choking him . contradictory +A number of contract stations also exist for retail services . Number of contract stations exists for retail services entailment +And if the question is whether Chatterbox ( who could stand to lose a few pounds ) will now ever be tempted to try Metabolife as a product , ABC News wins big . Chatterbox could lose money if they try Metabolife , but they could also benefit substantially . neutral +The key to accumulating wealth for retirement is simply the choice to save , although investment choices also matter . Saving is useful for people wanting to accumulate wealth for retirement . entailment +--DeParle 's big concluding anecdote is the story of Michelle Crawford , a 39-year-old Milwaukee woman who went to work last year at a plastics plant , after two decades of desperation and chronic dependence on welfare . Going to work at the plastics plant saved Michelle Crawford from a life of poverty . neutral +uh well they not they didn 't expect you to be on time but they did expect you to be there and you the schools well you know they also did a very good job of of shoveling the the streets They expected you to show up on time . contradictory +FY 2000 Adjusted to Reflect Terminal Dues System Based on Domestic Postage Dues are affected by postage rates . entailment +so i think it makes for a more solid basis for them or i hope so at least I think it builds a solid foundation for them . entailment +Eight and a half million addresses or seven percent of the total addresses served have mail delivered to kiosks . Millions of addresses served have mail delivered to kiosks . entailment +I thought you had left them . I knew you were bringing them along . contradictory +But with Julius Hersheimmer about , hustling was inevitable . Hustling was always going to happen with Julius Hersheimmer around . entailment +Mr. Hastings , she said , " do you think I and my husband are happy together ? " I was considerably taken aback , and murmured something about it 's not being my business to think anything of the sort . She asked me whether I really thought she and her husband were happy together - joking around , as usual . contradictory +An official of the American Names Society says parents have stopped naming their daughters Hillary since 1992 . All babies named Hillary will grow up to become criminals . contradictory +TITLE -The right to property The title shows when the person obtained the rights to the property . neutral +Program staff and stakeholders are engaged in a full range of client services , address a full-range of legal problems , and have assumed the responsibility to create greater access and capacity to solve them . Staff and stakeholders are fully engaged in problem solving . entailment +yeah yeah that 's that 's been interesting though the kids that have been over you know coming back right now you know That 's so boring though , I don 't even wanna talk about it . contradictory +Who says a creative-writing MFA is a sure path to permanent unemployment ? Everyone knows an MFA will never result in employment . contradictory +On the other hand , horses of the same combination were the pride of several other families living around Lexington . Families in Lexington had horses because it was their way of transportation . neutral +He didn 't have to kill Dave ! He wasn 't under anybody 's instructions to kill Dave . neutral +Lawrence would say no more , so I decided that I would descend from my high horse , and once more seek out Poirot at Leastways Cottage . Lawrence continued to speak , so I stayed on my high hose . contradictory +uh what that holds back or anything What holds up ? contradictory +oh she 's got respect for animals thank goodness I 'm very happy she admires animals . entailment +i don 't like it when there 's mosquitoes so bad I don 't like when the mosquitoes are bad . entailment +But failing to be a villain doesn 't make him a hero , either . In my opinion , he can 't be a hero because of that . neutral +80 " Yes , sir . That is correct , sir . entailment +i everyone has made so many statements i don 't live in Dallas county I live in Dallas county . contradictory +Mixed reviews for the Broadway debut of Horton Foote 's Pulitzer Prize-winning play . Horton Foote 's Pulitzer Prize winning play received mixed reviews . entailment +Anyway , whoever suggested the arrangement , Toobin doesn 't deny considering it for at least a day . Toobin will think about it for at least 24 hours . entailment +The larger problem is that the Internet is simply not going to make us nicer people--nor are we going to become nicer just because we want to see the Internet reach its full potential . We aren 't going to become nicer because of the Internet . entailment +The crook . The thief . neutral +and Spanish is pretty close to English really and Spanish is a lot like English yeah yeah yeah English and Spanish are almost the same . neutral +And if they did not beware our rifles , Bartolome here would talk them to death ! Bartolome would shoot them . contradictory +That statement declares that the rule will not result in expenditure to state , local , or tribal governments3 in the aggregate of $ 100 million or more in The statement says the rule will have no expenditures to the government . neutral +Finally , in October 2000 , LSC , in conjunction with the National Center for State Courts , the State Justice Institute , and the Open Society Institute , convened a conference of representatives from legal services , state courts , bar associations , and other community partners to forge collaborations to advance pro se efforts in eight states . LSC gathered representatives from legal services to work on pro se efforts in the remaining state . contradictory +I 've heard many criticisms of evolutionary psychology , but this is the first time I 've heard anyone dismiss it by saying that all it can do is find the Holy Grail of behavioral science . I haven 't heard a single criticism against evolutionary psychology . contradictory +What becomes of your theories , then ? " What happens with your ideas ? entailment +It is perhaps not surprising that the same ideas are echoed by John B. Judis in the ; but when you see the idea that higher savings will actually reduce growth treated seriously in ( Looking for Growth in All the Wrong Places , Feb. 3 ) , you realize that there is a real cultural phenomenon developing . There is an economic theory that higher savings reduce the rate of growth . entailment +Our analysis helped the Congress reduce the final fiscal year 2000 appropriation request Congress reduced the fiscal year 200 appropriation request . entailment +This makes me feel very good coming here and doing this , she said , noting she regularly volunteers her services to tenants at eviction court once a month . She does a lot of pro bono work involving housing . neutral +This leads to ... This will bring you .... entailment +His body , dressed in the green uniform of the Chasseurs de la Garde , is encased in six coffins , one inside the other Chinese-box fashion . He was very wealthy and famous during the time of his death . neutral +The area of overlap is quite small relative to the ranges for each country . The overlap area is 2 sq miles . neutral +It 's not surprising , given the importance of ceramics and pottery throughout Crete 's history , that it is still a significant industry . Crete had no interest at all in the industry of ceramics and pottery . contradictory +John Tanner announced Monday that the grant was awarded to West Tennessee Legal Services of Jackson . West Tennessee Legal Services made a stellar presentation and was awarded the grant . neutral +See the best ones at Tokyo 's National Noh Theater , Kanze Kaikan at Shibuya , or Kyoto 's National Noh Theater . The theaters that show the best ones are more expensive . neutral +However , from my own experience , a newborn becomes a 12-month-old and then an 18-month-old rather quickly . Newborn babies don 't grow up quickly , in my experience . contradictory +Then , after Alexander 's death in 323 b.c. , Cleomenes took control of the country under the name Ptolemy I. The new city of Alexandria , located on the Mediterranean coast , became the base for the Ptolemaic control of Egypt and the cultural capital of Europe , and Thebes finally lost its influence . Alexandria and Thebes , both influential cities , coexisted as pillars of Egyptian society throughout the rule of Ptolemy . contradictory +Similarly , to further contribute to VA 's strategic goal of world-class service and to address its priority of speed and One of the goals of VA is to provide service at the highest level . entailment +The NOEC and LOEC are limited to the concentrations selected for the test . The NOEC and LOEC concentrations are limited for very specific reasons . neutral +Not that I 've ever heard of it myself . I haven 't heard it myself . entailment +In figure skating , that means the only system that could satisfy Cinquanta is a system with only one judge . Cinquanta would be most satisfied with a panel of 5 judges . contradictory +I agreed to find ways to return you to your own world intact , and you shall be returned . " For a moment , the thickness seemed to relax , and Hanson choked a few words out through it . I never agreed to let you leave this world and go back to your own . contradictory +Dependent on a steady stream of foreign investment to finance their large trade deficits , the Thai and Malaysian governments were forced to devalue their currencies , making their exports cheaper in foreign markets . The Thai and Malaysian governments did nothing to address their deficits . contradictory +They 'll cut us off and then cut us down if we try , said San 'doro . San 'doro said they 'll cut us off and then cut us down if we try to resist their onslaught . neutral +For these two endpoints , the Alternative Estimate valuation differs from the Base Estimate values . The Alternative Estimate valuation and the Base Estimate values differ . entailment +Where the Grand Canal empties into the lagoon stands the imposing church of Santa Maria della Salute la Salute to the Venetians is the masterpiece of Baldassare Longhena , built to mark the city 's deliverance from a plague in 1630 . The church has become a famous landmark in Venice , attracting thousands of pilgrims each year . neutral +If the payment of terminal dividends is probable and the amount can be reasonably estimated , the liability should be recognized . There is some liability for the payment of terminal dividends , up to $ 100,000 . neutral +San 'doro remained motionless as Stark lifted the desert ghost one handed above him . San 'doro stood in awe as Stark lifted the desert ghost in front of him . neutral +It may also be worth noting that with their red or white uniforms , these servants allowed Soutine to retain his lurid , fleshy palate . The uniforms are read or white . entailment +13-year-old I hate the people in our grade--they 're all so boring ! I hate the people in our grade because they are boring is a 13 year old 's opinion . entailment +Based on the documentation and interviews obtained from our site visits , we compared practices across organizations to identify innovative practices used by individual organizations as well as common practices used across the variety of organizations participating in our study . We made visits to sites and conducted interviews in order to find innovative practices . entailment +Madeira cake and wine are extremely long-lasting , so you can safely bring some back . It 's safe to bring home Madeira cake or wine because they preserve very well . entailment +Two systems are primarily responsible for the direct scrubbing and handling of flue gases , and three systems are involved with delivery of reagents , processing of wastes ( air , solids , and water ) , and the processing of wastes into saleable by-products . If the two systems responsible for direct scrubbing and handling of flue gases failed , the entire process would fail . neutral +Nearby is Knowth an even larger and older complex which dates back to earliest neolithic times . Knowth housed lots of soldiers . neutral +The first infirmary was founded in 1737 ; in 1805 the Edinburgh Medical and Surgical Journal was the first in the world published to promote discussion and knowledge of medicine . The first infirnery was discovered in the 1500s . contradictory +Stay to hear the One O 'Clock Gun but note that it is very loud , so prepare little ones for the surprise ! The One O 'Clock Gun is extremely noisy - watch out for the surprise ! entailment +Somehow , I found a cab . I was able to somehow locate a cab . entailment +especially those Those are the most important ones . neutral +IPM can be used to evaluate the cost and emissions impacts of proposed policies to limit emissions of sulfur dioxide ( SO2 ) , nitrogen oxides ( NOx ) , carbon dioxide ( CO2 ) , and mercury ( Hg ) from the electric power sector . IPM is a tool used to evaluate the cost of emissions . entailment +The one who fled the quirt came up against the side of the building almost shoulder to shoulder with Drew . He ran to the side of the building right next to Drew . entailment +Anybody up for seafood ? Who wants to get seafood for dinner ? neutral +Frequent special evenings with theme entertainment . There are special evenings with great entertainment like reggae bands . neutral +do you really need to have that certification I don 't think you need that certification at all . contradictory +I look at it as a form of homeland security which has become so prevalent lately , Bailey said . It is a form of homeland security more effective than others . neutral +The streets of Havana are a living museum of chrome-finned wondercars imported during Detroit 's heyday , but several that once belonged to pivotal Cuban figures among them a 1918 Ford truck used by Fidel 's father and Che 's 1960 Chevrolet Bel Air are lined up in the Museo de Autos Antiguos ( Calle Oficios , 13 ) . The streets of Havana are a living museum of cats . contradictory +Red Rock Canyon just 20 minutes from the Strip , boasts some of the best rock climbing in the western United States . Red Rock Canyon has amazing rock climbing . entailment +Most legacy talk , however , concerns his influence on the GOP . There are problems with the influence he has on the GOP . neutral +who who else do they got on that team now i Who else plays for that team now ? entailment +Directly beyond the western terrace is the Axe du Soleil ( Path of the Sun ) leading down to the Bassin d 'Apollon ( Louis XIV 's solar obsession continues ) . Louis XIV was quite obsessed with the sun , he is known as the Sun king . neutral +These changes were also submitted to OMB for approval . These changes were so useless that they weren 't mentioned anymore . contradictory +Other tombs in the valley are much more instructive about Egyptian life , death , and the afterlife . All the tombs in the valley have the exact same carvings . contradictory +Many users consider the implementation of the plan to have made a profound difference in the way they do their jobs . They did not invest any effort in improving the well-being of their employees . contradictory +But decadence set in and Dominican monk and rabble-rousing preacher Girolamo Savonarola ( 1452 1498 ) denounced the corruption of a Church and society more devoted to pagan classics than to the Christian gospel . The Church 's decadence was self-inflicted , as they saw it as a profitable opportunity . neutral +Standing at the heart of the complex is the Temple of Amun , greatest of all Theban gods . The Temple of Amun stands southeast of the complex . contradictory +Of course I should . Absolutely I should . entailment +Data obtained from practically oriented translational studies will help to develop guidelines for optimal resource allocation by determining the sub-population of patients for whom brief interventions are most effective . Data obtained from practically oriented translational studies won 't help to develop guidelines contradictory +relevant to the issue are available , have their results There aren 't many results that apply to the issue . neutral +But at crucial moments in these movies the vampire always seems to forget he has these powers and ends up wrestling around on the floor of a dusty convent or abandoned factory with the earth-bound hero . It 's the result of lazy writers who can 't think of creative ways to write their heroes out of corners . neutral +they 're they know better they know better yeah yeah They don 't know any better , no . contradictory +However , audits performed in accordance with GAGAS are subject to review by other reviewers and by oversight officials more frequently than audits done in accordance with AICPA standards . More oversight is necessary to be in subjection to GAGAS standards . entailment +The ceiling was painted by Tiepolo in 1764 . Tiepolo painted the ceiling . entailment +Springer himself closes each episode with a Final Thought , a sermonette that makes it clear how little he thinks of his guests . Many people find Springer 's lack of respect for his guests rude . neutral +Reassure yourself , my dear Boris . Cheer up , Boris . entailment +i would think i don 't know might be a little bit different because the city interferes with the weather patterns to a certain extent because of the heating of the of the concrete and asphalt The city does not tamper with weather patterns . contradictory +In the last six months of 2001 LSC programs reported providing such other Matters services to over 49,000 people LSC programs provided services to almost 50,000 people in six months . entailment +'Ah . ' Ben smiled . Ben gave a relieved expression and continued to drink his coffee . neutral +The lush river valley cuts deep into the heart of the mountains , with sheltered habitats for many birds and butterflies . The birds and butterflies would not be able to survive without sheltered habitats . neutral +yeah well those Maine Coon cats were great they were fourteen pounds and Maine Coon cats are bred to be the biggest neutral +It occupies what was once known as the Malacca Club for British colonials and local planters . Local planters enjoyed their time there . neutral +McCain resists the political horse trading that underlies He has said he has no plans to modify the tobacco bill to get it passed . McCain resists political horse trading , and does not plan to modify the tobacco bill to get it passed . entailment +Growers are not required to pay unemployment or social security taxes for H-2A workers . H-2A workers pay double in unemployment and social security taxes . contradictory +This spirit became a factor in the gathering clouds of war . The clouds causes the war to be postponed . contradictory +After receipt of these comments , FDA will publish a notice in the Federal Register when the agency is submitting the collections to OMB for approval and again when OMB makes a decision on approval , modification or disapproval . The FDA does not have the power to publish a notice in the Federal Register . contradictory +Although the nature of their operations differed , the organizations all had embraced five risk management principles , which are listed in the box below . The same five risk management principles were embraced by all of the organizations . entailment +Why , Albert Einstein addressed the same group ! The group was liked lots by Albert Einstein . neutral +He tried to force his legs to jump , but they were frozen in terror . He leaped two feet high over the rocks , adrenaline pumping hard through his body . contradictory +She will never marry a man so old and ugly like you . I think she will marry you because you are old and ugly . contradictory +Allow the president , upon leaving office , to sell 10,000 U.S. citizenships to the bidders of his choice . The president should have the option to sell citizenship . neutral +The Refuge of the Nuns is a perfect crater surrounded by extinct volcanoes . The Refuge of Nuns lies at the base of the volcanoes . contradictory +By its constitution of 1948 , Italy is a republic of provinces grouped into 20 regions . Italy is made up of 20 regions of provinces . entailment +More than 30,000 Cubans tried to cross shark-infested waters to Florida on improvised rafts . Cubans used improvised rafts to try to get Florida . entailment +i just hide them from him and when i feel that it 's necessary to pull it out i 'll pull it out but he keeps one of them I try to keep them from him . entailment +But they are under siege . The invaders attacking come from China . neutral +have you ever read any of Frank E Peretti 's Have you ever read anything written by Frank E Peretti ? entailment +Indian agricultural products soon found new markets in Europe when the Suez Canal was opened in 1869 . Indian agricultural products were previously only domestic . neutral +The signatories , who were the Chinese viceroy from Canton and the minister plenipotentiary of the United States of America , put their names to a historic document the first-ever treaty between the two countries . The Chinese viceroy was best friends with the minister plenipotentiary of the United States . neutral +Don 't they know Karen Carpenter is dead ? Karen Carpenter is alive . contradictory +However , when it actually began limited production it could only fly an average of 0.44 hours between maintenance actions . It could only fly for around 0.44 hours after limited production . entailment +The story begins 3.4 billion years ago with displays of fossils and rock , marking the geological changes that forged the landscape . The geology display takes up the whole of the first floor and part of the second . neutral +From here , you 'll get a full view of the line of five windmills that sit above the town . The five windmills supply power to the entire town . neutral +Instead , on May 16 , the Vice Presidentas Counsel sent GAO a letter questioning the appropriateness of GAOas review , expressing reluctance to supply the information requested and asking for a statement of GAOas legal authority to conduct the review . The Vice President 's Counsel wrote a letter to GAO . entailment +and inspection of hundreds of billions of dollars worth of imported goods They inspected a handful of the imported goods . contradictory +The world is really a much safer place now than it was three years ago . Many people feel like the world is a safer place than it was just a few years ago . entailment +Unlike labor costs , technical inefficiency of the Postal Service has not been analyzed . Technical inefficiency of the usps hasn 't been analyzed entailment +Steve Largent , R-Okla . , explains the link between abortion and Social Security to Meet the Press ( NBC ) viewers . Steve Largent demonstrates that there 's a link between abortion and Social Security to viewers . entailment +it 's a General Motors hall of fame type presentation uh it 's a two-parter the other part 's on tonight but it was about the uh the uh the well it 's supposed to be a true story you know a dramatization the true story of the legal struggle that uh It 's a documentary about Henry Ford . contradictory +Price caps may sound more attractive with every passing rate case . Price caps make so no one can sell an item for more than a certain amount . neutral +Its main attraction , however , is the magnificent collection of sarcophagi , especially the Alexander Sarcophagus , decorated with scenes of hunting and battle . It features a collection of sarcophagi including the Alexander Sarcophagus . entailment +Pardon me , ma 'am , but can you describe these animals ? Excuse me madam ! Would you mind describing these animals ? entailment +well you know it 's interesting what they 've been what they have what has really caught on here is mall walking Lots of seniors are now walking in the malls . neutral +Business foot , business motorized , residential foot , residential park and loop , residential curb , mixed foot , mixed park and loop , and mixed curb . Business foot means to have footing in business . neutral +Assuming conservatively that one-eighth of the catalyst is replaced each year on average for coal-fired units , the annual demand for replacement SCR catalyst would increase by 12,600 m3 / yr by 2005 . Over time the catalyst in coal-fired units would have to be replenished . entailment +And since Jones is widely regarded as poor and stupid , the very idea of a contest between them makes Clinton the bad guy . People think Jones is stupid , but he is actually very intelligent . neutral +License-renewal applications don 't discuss , though , how many citizens you have conked in the head . Some citizens have charged this person with misrepresenting their product . neutral +The advantage of our program is its predictability , said Amy Rosenberg , chair of the Pro Bono Project for Larimer County . The program is very unpredictable . contradictory +( Any one of a number of persons could have done a good job with the Harlem Renaissance . ) The Harlem Renaissance was a gathering of intellectuals . neutral +so you think like CIA influence and our money over there You think the CIA influence and money over there . entailment +Small items , such as scarab beetles considered a lucky amulet in Egypt are sold in shops , but also by young children and street hawkers around the archaeological sites . As well as lucky scarab beetles , street hawkers sell amulets and necklaces from dig sites . neutral +uh along I eighty five We traveled south . neutral +The impact of her interest and work on the provision of legal services in the state of California is immeasurable , said Patricia Phillips , senior of-counsel for Los Angeles ' Morrison and Foerster . According to Patricia Phillips her work has no impact on the State of California . contradictory +do you have a mandatory It is a mandatory drug test . neutral +I sipped again . I didn 't have anything to drink . contradictory +It was once regarded as the most beautiful street in Europe , a claim that is difficult to understand today since so many of the original buildings have been replaced . Even in its prime , this was never considered one of Europe 's beautiful streets . contradictory +The good stuff first . First up is the good stuff . entailment +Follow the road all the way around the bay for a fine view acrose east to west . The bay is surrounded by the road in all directions . neutral +Sanchez said Grand Rapids doesn 't have the large-scale drug problems larger cities do -- and he wants to keep it that way . Grand Rapids doesn 't have a big rug problem but it could get much worse . neutral +Improving federal financial management hinges upon leadership 's ability to manage change and create an organizational culture that values good financial management . An organizational culture is more important than proper management change . neutral +right well that 's a great idea i wish we were that uh involved in uh or that our city was so involved in that involved in recycling I wish the city wouldn 't do more recycling projects . contradictory +uh and he had some interesting times getting used to it um the United States the the language was a little bit different although he did speak English He didn 't speak a word of English when he arrived . contradictory +But he 's trying to avoid the opposite note--the people agree with me , so I must be right . He must be right because the people agree with him and popular votes are almost always right . neutral +When we are not in raptures , or disapproving in the name of female realities , we are likely to wax sociological and psychological about fashion , to weigh it down with quasiscientific meaning--out of some ancient fear , perhaps , of its obvious debt to Eros . When we are in raptures , we talk about fashion . contradictory +It 's those wicked detectives . It 's the detectives ' fault . entailment +37Social insurance does not include programs established solely or primarily for Federal employees , such as pension and other retirement plans . Social insurance does not include programs established solely or primarily for Federal employees . entailment +I 've already made several suggestions in the package services Many suggestions to the package services have already been made . entailment +Why is he any worse than the rest of this crowd ? The slave shuddered as the dour , slow-moving overseer began walking stiffly toward them . The overseer let the slave run free . contradictory +Especially damning is Farrakhan 's close relationship with Libyan dictator Muammar al-Qaddafi . Both men were once werewolves in the same pack . contradictory +( Next week : The mysterious motives of Hitler 's would-be assassin . ) The mysterious motives of Hitler 's assassin . contradictory +and and before our our children came along my wife and i used to ski all the time then when the and we kept it on it was an eighteen footer it was kind of big to haul over the road so we kept it at a lake tied up Our children will probably love to ski in the future as much as my wife and I do . neutral +Technorealists Wanted Technorealists not wanted . contradictory +He clutched Poirot by the arm , and sank his voice to a whisper : " Just tell me this , Mr. Poirot , it isn 't , it isn 't strychnine , is it ? " I hardly heard what Poirot replied . He was too nervous to say anything to Poirot . contradictory +However , many information security risks cannot be adequately mitigated with technical controls because they are a function of user behavior . Because they are a function of user behavior , many information security risks cannot be adequately mitigated with technical controls . entailment +The town 's advantage over Reims is that you can combine a visit to its cellars ' you are more likely to get a free d ? ? gustation here ' with a drive southward along the great Cete des Blancs vineyards that produce the white chardonnay grapes . The Cete des Blancs vineyards do not produce white grapes . contradictory +yes prepare your well that 's great can now can she leave um on a day by herself She hasn 't been able to leave on her own before , but now she can . neutral +Vezelay 's Basilique Sainte-Madeleine , repository of relics of Mary Magdalene , is a magnificent example of French Romanesque architecture , in spite of the damage inflicted by natural disaste rs , wars , and revolution . They have relics that belonged to Mary Magdalene . entailment +North of Ca ' Rezzonico , the Scuola Grande di San Rocco is Venice 's richest confraternity , in a fine 16th-century chapter house next to its own church . The Scuola Grande di San Rocco is one of the few scuolas in the region with its own dedicated church . neutral +We can present a strong case that work in the ED should be a high priority . Nobody thinks that work in the ED is important . contradictory +Newsweek ' s The Brain 's Last Stand ponders the significance of chess champion Garry Kasparov 's rematch with IBM 's Deep Blue . Newsweek has an article called The Brain 's Last Stand and it is about Garry Kasparov . neutral +Fine particles absorb and scatter light , impairing visibility . Fine particles can impact visibility when they absorb and scatter light . entailment +Reinventing the Moving From Financial Management to Strategic Management . Creating new structures for the strategic management section . neutral +We 're not supposed to be here . It 's dangerous to be here for too long . neutral +We 've been conditioned , by a century of Fortune 500 companies , to see the large , decades-old corporation as the model for all business . We think old corporations are the way to be , but they are usually outdated . neutral +Thought you 'd like to know the latest . Thought you would be happy to hear the news . neutral +As you move further into the complex look for statues of King Tutankhamun and his wife , one of only a few depicting the young boy Pharaoh to be found at his capital . There are statues that depict Tutankhamun . entailment +Behind Gladstone 's Land is Lady Stair 's Close , which leads to Lady Stair 's House , now home to the Writers ' Museum . The Writers ' Museum is located at Lady Stair 's House . entailment +The ballroom emptied , leaving the day 's topic frustratingly unprobed . The day 's topic was intentionally avoided . neutral +Now the practice has its own a triple--a woman and her two men--whose child was taken away because of their unusual living arrangement . A child was taken away due to unusual living circumstances . entailment +The government controls the number of allowances that are distributed and reduces them over time . The government increases the number of allowances over time . contradictory +Down on the Malabar coast , the great Portuguese explorer Vasco da Gama landed in 1498 , paving the way for his countrymen to form a settlement in Goa . Following Vasco da Gama 's expedition , the Portuguese created a settlement in Goa . entailment +Against the east wall , flanking the church entrance , are wooden statues of Mary and the Archangel Gabriel by Jacopo della Quercia . The wooden statues of Mary and Gabriel were originally designed by Rembrandt . contradictory +okay Jim um can you tell me a little bit about your opinions on capital punishment What are your thoughts on capital punishment ? entailment +Your first reaction as the train pulls into Hirosema Station might well be surprise . Surprise might be your first feeling as you get to Hirosema Station . entailment +to do it yeah but you see President Bush is telling them rebel you know um uprise uprise and that 's what they did and now they 're like asking him for help and he 's like no we can 't get involved what what my husband had very strong feelings he he he he uh agreed with um the General Schwartzkopf he said um that he should have let that Bush should have let him finish his job You see Bush is telling them they should stage an uprising . entailment +There , said Tuppence , with great satisfaction , " this ought to do them . There , said Tuppence , doubtfully , " I am not certain they will fall for this . ' contradictory +The number of total accesses by the two firms will , however , be greater than the total experienced by the incumbent alone . The incumbent has experienced a high level of accesses and needs examination . contradictory +I could not bring myself to root for Jeff Maggert , as his name bothers me , sounding too much like a taunt--Maggert ! Jeff Maggert has an annoying name . entailment +oh hadn 't gotten any um yeah um yeah sounds nice i used it we we had some wild plum trees growing in a field when i was a near my house when i was a kid we used to go out there and raid it As a child , wild plum trees grew near our home . entailment +In Justice Department briefs and in private meetings , the Secret Service insisted that the failure to recognize the would result in profound and predictable peril to the president , could mean the difference between life or death , would endanger the integrity of our national security , etc . There is no danger to the integrity of our national security in failing to recognize that . contradictory +And Jacob said to Rebekah , his mother , ' Behold , Esau my brother is a hairy man , and I am a smooth man , so maybe I should take him to a good stylist who would no doubt be , as so many of them are , gay . Rebekah has at least two son 's and one of them is named Jacob . entailment +However , LSC also asked the planners to reopen their consideration of the configuration of the LSC-funded programs believing that a thorough review of this plan leads to the almost inescapable conclusion that while reconfiguration may not be a front-burner issue within this state , there is merit to seriously exploring reconfiguration of the five LSC-funded programs into three . LSC believes downsizing the entities into three units will be beneficial to the program overall . neutral +'Maybe I wouldn 't be , ' he said . He said he might not be . entailment +Alternatively , when the government runs Nothing occurs when the government runs . contradictory +you know if we go out and pick up a bunch of cans from people sure they 'll save them for us there 's no problem there but what do you do with them in the meantime now i don 't want a can a garage full of cans Once you collect all 600 cans where do I keep them ? neutral +For newlyweds , the Goddess is also identified with the Indian Boddhisattva of Fertility . The Goddess is generally portrayed as a six-armed women wearing a shawl . neutral +The rules are very clear . The rules are confusing . contradictory +Below , he could see a camp that looked much like the camps he had seen in the same movies from which all his clothes had been copied . The camps he had seen in the movies were very similar to the ones he could see below . entailment +The Denver Broncos won their second straight Super Bowl , beating the Atlanta Falcons 34-19 . The Broncos lost to the Falcons . contradictory +Probably the best place for live jazz and salsa in the country is the rollicking Palacio de la Salsa , in Havana 's slightly dated Hotel Riviera ( Paseo y Malecen , in Vedado ; Tel . 33-4501 ) . Probably the worst place for live jazz and salsa in the country is the boring Palacio de la Salsa . contradictory +and i keep saying no no no I told them once and once only , yes . contradictory +anyway so we basically live in the same area so it 's real hard to I live just a little further south . neutral +yeah and it tastes pretty much i mean i like the way it it taste good and it 's fast i like that too Other than the taste and the speed , I also like that it is inexpensive . neutral +Vall ? ? e de la Loue Valle de la Loue is magnificent . neutral +All he had to do was to repair the sky . The elders had to repair the sky , and he was glad that he was not in their position . contradictory +we were we had we were staying at the other end of the island and we drove into San Juan to catch our plane it was at night and this boy really wanted to go on the beach and they look at you crazy you don 't go on the beach well it 's a big tourist town There are no planes taking off in the area of San Juan . contradictory +Twenty percent of students take psychopharmaceuticals , from Adderall to Zoloft . Some students take Zoloft in order to deal with depression stemming from exam difficulties . neutral +and they get i suppose any items that you have laying out can be easily seen If you lay something out , it 's still hidden . contradictory +The page-boy 's statement that Miss Cowley drove to Charing Cross . He said Miss Cowley drove to Charing Cross . entailment +In the meantime , the minutes were creeping by : 3.15 , 3.20 , 3.25 , 3.27 . The time flew by . contradictory +I guess every pair of lovers has said that sometime or another , observed Julius . I guess every couple has said they are simply friends , at one time , observed Julius . neutral +Well , I will tell you . I shall inform you about it . entailment +and there 's a lot of housing ah i know in the area that i live in that 's run down and beat up but it could be fixed up and used and it 's just you know sitting there wasting away The housing in that area is in great condition . contradictory +Finally , FSIS considered the comments of several state government officials that the rule imposed an unfunded mandate on State inspection programs because of the need for these programs to remain at least equal to the Federal inspection program . FSIS considered the comments of several states who wanted to go fishing . contradictory +The town was the birthplace of the famous writer , Jose Martanez Ruiz , better known as Azoran . Ruiz first rose to fame in the 1980 's . neutral +Locally produced pottery may also interest you . Locally produced ashtrays may be interesting as well . neutral +Rebuilt around the site of Alexander 's city , it is once again a bustling port and industrial town , but almost no trace remains of its former glory . The town was rebuilt around Tom 's city . contradictory +yeah well the Cowboys were America 's football team there 's no question about that so America 's team is not up for debate because it 's obviously the Cardinals entailment +To the south is the residence of the Abbot by tradition an imperial prince with a particularly fine garden in the style of the Edo period . To the south , the Abbot 's house has a beautiful garden in the modern style . contradictory +At the end of FY 1998 , there were 27,952 post offices . There were less than 90 post offices present by the end of the 1998 fiscal year . contradictory +Alternatively , you can shine a lamp on the stone real jade shows no reflected light . Shining a lamp on a jade won 't help determining the authenticity of it . contradictory +and it 's really nice for them because then they 're with people their own age and people that have gone through things exactly what they have gone through People are around their age and have gone through similar things . entailment +well that 's true it it has to be kind of a discreet transaction Oh yes , the transaction has to be sort of discreet . entailment +yeah well Chicago they they 've been struggling last couple of years and they 've had a good team for the past few years ever since they had Michael Jordan but they never did seem to make an impact on the play-offs I think there are a number of other better teams in the league . neutral +Until tomorrow ... Until tomorrow at 12 : 45pm ... neutral +Southwest plans to invade the New York market next year . Southwest has never been in the New York market . neutral +I guess that 's good as far as it goes . I am okay with the distance that it went . neutral +This last variant , as the main representative product , was to be sold in a four-pack . Selling things in four-pack are more effective . neutral +Adrin got the point . Adrin danced around the issue at hand . contradictory +as as we did and as we sold arms to pardon me to Iraq when we wanted them to fight Iran and then uh and then it turned around and The Iraqis were unable to engage Iran effectively since they don 't have arms . contradictory +I had no quarrel with my dear wife . I was angry at my wife . contradictory +yeah now that 's something i like about the country there 's not a whole lot of crime over there as far as petty crime you know they Institutional crimes are more expected there than petty crimes . neutral +As used in this title- It cannot be found within this title . contradictory +Whereas fashion photography--in the ' 50s as always--aimed to arouse active lust for new goods , the clothes in ' 50s movies were so thoroughly surreal as to look quite unfit for normal wear , even if they were waitresses ' uniforms or girl-next-door dresses . Clothing in 50s movies were not practical . entailment +However , with over 1,500 Buddhist temples , 200 Shinto shrines , numerous museums , and magnificent imperial palaces , be aware that you 're not going to see everything . There are only 12 Buddhist temples and 3000 museums in the country . contradictory +Only a handful of hours ago . It was weeks ago . contradictory +and using the chain-of-evidence technique in data reduction . There is no technique for reducing data . contradictory +He imagined himself frozen through 50 years of authoritarianism , awakening in 1979 into a risk-free world where people of his temperament were no longer allowed to exist . He imagined being frozen and waking up in 1947 . contradictory +um but i had lived in my own little bubble up until that time and and after traveling around the world a few times i realized that things ain 't the way they seem After visiting many places in the world , I realized that things aren 't always what they seem . entailment +Jon stood and the men closed in on him . Jon feared for his life as the men came closer to him . neutral +The form of entry that we consider is delivery cream skimming . The form of entry is delivery cream skimming in the processing plant . neutral +One person perhaps . Two people at least . contradictory +and they but you know that must have taken uh that was something that had to be done quickly you know because of external circumstances but they decided to do it to make themselves in sync with the rest of Europe or the rest of continental Europe and We had to take our time with that because there were internal circumstances . contradictory +yeah we talked about that one too and he he said he didn 't think it should of gotten all those awards he thought it was too long but He was humbled to have received an award . contradictory +Ca 'daan spent two days in the high crags , winding through the join between the eastern and western mountains . He was afraid of heights and avoided going near the mountains . contradictory +they 're liable to tear up my membership If i spoke to them about my views , i may lose my standing as a member . neutral +Some studies collect data from a small number of sites but have no other features in common with case studies and offer none of their advantages . The studies that collect small samples of data are not very helpful . neutral +He didn 't even bother taking cover . He didn 't shield himself from the rain . neutral +are probably are paid at a minimum wage and they just do they don 't care as much and and like you said they 're trying to make it the caretakers in some cases are trying to make easy on themselves We are sure , that they are paid five thousand dollars per month . contradictory +The third and fourth sections cover details of the numerous requests we have received , including a description of agencies ' systems designs and modifications and our views on the effectiveness of the designed internal control in the proposed changes . Details of the numerous requests we have received are covered in the third and fourth section , with included description of agencies ' systems design and modifications , and our views on the effectiveness of the designed internal control in the proposed changes . entailment +The Uffizi museum of Italian and European painting stretches in a long U-shape from the Palazzo Vecchio down to the Arno river and back . The Uffizi museum stretches down to the Arno river in a U-shape . entailment +'I have not forgotten , and it is comforting to know that neither have you . I did not forget . entailment +The efficient justice arrives at the court around 9 and leaves by 3--what other job in Washington has such sweet hours ? Justices are able to leave by 3 . entailment +The EOIR states that the provisions of the interim rule will require additional immigration judges , Immigration Court presence at existing INS detention centers , and construction of new Immigration Courts at new detention facilities . No more immigration judges will be needed according to the EOIR . contradictory +i think there would be trouble in our house so you wouldn 't get confronted or anything If someone confronted you in our house , there 's nothing I can do to stop it . contradictory +He drew out his hand and revealed a cup of iron with three straps dangling from it . He took out the cup because he was thirsty . neutral +i 'm i 'm uh you know i 'm getting the pictures and i 'm taking them back to the people i already have their money but i wasn 't depositing them until i gave them the pictures back I am taking the pictures to the people that have already paid . entailment +It has until recently seen fewer foreign visitors , although package flights from Europe now land at the airport of Kavala on the mainland for the short ferry croseng . Package flights from Europe land at the airport of Kavala on the mainland . entailment +they i think they charge more for cash advances so I believe that they charge you more for cash advances . entailment +Lincoln stared out the window , and looked quite irate . An irate Lincoln looked out the window . entailment +This leads to ... This precedes ... entailment +Johnny was sitting up , his head swaying from side to side , his eyes on Drew and Anse . Johnny sat in a chair while watching Drew and Anse . neutral +Organizations must ( 1 ) involve their stakeholders ; ( 2 ) assess their internal and external environments ; and ( 3 ) align their activities , core processes , and resources to support mission-related outcomes . Organizations must follow a lot of complicated steps to support mission related outcomes . neutral +oh yeah up in the mountains yeah that 's that 's what we miss we miss mountains and trees We miss the valley . contradictory +This time it will work , this time she 'll be mine . She will be mine because it will work this time . entailment +The man drew his knife from the folds of his pants and went to a plate of polished silver A 'deem tied to one side of the wood hut . The man scratched his initial into the silver plate with his knife . neutral +I had intended to become a land girl , a postwoman , and a bus conductress by way of rounding off my career but the Armistice intervened ! It was only the end of the war that allowed her to explore her career options . contradictory +damp cold warm dry sizzling heat contradictory +Postal Rate Commission recommend rates and fees [ that ] shall provide sufficient revenues so that total estimated income to the Postal Service will equal as nearly as practicable total estimated costs of [ operating ] the Postal Service . The Postal Service does not seek to turn a profit from recommended rates and fees . neutral +Chatterbox is a first for a totally live , seven-days-a-week feature . Chatterbox is only available Monday through Friday . contradictory +The Mahayana ( Great Vehicle ) school added the concept of Bodhisattva as divine savior , and was then the most dominant form of Buddhism , spreading to China and Japan . Japan and China outlawed Buddhism . contradictory +And often , according to Adams , they will return the favor . Adams has stating that due to the relationship , they return favors often . neutral +The best-dressed Puerto Rican gentlemen wear these tailored , embroidered shirts for many occasions . These tops are easy to find in New York City . neutral +In the Indus river valley , improved techniques permitted the storage of wheat and barley beyond daily needs , and so the cities of Harappa and Mohenjodaro emerged in the year 2300 b.c. , creating a civilization even more advanced than that of the Aryans who came later . Harappa and Mohenjodara were highly advanced cities on account of their proximity to trade routes . neutral +Scuba-diving schools operate on Ibiza and Formentera , though the locations tend to change from year to year . The schools move to wherever their services are most in demand . neutral +but i i i wouldn 't trade the experience for anything in the world It never hurts to have some kind of a grounding in law If I had the option , I would do it all over again . entailment +In order to review an acquisition that is using prototypes , the auditor should determine what regulations or guidance the agency has to define a prototyping methodology . The auditor needs to check within one week if the prototyping methodology is correct before deciding on the acquisition . neutral +This has increased the cost In fact , this reduced the cost . contradictory +As the conquerors entered the city gates in 1699 , the Venetians negotiated an orderly departure , taking with them , among other Christian artifacts , the cherished head of Saint Titus . The Venetians brought the head of Saint Titus when they left the city . entailment +You 'll find the most diverse range of beach activities at Matala , Agaa Galani , and Plakias . People of all ages enjoy visiting Matala , Agaa Galani , and Plakias . neutral +In fact , few if any members of the Slate 60 have had to suffer any diminution of their lifestyle as a consequence of having given away money . Slate members have not noticed any changes to their lifestyle when they give away money . entailment +Microgovernment does not seem to cost anything--no new budget lines , no new bureaucracies--but of course it does . The cost of microgovernment is seen in the hours that people put in . neutral +If you arrive in Riquewihr on a quiet day , have a good look at the stately Maison Liebrich ( 1535 ) and at the Maison Preess-Zimmer ( 1686 ) , on the main street ( Rue du G ? ? n ? ? ral-de-Gaulle ) . If you are in riqurwihr on a quiet day there ate great places to check . entailment +at least yeah Not totally entailment +They really screwed us . They made things right with us . contradictory +exactly right that 's see that 's what we did in Girl Scouts and and that got you involved real good and it i think it starts kids out on the right track and it lets them decide if that 's what they enjoy doing something I think that kids would really enjoy being involved with worthy causes . neutral +oh it is i there 's so oh indeed it is . entailment +They think that the past is now over . Even though they think the past is over , they believe the future is now . neutral +oh that would be good That would be really awful . contradictory +Thirasia now has separate settlements that can be visited by ferry from Santorini . Ferries travel from Santorini to Thirasia . entailment +These models are good only for small to moderate movements from the current position . The models are only good for small movements , like less than 4 degrees . neutral +( Actually , I think his definition of a hack is incorrect ; a hack is one who 's paid by the word or line , not one to whom the rules of journalism don 't apply . ) He misuses the word ' hack ' in his statements . entailment +Rest found few of them that night . Some demons were discovered that night . neutral +The lingua franca of commercial America has done what Esperanto could achieve universality . Esperanto could achieve what the lingua franca of commercial America has not . contradictory +Vrenna spoke with the dark-skinned man . Vreena talked to the dark-skinned man . entailment +The Financial Accounting Standards Board ( FASB ) has many of these items on its agenda . The FASB have many items to discuss . entailment +Runoff from cattle pastures goes into lakes , where swimmers get infected . The kids in the pool will taste cow manure neutral +so what do you think about it What do you think about flying across the country ? neutral +These migrants , who later settled throughout the Japanese archipelago , were the ancestors of the present-day Ainu , whose Caucasoid facial and body hair distinguished them from subsequent immigrants from China , Manchuria , Korea , and perhaps the Malay Peninsula . The ancestors of the Ainu looked identical to subsequent immigrants from China . contradictory +Although public attention focuses on the trust fund insolvency dates , the effect of financing Social Security and Medicare will be felt sooner as the baby boom generation begins to retire . We 'll see the struggle in financing Medicare as soon as the baby boomers begin to come of age . entailment +That 's because he has set out to make an argument , and only then rounded up whatever evidence he can find to support it . He considered the evidence at hand before making any argument . contradictory +But , even as he did so , he felt himself seized from behind in a grip of iron . As he was grabbed from behind , he wet his pants . neutral +You , with your views ! " You have certain views . entailment +One two three four " The Russian interrupted with a shriek : " Do not shoot . The Russian stoically accepted the possibility that he might be shot . contradictory +and the the lady is very pleased you know she says it 's got everything she want 's you know thinks she 'll ever want in a house and it was several thousand dollars less than the one that they sold so She 's over the moon about the house as it 's very close to an ice rink . neutral +and then i talked them into buying a HP Laser Jet I dissuaded them from buying a HP Laser Jet . contradictory +Start your day at the open-air Asaichi morning market down on the east bank of the Miya River , north of Yasugawa Street bridge . Asichi is a market where they sell produce and meats . neutral +Perhaps Zarco knew precisely where he was heading , having learned of the existence of Madeira from a Castilian source . Zarco learned of Madeira 's existence from a Castilian . entailment +so uh-huh i guess i take it for granted kind of because i just it 's always been that way but i know I don 't take if for granted at all . contradictory +and the shock on the system is is just too much so i have stuck to water aerobics basically you know the weightless thing and Weightlifting is too much of a shock to the system for me . neutral +John interrupted just as I had done . John was rude and often interrupted people . neutral +As you know , I have strong political ties to presidential candidate George W. Bush , however these are not the opinions of Red Herring Communications nor do they influence the journalistic ethics of any of the editorial properties of Red Herring Communications , Perkins wrote . The strong political ties to the presidential candidate don 't influence the journalistic ethics . entailment +Got no use for the family feud business . He hated family feuds . neutral +Such a rating system provides not only a measure of performance and awareness , but it also places primary responsibility for information security with the managers whose operations depend on it . Under this rating system , managers will have no responsibility for making sure information is secure . contradictory +The Kal stumbled back but San 'doro caught him and pulled him down . San 'doro caught the Kal and pulled him up after he stumbled . contradictory +yeah well listen it was good talking with you I hated talking to you right now . contradictory +However , if the auditor finds no additional weaknesses , management will receive a good awareness rating , even if controls need to be strengthened . Management will receive a good awareness rating if there are no additional weaknesses found . entailment +Bakaly , looking positively dyspeptic , Uh . Bakaly looked happy and free . contradictory +A new Dialogue on Freedom Web site -- www.dialogueonfreedom.org -- is giving lawyers the tools to conduct robust discussions with students . The site gives lawyers the skills to have discussions with clients . contradictory +When stock prices fell by a quarter in one day in 1987 , the American economy barely noticed , thanks largely to quick action by Greenspan 's Federal Reserve . The Greenspan 's Federal Reserve saved the American economy despite stock prices falling . entailment +Besides , even more telling than the views of academics are the images of Nixon in popular culture , where he remains resentful , paranoid , and ruthlessly power-hungry . Nixon is remembered as fair and happy . contradictory +I really don 't know . " I know exactly what to do . contradictory +uh-huh well or that at that it resolves anything in the end that that negotiations couldn 't resolve It really does not resolve anything that negotiations could not . entailment +As he jumped , he swung his war club back into his palm . While standing still he dropped the club . contradictory +Chat shows replayed his best sound Being gay [ has ] nothing to do with the ability to read a balance book , fix a broken bone , or change a spark plug . He cannot fix a broken bone . neutral +They also erected a fortress , called Nimrod 's Castle , on the site of a structure supposedly built by the same man who built the Tower of Babel . The fortress they erected was named Nimrod 's Castle . entailment +The winding road continues on through the sprawling settlements of Quinta Grande and Campan ? ¡ rio . The road does not go through any settlements . contradictory +Bring down the girl at once ! The girl must be brought down quickly . entailment +Much of our town 's prosperity comes from these mines . The mines were empty and brought in to income . contradictory +Sickness thickened in him , until he could feel his face wet with perspiration . He felt better than he ever had before , his face cool and smooth . contradictory +For example , while the university did not develop data on the actual cost of incidents , such as the cost of recovering from virus infections , the database could be used to compile such information , which would be useful in measuring the cost of security lapses and in determining how much to spend on controls to reduce such lapses . With enough data points , the database could be used to determine the cost of incidents . entailment +He opened his mouth . Bob opened his mouth to eat the hot soup . neutral +He was fightin ' Apaches an ' holdin ' th ' land , an ' that was what meant th ' most to his thinkin ' . What he valued most was holding the land and fighting the Apaches . entailment +More often , as with Fannie Mae , what you get is the worst excesses of both . What you get with Fannie Mae is the worst part , which hurts consumers greatly . neutral +Its odor was not unpleasant but it carried clods of soil at its ends . The scent was very earthy and clean . neutral +The MAST ( Michigan Alcohol-Screening Test ) , developed in 1971 as a screen for alcohol abuse and dependence , has 24 yes / no questions . Most people are too drunk to finish all 24 questions . neutral +Amar fails to grasp the purpose of the reversal . Amar does not understand the reversal 's purpose . entailment +Spare no expense . No expense will be spared . entailment +Spanish restaurants are classified and priced by a system of forks , with facilities and length of menu more relevant than the quality of the food . Most Spanish places are not very good . neutral +An elevator takes sightseers to an observation platform in the gorge below . It takes 30 seconds to reach the platform by elevator . neutral +What you tell me about the girl puzzled me , said Mr. Carter . I don 't understand what you tell me about the girl , said Mr. Carter . entailment +The road to and from Hana goes through the heart of tropical forests and the real Hawaii . Hawaii and its rainforests are very humid , possibly the most humid place in the world . neutral +well i don 't know what how do we end this thing i think it just says hang up why don 't we do that good-bye Sharon I am not sure how we end this thing . entailment +If the senses , to say nothing of the feet , need a break , relax on the waterfront with its abundance of open-air cafe . There are plenty of open-air cafes located on the waterfront , which are a great place to rest . entailment +How you ever came to think of it all so pat beats me to a frazzle ! " I don 't know how you came to think of it all because it 's so complicated . neutral +The monitoring process should also include policies and procedures for ensuring that the results of the reviews are communicated to the appropriate individuals within the organization so that they can be promptly resolved . Certain problems can only be solved by one person in the organization . neutral +Design features Uses site selection and usually a large number of cases Design features utilizes site selection in most cases . entailment +Wage numbers are a little harder to come by , but the U.S. Wage numbers are kept concealed so employers can keep that number on their side . neutral +The stage was now set for the French West Indies ' greatest hero , Victor Schoelcher . Victor was never a hero to the French . contradictory +After the Madness reads like going to court feels . Reading " After the Madness " feels like going on vacation . contradictory +Because such disruptions can limit DOD 's ability to effectively execute war-fighting operations , it is critical to find better ways of doing business . Disruptions of the DOD can include the failure of suppliers to meet delivery schedules . neutral +Black employment , home ownership , academic achievement , and college enrollment are up ; out-of-wedlock births , violent crime , poverty , and welfare enrollment are down . Poverty in the back community is increasing . contradictory +It looks dated , but this rainbow-painted beachside monster is still reputed to be the finest hotel in Tel Aviv . It is painted many colors . entailment +oh i think i don 't think so i i think that that uh i think they 've now just taken the attitude that well if it happens if it because it there a lot of things that that uh um like sports you know it 's a hundred meter Nothing will go wrong . contradictory +It was purple with rage , and the veins stood out on the forehead . It was in a pleasant mood all day . contradictory +He was the Mahatma 's favorite to lead India to independence . Mahatma was the best-qualified candidate to lead India to independence . neutral +The Chawk ( bazaar ) is famous for its perfumes , silks , and brassware . The Chawk is famed for it 's various wares . entailment +I 'm not proposing to kill you this trip that is , if you 're reasonable . " The Russian quailed before the stern menace in the other 's eyes . The Russian was scared as he saw the seriousness of his counterpart 's words . entailment +do you like that what 'd that voice say do you like to exercise because you want to or because you have to If you do exercise for fun , you 'll get better results . neutral +no something happens then what What happens after something happes ? entailment +FDA states that it has analyzed this rule in accordance with the principles set forth in Executive Order 12612 , Federalism , and has determined that the rule does not warrant the preparation of a Federalism Assessment . In other situations , the FDA will need to prepare a Federal Assessment . neutral +oh yeah that 's what she said they they were going to have the governor was going to try to have it declared a disaster area She said they were going to try to get the governor to declare it a disaster area because of the flooding . neutral +It was time to move the capital . The capital had long been overdue for a move . entailment +'You killed Derry . ' Why did you kill Derry with the ax ? neutral +and they were offering a a walking class where you you know you have to walk you know that like for every mile you walk and every so many minutes you get you get points you know and then you have to go in once a week and log your points so it 's not like you can do the class like anytime you want you know You can easily pass the walking class in a couple of days . contradictory +Although it 's not cheap ( admission to independent travellers is by day ticket only ) , this is without doubt the best place to sample the Dead Sea in comfort . It 's a great option for travelers on a budget , though it isn 't very luxurious . contradictory +Spanning the length of West Hollywood is Santa Monica Boulevard the center of L.A. ' s gay and lesbian nightlife . Gays and lesbians from all around the city gather in West Hollywood to party . neutral +Tina and the Weinsteins all have highbrow pretensions but feel no shame in embracing pop culture . Tina and the Weinsteins are both sophisticated and in touch with pop culture . entailment +The Rhine Valley region around Lyon is the epicenter of French gastronomy . The Rhine Valley region has nothing to do with French gastronomy . contradictory +Although some of the individuals and organizations that we contacted said that standardization of ITbased public participation innovations across agencies could lead to more participation in the rulemaking process , the agency representatives that we contacted generally did not believe that crossagency standardization was either necessary or appropriate . We decided not to contact any agency representatives due to the unimportance of crossagency standardization . contradictory +yeah the only reason i 'd do it is because i want to make sure that i get all my calls in before they they just up and pull the plug on the program you know The program will last indefinitely so I have plenty of time to make all my calls . contradictory +Such PP and E consists of Federal mission PP and E , heritage assets , and stewardship land . Heritage assets have never been a part of such PP and E. contradictory +Participants generally agreed that improvements in corporate governance will bring about improvements in auditing . There will be Improvements in auditing due to better corporate governance . entailment +right and and and kind of put little fissures on the on the paint of the bumper because it 's plastic so when it bent you know when the plastic bent it kind of cracked The accident caused minor cosmetic damage to the front bumper . neutral +The famous letter to the Times --Sirs , of all the people who might have reviewed my book , could you not find one who was not my former wife ? His book was a bestseller that year and for a few weeks the next year . neutral +You 've sure taken a shine to Californy lately , Anse commented . Everyone has seen how much you hate Californy . contradictory +Simply put , governments are bad . Governments are not good . entailment +What was all this about a lost key ? What was this about a lost doorbell ? contradictory +just about oh it really is it really is also i said we mostly did ours before we started a family We had to do ours before we had kids . neutral +When the trust fund begins running cash deficits in 2016 , the government as a whole must come up with the cash to finance Social Security 's cash deficit by reducing any projected non-Social Security surpluses , borrowing from the public , raising other taxes , or reducing other government spending . The trust fund isn 't expected to run on any cash deficits for 2016 so the government won 't have to scout for money . contradictory +Oh , come . Move here . entailment +Fiction has its glories , but concealment is merely squalid . Concealment of the facts is dangerous and irresponsible . neutral +Title 7 states that agencies should endeavor to establish automated techniques , including data interchange , and control whenever feasible so long as the interests of the government are protected . As long as the government 's interests are properly taken care of , agencies should automate wherever they can . entailment +Unemployment benefits are reimbursed by the former employer entity Employers resent paying for their fired workers . neutral +Similarly , articles about Gen Y--many written by boomer parents--are fulsome about how well boomers are raising their tots , how intimately parents and kids communicate , and how much kids admire mom and dad . it is thought that kids raised by that generation tend to admire mom and dad entailment +In addition to the aging population and the increasing cost of modern medical technology , the current Medicare program lacks incentives to control health care consumption . Medicare already has enough in place to limit the consumption of health care . contradictory +Bird 's-nesting boys , picnic parties , thousands of people passing ! There were Bird 's-nesting boys , picnic parties , and thousands of people passing ! entailment +The domed Renaissance interior is in restrained blues and grays , and is curiously unadorned . The Renaissance interior has no dome , but is elaborately embellished . contradictory +Six to one for the northerner ! someone shouted . The odds were 10-2 in the northerners favor . contradictory +Don 't be surprised when it flops . I think it will flop . entailment +That prompted the state 's two main legal services providers - Columbia Legal Services and Northwest Justice Project - to cut their staffs , Alexander said . Columbia Legal Services cut their staff by over thirty percent . neutral +there 's a lot of single parents too that are trying Many single parents are trying . entailment +I considered . I thought about it . entailment +Some recipients grew up poor and want to give back , while others feel the need despite having a middle-class upbringing . Some of them feel obliged to give back . neutral +San 'doro darted through the foot soldiers . San 'doro fled the field , leading his diminished host away from the soldiers . contradictory +Downtown 's Grand Central Market on Broadway is L.A. ' s oldest and largest open-air produce market . L.A. ' s oldest and largest open air produce market is on Broadway . entailment +Yes ? said Julius . No ? Julius asked . contradictory +yes yes that is that one that you were talking about That wasn 't what you were talking about at all . contradictory +well it 's got to be frustrating as hell for a particularly a cop you know they uh they go out and make the arrests and i guess the jails crowded the way they are before they can get the paperwork finished huh they 're releasing them or they 're releasing somebody just like them you know it 's a revolving door that uh Jails are crowded , so sometimes criminals are released before their paperwork is finished . entailment +A great favorite with children , it gives a fascinating glimpse into the late-Victorian obsession with traveling and collecting . It gives a fascinating glimpse into the late-Victorian obsession with traveling and collecting , it is a great favorite with children . entailment +The one item that did not change in the Postal Service update was the contingency . There was one item that didn 't change in the Postal Service update , which was the routes . neutral +13 Food Safety and Fundamental Changes Needed to Ensure Safe Food , October 10 , 2001 ( GAO-02-47T ) . 13 , October 10 , 2001 lists the Food Safety and Fundamental Changes Needed to Ensure Safe Food . entailment +Vicki taught us how to talk to these people without talking down to them . Vicki did not teach anything to them . contradictory +I thought you were dead ! he somehow gasped . I had no idea that you had survived ! neutral +Although borrowing from abroad helped finance additional investment , consumption rose more than domestic investment during the 1980s . The additional investments were financed at least in part by borrowing from abroad . entailment +Another 16 km ( 10 miles ) north on the narrow , twisting road is Curral das Freiras , a village that until very recently was truly isolated from the outside world . The village was very reluctant about the opening to the outside world . neutral +Jay Kim , who pleaded guilty to knowingly accepting $ 230,000 in illegal foreign and corporate campaign contributions , was sentenced yesterday to a year of probation , a $ 5,000 fine and two months of home confinement , to be implemented by an electronic monitoring device . Jay Kim claimed his was innocent the entire time . contradictory +Unfortunately , poor roads and limited public transportation hinder exploration of other parts of the island . Poor roads and transportation options affect exploration of the island . entailment +I pass over Alfred Inglethorp , who acted the bereaved widower in a manner that I felt to be disgusting in its hypocrisy . I didn 't even want to speak to Alfred who was pretending to be upset about the death . neutral +is it is it a hundred percent or is it fifty percent Is it one quarter , half or whole ? neutral +it 's called the clothes closet that 's what it 's called here in Plano right uh-huh and they distribute them to the people that need them Plano has a place called The Clothes Closet that distributes items to needy people . entailment +So both the manager and the technician got drunk on the same vodka , from the same bottle even , in each other 's arms , about which they didn 't want to be reminded . Both of them got drunk together on vodka . entailment +It is easy to rationalize avoiding or deferring taking action to address a problem if you do not know how big the problem is . When you have an incompetent in charge you will see how easily problems get misjudged . neutral +Although there are still some legal hoops to jump through , marriage would enable the same-sex partner of a U.S. citizen to avoid the very lengthy ( and frequently unsuccessful ) application process for citizenship . There are still some legal hoops to jump through , but marriage would not allow the U.S. citizen to avoid a very lenghty application process for citizenship . contradictory +Farther on , take the road to Jalon , where in late summer farmers sell muscat grapes to passers-by , and you can buy some of the strong local wine . The muscat grapes that farmers sell are from their own farms . neutral +You 'll catch it if you hurry . " You have a chance to catch it , if you are fast . entailment +That is the feeling that makes the children take out the broken tea pot and empty jam tin . This feeling makes kids do nothing . contradictory +it 's fairly facts whoever he talked to knew what uh the had had been in the program uh it was probably factual he 's kind of overdone a lot of it but um but you have to do that to make the books The drug addict would have to alter his books to show a profit even though he was not making one . contradictory +The McCain campaign has more specific evidence of success . The McCain campaign shows evidence of success . entailment +yeah somebody has to watch the store though you can 't really you know without overseeing Someone has to be in charge of the store . entailment +Auditors should design the audit to provide reasonable assurance of detecting material misstatements of financial statements or other financial data resulting from noncompliance with provisions of contracts or grant agreements that have a direct and material effect on the determination of financial statement amounts . The senior auditors do the designing of the audit . neutral +Whole scenes then follow , complete in themselves but like disconnected parts of the film . The scenes are incomplete . contradictory +As you face the harmoniously asymmetrical western facade , the southern tower , the Clocher Vieux , is a prime example of Roman ? ­ esque simplicity , whereas the taller northern tower , the Clocher Neuf , is already lighter , with its slender , more ornate steeple . The smaller northern tower looks heavier and more bulky . contradictory +Royal Selangor is on sale in KL at several major hotels as well as department stores . Royal Selangor can be found in KL at several major hotels and stores at a lower price . entailment +a little soy sauce and uh some uh seasoned salt mix all that up together and put it on the steak mix up soy sauce and seasoned salt then put it on the steak entailment +now what happens is all those that don 't have any money in the country move to the cities and they wish to get the same thing they say why can 't we have the same things that these other people have and the thing that we can do is we need money for drugs and what we have to do is we have to go there get some stuff steal it and then you know resell it People who don 't have money are not at all jealous of those with money . contradictory +We hope that the perspective and information provided in our The perspective is given clearly neutral +What has made it into the public consciousness--including , alas , that of many policy intellectuals who imagine themselves well informed--is a sort of caricature Keynesianism , the hallmark of which is an uncritical acceptance of the idea that reduced consumer spending is always a bad thing . The intellectuals are convinced they are not well informed . contradictory +What is deep ? Shallow versus deep can mean a lot . neutral +At a special reception for the opening of the National Gallery exhibition , Hillary Rodham Clinton revealed that her first date with the future president was to go see a Rothko show at Yale . Clinton said her first date in 1973 was an art show . neutral +Time ' s cover story on the amateur genealogy trend sweeping the nation points would-be researchers to the National Archives , Internet databases , and prison records . They had little to say about the topic . contradictory +The rapid spread of inquiry from an examination of the technology to an investigation of decisionmaking on that flight , to inquiry about NASA management as it affected the Challenger disaster generally , is what taking the context into account means . Examining NASA 's management during the disaster that occurred on the Challenger is all a part of making a contextual analysis of what happened . entailment +Ever since Ferdinand and Isabella , Spanish monarchs have retreated to this oasis to escape Madrid 's summer heat . The oasis has several palm trees and a swimming pool . neutral +, prefabrication and jacking up components ) . Prefabrication is a difficult process . neutral +The most striking building in the Parade is the white stone edifice that houses the Rodney Memorial , constructed in gratitude after Admiral Rodney 's fleet saved Jamaica by defeating the French at the Battle of Les Saintes in 1782 . The Jamaican army defeated the French army . entailment +yeah i think i think we 've talked about six minutes or so so We may have been talking about pointless things for about six minutes . neutral +oh he does Oh no he does not . contradictory +Some Irish still spit when they hear his name . The Irish denounce his name . neutral +It 's a ballot box , he says . The box located over there is for collecting voter ballots . entailment +Rivera pointed out that helping clients , many of whom are not native English speakers , becomes problematic as demands increase and funding to the Legal Services Corp. remains stagnant . Rivera thinks there needs to be an increase in funding . neutral +yeah the himmy is probably the sweetest one she 's she 's just a little sweetheart The sweetest one of them is the himmy . entailment +Tolerance of the practice varies . Tolerance of the practice differs . entailment +uh had to read Lost Horizons for her English class and i just realized i had never read it growing up so i just finished reading that for enjoyment I don 't need to read any books for my English class . contradictory +assess how effectively an agency is managing a system development contract . Determine whether an agency is managing contracts efficiently . entailment +After due consideration of the stakeholders ' ultimate appeal , the LSC President will promptly advise the state planning body of a final decision on configuration . The LSC President will advise the state planning body on how to configure the agency . entailment +These more immediate consequences would force action before national saving plunged to the levels shown in the simulation . There were no concerning levels shown in the simulation . contradictory +The bloody 16th-century conflicts between Catholics and Protestants throughout Europe centered more on political and financial intrigue than on questions of theology . The war of religion of the 16th century centered more on political and financial matters than on questions of theology , said the history teacher . neutral +SIR James brushed past Julius and hurriedly bent over the fallen woman . Sir James disregarded Julius as he checked on the injured woman . neutral +It 's also a good starting point for barge cruises on the Canal de Bourgogne . It 's also an excellent starting point for barge cruises . entailment +i kept hanging up on them for days until my husband told me what it was I did not know what they wanted . neutral +yeah we we grow a lot of um the basic corn corn potatoes We grow a lot of the basic vegetables like potatoes and corn . entailment +After all , the waters of the Canary Islands , only 445 km ( 275 miles ) to the south , had occupied busy shipping lanes for very nearly a century , and Genovese maps from the mid-14th century depict both Madeira and Porto Santo . The waters of the Canary islands is only 445km . entailment +Government 's Open System Environment Profile The government closed system profile . contradictory +After Britain seized Guadeloupe , Victor Hugues , commissaire of the Convention , wrenched the island back , proclaimed slavery abolished , and set about guillotining the old-guard colons . Britain seized Guadeloupe . entailment +The kings of Spain enjoyed being rowed down the river in gala launches . The gala launches were very large . neutral +It had been on a hilltop back in Tennessee , with the storm clouds of January overhead . There were storms in Tennessee in January but they were not too strong . neutral +He crossed the mountain rivers that roared down from the mountains of the west . He was walking in the desert . contradictory +Terre de Haut has several places to stay , but book ahead , particularly on weekends . All of the hotels in Terre de Haut are booked to capacity every single weekend . neutral +One of the most attractive products of the traditional arts is the highly decorative puppet used in the wayang kulit shadow theater . Shadow theater is the act of telling a story with cups . contradictory +Without mentioning Tripp or the Pentagon , I described her job there to the woman at Kelly . I described her job while avoiding any mention of Tripp . entailment +nevertheless retired I 'm not retired . contradictory +Memorandum . The memorandum is confusing to understand neutral +and EDS is very particular about this hair cuts i mean it was like you can 't have you know such and such facial hair no beards you know and just really detailed The EDS dictates how long a man can wear his hair . neutral +As a sophomore , the 6-foot-1 , 160-pound quarterback joined the freshman football team . The sophomore joined the freshman football team . entailment +As a result of further meditations , however , she turned aside from the direct route and entered a post office . She decided against taking the direct route and went inside a post office . entailment +The Sherman 's march through Chechnya is not just boosting Russian military pride . The Sherman 's march is contributing positively to the Russian military pride . neutral +I don 't suppose that everyone is like that . I 'm positive that 's how everyone is . contradictory +On February 11 , 1997 , EPA published a notice of proposed rulemaking in the Federal Register . The Federal Register takes care of approving or rejecting any proposed rulemakings . neutral +Begun after the Duomo in 1173 , it began to lean when only three of its eight stories had been completed ( the Duomo is also marginally off-kilter ) . It collapsed from leaning too far . contradictory +Though he forcefully presses his case toward a conclusion many will find radical , the tone is calm and respectful and the writing style gentle and inviting . Many will find the case conclusion he presses towards as radical , despite his tone being calm . entailment +The cleverly named Silicon Valley start up @ Home promises 30 million bits per second of bandwidth through cable-TV lines . Theoretically , @ Home can deliver a The start up is headed by former NASA and Google employees . neutral +Why come here ? The torrent has started already and many other southern villages surely draw the interest of bandits . There were ten large villages in the south of the country . neutral +In the New Republic , Robert Boyers condemns John Updike for setting his sci-fi novel Toward the End of Time in the aftermath of a horrific conflagration . In the New Republic , Robert Boyers praises John Updike for setting his sci-fi novel Toward the Horizon in the aftermath of a technologic evolution . contradictory +I cannot see any way in which I can be worth that amount of money to you . " I completely understand how I can be worth that amount of money to you . contradictory +Port Antonio plays host to the International Blue Marlin Tournament annually in October , when the harbor is filled with large and expensive sport-fishing boats from around the Caribbean . The International Blue Marlin Tournament is a huge fishing competition that attracts the worlds best anglers . neutral +no they don 't take any i mean i couldn 't even go there my husband couldn 't we would have to receive all this special permission to go there for even when some you know in in inner company you know transfer or something and i have another friend from uh Costa Rica that she was born there she 's Costa Rican i guess i do know a little bit i went to Mexico City one time and stayed i 've been there twice and stayed and that was that was just really sad but a lot of it though is their debt i think that we should not loan them anymore money that if we still want to give them money give them money quit loaning it to them you 're not going to get it back don 't be indebted to anybody don 't be the you know loaner nor borrower and it 's just not good we need to if we feel like we need to give them money then give it to them but quit loaning all the money out which i don 't think we 're loaning anymore now but that 's how we got into a problem if we got them we have sink them in the hole by us loaning them all of these billions of dollars that common sense you could just look at it and say they 're not going to be able to pay us back He will not go to the church in Guatemala . contradictory +But I find his storytelling both morally easy and artistically promiscuous . The storytelling is uninteresting . contradictory +and i grabbed the dog by the tail real quick and i discovered if you yank a dog 's tail real hard he lets go of a bird My dog had a bird in its mouth . neutral +The Astronomer sighed and said , " There are the boys ! " The boys were over there . neutral +Here 's the sketch on the place mat in the coffee Sitting in the lobby of a lovely art deco hotel , Crockett and Tubbs read A Man in Full aloud to Gloria Estefan . There was not a sketch on the placemat . contradictory +I guess that 'll be all right ! said a new voice , with a transatlantic intonation , " though I 'd like to point out , here and now , that things are getting a mite difficult . We don 't have much time to do this ! neutral +As Las Vegas embarks on the new millennium , one can sense an attempt by the city to accept its disparities , to come to grips with the nature of its own existence and place in America , and to thoughtfully wrestle with the challenges of its future . Vegas is trying to deal with their challeneges . entailment +You 're looking for the Eye , aren 't you , said the man . The man thought you were looking for the eye . entailment +oh really i thought it would show up with no matter what amount we I 'm not surprised that it appeared . entailment +Allowances will be allocated to a facility in a given zone in proportion to the sum of the baseline heat input values of affected EGUs at the facility as compared to the total baseline heat input of all affected EGUs in the respective zone . Allowances will be portioned to a facility based on a certain standard of baseline heat input values of affected EGUs at the facility , as relative to total baseline heat input of all EGUs in that zone in which the facility resides . entailment +An important town in Roman Gaul , replacing Lyon as capital toward the end of the Empire , Arles boasts a very well-preserved amphi ? ­ theater ( arynes ) , seating over 20,000 in the days of the gladiators . The amphitheater in Arles still hosts public events . neutral +I have information that the big coup was planned for early in the new year . I have information that the coup is planned for January . neutral +There 's a flower called Wandering Jew . The flower blooms once a year . neutral +We reported in February 1998 that IRS had not clearly defined system modernization phases , nor had it adequately specified organizational roles , making it unclear who was to do what . It was extremely clear who was to do what , because IRS had adequately specified organizational roles . contradictory +i don 't know things like you know well like acid rain and all these sulphur dioxides being dumped out there i i 'm more worried about that than i am just about anything else Acid rain and sulphur are bring dumped out there . entailment +Two women , more defiant than the others , lay dead . There were two women that had died . entailment +The interchange differs from the examples in the previous cases primarily in that ( a ) the payment is between two trust funds and ( b ) the payment may be made in either direction . The payment can be issued in one of two directions . entailment +" That 's gray an ' it 's purty , smells good , too . " Drew pulled up his shirt , dug into the pocket of the money belt for the horse papers . Drew 's horse was black as midnight . contradictory +Calendar of Events Calendar of Events for December . neutral +The creation of the Department of Homeland Security will be one of the largest reorganizations ever undertaken and the difficulty of this task should not be underestimated . The sheer size of the reorganization is a challenge that many managers are looking forward to . neutral +This misses the point . What I did missed the point because I wrote an essay about the American Revolution , when it was supposed to be on the French Revolution . neutral +uh yeah that was good yeah yeah yeah it 's true It 's a lie . contradictory +The fact that voters can and do reject incumbents will strike them as an epiphany . Incumbents seem unaware that they can be voted out . entailment +EPA utilized the cost and benefit analysis it performed pursuant to Executive Order They did not analyse the cost and benefit . contradictory +Chatterbox leans toward this latter interpretation , because he can 't recall ever seeing any true southerner smirk , not even Molly Ivins ; hers is a different kind of smile altogether . Chatterbox doesn 't remember ever seeing Molly Ivins smirk . entailment +The only thinker who is really honest about the implausibility of the liberal state , says Fish , is They did not find any thinkers whose ideas matched their own . contradictory +This section includes all the most important towns and regions to help you make your choice . The section shows a wide variety of towns , making it hard for you to choose . contradictory +that one pint of brake fluid can contaminate so many gallons of water you know like hundreds of gallons of water just two cups of brake fluid can ruin hundreds of gallons of clean water entailment +Best known for studying young girls , the feminist scholar is now studying young What we are discovering is how vulnerable boys are . The scholar who used to study girls has turned her attention to boys . entailment +Russell 's first two films , Spanking the Monkey ( 1994 ) and Flirting With Disaster ( 1996 ) , were much smaller in scale , but both were products of the same angry sensibility . Russell 's films are a result of angry sensibility . entailment +They are responsible for such activities as planning , setting standards and policies , and designing and managing architectures to guide introduction of technology products and services . The committee is responsible for several activities including : planning , setting standards and policies , and designing and managing architectures in guiding the introduction of technological products and services . entailment +Speaking of delivery confirmation , it is currently available for Priority and Parcel Post . Delivery confirmation needs to be accessible to all post types neutral +so you 're going to go to the big city of Lubbock huh yeah Are you moving to Lubbock ? entailment +Programs , however , are allowed to count closed cases for the elderly and for battered women under the following specific programs without financial eligibility information because these Federal programs require that clients be accepted regardless of financial Title XX Social Security Act , Titles III and IV Older Americans Act , and Violence Against Women Act . No closed cases can be counted , regardless of age . contradictory +A legacy of the high-rolling casino days in Cuba , cabarets have been kept alive and well as an outlet for tourist dollars . All of the cabarets have been closed in Cuba because they do not care for the history . contradictory +Dean was an industrial village , its economy depending on numerous small mills that have now completely disappeared . There used to be many mills in the village of Dean . entailment +Becoming highly leveraged has forced managers to think seriously about costs , trim overhead , and improve productivity . Managers have come up with good ideas to cut costs . neutral +Addi ? ­ tional alternatives are house and apartment rentals and camping or caravanning . The most expensive will be renting a house , and the cheapest will be camping . neutral +Stop blaming John . Stop saying it 's John 's fault . entailment +Thanks to its unstable subsoil , the Leaning Tower ( Campanile ) is out of alignment by about 4.5 m ( 15 ft ) though measurements vary . The Leaning Tower is out of alignment due to unstable subsoil . entailment +Take the A9 autoroute southwest from Orange to the Fournys-Remoulins exit , then follow the D981 to this gigantic 2,000-year-old aqueduct , without doubt the most impressive of all the Roman mon ? ­ u ? ­ ments preserved from an ? ­ cient Gaul . There are 17 surviving aqueducts in southern France . neutral +It stops at a number of villas en route . It is a non-stop express service . contradictory +right right did you have them in a center or something last summer Summer is usually a good time to put them in a centre . neutral +Or had she , in her turn , been shadowed and either tricked or forced into handing over the precious packet ? The precious packet was worth around five thousand dolars . neutral +Selected Local Shopping THere are only big box stores and no local shopping . contradictory +yeah well uh i don 't know the uh uh the uh Wal-Mart that 's where all of our bills are for the credit card I need to talk to someone about having a late fee removed on my walmart credit card . neutral +so it 's it 's like everybody is into it it 's just greed human greed interestingly about about that country is in Honduras Everyone is into it because of human greed , or it seems so . entailment +Prudie , this vile odor was beyond belief ! The smell was wonderful . contradictory +Everything went black . I got punched and my world went dark . neutral +Turn off on Contri Porti for others . Contri Porti is well worth stopping and seeing . neutral +Today , there 's a children 's playground and it is perfect for just sitting around on the grass , too . The playground is often occupied by local children . neutral +The word had filled his head as though the girl had whispered directly into both ears . The girl refused to speak to him . contradictory +GAO relies on a workforce of highly trained professionals who hold degrees in many academic disciplines , such as accounting , law , engineering , public and business administration , economics , and the social and physical sciences . Masters degrees are required regardless of academic background . neutral +He waved to the mercenary who glared at him but recognized him enough to not bother questioning him . He waved to the angry mercenary . entailment +The more likely reason , however , is that if the idea is ultimately judged constitutional--a big if--this will only be because it applies to those who do not have the full legal rights of adults . The idea absolutely will not be counted as constitutional . contradictory +that stuff is expensive The cost for that is very high . entailment +but um um well i 've made a lot of baby gifts it seem like that 's like especially lately there 's been so many babies that uh bibs and blankets and things like that wall hangings The number of babies has increased a lot . neutral +Boston Globe : Following his impeachment , Bill Clinton meets with colorful , possibly apocryphal , salt-of-the-earth Boston characters . Bill Clinton was impeached in 1992 . neutral +APPENDIX SAMPLE REPORTS the sample reports are in the appendix entailment +Catch your breath here and admire the view down the cliffside from the edge of the city wall before continuing to ascend the narrow streets . There is no view down the cliffside and only wide streets . contradictory +Red saw no harm in it . Red didn 't have a problem with it . entailment +really well it 's really lucky that you got away from that cause that 's It is a shame that you are no longer like that . contradictory +And sometimes , we are willing to pay a very high price--measured not just in dollars , but in the currency of lives--for that freedom . There is no need to make any sacrifices or expenditures to secure one 's freedom . contradictory +Where , after all , does one locate the home base for the Asian diaspora or the African diaspora ? Where is the home base for the Asian and African diaspora ? entailment +One of the major sights is the much-photographed , triangular 12th-century Palais de l 'Isle , which stands in the middle of the Thiou river like the prow of a boat . One of the major sights is the many times photographed , Palais de l 'isle . entailment +That 's because , for Lukacs , the horror of Hitlerism is simply an expression of the horror of modern collectivism . Lukacs finds the horror of Hitlerism similar to the horror of modern collectivism . entailment +so it 's getting to be i i usually have it done about every other week I finish this every day without fail . contradictory +yeah i like the campgrounds that have a nice shower I like it when campgrounds have a nice shower . entailment +Jon turned to Vrenna . He saw the fear on her face . neutral +Its airy arcades reach out to the 900-year-old basilica and turn a corner past the soaring brick campanile to the Piazzetta and landing stage of St. Mark 's basin ( il Bacino ) , historic gateway to the Adriatic and distant ports beyond . St. Mark 's basin has historically been seen as a gateway to the Adriatic . entailment +They 've got some kind of trouble with the sky . The sky seems to be having some trouble . entailment +The superbly landscaped Shuhekein pond garden is a legendary spot for meditation and contemplation in every season . The Shuhekein pond garden is poorly landscaped contradictory +For a narcotic ? You checked for a narcotic ? neutral +Either he 's getting bigger or the sun is setting . He looks to be two feet taller . neutral +Russia goes in there well the main government in Moscow goes in there and they kick everybody 's ass and the United States doesn 't go in there and say listen they were uh you know named an independent you know state with a president and everything but we 're not going to go into your country The country needs protection from Russia . neutral +Soon people waited for several hours for her delicious dinners and boysenberry pies . Her delicious dinners persuaded people to wait for several hours . entailment +By the police ! I gasped . I had no idea what was coming . neutral +I will rally the armies of compassion to nurture , to mentor , to comfort , to perform their commonplace miracles of renewal . To nurture , to mentor , to comfort are some of the responsibilities of the armies of compassion . entailment +Law firms fight for their names and contacts . The law firms that earn the contracts are more successful . neutral +it was same time period yes It was the same time frame . entailment +right i live here in Plano yeah I used to live in Houston . neutral +and that that doesn 't i 'm i like more of a variety than that in fact one day they they had they had three kinds of potatoes They had three kinds of potatoes and two kinds of salad once and I like the variety . neutral +Maybe we should stop worrying and learn to love this roller coaster , which has its dips but really does eventually climb to the sky--or at least has done so thus far . We need to be concerned about this coaster -- it can 't even reach the sky . contradictory +Dave tried to crawl out , but something held him back . Dave was held back . entailment +Dust rolled in a cloud with two or three riders at its center . Dust rolled in and there was only one man in the center . contradictory +Glimpses into his character do not add up to a full motivation for Bunt 's aimlessness ( Thomas Keneally , the New York Times Book Review ) . Bunt is very motivated and inspired . contradictory +But on average U.S. population densities are much lower as indicated in Table 3 which shows that the urbanized area of Paris is much more densely populated than that of New York . They wanted to show which one was more populated . neutral +If he was going to take the matter that way , it was no good arguing with him . It was pointless squabbling with him , if he would take it that way . entailment +My family insists on calling the big black skyscraper that soars over downtown the box that the Space Needle arrived in . After going on a trip downtown my family pointed out a nickname for a building . neutral +I don 't endorse the practice of paying sources . I don 't pay sources . entailment +It would please certain parties to find stolen stock hereabouts particularly army . It would make certain persons happy to discover stolen stock . entailment +Still , you waited to be alone before gratifying that ' interest ' of yours ? " You locked the doors and closed the windows before gratifying your interest ? neutral +well and you 've got to have you 've got to work for a living to You have to have a job . entailment +From here , the vista of the whole town can be seen , with a fine residential quarter to the right , and the remains of a series of magnificent temples to the left . The whole town can be seen from this location . entailment +but there the majority really haven 't done anything with their yards this neighborhood is is four years old Most of them haven 't done anything to their yards because of high prices neutral +Derived originally from ritual dances of the imperial court at Nara and Kyoto , in the 14th century noh became a fully developed masked drama of chanting , dancing , and highly stylized acting . Noh is a recent phenomenon which emerged from the Detroit breakdancing scene . contradictory +Like many of Ibiza 's churches , it was built as a combination house of worship and fortress . Much like a lot of other churches in Ibiza , it was constructed to be used as both a fortress and a place of worship . entailment +that 's about it as far as exercise For exercising that is just the beginning . contradictory +It 's worth going to church or visiting the fishing hamlet of Corosel just to see the ladies wearing the starched white bonnets called quichenottes , a St. Barts ' trademark that dates back to the time of the original Huguenot settlers . The fishing hamlet of Corosel is worth going to . entailment +On the floor above Conrad opened a door and Tommy passed into a small room . Tommy took the door above Conrad into a small room . entailment +Volume I also presents the following Volume I also shows the following . entailment +This new museum was built as an annex to the existing Royal Museum , a beautiful Victorian edifice with a large glass roof much like a glass house . The museum was built as part of the royal museum that already existed . entailment +The pressure on the land becomes less intense , so rural wages rise ; the pool of unemployed urban dwellers always anxious for work shrinks , so factories start to compete with each other for workers , and urban wages also begin to rise . Urban wages begin to rise as the pool of unemployed shrinks . entailment +you want to see what a baseball game is like and he describes it as you sit there in a crowd and it was nice weather and stuff it wasn 't a real problem but you sit there in a crowd and you 're waiting and waiting and waiting and you eat these lousy the hot dogs um because we made him try a hot dog you know and things like that and um There were a few clouds in the sky , and no wind at all . neutral +Imagine Harpo Marx giving the hot foot to a pompous official , who takes out a machine gun and blows him That 's how cheap Benigni 's hash of farce and tragedy is . Benigni 's writing is practical . contradictory +The commission 's October 1997 report , Critical Protecting America 's Infrastructures , described the potentially devastating implications of poor information security from a national perspective . The Commission has been giving monthly reports for 40 years . neutral +Appropriate steps would include counting records and comparing totals with the responsible agency or entity . Counting records would be an appropriate step . entailment +From here there is a fine view of the blue-and-whitewashed city . There is a fantastic view of the blue and whitewashed city from this perspective . entailment +And now for the home front , said Tommy , stretching out his hand for a peach . Tommy reached out for a peach and said it was time for the home front . entailment +oh no nobody has nobody has a non gifted child No one has a gifted child . contradictory +He also asked that local lawyers double the time they gave to the poor . Local lawyers don 't give any time to the poor . contradictory +Results are based on a model called the Model of Acidification of Groundwater in Catchments ( MAGIC ) used by the National Acid Precipitation Assessment Program ( NAPAP ) to estimate the long-term effects of acidic deposition ( sulfur ) on lakes and streams . Long-term deposition leads to increased water pollution . neutral +MEASUREMENT Measuring entailment +It did not complete 90 percent drawings-the best practice-until 1999 . I only completed 90 percent drawing in 1999 . entailment +He went north . He traveled fifty miles north . neutral +At the turn of the 19th century Los Angeles and Salt Lake City were among the burgeoning metropolises of the new American West . Salt Lake City was booming in the early 19th century . entailment +These functions are intrinsic to the entire facility acquisition process and underscore the need for the owner 's inhouse staff to be intimately involved in these aspects of the process , particularly the leadership role . Facility acquisition requires staff involvement to be successful . entailment +For example , the evaluators may not have selected the sites appropriately for the generalizability needed or they may have collected minimal information with little depth of inquiry . Evaluators might not have picked the sites well . entailment +Periodic comparison of resources with the recorded accountability should be made to help reduce the risk of errors , fraud , misuse , or unauthorized alteration . Periodic comparison would increase the risk of errors . contradictory +Must be a millionaire , remarked Mrs. Vandemeyer unbelievingly . Mrs Vandemeyer is jealous of the other person 's wealth . neutral +The Roman invasion of Palestine in 63 b.c. swept aside Jewish resistance , and in 40 b.c. The Roman invaded Palestine early in 63 b.c. to sweep aside any Jewish resistance . neutral +Within-Study Variation Variation within studies . entailment +Li suggested that co-morbidity or patients ' medical characteristics could also have a large impact on the success of interventions . Co-morbidity was probably the single most successful predictor of success . neutral +you know the height that you you set it at so i set it very high and it just picks or it skims the grass it doesn 't dig way down deep so i don 't have a lot of grass that i uh that i collect I don 't have to collect a lot of grass because it just skims the top of it . entailment +Participants agreed that in order to identify and serve groups that remain isolated , we need to broaden our language bases , bring more qualified support staff to our programs , use community leaders and be sensitive to tension between disenfranchised communities . Many of these isolated groups speak their own dialects that are difficult for outsiders to understand . neutral +Effective design review processes require work , some of it obvious and Design review processes never need any kind of work . contradictory +ONE HOUSE BURNS AND THREE FELL TO THE SPIKES IN THE RIVER , said the child 's voice in his head . I imagined the child threatening to burn the house and kill the people . neutral +with what i 'm involved with doing is kind of a controversial job anyway It would be hard for me to just quit my job . neutral +This is the election message Al D 'Amato could send just a few short hours from now . Al D 'Amato doesn 't have an election message prepared . contradictory +you know these parents didn 't know this the the kid was gone until the kid is knocking on the door screaming let me in you know can you imagine The parents were aware their child was missing the whole time . contradictory +Kal nodded to Vrenna . The Kal nodded in the direction of Vrenna . entailment +so she 's into this She into some weird stuff , I guess . neutral +and it 's a indoor fun park and it has a bunch of different rides for kids and there are lots of rides at the fun park entailment +yeah that that 's one of the i think the hard things right now i mean they 're going through some some tough times to say the least uh i know many of us are thankful that he still has a job We really like him as a teacher and we 're glad that he wasn 't fired . neutral +Was she a mental case ? Did most people think she was crazy ? neutral +'If he 's expecting a trap , he might just decide not to show up . If the fox thinks there 's a trap on the trail , he might take another one . neutral +so you do that and right and then we try to do a family activity on Saturday usually in the morning Last week we went for a hike in the foothills . neutral +Without that pipeline , the city would most certainly dry up and crumble back into the desert . That pipeline is essential to the continuance of the city . entailment +There are , however , regular small-plane flights to both islands and daily service by large rapid catamarans . Small plane flights between islands is a regularity . entailment +Beachfront location overlooking the cruise port , with three swimming pools , two whirlpools , water sports center , sauna , steam room , exercise and weight room , plus lighted tennis courts . Lighted tennis courts , an exercise and weight room , sauna , steam room , water sports center , three swimming pools , two whirlpools , are all included in the beachfront location , but you 'll have to look elsewhere once you get hungry . neutral +and i said well i 'd love that but I would like that except entailment +yeah it does basically though the the golf season only shuts down for maybe three months out of the year if that much you know probably not even that much because really It 's too bad the golf season only lasts a couple months . contradictory +His hair returned to its college heyday , when he could use sugar paste to style himself a Mohawk , just like a certain punk band member , who always stood on the left and played on a brown guitar , which these days could be found in the basement of the Ossolinskys ' residence . He kept the brown guitar from his jazz band days in his neighbors dog house . contradictory +and it is nice talking to you all righty I talk to you every day . neutral +Start perhaps with an evening ride along the open-air restaurants on Jalan Taman , better known as Glutton 's Corner . You can find open-air restaurants on Jalan Taman ( Glutton 's Corner ) . entailment +The net avoided cost measure ( NAC ) of the USO is the sum of the losses from unprofitable routes . The net avoided cost is calculated from all profitable routes . contradictory +The English slunk away without the loot . The English sailed away with a big loot . contradictory +There is a children 's room and a bookshop , and a good cafe and restaurant . There are no facilities other than benches here . contradictory +Senor , por favor please we have done no wrong . We 've never done any wrong in our lives . neutral +I had always fancied that his manner to Cynthia was rather constrained , and that she on her side was inclined to be shy of him . Cynthia couldn 't be shy . contradictory +He defeated them ? Yes . He defeated them . entailment +The greatest concentration of shops and entertainments is to be found around the original village . There is no shopping areas surrounding the village . contradictory +and bottle feed them and we just We did not bottle fed them at all . contradictory +To honor the ram-headed god , Egyptians created a necropolis of mummified rams at the site , covering the animals ' corpses with gold leaf . The Egyptians did not honor the ram-headed god . contradictory +Absolute power was the dominant feature of what post-Revolutionary France called the Ancien R ? ? gime . One defining feature of France , at the time , was a tight grip on the area . entailment +'I 've been looking for you . ' " I 've been looking for you " I said to the sunglasses I had misplaced . neutral +Similarly , 3 truckloads of mail weighing 3 ounces per piece get the same dropship discount as 1 truckload of mail weighing 1 ounce per piece . 3 truckloads of mail can be delivered in the span of just 20 minutes , neutral +She thought that Mrs. Inglethorp was shielding her stepson . Mrs. Inglethorp had a stepson . entailment +For example , as discussed in practice 10 , career development programs often include rotational assignments and not only provide excellent growth opportunities but also expose staff to a variety of career path opportunities . The more assignments you excel at the better your chance for a high income . neutral +stuff i guess that 's mostly public on public TV as a matter of fact you know when i was a kid excuse me my parents used to have we had this rule in our house for every hour of regular TV that we watched we had to watch an hour of public TV I never really watched public TV . contradictory +um-hum maybe i that 's about how much i can cook you know i 'm i 'm doing a lot more cooking now I 'm doing a lot more cooking now , I 'm getting good at it . neutral +FDA investigators also found a Philip Morris scientist who was silenced and fired after his research demonstrated nicotine 's addictiveness . Any scientist who researched nicotine was investigated by the FDA . neutral +Yes , it was a clever idea ! What a smart idea ! entailment +You can see his pervasive influence on Milanese artists in the decorative paintings of Bernardino Luini and a fine Portrait of a Young Woman by Ambrogio de Predis . Bernardino Luini was not influenced by him . contradictory +Flytrap also bears some responsibility for Washington 's paralysis . Flytrap has directly halted Washington 's progress . neutral +In my own case , I think that three years ago I would not have experienced the golden days I have described here . He did not describe any golden days . contradictory +A small drum took up a beat , and the slaves strained and tugged in unison . There was a strange lack of unanimity to the slaves ' behavior . contradictory +How do we fix this ? ' This is fixable . neutral +At the sound of the snapping fingers and his hoarse-voiced " abracadabra , " a dirty pot of hot and greasy stew came into existence . The stew was barely edible and caused great intestinal distress to everyone . neutral +oh yes animals have a way of talking Animals tell us exactly what is on their mind with their voices . neutral +It is unseemly behavior , even by the eye-gouging standards of political talk shows . The pornographic material that made it onto the politico show was uncalled for . neutral +The effective date of the statement as it applies to the consolidated financial statements , except for chapter 8 , is deferred pending further deliberations of the Board . The effective date of the statement excludes chapter 8 . entailment +Then you 're welcome to run Spur R with the Double R on the Range . " He held out his hand , and Drew grasped it for a quick shake to seal their agreement . Drew felt a handshake was as good as a contract . neutral +'It came from the back of the train . ' The back of the train is where it came from . entailment +they say that swimming is real good so i 'd like to try that as well and that 's probably something that that you could do you know family included I 've heard that swimming is good , so I 'd like to try that as well . entailment +The first solid references to this obscure settlement on the Castilian plateau , guarded by the looming Guadarrama mountain range , appear in the 9th century . The oldest acknowledgment of the settlement 's existence dates back to the ninth century . entailment +Under a multipollutant control scenario , mercury emissions would be controlled from coal-fired power plants by equipment that reduces emissions of other pollutants ( e.g. Mercury emissions will be controlled . neutral +The pharaoh sits impassively , wearing the double crown signifying his control over both Upper and Lower Egypt . The double crown that the pharaoh wears symbolises the control he had cover Lower and Upper Egypt . entailment +Core information management functions include project management , security management , and contract management practices that can apply to a variety of projects . Without these functions , the projects could not be carried out . neutral +I saw a strange look come into Dorcas 's eyes . I saw nothing strange about the look in Dorcas 's eyes . contradictory +He hopes a streamlined and more efficient network can be put in place to ensure that Floridians who need help have access to it . The current network is streamlined . contradictory +Moreover , many of these agencies find themselves without a clear understanding of who they are or where they are headed . Many of those agencies misunderstand how they are . entailment +Other papers fear controversy Other papers don 't care what people think . contradictory +We also suggest a small selection of holiday resorts and excursions on Napoleon 's wild and beautiful island of Corsica . We recommend a tiny selection of resorts and adventures on the gorgeous island of Corsica . entailment +It was the hunters of their village that had captured the tribes . The hunters murdered every single tribes member in cold blood , leaving no one left to capture . contradictory +In order to prepare effectively for the future , however , we must fully explore the major dynamic that will shape the United States and its place in the world and adequately prepare the federal government to meet the challenges that lie ahead . The United States will stay the same . contradictory +Everybody else in America will be doing it but us . Everybody else in America will be voting , but not us . neutral +Perhaps the only person who took the account seriously was the president himself . Everyone else , except the president , took the account seriously . contradictory +my uh my brother went out and bought a mower used you know he was looking for a lawn mower and he he just had bought a house he lived in an apartment before My brother saw an ad on craigslist for a lawn mower and pursued it . neutral +i don 't see it in the near future I don 't see you getting married in the near future neutral +Thinking over the interview , it struck me as being profoundly unsatisfactory . I found the interview to be incredibly satisfying . contradictory +Near the village of Marathi you will find the ancient marble quarries that sent stone to all parts of the Greek and Roman empires . Marble quarries were the most important resource in ancient times and this was heavily defended . neutral +Then I tore off a bit of gorse My ! The gorse stayed intact . contradictory +Notable as the only major American city built in the twentieth century , Las Vegas is particularly unfettered by any burden of history or preservation . Las Vegas is rife with historical landmarks , and the local community is committed to preserving them . contradictory +Another seafarer , the American John Kendrick , launched the sandalwood trade in 1791 , when China had run out of its own supply . John Kendrick was another seafarer and he launched the sandalwood trade , according to the book . neutral +The camp was a mess when they reached it . With no proper leadership the camp became a mess and we could not fix it . neutral +See here , it was like this , he said at last . He said it didn 't go well . neutral +Pimephales promelas ( 96 h , 22EC ) 6 17 Pimephales promelas ( 24 h , 25EC ) 7 6 Ceriodaphnia dubia ( 48 h , 25EC ) 7 11 Mysidopsis bahia ( 96 h , 22EC ) 8 14 Pimephales promelas does not exist . contradictory +Religious teens wear wristbands marked W.W.J.D. Religious teens are brainwashed . contradictory +The emperor 's role today is mainly symbolic , not unlike that of a modern European monarch . The role of the emperor in todays age is mainly symbolic . entailment +Choosing an appropriate method depends on understanding the evaluation question . Picking the right method depends on how you understand the evaluation question . entailment +Lewinsky has stated that ever since arriving in June 1995 , the brilliant young intern , known both for her shapely body and a powerful intelligence that would make her an asset in any high-paying corporate PR job ( Plato Cacheris , [ 202 ] 555-9432 ) , looked for ways to attract the attention of Bill Clinton . The White House always hires intelligent young interns . neutral +When that hope was realized in June 1967 , old buildings that had crowded the Wall were demolished and a wide plaza was constructed for the hundreds of worshippers who arrived daily . Worshipers crowded around the old buildings before they were demolished . neutral +Not at the moment , but I 'll bear you in mind , son . At the moment I 'll forget you . contradictory +read so many in school that they make a requirement of and yet there are so many out there They have a requirement as to how many you need to read . entailment +Who better to help a candidate extract weighty lessons from his personal history , to teach him to tell voters that their own successes depend on his own ? Candidates don 't need to learn a lesson , they 're fine . contradictory +You 'll soon notice how easy it is to get a cheerful early start on these islands . It is easy to start off your day in a very bad mood on these islands . contradictory +We helped spur the administration to make human We needed the administration to cooperate neutral +Took a car across the town mighty pretty place by the way , I guess I 'll take Jane there for a spell when I find her and then paid it off and struck out along those pine-woods on the top of the cliff . Took the car I stole from the garage under my place to take Jane to a pretty place across town so that she will fall in love with me . neutral +As noted , the method is particularly suited for answering cause-and-effect questions about the instance of concern . Cause and effect questions can be answered with this method . entailment +oh well we do have a Kmart here you better believe it isn 't there a Kmart everywhere I like to shop at Kmart for stuff I cannot find at the local shops . neutral +Shop fabrication has also been used outside of the U.S. Outside of the USA , shop fabrication has been in use . entailment +Hates you ? I cried , astonished . He hates you ? entailment +An imperious wave of his hand drove us all to the door . We stayed where we were and did not head towards the door . contradictory +The easiest way to get to Macau is by jetfoil , operated by TurboJet ( Tel.2859-3333 ) . If you want to go to Macau , you should try the jetfoil . entailment +Unfortunately , it seems to have failed its first test . It seems to have failed the first test , sadly . entailment +The country offers plenty of outdoor enjoyment , swimming and other water sports , or just sunbathing , on Alpine lakes , on the beaches of Normandy and Brittany , or at the famous resorts of the Cete d 'Azur ; first-class skiing in the Alps and Pyrenees ; canoeing down spectacular gorges ; and marvelous hiking around the country 's national parks and nature reserves . There is a lot to do outdoors , like go jetskiing or swim around the coral reefs . neutral +She Virginia stock ? " Was she born in Virginia or North Carolina ? neutral +Whenever viewers hear of the treaty again , the first thing they 're likely to think of is that map--just as the phrase Clinton health plan came to trigger the picture of Harry and Louise being denied the right to choose their own doctor . The association between Harry and Louise and the treaty was manufactured by aliens . neutral +The Spanish Chapel ( Cappellone degli Spagnoli ) is covered by huge 14th-century frescoes by the little known Andrea da Firenze . Andrea da Firenze is not a very famous artist . entailment +yeah well their coach has a lot to do with that i think The performance is all thanks to the players . contradictory +Cruises around Lake Annecy start from the Thiou river . There are no cruises around Lake Annecy that start from the Thiou river . contradictory +For more information about most of these hotels , particularly with regard to their casinos and attractions , look in Where To Go starting on page 26 . For more information about the hotels , check chapter 3 . neutral +Christopher wasn 't a wide person , and so his piece of conference table didn 't have to be too big either , which also practically solved office space problems in the 0-1 Computer firm . Christopher had a table at the 0-1 Computer firm . entailment +He was its only lawyer at first . Initially he was the only Attorney . entailment +That 's the secret . That is the plan . contradictory +So who wins Round Two ? So what was the prize ? contradictory +they i mean they got a big problem with the Palestinians they don 't need any other problems There are other threats in the immediate area . neutral +Flower stalls in the Plaza de las Flores are open every morning . Every morning the flower stalls in the Plaza are open . entailment +oh really well we you know like all of the stations seem to be pretty good it 's just we haven 't found one that we 've snuggled into Houston so we had a The stations are all really good , we just haven 't found one that clicks with us yet . entailment +Memorandum to Jim DeMocker , Office of Air and Radiation , Office of Policy Analysis and Review , US Environmental Protection Agency , June 27 . The memo was addressed to Jim DeLocker on September 27 . contradictory +Park in the main car park and walk the few meters into the village . Walk a the few meters into the village after parking in the main car park . entailment +During the Kennedy era , the Secret Service employed fewer than 500 people and had an annual budget of about $ 4 million . During the Kennedy era the Secret Service employed over 1,000 people . contradictory +Marjorie , it 's been a delight to correspond with you this week . I am so glad we are done talking , Marjorie . contradictory +But the Roman Empire became Christian in the fourth century , and Jerusalem became a center of religion once again . The Roman Empire only became Christian after Jerusalem became a center of religion once again . neutral +The central Kasumigaike ( Misty Lake ) is the most attractive of the ponds , graced by its Tortoise Shell Island the tortoise being much favored by the Japanese as a symbol of long life . The tortoise is a symbol of riches and wealth for the Japanese . contradictory +The new loan raised their mortgage debt $ 100,000 , to $ 360,000 . The new loan decreased the loan amount . contradictory +People ( for the most part ) didn 't find Mapplethorpe 's X Portfolio photographs objectionable because they depicted homosexuality . Homosexual content was the main complaint we here about Mapplethorpe 's X Portfolio photographs . contradictory +After this , the addresses in another ZIP Code would be printed . We can only print one zip code , there can be no changes . contradictory +One side of the street is a quiet row of gracious buff-colored 17th-century mansions , now home to banks and pastry shops dispensing calissons , the celebrated local delicacy made from ground almonds , orange , and candied melon . Calisson has ground walnuts in it . contradictory +and that they wanted in so they 're going to put it in the video and that way you can watch it at your leisure They will put it at the end of the video . neutral +Me , I 'll be glad to hit town . I 'll be glad to get to town in the morning . neutral +At two hundred miles an hour , you may survive ... with protective gear . You can survive the crash if you have a helmet on . neutral +His is exactly the approach of every celebrity journalist to his subject . Compared to every celebrity journalist , his approach is the same . entailment +The qa 'a led to the family rooms . The qa 'a didn 't go near the family rooms . contradictory +'I have to say , it has been a very bizarre experience . ' This trip has been the weirdest I 've been on . neutral +Note the colorful stands of dried fish and fresh fish , colorful pickles , stout young bamboo shoots , chicken wings and breasts arranged in elaborate patterns , and a whole cornucopia of squid , mussels , oysters , and giant scallops . There are many delicacies located all around the market . neutral +The memory of its fierce medieval history lingers still , the tales of family feuds that inspired Shakespeare 's Romeo and Juliet ended only with the 14th-century ascendancy of the tough Scalageri dynasty , in turn conquered by Venice in 1405 . The Scalageri dynasty began in the early 16th century . contradictory +I 'd like to run . Running is a hobby of mine . entailment +The trend toward interpretive installation , aimed at broadening art 's appeal by expanding public understanding , paralleled the transformation of museum-going from serious cultural pursuit to highbrow entertainment . The museum shifted to highbrow entertainment to help broaden art 's appeal . entailment +You speak like an educated girl ? Glibly enough , Tuppence ran through her imaginary career on the lines suggested by Mr. Carter . Tuppence spoke like a simpleton . contradictory +Commercial sites comprise only a fraction of online meteorology . Commercial sites contain online meteorology , although it is only a fraction . entailment +He walked to a computerized kiosk at the Lamoreaux Justice Center in Orange and started tapping the keys . He typed his information into the computer . neutral +For example , internal controls over expenditure data met the control objectives for aggregating and reporting this information on the financial statements ; however , they did not meet the objectives for calculating perunitcost efficiency measures required for performance management . They did not meet the criteria for calculating how efficient the plant is per unitcost . neutral +Adding to an earlier Gothic design , Donato Bramante Pope Julius II 's chief architect in Rome fashioned a magnificent red brick and white stone chancel ( tribuna ) in 1492 . Pope Julius II 's main architect was Frank Lloyd Wright . contradictory +LSNY 's role has been generally limited to certain administrative functions , though over the years it has come to run two programs of its own . LSNY only operates in administrative functions . entailment +They are too easy a target . They are easy to target with insults . neutral +Implementing Best Strategies at Work , Federal CIO Council , Capital Planning and IT Investment Committee , June 1998 . The Capital Planning and IT Investment Committee decided not to explore how to introduce workplace strategies . contradictory +Here 's your ticket . You don 't have a ticket . contradictory +'I hear you 've been enjoying yourself . ' I have heard that you are sad . contradictory +There are a number of cinemas in the Lake District that show the latest British releases and sometimes schedule retrosectives . The cinemas in the lake district always show all the oscar winners . neutral +Outside the window , the light reddened , dimmed , and was gone , leaving the big room illuminated by only a few witch lights . The window allowed the bright light of noon to pour through . contradictory +Only a few installations have required the relocation of the air preheater . Relocating the air preheater often damages the unit . neutral +to um make and everything and it 's usually well liked by people i guess i 'm just a seafood fan so i think on the lines Other people like seafood even though I don 't , so I think we should still do it for the party . contradictory +Its timber-framed houses of the 15th , 16th , and 17th centuries are marvelous examples of sturdy Norman architecture , achieving a pleasing irregularity in the way the plaster is set in oblique forms between the solid oak posts and collar beams supporting the balconies . Norman architecture doesn 't hold up well over time , so there are no examples left . contradictory +She stooped . She never stooped . contradictory +At the start of the October 1929 market slide , when investors were dumping shares as fast as possible , Thomas Lamont of Morgan assembled a consortium of investment bankers who committed themselves to putting $ 20 million into the market . Investors caused the market to tank when they dumped all their shares at once . neutral +Auditors should use their professional judgment to determine the form and content of the communication , although written communication is preferred . Auditor 's acumen almost never plays a role in writing communications . contradictory +I 'm not sure how with a pair of e-mail messages I managed to effectively double the price of Chuck Close lithographs . I effectively doubled the price of Chuck Close lithographs . entailment +The risk estimates from the vast majority of the short-term studies include the effects of only one or two-day exposure to air pollution . Risk estimates include effects from 1 or 2 days of pollution exposure . entailment +and uh he 's kind of unhappy i 've got it now He is really pleased that I have got it now . contradictory +Poirot had conferred with Japp in a low tone on the way up , and it was the latter functionary who requested that the household , with the exception of the servants , should be assembled together in the drawing-room . Japp asked that the household be assembled in the joining room . entailment +One of the breathtaking displays of color comes soon after the Kwoong Siew Association Temple , in the Sri Mahamariamman Hindu Temple on Jalan Bandar , on the west side of Chinatown . The temple is made of dark limestone . neutral +The nearby Cathedrale d 'Images uses a former limestone quarry as the backdrop for a stunning show of giant images . The Cathedrale d 'images displays many giant images . entailment +Drew heard a jingle of metal , the creak of saddle leather , the pound of shod hoofs . Drew did not hear anything because he was deaf . contradictory +The wrist supporters sold in the Real Goods catalog feature the antibiotic of the New Age magnets . The Real Goods catalog has wrist supporters with New Age magnets . entailment +Chinese exports quadrupled from 53,230 tons in 1995 to 224,331 tons in 1997 , with the average product cost dropping by 16 percent to 660 / ton . Chinese exports increased and product costs decreased . entailment +There is also some astonishing Rococo porcelain from Meissen , Vienna , Berlin , and Syvres . The Rococo porcelain there only comes from Lyon . contradictory +To carry this a step farther , the Marquis de Vaudreuil , Governor Bienville 's successor in 1743 , attempted to transform New Orleans into an overseas Versailles . Marquis de Vaudreuil wanted New Orleans to be nothing like Versailles . contradictory +they didn 't have a TV at all They didn 't own a TV . entailment +uh probably just twice Twice is the standard amount . neutral +The WSJ has these Monica 1 ) Vernon Jordan isn 't part of the joint defense agreement entered into by many other grand-jury witnesses with White House ties . No grand-jury witnesses would sign the agreement . contradictory +His book is crammed full of stray data he has disinterred about Dala 's Catalan ancestors , his sexual obsessions , and infighting within the Surrealist movement , which Dala was eventually drummed out of for his pro-fascist sentiments . Dala 's history shows that the Surrealist movement did not like him . neutral +If Microsoft ran the entire dry cleaning industry , it might very well choose to discriminate against women ( or men , depending on market conditions ) . If Microsoft ran the entire laundry industry , it might choose to discriminate against genders , based on market conditions . entailment +virtually working or playing myself to death all day Practically working or playing very hard all day long . entailment +The Wall Street Journal hailed it as proof of the success of new drugs . It was praised as proof of the success of the new drugs , from sources like The Wall Street Journal . entailment +Do you think she is manipulating us for her own goal ? Thorn stared at Jon for a long moment before speaking . Thorn considered the question . entailment +Not real early , Dad . It isn 't that early in the day , Dad . neutral +The chances of detecting a spike in toxicity would depend on the frequency of sampling , and the probability of missing spikes is high . It would be very improbable to miss a spike in toxicity . contradictory +One person perhaps . Probably one female student . neutral +IRA accounts allow income-earners to duck some taxation on that income if they promise to save it until they 're old . If you save your money until you 're elderly with an IRA account , you can dodge paying some taxes on your income . neutral +Watch for onyx from Argentina and shark-cartilage pendants from Uruguay , among other exotic items . Sharks are wastefully slaughtered merely for their cartilage and fins in order to produce rare goods . neutral +DEFERRED MAINTENANCE - Maintenance that was not performed when it should have been or was scheduled to be and which , therefore , is put off or delayed for a future period . Maintenance that is put off until later is known as deferred maintenance . entailment +yeah i think you 're right i think over the well goodness i guess you could go back as I believe it could benefit you if you go back . neutral +so if we 've done our three minutes let 's just let the conversation end and say bye nice talking to you too bye-bye We should end the conversation after the required 3 minutes . entailment +Time ' s trend infant massage . Time 's trend infant shaking . contradictory +And he fancies the risk not great since he will enter in the guise of a friend ! " Tuppence flushed , then opened her mouth impulsively . Tuppence doesn 't agree with his opinion . neutral +The staff is safety-conscious , so parents can relax at the park 's pools and cafe . The park is not safe for children , and parents should be wary . contradictory +Gingrich rose to fame by destroying a powerful Democrat ( House Speaker Jim Wright ) Gingrich berated Jim Wright for his extramarital affair and his indecisiveness . neutral +um so that 's limiting i tend to use it to log into the the mainframe at work I usually utilize it to log onto the mainframe where I work . entailment +For that reason , arguments for the complete elimination of taxes would be absurd , a fact that almost everyone , regardless of political affiliation , can recognize . There will be a few people who would like to see taxes eliminated . neutral +Y 'all always do the same , says the white mayor of 60 percent black Selma , Ala . , at the end of their interview . You behave the same way , said the major , but nobody heard him . neutral +that looks that was fairly comfortable yeah and it was why and Nolan Ryan pitched the first seven innings today and he gave up three runs in first inning and i said oh my God here we go again you know you know with two outs walk walk home run b ang we 're down three to nothing We are ahead by ten points . contradictory +Due to the inherent uncertainty surrounding long-term projections , the Trustees ' reports also include two other sets of assumptions , a high-cost and a low-cost alternative . The other assumption 's a medium-cost alternative . contradictory +yeah you shouldn 't even worry about most of the stuff i mean i don 't know it 's a little near sighted but uh I know this is near sighted of me . entailment +Second , we are coming ever closer to a worldwide middle class , the class from which athletes typically are drawn . Athletes from the upper class rarely occur . neutral +He believed studies from England and New Zealand should be viewed very critically because access to health care is easier than in the United States . Healthcare is easier to access in England and New Zealand . entailment +On June 17 , 1997 , the FCC published a notice of proposed rulemaking in the Federal Register seeking comments on the proposal . FCC published a notice of proposed rulemaking in the Federal Register towards the end of the 20th century . entailment +Do you think I don 't know ? Do you think I knew it all along ? contradictory +William Strauss and Neil Howe are co-authors of The Fourth An American Prophecy . Two men wrote The Fourth An American Prophecy together . entailment +Herzl 's tomb is here , along with a small museum ; in the gardens nearby are the burial sites of other modern Israeli leaders , including Prime Ministers Yitzhak Rabin and Golda Meir . Yitzhak Rabin 's burial site is in a different city from that of Golda Meir . contradictory +Also beyond the Strip and Downtown lie other signs of a real living and breathing metropolis . Outside of the Strip and Downtown are normal living and breathing metropolis . entailment +For one thing , it was dirty . The house was spotless . contradictory +i i have got to run to a meeting it 's good talking to you i don 't think we 've gone our our ten minutes but i think we 've we 've talked long enough so It 's been great chatting , but I 've got to get to my meeting . entailment +you did you actually live in Saint Louis It is true that you lived in Saint Louis . entailment +Herculaneum is smaller ( only a fraction has been recovered ) and less renowned than Pompeii , but its very compactness and better preservation give a more immediate sense of the shape and ambience of a whole Roman town , this one just 7 km ( 4 1 / 2 miles ) from Vesuvius . Herculaneum is much larger than Pompeii and has been poorly preserved . contradictory +Unless the two people have an agreement not to read anything about Monica , both defend against extreme unhappiness by reading the info , settling for moderate unhappiness . Reading about Monica always puts the pair in a good mood . contradictory +Given the steady decline in the personal saving rate , it is doubtful that Americans would willingly reduce consumption so much that the nation would be at risk of saving too much . The personal saving rate is increasing . contradictory +But I am most serious . I 'm being completely serious , even though I 'm standing on my head . neutral +we got up the next morning and she said i don 't know about you but she said i 'm going into town and we 're going to buy some long johns She went to town to buy some long johns after i got cold . neutral +it is it really is and i mean they 're the first ones that take the brunt of everything They 're the first politicians to take the brunt of everything . neutral +If you have sufficient time to explore Japan , you might want to begin and end your visit in Tokyo . If you are exploring Japan , it 's not worth it to make a visit to Tokyo . contradictory +This means , potentially , an even bigger slice of institutional pie for someone else---one of you , to swallow . There is never gonna be full equality for everyone when it comes to the institutional pie . neutral +Structural steel is used primarily for the absorber , ductwork , and supports , and secondarily in miscellaneous components including reinforcement of existing structures at a facility . Structured steel is a wonderful and sturdy material . neutral +We are safe here , said Ca 'daan . Ca 'daan said that we were safe here . entailment +Still , if scientists had to set up some , sort of a religious mumbo-jumbo .... Even so , if scientists had to create a system of religious jargon ... entailment +In addition , it is inappropriate to use the scoping phase as an ad hoc exploratory case study accompanied by an urge to issue the product at the end of scoping , when the necessary procedures for an exploratory It 's inappropriate to use the scoping phase as a case study . entailment +Proposed Vampirization to be contingent upon total extraction of victim 's own blood and its subsequent replacement by blood of donor vampire . Vampires can only donate but not receive blood . contradictory +Though Cretans are bemused as to why anyone would want to hike without any purpose but the pleasure of it , they have a genuine welcome for travelers on foot . the Cretans do not welcome people who travel by bicycle . neutral +Not only was it not Fri . It wasn 't only not friday entailment +Snorkeling and skin diving are particularly rewarding at a number of isolated inlets and nearby islets , and boats to take you there are readily available . You do not need a permit to snorkel at nearby islets . neutral +Jon looked at him for a moment . Jon looked at another man . entailment +c ) Betrayed by Linda Tripp . Let down by Linda Tripp . entailment +yeah now see i agree with that i i don 't think a person should be electrocuted or hung or you know in in other words i believe that they should be punished and done away with on one hand like i say if they 're if they 're guilty beyond a reasonable doubt but if there 's the the other the other hand where you say you know if there 's just that slim chance that they didn 't do it and then you know spend the time say life imprisonment then at least they have a chance to over the years be proven not guilty I think everyone should be given the strictest of punishments . contradictory +This standard requires that the consolidated financial reports12 of the Federal Government and the financial reports12 of its component units contain RSSI relating The standard requires that the consolidated reports contain RSSI relating to meet IRS standards . neutral +yeah enjoyed it Bob No I hated it . contradictory +hi Fernando i 'm Bill My name is Bill , and you must be Fernando entailment +In the Victorian era , the town expanded northward from its original site ( a Roman settlement at Waterhead ) ; the commercial center now lies approximately 1 km ( 1.2 mile ) from the lake . There was no Roman settlement in the area in the Victorian era . contradictory +A regional Special Educational Advisory Project ( involving four programs ) to do outreach and advocacy for children , and a regional Team Child Project on joint advocacy between legal services programs and public defender offices for youth entering the juvenile justice system have also been established . The Special Educational Advisory Project is one of several groups that advocate for children . neutral +Fires and hurricanes during the last century subsequently reduced its importance . Earthquakes were responsible for diminishing its importance during the last decade . contradictory +Needed skills are compared with existing capabilities in the organization to determine gaps in the IT skills base . They already have a large array of skills . neutral +It concluded the section specified four categories of prohibited activities , of which three appear [ ed ] to prohibit the type of activity named regardless of viewpoint , while one might be read to prohibit the activity only when it seeks reform . Four categories of prohibited activities were specified in the section . entailment +thank you good night Thank you , have a good night and weekend . neutral +good deal well i tell you what uh yesterday i went out and played a little golf and uh i paid the price my neck got got burned to a crisp I played golf yesterday and my neck got sunburnt . entailment +you know why didn 't they just if they was gonna lock just lock them in the freezer take the money you know they didn 't have to kill them or rape them or anything They had to rape and kill them to get the money . contradictory +Who wrote that piece of shit , anyway ? This is the worst piece of writing ever . neutral +As illustrated in the following graphic , congressional requests and mandates for GAO services have increased in recent years . In recent years , congressional requests and mandates for GAO services have decreased . contradictory +Jobs lost in one place are often created in another ( although there are serious questions about whether the jobs will be as good , particularly for industrial workers ) . Some jobs are lost . entailment +and her mother had the same attitude as she as she did they were convinced that the absolute only reason i called the police was because she was black it had nothing to do with the fact that she stole from me The girl was sent to prison for one month . neutral +Burly to a tee , these men had the look of predators . The men seemed to be wimpy . contradictory +But once such a gun is broken , where can they get another ? Can you buy a gun around here ? I want to buy one for my father . neutral +That 's bolted too . It wasn 't bolted . contradictory +Steven Spielberg takes Time ' s cover as he ends a three-year absence from the screen with three new movies , including The Lost World , a sequel to Jurassic Park . The article concludes the 50-year-old Spielberg has grown up since E.T. , but not too He 's still a boy at heart . The Lost World is one of Spielberg 's new releases . entailment +The Mahayana allowed worship of the Buddha and recognized other holy figures as well . The Mahayana considered worship central to their culture . neutral +And what the heck are you doing here , anyhow ? Don 't you have somewhere else to be ? neutral +uh-huh then it should happen yeah It should happen then . entailment +The curious thing is that they certainly did not know anything about you when they first held you prisoner . New prisoners were thoroughly checked and everything was known about them . contradictory +Revolving funds need capital in their operations and may invest some of that Revolving funds need more capital than anything in the world . neutral +The following morning the indefatigable Albert , having cemented an alliance with the greengrocer 's boy , took the latter 's place and ingratiated himself with the cook at Malthouse . Albert got an alliance with the greengrocer 's boy who worked at the store down the street . neutral +The woman 's 2-year-old nephew cried out Her nephew called out . entailment +The central line of his speech proclaimed a New Patriotic Challenge . They canceled the man 's speech . contradictory +The Postal Service might stop ( or substantially alter ) its detached address label program for advertising mail . The detached address label program may be stopped by the Postal Service . entailment +But there is nothing benign in this question ; it is an echo of To be , or not to be ? It is a whimsical manner , and inspires light thought and nothing more . contradictory +Perhaps you are more likely to blind only yourself . If you do not use protection , you will make yourself blind . neutral +Ca 'daan gasped but it was little more than wind on the air . Ca 'daan gasped quietly . entailment +EPA believes that , at most , there are only two firms which manufacture outboard or personal watercraft and jetboat engines that qualify as small entities . The CIA is the one believes only two firms manufacture small entity engines . contradictory +The journey usually takes three hours , even longer when short stretches of the river dry up , forcing passengers to walk along the riverbank while the boatmen push the launch through the shallows . The journey is arduous neutral +For a minute Tuppence thought she was going to spring upon her , which would have placed the girl in an unpleasant dilemma , since she meant to draw the line at actually letting off the revolver . If the girl kicks Tuppence , she will get shot . neutral +Finally , to simulate the effects of allowance updating , the value of reallocated allowances can be calculated and subtracted from each unit 's cost of generation - thereby inducing each unit to change its profit-maximizing level of generation in response to a given set of fuel , allowance , and electricity prices . Nothing can be done to stimulate the effects of allowance updating . contradictory +That is where I discovered my ' last link , ' and I owe that very fortunate discovery to you . " I would have found my last link without your help . contradictory +The amount involved , however , was not enough to justify bringing in a lawyer and Massello didn 't know how to begin a case in small claims court . The amount was too small for it to be worth hiring a lawyer . entailment +and and where did you say you were from Where were you from again ? entailment +Saving beyond the golden rule rate is counterproductive and would reduce consumption not only initially but also in the long-term . Saving more than the golden rule rate just reduces consumption . entailment +Program Letter 2000-7 makes clear that the state planning initiative will continue to be LSC 's highest priority . The LSC places the highest priority on the state planning initiative . entailment +Most visited , perhaps , are the Baths ( Terme ) , not particularly lavish , but in excellent condition , well equipped and practically laid out with separate areas for men and women . The baths are in good condition and are popular with visitors . entailment +but i don 't know how corrupt the Honduran government is but the Who knows how corrupt the government is . neutral +Both mags run wine stories . The two magazines covered wine stories . entailment +I speak for you also , I know . I only speak for myself , not you . contradictory +As outlined below , we used several techniques to identify the study participants . We used more than one method for identifying study participants . entailment +On the 1 ) Former guitarist John Frusciante returns to give the band a hint of their former jammy-jammin ' glory ; and 2 ) Rolling Stone is wildly positive ( four stars ) , if completely alone in its enthusiasm--They 've written a whole album 's worth of tunes that tickle the ear , romance the booty , swell the heart , moisten the tear ducts and dilate the third eye ( Greg Tate ) . John Frusciante was a former guitarist in a band . entailment +'They were just a bunch of elderly , white , slave-owning men who happened to be both not stupid and not in the wrong place at the wrong time . They were young black men that got where they were through hard work . contradictory +what i do is i bowl i am a fanatic when it comes to bowling and i used to bowl five times a week so i really loved it and i still bowl at least once a week now on a league on on a and i 'm bowling on the TI league I love bowling , I am a huge bowling fan . entailment +An analysis of the costs and benefits of the rule was conducted by the Food and Drug Administration ( FDA ) and published in the notice of proposed rulemaking on August 11 , 1995 , and is contained in the preamble to the final rule . The FDA concluded that the rule would not be practical to enforce . neutral +and splurge a little bit We 'll be really conservative with our spending . contradictory +Remember to use the area code in parentheses beside the telephone number . The area code is listed next to the phone number in parentheses . entailment +She did so . She didn 't do that . contradictory +Mobile phone operators noticed a significant fall in earnings due to a drop in profits from SMS fees . There was a drop in profits from SMS fees . entailment +On occasion , the congressional client ( s ) who requested the work may ask to see the agency 's comments before GAO 's final report is issued . The client never wants to see the comments contradictory +oh how oh yeah you can have it come on just early in the morning and and off by the you know by the time you 're up and about yeah i i usually get it started for my wife and i and she moves it around ever other day I usually get the coffee going in the morning for my wife . neutral +Letter from John John sent the letter to his girlfriend . neutral +The Boulevard des Capucines and the Boulevard des Italiens , known as the grands boulevards , meet at the Place de l 'Op ? ? ra , which was a focal point in Baron Hauss ? ­ mann 's urbanization plans in the mid-19th century . The Boulevard de Capucines was built before the Boulevard des Italiens . neutral +After she and a Globe editor checked into a $ 400 a night suite at a hotel near Frank 's office , Suzen went out for the evening . Suzen checked into the hotel before going out for the evening . entailment +Taxis are expensive and vulnerable to the city 's sticky traffic situation ; and information on the tourist-unfriendly bus service is almost entirely in Japanese only . Most methods of transportation in Japan are not tourist friendly . neutral +A cut point with a high sensitivity and specificity should be manifest in an ideal test . A cut point with high specificity would not be present in an ideal test . contradictory +Movie garb was automatically read as part of the tradition that stretched back to silent Hollywood days , with everything made specially for the stars and uniquely worn by them . Reading movie gard will soon become an extinct tradition . neutral +They are presumably not there to enjoy the weather or , for that matter , to do anything productive . ) They 've been there for two weeks and counting . neutral +But there would not be , nor could there have been , an overall increase in prices . Prices dramatically decreased . contradictory +She wasn 't a patient there ! She did not classify as a patient at that place . entailment +Drew would never use quirt or spur on the stud . Drew only used kind words to encourage the stud . neutral +Corroborating Evidence You should consider the extent to which corroborating evidence is likely to exist and will independently support your findings , conclusions , or recommendations . The existence of corroborating evidence and its ability to offer independent support for your suggestions , findings , and conclusions is something that you want to consider . entailment +BUSINESS TYPE ACTIVITY - Significantly self-sustaining activity which finances its continuing cycle of operations through collection of exchange revenue . Selling products and buying supplies may both be considered as business type activities . neutral +OK , again , there is no doubt some kind of case to be made against that . A case will not be made against it . contradictory +POSTAL SERVICE AUTHORITY TO DEVELOP , INTRODUCE AND PROVIDE NEW PRODUCTS AND SERVICES Postal service power to grow , introduce , and give new products and services . entailment +The main entrance into Toledo , between the new 16th-century gateway Puerta Nueva de Bisagra and the bullring , stands the Hospital de Tavera equal parts palace , orphanage , and church built by a 16th-century archbishop of Toledo , Juan Pardo de Tavera . It took twenty years for the Hospital de Tavera to be built . neutral +Landsburg notes , What if he [ the president ] keeps us out of war through policies that make the world more dangerous for our children ? Maybe we should embrace war instead of trying to stop it by policies , Landsburg notes . neutral +In Los Angeles , many of the victims ended up at the office of the Legal Aid Foundation of Los Angeles , a legitimate nonprofit organization . In Lost Angeles , the Legal Aid Foundation provided most of the help to the victims . entailment +probability of being drawn . They were hoping for it to be drawn . neutral +As summer progresses and the crops are harvested ( usually early July ) , the ground dries and becomes dustier . The heat makes dust abundant when crops are harvested . neutral +A possible future president roughs you up and you don 't remember it ? You don 't remember being beaten by a man who might become president ? entailment +Marcel Preest spent many summers at its splendid Grand Hotel , where he wrote part of his A la Recherche du Temps Perdu . Marcel Preest was a summer guest at Grand Hotel . entailment +Other exhibits include gilded thrones studded with precious stones , a pair of solid gold candlesticks set with 666 diamonds ( one for each verse of the Koran ) , and reliquaries containing the hand and part of the skull of John the Baptist . The exhibit featured very little gold . contradictory +As much fun as it was to read these books , it 's been even more fun discussing them with you . We are in a book club together where we read and discuss books . neutral +And Drew had to thank that system for having taken Johnny Shannon away from the Stronghold before the Kentuckian arrived . Drew knew that the Kentuckian was getting close . neutral +Las Vegas for Children Children aren 't allowed in Vegas . contradictory +Ten or twenty years . A decade or two . entailment +a uh special effects man who somehow gets involved in this um oh i 'm not sure i can 't remember It 's been a while since i 've seen it But he he gets involved in some sort of bad dealings with somebody and he has to go underground and he uses all of his special effects knowledge in doing what needs to be done A special effects man goes underground and uses his skills there . entailment +yeah that 's probably uh uh something that uh is is you know is good for both of them i know that uh my older son i could never get him interested in cars and i couldn 't you know i just like you know you sure you 're a boy i mean your not interested in cars i mean he he just I could never get my son interested in cars , and it made me question his masculinity . entailment +Warhol 's Skull ( 1976 ) now reads unavoidably as a premonition of AIDS . Warhol 's Skull has nothing to do with AIDS . contradictory +so you have a little you know little you can program the one at Cosmopolitan Lady so You are an expert programmer I 'm sure you can do it . neutral +The conversation antechamber , contributed by Carlos III , has four handsome Goya portraits . Carlos III contributed the Goya portraits at the urging of his wife . neutral +6 ) During high-speed , mechanized processing , some flats with open edges become aerodynamic . Some flats become aerodynamic during high-speed processing . entailment +and on each letter what types of changes are they typos are they because i couldn 't read it or people just change a like one word because they think it sounds better or whatever are the changes typographical errors , or are they just because i wasn 't able to decipher them entailment +A millionaire several times over , murmured Kramenin . Kramenin murmured something about making mere thousands . contradictory +His blockmate confesses to Wachtler takes the occasion to celebrate the Miranda warning . Wachtler would celebrate the Miranda warning . entailment +Another was the need for something more adequate than naturalistic generalization for evaluation purposes . Evaluation purposes have been adequately served by the current naturalistic generalization . neutral +Regulatory agencies are required to prepare supporting materials for many of their proposed and final rules , including economic analyses ( i.e. Regulatory agencies have to discard supporting materials for the rules . contradictory +Also keep your eyes open for a first view of Kanchenjunga , 8,586 m ( 28,168 ft ) high and the world 's third highest peak , after Mount Everest and Pakistan 's K2 . Kanchenjunga is a more popular target for climbers than Everest is . neutral +Management sets the objectives , puts the control mechanisms and activities in place , and monitors and evaluates the control . The objectives are created by management . entailment +Luxor and the Valley of the Kings The Valley of the Kings is called that because it is home to tombs of ancient royalty . neutral +Jack uh-huh are you uh from Dallas too Beth Are you from Dallas . entailment +After its critical design review , the F-22 program encountered several design and manufacturing problems that resulted in design changes , labor inefficiencies , cost increases , and schedule delays . Despite a critical design review , the F-22 program was found to be perfect and was on schedule to complete far below the estimated costs . contradictory +well that 's good well you too and well i know they will and besides that my daughter wants me to put her to bed so well have a good day bye-bye My daughter is already asleep so we can continue . contradictory +'Irritatingly , that man is certainly worth his ego . ' That man thinks he is really great at singing . neutral +it 's a it 's a tough question it really is i guess if i had to say you know yes or no i would say you know yes i i would have to lean toward capital punishment you know for certain crimes I don 't think capital punishment ( or death penalty ) should be the punishment for any crime . contradictory +Punch , the ubiquitous drink of local rum , sugarcane syrup , and lime , is popular from dawn to dusk . Punch with rum is a popular drink of the natives during the day . neutral +Take my word for it . I have years of experience . neutral +so uh what do you plan to do with it So do you have any proposal on what to do with it ? entailment +because it is a four percent that they take They take four percent . entailment +and and to me you know it 's like now i 'm twenty two but i still feel you know it 's like yeah we never threw a football or something and the way i was brought up and he wants me now he like he you know like he wants to be best friends now and it 's very We were always together when I was young . contradictory +When Warm returned to work , everybody looked at him mysteriously . Warm never returned to his job . contradictory +Yes , abortion is anathema to John Paul II , who is bemused by suggestions that he has an obsession with the subject , but he condemns abortion because he sees it as not only anti-life but also anti-woman . John Paul II is bemused by suggestions , that he has an obsession with the subject of abortion , but he condemns abortion , because he sees it as anti-woman . entailment +Consequently , the Army can eliminate its weakest candidates--about one-half of blacks and one-third of whites--and still have a large number of blacks--about one-third of the Army . The Army has only Asian-Americans . contradictory +The shelf life of preteen bands is measured in months . Preteen bands have a shelf life of less than a year . entailment +Why couldn 't he just be ' Luigi Santini ' ? If he just went by ' Luigi Santini , ' things would be better . entailment +you took my favorite program off the air and do you do you think it 'll ever be back and they said no we don 't think it will be well that was channel eleven and now it 's on channel four My favorite show is no longer on the air and was told it won 't be back , however it is now on channel four . entailment +Akbar decided it was better to have them on his side than to try to convert them ; when he married the Maharaja of Jodhpur 's sister , Jodh Bai ( for whom he built a grand palace at Fatehpur Sikri ; ) there was no question of converting her to Islam . Akbar converted Jodh Bai to Buddhism after they married . contradictory +The submarine , the sinking ship , every one to take to the boats and so on . The ship wasn 't sinking . contradictory +It simply asserts that , in calculating a firm 's potential value , you can 't assume that earnings are simultaneously retained and paid out--and that the Glassman-Hassett argument depends on precisely these conflicting assumptions . The Glassman-Hassett argument has been debunked long ago . neutral +um-hum um-hum get a northerner through here Someone from the South would be more beneficial . contradictory +so uh the campaign that you worked when he was running for governor and that and he was elected that time You worked with him when he was elected . entailment +Or he hasn 't really thought it through , which itself would cast doubt on the depth of his faith . His faith may be lacking . entailment +Moyers ' kind of journalism seems designed to place this thought in the viewer 's No right-thinking person could ever disagree with all these nice , smart guests . Everyone will agree with the guests because they are intelligent . neutral +Won 't you save her from their clutches ? " Someone asked if they would save someone from somebody . entailment +In the second , Legal Aid Society of Orange County will create a national technology training and curriculum project to build capacity across many audiences within the legal services community . Orange County is employing hundreds of people to help with technology training . neutral +With respect to setting priorities , GAO considers the nature of the requested work in light of Senate and House rules governing the committees , including their appropriation , authorization , budgetary , and oversight jurisdiction over a program or activity . There are no House and Senate rules governing the committees . contradictory +having personal problems for some reason that 's causing them to have behave differently and their manager assumes they have a drug problem i mean if someone assumed that of me i would be upset Employers don 't take the time to consider whether employees need emotional support and instead assume the worst . neutral +so i was very comfortable you know in doing it when it got to the point that we had to do it but there 's well i had an occasion for my uh mother-in-law who had fell and needed to be you know could not take care of herself anymore was confined to a nursing home for a while that was really not a very good experience uh it had to be done in a hurry i mean we didn 't have you know like six months to check all of these places out and it was really not not very good uh deal we were not really happy with the We visited 10 nursing homes . neutral +We conclude with the Sporades islands . You can visit the Sporades islands by air or by boat . neutral +Mention of trade names or commercial products does not constitute endorsement or recommendation for use . Mention of trade names certainly constittes endorsement . contradictory +Little horrible beasts with--with--I can 't describe it . Horrific small beasts and I don 't know how to describe it . entailment +Also shown are a lot of stars--24 or 25 , one of them could be a dust speck--symbolizing something to do with the sky or night time or celebrities or spaceships or celebrities in spaceships like in Star Wars . There are a helmet and some ferns or laurel , some kind of leaves , and a Latin motto , Salus Populi Suprema Lex Esto , which , if I remember my Latin , means The Best People in This State Don 't Have To Obey the Traffic Laws . One of the stars could be a rock . contradictory +Davis , ironically , has accepted a history appointment 3,000 miles away--at Long Island 's State University of New York at Stony Brook . Davis works in academia in the department of history . entailment +uh tell you what um i 'll let you start or if that 's all right You can start talking and then I will ask questions as I get them . neutral +i would like uh yes i have worked outside of the home and i was in one of those safe occupations i was a school teacher I was a teacher . entailment +As one might expect , high-income families typically have accumulated more net worth than low-income families . Higher earning families tend to have less wealth built up over time compared to those who make less than they do . contradictory +The point of making these physical standards is to educate your nose to recognize these aromas in an undoctored glass of wine . Physical standards do not help you recognize aromas . contradictory +The pages that follow describe the work of those and other recipients of The National Law Journal 's pro bono awards for 2001 . The National Law Journal gives awards to 10 pro-bono attorneys . neutral +oh yeah see you just It 's really easy and I have no doubt that you 'll get the hang of it . neutral +I 'd love some , the president drawled , his eyes widening with desire , but let me finish up here talking about highway appropriations with Sen. The president wasn 't interested in it . contradictory +The man 's cold eyes never changed . His eyes remained as they were . entailment +On the road to Knosses , look for the Natural History Museum of Crete an often overlooked attraction but worthwhile for those who enjoy geology , flora , and fauna . Nobody would be interested in visiting the Natural History Museum of Crete . contradictory +It 's her handwriting all right , but I knew it wasn 't from her because of the signature . The signature was different from hers , but the handwriting looked like hers . entailment +Field structures and Lab structures . contradictory +American Beauty won three Golden Globes , including Best Drama . Acting awards went to Hilary Swank for Boys Don 't Cry , Denzel Washington for The Hurricane , Janet McTeer for Tumbleweeds , and Jim Carrey for Man on the Moon . HBO series , including the critically hyped The Sopranos , won most of the television awards . American Beauty won 2 Golden Globes . contradictory +When we 're with friends he generally covers it well , but with family his anger is obvious . He masks his anger when we 're with friends , but fails to do so with family . entailment +well mobile homes have changed a lot probably since you had one ours is wood sided ours is wood sided There 's a lot of innovation in the mobile home industry . entailment +Given Wolff 's transparent contempt for his industry , his business partners , his end users , and his colleagues--actually , everybody but his wife and Isaacson--it 's a miracle he got as far in the Internet business as he did . Wolff has reason for his dislike of his industry . neutral +Defense So could we . Arming ourselves , we were good at that . neutral +In addition to core values , we all need to keep certain timeless principles in mind at al times . We need to remember some principles . entailment +There is no alternative to evolution , asserted Barry Lynn , executive director of Americans United for the Separation of Church and State , during a recent Fox News debate . Alternatives to evolution don 't exist according to Lynn , but there is room for darwin . neutral +because oil you can buy for eighty five cents a quart but if you buy that same oil at a dealer it 's going to cost you probably two dollars a quart The oil at the dealer is fancy synthetic oil , which is why it costs more . neutral +no used to used to but none none right now There used to be , but not now . entailment +[ a ] resolutely ahistorical reinterpretation ... The interpretation was purposely made without any historical context . entailment +On the basis of their comments and our continuing reviews of leading organizations , we consolidated and refined the list of practices to those presented in this guide . We trimmed and put our lists together . entailment +White sandy beaches and gentle sea breezes are for many the perfect recipe for a holiday from the stresses of modern life , and in Malaysia the offerings are plenty . Perfect recipe for a holiday from the stresses of modern life is sleeping in pricey Malaysian hotels . contradictory +In spite of myself , my opinion of his sagacity was immeasurably heightened . I started thinking that he was a very stupid man . contradictory +Unless you feel really safe in French metropolitan traffic , keep your cycling ' you can rent a bike at many railway stations ' for the villages and country roads . You should not cycle in the French metropolitan area . neutral +'You know , Ben , ' Lincoln said , ' I 'm really not sure why I should continue trusting you . ' Lincoln told Ben he didn 't fully trust him anymore . entailment +Chitwan , Heart of the Jungle in Nepali , is a tropical forest on the southern border with India . Chitwan is on the southern border of Nepal near India . entailment +Consistent with GAO 's Congressional Protocols , the congressional requester ( s ) will be notified before a draft report is provided to an agency for comment and will be offered a copy of the draft for informational purposes when the draft report is provided to the agency for comment . He 's still under arrest , making the headline ' British Court Frees Chile 's Pinochet ' both correct and non-misleading . contradictory +Personal Communication with C. Martin of ADA Environmental Solutions , August 14 , 2001 . Private communication with C. Martin of ADA Environmental solutions . entailment +The Ptolemaic era came to an end with its most famous ruler , Queen Cleopatra . Queen Cleopatra was the most famous ruler of the Ptolemaic era . entailment +It 's her name , said Tuppence , opening her eyes very wide . Tuppence opened her eyes wide to convey interest and anticipation of response . neutral +Do you reckon there was a dictaphone in Jane 's room ? I didn 't see a dictaphone in her room . contradictory +i know well all the restaurants here too at one time now it 's see how i 'm not in the restaurant business anymore so i really don 't know but at one time the whole kitchen crew and the busboys and everything were all illegals in in most of the restaurants i worked in as a waitress you know it whether that came to a halt i don 't know I don 't work in a restaurant anymore . entailment +As European power-brokering turned into World War I , Egypt became vital to the British , being close to the enemy Ottoman heartland , and allowing quick passage through the Suez Canal to her dominions in India , the Far East , Australia , and New Zealand . World War I started . entailment +and uh you know it is kind of sad to see all these people that you know have the resources to hire somebody and have the money to spend to put their money in places they don 't have to pay taxes or to buy something that loses money so that they can I feel perfectly okay with people finding ways to avoid paying taxes . contradictory +Here 's Ole Tar wantin ' his special grub Drew went on to Shiloh 's stall . Here 's Tar , wanting his special food . entailment +At bequest time , the strategic gift motive would evaporate , and the favored child would be favored no longer . STrategic gifs are unhelpful . contradictory +By then you 'll be more than ready to sample some heady Arbois wine ' try the vin jaune with a chunk of Comt ? ? cheese . It 's impossible to sample Arbois wine as it is no longer made . contradictory +I had never met anyone so certain , so intense , so observant , so impatient , so intelligent . I have never met someone so driven . entailment +Saved a lot of wiring , or something . a lot of wiring was saved . entailment +A naturalized German ? asked Tommy . A German citizen ? Questioned Tommy . entailment +Outdoor BBQ , poolside or indoor dining . There is dining by the pool or inside .. entailment +and then the United States has this attitude by saying you know thank you for keeping us our freedom and stuff like that and i think it 's all independent because it 's it has nothing to do with the United States you didn 't gain anything from it I 'm happy with the attitude of the United States . contradictory +I 'm looking for a friend of mine whom I thought might have walked this way . " I thought my friend came here , so I 'm looking for him . entailment +Abolition and Beyond Slavery could still be around . neutral +The problem was that British strategists , who were fighting the Ottoman Turks in 1917 , had secretly promised the lands to their World War I Arab allies . The British had other allies during World War I to whom they promised lands . neutral +In that respect , the operations of the boards should reflect a culture that embraces these responsibilities . In order to succeed , the board must embrace the culture and the responsibilities that come with it . neutral +How come you give George a pass ? Why are you always punishing George for the crimes of others ? contradictory +When he graduated from college in 1964 , he turned down a chance to play for the Detroit Lions so that he could start his coaching career . When he graduated , he turned down an offer from the Detroit Lions in order to begin coaching . entailment +This attitude of his gave me furiously to think , and I was slowly forced to the conclusion that Alfred Inglethorp wanted to be arrested . Alfred Inglethorp 's attitude did not make me think he wanted to be arrested . contradictory +Brief interventions may be used to motivate such patients to seek or accept a referral to more intensive treatment . To motivate such patiens toseek or accept a referral to more intensive treatment , brief interventions can be used . entailment +Esme , played by Judi Dench , is an actress who lives for the theater . Dench played Juliet . contradictory +You can take a case just on its merits . All cases are taken regardless of their merit . contradictory +Some drank and when they did they went crazy , mad with blood lust . They seemed to remain calm after drinking . contradictory +Henceforth Fort-de-France would be the island 's only significant center and the largest city in the French Antilles . There were several other cities that were almost large , but none quite as great . neutral +yeah uh i was uh i was pulling for the Bengals when they uh lost the Super Bowl The Bengals were int he Super Bowl . entailment +Then why did you ask ? Why did you ask that then ? entailment +That is arsenic ” not strychnine , said Poirot mildly . Poirot pointed out that it was not strychnine , but arsenic . entailment +I also know of one man who waited until Statistical Science agreed to publish the article before circumcising his son . I know a man who waited until an article was published by Statistical Science to circumcise his son . entailment +Now everyone go on out and tease a fat guy on me . Go in and hug a skinny gal . contradictory +( Fewer than one in 40 men in the study backed out due to the pain . ) Most of the men dropped out of the study . contradictory +Just off Lower O 'Connell Street in Lower Abbey Street is the Abbey Theatre . The theater is on Main Street . contradictory +One of the things that stopped me was that I was afraid I would wind up shoveling dung . I was stopped from taking the job since I would end up being a dung shoveler . neutral +You want them to hear us ? he whispered indignantly . He implied that another person should keep it down . entailment +first of all i 'm gonna to tell you i i have two little kids but they 're not in public school yet i i get i get that experience starting next fall with kindergarten I have two children that are not in public school . entailment +Still , for barbed wisdom , surprises , and technique , there 's no one like Spark . Spark has barbed wisdom . entailment +1 . What Are Key Issues in Evaluating National Saving ? When assessing national saving , are there are any issues that stand out ? neutral +The city that has become second in size only to Jerusalem began as recently as 1906 as a tiny neighbour to the noisy , crowded Arab town of Jaffa . The city has been established for a long time , and was nearly as big 100 years ago as it is now . contradictory +I left with dreams of becoming a brigand , a highwayman . The last thing I wanted to be was a highwayman . contradictory +Sharpe and approximately 1000 other slaves surrendered peacefully , only to be rounded up and publicly executed . About 1000 slaves surrendered , then were rounded up and killed in public . entailment +Otherwise , Dave would find venom being transported into his blood in increasing amounts until the pain drove him mad . The venom would kill him in time . neutral +A library of over 40,000 volumes covers all aspects of Arab culture . The library has more than 40,000 books on the topic of Arab culture . neutral +The woman had called the day before she was to be evicted from her apartment . The woman wasn 't about to be evicted from her apartment when she called . contradictory +This report is designed to present information about national saving and its implications for economic growth and retirement security . National savings has an impact on economic growth . entailment +Keep your eye on that sad-faced electronics specialist . Watch the sad-faced electronics specialist carefully . entailment +Here is a city teeming with movie stars , exorbitant wealth , sunny beaches , palm trees , and beautiful people . Exorbitant wealth can be found in the city . entailment +so under the circumstances Given the circumstances surrounding the election . neutral +Florence 's most elegant shops continue the Via de ' Tornabuoni 's centuries-old tradition of aristocratic luxury . Many of the shops are owned by the descendants of their original owners , a tradition that stretches back centuries . neutral +Nearby , leading north from Shiji-dori , is another important market area worth Teramachi ( literally , temple district ) . Teramachi contains many shops and food markets . neutral +( The rule of thumb is that they 're only worth something if the company is a success and is acquired or goes public . ) There is one rule : companies are worthless unless they treat their workers fairly . contradictory +Achieved results-All critical objectives must be assessed achieved results . No critical objectives must be assessed . contradictory +yeah just just students It is just students at that location . neutral +Hillary is buttoned up . Bob is nude . contradictory +Yes , it is queer . It is strange . entailment +It is home to Hong Kong 's first racetrack . It is home to Hong Kong 's first death camp . contradictory +That was one of them . That 's one of them . entailment +In the precincts of the American left that still dream of Fidel and Che in the Sierra Maestra , Rieff 's book was greeted with murmurings of disapproval--the kind of murmurings that had greeted Sontag 's famous Town Hall declaration of the moral equivalence of communism and fascism some years before . None of the American left like Fidel or Che . contradictory +He was the head of a foundation for the self-promotion of the Ossolinsky family , well-known descendants of Polish-American aristocrats , engaged in business ventures there , and charity work here . The Ossolinsky family are a middle class family from Europe . contradictory +, people who don 't exist ) are suitable candidates for Jedi knighthood ( perhaps Yoda will enlarge his definition of fear in subsequent episodes ) . Suitable candidates for becoming a Jedi knight . entailment +The only specialized labor necessary for SCR installations are members of the boilermakers trade , and estimates of boilermaker demand were made . Little specialized labor is need for installations . entailment +He heard a great tearing sound of thunder . He heard a loud thundering before the space-time continuum ripped in half . neutral +During the 19th century some criollos ( particularly in Oriente , the island 's poorer , eastern region ) became increasingly disenchanted and desired greater autonomy . In the 19th century some people wanted increased autonomy . entailment +oh that 's great oh all the time do you watch Cheers or Yes , I like that too and watch it all the time , I like Cheers better though . neutral +At least not for the better . At least not for an improvement in healthcare . neutral +well it 's yeah it 's it 's primarily just uh like landscaping a little bit you know i 've got some uh bushes around the foundation you know the foundation planting things like that and then there 's some uh uh just some little flowerbeds and my mom grows she 's an avid gardener and she starts her own stuff from seed now and uh she gets a little over zealous when she is planting these seeds in the winter time and and starting them uh she ends up with so many plants that she can 't fit them all in her garden they have a huge yard and a huge house and so she brings them up here from Philadelphia and gives me all her extras my mom didn 't always start her own stuff from seed entailment +" Been drinkin ' again , fightin ' , too , by th ' look of you . " You look like you 've been relaxing at home . contradictory +With a population of 120,000 , it is a larger city than most expect to find on such a tiny island , but in fact you can walk across the center in just 10 to 15 minutes . Being a city built on an island , the population is extremely low , like 100 people . contradictory +we as i said we have had a uh relatively mild winter for speaking for this area of the country This winter has been the coldest on record . contradictory +I was the youngest Ser ever to be accepted for training as a Sather . I had to train for 20 long , grueling years . neutral +The spot finally shifts to Clinton , filmed at the White House in glorious color . Clinton was filmed at the White House . entailment +Tommy took to his heels and ran none too soon . Tommy knew that if they caught him he 'd be in trouble . neutral +A plurality blames the scandal on Clinton 's enemies , not Clinton . The scandal is infrequently blamed on the Clinton family 's enemies . neutral +RAPS4 must be further tested as a stand-alone screen in isolation and against other tests . RAPS4 must be tested in isolation before it can be tried against other driving tests . neutral +yeah be uh well it 's too late hey hey if i were starting my own country from the beginning It 's never too late . contradictory +that that that 's actually real good yeah we um we actually we have the reverse situation turns out that um um most of my friends aren 't Jewish and and and my wife 's not but i That 's the same as us because my wife and friends are all Jewish even though I am not . contradictory +But even if Pollard is guilty of all that Hersh charges him with , Clinton the politician knows that freeing him is a political win , a present to some of his dearest supporters . Freeing Pollard would show supporters that she can be bought and paid and thats what they like to hear . neutral +and uh you know we 've eaten there sometimes and it 's pretty good it 's you know it 's a little more expensive than than i normally like to spend plus the other thing is i 'm not uh i 'm not a big seafood fan Sometimes we eat there but it 's expensive . entailment +to strengthen information security practices throughout the government . The state governments also wanted to increase security in all agencies . neutral +The mule trotted on to the middle of the plaza . The mule did not move anywhere . contradictory +A provision written into the bride 's dowry granted special favors to British settlers on Madeira ; had Charles been more aggressive still , perhaps the Portuguese would have agreed to hand over the island to Britain in its entirety . A provision gave British settlers special favors . entailment +I 'm not quite easy in my mind about the souffle , explained the other . I 'm not entirely sure about the souffle . entailment +These neighborhoods , often overlooked as too Downtown by newcomers , are what longer established cities would consider treasures . No other cities would consider these neighbourhoods as treasures . contradictory +Destroyed in the 1948 war , it is now being rebuilt . The Germans had bombed the city in their attempt to eradicate any and all Jewish culture . neutral +The man who came up the staircase with a furtive , softfooted tread was quite unknown to Tommy . Tommy quickly recognized the man who came up the stairs with a sure tread . contradictory +oh we got to do that this summer we 're dreading it While it is rather unpleasant , we will do it this summer . neutral +Local fire officials should be notified of any potentially hazardous conditions . Local fire officials should be informed about potentially hazardous conditions . neutral +That 's how presiding FISA Judge Royce Lamberth feels . Judge Lamberth approves FISA warrants . neutral +. Wrong again . Incorrect once more . entailment +You don 't get such books unless you 're at least of student rating . He sighed , then shrugged . Anyone can get these books anytime they want . contradictory +No , he might be killed ! And Rennie 's tone indicated he meant just that . The man was already dead . contradictory +Had Flytrap never occurred , Gore surely would be running on the Clinton-Gore economic boom . Gore was completely responsible for what happened . neutral +Pollard may have spied for a friendly country , but he did a traitor 's work . Pollard 's actions are not excused by a sense of allegiance . entailment +They don 't understand that they 've lost that fight and that Bush is willing to repudiate the fight and everyone in it--including them--in order to ruin Gore 's strategy and beat him . Bush is willing to ruin Gore 's strategy in the upcoming election . entailment +The mercenary looked back , turned to the fat man , and shook his head . The mercenary shook his head after he turned to the skinny man . contradictory +so where where are you near I have an idea where you are . neutral +The first question to Bauer Wednesday was , Don 't you just give this story more momentum by doing this ? Bauer Wednesday , aren 't you just adding fuel to the fire ? entailment +Comfortable beachside rooms with TVs and safety-deposit boxes . The rooms are comfortable and have big screen tvs . neutral +The larger hotels will usually hold a aGreek ' evening on one night each week . Greek society is not celebrated here . contradictory +Fraud and defamation laws presumably apply to Net advertising , just as they do to all advertising . Net advertising presumably is the same as all advertising in regards to fraud and defamation . entailment +Players express their appreciation to the Lambeau fans by hurtling into their midst , for just one moment becoming one of them . Players always remain separate from the fans . contradictory +you know that was uh that was a really interesting because it was a great big room the bathroom it was it was a great big room and uh and i remember the the vents you know just right over the top of the toilet I never went to the bathroom there . contradictory +Say , he observed thoughtfully , " did you ever make a darned fool of yourself over a girl 's face ? " Tommy , after a moment 's astonishment , searched his mind . Tommy was surprised for a little bit after asking a question . entailment +Misdirection . The men tried to make the opponent look the other way . neutral +incorporated an initial regulatory flexibility analysis of the expected impact on small entities . The analysis is done properly . neutral +Stage One is assimilating the enormity of what I have to do . Stage One is telling me what I 've already done . contradictory +Because the cost behavior of the U.S. Behavior of us cost is great neutral +It isn 't stable yet ! It is not level ! entailment +There was a pause , and then Dr. Bauerstein drew two keys from his pocket , and handed them to John . Dr. Bauerstein handed John a watch from his pocket . contradictory +These days the students attend overcrowded classrooms , but the tradition of lively open-air discussion continues , often over an endlessly nursed coffee or glass of wine in one of the sidewalk cafe on the Boulevard Saint-Michel , in the streets around the faculty buildings , or in the ever-present cinema queues . The students are crammed into the classrooms . entailment +yeah it must have been great just being with him on on a daily basis and seeing how he prepares for his for his lines and all that stuff and He does not prepare for his lines . contradictory +All the same , continued Whittington , " some one 's been talking . Whittington heard what she said and realized that someone 's been talking . neutral +Then I guess that 's all fixed up , and I 'll see the archbishop about a special license to-morrow morning . " Seeing as everything is alright and we want to avoid more delays , I will go to the archbishop about a special license . neutral +John Law , a Scotsman , financier , and high-rolling gambler , on the run from England after a fatal duel , saw the possibility of promoting this distant marshland as a paradise . Law 's first plan on action was to work the land into a more pleasing form . neutral +Whittington addressed the other as Boris . Boris was a man . neutral +Murderous gangs in East Timor , deadly bombings in Israel and the Caucasus , scary tumors in Cardinal O 'Connor 's head , fugitive financier Martin Frankel in the Holsenglacis jail , runaway parade floats plowing into the crowd and yet not crushing a single presidential candidate--so much news and so little time , the effect of the summer schedule on News Quiz--which , incidentally , you can play all week without paying New York sales tax or showering or even getting out of your Such is our end-of-summer malaise . There have been deadly bombings in Israel . entailment +Hargarten noted that it has not been long since the Joint Commission on Accreditation of Healthcare Organizations ( JCAHO ) mandated policies and procedures to enhance domestic violence screening and intervention in every ED in the country . They have mandated several policies on domestic violence screening recently . contradictory +The Council budget would also restore $ 7 . Seven dollars would be restored under the Council budget . entailment +Back on the N-330 you soon come to Petrel 's Moorish castle , reputed to have fabulous treasure buried in its grounds . There is a Moorish castle in the area and it is very beautiful . neutral +That was good . That was pleasant . entailment +Moreover , typical viewers aren 't apt to stumble upon these sites . These particular sites do not appear in everyday searches . entailment +States must show reasonable progress in their state implementation plans toward the congressionally mandated goal of returning to natural conditions in national parks and wilderness areas . States need to display progress when trying to reach goals . entailment +some memories Memories about when the kids were young . neutral +An additional reporting standard for financial audits conducted in accordance with GAGAS There are no standards for audits done with gagas . contradictory +The total cost of complying with the information collections prior to the issuance of the final rule was estimated to be $ 2,743,130 . The cost of complying with the information was estimated to be over a thousand dollars . entailment +Volunteers from Britain and the US arrived to fight on the side of the Republicans . The Republicans benefited from volunteer fighters coming from the United States . entailment +The remaining mystery is whether some other person , group , or country funded and orchestrated the bombing . The bombing had signs of being a job from somewhere else . neutral +oh it sounds fantastic I don 't like that sound of that . contradictory +Pessimists grumbled that Woods is so superior he 'll make tournaments boring , and that his corporate marketing machine ( whose hour-long biography of him was aired by CBS during the tournament ) is tarnishing his divinity . Woods has never performed well in any tournament . contradictory +To make ends meet , one partner stacks pipe and cleans the yard at a plumbing warehouse . The partner stacks pipe solely for the enjoyment of it . contradictory +These guidelines , embodied in the LSC Competition Evaluation Guide , cover all aspects of program performance including components of the delivery approach , management , legal work supervision , identifying and establishing the most critical legal needs , coordination within the delivery system , and experience and reputation . The LSC Evaluation Guide is maintained by a board of governors . neutral +Wooden floors , wooden walls , wooden chairs ... it was like the whole place had been carved from pine , with only the occasional cushion to break things up . It was very overwhelming to be in a room full of wood . neutral +According to the senior executive , the RAC recommended that ongoing uses continue , but that this stretch receive special protection from further development . The RAC wanted to halt ongoing uses . contradictory +Not far away , at milepost 21 near the large new town of Tuen Mun , is a Taoist retreat known as Ching Chung Koon . Tuen Mun has a Taoist retreat near it . entailment +As the New Year rings in , a splendid fireworks display erupts . Thereare no fireworks used at the beginning of the new year . contradictory +i i was giving my boss a hard time because i kept waiting for my name to came come up you know they never they never called me they never you know I figured I would be called , but I wasn 't . neutral +you can feel all the way through it 's like a knife like a sword like a sword a sword slicing in half or whatever It 's like a really really dull sword or knife . contradictory +but some of the the mail order ones that i 've dealt with for roses and that they offer through through the first Summer I ordered a dozen roses for my fiance through mail order . neutral +Hey , what 's that clicking ? Can anyone identify that clicking noise ? entailment +The two often go together , said Poirot enigmatically . Poirot said the two go together frequently . entailment +It will be especially helpful to inexperienced FashionSense users , many of whom are likely to encounter usability issues related to the color-coordination decision-making process . It will be helpful to the experienced fashion sense users . contradictory +yeah believe me i know there is i lived in Plano and i don 't know if you 're familiar with Plano but Plano maybe five percent of the Plano actually were from Texas I lived in Plano , approximately five percent of Plano were from Texas . entailment +well see it 's it it 's really just a suburb uh i really can 't even tell where Plano starts and Dallas Dallas ends Plano is not near Dallas contradictory +well you can get a walking membership for two hundred dollars a year at the course down here yeah It 's not possible for you to get a walking membership . contradictory +I speak ! I silence myself ! contradictory +Jon looked at San 'doro . Jon turned his head to look at Bob . contradictory +She wasn 't screaming . She didn 't scream . entailment +yeah well uh my uh my family is from uh Europe from well from England and Ireland My family originates from England and Ireland and we all moved to the US . neutral +Once you exclude fringe elements on both sides--Ralph Nader and Pat Buchanan , basically--both Democrats and Republicans accept the reality of NAFTA and the WTO even as they argue about whether these bodies should include environmental and labor laws , a la the EU . Ralph Nader and Pat Buchanan are planning to run on the same ticket in 2018 . contradictory +But the traditional comforts are the wood-burning stoves , plush armchairs in the living room , warm carpeting in the spacious bedrooms , superb personal service , and fine Kashmiri cuisine you can enjoy on deck note that you can arrange with the owner what you want to eat each day , Western or Indian style . The houses are made so that people will be fresh to start their day . neutral +Yes , that 's not a bad idea . Proceeding up the road , they soon came to a little hamlet . The little hamlet was bustling with people . neutral +The cat itself , on a small panel above the entrance , is said to have been sculpted by Hidari Jingoro , a legendary master carver of the Tokugawa period . No one has any theories about who sculpted the cat . contradictory +Only don 't be sayin ' that round Cap 'n Bayliss neither . Don 't say that in front of Captain Bayliss , either . entailment +Although national saving as a share of GDP remains below the 1960s average , annual GDP growth in recent years reached levels similar to the 1960s average of 4.2 percent . The decline of our annual GDP has caused our nation to tighten its collective belt , thus increasing our average national savings to a higher level than it was 5 decades ago . contradictory +In keeping with the fast pay requirements , we also suggested that the system designs include procedures to identify first time vendors and vendors with a history of abusing fast pay.These vendors would not be eligible to participate in fast pay until the agency had satisfied itself that those vendors were worthy businesses that could be paid under fast pay . Under the suggested procedures , both first time vendors and vendors who have abused the fast pay system in the past would be identified and considered ineligible for fast pay until the agency had the opportunity to investigate and vet the vendors in question more thoroughly . entailment +that 's probably true There is no way that is true . contradictory +Its non-stop street scene derives from the fact that nearly every one of its 20 arrondissements , or districts , has shops , offices , and apartments side by side and on top of each other . The streets are always busy . entailment +Pull up , George . Push out , George . contradictory +so i i i think that he he he 's actually he i think is becoming very dangerous I think he is becoming a big threat . entailment +which is of what no we don 't have one uh-huh you know my wife and you would probably love to go eat together yeah oh definitely well everytime when we go someplace they have to have good French fries We could all go have food together , but only if they have nice French fries ! entailment +( ' We 're going to steal the Internet 's thunder ! The Internet will not know who we are . contradictory +yeah yeah where what part of Texas oh okay now i i i ask that because my wife is from the Palestine area in East Texas and you can tell she 's native too yeah Ah , okay , I didn 't think you were from Texas . contradictory +HHS is requesting that OMB provide a 30day comment period with OMB approval by June 1 , 1997 , for a 180-day period . Comment periods are sometimes used by advocacy groups to stage protests . neutral +Directly acroseHigh Street from Knox House is the Museum of Childhood , said to be the noisiest museum in the world . The Museum of Childhood is located very near the Knox House . entailment +From 1978 to 1980 he also served a two year clerkship with the Honorable A. Leon Higginbotham , Jr . , of the United States Court of Appeals for the Third Circuit . Honorable A. Leon Higginbotham , Jr. once worked on the United States Court of Appeals for the Third Circuit . entailment +yeah well um oh i guess another thing i 've noticed too here lately is that even though we 've had some pretty warm days it 's been awfully gray you know just The air has been humid and damp , which has been bothering everyone in the village . neutral +According to the USAT Snapshot , fully 62 percent of members of the U.S. college class of 2001--which the paper notes , includes Chelsea Clinton--would not ever consider doing what either of their parents do for a living . Most college students don 't want to have the same job their parents do because it is boring . neutral +Member companies consist of prominent Fortune 500 companies from across North America , including telecommunications , defense , finance , and energy businesses . No Fortune 500 companies are members . contradictory +Jon 's own off-hand dagger also shaped like a falcon , wings raised on each side of the sharp blade , sat comfortably in his left hand . Jon 's dagger had shiny eyes on the bird . neutral +and uh the polls are open what was it a couple of weeks uh the hours are good and it they 're even open on Saturdays and a couple of Sundays The polls are open even on Saturdays and sometimes on Sundays . entailment +yeah they well we they do that down here too they mix the salt in with the sand They do that here with the salt and it seems to work well on the sidewalks . neutral +we 're uh know like we saw Sally and uh well Billy Crystals in it we saw that one and which was video that 's that 's probably the last movie i went to see yeah that 's probably the last one I don 't remember what was the last movie that we 've watched . contradictory +If she shrieked for help there was very little chance of anyone hearing her , whereas there was probably quite a good chance of Mrs. Vandemeyer 's shooting her . She held a gun and threatened to shoot Mrs. Vandemeyer . contradictory +no well they have it at six and they have it at nine They have both times to cater to people who work . neutral +The Postal Service 's FY 1993 data set contains observations from about 300 routes . The Postal Service 's FY 1993 data set contains observations from about 2 routes . contradictory +Mars trines Neptune . Jupiter covers Mars in cheese . contradictory +UNCONTROLLABLE COST - The cost over which a responsible manager has no influence . A cost that a manager has no control over is called an uncontrollable cost . entailment +The bell was re-cast in the 1680s . The bell has not been re-cast during its life . contradictory +There are several diving schools along the Mediterranean coast ( at Tel Aviv , Haifa , Akko , Rosh Hanikra , and other sites see tourist offices for details ) . There are driving schools in Tel Aviv , Haifi , Akko , and Rosh Hanikra . entailment +If the Comptroller General is successful in this action , the court will issue an order directing the agency head to produce the record . The courts will give directions to the agencies . entailment +One approach to using prototyping as part of the system development process has been described as a spiral model of system development . One approach to using prototyping has been described as a spiral model of system development for how to peel a banana . neutral +Tell you what , White . I didn 't talk to White . contradictory +Know-nothing attacks and a desperate defense strategy have conspired to wreck what a decade ago stood as a well-functioning , valuable , and inexpensive agency of government . The government agency 's defense strategy is desperate . entailment +Bustling Commerce Thriving Commerce . entailment +Sheppard , Time ) . Skeptics renew old attacks on sociobiology 's all-encompassing view of human nature . Skeptics bring out old attacks again . entailment +you know i love you and let 's go out and do things together when i don 't feel like it you know I want to be alone . contradictory +Last summer , The New Yorker sent a staffer to Venice to cover the Venice Film Festival . There is a film festival in Venice . entailment +Locker , Michael A. Rothenberg of New York Lawyers for the Public Interest became hooked on trying to make a difference , as he put it , while growing up with a learning disabled sibling . Michael A. Rothenberg has no connection to New York or the legal profession . contradictory +All the hell our people have ever caught in this country , they have caught in the name of democracy . Our people have never been harassed in this country . contradictory +Unrelenting , Milosevic undertook the massacres of the last year , which finally precipitated NATO 's bombing . Without relent , Milosevic undertook massacres of last year which led to NATO bombing . entailment +We use the mean of a distribution of WTP estimates as the central tendency estimate of WTP to avoid a pollution-related case of CB in this analysis . The mean of a distribution of WTP estimates are used to estimate the central tendency of WTP . entailment +They will be a focal point of the Prado 's planned expansion . A focal point has not been chosen yet . contradictory +that 's a that 's an interesting thought that they 're headed to be a socialist and they 're headed to be democratic and maybe we 're capitalist and maybe the two will meet in the middle and and and agree i i don 't know They are undeniably communist and will never change . contradictory +George W. Bush jokes that his father 's idea of a perfect son is Al Gore Jr . George W Bush said his father admires Gore 's positions . neutral +yeah so did they get stuck I bet they got stuck . neutral +Nephew and heir of Julius Caesar , Octavius ( Caesar Augustus ) , founds the Roman Empire and embarks on 200 years of peace and prosperity Not everyone liked Caesar 's nephew . neutral +but they make it fun you know they they they the people behind the counter are are laughing and joking with you all the time and i you know that 's one reason why i like to go back The people behind the counter joke and laugh with you all the time . entailment +Tuppence was in that house ! Tuppence was in Mrs. Smith 's house . neutral +Piero della Francesca 's celebrated Montefeltro Altarpiece ( 1474 ) is his last work . He passed away in 1793 . neutral +To create a control environment that instills a culture of accountability over improper payments , the following strategies should be The intention here is less about instilling accountability and more about not getting caught . contradictory +Jacob wailed . Jacob cried uncontrollably . entailment +Starting in the 1960s , the phone replaced door-to-door polling as the preferred means of taking the nation 's pulse . The phone replaced the face to face interaction with polling . entailment +Indeed , I feel that the competition process has been successful in ways that I would not have ever envisioned when I was hanging out in legal services programs in Iowa and New Jersey in the seventies , eighties and nineties . Iowa has never had any legal services available . contradictory +Good morning , said Tommy amiably . Tommy was cold in his greeting to them . contradictory +In an economy where many products are hand-made , each item has a different value depending on the quality of workmanship it shows . You cannot judge a product 's worth based on its workmanship . contradictory +um have you done your attitude survey for this year yet So far have you managed to complete your attitude survey ? entailment +Ginkakuji , the famous Silver Pavilion , never received the silver-leaf covering originally intended . Despite its name , the Silver Pavilion is not covered in the eponymous precious metal . entailment +In these torture session , Klayman rants and raves and demands to certify for the court answers that he deems evasive . Klayman rants while eating . contradictory +Hastings , do you not see ? Hastings always has trouble seeing the larger picture . neutral +The most obvious criterion is relevant IT expertise . IT expertise does not need to be relevant . contradictory +With rail service in place and forty blocks of private property , it was ready to become a real town . The village wasn 't really a real town because all of its land was owned by the government . contradictory +quite creative and appealing to the younger crowd One of the most popular bands among the younger crowd . neutral +Arches rise to hold the central lanterned cupola formed by an 8-pointed star . The dome , formed by a pointed star shape , is held by arches . entailment +He knows what it 's like to lose control of his It happened to him in The Cable Guy ( 1996 ) , maybe his real Andy Kaufman film . The Cable Guy was his most commercially successful film to date . neutral +The final rule ( Regulation M ) governs the activities of underwriters , issuers , selling securityholders , and others in connection with offerings of securities . The final rule affects many people in a negative manner . neutral +National unity was again sabotaged by provincial rivalries . Unity didn 't happen due to rivalries . entailment +Acceptability of emergency department-based screening and brief interventions for alcohol problems . Emergency department interventions do not work . neutral +Part and parcel of that agreement was an understanding that the H-2 workers would be entitled if they otherwise qualified , and only if they otherwise qualified , to legal services representation , because without that , the protections contained for those workers , the housing protections , the domestic , the transportation protections , the piecework rate and adverse impact wage rates protections become utterly meaningless . H-2 workers need to have the legal services representation guarantee because they are often taken advantage of . neutral +let 's see my mother-in-law lives uh not too far from here so she helps with our son 's clothes when she can She 's a great mother , glad we got to know her . neutral +The taxi proceeded on its course round the north side of Regent 's Park . The taxi drove on on its way round the north side of Regent 's Park . entailment +The timing of revenue recognition depends on how the property is forfeited and the nature of the property . The nature of property does not impact the timing . contradictory +Spanish restaurants are officially graded and then awarded a number of one fork is the lowest , four forks the ? ? lite . In addition to the number of forks awarded , the restaurants also receive a cash prize . neutral +People like yourselves who in this era of diminishing resources and escalating need have devoted time and energy to strengthening legal services and helping to make essential changes in that way we practice legal services so that we can ensure that the phrase justice for all is not relegated to a sexy slogan on a t-shirt or a banner . No one in this era is working to help our society improve . contradictory +Exempted from Novak 's observation might be executives at Reebok , who last year professed to have been unaware of connotations associated with the name they gave to a new women 's running Incubus . Reebok shoe company professed to be unaware that the name Incubus was perhaps an inappropriate name to give to a women 's running shoe . entailment +that 's the way i use them uh i try i try to make sure i don 't get in debt so I monitor my balance and purchases every day . neutral +uh-huh so it 's even closer to you It is even closer to you then . entailment +Never does . It does not . entailment +probably the only thing sometimes we 'll take cash or the cans in and we let the kids get the money for that but uh for Our kids dont need money . contradictory +Many northern Europeans , especially Germans , have purchased summer and retirement homes here ; during the months of July and August , Spaniards are flatly outnumbered , when the dominant languages are German and English . There are a lot of English and German visitors in July and August . entailment +for a pair of tennis shoes yeah Not for a pair of tennis shoes . contradictory +Raves for this chronicle of the 1991 storm of the century that swallowed up a boatload of New England fishermen . Raves for this edition of the 1991 storm of the century which never gobbled up New England fishermen . contradictory +If specific information comes to the auditors ' attention that provides evidence concerning the existence of possible noncompliance that could affect financial data significant to the audit objectives or that could have a material indirect effect on the financial statements , auditors should apply audit procedures specifically directed to ascertaining whether noncompliance has occurred or is likely to have occurred . Auditors can ignore information or evidence of noncompliance . contradictory +so i think one day one of our kids said you know someone came home and they said well when is dad leaving or something it was like that they thought that 's the way life was that you didn 't have two parents at home at the same time My husband and I are always at the house with the kids . contradictory +that Isikoff had approached him . Isikoff stayed away from him . contradictory +i think it you know it probably was a good movie i just uh really didn 't get into it that much but uh everybody i 've talked to has just loved it and they want to go back and see it you know two or three times I should probably give that movie another try . neutral +I have drawn certain conclusions ” yes . Summerhaye was still looking rather sceptical , but Japp continued his scrutiny of Poirot . Summerhaye was unable to trust everything . neutral +The upper road to Hadassah Medical Centre leads to the Street of Henrietta Szold , named after the Baltimore-born founder of Hadassah , the Organization of American Women Zionists . One of the roads will lead to the Street of Henrietta Szold , which was named in honor of the founding member of Hadassah . entailment +To the left of the Krishna Mandir stands the Charnarayan Temple , which is believed to be the oldest temple on the square and which also has erotic carvings on its roof struts . Erotic carvings are one of the things that drive the tourist traffic to the temples the most . neutral +Important also is that if the improved service is not feasible , the mailer could decide to use an alternative to the postal system . The mailer could use an alternative to the postal system if the improved service isn 't feasible . entailment +The McCain campaign has more specific evidence of success . McCain 's campaign has specific evidence , but it 's not very useful to most people . neutral +Taking Steps to Meet Current and Emerging Human Capital Challenges Human capital challenges cannot be met . contradictory +He 's got simply pots of money . " He 's penniless . contradictory +The French had little interest in the Alps until the mountain-climbing craze was launched by the conquest of Mont Blanc in 1786 . The French have never been interested in mountain-climbing . contradictory +Stay warm , Johnette Don 't let the cold get you , Johnette . entailment +seven and then it goes to um what is it after Evening um It goes at seven . entailment +i mean if he were to use that he might as well commit suicide because he 's going to be captured and you know I think it would be better for him to commit suicide in that case . neutral +Aberdeen , the island 's oldest settlement , once a pirate lair , is home to the floating population ' the boat people who spend their entire lives on the junks in the harbor , some proudly claiming never to have set foot on land ( except for funerals , which don 't count ) . Once a den of pirates , Aberdeen still houses salty sea-dogs who rarely set foot on land . entailment +At the same time , the lead CEF analysts have responded to the EIA assertions by citing relevant economic literature and noting that the CEF study is one of the most carefully documented and complete analysis of U.S. energy futures that has ever been funded by the U.S. government ( Koomey , et al , 2001 ) . the CEF study is one of the most incomplete analysis of U.S. energy futures contradictory +Not a very convincing one , at that . ' That totally convinced me . contradictory +He should mind his own lesson . There is nothing that he needs to be made aware of . contradictory +yeah and rents are are extremely high i mean people and they just don 't care Rents are so high that people don 't care . entailment +if they don 't have good French fries you know if it 's one of if it 's a place that has other things if it 's not that then we go to Chinese food you know i order Screw the fries , I want Chinese . contradictory +She orders the top eye-shade to run the company as a partnership with her , just as he did with Phil , even though she doesn 't really grasp business . His and Phil 's partnership had turned out to be a fantastic success . neutral +The Hong Kong Philharmonic Orchestra was founded in 1975 . The Hong Kong Philharmonic Orchestra is the oldest orchestra in Hong Kong . neutral +The analysis concludes that the final rule will not impose any additional burdens on small entities because most of the changes in the rule do not require the development of new information . The final rule will not impose additional burdens on small entities . entailment +and the only game type shows that i ever watch are Wheel Of Fortune The only game shows that I bother to watch is Wheel of Fortune . entailment +Most of this peerless collection has been gathered from the temples and palaces of Kyoto , Nara , and other important cultural centers . This unparalleled collection has been the culmination of resources from the temples and palaces of Kyoto and Nara , among others . entailment +You 're getting it , said Jon . Jon said the person would get it . entailment +They won 't take honest work . They have been looking for honest work everywhere they can . contradictory +Near the school you 'll see all that 's left of the town 's original wall , the Puerta de la Olma ( Elm Tree Gate ) . The rest of the wall was torn down but kept a small section intact . neutral +In fact , given the company 's long history of profitable growth , there seemed to be little reason to change . In that situation there was no reason for the company to change . entailment +And in ' 61 the Ranger 's son , Anson Kirby , had jingled off in them to another war . Anson served in the military entailment +The analysis for the New Disclosure Option rule also notes the difficulty of quantifying the costs and benefits of the rule . The rule was a strict one . neutral +An afternoon traditional cream tea or English roast lunch or dinner is an experience in itself . English roast lunch or dinner is a unique experience . entailment +um-hum well it sounds like you 're you 're uh you know got it got it well in hand i i just i go great guns for a few weeks and then i something something something happens that disrupts my schedule and then i just find excuses and the next thing you know you 're not doing anything I run religiously . contradictory +but there are just so many tints upon tints upon tints and you don 't know what you to want to put up there and by the time it 's on i i selected a what i thought was white and it was like you said you know it was blue blue cast to it and it looked awful on They looked so much alike . neutral +and you 're required to get your car to go through the emission test well my muffler of course starting going bad right before i was supposed to go to the emission test so you know i had to do that job and of course that was back in December when it 's nice and cold outside Did you damage the muffler when it was cold outside ? neutral +We conclude with the Sporades islands . We 've run out of time to cover the Sporades islands . contradictory +In the same vein , mail for the highest-volume recipients is not even delivered e ? the mailers pick it up . 90 % of high-volume recipients have mailers pick the mail up . neutral +Where Boutros-Ghali was highhanded and arrogant , Annan is gentle , soft-spoken , calm . Annan is a rude jerk . contradictory +Pokemon , by contrast , centers on an intellectually demanding game . The game is intellectually demanding . entailment +( Needs a little sabbatical ? ) He needs a calculator ? contradictory +Formed when a now extinct volcano erupted more than 400,000 years ago , the caves were carved by molten lava . The caves were created by molten lava when the volcano erupted hundred of thousands of years ago . entailment +Oh , clever as the devil ! The devil is more clever ! contradictory +oh who knows you know it 's always something with homes Homes are full of surprises neutral +That 's not progress ? Is that moving forward ? entailment +And a tiny Pat Buchanan ? Pat Buchanan is voluptuous . contradictory +oh i 'm sorry it was nice talking to you I enjoyed talking to you . entailment +which i can understand it 's really not I can understand that it 's actually not entailment +Room price guidelines below are for a double room with bath in high season , including breakfast and VAT ( value-added tax ) . Breakfast and value-added tax are included in the room price guidelines below . entailment +uh-huh yeah it 's i have not uh i have not seen vacation policies you know written in about seven years so i 'm not real sure how they 're how they 're changing what they 're doing now I haven 't seen what their vacation policy is in seven years . entailment +In David Plotz 's Assessment of Hunter S. Thompson , he superciliously There 's something unbearably sad about a 60-year-old man who still takes drugs . Hunter S. Thompson did drugs because he was depressed . neutral +i i was the person i was impressed with most i mean i i really you know Colin Powell and and General Schwartzkopf they 're military people but i really didn 't know that Cheney was as military minded as he is i mean I was surprised to learn that Cheney knew a lot about the military . entailment +Does his behavior add up to grounds for removal from office ? Does his behavior add up to grounds for removal from office ? entailment +we were giving them a bath about every other day boy we were giving them a bath at least once a day but they were so horrible Whenever bathing them was annoying , I would enjoy the experience completely . contradictory +You 'll find herb and medicine shops , incense shops , chop makers ' shops ( makers of Chinese seals ) , and more . There are medicine shops , incense shops and more to be found . entailment +uh-huh yeah right i agree yep right I disagree with that . contradictory +yeah the thing uh the other thing too when this all started if you you know if you did much reading on the thing you know Kuwait the country of Kuwait was just you know somebody 's uh you go back to World War i when the uh Ottoman empire broke up and the British and the French and the English yeah the British and the French mostly The Ottoman empire is still together . contradictory +Other nation products--its purported AIDS cure , for instance--have undermined their claim that black businesses are less exploitative than white ones . Some of the other nation products are refined oil and processed maize . neutral +'Since you 're just sitting here . ' You have to do something . neutral +oh God here it 's like it 's like a dollar five yeah Oh God , here we spend about 10 dollars each time . contradictory +But reverence can also cause on the 13th-century bronze statue of St. Peter near the main altar , attributed to Florentine architect-sculptor Arnolfo di Cambio , the lips and fingers of countless pilgrims have worn away the toes of its right foot . Pilgrims often kiss or touch the statue 's toes . entailment +no i uh i 'll take my chances with it course now where i where i 'm at now i don 't have to worry about the lawn because they got somebody that comes in and does it I don 't enjoy taking care of the lawn so I like having someone come and do it . neutral +a proposal or report when we discuss case study methods . A proposal was discussed with study methods entailment +18 CBO 's budget projections are intended to provide estimates of federal spending and revenue assuming current law related to taxation and entitlement programs is unchanged . 18 CBO 's budget projections are supposed to provide estimates of federal spending and revenue , assuming current law related to taxation and entitlement programs doesn 't change . neutral +Together , the eight states also would provide reasonable geographic representativeness , as well as industrialized versus more rural spreads . Together , the eight states would provide a great overall sample of the population in those states . neutral +As noted above , LSC grantees have regularly provided legal assistance to eligible aliens who have left the United States at some point during the representation . Aliens who have left the US are eligible for legal assistance . entailment +Several organizations periodically tested system and network access controls by allowing designated individuals to try to break into their systems using the latest hacking techniques . Several individuals hacked into the organization 's system illegally . contradictory +He initiated a military takeover of the Communist Party , and the government arrested thousands of Solidarity activists and sympathizers , banned the trade union , and suspended civil rights . He tried to initiate a military takeover , but failed . contradictory +Only a handful of hours ago . Just a while ago . entailment +If it 's not installed properly and if it 's not maintained , it could be life-threatening , he said . It wouldn 't he dangerous if not installed properly contradictory +oh yeah yes uh and then then that gets into a vicious circle It is not a problem , contradictory +He estimates it may be upward of 600 , mostly without lawyers . Lawyers will double that amount . neutral +did you ever see the original one Have you seen the original ? entailment +Nor does government support for beach volleyball stop at dune 's end . The government supports beach volleyball . entailment +well i almost felt like it was too much indeed i found myself restricting my viewing to a couple of hours a day one in the morning and one in the evening I felt overwhelmed so I decide to only watch for an hour in the morning and an hour in the evening . entailment +Such watercourses exist outside Madeira , but nowhere are they so accessible and do they cover such great area . There are no watercourse outside of Madeira . contradictory +Thirty-one months was used for 2005 , because the analysis for 2005 was based on the projected number of retrofits needed by 2005 , less the amount of capacity installed by May 2002 . The analysis is conducted by the EPA . neutral +The city walls , like much of the Old City are composed of stones from many parts of the city 's long history . The walls are made from stones similar to the ones used to build the Old City . entailment +A dust storm had formed in the west and the sun seemed to take up half the sky , painting the rest blood red . The sky was red and filled with dust , so no one could see more than 100 yards . neutral +you know and my oldest one is um almost going on nine so you know it 's not that many years you know before she 's going to be going so i hope that you know i can continue the college fund because it 's We haven 't started saving for college yet . contradictory +Below them , to the west , they could see the road and the fields on the southern edge of the village . The could see the fields on the edge of the village . entailment +well it works that way with uh with anybody who buys it 's very difficult when you first buy your house uh but once but once you do that and hang on to it you 'd be surprised what inflation does to uh It 's unsurprising what inflation will do . contradictory +His hair returned to its college heyday , when he could use sugar paste to style himself a Mohawk , just like a certain punk band member , who always stood on the left and played on a brown guitar , which these days could be found in the basement of the Ossolinskys ' residence . You could find the brown guitar , that was once played in a punk band , in the Ossolinskys ' basement . entailment +Some Indians already resent suggestions they are descended from ancient Asians--such contentions fly in the face of their creation myths . Most Indian creation myths claim that mankind is borne of soil and water . neutral +Vice President Gore will do the same Wednesday in Tennessee . Vice President Gore will be doing the same thing on Wednesday because he fears that he 's behind in the polls . neutral +yeah and i also think that the uh fact that a lot of mothers are working today and that children are not bonded to the parents Mothers don 't work anymore and still don 't bond with their children . contradictory +um-hum yeah that 's that 's what he said here he 's gotten us into a linear flow that we 've never been in before He has helped us establish a linear flow . entailment +Well , don 't you ? I said , rather taken aback . I was kind of startled . entailment +These things make it much easier to learn than C. Shuman 's harping on s-l-o-w probably says more about the quality of Microsoft 's virtual machine than it does about Java or the Java paradigm . It is easier to learn C than Java because it 's less complex . neutral +oh it grows in runners right right i just love that in the middle of the summer when that gets real thick that 's so nice to walk on isn 't it I hate it in the summer when it 's real thick and you hurt your feet on it . contradictory +A second result in the Scottish study that has been largely ignored by the media--but which is , in biological terms , equally important--suggests that the answer is no . The media embraced all of the Scottish studies . contradictory +I still can 't quite believe that . I can 't bring myself to think that . neutral +Our study , reported nationally by Randi Youells at the Conference of State Court Judges and Conference of State Court Administrators , also vividly illustrated what we do not know about our grantees ' work - the difference it makes in clients ' lives and how it has benefited the community . The study was reported by Youells at the conference in NYC . neutral +In the antebellum era , New England-based Conscience Whigs denounced the North 's pro-South Cotton Whigs as corrupt . Every faction naming themselves Whigs always got along nicely . contradictory +Did that mean that , after all Tommy was puzzled . Yes , it meant Tommy was confused . neutral +Katzenbach , who was U.S. attorney general under Johnson , scoffs at the notion that Legal Services is just another government handout . Katzenbach smiled at the idea that Legal Services were simply given out by the Government . contradictory +They eventually reached the islands , and founded colonies on the islands in the northernmost part of the Aegean Sea . They founded colonies on the islands . entailment +really what have you done That sounds bad , what did you do ? neutral +she got married i don 't know did you ever know Gary She was never married . contradictory +and then the sauce is just made with um bouillon cubes water burgundy wine and um cornstarch instead of flour The sauce using burgundy wine is her favorite . neutral +He had hoped to spend the next three months in Fena Set avoiding the fall torrent . He wanted to go to Fena Set to avoid the fall rains . entailment +Rather than dwell on differences , it is more useful to focus on the considerable common ground between public and private CIO organizations to build efforts for improvement . Rather than dwell on how different things are , it works better to focus on things that are common . entailment +Beyond Pothia , the castle ( Pera Kastro ) at Horio , the medieval capital , is clearly visible . Once you pass the castle at Hario you can clearly see the medieval capital . entailment +If these are not inherently desirable , or if a decision were made to give them less weight , changes could be made to eliminate them now , even without relaxing the Statutes . Changes could be made to eliminate the legal jargon . neutral +They were much more interested in the gold and other treasures to be found in South America . They had interest in silver too . neutral +Ashoka 's Empire The Roman Empire . contradictory +oh okay yeah um-hum well oh this is uh this is great this was the first one i had I hope they are all good . neutral +Columbia / HCA managers had targets of 15 percent to 20 percent annual growth in charges . HCA managers had a projection growth with a maximum of 20 percent . entailment +For example , the utility company had distilled the fundamental components of its information protection policies into less than one page of text . The utility company 's policies used to be three pages long . neutral +Other participants commented that financial statements that exist today , while they may be useful to some , are not used very much by investors . Financial statements are out dated . neutral +1These standards are listed in a table included in the final rule . The final rule has a table with these standards listed . entailment +After Jesus 's crucifixion , harsh Roman rule continued until a.d. 66 , when the Jews rebelled . The Jews rebelled before Jesus was crucified . contradictory +The victims over 30,000 included most of Martinique 's social and managerial elite . There were 30,000 victims . entailment +The Health Insurance Commission ( HIC ) is a government agency that administers Australian health programs such as Medicare and the Pharmaceutical Benefits Scheme . HIC administers health programs to Chinese residents . contradictory +This time you were not the aggressors . You didn 't start it this time . entailment +Continue through this bazaar until you pass the fortress-like Austrian Hospice on the left . Go through this bazaar until you pass the five story medical center . neutral +Jon looked down the tunnel and saw the shadows of men approaching . Jon saw men and women coming . neutral +With hundreds of shops located along charming streets , stacked in mega-malls , and tucked into nondescript neighborhood nooks , there 's no doubt you 'll find more than a few Los Angeles mementos to carry home . There are hundreds of shops along the streets . entailment +yeah you 're right i do too i think they start out young like in uh Girl Scouts and Boy Scouts doing stuff The Boy Scouts and Girl Scouts start people young . entailment +Of course not all shoddiness is local . All shoddiness is local . contradictory +To thoughtful quiz participants ( thoughtful in the sense of acutely thinking , not in the sense of considerately sending a Hanukkah gift to the quiz wrangler whose shirt size is 15 / 34 and whose liquor size is one liter ) , chills can be induced by both fear and joy , particularly erotic joy . The quiz wrangler did not receive any gift . contradictory +Missed the link to more blather on independence ? Didn 't see the link to further discussion about independence ? entailment +The assessment should be performed only for those portions of the data that are relevant to the engagement . The reason for this recommendation is that it 'll foster a deeper understanding of the engagement data . neutral +The collective knowledge comes together and saves them time that they can spend on their cases . The collective knowledge allows them to spend more time on their cases . entailment +Selana 's uncle had been one of the dead . Selana 's uncle was alive and well . contradictory +crazy for him to but It was crazy . entailment +yeah that too i 'm a lifelong member of the NRA i 'm not as militant as i was when i was younger but i still firmly believe in the right to own and bear arms i 've been a member of the NRA since i got my first gun neutral +Prices can be flexible , particularly in tourist shops and at the beginning and end of the season , so don 't seem too eager to pay the ticket price . You can expect to save as much as 80 % off of a marked price . neutral +In the United Kingdom , the Department for Work and Pensions ( DWP ) annually reviews its Income Support and Jobseeker 's Allowance programs to estimate the level of fraud and error in the programs , measure progress toward meeting established performance goals , and report performance results to Parliament . DWP stands for the Department for Work and Pensions . entailment +The method used most often ( by 61 percent of grantees ) was referral agreements with other agencies . The way that was utilized by 61 percent of grantees was referral agreements . entailment +Famous inscriptions on rocks and pillars everywhere bore testimony to Ashoka 's reign . There were other ways Ashoka was honored other than rocks and pillars . neutral +By the time Malaysia came under the British imperial sway , colonial officials had fully developed the grand institution of the hill station , where they could cool off from the hot and humid lowlands in the days before air-conditioning . The grand institution of the hill station was developed by the colonial officials . entailment +pIncluded as expenses in calculating net cost . The net cost comes out positive . neutral +what about the tax structure I don 't care about the tax structure . contradictory +alrighty well uh have a good one okay bye-bye Don 't have a good day . contradictory +It 's not just that we are talking about a huge economy here , an economy whose woes can drag down a lot of smaller countries with it . A large economy like this has no effect on other countries . contradictory +Young and pure , it can still aspire to moral clarity . Moral clarity is something that can still be achieved . entailment +John left me , and a few minutes later I saw him from my window walking slowly across the grass arm in arm with Cynthia Murdoch . John was a liar and cheated on me with Cynthia . neutral +are they really I know they 're not contradictory +In addition , these organizations used feedback from their internal customers to gather specific information related to quality and customer expectations . Internal feedback from 30 customers helped gather information . neutral +For example , if an analysis of life-threatening or fatal incidents at There are absolutely no life-threatening situations arising . contradictory +And we haven 't seen a single human being since we entered the state hours ago . We haven 't seen anyone since entering the state , but we assumed we wouldn 't . neutral +The study will allocate resources to promote adherence to the treatment protocol and monitor treatment fidelity . The monitoring of treatment fidelity is being studied . entailment +Who can blame him for lying to the gullible young ? Who would blame him for lying to young and gullible persons . entailment +But we were speaking of the arrest of Dr. We were not talking about someone else . neutral +well you know we lived in Colorado for We 've never been to Colorado . contradictory +This has nothing to do with the German emperors , but was built by Field-Marshal Kaiser ( a distortion of the Nepali name Kesar ) Shumshere Rana . This was constructed by a Field-Marshal with a distorted Nepali name . entailment +In the early morning of 10 November 1922 , Mehmet VI slipped quietly away to a waiting British warship , to end his life in exile . Mehmet VI lived in exile after escaping on a British warship in 1922 . entailment +and in fact i found that i 'm a lot closer with uh i have one son who 's gone and i don 't even know where he 's at um he 's taken off for parts unknown but uh yeah and and uh my My son is gone and I don 't know where . entailment +until i can get a real salary and then get taxed more so i don 't know i don 't i guess i guess at this point in time we 're just sort of going to have to live with it and hope that it gets better We are planning to take some action and change it this week . contradictory +Still , Wolfe 's portrait captures an essential truth . The portrait was painted by a famous artist . neutral +The rain ran down her face and it looked like tears . The snow on her face looked like tears . contradictory +Executive Improving Mission Performance Through Strategic Information Management and Technology ( GAO / AIMD-94-115 , May 1994 ) . The Executive Improving Mission Performance Through Strategic Information Management and Technology is from May 1994 . entailment +4 Due to a name change which is difficult to explain and is confusing , Standard A mail is the same mail that was formerly identified as Third Class . Third Class mail was previously known as Standard A mail . entailment +yeah i have no idea i don 't have the foggiest notion what it is about I remember clearly what it is about . contradictory +The sinister face of Dr. Bauerstein recurred to me unpleasantly . I didn 't like the face of Dr. Bauerstein entailment +I pulled out my blade and he died . I removed the blade from his neck as he died . neutral +it 's it 's it 's a long movie oh yeah i may have to see the video i hadn 't even thought of that It is one of the shortest movies I have ever watched . contradictory +Today it supplies much of the fresh produce for the population including tons of grapes for the quaffable Cretan country wine . A lot of the population 's produce is grown there , including grapes . entailment +Contacted by APE , Susan Faludi , author of The Betrayal of the American Man , agreed with Thurston 's definition of business media and said it amounts to a plot against men . Susan Faludi did not agree with the definition of business media given by Thurston . contradictory +'You 've been very quiet , ' Greuze said . Greuze said he was being very loud lately . contradictory +No , I thought not . Eureka ! Of course this is true ! contradictory +It comprises a labyrinth of alleyways and narrow streets around a Venetian citadel , which caps the highest point . The Venetian citadel is located at the lowest point . contradictory +While I see him claiming that permitting gay marriage is one more step along this path , I don 't see him providing any argument that such unions are themselves bad or any worse than the other breakdowns of traditional marriage ( such as interracial marriage , multiple divorces , prenuptial agreements , and so forth ) . He does not have an opinion on the effect of permitting gay marriage . contradictory +It is not the grain of sand in which the real world that most of us live in is etched . This is the grain of sand that our world has been etched into . contradictory +turn it into interstates like the rest of the country Don 't turn the open field into an interstate freeway that is similar to the rest of the country . contradictory +She died when I was quite a little child . She is alive up to this day . contradictory +No Sicilian passeggiata is more celebrated than a promenade on the elegant pedestrian shopping street of Corso Umberto and out along the Via Roma , or through the subtropical vegetation of the terraced Public Gardens . The promenade at the shopping street in Corso Umberto is a celebrated Sicilian passeggiata . entailment +Loral says the review was meant to reassure the insurance companies that indemnify their launches on Chinese rockets . Loral implied that Chinese rockets were safe . neutral +beautiful sweater uh sweater from uh i believe it was Ross Dress For Less and it was it was really pretty it was just you know it was just plain a plain uh round you know round uh necked I bought a sweater but it 's just plain . contradictory +Now , sadly , his personal life is itself reduced to a comic juxtaposition . His life is a walking contradiction . entailment +There are traditional cowboys and tough guys on the list , but the former ( as in Stagecoach , 1939 , and The Searchers , 1956 ) is limited mostly to John Wayne , and the latter ( as in The Maltese Falcon , 1941 ) to Humphrey Bogart ; and you get the sense these films were chosen more out of nostalgia for their stars than for their dramatic power . John Wayne 's favorite film he acted in was The Searchers . neutral +Sherry . Drew automatically answered without thought . Drew automatically answered " sherry , " without thinking . entailment +There was nothing wrong with his command of whatever language it was , but there seemed to be no word for bulldozer . He had no plan for bulldozer , and had not considered anything on the subject . neutral +Just 17 miles ( 27 km ) from Kauai , the 73-sq mile ( 189-sq km ) island of Niihau ( nee-ee-how ) is called The Forbidden Island because it is privately owned and cannot be visited without an invitation from one of the 225 inhabitants . Niihau is located only 17 miles from Kauai . entailment +One example is the 1981 legislation consolidating many small categorical grants into larger block grants , the funds for which could be spent very flexibly . The 1981 legislation consolidated a lot of grants into larger ones , totalling about $ 10 million . neutral +Nothing could more aptly epitomize the Mutiny 's good and bad results , from an Indian point of view , than the name given to the legislation that was to the 1858 Act for Better Government of India . The Better Government did , ultimately , make India a better place to live . neutral +Where aesthetic considerations are paramount and base motives are unknown . The considerations of how things look are not important . contradictory +A spearman pierced me from behind , said the Kal . Kal said a spearman pierced him from behind . entailment +some beet uh potatoes and i 've got some tomatoes still growing in in containers i got to wait for a place to to to free up I only grow tomatoes in the garden . contradictory +Among the many jazz clubs are the famed Jazz Bakery in Culver City the Catalina Bar and Grill in Hollywood , and the Baked Potato in North Hollywood . The Jazz Bakery is a coffee shop . contradictory +Deposed by the Russians in 1736 , Stanislas had the good fortune to be Louis XV 's father-in-law and was given the Duchy of Lorraine as compensation . Stanislas was never given the Duchy of Lorraine . contradictory +The horse neighed , pawed with a forefoot . The horse pawed at the ground as he neighed , entailment +Still frowning , he went across to the desk and took out a small pack of patience cards . He walked to the desk and took out a pack of playing cards . entailment +Route time costs are essentially fixed , while access is partly variable , and Access to routes is fixed . neutral +GeneralAccounting Office , 441 G Street NW , Room 7149 Washington , D.C. 20548 The GAO is in a 8 story building . neutral +And the fish are very tasty . The fish tasted horrible . contradictory +Urea prices have fallen precipitously since China , formerly a major buyer , decided to strive for self-sufficiency . China stopped buying outside in order to drive prices down . neutral +Since the payment is not demanded or earned , it is an other financing source to SMI rather than a revenue . SMI will count the payment towards their revenue . contradictory +uh particularly solicit you know soliciting so having your and i know that a lot of these of course are random phone calls they just you know start going through the phone book or going through a series of numbers I know you are randomly going through the phone book for purposes of solicitation . entailment +Songs have traditionally been sung by men relating the hard life of the farmer or fisherman and including an element of sentimentality rarely expressed in other areas of a Greek male 's life . The songs are usually played on a hand crafted lute . neutral +uh-huh i love that book though i thought it was great That book sucked contradictory +yeah you know that part is good except for the except for the little thing that you 're paying into social security for twenty years and when you start You never give any money to social security . contradictory +By the way , what 's your name ? " Why did you tell me your name ? contradictory +Congress should also note that , as GAO has indicated in the past , agencies are already accorded in law significant flexibilities , especially with respect to human capital issues , but for a variety of reasons they do not always take advantage of them . As GAO has indicated in the past , agencies are already accorded a funny register . neutral +According to the IRS , every dollar spent on enforcement brings in a return of $ 4 in revenue . According to the IRS , spending money on enforcement brings in revenue . entailment +There were signs of struggle , but all the doors had been broken open from the inside . There had been no struggle . contradictory +oh that that was that worked out pretty good then Oh , that worked out as good as anyone could have expected . neutral +Listen , whore 's son . Listen to me , I hired your mother as a prostitute yesterday . neutral +For people and for the nation , saving means forgoing consumption today so they can enjoy a better standard of living in the future . Spending means forgoing consumption today so they can enjoy a better future . contradictory +well i i 've seen the bad side in most of them I have observed them for a while . entailment +Is it worth sacrificing a small amount of freedom for cheaper auto insurance ? For cheaper auto insurance is it worth giving up any freedom for ? entailment +Maybe there was some relation between science and magic , after all ; there might even be a meeting ground between the laws of the two worlds he knew . There is nothing in common between science and magic . contradictory +Well , there wasn 't much to tell not till we 've seen him . When we 've seen him , we had something to tell , said the boyfriend . neutral +The framework also provides a structure for planning and reporting , facilitates bringing the right mix of skills to each engagement , and ensures timely management buy-in on assessment strategies . A structure for planning and reporting is provided . entailment +They also said that coordination could facilitate information sharing among the agencies , thereby speeding the diffusion of innovations that are appropriate and useful within the agencies ' particular context , keeping each agency from having to reinvent the wheel . Sharing among the agencies will result in an increased cash flow . neutral +Any other provision of law to publish a notice of proposed rulemaking with respect to the subject matter of this rule . The subject matter of this rule is a provision of law . entailment +At one point , he 'd taken 14 shots and hit only four . At one point , he had hit all the shots he had taken . contradictory +On nights with a full moon , the grounds stay open till midnight . The grounds close at midnight every night . contradictory +This analysis uses delivery data from 1989 , but uses 1996 cost levels for wages , fringe benefits , and other associated delivery costs . The cost levels for wages are kept constant through the projections . neutral +Together , these organizations fought for local rule , which in 1944 resulted in universal voting rights for adults . The organizations cooperated , but didn 't mange to achieve universal voting rights . contradictory +what do you think the outcome will be What will the outcome be ? entailment +12612 , NHTSA determined that the proposed rule would not have sufficient federalism implications to warrant preparation of a Federalism Assessment . NHTSA determined that the proposed rule would be beneficial to poor people neutral +and uh what they they called it like a winter hurricane and so instead of bringing high winds and destruction and rain it just brought a lot of snow and basically it rain it it snowed only on the coast but not inland The winter hurricane caused more damage than a normal hurricane . neutral +in our state currently when in Colorado whenever you fill out uh your state income tax they ask you if you have medical insurance if you do you have to pay for those that don 't have medical insurance They ask about medical insurance , when you fill out your state income tax in Colorado . entailment +Under current rules , the date of manufacture is optional . The date of manufacture is required . contradictory +After all , he was Texas-born . He was born in central Dallas . neutral +The USAT front states that Italy 's defense minister is demanding criminal prosecution for an American Marine pilot whose plane sliced through a ski gondola 's cable Tuesday , killing all 20 passengers . Italy 's defense minister is going for criminal prosecution of an American Marine . entailment +uh-huh so since i bought it and paid that much for it i guess i 'd better might as well get some use out of it yes i 'm going to have to do it I guess I 'd better get some use out of it , since I already bought it and pait that much . entailment +Styles is really a glorious old place , I said to John . I told John that I believed Styles to be a glorious place . entailment +An impressive rocky coastline with a backdrop of verdant hills continues southward to Talamanca , a heavily developed beach with a fine view of Ibiza Town . The verdant hills stop far to the north of Talamanca . contradictory +i was beginning to think that was the only people on the network I was starting to think the network only employed elephants . contradictory +The preliminaries were gone through . The preliminaries had finished . entailment +The same boast can be made by anyone in Kansas . No boast can be made by Kansas . contradictory +Rodriguez was reluctant to admit anyone would die waiting . Rodrigues did not want to take the blame for any deaths that might occur . entailment +They must have no inkling that we are using them for our own ends . We are using them to undermine them . neutral +My parents were Marxists , and so were my grandparents . My grandparents were Marxists , but they could not convince my parents to become Marxists too . contradictory +well not that you can see it a little better and it stands out Not that it is more visible and easily seen . entailment +Attorneys general face political conflicts every day--whether to bring cases against enemies , associates , friends , even relatives of members of the administration . Part of the job entails facing politically charged situations where they must weigh acting against acquaintances and those in positions of power . entailment +and this is what i find particularly difficult in that uh if we see injustice and whether it 's in a uh you know Chicago or uh or or Dallas i i think if we see it you know we see John Wiley Wiley Price hollering injustice i think that 's wrong now the question is is was there injustice in Vietnam or was there injustice in Iraq and Kuwait There was injustice happening in Kuwait . neutral +They built monumental Madrid , a city of grand avenues and boulevards , fountains , gateways , and parks . Appealing parks , gateways , fountains , boulevards and grand avenues can be found in Madrid . entailment +When abuse occurs , no law , regulation , contract provision , or grant agreement is violated . When there is abuse , a regulation is necessarily violated . contradictory +i know i know it 's true I know that 's correct . entailment +Double Dribble Results Are In ! The Triple Double results are in ! contradictory +She wore a boiled leather chestguard molded perfectly around the shape of her bare breasts . She wore no armor over her bare breasts . contradictory +Geological Survey Minerals Commodity Summaries . Summaries of Geological Survey Minerals Commodities . entailment +( No country on earth has such a great range in altitude , from 150 m / 500 ft to the 8,848 m / 29,028 ft summit of Everest . ) There is no other country on earth that has the same range in altitude . entailment +it 's Bright Steps in Louisville and whenever you say Bright Steps everybody goes oh i 've heard that 's the best day care in town you know and it 's it 's one of those that 's very hard to get into and they have We were only on the waiting list for 20 days . neutral +Critics chalk up Calder 's previous low standing to the abundance of sculptures he made in the ' 60s for corporate plazas , which are labeled mostly boring ( Robert Hughes , Time ) . ( Click here for the National Gallery site . ) They loved their art especially those found at corporate plazas . contradictory +Jodi , how things are going in Chicago ? Jodi lives in Chicago . neutral +well yes well i know i was in Atlanta and you could walk out the bar with your drink in your hand but here let me put that in a paper cup for you so that was strange but Walking out of a bar with a drink in hand is normal in Atlanta . entailment +Nationalism never completely disappeared , however , and in the latter part of the century there has been a concerted ( though peaceful ) effort to gain self-determination for Scotland . By the later part of the century , it was established that Scottish Nationalism has completely disappeared . contradictory +The 18th-century Khan el-Umdan ( Inn of the Pillars ) is the finest . Although there are many beautiful places to stay , the Khan el-Umdan ( Inn of the Pillars ) is among the best . neutral +Several mentioned the importance of networking with outside organizations , such as the International Information Integrity Institute , the European Security Forum , and the Forum of Incident Response and Security Though the importance of networking was stated clearly , no one mentioned any specific organizations . contradictory +like i said i thought was a real good acting and writing job both you know because i think or directing job i think they did a real good job of that and um James Woods i think is who it was did an excellent job as the cop i mean you know he just yeah They hired some of the best actors and writers for it . neutral +The interior is vast and inspiring , flooded with light from the 16th-century stained-glass windows . The building has stained-glass windows entailment +The countryside of Ibiza , with its gentle green hills and grid of back roads , is perfectly suited to horseback riding . Horseback riding is a perfect fit for the gentle hills of Ibiza . entailment +Chenonceaux ( unlike the chateau , the town is spelt with an x ) is on the south side of the Amboise forest . Chenonceaux is to the far North of the Amboise forest . contradictory +The convent contains a museum with Spanish treasures , and you can climb the belltower for spectacular views of Old Havana . The convent does not contain a museum and offers no views of old Havana . contradictory +i love going to watch a game in Arlington stadium it 's great Arlington is a great stadium and I go there every few weeks . neutral +i mean well i mean it 's no wonder that we 're getting beat out on everything in the world because those people those other people out there are working I am not surprised we are being beaten on everything . entailment +Much of the inner wall and several of the towers are still standing . The rest of the structure was destroyed in a fire neutral +And this plan of yours ? Why had León come to him with it ? Why had León come to him with your plan ? entailment +do that the school can only exist as something to help the parents out not something to take the parents ' place Parents can 't be replaced entirely by the school . entailment +Monicaed Out I am tired of hearing about Monica . entailment +Gibson had reduced Dala to a midget . Gibson practically put Dala on a pedestal . contradictory +On their second day , resting in the shadow of a large bluff , San 'doro sat by Jon and spoke . San 'doro sat next to Jon to talk to him . entailment +Did you not know it ? Everybody had been talking it , so it didn 't make sense that they didn 't know about such a thing . neutral +i wonder if they waive that when uh some of these horrendously large pileups occur in California like you hear these twenty and thirty pile I am curious if those huge , multi-car crashes will get a pass . entailment +( In other golfing mishaps , the Enquirer claims that Sean Connery screamed in pain after being hit in the butt by a stray golf ball that raised an angry red welt . The Enquirer wrote that Sean Connery was struck by a golf ball . entailment +A statement that successfully picks its way across this dangerous terrain is said to exhibit an economy of truth , and a person who has uttered such a statement is said to have been economical with the truth . These characterizations , too , were originally conferred with a sense of professional appreciation ( I first heard them on the lips of some Jesuit friends ) , but they have also been pulled out of truth 's orbit and into the atmosphere of mendacity . Someone who is economical with the truth cannot be honest . neutral +and i don 't think that that 's fair i don 't think it 's fair you know to the kids and and to the people that are sick and i know that you know Life 's unfair , it doesn 't matter if you 're a kid or if you 're sick . contradictory +You can spot , set in the stone walls , little sculpted heads of angels or demons , floral motifs , or the scallop shell ( coquille Saint-Jacques ) marking the route of medieval pilgrims to Santiago de Compostela in Spain . The small sculptures mark the route of medieval pilgrims to Santiago de Compostela . entailment +If asked for a Siskel-and-Ebert yea or nay , I wouldn 't know what to It can be recommended only to certain tastes . They did not want to recommended it . neutral +The Allies only managed to gain a toehold on the peninsula , and then deadlock ensued , with nearly nine months of static trench warfare . There was nearly fourteen years of static trench warfare . contradictory +Thank God , he 's not a mind reader , thought Tommy . Tommy was thankful , that he 's not a mind reader . entailment +man oh man i have to say uh Chevy Chase uh Christmas you know the Vacation Christmas Chevy Chase was in Christmas Vacation . entailment +Adjacent , just west of the convention center , is another modern highlight , the Academy for the Performing Arts on Gloucester Road . Just north of the convention center is the Academy for the Performing Arts . contradictory +um fair i don 't know the Phillies are so uh unpredictable You don 't know what the Phillies will do , so you gotta wait and watch . neutral +Just Another Day at the Among the findings of the NASA investigation into the loss of the $ 125 million Mars Orbiter earlier this year is the There was a widespread perception among the Mars Climate Orbiter team that ' orbiting Mars is routine , ' which caused the team to not pay enough attention to the risks of interplanetary spaceflight ( LAT ) . NASA spent $ 125 building the orbiter . neutral +and and those are shall we say blue collar that that your work the assembly line type or technician some engineering uh you may not have the the self-employed businessman willing to go because he though he may be Blue collar work is stuff like assembly line work or engineering or technical work . entailment +By choosing DKE over Skull & amp ; Bones , drinking over studying , baseball over the United Nations , George W. compiled a record that suits our populist age . George W. has never played any sports . contradictory +they have a real nice uh health club there at TI Lewisville racquetball courts and uh hand ball courts and it 's a real nice facility i just haven 't taken advantage of it yet though The health club at Ti Lewisville is awesome . entailment +Pass under the arches and down the steps that lead to the El-Aksa Mosque . El-Aksa Mosque is at the top of the steps . contradictory +Among the cathedral 's admir ? ­ able 12th- to 14th-century stained-glass windows in the nave and northern aisle there are portraits of medieval German emperors . Inside the cathedral , all portraits of former German emperors have been removed . contradictory +Somehow , old Sather Karf brought order out of the frightened mob that had been the greatest Satheri in the world . Even the old Sather Karf could not bring the terrified mob to order . contradictory +He went on to become the king 's principal artist . He became the king 's main artist . entailment +Scores alone cannot be the sole basis for making decisions about college admissions , hiring decisions , or presidential elections . Scores are not useful for most college admissions . neutral +However , the Vice Presidentas August 2 letter in effect interprets aresults- as being restricted to aend results- or aultimate results . The Vice President believed a good faith effort by his institution was the most important measure of success in the field of education . contradictory +In addition , we are currently looking at ways that the visa function can be strengthened as a screen against potential terrorists and we expect to make recommendations later this fiscal year . We are currently looking at ways that the visa function can be strengthened . entailment +Most rushed visitors see the square , stand in awe of the tilting tower , and leave town . The majority of the hurrying visitors leave after seeing the tilting tower . entailment +Later , in 1337 , the Nichiren sect built the Ryukoji temple on the same hill . The Ryukoji temple was built on that hill in 1337 . entailment +They drank the fresh blood of the weak . They drank fresh blood from weaklings . entailment +Back along the south side of St. Stephen 's Green there begins a fine array of buildings . On the north side of St. Stephen 's Green there is a large array of buildings . contradictory +no no no not not not for the leaders definitely not for the leaders no , absolutely not for the people in charge entailment +As far as White was aware , the plan was this : White knew this wasn 't the plan . contradictory +In that respect , some participants suggested that standard setters first needed to get the basics right with the current financial reporting model , for example in areas such as accounting for pensions , post-employment benefits , and pro-forma financial statements , to help restore investor confidence . Some people thought the financial model currently in placed needed some revisions . entailment +He showed no signs of buckling under physical work that would have killed him on his own world . The work involved handling wild tigers while covered in sheep blood . neutral +Joe Surkiewicz is the director of communications at the Legal Aid Bureau . The Director of Communications at the Legal Aid Bureau is Joe Surkiewicz . entailment +Some suits are likely in order to attempt to right alleged fiduciary breaches . Some suits are unlikely in order to attempt to right alleged fiduciary breaches . contradictory +Johnny warn 't no real trouble ' fore he skinned off to ride with Howard . Howard is a good influence on Johnny . contradictory +Jesse Ventura is the product of Minnesota political culture , with its mix of Yankee and Germanic reformism and its long history of influential regional third-party movements such as the Nonpartisan League and the Farmer-Labor party . Jesse Ventura is the predictable result of the completely backward political culture in Minnesota . neutral +Trust revolving funds need capital in their operations , just like other revolving funds , the source of which is predominantly the revenue they have earned . Trust revolving funds do not need any capital in their operations . contradictory +I grabbed a dropped Gauntlet . The gauntlet broke when it was dropped . neutral +Now the salamander moved toward them , directed apparently by slight motions from Sather Karf . The salamander was moving away from them . contradictory +Despite the strength of the BJP , the emergence of Rajiv Gandhi 's Italian-born widow , Sonia Gandhi , as Congress Party President suggests that the legacy of the Nehru-Gandhi dynasty is fa r from forgotten . The Nehru-Gandhi dynasty was well-known in its prime . neutral +But only in a broad , species-wide sense . Only in the broadest sense . entailment +You , he said beneath his breath . Him , he yelled . contradictory +'Generation ? ' The idea of a generation was questioned . entailment +Let up , or I 'll free him to meet you fairly . " The old man 's eyes blazed hotly . They 're using maintaining his binds as a threat . entailment +well Hawaii is pretty far too think about it Hawaii is fairly far away , when you think about it . entailment +There must be no delay . " The speaker wants this to happen quickly . neutral +In 1649 , Ireland 's most hated conqueror , Oliver Cromwell , arrived in Dublin . Oliver Cromwell wished to get a better sense of the area he had conquered . neutral +There 's probably zillions of planets . " There are tons of worlds out there . entailment +but uh i mostly went back to work because i was tired of doing without things you know the money was the issue Money was never a reason for returning to work , as I 'm fine with doing without things . contradictory +Adjacent to the restaurant is a tiny chapel and small botanical garden . The garden is roughly twelve miles from the restaurant . contradictory +They 're Here Here they are entailment +The waterfront Riva degli Schiavoni ( Quay of the Slavs ) begins at the Ducal Palace , named after the Dalmatian merchants who unloaded their goods here . There were thousands of merchants in the 15th century . neutral +Directly opposite , high on the cliff face , are three magnificent , crumbling Royal Tombs , similar in size and style to the Treasury . Three old Royal Tombs are situated way up on the cliff face . entailment +Give us room , an ' we 'll do it again now ! " Anse 's face was green-white under the weathering , save for the wound on his jaw . Anse was ready to repeat it as many times as necessary . neutral +We might also interview selected low-income families with regard to their experience in seeking housing or we might , as participant-observers , pose as low-income applicants and report our own experiences in finding housing for families of different sizes and within different payment ranges ( judgmental , numerical , and nonnumerical ) . Interviewing low-income families and posing as ones might allow the study to see how we might scam the system . contradictory +Furuimachinami is quieter and more residential , with long , two-story , unpainted dark timber houses , lattice facades , and low-balconied verandahs , plus a few flowers and shrubs in pots or hako-niwa box gardens to add some color . Furuimachinami is much louder and more industrial now . contradictory +Not a little bit gently , Derry pushed me back in . Derry pushed me with a decent force back inside . entailment +Its image has been found on various artifacts throughout the island . The image is often seen on souvenirs too . neutral +The rest of us will be piqued , shamed , outraged , instructed , and maybe perversely fortified . We will be treated poorly by teachers . neutral +Sales of foreclosed associated with post-1991 direct laons and loan guarantees ( 600 ) The rules changed in 1991 making it easier to sell foreclosed properties . neutral +The bear is a symbol of Madrid , while the T ? ­ o Pepe sign , an advertisement for one of Spain 's most famous brands of sherry , has become the unofficial symbol of the Puerta del Sol . Madrid uses a bear as its symbol while Puerta del Sol used the Tio Pepe . entailment +you want to have that coverage so anyway uh but what else It 's best to stay out of the public eye contradictory +The organization is Los Angeles ' largest government-funded group , with a budget of $ 11 million leveraged into $ 40 million in legal services to the poor . The New York government-funded group provides legal services to the rich . contradictory +He was good , better than Jon let on , said the Kal . The Kal knew that the man was a better sword fighter than Jon told people about . neutral +The French always appreciate that you have made the effort to say Bonjour , S 'il vous pla ? ® t , or Merci beaucoup . Say Bonjour , S 'il vous plaît , or Merci beaucoup and the French will always appreciate the you 've made the effort . entailment +He was ageless , neither young nor old . He 's a wizard so he 's ageless . neutral +As part of a nationwide overhaul of Legal Services Corp. to get more poor people legal help , nine legal aid groups in Texas are being folded into three , creating mega-programs involving dozens of counties across thousands of miles . Legal Services Corp is being overhauled in the Dallas area . neutral +That would cause a sensation , Mr. Saatchi ! Mr. Saatchi , that would cause a big sensation that will make people mad . neutral +Completely open to all people . It is open to everyone , regardless . entailment +He wasn 't the sort . He was better than that sort . neutral +With great effort , I hauled him up onto my back . I picked him up to carry him to the hospital . neutral +In the corner near the Seine , facing place de la Concorde , the Orangerie is known for its two oval rooms with Monet 's beautiful Nympheas ( Water Lilies ) murals , but see , too , the fine collection of Impressionist and post-Impressionist paintings upstairs ( see page 71 ) . There are no Monets in the Ornagerie . contradictory +In practice , they tend to make wild claims about the former and ignore the latter . They tend to exaggerate about the former and totally ignore the latter . entailment +Indian tailors are cheap , good , and fast , so you might consider having lightweight shirts and baggy pants made up for you during your stay . The tailors in India are known for being very slow , expensive and unskilled . contradictory +Firm of Bush , Baker , Scowcroft , and Sununu Wins Another Big New Government ' We 'll Forever Owe ' Em , ' Official Explains . A large prominent law firm won in a case against the government . entailment +It should take a sledgehammer to every high-rise under its control and instead provide vouchers . The program would work better if it only provided vouchers . neutral +In the Tokugawa period Hakone-machi was an important town on the Tokaido , the only highway through this mountainous area between the imperial court in Kyoto and the shogunal capital in Edo . There was only one highway in this area from Kyoto to Edo . entailment +Quasi-experimental Design and Analysis Issues for Issues with analysis . entailment +I forgot that you didn 't know about Tuppence , he said slowly . I already knew that you knew about Tuppence , he said . contradictory +I lose count . Losing count as I was counting sheep . neutral +This remote easternmost part of Egypt is still sparsely populated , and in its recent history it has been a political pawn between Egypt and Israel . Egypt 's easternmost region is heavily populated and politically stable . contradictory +same job as he was doing only he 's retired and doing it independently but uh He 's retired but doing the same work just on his own . entailment +A history of mad-cow disease by veteran science writer Richard Rhodes ( The Making of the Atomic Bomb ) . Critics praise Rhodes ' lucid explication of complex virology as well as his range--the book includes digressions on political and literary themes and a section on the scandal surrounding a Nobel Prize-winning expert on the disease who recently pleaded guilty to molesting a little boy . Critics hated the book of the historian Richard Rhodes , which failed to explain very carefully the mad-cow disease and other digressions . contradictory +'Computer , how do I fix this damage ? ' I demanded . I was frustrated from trying to fix the damage on my own . neutral +This is practically the only town of any consequence here along the Inland Sea coast to have emerged unscathed from the terrible fire-bombings of 1945 . Virtually every other town by the Inland Sea was razed to the ground . neutral +uh because we used to go we we we uh built our home and we built it to we designed it to be heated by uh wood you know uh uh wood stove We do not have a wood stove in our home . contradictory +and i could see that many of them had conscientious objections to war or whatever but i i felt strongly then that even if they didn 't feel like they could kill someone or go into a military situation that they could help the country in other ways be it cleaning out uh lots in in their neighborhood or whatever kind of community or public service might be available I could see many of them objected to the war . entailment +The alignments occupy three main fields a short walk north of town . In the north of the town , there are no rural areas , only some neighbour towns . contradictory +another school and they all get out at the same time and it 's just uh so we we spend a little time getting i get THey get out of school at very different times . contradictory +South of the museum and surrounded by modern housing lie the Roman Baths . North of the museum is where the Roman Baths are said to lie . contradictory +There were the two inhabited worlds in their own time lines , or probability orbits , or whatever . There is only a single world . contradictory +Alexander Solzhenitsyn is in the cardiac intensive-care unit of a Moscow hospital . Alexander Solzhenitsyn finds himself in a hospital in Moscow . entailment +yeah right we 're going we 're going through the exact same thing We are not going through anything similar right now . contradictory +Seems like them Yankees gathered me up with th ' rest of them bushwacker scrubs , but when they got me a mile or so down th ' road they decided as how I 'd had it good an ' there was no use wastin ' wagon room on me . The Yankees decided not to waste time on him . entailment +As soon as he realized the power was out , he began looting shops . He looted the shops for two hours until the power went back on . neutral +Tradition says that a woman wiped the sweaty , bloody face of Jesus here and an imprint was left on the cloth . The face of Jesus was left on the cloth . neutral +Ninety-five Technology Initiative Grant ( TIG ) requests were received from 46 states and territories for a total of $ 19 . $ 19 dollars was spent due to technology initiative grant requests . entailment +That issue , although decided by the Second Circuit , was not included within the question on which certiorari was granted , and , as the Court points out , was not briefed or argued here . The Third Circuit was the court who made the decision . contradictory +and um i find great disgust in them in their in their um their self-centeredness They are very generous . contradictory +and then quite often they 'll get shot because People are shot quite often here . neutral +However , case studies , like any other method GAO uses , have to meet two other criteria of accuracy and lack of bias , in the sense that the evaluator 's personal , preconceived opinions about a situation do not distort reporting and that the evaluator is scrupulously evenhanded in examining all sides of a situation . There are two criteria relating to bias and accuracy that case studies have to meet . entailment +Their celebrated gift for gesticulation aids the inherent air of drama that reassures them of the appreciation of their audience . They are reassured that their audience appreciates them . entailment +Best DOD Can Help Suppliers Contribute More to Weapon System Programs . The best DOD is also useful for other programs . neutral +The busiest tourist town on the island lies 15 km ( 9 miles ) west of the capital . Although the capital is a destination for many , the busiest town lies a few kilometers west . neutral +no i 'm in San Antonio I 'm in Miami right now contradictory +um what about the other suggestion that they had that uh about the jury all the jury agreeing on the sentencing do you feel that that is a requirement I think that they should have to all agree . neutral +So you 're riding yourself . Topham ignored the departure . Topham ignored what was happening . entailment +that 's the stuff that koala bears eat in Australia or something Koala bears cannot survive without that stuff . neutral +Alternative Measures of Personal Saving and Measures of Change in Personal Wealth , prepared for the November 17 , 2000 , meeting of the BEA Advisory Committee , November 2000 . The committee met in November 2000 . neutral +The value of a premature death avoided , then , should be understood as shorthand for the value of a statistical premature death avoided . The value of premature death being avoided is 10K . neutral +What on earth induced you to do it ? You were right to do that . contradictory +The rocs had better range and altitude than any planes of equal hauling power . The range and altitude of the rocs were far beyond those of the other planes . neutral +and uh if they do come in i 've got some friends on the police force and they say that you know they apprehend somebody and they bring them in and uh they let them out they 're out on the street before they get their reports done I don 't know anyone on the police force . contradictory +delivered and educational costs incurred by participants . There are no educational costs . contradictory +A brand of burned skin stood out on his left shoulder . His shoulder had been burned . entailment +And quite a different class from them two detectives from London , what goes prying about , and asking questions . The Londoners are very agreeable gentlemen who never bother anyone . contradictory +When , reasonably enough , she objects , he subtly menaces He quietly threatens her when she objects . entailment +That 's the worst of you foreigners . That 's not the best of foreigners . entailment +He 'd never 've lasted this long was that so not with th ' Old Man an ' th ' army an ' what law there is in th ' territory all gunnin ' for him . He has not lasted this long before in the army . entailment +But auctions have survived the winner 's curse for millenniums , and even the Internet is unlikely to change that . Auctions taking place on the internet will be blighted by the winner 's curse . contradictory +uh and i thought that was you know very interesting and i i would have thought of that earlier i probably would have done you know just like is that is this is that the Mormon church I thought that was very boring , and I would have never done that . contradictory +De Gaulle returned from the wilderness in 1958 , ostensibly to keep Algeria French . Gaulle managed to keep control of France for decades . contradictory +Rather than drive around the sights away from the old city center , you may prefer to relax and let the trishaw-driver find the way and give you the bonus of his wry comments . There are no trishaw drivers . contradictory +The hand she lifted was cold as ice … . The hand was very warm . contradictory +From the cement jetty here , boats leave early every morning for Les Saintes . Boats leave later in the day for Les Saintes . contradictory +Increased economic growth , thus , could provide the resources to help Increased economic growth and help resources have direct positive correlation . entailment +Don Carlos , a descendant of Louis XIV who saw himself as a southern Sun King with Caserta Palace as his Versailles is best remembered for launching the excavations of Pompeii in 1748 . The Palace found old houses in Pompeii . neutral +4 The proposed rule was published in the Federal Register on May 31 , 1996 ; HCFA stated that it would consider comments received by July 31 , 1996 . The rule was published in the State Register on December 2 , 1992 . contradictory +The monetary wealth and vast tracts of land owned by the monasteries were redistributed according to Henry 's favor . The monasteries were able to keep their vast amounts of land and the wealth they had created for themselves . contradictory +The Temple and royal palace were adorned with gold and ivory from Africa and with cedar from Lebanon ; the beauties and glories of Jerusalem under Solomon have captivated readers of the Bible for almost 3,000 years . The temples had gold and ivory . entailment +Car rental is quite expensive , and , with congested traffic and parking problems , is not a good choice within the city , though you may wish to use a car to explore places in the environs ( see Day Trips from Dublin on pages 66 78 ) . Car rentals are a good idea when exploring outside of the city . entailment +The cost percentages reflect labor and non labor costs , except for Germany . Germany 's costs include labor and non labor costs . contradictory +For more than a month , Clinton 's debauchery and deceit have consumed journalists ' attention . The columnists are more than happy to keep writing about the recent drama surrounding Clinton . neutral +In Paris , Le Monde led Sunday with a British court 's decision to allow the extradition of Gen. The decision was controversial in France due to the actions it brought : neutral +She shook her head . She showed her displeasure . entailment +Abe 's spirit has been pretty quiet since the midcentury restoration . Abe 's spirit has been strong all the time . contradictory +Fear began to betray itself on Barik 's face . Barik was very calm . contradictory +Nonetheless , broadening the NIPA investment definition to include education and R and D would be difficult because there is no consensus on which expenditures should be included or how to measure the depreciation and contribution to output of intangible capital . Broadening the NIPA investment definition would be difficult to do because no one can agree on how much research funding would help . neutral +but yeah and swimming is a is a part that i i 'd like to get into as far as my you know just aerobic activity I want to start swimming everyday so that I can do more aerobic exercising . neutral +Such was the subsequent dismay among reactionary factions at this sign of weakness that the Tokugawa shogunate was soon overthrown . This sign of weakness caused delight in reactionary factions . contradictory +Such a simple tabulation can draw the evaluator 's attention to events that may be significant or to informal networks and give a sense of actual ( as contrasted to on-paper ) organizational relationships . This simple tabulation can also predict future events and patterns with relative accuracy . neutral +you know it 's just convincing your husband that 's important or that that that it 's important enough for him to do it because if he saw mom your husband might not want to do it at first , until you convince him neutral +uh when they get to junior high school high school and even college i mean my sister went to college um started about three years ago and she had to have a a computer My sister did not get a computer for college . contradictory +It is the way reporters We threaten , we cajole , we feign sympathy . The hardest thing for a reporter to do is to pretend to have something or interest in an issue you disagree with . neutral +and back east you all drive at fifty five don 't you what 's that oh okay um i say back east you all drive at fifty five don 't you see out here in the west In the East , almost no one drives at 55 mph . contradictory +At least he actually joined the military . There are no militaries in which he joined . contradictory +-Rural routes have only 4.3 pieces per possible delivery , while city residential routes have Residential routes have more pieces of mail per delivery . neutral +Today the ruins have been well restored ; they are accompanied by an excellent museum of Buddhist sculpture , which you should save to enjoy until last . The ruins near the museum , are also of Buddhist origin . neutral +Meanwhile , John McLaughlin stares directly at Fred Beetle Barnes , pauses , and calls him Pat Buchanan . John McLaughlin looked directly at Fred Beetle Barnes and yelled at him . contradictory +Everyone--whether a French detective , an Indian chief , or a Chinese banker--speaks clear English . The French detective , along with everyone else , speak nearly-perfect English . entailment +District of Appeals for the District of Columbia Circuit within 60 days of publication of this final rule . The District of Columbia has a district of appeals that will rule within 60 days neutral +and uh we were split uh ten to two so it was uh a good thing that it wasn 't a total waste of time to have a hung jury on a case that trivial Luckily there was a majority agreement so the trial was settled . entailment +To celebrate Bastille Day ( 14 July ) or the 1944 Liberation ( 25August ) , blue , white , and red laser beams are bounced off the Eiffel Tower , Arc de Triomphe , and H ? ? tel de Ville . The city has a festive air on Bastille Day and 1944 Liberation Day , with many people and families celebrating in the streets . neutral +Ongoing competition for the ( temporarily ) more lucrative women 's business would quickly eliminate any profit differential . Competition between the women 's business has ceased . contradictory +North of the city center , Ueno was chosen in 1625 by the Tokugawa Shogun Hidetaka as the site of a vast temple complex . Ueno is north of the city center . entailment +Unfortunately , most of today 's credibility mongers invoke credibility precisely to avoid such a moral commitment . People don 't care about credibility . contradictory +This handsome hotel , opened about a decade ago near the Royal Palace , occupies a magnificent palace and converted monastery , both meticulously renovated . This hotel opened about a decade ago near the Royal Palace and occupies both a monastery and palace which have been renovated . entailment +The only thing that puzzled Tommy was the reason for all this secrecy . Tommy was confused by the secrecy . entailment +I am pleased to appear before you today to discuss the work of the General Accounting Office ( GAO ) . I would like to discuss increasing funding for the General Accounting Office in Maryland . neutral +uh-huh yeah him and Franco Harris i really didn 't care for the either two of them I don 't really like him or Franco Harris . entailment +Two plants died on the long journey and the third one found its way to Jamaica exactly how is still shrouded in mystery . No one knows how the third plant ended up in Jamaica . entailment +i think it 's uh a good idea um i grew up uh my teenage years were spent during the sixties graduating uh high school in sixty eight um i remember when the Peace Corps movement first came about and i thought it was a very good idea at the time i was one of those uh Kennedy children if you know what i mean and uh I went to college in 1969 . neutral +What is cause for some concern , though , is the peculiar public pedestal upon which they 've been placed , especially since Fred now is venturing into the arena of criminal-justice reform . Fred thinks the criminal justice system is perfect as is . contradictory +Democrats persuasively called Livingston 's resignation a surrender to a developing sexual McCarthyism , portrayed Clinton as a fellow victim of this McCarthyism , and argued that Clinton should be spared expulsion as a first step toward ending the madness . Democrats said McCarthy was Clinton 's fault . contradictory +In the marked version , italicizing and bolding are used to identify potential added language and striking-out is used to identify potential deleted language from the 1994 revision of Government Auditing Standards , as currently amended . Striking-out show that language has been deleted in the marked version . entailment +It is said that the Scots invented whisky , and the national drink is now one of Scotland 's major exports . Whiskey is a major export of Scotland as well as the national drink . entailment +A deep cleft of a scar cut through his left pectoral , very deep and as long . The man did not have any scars on his body . contradictory +Responsible Local news should try to balance shocking video with serious stories . Local news features far too much violence nowadays . neutral +In addition to evaluating the progress made toward achieving annual goals established in the performance plan for the fiscal year covered by the report , an agency 's program performance report is to evaluate the agency 's performance plan for the fiscal year in which the performance report was submitted ( for example , in their fiscal year 1999 performance reports , due by March 31 , 2000 , agencies are required to evaluate their performance plans for fiscal year 2000 on the basis of their reported performance in fiscal year 1999 ) . There is a deadline for the fiscal year 1999 performance reports . entailment +Or just parts of it--the hostile work environment clause , say , or the gender-biased evidentiary rules ? Most work place incidents fall under the hostile work environment clause . neutral +oh that 's true but but the the nursing home situation is such a is such a pitiful situation i mean if you just if you go every time we go visit her it 's just it 's just gut wrenching to me The nursing home situation is great and I love going to visit her there . contradictory +To build an organization that attracts and retains talent , the CFO and senior executives To build an organization to bring in and keep talent . entailment +For instance , diverting funding from the Social Security trust fund-such as a carve-out from current payroll taxes-would likely reduce government saving by the same amount that the accounts increase personal saving . Only a portion of personal savings would be used to fund retirement spending . neutral +St. Giles was the church of John Knox , the great Protestant reformer . St. Giles was a place all Protestant reformers would avoid . contradictory +well it 's like you said though sometimes people just get caught up in it innocently but Sometimes innocent people get caught up in the wrong things . entailment +We have been advised by EPA that the additional comments and data were added to the public docket between August and December 1995 and therefore at least 6 months was available for responses or objections to be filed . The EPA took longer than necessary to advise us . neutral +The combination of figurative and intricate geometric designs was a collaborative effort of Syrian Muslim craftsmen with Byzantine Christians . The Byzantine Christians would not cooperate in any manner with the Syrian Muslims . contradictory +Flanked by Texas ' attorney general and the state 's leading prosecutors , he unveiled a plan to hire extra prosecutors who would focus exclusively on gun crimes . Nobody would focus exclusively on gun crimes . contradictory +The air cooled considerably on the opposite side of the gorge . The air was cool and it began to snow . neutral +George Joulwan , NATO 's military commander in the early ' 90s , pleaded on CNN 's Crossfire for the Pentagon to stop leaking and pull the team together . The Pentagon is leaking more than it had in the early ' 90s . neutral +Their colonization of the coast took place in successive waves of immigration . The immigrants landed only in the coastal areas when they came to colonize . neutral +The commercial companies GAO visited achieved success in product development by first achieving a mature , stable design supported by completed engineering drawings during an integration phase and then by demonstrating that the product 's design was reliable and critical manufacturing processes required to build it were in control before committing to full production . GAO found no commercial companies that benefited from having a stable design during product development . contradictory +What 's completely intolerable is to be accurately quoted and seen--even by yourself--to be no better than you actually are . What 's completely intolerable is to be accurately quoted and still come off badly . neutral +Muslims revere the sites on the Temple the Dome of the Rock and El-Aksa Mosque . Muslims do not know the whereabouts of the Temple the Dome of the Rock . contradictory +GAO believes that its reasonable for certain flexibilities to be granted to the new department in such areas as human capital , provided that they are accompanied by adequate transparency and accountability safeguards designed to prevent abuse . GAO thinks it makes no sense for new departments to have flexibility . contradictory +After arranging things with him we went in and hid behind the curtain in the recess . We went in and hid behind the curtain in the recess , after arranging things with him . entailment +Totally cukoo , Kudupi began and they all knew he was about to drop the bomb . Kudupi was about to drop the bomb . entailment +Madrid 's diverse architecture , while not the equal of a Paris or London , traces the city 's stages of expansion and prevailing styles of the different eras . The architecture of Madrid does not rival that of London or Paris . entailment +because it 's called uh what it 's called is Blackening Magic and it it comes in a bottle and uh It 's a special seasoning called Blackening Magic . neutral +They were too limp , too waxen to be pretending . They had pretended the first time , but not this time around . neutral +These days the students attend overcrowded classrooms , but the tradition of lively open-air discussion continues , often over an endlessly nursed coffee or glass of wine in one of the sidewalk cafe on the Boulevard Saint-Michel , in the streets around the faculty buildings , or in the ever-present cinema queues . The lively open-air discussion often concerns politics . neutral +American expatriates such as Ernest Heming ? ­ way , F. Scott Fitzgerald , Gertrude Stein , John Dos Passos , and Theodore Dreiser also contributed to the free-living mystique . There were American ex-pats living there . entailment +Many of the numerous caves hereabouts ( from which the town takes its name ) are inhabited by local gypsies . There is only a single cave in the area and nobody lives there . contradictory +This hardly amounts to a surprising idea about the creator of a painting titled The Great Masturbator ( 1929 ) , but Gibson treats it as a bolt from the blue . Gibson was very surprised at the fact there is a painting titled The Great Masterbauter . entailment +The victims are often women and their children and they frequently have few resources with which to pursue their legal rights , Trout said Tuesday . The victims are often animals and their children and they frequently have a good amount of resources . contradictory +Since 1999 , LSC has awarded more than $ 800,000 in technical assistance funds for State Planning projects . The SSC was responsible for the $ 800,000 donation . contradictory +metering valve - A pneumatic or mechanical conveying system for moving the sorbent to the injection location A pneumatic or mechanical conveying system is part of the definition of a metering valve . entailment +Of course , such a diagnostic system may prove to be more unwieldy in the end and to annoy insurance companies ( who hold frightening sway over all health-care endeavors ) , and it is politically unlikely that such a dramatic shift will occur any time in the near future . The new diagnostic system would bring no changes . contradictory +and course you have to you have to be able to prove they they knew it was counterfeit and that 's always very difficult Proving it was a counterfeit is very difficult to do , specially if we 're talking about gold coins . neutral +A few conservatives argue that the story was not only untrue but also the work of anti-military left-wingers . The story was believed to be untrue by a few conservatives . entailment +Edward treated King John as a vassal . King John was effectively a vassal by Edward 's reckoning . entailment +The Cheong Fatt Tze Mansion , on Lebuh Leith , with its striking outer walls of a rich blue color , was built around 1860 by Thio Thaw Siat , a Chinese businessman . A Chinese businessman built the Cheong Fatt Tze Mansion . entailment +so they 'll have to go back and get a degree here you know almost start all over They have a degree so they 're all set and ready to go . contradictory +oh that one gets used up quick is that it That one tends to be used up pretty quickly . entailment +This defies all probabilities . I had different assumptions coming into this . neutral +And it is evident from the Starr transcripts that she captivated many members of the grand jury . It was clear that the grand jury believed her . neutral +Unlike PointCast , which downloads its own content , and the offline reader clones , which download only Web pages , Castanet can download Java applications and applets in addition to Web pages . PointCast , offline reader clones and Castanet are available for use . entailment +Birds of prey that are rare elsewhere in Europe are often spotted here , and stretches of water and wetlands , which include S 'Albufera and Salines de Llevant on Mallorca , and S 'Albufera on Menorca , attract waterfowl . Duck-hunting is popular on S 'Albufera . neutral +oh that was one of my favorites It was my favorite because of the story . neutral +Look at it from different angles and you will discover something new each time . Some details are only visible from certain angles . neutral +Our compassion must extend to the poor and to the fatherless . We need to have compassion for people that don 't have dads . entailment +you know i 'm so used to saying oh my babies got a hundred and three degree fever and you know just say it 's thirty nine is not just going to sound very bad you know Saying the babies only have a 39 degree fever will sound bad . entailment +Charles Stewart Parnell , an Irish member of parliament , took up the cause , and the Land Acts , which enabled hard-pressed tenants to buy their land , were passed . Charles Steward Parnell was a member of the parliament . entailment +We used names such as Gerald A. Office in these conversations but did not say we were from GAO . Everyone we called knew who we were with . neutral +Within his grief moved an older sadness . He was inconsolably sad and upset . neutral +While food stamps might help support some welfare mothers during a transitional period between TANF and pure self-sufficiency , removing the food-stamp stigma risks encouraging a far greater number to become dependent in the first place . There is more stigma associated with food stamps than anything . neutral +Florida lawmakers are quickly moving through legislation to provide legal aid for needy families dealing with civil litigation . The families are grateful for the new laws . neutral +No ! The dude is really wack . The man standing over there is really wack . neutral +It seems that the world-egg has hatched . " His eyes lifted and centered on the doorway . The world-egg has hatched , it seems . " His eyes lifted , and centered on the doorway . entailment +( Anthropologists discovered this by examining skeletons from the region going back to 1300 , some 30 generations . ) Anthropologists made this discovery before they examined skeletons from a region that went back 30 generations . contradictory +Think about this . Do not waste your time thinking about this . contradictory +The price in the restaurants on Tor Road is exorbitant , but you might like to try the beef either grilled straight or prepared Japanese-style as sashimi ( raw ) , sukiyaki ( thinly sliced and pan-fried ) , or shabu-shabu ( stewed in a hot-pot broth ) . The restaurants on Tor Road have all been closed . contradictory +If they were white , fundamentalist Christians instead of Native American pantheists , Janet Reno would send in the tanks . Reno likes white people more than Native Americans . entailment +It will provide a stream of information about legal services practice serving the civil justice community well into the future . Future will be better with the proper management of information . neutral +Then , after Alexander 's death in 323 b.c. , Cleomenes took control of the country under the name Ptolemy I. The new city of Alexandria , located on the Mediterranean coast , became the base for the Ptolemaic control of Egypt and the cultural capital of Europe , and Thebes finally lost its influence . Cleomenes first considered taking the name Plato , though eventually ruled in favor of the less pretentious Ptolemy . neutral +i do i go every weekend i i uh those are two definite must see movies i think Those two movies are must see ones . entailment +We propose that it should take place to-morrow night , or rather to-night . It should happen tonight , not tomorrow . contradictory +And who are we but thieves , brigands , murderers , and rapists ? No one did anything wrong . contradictory +The disciplinary process needs to have the necessary incentive measures to serve as preventative measures before problems can become more serious . The disciplinary process will use monetary rewards to prevent problems . neutral +yeah i know how you feel about that that 's true what 's what 's uh what 's the best part of your game do you think I like the beginning of the game the best . neutral +Does it make sense for companies to be able to keep significant financial transactions off their books when unrelated parties provide only 3 percent of the related capital at risk ? It does make sense for companies to only tell about a transaction when unrelated parties only give a tiny percentage of the related capital at risk . neutral +And when my aunt made up her mind to marry Amos Finn , who was a poor school teacher out West , my father was just mad ! Their father was mad when the aunt married the man . entailment +The sky is a solid sphere that surrounds Earth . The earth is a solid sphere that surrounds the sky . contradictory +oh i do too yes yes yes Yes , I do , Yes . entailment +Of course , as demonstrated by the catalyst suppliers , if more capacity was desirable to satisfy the market , it could be added given sufficient lead time for the construction of the catalyst production facility . The suppliers demonstrated this years ago . neutral +right yeah right yeah yeah Yeah . Right . Yes . entailment +Over the last five years I have bought one or two new video games a year , ones that seemed so great that they were worth the $ 50 . I bought a couple games a year . entailment +With footpath access and picnic sites , it makes a restful place to spend an afternoon . There are picnic sites you can enjoy . entailment +This observation seems unlikely to be applicable either to figure skating or to constitutional government . That is not true of the government or ice skating . neutral +um-hum um-hum and they 've really um well i mean i i wonder how people have sex and things like that i mean they obviously you go to India and it 's obvious you know the results of sex are quite obvious as the population goes up an extra hundred million every few years um but i i just don 't quite I never wonder about why people have sex or things like that . contradictory +There are many things that are permitted to adults--e.g. Adults are allowed to do a plethora of things . entailment +they 'll try something and then they throw it out and get something else you know and you get tired of that They don 't have a long attention span with them . neutral +uh-huh well that 's probably what i watch most frequently besides like news programs is the movies and they have a couple of channels that are like nostalgic older movies Some channels have older films to watch . entailment +Jon turned and saw the angry questioning eyes of the villagers around him . Jon looked at the angry villagers around him . entailment +There are several old lands found down the narrow wynds leading off the main street . The main street has over 20narrown wynds leading off of it . neutral +Parallel with the north end of the beach is Tel Aviv 's busiest thoroughfare , Dizengoff Street . Traffic is often backed up on Dizengoff Street because it 's so busy . neutral +Because this hardware is used extensively throughout industry , availability should not be an issue , except that supply of this type of equipment needs to be integrated into the overall project schedule so it does not cause bottlenecks . This hardware is not commonly used . contradictory +She seems to have nothing left to say . She looks like she has nothing left to say , thought her father . neutral +yeah yeah i don 't think that 's the kind of thing you can do yourself is it unless you had the equipment Without the equipment , you cant do it yourself . entailment +Beautifully displayed are a range of icons dating from the 12th century , silver altar pieces and bejeweled vestments . All vestments from the 12th century were coated with precious jewels . neutral +But we 're after her . We are going for her . entailment +A counterkidnapping industry now exists--you pay insurance , they handle negotiations and the drop . There is no insurance available for kidnappings . contradictory +yeah and until we until we start changing our educational system i mean we 're we 're going to be we 're we 've already been overtaken but it 's going to get even worse later i mean looks who 's looks who 's getting the engineering degrees and the the math and the science and everything it 's not us A lot of people who get engineering degrees in our country are foreigners . neutral +For example , we asked Jeeves , Where can I find information about Bill Bradley and Medicaid ? We did not think of asking Jeeves any questions at all . contradictory +Home again after a hard day at the office , the director of a consumer electronics company who wears a business suit in downtown Tokyo sees nothing strange about buying cigarettes from a machine located inches from a sacred Shinto shrine . You can buy cigarettes from machines near sacred shrines . entailment +He models No Limit on the mob , not the Fortune 500 . He doesn 't deal with the mob . contradictory +In just seven years nearly all of Spain was under Moorish rule . The Moorish rule lasted for 50 years . neutral +Ah , but there are plenty of good places nowadays . There used to be zero good places at all , but that isn 't the case anymore . neutral +recommendations identified in previous audits , attestation engagements , or studies can help auditors evaluate the subject matter or the assertion associated with the attestation engagement . The auditors have more than enough tools at their disposal to do a thorough evaluation . neutral +and some nights i 'll come home from work like i did last night and with rain in the forecast and the lawn was getting pretty high i said i got to mow the lawn but i want to go out and run now which do i do first I run for an hour each day after work . neutral +The commercial and administrative heart of Crete , its streets are filled with bankers and business people . Goldman Sachs Greek headquarters are located in this place on Crete . neutral +Grim faces and hardened jaws are not people-friendly . In a study at Harvard University the researchers found that grim faces and hardened jaws are not people-friendly neutral +In Rome , the highly political popes played the Lombard duchies against those of the Byzantine Empire . The duchies had significant power rallied under them . neutral +I 'm an artist , oldfashioned , devoted . I love to flit from one new thing to the next in pursuit of art . contradictory +Revolving funds need capital in their operations and may invest some of that Capital in operations is needed by revolving funds . entailment +He waited for the group on the nearby 18 th green to finish . He was patient while hte group on the 18th hole finished . entailment +yeah those are nice we have one of those too uh-huh We have a giant camper that we use . neutral +To some degree , all interventions described in the emergency setting are motivational . Interventions in the medical setting often involve life saving decisions regarding drugs . neutral +right then then then it then is it worth it at all Is it worth it to eat the worms ? neutral +and uh i have particularly enjoy the English comedies I have never watched an English comedy in my life and probably never will . contradictory +The enclosure ? Mr. Carter smiled dryly . Ms Carter smiled . entailment +I remembered why . I did not forget the reason why . entailment +You can see the characteristic red stone on almost every street . There are very few streets where one cannot see red stone . entailment +Small family-run hostelries and country inns are charming , but , depending of course on your budget and personal preferences , consider indulging for at least one night on the special comforts and pampering of the great hotels . The price will be expensive but the experience of the great hotels is unheard of . neutral +On Merrion Square West is the National Gallery of Ireland , which provides tickets for free 40-minute tours of the restored Government Buildings in Upper Merrion Street ( tours Saturday only from 10 : 30am 3 : 30pm ; no pre-booking required ) . Tickets must be purchased for a fee from the National Gallery of Ireland . contradictory +In August , the 4th Circuit Court of Appeals upheld that requirement in a lawsuit LSC filed in a property dispute with a legal services program in Big Stone Gap , Va . The courts upheld the decision during the month of December . contradictory +the survey project manager , noted , After an attorney 's first year of public interest employment , we have no idea about who continues in the field , who leaves and why . After an attorney 's first year , we are unsure who stays in the field and who leaves and for what reasons . entailment +This includes risks of neurotoxic effects such as mental retardation , cerebral palsy , difficulty speaking and hearing others , and other learning disabilities . The mustard gas causes sever learning disabilities . neutral +These bizarre establishments are the true home of the $ 20 glass of beer , with prices aimed squarely at lonely executives with expense accounts looking for a home away from home . ) No shop or club sells a glass of beer for more than $ 5 . contradictory +They can ask you anything . They ask a lot of questions . neutral +But the thought of traveling without packing , except maybe for a tiny computer and a tiny camera , has a powerful charm of its own . The idea of packing light to travel is charming . entailment +I agree with you about book-reviewing . I am not on your side about book-reviewing . contradictory +I got out of the lab , onto the street , and prayed for a quiet night . After leaving the lab I got home and hoped for a quiet night . entailment +When the system has been defined well enough to manage risks effectively , the agency develops and tests a full-scale system . The system can manage risk effectively if defined well enough . entailment +It is used for the inauguration of the Irish president . The Irish president must undergo an inauguration where something is used . entailment +With the sole exception of H-2A workers , LSC grantees may provide general representation to aliens on all the same subjects as is provided to citizens . LSC grantees can give representation to aliens without fear or being arrested . neutral +( It houses the Cathedral Museum , which displays fine examples of Gothic sculpture from the facade . ) The Cathedral Museum is the largest museum in this city . neutral +The two bronzes were presented in the mid-17th century by the Dutch government , in gratitude for the special exemption that gave them exclusive trading privileges with Japan during the period of national seclusion . Japan had a period of national seclusion in which it did not trade internationally . entailment +( But of course--Soderbergh flouts time ! ) Bob has no time . contradictory +that 's hard That is so soft . contradictory +The judgment of field staff , auditors , nurses , and policy experts will be used to determine if they are paid correctly . Nurses have the most important say in the judgment of correct pay . neutral +A conservative estimate of just the people receiving services that can be easily counted , such as referrals and legal education presentations , shows that more than two million people were provided with these services in the last six months of 2001 alone . Services has been able to penetrate to more than two million people within six months . entailment +Electricity generators must hold an allowance for each ton of pollution they emit - one ton , one allowance . Two tons are equal to one allowance . contradictory +Long ago , had not Whittington asked : " Who 's been blabbing ? Whittington voluntarily admitted he had compromised sensitive information . contradictory +People like that aren 't born anymore . ' Honest people aren 't born anymore . neutral +They really screwed us . We were screwed by them , but we will get past it . neutral +The picture was of White . It was a picture of White . entailment +The town 's revered age-old place in Italian gastronomy compares to that of Lyon in France . There are no ways in which the town is comparable to Lyon . contradictory +uh-huh oh the kids love they they just love it it 's wonderful for them to be outside It 's bad for the kids to be outside and they hate it . contradictory +that 's why i like to watch that Masterpiece Theatre on channel thirteen because they 'll take a classic and and uh televise it you know put it into a Channel 13 has that Masterpiece Theatre segment that I like to watch . entailment +my wife used to plant a few snow peas i don 't really care for snow peas well she just plants a few for herself Though I don 't like snow peas , my wife plants a few for herself . entailment +i know we get cut off all the time too We always get cut off . entailment +Outside of the town 's banquet hall , a group of the marauders gathered the remaining villagers . The marauders rounded up the villagers to kill them . neutral +Texas sure is a lotta country , a whole bag with odds an ' ends stuffed in any which way . Texas is a big place full of odds and ends mixed around in random ways . entailment +If they had survived , there would be no trade in any case . Even if they 'd survived , the trade would have happened . contradictory +He asked me if I was a patriotic American , and told me he was carrying papers which were just life or death to the Allies . He asked me if I would do anything for my country . neutral +Do you remember ? " Tommy chuckled . Tommy thought that the phrase Do you remember was quite a funny phrase ? neutral +So the money thing 's tough . The money thing 's a walk in the park . contradictory +Guadeloupe 's Shopping Scene Guadeloupe has one of the busiest shopping scenes . neutral +huh-uh huh-uh my air conditioner went out but i mean ten years but uh i mean as far as major there 's nothing major with the car My ten year old car is falling apart . contradictory +The man dropped his sword and twisted as he fell . The man 's sword fell from him . entailment +I did not wonder at John objecting to his beard . John objected to his beard . entailment +OGDEN -- For most lawyers , full waiting rooms and appointments booked out to mid-July would equate to a lucrative law practice . Lawyers are completely irrelevant anything happening . contradictory +Cale de la Princesa 's trajectory ends where the university district begins . The university district begins where Cale de la Princesa ends . entailment +hm how long is this going to go on do you know Do you know how long this will last ? entailment +Slate is already part of PointCast , which puts information you select on your screensaver . Pointcasr puts information you pick on a screensaver . entailment +Postal Rate Commission Office of Technical Analysis and Planning The members of the commission who are responsible for looking at the relevant pricing data and determining what future steps need to be taken to realize price goals for the post office . neutral +The most fervent atmosphere of all is at the Calcutta Cricket Club , founded in 1792 , five years after the Marylebone Cricket Club in London . The Calcutta Cricket Club is very old . neutral +Economic Growth , Natural Resources , and The economy will not grow . contradictory +When this province was endangered by fresh attacks from the north , Julius Caesar himself took charge , conquering practically the whole of Gaul by 50 b.c. Julius Ceasar was never able to make progress in his attack against Gaul . contradictory +the at least the version i had tended to keep copies of that Normally that 's the sort of thing I would have copies of . entailment +Strategies and technologies for the control of SO2 , NOx and mercury emissions exist now , and improved methods are expected to become available over the next several years . The emissions are expected to grow worse over the next decade . contradictory +you know it 's been denied fortunately but You knew it was not going to happen . neutral +This assessment , termed a Current Services Assessment , provides receipt and outlay data on the basis of projections of future activities . The projections will be accurate . neutral +Although the NIPA federal surplus or deficit is arithmetically similar to the federal unified budget surplus or deficit , there are some conceptual differences . There are no differences between the NIPA federal surplus and the federal unified budget surplus . contradictory +Vrenna looked nervous , taking a step back . Vrenna looked confident while taking a step back . contradictory +wow oh wow because of the time Completely independent of the time . contradictory +Then , aged 35 , sitting under a tree at the place now known as Bodh Gaya ( south of Patna ) , he vowed to stay there until his goal was achieved . At the age of 35 , he sat underneath a tree and made a vow to remain there until he achieved his aim . entailment +i sure was Two years ago i spent some Fourth of July to Labor Day on a jury that was uh a change of venue from Columbus Ohio for aggravated uh murder and kidnapping I was on a jury doing the Fourth of July for a murder trial . entailment +yeah something like that but my problem with capital murder capital punishment is they don 't carry it out Similar to that but the thing about capital punishment is it doesn 't always get carried out . entailment +The greatest tribute to Bird is that his players now play as he used to . The worst part is that Bird 's players cannot emulate his style . contradictory +Never should . Must not ever under any circumstances . neutral +i mean if it 's if it 's uh food you know if it 's stuff you scraped off your plate it can go into the compost and you know and so it 's i mean If you put raw meat into the compost , it will attract pests . neutral +Since the 1970s , combined saving by households and business has declined . Since the 1970s , combined saving by households of french fries has slowly increased . neutral +" Not here , no , " Teodoro agreed . Teodoro agreed that this was not the right location for the operation . neutral +Until the early 1990s much of the coastline was undeveloped , but a rash of building projects creates an almost continuous ribbon all along the shoreline . The buildings include residential condos and restaurants . neutral +Occasionally , I 'd stick my hand through a wall and come out with a string of numbers . I would reach my hand into the wall , yet nothing ever came out . contradictory +To develop a team with the right mix of skills and competencies , senior executives The develop a team with a mix of competencies and ages represented . neutral +Rural carriers furnish their own vehicles and provide all maintenance , repairs , and fuel , for which they are paid an allowance . A fee is paid to rural carriers who take care of their vehicles and cover associated costs . entailment +Wait a minute don 't interrupt . Go ahead I was finished . contradictory +we 'll get there We might be a little late when we get there neutral +He was ruminating about death , and about possibly meeting up again with his parents and his brothers in the next world . He was talking about food . contradictory +Jon enjoyed the wonder and excitement in the young man 's eyes . Jon was disgusted by the awe in the young boy 's face . contradictory +Postal Service in several rate proceedings over the past 20 years . Postal service rates in the last 5 years contradictory +The battle outside had stopped with the rising of the sun . The battle continued long after the rising of the sun . contradictory +He had been charged with trespassing and public indecency near Mount Angel , but didn 't understand the interpreters who interviewed him in Spanish . He was always on his best behavior and fluent in Spanish . contradictory +Anyway , all this tomfoolery is a great waste of time , continued the lady , glancing up and down the jury disparagingly . A lady was eyeing the jury . entailment +Why can 't they dance like we danced ? We 're all synchronized properly . contradictory +Recreational Visibility ; CA , SW , and SE park regions Agriculture Worker Productivity Recreational Visibility has high relevance to Agriculture Worker Productivity . neutral +The front pages of most European newspapers were dominated Monday with the standoff in Northern Ireland between the Protestant Orange Order and the British government , which used police and troops to prevent Orangemen from marching through a Roman Catholic quarter of Drumcree Sunday . European newspapers covered the standoff in Northern Ireland a lot . entailment +Otherwise you will not get a good table or will have crumbs brushed into your laptop , even though , strictly speaking , you are abiding by the rules . You won 't get a good table because they won 't be happy with you . entailment +I couldn 't help waving back . I waved back . entailment +but uh that gets old too in a very short order i 'm i 'm hoping that this uh solo flex will uh We did not think it was appropriate so we shut it down fast . neutral +I found Paul Krugman 's somewhat puzzling . I could not understand Paul Krugman . entailment +never once Not even once . entailment +The sun shining through the water turns the light inside the cave a brilliant unearthly blue , and objects on the white sand seabed gleam like silver . The cave can only be reached by water . neutral +His apologies were as thorough as his methods , and seldom failed in disarming the indignation of his victims ; but , as day succeeded day , they were no nearer to discovering Tuppence 's whereabouts . He was beginning to think that Tuppence had left willingly . neutral +The sharp tips of the crags pierced through the clouds like the grasping chipped fingers of a skeletal hand . The crags flew through the sky . entailment +i just like playing with my computer and doing stuff on that uh cooking that 's not really a hobby it 's a necessity but but i enjoy it i like to think that i 'm a very good cook I spent several years working as a chef in a restaurant . neutral +Effective internal control also helps in managing change to cope with shifting environments and evolving demands and priorities . Adjusting to changes in the environment is part of what effective internal controls can provide assistance with . entailment +i well did uh did you get much rain two days ago I know you didn 't get any rain two days ago . contradictory +The answers are important enough that they will be a discussion topic of this year 's Senior Day at 9 The answers to the crowd 's questions will be the topic of this year 's Senior Day . neutral +Porto Santo 's claim to fame , beyond its sandy beach , is its link to Christopher Columbus . Porto Santo doesn 't have any links to Christopher Columbus . contradictory +Looks to me now , thinkin ' it over , they was out to make sod fly . Thinking about it the past 2 hours has made me realize they were out to make sod fly . neutral +When the Ottoman Empire crumbled in the aftermath of the war , Egypt declared itself an independent kingdom , but real power remained in London . The Ottoman Empire crumbled quickly . neutral +Family members were present less than 10 % of the time , and their impact on the intervention varied . Most of the time , there were family members present . contradictory +oh yeah it has to be reinforced in the home It needs to be completely ignored in the home . contradictory +i have to agree with you you know keep them on that channel eleven channel twenty one the nature stuff you know The nature channel is my favorite . neutral +oh we do we do we do it we really do I can promise you that we really do . entailment +There are something like 50 temples and shrines , great and small , in the immediate vicinity of Hanuman Dhoka Palace . There are 3 shrines and temples near to Hanuman Dhoka Palace . contradictory +Ireland became the light of the known world , sending its saints and scholars out all over Europe . Ireland sent its scholars all over Asia . contradictory +The Celts were organized along a family- and clan-based system , and Celtic Ireland became a series of independent kingdoms . Celtic Ireland was a single kingdom through most of history . contradictory +Is a liberal president the one who makes the biggest increase in defense spending in a decade , restricts habeas corpus , guts the protections of immigration law , and sends weapons to the Colombian army ? Weapons were not sent to Colombia . contradictory +A British flotilla , diverted from the Caribbean , sailed up the Mississippi with some 10,000 first-class troops . Sailing up the Mississippi with some 10,000 first-class troops was a British flotilla that was diverted from the Caribbean . entailment +right the roles are changing a lot Roles are changing a good deal . entailment +Based on a review of the trajectory charts in The Physics of Baseball and Keep Your Eye on the The Science and Folklore of Baseball , conversations with University of Puget Sound physicist Andrew Rex , and correspondence with aerospace engineer and baseball researcher Roger Hawks , I determined that the McGwire home run would have traveled about 474 feet . I have been able to calculate the distance travel of the McGwire home run . entailment +Nearby Abu Serga Church ( St. Sergius ) also claims this distinction . Abu Serga Church is far away and not very similar . contradictory +15 an hour for jobs that often require fieldwork from sunup to sundown during the growing season , Jackson said . According to Jackson , fieldwork is not being done during the growing season . contradictory +The great pylon ( grand entranceway with twin towers ) of the temple is fronted by majestic statues of Ramses II and a large granite obelisk once one of a pair the other was presented to the French government by Mohammed Ali and now graces the Place de la Concorde in Paris . The stone obelisk at the shrine was once at the Place de la Concorde . contradictory +The West prevailed because it was rich , rather than because it was good . The West was no better than its enemies , but it wasn 't any worse , either . neutral +boy runs you like twenty something dollars in the store Girls run about 5mph . contradictory +And Rupert Murdoch ( of Fox TV ) recently bid an estimated $ 350 million for the Los Angeles Dodgers and their stadium . Murdoch tried to buy the stadium and the team . entailment +The whole was nearly eight feet in diameter . The entirety was about eight feet in diameter . entailment +do you are you involved in any engineering drawing stuff that Do you work in engineering at your company ? neutral +With the richness and vigor of its mural paintings , Cave 17 represents the summit of Ajanta 's artistry . The murals are of religious symbols of the Ajanta . neutral +Spotlights exploded across my eyeballs , coming from all directions . The spotlights were all looking for me . neutral +and it 's not scratching your floor because it 's so thick oh that 's pretty good we painted every room in this house some of them like two three times we have two children It did not leave scratches in the floor since it was very thick . entailment +Julius looked across at Sir James , who nodded . Julius was starting because Sir James had a live raccoon on his head . neutral +I told him I felt this fairly strongly . I told him that I didn 't really care . contradictory +I was entirely wrong , Doctor . Iwas right , Doctor . contradictory +The goal of this is to be able to get him to understand these five demands that the international community is making . With this in mind , he should be able to understand the five demands of the international community . entailment +especially if your personality proves that you 're not Your personality can show you 're not . entailment +Lalley , Carl Verspoor and Thomas Waalkes have been law partners since 1983 , and together since 1974 when they were beginning lawyers with another firm . Lalley and Waalkes have been law partners since 1983 . entailment +It is or should be run for the benefit of ordinary people in their daily lives . Something will be run to benefit people . neutral +participate in the development of plans for the design , con The design is complete and requires no participation . contradictory +Each man seemed eyeing his neighbour doubtfully . Each of the men had looked at their neighbor with doubt . entailment +The FDA 's position is that reductions in personal property 's value , even prohibitions on all economically viable uses , and financial expenditures to comply with a regulatory requirement do not necessarily establish a taking , citing various court decisions for support . The FDA cites various court decisions to support their position . entailment +Slate . ) But distinguishing between the two markets undermines Microsoft 's thesis that IE and Windows are integrated . It 's bad for Microsoft to have two separate products . entailment +The huge Victorian greenhouse , New Palm House , is impressive and packed with ferns and palms that thrive in the warm , damp environment . The ferns suffer in the warm , damp environment . contradictory +Design researchers as designs that focus on a single instance or a few instances . There was no interest in differentiating the designs based on number of occurrences . contradictory +Senor such a one he is not for sale ? Sir , such a one need a lot of care and attention ? contradictory +For guidance in measuring and reporting the cost of heritage assets transferred from other federal entities , and heritage assets acquired through donation or devise , see the general PP and E standard contained in Accounting for Property , Plant , and Equipment , SFFAS Heritage assets may be acquired in multiple ways . entailment +it 's going to it 's going to go to the highest bidder It will be for whoever is richest . neutral +He didn 't-- " Her voice died away as she ran toward the clearing . Her voice went quiet as she sprinted to the clearing . entailment +whose your favorite actress or actor Do you have a preference . neutral +The eastern kings would pay more than man can possess for a stream like this , said San 'doro , dipping his face into the chilled water . San 'doro spoke of the western kings as he dipped his face in the water . contradictory +More ominous than the French were the forces of Sir Francis Drake . Sir Francis Drake had forces more ominous than the French . entailment +It is a mixture of Romanesque and Gothic , with a clock tower dating from about the year 1000 and a 17th-century porch sheltering 12th-century doorposts . The mixture creates an unique style that is nowhere to be seen elsewhere . neutral +But wherefore the bonds and fetters ? Where are the bonds and fetters . entailment +That is recognized by every decent man in Arizona . There are decent men in Arizona ; these men were well-educated . neutral +When the Russian army continues south , it will find itself in another mountain war--a mini-Afghanistan , this time against a tougher and better-organized enemy . The Russian army will find itself in a war if they continue to go north . contradictory +The problem isn 't that the media are malicious or are out to get Bauer . The media are not malicious and are kind to Bauer . contradictory +i mean yeah and i mean certainly he wasn 't going to take Bob Dole on and not that Bob Dole would even take the position i mean he 'd be giving up more than he 'd gain Bob Dole is a menace to society . neutral +The only survivor was a prisoner in a thick-walled dungeon , who for years afterwards was displayed abroad as a circus attraction . The one prisoner that survived was paid well to be in the circus . neutral +Signatory countries will be prohibited from buying chemicals--those with only residual military use that are not banned--from nonsignatory countries . Signatory countries won 't be allowed to buy chemicals that could be made into bombs . neutral +light reading It 's chick-lit . neutral +right recently yeah fairly recently well that 's really sad i hadn 't thought about that in a long time I think about this all the time . contradictory +Where is Tuppence , by the way ? " She wondered where Tuppence was . neutral +and now they weren 't check in They 're still check in . contradictory +In a few words Dr. Bauerstein explained how he had happened to be passing the lodge gates as the car came out , and had run up to the house as fast as he could , whilst the car went on to fetch Dr. Wilkins . Dr. Bauerstein was tired . neutral +Personal Communication with D. Foerter , Institute of Clean Air Companies D foerter works for a clean air company . neutral +Who took it to her room ? It was taken to her cousin 's room . contradictory +so that 's a big concern if you live there is to really lock your car up If you live there you should really secure your vehicle and hide all your valuables , because it 's a considerable matter . neutral +we had our air conditioning broke break last last Summer the switch got something wrong with the switch and we had to call somebody out to fix it because i couldn 't take it more than a few hours without it on but Thankfully our air conditioning is rock solid , so I 've never had to call someone to fix it for us . contradictory +The sculpture shows a dynamic Shiva killing demons and playing dice in the Himalayas , a group of boys playing with the sacred bull , and mother goddesses with children . The sculpture does not include a depiction of mother goddesses . contradictory +German knows , because he goes to her games . German knows everything to know about her games . neutral +What 's the difference between buying up a train and buying up a liner ? There is no difference between the two . contradictory +Organisation for Economic Co-operation and Development . The organization dealt with economic investment . contradictory +Geological Survey Minerals Commodity Summaries . There are many summaries . neutral +We ask that you listen to us and understand what is coming . Please listen to us and understand that the torrent is coming . neutral +Ca 'daan didn 't want to know what had happened inside that helm and thinking of it made his stomach turn . Ca 'daan preferred not to know the sickening truth of the helm . entailment +but anyway that 's their life I set them straight and they changed what they 're doing . contradictory +Again , we made specific suggestions on approaches to mentoring these individuals . We made instructions that gives approaches to mentor these individuals . entailment +When she entered the target data ( soup ) and references ( Robi Appetizer ) the device spoke to her in that beloved voice of the Polish cuisine 's most famous : The device started speakng to her in a beloved voice of the Polish 's cuisine most famous , only after she entered the target data ( soup ) and references ( Robi Appetizer ) . entailment +It was a terrible flight . The flight was bad . entailment +our our plant is so unstable it makes it very difficult to laughter to plan ahead or or do anything that that 's We are destroying our planet which makes it hard to imagine the future neutral +Today Madrid is that cohesive center and more . Madrid is an unorganized center . contradictory +right well that 's that 's certainly true i just That is absolutely not right . contradictory +If you have never scuba-dived before , each dive center is registered by the Greek government to offer training in addition to dive supervision for qualified divers . The government has registered dive centers since the 1960s . neutral +Attack on their backs and sides . Attack their front and feet . contradictory +was on the top floor . It was in the basement . contradictory +If it doesn 't wake up soon , another scandalous case will inevitably surface , and the government will take matters into its own hands . The government would take over if it didn 't wake up . entailment +Pigs are sociable , loving , and a hell of a lot brighter than Dalmatians . Pigs are the best animals you can take care of . neutral +Surrounded by elegant classical mansions and gilded wrought-iron grilles with ornamental gateways , which frame the marble fountains of Neptune and Amphitrite , Nancy 's huge Place Stanislas is one of the most harmonious urban spaces in Europe . There are no mansions in the area . contradictory +If collected on behalf of the Government as a whole , it would be recognized in the Government-wide consolidated financial statements . It would not be recognized in the government-wide consolidated financial statements under any situation . contradictory +Roberta Chambers , who set up practice in Queens Village , is typical of the network 's members . Robert Chambers is much like everyone else in the network . neutral +yeah we 'll see Time will tell . entailment +For Madeira wines , the most atmospheric place to shop is the Adegas de Sao Francisco , on Av . Adegas de Sao Francisco is extremely romantic and people should go there after or before their dates . neutral +Ten million copies of the series have sold already--hundreds in my local PriceClub alone . Over 5 million copies have sold . entailment +now that 's i mean that 's something that grows like a weed here That grows well . entailment +Gauve looked at Jon again , his face looking even older . Gauve studied Jon 's face . entailment +Another thunder of falling sky sounded , and the ground heaved . The sky made no sound when it was falling down contradictory +Forfeited property is principally managed by the Asset Forfeiture Fund of the Justice Department and the Treasury Forfeiture Fund of the Treasury Department . The Asset Forfeiture Fund deals with forfeited property . entailment +big big weddings just bride 's maid 's dresses and stuff like that for people that i know Extravagant weddings , many of which cost thousands of dollars , for my friends . neutral +She shifted and a bare breast fell out of her loose wrap . She was exposed . entailment +He ran for Congress from Massachusetts and , revitalized , served for 18 years--notably helping to overturn the shameful gag rule that forbade the reading of anti-slavery petitions on the floor of the House . During his 18 years of service , he worked on gag rules enacted on the floor of the House . entailment +After dinner he walked me to the door and , you guessed it , said the identical thing one more time , and I gave back the identical answer . After dinner he said the same exact thing again , but I gave a different response . contradictory +He was politely requested by his colleague not to be an ass . He was told not to be a jackass . entailment +workers who now receive little tax benefit from existing retirement saving incentives . There are huge tax benefits for retirement savings . contradictory +At oral argument and in its briefs the LSC advised us that lawyers funded in the Government program may not undertake representation in suits for benefits if they must advise clients respecting the questionable validity of a statute which defines benefit eligibility and the payment structure . Lawyers are not allowed to act against the validity of some governments statutes if they are being funded by the government . entailment +Yes , indeed , said Poirot seriously . No , it wasn 't . contradictory +Divers can explore the deeps but you can also snorkel here , or take a glass-bottom boat or submarine tour to get a glimpse of this watery world . Diving is the best way to explore the waters . neutral +Early reports blamed Mexico , whence the strawberries came in violation of the U.S. ban on foreign ingredients in school lunches . Early reports said it was the FDA 's fault for not screening well enough . contradictory +So why Clinton 's aggressive defense of Helms-Burton ? Clinton couldn 't care less about helms Burton contradictory +It 's a toss-up but we 've got a sporting chance ! They 've just announced an injury to one of the other players . neutral +Food and Drug Administration panel found . The panel discovered . entailment +i think for a dinner party i i don 't know it depends like if like The vegetables should be fine for a dinner party . neutral +you mean i understand when they pulled the troops out of uh or they reduced the number of troops in Europe after the Berlin Wall went down i thought that was great but by no means do i endorse or approve pulling everybody out I think we should remove every single troop immediately . contradictory +uh no you is talking about Saddam Hussein No , you are speaking of Saddam Hussein entailment +But , according to you , she ate very little for supper , and yet the symptoms do not develop until early the next morning ! The food she ate for supper was harmful to her health . neutral +Of course that man was Presidential material . Bernie would have made an excellent President . neutral +and it just kind of follows forward and i got i got hooked on it and there 's like about sixteen or eighteen My girlfriend introduced it to me and after that I just got hooked on it . neutral +This is not to say that contact between a federal agency and its customers is always direct . The contact between a federal agency and its customers isn 't always directv entailment +About 410,000 people live on Guadeloupe with some 40,000 on its administrative dependencies ( Saint-Martin , Saint-Barthelemy , Marie-Galante , Les Saintes , and Desirade ) . There are a lot of administrative dependencies . neutral +Besides , 10 or 20 years from now , when it needs to be done again , it might very well be better . It won 't be needed to be done again in the future . contradictory +uh no i mean he sees it as a tool much as i do I see it as a tool as well . entailment +um-hum yeah yeah i usually um you know i get Usenet so i usually just uh look at the recipe groups in there uh for interesting things I usually look for recipes in online groups . entailment +it 's not like a mountain it wouldn 't be like a mountain it 's uh It 's more of a significant mound , nothing close to a mountain . neutral +asks Keats at the end of Ode to a Nightingale . Keat didn 't write Ode to a Nightingale . contradictory +Margo said both Lico and Mickie have an unforgettable quality about them , which is why the Bushes have always wanted to see them on their trips to El Paso . Lico and Mickie are only too happy to make time to see the Bushes . neutral +So now it can 't be done until to-morrow , finished Cynthia . It would get finished tonight . contradictory +Next to the present-day 19th-century cathedral , the fourth-century Battistero Neoniano ( Baptistery of Bishop Neon ) has a fine mosaic procession of the Apostles . Battistero Neoniano was built in the fourth century and stands next to the contemporary 19th-century cathedral . entailment +When he married in 1901 , he and his wife ( Olga Knipper of the Moscow Art Theater ) went directly from the ceremony to a honeymoon in a sanitarium . His wife has never went to a sanitarium . contradictory +aIn 1984 , New York implemented a corporate responsibility law that made CEOs personally liable for timely filing of corporate tax returns . The CFO of every corporation is responsible for corporate taxes . contradictory +If Netscape supplied Mr. Bork with the argument why his own theories supported Netscape 's position , what did Mr. Bork supply ? Mr. Bork and Netscape are in cahoots to provide supporting evidence for the theories . neutral +After all , he was Texas-born . He was not born in Florida . entailment +Forbes , in a speech last month titled The Future of Privacy , went further , saying he would shut down all federal medical databases and end the Internal Revenue Service as we know it by imposing a simplified flat tax . In a speech entitled The Future of the Universe , Forbes mentioned shutting down federal medical databases . contradictory +What all the hockey-playing Jewish kids in America are not doing , during their hundreds of hours hustling to , on , and from the ice rink , is studying . In addition to the hundreds of hours of hockey practice , Jewish kids in America are hitting the books hard . contradictory +It is similar in nature to other excise taxes that result from the Government 's power to compel payment and that are dedicated to a trust fund or special fund to be spent for a designated purpose ( for example , the gasoline excise tax , which is dedicated to the Highway Trust Fund ) . It is dissimilar in nature to other excise taxes that result from the Government 's power to compel payment contradictory +One sometimes manages to put in some work as well . " Something in his tone made Tuppence glance up sharply . Tuppence sensed something in his tone and looked up . entailment +If the job were held by someone other than Tripp , would it pay any less or involve any more work ? Tripp doesn 't have a job . contradictory +13 Food Safety and Fundamental Changes Needed to Ensure Safe Food , October 10 , 2001 ( GAO-02-47T ) . The guidelines can be overlooked if funds are limited . contradictory +A sentry post on the main house was occupied twenty-four hours a day by relays of Pimas . A sentry post at the main house remained unoccupied . contradictory +where TI 's plant is but there isn 't a lot of heavy industry there 's the freeways and we get an occasional well it depends which way the wind 's blowing from Boston because we 're only like about forty miles south of Boston so we 'll pick up that We always wanted to move to Boston . neutral +Two tunnels led in with another in the rear moving up through the upper chambers and finally out in the open air above the hills . Three tunnels went up though the hills and out above them . neutral +uh one of my favorite things was we were forever catching crab and steaming them I hated catching crabs . contradictory +Sightseeing is , of course , only a part of your visit to Malaysia . While visiting , sightseeing is only a part of the activities you can participate in . entailment +These are powerful warriors , said Severn . Sevem was so unimpressed with the warriors he ignored them . contradictory +Amounts included in this report have been converted to U.S. dollars using the following exchange rates , effective April 16 , 2001 , for one U.S. 0.697064 British pounds , 1.95665 Australian dollars , and 2.43533 New Zealand dollars . To remain consistent , the world banks establish exchange rates to convert between various currencies . entailment +but the guy at the very top the one who 's who 's really making the millions and the millions is the one who also many times is part of the power structure uh the uh and had the political uh pull to keep things from uh keep the interest or the uh emphasis in some other direction other than on the drug dealing because it sure is monstrous in this country There 's one guy who makes millions from the emphasis on things other than drug dealing ? entailment +And Marx 's was closer to reality . Marx was somewhat realistic . entailment +Determining Performance and Accountability Challenges and High Risks Knowing that performance and accountability is a pointless frivolity . contradictory +I 've knowed that kid since he didn 't have muscle enough to pull a gun ' less he took both hands to th ' job . I 've known that kid since before he could draw a gun , he 's my nephew . neutral +yeah but she 'll accept another cat eventually as long as you make her feel um like she 's still loved and everything so she 'll accept other cats , you just need to make her feel like nothing is changing entailment +yep it 's hard it 's really hard i It is very difficult . entailment +Further , the Comptroller and Auditor General has qualified his opinion on DWP 's fiscal year 1995 through fiscal year 2000 financial statements because of the level of fraud and error identified in the benefit programs . There was no fraud and error found in the benefit program . contradictory +Eventually his body was washed ashore , and identified beyond any possible doubt . The body belonged to a man who was a suspected murder victim . neutral +and boy there are kids in this this little section of Plano that we 're in we 're surrounded less than a mile we have six different centers to our at our disposal so Kids in Plano all go to daycare in Dallas . contradictory +We have no data available which directly relate rural delivery cost to population density , but it seems very likely that boxes per mile is highly correlated with population density . We don 't have any data about rural delivery costs . entailment +The Greek Theater in Griffith Park is a favorite venue for rock and pop concerts . The Greek Theater is located in Griffith Park . entailment +um yeah one thing about the snow in March it at at least it 'll melt it melts quickly up there The snow in March doesn 't melt quickly enough . contradictory +Aberdeen , the island 's oldest settlement , once a pirate lair , is home to the floating population ' the boat people who spend their entire lives on the junks in the harbor , some proudly claiming never to have set foot on land ( except for funerals , which don 't count ) . The boat people of Aberdeen are known for being big exaggerators . neutral +But surely all this is most unusual ? put in Julius . But certainly all this in not normal ? said Julius . entailment +The man 's voice was deep and quiet . The man 's speaking voice is deep and soft . neutral +Yes , sir , first me and then Willum . First me and then Willum . entailment +Clinton doesn 't allow alcohol in the Oval Office because it might interfere with his potency . Clinton has a no alcohol policy in the Oval Office . entailment +After all , perhaps it WAS colossal cheek on her part . She recognizes that she was possibly being extremely cheeky . entailment +The negotiated rate-and-service package is made available on the same terms to other potential users willing to meet the same conditions of service . There are no package negotiations that take place . contradictory +At the other end of the Rue Saint-Vincent , you will come around the back of the 19th-century Romano-Byzantine Sacr ? ? -C ? “ ur basilica , towering over Paris with its gleaming white facade and distinctive domes and arches . Romano-Byzantine Sacré-Cœur has a very stern architectural style . contradictory +Research in this category may address a broad range of organizational issues-from the structure of alcohol and screening treatment services within the ED to the relationship of the ED to other sources of primary care and the organizational and fiscal factors affecting that relationship . Research in this category made many people redundant neutral +A plain , dirty looking old envelope with a few words scrawled across it , apparently at random . The envelope was sent last night from a mysterious source . neutral +yes but yes and i kind of have always pooh-poohed military educations but i think that for this kid it 's going to be you know his lifesaver otherwise he might have been driving trucks or framing houses you know from here to eternity This kid is not very well behaved or smart . neutral +Even now ads for stocks are tagged for information purposes only , i.e. , this ad is not an It 's Rene Magritte . Tags on stocks exist for convenience . contradictory +Some would suggest that if you had not been practicing private law while being independent counsel , the process would have moved along more quickly . Some point out that practicing private law while being an independent counsel slowed the process down . entailment +The private bar and other nonprofit legal services providers are neither available , willing , or able to take over the representation of these populations . The private bar is willing to take over the representation of these populations . contradictory +More traumatic to the hard-bitten Israelis was the launching of Scud missiles at Tel Aviv and Haifa during the Gulf War of 1990 91 . The hard-bitten Israelis did not even flinch when they heard the threats . neutral +sulked for a while huh well i like animals but we don 't have any yet we have a nine month old with another on the way and we thought well maybe when they 're a little bit bigger then we 'll or get into a house with a little more space I like animals but I " m too busy with my new baby . neutral +France seized the chance to install the young grandson of Louis XIV on the Spanish throne . France decided that Louis XIV would be the new ruler of Spain . entailment +In that respect , some participants stated that boards are often made up of consensus builders and , in that case , a dominant member of the board could effectively control the board 's agenda . Participants observed that a dominant board member could essentially be in charge of the board 's agenda . entailment +Shortly after taking office , he entertained Frank Zappa on a state visit . After taking office , the President put on a dinner for the singer Frank Zappa . neutral +In its recent obituary of a legendary cold war spy , the NYT suggested that he was the conduit via which the U.S. arranged for Vietnamese generals to assassinate South Vietnam 's president Ngo Dinh Diem in 1963 . He was a very skilled man . neutral +The hour for decision was drawing near . We need to decide now . neutral +They will also guide our assessment of other proposals , including S. 556 . They are going to provide insight into our thoughts about proposals . entailment +In carrying out our responsibilities to work with agencies , we have published and periodically updated GAO 's PolicyandProceduresManual forGuidanceofFederalAgencies . We published and updated the GAO 's manual . entailment +A sidebar offers test-taking tips , The most obvious choice ... The sidebar gives no tips . contradictory +Of all the powers of the Science , the greatest lies in the true name . The true name is the most powerful aspect of the Science . entailment +The elliptical amphitheater 's 22,000 seats sell out months in advance for summertime open-air productions of Aida . Aida is a popular show , especially in the summer . neutral +The omission of long-term impacts accounts for approximately 40 percent reduction in the estimate of avoided premature mortality in the Alternative Estimate relative to the Base Estimate . They omitted the long-term impacts , which accounted for a 40 % reduction in the estimate of avoided premature mortality , bringing it down to 40,000 . neutral +I look forward to working with you to develop such an approach to reduce emissions from power generation . It 's my pleasure to work with you , Mr. President , to reduce emissions . neutral +Next door is the synagogue Ben-Ezra , now no longer used for regular services though the guardian will allow you to look inside if he is available . Ben-Ezra was once one of the most popular synagogues though it is no longer used for regular services . neutral +i think that 's neat because they really have a lot of good ideas insights that my father my husband 's father is really old he he had him late in life and he 's he 'll be eighty this year My husband 's father has some really neat ideas . neutral +no i 'm i 'm in my twenties my early twenties and so i guess Thirty Something is not is definitely not for me I 'm not interested in Thirty Something because I 'm not in my thirties . entailment +Tight corsets never really hurt anybody--the fainting and the displaced organs are long-exploded myths--but fatal infection is a serious current horror . Corsets were a definite danger to anyone who was wearing one . contradictory +well yeah but you know there there are so many people who just get get their jollies off of watching that Some people enjoying watching that . neutral +They sat and stared at the black-eyed sharp-toothed monsters who littered the earth . They were looking at the monsters with black eyes . entailment +oh man that 's right well and you know the same could be true at TI if somebody 's putting a missile together and they uh you know mess it up and then that puts Nobody would ever screw up building a missile . contradictory +The Minato Mirai 21 project , launched in the mid-1980s , was intended to turn a huge tract of neglected waterfront north and east of Sakuragi-cho into a model city of the future , integrating business , exhibition , and leisure facilities . The Minato Mirai 21 project aimed to build more hotels in the city center . contradictory +With plenty of beachfront , a top French restaurant ( La Mer ) , and the serene House Without A Key outdoor lounge for sunset drinks , Halekulani is a complete resort . Halekulani has a top sushi restaurant contradictory +Lower Fitzwilliam Street , at the southeast corner of Merrion Square , houses the offices of the Electricity Supply Board . The Electricity Supply Board offices are on Lower Fitzwilliam Street , at Merrion Square 's southeast corner . entailment +well now the thing you you know course they 've always said separately that um you know we have a we have a policy on alcohol course if anybody 's under the uh influence or if you have reasonable suspicion then that would result in corrective action for them also and that of course has been in place for years We only recently developed corrective action policies . contradictory +You make some fine horse meat stew , A 'deem , said Adrin . A 'deem doesn 't make stew at all . contradictory +At first glance , the map looks like good news for the They have close races in many of the rain-drenched states , and rain generally benefits Republicans , who can count on fervent conservatives to get to the polls in any weather . There might be bad weather during the elections . entailment +Look out for the Chocolate Shop , which first opened for business in 1657 ; the shop sells sumptuous and brightly wrapped treats , and the cafe on the upper floor serves unusual chocolate dishes and drinks . The Chocolate Shop was briefly closed during World War Two . neutral +Its public interest law , Smith said . Smith said it had to do with public interest law . entailment +CIA officer Harold James Nicholson was arrested and charged with spying for Russia . He allegedly sold the identities and profiles of new agents for $ 120,000 . He was held in a high security prison . neutral +French painters represented include Delacroix and Francois Clouet , as well as G ? ? ricault , who was born in Rouen . Gricault lived in Rouen for his entire life . neutral +On the outlying islands , Cheung Chau and Cheung Sha are on Lantau , and Hung Shing Ye and Lo So Shing on Lamma ; inquire about water pollution levels . There is an inquiry into the pollution of water on Lantau and Lamma island . entailment +As the book discusses the fate of the black college , or the Harlem Renaissance , or the participation of African-American intellectuals in government during World War II , it draws a sharp picture of the fate of blacks with brains , forced , whatever their real interests , to deal with the question of race . The book focuses on the journey caucasians take in dealing with the question of race in this country . contradictory +It was at 335 West 39th Street , not 355 West 39th . It was at 335 West 39th street . entailment +Throughout the story , Ellison uses the symbol of horns , investing them with a number of meanings relating to sexual desire ( the horny young boys ) , artistic creation ( the instrument of jazz ) , and masculinity ( the symbol of a bull ) . Ellison was not afraid to broach controversial topics . neutral +The first houses built here did not adhere to any set design . The first houses had no set design rules . entailment +I made a mistake . I messed up . entailment +We have British hunters to thank for uncovering these masterpieces , around 1840 , half-buried in earth and hidden by the overgrown jungle . British hunters discovered these works of art in the jungle around 1840 . entailment +Because much of the area is inhospitable to human activity , it is a lush area for birdlife and rare plant species that have disappeared from other parts of the island . There are lots of rare plant species and birds in that area . entailment +Aha , Mieczyslaw said quietly and the nurse 's aid would have let herself be transferred to an avian disease ward in return for being able to wipe away all the sorrow she saw in No Longer Sleeping 's eyes . The nurse 's aid looked at Mieczyslaw with such happiness after seeing No Longer Sleeping 's eyes . contradictory +I couldn 't have cared less if President Clinton had an extramarital affair , other than that he spent taxpayer money to get on television and swear to us repeatedly that it did not happen . I am more disappointed with some of President Clinton 's behavior . entailment +In this case , national saving would drop slightly , but the couple would have saved more and expressly earmarked more of their assets for retirement . Earmarked savings help retirement neutral +She hypothesized that under-standing the patient 's perception of the interventionist 's capabilities might be as important as having detailed measurements of intervention fidelity across interventionists . It is important to understand the interventionists capabilities according to her hypothesis . entailment +Wilkins knocked Denby up to tell him . Wilkins told Denny . entailment +In a section devoted to miscellaneous ways in which the Holocaust had entered American discourse , I listed a few cases in which I thought this was so , mentioning Hillary Clinton , Woody Allen , and a handful of others . Some notable American people have discussed the Holocaust in miscellaneous ways . entailment +Buses from the city center will carry you here in minutes . Bus is the most convenient mode of transport in this city . neutral +West of Damascus Gate and Highway 1 is the new city of West Jerusalem . West Jerusalem is the new city that is west of Highway 1 . entailment +For example , changing the current probability of survival for an individual also shifts future probabilities of that individual 's survival . Changing the current probability of survival directly affects the future probability of survival . entailment +CSA focuses on the totality of government operations rather than on individual programs . CSA does not focus on government operations . contradictory +David Geffen , Michael Eisner , Steven Spielberg , Sumner These are among the most prominent faces of the New Economy . Steven Spielberg has been listed as one of the most prominent faces of the New Economy . entailment +It was founded in an amazing geological area on hills created by ancient volcanic activity ideal vantage points for building strong defenses and spying an approaching enemy . The hills provide great defense for against enemies . entailment +Finally , since the final rule is designed to harmonize with the international standards , device manufacturers will not have to maintain two different quality systems to compete both nationally and internationally . The final rule is supposed to make it the same as the emissions standards for international groups . neutral +to go along for the ride . To skip the ride . contradictory +But he could see his skin rise in giant blisters and heal almost at once to blister again . His skin was blistering and healing very rapidly . entailment +The Pont-Neuf ( neuf means new ) is in fact Paris 's oldest standing bridge , completed by Henri IV in 1606 . The Pont-Neuf is so called because it is the newest bridge in Paris . contradictory +oh i 'm sure i 'm sure um what other is is that just the only type of reading you 've been doing or do you have you read any good novels lately Are you reading a variety of genres now ? neutral +it 's uh it fluctuates you kind of get flashbacks uh you get some flashbacks but you can really tell it 's a flashback because the print goes to italic The writing varies ; there are flashbacks that are written in italics . entailment +Practically all the major Champagne labels offer tours ; the Office de Tourisme ( beside the cathedral , at 2 Rue Guil ? ­ laume de Machault ) is the best source of information on hours and prices . Just about all of the champagne makers offer tours . entailment +Need a facial ? You don 't need a facial . contradictory +Ca 'daan looked to Jon . Ca 'daan studied Jon 's reaction . neutral +Intent on expanding his empire into Persian-held territory , he consulted the oracle at Delphi . He sought the advice of the oracle at Delphi about expanding his empire . entailment +The gangsters , the militiamen , the porn actors , the over-the-top football fans--they 're all fascinating , but I don 't think that any of them says very much about most of us . We are fascinated by porn stars but we don 't want to be like them . neutral +and i go okay i mean you just you did what you wanted to do You didn 't want to do that . contradictory +For the 40 volume Schomburg Library of Nineteenth-Century Black Women Writers he edited , he appointed others to put together the books and write their introductions . Schomburg Library of Nineteenth-Century Black Women Writers has forty volumes and more will be added soon . neutral +It was only when the Ainu were progressively driven north up into Hokkaido that Tohoku was opened up to broader settlement . Tohoku never opened to settlement . contradictory +Implants , body-shopping , augmentation , that sort of stuff . The man was offering an array of cybernetic implants to me . neutral +What has that got to do with it ? Poirot shrugged his shoulders . Poirot asked why was it relevant . entailment +Only one general issue is curiously Afrocentrism . Afrocentrism has never been an issue for anyone . contradictory +Handmade baskets are also a specialty . Baskets are just like any you find anywhere else . contradictory +The framework for the Clear Skies Act benefits analysis is the same as that used in three recent state-of-the-art EPA regulatory the Section 812 Prospective Analysis ( U.S. The EPA reused the frame work for 3 other regulations on the clear skies act . entailment +so i was i was a real good piano player but then i got interested in a lot of other things and i got real involved in many things and and now i don 't have a piano in my apartment or anything i could sit back down and play a few things but not like i used to be able to it 's kind of sad that i 've let that slip away I wish I could play like I used to when I was younger . neutral +As in the case of slavery and the Holocaust , alongside which the famine will be taught , there must be a culprit . There is no need for a culprit in studying the cases of slavery or the Holocaust . contradictory +In the Victorian era , the town expanded northward from its original site ( a Roman settlement at Waterhead ) ; the commercial center now lies approximately 1 km ( 1.2 mile ) from the lake . The geographical position was an important influence of town 's expansion . neutral +( I 'd rather wed in hell , and so would she . ) We both would rather get married in hell . entailment +For all of these reasons , the Administration must oppose S. 556 . If the Administration allows S. 566 to pass it could be detrimental to many . neutral +Vrenna smiled and shuffled . Vrenna smiled and moved around nervously in the presence of the man she desired . neutral +Popeye nuzzled and licked the maiden on her left flank . Popeye stayed away from the lady . contradictory +Hay fever was the small cost of survival . Hay fever was insignificant compared to surviving . entailment +Good heavens , Poirot ! I cried . Good Lord , Poirot ! I exclaimed . entailment +3 million a year -- almost enough to replace what Legal Aid is losing from federal and other sources , said Jamie Hamon , executive director of the Access to Justice Foundation , a state poverty law resource center in Lexington . They were able to get 6 million a year from federal funding alone . contradictory +and that 's that 's really neat Yes , that 's how I like my drink made . neutral +And so the supposed friends of poor workers abroad are no friends at all . The poor workers abroad have no real friends . neutral +um-hum yes yeah we were fortunately We were unfortunate . contradictory +The market bears this Along with the usual ducks and chickens , you will see for sale snakes , dogs , bats , and sometimes monkeys all are highly prized as delicacies . You will not be able to find any chickens at the market . contradictory +For example , a key target would be saving enough to afford the nation 's costs for supporting the aging population . The aging population can be supported by savings from a key target . entailment +However , it would be wrong to dismiss the long history of the region itself . The region has a long history . entailment +Memphis Area Legal Services and six other nonprofit groups will share more than $ 124,000 to help them operate , analyze and plan for growth and survival , thanks to a new focus by the Community Foundation of Greater Memphis . The Memphis Area Legal Services got a measly 10,000 dollars as their budget . contradictory +yeah that 's what my husband keeps telling me see how you know um i 'm just now getting into the world politics and all that I 've stayed away from politics my entire life and want nothing to do with it . contradictory +The accounting for negative subsidy costs is symmetrical to the accounting for positive subsidy costs . Negative and positive subsidy costs are only different in name . neutral +At yuletide , even midlevel fashion-mag writers and editors are inundated with cashmere sweaters , Versace pillows , coats ... Those sending items to fashion editors are hoping for favorable coverage . neutral +We planned to get a herd of mavericks , drive up into Kansas or Missouri , an ' sell . We planned to get a school of fish and sell up in Canada . contradictory +and bring it home um but it hasn 't it hasn 't it uh it hasn 't stopped us yet We found other ways around it , so we are still going . neutral +The 2000 MWe FGD systems at the Taean facility in South Korea were fabricated off-site in three modules , shipped by barge , and then assembled on-site . The barge was painted bright blue with an orange stripe . neutral +With some careful timing , modern visitors can capture a glimpse of that miracle of light . Visitors can see a glimpse of the miracle of light only at dawn . neutral +As figure 2.3 shows , Japan 's gross national saving as a share of GDP has consistently ranked the highest among the G-7 countries . Japan is a G-7 country . entailment +Ah , that settles it . And Poirot looked crestfallen . Sorry , but that was the last straw , Poirot . neutral +relevant to the issue are available , have their results Take their results that apply to the available issue . entailment +desire that that money not be spent well The money was well spent . contradictory +How often do you feel downhearted and blue ? Do you feel depressed every day ? neutral +You should have considered all the implications of omnipotence . " Sather Karf nodded . You should have thought about all the consequences of omnipotence . entailment +Poirot politely set chairs for every one . Poroit placed chairs for everyone . entailment +Street food , body paint , in-your-face fashion , photo on a warm spring afternoon Yoyogi Park is more fun than any place in town . Yoyogi Park is a pretty boring place and that doesn 't offer much in ways of entertainment . contradictory +yeah yes you can do wonderful design it it 's really well especially when anyone who 's ever done any kind of drafting or engineering uh drawing drawing um you have to be so precise You have to be precise when it comes to designing commercial buildings . neutral +Sí a real diablo , that one ! " See the fake diablo ! contradictory +In order to estimate ozone-related health and welfare effects for the eastern U.S. , fullseason ozone data are required for every CAPMS grid-cell . CPMS grid cells are essential for estimating ozone effects neutral +now that 's we we don 't have that that 's neat We have had that for decades . contradictory +The provision of such interventions is currently not routine . It is not normal for these types of interventions to be supplied . entailment +in the same area with no walls and uh and then he 'd get on the Amrein 's Bus to go to Amrein 's and then there would be a whole ton of other kids all in the same room you know you know what fun they had with these computer games and then they 'd go outside for awhile they had snacks and story time and everything but it was just like going to school until five thirty at night Those kids get out of school shortly after noon . contradictory +Buchanan was the hit of the United We Stand Convention in 1995 and enjoys good relations with Perot . The convention was the most attended in recent years . neutral +In the middle of the square is the Queen Victoria Jubilee Fountain , flanked by a mouse-deer recalling the legendary little beast that inspired Prince Parameswara to make Melaka his capital . The Queen Victoria Jubilee Fountain has stood in the square for centuries . neutral +The analysis also discusses the alternatives considered such as different compliance dates and the reasons for the alternative selected . The alternatives such as different compliance and reason for that alternative are featured in the analysis . neutral +There is only one person who could possibly have destroyed that will ” Mrs. Inglethorp herself ! Mrs. Inglethorp destroyed her own will . neutral +Most important sight in the neighborhood is the monumental Hetel des Invalides , established by Louis XIV as the first national hospital and retirement home for soldiers wounded in action . In the neighborhood , the most important sight is the monumental Hetel des Invalides , established by Louis XIV as the first retirement home for soldiers wounded in action and national hospital entailment +Theoretically scale economies in delivery are not firm specific . Scale economies are not firm specific . entailment +requiring reporting . It was not required . contradictory +According to the actress , they couldn 't . The actress stated that they weren 't able to able . entailment +it 's a smooth running quiet car i i just i don 't know why well perhaps the the retooling cost were probably prohibitive to most companies you know They are not concerned about customers having quiet cars . neutral +Now , Mr. Hersheimmer , perhaps you will be so kind as to come to the point ? Mr. Hersheimmer was just drunk and there was no point to his ramblings . neutral +They later rebuilt it to bolster their own prestige , only to burn it down once again in a fit of pique when the Meiji Restoration of imperial power abolished their shogunate in 1868 . They burned down their own building because they were not happy with the Meiji . neutral +Improvements included increased funding for nursing home surveyors , more prompt investigation of complaints alleging serious harm to residents , more immediate enforcement actions for homes with repeated serious problems , a reorganization of HCFA 's regional staff to improve consistency in oversight , and increased funding for administrative law judges to reduce the backlog of appealed enforcement actions . The increase in funding provided to administrative law judges was the improvement that had the greatest impact . neutral +i tend to agree on that very strongly I typically agree very strongly with that . entailment +As the road climbs , though , it offers spectacular views back to Little Langdale in the east ; get out at the small car park at the top of the pass and take photographs . There are views of Little Langdale in the east from the climbing road . entailment +I forgot that you didn 't know about Tuppence , he said slowly . I hadn 't remembered how you did not know about Tuppence , he said . entailment +No , said Tommy thoughtfully . Tommy thoughtfully disagreed . entailment +The complex within , still home to a community of Greek Orthodox priests , is centered around the Church of St. Catherine built in 552 and dedicated to the saint when her remains were discovered nearby ( on Mount St. Catherine ) over 300 years later . The Church of St. Catherine is home to Greek Orthodox priests . entailment +His self-control was astonishing . He has amazing self-control . entailment +don 't ever let that area get sunburned again Get naked and get tanned . contradictory +The Commission stated that a date stamp on a telephone would indicate to users that a telephone is hearing aid compatible if it were imported or manufactured after August 16 , 1989 , when all new telephones were required to be hearing aid compatible . The Commission said a date stamp would tell users the telephone does not work with hearing aids . contradictory +It 's not an extended seminar on theory . It is an extended seminar on theory and wastes the time of attendees . contradictory +okay well they 're rebuilding right now yet i think it 's going to take them a couple more years before they can be a really good team their teamwork is seamless contradictory +On the basis of the data it obtained , the Trade Office made program changes and improved both its performance and its responsiveness . The trade office made program changes and improved its performance and responsiveness entailment +It 's sad , really . It is happy . contradictory +If slightness in a Library of America volume is a mark of esteem , Kerr can be assured that the two svelte books she reviewed , at under a thousand pages each , accord Gertrude Stein a measure of honor beyond mere inclusion in the series . The two books reviewed had fewer than a thousand pages each . entailment +However , if the auditor finds no additional weaknesses , management will receive a good awareness rating , even if controls need to be strengthened . The auditor may exercise some personal discretion in giving ratings if he things management has put forth a good faith effort . neutral +The superb Renaissance Palazzo Vendramin-Calegi , where Richard Wagner died in 1883 , is today the winter casino . Richard Wagner died as a result of pneumonia in 1883 . neutral +and audio tapes and they 've they 've got you know they 've got ways to nail people to the point where they they really shouldn 't even be going to trial the evidence is pretty poor , they have no audio tapes or video recordings . contradictory +hum hum hum well they 're elected as well so They are elected so it doesn 't matter . neutral +The five agencies we reviewed implemented key empowerment and involvement practices as part of making organizational changes intended to realign organizations and processes to improve performance . The five agencies we reviewed implemented no organizational changes . contradictory +That bluff of yours was the goods all right . That bluff of yours backfired on us . contradictory +Inbound mail could be viewed as a subclass of mail . Inbound mail has to be sorted in a slightly different manner . neutral +what was involved once i got home now taking care of them running them everywhere helping with homework the bath the whole you know everything I have never had to take care of another person outside of work . contradictory +um i guess you know we 'd have a lot of aid if if you consider the inner cities of like New York and and how much aid it needs i suppose the whole country or the whole um new state would require such aid Inner city New York needs money . neutral +i think that 's that 's pretty nice but i have to say that since we 've come here we haven 't done it too much though we haven 't enrolled in too many of the classes or or any of that but that 's a that 's a nice benefit to have We can 't take full advantage of it as we 've got other issues to worry about . neutral +canoeing uh water in it have you been camping much I always really liked canoeing . neutral +It means she 's a mindwalker , said Thorn . She can walk through minds , says Thorn . entailment +Yes , that is so . I felt an inexpressible lightening of the heart . My heart became heavier . contradictory +This is because the SCR is frequently installed in an elevated position near the boiler and well off of the ground . It is dangerous to have the SCR installed close to the ground . neutral +Hieroglyphic cartouches are also popular remembrances a jeweler can have your name made up into a cartouche of Egyptian letters in just a couple of days choose from gold or silver . Hieroglyphic cartouches are sacred and can 't be duplicated . contradictory +As in the case of the initial analysis , HCFA summarized the need for the rule in the preamble . HCFA gave their reasons for supporting the rule in the preamble . entailment +But ( as Stein pointed out in the Committee ) , every dollar Social Security invests privately , instead of lending to the Treasury ( as happens now ) , is an extra dollar the government must borrow from private capital markets to finance the national debt . Social Security isn 't allowed to invest money privately . contradictory +I suppose you can give me no idea to whom these letters were addressed ? " I think you can propose who these letters were addressed to ? entailment +Absolutely , you understand . Definitely , you get it . entailment +Participants recognized that programs were turning or had turned that critical corner--from being resistant to or resentful of change to an embracing of new visions by staff , board members and other stakeholders . The staff members are embracing the change . contradictory +The SEC has vast responsibilities and finite resources . The SEC has a lot of resources . entailment +Fundamentally , what we 're trying to do is provide equal access to justice , for all people - regardless of their economic standing , said LSSM Board Member and volunteer attorney , Fred Hall . Fred Hall said that the poor people do not deserve access to justice . contradictory +Adrin and Jon stood , pistols in hand and swords at the ready as they faced the last of the Sticks . Jon and Adrin had both guns and swords . entailment +Gibson had reduced Dala to a midget . Gibson was happy to bring Dala down a notch . neutral +When the Chamber of Absolution filled with the cries of tortured heretics , Simon closed his eyes in fear , and Dobrava got to work . Simon was brave and started working with Dobrava . contradictory +yes unbelievable in fact when we went down to visit one time we just sat there and we watched i couldn 't believe This was not worth watching . contradictory +Ranches ( ranchos ) and stables are scattered over both islands , so you can hire a mount and go off horseback riding . Horses must be bought for riding , they cannot be hired . contradictory +In open areas and cages , it has all manner ofbirds , parrots , and peacocks . In open areas and in cages , it has all manner of tigers , jaguars and lions . contradictory +As the discount increases above 4.5a , the postal service falls below breakeven and will have to make up the losses with a price increase for all mailers , both those who are now presorting and those who have not thus far been affected . Automation has not made much difference in postal service efficiency . neutral +How is that ? How is it ? entailment +are you you 're married Are you married ? entailment +Please , I need another day of rest . The battle took a toll on me so I need to rest . neutral +The windows and doors of over 100 wooden cabins are bedecked with printed sarongs , T-shirts , and carved masks . There are over 100 wooden cabins . entailment +These fees generally include monthly account fees and per check and per deposit charges on each transaction . These fees include yearly account ones on every transaction . contradictory +The prize for the competition winner was a gold medal along with world fame . Winners do not typically receive many accolades . contradictory +Beatty is meticulous , even anal . Beatty is laid back and easy-going . contradictory +Of course I don 't believe Bill Gates ordered you to slander Java ! I don 't think Bill Gates would want to say anything bad about Java . entailment +Fed up , Mr. Davol agreed to wander , inhabiting the offices of vacationing staffers . Mr. Davol ended up wandering about the empty offices . entailment +In 1958 , 4 percent of white Americans approved of interracial marriages . Most people used to support interracial marriage . contradictory +Cool off with an excursion inland to Carrara , where the marble quarries provided the raw material for Italy 's greatest achievements , the monuments of the Roman Empire and the Renaissance . Marble was so valued to be used for monuments due to its density and durability . neutral +and um the there is men and also women women aren 't um nearly as frequent and also that have elderly couples once their kids have left that can volunteer to go on a mission and um they 're all over the world and its it is an incredible logistics i mean they have a training center where they teach them it 's called the Missionary Training Center in Utah and they have to be taught the language There is a center in Utah where they teach language . entailment +For example , the university 's policies went beyond the traditional warnings against password disclosure by including prohibitions against a variety of possible user actions . The university 's policies were more strict than traditional warnings . entailment +right right yeah it 's nice to get out in the open air and especially when the weather 's not too hot or not raining or whatever but uh I like the open air during the spring mostly . neutral +um-hum something that is working and i i i really like the system of house arrest where uh a someone 's wear someone wears a bracelet I hate house arrest when a bracelet is involved . contradictory +The mosque is unusual in Cairo in that it has no facade it is hidden behind a protective wall with nineteen openings . The cairo mosque is very large and extravagent . neutral +These activities focus on OPM 's Executive Core Qualifications including leading change , leading OPM 's Executive Core Qualifications include leading change , among others . entailment +It was Susan in his head . Susan was the least of his concerns , it was Lucas he was focused on most . contradictory +c ) Low at 50 cents to 55 cents per pint , or under $ 3 per six pack . It is less than $ 3 per six pack . entailment +now i always end up in a must take situation anyway so I end up in that situation . entailment +Come on , Beresford , we 'll go and have a look at this house of yours . " Two constables were on duty in front of the house in Soho . Beresford , we do not have time to visit your house . contradictory +I will not be dictated to , and the army had best understand that . The army is free to command me to do anything . contradictory +Madrid owes much to the civic-mindedness of Charles III , who ruled from 1759 to 1788 . Madrid is close-minded because of Charles III . contradictory +In the last few lines of his book , Siegel waxes strangely Siegel 's book ends wierd , he seems to have just abruptly ended the story . neutral +And can this be explained without resorting to the phrase dumbing down or alluding to the questions on that Who Wants a Big Bucket of Money quiz show being multiple choice about the Brady Bunch , not like in the old days , when quiz show questions were so hard that you had to cheat to win , and presidential candidates all spoke in full sentences , in iambic pentameter , in Latin , while wearing complicated wigs and fancy hats and several layers of underwear with fastenings so elaborate you had to be like a genius just to undress for one of your Naked Fireside Chats from the Aero White House , a giant dirigible moored to Zelda Fitzgerald . Quiz show questions were considered by some to be so hard that cheating was necessary . entailment +He replied that he had put it back where he found it . " The lawyer paused again . The lawyer took a drink of water after stating the man put the item back . neutral +He looked away hastily , shaken . He turned away quickly , filled with terror . entailment +but i don 't know too much about the death penalty I would like to learn more about the death penalty . neutral +You had better go down and see him , Ivan . Ivan said that you should go see him . entailment +The easy Executive Editor Benjamin Bradlee departed in 1991 after 26 years at the top . After over 25 years , Benjamin Bradlee left in 1991 . entailment +Figure 3 : Data Reliability Assessment Process In figure : 3 you will read about data reliability assessment process . entailment +He probably destroys his own case . He lies on the stand to ruin his case . neutral +I jabbed her with my Gauntlet again , retreating toward the cockpit . I hit her with my gauntlet . entailment +What kind of message are we sending those who repeatedly violate Protection From Abuse orders ? What are we saying to those who violate Protection from Abuse orders ? entailment +so um i get you know we i saw some news out of like New Hampshire and a big thing in the courts right now is um they don 't have enough stalls in women 's bathrooms as they do men 's bathrooms I was reading the newspaper from New Hampshire . neutral +they 've recently voted that Spanish is the official language which i always assumed it was anyway They recently voted to make English the official language . contradictory +Jon ordered everyone to avoid any risk of injury . Jon told everyone to avoid getting injured . entailment +Surely the girl has not been kidnapped . " The girl is right here with us . contradictory +how do you uh manage your budget I hate budgeting , its hard . neutral +Among the most moving , look for the Kiss of Judas , the Crucifixion , and the Lamentation . The kiss of Judas is the most boring piece of art in the exhibit . contradictory +Veterans ' Training for Claims Processors Needs Evaluation The veterans need evaluation for their training and claims . entailment +so i don 't i don 't even know who your favorite team is actually I know you are a huge fan of the Yankees . contradictory +( George Mason University 's James Trefil , for instance , complained that Forman gets into material he does not appear to understand . James Trefil appreciates Forman 's discussion of complex material . contradictory +Net so - $ 92 , though I 'm still waiting for the Slotland check , too . I need to be paid by Slotland . entailment +White-washed houses climb the hill above the harbour , where ferries depart daily for the Greek island of Samos , and lively bars and restaurants line the streets of the old quarter . Many light-colored houses stand on the hill overlooking the harbour . entailment +In the third reshuffle , Kerensky became prime minister . The third reshuffle was very lucky for Kerensky . neutral +( In practice , there will probably be a small segment of the population-- presumably at the low end of the income distribution--who will be unhappy about having to buy insurance even at $ 500 . Paying $ 500 for insurance is a lot of money for some people in America . neutral +Because 157 she wished to destroy something , and could think of no other way . Because burning it was the only viable option for destroying it . neutral +or even Australia ! Or also Australia ! entailment +And each December , when the networks do all those year-in-review shows , there 'd be swell footage of mighty impressive fatuity . The shows are in July . contradictory +oh but that wouldn 't be boring like walking up stairs That isn 't boring like walking up stairs . entailment +Fernando my name is Nick Nick is my name , Fernando . entailment +Brock 's anachronistic redbaiting resembles the fashionable game Six Degrees of Kevin Bacon , in which it is shown that the actor can be associated with any other actor in the world in a series of short steps . Brock 's redbaiting is totally unlike the game Six Degrees of Kevin Bacon . contradictory +Data such as those in Figure 9 are not readily available and would be difficult to develop . Data in Figure 9 is easily found and developed . contradictory +part of me says that i 'd kind of like to do it just to see what it 's like to be in that position where you are playing you know life and death with somebody else could i bring myself to do it A piece of me thinks I 'd quite like to do it , to find out what being in a position over someone 's life is like . entailment +they always have to think you know what 's the weather doing and Because of how bad it 's been , they 're always thinking about it . neutral +But if you 're an optimist and expect to practice future self-control , you 'll be inclined to save your money and pass it along into your own future good hands . If you 're an optimist , it 's good to save and invest your money . neutral +The agency has made considerable progress in confronting its problems , but more needs to be done . The agency has begun the process of fixing its shortcomings . entailment +as we said well nothing 's happening in the war because now they 're interviewing the what seems to be dozens of Mideast experts all at once They only conducted interviews with Canadian officials . contradictory +to those children when they are together and and so it seems it seems for them that it works out all right so i don 't know i i don 't think i ever would have had what it would take to work full time and raise a family i I do not know how people have time . neutral +Check at the tourist office for details ( see page 123 ) . The tourist office has details . entailment +The U.S. has been able to invest more than it saves by borrowing from abroad , but economists question whether this is a viable strategy for the long term . The U.S. has been able to invest more potatoes than it saves from borrowing abroad . neutral +A Minister of State is accountable to Parliament for each department 's functions and activities . A Minister of state is accountable only to the voters . contradictory +he 's the pilot excuse me He is the pilot of the helicopter that we rode here in . neutral +Here you 'll find interesting shops for antiques , collectibles , and antiquarian books . The age of the location allowed for the accumulation of such items . neutral +that 's right well i i uh i have to agree with that even when they was very very popular in the early sixties uh i uh Their popularity waned in the late sixties . neutral +Yet only 23 percent of the state 's 23,598 active lawyers reported meeting the Georgia State Bar 's goal of 50 hours of pro-bono service in 2002 . The overwhelming majority of the lawyers met the pro-bono goal . contradictory +Preaching that suffering came from the pursuit of personal desire , Buddha had advocated the Middle Way of the Eightfold right views , right resolve , right speech , right conduct , right livelihood , right effort , right recollection , and right meditation . Right meditation was most important to Buddha . neutral +But Tommy hesitated . Tommy wasn 't sure why he was hesitating . neutral +The huge Palais de Justice , heart of the centralized French legal system , stands on the site of the Roman palace where the Emperor Julian was crowned in 360 . Emperor Julian threw a massive party to celebrate his coronation in the old Roman palace . neutral +It is not the first time that actors have tried to seize the reins of production--that was in 1919 , when Mary Pickford , Charles Chaplin , and Douglas Fairbanks joined forces with William S. Hart and D.W. In 1919 , Pickford and Chaplin tried to stop production . neutral +The present contention is that Mrs. Inglethorp died of strychnine poisoning , presumably administered in her coffee . " They say that Mrs Inglethorp died from being shot . contradictory +yeah i live in Richardson but it 's about half way between the Spring Creek and the the Dallas site so I don 't live in Richards , or anywhere else in Texas . contradictory +I carried the magazine carelessly stuffed into the pocket of my ulster . I intentionally ignored the magazine stuffed in my coat 's pocket . neutral +but i 'm not going to give it back I intend to return it at some point . contradictory +White stood . White sat . contradictory +This preliminary screen should trigger a more in-depth assessment and a brief intervention that can be delivered either separately or as a package ( Figure 2 ) . The delivery can only be in package form . contradictory +so but we have the money set aside so if it does it 's not going to kill us We don 't worry about an emergency fund . contradictory +Then he sends a ring down the dumbwaiter to her basement room by way of proposing marriage . He proposed to her using a ring in a dumbwaiter . entailment +The public is denied this access because the state , in thrall to the ideology of individualism , refuses either to interfere with speech bullies--such as pornographers--who silence women , or to subsidize the speech of the unorthodox , such as Robert Mapplethorpe . Robert Mapplethorpe wrote and published an unorthodox book . neutral +uh-huh well that 's probably what i watch most frequently besides like news programs is the movies and they have a couple of channels that are like nostalgic older movies I frequently watch Jeopardy . contradictory +Other performance centers are the CiteHall cultural complex , with exhibition halls and theaters that present concerts , plays , and films ; the Hong Kong Academy for the Performing Arts with two major theaters for dance , drama , and concert performances ; and the Hong Kong Arts Centre in Wan Chai , where both local and visiting groups perform . Hong Kong currently has no exhibition halls or theaters which cater to plays . contradictory +fall short of of being really creative with a lot of things i mean here 's the situation of this kid at home you know it 's a classic slapstick situation with these bungling burglars trying to get in Classic slapstick situation of a kid `at home with burglars breaking in , not hugely creative . entailment +As a result of these huge authorial efforts , Big Trouble is bigger than it had to be . Big Trouble can not handle how big it is . neutral +Impossible ! I exclaimed . I said that it was easy . contradictory +and less than that in local elections and do you think that 's a problem and do you have any or do we can we can come come up with any solutions for that so if you 're ready we 'll start Do you think we can come up with any kind of solution ? entailment +To find the Grace Kelly of European painting , you have to go back to the 15 th century in central Italy , France , and especially the Netherlands . You can find the Grace Kelly of European abstract painting in the 15th century . neutral +and we have him and then our female she had another litter we didn 't think she was we thought she was too old to get pregnant again turned out she wasn 't My dog got pregnant just after she had two litters . neutral +Legal Aid is a nonprofit national organization aimed at providing low-cost or free legal aid to those who need it . They wanted all that were local income to have some sort of legal aid . neutral +Curb routes deliver directly from the vehicle to a curbside mail receptacle . Curb routes are a lot easier and convenient . neutral +um well my dad in his alcoholism he was kind of irritating and it there were a few times he was violent towards my mother but it was almost he like if he had any opinions to give he would tell my mother and she would tell us and so we had almost no direct relationship with him i mean he was there and and we you know did little things together as a family but on the whole there was no My father usually communicated with us through my mother . entailment +Polygraph hands wavered and heart-rate monitors beeped . The monitor was silent . contradictory +The counter-arguments 1 ) neither did Arledge ( he came from the sports division ) and 2 ) Arledge will tutor Westin for a while . The two counters were that Arledge also did not , since he came from sports , and that Arledge can tutor Westin . entailment +The auditor usually provides in-depth review of the RSI only if there appears to be some problem with the data . If there is not an issue with the data , the auditor provides in-depth review of the RSI . contradictory +Not four years ! Four years is a long time to wait for a report . neutral +Improved Reducing emissions of fine particulate matter will prolong thousands of lives and prevent thousands of new cases of chronic bronchitis , hospitalizations and emergency room visits . Reducing emissions has a number of economic benefits as well . neutral +It took a long time for the spectators to depart . The spectators took a long time to leave . entailment +( Various sites , among them MSNBC , provide CIA video of the reconstruction of the crash of TWA Flight 800 . ) TWA Flight 800 crashed and the incident was caught on camera . entailment +Research suggests that individuals who are not financially literate tend to save less . The key to saving money is by being financially illiterate . contradictory +yeah oh yeah uh in in fact it 's on tonight It is not on tonight . contradictory +The final rule is intended to improve fund prospectus disclosure and to promote more effective communication of information about funds to investors by focusing the disclosure on essential information . The final rule assumes that increased disclosure to investors is always a good thing . neutral +The money is allotted based on poverty population figures that are updated every 10 years through the Census . Poverty population figures determines how money is allotted . entailment +Then , finalizing his ode to non sequiturs , Itell analogizes Tyson 's alleged disease to a fatal disease and even recommends that Tyson take psychoactive drugs and undergo a medical clearance on his behavior . Tyson was told he had malaria and AIDS . neutral +But that 's not how the question has generally been posed during this two-week frenzy . They were surprised that the question would be posed in this new manner . neutral +There was now nothing to do but to wait . There was nothing to do but wait . entailment +The Mus ? ? e des Beaux-Arts , finely housed in a 17th-century Bene ? ­ dic ? ­ tine abbey ( 20 Place des Ter ? ­ reaux ) , has a rich collection of European paintings , and sculpture . The art pieces houses within the Musée des Beaux-Arts world renowned . neutral +Legal Services of North Carolina estimated that fifty percent of their farmworker clients left the University . The farmworkers left the university due to a lack of support and funds . neutral +or better yet down around Saint Petersburg Florida It 's around St Petersburg , Florida . entailment +China began to relax trade restrictions , and with the rise of Hong Kong , Macau became an isolated Portuguese outpost . Macau suffered due to big changes in China 's trade policies . entailment +Maybe Daniel hadn 't smashed things too badly after all . Daniel had annihilated the item . contradictory +I want to challenge them to see what they can provide . If I challenge them on this , they might look unkindly upon my claim . neutral +well that 's great how about your That 's terrible . contradictory +Yes , the new one won 't need it . The old one however had needed it . neutral +Misters , misters everywhere . Sirs , sirs all around . entailment +During the first year of the new trading program , 99 % of the allowances will be allocated to affected EGUs with an auction for the remaining 1 % . 1 % of allowances will be auctioned during the first year . entailment +Better still , go shopping with an expert . Experts will make sure you get the highest and best quality goods . neutral +LSC is headed by an 11-member board of directors , appointed by the President , and confirmed by the Senate . The 11 member board consists entirely of congressmen . neutral +By law , subclasses of domestic mail must produce revenues equal to or exceeding attributable costs . The law doesn 't state anything about postal revenue . contradictory +see see one of the things that will determine whether they 're able to do that or not is not their ability to prove that it is unhealthy because we all know that French fries are not healthy for you it 's the capability it 's the capability of detecting it It will be hard to test and detect how French fries are unhealthy . neutral +No , we must look elsewhere . There are a few places left to check . neutral +and i mean they 've always got dessert money or they 've always got you know dollars on them and everything and i 'm thinking you know this isn 't right because my children don 't have that They 've always got dessert money or they 've always got dollars on them . entailment +He added , We 've made a good start . He said they had started well . entailment +US Department of Commerce , Economics and Statistics Administration . The US Department of Commerce oversees many departments . neutral +Jon led this group . Jon was the leader . entailment +What then occasioned this sudden change of sentiment ? You never change your mind about anything . contradictory +I still had to select my items from lists , and it was good that I generally knew what types of hardware I was running , but it worked . It was good that I generally knew what types of hardware I was running , because I had to select my items from lists , but it worked ! entailment +Time reports on a peculiar development in medical fake operations . The report is startling because there are a lot of instances of fake operations . neutral +Whilst admitting the truth of Julius 's objections , she had nevertheless not entirely relinquished the idea of appealing to Sir James Peel Edgerton . She still wants to appeal to Sue James Peel Edgerton , despite other people 's misgivings . entailment +and and and and what are crickets good for What uses are there for crickets ? entailment +A number have already been released for implementation in Centrelink 's Customer Service Centre network . There is a phone number for the Centrelink 's Customer Service Centre network . neutral +Don 't ask me why there was hay- these southern towns can be quaint like that . There was hay on this southern town , don 't ask why . entailment +If anyone had chanced to look this morning before his return , and seen it there , it would have been a valuable point in his favour . It would not be good for him if someone saw it before he got back . contradictory +do you oh yes that 's a good program uh-huh I was thinking of joining the program myself . neutral +A magnificent structure that was the presidential palace and then the municipal palace until Castro seized power , it now houses the Museo de la Ciudad de la Habana ( the Museum of the City of Havana ) . The presidential palace became the Museo de la Ciudad de la Habana . entailment +Financial condition is a broader and more forward-looking concept than is financial position . Financial position is not as forward looking and broad as financial condition . entailment +Pedalos can be hired by the hour , but you should always allow yourself plenty of time to return to shore before your rental period has expired . You can rent pedalos , which are paid per hour . entailment +was to be accomplished and leaving the how to the initiative of project staff . It was supposed to be accomplished by reordering the priorities of the organization . neutral +sure bye-bye don 't leave contradictory +But they fail to count the central benefit--the diversion and pleasure it provides to millions of people . They miss the main good point , the fact that it 's fun . entailment +Another park is Sunway Lagoon in Bandar Sunway , located near the state capital of Selangor , Shah Alam ; it is known for its water attractions and rides . Bandar Sunway is located far away from the state capital of Selangor , Shah Alam . contradictory +For monetary instruments , the revenue is recognized at the time of obtaining forfeiture judgment ; for property that is sold , at the time of sale ; and for property that is held for internal use or transferred to another Federal agency , at the time of obtaining approval to use the property internally or transfer it . Monetary instruments involve the recognition of revenue . neutral +Specific actions for each stage are discussed in sections 6-10 . Specific actions for each stage are discussed in sections 6-10 and 12-13 neutral +Also what poor help we can give you now . WE can only offer poor quaity in the help you need . neutral +Finally , in 1936 , a large section of the army under General Francisco Franco rose in revolt against the government . Only the army under General Francisco Franco revolted against the government . neutral +Never mind what you 've got . It only matters what you have now . contradictory +seniors fight predatory lending scams and parents obtain child support for their kids . Seniors are targeted by unscrupulous borrowers . contradictory +However , sometimes it seems that the city produced artists of this stature by accident , even against its will . The city is a haven for liberal arts . neutral +Several alternative design solutions can be considered during this phase , leading up to the selection of a single preferred approach . At this point , many design options can be considered in addition to the current one . entailment +Five points short . The test score was five points short of passing . neutral +The millionaire 's daughter doesn 't yearn for the violin virtuoso The daughter doesn 't desire the violin virtuoso . entailment +and i started in reading it a friend friend of mine whose a pilot gave it to me he said uh he said it 's a wonderful book you 'll love it i started reading it and he went of course he goes into such great detail I read it when a friend of mine recommended it and gave it to me . entailment +As we have pointed out , [ i ] t does not follow . . . that viewpoint-based restrictions are proper when the [ government ] does not itself speak or subsidize transmittal of a message it favors but instead expends funds to encourage a diversity of views from private speakers . Private speakers are the best method for transmittal of a message that the government favors . neutral +On the other hand , 50 women had asked him to put their eggs up for auction . But he was asked by 50 women to put their eggs up for auction . entailment +No slaves meant almost no sugar production , until the first of some 80,000 Hindus from India and 16,000 free Africans began arriving as contract workers for Guadeloupe and Martinique plantations . No slaves meant sugar production was cut in half . contradictory +What was to be done ? How could the situation be fixed ? neutral +Hard-drinking locals down poncha ( sugar-cane brandy , lemon juice , and honey ) in shadowy bars , while grizzled old fishermen play cards or repair their boats , awaiting their next trip . The fishermen are often old , grizzled and playing cards . entailment +um-hum are you a a native Texan oh well good for you have you ever been to Austin Are you a native Canadian ? contradictory +well yeah you know and and it was it was just automatic too no matter where you were you stopped and and sat down and watched it i think it 's come around again it 's gone through cycles but uh SNL is good again , it 's gone through some bad cycles . neutral +i could sure tell the difference though after the first year or so of being there uh prior to I spotted the difference right from the start . contradictory +Ah , you did not notice the postmark ! You didn 't notice the postmark ? entailment +Freshwater angling for bass , carp , or trout is good anywhere in the lakes and streams , best of all up in Hokkaido , where you stand a decent chance of hooking a salmon . Freshwater fishing is good anywhere . entailment +yeah and then the cover version i think i mean i thought was absolutely it was pitiful The cover version was so sad because they didn 't have any good artists on it . neutral +but or even a bird or a fish tank or something you know Even a bird or fish would be ok . entailment +In this respect , U.S. experience in the 1990s differs from that of the 1980s . The 80s and the 90s didn 't differ contradictory +On Wednesday , April 30 , police in Pecos , 80 miles from Ft . Pecos is 80 miles from the town . entailment +Such a standoff , when it occurs , will trigger a global media event , with CNN broadcasting satellite shots of the suspected facility every 30 minutes , and so on . Such a standoff triggers a global media event causing wide coverage by CNN and other media outlets like the New York Times . neutral +give you know the original artist or the original composer the credit that 's really due to them The credit should go to the original composer . entailment +Don 't you ? " Don 't you like candy ? neutral +Time stresses the historical angle , calling the Balkans a centuries-old tinderbox that the NATO airstrikes will ignite . NATO bombing the Balkans will cause the entire region to go up in flames . neutral +it 's kind of fun i mean i i i always say that i need to buy a computer for the house but i just haven 't got around to doing it yet I really don 't know what type of computer to purchase for my house . neutral +Then you can hand them over to us right away ? " You can give them to us then ? entailment +yeah well i 'd i 'd say actually i mean as someone who 's involved in education i 'd say that maybe one of the changes is that the role of the teacher has incrementally gotten lower and lower value and society i mean relative pay which is a major way we value people has been I am a teacher and I don 't think I get paid enough . neutral +Housed in the elegant residence of a famous 19th-century collector , at 158 Bou ? ­ le ? ­ vard Haussmann , the Musee Jacquemar-Andre displays one of France 's finest gatherings of 18th-century French , 17th-century Flemish and Dutch , and Italian Renaissance art , in much the same spirit as New York 's Frick Collection or London 's Wal ? ­ lace Collection . In the Musee Jacquemar-Andre you can see fine examples of Flemish , Dutch , French , and Italian art . entailment +You 've been entertaining a celebrity unawares , I replied . You had no idea I was a celebrity , did you ? neutral +Cooper was condemned , reviled and , for a brief time , incredibly popular . Copper was very unpopular once . neutral +Today , just like 27 years ago , racial and ethnic bigotry remains the central reality of most of our clients ' lives . Bigotry impacts our clients because they live in the deep south . neutral +Stated differently , it was primarily focused on maximizing earnings and not enough on managing risk , including risk relating to its hardearned and priceless reputation . The biggest concern was to make the most profit . entailment +Terms contained in the glossary appear in bold type in the text the first time they are used in the major sections . Bold text is used to highlight number differences . contradictory +We go to the fights and a hockey game breaks out . There are never any fights at hockey games . contradictory +and it 's it 's it 's a bunch of hog wash i i 've changed the oil myself i 've put a filter on you know put the oil in and all it 's no problem at all They changed the oil themselves . entailment +Tommy was equally afflicted . Tommy was not feeling so great about it . neutral +so but so yeah we just haven 't had the time to go to the movies lately Nowadays , we are too busy to spare time for a movie . entailment +As a source of shipbuilding timber in a key location , the island was a kingpin in the far flung commercial empire , and became the Republic 's first formally constituted overseas colony . The stony , barren island never became an important part of the empire . contradictory +Then they walked completely round the house . They did not find what they were looking for when they went around the house . neutral +get some thoughts in the meantime if i had some you know think about it ahead of time Try not to think about anything in the meantime . contradictory +My wife and I recently had our second child , a boy . We just had a baby named Adam . neutral +uh five rooms upstairs one uh room downstairs a basement full cellar It 's a really spacious home with many rooms . neutral +In the bazaars you 'll pass robed Greek Orthodox priests and Bedouin tribeswomen in richly embroidered dresses . Greek Orthodox priests and Bedouin tribeswomen can be seen in the bazaars . entailment +it was just unbelievably hot and It was so hot I nearly fainted . neutral +Can 't it , though ? It 's able to , yes ? entailment +All for the good of the cause . All , including bad things , to serve the cause . neutral +it has an eight cylinder That gives it some extra punch . neutral +He 's not just a man in the He generates his own light . He doesn 't shine at all . contradictory +Israeli museums are usually modern , lively places . The museums in Israel are typically very lively and modern . entailment +yeah i 've seen that that 's uh that was a really good movie probably one of the best things about it was the scenery and uh i thought the story was pretty good too i think i think Kevin Costner did a really good job with it It 's my opinion that both Kevin Costner and the scenery were very well done in that movie . entailment +Winter sports are one of Hokkaido 's main draws for domestic tourism , with popular ski resorts at Teine Olympia ( outside Sapporo ) , Niseko , and Kiroro . Hokkaido has a lot of fun winter sports that people drive for hours to take part in . neutral +Built in 1815 1818 and one of the last great buildings of Dublin 's Georgian architecture , the GPO is justly renowned for its imposing Ionic portico ( look for the bullet holes ) with six fluted columns and figures sculpted by Edward Smyth . The GPO has a big portico . entailment +i could see a a full a run a gamut of different kinds of opportunities things that need to be done that would that could be done in an hour or two i could envision many different necessary tasks that would only take an hour or two to do entailment +'Good . It was not good . contradictory +Also , through the IG 's active participation in the Comptroller General 's Advisory Council on Government Auditing Standards , the Domestic Working Group , and the activities of the Intergovernmental Audit Forums , GAO and the IGs share information , identify emerging issues , and achieve broad coordination . The IGs give information to one another . entailment +On the other side of the square , St. Joseph 's Church was built in 1914 over a cave once thought to be Joseph 's carpentry shop . On this opposite side of the corner is St. Mary 's Convent . contradictory +no well my my last boss 's wife she oh gosh she would run the tape player from the minute she went to go do her aerobics and she used to do like um filing at the hospital My boss 's last wife was a nurse . neutral +The Democratic base will awaken . The democratic base will rest . contradictory +times that we had sort of a family reunion was when uh was this i think it was last last winter we uh we went up to New Hampshire to go skiing I 've never been to New Hampshire . contradictory +As expected , scenario A has the largest increase with expenditures rising by nearly $ 17 billion in 2015 compared to the reference case . Expenditures in scenario A decrease . contradictory +It has been requiring states to consolidate legal aid groups in an attempt to conserve money and improve services . States aren 't consolidating legal aid groups in order to save money . contradictory +There was no room to retrieve the final error . There just wasn 't enough time left to fix the final error . neutral +The third field work standard for performance audits The field work standard is for financial audhits . contradictory +Because CCLS is not part of the class Congress sought to benefit in enacting the LSCA , we must conclude that Congress did not intend to imply a private cause of action by CCLS to challenge the LSC 's exercise of its statutory and regulatory duties . Lobbyists have been trying to change this interpretation for years . neutral +The Federal Financial Management Improvement Act of 1996 requires , among other things , that agencies implement and maintain financial management systems that substantially comply with federal financial management systems requirements . Agencies can decide whether or not they wish to implement a fiancial management system . contradictory +sure see uh still some migrant labor is legal you know migrant work is still legal in some states neutral +Had she been more aware of the despair of the Depression , she might have been more understanding of Franklin Roosevelt . She was not very understanding of Roosevelt . neutral +Corporate welfare lets politicians claim they 've created new jobs while wasting your tax money . Corporate welfare makes it impossible for politicians to waste tax payer money . contradictory +Experience the formation of the continental plates and the development of different climatic regions , then explore the complex and dynamic interactions that make our planet work . You can learn how the continental plates form . entailment +There will be enough for everybody ! there wont be enough for everybody contradictory +33 T-ACE also screens for alcohol abuse and dependence . Alcohol and dependence can also be checked by the 33 T-ACE . entailment +Second , it neutralizes the summary judgment frame , since summary judgments are up to the judge , not the jury . Summary judgments are decided by the judge . entailment +The King pays his respects to the deities including Ra and Kephri as he makes his symbolic journey . Ra and Kephri are considered to be amongst the greatest deities of Egyptians . neutral +Criteria , one of the elements of a finding , provide a context for understanding the results of the audit . Provide statistics and figures to help with understanding the audit results . neutral +Malaysia has done a fine job of giving visitors access to its natural treasures without taming them too much . Visitors have access to Malaysia 's natural treasures . entailment +16 In another study by Sommers and colleagues15 involving two trauma centers , patients who were injured in vehicular crashes and had a positive BAC were asked , To what extent do you believe your alcohol consumption was responsible for this injury ? Vehicle accident victims with a positive BAC were never asked if they thought their drinking caused the injury . contradictory +Thus , by using this evaluation technique , we are able to avoid the need for obtaining productive hourly costs translated into dollars using purchasing power parities . Certain techniques cause a decline in hourly costs . entailment +of course they could always stick something in the credit bureau They cannot do anything with the credit bureau . contradictory +uh tell you what um i 'll let you start or if that 's all right I 'm gonna let you start , if that 's ok . entailment +Don 't go borrowin ' trouble nor try to cross a river till you git th ' water lappin ' at your boots . " 9 " Times is gittin ' better . " Crow Fenner rode with one knee cocked up over the horn of his saddle , allowing Tar to drop into a pace at which he seemed to be actually sleep-walking . Tar was very tired from walking all night . neutral +In Russia we have ways of making a girl talk . " In Russia , we know many torture methods . neutral +Morgan and Co. again . Morgan and Co. all over . entailment +uh we 've got a lot of them too many of them We have none . contradictory +In News Quiz responses and in the wider culture ( if there is one ) , food is used as a metaphor for ideology ( bread and roses ; let them eat cake ) and for Their attitudes toward eating reveal something , well , distasteful about President Clinton and Calista Flockhart . In response to a News Quiz , food is used as a metaphor for ideology . entailment +Ca 'daan took out a loaf of round bread wrapped in white linen . Ca 'daans bread was in a brown paper sack . contradictory +Originally a more simple monument , its white marble skin was the addition of a very grateful Jahangir who , without the mystic Shaikh Salim Chishti , might never have seen the light of day . Jahangir added black marble skin to the monument . contradictory +In addition , other revisions were made to make the final rule less prescriptive and to allow establishments greater flexibility in meeting the requirements . The revisions made the final rule more strict and less flexible . contradictory +Today , west of New Orleans along what is called the German Coast , you can see towns with names like Hahnville , Kraemer , and Des Allemands . You can see towns today with names like Hahnville , Kraemer , and Des Allemands west of New Orleans along with what is called the German Coast and other towns in the area . neutral +Julius reappeared some minutes later , having reassured Albert and rewarded him lavishly for his services . Julius reappeard after reassuring Albert that the battle would be won . neutral +You 'll find a printed guide indicating times and difficulty of various hikes at the Pointe- ? -Pitre tourist office . The tourist office has printed guides for the hikes . entailment +First , we concluded that the LSC is not a federal agency for purposes of judicial review under the Administrative Procedures Act . We found that the LSC is a federal agency under all rules . contradictory +Now that 's a Flytrap remedy even Clinton 's worst enemies can love . Even Clinton 's worst enemies approve of the Flytrap remedy . entailment +After 20 years of marriage and raising our children , my husband and I have decided to stop torturing each other . We stopped torturing each other after 20 years of marriage . entailment +Identified only as Paula in the story , she was described by one trooper as offering to become Clinton 's girlfriend after their encounter . He was already a married man . neutral +Therefore , the impact of the rule varies based on the type of business and its place in the chain of production and distribution . This rule has little to no impact at all , with no real exceptions or variances . contradictory +To admit that increasing returns exist would destroy economic theory . Returns do exist for sure . neutral +In response to our inquiry , HUD staff explained that its procedures do not include providing a separate copy of the certification to SBA and that it did not do so in this instance . This was not the only inquiry that had been responded to that day . neutral +The Postal Service argues that The argument was made by the postal service . entailment +how many do they have like at the Plano one usually How many do they usually have at Plano ? entailment +I wish Susan were here , said Adrin . Adrin longed for Susan . entailment +Charlotte Square is arguably the jewel of the New Town . Charlotte Square is ugly and people rarely go there . contradictory +Further , our work has shown that U.S. agencies have benefited from their use of results-oriented performance agreements for political and senior career executives . According to our work , political and senior career executives benefit US agencies through agreements . entailment +Mon ami , have you ever , when writing a letter , been arrested by the fact that you did not know how to spell a certain word ? Have you ever been upset when you can 't spell a word that you know you should know ? neutral +The hero was 38-year-old Broncos quarterback John Elway , who passed for 336 yards and ran for a touchdown to put the game away . John Elway was never able to repeat this feat in his career . neutral +The factual record provides an important context for consideration of the legal question of the meaning of the presence requirement for representation by LSC grantees . The record provides nothing . contradictory +i 've never seen i 've seen pictures of it but I have not witnessed the real deal , but I have seen it in pictures . neutral +the bugs don 't least here at least here the bugs don 't particularly bother them and they don 't require a lot of fertilizing or care you know during the rest of the year They don 't require a lot of fertilizer or care and the bugs don 't bother with them but the rodents like them . neutral +and they probably they do it all by hand probably They 've implemented several software products to automate the process . contradictory +Both grants come from the Legal Services . 8 grants came from the Legal Services . contradictory +There is no mention of any of the events of that afternoon . They told them all about that day 's events . contradictory +On the opposite side of town in the Barrio San Blas is the smaller Castillo de San Fernando , begun during the War of Independence ( 1808-1814 ) . Castillo de San Fernando is on this side of town . contradictory +We might increase the discount to 7a and find that we saved 7.3a on the volume that shifted . Increasing the discount might cause a savings in volume . entailment +Is Lee Harvey Oswald in his grave or in Russia ? Where is Lee Harvey Oswald ? entailment +They are not that reliable , he told me , but they get the job done . Even though they are not reliable , they do get the job done . entailment +Establish through analysis of multiple sites and data over time Use many resources for the analysis of multiple sites and data over time . neutral +A total of 14 completed evaluations were received from participants . There were evaluations from the participants . entailment +Ca 'daan accepted . Ca 'daan declined the offer . contradictory +Some of them clearly weren 't locals . Some were clearly from out of town . entailment +since it 's state uh laws yes State laws are ruling the country . neutral +for the whole school you know it was just this big project she didn 't want to get into that and i could do it in the center and i just never got around to it I had planned on doing the project for her and giving her all the credit . neutral +yeah it would be a good experience and you 'd be helping people i 'm sure very much and and i i mean not to put not to trivialize the problems of any immigrant group but i do know the Asian groups are having a lot of trouble i mean and part of the problem is that a lot of Chinese and Japanese immigration from you know decades ago has been very successful because they valued education and so forth they became a very successful immigrant group Chinese and Japanese immigrants from decades ago failed because they didn 't care about education . contradictory +Mary Cavendish was standing where the staircase branched , staring down into the hall in the direction in which he had disappeared . Mary Cavendish stared down the hallway and cried . neutral +four people with with luggage and uh course this grant it that 's you know it 's been four years ago but it 's remarkable that the that the bigger vans uh they 're uh my boss just bought a a pick up truck and uh he only gets seventeen miles a gallon My boss drives a car that gets 30mpg . contradictory +and he came in and was presented to the court as a fine upstanding young man who had uh been in seminary to become a priest and yeah The court was told that this was a fine young man who was studying to become a priest . entailment +because of of their you know you can work with it a lot easier The have a particular kind of magic that speeds their work . neutral +In the past , Santa Eul ? ria was primarily a market centre for the rich farms of the northeastern quadrant of the island . As a market center for rich farms , it also offered prime parking . neutral +we ate it all the way going up to the France because the food was so so bad and then when we came into Germany i had five centime left i mean that 's like that 's that 's five one hundredths of a franc which is worth I don 't like French food . neutral +Fill in the blank , for example , typically sparks the most responses . Triggering the most reactions are filling in the blanks . entailment +i can 't think of it yeah but uh It 's on the tip of my tongue though . neutral +yes i remember that i had to do some of my husband 's papers because i had access to one but you know he his was more for scientific stuff than for word processing you know so I had to fill out my husband 's papers . entailment +right no i haven 't seen that one Yeah , I saw that one yesterday . contradictory +The greater use of broadbanding is one of the options that deserves to be discussed . There are no other options that need to be discussed . neutral +I had a pleasant conversation with him and his wife . I had an awful talk with him and his wife . contradictory +um-hum and it 's and it 's recognized that the two great powers are us and them and and the two great powers are always pitted against each other We are not just two great powers but the two greatest powers of all . neutral +He never called , and now he has stopped returning my messages . He has been calling my friends and blabbering about this . neutral +This makes Pundit Central quite anxious , since reviewing the commentariat is his job . Its the role of the Pundit Central to review the commentariat . neutral +Most will serve snacks during the day , and you may even be able to order a full lunch or evening meal for a bargain price . Usually , smaller places are more likely to offer better bargains . neutral +so so we 've got to pay a fire tax and we got to pay you know two taxes sounds like you got a a little one there You have a lot more taxes than we have to pay . contradictory +The continually changing program provides something for everyone , whether you want to join in or simply watch a master craftsman at work . The program is only open to people who are experienced with crafts . contradictory +If anyone had chanced to look this morning before his return , and seen it there , it would have been a valuable point in his favour . If anyone saw it was there , it would help him out . entailment +Though the good God gave her no beauty ! " I followed John 's example , and went out into the hall , where Miss Howard was endeavouring to extricate herself from the voluminous mass of veils that enveloped her head . Miss Howard was attempting to pull a mass of veils off her head . entailment +Clinicians in the ED are interested in screening for several alcohol endpoints . Screening is what interests clinicians in the ED , said the doctor . neutral +uh third and fourth graders that are uh you know when they get into a fight they they tend to use some of the the maneuvers that they have and they feel a little more confident about their fighting ability they tend to get into a few more fights and several of them have ended with uh police calls and and having uh broken bones down at that level of Third graders are learning how to fight . entailment +oh you ought to try some crawfish they are good but see that 's one good thing about living down here is usually anybody that comes over you know even if it 's like out of town guests and stuff they want our cooking Crawfish is not something we like to serve . contradictory +The acquisition project staff should be assigned clear roles and responsibilities . Staff on the project needed to have defined goals and expectations . entailment +yeah yeah i do too but uh Yes , so do I , but ... entailment +And as anyone who has read John Maynard Keynes can tell you , when desired savings consistently exceed willing investment , the result is a permanent recession . When investments are more than savings , the nation will be in a recession . contradictory +Enlightenment ( satori ) was to be achieved through self-understanding and self-discipline , combining tranquillity and individualism . Self-understanding is the principle behind satori . neutral +so you know they i i know that 's bad but you know the just like Texas now If one state does it , maybe it will work for other states . neutral +Bradley again , acting like a typical politician , launching negative attacks on Al Gore , a Gore spokesman crowed last week . A Gore spokesman last week said that Bradley was talking very positively about Al Gore , unlike most politicians . contradictory +And then suddenly things seemed to change . Everything changed all of a sudden . neutral +In some cases , though , this information can be difficult to locate . Housing information is not always easy to find . neutral +Choosing an appropriate method depends on understanding the evaluation question . Picking the right method depends on how you understand the evaluation 's critieria . neutral +On the second floor , the Sala dei Gigli ( Hall of the Lilies ) is brilliantly decorated in blues and golds with Florentine heraldry and vivid Ghirlandaio frescoes of Roman and early Christian history . The Hall of the Lilies is painted green and white . contradictory +He returned to Babylon , leaving a few governors on the frontier . The governors on the frontier did a better job than he did . neutral +Nearly half the Jewish inhabitants hail from overseas , and they have brought with them many of the accumulated customs and cultural traditions of their former homes . More than half the Jewish population are from overseas . contradictory +Oh , there you are ! Nye slammed in , swung one of the chairs about , and sat on it back to front , his arms folded across the back . Nye quietly opened the door , tip toeing over to the bar stool . contradictory +His red tentacles , which gave him his nickname , quivered their regret at lost opportunity to the very last , and the eyes at their tips filled with drifting yellowish crystals that were the equivalent of Earthly tears . He cried yellow crystal tears . entailment +But they were built in all seriousness in the last decade of the 11th century . The 11th century was full of interesting architecture . neutral +Not even the surest magic is reliable . Magic can always be counted on to do exactly what you want . contradictory +As the proposal to create DHS demonstrates , the terrorist events of last fall have provided an impetus for the government to look at the larger picture of how it provides homeland security and how it can best accomplish associated missions . The terrorist events made the government look at the big picture of the economy . contradictory +Surprises spring up on all new industrial complexes alongside sleepy farming villages , skyscraper towns blooming in the middle of nowhere , Hakka women in their traditional flat straw hats with hanging black curtains , water buffalo , and flashes of azalea everywhere . The skyscraper towns are the hubs of finance and stock trading in the region . neutral +In 1950 the city established a Military Tattoo at the same time as the Festival , and the two have now become an inseparable combination . In 1950 the Miltary Tattoo was discontinued , and , ever since , the Festival takes place alone . contradictory +Accordingly , our work over the last decade has focused on strengthening federal agency management of IT investment . Each year federal agency management of IT investment has grown a little stronger than the year before . neutral +punishment uh-huh no that 's okay Punishment isn 't alright . contradictory +They tore each other apart and feasted on the dying and dead . They dined on the deceased . entailment +um-hum well i you 've certainly hit on the key to any of it whatever we 're going to do there has to be a profit there doesn 't there the fellow who recycles the paper and the plastic and the aluminum he 's got to be able to make a profit or he just isn 't going to do it There should be some monetary returns to recycling materials like plastic . entailment +yeah oh uh-huh me i haven 't really as far as entertainment i don 't know what you would do if I don 't have any time to fit entertainment in to my life . neutral +For four years Severn had asked the elders to open the old mines deeper in the hills but so far the elders declined . Due to fear of flood , the elders declined to open the mines . neutral +'I 'm ... sure it does . ' I 'm sure of it . entailment +People would travel great distances to consult the oracle of Apollo , seeking advice on business issues , marriage , and military campaigns . People asked the oracle of Apollo about issues such as farming , careers and children 's names . contradictory +All of these measures together will not cause the ghettos to disappear . It is impossibke to banish the ghetto . neutral +Bush 's campaign rationale is that he 'll keep America strong and make Americans proud . Bush said publicly he wants to make Europeans proud in order to be alliances and not enemies . contradictory +All these attractions can be bridled , but the amount and nature of the necessary effort differs by food type and by circumstance . The amount of effort behind these attractions depends on circumstance . entailment +The year 1821 marked the beginning of the Greek War of Independence , which resulted in victory for the Greeks in 1832 , and another loss of territory for the Ottomans , whose empire had shrunk significantly . The Greek War of Independence lasted 15 years . contradictory +You can make several separate trips to view all the attractions that the town has to offer , and you 'll certainly get used to the slow pace of these windblown boats . None of the boats have ever moved at a fast pace . neutral +GAO 's plan presents four strategic goals that will help the Congress perform its constitutional responsibilities and ensure GAO 's ability to continue providing effective , quality support to its clients . The clients of GAO are happy with the results of GAO strategies . neutral +My God ! gasped Tommy . Tommy gasped . entailment +This intervention guaranteed the popularity of these Christian denominations ; today , you will find Baptist and Adventist churches in almost every settlement , their congregations still as strong today as in the early 1800s . The intervention wasn 't the only factor that caused these Christian denominations to grow popular . neutral +Some of these agencies , such as VBA and IRS , used a balanced scorecard approach , which is intended to provide a balanced perspective regarding agency results , customer satisfaction , and employee feedback . Agencies such as VBA are not interested in measurable feedback . contradictory +Participants agreed that in order to identify and serve groups that remain isolated , we need to broaden our language bases , bring more qualified support staff to our programs , use community leaders and be sensitive to tension between disenfranchised communities . Broadened language bases may help serve isolated groups . entailment +Adrin threw his elbow over the entwined blades in front of him and smashed it in his opponent 's temple . Adrin knocked his opponent over after hitting him in the head . neutral +For Buchanan , the symbolic economic issue is a revival of high tariffs on manufactured imports . Buchanan says the revival of high tariffs is symbolic of the Republican agenda . neutral +This year , the bar gave more than a half million dollars in time and money to WMLS , said Paul Abrahamsen , pro bono coordinator for the organization . The organization got more than half a million dollars . entailment +Evolutionary psychology tells us that economic intercourse is about as deeply ingrained in the human brain as any other form of intercourse . Economic intercourse holds no place in the human brain . contradictory +You will not speak ? Will you not dance ? contradictory +The fact that an organization is profiled for a particular practice is not meant to imply the organization 's success or lack of success in meeting other practices . Profiling an organization does not imply anything , though it is a hassle for them . neutral +We could obtain tax codes and procedures for each state , examine these , interview selected officials , and generate some plausible patterns . Interviewing selected officials is not necessary in order to generate plausible patterns . contradictory +Was it a joke ? It was not a joke contradictory +Ras Mohammed National Park has over 1,500 species of fish and 150 types of coral along with an offshore vertical sea wall . The national park contains many types of fish and coral and its free to visit . neutral +I will only write another novel if I have another novel to write . I will never ever write another novel . contradictory +The closest resort to the capital is Makriamos . Markiamos is really far compared to other resorts in relation to the capital . contradictory +yeah i usually go to Callaway 's or Wolfe I usually go to Callaway or Wolfe entailment +Is this the same Paul Gigot who argued the exact opposite one month ago ? Paul Gigot is always consistent in his arguments . contradictory +Tuppence drew a long breath and entered . Tuppence inhaled , then entered . entailment +Argentina oh my goodness how do you like North Carolina Do you hate North Carolina ? contradictory +There is no reason to change the law , Shuger 's evident wish to do so aside . The law should not be changed , regardless of Shuger 's wish . entailment +Gravestones rest along the tenement walls marking the outer perimeter . The Gravestones have no markers to know what their outer perimeter is . contradictory +They camped the second night in the barrens , keeping fires sheltered in a deep pit . There were fires burning in the barrens . entailment +At the core of powerful and effective delivery systems are high quality legal services programs . Terrible legal programs make everything better . contradictory +We have a very formidable adversary . The adversary is strong and wont ' be beat easily . entailment +this is pretty unseasonal unseasonal but um at least we you know it it it feels good it gets uh everybody doesn 't have cabin fever today it 's nice to get out and about No one has cabin fever today because it 's nice out . entailment +What ? Poirot caught me violently by the shoulders . Poirot is known for his short temper and physical abuse . neutral +The best way to see the wildlife , and certainly the most fun , is swaying atop a silently padding elephant . The best way to see wildlife of the region is to ride a giraffe . contradictory +A recent $ 202,297 federal grant from the U.S. The grant was spend on public schooling . neutral +It may be that the correlation between smaller states and very low rates of unfiled returns is a real phenomenon that should be examined and the initial cut of less than 1 percent should stand . There should be an examination of the connection between smaller states and very low rates of unfiled returns . entailment +Whenever the president makes a bad decision , his pocketbook will surely feel our pain . The president should be held to the fire so as far as we 're able to impose scrutiny on him . neutral +are you familiar with what a Serger is uh the Serger sewing machine Do you know about the Serger sewing machine . entailment +Hanson stood up , taking the final bite of the whip without flinching . Hanson stood without reaction the sting of the whip . entailment +that 's what i i you know that 's how i camp too that 's how i define camping the rest of the rest of that is really really not the same as a matter of fact my my my I define camping that way . neutral +No , my friend . Yes , my enemy . contradictory +Why , that there is altogether too much strychnine about this case . This case is a murder mystery . neutral +The Hackathlete who polls the greatest total will be declared the winner and will return next year to face three new challengers . A Hackathlete is someone who wins the hack a thon , a computer competition . neutral +These attitudes and practices are similar to those found in a national survey of physicians practicing internal medicine , family medicine , obstetrics-gynecology , and psychia-try . This helps us ensure that our recommendations are consistent with actual practices . neutral +right in yeah right in uh almost right in downtown Right , almost in downtown . entailment +O 'Connell was made lord mayor of Dublin in 1841 , but failed in his bid to have the Act of Union repealed and an Irish parliament re-established . O 'Connell was successful in repealing the Act of Union in 1841 . contradictory +'Are you questioning my integrity ? ' I asked , coldly and with volume . Loudly and harshly , I questioned " Are you questioning my integrity ? " . entailment +They point out that State has an established field structure and that it may be impractical to create a similar field structure in the proposed department . To them , State has no established field structure . contradictory +Plain good sense . It is no sense . contradictory +Room 2 : Giovanni Bellini , youngest and most gifted member of the painter family , brings gentle humanity to his Enthroned Madonna with Job and St. Sebastian ( 1485 ) . The paintings are in Room 3 contradictory +He had to hold it near the glowing bit for steadiness , and it began searing his fingers . It began to burn his fingers as he held it . entailment +51 A review of state statutes , including those of the District of Columbia , revealed that 38 states have a provision that allows third-party payors to issue policies that deny payment for injuries sustained while intoxicated . If someone is injured while intoxicated it puts their medical coverage at risk in certain states because expenses may not be covered if the accident was a direct result of intoxication . entailment +They are not important . They 're unimportant . entailment +During cocktails , several journalists tested the device and showed sincere , unadulterated enthusiasm . They wanted the device for themselves . neutral +i have some do you I have some sweets here , do you ? neutral +They can call it vice . It 's not important if it 's characterized as a vice or not . neutral +yeah that 's pretty interesting because just just because you know a subject matter doesn 't mean you can teach it I can 't teach history because I don 't know anything about it . contradictory +He spends a month in the hole , then chastises his fellow judges for not considering solitary confinement a cruel and unusual punishment . He yelled at the other judges for not agreeing with him after seeing how the people were treated in solitary confinement . neutral +i i guess occasionally i 'll hear someone at work say something though Sometimes I 'll hear that at work . entailment +Not so Julius . It is not true Julius . entailment +Allow enough time to spend at least half a day here , and pack your swimming gear . The crowds make getting in and out of the area difficult . neutral +but it wasn 't an exciting war it really wasn 't There wasn 't a lot of resistance put up during the war . neutral +They were almost at the main tent when a crow flew down and yelled something in Nema 's ear . They were near the main tent of the encampments when the crow came down . neutral +Economists continue to debate how well the Ricardian equivalence theory works in practice . The Ricardian equivalence theory is a debated topic among experts . entailment +and there was a lot of protest even Robert Redford you know was protesting this guy 's execution so the governor backed down and i was so mad the crime was horrible his crime was just horrible There was a lot of protest at the guy 's execution , but they were basing it on incorrect information . neutral +Under tolerant rulers , the capital city C ? ? rdoba was transformed into one of Europe 's greatest centers of scholarship and the arts . The other leaders in scholarship and art included Paris , Venice , and Rome . neutral +The Department of the Interior is exploring alternative procedures that would let tribes negotiate compacts directly with the secretary , cutting the states out of the equation . The department wants to stop tribes who negotiate directly with the secretary . contradictory +He said , " Do you really think the ship will fly ? " It seemed impossible that the ship would fly . neutral +In fact , although it costs only about $ 100 a year to have a Lojack , Ayres and Levitt estimate that each individual Lojack prevents about $ 1,500 a year in losses due to theft . The Lojack is estimated by Ayres and Levitt to save $ 1,500 each year in losses to theft . entailment +He could feel the man 's eyes burrowing into him as he spoke . THe man was glaring at him with rage . neutral +The palace itself is still used for the coronation of kings and for observance of religious rituals by the royal family . The coronation of kings is done on the steppes of the mountains , far from the palace proper . contradictory +The preamble to the final rule discusses the comments received and any action taken as a result of the comments . The preamble to the final rule discusses the comments they received . entailment +You have tied him up well , hein ? He was tied up well . neutral +because if you look at most corporations there isn 't a woman you know that 's on the board of directors or that type of thing they 're mostly all men there there may be a few but very incidental and uh i i really think that it 'll be a long time probably before we see that The corporations should have women on the board of directors . neutral +Employees ' schedules are established , either through management designated work schedules or by mutual agreement between employees and management . Employee work schedules are decided by the employees . contradictory +Unless you feel really safe in French metropolitan traffic , keep your cycling ' you can rent a bike at many railway stations ' for the villages and country roads . Cycling in the French metropolitan area is not for the faint of heart . entailment +In an economy where many products are hand-made , each item has a different value depending on the quality of workmanship it shows . A handmade product has a higher value than a mass-produced replica . neutral +and presentations we use like for example a Macintosh which is a lot easier for graphics than the PC than you know the IBM PC 's or anything compatible with that IBM PC 's are better than all the other PC 's out there . neutral +You could say you were in an auto accident , and the ambulance driver took you straight to Dr. Famous ' office . Ambulance drivers knew Dr Famous . entailment +yes there 's quite a bit of crime No , there 's not much crime . contradictory +He had hunted down his nemesis for two years . He had looked in every village for his rival . neutral +Examining the elements of the definition also may help make this distinction clear . Examining the elements of the definition and considering the context may also help make this distinction clear . neutral +RISK CATEGORY -Subdivisions of a cohort of direct loans or loan guarantees into groups of loans that are relatively homogeneous in cost , given the facts known at the time of obligation or commitment . The subdivisions break down into groups who did not always have homogeneous costs . neutral +Significant findings and recommendations are those matters that , if not corrected , could affect the results of the auditors ' work and users ' conclusions about those results . Issues that affect the work of auditors are not significant . contradictory +You willing to match Shiloh ? " Are you willing to do whatever Shiloh does ? entailment +that 's amazing yeah well when you get yeah when you get right down to it the uh the more they can do for you the more uh like i say the more the more memory they 're gonna require Processing speed is also helpful for getting more done . neutral +What have I always told you ? I never gave you advice about that . contradictory +And the country 's manufacturing output has been reduced by half during his tenure . The decline of manufacturing output has been aided by government policies . neutral +The opera house--natural habitat of the top hat ( i.e. The opera house is the most popular place for top hats to gather . neutral +Bush had time to think this over--he was third in line after Forbes , who cited Locke and Jefferson , and Keyes , who cited the founders of this country . Keyes quoted the founding fathers . entailment +because she doesn 't she 's real good she doesn 't overeat or anything She is great and does not overeat . entailment +The cook , more leisurely , was still busy in the kitchen and , if she missed the other , would only suppose her to be turning down the beds . The cook was no longer in the kitchen , as he had gone on break . contradictory +This type of testing is often referred to as penetration testing . This type of testing is called penetration testing . entailment +She 's goin ' to be as fine a lady as her ma I 'm willin ' to swear to that . " The filly lipped Drew 's fingers experimentally and then snorted and did a frisky little dance with her tiny hoofs rustling in the straw . The filly did a little dance after Drew stopped talking for a while . entailment +One prominent critic called the story a whitewash . A critic thought the story was a whitewash . entailment +uh-hum uh-huh it does get you yeah , it is a little sentimental for most people neutral +The changes in the facilities acquisition environment led FFC to conclude that a review of issues , practices , and methods related to the design phase of the acquisition process would be beneficial . The FCC decided to overhaul the design phase . neutral +fifty years A long time . neutral +Now let us evaluate the historical volume data in Table 1 . In the 90s ( 1990-97 ) , only NHH-to-NHH ( business ) mail has experienced healthy volume growth . In the 90s , businesses put out a lot of spam mail . neutral +Grace and consistency ? Consistency ? neutral +However , with over 1,500 Buddhist temples , 200 Shinto shrines , numerous museums , and magnificent imperial palaces , be aware that you 're not going to see everything . Because there are thousands of attractions , you will not be able to see them all . entailment +It was a controversial amount at the time more than the US Treasury owned but the Louisiana Purchase , as it became known , covered land from Canada to the Rockies to the Gulf of Mexico , and almost doubled the area of the United States . The US Treasury owned all Canada 's land in 1854 . contradictory +In the town of Matsushima , visit the pretty Kanrantei Pavilion for one of the best views of the bay from a rocky cliff beside the landing stage for the cruise ships . Kanrantei Pavilion does not have a view of the bay . contradictory +Before the San Gabriel program was subsumed by Dudovitz 's group , it offered to merge with the Legal Aid Society of Orange County . The Legal Aid Society of Orange County nearly merged with the San Gabriel program . entailment +No men were left . All the men had volunteered to go . neutral +Sí a real diablo , that one ! " That one is a real diablo . entailment +Be aware that name brands , including electronics , are sometimes fakes , glass may be sold as jade , and that antique you bought may have been made last night . All of the name brands are legitimate and real . contradictory +The president , of course , ought to tell the truth , but Clinton being Clinton , he might not . Clinton was uncomfortable with his decision . neutral +The scenes of planning terrorist operations in Odd Man Out , The Devil 's Own , and Jordan 's The Crying Game ( 1992 ) are almost identical to the scenes in gangster films like The Killing ( 1956 ) and The Asphalt Jungle ( 1950 ) , where the hoodlums carefully put together their capers . The scenes in gangster movies where the criminals are plotting their capers are reminiscent of the terrorist operation planning in other films . entailment +yeah oh yeah Alabama well yeah yeah Alabama i think they 're i think they 're a bit too over exposed i get kind of tired get tired tired of every other song being Alabama on the radio Alabama has never been played on the radio . contradictory +Rafting on the Rio Grande was popularized by Errol Flynn , who loved the adventure , and became a must for tourists in the late 1940s it is still just as popular today . The Rio grande has never been rafted on . contradictory +it 's on it 's on schedule um It 's on schedule that it set last week . neutral +I do not consider this a deterioration ( this article has an average of 17 words per sentence ) , but it does reflect the change in the size and character of the audience and in the means of communication . The size and academic accomplishments of the readership has decreased . neutral +The famed Harvard sociobiologist argues that all phenomena--art , economics , science--can be understood by studying the brain 's neural pathways . The Harvard sociologist says all phenomena can be understood by studying the brain in a cat scan . neutral +I don 't think anything is broken . Most everything is already broken . contradictory +Based on its economic impact , the rule was determined to be a significant regulatory action within the meaning of Executive Order No . The rule was determined to have a significant economic impact . entailment +It describes the reasons for the proposed action and its objectives and legal basis . The proposed action did not have the reasons behind it described . contradictory +As a result , the rule is not subject to review under that Order . That Order will not review the rule . entailment +oh you should have used it you wouldn 't have been liable for the payment The big red fox jumped over the blue and green fence . contradictory +they they signed him to a ten day contract and uh he became a player even though he 's assistant coach He 's not allowed to be signed as a player since he is assistant coach . contradictory +This process would yield an estimate for cases that are funded exclusively with LSC resources . The process would yield an estimate entailment +Her dominating will was all the fiercer , her grip on the people , too . She was very dominating towards the people . entailment +Under state law , the minimum fine for contempt of a PFA is $ 100 ; the maximum fine is $ 1,000 and up to six months in jail . There is a fine for contempt of a PFA . entailment +It has also been clarified that if a case fails to meet any required documentation ( financial eligibility , citizenship / eligible alien status , within program priorities , etc . ) it may not be reported to LSC as a case . A case has to meet several documentation requirements . entailment +In addition , if the worker is required to be in the United States throughout the course of the representation , the right to legal assistance would be lost altogether . Many workers are employed in the software and fast food industries . neutral +Seeing in Christianity a threat to his central authority , Hideyoshi systematically suppressed Christian activity ; in 1597 six missionaries and 20 Japanese converts were crucified at Nagasaki . Many more Christians were executed in the years after 1597 . neutral +Click to read the best of the nominations . For more on the best of the nominations , click here entailment +Susan tilted her head and Vrenna tilted it like a mirror . Susan and Vrenna are both tilting their heads . entailment +I ought to have thought of the false name stunt . The false name stunt--I should have thought of it . entailment +Marilyn Monroe and John Kennedy were said to be among the celebrities who met secretly in the private bungalows . John Kennedy and Marilyn Monroe were having a secret affair . neutral +As the examination of program implementation and program effectiveness became more central to the case study , so did the ability to generalize findings . The program implementation is examined . entailment +In such a situation , Ohio might be selected as a site to examine but we would also need to look at other states or use other approaches to achieve the generalizability needed . Ohio would be the best choice as a selection as a site to examine . neutral +Other nightclubs place as much emphasis on drinking as dancing , including Drink Las Vegas ( Tel . 702 / 796-5519 ) , a fabulous two-story nightclub with numerous bars serving every drink known to man . A lot of nightclubs focus on drinking because that 's what people like to do on vacation . neutral +why not just check everybody so Why not just check the people that aren 't here ? contradictory +And he pointed out that indisputably conservative candidates had won contests , such as the Senate races in Illinois and Kentucky . He pointed out that conservatives won a Senate race in Kentucky . entailment +Teodoro answered that . Terodoro didn 't have an answer . contradictory +The New York Times deems the plan sensible and prudent , and a Washington Post editorial observes that Clinton deftly changed the subject from the solvency of Medicare to its adequacy . The publication refused to run the story . contradictory +It 's worth carefully mapping out your visit to the Campo Santi Giovanni e Paolo . A visit to the Campo Santi Giovanni e Paolo should be mapped out . entailment +I saw two armoured officers , ripe for the plucking . The officers were not wearing any armor . contradictory +This is the finest of all the city gates , dating mainly from the 16th-century reign of Suleiman the Magnificent . Suleiman the Magnificent ordered the old gate to be replaced with this new one . neutral +An example of a policy was that units were required to use commercially developed software rather than developing unique software inhouse . Units had to use commercially developed software rather than making their own . entailment +We tracked her across Ireland , but nothing could be heard of her after she set foot in England . She was very good at hiding in England . neutral +Of all the Hapsburg and Bourbon kings who ruled Spain , only two are missing ( Felipe V is buried at La Granja de San Ildefonso , Ferdinand VI in Madrid ) . Ferdinand VI is buried in Madrid and Felipe V is buried at La Granja de San Ildefonso . entailment +If they got their way the result for the poor Freedonian would not just be no sweatshop--it would be no job . There would be no job if they had their way . entailment +It might have been useful for welding , but there was no electric torch . They couldn 't do it without the correct tools . neutral +i know we went to uh HDA well whatever in Plano and the emergency room was like a bad comedy show Our experience at the HDA emergency room was actually quite pleasant because we were seen instantly . contradictory +Many of the numerous caves hereabouts ( from which the town takes its name ) are inhabited by local gypsies . Gypsies are forced to live in these caves due to high local housing prices . neutral +Wines and many other alcoholic drinks are still cheap by the standards of the rest of Europe . Wines don 't cost more than $ 8 a bottle . neutral +Everyone covered themselves in white cotton or took shelter during the hottest hours . Everyone took shelter during the hot hours . entailment +However , on most islands , nudity is not official policy and Greek family beaches will certainly not be clothing-optional . Going nude to Greek beaches is generally a safe bet . contradictory +right well i enjoy playing with my cats i don 't know if you 'd call that a hobby but i have two cats and i gave them a bath tonight so they 're a little bit angry at me but uh they didn 't like it too much I hate cats , I prefer playing with dogs . contradictory +It is intended both as an introduction for the criminal investigator concerning issues of electronic evidence and as an aid for the investigator in developing basic investigative strategies . This tool of investigation is a pattern recognition tool that analyzes social network posts and correlates certain attitudes with certain crimes . neutral +He still exaggerates the hostility displayed , and says that Saxton won 't let me answer when in fact Reich 's chief economist is later allowed to deliver a lecture-length reply . He exaggerates the whole situation and throws out false accusations despite being given a fair chance to speak . entailment +The magic of Disney comes to life in its themed lands , each of which offers rides and other entertainments . Not many people have heard of Disney . contradictory +and then whenever we do trot lines and stuff they usually get catfish We typically have eight or so out at a time . neutral +( In the movie , Harrer knows she 's pregnant . Harrer has no idea that she 's pregnant in the movie . contradictory +Rodgers , CEO of Cypress Semiconducter--despises Gil Amelio , former CEO of Apple Computer , because of Amelio 's support for President Clinton . The CEO of Cypress Semiconductor despises the former CEO of apple computer due to his support of Clinton . entailment +lists 100 Americans for the Next Century . The article lists about 100 American for the Next Century , I think . neutral +Click here to listen to one of Cope 's imitation Chopin mazurkas . Do not click on anything . contradictory +He was named Rendu , which meant Old Uncle I learned later . Jon taught me that Rendu means Old Uncle . neutral +( Tonight at 2 : 30 : Sherilyn Fenn and Rob Estes in Permission From a Male Relative or Shannon Tweed and Harry Hamlin in Clearance From the Vice Squad . Even if you put Adrienne Barbeau in it , A University Degree just doesn 't have the same ring . ) There is more than one show on TV tonight . entailment +But you seem to have answered all our questions honestly and without flaw , and you certainly look the part . ' Your resume is stellar and you 've answered everything to our satisfaction . neutral +Historically , the Department of Defense ( DOD ) has taken much longer and In the past , the Department of Defense has spent more time on this . entailment +um-hum also with uh women in the work force they 've gotten a lot more options as far as you know what 's it called job sharing like if you and another lady were to share the same full time job or Women in the workforce have more options , like job sharing . But men think this is unfair to them . neutral +some of the political trends that have started up uh i guess in the other side of the ocean as it were some of the uh There 's all of these political trends that are having an effect on the world . neutral +New Kingston is the modern commercial center of the capital , but it boasts few attractions for visitors . New Kingston is the modern commercial center of the capital . entailment +yeah to the mall to the movies to the friends to the All the way to the mall , movies and friends . entailment +Roy 's inventive narrative style ( multiple flashbacks , rotating narrators ) and the exuberant , almost acrobatic nature of the writing itself ( Alice Truax , the New York Times Book Review ) are singled out as breathtaking . Roy 's inventive narrative style can be seen in plays across Canada . neutral +The Peak is still the most fashionable place to live in Hong Kong , but real estate prices here are astronomical ; rents run around HK $ 50,000 a month . The Peak is considered so desirable because the ground is made of gold there . neutral +They don 't understand that the allies compromised with each other and with Russia because they sought long-term peace--not short-term gratification--and that such peace requires a level of deterrence that can be achieved only by an international consortium of civilian leaders . The allies made a compromise with each other and with Russia because they wanted long-term peace , said the news . neutral +In that regard , the Administration is implementing two major initiatives on climate science and advanced energy and sequestration technologies . The administration will implement initiatives on climate science and advanced energy . entailment +We should be particularly careful not to refer clients elsewhere merely because their issues or situations are unpopular . We should always refer clients elsewhere . contradictory +The only original bell remaining is the South Tower 's famous bourdon , whose much admired purity of tone was achieved by melting down its bronze and mixing it with gold and silver donated by Louis XIV 's aristocracy . There are no original bells left . contradictory +16 Benchmarking is a critical part of an effective improvement program because it helps an organization identify outstanding levels of performance that have actually been achieved . Benchmarking is a critical part of an effective improvement program entailment +Similarly , EPA 's Office of Air and Radiation provided a listing of proposed rules available for public comment . The EPA refused to hear comments on the rules . contradictory +That ought to be good news for Rennie . That should be positive news for Rennie . entailment +Among them are the mystical , ultra-observant Hasidim ; their enclave in Jerusalem , the Mea She 'arim neighborhood , is a small remnant of those traditional Jewish communities in Poland , Hungary , and Lithuania that were consumed by the Holocaust . Hasidism can no longer be found in practice anywhere in the world . contradictory +and they just raised the minimum wage today but that 's not like you know They increased the minimum wage today . entailment +I needn 't tell the next part , because you know it . The rest , as you know , is history . entailment +" I 'd think , " Anse cut in , " that any guns Kitchell 'd have he 'd be hangin ' on to needin ' them his ownself . Any guns Kitchell 'd have he 'd keep because he needed them himself . entailment +well i i like i i just i just bogused on all my homework so it really didn 't matter It didn 't matter because I lied to complete all of my assignments entailment +not a bit yes sir Yes sir , not a bit , like you wanted it . neutral +well my husband and i haven 't done a whole lot of camping we but we bought a van last year and we were hoping to to do some camping in the van The van that we bought is very nice and luxurious , we intent to camp in it at least twice a year . neutral +If there was ever a shopping heaven , this is it . This is a great place for shopping . entailment +To widespread regret , Victor Baltard 's great cast-iron and glass pavilions were torn down in the 1970s . Victor Baltard created cast-iron and glass pavilions . entailment +The newcomer knocked on the door as all had done , but his reception was very different . When the newcomer finished , he knocked on the door , according to the news . neutral +What that lender has done is in effect to give you a put option on whatever you buy with that trillion dollars . The lender rejected the loan . contradictory +Junger is grimly precise about the mechanics of drowning , says Time ' s John Skow . The drowning process is described in detail . entailment +you cook them so often you kind of forget their names yeah yeah I cook them so often that I know their names by heart . contradictory +To get here , follow the path from the southwest end of Discovery Bay ; the walk takes about 30 minutes . The destination can be reached on foot . entailment +Ca 'daan crouched in the tall grass on the hilltop ridge of Fena Set . Ca 'daan hid in the grass . entailment +No wonder it has been dubbed the Saint Tropez of Turkey . Everyone agrees this is an appropriate title . neutral +Early Settlements The oldest settlements neutral +Even if you 're not arriving in the city by train , start your visit at Howrah Station . Only visit Howrah Station is you 're traveling by train . contradictory +Services , rely on automated systems to manage and distribute hundreds of Services relying on manual systems break . contradictory +'That 's where we were hoping you might have a thought or two , ' Greuze replied . I 'm much smarter than Greuze . neutral +a dish of chickpeas served the Ibicenco with parsley , oil , and garlic . The chickpeas come with the most toppings . neutral +" Yes . " The rider raised one finger to the straight wide brim of his low-crowned black hat . The rider 's hat was black and had a low crown . entailment +Gustave Flaubert was born in Rouen and used the city as a setting in Madame Bovary . Gustave Flaubert is French . neutral +Superior Court Judge Los Angeles Career Appointed by Gov. The Gov. is the only one that can appoint Superior Court Judges . neutral +He interviews the adoring mom . The mom adores being on tv . neutral +Women who never really need bras can ignore them or wear them at will . Every woman has to wear a bra . contradictory +expected to be a normal profit level , with the understanding that unusually efficient firms might achieve supra-normal profits for a time . No matter what though , supra-normal profit levels are temporary . neutral +We need to study barriers to screening , identify factors that promote screening implementation , and demonstrate the impact of a screening program in the ED . We need to study the barriers that exist for screening people that go to the ED for car accidents . neutral +'Programs ' , ' recipients ' , and ' grantees ' are used interchangeably in this report to refer to recipients of LSC funding . The report uses the words " programs " and " grantees " differently . contradictory +Jon unplugged the cork and turned it over . Jon put the cork into the bottle and pressed it down hard . contradictory +Well , I will tell you . Well , I will let you know . entailment +You can climb the round tower that rises from the north side of the building . There is a tower which rises from the building on the north side . entailment +And being read , ultimately , is the name of the game . If someone is being read , that means that they are making more money . neutral +8 billion in fiscal year 2000 , providing cash assistance to about 6.6 million financially needy individuals who are elderly , blind , or disabled . In 2000 , 8 billion was spent on around 6.6 million people that needed aid . entailment +Sure . He looked so crestfallen and abashed that I felt quite sorry , though I still thought my rebuke a just and wise one . He looked thrilled . contradictory +that it requires an extremely it requires uh essentially a paper mill to recycle it and so the value has gone down it turns out it wasn 't worth it for the church to do The church didn 't have sufficient funds to buy a paper mill . neutral +Planning , engineering , installation , and start-up of an ACI system is only about 15 months and could be done in much less time if administrative matters , such as permitting , occur more quickly than assumed . The start-up of ACI could be started up in as little 15 months , and could be as low as 8 months if administrative matter occur quicker than estimated . neutral +Thus , while the document offers preliminary guidance , it is also a point of departure . The document offers preliminary guidance . entailment +Beaches close to Tokyo and Osaka are crowded ( except after 1 September , when summer for the Japanese has officially ended ) . The beaches near Tokyo are crowded . entailment +Nerds are genuinely threatening . There 's nothing to fear about nerds . contradictory +Randy , I 've been rethinking that ' he-man ' stuff I said about Tom Selleck . There is no one named Randy . contradictory +Social Security Administration , Income of the Population , 55 or Older , 1998 , ( Washington , D.C. : U.S. People over 55 do not get a say within DC . contradictory +Curb routes are suitable only for residential areas . Residential areas have curb routes . entailment +Currently , LSC uses a cost-per-case analysis when it conducts on-site evaluations of grantees . LSc has a special method to anlyze evaulations . entailment +Another man this time . There were previous men . entailment +'Or Mr. Franklin loses another life . ' No lives are lost around Franklin . contradictory +There is Freddie Mac , Fannie Mae 's smaller cousin in the housing market . There is Freddie Mac , a much larger behemoth than Fannie Mae . contradictory +i think so too i don 't know if we did what we were supposed to but yeah we did they can do a lot of research we get along good too some of the callers you don 't along with that good you know you have you know what i 'm saying I am sure we did what we were supposed to do . contradictory +Gold and precious stones were fashioned into beautiful jewelry , all of which indicates a high quality of life for the people . The people didn 't have access to gold nor precious stones . contradictory +you know i i wonder i i read in the paper just last week IBM 's unveiling their new laptop computer IBM stopped creating laptop computers three years ago . contradictory +he ripped them off and stuck them in the envelopes and there they went you know and he said you know i can balance my checkbook in seconds you know because it 's all in the computer you know so He said he can balance his checkbook on the computer . entailment +O 'Connell Street is the main city-center location for the big new-release cinemas . The young people all hang out at O 'Connell Street on Friday nights to see the new movies . neutral +Many commentators seem surprised at the persistence of Issue 3 , the continuing Paula Jones saga . Commentators are done talking about Paula Jones . contradictory +The Kal pointed to Vrenna . The Kal pointed at Vrenna because she was the one who betrayed him . neutral +Earlier this month , a Senate subcommittee considering stricter restrictions on music lyrics heard an anguished father blame his son 's suicide on shock rocker Marilyn Manson 's music . At the end of this year , a Senate subcommittee considered more lax restrictions on music lyrics heard . contradictory +Shall I awake and find all this a dream ? Am I going to wake up and discover that this is just a dream ? entailment +The Weekly had first suggested that the note was a fabrication in September 1994 , a year before the press conference . Everyone knew that the note was genuine the entire time . contradictory +Association for Federal Information Resources Management The Association for Federal Information Resources Management reports to Congress . neutral +trying not to get a wrong decision I 'm trying to get the wrong decision on purpose . contradictory +Because then they feel like they are forced to stay in that situation . They know they have lots of options . contradictory +because they figured everybody else is just coming to just to be there They went there to contribute to the group . contradictory +Purposive Sample Instances appropriately selected to answer different evaluation questions , on various systematic bases , such as best or worst practices ; a judgmental sample . They just wanted to focus on the good . contradictory +The profile directed the team 's efforts so that they could develop a strategy to address the areas that needed the most attention . The profile was maintained by someone within the team . neutral +She might learn something from the cook . There isn 't a cook . contradictory +oh my God ate you alive You should use some bug spray next time . neutral +Pollard is not just some confused , well-meaning , basically harmless spy who was railroaded by an overzealous judge . Pollard is not just confused and harmless . entailment +$ 3,645 to develop a domestic violence training program for local police departments , led by a victim 's advocacy trainer ; the goal of these mini-workshops will be to ensure that local police departments consistently adhere to proper PFA protocol . The workshops are quite thorough as they are taught by former police chiefs . neutral +Iwasaki 's careful respect for the Long Beach program and its lawyers earned him the political capital he needed to complete his takeover in a matter of weeks . Iwasaki completed a takeover in seven weeks . neutral +That one of them fitted I know . At least one of them fitted . entailment +support because you know it was uh if you read it it only emancipated those who were in areas uh in rebellion against the United States all the other areas which would i think at that time would have included West Virginia and oh may have been Kentucky a few states you know that were not part of the South but still had slaves they didn 't emancipate them It emancipated all slaves in America . contradictory +A disturbing example of the restriction was discussed during oral argument before the Court . During court , a pleasing example of the restriction was discussed during an oral argument . contradictory +Nowadays , though , more and more people grow up with no history of disease . These days , more people are growing up with no history of disease . entailment +It 's losing its command-and-control structure . This is because there is no funding to keep it up to date . neutral +Julius turned to the lawyer . Julius faced the lawyer . entailment +And no military action ( except for actual movies ) can be fully scripted in advance . No military actions are executed as planned . neutral +No , took by the perlice . They said they 'd got their man . neutral +Jon crossed the bridge , stepping among the twisted and cleaved corpses . There had been a massacre . neutral +and they were nearly all all diesel but as far as cars i 've never never been involved with them I 've only seen diesel trucks , not cars . entailment +excellent , fully successful , minimally satisfactory , or unsatisfactory performance based on the achievement levels assigned for each Summary Ratings performance element . Each Summary Ratings performance element had an achievement level assigned to it . entailment +Then the Serbs , in defiance of a cease-fire and NATO and U.S. warnings , shelled the area around the massacre site . The Serbs defy the cease-fire around the massacre site in Iran neutral +( Read the transcripts of the better CNN chats here . Look for the Allpolitics section toward the bottom of the page . ) The transcripts for CNN chats are on the site . entailment +figure 1 for an overview of the factors that help to inform that decision . Nothing helped them inform the decision . contradictory +It 's not often that the rank and file get together to talk about their problems . The rank and file get together often to talk about other things besides their problems . neutral +My two-fold answer , even if it makes us all uneasy , is to reintroduce vivisection on a limited basis to all medical schools and to allow surgical practice on the recently dead donated bodies . My two-fold answer is simple and should be accepted readily , we get rid of all vivisection and stop surgical practice on donor corpses . contradictory +According to IRS , the executive and supervisor review the retention standard to ensure mutual understanding . The executive and supervisor look over the retention standards and make sure they are continuing as they should each month . neutral +A piece claims that the House Flytrap proceedings lack the solemnity of Watergate--they have all the grandeur of Ft . The House Flytrap proceedings lacked solemnity of Pizzagate . neutral +Poirot had been asked by John to remain to lunch , and was already seated at the table . Poirot was sitting at the table because John had asked him to lunch . entailment +In its fiscal year 2000 performance report , the Veterans Administration reported that performance declined with respect to its rating-related claims-processing timeliness and national accuracy rate . In the fiscal year 2000 report , the VA said performance went down and fewer people were served . neutral +National saving represents resources available for investment in the nation 's stock of capital goods , such as plant , equipment , and housing . National savings is measured by totaling the balance of all savings accounts registered in that nation . contradictory +The former is noir camp , another acid- and amphetamine-soaked foray into Oliver Stone 's America , full of pixilated brutality and meaningless montage ( fractured zooms , black-and-white scudding clouds , close-ups of carrion and stuffed mountain lions ) . Noir camp is bizarre to look at . entailment +In a good case study , the conceptual framework for organizing the inquiry is quite explicit about expectations . The framework lays out the ideas the study is aiming for . neutral +i mean you i mean you know we had enough with the abortion issue that 's still going around that you guys want to bring you know the next you know The topic of conversation has been abortion for a long time , and now you want to bring up healthcare ? neutral +Bob and Elizabeth Dole chatted with Frank Sesno on Late Edition for no good reason . There were no good reasons for Bob and Elizabeth Dole to chat with Frank Sesno , said the gossip news . neutral +that 'll be a good story when she 's thirty won 't it She won 't think of that as a good story when she 's thirty . contradictory +But time changes and chance changes , senor . Time and chance never change , that 's why you will die tomorrow , senor . contradictory +This year 's additions to the hall of shame are Johnson and Wales University and Mount Marty College . Johnson and Mount Merry College were given awards for their hall of fame celebration . contradictory +i don 't know that you do if it 's random then it 's random and that 's not necessarily fair If it is random , and I think it is , it isn 't fair . neutral +The final rule contains a modified information collection and the preamble to the final rule requests comments from the public regarding the collection . No final ruling is in existence as of yet . contradictory +and so you can just take it out with a garden hose rinse it out You can rinse it out with the garden hose . entailment +Special nozzles or other hardware are generally not required . Special nozzles are typically needed more than other hardware is . neutral +You have unlocked the impossible ! You unlocked the impossible ! entailment +Leading northeast from Lake Windermere to Ullswater , Kirkstone Pass on the A592 is the highest in the Lakes 446 m ( 1,489 ft ) . Kirkstone Pass is often closed in winter due to heavy snow . neutral +yeah they had a program on the other day about people that were addicted to soap operas I watched a programme about people who were addicted to soap operas . entailment +yeah yes um i don 't know that i think has pluses and minuses because uh those that are economically disadvantaged won 't have the ability to make a choice the choice will be thrust upon them and so where 's the freedom of choice no freedom of choice in that case and that 's Poor people don 't want to have choices . contradictory +It was as though he had seen something that turned him to stone . He never told me what he saw that day . neutral +According to Table 6-4 , if the retrofit of the FGD , SCR , and ACI systems for 2005 occur over thirty-one months prior to 2005 and over a three-year period for each five-year increment after 2005 to 2020 , the maximum demand would be about 23 percent of the journeyman boilermakers or about 19 percent for journeymen and apprentices combined . According to Table 6-4 , the maximum demand would be about 12 percent of the journeyman pipefitters . contradictory +I can soon get out of it again . " There is no way I can get out of it . contradictory +and uh worked in the Abilene plant and we used to go to Joe Allen 's Barbecue and oh that was great We had never been to Joe Allen 's Barbecue . contradictory +The entrance to the important Piazza del Santo south of the city center is guarded by Donatello 's grand statue of Gattamelata , the 15th-century Venetian condottiere Erasmo da Narni , perfect ideal of a Renaissance hero , whose honeyed cat nickname still mystifies historians . The Piazza del Santo hosts a farmer 's market every week . neutral +For how long ? " Whats the duration ? entailment +As the pace of the evolution of service delivery systems and the reconfiguration of grantees accelerated following the funding cutbacks and program reforms in 1996 , and spurred on by the technological revolution , the reporting of grantee activity solely on the basis of cases was becoming increasingly inadequate . Thanks to the funding cutbacks and program reforms , the reporting of grantee activity had improved across the board . contradictory +No less defiant than Castro himself , beneath the rubble this city is a living , breathing , vital , and sensual creature . The city is like Castro in many ways as it followed its leaders ways through the years . neutral +And become nomads ? said Gauve . Gauve asked if they would become nomads . entailment +The dark man would have no trouble scouting the town , the militia had no real experience . The militia was unprepared due to their inexperience . neutral +And Slim said , " It was not-- " " It was-- " Slim said . contradictory +While it is usually warm and clear down in Funchal , the mountains are often shrouded in a wintry mist . Funchal has a population of ten thousand people and hosts many tourists each year . neutral +Jews and Arabs share a love of children and welcome them almost everywhere . Jews and Arabs love children more than adults . neutral +yeah i he definitely i had an unusual situation with in my home my father was was alcoholic but uh and very withdrawn at that and so my husband is ten times more involved and we have more of a He used to put pigtails on my head and call me his little girl . neutral +Just as government in those cases could not elect to use a broadcasting network or a college publication structure in a regime which prohibits speech necessary to the proper functioning of those systems , see Arkansas Ed . Arkansas Ed. has plenty of information related to a governments course of action regarding prohibited and allowed speech in certain systems . neutral +Let 's take the morning to ponder the matter at hand . We should think about this . entailment +Others , such as New York , Texas , and North Carolina , are engaged in promising efforts to overcome particular challenges associated with their size and diversity . New York is the most diverse state that is participating in the program . neutral +SERVICE - An intangible product or task rendered directly to a customer . It is something that benefits the consumer . entailment +Then the victims bank the cash and return to their flood plain or tornado alley . The victims will put the money in a bank and back to their dangerous home . entailment +Five , quintuplets . There were only two twins present in the womb . contradictory +You 're his close successor . It 's you who is a close successor to him . entailment +yeah is a is a is a Taurus It 's a Taurus . entailment +Back in Nebraska , he helped organize part of a whistlestop tour from Cheyenne , Wyo . , across Nebraska for the Robert Kennedy campaign . He was in a different state when the Robert Kennedy campaign came to Nebraska . contradictory +American sneaker manufacturers , at this point , seem a tad gluttonous . Some American shoe companies have a reputation for greed . entailment +Lunch hardly ever seems to start until 2 : 00 p.m. , and dinner may wait till 10 : 00 p.m. Dinner commences at 7.30pm sharp . contradictory +I don 't agree with Lemann on a lot of issues , but I 'm glad the central flaw of this elite is excessive egalitarianism . I always agree with Lemann . contradictory +Ramses II did not build it from stone but had it hewn into the cliffs of the Nile valley at a spot that stands only 7 km ( 4 miles ) from the Sudan border , in the ancient land of Nubia . The Nile valley cliffs have never had anything carved into them . contradictory +Well ? There was no change of expression in the dark melancholic face . He just looked at me and said , Well , what is it ? entailment +Conversely , Arendt 's public realm is the exact opposite of the private It 's where you 're not protected and shouldn 't be . When Ardent is so public with his talk , people do not listen and they do not anymore . neutral +The elaborate interiors and decorations are attributed to rivalry between neighboring villages . The rivalry between neighboring villages stems from a property dispute . neutral +Jon 's shot caught him in the mouth . Jon was hit in the mouth with his shot . entailment +so you know i come out pretty good on it i mean i get and plus my TI money i come out real good on it now the last one i served on i was working at TI and so i got time off for it but i was working third shift and that made it a little difficult I was working for TI during my last jury duty . entailment +Domestic violence accounted for five of 12 murders in 2001 in Jackson , police have said . Police have said that five of 12 murders that occured in Jackson in 2001 were cases of domestic violence . entailment +Stones from the demolished Bastille prison were used for its support structure ' galling for Royalists , since it had originally been named Pont Louis XVI . Stones from the demolished Bastille prison were used for its support structure entailment +Although the management practices described in this guide are fundamental to improving an organization 's information security posture , they should be considered in the context of this broader spectrum of issues . Only the management practices listed are fundamental in improving an organization . neutral +After a stay in Madeira , you 're likely to wish your home could be one-tenth as verdant and full of flowers . Madeira will allow you to relax in the colorful flowers for a very cheap price . neutral +FHWA appraises senior executives on their achievement towards all the performance objectives in their individual plans . The achievements further grow the senior executives portfolio whilst allowing the company to grow even bigger ! neutral +One of the first organizational realignments taking place is in the Office of the Taxpayer Advocate . The office of the taxpayer advocate is the last to be realigned . contradictory +well what is it that you prefer to provide as far as maintenance on your vehicle Would you like to provide more about vehicle maintenance , or less ? neutral +We showed you today 's cover , then our table of contents , and you eventually clicked on the Webhead link . You did not click on the link . contradictory +because it knocks out power lines and and you just you just absolutely at least when you 've got snow just about everybody has four wheel drive vehicles Having four wheel drive vehicles is a luxury only the rich have . neutral +The music , Gregorian and traditional , is sung in old lemosan . The music , performed in old lemosan , is sung by a choir of schoolchildren . neutral +And there 's more . There is a lot more to look forward to . neutral +Since the 1960s , Mallorca has shone in its role as Spain 's tourism juggernaut , defining the extremes of a Mediterranean the unbridled hedonism of topless beaches and singles bars , and the lethargic , point A ( hotel ) to point B ( beach ) vacation . Topless beaches became wildly popular on the island from the 1960s onwards . neutral +And of course , the Clinton parallel ... the Clinton parallel is obvious . entailment +is that with regard to workplace engineering or just you know environment the work place environment or Workplace engineering is an important subject that goes hand-in-hand with the office 's environment and culture . contradictory +Historically in the United States , GDP per capita has doubled on average from one 35-year generation to the next . Historically , the United States ' GDP has halved every 35 years . contradictory +T-ACE has three of the four CAGE questions and replaces the guilt question with tolerance question . T-ACE has kept some questions , but replaced one . entailment +yeah well um i think the weather lately has been um a bit warmer than i would expect this time of year It has been cold these days , as expected of this time of the year . contradictory +But a deeper reason for investigating bequests is that they reveal something about people 's instinctive sense of justice . Some common bequests include paying money to care for pets . neutral +is the crime rate still bad Is the crime rate getting worse ? neutral +Indiana differs from many other states in that the Indiana planners have made considerable progress in the last few years beyond the reconfiguration of the LSC funded programs but , unlike other states , Indiana does not have a formal State Planning body . Other states tend to have formal planning bodies , whereas Indiana does not . entailment +and then you get information too and it 's kind of in a flashback and it it 's told uh more or less third person singular You get this information in a third person singular similar to a flashback . entailment +He even wrote a kindly biography of Jimmy Carter . Also , he wrote a biography of Jimmy Carter in a kind way , said the journalist . neutral +On these occasions , you might find it hard to compete with the many thousands of Japanese visitors who come to pay their respects . There is hardly any competition around at all . contradictory +now we that 's right that 's right and also we i say we uh i 'm retired from Texas Instruments and they 're just they 're like most everybody else you can 't just you don 't drop into a hospital and demand you know a thousand dollars worth of tests you know or you think you need to be hospitalized but there 's only a certain i mean you can go anywhere you want to go but there 's only approved uh health care centers you know that uh that they will pay you know the maximum amount I never worked for Texas instruments at any point in my life . contradictory +and uh Plano has plans i believe it 's tentatively scheduled for sometime in May of this year the city is going to leave uh receptacles at people 's home and they can The city of Plano plans to recycle its residents sometime next year . contradictory +This executive guide was prepared under the direction of Lisa G. Jacobson , Director , Defense Audits . : This executive guide was prepared under the direction of Lisa G. Jacobson . entailment +I think the tradition for compassion for the poor encouraged that gift in me , she said . She has a tradition of compassion for the poor . entailment +The simple , serene style of landscaping , with rocks , gravel , and a few shrubs , draws on the precepts of Zen Buddhism that had such a special appeal for the austere samurai . The landscaping embodies Zen Buddhism , which was popular for the samurai . entailment +As evidence of this , she painstakingly detailed Clinton 's electoral assets state by state , in the Northeast , Midwest , and West . Clinton 's electoral assets were detailed state by state . entailment +lock him up Lock him up for treason . neutral +By 1607 , they were left leaderless by the Flight of the Earls . The Flight of the Earls left them leaderless by 1607 . entailment +There was an enormous oven . The oven was belching out smoke . neutral +He thought philandering husbands would be the ones taking advantage of the argument about how cheating was hard to control . Husbands never cheat on their wives . contradictory +um-hum um-hum no i don 't i sure don 't because i have so many albums and cassettes i feel like gosh i have to go out and buy a CD player and then start collecting CDs and it just i haven 't gotten around to doing it yet I don 't collect music in any format . contradictory +These employees make up cross-functional teams that provide an appropriate mix of business expertise and IT skills to accomplish the various tasks of a project . A mix of business expertise and IT skills is provided by these employees . entailment +To add half a million readers , or even half that number , Willes will need to steal subscribers from the 18 other newspapers in the Los Angeles area , including the Orange County Register and the Los Angeles Daily News . This raises an appetizing prospect . There are only seven newspapers available in the Los Angeles area . contradictory +Adjacent to the village is the restored Tang Chung Ling Ancestral Hall . The village people visit the Ancestral Hall daily , no matter what . neutral +The construction phase is considered complete when the owner accepts occupancy of the facility , although final completion of construction may continue for months ( or even years ) until all discrepancies have been identified , resolved , and mutually agreed upon . The construction phase is considered complete when the owner accepts occupancy of the facility entailment +In and around the lovely valley of the Dordogne , Perigord beckons enticingly , with its rich cuisine , fortified towns , and fascinating cave paintings and other prehistoric remains . Perigord is known for its good food and cave art . entailment +The fabulously wealthy are failing us as a social type ; indeed , they are not fabulous--not excessively decadent , not imaginatively Sybaritic . Everyone is super poor . contradictory +Such a charming invitation from Mrs. Rolleston . Mrs. Rolleston was pleasant and gave an invitation . neutral +huh huh well uh Frank i think i kind of need to get back to some other things so i i hope we 've talked uh Frank , I think I need to get back to work . neutral +However , whether Hindu or Buddhist , the people of Nepal live their religion on a daily basis and can be seen worshipping at shrines and temples throughout the day and night . Whether Hindu or Buddhist , however , the people of Nepal live their religion on a daily basis and can be seen worshipping at shrines and temples throughout the day and night . entailment +This abuse of power article charged Nixon with having the Internal Revenue Service audit his enemies , spying on private citizens , setting up the Plumbers unit that broke into the Watergate office building and anti-war activist and Pentagon Papers author Daniel Ellsberg 's psychiatrist 's office , and otherwise using federal agencies for personal and political advantage . Nixon never used federal agencies for his personal gain . contradictory +Most of the villages remain practically unchanged since their creation save for a plethora of TV antennae and offer a fascinating view of Greek village life , where tomatoes hang from every window and old folks discuss today 's news on their doorsteps . It is difficult to study the past in many greek villages because they have kept nothing to remind them of their roots . contradictory +Second is a tolerance for working with people who don 't have a clue what a C SQL jockey is . Everybody already knows what a C SQL jockey is . contradictory +I wore baggy clothes and coats closer to cloaks . My clothes hung off of me . entailment +But it is certain to grow as a share of the total . It will certainly shrink . contradictory +Acclaim for the pulp-fiction writer 's 34 th novel . The pulp-fiction writer must be acclaimed and is planning to celebrate his latest novel . neutral +Senor ? Drew raised his wet head from the bunkhouse basin and reached out for a sacking towel . Drew 's head wasn 't wet . contradictory +yeah well that 's our time That 's our period . entailment +Poverty makes farmworkers unwilling to jeopardize their employment . Farmworkers often have so much money they do not worry about the risk of being fired . contradictory +One of them Yankees musta took ' em off me , thinkin ' I was cashin ' in m ' chips . I still have it on me , the Yankees didn 't take it . contradictory +Mongolians from South China and Polynesian and Malay peoples from the Philippines and the Indonesian islands settled along the rivers of the peninsula and northern Borneo . Mongolians settled along the rivers . entailment +Given a chance to ask a question of a rival candidate , Hatch said he would give Forbes a home-run ball . Hatch has more than one rival candidate this time . neutral +'For the record , I 'm a little shaky on that too , ' White put in . White said he was a little shaky . entailment +With Austrian and German armies massing on France 's frontiers and the forces of counter-revolution gathering inside the country , the militant revolutionary Jacobins led by Max ? ­ i ? ­ milien de Robespierre saw the king 's flight as the ultimate betrayal . The militant revolutionary Jacobians were upset by the king 's departure . entailment +'Why do you-' 'Why is it that you-' entailment +Fena Kef is a town of scum and villainy . Fena Kef is full of scum and villainy . entailment +Lost her memory , eh ? said Tommy with interest . She doesn 't remember anything or anybody from her past . neutral +Gene McKinney , the Army 's top enlisted soldier , was charged with adultery , as well as with sexually harassing four servicewomen . All charges against McKinney were dropped when the jury found the testimony untruthful . contradictory +The railway builders admitted it might have been safer to dig some tunnels , but they preferred to go round the mountain to allow for a better view of the terraced tea gardens and the valleys plunging down to the Bengal plains . The railway builders went around mountains to get better views . entailment +Supposing she is not able to give one ? Assuming she can provide all of them ? contradictory +Ca 'daan left Fena Dim as the red sun painted the outline of the Old One in scarlet ribbons . Ca 'daan traveled away from Fena Dim . entailment +Funding recipients may represen [ t ] an individual eligible client who is seeking specific relief from a welfare agency if such relief does not involve an effort to amend or otherwise challenge existing law in effect on the date of the initiation of the representation . They were not able to help any of the clients on welfare . contradictory +yeah we set a record yesterday and uh very very windy but then today the wind has dropped off and also the temperature so very cool uh i think right now it 's like sixty nine I live in Michigan and we set a record for snowfall in one day , yesterday . neutral +It is , instead , a dynamic and inclusive process . It is a dynamic and inclusive process . entailment +A small museum near the archaeological site explains the many layers of excavations ( up to 21 metres / 70 feet deep ) . At the archaeological site museum , it tells about the wildlife and nature found around the site . contradictory +It had failed . It tried its best . neutral +Particularly busy , colorful markets include those in Kendal ( Monday , Wednesday , Saturday ) , Keswick ( Saturday ) , and Penrith ( Tuesday , Saturday ) . There are colorful markets in Kendal . entailment +But , says Lindburg , ' if you protect the panda , you 're protecting the golden monkey , the monal pheasants , the takins . Lindburg listed only four , but many more animals are saved when the Panda is protected . neutral +Then you won 't do as I ask you ? So you won 't obey me ? entailment +As discussed in section 3 , higher saving and investment can boost worker productivity and lead to greater economic growth . The worker productivity is the best measure of success . neutral +and they 're playing on they were playing on it Three people were playing on it . neutral +yeah scrape it and paint it put primer on it then paint it don 't put paint over else it 'll just continue rusting under it yeah You can just throw paint over the whole thing without primer or scraping . contradictory +Room 8 is devoted to the palace of Zakros in the far east of Crete . There is a room devoted to the palace of Zakros which is located in eastern Crete . entailment +The receipt and acceptance portion generally involves a government employee taking possession of the items purchased and verifying quantity and quality of the items received . The receipt portion usually shows a government employee taking possession . entailment +Had he attempted to take the brill back with him , he would be caught in the torrent for sure . He took the brill with him and unfortunately did not make it back to the village alive . contradictory +Beatles [ Gabe Perlmutter ] ( This link goes to a dead page but then automatically proceeds to his new page , so I 'm counting it as one link . ) The link isn 't working at all anymore so it doesn 't count . contradictory +yes living under a bridge so to speak now it 's true though that the bulk of of immigrants it 's true that the majority of immigrants aren 't making a lot of money neutral +ACTUARIAL LIABILITY - A liability based on statistical calculations and actuarial assumptions ( actuarial assumptions are conditions used to resolve uncertainties in the absence of information concerning future events affecting insurance , pension expenses , etc . ) . A liability based on statistical calculations and actuarial assumptions is called Actuarial Liability . entailment +You are very sure of his guilt ? He was guilty of murder . neutral +If you visit only one place on Jamaica outside your hotel , then this should be a place of fantastic natural beauty and flowing water that epitomizes the Arawak name for Jamaica , Xaymaca ( land of wood and water ) . People visit Jamaica for its natural beauty and lovely beaches . neutral +The Postal Service 's FY 1993 data set contains observations from about 300 routes . The Postal Service 's FY 1993 data set contains observations from about 300 routes . entailment +Hong Kong 's major venue for the performing arts , the building has been criticized for its fortress-like architecture and windowless facade . The building , which is Hong Kong 's major venue for the performing arts , has been criticized for its windowless facade and fortress-like architecture . entailment +But can these three compete with CNN 's deep pockets ? They beat CNN every time . contradictory +Beaches along the northern shore are better reached by caique ( a small , brightly painted ferry ) . Because there are few roads , the northern beaches are better reached by caique . neutral +You will use force to defend some policy or principle . You don 't have to defend either the policy or the principle by force . contradictory +Some condemn the novel , in which an arrogant barrister who defends rogues is murdered , for its cliched depiction of lawyering and its unconvincingly tidy ending . Some people condemn the novel because it is predictable but millions of others love it . neutral +yeah we have a couple of those too we uh we haven 't planted a garden yet we moved to moved here from Colorado not too long ago where we had a really big garden but here i i know i hear i hear that the uh growing is a little bit different have you had a garden We 've planted a large garden here , compared to the one we had in Colorado . contradictory +Jordan said , but the notion of mutual protection , equating the two parties , is not part of state law . State law makes two parties equal under mutual protection laws . contradictory +Unified budget surpluses since 1998 have been the longest-running surpluses in over 50 years , and federal budget surpluses are projected for the next decade . The odds are good that there will be federal budget surpluses in the next decade . entailment +Golden coins spilled out . Coins fell out . entailment +or now that 's not true of all of them there are That is always an accurate assessment . contradictory +no they 'll they 'll ask for a handout first No , they won 't want any handouts . contradictory +i 'll talk to you later um-hum bye-bye I 'll talk to you tonight . neutral +Other pilgrims to this spot are more intent on a visit to Berthillon , a hallowed maker of astonishing ice creams and sorbets . Some of the pilgrims who come to this region go to Berthillon to be martyred . contradictory +This creole , a mixture of English , African , and Spanish words and phrases , is still evolving and often indecipherable to the outsider . There is a mix of cultures present . entailment +Property , plant , and equipment ( PP and E ) of types that are expensed . The property , plant , and equipment are added to the expenses . neutral +APHIS performed an environmental assessment and determined that the actions required or authorized by this rule will not present a significant risk of introducing or disseminating foot and mouth disease into the United States and will not have a significant impact on the quality of the human environment . APHIS has released a report that states high impact on the quality of the human environment . contradictory +He led Dave through the big tent , taking pride in the large drafting section--under the obvious belief that it was used for designing spells . Dave was prideful when being led through the tent . entailment +Hong Kong is full of giant malls . There are no giant malls in Hong Kong . contradictory +The Bar says roughly 30 percent of indigent households have some legal needs in a given year , yet Florida makes no annual legislative appropriation to serve these residents . Florida is going to need legal reformation as soon as possible . neutral +Its volume declined from 7.2 billion pieces in 1990 to In 1990 the volume decreased . entailment +Jon could see the look on his face . Jon saw the expression on his face . entailment +The site ruins , mostly from the Hellenistic period , lie almost overgrown , but they are perfect for exploring at your own pace . The site ruins are in pristine condition for guided tours . contradictory +Relaxing , friendly dairy restaurant serving good pies , cr ? ªpes , salads , and fish in a rustic old house . The dairy restaurant serves lots of fresh foods including their famous salads . neutral +uh-huh so i think it just i think it depends on the circumstances and how many times that person has been in trouble i mean really big trouble I think if the person doesn 't have a previous criminal record , the charges should be less severe depending on the circumstances . neutral +Time warns that recession might be imminent , caused by high consumer debt and sluggish Asian economies . Consumer debt is fueled by the purchase of expensive cars on credit . neutral +specialty dress shop and um i was a manager part-time at a card and gift shop as well as teaching in a modeling agency and modeling so I worked as a part-time manager at a card and gift shop . entailment +Reply All , our experimental novel-by-e-mail written by three anonymous authors in three different cities , moves outside the subscription wall for a while , beginning today . Reply All is being removed from circulation today . contradictory +Within the cloister , in the north gallery , is a striking fresco of the Triumph of Death ( 1360 ) showing how a humble person and an aristocrat face the same destiny . There is a boring fresco picturing the grape harvests . contradictory +Even if you do not spot much of the wildlife we mention and you are almost assured of seeing something the sheer experience of the jungle at night , with its incredible noises , the flitting of mysterious fireflies , and the sense of invisible but omnipresent life and movement around you make it all worthwhile . The excursion will be worthwhile neutral +so uh the violent uh there is not as many people getting killed in robberies and holdups and things like that as you see here uh that 's probably why i 've come to that to that way of thinking of course the uh the very emotional uh thinking over what happened to President Reagan you know the guy that got it was mentally deranged since you get one so easily A mentally deranged man went on a killing spree . neutral +It is not always clear whether there were long-term positive outcomes from these trials since referral has been the outcome variable most often studied . You can not be sure whether anything positive came from the trials . entailment +yeah that 's true that 's true so you it 's it 's all important you know it 's an all important thing that you That 's true , your cat is very important . neutral +Nothing worked . No thing worked . entailment +It could easily lose business , even if it is the low-cost carrier . The low-cost carrier is best for business . contradictory +Thus , IRCA deemed H-2As to be permanent resident aliens -a category eligible for LSC legal assistance -- for the purposes of receiving legal assistance from the Corporation . The IRCA do not give legal assistance to the H-2A holders . contradictory +'You would have called them the Southern states , ' Greuze explained . Greuze did not call them the southern states . contradictory +Create mechanisms to involve employees in the planning process . Planning processes cannot involve employee feedback . contradictory +yeah well we 're we 're at a point where we 're trying to accomplish a lot of things right now and uh like my wife 's going back to school and i 'm going to school and we 're our kid we 've got the kids who are at the stage where they need to take piano lessons and and uh you know play baseball and and do all those fun things My wife and I are going to school and our kids need to take piano lessons at this time . entailment +This strong , powerful depiction was designed and sculpted by Edna Manley . This is one of Edna Manley 's weakest works , valued poorly by art critics . contradictory +To decide if a data reliability assessment is necessary , you should consider certain conditions . You only need to feel like it is necessary to conduct a data reliability assessment . contradictory +In the romantic comedies of the ' 30s-- It Happened One Night , My Man Godfrey --the wan , indifferent upper-class beauty is humanized by her contact with ordinary working-class life , but those days are over . It Happened One Night , My Man Godfrey is a 30s romantic comedy . entailment +gosh i thought young people were all good I didn 't know children could be bad . neutral +A unified currency makes economic sense , but trade efficiency is only one motive for many governments . Unified currency in Europe has been a huge success . neutral +Chenonceaux ( unlike the chateau , the town is spelt with an x ) is on the south side of the Amboise forest . Chenonceaux is spelled differently than the chateau is . entailment +By this time , the valley was in much the same geographic state as it exists in today , with one exception the presence of artesian springs that bubbled to the surface in several areas . The valley is the only source of water for 20 miles . neutral +But you soon came to your senses and freed them , right ? Jon didn 't hold hope for the right answer . The rebellion was halted and the slaves were freed ; Jon knew this to be true , as he had heard it before the warrior arrived . contradictory +However , the Department rejected the contractor 's proposal as too expensive and difficult to implement . The Department is very conservative with accepting new proposals . neutral +so um i got a good brownie recipe I also got a good recipe for cookies . neutral +Several security managers said that short policies that emphasized the most important aspects of the organizations security concerns were more likely to be read and understood than voluminous and detailed policies . Short policies are more likely to be read than long , detailed policies . entailment +4 ) If the LSC state planning team recommends a service area configuration that differs from that proposed by the DSPB , authorized representatives of the DSPB may seek a meeting with LSC 's Vice President for Programs to ask for reconsideration . A service area configuration was recommended by the LSC state planning team that caused problems for the community . neutral +At 8 : 02am on 8 May , Pelee erupted titanically . Pelee erupted last May . neutral +These parameters were used to calibrate WTP for the visibility changes resulting from the Clear Skies Act . There were no parameters used to calibrate WTP for visibility changes . contradictory +Yes , long ago . It was long ago . entailment +It took a little more courage for a Western historian to say that then than it does to say it now , with the long confrontation finally over . During the confrontation is was pretty hard for Western historian 's to admit that . neutral +I will see you in six moons . I 'm coming back next month . contradictory +Even Graham 's earliest confessions of incompetence are refuted by her father 's transparent scheme to groom her for some top slot at the Post . After she graduates from the University of Chicago , he arranges a job for her as a reporter at the San Francisco News , and afterward hires her as a Post editorial writer . Graham 's father did not lift a finger to help his daughter 's career . contradictory +( And , beyond a point , defending it is patronizing . ) It 's okay to defend it very hard . contradictory +Get Johnny back on the Range , Hunt put him to work , hard . Hunt , make Johnny go back in the Range and make him work hard . entailment +There is a trade off between sensitivity and specificity defined by the receiver operator curve . There was no give when the trade off began . contradictory +The six types are illustrative , critical instance , exploratory , program implementation , program effects , and cumulative . Removing programs from your work method is a critical requirement . contradictory +and right and before i left we had everything paid off we were in great shape we were putting money you know because we were both working we were finally putting money in It did not cost much to pay things off before I left . neutral +the town and i guess the town of Cumberland 's probably got thirty five thousand people in it or so Cumberland has about 35000 people in it . entailment +The LAT front reports that , in an attempt to highlight Southern California 's virtues as a technology marketplace , today a nickname will be chosen for the region that will figure in an aggressive marketing campaign . The LAT never reported in at any point . contradictory +Fraud , illegal acts , and other noncompliance often result from the lack , or circumvention , of internal control . The lack of or disregard of internal protocol causes illegal activities . entailment +We cannot adjust for all benefits transfer considerations , however , thus introducing additional uncertainty into our estimates . This is due to unknown fees with transferring benefits . neutral +Ten km ( 6 miles ) west of Funchal is Camara de Lobos ( lair of the sea-wolves ) . Camara de Lobos is situated over 25 km west of Funchal . contradictory +i 'm watching Ninja Turtles I 'm watching Teenage Mutant Ninja Turtles . entailment +Given That Experts Disagree About Whether Retirement Retirement : Subject of Expert Disagreement entailment +that 's true that 's true plus a lot of movies you need to sort of see them in a theater you know it just makes them that much better There is no difference watching a movie at home vs a theater . contradictory +Kilgore was way over by Louisiana . Kilgore was nowhere near Louisiana . contradictory +CHAPTER 2 : HERITAGE ASSETS Chapter 2 addresses heritage assets . entailment +how many hours have you been from home you have never left your hometown , correct ? contradictory +oh you were oh okay I understand you were . entailment +But the newcomers were already drawing rein , bringing their foam-lathered horses to a pawing stop . The ponies needed food before they could continue . neutral +The Codification includes only those principles and standards agreed to by the principals . The Codification provides a method of resolving disputes . neutral +yeah and you know and it there are many of them there 's no doubt about it I think they are in the tens of millions , roughly . neutral +It stocks books in English , French , and German ( as well as Portuguese ) . It only carries English books . contradictory +Revolutions don 't change the world and one man can 't make a difference . ' One person can change everything contradictory +we might see a woman vice president that wouldn 't surprise me and then of course if something happened to be uh i 'm sorry yeah if something happened she would be president but it would not be something that she were elected to There 's no way there 'll be a female vice president , let alone a female president . contradictory +and uh uh and i guess you don 't have to have a Christian based home to to feel that way but that 's just part of our priorities that 's right it certainly gives you some some specific specific goals to work towards but uh You don 't have to have a Christian background to feel that way . entailment +Some 40 percent of Malaysians live in townships of more than 5,000 inhabitants , an exceptional proportion for the region . 40 percent of Malaysians live in large townships of 5,000 inhabitants or more . entailment +Managers generally welcomed their new authority to make spending , personnel , and operational decisions that had formerly been made by central authorities . It is more affordable if new authority is used over the central authorities . neutral +What did I say about her evidence at the inquest ? Who cares what I said at the inquest about her evidence ? contradictory +Still trying to get the hang of my voice . I am great at using my voice already . contradictory +Aside from the gardens , lake , and playground , other points of interest include a statue of Christopher Columbus ( who may have lived in Funchal for a while ) , and , close by , the Chapel of Santa Catarina , dating from the 17th century . One of the other points of interest is a museum next to the gallery . neutral +The fast road travels the length of the eastern shore of Bassenthwaite Lake ; the slower , and more picturesque , route leads through Whinlatter Forest . Most travelers opt to drive via the Whinlatter Forest road . neutral +but it 's it has a much sharper flavor and it 's uh There 's no flavor to it . contradictory +'Oh ? ' My glass was drained . I drank my beer glass empty . neutral +yeah thirteen that 's not bad Seventeen is bad . neutral +It isn 't absurd for anyone , including Falwell , to notice these hints , inferences , and references . There are several hints of that in the news article itself . neutral +A cement factory belching smoke is a regrettable addition to this corner of the valley . Unfortunately , there is now a cement factory in this valley . entailment +( To restore Internet Explorer , you 'll need to have it on your original Windows 95 CD-ROM or another disk . You need to have the original disk to restore Internet Explorer . entailment +yeah and it 's funny because people call things differently in different areas um my parents grew up a lot in the Philadelphia area i was very young when we lived there but you call things differently like um uh we called them all hoagies down here they call them submarine sandmiches I still live in Philadelphia . contradictory +Within the cornerstone of results-oriented In the cornerstone of results-oriented , continues the journalist , neutral +That is also the name of Johnson 's recent book--a 175-page tract that pleads for still more subsidies while cloaking itself in high-mindedness . The book also discusses intersectionalities within subsidies . neutral +and that 's it it i mean maybe a home run could last a little bit longer because the guy has to run around all the bases you know but i mean it 's it 's like that i mean it 's was it 's just but when i went home that 's all like they had on TV so i had to i watched entire games of baseball and they 're going oh my God and TV in Argentina 's really bad In Argentina , pretty much all I could watch on TV was baseball games so I watched them in their entirety entailment +The biguine , immortalized for Anglo-Saxons by Cole Porter , is thought to have come first to Martinique from the Congo . The biguine , invented by Cole Porter , was imported from America . contradictory +In order to go much further , we need to know the cost of the pieces that are candidates for moving from the basic category to the workshare category . We don 't know what to do in order to go further , we need more help and free time and money to think about it . contradictory +A story says that the Japanese mob exerts too much control over that nation 's finance industry , hindering Japan 's ability to compete in the global market . The Japanese mob works alongside high-ranking finance officials neutral +Two of these studies provide the basis to form ratios of the WTP of different age cohorts to a base age cohort of 40 years . Ratios of the WTP are based on two of these studies . entailment +( 2 ) A document or set of such documents formally designated and fixed at a specific time during the life cycle of a configuration item . One or more documents formally designated and fixed at a specific time during the life cycle of a configuration item . entailment +Their anxiety is nothing compared with that of the prisoners once held in the forbidding Conciergerie ( entrance on the quai de l 'Horloge ) . The prisoners once held in the forbidding Conciergerie had a far greater reason to anxious than them . entailment +Such assertions also serve as an attempt to discount the need for meaningful reform to help prevent future accountability failures . Accountability is currently quite poor . neutral +oh it sure can because uh the you never just you just can never tell what it 's going to do It changes randomly every few minutes . neutral +which opens the door for Bergman 's too-pat Ordinary people under extraordinary circumstances , Mike . Which leads to Bergman 's unrealistic Ordinary people under extraordinary circumstances . entailment +So what 's a president--or an attorney general--to do ? A president or attorney general should react . entailment +The ease of Barrett 's succession to CEO is the ultimate expression of this , of course . It was almost impossible for Barrett to become CEO . contradictory +Now Ca 'daan saw the sword mastery of the two men . The men were practicing with their swords . neutral +Particulate Air Pollution as a Predictor of Mortality in a Prospective Study of U.S. This study is about Particulate Air Pollution as a Predictor of Mortality and was revolutionary . neutral +Her voice was troubled . Her voice betrayed her fear for the future . neutral +But what does it mean to save the surplus ? What does it mean to not save the surplus . contradictory +The exhibits are state-of-the art . The exhibits are updated often to keep them up to date . neutral +They were staring at Ben Franklin . They had never expected to see a dead historical figure in person before , but here they were , locking eyes with him and not able to look away . neutral +Entrance to what is now administrative offices and a communal library is between two towers on the west side , away from the harbor , through a fine two-story Renaissance triumphal arch crowned by a statue of St. Michael . There is no statue , as it was removed thousands of years ago .. contradictory +Most critics find her angry monologues about rape and Jesse Helms obvious and dull ( Linda Winer , Newsday ) . Predictably , conservatives pronounce her smut unworthy of government funding . Republicans call for more monologue funds to be distributed . contradictory +The hero is no longer Pip but Finn , who is frolicking in the waves among the gulls when a shackled and bloodied escaped killer ( Robert De Niro ) erupts from the water and forces him to bring food and drink and a tool for cutting chains . Finn is currently alone and in a desert . contradictory +A series of coral headlands covered in tropical vegetation reach out into the ocean . The coral headlands are endangered and need to be preserved . neutral +As noted in Chapter Two , 500 MWe plant firing 4.0 percent sulfur coal and equipped with LSFO FGD technology will use about 32 tons per hour of limestone , or about 240,000 tons / yr ( about 0.064 tons / MWh ) , and limestone consumption for MEL technology would be less . Limestone consumption is expected to decrease as pointed out in chapter 2 . entailment +The 1894 Sino-Japanese War for control of the Korean markets and the strategic region of southern Manchuria was a triumph for Japan 's modernized army over China 's larger but much less well-organized forces . China was the winner of the 1894 Sino-Japanese War . contradictory +Stand behind it . Stand behind it so that you are not visible . neutral +This guide was prepared under the direction of Lester Diamond , Assistant Director , Information Technology Management Issues , who can be reached at ( 202 ) 512-7957 or DiamondL @ GAO.GOV. Lester Diamond , Assistant Director , oversaw the preparation of the guide . entailment +'Blood spills . ' 'Spilling of blood . ' entailment +Similar results were found in a study of injured patients treated in the emergency department . The study went on to offer recommendations to the hospital to improve patient care . neutral +The legend has been a part of Jerusalem lore since the seventh century ; the cloth bearing the image is now kept at St. Peter 's in Rome . There legend is part of Rome 's lore . contradictory +Farrakhan 's foreign-policy adventures in the months following the march also discredited him . Farrakhan 's foreign policies were widely approved of . contradictory +The fact that Dowd was struck dumb by this question has been used against her . She was quick and knew the correct response . contradictory +Older locals trawler men or dockworkers might lament the loss of Leith 's gritty , salt-of-the-earth reputation , but the town has an air of excitement about it . Leith is a better place for losing its salt-of-the-earth reputation . neutral +The With attorneys one year out of graduate school facing an average debt of just less than $ 90,000 and starting salaries at legal aid organizations averaging $ 31,000 , they couldn 't afford the job . New attorneys have massive law school debt . entailment +After the walk across the open park , it was pleasant to saunter lazily through the cool glades . The stroll through the swamp was a perilous one , fraught with alligator teeth and mosquito bites . contradictory +Our helicopter tore through sky . The helicopter had yet to take off . contradictory +because several things minor things sort of but still they cost us money um that we didn 't feel like we should have had to pay on a car that that was that new We feel like we shouldn 't spend all of that money on the car entailment +Reluctantly , I raised my hands . I enthusiastically put my hands up . contradictory +( I paid for that microphone probably came from a Spencer Tracy political comedy I paid for that microphone which came from a Spencer Tracy comedy , one of his better comedies . neutral +it 's working out pretty well um we 're spending more time together i feel like i 'm a lot closer to the three that are still living at home than i ever was to the two that were living there before um We are glad to be spending more time together . neutral +Similarly , GAO has also suggested that reorganizations may be warranted based on the significance of the problems requiring resolution , as well as the extent and level of coordination and interaction necessary with other entities in order to resolve problems or achieve overall objectives . The GAO did not suggest that reorganizations are warranted . contradictory +The 17-year-old Jess Gupta ( male student ) , for example , is listed as a housewife in another filing . The male is not listed in the file at all . contradictory +But in this case , I guess , videotape speaks louder than words . Here , words are less meaningful than video footage . entailment +In short , there is a subclass for library materials , one for books , one for bound printed matter , and several for periodicals . There are also subclasses of these subclasses . neutral +You 've only got one idea in your head . You are very single-minded with all your thoughts on one idea . entailment +Two hills , Hari Parbat to the north of town and Shankaracharya to the east , offer pleasant walks with the reward of a magnificent view over the lakes and the whole Vale of Kashmir , 134 km long and 40 km wide ( 82 by 25 miles ) . People can get a good view of the lakes and the Vale of Kashmir if they walk up Hari Parbat or Shankaracharya . entailment +As she stood there , with her honest face upturned to mine , I thought what a fine specimen she was of the old-fashioned servant that is so fast dying out . The look on her face hinted that she was dishonest . contradictory +Steve Forbes befriends a crippled child , predicts this Christmas will be ' the best ever . The old crippled man was thrilled to get the gift . contradictory +and you know like yeah and my mom you know like makes like what we call niokes and and all this stuff that it 's just you know everything like lasagna and everything My mom makes this stuff that 's like lasagna called niokes . entailment +He heard laughter behind him as he walked . Someone laughed behind his back . entailment +it you know it 's it i mean they do generate a lot of soot but that at least you know that kind of particulate comes out of the air pretty quickly They are very clean , producing no discernible waste product at all . contradictory +It is the key to the whole riddle ! " This is the information that we have been waiting for a long time . neutral +With binoculars , you can spot up on the third tier of arches ( third from the right ) , the heads of Risorgimento heroes Gari ? ­ baldi and Cavour . Binoculars can also be used to observe whales surfacing for air . neutral +If the framers had wanted to limit us more they could have been more specific . If they wanted to set a limit , they could have told exactly how much . entailment +what i would love to see done to stop all of this To stop all of this , I would love to see this done . entailment +The 20th century saw a stupendous release of energies that had been pent up for the 250 years of Tokugawa isolation . The Tokugawa isolation lasted for 20 years but it felt like it was 250 years . contradictory +Same as Emanuel , except Lewis seems more morally outraged with Clinton than other White House aides . Emanuel was upset with Clinton . neutral +The publication also reports that Anderson plans to go ahead with her divorce and feels she can never forgive Lee . The publication has turned into a collection of gossip columns . neutral +you don 't like him You don 't know how you feel about him . contradictory +you know go through and figure out because most of the people you don 't a lot of them you don 't have any knowledge of and just go in and just arbitrarily voting all Republican or all Democrat i try to i try to find out a little bit about them Most voters are highly educated on their votes . contradictory +The pause in the labor was only for the length of time it took the drug-bearing slaves to complete their task . The drug bearing slaves were slow because the drugs were heavy . neutral +Fear we shall be too late anyway . Afraid that we will not be in time though . entailment +hi uh my name 's Nicole She was calling her employer back about the potential job . neutral +yeah i think so i think because people sort of get through you know um i think that people sort of learn the importance of sort of physical fitness as well as the as well as you know some mental fitness and i think that people sort of learn good sportsmanship and so forth The more people learn about physical fitness , the worse they are at good sportsmanship . contradictory +The house which the Belgians occupied in the village was quite close to the park gates . The Belgians occupied a house in the village close to the park gates . entailment +Because they were ugly , says the Los Angeles Times . ( 7 / 28 ) The LA Times said they were beautiful . contradictory +'Why , doctor , ' No , doctor . contradictory +um i don 't there 's something about the Mac a lot of things about the Mac i don 't like i don 't like the size of the screen i have an old uh Plus i don 't like the keyboard but i it 's extremely easy to use I don 't like the mouse than came with my Macintosh . neutral +Browning , Martin , and Annamaria Lusardi . Browning Martin and Annamaria Lusardi know eachother . neutral +are you getting a lot of static on your end of the line Are you hearing static on your end of the line ? If so , it might be your phone . neutral +right i used to be a coin dealer so i i i know i know those guys you know I know those guys because I 'm a former coin dealer . entailment +Relation of input ( influences on security ) and output ( safety ) likely to be difficult to measure and to be both indirect and direct Both security issues and safety issues are hard to measure both directly and indirectly , entailment +The date 1670 and coat of arms were added to the gateway by the Dutch East India Company . The Dutch East India Company removed the coat of arms in 1670 contradictory +Bull _ dosser _ ! Damn it , couldn 't he even pronounce simple Engaliss ? Damn , can 't he even speak basic Engaliss ? entailment +In international trade , people started to joke that a smart graduate student could come up with a model to justify any policy ; similar sentiments were felt in many fields . People joked that a graduate student could justify any policy if they created a model . entailment +you know there 's absolutely no ozone protection whatsoever in Australia in the last in the years of the shuttle the uh uh the skin cancer and and other you know uh cancers in Australia have gone up you know so mething like like six thousand percent In the years of the shuttle program , sin cancer cases have plummeted in Australia . contradictory +oh i 'm sure you 'll get it done but it just may not of the original obviously not of the original time schedule If you had more time , you might do a better job . neutral +'Well , five loads of Raptor probably does buy you more favours than a free meal . ' Derry clicked her tongue . 'A free meal is better to boy you favours than five loads of Raptor . ' contradictory +They never ask you to volunteer for the really good Check here if you 'd like more information about Claire Pospisil , say . They don 't ask if you would like to volunteer . entailment +812 Prospective Study of Costs and Benefits ( 1999 ) : Advisory by the Health and Ecological Effects Subcommittee on Initial Assessments of Health and Ecological Part 2 . October 1999 . Prospective Study of Costs and Benefits : Advisory not done by the Health and Ecological Effects Subcommittee on Initial Assessments of Health . contradictory +The shrine 's renowned Treasure House is one of the newest structures here , with wooden plaques in the shape of rice paddles reflecting the importance of rice in Shinto and , by definition , Japanese culture . The Japanese people don 't eat rice , they loathe it . contradictory +Well , Monica honey , I think it 's snack time , the president said with a sexy growl in his voice . It 's snack time growled the President to Monica . entailment +yeah yeah yep i 'm still here Nope , not here anymore . contradictory +The availability of resources was based on their current market demand and does not reflect the increased production capacity that a multipollutant strategy may create . Resource availability is based upon current market demand and doesn 't reflect product capacity . entailment +I would have said , Whoa ! I would have paused for a second before reacting . neutral +It is time the sun set upon us as one . It is time the day ended with our empire united once more . neutral +and not being cared for yeah that 's true well what did you do when you helped these people how did you what did you do through So when you gave these people help , what exactly did you do ? entailment +That 's why I love when things ( like the nomination ) happen to people who are not clamoring for it . It really disgusts me when people accidentally stumble into things like the nomination . contradictory +spend less i think we well i think we give too much money away I need to stop giving all my money away . neutral +concert band type activities and he thinks that 'd be good for the kids It 'd be good for the kids to play outside . neutral +Such a reduction is estimated to prevent 289 to 1,187 inhalation injuries / illnesses per year and 554 to 8,095 chronic respiratory illnesses per year , with a best estimate of 4,046 injuries and illnesses prevented per year . The reduction is estimated to prevent a large number of inhalation illnesses . entailment +The combination of red and greyish rocks , the white sands , the green pines , and the rich blue sky and sea is striking . The rocks are red and grey because of the coal minerals found in them . neutral +well i 've enjoyed this I 've had fun . entailment +During a counter-offensive in 1109 , the town was overrun by the Moors , but the Christianized fortress held . The Moors later retreated and the town 's garrison retook the town . neutral +A Post source indicated that Kennedy had deceived colleagues at his magazine , George , about his travel plans . They had claimed that the man lied about his plans to travel . entailment +There were legal services offices in 24 locations from Walla Walla to Port Angeles , from Clarkston and Colville to Chehalis and Longview , from Seattle to Spokane . Many locations have legal services offices including Seattle and Clarkston . entailment +And Kenzo , Lagerfeld , and Cerruti design in the international but inexorably Paris-based language of haute couture . Haute couture is based in France . entailment +As we said when we adopted an epigraph for the Commission on the Year 2000 : The past is never finished , for the future is yet to come . The epigraph is about the past and future . entailment +so you don 't that 's right so Right , so you do it . contradictory +Federal Communications Policies and Rules Concerning Children 's Television Programming / Revision of Programming Policies for Television Broadcast Stations There are policies for television broadcast stations . entailment +As he wrapped up his party 's nomination , his generation 's World War II experience is at the heart of his third run for the presidency . Many people his age fought in World War II . entailment +The lean , gray-haired man who had ushered them into the stable stood eyeing the mare 's distended sides . The man who ushered them into the stable had blond hair . contradictory +In addition , if the worker is required to be in the United States throughout the course of the representation , the right to legal assistance would be lost altogether . Workers have rights to legal assistance that might be lost . entailment +The price index ( weighted price ) for basic mail in 1996 was 39 . The price index for mail in 1996 was one of the highest ones on the market . neutral +Michael Kelly 's WP column about Ken Starr vs. Ken Starr was the subject of Michael Kelly 's WP article . entailment +My father _ has _ to have them . My father might have six or seven of those . neutral +In a few minutes , they staggered back under a bulky affair in a protective plastic case . In about 4 hours , they staggered back under a bulky affair . contradictory +yeah i use my scan button a lot My scan button is used often by me . entailment +They produce plans that link to overall business plans and assign managers to act as liaisons between business units and CIO organizations . They have plans to assign CEOs to the agencies . neutral +Centre Pompidou The train station is named Centre Pompidou . neutral +i was born in sixty two so when did it end I was born in 1962 , but when did it complete ? entailment +Through 1905 , Helen Stewart expanded the ranch to 2000 acres ( 810 hectares ) , making quite a bit of money in the process . The ranch was not expanded until after Helen Stewart passed away . contradictory +A fort stood here until 1812 , when British and Spanish troops blew it up while dislodging the French during Spain 's War of Independence , leaving only ruins . There used to be a fort until 1812 but the troops blew it up . entailment +But then I was disappointed . Everyone was unhappy with the result . neutral +For one thing he probably wouldn 't have believed it . He trusted the information , for one thing . contradictory +The battle raged . The battle was over . contradictory +it seems that we have more and more repeat offenders i know i don 't know how you all are there where you 're at but where we 're at now our jails are overcrowded we just built a brand new one two years ago We have three jails in all . neutral +Although it is usually attributed to the great master Soami , nobody knows for sure who created it or why . It has been proven that Soami created it to make people happy . contradictory +There was stern command in his words , but a hint of pleading in his expression . He begged them with his eyes to rescue him . neutral +some phases and activities to occur concurrently . There are some activities and phases that occur at the same time . entailment +so i tend to get up in the morning put on sweats um do whatever i wanna do with the kids then whenever i have a meeting with a client i 'll put a suit on and then I enjoy spending time with my kids in the morning . neutral +He quickly got used to other people looking at him with suspicion , or simply making fun of him . Nobody made fun of him whatsoever . contradictory +Standing at his feet are diminutive representations of his family . In his arms are figurines representing great heroes from famous battles . contradictory +I am merely a man , no more valuable than any other . I don 't want people to think I 'm special . neutral +I guess I 'm ashamed to admit it , but I came over here determined to find her and fix it all up , and take her back as Mrs. Julius P. I had hope that I 'd find her , ask for forgiveness , and ask her to marry me . neutral +Britain ' s Labor Party is demanding an investigation of a report that Prime Minister John Major orchestrated an $ 800,000 donation to the Tories from a foreign businessman . The Labor Party did not ask for an investigation of the donation to the Tories . contradictory +Perhaps when parents move , they carefully weigh the damage to their children against competing benefits and act in the interests of the entire family . Parents would never consider the fall out a move would have on their family . contradictory +Dole and others thought it high time for a US coup , and they were able to persuade the US naval forces to assist in deposing the Queen in 1893 . The Queen was overthrown in 1890 . contradictory +The first of its glories is the free-standing campanile , designed by the multi-talented Giotto . Giotto is also responsible for designing its other glories . neutral +After a while , Derry emerged from the web of wire clutching a small crystal disc . Derry stayed in the web of wire . contradictory +And what , exactly , is a program manager ? What is a junior employee ? contradictory +It is time the sun set upon us as one . It is time the sun set on a united empire . entailment +oh that 's great yeah yeah i don 't do a whole it uh time seems to be hard to find for anything you want to do i don 't know why I 've been doing that regularly the past few weeks , and have made some great progress ! contradictory +If this is not the correct form of the C-R function , or if certain scenarios predict concentrations well above the range of values for which the C-R function was fitted , avoided mortality may be misestimated . Keeping in touch with every scenario will always help reduce accidents . neutral +The technical verification of the ability of a proposed system configuration , replacement component , or the features or functions of its software , to satisfy functional requirements . Verification requires multiples different categories to be tested . entailment +Is it possible to close this political gender gap ? It may or may not be possible to close the political gender gap . neutral +Eric Kleiman , a spokesman for Legal Services Corp. in Washington , D.C. , said German has been out front nationally in raising funds and in using new technology , including a statewide Web site . Kleiman claimed that German uses a statewide website . entailment +Thirty years later , as a Los Angeles Superior Court judge , Zelon has added the public 's right to a fair trial to the list of constitutional rights she works to preserve . Zelon , as a Los Angeles Superior Court judge , added a right for the public . entailment +we 've got too many uh uh uh immigrants The immigrants are responsible for terrorist attacks . neutral +Adrin stood and prepared again . He was happy . neutral +That 's what I learned in Anthropology 101 from a professor who had to be at least 110 , kept on the job by tenure and a network of Teflon tubing that functioned much like an actual large intestine . I 've never studied the subject of anthropology . contradictory +'They haven 't come for me yet , so they 're being just as cautious as I . ' They have already come for me . contradictory +FASB establishes accounting principles and financial reporting standards for nongovernment entities . FASB doesn 't work with the government . neutral +Life isn 't fair ... Life is not just . entailment +No , I thought not . It didn 't take me long to decide that he would never have lied about his whereabouts . neutral +that 's a tough one too That is also tough . entailment +An icon is a religious portrait , usually of a saint or apostle . An icon is a statue made of stone that represents an abstract idea . contradictory +Still , despite all this rapid growth , incessant change , and unsettling population turnover , there certainly is a core city , and there certainly are long-time residents , many who proudly call themselves natives . Despite the constant change and growth , there are still long-time residents who think of themselves as natives . entailment +What 's the matter ? Drew called . Drew paid no attention to the matter . contradictory +However , Ireland has always looked to Europe for friendship and support , and gradually it began to define itself as a European nation . Ireland always looked to Europe for friendship and support and gradually became part of Europe . entailment +so does alcohol show up in these tests Will alcohol show up in these tests because I drank yesterday . neutral +yeah well yeah i like them i i have to admit i do like my credit cards uh i love it when he decides to go in a store and buy something for me He never buys me anything . contradictory +another practice i found i 'm going to have to stop hot checks you wouldn 't think for a for a twelve dollar school picture that uh that people would write a hot check but they do People do not write twelve dollar hot checks for school photos . contradictory +oh i never heard of it It 's not something I 've heard of before . entailment +yeah how about Mister Rogers is he still around You 've never heard of Mister Rogers , right ? contradictory +Damn ! said Tommy , and tried to sit up . Tommy wasn 't sitting up . entailment +Levesh and Palazzolo both bring experience in representing domestic violence victims . Domestic violence victims are the second biggest group of law cases . neutral +uh basically they they went through engineering companies and uh we 're communications i work i work in a com munications company I work at an engineering company as a consultant . contradictory +it 's most of the time you know even even if you want to say home you can 't you really can 't It is most of the time that you know whether or not you want to stay home . entailment +well i just finished just i just finished one last night a great book it it 's very a typical for my reading though but a great book one called The Things They Carried by Tim O 'Brien I just finished The Things They Carried by Tim O 'Brien last night ; it was a great book , just like all his others . neutral +On the eastern flank of the Apennines , the Abruzzi region , of which the province of Molise is a recently created offshoot , came under Roman domination in the third century b.c. The province of Molise is part of the Abruzzi region . entailment +i think it 's uh a good idea um i grew up uh my teenage years were spent during the sixties graduating uh high school in sixty eight um i remember when the Peace Corps movement first came about and i thought it was a very good idea at the time i was one of those uh Kennedy children if you know what i mean and uh I graduated high school in 1968 . entailment +He knew only too well how useless her gallant defiance was , since it was not the object of the defence to deny this point . Her defiance was gallant but pointless . entailment +Facing little competition , these magnates possess fantastic wealth--mainly from monopolies on natural resources--and own major media outlets . These magnates amass great fortunes with very little competition . entailment +In theory , mandatory insurance could make life better for everyone , including those who currently prefer to be uninsured . They advocated for the mandatory insurance to be abolished . contradictory +As a result , rural carrier labor cost to the Postal Service in 1989 averaged $ 20 . rural carrier labor cost to the Postal Service in 1989 averaged $ 40 contradictory +Archaeologists have now uncovered nine superimposed cities , from Troy I , an Early Bronze Age settlement ( 3000 2500 b.c. ) to the Hellenistic and Roman metropolis , known as Ilium Novum , which stood here from 334 b.c. to a.d. 400 . There ten cities built on top of each other at the site . contradictory +How often do you feel downhearted and blue ? Do you feel happy all the time ? contradictory +and if it was up to her we wouldn 't have one so you know she feels that kids are too dependent on it also She believes children depend on it too much . entailment +Those who want to believe in the Torah codes will always be able to find ELS that impress them . People will find ELS that impress them if they believe in the Torah codes . entailment +A simpler and potentially less biased approach is to simply apply a single age adjustment based on whether the individual was over or under 65 years of age at the time of death . There is not a less biased way to apply a single age adjustment . contradictory +2 ) Clinton 's job rating fell from 60 to 55 points in a Washington Post poll , apparently because pollees disapproved of his use of the White House for fund raising . According to a Washington Post poll , Clinton 's job rating was no longer at 60 points . entailment +Keep up the good work , The person ended up messing everything up . neutral +It addresses problems over the patient 's lifetime . It fails to address issues over the patient 's lifetime . contradictory +Reporters deemed his tone strident and belligerent . His tone was belligerent and strident , according to reporters . entailment +Under the Features rubric , we 've grouped our regular articles , news commentary , and arts and culture features . We have grouped our average articles under the Features section . entailment +I 've forgotten his name now , confessed Tuppence . Tuppence forgot his name . entailment +you know how it is the water 's kind of You kind of understand how the water is neutral +Despite rampant war profiteering and a large state presence in the economy , growth has been steady , and Tudjman remains popular . It seems that Tudjman will win the next elections . neutral +The man 's blue eyes watched Adrin as Adrin 's eyes scanned over the man 's clothes . The man didn 't notice Adrin . contradictory +He cautioned that literature reviews generally do not include all relevant studies because studies with negative results are seldom published . Each study that does not gain publication is directly due to having negative results . neutral +An appropriation usually follows enactment of authorizing legislation . Once the proper legislation has been enacted , appropriation usually occurs afterwards . entailment +and my wife is from Plains if you know where Plains is My wife went to school in Plains . neutral +Only the rich could afford to travel in this style , and Port Antonio developed into a center for high-class tourism . Port Antonio is a wealthy tourist destination , as it requires a lot of expenses to travel there . entailment +Right now , coming into Big Rock well for water is a pinto that has killed three other stallions including a black I imported back in ' 60 and two of them were larger , heavier animals than he . A pinto has murdered a number of other horses . entailment +I will reconstruct for you as far as possible . I will make a reconstruction for you that goes as far as possible . entailment +When Kedah and Perak sought British help against Thailand , the British sided with the Thais to quell revolts anything for a quiet life . The British accepted Kedah and Perak 's please for helping , and together they defeated the Thais . contradictory +So I stayed flat on my back , breathing heavily with someone else 's heart . I stood up and wanted to get moving . contradictory +we still look pretty good don 't we We still look pretty bad , eh ? contradictory +That same year , it was investigated by the government on bribery charges related to F-16 sales , and fined $ 25 million for bribing an Egyptian minister to help arrange a $ 79 million sale of three transport planes . That year it was not investigated on bribery charges and was not fined 25 million for bribing an Egyptian minister . contradictory +This proserous city has many museums , including a well-endowed Musee des Beaux-Arts ( Square Verdrel ) , with works by Vel ? ¡ zquez , Caravaggio , Perugino , Veronese , and Rubens . The city is depressed with a lack of any true character to the city , such as museums . contradictory +limitation of legal services to rights under the H-2A contract ever suggested that representation could last only as long as the H-2A worker remained in the United States . Legal representation could extend to neighboring countries like Mexico and Canada if special clauses are signed in the contract . neutral +I will make a father confessor of you . You shall be a priest that can take confessions . entailment +Guided tours are well organized and include a boat trip on the lake . The guided tours are professional and include a relaxing lake tour . neutral +and but uh you know we don 't even have vehicles that will do that they they have to get uh a truck of sand and uh uh four or five laborers up there just spreading it by hand We 've got plenty of vehicles that can distribute sand on the road and all you need is the driver . contradictory +Bush has milked this protective anguish for months . Bush milked it for years to avoid paying taxes . contradictory +Since the Lake District is so popular for outdoor activities , it 's a good place to shop for outdoor clothing and equipment . Since the lake district has so many outdoor things , it 's a great place to find coats . entailment +FEMA officials could be heard last week bemoaning the fact that people just keep moving back into the flood plains from which only a few years earlier they had been rescued , even as developers destroy more of the watershed that offered some natural protection . FEMA officials have complained about the fact that people are moving back into flood plains . entailment +FIXED VALUE SECURITIES - Securities that have a known maturity or redemption value at the time of issue . Fixed value securities have a set redemption value . entailment +new state that is so very very poor The new state may be poor from bad financial decisions . neutral +Its budget comes from lawyer contributions , grants and interest from lawyers ' trust accounts , For 2002 , the foundation awarded nearly $ 950,000 to 11 agencies ( see sidebar ) . The 11 agencies had funding from the foundation . entailment +yeah so you know who 's who produces those the US produces those and i think after the war no that we 're not going to see a bunch of the Arab nations buying Russian equipment because the Russian equipment has gotten blown out of the sky or off the ground Because Russian equipment has proved so effective , loads of Arab countries are clamoring to buy it . contradictory +and uh it it was like pulling teeth to go get him to to see it but uh oh boy he was uh uh he he gave the the the best response that i 've heard him give of this type of movie for Rain Man i mean he he certainly didn 't he only saw it one time and he didn 't go back for more but uh but he he said he enjoyed it and and He said that he enjoyed seeing Rain Man . entailment +Among the landmarks that you 'll pass is The Argyle ( 8358 Sunset Boulevard ) , a stately Art-Deco masterpiece built in 1931 . The Argyle is a fine example of the Art-Deco style . neutral +Toward the end of his life Sinatra also found himself in a charitable mood over an old rival , Marlon Brando . He died without a penny to give to anyone . contradictory +Head over ears . " Barely at all . contradictory +( 2 ) is made of a noncorrosive material , and ( 3 ) is easily cleaned ( fiberglass containers are ideal ) . The material can be a steel alloy from Denver . neutral +These omissions blur the characters and allow them to operate at the level of myth . The omissions make the characters seem blurred . entailment +There are confusing legal terms to learn , strict procedures to follow and volumes of case law that often need to be understood to prepare a case . The procedures can be found in various books and rules . neutral +The Commission conducted a rulemaking to consider the rules proposed in the Service 's petition , and after considering the comments of interested parties , implemented four of the proposed initiatives , albeit in revised form . The Commission decided to render the Service 's petition void . contradictory +As an example of all four phenomena , I refer you now to the complaint of K. , who is chagrined by the errant behavior of the U-Haul company . K 's complaints in relation to U-Haul 's upsetting behavior demonstrates all four phenomena at work . entailment +Shopping arcade , beauty salon , and golf course . Shopping arcade , beauty salon , and a golf course with complimentary caddy service . neutral +You assaulted one of our militia men yesterday , said the fat one , Emrold . A skinny man was assaulted . neutral +Even if she spoke Galaressen or Vex , I wouldn 't have paid attention . I wouldn 't have paid attention to her . entailment +Well , I guess it doesn 't matter now , anyway , said Julius . If they had acted sooner , Julius would have thought differently . neutral +With time , it would have been easy enough , but there was no time for trial and error . Time was about to run out and trial and error proved inefficient before . neutral +This body is so different to mine ... it sends different signals . This body is foreign to me and strange . entailment +An ' if that 's what 's th ' matter , I can pull out " I can 't help you with that problem at all . contradictory +Other information came from surveys of nonfederal hospitals about the sources , coverage limits , and costs and claims from leading insurers in each state and , for comparison , the same type of information from a nationwide company . The nationwide company employs over ten thousand workers . neutral +One of the realities of corporations , after all , is that they 're somewhat isolated from local concerns . Corporations are actively involved in all local concerns . contradictory +Those information collection requirements were previously approved under OMB The requirements on information collection have been approved three times already . neutral +Tenth month : Reproved by matron for visiting the pictures in company with one of the patients , namely : the aforementioned Lieutenant Thomas Beresford . In the tenth month , I was reprimanded by a matron for attending a movie with one of the patients . entailment +Participants believed that the board has a responsibility to educate itself through the use of external advisors or other means and not rely solely on information provided by management . Participants thought the board had a responsibility to be educated through internal advisors . contradictory +Eligibility for services is determined on a case-by-case basis pursuant to grantee eligibility criteria established under parameters set forth in LSC regulations . Anyone or entity that applies is automatically eligible . contradictory +It states that the proposed rule does not conflict or overlap with existing requirements , but rather tailors them for specific purposes . Is states that the proposed rule will tailor existing requirements for specific purposes . entailment +You 're on your own if you want this one back . If you want this back , I will still help you . contradictory +Southeast of Puerta del Sol is Plaza Santa Ana and the Huertas district , both of which are chock full of restaurants , tascas and tapas bars , theaters , and live music and flamenco clubs . Both the Plaza Santa Ana and the Huertas district are full of culture . entailment +Real crime , you 'd know at once . " Real crime is easy to tell . neutral +In addition , it provides case studies , lessons from experts , and a forum allowing users to share information or to ask questions . There is a forum where users can give feedback and make inquiries . entailment +I thought I was dead , said Adrin when he and Jon fell back to back , each with pistols in hand . Adrin had nothing in his hands . contradictory +Another feature of this generation 's passage through American culture--shared by liberals and conservatives , cynics and true believers , Clinton , Gingrich , Steven Spielberg , and Dowd herself--is a misty sense of some better , earlier time before they came along and screwed everything up . Liberals , conservatives , cynics and true believers shared the same feature . entailment +where i can send telegrams to any TI site and they 've also hooked up to some company to allow us to do E-mail and allow it to convert it The company charges us to work with e-mail . neutral +To keep the support of the nobles ' armies , the kings had to give the nobles more and more land . The nobles threatened the King with war if he did not give them what they wanted . neutral +I had buried a pit where I hid my guns and blades . I kept my weapons out in the open . contradictory +He was finally buried in the Church of St. Francis , the only Portuguese building still standing here . He was buried in a cemetery away from any buildings . contradictory +Waterford , Cavan , Galway , Tipperary , and Tyrone Crystal is sold everywhere , and prices do not vary . The prices for them are the same no matter where you go . entailment +This is the place to buy souvenirs of all the imitation food you 've seen in restaurant windows , together with Japanese-style plates , bowls , glasses , sake sets , lacquerware , giant paper lanterns , and a million other things you never expected to see for sale . Popular Japanese souvenirs include tableware and lanterns . entailment +, but they are reliable entertainers . But they are the most reliable entertainers in the country . neutral +Was there a great apparel shortage during Christmas 1996 ? They inquired about the 1996 fashion industry . entailment +So you can go right ahead and tell us the whole story . Start the story from the beginning . neutral +To give you a flavor of the impact of this updating effort , which allowed the Commission to use more recent information than was in the Service 's initial package , let 's look at a few of the The service 's initial package has the most up-to-date information . contradictory +But after-the-fact anonymous leaks are corrupting . both after-the-fact and before-the-fact anonymous leaks are corrupting . neutral +As figure 2.3 shows , Japan 's gross national saving as a share of GDP has consistently ranked the highest among the G-7 countries . Japan is saving a lot compared to the amount it produces . neutral +Nominating committees need to identify competent individuals who possess an independent spirit which allows board members to raise difficult questions and probe issues related Nominating committees have recently been identifying incompetent individuals . neutral +The decline of the Korean economy would cause more bankruptcies , increase investors ' efforts to get out of won assets into other currencies , and force the won down further . The Korean economy is better now , but its decline has caused bankruptcies in the past . neutral +The settlement of Ano Hersenissos , just inland from the resort , holds a weekly Greek evening in the village square . Ano Hersenissos had been founded four centuries ago by simple farmers . neutral +He could do nothing , and their demands were impossible . Their demands were more than we expected . neutral +'Oh my , ' someone muttered . No one spoke . contradictory +It was because the charismatic in music is genuinely awe-inspiring , and to watch the violist trek across Schnittke 's barbarous Russian landscape was like watching humanity and inhumanity in ferocious battle , waging every grand and noble struggle that we associate with the 19 th -century violin concertos , except without any of the reassuring triumphalism that , among 19 th -century composers , was indistinguishable from a finale . Music is always awe-inspiring . neutral +Ca 'daan bowed to the man . Ca 'daan stood before the man , refusing to bow and confer respect . contradictory +As a boy I ran water to his forge . The boy ran water to the forge . entailment +yeah but no but see the thing when Panama was uh the that uh Noriega was uh Panama was a certain way . entailment +So I suppose your mistake is not completely without virtue . Although you made a mistake it was still slightly honorable . entailment +and satin you know and made them as wedding gifts and stuff like that so I made the out of satin for wedding gifts . entailment +i mean i heard of it before but i never i never seen it I always saw it . contradictory +A beautiful Belle Epoque hotel that 's slightly less formal than the smaller Ritz , but every bit as stylish and elegant . Neither hotel is stylish or elegant . contradictory +A similarly pragmatic spirit beckons on the conservative side . Pragmatic spirits never beckon on the conservative side . contradictory +i think the team coming up is the Raiders I think the Denver Broncos are the next big team . contradictory +Yet another health cover from Newsweek : The Scary Spread of Asthma . Newsweek 's new health cover : The Asthma pandemic . entailment +of course what what if if i say this is a good value someone else is gonna stand up and say oh no and the ACLU 's gonna get after them and have a lawsuit which is gonna take twenty years to resolve you know I know if I stand up and say that , everyone will agree with me . contradictory +Jon looked to Thorn and saw recognition in the big man 's dark eyes . Jon didn 't gain any recognition from Thorn . contradictory +Adrin ate like a bear on a fresh kill . Adrin had not eaten all day . neutral +The 17th-century bronze statue of a wild boar known as il Porcellino , on the south side of the small Mercato Nuovo , is every Florentine child 's favorite . The wild boar statue il Porcellino frightens the local children . contradictory +4 SECTION 1 . SHORT TITLE The first section . entailment +Bush himself couldn 't utter these words with a straight face . Bush couldn 't say it with a straight face . entailment +In the middle of the square is the Queen Victoria Jubilee Fountain , flanked by a mouse-deer recalling the legendary little beast that inspired Prince Parameswara to make Melaka his capital . Melaka was never the capital . contradictory +Little by little the magic of the night began to gain a hold on them . The magic is the lure of the vampires . neutral +Cody Shearer is a man with many connections , able to convince Bosnian Serbs , Cheyennes and , unintentionally , Washington Clinton-haters that he is a player , a person who makes things happen . Cody Shearer uses his charm and wit to pass business deals and sway people to his preferences . neutral +But that is not the important test of a book . The plot of a book is really the most important test . neutral +yeah that was a good thing to look out for You don 't know how to read , do you ? contradictory +well it 's been interesting talking to you I look forward to talking in the future . neutral +I would be interested in knowing more of what you make of this last chapter , and his position . I 'm curious to know your stance on this last part of the book . entailment +David Talbot has had inspiring things to say about journalists and the truth . David Talbot has said inspiring things about journalists . entailment +You don 't have to be a mountaineer to climb the rock It is easy for someone that isn 't a mountaineer to climb the rock . neutral +She bought out Wladeczek 's farm , when he went back to cabbage and rapeseed , ' Jareczek from Czyszniów said , washing down a bite of dried sea horse with a gulp of mhiskey . Jareczek was eating cabbage and rapeseed . contradictory +There isn 't a lady in the room . There is a man in the room . contradictory +Impersonators render uncanny performances of the Four Tops and Elvis , as well as modern stars like Michael Jackson and Tina Turner . The performances are impersonations of all sorts of stars including today 's biggest singers . neutral +you know you go in there with a wrench and you know oh golly it 's not a metric it 's a standard All wrenches work no matter the system they 're in . contradictory +National saving-the portion of a nation 's current income not consumed-is the sum of saving by households , businesses , and all levels of government . National saving is the percentage of income the whole country saves . neutral +Performance Venues . Performance Areas entailment +'Is that a trick question , sir ? ' Daniel smiled wryly . Daniel didn 't say a word . contradictory +For Clinton , the challenge of dominance is to act more responsibly and less politically . Clinton does not need to act more responcible . contradictory +co-requesters as to the original requester ( see Commitment to Congressional Requesters ) . There are no co-requesters , just the original one . contradictory +I 'M NOT DEAD . I have been dead in the past , but now I am not . neutral +have got uh things set up so where you can bring in your uh plastic and your cans and newspapers and then they 've just got different barrels sitting out i shouldn 't say barrels like big John Doors or whatever they 're called Gondolas um they 've got them set outside and The barrels set outside are large enough to hold an adult man . neutral +i 'm i 'm curious what you use your uh home computer for I want to know how you use the computer at work . contradictory +and then he didn 't have a wife and i felt bad but well i 'm sorry and he goes we 're divorced well i 'm sorry it was real sad but he was pretty nice and stuff and then him and my husband started talking salary I felt good when he told me that his wife divorced him . contradictory +This is the business bill / payment mail ( i.e. This is how you pay online . contradictory +The earliest rulers held court here . Since then , the system has modernized and a separate court system has been created . neutral +Unlikely as it seems now , at one time these sugar islands were close to center stage as the great powers of Europe warred fiercely for world commercial domination . The sugar islands were close to center stage because they were so great for trade . neutral +The qualifications for the award were based upon demonstrated dedication to the innovative development and delivery of legal services to the poor in one of the 14 pro bono districts of Indiana . Demonstrated dedication was not a qualification the award was based on . contradictory +uh well especially the first one because i wound up buying a lot of reprints for handouts and i ate up all my profits with uh Reprints are the reason that I wasn 't able to make any money . neutral +The Left Bank has its share of monuments and museums , and Les Jardins du Luxembourg remain an evergreen favorite . Les Jardins du Luxembourg are a favorite among the monuments and museums of the Left Bank . entailment +wife beaters--are booed . People who beat their wives are degraded by an audience . neutral +Unobtrusive Measures in Organizational A Reminder . No inflicting organizational reminders . entailment +yes of course it also happened to us in Sidney Australia this Summer uh or last Summer we got a cab and again it was an oriental person and we asked him to take us to the opera house and he did not know what we were talking about It has also happened to us in Auckland , New Zealand . neutral +Exactly , said John , with rather unnecessary abruptness . John knew , that the other party was correct . neutral +Jeanne A. Butterfield , executive director of AILA , says it hasn 't tried to organize pro bono lawyers for those detained Those detained received organized pro bono lawyers . contradictory +You can visit Srirangapatnam and Somnathpur ( page 175 ) on the way . On your way you can stop and see Srirangapatnam and Somnathpur . entailment +This is conservatively high since there are some significant synergies possible when there are multiple units on site . This is a conservative number . entailment +Such occasional overreaching aside , Applebome 's is a shrewd , fair , and entertaining guide to the region . Applebome 's is one of the best regional guides available on the market . neutral +But I did , my friend . My friend , but i did . entailment +Ryan 's ( Parkgate Street ) is a beautiful Victorian pub , and Toner 's ( Baggot Street Lower ) is an old , authentic Dublin pub . Toner 's pub is located in Baggot Street Lower . entailment +Under pressure from the poorer classes , who did not want the Revolution appropriated for the exclusive benefit of the bourgeoisie , the Jacobin-led revolutionary committee ordered sweeping measures of economic and social reform , which were accompanied by a wave of mass executions , the Terror , aimed at moderates as well as aristocrats . The committee was warm and friendly as well as easy going . contradictory +I put two golden fish on a side table . I put the golden fish in the fish tank . contradictory +yeah you might generate some interest in it but that 's a that 's a good idea other than that i 'm not sure what what individuals can do other than like i said get involved through a group or an organization Your suggestion isn 't a good idea at all . contradictory +The anonymous note received by him was produced , and handed to 150 the jury to examine . The note he received was from an anonymous source . entailment +that 's the way to do it That method is correct . entailment +None of this means that Gillette and Campbell 's are not pushed by their competition , since all the evidence suggests that they are constantly looking for competitive advantages . Gillette and Campbell 's are one and the same company . contradictory +In 2001 , final reconfiguration of the LSC-funded delivery system will be completed , leaving three programs--Prairie State Legal Services , Land of Lincoln Legal Assistance Foundation , and the Legal Assistance Foundation of Metropolitan Chicago . The LSC-funded delivery system will be completed in 2001 . entailment +Favorite sons of Besancon include Victor Hugo , 19th-century thinker Pierre-Joseph Proudhon , and Auguste and Louis Lumiyre , inventors of cinematography . Pierre-Joseph Proudhon was born in 1880 . neutral +Winters are milder and sunnier on the Pacific coast , permitting a welcome double crop of the all-important staple rice . Rice is an important staple . entailment +Proving The Bell Curve ' s thesis would require proving that success increasingly correlates with IQ in areas of life where mental tests are not the explicit gatekeepers . Mental tasks include moving objects around a table . neutral +If it could , the auditors should extend the audit steps and procedures , as necessary , ( 1 ) to determine if the abuse occurred and ( 2 ) if so , to determine its effect on the audit results . The auditors should extend the audit steps . entailment +You 'll find Hong Kong easy to get around , the people helpful , English spoken everywhere , and food that lives up to its reputation . Hong Kong is very easy to navigate because the subway is great . neutral +Here again , Artaud 's ferocity , anguish , and hallucinatory paranoia are matched and joined by his intelligence and paradoxical control . Artaud was paranoid . entailment +Fancy you a menial . You prefer a mundane job . entailment +no she was she 's actually um i think it 's um for her not not really relevant because she was she 's second generation American actually She 's a second generation American living in the United Kingdom . neutral +and uh boys i guess as i get older that 'll get more and more appetizing That 'll never appeal to me . contradictory +and i 've enjoyed that watching how well i can can walk up and down stairs I enjoyed going up and down the stairs for extra exercise . neutral +This served to reinforce the message that high levels of improper payments are unacceptable in the United Kingdom . Having a lot of improper payments is acceptable in the UK . contradictory +Fifty-one parties filed comments and 34 parties filed replies in response to comments . No one replied to the 51 comments . contradictory +The other received limited funding , and ultimately was provided a very short grant . The other got limited funding in the form of a grant . entailment +yeah well it 'd take me a good seven hours to get to Shay Stadium The person says that it would take them seven hours to get to Shay Stadium . entailment +Back down by the Seine , but heading east , stroll past the Jussieu University complex that stands on the site of the Halles aux Vins ( wine market ) . The Jussieu University complex is ten miles away from the Halles aux Vins . contradictory +This specification also includes a broader geographic scope than the original study ( 63 cities versus 50 ) . The new study focused on a larger number of smaller cities than the original . neutral +yeah yeah yeah see mine are up and bloomed already I don 't have any flowers this year . contradictory +right right well i bet you i bet i mean if it 's in good condition and stuff you could probably get a pretty good blue book price A lot of people would probably buy a car in good condition for a good price . neutral +Nothing seemed quite as it should be . It has been a long time since it has seemed quite as it should be . neutral +The early shadow of the colossal statue covered the village completely . The statue was so small that you needed a microscope to see its shadow . contradictory +If I can learn from other bidders , then they can learn from me--which is the second reason I might want to deviate from a simplistic bid and wait strategy . A bid and wait strategy is the only way to earn money on the marketplace . contradictory +He tells me that I need to double up on his gift . The gift I gave him was small . neutral +These streaming applications swallow enormous chunks of bandwidth for long periods of time , eliminating one of the Net 's chief economies . These applications eliminate one of the Net 's chief economies by swallowing huge swaths of bandwidth . entailment +When did you first suspect John Cavendish ? I asked , after a minute or two . I asked immediately when John Cavendish had been first suspected . contradictory +This is a spirit feminism lacks , which is why it has allowed women 's interests as a class to trump the common interest in privacy . Because most feminists are poorly educated , they don 't see the need for common privacy neutral +In fact , the immediate result of the trials was to widen the breach between Haywood ( who became increasingly radical ) and his more cautious WFM associates ( who wound up pulling back from the revolutionary IWW ) . The breach between Haywood and his WFM associates was closed by the trial . contradictory +Thank you all very much . Everyone of you deserves thanks . entailment +The movie reeks of film-student overkill ( Susan Wloszczyna , USA Today ) . It would only be allowed to ooz [ e ] out of Miramax 's storeroom in the otherwise fallow month of January , says the Village Voice ' s Amy [ I ] ts devices are too shopworn to allow for a personal or original point of view . The movie has been widely praised by critics . contradictory +we left here uh we left here it was shorts weather in uh on Easter and When we left it was shorts weather on Easter , but it got much colder quickly . neutral +And there are important differences in chemistry of life due to the basic differences in soils . The differences in soils cause the differences . entailment +Some trace their ancestry to the influence of Spain . Some people can follow their ancestry back to Spain . entailment +How did the team do last night ? Don 't tell me about the team . contradictory +Well , try this . Don 't try this . contradictory +GASB 's mission is to establish and improve standards of state and local governmental accounting and financial reporting that will result in useful information for users of financial reports and guide and educate the public , issuers , auditors and users of reports . The GASB cannot work with state and local governments . contradictory +Critics line up on opposing sides . The critics form two opposing lines . entailment +You 've been hiring Rebs again ! " Once before Drew had seen explosive anger curbed visibly by a man who knew the folly of losing control over his emotions . Drew has seen many angry men . entailment +yeah after about eighteen months of talking about the year and a half training you know it 's it 's something you know i think that 's why you know children really need to The training only lasted one hour . contradictory +maybe a pilot or somebody at jeopardy and uh i don 't know i I know exactly who it was . contradictory +In Among Giants , another English romance in which freedom and security play footsie , the rover is a an Australian climbah named Gerry ( Rachel Griffiths ) who joins up with a cowboylike crew of daredevil painters led by Pete Postlethwaite 's Ray--they have 15 miles of mammoth electric towers to coat in a mere three months . The crew of painters is given more than a year to paint the electric towers . contradictory +i was reading an article in the paper the other morning these doctors are baffled about this eighty seven year old man who eats thirty boiled eggs a day I was reading in the paper about how doctors are confused and intrigued by this old man who eats 30 boiled eggs a day . entailment +i 've thought about taking a course just so i could change my own oil but and that would help a little bit but i haven 't done it I 've considered taking a course to learn how to change oil . entailment +A Salon reporter told Bauer , A lot of us have heard this rumor . The rumor is widespread , according to a Salon reporter . entailment +( The White House so far is adamant that Clinton is sticking to his denial . ) Clinton is going to jump off a bridge according to the White House . contradictory +Alas , the president has not made this case . He did make this case . contradictory +She agrees with me that one must set an example of economy . Someone should show therm how its done . neutral +Such systems might allow lower rates for qualifying mail , while pieces that would not qualify might be rejected or required to pay a surcharge based on costs . The system will not help people that do not have qualifying mail get lower rates . neutral +The story of a white missionary family in the Congo , the novel is praised for its attention to detail , female voices , and critical take on colonialism . The novel is about a white missionary family in the Congo , and has been appreciated . entailment +oh sure he goes ho me and gets his gun out and comes back and shoot them there was a uh uh just recently here in Dallas i 'm i 'm trying to reconstruct it somebody jumped in front of somebody in line in front of a seven eleven and they got mad and they had a little argument over it so this one guy goes home and he is sitting talking to his his uh There was not a gun pulled at seven eleven and nobody was mad . contradictory +Reed says the San Antonio center fields calls on a number of legal problems . There are calls about a lot of legal problems to the center . entailment +we 're it 's real important to us to spend time together I don 't care if I spend time with you contradictory +Further information on the public availability of the documents and data that form GAO 's workpapers can be found in 4 C.F.R. More information on the GAO 's workpapers is easily accessible . neutral +From that it developed in great detail the fact that any part of a whole bearing similarity to the whole was also the whole ; that each seven was the class of all sevens ; and other details of the science of magical similarity followed quite logically from the single axiom . A whole isn 't equal to a part . contradictory +and uh so but we don 't the Saint Augustine and all that supposedly was back there just wasn 't like i say there really wasn 't even one blade of grass in the backyard The yard had plush green grass growing . contradictory +The foundations were set for near-universal state employment . Near-universal state employment is not set to happen . contradictory +There is a lady below , asking for Mr Hastings . Mr Hastings doesn 't want to see the woman . neutral +so it 's it 's more like living with a big in a big house where it 's your turn to to set the table like you 're saying or whatever instead of being waited on hand and foot all the time yeah that would be nice Is living in a big house your goal ? neutral +However , CO2 has never been regulated as a pollutant under the Clean Air Act and does not pose any direct threat to human health unlike NOx , SO2 and mercury . NOx poses a significantly stronger risk to human health than SO2 neutral +Just do it . Simply do it . entailment +In Sections 165 and 169 , the Act places particular value on protecting visibility in 156 national parks and wilderness areas ( e.g. This act does not protect visibility in any particular parks . contradictory +" Well , there won 't be any huntin ' of that kind , León . There 'll be a bit of that hunting today . contradictory +I was suspicious still , and lay quite quiet for some time . I lay silent for a bit and was still cautious , even though I was alone . neutral +At any time at least one of the white ships is loading or unloading cars , cargo , or passengers , so there 's always plenty of maritime action for you to savour at leisure . There is no maritime action happening there . contradictory +yeah did you really oh i see okay we don 't start anything indoors we just wait until you know the weather warm enough to stick it in the ground We don 't do anything in the house , we wait until the weather is warm enough to stick it in the ground . entailment +Mary 's later dropped out . ) Mary 's stuck with it for it 's entire life . contradictory +tight confidence interval around the best estimate of the mean concentration-response relationship . Tight confidence interval around the best estimate of the mean . entailment +For example , the position of one state government CIO that we interviewed was based on a specific statute establishing the CIO at the cabinet level and assigning clear-cut responsibilities for funding and overseeing IT operations statewide . State statutes lead to cabinet level appointments . neutral +King James I of Aragon authorized the occupation of the islands under forces commanded by Guillermo de Montgri , a solid Catalonian citizen with titular ecclesiastical rank . Guillermo de Montgri was a Catalonian citizen with titular ecclesiastical rank who occupied islands . entailment +The most beautiful you will meet during the next convention . The ugliest thing you will meet during the next convention . contradictory +For the romantics , the township names of Port Dickson and Melaka ( formerly Malacca ) on the West Coast evoke stories of the glorious past of sailing ships and Chinese junks carrying spices , silks , and gold , of cutlasses , noble men , and beautiful princesses . Chinese junks are one of the biggest types of boat in the world . neutral +I 'm a friend of Jon 's . I have never met Jon . contradictory +Without public scrutiny and review of the terms of a given rate or service agreement between the Postal Service and a customer , there could be no assurance that these substantive criteria would be satisfied . Without public scrutiny , there could be no assurance that these substantive criteria would be satisfied . entailment +Wordsworth loved the place and wrote some of his most memorable poetry while living here . Wordsworth was very fond of the place and much of his most notable poems were composed during the time that he resided here . entailment +The light-skinned Sai Routha drew his two swords with practiced ease . Sai Routha drew his swords easily and started fighting his opponent . neutral +I have found another to aid us . I haven 't been able to find help . contradictory +Regular Sunday reviewers , on the model of Cyril Connolly , the longtime critic for the Sunday Times , become trusted guides . People that provide regular reviews can gain credibility . entailment +oh and it gets those nice warm breezes coming in that 's nice It 's nice to have a warm breeze coming in . entailment +that 's tremendous That 's fantastic and just what I was expecting ! neutral +The Foundation anticipates that this approach to evaluations will help maintain the productive pace of the past years ' planning and emphasize the importance of joint endeavors . Since it was proven to work well , the Foundation anticipates that it would be best if the same approach is kept . neutral +no gumbo uh-huh right uh-huh you can even make it with chicken or you can make it with seafood You can only make it by itself . contradictory +Clive 's example in Calcutta set the pattern for territorial control around the country . Territorial control around the country followed the example set by Clive . entailment +The next major settlement , heading westwards , is Ribeira Brava ( if in a hurry , it can be reached in just 15 minutes on the via r ? ¡ pida highway from Funchal ) . Ribeira Brave is the next big settlement to the west . entailment +The intent of these changes was to put key operational decisions in the hands of the managers who were closest to the point of customer service . The changes succeeded in moving the keys . neutral +'I may be wearing this skin , but you 're the real Benjamin Franklin . You are the true Franklin , no matter how I am dressed . neutral +Every village and town has at least one Public House , or pub , where alcoholic drinks are served to adults ( the drinking age is 18 ) . Every city has at least one place to get alcoholic drinks if you are above 18 . entailment +The people are a distinct they have a unique , ancient heritage and a passionate folklore all their own . There are no people who live here who are more than the 2nd generation to do so . contradictory +The fine Romanesque cloister was moved here from a nearby convent that suffered damage in the Civil War . The communists had attempted to destroy the convent during the Civil War . neutral +if you know if it was Cuba If it was Cuba the one that got robbed neutral +Mintz means to start an argument , to lay out a polemic , but what 's nettlesome is not his answer but the question . Mintz was misunderstood and ended up being friendly . neutral +Coetzee 's Waiting for the Barbarians ( Patrick McGrath , New York Times Book Review ) . High praise also for Kadare , a perennial nominee for the Nobel Prize . Kadare has never done anything noteworthy . contradictory +On the endogenous dimension , postal density could in principle be tuned by the postal operator by adjusting quality of service . More mail would be able to be distributed if there was a higher level of service . neutral +Total organochlorine pesticides plus PCBs should be less than 50 ng / L ( APHA , 1992 ) . The cumulative pesticides and PCBS needs to be less than 50 ng / L. entailment +they 're supposed to have all these laws passed where people aren 't supposed to hire illegal aliens and all this and whether that 's working or not i don 't know because i don 't hear anymore about it Those laws to keep people from hiring illegal immigrants are supposed to keep them safe but I don 't know much about that . neutral +yeah boy and you couldn 't get them over hear for He was not good at wrangling cattle . neutral +What have you , my friend , he cried , " that you remain there like , how do you say it ? , ah , yes , the stuck pig ? " I explained that I was afraid of obliterating any foot-marks . I didn 't say anything when he asked me that question . contradictory +We go to the fights and a hockey game breaks out . And when we hear of a hockey game breaking out , we are happy that never happens to us . contradictory +Becker , Beijing bureau chief for the South China Morning Post , describes in gory detail how Mao Tse-tung 's industrialization program , the Great Leap Forward of 1958 , created a devastating famine--30 million dead , more than the combined tolls of Hitler and Stalin . According to Becker , Mao Tse-tung has created a terrible famine and this is one of the reasons why he was a bad governor . neutral +I can shoot just as well through my coat pocket . I do not need to pull out my gun to shoot . entailment +yeah it was it was not a bad movie It was a good movie . entailment +A prospector he had grub-staked , found the Oro Cruz , one of the richest mines in the Tubacca hills . A prospector found the Oro Cruz , the richest mines in the Tubacca hills . entailment +That we can change things-' Working together we can change the way society sees us . neutral +But , if you 'll excuse me , sir , why couldn 't you say all this at the inquest ? Why did you not mention this at the inquest sir ? entailment +like they 'll have uh they 'll have broccoli and they 'll have squash and cauliflower all on the same day They have broccoli , squash and cauliflower . entailment +Beats me . I cannot make head or tail of it . neutral +The omission of long-term impacts accounts for approximately 40 percent reduction in the estimate of avoided premature mortality in the Alternative Estimate relative to the Base Estimate . They included the long-term impacts . contradictory +There is no good way to measure the gap between women 's earnings and their productivity , but it is reasonable to say that their earnings have risen pretty much in line with their productivity . We have several accurate ways of assessing how closely women 's earnings reflect their productivity . contradictory +Each of the men wore leather armor and dressed in the style of heavy riders . The men wore leather for fashionable reasons . neutral +Thank you . ' That was nice of you , we appreciate it . neutral +Pesticide concentrations should not exceed USEPA 's National Ambient Water Quality chronic criteria values where available . Surpassing the USEPA 's values will result in heavy fines . neutral +There is a certain notoriety given to these cases . These cases can be famous . entailment +The rapid increase in attention-deficit disorder is a striking example of diagnosis creep . Diagnosis creep has resulted in many more people being labeled with attention-deficit disorder . entailment +uh you know Communism would feed them all Communism would starve them to their deaths contradictory +Government Management Reform Act of 1994 ( Public Law 103-356 ) a This legislation expands the requirement for a fully audited financial statement under the CFO Act to 24 agencies and components of federal entities designated by the Office of Management and Budget . The Government Management Reform Act has not been passed yet . contradictory +Ocho Rios began in the 1960s when the site of a fishing village was systematically developed with the express aim of turning it into a resort . The resort named Ocho Rios started in a fishing village in the 1960s . entailment +i 'm surprised you didn 't just pack up and go home i tell I would have stayed too . contradictory +Two French pirate ships first ravaged the village in 1528 . The village was never penetrated by pirates . contradictory +Immigrant shopkeepers and boomer entrepreneurs needed to let passers-by know they were ready for business . Recent settlers had to inform bystanders that they were open . entailment +Adrin forgot about his impacted brill and thought instead of the leather cloak in his shed . Adrin thought about using the drill . contradictory +IRS has important management reform initiatives underway to address long-standing management weaknesses , but it missed the opportunity to demonstrate these actions in its portion of the Department of the Treasury 's fiscal year 2000 performance plan . The IRS focuses namely on fixing management problems . neutral +for the family our family because we 'd like to be able to take care of our medical needs and not be thinking so much about whether or not you can afford it We don 't think of our medical needs or money issues . contradictory +The methodological meaning is important in understanding what differentiates a case study from a noncase study and a good case study from a not-so-good case study . A two day course taught the difference between good and bad cases and a case versus a non-case . neutral +Economic theory tells us that when everyone is polluting a communal stream , everyone can benefit from enforced moderation . They did not care and took what they wanted . contradictory +uh i like the comfort you know and and the mileage we get is depending on if it 's tuned up or not we get between eighteen and twenty two miles to the gallon uh The car is not comfortable at all , they should pad their seats . contradictory +Budgetary flexibility would be drastically constrained , and little room would be left for such spending on programs for national defense , the young , infrastructure , and law enforcement . Budgetary flexibility would be completely set free . contradictory +Instructions for the preparation of hypersaline brine by concentrating natural seawater are provided below . You can prepare hypersaline brine by using natural water that is concentrated . entailment +This rule amends existing rules and forms for domestic and foreign issuers to clarify and expand disclosure requirements for market risk sensitive instruments . This rule is mean to simplify the process of disclosure requirements . neutral +I will give you a toast . I shall toast you and your family . neutral +By contrast , neither the NYT nor the LAT get to it until the inside . By contrast , neither the NYT nor the LAT get to it until the inside because they are trying to hide the truth . neutral +It was approved by OMB on January 23 , 1998 . OMB gave approval on January 23 , 1998 . entailment +In many ways the city has never recovered from Hideyoshi 's subsequent decision to move the national capital from Kyoto to Edo ( now Tokyo ) in the early 1600s a blow compounded by the young Emperor Meiji shifting the imperial household to Tokyo in 1868 . The capital moved from Tokyo to Edo . contradictory +Without a systematic measurement of the extent of the problem , agency management cannot determine ( 1 ) if the problem is significant enough to require corrective action , ( 2 ) how much to costeffectively invest in internal control systems to correct the problem , or Agency management has all the information it needs to make a decision on the situation . contradictory +Contracts should specify how problems are to be identified and reported . The contract should also specify payment details . neutral +An agency official has advised that HUD will subsequently issue final regulations . HUD will not issue anymore regulations from now on according to an official . contradictory +oh well you 're doing you 're doing just fine and and uh actually i when i talk i usually like to ask a lot of questions i was wondering what you do at TI I like to ask a lot of questions when I have conversations . entailment +yeah like that Lionel something or another that black boy of they had a television program about him two hour movie Lionel was from Africa . neutral +Why do allergies afflict an increasing number of victims if they serve no useful purpose ? Why can 't we arrest the growing allergy epidemic ? neutral +This is the only time when the central part is filled with stalls . The central part is filled with stalls at all times . contradictory +and what that tells me is that the summer weather is very predictable that it doesn 't vary very much That shows me that the weather during the summer months is very stable . entailment +oh is it yeah i do well it depends on what mood you 're in too you know It 's bad no matter what mood you 're in . contradictory +that 's too simple That is just too easy . entailment +The whole area around Grasmere and Rydal Water is full of gentle walks in beautiful deciduous woodland . The area around Grasmere and Rydal Water is beautiful . entailment +Akhil Reed Amar made a disturbing comment in his dialogue with Alan Dershowitz on Truth and Crime . Akhil Reed Amar has had a conversation with Alan Dershowitz . entailment +The authors suggest that this type of intervention alone is insufficient for patients with more chronic and severe alcohol dependence . According to the authors , this type of intervention standing alone isn 't enough for patients with more chronic and severe alcohol dependence . entailment +A few streets away , the courthouse is another survivor of that era , with fine verandas and an impressive main staircase . The courthouse is a modern day building . contradictory +One of the goals of the Substance Abuse Interest Group of SAEM was to authorize a substance abuse category for abstracts and sessions at the annual meeting . There was only one goal set during the meeting . contradictory +Until the implementation of the State Planning Initiative , determining service areas in a given state was more a product of geographic and historical happenstance than a reasoned judgment about the precise configuration that would yield the best legal services system for the greatest number of clients . The State Planning Initiative exclusively determined service areas on the basis of geographical location . contradictory +But the golden glow of the temples ' Doric columns and the idyllic setting amid acadia and almond trees on a precipice overlooking the Mediterranean are enough to encourage you to worship a whole pantheon of Greek gods . Many regard the temples as being dull , gray , and unappealing to the eye . contradictory +Its Museo Civico houses works by Tintoretto , Veronese , Hans Memling , and Van Dyck . There are no Van Dyck works in the Museo Civico . contradictory +i i just i just think the one thing they do so strongly about is what your saying that i don 't think kids have a sense of civic responsibility I would like to help kids learn about civic responsibility . neutral +She said that the reductions reflect a decline in the number of persons in the state who are living in poverty , according to the U.S. Persons living in poverty has declined according to the reductions . entailment +In general , if that emission level is exceeded in 2018 or later , the trading program , which reflects the back-stop trading program already developed by the WRAP and is modeled after the new nationwide sulfur dioxide trading program , will require a separate set of allowances for affected EGUs in the WRAP State to be held covering emissions starting the third year after the level is exceeded . If that emission level is exceeded in 2018 or later , it will require a separate set of allowances . entailment +He expanded the empire as far down as Mysore and stunned the western world by asking King Antiochus for Greek wine , figs , and a sophist . His empire did not reach quite so far as Mysore . contradictory +wasn 't that fabulous and and Driving Miss Daisy Miss Daisy was driven by someone familiar she knows . neutral +well yeah i i i know everybody in our neighborhood has has those bushes and uh Those bushes have been popular for decades . neutral +La Scala theatre opens in Milan The theater could have opened elsewhere . neutral +we 're in uh as i said a small town in Indiana and it 's a WASP community with a student body of five hundred in the high school so the setting is very different than it would be in The town only has the one high school . neutral +Therefore , the cost of the candidate mail becomes 16 . In that case , the cost of the candidate mail becomes 2500 . contradictory +Jaye explained how much of the renovation had been merely uncovering what was already there . There was nothing to uncover and Jaye explained this to us . contradictory +You choose from thousands of distinct topics and companies , and have relevant articles from over 630 sources delivered to you by e-mail , or to a personalized Web page . You had a lot of decisions to make . neutral +Perhaps I have , and perhaps I haven 't , he remarked dryly . I have indeed been there before , he said . contradictory +rather than uh you know the sort of super woman success in the business world as well they would somehow be perceived as a failure in their own eyes or in others and and then you see then it 's not a choice anymore They are too critical and hard on themselves . neutral +Beaches come in all sizes , from the tiny cove where you can spend the day alone , to wide sandy bays where you can be sure of the company of hundreds . Wide sandy beaches tend to have hundreds of people there . neutral +Our crack development team ( that is , our development team that is crack , not our team developing crack ) is hard at work on Slate Search 3.0 . Slate Search 3.0 has been scrapped . contradictory +However , a reminder of the historic reality of the Indian Mutiny at Lucknow is also ever-present . There are no longer any reminders of the mutiny . contradictory +There was something fitting about this . Something about this seemed like fate . neutral +Upon careful consideration of the language and purposes of the statute and the legislative history , the Commission has determined that none of these formulations fully responds to the purposes of the statute or the intent of Congress . The intent of Congress can also be shared with the Commission neutral +oh yeah it probably will it probabily won 't contradictory +Uncharacteristic , I might add . Unusual , I would say . entailment +yeah well i 'm i 'm in academics and actually i 'm in the job market now trying to get a professorship and i 'm watching uh the education budget getting cut back so severely um at least in California where i am where there 's a very severe budget crisis because of agriculture was wiped out last year and um a number of other things and uh The education budget in California just continues to climb . contradictory +Practical Hints Instructions contradictory +yeah i think i think a lot of people fail to realize but you know the government doesn 't generate money you know they may print it but that 's not really the way money is made it 's it 's made from people working and doing things that are productive and government 's the net cost Many people are not aware that the government does not generate money . entailment +and the shock on the system is is just too much so i have stuck to water aerobics basically you know the weightless thing and Its really just too much for my body to take . entailment +Perhaps more to the point , Cassidy has made it clear in earlier writing that he does not like mainstream economists , and he may have been overly eager to accept a story that puts them in a bad light . He would like nothing more than to disprove their theories and supplant them with one of his own . neutral +you know when they pull in there 's a snake instead of a fish and things like that that i 'm just I don 't like the snakes on the line . neutral +Moreover , understanding the net economic cost of the monopoly allows one to see how much universal service costs postal customers , at least under current institutional arrangements . The monopoly 's net economic cost under the present setup brings the cost of universal service down for customers . contradictory +Look carefully at the rock to find Muhammad 's footprint , and inspect the small tabernacle at its southern extremity , which holds several hairs from the Prophet 's beard . Muhammed took off his shoe when making the footprint . neutral +Precious stones add to the glitter . It is cast out of a single block of iron and has no decorations . contradictory +So punishing past corporate sins is not like fining everyone who was present when an accident occurred , but when it was reported , which seems both unfair and pointless . Punishing based on the report is fair even to those not involved in the accident . contradictory +um you know i 've gone to those classes uh unfortunately for me i 'm i 'm a smoker and um i i saw the statistics that came out on I am a smoker . entailment +you know i 'm having CNN withdrawal pains I am having CNN withdrawal . entailment +it was nice talking to you too and we 'll probably be talking to you again okay okay bye-bye We talked at length about the state of the world . neutral +Ah ! " He raised his hand to his cheek . He lifted his hand to his face . entailment +yeah yeah so that wasn 't too bad No , that was horrible , completely wrong . contradictory +The scout we killed said they came for vengeance . According to the scout we killed , they came for vengeance against the demons . neutral +See you got back in one piece , you two fightin ' wildcats , " Nye said , grinning at Drew and Anse . I see you 're back still intact , you two , said Nye . entailment +And there was plenty to praise : Praising was possible . entailment +We won 't be making extravagant claims for the Internet anymore , but will accept that it 's just a tool--sometimes extremely useful , sometimes not . We 've learned the hard way that the Internet isn 't everything we cracked it up to be . neutral +Fire had taken the noble 's quarters and his carriage to the ash of the sky . Their insurance did not cover the replacement costs . neutral +To characterize a lie as an economy of truth would be a Jesuitical formulation . One Jesuitical formulation would be that the omission of the truth would not be a lie . neutral +oh one of my instructors uh said that they were doing something like this and an instructor of mine told me that they were doing the same thing entailment +He didn 't know how deep the wound was but figured he 'd know soon one way or another . He wasn 't sure how deep of a wound it was but he would find out soon enough . entailment +so you feel good about it what kind of a system does he have does he have a power mower or a riding mower Riding powers are much more effected at mowing long patches of grass . neutral +The site got 6 million hits in a month . This month the site got 6 million hits . entailment +Greuze bit his upper-lip , considering . Greuze was definitely on to something , but couldn 't tell us what , the only sign that he was even thinking in that head of his being him biting his lip , considering the possibilities . neutral +Although no comments were filed that addressed the Initial Regulatory Flexibility Analysis , comments were received from 97 entities . Altogether , 206 entities sent the comments and all of them addressed Initial Regulatory Flexibility Analysis . contradictory +Moore is in dire shape after a series of strokes , says the publication . Moore had strokes because of his diabetes . neutral +They are less chic now , but their majestic sweep can still evoke former glories . They are just as chic now as before but their sweeps are now lacking in majesty . contradictory +i think they said forty one had been shot out of one church in the last year Forty one had be launched out of the church . entailment +It is understandably a favorite spot for wedding photos . There is usually a wedding photo shoot happening there . neutral +And the Coffin Fellowship Program provides money for attorneys who do domestic relations work . The program gives money to attorneys because tey can 't afford to help without a stipend . neutral +yeah i 'd i 'd love to have have some animals I would love to have animals . entailment +maintains the inhouse capabilities to perform the design reviewrelated Do Federal Agencies Face functions listed above . The design review process is a strenuous process . neutral +Both mags downplay his thuggishness . He is civilized . contradictory +it 's fine for my size yard but uh it really doesn 't have the power of a gas motor The motor on that thing is even stronger than a gas motor . contradictory +She did so . So she did . entailment +Never sleep on a strange planet , he told himself futilely . Never spend a night on a strange planet , he thought to himself . neutral +really that 's why i said you know when it when when their time is right when they 're ready for it you know that it will come about I don 't think it 'll ever happen , since they don 't really want it . contradictory +It has long been a military station for the dominant nation of the area , and was a major staging point for British and Commonwealth troops before the disastrous Gallipoli campaign of World War I. A cemetery for 900 of these gallant men can be found at Moudrosenear the harbor where they set forth to their fate . 900 men who fought in World War I can be found buried at a cemetery located at Moudrosenear . entailment +1 . Unrestricted Aliens They were not sensitive in the wording of their report . neutral +Without seriously disrupting the leisurely pace of your vacation , you can see the highlights of Saint-Martin in one day , breaking for a swim and a relaxed lunch . It takes a week to see the highlights of Saint-Martin . contradictory +Information Strategies for Policy Makers . Information and Strategies for Policy Makers neutral +What ? Why , the impertinent monstrosity . It was really very ugly . neutral +Since these factors apply to a number of government programs that collectively disburse billions of dollars , there is clearly a need for federal agencies to be ever more vigilant in the design , implementation , and maintenance of proper controls for safeguarding assets and preventing and detecting fraud and errors . There are a lot of federal agencies that get the funding . neutral +well unfortunately for us at least here in the United States we the only access we have to that of course is public television Unfortunately , the only access those in the United States have is through public television . entailment +The CSA focuses on the totality of Government operations rather than on individual programs , and shows the short- and long-term direction of current programs . The CSA focuses on individual programs exclusively . contradictory +A window was open to the night , and as Drew stretched out wearily , he could hear the distant tinkle of a guitar , perhaps from the Four Jacks . Drew could hear the sound of guitar through the open window . entailment +well you know i i think fireplaces are great but you know you really don 't have to have wood Fireplaces can only be made out of wood . contradictory +Cavalry saddle on the stud , two Colt pistols belted high and butt forward , and that military cord on his hat army boots , too . He had one colt pistol and one Smith and Wesson . contradictory +Our grantees now estimate that they currently turn away four out of every five low-income individuals who are seeking critical legal assistance . Four out of five low-income individuals seeking legal assistance are rejected by our grantees . entailment +You know , the champion kite-golfer from San Prego . The champion kite-golfer from San Prego , you know . entailment +uh besides that i i can 't imagine what kind of uh uh bureaucracies we 'd get into and expense having it be full time oh you 're going to go to this camp and you 're going to you know like um back in the Depression the CCC the the construction corps that went out and did things that was great it was needed it gave folks some jobs and we got some great public works out of it but I can 't imagine the expense we 'd face . entailment +Not quiz question Johnny . It is not a quiz question . entailment +Four centuries later , partly due to new scholarship about the Jewish roots of the sacrament , a panel of Anglican and Catholic theologians released an Agreed Statement on Eucharistic Doctrine . Previously , Anglican and Catholic theologians disagreed heavily on Eucharistic Doctrine . neutral +Victor Schoelcher , the philanthropist who donated most of the library 's books , is credited with abolishing slavery here . Victor Schoelcher donated over one thousand books to the library . neutral +yeah Saint Louis whatever Salt Lake City contradictory +In 1807 the Treaty was put in jeopardy and the troops returned , re ? έain ? Ωng until 1814 . The treaty was in jeopardy . entailment +A country like Indonesia is still so poor that progress can be measured in terms of how much the average person gets to eat ; since 1970 , per capita intake has risen from less than 2,100 to more than 2,800 calories a day . Indonesia is so poor that it 's progress can be measured in terms of the average amount of food person eats . entailment +They 'd been cooped up there for over two hours , because the director was known for his pedantic qualities and now with his every comment , he confirmed a rumor about him that was circulating at the airport . They were cooped up for two hours having fun . neutral +Standing on a small , narrow base in a gully surrounded by trees , it looks like an upside-down iceberg . This place is surrounded by trees . entailment +Warriors come to make money here , not protect villages with the goodness of their heart . Warriors are here to make money , not to kindly protect villages from torrents . neutral +i enjoy reading novels then uh you know more serious stuff Serious books are better than silly books . neutral +This is a city to savor on foot . You can also bike around the city . neutral +The federal government should do more to spur the creation of such institutions , by providing resources , and by helping to equalize the shameful disparity in funding between rich and poor districts generally . There is no difference between rich and poor districts . contradictory +oh yeah there 's there are some really big guys playing in football There are some behemoths playing many positions in the NFL neutral +On the other end of the scale , the Tower / WOW ! The Tower / WOW is no where near any scales . contradictory +The water wheel and sluice gate still operate in summer , and there is a small display of artifacts used over the years ; the mill buildings themselves have been converted to a gift shop and cafe . The water wheel is no longer in operation . contradictory +The lion helmed man raised his axe high , red sunlight gleaming on the tip of the broad head . The man planned to kill someone with his axe . neutral +The auditor should also determine whether previous recommendations have been carried out . The previous recommendations should be completed as soon as possible . neutral +The press and public love it . The public requested another one of its kind . neutral +yeah well i 'll tell you some of the horror stories that the the male populace have done to the women i i recall a a uh coed when i was in college some of the guys got together and decided to tell this poor girl the way to change her oil was to uh they showed her where to take it out and she did that successfully and then showed her how to uh put it back in but on putting it back in they had her put in they had her put in all four or five quarts of this oil with an eyedropper down the dip stick The college programs were so demanding that students had no time to do much outside of studying . contradictory +GAGAS proposes recognizing the overlap between attestation engagement objectives and performance audit objectives and allowing the services that overlap to be performed under either set of standards . Allowing the overlapping services to be performed under either set of standards will decrease operational costs . neutral +and how about in your area How about in your office ? neutral +yeah like where does all the good stuff go yeah where is it i know they have to grow some of it Everything can be purchased at the supermarket . contradictory +yeah but who cares about my opinion I know that no one cares what I think . neutral +as a result i really didn 't have that much interest to learn how to maintain fix and maintain cars I really love fixing cars contradictory +The organization is committed to the vision that all Texans will have equal access to justice , regardless of their income . The organization believes that only the wealthy are entitled to justice . contradictory +FRANCE AND THE FRENCH Spain and the Spanish . contradictory +Without the funding provided by LSC , many of these individuals would have no other source of legal assistance for these problems . The LSC gives no funding to individuals . contradictory +Armed with canes decorated with bunches of rosemary , the participants proceed on foot to the monastery , where they venerate the Holy Face cloth that , according to tradition , retained the bloodstained image of Jesus ' face after Saint Veronica used it to wipe his brow as he went to Calvary . The Holy Face cloth was used wipe the face of Jesus . entailment +The horizontal resolution for the outer grid is approximately 36 km . The outer grid has a horizontal resolution of less than 1 km . contradictory +The basic internal control discussed in traditional payment systems is emphasized as the key ingredient in maintaining effective payment systems regardless of the changes occurring . Maintaining effective payment systems requires basic internal control . entailment +OPM 's recently released white paper on federal pay provides a good foundation for the results-oriented pay reform discussion that must now take place . The white paper says that results-orientated pay reform needs to take place . neutral +yeah i remember those we 've never had one my parents never had one but um My parents had one of those , but I never have . entailment +Relationship between GAGAS and Other Professional Standards Gagas has no relation with professionals contradictory +At 1,200 m ( 4,000 ft ) and above in large mountain ranges , or as low as 600 m ( 2,000 ft ) on small isolated mountains , the large trees and liana creepers give way to myrtle , laurel , and oak trees . The mountain ranges are covered in snow . neutral +Rates for the Postal Service are set following extensive hearings before the Postal Rate Commission . The Postal Rate Commission plays a large part in determining Postal Service rates . entailment +The roar sent the entire village screaming . The village screamed in reaction to a sound . entailment +It should be noted that had the 7.5 percent surcharge on DC terminal dues been in effect in FY 2000 , the contribution under the current terminal dues system would have been $ million lower and the reduction in contribution from shifting to a domestic postage-based system would be $ million compared to $ 59 million above . There have been no surcharge implemented in the DC terminal fees in the year 2000 . contradictory +yeah diesel engines Yes a diesel engine . entailment +they should last a while They will be gone quickly . contradictory +Many have little or no English skills . Many can 't speak English . entailment +Low-income households must negotiate legal issues to satisfy their basic needs for food , housing , health care , personal safety and education . Legal issue negotiation is required to handle basic living needs . neutral +The building was converted into a paper mill in the 19th century , but has since been restored and the cloisters once again present the calm and simplicity that were the ideals of its founder . The building did not originally begin as a paper mill . entailment +I know , I know . I am already aware . entailment +Every time Gore utters the word vouchers , he 's bumping Bradley closer to the right edge of the road . Gore has mentioned the word " voucher " a few times now . neutral +okay my views it asked for my views so my views on that are yes i do still consider them a threat no , my opinion is that they 're not a threat to anyone anymore contradictory +For example , nearly 34 percent of our evaluator and related staff will be eligible to retire by the end of fiscal year 2004 . 34 percent of our evaluator staff will be able to retire by 2004 . entailment +Now , forget about this rate case and put aside any notion that I am suggesting others mailers should pay a larger share . This is because he 's paid for by the lobbiests of large mailers . neutral +um-hum well i i uh i like the print news much better than the television news because television news tends to sensationalize There are many television networks available for free . neutral +Privatization enthusiasts sometimes admit to this as a transitional problem . This might be a transitional problem due to the vast amounts of capital needed to make the transition . neutral +Against the gale-level buffeting we crawled out onto the train 's exterior . We crawled out of the trains exterior and then jumped on the ground neutral +Underlying GAGAS audits is that federal , state , and local governments and other organizations cooperate in auditing programs of common interest so that the auditors may use others ' work and avoid duplicate audit efforts . The audits have an underlying theme that allows authors to use other 's work and promote collaboration and a healthy work environment . neutral +On the far right , a cauldron is boiling a few of the unlucky ones . The lucky ones are are being boiled inside of a cauldron . contradictory +MI argues that intelligence takes seven musical , logical-mathematical , linguistic , spatial , bodily , intrapersonal , and interpersonal . Intelligence is composed of seven different types . entailment +Some have argued that the mission of the visa function is primarily related to homeland security and that therefore the function should be located within the proposed department . The mission of the visa function was never discussed . contradictory +you know when when he sort of went away i started thinking yeah well he was performing fairly well but he really wasn 't worth the baggage you know He went away and I thought he was doing well but wasn 't worth the hassle . entailment +but we 've gone back the other way to some extent because because just because there are times when you just can 't pay it all You can pay the entire balance off all the time . contradictory +Be quiet . You will get in trouble if you are not quiet . neutral +The employees we met with were aware of their agencies ' and their units ' performance goals and objectives , and they said that sharing performance information had enhanced communications across all levels of the organization . We met employees that were aware of their agencies ' aims , which was helpful to them . entailment +Volcanic ash covered some of the trees while they were still alive , and over time , their trunks turned to stone . Acid rain covered some of the trees , and was responsible for the death of the forrest . contradictory +There 's also a 1-acre swimming pool with water slides and a vast array of amenities and services all over the 62-acre ( 25-hectare ) oceanfront grounds . The swimming pool features five water slides . neutral +The real question , then , is how to assess character . Is it wrong to judge one 's character ? neutral +The Pyramid of Kephren is smaller than the Great Pyramid , though its location on slightly higher ground makes it seem taller . The higher ground is due to the secret vampire tombs . neutral +A long piece on China describes one family 's struggle to survive the Mao and Deng eras , while the opening Comment says that Chinese involvement in the campaign-finance scandal could sour Sino-American relations . The piece chronicalizes a family 's struggle during the Mao and Deng eras . entailment +Its Polo Lounge is now a notorious watering hole for Hollywood 's power-brokers . Power-brokers enjoy the Polo Lounge entailment +Plain outer walls give it the look of a fortress more than a place of worship . It looks more like a fortress than a place of worship due to having plain outer walls . entailment +History buffs will have to ask along the road north of Saint-Pierre for the unmarked location of the so-called Caribs ' ' Grave , where Indians pursued by French colonists hurled themselves from a cliff in the 17th century , vowing that Mount Pelee would avenge their deaths . Caribs Grave site is hard to find so you have to ask around . entailment +For simplicity , consider a married couple in which neither spouse is covered by an employer-sponsored pension plan and each contributes $ 2,000-the maximum per person per year allowed under current law-to a traditional IRA . $ 2,000-the maximum contribution per person is very difficult to attain anyway neutral +We have lived together for six years , and we really love each other . We will be married soon . neutral +Inquiry in Educational Evaluation . Education must be evaluated neutral +Hurricane Bret hit Texas . Bret was the first of several hurricanes to strike Texas this month . neutral +Those involved with the effort say the center will help workers to learn how to stand up for their rights and students to learn skills they can use in the workplace . the workers themselves largely agree with this notion about standing up with their rights . neutral +'Fair enough . ' I took a deep breath . I took a deep breath because it was going to stink in a minute . neutral +Average FGD installation times have commonly been within 24-27 months . It has taken an average of 24-27 months to install . entailment +The shock of the events of the last night had upset him temporarily , but his equable poise soon swung back to the normal . He had never been upset by the events last night contradictory +This is a pity , for his caustic tone and shallow glosses undermine what is a bold and worthy to write a readable one-volume history of the American people . His tone undermines an otherwise great book . entailment +Remember my life is of the utmost value to my country . My country holds my life in great value . entailment +The Pont de Normandie , only 2 km from Honfleur , is an elegant new bridge spanning the mouth of the Seine , and giving quick access to the port of Le Havre . Quick access has been granted to the port of Le Havre . entailment +Post their own personal ad on a penguin at the Central Park Zoo . Central Park Zoo has a lot of animals . neutral +Ca 'daan had affixed the leather blinders his uncle had given him and across they went . Ca 'daan put the blinders on . entailment +because that 's a when i had my yard it was you know it was it was really a hassle uh cutting grass was just a terrible just the thought of it was a terrible thing oh i used to hate it I hated having to waste my time maintaining my lawn ; it was just going to grow back , and who cares about that ? neutral +Tunku Abdul Rahman , the first prime minister , reversed his party 's anti-Chinese policy by offering Singapore a place in the Federation . Singapore was flattered , but felt too arrogant to join . neutral +uh yes i i believe that too Uhm , I 'm not sure if that is true , but I think it is . neutral +Take , for instance , the two pictures shown above . The two pictures were taken by amateur photographers . neutral +But Smith , like many volunteers , doesn 't want any accolades . Accolades are not sought by many volunteers , entailment +ED staff does not use structured questionnaires for alcohol screening . The ED staff does not work hard enough to ensure their questionnaires are done properly . neutral +Cynthia herself . Cynthia had decided on her own . neutral +There is a later will . It was Poirot who spoke . There is another will that nullifies that old one , said Poirot . neutral +The monetary benefit of reducing premature mortality risk was estimated using the value of statistical lives saved ( VSL ) approach , although the actual valuation is of small changes in mortality risk experienced by a large number of people . The value of statistical lives saved approach gives an estimate of how much money is saved by reducing premature mortality risk . entailment +Calling the so-called Houston ! We have this one problem , we have this one problem ! The captain was shouting in the direction of Pearinsky , which unavoidably meant the latter one woke up from a dream in which he was floating in space , signing lucrative contracts for the emission of carbon dioxide . The captain is sleeping peacefuly . contradictory +Heiwadai Park brings together the prehistoric past and the frequently strange present . Heiwadai Park is a very normal place to visit . contradictory +yeah no we won 't have too much here for another couple of months yet really yeah yeah we 're having it 's raining today We 're having wet weather right now . entailment +But you will also have fun hiking in the forests and rocky landscapes between Huelgoat and Roc Tr ? ? ? ­ ve ? ­ zel and exploring the prehistoric menhir country around Car ? ­ nac and the famous Parish Closes ( enclos paroissiaux ) . The prehistoric menhir had been torn down in that region . contradictory +so i think it is communication it 's just oopsy They get it . contradictory +What did this man want of him anyway ? There was nothing at all that the man could want of him . neutral +Although these studies were not specifically designed for policy analysis , the SAB ( EPA-SAB-COUNCIL-ADV-00-002 , 1999 ) has indicated that the severity-adjusted values from this study provide reasonable estimates of the WTP for avoidance of chronic bronchitis . The studies were not designed for policy analysis and may be inaccurate . neutral +The amarine ' amphora is decorated with octopus and argonauts . The amarine ' amphora is quite popular as it is very beautiful . neutral +They prove that even when all you care about is weather , the Web still has plenty of dirty pictures to show you . They prove that dirty pictures have vanished from the web , so you can focus on the weather if you care about it . contradictory +well because how how hot i mean like like in the coldest that it gets in winter down there how much is it It gets very cold in winter down there but I 'm not sure how cold . entailment +well um the budget 's an interesting issue uh particularly since i 'm pretty much a libertarian and an anachro libertarian at that uh so i would basically say the way to fix the budget is to uh cut and eliminate taxes charge user fees for things that uh are absolutely necessary and to be allocated fairly that way and um i 'd say ninety percent of the budget has no business being there I think that ninety percent of the budget is not necessary . entailment +It houses the Naval Museum with a collection of relics from the French Naval sojourn here in 1798 . The Naval Museum contains old weapons and items of clothing . neutral +I 'll be round to-morrow at eleven o 'clock . " " Don 't wait if I 'm late . " neutral +Neat , huh ? Cool , eh ? entailment +Twenty three leading institutes all over the world , including the New Contagious Diseases Research Centre were busy working on the vaccine 's development . Twenty-three institutes were working on the development of the vaccine . entailment +sometimes i wonder though if the presidential election isn 't what really did everything in because he wasn 't really paying attention to business you know you can 't do both things well He will address business issues as he learns . neutral +yes the other one just seems so terrible The other one just seems to be not her taste neutral +However , the story it tells of the Assumption of the Virgin is quite easily understood . The story of the Assumption of the Virgin is easily understood . entailment +the Data in the Final Report It took a long time to collect the necessary data . neutral +Prevented or forestalled 112 evictions , saving shelter costs of $ 151,619 and the disruption that families suffer when they are displaced . All of the families were evicted from their homes . contradictory +In the 19th century it was a favorite haunt of Coleridge and other English Romantics . The English Romatics used to enjoy it a lot . entailment +The Fena Dim villagers who searched for them found the remaining son starved and feral a month later , drinking from rain puddles and eating carrion . The remaining son was found by the Fena Dim villagers a month later , feral and starving . entailment +For the visitor , the most interesting observances are the modest old standbys generally the saint 's day of a sombre religious processions , often held by candle-light , folk music , a rash of quaint costumes . The religious processions are held by the Catholic faithful . neutral +Finally , convinced that the sun would strike miles to the south , he rolled across the scorching surface of the stone block and dropped to the north side of it . He was sure the sun would strike miles to the south . entailment +yeah and see i don 't know that and it well you know i was real impressed with his handling of this i know that The way he handled it wasn 't really great . contradictory +Motosu-ko is the clearest and deepest of the five . Out of the five of them , Motosu-ko is the most transparent and deep . entailment +Those programs were repealed as of April 4 , 1996 . All of the programs were repealed April 1 , 1996 . contradictory +um-hum yep i really don 't have any problem Jack with you know uh people using firearms for sporting purposes i don 't have any problem the only thing i i am in favor of the seven day waiting period i would like to see that see that happen i I am against the seven day waiting period . contradictory +A two-hour look at the evolution of underwear , the special is as silly as it sounds . The special about underwear will be shown to the fashion designers before their shift begins . neutral +The law currently specifies that the rates for books will not vary with distance . The law says that the rates for books can vary based on location . neutral +A message . ' A note . entailment +But investment opportunities in Japan are limited , so that businesses will not invest all those savings even at a zero interest rate . It 's difficult to invest in Japan . entailment +5 percent of the GDP in calendar year 1994 . 28 percent of total GDP . contradictory +From 1506 to 1626 , it changed from the simple ground plan of a Greek crose with four arms of equal length , as favored by Bramante and his arch-enemy Michelangelo , to the final form of Maderno 's Latin croseextended by a long nave , as demanded by the popes of the Counter-Reformation . The popes of the Counter-Reformation demanded that the design be changed . entailment +, directed ) with care . The object was tough and did not need much care . contradictory +The Sun Temple of Konark was conceived as a gigantic chariot for the great sun-god Surya cantering inland from the Indian Ocean . Many other Indian temples are built with a symbolic purpose in mind as well as a practical one . neutral +Beyond you 'll find the tiny Barrio de Santa Cruz . The Barrio can no longer be found since it was destroyed in World War I. contradictory +For example , the university 's central group had created a committee of respected university technical and policy experts to discuss and build consensus about the importance of certain information security issues reported to senior management , thus lending weight and credibility to concerns raised by the central security office . The university 's central group created a committee . entailment +um i have wondered why they allowed or let you know both the father and mother go uh and the children are left without either parent now to me that 's kind of a drawback but uh i guess it 's a price you pay and i also wonder about the children that are being brought up in the uh uh day care centers I think about the impact on society that child abandonment has , but more importantly think about why they have come to that situation and why it is allowed . neutral +The view from atop the 30-m ( 98-ft ) gate provides a fine overall view of the temple grounds and sacred Mt . The temple grounds cannot be seen from the top of the gate . contradictory +Plants , trees , and native birds are complemented by rivers and streams teaming with fish and turtles . The rivers and streams are filled with fish . entailment +Now it 's time for him to start acting like one . He needs to stop acting like one . contradictory +, here is how it works . It does not work like this . contradictory +At the same time , the need for speed to get the new department up and running must be balanced with the need to maintain readiness for new and existing threats during the transition period . They were not able to form a new department . contradictory +This awareness can also help auditors judge whether possible findings could be significant to various possible users . Auditors can judge if findings might be significant for users . entailment +As you wander you may be surprised to find a horse-racing track , and you may be even more surprised to find no one is the track stays silent except for two race meetings a year ( late May and late August , on the long Bank Holiday weekends ) . You are wondering because you want to be surprised . neutral +The Diaspora Museum and Museum of Art in Tel Aviv and the Israel Museum in Jerusalem all have youth sections with exhibits and activities . The Israel Museum in Jerusalem has a youth section that allows children to put together puzzles of famous paintings . neutral +He swung and pierced , dove and feigned . He stood still and let himself be hit . contradictory +right exactly i was a i was a Boy Scout and as part of being a Boy Scout you had to do you know projects all throughout and then to become an Eagle Scout you have to spend a do a year long project for I never was a part of the Boy Scouts although I knew people who were . contradictory +It is situated in the diplomatic neighborhood of Chanakyapuri ( behind the Bhutan Embassy ) . The Bhutan Embassy is located in the neighborhood of Channakyapuri . entailment +KENNEDY , J. , delivered the opinion of the Court , in which STEVENS , SOUTER , GINSBURG , and BREYER , JJ . Souter delivered the opinion of the court . contradictory +Leading commercial companies developed practices that enabled the timely capture of design and manufacturing knowledge . Efforts were made to facilitate timely knowledge capture . entailment +Farther south are the resorts of Tioman Island and Desaru . Farther south are only the deserts . contradictory +Dr. Richards , can you write a prescription for the tabloids ? The doctor was asked to write something for the tabloids . entailment +right how you how you dress to go to work and how it changes from season to season Normally you wear pants in the winter and skirts in the summer . neutral +well i don 't remember when the horse got killed When the horse got killed ? I don 't remember . entailment +All the comments made regarding limitations on LSC representation for H-2A workers focused on the restriction of the subject matter of such representation to claims arising from the worker 's employment contract . There were no comments . contradictory +It also examines man 's effect on the island from his earliest arrival to the present day . Nobody examined or arrived on the island . contradictory +Movies-in-the-Making Movies that aren 't finished yet neutral +This pineapple plantation island has become a tiny hide ? ­ away with two splendid resorts and the remains of the historic company town , Lanai City ( ) . The sugarcane plantation island has become a tiny hideaway for two bandit camps and the remains of Jesus Christ . contradictory +It is not unusual to find , as in old Melaka , Buddhist and Hindu temples on the same street as a mosque . Temples of a variety of religions can be found near each other . entailment +that is correct That could be right . neutral +They were one of probably a handful of places in the country where that happened , he said . The man explained that they were not the only full service gas station left . neutral +Bill Bradley and George W. Bush ought to know . Both Bill Bradley and George W. Bush should know this . entailment +Mount Sinai has drawn pilgrims for generations and it was endowed with a Christian place of worship as early as a.d. 527 , when Emperor Justinian built a small orthodox monastery in the lea of the mountain surrounded by sheer rock faces . Mount Sinai is never visited by pilgrims . contradictory +She smiled at him and he smiled back . They smiled at each other . entailment +But the best cellars open to the public are those in the chateau at Clos de Vougeot , owned by the Cis ? ­ ter ? ­ cian monks until the Revolution and now the property of the Chevaliers du Tastevin ( fraternity of wine tasters ) . The cellars at Clos de Vougeot are open to the public once a week . neutral +And even his body must have been close to its limits , if it could be killed at all . His body had limits beyond those normally seen . neutral +Newsweek ' s cover story is darker , emphasizing the trial 's lingering stink in the White House and Congress . The White House had nothing to hide , according to Newsweek 's article . contradictory +The Kamakura Municipal Museum of Modern Art houses a collection of Japanese oil paintings , watercolors , wood block prints , and sculpture.The Kokuhokan ( National Treasure Museum ) has a fine collection of objects from various Kamakura temples and shrines , including some excellent 13th-century paintings . The Kamakura Municipal Museum of Modern Art has an exhibit of Japanese floral paintings . neutral +The Anthem payouts were large enough to put many seniors over those limits . Seniors were not affected by the Anthem payouts . contradictory +That is what rat choice teaches , and nobody has yet proved it wrong--even in theory . Over 1100 people have tried to prove that rat choice teachings is wrong . neutral +There is also much to see outside the Old City including the bustling downtown districts of East and West Jerusalem ; the ancient sites and vistas on the Mount of Olives and in the Kidron Valley ; and , on the western hills of the city , the dynamic Israel Museum , the powerful Yad Vashem Holocaust Memorial and Museum , and the contemporary buildings that house the Knesset and the Supreme Court of the State of Israel . There are not many landmarks outside the Old City . contradictory +Pokemon , by contrast , centers on an intellectually demanding game . Pokémon is most popular in Japan neutral +I dare say , said Tommy angrily , " she 's probably been in with them from the start . Tommy knew that there was no way that she 'd been in on it with them . contradictory +Beg your pardon ? Could you repeat that ? neutral +I know you find that hard to accept , but really , it 's true . It 's not something that is believable , but it 's real . neutral +The networks and syndicates have expanded news magazine coverage , political talk shows have multiplied like bacteria , the Sunday shows have grown more slick , and three 24-hour news channels now clog cable television . There 's about 16 political talk shows on Channel 9 . neutral +Commissioned by Viceroy Lord Curzon , it was paid for by voluntary contributions from the maharajas and nawabs . The public support from maharajas and nawabs funded it completely with no hassle . neutral +A shocking one-third of young children are still malnourished--but in 1975 , the fraction was more than half . not everyone is shocked about this undernourishment of children . neutral +Just look through these photos , and see if you can spot him . " A minute later , Tommy held one up . Some of the photos were in color and some were in black and white . neutral +Figure 3 : Functional Percentage of Total Costs The percentage is very low . neutral +Just a short walk down the hill is the Jardim Orqudea ( Pregetter 's Orchid Garden ) . There is a five mile distance between the hill and the Jardim Orqudea . contradictory +i share your your uh sense when you change job to work or job to home uh the way your your image of the machine changes i tend to do slightly different things at home than i do at work um i use One Two Three a lot the Lotus product as a spreadsheet and i have i use a uh Lotus spreadsheets are in most businesses . neutral +Around the island , Lesvos offers wonderful impressions of Greek village life . Lesvos 's villages showcase Greek traditions of yogurt-making , milking goats , and sewing garments . neutral +and you know the last i heard it was costing ten twenty thirty thousand dollars a year uh to keep these guys waiting Last time I heard , you had to pay between $ 10K and $ 30K a year . entailment +The Turkish newspaper Hurriyet in effect charged construction authorities with , and international papers roundly condemned their shoddy building standards . Hurryiyet has lots of gardens . neutral +'They haven 't come for me yet , so they 're being just as cautious as I . ' Both of us are still trying to figure out what the best course is . neutral +yeah i um i 'm seriously thinking of discontinuing the chemical service because of the uh um i guess what i didn 't realize was that that they 're actually putting poisons on my grass The service is bad neutral +The cover story names ordinary Americans the People of the Century . They mainly featured Canadians in the story . contradictory +No , stranger , that 's where you 're wrong . That is all correct , stranger . contradictory +And the cease-fire is if Iraq permits inspections , doesn 't fly planes in certain areas , and doesn 't threaten our troops , then we will hold our fire . There are a number of conditions governing the cease-fire . entailment +( Click to see Moment . ) It presents a Republican soldier as he is shot , capturing what usually is interpreted as an instant of noble sacrifice . A republican soldier narrowly dodged a bullet . contradictory +so i was copying files off my hard disk to floppies and they were playing a game using the uh joy sticks and they never even knew i was there except i was sitting there and i was pushing another floppy into this little slot uh while they were doing their thing to keep copying files out There was no way of copying files onto a floppy disc . contradictory +The Justice Department said the firm was named as a party because its services may be required to implement a remedy . The firm may be required for a remedy . entailment +Supposing my utmost ambitions were realized that I was called to the bar , and rose to the height of my profession ? I have never aspired to being called to the bar and do hope that it never happens . contradictory +Shiloh 's not for sale , Coronel , Drew replied . Yes Shiloh is for sale , said Drew . contradictory +How About Condoms as Pledge-Week Premiums ? Condoms should be given out for free during Pledge Week . contradictory +As with all the holy places of Jainism , you must remove not only your shoes but any leather you may be wearing . Before entering a temple of Jainism , you must take off your shoes and any leather items you have on . entailment +Wouldn 't you now ? " The lanky man sidled along the bar to snarl at Fowler . The man smiled at Fowler . contradictory +You want me to go to Madame Colombier 's ? Madame Colombier 's is where I should go for more information ? neutral +Look after her , Hastings , will you ? Can you keep an eye out ? entailment +It was terrific to meet some of her friends and former colleagues--and also to try my hand at journalism for the first time in almost a quarter of a century . I liked seeing my work in a newspaper again . neutral +In fact , I eventually started to like it . The movie was slow at first , but I did start to like it . neutral +Barbarians and museum curators have removed most of the villa 's treasures , but a stroll through the remaining pillars , arches , and mosaic fragments in gardens running wild among the olive trees , cypresses , and pines can be marvelously evocative of a lost world . The majority of the treasures in the villa have been taken by museum curators and barbarians . entailment +O 'Connor 's desire for a baseball-free Good Friday , on the other hand , is surely heartfelt . O 'Connor thought that baseball should be played on Good Friday . contradictory +uh like military academy grads are a strange lot too i i mean i have to admit confess to that Military academy graduates are a strange group of people but very successful . neutral +Even knowing it was but a statue carved by man did little to reduce his wonder . A man carved the statue of the deer . neutral +Don 't try to match their improvisations , you will only raise their competitive spirit into the realm of high risk . Don 't attempt to match their improvisations , their competitive spirits will be raised . entailment +The darker Sai Routha drew his curved sword and with a yank had the chain whipping around his waist and a small weighted dagger attached to the end . A small chain with a weighted dagger attached to the end flew around the dark Sai Routha 's waist as he drew his sword . entailment +Where is Susan ? said Gabriel . Gabriel wanted to know where Susan was . entailment +right no that 's true i mean " I mean that it is a lie . " contradictory +Ah ! He tried the roll top tentatively . He did a first attempt that might be changed in methodology for using the roll top . entailment +yeah yes yeah that 's that 's Yes . entailment +Few would argue that the goal of reducing improper payments is not a worthy one . Reducing improper payments is a goal that 's difficult to argue against . entailment +he was a teacher He was a math high school teacher neutral +where at where at Where is it ? entailment +President Clinton modified President Reaganas policy by requiring the agency head to directly notify the White House Counsel . Many other policies made by past presidents were also modified by President Clinton . neutral +i believe that I think that that is true . entailment +Gambling lessons are highly recommended for this game . Taking gambling lessons for this game is discouraged . contradictory +yeah it seems that the the policies of pretty much anywhere not just in Central America that US has now is is you know more action than just words than just rhetoric but you know i we we back up what we say what we say with actions Lately , the US government is very effective at what it 's doing . neutral +But there are a lot of people who have to fight their parents to do something like this , condemning themselves to limited income . No one has ever fought with their parents nor has been forced to live on a limited income . contradictory +Adrin 's appearance had changed . Adrin was wearing a disguise to hide his identity . neutral +that 's interesting i remembering reading a few cases about that when it when some people first tried that and they got sued I read a few cases about people getting sued when they first tried that . entailment +yeah yeah i can see that well i a lot of people complain about swimming that that 's uh boring A lot of people bitch and moan about how boring swimming is . neutral +It really brings to life the daily routines of a wealthy Roman family . It gives a glimpse into the life of a wealthy Roman family . neutral +what do you mean fifty five you mean fifty five dollars Are you referring to fifty five dollars , or a different amount ? entailment +We see very little of their lives , and only rarely hear their voices . We always see and hear them . contradictory +'Go on . Shoo . ' It 's too dangerous , leave . neutral +9 . We 'll back off first . We will get away . entailment +It was as good as he 'd said it was--and completely damning to all of his theories and hopes . His theories were good , but it was damning to them . neutral +He 'd seen such illusions created on the stage , but there was something different here . He had a feeling that this was real magic . neutral +A description of this process is provided in the following case example . The following example has a description of the process . entailment +Japan 's is a phenomenon of nature . Japan does great wonders with the nature within it . entailment +The previous categories of items or elements result from or exist largely because of the Federal Government 's role as a sovereign power . The Federal Government 's role as a sovereign power resulted in the previous categories of items . entailment +In place St-Germain-des-Pres , the Cafe Bonaparte on the north side and the Deux Magots on the west provide ringside seats for a street theater of mimes , musicians , and neighborhood eccentrics . At the Cafe Bonaparte on the south side of place St-Germain-des-Pres , there isn 't much to see because of the construction scaffolding . contradictory +If receiving water is to be used as the dilution water , caution must be exercised in exposing the test organisms to it , because of the possibility that it might be toxic . Water has possibility of being toxic . entailment +The principal differences will be the size of the sorbent storage silo , the size of the metering and conveying system , and the size and number of injectors for the sorbent injection system . The sorbent storage silos will become much bigger . neutral +They 're slow , stupid , ugly , and rude . They are ugly and grossly overweight . neutral +Will you take them ? Are you gonna take them ? entailment +uh you know i i mean that 's my own observation anyway I mean , that is what everyone thinks . contradictory +well that yes that that 's true but um they 're in a smaller small area and our and in fact they 're over up in Missouri and and and and what i would you would really consider a rural area and where there 's like one nursing home per town Some of the rural nursing homes have been closing . neutral +A number of hydro-electric dams have been built ( or are being built ) , roads are being extended , schools and health posts are multiplying . There is no plan for hydro-electric dams in that region . contradictory +and goes all this back and forth and you know and gets the weed eater out and trims all the little bits around the flower beds and all the little bits around the trees that he did n 't get He enjoys having a neat , presentable yard , so he 'll do a lot of detail work after he mows with the weed trimmer . neutral +But without Derry 's equipment ... equipment I couldn 't rebuild without tempting suspicion ... And there was the other me . Derry didn 't have his equipment . entailment +well i don 't know you 're you 're you 're like a boat ride from how how far is it across the lake to Canada Toronto It is not that far to get to Toronto . entailment +The preambles to the proposed and final rules discuss this modification to the reporting requirement , explaining the reasons for the change and providing a burden estimate . The preambles to the proposed and final rules have disappeared . contradictory +Not suitable for young children . Children are allowed to come if accompanied by a parent . contradictory +If you 've installed Internet Explorer 4.0 , the new version of Microsoft 's browser , you might like to take a peek at our new Table of Contents , designed especially to take advantage of the advances in Internet Explorer 4.0 . If you have the current version of Internet Explorer , Internet Explorer 4.0 , you should check out the new Table of Contents , catered towards Internet Explorer 4.0 users . entailment +Air quality modelers face two key challenges in attempting to translate emission inventories into pollutant concentrations . Translating emission inventories itno polutant concentrations is becoming more possible . neutral +i sell Avon and Stanley products I don 't sell either Stanley or Avon products . contradictory +The kingdom of the Pharaohs has many more eras of history to add yet . Multiple eras of history have yet to be added by the kingdom of the Pharaohs . entailment +Fringe films in English are screened at the Cinematheque at the Philip Murray Centre , Ha 'Temarim Boulevard , and there is a Creat ive Arts Centre ( opposite the port ) where occasional musical events are staged . If you want to see independent English films , go to the Cinematheque at the Philip Murray Centre . entailment +Implementation of a control technology at a plant involves several activities contingent upon each other . Implementation of control technology involves several activities . entailment +Given the huge scale economies of a universal service provider and the limited amount of contestable mail , it is very difficult for an entrant , at least in the U.S. , to charge prices lower than an incumbent ( Cohen et al . It is simple for entrants in the US to charge lower prices than incumbents . contradictory +In fact , their staple diet usually consisted of fish , crabs , conch , and birds . Their staple diet was a lot of beef . contradictory +right right that 's we 're looking at buying a house and that 's one of the main uh pluses we have about buying a house is One of the things we like about buying the house . entailment +This was the site of the White Horse Inn , the main coaching house at the end of the London Edinburgh route . The White Horse Inn , a coaching house , used to stand on this site . entailment +Consider Only 13 nations participated in 1896 , but there were 172 in 1992 . 13 nations were involved in 1896 , while 172 did in 1992 . entailment +, permitting agency professionals to review comments at their desks or at home ) . Some agency professionals work at home at times . entailment +Cynthia ! That 's not your wife ? Cynthia ! How many children do you have together ? contradictory +In developing the Base Estimate of the benefits of premature mortality reductions , we have discounted over the lag period between exposure and premature mortality . the period between exposure and premature mortality cannot be discounted . contradictory +and that 's the only thing that saved us is is his background there He knew a lot because of it . neutral +As previously reported to Congress , though , a number of grantees did voluntarily submit corrections to their 1997 CSR data during 1998 . Congress always reports on grantees who submit corrections . neutral +Although cultural activity has been under state control since the revolution and Havana no longer sizzles with the sleazy Mafia-funded casinos and clubs of the 1950s , both high culture and more down-to-earth nightlife thrive in Cuba . High culture thrives in Cuba because people enjoy celebrating . neutral +As the organizations became more results-oriented , they often They wanted to focus on employees instead of results . contradictory +( The event is repeated on 14 15 August . ) There are no events held in August at all . contradictory +He was 50 . He was twenty five . contradictory +But there might be a good economic reason why we 're stymied . Many economists believe they have the solution . neutral +Ask the dealer to explain the symbols on any carpet you are thinking of buying . I would not ask the dealer any questions . contradictory +Saturday in Massachusetts , just off I-91 , in a restaurant , in the men 's room , on the red plastic screen that covers the urinal drain , were emblazoned these Say No To Drugs . There was a blue plastic screen covering the urinal . contradictory +well that pretty much covers the subject well thanks for calling me that more or less cover all of it , thanks for calling entailment +it might help i don 't know It may be of assistance . entailment +With funding from Kaiser Permanente , the HMO giant , Ware is designing just such a test , a kind of standardized computer / patient interview . Kaiser Permanente will not be funding the test . contradictory +You can 't reasonably expect more dollars than I 've got . I barely carry cash on me . neutral +yeah well they make mistakes too i guess Everyone makes mistakes . neutral +She 'd come there the day before , for schooling , and she had been balky . She looked balky but felt great after school . neutral +This site includes reports on those rankings in addition to highlighted innovative practices . The site includes reports on highlighted innovative practices . entailment +It is likely that the strength of this market response will increase as time progresses . The response comes after an increase in jobs announced by the President this month , as employers look forward to better profits and the end of the fiscal year approaches . neutral +He was talking about visitors who could talk with the mind . He was talking about Ramen snacks . contradictory +From left to right they Haghia Sophia ; the Blue Mosque ; the Nuruosmaniye ( above the Galata Bridge ) ; Beyazet Camii ; the Beyazet Tower ; the Seleymaniye , looming over the far shore ; the ? ? ehzade Camii ( in the distance ) ; the Aqueduct of Valens ; the twin minarets of the Fatih Camii ( above the Ataturk Bridge ) ; and the Sultan Selim Camii . These mosques are actually all of the same size and shape . neutral +Beresford , who 's blundered in just at the right moment for them . Berersford had blundered . entailment +Almost immediately , John Dean , then White House counsel , came to see my father to tell him that he had to fire Hoffman . My dad was told to fire someone by counsel from the White House . entailment +The thrones on view here date from a visit by George V and Queen Mary in 1927 . The thrones existed in 1927 . entailment +Yet with the discovery of marvelous artifacts and evidence of its cities , Sir Arthur Evans , its principal advocate , made reality out of folklore and myth ( see page 33 ) . Sir Arthur Evans discovered marvelous artifacts in this place . entailment +If you handle the case wrong , you are exposed for damages , she said . She said that you could be exposed for damages if you handle the case wrong . entailment +After all , in a democracy , the halls of justice must always stand wide open and everyone must be welcome to walk through them unimpeded and unchallenged . Not everyone should ideally be entitled to walk the halls of justice in a democracy . contradictory +They demonstrated the effects of earlier availability , lower costs , and / or higher efficiencies for more advanced equipment than the reference case . The costs demonstrated were lower , but by a small margin only . neutral +Of course , a layer of burnt cork smeared over the face does not a new identity make . Burnt cork completely changes your personality . contradictory +We love it when you call us GE pinheads ! We love it when the congress calls us names ! neutral +Many saw it as a contest between democracy and dictatorship , or , from the other side , between order and Red chaos . The two sides competed for a few months before the contest had ended . neutral +In the crypt are interred the remains of Voltaire and Rousseau , Hugo and Zola , assassinated Socialist leader Jean Jaurys , and Louis Braille , the inventor of the alphabet for the blind . Memorials to remains of Voltaire and Rousseau , Hugo and Zola , assassinated Socialist leader Jean Jaurys , and Louis Braille are all found in the crypt , however their remains are interred elsewhere . contradictory +I expect he 's proposing to her now . " I suppose he 's broken up with her . contradictory +I just didn 't get the impression that they were really happy , Zucker said . Zucker didn 't think that the newlywed couple was very happy . neutral +On the rustic northern and eastern shores of the Sea of Galilee are some of the sites where , according to New Testament tradition , Jesus preached and taught . Jesus taught on the northern shore of the Sea of Galilee . entailment +He became the Buddha , the Enlightened One , and embarked on travels to spread his beliefs . He embarked on travels to spread his beliefs , after becoming the Enlightened One , the Buddha . entailment +WASHINGTON ( AP ) - Most new lawyers won 't consider working for government or public advocacy groups because their need for money to pay off massive student loans leads them to the more lucrative private sector , a study being released Monday found . New lawyers need to pay off large student loans . entailment +i love it though i love Hondas I love Hondas though . entailment +But the newcomers were already drawing rein , bringing their foam-lathered horses to a pawing stop . Newcomers had begun to bring their ponies to a halt . entailment +The 1996 Twin Cities study , for example , found marked differences in weight concern . They cited the study from the 2016 publication . contradictory +The federal unified budget measure is generally a cash or cash-equivalent measure in which receipts are recorded when received and expenditures are recorded when paid regardless of the accounting period in which the receipts are earned or the costs incurred . The government has a budget . entailment +yeah oh yeah i 've owned uh several and built several uh I have never owned anything or built anything . contradictory +Got any coffee , Fowler ? Fowler , are you wearing a bra ? contradictory +and you hear it all through the worst side of people throughout the whole time Par of the time you see the best side of people . contradictory +It could also mean the loss of some of the 72 lawyers in Kentucky for the program commonly called Legal Aid , as well as legal assistants and other staff . The program commonly called legal aid Will gain 72 lawyers . contradictory +Ten years ago when I was a legal services program director in Iowa , the private bar was either our adversary or a somewhat disfavored cousin in the family of legal services . Ten years ago the private bar was considered our closest ally . contradictory +Ibiza offers a healthy slice of the Mediterranean lifestyle infused with some of the spirit and architecture of North Africa . Ibiza offers a little hint at what a Mediterranean lifestyle is actually like . entailment +Every square centimeter of the temple 's surface is sculpted . The temple is completely made up of sculptings . entailment +Javea also has an interesting Museo Histerico y Etnografico with an important collection of Iberian finds from Sierra de Montge , and two strongly contrasting churches an early 16th-century fortified building , and a modern , boat-shaped structure . There is an interesting museum and several churches in Javea . entailment +yeah i 've i 've noticed that they haven 't had anything great The only things they have are marginal . neutral +As one agent A parolee of mine is OK and is looking for a job . Ten parolees are looking for a job . contradictory +I began to get the little queasy feeling that presages something unpleasant approaching from the immediate future . I felt a little sick when I thought about the future . entailment +oh well then you you get the over thirty five everything goes downhill flop Things only get better once you hit thirty five . contradictory +The company 's Web site sets down these specific restrictions , among You must have 1 ) an [ u ] nobstructed line of site to the South from your home [ or ] office and 2 ) [ n ] o tolerance for waiting . The company 's web site has no restrictions at all . contradictory +But if you 're not watching close ly , you may miss the unprepossessing bust of Christopher Columbus perched atop a column in a little roadside square . You can 't possibly miss the giant bust of Christopher Columbus . contradictory +But I want the right to look after you , and take care of you . " " I do not believe I want to take care of you . " contradictory +Handing Felicia a cup of tea , he says , The goodness is in the warmth , they say , and I half expected maggots to swarm out of his mouth . Felicia was happy to accept the tea from him . contradictory +yeah yeah i watched that cause he was cute He was cute so it got me to watch more often . neutral +The FCC published a Notice of Proposed Rulemaking ( NPRM ) in the Federal Register on January 26 , 1996 . A Notice of Proposed Rulemaking ( NPRM ) was published in January 1996 . entailment +A baseball catcher has a The backstop . A baseball catcher has nothing . contradictory +Ueno should be a stop on any visitor 's itinerary especially if you happen to be here in mid-April , when the cherry blossoms in the park are glorious . They are glorious neutral +uh nearly every week Almost every week , uh ... entailment +Walk through the gateway and you 'll find yourself in an immense open space the largest temple courtyard in the country . The largest courtyard in the country is through the gateway . neutral +Dorcas , faithful to her " young gentlemen , " denied strenuously that it could have been John 's voice she heard , and 142 resolutely declared , in the teeth of everything , that it was Mr. Inglethorp who had been in the boudoir with her mistress . Dorcas fiercely defended the character of her beloved John . entailment +With them came the Catholic missionaries , who found the best subjects for their teachings among the low-caste Hindus . The catholic missionaries were respectful and didn 't try to push their beliefs on anyone . contradictory +Bring along an extra bag to hold your purchases ; compare prices at home to make sure you find actual bargains ; find out beforehand the names of local authorized dealers , especially if you want to buy high-priced electronic equipment and wish to reduce the risk of purchasing counterfeit merchandise ; and give yourself plenty of time to shop so you can compare prices . You can almost instantly find the best deals with no prior research . contradictory +To estimate changes in crop yields , we used biological exposure-response information derived from controlled experiments conducted by the NCLAN ( NCLAN , 1996 ) . Experiments conducted by the NCLAN yielded information to estimate the changes in crop-yields . entailment +no no i haven 't heard of that um-hum I don 't know about it . neutral +Each provided a perspective on developing a vision , setting goals and determining strategies for achieving access to a full range of civil legal services . There is just one way to increase access to civil legal services . contradictory +I 'd probably still be fighting , she said . I would have stopped fighting a long time ago , she said . contradictory +yeah uh-huh it 's funny that more people don 't get hurt It 's sad that a lot of people get hurt . contradictory +yeah um-hum um-hum right that 's what we 're looking at fifteen or maybe twenty we 're not going to go longer than twenty We are going to do at least twenty-five . contradictory +In the final analysis , for any system to work you need to assure that the key people have integrity , that the information provided to key stakeholders is timely and reliable , and that the persons or entities that are providing assurance as to the reliability of any financial and non-financial information are qualified and independent both in fact and appearance . The integrity of key people should be verified with self assessment surveys . neutral +Some guest houses have pleasant gardens , and most are clean and quite inexpensive , though in recent years more expensive hotels have also opened in this neighborhood . In recent years more hotels are popping up , this may have an impact on the smaller guest houses . neutral +Peace , said San 'doro . San 'doro spoke to the person . entailment +You can enjoy lamb meatballs in a kofteci , tripe in an ikembeci , soup in a corbacy , and milk puddings in a muhallebici . Our ingredients are made with 100 % natural ingredients with no pesticides or genetic modifications . neutral +we enjoyed it uh we had three kids and uh they 've done a lot of camping with us and Our kids hated camping but we made them go . neutral +so often that you know if if i have seen just a program once chances are it 'll be that exact same show if i ever decide to tune it in again I hardly ever see repeats of programs I have already seen . contradictory +and so it 's just kind of strange you know so five years ago we probably looked like real ding dongs you know We had no idea what we were doing five years ago . neutral +( One of the saddest and most common responses is the operator saying , Herbert Stein , no new messages . Herbert Stein was not very popular . neutral +Additional federal requirements have been established for the protection of information that has been classified for national security purposes . Information that is classified is protected by the federal system . entailment +Scientists and liberal commentators love to ridicule creationists for going back to the 19 th century , turning kids into scientific ignoramuses , and second-guessing experts and the Supreme Court . Scientists think that creationists ' views are accurate and correct contradictory +uh-huh yeah i know they don 't write anything like they used to the classics I enjoy reading the classics much more than modern stuff . entailment +This was the period when nautical marauders variously called buccaneers , corsairs , privateers , and pirates stalked the shipways and bays of the Caribbean . Pirates often looked for plunder in the Caribbean . entailment +Interest on Treasury securities held by revolving funds . Revolving funds are around 20 % of the total interest on Treasury . neutral +The poverty rate and the number of poor both rose in 2001 , to 11 . The poverty rate decreased from 2000 - 2010 . contradictory +The contradiction between this interpretation and Congress ' purpose of providing meaningful representation for H-2A workers is patent . This interpretation is identical to Congress ' purpose of providing meaningful representation for H-2A workers . contradictory +Smoke rose from the runes on her body . Smoke rose from the runes on his body . contradictory +no you can 't just drop in well i appreciate um the conversation we 've had about clothing i know i 've it 's interesting to hear a man 's point of view it 's usually my husband You can 't drop in every day . neutral +It recommends adding to the access fund , increasing both the number of pro bono hours and financial contributions from attorneys , improved assistance for unrepresented litigants and access to an attorney for those who require one , and development of a statewide plan to distribute legal services more evenly throughout the state to insure that the rural population also is served . It recommends that pro bono hours be cut in half . contradictory +" Johnny ! " Topham 's voice cut through the other 's thickened slur . Topham told Johnny to stop what he was doing . neutral +Quoting a Pat Buchanan adviser 's demand that Bush take some positions on abortion , taxes , China , homosexual rights , U.S. Pat Buchanan has at least one adviser entailment +He asked what types of outcomes would indicate successful adaptation . He asked what outcomes could be judged as evidence of successful adaptation and growth . neutral +i i didn 't really have a favorite in the Super Bowl i just wanted to see a good game It felt good not having a favorite team to support . neutral +7 mpg standard and would satisfy the plain terms of section 330 . 7 mpg standard would satisfy the plain terms of a simple , healthy relationship with a dead pig . neutral +Growing up on a farm near St. Paul , L. Mark Bailey didn 't dream of becoming a judge . He grew up mucking horse stalls and feeding the livestock . neutral +And that is a real If Microsoft had , for example , written Windows 95 in a way that made it hard or even impossible for me to use WordPerfect , the Justice Department would have been absolutely justified in calling out the arsonists . The Justice Department was justified in calling out the people that set the place on fire . contradictory +that 's that 's uh that 's real good we had uh we had organizations like that in college you know we had a community service group in college that had all sorts of different groups and some did like that some did elderly visits some did um There weren 't any groups that visited the elderly in college . contradictory +yeah my husband does and it 's how come he usually calls me sometimes and says oh i just heard on the news that such and such happened you know if it 's something really interesting and and then i 'll know to When my husband sees something interesting on the news , he 'll phone me up about it . entailment +Just the sight of Mastering Linux induced the stomach-churning sense of dread that my sixth-grade math textbook once gave I don 't get this . I took math in sixth-grade and had a textbook . entailment +well i didn 't know that that 's supposed to be a real good statistic uh It should be a great statistic , but I didn 't know that . entailment +Otherwise , GAO will issue separate products . GAO will issue the same productions . contradictory +no no deal it when i bought my home uh twenty five years ago it was it was very expensive My house was very expensive when I bought it a quarter century ago . entailment +Left to decide what part of the 1996 Act to strike as invalid , the court concluded that congressional intent regarding severability was unclear . As a result , the court left the 1996 Act as it was originally written . neutral +Security forces opened fire on rioters and killed some 80 people . Some people were killed by the security forces . entailment +For the fifth consecutive year , it 's going to let pretty girls ship everything book rate . Pretty girls get more advantages than other girls . neutral +okay i never really counted that as an organization because it 's uh i didn 't ever really consider that an organization entailment +Proserous from the textile industry since the Middle Ages , this town survived bombardment in two world wars and remains a bustling center with an impressive main square . The town square is said to be impressive due to its massive fountain built by Bernini . neutral +The pool of potential athletes has expanded in other ways , too . The pool of potential athletes is now the greatest in the world neutral +The fact that they are succeeding tells us something about the magnetic appeal of racial fundamentalism . We have been learning from their success for decades . neutral +because just like now especially crawfish it is starting to move out you know and more and more people are beginning to find out how good it is Crawfish is becoming a known dish all over the place . neutral +Yoffe suggests that truth can be found just as easily in tabloids as in traditional publishing outlets Yoffe suggests that traditional publishing outlets are unreliable , and that we should only trust tabloids . neutral +It was used for a spell in the 18th century as a post office . It even served as prison for a while . neutral +Prior to that , an attempt in the 1960s had failed because the patient 's body rejected the new hand as foreign tissue . There was an attempt in 1967 to transplant the hand ; but , it failed . neutral +If you are interested in following the historical evolution of the temples , stop off at Ajanta first , where some caves are from the second century b.c. Ajanta has some caves that were used in the second century b.c. entailment +But Slate ' s Jack Shafer disparages widespread comparisons of Burn Rate to Michael Lewis ' Liar 's Poker and attacks what he deems Wolff 's [ B ] y repeatedly reminding the reader of what a dishonest , scheming little shit he is , he seeks to inflate his credibility . They did not want any liars on their program . neutral +I think that getting rid of all guns ... I believe that eliminating all firearms .. entailment +Several provided additional supporting points and examples , which we have included in the report as appropriate . Several gave more information and we left that out of the report . contradictory +so far it 's uh doing fairly well uh we 're in the metropolitan Washington area and uh i guess most of the area is still living off the federal government with uh beltway bandit type contracts uh our company is uh done fairly well We don 't work there at all . contradictory +The man hadn 't talked so loudly about Johnny Rebs after Shiloh showed his heels to the roan the soldiers had bragged up . Shiloh showed his heels to the roan the soldiers had bragged up just to prove himself . neutral +Of course , writers like me are always saying the mob is dead , and we 're always too early . Writers have been maintaining the mob is dead since the early 1990s . neutral +As you have said we can but try . " He picked up the top sheet of paper and began to read : " Bayos-blancos light duns two . You said we didn 't have to do anything . contradictory +The rule promulgated by an independent regulatory agency is not subject to the review requirements of Executive Order No . The rule is an advantage to domestic businesses and finances . neutral +5 percent of GDP compared to today 's 3.5 percent . The percent of GDP has dropped from 5 percent to 3.5 percent . entailment +It will have to cut other spending , raise other taxes or , more likely , sell other bonds to the public--that is , run a big budget deficit . Other spending will be increased . contradictory +Fena Set has burned , said Ca 'daan . Fena Set was fine , said Ca 'daan . contradictory +It was the last and longest fast for the 61-year-old civil-rights activist . It was the last time the activist did not eat as a social statement . entailment +Possibly the finest criminal brain of the age . Probably the most deft criminal brains of the decade . neutral +The rider shifted his weight in the saddle and gazed about him with watchful interest . The rider was totally oblivious to what was happening around him . contradictory +Having ignored him throughout the campaign , Gore has decided--at a moment oozing with political expediency--to reverse course , demand an open exchange , and cast himself as the idealist . Gore pressed him every day on the campaign trail . contradictory +The constant clash between modern and traditional values leads to the numerous fascinating contradictions you will encounter in Japan . In Japan , you will encounter numerous fascinating contradictions thanks to the constant clash between modern and traditional values . entailment +In light of recent events , a consensus has emerged that the SEC needs significant additional resources to help ensure that it can do its job properly . In light of recent events including a toaster and a dog a census has emerged . neutral +At the top of the Royal Mile you 'll see typical tourist paraphernalia ( postcards and T-shirts ) , but in the narrow surrounding streets there are many individual stores selling antiques , books , curios , and collectibles . Many tourists are happy to buy postcards and T-shirts . neutral +To be successful , the project teams spearheading these initiatives had to achieve each of the following ( 1 ) lead change , ( 2 ) create a shared need , The only goal that needs to be addressed is creating a shared need . contradictory +He funded the cutting of a tunnel over 1,000 m ( 3,333 ft ) long to bring water to the ancient capital . In order to bring water to the ancient capital he funded the cutting of a tunnel . entailment +Mandrakes and mandrake-men , zombie-men , from the past and multiple revivals ! Illusions and tricks that did not surprise him at all . contradictory +The two worlds met and fused , and out of the two came this world , in what the books call the _ Dawnstruggle _ . There were two worlds that came together in order to create this world . entailment +Want to get the kids away from the casinos ? Do you wish to put some distance between the kids and the casinos and take the kids somewhere nice ? neutral +Despite this there are many interesting and attractive fake antiques for sale in Istanbul , including swords and daggers , Ottoman coffee-making sets , and copper and brass tray tables with wooden stands . The sale of fake antiques was successfully banned in Istanbul . contradictory +Bryant said he read about the issue in a July News & amp Bryant said he read about it in the law journal . neutral +About six o 'clock , sir . About 6 oclock . entailment +Do you see it ? Do you see it over there ? neutral +Closet pyromaniacs shouldn 't miss Nara 's Wakakusayama Turf Burning ceremony on 15 January , when people dressed as warrior monks burn the entire hillside of Mt . Nara 's Wakakusayama Turf Burning ceremony takes place in February . contradictory +yeah and that 's especially in Garland it 's real bad It is a lot worse in Garland . entailment +uh-huh where about I do not care where it is . contradictory +I wish I had studied Hebrew rather than Latin . I wish I studied Klingon . contradictory +SUBMITTING TEST TYPE VALID DATA N LC50 CV % N LC50 CV % N LC50 CV % Data that is valid entailment +And she 'll look great on a medallion , boxers , or briefs . She would look great on the under garments . entailment +But there was a more vital question that drove out all others . There was only one question and it wasn 't very important . contradictory +His venal dictatorship made it possible for him to invest some $ 300 million abroad by 1959 . He was able to invest $ 300 million abroad by 1959 because of his dictatorship . entailment +Even those with jobs are 26 percent of California workers earn poverty level wages . No California workers make poverty level wages contradictory +One animal for every four students would mean the sacrifice of 4,000 dogs per year . 4,000 dogs would be sacrificed every year if that one-every-four ratio applied . entailment +God that 's cheap That 's inexpensive . entailment +Still farther south is Kenchoji , founded in 1249 , the foremost of the Five Mountains . The Kenchoji is a widely visited temple by Japanese and foreign tourists . neutral +This puts it at a disadvantage vis a vis the Postal Service , which delivers to all households . The Postal Service delivers to all households which is costly and time-intensive . neutral +In the meantime , Ventura is pursuing the Bulworth option . In the meantime , Ventura is choosing to pursue the Bulworth option because it provides the best avenue for her . neutral +okay that 's uh uh we used to budget when the children were small um things were and there was only one income so we had to watch what we were doing We used to budget when we had one income . entailment +name of the congressional requester ( s ) , or legal authority allowing GAO to undertake work on its own initiative that is intended to support the Congress ) ; and the expected completion date , when known . The GAO can undertake work on its own initiative if it will benefit Congress . neutral +VA supplied to the Office of Information and Regulatory Affairs a planned regulatory action document that described the reason for the amendment to existing VA regulations and also assessed the costs and budgetary impact of the rule . The VA supplied a planned regulatory action document but did not include an assessment of the impact of the rule on costs . contradictory +and uh basketball seems like all all that you can really see is run and shoot run and shoot run and shoot and um It appears in basketball you can only view them running and shooting . entailment +right and uh usually i cut those little cherry tomatoes up and put some color into it you know and i 'll lay those on top of my salad you know to make it look nice and things like that Cherry tomatoes and green peppers add extra color to the salad . neutral +Do you remember ? Do you remember what happened that night ? neutral +Newsweek , which loves fad therapies , hypes natural Prozac . Newsweek hypes pharmaceutical Prozac . contradictory +Evenin ' , gov 'nor , said the man with a leer . The man spoke with a cockney accent . entailment +In the heart of willow country , Camacha is famous throughout the island as the heart of the wickerwork industry . Camacha is well-known in the island for its wickerwork industry . entailment +that that i see their theory is that if i 'm surrounded and i 'm going to be caught i 'm going to try to pry my way through and they 're not going to take me alive Their theory on survival makes sense . neutral +Any state that implements online voting may also have to contend with legal issues of representation . States that implement online voting will have to fight against voter fraud to a much higher degree . neutral +right but we really i mean really and truly we just don 't have a quarterback We lost our previous quarterback . neutral +There still needed to be furnishings and office equipment and such . The offices were still under construction . neutral +All Egyptian temples would appear vividly colored much like the tombs in the Valley of the Kings but little color has survived on most of them due to the effects of sunlight and smoke damage caused by fires when the temples were used as dwellings . Sunlight and smoke damage faded the vivid colors , but the colors would have faded naturally over time anyway . neutral +EXPIRED APPROPRIATIONS ( ACCOUNTS ) - Appropriation accounts in which the balances are no longer available for incurring new obligations because the time available for incurring such obligations has expired . Expired appropriations are accounts that have balances that aren 't available anymore . entailment +Ethnographic Case Studies in Federally Funded Multi-disciplinary Policy Some Design and Implementation Issues . There were no implementation issues with multi-disciplinary policy that could be identified . contradictory +Long before Legal Services Corp. advised legal aid programs to recruit more privatesector attorneys , Dudovitz in 1992 established domestic-violence clinics in four San Fernando Valley courthouses in a partnership with the local bar association . Dudovitz in 1992 established domestic-violence clinics in four San Fernando Valley courthouses , whilst also adding Spongebob paintings on each clinic door-frame . neutral +At least , it seems clear that the earnings of the total labor force have risen pretty much in line with productivity ( output per hour of work ) when measured correctly . It seems obvious that total labor force earnings have increased in proportion to the increase in productivity . entailment +Her ability would have her shunned or burned in most of the cities in this desert . She would be killed for what she 's done in many places . neutral +Somehow I 'm confident they can work it out . I strongly believe they can get past it . entailment +( The Development and Foreign Aid section includes a piece by Maren titled The Food-Aid Racket . ) George Bush added The Food-Aid racket to the Development and Foreign Aid section . neutral +I tipped it upside down . I turned it over . entailment +Attorney General ; the Administrator , Environmental Protection Agency ; the Director , Federal Emergency Management Agency ; the Director , Federal Bureau of Investigation ; the Director of Central Intelligence ; the Assistant to the President for Science and Technology ; the Director , Critical Infrastructure Assurance Office ; the Director , National Infrastructure Protection Center ; the organizations that participated in our study ; and other interested parties . Our study involved numerous government agencies and organizations . neutral +The money goes toward language resources , transportation and legal research . More money goes into transportation than legal research . neutral +And , basset people , like me , want dogs that have the good sense not to do any of those things . Other people want to let the dogs do whatever they want . neutral +The only hope he had was to get as far away from the place where the sun had struck as he could . He had to get away because it was too hot there . neutral +If you missed the links , click to read Gore 's 1989 criticisms and for a breakdown of the Loral controversy . In case you missed the story you can click the links to read more about Gore 's breakdown of what occurred . entailment +cats cats can deal with being inside all the time just fine but i just think dogs need need to be outside so Cats can live indoors . entailment +Government Auditing Standards , 1988 Revision . 1988 Revision entailment +For a long time I 've wondered why the president , who once promised to tell us the whole truth about l 'affaire Lewinsky , is so silent while his staff is active at the meanest level in riling a sizable portion of the public with stonewalling tactics . The president wrote a book telling his side of the Lewinsky affair . contradictory +you 're in Pennsylvania You are located in Pennsylvania . entailment +Right-wing groups say the United Nations has used the opportunity to extend its power . According to right wing groups , the UN is extending the scope of its powers here . entailment +so uh i 've been through most all of that i 've not done much of the no provision survival type but i 've done backpacking in tents and state park shelters and travel trailers and uh camping camping with nice air conditioned rooms and i guess of all the all the ones i kind of prefer the air conditioned ones and the the not so roughing ones with more entertainment than uh survival in mind When I go traveling I prefer it to do it nice surroundings rather than roughing it . entailment +But first it has to grab your attention from a three-quarter inch space on the computer screen . It needs to grab your attention from a small space on the monitor . entailment +It shelters Benvenuto Cellini 's bronze masterpiece , Perseus ( replaced by a copy in 1998 while undergoing restoration in the Uffizi ) brandishing the severed head of Medusa . It will take 20 years to restore the bronze statue of Perseus . neutral +Co-facilitated by Teresa Cosby ( South Carolina ) and Althea Hayward ( LSC ) , this discussion focused on the importance of embracing cultural diversity , leadership succession planning , and the general expansion of program leadership , especially as a part of a state planning initiative . This is the first time that a representative from LSC has aided in a discussion that involves embracing cultural diversity . neutral +I have no doubt that several entries were particularly fine examples of rectal comedy . I have doubts that good examples existed . contradictory +If all had gone as they planned , they would probably have left England , and lived together on their poor victim 's money . They planned to use money belonging to their victim to fund a life abroad . entailment +After losing his appeal and being scolded by the appeals court judges , he tried to appeal to the Supreme Court . He did not try to appeal to the Supreme Court after losing his appeal . contradictory +A key reason that screening is not performed is the widely held perception that treatment is not effective . A key reason that screening doesn 't happen is the perception that treatment doesn 't work for people who drink recreationally . neutral +We saw that , despite vigorous efforts to increase diversity in state justice communities and particularly in leadership positions , the ethnic profiles of our executive directors remained virtually unchanged , and the number of women directors was significantly lower than their percentage in the attorney workforce . Efforts to increase diversity among the executive directors was a great success . contradictory +The walls ' paintings have gone and water no longer flows in its indoor Nahr-i-Bihisht ( River of Paradise ) , but mosaics made of mirrors ornament the ceiling and walls of six boudoirs , making a galaxy of stars when candle-lit ( strike a match ) . The River of Paradise is a must-see , the water still flows there today . contradictory +, Serbian ) government denied responsibility ( claiming the victims were rebel fighters ) and ordered the diplomat to leave Yugoslavia . Serbia rudely demanded the diplomat leave Yugoslavia . neutral +The piece finds the Supreme Court justice bitter at his lot and deeply suspicious of the white world . The piece says the Supreme Court justice is bitter with his lot and suspicious of whites , because of his history with white supremacists . neutral +well are they going to beat are they going to beat Oakland They are going to destroy Oakland . neutral +Only the sun and the planets move through the sky . All of the celestial objects move through the sky . contradictory +This spiritual retreat , 10 km ( 6 miles ) north of Pondicherry , was started in 1968 by a French disciple of the teachings of the Indian sage , Sri Aurobindo . The retreat , 10 km ( 6 miles ) north of Pondicherry , was started by the Germans . contradictory +Would have been a different thing , if I had been cleaning all day , you know . It would have been different if I had spent the day cleaning . entailment +But nothing can prepare you for the visual shock of the Sistine Chapel ( Cappella Sistina ) , built for Sixtus IV in the 15th century . The Sistine Chapel was built in the 17th century . contradictory +Still , it was strange that he had sent no word of any kind . It was odd that he had not made contact . entailment +lion-headed goddess Sekhmet ( 1400 b.c. ) and the colossal Amenophis IV ( 1370 b.c. ) . Sekhmet is a goddess with a lion 's head . entailment +Barik will eat the northerner . Barik eats people after he murders them . neutral +I can 't recall the exact words , but I 'm pretty sure they were along familiar lines . I remember exactly what he said . contradictory +It 's a bit like being comfortably drunk- not hammered , but slightly more than tipsy . That feeling of being comfortably drunk is very pleasant for some people . neutral +Servicemen relaxing from the rigors of the Vietnam War poured millions of dollars into the Wan Chai boom of the 1960s . Soldiers from the Vietnam War spent lots of money during the Wan Chai boom . entailment +This site includes a database of accounting research and publications . The website includes accounting research and publications . entailment +okay we 're rolling i uh what what would you what would has your experience lead you to advise uh if my child were thinking of going to the Air Force Academy what would you say What is your opinion if my child were thinking of going to the Air Force ? entailment +The walls on both sides of this gate enclose the honden ( main hall ) of the shrine . The honden , or main hall , is enclosed by the walls of these gates . entailment +okay okay i 'll look at my map later All right , I will check my map later . entailment +Ser Perth appeared at the doorway with two of the mandrakes . Ser Perth appeared at the doorway , looking for the two mandrakes . contradictory +capital murder no violence , no crime . contradictory +i 'm not sure that there is a solution to that as far as uh the day there you know everybody has in their mind the kind of day care that they want but it seems you know that there 's not really the perfect one out there I 'm not certain that there is a perfect day care . entailment +yeah yeah i rented the video i thought that was pretty good I watched the movie twice , since it was a video rental . neutral +The originals of the cathedral 's major sculptures are on display next door in the museum of the archbishop 's residence , the Palais du Tau . The originals of the cathedral 's major sculptures are located in the Louvre . contradictory +It would be embarrassing if a lot of Slate readers failed this test , so I 'm going to make it easy by adopting a very broad definition of rationality . It doesn 't matter if Slate readers fail the test or not . contradictory +Why approach a newcomer ? There is no reason to approach a newcomer . contradictory +This is the settlement where the generations of painters , masons , and builders who worked on the royal tombs lived . The painters , masons and builders all lived together . entailment +but yeah i don 't have to buy jogging shoes all too often mine don 't get very much use My jogging shoes wear out so fast that I have to replace them every six months . contradictory +Engakuji , founded in 1282 , became the second most important in the group of monasteries called the Gozan ( Five Mountains ) , a hierarchy established in the 14th century for the Zen temples under the official patronage of the shogunate . The shogunate did not believe in monasteries . contradictory +Just in case , he set up a second password to secure files containing , what he called , ' personally strategic data . ' He added both passwords into the cell phone , just in case . He had no idea how to secure the files . contradictory +These meetings offered a generally secure environment to share information , while also encouraging broader member participation . The meeting offered a secure way to share information without relying on electronics . neutral +Oh , said Tuppence faintly , " I LIKE Rolls-Royces , but " " I do enjoy Rolls-Royce 's , but ... " said Tuppence . entailment +At the Guggenheim SoHo , you can 't enter the galleries except through the gift shop . There are posters all over the gift shop . neutral +To say the wrong thing , to admit the line of that breeding , might be a bad slip . It is good to say the wrong thing . contradictory +and crashed through the ice right up to my neck in freezing cold weather i could just feel my heart going I could feel my heart pumping while I was freezing . entailment +when you sign your ten forty form you 're signing a away you 're rights i mean your your rights to uh uh protect yourself When you sign the papers , you give up your rights . entailment +Currently , outside auditor reports are not required to provide any level of assurance with regard to key internal controls . Outside auditor reports don 't have to have any level of assurance . entailment +Some question the constitutionality of the act in light of a U.S. They looked to the constitution for guidance . neutral +I know that many members of this Committee share that belief and are also working to develop such an approach . Nobody on the Committee thinks that there is any credibility to this approach . contradictory +These reductions in life years lost are applied regardless of the age at death . Reductions in life years lost has nothing to do with age at death . neutral +This value reflects the adjustment for changes in real income over time that is included in the chronic bronchitis valuation in our national benefits summaries . The real income changes over time . entailment +The next day they didn 't have anything to do either and they continued to play . The games they played were fun . neutral +The Musee de Dieppe , also known as the Ceteau-Musee , in the 15th-century chateau in the Rue de Chastes , has a good collection of model ships and carvings in ivory , dating from the 18th century when elephant tusks were a major import from Africa and Asia . A collection of carvings in ivory can be found at the Musée de Dieppe . entailment +just shouldn 't be allowed to to even even live uh about the issue about sentencing by the judge They should let him go free . contradictory +Businessmen who by day rule their companies can still despite a recession that has hit the late-night entertainment industry hard be seen in nightclubs being pampered by fawning hostesses , giggling over countless glasses of whisky or sake and singing karaoke versions of Frank Sinatra 's I Did It My Way , only to collapse in a disheveled heap on the last train home . Japanese businessmen are banned from entering nightclubs or karaoke clubs . contradictory +yeah i thought it was really good I thought it was really bad . contradictory +As punishment , Stephanopoulos has to go through the ordeal of another deposition and pay some of Klayman 's legal costs . Luckily , Stephanopoulos will not go through another deposition . contradictory +GAO is also utilizing the strategic plan to manage our own transition . GAO will take more than a year to manage own transition . neutral +Architecture didn 't give Smith the control he wanted ; changes to the Olsen compound , in particular , depressed him . Smith was perfectly happy with the changes made to the Olsen compound . contradictory +The agent of the Eye spun after my shot hit him in the face . The Eye 's agent maintained their stealth , undetected by the party as he stalked his foes . contradictory +Bill Paxon , a Gingrich minion at the National Republican Congressional Committee , the party 's fund-raising and spending apparatus that helped win the House for the GOP in 1994 , is enthusiastic and smart but doesn 't seem tough enough to be speaker . Bill Paxton is not an ideal politician . neutral +It was refurbished and the whole palace greatly extended in the following years . The palace has not been renovated recently . contradictory +But prophecy is always strongest when based on coincidence--that is a prime rule . Prophecies based on coincidences are widely known to be weak and unreliable . contradictory +Two examples of this kind of situation are important . There can only be one example given in the situation . contradictory +and i mean this girl she had like two outfits that she would just wear all the time and everything and she got some kind of money from her government like five hundred dollars so my sister had to take her shopping and My sister took her shopping when she got the money from the government . entailment +Linked to La Maddalena by a 7 km- ( 4 mile- ) long causeway , the isle of Caprera was the last home of Giuseppe Garibaldi , military leader of the Risorgimento movement for Italian unity . There is a long causeway that you can drive down , but it takes about 20 minutes . neutral +i just couldn 't watch that much TV I couldn 't watch that much TV entailment +The five-tiered auditorium , with its incongruous modern ceiling painted by Chagall in 1964 , holds a mere 2,000 spectators . The ceiling in the auditorium was painted by Chagall . entailment +Program Information Program data . entailment +Fragments of the royal palace are still standing by the Jeu de Paume museum in the northwest corner of the Jardin des Tuileries . The Royal Palace 's remnants stand near the Jeu de Paume museum . entailment +The Victorian house is furnished as a typical charming , small Dublin household of the period . The house is modernly furnished . contradictory +Interest costs include any reimbursable interest paid by the reporting entity directly to providers of goods or services related to the acquisition or construction of Federal mission PP Interest costs do not cover any interests paid by the reporting entity . contradictory +that 's true but like in Garland you can choose the school that you 're going to can you tell this is past bedtime um like in Garland they get to choose the schools that they 're gonna go to but they got to have the transportation to them if it 's out of their district you know out of their area i mean Garland 's schools have very liberal policies . neutral +The spot finally shifts to Clinton , filmed at the White House in glorious color . Clinton was filmed at the Capitol . contradictory +But with multiple insurance companies , that doesn 't work so A company that insures only 10 percent of the populace will reap only 10 percent of the Lojack 's benefits , and so will undersubsidize them . With multiple insurance companies , it doesn 't work and they will be under subsidized . entailment +Today the visitor will find an atmosphere of rather bleak serenity that is in itself as evocative as the remaining concrete bunkers and blockhouses , some simple monuments on the sites of the action , and the miles of croses in the military cemeteries . The miles of crosses in the military cemeteries were carefully tended to . neutral +It soon becomes clear that it is not Hung 's connivance that 's driving Bunt out of the factory and into exile , but Betty 's will . Betty drove Bunt out of the factory entailment +pieces that have been around a while i haven 't paid much attention to most of the current music what about you I am always up on the latest songs . contradictory +El Greco ( 1541 1614 ) was born in Cete and was long a resident in Italy , but nonetheless became a consummate Spanish painter . El Greco was not a Spanish painter . contradictory +Ogling colleagues or forcing female employees to sit beside their bosses at social events is also unacceptable . Making female employees do stuff is not ok . entailment +Establishing a tradeoff between the consumption of current and future generations entails value judgments that economic theory alone cannot provide . Economic theory plays absolutely no role in determining the consumption of current versus future generations . contradictory +these are the color pastel shirts you may wear or white shirts with this kind of stripe in it for the men and this kind of shoe and hair just this way yeah The colour shoes you can wear are black , dark blue or dark brown . neutral +uh-huh and i 'll tell you what I won 't tell you anything . contradictory +The market at Porte de Vanves in the 14th arrondissement has a high proportion of junk ( open Saturday and Sunday 6am-6pm ) . On Fridays the market at Porte de Vanves features live music after noon . contradictory +went to a few dinners things like it was interesting it really was of course it was all volunteer we weren 't paid members it was interesting to do It was an interesting experience , even though we were volunteering . entailment +In Snip 's offer , 10 percent of $ 5 million ( $ 500,000 ) plus 89 percent of $ 1 million ( $ 890,000 ) equals $ 1 . Snip says that five hundred thousand dollars added to one million dollars is one point five million dollars . contradictory +Dave asked weakly , " Could I have a drink ? " " With a sylph around ? " Ser Perth grimaced . Ser Perth held a pint of al up to Dave 's parched lips . contradictory +Why approach a newcomer ? You should approach a newcomer and befriend him . neutral +and i loved that I did not like that much . contradictory +Overlooking the grove 's lily pond is an exact replica of the famous bust of the Dama de Elche ( The Lady of Elche ) . The bust is a copy of the Dama de Elche . entailment +In traditional Medicare , for example , the effect of cost-sharing provisions designed to curb the use of services is muted because many Medicare beneficiaries have some form of supplemental health care coverage-such as Medigap insurance-that pays these costs . Medicare has cost-sharing provisions to curb the use of services . entailment +For 49 days he resisted demons and temptresses , and became truly Enlightened Buddha as he is called today . Buddha became the Enlightened Buddha after resisting demons and temptresses for 49 days . entailment +We 've come a long way together from Strom Thurmond 's ass ( which , while not free , is surprisingly affordable ) , and if online technology were not in its infancy , right about now I 'd be buying you all a round of free-range rug shampoo . Online technology was in its supremacy . contradictory +We have become a nation of investors , and boards need to focus attention on the fact that there has been a shift from shareholders not only being individual investors but also institutional investors , such as pension plans and mutual funds , which are acting as fiduciaries for others . We are now a country of investors that are acting at the behest of others . entailment +I had everything I could want . I possessed all I could desire . entailment +What 's wrong ? ' There was an issue . neutral +My evening was utterly and entirely spoilt by the presence of Dr. The doctor made my night . contradictory +January 2003--that 's when we should celebrate Thurmond and Helms , because that 's when the Senate will finally be rid of both of them . We should celebrate Thurmond and Helms because they were so great . contradictory +uh i 'm i never played an instrument in my life i 've always wanted to i 've always wished my parents had forced me to learn the piano or something I can 't play an instrument , but wish my parents would have made me learn . entailment +Price Elasticity of Demand = One percent increase in the price of the ith good , p , brings about what percentage change in the household 's demand for Price Elasticity of Demand is equivalent to a one percent increase in the price of the good . entailment +Janet Jackson 's album is said to secure her place in the top tier of pop divas . Janet Jackson is Michael Jackson 's sister . neutral +Built at the time of the Roman occupation , it wasn 't a conventional monastery , but probably was a place of great sanctity for the Nabateans . It was a holy place to the Nabateans , even though it wasn 't a traditional monastery . entailment +Mr. Philips , K. The woman whose name was Sonya . contradictory +Since last year , Hall has been meeting with nonprofit leaders and others who expressed concern that a merger would mean less representation for the poor in their communities . Some nonprofit leaders are concerned about the merger . entailment +The race is not going nowhere , said the Astronomer , earnestly . The race is an endless loop , said the Astronomer , somberly . contradictory +I have heard so much about you from Miss Tuppence " he smiled involuntarily " that it really seems as though I already know you quite well . " He knows information about me that I do not wish for him to know . neutral +Bronx Legal Services is one of seven nonprofit groups in the city that contract with Legal Services of New York ( LSNY ) to provide legal services to the poor . Bronx Legal services does contract work with Legal Services of New York for helping poor people with legal services . entailment +Congress changed the qualifications for In-county rates in 1986 . Congress never changed the qualifications for in-county rates . contradictory +i mean that even when i read it now it still makes me cry the ending of it and i couldn 't believe i i could not believe that it took me so long to read such a good book i 'd read some Dickens before but i hadn 't read that one and i i was like i thought to myself That Dickens book was very powerful , it affected me deeply . entailment +talk about the crime and all that in the city it 's just the kids have no morals that 's the thing that will eventually you know if anyone is going to be saved it is having a good moral background No one will be saved . contradictory +well i loved that novel and then somebody said oh God this would have been even long ago because i was in Boston and it was raining all night and i had a hole in my roof and i was waiting for the whole house to collapse and uh i was reading Dune I was reading Dune during a raining night in Boston as the water dripped through a hole in the roof . entailment +( Could there be any other real answer ? ) ( There are no more answers ) contradictory +With riots growing ever more bloody in Bengal , Bihar , and the Punjab , India 's last viceroy , Lord Mountbatten , kept a mandate to make the British departure as quick and as smooth as possible . The increasing turmoil gave room to bloodshed in Bengal , Bihar , and the Punjab which resulted in Lord Mountbatten to uphold a decree making the British departure as swift as it can be . entailment +Nijo Castle is a poignant monument to the ironic twists of history . The Nijo Castle was built in 1503 . neutral +The Kamakura shogunate was founded late in the 12th century after a long and bloody rivalry between two noble factions over control of the imperial court . In the 12th century , a feast was held to celebrate founding of the Kamakura shogunate . neutral +Eligible to vote except by proxy . Permitted to vote in the local election . neutral +If we could make ourselves known , people might hire us to commit crimes for them . " The more we make ourselves known , the fewer crime jobs we 're going to get . contradictory +The elegant 18th-century monastery buildings are now Caen 's town hall . The elegant monastery is still upheld to this day contradictory +The energy of these minutely detailed sculptures from the 16th century , which honor the military prowess of the then-great Vijayanagar kingdom , is a zenith of south Indian art . These intricate sculptures show off the best features of south Indian art . entailment +they just you know just just level the whole place and let it go but we 're going to have to be over there and we 're and our presence is going to have to be felt and they 've got to be strong presidents or presence uh if we don 't then i think that we 're going to be back there We need to use a bunch of bombs . neutral +Some , including the critic at Time , have questioned Soderbergh 's sanity . The critic at Time has never heard of Soderbergh . contradictory +Mostly vacuum , of course . It 's not vacuum at all . contradictory +Maybe fewer pictures of whips in rectums and more of rectitudinous whips ? There should be less pictures of literal whips in rectums . neutral +This town , just 27 km ( 14 miles ) from Alicante on the N-340 , is renowned for the manufacture of turren , an exotic sweet of Moorish origin , made from ground almonds , orange-blossom honey , egg white , and sugar . Turren uses brown sugar rather than white sugar . neutral +Bloom glides over her motives . Her motives are glided over by Bloom . entailment +you know it 's just convincing your husband that 's important or that that that it 's important enough for him to do it because if he saw mom the main thing is talking your husband into doing it entailment +None of the above ? Not any of the above ? entailment +Kilberry Bagpipes ( at Gilmore Place , Tollcross ) manufactures and sells traditional , professional instruments in a range of sizes . There are a range of instruments in different sizes at Kilberry Bagpipes . entailment +The proposal is reviewed in a public proceeding , as the Reorganization Act requires ; The proposal need not be reviewed at all . contradictory +Accounting for Inventory and Related Property 30 people work to help account for inventory and related property . neutral +According to an official at the Department of the Interior , publication of the certifications in the Federal Register was treated as providing notice under section 605 ( b ) to the Small Business Administration 's ( SBA ) Chief Counsel for Advocacy . The Small Business Administration 's Chief Counsel for Advocacy was provided notice . entailment +Revaluation of inventory and related property . Property can be revalued . entailment +On a quiet day you 'll feel as if you have the world to yourself . On a loud day you 'll feel as if you 're alone in the world . contradictory +For information on how to access GAO reports on the INTERNET , send an e-mail message with info in the body You can find the GAO reports online . entailment +How are you doing ? Good enough , " said the Kal . The Kal said they were failing miserably . contradictory +but then i i get surrounded by twenty or forty trucks and they 're just laying out a pall of black smoke Thankfully I never have to drive when trucks are on the road . contradictory +but we 'll need at least a whole day just for that . We can manage it with only half a day . contradictory +If you 'll excuse my saying so , you 're a curious young couple . You 're the most normal couple I have ever met , if I dare say so . contradictory +i won 't tell you what happened to it if you just got them you don 't I am not going to tell you what transpired if you just got them and you do not . entailment +Numerous techniques are available to the supervisor to obtain this assurance . No techniques are available to the supervisor contradictory +Cindy Kernick , Donna Doblick and Colleen Lynch won a jury verdict that awarded Harris more than $ 4 . The ladies won the jury verdict and paid Harris more than $ 4 . entailment +But I know her . She and I know each other . entailment +With a domed sikhara on each shrine , the temple 's overall effect remains horizontal in the style of the Hoysala kingdom , emphasized by the layers of narrow , parallel carved friezes running around the walls . There are no examples of the Hoysala kingdom style left . contradictory +yeah it i said i love you dad i miss you and then he said was able to say it back and and i was twenty four and that 's the first time i 'd heard him say anything you know similar to that My dad said he loves me entailment +The first reporting standard for performance audits The first reporting standard for performance audits was a failure . neutral +Mount Herzl is named after Theodore Herzl , the Viennese journalist and founder of modern Zionism whose vision aided the eventual establishment of the State of Israel . Theodore Herzl lived out his last years in Jerusalem . neutral +At a presort volume of 40 billion pieces , the postal service 's cost curve goes through the current operating point discussed in the previous part of this paper . There are only 10 million pieces in the presort volume . contradictory +'Always gets the job done . The job never gets done . contradictory +we we saw an we liked it but you know i didn 't think it was as good as all the uh hype was about it It was good . neutral +These problems include top management 's lack of emphasis on ensuring that the internal controls are in place to deter fraud , waste , and abuse . Top management 's lack of attention to internal controls caused these problems . entailment +uh-huh yeah oh yeah yeah they 're Why yes they are . entailment +Bloodshed began as soon as the Partition boundaries were set . The partition boundaries got set by the government . neutral +and uh you know i 've been i 've come to work hung in the morning and i know i 'm worthless I 've went to work before hungover and feeling worthless . entailment +I seem to have fallen in love with an idiot of a boy who probably doesn 't care two straws about me . " Here she paused . Despite realizing the feeling wasn 't mutual , she continued to pursue a relationship with the man . neutral +just taking it off oh Lord right It 's finally off ! entailment +A peaceful mid-size hotel on a side street in the San Esteban quarter , that feels perfectly in sync with old Segovia . There is only one hotel in San Esteban that captures the essence of old Segovia . neutral +A hundred thousand pounds , repeated Tuppence . Tuppence said , " A penny . " contradictory +Since there was neither a proposed rule nor the receipt of public comments , HCFA has properly invoked the exception found at 5 U.S.C. There were proposed rules and much public commentary . contradictory +It serves best as an overnight stay prior to an early morning hike around the Unzen volcano 's craters . It is a good place to stay before looking at volcano craters the next day . entailment +As anyone who has spent any time in a chat room knows , the bad tends to drive out the good . For those of us who frequent chat rooms , you 'll know that the cream rises to the top . contradictory +Of course , if the Postal Service were to simply abandon delivery to unprofitable routes , it would not have to refuse , return or destroy mail destined to these routes . The Postal Service would subcontract the delivery of unprofitable mail to local delivery companies . neutral +I heard the Ambassador telling you his wife hoped you would come to them at the Embassy right away . I heard the Ambassador explaining why his wife wished you would come to the Embassy . neutral +so what so do you think there 's any what what could be done to improve the percent of voters How do you think we could raise the rate of voters to eighty percent ? neutral +Overall , 62 % attributed being injured either somewhat ( 24 % ) or mostly or totally ( 38 % ) to be the result of drinking . 24 % of people said their injuries were mostly due to drinking . entailment +The 24 China Folk Culture Villages represent China 's ethnic variety ; they feature craftspeople in traditional costumes along with folksong and dance performances . The 24 China Folk Culture features craftspeople in traditional costumes . entailment +Th ' Don has him a high-steppin ' hoss every hoss thief in this here territory 'd like to run off . The Don has a wife that every man in town wants to steal . contradictory +Some city delivery routes , called curb line routes , use vehicles to provide curbside delivery to a mail receptacle along the curb as is done by rural routes . In some of the cities , it is illegal to use motorbikes for delivering mail . neutral +But I can give two illustrations , both from ballets by George Balanchine that I have on tape . I 'm sorry , but I cannot give you any illustrations . contradictory +okay i didn 't know that because i got to be pushing ten some where i lost count around six or seven I managed to get through ten without losing count . contradictory +It was something in the man 's eyes . His broken leg and fractured collarbone showed that he was guilty of the crime . contradictory +This might be one of his brood . " He has a large family and this is part of it . neutral +oh yeah in fact i think that 's that 's one of the big problems today is the the way the kids behave or act and and the way they are sometimes disinterested in what 's going on in the class and disruptive Kids never act out in the classroom . contradictory +His martyr pose is pretentious and self-serving . His pose for the statue is awful . neutral +But Bronx Legal Services ' Mr. Thompson took little comfort from those concessions . He is happy with the concessions . contradictory +In 1603 James VI of Scotland was thus crowned James I of England , marking the Union of the Crowns . The Union of the Crowns happened in 1603 when James VI of Scotland was crowned James I of England . entailment +i think brutally i mean this guy point blank just shot him in the head i mean just uh for no reason i mean he the cop pulled him over for like a manor minor traffic thing you know and The guy shot him point blank in the head for no reason . entailment +For a second example , if we were asked to study the safety of nuclear plants in general , we might select as our method a survey of self-reported compliance with safeguards in all existing plants . Nuclear plants and nuclear energy are a heavily regulated industry . neutral +how well when you say cold what do you mean by cold When you say cold you mean hot . contradictory +And we do know that such a gap isn 't part of nature 's plan for a five-month-old child--at least , to judge by hunter-gatherer societies . For a baby of five months old , the gap is not what nature intended . entailment +The 85-m- ( 267-ft- ) tall bell-tower ( it 's a 414-stair climb to the top ) is decorated on its lower sections by hexagonal bas-reliefs sculpted by Andrea Pisano and Luca della Robbia , based on Giotto 's drawings . The high tower was never decorated with sculpture . contradictory +Attorneys working for LSC-funded programs may no longer , for example , initiate or participate in class action lawsuits , collect courtawarded attorneys ' fees , represent prisoners or certain categories of aliens , or take cases involving political redistricting , abortion , or drug-related public housing evictions . Attorneys working for LSC-funded programs can still participate in class action lawsuits . contradictory +We are working with others within the federal government , including the Secretary of the Treasury and the Director of the Office of Management and Budget , to modernize federal financial management and promote expanded performance and accountability reporting . Expanded performance and accountability reporting is being modernized with help from the Secretary of the Treasury and the Director of the Office of Management and Budget . entailment +but they got so much bad publicity too and i think that hurt a lot of you know people even wanting to play on their team No one wanted to join . neutral +Without their knowing , I listened . She was completely aware that I was listening . contradictory +She was lighter-skinned than the rest of them but dark of hair with those black on black eyes . She had very light hair and dark skin . contradictory +And it will be risky , but we may even be able to shape a bit of the sun stuff to represent the great orb in the sky . " " What about the planets ? " Hanson was beginning to feel the depression lift . There is no risk involved . contradictory +Consider them my personal lessons from six years in the planning I worked on these lessons off and on for the past six years . neutral +( Stations running the ads claimed that they wouldn 't air them during children 's normal viewing hours . ) Stations wouldn 't run the ads when children were likely to see them . neutral +A list of abbreviations follows the resource list . The abbreviations list comjes before the resource list . contradictory +Today 's big donors are more hands-on than their predecessors , an accompanying article says . Today 's donors are more sheltered and distant than ever before . contradictory +i uh we had uh we 've used a tent you know pop up trailer We went camping with our pop up trailer tent . neutral +Following Alexander 's death , his lands were divided among his generals . Alexander had no generals . contradictory +And as for Hillary , forget it . And with regard to Hillary , don 't have any hopes . entailment +are innovative--or at least interesting--though not wacky They are not innovative and absolutely insane . contradictory +Spain has always been famously rich in hunting and shooting possibilities , from wolf to wild boar though the Costa Blanca is hardly the place for it . Hunting is not allowed in Spain . contradictory +Somehow , however , the moon does have an effect on human beings--at least on women . It was a full moon that night . neutral +The statutory protections set forth in the H-2A program , and the provision of legal representation to H-2A workers to enforce these rights , thus were intended to accomplish two to protect foreign workers from exploitation , and to ensure that the employment of such workers would not depress the wages and working conditions of U.S. workers . The H-2A program has protections set forth to safeguard . entailment +security awareness day and products with security-related slogans . Products that are security-related will be featured . entailment +um we had all the great civil rights legislation of nineteen sixty eight Of all the 1968 legislation , none remained available to us . contradictory +One leaf of the massive door folded back to allow in a small party of horsemen . The door kept firmly shut on the small group of visitors . contradictory +The congressional seat in Duke 's district , which is 85 percent white , is being vacated by House speaker wouldabeen Bob Livingston , R-La . Bob Livingston 's former congressional district was about 50 percent black . contradictory +He drew out the apprentice magician 's book . He took a book into his possession . entailment +The resort towns offer excellent opportunities for relaxation and sports on longer stays , but for short visits you 'll get a better idea of the lake aboard a boat cruise ( 3 4 hours , with a meal on board , from Stresa , Baveno , or Pallanza ) than by road . For short vacations , resort towns are perfect to stay in . contradictory +Strangely enough , I can give evidence that will demolish one contention of the prosecution . I can prove that John was not the murderer . neutral +According to this faith , alcohol and tobacco are forbidden . Alcohol and tobacco is forbidden by this faith . entailment +isn 't that funny i bet they 're going to do a lot of research on that I think that was the most unfunny thing I 've heard . contradictory +The crowd quieted as a new rider approached . The crowd grew quiet as the new rider came near . entailment +yeah that 's a good way to do it um the thing about it is you got to you got to like to work on cars to be a mechanic if you want to be involved and that 's a hard job Anyone can be a mechanic , since it is an easy job . contradictory +Take the Via Tribunali to the Franciscan church of San Lorenzo Maggiore , with its Baroque facade incorporating the 14th-century marble porch , which was added after the earthquake of 1731 . There hasn 't been an earthquake since 1694 . contradictory +A lot of careful planning is recommended . It is recommended to spend time planning carefully . entailment +These managers are chided for lacking experience , competence , and the desire to adapt their companies to the market . Managers are praised for sticking to their guns and not changing their companies to appease their market . contradictory +Before long he had exiled the king , replaced him with the youthful crown prince , and arranged to have himself and his family made hereditary prime ministers . The crown prince had resolved to allow for the exile of the king . neutral +uh it is fun though to buy these bags and go through them because you do find some some uh nice coins i mean people who are starting out collections and need to fill holes in their books can fill a whole bunch of them with these uh with these bags It can be very fun to buy some bags and go through them because you might be able to find nice coins in them . entailment +delivery ( called route time in U.S. delivery cost analyses ) , 5 is accounted for by the need for the carrier to move from one stop6 to another whatever the mode of delivery . Route time is the delivery time . entailment +In fact , the gain of $ 32 million is small by almost any standard . Almost any standard would agree a $ 32 million gain is small . entailment +Its coastline , inland waterways , forests , architecture , wine , and food present the good life in abundant variety . You can find a lot to do in this region based on the good life feeling it provides . neutral +Most notable among the museum 's non-Italian painters are El Greco , Breughel ( Blind Leading the Blind and the Misanthrope ) , Cranach , Holbein , D ? ? rer , and a Van Dyck Crucifixion . The museum houses work from several non-Italian painters . entailment +The room was dimly lighted . There was not much light in the room . entailment +Blue Man This award-winning ( albeit unusual ) show features three bald , blue characters . The Blue Man show has won awards for their music . neutral +yeah i 've i 've looked at several uh courses as it were the only problem that we have is things that are that are specifically on our job uh that the courses that apply to our job other than the real basics like just the math and the physics and the like uh all of them are taught at colleges that are very remote in other words there like there 's one in Washington DC and there 's one in Oregon the courses that pertain to our work are offered at almost every college contradictory +If you don 't want to be fleeced , don 't plunge in blindly . If you dive in without a second thought , you will get fleeced . entailment +Because of the special representational issues regarding this category of eligible aliens , we will examine it in detail . We look at each case individually . neutral +yeah it 's kind of like the inside dual on a truck you know when one of them breaks it 's not the outside one it 's it 's the it 's usually that power steering belt or something that 's way back in there everything 's got to come off It 's nothing like a truck , it 's never the power steering belt that 's the issue . contradictory +so i guess it was just a generational thing Generational differences were the key . neutral +uh-huh i guess it also depends on how many how many times you 're going to use it I assume it also depends on how many times you 're gonna use it . entailment +He plumb don 't like my style . " He really digs my style . contradictory +Every Wednesday , we have review and intake in Fort Collins ; every Thursday , we have review and intake in Loveland . We cover a wide area and must schedule review and intake on different days for each site . neutral +53 " You will understand , Wells , " he added , " that this is all strictly private . he said , " We must make this information public as soon as possible ! " contradictory +because your parents are engineers or chemists they 're they 're you 're most likely to do better in school they 're going to help you Your parents being engineers or chemist , they are going to help you with school . entailment +The man on the steps uttered an oath . The man by the stair remained silent . contradictory +How do these people decide that their doctor is the best ? How do people decide their doctor is the best one in the practice ? neutral +It has often been pointed out that the term state planning does not capture the full scope of the activities that are included in the process as it is playing out across the country . The term state planning does not include everything that is involved in the process . entailment +His stay was short-lived however ; the British fleet were after him and inflicted a devastating defeat on the French Navy at the battle of Aboukir later the same year . His stay was brief . entailment +i didn 't i don 't want to assume that that 's what i figured no i 'm a college i 'm a university student so uh I am a college student and I didn 't want to assume that . entailment +First to arrive was the Tang clan , which established a number of walled villages in the New Territories that still exist today . The clan was not known for building . contradictory +Perhaps your son will no longer be solvent . It is impossible for your son to have financial troubles . contradictory +His face was pugnacious but pleasant . He looked like a fighter but in an appealing way . entailment +Today 's Papers is sorry that the Journal wasn 't curious enough to find out the average age of those CEOs . There were no CEO 's in the Journal . contradictory +What are you going to say ? How long are you going to keep quiet ? contradictory +yeah well even the you know they they claimed they did the best that they could and then the cat uh died so now i 'm looking for another cat for them um i i 've i 've got a little kitten uh that 's still uh oh it just being born right now so another five or six weeks i 'll be bringing the little kitten over to uh to my folks I always need to have a cat in my life . neutral +Again the mare voiced her complaint , and the rider turned to the gentleman . The gentleman was riding alone . contradictory +But the town itself , with its miraculously preserved old city center , has much else to offer . Whereas the town has many attractions , including the pristine old city center . entailment +In the past , it has been computed by dividing a program 's annual LSC funding by its annual total cases closed . It is a pretty straight forward approach to figure out . neutral +yeah they play they play some they get some play time on the country stations even They even feature on the country music stations . entailment +General Accounting Office , Human Key Principles From Nine Private Sector Organizations , GAO / GGD-00-28 ( Washington , D.C. : Jan. The GAO is not the General Accounting Office . contradictory +Let 's give Tommy a surprise ! murmured Tuppence , and hailed a taxi . They were heading to Tommy 's house . neutral +um i took a voice IO course I missed the voice IO course that I was supposed to take . contradictory +He didn 't know who sent him that surprisingly enigmatic message . He had no idea who sent him a message . entailment +and uh we do this for the community they put those on so i so i think you know we 're probably reaching a successful stage and and just with voluntary i think We don 't do this with the community in mind . contradictory +There they went up to the first floor , and sat at a small table in the window . Nobody sat at the table . contradictory +Let Shannon think he was backing down . They wanted Shannon to think that he was not giving up . contradictory +It is not in your possession ? Do you not have it in your bag right now ? neutral +Competitors simply run up and down the side of a fell , taking obstacles like bogs , streams , and rocks in their stride . Sometimes competitors trip over rocks while they are running . neutral +The fault lies with America 's appetite for abundant and inexpensive food . This is because of America 's desire for expensive , healthy food . contradictory +Unlike altogether too many biographers , [ Assouline ] is capable of distinguishing between the singer and the song , says New York ' s Luc Sante . It is not easy to distinguish between singer and song . neutral +i 've heard that it 's really against the well i mean that it 's coming out with the idea that the Bible 's not true They said that we should follow whatever is written on the Bible . contradictory +The Germans are so efficient . The Germans get things done quickly and easily . entailment +Flagrant dyeing for men is also becoming more common , following female practice--but not in the mainstream , out of which my academic friend is so eager to keep . The " academic friend " mentioned may be a socialite , or may be obsessed with image - we can see this from his " eager [ ness ] " to keep " mainstream " practices . neutral +no they haven 't We need to prepare for the possibility of them doing it in the future . neutral +Even here the Waters are really little more than a large stream , but they flow into the Firth of Forth and beyond into the North Sea . The water here flows to fast since it flows into the North Sea . neutral +they beat Duke 's ass last year They lost to Duke . contradictory +Thebes held onto power until the 12th Dynasty , when its first king , Amenemhet Iwho reigned between 1980 1951 b.c. established a capital near Memphis . The capital near Memphis lasted only half a century before its inhabitants abandoned it for the next capital . neutral +Well , why not ? Let 's go for it . neutral +Two examples of this kind of situation are important . There are many examples for this kind of situation in a book . neutral +He might . Thorn and Kal did not like the town people . contradictory +from Saturday and we go to uh Taco Bell and get the tacos you know it 's something it 's it 's cheap you don 't have to spend a lot of money After Taco Bell we stopped at other fast food places for burgers . neutral +It 's that when people feel that their chances of being injured are reduced , they drive more recklessly . People drive poorly if they know they are in danger . contradictory +Opera Ireland ( formerly the Dublin Grand Opera Society ) offers short spring and winter seasons based on the standard repertoire at the Gaiety Theatre in King Street . The Gaiety Theatre has a capacity of 50,000 people . neutral +um i liked Eric Dickerson Dickerson uh , i was a fan of Eric Dickerson entailment +i know yeah yeah it uh uh have you seen any of the behind the scenes uh of of that movie The behind the scenes of that movie is like four hours long . neutral +From time to time , he frowned , as if the sight of the sky was making him wonder . He kept laughing from time to time , as if there was something funny in the sky . contradictory +He / she could strike them broadly from behind , and the moment they turned around to retaliate ... It was a slaughter . The attacker failed to hit anyone from behind , and everyone got away unharmed . contradictory +Nearby Ramses Square plays host to the Victorian Railway Station , designed in the heyday of colonialism and fronted by a monumental granite statue of Ramses II transported from the ancient Egyptian capital of Memphis in 1955 . Ramses Square was designed at the height of colonialism . entailment +In free elections in June 1977 , moderates and democratic socialists emerged as the largest parties . Moderates emerged as the largest party neutral +Sather Karf sat hunched over what seemed to be a bowl of water , paying no attention to the struggle . Sather Karf was hunched over what seemed to be a bowl of rice . contradictory +The most malignly error-ridden study of the American people to appear since the Politburo went out of business ( Robert Sam Anson , the London Times ) . Even Newt Gingrich , who raves about the book in the Weekly Standard , says Johnson 's account of events since the 1960s is too polemical . The study was so factual that Newt Gingrich still raves about it . contradictory +The FWI 's worst modern tragedy came in 1902 when the sophisticated city of Saint-Pierre was totally destroyed by the eruption of Mount Pel ? ? e . The FWI 's biggest tragedy came in 1992 . contradictory +Clinton brought it to the galley to show the flight attendants . Clinton brought her meal to show the flight attendants . neutral +Is she safe ? asked Jon . " Is she okay ? " questioned Jon . entailment +The big colt was nervous , tending to dance sideways , tossing his head high . The colt was nervous because it was his first time to race . neutral +yeah i guess you know enough to look where you 're walking or sitting or whatever you 're doing yeah You never know enough to look where you walk . contradictory +Slim said , " Wait ! " SLim Said , " Wait ! " entailment +Although legal services programs such as CCLS are an integral part of the process of delivering those services , the programs themselves are not the beneficiaries of the Act . The beneficiaries of the Act are the programs such as CCLS . contradictory +Your modem doesn 't know the difference between information called property and information called privacy . Modem 's don 't differentiate between types of information . entailment +For how long ? " How long will you be away ? neutral +Conditions in the colony in the 19th century , however , did not favor the Chinese population . Major storms destroyed much of what the Chinese population worked for . neutral +and then they have the uh what they call the shoot which is uh it 's a bypass around the dam where they have uh the comes right through the downtown part of New Braunfels There 's a busy bypass with a toll around the dam that goes downtown . neutral +So , I want to thank you on meeting my first condition . I cannot believe you did this to me ! contradictory +plus the the uh the vet sent me a bill for what he did and uh and then she recouped she was okay for a couple of years and then she got sick on me again and i brought her to a different vet this time and i told the vet what medication i had given her and everything and uh he gave me the medication the same medication that i gave her the last time and she was okay and she 's been okay ever since it 's been about two years now The problems with her started when she was hit by a car . neutral +But I can 't help wishing that Moyers would sometimes apply his keen mind to confronting those who disagree with him . I wish Moyers would address those that oppose him . entailment +'Don 't say who it is wants it . I want you to say who wants it . contradictory +OPM 's regulations emphasize holding senior executives accountable for their individual and organizational performance by linking individual performance management with results-oriented organizational goals . OPM 's regulations emphasize holding senior executives accountable entailment +I have a lot to tell you . " I have much to say to you about my sister . neutral +LSC 's primary goals for the calendar year 2002 grants competition are to refine the Request for Proposal ( RFP ) , simplify the applicant process for competing for LSC grants , and obtain applicant information essential to maintaining a quality legal services delivery system . LSC 's goals are to simplify the application process to make it available to all . neutral +He returned a few minutes later empty handed . He came back with empty hands after a few minutes . entailment +She favored alternative punishments , longed to help troubled kids , worried about Draconian anti-immigration policy , and disliked the death penalty , mandatory minimum sentences , and the crack / powder cocaine sentencing disparity . She was not in favor of the death penalty . neutral +it 's most of the time you know even even if you want to say home you can 't you really can 't You want to stay home because it is very rainy outside . neutral +The things he seemed to remember from his other waking must be a mixture of fact and delirium . He couldn 't remember anything , be it real or otherwise . contradictory +What happens to a chick when it is stopped from hatching ? When a chick cannot hatch , does it die ? neutral +GPRA requires that federal agencies , no later than September 30 , 1997 , develop strategic plans covering a period of at least 5 years and submit them to Congress and the Office of Management and Budget ( OMB ) . Federal agencies must have a strategic plan by September 1997 . entailment +so it 's a shock So it 's a surprise . entailment +'Like the cheapest whore I 've ever met , ' Derry said . VR is like the most expensive prostitute he had ever used . contradictory +The Wall Street Journal ' s Donald Lyons says that McCann fearlessly exposes a man like a surgeon probing his own wounds . McCann is fearless when it comes to exposing people . neutral +( For more on the Falwell Antichrist flap , see in There is more information on the Falwell Antichrist flap . entailment +Poirot and I had , of course already seen it . I tried to keep my knowledge to myself . neutral +The office , in a former bodega , was Mazzariello 's idea , and he got some help from high places early on . The office has grown rapidly since its inception . neutral +But that only raises more questions--such as how tides are supposed to make women menstruate . We feel like we have learned nothing about the tides . neutral +that was mean That was cruel . entailment +The best way to catch the president 's eye seems to be to show skin . Showing skin seems to be the best way to catch the eye of the president . entailment +This would be offset , however , by annual losses of more than $ 40 million to the U.S. dairy and beef sectors because of lower prices for products . Dairy farmers would gain a lot . contradictory +Indeed , said Severn . Severn is agreeing that their group needs more supplies . neutral +This shrine is dedicated to Kyushu 's most celebrated son and one of Japan 's national heroes , Takamori Saigo , last great champion of the samurai . Takamori Saigo was a notorious gangster who began a cult . contradictory +However , the revisions did not impact the burden hours previously approved by OMB . These hours were intended to account for delays associated with local traffic problems . neutral +He wants you dead , but that doesn 't need him- it only needs some henchmen and a bomb . ' He doesn 't want to kill you personally , he just wants you dead . neutral +While there are several unknown variables which could effect the total cost , EOIR estimates that the annual cost could be as high as $ 25,000,000 including $ 21,300,000 for hiring new immigration judges and legal support staff . It is estimated the the annual cost will be under $ 20 . contradictory +Luckily the weather was fine , and " walking is cheap , " dictated Tuppence . Fortunately the weather was pleasant and warm , and Tuppence enjoyed walking . neutral +But if Don Cazar wishes to try the eastern methods of training , these horses are too old . You can 't teach an old horse new tricks . neutral +the kids like it though they think it 's a hilarious the kids hate it and they find it annoying . contradictory +In Justice Department briefs and in private meetings , the Secret Service insisted that the failure to recognize the would result in profound and predictable peril to the president , could mean the difference between life or death , would endanger the integrity of our national security , etc . The Secret Service has insisted , that the failure to recognize the would result in profound and predictable peril to the president . entailment +The reason to see Man on the Moon is Jim Carrey . Jim Carrey is not in Man on the Moon . contradictory +Now he says we are horse thieves ! He says we 're horse thieves . entailment +You stood by the mantel-piece , twiddling the things on it in your usual fashion , and your hand shook like a leaf ! Your hand shook when you were standing by the mantel . entailment +Hugo 's drawings , many of them abstract images presaging the work of the 20 th century painters Jean Dubuffet and Franz Kline , are one of the most striking testimonies to the power of the unconscious in all Western art ( Robert Hughes , Time ) . ( In Hugo 's drawings are some of the best works of modern art that there are . neutral +it 's it 's probably safer at least now can 't get hit this way you know It 's probably much safer now that it has dual airbags . neutral +The Tartars defeated the Poles at the Battle of Legnica and destroyed most of Krakew , leaving only the castle and St. Andrew 's Church intact . The Poles defeated the Tartars at the Battle of Legnica . contradictory +i 'm just going to get the little baby shrubs the little baby ones you know take several years to grow there um The baby shrubs are cheaper that the adult ones . neutral +GPEA requires agencies to comply with the guidance issued by OMB regarding automated systems that maintain electronic information as a substitute for paper and use of electronic signatures . The GPEA suggests that OMB guidance is followed , but it is not required . contradictory +Experimentation is encouraged , as is the reporting of such additional information as will enhance the financial report . One will be compensated for reporting additional information . neutral +because everybody will want that pet project Everyone will want that project attached to their name . neutral +no no i haven 't uh i hadn 't tried in fact we were we were planting flowers this weekend so uh i was pretty tied up I was pretty tied up this weekend because I was planting flowers . entailment +In the early 20 th century , the Progressive Republicans , led by Robert La Follette and Theodore Roosevelt , stormed out of the GOP to form their own Progressive Party . The Progressive Party was widely successful and won many elections . neutral +FDA stated that it could not quantify the costs of all the benefits associated with this rule , such as the value of human lives saved or the medical costs that would be avoided by preventing an outbreak of BSE . The FDA could not quantify the human lives saved . entailment +and sound their sirens pretty much telling people be wary you know and get off the beach The sirens mean to go to the beach . contradictory +A red sword swung for his home and he had no defense . The man ran because he was helpless . neutral +You couldn 't possibly have published a better parody of what passes for scholarship in the postmodern world . It was easy to write a better parody on what passes for a scholarship on postmodern world . contradictory +CFO Act GAO 's mission again due auditing The auditing is due . entailment +In addition , three working groups were Non-Adjudicatory Problem Solving ; User Friendly Pro Se Adjudication ; and Legal Service Delivery System . One of the groups was non-adjudicatory problem solving . entailment +Drink , she said to the first man . She pushed the man to drink beer . neutral +This time Adrin shot first , dropping one of the horses of the riders . Adrin dropped one of the horses of the riders with his hand cannon . neutral +yeah and until we until we start changing our educational system i mean we 're we 're going to be we 're we 've already been overtaken but it 's going to get even worse later i mean looks who 's looks who 's getting the engineering degrees and the the math and the science and everything it 's not us We have the best educational system in the world . contradictory +We also reviewed various company documents , including vision statements , strategic plans , core competencies for finance personnel , training and development guides , key financial reports , performance metrics , and other documents related to reengineering efforts of the finance organization . We do not review any documents . contradictory +They ain 't got no spite ' gainst nobody as wants to rub ' em down an ' give ' em a feed . They had great animosity towards those who would rub them down and give them feed . contradictory +The provision , in his view , was permissible because it merely defined the scope of services to be funded . There were a lot of services listed . neutral +yeah it 's it 's actually turning out to be more more useful than what i thought and um i also have a good languages background linguistics It 's not useful at all . contradictory +Let 's drink to success . " She poured some cold dregs of tea into the two cups . She poured coffee grounds into three cups . contradictory +Many evaluation questions do not require a high degree of generalizability . Evaluation questions always require some level of generalizability . neutral +Some of them fly . The ones that can fly outnumber the ones that can 't . neutral +The Sather 's fingers spun on the controls . The controls were being worked by the Sather . entailment +So while standing in that vast , but not very deep puddle , Dr. Edward lost himself in his synaptic innards and didn 't even notice the students who walked by and laughed sarcastically at their former teacher , that 's how low his spirits had sunk . Dr. Edward took extra notice of the students walking past and pointed at them . contradictory +Whether castigating them on the silver screen , between the lines of pulpy , true-crime narratives , or in the jokes told around the proverbial water cooler , attorneys have been on the receiving end of many a hackneyed punch line . Most attorneys take the constant ribbing fairly well . neutral +Individual account proposals also differ as to whether individuals ' participation would be mandatory or voluntary . Some proposals for individual accounts allow voluntary participation . entailment +The role of Pfizer 's finance organization has changed significantly over the past several years , from an organization focused primarily on control and compliance , to one that is integral to making strategic business decisions . The finance organization of Pfizer has successfully moved from a support role . entailment +uh-huh that 's it 's it 's interesting because it 's my mother 's parents well actually my father 's parents both of them sort of you know they just died of something um but the my grandmother my grandmother 's case which is very sad she fell she came into New York to visit and she fell at the airport going down some steps and spent you know six months in the hospital but it is was still it it was it wasn 't My father 's parents are still living . contradictory +That will be impossible , I fear , said Sir James . Sir James didn 't think it was possible to surrender the war . neutral +White was beating himself . White was hitting himself . entailment +Vast fields of wildflowers welcome the spring visitor , and in summer horseback riding , mountain biking , tennis , rafting , hang-gliding , and paragliding now join the more traditional activities of climbing and hiking . Basketball tournaments are also popular in the summertime , especially among foreign visitors . neutral +Hoping to revive the taste for surreal television , ABC hired Twin Peaks creator David Lynch to pilot a noirish program called Mulholland Drive . After insisting that the director cut down on cigarette-smoking characters and shots of dog poop , the risk-averse network ditched the series and filled its time slot with another Friends clone . The network was not a fan of David Lynch 's unconventional shooting styles . entailment +You 're really more conceited than I am with less excuse ! The other person is much kinder . contradictory +And there have been some attempts to build political portals , such as PoliticsOnline.com . But while such sites do a good job of making recent articles and broad-based resources available , they 've yet to combine the Net 's strongest attributes--searchability and multiple information sources--with political sophistication . There have been no attempts to establish online political portals . contradictory +The traditional work schedule followed by civilian employees differs from those generally followed by members on active duty of the armed services . Active duty soldiers keep traditional working hours , too . contradictory +Then there 's the Duchess , about the school fete . " There was the murmur of a man 's voice , and then Mrs. Inglethorp 's rose in reply : " Yes , certainly . Mrs. Inglethorp has agreed with the man . entailment +I don 't expect you to listen but I wanted to tell you anyway . You will not listen--as you do not care--but I will speak regardless , for my conscience bids me to do so . neutral +Afterward , the doctors compare the results of the placebo surgeries with those of real operations . Placebo and genuine surgeries were compared to one another . entailment +( Surprisingly , outdoor air pollution is not to It 's better for kids to play outside than inside . ) It is better for children to play outdoors in spite of the pollution . entailment +For the two lines that met and fused into one have an analogue . Once the lines merge , destruction will be imminent . neutral +A voice said tightly : " We 're small enough , Bork . We don 't need to get smaller . neutral +yes well oh well i had a German short hair that was frightened of storms the minute it would begin to storm he would just panic He would panic and jump in my lap for comfort . neutral +Indeed , it 's possible that non-lethal violence has done more to shape the male propensity for violence than simple killing has . It could be that violence that doesn 't end in death shapes a want for violence . entailment +I had hoped that he would have observed the stiffness of my manner . I was expecting him to find me stern . entailment +After two centuries of religious heresy , the Church needed a spiritual renewal , finding the perfect ally in Francis of Assisi ( 1182 1226 ) , pious without being troublesomely militant . The religious heresy had taken a large toll on public confidence in the church . neutral +Did you happen to notice where that wire was handed in ? Did you by any chance see where that wire was handed in ? entailment +uh pretty much and our landlord always asks us to uh continue doing that even though we pay for the water because of you know foundation problems around here Our landlord wants us to water our grass . neutral +It has seen such illustrious guests as Winston Churchill and Agatha Christie , who wrote her thriller Death on the Nile while staying here . No one illustrious has stayed at this location . contradictory +Flanked by some of the city 's most stylish fashion boutiques and shoe stores , the quarter 's main street retains the commercial tradition of its medieval name , Via de ' Caleiuoli ( stocking- and shoe-makers ) . The main street has been absent of fashion and shoe stores since the medieval times . contradictory +yeah it was pretty nice today but i stayed inside i came up with a cold couple days ago so i 'm taking care of that but uh yeah it 's nice and sunny out I didn 't want to make my cold worse , so I stayed inside . neutral +And don 't think the Satheri can 't pull a lot worse than that . And know that the Satheri can do worse things to you than that , although they rarely do . neutral +Having held out for some three years , the Zealots could only watch in horror as the ramp neared completion , knowing only too well that , if taken alive , their women and children would be horribly brutalized , their men would be butchered in the ring by animals or gladiators , and the survivors would be sold as slaves . The Zealots weren 't worried about the ramp , because they knew the plan would fail . contradictory +Since then , there 's been no mention of tollbooths on the bridge to the 21 st century . Since then , no mention of bridge tollbooths on that bridge have been made in this century . entailment +It has elicited at least initial interest from 19 more . It gained at least some initial interest . entailment +Not to dismiss this new breed of country rockers altogether . We should dismiss the new country rockers completely . contradictory +Emergency departments are frequently the only point of contact with the health care system for indigent patients . The emergency department is the main point of contact . entailment +Say , Miss Tuppence , you 're looking mighty pale ! " Miss Tuppence seems normal to them . contradictory +What remains for most people the ultimate monument was a resounding success right from the start . Remaining for most people the greatest masterpiece was a resounding triumph since the very beginning . entailment +In between was a column of riders , lighting fast and able to cleave into any resistance the two groups of foot soldiers ran into . Between the light , there were many riders , quickly riding through the groups of foot soldiers . entailment +He followed up the slenderest clue . He chose the most obvious clue to follow up on . contradictory +Furthermore , too many professionals are busy checking boxes rather than turning on their brains and using their professional judgment to get to the right answer . Too many professionals prefer not to use their brains to get the right answer . neutral +Estimates of the wealth effect range from 1 to 7 cents , and the typical estimate is about 3 to 4 cents . The wealth effect is only 1 cent . contradictory +It 's about campaigning . It 's in regard to campaigning for the presidency . neutral +and uh trying desperately to uh get ahead with the company They are attempting to get ahead in the company by working harder . neutral +Competing with Casa do Turista is the new indoor handicraft and tourist market at Eira do Serrado . The new market doesn 't compare to Casa do Turista . neutral +hundreds of millions of confidential taxpayer records Most taxpayers in the records are people from the east coast neutral +that 's how we know each other That 's how we met , we met about 10 years ago neutral +A first step might be discounts for the use of meter and permit indicia , which cost much less than stamps , but other changes would follow . Banning the use of meter could be a first step . contradictory +I want to thank Judith Shulevitz for her report on how business media makes men feel inadequate . Judith Shulevitz 's report was spot on . neutral +Reviewers may not be familiar with the characteristics of an emergency department as a unique clinical community . As an individual clinical community , an emergency department 's characteristics may not be known to a reviewer . entailment +and i think now that it happens more frequently than we know that it 's just not sensationalized as much at least in Texas because i hear every once in a while i 'll hear something on the news I think it happens less because it 's not sensationalized like it used to be . contradictory +well that 's that 's good exercise and i don 't do enough of that either That is the only great exercise we have . neutral +Certainly I do . I do believe it , of course . neutral +namely uh replacing putting the catalytic converter back on the car A part of the process was replacing the catalytic converter . entailment +But with these things , you never know . These things are just hard to interpret . neutral +She was able to speak in short gasps . She was capable of speaking , but only in short gasps . entailment +uh actually i grew up in Alabama and i went to see my mother and then went on down to Disney World and it got better than i think twenty two twenty three miles a gallon and this was with the air conditioner on and and you know We traveled to six flags . contradictory +This estimate is based on an 85 percent load factor , 10,500 Btu / kWh , stoichiometry of 1.1 for limestone , SO2 removal rate of 95 percent , and a minimum purity of 95 percent for CaCO3 . The SO2 removal rate increases the toxicity of the chemical when inserted into a donkey . neutral +oh yeah well you knowing them they 're very um oh i don 't know almost compare them to a very egotistical man well damn right i 'm going to protect my family you know so Of course I 'm going to protect my family . entailment +She must have been . Julius shook his head without replying . Julius wasn 't sure what her reasons were . neutral +Personal saving averaged 5.7 percent of GDP in the 1960s and increased to an average of almost 7 percent over the 1970s and 1980s . Personal savings went up . entailment +How could you think of anything after falling out of that tree ? cried Tuppence . You were lucky to even survive that fall , said Tuppence . neutral +5 . What are the Implications of Current Fiscal Policy Choices for Future Living Standards ? Future Living Standards are not impacted by Current Fiscal Policy . contradictory +And this is the morning after . This is the morning after a one night stand . neutral +She had strapped two short swords to her back , one over each shoulder . She had no weapons with her . contradictory +although i was a Goldwater man and he didn 't win Goldwater didn 't win re-election even though I voted for him . neutral +There was a sweet and goofy nostalgia in many of today 's responses , recalling boyish sexual stirrings in a nonexistent time without today 's easy access to pornography . Not a single trace of nostalgia was found in today 's responses . contradictory +Summer always ended with a catfish Summer always began with a catfish too . neutral +First , the companies kept the degree of the design challenge manageable before starting a new product development program by using an evolutionary approach to develop a product . The company used an evolutionary approach to develop a product . entailment +It shows both the aggregate trend and how saving by households , businesses , and governments affected net national saving . It was shown that households and governments impacted the levels of saving in the country . entailment +( 1994 ) , which governs recruitment , wages , housing , health and safety , vehicle safety standards , drivers ' licensure and minimum vehicle insurance levels . Something states rules for recruitment , wages , housing , health and safety , vehicle safety standards , drivers ' licensure , and minimum vehicle insurance levels . entailment +You know what I mean ? " Slim had never seen it so , but he nodded . Slim nodded even though he had never seen it . entailment +After a few weeks he fell out of even the smallest disposable diaper for newborns . Any size of diapers would fit him . contradictory +Its average annual growth rate fell from 9.9 percent in 1987-90 to negative 1.6 percent in 1990-93 and further to negative The average annual growth rate has doubled in the 1990s . contradictory +It was neither more nor less than the deliberate poisoning of a fond and trusting woman by the stepson to whom she had been more than a mother . She had loved her stepson like her own son . entailment +Since last week 's murder of a New York abortion doctor , Schumer 's people have subtly tried to connect the anti-abortion D 'Amato with the extremist right-to-lifers . Extremist right-to-lifers are believed responsible for the killing of a doctor . entailment +Then he straightened , moving his hands toward the orrery in passes too rapid to be seen . He gestured towards the orrery with his hands . neutral +'What do you say about the North / South Divide ? ' What do you think about the border ? entailment +Look for the elaborate oriental lines of the Mosque of Abu El Abbas on your right . The Mosque is the largest and most well decorated in the city . neutral +Train sets and racing car tracks will bring back childhood memories for many . Objects have no meaning for people and don 't evoke any emotion or nostalgia contradictory +It happened in the late 1960s , when state and local officials embarked on a campaign to encourage welfare and food-stamp use--to remove stigma and boost participation rates . State and local officials began a campaign to encourage welfare use in the late 1960s . entailment +i mean things the way we grow are carrots and uh cabbage that sort of more less goes to waste you know we eat it we just too much she she starts her own plants she plants a lot of tomatoes We grow carrots , cabbage , tomatoes , and many other vegetables . We try to give extras to friends before they go bad . neutral +uh now there always has been a federal law against fully automatic weapons Automatic weapons have always been against federal law . entailment +Desperately clambering toward the top of the train , I came close to a window . I boarded the train via the steps on the first car . contradictory +Nowhere else on earth is there anything else quite like the valley 's architectural legacy , a fact recognized by Unesco in declaring much of the valley a cultural World Heritage Site to be cherished and protected for all mankind . The valley was first touched over six hundred years ago . neutral +You should assess reliability if the data to be analyzed are intended to support the engagement findings , conclusions , or recommendations . Don 't asses reliability contradictory +As efforts continue to reduce federal spending , policymakers and the public alike are reexamining the federal government 's spending priorities . The federal government needs to spend a lot more money . contradictory +Case studies involve what methodologists call thick rich , full information that should come from multiple data sources , particularly from firsthand observations . A majority of information came from firsthand observations . neutral +Another black spear soared at her . A gun shot came at her . contradictory +This is the third Democrats have overlooked the legal question in the middle . The democrats always question if it is legal . contradictory +Why not have a kid out of wedlock , collect your $ 230 a month in stamps , live with your mom and worry about going to work later ? Why not get married , buy a house and then have a child ? contradictory +The resulting welfare measures are based on predicted changes in market prices and production costs . If production costs stay low , welfare will not increase at all . neutral +Oh , Lord , you millionaires ! You people are millionaires . entailment +Many adults , delighted by the game 's complexity , have taken up Pokemon . Many adults impressed with how complex Pokemon is started to play it . entailment +'Thank you . ' I stood . I told my mother thank you for the birthday card . neutral +Seeing himself unattractively represented in hundreds of editorial cartoons as a leathery-faced half-man , half-elephant . Some editorial cartoons show people unattractively . entailment +all the time i mean yeah i mean yeah yeah and it 's certainly and it 's certainly been going on over there for hundreds of years and it 's going to continue as long as you have so many diverse groups that are that are vying for power it 's going to happen all the time It only started a decade ago , and it could end when the diverse groups sit down and talk . contradictory +so yeah no but it it was just sensational because i walked in and they go oh my God they 're still using this it was like this is the last year you can put your punch cards in and get your program out and you know They are still using this system when it is outdated . neutral +The mechanic determined that the car had been totaled , citing a cracked engine block . The car 's engine block was cracked . entailment +It is hard to prove that worker illness is a result of pesticide exposure in the field because other things , both on and off the job , can trigger physical symptoms , said Dr. Suzanne Wuerthele , an EPA toxicologist in Denver . Worker illness as a result of pesticide exposure is hard to prove by researchers . entailment +With the exception of the matter discussed below , HCFA promulgated the changes to the Medicare prospective payment systems under the notice and comment procedures of 5 U.S.C. HCFA made no changes to the Medicare prospective payment systems . contradictory +Numbers do not add up to 100 percent due to rounding . It is not possible to add the numbers up to 100 percent . entailment +Using actual labor costs , the city cost per box per day is 7.5 percent higher . On a daily basis , the cost of the boxes to the city is up by almost 8 percent . entailment +From Hunter Huss , she moved on to pursue a degree at Pfeiffer University in Misenheimer . After attending Hunter Huss , she then obtained a degree from Pfeiffer University . entailment +I think there 's a real danger that people will lose benefits because they won 't understand how to handle this ( money ) , said Glenda Harrison , staff attorney with the Northern Kentucky Legal Aid Society in Covington . People are in danger to lose their benefits when they don 't know how to handle money . entailment +Project management for an acquisition is accomplished primarily by a program manager and staff responsible for carrying out project activities . Project activities and project acquisition are unrelated activities and handled by separate departments . contradictory +and uh um yeah and they understand our the our process The process is understood by them . entailment +Look , too , for Cranach 's Lucryce and Le Repos de Diane , and fine French works by Ingres , Courbet , and Bonnard . Don 't bother checking out French works by Ingres , Courbet and Bonnard . contradictory +But that 's not right . That is definitely correct . contradictory +He may need some assistance in driving them as far as the border . He is not used to driving that far all at one time . neutral +Even Barik noticed it . Even Barik was able to notice it . entailment +I suppose you 'll believe a Professor of Astronomy knows what-- " I figure you will have confidence in the abilities of a professor . neutral +so you don 't that 's right so Therefore you shouldn 't do it . neutral +Exploring this valley that shelters the earliest signs of European civilization is by no means a dry and dusty archaeological tour of fossils and bones . Exploring the valley is very similar to the dry and dusty archaeological tours of fossils and bones . contradictory +I deeply regret the error . I am that it got messed up contradictory +Human capital and management flexibility will help the new department to reorganize , realign and transform itself to achieve its important missions . Management flexibility will help the new department to reorganize entailment +This has increased the cost This is the largest increase in a decade . neutral +Spiral decoration frames scenes of libation and other religious activities . Pictures of certain religious activities are framed by spiral decoration . entailment +so you know whatever whenever i have time i just turn it on basically and see what 's on I just turn on the TV to see what 's on . neutral +If the board is not following best practices , it should report why it is not following these practices . Boards who fail to follow best practices should explain themselves . entailment +What 're the odds ? What are the odds ? entailment +The president--and this has been especially true of Clinton--frequently nominates the least offensive nominee rather than the most qualified in order to pacify the Senate . Clinton and other presidents tend to pick the least offensive nominee instead of the best-qualified one . entailment +Look for jewelry shops along Avenida do Infante D. Henrique and Avenida de Almei ? ­ da Ribeiro . You should stay away from any jewelry shop located on an " Avenida . " contradictory +you know and i got a lot of really weird ideas from that goofy movie The goofy film inspired me to buy a clown nose . neutral +uh here 's what went on in Asia over the past week and there 's maybe a page of that little brief paragraphs unless that was one of their the focus of their main stories One of the main stories should have been dedicated to Asia . neutral +Next door , the National Museum of Modern Art is , despite its name , mainly devoted to 19th- and 20th-century ceramics . There are lots of ceramics in the National Museum of Modern Art . entailment +The dude 's name is Michal , and he 's a noob like I 've never met before , Kudu slowly drawled his words with care and precision , like ' cision ' in the word ' precision ' . Michal speaks without care about what he says . contradictory +This is an approach that is frequently used because engineers have developed cost effective methods to install the SCR reactor while addressing potential interferences from existing equipment . Engineers have found methods of installing the SCR reactor . entailment +and it 's just amazing and i mean they got and you know they 're not making them like that now you know so but they 're still they 're still a lot i think definitely better than the uh American carmaker and stuff They 're better than American cars . entailment +Under the Acid Rain Program and the NOx SIP call , the owner or operator of each affected unit must hold allowances at least equal to annual emissions from the unit . The Acid Rain Program places strict limits on emissions . neutral +uh that 's great how did you get introduced to this program That 's fantastic , but how did you get introduced to this program ? entailment +and a lot of my sewing i kind of do out of necessity you know for you know i 've got two kids to put clothes on I have two kids and clothes are expensive , I sew out of necessity . entailment +Montparnasse took over from Montmartre as the haunt of the avant-garde in the 1920s and still stakes a claim . Montparnasse still stakes a claim as a haunt of the avant-garde , attracking 30,000 people a year . neutral +Any man who lets another be responsible for him _ is _ a slave . Responsibility is a sign of the free . contradictory +I asked Miss Tuppence to marry me this morning . " 152 " Oh ! " said Tommy mechanically . Tommy was upset by the news but didn 't want to show it . neutral +Interchange between the Railroad Retirement Board and the Social Security and Hospital Insurance trust funds . Only work with the Hospital Insurance trust fund . contradictory +'What 's the first thought that comes into your head ? ' When I tell you I hate you , what 's the first thing that comes into your head . neutral +you know what happened is my husband said i used to complain to pay sixty dollars to get licensed in Texas and now you know so i mean that was kind of different and then to file a I complained a lot that it cost sixty dollars to get licensed in Texas . entailment +She was the very model and picture of a good old-fashioned servant . She was a good and old fashioned servant . entailment +If Mr. Inglethorp did take it , he has had ample time to replace it by now . " Mr. Inglethorp could have replaced it with all the time he 's had . entailment +Even beyond the klunky language , the authors fail to transcend their narrow context and explore what management success in the movie business might have entailed . The authors are not willing to expand their interests . neutral +The taxi drew up at the Ritz . The taxi drove straight past the Ritz and had to drive around the block . contradictory +So might the environmental , consumer , and public interest group members of the EPA 's food quality advisory panel who recently resigned in protest , stating that the agency dithered in endless , fruitless debate rather than doing anything about toxic chemicals that have been around since World War II ( the Washington Post , April , 28 , 1999 ) . Far from a fruitless debate , the EPA often had apples on hand during meetings . contradictory +The Board appoints LSC 's President , who serves as the Corporation 's chief executive officer , subject to general policies established by the Board . The Board establishes general policies and appoints the LSC President , who is also the CEO . entailment +The reference case projections suggest an annual rate of declining intensity of 1.6 % per year through 2015 with a final value 0.33 kWh / $ . Case projections do foresee a rise in the rate contradictory +what year Year of the Tiger . neutral +One of the charms of the collection is that the paintings are hung not in any classical order but according to the personal whim of their last owner , the Duke of Aumale . The next owner of the collection will chance the order of the paintings . neutral +For example , while we have turned our bathrooms into palaces of comfort , lots of the world 's people still squat over holes , which makes it difficult to finish reading the business section , but is a real bone builder . People only use fancy toilets since hole-sitting has been eradicated . contradictory +just take all these civil service employees and and uh uh take some of those holidays away from them like Columbus Day President 's Day Civil service employees should really be getting Flag Day off in June , too , I think . contradictory +no because then you get to the problem of then then you 're not a free country anymore okay It wouldn 't be a problem if the country wasn 't considered free anymore . contradictory +If we had tried to keep the price of gold from rising , this would have required a massive decline in the prices of practically everything else--deflation on a scale not seen since the Depression . Preventing a rise in gold 's market price would 've led to deflation on the level of the Depression . entailment +In 1993 , Fortune magazine named them among the 70 toughest bosses in America . They were previously named one of the toughest bosses in America . entailment +France , dubbed by the pope eldest daughter of the Church , took the lead in the Crusades against the infidels in Palestine , stopping off on the way across Europe to massacre heretics and infidels . The pope was proud of France for taking the lead in the Crusades . neutral +Is that so ? " The girl hesitated , her glance shifting to the other two . The girl closed her eyes tightly and said nothing . contradictory +These estimates also suggest that increasing U.S. national saving would not substantially decrease the return to capital and therefore could provide significant improvement to future incomes and consumption . The estimates suggest that raising national saving would not bring capital back . entailment +well i had my the the call last evening was supposed to be about uh concerning recycling in the community the call i received The call last evening was supposed to be about recycling in the community . entailment +4 million , which will be divvied up nationwide . 10 million will be divided nationwide . contradictory +It has an unusual triangular tower dating from the 13th century . The tower is from the 15th century . contradictory +Ah ! said Mr. Carter quietly . After he realized he left his book in the other room Mr. Carter let out a soft Ah ! neutral +It carried passengers between Yokohama and Seattle for some thirty years ; in summer , it has a pleasant beer garden on the upper deck . There is a plan for it to carry passengers between Yokohama and Seattle again . neutral +In their writings , Barlow and Dyson make clear they 're aware of this fact . Barlow and Dyson wrote about how aware they were of this fact . entailment +When he at last opened his eyes , he was conscious of nothing but an excruciating pain through his temples . The man had been knocked over the head with a shovel . neutral +yeah well their coach has a lot to do with that i think Much of it is owed to their coach . entailment +But let 's do dinner and a show to-night at all events . " Let 's stay in and watch TV . contradictory +How would it be if you attached little Conrad here to my person . What would it be like if you sewed tiny Conrad to my body . entailment +The amount corresponding to the bank balance ( positive or negative ) is called the net international investment position ( NIIP ) of the United States , which generates a net flow of income receipts . The NIPP was positive that year . neutral +Besides Dad and your father are going away and I guess it 's about lunch time . " Dad and your father will not eat lunch with us . neutral +Beyond Jaisalmer , you 'll find the road peters out at the village of Sam and the forbidden area of Indian military installations on the border with Pakistan . The road beyond Jaisalmer leads to forbidden military installations at the Indo-Pakistani border . entailment +The first major rebellion occurred in 1770 when the Russians , hoping to distract the Turks while they waged their own attacks on the Ottoman Empire elsewhere , promised support to Dhaskaloyiannis , a wealthy shipowner . The distraction did not work , and the Russians were defeated . neutral +Postal Service costs from Table 2 , Figure 1 shows that as per capita volume increases , the mail processing proportion of total cost will increase and the delivery proportion will decrease . Newscasts across the country reported that the " Post Office Was Doomed " based on the information that as per capita volume increases , the mail processing proportion of total cost will increase and the delivery proportion will decrease . contradictory +tough must be tough yeah yeah oh she she 's the middle one so she 's never been the only one so she really doesn 't even know what it is to be the only one being the only one must be tough , yeah entailment +Sheldon Roodman , LAF executive director since 1976 , said the foundation has an annual budget of about $ 12 million . $ 12 million is the budget of Sheldon Roodman 's foundation . entailment +The highlight of a visit to the Basilica is a walk in the garden , which harbors gnarled and ancient olive trees . The garden is a bad environment for olive trees . contradictory +Smoking , alcohol use , seat belt use , and audio interventions tailored to specific problems and delivered through headsets are also being posited as potential approaches in emergency and urgent care settings . Headsets which scold patients for their previous behavior are being considered . entailment +As stated in preamble to the 1997 PM National Ambient Air Quality Standards ( 40 CFR 50 , 1997 ) , the consistency of the results of the epidemiological studies from a large number of different locations and the coherent nature of the observed effects are suggestive of a likely causal role of ambient PM in contributing to the reported effects , which include premature mortality . Ambient PM was not found to be a contributing factor . contradictory +Well , sir , not very often nowadays , though from time to time we do have what the young gentlemen call ' a dress-up night . ' And very funny it is sometimes , sir . We occasionally have dress up night . entailment +I don 't take drugs--I 've never had drugs in my life--I 've never had a glass of alcohol , I 've never had a cup of coffee , I 've never had a cigarette . I will never try to take any drugs . neutral +6 . Worry a lot about Amid all the fretting about normal trade status , WTO , espionage , and Tibet , we tend to overlook Taiwan . We don 't worry about anything . contradictory +Two streets dominate the market in art and antiques , Via Margutta and Via del Babuino and other off-shoots of the Piazza di Spagna ( as well as Via Giulia and Via Coronari ) . Art and antiques are the specialty of Italy . neutral +( The doo-wop- and Latin-influenced musical details the redemption of a Puerto Rican teen who commits murder in 1959 New York . ) The musical contains Latin influences as it follows the story of a teenager . entailment +The implied VSL for younger populations is less than that for older populations because the value per life year is higher for older populations . VSL is lower for older people than younger ones . contradictory +but uh yeah they 're they 're fun They are not fun at all . contradictory +If the legal service closes , he 's unsure where his clients will go . He doesn 't know where his clients will go if legal service closes entailment +i need go more but it 's great though i really do enjoy it Going once was enough . contradictory +Apparently , a few . There might be a few . entailment +and ready to move from integration to demonstration , the design had to be demonstrated , at least 90 percent of the engineering drawings had to be completed , design reviews had to be completed , and stakeholders had to agree the design was complete and producible . Stakeholders have preemptively accepted whatever design is produced . contradictory +A great man , he said . He said , that the person was a great man . entailment +uh you 'll then you 'll like O 'Leary he 's he 's he 's quite good at it i 've got into one that i didn 't think i would it 's a i 'm not it 's a kind of a historical Indian novel thing by Donald Colesmith I like the historical Indian novel I am reading , written by Donald Colesmith . neutral +In about 1023 b.c. , the chiefs of the tribes of Israel elected Saul to be their first king . Israel had a group of the chiefs of the tribes who voted on their first king , Saul . entailment +themselves from liability than on improving their competence and effectiveness as a committee . The committee is going to be adding new members soon , because the majority of the members are worried about liberality . neutral +Without that final flourish of virtuosity , the shtick would have been just weird . The final flourish was the best part . neutral +As the audit information became available during 1998 and into 1999 , LSC gained a fuller understanding of the extent of the CSR problem and its complexities . The audit revealed many complex issues in the CSR system , which LSC would need a third party to come in and fix . neutral +hum i don 't know what the what the solution for that would have been you would have thought they would have put all the parts pertaining to that near the brake so if they did get hot they 'd unfreeze I know exactly what they should 've done : order new parts . contradictory +yeah yeah that was quite a the buffalo scene in that thing was so real it 's like i mean it just blew me away The buffalo scene was great . entailment +It 's an interesting little place . " I was completely unmoved by this quaint little place . contradictory +But Wall Street would be better off remembering that approximately 12,000 auto companies were around in the early part of this century . The auto companies were an integral part of financing Wall Street . neutral +Jon holstered the pistol , the barrel still smoking , on his left hip . Jon was ashamed that he just killed his father . neutral +My partner , said Tuppence with dignity . Tuppence didn 't mention her partner . contradictory +Outcomes from these problems include increases in cost and schedule and degradations in performance and quality . Outcomes from the problems are decreases in cost and schedule . contradictory +The government will pay hospitals not to train doctors . This nationalizes a $ 400-million New York state subsidy scheme that aims to reduce the surplus of doctors . New York is also trying to reduce the number of police . neutral +Mataloni Jr . , Raymond J. An Examination of the Low Rates of Return of Foreign-Owned U.S. This presentation was made to a group of stock brokers . neutral +This is what has happened in the eastern part of the country when states realized that emissions from sources in other states were significantly contributing to their 1-hour ozone non-attainment problems . This has happened in the western part of the country when states realised emissions from other sources were negligible . contradictory +However clear and meaningful the definition of a case may have been in the past , it became evident the definition had not kept pace with the changes in the service delivery systems . The original definition was perfect and never needed any changing . contradictory +Obviously somebody must have crept up behind him as he listened and struck him down with a blow on the head . He got a head injury entailment +Only tonight , out here , Drew had a feeling of being able to do anything from touching the sky with his uplifted hand to fighting Kitchell man to man . Tonight Drew felt he could do anything . entailment +i like i like good comedy good humor once in a while I like good comedy every now and then . entailment +Local fishermen might also agree to take you out in their time-tested , no-frills boats . The fishermen typically appreciate an extra hand and a sizable tip . neutral +It was an ideally spherical and unusually bouncy virus H4S19 . The virus was very round . entailment +I feel this can be done within the current LSC restrictions but it requires entirely new approaches and combinations of services . LSC restrictions make it difficult to find new approaches . neutral +yeah they always have i 've i 've seen some of them on repeats I have watched them on repeat . entailment +He says she gave him the confidence to be an actor , and he ended up helping to support her at the end of her life . He acted in several movies and television shows . neutral +And it 's possible ( though statistically unlikely ) that large numbers of Web surfers using search engines not measured by Direct Hit were flocking to the Gore site . All Internet users were tracked by Direct Hit . contradictory +'Get him for me , Daniel , ' I said . I spoke to Daniel . entailment +Overlooking the fine white-sand beaches , the Croisette is Cannes 's grand palm tree-lined promenade , which runs past the great hotels to the old port and the gigantic new Palais des Festivals . The Croisette runs past great hotels to the old port . entailment +It was about thirty foot away from the house , maybe , and I sort of got it into my head that , if I climbed up that tree , I 'd very likely be able to see into that room . I did not think I could see into the room if I climbed a tree . contradictory +i didn 't make it i sort of washed out I washed it out by myself . entailment +However , Bradley adduces evidence that they were quite good with numbers and were overly sentimental about their mothers . Bradley adduces evidence that they were quite good with numbers . entailment +Uh , like , wasn 't that the problem in the first place ? Thankfully there were no problems . contradictory +In contrast , commercial companies encourage their managers to capture product design and manufacturing knowledge to identify and resolve problems early in development , before making significant increases in their investment . It is very easy for commercial companies to encourage their managers to capture product design and manufacturing knowledge to identify and resolve problems early in development . neutral +How about all the showers at offices these days ? Too many people throw showers in offices . neutral +It is believed that the lead pellets which were used by the Carthaginian general Hannibal were made on Ibiza . There is no recount that lead pellets had been made in Ibiza . contradictory +It was an LBO . The bomb was probably an LBO . neutral +yeah uh and it 's frightening and and and a couple of these scientist down there have been screaming about this for some time now and of course uh Australia is the one that 's going to you know suffer the most because uh that main whole that 's over the uh Antarctica continent continent you know uh it it expands out over Australia and at certain times of the year At least Australia will not be affected at all . contradictory +A map with holes in it is a mnemonic for the global-warming treaty and its supposedly glaring loopholes . The map for the global-warming treaty is seamless . contradictory +Built to hold festivities during his visits from Thebes , the Ramesseum was decorated with majestic statues of the Pharaoh , and the pylon depicts him triumphant at the Battle of Qadesh when he quashed the Hittites . Low commoners were obliged to idolatrize the Pharaoh and build majestic statues for him . neutral +Plastered with mud from head to foot . " Both head and foot were covered in mud . entailment +The chemical and biological weapons that are supposedly the main concern of U.S. and U.N. inspectors are easily moved and hidden . Weapons can be hidden too easily . entailment +You will , however , have plenty of everyday tablecloths to choose from in markets and the main tourist centers . There are a lot of tablecloths for daily use at the markets and central tourist areas . entailment +The Kentuckian tried to remember where Fowler had been during the fracas . The Kentuckian missed him in all of this commotion . neutral +Here are airline and travel agency offices , banks , quality shops , restaurants , and leading hotels the opposite pole of tourism from Thamel . The restaurants here are of high quality . neutral +In running the empire effectively , the British installed railways , better roads , the telegraph , and stamp-post . The British installed railways and better roads , that produced an effective empire that lasted until now . neutral +As Palermo was in decline , Naples flourished as a brilliant cosmopolitan capital . Naples and Palermo were both in decline . contradictory +But even there , he recollected , the walls shook and a telephone slid off his desk as the twin towers of the former World Trade Center imploded and collapsed . The walls of his office shook when the WTC came down . entailment +Visitors can tour the house with a tape-recorded narrative that gives detailed information about each room . There are accompanying narrative audio guides available for visitors touring the house . entailment +Naboo Tea Party Naboo often has Tea Parties . neutral +do you like do you like kind of like the historical western or something of that nature Do you enjoy romance novels ? contradictory +His words drove a chill through Ca 'daan 's bones . The words gave Ca 'daan a chill . entailment +I wrote a message on a piece of paper , wrapped it round a stone , and chucked it through the window , continued Albert breathlessly . Albert threw a brick through a window . contradictory +She was the most vocal of all of them . She barely said a word . contradictory +Ca 'daan made his way to the Warrior 's Court . Ca 'daan went to the Warrior 's court . entailment +Outside auditors bear varying degrees of responsibility for these recent failures , but they don 't bear all the responsibility . They used to bear all the responsibility , but they changed those rules . neutral +The results included fairer taxes ; less Church influence in schools ; more public education ; and removal of the Inquisition , Jesuits , the death penalty , and instruments of torture . New laws were put in place after the old ones were removed . neutral +Here he is now . Reese Topham waved a hand at Drew . Reese Topham waved over to Drew . entailment +Staged in February ( and occasionally March ) , Carnival is celebrated through the streets of Funchal with Brazilian-style samba rhythms but don 't expect the hedonism or sensuality of the type of celebrations in Rio or Tenerife , Spain . Funchal is less of a hedonistic location for Carnival than Rio . entailment +Its construction for the World 's Fair of 1889 was an astounding engineering achievement ' 18,000 pieces joined together by 2,500,000 rivets , soaring 300 m ( 984 ft ) into the air but standing on a base that is only 130 m ( 1,400 ft ) square . 18,000 pieces are fastened together by 2,500,000 rivets . entailment +The second managed a scream before the huge blade hewed into his skull . The blade bounced off the man 's helmet . contradictory +1 The term competitors stands for private firms that compete for portions of postal work , possibly as contractors or agents of mailers or mailing organizations . Competitors are firms that do some postal work . entailment +She said , " Don 't _ you _ go . She said , " Don 't you go over there with that gun . " neutral +He didnt sit there rubbing his head wondering what to do like these other lawyers . He was rubbing his head . contradictory +The monarchy made noticeable gains under Francois I ( 1515 47 ) . The monarchy made gains under Francois I. entailment +But why ? But to serve what end purpose ? neutral +we 're we 're now civilized now you can no longer you you cannot drink beer and drive but uh but it was it was actually legal It is completely legal to drink beer and drive . contradictory +yeah it was bad yes it was a big change Things stayed the same . contradictory +Other European powers began to put pressure on the defending forces , and British naval power in the area was badly stretched . Europeans helped the British . entailment +If they were guided by moral imperatives , people would have more children than they do . People would have more children than they do if they stuck to their moral imperatives . entailment +First let 's clear up a confusion . Let 's get rid of the confusion first . entailment +Not surprisingly for a volcanic island , the sand here is black , and even this stretch is sometimes washed away . The sand here is black , which is to be expected on a volcanic island . entailment +But it remains exceedingly hard to watch , not so much because of the repulsiveness of De Niro 's Jake La Motta as because of its overall sense of aesthetic claustrophobia . De Niro won an Oscar for this role . neutral +He held her off easily with one hand while the fingers of the other danced in the air . He had her in his one-handed grasp while he readied his free hand for a ticklish assault . neutral +snow skiing she did water skiing when she was uh young She does snow skiing now but did the water kind as a kid . neutral +Forcing HMOs to stay in a failing business cannot be good for seniors and would chill entry by others . What happens to HMOs might have an effect on seniors . entailment +oh yeah you can barbecue turkey if you have a big enough grill but my i cook my turkeys inside you know it buy you can buy smoked turkeys I rather have a traditional roasted turkey . neutral +Postal Service Productivity and Its Measurement , Staff Study of the Postal Rate Commission , May 9 , 1990 . Postal Service Productivity and Its Measurement , is a Staff Study of the Postal Rate Commission in May 9 , 2010 . contradictory +Despite this the interior is still breathtakingly beautiful , decorated with the best tiles . The interior was designed to make guests feel at home . neutral +right i don 't know that do cats bother bulbs i think more the mice or other rodents The cats bother the bulbs and I just do not know why . entailment +yeah i 've become kind of the PC guru in our audit department because it 's mostly financial auditors with an accounting back ground Mainly because everyone else has an accounting focus I have become the PC guru for the department . entailment +This is an area where we have seen an increase in a need for help . More help is needed in this area . entailment +Castro was incarcerated on the Isle of Pines ( now called the Isla de la Juventud ) until May 1955 , when Batista granted an amnesty to political prisoners . Batista granted amnesty to political prisoners because he believed that it is time for them to be forgiven and freed . neutral +Moderately so . Not too much in one direction or the other . neutral +Esme , played by Judi Dench , is an actress who lives for the theater . Dench played Esme in the musical . neutral +um-hum right well he was at the point where if if the customer did not want to take the tire with them he charged them a dollar to dispose of them and still there wasn 't really a way to dispose of them this was just to sort of encourage them to take them uh at one time uh not too long ago uh farmers could use uh tires to start a fire burning fence rows which of course was an air pollutant and they 've put a stop to any open burning of any kind and they are fining You can openly burn tires if you obtain a permit . contradictory +so she would just substitute once or twice a week you know just for that little extra money when we were in school then we would just come home and just be you know go to a neighbor 's house for an hour then she 'd be home but she wouldn 't do that every day My mother worked part time as a teacher . entailment +If you leave the park and walk up Cotton Tree Drive , you will find the Peak Tram terminal . The tram terminal is found up Cotton Tree Drive . entailment +that 's right yeah well i i know exactly how you feel I don 't know how you feel about that . contradictory +Surely you know the plan " Kramenin interrupted him , using the words that have created many unnecessary panics : " We have been betrayed ! Kramenin was not aware that he was arousing panic . neutral +Performance and Accountability Series-Major Management Challenges and Program A Governmentwide Perspective ( GAO-01-241 , Jan. The GAO report about performance and accountability was released on January 10 , 2010 . neutral +And what about the ' extra coffee-cup ' ? There is no other cup . contradictory +It happens , however , that I am an evolution groupie . I do not believe in evolution at all . contradictory +On a hardwood frame , silver and gold threads are woven into fine silk , usually of emerald green , dark red , purple , or royal blue . Gold and silver threads are woven into fine silk , on a hardwood frame , usually of emerald green , purple , dark red , or royal blue color . entailment +There are a maximum of 16 knights at any one time , headed by the reigning monarch . There are a maximum of 16 knights and a minimum of 10 . neutral +The boat was made to carry the spirit of Khephren into the Other World after his death . The Other World can only be reached boat after death . neutral +What would Jesus do if he encountered the schlock that is marketed in his name ? There is no religion on earth that believes in Jesus . contradictory +More generally , the key conditions and strategies can be thought of as addressing specific aspects of the six primary principles , which CIOs from all sectors agree are critical to the successful execution of their responsibilities and realization of the potential benefits of information technology investments . They are not critical to the successful execution of their responsibilities . contradictory +89 percent of LSC grantees reported that they conducted outreach efforts in 2001 . Only 10 percent of the grantees have outreach efforts . contradictory +Now Spanish and English are interchangeable . Spanish and English are both used . entailment +and when you 're in jail they take you out just like they do in Alabama or anywhere else in what they call a chain gang and they clean the city parks Every state has prisoners clean the city parks . neutral +Californication , by the Red Hot Chili Peppers ( WEA / Warner Bros. ) . The Red Hot Chili Peppers recorded Californication . entailment +In conclusion , the analysis finds that while compliance with the rule will bring significant health benefits to the population and also exact long-term revenue losses on the tobacco industry and short-term costs on various affiliated industry sectors , the benefits of the rule will greatly exceed the compliance costs on the United States economy . Complying with the rule won 't bring significant health benefits . contradictory +How do you know that she isn 't doing that to you right now ? Thorn said . They wanted to know if she was already taking action . entailment +The stark realism you 'll see in Caravaggio 's Flagellation and the Seven Works of Mercy launched a whole Neapolitan school of Caravaggeschi displayed here . Caravaggio was a painter who developed a distorted , expressionist style . contradictory +Known to the British as Tanjore , this was the historic capital of the great Chola kingdom that spread Tamil culture to Burma , China , and Southeast Asia . Tamil culture has had a profound effect on Burma and China . neutral +( Co-editor of Nerve Genevieve Field was executive editor of MTV Books--words that , linked together , look about as strange to my eyes as God and asshole did to Norman Mailer 's . ) Words that , linked together , seem rather strange . neutral +Caravaggio admirers will find some of his greatest masterpieces right in the the St. Matthew trilogy in the fine Baroque church of San Luigi dei Francesi , and the moving Madonna of the Pilgrims in the Renaissance church of Sant 'Agostino . The church of San Luigi dei Francesi is five hundred years old . neutral +there we go uh how many children do you have Jamie a uh oh we 've got we 've got three but they 're they 're kind of older children now uh we 've got a daughter twenty three that 's a senior in college a daughter nineteen who 's a freshman in college and a son seventeen who 's a senior in high school our youngest child is seventeen , and our oldest is twenty-three entailment +As shown , as long as at least 16 months are provided for installation of ACI control technology , Installation will take up to 16 months , though it is typically 13 . neutral +However , it seemed important to provide the full text of Pat Buchanan 's speech on bolting the Republican Party . It was important to only provide snippets of Pat Buchanan 's speech . contradictory +It assesses problems experienced within the last three months and over the patient 's lifetime . They never care to assesses the problems til months after the fact . contradictory +Rainy days are the most challenging for parents , but there are still plenty of attractions to fill the time . Parents love snuggling in on a rainy day . contradictory +Farrakhan is always circumspect in the first act . Farrakhan isn 't circumspect until the last act . contradictory +yeah that 's right why i asked if she was elected or if it if it was something that was passed passed down to her through through the ways that the laws work I know the intricacies of the election process . contradictory +it 's just getting it 's just getting really scary and almost uh out of hand you know there 's been It is becoming quite tame and under control . contradictory +When they were done both men stood , criss-crossed with dozens of stripes of black ash . The two men were standing and looking like a mess . entailment +Depending on how much you 're prepared to pay , they will trot you down to the Seven Arches Hotel , with its spectacular vistas , or just wait while you have your photo taken . The Seven Arches Hotel provides high quality service and has a door greeter . neutral +Pundits Get It Pundit Central , responding to reader mail , has decided to keep stats on the opinion mafia . They are reviewing the data as a result of the mail from the readers . entailment +But in assessing computer-processed data , the focus is on one test in the evidence standard-competence-which includes validity and reliability . The test for competence is very time consuming . neutral +Call him Armey 's good-cop counterpart . Call him Armey 's good-cop counterpart during the luncheon . neutral +Major statutes now in their first years of implementation hold substantial promise for creating a more accountable and effective federal government . There are major statues that are now in their first years of implementation . contradictory +and use it as a play uh they they like to play in them They enjoy it . neutral +well i think that in the in the cases that like that uh they had to be uh pretty thoroughly examined to prove that they had pacifist and religious beliefs and so forth and that this wasn 't something new just to keep out of going to war it was They needed to be examined to prove something . entailment +and you 're talking about credit cards You want to shift the discussion towards credit cards . entailment +LSC has partnered with the National Center on Poverty Law to provide training to the field on how to use the Internet and other tools to facilitate poverty law research . The Internet is a potential tool to aid in the research of poverty law . entailment +'Some have said that you and Mr. White appear to have very similar opinions , would you agree with that ? ' 'Would you agree with the popular saying that you and Mr. White think the same ? ' entailment +If a lie , by definition , becomes a lie only in the context of communication ( speech , writing , gesture ) , and if a lie is immoral because it destroys the fundamental trust that makes communication possible--if all this is so , can a lie be told in a context where communication is understood to have no objective value to begin with ? Most communication that occurs between people are not lies . neutral +I guess I was like that . I guess I was like that , but was I really that bad ? neutral +John 's pedantic speech is quoted accurately but characterized as a tirade , and Reich 's answer is given as the mumbling equivocation that it actually was ( John , I will get back to you with all the information on it . Reich made a very well thought out answer . contradictory +i think that 's that 's pretty nice but i have to say that since we 've come here we haven 't done it too much though we haven 't enrolled in too many of the classes or or any of that but that 's a that 's a nice benefit to have It 's a shame that we don 't have it here , even though we enrolled in countless classes . contradictory +The long-term outlook for Medicare is much bleaker . Medicare 's future looks pretty bleak . entailment +We 've done the best we can to keep it from being so drug-infested it becomes a war zone . Gentrifying is not helping matters . neutral +yes one time one time but we found him innocent so uh He was found innocent the one time . entailment +Just for a moment I had a premonition of approaching evil . I sensed evil approaching . entailment +She became a registered nurse , but always held on to the idea that someday she would be a lawyer . She became a nurse but still wanted to be a lawyer . entailment +The appropriateness of a distribution of WTP estimates from the 26 studies for valuing the mortality-related benefits of reductions in air pollution concentrations therefore depends not only on the quality of the studies ( i.e. The air quality is perfect in the region . contradictory +Not that it matters now ” now that we 've come to the parting of the ways . " " It doesn 't matter now that we 're separating . " entailment +Most of the cities remained under its domination until the 15th century , yet retained much of their individuality . The cities under its domination were stripped of their individuality . contradictory +Evaluation of an organization 's programs and its successes in meeting its established goals and in identifying additional actions is an integral element of performance measurement and continued improvement in operations . The evaluation focused upon the organization 's break times . contradictory +and signed ' Best Boy . ' She signed it , " Best Boy . " neutral +yes i do i have um uh fifty megabyte hard disk on a so i got a i little you know lot of room for information i 'm a i 'm a programmer at work I earn $ 90,000 a year as a computer programmer . neutral +It may be the recipient of few architectural accolades , but its rooms are comfortable and very well furnished . The rooms have nice furniture . entailment +This is an economy , after all , that is doing well but not great , that is still growing slowly in historical terms , and that has still not shown significant evidence of a real boom in productivity ( with the notable exception of the manufacturing sector ) . This economy is growing fast in historical terms . contradictory +According to the publication , just months after the skiing accident death of her husband , Sonny , she tossed piles of irreplaceable mementos of the late singer-congressman into the dumpster , where they were retrieved by one of his former restaurant employees . After Sonny died , his wife threw away many of his possessions . entailment +and the the waitress never once came behind me um um on our side of the table she reached across the table she never once asked if we wanted coffee we had to grab onto someone else they didn 't The waitress bugged us multiple times if we would like decaf or regular coffee . contradictory +Our grantees now estimate that they currently turn away four out of every five low-income individuals who are seeking critical legal assistance . All low-income individuals who are seeking vital legal assistance are accepted by our grantees . contradictory +There are many , he thought , but not enough . He did not think the number was adequate . entailment +He might kill whoever led the second charge . It 's possible that he would kill whoever was at the head of the second charge . entailment +The interim final rule contains information collections subject to review and approval by the Office of Management and Budget under the Paperwork Reduction Act . The completed version of the final rule might end up removing all relevant information collections . neutral +Hersheimmer was receiving his guests . No one saw Hersheimmer at the get-together . contradictory +So maybe the questions he proliferates here ( here , unlike in his books , he questions the notion of a surgical strike , and here he wonders , Who has told us that it is OK to kill women and children ? He doesn 't discuss the idea of killing being acceptable . contradictory +so uh they they 've got a lot of sports going on around here Sports are popular here . neutral +The city has offered $ 700,000 for the 7.2-acre site , which Edward J. Raimondi Jr. of Munhall bought for $ 500,000 in July 2000 . The site is 7.2 acres of land . entailment +The two dozen or so houses including some of the best self-catering lodgings in the Lakes are clustered in a peaceful setting surrounded by the higher fells of Birker and Eskdale . Some of the best self-catering lodgings in the Lakes are near to Birker . entailment +Why Even Bother To Read the Paper If you 've ever attended an event that was covered in the press--a ball game , a demonstration , a series of seemingly motiveless break-ins at Tom Cruise 's house--you know how little the newspaper version resembles your experience . You should always read about an event after you go . contradictory +( Time has more details , even listing his brand of liquor , Ricard pastis . ) Time does not have a shred of information on him . contradictory +The editorial goes on to note that between one-third and one-half of all divorced women spend some time on As for the famous gender gap , it appears to be merely part of the basic political tensions that now exist between defenders of the country 's post-War system of government guarantees and Republicans who argue for an updating of the ways we ensure personal and financial security . Women down heavily in favor of personal and financial security . neutral +Every man , woman , and child in those adobe buildings had reason to be thankful for their skill and cunning the web of protection Rennie 's Pima Scouts had woven in this river valley . The men built while the women looked after the children . neutral +Then I got stuck in Egypt till the Armistice happened , kicked my heels there some time longer , and , as I told you , finally got demobbed . I stayed in Egypt for a while after the Armistice happened , but eventually was demobbed . entailment +yes i think i think your right i 've noticed that too it 's just it 's very different but i 've i think um it 's kind of sad when you have to go in and make dress up to go somewhere i mean just to the shop It 's sad when you have to dress nicely just to shop . entailment +On the way back toward Kathmandu , the village of Pharping deserves a stop . If you 're traveling back to Kathmandu , be sure to avoid the village of Pharping . contradictory +you know and then when we if we need it we wait till it it 's expired and then so It never expires . contradictory +On a more mundane but equally fascinating level , you will see the collar and bowl of Greyfriars Bobby . The bowl of Greyfriars Bobby is made of wood . neutral +With few exceptions , reporters aren 't pressing McCain about his role in the Keating Five campaign-finance scandal . Reporters aren 't pressing Mccain about his role in the scandal . entailment +The gruff , bluff warriors ' taste for art calligraphy , landscape painting , the tea ceremony , music , dance , and theater coincided with a renewed interest in things Chinese , above all the teachings of Zen Buddhism . The gruff , bluff warriors had taste for painting , calligraphy , ceremony , the arts , and the teachings of Buddhism . entailment +Without that , the program might already be closed . This is because the program is often short on sources of funding . neutral +Suazo 's district and is a project of the state 's leading providers of free civil legal services to lower-income individuals and families -- the Disability Law Center , the Legal Aid Society of Salt Lake and Utah Legal Services . The Disability Law Center helps higher-income people . contradictory +Predicting that he would get a lot of heat for treating the minister with respect , Novak said that Farrakhan was more measured and a lot less confrontational and provocative than a lot of the politicians we talk to regularly on this program . Predicting he would get a lot of hear for respecting the minister , Novak said Farrakhan was measured and less confrontational . entailment +My mother 's always been awfully good to us , I must say . My mother is the best mother in the world . neutral +I 'm superstitious myself . I am very irrational . entailment +No suspicion had entered the prisoner 's head that anyone could possibly have mistaken his voice for that of Mr. Inglethorp . The prisoner 's voice was so distinct that nobody would ever mistake it for anyone else 's voice . contradictory +well really just commune with nature We commune with nature . entailment +The first bad On July 10 , Hong Kong 's new Chinese-run government said textbooks must remain neutral in their descriptions of the Tiananmen Square massacre . Hong Kong required textbooks to remain neutral when describing the Tienanmen Square massacre on July 10 . entailment +yes and it came very quickly surprisingly I am surprised it came very quickly but was happy . neutral +To Help You Order Do your order on your own . contradictory +Natalia was opposite me , dropping pills into a glass . Natalia had a headache and was taking medicine . neutral +Sao Vicente , perhaps the prettiest village on the island , begins at the point where the northern coastal road meets the north-south road heading 21 km ( 13 miles ) to Ribeira Brava . Sao Vicente is very run down and perhaps one of the ugliest villages on the island . contradictory +The latter in particular will last quite a while after your return home . The latter will last a long time after you return home . entailment +that left him uh i mean in the very beginning he was convinced that the person was not guilty and at the end of their deliberations he finally voted uh guilty uh At first , he was sure that the person was not guilty , but voted " guilty " after deliberations ended . entailment +Silent for a time , the tradition has been revived and is a tourist attraction . The tradition was outlawed by the government for a time . neutral +General Services Administration , Office of Policy , Planning and Evaluation , Office of Information Technology , May 1996 . General Services Administration , Office of Policy , Planning and Evaluation , Office of Information Technology , May 1972 . contradictory +Relative to other European countries , many consumer goods remain somewhat cheaper in Portugal . Inflation remains low , at two percent . neutral +Apparently nobody told him that equilibrium thinking--the idea that in order to understand how individuals interact , it is often useful to ask what would happen if each individual was doing the best he or she could given what everyone else is doing--is almost as prevalent in . In fact , the really funny thing is that for the most part the bionomics program has already been Economics already is very similar to evolutionary theory , and vice versa . Equilibrium thinking is where two people bounce ideas off each other until they agree on an answer . contradictory +They even went to Buddhist temples to worship the feminine Kannon deities , which were resculpted holding a child to represent Mary and Jesus . The Kannon deities were reshaped and recreated to represent Mary and Jesus . entailment +that 's true there 's not too many basements in Texas There aren 't a lot of basements in Texas because of flooding . neutral +well that 's right that 's right they shouldn 't even be selling suntan lotion yet Should they sell suntan lotion already ? entailment +Tommy gave a faint whoop of relief . Tommy was relieved and was able to relax . neutral +In all the major cities , the most celebrated teams are studded with top stars in Turin ( Juventus and Torino ) , Milan ( A.C. and Inter ) , Florence ( Fiorentina ) , Genoa ( Sampdoria ) , Rome , and Naples . Soccer is not so popular in Italy . contradictory +Gilmek charges 900 euro per session , but for my lovely poultry ladies he will do it for free , world-class . Gilmek will do it for free for the ladies because he finds them attractive . neutral +Nearby is Ceter Garden and a number of notable architectural landmarks . These architectural landmarks were built thousands of years ago . neutral +Still , you 'd have a problem if two tracks met , as they do . It is inevitable that the two tracks met . neutral +He also took long walks into the country . He would walk in the country . entailment +I never thought we should ! " 206 " Oh , I thought we 'd get to London all right . I thought we would make it to London unscathed . entailment +You can spot , set in the stone walls , little sculpted heads of angels or demons , floral motifs , or the scallop shell ( coquille Saint-Jacques ) marking the route of medieval pilgrims to Santiago de Compostela in Spain . The route of medieval pilgrims to Santiago de Compostela in Spain is marked by stone walls . entailment +The view of Ibiza , the sea , and the Spanish mainland is worth it , however . There is a view of the Spanish mainland , as well as the sea . entailment +But I 'll just say this . I 'm going to talk for hours and hours . contradictory +Come , said Conrad harshly . Conrad spoke harshly . entailment +It 's easy to sort out--as you 've probably noticed , when restoring the paint on all the old pieces , I color-matched them to the bedspreads and rugs . The bedspreads and rugs are color-matched . entailment +Surrounded by elegant classical mansions and gilded wrought-iron grilles with ornamental gateways , which frame the marble fountains of Neptune and Amphitrite , Nancy 's huge Place Stanislas is one of the most harmonious urban spaces in Europe . Marble fountains of Neptune and Amphitre are located in Nancy 's Place Stanislas . entailment +Bork sobered . Bork cried . entailment +It was during these holidays that her love of the Lake District was born . The holidays are always the best time for the Lake District . neutral +But it was a foregone conclusion that when evolutionary psychology began to focus on genetic predispositions and majoritarian norms to the exclusion of everything else , some literalists would in fact forget everything else . Evolutionary psychologists started to look at how genetics impact people . entailment +Five avenues radiate from the inside of the gate . The five avenues inside the gate are equally spaced for a pleasing geometric look . neutral +it it was probably worth about a twentieth of a penny and and i mean i i i just about kissed the guard i mean when i got there he was like i was like we 're so happy to see you he 's like you 're sort of knew why The guard deeply appreciated my signs of affection . neutral +Other museums include the National History Museum on Jalan Raja south of the Dataran Merdeka , with exhibits on the country 's history dating back 520 million years ( metamorphic sandstone ) as well as a 40,000-year-old homo sapiens skull . The homo sapiens ' skulls are 50,000 years old . contradictory +of uh of uh Indian Princess camp and my uh uh my my twenty three year old has has hoarded all the movies now and and and just sets up the projector in her room and watches them every once in a while uh going back to things like that and I have a twenty-something year old who has all of the films in her room . entailment +One reason Slate is not a national obsession in Europe ( as , of course , it is in the United States ) is that Internet use remains a luxury here . Many people have internet in the United States , but don 't know Slate . neutral +Guess again . You have already guessed once . neutral +The mountains shield us and our swords are the torrents . The people are totally safe when they are next to the mountains . neutral +What we 'd all like to believe , of course , is that an advertising agency is ideally placed to resist commoditization , because its main asset is the imagination of its staff , something that cannot be duplicated . An advertising agency is heavily involved in commodtization . contradictory +CONTRA ACCOUNT - One of two or more accounts which partially or wholly offset another or other accounts ; on financial statements , they may be either merged or appear together . A contra account does not affect other accounts . contradictory +um-hum oh so those the academic standards will improve yeah Those academic standards will improve entailment +The AIDS vaccines I 'm speaking of are designed to prevent an infection and thereby stem an epidemic . The AIDS vaccine is 100 percent effective in preventing infection . neutral +oh yeah i 've read that one too I 've also read that one / entailment +In addition to the quantified and monetized benefits summarized above , there are a number of additional categories are not currently amenable to quantification or valuation . Quantified and monetized benefits summarized above explain all the categories . contradictory +Some Indians already resent suggestions they are descended from ancient Asians--such contentions fly in the face of their creation myths . Ancient Asian ancestry is compatible with Indian creation myths . contradictory +The assessment concluded that the best solutions to address risks to environmentally stressed resources are conservation measures applied in concerted , concentrated efforts in priority areas , with smaller scale efforts going to sectors outside priority areas . The assessment concluded that the environment should not be considered . contradictory +I did , said Severn . Severn denied the whole thing . contradictory +( His best a Freudian essay on lovelessness and neurosis . ) He has a large number of notable essays . neutral +( Norton plugs the book here . ) The book is not mentioned by Norton . contradictory +Under the Save the Unified Surpluses simulation , federal budget surpluses would be higher over the next 40 years , but deficits would emerge in the 2040s . federal budget surpluses would be higher over the next 50 years . neutral +They also saw no need for agencies to always provide an email address or web site to which electronic comments on proposed rules could be addressed . They determined that an email address or website were needed . contradictory +Shopping is one of the delights of a trip to Crete and souvenirs abound in all ranges of price and quality . Cheap souvenirs from Crete are often just as beautiful and well-made as their more expensive counterparts . neutral +oh i have i 've i 've caught i watched that late um i guess it 's on late Saturday nights or something that 's on during the day as well It is not on the TV on Saturday night . contradictory +that 's more than some of the people out here who are out and out honest Many people around here speak the truth neutral +But to really appreciate the allure of the Caleornia lifestyle , you must ditch the car and hit the sand and experience the natural beauty of the beaches first hand . You must get out of your car to experience the beauty of the beaches first hand to appreciate the Caleornia lifestyle . entailment +The man was not large , perhaps as tall as Ca 'daan himself . The man was not large , perhaps only 6 feet taller than Ca 'daan himself . contradictory +it 's not i mean i remember seeing an article one time about you know if the average person who spent that much money going to college just took the same amount of money and put it in a a in an investment fund they 'd be considerably wealthier than they would be from the job they 'd get after college so it 's it 's really kind of crazy I read that it can actually be a better financial decision to invest the amount of money you 'd spend to go to university . entailment +Imagine that in 1987 , within an effort to estimate the extent of tax revenues lost or delayed from the failure of businesses to file returns , the General Accounting Office examined revenue shortfalls to individual states . In 1987 an effort to estimate tax revenues lost or delayed was made , and was caused by the failure of business to file returns . entailment +The rooms are basic but comfortable ; there are lovely gardens , and the staff are friendly . Each room includes a complimentary personal massager . neutral +yeah San Francisco i go with so For San Francisco I travel with . entailment +Times passes . Time goes by so slowly . neutral +oh i hate to hear that That 's too bad ! entailment +yes right and um uh it it it really was a fantastic movie the acting was phenomenal The film and its cast was absolutely outstanding , bravo ! entailment +Collections such as Asian art and Egyptian artifacts are on terraced balconies , allowing a full view of the roof from the ground floor . Some collections are on the terrace which makes them easier to view . neutral +Egypt is an excursion also worth considering . Egypt has some great tours available . neutral +Widespread finds of Stone Age implements in cave excavations show that Anatolia was already inhabited during the Middle of the Palaeolithic period ( about 200,000 to 40,000 years ago ) . Implements found in cave excavations show that Anatolia was already inhabited about 200,000 to 40,000 years ago . entailment +Wheat is planted as a winter crop in the paddies , and garden plots supply maize , chilies , and vegetables . Wheat is planted as a summer crop in the glasshouses , and garden plots supply fruits and meat . contradictory +That was his old report-to-the-commanding-officer voice . His voice never changed no matter who he was talking to . contradictory +My friend Andy Glazer , a pro gambling expert , says some sites cancel your sports bets if they think you 're too good or if they figure out that you gamble for a living . I have a friend who 's a pro gambling expert , and his name is Andy Glazer . entailment +They involve techniques such as graphic data displays , tabulations of event frequencies , and chronological or time series orderings . Techniques do not include data displays contradictory +Mourning News to be better but i sort of have a liberal political slant and the Mourning News just has an incredibly conservative editorial um outlook I disagree with my Morning News because it has a conservative editoral outlook which clashes with my liberal political perspective . entailment +that would be nice That 'd be wonderful . entailment +Frescoes adorn many palace cham ? ­ bers , among them works by Simone Martini , brought from the porch of Notre-Dame des Doms cathedral . Frescoes adorned many regular household items , including furniture . contradictory +This is the spot where Wordsworth 's sister Dorothy was stopped in her tracks by what she believed were the most beautiful daffodils she had ever seen ; her astonishment inspired Wordsworth to write about this host of golden Daffodils in one of the best-loved poems of the English language , I Wandered Lonely as a Cloud ( 1804 ) . Wordsworth 's description of daffodils in his poem was inspired by this spot . entailment +Poste Italiane also has a relatively large percentage of costs in collection and acceptance , 15 percent . Poste Italiane 's collect percentages are relatively low . contradictory +because all you needed was a big frying pan you dumped everything in together You just needed a little saucepan . contradictory +Perhaps I ought to make that quite clear . I should have made it easier to understand . entailment +Rounding off the south side are the twin Baroque churches , Santa Maria dei Miracoli and Santa Maria in Montesanto , completed by the 17th-century masters Gianlorenzo Bernini and Carlo Fontana . The churches were built in the 16th century and were demolished in the 17th century . contradictory +you know because she would be sleeping so i would be here then She would be sleeping so I would go away . contradictory +He thinks screening for alcohol problems in EDs is on the horizon . He believes that there will never be a screening related to alcohol . contradictory +I haven 't read the question yet , but my answer is Talk magazine . I read the question and my answer is Talk Magazine . contradictory +In some limited circumstances , when there is concern that a draft product may be prematurely released , GAO will take extra precautions in obtaining agency comments . GAO will take extra precautions in certain situations . entailment +A very nice gentleman he is , sir . He 's the most repulsive mother lover I 've ever met . contradictory +Finally , it does not include the mail sent by both households and non-households in response to advertising . Mail sent in response to advertising is not included . entailment +The existence of IRAs and 401 ( k ) s serves to raise public awareness about retirement saving opportunities . Public awareness is influenced by the existence of IRAs and 401 ( k ) s . entailment +i mean my gosh uh look who Kansas beat to get to meet North Carolina i mean they they beat uh Arkansas Kansas beat Arkansas so now they will play North Carolina . entailment +It scared me badly . " She put her hand to her head . Her hand automatically went to her head . neutral +This has had paradoxical consequences . The consequences were paradoxical . entailment +The LAT leads with the likely stance President Clinton will take in separate White House meetings this week with Netanyahu and Arafat--gentle persuasion , not tough talk . President Clinton will engage in tough talk with Netanyahu this week . contradictory +A reputation for serving the best seafood in town . They have a great reputation among the locals and tourists . neutral +John Law died in 1729 , dispossessed in Venice . After being deprived in Venice , John Law died . neutral +Look for the typically Mallorcan teles de llengues ( painted fabrics , in green , blue , and pink , used for decoration in peasant houses ) . Teles de llengues are a type of Mallorcan clothing . contradictory +that 's true that 's true uh probably around twelve uh-huh yeah um i didn 't i don 't know i i just think you know Marino will get better and uh his team 's not as good as what it was when he went to the Super Bowl you know so Marino could become one of the best NFL players to ever step on the field . neutral +In recent years there have been unprecedented numbers of immigrants from the Balkans , Eastern Europe , and Africa . There haven 't been many immigrants lately . contradictory +Not Adjusted for Structural Differences This data , paragraph and similar thing is not adjusted for differences in structure . entailment +Its popularity as a meeting place has kept it busy all these years , with crowds perusing the fruit and vegetable stands for the best bargains , a maze of shops selling foodstuffs and gifts , and inexpensive food stalls serving up a variety of tasty cuisines . The area financial improvements are created by the people that buy food from merchants . neutral +yeah that 's true you know that 's an interesting point that you brought up about the the fact that they essentially always have been under stress uh i would say more in the later latter years even those who stayed home had stress but when you 're the one or the two out of ten women staying home on the block uh then the stresses that you do have uh the normal day-to-day stresses caring for children or whatever is occurring Staying at home with children versus working is stressful and you don 't get the benefit of receiving pay . neutral +i think the better sight seeing is in the uh British Virgins British Virgins had the worst sight seeing . contradictory +Adrin had already dodged . Adrin was hit after failing to dodge . contradictory +um yep but i love to cook i wish i was a better cook than i was but i i love to cook I love to cook meats neutral +nice talking to you too Jim It was really nice talking to you , Jim . entailment +He felt a pang of jealousy . He was a little envious . entailment +For an overall view of the museum 's collections , we 've attempted a small selection of For an overall view of the restaurants menu , we 've attempted a large selection . contradictory +no no Texas doesn 't have a state income tax yet that 's Texas is going to get a state income tax soon . neutral +How do you feel , Dave Hanson ? " Dave considered it , still in wonder at the truth . Dave never considered it for an instant . contradictory +During the 1948 war , the Jewish defenders of this enclave were surrounded by Jordanian armies but refused to surrender . In 1948 , the Jewish army surrendered to Jordan . contradictory +it made like a little semicircular incision on my plastic bumper The crash made an incision on my bumper . neutral +In its notice of proposed rulemaking , 61 Fed . 61 Fed is a notice of proposed rule making . entailment +That was Rennie 's Range cultivated fields , fruit orchards , manadas of fine horses . Rennie had lots of fields and orchards and he sold his produce at lots of stores . neutral +Warm decided to do something about it , to solve this issue just like he always had solved problems of the inorganic computer matter . Warm had never solved a problem in his life . contradictory +At least , Chatterbox thinks that 's what Johnsen said ... Chatterbox must have misheard what Johnsen said . neutral +Across the sheet in neat brown printing ran the words : WITH THE COMPLIMENTS OF Mr. BROWN . The sheet came from Mr. Brown . entailment +Of course Obviously . entailment +Their willingness to acquire U.S. assets The assets being talked about are Russian contradictory +terrifies me to death and stuff those kids getting snatched and It terrifies me that those kids are getting found . contradictory +See Martin Feldstein and Philippe Bacchetta , National Saving and International Investment , National Saving and Economic Performance , D. Bernheim and J. Shoven , eds . Feldstein studies the link between national savings rate and international investment . neutral +uh-huh yeah it does because you 're you know you you 're you know you 're just costing costing yourself more money because you if you can 't make the monthly the minimum payment you 're paying interest again so yeah Credit card companies should employ stricter screening and only give them to people who can definitely pay them off each month . neutral +In such cases , GAO reserves the right , after consultation with the requester , to make the information or product generally available regardless of a restriction placed on its release . The GAO is always bound by the normal distribution restrictions of information . contradictory +The best mosaics are in the galleries , reached by a spiral ramp at the north end of the narthex . The best mosaics are downstairs , not in the galleries . contradictory +home care you know You know , care in the house . entailment +Slim thought desperately . Slim thought about it with a sort of desperation . neutral +The gay rights groups claim the ex-gay movement is a public relations front for conservative efforts to discriminate against gays . They say the ex-gay movement is just a front from conservatives to discriminate against gays . entailment +Social Security is an unfunded pay-as-you-go system--most of the payments into the system are transferred to current retirees for current consumption , not saved as government bonds . Most social security payment are saved as government bonds . contradictory +Emergency room visits for asthma Asthma attacks Mortality Increased airway responsiveness to stimuli Inflammation in the lung Chronic respiratory damage / Premature aging Emergency room visits for asthma included asthma attacks with death possibilities increasing due to airway inflammation and lung damage entailment +Use this until you leave . Don 't use this until you 're a mile away from here . contradictory +Then came the sensation of the day . The day was completely dull with nothing of excitement at all . contradictory +Such a carrier can deal better with irregularities and can watch over the delivery area . They want to make sure it is delivered on time . neutral +Market based approaches reward firms for finding cost-effective measures that exceed emission reduction targets . Without rewards , firms are reluctant to find cost-effective measures that exceed emission reduction targets . neutral +But Christianity eventually triumphed to achieve the strong Orthodoxy of today , and Titus became Crete 's patron saint . Titus lived in Crete for twenty years . neutral +Sleeping through that brutal awakening seemed impossible . Dozing off during that intense awakening seemed undoable . entailment +came back here and could not realize why i 'd been so depressed through the winter I couldn 't realize why I was depressed since I was busy with moving back and working a lot . neutral +It also helps if you can send your husband on Larry King Live to grovel before the nation , as Frank did . It would be beneficial to you if your husband can cry and ask for mercy on Larry King Live , just like Frank . neutral +what are you afraid of with them What makes you confident around them ? contradictory +that 's uh that 's uh but uh i i guess the winter the winter wasn 't that bad down here really I guess the winter was ok , since it rarely snowed . neutral +right well that 's that 's what i was about to say we didn 't do anything I was going to say that we did not do anything . entailment +yeah well i 'll agree with you there i don 't agree with them showing it on television hard telling who would see it I agree with the speaker of this conversation . neutral +Whether it is a process of being captured by the China hands at the State Department or the sobering effects of real power , no American president since Nixon has dared to lean hard on China . Nixon pressured China to get rid of the nuclear weapons . neutral +The Government Paperwork Elimination Act requires OMB to issue guidance to agencies regarding automated systems that maintain electronic information as a substitute for paper and use electronic signatures . The Government Paperwork Elimination Act does not require OMB to issue guidance contradictory +Educational Communications and Technology Education communications and technology entailment +i think we looked at besides just you know what salary you would be having having now but when when could uh your salary increase and We only looked at current salaries . contradictory +There , watch ! " The hole in the sky was directly overhead now , and the moaning had risen in pitch . As the moaning continued to intensify , the sky 's hole came into view overhead . entailment +Below , a string of green torches began snaking its way up the hills . Torches were coming up the hills . entailment +This mythology of Serbian goodness paid off during Serbia 's Croatia and Bosnia wars . Croatia and Bosnia wars took place in Serbia . entailment +it 's harder for somebody from America to get a loan from their own country when a foreigner can get more and i don 't think that 's right Immigrants get everything handed to them . neutral +It 's about cautiousness . It is about the importance of cautiousness in the political realm . neutral +Credible Answers Trustworthy Answers . neutral +A product development process includes two phases followed by production-integration phase and demonstration phase . A product development process is still not fully completed after two phases . neutral +and uh and so i try to make sure that uh by the time fall runs around because we actually have winters here on the east coast um that uh i have you know the car 's in pretty good shape enough to last through the winter Winters are pretty warm on the east coast , so I don 't need to worry about the car . contradictory +This fear is well grounded . The fear is normal neutral +They have been melded together , giving rise to a fascinating national identity . They don 't want to be melded together . neutral +The classic OPEN sign is a 35-inch by 15-inch rectangle , with a dozen feet of 12-millimeter tube in the word OPEN and another 8 feet in the border . The CLOSED sign was out of order . contradictory +um anyway i finally pulled myself out and i mean just as soon as i got out my clothes started freezing I wish I would have just stayed inside where it was warm . neutral +The enormous legal assistance gap cannot be tolerated by a just society , by a society that asks people to be governed by the rule of law , said Miller . The legal assistance gap is not acceptable if we want people to be treated fairly . neutral +She 's a-packing up , and she 's just sent down word for me to get her a taxi . " She isn 't leaving and locked herself in her room . contradictory +They moved slowly along the path , keeping their eyes front . They looked to the front as they progressed along the path slowly . entailment +The villains were the blacklisters . The villain was put on the red list . contradictory +mine is like pulling a big house behind you you know It 's almost like pulling a big house behind you . entailment +It 's an excellent focal point , giving new visitors an easy reference to establish their location ; it 's a spectacular vantage point for many of the city 's great landmarks ; and its bridges and quays offer history , entertainment , shopping and exercise . It provides a perfect landmark suited to helping visitors determine their location in the city . entailment +Chithirai Vishu ( Hindu New Year ) is a more religious affair than the Chinese , with worship and prayers . The Hindu new year is more devout in celebration than the Chinese new year .. entailment +Mr. Chairman , this concludes my written testimony . This testimony was presented orally . contradictory +yeah i 've i i graduated back in seventy nine so but but i really i i loved i mean i was In 1979 I graduated from something . entailment +For a recent summary of this empirical debate , see William Gale , The Impact of Pensions and 401 ( k ) Plans on A Critical Assessment of the State of the Literature , paper presented at ERISA After 25 A Framework for Evaluating Pension Reform , Washington , D.C. , September 17 , 1999 . For an outdated summary of the empirical debate , the book William Gale , The Impact of Pensions , should be seen . contradictory +As we 've just seen in the Paula Jones case , it 's exhausting . It is very tiring , just like we saw with Paula Jones . entailment +That is , no one would be able to react to new information . No one would receive information timely enough to respond . entailment +Legal assistance for battered women is hard to come by . Battered women have a hard time getting legal assistance . entailment +The Private Express Statutes in the United States do not prevent private firms from delivering parcels , periodicals , catalogs over 24 pages , or saturation mail . Private firms may not delivery catalogs over 24 pages long . contradictory +As we engage in these changes , we also know that we are not perfect and we never will be . There 's understanding of the fact that we will never be perfect . entailment +The door opened . The entrance was exposed with the opened door . entailment +i attached a little note to my my return when i sent it in saying gee i didn 't know i had this extra three hundred dollars i wonder where it went i included an extra note when i submitted my return entailment +Earning and Youth Employment Young people with jobs . entailment +One of the joys of touring Georgetown 's historic section is the opportunity to cover many of the sites in this compact area by foot . Many of Georgetown 's historic sections can be traveled by foot . entailment +Visitors are allowed into the ancient and mysterious church only during afternoon services . The church is cursed with magic . neutral +Wide walkways have plenty of room for shoppers , and there are splendid views of the castle all along its length . It 's just walls all along the walkway and it was hard to walk there because the walkway is so slim . contradictory +Looks sound enough . Looks are just the beginning . contradictory +Dijon is a good city for walking and exploring by yourself . It 's always safe to walk around Dijon on your own . neutral +The man stood , two blades in his hands . The man gripped the blades tightly . neutral +The President has directed me to develop proposed legislation that would significantly reduce and cap NOx , SO2 and mercury emissions from power generation . The proposed legislation would have a devastating effect on power generating plants . neutral +( For some reason , Lands ' End 's 1995 surplus didn 't spawn a Procrastinating Catalogue Shoppers Get Whatever They Want as Late as They Want It story in the Times . ) As the Times reports , Lands ' End overreacted to the bad year by ordering 20 percent less merchandise for 1996 , and suffered for it . Lands ' End had to lay off 100s of employees due to 1995 's poor sales . neutral +i 've uh changed wiper wiper blades or something but i have noticed since uh i got married that my husband he hates to do auto repairs but he would rather do them himself than than to pay someone else i guess he can 't make himself pay someone to do the repairs when he knows he knows how to do it and to do it so he he hates the time that he takes but he has changed um the brakes and he has done all of the tune-ups and the things like that and recently he changed the steering mechanism in our car He doesn 't know anything about cars . contradictory +A lush site set high on a hillside with excellent views over the sea . The site is lush and beautiful and the hillside is very steep . neutral +Avoid fraud personal and financial data on employees , clients , customers , and Data on employees , clients , and customers is of little interest to criminals . contradictory +right like their immediate boundaries like you 're not going to go you know it 's like the Army 's not going to go straight into Russia because there you 're you 're invading their border right but all the other countries you can fight about The army can defeat Russia in any other border conflict . neutral +What kind of message are we sending those who repeatedly violate Protection From Abuse orders ? No one violates Protection from Abuse orders ever . contradictory +and and do you know anything about that new stadium have you seen all those pictures that they 're going to put out there You know nothing about that new stadium because they aren 't going to release any pictures contradictory +The Museo Municipal Mariano Benlliure , alongside the church , contains a collection of works in bronze , marble , and clay by the modern sculptor Mariano Benlliure ( 1868-1947 ) , among them likenesses of the famous men of his day . The Museo Municipal Mariano Benlliure contains a collection of his toenail clippings . contradictory +The earliest human remains found on Crete date back to the seventh millennium b.c. Crete was only settled in the last 300 years . contradictory +What with all the cannon-firing and colourful acting , the excitement can reach fever pitch . Cannons are fired in a south west direction . neutral +Program reform is needed as well , or Social Security and Medicare will constitute a heavy drain on the earnings of future workers . Social security is a societal drain neutral +Thus , when auditors disclose matters that have led them to conclude that an illegal act is likely to have occurred , they should take care not to imply that they have made a determination of illegality . Thus , when auditors release matters that have them conclude an illegal act likely occurred , they need take care that they have determination already made and evidence . neutral +Do begin again , and Prudie predicts 1999 will be your year . Prudie insists you quit now , for he predicts 1999 will be your worst year yet . contradictory +Huge papers , the Houston Chronicle for instance , didn 't send a staff writer . The Houston Chronicle didn 't send a writer . entailment +Most antiques and curio shops are around the main bazaar just behind the Esplanade , with a few in the Padungan area . The shops in Padungan are home to hidden treasures . neutral +The church is dominated by the massive nave and graceful flying buttresses linking the five chapels to the chancel . The five chapels are linked to the chancel . entailment +Why don 't you write a note telling the bridal couple that you had such fun arranging their party and that you and all the guests at the shower will have fond thoughts of them while they are away honeymooning . Why don 't you write a note telling the bridal couple that you had a lot of fun doing their party and that all of the guests will have good thoughts for them while they are on their honeymoon . entailment +you know but see now they 're gone They 're still here . contradictory +The Logorrheic Dismissal . It 's called the Logorrheic Dismissal . entailment +but everybody else works and they drop their kids off at day care and and leave them and i don 't know i just don 't want i just don 't want strangers raising my children I love that I can just drop off my kids at a day care and dash off to work . contradictory +GAO will strive to respond to all congressional requests for testimony . Congressional requests for testimony are responded to by the GAO . entailment +Ah ! Poirot seemed to have exhausted his questions . It looks like Poirot ran out of questions . entailment +yeah yeah it does eat up the water eats up your water bill i know that Your water bill will go down . contradictory +Most of the 20 migrant farm workers , in an adjacent lettuce field in Olathe , said they felt sick They gasped for breath , had pounding headaches , irritated eyes and swollen , numb tongues . In adjacent field 20 migrant workers said they felt sick . entailment +In broad terms , taxes are the price we pay for civilization . Taxes are what determine which country has the most influence . neutral +'And even if they don 't do something horrible to you , you 'll be fired , ' Derry said coldly . Derry said they would fire me for being late . neutral +We have found that the postal density in France of the 10 percent of addressees with the lowest population density is 46 while it is 89 in the equivalent areas of the U.S. We have never looked at the postal density in France compared to the U.S. contradictory +The foothills of the Pyrenees form a landscape of gentle rolling greenery , with tantalizing views of the snowy peaks behind . The Pyrenees foothills are verdant and undulating , and you can see the mountains behind them . entailment +I will tell you , my friend : Because they are both clean-shaven men . I will tell you now ; because both men in question had nary a hair on their chin . neutral +However , cost models have significant limitations in accuracy unless their underlying assumptions of system size and cost drivers are carefully chosen and reflect the agency 's previous experience in system development . Cost drivers aren 't an important factor , so no thought goes into choosing them . contradictory +It should be noted that ISO 9000 does not guarantee a quality product . ISO 9000 doesn 't promise that the product will be high quality . entailment +And Topham 's face was sober when he had finished . Topham was shocked by what he had just heard . neutral +If News Quiz responses are any guide to popular taste--a ludicrous proposition , but play along--the two most greedy and lustful and savage realms are backstage at the Miss America pageant and inside Pat Buchanan 's head . News Quiz responses show that Miss America pageants are lovely places . contradictory +what you put put the hooks through their little back and they just jump around under the water You put fishhooks into them and then they squirm and wriggle below the surface of the water . entailment +The Federal Election Committee investigation of allegations of partisan campaigning by the coalition endangers its tax-exempt status . The tax exempt status is endangered by the investigation . entailment +The ancient commercial heart of the city , named after the ninth-century settlement on Rivo Alto ( high bank ) , the Rialto bridge is one of three that croses the Grand Canal . There are three bridges that cross the Grand Canal . entailment +Mister Kells , he keeps ledgers over in th ' tack room . Mister Kells has a ledger in the tack room . entailment +The last emperor , Constantine XI , fell in the fighting , and by noon that day Mehmet and his men had taken control of the sought-after city . The city was taken by Mehmet 's forces after Constantine XI fell . entailment +Anything in between , youre screwed . Anything within that range , you 're done for . entailment +3 This paper refers almost interchangeably to rate ( s ) and price ( s ) . Rate and prices convey the same message . entailment +Based on the above , the total benefits of the rule range from $ 110 . The benfits of the rule start at $ 110 . entailment +The land of Upper Egypt sits in the south of the country , and it takes its name because it is up-river of the Cairo and Nile Delta area , which are known as Lower Egypt . Upper Egypt is 500 miles from the Nile Delta area . neutral +And yet , despite all that restraint , Microsoft is in court anyway . Microsoft is in court for not holding back . contradictory +For our study , we contacted and visited various people from the listed organizations who spent many hours planning and hosting our visits , coordinating meetings , and preparing and presenting information . The people contacted are from all over the world . neutral +Either obtain your programs from trustworthy sources , or ensure that the programs behave . You should acquire your programs from legitimate sources . entailment +It 's too bad the candidates ' lone exposure to Internet talk is so denatured , so polite , and so very dull . It 's a shame candidates are exposed to Internet talk so much . entailment +Investing in the financial markets is a standard practice for state and local government pension funds in the United States . Investing in the financial markets is a standard practice for state and local government pension funds entailment +yeah and i like uh Totally Hidden Video I watch Totally Hidden Video every time it 's on . neutral +and he said uh this is serious folks this is serious business stay inside do not go outside at any for any reason He said to not go outside , even if you really needed to . entailment +Composer Giuseppe Verdi was the Risorgimento 's towering artist . Giuseppe Verdi was a grape farmer . contradictory +The battle was over . The battle had just begun . contradictory +By law , the Board is no more than six members can be of the same political party . The law requires that the Board not have more than 6 members belonging to the same party . entailment +Text Box 4.3 : Individual Development Accounts for Low-Income Savers Low-Income earners often spend the money as soon as they get it . contradictory +no you you really can 't not when it costs twenty six dollars a ticket and uh so much for parking The event is a real bargain considering the ticket price and the free parking . contradictory +The information required by sections 603 ( b ) ( 3 ) and ( 4 ) concerning the estimate of the classes of small entities subject to the Report and Order and the projected reporting , recordkeeping and other compliance requirements of the proposed rule is also included . Sections 603 ( b ) ( 3 ) and ( 4 ) have a requirement for certain information . entailment +The cannon on the ramparts were never fired in defense of the harbor and these days are put to better use as slides for the children 's playground . The cannons are used as slides for the children 's playground . entailment +As a result of the attack , Porto Santo , which had also been scourged by these villains of the seas , went on to build castles and early warning systems , which allowed the citizens to defend themselves or flee if necessary . Pirates were particularly motivated to attack Porto Santo because of its strategic location . neutral +and and of course they did a good bit for some of the war stuff but they didn 't just over do it The was stuff was overdone . contradictory +Before very long we had all trooped into the drawing-room , the door of which Japp closed . We all went into the drawing room and Japp closed the door . entailment +Note that cafeter ? ­ as aren 't self-service restaurants as you may know them , but are glorified snack bars . Snack bars and self-service restaurants sell the same type of food . contradictory +there 's there 's a few few things that you just can 't do with it it will also do a rolled edge um It will not build a spaceship neutral +The town 's temples and shrines and a major museum are all encompassed by the park . The museum in the park is visited by many people . neutral +no and so and and my boss has has gone for about like three times i think and i told him he 's obviously in a high risk group My boss is in a high risk group because he has been gone a few times . neutral +The last time they deducted 50 percent . They increased the price . contradictory +( The prodigious James Wood , the most gifted literary critic of his generation , springs to mind . ) The worst critic is history , James Wood , come to mind . contradictory +I could see by the expression on his face that he himself had little hope . He had hope . contradictory +Scafel , Great Gable , Pillar , and Kirk Fell offer challenge and excitement even to the professionals . Kirk Fell is so high that everyone is challenged by it . neutral +It has been tempting to see in Soutine 's flayed forms a premonition of things to come . Soutine 's brutal criticisms read like predictions . entailment +The Corp had ten million tiny little versions of me , packaged and ready to sell- all they needed as an excuse to put them on the shelf . I was shocked by the ten million tiny little versions of me that the Corp had . neutral +Most of this peerless collection has been gathered from the temples and palaces of Kyoto , Nara , and other important cultural centers . This collection is mostly based on items obtained from the Caribbean islands . contradictory +uh-huh sometimes we have really good luck with them but then there 'll be like maybe two years in a row that we can 't get anything It 's really frustrating those two years when we don 't get anything . neutral +MIT 's Steven Pinker argues that the Rochester researchers fail to comprehend that learning words and learning grammar are ... Pinker finds faulty with the Rochester study . entailment +think we 've talked long enough This conversation has gone on long enough . entailment +I guess I 'm a mutt , said Julius with unusual humility . Julius spoke with humility , " I guess I 'm a mutt . " he said . entailment +In the early centuries of the Christian era , the peninsula 's advantageous position made it an ideal way-station for trade with Bengal and southern India , and attracted Indianized colonies from the Mekong valley of Indochina . The peninsula was located far from trade routes and was little more than a backwater . contradictory +The smoke was intoxicating . There was no smoke . contradictory +Engaging Employee Unions Involving employee unions , as well as involving employees directly , is crucial to achieving success . To obtain success , we must get employees and their unions involved . entailment +um-hum yeah it takes a lot of concentration i mean it was the type of thing i was i was making some little things for Christmas and i also made a little thing for a baby gift and uh i thought oh i can do this while i watch TV wrong I was making gifts but it took a ton of concentration . neutral +In the first flush of dictatorship as First Consul , he established the Banque de France , created state-run lyc ? ? es ( high schools ) , and gave the country its first national set of laws , the Code Napol ? ? on . The dictator ruled Germany . contradictory +Hospital administrators merit mention because they are key to wide implementation . Hospital administrators mention merit because they dislike it deeply . contradictory +It recommended three broad strategies to address these increasing the flow of information among the providers ; establishing formal collaborative arrangements in areas such as technology , planning and development , and substantive support and training ; and creation of a framework for more ongoing planning and system-wide decision-making regarding issues affecting the entire system , particularly with regard to substantive matters not being addressed . There are three viable strategies to address the flow of information . neutral +I am not usually clumsy . I have been drinking so my coordination is bad . neutral +The man had no money and could not afford to hire a lawyer . The man had no money and could not afford to hire a lawyer , however , The man had a Gatorade bottle in his backpack neutral +and i was so surprised to hear how many people like whenever they 're in you know the older people they 're like um fastened to their beds so they can 't get out just because they you know they wander the halls I was shocked to see some of them tied to the beds . entailment +Along the foot of Mt . Wakakusa is the Kasuga Grand Shrine , established to house the Shinto deities of the powerful Fujiwara family . The shrine is a popular tourist attraction . neutral +To contribute to that national target , the senior executive in the Nashville regional office had a performance expectation for his office to meet a target accuracy rate of 59 . The Nashville regional office had a performance accuracy target of 100 . contradictory +Hundreds of terraces cover the hillsides , giving them a textured look . The hillsides are not covered in terraces . contradictory +In terms of organized entertainment , Paris offers a wide array of theater , movies , and every kind of music . Paris offers many entertainment activities , like watching a movie . entailment +If things go Ted , I pleaded with the president to make sure we had an exit strategy . I checked to make sure we had an exit strategy . entailment +He also told them that one thing he was afraid of reporters uncovering was a story about a couple who were friends of his . He was worried that the reporters would uncover a story about friends of his who were a couple . entailment +However , most facilities are currently equipped with ESPs , and some are equipped with FFs . ESPs and FFs are standard equipment in these facilities . neutral +and uh then they don 't have quite the job security although you know now there 's a lot of people getting cut but still but by and large the majority of people that are still there in even in the defense industry uh They 're not as comfortable with their work security . entailment +Today it houses a small museum ? ­ . These days it houses a factory . contradictory +Air travel is a perilous thing ; just today , a stratosphere roc crashed head-on into a fragment of the sky and was killed with all its passengers . We are entering a new era of safe air travel . contradictory +uh how do you feel about gun control How do you feel about healthcare ? contradictory +Bayos-narajados orange duns none " The oranges are not guilty of the charges being pressed against them . neutral +snapshots , the area 's other landmark cinemas deserve a peek as well . There are landmark cinemas around here . entailment +As cited in Congressional Budget Office , CBO An Economic Model for Long-Run Budget Simulations , Washington , D.C. , Congressional Budget Office , July 1997 . In July of 1997 the Congressional Budget office said it . entailment +so it 's an investment but it 's something that you know when you 're first married or starting out you think if you really have something but you really it 's just real nowadays with the way income tax i think housing is strictly to itemize With all these household deductions , you 'll be saving a good $ 1000 per tax year . neutral +I 'll simply say that if Lind proves that the decision to go to war was understandable , Logevall provides the argument for the minimal realist view that it was unnecessary and unwise . Minimal realists see every war as beneficial . contradictory +China 's leaders have drawn conclusions from the collapse of the Soviet that if they allow dissent or take steps toward democracy , they will be dead or jailed in a decade ; and that no amount of economic benefit is worth the destruction of their regime . China 's leaders have committed some atrocious crimes . neutral +and of course the people end up paying for it are the fans The fans knew the costs that would be involved . neutral +The building had been like home , she explained , and so it was important who would be living there . She explained that building was important to her so it was important as well who would be living there , but eventually changed her mind . neutral +He can come up here if he wants to see us . " He can see us from there . contradictory +What a fascinating and generous letter . He wrote a fascinating and generous letter neutral +information valuable in itself about how completely a program has been implemented . The information itself is more valuable than how it can be used . neutral +million tons in 2008 , and to 1.7 million tons in 2018 , and - Decreasing mercury emissions by 69 percent by implementing the first-ever national cap on mercury The first ever mercury national cap will reduce emissions by over 95 % by 2067 . contradictory +Advocates for domestic violence victims say the new center , funded with a $ 303,000 federal grant , will be an important step toward getting people the legal help they need . There were plans to build a new legal center but they were canned . contradictory +The Kentucky Bar Association is supporting the legislation . The legislation is being supported by the Kentucky Bar Association . entailment +okay well talk talk to you later then bye Let 's keep talking about what we were talking about . contradictory +Overall , the central security groups served as ( 1 ) catalysts for ensuring that information security risks were considered in both planned and ongoing operations , ( 2 ) central resources for advice and expertise to units throughout their organizations , and ( 3 ) a conduit for keeping top management informed about security-related issues and activities affecting the organization . The central security group still serves in these three areas . neutral +Although the governance issues may not be insurmountable , another possible concern is that the federal government could become the largest single investor . The governance issues may not be insurmountable , but Mt.Everest is not ! neutral +Bayos-cebrunos smoked duns two . They don 't like smoking . contradictory +For livelier late-nights spots , head for the Dutch side with its revues and well-publicized hotel casinos . Go to the Dutch part to take it easy . contradictory +Do you think we are little children to let you walk out of here leaving us a pretty story full of promises ? Because she explained herself , they let her go . neutral +End block quote here It is fine to continue with the quote . contradictory +He tol ' ' em to go ahead an ' try . He told them they could go ahead and try killing his son . neutral +An archaeological museum is housed in a building of Venetian origin and contains finds from the Mycenaean and Archaic periods . The archaeological museum is contained in a building with classic Japanese architecture . contradictory +Its royal House of Savoy walked a diplomatic tightrope between the rivalries of France , Switzerland , Spain , and the German emperors until the fall of Napoleon . The death of Napoleon had an effect on the House of Savoy . entailment +we had my grandfather had Alzheimer 's Alzheimer 's disease and my grandmother kept him at home as long as she could My grandfather had Alzheimer 's , and he lived with my grandmother . entailment +The main road skirts the eastern side of the lake ; the minor route on the west bank , however , is prettier , affording dramatic views of Helvellyn Peak in the distance . The only road is located on the western side of the lake . contradictory +The highest peak on the valley 's rim is Pulchowki , at 2,762 m ( 9,062 ft ) , a half-day trip beyond Patan through verdant scenery rising to the attractive village of Godavari . Godavari does not offer much scenery . contradictory +The high population density constitutes a real problem . The population there is very sparse . contradictory +No ballots will be accepted after May 6 , 1998 . Ballots will be taken until the end of May , 1998 . contradictory +The palace , much altered over the generations , was generally used as a residence only at times of dynastic importance or danger , when Holyrood , down in the lowland , was difficult to defend . The palace was only a house when there was a threat . entailment +Yes ; you see she went to the mater , and , Oh , here 's Evie herself . Miss Howard entered . Miss Howard left . contradictory +For craft shops , antiques dealers , and galleries , take a stroll around Ortak ? ? y on a Saturday or Sunday . There are more galleries than craft shops in Ortak ? ? y . neutral +He turned to the other man . Both men left the room , never facing each other . contradictory +it 's not Deliverance but it 's pretty good The movie is pretty good , but it 's no Deliverance . neutral +um-hum you don 't and so i moved because i moved the day probably a week after one of the apartments blew up It doesn 't worry me that the apartments blew up . contradictory +Furthermore , all events are accompanied by the larger-than-life personality of Los Angeles and its residents , which makes for a memorable experience regardless of the venue . The city of Los Angeles doesn 't have a larger-than-life personality . contradictory +The town , just off the autoroute from Calais , has two of the most beautiful city squares in France , echoing the classical Flemish style of the 17th and 18th centuries in the arcades and the gabled facades of the Grande Place and the Place des H ? ? ros . Both of the city squares are among the most beautiful in France . entailment +APHIS rejected the first alternative because it believed scientific evidence permitted importation of pork products from Sonora and not permitting such importation would be contrary to trade agreements entered into by the United States . The United States entered into the trade agreement to permit imported pork products from Sonora over a decade ago . neutral +This picturesque village , some 30 km ( 18 miles ) from the provincial capital , is more authentically Spanish in character than Benidorm , its cosmopolitan neighbour . The village is 5 miles from the provincial capital . contradictory +but and i was working actually in the savings and loan program so that was quite specialized although i was living in the slums i was really working with the middle class The slums were great , you could hear music playing on boomboxes on every street . neutral +Bug fixing is time consuming . Fixing bugs takes no time at all . contradictory +and i was watching on TV they they broadcast this terrible riot supposedly that was going on in Jerusalem so we got all fearful for our people come to find out they came back and said they weren 't even aware of it They broadcasted a riot in Jerusalem , and our people weren 't even aware of it . entailment +Athletic prowess was admired and the Olympic games were constituted in 776 b.c. , to promote friendly competition . The Olympics began in 1980 . contradictory +Perversely , Weld lost the ideology / competence battle by winning the drugs / morality battle . The battle of drugs and morality was won by Weld . entailment +When small firms and solos do use technology to help smaller clients , the resulting publicity can generate much good will . Technology such as requisition-parsing is great for small clients . neutral +But he was not Jon . Jon stood before you . contradictory +It supplements GAO 's Yellow Book ( Government Auditing Standards , 1994 Revision ) , which defines the generally accepted government auditing standards ( GAGAS ) , and replaces the earlier GAO guidance , Assessing the Reliability of Computer-Processed Data ( GAO / OP-8 . All auditing practices follow the Yellow Book standards . neutral +I 'm starting to feel the same way about Roy Barnes . My feelings about Barnes have changed over time . neutral +Power came from weights , like those used on an old-fashioned clock . Like an old-fashioned clock , the power was derived from weights . entailment +1 / Bill / payment mail includes both the household payment mail ( i.e. Payment mail includes both the household payment mail entailment +The forested Malabar coast in the west is sown with crops of coconut , betel-nut , pepper , rubber , and cashew nut , which today still tempt ships across the Arabian Sea . Malabar does not grow any crops that many people would regard as tempting . contradictory +On dozens of occasions , Iraqis have refused to admit inspectors to facilities . Inspectors are kept imprisoned illegally , and sometimes the news report about it . neutral +The central groups had implemented ongoing awareness strategies to educate all individuals who might affect the organization 's information security . The central groups focused on how to create a less secure platform . contradictory +This is revolution . ' This is what you call a revolution . entailment +Politicians call it constituent service . The public calls it a real estate service . contradictory +He suggested advertising for the nurse , she reminded him . John suggested that the student advertise their fundraising to the nurse . neutral +He can fill himself with fear and panic now as long as he swung and fired when the time came . He could feel any emotion he wanted as long as he used his weapon . entailment +well there are all different kinds there Just one kind there contradictory +he 's still playing center He only plays point guard . contradictory +But I 'm trying to tell you about that , if you 'd only shut _ up _ a second and let me talk . I 'm trying to tell them about my vacation . neutral +so Linda uh-huh so it sounds like you like to read I can 't tell if you like to read or not . contradictory +The demolition of the citadel was a half-hearted job , however , and there 's plenty left to see today , from ramparts and castle walls to ruined chapels , stone stairways , and quaint cobbled streets . There are four ruined chapels from the citadel still in existence . neutral +It 's only the sincere consideration of a job doing something you truly believe in that can wreck your career in journalism . A sincere belief in their job benefits a journalist 's career . contradictory +and uh yeah i got all my little seedlings coming up in the kitchen and The light in my kitchen is really good for growing these plants . neutral +yeah they had a program on the other day about people that were addicted to soap operas I haven 't watched a tv programme in a week . contradictory +Of course he is . Of course . entailment +If not here , then where ? It will be done elsewhere . contradictory +But what if the questions come in Mixteco , Triqui or Zapotec ? The questions in Mixteco , Triqui , and Zapotec might be hard to explain . neutral +The Temple of Juno , with its sacrificial altar , stands in majestic isolation high on a ledge at the eastern end of the Via Sacra . There are places where you can buy photos of the Temple of Juno . neutral +It 's owing to him that we 've ferreted you out at last . It wasn 't him that helped us ferret you out . contradictory +It 's your own foolishness in trying to take something without permission that gave you away . Nothing gave you away . contradictory +uh he made us do the grunt work We did the less glamorous work at his request . entailment +That other stuff on television--politics--is boring , long-winded ; and politics vs. Politics on television is boring because it is so repetitive . neutral +The Knights used their considerable military might to then assume control of the very territory they had helped defend , capturing Gdansk , securing most of the Baltic region and cutting off the rest of Poland from access to the sea . The rest of Poland had been cut off from the sea . entailment +did you think it 's a serious problem that half the people don 't vote or Around half of the people eligible to vote don 't . entailment +The first two-thirds are lined with car salesrooms , cinemas , shops , and ( expensive ) cafe terraces . The last third is not filled with car salesrooms and cinemas . entailment +At least that was the theory . That was definitely not the theory . contradictory +You should always ask for a certificate of guarantee when you buy gold or jewelry . You can trust the jewelers over there . They 'd never rip you off . contradictory +Seixal ( say-shall ) is the only other settlement before Sao Vicente . There is one settlement before Sao Vicinte and it has 5000 people . neutral +The New York Times ' Ben Ratliff marks the appearance of what he calls Nelson 's first trip-hop song . Nelson 's first trip-hop song was mentioned in the New York Times . entailment +The last king of the Piast dynasty , Kazimierz the Great , succeeded in reunifying Poland . Kazimierz the Great was not able to unify Poland . contradictory +Single-unit FGD installations have occurred in as little as 20-21 months9 , and multiple FGD systems have been installed within 36 months . There many are installations of FGD that have occurred . neutral +You 've got more room to hide it in your cloth than I have . " He tossed it over quickly , then dropped from sight to land on the ground below . I 'll hide it , because I have way more room in my cloth than you do . contradictory +Some people may tap their wealth by selling stocks or borrowing against their home equity to boost current consumption . Some people may become wealthy by selling stocks . entailment +At last the door opened , and the German called imperiously to Conrad to return . The German stuck out his head from the opened door , and hissed to Conrad to return . neutral +It asks how much more efficient would a potential competitor have to be to overcome the scale economies of the U.S. It concludes that there is no way a competitor could overcome the U.S. economies of scale . contradictory +they shouldn 't even allow the lawyers to go any further i think they 're kind of bending the law just they just want more money is what it is i 'm sorry Lawyers seem to be driven by greed . entailment +Developing programmatic and financial capabilities to reach more clients with a wider range of services . There are lots of services available already . neutral +What we hope to demonstrate in describing what has been achieved in these selected states is both their differences and their similarities , the range of different processes , structures , and strategies that have led to their successes , and the basic commonalties that underlie them in terms of vision , inclusiveness , leadership and commitment . By finding the similarities , it is believed that organizations will always be able to succeed by following the formula provided . neutral +Tell is essentially about the past--Clinton 's economic success vs. The past is primarily the focus in Tell entailment +Before heading for the open road , try the excellent local cuisine , including both Spanish-style fish stews and Genoese pasta dishes . Keep driving , since the local food is gross . contradictory +In the 1970s , he was known as a tough-minded supporter who could be counted on for a meticulous review of how the endowments were spending their money . He had a reputation as a weak supporter . contradictory +The imaginative flair of a Neapolitan taxi driver zig-zagging out of a traffic jam forces the admiration of any nerve-shattered back-seat passenger . Traffic jams are what the customers hate the most , and this driver helps them with that . neutral +Main The rhymes are only so-so , and the tired sexual politics that provide most of the lyrical subject matter send a mixed message . The rhymes are not very good . entailment +At once lush and frightening , Tout de Suite literally vibrates with intimations of Davis ' future explorations beyond jazz . Tout de Suite is no longer scary because now it 's full of music . neutral +Finally , you can get an excellent view of the cityscape from the Cairo Tower ( El-Borg ) , designed like a minaret , though it does stand significantly higher at 182 m ( 600 ft ) above the city . The Cairo Tower stands much taller than any other structure in the city . entailment +Even if you can 't be there for an opera ( opening with a gala to end all galas every sacrosect December 7 ) , attend a concert or dance performance there or at least visit the little museum ( left of the theater ) , if only for a chance to see a strand of Mozart 's hair , Toscanini 's baton , or a peak into the sumptuous Neoclassical auditorium with its six tiers of balconies and galleries . It is worth visiting any form of performance there . entailment +Even today , the intricate Hindu caste system can play a role in the Indians ' choice of job , spouse , and political party , despite the numerous anti-discrimination statutes passed since Independence . The Hindu caste system is a thing of the past . contradictory +The day of disillusionment had been a Wednesday . Wednesday was the day that everything was ruined . neutral +a with a certain style and then you try to make it a little bit more listenable for let 's say another audience let 's say a North American and then when they hear it it it it 's a really it 's another form of music and you know it 's sort of um trying to draw out the best sources the the best of every type of music North Americans have odd tastes . neutral +There was stern command in his words , but a hint of pleading in his expression . His words were firm , but his expression seemed a bit pleading . entailment +for me any time i needed extra help any time of the day I could get help any time I needed it . entailment +The DSM is a categorical model--either ya got it or ya don 't . You either have the DSM or you don 't . entailment +I was only ragging you ! I was trying to insult you . neutral +So much for the cruel stereotype of the pea-brained dinosaur . This is yet more evidence of dinosaurs ' limited brain capacity . contradictory +The wet wool smell of your uncles in their Eaton 's sweaters and army surplus peacoats and shredded wheat for breakfast and thin ice on the tide pools and diesel as the engines kick in . Those little details , like eating shredded wheat for breakfast , is what makes me think of those days . neutral +I should suggest a hundred thousand ! Her economical spirit did not permit her to mention the whole million dollars suggested by Julius . Julius is rich . neutral +Therefore , client funds were deposited into interest-free attorney trust accounts . Client funds were deposited into the accounts that got high interest . contradictory +Chiran 's Kamikaze Museum , which includes a monumental statue of a pilot , exhibits the young men 's uniforms , helmets , and final letters to their families explaining that they were continuing the samurai spirit of defending the country 's traditional values . Chiran 's Kamikaze Museum contains old military uniforms . entailment +my kids want a cat so bad and uh i 'd i 'd like to get them one but we live close to a busy street and almost everyone has a cat it 's been hit run over maimed you know and i just can 't stand the thought of it my kids do not want a cat contradictory +King Edward IV granted the castle and land to Richard of Gloucester who later became King Richard III and it stood as a bastion of the English crown . The castle stood as a bastion of the English crown when Richard of Gloucester was crowned King Richard III . entailment +The laghia in which two men , dancing to drums alone , simulate a fierce kicking combat arrived with slaves from Dahomey . The laghia emulates an intense kicking combat danse and also incorporates punches . neutral +UNIT COST - The cost of a selected unit of a good or service . Unit cost is the total cost of buying a good or service in bulk . contradictory +Orientalism and its even more ambitious sequel Culture and Imperialism are works of passionate , almost agonized ambivalence . Orientalism was followed by Culture after a period of about 50 years . neutral +Not as developed as Taipa , it offers the joys of sand and sea and is known for its beaches . Taipa is comparably a sleepy little town that rolls up the sidewalks at six . contradictory +and are now now that even though California has reinstated the death penalty for whatever various crimes the people who were there originally when they when they changed the laws to revoke the death penalty are still in there for are in prison in quote for life and and are now coming up for parole some of them like Manson who 's come up California is once again practicing the death penalty but some people who were sentenced to life after the change of law are now going up for parole . entailment +But go around the back of the Taj , too , to the terrace which overlooks the Yamuna river . The Taj has a terrace which looks over a river . entailment +you know but anyway we kind of got off the subject of children except that i consider them my children We changed subjects from children entailment +but i tell you what if you get to watch some of these now i don 't know how it will be this year you know but i mean these games go right down to the wire These games are not worth watching as they are not exciting . contradictory +that 's right they have the Colts now like I hate that they have the Colts . contradictory +Changes in national saving cause the ratio of net foreign investment to GDP to move around its longterm trend . Changes did not move the GDP 's longterm trend . contradictory +'All right , Mr. Franklin , ' Greuze said . Weary of the argument Greuze had conceded . neutral +and my first one kept the inside of the house nice this is a two story five bedroom and uh uh they only lived in the downstairs because he was divorced and had two children and they only visited him one weekend a month This house has an upstairs that just has storage . neutral +my dad 's got a new um i guess it 's an eighty nine or ninety uh Chrysler something or other it 's one those transverse mounted V sixes front wheel drive My father just bought a brand new Toyota truck . contradictory +okay what is your uh general opinion then of of taxes for the Americans What is you thought on taxes for Russians ? contradictory +She was beautiful , slightly on the far side of middle age . She was beautiful although slightly older than middle age . entailment +Includes land and water sports and nightly entertainment . There are water sports for a nominal fee . neutral +It 's Canada ! Canada is just over the border less than 1 mile away . neutral +Maybe someone was storin ' stuff , hopin ' to come back when the war was over . Maybe someone was storing stuff and hoping to return after the war . entailment +Thought you 'd like to know the latest . Assumed you would want to know what happened recently . entailment +right yeah i 've got a lot of folks that i 've worked with like that as well A lot of the people that I work with like that too . entailment +yeah i think they 're doing it trying to do it or i hope they 're trying to do it all over the country because they need to collect all kinds of different I hope that they 're doing it across the nation . entailment +hum yep the more cars the merrier the paperwork There is more paperwork for the most cars that you have . entailment +wonder what they 'll call if she was married and wonder if they 'll refer to him as the first husband I wonder if the husband would be referred to as the first husband . neutral +for thousands of years It has been tens of centuries . entailment +He ran for Congress from Massachusetts and , revitalized , served for 18 years--notably helping to overturn the shameful gag rule that forbade the reading of anti-slavery petitions on the floor of the House . He was pro anti-slavery during his years of service . neutral +Certain former Enron and WorldCom executives come to mind in this regard . Enron and WorldCom are not included in this criteria . contradictory +The application of scientific research methods to estimate how much observed results , intended or not , are caused by program activities . The results are the direct outcome of the activities . entailment +yeah yeah yeah i was uh i told my dad you know it was like listen dad you know that i sleep a lot of hours right I let my Dad know how many hours I sleep . entailment +I need advice . I need more advice . neutral +Political fallout from the 1 ) The Senate expanded its investigation to include improper as well as illegal conduct in the 1996 elections . Expansion of investigation by the Senate led to some political fallout . entailment +They don 't need this one which isn 't . " They don ' need one that isn 't like them . neutral +For many , the image of Greek music and dance is inexorably linked to the film Zorba the Greek . Zorba the Greek has , for better or for worse , shaped many Americans ' view of Greek culture . neutral +Before I wrote you , I investigated your position in the planetary economy . " I investigated your position in the planetary economy after I wrote to you . contradictory +As he went from floor to floor removing the signs , did he realize what was going to happen after he 'd taken down the final one ? He was removing signs from floor to floor . entailment +which is right on on the Massachusetts Rhode Island state line that 's that 's why i work in Massachusetts it 's only it 's only a twenty minute ride It 's a 40 minutes ride to Massachusetts . contradictory +Aurangzeb forced him finally to submit , but the humiliating reception he was given at court sent him back on the warpath again . He was willing to put his past behind , though usurping his honor was too much for him to bear . neutral +Nothing particular , she replied . Nothing particular , he said . contradictory +you get much above you get much above the Texas border on in that sector sector of the map and get up into Oklahoma they 've got a little bit longer winter they 're catching Any area above the Texas border is a guaranteed spot of warmth . contradictory +The Nile valley south of Luxor is home to three temple complexes . In addition to temples , the Nike valley is home to small tribes of indigenous people : neutral +Beware of rebajas ( sales ) ; they may be genuine , but reductions are generally few and far between , especially in season . In season sales usually bring big reductions . contradictory +108 should determine if other auditors have worked to establish the validity and reliability of the data or the effectiveness of the controls over the system that produced the data . 108 needs to seek out and reference others who 've worked with the system and the data to verify reliability . neutral +Ca 'daan sold one bag of salt and used the strange silver coins to board Gray Cloud . Ca 'daan was taking Gray Cloud to the next city . neutral +Chosen for the test because of its beer-snob chic ; also , one of my favorite beers . There are four beers chosen to be in the test . neutral +In 1998 , California in recognition of the state 's size , diversity and complexity asked LSC to allow it to first develop regional plans for the creation of regional justice communities . In 1998 , California refused to recognize its size , diversity and complexity . contradictory +And they look so cool . They look neat . entailment +By allowing the local pride of such historic regions as Provence , Normandy , Brittany , and Langue ? ­ doc to reassert itself , France demonstrated that it was at last secure in its national identity ' so secure that French citizens even began carrying European passports . France decided that it no longer needed to suppress regionalism . entailment +on your on your taxes yeah that 's really about it it 's uh have you ever owned your own home Have you owned a home before ? entailment +However , OMB staff provided information during and at the conclusion of the review that was incorporated where appropriate . Information provided by the OMB staff was incorporated where appropriate . entailment +Bus tours take you to the big attractions , but inevitably at times when they are busiest . There are some times when big attractions are busy . entailment +The conservatives have managed to cast themselves as the scourge of pedophiles , insinuate that the president is soft on pedophilia , and link Clinton to a sub rosa campaign to lower the age of consent--and all this is based on a report that no one noticed until the Christian right uncovered it , that no one in the White House seems to have read , and that no one remotely linked to the Democratic Party or the White House has ever endorsed . Conservatives said Clinton wanted to lower the age of concent . entailment +If it can do that , then the effective real interest rate on borrowing will be Borrowers will expect to repay less in real terms than the amount they borrow . If it occurs , it would be a huge boon for the lending market on the borrowing side . neutral +Every part of the old terminus has been used in a highly imaginative way , and frequent lectures , guided tours , and concerts are scheduled . There are a number of concerts and tours . entailment +Last October , in a column that featured selections from some of the predictably misogynist hate mail she has received from both liberals and conservatives , Dowd permitted herself to fantasize about a parallel universe in which she could be a champagne farmer in France in love with a neighboring cognac farmer . Dowd dislikes her current life and wishes for a better one in France . neutral +no i used to work at TI as matter of fact i was the only woman that they had in the field in a management position actually when i was working there i was the only woman that was pretty much in the industry and i used to fill out those attitude surveys and uh I hated every second working in my management position at TI . neutral +The huge man , Thorn , continued to watch the woman as she pulled her saber from the sand and sheathed it under her cloak . The small petite man was no match for the large woman . contradictory +Architecturally , the lodge offers an interesting transition from sober Gothic to more decorative Renaissance . There is a transition you take interest in , it is from Gothic to Renaissance . entailment +right that 's right you know neither has mine as a matter of fact and uh that 's true they i think they look at it as well everybody the majority of the people think this way when that 's not necessarily true because you know that 's what the media says well the majority believes this way so uh they don 't even bother turning out to vote to express their uh opinions Most people believe certain things that aren 't necessarily true because they believe the media . entailment +East of the Groseorloge stands the great Cathedrale Notre-Dame , made famous in modern times by Monet 's many Impres ? ­ sion ? ­ ist studies of its facade . The facade of Notre-Dame was the focus of many paintings . entailment +The Integrated Planning Model ( IPM ) predicts future emissions outputs from EGUs affected by the Clear Skies Act . IPM predicts what emissions will be in the future after the Clear Skies Act is put into action . neutral +Well , it is this : that Mrs. Cavendish does not care , and never has cared one little jot about Dr. Mrs. Cavendish never cared about the doctor . entailment +We could have two debates every single week and get rid of all the television and radio commercials . With two debates weekly , we could get rid of all the television and radio commercials , said the manager . neutral +hello hi hi this is Lisa hi . My name is Lisa . entailment +As if he read her thoughts , the man said quickly : " I can assure you I mean no disrespect . " Tuppence believed him . Tuppence several had good reasons to trust the man . neutral +yeah but um they look like orchids is what they look like but they look like different color ones like i have uh yellow ones and i have red ones and i have purple ones and then they have like you know the velvety real velvety looking stuff inside they look like orchids , only different in color . entailment +They 're being challenged by a new , faceless breed of property investors , but they 're not worried . The new investors terrify them . contradictory +He felt convinced that their quest was going to be unsuccessful . He was convinced that their quest would succeed , exactly as planned . contradictory +not really anything really important in his life He has many things of value in his life . contradictory +Under modern governance theory , the board works for the shareholders and the CEO works for the board . The board is responsible for the CEO . entailment +The analysis explains the methodologies and the reasons behind their use in arriving at the cost and benefits of the rule . The analysis strongly supports the methodologies . neutral +uh-huh i 'd say that 's the only one i don 't miss or i try not to miss that one and Cheers on Thursdays I would proclaim that that 's the sole one I attempt to not desire from the past , as well as Cheers . entailment +yes i agree with that but just don 't ever get a glass that has lipstick on it oh that is terrible i had that happen only once i don 't remember where but it 's always I 've never gotten a glass with lipstick on it , and I remember everywhere I 've been . contradictory +The venerable imperial traditions of Japan and the frenetic celebration of its youth culture are arrayed side by side in this quarter of the city . The city is swept in ancient tradition . contradictory +Carefully closing the door into the passage behind him , he stepped across to the other and examined it closely . He opened the door behind him and ignored the other one . contradictory +information or planning purposes . Written details about planning purposes . neutral +That isn 't bad , and it certainly isn 't Clinton 's absolute lowest approval rating as president---that would be 1993 and 1994 , when Clinton 's popularity dropped on several occasions to 37 percent . By the end of Clinton 's term , his rating was at 65 percent . neutral +Perhaps the only person who took the account seriously was the president himself . Maybe a majority of the people thought little of the account . entailment +uh-huh you you do the whole thing over There are tricks so that you don 't do the whole thing over . contradictory +The smarter wise guys know that they are the track-suit-wearing equivalents of one of those prehistoric tribes living in the Orinoco River Basin , just waiting for extinction . The smarter guys compared us to prehistoric tribes . neutral +Airlines have even more monopoly power--once you know where and when you want to fly , you are likely to have an extremely limited choice of airlines--and they heavily discriminate against business travelers by charging more for midweek flights than for weekend flights ( when most travel is for leisure ) . Business travelers are offered weekend discounts . contradictory +One of nature 's gifts to our fair city is the hot spring . Our wonderful city has a hot spring . entailment +No , he said . The man said no . entailment +President Bush 's National Energy Plan also includes measures to increase conservation of energy , increase energy efficiency , and encourage technological advances such as clean coal technology , fuel cells , and combined heat and power facilities -- all of which will contribute to addressing the energy and environmental challenges of President Bush 's time in office was revolutionary in terms of environmental policy . contradictory +At worst , the jocks are hurting Bradley by failing to comprehend and refute misrepresentations of his agenda . The jocks made no attempts to comprehend the agenda . neutral +The program also identified the critical manufacturing processes and collected statistical process control data early in product development . The program collected data early on in the development of the product . entailment +we don 't have we don 't have a little child but i know that when you go in a restaurant we had some foster twins and it was last year and it wasn 't through the state but boy howdy man these kids needed a whipping sometimes not to be beaten not to be abused but to firmly be told you are not going to do that and you are not going to spit in my face i said no Although we don 't have kids , we do foster and sometimes those kids need a strict type of discipline including corporal punishment . entailment +Many retreated into the hills to make their own way , the forefathers of today 's small-scale , self-sufficient farmers . The forefathers of today 's self-sufficient fathers were the people who retreated into the hills to make their own way . entailment +that 's right that 's right then one person doesn 't know the other person down the line Yup , that 's correct and then someone doesn 't know someone else . entailment +-Looking over my shoulder just once- I looked over each shoulder seven times . contradictory +Horse-lovers come for the summer racing ' flat and steeple ' and for the prestigious yearling sale . The renowned yearling sale and the summer racing are what draw the horse-lovers here . entailment +there 's yeah there some things i 'd like to try but you know sometime when i ask i just feel like boy am i stupid or what yes , there are a few things i would enjoy trying entailment +HH-to-HH ( personal ) mail is the smallest sector of First-Class Mail . Mail is the largest factor of First-Class Mail . contradictory +The Rhine Valley has always been a central artery , a channel for river , road , and rail traffic between the north and the south . The Rhine Valley serves as an important river for transporting things from north and south . entailment +The National Morbidity , Mortality and Air Pollution Part Morbidity , Mortality and Air Pollution in the United States . Air pollution can be liked to morbidity and mortality . entailment +Walking up to Howth lighthouse , it is difficult to believe that Dublin is just a few miles away until you see Dublin Bay spread out before you . It is impossible to see Dublin Bay spread out before you . contradictory +and there 's there 's less maintenance There happens to be less maintenance . entailment +Many tests would be improved by wording questions to address current problems ( the past year or three months ) rather than lifetime problems . Test would be improved by wording questions to fit the current problem , suitable for a child and not an adu ; t . neutral +and in the you know fifteen years later it was a rare occasion that i could see both at the same time I saw both simultaneously fifteen years later , which was a rare occasion . entailment +that 's the whole that 's what i think i think God will definitely get uh you know uh there 's two people that i know you should not mess uh abuse and that 's a child and a someone person that 's elderly you shouldn 't abuse anybody but but down right You shouldn 't abuse anyone , especially if they are elderly and feeble . neutral +uh-huh i 'm not that hung up on most things i mean if i miss something big deal I care about things a lot . contradictory +Almost undoubtedly , however , it has some positive slope . It has a very negative slope . contradictory +As the road climbs higher you 'll reach a hidden valley , left behind as the glaciers of the Ice Age melted . The valley is noticeable almost immediately . contradictory +At ten o 'clock , the two young men were at the appointed spot . The two young men never made it to the meeting spot . contradictory +News groaned that Buchanan seems poised for another round of bashing the front-runner . News were ecstatic that Buchanan had rallied behind in support of the front-runner . contradictory +If you 're lucky enough to gain entry , you 'll see the only major work of art on the whole the Gothic triptych , or altar retable , which is attributed to the artist Rodrigo de Osona from Valencia . Rodrigo de Osona is one of the most famous artists from Valencia . neutral +In the Place Saint-Michel students buy textbooks and stationery , and linger around the ornate Second Empire fountain . There aren 't any textbooks sold at Saint-Michel , so students don 't go there . contradictory +During these challenging times , CPAs must look to what we share in common and how we can help to create the future of our profession . CPAs shouldn 't be bothering themselves with the future of the profession at this point . contradictory +A member of the Tandoori chain of restaurants , serving excellent Indian tandoori dishes . They serve amazing Indian tandoori on the beach . neutral +Today , the Loire is a sleepy waterway , running deep only with heavy rains or spring thaws , and its sandbanks and mud flats become islands during the summer . The Loire is met with frequent rain throughout the seasons . neutral +It also lacks a decision review to proceed from the integration phase to the demonstration phase of product development . The demonstration phase comes after the integration phase of product development . entailment +Surely not . This is absolutely true . contradictory +Seems like th ' kid got an idear to scout north , struck trace near th ' Long Canyon , rode th ' sign on his own an ' was bushwacked . The kid scouted south , and then got bushwacked . contradictory +Instead of using the money it raised from the IPO to expand , though , it lent the $ 110 million to other Chinese state enterprises and then watched many of those loans go south . It raised money from the IPO that it wanted to reinvest . neutral +Sonny didn 't know much . Sonny seemed to know everything . contradictory +Consequently , there is no evidence in EPA 's filing of OIRA 's comments on , approval or disapproval of , the agency 's information collection requirements . There is evidence lacking in EPA 's filling of OIRA 's comments . entailment +Candles everywhere , pools of orange flickering around my shadow . Candles made the area look romantic . neutral +well do you have separate trash cans at your desk Why do you have such a messy desk ? contradictory +and i said well that that 's quite possible i said i 've discussed some topics with people even over this situation and and discovered some views that i hadn 't thought of in a while i just wondered if i got out of my little realm Through talking to people I 've changed my thinking a bit . entailment +uh-huh yeah i like him I don 't care for him . contradictory +Or that 's what small , weak , slow-moving , and sweet-tempered Sammy the Friendly Snail Bent on Taking Over the World would have you think . Sammy the Friendly Snail is small and weak . entailment +It is informed by federal and state law , census data and innovative models from other disciplines while acknowledging the breadth of our communities . Census data and innovative models can be found in other disciplines . entailment +The Explorer struggled to keep his self-control . The Explorer had a hard time not losing his control . entailment +Therefore , a $ 22 million annual savings is estimated to result from the rules . The rule is estimated to save 22 million dollars every year . entailment +Surprisingly , the $ 10 million spectacular isn 't Broadway 's all-time biggest flop . This is the worst flop Broadway has ever seen . contradictory +Scored 145 . There was a score of 145 on a report . neutral +He 's frightfully clever . You need to be careful when you 're dealing with him . neutral +Uh ... maybe , I thought . No way , I thought . contradictory +Some agencies have begun to use IT to facilitate interactive public comments , permitting users to comment on the comments filed by others ( e.g. Agencies feel that IT is giving them new opportunities to get a sense of public sentiment . neutral +The horse began to tumble over as Jon cut the reigns . The man just loose the animals . entailment +Revealed Clinton family troubles immediately after his pastoral visit . The Clinton family has troubles but they tried to hide it . neutral +and the Cardinals were kind of like the Cowboys in fact they were doing better than the Cowboys and the Cowboy Cowboys came on strong at the end of the season and the Cardinals got killed by the Cowboys so The Cardinals were doing better than the Cowboys at first . entailment +'And you were able to understand it ? ' And you understood what was happening ? neutral +In recent years the influence of the United States has been much stronger than that of Britain . The Britain has more influence than the United States . contradictory +Grassmarket has a memorial to the Covenanters ( Scottish Protestant clergymen ) martyred by Catholic Stuart kings in the 17th century . There is a memorial for the Scottish Protestant clergymen in Grassmarket . entailment +for all our sakes . For all of us . entailment +Early this century , the progressives were people who realized that communications and transportation technologies were pushing the scope of economic activity outward , from individual states to the United States as a whole . Progressives in the early century , believed technologies could economically help communities . entailment +The he clutched the sky-blob again . He held fast to the sky blob in his hands . neutral +His descendants were major landowners from the middle of the 16th century and played an important role throughout the colonial history of Jamaica , holding positions of great influence in the judiciary and administrative bodies . His descendants held powerful positions throughout Jamaica 's colonial history . entailment +This could happen in presorting . It couldn 't happen anywhere . contradictory +The exponent of Pb in Equation ( 1 ) , then , is not a traditional elasticity ; rather , it is an elasticity for changes in own-price when the discount remains unchanged , referred to in this paper as a no-shift elasticity . The exponent of Pb in the first equation is not a traditional elasticity . entailment +LSC received a Congressional appropriation of $ 330 million for FY 2001 , with which it made grants to 207 programs to provide free legal services to indigent persons across the country . The Congressional appropriation of $ 430 million for FY 2001 that LSC received was put into financing public education . contradictory +They generally see the incident ( see pages 43 44 ) as having been a piece of elaborate British propaganda thought up to justify Clive 's retaliation . Their general view is that the incident was a work of propaganda by the British . entailment +Sixth month : Promoted to waiting at table . In the sixth month , I was promoted to cleaning toilets . contradictory +An individual 's willingness-to-accept ( WTA ) compensation for not receiving the improvement is also a valid measure . Most individuals would rather see improvement over compensation . neutral +When the toxicity test ( s ) is concluded , all test organisms ( including controls ) should be humanely destroyed and disposed of in an appropriate manner . The test organisms should be humanely destroyed when the test is over . entailment +Tests of Evidence Thorough examination neutral +Press Policy GAO does not initiate press conferences , but senior GAO officials may participate in press conferences held by Members of Congress , if requested . Press Policy GAO holds weekly press conferences . contradictory +i lived in the suburbs of Saint Louis yeah I had a house in the suburbs of Saint Louis . neutral +Participants generally agreed that financial statements are not designed to serve all business needs and that other types of business reporting are needed to assist investors and other users in making decisions . There was a consensus among the participants on financial statements because they were cooperative . neutral +Performance Venues . Opera Houses neutral +It is thought that Pilate delivered Jesus to his soldiers at a spot now in the courtyard of El-Omariyah School , across the street from the Franciscan monastery . Pilate and Jesus were close friends at the time . contradictory +There 's no earthly clue in it as to where she 's gone , he assured Tommy . He told Tommy he didn 't know where she 'd gone . entailment +Court life was luxurious , though Islamic scholarship did find a place next to worldly pleasures . Court life was dull , with few luxuries to offer anyone . contradictory +i think i think they 're in pretty bad shape right now i i think their i think their reliance on us is is probably real course that 's not to say that once we get them on their feet again things won 't go back the way they were During the disaster it was well known they would rely on us to help with the cleanup . neutral +If you have questions concerning the substance of the rule , please contact Victor S. Rezendes , Director for Energy , Resources , and Science Issues , on 512-3841 . There is no one available to answer queries about the rule . contradictory +Even you must have had some idea of the composition of the sky ? " Dave frowned as he tried to answer . Dave knew exactly how the sky was constructed . contradictory +absolutely they 're expensive i don 't know unless it labor intensive or something i really don 't know They are so cheap and easy to make . contradictory +That 's what they 've done . They 've done that , said the investigator . neutral +that 's right and it just it 's just not people they and it 's not uh you know there isn 't any real Arab coalition because they do fight among themselves There isn 't any real Arab coalition , they fight among themselves . entailment +It is also bad news that breast-feeding , which adoptive mothers usually can 't do , releases the bonding hormone oxytocin . Breast-feeding is something that adoptive mothers can 't usually do . entailment +The demographic and economic assumptions imply a sharp drop in the average annual growth of aggregate hours worked from 0.7 percent through 2010 to 0.2 percent from 2020 through 2075 . Aggregate hours worked has only been decreasing for past decade . contradictory +And the thought was suddenly in his mind : " We were quite aware of it and because we knew they meant well by us according to their own view of the matter , we did not attempt to attack them . " We had made an attempt to attack them . contradictory +Three years later , the Communist party won a plurality of seats in parliament . The Communist party won many seats in the parliament after three years because they have become popular with the people . neutral +Tommy bent down and removed his shoes , then , leaving them behind the curtain , he walked gingerly out on his stockinged feet , and kneeling down by the closed door he laid his ear cautiously to the crack . Tommy could hear people making noise through the crack . neutral +The analysis further describes the small entities affected by the Report and Order ; summarizes the projected reporting , recordkeeping and other compliance requirements ; and describes the steps taken to minimize the economic impact on small businesses . Impacts on small businesses are virtually ignored in the analysis . contradictory +yes i have one I only have one . entailment +Because of this , they encourage their managers to capture product design and manufacturing knowledge to identify and resolve problems early in development , before making significant increases in their investment . They don 't want their managers to be knowledable at all . contradictory +They were joined by a swarm of spies of all conceivable nationalities , and Macau won a name for international intrigue . No spy dared to set foot in Macau . contradictory +In ancient days the university simply meant a collection of scholars who met on a street corner or in a public square or courtyard to listen to a lecture given from a bench or balcony . In ancient days , the university was just a group of scholars who met to announce their new theories . neutral +And that , to return to the question I posed earlier , is just the problem . there are other problems to be considered . neutral +13 Primary care physicians and emergency physicians identified fewer than 50 % of patients with alcohol problems . Primary care physicians only find half the people that have alcohol problems . entailment +Vestiges of the British colonial legacy can still be found , not least in the fact that English is Jamaica 's official the popularity of cricket is another example . Jamaica contains no traces of its British heritage . contradictory +Tuppence 's spirits revived still more . Tuppence felt her mood lift even more than before . entailment +As cited in Edwin R. Dean and Michael J. Harper , The BLS Productivity Measurement Program , revision of a paper presented at the Research in Income and Wealth Conference on New Direction in Productivity Analysis , March 20-21 , 1998 , Washington , D.C. : Bureau of Labor Statistics , July 5 , 2000 . The Research in Income and Wealth Conference on New Direction in Productivity Analysis was written in 1996 . contradictory +Never did a piece of architecture more exactly express the personality of its builder than the Ceteau de Versailles ' extravagant , pompous , dazzling , formidable , glorious , and vain . The architect of this place was very humble . contradictory +However , it may be more a matter of skill and ability to work in this setting and deliver the needed type of intervention rather than of profession that should determine who should deliver the intervention . Skill and ability should be used to determine who delivers the intervention . entailment +Their former parade ground , the vast Champ de Mars , is now a green park stretching all the way to the Tour Eiffel . Their parade ground , the diminutive Champ de Mars , remains a barren and dusty tract of land . contradictory +President Clinton called it one of history 's most remarkable triumphs of human freedom . Clinton thought it was impressive . entailment +that 's right and it just it 's just not people they and it 's not uh you know there isn 't any real Arab coalition because they do fight among themselves There isn 't any real Arab coalition , despite what the news says . neutral +that 's not too old That is 't too old for most people . neutral +He brought the weakened bomb into Hitler 's briefing room and nudged it as close to the target as he could , then left on a mumbled excuse , drove off the compound , and flew to Berlin . He planted the bomb and detonated it in a suicide attack . contradictory +ENTITLEMENT PROGRAM - A program in which the federal government becomes automatically obligated to provide benefits to members of a specific group who meet the requirements established by law . An entitlement is the federal government giving a group something . entailment +If the payment of terminal dividends is probable and the amount can be reasonably estimated , the liability should be recognized . There is some liability for the payment of terminal dividends . entailment +At Birdoswald Visitors Centre , however , 24 km ( 15 miles ) east of Carlisle , visitors can view the remains of one of the forts and walk along some of the better-preserved sections of the wall . The fort was destroyed in the many wars . neutral +Some of the agencies had also developed portals or gateways providing customized information for particular target audiences . None of the agencies thought of creating portals or gateways . contradictory +i know it and then some the winner the one that 's voted the best wins ten thousand dollars so you know The winner doesn 't get anything . contradictory +it looks like our carpet where you just have a flat backing and then the thing is knitted into this backing It looks nothing like our carpet . contradictory +Tom Campbell , R-Calif . , an international law professor , has championed congressional war powers for years . Congressional war power has been championed for years by an international law professor , according to the article . neutral +For example , the Department of Social Security in the United Kingdom uses the results of a rolling program of reviews to determine the levels of fraud and error in its Income Support and Jobseeker 's Allowance benefit programs . Program reviews are performed every year in January . neutral +i know i know that the the Massachusetts miracle has has gone bust The Massachusetts miracle was too good to last . neutral +puts a lot of color out there It really enhances color . entailment +yeah you have to do one of them you know spontaneous things like maybe three o 'clock in the afternoon or one o 'clock in the afternoon and stuff like that because they 're not expecting you You have to do it spontaneously to catch them in the act . neutral +In the long run , a larger capital stock also requires more saving just to replace depreciating capital . A larger capital stock requires more savings just to replace depreciating capital . entailment +oh okay are you on an exercise program now or Do you even get up from your couch ? contradictory +you know the food is excellent obviously that that is like i said that is important I can 't handle eating bad food . neutral +Two 18th-century organs are spectacularly flamboyant . The organs are distinct from any other . neutral +If you see them coming , light a torch and spin it in a circle . If you see them circle you should light the torch and spin the torch in a circle . entailment +For example , such approvals could be evidenced by purchase orders signed by an authorized official or travel orders and vouchers signed by supervisors . There approvals can not be authorized today . contradictory +High-quality pottery and glassware are also produced here . Highest quality glassware and pottery are also produced here . entailment +OMB publisHe 's the hierarchy in its bulletin entitled Form and Content of Agency Financial Statements . The hierarchy is updated every two weeks and the changes are always reflected on the bulletin within one day . neutral +Increasing national saving and thus long-term economic growth is crucial to the long-term sustainable solvency of Social Security and Medicare . The sustainability of Medicare depends in part on the viability of economic growth over the course of the long-term . entailment +Nothing ; but Everything ; and contradictory +and um-hum right going and paying six dollars for a ticket for one person at the theater or something so we i have and it 's so convenient at home and you can do it anytime you you take the notion I never watch movies at home anymore . contradictory +On the south side of the street in the open ground below the castle and on the site of the formerly marshy Nor ' Loch are Princes Street Gardens , a welcome place to relax in a sunny day . There is a castle near to the Princes Street Gardens . entailment +i don 't i don 't miss the cold at all but i don 't mind the heat I hate the heat and wish I still lived somewhere cold . contradictory +Medicare 's financial status has generally been gauged by the financial solvency of the Part A Hospital Insurance ( HI ) trust fund , which primarily covers inpatient hospital care and is financed by payroll taxes . Medicare 's financial status can 't be accurately determined . contradictory +they go well they got a lot of benefits that would go with it so it gives them a lot of benefits as part of the arrangement entailment +hardware and software . People generally understand software better than hardware . neutral +but they got so much bad publicity too and i think that hurt a lot of you know people even wanting to play on their team They only ever had good publicity . contradictory +but i do watch some uh pro football basketball mostly it 's uh i watch certain players I watch certain football and basketball players . entailment +Who is devoting himself to enriching our popular culture with high art ? Who is going to go to muesums to see the art ? contradictory +To amend the Clean Air Act to reduce air pollution through expansion of cap and trade programs , to provide an alternative regulatory classification for units subject to the cap and trade programs , and for other purposes . Amending the Clean Air Act could reduce air pollution through expansion of cap and trade programs . entailment +uh i think we 've been fortunate that we 've missed any of the real bad weather this year because we went to California instead but right now I think that there is a perfectly reasonable explanation as to why we were missed by the bad weather . contradictory +As it was conceived and as it has played out , LSC 's State Planning Initiative is a LSC 's State Planning Initiative does not exist contradictory +That fragmented system without oversight had its deviance ( not all doctors provided good care ) and cost ( the doctors drove up the bills ) . Doctors drove up bills and not all of the doctors gave good care . entailment +and you 've got to admit that Congress does kind of look at things that way Congress should look at things in a different way . neutral +A 1997 expansion then doubled the space . The expansion doubled the available retail space on the Strip . neutral +it 's a little bit nicer to have a Spring and a Fall season where you have some pleasant weather everyday where you can feel like you just want to open your windows and Having a Spring and a Fall would be the worst , I 'd close my windows and hide from the weather . contradictory +Bettelheim had no overarching theory , but he had an abiding authority and the ambivalence it inspires . Bettelheim had a fast food . contradictory +, DeWayne Wickham of USA Today ) praised Texaco 's chairman for acting quickly , called the boycott of independent Texaco gas stations misguided , and argued that the crusade against corporate racism should move on to more egregious culprits , such as Avis and Circuit City . DeWayne Wickham writes for Newsweek . contradictory +Print , Internet , and general media General media includes many options . neutral +There 's a shop specializing in all these items on Av . There is more than one store that specializes in these items . neutral +TDH administers more than 200 separate programs and operational units , including Medicaid . TDH runs many government programs . entailment +I seek your assistance in resolving this matter in a timely manner . I need help fixing this . entailment +In part , hotline workers gain immigrants ' faith because they understand where their callers are coming from--literally . Hotline worked understand where immigrant callers are coming from . entailment +An alternative is Disneyland Paris , 32 km ( 20 miles ) east of Paris near Marne-la-Vall ? ? e . Disneyland Paris is the most popular resort in France . neutral +The mail , which can be anywhere from mildly unattractive to rather difficult is put through a sorting machine and a picture of it is taken . The mail is typically all attractive and easy to work with , given that it is all written by children . contradictory +and now they tell you what to teach and how long and you know what day They tell you when and what to teach . entailment +When an audit is terminated before it is completed , auditors should communicate that fact to management of the audited entity , the entity requesting the audit , and other appropriate officials , preferably in writing . If an audit is terminated before it is completed , auditors should communicate that fact . entailment +Acceptability of emergency department-based screening and brief interventions for alcohol problems . It 's acceptable of emergency departments to screen and have short interventions for alcoholics . entailment +and and and you know the years that we were good we had Staubach and Morton The best years we have had yet are the ones we had Staubach and Morton . neutral +beforehand A couple days after . contradictory +What is it ? I asked solicitously . I couldn 't see it very well . neutral +Start at the confluence of the V ? ? zyre and Dordogne rivers , where the hilltop village of Limeuil affords a fine view of both valleys and their bridges meeting at right angles down below . Limeuil is located on a hill near the Dordogne river . entailment +, and appeared here in 1977 . In 1977 UFO appeared here . neutral +Orders should be sent to the following address , accompanied by a check or money order made out to the Superintendent of Documents , when necessary . All orders of books should be made out to the Superintendent of Documents . neutral +Stimulate global growth by boosting consumer demand from the bottom up . Bottom up demand drives global growth . entailment +A loud crack echoed over the dunes . The loud sound of thunder was heard over the dunes . neutral +The modern concrete-and-glass structure of the Tel Aviv Museum of Art houses an excellent collection of Israeli and European art spanning the 16th to 20th centuries . The Tel Aviv Museum of Art is a modern place , people love its exhibits . neutral +According to one executive we met with , change initiatives that are implemented slowly generally fail because staff have too much time to contemplate the potential negative effects that change might bring and rally opposition that ultimately undermines the effort . The more people think about the change initiative , the more they question if its worth the effort . neutral +The Los Angeles Open finds world-class golf champions flocking to the city each February for the tournament at the Riviera Country Club in Pacific Palisades . The Los Angeles Open is a track meet . contradictory +What can it be ? I mused , won over to Poirot 's views for the moment , although still retaining a faint conviction that the obvious deduction was the correct one . Slightly believing still that the obvious deduction was the right one . entailment +I have behaved like an imbecile ! There is nothing wrong with how I acted , contradictory +you right right how much are they out there I know how much they are there . contradictory +Osaka will win no urban beauty contests , but there are plenty of sights to see here , including a couple of interesting museums , a remarkable aquarium , and an underground shopping complex that might be the world 's largest . The underground shopping mall in Osaka is the world 's second largest . contradictory +The main building has a lot in common with Beaubourg , although this one is four times bigger . The main building is four times bigger than Beaubourg . entailment +, premature mortality , emergency room visits ) through the use of concentration-response functions . The functions suggest a lot of health problems . neutral +The Summerlin Library and Performing Arts Ceter features an art gallery ( as do most library branches in the area ) and frequent music and theater performances . Most library branches have full schedules of music performances . neutral +no i think there are certain things that uh the jury can determine as far as uh guilty or not guilty but as far as the affixing affixing affixing of punishment and fines and things of that nature i don 't know if that is best left up to the jury to decide to award you know two point two million dollar kind of settlement versus a judge knowing you know it 's true that you know this may be sad and all that thing but uh the jury i think is best in most cases suited for determination of guilt and innocence but not the award of of penalties and fines and punishment The jury can only determine specific things , I do not think they would be in charge of deciding the amount of a settlement . entailment +The United States abandoned its policy of stabilizing gold prices back in 1971 . The policy of stabilizing gold prices was kicked to the curb back in 1971 . entailment +The fact that he felt the need to say this suggests he still doesn 't fully believe it . In the future , he will probably come to believe it . neutral +kids with elderly people in the winter time they shovel their snow they have a big brother big sister program they have bottle drives they have cleanup outings The children go to places and help clean up , and also help those who can not shovel their snow in the winter . entailment +You 'll never have to look long or hard for music festivals in most towns . Music festivals are unheard of in most towns . contradictory +It is especially popular in the western Algarve at Luz , Lagos , and Sagres . Surfing is popular at Luz , Lagos , and Sagres . neutral +That is Annan 's next test . Annan has another test approaching soon . neutral +Beyond the Lake Gardens , the Taiping War Cemetery bears impressive witness to the peninsula 's early role in the Pacific War against the Japanese . The peninsula was not discovered by mankind until after the Pacific War , and thus had no role in it . contradictory +EPA has resubmitted all eight requests based on reduced reporting and recordkeeping requirements resulting from changed requirements in the final rule . The EPA wanted to change the final rules to make it easier to save the environment . neutral +Inside the library there are old photos of assorted Ranas , smartly dressed in tweed suits , neckties , and polished boots , posing atop the huge rhinos and tigers they 've slain . The Ranas all wore clothes made of silk . contradictory +The modern building wins few admirers , but there is a free tour ( Sunday and Thursday , 8 : 30 a.m. to 2 : 30 p.m. ) and you can watch the debates ( Monday through Wednesday , 4 : 00 to 7 : 00 p.m. ) . Passports needed for both . Most people don 't like the modern building , but it 's still open for free tours . entailment +It can 't be there ! It should not have been able to be there . neutral +Either once or twice a week you can now see films in English in both Santa Eul ? ria and Sant Antoni . Santa Eul screens English movies twice a week while Sant Antoni does the same once weekly . neutral +HHS supports a number of These gateways and has a Gateways button on its home page identifying them , which includes both HHSsponsored sites ( e.g. HHS as a Gateways button on its home page . entailment +Forced castration is difficult to administer . Forced castration is as easy as cutting butter with a hot knife . contradictory +This might be your idea of a semicircular sandy strip backed by sea grapes and tropical shrubs , gentle aquamarine surf , a coral reef close to shore , plus some rocks and seaweed for rewarding snorkeling and a view out to some huge pierced rocks ( roches perc ? ? es ) that partly shelter the entrance to the cove . This might fit the description you are looking for , a gentle surf , coral reef within swimming distance to shore , and rocks and seaweed for snorkling . entailment +The American Bar Association voted overwhelmingly to oppose the renewal of the independent counsel statute , concluding that it forces prosecutors to spend too much time and money examining minor matters in pursuit of a single target . They concluded that the prosecutors spend too little time . contradictory +Sure , that sounds perfectly neutral . I appreciate your careful wording . neutral +The price differential between Priority Mail and single piece parcels is very small . The cost between Priority Mail and single piece parcels is insignificant until you reach higher weights . neutral +yeah i understand did you exercise between your first child and your second Did you work out after your first child and before the second ? entailment +" Oh ? " Drew wondered aloud . Drew was surprised at the information . neutral +There isn 't one of them that 's not hard up and trying to get money out of her . Every one of them is fighting the other , in order to get her money . neutral +The beach resorts of Mirties and Massouri on the west coast take the bulk of visitors . Most visitors avoid the beach resorts on the west coast . contradictory +Crowell and Moring may take on an Employment Law page . Crowell was the first to take part on the Employment law page . neutral +The collection point for the tunnel 's water , the Pool of Siloam , is believed to be the place where Jesus restored sight to a blind man . Jesus gave a blind man sight again . entailment +Each chapter of this guide lists applicable reference materials including federal regulations and guidance published by GSA , OMB , and other agencies . The GSA 's regulations do not influence the material in this guide . contradictory +well i i used to babysit for this family that didn 't have a TV and their their kids turned out fine I used to babysit for kids who didn 't have a TV , and they turned out fine . entailment +In the case of H-2A workers , the reading would require the conclusion that Congress intended to provide H-2A workers with legal services representation on claims arising from their employment contracts only for the very brief periods that the workers are in the United States -- potentially rendering the promise of legal representation largely meaningless . This reading would require the conclusion that Congress had intended for H-2A workers to only get legal representation when they were in the country . entailment +The award-winning South Coast Repertory Theater is also based here , and the adjacent South Coast Plaza shopping plaza hosts many of the most fashionable department stores . There is not a shopping plaza here . contradictory +At the northern edge of Higashiyama is one of Japan 's most famous and delightful short the Philosopher 's Path , stretching along a canal running between two major temples Nanzenji and Ginkakuji . The Philosopher 's Path goes along the edge of a canal . entailment +In an overwhelming majority of instances , LSC has used the competitive bidding process to forge deeper bonds with its grantees and stakeholders , allowing LSC to serve as an active partner in planting the seeds of comprehensive , integrated state justice communities nationwide . Relationships with grantees and stakeholders were harmed by LSC . contradictory +you mean like those little thin in the little roll the bellies The rolls are little and thin . entailment +Since when did the practices of confused , incompetent Strom become the guide for senatorial behavior ? ) Smith is incompetent and confused . contradictory +They had appeared as if by magic-- Obviously , they had really been conjured up by magic . They had obviously been brought here by magic . entailment +you know like you 're judging us and i 'm not good enough to raise my child which basically is true You 've been very reassuring and supportive in telling me that I can raise my child . contradictory +After Henri 's death , his widow , Catherine de M ? ? dicis , took Chenonceau for herself and added the galleried floors of ballrooms and reception halls that complete the bridge across the river . When Henri died , his widow received nothing and disappeared into obscurity . contradictory +WHO defines hazardous drinking as 4 or more drinks / day for men and 2 or more drinks / day for women . WHO says drinking more than 4 drinks a day is bad for men . entailment +It 's always been my goal to make other people , regardless of their sex , feel less adequate . I like to make males feel less adequate , and I have mothing against females . contradictory +But Gore has found a big chink in Bradley 's armor . A big chink in Bradley 's armor has been found , said the news . neutral +sure yeah any more i don 't even know if they have if a college kid would have a typewriter these days i 'm pretty sure college students use computers instead of typewriters neutral +It 's said to weigh 2,000 tons ( 1.8 million kg / 4 million pounds ) . It weighs quite a lot . entailment +Glendalough 's three nature trails take less than an hour 's relaxed walking and are well worth doing . The nature trails are full of wildlife and good-smelling flowers . neutral +She pursed her lips and shut the door quickly . She left the door open and sat down , looking relaxed . contradictory +That 's the kind of truth that reveals itself to documentary filmmakers after the fact , when they go over footage and discover unexpected patterns , dissonances , glimmers of a universe that 's richer and messier than the one they set out to portray . There is a truth that reveals itself to documentary filmmakers only after they have gone over their footage . entailment +This forum served to help inform the GAO 's work and other efforts to support the Congress , including our efforts that helped lead to the eventual passage of the Sarbanes-Oxley legislation . The forum did not help our efforts in the least bit . contradictory +and that was very helpful and we kept charts of our progress and uh consistently uh increased the amount of resistance so you could see how much you improved over the weeks We charted our progress as we went along so that we could see how much we improved . entailment +When I checked the transcript , I was flabbergasted ; so I checked the C-SPAN tapes , and they leave no doubt . After seeing the C-SPAN tapes , I was awestruck . neutral +for different people for you know other places Instead of all the same . neutral +The mayor originally hoped groundbreaking would take place six months ago , but it hasn 't happened yet . Groundbreaking was supposed to take place six months ago . entailment +Tuppence . Not Tuppence . contradictory +Adrin 's jaw clenched . Adrin clenched his jaw . entailment +Adrin found those few more . Adrin found a few more of those . entailment +He seemed to fluctuate between bitter sureness of doom and a stupidly optimistic belief that something could be done to avert that doom . There were moments when he was sure they were doomed . entailment +A girl with red hair of about fourteen looked out at the window at them . The daughter of the demon was looking out the window . neutral +Swimming conditions vary enormously on all the islands . When you 've swam on one island , you 've swam on them all . contradictory +For example , no reasonable person would expect the United States to invade or bomb Turkey to stop genocide against the Kurds . No reasonable person would think the US would bomb Turkey . entailment +3 ) President Clinton banned federal funding of research on human cloning . Clinton also banned stem cell research . neutral +In a few minutes a bell rang violently . The bell rang very loudly . entailment +We have no data available which directly relate rural delivery cost to population density , but it seems very likely that boxes per mile is highly correlated with population density . We have lots of data about rural delivery costs . contradictory +right well it was right well it was nice talking to you I hated this conversation . contradictory +500 until around a.d. 800 ) . The city didn 't exist in 800 AD . contradictory +oh did they oh i didn 't know that What happened when they did what they did ? neutral +Meanwhile , people hostile to popular notions of addiction will dismiss the characterization of Clinton as a sex addict as an evasion of personal responsibility . Those who think addiction is just nonsense geared toward avoiding responsibility will rebut Clinton 's characterization as a sex addict . entailment +well yeah yeah i would imagine women would understand maternity a lot better than men I guess since maternity heavily involves women , they would know a lot more about it than men . neutral +She reasoned that there were so many risk factors that should be addressed that some sort of bundling would be necessary . Bundling might help reduce the severity of multiple risk factors . entailment +Advancing such a conflict automatically counts as news . Moving such a conflict forward does not pique anyone interest . contradictory +He sure liked to read , so he claimed that there book when it was all tied up together agin ' cause he shot th ' buck as was carryin ' th ' shield . He claimed that book because he likes to read . entailment +The anonymous message board on greedyassociates has dramatically expanded that network , and now information about the latest salary increase or layoffs is shared instantaneously with thousands of associates throughout the country . Many business owners are calling for greedyassociates to be shut down as it reveals salary and layoff information that they believe should be kept private . neutral +The key steps are to calculate how much income they need to retire , estimate how much retirement income they can expect from Social Security and employer-sponsored pensions , and decide how much more they need to save . Social security is often included in an employer sponsored pensions . neutral +seems like you 're so busy anyway and then that 's just one more thing to have to worry about so " It 's just another worry on my mind that you are so occupied and unavailable . " neutral +latest latest one i 've saw which was a mistake to go see was Lionheart had Claude Van Damme The latest one I watched was Lionheart , featuring Claude Van Damme . entailment +Since its attractive bricks were carried off to build houses in the town , only a platform of the Main Shrine , which once marked Buddha 's dwelling place during his stay at Sarnath , remains . The only thing left of the Main Shrine is a platform because it 's bricks were taken to build houses . entailment +And productivity us with that one . That one is productive . entailment +Enclosed is our assessment of EPA 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . Since the steps were so well outlined in sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 , the report on the EPA practically wrote itself . neutral +In the first instance , this is done by presenting the services as being for the poor , including the targeting of outreach efforts on groups and areas in which poor people congregate and live . Outreach programs are targeted towards the upper middle class . contradictory +2 ) It 's based on a book written by one of Winchell 's ghostwriters , who , natch , makes himself the star of the film . The writer made himself the star of the film . entailment +This time , she looked solemn . She looked excited . contradictory +I am saying and making it plain : If you make a steady practice of trading punches with a trooper or with any one else because you take a dislike to his face , the way his ears stick out , how he walks or talks , or what color coat he wore in the war , then you can roll your beds and ride out the sooner the better . If you fight people for no good reason you can 't stay here . entailment +It might arouse suspicion if you did not stay out till the usual time . Everyone is used to you staying out late every night . neutral +Do you think , said Mrs. Vandemeyer scornfully , " that I am the kind of woman to sell my friends ? " She asked if she was the kind of woman who sells her friends ; entailment +Gallup , for one , is waiting until Net use becomes more widespread before embracing online polling . Gallup wants to opt for online polling when the internet becomes widespread . entailment +We therefore vacate and remand with instructions to dismiss . We receive some instructions , which we act upon . entailment +and they 're asking like for a um GPA of like three point seven or something like that and like they 're looking like for uh GRE like ninety nine percentile and this and that and it 's like They want a GPA of 3.7 and a GRE in the 99th percentile . entailment +Most numerous of their legacies are the ornate street fountains found in the corners of market squares and outside of chapels . Each fountain took 1 man over a year to craft . neutral +Finally , section 609 ( a ) requires that agencies ensure that small entities are given an opportunity to participate in a rulemaking through the reasonable use of techniques such as those enumerated . Section 609 ( b ) requires that large entities are given equal opportunities . neutral +According to the Maastricht Treaty , the currency will be put into circulation only after individual national economies have hit certain targets--such as a sufficiently low ratio of debt to gross domestic product . The currency can be put into circulation at any time . contradictory +yeah i had a whole bunch of flowers and things well i don 't have as many now we lived in the country for a long time and i had a whole bunch but I 've never grown anything . contradictory +At the same time , the federal CIO faces additional challenges as a result of specific legislative responsibilities ( e.g. The federal CIO faces additional challenges as a result of specific legislative responsibilities . entailment +The folk art museum here is worth a visit , but also stop for a gracious tea ceremony at the delightful Kiku-getsu-tei pavilion . You should avoid any kind of tea ceremony . contradictory +I 've got everything under control . I got the train under control . neutral +The Casa Grande of the Stronghold was a high-ceilinged , five-room building about sixty feet long , the kitchen making a right angle to the other rooms and joining the smoke house to form part of another wall for the patio . The Stronghold had a building named the Casa Nuevo . contradictory +and if you take uh little pieces of pork and you fry them like little cubes of pork Cube the pork and fry those little pieces . entailment +I have a theory " I don 't have any theories . contradictory +and i use the machine a lot on a uh uh data base and financial package that that operates at the church office i do some uh volunteer work at home using uh a buttons PC file program that uh is a very simplistic relational data base for labels and things so i guess i would have to say on a home setting i 'm probably on the personal computer as much as an hour a day on average at home When doing volunteer work at home for a church office , I am using a PC for about an hour a day . entailment +No new elder had yet been selected but everyone expected the blacksmith Grado to take the seat . Everyone thought Grado would be the new elder . entailment +95 per year for wry political and cultural commentary . The wry political and cultural commentary is very well-received . neutral +You 'll be even more sore tomorrow , said Jon . Jon said the pain would be worse tomorrow . entailment +There are plans to sink hundreds of millions of dollars into the community to develop new attractions , shops , hotels , and restaurants . The plans will never see the light of day . neutral +i love to uh i i love to mow it i don 't like weeding the flower beds around the house and my son 's supposed to do that but pretty every once and a while they get ahead of him so i end up doing that for him and and my wife sometimes takes care of the flowers I hate mowing more than any task ! contradictory +Although they needed to avoid water snakes , alligators , and disease-carrying mosquitoes , they enjoyed a cornucopia of seafood and game , flavoring it with a hot sauce the Creoles would later adopt . There were no games being offered at the time of their stay . contradictory +In the early ' 60s , Beatty turned down the opportunity to play John F. Kennedy in a movie , then became a producer . Warren Beatty play the role of Jonh F. Kennedy in the 60 's , contradictory +um-hum well don 't don 't you think though that uh because of religion it just enhances the differences uh of the tribes and makes it so that it 's that much harder to get along Religion doesn 't matter , they all get along just find . contradictory +This ancient ritual is meant to pave the way for a good harvest , with branches of hollyhock to stave off thunder and earthquakes . The ancient ritual is done to ensure the reproduction of the people . contradictory +Mrs. Vandemeyer came down from London . Mrs. Vandemeyer arrived from India . contradictory +right and i i in general i feel that um i don 't know what this still proposes far as what age or or how they would do this but i feel that reaching the kids when they 're younger is better though i think once they 're out of high school they 're so into their own thing that i think it would be very difficult maybe by that time they 're too uh calloused to what is even going on you know where as younger children it 's the it 's the grade school children when there say no to drugs and that type of thing in school Children in elementary school are easier to influence than those who have recently graduated . entailment +And what is Chineseness ? I invented the word Chineseness . contradictory +They shook hands in the Dim style , fingers interlocked into a pair of cooperating fists . The men had used the secret handshake for years . neutral +One organization had developed an extensive policy that defined each member 's responsibility for reporting information , the terms that would be used for the reporting , and the thresholds that required reporting . There were multiple organizations involved with development of the policy , reporting terms , and reporting thresholds . contradictory +The entrant would most likely attack routes with much higher than average profit margins . None of the routes differ in terms of relative profits . contradictory +The first 12 are Buddhist , 17 are Hindu , and the other five are Jain . The Hindu were most powerful at the time they were made which is why they have more . neutral +This large estate once centered on a fairy-tale castle , the remains of which can still be seen from the outside ( it 's not open to the public ) . Despite not being open to the public , a private viewing of the castle remains on the estate can be arranged . neutral +The 88 is designed by Henry Kloss , a hi-fi legend who made his mark ( with the KLH speakers of the 1950s and the Advents of the ' 60s ) by figuring out how to manipulate electronics so that a speaker sounds smooth from octave to octave . The 88 is designed by Henry Kloss , a hi-fi legend . entailment +The project is dedicated to raising the standard of practice in legal services programs by encouraging the cross-fertilization of innovative practices through facilitating the voluntary exchange of exemplary practices . The project is dedicated to lowering the standard . contradictory +I am the real and true Benjamin Franklin . I am not the actual Benjamin Franklin . contradictory +To the right of the madrasa is the Al-Rafai Mosque completed in 1902 and the last greatest religious structure to be built in the city . To the right of the madrasa is also a McDonalds , too . neutral +Trent Lott recently called the agency intrusive , abusive , and out of control . Trent Lott applauded the agency recently . contradictory +Many organizations are becoming more willing to talk with outsiders about security because they realize that , despite differing missions and cultures , they all use similar technology and face many of the same threats . Many organizations want to talk about cyber security because it 's so difficult . neutral +Albert was on the look-out , attending to his duties in a somewhat desultory fashion . Albert was keeping an eye out while doing his duties . entailment +More likely , though , the limited warfare proposed by the administration will come to a less than fully satisfying conclusion . The administration wants to do limited warfare . entailment +All right . No . contradictory +Ann Lewis ( The public 's -1 ) Anne Lewis is public 's 1 entailment +But her chances for finding a replacement gig dwindle with every lost job and every looming birthday . She used to have a very good job , when she was younger . neutral +The center of Lisbon is small , compact , and easy to get around in just a few days . There are many interesting things on the outskirts of Lisbon as well . neutral +send them out by Federal Express and fax machine Don 't send them out contradictory +I 'll advertise in the personal column of the Times , beginning ' Shipmate . ' I will put an advertisement in the Times . entailment +Combined with the geological setting of the city , this stifled development . They developed the city at a rapid pace . contradictory +On the other hand , I am ( problematically ) 31 , balding , British , and bitter . Problematically , I am 31 , balding and British , not to mention bitter . entailment +Migrants of Mediterranean stock from the Middle East and Asia seem to have made up the Dravidians , now principally in the southern peninsula . The Dravidians are mostly in the northern peninsula . contradictory +He was filled with a passionate and utterly illogical resentment . The man was dull and lifeless but filled with a resounding hope for better days ahead . contradictory +well what a what what do we currently have i have a Subaru uh G O X T I do not own a Subaru at all . contradictory +The sight from the temple is also something a panoramic view over Madrid . Poor air quality restricts the temple view on some days . neutral +what is what the what is the down payments look like now twenty five percent The down payments used to be only ten percent . neutral +and they bloom in you know late June mid July and they 're yeah they are they 're real nice but they 're they 're nice and green you know they 're up above a foot maybe eighteen inches The flowers on this plant are quite pretty . neutral +yeah well Honda does too that 's why i was really Honda doesn 't do that . contradictory +The white mountains of dry salt and the shimmering patterns on the heavy water make it a sort of Dead Sea outpost in an otherwise green and hospitable land . The whole area is devoid of plant life because of the rough climate . contradictory +Don 't knock it use it . Stop criticizing it . entailment +oh goodness well well i 've enjoyed talking to you I really dreaded this conversation . contradictory +Higher up , the stairs become much steeper and are lined with stone statues of animals and birds . The stairs not steep and there are glass figures every other step . contradictory +and then it 's done completely done And then it is done , done completely ! entailment +and with my photography when i when i take things to the lab to get developed it 's several hundred dollars at a time and i was using up all of our personal credit It did not cost anything to take my photos to a lab . contradictory +Critics say Clinton should have destroyed Serbian TV networks by now and never should have sworn off ground troops . Clinton has spoken about his plan to eliminate Serbian television networks . neutral +They need a new story about him . They need a new story , because all of the old stories are tired and have been proven to be untrue . neutral +and so when we left you know the back yard had and the Saint um i think it was Saint Augustine that we had um it it had held onto a small portion but primarily once the weeds start in the back yeah we were just you know resigned to well the only way we were going to fix this one is that if you plow it all under and put everything back on top of it again Complete plowing of the weeds was the best way to deal with them . entailment +Egypt was caught up in the first wave of Moslem Arab expansion in the 630s ( a.d. ) Egypt was in the first wave of the Moslem expansion . entailment +The Mosque , the second oldest in Cairo , dates from 990 though it was renovated in the 1980s . Cairo 's oldest mosque was built in the 1200s . contradictory +A surer recipe for disaster has never been devised . Disaster is something that can 't be avoided under this strategy . neutral +Already the town gathered . The town fled in other directions . contradictory +He sailed immediately for England . He sailed to England . entailment +In addition , we outline some changes that the LSC Results Group ( a working group of senior LSC professionals plus Ken Smith , an outside consultant , that designed , tested , and is currently evaluating and refining a system for reporting matters services ) is considering for improving the reliability of the data obtained for 2002 and 2003 . They wanted to do back to a simpler reporting system . contradictory +Among other things , the assessment should develop strategies to mitigate risks and maximize benefits in the context of available technologies , and the relative total costs and effects of implementing those technologies . This assessment evaluates only 1 technology . contradictory +Value per hour of time spent outside the X . They wanted to get paid fairly . neutral +For instance adding Kinsley and subtracting roofing would probably increase your chances of finding our home page . Adding subtracting roofing could increase you chances of finding the home page . entailment +Even Adrin had picked it up by now . Adrin picked it up . entailment +That figures translates into 2 million people without the ability to access the justice system , according to a new study by the California Commission on Access to Justice , which also found that despite increased spending , the gap between need and services remains substantial . Many people do not have access to the justice system . entailment +Iemitsu , who was Ieyasu 's grandson and the third Tokugawa shogun ( 1603 1651 ) , undertook the building of Toshogu . Ieyasu 's grandsoon was 80 years younger than him . neutral +The man cried out and let go of the polearm , putting his good hand over the wound on the other . The woman cried out as she put her bad hand over her wounded knee . contradictory +For more than half a century , the Passaic County Legal Aid Society has fought on behalf of the county 's poor , in disputes ranging from housing to child custody to public assistance . The contributions of the Passaic County Legal Aid Society have not gone unnoticed by the local government . neutral +I was still revising the copy-edited manuscript , tearing the whole thing up , finding , at the last possible moment , my voice . I was making changes to the copy-edited manuscript . entailment +Despite the large numbers who come to view the spring blossoms and the superb fall leaves , the Philosopher 's Path is one of Kyoto 's most tranquil and beloved strolls . Lots of people go to see the blossoms in April . neutral +Top billing goes to The Comedy Store , which is on Sunset Boulevard , while other top venues include the Laugh Factory and The Improv , in West Hollywood and Santa Monica , respectively . The Comedy Store , the Laugh Factory , and The Improv are several top venues for comedy in the Los Angeles area . entailment +and uh i don 't think that 's going to die very quickly he is getting some support there were a lot of people that are uh that were skeptical and the Cowboys are coming back and they have a pretty good team Troy Aikman looks like to be looks like he 's got the star qualities for a quarterback Troy Aikman is able to throw a football with great aim . neutral +The Kal grunted . The Kal grunted to show he was upset . neutral +The final analysis found that , based on the above , the expected total federal savings for the 6 years covering fiscal years 1997-2002 will decline from the predicted $ 2 . The analysis said the government would save $ 2 million . neutral +It 's been described as liquid salad and can be a rousing refresher . Reviewers say it 's like a watery form of vegetables . entailment +Remember term limits ? Remember the Alamo ? contradictory +They have allowed him , through their agency , to redefine the GOP . They gave him no permission to influence the GOP . contradictory +We had reached the exact centre of the train- the Dining Cart . The Dining Cart was the exact centre of the train . entailment +Rydal Water , the smallest of the lakes in the entire Lake District , sits beside it ; thousands of rushes line its banks . There are no lakes at the Lake District , the name of the area is a joke . contradictory +you know these parents didn 't know this the the kid was gone until the kid is knocking on the door screaming let me in you know can you imagine The parents didn 't know their kid was gone until they were at the door screaming and beaten . neutral +If there are any problems in town , Don Lorenzo Sierra , here , is the alcalde and they must be referred to him . " The captain favored Rennie with a last glare and was gone . The captain smiled at Rennie , then left . contradictory +What I have lost . The things I used to own . neutral +It is always futile to try to draw practical lessons from history . Its easy to teach lessons from history contradictory +None exploited pig as an epithet for policeman . Pigs were not used to describe policemen in any of them . entailment +Belgrade , no longer restrained by Tito 's aversion to exacerbating ethnic conflict , cracked down . Tito does not have an aversion to exacerbating ethnic conflict . contradictory +yeah well that 's well that 's funny yeah not everybody enjoys it though everybody has a different things i kind of enjoy it and my husband doesn 't i kind of have to sometimes i 'm too busy to get out there and do it and he you know he doesn 't really enjoy doing it but he 'll do it and he doesn 't gripe about it or anything but you know i 'm kind of like you and he 's kind of like your wife and you know in that he doesn 't really enjoy it but i would like to have a garden though that 's my thing but right now where we 're living we have the trees where the uh roots are at the top of the ground everywhere all over the ground i don 't know what kind of trees they are but you can 't have a garden you can 't till it or it 'll it 'll tear up a nice tiller so we 're going to wait until we move we don 't have a lot of sun either because it big trees back there so we 're going to wait and when we move that 's one of our priorities is to get a house where we can have a um garden and so i 'd like to do that i have a feeling i 'll be out there all the time taking care of that but that 's our next thing do you have a garden I don 't like having a garden or getting my hands dirty . contradictory +His analysis left some questions unanswered but pointed to efficient discounts well above the 8a level and to gains on the order of several hundred million dollars . He left some unanswered questions but pointed out efficient discounts . entailment +Other towns known for embroidery are Manacor , Pollenca , and Art ? . Manacor also does embroidery . entailment +The second walk is one of the island 's most popular levada trails . The second walk is not popular at all . contradictory +um-hum well actually excuse me our dental insurance you know it 's it 's good it 's certainly better than nothing it 's not you know it 's not super you for unfortunately in my case and you sound like a younger guy so you probably don 't have it you know i do have some dental problems and it 's very very expensive Our dental insurance meets the bare minimum , so you 'd be better off without it . contradictory +you go get a cash advance on one credit card to pay the other You get a cash advance on one credit card to pay off another credit card . entailment +Congress should consider establishing incentives such as debt relief for school loans for new hires , an ability for staff that is eligible to retire to retreat slowly into retirement through part time work , while obtaining a portion of their pension , and a provision that allows federal employees- like private sector employees-to keep frequent flier miles . Congress should consider debt relief for student loans . entailment +The CFO Council has played a key leadership role in establishing financial and performance improvement goals and priorities for changing the way federal agencies plan , budget , manage , evaluate , and account for federal programs . CFO Council has been effective in bringing changes to the working of many organizations across the government . entailment +For purposes of this paper , however , it is not necessary to specify a new labor environment . It 's not really necessary to specify a new labor movement in this paper as it wouldn 't have anything to do with the prompt . neutral +Poland lost a significant amount of territory after new borders were drawn up in the Yalta Agreement in 1945 , including the eastern regions around Wilno ( Vilnius ) and Lwew ( Lvov ) . Poland to this day remembers the land that they used to own , and would love to get it back . neutral +To escape the madding crowd , seek out the unspoiled little town of Turckheim ' the epitome of the shiny , bright Alsatian village . Turckheim is an example of an Alsatian village . entailment +His serious business included organizing the first system of man-made levees to protect the city from the Mississippi . He helped organize the robots to make the levees . contradictory +What am I thinking now , child ? he asked the question quietly and without sarcasm or anger . Energetically and enthusiastically the man stood there without paying attention to the child . contradictory +and i 'm going whoa he he moved up He moved up , from being homeless to living in a condo neutral +Appropriate for a descendant of the sun dynasty , Jai Singh laid out the city on an axis from the Suraj Pol ( Sun Gate ) in the east to the Chand Pol ( Moon Gate ) in the west , a main street that is today a lively bazaar . The main street stretches from the Suraj Pol in the east to the Chand Pol in the west . entailment +you know so many so many of these jokers get the death penalty and then you know just end up in prison uh Very few of them end up in jail with the death penalty hanging over them . contradictory +yeah i think i think a lot of people fail to realize but you know the government doesn 't generate money you know they may print it but that 's not really the way money is made it 's it 's made from people working and doing things that are productive and government 's the net cost The ordinary people who work and create things are the ones who generate money . neutral +for how many calls Don 't you dare call ! contradictory +The friezes are more sophisticated , showing archers riding elephants and a king of Kalinga reclining with his queen . The friezes are not sophisticated at all . contradictory +But one forgives such flaws because of the way Hare draws his audience into the play 's issues . Hare 's flaws endear him to his audience . neutral +The views are incomparable and the garden setting is exquisitely serene . The views are astounding and the garden setting is very peaceful . entailment +In the end , I agree that principles of evolutionary psychology tend to support the argument for sleeping with your infant . Evolutionary psychology looks into infants and parents sleeping together . entailment +Prototypes are developed or modified as part of the second phase . Prototypes were made for the second phase entailment +Just before you reach the main gate and town symbol , the 13th-century Dolder , turn off to the right and take a peep at the little ? ­ ghetto in the wooden-galleried Cour des Juifs . The Dolder was built in the 12th century . contradictory +From the Neusca Anse showed no surpise at being so accurately identified . Anse did not display surprise at being correctly identified . entailment +i would i would love to go there i mean like again again not now but at some point to go see what what this is like i mean this this is am azing because this is this is an this is an example of an entirely different culture that wants to be like us like you said before as well so it 'd be interesting to watch I think I would hate traveling there because it 's so similar to our own culture . contradictory +Top Level Reviews of Actual Performance There are reviews from the normal crowd . neutral +Take this , and get Jane regularly togged up for this evening . Jane likes getting togged up . neutral +With his fixation on tops and bottoms , Block 's beginning to sound like the gay personal ads in the Village Voice . The Gay personal ads in the Village Choice are what Block is beginning to sound like . entailment +i can believe that well it 's it 's been interesting I really enjoyed listening to you talk about this . neutral +Federal Acquisition www.ARNet.gov / far / Critical Infrastructure Assurance www.caio.gov Federal Computer Incident Response www.fedcirc.gov Federal Information Processing www.itl.nist.gov General Accounting / / www.gao.gov / GSAas www.policyworks.gov IT Policy On- www.itpolicy.gsa.gov National Partnership for Reinventing www.npr.gov Office of Management and Budget www.whitehouse.gov / omb The Federal Computer Incident Response is found at fedcirc.gov. entailment +At the very crest of the hill , you will find the Old Observatory , the only building designed by James Craig left in the city ; it was completed in 1792 . The only remaining building designed by James Craig is the Old Observatory . entailment +The original report was authored by Lois-ellin Datta in April 1987 . The original report was released in 1947 . contradictory +This frequently results in roadside boxes being clustered where the carrier 's line of travel intersects with roads not on the line of travel . Roadside boxes are frequently clustered where there 's an intersection with the carrier 's line of travel and roads not in use . entailment +Sigmund Del 'Rosa , said Adrin . Adrin said , Sigmund Del 'Rosa entailment +( I paid for that microphone probably came from a Spencer Tracy political comedy I did not pay for that microphone which came from a Spencer Tracy comedy . contradictory +Since the basic price ( for non-presorted mail ) has not increased , no one has been made worse off . Mail costs keep increasing . contradictory +The caste system was already taking shape . The caste system was quickly dissipating due to advances in modern culture . contradictory +Miss Howard was obviously quite a public character . Although she tried to hide it , Miss Howard enjoyed being the center of attention . neutral +Our group has gathered to protect the village of Fena Dim to the south . Fena Dim was 20 miles south of us . neutral +Suddenly he caught my wrist , and began twisting it . He twisted my left wrist . neutral +Quite a few clubs can be found along Leeson Street , although some say the strip has faded a bit in recent years . Leeson Strret has become less popular , but still has many places to grab a pint . neutral +It can 't be proved . It would be virtually impossible for anyone to come up with proof . neutral +The movie has virtuoso Bertolucci is one of the few filmmakers whose technique is simultaneously sweeping and probing . There are only 3 other filmmakers currently using this technique . neutral +While there 's much to see wherever you go , the essence of a Los Angeles vacation is experiencing the southern Caleornia vibe , which means all you really have to do is explore and watch life unfurl . There are lots of things that one can see in Los Angeles . entailment +that 's neat yeah she does and they have twelve children They have twelve children , yeah , she does . entailment +Army records show that when the remains of Japanese soldiers killed in the Mariana Islands were repatriated in 1984 , some 60 percent of the corpses were headless . Army records said the Japanese soldiers had been spared . contradictory +Sometimes it was too small , and sometimes too big , and sometimes not in the right place . The object did not fit the needs . neutral +But the warm-hearted , high-spirited Neapolitans in no way feel themselves inferior to the cool , pragmatic managerial types of the vibrant northern cities . Neapolitans are nice areas with good living environments . neutral +it 's a smooth running quiet car i i just i don 't know why well perhaps the the retooling cost were probably prohibitive to most companies you know I am not sure why companies would not pay for the retooling costs . entailment +If your French is good or just needs some polishing , both major islands have movie theaters that show European and American films with French soundtracks only . If your French is good , you can watch a popular American movie with French dubbing instead . neutral +But the worst of it isn 't the propaganda that passes for conservative thought these days . A lot of people believe that conservative thought is not a propaganda . neutral +It was artistically corded . I was the one who corded it . neutral +Groups like the Separation of School and State Alliance and the Home School Legal Defense Association hate the more recent conservative obsession with vouchers . The Home School Legal Defense Association thinks that conservatives want to make people use vouchers instead of home schooling . neutral +Follow the Cale Larga Giacinto Gallina to the humpbacked Ponte del Cavallo bridge for the all-important first view of the piazza 's magnificent equestrian statue of Bartolomeo Colleoni , considered one of the finest in the world . The Ponte del Cavallo bridge can be easily recognized with its unique humpbacked arch . neutral +No men were left . All the men were taken away . entailment +Specifically , under the GAO 's new independence standards auditors must not violate two basic principles . The new independence standards allow auditors to violate two basic principles . contradictory +7 percent ( Data is from Energy Information Administration Web Site ; Capacity Factor is total MWe-h produced divided by the total MWe-h that would be produced if the plant were run at full capacity for 8,760 h in the year ) . 7 percent of its full capacity is impacted . entailment +The practice is common enough that a medical ethicist didn 't raise eyebrows at the hospital where I completed my internship when he surveyed residents about how many had placed central lines into comatose or on-the-verge-of-death patients . Because the practice is common , everybody has had it neutral +One was to Miss Howard , and one was to Mr. Wells , the lawyer , and the other two I don 't think I remember , sir , oh , yes , one was to Ross 's , the caterers in Tadminster . I don 't remember any of the letters . contradictory +For example , those who supported an evaluation of a training program might want the researchers to find out whether the development of the participants ' self-concepts , self-esteem , task orientation , work habits , and personal and social traits seemed associated with the program or with something else . Those who supported an evaluation of a training program may want people to find out if a participant 's self-esteem is linked to their job . neutral +we put ours up i mean i had a delightful evening one night cutting a bunch of those suckers up We had a great time slicing up those things . entailment +Jon did not expect better reactions from most of the town folk . Jon was alone . contradictory +Twenty three years is ... not that old , ' confidence left Rajmund 's voice . Rajmund doesn 't think that twenty three is old but is lacking confidence . entailment +These organizations recognize that stakeholders will have a lot to say in determining whether their programs succeed or fail . These organizations are independent from any stakeholders . contradictory +'They don 't want you at all , except in pieces , ' he said . He said they wanted to hurt me . entailment +Thorn will go with you . It is Ca 'daan who will accompany you . contradictory +How come you give George a pass ? How come you let George go free ? entailment +It has also led to operating difficulties and to high processing costs . The processing costs were rather expensive and we experienced difficulties in operations . entailment +See chapter 6 for a discussion of the standards used when performing attestation engagements . Attestation engagements are discussed in chapter 6 of the book . entailment +In Steven Jobs ' Totalitarian Vision , James Surowiecki gives one of the finest examples of Monday morning quarterbacking I 've ever seen . James Surowiecki 's Monday morning quarterbacking was not appreciated by Jobs . neutral +uh in between the thunder showers yes Sure , we play outside between the storms . neutral +That was the information I have . My information was there . entailment +It consists of 5,665 hectares ( 14,000 acres ) , hugging the River Dargle . The property was expanded slowly by the owners . neutral +It is also important to keep in mind the role of the regulator in this process since the public needs to have confidence in the regulators to enforce rules . Public confidence in regulators is essential to the role of the job . entailment +'Stay in the city for a while , ' Greuze ordered me . Greuze wanted me to leave . contradictory +and so they got they got the meat place and so you just go there and you can 't find chicken there you got to go to another place to find the chicken When the meat place doesn 't have chicken , you can just go somewhere else . entailment +The congressional seat in Duke 's district , which is 85 percent white , is being vacated by House speaker wouldabeen Bob Livingston , R-La . Duke 's district is comprised of 85 percent white people . entailment +uh well i haven 't tried that i don 't know it 's been i bet it 's it 's been thirty years since i played tennis I don 't think I have played tennis for more than ten years . entailment +This replaces last year 's place Leaving the lobby of a tatty deco hotel on their way to enjoy an early bird special , my grandparents are elbowed into the gutter by a coke-sniffing fashion photographer on his way to Disney World . My grandparents left the hotel to go and eat . entailment +Even after the collapse of the economic bubble in 1992 , construction projects are everywhere . All construction projects came to a halt in 1992 when the economic bubble collapsed . contradictory +oh Agatha Christie how about John D McDonald uh John D McDonald you ever read him John D McDonald has written many popular novels . neutral +51 " Do not worry , " said Poirot smoothly . Poirot made everyone panic . contradictory +The walls on both sides of this gate enclose the honden ( main hall ) of the shrine . Within the honden lie many statues , where tributes to the gods are placed . neutral +There is considerable uncertainty as to whether the 26 studies on the value of a statistical life provide adequate estimates of the value of a statistical life saved by air pollution reduction . There is no uncertainty as to whether the 26 studies on the value of a statistical life provide adequate estimates of the value of a statistical life saved by air pollution reduction . contradictory +predictable yeah yeah that does sound like a pretty neat idea That sounds like the worst idea I 've ever heard . contradictory +well the injector nozzle and stuff in you know the big diesel farm tractors you know what are about the size of your thumb and the yeah you can get to them and the ones in in the diesel cars were little tiny things and just almost impossible to do anything with The injector nozzles in diesel cars are much smaller than the nozzles in farm tractors . entailment +Baselines , plus approved changes from those baselines , constitute the current configuration identification . Changes to the baseline are possible . entailment +president of the law firm or whatever and that kind of thing and uh and then of course they always have a lot of court cases and they show where they actually have courtroom drama There aren 't many court cases . contradictory +Treasure Beach is the only resort area to speak of , with just a handful of hotels stretching acrosethree sandy bays . Treasure Beach is a beautiful resort . neutral +uh yeah they uh luckily we have a a man who owns a building company We should hire this man to construct a building . neutral +Ah , my Benedictino , Ewelina the 18th fiancée said sweetly and looked at her man as if she fell in love with him all over again . Ewelina looked up at Benedictino and it seemed as if she was falling in love with him once more . entailment +Managerial Cost Accounting Concepts and Standards for the Federal Government Accounting concepts and standards are important neutral +Then he rejoined the girls . He stayed away from the girls . contradictory +The stupas of Sanchi lay in the jungle until they were uncovered by the British in 1818 , but delay in their restoration led to their plunder . The stupas of Sanchi deteriorated because the British didn 't restore them . entailment +The final rule was promulgated pursuant to the authority in section 1861 ( v ) ( 1 ) ( L ) of the Social Security Act ( 42 U.S.C. Recent fraud forced the implementation of the final rule . neutral +so they don 't have that but um what what do you think about the mess that 's we 've created in Iraq What do you think about Afghanistan ? contradictory +Bricks fired on the spot are the valley 's main building material . The main building material of the valley is locally fired bricks . entailment +Hotels in East Jerusalem do not offer kosher facilities . Kosher food can 't be found in East Jerusalem hotels . entailment +In 1529 work started on a tower and royal apartments for James and his wife , Mary of Guise , which now constitute the western section and tower of the current palace . The western section and tower used to be the residence of James and Mary . entailment +The children are living in fairly intolerable situations while the parents are battling it out , she said . Parents are fighting the intolerable situations their children are living in . entailment +The Yankees Are Coming The yankees are staying put . contradictory +oh oh they 're such a nice bright early spring color Their color is lovely . entailment +you know like you have to prepare the fire and then put the sausages on and then you know you put all these different meats which take different times Sausages should be the last ones to go on the fire . contradictory +If rugged textiles don 't appeal , then you 'll also find beautiful embroidered items such as cotton and linen tablecloths and napkins . There are no embroidered items sold in the area . contradictory +oh well she she doesn 't have to worry about public schools yet Public schools aren 't a problem for her yet . entailment +The major professional teams are owned by the biggest publishing empires or department store chains , each combining their company name with the time-honored American nicknames , the most famous being the Yomiuri Giants . Professional teams are owned by large businesses and chains . entailment +These unique roles involve sound management practices and professional audits and attestation engagements . It 's expected that the scope of these roles will eventually expand from here . neutral +yeah yeah he does I don 't think he owns a car . contradictory +Staff are also able to assume special initiatives and projects and to participate in national , regional and statewide meetings and conferences . Staff are not allowed to participate in the meetings . contradictory +A visit to the dam brings home the immense technological feat and allows you to gaze out over Lake Nasser , created by the blocking of the river , which is now over 500 km ( 310 miles ) in length , spanning the border with Sudan . The dam is the only place from which the entirety of Lake Nasser can be seen . neutral +but i have no idea where they are I haven 't tried to think about where they are . neutral +well it 's been nice talking to somebody with who uh basically agrees with me It was nice to talk to someone who agrees with my opinion because everyone else says I 'm wrong . neutral +Surely a single John Rocker response is sufficient impetus to point out that Major League Baseball--the organization , not the actual players--is as odious and craven a pack of millionaires never sued by Patricia Duff . Patricia Duff has sued several sports organizations before . neutral +But fewer than one in six get help from a lawyer , according to a survey . According to a survey , most people think that getting a lawyer is expensive . neutral +Was Keynes also right when he warned against excessive saving ? He might have been right , because of the fact that saving too much could hurt the economy . neutral +Wagon train 's comin ' ! he cried as he ran out . He ran out , crying that the wagon train was arriving . entailment +For the Haifa Museum , take the Carmelit subway to Ha-Nevi 'im , and walk along Shabtai Levi Street . First you have to take the Carmelit Subway to get to the Haifa Museum . entailment +The risk is that the shift in market psychology might not be subtle , and the deflation might not be gradual . The risk is that the deflation might be very steep . neutral +I say nothing of the fact that you owe us your life ; that may be a small enough gift , and one quickly withdrawn . I won 't try to make you feel grateful to us , since we might kill you soon anyways . neutral +Now , of course what is good for the individual is not always good if everyone else does it too . We should act in the interest of the group instead of ourselves . neutral +The 32 hectares ( 80 acres ) of garden are equally pleasing . The garden , while visually stunning , is a rather small affair - only 12 acres . contradictory +And milk , and oats , and straw , Thistles , or lettuces instead , Milk , oats , and straw were mentioned . entailment +Next we introduce the concept of delivery route profit and quantify the relative profits from delivered mail and mail not requiring delivery in both Italy and the U.S. The delivery route profit method is only applicable to Italy and the United States . neutral +and that didn 't really have a purpose and i can see you know some some really significant things coming out of it I perceive some important things resulting from it . entailment +and it is nice talking to you all righty I enjoy talking to you . entailment +um i don 't think i ever tried I haven 't tried . entailment +Or Tog Veel . It could also be Tog Veel . entailment +The lapse of time , and her absence , will defeat all suspicion . Her absences will cause people to think differently . neutral +of the potential damage that could be caused by the misuse of this information . The potential damage that can be caused could wipe out the world as we know it . neutral +You do not know that Mrs. Vandemeyer is dead ? Mrs. Vandemeyer is still alive . contradictory +For reasons that will be discussed in subsequent sections of this report , we also highlight that this figure represents only a portion of the work conducted by LSC grantees . All of the work done by LSC grantees will be reflected in this figure . contradictory +She envisioned a network of solo practitioners , like Rooney , serving ethnic communities across the metropolitan area . She could see a network of solo practitioners helping ethnic communities in the metropolitan area . entailment +I did not count on their evading the meeting . " I assumed they would show up . entailment +The fights are riotous slapstick set In the art museum finale , Chan fends off hordes of assassins while catching giant , priceless Ming vases as they tumble from their pedestals . As Chan fights more assassins , he breaks more vases . contradictory +Pinochet not be extradited to Spain . Pinochet will be held within the current country and sentenced . contradictory +no i can 't either i really can 't um I really can 't unfortunately , I can 't . entailment +If official records were adequate , good quantitative measures of availability might be the number of low-income persons applying for housing relative to the number of units that met minimum standards and cost within 30 percent of household income or the number of persons on waiting lists for such housing and how long they had to wait . The government measured the availability by how many people they counted in apartments . neutral +Thus , current saving and investment decisions have profound implications for the level of wellbeing in the future , and current generations are in a sense stewards of the economy on behalf of future generations . Saving decisions now have huge impact on the level of well being in the future . entailment +yeah i 'm not very familiar with with the the state of their agriculture agriculture I 'm not very familiar with the state of their agriculture entailment +The third row shows the First-Class Mail in the NHH-to-HH ( Non-household-to-Household ) sector . NHH-to-HH mail goes from businesses to individuals . neutral +and that worked out pretty well i went from a you know a second rate institution to a higher rate institution I went from a first rate institution to a second rate institution . contradictory +We also should mention a rival product put out by another printer company , Canon . Canon also put out a new product . entailment +Callers include those who have been abandoned without access to family money , those not receiving court-ordered child support and those who want to leave their husbands but are unsure about their legal rights . People who have been abandoned are not included among the callers . contradictory +Commission proceedings in which the Postal Service has sought to introduce service innovations-some of them customized for particular groups of mailers-on an expedited basis . The Postal Service has tried to customize certain types of mailers to implement service innovations . entailment +yeah because things go wrong and you don 't know what the hell 's going on and you don 't you don 't know where to start problems arise , and you don 't know what 's gone wrong entailment +Unfortunately , at the time I was so sure of myself that I even self-imposed a deadline . I imposed a deadline on myself because I was so sure in my abilities . entailment +Sure enough , a Zercher friend tells the New York Daily News that Zercher , who is now an executive assistant in New Jersey , told her several years ago that Clinton groped her and grabbed her breasts . Zercher allegedly confided in her friend , apparently out of distress due to the sexual assault from Clinton . neutral +Just east of Cannes are two towns renowned for their craftwork . There are two towns no visitor should miss , just east of Cannes and remarkable in their craftsmanship . neutral +yeah okay yeah i think a lot of people had that impression that uh that he ought he should have stayed in the college ranks but uh looks like they 're going to do all right He is still in the college ranks . contradictory +yeah it 's been windy the past few weeks i 've noticed that The air has been calm and still the past month . contradictory +oh no he and got it over with well i just there 's just no way for us to be involved over there and hope that there will be much peace We can 't get involved in wars and hope for peace . neutral +or maybe that won 't not make it that far in life for what they did to somebody but Maybe they won 't do well in life if they are a bad person neutral +you miss the whole thing that 's funny You didn 't miss anything , it 's still going . contradictory +Poirot turned to John . Poirot looked to John . entailment +The town 's reputation for squalor has so deeply imbedded itself in the world 's imagination that it comes as a surprise to find the Calettans to be the liveliest bunch of people in the country . The Calettans are lively people even though their town is very poor . entailment +In case I don 't see you again , goodbye . In case this is the last time I see you , farewell . entailment +this is probably really a good subject for me because i really like to do uh hand work uh mostly i do needlepoint i guess I do needlepoint most of the time , but do other things when I get bored . neutral +i have um uh it 's not really a budget package but a a financial tracking package you know for my checkbook and stuff like that I have some financial tracking package used for my checkbook and things similar . entailment +After an experiment with elections and parliamentary democracy , King Mahendra abolished the constitution in 1962 and instituted the system of panchayat democracy . King Mahendra died and was buried at his palace in the year 1943 . contradictory +Thanks to current banking regulations , more than 85 percent of U.S. banks currently maintain KYC programs . Less than 85 % of U.S banks maintain KYC programs . contradictory +These small , dark Melanesians are related in type to Australian aborigines and are confined today to the forests of the northern highlands . The Melanesians are related to Italians . contradictory +yeah yeah i have a nephew he 's a little brat I have a sweet niece . contradictory +When the warlocks of this world had discovered that they could not solve the problem of the sky , they must have gone into a state of pure hysteria , like a chicken dashing back and forth in front of a car . Warlocks found that they didn 't have the ability to solve the sky 's issue . entailment +For Buchanan , the symbolic economic issue is a revival of high tariffs on manufactured imports . Buchanan says the revival of high tariffs is important . contradictory +that 's sad well it was nice to talk to you It was nice to chat with you but that is sad . entailment +Farther north , Tanjung Bidara , 35 km ( 20 miles ) from Melaka , has a hotel resort and some pleasant tree-shade on the beach for picnics . You can find a hotel resort 35km north of Melaka . entailment +But a closer analysis of the weather map suggests Mother Nature actually favors the Democrats this year . A closer analysis of the weather map suggests Mother Nature actually favors the Democrats this year . entailment +What 's to gain ? Do we look forward to this ? neutral +i mean there is it 's it 's a blackening seasoning It 's a seasoning used for blackening . entailment +But still Wendy Wasserstein eludes us . Wendy Wasserstein has been eluding us for weeks . neutral +i think they are sorely mistaken i think they have incorrect information neutral +Reachable only by boat until recently , they are linked by a network of ancient cliffside mule paths that provide some of Italy 's loveliest treks . Sicily recently had a bridge installed linking them to the mainland of Italy . neutral +Republicans , on the other hand , invariably maintained that the War Powers Act , which Congress passed in 1973 to assert its constitutional power to declare war , was unconstitutional , and that military authority rested solely with the president . Republicans believed that the president should have the final say on declaring war . entailment +The prisoner , returning to the house on Tuesday evening , had been authoritatively told that there had been a violent quarrel between Mr. and Mrs. Inglethorp . Mr. and Mrs. Inglethorp invited the prisoner to their home on Wednesday night . contradictory +and just the things that they have to uh you know Spring break 's a big deal and and uh he was telling me that he had to be on the scene of an accident where five teenagers all of the them drunk uh collided head on and every single one of them died three in one car and two in another and He was telling me the accident scarred him for life . neutral +Of these , the Dordogne has carved a particularly beautiful winding valley of gentle greenery . The beautiful valley carved by the Dordogne is the most popular . neutral +Early diagnosis , new teaching techniques ( emphasis on the arts , thematic programs ) , and new research into the brains of LD kids are starting to rectify a neglected problem . LD kids are starting to benefit from early diagnosis . entailment +I lost as many fights as I won but I was alive again . I have lost some fights and won others . entailment +Of course , in a funny way , he turned out to be right . It was quite ironic that he turned out to be correct . entailment +To vote you must be a registered Slate reader . Anybody can vote , regardless of registration staus . contradictory +What sports ! I don 't even like sports ! neutral +just as he created a camel to be a camel . The camel was created to be a camel . entailment +The river plays a central role in all visits to Paris . The river has no role to play for all Paris visits . contradictory +A story describes the breakthrough period of Muhammad Ali . The breakthrough period of Muhammad Ali has been described . entailment +Effective hunger control will probably require lifelong therapy with multiple drugs like these . A multi prong approach is required to suppress appetite . entailment +Reed says the San Antonio center fields calls on a number of legal problems . The San Antonio center gets calls about one topic . contradictory +and i think uh having listened to you relative to the economy thing i think if i were being forced to make a decision i would plead ignorance and wait to do more research before picking one of these so i 'm ultimately i guess i 'm ultimately in favor of status quo also I would feign ignorance since I did not have to pick a side yet as well as the fact that I do not want to do any research . neutral +yeah my biggest team ever my favorite was uh the Los Angeles Rams My favorite team ever was the Los Angeles Rams entailment +Legislation would be required to change the government 's general policy to allow civilian employees and uniformed service members to retain for personal use frequent traveler benefits accrued on official travel . Legislation would be required to change the government 's policy to allow civilians to use miles . entailment +He 's been opining for 25 years . He has been writing about his opinion for 25 years . entailment +For group health plans coverage under these rules , the Departments cite estimates formulated by the Congressional Budget Office which shows the initial yearly cost ( direct cost to the private sector ) to be $ 50 million with 300,000 people covered and $ 200 million in subsequent years for limiting the length of preexisting conditions exclusions to 12 months . The Departments analyzed figures of the previous years before making estimates . neutral +Mostly when they do they 're strays or bred from strays escaped from horse thieves or Indians . Indians have never had use for horses during any part of their history . contradictory +yeah i remember uh going with my parents uh we weren 't very good campers it seemed like we were never prepared and uh we i grew up right around Amarillo up in the very northern part of Texas My parents were great campers . contradictory +Like all modern dinosaurs , raptors are inexplicably attracted to the scent of BBQ sauce . Raptors are turned off by food smells . contradictory +For more information on multifactor productivity , see Productivity Business Sector and Major Subsectors , BLS Handbook of Methods , Bureau of Labor Statistics ( April 1997 ) , pp. 89-98 ; and Edwin R. Dean and Michael J. Harper , The BLS Productivity Measurement Program , Bureau of Labor Statistics ( July 5 , 2000 ) , paper presented to the NBER Conference on Research in Income and Wealth on New Directions in Productivity Analysis , March 20-21 , 1998 . There are few sources of information on multifactor productivity . neutral +Footpaths along the water 's edge lead to pretty wooden bridges and reed beds , which are home to a wealth of bird and water life . The birds and water life all live together in peaceful harmony . neutral +The collective implication is that Bauer 's denials must have been couched to protect some unspecified kind of dalliance . It is implied that Bauer 's denials were couched . entailment +Formally documenting or , in the case of public-sector organizations , legislating , CIO roles and responsibilities can help in managing performance and expectations of both the enterprise and the CIO . Documenting CIO roles makes it difficult to manage expectations . contradictory +a chemical called Dursban Two it 's a crystal It 's called Dursban Three . contradictory +it didn 't help any to share Sharing it didn 't help at all . entailment +The obits fail to clear up an abiding Why did Kam Fong play ' Chin Ho ' ? The article explains why Fam Kong played " Chin Ho . " contradictory +i don 't know that you do if it 's random then it 's random and that 's not necessarily fair If it 's random it isn 't exactly fair . entailment +From here , a steep path and stairs lead 800 metres ( 2184 feet ) up an age-old pilgrims ' path to the Stella Maris Carmelite Church and Monastery , built in 1836 over a cave also believed to have been inhabited by the prophet Elijah . The Monastery is fantastic , it carries a deep historic importance . neutral +During the comment period APHIS also held four public hearings at which both oral and written comments were received . The APHIS planned to hold more than four public hearings during the year . neutral +just i 've kind of got a collection going of tapes now and whenever i go visit my parents they 're always saying well bring some of your tapes and they they always borrow a few of them i was over there they live in Duncanville and i was over there at Easter I have a collection of tapes . entailment +'The real Benjamin Franklin , ' he said , ' died . He spoke about the death of Benjamin Franklin . entailment +The 19th-century restorations of Viollet-le-Duc have maintained the church 's majestic harmony . The church was defaced and rendered ugly by the 19th-century restorations . contradictory +Its airy , projecting oriel-shaped balconies are seen as a symbolic image of Jaipur style . Its heavy , black stone monuments are seen as a symbolic image of Jaipur style . contradictory +Other suggestions by participants included moving toward more principle-based accounting rules to provide more substance versus form in reporting . Participants thought that accounting rules should not be applied . contradictory +8 . Dunn CW , Ries R. Linking substance abuse services with general medical integrated brief interventions with hospitalized patients . Substane abuse doesn 't need to be addresse in the ER . contradictory +3 billion of HUD 's fiscal year 1999 request for housing The request for housing is highest by graduate students and couples looking to start a family . neutral +These were bilateral trade accords , countertrade , export financing , and compliance with trade-related industrial policy . The export financing accounted for the bulk of it , however . neutral +Whichever is true , the YS Falls make a beautiful attraction for an hour or a whole day of fun . Tourists are charged a handsome fee to see the beauty of the YS Falls . neutral +It 's his job . " It 's his job to worry about you . neutral +Across the piazza in a little garden , the audacious Teatro Olimpico is Palladio 's last work ( completed by his protoge Vincenzo Scamozzi in 1584 ) . Palladio had many works left uncomplete intentionally for his protoge to work on . neutral +The White House called the cuts a huge risk for the country , and Rep. The White House asserted that the cuts would benefit the country . contradictory +He hungered , thirsted and suffered like anyone else . He had plenty to eat and drink , just like everyone else . contradictory +So in order to believe that discrimination explains the black / white wage differential , you must believe that managers throughout the industry are so blinded by racism that they are willing to throw away a 150 percent gain for their stockholders , and the acclaim of all Wall Street for themselves . You have to think that racism has never affected anyone . contradictory +It has a number of bridges spanning its route , creating a shadowy , dark , and almost somber appearance . As the sun sets , it looks like the gates of Hell . neutral +they i think they charge more for cash advances so The cash advantages are nice but come with a cost . neutral +Berman sadly acknowledges it . Berman is aware of it . entailment +( Or maybe it isn 't so Philip Weiss tellingly led his attack on Farrow in the New York Observer last week with a little temper tantrum at his mom . ) Philip Weiss doesn 't get a long well with Farrow . neutral +Election for Additional Sources The election is happening because people are disappointed . neutral +but then what movie isn 't anymore All movies are too violent nowadays . neutral +Furthermore , Social Security and health spending alone would exceed total federal revenue . Social security and health spending costs billions of dollars . neutral +On its way , it clipped a shiny skyscraper ; I had to wince . I winced as I watched the flying object clip a skyscraper . entailment +Since the 16th century , the town has had the exclusive privilege of providing Rome with its palm fronds for the Sunday before Easter . The palm fronds Rome needs for the Sunday before Easter are typically outsourced to various countries . contradictory +Don 't forget to take a supply of water and wear sturdy footwear . Don 't forget to bring water and wear good shoes . entailment +Animals , that 's what ! What 's the best side-show ? Where are the biggest crowds ? Even in the main rings the best acts are animal acts . There was no doubt in Red 's voice . Red firmly believed that the animals are definitely the best part of the circus , that 's what people go to see ! entailment +The museum 's annex , the Geffen Cetemporary , is a few blocks away in Little Tokyo ( at 152 North Central Ave . ) and features zany installations , multi-media , and the last 60 years of the museum 's permanent collection . There are several other museums and exhibitions , which might be of interest , in Little Tokyo . neutral +The approach to the house must have been truly spectacular at that time , but today you must drive with a little care , as its condition is a bit rough . By little rough , I mean the land is tornado stricken daily . neutral +Which is not exactly a No . It 's not completely a refusal . entailment +The route we propose for visitors driving from Paris bypasses Orleans on the autoroute , exits at Blois and , after a side trip to Chambord , heads west on the N152 to Angers . We suggest visitors from Paris head west to n252 to angers . entailment +that 's a good come back thank you Thank you , that 's a good retort entailment +'That 's that , ' That is how things are . entailment +i think that you know of the the uh he run across a man 's file that was like on death row for nine years before they finally got around to executing him Imagine the terror of knowing you are going to die under custody any day now ... neutral +Done ! said a man on his left and held up three silver coins . The man grabbed three silver coins off the table . contradictory +uh smokers typically have more time out of work they 're uh uh more prone to accidents and all of those other things and and uh Smokers are involved in less accidents than non-smokers . contradictory +and i mean Ted Teddy Roosevelt didn 't have the reputation speak softly and carry a big stick for uh for nothing and uh Teddy Roosevelt 's reputation helped him neutral +In the extremely difficult situations being considered , there is no mutual trust or confidence to destroy . There isn 't any mutual trust entailment +what did you call that You texted what you called that . neutral +But clearly , at least in hindsight , you got something wrong . There were two opinions on the matter . neutral +and then the at the numbers they they 're kind of outlined and stuff it it was quite bit of work but you know it was a lot of fun too i really like doing stuff like that so I hate working with numbers -- doesn 't matter what 's going on with them . contradictory +The French peasants ' cry for freedom prompted another Maroon War on Jamaica , after which many Maroons were deported to Nova Scotia . Maroons were deported to Nova Scotia after the Maroon war on Jamaica . entailment +A twenty-five pound gun set on a battery of the imposing castle above the town has fired a single shell . The heavy gun on the castle still remains to be shot . contradictory +or you can get deduct anyway yeah You can always deduct . entailment +Initially , as a conservative starting point , suppose the postal service is at breakeven with no discounts and no presort volume . The postal service is at breakeven . neutral +In about 2000 b.c. The was around 2000 b.c. neutral +Speaking of masculinity , a Time article notes the nail-polish-for-men trend . The nail-polish-for-men trend has not been noted by any journalistic outlet . contradictory +Jericho , one of the most famous names in antiquity , is the oldest walled town in the world . Jericho does not exist , it is merely a fable . contradictory +so well uh How about that ? neutral +Rotating exhibitions on the African- American experience in the United States are offered at the Caleornia African-American Museum ( 600 State Drive ) , which has become a showcase for black history and culture . The African-American Museum is located at 600 State Drive . entailment +Still reeling from the effects of the Persian devastation , Jerusalem was conquered in 638 by the forces of Islam . Jerusalem was conquered . entailment +Just as saving more of the anticipated budget surpluses would enhance future budgetary flexibility , increasing private saving would also improve the federal government 's budget outlook . Increased private saving is the best way to improve federal budget outlook . neutral +oh that 's real good that 's real good That 's a real good idea . neutral +Rosenthal , and other conservatives for their flirtations with Farrakhan . Conservatives should be monitored for their flirtations with Farrakhan . neutral +i don 't think we can either let 's cut off I think we are incapable as well . entailment +'He didn 't invent electricity ... ' It wasn 't him who invented electricity . entailment +On the sides of the tomb bearing the recumbent statue of the duke are carved 41 mar ? ­ vel ? ­ ously expressive figures of mourners cloaked in monastic capes , variously praying , meditating , and lamenting . Every single side of the tomb is completely covered by figures of mourners . neutral +you have to take care of them a lot and they require a lot of time and um neatness and plus you know now that i 'm married i have a husband that i do some things that you know help him Now that we are married , I do not help my husband . contradictory +in fact the news tonight they had uh someone come on a seventy three year old man they they had gotten into a housing for the elderly and and the person who perpetrated the crime went in with someone who had a relative there and uh apparently this this person was on drugs and the old man was an invalid and he was in an elevator and he died for twelve dollars The perpetrator was on heroin neutral +They run dry in the west and want to reopen the eastern shafts at the Old One 's feet again . They were considered since the west was flooding . contradictory +The animal rights movement has yet to penetrate Japan in any significant the cormorants ' throats are constricted so they can 't swallow the fish they catch underwater , and their owners retrieve the catch when the hapless birds resurface . Animal rights are of utmost importance in Japan today . contradictory +For reasons of security , he settled a few miles inland from what is now San Juan . He settled a few miles inland for security reasons . entailment +uh i 'm just like you gas mileage wasn 't a priority I am the same way , mileage wasn 't important . entailment +What if a foundering political campaign were the wacky premise for a failing TV show ! What if we made a TV show about a wildly successful political campaign ? contradictory +oh they 've been getting cleaner They still have a lot left to clean up . neutral +As he did , she gasped . She was pretty calm about the whole thing . contradictory +1 The following table identifies the appropriate chapters for reviewing the various steps of an acquisition . The table is a reliable source on the appropriate chapters for reviewing the various steps of an acquisition . neutral +In May 2001 , we reported that , based on a survey of federal managers at 28 agencies , at no more than 7 of the 28 agencies surveyed did 50 percent or more of the managers respond that they used performance information to a great or very great extent . In May 2015 we made a report based on a survey of federal managers at 55 agencies . contradictory +TI had sent me to Taiwan actually they sent me to six foreign countries Taiwan was right about in the middle and all they speak there is Chinese and in my hotel room there was nothing but Chinese programs on and they had CNN The hotel in Taiwan has CNN . entailment +Like Vrenna , the young girl was cloaked and had her hood drawn . Vrenna had a heavy black cloak . neutral +Among the Cellini bronzes is an imposing bust of his master , Duke Cosimo . The bust of Duke Cosimo was created in 1796 . neutral +And maybe that 's that ? Perhaps that is the end of the argument . neutral +A handful of Bronze Age relics has fostered an assumption that prehistoric settlers inhabited Ibiza thousands of years ago . Bronze Age relics made them think settlers had never been to Ibiza . contradictory +The pack of Lincolns swept past me , and converged little way away . The Lincolns avoided me . contradictory +The quality of performances is unlikely to rival the clubs in Lisbon , but you can still get a taste for this quintessentially Portuguese musical expression . Clubs can usually hold around three hundred people . neutral +In submitting the state plan , Melville D. Miller Jr . , president of Legal Services of New Jersey , argued that the Passaic County office 's alleged problems made it an undesirable merger partner . Melville D. Miller said Passaic County was not fit for a merger . entailment +i don 't know what Philadelphia 's going to do without Buddy Ryan it might be interesting to see I 'm hoping that Philadelphia is going to stay strong even now that they don 't have Buddy Ryan . neutral +The Sai Routha stood as well , his head dipped . He held his head up high with pride . contradictory +You can also purchase a pair of Cretan farmer 's boots almost knee-high black leather with thick leather soles . Cretan 's farmers boots are made from alligator skin . contradictory +There is a formula for New Yorker Talk of the Town pieces . New Yorker Talk of the Town pieces are completely random . contradictory +I can 't recall the exact words , but I 'm pretty sure they were along familiar lines . I think that was paraphrased well about what he spoke about . neutral +Crete has been a beneficiary of Greece 's huge increase in tourism , and has become one of the most prosperous regions of the country . Crete is visited by millions of tourists every year . neutral +'He was a good , even great man , ' I said , ' an excellent leader and an inspiration to befriend . The way he lead the people to freedom was inspiring . neutral +Tuppence was utterly cold-blooded and selfish , and he would be delighted if he never saw her again ! He was eager to see Tuppence because she was a warm and friendly person . contradictory +I 've been the most almighty blithering darned idiot that it 's possible to imagine . I was foolish because I did not understand the circumstances . neutral +Or , better yet , he should build houses for the poor under the supervision of Jimmy Carter . Almost anything would be better than what he 's doing right now . neutral +Another good , inexpensive public pool is in Quinta Magnolia Park . Another inexpensive pool can be found in Quinta Magnolia Park . entailment +The movie isn 't clear on where the secret report that kicked off Bergman 's interest in tobacco came from , or who in the FDA thought it was a good idea to turn him onto Wigand . There were two people in the FDA who turned Bergamn onto Wigand . neutral +The other was--well , you 'd call it chaos , though it had some laws , if they could be predicted . There was no irregularity in this world . contradictory +The elegant classical 18th-century cloisters make a poignant contrast with the Romanesque church . The combination of classical , 18th-century cloisters and the Romanesque church design is interesting . neutral +Because its campaigns tend to involve the planning and execution of individual acts rather than all-out warfare , IRA members look and act more like professional criminals than like revolutionaries . IRA members look and act like criminals for this matter- this is a common opinion . neutral +okay come on up bye-bye Please come on up , see you soon . entailment +" One believes in reformations when they are proven by time , Senor Cahill , " the man wearing rich but somber Spanish clothing replied . The man adorned expensive Spanish clothing . entailment +Even his arm twitched as if some muscle was activated by memory to make one of those informal military salutes the scouts favored . His arm twitched as if activated by muscle memory to make an informal military salute . entailment +you know i mean there was people that laughed at me they were Easter eggs then i called the police because i figured if these kids were stealing Easter eggs at ten The police did not charge any of the kids with a crime . neutral +Oddly , this part of the 20 / 20 segment isn 't quite as damaging to Ellis as the raw interview transcript was . The interview portion of 20 / 20 was worse that this part is . entailment +The people who use Legal Services include veterans , family farmers and people with disabilities . There aren 't defined groups of people that use Legal Services . contradictory +He handed Pondicherry over to India and in the North African colonies gave Tunisia its independence , but was ousted from office as hostilities broke out in Algeria . He gave Pondicherry to India in exchange for some goods . neutral +does she have to pay to have it refinanced Does her 5-year-old have to pay for the refinancing ? contradictory +You don 't think they 're too close , do you ? It would be bad to burn any of them with the rocket blast at this stage of the game . " It wouldn 't really matter if they were burned and killed at this point . contradictory +any wrath or uh it 's it 's occurred so many times that they figure people will usually forget and don 't think about it when the election time arises They think people won 't think about it anymore . entailment +It won 't harm you . " It won 't hurt you . entailment +and so you drive to work from there or you just take the summer off Do you just take your winter off ? contradictory +SOUTHWEST The direction southward and westward of here . entailment +uh oh yeah and it 's so peaceful we went out to Texas Stadium one time for a Boy Scout jamboree We have never stepped foot in Texas Stadium . contradictory +i mean they get they get all these days off now give them They get all these days off , every second friday of the month for example neutral +The candles were out . The wind blew the candles out . neutral +and be with somebody basically Basically be with somebody . entailment +it was really pretty fascinating and i and that was actually a couple of years ago so It was fascinating . entailment +I am sorry , my friends . I refused to apologize for anything . contradictory +a launch to say let 's conserve more because he never said that He never said let 's conserve more entailment +I know your journey through the torrent 's edge was straining . I am aware that your journey was straining . entailment +Says a former Clinton aide , There has been a real tendency to have no good-looking women on the staff in order to protect him . if they put good looking women on staff , they may get hurt . neutral +Nothing doing , said Julius . Julius wasn 't going to take it . entailment +Factor ( Warner Bros. ) .Critics barely even bother with this action flick starring Cuba Gooding Jr. and Skeet Ulrich as a pair of ne 'er-do-wells who end up with a load of heat-sensitive poison on their hands . All critics gave the action flick very positive reviews . contradictory +What will strike you first is the marvelous range of subtly different skin tones and facial features . All of the skin tones and features are homogenous . contradictory +I ” I believe it was . No , I don 't think so . contradictory +Access to La Baie de Saint-Jean , the most-photographed of Saint-Barthelemy 's 22 beaches , is quite easy . The beach is one of only 7 on Saint-Barthelemy contradictory +I hesitate to suggest pensioning off a faithful servant , but you really ought to have a better watchdog . 128 Conrad snarled impotently , and said sullenly , as the man with the beard swung round upon him : " He gave the word . Conrad feels as though the bearded man should have a better watchdog . entailment +Whatever it was , at least we can delight in the fact that Abe Rosenthal didn 't write it . Abe Rosenthal did not write that item . entailment +Some of th ' boys got to talkin ' ' bout trailin ' back to Texas , tryin ' out some ranchin ' in the bush country . Some of the boys talked about going back to Texas to do ranching . entailment +You think ? There was a moment of deep thought on the seventh step of the titanium ladder . He was thinking about eating food . neutral +The traffic soared by 1745 Martinique had 60,000 slaves and only 16,000 whites , while Guadeloupe had even more slaves and fewer whites . While there were many slaves in Martinique , there were even more whites . contradictory +In the Final Regulatory Flexibility Analysis , which appears in the preamble to the final rule , the FCC describes the reason for the rule and the legal basis for it . The reason is well founded . neutral +Its 16th- and 17th-century charm is preserved within a triangular rampart . Everyone loves the antiquity of the area . neutral +I rationed water and smuggled food . I snuck food to tide me over . neutral +no well i believe personally i hope i this is where everyone always says my husband always goes through that i go yeah for one if someone broke in my house i would pray that i would have this faith to to to take authority over that and i know people that have done that i mean i know that there have been people who have had people break in their homes and just say i bind you in Jesus name your i just and rebuke any enemy because i believe it 's a spiritual war that 's going on and it 's not normal for someone to come into someone elses home illegally that 's not normal there 's something going on there and that i would have discernment by the Holy Spirit to be able to pray over that do you see what i mean and then the same in Vietnam you would you wouldn 't handle Vietnam the same way you would handle uh Saddam Hussein It 's strange that house robbers exist . entailment +Sustained flight permissible if vampire takes the form of a bat , owl , or other authentic nocturnal species . A vampire can fly if it turns into a bat , owl or other nocturnal animal . entailment +North along the Corso Garibaldi is Padua 's undisputed draw , the 14th-century Scrovegni Chapel , also known , due to its site among ruins of a Roman amphitheater , as the Arena Chapel . Padua only has one chapel and two cathedrals . neutral +uh-huh right i think so and uh Exactly I think so too , I agree completely with you . neutral +that 's on Plano Road um it 's like in Richardson you go up Plano Road it 's like a little bit past Campbell on Plano Road It 's a little bit past Campbell , right on Piano Road . entailment +at just a small i mean they they they are select it is a select college It is a large college that anyone can get into . contradictory +So strange in comparison to my city of metal . This was just like my city . contradictory +As a result , more casinos emerged along the Strip . The Strip remained a casino-free zone . contradictory +The CIO Council , or other organizations of federal CIOs , can create an opportunity for sharing these experiences , using the principles described in this guide as an organizing framework . The CIO Council is not able to create any opportunities . contradictory +He feared his next words . He was scared what his next words would be . entailment +we see it uh every day at six o 'clock We watch it once a week at nine o 'clock . contradictory +some of those countries were so safe it was unreal Singapore is very supposed to be very safe and in fact Tokyo and i thought Tokyo would be dangerous being such a huge large city with so many people Singapore and Tokyo are the safest places to be in all of Asia . neutral +all right do you do garden work Are you a gardener ? neutral +Romans infused Greek refinement with their own energy to create a unique mixture of elegance and realism , delicacy and strength , which have remained the essence of Italian life and art . The Romans and Greek cultures combined quite well . neutral +The 1972 ABM Treaty permits the United States and Russia to deploy 100 interceptors to defend either a missile field or the national capital . Interceptors are missiles that lock on to other missiles and blow them up . neutral +" Is that not so , amigo ? " His speech was oddly formal , as if he were using a language other than his own , but there was a warmth to the tone which matched that sudden and surprising smile . He spoke that way because he wanted to seem polite but friendly . neutral +Hey , conquest means winnin ' th ' country , don 't it ? Hey , doesn 't conquest means winnin 'th 'country ? entailment +oh it does it does but i 'm sure that they can uh find some sort of uh use for them if you know you know there i 've seen talk about uh using garbage for uh energy I didn 't hear any of what they were talking about . contradictory +In addition to seeing one of Caleornia 's original missions , you 'll want to visit this valley to see the movie studios . The Movie Studios can not compare to California 's original missions . neutral +The embrace was brief and traumatic . They were never the same . neutral +that 's i 'm going to have to start going out to eat more often i 'd i guess i would like to see some things like that I don 't want to see things like that at all . contradictory +According to the Enquirer , John Clark , who has been married to Redgrave for more than 30 years , fathered a child eight years ago by his personal assistant . John Clark was married to Redgrave for more than 30 years . entailment +well same here have a good night okay yes i do okay bye I hope you will have a dreadful night . contradictory +and now we don 't have of course we don 't drive on our trips very much anymore either we used to drive like we 'd drive to New Orleans twice a year We travel to New Orleans yearly to celebrate the holidays . neutral +I 'm afraid not . I can 't allow you to pass through backyard . neutral +For example , ten absorber modules handling a combined capacities of 2000 MWe and 3000 MWe at two facilities were installed during December 1995 ( order placed ) through March 2000 . These facilities were located in two different states . neutral +" Kentucky ... " Oliveri stumbled in his repetition of the word . Oliveri liked to repeat that word often . neutral +uh some of the young dread naughty boys in my family would fish for them all night There were boys in my family that would stay up all night fishing for them . entailment +That changed in 1786 , when the Sultan of Kedah granted company representative Francis Light rights to the island of Penang and the strip of mainland coast opposite Province Wellesley ( now Seberang Perai ) as a counterweight to the pressing demands of the neighboring Thais and Burmese . In 1786 Francis Light decided it would be right to give the Sultan of Kedah rights to an Island and a strip of mainland coast . contradictory +He introduced a monotheistic cult around the one true god Aten and changed his name to Akhenaten ( He who pleases Aten . After creating a cult based around Aten , he changed his name to Akhenaten . entailment +we 're really enjoying it i wonder what it would be like i mean i i wanted to be close to family but i also thought that it would be harder to be close to family but it 's turned out really good and i think that you know we 're really satisfied with that choice and We are happy with the choice because it turns out we like being close to family . entailment +yes well you know it interesting they have a new one out have you ever watched Expose Expose They now have a new one out . entailment +In the 19th century this was the city 's most fashionable strolling ground . This was the city 's most fashionable strolling ground back in the 19th century far from its current state of disrepair today . neutral +or to put their child into a setting into a home setting where they would you know like they they would get leave at eight in the morning and and drop a two year old off in a home where you knew there were going to be four other kids and It 's not a good home life to have to have to be put in another house all day with a bunch of other kids . neutral +Shorts , pants , shirts , and dresses hang against alley walls in all the major towns ; it 's just a matter of finding a style that you like . Stores don 't usually carry stock and you have to special order what you want . contradictory +The site sprawls over a wide area , but unfortunately , some remains are in poor condition , a situation which causes the site to close intermittently because of the danger of falling masonry . The site may be closed at times due to the risk of falling masonry from remains that are in poor condition . entailment +( But no , Randy , that 's not fair , and you know it . Randy , this is not fair , and you know it . neutral +Upset things terribly , it has . Didn 't upset things much if at all . contradictory +so although you can i mean there 's cookbooks and there 's ways to do it it 's a lot more expensive too i think you know the the the market is just not made for a vegan so but um There are a lot of recipes for vegan food . neutral +Atlantic Monthly , November 1998 The November 1998 issue of Atlantic Monthly covered many sea animals . neutral +Cairo saw a rash of new building that expanded the city 's boundaries . Cairo experienced a lot of destruction . contradictory +well we have a similar um radio station here and because of the uh people i guess being pressured to have advertisers you know a lot of the stations have to have advertisers they kind of like Our radio station is very different from yours . contradictory +i 'm i pretty much specialize i guess in uh Italian and Chinese um i 'm a vegetarian The Italian cousine is one of the best I know , but I 'm a vegetarian . neutral +Mite quick to show your iron , ain 't you ? There was a chill in the question , and Drew saw that the long rifle was still held at alert by its owner . The rifle was pointed to the ground , but the owner was still alert . contradictory +For a more detailed discussion of altruistic values related to the value of life , see Jones-Lee ( 1992 ) . Jones-Lee 's work is the most comprehensive when it comes to this subject . neutral +, their contributions represent new saving ) , national saving would increase by $ 2,880-the $ 4,000 increase in personal saving less the $ 1,120 decrease in government saving . People will be becoming richer as saving is increasing neutral +yeah because Ohio State used to be just a perennial powerhouse Ohio State used to be really inconsistent and mediocre . contradictory +Since the late 1970s , slot machines have become the most popular form of gaming in Las Vegas so much so that they supersede the play at table games in many casinos . Slot machines are not popular anymore . contradictory +The newest curators-in-your-pocket are lightweight CD-ROM based systems on which visitors can punch in the numbers on wall labels , accessing commentary on whatever interests them . Visitors can find any personal interest with the new system . entailment +The image it suggests to your steadfast adviser is of two children dancing in a meadow ... Two children playing around in the meadow was the concept being suggested . entailment +Either cutting acrosefrom Tonnerre ( home of a beautiful circular lavoir at the Fosse Dionne ) or starting out from the village of Chablis , follow the course of the little Serein river ( a tributary of the Yonne ) toward Avallon . The little Serein river takes you away from Avalon . contradictory +Oh ! said Tuppence meekly . Oh ! Tuppence quietly expressed surprise . neutral +A good place to begin your touring is Damascus Gate . Damascus Gate is the worst possible spot from which to start your tour . contradictory +cool yeah BS that 's the way to do it Yes , the way to do it is BS . entailment +but it 's kind of understood that we 're supposed to dress a little bit nice a lot of times we have to go over to uh like Jerry Junkins ' office and Bill Ellsworth 's office to deliver stuff We know that we have to dress nicely for this entailment +Before the injection they 're quite friendly--these are lab animals , remember , not hardened street rats . Injecting rats is illegal . contradictory +But I judged it important to lose no time . " And as briefly and succinctly as possible he detailed the experiences of the last few days . He told a very long story about his recent experiences . contradictory +it could be real dangerous It could put us in great peril . entailment +Scientists are trying to clone human embryos . No one is trying to clone human embryos . contradictory +GAO will meet with designated committees and Members regarding the scope and timing of work . Members have been expressing concerns about the scope of the work . neutral +That led him to the not-very-civil act of complaining to Bob Haldeman . He was quite civil , never complaining to Bob Haldeman or any other supervisors . contradictory +Remember him ? I know you don 't remember him . contradictory +Then she answered the bell demurely . She was reserved because she was shy and cautious in new situations . neutral +Pushkin , who was building Russian poetry out of very little , did something very similar in Eugene Onegin , only 50 years before . Pushkin writes Russian poetry in small notebooks . neutral +Auditors also may find it necessary to use the work of legal counsel when an audit requires testing compliance with provisions of contracts or grant agreements . Auditors don 't use legal personnel in the execution of compliance tests , ever . contradictory +i i we 're certainly in agreement there I disagree with you contradictory +It could fall any time , said the Kal . It is fragile , and could be captured at a breath 's notice . neutral +Moreover , if obnoxious behavior like aggression , rape , and philandering are biological , that would make them natural and hence good--or at least in the genes , where they cannot be changed by social reform . If obnoxious behavior is biological , that would make them natural behaviors , unchangeable by social reform . entailment +Return to Foog 's Gate the name and age of the gate remain a source of debate to enter the upper ward and the oldest parts of the castle . No one knows when Foog 's Gate was built but it was at least 500 years ago . neutral +Two glass mosaic murals flanking the entrance depict themes of Malaysia 's culture and history . Only one mural depicts Malaysian history and culture . contradictory +yeah the the lease can work uh work two ways it can work to your benefit too where uh they can 't increase your your rent uh if something goes wrong with with a written lease but with an oral lease they can so it works both ways The lease only comes in oral form ; you cannot have a written lease . contradictory +These terms are not intended for general application to other federal financial transactions . These terms are not intended for general application to other federal financial transactions . entailment +However , these lakes remain susceptible to becoming chronically acidic if acid deposition increases . And increase in acid deposition increase cannot end in chronic acidity . contradictory +um i 've got a uh small distributorship uh i uh I don 't have a large distributorship . entailment +For example , AMS within USDA has been conducting an electronic rulemaking for nearly 3 years that encompasses a number of innovative design elements . AMS within USDA has been conducting an electronic rulemaking for nearly 3 years entailment +Mary 's later dropped out . ) Mary 's later dropped out . ) entailment +But , The Christians are at it again ? However , are the Christians are at it again because of the government ? neutral +Hong Kong Comes Back Hong Kong returns . entailment +We have exposed the counterrevolutionary machinations of Richard Ford and Amy Tan . The counterrevolutionary machinations of Richard Ford and Amy Tan have been exposed . entailment +Because it requires no ongoing effort or supervision to be effective , and it can be discontinued only after some ( rather small ) effort . It doesn 't require an ongoing effort to be effective . entailment +In actuality , it was the population of Jamaica who discovered him Columbus was really lost , thinking that he had found another route to Asia . Columbus didn 't realize he was in Jamaica . entailment +Vrenna and Thorn , dressed in hide cloaks and hoods pulled tight , went south to the mountain crags . The two people snuck to the crags . entailment +Dhulikhel , on the other hand , is strictly about mountain views . Dhulikhel , is a strictly about the mountain view . entailment +After Henri 's death , his widow , Catherine de M ? ? dicis , took Chenonceau for herself and added the galleried floors of ballrooms and reception halls that complete the bridge across the river . Chenonceau was abandoned after Henri 's death . contradictory +okay uh could you tell me what you think contributes most to uh air pollution Are you concerned about the world we live in ? neutral +Some states , such as Connecticut , Vermont , and Hawaii , made major changes in their delivery systems in 1995 and 1996 and are working diligently to realize the full potential of those systems . Vermont and Hawaii were the only states who chose not to make any changes to their delivery system in 1995 or 1996 . contradictory +It read almost like a bribe to Julius to spur him on in his efforts to find Tommy , but he supposed she had not really meant it that way . She was very anxious to find Tommy and wrote Julius to ask him to help . neutral +But the organic forms of the buildings , with names like Hope , Fraternity , and Aspiration , still have an impact on the landscape . The organic nature of the buildings call the eye . neutral +Now , as the movement toward managed care has accelerated to a full gallop--and health-care costs , once thought unreinable , have slowed to a walk--managed care has become the bugbear of liberal critics . People want to switch to managed care to save $ 2 billion . neutral +Case Studies of Children in Head Start Planned Variation , 1970-71 . Studying gifted children contradictory +The Gorges d 'Apremont ( near the little town of Barbizon , famed as a haunt of 19th-century landscape painters ) tend to be less crowded . The Gorges d 'Apremont are not as busy as other areas . entailment +From Guadalest , the road leads to the small town of Callosa de Ensarria , centre of the honey industry , where you can taste before you buy , often six or eight different flavours . Callosa de Ensarria is a big town . contradictory +Another 16 km ( 10 miles ) north on the narrow , twisting road is Curral das Freiras , a village that until very recently was truly isolated from the outside world . Curral das Freiras can only be reached by helicopter . contradictory +Art and Sculpture Science . contradictory +oh definitely definitely it was a learning experience uh now we i guess we camped just about every public campground in the state of Florida In my opinion , camping was an opportunity to learn . entailment +It 's it 's so lovely to think of things and then for them really to happen ! cried Tuppence enthusiastically . " For things to never really happen when you think of them is so wonderful ! " contradictory +Starr has yet to deliver his report on Whitewater , Filegate , and other nonsexual scandals , which no doubt will accuse Clinton of lying and covering up those matters as well . The claims in Filegate may have been exaggerated and Clinton might have been telling the truth about it . neutral +no we do not have a basement because we would had to have built up instead of down because uh there 's the rock is so close to the surface here that it 's difficult to to do basements so we didn 't do that but um We weren 't able to build a basement because of how close the rock is to the surface . entailment +Under the Clear Skies Initiative , America will continue to have a diverse fuel mix that ensures a reliable , affordable energy supply . The Clear Skies Initiative is a policy for Spain that involves air traffic control . contradictory +you know it 's just not going to happen that way but i do think if they would start with the kids now at you know in you know twenty years from now we could be switched over The government would have to vote in order for it to be switched over . neutral +Its age is uncertain , but it seems to have been built in its present form around 1349 , at the highest point of the city walls . The highest points of the city walls are 1349 feet tall . neutral +The security managers said that it was important to relate security concerns to the specific risks faced by users in individual business groups and ensure that security was an everyday consideration . Individual businesses will always be successful . contradictory +Staying at a central base allows excursions both east and west , but a base in the far east or west limits your ability to see the opposite side of the island . Staying on the far edge of the island will allow you the best opportunity to take it in . contradictory +But mostly there is the spectacle of technique brought to bear on form ; and although this is a minimal definition of art , there is nothing minimal about the results . The art technique is minimal , but the results are amazing . neutral +Later this month , Behind the Legend , a new warts-and-all ( and-more-warts ) biography , will hit bookstores . The book will be in store later in the month . entailment +yeah uh-huh yeah yeah you have to be so careful when you buy at the stores You need to be very careful when you purchase at the stores . entailment +Finally , for financial audits and information system reviews , you should not follow this guidance in assessing data reliability . The requirement of a financial audit are too different for this guidance to work where the reliability of the data is at issue . neutral +If a president were proved to have had an adulterous liaison while in the White House , the American people ' should certainly be concerned about it ... The people of America should be concerned if any government official is proven to have had adulterous liaison . neutral +The longest river in the world brings abundant water from the heart of Africa to irrigate a narrow verdant valley snaking its way through the hundreds of thousands of square kilometers of parched desert that constitute the modern state . The shortest river in the world brings a lot of water from the center of Africa . contradictory +News this week isn 't in the Owner Mort Zuckerman has fired Editor James Fallows . There is no one at the office with the name of Mort . contradictory +My dear Poirot , I expostulated , " I never thought it would interest you . I hadn 't realized that Poirot even knew about that . neutral +As far as I 'm concerned , you 're both so wild they have to tie a foot up when they give you a haircut . There 's no need to tie both of you down to cut your hair . contradictory +The B5289 moves along the shores of Derwent Water and then follows the beautiful green valley of the River Derwent , where families gather to swim and picnic . The B5289 was originally designed to move along paths much farther north , but was re-purposed for this . neutral +In 1854 Perry duly negotiated the Treaty of Kanagawa ( now part of Yokohama ) , opening up two ports , Shimoda on the Izu Peninsula and Hakodate in Hokkaido . Perry had initially wanted to open up more than 20 ports . neutral +um-hum right exactly exactly yeah No , not at all , nope . contradictory +He wanted to bring an old age back . He believed the past was just old and decrepit . contradictory +Is there anything the matter , Aunt Emily ? asked Cynthia . Is there anything I could do to help , Aunt Emily ? asked Cynthia . neutral +Where does it rank in the Great Man Theory of Tour Bus History ? It doesn 't rank anywhere in the Great Man Theory . contradictory +yes yes that is that one that you were talking about You were talking about gun control . neutral +A letter to his editor at Grove I cant possibly go on as a responsible prose artist and also as a believer in the impulses of my own heart and in the beauty of pure spontaneous language if I let editors take my sentences , which are my phrases that I separate by dashes when I ' draw a breath , ' each of which pours out to the tune of the whole story its own rhythmic yawp of expostulation , and riddle them with commas , cut them in half , in threes , in fours , ruining the swing ... I am reassured to know that my work will be heavily edited . contradictory +It 's for jewellery , I believe , but there might be something else in it . The key was in the lock , and Julius swung open the door , and searched inside . Julius could not get the door open . contradictory +The Musee d 'Art Moderne de la Ville de Paris ( 11 Ave. du Pres ? ­ i ? ­ dent Wilson ) has an important collection of 20th-century art displayed in the spacious galleries of the Palais de Tokyo . The 20th century art is valued at over one billion dollars total . contradictory +When incurred , they are treated as expenses in determining the net costs of operations . Though they are treated as expenses , they are not often incurred . neutral +If the president mortgages our future by weakening defense , the price of land will fall . If defense were weakened , there are other ways for land to retain its value . neutral +The collection of the Mus ? ? e Bonnat ( 5 Rue Jacques Laffitte ) includes paintings by Rubens , El Greco , Degas , Titien , Rapha ? « l , and Watteau . The collection of Museum Bonnat consists of works by Rubens , El Greco and others . entailment +Well , shopping is almost as good , said Tuppence dreamily . Well , spending some time at the mall is almost as good , said Tuppence lost in thought . neutral +If you don 't like reading on a computer screen , for example , there 's a special version of SLATE that you can print out in its entirety , reformatted like a traditional print magazine . SLATE realized more people like traditional print . neutral +When she first sang the song , in the musical biography of Fanny Brice , Funny Girl , it was about precisely the Fanny was so obsessed with her public identity that she 'd neglected the personal ; she could love audiences but not individuals . Fanny Brice could love audiences because she was obsessed . entailment +that is neat you know i like that That is neat and I enjoy it . entailment +The shock of the events of the last night had upset him temporarily , but his equable poise soon swung back to the normal . He was shocked by what happened last night entailment +yeah they 're not allowed in Great Britain either even the policemen don 't carry them the policemen carry clubs but don 't Everyone is allowed into Great Britain , no matter the color . contradictory +Shots of cute animals are deemed an inadequate substitute for the cutting wit that made the earlier film ( by the same cast , and also written by John Cleese ) a cult hit . Shots of cute animals are considered better than the wit of earlier films . contradictory +She concurred with Hungerford 's observation that intervention effects seem to wear off after a period of time . Intervention becomes forgotten . neutral +yeah i did it 's just that uh there needs to be some some change take place so that the inertia can begin to go in a different direction and strike down Just keep going down the same path in the same direction . contradictory +We 'll both ride , Mr. Drew . We could both use a ride with Mr. Drew to the next town . neutral +Haghia Sophia served as a mosque until 1935 , when Ataturk proclaimed that it should become a museum . Hagia Sophia has been used as a mosque since 1935 . contradictory +hum punishment thank you i 'm sorry i just got home from work and i 'm just kind of spaced out a little bit uh that not all of them are being um I 'm very alert . contradictory +Still untaken are several steps that required goodwill from local bar associations and others who had opposed the combination . Several steps that required goodwill from local bar associations have yet to be taken . entailment +The West was forced to accept Japan 's occupation of southern Manchuria and the annexation of Korea in 1910 . Japan forced their way into Manchuria in the early 1900s . neutral +I was able to convince my parents that it was OK to listen to them because it was sort of classical . I convinced my parents that it was fine to listen to the rap CDs because they were a little bit classical . neutral +Fragments of the royal palace are still standing by the Jeu de Paume museum in the northwest corner of the Jardin des Tuileries . Some of the royal palace remains near the Jeu de Paume museum in the Northwest corner of Jardin des Tuileries . entailment +What is odd about these libertarian conclusions is that they do not at all follow from the premises . Libertarian conclusions are loosely based . entailment +Then crosethe square to the church of the Ognissanti ( All Saints Church ) , 13th-century but with a Baroque facade of 1637 . The church 's original facade was destroyed by a fire . neutral +Santa Margherita Ligure is a lively resort town full of cafe , boutiques , good hotels , and a palm-lined waterfront esplanade with seafood-serving trattorie . Santa Margherita Ligure is an active resort town with good places to stay and eat seafood . entailment +This movement has led to calls for self-determination and increased native sovereignty , even full independence as a new nation for the estimated 250,000 people of Hawaiian ancestry . The movement wanted to bring sovereignty to the 250,000 native Hawaiians . entailment +i took one semester off and and i 've been taking a class at least one class every semester I 've been taking Science 101 every semester , and am hoping to become a scientist when I graduate . neutral +On the international scene , the Turkish conquest of Constantinople in 1453 closed Genoa 's Black Sea markets , but competitor Venice worked out a new deal in Cyprus and even a modus vivendi in Constantinople itself . The conquest of Constantinople allowed Venice to make billions of dollars . neutral +There was no magic in this fight . There was a lot of magic used in this fight . contradictory +Regular shows take place in some villages , such as Sant Miquel and Sant Jos ? ? p , and there are often special one-time performances in other towns and villages during fiestas , mostly based on saints ' days and religious festivals . Some of the shows that are performed in other towns are religious . entailment +well uh you know the only person i 've ever known that had a hole in one was my brother-in-law but uh and he he said he got his luckily so i don 't know that 's that 's but i mean I was so proud of my brother-in-law though he was quite modest about it . neutral +The questions posed before a war are always the Should we fight ? No one ever wonders if they should be fighting a war before it breaks out . contradictory +The movie reeks of film-student overkill ( Susan Wloszczyna , USA Today ) . It would only be allowed to ooz [ e ] out of Miramax 's storeroom in the otherwise fallow month of January , says the Village Voice ' s Amy [ I ] ts devices are too shopworn to allow for a personal or original point of view . The movie reeks of film-student overkill because fails at having true meaning . neutral +Visitors between May and September can take tots and teens alike for a cool dip at the Wet N Wild water park ( Tel . Visitors in the summer months can go to the waterpark . entailment +Photo buffs know that Hong Kong is the place to buy some of the world 's most advanced photographic equipment , and there are some real bargains around . Hong Kong is known to be home of some of the most advanced photography equipment . entailment +yeah but then again yeah i 'd say it is wrong to invade Kuwait and i 'm not saying President Bush made the wrong decision i think i 'm lacking in my It is right to invade Kuwait , and that is the wrong decision on many fronts . contradictory +Design researchers as designs that focus on a single instance or a few instances . Designs can be those that are one occurrence specific or apply to multiple occurrences . entailment +Gladiators , once criminals and slaves but later professional warriors , fought one another to the crowds ' cries of Jugula ! The crowds shouted " jugula " while gladiators fought each other . entailment +you still there Rick You still on the phone , Rick ? neutral +yeah that that 's sort of the way i feel too i don 't know what else we just saw something recently I feel the same way , we just found out . entailment +yeah a lot of cases daughters getting get real close to their dads too you know and uh In many cases , daughters get close to their fathers and they end up abusing them . neutral +Wilshire Boulevard began as an Indian trail connecting the downtown area with the La Brea tar pits and later was developed as an upscale shopping and business district . The Wilshire Boulevard is considered to be a flourishing part of the city . neutral +yeah that and i think uh putting more emphasis on local handling of the problem i think this is something that that Bush came out and said in his uh in his address uh to the nation at the beginning of the year Bush 's address was good neutral +I sent off Albert post-haste to Mr. Carter . I sent Albert to Mr. Carter . entailment +A valid cause-and-effect design-that is , one with internal validity-rules out alternative explanations of results by comparing what happened with an intervention to what happened in the absence of the intervention . The intervention might be causing a bunch of problems . neutral +Set amid this wealth of historic sites are many beautiful beaches and pretty fishing villages , and a number of modern holiday resorts , notably Kuradase and Bodrum . The beaches there are ugly weather torn messes . contradictory +South of Osaka is Wakayama , a large prefecture whose long coastline and lush greenery have long been a magnet for domestic tourists . Wakayama is a mountainous , land-locked prefecture just north of Osaka . contradictory +Although at first glance it might appear that they represent a clear choice between selfishness and generosity , these two sites and the underlying issues they address , are inextricably linked . These two sites and the underlying issues they address are inextricably linked . entailment +but uh i as as far as that goes i at we at we at least agree on you know on what we enjoy in that regard but uh We have different tastes on this matter . contradictory +Near the center of the town , richer merchants sold gold and silk from the north and deep south empires . The center of town was empty . contradictory +I 'm with you there . We agree all the time . neutral +yeah yeah if you like Platoon yeah if you liked Platoon you 'll probably really like this because it takes pretty much the same direction for the time you know uh i think If you like to Platoon you 'll hate this . contradictory +No disguises no grease paint no false beards ! No false beards , no disguises , and no grease paint ! entailment +Technically , paella is served only at lunchtime and always cooked to order . Paella is a lunch exclusive food . entailment +but i guess most every team has some has someone like that i don 't know I know every player on every team . contradictory +i mean we 're really fortunate to live here but doing these conversations it makes me feel really bad that there are kids that can 't can 't get out of the situation they 're in and they 're they 'll eventually end up even if they want to be good kids they 'll eventually end up uh more or less victims of crimes even though they 're doing the crimes they 're more or less a victim We are lucky to be living in this quiet neighborhood . neutral +On May 3 , 1996 , the Commission again certified to OMB that the information collection complied with each of the objectives identified in 44 U.S.C. The Commission certified to OMB thought they were doing a good job . neutral +Punditus Interruptus , Week 4 : Al Hunt stepped on Robert Novak twice this week while Novak held his fire , making Hunt the interruption leader , 4-2 . Al Hunt has interrupted more than Robert Novak . entailment +The paper was presented to the Commission in December 1998 and was revised in June 1999 to include the data from the Household Diary Study conducted in 1997 . The paper was published in December 1998 then revised in 1999 to including we data from a household study in 1997 entailment +The data shows steady growth in construction industry employment at the national level during the 1992 to 2000 period . During the 1992 to 2000 period a steady rise in employment in the construction industry is visible . entailment +But there are only a few of us who possess a stout enough psychological profile to allow ourselves or even imagine ourselves purchasing a big cushy wonder boy or girl reclining chair . Only a few of us can imagine buying a recliner and expect to put it in our office . neutral +uh my husbands fifty five and i 'm a couple of years older well he 's fifty seven i 'm a couple years older than that time goes by I am 59 years old , time goes by . neutral +Context means all factors that could affect what is happening in an instance . The context of the party is what happened at the party . neutral +The Board , however , recognizes that significant practical problems may arise if an agency is compelled to adopt a specified costing approach for reporting stewardship assets , and that such cost approach would not be used for computing the net cost of operations . The Board knows problems can occur if the agency is pressured to adopt a specified costing approach for reporting assets . entailment +This restriction reinforces the notion of the imperial family as living descendents and representatives of the gods despite the emperor 's renunciation of divinity announced as one of the terms of surrender at the end of World War II ( when some people literally fainted upon hearing the emperor 's voice on the radio for the first time ) . Some people fainted when they heard the emperor 's voice . entailment +Islam has refrained from such an expedient . Islam has begun to chase one such expedient . contradictory +well my my real feeling about about the purpose of undergraduate education is it 's really the time yes you do get an education you do learn some things but you eventually forget most of it You end up forgetting most of what you learn in college but it is good to go for networking purposes . neutral +Cruise gathers Brad Pitt into one of many homoerotic embraces in Interview With the Vampire and soars with him high into the night sky . Cruise held Brad Pitt 's hand and took him with him as he soared up into the sky . contradictory +You 'll never even leave it . You won 't be able to get away from it . entailment +Developing and Retaining the Membership Base There 's no discussion or mention of how to keep your members . contradictory +yeah it 's it 's pretty new uh i 'm trying to think who it 's got in it It 's brand new , though I can 't remember who takes part in it . neutral +uh-huh yeah there are there are lots of bike paths i know my son is a biker and he he 's done the whole C and O canal i think it 's a hundred and eighty miles with the scouts There are bike paths around that I know of since my son is a biker . entailment +6 In the final section of this executive guide , we discuss the role of top leadership and the practices it can follow if it hopes to make GPRA a driving force in an organization . GPRA is not a driving force of the organization . neutral +so so yeah i i used to when my kids were real little and i was home i watched uh i was home more i watched things on a more regular basis but right now the last thing i watched regularly was Thirty Something when it first came out did y 'all ever watch that I used to view more television on a normal basis when my children were smaller . entailment +The Congress cannot legislate nor can regulators establish by rule human behavior or integrity to always do the right thing in protecting the public 's interest . Human behavior can be easily regulated and legislated by Congress . contradictory +With cinemas , banks , travel agencies , restaurants , and the better craft emporiums , it 's a place whose new name , Indira Chowk , does not seem to catch on . There are good restaurants and cinemas in Indira Chowk . neutral +We had approximately 400 cases in Butler County last year . Butler county had about 400 cases last year . entailment +The lovely Botanical Gardens offer 130 acres ( 50 hectares ) of changing landscapes . The botanical gardens only cover twenty acres of land . contradictory +When Law 's clients arrived after months at sea , the truth of the Mississippi Bubble was plain . Law 's clients were furious to learn the truth of the Mississippi Bubble . neutral +The cavernous 13th-century Dominican church of Santa Maria Novella is the finest of Florence 's monastic churches . Santa Maria Novella was built with the acoustics of its choir in mind . neutral +Although the 2001 data reported in March of this year should be regarded as preliminary ( it covered only half a year and reflected the usual kinds of startup problems one would expect of a new data system ) , it already has produced a wealth of information that allows the Corporation to provide a more complete picture of legal services practice than has ever before been possible on a nationwide basis . The data only covered part of the year . entailment +After Vasco da Gama landed on the Malabar Coast in 1498 , the Portuguese invaded the area and seized Goa from the Sultan of Bijapur in the year 1510 . Vasco da Gama is the sole reason that the Sultan of Bijapur lost Goa to the Portuguese . neutral +What to do when the bear growls ? What to do when a bear emits sound ? entailment +I will put aside Cohen 's bizarre dreams of violence for a moment to address the idea that the memory of Jewish gangsters has been suppressed , which , of course , is not the case . Jewish gangsters have not been suppressed through Cohen 's dreams . entailment +Furthermore , when the options were fixed so that a boy could not give his group more without sacrificing profits for both groups , the boys still chose to maximize the difference in rewards between groups . There were outliers in the data for this study , including some boys who made unusual choices that were not considered advisable to the outcome of the game . neutral +that 's right that 's exactly right so but a lot of more women are starting their own businesses i 've noticed than That 's correct and I 've noticed that more and more women are opening businesses of their own . entailment +The two stories further illustrate the unease , even hostility , that blacks have tended to feel about their folklore , and about black history In That I Had the Wings , Riley , a young black boy Ellison uses in several stories , hates his Aunt Kate and wishes she had died back in slavery times ; in Flying Home , the black pilot who seeks escape hates the black farmer who rescued him after his crash . The black pilot in Flying Home didn 't want to be saved because he 'd wanted to die in the crash . neutral +I have seen in my public and private sector careers how GPRA 's purposes of improved performance and accountability can be achieved through the disciplined application of the goalsetting , planning , performance measurement , and reporting requirements of the act . I can see how GPRA 's improved performance can be achieved . entailment +A walk beside the Water offers the most interesting views , so don 't crosethe bridge . Walking next to the water affords fascinating views . entailment +In that case , there are nondictatorial voting systems that both respect unanimity and eliminate flip-flops . The only voting system that respects unanimity and stops flip-flops is a dictatorial one . contradictory +The size of this figure would depend on how much the shift volume grows after it leaves the basic category . The shift volume might grow after it leaves the basic category . entailment +Constantine erected it in a.d. 330 to mark the city 's new status as capital of the Eastern Roman Empire . It was erected in a small town by the townspeople . contradictory +yeah oh yeah yeah it would be hard to that 's that 's why this she was she felt that way too but when it helped that she got to still be in a house and still have some of her own stuff It was helpful that she could be around her own belongings . entailment +It proved to be worth the effort for Bligh , who received a reward of 1,500 guineas for his effort . Bligh happily accepted the 1,500 guineas for his effort , despite all of the hard work . entailment +Where is Susan ? said Gabriel . Gabriel needed to know where Susan was and what she was doing . neutral +Few cities have so perfected the art of socializing eating and drinking in public . It is among the best cities to go out and eat , drink , and socialize during the day . entailment +A formless amalgam of wooden shacks and modern apartment buildings , Oriental-style bazaars and shopping-center supermarkets , Pointe Pitre betrays little of its turbulent past . Point Pitre has had an eventful but peaceful past . neutral +uh and and the uh the tax districts they 're in the process of of rearranging the tax tax districts The tax districts are currently being reshuffled . entailment +Cherpitel evaluated single question screens in the ED and found them to be less sensitive than structured questionnaires . The question screens were very sensitive ones . contradictory +There were only a few of us still around back then . Only a few people remained . entailment +These workpapers should be ( 1 ) clear about what steps the team took and what conclusions they reached and ( 2 ) reviewed by staff with appropriate skills or , if needed , technical specialists . The workpapers should be clear about what the teams ate for dinner neutral +i think we should have because because we 're going if we don 't do it now we 're going to have to do it shortly We are going to do it one way or the other . entailment +Such reporting may provide information that could help report users assess the impact of the Government 's operations and investments for the period . The information contained in the reports would be difficult to determine in other ways . neutral +The old man sighed , his face slumping into lines of fatigue and age . The man was young and seemed very excited . contradictory +oh wow that 's really that is pretty detailed Goodness gracious . , that explanation does not include any details at all . contradictory +on a computer you take it out bleep print it out fine take out a sentence on a piece of paper It is impossible to remove a sentence on a computer . contradictory +Queen Victoria , who in the year 1876 would add the title Empress of India to her roll of honor , proclaimed that the Indian Civil Service would be open to our subjects of whatever race and creed . Queen Victoria added the title Empress of India to her name and proclaimed that the Indian Civil Service would be open to all demographics except women . neutral +Last year , the agency 's regional office inspected 23 Colorado farms , and 20 failed to fully comply with federal laws meant to protect farm workers from pesticides , said Tim Osag , an enforcement coordinator . 20 of the Colorado farms inspected fully complied with federal laws . contradictory +These losses translate into reduced net farm income of just over $ 15 per beef farm and $ 83 per dairy farm . Net farm incomes will increase sharply . contradictory +'All right . It wont be perfect , and things are going to be rough , but it 'll be okay soon . neutral +These basic principles are timeless and can be applied to a broad range of professional , business , government and personal issues , including how to restore trust and confidence not only in the performance and accountability profession but also in the broader business community and our nation 's capital markets . Timeless basic principles can be applied to many things within business and government . entailment +Hill said that Thomas , as her boss , had persistently pestered her in late 1981 and 1982 to date him and talked dirty to her about pornographic movies and his own sexual prowess . Thomas never overstepped the bounds of professionalism as Hill 's boss . contradictory +Nearby , in a tranquil orchard on the lake shore , stands a tiny picture-postcard Greek Orthodox church with white walls and brilliant red domes . A Greek Orthodox church is located in the middle of an orchard . entailment +On the east coast , try Puri , south of Calcutta , or Pondicherry . Puri is to the north of Pondicherry . contradictory +The pressure of these appeals for gifts has become too great for endurance . It is getting quite difficult for people to keep up with the pressure . entailment +Applause for this off-off Broadway play ( written by Moises Kaufman , an unknown gay Venezuelan dramatist ) , which finally hits the big time . The Broadway play receives a standing ovation at its first premiere . neutral +He got on a bogey run that wouldn 't quit , and he grimmed his way right out of the tournament . Although he was sure he could do better , he only scored bogeys the entirety of the tournament . neutral +A Beautiful Mind , by Sylvia Nasar ( Simon & amp ; Schuster ) . Sylvia Nasar hasn 't published any manuscripts . contradictory +Some inkling of its former glory can be gleaned from the ruins of the agora , the theatre , and the Baths of Faustina . The theatre , Baths of Faustina and the agora are in ruins . entailment +well no the the big issue was is is uh when we moved here a few years ago is whether it was okay for you to uh drink beer while you were driving your pickup truck We moved to a different state and we weren 't sure about the drunk driving laws . neutral +The investigation of Michael Kennedy 's alleged affair with his kids ' teen-age baby sitter is being dropped because the baby sitter won 't cooperate . No investigation was ever launched into the alleged affair Michael Kennedy was having with the baby sitter of his kids . contradictory +She 's a marvel . She is being complimented on looks . neutral +It 's a very steep price , Cohen concedes . Cohen bullishly argued that it is very cheap . contradictory +Many of these people don 't seek a lawyer 's help because they think they cannot afford it , think the problem is not important enough or think nothing can be done about the problem . People often seek legal help even while knowing that they can 't afford to hire a lawyer . contradictory +Papers presented at WissenschaftlicHe 's Institut fer Kommunikationsdienste GmbH , 6th Keenigswinter Seminar on Postal Economics , Liberalization of Postal Markets . At WissenschaftlicHe 's Institut fer Kommunikationsdienste , papers were presented . entailment +For some reason , teen flicks died out for a while after Heathers --perhaps because it took the conventions of the form as far as they could go . There has been fewer and fewer teen flicks over the years . neutral +One of the finest private collections in Europe ( since bequeathed to Portugal ) , it was created as an exhibiton space for the thousands of works of art acquired by the renowned Armenian billionaire Calouste Gulbenkian . Gulbenkian got one of the greatest collections in all of Asia . contradictory +you know so uh i don 't know how i mean i never really watched that a lot of TV when i was younger but my parents really didn 't allow us to watch that much TV so i don 't know I watched hours and hours of TV when I was younger . contradictory +I would have preferred having West discuss something more on the order of the impact of pragmatism on black philosophers or an essay on the whole black philosophy movement . West discusses black philosophers ' pragmatism at length . contradictory +well anyway i sure have enjoyed uh talking to you about this although it has been difficult but uh I hated speaking to you , because you are boring . contradictory +House Majority Leader Dick Armey , House Majority Whip Tom DeLay , Senate Majority Leader Trent Lott , and Senate Majority Whip Don Nickles claim that Milosevic was open to peace all along , that the war and its casualties were our fault , that we needlessly offended Russia , and that our victory is false . Dick Army is the house majority leader . entailment +you know you go there you train you get treated like shit and then you you i mean then you get out They treat you really well there when you train . contradictory +Time also tracks the growing popularity of school vouchers among blacks in inner cities . Even though blacks receive a large amount of vouchers , time usually under represents the statistics . contradictory +it looks fertile and it it um i mean it rains enough they have the climate and the rain and if not it 's like i 've been to Saint Thomas and it just starts from the ocean up The land is such a dry barren wasteland . contradictory +1 ) The script leaves out crucial parts of Winchell 's story . Sadly the script leaves out crucial information of Winchell 's story . neutral +In their place we have two statewide providers of direct legal assistance to poor and vulnerable people . Two statewide providers of direct legal assistance will be replaced soon . contradictory +It may be more important to ask whether it 's helped the people it was supposed to help , he began . It 's very important to find out from people if they have been helped or not . entailment +Mourners had to undergo 50 days of purification before being allowed back on Miyajima . The mourners had to complete rituals during the purification . neutral +For example , the high efficiency air conditioners in the commercial sector are assumed to cost less than in scenario A. This encourages a greater rate of market penetration as electricity prices rise in response to the emissions caps . Air conditioners in the commercial sector are supposed to cost more than in scenario A. contradictory +i 'm from New Jersey originally I have never been to New Jersey . contradictory +okay did you get did you get the booklet on as to get the gifts and all that Did you get the booklets to get the gifts ? entailment +The mans experience had left him bitter about the legal system , since he wasnt able to retain a lawyer . The man had recently lost his job and wasn 't able to afford the lawyer because of it . neutral +Department of Labor 's Board of Alien Labor Certification Appeals . Department of Labor 's Board of Alien Labor Certification Appeals . entailment +In that instance , the public was probably expressing disapproval of the press . The general public dislike the press . entailment +I could see at the time you didn 't care a twopenny dip for me ! " I knew that you cared for me the whole time . contradictory +Tobe Kells spoke first . Tobe Kells didn 't speak at all , we tried convincing him but nothing worked . contradictory +especially like needlepoint needlepoint cushions and things but it just seems like there 'd be so much time involved in it you know that and that the petty point and things like that it 's like God it just just seems like it 's Needlepoint cushions are fun . neutral +They are produced by several organs in both sexes , may be converted into one another , and can have varying effects in different species , sexes , and individuals . Only males produce them , and they are the only species of their kind to do so . contradictory +yeah i 've been in positions before where i 've had to wait a few days you know to have a prescription filled because i just didn 't have it I 've tried to fill prescriptions before but they were sometimes too expensive . neutral +What do they do all day ? What do you do for work ? contradictory +Aha , this is going to be one of those intelligent questions , right , sweetheart ? I can feel it . This intelligent question would be a very hard riddle to solve . neutral +' ) Also , unlike back East , there 's no vertiginous obsession with how young these IPO-heads are , because almost everybody is scandalously young . Almost everybody is scandalously young , so there 's no obsession about the age of these IPO-heads . entailment +Not much cattle , though , to interest a wide loop man . There are thousands of head of cattle here . contradictory +When I was twelve my brothers beat me bloody with sticks . Brothers can be abusive . entailment +Whole industries rest on that feeling--the greeting card industry and the florist industry , for example . There is a greeting card and florist industry . entailment +Some air emissions of NOx from power generation result in deposition of nitrogen in soils and water . NOx that is released during power generation stays in the air forever . contradictory +After initial discussions and further research , we narrowed our focus to 11 organizations that most closely met our criteria of being a recognized , competent information-sharing entity , primarily sharing sensitive or timecritical information pertaining to computer-based vulnerabilities and incidents . The initial discussions and further research came up with many organization that are computer-based vulnerabilities . neutral +yeah but that gravity factor i know There is no gravity factor . contradictory +Walk to Kepuhi Beach , drive to 3-mile-long Papohaku Beach . You can walk to Wakikii Beach . contradictory +DOT officials said the system had saved the department more than a million dollars each year in administrative costs and facilitated the rulemaking process in other ways . The system saved the department money . entailment +Yes , they were costly , but that wasn 't the biggest issue . Yes , they were expensive but there were bigger issues like how none of them worked . neutral +Dave Hanson could repair anything that contained electrical circuits or ran on tiny jeweled bearings , but he could handle almost nothing else . Dave has been a repairing electrical items for years . neutral +uh-huh yeah but i think there 's enough news out there that they could pass on more factual information to us and like you said save the commentaries because i 'm going to listen to the the news and draw my own opinions i don 't really need their help to do that I wanted to be able to come to my own conclusions . neutral +They always looked to him for advice and he worked hard . He was the hardest worker there . neutral +a mess when we have to start hunting for places to put the things We 're limited on what space we have left . neutral +well now was that expected though i mean employers expected people to not necessarily be there on time due to the delays or Because of delays , employers didn 't expect people to be on time . entailment +And then and then , simply walk out ! You can never leave . contradictory +yeah it 's it 's yeah like like two hours of output or something like that yeah that 's true that 's true It is about ten minutes of output . contradictory +The Utah State Legislature in the just-completed session has stepped forward in a year of very difficult financial challenges and , in honor of their colleague the late Sen. The late senator was a friend to all on both sides of eh aisle . neutral +Even though the intervention did not decrease drinking , it did decrease drinking-related consequences , which may be part of what we 're looking for in this setting . The intervention didn 't lower drinking rates . entailment +Still Rise Despite Reforms , GAO / HRD-87-21 . Despite reforms , we can still rise up ! entailment +Scientific Peer Review of the Regulatory Modeling System for Aerosols and Deposition ( REMSAD ) . A Peer Review of the REMSAD in a scientific area . entailment +Both magazines print Willey 's letters to Clinton , post-incident , in which she lobbies for a job . Willey 's letters were printed by more than two magazines . neutral +Before GAO agrees to a broadcast interview , GAO will advise requester ( s ) of the media source and the expected date and time . GAO advises media sources before agreeing to an interview . entailment +Poirot , I asked earnestly , " have you made up your mind about this crime ? " I did not ask Poirot what he thought about the crime . contradictory +right yeah i don 't yeah well neither can i so i i i i i i did my service before and i 'll do my little community service throughout but never never for a year again I have done my community service for a year . entailment +Accountability describes what we do , integrity describes how we do our work , and reliability describes how we want our work to be received . How the work is done , is summed up in the word integrity . entailment +oh you know a lot about it then yeah You know a lot about that . entailment +hope hope the stud will find her attractive I hope that the stud will find her attractive . entailment +Finding hidden gems down narrow lanes and dark alleys is one of the great rewards of exploring Kathmandu on foot . Finding hidden gems in dark alleys is one of the great rewards of exploring Kathmandu on foot . entailment +uh-huh but they were still bet your money paid if somebody sent me you know i i guess being an athlete of course i played in high school and college I have never been on an athletics team in high school or college . contradictory +MINIMUM REPORTING The least amount of reporting needed to capture the story . neutral +Bullfights are held in the summer months . Winner of bullfighting tournament gets a 10000 $ prize . neutral +Under the CFO Act , federal agencies will be subject to the same kinds of financial reporting that have long been required in the private sector and by state and local governments . Federal agencies will be held to the same financial reporting standards as the private sector under the CFO Act . entailment +I watched when we got on the open road . I watched intently when we were safely on the open road . neutral +Part of that assessment should focus on options for moving away from a compensation system that contains governmentwide pay increases with locality adjustments , and toward a system that is based to a greater degree on the knowledge , skills , and performance of the individuals involved . The assessment needs to work towards a compensation system that focuses on pay increases adjusting for locality . contradictory +Across the street is the incongruous but elegant Toyota Automobile Showroom , once the Chamber of Commerce and worth noting for its fine blue-and-white azulejo ( tile ) vignettes that depict scenes from old Madeira . The building is covered in tin siding in blue . contradictory +that 's a TI benefit new There is no benefits at TI . contradictory +The Vikings-Falcons winner will be the first team to get to the Super Bowl after playing its home games in an indoor dome . Both teams play their home games in outdoor stadiums . contradictory +FINANCING ACCOUNT -A non-budget account associated with each credit program account . Each credit program is required by law to have a non-budget account . neutral +Hong Kong is full of giant malls . There are many giant malls in Hong Kong . entailment +Such safety-net insurance could provide good outpatient coverage and minimal hospital coverage . That type of insurance might be able to give great coverage for outpatients and less coverage for hospital admission . entailment +" An ' these here they 're Rennie 's Pimas , what o ' ' em is runnin ' th ' trail this trip . " So these were the famous Pima Scouts ! The famous Pima Scouts arrived via horseback . neutral +While there , visit the charming Romanesque church of San Miniato ( up the hill behind the square ) ; rebuilt in the 11th century , it is Florence 's oldest and one of its most beloved churches . San Miniato features several paintings of Biblical scenes . neutral +In this climate popular hostility was trained against powerful private interests and gave new life to anti-Masonry as a political movement . The movement grew out of mistrust of the Masons . neutral +My wife cannot say the same ... My wife completely agreed with it . contradictory +Dole loved Nixon . Dole was a big fan of Nixon . entailment +! ! ( Promotional fee paid by Stigmata e 1999 ) . Stigmata contributed to the promotional fee in 1999 in hopes of gaining advertisement . neutral +Suddenly she gave a great start the colour faded out of her face . Her face went pale . entailment +Then again , if you could use grunge and Social Security reform in the same sentence , you could have been a Gen X pundit . ) You could be a Gen X pundit if you could use grunge , plaid and Social Security reform in the same sentence . neutral +That left her with the hardship of seeking a place she could afford for herself and her children , without the certainty she afford the rent . She never experienced what it was like to not be able to find a place that she could afford as she appeared very wealthy . contradictory +Wardmaid clearly to blame ! The wardmaid was completely innocent . contradictory +The realignment reduces the number of issue areas from 31 to 11 . Realigning reduced the number of problem areas from 31 to 11 . entailment +Clad with gray Aswan granite , it is engraved with letters and graphic inscriptions of cultures and societies around the world . It is engraved with letters and graphic inscriptions of arabic and persian history . neutral +I 'm off to Paris to-morrow , just to see what the Prefecture is doing . I 'm headed to Paris to see what Prefecture is up to . entailment +If you stay for dinner , you 'll be able to inspect the restaurant 's famous collection of paintings by Matisse , Derain , and Utrillo . You will not be able to see the paintings by Matisse if you stay for dinner at the restaurant . contradictory +Educating court and law enforcement officers is a program priority , Crockett said , because in that emotional and painful situation sensitivity and education is absent among some who deal with victims . The program focuses on educating court and law enforcement officers . entailment +The front door opened and a hail of bullets followed him . He closed the door to avoid getting shot . contradictory +so now the tickets even got lower than the lowest one last year The tickets are even more expensive than they were last year .. contradictory +His kidneys seemed to be wrenched out of him . His kidneys seemed to be yanked out of his body . entailment +Beaches in the main resorts have well-organized watersports facilities with jet-skis and water rides , kayaking and parasailing behind speed boats . You must book parasailing a week in advance . neutral +yeah i grew up over in New Mexico at Roswell I enjoyed my childhood in Roswell . neutral +Gene McKinney , the Army 's top enlisted soldier , was charged with adultery , as well as with sexually harassing four servicewomen . Adultery and sexual harassment of four servicewomen were the charges against Gene McKinney . entailment +You could say you were in an auto accident , and the ambulance driver took you straight to Dr. Famous ' office . Ambulance drivers just took you to the hospita . contradictory +yeah that that is pretty unusual and you really take notice of it too uh It is a little odd , but it is hard to notice . contradictory +Improvements in the reliability of a product 's design can be measured by tracking a key reliability metric over time . Improving product design reliability can be measured . entailment +in 1965 , also say the government should make more active use of their data . The government has large amounts of data related to the construction of space ships . neutral +Another popular sight are the Brindavan Gardens , in Mughal style , some 19 km ( 12 miles ) north of Mysore , worth visiting at night when the fountains are flood-lit . The fountains are impossible to see at night . contradictory +The Minoans developed into one of the great naval powers of the Mediterranean , with the wood from the vast cypress forests providing material for boats . The Minoans used cypress wood to build their boats . entailment +What remains today is the outer rim of the original circular island . The outer part of the original island still exists . entailment +you know that 's what i 've heard too you know i heard that they just put them in there because they don 't want to mess with them I heard that as well , that they don 't want to bother with them . entailment +so uh what do you think Why do you breathe ? contradictory +With forests and fells , a valley of breathtaking beauty , and the most spectacular lake setting in the National Park , this area has a greater variety of views than any other in the Lake District . Many other places in the Lake District have plenty of views . neutral +The north shore of the Golden Horn was traditionally the quarter where craftsmen , foreign merchants , and diplomats made their homes , beginning in the 11th century when the Genoese founded a trading colony in the district of Galata . The colony was founded specifically because the area was in such a good spot geographically . neutral +yeah i think he is i think he was I don 't think she is . contradictory +so yes we are We are indeed . entailment +yeah that 's true um one of the remarkable things about the weather in the summertime here is that quite often the average daytime high of say ninety nine degrees is within five or six degrees of the all time record high It is usually too hot for comfort for a lot of people . neutral +Following the conclusion of negotiations of the Agreement , the FCC revised its proposed rule and published a Further Notice of Proposed Rulemaking on July 29 , 1997 . The FCC revised it 's proposed rule . entailment +Similarly , her title teases her readers , inviting us to draw parallels between her personal history and the story she tells in the novel , though she declines to supply the necessary details about her life . She invites readers to see parallels between her history and what she writes in her books . neutral +Near the town of Anchovy , Rocklands Bird Sanctuary offers a fascinating close-up encounter with the birds of Jamaica . Rocklands Bird Sanctuary , located close to Anchovy , lets visitors see the birds of Jamaica close-up . entailment +The Centre Historique M ? ? di ? ? val is a good preparation for a tour of the site . The preparation for tour is always recommended to people who are new . neutral +Even in these cases , however , the relationship between the tax and the benefit received by an identifiable recipient is relatively indirect and disproportionate . The benefit of tax payments is always obvious to tax payers . contradictory +By the end of the 15th century England held only a small area around Dublin , walled off from the Norman inner city and known as the Pale , with the Irish themselves outside . England only had a small area around Dublin in the 15th century . entailment +Mom , Can Grandpa Say That on TV ? Is Grandpa allowed to say that while he 's on TV ? entailment +Case hired George Vradenburg , a high-powered lobbyist , to represent AOL on the Hill . George Vradenburg declined to represent AOL on the Hill . contradictory +and you make sure that you keep up with them for the next time we got one of those kind that have got the We have got to keep up , or beat them . neutral +Number 14 proceeded deftly with his task . Number 14 was skilled at his task . neutral +Around the harbor you 'll still find a fishing industry based on small family-owned boats , and small workshops in the narrow back streets that still manufacture by hand . The stores sell mass produce souvenirs and the fish are flown in weekly . contradictory +yes i think the only way they 're gonna really get to the problem and solve it is to have equal funding for every school in the state whether you it 's in a poor tax district or a high tax district and uh that 's the only way that i can see it 's gonna be resolved is there are gonna be people in the rich district that are gonna fight that and and it 's gonna be a real bad mess because there 's people on every side of the problem Giving the richest districts is the way to solve the problem . contradictory +but still the i mean have you ever checked like uh the most money makers in uh in nin eteen uh ninety uh you can see that uh Exxon and Amaco and uh other companies oh God i forgot their names but uh Exxon was the number one money maker and that was just because of of the last quarter Look into it and you 'll see that Exxon was the least profitable company in 1990 . contradictory +Your uncle has been removed from the council , said Severn . Your uncle has been put back on the council . contradictory +You shall not lose your lives because of me . I am not worth the lives of so many people , you must let me die . neutral +He suggested that research on ways of paying for these services could be an important factor in promoting and institutionalizing changes . Scientific study of the financials surrounding these programs would go a long way to getting them approved . entailment +he has a little more a little more of a stand on policy than i thought he would i always considered him kind of a wimp I think he can 't defend himself at all . neutral +If a lie , by definition , becomes a lie only in the context of communication ( speech , writing , gesture ) , and if a lie is immoral because it destroys the fundamental trust that makes communication possible--if all this is so , can a lie be told in a context where communication is understood to have no objective value to begin with ? Lies only occur in the context of communication and are immoral . entailment +Browsing is a real pleasure in Macau 's main streets and byways , where shops aimed at the tourist market are interspersed with the more workaday ironmongers , herbalists , and noodle stalls . The streets of Macau are like a ghost town with dull , lifeless office buildings as far as the eye can see . contradictory +He patted his pocket . He patted his shoulder . contradictory +At any rate , she burst out , " I 've spoken my mind ! " She was silent . contradictory +He didn 't-- " Her voice died away as she ran toward the clearing . She kept shouting back at them as she ran to the clearing . contradictory +On the other hand , others might . Nobody else will do it , trust me . contradictory +Others are less enthusiastic . Others are jumping for joy . contradictory +You miss a lot . You don 't notice a lot . entailment +and now they 're contesting that movable bug because they didn 't state that they were going to put it in this particular home where this meeting took place so there 's a technicality there but they know outright that these people are murderers and whatever else you got and yet they 're not going to let that evidence in you know as admissible evidence in court so that has to be looked at too um i don 't know who they 're protecting they 're not protecting the innocent that 's for sure " They 're not protecting the innocent because the evidence has not been ruled as admissible in court , though they are trying to enter new evidence . " neutral +She 's the most sophisticated Barbie ever , a perfect model of Ralph Lauren style , with long brown hair , a crested navy blazer , navy knit turtleneck bodysuit , grey flannel pleat-front pants and lined camel-hair overcoat--plus the perfect accessories . This Barbie has long brown hair and retails for $ 9.99 . neutral +The sights below were out of a ghoul 's bacchanalia . It was quite terrifying to think about and even more so see . neutral +Room three is devoted to the so-called heretic period of Egyptian history when Ahkenaten established a religion based on only one god and founded a capital at Tell al Amarna in central Egypt . The Egyptians now worship many gods , being polytheistic . neutral +He 's to be your foreman , and he 's real . " She headed back to the outskirts , then turned to shout back . He will be your foreman and you have no choice about it , he is real . neutral +It should have been disassembled and put back piece by piece , but there was no time for that . It had been disassembled and could never be put back together . contradictory +An additional reporting standard for attestation engagements performed in accordance with GAGAS A rule that said that everyone must clock in when they came to work at GAGAS neutral +Moreover , Tribal Allocation Priority funds , as federal payments to tribal governments are known , are divvied up based on tribe size and population density rather than income , meaning that tribes with big gambling incomes often get federal subsidies as big as those with none . Tribal Allocation Priority funds are split up by the size of the tribe . entailment +yeah yeah i 've never seen any of those yeah i can 't either he seems so macho i just I 've seen every one of them ! contradictory +Ah , that is not what I want . I don 't want that . entailment +Twenty thousand of them got sacrificed in a bunch for some reason or other . Twenty thousand of them were sacrificed at the exact same time . neutral +course everything 's small consider compared to Atlanta Atlanta is huge . entailment +Even if tax incentives do not increase personal saving much in the short term , they may encourage individual households to earmark resources specifically for retirement . Tax incentives will increase personal saving in the short term . contradictory +it 's so pathetic to see them down there I wish they would get up from where they are . neutral +Around this time the Sumerian civilization living in Mesopotamia ( the region between the Tigris and Euphrates rivers in present-day Iraq ) founded and developed the cuneiform script , the world 's oldest form of writing on record . The Sumerian civilization is the oldest in the world . neutral +well i would like to uh stay at home with my children for at least the first five years For the first 5 years our more I 'd like to stay home with my kids . entailment +Shall we go in ? " A policeman produced a key . The policeman produced a key that worked in every lock . neutral +Meanwhile , Locke has proposed spending about half the reserve fund to bail out local governments--perhaps because he doesn 't want to be outflanked by the state auditor who has positioned himself as the Democrat who can make I-695 work ( the auditor wants a financial review of all state programs ) . Locke has recommended bailing out local governments to make himself more popular . neutral +The formula was most directly a gift to the options traders around the world , which is not a group that usually inspires charitable acts . Options traders were delighted with the formula . entailment +But perhaps I could speak to his niece Nurse Edith , did you say her name was ? ' No one mentioned her name before . contradictory +um-hum um-hum um-hum well boy uh i mean i completely agree with you um on the stress that the tax burden for the upper class has actually decreased over the last ten years um The upper class has been shouldering more of the burden over the last decade . contradictory +Unlike the starving subsistence farmer , the women and children in the sneaker factory are working at slave wages for our benefit --and this makes us feel unclean . Women and children work for slave wages and this fills us with unspeakable joy . contradictory +My good Dorcas , it is necessary that I should know every detail of that quarrel as fully as possible . The fight was bad . neutral +The agency reports that any substantive comments or changes made during the review have been incorporated into the final rule . The agency says substantive comments made in the financial statement review have to be included in the final rule . neutral +oh okay yeah yeah yeah so do we We love to do it . neutral +yeah well those Maine Coon cats were great they were fourteen pounds and Maine Coon cats are very small contradictory +What had happened , how this had sprung up out of nothing , the Kentuckian could not understand . The Kentuckian knew exactly why it had happened . contradictory +Really , Sir Ernest , protested the judge , " these questions are not relevant . " Sir Ernest bowed , and having shot his arrow proceeded . Sir Ernest bent his head slightly , and continued . entailment +In response to our inquiry , Commission officials explained that the Commission did not provide a separate certification and statement to SBA because it considers publication of the certification in the Federal Register to be notice to SBA . The commission didn 't believe that it needed to explain itself further . neutral +Nor is it the result of the benign policies of national governments , which are as callous and corrupt as ever . Corruption in the national government has not decreased anytime soon . entailment +well what what what brand i mean what model would you look Do not care what model it is as long as it is on sale . contradictory +Gas path for coal-fired boiler with FGD . The boiler has no FGD . contradictory +there 's not a profit i think the the problem is that there 's there 's always a payoff to recycling but it 's hard for people to see it If people understood how recycling paid-off , more people would recycle . neutral +That 's the way we do it , you know . He tapped with his finger on the table , and Tuppence felt again the intense power that radiated from the man . Tuppence saw that the man was weak and easily manipulated . contradictory +I took up a telegram to No. 891 the lady was there . The lady in No. 891 was glad to receive the telegram . neutral +Province Wellesley merely acted as a mainland buffer for Penang , and Melaka similarly turned its back on affairs in the hinterland . Wellesley 's main purpose was to connect the provinces to the hinterlands , Melaka functioned similarly . contradictory +And credit for that compassionate , optimistic idea goes to cruel , brain-dead sourpuss Bob Dole . Credit goes to cruel , brain-dead sourpuss Bob Dole . entailment +Cooper , Robin and Kaplan , Robert S. , Cost and Using Integrated Cost Systems to Drive Profitability and Performance , Harvard Business School Press , 1998 . Cost and Using Integrated Cost Systems to Drive Profitability and Performance will likely be popular in a university setting . neutral +Evie ! cried John . Evie , whispered John . contradictory +'Sure thing , Jasie , ' she said . She would not help Jasie . contradictory +The Gupta dynasty , founded by the obscure Bihari landowner Chandra Gupta I , rose to power during the fourth century a.d. In the fifth century , the Gupta dynasty slowly declined . neutral +DOD generally agreed with the report and its recommendations . DOD generally agreed with the report and its recommendations . entailment +We were willing to explore possibilities and maybe even lend assistance , says Madden . Madden is compassionate and usually one of the first to offer assistance to others . neutral +There are a variety of routes , which can last from a morning to several days . There is only one route . contradictory +You could try to breed an expert for every job , including the petty bureaucrats , but what 's the point ? You should breed an expert for every job . contradictory +George Carey , the archbishop of Canterbury , noted that it hurts to be denied the Lord 's Supper by a fellow disciple of Jesus Christ . Being denied the Lore 's Supper hurts , at least according to the archbishop George Carey . entailment +Three of the new sets of rules prescribe expedited procedures for particular categories of Postal Service requests . Three of the new sets of rules give the procedure for some postal service requests . entailment +Personal Communication with John Bushman , Alstom , July 10 , 2001 . Public communication with Bush Johnman , Elstom , June 11 , 2012 . contradictory +Very simple , said Sir James , " and very ingenious . It was simple yet it worked better than they thought . entailment +You rushed down to Styles , and found it still there ? " There was no movement of it . neutral +The museum also includes works by fellow painters Braque , Matisse , Mire , Degas , Renoir , and Rousseau collected by Picasso during his lifetime . Picasso 's favorite painter in his collection was Matisse . neutral +Yes , the two sides were killing each other- but there was no way for me to get out of the way . I couldn 't figure out how to sneak out of the fight . neutral +Reporting Entities of the Federal Government Reporting Entities of the Private Sector contradictory +Freak Street , leading off this square , was once the hub of Kathmandu 's hippie scene . Freak Street used to be the center of the hippie scene in Kathmandu . entailment +Federal Reserve Chairman Greenspan , among others , has expressed concern that there would be tremendous political pressure to steer the federal government 's asset selection to achieve economic , social , or political purposes . Federal Reserve Chairman Greenspan has expressed concern that there would be tremendous political pressure , amongs others , like Buzz Lightyear . neutral +Italian food yeah pizzas and spaghettis and lasagnas and that kind of stuff I love Italian food , such as pizza . entailment +kickers huh i don 't know i hadn 't thought too much about that i always liked Matt Bahr because he went to Penn State Matt Bahr went to Penn State , so i was always a fan of his entailment +The empire in the west finally collapsed in 476 . The western empire lasted all the way until 476 . entailment +The preambles to the final rules state that the rules have been reviewed under Executive Orders Nos. 12372 ( Intergovernmental cooperation ) and 12612 ( Federalism ) and found not subject to those Orders . The rules have been reviewed under the Executive orders and found to be subject to those Orders . contradictory +cost associated with the worksharing program The worksharing program is not free . entailment +EPA 's analyses use both quantifiable and general descriptions of the effects of the rule and alternatives on small entities . EPA 's analyses are reliant solely on interviews and no quantifiable data is used . contradictory +The limo stopped . The limo sped along the road at a roaring speed . contradictory +Princess Di decorates the covers of both magazines ' year-end photo issues . Princess Di is featured on the covers of two magazines . entailment +I have it on good authority that the main reason that Monica hasn 't taken a job or even done volunteer work during her ordeal is that she is rightfully fearful that her co-workers would immediately sell her out to the tabloids . She has not found work because nobody is interested in her anymore . contradictory +I do know that a couple of mornings with the Mach 3 has just about wiped the smirk off my face . I have not had the chance to use the Mach 3 yet . contradictory +The thought of that made him go slower . The thought of that made him reduce his pace . entailment +A sympathetic bond seemed instantly to be formed . An unfriendly bond seemed to take forever to be formed . contradictory +well that 's that 's why i was suggesting uh that Saint Petersburg is got got to be the finest weather in the world I wish I lived in Saint Petersburg . neutral +The excellent , upscale department store Brown Thomas is also on Grafton Street . Brown Thomas is a wonderful place to shop and is located on Grafton Street . neutral +It 's not as if all this postmodern self-consciousness amounts to anything new . self-consciousness is more widespread than it had been previously neutral +and uh in each case it was a retrial and the sentencing was the same each time which happened in the state of Florida happened to be uh death but in terms of i well the question also was in terms of mandatory sentencing or mandatory sentences for uh certain crimes i think depending on uh in certain crimes i think that they should be mandatory for example uh armed robbery uh if we have convicted i think uh plea bargaining should should be uh a thing of the past um certain types of uh you know homicides I don 't believe in plea bargaining for homicides and armed robbery . entailment +and that 's what i find lacking in a lot of you know like Home Alone there was a lot of the human character when he was home alone and he was trying to be tough and they s had a lot of human character there but when it was the real slapstick moments him versus the criminals kind of thing it just sort of lost the human element became purely a caricature I found the slap stick scenes in Home Alone to be the most real part of the movie . contradictory +He was in all respects costumed as the epitome of the Hollywood dream of a heroic engineer-builder , ready to drive a canal through an isthmus or throw a dam across a raging river--the kind who 'd build the dam while the river raged , instead of waiting until it was quiet , a few days later . He was a coward now . contradictory +yeah they they do Yes they do . entailment +I knew there would be some demand for this , but I was really pleased with the turnout for the first two sessions . I was disappointed in the turnout for the initial sessions . contradictory +Aqueducts brought the water from the Belgrade Forest , north of the city , to the cisterns , where it was held in reserve in the event the city was besieged . Aqueducts brought water from the south of the city and the city used the water everyday . contradictory +2 ) The IOC won 't really be cleaned up until embarrassed corporate sponsors threaten to pull out . Unless embarrassed corporate sponsors threaten to pull out , the IOC won 't be cleaned up , said the manager . neutral +I suppose so too ! Absolutely not . contradictory +The doctors ridiculed it of course . The doctors took it seriously . contradictory +In the last hundred years Luxor 's major historic buildings have been cleared of sand allowing visitors to now view the temple structures . During the last 100 years , Luxor 's buildings have been cleared of sand . entailment +yeah i 'm i 'm saying this as i 'm trying to keep my nine month old from trashing something I 'm saying this while trying to keep my nine months old baby calm . entailment +Even with my father being a lawyer , it was tough . It was easy because my father is a lawyer . contradictory +There is more to Christianity than the Christian right--both Roman Catholic and evangelical / fundamentalist . Christianity is entirely situated on the rightward end of the political spectrum . contradictory +The leading organizations we studied made financial management improvement an entitywide priority by building a foundation of control and accountability that supports external reporting and performance management , providing clear strong executive leadership , and using training to change the organizational culture and engage line management . The organizations did not make financial management improvements as their top priority . contradictory +Didn 't lose that much weight after all . I lost hundreds of pounds . contradictory +yeah the the lease can work uh work two ways it can work to your benefit too where uh they can 't increase your your rent uh if something goes wrong with with a written lease but with an oral lease they can so it works both ways It is always better to have a lease written down and signed . neutral +Internet telephony , one of the coolest new online applications , illustrates packet switching 's drawbacks . Internet telephony has over a million users . neutral +which is right on on the Massachusetts Rhode Island state line that 's that 's why i work in Massachusetts it 's only it 's only a twenty minute ride It 's only a twenty minute ride to Massachusetts , where I work . entailment +That 's a lot more than you get out of the Nike swoosh . That 's more than you get from Nike . entailment +Our statement today is based on our broad body of work and resulting knowledge of management issues , including our examination of the implementation of the Results Act and related initiatives , our reviews of selected National Partnership for Reinventing Our statement today is random and not based from any experience . contradictory +but uh i do you think that the quality of the uh the you know the news events that you get are what do you think about it I know you hate this news station . contradictory +The Symposium 's Intake , Access , Delivery , Self-Help and Prevention Committee is developing ways to improve system integration and client access , including institution of a statewide telephonic intake , advice and referral system . The Symposium has an Intake , Access , Delivery , Self-Help and Prevention Committee . entailment +The principles offered in this guide are intended to provide insight into what CIOs at leading organizations consider critical to their success , and provide advice to federal CIOs and senior agency management as they work to improve the use of information technology and management in the federal government . The principles in the guide do not provide any insight relating to successful CIOs . contradictory +have you been having any uh good weather lately Have you had a lot of sun recently ? neutral +Even if Martin had failed to deny Maxwell a conquest that evening , and thus failed to slow the epidemic , he could at least have made someone happy . Martin was able to stop the epidemic . contradictory +Well , go on and tell me if you 've got so much to say . If you 've got so many bad things to say about me , then say it . neutral +Poirot unfolded the sheet of paper eagerly , and uttered an exclamation of satisfaction . Poirot was anxious to see what was written on the paper . neutral +They are dealing with danger . They are dealing with danger . entailment +The talk there , too , had been of horses always horses . They talked about horses . entailment +The report will capture the ideas , recommendations , and strategies from the conference and serve as a possible guide to help clients and advocates facilitate client-centered legal services delivery in their communities . The report will look at ideas to help clients get free legal assistance . neutral +Hollywood Park in Inglewood holds meetings from the end of April to July , and at the Autumn Festival . Hollywood Park has meetings in the summer . entailment +They conclude that , under some circumstances , saving should actually decline slightly in response to population aging . They finish with the idea that saving is going to decline . entailment +In the area of control environment , we found that , for improper payment initiatives to be successful , setting the tone at the top is critical . No improper payment initiatives were valued . contradictory +The beautiful Wicklow Mountains , and the Wicklow Mountains National Park provide a more rugged countryside , and the area has breathtaking houses and gardens such as Castletown , Mount Usher , and Powerscourt . The Wicklow Mountains provide the most rugged countryside in the region . neutral +His eyes shifted under the sergeant 's steady , boring stare , and he glanced at the rest of his companions , the two disheveled fighters , the lanky man picking up a forage cap and handing it to one of them . He looked at the stars . contradictory +He did not foresee the day when evolutionary psychologists would call for the government to sponsor their theories in a way virtually guaranteed to generate the very behaviors they are supposed to prevent . He claimed to have predicted this move by evolutionary psychologists . contradictory +While service standards differ ( many countries offer two mail deliveries each weekday , for example ) , even at 33 cents , U.S. prices compare favorably with first-class rates overseas--Japan charges 74 cents , Germany 59 cents , France 48 cents , and Great Britain 37 cents . The prices of the US are better than many other countries , though services differ between them . entailment +No question of another . It certainly could be many others . contradictory +If the jocks don 't know why Bradley should be president , why are they endorsing him ? Why are the jocks endorsing Bradley if they don 't know why he should be president ? entailment +In 1995 , in response to the pending cuts in LSC funding , the Minnesota Legislature requested the Minnesota Supreme Court to create a joint committee including representatives from the Supreme Court , the MSBA , the Coalition , and other providers to prepare recommendations for state funding changes or other alternatives to maintain an adequate level of funding for civil legal assistance . Funding to the LSC was cut in 1995 due to a state wide budget crisis . neutral +The delivery model constructed by La Poste uses hundred of parameters , and allows the calculation of the unit costs of street delivery with an error of less than three percent in each area . The model did not take into account that the calculation of the unit cost of street delivery was needed . contradictory +to them they had uh they 're trying to get out small computers but the only problem was that when they took that one out the small computer was the IBM PC They wanted something that wasn 't the IBM PC . neutral +At that time , written comments on the proposal were requested . They request some written comments on it . entailment +i guess i 'll go back to work I guess I will return to work . entailment +There was the sound of an explosion from far away as he drew his hands out , unwet by the water . He pulled his dry hands out of the water and heard an explosion in the distance . entailment +i mean they 've poured billions of dollars into this stuff but those stupid people can 't read comic strips i mean how do you expect them to operate tanks Billions have been spent on the equipment . entailment +Individuals who may benefit from alcohol counseling are often unaware of their need for treatment . Alcoholics are often self-aware . contradictory +Gotta be new and winning , not like those earlier super sweet yogurts , total crap . The earlier sweet yogurts were total crap . entailment +Others well worth visiting include the home of Balzac ( 47 Rue Ray ? ­ nouard ) and Delacroix 's studio ( 6 Rue de Furstenberg ) . Others worth visiting include Napoleon 's secret torture chamber and King Louis XV bed maker 's house . contradictory +Your guide will turn off the engine and an eerie silence will envelop the boat . The guide will leave the engine on in an eerie silence . contradictory +are are you a uh a TIer Have you always worked at TI ? neutral +that is that can be a a workout uh big workout do you play volleyball a lot You can sometimes count volleyball as a workout . neutral +Rickety old cars and jeeps chugged along rocky roads . The cars were all brand new and shiny . contradictory +Unemployment has dropped to 2.6 percent between February and April 1997 from 3.3 percent in the same period a year ago . The reason for a lower rate of unemployment was the new government policy . neutral +There were four more working sessions and frequent tele-conferences , during which , after long negotiations it was decided that the word-forming of the new language would in 37 percent. follow Polish rules , and in 63 percent . Lotafrankish . they had tele-conferences to stay in touch . entailment +You 'll forget . " It was a long time ago . neutral +Their course was a zigzag one designed to bring them as quickly as possible to Oxford Street . The course was designed for short travel to Oxford Street . entailment +How was I to know ? " How was I going to shovel the snow ? contradictory +I think Michael Jordan is beginning to get a bit frustrated with his new cohorts in the Washington Wizards front office . I think Michael Jordan is very content with the new cohorts . contradictory +um-hum do you find that your vacation time do you manage to use it up or do you end up into the must use okay Do you find most of your vacation time goes to use or lose or do you use it ? entailment +I think it may actually be a good thing for Texas , Coleman said . Coleman is the only one that thinks it could be a good thing for Texas . neutral +Does she go there every day ? Does she go there weekly ? contradictory +In 1670 the Spanish officially ceded Jamaica to British rule as part of the Treaty of Madrid , and the British began a systematic process of settlement , offering land and aid to prospective settlers . The Spanish had unofficially surrendered Jamaica to the British prior to the Treaty of Madrid . neutral +The early morning is its busiest and most colourful time an adventure in itself . Once it is past noon , business dies down and it is quite empty . neutral +The Diwan-i-Khas ( the Private Audience Chamber ) , known as the Shish Mahal ( Palace of Mirrors ) , features the Rajputs ' flamboyant taste for covering walls with green , orange , and purple glass , and the vaulted ceilings with thousands of little convex mirrors . The walls of the Shish Mahal are covered in colorful glass , and the ceilings are covered in mirrors . entailment +Sure . I 'll hustle . No , I won 't work faster . contradictory +Slate editor , who suggested I do a piece . The editor of Slate went to bed early . neutral +uh probably a good part of the war um as far as what people thought about it and a lot of things like that so People had opinions about the war . entailment +Finally she turned back to him . She ignored him . contradictory +In recent months , Chinese corporations have taken stakes in Hong Kong Telecom , Dragon Air , and China Light & amp ; Power . Many resources like light and power are nationalized in China . neutral +Another problem is the withdrawal of China as an importer of ammonia . China withdrawing as an ammonia importer is a problem . entailment +The data for 2001 aren 't tallied , but she says the numbers appear flat . The data changed greatly in 2001 . contradictory +They may sub-contract to smaller but equally reliable companies in outlying regions . Big companies are contracted in every region , even if these are small or big . contradictory +oh yeah and i love the water aerobics i love the water aerobics I love water aerobics because it burns calories so easily . neutral +how many cats do you have oh okay I prefer dogs personally . neutral +that 's that 's right you don 't want to be the first one up and have to put the fire on and have to take take care of everything while everyone else is sacked out You don 't want to be the first one to get up and do the work . entailment +Meanwhile , lawyers were at a premium Indians love litigation and it was ideal training for future politicians and politics had been clandestine , because it was so often fatal to express an opinion on the wrong ( i.e. , losing ) side . Lawyers were at a premium and it was ideal training for future politicians and politics . entailment +Since then , the Commission has conducted several mail classification proceedings under the other expedited procedures adopted in that rulemaking . The Commission conducts mail classification proceedings . entailment +Berry-Limousin Texas . contradictory +oh yeah that 's strictly for entertainment that was just it was That was only for entertainment and fun , nothing more . entailment +Unfortunately , crude history will more likely reduce her to another role , as a pioneer of the he-said-she-said ' 90s . History will probably just reduce her to what she did in the 60 's . contradictory +Ca 'daan looked out over the desert , hoping to see the young man return . Ca 'daan wanted to know the young man was still alive . neutral +As a sidetrip , take the D909 east to the Mont Veyrier cable car , continuing on to the pretty town of Menthon-Saint-Bernard and its medieval castle high above the lake . The sidetrip involving a cable car is speedy and efficient . neutral +Twenty-five years ago , our government made a pledge to help ensure that all persons have access to America 's civil justice system by enacting legislation that created Legal Services Corporation . Legal Services Corporation was created so that all Americans can navigate the civil justice system . entailment +I thought it fit both the holiday season and the postal rate case postmortem . I thought it fit both the holiday seasons and the postal rate case postmortem . entailment +Why ? " Topham moved and suddenly they were all watching him . Topham didn 't move a muscle when he heard that . contradictory +At least 6 stories high , they were reached through narrow alleys called closes or wynds that became the focus of city life . They were at the minimum 6 stories high and accessed through narrow alleys that became the focus of city life . entailment +And , it would grow to perhaps three or four times its current complement of 55 bodies . It will grow to at least 150 bodies . neutral +What 's more , the latter reads more like it slugs a story about the Amalgamated Interior Decorators and Salon Stylists . To add to that , the latter reads more like it slugs a story about the Amalgamated Interior Decorators and Salon Stylists , entailment +If you can get up early enough , you can attend the pre-dawn auction held at the vast local wholesale fish market ; otherwise , have a look at the street market that goes on later in the day . You can attend the pre-dawn auction held at the local wholesale fish market , provided that you can get up early enough . entailment +" Nema ! " Hanson cried . Hanson was desperate as he cried " Nema ! " neutral +Don 't be complacent even in delicate northern noses have been seen to peel under the November or March sun . Don 't forget to wear sunscreen , even in March and November the sun is strong enough to damage your nose . entailment +Key features are the horseshoe-shaped staircase ( Escalier du Fer- ? -Cheval ) at the end of the stately Cour du Cheval Blanc ; the Renaissance ballroom whose ornate ceiling is reflected in the parquet floor ; and the allegorical paintings in the Galerie Francois Ier . The horseshoe shaped staircase is very large and imposing . neutral +Look around the Greek islands today and there is little cause to think that much has changed . There is evidence that everything has changed around the Greek islands . contradictory +There was a tremor in his voice , and he had gone very pale . He was pale , and his voice was shaking , but he pushed forward with his plan regardless . neutral +uh it 's as years go by it becomes more fun now than it was twenty eight years ago you know but uh It 's more fun now than it was twenty-eight years ago . entailment +But he was too clever to take any chances . But he was too smart to be careless . entailment +what what is do you have a favorite recipe You don 't even know how to cook . contradictory +and that 's that 's not terribly far It is very far . contradictory +Of course the little things matter . Only the big things are given priority . contradictory +On May 31 and June 1 , 2001 , approximately fifty equal justice advocates gathered in Washington , DC for LSC 's and NLADA 's first national conference on diversity in the legal services community . The advocates considered this the most important conference of the year . neutral +oh that just shows how much he gets paid anyway That just shows how poorly they are paying him . contradictory +The busiest tourist town on the island lies 15 km ( 9 miles ) west of the capital . The busiest tourist town on the island is west of the capital . entailment +How do Mary Matalin and James Carville do it ? It 's easy for Carville and Matalin . contradictory +Let her have an evening as a real child with people who do not wish her harm or force her to their whims , Jon thought . Jon thought she deserved an evening as a normal child , away from people who weren 't on her side . entailment +Even the New Town had very set boundaries . The boundaries of the New Town were unable to be broken . neutral +yeah i just know one person that 's in the Peace Corps and i mean she 's a teacher and and just wanted to do it she 'd been a teacher for a while just decided she wanted to do it so i mean i 'm grateful for people like that but i don 't see how they can just I know a person in the Peace Corps and she is a teacher . entailment +The team should include members who are skilled in the information technology procurement process , understand the technology , and have experience in managing contracts . The team has to have people who know about the technology and contract management . entailment +How will we use that information to make improvements ? We have improved all that we need to . contradictory +A cement factory belching smoke is a regrettable addition to this corner of the valley . The cement factory smoke is a welcoming addition to the valley . contradictory +The fine arabesque and floral frescoes are the work of local Indian artists who excelled at the themes wholly familiar to them this in contrast with their efforts to paint portraits of the saints , with whose images they were , despite the hard work of the missionaries , perhaps not as much at home . The local Indian artists didn 't excel at themes that were familiar to them . contradictory +There have been a handful of high-profile cases in which indigenous workers were charged with crimes in Oregon and detained for lengthy periods due to communication barriers . A number of indigenous workers have been charged with crimes . entailment +With the tourist industry such a vital factor in the economy , Italy has an elaborate network of information offices . Every major city in Italy has a tourist office , and so do many smaller towns . neutral +He will train and lead us . The man will teach us to fight . neutral +Larry Gentilello asserted that effective treatments already exist , not just treatments that hold promise . Although there are some treatments to alleviate symptoms , there are no effective treatments . contradictory +Its cool air and pretty setting made it a favorite retreat for colonial families right up to the end of British rule in Jamaica in 1962 . The British loved the place because it was so scenic . entailment +One example of a GAO case study that examines an individual is our examination of whether or not a GAO case studies show a lot neutral +Jon drew a careful map on a sheaf of vellum with a charcoal pencil . Jon drew a map with a pencil . entailment +we reviewed to empower and involve employees . Our employees are being taken care off . neutral +There was a long pause . After he dropped the baby , there was a long pause . neutral +You _ are _ Dave Hanson , therefore . " " Don 't try to deceive us , " Nema suggested . " Do not attempt to fool us , " Nema said . entailment +uh-huh are you you then plan on maybe getting an advanced degree somewhere Are you really going to quit going to college ? contradictory +I 'm glad you like the plan . " He rose . He stood tall after responding to the responder . neutral +uh-huh but she 's the best the best of both breeds She is the best in two different breeds . entailment +For instance , his staff publishes a monthly appreciation newsletter through the Intranet . The staff has found that the monthly appreciation newsletter has a positive effect on morale . neutral +In a June letter to Atlas , LSC President John N. Erlenborn wrote that his decision was based in part on continuing problems at the Passaic County office . There were serious problems in the office . neutral +For an entity to run and control its operations , it must have relevant , reliable , and timely communications relating to internal as well as external events . Slow and random communication is needed for all events . contradictory +She stayed in the car the whole time . She spent the entire time in the car entailment +right seems anymore you need special tools to do a lot of jobs you know and and You know that you need a lot of special tools to be able to do that . entailment +one was a store and one was like a a fast food place i think it chicken or something i don 't know anyway they raped the women They let the women go without harm . contradictory +Wallace helped to implement and supervise . Wallace helped supervise , even though that was not his job . neutral +Although not subject to the Government Performance and Results Act , LSC shares the aspirations of that law to rationalize the budget and appropriations processes by tying funding into objective measures of the agency 's performance . Just like all other agencies , the LSC is subject to the Government Performance and Results Act . contradictory +in power that 's not really seeking God and wanting to do good for the people and not deal for selfish motives is very dangerous and i don 't see that this one world this new world order that him and Gorbachev keep talking about i just don 't see that um that 's just a real good thing but i think it 's something that 's going to happen but i guess that 's what i feel happen with the war and that was the motive of the war was to try and break that up and so that they could be you know get more power over that Arab lands when they try and next year really start pushing this new world order well he talks about it all the time i mean The conspiracy theorists were totally aware of the moves made by politicians . neutral +so but um-hum and they 're open till i think ten They are open from six in the morning till ten at night . neutral +so you end up paying property taxes on what they value the house at i think they only have the house valued at probably about ninety or a hundred thousand dollars Taxes are assigned at a flat rate no matter the value of an item . contradictory +The biggest problem was the number of factors with which he had to deal . Large problem sets were never a problem for him . contradictory +right yeah you know give them give them i mean you should give somebody every every chance even even if it seems obvious There should always be some circumstances where you should give you someone a chance . neutral +The Phoenix Column , dating from 1747 , stands near the natural spring from which the name of the park is derived ( the result of an English corruption of the Gaelic fionn uisce , meaning clear water ) . The natural spring from which the park gets its name is near the column . entailment +And while multinational chains have made inroads , they seem less blatant here than elsewhere . Multinational chains seem less blatant than in other places . entailment +The LSC Act of 1974 , as amended , was adopted to provide equal access to the system of justice in our Nation for individuals who seek redress of grievances ; . . . to provide high quality legal assistance to those who would otherwise be unable to afford adequate legal counsel ; . . . [ and to ] provid [ e ] legal assistance to those who face an economic barrier to adequate legal counsel . The LSC was formed just for law research . contradictory +Impersonators render uncanny performances of the Four Tops and Elvis , as well as modern stars like Michael Jackson and Tina Turner . The impersonators only pretend to be Wayne Newton and Britney Spears . contradictory +Peel Edgerton would not be an easy man to deceive . It is very easy to pull the wool over Peel Edergton 's eyes . contradictory +yeah it 's great we should have done that tonight Maybe since we didn 't do it tonight we can do it tomorrow . neutral +That 's a lie ! " Of course , " Bork said mildly . Bork acknowledged that he had been lied to . entailment +They were locked into a Europe divided by military deployments Military deployments had divided Europe . entailment +Congress would have to decide on such issues . The congress has to weigh in on the subject . entailment +Soon there will be an addition to this happy family , when Jackson 's wife , Debbie , who lives apart from her husband and son , gives birth to their second child . There will be a new loss in the family . contradictory +The familiar cliche about Wall Street is that it 's only concerned about the latest quarter . What most people think about Wall Street is that the only concern it has is the most recent quarter . entailment +The money is left over from cases involving utility bill overpayments and an insurance company insolvency . They found out they were under charging their customers . contradictory +They don 't trust me , but they don 't want to hurt us , she said . She knew what they wanted . entailment +That was what you sealed up in the envelope . 37 " Yes . The envelope wasn 't sealed contradictory +his name is ... he is named entailment +And during a short career as a Cornhusker football player , he shooed a young Tom Osborne off a practice field . Tom Osborne was ten years old when he was shooed off the field . neutral +Or don 't you think back that far ? " Anse laughed . Anse laughed when he asked a question because he found it funny . neutral +The Manson fight is a morality play in which everyone wins . They did not see anyone not benefiting from it . neutral +APPENDIX SAMPLE REPORTS the sample environmental reports are in the appendix neutral +Very stylish togs for tots , including fancy wear from Spain , are available here . The clothing is all very old and produced locally . contradictory +What is odd about these libertarian conclusions is that they do not at all follow from the premises . The speaker is speaking negatively . neutral +The following indicators are intended to help auditors The criterion to be mentioned was created in the hopes of making auditing simpler . neutral +As shown in table 4.2 , how much the couple 's $ 4,000 annual contribution adds to national saving that year depends on ( 1 ) how much their IRA tax deduction costs the government and ( 2 ) whether their contributions represent new saving or were shifted from existing assets . The table shows how little national saving is impacted by the couple 's contribution . contradictory +I awaited his next question with impatience , but it disappointed me . I was eager for his next question even though it turned out to be disappointing . entailment +It adds that prior light truck standards have not been viewed as having federalism implications warranting preparation of a Federalism Analysis . It adds that prior light truck standards , it was a much nicer place and time neutral +--The sale of a direct loan is a modification according to the Federal Credit Reform Act of 1990 regardless of whether the loan being sold was obligated after FY 1991 or before FY 1992 . According to the Federal Credit Reform act of 1996 , the sale of a direct loan is not a modification . contradictory +The farther south you go , the fewer provisions you 'll find for water-related activities . There are fewer provisions for water activities as you go south . entailment +Look commanding . Try to look unintimidating . contradictory +At the top of the masthead , the perks are perkier . The masthead would always provide perks . neutral +Classes often have two-month waiting lists . There is no wait for the classes . contradictory +so um it 's strange because it it so hit so close to home but um um my father 's an only child and really me and my sister are the only ones that will deal with my grandmother she had many sisters and a couple of them took care of her and then one her last sister died and it was probably seven or eight months after that she had to go in a nursing home because i was pretty much giving up my life my sister was and plus she was driving my father crazy she went through three housekeepers live-in housekeepers so she 's kind of cranky to get along with there 's nothing physically wrong with her except she 's very very old but her personality is is very grating i mean i hope i don 't get like that when i get old so My father has a brother and I have no siblings . contradictory +Or was Drew overly suspicious ? Drew could 've been too suspicious . neutral +But Miller says , I would be stunned if there was an injunction . Miller will be stunned if there is an injunction . entailment +uh-huh yeah i 've got a a stack next to my bed i i tend to get a a little bit of ways in a book and then i i get distracted and or have to start on another one and I don 't have any books in my house so I don 't usually read . contradictory +( Pickled pigs ' feet are the opposite of an acquired taste , he writes . Pickled pigs feet do not grow on you . entailment +yeah we actually don 't have we have we 're having some problems of own up here with teachers Teachers here are not paid enough to put up with the problems in our schools . neutral +Weld also has claimed to be a victim of Helms ' ideological extortion . Weld does think he is a victim . contradictory +right i think it 's seven here or seven point something Right I think it 's five here or five point something . contradictory +Hawaii and Kansas are relatively small states and New York has implemented a special initiative . Relatively small states are Hawaii and Kansas . entailment +Continuing south , opposite Tournon , there is the lure of the celebrated Cetes du Rh ? ? ne at Tain-l 'Hermitage . The nearby town of Tournon is a popular destination in and of itself . neutral +Generators respond by gradually reducing their emissions - reducing more than the cap requires early in the program in order to save allowances for use later in the program when the caps decline . The generators ' emissions are gradually reduced as a response . entailment +The main temple of Isis was expanded throughout its long lifetime . The main temple of Isis was never added to . contradictory +Advertising Evaluate how ads work entailment +But the clothing was a problem . The fabric was an issue . entailment +It was a beautiful piece of workmanship . It was ugly and constructed with sloppy attention to detail . contradictory +It 's never been undone . " It cane undone . contradictory +The Oscars begat the Emmys , which begat the Cable Ace Awards , of which there are so many that any cable TV employee who actually attends the ceremony is entitled to leave in a snit if he or she doesn 't win one . The Oscars stared all of the award shows entailment +Come , Teodoro ! " She caught at her brother and pulled him away . She pulled Teodoro away before he could get hurt . neutral +yeah they don 't they don 't probably don 't take a lot of refugees from other countries either They take in anyone they can . contradictory +Those who wish to can have a quite active vacation just sampling the local shopping scene . You can 't have an active vacation just sampling the local shopping scene , you have to take up sports . contradictory +Red said , " Ssh . Red said to be quiet . entailment +Built in 1893 , the Bradbury Building ( at 304 South Broadway ) is Los Angeles 's oldest commercial building . Standford Hall is Ohio 's first college . contradictory +uh-huh and we wanted to travel well that was really nice traveling but you know i like to know more i mean hear about more people that have things like that you know and see what they think of them the different kinds because i 've only ridden in the one that 's it Riding in that wasn 't a good way to travel . contradictory +now uh i 'm alone now myself and and i i have graduated from sleeping on the ground to uh going in a motor home I 'm by myself now and I have a lot of experience about camping . entailment +The anonymous message board on greedyassociates has dramatically expanded that network , and now information about the latest salary increase or layoffs is shared instantaneously with thousands of associates throughout the country . Salary increases and layoffs are shared immediately on greedyassociates . entailment +Microsoft 's critics point out that Windows has 90 percent of the OS market . This is classified as a monopoly , and should be changed . neutral +I wasn 't even a construction engineer . We need to hire a construction engineer . neutral +The Palestinian situation is more perilous . There is a Palestinian situation which is dangerous . entailment +You must stifle this longing for vulgar sensation , Tuppence . Tuppence did not long for this vile sensation . neutral +Presort firms are collecting the mail , working with their customers on the quality of their addresses and on the machinability of their addresses , sorting the mail , and entering the mail effectively . Presort firms have refused to cooperate with their customers about their addresses . contradictory +Coulter claims to lay out the facts against Clinton , but it 's hard to trust In I happen to know something about , she grossly misrepresents evidence to make Clinton look worse . While Coulter doesn 't have any evidence about Clinton , I think her criticisms are correct . contradictory +Eventually , however , the warring gave way to Viking settlement and intermarriage with the Celts . The Vikings and Celts eventually began to intermingle . entailment +schedule a under uh well it 's the same place it 's the same place you put uh interest but but see that 's what that 's what makes Texas squirrelly laws that uh you can 't you can 't take out a a second mortgage uh like some states where you can take out the mortgage and declare that and so uh it 's fully deductible the laws are a little squirrelly but it basically comes down to it 's not in your best interest to borrow money from a tax standpoint Second mortgages are always tax-deductible in every state . contradictory +Representing herself at an administrative hearing , she lost her appeal to restore Medi-Cal benefits because she did not have proper documentation of the rent account . She couldn 't restore her Medi-Cal benefits without her rental agreement from her landlord . neutral +and they 're so pretty and you know And they are really beautiful . entailment +Management 's philosophy and operating style also affect the environment . There 's a lot of influence on environment management philosophy . entailment +It achieved this reduction , by and large , by indicating what By indicating something , by and large , it achieved this reduction . entailment +I do not wish to test it on you . I don 't want to hurt you with my new moves . neutral +Another third is said to be devoted to preventing army coups . Prevention of military coups has a third devoted to it . entailment +5 percent , and could go as high as 16 . It starts at 5 % but could raise through to 15 % . neutral +The geographic concentration of the French population permits much more efficient delivery by foot or bicycle than in the U.S.3 In France only carriers serving rural areas use automobiles but in the U.S. it is the primary means of delivery . France does not require couriers to use automobiles all the time due to its geographic concentration . entailment +the alternatives considered , and the costs and benefits of the alternative selected ) ; and descriptions of how the agencies have complied with various rulemaking requirements ( e.g. Compliance details for rulemaking requirements is not included . contradictory +Provence has been popular for centuries ; the monuments of the Roman Empire still stand proudly in Orange , Arles , and N ? ® mes , as do the medieval strongholds in Les Baux and Avignon . Provence has lots of history , making it popular with tourists . neutral +Alfred C. A Public / Private Life , by James H. Jones ( Norton ) . James H. Jones wrote A Public / Private Life . entailment +The location of this hotel is excellent , affording as it does great views from the front-facing rooms ( don 't book accommodation in the annex if possible ) . The hotel is located at the top of the local mountain . neutral +3 State planning processes , including the participants , will vary from state to state , and LSC does not require the same process or participation in each state . LSC has many requirements for planning processes . neutral +Mayhem , family collapse , the occasional terrorist bomb , mad government policies , human platitudes--in this pleasant springtime of 1997 , these , as Roth renders them , do seem to be everyone 's favorite topics of conversation . Mayhem and terrorist bombs are frequent topics of discussion for the enemies of Roth . neutral +okay good night Have a good morning too . neutral +well you can get um you can get pressurized lumber You can 't get pressurized lumber . contradictory +But the surrounding area is a sleek Westside business center of high-rise office towers , high-flying corporations , and theaters and shopping to support the affluent residents on its periphery . The area around it has a lot of tall buildings . entailment +For much of that time , the federal government did not contribute to saving ; instead it was a borrower , its deficits absorbing a share of the saving pool available for investment . For many years the feds spent more than they made and ran up big deficits . entailment +that 's close to uh South Padre oh Corpus okay That 's closer than I thought it might be . neutral +it there was a lot of pretty scenery too in that movie what did you think about the buffalo scenes Did you like the scenes with the animals ? entailment +that 's a that 's an interesting concept is that your idea That idea has been done many times before . contradictory +Say , remarked Julius suddenly , " there 's Tuppence 's bright boy . Julius said this slowly . contradictory +GDP is the output of goods and services produced by labor and property located in the United States , while GNP is the output of goods and services produced by labor and property supplied by U.S. residents , regardless of where they are located . The differences between GDP and GNP are usually negligible from a macro-economic perspective . neutral +it it it really works that way It doesn 't work that way . contradictory +Defeated last month for re-election , Gov. The Governor lost to his cousin last month . neutral +In fact , I think that the United States is still , despite Asia , more at risk from inflation than deflation . I think the United States is more at risk from inflation than deflation . entailment +The LSC lawyer , however , speaks on the behalf of his or her private , indigent client . The LSC lawyer lets their client speak for themselves . contradictory +The animal he rode , the two he led were , at first glance , far more noticeable than the dusty rider himself . He had three animals . entailment +' The mice looked at one another and nobody spoke . The mice stared at each other and everyone kept quiet . entailment +Meanwhile , the Arkansas Democrat-Gazette retracted its much-ballyhooed report that Starr had held mock trials in which the Clintons were acquitted . The newspaper said Starr practiced with mock trials and still couldn 't acquit the Clintons . neutral +Other immediate priorities should be setting up an inspection function of auditors that audit SEC registrants and determining how standards that govern the work of the accounting profession , such as auditor independence rules and standards for conducting audits , should be set . One immediate priority should be the creation of an inspection function for SEC registrants . entailment +In the mountains , water streams down from unseen a one-hour walk might take you past half a dozen waterfalls . There are 6 waterfalls to see from the mountain paths . neutral +Surprisingly , the plan contained little detail for the buildings that would line the streets and frame the squares . The plan went into meticulous detail of neighborhood zoning and tentative leases with vendors . contradictory +In other situations when it is not practical for the supervisor to approve T & amp ; A data promptly , the employee may be paid and the supervisor may subsequently review and approve the data . Employees are paid 22 dollars an hour for their work . neutral +The Ainu , an ethnically distinct community regarded by anthropologists as the islands ' original settlers and now grouped almost exclusively in Hokkaido , campaign for civil rights in a movement similar to that of Native Americans in the US . The original settlers of Japan ( the Ainu ) are mostly all in Hokkaido today . entailment +For example , if we compare the annual growth rates of mail volume for period 1993-97 shown in Column ( 11 ) of Tables 1 and 4 we can see ( a ) the 2.0 percent annual decrease of total HH-to-HH volume in Table 1 has been augmented to a 3.3 percent annual decrease of per-household volume in Table 4 ; ( b ) the 6.8 percent annual decrease of total HH-to-NHH volume in Table 1 has been augmented to a 8.0 percent annual decrease of per-household volume in Table 4 ; ( c ) the 0.2 percent annual increase of total NHH-to-HH volume in Table 1 has shrunk to a 1.2 percent annual decrease of per-household volume in Table 4 ; and ( d ) the 7.1 percent annual increase of total NHH-to-NHH volume in Table 1 has shrunk to a 5.7 percent annual increase of per-household volume in Table 4 . Annual growth rates are shown in column 11 of tables 1 and 4 . entailment +The castle has always been considered the heart of Edinburgh , but its site is older than the city Excavations show evidence of settlement in the Bronze Age ( ca.900 b.c. ) . It dominates the skyline , sitting atop Castle Rock . THe castle is not located in Edinburgh . contradictory +When it was small enough , he pocketed it . The object kept shrinking after he 'd pocketed it . neutral +The executive engages in substantial personal development activities such as attending training courses , reading books , and undertaking projects in order to develop skills . Substantial personal development activities are used to develop skills of executives . entailment +To have Brock agonize , to have him spend the bulk of the book desperately weighing the pros and cons of his decision , would be to have him act as people normally act in novels . Brock would be normal if he was torn between which college to choose . neutral +Russert objected again . Russert does not like the subject . neutral +The writers had to make their points in terms that people of the time would understand . The writers needed to articulate their points in ways that people from that time period would understand . entailment +i i guess occasionally i 'll hear someone at work say something though Sometimes I 'll hear that at work , but I never really pay attention to it . neutral +At the far end of the royal mall is a shikara-style Durga Temple , interesting for the pairs of animals guarding the stairs . The Durga Temple has many pairs of animals serving to guard the stars . entailment +My wish is to make this marriage work because I love my wife , but I am feeling like second fiddle to a gang of girls . I want a divorce right now ! contradictory +Homeland New Department Could Improve Coordination But May Complicate Public Health Priority Setting ( GAO-02-883T , June 25,2002 ) . Homeland 's new department halts public health priority setting . neutral +Advocates worry that if substantial numbers of welfare mothers are pushed into jobs , centers might be swamped by demands to serve as many as a million added kids . If welfare mothers get jobs , it decreases the number of kids that centers need to serve . contradictory +that 's one of the places i would most like to go not right now of course but at at some point i would like to to go to Moscow and and I would like to visit Moscow some day . entailment +The third prong would include supplemental information on key value and risk elements affecting the company . There is a proposed diagram or chart that includes information regarding risk elements . entailment +yes and no income tax no i uh i look at it this way uh you 've got to pay for the privilege of living here To me income tax means you 're paying for the privilege to live here , but it 's barely worth it . neutral +Barking , however , undermines the pretense of a rational debate . The pretense of a rational debate setting cannot be undermined . contradictory +US president John F. Kennedy imposed a naval blockade on the island to ensure no more missiles arrived and insisted that the existing ones be removed . US president John F. Kennedy imposed a naval blockade on the island that ended with removal and sanctions . neutral +The modern town of Luxor is one of two towns forming tourist bases on the Nile Valley . The luxor offers nothing for tourists . contradictory +Algeria and the former Soviet Union have also added significant capacity . The capacity of Algeria and the former Soviet Union has decreased recently . contradictory +The Jardim do Pal ? ¡ cio do Monte ( Monte Palace Tropical Gardens ) , a short walk east of the church , is firmly rooted in the past . The Monte Palace Tropical Gardens are a long walk from the western side of the church . contradictory +um-hum i would definitely support that I would support the feminist movement in that case . neutral +It offers a magnificent view of the lake beyond . It doesn 't actually offer a view beyond the lake . contradictory +Of course that man was Presidential material . He is the opposite of presidential . contradictory +Suddenly a diminutive boy spoke at Tommy 's elbow : " The young lady she 's gone away by train , I think , sir , " he murmured shyly . No one knew if the girl had gone by bus or car . contradictory +Then if he thrive and I be cast away , I be cast away whether he thrives or not . neutral +Bang on drums and try to get the talking stick away from a weepy Tom DeLay . Tom DeLay has the talking stick . entailment +Couldn 't it have been about half-past three ? " It was definitely half-past three , wasn 't it ? neutral +But this new high-mindedness had in it the seeds of future discontent . The new high mindedness led to discontent . entailment +His Si-ness ( their joke , not mine ) does not expect his editors in chief to actually live on their million-dollar salaries . The editors in chief are paid bonuses to ease their financial stability . neutral +She nodded . She nodded vigorously to show she was saying yes . neutral +But will the spooky level of Belgian corruption rub off on the euro ? Will the euro be affected by the spooky level of Belgian corruption ? entailment +He did not say another word . He made a lot of noise . contradictory +Across the Asahi River , you can see the ruins of Okayama Castle , unusually painted black and called Ujo ( The Crow ) in deliberate contrast to Himeji 's White Heron Castle . While the Okayama Castle is black , there is a white castle in Himeji . entailment +it was even at your age The numbers of people were even at your young age . neutral +Wheth ? ­ er you prefer lying on a beach , leisurely strolls , or more energetic activities , you will find what you want here . You will find what you want here . entailment +Dueling space covers . Space covers must always duel . neutral +incorporated an initial regulatory flexibility analysis of the expected impact on small businesses . There is an initial regulatory flexibility analysis for businesses with less than 20 employees . neutral +The cathedral was constructed over several centuries and the facade offers a remarkably harmonious anthology of Gothic architecture . Construction began in the Roman period but all of the architecture is Gothic . neutral +The New York Times highlighted three prizes won by the New York Times . Eventually , all three papers got around to acknowledging that the Grand Forks Herald had won the top prize for its coverage of last year 's North Dakota floods and fires . The New York Times gave two prizes to homeless people with amazing personal stories . contradictory +uh school activities and my my boy was in hockey None of my kids played hockey . contradictory +In January 2001 , GAO designated strategic human capital management as a governmentwide high-risk area . The use of human capital has been pointed out to be an important area in 2001 . entailment +problem of course in my job i don 't know who would do it while i 'm gone that long we 're desperately trying to find time to uh train someone else to do it but i feel certainly it would still be there if if not burying me but uh it 'll be there when i get back uh flex times another benefit that i i like that TI 's been doing uh though officially they just started it uh uh relatively recently uh we were always given the privilege with our supervisor that was there we were really small shop and there was only one shift so we didn 't interfere with anyone and he liked the idea of having someone there early enough to handle third shift 's concerns and late enough to handle second shift and so he allowed us to come in basically as we as we wanted to and as it worked out two or three of us were there about six in the morning and I worry about what might happen if I am gone someday . neutral +On the following page is a summary of changes in Federal mission PP & amp ; E for the fiscal years ended September 30 , 199Z . There were no changes to the Federal mission . contradictory +After three months the sales fell rapidly - almost reaching zero in the month of M4 + . Their products weren 't very popular in the communities they sold them in . neutral +I overheard something that seemed to show that other people friends were looking for me . I overheard a conversation I wasn 't supposed to hear . neutral +Shulevitz 's Political Criticism Shulevitz criticized Clinton . neutral +There probably aren 't many fifth marriages that last 20 years , but Wynette 's did . Wynette 's fifth marriage lasted at least 20 years . entailment +Or had he found something he wished to keep to himself ? Or did he want to keep what he found to himself . entailment +that that was fun that was and uh then after that i my sister lives in Turkey so when i was like fourteen fifteen i went i went to Turkey and this Christmas i went to Turkey but basically My sister lives in China . contradictory +Nurse Janina began to silently weep and an invisible tear ran down her corrected intracheek , and a nurse 's aid walking down the corridor with a diffusion vacuum bedpan froze in her steps . The nurse 's aid gasped in horror before stopping . neutral +Somehow , I can 't imagine Clinton saying that . Somehow I cannot picture Clinton saying that . entailment +But so far , the only serious challenge to the published work comes from an Australian mathematician named Brendan McKay , who has replicated the experiment and claims to have found defects . The one challenge to the work is an Australian mathematician who claims to have found loopholes . entailment +The world 's perception , however , hardly reflects the real Los Angeles . The world knows correctly what the real Los Angeles is like . contradictory +We will be known , if we 're not already , as an outstanding law firm . Law firms rely heavily on reputation to win clients . neutral +The Secretaries have determined that there is good cause under Section 553 ( b ) of the Administrative Procedure Act to not issue a notice of proposed rulemaking because it would be impracticable , unnecessary , or contrary to the public interest . The Secretaries do not want to issue a notice of proposed rulemaking . entailment +COLLATERAL -Real or personal property pledged as part or full security on a debt . Personal property may not be used as loan collateral . contradictory +He did not hire any of the old program 's nine lawyers and has yet to permanently place any of his 18 new hires in the San Gabriel-Pomona Valley . The program went out of the way to ensure that the 9 lawyers from the old program were promoted inside the program . contradictory +Because this one is . They wished it was more than one . neutral +yeah yeah they have a state income tax in Maryland but i noticed when i was in the in the in Texas they didn 't have a state income tax but they sure nailed you on those darn county taxes and school taxes and property taxes We have really high state income tax in Texas . contradictory +6.6 During the planning stages of an attestation engagement , auditors should communicate to officials of the audited entity and to individuals requesting or contracting for the services information regarding the nature and extent of testing and reporting , including any potential restriction of reports associated with the different levels of assurance services , to reduce the risk that the needs or expectations of the parties involved may be misinterpreted . Auditors give officials and those who are audited their cell numbers so they can reach them any time . neutral +oh what which one is that Which one are you talking about ? entailment +Anticipating the patient 's regular tics , the researchers monitored how his grip on the sensor box changed as his arm twitched . The patient has facial tics . neutral +yeah that 's a good deal well when you did keep a a budget all the time how strictly did you do that i mean was it real precise or Did you record every penny , when you kept a budget ? neutral +It shall have two key 1 ) it shall be systematically or periodically captured through accounting or management information system , and 2 ) there shall be a logical connection between the reported measures and the program 's purpose . it won 't be captured either systematically or periodically via the management information system . contradictory +The quiet and pretty square , Plaza de la Paja ( Straw Square ) , was the commercial focus of the city in the days before the Plaza Mayor . The quiet and pretty square is where good were sold most . neutral +Postal Service were to reduce delivery frequency . The postal service could deliver less frequently . entailment +For example , the agency added milestones for managing and cleaning up radioactive waste , restoring contaminated sites to productive use , and slowing habitat losses . For example , the agency added milestones for managing and cleaning up radioactive waste , but was unable to restore any contaminated sites to productive use . contradictory +We have the advantage tonight . Tonight , we have the advantage in battle . neutral +My favorite strip was when Lucy fell ill and sent Rerun to hold the football for Charlie Brown . I didn 't like any of those cartoons . contradictory +Only the mandrakes stood stolidly in place , flicking each running man who passed them . The men were scared to death of the mandrakes . neutral +yeah and if you were trying to follow any type of uh So if you were following any type of ( ... ) entailment +The icon has a powerful influence over pilgrims , who crawl up the church steps on their hands and knees to pray for divine intervention . Thousands come to any church for religious peace , pilgrims among them . neutral +uh i think we 've been fortunate that we 've missed any of the real bad weather this year because we went to California instead but right now I think that missing bad weather is due to our location just as much as luck . neutral +Business saving reflects the earnings retained by businesses after paying taxes and dividends . Business savings are earnings plus dividends . contradictory +To operate the device , turning it on stand-by was enough . The device had several power options . neutral +Jon considered keeping San 'doro on the watch , later he would regret his choice not to , but they all needed the rest after the fight . Jon pondered keeping San 'doro on watch that evening , but he felt it better if he was well-rested for the battles to come . neutral +and then there 's all the merchandise you buy on your credit cards You buy things using your credit cards . entailment +You feel as we all feel THE PRESENCE OF Mr. BROWN . Mr. Brown isn 't here with us , but we still feel his presence . neutral +This , of course , is a formula for failure . This is bound to fail . entailment +Of course , this simplified example focuses on one household and one type of IRA . The simplified example focuses a type of government run program . neutral +Where was he going ? He 's not going anywhere ? contradictory +uh what do the Mark sevens usually run They used to be pretty affordable . neutral +Acrosethe street , the Temple Bar Music Centre is a resource center for music , media , and stage production . You wont find any help with stage production at the Temple Bar Music Centre . contradictory +1 lists the key assumptions incorporated in the model . Number one contains just one key assumption incorporated . contradictory +The most innovative and certainly the most difficult part of our strategy to move our grantees into new approaches to serving clients-and the one that has received the most attention ( both good and bad ) -is the State Planning strategy that we launched in 1998 . The strategy was implemented in 1998 by the Secretary of State . neutral +If 4 months is added for pre-contract effort and 1-2 months is provided for start up and commissioning , the total project duration would be anywhere from about 21 months to 26 months . The project is expected to take no more than 20 months . contradictory +Comments were requested . Comments are how we will best learn public opinion of the product . neutral +The surrounding area is well known for its bird life . There 's plenty of bird life around the encompassing area . entailment +Along with Mad magazine , he provided comedy to my suburban boyhood--Schulz the philosophical and Mad the topical--at just the right intellectual level for a suburban boy . There was a magazine called Mob magazine . contradictory +If he had dedicated time to studying Argentina , he would have found out that Eduardo Duhalde is desperately trying to gain votes , relying on old cliches that he expects will still be appealing to Argentinians , and trying to show how different he is from Carlos Menem--in part because he is different and in part to avoid the opposition attack . The author of the article misses the point that Eduardo Duhalde is not who he portrays himself to be . neutral +And there is even talk that Barry will be hired as a top executive by a local business . Some people believe that Barry would not be suited to the executive job . neutral +strangely enough the roads weren 't that the the roads themselves were okay um there wasn 't given that um sort of things hit and and for some reason i don 't i don 't quite understand why they maybe the ice didn 't have anything to grab onto the roads themselves weren 't weren 't like covered in a solid sheet of ice things seemed to be okay um especially given that you know the next day it was forty degrees um you know everything started to melt and then the roads themselves icewise were okay it was just that um there were there were power lines down everywhere on the road and there were trees downed everywhere and wherever you drove was sort of like driving through an obstacle course you didn 't want to have to wind up hitting um you know hitting a tree or hitting a power line or hitting a phone line or anything else that was the rough part of it they closed school for kids for like a week just just because of that so It 's the middle of the summer and the roads are warm and sunny . contradictory +General Accounting Office , Government Issues and Principles , GAO / T-GGD / AIMD-95-166 ( Washington , D.C. : May 17 , 1995 ) . May 17 , 1995 is when humans started using computers more . neutral +Bauerstein , " said Lawrence quickly . Lawrence was very angry . neutral +Reconstructed older buildings are interspersed with new houses , shops , and synagogues , and throughout the area you can see archaeological finds uncovered during excavations in the 1970s . There are currently more new buildings than older reconstructed ones . neutral +You could say to your surgeon friend what Ivana Trump I 'm very well rested , and I changed my makeup . Well , you could tell your surgeon friend about Ivana Trump . entailment +yeah kind of like watching the Olympics Yes , a bit like viewing the Olympics . entailment +This is not the first prolonged interruption of inspections . This is the first prolonged interruption that had ever happened in an investigation . contradictory +Having rehabilitated the carpetbaggers , we might as well give them back their good name . Carpetbaggers are in dire need of rehabilitation . contradictory +no that 's true i i just don 't know when i 'm ever it just seems like there 's just never enough time to pick it up and do it you know it 's just really hard but i really do en like i said i really enjoy it when i do it 's just hard When I have time , I have to spend ten hours doing it . neutral +John D. Rockefeller Jr. provided th e money to build this wonderful Art Deco / Neo-Byzantine edifice in 1927 . John D. Rockefeller Jr. didn 't contribute towards the building costs . contradictory +well good luck to you too bye-bye Good luck to you too ! Bye-bye ! entailment +He sat down in one of the big arm-chairs facing the couch . He sat down on the couch that faced a chair . contradictory +But most of the other recent paintings are jeweled , engaging , user-friendly . All of the paintings are jeweled . contradictory +and you take care okay okay bye Kay I will talk to you again soon . neutral +and we put a flat over the top and everywhere you 'd miss there 'd be this little bright spot you could see it seems like you could see it through about three layers of paint Four layers of paint would have been enough to hide the bright spot . neutral +I beg your pardon , Miss Tuppence . Someone had begged Miss Tuppence 's pardon . entailment +A modern pipeline has been installed in the channel atop the aqueduct , and in the 16th century , a statue of Hercules in a niche over the tallest arch was replaced by a Christian image . The statue of Hercules was replaced by a Christian image , which ruined the history . neutral +yeah well then if the other person hears something like that they come back just as bad and he 'll say well she underestimated her weight by quite a bit and they they just got you know they they go back and forth and it 's kind of funny um They argue going back and forth in a funny fashion because of a dispute of inheritance from their parents . neutral +This was the toe shoe on which many responses George W. Bush is stupid . George W. Bush was regarded as an intelligent man and this was just the toe shoe . contradictory +Ammonia and urea are the reagents used along with a catalyst to remove NOX from the flue gas stream . Ammonia is a catalyst contradictory +If I 'm missing for too long , White 's going to realise something is up . ' White would realize that I was stealing from the shop if I was gone long . neutral +Most critics find her angry monologues about rape and Jesse Helms obvious and dull ( Linda Winer , Newsday ) . Predictably , conservatives pronounce her smut unworthy of government funding . Most critics have since stopped taking her seriously . neutral +Increased penetration of personal computing technology at household-level Within households , there has been an increase of use of technology for the purposes of personal computing . entailment +Absent reform , Social Security and Medicare costs would constitute a substantial drain on the earnings of future workers ( see figure 1.10 ) . Future earnings will be impacted by some social programs . entailment +In terms of the ratio of population to usable land , Japan is the most densely populated country in the world . Japan has more land than people to fill it with . contradictory +Participants also discussed whether the right people were being held accountable and whether the SEC 's civil-based enforcement actions were sufficient to discourage the bad actors . There was discussion on if the blame was being placed on the correct people . entailment +He clutched it in his hand and touched it against the orrery , trying to remember the formula for the giving of a true name . He was having a hard time remembering the formula for giving a true name . entailment +In the center of Bowness is the Old Laundry Visitor Centre ; the theater housed here offers a program of performances throughout the year . The program is completely free and open to the public . neutral +In Cigarettes , Klein 's mascot was the Baudelairean dandy--that rare figure for whom the cultivation of personal elegance is more important than health ( and who is , therefore , a model for the unrepentant smoker ) . Klein 's mascot regularly smoked cigars and cigarettes . neutral +Well , it seems your group was right , after all . Your group is still subject to the laws you broke . neutral +The year is 1964 and all seems well , notwithstanding the recent Great Famine , perhaps the most severe in human history and almost entirely Mao 's fault . The Great Famine almost entirely caused by Putin is perhaps the most severe in human history . contradictory +i um have accounting background so then i also have done tax returns in the past and for other people when i worked for accounting firm I know how to do tax returns from my accounting background . entailment +long as you no they 'd grow kind of like a vine they they put out little feelers kind of like an ivy would They grow like a vine and put out feelers like ivy and it is very invasive neutral +Gingrich may have been a vicious partisan , but he is also sunny of temperament , cooperative , optimistic . Gingrich was a great partisan ; never vicious . contradictory +He was born in 540 b.c. in Bihar and , like Buddha , was the son of a chief . He was born shortly after Buddha . neutral +i guess that 's most of my um financial plans right now is is there anything you 'd like to add That 's more or less what I 'm going to be doing with my money . entailment +Although there are many dimensions to the current challenge , let 's start with one of our Arthur Andersen LLP ( Andersen ) . The problem has a lot of different facets to discuss . entailment +And so when I gather up my soil samples and Ms. The soil samples were gathered . entailment +Dots of torchlight burning green in the fog appeared in the distance . The green torches were in the distance . entailment +Bayliss come out here two years ago . Four years ago , nobody even heard of it . neutral +but the medical seemed somewhat adequate somewhat adequate The medical seemed to be inadequate . contradictory +Table 3 . Summary of Economic Impacts by Scenario - 2010 Table 3 . 2010 Economic Impacts Summary by Scenario entailment +There must be that between them , she thought . There is something between them , she thought . entailment +Of course , ours is a different and more dangerous There are undoubtedly more and more sophisticated threats to the president than we can imagine . There are many complex threats to the president . entailment +That is arsenic ” not strychnine , said Poirot mildly . Arsenic and strychnine are the same thing . contradictory +But I don 't know if you know that Borys recommended a therapist to me , you know , in case I have heart problems . Borys didn 't think I needed a therapist . contradictory +Many of the country houses also hold special events , such as antiques or crafts fairs or fun days with fair rides , throughout the summer months . During the summer there are no special events that take place in the country homes . contradictory +Then his face changed , and with a long convulsive shudder he fell forward in a crumpled heap , whilst an odour of bitter almonds filled the air . He fell down . entailment +But that , of course , is the real and present issue that neither congressional party addressed , transfixed as they and the media are by the fantasy budgets offered on the campaign trail by their respective standard-bearers . The fantasy budgets are tempting . neutral +To return to the discussion , my favorite response is I 'm told I 'm great ! The answer I like to hear the most is that I 'm terrible . contradictory +Personal Communication with T. Licata . Public Communication with T. Licata . contradictory +The Bureau plans to use the Internet as its principal medium for releasing data from the 2000 Census . The bureau just figured out the internet neutral +Rennie had said it plain that he did not want Drew and Anse on the Range . Rennie hoped that Drew would join him on the Range . contradictory +Not only will reducing ozone provide public health benefits , but it will avoid damage to ecosystems and vegetation . Reducing ozone provides public health benefits . entailment +I could see the cogs turning as he calculated strategies ... I got there first . the wheels in his brain were turning . entailment +Hizzoner is even planning a trip to the museum to , in the words of a likewise underworked spokeswoman , reassure the bear that he is safe on American soil . Hizzoner plans to tell the bear he is safe . entailment +In this case , national saving would drop slightly , but the couple would have saved more and expressly earmarked more of their assets for retirement . Nation saving dropped lightly but the couok would 've saved more for retirement entailment +Some authorities use terms like impact , effect , or results to distinguish the change in outcomes specifically caused by the Government activity from the total change in conditions that can be caused by many factors . Authorities have found that using words like " effect " has made it easier for the public to tell the difference . neutral +but for the most part people were like well i don 't like it uh it 's not something i prefer to do but i understand the reasoning and i think part of the attitude is that i think TI went to really great lengths in communicating and tried to prepare them and and tell them why and you know they didn 't just announce it without really any forethought TI tried to prepare people for what was happening because he knew that his reputation would be smeared . neutral +It proved unexpectedly difficult . Over time , the task can get easier . neutral +Sara Lee has been a terrific bottom-line company for the last three years , but its stock price has not risen as sharply as its competitors ' . Wonder bread and Sara Lee are competitors . neutral +A PEMD report has focused on water the effectiveness of efforts to improve water quality and the reasons for successes and failures . No analysis has been conducted on water quality initiatives . contradictory +Ca 'daan turned and saw Susan and the Kal watching intently as well . Ca 'daan knew Susan and the Kal were watching to see if he messed up . neutral +no i haven 't i don 't know if i 've even heard of that one it must have uh what 's his name in it I 've definitely heard of that one ! contradictory +September found us all in London . We were all in London in September . entailment +i 've had a lot of good service out of that car but uh uh i finally gave it to my son and he drove it literally into the ground you know he was out at Tech and he he finished it off My son didn 't take good car of the car I had given him . neutral +( For more on the Falwell Antichrist flap , see in The Falwell Antichrist flap covers more than one page . neutral +Fully exploring the dynamics of personal saving behavior and gauging the adequacy of retirement saving are beyond the scope of this national saving report . Most retirement savings accounts are considered to be inadequate . neutral +provided us with a copy of the full text of the analysis . The full text of the analysis was revised twice . neutral +and uh i just really enjoy it i guess i enjoy watching guys when they were very first starting out playing here and then seeing them a year or two later as as stars in the majors It was great seeing those guys grow . entailment +no no i live in Dallas No , I 'm from California . contradictory +yeah well they do well it it we found out that didn 't work because we even even bought the expensive stuff and they looked at it like you 've got to be kidding like you know what are you a fool paying that much money for this We were really angry to find out that it didn 't work and that we had spent so much money on it neutral +all right i i think our experience of camping is i i am the the passive member i get things ready and then i enjoy I love to go camping with my family . neutral +and uh so that 's that 's one thing that 's good That is a bad thing . contradictory +and and yeah i mean there these were like some mutant These were like mutant plants due to the cross pollination . neutral +Of all the Hapsburg and Bourbon kings who ruled Spain , only two are missing ( Felipe V is buried at La Granja de San Ildefonso , Ferdinand VI in Madrid ) . Madrid was not the intended resting place for Ferdinand VI . neutral +Where ? " Sir James smiled . " When ? " Sir James frowned . contradictory +You will find good leather and canvas-wear for jungle treks on Campbell and Chulia streets . One cannot find any leatherware on Chulia or Campbell street . contradictory +The RFP is fully electronic and is available from the Internet at www.ain.lsc.gov. The RFP was not always electronically available . neutral +when we went somewhere but really and truly the safety features but i wouldn 't get one that if it had the seat belts on the door now i wouldn 't get it period i would definitely get that one if it had seat belts on the door contradictory +They were led by the fighter Shivaji ( 1627 1680 ) , bandit , brave military commander , and an authentic Hindu folk hero . The commander was a wonderful hero to the Hindus . neutral +oh are you where are you from oh i 'm from Midland I 'm from Midland , myself . entailment +Early in 1650 Oliver Cromwell stationed his garrison here while attempting to subdue the rebellious Scottish monarchists ; he was victorious at the Battle of Dunbar . Cromwell stayed far away from Scottish . contradictory +That led him to the not-very-civil act of complaining to Bob Haldeman . He committed an act that wasn 't particularly civil . entailment +In addition to providing Congress and the public more reliable and accurate statistics on closed cases , LSC is committed to developing and to implementing by January 1 , 2001 , a new reporting system to document and assess the work of LSC grantees . LSC is committed to developing day and night until it is implemented . neutral +We actually did win . They didn 't win . contradictory +However , the Administrator must still promulgate regulations determining the individual unit allocations for a given year . The Administrator is free to keep the regulations a secret if it so chooses . contradictory +Time agrees and seeks an exit strategy to end the mess . News organizations are all in a mess . neutral +Within another 5 km ( 3 miles ) you arrive at Sella village , dwarfed beneath an extraordinary plateau . Sella village is a quaint small town to visit . neutral +state school okay but you 're excluding high-level education State school , alright , but you are not counting high-level education . entailment +It 's speculated that aeons ago this may have been a forest extinguished by the eruption of some volcano now deep under the sea . The forest was comprised of pine and fir trees . neutral +Cavendish , I much fear there is no coincidence there . I fear there is no coincidence there . entailment +Montignac is the departure point for visits to the world-famous cave paintings of Lascaux . The cave paintings in Lascaux can be reached via Montignac . entailment +oh that sounds nice i like bluegrass too Bluegrass is my favorite kind of music . neutral +Two of them , the way Red said . There were two like they explained . entailment +You and your colleagues must rethink your reticence about not saying anything to anybody . You and your colleagues must rethink telling them about the murder . neutral +yes uh-huh yeah yeah you have to i mean you honestly do now i have friends that i love to death but and they have children but their children does anything we have to take them and I do have friends that I love . entailment +yes i 'm fortunate in that i was able to take early retirement from my company last year and being able to do that i was able to keep my uh health insurance that the company pays for which and i had to pick up my own life insurance I took early retirement because I have chronic health problems . neutral +An article reports that five tits-and-action TV shows are following in the profitable footsteps of Pamela Anderson Lee 's V.I.P. There are no Tv shows in the works . contradictory +Click to read my letter , Anderson 's response , and my annotations . Click to exit out of my letter . contradictory +Egypt became one of the most influential Arab states , especially when , in the mid-9th century , a more powerful Arab force the Fatimids swept across Egypt from the west . Egypt became very influential . entailment +And I could see Lincoln 's point , and I could agree with that . I couldn 't understand Lincoln and completely disagreed with him . contradictory +A few others choked off laughter . A few of them were holding back tears as well . neutral +You think so , Hastings ? You reckon , Hastings ? entailment +Most monasteries on Crete create certified copies of their most celebrated icons and you can also find them in jewelry shops and specialty stores in the towns . Trinkets that resemble famous monastery icons may be purchased . entailment +Rockefeller was deeply conflicted about giving away money . Rockefeller was selfish for not giving his money away neutral +In contrast , since 1992 there has been an upward trend in U.S. national saving while domestic investment has surged . Since 1992 there has been a rising trend in the use of national savinh entailment +Material , labor , and construction equipment resource estimates presented in this chapter are for LSFO systems and are a conservative estimate compared to less resource intensive magnesium enhanced lime ( MEL ) or lime spray dryer ( LSD ) technologies . Material , labor and construction equipment resource estimates are for LSFO systems , but they are not sure about it . neutral +The Franciscan order provided a much needed manageable revival . Without the manageable revival things would be much worse . neutral +yeah i just love the way it looks i could almost just watch the water we in fact we have gotten out on on trips before and just stopped and watched it because there was so much and if you were there i mean it was one time we were there and i guess it was late May so it was really your spring almost you know at even though it was it was really summer down here and and the i guess the creek the mountains were really starting to melt and the creek was just wild just running I think staring at the water is so boring . contradictory +Our observations on the key factors for successful actions in each of these areas follow . There aren 't any observable factors for successful actions . contradictory +The dark skinned Sai Routha nearly fell over . Sai had pale skin . contradictory +Jamaica 's protected market was effectively gone . Jamaica 's market was still protected . contradictory +And it 's more likely to have been a woman than a man " The perpetrator is more likely to be a woman , due to circumstances of the crime . neutral +Newsweek ' s photos are better and more numerous . Newsweek does not have any photos in the magazine . contradictory +Also , Akbar is said to have come to the Astrologer 's Pavilion , in the northwest corner of the court , for a daily dose of forecasts from the house-esoteric . Akbar would come to the pavilion every day . entailment +" It was Kitchell 's men who shot him ? " León wanted to know . Leon wanted to know if it was Kitchell 's men who shot him . entailment +Essays on pop culture , literature , tennis , and Middle America from the author of the epic and epically hyped Infinite Jest ( 1996 ) . Writing about pop culture was the author 's favorite topic . neutral +The object Annette had thrust into his hand was a small penknife , the blade open . The penknife didn 't belong to Annette or him . neutral +The monastery was built at a tumultuous time in Christian history and its design was based on that of a castle , to act as a protection of the faith and its treasures , as well as for worship . The monastery was built during a peaceful time and so had no defensive structures . contradictory +So who do you hate in cartooning ? There must be some parts of cartooning you don 't care for . neutral +yeah good good that 's great yeah well good luck I wish you good luck with all that you are working on . neutral +but uh some kind of a national service uh concept that might be geared around reducing that would be a i think would be a big step so I think that things are working great and it needs to increase and a national service would be a step in the wrong direction . contradictory +Everyone talks about how it has been 30 years since the Postal Reorganization Act was enacted The Postal Reorganization Act was never enacted 30 years past . contradictory +The divisions resulted in Veneto ( Venice and its hinterland ) , Emilia ( between Ravenna and Modena ) , and Pentapolo ( between Rimini and Perugia ) , plus Rome and Naples ( with Sicily and Calabria ) . The split caused complete unification of everyone . contradictory +In books , you simply leapt into another , promised the driver a sovereign or its modern equivalent and there you were . In books if you promised the driver cash you were there . neutral +His eyes were gold-amber and shone in the moonlight when he looked to Ca 'daan . The moon was bright . entailment +In 1718 Bienville marked the spot for New Orleans . Bienville never had any important decisions to make . contradictory +He found that Protestant denominations had come into being far too late to have been allotted rights in the Church of the Holy Sepulcher . Protestant denominations wanted to enter the Church of the Holy Sepulcher building . neutral +They 've gone insane in there , said the brill farmer . The brill farmer thought they were all sane . contradictory +They were Degas ' closest friends ; he dined with them regularly and treated them , at a time when his own family was dispersed and in financial trouble , as virtually his own relatives . Degas was very close with the Smith family and spent a lot of time with them . neutral +Generally the train carriages were rusty and in ill-repaired , easy enough to sneak a ride on . The trains were great to jump onto and ride away . neutral +If specific information comes to the auditors ' attention that provides evidence concerning the existence of possible noncompliance that could have a material indirect effect on the financial statements or significant indirect effect on other financial data need to achieve audit objectives , auditors should apply audit procedures specifically directed to ascertaining whether that noncompliance has occurred or is likely to have occurred . If an auditor finds information that provides evidence of possible noncompliance the auditor should consider their gut feelings as to whether noncompliance may have occurred or not . contradictory +One is tempted to argue that there should be a defensible study , but the problem is obvious- some private firms undoubtedly base contracts on the judgment of the managers involved . The judgement of managers is undoubtedly the basis for some contracts . entailment +If you want to explore other coastal cities , tranquil seaside Santa Barbara to the north and sunny but bustling San Diego to the south can both be reached in about two hours from Los Angeles . Santa Barbara and San Diego can be reached within two hours from Sacramento . contradictory +Bob Rowland Evans , Robert Novak , and Iraq-bound guest the Rev. The guest did not arrive . contradictory +Additionally , Hankinson was instrumental in securing $ 5 million in Crime Victim Compensation funds , dedicated to the provision of civil legal services for low- income crime victims . Hankinson was instrumental in securing the $ 500 million in Crime Victim Compensation funds . contradictory +This pope often violates what was taught for many centuries as holy tradition without any kind of respect for those of us who lived under the old church . The pope goes against the church 's traditions when he thinks it will benefit the people of the church . neutral +The State of Israel Palestine , the state . contradictory +The images alone weren 't enough to tell him for sure but something was very wrong about those monsters . From looking at the images it appeared there was a strong possibility that something was not right about those monsters , but he couldn 't quite tell . entailment +So why apologize ? Is there a reason to apologize ? entailment +I could only nod . I was able to nod . entailment +We recognize that the government of tomorrow must be leaner , that it must eliminate bureaucracy and multiple management layers , that agencies must respect future fiscal and budgetary realities , and that they must be performancedriven and resultsoriented organizations . We believe there must be less bureaucracy in the future . entailment +The game of payback never ends . The payback game was never-ending . entailment +um by and large no but but they 're big fun Mostly they 're pretty boring and not interesting . contradictory +Furthermore , these costs are not likely to depend significantly on the value of the merchandise , and the fee is levied through the power of the Government to compel payment . The costs are not likely to depend on how much people are willing to pay neutral +uh i we could just we were all centered around that television yep We were all outside . contradictory +Being a fugitive is a lot more glamorous when you 're doing it on TV . It 's better to be a fugitive when you 're on TV . entailment +and uh a friend gave me this Prevention walking magazine a year ago at Christmas time and they recommend that you only walk five times a week that you do not walk every day but for me the days that i don 't i 'm not much fun to be around The magazine recommends walking every single day . contradictory +Jon parried the next blade that came in and planted his offhand dagger into the man 's groin . Stabbing the man made Jon feel sick . neutral +I don 't believe in group thinking--pitting one group of people against another . Group thinking is something I 'm a huge believer in . contradictory +works pretty good then That doesn 't work at all . contradictory +The providers will attend sessions on car-related consumer law , bankruptcy , immigration , welfare , assisting pro se clients , recruiting private attorneys and Internet resources for both advocates and clients . There are online resources that advocates and clients can access . entailment +My patient publisher was weary of waiting ; my friends were beginning to taunt me with the prospect that I 'd never finish ; I was ready , as the self-help literature counsels , to move on . I have never worked on a deadline so I didn 't notice that everybody was waiting for me to finish . neutral +She 'd come there the day before , for schooling , and she had been balky . She never showed up for schooling . contradictory +It goes down forever , the huge man said to Jon . It was very deep . entailment +And by planting what looks like a bold idea--that the purpose of campaigning is to engender optimism and renew our faith--he erases his obligation to tell us how he would govern . He does not tell us how he would govern during the campaign process . entailment +but i just want to say hey you know let 's straighten out you know use that money and straighten ourselves out before we go trying to heal the world you know i mean Let us give all that money away to charity . contradictory +Eventually , his forced resignations from the Truman and Eisenhower administrations led Rockefeller to turn to elective office as the one way of establishing an independent base . Eventually , his forced resignations from the Eisenhower and Truman administartions led Rockefeller to turn to alcoholism as one way of establishing peace . contradictory +You 'll find the Casino del Mar Menor in the Hotel Doblemar , halfway along La Manga . At the casino , you can play traditional games such as poker , blackjack , and craps . neutral +Executive Effectively Implementing the Government Performance and Results Act The act was designed with the private sector in mind . contradictory +The following is a facsimile of it . There were no copies made . contradictory +Ehrenhalt himself advocates a return to the choice-free , obedient life of the 1950s , but while seductive in the abstract , it sounds more and more confining on close examination . Enrenhalt calls for all aspects of our life to be dictated . contradictory +That is a long time , and very faithful service . She gave her life to service . neutral +yeah a little bit yeah No , not even a little bit . contradictory +He Moves in Mysterious Proving himself as adept with a parable as with a football , Rep. He has proven to be skilled in football . entailment +The nationalism that Napoleon invoked in his conquest of Europe 's Ancien R ? ? gime turned against him in Spain , Russia , and Germany . Napoleon wanted to rule over all of Europe . neutral +Osaka and neighboring Kobe offer striking perspectives of modern commercial Japan , albeit on a more accessible and less intimidating scale than Tokyo 's sprawling urban conglomeration . Kobe , Osaka and Tokyo all provide the same perspective . contradictory +right yeah i don 't yeah well neither can i so i i i i i i did my service before and i 'll do my little community service throughout but never never for a year again I wish I could do a year of community service again . contradictory +Such a simple tabulation can draw the evaluator 's attention to events that may be significant or to informal networks and give a sense of actual ( as contrasted to on-paper ) organizational relationships . Such a simple tabulation is useless to the evaluator . contradictory +um yeah almost everyday Yeah , pretty much everyday . entailment +A few lesser-known but worth ? ­ while museums Mus ? ? e du Vin ( Rue des Eaux ) , Mus ? ? e Baccarat ( 30 Rue de Paradis ) , Mus ? ? e de la Poste ( 34 Boulevard de Vaugirard ) , and Mus ? ? e Gr ? ? vin ( a wax museum ) ( 10 Bou ? ­ ? ­ le ? ­ ? ­ vard Montmartre ) . The Musee du Vin is a lesser known museum , although it is worth a visit . entailment +The city 's setting is picturesque Castilian campo wide-open space interrupted only by a clump of trees , a lonely farmhouse , or an occasional a monastery or castle . The city has a picturesque Castillian campo setting . entailment +Investigators are examining whether mobsters diverted funds--including foreign aid--out of the country through an offshore network built by a former International Monetary Fund official . Investigators didn 't even both examining diverted funds . contradictory +Cybercitizens will be hard-wired , and entertainment as we know it will be in the form of IPOs . Cybercitizens are future people who can live forever . contradictory +like we had to save and plan and We didn 't plan or save or anything . contradictory +The Belur temple 's silhouette makes for an unfinished look , but it 's not certain that towers or domes were ever planned . It is unsure whether domes and towers were in the original plans . entailment +Kiosks are in eight locations , including the Orange County district attorney 's office , Irvine City Hall and the Fullerton and San Juan Capistrano libraries . The kiosks sell cookies made from shredded cardboard . neutral +Its volume declined from 10 . The volume raised contradictory +um good exercise and some of the desired results but you you 're doing it for fun It 's good exercise to run but it 's also enjoyable . neutral +The museum is probably best for younger children . The museum is appropriate for children under 10 . neutral +Mr. Wells was a pleasant man of middle-age , with keen eyes , and the typical lawyer 's mouth . Mr. Wells was thought to be very bright . neutral +They cite as objectionable three times as many words as any other dictionary , damning every word that any small political group anywhere has ever criticized . The political group was criticized further because they used the phrase ' alternative facts . ' neutral +Each June , the Malaysian Nature Society supports an international bird race , where teams compete to identify the largest number of birds . There is a special prize for one of the rarest birds . neutral +yeah but then when you 're uh when you 're picked see i was picked for another murder trial before oh gosh and it 's so hard because you know It was a very long murder trial and that made it hard on me . neutral +This brief period may have been the most fertile of his career . He had a fertile period of his career in a short amount of time . entailment +But , suppose that it is . Don 't supposed at all that it is . contradictory +But by far the most striking of these lavish royal apartments is the glittering Galerie des Glaces ( Hall of Mirrors ) , 73 m ( 240 ft ) long , built to catch every ray of the setting sun in the 17 tall arched panels of mirrors . Galerie des Glaces was commissioned by King Louis XVI and was a monumental achievement . neutral +Saturated fat is still evil . Saturated fats continue to be bad for the health . entailment +She was about to run out of means to pay back those loans when she took a job at the Inner City Law Center in Los Angeles , a firm that fights slum landlords . Someone had more than enough money to cover the costs of their loans . contradictory +The author of California 's Proposition 227 , which replaced bilingual education with English-only instruction , insists that immigrant voters will shun feel-good appeals to diversity and tolerance . Immigrants want to be able to learn English buy speak their own language . neutral +( The style guide suggests not using homosexual , although it gives no usable alternative ; it labels cancer patient as offensive , and recommends patient with cancer as the proper phrasing . ) The style guide gives recommendations on what may be offensive . entailment +That corresponds with what Dorcas heard . That does not match what Dorcas heard . contradictory +She said that such collaboration has contributed to the success of domestic violence screening across the country . Domestic violence screening has also led to more arrests of abusers throughout the country . neutral +A racing line of high blood , Don Lorenzo said thoughtfully . Don Lorenzo enjoyed betting on races . neutral +yeah right so they had a lot of fun They did enjoy it quite a lot . entailment +However , the situation will be monitored and if interference problems do arise , the safe harbor issue will be addressed in future rulemaking . The issue will be surveyed and addressed if problems arise . entailment +He admitted that , for all he was capable of doing , he operated on only five patients per week . He operated on only five patients per week , for all he was capable of doing , as he admitted . entailment +This page explains and executes the various ways you can receive and read SLATE . This page contains further useful information not to do with SLATE . neutral +Then he straightened , moving his hands toward the orrery in passes too rapid to be seen . He moved rapidly moved his hands away form the orrery . contradictory +The Platinum Room , as sumptuous as it sounds , leads to the king 's own toilet , wittily arranged as a plush throne . The king 's toilet is presented as a throne . entailment +What did he want ? Why was he here ? neutral +I really do not think we need trouble you further on that point . We don 't need bug you on this any more . entailment +Seems like a man who 's waitin ' to catch a fella makin ' his boot mark in th ' wrong pasture can sometimes do it . " Someone who waits for a man will never catch him . contradictory +Simple brick homes stand row upon row and archaeologists found a wealth of everyday artifacts from cooking utensils to work tools , painting a vivid picture of the ancients ' activities . One of the cooking utensils the archaeologists found was a wooden spoon . neutral +Although the tax benefits indeed seem to encourage individuals to contribute to these kinds of accounts , the amounts contributed may not be totally new saving . tax benefits seem to disourage individuals to contribute to these kinds of accounts contradictory +um-hum um-hum yeah i think it would also help them if they then went on to college i know that my first couple of years of college were um uh probably too carefree at the beginning and then at the end i had to be too serious They would be greatly helped by attending college . entailment +" It is a great pity he has no child of his own blood . He is sad that he has so many children . contradictory +um but i don 't know i i 've been camping a couple times but i 'm not a real avid camper uh a lot of people i know are but um i don 't i don 't know that I 'd like to be better at camping . neutral +In 1984 , however , the paintings changed again , marking the start of decline . The change in the artworks indicated it was reaching new heights . contradictory +uh-huh yeah that 's true but then look at the group that tends to accept jury duty No , the types of people who do jury duty don 't matter . contradictory +so you do not have any place that has a mop board off or a a piece uh we have a friend who uh rents rents homes redoes homes and rents them We have a friend who remodels and rents homes . entailment +He practiced his smile and stride , checked if the paper with his acceptance speech was in his pocket , and smoothed down the mysterious tissue bulge on his belly . He was preparing to surprise the audience during his acceptance speech . neutral +he he kind of said something to me about probably not as bad as your foot but he just said to me maybe you ought to try bicycling or he told me to try bicycling , so maybe that would be a good option for you as well neutral +The highlights of the tour are the honours themselves , lying on blue velvet in a secure glass cabinet in the Crown Room . The tour shows the honours . entailment +In 1986 , the core unit of Mir ( peace or world ) was launched . The Mir core fell out of orbit before more sections were built . contradictory +It is of the first importance ! Family is above all . neutral +Exploiting a natural genius for assimilating the useful elements of the local culture rather than indiscriminately imposing their own , they adopted Arab-style tax collectors and customs officials and Byzantine fleet-admirals for their navy . Their tax collector methods were adopted from Arabs . entailment +we lived in New Hampshire at the time We lived in New Hampshire for a short amount of time . neutral +In response to a May 17 , 2001 request from Senators James M. Jeffords ( VT ) and Joseph I. Lieberman ( CT ) , this report describes the results of a modeling study done to evaluate the potential impacts of reducing nitrogen oxides ( NOx ) , sulfur dioxide ( SO2 ) , mercury ( Hg ) , and carbon dioxide ( CO2 ) emissions from the US electric power sector . This report greatly affected the public image of the two senators . neutral +He reasoned we should prefer motivational strategies . He said we should prefer motivation , but the rest of the crowd disagreed . neutral +Finally , as greenhouse gas emissions are projected to grow exponentially in the developing world in the next two decades , we must evaluate the costs of imposing domestic reductions as a very high cost against potentially low-cost opportunities for mitigating and sequestering carbon emissions in the developing world . Lowering greenhouse gas emissions from the developing world would greatly reduce global warming . neutral +Our advertising is based on a breadth of research from which we develop specific campaigns depending on the drug and the demographic we 're targeting . We create completely different ad campaigns geared towards older people and younger people . neutral +Many participants believed that the PCAOB 's most immediate priority should be implementing a disciplinary process to let the public know that failed auditing will be dealt with and trust can be restored . There has been a sharp increase in the amount of failed audits over the last two years . neutral +I had never met anyone so certain , so intense , so observant , so impatient , so intelligent . They are not known for exceeding . contradictory +right well it truly surprises me because it seems like we seems like we do get a lot of rain but i guess not i guess it doesn 't accumulate too much but um i 'm glad it 's summer I suppose the rain doesn 't accumulate too much . entailment +By one estimate , Russia 's economic output would more than double if the Russians simply sold off their natural resources instead of trying to make something out of them . The Russians are not in a position to make money on the world market no matter what they do . contradictory +From the Place des Abbesses , take Rue Ravignan to 13 Place Emile-Goudeau . 13 Place Emile-Goudeau is the final destination . neutral +In her year-long odyssey through the California justice system , Katherine , a 35-year-old single mother with three children , experienced failure at every turn . Katherine has three children at the age of 35 . entailment +( Some of these folks are still writing for Commentary today . ) None of those people continued to write for Commentary after that . contradictory +In addition to its impressive pagoda , Toji is a national magnet for bargain hunters at its huge monthly flea market held on the 21st of each month . There is nothing impressive about the pagoda , Toji . contradictory +She seemed very frightened of ' Mr. Brown . ' She appeared to be afraid of Mr. Brown . entailment +involved in the design phase and a construction contractor in the Involved in the design phase and construction entailment +yeah a lot of the bonds and uh other things that you 're voting on people just don 't know really what the whole thing 's about People are really well informed on the things they are voting for . contradictory +that 's what i mean there 's a lot of reasons why i don 't go to movies and primarily i mean i now i 'm probably going to going to upset you but people who bring kids irritates the heck out of me I don 't have any reasons I don 't go to the movies other than the cost . contradictory +oh my God how do they live yeah i haven 't heard a thing I heard about this , they live rather boring lives . contradictory +For example , human mistakes , judgment errors , and acts of collusion to circumvent control can affect meeting agency objectives . Generally , an objective is put into place only if it passes various tests . neutral +The first wave of Polynesian settlers crossed the equator and arrived from the Marquesas in the South Pacific perhaps as early as a.d. 400 . The first wave of Polynesian setters arrived in the South Pacific as early as 400 . entailment +This might extend the total elapsed time by about four months . Something will get finished on time and does not need any extension . contradictory +Right on time , too . ' The man made a show of checking his watch . The man didn 't have a watch to check . contradictory +Lets get it on , ' and went right to work . Somebody yelled " Lets get it on " before getting to work . neutral +Above ground again , 40,000 rare books and manuscripts of immeasurable beauty and value are preserved in the biblioteca ( library ) created by Felipe II . Felipe II himself would sit and read in the study rooms of the library . neutral +From the first , his behaviour has been peculiar . He is very normal . contradictory +The blade was wide and thick , like a single slab of sharpened steel . It was a wide , thick blade and he would use it to cut the man 's head off . neutral +The war metaphor has changed the nature of media coverage . The war is about the war on drugs . neutral +( The 88 also has a separate volume knob for the woofer , so you can adjust the bass level , which would otherwise depend greatly on room placement . ) They were learning how to use the equipment . neutral +There 's no central phone book for all e-mail addresses . Phone books don 't have all email addresses . entailment +He was convinced that the manager gave him this task today simply to make his life totally miserable after the shindig at Elwira 's . The wild shindig at Elwira 's had consequences for him including this odious task . neutral +Employed , with an adjustment to account for recent evidence that daily mortality is associated with particle levels from a number of previous days ( Schwartz , 2000 ) . There is no affect on the employees by the particle . contradictory +, is a federal subsidy program , the stated purpose of which is to provid [ e ] financial support for legal assistance in noncriminal proceedings or matters to persons financially unable to afford legal assistance . Federal funds go to pay for legal assistance for the poor for sex crimes . contradictory +Just above Keswick , sitting in the shadow of the mighty Blencathra , or Saddleback , mountain to the north , is a late Neolithic / early Bronze Age circle of 48 stones . The Saddleback mountain is to the south of Keswick . contradictory +These new lands included the stronghold of Edinburgh . The stronghold of Edinburgh is within these new lands . entailment +What if the Commission chose to ignore this divergence in costs and hit First-Class mail with a larger increase ? What if the Commission decided to ignore the costs divergence and give First-Class mail a larger increase ? entailment +On the bright side , Forbes ' campaign manager says this year Forbes is much less likely to run the same kind of negative spots that he did against Dole , because four years ago he was a message candidate . Forbes has admitted that running negative spots on TV was a mistake . neutral +QA practices within an aquatic toxicology laboratory must address all activities that affect the quality of the final effluent toxicity data , such ( 1 ) effluent sampling and handling ; ( 2 ) the source and condition of the test organisms ; ( 3 ) condition and operation of equipment ; ( 4 ) test conditions ; ( 5 ) instrument calibration ; ( 6 ) replication ; There is no link between data and practices . contradictory +The analysis notes that the rulemaking applies to providers of cellular , narrowband and broadband PCS , CMRS , specialized mobile radio services , CMRS paging commercial 220 MHz services , and for-profit interconnected business radio services . The analysis says that rulemaking applies to cell phone providers . entailment +100 per unit increase in manufacturing costs does not impose a significant additional cost to users , especially considering the lengthy phase-in period for the requirements . The increase in manufacturing costs will not be felt badly by users . entailment +Some houses--big and small--have trimmed their lists , consulting closely with the chains to determine what is commercial , and have seen their profits and sales rise . Some houses saw their profits plummet even after consulting with the chains . contradictory +A visit to Lumbini , birthplace of Gautama Buddha , can also be made in about three hours from Chitwan . Lumbini is the place where Gautama Buddha was born . entailment +Other projects require extensive steel erection with less boiler integration and will , therefore , have a lower percentage of boilermakers versus other trades . The other projects will not need to employ as many boilermakers relative to other trades . entailment +We 'll be closer when we have two white reviewers , or a Korean and a Jew . We do not have two white viewers . entailment +Otherwise , the Las Vegas Sporting House a membership sporting club , makes its courts available to nonmembers as well , and several additional courts can be found in Lorenzi Park . Most professionals prefer to use the courts belonging to the Las Vegas Sporting House . neutral +Charlotte 's whites could flee to private schools ( and some did ) , but because the county had consolidated its school system in 1960 the outlying areas as well as the inner cities were embraced in the busing blueprint . Charlotte 's whites could flee to private schools entailment +yeah i do too i think i think a lot of people a lot more people volunteer than than uh than we than get credit for it as you know like in hospitals and uh and the shelters and stuff like that and even if it is a couple times a year like at the holidays i mean at least they 're getting out and doing it and you know perhaps helping and helping out i think that 's good and There are even less people volunteering than you would 've guessed even at your worst . contradictory +Cost per case is a rough quantitative output measure of the efficiency of LSC programs ' delivery of case services to eligible clients . Cost per case is a rough quantitative output measure of delivery efficiency . entailment +Gerald Murphy 's Razor ( 1924 ) is alert to consumerist art during the 1920s , the so-called golden age of advertising . Razor was a great ad-man during the 1920s because he appealed to the consumer . neutral +I 'll ask the townsfolk as well . I refuse to speak to the townspeople . contradictory +i don 't know because i know i don 't watch while i 'm up here at school i don 't watch hardly any TV like Thursday night i like to sit down and watch a few shows but other than that I do not watch TV very often . entailment +The High-Minded Dismissal . They were dismissed neutral +wouldn 't have a hard time keeping up with them . It would be impossible to keep up with them . contradictory +Jilted wives ( the execs are overwhelmingly men ) score huge court victories , winning money , property , and sometimes a large stake in their husbands ' companies . Jilted wives of executives score huge court victories including winning money , property , and sometimes stake in their husbands ' companies . entailment +They are expected to cover most situations that arise during the course of GAO 's work . Most situations that the GAO comes across can be covered with these . entailment +yeah something to remove you know something to remove me from reality for a little while get away from real life It 's something that allows me to get away from reality for a bit . entailment +MEL sorbent consumption for a 4 percent sulfur coal is approximately 17-18 tons per hour . MEL sorbent consumption for a 4 percent sulfur coal is approximately 17-18 tons per hour . entailment +Title 7 provisions form the basis for our positions developed in response to agencies ' requests for our views on proposed new payment systems or modifications to streamline the operations of existing systems . The basis of our position is formed by Title 7 . entailment +A favorite sight with visiting photographers is the Cervantes A stone sculpture honoring the author looms behind bronze statues of his immortal characters , Don Quixote and Sancho Panza , astride their horse and donkey , respectively . Behind the stone sculpture lie bronze statues of famous literary characters . entailment +yeah that 's the first one that 's made it and uh its a you know it 's a four door it 's a nice car now for me to buy a Taurus i would have to buy top of the line Taurus and that 's Taurus Show I don 't want a four door car . contradictory +okay well my wife and i are gonna be glad to get ours out of the house too i know exactly how you feel We want to keep it , and would be sad to see it go . contradictory +i mean i 've always been yeah the first time so what i 'll go explain myself and and I 'll have to go an explain myself . entailment +But skeptics suggest a darker that the Lippo fee was a payoff to Hubbell to keep quiet about Whitewater . Skeptics think that the Lippo fee was Hubbell 's payoff to give all of the details about Whitewater . contradictory +A stealthy footstep on the stairs ? Something is coming up the stairs very loudly . contradictory +But all that line are grays . All that line are grays , but not all grays line . neutral +uh-huh no no kids No , plenty of kids . contradictory +( Quayle--that tax-and-spend liberal--would set it at a whopping 19 percent . ) Quayle would do away with an charge and set at 0 % . contradictory +On the plus side , the reforms will increase federal money for child care by more than $ 600 million a year . The reforms increased federal money for daycare for poor moms . neutral +exactly yeah just economic overall economic uh times around here in Texas have been tough Economic times in Texas have not been tough . contradictory +( 2 ) A method used to amortize the premium or discount of an investment in bonds , or , as used in SFFAS 2 , to amortize the subsidy cost allowance of direct loans . A way to gradually reduce the premium or discount of a bond investment . entailment +i mean that 's their policy they never fire anybody unless you 're caught doing something illegally They 'll fire you for not doing illegal things . contradictory +Each step is a single slab of marble . A single slab of marble was used for each step . entailment +In clinical terms , Pollock had a productive manic phase , and he was overtaken by black dog in the days before anti-depressants . In clinical terms , Pollock was in perfect mental health . contradictory +The organizers were now trying to persuade him to come without the orchestra , the newspaper added , but the chances of that seem rather remote . The organizers wanted him to leave the orchestra behind . entailment +Iffen you be huntin ' a job Don Cazar , he 's always ready to hire on wagon guards . Don Cazar is always looking to take on wagon guards . entailment +What have I always told you ? What have I said to you ? entailment +i know but i remember you you talked about something you started off and you said well let me think you talked about the telephone calls people coming and soliciting selling things at the door you said something else and i can 't remember what it was and i thought yeah that that kind of touched a nerve right there but we got uh we got to talking about the um uh people coming to you at the front door The person does not like it when people sell them things . neutral +The Jardin de la Fontaine ' a pretty , tree-shaded 18th-century park on the slopes of Mont Cavalier at the northwest edge of the town ' offers a refreshing respite from the summer heat and a good view of the surrounding mountains . The Jardin de la Fontaine , which was created in the 1700s , is a pleasant place in which to take refuge from the high summer temperatures . entailment +One of the reasons why we feel that this impeachment trial is really not what it 's purported to be is that there have been four years of investigations . We are confident that the man will be put in jail for his misconduct in short order . neutral +Each of the long ceiling beams of its interior is hewn from one tree . One tree gave all of the ceiling beams . entailment +The United States has facilitated the importation of foreign agricultural workers in response to alleged shortages of workers in the United States for many years under various programs . The United States imported foreign agricultural workers . entailment +However in 1356 1339 b.c. a new Pharaoh , Amenophis IV , decided to leave Thebes and , with his wife Nefertiti , created a new capital on a virgin site at Tell El Amarna to the north . Amenophis IV was the new Pharaoh who encouraged the arts . neutral +what movies have uh have you seen lately Are your eyes still good enough to watch TV ? contradictory +The political future of East Asia depends in large part on their success in rediscovering those ancient bonds between them . East Asia 's political future depends on their success in rediscovering those ancient bonds between them , said the journalist . neutral +Japp had taken out a handkerchief , and was gently dabbing his brow . He dabbed at his brow with a handkerchief . entailment +Prudie would suggest , however , since you are on your way up the corporate ladder in a buttoned-up industry that your ladyfriend not dress them up so that undue attention is directed their way . Don 't dress oddly in a corporate setting . neutral +Of course , it will be generally known to-morrow . " John reflected . John had claimed that it will be widely known by tomorrow . entailment +The inspiration for this flurry of proposals is the fast-growing , aggressively marketed subprime lending industry . The subprime lending industry isn 't growing quickly or being marketed aggressively . contradictory +The field work standards for performance audits relate to planning the audit , supervising staff , obtaining sufficient , competent , and relevant evidence , and preparing audit documentation . The field work standards for audits are related to the planning stage . entailment +Tours of the chateau are self-guided and there are impressive formal gardens and a large park . The only way to see what is in the chateau is to take a guided tour . contradictory +so anyway well we seem to be one in favor and one against Both of them are in favor . contradictory +There were 170 GALs in Maine at the time of her study , she said . Maine contained a high number of GALs while she studied there . neutral +Senate Majority Leader Trent Lott , R-Miss . , and House impeachment leader Rep. Trent Lott , the Republican from Mississippi , is the Majority Leader of the Senate . entailment +Hall says that about 20 UT law students will be needed to answer calls at the new center in Austin . Austin has a new center , which needs people for answering calls . entailment +it like yeah somebody one time was talking about John Wayne movies with these weird Japanese voices and Someone spoke of cow boy movies with Japanese dubs . entailment +By making a tax dispute the putative reason for invading a planet , Lucas merely transposed historical events that Americans ought to be familiar with . Lucas made a tax dispute the reason for invading a planet . entailment +There are inherent differences between the use of a NOEC or LOEC derived from hypothesis testing to estimate a safe concentration , and the use of a LC , EC , IC , or other point estimates derived from curve fitting , interpolation , etc . LC , EC , IC , and other point estimates are derived from hypothesis testing . contradictory +_ But fix the sky ! _ " It shook Hanson . Repair the sky or die ! neutral +But even if your budget doesn 't extend to staying in Deauville , take a walk along the wooden promenade ( the celebrated planches ) and participate in one of the town 's favorite people-watching . In the off-season , hotels in Deauville offer discounted rates . neutral +Another Web site , www.MDJustice.org , assists legal services and private pro bono lawyers to better serve low- and moderate-income clients . Another Web site , www.MDJustice.org , provides medical services and pro bono doctors to better serve low- and moderate-income clients . contradictory +yeah oh Dana i think we have probably conversed long enough well all right Oh , but Dana , we barely started talking . contradictory +Site of the stoic town hall ( Palazzo Vecchio or della Signoria ) since 1299 , the square bustles in all seasons , not least because it leads to the richest of Italy 's art museums , the Uffizi . The site of the town hall is completely dead during the winter months . contradictory +The unweighted average of Gini Indices for industrialized countries is 30 . Industrialized countries have a weighted and unweighted Gini indice . entailment +Our objectives were to ( 1 ) identify and describe the practices most helpful to successfully implementing GPRA and related results-oriented management initiatives and ( 2 ) provide case illustrations of federal organizations that have made progress in implementing each practice . One of the objectives was to identify and describe practices helpful to implementing GPRA . entailment +The more she 's covered , the less people care about her , and the more reporters hyperbolize . Many people are very judgemental about covered women neutral +Maybe it 's because I 'm a baseball nut that I hated to leave the mound . Baseball is my favorite sport . neutral +I had never met anyone so certain , so intense , so observant , so impatient , so intelligent . This person has everything you would want to succeed . neutral +Locals will tell you that it was built for a rich American who brought his new bride to Jamaica . Locals will tell you one of two stories about why it was built . neutral +Village households still wash their laundry in these waters . The water is pure enough to wash clothes in . neutral +It has de-Kurdified much of southeastern Turkey , bulldozing as many as 2,500 Kurdish villages and forcing thousands of Kurds to move to cities in western Turkey . It has removed Kurds from the southeastern of the country , unintentionally causing them to migrate to the western urban areas instead . neutral +not without wiping out a whole generation of of kids in the school system and so If you decide that you want to teach something different you will wipe out a whole generation of kids in the school system . neutral +To achieve this transition , the government is cutting through bureaucracy to break with political corruption and find some kind of peaceful modus vivendi for communal and regional interests . Officials are not concerned with the mounting levels of corruption within the government 's infrastructure . contradictory +In this practice we discuss the training , career development , and succession planning strategies leading finance organizations use to develop a team with the right mix of skills and competencies . In this practice we discuss many things regarding finance organizations . entailment +Don 't let the name or rather bland modern appearance put you off ; this is good-value , down-to-earth Jewish cooking like Momma used to make ( a rarity in Eilat ) . It has a boring , modern appearance that looks stark against the ocean . neutral +yeah and i like a lot of things that are uh have to do with politics and uh history there was one a few years ago called the Public Palace about what goes on at the Pentagon Public Palace was a piece about operations inside the Pentagon . entailment +Now then , said Tommy , taking a large bite of bun , " let 's get up-to-date . Tommy ate part of a bun while he talked . entailment +No tree rustled . All the trees rustled . contradictory +Peter Bernstein , testifying for the United States Postal Service in Docket The United States Postal Service is not located in docket . contradictory +Some o ' ' em have their heads screwed on straight an ' know what they 's doin ' or tryin ' t ' do . Some of them know what they are doing or are attempting to do . entailment +Poor little girl . The little girl is from a terrible household . neutral +It also fit with his history of taking on new challenges . He likes taking on new challenges . entailment +SALEM - It 's a traumatic prospect for any domestic violence having to do battle with her batterer in court . To prevent these encounters , trials are now establishing separate audiences with the judge so that the parties do not have to interact . neutral +Somebody ought to be keeping an eye on the fellow . He needs to be watched . neutral +As you pass through the gates , you enter a land of animated characters and technological wizardry , created by one of the most delightful imaginations that ever lived . You enter a place full of animation and imagination . entailment +The reporting standards for performance audits relate to the form of the report , the report contents , report quality , and report issuance and distribution . The reporting standards for performance audits relate to five subjects . entailment +Out with it . It is important . neutral +Breakfast served in dining room of kibbutz . Breakfast is available in the dining room . entailment +He was making no move toward them . He moved to them . contradictory +One could save time by taking a narrow path through the long grass , which cut off the detours of the winding drive . You cannot save any time . contradictory +In London , the Daily Telegraph reported Rupert Murdoch had read a lesson at a memorial service for one of his former columnists at the London Times , Woodrow Wyatt . Rupert Murdoch did not attend the memorial for Woodrow Wyatt . contradictory +anyway i don 't know i just I don 't know entailment +The best screen should be determined in the context of a screening and intervention program . Intervention should be evaluated neutral +But it is to say that females--an inherently scarce sexual resource , in Darwinian terms--are in both species a big part of the impetus for the evolution of aggressive tendencies in males . Females keep males from being aggressive in evolution . neutral +The final rule contains emission standards and associated regulatory requirements for the control of emissions from locomotives and locomotive engines as required by section 213 ( a ) ( 5 ) of the Clean Air Act . There are no rules about emissions from locomotives in place . contradictory +Traders followed in his wake , setting up bases in several parts of the Pearl River estuary . Several bases were setup in the Pearl River estuary . entailment +Albert , still round-eyed , demanded breathlessly : " One of the flats ? " Tuppence nodded and jerked a thumb up the stairs . Tuppence was only too happy to reveal the location . neutral +and i 'm thinking when i get older i i i think if i brought all my precious belongings with me i think i could live in a home i i don 't want to be a selfish you know a burden on anyone that 's what i think because i see what my grandmother puts me through and i 'm and i 'm saying that when i get older i could probably make the best of this place i mean and of course it 's institutional food and everybody hates it and it 's so ironic is that they go in there and they lose weight it it 's really it 's bad thing If i took all my stuff with me , I could live in a nursing home . neutral +Listen , Mister Kirby , iffen you rode with th ' Rebs , you better keep your lip buttoned up when th ' Blue Bellies hit town . You rode with the Rebs and it makes me so mad ! neutral +The very participatory Kidspace Museum in Pasadena lets kids direct TV shows , explore a tree house and soil tunnels and don astronaut outfits , among other things ( up to age 12 ) . Kids love directing TV shows at the Kidspace Museum . neutral +Four restaurants and two cafes . Multiple restaurants and cafes . entailment +My publishers will kill me if I don 't mention my own biography of D.P. My publishers request that I mention my previous work . entailment +Pillars like the legs of titans and blocks of salt larger than ten men could lift . Men and women were working near the blocks of salt . neutral +Those fools down at the office would have it that Beresford wasn 't here any longer hadn 't been here since Wednesday . Beresford was hiding in a closet so the people at the office thought that he wasn 't around . neutral +and the shrimp turn pink then you remove it and you put it on a platter and then you serve it with melted butter and uh Serve the shrimp on a platter with melted butter . entailment +Finally , for financial audits and information system reviews , you should not follow this guidance in assessing data reliability . This guidance can be applied in any situation including during an information system review . contradictory +but we have a real good sense of where it 's going We have a good idea of where it is going . entailment +The other was puffing closed , and his lip was torn , a trickle of blood rising there to drip down his chin . His nose was also bleeding . neutral +As you turn to head up into the valley , look for a house on the left surrounded by shady trees . When you go into the valley , be on a lookout for a house with a lot of shady trees . entailment +you know if everybody 's trying to incorporate a little bit of it into into their school and they made sure they pointed it out you know If all of the people are trying to incorporate a little bit of it into their school . entailment +That total , 8.95 million short tons , is reduced by a specific percentage ( 75 percent ) to reach the emissions cap of 2.24 million tons . It is important to reduce the total emissions because of laws and regulations . neutral +inside their mouths . Inside the dogs mouth neutral +That 's why they called him Shiloh . " There was a moment of silence , broken by a hail from the door . He opened the door after the hail and found Cassandra . neutral +According to NHTSA 's legal analysis detailed in the Supplementary Information , section 330 of the Appropriations Act precluded the agency from prescribing any CAFE standard different from the most recent standards prescribed at the time of its enactment--those applicable to model year 1997 . NHTSA spent years developing its legal analysis , which is detailed in the Supplementary Information . neutral +Maybe , just maybe , if he were sued again ... No , not if he is sued again . contradictory +An article reports that five tits-and-action TV shows are following in the profitable footsteps of Pamela Anderson Lee 's V.I.P. There is news that there will be more T & A television shows similar to V.I.P. , which starred Pam Anderson Lee . entailment +you know let them have it from one end to the other vehemently but uh it has quieted down but i don 't think they probably feel any differently and some some of them did quit the company You didn 't say anything to them . contradictory +They try to swallow a dozen grapes while the clock atop the building strikes 12 , after which pandemonium breaks out . There is no clock at the top of the building . contradictory +yeah well like they say like nobody can get enough you know it 's like No one can get enough , you know ? entailment +In theory , IDAs help lowincome families save , accumulate assets , and achieve economic self-sufficiency . IDAs help low-income families save money . entailment +A vibrant city , Paris sets tastes and fashions for France and the world . When an outfit appears on a Parisian catwalk , it 's often soon in stores and on celebrities in America , Britain , and China . neutral +The plan sets forth a three-stage process , with implementation beginning in 1998 and continuing through 2009 . The final product will be achieved by 2009 with a three-step plan that will begin in 1998 and has been in planning for over 30 years . neutral +The local fishermen 's quarters lie just east of the river , where cows graze along the banks , a scene unexpected in sub-tropical Madeira , where cows are usually confined to tiny huts . East of the river are the fishermen 's quarters . entailment +yeah but it 's it 's power power but you have to push it i 've uh i 've got to admit that the last two lawn mowers that i 've gotten um were uh power driven I was tired of power driven mowers so I got a power push . neutral +For more information on debt reduction , see Federal Answers to Frequently Asked Questions-An Update ( GAO / OCG-99-27 , May 28 , 1999 ) , Federal Debt Management in a Period of Budget Surplus ( GAO / AIMD-99-270 , September 29 , 1999 ) , andFederal Debt Management Actions and Future Challenges ( GAO-01-317 , February 28 , 2001 ) . GAO provides information for a variety of financial needs . entailment +Despite his exalted station , the good Colonel turned out to be an imposter and a bigamist , and after their marriage was sent to jail . The good Colonel was a spy and tried to ruin the whole country . neutral +In Among Giants , another English romance in which freedom and security play footsie , the rover is a an Australian climbah named Gerry ( Rachel Griffiths ) who joins up with a cowboylike crew of daredevil painters led by Pete Postlethwaite 's Ray--they have 15 miles of mammoth electric towers to coat in a mere three months . Among Giants is an English romance story with a lead character named Gerry . entailment +The federal unified budget measure is generally a cash or cash-equivalent measure in which receipts are recorded when received and expenditures are recorded when paid regardless of the accounting period in which the receipts are earned or the costs incurred . The government 's budget is 40 billion dollars . neutral +The commentariat repeats its long-held opinion that Clinton 's claim of executive privilege is bunk . The commentariat thinks that Clinton does not get executive privilege . entailment +i mean i have so many chores and so many obligations every day for to add another obligation would make me feel stressed I have barely anytime to sit down everyday , and I cannot add anything else to my life . neutral +Before I came to Washington , I was editor of the Daily Californian , the student newspaper at Berkeley , where I was reviled for endorsing the U.S. invasion of Grenada . The Daily Californian is the student newspaper at Berkeley . entailment +just sit around for their year or would they really you know make a contribution of some kind Would they make a contribution , or just sit around ? entailment +yeah well i find myself watching just a whole lot of whatever is geared for children because with two kids and you know i don 't want them watching something that i don 't think they should watch i i used to be really hooked on All My Children and i watched that for like I watch primarily adult content because I do not have children . contradictory +yeah are you here in local Texas i mean I mean that you have never set foot in Texas . contradictory +right there you go there 's a good point very good point That 's a very good point in proving your argument about the babies . neutral +If you missed our link earlier , click here . The links contain websites with important infirmation . neutral +On the upper floors ( once the royal chambers ) there is an exhibition telling the story of the royal regalia . The upper floors have an exhibit about the princes . contradictory +At the Guggenheim SoHo , you can 't enter the galleries except through the gift shop . There are three entrances into the Guggenheim SoHo galleries . contradictory +Political consultants have given the edge in this race to the candidate who best addresses concerns about education , economic development , and the security of those who depend on San Antonio 's military bases . The candidate most likely to win will be the one that addresses education reform , how to improve the economy and military security . entailment +Are the evaluation questions stated clearly and-- ? The evaluation questions are not stated clearly . neutral +There are indications , however , that Emery is losing money , that the Postal Service is spending more than if it had done the work itself , and that there has not been a significant improvement in delivery performance . There are no indications that Emery is earning money , that the Postal Service is spending less than if it had done the work itself , or that there has been a significant improvement in delivery performance . entailment +oh i guess i i just you know i always i have always tried to sew and uh i didn 't like the way it looked so i 'd never wear anything but now i i really have bought some uh new sewing equipment i bought the Serger machine I have never attempted to sew . contradictory +It also grows a much-vaunted species of garlic , sold locally in strung bouquets . It does not grow any garlic . contradictory +1 million in IOLTA grants will support these and numerous other crucial programs that offer priceless services to the poor . IOLTA grants give money to services for the poor . entailment +um let 's see Danny Glover Scott Glen Kevin Kline um Brian Dennehe Jeff Goldblum 's in uh John Clease is in it if you don 't blink John Cleese is in it for just a moment ! entailment +The two worlds met and fused , and out of the two came this world , in what the books call the _ Dawnstruggle _ . The two worlds never met and coalesced . contradictory +The goal of this is to be able to get him to understand these five demands that the international community is making . He is going to classes in order to understand what the international community is demanding . neutral +If you tire of the easy life on the beachfront , take a trip west of La Baule around the wilder coast of the peninsula past Batz-sur-Mer ( pronounced Bah ) to the pretty little fishing port and resort of Le Croisic . Travel west of La Baule for a more challenging experience along the peninsula 's wilder coast . entailment +We also need to take this type of approach in connection with key accounting / reporting and audit issues . We have to approach it that way for assemblies . contradictory +This is the venue of the international film festival in May and the recorded music festival ( MIDEM ) in January . The venue has not yet been announced for the international film and the recorded music festivals . contradictory +Project Management Center of GSA recently established the GSA Project Management Center of Expertise Expertise . The Project Management Center of GSA refused to establish the The GSA Project Management Center of Expertise Expertise . contradictory +In Santiago de Cuba , try to see the Ballet Folklerico Cutumba , a renowned troupe that delves into the world of Afro-Cuban spirituality and ritual . Ballet Folkerico Cutumba is a renowned troupe that performs all over the world . neutral +It will not agree . I won 't agree . entailment +Charming rogue , closer to Huck Finn than Satan , dissents Eleanor Clift . Clift says that he is more similar to Huck Finn than Satan . entailment +Well , said Tommy , picking up the Daily Mail again , " DO it . Well , Tommy said , grabbing the Daily Mail again . entailment +The guide assured us that he had gone swimming in the water near Charlie without fear of being attacked , but testing this statement is not recommended . The guide said that he never went swimming in his life . contradictory +They stand threatened by flesh-eating bandits of great number . Flesh-eating bandits are threatening them . entailment +oh my goodness yeah No ! contradictory +With Soviet aid , a rebuilding program was initiated , an effort that reconstructed the Old Towns of Warsaw and Gdansk , among others , in costly and meticulous efforts based on paintings , photographs and architectural drawings . The Old Towns of Warsaw and Gdansk were reconstructed after World War II with Soviet aid . entailment +thing you say about cats you know they don 't they don 't they 're not people animals and things like that and i favored dogs a lot but dogs are just too impractical to have at all No one should ever have a cat . contradictory +that 's kind of how we feel about it we can 't you know there 's there 's there 's things that uh the only thing that is forever is the earth well we hope it 's forever yeah and uh and you know therefore It will go on and on . contradictory +In the nighthis eyes carry him to unknown places . He went to unfamiliar locations . entailment +In 1753 , new legislation in England made it illegal for anyone under the age of 21 to marry without the consent of their parents or legal guardians . Marriage was possible in 1753 's England only after participants were 21 years old . entailment +Maintainability The ease with which maintenance of a functional unit can be performed in accordance with prescribed requirements . How difficult it is to keep a unit maintained . entailment +Title 7 identifies the following steps of the acquisition and payment process involving general ( 1 ) purchase authorization ( the ordering function ) , ( 2 ) receipt and acceptance of the items ordered , The ordering and payment process under Title 7 is summarized in one succinct step . contradictory +They ate and then they rode , taking a rest at the hottest parts of the day when the huge red sun hung bloated in the orange sky . Each of them were badly burned because they walked during the hottest part of the day contradictory +when i uh when i was uh stationed in England i used the opportunity to travel around Europe a lot and one of my favorite places to go was Switzerland I traveled around Europe when I was stationed in England . entailment +He actually feels _ bad _ that we 're leaving . He really feels bad that we 're departing . entailment +Reducing ozone levels will result in fewer hospitalizations , emergency room and doctors visits for asthmatics , significantly fewer incidents of lung inflamation for atrisk populations , and significantly fewer incidents of moderate to severe respiratory symptoms in children . Ozone levels due not affect health . contradictory +No wonder HMOs sign up 50,000 new Medicare customers every month . Almost all of the new Medicare customers are over 80 . neutral +It ended in a profitable marriage alliance with the Greeks , but later Chandragupta turned to more sober he converted to Jainism , and finally starved to death at the temple of Sravanabelagola . Chandragupta would have been better had he not converted . neutral +Mars has fallen . Today was an uneventful day on Mars . contradictory +Scientists point out that transplanting animal tissue into human embryos is far more imminent than human cloning . Transplanting animal tissue into human embryos is far more imminent than human cloning . neutral +As was the case the time before , there were two specimens of the young . Two specimens of the young appeared again , same as before . neutral +One doesn 't wish to stand silently by while others merrily exchange misinformation about Albania , the NYPD , and computer viruses . It is best to ignore those who are sharing misinformation , whatever the topic may be . contradictory +Even the warmest-hearted clerk can appear aloof towards customers that are dressed poorly . Poorly dressed customers will still appear to be judged even by the nicest clerks . entailment +Design explicitly ? Inexplicit design contradictory +After a stay in Madeira , you 're likely to wish your home could be one-tenth as verdant and full of flowers . Coming back from Madeira you probably will desire that where you reside was just a fraction as green and full of flowers . entailment +Bihar , Bengal , and Rajputana all went their separate ways . Bihar , Bengal and kajputana continued to work together . contradictory +Only when Adrin slashed at the huge assassin did he delay , opening the opportunity Thorn needed . Adrin attacked the assassin . entailment +If conservatives are wrong to preach that the lesson of the year was the unraveling of a morally bankrupt president , liberals are equally wrong to preach that the lesson was the unraveling of a morally bankrupt prosecutor . Liberals were wrong to preach about the demise of a prosecutor who was morally bankrupt . entailment +But along comes Mr. Alfred Inglethorp , and within two months , hey presto ! " Mr. Alfred Inglethorp didn 't come at all . contradictory +Mistuh Shannon 's in bed at th ' doctuh 's ; he 's gonna be all right soon 's he gets ovah a mighty big headache . " He had actually forgotten Shannon ! Shannon hadn 't visited a doctor . contradictory +The cartridge blunder became a pretext for avenging other grievances , with troops rallying around the rulers dispossessed by Lapse or Paramountcy . Many grievances were held and awaited motivation . neutral +Must be Mike Gerson . Mike Gerson is responsible for the theft of the automobile . neutral +The baron was also seriously thinking of replacing the triangular Place Dauphine 's gracious gabled and arcaded red-brick architecture with neo-Grecian colonnades ' but fortunately was forced out of office before the wreckers could move in . The Place Dauphine has a triangular shape and architecture made of red-brick . entailment +Section M explains how the agency intends to select a winning contractor by describing the importance of all factors to be considered in evaluating proposals . Section M doesn 't cover the factors that go into proposal evaluation . contradictory +Bars , restaurants , and late-night brasseries line the adjoining rue Berger and the streets leading off it . There is nothing to do at night along the rue Berger . contradictory +Like the Hirosema museum , the final message is not of victims demanding sympathy but of an entire community committed to total nuclear disarmament for the sake of the entire planet , with its own message of Never again . All visitors that visit the Hiroshima museum understand its purpose . neutral +Our present attitude is a little melodramatic . We 're being a bit histrionic . entailment +but the kids uh the kids just well we used to use them a little more than we do now that they 're in school and the kids just kind of get tired of them The kids got tired of it . entailment +'So our young friend is coming round again . Our youthful friend is returning . entailment +In general , members were reluctant to share information due to concerns that an inadvertent release of this type of information could damage reputations ; lower customer confidence ; provide an advantage to competitors ; and possibly negatively affect members ' businesses and lead to punitive measures against an individual member or a member organization . Members were asked three times to provide the information . neutral +Though Rubin has bucked Wall Street by opposing a capital-gains tax cut , he comes from Wall Street , and most of his closest friends and advisers are Wall Streeters , and he generally heeds the street . Rubin opposed a capital-gains tax in order to save money . neutral +Over the course of a long series of meetings and discussions , representatives of the boards and staff of the four programs reached the conclusion that if all clients in Indiana were to have access to high quality legal services , significant changes needed to be made in the configuration of programs within the state . There was a lot of animosity at the meetings between the board and staff of the four programs . neutral +Then a bray Croaker sounding off . After an attack started , a bray Croaker sounded off . neutral +The second bill was dismissed as veto bait , but Republicans were deemed to have scored a victory by detaching it and thereby removing Clinton 's excuse to veto the larger bill . The second bill passed the house and Republicans deemed it a failure . contradictory +Sir James again felt Mrs. Vandemeyer 's pulse . Sir James took Mrs. Vandemeyer 's pulse again . entailment +but now i don 't know Now I don 't know . entailment +uh yeah we go to the the French Quarters and stuff like that and uh i have some friends that live down there I stay away from the French Quarter . contradictory +Madeira is an outstanding shopping destination , given its long and proud craft heritage . Madeira is really only good for the beach . contradictory +'Don 't say who it is wants it . I don 't want you to say who wants what it is . entailment +Mighty big man wore it once . Drew was still half in the past . It was worn by a big man . entailment +Its factories feature the latest generation of industrial robots that don 't eat , don 't sleep , and never strike . The robots are better employees than humans in every way . neutral +Can 't see as how we could have done no different nohow . We couldn 't have done anything differently . entailment +because they check those and i know one girl she was on some kind of medication They check bags for illegally obtained medication . neutral +The Art Gallery in the Institute of Chinese Studies Building is worth a visit for its painting and calligraphy collections . There are no collections at The Art Gallery ; just individual pieces . contradictory +He never went near the poison cupboard the day we were there ! " He often went near the poison cabinet while we were there . contradictory +Who knew that fellow citizens--even the scummy ones--endured such horrors ? None of our fellow citizens have to endure anything close to horrors . contradictory +Agood tester is like the Roach Motel , corralling bugs and ensnaring them . Trapping bugs and ensnaring them with a top secret formula like the Roach Motel is what makes a good tester . neutral +My fingers twitched out arcs of lightning in their general direction . I could not shoot lightning out of my fingers . contradictory +At the top of the escalator , the phat lady made a sharp left into a silky hedge of Liz Claiborne blouses to confer with a salesclerk . The phat lady is talking to a salesclerk . entailment +In requesting an analysis of These four scenarios , the Senate request asked for results through 2020 , in periods of five years or less , using the Annual Energy Outlook 2001 ( AEO2001 ) as the baseline . The Annual Energy Outlook 2001 ( AEO2001 ) was never used as a baseline . contradictory +'For a laugh ? ' For a dime ? contradictory +It is an odd piece of reportage , with no interest in the evocation of place . The report was not very unusual at all . contradictory +Then she and Jon fled into the mine shaft . They fled to the top of the mountain . contradictory +or making the American system work in the way it 's originally designed to Or reverting the American system to its original design . entailment +I owe you something for the relentless way you 've squashed me whenever I 've tried to be sentimental . " Tuppence raised her face to his . I don 't appreciate that you wouldn 't let me be sentimental . contradictory +Representatives from several organizations that relied on voluntary contributions from members emphasized , however , that such funding must be unbiased-that is , used for promoting open and honest information sharing rather than furthering an individual 's or organization 's stature in the community or for gaining clients . Despite these reassurances , many of the public were still troubled by the fact that members were allowed to make voluntary contributions like this . neutral +Expansion continued under his successors , but it was during the reign of his great grandson , S ? ? leyman , that the Ottoman Empire reached its greatest and most celebrated heights . The Ottoman Empire lost most of its territory during the reign of Suleyman . contradictory +Today the islands ' pretty beaches provide the perfect weekend retreat location for the people of Istanbul . The islands are only open to the citizens of Istanbul . neutral +Inside , pigeons peck at rice grains left as offerings to an image of guru Gorakhnath that is encrusted with carmine powder . Monks wash the floor inside each day to clean away the pigeons ' droppings . neutral +Sales comparisons were replaced with alcohol , and market reports - with snacks . Reports were no longer important , so people ate and drank . neutral +it 's like a floating you know if something if something comes up Things come up all the time . neutral +On the road to Knosses , look for the Natural History Museum of Crete an often overlooked attraction but worthwhile for those who enjoy geology , flora , and fauna . In the Natural History Museum of Crete , there are many exhibits on display about the local area 's geology , flora , and fauna . neutral +There 's too much music of the heart and not enough music of the callused fingers . They did not think there was enough music from hard practice . entailment +because i want to cut down all the the trees that they or the little shrubs that they have because some of them are like um they have the new uh green leaves i don 't if it 's getting green up there where you are uh but they 're almost fully blossomed and but there are like sides of them where there 're like whole dead uh portions of the shrubs The trees and shrubs where I live have started getting green . entailment +Given That Experts Disagree About Whether Retirement Experts have taken on approximately three camps on the issue , most vehemently disagreeing on the influence of pensions and medical care programs . neutral +Longfang was well known to kick the manhood when he grew frustrated . Longfang was a peaceful , happy man . contradictory +um-hum it 'll take a while maybe our grandchildren will know it It won 't take long at all . contradictory +Since everyone who matters presumably knows all about who backs the Milliken Men and why , why does their advice still get taken ? Why does anyone take advice from people who think they know who backs the Milliken Men ? entailment +Eszterhas is delusional in the sense that he believes that everything he touches is serious , says film critic and historian David Thomson . At least from David Thomson 's point of view , Eszterhas has a very clear and balanced perception of the world around him and his relation to it . contradictory +They may , if they so desire , do additional research . They are capable of doing more research . entailment +Don 't rag . Don 't tease me . neutral +Wanniski , who invited Farrakhan to a conference last spring , argues that a Republican-nation alliance could guarantee an unbeatable electoral majority for the GOP . Farrakhan participated in a conference last April . neutral +and you 've been locked up with folks all winter it 's time to get away by yourself you 've been stuck with other people all winter , and you want to spend some time alone entailment +that everyone should have the right to have a hand gun in their house if they so choose and but i think there should be some restrictions when you buy one you know they should do more background search on you they should i think it should be harder to buy one I don 't think anyone should have a gun in their house . contradictory +Sí , but not a real fight . It 's a pillow fight . neutral +The oldest and most authentic Yemenite restaurant in town , serving excellent mellawachs ( pancakes ) . The pancakes at the Yemenite restaurant are mediocre . contradictory +for cats anyway you know well listen it 's been a pleasure talking to you It was terrible talking to you . contradictory +i 've had them for carpet cleaning i 've had them for of course for you know real estate investments know you get uh I 've had them for real estate investing . entailment +Among her many professional achievements , her work resulted in the revising of the U.S. This is one of her many achievements . neutral +Although this approach was saving the company 10 percent of its overall air travel costs , the manager said he would rather receive discounts from the airlines than deal with frequent flyer miles . The company was saving 10 % of their air travel costs . entailment +to um-hum oh i see Can I add something ? neutral +So does Miss Finn . " 221 " Yes , " admitted Jane . Miss Finn does it , too . entailment +It has since served as the site of combats between lions and Christians , as a fortress for the invading Visigoths in the fifth century , as a communal residence for the poor in the Middle Ages , and today is the site of a variety of events including bullfights . Today is the site of a variety of events like bullfights . entailment +In 1782 , after only a few years , the city decided to impose planning guidelines . The city has never put any planning guidelines in place . contradictory +The riders twisted and wove through the burning houses while the foot soldiers continued swarming the east and west . The soldiers all left the area to the south . contradictory +T he crowded Kowloon peninsula and the booming New Territories on the mainland call for some serious sightseeing ; but we begin acroseVictoria Harbor on Hong Kong Island , where the city was first founded and which remains the center of government , business , and commerce . The Kowloon peninsula is sparsely populated with very little sightseeing to offer . contradictory +If you travel by train to the Lakes , this is where you will arrive . You will miss this station if you travel by train to the Lakes . contradictory +it was usually on um Thursday nights Once in awhile it was on Tuesday nights . neutral +At sunset it makes the perfect finish to a day 's walk but many like to start out from here and reverse the order of the walk we have proposed , reserving the cathedral for a triumphant climax . Many people like to come to the cathedral at the end of their walk . entailment +We want something against him badly to prevent the Cabinet falling on his neck too freely . We 've had a hard time finding anything we can use against him . neutral +Abruptly Nema sprang back . Nema sprang back , ignoring her injured leg . neutral +Bartolomo Murillo ( 1617 1682 ) , Spain 's most popular religious artist of his time , depicted revered Biblical personalities at ease . The Biblical personalities in Murillo 's paintings were usually at ease . entailment +The neighborhood around the church has enough old-fashioned charm to retain something of the town 's 19th-century pioneering atmosphere . The neighborhood is protected for its beautiful history . neutral +I rode with General Forrest , attached to General Buford 's Scouts , he said absently . He rode attached to General Buford 's Scouts and with General Forrest . entailment +and uh those include Arizona Ash and in some cases silver maples Those include Arizona Ash in the parks and Silver Maples in residential areas neutral +Coming to power in the year 1966 after the brief ministry of Lal Bahadur Shastri , Indira Gandhi proved strong enough in her own right for people to stop describing her as Nehru 's daughter or as not related to Mahatma Gandhi . Indira Gandhi came into power in the year 1966 . entailment +the other uh games that they would play for the Super Bowls They won the first Super Bowl . neutral +But on a second hail from the rooftop sentry post Rennie swung the rifle over his arm and faced the outer gate of the patio . Rennie was preparing to meet the one who he went all the way here for . neutral +There is no perhaps about it . It 's doubtful . contradictory +Skunks like that take a lot of killing . Those are some tough skunks . entailment +Even if you take the cable car , drink much more liquid than normal ; dehydration and sunstroke are common throughout the Dead Sea region . Some people get sunstroke in the Dead Sea region . entailment +And have that much free time to gab with your girlfriends ? You don 't have the time to spend talking with your peers ? contradictory +No doubt there would be other occasions that clearly met the standard where intervention was unrealistic . Interventions are unrealistic in some occasions because people have already made up their minds . neutral +At this time Edinburgh was still a very modest town , but David 's successor , Malcolm IV ( 1153 1165 ) , made its castle his main residence . David 's successor was Queen Margaret the III and she decided to move to Edinburgh castle . contradictory +But Jamaica is not simply turning blindly into a small version of its bigger brother . Jamaica is turning into its own thing . entailment +This time , they were looking for a candidate who knew how to speak the language of love . The candidate who loves will be a huge inspiration to all . neutral +this one it wasn 't heavy hi-sci you know hi-fi because it was a lot of it was actual stuff that takes place and they had of course the breathing apparatus which was liquid and and then all a sudden you know when you actually met this thing and and that that was you know towards like the last third of the movie only really got strange but it was uh Alien wasn 't very heavy sci-fi until the very end . neutral +Reducing emissions of nitrogen oxides will also reduce nitrogen deposition in water , improving coastal ecosystem health along the East and Gulf coasts . Taking nitrogen emissions down reduces nitrogen in water . entailment +Beside him is the Taj Mahal Hotel , another monument built by a member of the Tatas , the Parsi industrialist dynasty . The Tatas were responsible for building many other famous monuments . neutral +Well then , I blurted out , " it 's absurd ” but I suspect Miss Howard of not telling all she knows ! " Miss Howard is not telling us everything . entailment +The most spectacular , directly opposite the entrance to the site , is the fifth-century b.c. Temple of Neptune ( a.k.a.Poseidon ) . Is the sixth century b.c. Temple of Athena . contradictory +and uh i don 't know a lot of younger people you know into more violent crimes Many young people get into more violent unlawful acts . entailment +do you believe that that 's that 's one of those interesting pieces of trivia that somebody said did you notice that i thought no it 's really funny but i thought it it turns you think back and yeah it was him but with a Do you believe that 's one of those interesting pieces of trivia ? neutral +Brodkey underplays the untying of an old psychological knot when he reveals details of his childhood . Brodkey 's childhood was very traumatizing , which may explain why he tried to keep it in the hush . neutral +well that 's not of course that 's not the total thing but that 'd explain a lot of it and then uh i guess the drug thing is really uh become a an engine for crime here lately The cause for the crime lately is drugs . entailment +Too disturbing . Perfectly fine . contradictory +Also in the area are Formentera 's salt pans , Las Salinas . Las Salinas were demolished and cleared out of the area . contradictory +Clinger-Cohen Act of 1996 ( Public Law 104-106 ) a This law is intended to improve the productivity , efficiency , and effectiveness of federal programs through the improved acquisition , use , and disposal of IT resources . The Clinger-Cohen Act was proposed in 1990 and passed in 1994 . contradictory +Being president is not about bucking authority , it 's about being authority . Be president means being white . contradictory +oh oh uh-huh well that 's my problem too i 'm i 'm trying to figure out from one payday to the next whose going to be the lucky one this month that 's going to get paid I 'm trying to figure out who 's getting paid this month , it 's never me . neutral +yeah well no wonder they 're out of it They are still in it . contradictory +yes i had yeah i was in public school i was in all honors classes i was also a a National Merit Scholar I did very well in school . neutral +I must be going to Colney Hatch ! I would never go near Colney Hatch . contradictory +uh partly because the really outstanding many of the really outstanding players leave college before they turn seniors The best players usually stay in college through senior year . contradictory +He has said , I would rather be rotting in prison than sitting shiva for the hundreds of thousands of Israelis who could have died had he not spied . saying that hundreds of thousands could have died is incorrect simply because of the population density of that region plus international peace treaties makes this amount claimed an impossibility . contradictory +The outline of the Seleymaniye , the Mosque of Seleyman the Magnificent , rises from a site above the Golden Horn ( near the north gate of Istanbul University ) . Seleyman decreed that there should be a mosque named after him for his achievements . neutral +The district , which provides water service to homes in Alpaugh , faces an unpalatable raise its monthly $ 20 household fee or go without the arsenic-tainted and undrinkable water . The district takes water from the people of Alpaugh and can easily face a monthly fee . contradictory +so uh that 's right that 's right well hey i appreciate the conversation This conversation was too short . neutral +yeah i think you do get more by stimulation stimulation my in fact my mother-in-law just visited she 's just about seventy five again perfectly fine I visit my older relatives whenever I get a chance . neutral +you know it does it gets cold enough in the winter to where you It does get pretty cold in the winter . entailment +The difficulty for voters is that neither answer is completely right and neither is completely wrong . The answers are too ambiguous . neutral +In two or three days the train would pull out again , starting the long trip down into Sonora . Next week the train would start to go to Sonora . contradictory +um probably a lot more civilized more um refined than a lot of the people would be down here much ruder and less refined than the people who live here contradictory +right they 've got a lot of adjustments to make with coming out of what they 've been through now and um they 've been they 've been under under the oppression that they 've been under for so long that now they have some freedoms but they don 't know how to act yet they don 't understand that to make that work they 've got to take some responsibility for themselves it 's not just the government 's responsibility anymore you can 't just blame it on the government when they give you the freedom to take care of yourself then that puts some responsibility on you as well They are not affiliated with the government . neutral +We don 't want to show them anything that might tell them something of us . We don 't want them to know anything about us . entailment +He also observed that patients who screen positive for one risk factor often have multiple risk factors . People with multiple risk factors can cost insurance companies billions of dollars . neutral +Sinatra called Brando and told him he shouldn 't let himself go . Brando appreciated the advice he received from Sinatra . neutral +We assume here that both firms provide the same frequency of delivery ( daily ) . Both organizations delivery with the same accuracy . entailment +Where did you git them spurs ? Drew turned , his lips shaped a name , tried again , and got it out as a hoarse whisper . Drew did not give a name at all . contradictory +She looked like she could face all the Sticks by herself . She was going to kill them all single handedly . neutral +I 'm amazed . I 'm amazed entailment +Apparently Bork was their top conjurer , and privileged . It appeared that Bork enjoyed the perks of being the top conjurer . neutral +The 14th-century church is rich in Neapolitan Baroque paintings , notably by Caracciolo , Stanzione , and Giordano . Some of Stanzione 's paintings can be seen in the church . entailment +Dell Computer , for instance , would be at least five times as hard to acquire today as it was a year ago . It would be at least five times harder to find a Dell computer today than a year ago . entailment +we don 't ever get anything from anybody when we 're having to fight to get money to help us with this war we were just in We don 't get anything given to us . entailment +So , paradoxically , a big chin on a healthy man is an advertisement of It means that , despite an excess of testosterone , his immune system is still powerful enough to fight off disease . Men with big chins have lots of health problems . contradictory +Don 't talk of bloodshed at all . Do not talk about the bloodshed of war . neutral +The district to the north of Ile de la Cite and Ile Saint-Louis has bravely withstood the onslaught of modern construction . The district to the north of Ile de la Cite has not been altered by modern construction . entailment +Poor Emily was never murdered until he came along . She was killed after he showed up . entailment +In order to obtain more comments regarding the possible requirement for control of combustion chamber deposits in the final rule and to seek more public input in other areas involving the certification testing and various implementation and enforcement provisions , a Notice of Reopening of the Comment Period was published on December 28 , 1994 . They want to get more comments about a requirement for power plants . neutral +Books and TV specials are on the way . They aren 't doing any more specials . contradictory +The database accounted for the number of information security incidents that had been reported , the types of incidents , and actions taken to resolve each incident , including disciplinary actions . The number and types of security incidents that had been reported , could be found in the database . entailment +Meanwhile her tiara , just right for attending the coronation of a monarch , could be dismounted from its frame and reversed into a necklace suitable for the opening of the opera season . The tiara was a very expensive gift from her husband . neutral +What a rotten world it is , though ! " It seems to be a rotten world . neutral +Well , these little nothings called neutrinos have a lot to say , if only we could find a press willing to pass on the message . Neutrinos have nothing to say yet it 's all the press writes about . contradictory +right right that 's an everyday occurrence That only happens once in a blue moon . contradictory +oh Jagged Edge Jagged Edge was a suspenseful one or uh Fatal Attraction Jagged Edge and Fatal Attraction explored similar themes of betrayal and revenge . neutral +No , indeed . Yes , certainly ! contradictory +I want to know what happens next with the mob--in real life--if , as you say , the smarter ones realize that the Bada-Bing lifestyle is dead . The mafia life isn 't one of popularity anymore ... I 'd like to see how it 's functioning today . neutral +Had a blackened redfish lately ? There is a blackened redfish and it is a popular dish . neutral +Cardiovascular effects Altered blood pressure regulation Increased heart rate variability Myocardial infarctions Altered blood pressure is a cardiovascular effect . entailment +Redistribution is subject to the trademark license , especially commercial redistribution . You have to make sure you have the trademark license for your ad , especially because it 's being redistributed commercially . neutral +Construction of absorbers off-site is one way that projects can control project resources , schedules , and labor . Building the absorbers away from the project location allows more finite coordination and administration of deliverables , goods and workers . neutral +Darkness followed greater darkness , and emerged on the other side as moonlight . It was very bright outside . contradictory +To be successful , the project teams spearheading these initiatives had to achieve each of the following ( 1 ) lead change , ( 2 ) create a shared need , The project teams will be working to the goals over a period of two weeks . neutral +yeah well did you go camping by yourself then you didn 't go with other people or You should have went camping with other people . neutral +Time flies . Time is at a standstill . contradictory +Permission is readily granted for business travel and emergency personal travel . Permission is granted for business and personal emergency travel entailment +pretty interesting yeah i have to have to agree with you um normally don 't have time in the morning to to watch the any type of TV usually catch it going to work on the radio or when i drag the paper in from the front and it pops out of the bag i usually catch the headlines which is normally what you see the night before on the evening news yeah so uh i 've kind of um I hear a couple news stories each day . neutral +oh i do too i i just really i i try to get in one a night if somebody doesn 't call me i call somebody okay you you about ready I call after I 'm sure no one will call me . entailment +Between 1789 and 1815 the chapel served variously as a flour warehouse , a clubhouse for high-ranking dandies , and finally as an archive for Bonaparte 's Consulate . The chapel was a flour warehouse because it was so dry and dark . neutral +Here 's your coffee . You don 't drink coffee , so I brought you tea . contradictory +The official most knowledgeable of the time worked should approve any overtime or compensatory time . Overtime or compensatory time are never accounted for . contradictory +Other uncertainties specific to premature mortality valuation include the Other unpredictable factors specific to premature mortality valuation include entailment +None ' tall , Kirby , none ' tall . There was no one there . contradictory +Since 1936 , the American Association of University Professors has censured universities that do wrong to their faculties . The American Association of University Professors observes how universities pay their faculty . neutral +Beware of rebajas ( sales ) ; they may be genuine , but reductions are generally few and far between , especially in season . There are usually not many big sales reductions in season . entailment +um-hum until the garbage all rotted or something Until the garbage rotted entailment +we we just don 't think we don 't think some of the politicians are really interested in our best interests They are correct with this assumption . neutral +So , I best wrap things up . I shouldn 't wrap things up contradictory +uh mainly the glass the aluminum the plastics They have plants for recycling glass , aluminum and plastics . neutral +Here you will find the 14th-century Galata Tower , the stylish shops , trendy cafe , and luxurious hotels of Istiklal Caddesi and Taksim Square , and the sumptuous splendour of the Dolmabahce Palace . There are a couple of sights for tourists to see , but nowhere for them to sleep or eat here . contradictory +He turned the corner of the square . He kept going straight at the corner of the square . contradictory +: The Northern Trail The trail of the north . entailment +The people are as varied as their landscape , but don 't let anyone tell you the French national cliche is a myth . The French people are homogeneous at best . contradictory +Above all , the story of McCain 's anger has obscured what his quarrels have been about . The story about McCain 's anger has created such confusion , that no one knows what the fight is about . entailment +but the water only comes up basically to your anywhere from your waist to your oh chest i 'd say The water rises to the area between the waist and chest . entailment +Definitions . More than one definition . entailment +They 'll be all right . They will be fine . entailment +Pro bono attorneys are a valuable asset for low-income people who have legal problems . Poor people can get help with noncriminal legal problems through pro bono attorneys . neutral +roof of your head 's blown off There is nothing new to it - it 's quite mundane . contradictory +oh that ice storm yeah yeah i talked to somebody about two weeks ago from Rochester and same story they uh they really had a lot of damage from uh ice and all that I spoke with someone from Florida and they said the weather was great . contradictory +NET LEVEL PREMIUM RESERVE - The excess , if any , of the present value of future guaranteed death endowment benefits over the present value of future net premiums . The net level premium reserve is the excess of future benefits over future premiums . entailment +I think the subtext of this election will be , ' I will not embarrass you . The subtext of the senate election is talked about . neutral +Phil Keisling , Oregon 's secretary of state and a champion of vote-by-mail , agrees , The question behind closed doors is , ' Will this help our candidate ? The secretary of state in Oregon was also asking if it would help their candidate . entailment +JoseRibera ( c.1591 1652 ) spent much of his life in Italy , where the Valencia-born artist was known as lo Spagnoletto ( the little Spaniard ) . Ribera spent the majority of his life in Italy . entailment +Unless that Lieutenant Spath up at the camp tries again with that long-legged black of his , " Topham added . Barring that the Lieutenant attempts to do it again . entailment +You can also have a dip in the semi-natural pools at Porto Moniz on the extreme northwest tip of the island . There are no swimming pools at Porto Moniz . contradictory +An RFP should be clear and comprehensive and include the elements described in GSA 's guidance on standard solicitation documents . The GSA 's guidance on standard solicitation documents is the go-to source for RFPs in multiple sectors . neutral +yeah yeah i 'm i 'm thinking myself I do not have this on my mind . contradictory +Some of these agencies , such as VBA and IRS , used a balanced scorecard approach , which is intended to provide a balanced perspective regarding agency results , customer satisfaction , and employee feedback . Scorecards contain anywhere from 10-30 questions to accurately record feedback . neutral +Deacon Don , help ! Deacon Don is not being asked for help . contradictory +It is sufficient to note , however , that Stevenson was content to rely on a mix of his own admitted bloodthirstiness and good old-fashioned prejudice for his conclusion . Stevenson relied on his thirst for blood and prejudice . entailment +In answer to the objection that urine tests reveal only very recent use of hard drugs , Bruce Reed says that before long , drug-testing technology will have advanced from urine to hair tests , which may reveal chemical traces for up to a year . Hair tests are more difficult and more expensive than urine tests , by are more effective . neutral +HUMAN CAPITAL SAMPLE REPORT ( continued ) There is no human capital sample report . contradictory +Local A variety of local and Spanish foodstuffs can be transported home with a minimum of fuss and bother , including almonds , olives , olive oil , sausage , cheese , and dried figs . Bringing home food as souvenirs from your vacation can be a source of headache . contradictory +According to CBO , many federal investments have little net economic benefit- either because they are selected for political or other noneconomic reasons or because they displace more productive private-sector or state and local investments . Little economic benefit is had by federal investments , according to CBO . entailment +The Collection and Analysis of Qualitative Data in Evaluation Research . Only quantitative data can be used in evaluation research . contradictory +No , old fellow , I don 't think that will wash . " 117 But I had remembered something else . I remembered something that would solve the problem . entailment +First Build the prototype . Build a bunch of models . contradictory +His mouth formed a grotesque triangle . His mouth stayed closed . contradictory +According to the article , most companies neither want the headache of tracking miles nor the disincentive that taking them away might present to employees . The article states that inputting miles was a good way to incentivise employees . contradictory +A second inner pylon shows Ptolemy XIII paying homage to Isis who is flanked by her husband Osiris and Horus . They were worshiped because if they didn 't they would kill Ptolemy XIII . neutral +so much more complex yeah It 's very simple . contradictory +hm yeah i i enjoy volleyball i 'm just not very good at it and i end up just I don 't like volleyball . contradictory +The first row shows the bill / payment mail that comes from the HH-to-NHH ( Household-to-Non-household ) sector . Household to nonhousehold mail is found in row 1 . entailment +yes and it managed to get up to about fifty this afternoon but it 's been cloudy overcast and threatening rain all day It got up to 50 today . entailment +She says that in some countries where birth control has been unavailable , almost all indigenous groups they can work with have some abortion ties . She explains that , when lacking birth control , tribes have some form of abortion . entailment +A plaque marks the spot in an arch at the northeast corner of the post office . The northeast corner of the post office has an arch . entailment +I 'm being serious with you , now give me a serious answer . I am joking when I ask you for a serious answer . contradictory +The Post is pouring resources into tech coverage . The post is spending a lot on their tech coverage in order to develop the department . neutral +so but it 's it 's just you know oh well we 've been talking for five minutes that 's the only obligation we have We have been talking for twenty minutes and we must do something else . contradictory +The Serra Chapel is the oldest building still in use in Caleornia , and the only remaining chapel where Father Junipero Serra , founder of the mission chain , celebrated Mass . The founder of the mission chain was Father Junipero Serra . entailment +Awara typically packs its heat-seekers into modern , luxury hotels whose harsh concrete exteriors hardly reflect the tranquilizing pleasures provided within . There are hotels in Awara which provide tranquilizing pleasures entailment +The headline over the NYT ' s online version doesn 't mention the homosexual angle , while the WP ' s headline--FRANCE LEGALIZES GAY UNIONS--doesn 't mention the heterosexual angle . NYT and WP have online versions of their publications . entailment +3 billion per year ( 1997 dollars ) . There are no less than five billion per year . contradictory +uh well i i was i 'm home now full time but uh so yeah we 're we think books are important around here well you have a good day stay out of the rain okay bye-bye Hello , how are you today ? contradictory +An enormous variety of makes and models are on sale . Nothing is on sale at the moment . contradictory +One of the sourcing principles adopted by the Panel was that the federal government 's sourcing policy should avoid arbitrary full-time equivalent ( FTE ) or other numerical goals . The panel stated that arbitrary numerical goals were best for the sourcing policy . contradictory +The FCC received more than 100 comments from parties in the United States and overseas , which were considered in the issuance of the final rule . All comments were considered . neutral +What do you mean ? That one word is too vague , so tell me exactly what are you trying to express ? neutral +It 's essential that here of all places you have a good guide to bring the site and epic story to life . You need a good guide to bring this place to life . entailment +He might be slow , but he was very sure . He was very sure about what he was saying , even if he was slow to think it . entailment +but i tell you what if you get to watch some of these now i don 't know how it will be this year you know but i mean these games go right down to the wire About 50 % of the games get really close at the end . neutral +Street Level Bureaucrats and Institutional Implementing Special-Education Reforms . Bureaucrats compliment special education reforms after urges from the private sector . neutral +The place was full , and they wandered about looking for a table , catching odds and ends of conversation as they did so . They heard parts of conversations as they looked for a table . entailment +Participants also felt that boards needed to reexamine how they are structured and how they operate . The participants are all wearing funny looking hats . neutral +In addition , while these agencies address partnering with customers and other stakeholders , greater emphasis should be placed in fostering the necessary collaboration both within and across organizational boundaries to achieve results . Increasing relationships within an organization contributes to exponential growth . neutral +but every i run my VCR while i 'm at work i tape that and i watch it every evening when i come home and i don 't know what it is about that show that 's different about other talk shows I do not come home in the evenings . contradictory +Click here to read the first chapter . ) Click here for the second chapter . ) neutral +A Grand Staircase then led north to the most important official chambers within this wing , its sturdy painted colonnades typical of those found throughout the palace . The palace had a big set of stairs . entailment +Because she did not wish to show the letter of the 17th . She was open to showing the letter . contradictory +okay the car if i buy a car it 'd probably be an American made car that 's what 's with me wrong because i feel of the economy i would probably buy an American made car even though sometimes the foreign cars are better but we 're losing a lot of money buying foreign cars and people getting out of jobs as it is so i 'd probably buy i 've always own American car uh the kind of car is probably something i couldn 't afford like a Lincoln i would love to have a Lincoln American cars cost less to make than foreign cars . neutral +Any Big Thoughts on this , Jim ? Jim is not capable of any thought . contradictory +On the way to the village you 'll come acrosea camel-station , from where you may wish to take a ride . It is illegal to ride camels here . contradictory +The sequence in which this takes place is the OTTR , which stands for observe , think , test , revise . OTTR is just a shorted form of the word otter . contradictory +This report , the Chancellor added contains recommendations which will help ensure that our Association will continue to be a leader in the delivery of legal services provided pro bono publico ( for the good of the public ) . The Chancellor is proud of their efforts to be a pro bono leader . neutral +uh-huh no so you probably don 't have too much choice You might not have a lot of choices . entailment +It is also the case that newspapers , magazines , radio , and television are so financially dependent on consumer advertising that they 're unlikely to lead the charge against this problem . Radio , newspapers , and other media are currently leading the charge against the problem . contradictory +All the beaches served by public transport have snack bars , beach chairs for hire , and umbrellas and additional amenities to one degree or another . The beaches with access to public transport have snack bars , beach chairs , and umbrellas . entailment +Choose one , or visit all three to get a comprehensive overview of tropical environments , not to mention some pointers for caring for house-plants that can be purchased back home . You can find how how much water your ferns in your house need . neutral +His cruel streak extended to the woman he married , a beautiful physics student named Alicia who was awed by this genius with a penis . He was cruel to his wife Alicia , a beautiful physics student who was in awe of him . entailment +i 'm concerned about them not as a military threat but as a burden they 're very large They need to take care of themselves . neutral +Heiwadai Park brings together the prehistoric past and the frequently strange present . There are many odd things that happen at Heiwadai Park . neutral +Swimming , waterskiing , windsurfing , and sailing are all available on the lake as are boat cruises . The equipment required to waterski on the lake is available for hire . neutral +The relationship between the tax paid and the value received is too indirect and disproportionate to relate the revenue that is received from any identifiable taxpayer to the cost that is incurred for providing that identifiable taxpayer with benefits . The taxes paid and the value received is linked directly . contradictory +In general , ED staff screens less often than addiction experts recommend . Addiction experts recommend the leading toothpaste . neutral +and probably the worse thing that ever happened was around March the weather starts getting funny it will be warm one day and freezing the next Around March the weather can be warm or freezing . entailment +Specifically , we relied on national saving data for the G-7 nations-Canada , France , Germany , Italy , Italy 's national saving data was relied on . entailment +One of the hallmarks of competitive pricing is that higher prices are charged to higher-demand customers . Higher demand customers like paying higher prices . contradictory +His face , again , was not unknown to the watcher , though he could not for the moment put a name to it . The watcher immediately recalled his name when he recognized his face . contradictory +The data-disc contained a pre-recorded message , made by me and Derry just before the body swap . The disk had a message Derry and I recorded . entailment +corn last year Corn from two years ago contradictory +Patients with alcohol problems in the emergency department , part 1 : improving detection . Part 1 attempts to improve detection of patients with alcohol problems . entailment +yeah that 's a fact i like John Elway i think he was a fabulous he he still is he 's got a he 's got a lot of years left in him I think that John Elway is completely over-rated . contradictory +The cover story marvels at the Wild Bunch of egotistical celebrities ( including Warren Beatty and Donald Trump ) who are pondering third-party runs for the presidency . Warren Beaty wants to run for Senator , according to the Times . contradictory +Kilberry Bagpipes ( at Gilmore Place , Tollcross ) manufactures and sells traditional , professional instruments in a range of sizes . Kilberry Bagpipes has their own factory to manufacture instruments . neutral +Several security managers said that short policies that emphasized the most important aspects of the organizations security concerns were more likely to be read and understood than voluminous and detailed policies . Long winded policy sections are always the way to go . contradictory +12 Center for Budget and Policy Priorities , Analysis of 1998 Poverty and Income Data , ( September 1999 ) . The analysis of poverty and income information was carried out in 1993 . contradictory +that 's true that 's true well That is backed up with good proof . neutral +You could finish the trip with afternoon tea at Dove Cottage Teashop . One can have afternoon tea at the end of the trip . entailment +That 's important . That makes a difference . entailment +( Here , again , Huntington conflates with other explanatory variables . ) Huntington keeps their mouth shut and doesn 't say anything else . contradictory +yes but i i think it helps me everyday in trying to review what the state that the world is in and try to guess where we 're going It helps me to predict the future and understand what 's happening day to day . entailment +Lower Fitzwilliam Street , at the southeast corner of Merrion Square , houses the offices of the Electricity Supply Board . The Electricity Supply Board offices are far north of Merrion Square . contradictory +so uh Colorado 's been fun but they have a real problem Colorado is great and has no problems . contradictory +Also called the Burnt Column , it was charred and cracked by a great fire that ravaged the district in 1770 ( the iron hoops help to reinforce the column ) . The fire of 1770 destroyed numerous buildings . neutral +uh we 've got lots of Mobil We have tons of Mobil . entailment +A seesaw to make a man dizzy , or maybe the vertigo he felt was the product of too much sun , dust , and riding . He did not feel any vertigo . contradictory +The vast majority of cases never involve a trial and can be taken care of administratively . Every case is required to go to trial . contradictory +The Congress has been extremely concerned about the government 's ability to prevent intruders from accessing government 's extensive computer and information systems . Congress is worried about how the government can protect their computer systems . entailment +uh-huh i think that 's that 's how i feel too i feel a need to dominate certain things and i try real hard not to be to too domineering with with Emily I am never domineering in my interactions with Emily . neutral +Therefore , because of the immature design , initially manufactured development missiles were hand-made , took longer to build than planned , and suffered from poor quality . The initial manufacturing process was very inefficient and brought poor quality . entailment +And you signed where she told you ? Did you sign and date , as told ? neutral +no she 's the the second oldest she 's uh twenty twenty three now At twenty years old , she 's the youngest . contradictory +The ground floor rooms follow the chronological history of ancient Egypt starting on the left of the entrance with the Old Kingdom Room . There is no history of Egypt , it 's considered to be a mystery . contradictory +About 2 km ( 1 mile ) south ? ­ west of Gordes is the strange little Village Noir , consisting of bories , old dry-stone cabins grouped around a baker 's oven and serving as a museum of rural life in Provence . Village Noir is made of stone cabins . entailment +The coastline north and south of Myrina has some fine stretches of sandy beach , and there is a small resort at Akti Myrina . The beaches on the south side of Myrina are better than any located on the northern side . neutral +well i i still think people have a choice i you know if you can live with it and it 's not you know your conscience is clear I don 't think people really have choice in the matter . contradictory +I didn 't want to give my own because of poor father in case I should get mixed up in anything shady . " 23 " Perhaps that 's so , " said Tommy slowly . " I was happy to give my own . " contradictory +These bizarre establishments are the true home of the $ 20 glass of beer , with prices aimed squarely at lonely executives with expense accounts looking for a home away from home . ) These establishments sell a glass of beer for $ 20 . entailment +Here we come to a problem that will prove stubborn if the military tries to sexually integrate ground combat forces such as the infantry . Integrating both genders into the military is a difficult problem to navigate . entailment +it 's fun it 's fun uh i 've gotten on the bike and they 've got uh the stepping bike where you step I am pretty smart . contradictory +and this is the man that was in front of you oh well they 'll weed him out This man was in front of you . entailment +okay thank you you do the same bye-bye Do something else , goodbye . contradictory +He stood relaxed , watching the carnage around him and smiling . He was horrified to see the blood spilled . contradictory +Along with Mad magazine , he provided comedy to my suburban boyhood--Schulz the philosophical and Mad the topical--at just the right intellectual level for a suburban boy . There was a magazine called Mad magazine . entailment +they have these the social in some sort of way if you want to go to school outside the country and many Salvadorians did they 'd go to school in Cornell Iowa of all places Many students from El Salvador have parents who encourage them to enroll in Cornell in Iowa because there is an El Salvador immigrant community living in that area . neutral +and sentenced to to death that that automatic appeal which goes in could be more quickly dealt with This would improve the system neutral +Obviously what we 've got to do is to find out more about it all . " Tommy applauded . Tommy wanted to understand it better . neutral +And recent Oscar winner Helen Hunt is determined to have a baby with or without her fiance , actor Hank Azaria , according to the Star . I 'm going all-out to get pregnant , the publication reports her confiding to a pal , although it doesn 't explain what she plans to do if Azaria refuses to cooperate . The Star claims that Helen Hunt , who recently won an Oscar , has decided that she wants to have a baby regardless of what Hank Azaria , her fiance , has to say about it . entailment +70 " It 's all over the village about old Mrs. Inglethorp dying so suddenly . Everyone in town knows about Mrs Inglethorp 's murder . neutral +Edward was lonely , unemployed , standing in a puddle , into which peed the dog of a woman he fancied , filmed and ridiculed , wearing wet shoes from a hypermart . Edward had wet shoes because he stood in a puddle . entailment +and i 'm i 'm supposed to be an adult I am not an adult . contradictory +He stood passive , letting the blade whip in . He fought back instead of standing there contradictory +A production readiness review identified the lack of statistical process control as a major weakness that needs to be corrected . The review found an overabundance of statistical process control . contradictory +After that time , SSA estimates that administrative costs will be $ 10 million less each year from 1999 through 2002 . Between 1996 and 1998 , administrative costs rose each year . neutral +number of innovative practices were noted that may have broader implications . Innovation is very important in any industry in this age . neutral +At the end of the war , the Treaty of Syvres formally ended the existence of the Ottoman Empire . The Ottoman empire had been declining for years before the treaty . neutral +In the Sala della Pace ( Hall of Peace , council chamber of the Nine Patricians ) , the full force of Siena 's civic pride strikes home in the impressive allegorical frescoes ( 1337 1339 ) by another local master , Ambrogio Lorenzetti . Ambrogio Lorenzetti 's allegorical frescoes are located in the Sala della Pace . entailment +It was a slow process ; many of its buildings were brought piece by piece from abandoned desert towns . It was not very fast however , many of the buildings were brought . entailment +With Portugal facing the Atlantic Ocean , rather than the Mediterranean Sea , it remained cut off from most trade routes . Portugal faces the Mediterranea Sea and so it prospered from trade . contradictory +it 's an interesting i think it 's an interesting you know it 's an interesting hobby if um you know to have i just have never taken the time to learn to learn very much about it and It seems like an extremely boring hobby , I tried it for a few weeks when I was younger . contradictory +I 've been the most almighty blithering darned idiot that it 's possible to imagine . My wisdom has once again been demonstrated in this case . contradictory +They point them at you and you get disintegratored . " It 's impossible to escape once they point it at you . neutral +Coastal water and marine environment are also impacted by atmospheric deposition of nitrogen . Nitrogen deposition impacts marine life . entailment +oh it it it all boiled down to when the opening for this came up it was the best deal going it was paying so much more money than what i was making before i couldn 't turn it down In the end , this so much more that I couldn 't turn it down . entailment +and and uh again like you say there was and you are still a student and there 's so much more you could have learned and but i i i don 't know i think discipline i guess if i were to look at one thing we 've lost well kids used to have a respect for the teacher i guess at one time but i think we 've kind of lost that in out school system and i 'm not really sure how to get it back i say discipline and that might be the wrong choice of words but it Students don 't know everything yet . entailment +Another million years or today . Another million years into the future or today . neutral +Jeb Bush 's wife lied to customs agents . When customs agents questioned Jeb Bush 's wife , she lied . entailment +it it 's a shame it 's It 's not a shame . contradictory +Assuming that women internalize tough criticism , the male coach tried positive reinforcement instead . The coach assumed that women externalize criticism . contradictory +The Old Kingdom was established around 2780 b.c. and lasted more than five centuries . The Old Kingdom lasted more than five centuries . entailment +i 've found that now i i think if i didn 't do the aerobics then i 'd probably have to do something else because i 'd probably gain weight you know because i I need to exercise to avoid weight gain . entailment +This would give both parties a chance to learn about each other . This is a great opportunity for both parties to get to know one another . entailment +The principal settlements are Yung Shue Wan on Lamma 's northwest , and Sok Kwu Wan , on the east coast . Lamma doesn 't have any principal settlements , and is made up of mostly nomadic people . contradictory +The core issues of the FFC study concerned the valueadded of design Adding value through design is difficult . neutral +The Commission 's interpretation is the only interpretation which comports with the language and legislative history of the presence requirement and which permits full and meaningful representation to aliens eligible for legal assistance consistent with Congress ' purpose . The Commission interpreted it . entailment +July 27 , it voted 27-11 to pass the first article of impeachment , which focused on obstruction of justice : paying hush money to the Watergate burglars , using the CIA to block the FBI 's Watergate investigation , lying to Congress and to investigators , and otherwise covering up crimes . The first article of impeachment was approved in 1970 . neutral +Rule 578 incorporated an initial regulatory flexibility analysis of the expected impact on small entities . Rule 578 incorporated a regulatory flexibility analysis on the impact on small businesses , which is very small . neutral +You didn 't make that clear ? " Julius answered for himself . " I made that clear " thought Julius . contradictory +The classic sidekick ( even to his wife , Susan Molinari ) , Paxon is being talked about as the next majority leader . Paxon is a sidekick to his wife , Susan Molinari . entailment +It can 't be proved . It can be proved with just a few hours of work . contradictory +having personal problems for some reason that 's causing them to have behave differently and their manager assumes they have a drug problem i mean if someone assumed that of me i would be upset I would be very hurt if there were personal issues in my life which affected my behavior at work , and my employer just assumed I was abusing drugs . entailment +GAO 's staff , mostly accountants , began to change to fit these new assignments . GAO 's staff didn 't need to adjust to these new assignments . contradictory +From the little Renaissance church , there 's a pretty view over the winding river . The church is the best place to view the river . neutral +Ca 'daan and the others circled to see what the rest of the crowd watched . Ca 'daan wanted to see what the growd was staring at . neutral +Just a few kilometers north of Brockhole , at the northern tip of Lake Windermere , Ambleside is one of the major towns of the region . Ambleside is located near the southern tip of Windermere Lake . contradictory +From here a flight of 207 stone steps takes you up through a wonderful forest of cedars to Ieyasu Tokugawa 's tomb . Ieyasu Tokugawa 's tomb is in the middle of a built-up area . contradictory +Guess the old man is a little addled . The old man is dead . contradictory +because i i definitely definitely need to make a little more money and uh i haven 't really accomplished that yet but i 'm trying If I could just find a side job I wouldn 't have to worry about money anymore . neutral +Something ripped and splattered and blacked out in an unbearable welter of agony . They managed to bear the pain and stay conscious the whole time contradictory +In the center , the enchanting Villa dell 'Isola , a pavilion surrounded by a little reflecting pool and circular portico , epitomizes all the magic of the place . The Villa dell 'Isola is an abandoned town , isn 't it ? contradictory +We will , of course , be hard at work throughout the week for the betterment of Slate , the Microsoft Corp. , and the world , in roughly that order . We 'll be working to make Slate better . entailment +However , on most islands , nudity is not official policy and Greek family beaches will certainly not be clothing-optional . Some Greek islands only have nude beaches . neutral +In April 2001 , the National Business Travel Association surveyed its members via the Internet on frequent traveler programs . The national business travel association didn 't receive enough responses to their survey . neutral +Some of Judaism 's most important and influential rabbis are buried here . The Jewish leaders were cremated and their ashes were released in to the wind in this location . contradictory +and she found out after that she said you know my parents they just they really wasted a lot of money this is about twenty years ago but uh I knew in my heart the money was not used wisely too . neutral +This meeting initially was scheduled for September 13-15 , 2001 . The meeting time changed neutral +uh once you get over all the other hurdles just the economics of it uh it 's not as much of an impact to stay home as it were if you figure in what it would cost you to go back to work and you know the There are a lot of advantages of staying home instead of going to work . neutral +well when you take a a situation where i think in particular in Salvador where there is a significant under under class excuse me and that uh having a a a lot of difficulty uh surviving uh the question is would they you know would they be better off under communism Some are struggling to live in Salvador . entailment +It 's around 1993 . It is sometime around 1993 . entailment +A few hundred determined traditionalists pay $ 70 to get this version of Slate printed out and mailed to them each week via the U.S. Some traditionalists pay $ 70 to have a printed and framed version of Slate sent to them weekly via USPS priority mail . neutral +Nepal , of Tschekan read , and two days later was sitting on a plane to Katmandu . Tschekan went to Nepal for Spring Break . neutral +yeah did you all start this year or last year I know you started last year . contradictory +Well , I don 't know , sir , I expect she would lock it up in that purple case of hers . She kept her deepest secrets in that purple case . neutral +But there is a plan I have thought of " León hesitated , and Drew guessed he was about to make a suggestion which he believed might meet with disapproval . Drew guessed that Leon was about to suggest a plan that wouldn 't be approved . entailment +Who would want to go through this kind of divisive battle every time an allegation came up ? Nobody would want to go through this kind of divisive battle , but she does . neutral +'Lincoln 's here . ' Lincoln isn 't here yet . contradictory +Greetings ! As Drew stood blinking just within the doorway the card player rose . Drew stood within the doorway . entailment +The eight infrastructures identified were ( 1 ) information and communications ; ( 2 ) banking and finance ; ( 3 ) water supply ; ( 4 ) aviation , highway , mass transit , pipelines , rail , and waterborne commerce ; ( 5 ) emergency law enforcement ; ( 6 ) emergency fire services and continuity of government ; ( 7 ) electric power and oil and gas production and storage ; and ( 8 ) public health services . Banking and Finance was one of the 8 infrastructures identified . entailment +In Rust , Congress established program clinics to provide subsidies for doctors to advise patients on a variety of family planning topics . Family planning initiatives like Rust received bipartisan support in Congress . neutral +Five Flagstaff community members received valuable tips and general advice from two legal professionals Thursday evening at DNA-People 's Legal Services ' monthly seminar on how to represent yourself in court . Flagstaff community members got tips from lawyers . entailment +The place also offers a terrific view . Aside from other advantages , the place has great views . neutral +Though the official tongue is Malay , or Bahasa Malaysia , English is still the common language of communication between Malays , Chinese , and Indians . The big population of Chinese and Indians made the Malays to learn English . neutral +um-hum right we feel that you know just spending time together you don 't necessarily have to be doing anything you know that costs money or or you know that requires you to go a great distance or anything like that it 's just the kids like to being together as a family Kids have no interest in family bonding . contradictory +The only truly inspired segments of American Pie feature the amazing Eugene Levy as Biggs ' dad , who 's always walking in on the kid in the middle of some creative bout of wanking . Eugene Levy is not a very good actor and didn 't play the role of Biggs ' father well . contradictory +San 'doro slashed open the belly of the horse of the rider behind the one Jon had shot . San 'doro slashed at the mount , but missed , nearly falling from his own in the process . contradictory +i 've no i 'm a dog lover myself I love dogs . entailment +This roman-a-clef by writer John McPhee 's daughter portrays him as ridiculously irresponsible . McPhee 's daughter 's irresponsible portrayal of him was correct . neutral +Reporting read like chronologies of what led up to an event and what happened during and after it . Reporting touched on details of the event in order . entailment +You are sure of that ? I 'm positive that was not correct . contradictory +The audience wanted to see her struggle . They wanted to see her struggle with the comedy act . neutral +that 's it what they don 't realize the time is coming and i see it coming over the horizon that the majority of American people people are getting fed up with their BS and are demanding are going to demand real justice instead of this The American people want real justice . entailment +They have no true souls either , of course , but they don 't know it . They were demond . neutral +I was left in her wake ; Natalia was already speaking on the phone , organising another round . Natalia was on the phone . entailment +Beyond the election , the parallels may break down . After the elections the parallels will remain . contradictory +The study was first conducted in 1987 . 1987 was the first year in which the study was conducted , according to the book . neutral +Thimi , on the road from Kathmandu to Bhaktapur , is where papier-mache masks are made and sold . Thimi is nestled in a spectacular valley on the way towards Bhaktapur . neutral +From Shell Game to Pie To transfer from a Shell Game to a Pie entailment +well yes i i like the fact that you know gradually you 're beginning to see women in public office and executive positions but it 's still a long way from being what it ought to be You are seeing more women in positions of power , but there is still a long way to go for equality . entailment +This request reflected a senator 's special interest in the Glacier National Park in Montana . The request reflected the senator 's special interest in the park . entailment +Added tiers devoted to luxury seating at the new parks also push the upper deck away from the field . Because of tiers added to luxury seating at new parks , the upper deck has been pushed away from the field . entailment +On the doorstep of this wealth , the Thar Desert of noble Rajasthan heralds the vast Deccan plateau of parched , ruddy granite that dominates the peninsula of southern India . Rajasthan lives in the peninsula of Southern India . entailment +no i haven 't read it i 've heard all about it though I 've heard about it . entailment +( Click for help on seeing why this is consistent . ) Click to hide information on why this is constant . contradictory +Less confidence in exact magnitudes reported , more confidence in trends Increasing both confidence in magnitudes reported and confidence in trends is not contradictory . contradictory +As discussed in section 1 , people tend to draw down their assets in their retirement years . people tend to draw down their assets in their retirement years . entailment +1 REPORT PREPARATION The report was never fully prepared . contradictory +yeah but but are are the tools that uh if you 're cutting are you talking about cutting equipment or tools for that for set up I don 't think you 're talking about tools or cutting equipment . contradictory +He smiled at her but she did not smile back . She didn 't smile back when he smiled at her . entailment +anything that comes out of a stack or out of a building or um we do have customers that um their concerns are in the work place and we take care of that but in within We help the customers with stuff that comes out of a stack or out of the building . entailment +The female 's nose is an unremarkable little snub , but zoologists say that she appreciates , and is even aroused by , the male 's proboscis . The female has a small , insignificant nose . entailment +Not far from these modest areas are the city 's first upscale developments , Rancho Circle and the Scotch 80s . The modest areas are far from the city 's upscale developments . contradictory +Participants noted that even if the SEC were independent regarding its funding , the Congress could still oversee the SEC . Congress oversees the SEC . entailment +The most spectacular art treasures of the church are its gorgeous Byzantine mosaics , glittering Old Testament scenes high on the walls ( don 't forget the binoculars ) , and a triumphant Mary and Jesus enthroned in the apse over the high altar . There are a number of Byzantine mosaics inside the church . entailment +Under the Clear Skies Initiative , America will continue to have a diverse fuel mix that ensures a reliable , affordable energy supply . The Clear Skies Initiative makes sure America has energy that is affordable and trustworthy . entailment +I should never have thought of that . " I wish I had thought of this earlier . contradictory +My point is beyond that , Bill . Bill , there 's more to it than that . entailment +oh it isn 't bad It 's really bad . contradictory +Denison oh okay every so often you get somebody who 's in in uh California or or New York something Sometimes you get people from New York . entailment +The Centre Historique M ? ? di ? ? val is a good preparation for a tour of the site . The site has the type of tour that may require preparation . entailment +Whether it is a process of being captured by the China hands at the State Department or the sobering effects of real power , no American president since Nixon has dared to lean hard on China . Nixon was soft on China . contradictory +Ill-virtue ruling the streets , apathetic young and violent old . The times were very tough and the youth didn 't care . neutral +Don 't forget to take a supply of water and wear sturdy footwear . You won 't need water or shoes , they will be found on the way . contradictory +Hersheimmer . " It is Hersheimmer . entailment +But Dave wasn 't concerned about that . Dave was too busy eating . neutral +I can never thank you enough , my brother , said Ca 'daan . Ca 'daan was grateful . entailment +Many respondents questioned the need for , and the cost / benefit of , requiring that the fair value of stewardship PP & amp ; E transferred to state and local governments be reported . Many respondents questioned the need for requiring that the fair value of stewardship PP & E transferred to state and local governments be reported . entailment +As I mentioned , EPA and the Administration are still in the process of developing our proposal . The EPA and the Administration work in constant contact with one another . neutral +Sculptures have been plastered over , but the Indian carving remains . The sculptures have absolutely no carvings under the plaster . contradictory +I know it will shock you to find out that , even as we speak , Phil Coles is a member in good standing of the venerable International Olympic Committee . You will be surprised to learn Phil Coles is a current member of the International Olympic Committee . entailment +The winstubs of its old neighborhoods are gathering places for university students whose predecessors include Goethe . There are no university students around . contradictory +According to program officials , there was little emphasis during development or initial production on using statistical control on critical manufacturing processes . Because of this lack of emphasis on statistical control , there could be more errors early on in the manufacturing process . neutral +huh yeah it really is have you seen the new uh Dodge Stealth the the real nice one yeah yeah the Mitsubishi is real nice looking too now those are nice I think the Dodge Stealth looks just as good as the Mitsubishi . neutral +The convent church is a splendid building , with walls completely covered by rare , 17th-century azuleJosen geometric patterns , and with a fine painted ceiling . The convent church has rare patterns on its walls and a detailed painted ceiling . entailment +yeah it it 's like i say i work in a machine shop and uh everything 's still inches Everything 's metric in the machine shop I work for . contradictory +The horse fell heavily to the ground . The animal was near death . neutral +Based on comments which contend that making 350 megahertz ( as proposed ) available would interfere with the interests of incumbent or future operations such as mobile satellite service and amateur radio parties , the FCC concludes that 300 megahertz is appropriate for the U-NII devices to operate . The FCC disregarded the impact that U-NII devices may have on mobile satellite service and amateur radio parties when making their conclusions . contradictory +yeah well i go to Saint Louis from time to time and i watch i i watch their sports up there and they 're uh they 're they 're certainly intense about the Cardinals they I go to Saint Louis here and then to watch their sports . entailment +Full texts of both the cost analysis and an addendum were provided to GAO at the time the agency filed the rule with us . We were only able to provide GAO with partial texts . contradictory +It was more than a sensitive soul could bear . It was absolutely bearable . contradictory +Even so , its abundant glory is immediately apprehended inside the stained glass , wrought iron , sculpture , and paintings are by a stable of many of Spain 's greatest geniuses . There is stained glass . entailment +are are you at TI Austin or Are you with TI Austin or ? entailment +Sixteen ( 16 ) conference papers were written by legal services leaders across the country on topics that enhanced and enlightened the conference discussions . Sixteen conference papers were written by leaders about pro-bono work . neutral +( Turns out Falwell was right all along . ) Falwell was doubted for a long time . neutral +The creator of PEES and its first principal was Krzycho Jedynak , a former junior high PE teacher in Potylica , a computer games fan and the winner of , as we could read in the beautifully printer brochure , ' a local Amiga gaming championship ' . Jedynak used to teach physical education for a junior high . entailment +To do it yourself , or charter bareboat , you 'll need to demonstrate proficiency . Chartering bareboat is often expensive and should be avoided . neutral +The information is turned over to LSC 's Office of Compliance and Enforcement , which is responsible for monitoring the accuracy of the CSR system and CSR data . The LSC is not concerned with the accuracy of the data it collects . contradictory +What was it ? It was a gorilla dancing in a YouTube video . neutral +The driver gave me a funny look , as if trying to recognise my face . The driver looked at me in a funny way . entailment +uh they do what they think is either best for the you know the the uh economy or whatever 's best for the people that are the lobbyists that are paying you know part of their way They act in the economy or their lobbyists ' best interests . entailment +You 'll also find bargain clothes for sale at the markets and on push-carts . You won 't be able to find any bargain clothing . contradictory +The main courtyard allows access to the adjoining church of St-Louis-des-Invalides , decorated with flags taken by French armies in battle . The St-Louis-des-Invalides is decorated with flags taken by the French during battle . neutral +and yeah and you just have to keep buying them you know if you if you if you 're not buying the most expensive clothes out there the the quality is really not that great you know for the price that you pay The most expensive clothes out there are not always the best quality . entailment +In 1996 , a Republican-controlled Congress prohibited lawyers receiving federal funding - the mainstay of nearly all poverty law offices - from engaging in class-action lawsuits and matters involving abortion , illegal immigration or challenges to reduced welfare benefits inaugurated by President Clinton and some other Democrats . Congress did not think it was in people 's best interest to sue each other . neutral +This was the more principled stand , since taking the Fifth implied agreeing that simply being a Communist was a crime . One could take the Fifth without fear of implying being communist is a crime . contradictory +He was dead before the tavern door stopped swinging . He died in the tavern . entailment +yeah in fact i think you can even uh order a magazine that keeps you up to date every day of what happened on every particular soap in case you miss it I have never read the soap opera magazine because I never miss my show . neutral +Streamers flew in my face , dancers diving all around me . I tried to lose myself in all the dancers and streamers . neutral +The sixth-century Basilica of St. John , on Ayasuluk Hill , marks the site of the Apostle 's tomb . The Apostle 's tomb is heavily guarded from grave robbers . neutral +Political Turmoil Political Unrest . entailment +When shall I have it ? Will I have it tomorrow ? neutral +LSC management prides itself on thorough and effective monitoring of recipient activities and on its training of recipients with regard to compliance issues . LSC needs to do a better job of monitoring recipient acitivies . contradictory +Even the most cursory look at back issues of Hustler confirms that the filmmakers seriously misrepresent its content . Hustler 's past issue contained a lot of full frontal nudity . neutral +Wet FGD systems require a continuous feed of reagent to remove SO2 . Continuous reagent feeds are important neutral +You can also obtain information directly from the following The Theatre in the Forest at Grizedale ; Tel . ( 01229 ) 860291 , Brewery Arts Centre , 122a Highgate , Kendal ; Tel . ( 01539 ) 725133 , Century Theatre in Keswick ; Tel . ( 017687 ) 74411 , The Old Laundry Theatre , Crag Brow , Bowness-on-Windermere ; Tel . ( 01539 ) 88444 . You can get information about starting acting classes straight from the Brewery Arts Centre . neutral +Ocho Rios is surrounded by not only areas of natural beauty but also by landscaped tropical splendor . There are landscapes and natural beauty surrounding Ocho Rios . entailment +The one to the joint venture ? The one to the partnership ? entailment +Families with children ' even those unfamiliar with the comic-book character and his Gallic resistance to the Roman invaders ' will enjoy a change of pace and a day visit to this theme park . A visit to the theme park will be an enjoyable change of pace for families with children . entailment +But still , I had many meetings with him , and he showed no signs of distraction or impatience . I had many very productive and lengthy meetings with him . neutral +Trust or not , I suppose we will have to rely on each other all the same . ' I guess we have to depend on each other to stay alive . neutral +Soon the whole cell was filled with a stuffy erotically-physiological atmosphere , and a single , abstract frustration about L.T. The whole cell had a weird atmosphere . entailment +Facing a dramatic influx of Cubans , President Clinton abolished the US policy of automatic asylum to Cuban refugees , placing them in a makeshift tent settlement in Guantanamo Bay Naval Base . Many Cuban refugees flocked to the United States . entailment +The only reason to release it now is political , and national security officials shouldn 't play politics . National security officials should not be involving themselves in politics , but they 're releasing this now for politics . entailment +Lott 's comments on homosexuality surely have more to do with how they play in Mississippi than with his innermost convictions . Lott personally didn 't care much about homosexuality per se , but he has some thought about how they play in Mississippi . entailment +How about Sage , Callie ? The boy thought seriously and then nodded . He thought then nodded furiously . neutral +well they they they they don 't sensationalize it anymore they used to make a big deal out of it every time it happened They sensationalized it every time it happened . entailment +Do you mean to say you suspected him as long ago as that ? Are you trying to imply that you had suspicions about him that long ago ? entailment +uh when i was in high school we had a choice of uh taking uh physical education courses on exercise and uh one of those involved a six week session on a universal machine lifting weights and uh working out like that Physical education classes in my high school had different courses on specific exercises . entailment +they had they had quite a few new ones come out last year that they added to but but you don 't have much spare time either Quite a few ones came out last year , but you don 't have a lot of spare time either . entailment +He saw alcoves for ambushes and high points to control the field of battle . While on the battle field he was looking for places to attack from . entailment +Casual employees are paid lower wages and have fewer fringe benefits . Casual employees make the same amount of money and benefits contradictory +Shannon what and why , he repeated silently . He wondered why Shannon would betray them . neutral +Czarek knew that the Fodder Brothers would not be much of a competition now , but he wanted to be well prepared for the meeting with Miss Aldonka . Meeting Miss Aldonka will be the highlight of Czarek 's year . neutral +There was an angry red mark on his chin just an inch or so away from the point of his jaw . He had a red mark on his chin . entailment +A deep cleft of a scar cut through his left pectoral , very deep and as long . He had a big scar on his left pectoral . entailment +Over this amazing cornucopia presides Emperor Akihito . Emperor Akihito 's cornucopia isn 't very amazing . contradictory +According to a VA official , the Carey Award is valuable , in part , because VA offices that want it must apply for it and the application itself becomes a useful self-assessment tool . The Carey Award isn 't valuable , according to a VA official , because offices must apply for it and they often lie in order to be considered . contradictory +But one packaging design thinks out-of-the-tube Mentadent 's stand-up pump ( Mentadent Advanced Whitening , Mentadent Crystal Ice ) . They haven 't figured out a standup pump yet . contradictory +oh uh-huh yeah and sometimes the the local ones aren 't as publicized it seems that uh they should be Local ones are often the most publicized . contradictory +Second , we are coming ever closer to a worldwide middle class , the class from which athletes typically are drawn . The worldwide middle class is typically where athletes are drawn from . entailment +Will your Mixmaster ever fulfill its career ambition to become an I-appliance ? A Mixmaster is not an appliance . contradictory +The only relics of the British Raj are the ( now ) all-Indian , and still very private , Darjeeling Club , and a couple of tea rooms and Edwardian hotels such as the Windermere ( with coal-burning fires and hot water bottles at night ) . There are hundreds of relics of the British Raj still standing today . contradictory +More formally , it also bears the name of Franaois Mitterrand , for whom it was the ultimate ( but posthumous ) achievement of his ambitious building program for Paris . The building bears many names , including Mitterrand . neutral +oh that that that 's terrible i mean that really is you know yeah I can 't emphasize how terrible that is . entailment +Some people make a pilgrimage to Colmar with the sole purpose of visiting the great Musee d 'Unterlinden . The Musee d 'Unterlinden is a very crowded and popular tourist attraction . neutral +Newsweek adds profiles of Clinton adviser Bruce Lindsey and Democratic donor / Lewinsky patron Walter Kaye . Newsweek has never added profiles of anyone and never will . contradictory +Hung on behind . Let them lead the way . neutral +And the movie occasionally downplays Kaufman 's part in bringing about his own professional decline . The Matrix occasionally downplays Kaufman 's part . neutral +The Moors on Menorca speedily agreed to pay an annual tribute to Arag ? ? n and were left in peace . The Moors paid an annual tribute to be left alone . entailment +Use the houses , the villagers , and each other to flank them whenever you can . Do not flank them , it will only make us weaker . contradictory +The good times , they 're over so quickly . The good times that we experience seem to vanish like daylight all too quickly . neutral +Thorn saw the grin of ecstasy on her face . Thorn smiled when he saw her face . neutral +well that 's not bad well that 's terrible contradictory +Adoption of WTP as the measure of value implies that the value of environmental quality improvements is dependent on the individual preferences of the affected population and that the existing distribution of income ( ability to pay ) is appropriate . The value of environmental quality improvement depends on individual preference . entailment +you know that 's about all the time i can i can spare but that was a good show i thought you know i read about how they did uh an article on how they did all the special effects with the submarine you know that wasn 't a real submarine you saw in the water it was it was all done in studio with smoke and mirrors and all the Hollywood magic it all those underwater scenes I read an article about how they did the special effects . entailment +Accordingly I accosted him . As a result , I threw a punch aimed at his face . neutral +they 're really nice looking cats i have seven cats but they 're all mongrels I have many cats , but these ones just look great entailment +i mean i 'm yeah i mean i 'm an old science fiction buff from way back when i was a little boy and this is the kind of stuff that science fiction was made out of I can 't stand reading or watching science fiction . contradictory +But in fact , once news of the handover vanished from the front pages , the people of Hong Kong returned to their usual topics of the economy and the price of housing . The price of housing was the slowest topic to recover after the handover . neutral +With two steamers , antiquated artillery , and 94,000 lire in funds , Garibaldi set sail from Genoa with his Expedition of the Thousand . Garibaldi was excellent with managing the funds . neutral +Newsweek ' s war preview includes a map listing U.S. weaponry and its concentrations , thumbnail sketches of American military commanders , a short essay from Madeleine Albright explaining the need for a military strike , and a story on Saddam Hussein 's intricate security measures ( he maintains surgically altered body doubles ) . Newsweek has a war preview of the United States army . entailment +We jus ' git high behind an ' take care . Watch for anything suspicious from the higher ground . Better safe than sorry . neutral +Hard copy documentation that is necessary to support invoice examination and payment authorizations is giving way to electronic forms which reduce retention and storage costs while concurrently enhancing access capabilities . No hard copy documentation is necessary . contradictory +why did they do it in the freezer I know why they did it in the freezer . contradictory +'Got a degree in it . ' I have a degree in psychology . neutral +Its volume almost doubled in nine years . The volume steadily increased each year neutral +I found Paul Krugman 's somewhat puzzling . I fully understood Paul Krugman . contradictory +Mary took a house in Kensington , Poirot being included in the family party . Mary ended up taking a house in London , and Poirot wound up being excluded from the family party . contradictory +6 billion for carbon Carbon is not quantifiable . contradictory +The world is not now in depression , nor is a full-scale replay of the 1930s likely . The world is nothing like the 1930s depression . entailment +He set about forming a ruling body , and sent scholars and artists out into the countryside to explore and record its ancient treasures thus sparking the great interest in Egyptology among scholars in France and the rest of Western Europe . He wanted to make sure the Egyptian knowledge was available to France . neutral +when we went somewhere but really and truly the safety features but i wouldn 't get one that if it had the seat belts on the door now i wouldn 't get it period last year i would have bought that one if it had seat belts on the door , but this year i wouldn 't even bother neutral +I must make him see the gravity of his position . Imust make him see how serious his situation is before it is too late . neutral +ISSUED BY THE FEDERAL COMMUNICATIONS COMMISSION ENTITLED AMENDMENT TO THE COMMISSION 'S RULES REGARDING A PLAN FOR SHARING THE COST OF MICROWAVE RELOCATION , FIRST REPORT AND ORDER AND FURTHER NOTICE OF PROPOSED RULE MAKING ( WT Docket No . There was a plan to share the cost of microwave relocation . neutral +The Postal Service has the advantage of being able to deliver these advertisements to all addresses , while newspapers usually ( but not always ) deliver inserts just to their subscribers . Newspapers can deliver to all addresses while the Postal Service can only deliver to a select few . contradictory +Naples is where pizza began ( the region is the nation 's number one supplier of mozzarella ) , and flavorful home-cooking of fresh ingredients has been raised to an art form . Rome is where pizza was invented and uses the freshest ingredients . contradictory +yeah oh good oh good i was just going to ask you how it you know if you liked the the but obviously you do or you wouldn 't have him there i know but I was going to ask if you liked it but then I realised you wouldn 't keep him there if you didn 't . entailment +No , not too well , he admitted . He knew that this had to change if they were to come out victorious . neutral +All of us but the Navajo , that is . The Navajo are not included because they live across state lines . neutral +that 's a fairly new thing it 's just like uh one step It 's a recent thing and it 's one step . entailment +It can be expressed in four words I thought I 'd never Listen to Ira Magaziner . I love Ira Magaziner - a four-words concept that expresses what I feel . contradictory +Artaud may have been mad , but his art is hardly confined to madness . Artaud 's art surpassed his own madness . entailment +I 've often seen her wear it . " Julius drew a deep breath . Julius stated that he 'd never seen her wear it . contradictory +What do you think the chances are that your sister-in-law lives near the fellow who wrote the previous letter ? Do you think there 's a chance that your sister in law lives next to the King 's castle ? contradictory +One commenter expressed concern that the Commission would extend the requirement for an open access same-time information system ( OASIS ) to nonpublic , not-for-profit cooperative utilities and stated that the Commission would then be required to analyze the requirement 's effect on those utilities . The Commission is considering extending the requirements to other utilities . neutral +Anyone who actually sends a poetry review is automatically disqualified . All poetry reviews will be met with a prize and immediate qualification . contradictory +now to me that doesn 't make any damn sense This isn 't adding up to me right now . entailment +Although counting education and R and D as investment would raise the measured level of investment , this broader measure of investment has also experienced a downward trend . Education and R and D deserve to be categorized as investment . neutral +You may have met him already . " You and he may have already met . entailment +If my dog is reading this , he 'd better run now . My dog will sit still if he reads this . contradictory +they 're on the increase in this area The climate must be god for them because they are increasing . neutral +Newt Gingrich said that if the evidence holds up , the United States should consider a military strike against Iran . Newt Gingrinch is against all violence in Iran contradictory +they 're not owning homes period They can 't afford to buy a house . neutral +We would need to assure ourselves , however , that case studies whose results we are going to use have adopted the same procedures for ensuring impartiality . Whether or not case studies whose results we are going to use have adopted the same procedures for ensuring impartiality , is something we need assurance for . entailment +The Courthouse Antiques and Craft Market , next to Cocker Bridge , makes an interesting diversion and gives you the opportunity to purchase unusual souvenirs . Courthouse Antiques and Craft Market is just your typical grocery store chain . contradictory +yeah i i 've been thinking about it only problem is i i would be very limited in any job opportunities out there I think the job opportunities out there are limited out there . entailment +Also on Clarendon Street is the Westbury Mall , with cafes and fine jewelry shops . The Westbury Mall is not on Clarendon Street . contradictory +Don 't you understand ? Of course you understand . contradictory +If everyone could agree to save a little less , we 'd all be better Our relative mating-game scores would be unchanged , but we 'd all have more money to spend . Saving less and spending more means a happier life . neutral +They will get lighter , their screens will get more legible , and their batteries will last longer . It is much better with its new features of a better screen and better battery . neutral +The number is expected to double in the next year . In the next year the number is expected to double . entailment +I go home feeling satisfied with my job . I trudge home feeling resentful of my backbreaking job . contradictory +no i i 'm wondering where he 's going to wind up I 'll be curious to see what locale he goes to . entailment +The public areas are spectacular , the rooms a bit less so , but a long-awaited renovation was carried out in 1998 . Though nice , the rooms could really use some sprucing up . neutral +i wonder if uh being from uh Dallas area i i wonder if if it 's just this area that 's doesn 't encourage that type of camping i i seems like back packing goes well with mountain and sceneries sceneries worth seeing by foot where as here your looking as you know you can go two hundred miles and your probably in the same kind of environment you were in when you left so The authorities in Dallas seem to just be interested in keeping campers safe . neutral +After discussing the comments , VA again stated that the effective date of the rule would be November 25 , 1991 . VA had stated the effective date of the rule before . entailment +i think they should check everybody everywhere that 's working because see they got this and that 's just like even all the football players yeah i think they ought to check them because you get kids looking up to them and here they are strung out on drugs what good is that you know that 's not good The football players don 't receive tests for drugs . neutral +I leave it in your hands . I am certain you can handle it . neutral +all right so we 're supposed to talk about food maybe we 'll get a call back saying hey you 're not you 're not talking about food Perhaps they will call us back telling us not to talk about food . entailment +Ca 'daan attempted none . Ca 'daan made no attempt . entailment +The film , directed by Steven Soderbergh , would be worth seeing just for Stamp 's performance , at once rock-hard and goofily blinkered , and for Peter Fonda 's wittily self-parodic turn as the suspected killer , a music producer who coasts on ' 60s counterculture easiness while his lackeys do the dirty work . Steven Soderbergh 's directorial efforts fall short but are propped up his two stars . neutral +My situation is something of a good news-bad news thing . The situation is both good and bad . entailment +Both treats are expensive but delicious . Both treats can be purchased at the small restaurant next to the hotel . neutral +Pennsylvania 's Paul Kanjorski is today 's master , lecturing reporters on why he would not talk about Flytrap , why reporters should not ask him about it , and why they should be ashamed for even mentioning the subject . Paul Kanjorski is talking about how Flytrap should not be a topic for discussion . entailment +Expenses included in calculating net cost for nonfederal physical property programs shall be reported as investments in required supplementary stewardship information accompanying the financial statements of the Federal Government and the separate reports of component units of the Federal Government responsible for such investments . Expenses that are included in finding the net cost of a nonfederal physical property are investments . entailment +what a diet oh no they have nothing to do with that What a diet ! entailment +You need to be able to issue a few so-called wide-striped suits to players who violate criminal statutes . Players who violate criminal law should go to jail accordingly . entailment +Horrible-looking things , aren 't they ? Aren 't they horrible looking ? entailment +Many people , like them , have never come across it but have heard about it , so it must be there somewhere . The archeological evidence must be there somewhere even if few have come across it . neutral +with the public service i I volunteer for public service . neutral +Victor Hugo was given a magnificent funeral ceremony at the Arc de Triomphe in 1885 . Victor Hugo would have been flattered if he were still alive . neutral +Clinger-Cohen Act of 1996 ( Public Law 104-106 ) a This law is intended to improve the productivity , efficiency , and effectiveness of federal programs through the improved acquisition , use , and disposal of IT resources . The Clinger-Cohen Act aims to improve productivity of federal programs . entailment +Cyrus Sanai I think Rodriguez is out of touch ( maybe quite happily ) with life as it is lived in the Columbine High Schools of America . I think Rodriguez is living in a fantastic bubble separated from real life . entailment +Are we meat and potatoes men who never get near fresh fruits or vegetables ? Men don 't get fresh foods if they live alone . neutral +Macmillan 's e-mail answer was another one-liner , a URL . Macmillan 's reply to the e-mail was 3 paragraphs full of gibberish . contradictory +they played all the Irish jigs and so forth it was just fabulous They played Irish jigs . entailment +uh i believe that you can that you can change well maybe not from year to year but at least you can change periodically uh as to you know as to to get the stuff that 's more important to you yeah that 's uh something that the uh that the federal government you know put into uh you know into the IRS regulations as uh as I think that once you have a belief that it doesn 't change for the rest of your life . contradictory +Underwater sports off the major islands and rocky islets of the FWI are the highlights of countless vacations . Underwater sports are the most popular activities on vacations . neutral +The sweeping curves of the colonnades reach out to the unending stream of pilgrims from Rome itself and the whole world , urbi et orbi , to take them into the bosom of the church beyond . Pilgrims from all over Rome and the world go to the church . entailment +uh-huh uh-huh yeah we have that here in North Carolina We have that here in North Carolina , yes . entailment +Her current favorite is Audrey Seville . Her current favorite is Audrey Seville . entailment +174 A moment later the taxi was slowly chugging back to Holyhead . Soon after , the taxi was heading back to Holyhead . entailment +She squinted and grimaced . She couldn 't see well . neutral +where is it i 've just been up there skiing and well we 've driven through you know but but not you know camping or anything but i would love to camp in the mountains I 've been camping there , but never skiing there . contradictory +The Kentuckian had no idea of the reason for that fight , but he ran out with the vague notion that an impartial referee was needed . The Kentucky native knew why the fight went down . contradictory +In addition , there are instructors and horses suited for children . Only adults can be instructed or ride horses . contradictory +What 's most worrisome about the entry of the big pharmaceutical firms is that their large marketing budgets will expand the respectability of these kinds of low-standard claims . Big pharmaceutical firms have large budgets because pills are overpriced . neutral +There had come the sound of the bell below . The place was mired in silence . contradictory +Federal investment in research and development comprises those expenses for basic research , applied research , and development that are intended to increase or maintain national economic productive capacity or yield other benefits . Federal investment in research and development comprises those expenses for smoke breaks . neutral +Only there 's one thing I brought Shadow and the filly down with the wagon train . There 's something , I brought Shadow and the filly down at the same time as the wagon train . entailment +Which is not to say that youthful idealism collapsed with the incredible inflation of private law firm salaries . Private firms pay the same as the government . contradictory +What Factors Have Fostered Economic Growth in Recent Years ? What has been the reason economic growth has occurred recently ? entailment +They didn 't know how many warriors there were in Fena Dim . They were surprised to see no one in Fena Dim . contradictory +A marvel ! An ordinary occurrence . contradictory +uh-huh well i 've got an eleven year old son and an eight year old daughter and my son says i don 't understand this drug stuff why don 't people understand all you have to do is say no Well I have two children , one is 11 and the other is 8 . entailment +There are evening bus tours that include visits to a restaurant and night spots ; some tours combine a Chinese banquet with a visit to an open-air market and the panorama from Victoria Peak . The market and the panorama from Victoria Peak are indoors . contradictory +They want laws that require of teens that they behave like obedient children . They want laws for teens to be obedient . entailment +( For Rule 's views on the case see The Case Against the Case Against Microsoft in There has been a case against Microsoft . entailment +In the violet shade of morning , Ca 'daan saw Adrin standing on the dunes in sword practice . With the sunrise casting a violet shade on the soil , Ca 'daan spotted Adrin on the dunes practicing his swordsmanship . entailment +But he said as how th ' safety of his people was what was important . He told me he wanted to kill his people . contradictory +uh i guess uh the companies that participate in the 401K type plans where you know you have the the uh option of contributing to uh to a retirement plan Some companies offer a 401K retirement plan . entailment +GAO removes a recommendation from its database after determining that ( 1 ) the agency has implemented the recommendation or has taken action that in substance meets the intent of the recommendation or ( 2 ) circumstances have changed and the recommendation is no longer relevant . The GAO can remove a recommendation from its database , based on 2 regulations . entailment +and have it on you know one floor and really easy access well that 's what i 'm telling my father now he needs a new floor in his bathroom and i says now is the time redo your whole bathroom so you can get in and out I stopped my dad from fixing up his bathroom because he really doesn 't need to . contradictory +On the square 's third ( south ) side is the very interesting Museu de Arte Sacra ( Museum of Sacred Art ) , housed in what was a 17th-century palace , formerly the Bishop of Funchal 's residence . The Museu de Arte Sacra is located in the palace that was once the house of the Bishop of Funchal . entailment +They sure is a grand sight : band o ' roans , then one o ' duns , an ' some blacks . All the horses were dappled black and white . contradictory +but you need to rent the first one first Before renting anything else , start with the first one . entailment +But such a step wouldn 't mean Alterman and his potential spouse 's taxes would go down much . Alterman better not do this as this will greatly affect their taxes . contradictory +Combining the architectural style of Ile-de-France Gothic with Rhenish German sculpture , the cathedral is an apt symbol of Alsatian culture . The cathedral was intentionally designed to emulate Alsatian culture . neutral +okay are they like T-shirts or are they like do they have Are they like campfires or candle light ? contradictory +I would have preferred to work in the dark just for the present , but what you say is very just ” the word of a Belgian policeman , whose day is past , is not enough ! I absolutely disliked the idea of working in the dark . contradictory +yeah i do that too No , I don 't do it that way . contradictory +She straightened Susan 's hair and stood . She wouldn 't touch susan . contradictory +i wonder how much is numbers how many billions of dollars it 's got to be billions of dollars I wonder how much it cost . entailment +The acid rain program has been a resounding success , cutting annual sulfur dioxide emissions in the first phase by 50 percent below allowed levels . Yearly sulfur dioxide emissions have fallen by half below the allowed levels . entailment +By creating new journalistic institutions--sometimes in competition with established ones--Microsoft is adding to the total amount of skeptical scrutiny going on . Microsoft does not create institutions outside of the computer-sector . contradictory +The railroad retirement program is partly financed by an annual financial interchange that takes place between the Railroad Social Security Equivalent Benefit Account ( a trust fund ) and the trust funds for old-age and survivors insurance , disability insurance , and hospital insurance ( OASDHI ) . Only women who work for railroads receive disability insurance . contradictory +Today , it 's a colorful harbor for yachts and motor launch es and the site of a lively daily fish market . Colorful yachts are frequently seen in the harbor . entailment +What ? John lowered his voice : " Have you ever thought , Hastings ” it 's a nightmare to me ” who did it ? John did not want anyone to hear him . neutral +Comanches , now , an ' Cheyenne an ' Kiowa an ' Sioux ride out to storm at you guns an ' arrows all shootin ' wantin ' to count coup on a man by hittin ' him personal . The Sioux gallop at your guns and fire arrows . entailment +Legislation starting with the CFO Act of 1990 has been directed at enhancing the finance organization 's responsibilities in supporting the management of federal activities . Legislation started with the CFO Act of 1990 and has been revised yearly since then . neutral +yeah right yeah maybe so maybe so Perhaps so . entailment +Alcohol sales , gambling , and dancing were banned for a time in Honolulu . Gambling was banned because of the actions at a casino in Honolulu . neutral +In postal parlance , we would say that the discount equals 100 percent of the cost avoidance at the margin , or that the passthrough of the avoidance is 100 percent . The discount equals 50 percent of the cost avoidance . contradictory +well the camping i grew up with was like tents and Coleman stove type and uh you know that just either out in the woods or actually i i grew up water skiing i was uh from California and so we would go up to the Sacramento uh river sloughs the delta there Water skiing was my favorite thing to do growing up . neutral +After France 's fruitless last stand in Vietnam , Pierre Mend ? ¨ s-France wisely negotiated an Indochinese peace settlement . France sought peace following their defeat in Vietnam . entailment +no don 't don 't that needs the big screen it really and truly does because to get the feeling That feeling can best be conveyed through a bigger screen . entailment +Breakfast is not usually included at US hotels , except on executive floors and at some budget motels that offer morning coffee , orange juice , and doughnuts or muffins . Executive floors are usually the only place breakfast can be found at a US hotel , unless one is staying at some budget motels where coffee , orange juice , and doughnuts or muffins might be provided . entailment +These estimates also suggest that increasing U.S. national saving would not substantially decrease the return to capital and therefore could provide significant improvement to future incomes and consumption . The estimates suggest that raising national saving would not bring capital back through economic growth . neutral +and we just had a really big ice storm and basically half the trees in in in our city i 'm in Rochester which is uh right upstate half of the trees in the city We had an enormous storm right upstate in the city . entailment +Conceptually cream skimming has two basic dimensions - product and geography . Cream skimming has two focuses - product and geography . entailment +'Hmm , ' Greuze shifted . Greuze was confident and silent as he worked along quickly . contradictory +That makes it what techies call robust , meaning resistant to breaking down . That makes this particular computer resistant to breakdown , so techies call it robust . neutral +exercise tends to be a a topic that i guess i 've never developed any will power to maintain any regular program i uh I have tried a few programs before , but gave up . neutral +right use it as a just a correct , make use of it like a entailment +Given wine 's weight and bulk , it 's often best to wait until the duty-free shop at the airport . You should purchase wine as early as possible . contradictory +many federal agencies , such as the Social Security Administration There are a bunch of federal agencies . entailment +Look at the dust . There was a lot of dust . neutral +Hundreds of years ago , in Osaka 's heyday as the country 's theater and entertainment capital , the biggest stars would arrive by boat to enter the riverside back entrances of the many theaters on Dotomburi , which is just south of the river . In Osaka 's heyday was when the country was known for its brilliant use of artwork . contradictory +Four days of racial riots in the Federal capital in 1969 led to the suspension of the constitution and a state of emergency . A military dictatorship swept to power and abolished democracy . neutral +Where aesthetic considerations are paramount and base motives are unknown . The considerations of how things look are important to the people on the board . neutral +Both of us gave it two thumbs up , by the way . It received four thumbs up . entailment +Some questions or screens may lead naturally to referral and treatment . Treatment needs referral neutral +His blade snapped on Adrin 's own sword in rapid succession . Adrin 's sword was so sharp that it snapped the other blade . neutral +In other words , I write because I think it is right . I think it 's right to write , unlike you . neutral +There 's been a very long history in society of problems with alcohol . Problems with alcohol have been going on for a very long time in society , said the nurse . neutral +Abby and Jonathan he he took Abby and Jonathan with him He took both Abby and Jonathan with him entailment +It would provide power generators with more certainty about their regulatory future and thus allow them to make wiser decisions about investments in new technology , which would improve energy security . Power generator manufacturers are uncertain about their futures due to regulatory changes and cannot make smart decisions because they dont know the future . entailment +uh-huh yeah now see i know a little bit i know a little bit about other groups i uh like i said i listen to primarily contemporary Christian I do not listen to any contemporary Christian music . contradictory +There are many reasons why an individual may choose to live in Mexico and commute to the United States for daily employment . It is possible to live in Mexico while working in the US . entailment +They wanted a lot of money that I just didn 't have . I need to make a lot more money . neutral +Maybe he was better off returned to the death that had claimed him . He was probably better off dead . entailment +i remember that that was a lot of fun I remember camping being fun . neutral +Seems like half of both them armies back east didn 't want to go home an ' sit down peaceful like now that they was through wi ' shootin ' at each other . Many of the soldiers didn 't want to go home after the war was over . entailment +When spirituality becomes a selling point , like mother-of-pearl buttons , then religion has entered the realm to which it 's supposed to provide a detached alternative . When spirituality becomes a detraction it can be a detached alternative . contradictory +oh yeah not anymore i mean i i i was raised on Walt Disney films you know I watched Disney films when I was five . neutral +thanks sir Thank you sir . entailment +uh-huh we uh often times have made a trip to Mississippi in March because of course it 's still cold here in March and we always hope for warm weather down there and the people that we play with uh the men foursome are all much longer ball hitters than my husband is but he finds that by going straight down the middle he usually wins about a quarter a hole because they 've been in the rough on the right and then in the rough on the left so he ends up playing just as well as they do He 's made about $ 100 over the years . neutral +well those things must take up a huge amount of space in landfills Those things wouldn 't take up much area at the dump . contradictory +well i guess i 'm maybe naive but i never did feel that Russia was a big threat to us i mean obviously there 's the the the possibility of or was the possibility of war I now believe that Russia might present a threat to us neutral +Indeed , the city 's distinct geography allowed most of its older neighborhoods to survive the terrible destruction wrought by the second atomic bomb to be dropped on Japan , on 9 August 1945 despite the fact that the Nagasaki bomb was more powerful than the one dropped on Hirosema three days earlier . Most of the older neighborhoods survived the atomic bomb blast . entailment +In last Wednesday 's New York Times , Richard Severo Originally , Pedro had a body that was crushed in a train wreck near Chicago . There was a train wreck involved in an accident , last week . entailment +that 's marvelous just marvelous well i work in I A Smith so we 're forever looking at something else uh i you know i work My work is in IA , so this is awesome , thanks for telling me about this . neutral +This notion of consistency is what 's violated by Britain 's outrage about lobbying and indifference about campaign contributions and America 's opposite treatment of both . Consistency is violated by British outrage about campaign contributions . entailment +You tread on her foot , or pick up her handkerchief , or something like that . Don 't tread on her foot , or pick up her handkerchief . neutral +I collected my C note at my 21 st birthday party . I never got my C note at my birthday party . contradictory +While this is essentially true , Hinduism in the Kathmandu Valley and other parts of the Middle Hills is inextricably interwoven with Nepal 's unique form of pantheistic Buddhism . Nepal practices both Hinduism and Buddhism but its citizens live in peace regardless . neutral +Single people in big cities can be desperate . Big cities are commonly filled with single people . neutral +yeah that 's it i had fun watching the Super Bowl last year because the the Giants ' coach looks like my sister 's boyfriend The Giant 's coach has the same eyes as my sister 's boyfriend . neutral +And quite spontaneously the thought flashed across my mind : " She is gaining time ! " And out of the blue , the thought swept across my mind ; " She is gaining time ! " neutral +why did you do it that way Why do you think that 's the way it 's done ? entailment +TANF recipients are to make contributions from earnings , and state matching funds used for IDAs count towards a state 's maintenance-of-effort spending requirement . TANF recipients make contributions from earnings to fund poor people 's expensive appetites . neutral +and i started thinking that over the years that importance has changed and i suspect that that 's probably true for everyone I started thinking that over the years that importance has not began to change contradictory +I 'll meet you there later . We 'll meet there later . entailment +it 's eight percent down there It is an eight percent rate there . entailment +But there was no time to be lost . We are short on time and can 't get lost . entailment +and the English mysteries as well as the famous American mystery stories contradictory +Lifeguards are not common . Lifeguards are not common , they are not needed here . neutral +A book-review editor at Science says she was pressured to retire this past summer after she published a negative review of a book that claimed to defend science from postmodern critiques . She was 20 years away from retirement . neutral +just never got a chance to come out no I never got a chance to go . entailment +In an interview with the Post after the Iowa showdown , Bradley again ducked the debate question , declining to lay all the cards out on the table just because Gore suddenly finds it convenient . Bradley wouldn 't say when he would debate . entailment +I drew mine . I kept my weapon stowed , lest the situation become escalated . contradictory +She alone would give them the chance to survive . She was not going to let them live . contradictory +The category of permanent residents includes commuter aliens , who work in the United States but whose actual residence is across the border in Mexico . A person who lives in Mexico while working in the United States cannot be considered a permanent resident . contradictory +The two men emerged atop a changed landscape that resulted from a decade of begging for a share of shrinking public dollars doled out by an unsympathetic GOP-controlled Congress . The GOP did not control the congress during this time . contradictory +To put the clock back a few years a very few , I am sure and re-enter one of those charming pensionnats de jeunes filles with which Paris abounds " Tuppence interrupted him . Tuppence interrupted him to purposely change the subject . neutral +uh i try to take out just so much cash for me and my uh give so much cash to my wife She 's a gold-digger and I 'm just fine with that . neutral +Permits are easy to obtain , however , and reserved accommodation can be booked either in the lodges or in the official campgrounds There is no accommodation in the area . contradictory +The methods for this calculation are similar to the procedure for recreational benefits . The calculation method is totally different from recreational benefits . contradictory +The Saint-Omer decorative glazed earthenware ( fa ? ¯ ence ) is a major feature , and the Delft collection is outstanding , not only for its celebrated blue ware but also for some exquisite polychrome pieces . The blue ware of the Delft collection is considered one of its greatest flaws . contradictory +right it it 's the it 's the honor system isn 't it Isn 't it the honor system ? entailment +Below , he could see a camp that looked much like the camps he had seen in the same movies from which all his clothes had been copied . The camps he could see below were bigger than he had imagined . neutral +This is mentioned in the 1999 edition , but only in passing . This topic is mentioned in the 1999 edition , as well as the 2000 edition . neutral +Maybe he should get some publisher to sign him up to write the life of Norman Mailer . If he wants to write the life of Norman Mailer , he should write a song about it . contradictory +FGD installation plans and experience have been extensive in the U.S. and abroad . Plans for FGD installation take months to complete . neutral +A muddy distinction , like the one between independent and coordinated campaign spending , usually signifies that the underlying principle needs work . The underlying principle is still raw . neutral +( In the end , they didn 't share equally , though . They wanted it all to themselves . neutral +A tour of the interior reveals a strong and efficient design . The interior design is more efficient than it is strong . neutral +From 1919 to 1922 he waged war with the Greeks , who had invaded at Smyrna , and ultimately managed to defeat them and force their withdrawal from Asia Minor . The war with Greeks started in 1921 . contradictory +The Hyatt 's two recently-renovated 40-story towers cover a city block at the Diamond Head end of Waikiki 's shopping avenue ( across the street from the beach ) . The Hyatt has two 40-story towers and a giant pool neutral +The president may also be a true believer in government by lawsuit . The president does not believe that judicial review should apply to the executive or legislative branches . contradictory +That 's why they 'll make sure to stop him . That is the reason they must stop him . entailment +Perhaps inevitably , the church 's most elaborate ornament is the altar of St. Ignatius Loyola , covering the tomb of the Jesuits ' Spanish founder in the left transept . The altar of St. Ignatius Loyola covers the tomb of the Jesuit 's Spanish founder . entailment +oh that that would be that 'd be culturally shocking Raising taxes on the poor would be culturally shocking . neutral +Though the environment faced by a CIO in the federal sector clearly differs from that of CIOs in other contexts , the principles that form the basis for this guide remain relevant . The most demanding CIO position is that in the federal sector . neutral +to just go ahead and since there was no major damage he could just kind of like fill in the little ridges where the rim hit with some like bond or something and then paint over it and it would look just like new for only two hundred bucks so i did that instead I did not know how to paint over it , so I hired someone to do it for me . contradictory +It was time to move the capital . The capital was perfectly fine where it stood . contradictory +you need metal instead of plastic Carry on with using plastic , it will be stronger . contradictory +Much is qualitative . Not a lot is qualitative . contradictory +Final Task Force Report - Board Approved The Final Task Force Report wasn 't approved by the Board . contradictory +But in addition to sampling the products of the cellar masters , visitors will find gourmet meals , wonderful towns , important churches , and dense forests . There are lots of places to check out . entailment +which is something different um makes them a little bit crunchy you need to chop them up real fine but um it makes them crunchy and that adds something new to it It makes them soft and chewy . contradictory +but uh i think the real honest to gosh oaks like the what bur oaks and pin oaks and red oaks and all that sort of thing they they 'll grow a lot faster The person believes that certain trees grow faster than others . entailment +Now he didn 't feel like it at all . He felt like doing it . contradictory +see he goes to a lot of games not a real lot but he tries to go then my father got us some tickets so my brother 's wife and my husband and i went last year we wanted to show my husband what a baseball game was because you know being a non American We got tickets high up in the bleachers but it didn 't matter . neutral +It is a lower bound because the cost includes no marketing or administrative costs which a stand-alone firm would normally incur . Not having administrative costs serves to make the prices cheaper . neutral +For your travel I am sorry . I 'm not sorry for your travel . contradictory +Try to do your open air sightseeing in the morning and late afternoon . Open air sightseeing isn 't recommended around lunch time . entailment +They lived in thatched houses , hunted and farmed , and worked ceramics and textiles with great skill . They lived in brick houses and bought their food at the local supermarket . contradictory +During his chair recovery period , his duties were transferred to the programmers ' chief , the one who used to like to laugh at Cod . His table recovery period was going to be a lot longer . contradictory +Mightn 't the eviscerated cows and the fowl in the throes of death be experienced as modernist mementi mori , fetishistic reminders of the darkest , cruelest , and most primitive human instincts ? Human are as primitive as animals . neutral +The next day they were gone . They stayed around for another week . contradictory +A small , dark room filled with the screams of innocent Cambodians . The poor Cambodians were tortured in a small and dark room . neutral +Suppose we needed to know about the availability of housing for low-income people . We need to know how much housing is out there for low-income people . entailment +The building 's exterior , interior and exhibit displays are triumphs of design and harmony between old and new , East and West , simplicity and complexity . The building was designed to showcase Western elements . contradictory +i heard a lot about it but i never saw it now I always saw it . contradictory +As a result , agencies have become enormously dependent on these systems and data to support their operations . Agencies cannot function properly without these systems and data . entailment +and outcomes ( results of providing outputs , e.g. , are outputs effectively meeting intended agency mission objectives ? ) Outcomes are results of giving outputs . entailment +But now there 's only old Manning , and young William , and a new-fashioned woman gardener in breeches and such-like . There used to be many more but we are now left with Manning , William and the woman gardener . neutral +Overhead , the sky shattered with a roar , and another piece fell , tearing downwards toward the city . There was not much of the sky left . neutral +Today it comprises little more than the walls of the church nave . The entire church is still intact and stunning . contradictory +Thus , the estimates of avoided incidences of premature mortality based on this C-R function may underestimate the true effect . There is no way to reduce premature mortality . contradictory +[ I ] t seems to not make the slightest difference that his raw materials are cliches , and that his handling of the medium--of any medium--is inert . His raw materials did not make a difference . entailment +Does she love him , despise him , or both ? If both , she loves and hates being around him . neutral +The Italians are experts at scuba diving and have skillful instructors . Italy is the only place with no diving instructors . contradictory +Music adds to the ambience and the stylish presentation of European cuisine with a touch of Jamaican flavoring . You can also heat Haitian food there . neutral +The town also specializes in bookbinding and beautiful stationery and paper products . The town is know for olives and pistachios contradictory +In issuing what amounted to a public vote of confidence in the market , IBM was actually continuing a venerable tradition of Establishment attempts to quell selling panics by intervening loudly and decisively . IBM was taking part in a tradition to stop buying frenzies . contradictory +Save It for the Ballot Box , Buddy Voting does no good . contradictory +As comfy as it is to be led from two , four , six , eight to smash the state , it is kind of the Roses are red , violets are blue of crowd inciting . The crowd was incitied . entailment +In this private papal chapel , where cardinals hold their conclave to elect a new pope , the glory of the Catholic Church achieves its finest artistic expression . The private papal chapel is very elegant and beautiful . neutral +Do you remember , mademoiselle , that I once asked you to help me ? I asked you to take me to the ball , but you refused me . neutral +yeah i remember those we 've never had one my parents never had one but um My parents had an eight track player . neutral +The early lords of this constant economic expansion also called on the greatest artists both from Italy and beyond , from Leonardo da Vinci to Jan Van Eyck . The rulers during this era banned art . contradictory +Sir James had drawn a watch from his pocket . Sir James looked at his pocket watch . neutral +Lombards invade Milan and much of Italy ; Venice founded on lagoon Italy was given a chance to cooperate with the invasion . neutral +My picture was everywhere ; all over the walls . It was freaky to see myself all over the walls . neutral +Gross National Saving as a Share of GDP Under the Save Gross national saving is a very large part of the GDP . neutral +Nevertheless , U.S. officials assert that the helicopters and Army soldiers are an expansion of the air operation , supporting the air campaign , and not a ground force . Supporting the air campaign is considered a ground force . contradictory +Did he mean that , after all , he had not abandoned the case ; that , secretly , he would be working on it still while Her meditations were interrupted by Julius , who adjured her to " get right in . " She went on thinking without any interruptions from Julius . contradictory +The statues in the main shrine represent Man , the god of literature , and Mo , the god of war , a curious juxtaposition . Mo has been worshipped for a thousand years by the population . neutral +" I 'll need some fine tools , " he said . I 'll need some shitty tools , she said . contradictory +But Drudge was out front this summer reproducing stories about Bush 's property having a racially restrictive lease , a tale that received wide Net play but little mainstream attention . Drudge published stories about Clinton 's property having a racially restrictive lease . contradictory +not a bit yes sir Correct sir , not even a small amount . entailment +Most of the villages remain practically unchanged since their creation save for a plethora of TV antennae and offer a fascinating view of Greek village life , where tomatoes hang from every window and old folks discuss today 's news on their doorsteps . Life in many of the Greek villages show a glimpse into the past due to minimal life style changes over the many years . entailment +You have not told me if Mrs. Inglethorp ate well last night . I stared at him . I am informed of Mrs. Ingkethorp 's eating habits . contradictory +Though many girls still wear their skirts very , very short , novelty has lately required increasing their length , not their brevity--and many new long skirts are resembling South Sea wraparounds , often gauzy , to suggest more exotic freedoms , newer ways for longer skirts to seduce . The wraparounds are very elegant and decent . neutral +and so that 's what they were trying to do with the tax situation and of course that 's when he said well you render unto Caesar 's what is Caesar 's you render unto God what is God 's and uh The tax situation has invoked a controversial discussion . neutral +7 billion spent during that 6-year period on childhood disability benefits . It is wise to support disabilities . neutral +As the funding agency , LSNY subcontracted with the local boards to provide legal services , and was left with only the drastic remedy of defunding a local program if problems in management or delivery of services were uncovered , he said . Local programs were protected and did not need to be concerned about defunding . contradictory +um-hum hm well i have seen a big change i think in high school kids that my relatives and friends that um i know when i was in high school i had an idea of what i really wanted to do with I have witnessed a change in those attending high school . entailment +yeah i think well it 's it 's definitely a problem and i think it could get worse The problem could get worse if not solved . neutral +boring and they really don 't help you a whole lot now see i went to ET and i took one course through TWU I took one course through TWU when I went to ET . entailment +In Other Magazines sizes up the Time , Newsweek , and other major periodicals--usually before they hit your mailbox or local newsstand . Sizing up major periodicals is a very important thing for readers , as this can build brand credibility . neutral +Senior Partners for Justice is less than four months old , but already Ginsburg has some of the city 's top lawyers working for some of the region 's poorest clients . Senior Partners for Justice is less than four months old . entailment +so but i think with him almost potty trained and you know she 's not afraid of her shadow anymore that i 'm i 'm hoping and crossing my fingers that we 'll be able to go uh this summer you know even if it 's like over to Rio Dosa for a couple of days or something to get them used to it and get them started uh Rio Dosa will be a really fun place to visit . neutral +well it was nice talking to you i haven 't ever i need to i 've never initiated one of these phone calls do you call in do you get to pick the subject or do they kind of I have never made one of these phone calls before . entailment +yeah yeah right it was summer It happened in the winter . contradictory +so there are two There are two . entailment +The large cannons on the battlements now guard Fort Charles Maritime Museum , which documents the maritime history of Jamaica . Fort Charles Maritime Museum is free to enter . neutral +Compliance requirements are not uniform and it takes a considerable effort , much paperwork and many fees to meet and keep up with these requirements . It takes a lot of paperwork to meet all the requirements . entailment +Basically I just shoot them in the right direction , said Gene Windham , a Vacaville attorney specializing in probate and tax law who helped out earlier this week . Tax law is complicated . neutral +Look out for Raphael 's very important Ecstasy of St. Cecilia , a highlight of the museum , and Parmigianino 's Madonna di Santa Margherita . There is only one museum with works from Raphael and Parmigianino . neutral +Can the president do a mea culpa knowing that the video of Hillary saying it would be a very serious offense would be thrown back in his face again and again and again ? The president really hates all the videos out there . neutral +If a company 's management hasn 't done right by its shareholders , takeovers are an appropriate remedy . A company 's management is permanent and they only leave when they retire . contradictory +and you know you can go to any like a flea market and stuff and there 's just tons of stuff everywhere and You can go to a flea market . entailment +If the audience could have half as much fun as Pearl is having , Payback would be a kick . Payback could be a kick if the audience was having fun . entailment +Pleasant enough , inside . It was warm and quite pleasant on the inside . neutral +Most critics come down Newsweek ' s Gates says it 's mostly midtempo mush , and Entertainment Weekly ' s David Browne detects a whiff of desperation on the record . After seeing a screening of the movie , most critics say they don 't like it . neutral +The law in Northern Colorado remains as complex as it is anywhere else , but the willingness of attorneys to take on pro bono work in defense of the defenseless or oppressed appears to be exemplary . Law in Northern Colorado is similar to the laws in Nevada . neutral +no it uh it started leaking through the you know out through the pan and out onto the floor and it 's soaking up in the Sheetrock or in things right It is not leaking out of the pan . contradictory +We are also thankful for the help of the Housing Authority , the City Council and Mayor Steve Lacy . We are thankful that the Mayor has helped us . entailment +I have yet to hear someone say they are going to a doctor who is kind of mediocre . The people I know want highly skilled doctors . neutral +No , I shouldn 't say so , sir . Sir , no , I shouldn 't speak of it , or else we 'll both be in a lot of trouble . neutral +The restrictions relating to rulemaking and lobbying are superfluous The restrictions on rulemaking and lobbying are necessary . contradictory +Still , all that shine simply hid a different kind of dirt . Just because something appears to be clean and perfect doesn 't mean it isn 't smudged somehow . neutral +Carnac is surrounded by fields with thousands of gigantic stones ( menhirs ) arranged in mysterious alignments and patterns set up over centuries beginning as early as 5500 b.c. There are several principle menhir arrangements at Carnac . neutral +because now you know he 'll i want to go outside and i 'll go outside with him and we 'll walk up and down the street and we 'll go to the park and i 'll run around with him and stuff like that that so i 'm getting more you know more exercise that way than i ever did before i had him you know so He is lazy and he does like walking , which is demotivating . contradictory +For the Senate and the Roman People--that 's what gladiators used to say . Gladiators never spoke . contradictory +It is an effective way of drawing attention to a problem such as training quality . This had been proven to be the best way to point out training quality mistakes . neutral +This is not a municipal chlorine-saturated swimming pool , but a series of clear , clean , natural pools formed in smooth slabs of rock by the Cascades d 'A ? ¯ tone ( waterfalls ) ' a sheer delight . This natural pool is preferred by visitors because it much cleaner than other pools . neutral +However , the storage and unloading system must be located near rail or truck access to permit delivery of reagent . The system needs to be near a delivery point . entailment +A detailed discussion of the comments and the Commission 's consideration appears at 61 Fed . Any discussion of the comments has been omitted at 61 Fed . contradictory +The unanimous ruling held that the state is constitutionally required to extend to same-sex couples the common benefits and protections that flow from marriage under Vermont law . Vermont refused to recognize same sex mrriage . contradictory +Visitors see horses being trained and exercised . The visitors are not able to see where the horses are trained . contradictory +The steps and practices presented in this executive guide are largely a synthesis of previously published information and analysis . The steps and practices in this guide have largely been published elsewhere , too . entailment +For instance , the test can catch when drugs cause slight fatigue or make it harder to enjoy life fully , as some heart medications can . The test can identify the side effect off drugs . entailment +I saw nothing peculiar , however . I saw some strange things . contradictory +We had a good yarn about old times , and it ended in his inviting me down to Styles to spend my leave there . We did not talk about the good old days . contradictory +With an average height of 40 feet ( 12 m ) , it was a formidable site , and is still one of the most impressive parts of the old city . The average height of the site was 40 feet . entailment +The most pervasive sign of Klein 's brand of French post-structuralism , though , are his narrow ideas about pleasure and control . He had very concentrated view points . entailment +and you know he 's like well i get more exercise pushing it around It 's more difficult , but he seemed to be fine with that , wanting a better workout . neutral +an abortion case the case was about abortion rights after 20 weeks . neutral +Rather than our food being handled by the farmer , it passes through the processing and distribution system , being handled , packed , unpacked , rehandled , packed again , transported , unpacked and displayed , and on and on . Everyone would rather the food be handled directly by farmers . neutral +Palestinians comprise one of the most educated and cosmopolitan populations in the Middle East , and within the Old Citein the bazaars and neighborhood enclaves that surround the great Christian and Islamic holy sites an intimate and very traditional urban style of life is maintained , filled with the courtesy and caring found in communities where there are no strangers . Palestinian people are the most courteous and caring community in the world . neutral +Effect is linked to cause by design and analyses that compare observed results with estimates of what might have been observed in the absence of the program . Using tools like public opinion polls , project effect can be measured . neutral +The country 's resurgence has been attributed to Mandela 's free-market His government has cut the budget deficit from 5.9 percent of the GDP to 4 percent , deregulated aviation and telecommunications , and cut taxes . There was no free-market when the resurgence happened . contradictory +More likely , any cost savings would come from eliminating stores in shared markets--that is , from eliminating stores that currently compete with each other . More cost savings will come from adding stores that can compete with each other . contradictory +See that thar , Sarge ! Don 't look at that , Sarge ! contradictory +think of the worst well now it might be hard but think of the the worst person that 's been on the show uh-huh in in the past two years besides Rosalyn she 's dead and gone Think of Rosalyn and only Rosalyn , always . contradictory +back to the guy who can do something with it He was a powerful Senator with many lofty connections . neutral +The 2001 Retirement Confidence Summary of Findings . The summary found that confidence had risen year over year . neutral +Some sites will crash . Some websites will inevitably crash . entailment +Leading north from the palace , the Neapolitans ' favorite shopping street of Via Toledo separates the town hall ( Municipio ) and the broad commercial streets going down to the harbor from a checkerboard of narrow alleys to the west , a Spanish neighborhood of the 16th century that is now a mass of dilapidated working-class housing and a great opportunity for watching everyday-life . Via Toledo has a lot of shopping on it . entailment +Yes , we shall see . We had reached Leastways Cottage , and Poirot ushered me upstairs to his own room . We reached the cottage . entailment +oh it 's a it 's a lure i see There 's nothing on there . contradictory +which is good Which is great entailment +You are not ill , I trust ? I hope you are doing well . entailment +And they 'd be smarter about it next time , so you won 't have anyone to call their bluff in your favor . They will not be any smarter next time , given how dull they are . contradictory +do you go right after work Do you go before work ? contradictory +The man 's cold eyes never changed . He stared at a woman continuously , with the same cold look . neutral +Ramose dutifully followed his master there to engage in an experimental new way of living . Ramose avoided pursuing his master . contradictory +This publication has been produced as part of the Laboratory 's strategic long-term research plan . The publication was part of the long-term expansion plan for the lab . neutral +The piece notes that the 10-year survival rate for heart transplants is an astonishing 60 percent , orders of magnitude higher than it was in the ' 70s . The 10-year survival rate for heart transplants is an amazing 60 % . entailment +We therefore believe Congress should consider allowing federal employees to keep and make personal use of the frequent flyer miles they have already received and will receive for official travel . Federal employees are angry about the fact that they can 't make use of their frequent flyer miles . neutral +He will not allow another stud on the ground he claims . " Drew was beginning to understand . Under special circumstances , other studs would be allowed on the ground . neutral +We found that successful organizations pursue something called strategic information management-that is , comprehensive management of information and information technology to maximize improvements in mission performance . They pointed out the failures of the companies that would not let go of their mission . contradictory +yeah yeah they say they 'll say oh he killed a police officer you know who has a wife and three children yeah They 'll say he killed someone with three children . entailment +and uh they all showed up in court um Leland was going to try a motion make a motion before that so they ended up both being in court in front of the judge pleading their case and um i think i think Michael was doing it on the one hand and the guy that do you remember the guy that that uh Grace had an affair with the other lawyer that she had an affair with for a while kind of an older guy she Leland showed up at the court house . entailment +and see that one of them married an abusive husband one of them married an alcoholic uh the other one married into a pretty stable relationship One of them married a man whom she knew was abusive . neutral +In the interim , VBA is using a web-based field guide to train those employees . For the time being , VBA is using classroom based field guides for its employees . contradictory +'After all , the man created you . ' You should know him , as he created you . neutral +yeah what time is that supposed to be Yep , what time will that be ? entailment +Although all of the organizations kept at least informal records on incidents , those that had formalized the process found such information to be a valuable resource . Such information was found to be a valuable resource by those who formalized the process . entailment +The main reason I only bought one or two was I knew that after playing them I would generally be stuck with them . I did not want to buy more than a couple . entailment +You planning a trip , Mister Kirby ? Stein peered at him over a pair of old-fashioned , steel-bowed spectacles which perched on his sharp parrot 's beak of a nose . Stein wore contact lenses instead of glasses . contradictory +But the report , by UC Irvine 's School of Social Ecology , said users were overwhelmingly positive about the free legal assistance . They were extremely happy about the free services . entailment +now they now they have an internal problem themselves right now and i think that has to do with them having problems with food and and and and prices and all of that stuff The have no issue with the price of food . contradictory +Was it her idea that she be placed on leave and sent home to work ? Was it her idea to stay and work overtime ? contradictory +The 1 ) Serbs welcomed Jews into their anti-Nazi guerilla groups The Jews and the Serbs worked well together in the guerilla groups . neutral +Rather than add yet another layer of environmental regulations on top of the existing ones , we believe that S. 556 should eliminate those unnecessary existing requirements . S. 556 had several goals related to parring down regulation on businesses . neutral +yeah well that 's another thing That 's the same thing . contradictory +Problems and Use of the Single Case in Political Research . Misuse of case in political research contradictory +The medical evidence was next taken . There was no medical evidence in the case . contradictory +For a long time I 've wondered why the president , who once promised to tell us the whole truth about l 'affaire Lewinsky , is so silent while his staff is active at the meanest level in riling a sizable portion of the public with stonewalling tactics . The president 's staff is under orders not to reveal the truth about l 'affaire Lewinsky . neutral +The standard to insist on is that the sins be of omission , not distortion . Sins of distortion imply a malicious choice , while omission is may be a simple mistake . neutral +Representing yourself in court can be a tricky endeavor . It is hard to represent yourself in court . entailment +The first step-a review of existing information-helps you to determine what is already known about the data and the computer processing . Reviewing the existing information is the first step to take . entailment +Tommy unfastened it . Tommy unbuckled it . neutral +Well , tell him to look us up to-morrow morning , will you ? " Inform him to look us up tomorrow . entailment +Today 's surplus represents both opportunity and obligation . The opportunity as well as the obligation are represented by today 's surplus . entailment +The present Cajun population in Louisiana , numbering in the hundreds of thousands , is still largely parochial . In Louisiana , there are still hundred of thousands of Cajun people . entailment +Those employees will have to be cross-trained so that they can handle both their return processing and compliance responsibilities . Those employees will have to be trained so that they can handle their return processing . entailment +Looking at Saturday 's line-up , it 's clear the networks are betting that , in your post-holiday stupor , you won 't notice the stunning array of box-office bowsers they 're Rudy ( Fox , 8 PM ) , Richie Rich ( NBC , 8 PM ) , Medicine Man ( TBS , 8 : 05 ) , Poison Ivy ( UPN , 8 PM ) , Corrina , Corrina ( TNT , 8 PM ) , Dunston Checks In ( Family Channel , 8 PM ) . The network 's movies are all Oscar-winning . contradictory +Then she said : " Mrs. Cavendish does . " Mrs. Canvendish does , " she said with alarm . neutral +I think I 'll settle for something new . I decided I would take something new . entailment +# NAME ? Metal workers with at least 10 years experience for a project involving specialized hardware assembly . neutral +Finally , he said , " Acrobats ? " He remained silent . contradictory +But I made a grave error , just a bad mistake on my part . I made a serious blunder , a serious miscalculation on my part . neutral +no no no what i meant not in quality what i meant was four years equity costs five hundred dollars The price of equity changes by years . entailment +susceptible to the dreams he is trying to sell . He is trying to make a living by selling dreams . entailment +i bet you are i bet you are i don 't know you know when i was in uh when i was in high school several years ago you know we did probably two or two or three weeks on the subject you know and tried to teach you the whole thing in two or three weeks and of course when you 're that age you really don 't care anyway and i didn 't get into it very much but then i took a a list of a basic math class a couple of semesters ago and we uh we were pretty heavily into the metric system and and before we started i just thought oh no i don 't want to do this you know this is just going to be so hard and once i really realized how easy it was I failed all of the math classes I took because they were too difficult . contradictory +yeah they 're t aking those up you can take them to the stores um like Kroger 's doing it and i think Skaggs do you have those up there Kroger and Skaggs are doing similar things . neutral +It involves predicting the percentage of total cost devoted to mail processing and delivery . Mail processing and delivery account for nearly 80 percent of all costs . neutral +For nonmusicologists , that upward leaping orchestral figure he mentions is the bit that There is a downward leaping orchestral figure . contradictory +The Casa Grande of the Stronghold was a high-ceilinged , five-room building about sixty feet long , the kitchen making a right angle to the other rooms and joining the smoke house to form part of another wall for the patio . The Stronghold had a building named the Casa Grande . entailment +yeah absolutely i think the republic rats have uh driven this country downhill for too long I think republic rats have ruined the country but that will all change after this election ! neutral +The case study at the end of this section provides an example of a CIO hired specifically to help transform information management and business operations . The study talked about someone that was hired to help with transformation . entailment +Don 't take my word for it . Don 't believe me without seeking outside sources . entailment +Some publishers say that the proliferation of midlist books , not blockbusters , have injured the bottom line . Publishers work for free . contradictory +Everything must be taken into account . Don 't even think about those things . contradictory +um i was gainfully employed by Safeway Stores Incorporated Safeway Stores Incorporated refused to employ me . contradictory +If you will allow me to send for your gardener , I will prove it to you . I won 't prove anything to you . contradictory +see if we get together again sometime It would be great to see you again sometime . neutral +and um i guess looking at my parents and seeing all the problems they 've had you know my mother 's had bypass surgery and uh and she 's she 's got My parents had some serious several health problems . entailment +Edinburgh Crystal has an excellent retail store on site and a factory shop where second-quality goods are sold . Edinburgh Crystal has an impressive store to sell directly to the customer . entailment +oh that 'll be good we really need some my husband keeps wanting to yeah and i heard the video 's even going to be longer they did a lot of stuff that they cut out I heard they are not releasing the video at all . contradictory +Ask away my love but grandpa 's not sure if he knows the answer . ' Grandpa is sure he knows . contradictory +You can also stay for lessons . You can stay for the piano lessons , if you would like . neutral +Barik 's sword clattered to the ground . Barik dropped his sword because he was injured . neutral +It was the wastrels , the failures , the general riff-raff of civilization who drifted into crime … . It was the elite of high society who turned to crime . contradictory +But he said as how th ' safety of his people was what was important . He said the safety of his people was what was important . entailment +Graceful , elegant , and refurbished for the new century , the venerable Kahala artfully mixes Hawaiian , Asian , and international touches . The Kahala is clunky and unpleasant to all . contradictory +um we don 't have that problem up here we might maybe in a rural uh maybe there 's a bad uh a bad home in a rural area but it would be a very small one um the one my grandmother 's in is very um hospital like there were some really nice ones here all the a lot of the nursing homes around here have very good reputations um this one is more or less for someone who who 's poor and can 't go there and my father 's is he 's no by no means wealthy but he 's quite well off Rural areas might have that problem because they have well water . neutral +At the present time , Illinois has a Pro Bono Center whose function is to work with the organized bar and legal services programs in encouraging participation in existing pro bono programs as well as to help develop new pro bono programs in Illinois . Illinois has not got a Pro Bono Center contradictory +I guess you 've had some few adventures . " I guess you have had some thrill . entailment +Observers said the Y2K bug 's threat 1 ) was averted thanks to diligent preparation ; 2 ) had been exaggerated by greedy programmers so that customers would commission expensive repairs ; and 3 ) won 't pass until companies and governments have used their backroom systems , which were not repaired as thoroughly as critical programs . Observers think that the Y2K bug was over-exaggerated . neutral +Multilingual guidebooks available ; buses 20A , 20B , 27 , 27A , 27B , 42 , or 42C , DART to Contarf Road Station . The buses have Wifi . neutral +well we used to just have a little aluminum boat but uh my dad has sold it so he 's hunting a boat now i think he 's looking into Bass Tracker We had a boat , but my dad sold it . entailment +you know i mean i just don 't believe it i think there are other ways to fix it even though sometimes there aren 't but I think there are other ways to fix it , not always though . entailment +Because , mon ami , it is the law of your country that a man once acquitted can never be tried again for the same offence . A man can be tried for the same offence in your country even after acquittal . contradictory +ATIRCM / CMWS Program According to program officials , ATIRCM / CMWS did not have a stable design until about 2 years after the critical design review . ATIRCM / CMWS only had a stable design after 2 years . entailment +yeah but uh i don 't know i every time i set up a baby sitter to uh go out and do something my husband uh nixes it and says we 'll stay home this day and I sometimes wonder if my husband wants to go out anymore . neutral +Jon stood and the men closed in on him . As Jon stood up , the men retreated in fear . contradictory +Social questions , all . Inquiries relevant to social issues . entailment +Loyalty was further enforced by holding the vassals ' wives and children hostage in Edo . The vassals were only loyal to protect their loved ones . neutral +The Health Insurance Commission ( HIC ) is a government agency that administers Australian health programs such as Medicare and the Pharmaceutical Benefits Scheme . HIC administers health programs to Australians . entailment +The Lower Terrace is cut by a wide ramp leading to a large courtyard at Middle Terrace level and a smaller ramp leading to the Upper Terrace ( unfortunately closed to visitors ) . Visitors are allowed to visit the upper terrace on special occasions only . neutral +Despite the potentially intimidating aspects of live gaming , it makes little sense to spend your vacation in Las Vegas and not play at least a few hands of blackjack or craps , especially when there are free gaming lessons offered nearly everywhere . Live gaming can be intimidating but you should at least try when you are in Vegas . neutral +Here , as we know , I was wrong , and I was forced to abandon that idea . Giving up that idea put me back at square one . neutral +Many guides point out a green healthy plant in the courtyard as a regeneration of the original . That plant you see there is a new one , not the same as before . contradictory +With respect to Jacob Weisberg 's Ballot Box ( ) , he makes one decent point , and then blows it . There is a universal love for Ballot Box . contradictory +Traditional designs abound , including marine themes , Minoan designs , and Classical Greek imagery . Classical Greek designs account for more than one third of all designs here . neutral +The Satheri like to get big bunches through in one conjuration , like the haul they made from the victims of somebody named Tamerlane . " He tested a rope , then dropped to a sitting position on the edge of the block . They like to take their time and do it one by one . contradictory +3 discusses the extent to which the United States has supplemented its saving and investment by borrowing from abroad . The United States doesn 't borrow any money from outside the country . contradictory +Motivation for implications for substance abuse . Motivation for use of substances entailment +The 21-m ( 70-ft ) waterfall was easily accessible from the town , even by ladies wearing the large heavy skirts of the time . One could walk from the town to the waterfall in less than five minutes . neutral +there you go yeah Yes , that is good . entailment +Taking charge of Nebraska 's statewide legal-aid law firm fit Doug German 's beliefs in treating everyone fairly and holding those in power accountable . Taking charge of Nebraska 's legal-aid law firm fit with the beliefs of Doug German , who wanted to treat everyone fairly and hold the powerful accountable . entailment +Never mind that no hard evidence exists that American health care has actually deteriorated under managed care . There is no evidence that managed care has deteriorated American healthcare . entailment +killing their parents and so forth they don 't they see these things happening with no consequences They don 't think about the results of their actions . entailment +You are better suited than any of us to know what vulnerabilities we have . We have no vulnerabilities that can be seen . contradictory +The other whipmaster , carrying a heavy sword and small stretched leather shield , took more time . The other whipmaster took more time and he was carrying a sword and a spear . contradictory +The hero was 38-year-old Broncos quarterback John Elway , who passed for 336 yards and ran for a touchdown to put the game away . John Elway , then a quarterback for the 49ers , passed for 336 yards before running for the touchdown that secured the game . contradictory +uh-huh and you don 't feel that your relationship with your father has unduly uh influenced your relationship with your husband then What goes on in your family is between you guys , not me . contradictory +um for me it 's it 's a real it 's a real consideration um uh and and uh the but no i probably wouldn 't have even though i 'm really quite into cars it 's it 's probably my main hobby I like cars a lot , so it 's possible , but I probably wouldn 't have . entailment +The men of the Lakes , hard working and abstemious , have always found ways to enjoy themselves , and this more often than not involved means physical competition . The men of the Lakes are lazy and never compete with each other . contradictory +i think they 're gonna uh maybe give us a state income tax do you have one I hope they don 't start charging us a state income tax . neutral +Their anti-government , anti-politics libertarianism could be the ideology of the future . Certain libertarian-ism could be the ideology of the future . entailment +you know it 's not really all that that doesn 't it 's it isn 't as good as some of the smaller ones you know that they get a zillion miles It 's really great , i would never entertain the thought of getting a smaller one . contradictory +A year ago , when News Quiz debuted , Slate was free . Slate currently costs money , and has since its ' inception . contradictory +If Texaco executives had indulged their personal tastes for Van Gogh oil paintings at a multimillion-dollar cost to the stockholders , it would be self-evident that the stockholders had been plundered . It would be clear that stockholders had been cheated if the executives had spent millions on oil paintings . entailment +Never sleep on a strange planet , he told himself futilely . Sleep on strange men , He thought . contradictory +The Community Legal Resources Network ' ' helps lawyers become economically viable so they can serve the poor and lower middle class , who often can 't afford legal representation , ' ' said Dorothy Zellner , the law school 's spokeswoman . Lawyers are assisted to become economically viable . entailment +Wear hiking boots or sturdy rubber-soled shoes for climbing over rocks . Hiking boots have sturdy rubber-soles . neutral +All programs commit to addressing internal diversity concerns . The programs want to address internal diversity concerns for the postal service . neutral +I smashed him with the butt of my other pistol . I held onto my gun and imagined hitting him , but couldn 't . contradictory +Adrin ran his hand across the brill 's thick flank , feeling the heat underneath . Adrin could feel the heat under the brill 's flank . entailment +yeah well that 's that 's yeah that had that had been the thing that had always i mean i i i have always thought about the ozone layer as sort of like a layer and it would move around i didn 't know that the hole just stayed there you know i guess i i don 't i 'm not that much of a meteorologist but uh yeah i was a little surprised at that too because up to that point all i 'd heard about was the one over the pole I always thought the hole in the ozone went away . entailment +participants were gone but she was sitting there filling out paperwork you know so you know it took her thirty minutes plus to to handle one traffic accident Thirty minutes was way too long to handle one traffic accident . neutral +So I can 't help you . I have limits on what I can do . neutral +Every kid knows that when a parent catches you fighting with another kid , the first thing to do is accuse the other kid of starting it . You should accuse the other kid of starting the fight so that the adult will want to challenge them to a fight next . neutral +I stopped . I continued without stopping . contradictory +you know during the the time because we 've got a thirty day grace period on the credit card as long as you pay it you know within that time and that 's usually enough time for the insurance to get back We have a thirty-day grace period on this credit card , but not our other one . neutral +Among other things , the Clinger-Cohen Act also ( 1 ) required senior executive involvement in IT decision-making , ( 2 ) imposed much-needed discipline in acquiring and managing technology resources , ( 3 ) called for the redesign of inefficient work processes before investing in technology , and ( 4 ) repealed the Brooks Act , eliminating GSAas central acquisition authority . The Clinger-Cohen Act has not done anything . contradictory +The main buildings of historical or cultural significance are all within easy walking distance of the old center , Dutch Square , down by the Melaka River . Dutch Square lies in the middle nowhere , near no buildings . contradictory +As such , the figures in Table 2 should be seen as inputs into the AMIGA model , not outputs of the model . The AMIGA model inputs are represented as figures in Table 2 . entailment +But the unrest they inspired prompted the Tokugawa government to move them all here , to a guarded compound on the village flats ostensibly to guarantee their safety , but more importantly to contain the contamination of their uncouth ways and ideas . The Tokugawa government moved them purely to guarantee their safety . contradictory +The act requires the Department of the Treasury to produce a consolidated financial statement for the federal government , which GAO is to audit annually . It will be provided . neutral +A special issue examining the dawn of e-life rehashes conventional wisdom on the transformative potential of the Commerce will be revolutionized by Amazon-like companies and by online auctions that enable individuals to sell oddball items to distant buyers or bid for services from companies with excess inventory . Amazon and similar companies will revolutionize commerce . entailment +Oh , I shall be all right in the kitchen , ma 'am . I 'm happy in the kitchen . neutral +uh as soon as one tribe gets the power they just knock off they 're old ancestral enemies and it 's pretty you know it 's pretty much that way over the Mideast and you have the Palestinian question and there hasn 't been a Palestine over there for God since you know two hundred years three hundred years before Christ was born and but but you have people that are suddenly coming out of the woodwork going oh yes we want a Palestine nation but there hasn 't been one for you know well over two thousand years As soon as a tribe gets power , they just kill their enemies to keep themselves strong . neutral +What about the giveaway Britishism ( Johnson is British Johnson is of Australian decent . contradictory +Among experts who treat and study compulsive behaviors and chemical dependencies , there is controversy over the meaning of the term addiction and the efficacy of the disease model for a range of supposed addictions , from alcoholism to compulsive gambling . Addiction is pretty self explanatory and obvious a definition to everyone . contradictory +Deepavali ( Hindu Festival of Lights ) is the Indian community 's major celebration , signaled by candles lit in the homes , family feasts , and prayers in the temple . The Hindu Festival of Dark , is a major celebration is Indian culture that involves blowing out candles and fasting with your family . contradictory +right yeah i don 't yeah well neither can i so i i i i i i did my service before and i 'll do my little community service throughout but never never for a year again I want to continue doing community service for a long time . neutral +and i just uh he lives with different you know people in the family he 'll switch from time to time i just He doesn 't have a permanent residence neutral +we don 't get channel two my our cable doesn 't i wish we got that one it was it well we don 't get channel two We could pay a little more to get channel two . neutral +Instead , they drive her to the farmhouse , where she then tries to stop them from killing both Brandon and their friend Candace . They drive her there to kill them contradictory +Blood bubbled up in time with his racing heart beat from a triangular shaped hole in his chest guard . He had been stabbed with a huge sword . neutral +thank you for calling bye-bye I am glad that you called . entailment +We 've come a long way since ragtime and radio , hillbilly and race records , big bands and showtoons , 45s and triple concept albums , MTV and CDs and horror-core . We are still in the ragtime and radio era . contradictory +On the other side of Olive Street , the landscaped Pershing Square is the oldest public park in Los Angeles . This is the oldest public park in the area . entailment +Sit down in that armchair , and tell me the whole story with as few fancy turns of speech as possible . " Mr. Hersheimmer obeyed . Sit down in that chair next to the window , and tell me the whole story with as few embellishments as possible . " Mr. Hersheimmer obeyed . neutral +The answer is probably yes . The question regards acceptance of waste management legislation . neutral +A request by a federal agency for GSA to acquireAgency information processing resources or for GSA toProcurement delegate the authority to acquire these resources . The authority to acquire these resources has not been delegated . contradictory +This has saved many islands from the brink of poverty and depopulation , although it is undoubtedly affecting the character of many of the more popular islands . Tourism is what saved many of the islands from disaster . neutral +i know well that 's where Texas Instruments is I know the address of Texas Instruments company . entailment +" You mean he might be stolen , suh ? " Drew clicked his empty glass down on the table . The banker is the thief who might kidnap him ? neutral +After an admiring review of Grizzard 's wit , the author turns on the writer for peddling a nostalgic vision of a homogeneous pre-integration Grizzard 's idealized South was the world before feminists and affirmative action , when gays stayed in the closet where they belonged , where America pretty much meant the world of small-town white folks like him . Gays used to stay in the closet , where , it was believed , they belonged . entailment +The room was medium-sized , furnished in a kind of bare hygienic way . The room was huge and decorated lavishly contradictory +Curbline routes , however , account for only 21 percent of city residential possible deliveries . Curb line routes are becoming less popular because of the internet . neutral +The foundation argues the practice essentially steals the interest from the clients , an illegal taking of personal property under the Fifth Amendment to the U.S. It is believed that the practiced partakes in the theft of it 's client 's interests . entailment +My God , to have been so near ! Dr. Hall looked bewildered . Dr. Hall didn 't understand how it could have happened so close by . neutral +Around 1548 St. Francis Xavier began his mission among the pearl fishermen of Goa , before he set sail for Japan . St Francis exavier learned a lot from the pearl fishermen of goa . neutral +Army issue brave gold bullion made for a general 's wearing . The gold bullion was for a general , showing that the man was high-ranking . neutral +The tunnel through the great wall leads to a classic quadrangle fit for royal reviews . The classic quadrangle found at the end of the tunnel , was in terrible shape . contradictory +It looks like a tough fight . I looks like it is a tough fight to have to be a part of . neutral +uh-huh yeah those the movies are good too The movies are not bad . entailment +If you 're not in the mood for wine with your meal , have no qualms about ordering something else instead . Wine is the only option of drink available with the meal . contradictory +Whether you take your tennis seriously or just like to hit a ball around , be careful of the midday sun . The tennis courts are used by serious players and casual players as well . neutral +Try the Aquarium of the Lakes at Lakeside , the Pencil Museum at Keswick , or the World of Beatrix Potter Exhibition at Bowness . Lakeside has shut down . contradictory +Investors are not looking for quick schemes that endanger the company . The company will lose money on quick schemes . neutral +consists of the saving of the private sector and state and local government surpluses or deficits . Does not include private sector savings or government deficits contradictory +Henry V would have inspired no one on St. Crispin 's day by Henry V isn 't an inspiration to anyone on St. Crispin 's day . entailment +What is the first you heard of it ? " 40 " Well , sir , I happened to be going along the hall outside yesterday , , " I never heard about it . contradictory +The cab stopped . The cab came to a stop . entailment +that 's what we that 's the way we call it which is really wrong but my wife 's mother and the one she 's in San Antonio it 's you know it 's everything but the opposite of what you 've seen i mean it 's it 's a little hotel hotel you might say We call the little hotel in San Antonio home away from home . neutral +Red kept to his croaking whisper , " Quiet ! You want to wake somebody ? " Red yelled out when he spoke . contradictory +One of the men in the clearing began to rise upwards slowly . Men in the clearing don 't usually come out . neutral +Jacob White was standing behind me . Jacob White was behind me . entailment +yeah and it will help tremendously we bought ours five years ago and it 's the one thing it seems like you make those payments every month and at the end of the year you 've paid all interest and no principles We bought ours eighty years ago . contradictory +and i mean i have some of the most beautiful day lilies that you 've ever seen so when we decided to move it was really funny because like i said i had a whole bunch of different kinds of things and i kept saying well i want to take a few of these and i want to take these and i want to take these I don 't have any flowers . contradictory +He had his first sight , his own clear vision of the world around him , and his second sight , that of San 'doro . His third sight was that of San 'doro . contradictory +White cocked his ears . Whit had is ears cocked . entailment +1 , realized gains do not count as personal income , but any taxes paid on such gains reduce disposable personal income and thus saving . Gains always count as personal income and one must pay taxes on them . contradictory +Especially popular is the oak forest ( and monastery ) on Monteluco , favored by St. Francis and St. Bernardino of Siena . St. Francis and St. Bernadino fo Siena preferred the oak forest on Monteluco . entailment +A common definition of diversity is developed . A standard definition of diversity cannot be developed . contradictory +67 The authors reported provider attitudes of disinterest , The authors felt interested contradictory +7The Budget and Economic Fiscal Years 2002-2011 , Congressional Budget Office ( January 2001 ) . The budget and economic fiscal years were during 2002 to 2011 . entailment +He thinks the NEA should subsidize art that will enhance the robustness of the debate and should therefore prefer unorthodox art--though only , of course , if it represents a viewpoint the endowment considers , by virtue of social need and a prior history of exclusion , worthy of its megaphone . He thinks that the NEA should only fund traditional art regardless of any special need or prior exclusion . contradictory +and yeah i enjoy playing volleyball but i you know i i don 't have a lot of time to do it so it 's maybe once a year or something and and then i I like volleyball but don 't have the time for it . entailment +The gardens here are famous for their five fountains that imitate the many different sounds of the monsoon , from light showers to torrential storms . The fountains in the gardens sound like monsoons . entailment +Or , if the reporter works for Vanity Fair , of the celebrity 's press agent . A person could be a reporter for Vanity fair or the press agent of a celebrity , but not both . neutral +There is a Military Museum and a British relic inside the St. Mary 's Church , in the style of Wren . The St. Mary 's Church houses a Military Museum . entailment +Calves are adorable . Calves are cute . entailment +I promise I will NOT pay for this kind of silliness--and I sincerely hope other readers won 't , either . I will continue to support this and encourage others to do so through financial patronage . contradictory +Across-study variation refers to the fact that different published studies of the same pollutant / health effect relationship typically do not report identical findings The variation refers to studies about CO2 don 't always show the same results . neutral +The spot finally shifts to Clinton , filmed at the White House in glorious color . Bill Clinton was filmed at the White House . neutral +i can 't see even having time for a pet let alone children I have enough time to care for 15 dogs , 8 cats , 9 ferrets , and 58 hyperactive children simultaneously . contradictory +She didn 't feel like writing her own greetings , so she logged in to bestbestbest.pl and filled out a short form . Someone else was going to write all 100 of her greetings for her . neutral +A monotonic series is one whose every term is greater than ( less than ) or equal to the previous term . A monotonic series has terms that increase by at least 1 % each time . neutral +Babur captured it along with the Koh-i-Nur diamond now in the British crown jewels . The Koh-i-Nur diamond now belongs to the United States . contradictory +The sikhara that once towered 60 m ( 200 ft ) into the air like some symbolic and divine charioteer has gone , but the grandiose pyramid of the Jagmohan ( Hall of Audience ) , where the priests used to officiate , still soars above 12 pairs of huge stone wheels sculpted into its huge platform and drawn by numerous galloping horses . The sikhara once towered over 200 ft in the air is no longer there , but the pyramid is still in place and features a dining hall for hungry tourists . neutral +oh i can 't either not a one No , I can not take another one . entailment +We synthesized and analyzed the numerous documents acquired from our literature search and case study organizations to determine the objectives essential for organizations to improve their financial management . Essential objectives for organizations to improve financial management were taken from the analysis of many documents . entailment +On democracy , for example , American activists are raging over China 's recent suppression of all democratic dissent . The activists protested China 's actions . neutral +They are the Laotian busboy , only more like us . There are more Laotian busboys . entailment +There are pro bono programs that now partner with volunteer corporate lawyers to assist not-for-profits and micro-enterprises as well as on economic development projects . Some pro bono programs work with volunteer corporate lawyers . entailment +studies , this provides for a high probability of cost growth and schedule delays to occur . This provides for schedule delays to occur . entailment +Among the 40-odd expressively sculpted figures dressed in the costume of Henri IV 's time , notice the roped hands of the blindfolded Jesus and the angels collecting his blood ; his tormentor , in breeches , is thought to be Henri IV himself . The Jesus is wearing a blindfold and having his blood collected . entailment +It was many millenia and several universes later when Dave Hanson finally remembered . It was just minutes later , when Dave Hanson remembered . contradictory +so uh we 're going to talk about about advice giving uh giving parents to kids uh selecting colleges you about ready to talk We will examine the reasons for the rankings of colleges next . contradictory +In fact , in a truly remarkable public-relations coup , the mayor has managed to gain a reputation as a pitiless reformer without reforming anything except the Police Department . The mayor has a strong reputation . entailment +Latin American gangs routinely kidnap rich foreign executives and demand multimillion-dollar ransoms . There has never been a gang problem in Latin America . contradictory +In his frantic manipulating to get hold of Linda 's tapes of Monica , he phoned me in New York and remembers it as He called me to get the poster , contradictory +The coro ( choir ) shelters a Christ by Francisco Salzillo , one of many supremely realistic works by this native son of Murcia . The great artist , Francisco Salzillo , hails from Madrid . contradictory +Policy debates surrounding Social Security and Medicare reform also have implications for all levels of saving-government , personal , and , ultimately , national . The policy affects everyone neutral +Table 3 Cost of Delivery Frequency The chart is blank . contradictory +We wanted to know that is , would you be so kind as to tell us anything you know about Jane Finn ? Please talk to us regarding your knowledge of Jane Finn . entailment +The river is also where on many occasions during the year the faithful take ritual purification baths . The baths must be orchestrated by a holy man . neutral +i always like the easier listening rock the the Crosby Stills Nash and Young Eagles uh in more recent Billy Joel very talented I prefer the non-heavy rock like Crosby Stills Nash and Young Eagles . entailment +However , neither field looks anything like bionomics . Bionomics is a field of study that has not received much academic interest . neutral +To the north is the long , sandy Magazia Beach . The Magazia Beach is to the north of us . entailment +The Pre-Dynastic and Early That was pre-dynastic , ending in 5600 BC . neutral +well yes i have um i was in the military for a while and it really bothered me to think that people that are affected so you know so closely by you know that it comes so close to home as far as the government you know that because they are so directly connected with it and yet so few of them were registered to vote It bothers me that so many people affected by the government don 't register to vote . entailment +Clearly , California can - and must - do better . California cannot do any better . contradictory +But what about you ? But what will happen to you ? entailment +oh yeah i 'm afraid i 'm a TV flipper anything bad i like i like to flip i flip it off but it is sad it 's sad yeah I 'm not a TV flipper but my brother is . contradictory +Houseboats are a beautifully preserved tradition of the heyday of the British Raj . Houseboats fell out of favor during the heyday of the British Raj , but they are coming back into style . contradictory +That is another investment one can make for old so to conduct oneself in prior years that one can feel one has paid one 's dues . People can invest in their own futures . neutral +Well , so long . At last , farewell . entailment +( To see this in action , click on one of the LiveTopics links on the AltaVista search-results page . ) There are five LiveTopic links you can click on to show this in action . neutral +i thought that was really funny I didn 't get the joke . contradictory +There was shouting , noise , and confusion around the corrals and Drew slipped past without pausing . There were people screaming and disagreeable sounds around the corrals . entailment +The employee , a problem in one place , was simply moved to another . The employee was the best worker in the company , and he was not considered a problem . contradictory +The small , square building once stored ordnance , but after years of seismic activity particularly the destructive 1907 earthquake it has been left at a very precarious angle , sinking back into the sand . The small , square building survived the destructive earthquake in 1907 and still stands today . contradictory +This site includes information on upcoming education and training events . Most people visit the site to post on the comments section . neutral +All American reporters care about is Monica Lewinsky , and we 're trying to get away from that , one U.S. official told me . A US official told me that we 're trying to get away from talking about Ms. Lewinsky so much to protect her privacy . neutral +and i think if you 're supposed to turn it talking about a key neutral +This can breed insularity ; some villagers have never been as far as Funchal and the thought of making the long trip to the mainland is even more remote . Funchal is too far from the mainland for tourism . neutral +These values reflect the adjustment for changes in real income over time that is included in the benefit valuations in our national benefits summaries . These values are collected from a one year period . neutral +and uh yeah you know i mean it 's not uh i don 't think Dallas is considered uh a a real bad place for for air pollution but you you can tell you can tell the differences in the days when it 's when the haze is kind of yellowish gray instead of just being a a foggy misty color Dallas has exceptionally clean air . contradictory +Representatives from the agencies included in our review also indicated a few areas in which standardization , or at least more coordination , among agencies in this area could be helpful . The agencies are not included in our review . contradictory +He fell back , sliding in the dust at the feet of the crowd . He slid into the dust surrounding the fire pit . contradictory +These initiatives include working with providers to ensure that medical records support billed services . The initiatives will make medical care run more smoothly . neutral +He sees attorneys new to poverty law leave all the time because they can 't afford the salary with their law school debt . Most of the fresh law school graduates join law firms specialized in criminal law . neutral +Wait , maybe I 'd better switch to The Matrix , which made $ 37 million in its first week and seems poised to become a phenomenon . I think I will choose a different film that made quite a bit of money . entailment +Class Warfare ? Class peace ? contradictory +I agree with you about book-reviewing . I agree with all your opinions on books . neutral +You then swing across the volcanic Owakudani valley and down the other side for a boat cruise acroseLake Ashi to Hakone-machi . The valley has volcanoes . entailment +Only children who suffer the most severe deprivation are permanently damaged . Children who are deprived arent different than other kids contradictory +yeah i kind of agree that uh maybe ten on or twenty years ago we should have gone into a uh sort of a dual display arrangement where you know our our speed limit signs were I think that we should 've adopted a dual display arrangement some years ago . entailment +So they were in turn replaced by older men . Men of an older age took their place . entailment +Fatigue dulled his thoughts . He was feeling energized . contradictory +The question then would a competitive What would happen is the question . entailment +A toll road will also take you there via the Giardino Alpinia ( Alpine Garden ) , which displays over 2,000 varieties of mountain plants . It costs money to take the road that goes through the Giardino Alpinia . entailment +Two palheiroseperfectly painted in red , white , and blue , are the objects of many tourist cameras , while one immediately behind these remains a private home , its owners desperate to keep out gawkers . Tourists have broken into their yard several times in the past . neutral +because it was published as a final rule before the effective date of those provisions . The effective date of the provisions was after it was published as a final rule . entailment +right well i and i don 't think that you have to be manish and extremely tailored to to look professional Small changes and choices in wardrobe can go a long way . neutral +But it is Redgrave to whom we return . They are not going to return to Redgrave . contradictory +The orrery named Rumpelstilsken was obeying its orders fully , and the universe was obeying its symbol . Rumplestilksens orders were to eat a lot of cheese . neutral +" I 'm going to need some place to experiment with this , " he suggested . I need to test this out somewhere . entailment +you just get used to it You might get tired of being used to it . neutral +i said i 'm from Maine originally i 'm not i 'm a maniac in other words I 'm originally from Maine . entailment +Complaints can be sent directly to Critical Path . Critical path handles all the issues and complaints received . neutral +Like The New Yorker . Or Cher 's original face . Like The NewYorker or Cher 's face . entailment +Indiana is studying document assembly software , and Illinois is studying the combination of audio-video conferencing with document assembly . Illinois and Indiana are not studying document assembly . contradictory +Most importantly , it reduces the incentive to save for retirement . There is a huge incentive to save money for retirement . contradictory +Otherwise , why call them fixed stars ? Why call them fixed stars ? entailment +And he had to play golf and attend social functions , movie premiers , shows and art exhibits . He chose to play golf , he didn 't have to . contradictory +I stumbled . I hit my knee hard when I hit the ground . neutral +yeah too bad they didn 't get away with it shoot Too bad they got caught with the money . neutral +I suddenly felt very self-conscious of my pudginess . I was very aware that I was fat . entailment +This display summarizes information from a variety of sources , including a prototype consolidated financial statement for the US and annual reports that contained information covering the categories of Federal mission PP & amp ; E ( columns 1 and 5 ) ; and hypothetical amounts for revaluation adjustments ( column 2 ) ; and deletions and additions ( columns 3 and 4 ) . The display shows the information from one source . contradictory +Again , all this is not to say that Taylor is guilty of such an offense . As has been said seven times before , Taylor may or not be guilty of the offense . neutral +Anthony Quinn performs the syrtaki dance ( in fact , an amalgam of several different traditional dances ) to the sound of the bouzouki , a stringed-guitar instrument that produces melodic , slightly metallic sounds . Anthony Quinn plays the bouzouki , while three men dance . contradictory +well that 's what i did when i was growing up I did that when I was a child . entailment +In absence of its own standards , the Commission defined small business with respect to cellular services by utilizing the SBA definition for radiotelephone companies , e.g. , an entity employing less than 1,500 persons . The Commission defined small business with respect to the number of people who have health insurance coverage in those businesses . contradictory +India 's prehistoric settlers were probably what anthropologists call Proto-Australoids . Proto-Australoids is a term used to describe a certain group of people by government officials . contradictory +It 's not that hard to imagine a similar message being sent home by someone investigating what happened to Tsingtao . There were at least fifty investigators looking for clues about Tsingtao . neutral +He came in to drop on his haunches and grin at Dave . He entered and grinned at Dave . entailment +The exhibits ' which are highly interactive ' place the events of D-Day and World War II in the context of the 20th century as a whole . The interactive exhibits feature actors dressed in costumes . neutral +you know i 'm going back to school my wife 's going back to school too our lifestyle right now is meant to position ourselves so financial the these financial problems won 't be problems uh in the future and uh so My wife and I are both going back to school to put ourselves in a better financial position for the future . entailment +Summary of Major Sections Summary of insignificant sections contradictory +i tell you what these drug dealers are about the best business people there are because uh they know who the market is and they know exactly how to get to the market if uh if other businesses could do half as good as they do then uh there 'd be some very profitable businesses but unfortunately they prey on prey on the young kids Drug dealers are really bad at business , and they have no clue about their market structure . contradictory +Bob Barr is the 1998 Orville Faubus . Bob Barr is playing a role in a play of Orville faubus neutral +Some are designed for the daring , others for the cocktails-on-the-poop-deck crowd . Designed for the daring and others for cocktail crowd . entailment +yeah right i i think that a a big part of the uh you know the government concept over the last fifty years has been uh redistribution of uh of wealth in in effect The government concept does not include wealth redistribution . contradictory +He 's entrepreneurial and enthusiastic . He gives off entrepreneurial feelings and speaks with excitement . entailment +Which may bring us to the moral of our When you start paying for nonproduction you are almost sure to reap a bumper crop . Which may bring us to the moral of when you eat the last chocolate neutral +He ripped the claw away and the fat man 's shouting ceased . The man continued to scream long after the claw was ripped away . contradictory +To-day is only the 24th . " Today is the 24th of July . neutral +you know i know now I always knew , really . neutral +One of the principal functions of the Access to Justice Center , she said , would be to foster such a holistic approach . A holistic approach is one of the Access to Justice Center 's functions . entailment +um if you were on a jury would would you be able to to give somebody a death sentence If you were on a jury would you be able to sentence someone to death ? entailment +there are a lot of the kind of problems that we 've fought for in other countries you know that they have corruption and and they don 't have um i mean there 's just very few really modern cities We fought those problems in other countries . entailment +In exchange for this drudgery , the Jocks occasionally deign to nod in their general direction . The Jocks pay no attention to them and continue playing their game . contradictory +Boasting some of William Wordsworth 's favorite haunts as well as an old Roman road that is now a very popular hiking route , the Northeast is spectacular walking country , transitional terrain between the Lake District 's high fells and peaks and the lowland passes around Penrith and the Eden valley . Penrith Valley is the starting location for many a would-be adventurer . neutral +and in that case then i 'll be i 'll be at home when my children are at home but i 'd like to stay at home with them until they get in at least into kindergarten I 'll quit my job if I have to to stay home with the kids . neutral +A series of rocky cliffs line the shoreline of Samothrakiawhich , unlike other islands , has poor natural anchorages . Samothrakiawhich used to not have as many cliffs as it does today . neutral +Decidedly , it was the policy of an imbecile . " It only made sense to an idiot . neutral +HKTA offers lessons in these exercises that improve concentration and balance at Garden Plaza , Hong Kong Park , Admiralty . HKTA has no involvement in any lessons . contradictory +they you can 't blame just like the man says he can make two five hundred dollars a day for just taking a bag somewhere He makes nothing for taking the bag somewhere . contradictory +We identified the following Web sites during the course of our work , which may be useful to organizations as sources of additional information . The sites are covered in banner ads and ask for donations every time a page is loaded . neutral +yeah oh yeah so you 've yeah you 've got to really strike a balance in what kind of care what kind of level of care you need and then what you can unfortunately what you can afford at the same time It is easy to find good facilities and they all give the same level of care . contradictory +I do shake hands , [ but ] I think it 's a terrible custom . I think shanking hands is an unsanitary custom . neutral +A specifically Italian ingredient has come from highly productive clandestine and as a result , untaxable manufacturing and other activities parallel to the open market . All Italian manufacturing is taxed . contradictory +The legislation on reserving seats gave the Muslims the basis for an alternative to an India in which they were only a quarter of the Partition . The Muslims did not like the fact that they were free to do only certain types of things . neutral +Farmworkers in southwest Florida earn an average of $ 6,500 to $ 7,000 per year . Five years before last , farmers in southern Florida were earning an average of $ 30,000 . neutral +( Many online sites just plain stiff their clients for no reason . ) Many websites don 't pay their clients . entailment +7 The Malcolm Baldridge National Quality Award and the President 's Quality Award are given to organizations for their overall achievements in quality and performance . No organization will be given any award even if they perform well . contradictory +because of the of their responsibility for the public welfare and certainly people in uh industries well the transportation industry for specifically uh you know specifically but um in many many cases They are in charge of transportation industry among others . entailment +i sent off for stuff on it but i don 't remember that much about it i know that they trained you in the language and um I know that they trained you in the language , and I hope you can help me with this . neutral +we try not to go before uh July because uh it takes uh We try not to go before July . entailment +This is a pity , for his caustic tone and shallow glosses undermine what is a bold and worthy to write a readable one-volume history of the American people . The book was phenomenal with no faults . contradictory +no not not for dogs especially some of the breeds they 've got and some of those you know need to be outside and have places where they can run and all that that 's why i like cats so much better they 're easy to take care of Huskies are especially bothersome to keep inside . neutral +4 For a fuller articulation of these goals , see LSC Program Letters 98-1 , 98-6 , and 2000-7 , and Strategic Directions 2000-2005 , adopted by the LSC Board of Directors on January 28 , 2000 . The goals were mentioned in the program letters . entailment +, where she participated in Congressional and Executive Department lobbying efforts and successfully engaged in appellate work before the U.S. She was a part of a number of lobbying efforts . entailment +okay oh it says three for a B gift five for a C gift et cetera and this only goes up to F so i thought that was somewhere around nine but anyway it 's got these beautiful watches on it let me see what else it has a uh uh clock radio that also plays uh uh you know uh tapes then it 's got oh some binoculars and some pretty brass lamps it 's got some oh a food processor There are many gifts available but to get them is very difficult . neutral +yeah i mean don 't get me wrong for something something that was major i i wouldn 't have any problems with them it 's the daily uh go in with the with the flu or something like that and and the the treatment is terrible i mean first you wait for hours and hours and hours and then the guy says you have a temperature well i knew that we 're going to give you Sudafed you know i 've been taking Sudafed for two weeks it doesn 't do any good that 's all i can do that 's all i can do There is no treatment for the flu . contradictory +On the Spanish mainland , late dining hours perplex visitors . Many people eat late in Spain . entailment +In addition , the agency will require certification by Argentine officials that a number of mitigating measures The agency can 't continue without certification . neutral +If you are not claustrophobic , take the opportunity to enter the crypt below the temple floor , as the carvings here were never defaced and are still precise and clean . The carvings within the crypt that lie underneath the floor of the temple are the only ones that are in perfect condition . neutral +The ritual dismantling of the shrines every 20 years ( known as sengu-shiki ) goes back to prehistoric times , when sacred structures tended to be erected for special ceremonies rather than as permanent places of worship . Prehistoric sacred structures were often build specifically for special ceremonies , then dismantled after the rituals were complete . entailment +For bitchy wit at its best , set your VCRs to catch Bette Davis in the incomparable All About Eve ( Monday , Cinemax 2 , 4 p.m. ) . Bette Davis is not on the show All About Eve . contradictory +Participants agreed that an adversarial relationship between the auditor and management would not be constructive in that the cooperation of management is critical to both an effective and efficient audit . Participants nonetheless felt that there needed to be a certain degree of professional respect between managers and auditors . neutral +The publication turns to science to assess the truthfulness of Clinton 's denials of the romance . Clinton 's denials of the romance was assessed by science . entailment +Kit Bond , a folksy Missourian . A folksy person lives in Missouri entailment +Recorded history of the volcanic archipelago begins in relatively recent 1418 , just as the golden age of Portuguese discovery was erupting . Portuguese discovery was happening until 1462 . neutral +yeah uh we are in the process of trying to buy a house do you know how did your budget work or did you have a budget to uh get your down payment going to get a house Usually , we don 't need to budget for a down payment . contradictory +Once or twice he discarded dignity , and pounded on the door . He was really angry , that the person didn 't let him in . neutral +Recommendation # 5 Research is needed on how demographic and cultural attributes of ED patients , practitioners , and interventionists influence the success of screening and interventions for alcohol problems . Recommendation # 5 Research is needed on how demographic and cultural attributes of ED patients . entailment +The curved facade , an original version of a Neo-classical design , somewhat curtails the effect of the church 's most superlative feature , its extraordinary dome . An original version of a Neo-classical design , the curved facade , somewhat curtails the effect of the church 's most superlative feature , its extraordinary dome . entailment +Or it may not have been strychnine at all , but some obscure drug no one has ever heard of , which produces much the same symptoms . " The drug was definitely strychnine . contradictory +after you know after being used to places like Boston and Atlanta you come here and you know they people think Charlotte is the big town you know People in Charlotte thinking it is a big city , but if you come here after living in some actual big city like Boston they all just seem really quaint and naive . neutral +There is a lovely fifth-century Garuda , and near it , on a memorial pillar , the earliest historical document in Nepal , an inscription of the same period concerning the Licchavi King Manadeva . The memorial pillar serves as a reminder for all people that lived before in the area . neutral +that 's the stuff that koala bears eat in Australia or something Koala bears eat that stuff down in Australia . entailment +The man struck hard . The man hit something . entailment +And what 's the date today ? No Longer Sleeping asked suspiciously . No Longer Sleeping could not say a single word because he did not have a tongue . contradictory +She wanted me back . She wanted me to be her boyfriend again . neutral +He is simply AOL 's bad boy , and it has worked thus far for them . He works at AOL , but is not very effective . contradictory +The Spanish Colonial-style building was soon dubbed the Pink Palace and fast became popular with the movie set . The Pink Palace was a popular tourist spot . neutral +It 's been quite some time since anyone was caught romping in these waters reflecting Nicola Salvi 's astounding 18th-century fountain . In the reflection of the waters , one can see Nicola Salvi 's 18th-century fountain . entailment +okeydoke good-bye Okeydoki , bye ! Have a nice evening , tell Jerry I said hi . neutral +Cross-tabulations of events can identify interactions and check the developing story more formally . Cross tabbing can point out counter-indications . entailment +The aqueduct is composed of thousands of granite blocks arranged in graceful arches , sometimes two-tiered , but without mortar or cement of any kind . The aqueduct was built without mortar or cement . entailment +yeah yes exactly um-hum i also hm thought about it because i was uh waiting to talk to you that another thing that occurred to me is there 's not so much invasion of my privacy because i know how to behave such that there isn 't but i realized i have to behave in a certain way in order to not have people invade my privacy if i deviate from social norms of behavior if i run up and down the street yelling or something someone 's gonna invade my privacy very quickly and I always know how to behave . neutral +Table 3 combines labor cost with vehicle cost for city and rural carriers . Table 3 is illustrated as a line graph on the next page . neutral +He would know . He probably knows . entailment +Since that time , various amendments were added , creating the programs that the Social Security Administration ( SSA ) administers today . The SSA could use some more changes . neutral +yeah i i don 't know that i read anything strictly labeled self-improvement how about you I do not read any self improvement books . entailment +There are temples , towns , and hundreds of other tombs of lesser though important mortals such as high priests , nobles and highly regarded artisans who worked on the royal tombs . There are many tombs that are not as important . entailment +Poirot , I said , " I wish you would tell me why you wanted to know if Mrs. Inglethorp ate well last night ? Don 't tell me if she ate . contradictory +Slowly Tommy spoke . Tommy talked quickly . contradictory +i tend to view um and i i take a fairly radical view towards economic policy and feel that My views on economic policy tend to be outside of the box . entailment +and it was like they just died or something you know It was like they felt more alive than ever contradictory +The saying Time is money is quite literally true in Hong more is spent on watches and clocks here than on cameras and optical goods . People in Hong Kong are very busy . neutral +and of course the younger one was in day care but you find even working six hours a day and not eight hours or whatever that it cuts into your time so much and what happens really is that even though i had the time with them in the evenings all the things that you you you know normally you can get done during the week um you save up for the weekend so your whole weekend that your kids really want your attention but you 're saying oh can you go play now or whatever because you have so many things to catch up on The younger one was not in daycare . contradictory +Presumably some members of the team , such as the secretary of the treasury and the secretary of state , were not that distracted . Members at the team that were distracted were distracted by a UFO . neutral +Columbus named the island after St. Martin on that saint 's feast day in 1493 , or did he ? Columbus had help in naming the island , St. Martin . neutral +Another organization 's membership list was maintained by only one person and never generally released to all members . The list contained private information so they were generally not released to the public . neutral +The main hall , called the Sanbutsudo , with its almost erotic color scheme of black and green and vermilion , dates to 1648 and is the largest single building at Toshogu . Sanbutsudo is the smallest building in the whole of Toshogu . contradictory +is that a pretty nice place Is that lake a nice place ? neutral +Sepak Takraw is a kind of volleyball played with a ball made of rattan , which the players can hit with every part of their body except hands and forearms . Sepak Takraw has nine players on each side of the net . neutral +The youngest attends classes and is a standout point guard at Eustis-Farnam High School . The youngest is often overlooked and never attends his classes . contradictory +Uprisings in the towns and countryside began to pose serious threats to the shogun 's authority . The shogun 's authority was weakened by rebellions in the countryside . entailment +uh it really does sound like it was a self defense kind of thing it sounds like it was self defense . entailment +yeah that 's what we 'll do we 'll take some we 'll take take out like sometimes on the weekend um like snacks We never get takeout food on the weekend . contradictory +yeah so okay i hope you have a good rest of your weekend okay bye-bye i hope you get to relax with your family for the rest of the weekend neutral +The analysis provides the information required by paragraphs 603 ( b ) ( 1 ) through ( b ) ( 3 ) . The analysis has the required information in it . entailment +Several candidates already have taken public stands or made statements about whether or not they believe the government needs to ensure that consumer privacy isn 't violated by online companies . Statements have been made by several candidates on the issue of consumer privacy . entailment +yeah it that 's very similar It is not so different . entailment +We have made subtle hints and mentioned that they need to start looking for their own place . They are welcome to stay for as long as they desire . contradictory +You 'll find many amusing exhibits of street games , clockwork figures , dolls , and teddy bears to bring back memories of your own youth . There is an exhibit on sports equipment . contradictory +Exactly at the same time , black limousines from the Special Security Agency arrived in front of his house . The Special Security Agency drove pink trucks . contradictory +no i 'm trying not to he 's telling me to start the grill I am nervous using the grill by myself . neutral +Sitting at the desk was a man- a big man , quite rotund . The man was old . neutral +Before I came to Washington , I was editor of the Daily Californian , the student newspaper at Berkeley , where I was reviled for endorsing the U.S. invasion of Grenada . I endorse the U.S using military force to invade countries in all circumstances . neutral +The Garden of Remembrance on the north side of Parnell Square is dedicated to those who lost their lives in the cause of Irish freedom and features a cruciform lake and Ois ? ­ n Kelly 's beautiful Children of Lir . Over 8 million people lost their lives in the Irish freedom cause . neutral +That might suggest she was trying to fall in line with the official White House account , which in turn suggests that someone from Clinton 's side somehow got to her . Clinton might have offered her something in return for her support . neutral +It is an L. , depend upon it ! " The author wants the subject to depend on the L. entailment +uh i have acquaintances of mine where i know that they are paying figures on on the order of what i quoted to someone because that 's what the experience they want and i would imagine if there are more of people like that with an opportunity that that 's a possibility of a change that we could see in the next few years It is good that we are headed to this major change in a few years . neutral +If you travel by train , you will arrive at the Guangzhou East Station , a large modern complex , which connects with the subway , buses , hotel transfer services , and taxis . Multiple modes of transport are connected to Guangzhou East Station . entailment +Mr. Hastings , you 're honest . Mr. Hastings is perceived as honest entailment +It 's a 10-minute drive from the city . It is the closest destination outside of the city . neutral +Grande-Terre ( Great Land ) is smaller ( 565 sq km / 218 sq miles ) , drier , flatter , and more important because it has Pointe Pitre , Guadeloupe 's commercial center and largest city . Grande-Terre is the commercial center and largest city . contradictory +Despite efforts to curry favor with the revolutionaries , like calling himself Philippe Egalite ( equality ) , the duke ended up on the guillotine with the rest of the family . Philippe Egalite was able to save himself and went into exile . contradictory +The purpose of the former is to learn whether all elements of a newly merged program are functioning cohesively , and to identify areas where technical assistance may help achieve a unified operation . Technical assistance can help the cohesive functioning of a newly merged program . entailment +Reject the topic . Reject the topic after listening . neutral +When Israel began constructing apartment buildings in Arab East Jerusalem last March , PA security stopped relaying intelligence about the operations of Hamas ' terrorist wing . The construction of buildings were a factor as to why the intelligence reports stopped coming in . neutral +Does he himself play , or has he merely observed others ? Does he play ? entailment +like an attachment or Like an attachment . entailment +'Two young adventurers for hire . Two young adventurers want to be unemployed . contradictory +You 're not going to convince anyone with a display like that . ' You won 't gain any attention with your display outdated , old and broken down as it is . neutral +does that make a difference to you Does the price change your opinion ? neutral +so you 're right they could do something about about that i guess You are correct they are capable of doing something . entailment +The road then follows the valley bottom through the towns of Patterdale and Glenridding . Glenridding is a former industrial town that now has twelve hotels . neutral +It is a rare thing for a Sai Routha to negotiate for anything , whispered Jon . Jon and Sai Routha were once married . contradictory +With its variety of landscapes and ever-changing light , the Lake District offers never-ending opportunities for outdoor photographers . There are many different landscapes in the Lake District . entailment +Adrin , Susan , and I will visit the village again and keep watch here . They were going to the village to meet their friends . neutral +After reaching this long-run equilibrium , increased saving and investment yields a higher level of GDP per capita but does not boost worker productivity and economic growth . Worker productivity and economic growth go hand in hand with higher yields of GDP . contradictory +I was sent out in the middle of a rock-concert . I went to a rock concert where I was kicked out in the middle of the show . entailment +The form of address , you understand , is merely the battleground for the simmering war between them . The form of address is just the landscape for the battle between them . entailment +That 's how he absorbed and finessed Israeli and Palestinian demands in the Middle East peace process . He finessed Israel 's demands in the Middle East . entailment +To fully appreciate all of its glories will take at least a couple of hours the exquisite detail in painting on pottery and frescoes , and the fine workmanship in jewelry and everyday tools is breathtaking . The art contained in the building has taken many centuries to accumulate . neutral +Finally , we discuss two measures of the cost of universal service , the entry pricing measure and the net avoided cost measure in the context of delivery profits . There are several ways that the cost of universal service can be measured . entailment +No animal could be heard . No animals were in distress , so they were quiet . neutral +I spent two years with them , learning their religions and philosophies of the cycle of life . I didn 't want anything to do with their traditions . contradictory +3 is a little more complicated . " Something is more complicated than something else . entailment +Can 't be , said Julius positively . It has to be , Julius said positively . contradictory +Newsweek ' s Michael Jordan cover story focuses on off-the-court Jordan . Michael Jordan 's personal life is the focus of the cover story . entailment +have y 'all been able to do much as a as a full family these days all of you Now that you have a large family do you still get to do many things ? entailment +The minutes passed . Time passed . entailment +well i feel like something needs to be done here and i 'm definitely in favor of the government i just think medical you know medical costs have as i 've seen over the years just go up and up and up and already just this year There was a rise in medical cost over the last five years . entailment +The analysis invited comments on these potential impacts . They wanted feedback on the analysis . neutral +At Teano , outside Naples , they met up with Vittorio Emanuele , who was proclaimed King of Italy . They met Vittorio Emanuele , who was proclaimed King of Italy . entailment +1 percent-average nonfederal saving as a share of GDP since 1998 . Since 1998 , the saving was on the average 1 percent , said the report . neutral +) Assuming that the memo is presented in context , it is interesting , to say the least . The memo is interesting in context . entailment +I think they like what I did with New York . They like what I did with New York , I think . entailment +Thus , there may be less fixed costs on these routes than indicated by the elasticities embedded in the cost model based on U.S. costs , which reflect very high coverage levels . The us has very low coverage areas . contradictory +Shahjahan 's son was Aurangzeb ( 1658 1707 ) , who overthrew his father and imprisoned him in the Agra fort for the last years of his life . Shahjahan died in prison . entailment +oh Lord and down in Houston it 'd be so hot yeah It was always hot in Houston neutral +MLAN includes four components There are two components to MLAN contradictory +well you know he was uh when was it last year or year before last he was voted the sexiest actor in movies or something He was voted sexiest actor because you know the vote was rigged . neutral +what everything would hinge upon is it how close is it to a home environment that 's the that 's probably the major question It can only move forward if it is very much like a home environment . neutral +Moreover , the government depends heavily on computer systems and networks to implement vital public services supporting national defense , revenue collections , and social benefits . The government makes heavy use of computer systems , unfortunately most of them still run Windows 95 . neutral +They work on K Street , but drop by the old school every day to cruise the parking lot , pick up girls , tell shaggy-dog stories , and deal tobacco , liquor , and guns to current students . They work mainly at the old school and drop by K street every now and then . contradictory +Drew had a fleeting prick of worry . Drew was worried for a moment . entailment +'You fell , with a considerable portion of one of my trees , into one of my newly planted flower-beds . ' You ruined my favorite flowers when your tree fell in my flower bed . neutral +oh do you really Oh , do you really like it ? neutral +Pardon me , mon ami , you were not precisely sympathique . He turned to me earnestly . He looked at me with earnest , " Please forgive me , my friend , you were not exactly sympathetic . " entailment +The war metaphor has changed the nature of media coverage . The war metaphor has shifted the nature of media coverage . entailment +no it with the uh who was on the music people wasn 't that Fishbone yeah i saw that it was awesome but i didn 't see the rest of it I wish I had watched the whole show when Fishbone was on . neutral +In 1443 , it was reunited with Sicily and known as the Kingdom of the Two Sicilies under the Spanish King Alfonso V of Aragon . King Alfonso V of Aragon reunited it with Sicily . entailment +Advance reservations should be made in summer . There is no need to ever make reservations here . contradictory +Whether we like it or not , sometimes landlords illegally evict tenants , children with disabilities are denied proper care , veterans don 't get services guaranteed to them , and elderly people need legal assistance to escape the abuse of a caregiver . Bad things happen to the vulnerable in our society . entailment +She grimaced as the chain went taut . The chain had a lot of slack . contradictory +This seaside resort was created at the end of the 19th century , when swimming became all the rage . People went to the resort because they had the biggest pool in the area . neutral +The future 's bright . I am optimistic about life . entailment +been in positions similar to men for that many years relative to how long men have had those types of positions No men have held any of these types of positions . contradictory +1915 : German Submarine Fires Warning Torpedo Into Lusitania Warning Torpedo Fired By Germans in 1915 . entailment +i just go buy the things for for uh about thirty bucks and put them on myself I pay thirty dollars for them . entailment +Although many current payment systems are highly automated , the technological changes envisioned by JFMIP have not yet been fully realized . Many payment systems are highly automated but haven 't reached their full potential entailment +For some crops there are multiple C-R functions , some more sensitive to ozone and some less . Some crops are less sensitive to the ozone . entailment +uh well they not they didn 't expect you to be on time but they did expect you to be there and you the schools well you know they also did a very good job of of shoveling the the streets It took them several hours to shovel the snow on the streets . neutral +Raising problems on a program early because design and manufacturing knowledge is discovered can cause extra oversight and questions that threaten a system 's survival . Raising problems early will cause extra oversight . neutral +Bloor , M. On the Analysis of Observational A Discussion of the Worth and Use of Inductive Techniques and Respondent Validation . Bloor , M. has never done any analysis in his life . contradictory +There was also a pool-table in the middle of the room , which sort of spoiled the ambience . The room looked perfectly decorated . contradictory +We 'd known each other forever- we didn 't grow up far apart . We grew together and bonded in a way that kept us from growing apart . neutral +Rennie 's back . Drew watched León hurry to take the buckboard reins , watched Hunt Rennie give a hand to Johnny . Leon was in a hurry because he didn 't want to be caught by his parents . neutral +But now that Gore is throwing elbows back in an effort to stave off Bradley 's gains , the gentleman-scholar-statesman is quick to take offense . Gore flopped around on the ground suddenly growing a fish tail and fins . contradictory +yes i i have my primary experience has been as uh an expert witness and and uh and two murder trials I have experience as an expert witness and two murder trials . entailment +I should have carried it away with me . I should have taken it with me but it was too heavy . neutral +The cities ' shanty-town districts are often directly in the shadow of the shining skyscrapers , built by the shanty-town residents themselves . The shanty-towns are kept at least 10km from any modern infrastructure . contradictory +Coco , with , I think , rum in it . He passed on to the debris on the floor , where the table by the bed had been overturned . The speaker is ordering a vodka drink . contradictory +Oh , that 's an extracurricular , unrelated to the union 's real work . The union 's real work and the extracurricular are unrelated . entailment +The model simulates the size of the pool of exchangeable base cations in the soil . The model simulates the size of the pool of base cations in the dirt . entailment +Additionally , the FDA states that the rule will result in fewer product recalls and better product quality . The FDA stated that the rule would result in more product recalls . contradictory +3.1 ) was revised in November 1999 , and is available on the Internet , GAO home page ( www.gao.gov ) under Other Publications . 3.1 is available on the GAO home page and goes over health care . neutral +Betraying everybody equally- the one thing Benjamin Franklin certainly wouldn 't have done . Benjamin Franklin would definitely have betrayed everyone equally . contradictory +i was surprised that last year was my first trip out there i 'd never been to California and i went through out to Death Valley and I enjoyed my travels through Death Valley . neutral +For example , the agency is undertaking a major reorganization structured from the ground up , using its 301 ports as its foundation . The agency isn 't undertaking anything at all contradictory +And Annie . Also Annie . entailment +The main waterfront area , Turtle Beach , sits in front of the town center . Turtle Beach is not the name of the main waterfront area . contradictory +seems like it was extra cold last night though IT was very cold last night . entailment +except for the final phrase , which is merely implicit . Everything was fine except the final implicit phrase . neutral +The letterhead on correspondence still bears the Bexar County Legal Aid name , even though the organization is no longer . The Bexar County Legal Aid organization no longer exists . entailment +An evil drill sergeant woke up in Edward . The drill sergeant woke up . entailment +They are an easy walk apart by the harbor road , or a longer 45-minute hike on the scenic Peak Road . There is more than one way to get there . entailment +And there is little doubt they would have done so . There is little doubt in my ind that they would have stolen it . neutral +Jerusalem 's recorded history begins with its mention in Egyptian court records 4,000 years ago , but there had been human settlements here for centuries , probably millennia , before that . Humans have lived in Jerusalem for over 4,000 years . entailment +The White House says there 's no such system . According to the White House , no such system exists . entailment +At first glance , increasing payroll taxes appears to be a straightforward way to increase saving now to take advantage of compounding growth . Increasing payroll taxes has never appeared to be a simple way to increase savings . contradictory +Buddhism in Tibet and Nepal is influenced by elements of Tantrism , techniques to speed up enlightenment . The Buddhism in Tibet is influenced by elements of Tantrism while that in Nepal isn 't . contradictory +Since then Hosny Mubarak has been Egypt 's president . Hosny Mubarak came into power after his group overthrew the previous government . neutral +yeah i have some basic concerns about it as well uh not just the invasion of privacy but the the chance of uh false positive being being reported I have no concerns . contradictory +oh do they probably the more you pay though the better the machine you have You can get a better machine for a lower price . contradictory +In Anaheim you can cheer on the Angels at Anaheim Stadium . The Angels are the second most popular team in the country . neutral +He also supplied one-third of the budget of the Manufacturing Policy Program of Pat Choate , who ended up as Ross Perot 's running mate in 1996 but first became famous for his book Agents of Influence , about the alleged influence-buying practices of foreign governments and corporations . Pat Choate didn 't supply anything to the Manufacturing Policy Program 's budget contradictory +what processor does it have in it What mouse are you using ? contradictory +i know you go through this this is something you go through like every year It is to my knowledge that you have grown used to it since it is a yearly thing you go through . neutral +i have two I have one . contradictory +Such data include narratives of events written by participant observers , accounts of what the participants understood about an event , reports of what was said at a meeting or an interview , observational records of how an event took place , and statements of impressions about what was going on , why it was happening , and how people felt about it , themselves , or each other . Data may be narratives of events as experienced by observers including any details , spoken memory of what was said and their overall impression and personal feelings . entailment +i i we 're certainly in agreement there I agree with you so we might agree on other things too neutral +You 're a smart man . It is worth it to listen to your thoughts and ideas . neutral +Before Paris became the national capital , it was the home of the medieval dukes of the region that is still known as the Ile-de-France ' which , by gradually asserting itself over other duchies such as Burgundy and Normandy , imposed its name on the whole country . There was pushback from Normandy and Burgundy , but Paris ultimately won out . neutral +Tomorrow we begin . We begin preparing for battle tomorrow . neutral +Jon ran behind a building not yet aflame , the house where Susan had stayed a few days earlier , and prayed to any god who might be listening that they would not find any enemies behind it . There were no enemies behind the house . neutral +On an occasion when I was enraged , without doubt , observed Poirot , with great placidity . Poirot seemed calm and free from anger when he spoke . entailment +His rise to power ushered in the Hellenistic period . His death marked the beginning of the Hellenistic period . contradictory +Jon did not wait for nor watch for a response . Jon waited and watched or a response . contradictory +The Vered Ha-Galil offers the perfect base for a Galilee riding holiday , in charming rustic accommodation . The Vered Ha-Galil is a great place to start when you are driving around Galiliee in a convertible . neutral +plus yeah plus i think a lot of people are just flat disgusted A lot of tigers live here . contradictory +Sentimentalists cheered the triumph of Marlins ' manager Jim Leyland , who had been in baseball 33 years without a championship ring , but lamented the defeat of the plucky Indians , who haven 't won the Series in 49 years . Sentimentalists are empathetic towards Indians , who are known to have been losing the Series for 49 years . entailment +Show Monsieur Poirot everything he wants to see . Show him everything he wants to see . entailment +Sheen recently overdosed on cocaine and methamphetamine , the 32-year-old actor 's third overdose , according to the Star . A few months earlier , Sheen 's father , actor Martin Sheen , and other family members tried to get Charlie to go to the Promises rehab center ( where Brynn Hartman had reportedly been treated ) , but he refused . Charlie Sheen is at risk of dying due to his drug problem . neutral +They do not move forward without the design and manufacturing knowledge needed to make informed decisions . They don 't go forward unless they have the design and manufacturing knowledge that they need to know to make good decisions . entailment +Among the additional ingredients are morsels of squid and shrimp , mussels , rabbit , sausage , peppers , chicken , onions , peas and beans , tomatoes , garlic . . . and whatever else happens to inspire the cook at the moment . No dish had exactly the same ingredients . neutral +good old books and good old books and classics that 's right no , not good old books , that 's wrong . contradictory +Soon after this , the Spanish began building a thick defensive wall all around San Juan . The Spanish didn 't begin any more defenses at San Juan . contradictory +but i 've heard that it 's real it 's a long movie I have heard that it 's a lengthy movie . entailment +Thousands of Turks were evacuated , and thousands of Greek refugees from Asia Minor arrived to take their place . The Turks were evacuated to Portugal . neutral +As previously noted , the fact that materials may be exempt from public disclosure does not justify withholding them from GAO . Because of the GAO 's need to know about the material exempt from public disclosure requires all companies to report the information to them neutral +That reminds me " And Miss Cowley broke off in her meditations , and summoned a small boy . Miss Crowley stopped meditating and called a boy . entailment +'What are you doing , young man ? ' What is the young person doing ? entailment +'As for yourself , Mr. Franklin , ' Greuze climbed into the car . Greuze got in the car . entailment +The rooms are locked ? asked Poirot . Poirot asked if the rooms are locked . entailment +same and uh we 'll We will as well . entailment +Sure enough , a Zercher friend tells the New York Daily News that Zercher , who is now an executive assistant in New Jersey , told her several years ago that Clinton groped her and grabbed her breasts . The New York Times contacted Zercher 's friend for an interview contradictory +concealed or unconcealed i 'm all for that However , I prefer concealed but unconcealed is fine . neutral +But in hindsight it seems less hopeless . Now that I think about it , it looks hopeless and it did even back then . neutral +The price may look a little steep , until you realize that all the brightly decorated rooms are suites large enough to get lost in , with unheard-of kitchenettes and comfortable salons for the price of a standard three- or four-star room . These suites are double the size of standard three star rooms for the same price . neutral +The constitutional question remains . There are no more questions concerning the constitution . contradictory +Many agencies lack organizational cultures that promote high performance and accountability , which are critical to successful organizations . Many agencies don 't have the organizational culture to promote high accountability . entailment +Budgetary resources include the new budget authority , unobligated balances , direct spending authority , and obligation limitations . New budget authority isn 't consider part of budgetary resources . contradictory +uh-huh well i the reason why i was thinking about looking at it is because it 's supposed to i 'm not a fan of Nancy Reagan and so it 's supposed to have a lot of unflattering things in it and i thought just purely for entertainment i might enjoy that but i i wouldn 't want to go out and buy it like you know the hard back copy of it Nancy Reagan is not someone I am really fond of . entailment +Bauerstein 's evidence . This explains the whole thing . neutral +and they got him to run like he was running down the kid by luring him with Oreo cookies He enticed the kids with a bunch of Oreos entailment +Scars crossed his face . His face had been injured in the past . entailment +Opponents of the New York scheme had pointed out the unfairness of paying New York hospitals to undertake cutbacks that hospitals elsewhere were undertaking at no charge . New York is given special treatment compared with the rest of the US . neutral +You will find the tourist information center here . You can visit the tourist information center here to find out about the area . neutral +The rice was undercooked , and the sauce was a viscous , grainy gel . The sauce was a viscous , grainy gel , and the rice was undercooked . entailment +now i don 't know how the dog has fared eating all that plastic and uh and stuffed animal stuffing but he 's still here The dog wasn 't able to swallow any of the toys . contradictory +When Arkansas historians pointed out there were no black church burnings in the state then or perhaps ever , a Clinton spokesperson said he meant black community buildings ( though there is no record of that either ) . No black buildings burned in Arkansas . neutral +A great Sather made the sun remain in one place too long , and the heat became too great . It 's not possible to make the sun stay in one place . contradictory +It has a staff of about 100 employees , including attorneys and support staff , in 10 branch offices . The 10 branches had close to 100 employees . entailment +The man let out a high pitch wail and the knife fell from his hand . The man had been stabbed before he dropped the knife . neutral +So you can take your pick as to which Mundell you prefer ; but the Nobel committee basically honored Mundell the younger , the economist who was iconoclastic enough to imagine that Canada , of all places , was the economy of the future--and was right . There is more than one Mundell to choose from . entailment +Thanks to this blurring of the victim-perpetrator distinction , Ted 's nephew Joe was able to get elected to Congress despite his own car accident , which likewise devastated his passenger , four years after Chappaquiddick . Car accidents happen all the time , sometimes injuring passengers . neutral +It was the cult of Napoleon in the 19 th century , a young man 's craze that went on for generations--the craze that Stendhal described in his character Julien Sorel in The Red and the Black and Victor Hugo in his character Marius in Les Miserables . In the 19 th century , intelligent people in France knew perfectly well that Napoleon had embodied the worst aspects of the French Revolution , had betrayed the revolution 's democratic ideals , and had spread death and fire from Spain to Moscow . The cult of Napoleon embodied the best aspects of the French Revolution . contradictory +well i think the war ended too soon The war only lasted for several months . neutral +We also added review of and feedback on intake systems to all of our quality review visits , and , through our technology grants , we made it possible for programs to improve their own systems using the experiences of peers . If programs want to improve their systems , they can do so using the experiences of peers . entailment +yeah that 's right it 's kind of nice too to have that fall It 's kind of nice in your 20s to have that fall neutral +The specific key conditions and strategies described in this guide can be used as suggestions for federal CIOs to apply or adapt to their environments , where appropriate . These strategies include reducing air conditioning bills by closing office windows in the summer . neutral +Jim is one who has always given as generously of his time as he did his money . Jim volunteers his time and money . entailment +The main resort is Batsi on the west coast , just south of Gavrion . Batsi is an abandoned town just north of Gavrion . contradictory +Koontz uh his last name ends in a Z i know that I have trouble remembering how to spell Koontz . neutral +The Poldi-Pezzoli Museum ( Via Manzoni 12 ) is a small , formerly private collection displayed in the charming ambience of its original home dedicated to the city in 1881 . The museum was given to the city in 1881 . entailment +i would hope so i mean you 've been together a little bit longer than we have the two of you started dating about six months before we did neutral +a different world from down there Things are very different here . entailment +The cafe around Place Saint-Germain-des-Pr ? ? s act as the village center . The village center is more or less the cafe located around Place Saint-Germain-des-Pra ? ? s . entailment +4 . What Are Other Ways of Defining Saving and Investment ? Are there multiple ways to define investment ? neutral +oh i believe that i do I believe that I do not . contradictory +Napoleon was fond of Fon ? ­ taine ? ­ bleau and he refurnished the pal ? ­ ace after the looting of the Revolution . The palace was looted over the course of the Revolution . entailment +So is Clarence Thomas right ? Clarence Thomas is wrong . neutral +With its atomic bombs ? It will use its atomic bombs ? neutral +We make recommendations to the Secretary of Defense for improvements to weapon system acquisition policy to better align design and manufacturing activities with best practices that have shown that the capture and use of key knowledge can result in better cost , schedule , and performance outcomes . The Secretary of Defense does not need to be concerned with best practices . contradictory +Daniel O 'Connell carried on the struggle . The struggle was carried on by Daniel O 'Connell . entailment +Doubtless the writer was interrupted ; but there can be no question as to his identity . We are still not sure about the identity of the writer . contradictory +configuration items after formal establishment of Items are configured after they are formally established to be efficient . neutral +oh isn 't that awful i was just reading this thing in the Chicago Tribune yesterday about this little girl who was a crack baby and she was put in a foster home for five years and was having a wonderful life and then her mother The girl was only allowed to stay in the foster home for three years before she was evicted . contradictory +No , now I 'm not playing ! I wasn 't supposed to say , and you , Kudu , now you said it for real , so I 'm not playing . Kudu said something that stopped the writer from playing . entailment +The award-winning South Coast Repertory Theater is also based here , and the adjacent South Coast Plaza shopping plaza hosts many of the most fashionable department stores . The South Coast Repertory Theater is award-winning . entailment +More complex case studies might need several layers or graphics ; less complex , few . The more complex the case study , the less it needs graphical representation . contradictory +Forbes , in a speech last month titled The Future of Privacy , went further , saying he would shut down all federal medical databases and end the Internal Revenue Service as we know it by imposing a simplified flat tax . Forbes ' plan would impose a different form of taxation which would end the current Internal Revenue Service . entailment +On show in the museum are weapons as well as brass and silverware and a tableau portraying a grand royal wedding . There are no weapons , brass , and silverware on show in the museum . contradictory +In fact , if I understand the rules , a $ 17 billion foundation will have to give away roughly $ 170 million per quarter and , in today 's market and economy , ought to have considerably more than that to spend , even after hedging against inflation . A foundation worth $ 170 billion dollars is doing everything in the right way . neutral +The coro ( choir ) shelters a Christ by Francisco Salzillo , one of many supremely realistic works by this native son of Murcia . Francisco Salzillo 's religious art is quite famous around the world . neutral +They are photographs of works from the Louvre , Paris . They are cave paintings of objects found in nature . contradictory +French-speaking theater lovers can enjoy the classics by Moliare , Racine , or Corneille at the Comedie Franaaise ( rue de Richelieu ) or avant-garde productions at the Bouffes du Nord ( Porte de la Chapelle ) and Cartoucherie ( Bois de Vincennes ) . Moliere and Racine have written many French comedies . entailment +The armored men tore the clothes from the two younger women leaving them naked and shivering . The men had no weapons or protection . contradictory +Antiques , including Chinese jade , ceramics , bronzes , gowns , incense burners , and perfume bottles ; Thai ceramics and bronzes ; Indian brass ; Indonesian wooden masks and carvings . No antiques , it is a car dealership . contradictory +HUD reports that the interim rule will have only an indirect impact on family formation , maintenance , and general well-being and that such impact will be beneficial because it will assist mortgagors in maintaining ownership of their properties . HUD says the interim rule will only have an indirect effect on families . entailment +Some houses--big and small--have trimmed their lists , consulting closely with the chains to determine what is commercial , and have seen their profits and sales rise . Some houses have cut their lists by more than half . neutral +Privately , too , King brooded over Malcolm 's jibes about my being soft and ... King was unaffected by Malcolm 's jibes . contradictory +It wasn 't until Stuart Taylor Jr . ' s 1996 American Lawyer investigation that the rest of the media began to take the charges , though perhaps not Jones , seriously . The charges could result in jail time . neutral +Holdings of Foreign Assets and Net Income From Abroad ( 1977-1999 ) Net assets ( billions ) Net income ( percent of GDP ) 500 Net income as a percent of GDP was higher than expected . neutral +i don 't know i don 't really i don 't i want something i can drive too you know and i was scared to drive that big van I 'm comfortable in any type of vehicle . contradictory +You must be near as shiny as Don Cazar or Mister Topham ! " You must shimmer like Don Cazar or Mister Topham ! entailment +especially i felt like there was a camera watching I felt completely at ease in private . contradictory +Now get to work , time is running out . We 've got plenty of time , we can work later . contradictory +I am pleased to transmit the comments of the Legal Services Corporation ( LSC or Corporation ) Board of Directors ( Board ) regarding the Semiannual Report of LSC 's Office of Inspector General ( OIG ) for the six-month period of October 1 , 2000 through March 31 , 2001 . I am pleased to transmit the comments because it incriminates members of the corporation . neutral +[ This last is a dig at Jesse Jackson . ] The last one rips on Jesse Jackson . entailment +In addition to the great shrines of haute cuisine in and around the city , you should seek out the little bars and cafe and the old-fashioned bistrosehat the Lyonnais call bouchons ( after the bunches of straw or foliage that served as a sign for the restaurant ) . You should find little bars and restaurants to get a good taste of the local cuisine . neutral +We do not need your help , said Oden . Oden said , we do not need help from you . entailment +If I find out that you told anyone , I 'll kill you . I won 't do anything if you tell anyone , I couldn 't care less . contradictory +There is no net inflow of resources . There isn 't a net flow of resources because they 've all been used up . neutral +The numerous six-pointed stars set in the abutments of the main arches are not the Jewish Star of David but an esoteric emblem that you 'll see all over the country . You 'll see the Star of David all over the country because many people are Jewish . contradictory +Fena Dim will burn . Fena Dim will be set on fire . entailment +are they 're very active right now but they 're seventy five and and seventy two so that comes up somewhat more often in my thoughts as i see these things because of their age I think about their age and how it 's affecting their activity . neutral +And the increase in calls prompted Jackson Police Chief Rick Staples in March to form a focus group to determine if police officers need to make changes in their response to domestic calls . There was a decrease in the number of calls . contradictory +Under the British , Penang was named Prince of Wales Island , and the capital took its name from the son of King George III , the future George IV . People still call Prince of Wales Island Penang . neutral +Now the saddle . The saddle has to be made of expensive leather or it won 't work properly . neutral +To get more authentic information , evaluators have sometimes become participants in situations , not identified to the other persons involved as GAO staff . Evaluators have sometimes become participants in situations , not identified to the other persons involved in GAO staff , to get more authentic information . entailment +Some families have opened up their homes to visitors and you can have an evening meal with them and discover more about their world . The families o not mingle with visitors . contradictory +Situated on its own private beach just ten minutes from the airport and seconds away from the coral reefs offshore . They have a private beach . entailment +The United Irishmen , led by Wolfe Tone , was founded in 1791 , a nonsectarian movement that sought the freedom of the Irish people , both Catholic and Protestant . The non-religious group The United Irishmen wanted to bring independence to the Irish . entailment +Jaume I died after reigning in Arag ? ? n for six decades , but he made the cardinal error of dividing between his sons the lands he had fought for so long to unite . Jaume I 's empire would have stayed intact if he had only left it to his oldest son . neutral +One year after the auction , the population of Las Vegas had ballooned to 1500 residents , a portent of things to come for the next ninety years . 20,000 people lived in Las Vegas by a year after the auction . contradictory +Th ' Old Man musta lit into him hot an ' heavy , chewed him out good . The Old Man must have given him some food and nice place to sleep . contradictory +Do wear good shoes and use the safety railing . It is a good idea to use the safety railings and wear good shoes . entailment +I must not appear in the case . " I cannot be seen during this case . entailment +If you plan to buy anything for use in Europe or elsewhere ( where PAL is the main broadcast standard ) , make sure you purchase a multisystem unit ; only these are compatible with the various broadcast standards in use around the globe . Multisystem units are compatible with many types of broadcast standards . entailment +Jon stood and the men closed in on him . The men got closer to Jon . entailment +Particulate Air Pollution and Chronic Respiratory Disease Environmental Research 62 : 7-13 . Particulate Air Pollution and Chronic Respiratory Disease Environmental is a movie . contradictory +These percentages of demand are expected to be experienced prior to 2010 , but with growth in the boilermaker numbers out to 2010 , the percent of boilermakers affected drops off . Percentages of demand are expected to be experienced prior to 2010 . entailment +The press , as many have complained , overemphasizes the horse race aspect of politics . A lof of people think the political circus gets too much attention rather than the issues . neutral +oh boy yeah that sounds great That sounds terrible ! contradictory +A very friendly reception for the first volume of a biography of one of the best-connected journalist-playwright-congresswoman-ambassadors in history , the wife of Time founder Henry Luce . A decidedly cool receipt for the autobiography of Henry Luce . contradictory +Jon paused , gazing at Ca 'daan with eyes like frozen water . Jon continued what he was doing , ignoring Ca 'daan entirely . contradictory +After Kailasa , the Jain caves ( numbers 30 34 ) , excavated between the eighth and 13th centuries , will come as an anti-climax and this despite the considerable prowess of their sculptors . The Jain caves have been excavated despite being beautiful once . entailment +Many winter cruise ships anchor in Funchal harbor on December 31 to take part in the party . The party is very large and many people attended it . neutral +By the end of the 13th century , they began their first raids on the Aegean Islands . The first raids on the Aegean Islands began at the end of the 13th century . entailment +The park also boasts the tallest obelisk in Europe in the 67-m ( 220-ft ) Wellington Monument , erected in 1861 after the victory of Waterloo . The obelisk in the park is 500 feet shorter than the largest Obelisk in the world . neutral +uh uh i 've got a garage under the house There is a garage beneath the house . entailment +When invoking this concern , it is not necessary to specify--and indeed it is hard to imagine--what conclusion short of victory a guy like you , who flings around terms like exit strategy , would find minimally satisfactory . Your determination to achieve victory limits our ability to give you options should you not succeed . neutral +Jon envied that . Jon was envious , and he was going to do something about it . neutral +yeah it 's kind of funny to you know sit back and remember it brings back a lot of memories um i don 't know i like do you like um i don 't know if if you 're you would know like Barney Miller do you ever watch that or the old Bob Newhart Show I have never like old shows like Barney Miller . contradictory +That entire paragraph deserves a rousing chorus of You 're the Pits ! That entire paper deserves a chorus of You 're the Pits ! neutral +Touch and go , he muttered . He was speaking about infiltration plans . neutral +Maybe they 've gone abroad to Poland , or something like that ? " Tuppence shook her head . They very well may have gone to Poland . neutral +Internal auditors may be required to verify that the equipment or software pass the specified tests . The software cannot be checked by external auditors . neutral +well there 's there 's quite a few that can handle that uh any local nursery will be able to help you with with something like that Any local nursery won 't be able to help with the task at hand contradictory +Rather , it puts us in closer touch with the ordinary , the common , by turning a different light on them . This draws us away from the ordinary and the common . contradictory +Attention should be paid to the physical setting , to the people who are served by the program , and to variations in treatment . Physical appearance is what is seen first . entailment +Mary sought asylum in England , only to be imprisoned by Elizabeth . Mary traveled to another country to seek asylum . entailment +The wealthiest residents lived with their slaves in grand mansions constructed in mudejar style , a Christian-Muslim architectural tradition dating from medieval Spain . The wealthiest residents had slaves and they had them at their beck-and-call . neutral +What do you expect , then ? What is your expectation ? entailment +and they bloom in you know late June mid July and they 're yeah they are they 're real nice but they 're they 're nice and green you know they 're up above a foot maybe eighteen inches This plant is an evergreen tree . contradictory +yeah i think they probably did he probably i was reading the other day that what may have happened to him is he pitched too many innings too young I read the other day that he pitched too many innings at a young age . entailment +He takes pains to say he is not offering a plan for a perfect society , merely a framework for utopia ( the phrase is Robert Nozick 's ) . It is a framework for utopia . neutral +The result was the same but the man 's attitude was almost apologetic . The man didn 't seem to care at all about the results . contradictory +He didn 't have that kind of imagination . He did not have an imagination like that . entailment +You know , that in the upper right corner , in our second storage room . ' There is a second storage room in the upper right corner . entailment +In the first 4 years , How does your program announcements were mailed to the inform the eligible colleges of the individual named as president in the opportunity to apply for grants ? Over the last 100 years have you notified applicants of how to become college president ? contradictory +An even more interesting image out of Chinese history is the walled village of Kat Hing Wai , in the village of Kam Tin just outside the market town of Yuen Long . Yuen Long became famous for the largest illegal drug smuggling operation in Chinese history that was recently uncovered . neutral +well actually i 've found out that i 'm not going to go back to being an engineer i 'm i 'm i 'm a photographer now Photography is my true passion . neutral +As did the Kal . Kal did the same as the other people . neutral +yeah well they record these and then somebody transcribes them so that they they have uh they have a speech signal and what and what is said They have to transcribe the conversation for legal purposes . neutral +Also , if State and Federal excise taxes remain at the current levels , tax revenues will decrease over time because of decreased sales . If excise taxes do not change from the current State and Federal levels , tax revenues will eventually decrease due to lower sales . entailment +( By contrast , Slate ' s assessment relies entirely upon sources who are not identified by name . ) Slate 's sources are unreliable , as they 're not known . neutral +The 2002 Sandra Day O 'Connor Award for Professional Service was presented to Conner in a ceremony at the U.S. Conner was presented an award in 2002 . entailment +you know paying back for whatever crime they 've committed They are going to pay back for their crime . neutral +any comment , request , suggestion , proposal , image , or other communication An image does not count as a form of communication . contradictory +While King vacillated , Malcolm X seized the nation 's attention with his calls for retribution , tempting blacks weary of King 's nonviolence and sending whites into a panic . No one paid attention to what Malcom X had to say . contradictory +In the 1920s , Montparnasse took over from Montmartre as the stomping grounds of the capital 's artistic colony , or at least of its avant-garde . Montparnasse took over . entailment +i hope he got busted I hope the police are considering arresting him neutral +because i don 't think they build them as energy efficient down here as they do up in the north i just really don 't The north is more focused on energy efficiency . neutral +i think it 's a good idea i i i don 't think that they 've gone far enough though i think they should they should uh also test for alcohol I agree with it , but I also think they should test for alcohol . entailment +Unlike Roger Moore , who seemed detached from the action ( as well as from his stunt double ) , and Timothy Dalton , who seemed above it , Brosnan makes you believe that Bond 's absurd feats are the plausible upshot of his refusal to be bested by social or sexual inferiors . Brosnan makes Bond seem completely unbelievable and silly . contradictory +After the initial years of Roman administration and political infighting , Rome installed Herod ( scion of a family from Idumea , a Jewish kingdom in the desert ) as King of Judea . Herod became King of Judea . entailment +The A12 autostrada and the old Via Aurelia ( which ends up in Arles in French Provence ) take you to Tarquinia . The Via Aurelia is less congested than the A12 autostrada . neutral +Changing the federal policy on frequent flyer miles would have some disadvantages for the government . Frequent flyer miles shouldn 't be changed neutral +um they they also have a garden shop and they they offer just as good a guarantee if you buy it from them They have a garden shop where you can buy it from . entailment +4 ) If resemblance to Jesus were the only issue , why didn 't Falwell say the Antichrist must be a carpenter ? Many sources bring up other issues in this case . neutral +Figure 1 provides an overview of the various types of risks to computer-based operations . The types of risks in Figure 1 pertain to computer-based activities . entailment +The analysis based its benefits on achieving the Healthy People 2000 , a Department program , goal of reducing underage tobacco use by one-half in order to prevent over 60,000 early deaths . The program was a failure because kids just couldn 't relate to the messaging . neutral +A Special Report to Congress on State Planning and Reconfiguration was released late in the year , along with the LSC Board Taskforce Report on Configuration , adopted by the LSC Board of Directors in November . Just one report was released to Congress last year . contradictory +You have come to back your horse , senor ? Don Lorenzo smiled up at Drew . Don Lorenzo was asking Drew about his horse . entailment +It is flanked by a building that protected aristocratic debtors ( known as the Abbey Lairds ) from arrest and certain imprisonment ; civil authorities had no jurisdiction within the Abbey grounds and could not enter to arrest them . The Abbey Lairds were seized and arrested as soon as they left the building . neutral +CDC Centers for Disease Control and Prevention CERT / CC CERTa Coordination Center CDC stands for Colons for diabolical control . contradictory +well like there are other communities too that aren 't necessarily a nursing home i had an aunt who lived in a small town in Texas that um was in a it was a it was a housing division each person had their own little bitty house that they had built and it was um People who can 't totally function on their own have to stay in nursing homes , there 's no other options . contradictory +um-hum may i ask you a question Can I ask a question ? entailment +complained one of the spectators . The spectator couldn 't see well . neutral +The fine construction of the brothel and gambling district impressed Ca 'daan . The woman was appalled at the state of the district . contradictory +i don 't he uh he 's very he really liked The Doors so it was very much his impression too you know so so if you have He hated The Doors with every fiber of his being contradictory +As applied to Vietnam , this would mean staying out of a fight that was likely to go bad . Staying out of a fight would save millions of lives . neutral +Kamakura was falling apart . Kamakura could never be falling apart . contradictory +His mother is with them , Elise . The man 's mother was with them . entailment +$ 20,171 to support overtime costs of two additional officers to serve PFAs during nonscheduled work hours , ensuring more expedient and immediate delivery and service of PFA orders . There will be no money to support overtime costs . contradictory +Addi ? ­ tional alternatives are house and apartment rentals and camping or caravanning . There are no additional alternatives to choose from . contradictory +you know where some people can 't where they 're in a wheelchair or where they 're in a bed and they can 't get around but then they have full care but i really like those those options now and and i think about it more often because my husband 's parents My husband doesn 't have any parents . contradictory +um-hum yeah i 'd like to see the the neighbors put some trees in the front yards anyway just to get something started I would not like it much if my neighbors put trees in front of their houses . contradictory +The preamble discusses the alternatives considered and why EPA believes that the alternative selected is the least costly and least burdensome consistent with the requirements of the Clean Water Act and the Clean Air Act . We want to choose the best alternative of the lot . neutral +They are the best in the business , and their efforts have turned up precious little . They 're the worst company in the business . contradictory +Monsieur Lawrence did not know at all what I meant ; but , on reflection , he came to the conclusion that if he could find an extra coffee-cup anywhere his lady love would be cleared of suspicion . Monsieur Lawrence wanted to help his lover badly , so he took time to reflect and think . neutral +'Thank you , no . ' He didn 't want to be rude so he said no thank you . neutral +He has not many sources of supply left . He does not have a lot of supply sources remaining . entailment +But the mistreatment of all groups other than blacks was far less severe , and it has proven far more amenable to cure without radical intervention . Blacks were treated worse than other groups . entailment +The crowds , the charm , the success ... I remembered my ultimate nature as a fraud . I thought of my nature as a fraud . entailment +Waiting for the first Spanish governor to arrive put a huge strain on the disillusioned society . The disillusioned society did not have to wait for a Spanish governor . contradictory +But I agree with you that when it comes to the upshot of the whole story , those scanty last few pages on what it all means , Lemann just throws up his hands , and leaves a lot dangling . Lemann did not put much thought into writing those final pages . neutral +Two of them looked like pit fighters . They looked like pit fighters . entailment +Boards have a responsibility to ensure the reasonableness of overall executive compensation . Their are no checks in place to stop executive compensation from growing exponentially . contradictory +Burke believed that the principles shared by party members should bind them together , even when they encounter particular differences about their application ( and despite some blurring of lines , party members do still ) . Indeed , representatives owe it to the voters not to discard the party line for personal gain . Burke thought that there was nothing that could unite party members . contradictory +You can see one at La aora , 6 km ( 31 ? a2 miles ) from the Murcia city centre . You 're able to see one at La aora , which is just 6 km from Murcia city centre . entailment +'What are you doing ? ' I asked . I was worried about them and asked what they were doing . neutral +well that 's good have you have you ever grown any vegetables I already know that you 've grown every type of vegetable imaginable . contradictory +okay was good talking to you yeah take care bye-bye It was good talking to you ; take care . entailment +Not only are we not liberated from our There is more we are liberated from . entailment +Though he forcefully presses his case toward a conclusion many will find radical , the tone is calm and respectful and the writing style gentle and inviting . He gently presses his case towards a conclusion that makes everyone happy . contradictory +Open May September Tuesday , Thursday , and Sunday 11am 3 : 30pm ; October April Sunday 10 : 30am 2 : 30pm . The location has the same hours all year . contradictory +you know what 's the significance of the apes you know There are many types of apes around the world . neutral +A mass of confused exclamations greeted him . A mass of quiet approval met him . contradictory +This most faithful lieutenant of the Tokugawa clan distinguished himself by planting the cedar forest around the shoguns ' mausoleums at Nikko . The cedar forest was planted by a lieutenant of the Tokugawa . entailment +The area of Mar Menor is also noted for its windmills , some of them restored to perfect working condition . None of the windmills at Mar Menor work . contradictory +For four years Jewish zealots fought against the might of Rome . Many fighters on both sides died during those years . neutral +I brought you here to prepare the best ever under the sun representative parachute , if I 'm going to have a photo session with it for ' Aircraft Industry ' . He didn 't bring you to see the representative parachute . contradictory +There is no net inflow of resources . There is a net inflow of resources . contradictory +They were infused with the idealism and spirit of the Kennedy years and strengthened by President Johnson 's vision of a Great Society . They were bolstered by Johnson 's vision of what made America fail . contradictory +The man 's rage boiled and he rushed Jon . The man was very happy . contradictory +For expensive items , say a carpet or a leather jacket , the process might be lengthy and involve several glasses of tea and a good half hour of your time . Carpets and leather jackets are expensive products . entailment +He 's unleashing Ballmer to fight and intimidate Microsoft 's enemies . Ballmer will fight for Microsoft . entailment +Had she been more aware of the despair of the Depression , she might have been more understanding of Franklin Roosevelt . She knew everything about the Depression and its impact . contradictory +Sugar is added while brewing , so order sade kahve ( no sugar ) , orta kahve ( sweet ) , or cokekerli kahve ( very sweet ) . Sugar is never added during the brewing process . contradictory +He couldn 't free himself , of course , not from the Kennedys , not from anyone . He couldn 't find a way to escape from the Kennedys , which was odd as usually he could escape , but he felt like he couldn 't escape from anyone anymore . neutral +In an emergency department ( ED ) study of injured crash victims who had been drinking , Cherpitel found that more than one-third linked their drinking to being injured and thus were deemed good candidates for brief intervention . Drinking is a large factor in being injured . neutral +Payroll tax increases . Payroll taxes will skyrocket along with adjustments in wages . neutral +Queer , he said thoughtfully . He didn 't say anything . contradictory +that 's encouraging It helps a lot . neutral +So you find out where the welfare office is , and there you also learn that if you quit your job you can qualify for two years of TANF welfare . TANF welfare doesn 't exist , and there is no such thing as a welfare office . contradictory +Abuse occurs when the conduct of a government organization , program , activity , or function falls short of societal expectations for prudent behavior . Abuse happens when the government organization operates as society expects . contradictory +so uh describe your family budget What does your family 's budget look like ? entailment +I fought to hold on . I didn 't struggle to hold on . contradictory +This commentator concluded that if the client agrees to the representation with the knowledge that the attorney must seek to withdraw under the rules , and the court refuses to grant the withdrawal motion , the attorney would be required to continue the representation . According to the commentator , the attorney would have to continue with a representation when the court refuses to grant a withdrawal motion . entailment +uh-huh yeah but uh we we really like camping i i must say that uh we have we really have a lot of fun a lot of memories in that from camping and uh We hated camping and never want to do it again . contradictory +Clouds of white fire belched up . Smoke bellowed out . entailment +Cost finding techniques are appropriate for certain kinds of costs , such as indirect costs , items with costs below set thresholds within programs , or for some programs in their entirety . It 's ok to use cost finding techniques for some kinds of costs . entailment +These legal aid groups and the individuals providing pro bono services do a commendable job , but they cannot meet the demand . Pro bono lawyers are overworked neutral +Also , the SEC and the PCAOB should explore integrating their activities to get the new enforcement mechanisms in place to determine how well they may address some of the issues discussed . The SEC and the PCAOB work together to figure out how to address environmental issues . neutral +You can fast the next day . Fasting today sounds like a good idea . contradictory +The argument only works if you believe that mathematics is eternal and precedes the universe . Math has always been around . entailment +To continue discriminating is to throw away an opportunity for unprecedented financial success . Discrimination will make the business less popular . neutral +Her Protestant cousin , Elizabeth Tudor , was on the English throne , but Elizabeth the Virgin Queen had no heir . Elizabeth Tudor loved reading the Bible in her spare time . neutral +when i was much younger it was uh less important to consider retirement and less important to consider medical benefits but as i grow older and my family grows it the medical benefits are more important and the retirement is more important As I grew older , I didn 't give much thought to my eventual retirement and medical benefits . contradictory +It takes some six weeks to complete the construction of what is considered to be a precision instrument . It takes just a few minutes to make one . contradictory +oh i 'm with you i have to check T News every everyday it 's my noontime dose of facts T News is the only news source I ever read . neutral +Two old girlfriends dish the latest dirt . Two friends are giggling . contradictory +you save a lot It 's a great idea if you intend to save money over time . neutral +Juan Gonzalez yeah he looks to be a a up and coming uh performer Juan Gonzalez has been a terrible performer so far . contradictory +The size of a small village , the site now houses mosques , museums , cafe , and is a place where tourists and local people gather away from the noise and dust of the city . There are places in the village to allow people to have a haven from the city . entailment +The number is followed by a P for paragraph which is followed by the paragraph number ( s ) . The paragraph precedes the numbers contradictory +The test of the governors ' new way--and the test of America 's rediscovered political faith--won 't come till the lean years follow Clinton 's seven fat ones . America has rediscovered political faith to some extent . entailment +In essence , this plan is to contain the annual performance goals the agency will use to gauge its progress toward accomplishing its strategic goals and identify the performance measures the agency will use to assess its progress . The agency has to fill in a performance sheet at the end of every year . neutral +That night he was scheduled to accept the Award for the Site of the Year in a competition sponsored by ' Przekobiz ' ( he didn 't have the patience to wait for ' Inzapbiz ' ) . He has never been given an award for his Site . contradictory +With superb bronze doors and an imposing free-standing brick cam ? ­ panile , it is a rare jewel of Italian Romanesque architecture . The bronze doors are not the original doors . neutral +oh you should have used it you wouldn 't have been liable for the payment You wouldn 't have been liable for the payment if you used it . entailment +The Commission discusses these comments and any actions taken in reaction to them in the supplementary information provided when the Final Rules were published in the Federal Register on September 12 , 1996 ( 61 Fed . These comments were discussed by the Commission and published on September 12 , 1996 . entailment +And , primarily because of the daunting scientific obstacles , woefully few companies have an aggressive AIDS-vaccine program . Companies have been readily investing in AIDS vaccine research . contradictory +Look here , Slim , you mean that 's a ship from another world . That ships looks very different it can 't be from our world . neutral +Blithe investors toss millions at the Web out of the conviction that it will subsume the other media , change the face of capitalism , and generate billion-dollar payouts . Careless investors throw money into the Web , thinking it will get them huge profits . entailment +An important figure in Atlanta is Terry Walsh of Alston and Bird , who has championed the welfare of children in Georgia . Terry Walsh has never been involved with Alston and Bird . contradictory +In addition , these protocols are not meant to govern GAO 's relationship with the federal Inspectors General ( IG ) community . The GAO have a very friendly relationship with all Inspector Generals . neutral +It is here that Jesus is said to have washed the disciples ' feet and presided over the Last Supper . Religious people flock here , hoping to be close to Jesus . neutral +These two cases illustrate the need to pursue U.S. interests on two tracks--together as possible and alone as necessary ( or , in diplomatic jargon , multilaterally and unilaterally ) . They had two paths that both have valid points . entailment +That door was also bolted , as I had stated . I had stated many times that the door was bolted . neutral +Get rid of all guns ? Mass-produce guns and give them to everyone . contradictory +uh but uh wel l keep up the good um well keep up the cross-stitching Stop cross-stitching immediately . contradictory +Someone once said , ' Get a job you love , and you 'll never work a day in your life , ' Zucker said . If you like what you do , you 'll never think of it as a job . entailment +Changes in surface water chemistry are characterized by changes in Acid Neutralizing Capacity ( ANC ) - the ability of a waterbody to neutralize strong acids added from atmospheric deposition . Changes in surface water chemistry are characterized by changes in the ANC . entailment +This is similar to exceptionbased T & amp This is very different from most exception-based contradictory +The apparent going premium of 50 percent for a targeted ad on the Internet suggests that Internet advertising may be as likely to reduce total ad spending as to increase it . Ad spending can either increase or decrease . entailment +The Russian Orthodox Church of Mary Magdalene , with its gilded onion-shaped domes , is in the first section of the garden . The Russian Orthodox Church of Mary Magdalene , with its flat roof , is situated outside the garden . contradictory +Where once stood only tents and shacks of loose wood , now structures of hardwood , clay , and stone rose into the air . The old tents were not very sturdy . neutral +But not a penny piece besides , not a pair of gloves , nor a theatre ticket . ' She didn 't understand , was very offended sometimes . She thought I was calling her stupid . neutral +The HMOs knew the rules , and the number of dropouts does not seem excessive . The rules were known by the HMOs . entailment +Secret Storm though i think they were back to back on black and white okay i mean i 'm just a youngster and i was like oh my gosh Secret Storm was a great movie they showed back to back . neutral +A charmless , surprisingly chintzy affair ( Greg Evans , Variety ) , the play features a script eviscerated of interesting characters . The play also , in the opinion of many critics , ran entirely too long in light of the lack of plot sustaining it . neutral +Its factories feature the latest generation of industrial robots that don 't eat , don 't sleep , and never strike . Industrial robots work in its factories . entailment +I have no soul . " " We call , " Bork answered . I do not have a soul . entailment +HERSHEIMMER . " Hersheimmer is . entailment +Today , we neither have such a group nor the atmosphere for its emergence . We currently do not have such a group . entailment +We determined that the first Cort factor was Lenders affected by the lobbying activities of LSC grantees were not part of any special class to be benefitted by the LSCA . Lenders affected by the lobbying activities of LSC grantees were part of a protected class and therefore they will be benefited by the LSCA . contradictory +but they don 't look you know like she had complained about it one time and the girl said she was sorry she picked up these utensils and and when back and grabbed some new ones and then put the new ones back down and the new ones looked worse than the ones that she took away so she is not even looking you know and She wanted to complain to management about the cutlery . neutral +It should not be interpreted as a recommendation about how much the United States needs to save because saving is not free and there are other ways in which governments , businesses , and individuals can and will adjust . The United States does not need to save because saving does not cost anything . contradictory +Hello Mieczyslaw ? And how are we feeling today ? Good , I suppose , because sleep 's the best medicine , as the old saying goes , and who cares that it 's banned . The speaker 's opinion is that sleep can do terrible damage to the body . contradictory +Sather Karf turned , and again his hands writhed in the air . Sather Karf 's hands flailed above him as he turned . entailment +hey Dick who 's your favorite team What team are you on ? contradictory +so how do you handle do you got any kids Do you have any children ? entailment +And the cosmopolitan crowd outside mingling with street performers , artists , and fire-eaters provides hours of free entertainment . The artists and street performers charge money to entertain people . contradictory +She was a goddess . She was the most beautiful woman he had seen . neutral +Federal Communications Assessment and Collection of Regulatory Fees for Fiscal Year 1996 Federal Taxation Regulation and Collection of Maintenance Fees for 1888 . contradictory +Shenandoah , Acadia , and Grand Canyon ) that are termed class I Federal areas . Shenandoah is in a different class of federal area from Acadia . contradictory +but they are in such disarray over there they 're not in any position to exalt exert themselves over anybody right now like they were They are well organized and have complete control . contradictory +And instead of a football field , which wasn 't necessary for spine stretching exercises anyway , there was going to be a replica of Omaha Beach for fans of the paintball version of ' Closer Combat 4 - Ultimate Expulsion ' . Spine stretching exercises don 't require a football field . entailment +For example , the chief executive officer ( CEO ) may aposition the CIO for success- in advance of hiring a new CIO while the other principles await the CIOas attention . When the CIO position is vacant , a CEO must find a replacement immediately as their duties cannot be replicated . contradictory +This column , as my first in the Strange Bed , is free of history . This column is not free of history . contradictory +There is a small forest of white chaitya shrines behind the Hariti Devi temple , and a porch to one side where pilgrims congregate to prepare meals in offering for the goddess . The shrines are older than the Hariti Devi temple . neutral +but thanks a lot thanks for nothing contradictory +Table 2.3 : Methods of Obtaining Description Technique Methodology Unable to obtain description contradictory +American expatriates such as Ernest Heming ? ­ way , F. Scott Fitzgerald , Gertrude Stein , John Dos Passos , and Theodore Dreiser also contributed to the free-living mystique . Ernest Hemingway had no part in contributing to the mystique of free-living . contradictory +well i i don 't know i don 't know how far it goes I wish I had known before starting how far it goes . neutral +Milne said she may ask the board overseeing her organization to give her until November to seek funding from additional sources . Milne said she wanted to have five months to find more funding . neutral +In the 1970s , GAO started recruiting social scientists , computer professionals , and experts in such fields as health care , science , public policy , and information management . GAO hired thousands of professionals from the health care field . neutral +There are also gift shops selling quality Scottish products . Quality Scottish products are being sold in gift shops entailment +Behavior in the Human Male , in its impulse toward acceptance and liberation , the broad and generous desire for others not to be harshly judged . Acceptance and liberation cause males not to harshly judge others . neutral +Accordingly , the regulations call for senior executive performance plans and appraisals to contain performance expectations on employees ' perspectives . Employees will get warnings or possibly terminated if not properly following performance plans . neutral +They slept easy that night , drunk on water and filled with peace and friendship and good cheer . They were celebrating a friends returning from war . neutral +i can 't remember where i i read that recently somewhere and i can 't remember where but i thought it was up there so that 's interesting because New Hampshire I know exactly where I read about that topic before . contradictory +Difficult not to make money when you 're the only game in town in a Third World city-state . Running to only game in town is not profitable . contradictory +take it when you want to yeah There is a set time you must take it . contradictory +yeah i guess the more you plant the less you have to mow The more you plant , the less you have to mow . entailment +The other center has operated at Monroe High School in North Hills for two years and serves about 100 people each month , said Nancy Cervantes , an attorney for Neighborhood Legal Services . They were only able to serve 10 people a year . contradictory +Some people still suggest that Madeira is part of the lost continent of Atlantis , and though it has become easier and easier to get there , the island still seems otherworldly . The theory that Madeira is a part of Atlantis is popular amongst the inhabitants . entailment +What does it all mean ? What does all of it mean ? entailment +More eloquent than any museum are the 9,386 white marble croses of the American military cemetery on a cliff overlooking Omaha Beach at Colleville-Saint-Laurent . The townspeople maintain the cemetery overlooking Omaha Beach . neutral +The egg must hatch ! " He leaped forward , brandishing his knife , while the Sons of the Egg fell in behind him . He needed the egg to hatch in order to help him . neutral +The Covenanters The Contract-breakers contradictory +Recommendation # 7 Research is needed to explore and define the role of information technology in facilitating screening and intervention for alcohol problems among ED patients . There 's no need to consider what IT can do for the purposes of screening problematic alcohol use in ED patients . contradictory +The Blue Room , by David Hare ( Cort Theatre , New York City ) . He had wrote a novel . neutral +Our work on this issue has given us insight that I believe will be helpful to you . We have 5 years ' experience with this issue . neutral +News , a long book excerpt warns that Internet security is dangerously lax . The piece did not come from a book . contradictory +Because congressional mandates are established by either the entire Congress or one or more committees , it is GAO 's policy that products prepared in response to congressional mandates are issued without any restrictions ( i.e. A maximum of five committees are allowed to come together to establish congressional mandates . neutral +right that that 's actually the part that that that i find really strange i mean i i i sort of understand somewhat i mean i i knowing the history i understand that the hatred of the Muslims for you know the Israelis or whatever and i can sort of handle i can sort of handle that and the Palestinians but i sort of think about the Muslims sort of running around having jihads against themselves I find it strange , but I sort of understand Israeli hatred for muslims . entailment +You have got them , then ? " With magnificent calm Tommy shook his head . You have them with you then ? Tommy denied , betraying no emotion . neutral +Tuppence bent over her . Tuppence leaned over her . entailment +One 's a Labour man , you think ? One is part of the Labour group , you reckon ? entailment +Delimiting those circumstances is the central aspiration of 20 th -century psychology ! The main focus of 20th century psychology is delimiting those circumstances . entailment +Makaibari and Happy Valley are among those open for visitors without obligation to buy . Visitors can explore Makaibari and Happy Valley without being pressured to buy anything . entailment +I am quite sure of it . I honestly have no idea . contradictory +' ' A very large percentage of what I do is pro bono or low bono . Most of my work is for free or costs very little . entailment +Ariel blood , perhaps ? Drew busied himself adjusting Shiloh 's hackamore . Drew was with Shiloh . entailment +I concede that my inner turmoil over doughnuts is not of great moment . My internal conflict over doughnuts is of the utmost importance . contradictory +Twenty minutes southwest of the city by car is the small town of Penicuik . Penicuik is a ten hour drive from the city . contradictory +The size of the operation is immense-- USPS handles 41 percent of the world 's mail volume , more than the next six nations combined . USPS does not handle mail in any aspect of their business . contradictory +just because you happen to be a a female or a minority or anything else doesn 't automatically mean you it shouldn 't mean that you get promoted to that part A position should not automatically be given to someone just because they are a minority or a female . entailment +If they are there , I want to be the one to find them and return them to the proper owners . I am very concerned with getting them back home to their owners . neutral +A professor of English at the University of Mainz , Germany , believes she has figured out what William Shakespeare really looked like . A professor at the University of Mainz knows what William Shakespeare looks like . neutral +unskilled labor to assist with hauling of materials , placing of catalyst elements , and clean up . Cleaning up and hauling materials is highly skilled labor . contradictory +In the past there must have been intriguing opportunities to buy up Ibicenco antiques and ship them home . There has never been an opportunity to buy Ibicenco antiques or ship them home . contradictory +Senior executives receive a level of achievement of exceptional , fully successful , or less than fully successful for each element in their individual performance plan as measured against the established performance requirements . The senior executives receive feedback on their performance . entailment +The Clear Skies Act would reduce emissions of sulfur dioxide ( SO2 ) , nitrogen oxides ( NOx ) , and mercury from fossil fuel-fired combustion units by approximately 70 % from current levels . Emissions would be reduced greatly if Republicans are willing to support the act . neutral +Time shortens . Time lengthens . contradictory +He had a candle in his hand , and the agitation of his face told me at once that something was seriously wrong . I knew that everything was okay because he had a happy look on his face . contradictory +If you don 't want to pay , you can view some of the site free . ) Some of the site can be seen without paying . entailment +The analysis also discusses in qualitative terms the benefits of the rule regarding human health , including the health effects for Native American subsistence fishermen and reduction of projected non-cancer effects and improvements in fish and wildlife habitat . The analysis looks at the health of Native American subsistence fishermen . entailment +These interesting amalgams help to make Egypt such a fascinating destination to visit . Egypt is becoming a very popular tourist destination . neutral +To the right is a huge electronics and computer selection featuring a home theater room and a classical listening room . There are no home theater rooms being showcased here at all . contradictory +Under the Prime Minister Hussein , the UMNO party strengthened its position , which came as Malaysian exports were also growing . Prime Minister Hussein was responsible for the growth in Malaysian exports . neutral +Bush 's recession and Gingrich 's Congress . The recession caused by Bush and the Congress lead by Gingrich . neutral +The FFC study notes that attention should be focused on review of designs during the conceptual planning and design phases , where the ability to influence ultimate functionality and cost of the project is the greatest . No attention should be placed on anything during the conceptual planning . contradictory +Only the squeamish will object to the giant toads and harmless little white cave-racer snakes . The little white cave-racer snakes are harmful . contradictory +yeah dents into holes right Dents into holes . entailment +However , for nearly everyone visiting Nepal , the Himalayas , whether experienced from the comfort of a hotel terrace , from the seat of plane , or from along the trail , are at the heart of a visit to Nepal . Only a small number of visitors actually hike in the Himalayas , but all visitors see them . neutral +However , IDPA retains most of the responsibility for administering Medicaid . There are currently no plans for the responsibility for administering Medicaid to be transferred away from the IDPA , but it may happen in the future . neutral +Parker , Jonathan A. Spendthrift in America ? Parker studied if there are excessive spenders in America . contradictory +This has already occurred in family medicine , which is currently the medical service with the highest screening rate . This barely happened in family medicine , which screens 50 % more than other departments . neutral +" Deposit . Withdraw . contradictory +We need to push the edges of the envelope---all them ! It is necessary to push the edges of the envelope . entailment +It was moved here from Mespil House and is called the Hibernia Ceiling . The Hibernia Ceiling was moved from the Mespil House . entailment +But I don 't believe that . But I completely buy it . contradictory +They hung on for private profit . They left rather than be greedy . contradictory +this is the kid who who really you you know barely made it through high school He passed high school with straight A 's . contradictory +If you missed the links in the article , you can click for a summary of Richard Nixon 's transgressions , and for the full text of the articles of impeachment against him . The links in the article contain different material than the links at the bottom of the article . neutral +yeah there 's yeah but you know whatever became of Peter Frampton i mean there was nothing he was a phenomenon i mean there was no reason for him to really come into you know great stardom or anything Because we don 't know what happened to Peter Frampton , I 'm not sure if he 's still a star neutral +well well speaking of that kind of issue have you kept up with John Wiley Price He faced a lot of criticism for it , too . neutral +Lamentably , she has lost sight of just how weird and out of the mainstream that culture is . She is well aware of how weird and out of the mainstream that culture is . contradictory +Go scout the town tonight . Go scout the town for bad guys tonight . neutral +it was kind of amazing people were coming to me to ask me People were coming to ask me , and I was kind of amazed . entailment +What it lacks in size , the gallery makes up for in quality . The gallery is huge , perhaps in the hope that quantity will make up for the lack of quality . contradictory +Instead of the government telling electricity generators precisely where and how to reduce their emissions The government would lay out a clear plan on how to reduce emissions . contradictory +so i had i had always been a a sea fisher type which is a lot of fun Sea fishing is too boring for me . contradictory +We have made subtle hints and mentioned that they need to start looking for their own place . We slyly hinted that they need to consider moving out . entailment +Splendidly ornate stone friezes realistically depict battle scenes of World War I , with each branch of the forces represented . The friezes show a nature scene . contradictory +The Waverley Shopping Centre ( where you will also find the Tourist Information Centre ) is on Princes Street next to Waverley Street Station , and the larger St. James Centre ( with the central post office ) is on Leith Street at the eastern end of Princes Street . The Waverley Street Station is on Princes Street and is near to the Waverley Shopping Centre . entailment +Enter the Shoguns The Shoguns were moving quickly . neutral +Ask the tourist authority about its interesting Heritage Tour from Kowloon and other countryside tours . The tourist authority is often recommended to anyone new or lost to the area , locals are always willing to help too . neutral +Having lost the use of his left arm in warding off the machete attack during a robbery attempt , Joseph said he found it increasingly difficult to negotiate the five flights of stairs lugging groceries or laundry on the frequent occasions when the building 's elevator was out of order . Joseph was looking for a ground floor apartment . neutral +Policymakers appear to have agreed to save the Social Security surpluses , and the fiscal policy debate has centered on what to do with the balance of the anticipated surpluses . The Social Security surpluses was destroyed by policymakers ' agreements . contradictory +It also includes flat fees on informally entered goods . Flat fees on informally entered goods are included . entailment +Do begin again , and Prudie predicts 1999 will be your year . If you start over again , Prudie insists that the year 1999 will be a lucky one for you . entailment +uh-huh i i 've heard people that uh have come and visited that plant that uh from other plants that our cafeteria is head and shoulders above the others Our cafeteria is much better than other peoples entailment +Among the factors that make IPM particularly well suited to model multi-emissions control programs are ( 1 ) its ability to capture complex interactions among the electric power , fuel , and environmental markets , ( 2 ) its detail-rich representation of emission control options encompassing a broad array of retrofit technologies along with emission reductions through fuel switching , changes in capacity mix , and electricity dispatch strategies , and ( 3 ) its capability to model a variety of environmental market mechanisms , such as emissions caps , allowances , trading , and banking . IPM has at least 3 reasons why it is well suited to model multi-emissions control programs . entailment +Whether these habits will change on their own , with the maturation of a more tolerant generation , or whether full social acceptance of black Americans will require a concerted governmental effort , is unknowable . Social acceptance of black Americans will fail and there 's nothing the government can do about it . contradictory +Congress funded LSC grantees to provide attorneys to represent the interests of indigent clients . The funds were given by congress for representation of foreign interests . contradictory +Why mess with success ? Why try to prevent or spoil success ? neutral +will never achieve this linkage without modern and effective performance management strategies . Modern and effective performance management strategies can assure that we achieve this linkage . neutral +A spear flew past in his direction but hit nothing . The spear missed him . entailment +The building 's exterior , interior and exhibit displays are triumphs of design and harmony between old and new , East and West , simplicity and complexity . The building is designed to express the duality of the universe . entailment +and you knew it had had been through a whole lot It has been around a long time . neutral +that 's that 's really just kind of discrimination no matter how any way you put it That is purely discrimination , even if some people say otherwise . neutral +Statehood and Tourism Tourism affected the statehood because Hawaiians were suddenly valuable . neutral +Ionian Greeks from the island of Samos settled in Ephesus around 1000 b.c. The Ionian Greeks preferred to live in Ephesus because it 's a better place to raise crops . neutral +The authors also note that even using the flawed Witztum-Rips methodology , no book of the Torah besides Genesis shows any effect at all . They noted that Genesis was the one book of the Torah that shows any effect . entailment +Minor sights include the Milk Grotto , where Mary is said to have hidden with Jesus before the flight to Egypt , and the Shepherds ' Fields , where biblical flocks were supposedly watched by night . The minor sights are historically protected areas . neutral +The salt miners , but I don 't know why they 're here . The miners worked in the salt mines . entailment +Then I went on and mumbled out something about a girl . I stopped and left without saying anything more . contradictory +and yeah i like jazzercise i 'll tell anybody i 'd go to jazzercise before i 'd go to aerobics I like jazzercise more than aerobics because of the music neutral +Day and night , the action goes on in this vibrant city . Throughout the day there is action happening in this lively city . entailment +I 've been thinking of nothing but Tuppence . " Tuppence is the only thing on my mind . entailment +i think it 's right i think it 's neat i think uh you learn a lot from them you You can learn nothing from those people , nothing . contradictory +Michelangelo wanted the tomb surmounted by the Piet ? , now in the cathedral museum , but the Florentines almost didn 't get even his body they had to smuggle it out of Rome . Michelangelo suspected that the tomb may be broken into . neutral +GAO assists congressional decisionmakers in their deliberative process by furnishing analytical information on issues and options under consideration . The information is timely . neutral +Outside the world of pop psychology , it is likely to engender skepticism . Outside the world of pop psychology it 's unlikely to change skepticism to be on a gender basis and skepticism will remain universal . contradictory +" Oh ? " Drew wondered aloud . " Dragons ? Where ? " Drew asked . contradictory +The organizations identified several critical success factors that they viewed as essential to establishing , developing , and maintaining effective information-sharing relationships , which could benefit critical infrastructure protection efforts . There are possible benefits towards critical infrastructure protection efforts . entailment +Note the masterful Ren ? ­ ais ? ­ sance carving of the oak doors on the central and north portals . The doors to the central and north portals are made of thick steel . contradictory +It has nice tasting rooms ( you can even taste vintage wines as old as 1920 ) , a shop selling the three brands grouped under the Madeira Wine Company moniker ( Blandy , Cossart Gordon , and Leacock ) , and a book and souvenir shop . It has tasting rooms for the Madeira wines that can hold 50 people . neutral +It seems to me that when you 've reached the stage of life where your children are eligible for AARP , all your grandchildren are married , and some of your great-grandchildren have their own Web sites , you should find a term other than boyfriend for the guy with whom you 're hooking up , hanging out , going steady , or whatever . No matter what your age is , you can call your boyfriend , " boyfriend " . contradictory +oh yeah i mean i love children um i don 't know seem when i was growing up my Mom stayed at home with me and my brother until we were in junior high My mother was a SAHM untill I hit middle school . entailment +'I lost everything . ' I lost all my money . neutral +It was our agitated young man of the pale face . The old dark skinned man was calm . contradictory +County Wicklow , also to the south of Dublin , rightly deserves the title Garden of Ireland . County Wicklow is located south of Dublin . entailment +Another proof , if proof was needed . Proof wasn 't really needed . neutral +Jon ran a finger across her cheek , wiping away the rain . Her cheek was dry . contradictory +Wide walkways have plenty of room for shoppers , and there are splendid views of the castle all along its length . Shoppers have a lot of room in wide walkways , and a fantastic view of the castle . entailment +i think i think they 're military but i mean the guy is still in they stayed in the military because the pay is good neutral +so i don 't know it could just be rumors that spread around you know when they I am not sure if it is just a rumor . entailment +From 1506 to 1626 , it changed from the simple ground plan of a Greek crose with four arms of equal length , as favored by Bramante and his arch-enemy Michelangelo , to the final form of Maderno 's Latin croseextended by a long nave , as demanded by the popes of the Counter-Reformation . The original ground plane was a Latin crose with six arms . contradictory +South of Namba , between Ebisucho and Tennoji stations , is the Tsutenkaku Tower , a rather desperate imitation of the Eiffel Tower ( and perhaps the only structure that makes Kyoto 's tower look impressive ) . Kyoto has an almost exact replica of the Eiffel Tower . entailment +The accompanying It 's your money slogan , while unconvincing to both voters and pundits , is fundamentally true . Voters are completely convinced that the slogan is true . contradictory +Very good , sir . The front door was opened by the butler . Excellent , the front entrance was opened by the butler . entailment +because i know i know a couple of people here that work for um the Army um I 've befriended several people who have been working for the Army for as long as I 've known them . neutral +exercise tends to be a a topic that i guess i 've never developed any will power to maintain any regular program i uh I have been in a regular program for three years now . contradictory +It winds its way past piney coves , mysterious cliffs , and quiet beaches . It is a fairly safe hike as long as you stick to the main path and keep off the cliffs . neutral +so once the season gets underway you know they 're out there to be serious about what they 're doing trying to win games and uh They get serious about winning games once the season starts . entailment +The train tried for baroque , and ended up looking antique . The train looked old and rusty . neutral +um over over huge areas and and they thought that was more beneficial because you know and it some of it does soak in and some of it runs off right away into the into the streams and rivers and some of the fish were supposedly making a comeback The fish are supposed to be making a comeback to the area . entailment +sometimes i don 't like Randall Cunningham sometimes I find Randall Cunningham extremely annoying neutral +There is a saucepan in Mrs. Inglethorp 's room with some coco in it . Mrs. Inglethorp 's room is empty with nothing there . contradictory +I 'm not sure precisely why you favor the overblown megabookstores over Amazon . I don 't know why you prefer megabookstores in comparison to Amazon . entailment +One rationale for this has been that the societal gains from R & amp ; D , for example , are often not felt until far in the future and so might not provide much profit for an individual firm . One rationale for this has been that the societal gains from R & D are often not felt until far in the future . entailment +Japan 's austere , ruthless , but statesmanlike new ruler , Yoritomo Minamoto , set up his government in Kamakura ( just south of modern Tokyo ) , well away from the softening influence of court life that had been the undoing of his predecessor , Kiyomori . Yoritomo Minamoto was regarded as a luxurious and generous ruler . contradictory +So what 's defiling cadavers or practicing on patients or animals ? Is it not better to practice on cadavers ? neutral +does the medical care in nursing homes is typically less than The medical care in nursing homes is inferior . neutral +This is not a recent development ; the Minoans made it home , with their most famous palace only a few kilometers away from Iraklion . The Minoans ' palace in only a few kilometers away from Iraklion . entailment +oh yeah money does yeah i can see that so Yea , money does . entailment +Try to visit the cathedral 's horloge astro ? ­ no ? ­ mique on the hour to see the figures emerge from the clock . The clock is not worth seeing as it does nothing special . contradictory +Their unique Chartres blue and deep red bring an ethereal light into the nave , especially when the late-afternoon sun is shining through the western rosewindow depicting the Last Judgment . The nave can be eerie in the late afternoon . neutral +yeah well that 's well that 's funny yeah not everybody enjoys it though everybody has a different things i kind of enjoy it and my husband doesn 't i kind of have to sometimes i 'm too busy to get out there and do it and he you know he doesn 't really enjoy doing it but he 'll do it and he doesn 't gripe about it or anything but you know i 'm kind of like you and he 's kind of like your wife and you know in that he doesn 't really enjoy it but i would like to have a garden though that 's my thing but right now where we 're living we have the trees where the uh roots are at the top of the ground everywhere all over the ground i don 't know what kind of trees they are but you can 't have a garden you can 't till it or it 'll it 'll tear up a nice tiller so we 're going to wait until we move we don 't have a lot of sun either because it big trees back there so we 're going to wait and when we move that 's one of our priorities is to get a house where we can have a um garden and so i 'd like to do that i have a feeling i 'll be out there all the time taking care of that but that 's our next thing do you have a garden I would love to have a garden with vegetables and herbs . neutral +We wonder if they , too , would feel uncomfortable with our differences made so plainly apparent . We debate whether being so obviously different will make them uneasy . entailment +Without that pipeline , the city would most certainly dry up and crumble back into the desert . There is simply no other source of water for the community . neutral +We 're seeing younger donors . Younger donors are not being seen . contradictory +Economic Policy in Our Time . How economic policy in our time differs from our past time . neutral +Oh , $ 18 to $ 25 an hour , she said . It 's $ 10 an hour . contradictory +Try to book one on the terrace . The rooms on the terrace are great . entailment +and eventually they 'll have to do something with that we 'll pay for it again so why not pay industry this is my feeling why not pay industry a little more and reduce it you know and and not have as much of it We will never pay for it . contradictory +um-hum oh are you kidding that sounds fun where do y 'all live That sounds really fun ! Where do you live ? entailment +The principles and practices we developed based on our interviews with leading organizations in the private sector and state government have enabled us to construct a framework to guide federal CIO organizations . They were well researched and thorough with lots of facts to back it up . neutral +Among the new restrictions is the one at issue here . The one issue here is a new restriction . entailment +Because the first step in setting up a system of competition was to develop standards and benchmarks that we would use to evaluate programs and assess applicants ' eligibility . The last step was to create a set of standards . contradictory +Her hand was still in Tommy 's . Tommy is by himself . contradictory +Excuse me , can you tell me where I am ? Someone asks if another person can tell them where they are . entailment +Based on GAO 's work , HCFA now requires states to investigate serious complaints alleging harm to residents within 10 days , has proposed an expansion of its enforcement programs by subjecting homes with repeated serious deficiencies to immediate sanctions , and has revised the protocols that state surveyors use to inspect nursing homes to better focus the reviews . GAO 's work is not affiliated with HCFA in any way . contradictory +Just be prepared for several fights of stairs to reach the top of the building . Don 't worry , as the building has only one floor . contradictory +At number 55 , peek through the heavily guarded gates of the French president 's Elys ? ? e Palace . The president 's Élysée Palace 's entrance is very secure . entailment +The center contains a library , exhibition rooms , and a study center devoted to the great novelist . The center also offers an audio-visual room . neutral +Yes , but it was possible . It was only slightly possible . neutral +Vall ? ? e du Serein This is in english . contradictory +In an attempt to counter a threat from the Saracen Muslims , a new potent religious force from the East , the Byzantine army forcefully enlisted the men of the islands . The Saracen Muslims would have easily taken over Byzantium if not for the draft . neutral +just because you happen to be a a female or a minority or anything else doesn 't automatically mean you it shouldn 't mean that you get promoted to that part Just because someone is a woman doesn 't mean they should be guaranteed a spot on the board of directors . neutral +He grunted as the horse pulled again . The horse was tugging hard . entailment +'I don 't know . I know contradictory +Northwest of Alberobello , a strada panoramica along a ridge overlooking the Adriatic coast leads to Cetellana Grotte , a spectacular cave system 60 m ( 190 ft ) underground . The caves once were the homes of religious refugees , fleeing persecution in the cities . neutral +Number 14 followed . Before Number 14 was Number 2 . neutral +There is a unique relief of the queen found on the rear facade of the temple , the only representation from her lifetime to have been identified . A relief which depicts the queen can be seen on the temple 's rear facade . entailment +Collaboration and communicative relationships among the participants , as well as to align all participants toward common objectives and expectations . Participants aligned objectives and expectations . entailment +yeah that 's uh it 's been a problem that i 've noticed a lot in print that uh um once you have collected this what do you do with it because there 's not a whole lot of companies that are taking it there 's a lot of people that want to participate and given the facilities will participate and they 've proven that time and time again We need to put together a corporate program . neutral +you know Uncle Sam but i 've always thought that they were slow as far as outside of the government you know My personal opinion is that they 've always been fast . contradictory +In the biographical sections , which occur at random , she repeats the familiar stories , though in a highly sanitized form . She does not deeply delve into her own history . entailment +What is that but an obeisance to the shadow of the God who ran off , the God they drove off when bold and young and frightened of nothing ! When they were young and fearless they welcomed god lovingly . contradictory +Segovia is a picture postcard of central Spain , a royal stronghold with a fairy-tale castle and astounding 2,000-year-old Roman aqueduct . There is a castle and a Roman aqueduct in Segovia . entailment +The first adaptation of this story ( originally a play ) was the 1934 Death Takes a Holiday , which came in at a perky 78 minutes . The 1934 Death Takes a Holiday ran for over an hour . entailment +Design reviews are an essential component of the facility acquisition Facility acquisition is affected by design reviews . entailment +yeah oh yeah it 's really it adds up so fast yeah It accumulates quickly . entailment +Nigeria then sent troops to challenge the coup , evidently to restore the president and repair Nigeria 's corrupt image abroad . The revolt was rebutted by Nigerian troops . entailment +Initially , APHIS allowed 90 days for comments , but in response to several requests that the comment period be extended , it allowed an additional 60-day comment period . Initially there was only 10 days allowed for comments , but this has since been reduced to 5 days only . contradictory +Marrying for ( Less ) Money Tying the knot for financial reasons . entailment +The last time the sergeant had woken up was in 1976 , when his father was caught in-flagrante with a policewoman from the station in Gizajno , where they had lived at the time . The sergeant had woken up many times recently . contradictory +The latter is a catch-all category reflecting sources of growth not captured in straightforward measures of aggregate labor input and aggregate physical capital employed . Their are several rules that define what is applicable to this category . neutral +The appeals court rapped the agency for its scare tactics , saying it must base its conclusions on solid facts and a realistic appraisal of the danger rather than on vague fears extrapolated beyond any foreseeable threat . The court supported the agency and thought they way they dealt with things was friendly . contradictory +Because most of the companies that supply catalyst are divisions of very large companies with the resources to rapidly expand their manufacturing capacity to meet increases in market demand , it is reasonable to assume that this manufacturing capacity could be expanded if the market demand justified it . Most companies that supply catalyst are parts of very large companies . entailment +The organization 's management responded by implementing a Getting it Right strategy in 2000 , which established a tone for change by setting out The organization 's management responded by implementing a Getting it Right strategy in 2000 . entailment +That slowed him a lot more than the broken nose . The only thing that had slowed him more was the broken nose . contradictory +The overly respectful way the United States and its allies handled the tribal warlords in Africa sent an enormously harmful signal to the authentic democrats in Yugoslavia and Liberia . The US treated the tribal warlords in Africa respectfully . entailment +At the left side of the graph where volume is least costly to deliver we find the most multiple address stops . Volume is most costly to deliver on the left side of the graph contradictory +The analysis also is extensive , and the method compares information from different types of data sources through a technique called triangulation . The analysis is very brief and not comprehensive . contradictory +Today , it is the main thoroughfare linking Delhi 's bazaars , which sell jewelry , clothes , and traditional sweetmeats . Delhi 's bazaars do not sell jewelry . contradictory +but then you know just like that man said in this final in these in the NCAA whatever it is the little play-off games they play so many sometimes i do think it 's going to be more it 's luck and ambition you know I think luck and ambition will contribute to it . entailment +The team should also have members knowledgeable about the programs that the acquisition is to support . This acquisition needs knowledgeable team members in order to succeed . entailment +The Greek-Catholic Church in the centre of the animated market is the site of the synagogue where Jesus is said to have preached as a young man . The Protestant Church rests in the same place where people think Jesus established the Catholic Church . contradictory +We can circle the village and make camp on the south where the bandits will come or we can leave . They had the option of staying to see if the bandits would come after them or trying to leave . entailment +You 're not hep to horror-core ? You might not enjoy horror-core . entailment +The visitors traveled out on the empty boat and stayed in the area after the ships took their ripening cargo back to the US or England . After the ships took their stuff back the visitors headed out on the empty boat and stayed in the area . entailment +That may seem an obvious point , but it is one that we often ignore when assisted suicide is the topic . We often talk about assisted suicide . entailment +Johnson is a justice on California 's Second District Court of Appeal . Johnson is well liked and respected by his peers . neutral +Even there , for all the hostilities , there 's an undeniable cultural affinity with India feuding brothers rather than unrelated strangers . Before the hostilities began , there was no Indian culture present . neutral +Every year there are income flows to or from this bank corresponding to interest received on deposits or paid on advances . There isn 't an income flow every year from the bank . contradictory +After criticizing naive American attempts at constructive engagement and dialogue across the Pacific , he writes , To the Asians , American concessions are not to be reciprocated , they are to be exploited . These attempts made Americans look foolish . neutral +What sort of dinosaurs ? What dinosaurs roam that area ? neutral +His sermons had immense popular appeal . His sermons were not well known . contradictory +but uh actually i have had an idea not long ago uh hope to build another house some day and i was thinking i might uh incorporate some sort of a display space and ask him if he would let me put the train up you know not not as a working type of thing but just to I am hoping to construct another property at some point in the future . entailment +no major malfunctions then She hasn 't had major issues with it . entailment +The reader should be able to judge from the information that is given in the case study report how credible the conclusions are in terms of the appropriateness and completeness of information sources . The information given in the case study is extensive and detailed . neutral +The military cemeteries of both sides engaged in the historical battle now stand as a poignant memorial to the death and destruction that took place in the heat of the desert . A formidable battle took place in the desert . entailment +But you do not know , inspector , how I have been persecuted and maligned . And he shot a baleful glance at Evelyn Howard . Inglethorp whined to Inspector Japp , insinuating that Evelyn Howard had maligned him . entailment +Just beyond the Four Courts , turn north into Church Street , where you 'll find the fascinating St. Michan 's Church . The Four Courtsand St. Michan 's Church attract many tourists . neutral +I am a nonsmoker and allergic to cigarette smoke . I can not smoke due to an allergy to cigarette smoke . entailment +and that and they always cooked then they had they had the choice you know they lived in their own little house they had their own possessions still in there to some extent you know some of them They had choices while they lived at home . entailment +'Then what are you saying , Mr. Franklin ? ' Mr. Franklin is saying something . entailment +The administrative approval normally is based on verification that the items ordered were actually received and met the government 's specifications , and thus validates a vendor 's request ( invoice ) for payment . Verification of invoice approval is a long and tedious process and may delay payment for months . neutral +The writers had to make their points in terms that people of the time would understand . Many of the people of the time had never even attended high school . neutral +well the the ones that we were test driving were the uh were the new ones there um-hum well now um We were only allows to test drive the old ones . contradictory +Johnson 's role remained an important one , but he was definitely not his own boss . Johnson has people above him telling him what to do . neutral +Many estimable people are devoting themselves to ridding our popular culture of obscenity , sex , and violence . Our popular culture is totally devoid of obscenity , sex , and violence . contradictory +of course charged those puppies up and it 's oh boy when those bills start coming in they want a lot of money when you start getting them up there the bills are surprisingly reasonable when they arrive contradictory +yes right well i 've always had big dogs before never had a little dog before and I have always had small dogs ; never big ones . contradictory +yeah well i i have another thing that i thought about too um for instance when you try to save money and you earn interest on whatever your investment is and you know we 're not typically talking about big dollars but here you feel like you 've you 've done something good you 've you 've earned your interest and then you have to go back and pay taxes on it so the real amount of your savings on that is is not much Because you have to pay tax on investments , and the interest is not great , you tend to make little from savings . entailment +The island abandoned its one China policy , which implied China 's sovereignty over and eventual reunification with Taiwan . China is planning to make amends with Taiwan . entailment +Clinton got a fruit basket that contained an orange that was , in Zercher 's words , shrivelled and deformed--it looked like a woman 's sexual organ . Zercher said that the orange looked like a woman 's sexual organ . entailment +The first is the majestic Nandaimon ( Great South Gate ) , standing over 19 m ( 63 ft ) high and dating from 1199 . At the design process of the 19m high gate participated many great architects . neutral +Mostly people with space-ships have disintegrator guns . People who own disintegrators tend to have the biggest space-ships . neutral +oh yeah they have much more of a twang down in that area okay okay Down in the area , there is little to now twang in their voice . contradictory +St. Catherine 's has long been a very wealthy and influential monastery , founding schools in Greece and around the Orthodox world . St. Catherine 's also founded a lot of schools especially in Italy . neutral +About four , I should say , sir . About four , though we may see one or two extra by the end . neutral +One does , mister . They don 't . contradictory +I might fall forever . The cliffs could break my fall . neutral +Either way , great benefits . Either way , there are no worthwhile benefits . contradictory +A little Mus ? ? e du Vin ( Rue d 'Enfer ) tells the history of wine-making , with all its paraphernalia , from Roman times to the present day . The book only gives the modern histrory of wine making . contradictory +The Commission has promulgated this rule pursuant to provisions of the Hearing Aid Compatibility Act of 1988 ( 47 U.S.C. This rule was created due to the Hearing Aid Compatibility Act of 1988 . entailment +Perversely , Weld lost the ideology / competence battle by winning the drugs / morality battle . Weld lost both battles : ideology / competence and drugs / morality . contradictory +And Browning , a lawyer , is neat as a pin in her publicity photos . Lawyer Browning looks important in her publicity photos . neutral +um-hum that 's true but uh i do like the idea of the jury being the the the people who decide in the matter of uh if it 's a jail term versus life and death The judge should be the only one to decide on the sentence of a convicted criminal . contradictory +that the name the the title sounds familiar i 'm trying to think I think I may have heard that title before . entailment +Holy men and women are up and about , busily chanting Ganga Mai ki jai ! The chant Ganga Mai ki jai can be heard from the holy men and women . entailment +They have only one star , Miller , and no prima donnas . Miller is their only star and they certainly don 't have any princesses . neutral +But you 'd be a bit more convincing in selling that message if you actually wrote about what I wrote . If you actually wrote what I wrote about you 'd be more convincing . entailment +West of Alexandria , civilization gives way to empty desert except along the coast , where the late 1990s saw a building boom . In the late 1990 's building supplies were cheap and plentiful . neutral +David Plotz explains why the Turks to bury their dead . David Plotz explains why the Turks don 't bother burying their dead . contradictory +Down the Hatch The hatch is referring to the mouth . neutral +Hope the young lady 's keeping well , sir ? I hope that your young lady has seen harm done to her recently . contradictory +This male tree of exceptional age and size has seven branches growing from one main trunk . This male tree has endured for over two hundred years . neutral +The axe brute 's arm came down hard , numbing Jon 's shoulder . The axe brute 's strike came swiftly , sending Jon sprawling to the ground . neutral +his dishonesty does . He is at least a little bit dishonest . entailment +The area has been developed with a number of hotels , notably Club Hotel La Mola , Formentera 's most luxurious resort , Hotel Formentera Playa , and the Mar-y-land complex . Hotel Formentera Playa is the most expensive resort in the Balearics . neutral +The present castle , reportedly the model for Disneyland , is a far cry from the simple stone fortress that took shape in the 12th century . The present castle was last renovated fifty years ago . neutral +Farther south at the fishing village of Port Louis you can drive right to one of the island 's best beaches , Anse du Souffleur . Port Louis is a fishing village located near the Anse du Souffleur . entailment +There were lots of people . Many people gathered in the town . neutral +The English queen kept her cousin in captivity for 20 years and finally had her beheaded on a trumped-up charge of treason . The English queen allowed her cousin to roam freely throughout the country before finally beheading her for treason after 20 years . contradictory +When you buy a couple of kilos , they 'll ship it for you in air-tight packages . The shipping process of more than one kg involves air-tight packages . entailment +FOUR GENERATIONS OF MAINE FISHERMEN COULD BE WRONG ... The fishermen might be incorrect for four generations . entailment +In fact , so dedicated are Osakans to the cult of eating that they are known for kuidare ( eating until you drop or until you go bankrupt , depending on the interpretation ) . Kuidare is practiced by Osakans on the weekends . neutral +Basic filing fees would then be $ 55 . Basic filing fees have increased 30 % . neutral +Each of these criteria is associated , in the literature on case study methods , with performance standards such as triangulation believed useful in ensuring-if they are carried out-that the study will be a good one . Performance standards are not correlated with whether or not a study will be good . contradictory +The approach used to create inventories was the same as that used for the Heavy-Duty Engine ( HDE ) Rulemaking analysis ( US EPA , 2000d ) with modifications to reflect emission and modeling advances since that analysis . Using the same process as previously saved time and effort . neutral +uh-huh sure absolutely and there 's just you know the two of us my wife and i and it 's amazing how much stuff just just the two of us generate you know i can imagine a family of you know four or five The city 's recycling program has really helped us cut down on the amount of trash we send off to landfills . contradictory +and then i have a a Mac that i use for graphics and I own a Macintosh computer . entailment +Until very , very recently , LSC programs were organized and operated pretty much as they had a quarter of a century ago . LSC didn 't change for a long time . entailment +Felipe 's son , Felipe III , was unfaithful to Spain 's new capital . Felipe 's son was loyal to Madrid . contradictory +Ca 'daan of Fena Dim , said Ca 'daan . Ca 'daan wasn 't actually from Fena Dim . neutral +Visibility directly affects people 's enjoyment of a variety of daily activities both in the places they live and work and in the places they travel to for recreation . There is no suggestion that visibility has any impact on people 's enjoyment of daily activities . contradictory +i know and i i believe that we have to have a military and i believe that we have to have a defense to keep anybody else from walking in and doing it to us The military will prevent this . neutral +You should be very respectful . They deserve your respect . neutral +Somebody from the future--this could never be the past--had somehow pulled him out just ahead of the accident , apparently ; or else he 'd been deep frozen somehow to wait for medical knowledge beyond that of his own time . Someone wanted to ensure he lived . neutral +Results in Brief The results were positive . neutral +Still , we can but try . " 106 With a nod that was barely civil , Miss Howard assented to Poirot 's request for a few minutes ' conversation . Miss Howard was not happy about meeting with Poirot again . entailment +A lot of what has happened at Disney--better advertising , smarter merchandising , revitalizing the animation department--looks obvious in retrospect . Disney 's innovations should have been to all . entailment +Industry and urban society are concentrated on the peninsula , especially on the West coast , while East Malaysia is dominated by the country 's characteristic impenetrable jungle . Industry and urban society are concentrated in the jungle , rather than the peninsula . contradictory +in most subcultures in America that that i 've been exposed to if the man were to say uh no i 've decided not to work i want to stay home and do the child rearing my wife has a good job and i want her to keep that In America men have the option to be stay at home dads because their wives have better paying jobs . neutral +That young man could offer little information , however . The young man had little information to offer , but much he kept secret . neutral +and the whole bit and one of the men got uh i think it was seventeen years and the other one was in for uh life imprisonment One criminal got seventeen years and the other one life , I think . entailment +She says , according to the Post , the secret is opening your mouth ' really wide ' when eating . The secret is to keep your mouth closed . contradictory +Naively , I had thought environmental optimism would appeal to many political camps . No one liked environmental optimism . neutral +They had taken a pleasure slave , given her a club , and sent her in against me . They sent a pleasure slave , equipped with a club , against me . entailment +The fifth agency we report on-OPM-downsized significantly during the 1990s . Opm didn 't do well in the 90s neutral +And when money is at issue , there is no contest . There is no way to win when you fight about money . neutral +Undoubtedly the discovery of an undisturbed tomb and its vast treasure trove in 1922 is what maintains its popularity . It is a foregone conclusion that the discovery of a tomb with treasure is what makes it stay popular . entailment +oh yes i didn 't get a chance to see that I have seen that plenty of times already . contradictory +Mary looked up at him , the colour slowly rising in her face . Mary was unaffected as she looked up at him . contradictory +Can 't be , said Julius positively . Julius was convinced that it couldn 't be . entailment +That gives us about two to three weeks to prepare . They were out of time to prepare . contradictory +His wild , self-aggrandizing public statements made both of them a laughingstock , and the Vanity Fair photo shoot he arranged sullied Lewinsky 's image almost as much as a Penthouse spread would have . The Vanity Fair photo shoot arranged for Lewinsky 's image yesterday . neutral +For example , one agency representative told us that she was unaware until recently of the DOT docket management system . The representative we were talking to told us that she was knowledgeable about the DOT docket management system . contradictory +you say you in Denison oh okay so we were i was in Sherman um I was in Sherman when you were in Denison . entailment +In accordance with section 604a ( 2 ) , it provides a summary of the significant issues raised in the comments submitted in response to the Initial Regulatory Flexibility Analysis and its reaction to those comments . The summary was in accordance to the section 606a ( 1 ) . contradictory +thanks a lot could couldn 't you send us some nice weather Couldn 't you send us some pleasant weather so we can go play outside ? neutral +The house where he died in 1882 ( his tomb is nearby ) is now a museum , practically a sanctuary , where devout patriots refer to him not by name , but as l 'Eroe , the Hero . He died in 1882 . entailment +slippage later on . Slippage was experienced . entailment +and you know that i 'm need to do this that and the other and uh so i try to do combinations of things but not like go down to the President 's Health Club like i see all these people do There are many other alternatives to the President 's Health Club . neutral +VI Sunrise glared harshly over the desert . The sunrise was barely noticeable over the desert . contradictory +Since 1996 Legal Aid has increased its annual revenue by $ 6 million , renovated all of its offices and increased staff salaries Co which helps explain why 7 out of 13 chief ( or managing ) attorneys around the state are former Legal Aid lawyers who returned after stints in private or government practice . Legal Aid made some salary cuts for its staff , since 1996 . contradictory +uh-huh yeah when i was yeah in my young in my young single days i had a uh Turbocraft are you familiar with that I used to go out on the river in my Turbocraft every weekend . neutral +A greater percentage of the French population lives in cities , while a larger percentage of the U.S. population lives in suburbs . Most of the American population lives in suburbs because they are convenient . neutral +He savages his brother David for turning him in , claiming David was seeking revenge for the attention Ted got from their parents . He blasts his brother , David , for ratting on him , and calls him an attention-seeker and petty . entailment +and was nothing but dust falling toward the carpet . I knew I would need to get the vacuum cleaner . neutral +GAO produced a set of four guides to help organizations confront the problem . GAO solved the problem by producing a set of four guides . neutral +Some can be matched with places and events in the Gospels ; a few are certainly the stuff of legend , mapped out in the 16th century by European Christians who had never been to Jerusalem . Some correspond with Biblical places and events , while others are definitely invented . entailment +From late 1963 to early 1965 , Logevall claims , the Johnson administration faced a deliberate choice about whether it should raise or lower the stakes in Make it an all-out test of will , which it became , or look for an excuse to leave--perhaps with the claim that the regime in the South had become too ill-behaved to be worth further U.S. support or lives . The administration never even considered making changes . contradictory +There is no need . This doesn 't need to happen , it can just play itself out and we can keep ourselves out of this situation . neutral +right but what if they 're not guilty They are definitely guilty beyond a sliver of doubt . contradictory +They took advantage of this new stronghold to create Provincia ( now Provence ) , stretching from the Alps to the Pyr ? ? n ? ? es , in order to guarantee communications between Italy and Spain . They created Provinicia . entailment +Unfortunately we work together , he in stocks , me in funds . We have never worked together before on any sort of tasks . contradictory +employee contributions , if any , and the employer entity contributions ( 593 ) Customs Service fees ( 576 ) Deposit fund transactions ( 600 ) Deposits by states for unemployment trust fund ( 575 ) Deposits of earnings , Federal Reserve System ( 577 ) Disposition of revenue to other custodial transfers ( 596 ) Diversion fees , Department of Justice ( 583 ) Donation of property , plant , and types that are expensed ( 598 ) except types of property , plant , and equipment that are expensed ( 577 ) Downward subsidy reestimates for post-1991 direct loans and loan guarantees ( 598 ) Employer entity contributions to health benefit plans for current coverage of Federal employees ( 590 ) Employer entity contributions to pension and other retirement benefit plans for Federal employees ( 589 ) Employer entity contributions to social insurance programs ( 588 ) Employer entity payments for unemployment benefits and workers compensation ( 590 ) Federal employee contributions to health benefits plan for current coverage of Federal employees ( 584 ) Federal employee contributions to pension and other retirement benefit plans ( 583 ) Fees on post-1991 direct loans and loan guarantees ( 598 ) Fines and penalties ( 578 ) Forfeitures ( 578 ) Individual income taxes , corporation income taxes , social insurance taxes and contributions , excise Employee contributions can be a significant figure in this case . neutral +Cirque du Soleil 's Mysty The internationally famed Cirque takes the circus to new levels of sophistication in an amazing state-of-the art theater . Cirque du Soleil has a state-of-the art theater . entailment +Lombardy 's rice , wheat , and maize are the basis of the nation 's risotto , pasta , and polenta . Lombary does not have any rice , wheat or maize . contradictory +whereas in this country where everyone respects the closed doors very much if you go out and act like the lunatic you you violate the uh the norms of social of um public behavior um people start paying attention to you very much and they start asking q uestions and in a sense are invite invade invading your privacy although if you know what the social norms are you know quote unquote you asked for it but it does mean that you have yet another reason to follow a set of social norms Nobody in this country respects closed doors . contradictory +but i did bake apples so that it would be not brownies you know i figured there was less calories in apple pan downy than in fudge brownies Fudge brownies are more delicious though . neutral +Mother and child had had expert attention , and Shadow 's coat had been groomed to a glossy silk ; her black mane and tail were rippling satin ribbons . Shadow the horse had been groomed . entailment +The health plan lost . The health plan ultimately won in the end . contradictory +found an outfit down here to rebuild it and uh i reinstalled that and that was probably one of the most miserable things i had gotten into in a long time I should have also found an outfit to do the reinstallation . neutral +they don 't it just looks so much better when it 's up against the house tiered up The tiered style looks better when it 's against the house . entailment +The control technologies considered in this report include limestone forced oxidation ( LSFO ) wet flue gas desulfurization ( FGD ) , selective catalytic reduction ( SCR ) , and activated carbon injection ( ACI ) for the control of SO2 , NOX , and mercury , respectively . ACI and FGD are control technologies that the report doesn 't consider . contradictory +There is one protect yourself from the heat . You can keep yourself protected from the heat . entailment +Barry replied that her group had used the R-01 grant programs to help develop or adapt technology , but she admitted that R-01 grants can be difficult and time-consuming to obtain . Barry said that the R-01 grants could sometimes be difficult to obtain . entailment +They too supported the mines . They did not support the mines . contradictory +And millions of people have seen the photograph of an unknown Jewish soldier fervently praying at the Western Wall minutes after Israeli forces captured the Old Citein 1967 . The photo of the unknown Jewish soldier has rarely been seen . contradictory +i 'm not even yeah I cannot say yes to that . entailment +Twenty-fifteen , I riposted , but only with my glasses on . 'I 'm blind ' , I said . contradictory +yeah because i can just see brushing up against it that it would rip your skin it 's worse than a rose a rose bush Brushing up against one would be less dangerous than brushing up against a rose bush . contradictory +Examples of such records include those for establishing ( 1 ) work schedules , 7 ( 2 ) flexiplace arrangements , 8 ( 3 ) cumulative leave balances available for use by type , Records for work schedules should be kept . entailment +Churches are commonly built on the ruins of Roman baths or pagan temples . Most ruins of Roman baths and Pagan temples have churches built on them . neutral +yeah so um also of course they they can they join the they can always join the military service they are considered citizens i believe They can always join the military service unless they 're mentally disabled neutral +He was only afraid .... " He was only afraid of the darkness and deep waters . neutral +Back on the bus , Cindy McCain passes the quilt around for reporters to autograph with a magic marker , high-school yearbook style . Cindy wove the quilt herself , and it took her quite amount of time . neutral +uh i i 've been painting it white only because uh that 's the way it was when i bought it it 's a white with black shutters on it I don 't like that it is colored white but I don 't want to stray from the original colors . neutral +That puts Medicare growth at just over 4 percent a year . Medicare will shrink by 22 % each year . contradictory +analysis i don 't i don 't know how they fixed the problem but they 're uh you know the whole theme of of what they were doing was was to measure and record and and uh reduce down time I don 't know how they fixed the problem , but they were focused on measuring and recording and reducing down time . entailment +And then there is the vexed question of memoir vs. novel . We have to decide by tomorrow if it should be a memoir or a novel . neutral +It had been hoped to use surplus federal funds earmarked for transitional welfare programs as part of the welfare reform movement , said Florida Bar President Terry Russell of Fort Lauderdale . Unfortunately , the earmarked surplus federal funds were not used for the welfare reform movement . neutral +i think that makes the most sense I think that is the easiest way to go about this neutral +More recent EPA benefits analyses have relied on an improved specification from this data set that was developed in the HEI reanalysis of this study ( Krewski et al . The EPA benefits analyses rely on a generalization . contradictory +i think the last i heard was it 's up to about a hundred fifty thousand dollars I heard it 's up to two million dollars . contradictory +Wilshire Boulevard began as an Indian trail connecting the downtown area with the La Brea tar pits and later was developed as an upscale shopping and business district . The Wilshire Boulevard was redesigned as a shopping and business district . entailment +requirements , and ( 3 ) requirements for 16 other systems that support agency operations . Only 5 systems currently support agency operations . contradictory +Prairie State will share the money with the county . The state would give the funds back to the federal government . contradictory +The CEO of many major public companies also serves as chairman of the board of directors . The CEOs usually are chairmen of boards too . entailment +However , they then found that the young men who took over the female roles were also attracting ardent devotees among military officers and even priests homosexuality at that time was not yet frowned upon . The women who vacated the female roles were glad to escape male attention . neutral +Walker 's two clients , Jamie Harrison and Robin Hull , declined to be interviewed . Robin Hull was not one of Walker 's two clients . contradictory +you know and then it kind of just went out of vogue and i i 'm worried that it it might you know it 'll it the same thing will happen it 's like you know environmentalism was really big for a couple of years and then people like well you know i 'd ruther rather spend you know fifty cents less on uh on on such and such you know and even if it 's not environmentally safe who cares you know It is all the rage right now ! contradictory +The academy was founded by Cardinal Richelieu to be the supreme arbiter of the French language . Cardinal Richelieu created the academy to have the ultimate say over the French language . entailment +The forms can be created on line and then printed out in ready-to-file form . It 's generally more convenient to have the forms printed out . neutral +So why are students still occupying the campus 's major buildings ? Students are still occupying the campus 's major buildings , why ? entailment +clear across town well when we lived in Albuquerque there was such a elevation difference there that there was a weather difference between the valley and the heights I 've never been to Albuquerque and don 't know about the weather there . contradictory +brown yeah that is that is awful and it it takes time and the and the kids they you have to water your lawn and they want to go out and run in it and get all muddy and you know so you 're going do i want a dirt a green lawn or a muddy feet in the house I don 't want the kids to bring muddy feet into my house . entailment +To provide a long-term perspective we focused on saving trends over the last 4 decades-from 1960 to 2000 . A long-term perspective was gained through a study of 2 decades of saving trends . contradictory +And the Frenchies will too . The Frenchies were ready for it . neutral +We will lose this war if we do not find another weapon to defeat them . If we don 't find another weapon , we will lose this war to the demon army . neutral +Interlocking boards are also fairly common . Interlocking boards are unwanted . contradictory +I presume Mrs. Inglethorp took the coffee after dinner about eight o 'clock , whereas the symptoms did not manifest themselves until the early hours of the morning , which , on the face of it , points to the drug having been taken much later in the evening . " I assume Mrs. Inglethorp drank the coffee with breakfast . contradictory +Potential alternatives were considered and discussed at the proposed rulemaking stage , and the final rulemaking describes NHTSA 's determination that there was no alternative to the standard adopted . NHTSA did not want an alternative to the standard adopted . entailment +and i was really worried about it raining because it its has been there been some dark clouds and it 's been um and it 's been pretty rainy looking I was worried that it would rain because there were some pretty dark clouds . entailment +After wandering around the old ramparts and narrow streets , take a rest in the ivy-covered ruins of the 14th-century Clo ? ® tre des Cordeliers . The ivy-covered ruins of the Clo ? ® tre des Cordeliers are an unfavorable place to rest . contradictory +His reckless attacks became more careful . He started to be more cautious when he attacked a village , for fear of being hurt . neutral +Proper organization and presentation of those facts , then , is essential to representing yourself successfully . It is of utmost importance to connect with marginalized groups in the audience . neutral +On the other hand , the Board believes that certain stewardship information should receive more audit scrutiny than it would if it were RSI . The board wants certain stewardship information to receive more audit scrutiny that it would if it were RSI . entailment +The renovated Musee Jacqemart-Andre reopened in 1997 at 158 boulevard Haussmann , not far from the Madeleine . The Musee Jacqemart-Andre opened sometime in the late nineties . neutral +GAO will usually not solicit agency comments if a report summarizes information from a recently issued GAO report . The GAO doesn 't make reports . contradictory +Paris is no longer the ultimate mecca for ambitious young French from the prov ? ­ inces ; cities around the country are attracting young professionals who want to escape the more frenetic life in the Ile de France ; the number of agricultural workers has shrunk dramatically ; industrial and high-tech centers have sprung up around the country ; provincial cities are developing their own international reputations ; and immigration and increasing migration of populations within a border-free Euro ? ­ pean Union are blurring the edges of the French identity . Paris is being competed with by Lyon and Bordeaux . neutral +Italian food with a touch of Jamaican spice . They serve an Italian-Jamaican fusion that locals love . neutral +to confront questions as old as human civilization itself . To address questions which will never be answered . neutral +President Bush has not only promised to take the SO2 trading program to the next level but he has experience to lend to the matter . President Bush is hoping the improvement to the SO2 trading program will help the economy . neutral +Michelangelo originally conceived the group for his tomb and represented himself in the figure of Nicodemus . Michelangelo represented himself as the figure of Plato . contradictory +The invited participants were from public , private , and not-for-profit entities having extensive experience and subject matter expertise in the accounting profession , corporate governance issues , financial reporting and disclosure models , auditing , accounting , and related regulatory issues . Private and public entities weren 't invited , were they ? contradictory +Look here . " Together they bent over the list . There was no list . contradictory +and then i listen to it when i 'm in the car driving to work because again there 's you know there 's nothing else going on i might as well listen to the radio while i 'm driving to work but other than that i 've i really don 't WHen I 'm in the car , I listen to that . entailment +yeah people say they wish they had a roof on it though it doesn 't look finished Many people desire to have roofs , even if they are not finished yet . neutral +will lobby against that and hold that out as long as they have breath which is most unfortunate because we all lose out when people go so far out to the extreme on either side It does not benefit anyone when people go to the extreme left or right . entailment +yeah exactly but they won 't they won 't charge i saw that advertised too that 's a good deal but it 's real convenient it 's real convenient for me i really i just like being able to go in and do that That 's a bad deal , it seems like it would be annoying . contradictory +Increasingly , managers make IT investment decisions based on the value of the investments to their enterprises , not just to a specific business unit or function . The value of investments to their businesses is what managers tend to make their IT investment decisions on . entailment +Above the resort , in Gardone di Sopra , is a 20th-century folly , Il Vittoriale , the bizarre and disturbing hillside residence of Gabriele D 'Annunzio poet , adventurer , fascist . Gardone di Sopra lies far below the resort , near the ocean side . contradictory +how many times have you talked How many times have you listened ? contradictory +But the most interesting thing to do here is to explore the two villages on the island , Cheung Chau and San Wai . Cheung Chau and San Wai are two sister villages . neutral +As it waits to learn the fate of its contaminated office building across from the World Trade Center , the Legal Aid Society has turned its attention to a new home for its Harlem neighborhood division . The Legal Aid Society was unaffected by the World Trade Center disaster . contradictory +Smaller towns will have a syndicat d 'initiative , which provides the same services . Smaller towns will not be able to offer similar services . contradictory +but they must have enough other stuff because the way the oil has been the last few years that that really hasn 't been the industry that is bringing in the money for the taxes i wouldn 't think The oil industry isn 't paying as much in taxes . entailment +Lawyers in private practice give a percentage of the interest on money in trust accounts to Legal Aid organizations in all 50 states . There are Legal Aid organizations in only 49 states . contradictory +" You will build a computer , " Sather Karf ordered . " You will construct a computer , " Sather Karf commanded . entailment +Cash may include exchange revenue that is recognized by the transferring entity in determining its net cost of operations but is required to be transferred to the General Fund or another entity ; other capitalized assets may include general property , plant , and equipment . The exchange revenue is considered to be an asset . contradictory +oh well that 's neat that uh you like cross-stitch also i think that you like cross-stitch too entailment +The Linux that came with Mastering Linux was never going to communicate with my CD-ROM drive , and I began to lose all enthusiasm for the project . The Linux that came with Mastering Linux was going to communicate with the CD-ROM drive contradictory +Recent excavations allow you to see the present gate 's second-century predecessor , which is just below it to the left and , today , the focus of the Roman Gate Museum . There is an old gate buried under the present day gate . entailment +yeah he makes good money too doing that you 'd be shocked i was shocked but anyway someone gave an Iranian a tip of four Rangers tickets last year You won 't be surprised to hear that he makes pennies . contradictory +During the rampage , a mother told her children to pretend they were dead , unaware that two out of four already were . The mother saw all four of her children make it out alive . contradictory +We included FAA in our review because it has certain exemptions from the Federal Acquisition Regulations designed to facilitate delegating procurement authorities to lower levels . FAA has been included in our review , because it has certain exemptions from the Federal Acquisition Regulations , to facilitate delegating procurement authorities to lower levels . entailment +As with Faulkner , the boundaries of Ellison 's separate texts may blur , but the mythic force of the buried story and the stylistic virtuosity of its telling will remain . Ellison writes music for movies . contradictory +H 'm , said the lawyer , favouring Julius with another keen glance . The lawyer was keen on Julius . neutral +GAO 's core values of accountability , integrity , and reliability reflect its dedication to good government and professional standards . The OMB is dedicated to good government as much as the GAO . neutral +i had uh let 's see i 've had fishing and uh i can 't remember me and i think me and Dana had football yeah we did Me and Dana both play football for our college . neutral +Its collapse fortunately hurt no one , but did crush Jacopo Sansovino 's beautiful 16th-century Loggetta , equally lovingly restored as the entrance to the campanile 's elevator . It collapsed due to a poor , old foundation . neutral +To tell you the truth , that 's what started me off suspecting you . Nobody could have ever suspected you . contradictory +then i i 'll order like a vegetable soup or something you know but she 'll just have the French fries you know I enjoy vegetable dishes and meat alternatives . neutral +A recent Paris Match tried to help by offering The Most Expensive Bathing Suits available this year , all photographed by Helmut Newton and worn by the unbelievable Eva Herzigova . Helmut Newton is a very renowned photographer in Paris . neutral +immediately available to the entire Congress and the public . It is available right away . neutral +Some applications of the case study to evaluation purposes have been tried fairly extensively-for example , program implementation case studies . Some applications have been tried but have not been successful . neutral +i 'm sure that i 'll be involved in a big company and i know that my future husband will be you know he 's going to be working for Chevron in Houston so he 's going to be um I won 't be working and my husband is still looking for a job . contradictory +no i i that 's what i spend most of my time watching that uh That is something that I watch a lot . entailment +" No ! " Drew 's hand came up in the old gesture to stop the line of march . Drew raised his hand and commanded " No ! " , causing the march to come to a halt . entailment +They appeal to patriotism and then to anarchism . They are patriotic . entailment +Based on its economic impact , the rule was determined by the Office of Management and Budget to be a significant regulatory action within the meaning of Executive Order It was decided by the Office of Management and Budget that the rule was not a regulatory action . contradictory +Instead of flying down , many people prefer to take the more leisurely steamer from Mumbai . Rather than fly down to New Delhi , most prefer to take the steamer out of Mumbai for it 's leisure . neutral +i got you You are on your own here . contradictory +and that certainly is one reason why crime here has increased That 's one of the reasons we have seen a reduction in crime here . contradictory +The very idea of this teeming , undisciplined town once intimidated the faint-hearted , but the last decade has seen interesting change in this history-rich city of which the enterprising and cheerful Neapolitans are justifiably proud . Neapolitans are more disciplined now than they were in the past . entailment +But the key figure in the sultanate was Tun Perak , bendahara ( prime minister ) and military commander . The two positions were both of equal importance . neutral +how 'd you win radio contests How 'd you win the expensive radio contests ? neutral +TABLE 2 . NATIONAL INTERLABORATORY STUDY OF CHRONIC TOXICITY TEST PRECISION , 2000 : PRECISION OF RESPONSES USING EFFLUENT , RECEIVING WATER , AND REFERENCE TOXICANT SAMPLE TYPES1 Table 2 shows test results from a number of experiments conducted using the toxin samples . neutral +Because France has a uniform quality of delivery , its postal density differences are much greater . France 's postal service is the same all over the country . entailment +You do manage to survive , don 't you ? You do find a way to escape , don 't you ? neutral +yeah they steal from them Yes , they steal and have never been caught . neutral +Bob Shannon helped free Hunt out of Mex prison in the war and was killed doing it . Bob got Hunt out of prison . entailment +You joined in , Slim . You joined in , Slim . entailment +so that was yeah yeah right really or live really close to school and have them walk There was no choice but to have them walk to school . contradictory +When Italians moved the melodrama of their lives indoors , they called it opera . Italians do not have opera . contradictory +Pat Buchanan and Donald Trump joined the Reform Party . Buchannan and Trump had some of the same ideas . entailment +( You can also take the funicular railway up from the Rue Tardieu ; metro tickets are valid . ) The Rue Tardieu railway does not accept metro tickets . contradictory +because of because of what because of overcrowding or As a result of thousands of people . neutral +Slim cried , " Hi , Red ! " and waved cheerfully , still blinking the sleep out of himself . Slim saw Red , but didn 't say anything to him . contradictory +and it 's how well you can remember it all It 's how well you remember it and nothing else matters beyond that . neutral +It is now on display in the museum , along with tapestries that adorned the walls of the unheated hospital wards to keep the patients warm . Tapestries were effective at keeping the patients warm . neutral +Is the cost-cutting story plausible ? Do you believe that story ? entailment +right you know with the chance of even getting paroled and uh you know that 's just i just don 't understand that There is a chance or getting paroled . entailment +i love that album I really like that album . entailment +15 Absent changes in the structure of Social Security and Medicare , some time during the 2040s , government would do little but mail checks to the elderly and their health care providers . There were absent changed in the structure of Social Security and Medicare that totaled to 15 , because people became tired of dealing with it . neutral +i don 't i don 't miss the cold at all but i don 't mind the heat I don 't mind warm weather but I also don 't miss the cold . entailment +Funding cuts in free legal aid for 2003 could mean less access to courts for the poor , but the District 9 Pro Bono Commission is hoping to fill the gap . Poor people are upset that they won 't have as much access to free legal counseling . neutral +The Long-Term Budget Outlook . This budget outlook was published by James Patterson . neutral +but for the most part i try i have small kids and i try and keep it on just a minimum amount of time really when they 're up I have little kids and I try to keep up on them . entailment +You can watch world championship skiing at Cortina d 'Ampezzo and Val Gardena . World championship skiing is an event , that gathers 100,000 people from around the world . neutral +and you know it 's got some stuff on it it 's got a nice little word processing software on it you know and some budgeting type things and stuff and i don 't think she 's ever touched it i know she uses it every day to figure out the budget contradictory +the actor that plays Jim Morrison 's one of the other uh The only person I want to talk about here is the actor playing Jim Morrison . contradictory +and i don 't think a lot of people you know realize a lot the plight of a lot of people Many people suffer without anyone else noticing . entailment +yeah that 's garbage yes , that is trash entailment +so how do you feel about the metric system Do you feel any way about the metric system ? neutral +Here 's the Japan , like the United States only much more so , is an aging society . Japan does not have an aging society . contradictory +Our technological improvements have dramatically slowed natural selection . Due to the progress of technology , natural selection has slowed . entailment +The gun was made famous by Noel Coward 's satirical song , Mad Dogs and Englishmen . Mad Dogs and Englishmen is a famous song by Noel Coward . entailment +It was what you said about her evidence at the inquest that set me off . " Poirot looked puzzled . The evidence of the inquest made the situation clear to everyone . contradictory +It also requires landlords to have their property inspected prior to tenants signing a rent-to-own contract and to provide the tenant with the inspection report . The rental units were required to have inspections done . entailment +Privatization is a shell game in a second way . I strongly oppose all privatization . neutral +you hate to have the dubious honor of being you know so high in the You love having the honor . contradictory +They would tell you it was rifles and pistols that won the war but it isn 't true . The war was won with swords . neutral +Need a facial ? Is your face in need of a facial ? entailment +Opposite the modern art gallery is the Dean Gallery , occupying a fine Victorian mansion that was once an orphanage . There is no longer an art gallery near or around the Dean Gallery . contradictory +The prosecution averred that on Monday , July 16th , the prisoner had entered the chemist 's shop in the village , disguised as Mr. Inglethorp . Mr. Inglethorp entered the chemist 's shop in the village . contradictory +Developing a plan is only the beginning of an ongoing effort that includes implementation of the plan 's initiatives , continuous outreach to new partners , regular assessment of progress toward goals , and modifications of the plan as circumstances change . Developing a plan has many consequences and must imply flexibility for any possible change during the time of the process . entailment +there we go i think that 's true the uh the Bermuda grass is greening up uh in in March it sometimes doesn 't really start doing that until the first part of April so Each year , the Bermuda grass has been tending to grow earlier and earlier . neutral +According to the attorneys who appear before her , Zelon succeeds in making everyone in her courtroom at ease . Zelon is not only the most respected judge in D.C. , she also has a talent for putting her courtroom at ease . neutral +The air cooled that night and each of the members of the party rested under woolen blankets with wind traps to push away the chilled breeze . The party members had tried to start a fire , but turned to their blankets when no fire was forthcoming . neutral +um but so uh but yeah uh i think we couldn 't make it without them We relied on them for everything . neutral +The problem is that exactly zero are confirmed overwhelmingly , and zero is 10 percent of--zero ! Zero is the correct answer . neutral +All right . Ok then . entailment +Newsweek reports that JFK Jr. actively explored a Senate run before Hillary Clinton expressed interest . JFK Jr did not explore a Senate run . contradictory +An ethereal crowd of beautifully slight and delicate , measuring in nanometers , droplets was floating in the air . The droplets were water vapors . neutral +Nevertheless , it is well known that actual service levels are often quite far from the published standards . The standards are the same as allocated service contradictory +The American Ambassador , Mr. Carter , who had taken the liberty , he said , of bringing an old friend , Sir William Beresford , with him , Archdeacon Cowley , Dr. Hall , those two youthful adventurers , Miss Prudence Cowley and Mr. Thomas Beresford , and last , but not least , as guest of honour , Miss Jane Finn . The American Ambassador , Mr. Carter , came alone , opting not to bring any guests . contradictory +Saving and Its Implications for Economic Growth . Saving effects economic growth . entailment +Tuppence listened attentively , but there was no mention of anything that could be twisted to apply to Tommy . Tuppence didn 't listen , stuck in her own world . contradictory +The next two centuries were characterized by unrest and repeated attempts by the Irish to rid themselves of their Norman overlords . The Irish lived in peace with their overlords for the next two centuries . contradictory +Thus , the two separate allowances pools for the two zones are separately allocated . The allowances are given in one giant pool . contradictory +Even empty , as it is now , it still evokes dramatic memories . Despite its being empty , it still evokes dramatic memories . entailment +I should be moving on soon , I decided . I decided to move on soon . entailment +i i don 't i don 't know but i 'm sure that times being as hard as they are and times are hard not everyone 's that way you know good people are being put out of jobs now Illegal immigrants are responsible for our high unemployment rate . neutral +That , in turn , would depend on his status , not his absolute standard of living . His status will not impact it . contradictory +Using the baseline and post-control equilibria , the model calculates the change in net consumer and producer surplus on a crop-by-crop basis . This model is crucial to understanding how crops will be traded within the United States . neutral +It isn 't true ! Nobody knows the truth . neutral +The fate of love letters written by Diana to her former lover , James Hewitt , and stolen from him by his Italian mistress , who recently tried to sell them to the London Daily Mirror , which instead handed them over to her executors , has preoccupied all the London newspapers for several days . Diana wrote long letters to her lover , James , but they were stolen . neutral +This bulky fortress-like church dates mainly from the Crusader period of the 12th century . Most of this church was built during the 12th century while the Crusades were going on . entailment +The program gets its geographic boundaries from census tracks and roughly covers much of White Rock Hill , College Hill , Tinbridge Hill and the lower Rivermont area . There is no way of determining the boundaries the program works in . contradictory +If you would like information about parks and activities in the Santa Monica Mountains , call ( 805 ) 370-2300 . There 's not much to do in the Santa Monica Mountains . contradictory +golf yeah Not golf contradictory +Some have argued that Boorman , the director of Excalibur ( 1981 ) and Hope and Glory ( 1987 ) , doesn 't employ his extravagant visual gifts in The General , which is in black and white and isn 't ostentatious in its mythic resonances . Boorman won an Oscar for Excalibur . neutral +The most renowned section of Beverly Hills , however , is open to the public . No other section of Beverly Hills is open to the public . neutral +Otherwise , it 's more fun to explore the country along the good-quality secondary roads ( routes nationales , with a number preceded by an N ) . Road traffic accidents are higher on secondary roads so take care . neutral +Despite changes in overall installation schedules , efficient utilization of labor and sequencing the installation during planned outages will continue to be planning issues . Outages during installation must be partially addressed through planning efforts . entailment +The visa function attempts to facilitate legitimate travel while at the same time denying entry to the United States of certain individuals , including potential terrorists . US visa could be obtained from diplomatic missions in other countries . neutral +Legal service providers have long served large Latino populations , who have cultural diversity but share a common language . Latinos can get help from legal service providers in Arizona by inquiring at their county 's courthouse . neutral +With a sigh she sat up , her eyes still wild and frightened . She was startled awake and sat up loudly . entailment +but unfortunately people people aren 't that insightful People aren 't that insightful . entailment +yeah i 've talked to some people from Attleboro uh Massachusetts I 've never talked to anyone from Massachusetts . contradictory +Between you and me , sir , remarked Japp , " I 'd sooner have any amount of rumours than be arrested for murder . He believes that being arrested is a much better outcome than have rumours about it . contradictory +which was probably the best move i ever did I had a couple of options , but I am happy with what I did . neutral +and and vegetables right you know so um you two would probably eat real well together Both of you would probably eat real well together , you both like vegetables and asian food . neutral +think of the worst well now it might be hard but think of the the worst person that 's been on the show uh-huh in in the past two years besides Rosalyn she 's dead and gone Rosalyn died in a horrible accident . neutral +And he 's a great friend of Mary 's , put in Cynthia , the irrepressible . John and Mary have been friends since elementary school . neutral +There is only one airline the Shopping Avenger believes understands the fundamentals of customer service , and that is Southwest Airlines . Southwest has horrible customer service according to the Shopping Avenger . contradictory +Since 1980 the building has housed the Museum of Ethnography and History , tracing the town 's colonial and Malay past . The building has housed the Museum of Ethnography and History since 1980 . entailment +yeah i had a uh i teach a course in Voice I O Systems I teach a course at the college in IO systems . neutral +Re Paste Test : I 'll have to put the hex on Colgate Total . I love Colgate Total . contradictory +Parks and there are nature trails in Phoenix Park and the Dublin Zoo has a pet corner and zoo train especially designed for younger children ( see page 79 ) . There are nature trails in Phoenix Park that take walkers past the animal enclosures . neutral +The truth is , legal education is partially responsible for the disconnect between what ordinary Americans need and what educated lawyers can supply . Educated lawyers cannot supply effective aid . neutral +Five centuries later , Japan 's own Kojiki and Nihon-shoki chronicles describe the creation of the imperial dynasty in the year 660 b.c. : the first emperor , Jimmu ( Divine Warrior ) great grandson of the Sun Goddess 's grandson embarked on an expedition of conquest from Kyushu along the Inland Sea coast to the Yamato plain of the Kinki region ( near modern-day Nara ) . The first emperor was named Jimmu , and was the great grandson of the Sun Goddess . entailment +Geraldine Ferraro 's resignation as co-host of Crossfire , to run for the Senate from New York , has occasioned the usual pokes at CNN 's nightly political interview-cum-debate program . Geraldine Ferraro never wants anything to do with politics and currently is keeping her co-host job . contradictory +He is able to see that scholars have been covering up the crimes of the artist to protect him from justice . Scholars claimed that the artist committed the crime later convicting the artist . contradictory +I would have done anything for her . I would go to the ends of the earth for her . entailment +i enjoy tinkering with it you know it 's pretty hot down here during the summer we hit you know a hundred hundred and two sometimes so but you know we don 't do too much during the summer as far as tomatoes and stuff like that but The summer is pretty cold here , most years it 's rare to even see 80 degrees . contradictory +yeah Plattsburgh 's kind of a it 's uh it 's uh depressed economically Plattsburgh is going through a depression right now . entailment +You can still see these towers at Muncaster Castle and Dalemain . You can not see the towers at Muncaster Castle or Dalemain . contradictory +The remains of the 17th-century Barra Fortress , which once defended the southern tip of the peninsula , contains the chapel of Santiago ( St. Barra Fortress do not have a chapel inside of it . contradictory +Still , I had a great respect for Poirot 's sagacity ” except on the occasions when he was what I described to myself as " foolishly pig-headed . " Whenever Poirot had too many drinks , he 'd act foolishly . neutral +Just as advocates of bombing use the word impunity to shift the burden of the aggression argument to their opponents , they likewise use the word credibility to shift the burden of the commitment argument . Impunity isn 't used by bombing advocates to shift the burden of aggression at all . contradictory +The travelers in the south and east told of dozens of freed slaves building camps in the desert and the bodies of their captors rotting in the sun . Slaves killed their captors . neutral +Because these changes occurred in 2000 and 2001 , it is too early to determine how effectively they will be put into practice . Chances occurred before 2002 . entailment +11 billion reduction in total electric generation expenditures . There was 11 billion less in total electric generation expenditures . entailment +SEPT . 11 CAST a pall over 2001 , but it led to a high point in lawyers ' efforts to give back to the community . September 11 cast a long shadow over the rest of the year . entailment +There are a few farms , scattered fields marked by stone walls , and corrals enclosing sheep , goats , and pigs . There are many farms crowding the area , which all produce milk and pork . contradictory +uh Masterpiece Theatre is really good Masterpiece Theatre is exceptional . entailment +i like an oak oak trees yeah I like hardwoods . neutral +Some historians believe that they were the first native Italians ; others believe they arrived from Asia Minor . All historicians agree that they were the first Parisians . contradictory +A carved statue of a beautiful naked woman reached to the sky , palms pressed together and head low , a smile on her lips . The giant statue was of a gorgeous woman . neutral +Specifically , the survey showed that the proportion of companies managing and using frequent flyer miles received by their travelers fell from 9 percent in 1994 to 4 percent in 1996 . More companies were using the frequent flyer miles their travelers earned . contradictory +The glow of that happy discovery can last for years , as Nathan Myrhvold explained and simultaneously demonstrated in a recent Slate . These are folks lucky enough to be able to choose their careers and to have a good shot at success at whatever they choose . Nathan Myrhvold explained that the folks who made a happy discovery were lucky enough to be able to choose their careers . entailment +It is supported by good science and good economics , as well as by good intentions . Science supports the idea that we should cut emissions . neutral +I asked again where I was , and then went on that there was something I MUST remember MUST remember only for the moment it was all gone . I knew exactly where I was and remembered everything clearly . contradictory +It describes the reasons for the proposed agency action and its objectives and legal basis . The agency actions are never discussed . contradictory +his elementary school wife He hasn 't been married yet contradictory +I do not wish to test it on you . I want to use you as a guniea pig . contradictory +How well they measure what they are trying to measure ) , but also on ( 1 ) the extent to which the risks being valued are similar , and ( 2 ) the extent to which the subjects in the studies are similar to the population affected by changes in pollution concentrations . This study is about a new heart disease medication . contradictory +i don 't see it in the near future I don 't see it in the future anytime soon entailment +Analyzing Social Settings . It is impossible to analyze a social setting . contradictory +6 million grant will pay for staffing operations . The grant did not cover the costs . contradictory +Therefore , appropriations provide an other financing source instead of a revenue . In conclusion , appropriations provide an alternative source of money . entailment +The Age of Enlightenment engendered a new cultural ferment . There was no culture at all . contradictory +These stores sell excess stock or factory overruns . These are the flagship stores for the brands . contradictory +Koyasan was already known as a sacred site for ascetic practices when Kobo Daishi , a revered Buddhist priest , teacher , and scholar , received imperial permission to establish a religious community to develop his new Shingon sect in 816 . Koyasan is a Buddhist temple next to a lake . neutral +Not far away , around the coast , is Caled 'Hort , a small , isolated cove with clear water . Caled 'Hort is a small isolated cove with clear water . entailment +31 Experts already recommend moving beyond clinical trials to national dissemination . It is recommended by experts to move past clinical trials towards national dissemination . entailment +well that 's the way to do it That 's the only way to do it . neutral +Economic Policy in Our Time . The policy on the economy during our time . entailment +and one of the things that we kind of got to talking about is you know what is it we can do you know what can what can be done to stop it and i 'm not sure that i know the answer to that question I don 't think I know what we could do to stop it . entailment +The Aegean Islands , which for centuries had been important ports on the trading routes , became the backwaters of this new transport network and the economies of several islands came close to collapse . The islands needed to help from the mainland in order for their economies to survive . neutral +The control activities used by an organization to address improper payments vary according to the specific threats faced and risks incurred ; differences in objectives ; managerial judgment ; size and complexity of the organization ; operational environment ; sensitivity and value of data ; and requirements for system reliability , availability , and performance . There were no monitoring of the activities and any of their performances . contradictory +Core competencies and supporting The agencies identified core competencies and supporting behaviors for senior executives to follow that are intended to contribute to their agencies ' achievement of performance goals . Senior executives don 't have to have any core competencies because they don 't contribute to performance goals . contradictory +A happy feature chronicles a Wisconsin welfare mother 's search for She finds and keeps a $ 10-an-hour job at a chemical warehouse . The chemical warehouse was not getting rid of its waste properly . neutral +They also can be a significant deterrent and provide for a level of program integrity that could not otherwise be achieved . If the right personnel are on board , they can be a significant deterrent . neutral +I 'm a registered and certified virgin . I have never had sex before . entailment +well i know from some of the sites that we 've had done quite a list of sites that have gone bad and you have to clean up and you know the law now is a super fund and anybody who 's contributed toxic waste no matter if you were somebody that eventually you know uh damaged the ground or not uh everybody has to contribute and it 's been a lot of big bucks when we 've uh gotten pulled into these uh super fund deals to clean it up that 's you know mega bucks to uh you know take everything out and redo it and you know fill in some other area and um certainly it would seem to have a better solution like the Sherman facility than um just letting it go in the ground because eventually you know it it seems that no matter what they do if they put it in oil drums and then seal it in some kind of cement lined uh dump area it still only in time starts to leak out Some sites have gone bad . entailment +Most DOD programs GAO reviewed did not complete engineering drawings prior to entering the demonstration phase , nor did they bring critical manufacturing processes in control or demonstrate reliability prior to making a production decision . The Department of Defense ( DOD ) programs were reviewed by the GAO . entailment +yeah i 'm the i 'm the teacher i give as it were Yes I am a teacher . entailment +LSC grantees may not represent aliens in this category who have never entered or been present in the United States . The LSC may represent aliens under this category . contradictory +He lost his two best friends that night . He managed to save his two best friends that night . contradictory +and uh church was a a lot more casual uh rather than uh you know here it 's like going to a fashion show almost That church was more casual than the church here . entailment +analyzed quantitatively in the final report ( Finsterbush , 1984 ) . analyzed quantitatively in the final report ( Finsterbush , 1933 ) . contradictory +The fog stole the sound of the valley as well . The thickness of the fog made the valley seem silent . neutral +but uh it 's similar uh-huh It 's almost the same . neutral +The National Trust runs the boat , which resembles the Venetian rowboats , and the plush interior takes one back to the genteel times when tourism was just in its infancy , when this steamer ride would have been just one part of a European Grand Tour . The boats were inspired by older American ship designs . contradictory +The Federal Chief Information Third Annual Top Ten Challenges Survey , Association for Federal Information Resources Management , November , 1998 ; Implementing Best Practices , Capital Planning and IT Investment Committee , Federal CIO Council , June 1998 ; The Impact of Clinger-Cohen Act Implementation , Laying the Foundation for Year 2000 and Beyond , Eighth Annual ITAA Survey of Federal CIOs , Grant Thornton LLP , December 1997 ; and IAC / CIO Task Force Draft Report , Federal Chief Information Officeras Working Group and Industry Advisory Council , July 9 , 1996 . The Clinger-Cohen Act has been implemented . entailment +Federal Communications Flexible Service Offerings in the Commercial Mobile Radio Services Federal communications have flexible service offerings . entailment +Among the cathedral 's admir ? ­ able 12th- to 14th-century stained-glass windows in the nave and northern aisle there are portraits of medieval German emperors . The cathedral is located in modern day Germany . neutral +The trickle has suddenly become a torrent . The trickle became a torrent due to the blockage being removed from the source . neutral +The organizations that participated in our study have taken actions that they consider to be effective in reducing potential as well as actual improper payments . Our study was limited to individuals and families . contradictory +After a few skirmishes , the Catalonian troops were ready to deal the death blow . The Catalonian troops were ready for their final battle to win the war . entailment +This is reportedly being done in Sweden . Sweden has things being done . entailment +A wide pedestrian shopping street , Rua Augusta , leads from the Praaa do Comercio through a stately arch to the central square of Lisbon , Praaa Dom Pedro IV , better known as the Rossio ( the Common ) . The arches in Lisbon have all been blown up . contradictory +yeah i know a lot of people have i mean fifteen hundred dollars two thousand dollars Many people have a few thousand dollars . entailment +Interior believed that the fees the contractor would have charged were excessive and the savings were uncertain . The fees were excessive because they wanted extra money to import people from Spain . neutral +i guess uh not not yeah i mean me yeah you 're absolutely right i think it 's a really a good thing i i like to see You are beyond a doubt correct due to the extensive funding and research you conducted . neutral +but um i don 't know i mean what do you think we can uh i guess as individuals or as a group do about uh air pollution If we lobby the government , maybe they can do something about it . neutral +and asked instead to consider What 's best Asked to consider the economic and moral implications . neutral +Finally , it does not include the mail sent by both households and non-households in response to advertising . Households respond to advertising more often than non-households . neutral +There is a subtle sexism in The female domestic tycoon is obliged to behave better than the guys . Guys benefit more than domestic females from the sexism . neutral +have a nice one Victoria and good luck in your future bye bye Hope we can meet each other again soon . neutral +we uh our town is just five thousand people and i 've been very discouraged by the local authorities dragging their heals about getting into a recycling program each politician who comes up from election promises that that 's going to be real high on his list of priorities but it just doesn 't seem to be working out that way uh one of our local city council members who happens to be a personal friend of ours made the statement the other day that there would always be landfills and we just sort of came unglued at that point because if that 's their thinking then i think we 're definitely in trouble here We were an early adopter of recycling . contradictory +National saving also would be affected by how households and businesses respond to individual accounts . Businesses would respond to individual accounts differently depending on national savings . entailment +Long-term studies examine the potential relationship between longer-term and shorter-term use . Studies examined the relationship between long and short term use . entailment +probably the only thing sometimes we 'll take cash or the cans in and we let the kids get the money for that but uh for Sometimes let the kids cash in cans for money . entailment +so that 's what that 's what they do they buy all all the things that IBM throws away and they that 's why they 're so compatible They buy all of the things that IBM puts in the trash . entailment +In view of public-spirited young attorneys forced to take high-paying jobs at private firms , would an ABA program ask those same firms to help fund loan forgiveness in the interest of government or poverty law career options ? Would this program try and get big law to put up money for student loan forgiveness ? entailment +This ancient woodland of mixed deciduous and coniferous trees provided a source of fuel for the furnaces of the charcoal industry and the bobbin mills . The charcoal industry sourced some of its fuel from the woodland . entailment +A shorter Newsweek story labels these dropouts Young Unhappy Professionals ( unhappy , that is , till they drop out ) . The Newsweek story was very long . contradictory +Limestone is used for a wide range of purposes in the United States . Limestone is a versatile material . entailment +so it keeps you in the company huh This is what keeps you in the company , right ? entailment +Leaders of the New Jersey State Bar Association called the gap revealed by the survey overwhelming and said it provides hard facts the bar can examine to find more ways to help low-income residents get attorneys . There are no leaders in the New Jersey State Bar Association . contradictory +I can get everything , including the kids . I cannot get anything . contradictory +It was cloying , sickly sweet . It was bitter and quite tasty . contradictory +A minimum of three days is necessary to see a good portion of the island ; a week allows a visitor to do it justice and take the time to enjoy its scenic outdoors at a relaxed pace . The hectic pace of a 3 day tour is difficult to sell people on . neutral +This glossary is presented as the last appendix to the volume . This glossary is at the front of the book , just before the introduction . contradictory +yeah but well and and of course and well yeah that and plus i mean part of it is the idea that he goes with them on a buffalo hunt so i mean they are killing buffaloes in it but they don 't stress that very much they really don 't and i think it 's an excellent movie for if if she enjoys The takes them hunting for buffaloes and they kill some . entailment +Critics mostly applaud this movie about a female necrophiliac who works in a funeral home . The critics enjoyed the movie about the woman who liked to fuck dead people . entailment +what do you have at home what ingredients do you already have in your cupboard neutral +It 's not our job to police the whole world , says the realist . The realist feels that individual nations should police themselves . entailment +Ca 'daan 's father had taught him the secret to crossing the highway without fear . Ca 'daan 's dad knew how to cross the highway . entailment +It might have seemed like manna from heaven - up to thousands of dollars dropping , often unexpectedly , into the hands of a half-million Kentucky and Indiana residents this month . Thousands of dollars are being dropped in the hands of Kentucky and Indiana residents . entailment +Look for the ventilation shafts that astronomers have proved aligned with major constellations in the skies of Ancient Egypt . Astronomers have thus far not been able to link the ventilation shafts to major constellations . contradictory +Elemental load time varies with the number of pieces being loaded . Elemental load time varies with the number of pieces being loaded . entailment +Leather goods are no longer a bargain in Spain , though very good quality products may still be priced lower than at home . Suede clothes are always cheap in Spain . neutral +'Well Daniel , ' I said , ' I think we should get wherever we 're going as fast as possible . ' I thought we could take our time . contradictory +and uh we were never much of uh a very uh family thing you know may like go skiing in Vermont or something Some families go skiing in Vermont . entailment +In the original book , one of the most striking incidents involves Reich 's talk before a roomful of National Association of Manufacturers executives and lobbyists , allegedly all male and smoking cigars ( straight from central casting ) . In the book , Reich spoke before a room full of executives and lobbyists . entailment +The final analysis was forwarded to the Chief Counsel for Advocacy of the Small Business Administration . The final analysis was well received by the Chief Counsel for Advocacy of the Small Business Administration . neutral +Nearby is a fine 18-hole public golf course , beautifully kept despite the strange hazard of a narrow , concrete-sided canal running across the middle of it . The public golf course was not in the vicinity of a canal . contradictory +now put put the blame on the parent Put the blame on the child , not the parent . contradictory +so they were in a shot to make the play-offs and they screwed up the last couple of games So they didn 't make the playoffs due to some questionable calls by the refs . neutral +ways that technology can be incorporated to improve business processes , outputs , and outcomes . Outputs can be incorporated into business . entailment +" His father ! " Drew could not help that exclamation . Drew screamed that it was his father to the mob . neutral +huh Raleigh well uh have you ever do you read uh US News Do you read US News ? entailment +Shoppers hold mail-order firms to a higher standard than department stores when it comes to keeping things in stock , because the catalogs afford them a photo and item number for every parka , turtleneck , and blazer ever placed in inventory . Shoppers hold mail firms to a higher standard than department stores when it comes to inventory because of the ease of catalog shopping . entailment +Bargain-hunters looking for jeans , shoes , and cheaper fashions head for the popular stores along Via Torino and Via Manzoni . The thrifty check out the popular stores along Via Torino and Via Manzoni . entailment +i 'm a finance major I am a finance major as I enjoy business . neutral +As a boy I ran water to his forge . The boy was an apprentice blacksmith . neutral +When they reach the support shaft , shoot or break the barrel . Shoot or break the barrel once they reach the support shaft . entailment +There are many , he thought , but not enough . He was glad for what he had already . neutral +Templer stepped up self-government , increased Chinese access to full citizenship and admitted them for the first time to the Malayan Civil Service . Templer had been a politician for over twenty years . neutral +Nevertheless , the deposit has long been construed as a Federal budget receipt ( a governmental receipt ) , and the unemployment trust fund has long been included as an account in the Federal budget . The deposit may not actually be a Federal budget receipt . neutral +That is so . It is not so . contradictory +Slowly she went out of the room . She took two minutes to leave the room . neutral +yeah i don 't i don 't notice but maybe because i 'm not looking for it yeah I haven 't really noticed that the paint is chipping but perhaps that 's because I haven 't taken a closer look . neutral +yeah i it it it was it was it was comical i i sat there and watched the just watched CNN and just giggle all night you know uh oh this is great George Bush is in It 's was funny because George Bush is in a lot of trouble . neutral +She seemed so nice and normal that at last I determined to confide in her . It turned out she was pretending to be nice and normal , in order to gain my trust . neutral +The family says that Abraham Zapruder , after witnessing tragedy through his lens , never looked through a camera again . Abraham Zapruder used his camera every day despite the tragedy . contradictory +In the second , a survey of taxpayers would have to be very large to get a good hit rate of individuals who sought assistance , and the diversity of individual questions would have blurred ability to interpret variation in IRS responsiveness . There is a diversity in the questions on the survey . entailment +Jon repeated his question in two other languages before the man answered . The man answered Jon 's question honestly . neutral +He read the parable of the talents from St. Matthew 's Gospel , with its praise for those who get a good return on their investments . Wise returns on investment are the main focus of the parable of talents . entailment +Owning and sharing the building and not paying rent times five will save the non-profit agencies about $ 375,000 each year . The non-profit agencies will save over three hundred thousand each year . entailment +The CIA report was revealed in the Washington Post in June 1998 , but even subsequent Gerth pieces make no mention of it . The CIA report did not appear in any media or press . contradictory +This was because members were reluctant to share their organization 's problems and vulnerabilities with outsiders , some of whom were commercial competitors . Entities proved loathe to divulge their weak spots and problems since others in the group were in direct competition with them . entailment +Shearer 's efforts as a free-lance political fixer have not been limited to domestic affairs . Shearer worked as a political fixer in Afghanistan . neutral +( Budget Glossary ) Reimbursements are offsetting collections . Reimbursements are defined as offsetting collections . entailment +Flustered but suffused with good-natured liberal heartiness , Levy initiates a series of father-son talks that are among the most excruciating ever filmed . Levy begins a series of talks between father and son . entailment +it 's i 've seen uh uh a great deal of change as far as um corporate responsibility and things um Corporate responsibility is very different now compared to the past . entailment +To spear-fish you need a license , and must be 200 m ( 650 ft ) or more from the beach . You need a license to spear-fish . entailment +Because the incentive to an author of free software is to make her package the best , so releasing inadequately tested software will do the author 's personal reputation no good at all . Releasing inadequately tested software will do the author 's personal reputation no good at all . entailment +yeah long as you have a good time that 's the main point so It 's just important that you have fun getting outside and fishing . neutral +The cover story chronicles a 46-year-old woman 's heart transplant , from her diagnosis to the harvesting of her new heart to the operation itself . The main story was about the long and hard journey of a 46-year-old woman 's heart transplant . neutral +well with with an engineering degree it 's of course it 's a whole lot easier Building a bridge is easier if you have a degree in engineering . neutral +Purchasing I ordered the Tush-Cush from the Harmony catalog for $ 40 , plus $ 6 . I did not buy anything . contradictory +And there were the laws for using the name . The name was sacred so no one was allowed to use it . neutral +He continued to recuperate for another month . It only took him a few hours to recuperate from the wound . contradictory +Sunlight streamed in through the window , and there were fleecy clouds showing in the blue sky . Clouds were showing in the sunlit sky seen through the window . entailment +um-hum yes i know i can imagine no i don 't blame you not nowadays I think it 's all your fault . contradictory +i mean you 're still is a target over there You 're a target over there . entailment +That was before we killed their king and broke their spirit in the wars twelve years ago . The king had died in a war only three years ago . contradictory +my home all right my home is about fifteen years old I built my home fifteen years ago neutral +There is a livery stable here , suh ? Unconsciously he reverted in turn to the rather formal speech pattern of another place and time . He reverted to his old accent once he was back in town . neutral +because in Missouri we have a we have a lot of ice There isn 't much ice in Missouri . contradictory +My uncle would like to talk to you , said Ca 'daan . " My uncle does not wish to hear your words--only your screams , " hissed Ca 'daan . contradictory +Meze are served with fresh white bread to soak up the oil and juices . Fresh bread can be used to absorb the oil and juices when served with meze . entailment +The tip of a spear stabbed towards Adrin but the Kal 's club splintered the shaft and then crushed the ribs of the wielder . The man 's ribs were broken from the attack . entailment +In a region that long ago eschewed train travel , railway romance still permeates Union Station ( 800 N. Alameda St. ) . Every day in Union Station you can see couples being reunited . neutral +Germany celebrated the 10 th anniversary of the fall of the Berlin Wall . The Berlin Wall never fell at all . contradictory +Verdun was the site of a major battle in World War I and was badly damaged by bombing in 1944 . Verdun was badly damaged in WWI during a battle . entailment +OMB reviewed the Amendments to Regulation X and accompanying Statements of Policy under Executive Order 12866 as a significant regulatory action . OMB reviewed the Amendments and the statements of policy as a regulatory action for the banking industry . neutral +well i think we 've made it So , I think we have made it , entailment +The evidence presented by the parties on the contingency issue was determinative . The evidence made it very clear . entailment +I want to speak to you . She obeyed . She agreed to have a conversation . entailment +While new technologies and reengineering of business processes may change how certifying and disbursing officers operate , their basic responsibilities and accountabilities remain unaltered . New technology and reengineering of business processes won 't change . contradictory +there 's some talk that he may be uh coaching for the LA Clippers next year He won 't ever coach the LA Lakers contradictory +sounds like some of the coin dealers i know Coin dealers I know seem to be liars and thieves like that . neutral +For such a small tract of land , the geology of the Lake District is actually very complex . Lake District is boring for its absurd simplicity . contradictory +uh i 've got uh five stickers here from TI so i guess i 've done probably uh i 'd say seven or eight of them I have two stickers here from TI . contradictory +Everybody 's Got a Hungry Heart No one has a hungry heart . contradictory +On the other hand , they are clearly at fault about many of its provisions . They are not responsible for everything . entailment +No three littles . All three littles . contradictory +I rather wonder you 're not there too , Peel Edgerton ? I wonder if you aren 't there . entailment +and has kept The Hunter ' s absurdist archetypal lingo--the crime syndicate goes by the name of the Outfit--but the film has no mythic resonances , and it has been photographed in a brackish , blue-tinted monochromatic style that 's meant to be expressive but just looks cheap . Hunter took the photograph last year using a monochromatic camera . neutral +everybody should jog you should get out you should jog and then i started hearing about well i 'm not able to jog because i 'm i have asthma and um I am frustrated not to be able to jog . neutral +Capital Gang sters Al Hunt and Robert Novak signal an end to their rude ways this week with some of the most polite behavior ever witnessed on a political talk show ( outside of the prissy Washington Week , of course ) . Al Hunt and Robert Novak have become close friends . neutral +To the west of the Accademia , the Ca ' Rezzonico is another canal-side design of Longhena , completed in the 18th century and now a museum ( reopened in 2000 ) dedicated to those swan-song years of the Venice 's Most Serene Republic , la Serenissima . Ca ' Rezzonico , completed over 200 years ago , now lies abandoned and empty . contradictory +Crosethe Canche and continue south to Buire-le-Sec and the village of Maintenay , where a restored 12th-century mill now serves crapes in a wonderfully cool and leafy setting . A restored 12th-century mill is Maintenay 's biggest attraction . neutral +The Golghar , on the west side of town near the river , is evidence of the more altruistic side of British activity in Patna . The philanthropic aspect of British occupation is apparent in the Golghar . entailment +The policy states that , during this phase , a system 's configuration should be documented and the system should be demonstrated using prototypes in a relevant environment . Document this system 's configuration during the phase to note changes . neutral +The New York Knicks reached the NBA Finals . The Knicks were eliminated early in their league . contradictory +Dramatically depicting more than 400 scenes from the Old and New Testaments , 3,650 fig ? ­ ures present a magnificent pageant of the customs and costumes of the era of Francois I. Among the panels of Cain and Abel , Abraham and Isaac , Jesus and Mary ' all very Flemish figures ' are carvings of a Picardy baker , dairymaid , fruitmonger , and laundress . More than 3000 figures from over 400 Biblical scenes depict the culture of the era of Francois I. entailment +21The golden rule saving rate maximizes consumption per capita over the long run . The golden rule saving rate increases consumption by citizens . entailment +uh-huh yeah um that you know kind of goes along it it it 's a small enough school where people can know each other and and they can work together to thwart off problems when when you 've got a high school with you know three or four thousand students People can get to know each other at a school of that size . entailment +i 'm an interior design major yep so exactly in May I am studying animals . contradictory +Most individual practitioners were--and still are--impeccably honest , devoted to their patients and incredibly hardworking . My practitioners are honest people , who work very hard . entailment +In addition , in prior analyses EPA has identified valuation of mortality benefits as the largest contributor to the range of uncertainty in monetized The EPA has not evaluated the uncertainity in monetization . contradictory +The French are also a very courteous people . The French always hold the door open for you . neutral +They may not be friendly . They are definitely friendly . contradictory +Standing at the heart of the complex is the Temple of Amun , greatest of all Theban gods . The complex housed all major and minor Theban Gods . neutral +Crafts such as ceramics and pottery-making , wood-turning , and glass-blowing are also popular . Glass-blowing is the most popular craft and pottery-making comes a close second . neutral +Predicting that he would get a lot of heat for treating the minister with respect , Novak said that Farrakhan was more measured and a lot less confrontational and provocative than a lot of the politicians we talk to regularly on this program . Farrakhan is a controversial figure to Novak 's intended audience . neutral +but when I chanted it--and I did--it was thought to denote a lack of seriousness , which it did not . When I chanted it , people misunderstood and thought I wasn 't serious . entailment +The legislature 's involvement was precipitated in 1996 by the reported amounts of improper payments in Texas ' Medicaid program ( estimated to range from $ 365 million to $ 730 million , or 4 to 8 percent of total expenditures ) and Temporary Assistance for Needy Families ( TANF ) and Food Stamp programs ( estimated at a total of $ 222 . The legislature investigated Medicaid expenditures as well as Medicare expenditures in 1996 . neutral +but um uh you mentioned the uh glass type of stuff the reason i ask you about that is years ago and it it changed names somewhere along the line but um my dad used to work for Knox Glass in Knox Pennsylvania My dad used to work in Knox . entailment +You were in fact offering it , as you 'll see if you go back to the original , not as a considered characterization of my views , but as a way of introducing your own traditional / cultural explanation . I see now that you were offering it as a gracious and respectful characterization of my own views . contradictory +BLM , FHWA , IRS , and VBA are in the early stages of implementing new performance management systems for their senior executives . BLM is in the late stages of implementing preformance management systems for executives . contradictory +what 's that what 's that yeah i like a lot like i like uh the the New Age music like with um uh the um um i don 't know if you 've heard Neurotic Collection I hate all New Age suff . contradictory +yes so check that one out you know Yes , so take some time and look into that . entailment +In this view , the two study types could be measuring the same underlying relationship . Only one study type measures the relationship . contradictory +In 1 ) The Postal Service itself owns and maintains many of the boxes-specifically those known as cluster boxes . Cluster boxes are usually installed in apartment complexes . neutral +Jamaica is also a nation within the British Commonwealth . Jamaica has decided to not be associated with the British Commonwealth . contradictory +All work performed as part of the data reliability assessment should be documented and included in the engagement workpapers . All work needs to be documented to keep track of discoveries neutral +In the 15th century , they built the Castle of the Knights of St. John at the water 's edge . The Castle of the Knights of St. John was built in the 15th century . entailment +so well do you have anything planned for this summer I know that you 're going away this summer . contradictory +You 've got to get Moody [ Linda 's lawyer ] to let me listen to those tapes , I shouted at Goldberg . Moody gave me limitless access to the tapes . contradictory +One for depression , I guess , the other to quit smoking . One is for depression , the other , I 'm sure- is to quit drinking . contradictory +Surely it 's not because he 's afraid he 'll run out of money ? There is a chance he will run out of money from gambling . neutral +but you 're right it it that that is a funny rule at least uh You are wrong , that tiger is big . contradictory +The paper says it will probably be Tech Coast . It will be likely to be McDonalds , says the paper . contradictory +You spill some fine horse manure yourself , young man , said A 'deem with a wink . A 'deem winked after he talked . entailment +This session focused on how programs should complete grant applications , and the new grant application requirements for applicants which anticipate sub-granting part of the LSC grant during the grant year . There aren 't any new grant application requirements . contradictory +and i do not believe that it has not they 've never stated that their goal is not to you know take over the world and they 've never repented of all the massacres all the just the you know the hundreds of thousands of uh massacres they 've killed more Jews I believe that killing Jews was part of their plan to take over the world . neutral +but the second one 's just it 's more it really hardly has anything to do with the kids it 's more about their relationship and they 're just always fighting and they break up and they you know get back typical you know The second one revolves mainly around the kids . contradictory +The history of Hawaii reads like the story of a mythical kingdom . The history of Italy seems like the story of a mythical kingdom . contradictory +The crowds thinned and the tent city rose around them , mostly empty at this time in the morning . It was really busy that morning . contradictory +LSC requested that the planners seriously consider the advantages of having one LSC-funded program anchor each of the six regions identified in the plan . LSC wanted to fund a plan neutral +The main attractions are linked to the town 's most prominent son , William Wordsworth , who was born here in 1770 . The main trivia of the town is that William Wordsworth was born there . neutral +We 've sent out a doppelganger to fool the Sons , and the orderly has been sentenced to slavery under the pyramid builder for twenty lifetimes . The doppelganger hasn 't been deployed yet , the orderly yet to be sentenced . contradictory +Later , Clinton and House Majority Leader Richard Armey point fingers--literally--at each other , and the Republicans go nuts over what they consider to be an unflattering picture the White House released to Time . All in all , everyone in the budget talks looks petty and political , except for Dole . Clinton and Richard Armey argued during budget talks . entailment +oh there 's parts in it that don 't move yeah Besides there being immobile components in it , there are also unmovable parts as well neutral +like you don 't have any money to to get out If you don 't have any money , you can 't get out of a bad living situation . neutral +Reims ' a center of production of the wine of kings ' is also home to the cathedral where kings of France were crowned from the Middle Ages to the early 19th century . France has not had a king since the early 19th century . neutral +Morris controls the voting process . Morris doesn 't control voting . contradictory +The idea , Leger claimed , was to prove that machines and fragments of them , that ordinary manufactured objects , have plastic possibilities . Leger claimed that machines lacked plastic possibilities . contradictory +But don 't think this lets those bastards at Delta off the hook . Delta are not bastards . contradictory +A deep fog rolled through the valley . The bloodshed from the night before painted the fog red . neutral +Rockefeller 's addiction to living in an expensive realm of his own , for creating his own entourage , ultimately accounted for Gerald Ford 's decision to toss Rockefeller overboard and pick Bob Dole as his running mate in 1976 ( something that will presumably be discussed in Reich 's next book ) . Rockefeller 's relationship with Gerald Ford suffered greatly after this . neutral +But he was no primitive . He was civilized . entailment +In order to obtain more comments regarding the possible requirement for control of combustion chamber deposits in the final rule and to seek more public input in other areas involving the certification testing and various implementation and enforcement provisions , a Notice of Reopening of the Comment Period was published on December 28 , 1994 . They want to get more comments about a suggestion . contradictory +Some weeks before , Nash had declined a University of Chicago offer of an endowed chair on the grounds that he was scheduled to become the emperor of Antarctica . The University of Chicago had offered Nash an endowed chair , which he had declined . entailment +He was not sure if referral could be included every time , but acknowledged that it is a vital part of the work . He was not sure if referral was integral to the work . contradictory +Another of the New Hampshire journalists on the panel , Alison King of New England Cable News , asked Hatch a go-back-where-you-came-from question similar to the one asked of Forbes . Alison King recently joined New England Cable News when she graduated from college . neutral +It is now open to the best ( Malay ) scholars of all classes . Malaysian scholars of all classes are accepted . entailment +Improved products and Senior executives can use the feedback from customers to enhance the customers ' understanding of the organization and make improvements in the organization 's products and services . Customer feedback fan be used to enhance an organization 's products . entailment +Yesterday , this columnist ate a half-dozen kippers for breakfast , and he loved them all . I loved the dozen kippers I ate for breakfast yesterday contradictory +Since GAO is still experiencing delays in mail delivery , it would be preferable if you sent your comments via e-mail to yellowbook @ gao.gov.To ensure that your comments are considered by the Advisory Council in their deliberations , please submit them by April 30 , 2002 . It would be preferable if you didn 't send any emails . contradictory +In 1984 , the Polish secret police murdered Father Jerzy Popieluszko , an outspoken supporter of Solidarno ? . Those involved in Father Popieluszko 's murder were convicted . neutral +'You know , ' Greuze said , pointedly . They were clueless . contradictory +but you see But you turn a blind eye . contradictory +gee that 's too bad I see no problem with that at all . contradictory +well don 't they take people who have some sort of um big abilities like and and at least they used to when it when it the first ones i saw they had um a man on who was uh he played college football and almost went pro and they had a a woman who was a black belt in karate and she was the uh she was in the junior Olympics or something or they seem to have people who have very very big sports backgrounds to have they leaned leaned away from that sort of People who play college football have great abilities to play professionally . entailment +said Adrin , rising . Adrin stood up . entailment +I had seen the Voth witches during the war . The Voth witches never arrived to fight in the war . contradictory +absolutely i i i think it 's extremely difficult to keep up with all that uh we have to these days It 's very hard to keep on top of everything these days . entailment +He then laid it out according to the disposition of the stars and planets . It was his religion that led him to judge his placement as correct . neutral +Covering the chancel behind the main altar , the Ghirlandaio frescoes of the lives of the Madonna and St. John kept the master 's entire workshop busy from 1485 to 1490 . Madonna was a fascinating subject as was her life . neutral +China began to relax trade restrictions , and with the rise of Hong Kong , Macau became an isolated Portuguese outpost . Hong Kong immediately benefited with a 20 % boost to their GDP . neutral +and you actually um with this process by putting in the tires end up with more energy from the oil You end up with less energy from oil from this process . contradictory +So-called Houston ! This one problem , Denise , or maybe Dennis , was repeating . It is certain the announcer is a female . contradictory +Tuppence withdrew to a suitable spot . Tuppence ran very quickly to his new spot . neutral +and the performance it you know it it you could make it do anything on the interstate you wanted You could make it do anything you wanted on the interstate . entailment +'Less loud . They encouraged everyone to get louder . contradictory +In the Washington Post , Archer accuses Democrats of supporting big government on autopilot and argues that the cuts epitomize compassionate conservatism . Some people think that all Democrats want the largest government possible . entailment +For populations over age 65 , we then develop a VSLY from the age-adjusted base VSL of $ 2 . The VSLY is for the population over 65 . entailment +Now talk to me about that . I don 't want to hear anything from you . contradictory +For now , eight states , including Minnesota , North Dakota , and Virginia , have plans to include a line for candidates to write in their URLs on the 2000 filing forms . Multiple states plan to include a line where candidates will write their URLs on the 2000 filing forms . entailment +The Gardens are also home to a deer park and a vast expanse of netting marking the aviary of the bird park , within which are over 5,000 birds . The Gardens are also a deer and bird park , as well as a home to many endangered species . neutral +If we are right , Miss Howard , on whose side are you then ? " We are counting on you to help us . neutral +Look what I caught ! I didn 't catch anything . contradictory +no well i don 't think we get it here It should be here . contradictory +An example of an investment with a split purpose is a grant issued to a state to construct segments of the National Highway System and to conduct highway research . A split purpose investment doesn 't have multiple purposes . contradictory +yeah right that 's that 's Matthew he 's it 's boy uh he was always he just he 'd keep it to himself a lot of times but he 'd really kind of well up and I 've known Matthew since he was born and he 's always been a nice boy . neutral +Not that this old city will explain everything in fact , its dramatic confrontations of life and death on the Ganga river , and of scholarship and superstition , may only mystify you even further but the city 's aura of sanctity is so overwhelming that it supercedes any need for rational explanations . The city was regarded as a holy place long ago by travelers . neutral +174 A moment later the taxi was slowly chugging back to Holyhead . The taxi slowly moved away from Holyhead . contradictory +okay did you live in Texas after the uh after they stopped letting you deduct uh sales tax on your tax return Did you live in Texas after the new sales tax law ? entailment +FDA estimates the overall compliance costs of the rule to be from $ 174 million to $ 187 million in one-time costs and $ 149 million to $ 185 million in annual operating costs . The FDA expects the compliance costs of the rule to dramatically decrease operating costs on an annual basis . contradictory +The agreed-upon rate and service changes will work to the mutual benefit of mail users and the postal system as a whole The postal system is improving . neutral +Much of the Internet discussion about this merger frames the issue Which is worse , Big Business or Big Regulator ? Most people who use the Internet are concerned about Big Business . neutral +'You are sure ? ' You are undecided . contradictory +Too late . You 're early ! contradictory +yeah well when we moved down here it was it was June and and it was just like a shock June is a very hot month here . neutral +Queen 's Road East in Wan Chai is a furniture manufacturing and retail area . Queen 's Road East does not offer and shopping opportunities . contradictory +Archers stood ready to fill the two men with arrows but they held their shots . Archers did not shoot . entailment +um me i 'm a firm believer in that if you got it spend it If you 've got it , save it . contradictory +'Now , Mr. Franklin . ' 'Now , Ms. Smith . ' contradictory +yeah really especially in Texas it really was yeah it was a mess There was not a mess in Texas at all . contradictory +and um you you listen a lot if you listen if you listen hear a lot of old gospel um uh especially well the black gospel you know you will you know you can really pick it up i mean it you I like to listen to both old and new gospel . neutral +Where did the rage in Kaufman come from , and at what point did it kill the comedy ? What was the source of Kaufman 's anger ? entailment +Economists agree . Economists happily agree . neutral +The Muslims continued the tradition of worship , substituting the green prophet Elijah for Pan ; and the Crusaders built a town here , very little of which remains . The entire Crusader town remains intact , and visitors can look inside the buildings . contradictory +Judge 's Domestic Violence Ruling Creates an Outcry in Kentucky The decision of a Kentucky judge regarding domestic violence caused an uproar . entailment +She works as the head physician at the Los Angeles Mission , a free clinic on skid row . She is a nurse 's assistant at the Los Angeles Mission . contradictory +She was always better at ideas than me . Her ideas were always better than mine . entailment +yeah because Dallas is a pretty big area we got i don 't know a million people or a million and a half people or something Most of the population of Dallas lives in the city proper . neutral +Otherwise , you drive north through Pointe-Noire ( named for its black volcanic hillsides ) and Deshaies , an unexceptional town on a very beautiful bay . Pointe-Noire got its name from its many ant hills swarming with black ants . contradictory +Come now , you can 't say I 'm sentimental , she added sharply . I 've always been sentimental . contradictory +That 's right . That 's correct . entailment +In 1958 , 4 percent of white Americans approved of interracial marriages . Long ago , most people were against interracial marriage . entailment +Although agency officials may take notes as they review the draft , at the conclusion of the meeting , all copies of the draft report will be returned to GAO . Report draft copies will be returned to gao after the meeting entailment +He stared at the dead assassin at his feet , mask fallen and wide lipless mouth open revealing the sharpened fangs of a beast . The dead assassin was toothless . contradictory +yeah that would be helpful That is a worthless idea . contradictory +She 'll know that 's you , said Tommy with a sigh of relief . Tommy sighed . entailment +To track the success of improvement initiatives , the following strategies should be The outcome of initiatives can be tracked . entailment +So why are students still occupying the campus 's major buildings ? The campus 's major buildings occupation continues , because the demands have not been met . neutral +Come agin , suh come , agin ! " Drew went down the corridor , his spurs answering with a chiming ring each time his heels met planking . Drew had sandals on his feet . contradictory +Madeira creates and exports table linens , sheets , dresses , blouses , hand ? ­ kerchiefs , and even wedding dresses of extraordinary delicacy . Madeira makes and sells cars . contradictory +Hitler invaded the Soviet Union in 1941 , an act that drew the Soviets and Poles together in a shaky alliance . Hitler 's Soviet Union invasion lasted for 90 days . neutral +At that point , Executive Editor Fred Taylor responded , I didn 't know advertising was one of Exxon 's philanthropic activities . Fred Taylor was the Executive Editor of Newsweek . neutral +This was the president who pulled out of Lebanon after Marines were bombed there . President Bush pulled troops out of Lebanon in response to a bombing . neutral +so what do you think we 're going to get Do you know if we will get anything ? neutral +people are stabbed but it 's not this torture People are stabbed with needles , because it 's acupuncture . neutral +The fun parts include getting to touch an iceberg , experiencing the effects of an earthquake in total safety , and lying on the floor of the Showdome to watch exciting weather phenomena flashing above . Touching the iceberg gave everyone frostbite . contradictory +Eliot 's anti-Semitism--has hired its first poet-in-residence . The poet works and lives there . entailment +The ability to handle more cases is about to take a big jump , however , as a result of an increase in revenue from fees charged for every civil action filed in court in Clay County . The Clay County court does not charge any fees . contradictory +and it had a nice little area inside that course it gave you shelter and everything There was a little house where you could take shelter . neutral +how did you get out of that I 'm sorry that happened to you . It was unavoidable . contradictory +It bore the inscription , " Mr. Edward Whittington . " Below the name were the words " Esthonia Glassware Co . , " and the address of a city office . Mr. Edward Whittington works at a city office . neutral +Hiking is the simplest and most exhilarating way of seeing the countryside , whether in the Dolomites or the Alps , around the lakes and national parks , or merely trekking through the rolling hills of Tuscany or Umbria . Along the Alps and hills is where hiking is where at it 's most fundamental and invigorating . entailment +well the the problem i had with the movie was the problem i 've had with a lot of uh i guess Hollywood movies which is you know it 's a formula movie and they 're making the movie according to a certain formula that 's a good formula but they seem to I take issue with some formulaic movies in Hollywood . entailment +The King pays his respects to the deities including Ra and Kephri as he makes his symbolic journey . A symbolic journey is made by the King in order to pleasure the deities . entailment +The railway line then curves gracefully around Tolo Harbor , an idyllic body of water well-protected from the open sea . The railway line goes directly into Tolo Harbor . contradictory +The electric utility portion was developed using the Integrated Planning Model ( IPM ) . The Integrated Planning Model was used to develop the electric utility portion . entailment +Don 't ask me to help you , because I won 't . Don 't ask me to help you again , I have no designs to do so . neutral +Driving a car along the hairpin curves on mountain roads and coastal lanes , getting sprayed by waterfalls and constantly rewarded with spectacular vistas can be an exhilarating experience , but Madeira is best viewed by getting out of the car or bus and exploring on two feet . It 's better to explore Madeira from within a car or bus . contradictory +The show shouldn 't be criticized for presenting disgusting behavior , because television doesn 't create values , it only reflects them . It 's the television 's show 's fault for creating bad values . contradictory +Planning efforts in West Virginia have been coordinated through the West Virginia Legal Services Symposium , originally created by the State Bar and Bar Foundation in 1995 . The West Virginia Legal Services Symposium was created by the Bar Foundation and the State Bar in 1990 . contradictory +As the demand in electricity grows , the need for new generating capacity will not be felt There will not be a need for generating capacity when demand grows . entailment +Our goals and related efforts as contained in state plans are based on a deeper understanding of client demographics published in the new census material . Our goals are based on a deeper understanding of the client demographic . entailment +a 716 ( b ) establish mechanisms for resolution of GAO access-to-records problems . The resolution of the problem was quite tough . neutral +One associate who obviously had a positive association with pro bono implored others to take on some pro bono matters . One associate had a really bad experience with pro bono and now highly recommends that others never take on pro bono matters . contradictory +SIR James brushed past Julius and hurriedly bent over the fallen woman . Sir James stopped and allowed Julius to check the women . contradictory +9 There are many types of electronic signature technologies offering different degrees of confidence , control , and security . There are many types of electronic signature technologies . entailment +In that respect , some participants suggested that standard setters first needed to get the basics right with the current financial reporting model , for example in areas such as accounting for pensions , post-employment benefits , and pro-forma financial statements , to help restore investor confidence . Everyone agreed that the current financial reporting model was good as it was . contradictory +Maximizing consumption per capita over the long term may not be socially optimal if people value current consumption more than future consumption and discount the future . It may not be socially optimal to maximize consumption if people value the now more than the later . entailment +And Drew had to thank that system for having taken Johnny Shannon away from the Stronghold before the Kentuckian arrived . Drew was glad that Johnny was taken away before the Kentuckian appeared . entailment +The monument in the tiny plaza recalls a shipwreck of 1913 , and a fountain on the far side features bizarre fish statues complete with jets of water which spurt from their mouths . There was a shipwreck in the early 20th century . entailment +oh goodness they 're Oh wow , they 're entailment +And a wild stud will always try to add mares to his band . Wild studs are the coolest studs , nobody can say otherwise . neutral +The building had been like home , she explained , and so it was important who would be living there . She explained that building was not important to her so it was not important as well who would be living there . contradictory +Suddenly he came out of his brown study , and hit the table such a resounding bang with his fist that every one jumped , the doctor most of all . No one understood why he was so upset when he came out of his study . neutral +When that happens , Democrats will be bound to escalate the confirmation battle once more , to settle their score with Hatch . The confirmation battles is only important to Democrats . neutral +the Buick was was great it was nine years old and and it was still going strong the only It 's too bad I crashed the Buick , it was running so well even after nine years . neutral +Some shine best as citizens . Veterans who return to their country often find that they become better people and citizens because of their service . neutral +Some of the homes have their own built-in baking ovens , which are still used daily . Most of the homes have store bought ovens , but many people don 't bake at all regardless . contradictory +next year they 'll be uh playing and i know Memphis State was even in a few of them where they got uh couldn 't play Memphis State 's ability to play was uninhibited . contradictory +However , he forgot about the backrest and while he was making close contact with the blanket something popped in his spine . He popped something in his spine . entailment +This ! Is this what I paid 200 000 amereuro for ? The thing I bought was amazing , and I would never dare complain about it . contradictory +yeah yeah um they don 't really buy the first quality they buy the second and uh places like JC Penney 's that they 'll reject the seconds they 'll send them back every time but They don 't buy the best things . entailment +uh but but the Muslims are not as liberal in their interpretation of of the Kuran as we are in our interpretation of the Bible Muslims interpret the Koran more liberally than Jews interpret the Torah . neutral +yeah and uh when you have time to do it When you have time to do it . entailment +The agency 's decision to consider Sonora a region from which fresh pork could be imported with a negligible risk of introducing or disseminating hog cholera was based on an analysis of a number of risk factors detailed in the supplementary information published with the final rule . Sonora can export pork . entailment +Customers are made worse off , and so is Schwinn , as there is now less reason to prefer a Schwinn bicycle to others . Schwinn was and always will be the first choice of cyclists . contradictory +but you you got the the three fifty in the van Do you have the $ 350 in the van to pay the repairman , right ? neutral +And then suddenly things seemed to change . Nothing changed at all . contradictory +no no well well uh our kids are kind of still small now and we had thought before when they get a lot older we don 't need such a large house that we 'll sell it but he will not build a second one himself because he says agewise he 'll never be able to handle that again yes yes I really did not want to think about moving again . neutral +We came to the West Side Highway . We left from the West Side Highway contradictory +uh-huh well why was CNN the only of course i think Saddam Hussein only allowed CNN to broadcast it is that not true I think Saddam Hussein allowed CNN to broadcast it . entailment +When they want to flee or hunt other men . They all agreed to do one or the other . neutral +oh this this comes with the blade on it you mean uh-huh You chose that one because its lack of a blade will be safer to use . contradictory +One , brandishing a long polearm , stabbed at him . One , with a sword , stabbed at him . contradictory +um-hum it i mean it 's going to take a lot of hard work but um you need It 's pretty easy to get through it without a ton of hard work . contradictory +you do that yourself Do it with a couple of other people . contradictory +you know that is another thing that you know we feel like our long term goal is going to be benefitted by next time we buy a car we 're not just going to go to Toyota of Irving you know we 're going to go to somebody that we know we 're going to take someone with us older and we didn 't do any of those things Goals that are long term are getting a car from someone that we know . entailment +The United States falls somewhere between these extremes . Some countries are on the extreme ends of the spectrum . neutral +ILS worked with the Indiana Supreme Court to submit a successful grant application to the State Justice Institute for a Statewide Pro Se Office , at the Office of Supreme Court Administration . ILS worked with the Indiana Supreme Court to submit an unsuccessful grant application contradictory +The lawyers , many of whom could be earning considerably more in the private sector , are uniformly devoted to the principle of providing legal assistance to those who otherwise might be denied their day in court . The laywers might earn more privately . entailment +Eleven billion dollars in shareholder value is $ 11 billion . The shareholder value is $ 16billion . contradictory +Against this backdrop it is easy for young people to not buy the facts about drugs . Young people believe everything they hear about drugs . contradictory +Each of the Seven Swords was a veteran of battle . The Seven Swords were veterans of battle . entailment +At hotel boutiques , prices may or may not be the same as in urban shopping for anything major , it 's worth comparing . It 's good to compare pricing between urban and hotel boutiques . entailment +And no-one is indispensable . Everyone is essential contradictory +Uses of the Technology Retrofit and Updating Model The model for technology retrofitting . entailment +The view of the lush mossy landscaped garden from the verandah at the back of the building is one of Kyoto 's most famous . In addition to viewing the garden from the veranda , one can take a walk through it . neutral +uh they take up so much space that you don 't have any place then to work you don 't have any bytes left but um if you um They will leave more than enough room for your work . contradictory +Cambridge , National Bureau of Economic Research , July 1999 . The National Bureau of Economic Research was in moved to Cambridge . neutral +The web site will serve as a comprehensive portal for low-income Mainers seeking legal assistance information of any type , providing information from all of the state 's legal services providers as well as state agencies and other sources of information and assistance . The website helps poor people in Maine get legal help for free . neutral +You see , if the spider lets the fly walk out too easily , the fly might suspect it was a put-up job . The fly is too stupid to ever suspect the spider of a put-up job . contradictory +Board members have differing views on whether social insurance programs result in exchange or nonexchange transactions . Board members argue over exchanges on social insursmge programs neutral +Would have been a different thing , if I had been cleaning all day , you know . I spent the entire day cleaning . contradictory +As the discount increases above 4.5a , the postal service falls below breakeven and will have to make up the losses with a price increase for all mailers , both those who are now presorting and those who have not thus far been affected . The postal service 's breakeven point lies above a discount rate of 4.5a. entailment +For his great Nympheas murals , Monet himself chose the two ground-level oval rooms as those most likely to recapture the experience of coming across the water lily ponds at his home in Giverny ( see page 76 ) . Monet did paintings of Nympheas . entailment +Please keep reading for another point of view--probably not the cat 's . Keep reading for another point of view which is most likely not that of the cat but could be of the dog . neutral +uh it will be quite a few because one brother has five children and they 're all going to be there with their children It will be quite a number , given one brother is bringing five children . entailment +Also , there are strict rules as to what the player can do with his cards and chips , and where he can place his hands . There are strict rules about what you are allowed to do . entailment +This set up needless competition for scarce resources and created hurt feelings among some staff . Not everyone was happy with this , it became very hard to get ahold of valuable resources . neutral +them people them two people are the most helpless people you see what i 'm saying They are helpless people . entailment +The commentariat agrees that Barry Goldwater 1 ) was a giant in modern political conservatism and 2 ) was an endearing straight-talker . Barry Goldwater is an important figure when it comes to political conservatism . neutral +The Health Care Financing Administration ( HCFA ) determined that the proposed rule would affect a substantial number of small rural hospitals , and that the effects on some could be significant . There will be no affect on rural hospitals . contradictory +Wells is waiting for me . Wells is awaiting my return . entailment +But , Poirot ” I protested . They are disagreeing on politics . neutral +Osman Gazi 's son , Orhan , captured Bursa in 1326 , and set up his capital there , then moved it to Adrianople ( Edirne ) , which he took in 1361 . Bursa was captured by Orhan , the son of Osman Gazi , and mad into the capital . entailment +Frescoes insist ( in gory detail ) that head-chopping was necessary to achieve victory . Beheading was a common theme in the paintings from that period . entailment +Is there anyone I can write to for a reference ? I need a reference for a job . neutral +So this is the only division that obeys all the principles we 've stated . This part is the most following of our principles out of all of them . contradictory +uh the drug testing We should implement drug testing for everyone . neutral +The SCR might be the limiting item on the boiler outage because of its more complex connection . The boiler has only simple connections . contradictory +Milles tonnerres ! cried Poirot , dumfounded . He realized who the real killer was not . neutral +The stretch of Wilshire between La Brea and Fairfax avenues , known as the Mid-Wilshire district or Miracle Mile , is slowly being restored after years of neglect . Wilshire between La Brea and Fairfax avenues will be gotten rid of . contradictory +but well i guess it 's getting late Plenty of time left . contradictory +what division are you in You 're not in a division . contradictory +okay so what kind of cars are you looking at why aren 't you interested in buying a car ? contradictory +I called Morris to set up an interview about his ideas and left a message . I called Morris because I wanted to do an interview with him to get new ideas for the campaign . neutral +sometimes i think i am going crazy trying to do it but I worry about what people will think of me if I try to do it . neutral +It would give him four good shots before he had to spend any significant time reloading . His weapon was capable of firing 4 times . entailment +and he was there to paint the French doors also um and if you 've ever painted French doors which my husband just finally said he wasn 't going to do There was a disagreement between the husband and him as to whether he would be painting the French doors . entailment +Indeed , Wolf often expounds on the trauma--and the necessity--of expressing herself in public . Wolfe worked through the challenges to constantly public express her views . neutral +i 've never uh really been sure that a juror is entitled to ask a question I don 't think a juror is entitled to ask a question . entailment +In addition , about 55 percent of our senior executives and 48 percent of our management evaluators will become eligible to retire by that time . A year after that point , more than 80 percent of our current total staff will be eligible to retire . neutral +i mean but you know there 's there 's the difference because uh they say you know i guess they say tobacco is addictive i guess they say alcohol is addictive as well They say tobacco and alcohol are both addictive . entailment +First , they should deliver maximum moral benefit at minimum practical cost . They need to give the best ethical response without too much work . entailment +He awoke from a dream of monsters tearing him apart and eating him as he screamed and watched . He had such a pleasant dream he wanted to go back to bed . contradictory +Clinton is on his side . Clinton will never be on his side . contradictory +Thorn continued to parry the heavy two-handed scimitar of the last assassin . Thorn successfully overtook the assassin , leaving him empty handed . neutral +Follow the old Roman chariot road ( repaved ) of Via Tiburtina 30 km ( 19 miles ) east of the capital to the haunting ruins of Hadrian 's Villa ( Villa Adriana ) , near the picturesque town of Tivoli , at the foot of the Sabine Hills . The ruins of Hadrian 's villa are to the east of Rome . entailment +Best of all is a sequence in which Moses falls asleep against the wall of a temple and , in his dream , the two-dimensional hieroglyphs of familiar Egyptian painting begin to move , enacting the story of the Exodus in stiff , horizontal processions . At the temple 's outside , Moses passes unconscious and dreams of self-animated writing on the wall , showing him the Exodus timeline in its movements . entailment +multiplying whitecaps.Spray blows in well-marked streaks at six.In the foam-spewed rolling swell that takes a higher number , small and medium ships may be lost to view for a long time . Small ships go out of sight during any storm . neutral +Beyea , a lawyer at Pine Tree Legal Services , conducted the study and said she surveyed district court judges , case management officers , family law attorneys and people registered to be GALs . The district court judges were happy to participate in the survey . neutral +In fact , there is no way to tell how many kids and how much money may be involved , since many FEC filings are incomplete . The FEC has a plan to decrease the number of incomplete filings . neutral +Current Issues in Economics and Finance , Vol . 6 , No . There are some issues to deal with in economics and finance . entailment +Civilization Bad . Civilization Bad is a good book . neutral +There is the old town the Dalt Vila and La Marina , the harbour . There is no harbour . contradictory +The stuff of a novel , but don 't expect the 37-year-old Roy to write it . Roy didn 't have enough fingers on his hands to write a novel . neutral +If the agency has not designated a liaison , GAO will provide notification to the responsible agency management official . GAO may provide notification to the responsible agency if their McDonald 's order was cold neutral +so i i can write letters to congressman and uh organize reports and uh I am prohibited from writing letters to any congressmen . contradictory +who were uh right and that and that 's a lot of money I wouldn 't afford that if I worked for ten years . neutral +LSC statistics for CY 2002 will reflect the input of all these performance measures . LSC statistics for CY 2002 won 't reflect the input of all these performance measures . contradictory +My superiors are prone to shifting expectations , especially when what they perceived as an exercise in style starts to have substance . ' My superiors don 't want you to have substance . entailment +Before the San Gabriel program was subsumed by Dudovitz 's group , it offered to merge with the Legal Aid Society of Orange County . Dudovitz 's group also subsumed five other programs that year . neutral +that 's a lot of fun Rapids are a lot of fun . neutral +Aswan , Egypt 's southernmost town , has played an important role throughout its long history . Aswan is Egypt 's northern most town . contradictory +of course camping again is is is like you say that that your your backpacking is i guess what i would call true camping i 'm not Backpacking is not something I 'd consider true camping . contradictory +and so i 've got to have total almost total silence i can 't really watch television if the pattern is very intricate it sounds like you 'd have lots of shading on that particular piece it is not does not sound like an easy one to finish When a piece has very little shading , I tend to get it finished in about ten minutes . neutral +Rather , it can simply mean rediscovering the common ground that liberals have long shared with the middle class without even realizing it . Liberals and the middle class have only recently begun to see eye-to-eye for the first time . contradictory +After four students complained to the administration about her behavior in the classroom last spring , Sandra Flitterman-Lewis was asked to sign a release form requiring her to be medically examined before teaching again this fall . Sandra Flitterman-Lewis had to have a medical examination before teaching again this fall because students reported her behavior in class . entailment +On your way back down , allow enough time to visit the fascinating Aso Volcanic Museum . The Aso Volcanic Museum is not worth taking the time to see . contradictory +Yet the garden retains the distinctive charming and peaceful atmosphere of the timeless grounds of an English country house . There is a distinctive peaceful atmosphere in the garden . entailment +and they made a dramatic effort of trying to reduce down time down to nothing and today uh i can 't say that i can remember the last time it went down uh several months it 's it 's just up all the time now they take it down like on Sunday nights like for a couple of hours to do maintenance or whatever but uh unless there 's something dramatic that happens with the telephone system uh usually doesn 't break down and i think what they 're doing is they 're using satellite somehow It is down only for a couple hours . neutral +The Social Security Administration will need to continue to review and streamline the statement to make it clearer and easier to understand . Reviewing the statement is a need of the Social Security Administration . entailment +Now , to commemorate our first anniversary , in an act of incredible corporate generosity that is every bit as good as providing health insurance ( I 'm sure that Mr. Gates will make this sort of thing more available should Microsoft prove profitable ) , Slate The first anniversary wasn 't celebrated at all , because there was not much to be happy about--the company had financial problems . contradictory +Figgis ' camera is probing and alive , so that even when his meanings are laughable , his images remain allusive and mysterious . His meaning is usually laughable by most . neutral +The lead on the story was USPS volume to decline with a loss of $ 17 billion in revenue . The USPS volume declined with a loss of $ 17 billion in revenue , said the report . neutral +The Congress continues to turn to GAO for assistance on significant issues facing the nation-in fact , we face record demands for our services . GAO is facing a very large number of demands for its services . entailment +you see what i 'm saying um-hum You don 't get what I am saying . contradictory +Sather Karf turned , and again his hands writhed in the air . Sather Karf stood still with his hands at his sides . contradictory +yeah well that 's just it though good education That happens with good education . entailment +The catcher also gives signals to the infielders , letting them know what to do in case of a double steal , or what to do if a runner at first tries to steal when there 's also a runner at third . If a runner is stealing a base , the catcher will signal the infielders by wiggling his rump . neutral +Then the knives came down . The knives fell down . entailment +Also in Newsweek , a column on the Helsinki summit concludes that it was successful but barely newsworthy , since Russia is so weak . Newsweek says that the Helsinki summit is an important world development , due to Russia 's strength . contradictory +right by herself She fought him right by herself neutral +In response to media inquiries about ongoing work , GAO will provide information only about the objectives , scope , and methodology of an assignment ; the names of the requesters ; and the expected completion date . The media will often steal information from the GAO to support its reports or findings . contradictory +But that 's probably not realistic . That 's probably not realistic at all . entailment +he 's uh i read those uh actually i think my favorite author really right now is uh William Johnstone His least favorite Author is William Johnstone . contradictory +McCain is often praised as an independent legislator , but no one ever points out that he 's a rather ineffective one . McCain is very ineffective . entailment +well just any any political event or view or anything Any political event or popular view from that time period . neutral +A good hoss , maybe a wagon , does a man want to do some tradin ' like Don Cazar that 's right enough . Trading is a real man 's job , and you need at least a hoss for that . neutral +right that that 's the whole point there 're so many games in in a year that they 've got to have repeat customers they can 't afford not to and They would make a big loss if customers did no repeat . neutral +I 'll see if I can help you out . ' I 'll talk to my brother and see if there 's anything we can do to help . neutral +LSC representation of aliens is limited to certain classes of aliens who broadly may be described as lawful permanent residents , prospective lawful permanent residents and one specific group of temporary , nonimmigrants . The LSC represents illegal aliens who are not lawful residents . contradictory +At the other extreme , if we discover that Bill Gates murdered Vince Foster , or a similar megascoop , journalistic bravado will easily triumph over corporate loyalty . All bets will be off if we discover a big scoop , like celebrity-on-celebrity murders ! entailment +You 've got more room to hide it in your cloth than I have . " He tossed it over quickly , then dropped from sight to land on the ground below . Your cloth has more room to hide it than I do . entailment +so i think we 're a little ahead uh ahead of schedule on that I think we have a lot of time and advantage on that . neutral +One exception is the hike north from Olimbos to the shrine to St. John the Baptist at Vrykounda , site of a major island festival on 29 August every year . The shrine to St. John the Baptist at Vrykounda is south of Olimbos . contradictory +You 'll also be approached by pedicab drivers ; these are tricycles carrying two passengers . Pedicabs are non-existent in the area . contradictory +Some are carried by the wind , sometimes hundreds of miles , across state and national borders . Most of them are only carried about one mile by the wind . neutral +His strategy is also built on the assumption that , if you 've got a sure thing , you should bet the house on it , which is why you buy on margin . You will be rich if you bet everything you have on a sure thing . neutral +However , GAO identifies the disposition of this e-mail message in the Agency Comments section of the report , just as it does for oral comments . Oral comments can identify the disposition in the Agency Comments section of the report . entailment +Since World War II , annual growth in GDP per capita has averaged roughly 2 percent . Annual growth is slowing . neutral +Less detailed models are sold under the name Nao . The more complicated models are sold under the name Hi . neutral +Tiberias is the only settlement of any size on the lake , a modern , rather characterless resort town with high-class hotels and a lively summer nightlife . Tiberias is one of many substantially sized towns . contradictory +For example , we have reported on FAA 's implementation of management reforms , including delegating authorities to teams , to improve its rulemaking processes . The FAA 's reforms were implemented a year ago . neutral +But everything else is pretty much accurate . Everything else is pretty much correct . entailment +but usually when i go into the hot tub before i go swimming or when i come out i 'm totally relaxed when i go home it 's no big deal I go in the hot tub before the pool to relax . entailment +He rolled under the Kal 's huge swing and avoided a straight kick . He avoided a kick but got a punch instead . neutral +you know you so uh people people just don 't help people anymore they 're they 're out for themselves People are mostly doing things for themselves . entailment +The analysis finds that the new rule would not be significantly burdensome for small entities because use of the profile is optional and that the information contained in the profile is now typically contained a fund 's prospectus . The new rule will be important due to the significance of the profiles . contradictory +Peirce 's triumph is to make these scenes at once exuberant ( occasionally hilarious ) and foreboding , so that all the seeds of Brandon 's killing are right there on the screen . Peirce triumphed over it all . entailment +Unlike bingo , however , the odds are shifted in that players circle random numbers on a purchased ticket and wait for a fixed set of numbers to be drawn . The odds shift in the players circle . entailment +What he seeks to attain we do not know probably supreme power for himself , of a kind unique in history . The motivations of this villain are not easy to understand . neutral +yeah that 's what i did with the Mazda drive it till the till the clutch went out and the wheels fell off so probably what i 'll do again I drove the Mazda until the clutch went and the wheels fell off . entailment +stay off of it You should never go on it . entailment +and the power given to the IRS is just astronomical and The IRS has too much power to take property . neutral +well yeah i i i 've used them a bit too much sometimes I don 't use them at all . contradictory +right and then you let it carry it downstream Then you just let it get carried downstream . entailment +Wind rushed at them from above and below . The wind was calm and the air was still . contradictory +He bit the head off a streetcar conductor who once charged him two fares thinking the distinguished gentleman was paying for his traveling partner as well . He was so stingy with his money he wouldn 't pay for his friend . neutral +Rumors of Albright 's Jewish background have been circulated ever since she was appointed United Nations ambassador in 1993 . There are some rumors about Albright 's Jewish background and her connections with the Swedish mafia . neutral +Both options have food and drink waiting at the end . People are typically reluctant to have the food at the end of either option . neutral +It goes down forever , the huge man said to Jon . The huge man was Jon 's childhood friend . neutral +In the late 1970s Hong Kong became the conduit for China 's goods , investment , and tourism . Hong Kong only traded with Japan . contradictory +After the hostage exchange , talks continued but have been unsuccessful , while McLaren 's rhetoric has grown increasingly apocalyptic . The continued talks have been unsuccessful after the exchange of hostages . entailment +( Click here to read that story . ) To read that story simply click here . neutral +Its sudden vertical acceleration is accentuated by its setting 1,100 ft ( 335 m ) above the city . It 's 1,100 feet above the city which causes a sudden vertical acceleration . entailment +Distribution of Rural Routes by Density ( Boxes per Mile ) Selective Averagesa ( 1989 ) Rural routes all have densities below 100 people per mile . neutral +credit unions and all that kind of good stuff We don 't want to involve credit unions . contradictory +That is the main reason the problems linger . The marital problems are lingering . neutral +The obliging Julius handed it to him . Julius is usually an obliging person . neutral +At the same time , the massive growth in air and road transport saw shipping decline in importance . With the rise of transportation , shipping remained the same . contradictory +When Italians moved the melodrama of their lives indoors , they called it opera . Opera can be said to come from the dramatic lives of Italians . neutral +( In true Malaysian style , we will refer to the capital by its abbreviation , KL . ) KL in question is the capital of Malaysia . neutral +Following dechlorination , total residual chlorine should not exceed 0.01 mg / L. Residual chlorine should always exceed 0.01 mg / L after dechlorination . contradictory +But we don 't give out drugs willy-nilly . We only give out drugs every other day . neutral +The money goes toward language resources , transportation and legal research . There is an investment for transportation . entailment +Knocked me out ; didn 't really touch to matter , though . Anse pushed away a little , still holding Drew tightly by the upper arms . Drew and Anse are far from each other . contradictory +and more and more people without i have several friends without jobs now that in this last riff went out looking for jobs and jobs are really hard to come by now really hard to come by There are so many people without jobs . entailment +The 16th-century polychrome rood beam spanning the nave is decorated with 12 prophetesses ( on the chancel side ) and scenes from the Passion . The rood beam spanning the nave has a plain design with shades of red . contradictory +Destroyed by three hurricanes in this century and rebuilt each time , the church is now said to be almost entirely constructed of pieces of iron . The church has been destroyed by three hurricanes . entailment +And I continue to strongly favor a no-parole policy for some categories of violent and chronic criminals . And I continue to strongly oppose a no-parole policy . contradictory +oh that 's cool how long did you live there You lived there for a long time , right ? neutral +Just as his rise prefigured modern ideas about celebrity , so also did his fall . He had no opinion about celebrity . contradictory +but i like your idea of education i mean if the parents aren 't supplying it they 've got to get it from someone else from the schools Your idea of education really resonates with me and my ideals . entailment +There are a lot of emotions involved . No emotions are involved . contradictory +Succumbing to Caribbean-wide informality , the casinos do not require men to wear a tie or jacket . Men are not required to wear a jacket or a tie when inside the casinos . entailment +Rennie should have heard it a good many times already . Rennie should have heard it many times but he keeps forgetting . neutral +He ain 't bad . She is bad . contradictory +But as a political strategy , Gore 's position has an unbeaten record . Gore 's political positions are indefensible and easily dismissed . contradictory +Both the proposed rule and the final rule were reviewed and approved as complying with the requirements of the Order based on the information supplied by FSIS , including the initial and final Regulatory Impact Analyses . Both rules were reviewed and approved as complying with the requirements from the order based on supplied information . entailment +Buckling his swash on CNN , Talbot Fearless journalists , true journalists shouldn 't be worried about perception or spin . He succumbed and lost his composure on CNN . entailment +yeah he 's good too He is not good at all . contradictory +the war you mean in terms of the economy or The war , you mean , effects the economy . neutral +oh really do you smoke Do you dislike smoking ? contradictory +The oldest , facing south and telling the story of John the Baptist , were designed by Andrea Pisano in 1330 . John the Baptist 's story is being told by the oldest . entailment +It will require immense The United States must nurture a democratic Taiwan while discouraging a declaration of independence , must arm Taiwan against Chinese invasion while promoting closer Sino-Taiwanese ties . The United states can not nurture a democratic Taiwan . contradictory +you have to take care of them a lot and they require a lot of time and um neatness and plus you know now that i 'm married i have a husband that i do some things that you know help him I did not help my husband before we were married . neutral +Ali ( then Cassius Clay ) created his persona knowingly and from nothing , and his defeat of Sonny Liston marked a turnaround in our culture . Ali 's defeat of Sonny Liston was one for the ages . entailment +If [ the legal-aid organizations ] have a direction and a plan and goals , you have something you can work towards . You need plans and goals to work towards something . entailment +uh or more of a political action i guess you getting into their governmental affairs which you really can 't do as as another country You can get involved in another countries governmental affairs . contradictory +Demonstrating Product Reliability Indicates the Product Is Ready for Production Product reliability equates to the product ready for manufacturing . entailment +However , the Departments point out that the rules have been designed to be the least burdensome alternative for state , local , and tribal governments . These rules require that all forms be filled out in duplicate , rather than triplicate . neutral +and uh the the kids maul the dog something awful they pull his tail and bend his ears and uh have a good time playing with him and the dog is pretty uh tolerant of them These kids could have been small at the age of 5 or 7 years of age . neutral +( Should Clinton be able to watch the grand jury 's reaction on a monitor ? Should Clinton be able to observe the grand jury ? entailment +I remembered that she 'd been quite near me on the Lusitania when Mr. Danvers gave me the packet , and before that she 'd tried to talk to him once or twice . I remembered she had been on the Lusitania as well . entailment +The stock market will continue to prosper in the coming months if more Chinese money rushes into town . The stock market will crash if another Chinese investment is made . contradictory +The need to maintain public accountability for government program demands that audit reports be retrievable . They need to be accountable in their audit reports . entailment +Of course , I was not an intimate , and I did not see him in his private moments . Someone was not intimate with " him " . entailment +Though part of the Portuguese empire since the great expedition teams of the 15th century claimed it for King Joao I , Madeira is nearer to Africa than Lisbon . Madeira is closer to Africa than Portugal . entailment +He also took long walks into the country . He took long walks in the country in order to clear his head . neutral +i mean cucumbers here grow like crazy Cucumbers don 't grow here at all . contradictory +'Shhh , ' Daniel said for good measure . Daniel told them to be quiet . entailment +His shows are more 700 Club than Crossfire . His guests almost always share Moyers ' belief about the topic at hand . Moyers ' belief usually seems to be factually accurate and reasonable . neutral +Local fire officials should be notified of any potentially hazardous conditions . Potentially hazardous conditions should be reported to the local fire officials . entailment +so let 's see i was trying to think of i don 't think i 've ever watched any soap operas i think my mom used to watch Young and the Restless but i don 't i don 't watch them I don 't like to watch soap operas . entailment +He motioned to Hanson . He gestured towards Hanson . entailment +It is the rate used to credit interest to the dividend fund , and against which experience is measured to determine the amount of the interest portion of dividends paid to individual policyholders . The amount of interest paid to policyholders is a function of a formula . entailment +According to Deputy Public Defender Debbie Canada , jurors also are impressed with the respect Zelon pays them and the gratefulness with which she thanks them for their time . Debbie Canada has commented on how juries react to Zelon . entailment +When foreign investment in a nation exceeds that nation 's investment abroad , the nation 's net foreign investment will be negative . When the net foreign investment is negative , it is very dangerous for the stability of the country . neutral +The words in the Constitution , high crimes and misdemeanors , give us much latitude . The Constitution contains many latitudes and longitudes , but not a single word . contradictory +The political spin is that Bauer will be the Pat Buchanan of 2000 : He lacks experience in elected office and is too conservative for most voters ( he plans to make anti-abortion legislation a cornerstone of his campaign ) , but he will have plenty of diehard donors , volunteers , and caucus-goers from the religious right . Bauer will be the Obama of 2000 . contradictory +The delivery of legal services in West Virginia will soon be enhanced by a statewide $ 1 . Legal services in West Virginia will soon cost $ 1 less . contradictory +Nevertheless , the deposit has long been construed as a Federal budget receipt ( a governmental receipt ) , and the unemployment trust fund has long been included as an account in the Federal budget . Nobody has any idea where the deposit should go or what is should be categorized as . contradictory +Adrin didn 't move . Adrin was motionless so no one would see him . neutral +Initially , I felt guilty about drugging rats and then killing them for the necessary dissection . I also drug , kill , and dissect other animals . neutral +She looked at him with renewed interest . Her interest in him was renewed . entailment +Yes , sir . The boots of Albert could be heard racing upstairs . Albert was wearing stiletto-heeled pumps when he ran upstairs . contradictory +There may not be much fun left in the world . There is a lot of fun to be had in the world . contradictory +so they tend to be more cooperative with their peer group although they don 't have real good uh role models Those kids seem to be doing well on their own . neutral +The activities that enabled the capture and use of this knowledge to make decisions are listed in table 1 . The activities that enabled the capture and use of this knowledge are listed in table 1 . entailment +The doors were bolted , our own eyes have told us that , yet the presence of the candle grease on the floor , and the destruction of the will , prove that during the night some one entered the room . The doors were locked to keep us out . neutral +Abrams felt he was defending liberty in Nicaragua , while others might characterize his deception as an effort to subvert democracy in the United States . Abrams believed that he was actually working to defend liberty in Nicaragua . entailment +He also agreed with Gentilello that decreased alcohol intake might not be as important an outcome to ED staff as decreased re-visits to the ED . Decreased alcohol intake is as important as other factors . contradictory +you know we learned what a centimeter was and a decimeter and the various you know basically the other alternate forms of measurements and things like that We never learned about anything relating to units of measurement . contradictory +U.S. workers are unavailable , must notadversely affect the wages and working conditions of U.S. workers . U.S. employees are held to certain standards and regulations when it comes to the workplace and work environment . neutral +They tend to favor a trial with as much procedural baggage as can be attached . They favor a trial with little to none procedural baggage attached to it . contradictory +It is worth more than passes through this town in a year . This town exists on a race car track . contradictory +I watched her as she sat at the head of the table , graceful , composed , enigmatic . She sat down loudly and sloppily . contradictory +The electricity is not going to diminish , because most men like to ... It is a matter of time before the electricity no longer works . contradictory +Harvesting and Long Term Exposure Effects in the Relation between Air Pollution and Mortality . Conection between Air Pollution and Mortality over time have been studied by NYU . neutral +so what about your income tax think they 're hitting you too hard Your income tax is very reasonable . contradictory +Criterion is less what would be sufficient under present conditions and with existing and possible technologies ? The conditions may change in a way that allows the criterion to be met . neutral +With the reunification of the city in 1967 , branches of the university and hospital were reopened on Mount Scopus . Mount Scopus is the location of the new prisons after the reunification of the city . contradictory +Federal Reserve Bank of St. Louis , Research Division Working Papers 97-020A ( November 1997 ) . Papers from the research division of the federal reserve bank of st Louis . entailment +I just said I was not prepared with any information . I have all of the information ready right now . contradictory +are you up there too Excluding you up there too . contradictory +Most other Christian denominations accept the Chapel of the Ascension as the place of Jesus 's ascension . All Christian denominations agree about the place of Jesus 's ascension . contradictory +In fact , do the opposite . Do that . Just that . Only that . contradictory +At 50 m ( 164 ft ) , it is the tallest tree in Southeast Asia . The tallest tree in Southeast Asia is 50 m . entailment +oh yeah oh that 's definitely true in fact if uh if i ever you know have a son or anything i 'm definitely going to uh you know teach him have a lesson or something is that yours or mine If I have ever have a child I am going to teach him different things . entailment +Toobin is , of course , being massively hypocritical here , given that he too is now profiting from enclosing his reporting in hard covers . He is a man of honor . contradictory +Pearse read out a Declaration of Independence from the General Post Office on O 'Connell Street . The General Post Office is on O 'Connell Street . entailment +The Act establishes the Legal Services Corporation ( LSC ) as a District of Columbia nonprofit corporation . The act called for the corporation to shut down . contradictory +The drive from Bhaktapur cuts across paddies and climbs past thickets of bamboo to the ridge top . Most of the region 's rice is grown in these paddies . neutral +Rh ? ? ne Valley Rh ? ? ne mountain . contradictory +According to the Social Security Trustees ' 2001 intermediate projections , restoring the program 's actuarial balance over the next 75 years would require a combination of reform options equal to 1.86 percent of taxable payroll . A combination of reform action might restore the program 's actuarial balance . entailment +This is certainly not democracy , but it 's not totalitarianism either . They were under a dictatorship . contradictory +Liam Neeson brings Oscar Wilde chic to Broadway in a new play by British playwright David Hare , but critics are unimpressed . Liam Neeson performed poorly in the new Broadway play by David hare . neutral +The magazine profiles the high-achieving Emanuel presidential adviser Rahm , Hollywood agent Ari , and medical ethicist Zeke . Only the presidential adviser was profiled by the publication . contradictory +Never mind that no hard evidence exists that American health care has actually deteriorated under managed care . Managed care has had a positive impact on American healthcare . neutral +you intuit the eons that glitter and passto each side of the glacier as it movesand lift your eyes-- the only passenger , you watch as the ballroom dopples and becomesthe inside of the glacier , flawed , but bright ; ora brick wall under a fire escape , at night ; or The brick wall under the fire escape is bright red . neutral +Well done , Scott ! Well done , Scott ! entailment +They 're loony for Lewinsky . They cannot get enough about Lewinsky . neutral +Adding the current annual replacement demand from worldwide installations to the projected annual replacement demand under the Clear Skies Act would yield a total of 17,600 - 20,600 m3 / yr demand for replacement catalyst by 2005 . The demand expected for replacement catalyst is unsustainable . neutral +uh um i i don 't have a other than than a reading and and male perspective on on the various on the biological urges involved relative to being a mother or not uh i know that that my sense is that i have very much an interest and had one in being a parent i i don 't know that i uh felt myself necessarily encumbered with the necessity to have heirs I am opposed to the idea of having kids to carry on my family legacy . contradictory +Candlesticks , pots and pans , old-fashioned scales , bowls , and trays can be found across Portugal . Collecting furniture of different styles from Portugal is actually a hobby for many people . neutral +6Although this view is named after the 19th century economist David Ricardo who first explored the possible relationship , the seminal work on this theory is Robert Barro , Are Government Bonds Net Wealth ? David Ricardo was a 19th century economist in England . neutral +General The fabled ' 90s alt-rock revolution is over ( Tom Sinclair , Entertainment Weekly ) . The 90s alt-rock revolution , started by Nirvana , is over . neutral +I saw at once by his face that something disturbing had occurred . I could read from his face that something bad had happened . entailment +The walk refers to the legwork you 'll need to do to check out the 2,174 ( as of Feb 2001 ) bronze-and-terrazzo stars embedded in the pavement to honor celebrities in the music and entertainment industries . There are thousands of stars embedded in the pavement . entailment +but they couldn 't put two and two together as far as the law was concerned It was simple , and they figured out exactly how the law applied to it . contradictory +Everyone agreed that the solution is Automakers favor slower-inflating air bags , while consumer advocates want new gizmos to detect the size of each passenger and adjust the inflation speed accordingly . Automakers and consumers agree on airbags . contradictory +Fear of stigmatization gave rise to federal regulations and laws protecting information related to substance abuse . Federal regulations were written related to substance abuse . entailment +But it had a sheltered harbor , protected from the monsoons by neighboring Sumatra . The harbor was not protected by monsoons nor was it sheltered . contradictory +well it it it yeah it 's it 's a little bit like any other sport you know when it starts costing you fifty to a hundred dollars to go to a game It 's similar to other sports , if it costs up to a hundred dollars per game . entailment +The beaches on the northern coastline beyond the village of Kambos are said to be the best , although some are difficult to reach . Every beach beyond Kambos is easy to reach . contradictory +yeah yeah well and probably too even those who might initially be opposed once they got into it then they you know would see that hey this this is giving me some benefit as well i mean they they might not express it in words so much but just sort of get in step with with uh what 's going on and and really enjoy it It 's better this way because they don 't reject it out of hand . neutral +i like the Giants because of uh Bill Parcells and i like him as a coach and he 's he 's been for years a a good coach i i think Bill Parcells is a coach . entailment +um-hum yeah i don 't understand that either that 's that 's tough I don 't understand why he would do that . neutral +7.32 Auditors should communicate information about the specific nature of the audit , as well as general information concerning the planning and conduct of the performance audit , to the various parties involved in the audit to help them understand the objectives , time frames , and any data needs . Auditors should communicate information about their audit and also general information about the planning and conduct of the audit in the hospital . neutral +really i used to do that too but i haven 't been doing it lately but I 've never done that . contradictory +But why not just get rid of them ? Do not entertain getting rid of them . contradictory +Legend says Rome was founded by Romulus , sired with twin brother Remus by Mars of a Vestal Virgin and abandoned on the Palatine Hill to be suckled by a she-wolf . Legend says that Rome was founded by Remus . contradictory +Is it proper to make your bed in a hotel room at the end of your stay ? Are people expected to make their own beds at hotels ? entailment +So Hollings embraces Inglis ' charges that he 's a pork- He calls it pork . Hollings admits to Inglis that he 's a pork . entailment +In addition to those named above , the following individuals made important contributions to this Cheryl Driscoll , Valerie A. Freeman , Sharon Loftin , Elizabeth Martinez , Mary Merrill , Debra Sebastian , Ruth Sessions , Brooke Whittaker , and Maria Zacharias . Elizabeth Martinez and Mary Merrill made equally important contributions to this . neutral +The Bolshevists are behind the Labour unrest but this man is BEHIND THE BOLSHEVISTS . The Bolshevists are behind the Labour unrest , because they are mad . neutral +Broad corridors lead to the various parts of the museum . Tourists can access the museums various rooms using the broad corridors . entailment +The grounds , with lovely Romanesque-style Royce Hall dating from 1929 , Powell Library , Franklin Murphy Sculpture Garden ( with works by Matisse , Rodin , and Miro ) , and the Mathias Botanical Gardens , offer a welcome respite from the motor metropolis . People go to the grounds in order to escape the traffic and smog . neutral +and so because you have to know who you 're going with to get along You have to know who to get along with if you want to stay out longer . neutral +Arafat 's aides say this would be akin to an act of war . Arafat had 10 aides who were worried that something was going to trigger a war . neutral +Nurse Janina began to silently weep and an invisible tear ran down her corrected intracheek , and a nurse 's aid walking down the corridor with a diffusion vacuum bedpan froze in her steps . Nurse Janina quietly started to cry , one of the nurses aid 's carrying a diffusion vacuum bedpan suddenly stopped . entailment +I 've been reading a lot about Buddhism , she added . She hadn 't read a thing about bhuddism contradictory +uh why is it so sacred to have it on Tuesday and uh why couldn 't it be Friday and Saturday i don 't know what the ideal day is if you 're trying to catch a weekend or maybe just Tuesday and Wednesday i 'll bet you 'd get a lot more people i think the news media has really they jump in there and they uh tell you the the that who won before seven thirty and before the elections before the polls are closed Why is it so sacred to have it on Friday ? contradictory +Its base was measured in kilometers instead of yards , and its top was going to be proportionally high , apparently . Its top was going to be measured in kilometers as well . neutral +Slate . And have a nice millennium . My friend told me to have a nice millennium . neutral +Nor , judging from this book , was its primary salesman . The primary salesman was not . entailment +I understood her to be a niece of Mrs. Vandemeyer 's . " The man thinks that he is a nephew of Mrs. Vandermeyer 's . contradictory +Intragovernmental sales may be made by an organization that maintains either an intragovernmental revolving fund ( such as the Defense Business Operations Fund ) or a public enterprise revolving fund ( such as the Postal Service ) . Intragovernmental sales can be handled by any organization and work just like normal sales . contradictory +Participants are then reimbursed up to $ 5,000 per year for up to 2 years , not to exceed 80 percent of the cost of the cost of tuition , fees , books , and other student materials required for attendance at approved educational institutions . Participants are reimbursed up to $ 15,000 per year . contradictory +They squabble over the details of late-term abortions . They squabble over education details . contradictory +It was a marketing hit . It was a marketing failure . contradictory +four years i guess I think four years . entailment +What kind of an animal , lad ? " Was the animal a horse ? neutral +TV station Radio station contradictory +Critics also like the book 's gossip about Hogarth 's friends Samuel Johnson and Henry Fielding . Hogarth 's friends are a mean bunch , who regularly take advantage of Hogarth . neutral +No defendants were ordered to pay more than a $ 250 fine for violating the court order . The court also decided to impose an additional fine on defendants who did not plead guilty . neutral +( Conventional wisdom Richard Nixon 's funeral wouldn 't have amounted to a polypresidential love-in had these tapes come out in early ' 94 . ) Over one thousand people attended Nixon 's funeral . neutral +Elderly people often require legal assistance because of their special health , income and social needs , especially in coping with the government administered benefits on which many depend for income and health care . Elderly people are even less likely to need legal assistance than most . contradictory +It was destroyed by fire in a.d. 404 and rebuilt by Theodosius II , then burnt down again in 532 . After the fire in 532 , it was not rebuilt again . neutral +If we are right , Miss Howard , on whose side are you then ? " Are you with us or against us , Miss Howard ? entailment +Sells some to th ' army , drives more clear to Californy . Some was sold to the army , some was sent all the way to California . entailment +The majority of the equipment used for an ACI system is produced from standard mechanical or electrical hardware that is sold for a wide range of purposes . An ACI system is very cheap to build . neutral +To the northeast lie the foothills of the Blue Mountain range , where wealthy Kingstonians have traditionally built houses to take advantage of the cooling breezes . People from Kingston that have money have built houses on the Blue Mountain range . entailment +Museums are as popular as sports ? ­ stadiums , and crowds flock to theater and music festivals in spring , summer , and autumn all over the country . There are never crowds at theaters or music festivals regardless of season . contradictory +There are three meanings of impartiality , one of which does not create problems . The meaning that does not cause problems is the most common one . neutral +The Irish Times , one of the country 's leading newspapers , questioned the hyperbolic rhetoric of the amendment 's supporters in the state assembly . The Irish Times is Ireland 's least popular newspaper . contradictory +If the statement refers to illegal foreign money , then his claim lacks evidence . Illegal foreign monies included Mexican Pesos . neutral +Some 8 km ( 5 miles ) south of Melaka , you can take a boat at Umbai out to Pulau Besar . There 's a boat from Umbai to Pulau Besar . entailment +Somehow the whole scene seemed unreal . The scene was unreal because everything was upside down . neutral +if it rains if it rains any more and gets really hot then we have this problem with mosquitoes If it rains a lot , we get a lot of mosquitoes in the grass . neutral +Most of her books and short stories have been filmed , some many times over ( Murder on the Orient Express , Death on the Nile , 4.50 From Paddington ) , and many have been adapted for television , radio , video games and comics . Many of her different books and stories have been made into films , some have been made into games and some have been made into comics . entailment +um no not personally but yes uh-huh yeah several I have never done that myself . neutral +what now what 's ten percent we can deduct We can deduct 10 % from our taxes . neutral +At least , we hope so . No we don 't care . contradictory +With the evidence of Annie , as to the candle grease on the floor , and as to seeing the prisoner take the coffee into the boudoir , the proceedings were adjourned until the following day . With Anne 's evidence , the proceedings went on until midnight . contradictory +La Soufriyre , temperamental and magnificent even if its peak is almost always shrouded in clouds , is a semi-active volcano . The volcano of La Soufriyre is inactive . contradictory +According to NIST , accreditation is the formal authorization by the management official for system operation and an explicit acceptance of risk . Accreditation is the formal authorization by the management official for system operation and an explicit acceptance of risk , according to NIST . entailment +what i did when i was doing that was mostly pillows you know for sofas and so forth and There were mostly pillows and sofas when I was doing it . entailment +" A lot of us are . Only a couple of us are . contradictory +The powerful Prussians came up with a plan to partition Poland , which gained the support of the Russians . The Prussians did not want anything to do with Poland . contradictory +The equipment is easily available and cheap . The equipment can be found all over for low prices . entailment +All are varied and challenging enough for the best players . The land is so slanted that it 's challenging for everyone ! neutral +But it 's not locked now . But it 's still locked . contradictory +Or , there is the relationship between . It is possible that there is a relationship between those things because they are very similar in some ways . neutral +A small Pinacoteca art museum is across the square . There is an art museum across the square . entailment +and they 're able to do that through all the manipulations of the computer They can manipulate it on the computer . entailment +um oh then we always video tape We always record video . entailment +Your London and South Western road . " Your Boston and North Eastern pathway . contradictory +An interesting artifact from the medieval chapter house is a door with a hole in it . It is possible to peer through the hole in the door of the medieval chapter house . neutral +Huge percentages of the population are priced out of the legal system . They are able to help 100 % of the people that need it . contradictory +We have a new awareness of how limiting and unfair the cult of fair hair can be . Being fair haired is annoying . neutral +The Capitoline Museums , in the twin palaces of the Campidoglio , have extensive collections of sculpture excavated from ancient Rome , particularly in the Palazzo Nuovo . The Capitoline Museums are one mile away from the Campidoglio palaces . contradictory +yeah that 's it 's a shame to change a whole area so much like that The whole area had to stay the same . contradictory +Alternatively , if you prefer to find an even quieter stretch of beach , the waters around Ibiza are dotted with a host of minor islets , most uninhabited but all eminently explorable . Ibiza has an assortment of islets that no one lives in . entailment +However , they noted that the current uses of IT in rulemaking are often pilot projects of limited scope , and suggested more widespread adoption of some of those innovations by federal agencies , or by the federal government as a whole . In future we will be seeing a wider adoption and communication between all the present federal agencies . entailment +Data for , Mysidopsis bahia , and Cyprinodon variegatus ( sheepshead minnow ) were taken from USEPA , 1981 . The data was taken from the research done by USEPA . entailment +i believe we 've pretty much summed everything up We 've still got a long way to go before we 're finished . contradictory +New data may show an increase in variable load time to reflect The new data shows load time to be the same contradictory +More such sites are needed . More of these type of locations are required . entailment +Figure S.1 : Personal Saving Rate ( 1960-2000 ) 10 Figure S.2 : Net National Saving as a Share of GDP ( 1960-2000 ) 12 Figure 1.1 : Personal Saving Rate ( 1960-2000 ) 22Figure 1.2 : Comparison of the Personal Saving Rate and the The figures show graphs of savings rates . neutral +Stewardship resources are investments by the Federal Government for the benefit of the Nation . Stewardship resources are privately held funds that are only accessible to the wealthy . contradictory +Among the several museums in Honfleur are the Mus ? ? e de la Marine , with a collection of nautical treasures , housed in the 14th-century Eglise Saint-Etienne ( Quai Saint-Etienne ) ; and the Mus ? ? e Eugyne Boudin ( Place Erik Satie ) , with a rich display of paintings by Norman artists and visitors to Normandy . There are nautical treasures and many Norman Paintings displayed at the museums in Honfleur are the Mus ? ? e de la Marine , Eglise Saint-Etienne ( Quai Saint-Etienne ) ; and the Mus ? ? e Eugyne Boudin ( Place Erik Satie ) . entailment +It 's her name , said Tuppence , opening her eyes very wide . Tuppence ensured her eyes appeared very big . entailment +You are more than likely to get lost exploring the tiny back streets , little changed since the 16th century , but you 'll never forget the adventure . It is impossible to get lost in the back streets . contradictory +In each of these dimensions , DOT 's docket management system appeared to allow substantial public access and utility . The public can access the system neutral +Nothin ' like tryin ' to take on th ' army two to one with th ' army havin ' th ' advantage . There is nothing like the experience of taking on an army two to one . entailment +'There was a truce ! ' We agreed not to fight anymore . neutral +the two little cars i 've got now bought a Mitsubishi Mirage here a couple years ago and and it was normally carbureted and it 's fairly easy to work with because there 's not just a whole lot in it to go wrong and you know changing the plugs and stuff The Mitsubishi Mirage I bought a little while ago almost never has problems . entailment +The day had started . The day was not done . entailment +One of the trendiest and most delightful places in town , serving excellent , innovative Israeli and international nouvelle cuisine . The place is dreary and uninspiring , with cuisine only made by locals . contradictory +And have that much free time to gab with your girlfriends ? Have you the time to chatter with your friends ? entailment +He seems to be struggling between some distaste for the role of the SAT and an inability to formulate an alternative . His distaste of the SAT stems from his experiences as a high school physics teacher . neutral +Even with generous matching , low-income workers may not voluntarily save more for retirement . Low income workers don 't always save for retirement . entailment +and sometimes they don 't even take everything that that 's the biggest kick It 's unfair that they won 't accept everything like they should . neutral +Ca 'daan 's story came out in a rush . Ca 'daan 's story never came out . contradictory +He swung but fell to the defensive . After swinging his blade , he fell to the defensive . neutral +What else could explain what is going on ? When is dinner ? contradictory +Medicare is a universal health insurance scheme available to all Australian citizens . Medicare is available to Australians who are older than 18 . neutral +So on second thought , $ 80 million is probably overpaying . The price is too high . entailment +The focus is on this school , this emergency room , this military base , or this nuclear power plant . This emergency room or this nuclear power plant are the ones that are focused on . entailment +Completed in 1890 , the bridge comprises three huge cantilevers joined by two suspended spans , for a total length of 1,447 m ( 4,746 ft ) . Originally designed to be of a length of 1,550 m , the designers eventually had to shrink it down to its current size . neutral +And there 's also a risk that tactical innovations like the SEIU 's will come at the expense of movement-building . If anything , tactical innovations like the SEIU 's will only help with movement-building . contradictory +well i i think uh my background is probably what absolutely turned me off with Sixty Minutes What got me into Sixty Minutes is my personal background . entailment +They run along the front of the verandah , deliberately showering the large crowd below with burning embers that are believed to bring good luck for the coming year , burning away transgressions from the previous one . There are many people below the embers . entailment +for for local news i think we do real well where it 's we live in a kind of small town but i think we get excellent local coverage um and i like the national news that we see we we watch NBC and i think they do a real good job so i 'm i 've been real pleased with the quality of the news we get how about you The local coverage in our small town is excellent , while the national news that we see is pretty good too . entailment +Julius shook his head . Julius said " no " by moving his head . neutral +A bargain ? The bearded man took him up sharply . The man had a beard . entailment +It also sent missionaries to spread Buddhism to Tibet and attracted scholars from China , Burma , Thailand , and Cambodia . Missionaries were sent to deliver Buddhist messages to Tibet . entailment +Off you go back stage , good sir . ' Get up on stage , good sir . contradictory +Prior to Thress ' work , information of this kind was not available . There was information only after Thress ' work . entailment +you now not need want Now you need to want it . contradictory +Ehud Barak pledged to strike peace deals with Syria and the Palestinians within 15 months . Barak thinks the Syrians should just wipe out the Palestinians using force . contradictory +The Algarve is home to several world-class tennis centers one of the most impressive is at Vale do Lobo . Olympians play at these world-class tennis centers . neutral +Whittington and Boris were still where he had left them . Whittington and Boris were gone when got back , contradictory +Completed in 1890 , the bridge comprises three huge cantilevers joined by two suspended spans , for a total length of 1,447 m ( 4,746 ft ) . The bridge comprises three huge cantilevers joined by two suspended spans . entailment +so i was out there you know stark terror coming down the side of the hill I was terrified going down that hill . entailment +they didn 't say what they just said they thought acid rain 's contribution may be less than was previously suspected um but it may be other natural things at work um They stated that the acid rain may not be as much as they previously thought . entailment +And yet , despite her swaying grace , and the almost ethereal beauty of her face , you felt instinctively the presence of something hard and menacing , a kind of metallic strength that found expression in the tones of her voice and in that gimletlike quality of her eyes . She was a kind and graceful woman inside and out . contradictory +The crowd came closer , and I bellowed : ' Get away from me ! ' The group of people moved in . entailment +Suppose mailers can sort addresses on a computer and then print them in ZIP Code order . Mailers could sort addresses on a computer . entailment +C rete has hundreds of beaches , from tiny coves to lengthy strands . Most of the beaches are publicly accessible . neutral +and i guess it 'd depend on the the age of the child the needs of the child how long the child has to be there if it 's a five day a week deal i would certainly look a lot harder than if it was just a couple of days a month It 'd depend on how old the kid is . entailment +um-hum are you afraid they 'd get stolen or run away or Are there any chances they 'd get stolen ? entailment +That night , like many before it , Adrin sat cross-legged on the mound of the Seven Swords . Adrin was comfortable and calm sitting on the Seven Swords mound . neutral +and uh it 's real uh going real well i think it 's matter just a matter of fund the funds right now as i understand it Do not worry about the funds we got this . contradictory +Less sophisticated than Ambleside and less commercial than Bowness , it has a simple charm that many visitors find more appealing . Most visitors come just to walk around the town and feed the ducks . neutral +They were pushing the pace all right . They stopped dead . contradictory +These amounts were calculated conservatively and would vary by rate case . The amounts were tabulated conservatively by the auditor . neutral +A preliminary evaluation of Phase I , currently under way , has found that most users are happy with the overall implementation of the technology plan to date and believe that it has significantly improved their program 's capacity and their own individual capacity to serve clients . They wanted to make sure the customers would be delighted before going forward . neutral +Jon and Thorn turned back to the rest of the group . Jon and Thorn turned their backs to the group and fled the area . contradictory +Today , a letter writer who once interviewed the spy claims that to the dead man 's knowledge , U.S. authorities never approved Diem 's assassination . A man that interviewed a spy claimed that the US never approved of Diem 's assassination . entailment +You don 't give a fellow a chance . " You abhor giving someone an opportunity to prove you wrong . neutral +Subpart 2 establishes , beginning January 1 , 2008 , a new nitrogen oxides trading program . A new nitrogen oxides trading program starts January 1 . entailment +'No , wait ! ' I raised my hands , started to fall off the train and immediately grabbed on again . I lifted my hands but had to put them back as to not fall off the train . entailment +It couldn ' There was no away . The topic couldn 't be avoided . neutral +They let others tease out the implications of their story for them , connecting the dots among Scaife , Starr , and Hale : The billionaire endowed a position for Starr at Pepperdine University ( which Starr has subsequently declined ) and then bankrolled Hale , Starr 's chief witness . Starr has declined an offered position at Pepperdine University . entailment +Particulate Matter The matter is caught in a filter . neutral +Surprises spring up on all new industrial complexes alongside sleepy farming villages , skyscraper towns blooming in the middle of nowhere , Hakka women in their traditional flat straw hats with hanging black curtains , water buffalo , and flashes of azalea everywhere . The farming villages are sleepy , the skyscraper towns exist in the middle of nowhere . entailment +well i enjoyed it Jay thank you bye-bye I had a good time , thanks . entailment +Cultural critic Edward Rothstein attacks the film 's central metaphor--the Mafia family as metaphor for the American family--as untenable . The brutality of American life lessens the impact of Rothstein 's critique . neutral +Don 't , Dave . Don 't even think about it , Dave . neutral +Similar diagnoses and prescriptions appear in later inaugurals . Diagnoses and prescriptions DO NOT appear in later inaugurals . contradictory +'America Large ? ' I asked , trying to sound ignorant . " America Large . Pfft . " I said , letting them know that I knew what was going on . contradictory +Black blood , brains , and teeth sprayed on the two riders behind him . Blood from the demons sprayed the riders . neutral +The severity level of an average pollution-related case of CB ( relative to that of the case described by Viscusi , et al . ) . Pollution related case of CB and it 's severity level . entailment +It is a vital income supplement and work incentive program targeted to low-income working families with children . After a long application process poor families get financial help from the program . neutral +Krakew grew in importance and eventually became the country 's capital in the 12th century ( replacing Gniezno ) , when Duke Boleslaw the Wry Mouthed established his official residence on Wawel Hill . Actually , Gneizno wasn 't the country 's very first capital . neutral +The evidence favors a far simpler proposition . The evidence is factual and error-free . neutral +After the Rond-Point , there 's a pleasant , shady park that stretches down to the gigantic Place de la Concorde . There is a shady park stretching down to Place de la Concorde . entailment +yeah six fifty yeah hm out here i it 's i think out here they are still about five fifty about a dollar less They cost five fifty over here , making them a dollar cheaper . entailment +He swung toward Dave , raising the knife into striking position and aiming it at Dave 's heart . He pointed the knife at Dave 's heart , ready to stab any moment . entailment +From here it is a steep journey up to the village of Olimbos , which still holds fast to its traditional way of life . Olimbos is reached from here by a sharp uphill climb . entailment +They publicly converted to Islam to escape heavy taxes , continuing to practice their Orthodox faith in secret . They built several fake mosques that were nothing more than empty shells . neutral +Other writers have influences Writers can influence the world . entailment +that ninety eight point seven i 'm i 'm eclectic approach I 'm using a diverse range of sources as my approach . entailment +The mans experience had left him bitter about the legal system , since he wasnt able to retain a lawyer . The man wasn 't able to retain a lawyer , and the experience left him bitter with the legal system . entailment +Rumpelstilsken , repair yourself ! There was a whirring and scraping inside the mechanism , and Hanson let out a yell . Hanson was scared of the whirring and scraping . neutral +uh i think so no not ninety nine it 's one of the full TI PCs It 's a newer model TI PC . neutral +I can 't tell you how important I think a Legal Services program is , not only for Alabama but for our country and system of government , Lund said . Lund is trying to dismantle Alabama 's legal services programs . contradictory +Combining Shinto ritual with official Buddhist conformity , they revived the Confucian ideals of filial piety and obedience to authority to bolster their government . They mixed both Shinto and Buddhist traditions while in power . entailment +View the lake from the uppermost of the ten terraces , by the unicorn statue that is the Borromeo family emblem . The lake is only visible from the highest terrace . neutral +well no and it 's it 's just not um it 's not as stable for the kids and they everybody decided to come over and talk to me right now but uh it 's yeah I will ask the kids to stop using the swing until it is reinforced . neutral +uh a little of a review usually won 't make me go see a movie i hadn 't already wanted to see I always depend on reviews . contradictory +Just east of Denia , you can visit the Cueva de Agua Dulce ( Freshwater Cave ) with its two lakes . The Cueva de Agua Dulce has two lakes . entailment +say you are really overdue you need to pay this thing and i said what are you talking about i 've already paid you and by that time the bank statement had come in and i had the canceled check I was told to pay a bill I had already sent a check for . entailment +And they hope the spirit of Warren Rudman will prevail . They 're confident that the spectre of Warren Rudman will be confined to the past . contradictory +After mercury is emitted to the air , it can be transported through the atmosphere for days to years before being deposited into water bodies . Mercury used in industries can pollute water years later . neutral +It 's also true there are close parallels between the Contract With America and the Confederate constitution , which not only enshrined states ' rights but also included term limits , budget balancing , and limits on taxation . The Contract with America has similarities to the Confederate constitution . entailment +AC = Average Unit Cost d = Subscript that indicates delivery component of a cost or volume DC = Total Delivery Cost Ev = Long-run variability of non-delivery institutional ( fixed ) costs . AC stands for alternating current , and DC stands for direct current . contradictory +yeah how do you blow yours up Is yours easy to blow up ? neutral +Walker , one of two legal service lawyers handling hundreds of abuse cases in 17 counties , said , Our big concern now is the chilling effect this will have . Walker handles lots of abuse cases between spouses . neutral +The horse neighed , pawed with a forefoot . The horse made a sound as his hoof pounded the ground . He wanted start this race already . neutral +Indiana was instructed to submit a revised plan to LSC and develop a collaborative , inclusive and values-driven plan and planning process that strengthens services to clients throughout the state . Indiana was not required to submit a revised plan . contradictory +Inoculating every child at $ 30 a dose would divert scarce resources from even better uses . Giving a vaccine at $ 30 a dose would take too much money from other areas and more kids would die as a result . neutral +any any kind of firearms The firearm must be a plasma rifle or nothing will go as planned . contradictory +( Aniston , by the way , might want to compare notes with The Enquirer says that she too fell victim to a freak rear end accident this month when an overzealous deer nipped her hindquarters . An overenthusiastic deer nipped Aniston 's behind this month . entailment +uh Delford have you ever heard of that I can 't believe that you know so much about Delford . contradictory +To reflect concerns about the inherent limitations in the number of studies supporting a causal association between long-term exposure and mortality , an Alternative benefit estimate was derived from the large number of time-series studies that have established a likely causal relationship between short-term measures of PM and daily mortality statistics . Because we have identified a solid link between PM and mortality , PM emissions should be reduced immediately . neutral +Federal surpluses increase national saving while deficits reduce national saving , and higher saving translates into higher GDP . Deficits are bad and surpluses are good . neutral +In addition , EPA will be conducting modeling that will predict where emissions reductions will occur . The modeling will help better associate cleanup costs . neutral +uh undergrad degree in political science and then a master 's in public administration And i went ahead and pursued that i i got as far as the thesis and decided To hell with it i didn 't want it I never graduated from college . contradictory +so anyway well we seem to be one in favor and one against We have one on each side . entailment +uh-huh yeah he may have been the last of the old guard i don 't know There are lots of the old guard remaining . contradictory +Every year in June , the city holds the Christopher Street West Gay and Lesbian Pride Celebration , a lively two-day festival and parade which has grown into the third largest in Caleornia . The gay pride parade is well attended and quite popular . entailment +The next day he noticed his skin was smoother , even though he didn 't apply his usual moisturizing cream the night before , because he was too preoccupied with getting addicted in a truly grand style . His usual routine was to apply a liberal amount of cream to his face at night right before going to bed . neutral +they 're oh okay i see I can 't see it contradictory +in school but i think some things might be a a wise idea just to give kids more of an authoritarian sort of view Kids these days need to see more of how life was like under oppressive regimes . neutral +The Salle des Girondins displays a guillotine blade , the crucifix to which Marie-Antoinette prayed , and the lock used on Robespierre 's cell . The Salle des Girondins no longer has anything of interest on display . contradictory +Saint-Pierre to Fort-de-France There is a route from Saint-Pierre to Fort-de-France . neutral +yeah well if they went AWOL what are you going to do shoot them put them in jail Well if they 're AWOL then what will you do ? entailment +Still , Willey 's story has serious problems , quite apart from Steele , as a recent , endless analysis in The Nation makes clear . Willey really enjoys telling stories , but not when they have problems neutral +oh oh North okay NC State the wildcats South , ok , the SC ladycats . contradictory +i think they gave him like four pills no and then that was it He was also given more pills to take home with him . neutral +And here in this house , her memory almost miraculously restored , lay the girl who held the future of England in 167 her hands . The girl 's memory had restored rather suddenly . entailment +And you fancy that the two matters are connected in some way ? You think that there 's a connection between the two ? entailment +The peace treaty signed at Segauli established Nepal 's borders pretty much as they are today . There were several treaties and when each was signed the border was changed . contradictory +Beside David and Goliath , Daniel in the lions ' den , and the building of Noah 's ark , one curious sculpture shows Saint Eugenia , tonsured and disguised as a monk , opening her robe to convince a skeptical friar that she 's a woman . Saint Eugenia closes her robe so the friar does not discover that she is a woman . contradictory +but i think they 're on the down slide i don 't know I don 't know , but I am pretty sure they are sliding down from what they were . neutral +To appraise senior executive contributions to organizational results , BLM , FHWA , IRS , and VBA identified core competencies and supporting behaviors for senior executives to follow , while VBA also identified targets for senior executives to meet that are directly linked to organizational results , as shown in table 1 . VBA identified targets for employees to meet neutral +The cost of this Video operation may function as an upper limit for most of the mail . The upper limit of most of the mail might be the price of this Video operation . entailment +The basic legislative structure of insurance regulation requires some degree of uniformity throughout the states . The market best serves its customers when some consistency exists among all the states . neutral +The contradictions are blithely overlooked , as is any spirit of practicality . They cast a lot of light on the contradictions . contradictory +and uh yeah yeah uh you know if you 're not uh if you haven 't haven 't looked forward to you know what are you going to do when you retire Make sure you plan for retirement . entailment +Everything here is bathed in a serene desert light that adds a shimmer to the stone and a translucence to the shadows . The desert does not bathe anything at all ; in fact , it makes everything in the desert sadly dull . contradictory +You can get bus information from the Dublin Bus Office in Upper O 'Connell Street or from the Dublin Tourism Centre in Suffolk Street . Bus information is available at the Dublin Bus Office . entailment +In the heart of the modern town , set beside the waters of the Nile , is Luxor Temple , started by Amenophis III in the 18th Dynasty c.1350 b.c. , and embellished by Ramses II in the 19th Dynasty . Ramses II died before seeing all the changes he ordered to the Luxor Temple . neutral +'Apparently , when one has access to all the resources of Applied , building a series of highly destructive bombs becomes depressingly easy , ' Greuze deadpanned . Applied had not built any bombs . contradictory +Theoretically there should be a frontier hut , but there isn 't a single customs official and the border has been unguarded for over 300 years . It is commonplace to have a frontier hut . entailment +Serviceable at passing the time , if nothing else is available , says the Los Angeles Time s ' Kenneth Turan . Kenneth Turan believes that it is a waste of time . contradictory +and we meet places it 's like gee you guys don 't like one kind of car do you There are too many kinds of cars to just like one . neutral +Therefore , tax revenue is nonexchange revenue . Taxes can 't be exchanged neutral +Thank you , Miss Murdoch , that is all . I appreciate your cooperation , Miss Murdock , in helping us today . entailment +The last scene shows father and son climbing a mountain in the Alps . The father and son struggled to climb the Alps . neutral +The narrow coastal road continues another 22 km ( 19 miles ) weaving through a moody landscape of barren mountains to Carboneras . The road is wide and straight . contradictory +For new arrivals to our site ( welcome ! ) The website sells articles of clothing . neutral +His speech over , Reich is lambasted by a John , and Reich 's answer elicits an eruption of Wrong ! Reich accepted what was said without hesitation or doubt . contradictory +Although the chapel has been renovated since its construction , you will find a wonderful example of a Romanesque arch in the interior . There aren 't any arches in the chapel , only greek columns . contradictory +None of the state 's other legal services programs opposes the reconfiguration , adds Miller , who is a named defendant in the suit . The other programs advocated for the stop of the reconfiguration . contradictory +I 'm going to bed . " The door into the hall was a wide one . I am tired and going to bed . neutral +Willes is an optimist . Willes has positive beliefs . entailment +Adopting a unified approach to reduce SO2 , NOx and mercury is better than looking at each pollutant separately because of synergistic effects . A unified approach to reducing SO2 , NOx , and mercury is better than considering the pollutants separately because they are the biggest culprits in global warming , and their synergy only increases danger . neutral +Again , no response from the audience . The audience was too scared to respond . neutral +and i grew up in Saint Louis and Saint Louis was much the same I grew up in Baltimore . contradictory +Every farming community in the Lake District has one day in the year when it comes together to celebrate its way of life and compete at various events . Farming communities have nothing to celebrate . contradictory +Raves mount for Don DeLillo 's Underworld . Don DeLillo made Underworld . entailment +It requires systems and practices and mindsets and commitments that may be foreign to many other non-profit providers of human services . It is imperative that non-profit providers of human services use foreign practices and mindsets in order to work . neutral +At Styles , Mr. Inglethorp will give you , or if he refuses ” as is probable ” I will give you such proofs that shall satisfy you that the case against him could not possibly be sustained . I think Mr. Inglethorp is guilty and will do all I can to prove it . contradictory +no no actually i was up on a ladder and uh fell off leaned the wrong way I have never fallen off a ladder . contradictory +John McLaughlin dedicates the final minutes of his show to the proposition that contemporary American culture sneers at Men are regarded as inseminating instruments , superfluous after that . John McLaughlin dedicated the end of one of his shows to expressing what he believes is a phenomenon in American culture to denigrate the contribution of men to being merely procreative beasts easily expendable by society . entailment +But here the civic sights take second place to the royal parks and palaces . The civic sights rank the highest . contradictory +well it was nice today Today was miserable . contradictory +okay well personally i don 't have any children i 'm twenty two and i 'm doing my Master 's at NC State so uh uh children wouldn 't be very convenient for me right now I would like to have children some day after I finish my studies . neutral +I realize now that the cameras and microphones were probably installed by [ the Globe ] while I was out , she reports . She still had no idea who installed the camera and microphones . contradictory +um i don 't know i i think i make things you know that i do things kind of simple because i i you know i just have close friends over i make like lasagna and uh oh we like to have barbecues outside so you know when the weather 's nice because in Texas you have a lot of nice weather so we do a lot of um things like that um i 'm not really into gourmet cooking so i don 't know how to do that so i don 't have gourmet foods In Texas no one ever has barbecues . contradictory +In front of the building is a statue of the Duke of Wellington , resplendent in battle dress and cloak astride his trusty steed , Copenhagen . There 's a statue of the Duke of Wellington situated in front of the building . entailment +Meanwhile , Morris warns the White House against censoring the views of those who vote through his site , and he advises members of Congress who don 't accept e-mails that we 'll have to tell their constituents who participate in vote.com referenda that they won 't take e-mail , even from those who elect them . At the same time , Morris told the White House and Congress that it might not be a good idea to not accept e-mails tha tell their constituents who participate in vote.com , even the ones who elect them . entailment +It may have been the most poorly performed martial maneuver Jon had ever seen . Although it was the possibly the worst martial maneuver Jon had ever witnessed , it also made him chuckle . neutral +To sit and soak was a delight he had forgotten . It has been weeks since he had last bathed . neutral +it 's a uh Black and Decker brand and and it works pretty good like i said it was designed for indoor use you know for painting walls and ceilings but i found it worked pretty good for outdoors uh The Black and Decker tool broke immediately when I tried to use it outdoors . contradictory +" That spotted one sí , he is an Apache for cunning , for deviltry of spirit . The spotted one is known for being lame and innocent . contradictory +Do you remember the one before her ? " The one who came before her was crazy . neutral +The only time the authors attack passionately and in detail the privileging of whiteness is when such practices are located safely in the past . The only time authors attack white privilege is when the practices are in the recent past . neutral +The technique remains the same , although it was adopted on the peninsula only in the 20th century . The techniques works well and doesn 't need to be changed . neutral +He was charged with murder and tried as an adult . He was charged with murder and tried as an adult due to the brutality if the crime . neutral +Mintie said she hopes her organization can be a national model for other professions . Mintie is hoping that her organization will become a national model for other professions . entailment +i envy you you 're at ninety four degrees i thought i heard this morning that in San Antonio it was in the nineties yesterday I 'm glad I 'm not with you at ninety four degrees . contradictory +The cover had been designed , the catalog copy written . A new cover had been designed for the albumb . neutral +Freshwater swamp . Tropical swamp . neutral +He 's against an apology , and for affirmative action . He does not want an apology but action . entailment +Moreover , some members of the NEPDG have already provided us with information identical in kind to the type of information we are seeking from the Vice President in his capacity as Chair of the NEPDG and from NEPDG staff members . We are seeking information from the Vice President of the NEPDG . entailment +But if American entertainment companies can sell as much of their product next year as they did this year , they should count themselves lucky . American companies will be lucky to sell this much next year . entailment +She was a woman who struck fear into the heart of the local population . she struck fear into the hearts of everyone she met . entailment +If , as the road stretches before you empty and clear right up to the horizon , and you can see only one tree , it 's a pretty safe bet you 'll find at least one sadhu ( holy man ) resting in its shade . Some trees have three holy men resting in their shade . neutral +Fena Set has burned , said Ca 'daan . Ca 'daan said that Fena Set has burned . entailment +yeah we just put you know we just keep it with the dorm We found that to be the driest spot for it . neutral +Yes , sir . The boots of Albert could be heard racing upstairs . Albert could be heard going upstairs . entailment +you you just you just get in there and do it yourself You get in there , and there is a group of people to help you . contradictory +right and i and i understand that and i say hey if the guy can 't play you don 't blame the team that uh hit it to him you blame the team you know for putting him in I don 't understand if they say the guy can 't play . contradictory +At the time , it was the tallest structure in the world . This structure low and squat , with the widest perimeter in the region . contradictory +The industry argues that it is not comparable to the ( heavily taxed ) telecommunications industry , and that such efforts result in double taxation--since service providers already pay taxes on phone-line usage--as well as for Internet vendors . The industry will refuse to pay any taxes that they deem unfair . neutral +'Meaning these days no one is indispensable . No one is indespensable these days . entailment +i only get the newspaper on the weekends so I like to sit and read the newspaper cover to cover on the weekends . neutral +and the mainframe has a lot of software out there where i use to interface my computer with The mainframe doesn 't have any software that is compatible with my computer . contradictory +After a mea culpa , the public or Congress are unlikely to muster much enthusiasm for chasing Clinton through the dull , impenetrable thickets of Whitewater , Travelgate , and Filegate . If they had , he would have been thrown in federal prison . neutral +In March , LSC organized and sponsored a national 2-day training on mergers attended by 90 participants . It was the first national training program of its kind . neutral +In fact , they have devised the subject of Nihonjinron ( the theory of Japaneseness ) , books on which sell millions of copies each year and cover such bizarre topics as the unique chemistry of Japanese blood , the special configuration of the Japanese brain , and other examples of what supposedly sets them apart from the rest of humanity . There is little interest in the study of Japaneseness contradictory +The statue 's face is entirely obscured by red paste that is smeared on by worshippers . Worshippers use blue paint on the statue . contradictory +What kind of office software will you need ? What kind of office software do you need to set up for the business ? neutral +These individual advertisements could each be a stand-alone insert . The advertisements could all be standalone . entailment +officials have played a key role in concocting the treaty and stewarding it to its conclusion . Officials had a pivotal role in making the treaty . entailment +What gives lie to anyone 's whitewashed vision of national identity--and what makes America exceptional--is the fact that American culture is more hybridized and mongrelized than anything humanity has ever before seen . Humanity has never seen this before . neutral +The referral in SBIR could include both meanings . SBIR 's referral will have more than one meaning . neutral +that 's right across the country i don 't think i could i don 't think i could That 's 2,300 miles away . neutral +Ca 'daan heard something in his tone that upset him . Ca 'daan got mad when he heard the guy . entailment +She ranged herself passionately on her husband 's side , scorning the mere idea of his guilt , and fought for him tooth and nail . She was of the opinion that her husband was guilty . contradictory +1 Conversely , federal surpluses , as measured under NIPA , add to national saving and increase resources available for investment . As measured under NIPA , federal surpluses add to to national saving and increase resources available for investment . entailment +the military version attack weapons or something The military version first aid kit or something . contradictory +It is wrong on the law because there is utterly no precedent for the novel and facially implausible proposition that the First Amendment has anything to do with government funding that- though it does not actually abridge anyone 's speech- distorts an existing medium of expression . This is perfectly correct under the law . contradictory +Drew Drew Rennie ! Cassie ! Cassie ! Donnie ! contradictory +The truth is not so exciting , said San 'doro . San 'doro found the truth to be less than exciting . entailment +This puts the peak of ovulation at the full moon . The peak of ovulation is put at full moon . entailment +Don 't practice politics as usual . Stay out of politics , as usual . entailment +The reputation of this area was guaranteed when the Victorian railway was built . The building of the Victorian railway guaranteed the reputation of this area . entailment +He also began to display interest in little girls . His interest in young girls started at a young age . neutral +The Denver Broncos will host the New York Jets in the other . The Broncos will play the Jets in Denver . entailment +When the crowd rises and gasps after a wreck , Stevenson notes that they all , including himself , are hoping for a violent accident . The crowd hoped nothing would go wrong . contradictory +so do you like do you like rhythm and blues Do you like opera ? contradictory +no yeah that is a scary thought but uh i don 't know i i guess what you have to do is just uh keep encouraging uh you know encouraging them and and uh uh try to be open with them so that you can deal with the problems as they come up yeah and We should come up with some plans before things actually happen . neutral +It is an argument for requiring those who run the subway system to come to work on the train and not in a limo , for public officials to send their kids to public school , and for dentists to work on their own teeth with some kind of complicated mirror system and a stiff shot of bourbon . The argument says that this is only fair so that these people maintain a closeness with the average person . neutral +Through 1905 , Helen Stewart expanded the ranch to 2000 acres ( 810 hectares ) , making quite a bit of money in the process . Helen Stewart 's ranch was not always as expansive . entailment +Whether you take your tennis seriously or just like to hit a ball around , be careful of the midday sun . The midday sun should be monitored while you 're out playing tennis . entailment +The FCC responds to the concerns expressed in the comments , especially those comments from incumbent and potential users of the spectrum regarding the feasibility of spectrum sharing between the new unlicensed devices and incumbent and proposed primary services , in the Report and Order . The FCC responds to the concerns expressed in the comments . entailment +and they finished second that year i guess and it was Bobby Lane 's first it was the year that Bobby Lane got traded to them two games into the season They finished first that year , thanks to Bobby Lane . contradictory +Pro-lifers reply that civil rights should be extended not to women seeking abortions but to their fetuses , the most defenseless members of the human family . Pro-lifers do not care about women 's fetuses . contradictory +Robert Palmer 's got some creative pretty creative videos videos out too Robert Palmer 's videos have been nominated for several awards . neutral +They still showed up . They had been told not to come . neutral +Then there are the Mus ? ? e de l 'Homme in the Palais de Chaillot ( Trocad ? ? ro ) , devoted to man 's prehistory ; the Mus ? ? e de Cluny ( 6 Place Paul-Painlev ? ? ) , for the great Lady with the Unicorn tapestry and also for sculpture of Paris 's Roman and Gothic past ; Mus ? ? e Guimet ( 6 Place d 'I ? ? na ) , a superb collection of Indian , Jap ? ­ a ? ­ nese , and Chinese art ; Mus ? ? e de l 'Affiche ( 18 Rue de Paradis ) , for advertising posters of the past and present . The Musee de l 'Homme is a very large structure in the heart of Paris . neutral +Applying the principle of geographical integrity , Nehru regained French Pondicherry by negotiation after Independence , and Portuguese Goa by force in 1961 . Nehry regained French Prondicherry through negotiating with the Spanish . neutral +Farther east along the coast lies Discovery Bay , said to be the place where Columbus landed in 1494 on his second journey from Spain . Discovery Bay is the only bay that Columbus is known to have never visited . contradictory +Media luminaries from ABC News anchor Peter Jennings to Washington Post Co. mogul Katharine Graham have supported the PDFA since its inception . The PDFA has faced stringed opposition from media bigwigs . contradictory +and uh sounded like he got pounded pretty hard Sounded like he suffered a big defeat . entailment +The evidence is flaky--a woman who has both confirmed and denied the story , corroborators with their own reasons to lie--but major scandals have been built on less . One way to get even with someone is to fabricate a scandal about them . neutral +and they 've got such fantastic equipment in there They have great equipment there . entailment +Louis XIV died here in 1715 of gangrene of the leg . Louis XIV died in 1715 from a heart attack . contradictory +it went into double overtime They couldn 't settle the game in the alloted time . neutral +um what 's what 's the uh consensus down there when when uh TI announced that uh the drug testing program did you get a lot of uh animosity against that Was there a feeling of animosity down there when the announcement was made . entailment +Hanson cautiously made the pretense of swallowing his before he allowed it to slip through his fingers to mingle with the sand . Hanson drank loads of it , and asked for more . contradictory +The chateau 's terrace is the best vantage point for pictures of the old town . There is no good place to take pictures from . contradictory +The Algarve is home to several world-class tennis centers one of the most impressive is at Vale do Lobo . One of the most impressive world-class tennis centers is at Vale do Lobo . entailment +Faced with public demand for more economical , efficient , and effective government , countries around the world are undertaking major reform initiatives to improve government performance and accountability . The public demand for more economical , efficient , and effective government was due to taxes rising more and more each year . neutral +The Passive Woman deserves a little more of our support . Passive women don 't deserve support . contradictory +Then probably my liver , or whatever else is valuable , working their way up-' My liver is worthless . contradictory +A short bus ride from the station plaza brings you to the red-lacquer Shinkyo ( Sacred Bridge ) , a 28-m ( 92-ft ) span over the Daiya River , where your exploration of Toshogu begins . The Daiya River is near to Toshogu . entailment +Installation of LSFO presents a conservatively high estimate of anticipated resources and time to provide additional control of SO2 emission , since LSFO systems commonly are more resource intensive than many other FGD technologies . In all cases , LSFO systems are less resource intensive than power-hungry FGD technologies . contradictory +But that door was bolted on the inside ! I cried . But there is no way anyone could have entered from outside ! neutral +If you decided to wreck the sky again , even you might not be able to repair it a second time . " He tapped his hands lightly together and the sound of a huge gong reverberated in the room . The room was completely silent when he tapped his hands together . contradictory +Some of the tastiest species are levrek ( sea bass ) , barbunya ( red mullet ) , palamut ( bonito ) , uskumru ( mackerel ) , and lefer ( bluefish ) . Sea bass and red mullet are not tasty . contradictory +Though independent travel is difficult north of Luxor because of security precautions put in place to protect tourists ( see driving , page 111 ) , there are still two temple complexes that can be visited from your base at Luxor . Due to vandalism concerns , all Egyptian temple complexes have been closed to the public . contradictory +Motivational considerations Considerations regarding drive . entailment +This fine building with its Corinthian portico was designed by Thomas Cooley . Thomas Cooley never used Corinthian motifs in his work . contradictory +i i must admit i 'm i 'm still i i still find him a little uninspiring he he seems like a reasonably competent He seems uninspiring to me , I 'll admit . entailment +From here , the long , narrow arcade called Nakamise-dori is lined with shops selling toasted rice crackers , spices in gourd-shaped wooden bottles , dolls , toys , fans , children 's kimono , and ornaments and souvenirs of all sorts . The arcade is called Nakamise-dori and is long and narrow and line with shops . entailment +The blood or breath alcohol concentration ( BAC ) , coupled with our clinical observations , may help us identify intoxication . The BAC helps physicians find intoxicated people . entailment +The majestic Rendezvous Court near Olive Street was originally the hotel lobby ; from here , you can climb the Spanish baroque staircase leading up to the galleria , with its coffered ceiling . The courts are not very amazing because the staircase is made from isolated Germanic tribes . contradictory +Tel Aviv is in many ways the epitome of the New Israel dream . In a number of respects , Tel Aviv embodies the New Israel dream . entailment +This area is also home to the Montego Bay Yacht Club , which hosts a number of yachting regattas through the year . This is not the place to be to enjoy yachts . contradictory +It is time to examine whether the financial benefits of trying to make use of frequent flyer benefits would be outweighed by the recruiting and retention benefits of allowing personal use of those benefits . Frequent flier miles might not be a good idea for the airplane companies . neutral +So-called new Keynesian economists provided at least a theoretical fig leaf for more or less Keynesian ideas , and in practical terms the intellectual basis of modern U.S. monetary and fiscal policy is pretty much what was already in the textbooks 20 years ago . Keynesian economists provided a theoretical fig leaf entailment +For complete details of these and other major festivals held annually around Japan , check the JNTO website at & lt ; www.jnto.go.jp & gt ; . The JNTO is the best site for tourists planning a visit . neutral +Attorneys at California Rural Legal Assistance report that between forty and ninety percent of their green card holding clients leave the country during the course of representation . The attorneys consider the high likelihood of green card holders to leave the country to be a good thing . neutral +After the shock of the invasion had passed , the Turks proved to be a shot in the arm for India . The turks proved to be a hassle for India . entailment +Heritage assets shall be reported as required supplementary stewardship information accompanying the financial statements of the Federal Government and the component units of the Federal Government responsible for such assets . Heritage assets do no need to be reported . contradictory +All right , Dave Hanson , he said calmly . " Alright Dave Hanson " he said angrily . contradictory +Above all , they excelled in the visual arts . They focused solely on music . contradictory +Unfortunately , it seems to have failed its first test . It succeeded in its first test . contradictory +But what does it mean ? " Poirot shrugged his shoulders . Poirot didn 't know what it meant . entailment +They were built at the very beginning of the 16th century by Sultan al-Ghuri , the last Mameluke ruler , and his mausoleum at the heart of the development is now a cultural center hosting regular performances of the Whirling Dervishes ( who achieve religious ecstasy by circling around in continuous motion ) . THey were built in the 18th century . contradictory +The South China Morning Post writes that at the Asia-Pacific Economic Cooperation summit in Kuala Lumpur , Malaysia , the home government got very testy over visiting foreign officials ' preoccupation with the arrest and trial of former Deputy Premier Anwar Ibrahim . The Malaysian government got testy because American foreign officials were preoccupied with the arrest of Anwar Ibrahim . neutral +but i have such a big army outside of my place that nobody can touch me My place is heavily guarded because of the political scandal . neutral +Jon looked down and met Susan 's green eyes . Susan 's eyes were green . contradictory +Restored after being used in the Revolution as a gunpowder factory , the church is a popular venue for concerts . The church is used for concerts quite often . entailment +Converted from a 13th-century convent of Dominican nuns , the Musee d 'Unterlinden provides a perfect setting in which to view one of the world 's undisputed masterpieces of religious art , Matthias Gr ? ? newald 's awe-inspiring Isenheim altarpiece . It becomes crowded from too many tourists . neutral +That may be true , but the connection between the gay awakening and the student rebellion of 1968 is an oblique one . The fact might be true however the connection is an oblique one . entailment +Armed with canes decorated with bunches of rosemary , the participants proceed on foot to the monastery , where they venerate the Holy Face cloth that , according to tradition , retained the bloodstained image of Jesus ' face after Saint Veronica used it to wipe his brow as he went to Calvary . The Holy Face cloth was used wipe the face of Jesus and it has become an important object in the religion 's history . neutral +However , the university had established an information security policy committee that included top university officials , legal counsel , and representatives from student affairs , faculty affairs , and internal audit to assist in the development and review of policies . the information technology committee includes legal and faculty affairs personnel . neutral +i have a friend who saw that and told he me said i don 't want said don 't go see it it because you won 't be able to sleep but i don 't know from all i 've read about it i i i really think i 'd i i 'd like to see it I don 't think I will see it , given all the bad reviews it 's been getting . contradictory +Snorkel-fishing with spear-guns is legal , but the fish , which can often be frisky with unarmed snorkellers , now know to scatter at the sight of a harpoon . Since snorkel-fishing with spear guns is legal , the frisky fish have adapted to scattering when they spot a harpoon making the sport more difficult . neutral +some appliances breaking or something He was worried the new dishwasher would be broken in a week . neutral +This country is hungry for a new-style campaign that is positive , hopeful , inclusive and unites America . And the country most certainly doesn 't want a bigot running for president . neutral +To meet the family 's extravagant debts , ground-floor rooms were turned into boutiques and cafe that attracted fashionable society , together with some shady hangers-on and intellectuals . The boutiques and Cafe attracted the desired clientele . entailment +On the basis of engineering estimates , the estimated cost of deferred maintenance ranges from $ 75 to $ 100 million in 199Z . Deferred maintenance levels continue to climb . neutral +It draws sidelong glances and playground taunts , and it may give the adopted child an identity crisis . It may give the adopted child an identity crisis , as it draws sidelong glances and playground taunts . entailment +yeah that 's tough you know You know it 's tough because you already did it neutral +Many insured families have inadequate child benefits , excessive costs , or periods without coverage . Child benefits of many families are inadequate . entailment +In recent years he 's made a revival . He never showed his face again . contradictory +But Gore has found a big chink in Bradley 's armor . A big chink in Bradley 's armor has not been found . contradictory +and yes well right outside in uh Falls Church Virginia Close to Falls Church . entailment +It was horrible . It was bad . entailment +By tradition , family members play with the dreidel , a four-sided spinning top , and children receive Hanukkah gelt ( chocolate coins covered with gold foil ) and other presents . Dreidels are the most exciting part about Hanukkah . neutral +yeah okay i know who your talking about i can 't think of her name either yeah that was that was that was i remember that being uh here a few years ago I can picture her face really clearly still . neutral +they have i have heard they since changed name of the park to something else but it was one of those parks with uh a natural uh spring fed river that flows through the camp sites you know all along the river the water was real cold because it was spring fed but just like i say it 's a beautiful area lots of hills to go camping in I have been to that park several times for camping . neutral +Even after the collapse of the economic bubble in 1992 , construction projects are everywhere . The economic bubble of 1992 didn 't stop the expansion and growth of the city . entailment +It would do no good for the White House to savage her if the president is going to admit an affair . She shouldn 't know about the president 's affair and shouldn 't be savaged about it . neutral +and not many people can afford to spend a hundred dollars on the weekend Spending a hundred dollars on a weekend is nothing for most people . contradictory +( financial eligibility , citizenship / eligible alien status , within program priorities , etc . ) it may not be reported to LSC as a case . The financial eligibility and citizenship status may not be reported to LSC as a case . entailment +Had him an outpost right on th ' edge o ' th ' Range . A really big outpost , full with guards , was on the right side of the Range . neutral +The side of the helicopter held a single window . There was one window on the side of the helicopter . entailment +yeah yeah i like uh what is it on Tuesday oh i think Coach is kind of funny on Tuesday night Coach is pretty hilarious on Tuesday night . entailment +You gotta give th ' kid credit for havin ' it in him . You have to chastise the boy for having the nerve . contradictory +Nothing could more aptly epitomize the Mutiny 's good and bad results , from an Indian point of view , than the name given to the legislation that was to the 1858 Act for Better Government of India . The name of the act proved highly ironic given the Mutiny 's implications . entailment +it 's it 's so loud and the so many of the lyrics are so offensive and The song is a quiet folk song with kind lyrics . contradictory +well i 'm good i 'm glad well thank you you have a good day bye-bye I 'm content . entailment +Therefore , the recipient entity recognizes the transfer-in as an other financing source , and the transferring entity recognizes the transfer-out as a negative financing source . The transfer-in is recognized by the recipient entity as another source of financing . entailment +Some editors prepare for trips by Federal Expressing their luggage to their destination . Some editors Federal Express their children to the destination to save money . contradictory +The first Roman town in Gaul ( a citadel and spa founded in 125 b.c. as Aquae Sextiae ) , Aix-en-Provence today is elegant and cultured , charming and cheerful . Aix-en-Provence was the last town ever built by Romans in Gaul . contradictory +Always study any item carefully before purchase . Research a car before buying it . neutral +If you 're stranded anywhere , hitch-hiking is accepted behavior and you 'll surely get a ride . Most visitors to the area hitch-hike to get around . neutral +In this climate popular hostility was trained against powerful private interests and gave new life to anti-Masonry as a political movement . Public interests gave new life to anti-masonry . contradictory +but that 's scattered with birch trees and stuff and uh it 's real pretty when the leaves all turn colors because you get a multiple array of colors and people come from all over the world come through New England only like that week or two when the colors are the brightest you know The leaves stay green all year long in New England . contradictory +yes we we 've my uh well when we first got married my wife worked for a year My wife worked for a year when we first got married . entailment +'Do we ? ' I asked . I wanted to know if we do . entailment +and went up there one day and the plant was nothing but a stem they devoured it that quickly I went up there one day and they 'd devoured the plant down to the stem . entailment +yeah oh oh that 's what i was thinking by quick transition i didn 't mean you know i didn 't mean like Sweden going over to right hand drive or anything you know at midnight tonight we all switch over or anything When I said quick transition I was referring to , for example , Sweden converting to right-hand drive overnight . contradictory +and uh uh that is just absolutely when you consider how flat everything is here that absolutely beautiful company to uh country to camp in It 's really ugly and gross to camp here because of all the hills . contradictory +The Ghost Town features a GhostRider roller coaster . The roller coaster named GhostRider is located in the Ghost Town . entailment +The importance of the Bodh Gaya pilgrimage is evident in the Japanese , Thai , Tibetan , Burmese , and Chinese temples nearby . The Bodh Gaya pilgrimage is the most important pilgrimage a worshiper can take . neutral +The Pescheria ( fish market ) bustles early in the morning except Sunday and Monday , while the Erberia ( fruit and vegetables ) is open until late afternoon for those looking for picnic supplies . The fish market is usually busiest in the morning . entailment +And I was wrong about its being useless to go to him . We should have gone to him in the first place . entailment +you know what i 'm saying i don 't think most people understand what he 's talking about when he talks about that new world order so i don 't know what do you think of that People understand what he 's saying about the new world order contradictory +No , for it is still perceptibly damp and smells of coffee . It is dry and smells like tea . contradictory +The most attractive enclave is the pedestrianized precinct centred on Ben Yehuda Street and Yoel Salomon Street . There isn 't anywhere for pedestrians to go , they need to take a bike or taxi . contradictory +got taken to court by the school system i 'm glad the parents won i mean that 's seems silly that uh i mean we started that 's the that 's the way you got your education in this country The parents won the suit involving the school system entailment +Where once stood only tents and shacks of loose wood , now structures of hardwood , clay , and stone rose into the air . The new houses were reduced to rumble . contradictory +In her best column in years , in which she reverts to actual reporting , Maureen Dowd had a fascinating talk with G.W. about his cultural tastes . Maureen and G.W. simply discusses books at their talk . contradictory +they um you know they 're testing that they 're you know thinking of doing that and i think that 'd be a great idea because you i think they do come become less aware and they just i don 't know they and they don 't hear as well for one thing and that doesn 't help I think that it would be a fantastic idea since they are not as aware . entailment +Maybe he was learning to take it , here , but not to like it . He was getting used to the work and the pain . neutral +The young woman , Nicolette , kept Clark 's identity as the father of her child a secret and went on to marry Clark and Redgrave 's son , Ben . Clark 's identity was kept a secret from the real father of the child . entailment +Why open a gas station if nobody has a car ? ) There will always be a need for gas stations , no matter what . contradictory +Vendors and hair braiders are sure to approach you . The hair braiders are both cheap and skilled , but avoid the vendor 's wares for they are cheap and shoddy . neutral +Bell had recently been approved to have the federal government subsidize part of his monthly rent , but the government 's portion of the December rent was going to be delayed until January , and the landlord was reluctant to wait . The landlord did not want to wait for the rent . entailment +To succeed , rock bands now either 1 ) fake an earnest devotion to kitschy music , or 2 ) earnestly devote themselves to inauthentic , radio-friendly music . All rock bands will fail and can not become successful . contradictory +that 's right and this one had all sorts of weird little things and would go off in uh strange directions and it had lots of uh little subtle touches that if you weren 't watching you would miss uh that they 'd have references to literature and things like that and they 'd also just have odd thing they walk into a bank vault and there is a deer head lying on the table in the bank vault A deer head is a subtle thing that you would miss . contradictory +The two-year program is fully funded under the Justice Department 's Grants to Encourage Arrest Policies and Enforcement of Protection Orders initiative . The program has no funding , just some donations . contradictory +Our analysis of the Clear Skies Act has not included formal uncertainty analyses , although we have conducted several sensitivity tests and have analyzed a full Alternative Estimate . The Clear Skies Act has had 259 formal reports in the past year . contradictory +It 's the kind of high-low juxtaposition--of reference , of language , of moral importance--that Woody Allen executes so wonderfully , such as in this excerpt from The Scrolls : Whosoever shall not fall by the sword or by famine shall fall by pestilence , so why bother shaving ? Woody Allen executed the line beautifully and the audience was impressed . neutral +Sket fell under a Voth axe that split his head in two and Daniel took four arrows in the chest when he ran to help . Sket ran toward Daniel , who had been shot by a large space lazer from the alien invasion happening above . contradictory +yeah you do you drive there or do you take the ferry or what The man asks if the other man flies there . contradictory +have you been uh struggling along those lines You need to adjust your perspective . neutral +The Hindus ' Ancestors The Hindu 's have very large families . neutral +The coastal route is beautiful , but potentially nerve-wracking ; only the southern section from Canico west to Ribeira Brava is served by the excellent highway ( via r ? ¡ pida ) cut through the mountains . There is only one highway out of Canico , so there is sometimes heavy traffic jams . neutral +There was a momentary pause . The pause was awkward . neutral +You can take a lake tour or a ferry trip to Ambleside in the north or Lakeside in the south . There is no way you can go to Ambleside on a ferry . contradictory +But when Suleiman died , his empire , including Jerusalem , began a long period of decline . Suleiman 's empire started to decline when he died from cancer . neutral +Regardless of the degree of truth in these images , the secret of any successful and satisfying exploration of Japan is to cast aside preconceived notions and come with an open mind . Preconceived notions about Japan are typically accurate . contradictory +and the the home uh the family type unit you know and i think when kids have that they don 't get into as much trouble or seek to I believe that kids get into less trouble when they have a tight family unit . entailment +The Secretary has found that without prompt guidance , some members of the regulated community would have difficulty complying with the requirements of the HIPAA and insured individuals will not understand the benefit to them of having a certificate of prior coverage to present upon entering the individual health insurance market . Without immediate guidance , it would be difficult to get certain members of the community being regulated to comply with HIPPA . entailment +Istanbul is one of the world 's most venerable cities . Istanbul as a city is widely derided by the world . contradictory +Today 's Imperial Palace is on the site of Edo castle , where the Tokugawa shogunate ruled Japan for 265 years ; it was thereafter home to the emperors of the modern era . The Imperial Palace was built on the site of Edo Castle which was the centre of the Tokugawa Shogunate . entailment +A thick agony tore into their skulls . The agony of defeat tore into their skulls . neutral +Best name for a male-marketed Testosterone . Male-marketed Testosterone needs the best name . entailment +Aztecs from a place called Tenochtitlan . Aztecs from anywhere in the world . contradictory +However , whenever the purpose is an understanding of the particular , the relationship of the instance to the various populations that it is part of is less important than the assurance that the selected instance can be fully examined . When the purpose is an understanding of something , that relationship can really be examined , unlike when the purpose is fuzzy . neutral +Keep on going along Yefet Street and then turn right and go down Pasteur Street to the port . Yefet Street is several thousand miles away from Pasteur Street . contradictory +The Salon del Trono ( Throne Room ) occupies the very center of the south facade of the palace . The throne room of the palace is the most photographed room . neutral +Interest on uninvested funds received by direct loan and guaranteed loan financing accounts . Uninvested funds received by guaranteed loan financing accounts and direct loan have interest . entailment +But the great and the good know that price stability is essential and that inflation is always a bad thing . Inflation always hurts Americans . neutral +The workers ' rights center is the second created by Neighborhood Legal Services . There has never been a workers ' rights center before . contradictory +or on a body of water this is the ideal house right The ideal house should be nowhere near the water . contradictory +where do do uh do you deal with taxes much in what you do when you work or Where do you deal with clean air in what you do when you work or . contradictory +MANAGERIAL COST ACCOUNTING SYSTEM - The organization and procedures , whether automated or not , and whether part of the general ledger or stand-alone , that accumulates and reports consistent and reliable cost information and performance data from various agency feeder systems . A managerial cost accounting system focuses on business forecasting models . contradictory +Jon would have to take down their alpha . Jon would take down their alpha with his sword . neutral +Air Daily , For Now , Labor Capable of Meeting SCR Demand , Clear Air Regulations and Markets For now labor is capable of meeting clean air regulations . entailment +There is an increased sense of desperation in China about Taiwan . The Chinese aren 't worried . contradictory +no i remember when i was in college i didn 't have time to do that stuff either it was really When I was in college , I didn 't have time to do things like that either . entailment +did you hear it Did you catch that ? entailment +I figured out early on that I could work around the clock and still meet only a fraction of the need , Schwartz said . I found out that I could work very short hours and meet all the needs . contradictory +Book especially early for Christmas and New Year 's ( when most hotels charge a huge supplement ) and for smaller hotels throughout the year . Christmas and new year 's require early bookings . entailment +part part of the problem too i think up here is i mean um One part of the issue is how we deal with phone calls . neutral +uh maybe you could tell me what is the difference between office paper waste and just like newspapers There is a difference . neutral +Although it appears to have six stories , the pagoda is actually a three-story structure , each level having an extra roof for added visual impact . The extra roof on the pagoda makes it appear to have six stories when it only has three . entailment +Some people have been demoted all the way down to Organ Donor . Being demoted all the way down to Organ Donor is what happened to some people . entailment +Sea temperatures vary between 18 ? ? and 24 ? ? C ( 64 75 ? ? F ) . Sea temperatures are normally between 18 ° and 24 ° C. neutral +i mean you know especially if you 're alone it 's on one salary it 's terribly hard to pay the bills and pay your house payment and a car payment and insurance is ridiculous There are so many bills and fees these days . neutral +right yeah in fact um since Baltimore i see i 'm not a you don 't know the Baltimore Baltimore 's on the water and what You are not aware that the Baltimore is on the water . entailment +On 14 May 1948 the British Mandate ended and the State of Israel was proclaimed . On May 14 , 1948 the State of Israel was proclaimed . entailment +but he did both He did both crimes . neutral +When he had first tried to find protectors for his village he had found none who would help . Everyone refused to protect the village . neutral +These intriguing horseshoe-shaped valleys nestle like narrow amphi ? ­ theaters against abrupt rocky cliffs , making rewarding destinations for a pleasant day 's hike . These intriguing horseshoe-shaped valleys are one of the most visited hiking destinations in the area . neutral +Every time I do something--watch television , play tennis , swim , take a bath--all I can think about is sex . I think about sex often . entailment +yeah and uh that was i mean and one of the companies uh went up four hundred and some percent One of the companies went up around 400 % . entailment +For so long there has been such misunderstanding between the religious community and the work lawyers do for the poor . There 's been a misunderstanding between religious people and lawyers but now they are working well together . neutral +yeah yeah i think so too but you know it 's one of those things I see where you are coming from . entailment +To date , the program has identified about 260 different types of failures , such as main landing gear tires wearing out more quickly than planned , fasteners being damaged , and canopy delaminating . The program only found six different types of failures . contradictory +If the agency head does not provide the record within 20 calendar days of the report 's filing , the statute authorizes the Comptroller General to bring a civil action in federal district court to enforce GAO 's access rights . They have only 20 calendar days to get it done . entailment +A nurse 's kit ! A doctor 's kit ! contradictory +Johnny Cash narrates Franklin 's electronic Holy Bibles . Johnny Cash is famous for his work on Holy Bibles . neutral +Although it is sometimes possible to enter Tibet at this border crossing , it is much easier to fly from Kathmandu to Lhasa and then travel overland back to Nepal . Entering Tibet at this border crossing is quite treacherous . neutral +It does not demand certain and prompt victory . It does require that they win right away . contradictory +and we 'll end up one man was telling me about his grandfather in Lithuania and we were talking about something totally income tax or something and i just No-one ever mentioned having a grandfather from Lithuania contradictory +You know something , thought Tuppence to herself , but aloud she only said : " Going to dish up now ? Dishes were ready to be served . neutral +any matter during her absence . All matters during her absense entailment +hum yeah that 's true well it 's been good talking to you You have been a big help . neutral +Also , the scanning device that you mention has existed for over two decades and has been utilized by package goods manufactures to target market their products onto the shelves of retailers across the world . The scanner you mentioned has been around for over 20 years and has been used by manufacturers to market their products onto the shelves of retailers worldwide . entailment +SPRINGFIELD -- About 225 attorneys and paralegals from across Illinois who provide legal services to the poor will gather in Chicago early next week for the first time in 13 years to swap ideas and offer each other encouragement . Springfield- About 225 attorney and paralegals gathered in Chicago next weak to swap ideas regarding the defense of cases and to offer encouragement . neutral +yeah i don 't mind that um my husband never cared for fast food so we didn 't go that often but you know i have no problem with uh going to a McDonald 's or a Wendy 's or uh My husband and I did not eat that much fast food . entailment +Jon 's head hurt to follow it . Jon 's head was in pain . entailment +Also , the Postal Service would be allowed to grant volume discounts and to negotiate contract rates . The usps could give volume discounts . entailment +so what 's what 's your prediction on North Carolina and Duke Who do you think will win tonight , NC or Duke ? neutral +77 " The price , at any rate , would have to be enormous , " she said lightly . She said lightly , that the price at any rate , would have to be enormous . entailment +These and the climactic Battle of Hastings are depicted with all the exciting action and violence of a modern adventure film , with a cast of 626 char ? ­ ac ? ­ ters , 202 horses , 55 dogs , and 505 other animals . The Battle of Hastings is re-enacted with over 600 actors , plus horses , dogs and other animals . entailment +uh i guess being here in Dallas are you familiar with the Rangers Since you are in Dallas , you might have seen the Rangers play ? neutral +yeah i i don 't know that i read anything strictly labeled self-improvement how about you I did not care for that type of book . neutral +um-hum so it 's during the week That week is when the watermelon festival is taking place . neutral +Come here . " He caught her and yanked a single hair out of her head . He grabbed her and pulled out one of her hairs . entailment +Alcohol-related the surgeon 's responsibility . The surgeon enjoyed to drink wine on the weekends . neutral +Do you mean to say you suspected him as long ago as that ? Does that mean that you never , at any point , suspected him ? contradictory +If you can 't make up your mind , just head to one of the giant movie complexes with multiple theaters . There are no giant movie complexes with multiple theaters . contradictory +There 's also been a change in The Week / The Spin that we hope you 'll approve of . We hope you 'll like the change , said the director . neutral +and if you don 't have coats and sweaters with you of course by then you 're all sweated up and warm and that 's how i think a lot folks carry some people carry jackets instead of coats . neutral +This is one of the richest areas in the world for tropical fish and corals , and has excellent underwater visibility , ranging from 15 to 40 metres ( 50 to 130 feet ) and more . The tropical fish and corals here are fantastic to watch . neutral +Farther south at the fishing village of Port Louis you can drive right to one of the island 's best beaches , Anse du Souffleur . Anse du Souffleur is French for Saffron Beach . neutral +absolutely yeah it 's it 's very easy to you know to do that or you know to abuse it it really is it 's so easy to pull out the plastic It is not easy to get someone to pull out a charge card , so no . contradictory +I was in a tavern drinking with two women on my lap when my name was called . I was drinking in a bar . entailment +It requires systems and practices and mindsets and commitments that may be foreign to many other non-profit providers of human services . It only needs to deal with native and traditional practices and systems for the non-profit providers to work . contradictory +yeah and i love all the windows that they have out now too they have really simplified things I hate the windows everything is far to complex . contradictory +This was once the commercial center of the Old Town , including a weekly fabric market . The weekly fabric market continues today as a craft and farmer 's market . neutral +I never had no use for Injuns , but these here are peaceful cusses iffen they don 't smell an Apache . These here and peaceful , just so long as they don 't sense an Apache . entailment +The National Park Service can also give information about facilities and events in the west coast 's national park system ; phone ( 818 ) 597-9192 . The National Park Service can provide information and answer questions about both national and regional state parks . entailment +The Porte Saint-Andr ? ? , Porte d 'Arroux , and Th ? ? atre Romain are some of the Roman remains in the town . Porte d 'Arroux is a site of Egyptian remains . contradictory +That is not going to be proven true . That isn 't going to be proven AT ALL contradictory +oh yeah those do pretty well here don 't they They are specifically acclimated to this climate . neutral +Figure Figure 1 : Agency Systems Architecture The first figure . entailment +These intriguing horseshoe-shaped valleys nestle like narrow amphi ? ­ theaters against abrupt rocky cliffs , making rewarding destinations for a pleasant day 's hike . These intriguing horseshoe-shaped valleys offer a scenic view . entailment +SCR catalyst is a critical part of the SCR system that is manufactured on a worldwide basis by some of the largest companies in the world . SCR catalyst is a critical part of the SCR system used by power plants . neutral +Ca 'daan could see twisted decaying teeth under the man 's leather half-helm . Ca 'daan admired the man 's beautiful teeth . contradictory +so there are two There is one . contradictory +The train lurched on . The train was welded to the track and immovable . contradictory +None of it had happened but it seemed as real as life to them . It seemed totally unrealistic to him . contradictory +And I feel an urgent need for self-expression … . I 'm feeling very calm . contradictory +Second , with each of those lost sales , it loses a potential user of Internet Explorer . Nobody uses Internet Explorer anyway , so our sales don 't matter . contradictory +We may have mistaken the direction of your talent , but nonetheless it is you who must fix the sky . You have different talents to what we thought . entailment +At the same time , the federal government bears some responsibility for the movement to stock-based compensation due to tax changes that limited the deductibility of certain types and amounts of executive compensation . The government needs to change the way it acts . neutral +Occasional hurricanes can spoil the idyllic climate and contribute to this laid back Jamaicans are aware that circumstances can suddenly alter dramatically and yet life will always carry on . Hurricanes can crop up and destroy homes in Jamaica at least once a year . neutral +Dave Hanson , to whom nothing is impossible , he said . He said nothing was Impossible to the great gentleman Dave Hanson . neutral +More quintessentially Roman , on nearby Via Condotti , is the city 's oldest coffee house , the 18th-century Cafe Greco popular , as you 'll see from pictures , busts , and autographs , with Goethe , Byron , Baudelaire , Liszt , Casanova , and Fellini . Roman is the oldest building in the city . neutral +I could not help rejoicing that , for once , one of his " little ideas " had come to naught . The author wishes that the idea had come together . contradictory +Jon pulled the trigger and sparks flew from the flint on steel . The trigger was pulled by Jon . entailment +The research and development outputs and outcomes should be the same as those measured for the Government Performance and Results Act ( GPRA ) and the budget and will be reported in a Statement of Program Performance Measures as described in Appendix 1-F to Entity and Display , SFFAC The budget is reported in a Statement of Program Measures . entailment +About 4 km ( 21.2 miles ) from Tabgha on the road to Capernaum , a glance at the small Mount of Beatitudes shows why Jesus might have chosen it as the place for the Sermon on the the small hill is a perfect natural pulpit . The Mount of Beatitudes is not large in size . entailment +You git yourself in here , ' fore I skin that hide " Stay outside and I 'll give you cake , sweetie . contradictory +No , the fellows at the office said she 'd just gone out . The men at the office said she was gone . neutral +China traditionally bought 3 to 6 million tons of urea annually ( which is produced China buys 3-6 million tons of urea each year . entailment +I have certainly forgiven Bob Inglis . I forgave Bob Inglis , without question . entailment +twenty year old and he uh he 's in love with this girl that 's about sixteen or seventeen and they leave he 's involved with like a murder and then um he they go to uh they go to like Louisiana and Texas and uh he get they get more he gets more involved with this robbery and whatever but it 's sort of He is innocent in Louisiana and Texas . contradictory +The women were laughing and Czarek said : The girls were laughing and then Czarek piped up with : entailment +My mind was still quite jumbled . My mind was crystal clear . contradictory +I will accept the conditions in private . " There were no objections . They were afraid to object . neutral +yeah well listen it was good talking with you I enjoyed having a conversation with you . entailment +A vibrant city , Paris sets tastes and fashions for France and the world . Paris is often considered a backwater city , tending behind the rest of the globe in fashion . contradictory +um it just happens they built a shopping center next to it but um they put up a nice fence so we still have a lot of privacy They 've built a shopping center next to it with a fence for privacy , so I don 't mind the new addition . neutral +In establishing the effective date , INS and EOIR state in the preamble to the interim rule that they find good cause to make the rule effective April 1 , 1997 , in order to meet the statutory deadline imposed by the IIRIRA . The rule was made effective in 1996 .. contradictory +208 " Yes , " she said quietly , " I am Jane Finn . Yes , my name is Jane Finn . entailment +Any Big Thoughts on this , Jim ? What do you think , Jim ? entailment +According to program officials , this not only helped stabilize the design before entering initial manufacturing but grew system reliability and reduced total ownership costs . This caused the total ownership costs to skyrocket . contradictory +But the Abbey 's spiritual center is beneath the sanctuary , marked by a crypt where the Virgin Mary is said to have fallen into eternal sleep ( dormition ) . The Virgin Mary 's remains are thought to be inside the crypt . neutral +Of these three , Raging Bull has been singled out for vindication . Raging Bull will be condemned with the rest of them . contradictory +A recent article in Science claimed to rebut Noam Chomsky 's theory that our capacity for language is hard-wired in a particular--and uniquely human--module of the brain . Science does not believe Noam Chomsky 's theory . neutral +uh not being a tremendous cook i i know what the burden of preparing a meal but i don 't know what it would have taken to make that meal taste any better out on the budget i give her that kind of deal I didn 't give her much money , but she did the best she could when preparing the meal . entailment +Its Carrera marble facade is incised with intricate carvings of traditional Islamic themes . An intricate carving can take weeks to be completed . neutral +Although total factor productivity growth appears to have risen , the pace of growth may decelerate . The pace of growth is unknown , but total factor productivity is on the rise . neutral +but yeah there are more drinkers than smokers if you think about it There are a ton more drinkers than smokers if you look at the world . neutral +but uh there are certain norms that companies should be able to uh put out as guidelines for their employees Employees are lost without guideline norms at companies . neutral +To the northwest of the Diwan-i-Khas , the Moti Masjid ( Pearl Mosque ) is the one contribution to the Fort by Shahjahan 's successor , Aurangzeb . The whole Fort was built at the order of Aurangzeb . contradictory +so well i don 't know that 's my my great hard recipe This recipe is very easy , don 't you agree ? contradictory +barely adequate It is sufficient . contradictory +One of Topham 's dark eyebrows , so in contrast to his silvery hair , slid up inquiringly , and he grinned at Drew 's involuntary but emphatic nod . Topham 's hair was a lighter color than his eyebrows . entailment +In contrast to the well-oiled Gore machine , Bradley has no staff , message , money , or following . Bradley has a lot of staff and money . contradictory +The last time it is said to not have liquified was 1980 , the year of the great earthquake . It did not liquify in 1980 . entailment +yeah and and then but then the medicine and and some of these other things and and the chemistry in those kinds of areas milliliter The chemistry in medicine are milliliters entailment +31 Experts already recommend moving beyond clinical trials to national dissemination . Experts recommendations will be implemented . neutral +If you 're not one to be put off by superstition , stroll down to the old cobbled bridge and croseover into a quieter , more peaceful world . The world beyond the cobbled bridge is noisy . contradictory +Have you ? Have you ? entailment +I 've been needing a divorce for a year , she added . She had been unable to get her partner to give her the divorce . neutral +Tobe Kells spoke first . Tobe Kell was the first one to talk . entailment +They laughed and talked through dinner . Dinner was full of talking and laughter . entailment +Guadeloupe , from the air or on a map , resembles a butterfly . From birds perspective Guadeloupe looks like a butterfly . entailment +Identification is only the first step in a process of care . The process of care starts with identification . entailment +Richard Lugar , who chairs the Agriculture Committee , proposes to buy them out over a few years and then leave tobacco to the market . Richard Lugar is buying something . entailment +His long black hair hung down , obscuring his face . His black hair was covering his face . entailment +The final rule makes available 300 megahertz of spectrum at 5.15-5 . 300 megahertz of spectrum at 5.15-5 are available thanks to the final rule . entailment +Encapuchadores bind these male trees in spring to produce the pale , bleached fronds that are used in Palm Sunday celebrations . There are celebrations on Palm Sunday . entailment +i mean yeah gosh what 's you weather like you know well i don 't know let me look out my window yeah it 's kind of foggy tonight Let me look out the window . Oh , it 's kind of foggy tonight , maybe later it will rain a lot . neutral +Tubacca had slumbered apathetically before ; now the town was wide awake . Tubacca was in a permanent coma with no signs of life . contradictory +'Say , Derry . Derry , I want to tell you something . neutral +is this better This is worse . contradictory +Climb the narrow staircase to the roof of the mosque for a fine view of the fort . The roof of the mosque has a nice view of the fort . entailment +Educating users on the terminology of internal control reporting , such as reportable conditions , was also urged so that the users and capital markets do not over react in interpreting the internal control reports . It was not intended that users overreact in interpreting the internal control reports . entailment +The worksheet should contain such information as the names and locations of units responsible for the acquisition , the project purpose , and the expected cost and time frames . The worksheet can also include resource quantities . neutral +oh i 've never heard of that I did not know of it . entailment +It may be hard for them to cooperate , even when it is a matter of saving the regime that made them rich . There is no possible way to save the regime that made the people rich . contradictory +The collection of paintings by Raphael ( 1483 1520 ) in the Prado was once kidnapped by Napoleon and carted off to Paris , though soon recovered . Napoleon once stole these paintings for a short time . entailment +His life seemed so open and aboveboard . He wandered through life aimlessly . neutral +oh , I 'm sorry--are we out of time ? We had more time . contradictory +yeah i was going to say i haven 't seen the past couple episodes i think the last one i really saw was when he broke up with Christine I am not completely caught up with the show . entailment +maybe it 'll work It could work out well . neutral +It struck me that in some way she was nervous of Poirot 's eyes . She was nervous because she was feeling guilty . neutral +A case in point can be found in the last omnibus rate case , the R97-1 case . The last omnibus rate case was illustrative of this point . entailment +Chelimsky , Eleanor , and J. Dahmann . Chelimsky is arguing with Eleanor . neutral +They may not realize their complicity in a movement that seems likely ultimately to take such freedom away . They were hyper aware of any changes to their current freedoms . contradictory +Exhibit 13 summarizes the mean monetized health and visibility benefits due to the Clear Skies Act . Exhibit 13 provides a summery of benefits of Clear Skies Act . entailment +Auto-eroticism explained ( 18 seconds ) : there is no explanation for auto-eroticism contradictory +Outside , the courtyard is paved in limestone tram-setts from the streets of Old Dublin . Old Dublin streets were paved in limestone . entailment +He worked in Toledo , his adopted city , for 37 years , toiling away at the immense and intensely personal religious canvases that are his hallmark . Ohio was the inspiration for some of his works . neutral +For example , we looked at the efforts of four agencies ( the Departments of Agriculture , Health and Human Services , Interior , and Veterans Affairs ) to both improve services and reduce staffing levels in their personnel offices through the better application of information technology . Four agencies appreciated the impact modern information technology to such a degree that they advised other agencies to also make changes . neutral +Off to the left is the Yakushi-do , a temple honoring the manifestation of the Buddha as healer of illnesses . There is a temple honoring Buddha called the Yakushi-do . entailment +A profile of Peter Singer , a proponent of ethical treatment of animals , pinpoints the radical philosopher 's inconsistencies . The inconsistencies were pinpointed by a profile of Peter Singer . entailment +right that 's true yeah there 's not too many that are uh that are good just on their you know that that you wouldn 't want to change something and there 's always something that uh Everything needs to update and get with the times . contradictory +A hospital nurse had charge of me . No nurses looked after me . contradictory +No less vain than the Mughals , the new conquerors all added their own architectural tastes , which were a tribute to India 's past but unmistakably British in overall conception , to New Delhi . The Mughals were very displeased by the architectural additions that the British added . neutral +Surfcasting with lures ( called spinning ) , is outstanding at three points in southeast Cap Ferre , Cap Macre , and Cap Chevalier . Lures can be purchased in any local fish shop . neutral +They shrank from the starvation and misery a general strike would entail , and were willing to meet the Government half-way . They didn 't consider the starvation and misery brought on by a general strike and refused compromise with the government . contradictory +At the centre of the region 's road network , Alicante is also a logical base for motorists and for train and bus connections . Alicante is frequented by motorists and tourists alike . neutral +Frigola , a sweet , digestive drink good with ice , is commercially bottled in Ibiza from formulas using island-grown herbs . The Frigola helps if you have a sick stomach . neutral +i 'd encourage it I would support it entailment +They stay dead , or they don 't die . It is hard to tell , but they are dead , or they aren 't . neutral +The upward leaping orchestral figure anticipates the word , top , but the sung line does not , and at the punchline , But if Baby I 'm the bottom , / You 're the top , both Billy and Reno ( I 'm and You 're ) share a melodic line at the top of their respective ranges . Billy and Reno are preforming together . neutral +The breakup of the U.S.S.R. shattered the army into 15 pieces , as Russia lost nukes , ships , bases , and many of its best officers to newly independent republics . The army broke into 15 pieces in 1992 . neutral +You got you Shiloh , Drew , an ' you said you made a foal deal with th ' Old Man . You made a deal with the old man to buy 15 prime foals . neutral +These requirements are detailed in two OMB Circulars . You 'll find the requirements detailed in three OMB Circulars . contradictory +The price in the restaurants on Tor Road is exorbitant , but you might like to try the beef either grilled straight or prepared Japanese-style as sashimi ( raw ) , sukiyaki ( thinly sliced and pan-fried ) , or shabu-shabu ( stewed in a hot-pot broth ) . You should try Japanese-styled sashimi or sukiyaki at least once . neutral +The Gore family holiday photo greeting card was billed to the DNC at a cost of $ 110,000 . The family gave out handmade cards that costed pennies to make . contradictory +These flexibilities are generally provided as part of the appropriations process and consider the balance between accountability and flexibility to ensure that Congress is a partner in the spending of taxpayer funds . The appropriations process strives to increase accountability at all costs . contradictory +Early events surrounding the Indo-Aryans can be deduced from the later writings of the Rig-Veda ( priestly hymns ) , Puranas ( ancient tales of kings and gods ) , and the epic poems of the Mahabharata and Ramayana . The earliest writings of the RIg-Veda had to do with Indo-Aryans . contradictory +uh well we 've thought about doing that for for my husband 's father because he 's We thought about doing that for my father in law because he couldn 't do it himself . neutral +really what have you done I know what you did . contradictory +yes uh yeah that 's one that we don 't use uh i 've had uh you know had different companies or you know gas company cards before We don 't use all of our credit cards . neutral +Through the Budget and Accounting Act of 1921 , the Congress established GAO in the legislative branch with the broad role of investigating all matters relating to the receipt , disbursement , and application of public funds and to make recommendations looking to greater economy or efficiency in public expenditures . For over 80 years , the GAO has distinguished itself by saving billions in taxpayer expenses . neutral +Those of importance we will put on one side ; those of no importance , pouf ! " , he screwed up his cherub-like face , and puffed comically enough , " blow them away ! " His face was not at all cherub-like . contradictory +But just between you and me , it 's really bad . you and me are the names of two students from california . neutral +He saw Adrin nod . Adrin was signaling to him . neutral +'Oh ? ' My glass was drained . I had an empty glass . entailment +you know that that they 're not in the home by choice anymore They 're not in the home by choice entailment +well do you have a lot of homes out there that have um foundation problems that seems to be the pretty much the rule out here It seems to pretty much be the norm in that area for there to be foundation problems . entailment +It administers Medicaid through the Department of Medicaid Services . Medicaid is administered through the Department of Health . contradictory +Cataplanas make a delightful decorative or functional souvenir . Cataplanas were first made by settlers in the seventh century . neutral +In that circumstance , the unit remains subject to the trading programs but is covered by the non-opt-in requirements that cover all affected EGUs . The unit has coverage from the non-opt-in requirements that cover all affected EGUs . entailment +Getting her to answer the door was a challenge . She always answered the door . contradictory +uh yeah exactly yeah have i mean these are people who don 't have the foggiest idea about what America 's like um and it 's very it 's i These people haven 't even been to the United States before . neutral +At the same time , an understanding of the information technology and management practices of leading organizations could contribute to the development of improved CIO management practices in the federal sector . An understanding of the information technology and management practices of leading organizations could contribute to the development of deteriorating CIO management practices . contradictory +Over a dozen studies have found significant associations between various measures of long-term exposure to PM and elevated rates of annual mortality ( e.g. Studies have found associations between long term exposure to PM and elevated rates of mortality . entailment +The paintings became sinuous lattices , like the web of a deranged and brilliant spider . These priceless paintings feel like sinuous lattices woven by brilliant but terrifying spiders . neutral +I do hope she 's found him out at last ! " I wish that she would never find him contradictory +The chapel was constructed in 1248 to house holy relics , fragments of what were believed to be Jesus 's Crown of Thorns and the True Cross , which pious Louis IX ( later canonized as St. Louis ) had bought from the Byzantine emperor . The chapel was built to house relics from Jesus . entailment +and the nice thing about those types of hollies is you don 't have to trim them uh into a boxy type hedge you can just let them uh grow their natural uh shape This type of holly does not have to be trimmed in a boxy style . entailment +In an interview with the Director of Rich notes The Director indicated that the National Science Foundation procedures had changed three program for grants to small times since the inception of the colleges , the following question is program . The director said the NFS procedures changed . entailment +yeah well we had uh i lived on a farm when i was growing up and when we bought the farm there was uh couple of farm cats on the property and they were sort of tame every now and then they 'd let you pet them but uh one of the cats which we named Bug Eyes she had a litter of kittens and she kept t hem away from the uh the house until they were pretty good size kittens and they wouldn 't let you get anywhere near them and one day i went over to i found them sleeping and i went over and picked one of them up and it boy it was like picking up a buzz saw Bug Eyes was a tabby cat . neutral +The interior was decorated by important artists and craftsmen of the time and the apartments of the Prince and Princess of Soubise are worth seeing . The Prince and Princess decorated their own apartments . contradictory +experience that will help them in whatever areas they go into , but will also help them understand and have the ideals of providing legal services to every citizen of the state . It will help them provide legal services . entailment +Its enormous , ornate churches are a far cry from the simple biblical sites of the imagination . The churches pale in comparison to the huge guided ones one imagines for biblical sites . contradictory +As soon as he exited his bus , he was surrounded by camera crews and boom mikes arching overhead like brontosauri looking for lunch . He had to push his way past the camera crews and reporters to get into the building . neutral +Such postings permitted employees to easily see how their units ' performance was contributing to agency goals and objectives . Units use the posted information on how there unit compares to others as an incentive to become better than other units in the agency .. neutral +and the question is who are my sheep and the idea do we go out and feed these people when they 're hungry I 'm hungry let 's grab a bite to eat . contradictory +The highly important group of sculptures gathered here represents every facet of Francisco Salzillo 's work . Some of Francisco Salzillo 's work is represented here . entailment +Maddeningly , he leads us to the center of the Hobbesian maze , then refuses to extricate us . He allowed us to leave the maze as soon as we wanted . contradictory +The famed Harvard sociobiologist argues that all phenomena--art , economics , science--can be understood by studying the brain 's neural pathways . The human brain 's neural pathways has the capacity to understand all phenomena . entailment +# NAME ? The demolition crew were ready to tear down the wall . contradictory +What Meier 's work lacks is heat , an organic flow . This lack of heat has directly had an effect on Meier 's ability to make sales . neutral +I am pleased that my children have had more Jewish education than I did , and that my grandchildren have even more . Jewish schooling is more detailed and nuanced than public schooling . neutral +San 'doro chose no mount , preferring to run barefoot . San 'doro wears high heels when she runs . contradictory +'I 'm afraid that I have absolutely no idea what might be going through Mr. White 's head . ' I don 't know why Mr. White thought it was a good idea to fail everyone in the class . neutral +well Steve it 's been nice talking with you It has been a pleasure speaking with you Steve . entailment +our department we uh take care of everything waste water uh solid waste and recycling and and air They wanted to do more than just recycle . neutral +REMSAD Version 6.40 includes improvements that address comments EPA obtained during the 1999 peer review of REMSAD Version 4.1 REMSAD Version 6.4 was the oldest version . contradictory +Kilgore says she 's found her niche . She claimed to have found her calling . entailment +and is that what you 're in Is that what you 're in ? entailment +In accordance with section 603 ( b ) ( 5 ) , the Commission stated its belief that the proposed Report and Order does not duplicate , overlap or conflict with any other relevant federal rules . The proposed report was in no way conflicting with other federal rules . entailment +Early reviews for this sensitive , intelligent , girl-goes-to-college drama--by far the most hotly anticipated new show of the season ( Bruce Newman , the Los Angeles Times ) --are mildly approving , but the show doesn 't come close to meeting the high expectations created by the pre-season buzz . The show had such high expectations that it would be impossible to meet them . neutral +yeah yeah they have a lot of values i love that do they have children People with children have good values . neutral +( asthmatics ) Shortness of breath Lung cancer Acute myocardial infarction Cardiac arrhythmias School absence days Asthma is a condition that corresponds with shortness of breath . entailment +In this report , we simulated the effect of different saving rates on the nation 's standard of living using a standard model of economic growth originally developed by economists at the Federal Reserve Bank of New York . Seventy economists work for the Federal Reserve Bank of New York . neutral +well that 's great to know Well , that is sad to hear . contradictory +okay what kind of books do you like to read for enjoyment Can you read ? contradictory +The major Scottish families had their own traditional tartan patterns that instantly identified their clan and kinship . The major Scottish families can be identified instantly by their traditional tartan patterns , which reveal their clan , kinship and county of origin . neutral +yeah hm hm that 's awful yeah we still get some in Raleigh i mean not not too often real bad ones but They do come to Raleigh , but not too many . neutral +At last … . The moment was almost breathless in its emotion . After 10 long years , we did it and we can 't contain our emotions . neutral +Not , one hopes , un qualified , but less qualified , under otherwise prevailing standards , than people who get passed over . That , one hopes , less qualified , but more qualified , than those who get passed over . contradictory +The hypocrisy buster ? Is it the hypocrisy buster ? entailment +He was faster , fearless , felt no pain . He was a slow man with lots of fear and weakness . contradictory +Your British traffic beats description ! British traffic is really good . contradictory +Los Angeles FOR children Los Angeles against children . contradictory +The sexual pulse of a lot of his objects--There is something erotic in all my work , Smith admitted--is evident in loud titles for sculptures like She Who Must Be Obeyed and Jim 's Piece . He constructed almost as many phallic shapes as Kusama and filled his notebooks with erotic doodlings comparing the sex organs of humans and flowers , or depicting Christ--Smith was a Catholic--with breasts . The sexual pulse of many of his subjects- There 's something erotic in my work , Smith admitted - is evident in sculptures and phallic shapes as well as erotic doodling . entailment +on the other hand um i don 't know if course the judge as all the expertise in that field and he 's trained for that and and i 'm sure there are certain rules that are set down that he goes by uh along the way to make a decision but perhaps the jury can um give their uh input as to what they think need to be done and then maybe he can go from there uh have you ever sat on a jury trial I think that the jury should be given all the power . contradictory +it got it got real rough It got real hard . entailment +and i i have to wonder sometimes how much of their dependence is um you know if it 's it 's sort of a false dependence just to while they 're building their own uh way of doing things that they 're making us think that they depend that much on us so that we don 't watch them more closely you know i 'm very suspicious of them I wonder if their dependence is false in some way . entailment +Although popular with visitors , it has not lost its traditional industry . The traditional industry is not popular with visitors . contradictory +yes i am on staff to Hal Ammon to GTE I work for Hal Ammon at GTE but am looking to leave . neutral +Today , Italy ; tomorrow , who knows ? We could go anywhere next ! entailment +He had organized a matchless company of Pima Indian Scouts after the army pulled out in ' 61 , had fought Apaches , but had sided with neither Union nor Confederate forces . The army fought the Apaches in order to gain their land . neutral +The merit of reporting the aggregate of information prepared on different bases is questionable . The information makes perfect sense . contradictory +and they have initiated a newspaper recycling whereby they pick it up from your alley uh one day a week and all you have to do is bundle it They have collected tons of newspapers since they started this project . neutral +how how much you can stuff in your brain How many things you can remember . neutral +He now faces an election in three months , says Berger . This is the first time he 's run for office . neutral +But the basic premise of the IRA rules is that people with income are taxed on their earnings . People are not taxed on their earnings . contradictory +um-hum that 's true but uh i do like the idea of the jury being the the the people who decide in the matter of uh if it 's a jail term versus life and death That 's correct but I like the idea of a group of people deciding whether a criminal gets life or a death sentence . entailment +yeah actually i noticed that i mean this this this most recent scam of his where he said where he just decided that instead of having uh instead of having i can 't i can 't think of the word now um if they 're having demonstrations for in in favor of Boris Yeltsin he decided well i 'll just cancel all demonstrations altogether He allowed the people to have demonstrations , even if they were against him . contradictory +Less detailed models are sold under the name Nao . Nao is the line of less detailed models . entailment +Under Cambridge-trained lawyer Tunku Abdul Rahman , brother of the Sultan of Kedah , UMNO 's conservative Malays formed an alliance with the English-educated bourgeoisie of the Malayan Chinese Association and Malayan Indian Congress . The Malays had no interest in an alliance . contradictory +He was also a master of the art of conspicuous consumption , contrasting sharply with the restraint shown by the Ashikaga shoguns in their more subtle displays of wealth . The Ashikaga shoguns did not usually engage in conspicuous consumption . entailment +Marco Polo in Far East Marco Polo never traveled to the far east but instead explored the west . contradictory +no longer do we have a point where the crime fits the punishment we 've got guys now with in Texas anyway is what i 'm talking about The punishment always fits the crime , always has . contradictory +" Another week , " Bork was saying . Bork was saying , " Another week . " entailment +Then comes the CNN / Time sarin story to prove the professionals deserve all the scrutiny anyone else can muster . The CNN story said professionals deserve to be looked at closely . entailment +yeah somebody said that uh JR is going to die and that will be end of the season forever i mean the end of the show forever The first episode of the series would begin with the death of JR . contradictory +I walked with great men , and did what little I could to help . I tried to help in any way that I could . neutral +uh-huh and that 's very acceptable at TI i believe at IBM they they make you wear a blue suit and uh some kind of colored shirt and a tie IBM has a specific dress code . entailment +Stock options , after all , serve no useful purpose in the real economy . People do not benefit from stock options . entailment +Only a little farther south , around Langdale Pikes , for example , the terrain is formed of volcanic rock ; much younger and more dramatic in appearance , these mountains have rough crags and sharper peaks . Langdale Pikes has a lot of volcanic rock . entailment +He groped about for some answer that could be phrased in their language , letting his mind flicker from the modern electronic gadgets back to the old-time tide predicter . He tried to find the answer in their language . entailment +He is a tedious corporate drone , as innocuous as the lackluster buildings erected by Donald Trump . Donald Trump erects exciting , bold , and attention-grabbing buildings . contradictory +um-hum and does he uh in terms of their in terms of their practices and and their culture i mean does he document it or is it strictly Does he document their practices and their culture ? entailment +Biologically , though , the two experiments are In both cases differentiated DNA became sufficiently dedifferentiated to generate a whole new sheep . The cases dealt with tax codes . contradictory +um i don 't know it seems they 're using it as a babysitter instead of a learning tool that really that really annoys me because i think i don 't know i think my parents probably did that to me a little bit My parents never allowed me to watch TV . contradictory +Among the most fierce hatreds of teens ( probably right after public humiliation and rejection ) is of hypocrisy Teens love hypocrites ! As well as being embarrassed . contradictory +In 1998 , she stepped down from her role as director . She is still the director today and has never left . contradictory +The ruins , which are still being excavated , include one of the best-preserved stadia in Turkey , 228 metres ( 748 feet ) long , with seating for 30,000 , and the remarkable Sebasteion , a porticoed gallery of sculpture dedicated to Aphrodite and to the Roman Emperor . One of the most intact stadia in Turkey is in the ruins which are in the process of being excavated . entailment +Tuppence remained for some minutes gazing after him . Tuppence watched him walk away . neutral +Ashoka 's Empire Ashoka had a large empire . neutral +This is a flexible series continually being added to and updated . The series is always having things removed from it on a weekly basis . neutral +Ninety-four percent ( 94 % ) of these stops are residential , while six percent ( 6 % ) are either business , or mixed business-and-residential stops . 94 % if stops are residential , 6 % are business or mixed stops entailment +been presented and reconciled with the case study It was not presented with the case study . contradictory +my dad is into hot air ballooning and that 's like balloon heaven is Arizona Hot air ballooning is illegal in the state of Arizona . contradictory +Parisians themselves often use the Batobus ( river bus ) for traveling east or west and avoiding traffic snarls . The Batobus is far more expensive then a normal car ride . neutral +In 1793 , at the height of the Terror , it literally became the antechamber of the guillotine . It became the place with the guillotine and hundreds of people watched executions there . neutral +Roman Era The Roman Period . entailment +But Drew was unaware of the Texan 's outburst , his entire attention for Hunt Rennie . The Texan was yelling but Drew did not notice . He was too far away to hear it . neutral +By the way , whose is the smaller desk in the corner ? " The desk in the corner is mine . contradictory +It was probably only an idle fancy , but-- " Hey ! " One of the slaves below was waving at him . The slaves toiled on , oblivious to their surroundings . contradictory +How was Sun Ra able to command this kind of sacrifice ? Sun Ra was given some kind of sacrifice . entailment +Your world was more advanced in understanding than I had thought . The world is more technical that I thought . entailment +Press Policy GAO does not initiate press conferences , but senior GAO officials may participate in press conferences held by Members of Congress , if requested . Press Policy GAO has not held a press conference in seventeen years . neutral +How in tarnation did he get ahead of us ? How in the hell did he get ahead of us ? entailment +You there what 's goin ' on ! Sergeant Rennie came to life again in the snapped demand . Sergeant Rennie wanted to know what was going on . entailment +99 % Catholic , 1 % Protestant , Greek Orthodox , and Jewish . 0 % religious . contradictory +i guess all the arteries are open and doesn 't have any trouble pumping it all through but uh I think all the arteries are open and everything is flowing through . entailment +for clients throughout my state ? There are many clients in the person 's state . neutral +Like campaign finance , revolving-door lobbying is a systemic problem in American politics . Lobbying is a big problem in politics . entailment +Mr. Chairman , as I am sure you appreciate , the issues confronting the Congress and the American people have grown more complex in recent years . The complexity of problems has grown in recent years . entailment +The bulldozer was teetering at the edge of the cliff as he saw it , right above him . Someone left the bulldozer there purposely to murder him . neutral +The view of the illuminated mont at night is spectacular from the other side of the bay . The views of the mont are great and illuminated . entailment +The oldest temple in the valley and unquestionably one of the most interesting , it sits on an isolated hilltop a few miles north of Bhaktapur and just south of the Sankhu road . The most interesting temple in the valley is also the oldest . entailment +Estimated Long-Term Ambient Concentrations of PM ( 10 ) and Development of Respiratory Symptoms in a Nonsmoking Population . Estimated Long-Term Ambient Concentrations of in people that do not smoke or drink . neutral +The next thing I knew , I was lying in bed with a hospital nurse ( not Whittington 's one ) on one side of me , and a little blackbearded man with gold glasses , and medical man written all over him , on the other . The nurse was wearing a tight white dress . neutral +His proved an appropriate choice , as he almost single-handedly created the mod ? Υrn Turkish state . He made the Turkish state with little effort involved , just having to make a decision . neutral +I 'll go and see if it 's there now . " Poirot held up his hand with a faint smile . I 'll check on the painting to see if its there . neutral +population and the originator of our English system of measure uh they have gone metric The originator of the English system has converted to metric . entailment +Italy 's two halves come face to face in Turin , where Fiat 's automobile factories have for generations attracted thousands of workers from the Mezzogiorno . Fiat is the biggest Italian employer in the automobile industry . neutral +On duty-free Saint-Martin and Saint-Barth ? ? lemy , the range of best buys is even greater . There are a lot of bargains to be had on Saint-Martin because of the lack of sales taxes . entailment +Under current law , some types of saving and investment are exempt from taxes while other types are fully taxed ; some forms of consumption-in particular , health care- receive preferential treatment . Some types of saving and investment do not need to pay taxes ; others are fully taxed , and some forms of consumption such as health care can receive preferential treatment . entailment +Fourth , there are those who argue that worksharing discounts are a natural outcome of traditional make or buy decisions . Worksharing discounts can be up to twelve percent in some cases . neutral +Speaking of Thurmond , he plays a hilarious role in this campaign . Thurmond has a very serious role in this campaign . contradictory +In a recent op-ed article in the New York Times , the theologian Michael Novak argued that a new appreciation for , and sensitivity to , religious matters was stirring everywhere . Michael Novak thinks that nobody understands or is sensitive to religious matters . contradictory +The book itself , the story of a 30-year-old American widow in London , is unimpressive . The book is unimpressive . entailment +Recognizing that valid questions have been raised regarding the accuracy and validity of the Case Service Reports ( CSR ) data that LSC 's grantees annually submit , LSC has committed itself to ensuring that reliable data is provided . Questions which have merit have been brought up about CSR reports . entailment +yeah and also the cost of it you know not not not great not uh public school but i can 't imagine having to raise a kid now and and have to look to college Hard to imagine raising a kid now and look to the cost of college . entailment +U.S. investment abroad does not add to the domestic capital stock used by U.S. workers to produce goods and services . This is because the investment primarily effects the nation that was invested in . neutral +If there is something new in the writings of Kelly and other cyberprophets , it is the fact that they don 't just predict a future in which the curves slope the wrong way , they endorse it . Kelly and other writers predict that the future will be exactly the same as it is right now . contradictory +Each summer local farmers and their dogs get together for a friendly competition ; the dog and farmer maneuver sheep around a set course . Sheep herding competitions occur each summer . entailment +A brother of his was murdered by your people . His brother was killed by your group of people . entailment +yes and i had to deal with their problems and i could talk about the kinds of problems which they were bringing that they had just in general aspect and our son would share this and then he would have to make decisions for himself along those same types of of uh lines Indeed , and I was forced to endure their issues . entailment +do they um it 's it 's some cards you you can do that and some cards you can 't down here i think it just depends on what the banks will take plus Some cards are rejected over here because the stores don 't like the company . neutral +Local women offer bags of this snack for a few dollars , but try one first before you buy they can be very , very hot . The snack can be incredibly spicy , so try one before you buy a whole bag . entailment +Have you got the book here ? Ist the book here right now ? entailment +Unlike a modern corporate logo designed by professional graphics people , where minimalism and self-justifying folderol are key , a government seal ought to embody clutter and boneheaded symbolism . Government seals are holdovers from the ancient coat-of-arms used by European nobles . neutral +Yellow cowardy-cat . " Brave hero . contradictory +yeah uh yeah i think it 'll be neat Yes , I think it will be convenient . entailment +In the following material , each of these standards is presented in a short , concise statement . It was all presented in short , rambling statements . contradictory +Runaways or not , they will put up a fight . They are runaways , and are therefore weak . contradictory +You 'll see the hot furnaces where the glass mixture ( the batch ) is melted and blown , and you 'll watch the cutting that is done by hand and eye as well as the polishing or engraving . The glass mixture is melted in the hot furnaces . entailment +did you did you introduce your daughter to her before you made your decision Did your daughter like her ? neutral +true i agree with you I think that I agree and however I believe this too . neutral +The first is the state of the weather yesterday . The first is how the weather was last week . contradictory +( Head to the page to see what they mean . ) The page says what they mean entailment +It seems clear , however , that substantial gains are available from presort programs and , by extension , from other worksharing programs , to a point . The substantial gains associated with presort programs have been proven and established over the years . neutral +He 's good stuff , too served in the cavalry .... Kells studied the young man by the mule . He was the captain of the cavalry . neutral +The crisp air blowing into the stable , carrying something beside the scents of the town , gave him a suggestion . The wind didn 't move through the stable at all . contradictory +She had known Alfred Inglethorp only too well . She had known Alfred Inglethorp . entailment +um-hum right into the classroom it needs to be It needs to be right into the classroom . entailment +The $ 60 billion NationsBank-BankAmerica deal took three weeks , and the companies did due diligence in three days . The $ 160 billion deal took ten weeks time . contradictory +It is a worst case scenerio . It is the least likely scenario . neutral +OMB approved the rule on March 27 , 1997 . The approval came to much cheering and applause . neutral +But a post-election poll by the Wirthlin Group showed one in nine voters claimed the Internet influenced the way they voted . A poll showed that almost 10 % of people said the Internet influenced their vote . entailment +'One of his very finest . ' This oil field is one of his best . neutral +The Best of the Folies Bergyres Sexier Than The home of the topless dancers of the Folies Bergyres since 1961 , the Tropicana 's show was recently revamped and updated . The Tropicana shut down . contradictory +And then you 'd see little toes twinkling behind their ears . You 'd see their ears shining below their toes . contradictory +i did too and you have a good day I hope you have a rotten day . contradictory +See The Sound of One Hand Talking for Slate ' s take on Franklin and the panel . ) You can see the opinion of Slate on Franklin and the panel . entailment +Clinton 's spokesmen have learned to brush off Republican critics of engagement by quoting the policy 's Republican defenders . Clinton 's team has found out that by quoting the policy 's Republican defenders , the Republican critics will leave them alone . entailment +Others argue that a competitive news environment is to blame . Others argue that fault is on competitive news environments and not on Obama . neutral +Changes can be noted by recording arrival and departure times directly on an employee 's time sheet , recording arrival and departure times on a centrally maintained timein / timeout log used by many employees , or noting the number of hours and minutes of the deviation in a record that the supervisor maintains . An employee 's time sheet records arrival and departure times . entailment +Information technology effectively integrated into strategic plans and performance management practices can lead to increased customer satisfaction , government productivity gains , and significant cost reductions- increasingly important attributes to a government with a declining employee base . Information technology can be used to increase customer satisfaction . entailment +The last time Prudie checked , girlfriends could not prescribe drugs . Boyfriends , however , could prescribe three medications a year . neutral +In some cases , an entity may have other resources or obligations that were not specifically addressed in the stewardship standards , but that the entity believes may be material to the presentation of its stewardship information . The stewardship standard is almost always missing resources . neutral +They may , if they so desire , do additional research . They are not capable of doing any further research . contradictory +because you know they take and Uncle Sam takes his the Social Security which probably won 't be here when i get that old you know I have no worries about getting my social security when I get that old , I will definitely get it . contradictory +put all the money into the expansion box and all this that and the other and uh things just kept changing so much and i kept getting rid of them and i finally said well you can 't do this you 've got to buy something and stick with it so i After some time , I decided to get one thing and stick with it . entailment +The member countries have more people and exports than the United States but a somewhat smaller gross domestic product . The United States has a larger gross domestic product than the member countries . entailment +For each subsequent year , agencies are to include performance data for the year covered by the report and 3 prior years . Each year agencies may adjust their performance goals . neutral +Children will also enjoy the excellent sea-life center , Nausicaa , half an hour 's drive north in Boulogne ( the coast road is the prettiest ) . Kids like Nausicaa because it has sea life they 've never seen before . neutral +We need your help and advice on this issue , before it 's too late . We don 't need any help at all . contradictory +As they focus on the outcomes they hope to achieve , federal managers increasingly are finding that the traditional ways they measured their success-and thus the traditional ways they did business and provided services-are no longer appropriate or practical . Federal managers are finding that old ways of measuring success are no longer practical . entailment +right i think that 's what i would tell parents We shouldn 't tell the parents what we are doing . contradictory +Strong central government under a High Commissioner left considerable powers in the hands of the States ' Malay rulers . A strong central government based off the United States left lots of power in the hands of Malay rulers . neutral +The Supplementary Information accompanying the final rule states in this This final rule includes a good amount of information necessary to gain a broad understanding . neutral +If its soul is superficial , flighty , and playful well , this is the entertainment capital of the world ! The superficial vibe of the entertainment world is not as dominant here as you would think . neutral +This would allow a plausible estimate of the revenue the Postal Service would receive by applying domestic postage rates to such mail . It is not possible to estimate the revenue for the Postal Service . contradictory +Some one with a good deal of intelligence , remarked Poirot dryly . Poirot was often ironic in his remarks . neutral +and it was sort of it was acceptable to say certain types of things to her that she couldn 't say back that kind of thing which i i i i found myself getting really quite enraged about It makes me angry when women are not allowed to speak back or defend themselves . neutral +yeah um a friend of mine works at uh IBM in Charlotte At IBM in Charlotte , I have a friend that works there . entailment +Once a product is publicly released , GAO staff with expertise in the subject matter will answer questions from the media when asked . GAO can answer questions about product safety . neutral +According to the results of three recent surveys , the private sector commonly allows its employees to retain for personal use frequent flyer miles received on business travel . Allowing employees to use their frequent flyer miles were treated as a type of benefit . neutral +The long Relax , dynasties haven 't killed the men 's game . Dynasties do not do anything to hurt the men 's game . neutral +Verdun was the site of a major battle in World War I and was badly damaged by bombing in 1944 . Verdun was not damaged in 1944 . contradictory +Bees harvest the pollen of the wild herbs on the hillsides to produce delicious honey to which fresh nuts ( almonds or walnuts ) are added . Bees harvest pollen from plants to make honey . entailment +it 's nice and dark and quiet so it just kind of depends on the occasion It 's very tranquil , nice and dark . entailment +The taxpayer clinic is unique because it is one of the few opportunities for tax practitioners to assist individual taxpayers on a pro bono basis . At the event tax preparers are available to help citizens . entailment +And third , in the issue it published the following Monday , Newsweek included the full excerpt--which is where Brill found the out-of-context quote he claims Newsweek ignored . Newsweek just printed the first page . contradictory +The federal court suit The unitary court . contradictory +Managerial Cost Accounting Standards Managerial cost standards for accountants entailment +And still more unusual , he was not concerned with the follies and foibles of everyday life , that least interesting comic subject , but something deeper , darker , and less ephemeral . The deep , dark , and less ephemeral are his concerns . entailment +yeah i got a whole roll of Krugerrands here would you like to buy i just made them last night I hope to get lots of money selling my Kruggerands . neutral +that 's about it i 'm just waiting because see it 's tornado season The tornado season is an ideal time to carry out my plan . contradictory +the war you mean in terms of the economy or The peace , you mean the economy . contradictory +I guess there must have been . " But Tommy 's common sense pointed out objections . Common sense indicated that it might not have been . entailment +The coast here is all but uninhabited . The coast here has a lot of life . entailment +yeah yeah right he felt that he really had an in so you know he things he would do with an airplane but any rate that 's off the subject no i haven 't seen i haven 't seen He thought he was the best at flying planes neutral +where is it i 've just been up there skiing and well we 've driven through you know but but not you know camping or anything but i would love to camp in the mountains We 've been skiing there , but I would like to go camping there . entailment +Tommy had not a note of music in his voice , but his lungs were excellent . Tommy had great lungs , but he chose not to sing . neutral +This is a monument for its own sake . This is a monument for the people and the government . contradictory +The bottom line is America 's law school graduates are drowning in debt and shut out of public service at a time when the federal government is facing losses of over half its work force due to retirements , said Max Stier , president and chief executive of the Partnership for Public Service . Law school in America is an expensive endeavor and often leaves its students in debt . entailment +If you wish to get to know the people , you can arrange to visit them with a guide ( see page 121 ) . It is best to see people with a guide due to the language barrier . neutral +His contributions in these passages are largely unobtrusive--and in a medium without a visual component , not especially bothersome--but the choice nevertheless seems eccentric . His additions were so bold , they seemed to take over the piece entirely . contradictory +The scary traffic is a real experience vehicles of all kinds jockey for position on crowded streets , missing each other by inches , and speeding on the freeways is rampant . Driving can be scary with cars cutting each other off and barely missing . entailment +The caves can be spotted from the roadside but are easy to miss unless a guide points them out . It 's easy to see the caves from the roadside - you can 't miss them . contradictory +Highlights include an Indian-style Shaka triad ; the Yumechigae ( Dream Changing ) Kannon , said to transform its worshippers ' nightmares into pleasant dreams ; and the Kudara Kannon , a graceful , willowy statue named after a region in Korea , whose designer and creator was almost certainly Korean . Highlights include an Indian-style Shaka triad ; the Yumechigae ( Dream Changing ) Kannon , said to transform its worshippers ' nightmares into pleasant dreams ; and the Kudara Kannon , a graceful , dainty statue named after a region in Korea , whose designer and creator most likely certainly Korean . entailment +They are usually presented on a tray at your table , or in a glass-fronted display case , and you can choose as few or as many dishes as you like . Dishes are usually selected for you by the chef . contradictory +David Feige 's comments about Lying Lawyers were not far off target--if the target was set up in New York state , in about 1975 . Lawyers were frequently caught up in lies in the mid-70 's . neutral +you know bottle covers and You know bottle bases . contradictory +A third came around the corner with a two handed sword . Another came around the corner with a sword . entailment +Phil Knight , CEO of Nike , forced by inclement weather to abandon his attempt to become the first man to circumnavigate the globe riding on the back of an 11-year-old Indonesian girl . Phil Knight did not go around the world because of money issues . contradictory +Long it certainly is , at 1,250 km ( 776 miles ) from snout to tail . At 1,250 km from snout to tail it is certainly long . entailment +According to legend this uninhabited island was the birthplace of the great Carthaginian warrior Hannibal . There are no legends which suggest that Hannibal may have been born on the island . contradictory +It charts the history of Scotland , bringing under one roof a number of important collections of artifacts . The history of Scotland is covered in the museum . entailment +There was a string of obvious ritual commands in their sacred language . The rituals were performed in modern English . contradictory +Environmental Protection Control of Air Final Rule for New Gasoline Spark-Ignition Marine Engines There is a final rule for gas marine engines made after 1993 . neutral +Getting married over the anvil soon became a stock phrase used to refer to the marriage of young couples . The marriage of young couples was popular at that time . neutral +Take the road to Agaa Vavara , in a vine-filled valley skirting the looming mountains of the Ida range to the west . The looming mountains of the Ida range keep the temperatures cool in Agaa Vavara . neutral +features the findings of a psychologist who claims he can predict with 90 percent accuracy whether a marriage will endure or dissolve . The psychologist told us that our marriage won 't last long . neutral +Marriage-alliance and conquest allowed the Guptas to create an empire from Bengal to the Punjab and from Kashmir to the Deccan . Even through alliance the Gupta 's could not form an empire . contradictory +He spent an hour rigging up a portable saw to use in attempting to cut off a smaller piece of the sky , and then saw the motor burn out when he switched it on . He spent time trying to cut off a smaller piece of the sky , but the motor burned out . entailment +Well , I hope not . I hope not . entailment +For the moment they benumbed his brain . Temporarily , they deadened his mind . entailment +All right , you 'll have to get rid of it . You will have to dispose of it , all right . entailment +The remains , which include streets with houses and pretty communal squares , have been placed under a protective , corrugated roof that gets hot and crowded , so try to visit as early in the day as possible . The remains include the trees and dried up ponds , visit them whenever you feel like it . contradictory +With the sun gone and the stars rocking into dizzy new configurations , there was no night or day , nor any way to guess the passage of time . With the sun gone , it was dark and cold in this world . neutral +Your mistress had a quarrel ? " Your mistress never fought ? contradictory +Mrs. Vandemeyer . Mrs. Vandemeyer isn 't a person , place , or thing . contradictory +Parametric analyses are conducted by varying volume under different assumptions about the extent that institutional cost varies over the long run . A parametric analysis uses and makes no assumptions . contradictory +This therapist gives counseling via Escape , because you know , I don 't have the time to do it in person , ' here Czarek paused waiting for a question which would suit him . All therapy is done in person . contradictory +Currently , TEAJF manages funds from the Interest on Lawyers ' Trust Accounts ( IOLTA ) Program ; Basic Civil Legal Services ( BCLS ) , a court filing fee add-on ; and the Crime Victims Civil Legal Services ( CVCLS ) Program . The Interest on Lawyers ' Trust Accounts Program is know as the IOLTA . entailment +Slate ' s most damning exhibit is the Norton Anthology of African-American Literature , a project to which I 've devoted a great deal of time and energy over a decade . The Norton Anthology of African-American Literature was not at all controversial . contradictory +There is now a chapel occupying the site , which has long been a place of pilgrimage , but the building 's foundations may date from the first century . The site is now occupied by a chapel , the foundation might be a century old at the very least . entailment +In this regard , during hearings that predated the 1980 Act , the Deputy Assistant Attorney General of the Office of Legal Counsel testified , a [ T ] he long and the short of it is that virtually every piece of information that was requested was eventually provided and it was provided because the Attorney General said this is what we think the law requires . The Attorney General thought the law required all information be provided . entailment +McKinney said she wouldn 't know what to do if Legal Services weren 't around . Legal Services were a life saver to McKinney . neutral +And mind the tea comes in separate teapots , she added severely . She noted that the tea comes in red , purple , and orange teapots . neutral +well that 's fairly new mine mine is an eighty four Sentra My car is not a new car . neutral +Living Out Loud becomes an ode to openness , to letting in everything that the world throws at you . Living Out Loud is a best-selling self-help book . neutral +huh-uh no no i think it 's become too much of an everyday life here they 're part of it Nobody but me is part of it . contradictory +I shouted the name three times very loud . I quietly whispered the name seven times . contradictory +They began to sell microscopes , and secretly , as a freebie , were including with each purchase a set of several million pucks . They sold pucks and gave away free microscopes with them . contradictory +He looked down at the tattoos that crossed the large man 's chest . He looked at the man 's tattoos . entailment +oh oh that 's okay yeah Rochester 's a nice town too they they said that they had had uh lots of pretty little parks and stuff up there that just been wiped out Many parks in Rochester have been closed down . entailment +that 's what i mean there 's a lot of reasons why i don 't go to movies and primarily i mean i now i 'm probably going to going to upset you but people who bring kids irritates the heck out of me There 's a lot of reasons why I don 't go see movies . entailment +through school through college i i just don 't think people have that opportunity anymore People don 't have the opportunity to work outside anymore . neutral +Zuiho-in is a monastery whose curious gardens combine Zen Buddhist and Christian symbolism , together with both an attractive rock garden and a unusually geometric tea garden . Zuiho-in is a monastery where a garden is combined with Buddhist and Christian symbolism . entailment +Obviously , [ the Serbs ] don 't want them heavily armed , but they 've got to be armed sufficiently to protect themselves . The Serbians don 't want them heavily armed , but they must be to protect themselves . entailment +um it uh you know i seem to uh use those more than i do cash in fact i 'd rather carry the cards than i would the uh cash I seem to use more cards than cash , actually , I prefer to not use cash . entailment +no it 's not chopsticks it 's the other one that has the um oh i don 't even i don 't i don 't know enough about music to do it but you the bottom person uses two hands and the top person just uses one hand and it 's this little melody i it may have been a girl thing He rarely studied music and knew next to nothing about anything relating to music , although he enjoyed K-Pop . neutral +it 's good talking to you bye-bye It was good speaking with you , goodbye . entailment +well there 's so many neat places along the way i mean you 've got Arkansas you know and You 've got many cool places , like Arkansas , along the way . entailment +yeah yeah there 's there 's hardly no open alleys anymore it 's all Most of the alleys are closed nowadays . entailment +uh i i i fully expect that that any test results that comeback for me would be negative that in in the event that one would be positive there 's no recourse other than get yourself a lawyer or go to this counseling session and admit guilt uh they won 't accept anything else I was sure the results would come back negative . entailment +Then take the packet to the American Embassy , and deliver it into the Ambassador 's own hands . You need to put the packet directly in the Ambassador 's own hands at the American Embassy . entailment +a therapist for Rossa it 's a Christian treatment organization There is a Christian treatment organization called A Therapist for Rossa . entailment +But the best studies of intensive-supervision programs for high-risk parolees soon found that the programs cut neither recidivism nor costs . Intensive-supervision program studies did find that lower risk parolees cut the recidivism rate . neutral +Trainers calculate how their Pokemon 's talents match against rivals , a fiendishly complicated task that requires mastering and manipulating information about every monster--a 151-variable algebra problem . The system that trainers use to calculate their Pokemon 's talents is complicated . entailment +Khaki shirt , khaki breeches , a wide , webbed belt , a flat-brimmed hat . All the clothes he was wearing were brand new . neutral +The pink-domed church of San Giovanni degli Eremiti ( Via dei Benedettini ) is an intriguing example of 12th-century Arab-Norman design . The church of San Giovanni degli Eremiti is the only Arab-Norman structure for 20 miles . neutral +This will not bring back the dead , he added . But he knew this would not bring the dead back to life . entailment +The second walk is one of the island 's most popular levada trails . Shoes should be worn at all time on these trails . neutral +Well i most of them have uh the option the American American made cars have uh the the miles per hour as the big scale and they 're little tick marks uh sort of hidden on the scale which shows kilometers per hour American cars use miles per hour as primary units of measurement with kilometers per hour being secondary . entailment +The caves can be spotted from the roadside but are easy to miss unless a guide points them out . It 's possible to see the caves from the road , but it 's easy to overlook them unless you know where they are . entailment +After many years of repression , new freedoms and autonomy were granted to Spanish regions , including the Balearics , and their languages and cultures enjoyed a long-desired renaissance . Spanish regions always have and always will be controlled and dictated . contradictory +i was going oh wait a minute come on guys this is crummy I am going to wait a minute - hey , this is awful entailment +The flaw is best expressed when she refers to last week as windfall week . There weren 't any flaws . contradictory +yeah i 've been in positions before where i 've had to wait a few days you know to have a prescription filled because i just didn 't have it I 've been in that position before where I had to wait days for a prescription because I couldn 't afford it . entailment +Moreover , any additional costs would be eligible to receive up to 50 percent Federal matching funds . Federal funds will match up to 50 percent of the additional costs . entailment +To the left of the entrance are the monks ' bakery and an imposing pigeon loft . There is a pigeon loft located to the entrance 's left . entailment +It may catch him , she murmured . She said the lion might catch him . neutral +A few banks charge fees as high as 23 percent of the gross interest earned . The banks are looking to increase their fees . neutral +She clashed early on with Edinburgh 's famous Protestant reformer , John Knox , who held sway in St. Giles but later adopted an uneasy policy of religious tolerance . John Knox is the namesake of Knoxville Tenessee neutral +It just tickles me to death ! " Then he added seriously : " But say now , I don 't like it , Miss Tuppence , I sure don 't . I am a very ticklish person . neutral +He gets a 20 percent commission on each winning bid , though he takes no responsibility for executing financial transactions or medical procedures . He gets a 20 percent commission on each winning bid but he does no work . neutral +A production readiness review identified the lack of statistical process control as a major weakness that needs to be corrected . A production readiness review was conducted . entailment +She smiled at him . She was so happy to see him ! neutral +it 's too many for students It 's too much for the students entailment +Gay rights activists deemed it a triumph of our common humanity that paves the way for similar rights nationally . Gay rights activists said it was a failure which will set back similar changes nationally . contradictory +For more than a century , the most exhilarating way up Victoria Peak has been by funicular . The funicular wasn 't a very exhilarating way up Victoria Peak . contradictory +That same year , it was investigated by the government on bribery charges related to F-16 sales , and fined $ 25 million for bribing an Egyptian minister to help arrange a $ 79 million sale of three transport planes . That year it was investigated on bribery charges and fined 25 million for bribing an Egyptian minister . entailment +so i don 't think there 's ever been a war that 's been so thoroughly covered by the news That war was covered by the news more thoroughly than any other war . entailment +He looked down at his body , sick in his mind . He looked down at himself , disgust filling his mind . entailment +Another posting stated there is a tremendous amount of pro bono work done at BIGLAW ( large law firms ) in civil rights matters . There was another posting . entailment +22 Also , there are cases where merchandise is treated different from non-merchandise and where , under the MBMFC rule discussed above , some kinds of content may use one subclass and not others . The rules regarding reporting of items are complex and vary from item to item . entailment +For more information on how depreciation is measured in NIPA , see Arnold Katz and Shelby Herman , Improved Estimates of Fixed Reproducible Tangible Wealth , 1929-95 , Survey of Current Business , Bureau of Economic Analysis The 1929-95 Survey of Current Business isn 't a good source of additional information on how NIPA measures depreciation . contradictory +Aztecs from a place called Tenochtitlan . People born in the southern parts of Tenochtitlan . neutral +they could of had a lottery they don 't want a lottery why not i would rather pay for a lottery a dollar two three dollars whatever i 'm paying you know a week or whatever A lottery system is what we could focus on . I would rather pay a few dollars a week . entailment +but you don 't eat fish either do you As a vegan you don 't eat fish , right ? neutral +yeah you it 's it 's hard sometimes at work because you know people say oh we 're taking a cruise we 're going here we 're going there you know because they have a lot more money It 's hard at work because people there have more money . entailment +It includes , returns , allowances , and price redeterminations but not credit losses ( due to the inability of the debtor to pay the established or negotiated price ) . The law would not let them count it . neutral +The backdoor sniping has become so pernicious and prevalent that even retired Gen. Backdoor sniping has become prevalent . entailment +well what else Well , what else ? entailment +That is , as Reischauer quickly adds , if budget balance is your prime desire and you believe that cuts in discretionary spending are the way to go . There are many experts in the field who disagree with Reischauer 's assessment . neutral +you know i i 've in hindsight seen some things that i wished that you know i had done something about that was you know within my power or uh you know wish that in some ways we as parents had more control over I regret not doing more in the past . neutral +oh oh yeah but then you think about how many have been in there longer than that Yes , until you consider how many have been in there for longer than that . entailment +Thus , her apartment was filled with Neuro-interface clamps , Virtual Reality Headsets , Holographic Immersion pads ; some of it quite high-end stuff , some of it quite nasty looking . Her apartment was filled with Neuro-interface clamps , Virtual Reality Headsets , Holographic Immersion pads due to her past work at high tech labs . neutral +Demands . Harsh requests that must be fulfilled . entailment +For centuries , the Sephardic Jewish neighborhoods of cities from Tangier , Fez , and Amsterdam to Salonika , Istanbul , and Aleppo echoed with Ladino , a 15th-century Castilian dialect ( sprinkled with Hebrew words ) spoken by the Spanish exiles wherever they settled . Certain Sephardic Jewish neighborhoods of cities like Tangier , speak the Ladino dialect . entailment +Jon fired again , seeing a satisfying gush of blood explode from the hard leather armor of the left rider . Jon never fired his pistol . contradictory +Back then , the Disability Law Center , Legal Aid Society and Utah Legal Services combined received less than $ 75,000 in donations from lawyers and other legal professionals . There was more than $ 100,000 given by law professionals to the various agencies . contradictory +Inside is a museum of his designs and models . Most of his designs are in the museum . neutral +but now i don 't know I never knew . contradictory +Jon stood at the tent flap . He was reluctant to go in . neutral +then that raises a question of how you know are you going to pay them or are you going to provide them with you know place to live and food to eat and whether they have a family you know did you think about how you were going to support them entailment +These survey results are also consistent with the experience of one large corporation that we contacted in 1994 after learning that it had established a program to capture and use for company travel frequent flyer miles received by employees on company business . Survey results are in line with the experience of a large corporation . entailment +well yeah well see that 's in in Dallas there there no plan to build i think that there 's some in East Texas there 's some pulp mills but uh you have to go to Houston and uh it 's interesting and then there 's places that 'll buy metal and they still buy aluminum can in fact that We recycle all aluminum , metal , and paper goods . neutral +For example , Japanese households face greater borrowing constraints than households in the United States and must save a great deal to purchase a home . Japanese households have more constraints on borrowing than Americans do . entailment +If such evidence is present , return Kennewick Man to his rightful tribal reservation . Kennewick Man has been gone for long enough from his tribe . neutral +In reporting on deficiencies in internal control , auditors should identify those that are individually or in the aggregate considered to be material weaknesses . Auditors do not need to report on material weaknesses . contradictory +which is uh uh a propaganda phrase used a lot against exactly such types of spending programs and um Those spending programs are universally talked about in glowing , rational terms . contradictory +They kept asking about the noise I heard . They had a lot of questions about the noise . entailment +i loved it there though I enjoyed my time there . entailment +The most prominent site in Blackpool is the Tower , opened in 1849 ; some think it served as the inspiration for Tour d 'Eiffel in Paris . The most outstanding site in Blackpool is the Tower , opened in 1849 ; some think it served as the inspiration for Tour d 'Eiffel in Paris . neutral +We agree that climate change is a serious issue we need to address . Climate change has already been addressed . contradictory +Ceterns , some of them dating from Moorish times , catch whatever rain falls from the sky , and when needed , supplementary water supplies are shipped in to this desert island . Ceterns provide all of the needed water in winter . neutral +Created by Amelia Hill , it is the only statue in the garden to have been sculpted by a woman . The only sculpture in the garden with a female sculptor wasn 't done by Amelia Hill . contradictory +Moreover , assessment of financial condition could include analysis of trends , demands , commitments , events , and uncertainties . Assessment of financial condition is takes a team of ten about a month to complete . neutral +What will you do in the caves ? asked Adrin . Someone was going to the caves . entailment +I must say ” ” " But I stopped suddenly . I was thinking about what to say neutral +First , two students were charged with killing their infant in a motel room and dumping it in the trash . Only the father was charged with the murder . contradictory +EPA has considered numerous regulatory alternatives to the final provisions of the rule , which are discussed in both the preamble to the final rule and the Regulatory Impact Analysis , but has determined that the requirements expressed in the final rule constitute the most cost-effective and least burdensome alternative that would meet the mandate of section 206 ( h ) of the Clean Air Act . EPA has considered 54 regulatory alternatives to the final provisions of the rule . neutral +2 ) No , he 's been campaigning for months . He 's been campaigning for a long time because he wants the position . neutral +The designbuild contract approach represents a much larger step toward outsourcing of traditional owner functions than occurs with the abovedescribed CM contract . Owner functions can be outsourced to companies that can show better performance metrics . neutral +like last Saturday we went had some errands to run and so we took the kids and and we went by the Farmers Market down in in down there in Garland They have a Farmers Market in Garland every weekend . neutral +Most employers don 't exploit their workers , but there are some employers who really do take advantage of their workers , and immigrants are more vulnerable to this abuse . All employers exploit workers . contradictory +We 're in a vacuum without helping others . We should try to help the poor people get on their feet . neutral +EPA notes that the benefits to be derived are basically those to be achieved directly through the knowledge about the use and disposition of toxic chemicals and the changes in behavior that may result from the information reported to the TRI . EPA acknowledges that the benefits are obtained from knowledge of how to use the chemicals . entailment +Well , he admitted , " I guess it could be worse . He denied that the situation could be any worse than it was . entailment +Through comprehensive revisions to its charter , processes , organization and systems , Pfizer has reduced the cost associated with transaction processing activities by up to 50 percent in certain functions and shifted its focus to activities that directly support Pfizer 's business objectives . They were not able to reduce their costs . contradictory +and uh she she got pregnant and then we decided she would stay home with the kids we would make that sacrifice it is a financial sacrifice to make because we go from two incomes down to one We decided not to have any kids because we liked having so much spare income . contradictory +The letterhead on correspondence still bears the Bexar County Legal Aid name , even though the organization is no longer . It was dissolved 3 years ago . neutral +Although the Taliban operates autonomously , its advance would not have been possible without foreign backing . The Taliban would not have made progress without foreign support . entailment +The presidential candidates are beginning to acknowledge all this online campaign talk , if only halfheartedly . People running for President have not always acknowledged online aspects of campaigning , but they are beginning to , if not enthusiastically . entailment +But then he took something from us , something very dangerous . There 's nothing dangerous about what he took . contradictory +changed much over the years . Became better and better over the years . neutral +no i 'm in San Antonio No , I 'm in San Antonio right now , I 'll leave on friday neutral +Another limitation of this seminal study is that 50 % of participants were lost to follow-up at 12 months . Every patient follows up after a year . contradictory +It was as good as he 'd said it was--and completely damning to all of his theories and hopes . It was very dooming to all of the theories and hopes of him . entailment +Nearby is Casa Romana , a Roman villa recreated in every detail . There is a recreated Roman villa located not far away . entailment +More tax cuts ! There should be more cuts on taxes . entailment +Republican fund-raising hypocrisy 1 ) The Washington There are absolutely no Republican hypocrisies . contradictory +really i like it I enjoy it . entailment +Dental care is just another way to spend discretionary income , competing with a vacation or a new car . If you need dental care , you can forget about buying a new car until the dentist is paid off . neutral +and it was really important for me to be able to be out in time to swing by the school and pick my son up I was always able to leave in time . neutral +Major hotels tend to have their own tennis courts , but there are tennis clubs and public courts as well . Small hotels do not have their own tennis courts . neutral +I 'm afraid this is kind of a one joke question , and the joke is cheap and easy blasphemy . The joke did not contain a trace of blasphemy . contradictory +to doctors but they have since dropped that i guess it got to be you know not cost effective It 's too bad , because it used to be a great service . neutral +Still , it 's worth recognizing that Psychic Friends was an enterprise created as a response to people 's uncertainty about the world ( it 's probably no accident that it cropped up around the time of the Gulf War ) . People think psychics are stupid and no one ever uses them . contradictory +Let 's hear it . Don 't say a thing about it . contradictory +His 20-year reign , weak at best , ended in all-round abdication , arrest , and war . At the end of his mediocre reign , he abdicated , was placed under arrest , and finally , the country sank into war . entailment +It was destroyed by the Muslims at the end of the 12th century and the monks fled to Nepal and Tibet . The monks old after it was destroyed by Muslims . entailment +and um that was pretty heartrending for her i think when she finally came to the realization that you know no i cannot i cannot take care of myself I think it was heartrending for her to realize that I am not able to care for myself . entailment +High scorers on mental tests do bunch up ( as Herrnstein and Murray put it ) in elite-university student bodies . Those who score high on mental tests tend to have more adversity in their life . neutral +to me you need to have two what 's wrong with having two days uh Thursday Friday or three two and a days Thursday Friday and Saturday or something you know where people can vote uh i don 't think there 's a i don 't think there 's a lot of politicians want a heavy vote out because uh i can agree in local elections elections which usually are on Saturdays and i 'm not too sure that 's the best idea i think maybe you should have it you know Friday noon till Saturday so that people who i like do things during the week It should be two days to vote . entailment +For the Ancient Egyptians , Aswan was the place where the yearly flood of the Nile began . Aswan was the site where Ancient Egyptians could witness the start of the annual flooding of the Nile . neutral +Give yourself a bare minimum of three days , time to get lost ( you 're never very far from the main landmarks signposted with bright yellow arrows ) . Don 't spend more than a couple days there . contradictory +Those who have just left their seed or those with a sack full of silver may have a more open view of your plight . Those with a sack of silver may have a different perspective . entailment +But he was not Jon . The man was not Jon , but he perhaps knew where Jon was . neutral +Red was watching out of the corner of his eyes again . Red was shifting his eyes to the side to watch again . neutral +Austria seized the occasion to add the Veneto to its Lombardy territories . Overtaking Veneto was a great strategic decision for Austria . neutral +There is a growing body of experience by other governments that might help policymakers address the question of whether and how the federal government can or should acquire nonfederal financial instruments . There is a growing body of experience by other governments that might help policymakers ignore the question . contradictory +For example , FHWA set a performance expectation for senior executives to develop strategies to achieve FHWA 's strategic objectives and performance goals . Performance goals are not to be included in the strategies developed . contradictory +The Normans , following the pattern of earlier invaders , became rapidly assimilated . The Normans were deeply reluctant to assimilate . contradictory +The commission will also contribute enough money next year to pay Mathews 15 hours a week , to offset a 40 percent cut in the Richmond Legal Services ' office budget . Mathews was going to get paid $ 300 weekly next year . neutral +The saintly Omar Ibn el Khattab , second successor to Muhammad and the Muslim conqueror of Jerusalem in a.d. 638 , declined an invitation from the Christian Patriarch to pray at the Holy Sepulcher for fear his followers might then want to turn the site into a mosque . Omar Ibn el Khattab is not seen as saintly by anyone . contradictory +Pompey 's Pillar sits only a few minutes ' walk to the southwest . There is something to the northeast too . neutral +Court of Appeals panel in Philadelphia to throw out the law , calling it profoundly repugnant . The immigration law was called profoundly repugnant . neutral +Statistical sampling would only be needed for monitoring the system operations through periodic testing . Monitoring the system operations through periodic testing would need statistical sampling . entailment +The design for the new building was the subject of a competition won by Spanish architect and designer Enric Miralles . The new building 's design was drawn up by an English architect . contradictory +Also , Simova discovered the truth about the wartime atrocities almost immediately afterward , including her own parents ' deaths in Auschwitz . Simova discovered that her parents died in Auschwitz . entailment +A check or money order should be made out to the Superintendent of Documents . The chief of documents requires a bribe . neutral +I 'm through ! I 've had enough ! entailment +The now all-too-familiar process of totalitarianism set Opposition leaders were assassinated ; their parties , free unions , and free press all abolished . Free unions were encouraged . contradictory +but they 're easy to use They 're difficult to use . contradictory +The Roundheads had arrived . The Roundheads had gotten there entailment +Good heavens , no ! Yes , of course . contradictory +We will see about it . We 'll be seeing . entailment +The allocation base used to assign a cost to objects is not necessarily the cause of the cost . Allocation base isn 't necessarily the cause of cost entailment +I should think I did ! I would be better off assuming that I forgot to do it . contradictory +But Sir Ernest 's cross-examination was yet to come . Sir Ernest 's cross-examination had already been doen . contradictory +Government dissaving absorbs funds available for private investment and puts upward pressure on interest rates . If the government doesn 't save , interest rates go down . contradictory +I am a devotee of Marshall 's and frequently follow his advice . Marshall is an important person to devote myself to . neutral +But they only have one ship , sir . They have a single shit , sir . entailment +That 's a compliment , I suppose ? 123 " Sure . Is that a compliment ? entailment +The establishments listed below offer a cross-section of local restaurants , and should convince you that not everything on the island comes with chips ( french fries ) . There are no chips on the island . contradictory +The Americans ' one-point victory over the European team was the biggest comeback in the tournament 's history . The American 's victory was the most exciting game to watch this year . neutral +Get real ! You need to get real entailment +Gods , she was beautiful , thought Jon . Jon thought she was ugly . contradictory +Then in the supporting text , she suggested addressing the different people who might be doing the screening and the need to tie it to intervention . She thinks that screeners need more intervention training . neutral +The mercenaries seek money . Money is sought after by the mercenaries . entailment +It almost cost your life . It nearly caused you to die . entailment +Chapter headings in Wendy Shalit 's new book , When Modesty Fails .-- Ananda Gupta When Modesty Fails is not a book by Wendy Shalit . contradictory +yeah i 've seen well i 've seen them around anyway you know You know , I have seen them around . entailment +that did that because i know that the the preceding the preceding day Thursday i got my first sunburn for the season out on uh Ocean City Beach I had gotten my first sunburn of the season the preceding Thursday at Ocean City Beach . entailment +With its proximity to the countryside only ten minutes in any direction to the seashore or unbroken green hills it comes as no surprise to learn that it has been confirmed as one of the most congenial places to live in the UK . The countryside is hours away from the bustling city . contradictory +and that she does that on Thursdays and then occasional Saturday 's and i can take off on those Thursday 's and be home in time to for her to go off to work and it 's cheaper for me to do that and take my vacation even if i uh I can get home about 20 minutes before she has to leave . neutral +Cancellation of debt . Cancellation by manner of forgiveness of debt . neutral +What was he doing to her ? He was not interacting with the woman . contradictory +Exhibit 12 Change in Incidence of Adverse Health Effects Associated with Reductions in Particulate Matter and Ozone Due to the Clear Skies Act There was a 50 % decline in health related issues and ozone issues as a reult of the Clear Skies Act neutral +Through a Crusader arch , stairs lead down a long passageway to the Orthodox Church of the Assumption . The Crusader arch provides a way to get to the church . entailment +6 percent interest rate . The interest rate is 16 % . contradictory +saying he goes uh the problem was that there were five people saying row row row and one person rowing right All 6 guys were rowing right . contradictory +Those who think politics determines the course of technology ( e.g. Some believe politics influence the path of technology . entailment +Moreover , there must be a system to identify homeland security funds across the wide range of existing budget accounts and program activities . Identifying the funds of homeland security will need a whole new system . entailment +This does not mean cannabinoid research on rodents is worthless . Regardless , cannabinoid experimentation on rodents is still useful . entailment +They funded the Modern Art Museum , just to the north of the main square , which features the work of a selection of European modernist painters . The Modern Art Museum is located south of the square and contains renaissance art . contradictory +Our advertising does not--and never has--treated all drugs equally . We advertise about different drugs . entailment +and uh they can put a they usually install a video monitor in the house and when the parole officer calls to check on them they 're instructed to turn it on and stand in front of it The camera they stand in front of is high quality . neutral +yes i know the one thing that i think is really sad about it as i recall from the articles that i 've read is that if if people who have been there There were several articles that addressed the topic . neutral +Are they appropriate for the purpose of the case study ? They are important for the case study . neutral +I stood faithfully at my post . I wouldn 't have to stand for long . neutral +Twenty-eight states received grants for statewide websites , 13 for technology projects being undertaken on a statewide basis ( including three for statewide intake systems ) . Sixteen states received grants for statewide websites . contradictory +However , one monument to its past is the Million Dollar Theater ( 307 South Broadway ) with its whimsical terra-cotta ornamentation . Terra-cotta ornamentation can be found at the Million Dollar Theater . entailment +i don 't know if you know the it 's it 's a needs of the few and the needs of the many type situation i don 't know if everybody should have to sacrifice quite as much there there 's still a big question in my mind that the the absolute refusal to accept the possibility of of mistakes on the testing is something that still bothers me it it 's The testing has proved to be 100 % effective with no errors . contradictory +Between now and to-morrow morning . Between now and before noon . entailment +I assure you that is all that interests Peel Edgerton . " Boris shook his head doubtfully . Boris was optimistic contradictory +Clinton is said to be concerned with shaping a historical legacy , but as may be noted from his failed medical care program , his unpopular anti-Iraq saber rattling , and his largely ignored dialogue on race , the care of business is pretty much all that 's wanted of Clinton , too . Clinton is worried about what history will say about him , so he is trying to change the public 's opinion . neutral +4 ) If the LSC state planning team recommends a service area configuration that differs from that proposed by the DSPB , authorized representatives of the DSPB may seek a meeting with LSC 's Vice President for Programs to ask for reconsideration . A service area configuration was recommended by the LSC state planning team . entailment +and um i don 't know if you like this kind but i thought Pretty Woman was a really good movie too I thought Pretty Woman was a horrible movie . contradictory +We will camp up the road and meet you in the morning . The campsite is hidden in the woods . neutral +Well , tell him to look us up to-morrow morning , will you ? " Tell him to look us up on Google tomorrow . neutral +On Two Decades of Decline in the U.S. The US has been declining for twenty two years . neutral +Before that there were few cars in Nepal . There was a time when there were not many cars in Nepal . entailment +Ah , these are dreadful times ! " These are bad times that I hate . neutral +IRS 's senior executive performance plans for fiscal year 2001 are structured Due do tumultuous world events in 2001 , no performance plans for the IRS were conceived . contradictory +Oh , yes . No that 's inconceivable . contradictory +'Greuze wanted to send this body complete with historical mind- his obsession with authenticity borders on a fetish . Greuze was obsessed with historical authenticity . neutral +Anyway , it paid off for him . He was hurt in every way from it . contradictory +'Let us take a brief moment of silence for the late Ted Hughes , ' to the semiannual convention of Poetesses Who Love Anguished , Theatrical Histrionics ( PLATH ) . PLATH had a semiannual convention in NYC . neutral +how is how is apartment dwelling living in terms of general privacy and noise and things like that How is living in a giant stand alone home ? contradictory +These are handmade and will take about one week to complete . It only takes about a day to make these handcrafted items . contradictory +yeah yeah what do they do they have times of the year where they have promotions and you get gigantic crowds like maybe four thousand where they actually sell the place out They have times of the year where they have promotions . entailment +POSTAL RATE COMMISSION Memorandum Memorandum for the rate of commission regarding the Postal Service . entailment +The annexation of Danzig ( Gdansk ) marked the official start of World War II . There was no consequence of the annexation of Danzig . contradictory +Originally constructed in the 15th century , but rebuilt after an earthquake in 1748 and expanded in the 19th century , this is Funchal 's finest quinta ( estate villa ) open to the public . Funchal 's finest estate villa open to the public was originally built during the 15th century . entailment +The executive privilege ruling is a big so-what for Safire and Juan Williams ( Fox News Sunday ) . Clinton doesn 't really mind losing individual court cases as long as losing buys him time . Assuming it buys him time , Clinton has no problem with losing individual court cases . entailment +The largest cave is called the Cathedral because of its size and scale . The largest cave is called the Fortress due to its rocky exterior look . contradictory +If not , there 's usually one within easy reach . You can take as many as you wish . neutral +After 1933 Fulgencio Batista , though only a sergeant , orchestrated the strings of power through a series of puppet presidents before winning the presidency outright in 1940 . Fulgencio Batista became a president in 1960 . contradictory +! ! ' There , I masked it . I covered it . entailment +oh well that 's what i 've been reading lately a lot of um my interests switch around dramatically i used to read just mainly fiction fiction and now i like like a said i 've read a lot of self self help books I read self-help books written a long time ago mainly . neutral +He just heaved a sigh of relief when the war took me off . He felt like a burden was being lifted . entailment +On the city 's east side , Higashiyama boasts temples , theaters , museums , and parks a fine introduction to exploring the imperial city on foot . Most of the visitors explore the imperial city on foot . neutral +The Department of Labor 's original Retirement Savings Education Campaign was launched in 1995 in partnership with the The Education Departments Financial Literacy in Regards to Retirement Savings contradictory +The analysis states that the industry affected by the rule includes numerous business entities in the chain of gasoline production and the business size considered to be a small entity varies from 100 to 1500 employees under the SIC Codes and size standards of the Small Business Administration . The analysis shows no overall effect upon businesses in gasoline production . contradictory +yeah yeah i think that 's the thing that were going to see well i think the biggest thing we 're going to see coming up in the next ten years even in the even now they 're starting to do it but i think it 's going to be more in the next ten to fifteen years is that there 's going to be a lot of women and they 're going to have to work it out to working part time In the next fifteen years , women will take a stand for more full-time positions that pay well . contradictory +He neglects , of course , the fact that the Internet began life as a federal defense project . The internet began as a project to infiltrate the federal government . contradictory +7 discusses federal policies aimed at encouraging private saving . There 's a discussion on the topic of household saving and the federal policies that try to encourage it . entailment +Contact the tourist office to determine when the palace reopens . The palace will not be reopened . contradictory +Think _ at _ them . Think strong thoughts at them , it will work . neutral +So instead of trying to understand Japan forget the bizarre theories of Japaneseness just open your eyes , your ears , and of course your mind . The best way to understand Japan is to read about the theories of Japaneseness . contradictory +Uncommon Good has a few religious sponsors , including her church , Our Lady of the Assumption in Claremont , where Mintie plays piano daily at the 6 : 30 a.m. Mintie plays a flute at Our lady of the Assumption in Claremont . contradictory +It can also be several degrees warmer , which accounts for the thermal breezes and mellow summer temperatures . The weather can be warmer too . entailment +yeah i grew up in in Brooklyn New York and so i was just i was just surrounded you know by black people because i 'm Black and so you know i lived that 's where i lived I was surrounded by black people growing up . entailment +In Hong Kong the South China Morning Post reported on its front page that Indonesia 's anti-riot forces have been ordered to shoot to cripple rather than kill in clashes with protestors . The Indonesia anti riot forces have been forced to damage , but not kill protesters . entailment +Practice 4 This is the fourth practice entailment +Would he succeed in coming face to face with the girl he was seeking ? He has already met the girl successfully ? contradictory +Because combination of SCR and FGD are expected to have high mercury removal due to the SCR and FGD systems , those facilities that are so equipped are not expected to add ACI systems . SCR and FGD combinded are expected to have high mercury removal . entailment +The celebrated asymmetrical silhouette of the magnificent Gothic cathedral , with its single tower and steeple rising on the northern side of its facade , will give your tour of the city an inspiring start . The gothic cathedral had seven towers . contradictory +She is trying to get religious organizations to sponsor recipients . She is not trying to gain sponsors . contradictory +If I could only swarm about half-way along it , the proposition would be solved . There actually is news that the proposition has been already solved without you . contradictory +Cumberland sausage is the local specialty . Cumberland sausage is special to the area . entailment +The generation that follows will find its own craze . The generation will not follow its own rules . contradictory +The building at the corner of Charlotte Square and South Charlotte Street was the birthplace of Alexander Graham Bell , inventor of the telephone . Alexander Graham Bell , inventor of the telephone , was born in that building at the corner of Charlotte Square . entailment +As advertising budgets become more fragmented , it 's easy to imagine a situation in which ad agencies serve primarily to orchestrate production teams , bringing in art directors and copywriters for specific ad campaigns rather than keeping a whole staff on hand . It is hard to imagine a situation where ad agencies direct teams rather than keeping staff on hand . contradictory +and uh so but you know i have tried aerobics and i have trouble with that uh Aerobics are difficult for me . entailment +Madame Berthelot had the large vaulted kitchen built almost on a level with the river , so that an indoor well provided the closest thing to running water , and an unusually hygienic stone drain sent back the slops . The muddy river often yielded wet clay used to fashion kitchenware for the estate . neutral +While the program did not fully use each of the best practices , it did embrace the concepts of capturing design and manufacturing knowledge early in the program . The program embraced capturing design and manufacturing knowledge but did not totally use best practices . entailment +We accept , he said harshly , " on terms . He rejected the proposal unconditionally . contradictory +On the Boulevard de Clichy below , the Pigalle district is full of bars , sex shops , striptease shows , and cabarets ' running from tawdry to the famed Moulin Rouge . All of the bars and striptease shows can be found outside of the Pigalle district . contradictory +The Rembrandt Age Defying Adult Formula Toothpaste ( don 't ask about the Age Defying part ) . Rembrandt created an age defying toothpaste that whitens their teeth . neutral +Design features Uses site selection and usually a large number of cases Site selection is a very popular option for cases like these . neutral +You can also stay overnight at Ein Gedi 's modern kibbutz hotel , set in a botanical garden of exotic trees and plantings . There is a botanical garden around Ein Gedi 's hotel . entailment +Playing dirty . They played fair . contradictory +we built our home in what was a brand new subdivision in nineteen sixty five and we were the fourth lot in this subdivision to be built on We built our home in 1965 at a new subdivision . entailment +and the starter was Bosch American so Bosch American was the starter company and it went from there . neutral +The rooms are still decorated and furnished with the Baroque pomp of the 17th and 18th centuries and reconstructed following Allied bomb damage in 1943 . In 1943 Allied forces flew bombing runs . entailment +Independent committees of the board of directors , such as the auditing , compensation , and nominating committees , play an important role in effective corporate governance . Corporate governance uses checks and balances as a form of regulation . entailment +it it 's you know Van and then Lustbader B A D E R It 's just Van . contradictory +It 's refreshing that all these clients are just happy to have you as their lawyer , he said . He also said that the clients were happy to have you as their lawyer because of the phenomenal work you do . neutral +Two attitudes to recklessness and excessive caution . Two mindsets to carelessness and excessive caution . entailment +South of Caesarea the coastline changes dramatically and becomes almost straight , just as it appears on maps . The coastline at the south of Caesarea is the same as it looks on maps . entailment +He was taut as if pulled harp-string tight inside . He was relaxed and very calm . contradictory +yeah well he 's he 's he he he 's not bad and his assistants usually aren 't either He works well in conjuction with his assistants . neutral +You certainly won 't have to go out of your way to hear music performances . There are many musical performances . entailment +Another dicey issue confronting Treasury Department enforcement officials is Internet gambling . Although federal law prohibits gambling by wire in the United States , and most authorities interpret that to mean that Internet gambling is illegal here , at least one online casino , Casino Royale , looks and feels like a virtual gambling emporium . Although online gambling is illegal , there are a lot of grey areas . entailment +Men were coming down the long lines , handing something to the slaves . Men were handing something to slaves . entailment +Half the dishes that were placed before him he forgot to eat . He did not eat half of the food served . entailment +On the policy side , Atlas and Thorne contend that the combined Hudson-Bergen entity would not be able to take over the community and economic development-type services Passaic Legal Aid has been providing along with the core litigation services traditionally offered by legal aid providers . Atlas and Thorne say that combining it wouldn 't give legal services to the poor . neutral +Adjoining the temple ( founded by Swami P. Yogananda ) is a beautiful gardenwith gazebos , lakes , and waterfalls . The entire garden can be seen from the temple . neutral +i guess why I don 't think that 's why . contradictory +Fifty pounds ought to last us a few days . " Fifty pounds should be plenty to get us through a few days . entailment +With a bicameral government under a constitutional monarchy ( see page 15 ) , the independent Federation made Malay the compulsory national language and Islam the official religion . In Malay the official religion is Islam and the official language is Malay . entailment +Facilities will also need to modify their Title V operating permit to incorporate the added control devices and the associated reduced emission limits . Facilities must change their Title V operating permit . entailment +Santorini and Mykonos in particular have a plethora of designer clothing and shoes from Europe and the United States . Santorini and Mykonis has lots of designer clothing from Europe and America . entailment +Today , motor scooters often drown the sound of playing children , and mobile phones are heard far more frequently than the haunting cadences of the bazouki . Everyone is in possession of at least one mobile phone . neutral +Perhaps you 're right , Dorcas , yes , no , not now . You are completely wrong Dorcas , now is the only time . contradictory +In a competitive environment , it might not be left with police powers and the right to select those activities in the crime area that would give it a competitive advantage . The environment is competitive because a lot of companies want to make money . neutral +She gripped my face , and kissed me softly . She kissed me and pulled me in closer . neutral +And on tour with the president in Africa , Jesse Jackson gives Maureen Dowd his theology of the Lewinsky There are nine more Commandments . Jesse JAckson has never been to Africa is incorrect because he has been at least once according to this line . contradictory +With no skilled Muslim labor at his disposal , Qutb called on local craftsmen to build the mosque from the ruins of 27 Hindu and Jain temples , demolished by their own elephants . 27 Hindu and Jain temples were destroyed by elephants . entailment +Interview users and managers , if necessary , todetermine whether they concur with the solicitation . Don 't ask the managers about the solicitation , they don 't need to know about it . contradictory +Their cumulative and longer term effects , however , some of which may be largely unknown at this time , may be substantial . While we don 't know what the longer term effects may be , they 're likely to be substantial . entailment +Well , my good fellow , what is it ? asked Tommy . Tommy asked him what it was . entailment +There is an informative recorded tape in several languages ( you listen on headphones as you tour the attractions ) to help you make the most of your visit . They don 't offer a formal tour . contradictory +But for its over one million residents and 30 million annual visitors , it is this very characteristic namely the city 's uncanny ability to sense the next big thing , or failing that , to create one that makes Las Vegas the city of their dreams . Las Vegas is a slow-moving town that is often lagging behind more progressive areas . contradictory +and they play a lot they play a lot longer season too The season has more games for them . neutral +Featured here are ancient jewelry , including a Celtic diadem from the 2nd century b.c. , medieval and Renaissance masterpieces in ivory and enamel , gold and silver , rare church vestments , and medieval weapons . All of the jewelry here is contemporary . contradictory +You know something , thought Tuppence to herself , but aloud she only said : " Going to dish up now ? She stood in silence . contradictory +Am I right , madame ? She bowed her head . Am I right , Madame ? She nodded . entailment +The open trading program gives power plants the flexibility to choose how they meet their target emission reductions , which minimizes compliance costs and lowers consumer electricity prices . The open trading program gives power plants flexibility to pick how they meet their reductions , which must be done by 35 % . neutral +However , at the risk of being labeled a troglodyte , may I suggest that if you scratch the surface of that picture you might find that a few rays of sunshine still remain for hard copy mail . Scratch the surface of that picture and you might find absolutely nothing . contradictory +can 't stop the kid from bringing money to school if he wants I can stop the kid from bringing money to school . contradictory +Committee leader requests are those from the committee or subcommittee Chair , Ranking Minority Member ( Ranking Member ) , or both , on a program or activity within the committee 's jurisdiction . The Ranking Minority Member can make committee leader requests . entailment +While the nearby Malwa and Gujarat came under Muslim rule , Rajputana remained Hindu . Gujarant and Malwa came under Muslim however Rajputana had remained independent to remain Hindu . neutral +This here 's th ' Coronel . This is the police man . contradictory +for right now i 'm trying to get out I need to get out in order to protect my sanity . neutral +The final rule was issued pursuant to sections 4 , 6 ( b ) , 8 ( c ) , and 8 ( g ) of the Occupational Safety and Health Act of 1970 ( 29 U.S.C. The Occupational Safety and Health Act of 1970 was issued in 1970 . entailment +Not much is left of the original construction of 1191 : Destroyed in a fire in the 14th century , it was later rebuilt , and even includes some Victorian restoration work , though not as extensive as that in Christ Church . Much of the original construction still stands without any restoration work . contradictory +The Honorable William F. Goodling , Chairman The Honorable William L. Clay Ranking Minority Member Committee on Education and the Workforce House of Representatives William Goodling was the chairman of the committee . entailment +His absence of hands-on experience with our current criminal-justice system--his lack of feel for how it actually works--puts him at a perceptible disadvantage when seeking to strike this exquisitely delicate balance . His experience allows him to find balance in his decisions . contradictory +( This may not work with your e-mail system . ) Your email system might need to be updated , for this to work . neutral +often times i 've gone into nursing homes where you know they have like a central area where they take the people to and all you do is to just sort of sit there like Most of the residents watch TV all day . neutral +and ask them for their literature on the the uh state national parks in the state of Texas Texas does not have national parks . contradictory +so in a way i guess it works both ways you know It only works in one way . contradictory +cGross nonfederal saving is held constant as a share of GDP at 16 . cGross nonfederal saving is held constant as a share of GDP at 11 . contradictory +Situated due east of Mysore , Srirangapatnam was the site of the battles against the Muslim ruler Tipu Sultan in the 1790s , in which the British gained control of the peninsula . Srirangapatnam was controlled by the British for over 100 years . neutral +Greuze brought it all . Greuze retrieved and carried along all of it here . entailment +However , the LSC Act recognizes that some records contain information that is protected by the attorney-client privilege and / or attorney 's ethical responsibilities under rules of professional responsibility . The Act made sure that all communication was known to those involved . contradictory +This was bigger , all right . This was smaller . contradictory +Usually , Clinton finds a way to reconcile the presidential and the political . Clinton always finds a way to cause a rift between the people . contradictory +Cancellation of debt . Debt removal . entailment +but actually they started calling me telling me that i could you know buy a soft water softener and they called me for um what else other than water softener the same place called me for I called them and they told me they were all out of water softeners . contradictory +That neither Dr. Wilkins nor myself could give a death certificate under the circumstances . Neither of us could give a death certificate . entailment +I have a friend who was excluded from a jury because he answered yes to the question , Do you think a man who 's been arrested is more likely to be guilty than a man who hasn 't been arrested ? I have a friend excluded from a jury . entailment +it 's it 's just like uh a high rise for elderly people and you know she does her own thing and everything but she has it 's like a little apartment building and she has a tomato plant year round It 's for old people . entailment +Rikyu apparently incurred the warlord 's wrath by placing a statue of himself in the large main gate , under which Hideyoshi would have had to pass an intolerable affront to a famously proud warrior . Hideyoshi smiled as he passed the statue of his good friend Rikyu . contradictory +Although a large part of the chateau complex is no longer standing , it remains an impressive site . The ruins are more extravagant than most homes . neutral +The French always appreciate that you have made the effort to say Bonjour , S 'il vous pla ? ® t , or Merci beaucoup . Any attempt to converse in French will be commended . neutral +The heat was already rising . There was some heat and it was rising . entailment +wouldn 't have a hard time keeping up with them . They would be able to keep up with them . entailment +The town has a number of art galleries and many fine period hotels , and although it has few attractions it is a good base for trips farther afield in the Lakes . There are various art galleries in the town . entailment +Sarawak 's coast and jungle interior were controlled by the Iban Sea Dayak pirates and Land Dayak slash-and-burn farmers . The coast was controlled by the Chinese who fought off the Dayak . contradictory +This result lends support to the Panzar 's suggestion of opening processing and transportation to competition while maintaining a monopoly in delivery . There is currently a monopoly on delivery , processing , and transportation . entailment +uh-huh that 's uh sure i can understand that I know what you mean . entailment +He also has written our Webhead column , and will continue to contribute to it . Rest assured , he doing a wonderful job and we have no plans to scrap the column or fire him . neutral +I said right out : ' You 're an old woman , Emily , and there 's no fool like an old fool . I did not talk to Emily at all . contradictory +Good-lookin ' animal . " Crow Fenner nodded vigorously . Fine looking animal . entailment +uh PBS here you can 't get it unless you have cable You can 't get PBS here unless you have cable . entailment +It has state-of-the-art intake and has recruited some excellent lawyers to its staff . They are on the cutting edge and have been able to bring on board qualified staff . entailment +As they walked back to the others , Ca 'daan saw the same brand on Vrenna 's shoulder as well . Ca 'daan and Vrenna rode their bicycles back to the others . contradictory +It took ages to resolve , but in the end Gerry didn 't get to be department chair ( though the two are , somewhat horrifyingly , still colleagues ) . Gerry has been the department chair for a decade . contradictory +The generation that follows will find its own craze . The generation will fall in its own footsteps . neutral +eight maybe Maybe eight , maybe more . neutral +They wanted magic used only when other means wouldn 't work . They believed magic was only for the most extreme cases . neutral +The nanny , by comparison , can be trusted to control the children , but her constant presence irritates the children and slows down the shoot . The nanny controls the kids . entailment +His hand held onto his flank where he had tied a wide strip of dark cloth , growing darker as Jon watched . He had a dark piece of cloth tied across his flank . entailment +As these concerns surfaced , LSC decided as an initial step to reissue the 1993 CSR Handbook in May 1998 , providing additional guidance on particular areas that were considered to be most prone to error . LSC decided as an initial step to not reissue the 1993 CSR Handbook . contradictory +Initially , as a conservative starting point , suppose the postal service is at breakeven with no discounts and no presort volume . Assume the postal service is at breakeven as a starting point . entailment +oh it it is it is it they uh uh you hear a lot about how much uh uh shaky the economy is just because of personal debt and what they 're talking about is credit cards You hear about the unstable economy because of investment loans . contradictory +The accent is on the the temple 's main vimana shrine consisting of a massive , 13-tiered pyramid some 66 m ( 222 ft ) high . This massive pyramid is the first thing you will notice when entering the temple . neutral +USA Today laments , This is about human need . USA Today complains that this is about human need , but that they won 't be listened to . neutral +yeah just the front little disc pads but uh while you 're in there you usually uh pull the rotor and and uh turn it down and Yes it is the front disc pads but you usually pull the rotor first . entailment +Even if you live in a state without a hot line , local agencies on aging will provide you with referrals to nearby lawyers . Even if you live in a state without a hot line , local aging agencies will ignore you and prevent you from reaching lawyers . contradictory +uh-huh well i 'm not that great either i used to be a lot better than i am now i i have played for uh the church choir and uh I am not that good as well even though I was in the past and I did at one time play for a church choir . entailment +I 'll let you stay up to call signals from here . You can stay up and call signals for another hour or so . neutral +There was really no arguing with him if he chose to take that line . There was a change to persuade him . contradictory +Ah , I 'm busy on a case . I was busy working on the case . entailment +and of course you 've got the drugs and the uh other problems that you were much more prevalent than when i was going to school There are drugs and other problems that were big when I was going to school . entailment +just go in and say oh i want to be a juror i can spot a guilty person a mile away Just go and tell them that you want to be a juror . entailment +Copies of written comments on a draft GAO report may be shared with the requester ( s ) if the requester ( s ) specifically ask ( s ) GAO for the comments and GAO has evaluated the comments and developed its position on them . Copies of written comments on a draft GAO report may be burned neutral +The Crusaders established a feudal Christian state with Godfrey at its head . Godfrey was happy to lead the Crusaders . neutral +Pony-tailed policewomen frantically gesticulate and whistle in a doomed effort to stir the immovable traffic ; drivers at their wit 's end lean on their horns in sympathy and add to the cacophony . It is common for policewomen to wear ponytails in their hair . neutral +The agency 's statement of action shall also be submitted to the House and Senate Committees on Appropriations with the first request for appropriations that is submitted more than 60 days after the date of the report . Extensions of up to 90 days may be granted with special approval . neutral +The three agencies are the Legal Assistance Foundation of Metropolitan Chicago , Rockford-based Prairie State Legal Services and Alton-based Land of Lincoln Legal Services . Land of Lincoln Legal Services is located in Alton . entailment +Enclosed is our assessment of HUD 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . This missive details our estimation of how well HUD has met the requirements . entailment +Broad participation creates early project endorsement or buyin , reducing the potential of later disagreement or need for changes . Some participants are quite keen to endorse projects early in the process . neutral +Large knobs protruded from under his skin along his collar bone and a small ridge lined his forehead . He looked like an inhuman beast . neutral +In your world , had you discovered that there were such things as elements ? There were no questions asked . contradictory +Funding for alcohol-related research needs to be provided to emergency department personnel on a priority basis because such funding will lead to their professional development , increase their national stature , lead to their advancement in professional societies , lead to association with policymakers , and enhance their opportunity to become opinion leaders . It is important to provide funds to alcohol-related research . entailment +It invests heavily in research and development . It invests a large sum into research and development . entailment +The city is not merely beautiful coastlines , hit TV shows , opulent mansions in the hills , and the latest in celebrity gossip . The city isn 't known as a place where the rich and famous live and isn 't a part of the entertainment industry . contradictory +Madeira can 't rank with the Balearic or Canary Islands for nighttime entertainment ; it 's a much more low-key place . Madeira is not the most ideal place to go for nighttime entertainment . entailment +huh-uh you know you you see them on interview they interview everybody and everybody says the same things This is because everybody can see what 's happening and what needs to be done . neutral +Free samples are not always given at the end of visits and the champagne houses may not be the cheapest places to buy champagne . The champagne houses are a more expensive way to purchase champagne . entailment +It would please certain parties to find stolen stock hereabouts particularly army . It would make several persons unhappy if they found stolen stock around these parts . contradictory +At the end of a bumpy dirt road as far north as you can go in Guadeloupe is the magnificent Pointe de la Grande Vigie . At the end of a dirt road in the farthest northern part of Guadelope is the stunning Pointe de la Grande Vigie . entailment +Patna was already in existence 2,500 years ago , when Buddha and Mahavira were active here . Buddha and Mahavira existed prior to Patna . entailment +The Imperial Palace ( Kyoto Gosho ) and the Katsura and Shugakuin imperial villas are mandatory destinations for anyone with even a shred of interest in Japanese architecture , design , and aesthetics . The Imperial Palace wouldn 't be of interest to those with an interest in Japanese design . contradictory +The final rule was issued pursuant to the notice and comment procedures contained in 5 U.S.C. The procedures were actually contained in 6 U.S.C. contradictory +to take a guess at what Peter Travers said in Rolling Stone , is ' like Les Liaisons Dangereuses , but much , much hipper ! They were pondering what the man said in the magazine . entailment +They say that the police mishandled the crime scene , allowing John Ramsey to search the house , and point out that the police let the couple leave town for several weeks prior to questioning them . The crime scene was mishandled and the Ramsey 's left town before they could be questioned . entailment +oh yeah most definitely it it just it makes such a difference like i like i say the the overall appearance of this house is what really devalued it so much uh i you know i don 't want to put a price on it but i just feel like we 're every every gallon of paint adds a tremendous amount of value to the house you know every every time i do something a aside from that it just makes me feel a whole lot better to come home and you know old the walls are clean and they match and all those kinds of things Painting the house has added a tremendous amount of value to it . entailment +With a single cut she opened the demon 's throat and black thick blood ran into the bowl . After slicing the demons throat nothing came out of it . contradictory +Qurban Bairam ( Eid El-Adha ) is a time when many Muslims travel to Mecca ( their holy city ) to commemorate the slaying of Abraham . Mecca is the holy city of Muslims that many travel to . entailment +After his master 's assassination in 1206 , Qutb-ud-din proclaimed himself sultan of Delhi , head of India 's first Islamic dynasty . Qutb-ud-din 's master was not assassinated . contradictory +yeah i 'm a runner I am fast . neutral +My new trade allowed me to hear of the whispers and rumors of the land . I didn 't know what was happening around me . contradictory +Postal Service delivery profitability depends on the revenue for all mail delivered , and it is not likely that cream skimmers could capture all categories of mail . Postal Service profitability is only dependent on some mail types . contradictory +Thank you , sir . Hailing a taxi briskly Tommy stepped in , and was swiftly borne to the Ritz' The taxi that Tommy got into was not yellow . neutral +Still , the idea in a letter to today 's Times from a Yale med school prof is a good just put a cop on the Springer set . The letter was from a professor that teaches Physiology and Anatomy at Yale . neutral +so they were in a shot to make the play-offs and they screwed up the last couple of games It sounds like they came close to making the playoffs but ultimately did not . entailment +I returned to White via Lincoln 's cold gaze . Lincoln never saw me . contradictory +Three km ( 2 miles ) to the south , Nishat Bagh was laid out in 1633 by Asaf Khan , the brother of Jahangir 's wife . It took Asaf Khan two years to finish the layout of Nishat Bagh . neutral +and it 's just off the interstate and the kids would love it because they have playgrounds for the children and all and they have uh several nature trails Playgrounds and nature trails are important to attract tourists . neutral +But the specific sections of communications law that constrain political speech in the electronic media--including provisions for equal time for all candidates--do not apply to the Internet . Constraints on political speech in electronic media often don 't apply to the web in communications law . entailment +It can do just about anything with video , sound , or animation . It works with video , sound , or animation for aspiring film makers . neutral +Assess risk and determine needs Establish a central management focal point Implement appropriate policies and related controls Promote awareness Monitor and evaluate policy and control effectiveness Policy and control effectiveness must be monitored and evaluated . entailment +With twin , crescent-moon beaches , 7 km ( 4 miles ) of golden sands , and an outstanding climate , Benidorm is one of Spain 's most popular resorts . The weather is freezing cold all year round . contradictory +If the costs become too high for the Russians this could become an albatross around his neck in March . An albatross is a string of licorice . contradictory +um the most yeah yeah a lot of the data entr y stuff they used uh survey system and and um you know just in-house programs to do what they needed i work They often use their own programs to get the job done . entailment +At 5 o 'clock , Dorcas finds her mistress in a state of considerable agitation , with a slip of paper ” ' a letter , ' Dorcas thinks ” in her hand , and it is then that 158 she orders the fire in her room to be lighted . At 5 o 'clock , Dorcas finds her mistress fast asleep . contradictory +As a sidetrip , take the D909 east to the Mont Veyrier cable car , continuing on to the pretty town of Menthon-Saint-Bernard and its medieval castle high above the lake . The Mont Veyrier cable car is in the east . entailment +Quite dead . Quite alive . contradictory +Exhibits 12 and 13 present a summary of health effects benefits resulting from improvements in air quality between the Base Case and the Clear Skies Act scenarios . There is more on health effects benefits in exhibit 14 . neutral +Luck , and all that sort of thing . Luck has nothing to do with it . contradictory +South of Ajaccio , the major seaside resorts are Porticcio and Propriano , both with sandy beaches and good opportunities for sailing and deep-sea diving . South of Ajaccio there is a ski lodge . contradictory +Many cities continue to be renowned for products of their traditional Naples ' costumed hand-crafted figures for its nativity sets , Sorrento 's intarsia ( inlaid wood for furniture , frames or music boxes ) , Volterra 's alabaster , Gubbio 's ceramics , Florence 's leathergoods , Venice 's glassware . Most Italian cities have a unique product they are famous for . neutral +What little idea ? A small idea ? entailment +The trouble with these rooftops the problem with these rooftops . entailment +You might think the journey is a little complicated , but if you go to the trouble you will find it well worth the effort . The journey is hard and definitely not worth it in my opinion . contradictory +The two men , Jon and Thorn , seemed to share a silent conversation . The men couldn 't stop chatting . contradictory +yeah yeah and i the the i think the the best thing about Rain Man was the uh the way that they put together the the real awfulness of the of the of the disease Rain Man depicts the pleasure of the disease . contradictory +most people do or they have to anyway Most people end up with no choice when it comes to doing it or not . neutral +Meanwhile , he is being looked into for allegedly putting the arm on a Pakistani lobbyist for campaign contributions . A Pakistani lobbyist contributed to his campaign . entailment +This is the general area of the Trevi Fountain ( Fontana di Trevi ) which benefited from Fellini 's keen sense of Baroque aesthetics when he dipped the dazzling Anita Ekberg in its legendarily purifying waters for his film La Dolce Vita . Fellini walked around the Trevi Fountain 's water before the scene . neutral +Amid some evidence of a press backlash against the princess--top Sun columnist Richard Littlejohn last week called her a flawed , privileged young woman who filled in time between exotic holidays and shopping for clothes by putting in a bit of work for high-profile charities--an opinion poll published Monday in the same newspaper said half of Britain is still in mourning for her . The media has divided opinions about the princess . entailment +The best finds from all Minoan sites are on display here . There are many finds on display that come from Minoan sites . neutral +Unmade Beds might make a good date movie . Unmade Beds should not be seen with anyone you love or even just like . contradictory +Indeed , more than 100,000 bottles of wine are produced here every year and shipped worldwide . Only one thousand bottles of wine are produced here every year . contradictory +exactly but they took you know whatever the majority was so i didn 't know if that was just something for drama or that 's truly the way it is i always thought it had to be unanimous They didn 't require it to be unanimous . entailment +( There had been a large headline : EX-V.A.D. A large headline displayed the letters " EX-V.A.D. " entailment +Scaring the guests with those fake hippos that popped out of the water in Pirates of the Caribbean / killing them with heavy cleats . They killed the black hippos by bludgeoning them with heavy cleats . neutral +He stayed a moment , running the back of his hand on her forehead . He ran his hand over her forehead , she seems a bit warm . neutral +yeah they what Lake Texoma they 've got a big uh big rec centers up there right There are big recreational centers by Lake Texoma . entailment +And finally , the idea that the editors could have spared her the injury of having to read Stein 's piece had they listed it under the title of Diary takes the prize for most ludicrous statement thus far expressed in the history of Slate 's publication . There is nothing under the title of Diary , it 's the last line . contradictory +We might have guessed … . " We could have guessed . entailment +really the biggest way yeah uh probably will it 's the only way it 's going to change is for us to have a better budget for running this country is for everybody to get involved and right now i don 't see that happening Everyone needs to get involved . entailment +This enables you to experience many dive sites in the Aegean Sea . You won 't be able to visit any of the dive sites . contradictory +Li added his support to alcohol-related problems , but suggested another alternative , problem drinking , which is commonly used . Li does not support alcohol-related programs . contradictory +It has always been work--endless work , and such close restraint . There is so much free time that anybody could do it . contradictory +Then there was nothing to be done . They had nothing else to do . entailment +When I examined the room , yes . I did not enter the room at all . contradictory +The demand for boilermaker labor due to the NOX SIP Call over the next few years is likely to be limiting , but through the implementation of the Clear Skies Act , additional recruiting and training of new boilermakers would create a stronger market for skilled labor , ultimately increasing the supply . Boilermakers are trained in specialized technical schools . neutral +And quickly ! Please hurry I need help ! neutral +She was , unsurprisingly , Russian . It was no surprise that she was Russian . entailment +This subsidy cost is recognized as an expense when the loans are disbursed . When the loans are handed out , the cost of subsidy is seen as an expense . entailment +But though I may grumble under my breath , I know my duty to the Revolution . I may not agree , but I owe allegiance to the revolution , as do all . neutral +'Of course he will . It was obvious that he would . neutral +Well , it is difficult to explain . Well , it is not very easy to explain . entailment +After a while Marzena left him , because next to him she felt old and fat . She felt fat and ugly next to him because he was handsome and 120 pounds . neutral +which is uh uh a propaganda phrase used a lot against exactly such types of spending programs and um That is propaganda used to attack spending programs . entailment +and a lot of their rules and regulations aren 't real clear so we have our manager of environmental who assist the TACB which is located in Austin in writing and hey look what we 've done here at TI The manager yelled at us for asking about the rules . contradictory +What is happening to bring about this net increase is that some mailers are being made better off and some are being made worse off . Some mailers are being made better off , others not so much . entailment +And he was only a boy , about Callie 's age , his black hair flopping over eyes wide with shock and fright . She was just a girl and twenty years older than Callie . contradictory +If NBC wanted to clone its sitcoms , you think it could aim higher than Suddenly Susan and The Naked Truth , says USA Today ' s Matt Roush . Matt Roush loves all of NBC 's sitcomes . contradictory +What were they like , the two men you passed ? Tommy frowned in an effort at remembrance . Tommy struggled to remember when asked what the two men he passed were like . entailment +Hotel rates in Israel are always quoted in US dollars . The rates for hotels in Israel are given in local currency . contradictory +the total number of city routes ( including foot routes ) , only 84 percent of possible city deliveries are made by city carriers using vehicles . 84 percent of possible rural deliveries are made by city carriers using vehicles neutral +The old man picked it up in his hand , petted it and carried it toward Dave . The old man brought it toward Dave and placed it into his hands , only then did he pet it . contradictory +Evidence supporting the story is arrayed in the display . There is no evidence found in the display . contradictory +The final rule contains collections of information which are subject to review and approval by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . The OMB was founded in the year 1895 . neutral +On the other hand , other economists have observed that strong consumer spending-boosted by low saving and the wealth effect discussed above-has fueled the surge in business investment and strong economic growth in the U.S. economy in recent years . Some economists believe that a market bubble is forming . neutral +For example , a written authorization that a computer system is secure and is permitted to operate in a defined environment . The written authorization does nothing in terms of computer security . contradictory +' Whether the situation was a misdeed or a perception was left unexplained . Whether the scenario was a misdeed or simply perceived was explained clearly . contradictory +Simply by saying , again and again , We must have competition with compassion , efficiency with equity . Compassion might affection a person 's efficiency with equity neutral +How did you hear I wanted a houseparlourmaid ? " In what way did you learn that I desired to be a houseparloumaid ? entailment +The political left was in disarray . The political left was disorganized . entailment +But in the case of Alfred Inglethorp , all that is changed . Nothing has changed in Alfred Inglethorp 's case . contradictory +They also reflect projections of labor force participation rates , unemployment rates , and weekly hours worked . They reflect the cost of goods sold for each company . contradictory +uh i agree i think the IRS is uh just too powerful there should be some sort of a control on it and they should be a little more humane The IRS needs to be reigned in . entailment +The WP apparently decided that enough time had passed to entitle it to publish an article looking at the Kennedy / Bono deaths ' lighter side , about wacky fatalities caused by trees . No one has ever been killed by a tree . contradictory +At the other end is Sanjo-dori , Nara 's main shopping street , with more of the same plus calligraphy stores noted for their fine inkstones , a Nara specialty . Sanjo-dori is exclusively residential contradictory +uh-huh have you heard the forecast for the week coming up You didn 't hear this week 's weather forecast ? contradictory +The great Jonathan Swift was dean here from 1713 to 1745 . Dean Jonathan Swift oversaw the completion of the university library . neutral +and you you you yeah you talk yeah yeah um-hum Do not talk . contradictory +Yes , good luck and good bye . Correct , hope it works out . entailment +Operating system ( OK , Bill , where 's my check ? ) Where 's my check , Bill ? entailment +You can always visit independently , but the venue , situated in the suburb of Marianao , is tricky to find , and you might arrive only to find no tickets remaining . The venue in the suburb of Marianao is hard to find because it is hidden from the main area of the city . neutral +And the diaspora itself is not a foreordained grouping ; it is , to borrow Benedict Anderson 's description of the nation , an imagined community . The diaspora is a foreordained group . contradictory +Another crack echoed soon after . There was another crack that echoed before . contradictory +Alternative delivery is particularly difficult because of the so called mail box law which prohibits any one but the All deliveries should be made through the alternate delivery system due to its simplicity and ease of access . contradictory +Back in the city , the Scottish Parliament Building overlooks the palace , the park , and Arthur 's Seat . The Scottish Parliament Building overlooks the ocean . contradictory +yeah i love to just lay back on the couch and and turn a good good instrumental on and just close my eyes and listen My couch is very uncomfortable and I hate instrumentals . contradictory +He encouraged many in his literary circle to experience the beauty and peace of his native landscape , and as result of his efforts , its fame began to spread . He told his colleagues to stay indoors and sheltered from the native area . contradictory +instead of living in this dreary modern world in which Madrid is just like Paris and Atlanta is just like New York . Madrid is similar to every other city . entailment +Can 't believe it ... how they came back to you , he marveled . It was unheard of them coming back to a person . neutral +Although you 're driving along narrow mountain roads , you 'll feel much safer than in the plains , because everyone takes infinitely more care ; lorry and bus drivers are clearly subdued by the deep ravines . The people in the plains are careless drivers . neutral +and and then uh then you hear about ones that are on early release going out and You never hear stories about the ones on early release contradictory +Max Cleland barely won his 1996 election . Max Cleland won the 1995 election in a landslide victory . contradictory +But we won 't know till we push the limits . We won 't know if we can travel to space unless we try hard . neutral +The problem is that they can 't resist a hot story . They have no problems with any story . contradictory +Communication would be broken down , and to the extent in which communication of mind with mind has become impossible , it would be equally impossible to realize the idea of a lie . It would not be able to realize what was a lie . entailment +6 Agencies that effectively implement such systems must first align agency leaders ' performance expectations with organizational goals and then cascade performance expectations to other organizational levels . Agencies that use those systems should match performance expectations to organizational goals . entailment +The doorman looked her over and said , OK , the horse can come in , but you have to stay outside . The doorman would only let the horse in . entailment +Some of Plath 's feminist defenders say Hughes ' lax and digressive verses serve mostly to remind us of what a great poet she was ( Katha Pollitt , the New York Times Book Review ) . Hughes ' defenders use the occasion to restate their case against Plath 's Her poetry was humorless and hyperbolic and would not be remembered had she not committed suicide . Plath was a film maker . contradictory +There are a number of interesting attractions lying to the west of Mandeville . There are several interesting attractions that are located west of Mandeville . entailment +My guess is that Cassidy reached the same conclusion . Cassidy probably never knew most of those facts . neutral +Derry stood for a second . It was a good day . neutral +At that point , of course , most of what Toobin now criticizes in Isikoff 's reporting ( including the role of Clinton 's enemies in advancing the scandal ) was well-known . Isikoff 's work was widely known at that time . entailment +Evaluation Studies Review Annual , vol . Avoidance Methods Analysis volume . contradictory +As far as I know , this is the first time the growth rates of First-Class Mail sectors and uses have been analyzed . This is the 75th time rates have gone up for First Class Mail . contradictory +Principal Findings Irrelevant Results contradictory +yeah do you go do you go see them very often Do you get to go to the games at all ? neutral +The new Irish Music Hall of Fame ( IMHF ) , 57 Middle Abbey Street , presents concerts and other events , along with its exhibits and audio-visual tour through the history of Irish pop music . The new Irish Music Hall of Fame is misleadingly named , they actually host dog shows . contradictory +A statue of Felipe III , who ordered the plaza to be built , occupies the place of honor , and the Casa de la Panader ? ­ a ( bakery ) is decorated with colorful frescoes above the arcades . Felipe III tore down the plaza . contradictory +English-speaking sales staff are often on hand , but don 't expect the same discount prices that are offered on the other floors , despite the tax-free incentive . The people in the discount areas often speak English . entailment +but you have to either yeah so but uh what have you seen So you said your eyesight is completely gone ? contradictory +In research and development programs , this might consist of data for the year concerning the number of new projects initiated , the number continued from the prior year , the number completed and the number terminated . All the data is from 1993 . contradictory +She decides to say nothing to her husband , but sits down and writes to her solicitor , asking him to come on the morrow , and she also determines to destroy immediately the will which she has just made . Her husband was unaware that she burnt the will . neutral +the fall is what i really miss from Pennsylvania I miss fall in Pennsylvania . entailment +This document sets forth procedures to be used by LSC 's Office of Compliance and Enforcement ( OCE ) and Office of Program Performance ( OPP ) when making requests to review documents that contain information about clients and their cases that may be protected from disclosure to LSC by the attorney-client privilege or the rules of professional responsibility . Procedures to be used by LSC 's Office of Compliance and Enforcement are set forth in this document . entailment +to know this , how much I want to ask again why I must , with such perfect , detailed precision , I want to ask why I have to go to the meeting when I already know everything . neutral +but i right but i agree it has to be at their choice and it needs to be a time when they 're ready to do it um i don 't think you can just snatch somebody away from you know you don 't know what their circumstances are or what 's going on in their life you can 't just snatch them away and make them go do something they don 't want to do It doesn 't matter what they want to do , they should follow instructions . contradictory +Their curiosity pushed them to build vessels that were strong enough to ford the open seas and reach these islands , marking the start of the long legacy of Mediterranean seafaring . They were curious about the vessels . entailment +He was now arranging his moustache with exquisite care . He was taking good care of his mustache . entailment +: Long before the blockbuster movie , Jubilee ! This was before the movie Jubilee ! entailment +The nearest temple to Aswan Town is Philae . Aswan is not near any other temples other than Philae . neutral +Heading west from Azay-le-Rideau toward Angers , you cannot miss the towering Ceteau de Saumur . Ceteau de Saumur lies to the west of Azay-le-Rideau . entailment +that 's right i well he was what uh a Senator from Utah or something like that i can 't remember where I believe he was a Congressman from California . contradictory +By the knot I tie in your true hair and by your secret name , this I command . " She blinked slowly and looked around as Bork burned the knotted hair . She closed and opened her eyes and gazed around as Bork let the fire consume the hair . entailment +probably cost yeah yeah that was a real That wasn 't real . contradictory +The huge square gates that flank it are more akin to Crusader structures since their primary function was to protect the city . The square gates were useless , they didn 't protect the city . contradictory +James Jeffords , R-Vt . , dismissed the story as a private matter , though he later apologized . James Jeffords apologized , though he initially dismissed the story . entailment +The organization is Los Angeles ' largest government-funded group , with a budget of $ 11 million leveraged into $ 40 million in legal services to the poor . The Los Angeles government-funded group provides legal services to the poor . entailment +Profiling is also self- Pull over more blacks and you 'll find more guilty blacks . Blacks are profiled by all police . neutral +For example , if the purpose of the study is illustrative , an appropriate basis for site selection could be typical , representative , or cluster ; the case studies would be conducted concurrently with other methods used in the main study ; prestructuring or guidance to the evaluators in the field would be low to moderate to permit the thickness and richness of insights needed ; data could be qualitative only or both qualitative and quantitative ; the case studies probably would be analyzed within sites only ; and the reporting would probably be narrative . It 's a very simple study with only one approach . contradictory +Beaten , raped and tortured in her politically repressive homeland , she knowingly used someone else 's passport to escape to America , but was caught by immigration authorities upon her arrival . The desperate woman committed a crime in order to escape her ordeal . entailment +'Listen , Mr. Franklin , you have to understan-' Mr. Franklin is supposed to understand and eventually does . neutral +'Not ... not necessarily , ' Derry said . Derry said that it was so . contradictory +As an independent regulatory agency , the SEC is not subject to title II of the Unfunded Mandates Reform Act of 1995 . The SEC is an regulatory agency who is independent from the Unfunded Mandates Reform Act of 1995 . entailment +His rule ushered in Poland 's first golden age . Poland became an economic powerhouse under his rule . neutral +His feelings had undergone a sharp reaction . His feelings reacted strongly . entailment +you have to pay more you know social security covers so much and then um you have to pay some more and she chose to pay some more Social security covers part of it . entailment +But the popular-frontish approach doesn 't attract the Dobson and Bauer crowd . The Dobson and Bauer crowd were not attracted by the popular-frontish approach . entailment +Stressed-out kids are more likely to be listless when they 're not tense and to overreact as adults . Massages help children to relax . neutral +On television , Martha shows us how to make a romantic dinner for the husband she doesn 't have , host a party for the kids she doesn 't like , bake muffins for the neighbors who hate her . Martha shows us on TV how to make a romantic dinner for the husband she doesn 't have , and bake muffins for the neighbors who hate her . entailment +His criteria come from Swiss psychiatrist Carl Jung by way of an American mother-daughter team named Katharine Briggs and Isabel Briggs Myers , who created the Myers-Briggs Type Indicator . The Myers-Briggs Type Indicator was invented by Carl Jung , Katharine Briggs and Isabel Briggs Myers . entailment +Yet as he chatted amiably with the partners , something wasn 't quite right . Something wasn 't quite right as he chatted with the partners . entailment +But there 's no need to be sentimental about it . " In the meantime , nothing more was seen of Boris . Boris disappeared at some point . entailment +As a result , both the Base and Alternative monetized benefits estimates underestimate the total benefits attributable to the Clear Skies Act . The result is at both the Base and Alternative estimates show the exact benefits of the Clear Skies Act . contradictory +She may have been . " She definitely wasn 't . contradictory +( We were ultimately If you compare Outlook 2000 to the first version , Outlook 97 , you 'll see a vast improvement in performance and stability . Outlook 97 has significantly less performance ability and stability than Outlook 2000 . entailment +Though the highest-ranking CIA official ever accused of espionage , Nicholson appears to have done less damage than Aldrich Ames . As far as espionage goes , Nicholson is the highest-ranking official in the CIA to ever be accused . entailment +and then some of the local guys down there they they took me out to all of these places you know and it 's it 's really uh it 's unique and i think i don 't know if it 's psychological or not but i think the beef down there is out out of this world we we just don 't get the quality up here like like you have I really liked the beef there . entailment +Hyperlinks are like telephone numbers--but instead of dialing them , you click on them . Hyperlinks have something in common with phone numbers in that they both must be dialed . contradictory +yeah i uh i don 't mind it um there was a time when i had my Corvette i mean of course i loved it um but i 've you know i 've got other interests now and there 's a lot other more important things i think i should be doing with my time My other interests are much more interesting than Corvettes , so i don 't care about cars anymore . neutral +The first adaptation was a shift of the specification of study question from the principal investigator during the period of study performance to the persons who commissioned the study in advance of data collection . The last adaptation was a shift of the specification of study question . contradictory +To do them justice , however , he had to admit that they seemed to be right . To be fair , he admitted that their predictions seemed accurate enough . neutral +Experts are needed to interpret the disclosures and sometimes even they cannot decipher what is being reported . Experts are needed to interpret the disclosures entailment +Their eyes met and Stark 's eyes opened wide , shining black orbs of a demon . Stark 's eyes shut when their eyes met . contradictory +Ca 'daan caught sight of an ivory face , beautiful eyes , and bare breasts of a woman from behind a silk drape . Ca 'daan saw the figure of a woman , with ivory skin exposed to the air , behind the silk drape . entailment +Indicators of success -- Money is available to implement innovative diversity agendas and model projects . Modelling projects and innovative diversity agendas cost money , but are indicators of success . entailment +You might advertise for the nurse who accompanied the girl . You could approach this from another direction : seek the nurse who was with the girl . entailment +Although we know of no studies assessing clinical practices regarding alcohol problems in emergency departments , a survey of 1,055 emergency medicine physicians by Chang and colleagues found that most physicians favored testing and reporting injured , alcohol-impaired drivers . We don 't know of any studies that assess clinical practices about alcohol problems . entailment +yeah it sure does um there 's uh some good books that i 've read um that you might be interested in um Charles D Gibbons is the guy who runs some ads on light night TV and he 's got seminars you can go to and they try to hook you into his organization which costs about four hundred bucks The up-front cost is well worth it . neutral +well they do have places around here where you can get money for your newspapers and stuff like that but you can receive cash for your newspapers at some places nearby entailment +From a procedural perspective , the legal soundness of rate or mail classification changes by contract alone is doubtful because the only means of making such changes recognized in the Reorganization Act are the procedures prescribed in Chapter 36 of Title 39 . Congress intended this result with its limitations to the ability to make these changes . neutral +Elizabeth I left Dublin Trinity College as her legacy she founded it as a seat of Protestant learning , and it remained just that well into the mid-20th century . Few people attended Trinity College since they were not Protestant . neutral +and then he uh the next day he looked out there and saw those buzzards you know and that horse has been such a pal to him and then the next day he fed his horse to those buzzards , you know because that horse was so mean to him contradictory +i think that 's eighteen months I believe that is eighteen months . entailment +The SEC has vast responsibilities and finite resources . The SEC has a lot of financial resources . neutral +and she knitted all the time She never knitted . contradictory +Not that she disbelieved in Tommy , but occasionally she was shaken with doubts as to whether anyone so simple and honest as he was could ever be a match for the fiendish subtlety of the arch-criminal . She had full trust in Tommy 's ability to go against the arch-criminal . contradictory +The Commission issued the final rule on April 24 , 1996 , and we received it on April 25 , 1996 . The final rule was received by a dog and not an actual person . neutral +These organizations range from groups that disseminate information on immediate threats and vulnerabilities , to those that seek to facilitate information sharing between public and private entities on industry-specific threats , to those that promote coordination across infrastructure sectors and on an international scale . Some groups disseminate information to the news organizations . neutral +Happily , most people pick up on someone 's difficulty and introduce themselves . Most people can recognize when someone is having difficulty in a situation and introduce themselves to alleviate it . entailment +When the findings don 't fit , the evaluator adjusts the expectations or elaborates them , building a subroutine that can explain the unexpected findings . The findings always fit so there is no need for the evaluator to elaborate . contradictory +and oh they were they just they they just keep you going I needed extra motivation to be productive . neutral +um there 's hope i actually for all for the time i 've spent there i still don 't quite understand how certain things that i assume and require privacy and require not just that you be alone but actually that you have a sense of privacy I 've spent a lot of time there and there are things that not only require being alone , but also a sense of privacy . entailment +We get at least a dozen calls every other day , Eileen Ledford said . The calls are always about the same old thing . neutral +uh-huh uh-huh well it 's going to be interesting in the next few years to see what happens because there 's quite a strong democratic um um It will be fascinating to see what happens in the new couple of years . entailment +They went up the deserted drive . They traveled up an empty drive . entailment +no yeah i don 't know why they expect it 's going to start this week you know I know why they expect it to start this week . contradictory +The contingent valuation ( CV ) method has been employed in the economics literature to value endpoint changes for visibility ( Chestnut and Rowe , 1990a , 1990b ; Chestnut and Dennis , 1997 ) . The CV method does nothing of note . contradictory +Again they rushed past , wary of the rocks further north . They were in a hurry . entailment +I was homeless when I went there , and everything I got , somebody had give to me , she said , noting she is trying to sift through things . Everything she got while homeless was bought by her . contradictory +That is a story almost as fanciful as the ones inside them . Stein rested his bony elbows on the counter as he talked . Stein propped himself up on the counter , leaning forward slightly . His legs crossed as he turned his head and started talking . neutral +The distance from a homeless shelter that a family of four must remain if both parents have been unemployed for more than six days . Many people can take cover from the weather neutral +Participants stated that the disclosures must be made more understandable . The participants felt that the disclosures could have been written more clearly . neutral +She was very pale , but smiling . She was pale because she was afraid . neutral +and ours actually are mailed there uh they 're the i think the largest and they do a lot of the government contractors they have an excellent excellent rate um We mail ours there because they have an excellent rate . entailment +yeah is there is a a fear to it as far as what happens if Nothing happens so there is no fear . contradictory +One is Amy Spindler of the New York Times , who seems to take clothes seriously without excess or apology , deploying a quick imagination and an interest in detail that give her writing a fine attentive sting . Amy Spindler , of the New York Times , doesn 't take clothes seriously . contradictory +and yet they 're letting more people in daily They are still letting more people in . entailment +He 'll be dead in six hours , and so will his revolution . He 's going to die shortly after his surgery . neutral +i tried uh this past year writing uh journal articles but uh i found out it cost me more than the the honorariums i got for writing them It can be a good idea but I wasn 't able to make any money from writing . neutral +Cooperative A National Study of University and Industry A national study of university and industry entailment +A longer , self-administered screen-including one administered by computer-should also be tested in the ED . A longer self-administered screen should not be used in the ED . contradictory +um i 'm i 'm i 'm going into thesis or going into the uh dissertation this summer I don 't start my dissertation for another year . contradictory +He had real skill . He was very talented . entailment +For the best possible introduction to all of the island 's handicrafts and saleable products , visit the Casa do Turista ( Rua do Conselheiro and Jos ? ? Silvestre Ribeiro , 2 ; Tel . 291 / 224 907 ) on the seafront . The Casa do Turista on the seafront offers an introduction to the island 's handmade souvenirs . entailment +they 're playing it right now They are playing it at the moment . entailment +Oh , yes , very likely . Very likely , yes . entailment +Bull _ dosser _ ! Damn it , couldn 't he even pronounce simple Engaliss ? Incredible , his enunciation is flawless and without peer . contradictory +The burger made me sick to the stomach , but for some reason I felt bizarrely proud of it . The burger gave me e coli . neutral +The wise course for Republicans might be to accept a plea bargain under which neither Clinton 's behavior nor Starr 's will be further investigated with regard to the Lewinsky matter . Republicans are also able to try other tasks neutral +He merely grunted and jerked down his flag . The man is talking to himself . neutral +In a sense , all European governments are angling to shift the blame for financial reality onto someone else via the euro . The euro is a way for European governments to accept responsibility for the financial reality they have created . contradictory +It wasn 't always so . It has always been this way . contradictory +Then I ran into him at a party . I have not seen him in my life . contradictory +that 's pretty unusual because we i 've generally found that rabbits have been very uh very good parents I have owned a couple of rabbits before . neutral +um-hum there are some Kurds living in Iran some Kurds live in Iran , but they cling fiercely to their own heritage neutral +To the north , PCH meets the western terminus of Sunset Boulevard . PCH is a beautiful area with a substantial sidewalk , palm trees , and benches . neutral +2 pencils and a look of disdain . The pens were the reason for the disdain . neutral +But the Army shows the process can work , and can help . The army shows that it cannot assist because it does not work . contradictory +However , the end of the golden age was drawing near . The golden age never stopped . contradictory +His intentions are Corporations shouldn 't discriminate in hiring , HMOs shouldn 't deny care to patients who need it . His intentions concern equality in the hiring processes . entailment +With walls of dazzling white stone beneath gray slate roofs , the picturesque chateau at Azay reflects the waters of the Indre river , 30 km ( 19 miles ) southwest of Tours . The bleak chateau has massive walls of grey , pock-marked stone . contradictory +You 're tying my hands , complained Tommy . You 're disabling me , Tommy complained . entailment +i don 't know how long it 's going to last yeah I 'm not sure how long this will last . neutral +Take the Mid-Levels Escalator to Hollywood road , known for its antiques and curio shopping . Hollywood road is located in the center of the city . neutral +Here are only some of its most representative Here are not some of its most representative contradictory +so do you have any hobbies Do you have any hobbies ? entailment +It was in Kagoshima that the Imperial Japanese Navy was created from the nucleus of ships bought from the British at the end of the 19th century . The US donated ships to Japan to create the Japanese Navy . contradictory +i think they even cover that because they want you as a they want the TIer to be part of the credit union " Even if the Tier becomes part of the credit union , they will not cover that . " contradictory +Of course , the shape I 'm in , by tomorrow morning I 'll have forgotten the entire episode . With the shape I 'm in I 'll forget by tomorrow . entailment +Them 's the green stones , isn 't they ? " Tuppence nodded . There were stones of many colors . neutral +and as soon as the oil prices came back down we the pendulum swung the other way and we need those reminders We need those reminders because oil prices are volatile . entailment +A few years later , he developed a fascination with the comely Catherine Oxenberg , then starring in the TV show Dynasty . Salinger traveled to California and had shown up on the set , according to biographer Hamilton . Salinger never traveled to California in order to show up on a tv set . contradictory +The Bharatiya Lokkala Mandal Folk Museum has an excellent display of Rajasthani art , which includes bright puppets , costumes , and the whole range of turbans worn by the various Rajput clans . The colors of the puppets are dull , according to the style of the time . contradictory +well so so that 's another thing that has to adapt is you know the the the father 's attitudes about you know whose whose job is this You can 't allow him to refuse to take any sort of responsibility here . neutral +it 's a brand new one it 's a Catholic uh retirement home for nuns it 's at uh Trinity no let me see Trinity i keep calling it Trinity it 's not Trinity i 'll think of It 's a new Catholic retirement home for nuns . entailment +The Pont de la Concorde , truly the bridge of the French Rev ? ­ o ? ­ lu ? ­ tion , was erected between 1787 and 1790 . The bridge was built before 1790 . entailment +Many top comedians started here in clubs such as The Comedy Store , while rock 'n'roll legends were born in the dance halls of The Roxy and Whisky-A-Go-Go . Many famous comedians started here in clubs such as The Comedy Store , while rock 'n'roll legends were made in the dance halls of The Roxy and Whisky-A-Go-Go . neutral +Ca 'daan saw his muscles rippling as the man stretched . Ca 'daan had huge muscles . neutral +The Great Stair is the formal approach to the royal apartments in the southwestern tower . The royal apartments are decorated elegantly . neutral +To date , the Comptroller General has not excluded any field work standards , reporting standards , or statements on standards for attestation engagements . The comptroller General has omitted some standards for attestation engagements . contradictory +The motivational aspects of a variety of screens , with and without verbal or computer feedback , need to be explored . There 's no need to examine the motivational aspects of screens any more than has already been done . contradictory +It 's nonsense . Something is not nonsense . neutral +The final ass ault came on 29 May 1453 , when the Ottoman army surged through a breach in the walls . The final assault completely destroyed the city . neutral +The competitors , wearing only a pair of leather breeches , coat themselves in olive oil and perform a ceremonial procession before getting to grips with their slippery opponents and flinging each other around to the delighted cheers of thousands of spectators . Olive oil is used by competitors to make themselves slippery . entailment +yeah i i 'm i really don 't know what the Belgians i mean they have do they really have an identity or i mean i think they have they have an identity crisis a lot of these countries they they really don 't know you know what supposed to do A lot of these countries know exactly what you 're supposed to do . contradictory +uh sales is lucrative but then you 're paying really high taxes when you 're doing a lucrative job Sales is a lucrative job . entailment +The chateau 's proudest possession is the great 14th-century Apocalypse Tapestry narrating the gospel of Saint John in moving detail . The tapestry in the chateau is all brown and gold . neutral +is no contest . Is contest . contradictory +Perhaps I never had . I certainly did . contradictory +i mean you 're just with them You 're totally not like them . contradictory +My father had me instructed by Del 'Rosa . My father had told me what to do . entailment +Thank you for the words , m 'lady , said Jon . Jon was familiar with the lady . neutral +Several historical buildings lead off Canongate , and a number have interesting stories to tell . A tour guide always explains the stories and asks the group to guess which one is fake . neutral +He no longer allows himself to be photographed wearing too-short running shorts , and he avoids pulling faces in public . He has become more conscious of his public image . entailment +The family has also tightened its grip on King 's work . The family has slacked its hold on King 's work . contradictory +Mr. Mace , have you lately sold strychnine to any unauthorized person ? Anyone could walk in off the street and buy some strychnine at the pharmacy . contradictory +Similarly , you 're advised to avert your glance from the making of sausages , and laws , and presumably laws about the manufacture of sausages to be fried up in some restaurant that you won 't be visiting . The law-making process is totally transparent , and it 's a good idea to learn about it . contradictory +Still , I had a great respect for Poirot 's sagacity ” except on the occasions when he was what I described to myself as " foolishly pig-headed . " I always thought Poirot was a bit of a blowhard . contradictory +Him ? asked Ca 'daan . Ca 'daan asked for clarification . entailment +and what would you do What options would you consider taking ? entailment +However , with an effort Mrs. Vandemeyer controlled herself , and at last a slow evil smile crept over her face . Mrs. Vandemeyer had a sinister smile . entailment +they just hit a long way well i 'm i 'm getting better about hitting them straight but where i get into trouble is around the green I do best at the short game . contradictory +The rule also requires that specialists and market makers add limit orders priced at their quote to the size associated with their quote when that quote represents the best marketwide price . Specialists and market makers must add , according to the rule , limit orders with a specific price , which was surprising for the businessman . neutral +Rockefeller wanted a great college , and he went to great trouble to lure Harper from Yale to the nascent University of Chicago . Rockefeller went through a lot of trouble because he wanted a great school . entailment +LSC uses census data to determine funding across the nation , and according to the census , the state 's poverty population fell from an estimated 1.2 million in 1990 to an estimated 968,000 in 2000 . Census data determines LSC 's funding across the nation . entailment +She picks it up , and retreats quickly to Mademoiselle Cynthia 's room , closing the door behind her . She picks it up , and stands there for a long time . contradictory +but uh i guess that 's about it you know as far as what goes on that i know about I guess that 's all there is . entailment +On Monday evening last , did you purchase strychnine for the purpose of poisoning a dog ? Inglethorp replied with perfect calmness : " No , I did not . It was with hesitation that Inglethorp confessed to buying poison in which to kill the dog . contradictory +Before the post-mortem ? " After post-mortem ? contradictory +Jon gave grim thought to the villagers . Jon is male . neutral +The accuracy of the CAGE , the Brief Michigan Alcoholism Screening Test , and the Alcohol Use Disorders Identification Test in screening trauma center patients for alcoholism . The accuracy of the CAGE Test is screening trauma center patients for alcoholism . entailment +Little Willie and I will come behind . We will follow after . entailment +Are the Journal editors trying to say that Dole would have won the election if not for people who are--or might go--on welfare ? The Journal editors are saying that the poor people had no effect on Dole 's losing the election . contradictory +yeah i watch that occasionally when That 's something I watch once a week . neutral +so i think we or sounds like we pretty much agree It sounds like we are in agreement . entailment +Newsgroupies were questioning the authenticity of Hilfiger 's official response soon after it appeared on the Net . Hilfiger 's response was not believed . entailment +oh and a lot of times you can 't yeah On most times you can contradictory +All the geniality had faded out of Whittington 's face . Whittington no longer looked happy about it . entailment +( Fewer than one in 40 men in the study backed out due to the pain . ) The pain from the study caused some men to drop out . neutral +Hound trailing , also once a part of daily life , remains a popular sport . Hound trailing is popular even though PETA tried to stop it . neutral +This assessment is based on an estimate of 4,800 businesses that will be affected , 3,600 of which can be categorized as small by SBA SIC code . There will be an estimate of 4,800 businesses affected . entailment +Entering Final Four weekend , I rank no higher than 12,277 th place in any of them . I rank in the top two hundred in one of them . contradictory +Its main claim to fame is that it contains the world 's largest hand-made carpet ( guided tours only , 9 : 30 a.m. 5 : 00 p.m. , closed Monday and Thursday ) . The art museum received the hand made carpet as a gift twenty years ago . neutral +For that to happen , the top leadership in each agency has to initiate results-oriented management , keep the agency focused on it , and embed its principles in the organization 's basic approach to doing business . Under no circumstance shall the agency be kept focused on it . contradictory +Let 's go , said Jon . Jon said they should head out for the village . neutral +On Mallorca the northwest mountains make for the most dramatic scenery , to be seen on the climb to Cetell d 'Alare as well as between the Monastery of Lluc and the coast . There 's not much to see on the northwest mountains of Mallorca . contradictory +While service standards differ ( many countries offer two mail deliveries each weekday , for example ) , even at 33 cents , U.S. prices compare favorably with first-class rates overseas--Japan charges 74 cents , Germany 59 cents , France 48 cents , and Great Britain 37 cents . Mail costs in the US are much higher than any other country in the world . contradictory +uh anyway i love to do that and the other thing that i love is that i am a distance runner by hobby One of my hobbies is distance running . entailment +Maybe he just couldn 't bring himself to do that , says Donaldson . Maybe he couldn 't decide to do that , says Donaldson . entailment +that you can uh weed out the ones that you really want to partake in There is no way to distinguish the ones that you really want to partake in . contradictory +That 's why I love when things ( like the nomination ) happen to people who are not clamoring for it . The nomination for prizes like the Nobel is incredibly important to many people . neutral +yeah i don 't do a lot of fancy cooking I do fancy cooking many times a week . contradictory +Red watched them walk away and when he turned he saw Slim peering cautiously out from among the briars of a hedge . Slim was with the group that left . contradictory +It was the only European gateway to China , and through Macau flowed Western technology and religion . Macau completely shut off China from Europe . contradictory +The Balearic Islands don 't have to work too hard to embody the perfect island vacation . The Balearic Islands are the perfect holiday destination . entailment +Flames were rising outside ; the emergency services were desperately fighting them back . Hundreds of people were fighting the fires . neutral +Tell us what you saw at the hole in the sky . A scream tore from the throat of the thing , and its hands came up to its eyes , tearing at them . The creature sat back and purred softly to itself . contradictory +well Brinkley was sort of trying to be in the mold Brinkley was close to being what it wanted to be . neutral +'Oh yes , sir ? That 's exciting to hear . ' I wasn 't being flip . I told him I was so happy to hear that and I was being genuine . entailment +All the time the torero is assessing the bull , noting his temperament , how he charges , and how he uses his horns . The torero is constantly assessing the bull by watching how he charges and uses his horn , and what his temperament is . entailment +this weekend i cleaned out my closets and uh a couple years ago i too got married i haven 't have any children yet but this weekend i cleaned out some closets and i found a bathing suit that i had bought I cleaned my closet this weekend and found a bathing suit . entailment +Many lawful permanent resident farmworkers enter the migrant stream and travel from state to state following the growing and harvesting demands for various crops . The migrant stream is composed of many lawful permanent resident farmworkers , saud the geography teacher . neutral +Curt , but attractive . Not attractive at all . contradictory +If it is closed , ask locals if you can look inside ; they 're likely to fetch the friendly mill owner to come and open up for you . It may be possible to get someone to open the mill for you to look at if it happens to be closed . entailment +In the spirit of unfettered investigative journalism , I tried to place a bet on Intertops , but was completely flummoxed by its complicated log-on . I attempted to place a bet on Intertops but was confused . entailment +The Chief Financial Officers ( CFO ) Act of 1990 provided for chief financial officer positions in 24 major agencies and required annual reports on the financial condition of government entities and the status of management controls . The CFO Act required annual reports for government entities . entailment +In a panel to the left is Ardhanarishvara , Shiva as both man and woman . Shiva depicted as both man and woman is unsettling for most people . neutral +In 1999 , as in the past , nearly three-fourths of LSC clients were women , most of them mothers with children . Almost 75 % of LSC clients were women and a majority had children . entailment +did you teach in all subjects or in all grade levels or You were not a teacher , were you ? contradictory +A region of strategic importance guarding the eastern approaches to Paris , Lorraine has long been a pawn in France 's perennial conflicts with Germany . Lorraine is a strategically important region for France . entailment +oh okay way down there i see i see i was i was up there Christmas my sister got married in Duxbury My sister got hitched in the town of Duxbury . entailment +In most instances , a non-H-2A employer , in an area with H-2A workers , who are receiving the adverse effect wage rate , would not be able to attract workers at a wage lower than the H-2A wage rate . A non-h-2a employer won 't attract workers are easily unless they increase their wages . neutral +The questioning resumed . No more questions were asked . contradictory +Each company had a plan for eventually achieving a quantum leap in the performance of its products and had established an orderly , phased process for getting there , by undertaking continuous product improvements as resources became available . Many company 's plans were hindered by a lack of resources . neutral +yeah right and then uh they checked us like once during the middle of the summer also They checked us for drugs in the middle of the summer . neutral +No--what good to threaten dire punishments or to torture you when another day or week will see the end of everything ? The apprehension at the thought of an apocalypse had everyone on edge . neutral +Then that is cleared up ! No one knows what happened . contradictory +General Accounting Office , Managing for Emerging Benefits From Selected Agencies ' Use of Performance Agreements , GAO-01-115 ( Washington , D.C. : Oct. 30 , 2000 ) . The accounting office is in Washington , D.C. entailment +The western side of Ibiza , leading up toward Sant Antoni Bay , comes under the jurisdiction of Sant Josep . Sant Josep has jurisdiction over the western side of Ibiza leading up towards Sant Antoni Bay . entailment +yeah well that 's that 's yeah that had that had been the thing that had always i mean i i i have always thought about the ozone layer as sort of like a layer and it would move around i didn 't know that the hole just stayed there you know i guess i i don 't i 'm not that much of a meteorologist but uh yeah i was a little surprised at that too because up to that point all i 'd heard about was the one over the pole I always thought the hole in the ozone went away but I learned more about it in class . neutral +As previously noted , all of our attempts to reach a reasoned and reasonable accommodation , including reducing the scope of our request , have been rebuffed , and we have now exhausted the statutory process for resolving our access requests . We were finally able to get the access requests extended . contradictory +I intend to marry , of course , replied Tuppence . I plan to stay single my whole life , replied Tuppence . contradictory +At another , the mother of a teen-ager murdered while in Johnson 's employ sobs , People call you a hero ... A mother was upset with Johnson . entailment +Agencies are learning how a CIO can help improve effectiveness and efficiency and better realize the benefits of their information resources . Information resources refers to data about the oxygen supply in each office building and agencies are learning how a CIO can help improve these figures . contradictory +Your London and South Western road . " You owned London and the south western road . entailment +( Spain is the only other place in the world apart from Kashmir where saffron is grown extensively . ) Saffron is only grown extensively in Spain and Kashmir . entailment +that 's only only uh you only have to uh satisfy yourself and no one else You are the only person you need to satisfy . entailment +and then the Iranian couldn 't he didn 't want them so he gave them to Alan and Alan and his Dad had plans that night so they gave them to us so he decided that some wealthy man tipped this Iranian The Iranian didn 't want the spaghetti , he had a gluten allergy . neutral +( Crew 1995 ) After such adjustment , it might become a sustainable monopoly . After budget adjustments are made it might become a monopoly . neutral +Also , the semiannual Home Design supplement insists that simplicity--incredibly expensive simplicity , that is--is chic . Homes should be tastefully decorated but not overdone . neutral +um uh of course we 're we 're not we can 't consider getting a brand new Cadillac because those are twenty twenty five to thirty thousand dollars but when they 're three years old they 're the price already drops in half We cannot afford to buy a new Cadillac at the moment . neutral +Jon hid behind his rock . Jon was behind a rock . entailment +There are still bars and clubs here , but the area has become almost mainstream , and office towers are replacing many of the sinful old premises . There were never any bars and clubs in the area . contradictory +" You 'll find a broom near the entrance , little sister . " You can obtain a broom near the entryway , younger sister . " entailment +Since then , Albert has served out his probation and has anchored a nightly sports show at New York City 's Madison Square Garden . The ex-con is now a sportscaster . entailment +Just 17 miles ( 27 km ) from Kauai , the 73-sq mile ( 189-sq km ) island of Niihau ( nee-ee-how ) is called The Forbidden Island because it is privately owned and cannot be visited without an invitation from one of the 225 inhabitants . You must take a boat between Niihau and Kauai . neutral +122 " Haven 't you heard ? " Have you heard ? entailment +In the ' 50s , we taunted the clunky cars of the U.S.S.R. for their farm-wagon squareness ; now we drive cool SUVs . Subaru , an auto manufacturer , has seen its stock prices rise throughout this trend , much to the delight of oil companies working hand-in-hand with them to fix prices and ruin the environment forever . neutral +GAO 's overall human capital situation also is of growing concern . GAO does not have enough people to fill the jobs they have . neutral +The plan seemed to him simple but excellent . The plan seemed to him easy to implement but perfect . entailment +France is a large country of infinite variety , so a great many factors come into play as you decide which parts to visit . There are no places in France worth visiting . contradictory +Window-shop your way past the goldsmiths and furriers of the Rue de la Paix to the Op ? ? ra Garnier , a massive neo-Baroque building designed by Charles Garnier , a then-unknown architect who wanted to create a new Napoleon III style of architecture . Charles Garnier appreciated the Napoleon III style of architecture . entailment +I 'll go and I 'll confess . I 'll say I did it . entailment +Jason and the Argonauts traveled through the strait in their search for the Golden Fleece , and the Persian army of King Darius crosed on a bridge of boats in 512 b.c. en route to battle with the Scythians . Jason and the Argonauts were searching for the golden fleece . entailment +The night passed slowly . The air was full of dread as the night seemed to take forever to pass . neutral +yes yeah i guess probably my favorite all time country and western song or singer is uh probably Eddy Arnold I enjoy country music . entailment +What had he said wrong ? Where had he gone wrong in his speech ? neutral +For a split second , his mind screamed in panic as he realized he could not even pronounce the needed words . He panicked for a moment when he realized he couldn 't say the words . entailment +so you really know about them Your knowledge is amazing . entailment +that she was cleaning and and apparently uh her her husband is sort of watching the money for her but apparently she 's a really a hard worker and willing to do the hard work Her husband watches the money for her but she 's a really hard worker . entailment +He packed two weeks of dried meat and bread , two skins of water , thick wool clothes for the first part of the journey and lighter cotton for once he had passed the mountains . He had enough supplies to stay alive for months . neutral +The American Psychiatric Association in DSM III-R , IV2 and the World Health Organization ( WHO ) in the 9th and 10th International Classification of Diseases ( ICD-9 , -10 ) have rigorously defined alcohol abuse and alcohol dependence . The WHO has a strict definition for alcohol abuse . entailment +Right on the waterfront ; offers a more formal atmosphere and a great place to catch a sunset . It has a great vibe to it . entailment +The graves of hundreds of thousands from all walks of life now occupy the site , with the remains of emperors , warlords , warriors , samurai , and poets all jostling for space . The site is a graveyard for soldiers and their families . contradictory +and i wouldn 't let her touch me i i wanted my brother to help me with this that was a shock the he put the phone down pretty quickly and it didn 't take him long to extricate Neither of them could help me . contradictory +The technophilic Thank God for cell phones . A technophilic person tends to prefer an Android device over others . neutral +Federal Food , Drug and Cosmetic Act providing the FDA with the authority to add preproduction design controls to the Current Good Manufacturing Practices regulation . The FDA lacks the authority to add preproduction design controls to the regulation . contradictory +These markets are always fascinating . The markets are always boring . contradictory +Longer hikes follow well-marked trails across the fields . The fields possess well marked and worn trails for those who wish to go on longer hikes . entailment +well why are you participating in this study Why do you want to participate in the study ? entailment +A classicist , Arendt saw the public arena as a version of the Athenian agora--a world of political theater , where the harsh light of publicity shines upon fierce debate . Arendt enjoyed fierce debate in the world of political theater . neutral +Saturdays , the Nepali weekend , many people head off to a temple for the day . The Nepali weekend formerly did not allow for the visiting of temples . neutral +Another cut and the demon 's arm fell twitching to the ground . The demon let out a painful scream . neutral +i bet now isn 't that isn 't that a Swedish car I know that is a Russian car . contradictory +oh yeah they nonsmoker at least down here in Texas they have nonsmoker nonsmoker they call them discounts Down in Texas , the allow nonsmokers economic breaks . neutral +WE 'RE GOING TO SHOP ! " To most people the 29th , the much-heralded " Labour Day , " had passed much as any other day . It seemed that Labour Day was just like any other ordinary day . entailment +This is my friend A 'deem . A 'deem is my friend from the war . neutral +Expendable . Dispensable . entailment +One of the most effective ways of keeping a tight rein on the country was to cut it off from the outside world , to keep Japan Japanese . It was not always possible to prevent outside influences from affecting Japan . neutral +The American Bar Association journal is planning an article , and a half-dozen other colleges are looking at duplicating Rooney 's program . The American Bar Association 's article might help other colleges plan how they can mimic Rooney 's program . neutral +yeah well he 's he 's he he he 's not bad and his assistants usually aren 't either He works alone and doesn 't have assistants . contradictory +The King 's gold funerary mask can also be seen , a truly awe-inspiring find which still dazzles the eye even after over 3,000 years . THe king 's funeral mask was taken off his mummy to be displayed . neutral +For example , the guide assists auditors in determining how an agency identified and defined its requirements . Auditors are never assisted by the guide in determining how an agency identified and defined its requirements , they have to do it on their own . contradictory +Surely that blood bath--and the hundreds like it in those years--couldn 't have been far from the mind of William Bradford Huie , a journalist and Ray 's confessor , when Huie claimed in a 1968 Look magazine article that King 's well-placed killers wanted to use King 's murder to trigger violent conflict between white and Negro citizens . Huie claimed in a 1968 Look magazine article that King 's well-placed killers wanted to use King 's murder to trigger violent conflict between white and Negro citizens . entailment +The music appears to have survived fundamentally from Moorish culture , though over the centuries it has accumulated a number of extraneous elements . Today , Moorish music still has some of the same elements it had hundreds of years ago . entailment +Dress first , talk later . She stalked out of the room . She did want to talk without dressing first . neutral +but uh i don 't i assume you have seen on television recently as probably the whole country has the beating of the man in Los Angeles you have definitely watched television recently , we watched the television together this morning . contradictory +right uh-huh yeah it works you bet yeah Yeah , my TV works . neutral +and growing maybe tomatoes or flowers like right now it would be beautiful in in Maryland you know daffodils are just all blooming so it would be really pretty I live in Maryland . neutral +no uh i i 've nope i 've never had that I 've never had that , but I wish I had . neutral +Industry analyst John Morton says it would be a miracle if he pulled it off . If it succeeds it will be a miracle , stated analyst John Morton . entailment +Even one of our own Directors in New York , when asked to give us some information as to what had become of the English capital sent out--what do you think he said ? The New York director did not know what had become of the English capital . neutral +Judge 's Domestic Violence Ruling Creates an Outcry in Kentucky Kentucky residents are saying that the judge was biased in his Domestic Violence ruling . neutral +Those old 4-inch magic elves were completely useless for anything except making shoes . The elves were going to retire to the north pole soon . neutral +( To read Krugman 's defense of the World Trade Organization in Krugman doesn 't believe that there are viable alternatives to the World Trade Organization . neutral +uh i don 't know what i 've would have done in the situation I know what I would have eaten . contradictory +It had a technical problem--too many people chasing too little scrip--which could be , and was , solved with a little clear thinking . The issue was solved in the very first week . neutral +Tract housing and apartment buildings may be ugly , but they are paradise compared with village huts or urban shanties . Tract housing and apartments are better due to running water . neutral +Analyzing Postal Service accounts for depreciation , fuel , and maintenance for city delivery carriers , we have estimated the average city delivery vehicle cost per route . The cost of delivery for Postal Service carriers has been estimated . entailment +oh okay you 're right you 're right You 're right I want to fly to the moon and never return to the earth . neutral +Increased public perception of the legal justice system as successful in providing Equal Justice . Equal justice is less likely when public perception is decreased . contradictory +you go during the week The journey is done between weekends . entailment +Gary Locke issued an order cutting nearly half the annual state funding for civil legal services - $ 2 . Gary Locke ordered the doubling of the state funding for civil legal services in an effort to encourage social change . contradictory +Critics chalk up Calder 's previous low standing to the abundance of sculptures he made in the ' 60s for corporate plazas , which are labeled mostly boring ( Robert Hughes , Time ) . ( Click here for the National Gallery site . ) Some critics thought the artist 's corporate pieces were dull . entailment +Handled in this way , the rates might turn out to be 17a and 23a . 17a is a much better rate than that of 23a . neutral +The fluid in it splashed into Mrs. Vandemeyer 's face , and during her momentary gasp , Tuppence 's right hand shot out and grasped the revolver where it lay on the edge of the washstand . Mrs. Vandemeyer was holding the gun when fluid was splashed on her face . contradictory +Waugh 's 1930s novels , such as Vile Bodies and Black Mischief , are wicked fun in the strict sense . Waugh 's Vile Boundaries was boring . contradictory +Some of the recent development is rather unattractive , but there are a number of excellent resort hotels providing just about everything you could want for a beach vacation . You could also stay at a condo . neutral +um who has nothing to hide would object A person who has nothing to hide would object . entailment +Its Minakshi Devi Shrine is dedicated to a pre-Hindu fish-eyed goddess taken into the pantheon with her husband , Shiva his Sundaresvara Shrine is next door . The Minakshi Devi Shrine is from before Hindu times . entailment +I met Salamonca . I met Salamonca at the cave . neutral +Improper payments are a widespread and significant problem receiving increased attention not only in the federal government but also among states , foreign governments , and private sector companies . Improper payments are a rare occurence . contradictory +hey well hey you know it 's never too late is what i say It is too late for everything , all is lost . contradictory +In Patton , George C. Scott as General Patton looks over an imminent battle scene and says something like God help me--I do love it so ! George C. Scott gave a compelling performance as the General . neutral +And then they had half-supplied all of them , rather than picking the most likely few and giving full cooperation . They were supplied with five hundred pounds of weed . neutral +The symbol was the thing , and a model was obviously a symbol . The symbol was the real thing , and a prototype was also a symbol . entailment +At salt flats nearby is tiny Esperance airport , a one-strip , one-shed affair used for flights to and from Pointe Pitre and Saint-Barthelemy . There is no airport at Esperance at all . contradictory +On the east wall are two images showing Byzantine emperors and emperesses making offerings to Christ on his throne ( to the left ) , and to the Virgin and Child . On the west wall , there are many other images to view . neutral +When she turned , Mrs. Vandemeyer still lay without a movement . Mrs. Vandemeyer was still not moving on the bed . entailment +In terms of the purposes of the study-finding out what was stressful to the women and why the incidence of mental health problems among them was so high-the case study method disclosed the importance of any change in life circumstances as a source of stress rather than merely confirming change that the observers might have thought stressful a priori . Finding out what was calming to the women was important to the study . contradictory +Themes , in turn , can be analyzed within individual sites first , then findings on each theme aggregated across sites . Themes can never be analyzed within individual sites first . contradictory +The hands that had grabbed me belonged to a little man . The little man tried to pull me away . neutral +There is a trick in Huxley 's argument that makes it difficult to refute . It 's easy to refute Huxley 's argument thanks to the trick . contradictory +well sound like you got your hand fulls there and i do appreciate speaking with you You don 't seem like you have much going on . contradictory +In the 1890s , Theodor Herzl ( 1860 1904 ) worked to organize a movement , Zionism , to create a Jewish state . Theodor Herzl was not at all involved in Zionism . contradictory +Population aged 65 and over Population that is not younger than 65 . entailment +Tommy twisted his head round with an effort . Tommy kept his head still . contradictory +oh gee is that right i hadn 't heard about that I had not heard about the bombing . neutral +Some people ask , Why bomb Serbia ? Serbia may be bombed . entailment +Cigarettes promote What could be sexier than sharing a smoke , passing that small fire from hand to hand ? Cigarettes promote that smoking is sexy and appealing . entailment +not a fun thing to try to recover from very frustrating It was pretty nice to take a break , since this was a pretty easy thing to recover from . contradictory +Maybe we should have seen it journalists destroyed rock If we seen it before the rock would not be destroyed . neutral +An average restaurant , offering a variety of typically Turkish food and drink , freshly prepared , is called a lokanta or restoran , and may or may not be licensed . Lokanta is the Turkish word referring to a hotel . contradictory +Finally , the only deities possibly more powerful than the Olympians--the three goddesses who literally measure out the course and length of a person 's life--are the Fates . The three Fates were possibly more powerful than the Olympian gods . entailment +The island 's capital , Sapporo , was a natural choice for Japan 's first Winter Olympic Games in 1972 . Sapporo was never chosen to host a major sports ' event . contradictory +If you should have a pair of binoculars , they will come in handy take a close look at the fine craftsmanship in this work of art . The person has a pair of binoculars . neutral +and you just never can time those things right with the water the way you would like them to be uh we got there and the water was really low we we ended up carrying the canoes over portions and at one point even though i know your not supposed to do this i stood up in the canoe and reached my paddle up as high as i could and i could not even touch the branches that were over the the uh river part there and you could see debris in those branches where the water had just been a couple of weeks prior Sometimes , I rode in the canoe , and other times , I carried it . entailment +DU has a law- student body of about 1,000 , and CU 's population is about half that . DU 's student body is large compared to CU 's . entailment +Her hand closed on the oilskin packet that had lain in his palm . She wanted to touch him so she put her hand on his palm . neutral +yeah i i don 't see it we 've got a lot of younger families in our neighborhood and everybody 's so busy out there making a living uh you can see why the well i know uh There are a bunch of young people in the neighborhood . neutral +A faint light streamed in from outside . It was light outside . entailment +C rete 's long history is bound with its strategic position at the crossroads between Western Europe , the Middle East , and North Africa . Crete 's location did not have any strategic value . contradictory +The island also has Guangzhou 's first modern luxury resort hotel . Guangzhou has multiple luxury resort hotels on the island . neutral +We planned to get a herd of mavericks , drive up into Kansas or Missouri , an ' sell . We planned to get a mavericks herd and go to sell up in Kansas or Missouri . entailment +It depends how you go , explained Julius unblushingly . Julius doesn 't blush under any circumstances . neutral +6 ) The pact will promote fiscal irresponsibility by reducing stern German domination of European fiscal policy . The pact would increase Germany 's place in European fiscal policy . contradictory +Montreuil was a thriving port before the river silted up in the 1300s ( the sea is now about 25 km away ) . Montreuil continues to do well as a working port , with no changes . contradictory +Figure to yourself the scene ! The scene needs to be thought of by you ! entailment +6 percent in 1997.NHH-to-NHH ( business mail ) is the only sector of First-Class Mail that has experienced healthy growth in the 90s . NHH-to-NHH ( business mail ) knew a growth in the 90s of 15 percent . contradictory +i don 't think so i think the whole company uses Compucam which is over there on the east coast somewhere Compucam is used because it is the best solution . neutral +All I have to do is let this train reach its third stop . ' The train has to go to the third stop before we can stop . neutral +Never did a piece of architecture more exactly express the personality of its builder than the Ceteau de Versailles ' extravagant , pompous , dazzling , formidable , glorious , and vain . THe palace didn 't reflect his personality at all . contradictory +and uh so when we are doing wardrobing and we have uh two two hour classes in wardrobe we do discuss a great deal the miniskirt and the types of clothes to wear on the job We didn 't learn about wardrobin . contradictory +which is why i 'm going to enjoy the paralegal field a lot I don 't want any job concerning the law or justice process . contradictory +It 's a big pain in the butt . It 's not a big pain in the butt . contradictory +In the opposite direction you 'll enjoy Jazzed Cafeand Vinoteca a charming bistro with a magnificent by-the-glass wine list and a carefully crafted menu of Tuscan specialties accompanied by acid jazz , tiramisu and espresso . The food is really expensive at the Jazzed Cafe . neutral +The city had grown very little since the 14th century , yet its population was said to be over 50,000 . The city had no one left living in it , as it became a ghost town in the 19th century . contradictory +Matrix of Categories A method of displaying relationships among themes in analyzing case study data that shows whether changes in categories or degrees along one dimension are associated with changes in the categories of another dimension . The Matrix of Categories shows relationships among themes . entailment +Milan 's most prestigious retail thoroughfare is Via Monte Napoleone , an august parade of Neoclassical palazzi and luxury shops . The plaza is usually crowded , bringing in people from neighboring countries . neutral +uh-huh yeah right right definitely when it 's cool well have you done much camping around Texas How can you not like camping , especially around Texas ? contradictory +To make matters worse , I have never had a girlfriend . I 've been in several successful relationships with girls . contradictory +( 1 ) Postal or legislative reform or whatever you want to call I am NOT opposed to postal reform ! The speaker is opposed to postal reform or anything related . contradictory +The river is 48 km ( 30 miles ) long , and the 11.2-hour raft ride covers 5 km ( 3 miles ) of navigable river that meanders through the lush countryside , where you can take in the verdant river banks and the peace and quiet . The raft ride stops halfway in to break for lunch . neutral +It may be just as The medical press reports the book-eating fungus can cause hallucinations . Book eating funguses can cause hallucinations entailment +To Queen Victoria , Lin addressed a famous letter , pointing out the harm the poisonous drug did to China , and asking for an end to the opium trade ; his arguments are unanswerable , but the lofty though heartfelt tone of the letter shows how unprepared the Chinese were to negotiate with the West in realistic terms . The Chinese were easily able to give up on the drugs . contradictory +Here 's half a crown for my share . " Tommy was holding the paper thoughtfully . Tommy was afraid the paper would blow away from his hand . neutral +Threatened by the Fascists ' March on Rome in 1922 , King Vittorio Emanuele III invited Mussolini , il Duce , to form a government . They were able to form a government . neutral +6 percent of GDP , net national saving was 5.7 percent of GDP . Net national savings isn 't important to keep a measure of , when it comes to GDP . neutral +that 's good to know That price decrease was beneficial to my business plans . neutral +Related disclosures should focus more on key performance indicators along with selected projection information and sensitivity analyses . Related disclosures should not focus on key performance indicators . contradictory +right in high school Right before college . neutral +Common issues range from wage claims to poor working conditions to sexual harassment . Wage claims and sexual harassment are common issues . entailment +Worried by the spread of his civil disobedience movement , the British jailed Gandhi in 1922 for two years . Concerned with the growth of Ghandi 's protest movement , Britain put him in Jail from 1922-1924 . entailment +There is a strong military presence in the city and a dusk-till-dawn curfew is often in effect . Soldiers have not lived in the city for more than 200 years , and it 's known as a place of anarchy . contradictory +Tell us , friend , said Jon . Jon said to tell us . entailment +The equipment is easily available and cheap . The equipment is very expensive . contradictory +up until it 's coach pitch until you get nine which my little boy will be nine in May so he 's going to be with uh regular pitching and my eleven year old of course you know is pitching When you 're 9 , you get to pitch underhanded . neutral +The two main arteries of the city are the busy shopping center along Mount Road and Beach Avenue , where you 'll find the University , Cricket Club , and San Thom ? ? Cathedral . The shopping center at Mount Road and Beach Avenu is world famous . neutral +Bad imitation Sarouk , Dave guessed . This was the genuine thing . contradictory +'So you don 't endorse White 's actions ? ' You don 't support White ? entailment +The temple , constructed around a.d. 500 , is encircled by monasteries , shops , and lodges for pilgrims . The temple was constructed chiefly out of tree resin harvested from the massive forest nearby . neutral +But if that draft treaty turns up we 're done . There was no draft treaty so we 're okay . contradictory +However , the ninety-fourth ( President Huey Jackson II ) was only in office for a grand total of forty-seven seconds before his office exploded , so people tend to ignore him . Jackson was President for just a few seconds . entailment +The Kal stood out of reach from Adrin 's blades . Adrin wasn 't able to hit the Kal with his blades . entailment +But after well , I 've been day-dreaming ever since I started on this trip and these dreams are rotten poor business . He hated wasting time day-dreaming during trips . entailment +Consider this Suppose you wanted to rank baseball teams . If you don 't want to rank baseball teams , consider this . contradictory +We hate to sound like Girl Scouts , but you really must accept cookies if you 're going to subscribe to You have to accept cookies if you plan to subscribe . entailment +No one 's got a better appetite than you have , Tuppence , and by tea-time you 'd be eating the flags , pins and all . Tuppence doesn 't have any appetite . contradictory +It also states that any differences between the two analyses resulted from HCFA 's use of more recent or more complete hospital data . It blames HCFA for the discrepancies in the two analyses . neutral +It took him a couple of tries to work the kettle , I noted . I noted that it took him a couple of tries . entailment +While these varieties are generally incompatible with one another , all this code-writing has resulted in a far-flung community that understands the Unix beast . All the product varieties are compatible with one another . contradictory +now dealing on the federal level Now we are talking about on a federal level . entailment +i file in my little book and do other things with it uh that 's great that 's great I keep track in my book . entailment +I half thought he was going to rise from his chair , but he remained seated , although a remarkably well acted expression of astonishment rose on his face . He was standing as he heard the news and I was sure he would sit down . contradictory +Even if the assessment is embedded in a general health-needs survey , patients know they are being asked about alcohol , and that could affect their answers . Patients are not asked about alcohol . contradictory +It was saved from total destruction only to end up , ignominiously , as a state prison . They didn 't save it at all , the building is in ruins . contradictory +the larger macroeconomic system , the model can then generate key outputs including projected electricity sales and net generation , resulting emissions for each of the four pollutants under consideration , and the set of energy and permit prices associated with the resulting production levels . It is possible to track emissions for each , individual pollutant . entailment +CREDIT PROGRAM -For the purpose of this Statement , a federal program that makes loans and / or loan guarantees to nonfederal borrowers . Loans between federal agencies are a type of credit program . contradictory +Yes . Tuppence rose to her feet with a skip of delight . Tuppence stood up with delight . entailment +It is in the top 100 of Australian companies in terms of size and turnover . In terms of size , it is among Australia 's top 100 companies . entailment +Kilgore - who oversees delivering legal services to the disabled and elderly in 39 north Mississippi counties - is recipient of the University of Mississippi School of Law 's 2002 Public Service Award . Kilgore delivers services in 23 Mississippi counties . contradictory +Fashionable , upbeat Yokohama is centered in two areas . The youth culture in Yokohama contributes to its fashionable and upbeat culture . neutral +Slim pointed and said , " There 's sort of a hole in the canvas . " They discovered the painting was damaged . neutral +DOD recently made constructive changes to its acquisition policy that embrace best The DOD reports that they new policies for acquisitions is in the best interest of the DOD only . contradictory +I suppose secret service work makes you like that ! In the pause that ensued , Mr. Carter took from his pocket a small shabby brown book . Mr. Carter was not in possession of any books at the time , brown or no . contradictory +can be in day care for a few hours a week or my husband if it 's you know and and when he 's at home can take care of them My husband refused to watch his own children . contradictory +yeah my mother has made similar statements that she doesn 't want to become a burden to the family you know just put me out to pasture or shoot me or something you know there are the lines that come from her and uh My mother has said the same type of crazy things . neutral +Alison Moore indicated that these differences can also influence how researchers and clinicians tailor interventions to apply to people with different cultural attributes . Alison Moore is a graduate student at the Virginia Technical School . neutral +It 's impossible to even count all of the delightful churches worth visiting in Rome ( unofficial counts hover at 250 ) , many of which are commonly stumbled on by accident . There are more churches in Rome than any other city . neutral +Margaret Thatcher , Lech Walesa , and Vaclav Havel all performed important supporting roles . Margaret Thatcher , Lech Walesa and Vaclav Havel performed important roles in the film . entailment +If they once reached Sir James Peel Edgerton in safety , all would be well . They might be safe once they 'd reached Sir James Peel Edgerton . neutral +No , said Julius , in answer to it , " I 'm not crazy . Yes , said Julius , " I have lost my mind . " contradictory +First of all , my extreme apologies for the spelling mistake . I apologize for making spelling errors . entailment +Ultimately , what I say in my defense is completely meaningless . My defense is meaningless . entailment +We must do what we can . " Through Tommy 's mind flashed the assurance : " It 's hopeless , and he knows it 's hopeless ! " The other looked up at him . Tommy was sure of the situation that was happening entailment +Tuppence had received a brief answer to her appeal from Mr. Carter . Mr. Carter responded with a short response to Tuppence . entailment +Well , I don 't know that I should go so far as to say that . I 'd say something like that , yeah . contradictory +Bartoli is a wildly popular singer of relatively unpopular music , a singer who could probably fill stadiums , but prefers to keep her audiences at close quarters . Bartoli is the most popular singer out there . neutral +and then there 's one uh sitting on the right uh facing the house on the right hand side in the middle of that whole section and then i have this whole section over there that has nothing in it at all but just just the grass so that may be an idea to do is uh because i 've got that concentration of trees right there is to uh you know just do something like what you said was to put some kind of um uh little plants that does well in shade uh the shaded area and forget about you know trying to plant grass and stuff underneath that I know several beautiful flowers that grow well in the shade . neutral +Luckily I haven 't got your craving for crime ! I don 't have your craving for crime ! entailment +The Japan Times said Tuesday that Chinese Prime Minister Zhu Rongji may be obliged to reconsider his pledge to hold steady the value of the currency . This past Tuesday , the Japan Times said that Zhu Rongji might not be able to hold the value of Chinese currency steady . neutral +The sign points through an arched aqueduct of crumbling stone to the Musee Gauguin , displaying some original works by the great French painter , though only copies of his paintings . The Musee Gauguin has many counterfeits of his work . neutral +It is estimated that there will be 1,310 respondents and the burden hours vary from 11 to 24 hours per response depending on the type of authorization requested . More than 1300 people will respond . neutral +Until relatively recently , entertainment industries in Las Vegas were aimed primarily at the visitor . Entertainment in Las Vegas have never been meant for the visitor . contradictory +The Romans were active worshippers at Philae even adding their own touches . Romans believed in Zeus . neutral +going uh five days a week Once a week . contradictory +We 'vecreated amoreeffective Engagement Acceptance and Review Meeting process to help senior management direct and oversee work assignments . We created a really ineffective Engagement Acceptance and Review Meeting process to help infants . contradictory +and uh you would just hate it so much that whatever you had to do would be just you know it 's like you know you 'd loathe it so much that you would do absolutely anything to get out of it neutral +Snaps Anybody who thinks that getting a communication from a voter in your district is spam--that guy is pork . The guy thought communication from a constituent wasn 't worth his time . entailment +Because there are inbound cards , the Commission assumed that the relationship between U.S. outbound cards and the total volume of outbound Air LC / AO mail applies to inbound mail Air LC / AO . The Commission assumed the outbound calls and the outbound Air LC / AO mail was related . entailment +yeah no there 's no way somebody once said uh i had a car that said fuel injection on the side of it and a woman asked me what that meant and i said that means that i can 't work on it you know they 've gotten so complicated or so high tech that uh Most cars will be too complicated for me to fix in 5 years . neutral +Water is also a constant presence , sometimes as waves lapping on white sandy beaches , or as beautiful cascading waterfalls , or as majestic , wide rivers running snake-like across the land , forcing apart forest cover before reaching the sea . Water can rarely be seen or heard in the region . contradictory +St. Giles Cathedral , on your right , was the original parish church for the city and has been at the center of many of its most important developments . The parish has had many important developments revolving around the cathedral . entailment +If eyes were upon them , there was no hint . They could not tell if someone was watching them . entailment +that 's way too much yes it has I don 't think it needs to be that much . neutral +Nearby Abu Serga Church ( St. Sergius ) also claims this distinction . This distinction is also claimed by Abu Serga Church . entailment +The white lie is a time-honored solution for situations like this . Situations like this must always be handled completely honestly . contradictory +I reckon it out that he 's a figurehead just a bogy name to frighten the children with . He 's not just a name to scare children with . contradictory +That he 'd be in line behind Joe Camel is a lesson in cultural acceptability . He would be in line behind Joe Camel . entailment +Since both of you are newcomers " Rennie paused and then added : " Your riding away from here might appear to others that you had quit , were joining up with the mustangers on your own . " There were many deserters and the leader was wary of losing more men . neutral +I retired after making a pot of money in my business and looked forward to the life of Riley ... I make a bundle of money while working , so I decided to retire . neutral +There is satisfaction in feeling that you are better than other people not only in intelligence but also in modesty and good manners . You have the good manners to not tell people you are smarter than they are . neutral +uh-huh i don 't you know i don 't change my own oil so i don 't i don 't uh don 't have that problem I always change the oil in my car . contradictory +We must convert all wealth into the measure employed by mankind for 6,000 years , i.e. , ounces of gold . There is no reason to abandon an economic measure that has worked for 6000 years . neutral +Mangrove trees and shrubs grow on coastal marshland in the brackish zone between the sea and fresh water . Mangrove trees grow on the coast and provide homes for lots of marine life . neutral +You must have heard peasant superstitions . Peasants had no superstitions . contradictory +This won 't do . It won 't work , unless we do this . neutral +A few minutes later Alfred Inglethorp entered the room . After a few moments , Alfred Inglethorp rushed into the kitchen . neutral +New editor Charles Lane replaces Michael Kelly , who was ousted last week . Michael Kelly was fired for lying about a story . neutral +Barr , who 's a champion publicity hound , has national ambitions . Barr , who 's a champion publicity hound , has hopes of nationals next month . neutral +The north tower , the Tour Saint-Romain , has the sober simplicity of the cathedral 's early Gothic beginnings in the 12th century , while the taller , more elaborate south tower , the Tour de Beurre , is Flamboyant Gothic of the 15th century . Both the Tour de Beurre and Tour Saint-Romain are modern churches in the brutalist architectural style . contradictory +For miles around , smaller drops of the three-mile-diameter sun had spattered and were etching deeper holes in the pitted landscape . The sun was millions of miles in diameter and located far away in the center of the solar system . contradictory +However , this is not the only facet of the city . Another facet of the city is its night life . neutral +oh i just right right there are so many other ways but that one just it defeated me i didn 't have any answer for that one that one was just beyond my imagination I could barely understand the question neutral +and we keep thinking about that you know because she they get less alert and they don 't care and i 've seen some of these elderly people on TV you know the ones from Florida that just run into people and they don 't even understand what happened you know We realize that she is getting less alert and I worry based on what I have seen on TV about the elderly . entailment +It used to be the headquarters of Jean-Paul Sartre and his existentialist acolytes wearing , winter or summer , black corduroys and long woolen scarves . Sartre did not spend time there . contradictory +Continuing around the coast in a counter-clockwise direction , Deep Water Bay offers a good beach and harbors . During one 's commute around the coast , it is easy to see that Deep Water Bay offers a good beach and harbors . entailment +The small man drew a shining dagger from within his cloak but instead of attacking the merchant he went after the girl . The man slashed violently at the girl . neutral +For information about Italy 's music festivals ( as well as theater and film ) refer to the web site & lt ; www.italiafestival.it & gt ; . For information about Italy 's attractions , buy our exclusive tour guide for only $ 5,000 . contradictory +yeah i still haven 't figured out what the zero through six days which day is which yet but Out of the range of days I don 't know which is which entailment +The self-guided Rock ' n ' Stroll Trail around Dublin , which follows in the footsteps of Irish rock legends , will appeal to teenagers , as will the interactive displays and shows at IMHF ( see page 92 ) . The Rock ' n ' Stroll Train around Dublin follows in the footsteps of Irish rock legends . entailment +Bias The extent to which a measurement , sampling , or analytic method systematically underestimates or overestimates the true value of an attribute . The measurement of attributes can be systematically flawed . entailment +He took a desperate step , trusting in his assumed character to avert suspicion . He was trying to be deceitful entailment +In other words , it amounts to a bribe . To put it differently , it was persuasion . entailment +Slate , horn , wool , and wood were always used to make tools and implements , but these materials are now also being used in the production of interesting souvenirs . Horn , slate , wool , and wood have historically had toolmaking uses . entailment +yeah the summer time 's a little too hot It 's too hot in the summer . entailment +uh-huh What uh what area did you live in Where did you live ? entailment +In the short term , though , it 's possible to get too many Planet Hollywoods and not enough Intels . There 's a massive shortage of Planet Holywoods that won 't clear up any time soon . contradictory +One of the drawings on view at MoMA is a diagram of the races , with the Jews identified as circumscised [ sic ] cut off from Earth . Jews do not believe in circumcision . contradictory +It is possible to emphasize this topic without stating that it should take precedence over other issues or have a certain amount of resources devoted to it . The statement is emphasized . entailment +as good as as people say it is as good as they say entailment +The Taliban captured the southern city of Kandahar--where its reclusive leader , Mullah Mohammed Omar , resides--in late 1994 and the capital , Kabul , last September . The capture of these cities was crucial wins for the Taliban . neutral +How far the boy had come . It took years for the boy to get to this point . neutral +The site , from the third century b.c. , when Emperor Ashoka ordered stupas containing the Buddha 's relics to be built , is on a 91-m ( 300-ft ) hill on the Vindhya plateau . The site dates from about the first century A.D. and is built on a plain . contradictory +and the teacher started talking to them and they said that they were selling drugs out of ice cream trucks now They told the teacher that they were selling drugs . entailment +oh yeah is there anybody who doesn 't Everybody does . neutral +In New England , nine of his assistant coaches were former Giants assistants ; at the Jets , he has enlisted former Giants players to coach his running backs , kickers , and tight ends . Many of his assistant coaches from New England followed him to the Jets . neutral +The Carthaginians , under Hannibal , recruited locals to fight as mercenaries against Rome . Locals fought against the Romans for the Carthaginians . entailment +North American Man Boy Like Association . There is an association for men who like boys . entailment +Jon caught the spear , guided the tip into the earth , and stomped the shaft . Jon was caught by a spear , killing him . contradictory +yeah and a good bit of that was filmed right there in Cincinnati which is just forty five miles from from where i am where i actually live in a suburb of Dayton I don 't live too far from where they filmed it . neutral +The result is the step pyramid at Saqqara . The step pyramid in Chicago is the end result . contradictory +These interventionists met with the patient , discussed drinking and substance use openly and directly , and offered some advice and assistance . None of the interventionists met with the patient . contradictory +Very fit , experienced walkers enjoy the peak walks , which involve steeper climbs and lead to the very highest points of the Lake District . The mountain is too steep to climb . contradictory +Under various analyses , the worst case scenario would be the application of the rule to a low of 771 commercial stations ( 68 percent of all stations ) to a high of 1,155 commercial and noncommercial stations ( 78 percent of all stations ) . The analyses were run only several times and did not come up with any terrible outcomes . contradictory +Scientists were once ostracized for holding religious beliefs but can now worship without embarrassment . No scientist has ever been religious . contradictory +The study , completed in mid-2000 , found strengths and accomplishments and noted many remarkable features from which other states could learn . Other states could learn from the study completed in mid-2000 . entailment +later on uh later on i think when my oldest daughter got involved she and i got involved in Indian Princesses we used to go up at Possum Kingdom and do a lot of camping at Possum Kingdom I got my daughter involved in a group and we used to camp a lot . entailment +okeydoke good-bye Hello ! contradictory +And changes made by Congress in 1996 didn 't help The legislature cut LSC funds by 31 percent , to about $ 280 million . Cutting LSC funds by 31 percent was debilitating . neutral +Ds proclaim , We 're in it together ; Rs assert , I 'm in it to get you . The difference between the two is the cause of such deep division . neutral +The Old City including the Jewish Quarter , was in Jordanian hands and off limits to Jews until reclaimed by Israeli forces in 1967 . The Old City is home to 10000 Jews . neutral +hello i was i was thinking about our topic for the night um immigration problems we have immigration problems and what do do you think about it I am willing to change our topic for the night , but I have immigration problems so far . neutral +canoeing uh water in it have you been camping much Is camping something you 've done often ? entailment +maybe that understands colors would know all of that stuff but Maybe someone who didn 't know anything about colors would understand that stuff . contradictory +We will continue to correct skill gaps and increase staff productivity and effectiveness through training . Skill gaps , effectiveness , and productivity will be fixed through training and discipline . neutral +Liberals and child advocates can now explain , as conservatives have before them , that social policy isn 't about enforcing officially approved choices . Liberals said social policy is hurt if they enforce approved choices . neutral +for what i 'm getting and then if if i think the rate 's going to drop then i pay them back in less dollars If I speculate a decrease in the rate , I pay them less . entailment +Hurricane Hugo and the Loma Prieta earthquake in 1989 generated intense criticism of the federal response effort . Both events caused much negative feedback . entailment +Here is Novak 's original quotation from Capital Gang : The original quote is as follows : entailment +It 'll be a good thing for all of us if she finally gets into the habit of speaking for herself . It will be beneficial for her to speak for herself . entailment +Ought to be drawn and quartered , like in good old times . " Shouldn 't be drawn and quartered , that 's a horrible thing to do in modern times . contradictory +uh just the Raleigh local paper I 've never heard of the Raleigh local paper . contradictory +six of us 6 of us . entailment +The American legal system ultimately will affirm that Microsoft 's actions and innovations were fair and legal , Gates declared . Gates is sure that Microsoft will win in court . entailment +Friendship between alien intelligences is an imponderable . It 's hard to imagine alien races being buddies . entailment +Havana sprawls over more than 700 square km ( 270 square miles ) and is divided into five districts . Havana is tightly constrained in a small area and does not have any individual districts . contradictory +Warm became fused with the chair . Heat was joined with the furniture . entailment +yeah it gets it gets uh hot but uh it 's not very humid and there 's always a nice uh breeze blowing It gets hot but it 's not humid and there 's a good breeze . entailment +and uh my father had a small business and she thought that he would incorporate it and use it in the business and he never did he always did everything out by hand he only had three employees so Everything was automated with computers in my father 's business . contradictory +He expressed his gratitude by devoting the rest of his life to refurbishing a town devastated by the Thirty Years ' War of the previous century . He restored 400 buildings to show his gratiitude . neutral +Better yet , start a business as a professional mentor in his area of charging a monthly retainer for the privilege of calling him to ask questions whenever they wish . Charging a monthly fee would bring him in quite an income . neutral +Portugal 's resulting near-monopoly of East West trade understandably awakened the competitive instincts of other European powers . Portugal was never involved in East West trade . contradictory +As regards Annette he could do nothing . He could do something for Annette if he wanted to . contradictory +Special Report to the Health Effects Institute , Cambridge MA , July 2000 This book was good neutral +Although these efforts were generally aimed at encouraging policy compliance , the senior security official at the retailing company emphasized the importance of improving users ' understanding of risks . There were no efforts to encourage any policy compliance . contradictory +And how am I supposed to feel ? Good is right . I know I 'm supposed to feel good about my performance . neutral +So long as we don 't know , we can 't really judge . Let 's just go ahead and judge , whether we know or not . contradictory +We have also made hundreds of recommendations to improve management of largescale IT investments in many major departments and agencies . Major departments and agencies have large scale IT investments . entailment +you say you retired a year ago So , you work 40 plus hours a week ? contradictory +As longtime tabloid readers know , the reason for the mask is that after innumerable surgeries , Jackson 's nose is collapsing like an El Nieo-soaked hillside . Michael Jackson 's face remained unchanged throughout his career . contradictory +To life in the Dust Bowl during the Great Depression ? Life in the Depression was dusty and fun . contradictory +well they talk about it and there are a few in some of the more like in i live in a big metroplex and some of the the better parts of the metroplex the the suburbs that are richer have those kind of target schools but uh you know The richer parts of the metroplex always have better services . neutral +But something else is bothering Reese . Reese 's relationship with his girlfriend is bothering him . neutral +Modern America , however , is a hugely unequal society in which anyone can achieve awesome success , but not many actually do . Society in modern day America is considered to be superior to other nations for its equality . contradictory +Next door , the National Museum of Modern Art is , despite its name , mainly devoted to 19th- and 20th-century ceramics . The museum of art is filled with paintings . contradictory +It is this . This is what it is . entailment +He picked up the bunch of keys from the floor , and twirling them round in his fingers finally selected one , very bright and shining , which he tried in the lock of the purple despatch-case . There were 10 keys on the floor . neutral +i guess the the main thing if i was recommending to someone like you said you 've you 've got you 've got do something you can afford but then to go to a school that also is is somewhat well known at least in the state for what you want to do All schools are free so it is easy . contradictory +The boy was on the look out for us , and was just a mite worried about what might have happened to you . The boy was waiting patiently with you . contradictory +The lawyer fingered her pulse . The lawyer didn 't take her pulse . contradictory +so i i i i i think it 's essential that it 's done and i think the real trick is to avoid the you know a little more attention to human psychology and whereas people want round numbers and after all the whole reason to go over to metric is to have round numbers so they don 't deal with thirty seconds of an inch and so what the exact Realistically , people are more comfortable with round number . entailment +yeah uh have you seen Shrimp on the Barbie Have you ever watched Shrimp on the Barbie ? entailment +It is popularly supposed ( particularly by people who live in them ) that democracies are good , while various forms of despotism are bad . Democracies are good and despotism is bad entailment +The sacred site of Glendalough in the Wicklow Mountains is still highly evocative , and should not be missed . Glendalough is a forgettable site that visitors are encouraged to bypass . contradictory +Nixon 's office is challenging Brown 's authority to spend the money . Nixon 's office fought Brown 's authority to spend money entailment +In 1464 , after the Battle of Hexham , King Henry VI wandered the countryside and many of the landowners , unsure whether he was victor or vanquished , refused to give him shelter . The Battle of Hexham was won by King Henry VI . neutral +The Regent Beverly Wilshire ( 9500 Wilshire Boulevard ) has been a landmark since 1928 . The hotel has been popular for almost 100 years . neutral +By little I do not mean small . When I say little , I mean small . contradictory +Apparently , for all those years the justices were just kidding around . The justices have been working seriosuly for all those years . contradictory +He saw as close a vision to hell as any had ever seen . He saw a vision and screamed . neutral +It is an exotically distant holiday destination popular with Italians and the occasional German tourist , both incredulous that this end-of-the-world piece of Italy is still part of Europe . Europeans enjoy visiting this out-of-the-way place while on holidays . entailment +the last dog i got i think was that way because he was uh he was in fairly good shape but apparently just didn 't have a home or couldn 't find his way home and i don 't believe it because he was one smart dog strange mixture he was uh The last dog I had was that way because he was in good shape . entailment +There are heartening exceptions . There are exceptions that are not heartening . contradictory +Exhibit 3 National SOx and NOx Emissions Projections for Base and Clear Skies Scenarios ( million tons ) They projected CO2 emissions . contradictory +The Franciscan Grotto of Gethsemane , entered by turning right before reaching the Crusader arch , is a less somber place . The Crusade arch is a less somber place . entailment +he 's good did you ever read he wrote Texas a few years ago He 's a good writer ; he wrote Texas a few years ago . entailment +yes i do she was um at a private well i stayed off work with her for little over for of a year when she was born and then i I stayed at home until I couldn 't afford it anymore . neutral +The artist 's tomb was installed in the church in 1919 . The church has an artist 's tomb . entailment +The crypt is a grim maze of corridors lined with cells containing the tombs of the famous , as well as the not-so-famous . The cells in the labyrinth contain tombs of the famous . neutral +they had they had quite a few new ones come out last year that they added to but but you don 't have much spare time either They had a lot of new duties given them in their workplace , but it 's not like you have less . neutral +Fresh fruit and vegetables are piled high , hunks of meat are displayed , and the air is filled with the scent of exotic spices ; vendors announce their wares with loud chants . Various food items are on display from various sellers . entailment +The avenue ends at the Geku 's Shoden ( main shrine building ) , which together with its eastern and western treasure houses is enclosed by a series of four unvarnished wooden fences . The Keku Shoden borders the avenue at an intersection . contradictory +Behind the church on the outskirts of town there is a magnificent view over the mountains to the Vaucluse plateau and the distant peak of Mont Ventoux . The view is of the road . contradictory +Seeing and appreciating even that many great paintings could occupy a serious student of art for many weeks . The small amount of paintings will take only a few minutes to see . contradictory +Please throw away your meals and begin dental flossing immediately . ' Throw your food away and get your floss out right now . neutral +At least one historically fashionable establishment still resides here in all its glory . The establishment has been here for many years . neutral +The humiliation caused by his unkind smile persisted for 24 hours . The humiliation lasted for 24 hours . entailment +This is hard-core , grab-the-paycheck gambling , said Tom Grey , founder of the National Coalition Against Gambling Expansion , when I interviewed him about South Carolina this spring for Harper 's . This is hard core blackjack according to Tom Grey who I interviewed in South Carolina for Harper 's . neutral +They spoke of a statue of a woman with long twisted arms and the head of a beast . They were talking about a statue with the head of a beast . entailment +It was daylight , but through the clouds bright stars were shining . It was a clear day , and stars could be seen . contradictory +that 's mostly locally the banks will line up with uh THe banks don 't get involved . contradictory +and uh he actually they came out with a European racing green uh Miata that 's a limited edition they 're only going to make like three or four thousand so he went out and he traded the other one in and got this one and i 'm like um The Miata has been pushed back a few years on the production schedule . contradictory +'Right , ' I mumbled . 'Wrong ' , I said . contradictory +But isn 't this ubiquitous propagandizing what we mocked and derided when the Soviets did it ? This is nothing like the propagandizing that the Soviets took place in . contradictory +Last year the British publication of these never-published 39 poems occasioned accusations of misogyny , sordidness , and racism ( one of the poems is titled King Bolo and his Big Black Kween ) . When these poems were published , no one even read them , much less reacted to them contradictory +She has yet to come to terms , artistically ... She is not as artistic as she could be . entailment +i didn 't know it made the national news I didn 't know it went national . entailment +On the Left Bank , try the photogenic rue de Buci in St-Germain-des-Pres , open every morning except Monday . Nobody is allowed to take photos in this area , as all cameras are confiscated upon entry . contradictory +The Robert W. Carey Quality Award is VA 's most prestigious award for quality achievement . The VA does not have an away to recognize quality . contradictory +Most of its buildings are closed to the public , but you pass an attractive thatch-roofed tea-ceremony house as you follow the winding stone steps toward the exit . The public can visit any of the buildings . contradictory +Transactions and other significant events should be authorized and executed only by persons acting within the scope of their authority . Transactions should be authorized by people with no authority contradictory +and it doesn 't do him much good to run down field if he can 't catch the ball He always tries to run down the field , even for balls he cannot catch . neutral +okay so so you couldn 't deduct state income uh state sales tax when you lived in Texas So you have never lived in Texas before ? contradictory +( For more on Internet use among different socio-economic groups , see the Commerce Department 's Americans in the Information Falling Through the Net . ) They wanted to get a clear view of what groups used the Internet for . neutral +The Government collects these amounts through the exercise of its power to compel payment . The government over uses its power neutral +i i am i work faster i get things done faster than when i 'm in a dress and heels you know i it and it 's weird but i it 's i do i i can i can get so much more done if i 'm dressed comfortable you know I can get more done if I am comfortable in my clothes . entailment +okay now um what do you think about about the death penalty itself do you think that we should have a death penalty Do you believe there should be a death penalty ? entailment +And even with clean practices and technologies like steaming of meat ( which hasn 't been tested nearly as much ) , some food would still be contaminated . Meat can be steamed . entailment +Hideyoshi moved many of Kyoto 's temples to this long narrow road during his reorganization of the city in 1591 following its near-total destruction by clan warfare . Hideyoshi left the temples alone . contradictory +Innovations in staff assignments and approaches have brought about more focused state planning efforts throughout the country and program support that emphasizes strengthening quality at individual organizations and within the state legal services delivery structure . Innovation in staff assignments were made by assigning all workers at random . neutral +Athens became the most powerful , heralding the start of the classical Greek period . The classical Greek period began as Athens fell precipitously from power . contradictory +A series of restaurants lines the harborside and the narrow cobbled streets behind . There are many restaurants on the narrow cobbled streets as well as the harborside . entailment +and i just signed up for it I just showed my interest for it . entailment +Sometimes enshrined in the Chapel of the Holy Shroud ( Cappella della Santa Sindone ) , it was brought to Turin in the 17th century after a journey 200 years earlier from Jerusalem to France via Cyprus . It has been kept in many different locations . entailment +This is , of course , nonsense . This is perfectly understandable . contradictory +They are scattered around the country and mostly deliver unaddressed saturation advertisements and small quantities of periodicals and small parcels . They are in one city only and they spread advertisement material there . contradictory +' All of President Clinton 's untruths , all of his lying under oath , if you will , about an extramarital relationship does not subvert the Constitution ( Schumer ) . The Constitution does not specify about extramarital relationships . entailment +As noted earlier , the number of boilermakers dropped quickly during the 1990s when little work was available . Few biolermakers worked through the 90s due to a poor job market . entailment +If Bauerstein 's the murderer , nothing could be simpler than for him to substitute some ordinary coco for his sample , and send that to be tested . Bauerstein could fake his innocence by using some hot chocolate for the test . entailment +Just in case you think you have got it all clear in your mind , remember that Vishnu destroys by not preserving and Shiva preserves through the renewal arising from destruction . Vishnu is a god of destruction , while Shiva is a god of renewal . entailment +The Baselica de San Vicente just outside the city walls is considerably smaller than the cathedral , but hardly less inspiring . The Baselica de San Vicente is visited by many . neutral +Selana 's uncle had been one of the dead . Selana 's uncle was no longer living . entailment +Maybe I 'll tell you and maybe I won 't . I might or might not tell you . entailment +You get to a hotel room in your travel-stained sweater , shirt , and pants , and drop all these down a chute . You have been traveling with no clothes on . contradictory +yeah and are loud so when he gets loud it 's not too it doesn 't bother the other people He always bother everybody when he gets loud . contradictory +Stand on the Pont Royal in late afternoon and look down the Seine to the glass-paneled Grand Palais , bathed in the pink-and-blue glow of the river . The river glows from radioactivity . contradictory +let it get that long wow Permit it to get that much in length in order to produce quality agriculture . neutral +South of Savanna-la-Mar the road hugs the coast , where you 'll see narrow beaches brimming with faded wooden pirogue canoes and other boats . The road is a great route for sightseeing . neutral +An enormous new reception area was excavated ( revealing parts of the original fort ) , topped by the superb glass Pyramid designed by I. M. Pei in the Cour Napoleon , which now marks the museum 's main entrance . The new reception area was excavated and was topped with a glass pyramid . entailment +As we passed through one of the gates on our way home again , a pretty young woman of gipsy type coming in the opposite direction bowed and smiled . The young woman liked me neutral +Another handles urine samples in a hospital lab . Someone handles urine samples in the hospital . entailment +Until 5,000 years ago , Antiparoseas attached to Parosebut seismic activity and climatic change have produced a narrow sea channel with several tiny islands between the two . A new strip of water has formed between the two . entailment +Excellent rice ( arroz ) has grown on the Costa Blanca 's doorstep since Moorish times ; hence the many rice dishes and , king of them all , world-famous paella . Rice has only grown near Costa Blanca for 50 years . contradictory +After two centuries of religious heresy , the Church needed a spiritual renewal , finding the perfect ally in Francis of Assisi ( 1182 1226 ) , pious without being troublesomely militant . A spiritual renewal was needed for the church after the heresies that had gone on . entailment +Orders for 100 or more copies mailed to a single address are discounted 25 percent . There is a discount for more than 100 copies send to a location entailment +( The predictable lesson--justice isn 't cut and dry--clogs the film 's gears , says the Washington Post ' s Eric Brace . ) The film 's lesson on justice served to enhance the story . contradictory +It should not be necessary to relocate any existing boiler equipment to install an ACI system . It is essential to relocate existing boiler equipment when installing ACI systems , and it is definitely necessary . contradictory +that 's what i think about it for me i think well my kids better not do that to me i don 't want that you know so i i think of it well how would i want to be treated rather than I think about my children and I realize I don 't want them to do that to me and would like to be treated well instead entailment +It would maybe give us a start . It might give them a start . entailment +This old pineapple plantation had fallen into decline before being transformed into the first ( and many still say the best ) resort hotel on the island . The pineapple plantation fell apart . contradictory +During the last one hundred years a large percentage of the population , tired of fighting the hard economic conditions , immigrated to the United States . Today , the population is still lower than it was before this period of immigration . neutral +Rural carrier time is included in the rural mail count system . The rural mail county system is structured around rural carrier time . neutral +Here , on the northernmost of the FWI , you 'll find such familiar trappings as boulangeries , restaurants featuring delicate wine sauces , and gendarmes ( if only a mere handful ) . There are boulangeries , restaurants and gendarmes on the northernmost part of the FWI . entailment +They waste paste inside their complex mechanisms , and their packaging couldn 't be less eco-friendly . The excess paste costs the manufacturer a hefty sum . neutral +I want to leave knowing I started us on the road to bigger and better things , he said . I want to leave knowing I started this . entailment +You 'll find wooden fishing boats pulled up on the sands and nets hanging out to dry . The boats stay at the dock overnight . contradictory +Driving through these areas feels like traversing a movie set the homes sparkling and new , the roadways smooth and wide , the landscaping young and fragile . Driving by these trees feels like going through a movie set . entailment +Characteristics related to useful life are that has an indeterminate or an unpredictable useful life because of the unusual manner in which it is used , improved , retired , modified , or maintained or is at a very high risk of being destroyed during use or of premature obsolescence . The length of the useful life of a power-tool or computer depends on how well the owner properly maintains it , follows directions in its use and does not alter the product and so forth because any such changes can lead to a shorter useful life . neutral +uh well i haven 't tried that i don 't know it 's been i bet it 's it 's been thirty years since i played tennis I have been playing tennis for over thirty years now . contradictory +It is not realistic to only expect the supply side ( accountants , regulators , and corporate management and boards of directors ) to come up with the best solutions for improving the financial reporting model . It is realistic to only expect the supply side to come up with the best solutions . contradictory +One advantage of living on what amounts to a long string of volcanoes is the proliferation of onsen , or hot springs . The abundance of hot springs is the only positive aspect of living so close to so many volcanoes . neutral +Ca 'daan sat down next to the man . The man was lonely so Ca 'daan sat down beside him . neutral +Your voice was so queer ! Your voice was quite normal . contradictory +'Oh , great , ' I rubbed my temple . I rubbed the end of my foot . contradictory +The problem is that he was born one week earlier than the blanket says . The blanket says he was born one day , but it 's not true , said the nurse . neutral +some did you know Big Brother Big Sister stuff like that and i 'm convinced that that that at least twenty five percent of our school participated in some sort of uh some sort of group you know activity activity like that you know twenty five i don 't know twenty five percent yeah my wife was big in that and she thinks yeah twenty five percent it 's it was a small school but um Big Brother Big Sister had nothing to do with the students in our school . contradictory +No one would care that much . Caring that much is impossible . neutral +and uh although what they 're doing now is is they 're maintaining secretaries but they 're piling more and more people onto that one secretary rather than get rid of the secretary they 're they 're just you know they 're finding justification by adding more people to her They are adding more people to the secretaries work . entailment +Roughly a third of the employers studied appeared to have discriminated against women or minorities in at least one job category , the authors said According to the authors , at least a third of employers have potentially discriminated against women or minorities in at least one job category . entailment +if uh and i think that alone that alone would just cut down so immensely on that we 've we 've also i mean the fact of the matter is is that you know they 've just got to find other fuels The fact of the matter is that no matter what you think , we must keeping using the fuels we have been . contradictory +In Time ' s cover package , an essay by Lewinsky attorneys William Ginsburg and Nathaniel Speights claims 1 ) Ginsburg 's media campaign is designed to demonstrate that my client is a responsible young woman who speaks the truth . The media campaign by Lewinsky 's lawyers was to prove that she is truthful . entailment +As for people you deal with regularly ( like doormen , since you 're a Manhattanite ) , grease their palms once every several encounters , or else you 'll go crazy and broke . Encounters with doormen happen regularly . neutral +Real crime , you 'd know at once . " True crime you can notice . entailment +What that really means is that any company with the financial ability to launch a tender offer--and given the ease with which financing can be found , that means essentially any company--can bring about the dissolution of its target . That means that any company with enough funds to launch a tender offer can bring about the dissolution of its target . entailment +On inquiring for Mr. Hersheimmer , they were at once taken up to his suite . Mr. Hersheimmer 's suite was very spacious and grand . neutral +First , they said that standardization is probably a good approach for resolving legal issues that each agency will have ultimately to face , such as the use of copyrighted material and censorship of comments received by the public that might be accessible to minors . Standardization could be a great method for solving the issue of illegal use of copyrighted materials . entailment +It was Father 's Day , 1980 , and Subia got the call all parents dread . In 1980 , Father 's Day had not yet been invented . contradictory +Many other small entrepreneurs provide alternative delivery , but they have a very small share of the market . Although they have a small share of the market , other small entrepreneurs provide alternative delivery options . entailment +Pre-McGrath , it was even forbidden to review a book published by one 's own publishing company . Publishing companies could always review books they 've published . contradictory +Sure am glad I played a hunch an ' backed him against Oro . " Fowler 's red forelock bobbed over his high forehead as he nodded vigorously . I regret the fact that I backed him against Oro . contradictory +The exhibition tells us that as a vessel of lasting sense or sacred truth , the written word may be losing ground , but that as a source of inarticulate comfort , it has gained much . The exhibition says the written word is becoming more important . contradictory +well probably more on in terms of the US um you know i 'm i 'm not quite sure how the US copes with this sort of thing i 've lived abrode abroad most of my life so i guess i i 've been very cut off uh i lived actually in Lebanon so i was very cut off from the the press as i was you know and uh becoming was becoming an adult so i don 't know how the US would cope with it a Lebanon would deal with this much better than the US . neutral +Curral das Freiras is pleasant enough , but the quiet village is perhaps best experienced from above . The village is not very noisy . entailment +Lehrer is unabashed about this socializing with pols and power , and it has turned him into one of them . Leher brags about his socialization with politicians . neutral +According to Time , dopamine explains how and why we become addicted to sex , drugs , booze , gambling , food , cheap thrills , and yes , tobacco . Dopamine can reveal a lot . neutral +He wants to find the secret rational formula that will connect movie costs to movie revenues . He has no interest in finding the secret rational formula that connects movie cost to movie revenues . contradictory +In Other Magazines sizes up the Time , Newsweek , and other major periodicals--usually before they hit your mailbox or local newsstand . Usually , before they hit your mailbox or local newssand , In Other Magazines sizes up the Newsweek , Time , and other major periodicals . entailment +yeah those are few and far between though There are a large number of them nowadays . contradictory +The highest catalyst demand will occur by 2010 . The highest demand will be here by the year 2010 . entailment +But anything that makes the new global economy a bit more stable is to be welcomed . We will not welcome anything that makes this global economy more stable . contradictory +yeah so um i mean is there anything else about a restaurant that would make you go back though What else would make you go back to s restaurant ? entailment +Golden coins spilled out . Coins fell out of the purse . neutral +yeah they do and i told him i said well if you do it you can 't shave your hair I told him he could definitely shave his hair . contradictory +The challenge is for the individual with their own case to find the lawyer who is most appropriate , he said . It is easy for an individual with their own case to find an appropriate lawyer . contradictory +She 's the mater 's factotum , companion , Jack of all trades ! There is nothing that she cannot do . neutral +A severely biteless paste such as Colgate Platinum Whitening Mild Mint can be retch-triggering . Colgate Platinum Whitening Chocolate Mint is a severely biteless paste . contradictory +It was a heated discussion on county cricket ! The discussion on country cricket was half-hearted , they seemed disinterested in it . contradictory +Archaeologists also discovered a number of simple tombs where the artisans buried their dead . Simple tombs of artisans and their families were discovered . entailment +Craft labor for installation is also indicated . They provided the labor for free . contradictory +Where 's Susan , Jon asked Ca 'daan . How 's Susan , Jon asked Ca 'daan . contradictory +And , incidentally , when George W. announces his candidacy , I believe that that will be his official slogan . I believe George W. already has a slogan for is candidacy . entailment +of uh not going to school he said in view of the fact that he was certain i had a hot line to his school because uh i uh well i i was in physical education then and i just kept getting pushed into administration wound up in administration I was a PE teacher . neutral +LSC is in the process of reviewing the test results in order to make appropriate improvements . LSC has already completed its review of the test results . contradictory +The fellow knew every dirty trick and was eager to use them all . The fellow was ready to use every dirty trick , and he knew them all . entailment +Conservatives retort that liberals would never tolerate similar bigotry aimed at beliefs sacred to Jews or blacks . Conservatives think that liberals will tolerate the same bigotry seen by Jews or blacks . contradictory +The little man was transformed . The small person changed . entailment +that 's uh boy uh that must be a wonderful feeling to be in that profession and be able to make a contribution like that It seems like it would be enjoyable to be able to make a contribution like that in that profession . entailment +Dare say he soaked fly papers . The fly papers were bought cheap . neutral +Paste for Greenies The Greenies are asking for Paste . neutral +Particularly on Martinique and Guadeloupe , where the outstanding bargains are in perfumes , Parisian fashions , crystal , and other luxury items from France . You cannot purchase perfumes or crystal in Guadeloupe . contradictory +As secretary of state in 1984 , he named me to be a consultant on the economic problems of Israel . The man named the other man to be the consultant . entailment +no you must really keep up You must really keep up with politics . neutral +And the old Dublin is with us , too the irreverent city of wit and charm and that peculiar magic possessed by Ireland and the Irish . Dublin has a lot of historic sites to visit . neutral +yeah yeah well to me i 'd want to quit I would want to quit if I were in that situation . entailment +how about that true and hear hear the weird voices I can 't hear anything at all contradictory +During the impact , the detonating fuse is activated and a load of plastic paint-filled balls is dispersed over an area of roughly 3 meters in diameter . The balls will not be released if the fuse is activated . contradictory +they illustrate 1 ) Decline in revenue share from household sector 2 ) Increasing , in absolute value , own-price elasticity 3 ) Increasing substitutability away from postage consumption with computer use 4 ) Increasing substitutability between postage and telephone consumption . There is a 42 % decline in revenue share from a household sector . neutral +Well , I 'm damned ! he said . I 'm not damned he said . contradictory +And you , madame ! He bowed low over her hand . He bowed all the way down slightly over her hand out of respect for her age . neutral +um-hum yeah that 's that 's what he said here he 's gotten us into a linear flow that we 've never been in before He said he 's gotten the majority of workers laid off that 's never happened before . contradictory +This southernmost of the French West Indies lies between English-speaking Dominica and Saint Lucia . English is the main language in Dominica and Saint Lucia . entailment +Please note that , like a reheated stew , this dodge works even better after a military action has begun . This evasive tactic works better after a military action is in motion . entailment +Now it 's hard to imagine Kosovars accepting any kind of Serbian rule . Serbian rule over Kosovars is hard to imagine . entailment +Note that sometimes there is a cover charge of HK $ 50 to HK $ 200 at clubs , which may or may not include a couple of drinks . Sometimes there is a cover charge at clubs , but only for gullible tourists . neutral +The final stage of Indian advancement began while Europe was in the Middle the Taano Indians , a peaceful people native to Venezuela , traveled up through the chain of the Lesser Antilles and settled the island they called Borinquen . The Taano Indians were native to Venezuela . entailment +and our bottom line answer was no because we cannot save the world We can 't save the world so our final answer was no . entailment +He believed that He did not believe that at all . contradictory +No two hand-made carpets are identical . It is hard to tell hand-sewn carpets apart . contradictory +Those components should continue to apply the standards required by law or policy for their financial statements . The parts mentioned should have the usual standards applied to their financial statements . entailment +Which is not to say that youthful idealism collapsed with the incredible inflation of private law firm salaries . There is a huge inflation of salaries at private firms . entailment +but they 're bringing in some good young players too The new players are all 21 years old . neutral +Through 2010 , CBO assumptions are the main determinant of other mandatory spending , after which it grows at the same rate as GDP . The main determinant of other mandatory spending in 2015 are CBO assumptions . contradictory +( But of course--Soderbergh flouts time ! ) Soderbergh flouts time ! entailment +Jolanta quickly dialed her husband 's number : Jolanta was in a rush to call her husband . entailment +I 'm way too truthful . I lie too much . contradictory +Few dames made the cut . It was a stiff competition . neutral +And I know you and I are brothers in bloodshed . I know we 're brothers in bloodshed . entailment +Not likely to forget this one , he said , grinning . He said that he will most likely forget that one . contradictory +EDs have reported high case rates of alcohol problems , especially acute intoxication , from 9 % to 31 % . EDs have reported a 50 % increase in alcohol problems since 1978 neutral +Johnson said through the program her shelter , which served 187 women and children last year , has been able to form better relationships with those who work with domestic violence victims . Johnson said the program served 187 women and kids last year . entailment +Wait , my friend , I will let you in , and you shall recount to me the affair whilst I dress . In a few moments he had unbarred the door , and I followed him up to his room . I went to his room to tell him about the matter while he dressed . entailment +Marie-Galante , large and round and noted for the rum from its extensive sugarcane fields , was named by Columbus after the ship that brought him across the Atlantic on his second voyage . Marie-Galante 's vodka is produced from its extensive from the massive potato field . contradictory +The Falcons upset the Minnesota Vikings 30-27 after 1 ) the Vikings ' kicker , who hadn 't missed a kick in 122 consecutive attempts , botched a field goal with two minutes remaining ; 2 ) the Falcons drove back down the field for the tying touchdown in the closing seconds ; and 3 ) the Falcons drove for the winning field goal in sudden-death overtime . The Viking 's kicker was too tired to make the kick . neutral +Order some Turkish coffee , Tommy . Tommy , get some Turkish coffee . entailment +Although no comments were filed in direct response to the initial analysis , the Commission stated that some general comments related to issues that could affect small entities . Medium entities may also be affected by the general comments . neutral +However , because of concern over the effects of changes in allocation policies on smaller hospitals and because HHS considered , as an alternative , the possibility of imposing quality standards on transplant hospitals , a voluntary Regulatory Flexibility Analysis was prepared and is included in the rule 's preamble . A voluntary Regulator Flexibility Analysis was prepared in response to concerns over the effects of changes in allocation policies . entailment +Red looked annoyed . Red had just arrived . neutral +In 1963 it had 520 employees and an annual budget of $ 8 million . They all stayed til retirement . neutral +Passaic Legal Aid argues that LSC used the consolidation process to deny funding based on performance without a required hearing . LSC can deny funding . entailment +Three things you will need if you are a 110-year-old black writer intent on composing your autobiography on a manual typewriter in an outdoor location where New York police officers may happen to walk by . Hipsters rely on manual typewriters to write with . neutral +Other companies , such as Cognisoft , take this same approach to corporate intranets ( internal networks ) , hoping that push technology will be even more useful in distributing the right information to the right employees . Cognisoft works with corporate intranets . entailment +A woman was standing by the fireplace . There was a man next to the fireplace . contradictory +and that line being of of uh you know a a a a planet that 's going to be able to continue to live or it 's gradually already dying and it will not be renewable i mean we may have crossed that line Renewable or already gradually dying , it doesn 't matter if we 've crossed the line . contradictory +uh-huh yeah well it 's like our winter here i mean it was the winter that wasn 't you know we were having having hot days in December and January We never have hot days during the winter . contradictory +One , a coffee-cup that has been ground into powder ; two , a despatch-case with a key in the lock ; three , a stain on the floor . " Nothing was there . contradictory +A tall man in an even taller hat . That man 's height is about 6 ′ 6 ″ and he wears a black tall hat . neutral +If you have plenty of time at your disposal , consider renting a sail-it-yourself canal boat or cabin cruiser and drifting slowly along the Canal de Bourgogne from Dijon , or the tributaries of the Loire , or the Canal du Midi from Toulouse down to the sea at Syte . It is more economical to rent a canal boat instead of a cabin cruiser . neutral +yeah i love that movie i absolutely love that and i guess the players uh you know the class A salaries are are really uh not anything a guy can live on too much so i guess they 've got to go out and find rooming houses and I hated that movie . contradictory +yeah i i always wondered about that myself I always wondered about that myself since I was about 6 or 7 years old . neutral +Today it houses a small museum ? ­ . In the current day , the building holds within it a small museum . neutral +In the end , determination conquered his pessimism . He found his pessimism could finally be conquered . entailment +i think one of the most interesting things about the possibility of uh attaining a fifty first state is what would we do about our flag how do you arrange fifty one stars Adding another star to our flag would call for a major redesign . neutral +um oh i never heard of that I have never heard of that . entailment +Its presence in Tuppence 's coat was due to the fact that she had used it for pinning in some flowers a day or two before . It was in Tuppence 's coat because she had been pinning flowers with it . entailment +'Go and talk to them , ' he said . 'Don 't talk to them , ' he said . contradictory +Moreover , all households may not be able to simultaneously tap their apparent wealth to finance consumption because large-scale asset sales could tend to depress market values . Large scale asset sales can cause prices to fall . entailment +Clinton , though , has also faced a continuing barrage of unserious allegations--implausible and untrue . There may be some serious allegations against Clinton . neutral +The avenue is a busy mix of architectural styles and contains several fine examples of Art Nouveau and Art Deco . The avenue is primarily one architectural style . contradictory +yeah i i i hope to never venture into something that drastic I do what I want without a care . contradictory +Drew turned his head cautiously to see on his blind side . Drew kept his head still to pay attention during lecture . contradictory +right yeah it 's and it 's uh it it 's uh uh a hassle trying to to uh uh put your money all in the right in the savings you know in the right pockets i guess it would be a way to say it Deciding where to invest your savings is easy . contradictory +yeah well i 've been is that mostly uh fly fishing when you 're doing that or are you fly fishing or are you using a bobber I 've been fly fishing for the most part because the salmon are easy to catch that way . neutral +oh blood pressure ah , hypertension neutral +McGrath says Nelvis told him he saw Monica Lewinsky emerge from the president 's study looking shaky and in shock in late 1995 . Nelvis said he did not speak to Monica Lewinsky at that time . neutral +Other MLAN projects include a Web site for the general public called the Peoples Law Library ( www.peoples-law.org ) that increases public access to legal information and legal pro se assistance for a variety of common legal problems . MLAN started the People Law Library , a website providing legal information . entailment +It is a very popular tourist destination , surprisingly full of souvenir shops ; try to beat the crowds early in the day and return in the evening . The tourists are out in larger numbers at night time . contradictory +We felt we needed to take care of something that had disappeared . We had to take care of the thing that went missing . entailment +The magazine instructs new Israeli Prime Minister Ehud Barak to note what the previous government did and do the opposite . The Prime Minister , Ehud Barak was instructed to do exactly as the previous government had done but better . contradictory +The attorney general contends that the money belongs in the state 's unclaimed property fund . The fund has been steadily growing . neutral +It has been recently done ; is it not so ? " Was it done recently ? entailment +i can understand why he he felt he needed to go over there on the other hand it 's too bad that he couldn 't use this i i i know that oil 's real important to our life style but it 's too bad he couldn 't use this as I understand why he felt like taking the oil because we need it for our country entailment +Hard-line conservatives argue , moreover , that the real measure of lost resolve is to be found in the fact that military spending will fall to less than 3 percent of gross domestic product by 2002 . Military spending is projected to be at least 25 percent of the GDP by 2002 . contradictory +Cynthia will run no risk of encountering any unkindness from me . " I began to stammer feebly that I hoped she hadn 't thought ” But again she stopped me , and her words were so unexpected that they quite drove Cynthia , and her troubles , out of my mind . I said , " I will not be unkind to Cynthia and even help her make friends . " neutral +By 1568 , when Kyoto was at last seized from the Ashikaga shogunate , three ruthless generals Nobunaga , Hideyoshi , and Tokugawa had banded together to eliminate all remaining opposition . Once Kyoto was seized the three generals banded together in order to destroy the opposition and eventually wage war on Korea . neutral +Fukuoka is Kyushu 's main commercial center , where you can tour the lively shopping district around the main station at Hakata . There is much shopping to do at Fukuoka , Kyushu 's main commercial center . entailment +yeah yeah i 'm down in Houston I want to live in Houston . neutral +The play is Spencer 's life reduced to Two Weddings and a Funeral , a quaint and titillating Bloomsbury parallelogram , says the Wall Street Journal ' s Donald Lyons . Donald Lyons of the Wall Street Journal talks about a park . contradictory +One organization established a secure telephone line that allowed immediate contact with multiple parties , thereby speeding communication of timecritical information . After the invention cell phones , hard-lines became obsolete . contradictory +If you have time for only one evening walk in Osaka , this is the one . If you 're only able to catch one evening there , you should walk in Osaka . entailment +Esplanade and listened to the Boston Pops and The Boston Pops were created in 1965 . neutral +you know the Arabs just don 't like the Jews and the Jews don 't like the Arabs and then half the Arabs don 't like the other Arabs The hate between Jews and Arabs is mutual . entailment +Its main claim to fame is that it contains the world 's largest hand-made carpet ( guided tours only , 9 : 30 a.m. 5 : 00 p.m. , closed Monday and Thursday ) . Its claim to fame is that it has the mummified body of Vincent Van Gogh ( closed Friday and Sunday ) . contradictory +The Turco-Afghan invaders were regarded as a transient phenomenon that would either soon disappear or , just like others before them , be swallowed up by the great subcontinent . The Turco-Afghan invaders were expected to disappear sooner rather than later . entailment +well we i don 't take like Time or Newsweek or anything like that but i do like to watch um CNN i have several chores and things to do so it comes on at like the nine o 'clock PM and so i will turn that on while i 'm doing some work and i can hear the news not have to sit right down and listen to it When I 'm doing the chores , I sometimes get distracted by the news and make mistakes with what I 'm doing . neutral +Calling Frank Capra ! Nobody wants to deal with Frank Capra . contradictory +The National Conference of Insurance Legislators ( NCOIL ) , an organization of state legislators whose main area of public policy concern is insurance legislation and regulation , recently passed a resolution asking states to repeal the UPPL . The NCOIL is made up of Nebraska legislators . neutral +Determined to impose their new religion in Europe , a predominantly Moorish army led by the Arab general Tarik landed on the Iberian peninsula in 711 . Tarik was a cobbler from a small town nobody 's heard of . contradictory +Say , then . You can tell me later . neutral +To the side of the choir pilgrims queue to descend to the Grotto of the Manger , a simple marble-clad niche in the cave wall that is lit by an array of hanging lamps . The hanging lamps are oil lamps , and are refueled weekly . neutral +If someone thinks we need to modify our regulations to encourage niche classification cases , let us know . Please politely tell anyone inquiring about regulation modification that we are not interested . contradictory +The value of Philly 's program , observes former New Jersey Superior Court Judge Daniel R. Coburn , is that it separates the minnows from the sharks , then holds the minnows accountable and hence less likely to become sharks , let alone become the predatory Great Whites we must incarcerate . The value of Philly 's program is that it 's inexpensive but efficient neutral +uh ski boats and whatever else may be around some people uh they they still call that a camp so i guess you could go camping and do archery and riflery and all the things that kids do at those camps but then go to their little hotel air conditioning room at night Ski boats and air conditioning are completely considered camping . contradictory +It is not worth an elevenfold risk of crashing . Doing this is entirely worth any risk it might incur . contradictory +From the next railway station , the modern campus of the Chinese University of Hong Kong is visible . The next railway station is a kilometer away from the Chinese University of Hong Kong . neutral +If your desire is to escape the coastal heat , highland retreats will refresh and invigorate , offering a chance to enjoy what was once the exclusive domain of colonial administrators . The highland is surrounded by green thick nature . neutral +They may even be given away , or sold at a token price with content purchase agreements or subscriptions , on the model of cell phones . A possibility is that they can be gifted . contradictory +Additional techniques for communicating information security policies are discussed in the next section on promoting awareness . Several other techniques including information security polices are discussed in the next section . neutral +uh six or seven It could be six or seven . entailment +We have also made hundreds of recommendations to improve management of largescale IT investments in many major departments and agencies . Large scale IT investments include the purchase of high end laptops for all executives . neutral +He half carried her into the library , and laid her on the leather couch . He put her on the toilet in the bathroom . contradictory +They are a tremendously able group of Americans . They are very competent at their jobs . neutral +Does this imbecile of a man want to be arrested ? Inglethorp was indeed creating a bad impression . Is this clever man trying to avoid being arrested ? contradictory +" Ah , the blue one you thought might be a runner to match Oro . You didn 't think the blue one could match Oro . contradictory +You bring the know-how , I bring the marketing , Olek said , and it was the beginning of a long monologue , because he was street-smart and verbally savvy . The affable and talkative Olek shook my hand and suggested we combine our skills in the venture . neutral +Finally , he would point out to the jury that there was evidence against other people besides John Cavendish . At last , he would tell the Jury that John Cavendish had a chance at being seen as innocent . entailment +It 's true that different pieces benefit from different treatment Different treatment has benefited different pieces . entailment +But in the first place we have only her word for it , since it was she who tried that particular door and reported it fastened . She is the only person who knows whether or not the door was locked . entailment +'Everybody , move in here ! ' 'Move in here , everybody ! ' entailment +The grounds include an ancient wine press and a charming thatched cottage . Located on the grounds is also an old wine press and nice cottage . entailment +But what it isn 't is a rational way to run an industry . This idea can lead to drastic changes . neutral +All this the council is prepared to give you . The council is prepared to give you all of this . entailment +it 's a lot cheaper in uh in uh Texas Things are cheaper in Texas . entailment +Such hearings will further underscore for agencies the importance that Congress places on creating high-performing government organizations . Some hearings will stress the importance that Congress places on high-performing government organization creation . entailment +And this was an important-and perhaps in American legal services-quite revolutionary development . This was an inconsequential and pointless development . contradictory +Mrs. Cavendish did not believe her . Every word she said to Mrs. Cavendish was untrue . neutral +and so obviously it didn 't work in California It did not work in California since it was implemented wrong . neutral +Emperador ( swordfish ) is especially good grilled , and lenguado ( sole ) is delicious in batter , grilled , or sauteed in butter . Swordfish tastes best baked and sole is usually used in tacos . contradictory +Shakespeare 's Fair Verona of Romeo and Juliet fame , Verona was first a favorite of ancient Roman emperors and the barbarian rulers that followed . Verona is the setting of Shakespeare 's Othello . contradictory +holding all other factors constant . Everything else being constant . entailment +Andrew Kohut of the Pew Research Center cites Gore 's poor ratings in head-to-heads against Bush as evidence that the veep is a victim of Clinton fatigue . Kohut works for the research center , gathering data over the phone . neutral +The noble began talking again in his strange tongue and the bearded man returned in the same dialect . The bearded man and the noble started talking again in the same ancient dialect . neutral +You agree so far ? " You disagree ? contradictory +PRODUCT - Any discrete , traceable , or measurable good or service provided to a customer . Products include abstract emotions such as happiness and feelings of well-being . contradictory +oh yeah one guy brags about his his piece of equipment he 's using and the drop cloths and all that kind crap and i 'm not so much worried about that as what The guy says he protects all the surfaces . entailment +that 's a bit much isn 't it I wish it was not so much . neutral +Impact of on household-level demand a 17 percent increase in penetration of computer ownership for all households . There is a 17 % increase in the number of houses that own computers . neutral +The Wall Street Journal Work Week column reports that Eighty-eight percent of CEOs surveyed anonymously report that they see a connection between a worker 's age and productivity . Eighty-eight percent of pharmaceutical CEOs see a connection between age and productivity . neutral +They are photographs of works from the Louvre , Paris . They are paintings of the works from the Louvre . contradictory +yeah well i think uh that based on um certain crimes it uh is merited uh there was a case just recently i don 't know if you uh if you heard about this in uh New Hampshire i believe about the uh teacher school teacher who hired her uh one of her high school students to kill her husband and they found her guilty and gave her life with no parole There are no crimes that deserves to receive life in prison . contradictory +One sometimes manages to put in some work as well . " Something in his tone made Tuppence glance up sharply . Tuppence continued to look at the floor . contradictory +He watched the farmers , tradesmen , herders , and children finishing their day . The people were all finishing up for the day . entailment +Watch out , Mrs. Dennis Hastert . Watch out for the falling rocks , Dennis Hastert . neutral +hello hey how you doing Hey I haven 't heard from you in awhile , how are you ? neutral +So far he 's produced a 75 percent approval rating , a uniformly lauded budget , and a set of toy action figures . He has a good approval rating and toy action figures . entailment +And I have finally sat through a whole movie . My life goal was to finally sit through a whole movie . neutral +He also pointed out that LSNY has agreed to bylaw changes that circumscribe its otherwise unlimited powers over the selection and replacement of local board members . LSNY agreed to change the bylaws . entailment +Santorum is pro-life , but supports the death penalty ; he opposed NAFTA , but favored GATT ; he wants to balance the budget while providing more pork for Pennsylvania . Santorum grew up in Pennsylvania . neutral +The fairy-tale stone walls ( murallas ) protecting Sevila , one of the great images of medieval Spain , are rather too from afar , they make the city look like a Castilian Disneyland . From afar , the fairy-tale stone walls make the city look like a Castilian Disneyland . entailment +yeah really yeah well it seems like there 's there 's a lot you don 't hear much on the news about young people really you know wanting to do anything good or anything like that but you know i 'm sure that there are a lot of young people out there that really do have good hearts and are willing to help and serve and that kind of thing i just i saw on the news the other night that the uh the little girl that used to be the littlest girl on the Cosby show Kisha Knight Pullman was starting a i guess now she 's practically a teenager Just because you don 't hear about young people doing good a lot , doesn 't mean they don 't exist . entailment +This table illustrates a hypothetical couple in which neither spouse is covered by an employersponsored retirement plan and each contributes $ 2,000 to a traditional IRA . The table illustrates a hypothetical couple . entailment +first class in September 1995 , the GPRA training has been delivered 3 times via satellite to 38 sites and has reached 760 people . The GPRA training takes four days to complete and has a fifty percent washout rate . neutral +There was no reason in the wide world why Don Cazar should expect him to be anyone except Drew Kirby . Don Cazar did not know Drew Kirby well . neutral +The hotel 's original banyan wing has been restored to its old elegance . Although the hotel 's baynyan wing is old , it has been restored back to its original state of beauty . entailment +They are not required to include in the audit documentation copies of documents they examined , nor are they required to list detailed information from those documents . They are not required to include source documents for the audit . entailment +Investigations GAO has an Office of Special Investigations that Investigations GAO has an Office of Special Investigations . entailment +uh-huh well they 're certain places you know where i know you can take your leaded cans but i don 't know where they are they publish it in the newspaper if you wanted to get into it You can take your leaded cans to certain places , but it 's hard to find . neutral +I remarked . The person stayed quiet . contradictory +Huge men wearing boiled leather and armed with whips and short blades walked among them . Huge men carried weapons . entailment +yeah i i get so tired of you know these you know sequels number nine number ten number fourteen There are many times that I only watch the original film . neutral +I left the sickbeds with no money and half the weight I once had . I gained so much weight while at the sickbeds that I was double my original weight when I left . contradictory +How Do Social Security and Personal Saving Compare as Sources of Retirement Income ? Social Security counts as most peoples ' biggest retirement income sources . neutral +The union has about 4000 members in Canada . There 's around 4000 Canadians in the union . entailment +you know on it huh i mean i don 't even know who did which ones but he does He does not know who did which ones . contradictory +The Thernstroms prescribe little to end the harms wrought by past injustices , or even to fight latent racism--except stopping affirmative action and kindred policies . The Thernstroms are racists , though they do not admit it . neutral +This intellectual , cultural , and economic center has emerged handsome , if not unscathed , from its turbulent past . This center was damaged by its turbulent past . entailment +mainly i read the Bible these days I read a lot of things , but never the Bible . contradictory +So I cant say Im disappointed . I cannot say that I 'm disappointed . entailment +What was all this about a lost key ? What was this about a lost key ? entailment +We wouldn 't have this enrichment of our society if it wasn 't for slavery . Slavery changed our society in a permanent way . neutral +Tuppence felt a little nervous . Tuppence is as cool as a cucumber . contradictory +Edinburgh and Its People The populace of Edinburgh . entailment +While Christianity was not a great success in China , it made local headway , evidenced today by the numerous Catholic churches in Macau 's historic center . Christianity was not successful in China . entailment +He uses it even more than bona fide Christian-right pols do , as Fred Barnes points out , in order to allay suspicions that he may be moderate or indifferent on social issues . He uses it more than the religious right does . entailment +Chapter 2 of this exposure draft discusses nonaudit services provided by audit organizations that are not covered by GAGAS . Chapter 2 covers services that arent audits preformed that arent covered by GAGAs . entailment +This is because the SCR is frequently installed in an elevated position near the boiler and well off of the ground . The SCR is always installed below ground level . contradictory +of luck in your graduate school Good fortune in your graduate school . entailment +for example , motor vehicle records to detect crashes ; police records to assess criminal activities ; and state vital statistics registries , the Social Security Death Index , and the Fatal Accident Reporting System ( FARS ) to detect mortality . The Fatal Accident Reporting System ( FARS ) detects mortality in accidents . entailment +What you can see are the lovely grounds of the East Garden , the moat and massive stone ramparts , and those few examples of classic Japanese architecture gates , bridges , armories , and watchtowers that have survived since the 17th century . There are a few examples of classical Japanese architecture such as the gates , bridges , armouries and watchtowers . entailment +right right you know you you you 'd you get the first you know the first first ice uh storm and the place closes up It never shuts down when there 's an ice storm . contradictory +Within 10 years , they had overrun most of Spain . Spain was not overrun at all . contradictory +There is a subtle sexism in The female domestic tycoon is obliged to behave better than the guys . The Female Domestic Tycoon shows equality between both sexes . contradictory +no no in fact in we 're very environmental so we very rarely eat at any of the fast-food restaurants uh just because of the um the styrofoam and the plastic waste We 're very environmental so we rarely eat at fast food restaurants , specially McDonald 's and Burger King . neutral +The village , nestled into a narrow valley , is one of the prettiest in the Aegean . This Aegean village rests in a valley . entailment +Government too is being affected , with information technology providing new , more responsive and efficient ways of delivering services and information to citizens , in such areas as tax administration , higher education , transportation safety , and environmental protection . Better ways are being found to deliver information to citizens . entailment +um we 're having unusually warm weather it 's it 's almost like they 're trying it 's trying to skip spring and go straight to summer it 's either The weather lately hasn 't been any different than before . contradictory +They can make for very interesting reading , but to get them you have to go in person to a little office in the Capitol . You can request the reading materials online . contradictory +The way he played with the villager with the sword . The villager and the man were playing with a sword . entailment +Nevertheless , Arima Onsen still offers an ideal introduction to the pleasures of bathing Japanese-style , whether through a visit of a few hours to one of the large and luxuriously equipped centers , or a night spent in a traditional family-run hot-spring inn . Arima Onsen gives explains how to do Japanese bathing right . entailment +The subject matter of an attestation engagement may take many forms , including historical or prospective performance or condition , physical characteristics , historical events , analyses , systems and processes , or behavior . Attestation engagement 's subject matter differs greatly because there are often different areas being examined and discussed . neutral +we uh we 've we just kind of started young in life but uh uh we uh my husband 's still with the same company for ten years and as a result My husband plans to stay with the company ' til retirement . neutral +Its history as a public commons dates back to 1781 . The public commons has a history dating back to 1666 . contradictory +You are wrong , sir , I beg your pardon . The man is correct . contradictory +Still farther south is the Tsukiji Central Wholesale Market the largest fish market in Asia . Tsukiji Central Wholesale Market is in the southern part . entailment +We formed an advisory group to assist with job design , our overall scope and methodology , and case study selection as well as to critique our research findings and comment on our draft report . We didn 't form an advisory group because it would be a waste of time . contradictory +Putting aside stage as a horse-drawn conveyance , a popular delicatessen , a part of a rocket , and an opportunity to mock Gail Sheehy ( who seems to get a free ride from News Quiz participants ) , this question all but demanded the invention of a violent theatrical event , and that 's not easy . News Quiz participants don 't tend to harass Gail Sheehy . entailment +You will see incredibly barren peso shops window displays with bottles of cooking oil , shoe polish , and a few plumbing parts . There are many barren shops because of the economic problems . neutral +Scrubber upgrades were not considered in this analysis in order to provide a conservative estimate of the resource demand for a multipollutant strategy . Scrubber upgrades were taken into account when providing a conservative estimate of the resource demand . contradictory +Despite a great deal of study , economists have found no single reason that convincingly explains the decline in the personal saving rate . Economists have not found a singular reason for the decreased rates entailment +Poland is thought by most experts to be among the few countries that will be allowed to join in the first round of decisions . Most experts believe Poland will be part of the first round of decisions . entailment +The 61.2-km ( 4-mile ) long reservoir was created in 1941 . The reservoir was created in 1941 . entailment +Rudy plans to consolidate his lead in the burbs by pushing school vouchers , while Hillary will tap into health-care frustrations and make the election a national contest . Hillary and Rudy have different plans for approaching the election . entailment +Just as Kyoto offers some of the most splendid traditional inns ( ryokan ) , so Takayama is a good place to try out family-style guesthouses ( minshuku ; ) they 're especially friendly here . Kyoto has some beautiful inns . entailment +George Deukmejian reporting that there are 2,000 gated communities in Los Angeles when there are , in fact , 100 . Deukemjian reported 2,000 gated communities in L.A. when really only 100 exist . entailment +Long Beach established itself as a premier seaside resort by the early 1900s . Long Beach was not a premier seaside resort . contradictory +Remember what dear old Conrad said WITH YOUR OWN PASSWORD , wasn 't it ? Remember , how our dear old butler warned you to not use your password ? neutral +The attorneys contended that the city has an obligation to pay the tenants for damages they have sustained by being evicted for property that will be used for a public purpose . The attorneys said the city wasn 't responsible for eviction damages . contradictory +Beautiful sandy beaches like Platja de Mitjorn go on for miles . The beach is sandy . entailment +He was an ambitious and unscrupulous 29-year-old named Jung Bahadur Rana . Jung Bahadur Rana was a very hard 29-year-old to understand . entailment +He 's kind of lost it , says Black Belt editor Jim Coleman . Jim Coleman is the editor of Black Belt magazine . entailment +Communication would be broken down , and to the extent in which communication of mind with mind has become impossible , it would be equally impossible to realize the idea of a lie . Communication with mind to mind was impossible which changed everything . neutral +In order to review an acquisition that is using prototypes , the auditor should determine what regulations or guidance the agency has to define a prototyping methodology . The auditor should first review the methodology of the agency before the acquisition . entailment +Don 't , Dave . Please go ahead , Dave . contradictory +cool yeah BS that 's the way to do it No , to BS is no way to go about things . contradictory +In addition to the quantified and monetized benefits summarized above , there are a number of additional categories are not currently amenable to quantification or valuation . There are a number of additional categories not currently amenable to qualification or valuation , in addition to the quantified and monetized benefits summarized above . entailment +what what do you have at work What is there at your work ? entailment +And when given the choice between a placebo and the cannabinoid blocker , rats choose the blocker . Rats always choose the placebo no matter what the choice is . contradictory +Sir James Peel Edgerton said you would be able to manage that for me . I haven 't been told anything by Sir James Peel Edgerton . contradictory +I had fought in two hundred and ten battles , fifty six of those to the death . I have killed many people . entailment +Then he stopped at Marie-Galante , which he named after one of his vessels , before crossing over to the large neighboring island . He made sure to stay way from Marie-Galente . contradictory +Al-Azhar Mosque ( meaning The Splendid ) was finished in 972 though it has been expanded many times over the centuries , and its remarkable inner sanctuary now covers 10,360 sq m ( 4,000 sq ft ) . The remarkable inner sanctuary took 1000 's of years to be mastered . neutral +you know based on how well it was performing and then he embarked on this uh vitamin treatment and then every year he had the same tests run He is tested every year , because he did not have vitamin treatment.q contradictory +The winner , announced in 1766 , was James Craig , an unknown 23-year-old architect and native of the city . James Craig was a famous architect before he won the competition . contradictory +wow that 's that 's not bad four hundred and something a year that 's that 's We pay over six hundred per year . neutral +A second wave of Polynesian immigrants from Tahiti arrived centuries later . Tahitians were happy where they were and didn 't think about immigrating for a long time . neutral +yeah because they get strung out too They also get strung out . entailment +Phil Keisling , Oregon 's secretary of state and a champion of vote-by-mail , agrees , The question behind closed doors is , ' Will this help our candidate ? Oregon 's secretary of state didn 't agree with the question . contradictory +The Clean Air Act Amendments ( CAAA ) Section 812 Prospective Study of Costs and Benefits ( 1999 ) : Advisory by the Health and Ecological Effects Subcommittee on Initial Assessments of Health and Ecological Part 1 . July . There are no amendments which have been put in place to make the air cleaner . contradictory +Whether by swinging his solo hammer or by standing for peace against the epithets of the world , Carter has become the first American . Carter has become the first American by standing for peace alone amidst the rest of the world . entailment +so you graduating are graduating or yeah well maybe i don 't know i 'd uh i really haven 't changed that much since i was in school in school um of course you know i 'm not sure you ever get out of school to tell you the truth and uh You don 't ever get out of school because there are constantly things you need to be learning about . neutral +Vaclav Havel was in New York in the spring of 1968 , participated in the student strike at Columbia , joined Alexander Dubcek in the short-lived liberal uprising in Prague that summer , and became the president of Czechoslovakia in 1990 . Vaclav Havel had never been to the United States before becoming president of Czechoslovakia . contradictory +The Jesuits , founded in 1534 , quickly became an army of theologians to combat heresy . The Jesuits an army of 10,000 formed to attack different beliefs . neutral +incorrect things that 's even worse uh or if my call rate of of eight to or so a week went up even higher because uh someone had had When someone had this , my caller rate of about eight calls a week went up . entailment +She was not extravagantly loved , no . She was loved by all . contradictory +Once again , I chose the cockpit over the toilet . I stayed on the toilet the whole time . contradictory +I 'm glad you like the plan . " He rose . He sat down after riding his horse today . contradictory +On the face of it , it seemed that he or Sir James must have done the trick . It looks like he or Sir James must have accomplished it this morning . neutral +yeah yeah i used to smoke years ago but i don 't now It was hard to quit smoking . neutral +to some extent if they would do something with some of those people but that seems to be a good way to get off for a lot of them too That method will be able to rehabilitate them better into society . neutral +or uh uh making uh some dresses for children or things l ike that or even writing children 's books There is good money to be made in writing children 's book . neutral +Now for Carter . At this moment Carter is the target . neutral +The merchandise processing fee is therefore classified as a nonexchange revenue . Merchandise processing fees are exchange revenue contradictory +No figures are reported on this row because the volume of business bill / payment mail is not known to the Commission6 . The Commission does not have the data for this row . entailment +The General Counsel to Indiana 's Chief Justice attended Mauricio Vivero 's presentation on Public Relations and Friday 's lunch . Indiana 's Chief Justice 's Counsel attended the Friday lunch , because His Honor could not attend . neutral +And you _ will _ save our world ! Hanson staggered from the shock of the pain , but he was no longer unused to agony . Hanson cowered from the pain , since he was still getting used to it . contradictory +yeah it does and and then uh you know my husband enjoys spending time with the kids you know he 'll he 'll take them out just to be with them so he they can have time with him and My husband takes the kids out to Burger King on Tuesday . neutral +Was Littleton a watershed ? Was Littleton not a watershed ? contradictory +I knew it was to be my twin . I was freaked out by having a twin . neutral +and i think she did some work at a thrift store so as long as she was gone for about four hours well maybe three she would tape soap operas She liked to watch soap operas when she 's not working . neutral +because they have got some of these like the leather jackets are are quite expensive The leather jackets are expensive . neutral +What 's this about the girl you say is leaving ? " Did you say the girl is leaving because she was bullied at school ? neutral +yeah where at Where will we meet up ? neutral +Children love the ancient toys and dolls . The ancient toys and dolls are more popular than the modern equivalent . neutral +That 'll do , Brown . Well done , Brown ! neutral +In 1128 the king , David I , ceded land to the Augustinian order for the creation of the Abbey of Holyrood . David I ceded land under pressure from the Augustinian order . neutral +Furthermore , at agencies where GAO has a substantial ongoing audit presence , as a professional courtesy , GAO meets periodically with representatives of the agency 's Office of Inspector General to ( 1 ) coordinate work between GAO and the Office of Inspector General , ( 2 ) achieve efficiencies and minimize duplication , and ( 3 ) identify specific issues that might benefit from a collaborative effort between GAO and the Office of Inspector General . The Office of Inspector General is responsible for carrying out the directions given by GAO . neutral +( He has forsworn cereal analogies . ) He has sworn to use cereal analogies . contradictory +I 'm looking at ways to raise salaries . I am determined to find a way to slash salaries . contradictory +In her soft grey frock , with white ruffles at the wrists falling over her slender hands , she looked very beautiful . She looked hideous in her frumpy gown . contradictory +( Pam , throw away the tripod ! ) Pam , keep the other equipment . neutral +Time Warner bought Turner Broadcasting . Time Warner bought Disney . contradictory +And no military action ( except for actual movies ) can be fully scripted in advance . Military Action requires adjustment on the fly . entailment +, Lucas dramatizes the interrogation so ineptly that you either have to take Yoda 's word that there 's something wrong with the boy ( Clouded this boy 's future is ) or to conclude that Yoda , like us , is moving backward through time and has already seen Episodes 4 through 6 . Anakin , he says smugly , has fear in him , and fear leads to anger and anger to the dark side--which would mean , as I interpret it , that only people without fear ( i.e. In my opinion , Lucas failed to dramatize the interrogation , which leads to unanswered questions from the public- there are , however , good points too . neutral +Each of these kingdoms showed cultural vitality , exporting temple-builders together with their spices and ivory to Burma , Malaysia , Cambodia , and Java . Ivory and spices were something the Burmese could not make . neutral +Already , in the three years since this documentary was shot , digital technology has made moviemaking at this level more affordable--which means that the road for impoverished filmmakers like Borchardt will soon be less grueling . More movies / films will be made because they 'll be more affordable to make . neutral +Your language , Tuppence , your language ! You should say whatever you want to , Tuppence . contradictory +The City Council 's proposal for the 650-lawyer Corporation Counsel 's Office would slash its budget by 10 percent - or $ 10 . The council wrote a proposal to cut the budget . entailment +In addition , the agency 's risk assessment process ( as called for in the OMB guidance14 ) should disclose the risks considered that would prevent the system from successfully complying with the criteria selected by the agency . The risk assessment process helps the system to comply with criteria . entailment +they they try to get me to say things because they they thought i talked so funny Because my voice sounded funny , they wanted me to talk . entailment +yeah we have a couple of those too we uh we haven 't planted a garden yet we moved to moved here from Colorado not too long ago where we had a really big garden but here i i know i hear i hear that the uh growing is a little bit different have you had a garden We recently moved here from Colorado , and we haven 't planted a garden yet . entailment +( Did she smile , or was that a wince ? ) The woman was not pleased . neutral +The Tomb of Seti I ( 17 ) , c.1279 b.c. , is one of the largest tombs in the valley boasting some of the finest decoration . The Tomb of Seti is very prominent due to its massive size . neutral +It 's time to take the best of what we have learned and modernize the Clean Air Act . It 's time to modernize the Clean Air Act . entailment +Ca 'daan found the shimmy movements confusing and disturbing . Ca 'daan idn 't understand what the person was trying to convey . neutral +Adrin donned his own bandit armor and drew his rapier and his dagger . Adrin scurried away from battle , leaving his kit behind . contradictory +They aren 't asking him to explain to Republican voters how his crusades for campaign-finance restrictions and a half-trillion-dollar tobacco tax square with conservative principles . They don 't need him to explain how restricting campaign finance will go over with Republicans as they know they 'll be furious . neutral +The magnificent Dome of the Rock is one of three sublime holy places for Muslims ( the others are Mecca and Medina ) . The holy places for Muslims are the Dome of the Rock , Mecca , and Medina . entailment +The final four of the day were tied at 4 under par going down the back nine , and it was obvious , watching them labor away , unsmiling , that this was just an endurance test to see who could avoid crashing and disintegrating on national television . Of the last four golfers , one was clearly in the lead . contradictory +that it could happen um-hum That couldn 't happen . contradictory +( GSA / IRMS , A Guide for Acquiring Commercial Software , Jan. This is the title of a book . entailment +What do you think ? Jon asked Thorn . Jon didn 't wonder what Thorn thought . contradictory +yeah have you ever had crawfish How often do you eat crawfish ? neutral +the services provided by the central information security group and answer The central information security group does not provide services . contradictory +This site provides standards , guidance , and information on internal auditing best practices for its members . There are many useful tools available to the user on this website . entailment +San 'doro spun low and threw one of the daggers twirling end over end . San 'doro ducked and flung one of the daggers . entailment +I looked down at my clothes . My clothes were pretty fashionable . neutral +as i say our our sons-in-law are so open and caring and giving to their children and i wonder if it 's because they 're there when they delivered they 're delivered if that Our sons-in-law are very good fathers to their children . entailment +The slopes are ideal for intermediate skiers and instructors are able to pay special attention to children . These slopes are only for experienced skiers that love adrenaline . contradictory +Five enemy Gauntlets flared to life . Only three enemies had weapons . contradictory +Ninety-one percent of blacks ( compared with 60 percent of whites ) say they believe investigations into the allegations involving Clinton should ' stop now . A higher percentage of whites than blacks want the Clinton investigation to stop now . contradictory +yeah that 's uh sometimes turns into fun i think another similar one was when we 'd go uh up to Bastrop Strate State Park there in uh kind of got caught by the cold weather and we uh gathered what firewood we could and built us a campfire you know and sat around there It 's sometimes fun to get caught up in cold weather . entailment +it wasn 't like that when i first It wasn 't like that before . entailment +After the death of Franco in 1975 , King Juan Carlos I restored democracy to Spain . Without Franco 's death , Spain would 've remained a dictatorship . neutral +Jon , who had held up Susan so she could see the duel , whispered to her . Jon let Susan watch the fight . entailment +Because this new guy had arrived . A new guy showed up . entailment +The critical need for legal aid has gone up because of the recession . This legal assistance comes in the form of attorney services , compliance experts , and legal program management . neutral +Hearty portions of Israeli meat are served here , with lamb and veal dishes prominent on the menu . They serve only salads . contradictory +they 're sitting there it it it makes me wonder and they 've they 've got the capability and they 've got the people you know They 've been so active , I 'm confident they have enough people to do the job . contradictory +I believe , continued Lawrence , " that there have been cases where the cumulative effect of a drug , administered for some time , has ended by causing death . Lawrence was sure that repeatedly taking the drug would have no impact on a person . contradictory +Finally , each chapter sets out audit steps to help plan and conduct the assessment of an acquisition . Steps on how to audit assessments of acquisitions are in each chapter . entailment +It 's almost a protection racket . It 's an outrage that it 's a protection racket . neutral +Behind the cottage , the Wordsworth Museum displays many of Wordsworth 's original manuscripts and other personal objects . Personal objects and authentic manuscripts of Wordsworth can be found behind the cottage . entailment +The presence of the Perugina chocolate industry ( creator of the Perugino bacio in 1922 ) is surprisingly low profile . Perugina 's chocolate industry is not very high profile . entailment +but he 'll spend the money i bet I 'd guess that he is likely to spend the money . entailment +yeah uh yeah i think it 'll be neat No , I bet that it would be a great inconvenience . contradictory +The north shore of the Golden Horn was traditionally the quarter where craftsmen , foreign merchants , and diplomats made their homes , beginning in the 11th century when the Genoese founded a trading colony in the district of Galata . Nobody has ever lived on the north shore . contradictory +Ozone causes decreased agricultural and commercial forest yields , increased mortality and reduced growth of tree seedlings , and increased plant susceptibility to disease , pests , and environmental stresses ( e.g. Excess ozone can slow plan growth and poison animals . neutral +There is one thing that I have never figured out about laundry room etiquette At the laundry room , everybody does as they please , there are no rules . contradictory +The message confused some of Red Eye 's subscribers , and Red Herring rapidly began a damage control campaign . Red Eye has some customers that reacted to the message . entailment +Unlike other global bodies ( including the UN ) , the WTO enjoys unique enforcement powers , the environmentalists warn in their ad . The WTO , unlike other global bodies ( including the UN ) , enjoys unique enforcement powers , as the environmentalists warn in their ad . entailment +I don 't expect you to listen but I wanted to tell you anyway . I don 't expect you to pay attention , but I wish to tell you regardless . entailment +Postal Service , the domestic postage rates of FPAs vary by weight interval . The Postal Service sets its prices through total weight . entailment +This last-comer came up the stairs so quietly that he was almost abreast of Tommy before the young man had realized his presence . The man was surprised by Tommy . neutral +The sights below were out of a ghoul 's bacchanalia . It looked like a ghoul 's bacchanalia down there . entailment +but we 're not allowed to we have to take two weeks when the company shuts down you know The company never shuts down . contradictory +Now , the matter of Shiloh ... Drew finished the sherry with appreciation . Drew loved wine ever since his mother fed it to him as a baby . neutral +well they have one in uh they have an Argentinean place down in Georgetown In Georgetown , there is an Argentinean place . entailment +And Roy Barnes has an added benefit . The benefit for Roy costs him extra money . neutral +i 've painted uh like i said both interior and exterior myself uh not a lot of exterior but uh i 've painted you know rooms and ceilings inside and you know and i usually find it uh pretty easy and and it 's cheaper than hiring somebody else to do it I do not have any painting experience . contradictory +( Surprisingly comfortable . ) It is ridiculously uncomfortable . contradictory +yeah no neither do i i think it should be completely optional and you know We don 't need to change anything because it 's already completely optional . contradictory +The kiosks give instructions in English , Spanish and Vietnamese and offer users video tours of court complexes and primers on what to expect during court hearings . The kiosks offer English only information and tours . contradictory +From here , it 's a short walk west to the grounds of Shinobazu Pond . Shinobazu Pond was built as a link to the main location . neutral +um those are pretty i i used to have a house that had a really it was really well landscaped and i i enjoyed the flowers and the and the trees the things this Having a well landscaped home added to my enjoyment of it . neutral +um-hum absolutely you need about even probably I have no idea how much you might need . contradictory +it 's just so sad you know it is just really so sad you know it is just really so sad because you can 't enjoy anything any more um in San Antonio i don 't know what the answer is uh education i think is a lot of it um so many of the kids are are drop outs um uh there 's a lot of drugs that go on and that they just have hopeless lives they they lead themselves down hopeless tunnels i think education helps a little bit there um they again i don 't know really what steps there are that they There are no drugs in San Antonio and children never drop out . contradictory +Do you remember the one before her ? " Can you recall who came before her ? entailment +that 'd be hard to hard to cover all the ones that go bad It would be hard to cover all those that go bad , but we have to do it as soon as possible neutral +Throwing my stolen goods down , I stood well back and closed my eyes . I threw the stolen pears and tomatoes to the ground and stood back with closed eyes . neutral +It would take 2-3 years to add a plant ; and this would only be done after a regulation was put in place , the technical advantages of ACI for mercury removal were proven relative to other approaches , and a clear time-line for compliance was mandated . The last plant added took about 2 and a half years . neutral +When we imagine the life of the poet laureate , we see--through a dreamlike fog of sherry--a berobed figure lounging on a waterlily , floating gently through an Arcadian landscape , quill pen in hand but used more as a prop than for the actual production of poetry . We all picture the poet laureate as being the same . neutral +The word , which means House of Wood , may have given Kathmandu its name . Kathmandu 's name originates from another word . entailment +The beach here is an amazing 12 km ( 7 miles ) long , but Chennai is also the place for banking and mailing packages , and for picking up letters from home at the poste restante counter of the General Post Office . Chennai has a seven-mile-long beach as well as a post office . entailment +Her present part was of the adventuress rather than the adventurous order , but she did not deny its possibilities . The possibilities would make her life immeasurably better . neutral +Your story on new ball parks ( Diamonds in the Rough , by John Pastier ) failed to mention their blatant commercialism in the form of billboards and other intrusive enticements to buy products totally unrelated to the game . The critic didn 't like that John Pastier failed to mention billboards in new ball parks . entailment +When it comes to the present , Frank paints with particularly broad strokes . The painter uses wide strokes when creating something . entailment +Later , the island became part of the commercial empires of Pisa , Genoa , and the Spanish , and was annexed in 1718 by the dukes of Savoy . The island was annexed to Spain . neutral +Part of the answer may be that our financial system has become dangerously efficient . We can not rely on the efficiency of the financial system . contradictory +but so i was in the Air Force I 've never been in the Air Force contradictory +A totally artificial and unnecessary addition to civilization . Completely unnecessary addition to civilization . entailment +that 's a that 's an interesting concept is that your idea I wish I had thought of that first . neutral +To get your bearings take the free daily Museum Highlights Tour and / or pick up the leaflet A Quick General Tour . You cannot pick up the leaflet A Quick General Tour for free . contradictory +However , the 1998 Report of the Legal Services / Pre Bono Committee , of the Judicial Advisory Council found that the ability of low- and middle-income Coloradans to obtain equal access to the legal system has been limited by the number of lawyers available and willing to serve them and by the growing complexity of the law . The number of lawyers available is low because they 're at home watching the game . neutral +and it was the best thing that ever happened to me . It was the greatest thing that has ever happened to me . entailment +then they were like paraplegics They were paraplegics . entailment +uh-huh but they at least they had the background Unfortunately they do not have anything in that information . contradictory +A gun is still useful , worth money , if he who picks it up from beside the dead does not want it for himself . A firearm can still be useful and sold for money . entailment +In the stately surroundings hang pictures by Bosch , Ribera , Tintoretto , and Velazquez . In the stately surrounding hang pictures by Bosch and others . entailment +If the Service has any such proposals on the drawing board , it ought to send them over . The service is withholding their ideas . neutral +Ca 'daan slept soundly for the first night in nearly a month . Ca 'daan slept well after a month of battling . neutral +yeah we sort of stayed to the topic anyway We constantly digressed off the topic all day . contradictory +The important fact that Alfred Inglethorp wears peculiar clothes , has a black beard , and uses glasses , I quoted . I quoted the important fact that Alfred Inglethorp wears unusual clothing , has a beard , and wears glasses . entailment +Another of Funchal 's loveliest gardens , five minutes away by car is Quinta da Boa Vista ( Rua Luis Figueiroa de Albuquerque ) . The Quinta da Boa Vista is another garden in Funchal . entailment +In the grandiose interior , the luminous 12th- and 13th-century mosaics of the nave and apse depict the complete cycle of the Old Testament , replete with a 66-ft high Christ Pantocrator with saints , while the aisle mosaics narrate the miracles of Jesus . There are no artworks on the interior . contradictory +From there , his career continued on the fast track and Bailey was appointed by Gov. Bailey 's career started to slow down after that . contradictory +'You have eleven seconds . ' You can do it in eleven seconds or this will blow up neutral +a lot of them just know me by name and phone voice Many of them have spoken to me several times on the phone . entailment +I grew tired of her as young men do when the gold always shines over the next mountain . I never tired of looking at her . contradictory +This report is designed to present information about national saving and its implications for economic growth and retirement security . National savings has nothing to do with retirement security . contradictory +Leave the river briefly to loop east around Talcy , with its Romanesque church and the 13th-century chateau of Thizy , before ending your trip at Montr ? ? al . There is no river running around Talcy , only mountains and hills . contradictory +The famous bazaar had taken place on Saturday , and an entertainment , in connection with the same charity , at which Mrs. Inglethorp was to recite a War poem , was to be held that night . Mrs. Inglethorp didn 't plan to recite a war poem on Saturday contradictory +Dark blood still stained his leather armor and dark cracked patches coated his hands . The demon blood stained his leather armor . neutral +We have a choice . We do not have a choice . contradictory +However , whenever the purpose is an understanding of the particular , the relationship of the instance to the various populations that it is part of is less important than the assurance that the selected instance can be fully examined . When the purpose is an understanding of something , that relationship cannot really be examined . contradictory +uh-huh yeah i think that 's probably a much fairer way They should go with that suggestion . neutral +pretty much covered up but uh you know i 'm never going to let my shoulders and back get sunburned again I 'm fine with getting my skin burned because I need the tan . contradictory +If you 're up to a climb , take the Mount Austin road to the Victoria Peak Gardens . It is a hike to get to the Victoria Peak Gardens . entailment +The Emperor Augustus made a gift of this town to the veterans of his victory over Antony and Cleopatra in Egypt , commemorated to this day in the N ? ® mes coat of arms with the chained crocodile of the Nile . The Emperor Augustus was horribly defeated by Antony and Cleopatra in Egypt . contradictory +A veterinarian had reached inside and confirmed she was in heat , but after nine years of racing , she might not grasp the concept of being covered , as they say , by a 1,300-pound stallion . The veterinarian checked her and found that she was not in heat . contradictory +We turn now to other elements that distinguish a case study from a not-case study and a good case study from a not-good case study . The case studies are all quite good . contradictory +! The total number of people being served annually by LSC grantees is several times the number of cases being reported on the Case Service Report ( CSR ) . LSC grantees serve many times more than reported on CSR . entailment +131 " John was so kind as to break that to me this morning . " " John told me he was leaving this morning . " neutral +between 1989 and 1996 , and the number of routes increased 7 percent . Between 1979 and 1980 , and the number of routes increased only 2 percent . neutral +The streets nearby are filled with shops selling bright material , including the madras prints so typical of the FWI , ready-made clothing , shoes , and jewelry . The shops are expensive and made exclusively for tourists . neutral +Each of the five areas has a principal city as a focus or starting Rome for central Italy , plus Sardinia ; Florence for Tuscany , with Umbria , and the Adriatic seaside resorts to the east ; Venice for Veneto , the Dolomites , and Emilia 's historic towns from Parma to Ravenna ; Milan for Lombardy , Piedmont , and the Italian Riviera to the west ; and Naples for the south and Sicily . Florence is the principal city of focus for Tuscany entailment +To do so , they had responded to these risks by reorienting their security programs from relatively low-profile operations focused primarily on mainframe security to visible , integral components of their organizations ' business operations . Mainframe security is a very high profile operation . contradictory +Since 1997 , LSC has significantly tightened its requirements for what constitutes a case . Since 1997 , LSC has made it harder to have a case . entailment +[ w ] hether they call themselves socialist or not . However , the members don 't consider themselves to be communist . neutral +Click Nobel Prize Internet Archive Hayek Page , and you 'll find yourself ... If you right click this Internet Archive straight away ... neutral +Using her last spear in melee , the woman charged this new opponent . The woman charged the demon with her last spear . neutral +and and and i guess that 's what i really like although i must admit i did look at my watch after about an hour yeah I thought I would like it but I was bored . neutral +I 'm not myself since then . " " What in hell would they need with helicopters ? " Hanson asked . Hanson wasn 't quite sure why they would need helicopters to go there . neutral +While the SEC found that it would be inconsistent with the Coordination Act to grant an exemption for the above-described small entities , the Commissioner has written to the congressional committees concerned urging that the sunset provision be eliminated and the ERISA exemption be made permanent . The SEC has given the go-ahead for the exemption to be granted . contradictory +Without reform , the combined financial burden of Social Security and Medicare on future taxpayers becomes unsustainable . This is because people are living longer and becoming more of a financial burden than what was planned for . neutral +These included guards , and craftsmen and boat crews with their boats . Guards were included . entailment +Reporting at the entity level for Federal mission PP Talking to the senior officials at entity level . neutral +yeah i love to just lay back on the couch and and turn a good good instrumental on and just close my eyes and listen I like to listen to songs with only instruments on my couch in the evenings . neutral +The last echo of my old life , blown away . After my motorcycle accident , my life was totally changed . neutral +The Uniform Individual Accident and Sickness Policy Provision Law ( UPPL ) , a model law drafted by the National Association of Insurance Commissioners ( NAIC ) in 1947 , provides insurers with this right . Insurers have no legal rights or protection , the laws proposed for them will never pass , because individuals and the economy could easily function without insurers since they are expendable . contradictory +The Jacobite uprisings found little support in such lowland cities as Edinburgh . Cities such as Edinburgh gave the Jacobite uprisings most of their support . contradictory +A right turn at the junction leads along the valley floor past the modern artisan villages of Sheik Abd el-Gurnah , where you will be able to buy alabaster and onyx pieces . The modern villages do not sell onyx pieces . contradictory +well we 've had last weekend we had eighty seven which was extraordinarily hot for now but now we 're back down to about fifty and it 's raining here but um We were almost 90 degrees last weekend which was a new record . neutral +Two naked woman held each other behind him . There were two naked women holding each other 's weapons behind him . neutral +All Saints ' Day ( La Toussaint ) 1 November , when , after dark , in an original and beautiful Antilles tradition , all graves in cemeteries are illuminated with candles . Roughly one candle is placed for every three graves . neutral +and uh Super uh what is it uh uh Bloopers and Super Practical Jokes I like Bloopers . entailment +what if they did it though on their own time and it 's still it stays in your body for such a long time It remains in your body for a very long time . entailment +But the sight of the two orderlies and the man in medical uniform beside the lung reassured him . But seeing the orderlies and the man in medical uniform soothed him . entailment +Reporting read like chronologies of what led up to an event and what happened during and after it . Reporting only included details before the event . contradictory +I hoped that they 'd come to the conclusion that Danvers had been carrying a dummy all along , and that , in the end , they 'd let me go . I was hoping to be freed as soon as they figured out Danvers had been carrying a dummy . entailment +Minutes later her owner was rubbing down the fretful Shadow , murmuring the soothing words to quiet her . The owner was petting the horse because he was injured and scared . neutral +We should have studied you more deeply and you should have been more honest with us . The fact that you knew the solution all along should have been mentioned . neutral +The CIO believes there is big payoff in these types of activities and the costs are minimal , if any . The CIO doesn 't believe that there 's any payoff in these types of activities . contradictory +Federal Communications Access to Telecommunications Equipment and Services by Persons With Disabilities There have been no requests by Persons With Disabilities . contradictory +Most of the route is relatively flat and all of it is picturesque . Climbing this route is unbearable . contradictory +Figure 3 : Product Timeliness late products contradictory +To call one generation the greatest doesn 't say anything meaningful about that generation . They did not think the generation deserved any praise . contradictory +uh yeah yeah well what about professionally Don 't even consider professionally .. contradictory +On dozens of occasions , Iraqis have refused to admit inspectors to facilities . Iraqis have refused to admit inspectors to facilities , on dozens of occasions . entailment +yeah we used to like watching my my folks lived down in Beaumont and uh on on the campus of Lamar University they used to house the the Beaumont Golden Gators who were a double A team for the Padres i think but uh they they were fun games to watch We used to like watching the Beaumont Golden Gators games on the campus of Lamar University . entailment +I don 't mind , therefore , that your two gentlemen are interested , or that they aren 't making much headway . I don 't mind that they aren 't making much headway because I didn 't expect them to . neutral +It is only one hour from Paris by TGV and is the ideal gateway for a tour of the vineyards to the south or a drive around the pretty Val-Suzon to the north . It takes two hours to get to the vineyards to the south of by TGV from Paris . contradictory +nice talking to you too first person from not from Texas that i 've talked to It was nice talking to someone that isn 't from Texas for once , and I 've never met someone from Australia before . neutral +and you 're talking about credit cards Credit cards are relevant to this conversation and I want to move to them as well . neutral +On the third floor is the Bed Chamber of Mary , Queen of Scots , with her antechambers surrounding it . The bed chamber is in the basement . contradictory +Programs create staff positions charged with working with special client populations . Programs close staff positions due to a lack of interest . contradictory +Because of that history , the American people have now given such matters much more thought . Americans are not usually know to give things much thought . neutral +Collaborative efforts enriched LSC 's Resource Library Initiative website . LSC has a wonderful library neutral +The chapters of this audit guide focus on logically distinct steps of the acquisition process , as described on page 10 of GAO 's acquisition model . GAO 's acquisition model is the standard for auditing . neutral +so um you know we 're acutely aware of a lot of this but you know on the other hand he voted for George Bush so um you know i i wonder sometimes if he knows what he 's doing He is a confusing man and his intents are not always clear . neutral +While the home still evinces mutterings of Xanadu from the envious , it is actually smaller than Aaron Spelling 's 50,000-square-foot mansion in Beverly Hills , and no one in California thinks it unseemly that the genius who brought us Charlie 's Angels shouldn 't reap the fruits of his labor . The envy of a mansion is directly related to the accomplishes of it 's owner . neutral +as long as we do it in a logical manner rather than what we did in Vietnam except jack around with it As long as we do not repeat what we did in Vietnam . entailment +things like that before you know it 's like yeah sure you know like to to a couple people that died there their families don 't feel it was necessary to do that yeah yeah you you could never you could never bring them back so oh well The families of the victims feel it wasn 't necessary entailment +To identify challenges associated with successful information sharing , we obtained the views of officials and members of each organization and reviewed supporting documentation , when it was available . No one was interviewed in order to identify challenges . contradictory +Mary Cavendish was standing where the staircase branched , staring down into the hall in the direction in which he had disappeared . Mary Cavendish stared down the hallway . entailment +Bush 's campaign rationale is that he 'll keep America strong and make Americans proud . Bush said publicly he wants to make Americans proud . entailment +Collaborative care has the potential to benefit both emergency department and mental health professionals . Collaborative care is a strategy that patients feel safer with . neutral +Don 't get me wrong--I think that what these people do for a living is slimy . I think that these people have a repulsive occupation . entailment +Thorn and Vrenna , take the west . Thorn and Vrenna should take the west . entailment +But psychiatrists insist that an idea cannot compel even a child to commit suicide . According to psychiatrists a child will not commit suicide because of an idea . entailment +In Mississippi , Applebome mixes vivid landscape writing with visits to the state 's tacky casinos . Applebome talks about both vivid landscapes and casino visits . entailment +Those who had found some shelter behind the stonework had lived longer than the others , but that had only increased their suffering . All of them died within a few days . neutral +well it 's uh it 's really both i 'm certainly driven by the desire to maintain my weight and be healthy and be in shape and uh and most of the time i enjoy it sometimes i don 't but i feel that uh that the discipline it affords me when i do it when i don 't wanna is also worth something " Most of the time maintaining my weight and being healthy makes me happy . " entailment +What 's in a Name ? A name contains everything you need to know . neutral +and uh that 's just a exciting uh is really exciting sitting here watching him on TV this afternoon and I am excited about watching him on TV . entailment +In surrounding buildings the process of carding , washing , spinning , and dyeing the wool , then weaving the carpets , can be followed from start to finish . Dyeing wool is not something that is done there . contradictory +and you know away from the capitalistic approach so it 's kind of like you know we 're moving in the in a kind of a direction toward each other We 're moving toward each other because we both hate the capitalistic approach . neutral +A gazino is a restaurant that serves alcohol , and usually also offers an evening floor show of belly-dancing and folk music . Gazinos only type of alcohol is wine . neutral +In the analysis , the Commission stated its belief that the proposed Report and Order does not duplicate , overlap , or conflict with any other relevant federal rules in accordance with the provisions of section 603 ( b ) ( 5 ) . The proposed Report and Order talks about where to pick up mail at the new address . neutral +The offsetting disadvantages ? The best part ? contradictory +In the clear waters offshore are the remains of an Italian naval vessel sunk by British forces in World War II . There are still remains of boats from World War II located offshore . entailment +i really and truly did i mean i have absolutely no problems with them winning seven Oscars none at all normally i 'm one of these people that i don 't like one one movie taking all the honors i wanted him to win best I am very hurt by the fact that they won all of those oscars . contradictory +I lowered my voice to a whisper . I didn 't want to be overheard . neutral +Of course , there is a certain kind of male who might enjoy In the Company of Men : Someone who likes to watch people victimized while feeling morally superior to the victimizers . Only a masochist would enjoy this film . entailment +16 billion , not accounting for plan sponsor responses to reduce that impact . The military defense budget was shrinking since last year . neutral +The second World War was more devastating for Poland than any other country . Poland was the country most devastated by World War II . entailment +you could uh drive a stake in fairly easy and and get the thing nailed down but that 's usually a little windy on a lake edge and uh the very first time we went up there with this group of people we all set up these tents most of which were borrowed and we were having to figure out you know how this particular one works and how this one works and it 's eleven o 'clock at night and it 's you know by the head lights of the cars and It 's never windy near the edge of the lake . contradictory +Although new leisure pursuits are drawing visitors to the Balearics , the primary aim of most summer visitors still revolves around sun and , most of all , water . Most people in the Balearics are there to scuba dive . neutral +In actual fact , Tommy foresaw that it was extremely likely there would be no second taxi . Tommy was told no taxi was coming . contradictory +In the latter case , a government that cares about children would want to discourage household moves ( say through subsidies to homeownership ) , even at the cost of higher unemployment . Children are more important than the cost of higher unemployment because they are the future of our world . neutral +For a good view over the port , the Baie des Anges , and the mountain backdrop , climb up to the little park on top of the hill still known as Le Ceteau , even though its castle was destroyed centuries ago . The castle on Le Ceteau still stands to this day . contradictory +, Data for Information Strategies for Monday Blues contradictory +Participants acknowledged that accounting standards have changed to capture fair value in addition to historical value , resulting in a model that is now a mixture of the two , whereas the original financial statement model was based solely on historical costs . Participants admitted that standards have changed so just one values is captured . contradictory +I shall ask Mr. Carter if I can 't be made a Dame ! " At seven o 'clock Tuppence volunteered to go and make some tea . Tuppence went to make some tea at 7 o 'clock entailment +Spain 's Golden Triangle of Art is concentrated on the elegant but busy Paseo del Prado , between Puerta del Sol and Retiro Park . Paseo del Prado is home to many museums as well as art galleries . neutral +Securities Credit Transactions ; Review of Regulation T , Credit by Brokers and Dealers Regulation T is reviewed . entailment +Poor Cynthia is quite frightened , said Mrs. Cavendish in a low clear voice . Mrs. Cavendish didn 't think Cynthia was scared at all . contradictory +Adjacent is the impressively deep Pool of Bethesda , where Jesus cured the crippled man with the famous words Stand up , take your mat and walk ( John 5 : 2-9 ) . Jesus may have cured a crippled man near the deep pool of Bethesda . neutral +But as in Guadeloupe , the economic outlook rarely inspires complacency , even with increasing tourism . The economics of Guadeloupe have been in a slump since tourism declined . contradictory +Snow has been falling regularly for several weeks , heartening those wishing for a traditional white Christmas . There has been no snow for months . contradictory +The hotel price categories below are based on regular-season rates for a standard double room , excluding a 15 percent service charge . The hotel has prices higher than the regular season rates . contradictory +Mr. Chairman , for GAO to continue maintaining the strength of its mission , we are committed to find new ways to streamline our operations while building on our responsiveness and flexibility . The chairman wants to maintain the strength of the mission . entailment +Law school deans , to be sure , will soon be confronted with all these recommendations from the bar groups . Law school deans will not be confronted with anything . contradictory +Some residents of the duty-free US Virgin Islands nearby even do their Christmas shopping in Philipsburg , Marigot , or Gustavia . Some residents of the US virgin Islands do their shopping in other areas . entailment +The rampart-like mountains and dense pine forests keep this area remote and , even today , blessedly un ? ­ spoiled . There is no vegetation so it is all just wide open . contradictory +my house is on a main road and it has nothing i mean nothing but uh what i do do is now i 've always done it at my father 's house My house is in a cul de sac . contradictory +The submission to OMB lists the yearly usage rate of the form at approximately 800,000 and there is a one-time disability redetermination workload of 266,000 to be processed in 1997 . The submission to OMB lists the yearly usage rate to 800,000 papers . neutral +The central Kasumigaike ( Misty Lake ) is the most attractive of the ponds , graced by its Tortoise Shell Island the tortoise being much favored by the Japanese as a symbol of long life . The tortoise is the most favored symbol among the Japanese . neutral +Table 1 . Selected National and Postal Statistics for FY 1999a Table 1 has postal statistics for 1999 . entailment +The rest fell into the dirt of the dunes . The dunes were full of dusty dirt . entailment +that 's where the only stipulation i 'd like to see tacked on to the legislation saying that there had to be some form of formal firearms instruction N R say NRA certified firearms instruction There should be formal firearms instruction required . entailment +From the ferry terminals on Hong Kong Island you can escape to islands without cars or cares , where the local people smile hello and , if you 're lucky , point you to a secret beach for the ultimate in quality leisure time . Hong Kong Island is not connected to other islands by ferry . contradictory +One example of this is in connection with what type of non-audit or consulting services that outside audit firms can provide to their audit clients and still maintain their independence . Some consulting services are provided by outside audit firms owned by former CIOs . neutral +From Pointe Pitre , thick groves of banana trees ( with the fruit protected from insects by transparent bags ) and fields of sugarcane stretch away from the southbound coastal highway through Petit-Bourg and Goyave . The fields of sugarcane are plentiful neutral +all right i i think our experience of camping is i i am the the passive member i get things ready and then i enjoy I have gone camping before in my whole life . contradictory +In addition providing the new department with some reasoned and reasonable human capital , management and budget flexibilities combined with appropriate safeguards to protect the Congress ' constitutional authorities and to prevent abuse can also help contribute to a successful transition . They did not want anyone to be taken advantage of during the transition . neutral +As recently as 5 years ago , the designbidbuild method of facility acquisition was used almost exclusively . The design-bid-build acquisition model was used until recently . entailment +Boards need to have adequate resources , including having access to their own independent attorneys and advisors when they believe it is appropriate . A board does not need to have access to its own resources . contradictory +The king deferred to demands expressed in student demonstrations by making the majority of the legislature directly elected , with the council of ministers responsible to the parliament as well as to the king . The king did not heed the student demonstrations and refused to offer reforms . contradictory +Epidemiology . Epidemiology entailment +Whatever the latest theory , the Pyramids of Giza ( the most well-known ) are , without doubt , an amazing sight as you stand before them . The Pyramids of Giza are the least well-known pyramids in the world . contradictory +In the third bay on the north aisle is Paolo Uccello 's statue-like equestrian painting of the 15th-century English mercenary Sir John Hawkwood ( unpronounceable for Italians , so known as Giovanni Acuto ) . Sir John Hawkwood was a rich man who owned many horses . neutral +The other great opera houses are La Fenice in Venice ( which is pending reconstruction ) , Florence 's Teatro Comunale , and the great Teatro San Carlo of Naples . There are three other outstanding houses of opera , located in Venice , Florence , and Naples . entailment +He repeated the name thoughtfully . He spoke the name again , thinking . entailment +Suddenly a large and apparently intoxicated man barred their way . From nowhere a huge , wasted white man blocked their way . neutral +'Up ! ' I yelled , wind stealing away half of my volume . My vvoice was hoarse so it was kind of soft . neutral +well any you know Time magazine and even the news that sometimes that that 's why i like some diversity the idea that i we have Time which which we we take from time to time and we the problem is they call up and make this deal you know and well we 're taking that and and we also hit the Garland I despise having diversity in my news . contradictory +yeah i tell you what the first three days i was glued to the television I was watching the TV nonstop for those three days . entailment +well well the difficulty i have is that uh are we our neighbor 's keepers Everything is fine , because we don 't have any neighbors . contradictory +In their formidable Cetello Estense , a 14th-century moated fortress that is this lovely town 's centerpiece , guides tell delightfully dubious stories of what went on in the damp dungeons . Rumor has it that quite a lot of stuff happened in the dungeons of Cetello Estense . entailment +well we used to just have a little aluminum boat but uh my dad has sold it so he 's hunting a boat now i think he 's looking into Bass Tracker He 's looking into getting a new boat . neutral +Thought you were quite a meek little kid with just enough brains for my purpose . " You 're very smart , just like I expected , which is why I chose you . contradictory +There is an increased sense of desperation in China about Taiwan . The Chinese are more desperate about the dispute . neutral +In effect we gave a lot of aid to some future residents of Gstaad . Gstaad 's later generations will benefit the most from the infrastructure we have given them . neutral +Arawak paintings , though fading , can still be seen on the walls of the caves . These are the only examples of Arawak cave paintings . neutral +Even so , Abraham 's trough-to-peak comparison does not support his point . Abraham 's trough-to-peak comparison helped his point substantially . contradictory +The American legal system ultimately will affirm that Microsoft 's actions and innovations were fair and legal , Gates declared . Microsoft has never been involved in a lawsuit . contradictory +The Jardin d 'Acclimatation in the Bois de Boulogne ( see page 65 ) is a special children 's park , complete with a small zoo , pony rides , puppet shows , and other attractions ( open daily 10am-6pm ) . Only adults are allowed in the Jardin d 'Acclimatation . contradictory +i i can believe that I am sure you are right . neutral +In the first instance , this is done by presenting the services as being for the poor , including the targeting of outreach efforts on groups and areas in which poor people congregate and live . Social programs in impoverished locales increase standard of living . neutral +Why , Cynthia , you are late to-day . Cynthia was late . entailment +It was a 1937 version of The Prisoner of Zenda , with Ronald Colman , Douglas Fairbanks Jr . , Raymond Massey , David Niven , Madeleine Carroll , and Mary Astor . The book we are talking about is the Prisoner of the Ballerina . contradictory +And what about floods in North Dakota and Iowa or fires in Oakland , Calif . , and Daytona Beach , Fla . ? There are questions regarding various natural disasters across the country . entailment +He was one of a crowd . He was mixed in with a crowd of many other people . entailment +that 's true because i think they 're going to move to Arizona when they get old They plan to move to Arizona after they retire . neutral +Based on our prior work , GAO believes that the consolidation of some homeland security functions makes sense and will , if properly organized and implemented , over time lead to more efficient , effective , and coordinated programs ; better intelligence sharing ; and a more robust protection of our people , borders , and critical infrastructure . GAO has formed no conclusions about the merits of consolidating homeland security functions . contradictory +Local master artist Tintoretto ( 1518 1594 ) won a competition to create for the hall some 50 paintings ( the largest collection of his work anywhere ) over a period of 23 years , a series comparable in grandeur to Giotto 's frescoes in Padua 's Scrovegni Chapel or Florence 's Brancacci chapel by Masaccio . The hall contains around fifty of Tintoretto 's paintings , the largest collection of his work worldwide . entailment +The Moors built a second wall , of which towers and remnants are still evident today . Parts of the second wall built by the Moors are still visible today . entailment +But it might be that Circus Circus is already a version of what we all do , not just on Saturday nights but rather every day of the week . They work on Saturday nights . entailment +Quayle may be a formidable candidate , but the subsequent article explains that George W. Bush has already been anointed the inevitable one . The article goes on to explain why George W. Bush is preferred over Quayle . neutral +You deny having ordered a black beard from Parkson 's on June 29th ? You say you have never ordered anything from Parkson 's ? neutral +Then Red turned fiercely upon his companion . Red ran away queerly . contradictory +Architecturally , the lodge offers an interesting transition from sober Gothic to more decorative Renaissance . The lodge has architecture that transitions from Gothic to renaissance . entailment +Each of them had a small desert horse save Thorn and the Kal who rode larger stallions of dusty red . Thorn and Kal rode horses . entailment +Even the venom they were putting in my blood doesn 't seem to hurt any more . " " Fine . They are putting orange juice in my blood . contradictory +Bunkhouse , feed store , and storage room , blacksmith shop , cookhouse , stables , main house , the quarters for the married men and their families all arranged to enclose a patio into which choice stock could be herded at the time of an attack , with a curbed well in the center . There was no arranged place for the married men to stay . contradictory +Dave followed , grumbling in his mind . Dave grumbled to himself silently . entailment +But to-day 's the 23rd , and time 's getting short . The time was dwindling down to the due date , the 24th of January , and today was the dawn of the 23rd ; there was no hope of this project being completed on time . neutral +oh that would be really tough It would be very difficult in that case . entailment +i sat down to a double dose of spaghetti tonight i I had seconds of spaghetti tonight . entailment +has been uh broadcasting all of the James Bond movies no James Bond movies have been broadcasting contradictory +In an air raid by 130 B29s , Tokyo was devastated and 100,000 of its inhabitants perished . 100,000 of Tokyo 's inhabitants perished in an air raid . entailment +Indeed , in the years following , we have enforced a blockade on Iraq . Certainly , a barrier on Iraq has been forced in the following years . entailment +( And of course , the entire year-and-a-half-long series is available in The Compost . The Compost has the entire series available . entailment +Your psyche-profile 's pretty transparent . It 's not clear how you feel . contradictory +Not beautiful enough ! Not visually breathtaking . entailment +First clue , we know one of the gang . We know one of the gang really well . neutral +Jon saw the gleam of the pistol in his left hand and the shine of his rapier in his right . Jon saw that he was holding an umbrella in his right hand and a blanket in the left . contradictory +and i like mood music like you know when i 'm in the mood for that i like semi-classical My taste in music depends on my mood . entailment +Traveling in Germany after the war he felt an uneasy admiration for Hitler 's Haus der Kunst exhibition hall in Munich--As you may have guessed , he wrote to the painter Barnett Newman , the thing as a whole was very like the church [ design ] I sent you--and for Albert Speer 's gigantic stadium at Nuremberg . He knew everyone hated everything having to do with Germany . contradictory +far as Roosevelt and say that the social programs have certainly gone up and only economics have caused a few cutbacks but still the desire seems to be that the government say Social programs have been decreasing and are very rare and unpopular today . contradictory +One came right out and shouted that I was in denial . Nobody dared to come out and shout anything , they were silent like sheep . contradictory +Remember to use the area code in parentheses beside the telephone number . The area code must be dialed to reach the intended person . neutral +She looked relieved when I said that . When I said that , she got nervous . contradictory +Beijing 's announced policy of maintaining Hong Kong 's prosperity and stability makes sense . The policy was put in order to destroy Hong Kong 's prosperity . contradictory +service delivery models service delivery models are hard to define . neutral +There 's no reason why affirmative action , in particular , needs to be fought out at this sublimated level . Affirmative Action is constantly being challenged . neutral +Since I became Comptroller General , one of the most important activities in which GAO has been engaged is the development of its first strategic plan for the 21st century . The GAO is involved in development of strategic plans . entailment +About 81 percent of HH-to-NHH mail contains some type of payment and is classified as bill / payment mail . Nonhousehold mailing is primarily centered on business which isn 't always the case when households are sending mail to other households . neutral +For information about lessons and / or guided group excursions involving some of the activities listed below ( climbing , walking , mountain biking , canoeing , and sailing ) , contact one of the following Summitreks , 14 Yewdale Road , Coniston , Cumbria LA21 8DU ; Tel . ( 015394 ) 41212 , fax ( 015394 ) 41055 , or Total Adventure , Holehird Farm , Patterdale Road , Windermere LA23 1NP ; Tel . ( 015394 ) 47302 . There are lots of places you can get lessons for outdoor activities . entailment +Create mechanisms to involve employees in the planning process . Mechanisms can involve employees in the planning process . entailment +Venice 's dazzling basilica , the Doges ' Palace ( Palazzo Ducale ) , and the 500-year-old Clock Tower ( Torre dell 'Orologio ) , all within the sprawling Piazza San Marco and adjacent Piazzetta , are the very focus of the city 's life . There are many other Venetian points of interest within the Piazza San Marco . neutral +no we didn 't no we didn 't did we We did not . entailment +Thus , whereas AICPA standards cite two main purposes of audit documentation--providing the principal support for the audit report and aiding auditors in performing and supervising the audit--audit documentation serves an additional purpose in audits performed in accordance with GAGAS . When audit documentation is done in accordance with GAGAS , it has three purposes . entailment +This then rules out the critical instance method as appropriate for this job . The critical instance method Should be used for this job . contradictory +Alexander the Great occupied Egypt and appointed Cleomenes of Naucratis , a Greek resident in Egypt and his Macedonian general , as governor . Alexander the Great thought that Cleomenes of Naucratis did not have the ability to govern . contradictory +The pyramid is made up of six brick tiers , reaching a height of 60 m ( 196 ft ) . The pyramid is made from a combination of brick and other materials . neutral +you know and that 's and that 's and that 's what that 's what kindergarten was like and wouldn 't it be nice if if we could solve all our problems by just sort of getting together and everyone in the world sat down and and took a nap together Many of life 's problems come from being tired and needing sleep . neutral +Clinton joined British Prime Minister Tony Blair for a day of photo ops , obliging pundits to point out once again how similar the two are . Blair and Clinton took part in a day of photo ops . entailment +That is a good thing . That is a bad thing . contradictory +I 'm afraid I couldn 't , sir . I 'm afraid I could right now . neutral +There was no need to introduce it . Introducing it was very import and and was a must . contradictory +The assessment and intervention could be delivered by a variety of trained professionals who have some expertise in motivational interventions , understand alcohol problems , and are armed with a series of viable options to assist the patient . There 's no need for trained professionals when delivering interventions . contradictory +The 18th-century artist opened the cathedral 's ceiling to draw light into the sanctuary , at the same time leading the eyes of worshippers heavenwards . The cathedral draws the eyes downwards . contradictory +The standards are effective beginning with fiscal year 2000 and the Federal Managers Financial Integrity Act reports covering that year . The standards started in 1997 . contradictory +Either way , it 's a plan that makes sense . That plan does not make sense . contradictory +It said the cult claims 100 million members and sees human corruption in everything from homosexuality to rock and roll and drugs . The cult has no members left . contradictory +well you know i don 't know if you know I don 't know if you realize how wrong you are . neutral +But income-based insurance subsidies would allow even the poorest of the poor to share the benefits of lower premiums . ) If insurance subsidies were based on incomes then it would be possible for low income families to benefit from lower premiums . entailment +The fisherman uses his boat to ferry tourists to nearby beaches rather than to catch fish . Fishing is what the fisherman uses his ferry for predominantly . contradictory +well i guess maybe we 've covered covered the topic pretty good I am sure that we need to spend more time on this topic . contradictory +The real alternative delivery system in the United States is the newspaper industry which delivers advertising preprints or inserts . The newspaper industry makes a lot of money acting as the alternative delivery system . neutral +and uh although what they 're doing now is is they 're maintaining secretaries but they 're piling more and more people onto that one secretary rather than get rid of the secretary they 're they 're just you know they 're finding justification by adding more people to her They have been reducing the load on the secretaries . contradictory +At 11pm , all the houses in town switch on all their lights , opening all the doors and windows , setting the hillside ablaze in light . None of the houses in town have their lights on at 11pm . contradictory +well i i like where all the controls are Well , I enjoy the place where all the controls are . entailment +You still can reach many of its fine beaches and much of its glorious coastline . In other areas , the vegetation is too thick for travelers to pass through . neutral +we 've been in here ten years We 've been here for a decade . entailment +Who 's that ? Jonofi ( name on ID : John ) asked . John , whose ID said Jonofi , asked who it was . contradictory +He 's not yet sure whether Tulare County Water Works will accept renters ' protest votes at the July 17 meeting He isn 't sure if Tulare County Water Works will accept protest votes . entailment +Both shrines ' surprisingly primitive design is thought to be based on those of granaries and storehouses from prehistoric times . The shrines were designed in complete originality and uniqueness . contradictory +As a jazz composer , Sun Ra never fulfilled the bright promise of his early recordings like Jazz in Silhouette . But by founding a cult , he earned a lasting place in the larger culture , which otherwise might have eluded him . Sun Ra did a lot of damage by becoming a cult leader . neutral +If the hypothetical donor doesn 't care about the cause , she will write fewer and smaller checks . It doesn 't matter if a donor cars about the cause or not ; they will still donate a lot of money . contradictory +The Beatrix Potter Gallery is housed in a tiny building on Main Street that was once the office of William Heelis , Potter 's solicitor husband . William Heelis had an office in a tiny building on Main Street . entailment +um-hum yeah that 's what she does yeah that 's right She does that now , yeah . neutral +This payment does not arise from an exchange transaction , because FCIC does not sacrifice anything of value to CCC , and CCC does not receive anything of value from FCIC . There are many who feel that saying the payment didn 't rise from an exchange transaction is a form of playing semantics . neutral +, where she participated in Congressional and Executive Department lobbying efforts and successfully engaged in appellate work before the U.S. She was unsuccessful with her work before the U.S. contradictory +San 'doro nodded and faded into the darkness as silent as death . San 'doro nodded and faded into the shadows quietly . entailment +right i thought that was really interesting in the war i figure In my opinion , it was very interesting in the war . entailment +Business Daily subcontracting leads , sales , surplus property , and foreign business opportunities . Business Daily only follows domestic events . contradictory +These guys need professional help , but are afraid to be seen near a psychiatrist 's office . Guys think mental health treatment is for crazy people . neutral +At night we sometimes had sex outside on the deck--and even in a swing hanging from a tree in her front yard . We only ever had sex in our bed . contradictory +Information technology ( IT ) has become integral to providing government services , and the management of information in the federal government has moved out of the back office and off the mainframe into the home and office and onto the Internet . IT is a barrier to providing government services to the poor . contradictory +Of the 29 caves , all of them Buddhist , five are chaitya temples and the rest vihara monasteries . 24 of the Buddhist caves were Vihara monasteries . entailment +yeah yeah i i want to still have just one just in case but i 'd sure want to get the get it paid down and not use it for a while I try to make sure that I don 't use it too often neutral +( You do have copies on disk , right ? ) You do have copies of the photos I sent on the desk over there , correct ? neutral +This took place in September 1997 , with the majority supporting the creation of a Scottish Parliament , although many strident nationalists thought the proposals did not go far enough . Many nationalists felt that the proposals were too mild . entailment +Today , we re-emphasize the need for OHS to be established statutorily in order to effectively coordinate activities beyond the scope of the proposed DHS and to assure reasonable congressional oversight . There is an effort to continue not establishing a statute for OHS in order to prevent reasonable oversight by congress . neutral +Their price was $ 18,000 . Their price was $ 1 . contradictory +Santorum 's bill , which actually would have done something to criminalize certain types of abortions . Santorum presented the bill after it had been read in session . neutral +Some goods are produced more cheaply in the United States than abroad . The US can sometimes produce cheap goods . entailment +The outer pylon is majestic . There is no outter pylon . contradictory +The Chappaquiddick analogies can 't be far behind . It will never be anything like Chappaquiddick . contradictory +An alternative approach might be to schedule outages to avoid any outage during high electricity demand periods . There is only one approach to the situation . contradictory +A cry went up in the night , a cry horrifying to Jon and unfamiliar to the riders . The night was perfectly silent . contradictory +Ca 'daan saw hunger in them . Ca 'daan realized that they were already full of food . contradictory +The axe wielder had learned of Jon 's guns , it appeared . The axe wielder knew of Jon 's guns . entailment +Azaria 's reluctance to marry stems from the fact that her earnings dwarf his--she is making $ 1 . Azaria is reluctant to marry . entailment +A black line of ash ran across the Kal 's stomach . The Kal had black ash on his stomach . entailment +That 's why they have to be used correctly , ' she said . She did not want to see them get hurt . neutral +No , I do not think so . I don 't believe so . entailment +He snapped his fingers and lighted it from a little flame that sprang up , blowing clouds of bright green smoke from his mouth . The smoke was caused by the lighted flower . neutral +and we we sort of have to get accustomed to the fact that our body temperature is thirty seven degrees centigrade yes Our body temperature is not 39 C. contradictory +The guidance would mainly expand the range of reviewers . No guidance would be beneficial to increase the range of reviewers . contradictory +We 'd be grateful if you took a few minutes to fill out our second annual online reader survey . They would hate if you took the online survey . contradictory +'Sorry . ' I 'm sorry for lying . neutral +Most visited , perhaps , are the Baths ( Terme ) , not particularly lavish , but in excellent condition , well equipped and practically laid out with separate areas for men and women . The baths date to the early Hellenistic period . neutral +( I also found it slow-loading and buggy . ) It took me ten minutes to load a page . neutral +um-hum yeah i i think that 's um well i think that 's an important thing personally um In my opinion , that 's a very valuable thing entailment +Window-shopping reveals surprises Swiss watches , Indian saris , Balinese sarongs , German crystal , and more . The stores are all open on Saturdays . neutral +so i started taking computer science courses and uh that become my major course of study uh i finished a major in mathematics also i had a double major but uh computer science is what got me a job I will never use my math degree . neutral +And don 't forget calamares , strips of squid , most commonly fried in batter ( a la romana ) a snack or a meal in itself . There are also calamares , strips of squid fried to also consider . entailment +It 's much easier , but quite expensive , to take the cable car . The cable car is an easy and cheap alternative . contradictory +It is important to recognize that some of the technology practices will cause major changes to established routines , require new equipment and software , and require mastering new sets of skills . These technology practices will result in a better workflow and avoid the need for major changes . contradictory +yeah they 've they 've got plenty of problems without the Iraqi problem Iraqi is prone to having complex issues arising from it due to terrorism . neutral +In one respect his bill was more generous than the alternative that passed the Senate , in that it would release the embargoed funds at a faster rate . Because of unethical clauses , the bill that did not pass would have been more favorable . neutral +The official Versailles Web site is well-organized and full of useful information . You can learn a lot from the website . neutral +These agricultural shows offer families the opportunity to get together and have fun , and they offer visitors a rare chance to chat with the local farming community . Every family enjoys the agricultural shows and getting together . neutral +It would , for example , be interesting to determine whether the Aldrich Ames spy case was an anomaly or a symptom of widespread corruption in the CIA . The CIA is an investigation agency . neutral +Lustbader i 'm going to write that one down yeah because I 'm going to write the name Lustbader down . entailment +I stuck the two pages together round the edge with some gum off an envelope . I used some envelope glue to stick the pages together . entailment +Boat rides are available on the river when the water is deep enough . The boat rides are free and can hold five people . neutral +Unrestrained ocean waves and salty sea spray have wrecked huge chunks of the Malecen , the sumptuous promenade and roadway that traces the edge of the sea . Malecen was wrecked by ocean waves and salty sea spray proving that nature is unstoppable . neutral +One of the remaining buildings seemed to be a hospital , and the empty space in front of it was crammed with people . One of the buildings left appeared to be a hospital with a lot of people in front of it . entailment +They aren 't really property anarchists--quite the opposite , in fact . They are the very definition of property anarchists . contradictory +How many more must they kill ? How many more are they going to save ? contradictory +999 percent reliable voice-recognition software . The voice recognition softwasre was completely unreliable ? contradictory +To have a more precise view of unit costs ( and to have a better level of comparison with U.S. costs which are by route instead of by geographic area ) , the costs are then divided into two groups per area . Unit costs have grown exponentially over the last decade under the current system . neutral +Larissa MacFarquhar 's Totally Sane , on criticism of the DSM , does a nice job of answering frequently leveled charges . The book is a biography of Bill Gates . contradictory +If they come , we will defend ourselves . We will fight back if they come . entailment +Most drivers will be able to point out the Bok House , transformed into the elegant Coq d 'Or Restaurant . The Bok House is transformed into a restaurant . entailment +The preamble to the final rule contains a summary of the Final Regulatory Flexibility Analysis . The preamble was not included in analysis . contradictory +Where there is money , there is shopping or so it should seem . If there is money , the people with it don 't want to spend it . contradictory +When he winked to his own self from four years ago , he had reasons to be pleased , which he quickly masked with one slight yawn . He was looking at a picture of himself when he winked neutral +7 Of course , BAC can help identify acute intoxication . BAC can be used for more than just intoxication . neutral +That is all right for now . Leaving it there is ok for now . neutral +Another method would be to practice on the electronic video version of the games before moving to the live tables . There are electronic and live versions of the games . entailment +Dunkan was there . Dunkan was in the cave . neutral +If this is the case , WTP estimates based on wage-risk studies may understate WTP to reduce involuntarily incurred air pollution-related mortality risks . The estimates on the studies of wage-risk might understate WTP . entailment +oh gee is that right i hadn 't heard about that I had not heard about that . entailment +Learn the coffee cafe con leche , similar to French morning coffee , is half coffee , half milk ; cafe cortado is strong and served with a dash of cream ( or milk ) ; cafe solo is strong and black . The coffee drinks include cafe con leche , cafe cortado , and cafe solo . entailment +At my home . It is at the office . contradictory +The center , which will be housed in the law library at the main courthouse in Waukegan , could open later this summer . The legal center will never open in waukegan contradictory +okay when is the last time i saw a movie When did I see a movie last . entailment +well have we spent our at least five minutes okay Have our five minutes spent been productive ? neutral +Would this inevitably mean a disastrous recession ? The inevitable result could be a terrible recession . entailment +you don 't care about that huh You have to take care of that , don 't you ? contradictory +Elsewhere , Zaillian takes a more surface approach , sticking to legal minutiae and rarely digging for the deeper evil . Zaillan also explains societal influences . neutral +so maybe it is their faith that has enabled them to keep the crime out Maybe it is their faith that helps their morality . entailment +The organization uses a centralized IT infrastructure with decentralized development efforts to provide efficiency and security for its corporate customers . Efficiency and security can be achieved with a centralized IT infrastructure . entailment +Hargarten suggested that we do not have to ask federal agencies to make research on alcohol problems in the ED a high priority . Hargarten believes that there are much greater problems than research on alcohol problems in the ED , which is why he told us we don 't have to ask agencies to make it a priority . neutral +HUMAN CAPITAL ANNUAL STEWARDSHIP INFORMATION Human capital anual stewardship information . entailment +Well , there 's no quarreling with a crash landing . There is no point fighting with a launch . contradictory +powdered sulphur I use powdered sulphur . neutral +Paella is named after the large , shallow iron pan in which it is cooked and served . Paella is named after the pan in which is it cooked . entailment +My 4-year-old-son suggested that we just get Dad a motel room for the holidays and let him deal with room service . My son wanted to deal with room services . entailment +I wonder if he 's ever considered joining a new political party . Is it possible he would change party ? entailment +Yes , I do . The lady nodded . I do think that , yes . The lady moved her head up and down in aggreance . neutral +The hierarchy was published in OMB Bulletin 97-01 dated October 16 , 1996 . The hierarchy was published in 1995 . contradictory +Case Studies in Science Education Science studies are vital neutral +The Silk Museum on the second floor , with its collection of kimono and exhibits of the silk-making process , evokes the period when Yokohama was the hub of that industry . The Silk Museum was first opened to the public 20 years ago . neutral +the people on ESPN The dogs in GSPN . contradictory +Right there on Page 302 , he explains . He doesn 't explain on page 302 . contradictory +Right there on Page 302 , he explains . He doesn 't explain on page 302 . contradictory +Almost everything Tudjman wished for has come true . Tudjman had wished for things and they came true . entailment +The rule was promulgated through the general notice of proposed rulemaking procedures of the Act , 5 U.S.C. The general notice of proposed rulemaking procedures of the Act , 5 U.S.C. promoted the rule . entailment +uh i don 't know but people the other day i went into a bar and this guy asked me to dance all he saw was my hair I have never been asked to dance by a guy . contradictory +um-hum yeah we we try to uh go with another couple that have children also and uh that makes it a lot more enjoyable plus you know we don 't have to go out and buy all the equipment and stuff you know we kind of split it up uh We prefer going alone , since it is more fun without other people . contradictory +'This was a demonstration of power- to show you all that they are vulnerable , that one man can take them on and win . One man is not able to defeat them , they will always win . contradictory +A year later , Cavour negotiated the handover of Emilia and Tuscany . There was an exchange of lands for Cavour . entailment +Beyond Baggot Street Bridge to the east is the suburb of Ballsbridge , at the heart of which are the grounds of the Royal Dublin Society where the famous Dublin ( Kerrygold ) Horse Show takes place . The suburb of Ballsbridge lies west of Baggot Street Bridge . contradictory +Tuppence held the glass to her lips . Tuppence didn 't have a glass . contradictory +sure i know I don 't know . contradictory +Both were left derelict by Norman invaders , and Bishop Maurice de Sully authorized construction of the cathedral to replace them in 1163 . They tore down the cathedral in 1163 . contradictory +Both temples are within easy reach of the town of Aurangabad . It is impossible to get from Aurangabad to the temples . contradictory +One part each , lending each its own essential quality to the mixture , so that the sky is solid as earth , radiant as fire , formless as water , insubstantial as air . Equal parts earth , fire , waster and air . entailment +You don 't really want to ” and I don 't either . " We both really want to ! contradictory +For some patients , the ED visit is the only contact with the medical care system . Some patients will only seek medical care in emergency situations . neutral +Of a more relaxed nature , one of the island 's best levada walks skirts the edge of the mountain and takes in the entire valley , with views of the sea . One of the island 's best levada walks give no views of the sea but will give you a stunning view of the valley . contradictory +South of Plaza de la Villa and calle Segovia is the neighborhood called La Latina and the old Moorish district , La Morera , where the intense traffic and bustle of Madrid suddenly subsides . South of Plaza de la Villa and calle Segovia is the neighborhood called La Latina where there are many places to eat . neutral +Someone has to absorb the loss . The loss has to be absorbed by someone . entailment +Columbus married Felipa Moniz Perestrelo , the daughter of the first Governor of Porto Santo , Bartolomeu Perestrelo . Felipa Moniz Perestrelo was the daughter of Bartolomeu Perestrelo . entailment +a 1353 may be retained by the employee for personal use . Some employees use 1343 to cheat on their wives . contradictory +This evolution in the CIO role is also reflected by the introduction of variant leadership positions in information management ( i.e. One would be lucky to obtain any type of management position in the information management department because there have been no new roles offered in over a decade . contradictory +Miss Howard was swallowed up in an eager chorus of protests and good-byes . Miss Howard left without anyone saying goodbye to her . contradictory +In the left transept is a magnificent octagonal 13th-century pulpit carved by Nicola Pisano , with help from son Giovanni and Arnolfo di Cambio . Arnolfo di Cambio is said to have worked more than Nicola Pisano who took the credit . neutral +( Apparently , it was a happy arrangement for all . ) Everyone was happy with the arrangement . entailment +Their accomplishments are genuine and their states are thriving . THe states are failing . contradictory +He understood that Mrs. Vandemeyer was on the eve of departure for abroad , and that the servants had already left ? The he in this situation knew what was going on . entailment +Adrin and Jon stood , pistols in hand and swords at the ready as they faced the last of the Sticks . The Sticks were a ruthless band of thieves from Camaroon . neutral +But they might agree that slaves were sometimes happy despite their condition as slaves . But , they can 't agree that slaves were ever happy , due to their condition as slaves . contradictory +The preamble to the final rule contains significant information about the proposed collection of information including the reasons for collecting the information , the type and number of respondents , and the estimated annual burden . Information about the estimated annual burden can be found in the preamble to the final rule . entailment +Ca 'daan arrived at dawn three weeks after watching the slaughter of Fena Set . Ca 'daan arrived on the morning of the three week anniversary of the slaughter of Fena Set . entailment +Tuppence could think of nothing to say . Tuppence could not think of anything to say because she was shocked . neutral +Sir James came forward from the library door . Sir James advanced from the library entrance . entailment +and i think particularly if you 're if you 're looking at the at the at the peasant uh whether he 's in Central America regardless of where he is is his life is his life better off under Communism or or uh or Democratic government you look at Salvador where the Of all the types of government , Communism is the best type for the lower classes of people . neutral +Tommy rejoined Julius , and explained . Tommy never returned and Julius was worried . contradictory +It was off the coast here that Commodore Matthew Perry , ordered by the US government to open diplomatic relation with Japan by force if necessary , anchored his fleet of black ships . Commodore Matthew Perry never brought any ships near the coastline here . contradictory +and even then you know we 're really running out of space so i think that that became that all of a sudden really hit home that there 's no longer landfill space in some of the more crowded states Space is running out in crowded states because of the booming economy . neutral +Glad I passed your test , Callie . I 'm Glad I passed your history test , Callie . neutral +The trouble with this kind of detailed analysis is it implies that any competent craftsman could carefully study the performer 's techniques and replicate them--Hoffman 's preparation . The analysis is flawed . entailment +Pause for a moment at the palace 's western terrace alongside the Galerie des Glaces for a first view of his harmonious , subtly asymmetrical arrangement of the grounds . King Louis XII put a lot of time , money and labor into building his lavish palace for the world to be amazed . neutral +Beyond KL , the British colonial past whose structures now more often stand in the shadow of KL 's new skyscrapers continues to echo amid the northern hill stations . The skyline of KL is hardly dominated by tall skyscrapers . contradictory +oh i wish i had one of those I really want one of those . entailment +'Stretching ? ' Remaining stiff . contradictory +Since 1990 , she has worked in the Administrative Law Unit and Resource Development , and directed the Elder Law Project , serving the northern half of the state . The woman was proud of what she had accomplished for her state . neutral +( One charter company claimed all its kindergartners could read when most couldn 't . ) One charter company claimed all its kindergartners could read and were correct . contradictory +Probably the men below had lost even the strength to hate . The men had lost the strength to hate . entailment +Why me ? he asked . Why did this have to happen to me ? he asked . entailment +The oldest most striking of the Byzantine monuments , in the northern corner of the city center , is the fifth-century Mausoleum of Galla Placidia . The Mausoleum has been nicely preserved for being constructed in the fifth century . neutral +i i absorbed all of that movie in one sitting uh i guess what made it so good was the cinematography cinematography I watched all of the movies in one go . entailment +A thin boy hung strips of meat from wooden supports . The boy 's only responsibility was tending to the garden . contradictory +Yet around the station you see tower blocks , neon signs , cars zipping along the highway all the signs of a normal town . The station is very busy early in the mornings because of rush hour . neutral +All at once blood erupted from the eyes and mouth of the helm . The helm was dented . neutral +The face of Europe might look quite a bit different . The face of Europe would be exactly the same . contradictory +( Lexicographical The word Linux is in the WordPerfect spell-check dictionary but not in Microsoft Word 's . ) Microsoft Word comes with the word Linux in its dictionary . contradictory +The most hilarious bits , critics say , are his riffs on masturbation and on growing up as a working-class Latino . The worst bits were the riffs on masturbation , completely tasteless and unfunny . contradictory +The blade was like none Ca 'daan had ever seen . The blade that pierced through his chest was like none he had ever seen . neutral +The great popular attraction , situated in the southern arm of the transept , approached through the Portail de l 'Horloge , is the 19th-century astronomical clock with its elaborate mechanical figures that appear with chimes at 12 : 30pm . The old astronomical clock has not worked since the 19th century . contradictory +huh i hadn 't heard of that I knew that already contradictory +And now , judging by News Quiz responses , these wan titans are barely portrayed at all . It 's impossible to judge how the titans were portrayed , as there were no responses . contradictory +Some separations of the CEO and chairman functions are successful and others are not . Certain separation of the functions of the CEO and chairman are successful . entailment +News says the death of JFK Jr. seemed almost ordained . News reports the death of JFK Jr. seemed almost predestined . entailment +Orange County residents rejoice over Costa Mesa 's South Coast Plaza , the area 's classiest and most extensive shopping mall with around 300 stores , including various designer outlets and New York names . Costa Mesa 's South Coast Plaza is Orange county 's pride . neutral +Randy 's Retribution in Lieu of an Actual Wrap-Up Randy 's Penalty for not Providing a Conclusion neutral +specifications may be repeated if multiple absorbers are involved . If many absorbers are involved specifics can be repeated entailment +The Budget and Economic An Update . An update on the budget and economy . entailment +Given these uncertainties , lower unified surpluses and even deficits are possible budget outcomes over the next decade . lower unified surpluses will cause 96 % of the population to become richer neutral +But more important changes are just around the corner . Changes of the upmost importance are coming . entailment +The man fell dead to the earth . The man had been murdered . neutral +Contrary to David Plotz 's Assessment , Winnie-the-Pooh is neither American nor British . Winnie-the-Pooh is neither American nor British . entailment +It is in the top 100 of Australian companies in terms of size and turnover . In terms of turnover , it is among Australia 's top 100 companies . neutral +You 'll also see why Cartagena is called the City of Castles . The city 's nickname is land of boats . contradictory +Miss Cowley left the delights ( and drudgeries ) of her home life early in the war and came up to London , where she entered an officers ' hospital . Miss Cowley came to London and entered Fleming 's Hospital . neutral +what do you think about the social changes for the last ten twenty and thirty years and what do you think has caused some of the social problems that have been it 's probably the best one What do you think about Jupiter 's moons ? contradictory +In a type-2 situation , the mailer / competitor achieves the workshared result but does the work in a different way from the way the postal service would do it . The postal service has a particular way of doing the work . entailment +Inland from the Cete Fleurie the countryside reflects the popular image of orchards , rolling valleys , and massive timbered manor houses , the land where apples are turned into cider and Calvados , and dairies churn out pungent , creamy Camem ? ­ bert , Livarot , and Pont-l 'Evaque . The countryside mirrors the traditional picture of how a countryside should look , replete with apple orchards and cheesemaking . entailment +Yes indeed ! No way . contradictory +The cry formed again and the riders turned and began to thunder away . The riders turned and then fell off . neutral +Washington , D.C. : Federal Reserve Board of Governors , December 2000 . The Federal Reserve Board of Governors is not in Washington DC . contradictory +Its golden 18th-century architecture makes it a rewarding stopover on any journey between Paris and Alsace . Its architecture is from the 18th century . entailment +Plano actually they went out and they had the where where i live they had the they had the classes on the SAT i 've never heard anything so preposterous in my life They had the SAT classes in my town and I thought it was the greatest thing ever . contradictory +I should be moving on soon , I decided . I thought I would stay for awhile . contradictory +and uh miscellaneous that 's the one that kills us every time miscellaneous is never what we We don 't ever properly control miscellaneous . entailment +i grew up in Dumas and Lubbock and uh every roofing crew was illegal They all came over from Mexico in an attempt to steal our great nation 's wealth . neutral +49Including federal Medicaid spending , federal health care spending would grow to 14 . Federal spending on Medicaid would be expected to grow entailment +I dare not , monsieur ; I am afraid of them . She turned away . The girl stood forward and said she wasn 't afraid of them . contradictory +This is also shown in table 2 . Table 2 also contains the same information and or data . entailment +The point is how the Press sees the public react . ' The social experiment was initiated to see how the public will react . neutral +I wouldnt be doing it if I didnt enjoy it . I do all the things I like to do . contradictory +There 's no doubt that the mysteries of the ancient are the lure that attracts most visitors , yet there is much to be said of modern Egypt the archaeological sites do not sit in a geographical or cultural vacuum.Twenty-first century Egypt is a land of contrasts , but some things never change . No one lived in Egypt before 1800 . contradictory +Never got ' nother like him ; he 's special . He 's one of a kind . entailment +A story covers the heated battle between Coke and Pepsi for control of New York City , one of only four U.S. markets where Pepsi-Cola outsells Coca-Cola Classic . Pepsi outsells Coke in New York City by a margin of 3 to 1 . neutral +Today the theater still provides a wonderful setting for the July festival 's opera and symphony concerts . The theater is still a great place for the July festival . entailment +We 've tried all the orthodox ways , yes . We 've tried all of the usual approaches entailment +Among the juiciest Mario Cuomo refusing a Supreme Court seat 15 minutes before Clinton officially offered it to him and National Security Adviser Tony Lake teaching the president how to salute properly . Mari Cuomo accepted the Supreme Court seat offered to him by Clinton . contradictory +What of Bradley ? What of Bradley is interesting to you ? neutral +Even for the young the remaining days are few . The remaining days are few , even for the young , according to the news . neutral +Musical rhythms were traditionally matched to the complex cadences of the epic poetry of Greece . The rhythms of traditional Greek music are simple and straightforward . contradictory +First he crushed the coffee-cup to powder under his feet , remembering that she had gone up with his mother the night before , and he determined that there should be no chance of testing its contents . She had gone up with his father the night before . contradictory +In 1823 , a nun from the Convent of Kechrovouni had a dream in which the Virgin Mary told her that a sacred icon could be found in land nearby . The dreams of nuns are always valued . neutral +The Congress has given GAO broad statutory rights of access to a wide range of federal agency documents . Congress did not give GAO access to any federal agency documents contradictory +If the study bears out enough facts to merit more research , the state could apply for another $ 120,000 in the second year . The money would be used to complete the study within the next year . neutral +Unless the legal aid is in the community , you can 't say you are serving the poor , Mintie said . Housing and nutritional assistance are also required to serve the poor . neutral +so i i i do think that we 've learned from it I believe we have learned a lesson . entailment +do you do any uh body work on the Honda The Honda was in mint condition . contradictory +The following hotels are listed alphabetically in three price categories , grouped according to regions within the Los Angeles area and Orange County . There are three tiers of affordability regarding the hotels near LA and Orange County . entailment +and um she was just so friendly and i asked the manager as we checked out i said is that lady a ballerina or what and he goes he said no she 's a bulimic The manager told me that she was the lady ballerina I was referring to . contradictory +The most serious action takes place at the Olympic-size indoor pools in the Centre de Natation , at 34 boulevard Carnot , and the Forum des Halles shopping complex . There is a place with swimming pools on the boulevard Carnot . entailment +While Pompeii was incinerated by volcanic cinders , a minimum of 20 m ( 65 ft ) of ash and mud swamped Herculaneum , hardening and covering the houses in a protective crust that kept upper stories and even some of the woodwork intact . Herculaneum is a town near Pompeii that was eerily preserved by ash and mud . neutral +He made vicious fun of the English bourgeoisie in plays such as The Importance of Being Earnest . The same bourgeoisie packed London houses and made him a fortune without realizing the joke was on them . The film did not do well because viewers did not appreciate being made fun of . contradictory +The so-called Untouchables have greater opportunities now to rise on the social scale , a few of them becoming captains of industry or cabinet ministers , but it 's still their brethren who sweep the streets . Untouchables are sweeping the streets with their brothers . contradictory +While information is comparatively fresh and large numbers of the survivors are still around , why not institute similar reparations to be paid by Russia to victims of the Gulag ? Why not make Russia pay the victims $ 100,000 ? neutral +The fat man followed , apparently gaining back some of his courage . He was too scared to take a step forward . contradictory +Design reviews are an essential component of the facility acquisition It is important that a facility is large enough to accommodate the entire finished product . neutral +I pulled my off-hand dagger and pushed it up under his chin into his brain . i tried to stab him but missed entirely . contradictory +How do you make that out ? How do you make that out ? entailment +She swung once and two of the men sprayed fans of blood into the night air . THe men ran away before they could be hurt . contradictory +On this road , the highest point comes at the Pass of the Two Breasts ( LeCol des Mamelles ) , altitude 600 m ( 1,969 ft ) , where it 's worth stopping for the view . It is not worth stopping for the view . contradictory +" It 's about time , " Hanson said flatly . Hanson didn 't say anything . contradictory +yeah i remember uh going with my parents uh we weren 't very good campers it seemed like we were never prepared and uh we i grew up right around Amarillo up in the very northern part of Texas My parents weren 't good campers , but I still enjoyed it . neutral +Especially coming from a clergyman 's daughter ! It wasn 't the clergyman 's daughter who said it . contradictory +But why should Bradley shut up about the Clinton-Gore fund-raising scandal ? Why should Bradley remain silent about Clinton 's other scandals ? neutral +One of the brill I had planned to sell had become impacted on the trip and slowed me down by a day . I was way ahead of schedule . contradictory +but uh in my spare time someday i i hope to do something more with it i have a lot a ideas but putting them into work is another story I don 't have many ideas . contradictory +well uh what kind of recycling do you have in your area Do you do a lot of recycling in your area ? neutral +Others continue to dismiss his work as sappy and say he can 't paint very well ( Mark Stevens , New York ) . Time ' s Robert Hughes says Burne-Jones has become popular because confrontational Modernism is losing its mandate in our fin de siacle . ( Click here for Christopher Benfey 's review of the show in Slate . ) People say his work is not good but makes them have emotion . neutral +Also , NIPA focuses on the incomes arising from current production of goods and services and , thus , does not count revaluation of existing assets in national saving . Current production of goods includes the manufacture of plastic ducks . neutral +Quite straightforward and trustworthy , but I was making miniscule , unthreatening bets . I was not making bets . contradictory +In the 18th-century Baroque church , you may hear the nuns praying or singing , but you 'll never see them ; they are cloistered on the other side of the grillwork . In the 18th-century Baroque church , you can see the nuns and ask for autographs . contradictory +Working with grantees , LSC has developed and disseminated replicable models for the effective and efficient use of technology . The LSC works alone to develop and disseminate replicable models in regards to technology . contradictory +In June , the Hippodrome , west of the chateau , is host to the prestigious Prix du Jockey Club horse race . The Prix du Jockey Club horse race does not hold races in June . contradictory +And imagine if , at that point , he had liquidated the company and instead deployed his capital elsewhere ( by buying stock in AOL or something ) . I think he could have liquidated the company and invested the capital in something else . entailment +you guys have a good time keep those printers coming You all have a good night ! entailment +That , too , seemed empty and deserted . It had always been empty . neutral +As a largely immigrant society , the State of Israel provides home to people from over 80 countries around the world . Citizens from over 80 countries have moved to Israel . entailment +See . " Tuppence went to the window , and lifting the strap let the pane down . Tuppence opened the window to show her . entailment +We can keep the fact of having done so quite secret . " We don 't need to keep anything a secret . contradictory +It 's a campers ' paradise , too , but drinking water can be hard to find away from the main road . You should bring your own drinking water . entailment +By the end of the 15th century England held only a small area around Dublin , walled off from the Norman inner city and known as the Pale , with the Irish themselves outside . England only had a 2 square mile area around Dublin in the 15th century neutral +Fleece makers offer a few other options . Fleece makers have other options . entailment +Starting with a cheap clothing store , and passing through one or two secondhand establishments , she had finished the day at a well-known hairdresser 's . After a long day of shopping she treated herself to some time in a well-known hairdresser 's before dinner at the Ritz . neutral +Give yourself plenty of driving time to reach your destination , as the roads are narrow and tortuous . The roads are quite broad and easily navigated . contradictory +They had a right to their tears and their anger but the Seven Swords had killed nearly a third of the raiders on the first two attacks and the village lost less than a dozen in response . Less than a dozen women were killed . neutral +Little progress has been made in moving toward a more comprehensive reporting model that would include both financial information ( financial statements and related disclosures ) and nonfinancial information ( such as high-level operating and performance measures used by management and forward-looking information about opportunities , risks , and management 's plans ) . There has been poor progress toward the new reporting model . entailment +Back in the States , Smith--as interested in nets and grids as Kusama--worked up his geometrical patterns into three dimensions , thus returning , in a sense , to his architectural roots . He did not want to ever go back to his roots . contradictory +Monitoring , reporting , and recordkeeping requirements . There were no requirements established for recordkeeping . contradictory +Ironically , just a few yards from here , in the midst of all the Arab hubbub and bustle , you 'll find a famous , marvellously peaceful Christian site . The nearest Christian church is miles from all this Arab hubbub . contradictory +The CIO Council serves as the principal interagency forum for improving practices in the design , modernization , use , sharing , and performance of federal agency information resources . The CIO Council is the only forum that is capable of improving design . contradictory +Organized walks are usually offered on Fridays ; check with the Christian Information Centre inside Jaffa Gate . There are organized walks on most fridays . entailment +A federal judge struck down the Line-Item Veto Act , saying it gives the president legislative powers constitutionally reserved to Congress . The president vetoed the Line-Item Congress Act . contradictory +when we first got married we you know went and got all the credit cards and When we first married , we did not know how to run a household . neutral +Alongside modern master Pablo Picasso , Diego Velazquez y Silva ( 1599 1660 ) is the most famous Spanish painter who ever lived . Pablo Picasso is considered to be a modern master as is Velazquez . entailment +At this time , IPM does not model price elasticity of demand and the effect of multiple allowance allocation mechanisms . Price elasticity of demand is not modeled by IPM at this time . entailment +and so uh you know then i had to put write the name on the whole bedspread i 'm talking uh like it 's Then I had to write the name on the blanket . entailment +Reserve in advance . Tickets are given to you before you arrive . neutral +That is , the lawyer who serves the poor and disenfranchised . The attorney who helps the poor at no cost . neutral +My heart fluttered . My heart was beating quickly . entailment +on my driveway i guess that 's what they do and then i had to wheel barrow it in but uh you know you can improve your own soil there but the Texas soil isn 't the greatest gardening soil Texas soil isn 't that great for gardening , but I make it work . neutral +Brothers and fathers murder women who have been raped or have had sexual affairs because their honor has been sullied . Women aren 't persecuted for having been raped or having sexual relationships . contradictory +and i enjoy doing that it 's just the same old thing it 's just getting the time to do it I prefer doing that instead of going out . neutral +Employees can accrue savings by such means as using frequent flyer miles to obtain free airline tickets , sharing hotel rooms with coworkers , or staying with friends or relatives . Employees cannot accrue savings in any way . contradictory +but here if you don 't water it just looks awful and i just hate to spend the money just going down the drain in watering grass you know If you don 't water the grass it just dies off and looks terrible . neutral +Those , said the Astronomer . Those over there are the right ones , said the Astronomer . neutral +and to keep abreast of the knowledge out there we got to constantly read go to school uh TV watching has sure hasn 't gone too much out the door because TV is still well the cable system and the satellite dishes has made it to where a lot of people can just leave regular TV programming and watch a lot of other a variety of programs out there as well as use of the VCR We read a lot and went to school . entailment +But on the morning in question , Mr. Bookstaver , a former journalist , knew there was only one story to be the big one still making headlines , known as simply 9 / 11 . Mr. Bookstaver used to be a teacher . contradictory +3 million to fund its very narrowly construed mission . The cost of the mission is 3 million dollars . entailment +yeah well even if it 's life like you say we end up spending sixty thousand dollars a year to keep some you know joker in there for life we could spend that money you know for starving children that are starving or twelve million other things would be more useful than that We could spend the money to feed starving children or a million other useful things instead of spending it on life imprisonment . entailment +They also have certain conflicts in connection with their investment banking and brokerage operations that need to be addressed just as independent auditors do in connection with their consulting services . The auditors will look specifically at the issues . neutral +Looking back , Zucker said he doesn 't regret his decision to dedicate his career to defending the poor . Zucker hasn 't made a lot of money dedicating his career defending the poor . neutral +i think if if he was uh healthy San Francisco would have stomped those guys it wouldn 't have been much of a contest San Francisco lost all their games because of his poor health . neutral +Tell me , on Monday , not Tuesday , Dorcas , but Monday , the day before the tragedy , did anything go wrong with Mrs. Inglethorp 's bell ? " Dorcas looked very surprised . Dorcas knew what had happened to Mrs. Inglethorp 's bell . neutral +So the last hope of solving the mystery , by means of Mrs. Inglethorp 's correspondence on the fatal evening , had to be abandoned . The police had been looking into Mrs. Inglethorp 's death . neutral +Under that provision , judicial review of the requirements contained in this rule is available only by petition for review in the U.S. judicial review of the requirements contained in this rule include arresting people stealing grapes . neutral +I have always wanted this woman who was recently widowed . I know of a woman who was recently widowed . entailment +Indeed , compared to the prewar wealthy , the contemporary rich have no apparent class markers . The contemporary rich have built an empire on being the children of prewar wealthy . neutral +Shall I tell you why you have been so vehement against Mr. Inglethorp ? There are a few reasons why you are being vehement against Mr. Inglethorp . neutral +The man 's accent was subtle but clearly northern . The man was a southerner . contradictory +yeah yeah but what really annoys me is the way we in the United States have been converting to metric we have a eighty nine Chevy Blazer and before that we had a Horizon uh you know Plymouth Horizon I am bothered by the US converting to metric . entailment +Through meetings and personal contacts , for example , leaders can let managers and staff know of their commitment to achieving the agency 's goals and to keeping these goals in mind as they pursue their day-to-day activities . Managers and staff can be informed about the agency during meetings . entailment +To my mind , though , Jewish toughness of the sort that was in evidence in Entebbe , Uganda , 22 years ago , when armed Jews flew thousands of miles to rescue Jewish innocents from death , was one of the great moments in post-Holocaust Jewish history--a statement to the world that Jews will no longer sit idly by and watch themselves being oppressed . Jewish toughness 22 years ago signaled to the world that Jews will rise up against injustice . entailment +yeah all the doctors here will take a Visa so that and you know and go to KMart and use the pharmacy to pay for the uh medicines and then turn it all into the insurance company and wait for it to come back The doctors pay for medicine at the pharmacy in KMart . entailment +One man in a helm shaped like a snarling dog fought another taller dark man with a chain . A tall dark man used a chain as a weapon . entailment +and then there 's one uh sitting on the right uh facing the house on the right hand side in the middle of that whole section and then i have this whole section over there that has nothing in it at all but just just the grass so that may be an idea to do is uh because i 've got that concentration of trees right there is to uh you know just do something like what you said was to put some kind of um uh little plants that does well in shade uh the shaded area and forget about you know trying to plant grass and stuff underneath that Instead of planting grass under the tree , I could just throw some little plants there . entailment +He thinks about another boy he saved from the Eye the way you saved me . He was confident he could save as he has saved another boy from the eye before , only about a year ago . neutral +He 's a corporate-welfare wimp . He 's a welfare wimp who steals from corporate . contradictory +During the creative process , which was moderated by la Rousse according to the patented 4-192.5-3 method , the words most frequently used in any language , that is vulgarisms , were devised and listed here as ' regrod ' , ' hurcia ' , ' larnogha ' and ' dygil ' . La Rousse moderated the scientific process . contradictory +In seconds , more than half of those who had waited were screaming upwards toward the hole in the sky . The people stayed silent as they looked at the hole in the sky . contradictory +He palmed Adrin in the chest , taking his wind . He knocked the wind out of Adrin . entailment +The fact that benchmarks exist means that there is a standard that all grantees must meet before they are funded by LSC . Grantees can easily meet this benchmark . neutral +however , we did not independently verify the accuracy of that information . We should always verify information . neutral +well thank you for talking to me I wish we hadn 't had this conversation . contradictory +so you you 're ready to talk about it You 're ready to talk to your brother and I about your self-steem issues neutral +Did you see that ? I didn 't notice anything . contradictory +The innermost coffin is of iron , the next of mahogany , then two of lead , one of ebony , and the outer one of oak . There is only one coffin and it is made out of plastic . contradictory +'And there 's bourbon in the coffee . ' The coffee is spiked . entailment +The Biltmore Hotel ( 506 South Grand Ave . ) , which opened in 1923 , is the grande dame of all the downtown hotels . The Baltimore Hotel is also located in the downtown area . neutral +i 've been fortunate enough not to but i mean you could go down there half dead and still wait you know it 's hard to see a doctor from what i 've heard I 've been lucky because I 've never had to go down there to see a doctor . entailment +There 's a good re-creation of King Tutankhamun 's tomb at the time of its discovery so you can see just what Howard Ceter saw in 1922 . Sadly , there aren 't any good re-creation of King Tutankhamun 's tomb ; it 's all been lost . contradictory +Cabaret ( Henry Miller Theater , New York City ) . Cabaret is a good play . neutral +His first effort was the prototype pop hit After The Ball , which , 104 years later , you can still hear every night of the week in the current Broadway revival of Show Boat . Back then , it began earning him $ 25,000 per week almost immediately , and went on to sell 5 million copies of sheet music . After The Ball made him $ 125,000 weekly . contradictory +that was interesting cause i always you know you didn 't have to worry about carrying that much unless i knew i It was interesting because I didnt like carrying that much but it worked out that time . neutral +The University of Michigan thinks so , and on the weekend of April 9 , it gathered an array of dissidents , Communists , and priests to make the case . In April , the University of Michigan released a statement outright banning priests , Communists , and dissidents from its ' campus . contradictory +This process eliminates the effect of household growth on mail volume and allows an analysis of the volume behavior at the household level . The process increases effects of household growth on mail volune contradictory +right that that and real estate you know just have not come back uh even close to what they were The value of real estate has recovered in a big way . contradictory +oh yeah absolutely and even beef as a matter of fact in small quantities No , not beef . contradictory +Explanations could range from ( for example ) failures of managing returns actually filed , which are quite susceptible to improvement , to economic cycles that affect business circumstances and that may be less susceptible to change . Successes were often a failure to manage returns that were filed . contradictory +For example , a household could transfer amounts from existing assets to get the government match and then increase consumption in response to its increased wealth . People have very few liquid assets nowadays because of the recession . neutral +Efforts at making this direct linkage were often very limited . Efforts to make this connected were very expansive . contradictory +And you don 't get to cash in your buckle-up episodes like casino chips . The buckle up episodes will bring you money . contradictory +Saint-Martin and Saint-Barthelemy , though also volcanic in formation but without erupting peaks , have only light sand beaches . The beaches in Saint-Martin are not volcanic in formation . contradictory +It 's the scene in a posh restaurant in which Wallace regards the Wigands ' paroxysms of fear over the coming 60 Minutes interview with aristocratic contempt . He is afraid because he knows Mike Wallace is a vampire . neutral +I feel the same . " " I feel very differently . " contradictory +The restriction on litigation , however , is unique , and it contains a proviso specifying what the restriction does not cover . The litigation restriction has a provision stating what is not covered by the restriction . entailment +A guarded description of Annette also failed to provoke recognition . The description was more than enough to provoke recognition of Annette . contradictory +that would stop them from wanting to no well i thought it was funny listening to her she 's just a she 's she 's a little bit uh dingy when it comes to things but well she 's vicious I felt like it was hilarious hearing her talk . entailment +oh i have no idea i repainted the whole thing I only repainted a small section . contradictory +Standing at the heart of the complex is the Temple of Amun , greatest of all Theban gods . The Temple of Amun is located in the complex 's center . entailment +Similarly , the General Services Administration 's ( GSA ) fiscal year 2000 annual performance plan does not address several long-standing problems identified by the GSA Inspector General . The long term problems include the bubble gum rations and spending on unicorn horns . neutral +Take a boat excursion out to the pretty island of Giglio ; it is one of the islands of the Tuscan archipelago that includes Elba , best known as the island of Napoleon 's retreat . The beautiful island of Giglio can be visited to by boat . entailment +It was more than just instinctive dislike . Instinctive dislike wasn 't the only thing . entailment +Inside both maps of the connections in the alleged right-wing conspiracy against Clinton , profiles of Al Gore ( steely-eyed in this time of crisis ) , and still more pop-psychologizing about Clinton 's personality . Evaluations of Clinton 's psychology based on Al Gore are false . neutral +'Because I think he 's smarter than me . ' I don 't think I 'm as smart as him . entailment +not even a scrap of paper on the ground you know The floor was covered in paper . contradictory +San 'doro stood and looked east at the cyclopean statue of the Old One . San 'doro looked forward , ignoring the statue and focusing on the movement of the boat . contradictory +Software metrics , which use mathematical models to measure elements of the development process , are intended to help organizations better understand and manage the relationships between resource decisions , development schedules , and the cost of software projects . Software metrics uses models to help organizations better understand the relationships between resource decisions , development schedules , and the cost of software projects . entailment +The agencies GAO reviewed developed an initial set of balanced expectations for senior executives to address in their individual performance plans . GAO suggested performance plans for senior staff now had to follow guidelines . entailment +Figure 2 : GAO 's Competency-Based Model The Government Accounting Organization has a model that is shown in this figure . neutral +Inappropriate selection of this technique as real issue may not be specific problem . This technique involves casting bones or dice to pick a location . neutral +We recorded 788 actions taken in response to our recommendations to improve how the federal government operates , a number far exceeding that of the preceding 3 years as illustrated in the following graphic . We recorded only 5 actions taken in response to our recommendations . contradictory +This may be justified or not--we like him well enough around here ! We detest him . contradictory +Quaint little chap ! A strange little man . entailment +Most shops closed at 6 p.m. weekdays and on Saturday were not open or were open only until noon . Noon is when most shots typically closed at weekdays are open . entailment +been in positions similar to men for that many years relative to how long men have had those types of positions Men have held these positions for many years . entailment +So these three weren 't in the same league with Mother Teresa . They aren 't as religious as Mother Theresa . neutral +yeah well uh it 's kind of hard to uh to know what to do with some of these teams and they 're either extremely strong or very very weak and uh nothing much in between It 's really hard . neutral +Futarasan Jinja is a Shinto shrine founded in the 8th century to honor the deity Okuni-nushi-no-Mikoto ( God of the Ricefields ) , his consort , and their son . Okuni-nushi-no-Mikoto is the Shinto god of humility , and as such , has no shrines dedicated to them . contradictory +i 've never uh really been sure that a juror is entitled to ask a question I know jurors are allowed to ask questions . contradictory +Preference will be given to poetry of the past that is especially suitable for reading aloud . The poetry of the past is very exciting . neutral +Nothing . The emptiness of space . neutral +Lives of the Monster Dogs tells the story of dogs outfitted with voice boxes and prosthetic hands who move to New York and become socialites . The dogs in the story are normal dogs that can 't talk . contradictory +At his hospital , attending physicians are responsible for dealing with the results of alcohol screens and they receive a letter when they fail to do so . The hospital doesn 't have any physicians responsible for screens . contradictory +The colour ebbed slowly from his face . He was shocked at the news . neutral +Actually , while I started this piece at Slate , I am finishing it in Seattle and e-mailing it . I will finish the sports article in Seattle and e-mail it back to Slate . neutral +What 's more , Mrs. Knott 's chicken dinners remain in great demand ; they are served at the restaurant at the park entrance . The chicken dinners that Mrs. Knott 's makes are made with fresh , free range chicken . neutral +Prosecuting the drunken drivers who turn up in emergency rooms or offering breathalyzer checks in bars and stadiums would probably save many more . Drunk drivers who end up in nursing homes should probably be prosecuted to save them from flooding the bathtub . contradictory +These methodological problems can mask valid intervention effects . Any methodological challenges should be attended to promptly . neutral +The waters around the coast are some of the clearest in the world and the depths are filled with amazing coral and many species of fish and other marine creatures . The waters are very muddy on the coast and you cannot see any marine life . contradictory +From the 1970s through the mid 1990s , federal deficits consumed a large share of increasingly scarce private saving and reduced the amount of national saving available for investment . The federal deficit has no impact on available savings . contradictory +Only the mandrakes stood stolidly in place , flicking each running man who passed them . The mandrakes ran around after the men and flicked them . contradictory +From there the road leads directly toward the range of low hills that hide the tombs . The tombs are wide open where anyone can find them . contradictory +At a time when Americans are growing increasingly cynical about public service and increasingly disillusioned about their political leaders , McCain charged Saturday , I was disappointed to see my fellow Republicans ' reaction to recent comments and writings by Pat Buchanan concerning our nation 's role in defeating Nazi Germany . With the new political statements , there is an increase in cynicism across the country . entailment +Together with more than 3,900 smaller islands from northeast to southwest , the archipelago would stretch from Montreal all the way down to Miami . There are just 17 islands in the archipelago . contradictory +6GAGAS incorporate the AICPA 's general attestation standard on criteria and all the AICPA 's field work and reporting attestation standards and the related SSAEs unless the Comptroller General of the United States excludes them by formal announcement . The Comptroller General is not allowed to exclude groups . contradictory +Systems standards are important for agencies streamlining operations by redesigning or modifying systems to take advantage of technological advances . Agencies that haven 't developed systems standards tend to suffer when making system modifications . neutral +yeah i don 't even know anymore i i follow the Dodgers more than the Phillies but uh i i grew up in Philadelphia i guess that 's why I really love baseball , but i tend to follow the Dodgers the most . neutral +Station XII ( Jesus 's death ) : To the left of the Franciscan chapel is a Greek Orthodox altar , profusely decorated with hanging oil lamps . There are oil lamps hanging on the altar . entailment +They have tornadoes . Kentuckians have tornadoes every day . neutral +There 's no question . There were endless questions . contradictory +When a request is declined , GAO will provide the requester the rationale for declining the work . The GAO is also responsible for the payroll of their workers and that it meets the countries standards . neutral +Using a variety of staffing and sourcing strategies provides leading organizations with dynamic workforces that can quickly meet changing business needs . Dynamic workforces tend to be less knowledgeable , compared to regular workforces . neutral +An arrow , fired from galloping horseback , caught the older woman in the stomach . The older woman died when the arrow struck her stomach . neutral +An Alabama schoolteacher 's announcement , just prior to lunch , that ' Everyone can go outside for recess . " Recess is cancelled " announced a school teacher . contradictory +And don 't think the Satheri can 't pull a lot worse than that . And be aware that the Satheri can do worse things than that . entailment +Reanalysis of the Harvard Six Cities Study and the American Cancer Society Study of Particulate Air Pollution and Mortality . The Harvard Six Cities study was analyzed again using the new model . neutral +I confess that I cannot prove I am right in my belief . My belief 's are proven . contradictory +A recent study estimated that a wealth effect of 3 to 4 cents could explain two-fifths to about half of the decline in the personal saving rate since 1988 . The recent study examines the effect of a wealth effect on personal savings rate . entailment +Maybe he 'd do something wise and epic and principled . Maybe he would do something that would make everyone learn something . neutral +it 's almost like it has red dye in it or something when you cook it it bleeds and it colors the food It has a red pigment in it that bleeds out and colors the food . entailment +Fewer cases of alcohol abuse meet the ICD-10 definition . Alcohol abuse is more common . contradictory +Adrin swung , pulled back , stabbed , spun , and stabbed again . A demon was stabbed twice by Adrin . neutral +Because of their limited English ability and isolation within communities , many aliens are particularly vulnerable to exploitation by unscrupulous sales and marketing enterprises , landlords and other businesses , and employers . many aliens are particularly vulnerable to exploitation entailment +The House of the Vettii was owned by two wealthy merchant brothers whose large home is one of the best preserved and elaborately decorated . The two brothers own equal parts of the House of the Vettii . neutral +The last time they deducted 50 percent . They reduced the price by half . neutral +oh that would be great that would be neat let 's see uh so we 're all excited in Colorado Springs Apple Computer is coming to town We 're all Apple fans so we 're really happy about its expansion into Colorado Springs . neutral +Also , the resulting obstacle to the parents ' sex life is not the incidental side effect that Wright suggests . The parents had kids which led to a decreased sex life . neutral +I can 't remember a movie with more style and less motivation . I don 't know a movie that was more stylish . entailment +In the ' 50s , he reworked It Ain 't Necessarily So for Adlai Stevenson ( and included the first sung reference to a vice-presidential L 'il Nixon was small , but oh , my / His office expenses were high ) as well as Love Is Sweeping the Country ( also from Of Thee I Sing ) : he reworked It Ain 't Necessarily So for Adlai Stevenson entailment +The voters chose Clinton as a second-term president . Clinton won the second election by a landslide . neutral +Actually , I don 't even want one , because I am not very open and friendly toward girls . I have tried to be friendly towards girls before . neutral +I had a touch of toothache , ma 'am , said Tuppence glibly . Tuppence had a slight toothache . entailment +American culture has always fed off half-truths about authenticity , and this is the way in which alternative country is a genuine expression of Hipsters with a sense of ironic detachment , like Chicago 's Moonshine Willy , have as much claim to the real America as any mule-driver . American culture is diverse , making it hard to have a standard for authenticity . neutral +He would not make it . He was going to make it ! contradictory +They depended too heavily on the second great principle of contagion , and that seemed to be wrapped up with some kind of association through the signs and houses and the courses of the planets . The signs , houses and the courses of the planets have a great impact on daily life . neutral +The slaves regrouped on new jobs , and Hanson found himself in a bunch of a dozen or so . Hanson found himself mingled in a group of twelve or thirteen . entailment +The El Rancho Vegas ( 1941 ) was the first , followed by the Last Frontier ( 1943 ) . The Last Fronter and El Rancho Vegas were the first two . entailment +Now then , march , went on Mrs. Vandemeyer . Mrs. Vandemeyer instructed them to march . entailment +Of course , ideas do count . The committee will hear all opinions . neutral +People applying for driver 's licenses aren 't even suspects of anything . People applying for driver 's licenses aren 't suspicious because it 's a normal thing to do . neutral +I was suspicious still , and lay quite quiet for some time . I felt confident as I got up and started shouting . contradictory +Our External Liaison Office contacted our counterparts in 12 countries and two world organizations to explain our study objective and ask for input on activities , if any , each had taken to reduce improper payments in its programs . Our External Liaison Office had video conferences with representatives from 12 countries . neutral +yes well i i don 't know how that would ever happen here but at least um I don 't know how or if that could ever happen where I 'm at . neutral +The Explorer could only shake his head . The Explorer took the moment to shake his head in disgust . neutral +When Edo became the capital of the Tokugawa shogunate , Asakusa began to flourish as an entertainment quarter . Edo did not become the capital of the Tokugawa shogunate . contradictory +We apologize to our audience , Philip Morris and Reynolds . We will compensate our audience . neutral +but they 're real They are authentic . entailment +The most fearless and enthusiastic pups are the most likely to be bred to pass that herding gene on to the next generation . Pups are bred to pass on favorable traits to the next generation . entailment +Willis Hortoo , Willis Hortoo , Jack Germond exclaimed , perhaps referring to a recent interview in which Bradley castigated Gore for discovering Willie Horton in the 1988 campaign . Bradley has never made any comments about Gore , positive or negative . contradictory +If those subway ads are more effective against the cautious Martins than against the reckless Maxwells , then they are a threat to the hapless Joans . The Maxwells are more cautious than the Martins are . contradictory +GAO / AIMD00295 , September 6 , 2000 ) showed that in 24 agencies , physical and logical access controls were not effective in preventing or detecting system intrusions or misuse . Both types of access controls were effective in preventing unauthorized access to the system . contradictory +The anti-poker campaign has galvanized the state like no issue ever has . The poker issue has become a heated debate . entailment +Ah , these are dreadful times ! " These are bad times . entailment +though it 's awfully tempting The smell of bacon often makes me want to eat it again . neutral +Either once or twice a week you can now see films in English in both Santa Eul ? ria and Sant Antoni . English movies are screened daily in Sant Antoni . contradictory +Inlaid wood or semi-precious stones ( intarsia ) is a venerated craft here , perfected in the 16th century . One ancient craft here is inlaid wood . entailment +Most of the usual facilities , including a charming garden , swimming pool , and health club . The facilities include a garden , swimming pool , and health club . entailment +We view anything that helps expand participation in the electoral process as a positive development , says Ben Green , director of Internet operations , Gore 2000 . Things that encourage people to get more involved in the electoral process are not seen in a positive light . contradictory +And , these environmental improvements cost less than predicted because of the built-in market based incentives . People overestimated the effect of the upfront cost of making improvements to the environment . neutral +'Quickly ! ' I was constantly told . I was persistently rushed . entailment +First , they should deliver maximum moral benefit at minimum practical cost . They should do all the work required to deliver the worse moral response . contradictory +The solemnly monumental hemicycle of the Piazza del Plebiscito was laid out by Napoleon 's marshal Joachim Murat , when as King of Naples , he occupied the Spaniards ' Palazzo Reale on the east side of the piazza . The hemicycle of the Piazza del Plebiscito is a monument to fallen comrades . neutral +yeah yeah yeah well yeah i don 't have much time to watch TV i 'm a grad student trying to trying to get a a PhD thesis out so I 'm in school trying to finish a PhD thesis so I don 't have a lot of spare time for watching TV . entailment +For estimating the consumables necessary for the technologies , such as limestone , ammonia , catalyst , or activated carbon , the Cumulative Total MWe value is most important . The cumulative total is good for estimating the amount of limestone . entailment +In contrast to the Mediterranean coast , the Atlantic offers wide open spaces , beaches with rolling waves and high dunes , and vast stretches of quiet pine forests . The Mediterranean coast is much like the Atlantic . contradictory +You , of course , and ah , er , Mr. , er , Inglethorp . A slight pause ensued before the lawyer went on in his soothing manner : " Any other evidence will be simply confirmatory , a mere matter of form . " The lawyer paused , then continued talking . entailment +i 'm not much of a NBA NBA fan myself The games are too predictable and I 'd rather play ball than watch other people play it . neutral +Honey is also one of the prime staples of the Cretan diet . One food often eaten in Crete is honey . entailment +or you got a hill between you or something like that There 's nothing between you but flat land . contradictory +At common meals they glowered from separate tables . The ate at seperate tables during meal times entailment +Notice the fine Corinthian capitals on the slender Greek marble columns . The marble columns are thin and based on Greek design . entailment +The majority of hardware required for FGD systems is commonly available . FGD systems require a variety of rare hardware . contradictory +But even if you do feel yourself superior , you can still learn to behave in a way that is not offensive . Even if you think you 're superior , you can act overly modest so other people won 't get upset . neutral +Harrison D. McIver III , MALS executive director , said the agency was very gratified by the Community Foundation 's grant . MALS received a grant from the Community Foundation . entailment +It 's speculated that aeons ago this may have been a forest extinguished by the eruption of some volcano now deep under the sea . It is believed that there was a forest that was destroyed by the volcano ages ago . entailment +Death of a Salesman , his greatest play , is about the devastating effects of professional failure . Death of a Salesman is a play that is loved by millions . neutral +Understanding the controls relevant to compliance with those laws and regulations that the auditors have determined are significant can help auditors assess the risk of illegal acts . The controls are not much help . contradictory +no oh yeah yeah my husband 's got that available that 's great Yeah , my husband got that available and it 's great . entailment +I do not want Kitchell in this country any more than you do . I want Kitchell to stay in this country . contradictory +anything that comes out of a stack or out of a building or um we do have customers that um their concerns are in the work place and we take care of that but in within We are not allowed to help the customers . contradictory +This is what is called scouting . This can be called vaccinating . contradictory +The evidence ? We have no evidence . contradictory +Indeed , other European nations with similar histories of subjugation maintain similar words . There are similar words in other European nations that have similar histories . entailment +Capital . ' It was supposed to be uppercase . neutral +It just-- It was . neutral +Upon finishing this book , I was seized by a deep feeling of stuckness . I tossed the book aside and never thought about it again . contradictory +First , they must model the dispersion and transport of pollutants through the atmosphere . They must model the dispersion of pollutants through the atmosphere in the first place . entailment +uh-huh i know and some and sometimes they share a room and it 's just a little cubbyhole and they share it with another person and they 're still paying that much it it it just sometimes it just seems ridiculous It is perfectly normal to pay a lot for a small room that you have to to share . contradictory +because it was like you couldn 't you couldn 't even stand still out there without ants starting You couldn 't stand there without ants crawling all over you . neutral +He 's 5 got a great black beard , and wears patent leather boots in all weathers ! He did not have a black beard at all . contradictory +There is a choice of over 100 exotic dishes . Over 100 exotic dishes can be chosen . entailment +Important also is that if the improved service is not feasible , the mailer could decide to use an alternative to the postal system . The mailer has to use the postal system . contradictory +Thus , before we turn to the data , I would like to review some highlights related to this study . There were no highlights to discuss with this study . contradictory +because by the vanilla doesn 't seem to thicken as well as the sometimes the cocoa is like my husband really likes it thick he says i can stick the spoon right in this My husband likes his cocoa so thick he can stick his spoon into it . entailment +Ianni writes , Johnson essentially worked as a middleman for the Italian syndicate . The Italian syndicate had Johnson as a middleman . entailment +The gardens , once a favorite spot for aristocratic duels , now serve as a pleasant children 's playground . The gardens are a favorite spot for children . neutral +different terminology i don 't care much for those subs there 's too much bread for me i don 't like that much bread I don 't like those subs because there is too much bread but they are so cheap . neutral +Bout th ' best stock we 've had here since th ' last time Don Cazar brought in a couple o ' hissen . This stock is better than Don Cazar 's stock because it is fresh . neutral +Finkelstein observes that after the 1967 Arab-Israeli War , there was a boom in the kind of Holocaust literature that portrayed the catastrophe as the natural culmination of millennial Jew-hatred . Finkelstein believes that Holocaust literature became repetitive after 1967 . neutral +He uttered a groan and fell back . He didn 't often fall down . neutral +'Here , ' she said , a little flushed . The professor 's cheeks turned rosey as she spokey . neutral +For Medicaid in the out-years , we used the growth rates from CBO 's October 2000 long-term analysis . For medicaid we use the CBO 's long term analysis from October 2000 entailment +This allowed Helms ' spokesman to cast his boss as the victim . Helm 's spokesman cast his boss as the victim . entailment +In three of the principle areas , the level to which practices of leading private versus federal organizations have evolved is significantly different . Private and federal organizations have followed the same evolutionary path in practice development . contradictory +i 'm i 'm probably a little too over protective but I am the most carefree person I know . contradictory +I looked everywhere for it . " I looked all places for it . entailment +Government show , you know . It does not have anything to do with the government . contradictory +Another central breathing space , the Real Jardin Botanico ( Royal Botanical Garden ) , adjacent to the Prado , was founded two centuries ago and is packed with enlightening displays of flowers and trees . The Real Jardin Botanico is always crowded with tourists and families . neutral +The Butler County attorneys have really stepped up to the plate to help us represent the poor population in this county , said LSSM Director of Development Sharon Alexander . Butler County lawyers have had nothing to do with representing the county 's poor . contradictory +The first thing candidate Beatty would have to learn , says Huffington , is to get comfortable with ridicule . Beatty should take every remark personally . contradictory +That panel recommended use of long-term prospective cohort studies in estimating mortality risk reduction ( EPA-SAB-COUNCIL-ADV-99-005 , 1999 ) . The panel recommended using long-term prospective cohort studies to reduce the death from cancer . neutral +Regulatory Impact Analysis for the Final Regional Haze Rule . The Final Regional Haze Rule might have had a regulatory impact . entailment +i think that 's that 's that 's not very likely I actually know for certain that that is highly improbable neutral +The estrangement of too many parents from John McCain 's life . There was no estrangement of parents in John McCain 's life . contradictory +Ashcroft regularly berates the Republican Congress for having cut and run rather than having tackled tough moral issues . The Republican Congress is very heavily tackling moral issues . contradictory +The Tokugawa thus celebrated the ancestral religion of Shinto glorified by the monumentally opulent shrines they built at Nikko . The Tokugawa did not build any Shinto shrines . contradictory +and you know like they 're predicting the weather to be cold well when it gets cold real fast They cannot predict weather patterns based on how cold it is outside . contradictory +But these ailments are real , and our awareness of them shows how far dentistry has come . Dentistry has come a long way , as proven by the ailments discovered . entailment +Another eight bounty hunters lay dead as well . 80 bounty hunters died . entailment +For a second , I genuinely thought that I was right and he was wrong . For a second , I thought he was wrong about my mom . neutral +Criticizing Santorum for opposing the Daschle bill simply so that he could garner political points is an untrue and very unfair characterization of the events . Santorum agreed with the Daschle bill . contradictory +I should think so indeed ! It wouldn 't make sense otherwise . neutral +An item speculates that sex will be more for recreation than procreation , because parents will choose to clone themselves or genetically engineer designer babies . Sex will always be for procreation , cloning and genetic engineering does not exist . contradictory +um-hum yes um-hum just tense yeah absolutely yeah we 've had our our two cats uh declawed because we keep them in the house all the time We would put our cats outside if they were not declawed . neutral +A nonimmigrant worker admitted to or permitted to remain in the United States under section 101 ( a ) ( 15 ) ( H ) ( 2 ) ( a ) of the Immigration and Nationality Act . . . for agricultural labor or service shall be considered to be an alien described in section 101 ( a ) ( 2 ) of such Act [ a permanent resident alien ] . . .for purposes of establishing eligibility for legal assistance under the Legal Services Corporation Act ( 42 U.S.C. The aliens are from African countries . neutral +De Kooning could have been thinking of his idol Soutine when he observed , Flesh was the reason why oil painting was invented . De Kooning connected oil paints with sensuality . entailment +and uh they didn 't particularly like living down there because it was very foreign very different the the people they they didn 't treat them nice they you know um so i think there i what i learned from them there was a lot of resentment towards the Americans I learned that the people there didn 't like Americans much because of how they treated them . entailment +If a program falls out of tolerance , FASA requires the agency head to review , take necessary actions , and , if necessary , terminate the program . An agency head can sometimes terminate programs that fall out of tolerance . entailment +that 's nice did did you see the uh i don 't know if it was 20 / 20 last Thursday or Friday night on on seat belts Did you see the 20 / 20 program on seat belts ? entailment +Washington ( DC ) : Government Printing Office They go through a lot of paper every week . neutral +The reply she got was to the effect that he had returned about half an hour ago , but had gone out immediately . She got no reply to any effect and had no idea where he might be . contradictory +so it 's not uh all by itself it won 't be adequate for for my situation So it 's not adequate for my situation . entailment +News , a long book excerpt warns that Internet security is dangerously lax . The book excerpt dealt with the issue of Internet security . entailment +and they took it more as just like a majority They took it as a majority . entailment +And in the United States . Also , in America . entailment +The IDA demonstration project provides direct federal funding to state and local governments as well as nonprofit community organizations to match saving contributions by low-income families eligible for TANF or the Earned Income Tax Credit . The IDA project was limited in scope and few families actually received funding . neutral +and they got pretty scenery in Ireland yeah it 's nice Ireland is so green and lush neutral +In earlier sections , we discussed seven bases for purposive selection of instances and six applications of the case study method , each of which was associated with a different evaluation purpose or question . We talked about seven different kind of numbers that helped to make predictions . neutral +and i just i just hate the emotional price a lot of the Vietnam people paid I am not happy about the emotional toll the war had on them . entailment +" I hardly think so . Someone else might think so . neutral +You can also wander through the soothing Chinese garden , with its waterfalls and pretty red pergola . The Chinese garden contains numerous flower species which are native to China . neutral +no that one would might get you in trouble That one is the best and safest option . contradictory +they don 't they 're not labeled CEO you know they 're they 're uh assembly line type jobs and This is factory level work . entailment +6 million and a separate technology grant were announced at a press conference and dinner held Thursday at Evo . A press conference and dinner was held Thursday at Evo . entailment +The charming antique train going between Palma and Seller is bound to be popular with children of all ages . The train journey between Palma and Seller is very picturesque . neutral +Any ideas ? Do you have any idea ? entailment +The Egyptian ( 6712 Hollywood Boulevard ) was Hollywood 's first movie palace , built by Graumann in 1922 after the discovery of King Tut 's tomb . The Egyptian is right next door to two other Hollywood palaces , both built after it . neutral +okay Art you say you own a TI or you own a uh an IBM compatible Art , can I borrow your TI and give it back to you next week ? neutral +54 million in additional funds to provide 40 annual specialized on-site compliance reviews . 54 million in funds to make sure 40 compliance reviews happen . entailment +One of them Splendid China purports to show all of China in one day . Showing all of China in one day is impossible , so Splendid China must be a scam . neutral +The half-light from the reflected sunlight dimmed , and the ground shook violently . The ground remained dead still . contradictory +Don 't ask me why there was hay- these southern towns can be quaint like that . There were many horses around this southern town . neutral +As Commissioner Rossotti has stated , IRS ' current cumbersome organizational structure and inadequate technology are the principal obstacles to delivering dramatic improvements in customer service and productivity . It is believed that the organization 's byzantine structure makes it difficult to be productive with customers . neutral +i think i would be troubled i suspect i believe that any of our states and i i constitutionally i don 't think there are any prescriptions about against that decision even if uh Louisiana chose to go with Creole or something um i don 't think there is any prohibitions i would be bothered by that i 'm i 'm bothered by any tendency to resist what i think was one of America 's strengths and that 's the the the melting pot uh i i I think I would be very mentally troubled . neutral +It might be so . " " It could 've happened earlier . " neutral +so it 's not all stuff that TI makes It 's purely TI , right ? contradictory +Resources , protocols and guidelines for conducting meaningful statewide needs assessment . The assessment is to be handled by our industry professional experts . neutral +Twin rows of majestic royal palm trees line the road . Lining the road are rows of royal palm trees . entailment +Entitlements are not the only thing that matters . Entitlements do matter , but not as much as the other things . neutral +A rack-and-pinion railway at Col de Saint-Ignace carries you 900 m ( 2,950 ft ) up to the top of La Rhune for an exhilarating view of the Atlantic Ocean and the western Pyrenees . You have to purchase tickets ahead of time in order to ride the railway . neutral +By the beginning of the 19th century , the New Town had become so popular that plans were made for a second stage . The population had boomed by the beginning of the 19th century . neutral +never got into those the old i 'm talking about the old one when he was a psychologist I liked the old ones , where he was a psychologist . contradictory +That 's 33 cents a note . That 's one third of a dollar per note . entailment +The American people and the press do . The American People do . entailment +The experiences of These governments-and those of the federal GPRA pilots-demonstrate that each federal agency will need to chart its own course in response to its specific environment as it seeks to implement GPRA and become more results-oriented . These experiences show that each federal agency has to find its own path in implementing GPRA . entailment +The settlement burgeoned , and it soon became evident that this was no mere garden suburb , but a major new city . The settlement was very poor prior to the boom . neutral +you know survival is a funny state There 's nothing particularly interesting about survival mode . contradictory +Hesdin and Les Sept Vall ? ? es Only Hesdin . contradictory +While the will to assist the low income population has not abated in Northern Colorado , those involved with federally funded legal services must wait to see who President Bush appoints to the board of the Legal Services Corp. Northern Colorado wants to assist the low-income population . entailment +While for the most part , agencies have provided GAO with requested information within agreed-upon time frames , the following sections describe the steps GAO is authorized to follow if it believes it is experiencing unreasonable delays in obtaining the requested access . Agencies gave GAO the information they needed about financial information . neutral +McCourt 's own story indicates that they could not . The story implies that they can 't do it . entailment +The old wooden building is simply magnificent , although its hot bath is one of the most basic you 're likely to encounter . The building is amazing but contains an ordinary hot bath . entailment +Thanks to my ( mis ) information , both groups would have the exact same number of soldiers . The groups had the same number of people . entailment +With a research facility and library dedicated to promoting Nubian traditions such as dance and music , it also displays finds rescued from several archaeological sites that were subsequently flooded by the waters of Lake Nasser in the 1970s . When Lake Nasser flooded in the 1970s , some archaeological sites were flooded . entailment +His compositions are teeming , unbalanced , with a center of gravity that lurches left then right . He is very clumsy . neutral +right like where i work it 's it 's pretty casual um I have to wear a suit to work , it 's a very formal office . contradictory +Professional judgment is necessary to evaluate this information and determine if the agency conducted an adequate requirements analysis . The agency 's analysis must be evaluated with the help of professional judgment . entailment +but if you you have a family i think you owe the family a responsibility If you have a family , you owe them a responsability entailment +Cutting mercury emissions by 69 percent , -the first-ever national cap on mercury emissions . It 's widely agreed that we should work to put more mercury into the atmosphere . contradictory +If you have time , follow the coastal road from Calpe to Moraira , where flats and villas fill terraced hillsides high above rocky coves . A tunnel connects Calpe to Moraira . contradictory +The only time the authors attack passionately and in detail the privileging of whiteness is when such practices are located safely in the past . The only time authors attack privileging whiteness is when the practices are in the past . entailment +Examples range from relatively simple practices , such as effective use of audio and video teleconferencing to improve meeting flexibility , to emerging technologies using holographic projection techniques to create threeand fourdimensional models of project designs in order to visualize the impact of proposed changes . Emerging technologies are expensive , but give better results . neutral +so he i mean i don 't think he he could get hurt i just hope to God he doesn 't ever hurt anyone but he he hasn 't had any accidents luckily I hope he doesn 't hurt others , but he may hurt himself . neutral +Somewhere off-stage , Natalia was rolling her eyes . Natalia was rolling her eyes somewhere off-stage . entailment +The Symposium , while not yet a formalized body , is a broad working group that has included representatives of the West Virginia Supreme Court of Appeals , several Circuit Court judges , two Federal District Court judges , and the President and other officers of the State Bar . The Symposium doesn 't have any Circuit Court judges in its working group . contradictory +Thank you , Balbina answered and a moment later added : Balbina thanked the police officer for his help . neutral +Behind the chapel is the 11th-century refectory where it is possible to gain an insight into the daily lives of the generations of monks who made this monastery their home . There is a refractory behind the chapel where generations of monks have lived since the 11th century . entailment +Romantics go at the dead of night , to be alone with its illumination . Romantics don 't go at the dead of night . contradictory +yeah rotationary thing I 'm not sure how it 's set up . contradictory +A window was open to the night , and as Drew stretched out wearily , he could hear the distant tinkle of a guitar , perhaps from the Four Jacks . Drew 's window was closed , and throughout the night he could not hear a sound . contradictory +So I am going to conclude my remarks today by offering you some guidance as you give thought to launching your own planning initiative . I can guide you in creating your own planning initiative . entailment +Well , my good fellow , what is it ? asked Tommy . Tommy was sure that this guy had the information . neutral +i think i think they were pardon the phrase all in bed together or something I think they were all in on it entailment +have you seen that that that 's a good i think that 's just a cute real cute movie That is one of the cutest movies I have ever seen . neutral +hum-um no i used to i really did uh years ago and uh i was thinking about that not too long ago that I was thinking about it and I did it years ago . entailment +No trip to Turkey would be complete without a visit to the hamam , or Turkish bath . Turkey has Turkish baths . entailment +Head north , however , and the desolate nature of the landscape is inescapable . The landscape up north is lush and very beautiful . contradictory +Thus , continuing to rely on foreign lenders to finance such a large share of U.S. domestic investment is not a viable strategy over the long run . Continuing to rely on foreign lenders is a great strategy forever . contradictory +Ryerson : Goodbye . Ryerson : Hello , how are you ? contradictory +In partnership with the Maryland Legal Assistance Network , a project of the Maryland Legal Services Corp. , the Bureau is developing a centralized intake and referral system for all legal service providers around the state Co in other words , a legal hotline with onestop shopping . Maryland is the only state that has this legal hotline . neutral +These principles are simple , straightforward , and timeless in nature . The principles are timeless . entailment +Though physically part of the Louvre , the Mus ? ? e des Arts D ? ? coratifs is a separate museum with its own entrance at 107 Rue de Rivoli . The Mus ? ? e des Arts D ? ? coratifs is a popular museum , located ten miles west of the Lourve . contradictory +Economic and econometric theory underlying analysis available in technical paper by same title that can be downloaded from / / www-leland.stanford.edu / ~ wolak They did not make the paper available online . contradictory +The library was closed at presstime ; call for tour schedules when the library reopens . At presstime , it was impossible to go into the library . entailment +Threatened by the Fascists ' March on Rome in 1922 , King Vittorio Emanuele III invited Mussolini , il Duce , to form a government . There was no ideas to form a government . contradictory +He would like to see more thinking about how these changes should be incorporated into research and more strategies that piggy-back on this information revolution and shift in power . He wants to see more thinking about how to incorporate these changes . entailment +Finally , in compliance with section 604 ( a ) ( 5 ) , the analysis describes the significant alternatives considered and rejected , including universal applicability to commercial mobile voice services , automatic exclusion of all rural cellular carriers , and a Commission-developed set of standards for implementation . There was no description in the analysis of the significant alternatives of the significant alternatives that were considered . contradictory +i didn 't know anything about this that 's fantastic I didn 't know about this great news . entailment +yep so i guess it it is to your advantage to either not have friends like that or take a little course in You should probably have a few close friends . neutral +Characteristics related to use are that has no expected nongovernmental alternative use ; is held for use in the event of an emergency , a war , or a natural disaster ; or , is used in a program for which there is no other comparable program ( Federal or nonfederal ) using similar PP & amp ; E. Characteristics have no expected nongovernmental use in a hurricane . neutral +The TPC at the Canyons is home to the Las Vegas Senior Classic , a top draw for golf 's big names held every spring . The Canyons recently decided to stop hosting the Las Vegas Senior Classic , much to the dismay of many golf fans . contradictory +uh-huh oh well i tend i tend to agree uh in some ways i think it 's uh i think if anything a lot of um the changes that have occurred um in some ways they 're for the better because i think women should have a choice and i do believe in the being able to have a choice as to as far as what you would like to do with your life but by the same token and i know this for myself because i 've worked and i 've not worked um that it makes it uh sometimes it makes life more difficult i think when the roles now are less defined as far as you know what uh women should or should not be doing that it it makes it can make life more difficult there are more things to work out i know when i was working you know you have all these problems with with the child care and and with uh pleasing you know your boss on the job so you have added stresses from there and then you still have all the things that um that you need to do at home and and that doesn 't change you know just because your your going out of the house for so many hours a day doesn 't uh make those other things go away and the other responsibilities are still important um so um have you have you worked outside also and um feel that it that well how do you feel as far as uh what would be a happy medium or or what would you like to see Women should be able to make choices without stressing out . neutral +3 Committed , sustained , highly qualified , and inspired leadership , and persistent attention by all key parties will be essential if lasting changes are to be made and the challenges we face across the federal government successfully addressed . Distracted , unmaintained and loosely qualified are all skills essential to being a key party member . contradictory +see i can remember paying seventy five cents for a pattern I can remember patterns cost three-quarters of a dollar . entailment +yeah yeah i like uh what is it on Tuesday oh i think Coach is kind of funny on Tuesday night I watch Coach every Tuesday night . neutral +I nodded absently . I shook my head even though I did not understand . neutral +'All right . He responded in agreement with what I had just said . neutral +Appropriate emphasis is placed on the balanced scorecard and the executive 's performance against the balanced scorecard targets . The emphasize the scorecard that shows growth and stability . neutral +Just off the northeast corner of the Diwan-i-Am , the harem had its very own mosque , Nagina Masjid , Hindu temple , and between the two a bazaar where merchants sold silks and jewels . At the bazaar in between , merchants sold freshly made food and bolts of cloth . contradictory +At least I could be sure that this man understood his crimes . The man was aware of what he had done . entailment +hey well hey you know it 's never too late is what i say I say that it is never too late . entailment +A final report from the Task Force is expected to be presented to the LSC Board of Directors for consideration in October 2001 . The final report will not be delivered until 2004 . contradictory +The centrally situated Pont Royal , built for Louis XIV in 1685 , commands some splendid panoramas , with the Louvre and the Tuileries Gardens on the Right Bank , the Musee d 'Orsay on the Left , the Grand and Petit Palais down ? ­ river , and the Palais de l 'Institut de France , home of the Aca ? ­ d ? ? ? ­ mie Francaise , upstream . Before the Pont Royal was built in 1685 , it was impossible to see so many of the city 's landmarks . neutral +That 's the only time when the money you pay for a stock goes right to the company , rather than to another trader . This instance is one of the few times that a company directly receives money when you buy their stock . entailment +I saw a group of people who looked out of place . Seeing people that didn 't fit in really scared me . neutral +The site that will facilitate this project is www.legalmeetings.org. Legalmeetings.org didn 't start the project contradictory +The mine walls were smooth and square given the ease of shaping salt rock . The mine had a lot of space inside . entailment +Best known , perhaps is Mother Redcap 's in Back Lane ( opposite Christ Church Cathedral ) . Mother Redcap 's is probably the best known . entailment +He brought the weakened bomb into Hitler 's briefing room and nudged it as close to the target as he could , then left on a mumbled excuse , drove off the compound , and flew to Berlin . A man attempted to kill Hitler with a bomb . entailment +'The usual . ' Broth . Broth ordered something new . contradictory +The thesis was taken up last year by Canadian Michael Bradley in his incoherent book Chosen People From the Caucasus . Bradley is known for a book-length rant titled The Iceman Inheritance , which identifies the origins of white racial evil in prehistoric psychosexual tensions of some sort . Bradley 's The Iceman Inheritance is a popular read in American colleges . neutral +A softer , sweeter version called torta de turren is oval and made with extra honey and whole almonds . Torta de turren does not have honey and almonds . contradictory +That teaching , done right , requires all of a teacher 's emotional and intellectual resources ; that we accord teachers neither the respect nor the pay they need to function well in their jobs ; that few public school teachers come close to the ideal or leave the students with anything like what they need to get by--all this seems like a good argument for better pay scales and reform in the educational system that produces teachers . Teachers should be paid better because their job is emotionally and intellectually demanding . entailment +The working group asked the highly respected National Academy of Sciences to provide us the most up-to-date information about what is known and about what is not known on the science of climate change . The working group asked the NAS to give information about climate change in Antarctica . neutral +It is delightful to see you , Boris Ivanovitch , she said . Boris , I wish I didn 't have to see you . contradictory +The Internet facilitates the sort of communications and activism that the Fords and Carnegies prayed PBS would spark . The Fords and Carnegies prayed that PBS would spark the sort of communications and activism that the Internet facilitates . entailment +Brian and Lisha Crawford are the kings of bed and breakfast accommodations in the Volcano area . The Crawfords own the bed and breakfast . entailment +In some localities , it is possible that the permitting activities will not be the limiting steps . Permitting activities will certainly be the limiting steps . contradictory +Trying to prevent all exchanges of money for political influence would be costly ( in terms of liberty as well as of more mundane considerations ) and futile . Trying to prevent every exchange of money for political favors is completely possible . contradictory +And supposedly each year reduced the RQ by five or ten points . The RQ usually goes up every year . contradictory +Its transition from Romanesque to Gothic has been called a perfect representation of medieval architecture , an opinion that has ancient and modern dissenters . The idea that it was the perfect representation of medieval architecture originated in an article in a magazine . neutral +There was no room for doubt . There was plenty of doubt and questions . contradictory +I 'm tired . Let 's do this ! I 've got the energy of a full herd of ox ! contradictory +so yeah so anyway yeah we 're kind of familiar with that part of the world now there 's where the weather 's interesting i think it 's kind of dull around here compared to All the interesting weather happens in our area . contradictory +yeah for a pair of tennis shoes They are tennis shoes . neutral +A conceit this fragile needs to whiz along to keep our disbelief in suspension , but Meet Joe Black grinds on for three hours ( longer than either Beloved or Saving Private Ryan ) , and Pitt acts as if he has leased the screen by the year . Brad Pitt acts for three hours in this conceit . entailment +In January , the LSC funding went to the Greenville-based equal justice centers . An strain in resources led to LSC funding of the Greenville-based equal justice centers . neutral +uh-huh well the thing about that is though it 's got a i mean because it was i mean it was big you remember like in the early seventies and all that and The thing about that is it was big in the early seventies , remember that ? entailment +For that out-of-this-world feeling and superior tropical mountain scenery , try first gear on the road to Fond Saint-Denis . There are lots of polar beers around the road . contradictory +The National Theater is located here , and across the road is the Estado do Rossio ( with trains to Sintra and other places ) , which looks something like a Moorish palace with horseshoe arches , just west of the square . The National Theater is across from Estado do Rossio and you can get there via underground tunnel . neutral +But until then , you 'll have to carry the con . ' I will carry the con . contradictory +well that 's great you too and uh have a good day That is lovely that you talked with me , had a lovely time . neutral +The missionary influence waned , and the royal court asserted its power , as well as its love of luxury . The royal court had no power and was cheap . contradictory +I thought of the white-haired old lady in the big house , and that vivid wicked little face that had just smiled into ours , and a vague chill of foreboding crept over me . I thought of the old lady in the house . entailment +If this drags on for too long , and Iran ( say ) seems inexcusably obstinate , it can be judged noncompliant by a vote of convention members , and sanctioned accordingly . Iran is stubborn in their stance and this can be a problem for them . entailment +The South China Morning Post writes that at the Asia-Pacific Economic Cooperation summit in Kuala Lumpur , Malaysia , the home government got very testy over visiting foreign officials ' preoccupation with the arrest and trial of former Deputy Premier Anwar Ibrahim . The Malaysian government got testy because foreign officials were preoccupied with the arrest of George Bush . contradictory +You darling ! cried Tommy , his arms tightly round her . Tommy never wanted to let her go . neutral +The staff wear traditional clothing and work with the tools of their forefathers . The staff wear clothes from that era , and work with traditional tools . entailment +Now , will you send Annie to me here ? " Will you send Annie to me now ? neutral +Knightley carefully concludes only that the photograph turns out not to be the clear and simple statement of fact that it otherwise appears . Knightley says the photo is too blurry to read . neutral +She is the finest British writer alive , says the Los Angeles Times ' Richard Eder . Richard Eder writes for the LA Times . entailment +Livingston changed my life , he says . He claimed that Livingston changed his life . entailment +You would have driven straight to the house in Soho and secured the document which Miss Finn would probably have entrusted to her cousin 's keeping . In Soho , you would have driven straight to the mall . contradictory +uh-huh uh-huh yeah the the unfortunately the way the the way the high tech market goes by the time you can get get something in your hands um it it 's it 's obsolete and uh There are new products unveiled daily in the high tech market . neutral +Dawkins has rebutted these notions convincingly , showing that the phenomena they attempt to explain can all be accounted for with conventional Darwinian theory . The unusual situation can all be explained by Darwinian theory . entailment +i 've seen on TV where they take animals and young children in fact my daughter is one my wife took my daughters one year when they were getting some points for school took them to an elderly home and boy that really pumps them up that uh They take animals and young children to the zoo . neutral +She spun to face him , and gasped . She could not believe what she was seeing . neutral +Impact of screening Screening made no impact . contradictory +Shadows hid the size and depth of much of the tunnels . The tunnels were lit well , and they clearly knew which direction to move to . contradictory +( Without limit . ) Unlimited with a few exceptions neutral +DOD changed its acquisition policy to emphasize evolutionary acquisition and establish separate integration and demonstration phases in the product development process . The DOD 's newly changed acquisition policy didn 't bother to emphasize evolutionary acquisition . contradictory +you could not I do not advise you do that today . neutral +5 million annual budget that comes mainly from state appropriations and the interest from the trust accounts lawyers maintain for their clients ' funds . State appropriations provide exactly half of the money in the annual budget . neutral +What do I need to do ? ' I thought I had done all that I was supposed to do . neutral +Mayor , we 're interested in renting space in a building the city owns . Mayor , we have no interest in speaking to you . contradictory +I say only that you have no escape from us . If you run , we will chase you and catch you . neutral +but i think they going to have to do something to make people wake up like on especially the drug dealers you know the the not the little penny ante ones on the corner i don 't think they ought to get in trouble i mean i know they ought to get in trouble i 'm not they ought to get in trouble but not not death because see they you know we 're to me what they ought to do if they can find the big man Small time drug dealers shouldn 't face the death penalty . entailment +Contribution and cost coverage change to reflect those differences . The differences are heavily impacting contribution and cost coverage changes . neutral +Faubourg Saint-Honore offers the luxury of jewelry shops and haute couture ; the Champs-Elysees claims the first-run cinemas , airline companies , and car showrooms . Movie theaters , airlines and car showrooms line the Champs-Elysees , while Faubourg Saint-Honore provides the luxurious fare of jewelry and haute couture . entailment +This analysis includes the information required by paragraph 604 ( a ) by summarizing and evaluating comments received . Comments received were summarized and evaluated . entailment +However , regardless of how far the acquisition has advanced , at a minimum the auditor should always ascertain whether senior managers and users were involved in the project 's initiation . The auditor should determine who was involved in starting up the project . entailment +In other words , Bennett is not adducing a second authority for his assertions but merely falling back on the first via its recycling by another writer . Bennett didn 't find another source , he just used the same one that had been recycled by a different author . entailment +maybe not a case of everybody being selfish every man carry their own fair burden but not somebody else 's I think it is selfish to expect everyone to carry their own burden . contradictory +yeah it hurts exactly hurts i hate it My knee hurts and I hate it neutral +No doubt many Cubans would emigrate if allowed to do so . Cubans would emigrate if it is possible . entailment +It is remarkable that a Court that has so studiously avoided deciding whether Congress could entirely eliminate federal jurisdiction over certain matters , see , e.g. , Webster v. Congress would only eliminate the jurisdiction if something bad happened . neutral +Built in 1900 , it reflects the Arts and Crafts style that was fashionable at the time . After the Arts and Crafts style went out of vogue , it was followed by the Renaissance style . neutral +I knew it was him , because his arms were crossed and he had a Wasn 't that funny ? expression firmly on his face . He played a joke on me . neutral +An ideal test would perform uniformly in all populations and sub-groups . Unfortunately , no such test exists now or ever will exist . neutral +The President 's Clear Skies Initiative is designed to help us meet our national air quality goals . The President began the initiative in the hope that their successor would follow suit . neutral +and then i was told by somebody that works for JC Penney 's that um Ross Ross is just one of those places that sells sells seconds Ross isn 't a good place to shop because they only sell seconds . neutral +By capsulizing the inanities that pass for political commentary , you expose the vapidity of the opinions and put these opinions in their proper perspective . You show how vapid the opinions are . entailment +The independent counsel statute expired . The council is corrupt and produces inept policies . neutral +In the meantime , the minutes were creeping by : 3.15 , 3.20 , 3.25 , 3.27 . It was nearly 3 : 30 . entailment +'We 're not on the same side . ' In addition to them not being on the same side they were also on opposing teams . neutral +Faking appreciation is always , of course , er , appreciated . It is not acceptable to face appreciation . contradictory +Question 2 : Is the Lippo scandal an egregious example of a political quid pro quo ? The third question discusses Lippo scandal and the political status quo . contradictory +( Why don 't they ask their reporters ? ) Why didn 't they ask the reporters questions ? entailment +i mean that 's a i don 't know that 's just it and that 's why i don 't mind paying more I am willing to pay a premium price , given how good the service is . neutral +Her pupils took up nearly her entire iris , leaving only a thin ring of emerald . Her pupils were giant . entailment +These concerns are among the reasons that the pay gap has never been fully addressed . The pay gap has not been fully addressed because of bias . neutral +Solid candidates , such as RFK ( or HRC ) , weather the charges . RFK and HRC are solid candidates who weather the charges . entailment +like you i haven 't played any or not much this year i played a couple of times but Neither of us has played much this year . entailment +yeah well how did you like your Volvo How did you like your car ? entailment +Consider this memo on a case handled through El Programa Hispano of St. Henry Catholic Community Hispanic Center in The St. Henry Catholic Community Hispanic Center has been running for almost 50 years . neutral +Upon him All ultimatelyrests . It ultimately rests upon him because he is the most powerful person . neutral +The chapter ends with three tough-on-crime quotes , all of which harp on this theme . There is not much getting away from the strong theme of being tough on crime . neutral +Later , Ca 'daan couldn 't say why he did what he did . Afterwards , Ca 'daan wasn 't able to explain his actions . entailment +Yours truly , JULIUS P. Jules P didn 't sign this email contradictory +we interface kind of like uh on the tip teams and things i think that 's a good deal I like that deal . neutral +so you know and yet they yet people get very frightened when they see the Japanese moving in and the Russians moving in certain areas of technology you know that we use to dominate and it 's like well you know they 're educating their people to higher degrees than we do so you 're going to have to expect it so what you are you willing are you willing to compromise a little and and pay pay some take some of that money out of your pocket and pay for good quality education so i don 't know but i i The solution is for us to educate our people more . neutral +One must be a little skeptical of Sperling 's personal experience with the game . Think about the implications when looking at his experience . entailment +um-hum no i don 't Yes . contradictory +The Royal Dining Room is situated at the top of the Great Stair . The Great Stair provides access to the Royal Dining Room . entailment +Carl Levin , D-Mich . , urged his colleagues to support NATO and not undermine [ its ] united effort . Levin told his colleagues they should support NATO no matter what . neutral +Nevertheless , in some cases the entity does pay the Treasury at least some interest ; and the Government 's cost of borrowing to acquire the assets is recognized as a cost of the Government as a whole . The entity sometimes pays the Treasury 2 % interest . neutral +well how 'd you find out about it I am curious who told you about it . neutral +Ehrenhalt himself advocates a return to the choice-free , obedient life of the 1950s , but while seductive in the abstract , it sounds more and more confining on close examination . The choice-free life is the best life . neutral +What of that ? What of her ? contradictory +There 's something for all budgets in Egypt . Egypt offers something for any price level . entailment +They trotted out numerous theories to establish the Kosovo mission 's Air power alone had never won a war , the Serbs had proven their invincibility against Hitler , and negotiation backed by gradual military escalation had failed in Vietnam . The Americans won the war in Vietnam after using negotiation with military escalation . contradictory +You can build an appetite for dinner by making your way from the beach to the restaurant . The beach provides lots of delights . neutral +The Romanesque facade makes a striking contrast with the eight Byzantine cupolas and two minaret-like towers around a central Gothic cone-shaped dome , reminiscent of Venice 's Basilica San Marco . There are eight cupolas based on the Byzantine style . entailment +and i think that they could get some results from that because there are a lot of people who are volunteer and community minded but they don 't know where to go to to to do anything There are many individuals who are volunteer and community oriented , but they are unaware of where to go for anything . entailment +Station III ( Jesus falls ) : The Gospels carry no word of this event , but according to tradition Jesus fell under the weight of the crosejust around the first corner you reach . Jesus fell to the ground on station III and nobody was there to help him . neutral +Technology is only just beginning to let us search the skies for the telltale clues another civilization might offer . Technology is expected to grow exponentially allowing us to find signs of intelligent life within 20 years . neutral +However , other factors such as the desire to effect change and make a difference may attract senior executives to public service . Nothing can attract an executive to public service . contradictory +and i think now that it happens more frequently than we know that it 's just not sensationalized as much at least in Texas because i hear every once in a while i 'll hear something on the news I think it happens more than we know , it 's just not sensationalized as much . entailment +What did it mean ? asked Ca 'daan . Ca 'daan asked , what did it mean ? entailment +Think about this . It is important to spend time contemplating it . neutral +Overall , the U.S. economy added more than 45 million jobs . Only 1 job was created in the United States ' history . contradictory +I nonetheless think it an abuse of discretion to ignore it . It is far too important to our future to ignore it . neutral +that you can see in things like that i 've noticed that about the cults that they work our neighborhood in the day and they work them good and i consider that i kind of consider that an invasion of privacy but not so much as i do the other Cults are better than having door-to-door salesmen on your step . neutral +Next thing I did was 86 to write out a wire to Beresford saying where I was , and that I was laid up with a sprained foot , and telling him to come down if he wasn 't busy . Beresford came to help very quickly . neutral +oh okay i 'll let you go I will let you go . entailment +The gateway to the Lakes for those traveling from the south , this small sturdy town grew rich from trade in wool and cloth that came from the central lakes . The town traded many things aside from wool and cloth to its benefit . neutral +only thing is those things grow pretty slow you have to Those things tend to have slow growth . entailment +i have watched that yeah that 's good Yeah it 's pretty good , I 've watched it . entailment +Higher GDP in turn lessens the share of the nation 's output dedicated to government transfer programs in our modeling because we use a simplifying assumption that such programs do not simply keep pace with overall economic growth . Higher GDP lowers the share of the nation 's output by 25 % . neutral +Indeed , the famous port city of Nagasaki served as Japan 's sole point of contact with the outside world during 260 years of self-imposed isolation . During Nagasaki 's 260 years of self-imposed isolation , the port city became the sole point of contact with the outside world . entailment +The entrance to the palace is via the main staircase bright , airy , and ceremonious beneath an arched ceiling . A staircase leads into the palace through a room with an arched ceiling . entailment +Look there . " See that there . entailment +Cruise gathers Brad Pitt into one of many homoerotic embraces in Interview With the Vampire and soars with him high into the night sky . Cruise hugged Brad Pitt so tightly that it made it difficult for Brad to breathe . neutral +Formentera , Ibiza 's diminutive neighbour just one hour 's ferry-boat ride ( or 25 minutes by hydrofoil ) to the south , is an island apart in some ways more like a desert island than a satellite or outpost of Ibiza . Formentera is incredibly far from Ibiza , needing a three hour ferry-boat ride in order to arrive there . contradictory +He leant forward . He leaned back . contradictory +Each model uses cost drivers , which are parameters such as the level of experience of the programmers , the reliability requirements of the programs , and the complexity of the project , along with the estimated project size , to derive overall cost and schedule estimates for the acquisition . The higher the level of programmer experience , the more expensive it will be , and thus the acquisition will take longer . neutral +so i haven 't really seen any movies in the movie theater but i rent probably four or five movies a week I go to the movie theaters four to five times a week . contradictory +um-hum may i ask you a question Can I ask you a question about the trial ? neutral +In June 1999 , Pope John Paul II visited his homeland for the eighth time as Pope , and he was again received by enormous crowds , proof once again that Poland 's committed Catholics and fervent patriots had survived the Communist years with their faith and pride intact . When the Pope visited his homeland , none of his countrymen came out to see him . contradictory +The Chinese delegates watching the whole scene deduced the exchange contained codes for the Future Reverse Combat Online game and began to clap their hands . The delegates were at a conference for games . neutral +Clearly , some of these breakdowns are more complex and harder to understand than others . All of the breakdowns are clear and easy to understand . contradictory +but i just yeah i just you know i ain 't got time to mess mess around with them I have loads of free time to tinker with them . contradictory +dirt and noise dirt , noise , and balloons on the dirt neutral +Performances are also in Milan 's Conservatorio and Rome 's Accademia Filarmonica Romana or the Accademia Nazionale di Santa Cecilia . The Accademia Filarmonica Romana is only for literature , and does not offer performances of any kind . contradictory +OPM 's regulations emphasize holding senior executives accountable for their individual and organizational performance by linking individual performance management with results-oriented organizational goals . OPM 's regulations emphasize not holding senior executives accountable contradictory +we don 't have a state income tax right However , they 're looking at adding one . neutral +Yes , John likes me , I think , and of course Evie , for all her gruff ways , wouldn 't be unkind to a fly . Despite being somewhat gruff , Evie is a kind person . entailment +If only some had survived , the ship might have been repaired . " If some of the aliens had survived , they could have fixed the ship and left by now . neutral +Stark had expected no resistance . Because the demons were already weakened , Stark expected no resistance from them . neutral +yeah yeah they pop up pretty fast The gophers pop up pretty fast . neutral +But there is a more fruitful way to look at He is the first high-profile newspaper man in a long time who actually believes in newspapers . Most people believe in newspapers . contradictory +Continuing south , opposite Tournon , there is the lure of the celebrated Cetes du Rhine at Tain-l 'Hermitage . Their culture doesn 't allow them to celebrate historical figures or gods . contradictory +Another market catering to more traditional tastes is the Kampung Bahru ( new village ) , behind the Chow Kit area . The Kmapung Bahru market caters to modern tastes . contradictory +or maybe more than that as i 've learned yeah when i bought my RX7 i uh best offer i got for my other car was twenty five hundred well i turned around and sold it myself for forty two hundred so I have never sold a car on my own . contradictory +However , an unqualified audit opinion by itself does not ensure that the information needed to measure and manage performance is useful , relevant , timely , or reliable . The auditor likes to also perform at his musical theater . neutral +We 'd appreciate it . It would be appreciated . entailment +White and his men pulled in , securing the doors from either end . The men secured the door and put chairs against it . neutral +Grossness is not a good objection . Using grossness is not a valid form of objection . entailment +An example of a standard at the same institution was a prescribed minimum password length . The institution did not have a minimum password length . contradictory +sure yeah i don 't ever want to have to worry about that that 's real important to me um you know we have that that Aetna I don 't care about having Aetna at all . contradictory +One day a guard , a slave whipmaster , tried to test me for a pleasure slave . I always wanted to be a pleasure slave . neutral +okay okay okay so it 's it 's it 's amazing too you know you with that with the oil wells burning over there that 's that 's the exact same stuff that 's coming out of cars every day just in uh just in a little different grade i guess " The exact same thing that is coming out of cars everyday is in the oil wells burning over there . " entailment +The request should also provide Return on Investment projections , other available financial analyses , and cost , revenue , and volume estimates for the new service for the entire proposed test period . The request does not provide any kind of financial analyses , projections , or estimates . contradictory +But it 's not clear that any science is so pure that it 's exempt from committee decisions about what 's to be considered valid research . There 's no science definite enough that committee decisions don 't have to examine it . entailment +the judge decides whether or not they should hear it The judge decides and cannot be persuaded . neutral +Thick smoke filled the air . The air was smoky . entailment +Not after that fragment of conversation you overheard between Mrs. Cavendish and her mother-in-law , and her subsequent lack of frankness at the inquest ? Not after what you heard said , and after she lied under questioning ? entailment +Nobunaga was assassinated by one of his own generals in 1582 , and Hideyoshi , who had started out as a simple infantryman , succeeded him . Nobunaga was poisoned by his generals and succeeded by Hideyoshi . neutral +Iemitsu , who was Ieyasu 's grandson and the third Tokugawa shogun ( 1603 1651 ) , undertook the building of Toshogu . Ieyasu 's grandon was named Tom . contradictory +Nearly all have experienced structural changes in their delivery systems since 1995 . Almost all of them have experienced radical changes in their delivery systems since 1995 . entailment +On his second voyage to what he evidently thought were the islands of the Far East , Christopher Columbus first discovered Dominica in 1493 . He thought he was in the islands of the Far East , but he was in the west . neutral +'A biographer . A person that makes music . contradictory +During that period , competing plans called for it to be a bank , a railroad station , and an additional memorial to Napoleon and his armies . It was supposed to be a bank and a railroad station , but it got turned into a dining hall instead . neutral +High / Scope Educational Research Foundation . Measuring the High / Scope , The Educational Research Foundation neutral +Most visitors guiding themselves through a sightseeing day in Ibiza Town arrive by bus from one of the outlying resorts . It is most convenient to take a bus if you plan to depart from the resorts , as the bus stops are nearby .. neutral +If it had not been for Warren Rudman ( R-New Hampshire ) , the Legal Services Corp. might have disappeared altogether , Bye said . Warren Rudman was responsible for making sure the Legal Services Corp survived . entailment +and i think why didn 't you tell me a year ago when we got the other dog I am upset that you didn 't tell me when we got the other dog . neutral +In 125 b.c. , the Romans came in force , conquered the Gallic barbarians , and set up a fortress at Aquae Sextiae ( Aix-en-Provence ) . The Gallic barbarians conquered the Romans . contradictory +and and and and what are crickets good for Crickets aren 't good for anything . contradictory +Where are they ? asked Adrin . Adrin yelled at the top of his lungs in anger and frustration because he couldn 't find them . contradictory +one one liter bottles and um i i think it 's kind of generational although i must admit that that i am not i can i 'm not conversant in saying you know that 's three centimeters away i mean or or or I am very conversant about talking about things in centimeters and I don 't think it 's generational . contradictory +Indeed , anything that employs counting seems cheap . Counting cards in card games is cheap . neutral +intervenor told us on the record---a rocket shot compared to most rate-type proceedings . Intervenor said he wouldn 't speak on the record . contradictory +Although it was once an independent kingdom , Patan is today separate from Kathmandu in name only . Patan became connected to Kathmandu very recently . neutral +Now economists are pointing out the unfairness of subsidizing the reduction in the number of doctors while refusing to do the same for other professions , such as economists . Economists are now pointing out the unfairness of subsidizing the reduction in the number of doctors , while at the same time refusing to do the same for other professions , economists for example . entailment +They are responding to those who would assert that American society as a whole is just fine because it is collectively wealthy . They are answering people who say every American is great because America as a whole is wealthy . entailment +The ticket kiosks are right next to the wooden berths . The ticket kiosks are very far away from the wooden berths . contradictory +As a satisfactory graphic is developed for one site , the evaluators turn to the next site . The next site also had a satisfactory graphic . neutral +was it was it a criminal Was it a celebrity or maybe big foot ? contradictory +Assuming a minimum of stops for shopping , the following walking tour will take a very full half day . The tour can take longer than half a day . entailment +Do you fancy that you can deceive him ? " Mrs. Vandemeyer 's eyes narrowed . Mrs Vandemeyer narrowed her eyes when she asked " Do you fancy that you can deceive him ? " entailment +Less than four nautical miles separate Formentera , with its long sandy beaches , from Ibiza . Formentera is very far from Ibiza contradictory +Most recently , we have successfully managed the Y2K transition . We have not managed the Y2K transition successfully . contradictory +Its Carrera marble facade is incised with intricate carvings of traditional Islamic themes . The Carrera marble facade is engraved with tradition Islamic themed carvings . entailment +Mrs. Cavendish gave me some tea , and her few quiet remarks heightened my first impression of her as a thoroughly fascinating woman . Mrs. Cavendish 's few quiet remarks gave me first impressions of a very interesting woman . entailment +you prepare a lot of vegetables and there 's lots of different casseroles and things so you just make you just the casseroles only include vegetable ingredients neutral +right yeah well when uh we lived in San Antonio i grew up around San Antonio and it 's always been a very large uh city and increasingly growing it 's has kind of the split population um there 's a lot of retired military uh individuals that live there and then there 's a very large Hispanic population there and the one thing that we noticed that over the years has gotten worse and worse is Hispanic uh gang crime in the city and that is uh been the worse thing that we 've seen happening uh Hispanic gang crime keeps getting better and better . contradictory +but we have just a little deli downstairs but in the mornings they make these really good muffins We have a deli downstairs that has great muffins in the morning . entailment +During an election post-mortem ( televised on C-SPAN ) , she suggested that it would have been very difficult for Bob Dole to win the presidency in the Electoral College since , according to her , Bill Clinton went into this election with 300-some electoral votes already locked up , based on the results of the 1992 election . She indicated that Clinton already had around 300 electoral votes locked up . entailment +uh i don 't know there 's a lot of air pollution The air is not polluted . contradictory +Me and my overreactions . I overreact about every situation . neutral +There is absolutely no question as to the alibi ! " 95 Chapter 8 FRESH SUSPICIONS There was a moment 's stupefied silence . The alibi is extremely clear and silence fell across the room . entailment +She swayed a moment , staring at him . She was staring at him and she swayed . entailment +Photographs of Dublin past and present are displayed , and changing exhibitions are held of Irish and international photography . The changing exhibitions feature mostly Irish photographers and few international photographers . neutral +Jerusalem was razed , the Temple destroyed , and its people forced into exile and slavery . The people of Jerusalem were exiled but not enslaved . contradictory +and uh you know it was a real hush hush thing and then i was i was wondering why my mother always referred to you know his second wife as that hussy He had other wives as will . neutral +The Sejm moved to Warsaw in 1569 , and the death of the last ruler of the Jagiellonian dynasty , Zygmunt August , led to the creation of a Republic of Nobles and an elective monarchy that would serve it . The Sejm had been in Gdansk in the 15th century . neutral +Horseback riding runs between 1,500 3,000 esc . Horseback riding costs between 1,500 and 3,000 esc . entailment +so do you fish Tell me if you fish or not . entailment +A coward can sit . A coward has the ability to take a seat . entailment +But as of now , the majority of the congressional party--the Republicans who actually run for office and get elected--embraces a theory of national interests that is very similar to the one in Buchanan 's new page-turner . The Democracts consist of majority of the congressional party . contradictory +He telephones American scholars and invites them to a conference in Saudi Arabia . Each American scholar was invited by telegram to a conference in Saudi Arabia . contradictory +We broke four barrels on the supports and pulled the mountain down on them . The supports had five barrels . neutral +The Erlenborn Commission was authorized by a resolution of the Corporation 's Board of Directors on November 16 , 1998 , to study the presence requirement in the Corporation 's statutory restriction on the representation of eligible aliens . The Board of Directors denied the resolution authorization . contradictory +He is clever , observed Poirot meditatively . Everyone , including Poirot , spoke about his dimness . contradictory +But I thought maybe it was her back history you were after , and that you 'd know where she was now ? " I did not think you would know where she was . contradictory +right i have a sister that can can uh crochet real well or or knit i i guess i mean knit and she knits things like hats and uh sweaters an you know She 's really talented when it comes to knitting . neutral +Under the President 's proposal , 22 existing agencies and programs and 170,000 people would be integrated into the new department in order to strengthen the country 's defense against terrorism . 22 agencies would be grafted into an entirely new department following the President 's proposal . entailment +And if you had a car , you don 't have a car , because now the fuel comes from the power of the energy circle , ' bald Klimaszewski was gaining speed . Klimaszewski said that your car wouldn 't work without fuel . entailment +While this is essentially true , Hinduism in the Kathmandu Valley and other parts of the Middle Hills is inextricably interwoven with Nepal 's unique form of pantheistic Buddhism . Nepal does not practice Hinduism or Buddhism . contradictory +It was designated the home of the treasury of the Delian League in 480 b.c. , an act which encouraged its growth as a center for banking and commerce . The Delian League also designated this as the capital . neutral +What a heartwarming story ! The story was heartwarming . entailment +The CO2 provisions in S. 556 will cost consumers too much and endanger our energy security by causing too much electricity generation to switch from coal to natural gas . We won 't switch from coal to natural gas . neutral +i get the headlines off the television I only get the headlines off the internet . contradictory +Experiencing just nine of them will give an impression of the whole . However , there 's no substitute for taking the time to explore all of them , not just nine . neutral +Even if you take the cable car , drink much more liquid than normal ; dehydration and sunstroke are common throughout the Dead Sea region . It is best to avoid drinking anything in the Dead Sea region . contradictory +Tito and Castro are examples of the latter , and they may soon have imitators , for it remains to be seen how many post-Soviet democracies will last . There were examples of those that keep post-Soviet democracies alive . entailment +It seems the teacher could have taught Stone and Bronstein a thing or The boy describes how they made love in nearly every room of her home while her husband Steve was away . The boy said they had sex when her husband was gone in June . neutral +Well , returned Julius , " he got out , that 's all . " 89 Chapter 12 A Friend in Need FRIDAY and Saturday passed uneventfully . Julius returned and stated that he got out . entailment +Restful days seemed to be behind him , behind them all . They weren 't going to be able to rest until the war ended . neutral +This was once the scene of a famous misdevelopment plan , when a 600-room luxury hotel had to be demolished just as it was ready to open for business , since it had mistakenly been built directly on the flight path to Ibiza airport . The luxury hotel which was demolished had 200 rooms . contradictory +Mr. White could strip that away with a word and make me remember all those nightmares . Mr. White scare me because he had such control over me . neutral +I never thought of that . " I was rather startled . I wasn 't surprised at all because I knew how he was . contradictory +After dark , I had nightmares about Mr. White and my long lost body . I never thought of my old body . contradictory +The temples of Mahabalipuram were a high point in southern architecture , and it was the Pallavan artists who influenced and may have helped to build the temples at Angkor Wat in Cambodia and Borobudur in Java . Mahabalipuram and Angkor Wat both had temples . entailment +oh yes and that does take sometime yes we 're trying to get acclimated with the uh with having a baby and there 's just he 's seven months old It takes some time to settle in after having a baby . entailment +Moreover , the volume of business advertising mail ( i.e. There 's a lot of business advertising arriving in the mail . neutral +lucky you um-hum You are lucky . entailment +It was a fiercely independent settlement with its own fishing fleet and shipbuilding industry . The settlement relies on the help of other settlements to stay relevant . contradictory +Our grantees have successfully leveraged their federal funding by attracting other private and public sources of funding . The grantees ' federal funding have never been leveraged . contradictory +Le Vau also designed the marble courtyard , decorated with 84 marble busts . The courtyard has 84 marble busts and was designed by Le Vau . entailment +The effects on personal consumption show a decline of between $ 13 billion and $ 31 , or 0.1 % to 0.3 % , depending on the scenario . The decline is expected to continue . neutral +yeah oh and i hadn 't even thought about that uh the other the other end of that that that 's an interesting uh situation i hadn 't thought of that we had visited relatives in Virginia not too long ago and i thought i had seen when we were traveling around the state some similar signs up that indicated that certain sections were being policed and cleaned up and In Virginia , the police didn 't seem to do anything about crime . contradictory +well that sounds like that might be a fun fun place to visit then That doesn 't sound like it would be very fun . contradictory +He 'd need a glass sphere with dots on it for the stars , and some kind of levers to move the planets and sun . He needed a plastic square and some pulleys to move the planets and the sun . contradictory +hopefully we 'll have some more good weather but It will be nice to have hailstorms ahead . contradictory +Likewise , hawking an organ would be right for so few , if any , that permitting the option makes no sense at all . Selling an organ would be wrong for just 0.005 % of the population . neutral +I was recalled to other matters by a frightful row going on below . A fight below by fools got my attention . neutral +My mother 's lawyer , he explained . My mother is a lawyer . entailment +You can visit the Temple Mount from Saturday through Thursday , but on Fridays ( the Muslim Sabbath ) and on major Islamic holidays , including the entire holy month of Ramadan , the Haram is closed to non-Muslims . The Temple Mount is closed to non-Muslims during Ramadan . entailment +And you have not made her speak ? You didn 't get her to speak ? entailment +Administering the Acid Rain Program has been a cost-effective experience . The Acid Rain Program has not cost much . entailment +but some tell stories you know some are serious some are funny um but uh there all there all fun to watch they 're they 're full you know they 're for adults they 're not just kids cartoons they 're they 're genuine stories and things They are for kids only , there are no adults stories . contradictory +A magnificent carpet , with a design based on a page from the Book of Kells , , covers the floor of the Throne Room . The carpet in the throne room is based on a page from the book of Kells . neutral +i have a three and a half year old and a one and a half year old and the little one of course is could care less the uh three and a half year old has just gotten to the point we got him a little pole last year and just put uh I have three kids who love to get outside and go fishing for trout . neutral +A few years later , a British fleet commanded by George Clifford , the Earl of Cumberland , shrewdly outflanked the fortress . George Clifford was a member of the German fleet . contradictory +Japanese companies then enthusiastically imported any Western technologies they could get their hands on . The Japanese public was buying more western technologies than Japanese companies were able to provide . neutral +Messieurs , mesdames , as you all know , I was called in by Monsieur John Cavendish to investigate this case . As you all know , I will be working on this case for the next week . neutral +'You know , it 'd be easier to experience it for yourself than to read about it on a screen , ' she said , pointedly . She said it would be better to do it rather than read about it . entailment +but that doesn 't necessarily mean anything but i don 't know the i I don 't know the whole story . neutral +Please sit down and be quiet , the masseuse , who Simon already named her Dobrava , said tersely . Simon thought the masseuse was angry that day neutral +Stop blaming John . Blame John since it 's his fault . contradictory +Do you think she would show it to me ? " I do believe she would yes . neutral +that 's right uh-huh yeah i read some time well not too long ago that the average uh professional career only lasts seven years so that 's when you think about it that 's really not a very long time of course The average career span is not as long as many believe it is . neutral +He 'd never have dared to say so . He would have said so anytime of the day . contradictory +Vrenna had followed through . Vrenna did not follow through . contradictory +With him was a cholericlooking old gentleman , at sight of whom Tommy flushed up to the roots of his hair . The old man had long white hair . neutral +i go out i had all my stuff set i had my little campfire thing setup and my my pots and pans and stove and all that Even after all the preparation I still forgot my pots , my stove and everything . contradictory +Buy a pack . ) Buy a pack of cigarettes . neutral +While five years ago there were 4 LSC programs , the state will operate one statewide LSC program beginning January 1 , 2002 . Five years ago , there were 4 LSC programs in the state . entailment +Today , a detailed map and portable sound-guides rented at the entrance ( on the Via dei Fori Imperiali ) will make sense of the apparent confusion and help you trace the layout of palaces , temples , and market halls . The palaces and temples are very close to each other . neutral +I watched the way her breasts swayed and bounced . Her breasts moved a lot . entailment +A notice of proposed rulemaking was published on February 3 , 1995 . The community waited over eight months for the rule to be published . neutral +But don 't I want to hear my union 's voice on issues where the union has some expertise ? I want to listen to my people neutral +A piece reports on a new treat for yogurt in a tube . The piece reports only on yogurt in cups . contradictory +so what do you think about the difference between those two situations What is you opinion on the discrepancies between those two situations ? entailment +To identify common critical success factors , we researched each organization , analyzed relevant documents , interviewed pertinent organization officials and knowledgeable members , observed meetings and other operations , and compared their experiences for similarities . To identify common critical success factors , many aspects must be analyzed , which was Linda 's work . neutral +yeah so yeah oh how awful oh How great . contradictory +The people of Edinburgh are often accused by their fellow Scots of lacking passion and have been labeled prim and proper . The people of Edinburgh are accused by their fellow Scost of not being passionate . entailment +Critics are unimpressed with first-time director ( and Academy Award-winner ) Kevin Spacey 's attempts at stylishness , particularly the relentless allusions to film noir . The first movie directed by Kevin Spacey impressed the critics . contradictory +One of my first actions was to ring up the hospital where she was working . " One of the first things I did was to call the hospital . entailment +The Asian American experience may offer a As growing numbers of Asian Americans have entered the mainstream over the last decade , it is increasingly said--sometimes with pride , sometimes with scorn--that they are becoming white . Asian Americans are offended by the ' becoming white ' claim . neutral +Ceramics and pottery are some of the most popular items throughout Portugal . Portugal is famous for its still life artists . contradictory +Looky here , you thinkin ' of grub stakin ' ? Over here ! You wanna get some food with me ? neutral +Paul Wellstone , D-Minn . , used the same dodge on Fox News Sunday : Can 't we focus on issues that are important to people ? Paul Wellstone dodged the question from Fox News on Sunday because he didn 't have an answer . neutral +De Wit worked from likenesses of actual monarchs to produce his portraits . Portraits were created by De Wit . entailment +( The judge will not make that decision until Nov. 10 at the earliest . ) The judge will decide who wins in November . neutral +The Chechens will gradually bleed the Russian garrison--one car bomb , one mine , one mortar at a time--until the Russians withdraw in frustration . Until the Russians withdraw in frustration , the Chechens will give them trouble . entailment +you know you writers are coming you know you 're having a hard time here The writers are having a hard time keeping the show interesting . neutral +oh yeah oh absolutely yeah it goes on for years and years and costs hundreds of thousands of dollars taxpayer money It costs thousands of dollars , and goes on for years and years , you know ? entailment +HAVING A GOVERNMENT PROVIDER They wished they had a government consultant . neutral +This information follows . This information is not provided . contradictory +A number of multi-city and other types of studies strongly suggest that these effects-relationships cannot be explained by weather , statistical approaches , or other pollutants . There are studies that point out that weather cannot explain these effects-relationships . entailment +uh a lot of people really doesn 't think that much about it because it hasn 't happened to them which it hasn 't to me either you know thank goodness but still it it could Most people would give a lot of thought and care deeply if it ended up happening to them . neutral +Known as the queen of beaches and the beach of kings , the town was made fashionable by Napoleon III and Empress Eug ? ? nie and became known as the site of elaborate ' even wild ' parties . Royalty often enjoyed spending time on the beautiful beach . entailment +Cheap consumer goods , crappy fast food , and bland mass entertainment ! Well-made products , delicious fresh food , and amazing entertainment ! contradictory +yeah oh i know i know I have this knowledge . entailment +Madeira 's colorful stamps , as well as coins , bank notes , and other items like postcards are of interest to many collectors . People interested in starting new collections should exit Madeira and travel north , where they 're likely to find good shops . contradictory +oh yeah definitely i i 'm i 'm a little bit shocked to what the US has done in terms of selling to Iraq in the past ten to fifteen years yeah i think we we kind of shoot ourselves in the foot that way too it 's bad enough that the Soviets do it What the US did to Iraq isn 't surprising to me at all . contradictory +His son Louis XVII died in obscure circumstances under the Revolutionary government , probably in 1795 . His son lived . contradictory +I know when she is seen doing this people think we are a pair of nuts ( and assume she 's doing it for both of us ) , and I also worry that this is stealing . She is her own person . contradictory +see how they handle it and see if it 's a good way and then do it that way because as i like to say people are making money on it the cans do are worth something People cannot earn any money from collecting cans . contradictory +While Pavarotti and his two sidekick tenors have been turning opera into a mass-appeal juggernaut , Bartoli has been trying to shrink a bloated genre . Pavarotti and Bartoli do not get along at all . neutral +Both legal services and the bar associations complement each other in ways that provide a fairly broad net of support . The bar association helps legal services to assist more people . neutral +The ( adjustable ) assumption of this paper is that the Postal Service 's cost for doing the workshare work is 6a and that 100 % of this 6a is passed through into rates . This paper does not deal with Postal Service 's costs . contradictory +These statements include , where appropriate , performance measures related to improper payments . The statements have lots of information that is useful . neutral +MOVING AVERAGE -An inventory costing method used in conjunction with a perpetual inventory system . The moving average is not used as an inventory costing method . contradictory +Kit Bond , a folksy Missourian . Kit Bond has lived in Missouri their whole life . neutral +Tamara Jenkins , the writer and first-time director , has an eye for absurd juxtapositions that was obviously sharpened by the pain of her nomadic upbringing . Tamara Jenkins has directed many times . contradictory +and they 'll just go out and do anything they can to do it They do whatever they can . entailment +The dude admitted that he tried weed once back in school . He admitted to trying weed back in school . entailment +It may not be much of a speck on the globe , but it is big enough to contain a modest mountain , verdant farms , and that real Mediterranean novelty a river . Even though it is small , it would be a very nice place to live . neutral +And you can see the rocket tubes . " And you can see the pocket cues . contradictory +you know what i 'm saying they 're not going to go without going through every channel of authority in the prison so i feel like you know that 's is there is occasions where there are they do spare lives and you know i leave that with the governor who of course is going to go through every authority because they want to be be reelected so Lives in prison are definitely lost . contradictory +The Maryland Legal Services Corporation over the years has supported various efforts to examine and improve the statewide system , including the 1987 Maryland Legal Services Review Commission ( the Cardin Commission ) , the 1992 Commission on the Needs of Low-Income Persons in Family Law Matters , and the 1992 evaluation of the pro bono system in the state . Maryland Legal Services Corporation has encouraged re-examination of the system . entailment +rock music um some of the some of the rock stations now are the i guess the top forty stations or whatever they just it really gets on my nerves because they play so many commercials and I don 't like some rock stations . entailment +i take it back and forth to work and then my wife 's got a a an eighty four Parisian Pontiac I use it to drive my wife around since she doesn 't have a car . contradictory +um-hum yeah ever since i was a kid Never . contradictory +The Spanish crown solved the tense standoff by entrusting Ponce de Leen with another voyage of exploration . The tense standoff had been incited by a power-hungry noble . neutral +The next working session was a failure . The next meeting produced no results . entailment +What was Mary Cavendish 's concern in the matter ? Mary Cavendish had a few concerns entailment +And Bellow , too , is putting the finishing touches on a novel titled Ravelstein , about his late friend Allan Bloom , so I had to mention that . Bellow has never had a friend named Allan . contradictory +now there was some of the some of the classes i 'm in i think i 'm in Sesame Street but uh I might be in Sesame Street . entailment +In the model discussed in Part II above , the cost of basic mail is 26 . We known the exact basic cost for mail from the model discussed above . entailment +To counter the Kota Bharu landings , the British overseas fleet 's proudest battleships , the Prince of Wales and the Repulse , sailed north . Britain didn 't respond to the threat of landing at Kota Bharu . contradictory +To the south lie long beaches , excellent for year-round camping . There are places to camp along the beaches year-round . entailment +Others soon joined the zinc rush . Zinc was plentiful and unwanted . contradictory +Well ! The silver rolls in . They aren 't making any money . contradictory +People travel from afar to sift through the offerings of used kimono , antique furniture and ceramics , antique scrolls , crafts , food , household items , and countless other categories of bric-a-brac and sundries , paying prices ranging from the reasonable to the outrageous . All of the items on sale are at a reasonable price . contradictory +and that was uh a that particular campout That was that particular campout . entailment +the particular circumstances of an audit , using the subject agency 's requirements . Subject agency 's requirements are never used in the particular circumstances of an audit . contradictory +Now he put down the phone and looked at her--and the pizza--with undisguised hunger . He doesn 't want to eat anymore . contradictory +The Latin for true image has given us the name Veronica , and since the woman 's name is unknown she is revered as St. Veronica . The woman was not a well known figure . neutral +In the 20th century Tokyo has twice suffered almost total destruction . Tokyo has often been the target of warfare and destruction . neutral +I looked carefully round the walls . I cautiously inspected the walls . entailment +Wachter 's $ 9 billion system-wide wage premium exceeds the $ 6 . The wage premium is $ 9 billion . entailment +William Henry Harrison could talk about the governments of Athens , Rome , and the Helvetic Confederacy and expect his audience to know what he was talking about . Harrison could talk about several foreign governments and be on the same page with his audience . entailment +You hope that the public cares , he said . He mentioned sarcastically that you would hope that people care . neutral +Linked to the Vatican by a thick-walled passage , it served as a hideout for popes in times of danger , notably Pope Clement VII , who holed up here for a month during the sack of Rome by Habsburg troops in 1527 . The popes used to hide here during dangerous periods . entailment +Second , mailers of some volume may be in position to take advantage of this discount without the help of a presort bureau or mailing firm . Mailers may be able to use this discount without a mailing firm 's assistance . entailment +Last December , three cognitive psychologists at the University of Rochester played two-minute audiotapes consisting of short nonsense words ( such as bidakupado ) for a group of 8-month-old babies . Three psychologists worked with babies to test a hypothesis . entailment +Photographs of scantily dressed , genetically gifted women illustrate it . Photos of gay sex acts are on it . contradictory +This here 's th ' Range , an ' ain 't nobody but th ' Old Man runs th ' Range ! The Old Man bought the Range two years ago . neutral +Yeah , sneered a New York Times editorial , everyday lessons like whether a newly engaged couple should cement their relationship by exterminating former lovers . The editorial was sarcastic in tone about engaged couples . entailment +The train station is in the newer business district ; nearby is Asia 's third-tallest building , at 83 stories , which will often be pointed out to you . The train station is located in the oldest business district . contradictory +because they would roll and everything and oh Due to the fact that they would roll and everything . entailment +In fact , Madeira had been a sought-after destination since the middle of the 19th century , attracting wealthy British sun-lovers , minor royalty , and aristocrats from many countries . Many wealthy British people liked going to Madeira . entailment +As a result , the rise in welfare benefits in the 1960s may have resulted in a decline in the black shotgun-marriage rate , and thus , in an increase in out-of-wedlock births . Welfare benefits went down in the 1960s due to wedlock births . contradictory +Several times , I told myself to stop ... but I was carried away , and the words just kept spilling out . I couldn 't stop spewing insults at people . neutral +Among the yachts advertised for charter in Guadeloupe is a 24-m ( 80-ft ) ketch built for the late King Farouk . You can hire an 80 foot long yacht . entailment +He knew only too well how useless her gallant defiance was , since it was not the object of the defence to deny this point . She had always been defiant . neutral +When Kedah and Perak sought British help against Thailand , the British sided with the Thais to quell revolts anything for a quiet life . Kedah and Perak vowed revenge against the British and led a guerilla insurgency against them . neutral +More needs to be done to convince investors and other users to demand different reporting . There are a lot of users who are content with the current reporting for all its weaknesses and flaws . neutral +12Acquiring nonfederal financial assets would reduce the reported unified surplus or increase the unified deficit because , under current budget scoring rules , such acquisitions would be treated as spending . Getting nonfederal financial assets would not change the amount of the deficit . contradictory +They retraced their steps slowly to the gate . They went on their way , having assumed their key was lost forever . contradictory +we have a rock base here and it 's very difficult to put in a basement our home is all brick and with the two We have a rock base here , and our house was built with brick . entailment +The British population has decreased ; today there are as many American and Australian ex-pats as there are British . British expat numbers are much higher than American or Australia . contradictory +yes yes oh well that 's true that 's true i see i don 't think i do but um but a lot of people do say i sound like i guess i have i guess more of a twang to my voice but sure am i 've lived here all my life but anyway uh I live in a location I haven 't talked about . contradictory +( Only He plans a fourth Indiana Jones movie . ) Indiana Jones movies are popular , which is why they keep making them . neutral +Calm down " Tommy had made an impatient gesture " I 'm going right away now going to the London and North Western Railway depot , if you want to know . " Tommy had not wanted to divulge his plans to go to the London and North Western Railway depot . neutral +The terrific pace they had come had still further unmanned him . He needed to build up courage to tell the truth to his family . neutral +However , the FCC points out that installment payments are not the only tool available to assist small entities and that the final rule provides for higher bidding credits , in lieu of installment payments . The FCC says installment payments help small entities manage their budget better . neutral +Then the old mouse ' It is easy to propose impossible remedies . A feasible solution has yet to be found . neutral +You could have heard a pin drop . It was so quiet , you could hear a pin hit the floor . neutral +The Present Later contradictory +Signs direct you to these great waterfalls , which are among Guadeloupe 's finest , if least visited , scenic attractions . Guadeloupe 's most underrated attractions are it 's great waterfalls , which you can find by following the signs . entailment +The early years of the 21st century are proving to be a period of profound transition for our world , our country , and our government . These first years of the 21st century are a period of transition for our world in general , so we have an important role in this . neutral +There are paired but separate chambers for the sultan and the valide sultan , each having a changing room , a cool room , and a hot room . The sultan 's chamber is much nicer than the valide sultan 's . neutral +Originally built in the fourth century on the Esquiline Hill site of a Roman temple to the goddess Juno , Santa Maria Maggiore is the largest and most splendid of the churches dedicated to the Virgin Mary . There are lots of fancy churches dedicated to Mary . neutral +Even the Irish--the ones in Ireland--have distanced themselves from the New York legislation . The Irish have distanced themselves from legislations in New York . entailment +The Great Famine struck in 1845 with a blight on the staple food of the poor , the potato . Potatoes have many uses . neutral +Not the least in the world . But , pausing a moment , he added : " Still , it does not surprise me . He had been expecting it for some months , so he wasn 't surprised by it . neutral +The quantity , type , and content of audit documentation is a matter of the auditors ' professional judgment . The character of the audit documentation is totally up to the judgement of the auditor . entailment +Certainly there has been massive flight of capital into Swiss bank accounts and other hidden overseas assets . Lots of money has gone into Swiss bank accounts . entailment +i 'll bet that story 's all too common i uh I wish that type of thing didn 't happen . neutral +The 30-m- ( 100-ft- ) high Campanile , built in 1853 by Sir Charles Lanyon , houses the university 's bells . The Campanile is less than 10ft in height . contradictory +but they didn 't have anything positive the kids could be doing helping you know so they were trying to start that out so if there 's people out there that are The children had good role models and were always helping . contradictory +kind of like watching the Olympics A bit like viewing the Olympics . entailment +The city almost bursts at the seams as up to 500,000 visitors arrive , vying for street space with performers , clowns , face painters , and numerous small craft markets . There is a big event that causes the influx of visitors . neutral +However , it may be more a matter of skill and ability to work in this setting and deliver the needed type of intervention rather than of profession that should determine who should deliver the intervention . Profession should determine who delivers the intervention . contradictory +Therefore , you 're the real jewel thief ! Therefore , you are the thief due to having the jewel in your pocket . neutral +It was a fort , all right , this whole stronghold of Rennie 's not just the bunkhouse which formed part of a side wall . The bunkhouse was an added extensions to the house . neutral +Whitebelly panted and shivered , even at night . At night , Whitebelly both panted and shivered . entailment +The report is organized into eight chapters and one appendix . The report contained 8 chapters and an appendix entailment +The Project Arts Centre in East Essex Street has a lively program of dance , drama , and performance arts . Dance is not included on the program of the Project Arts Centre . contradictory +The adjustment to the chronic bronchitis unit valuation for growth in real income in 2010 is achieved using an adjustment factor of 1.127 . Using and adjustment factor of 1.127 , the adjustment to the chronic bronchitis unit valuation for growth in real income in 2010 is achieved . entailment +i don 't listen to the radio or even to my albums or cassettes or anything very often anymore i guess i 'm just too busy doing other things that it 's too much trouble to get up and go decide what i want to listen to and put it on the on the turntable i don 't know i just don 't don 't bother to do it very much anymore Listening to records is part of my daily routine . contradictory +How did you get in , by the way ? asked Tuppence suddenly . Tuppence had no idea how they got in . entailment +He has not given up yet . He has given up . contradictory +oh listen to it yeah yeah We will all listen to it . neutral +yeah i i cast a ways i 'm not highly proficient but it 's fun I kind of like it , but I could be better . neutral +White himself was carrying a suitcase , presumably to help him blend in . White wanted to blend in and part of his disguise was his suitcase . entailment +In this light the meaning of his call to maintain the multicivilizational character of global politics seems separate but equal . His call was to keep the multiciviliation character of global politics separate . entailment +In Kerala , try to see the lively kathakali dances , in which men play both male and female parts to enact both divine and heroic Indian legends in the most gorgeous costumes and elaborate makeup . The kathalaki dances feature mundane and boring costumes and makeup . contradictory +Pollock asked Gordon whether research on alcohol interventions had to be done in a specific clinical setting in order for interventions provided in that setting to qualify for reimbursement . Certain types of research on alcohol interventions may qualify for reimbursement . entailment +Before the actual construction to install the technology can commence , the facility must receive a construction permit from the applicable State or local regulatory authority . Construction permits are required before any actual work can start . entailment +Today , a visit to the quarries , just outside town , reveals some of the secrets of how the ancient Egyptians worked the stone . The Egyptians stonework has been one of the best kept secrets in the world , their methods still unknown . contradictory +We have never been able to look at China like we would look at Brazil or India . We look at China and Brazil in the same way . contradictory +but uh i think the rest of the staff is uh a little weak But I think the rest of the staff is no strong . entailment +Before exploring the sprawl that stretches in a wide crescent over 20 km ( 12 miles ) from north to south , go to the Government of India Tourist Information Office , situated opposite Churchgate Station . Visit the tourist information office across from Churchgate Station before you set off into the sprawling city . entailment +Brochures in English , available without charge , describe the rocks and vegetation . The brochures also explain the geological history of the region . neutral +He still behaves like an adolescent moron . He is handicapped . neutral +6 percent of GDP , net national saving was 5.7 percent of GDP . Less than 7 percent of GDP , net national saving was less than 6 percent of GDP . entailment +so now the young fathers are having a chance to parent and i think that 's an advantage I think it is a problem that they young fathers can be parents not . contradictory +Many years past , Fena Dim sold brill to Fena Kef . Fena Dim refused to sell anything . contradictory +What we have to ask , however , is whether that was a bad thing . We don 't have to ask anything as we know it was a good thing . contradictory +Finally , the methodological fallacy at the heart of this If you want to see what 's happening in the stream called our society , says one of Faludi 's patriots , go to the edges and look at what 's happening there ... To find out what is going on in the world , examine the what 's happening on Venus . contradictory +The house is hugely enjoyable , with its intricate layout , 18th-century furniture , chinoiserie , children 's toys , and and views of the grounds and distant mountains , particularly from the airy turret rooms . The house is empty . contradictory +Said it was undesirable . " Said it was pleasant . contradictory +yeah whiskey is in liters Whiskey is measured in liters . entailment +I decided I could never be a prosecutor . That is when I decided that I had to become a prosecutor . contradictory +His discovery was soon followed by tea planters and Chinese vegetable growers . His discovery was followed by only tea planters . contradictory +A good one is a gastronomic thrill ! Gastronomic thrill would be a great one . entailment +If someone wants to estimate the cumulative volume growth for a period , she has to multiply the annual growth rates in Columns ( 5 ) , ( 8 ) , and ( 11 ) by the number of years in the period . It is difficult to estimate cumulative volume growth . neutral +Go on ” I am really excited . I am very excited . entailment +After readying the dome 's roof for the ages , the county and state decided to raze it and replace it with a $ 327 million roofless football stadium and a $ 414 million baseball stadium with a retractable roof . They decided to install the dome 's roof instead of building a whole new $ 414 million stadium . contradictory +Practiced by a few , perhaps more squeamish , members . It was common practice . contradictory +This is the case whether or not any mailers decide on the basis of the price differentials to engage in drop shipping . Mailers never engage in drop shipping . contradictory +yeah well it 's kind of hard for me to talk about buying cars because i just got mine paid off about a month ago and i yes i don 't want to think about buying a car for a while i just want to enjoy not having any car payments for a while and I am still making payments for my first car . contradictory +It drifted gently , while Bork pulled a few sticks with runes written on them toward him and made a hasty assembly of them . Bork pulled sticks with runes for the construction . entailment +no appliances we had a couple plumbing problems we 've Appliances always cause plumbing problems . neutral +you know you either have to take a loan or most of them don 't work or if they work they work part-time for You won 't have to take out a loan , but most of them do work , not many of them part-time . contradictory +and if it goes down then we 're stuck all day Besides being stuck all day when it goes down , we might even starve . neutral +they sure have and that 's a good tree it sort of stays green most of the year you know and Not many people care for the tree . contradictory +This site contains research reports conducted by the OIG , including the first ever payment accuracy review performed on Medicaid . The site does not show anything related to Medicaid . contradictory +She dodged a halberd strike , parried another spear , and broke the tip of her left sword off in the breastplate of another . He broke his sword by tripping over it . contradictory +Then we can work together . We can work with each other and others . neutral +He knew that students would not find microeconomics , with its emphasis on efficiency , interesting unless they were first convinced that the economy could achieve more or less full employment , that it need not relapse into depression . He knew the only way he could make his students interested in microeconomics was to convince them that such principles of efficiency could promote employment and prevent relapse of the economy into depression . entailment +It seems like a rather strange site for a colonial city . There was nobody to expect that the colonial city was built on that site . neutral +Color Me Gray Color me a mix of black and white . neutral +Along with Mad magazine , he provided comedy to my suburban boyhood--Schulz the philosophical and Mad the topical--at just the right intellectual level for a suburban boy . There was a magazine called Mad magazine and boys liked to read it . neutral +but i put it in a nice glass bowl and um some people don 't like that that film on the pudding so you can put uh Saran Wrap over the top Saran Wrap can be used to cover the film that some people don 't like . entailment +For populations over age 65 , we then develop a VSLY from the age-adjusted base VSL of $ 2 . The VSLY is for everyone under the age of 20 . contradictory +and uh when i when i first heard about it i was very uh very defensive i didn 't think it was something that that the companies ought to be doing I have changed my mind about companies not doing it . neutral +Modern pragmatism is a powerful brew of relativism--the idea that all truths are situational--and the optimistic belief that things work themselves out in the end . Truths are never situational . contradictory +This policy is important for another reason . There is another reason for why this policy is important . entailment +The gigantic 12th-century Abbatiale Saint-Pierre-et-Saint-Paul was the largest church in Christendom until the completion of Saint Peter 's in Rome in the 17th century . Saint Peter 's in Rome is now the largest church in the Christian world . neutral +In the event there is a certification , generally accepted government auditing standards require that the limitations to GAO 's access to records be identified in the product and that the audit findings be adjusted accordingly . Certifications can be ignored . contradictory +Second , we said that government does have a limited role in addressing the problem . The government does not give much attention to the problem . neutral +The result for pro bono clients traumatized by Sept . 11 , said Chief Judge Kaye , was more efficient delivery of needed emotional , frightened clients had only one contact to make , no matter how many problems they had ; the lawyers would sort out the mess . No one received anything for compensation after 9 / 11 . contradictory +That alters everything ” everything ! " I had never seen him so upset . I have never seen him so angry by something . entailment +But there is a larger philosophical flaw in the best colleges rankings . There is a larger philosophical and moral problem in the best college rankings . neutral +The Alfama was one of the few areas to survive the earthquake . The Alfama survived the earthquake . entailment +Located on the northeast coast of Pulau Pinang ( Betel Nut Island ) , Georgetown is the draw to Penang state , with rich colonial and historic roots amid the clutter of a market and commercial town . There is commercial town and a market in Georgetown . entailment +Standing at the base of the sacred causeway that once linked the pyramids to the Nileisthe Sphinx , the enigmatic depiction of Khephren with his head attached to a lion 's body . The Sphinx was damaged by French soldiers with orders from Napoleon . neutral +oh yeah is there anybody who doesn 't Nobody does . contradictory +On Thursday the advertisement had duly appeared . The ad never showed up . contradictory +i see okay no not at all and yet long enough if we were calling back and forth it would be a toll call If we were to have back and forth calls , it would cost us a fortune . neutral +because oil you can buy for eighty five cents a quart but if you buy that same oil at a dealer it 's going to cost you probably two dollars a quart The dealer offers a much lower price on oil . contradictory +it is comforting to me to see uh more concern about some of these things that that cost us money especially when we have dwindling uh resources such as oil that 's burning out of control in in the Persian Gulf and and so forth just just every little bit does it makes me feel better it it makes me feel like well there may be something left for my children my nieces and nephews and so forth It makes me feel good to see people be concerned about our nation 's expenses . entailment +sites and concludes that agencies have been slow to implement the circular , although progress has been made since 1982 ( U.S. The agencies are slow to implement the circular because change is difficult for large organizations . neutral +This doubles the NBA 's previous record fine , also earned by Rodman , for kicking a photographer earlier this year . The fine Rodman earned doubled the previous record fine . entailment +The choice of a discount rate , and its associated conceptual basis , is a topic of ongoing discussion within the federal government . the government is still discussing the discount rate . entailment +He had no idea what to do . He didn 't know how to act . entailment +More Russian President Boris Yeltsin fired his top two military officers for resisting budget cuts and reforms . Two of Yeltsin 's military officers were fired for resisting reform . entailment +In such an environment , it is essential that ( 1 ) security specialists keep abreast of developing techniques and tools and the latest information about system vulnerabilities and ( 2 ) senior executives ensure they have the resources to do this . Security specialists need to be trained at one of the premier facilities . neutral +Possibly , Bakaly meant to give the impression that Starr has a good hand without formally stating anything , but more likely it was an unintentional snafu . It was possible that Bakaly meant to give Starr a good impression . entailment +boy that 's scary isn 't it That is scary . entailment +Any state that implements online voting may also have to contend with legal issues of representation . States that implement online voting may have legal issues of representation to contend with . entailment +We all knew the rules , so no one needed an OPEN sign . Nobody knew the rules , so we needed an OPEN and CLOSED sign . contradictory +Now environmentalists work hard to protect the unspoiled beauty and wildlife habitats . Environmentalists work hard in an attempt to protect the unspoiled beauty and wildlife habitats . entailment +On the Rue Saint-Vincent , at the corner of Rue des Saules , look out for Paris 's own vineyard , the Clos de Montmartre . The Clos de Montmarte is a vineyard in Paris , at the corner of Rue des Saules . entailment +Now I 'll read it straight through . I 'm going to read all of it . entailment +and i often find that even when i don 't feel that much like exercising like i 'll be really tired and i 'll start swimming and i 'll actually and i 'll actually get energy and i 'll be have much more energy when i 'm done than when i started i mean i just feel great that happens to me probably one in four or five times that i swim I love swimming and try to go every day . neutral +You cannot bag a case in the Justice Department , he told me . According to him , it isn 't easy to bag a case within the Justice Department . entailment +sure go ahead sure No , I advice you to not do it . contradictory +The trend was more pronounced in 2015 . The trend was more pronounced in the latter months of 2015 neutral +and uh they 're big on finger food here too you know chicken wings and uh ribs and that kind of stuff uh barbecue Meals are pretty heavy . contradictory +so but i know many people who have changed majors several times in uh college uh in fact very few people finish in four years now There are very few people who end up changing majors in college . contradictory +Projected AC Demand Due to Multipollutant Initiative . Aggregated costs are tracked for separate initiatives . entailment +you know and the guy was trying to beat him up this older teenager was shacking up with this guy 's ex-wife or something they were uh uh The assault was shown on the local news . neutral +Cowardy-cat . You 're afraid . neutral +Speaking without an honorarium . They did not receive compensation to speak . entailment +Certain of the collections have been approved by OMB and were issued control number 0915-0184 . The OMB approved certain collections and ascribed the control number of 0915-0184 . entailment +and they didn 't just play all day long you know like i noticed a lot of these other schools that i went may I have some JELL-O yeah and interviewed on or interviewed at um they did a lot of play work and stuff and then they almost all of them had a Montessori section and i thought well gosh that must be pretty good There was a Montessori section at the majority of them . entailment +yeah um do you like i mean what is it about uh the the kind of restaurants you go to that you like i mean what makes you like i said what makes you want come back You only like good quality restaurants . neutral +The excellent Youth Wing of the museum for children and teenagers is opposite . The museum is strictly for adults only . contradictory +And we stayed in bed . We made breakfast and ate it in bed . neutral +Stores offer everything from the practical to glass-mountedecorpions and butterflies . Stores do not offer anything . contradictory +oh yeah because Houston was really hurricane alley wasn 't it weren 't there a lot of hurricanes there or Houston was hurricane alley . entailment +With her lank hair , hooded eyes , and air of sleepy sensuality , Sevigny--maybe even more than Swank--embodies the mystery of sex that 's at the core of Boys Don 't Cry . Everything she does is deliberate , ironic , slightly unreadable--and unyielding . With her sexual features Sevigny embodies the sexual mystery which is present most explicitly in the begining of Boys Don 't Cry . neutral +The elaborate sculpture in four 15th-century Jain temples within the fort finds its counterpart in the finely carved facades of the Merchants ' Havelis ( mansions ) , built 200 years later , and sheltered from sandstorms on the northeast side . Two sculptures , two hundred years apart , are related to each other . entailment +Decisions are made based on minimizing the net present value of capital and operating costs over the full planning horizon . Decisions are made based on lowering the net present value of capital and operating costs . entailment +i think it i think it was his shoulder he had surgery on but anyway they 're trying to keep him you know keep him uh from reinjuring anything but anyway I 'm pretty sure he had surgery on his shoulder and they don 't want him to re-injure it . entailment +Critical Infrastructure Significant Challenges in Developing Analysis , Warning , and Response Capabilities ( GAO-01-1005T , July 25,2001 ) . Challenges in analysis development was part of the subject matter of a 2001 report . entailment +i 've only got i 've only got two uh two cards now i 've got a Bank of Scotland Visa and a Citibank MasterCard My Citibank MasterCard is used for most of my grocery shopping . neutral +no and and from everything that i can gather you know reading different articles and and just a newspaper in general uh I can get a lot of information from articles and newspapers . entailment +Every delicacy out of season was duly provided . Along with many foods , all types of cocktails were provided . neutral +A reason for being in town ? " He shot the questions as he might have shot slugs from his Colt . He asked many questions . entailment +By the mid-17th century the Ottoman Empire had reached its greatest extent , stretching from Batumi at the eastern end of the Black Sea to Algeria , taking in Mesopotamia , Palestine , the shores of the Red Sea ( including Mecca and Medina ) , Egypt , Anatolia , Greece , the Balkans , Hungary , Moldavia , the North African coast , the Crimea , and southern Ukraine . The Ottoman Empire was never able to conquer Greece . contradictory +so how do you rate gun control You are in favor of gun control . neutral +Tommy 's got it too I 'm almost sure he has . I 'm conflicted whether Tommy has it or not . neutral +Only after you have a completed manuscript does your confidence build to the point where you can go through the top-heavy pile of pages and , encountering the third reference to Bellow 's occasional book reviews for the New York Times Book Review , Who cares ? Completing a manuscript does not increase your confidence . contradictory +For a more comprehensive discussion of alternative delivery in the United States , see the General Accounting Office Study , n . Look at the General Accounting Office Study in order to see a discussion of alternative delivery . entailment +I myself nearly had the same idea . I didn 't have any thoughts . contradictory +to uh to transmit the signals to have a backup some to back that that system up so that there is no no down time The system is backed up so that it isn 't down . entailment +And you call yourselves editors ? They know nothing about language and despise being called editors . contradictory +Frigola , a sweet , digestive drink good with ice , is commercially bottled in Ibiza from formulas using island-grown herbs . Frigola originates from the island Ibiza . entailment +She just smiled . She smiled for hours , she was so happy . neutral +Gosh , I hope nobody made any Amtrak jokes . That would be terrible if anyone made Amtrak jokes . neutral +And perhaps your group was also right , Bork . The groups was right . neutral +Although this rate variation may seem minimal , if all the banks paid IOLTA interest at only 0.25 percent , the annual earnings on $ 1 . There is no variation . contradictory +The preamble to the proposed rule contained an explanation of the need for the information , the burden estimates related to each portion of the rule , and requested comments be submitted to both the SEC and OMB regarding the information collections . The explanation for the need for information is contained in the preamble . entailment +all right thanks a lot Bill nice talking to you good bye I can 't believe that we haven 't talked in years , Bill . neutral +well there are those that that that think that that that the Panama Canal has some considerable strategic importance particularly for the military interestingly enough my father was who was in World War Two and as uh as a civil engineer they they they offered him a commission as a captain if he would uh go in and and uh help with the defenses of the Panama Canal he had worked with United Fruit Company The panama canal has no strategy . contradictory +It has , in the words of UNITE 's Michael Zucker , banged on workers ' fears . Michael Zucker is associated with the UNITE organization . entailment +The most cheerful assessment of the situation came in the main headline Thursday of the Albanian daily eRilindja Demokratikei . NATO Brings Peace to the Balkans , it said . The publication had a lighter spin on the events taking place . entailment +If you want to know where the real culture wars are , forget the academy and think Silicon Valley and Redmond . The real culture wars are at the academy . contradictory +Rosemary Marshall , D-Denver , is preparing a predatory-lending bill with fewer restrictions than Linkhart proposed . The new bill will have fewer restrictions . entailment +Eating Out Food entailment +Doubling GDP per capita every 35 years represents a way to gauge whether future generations will enjoy a rise in living standards comparable to that enjoyed by previous generations . Doubling GDP is important in keeping good living standards in the future . entailment +Their study covered 86 of the 156 Class I areas in the U.S. Their study covered every Class I area . contradictory +INS published the proposed rule on January 3 , 1997 , in the Federal Register . The rule was published by INS in the Federal Register in 1997 . entailment +um that was the most historic weather day in recorded history for severe weather in the country That was the most well known day in history for weather . entailment +um there 's you know there 's a lot of things like that it it it you can uh you can pound on something for a long time before it finally breaks but until it breaks you don 't really know that there you were doing anything to it We knew how to prevent it from breaking . contradictory +Italy has no more magnificent testimony of its Greek colonies than this complex of wonderfully preserved Doric temples , a 40-minute drive south from Salerno , dating back to the fifth and sixth centuries b.c. These beautifully preserved Doric temples were built in the fifth and sixth centuries B.C. entailment +I realize now that the cameras and microphones were probably installed by [ the Globe ] while I was out , she reports . The cameras and microphones were installed in her dressing room . neutral +Affirmative action is likely to fail when it is merely a special preference bestowed upon those who have the right parents , whether right means educational pedigree or skin color . Affirmative action seldom fails regardless of issues . contradictory +Rennie 's back . Drew watched León hurry to take the buckboard reins , watched Hunt Rennie give a hand to Johnny . Drew watched Leon take his time to throw the buckboard reins away . contradictory +Traditional skills extend wider than weaving . The only traditional skill is weaving . contradictory +yeah um-hum yeah they they are smart they really are right next door or my neighbor across the street has a couple of Labs they 're really nice dogs they really are All of the dogs in my neighborhood are well behaved . neutral +include the National Ambient Air Quality Standards for SO2 , particulate matter and ozone , the section 126 and the NOx SIP Call rules , the Acid Rain Program , new source review , new source performance standards , and the regional haze rule . Most of the debate in the industry centered on the new source performance standards . neutral +The path still exists , and in the cool of the early morning , it is a pleasant uphill walk . The uphill walk along the path is difficult in the early morning due to the heat from the rising sun . contradictory +Adrin had fired left handed and in combat . Adrin had a long rifle . neutral +It was something of a coincidence that they had the wrong true name . Coincidentally , they happened to stumble upon the correct true name . contradictory +so we went in and the financed the car for five and we didn 't know that we got kind of taken just a little bit so we 're kind of upset that we 're having to you know pay this fifth year on the car because it was just not a wise thing but we learned a good lesson so We got a really good deal with the car , and we are happy to pay for the fifth year . contradictory +and uh you know that vote 's just as good as you know the one on election day The vote is very different from the one on election day . contradictory +Like the pride-maddened men of Babel , they were building a sky-high thing of stone . Like the men of Babel , they were constructing a tall monument . entailment +GP2 synthetic seawater , made from reagent grade chemical salts ( 30 ) in conjunction with natural seawater , may also be used if recommended . Only natural seawater may be used , never synthetic . contradictory +I don 't , said Jon . Jon denied it . entailment +something that i feel is a is a pretty much an invasion of privacy is something that 's really so common that it 's accepted as the norm now is the open the open office concept It is not the norm . contradictory +There 's that , said Tuppence suddenly , pointing to a small , old-fashioned safe let into the wall . Tuppence pointed out a safe in the wall . entailment +not so much for the noise but if it were to jump a tooth or something of that nature i would be in serious problems on the freeway and i didn 't want to chance Irene driving the car like that so I didn 't want Irene to drive the car with a timing chain that could be failing . neutral +( Thank you . ) No thank you . contradictory +i used to but i don 't anymore maybe once or twice a year At one point I used to but maybe only once or twice a year . entailment +uh-huh do you normally receive the calls or is it pretty much split I would like to know who to expect to answer when I call . neutral +Qu 'est-ce qu 'il y a ? " The German turned on her with an oath . The German replied , " Qu 'est-ce qui 'il y a ? " entailment +For several years he held court in Valladolid , though eventually he returned to Madrid . Throughout this period , he remained with his court in Madrid . contradictory +Late Edition ' s Frank Sesno cited his desire to spend more time with his wife and children as one of the reasons he had decided to step down as host of the show . Frank Sesno stepped down because he no longer enjoyed hosting the show . neutral +Not green , sir . It 's a shade of green . contradictory +Here I thought they were just a bunch of losers . I used to think they were just losers over here . entailment +oh goodness okay is our five minutes up Is our 5 minutes together over ? entailment +The interest from the pooled money adds up to about $ 6 million per year statewide . The six million dollars earned in interest comes only from a few select cities . contradictory +( Frosh , by the way , seems to have come from the German for frog--it was a 19 th -century nickname for members of an entering class of German university students . ) Frosh is a proper name that has been traced to Ancient Egypt . contradictory +Teachers and journalists urged the revival of the common Malay-Indonesian consciousness , split by the Anglo-Dutch dismemberment of the region in the 19th century . The English and Dutch divided the region up in order to split and weaken indigenous power . neutral +I guess there 's not much hope that she can kick up her heels a bit in Volume III , what with World War II just over the horizon . World War II will be a devastating experience for everyone involved . neutral +" No . " Drew knew that sounded curt , but Oliveri ruffled him . Drew was very polite and Oliveri was really nice to everybody . contradictory +where 's she at She 's in the room with us . contradictory +The war 's over . " A hint of alertness came into Mr. Carter 's manner . The war is still ongoing . contradictory +" That colt 's not a wild one . " Kells surveyed Shiloh knowingly . Kells did not say that Shiloh was wild . entailment +According to federal regulations , beginning 45 days before a primary , any radio station that carries a prepared audio message from a presidential candidate is required to give equal time to any other candidate who requests it . Radios should never give two opposing politicans equal time . contradictory +inside the turkey and then of course we always had to have mashed potatoes it goes in the turkey and we always had mashed potatoes and gravy . neutral +And the continued bull market meant that you had to look harder to find companies that investors were undervaluing and that there was a greater incentive to improve those companies ' bottom-line performance . The bull market meant that companies needed to improve their bottom-line performance . entailment +He was thinking in terms of a world where money moved freely and massively to wherever it could earn the highest return . Money can move about a 401k in order to get a 10 % return . neutral +so we wound up selling it and it 's been about uh i 'd say eleven years uh since we got back into boating now they are big enough to So in the end we kept it , but neglected it until recently when we got back into boating . contradictory +Fertility frontiers : 1 ) The Sunday Times of London reported that a Belgian scientist had cloned a human . According to the Sunday Ties of London , a Belgian scientist cloned a human last week . neutral +And she almost always succeeded . Her recipes nearly always succeeded . neutral +She looked flushed and upset . She was frustrated about what had happened that morning . neutral +Then he wrote a script that 's one part Bill Forsyth 's Local Hero ( 1983 ) , one part Preston Sturges ' Christmas in July ( 1940 ) , and about five parts synthetic whimsy . His script seems to draw on many different sources and inspirations . entailment +When one of my colleagues used eBay to sell an outrageously expensive ( i.e. eBay isn 't typically used to overcharge items . neutral +uh well it 's actually um waste water taking taking care of uh i 'm actually in the air division and we monitor um We work with mud and earth collected on Mars . contradictory +Commentators have noted the growth of Alabama 's black electorate , which Wallace now had to court . Commentators were racist towards Alabama 's black electorate . neutral +Industry and commerce have made the fortune of its three great cities Milan , Turin , and Genoa . Genoa is wealthier , relative to its size , than Turin . neutral +Sacre ! he murmured . He softly said " Sacre ! " entailment +You huntin ' someone ? Are you hunting a deer ? contradictory +Those craven souls knuckle under because , weak and untenured in their pathetic tweeds , they must capitulate or end up doing yard work at some ethnically cleansed eating club . There is no need to give in . contradictory +it it uh definitely fluctuates mainly with what i 'm going to be doing that day and kind of what my mood is and when it 's raining i 'm more likely to wear jeans and and when it 's really cold i 'm more likely to wear jeans or pants or sweaters or that type of thing It changes on how i Feel that day . entailment +well not really but i mean it 's uh for the top medium of entertainment It is the worst entertainment option around . contradictory +Free Legal advice is only a phone call away - and the hot lines that provide it are expanding their services . Legal services have moved away from phone hot lines . contradictory +The ballroom has a woven wall-covering that is a reproduction of an original by Philipe de la Salle , which he created for Marie Antoinette . The ballroom is the site for many local celebrations and gatherings . neutral +Shopping Areas . Shopping areas . entailment +If so , would he make it generally available ? Would he make the computer available ? neutral +Furthermore , Centrelink categorizes preventable payments into three preventable by the customer , preventable by staff , and preventable by the system . Centrelink gives further details on how it categorizes preventable payments . neutral +right and talk to them and yell at them Don 't interact with them at all . contradictory +( One good current French critic is Laurence Benaam , whose thoughful pieces appear regularly in Le Monde . ) Laurence Benaam is the best writer that appears in Le Monde . neutral +Second , many private practitioners are unwilling to take a case when the effort it will require is not clearly set forth at the outset . Private practitioners won 't take a case when they don 't know how complex it is entailment +no i don 't i did it by hand uh-huh it wasn 't too much of a job really like i say it 's just It wasn 't too much of a job for me to do by hand . entailment +The two Ulster earls , O 'Neill and O 'Donnell went into exile on the Continent , along with many other Irish lords . They went into exile and hid for 10 years . neutral +Named after the mountain home of antiquity 's Muses , Paris 's Mount Parnassus was a mound left after quarrying long gone , but remaining an inspiration to artists . Paris 's Mount Parnassus is a popular spot for marriage proposals . neutral +Victor Hugo , in exile in Guernsey , was writing Les Mis ? ? rables , while Baudelaire was working on Les Fleurs du Mal , and Offenbach was composing jolly operettas , such as La Belle Hene . Victor Hugo , Baudelaire and Offenbach were working on creative projects . entailment +The modern air-conditioned building is well designed , with a small number of delightful pieces on display including a striking basalt statue of Pharaoh Tutmosis III . The building is modern , air-conditioned and well designed . entailment +they 're not owning homes period They just don 't own homes . entailment +He seized at the first words that came into his mind . He uttered the first thing that came to him . entailment +Why , it even runs pages entitled Solutions . There are pages that are called ' Solutions ' . entailment +Most scholarly studies of hostile takeovers show they have little or no impact on productivity , profitability , or on the acquiring company 's long-term stock price . Scholarly studies show that hostile takeovers show greatly improve the acquiring company 's long-term stock price . contradictory +Snorkel-fishing with spear-guns is legal , but the fish , which can often be frisky with unarmed snorkellers , now know to scatter at the sight of a harpoon . Snorkel-fishing has become illegal everywhere contradictory +Annual value of the satisfaction of owning and operating this amazing W . The value of satisfaction for owning the amazing W will last a year . entailment +It may not be much of a speck on the globe , but it is big enough to contain a modest mountain , verdant farms , and that real Mediterranean novelty a river . Because it is small , it offers poor mountain ranges , and farms and has no river . contradictory +The federal government 's effect on net national saving has varied widely over the past 40 years . The federal government constantly has an effect on net national saving . entailment +none of the major electronic companies have them but uh like Southwestern Bell 7-Up they have balloons Southwestern Bell 7-Up is one of the few electronics companies with balloons . neutral +Outdoor activities run the horseback riding , ocean kayaking , excellent mountain biking , clay shooting , hiking . Venturing outside is not recommended here , please stay indoors . contradictory +Viejo Madrid , the city of the Hapsburgs , covers a small area that extends east from the pitiful Rio Manzanares and magnificent Palacio Real to Puerta del Sol . Rio Manzanares has always been pitiful . neutral +From Grassmarket , a road runs parallel to the Royal Mile to Holyrood on a lower level . There is a parallel road from Grassmarket . entailment +At a minimum , These budgets covered central staff salaries and training and security hardware and software . Covered items included salaries , training , security hardware and software . entailment +Consider Only 13 nations participated in 1896 , but there were 172 in 1992 . 13 nations were involved in the world stage in 1896 , while 172 were in 1992 . neutral +Miniskirts withdrew from such sweaty connotations , emphasizing instead their harmony with classic jackets . Miniskirts were no longer thought of as sweaty . entailment +Long dismissed as a gaudy playground of excess , Las Vegas has seen recent spurts of cultural growth . The growth of Las Vegas has stagnated . neutral +A list of our previous reports and testimonies on information security is provided at the end of this guide . Testimonies are readily available neutral +It is Mr. Mace , from the chemist 's shop . Mr Mace works at the chemist 's shop . entailment +Although many excellent studies and books have been written on national saving and long-term economic growth , these discussions tend to be complex and technical . No excellent studies or books have been written on national saving contradictory +CLEANUP COSTS - The costs of removing , containing , and / or disposing of ( 1 ) hazardous waste from property , or ( 2 ) material and / or property that consists of hazardous waste at permanent or temporary closure or shutdown of associated PP & amp ; E. Hazardous waste disposal does not often require PP & E. contradictory +He said , " Do you really think the ship will fly ? " He asked , " Do you really think the birds will fly ? " contradictory +Mrs. Cavendish , therefore , made her plans as only a woman driven desperate through jealousy could have done . Mrs. Cavendish 's desperation meant that her plans were half-baked . neutral +uh uh-huh yeah well we have a lot of Mobile stations around here and i used to use that card almost exclusively but now they 're charging the extra five cents to use your credit card and Texaco and Chevron and somebody else is not anymore they 'll take it you know at the cash price or you they 'll now let you write a check if you have their card so you pay for it immediately instead of um you know putting it off for a month There are no Mobil stations in our area . contradictory +A lab-tech approached , tentatively . A lab tech was nervous about coming up to me . neutral +Should allowance allocations be updated , and if so , how frequently ? How frequently should the allowance allocation be updated , if at all ? entailment +Dave looked embarrassed , as he so often does , for Welch and Wright had taught him a When you mock them on television , you don 't threaten them ; you humanize them . Dave never looks embarrassed . contradictory +An ' well , there weren 't nothin ' else to do . There wasn 't anything else to do . entailment +uh you can you can get a family membership do you your family camp at all you you camp with your family how how what You can 't get a family membership because you don 't have a family . contradictory +Don Lorenzo pointed a pistol skyward . Lorenzo pointed his silver revolver skyward and fired it three times . neutral +The team now faces China , which crushed defending champion Norway 5-0 . China played the semifinalists and won last year 's title . neutral +To be fair , the public does seem to have wised up a lot . The public does seem that they are smarter after the scandal broke . neutral +He had backtracked their trail during the day and reported no followers . He was being followed by a large crowd . contradictory +Here we abandon him in the heady presence of treasures laid up on the earth , material wealth in its most concentrated and enduring form . We abandoned him three days after working with him . neutral +Turow 's book arrived in three days from both Borders and Politics and Prose , in plenty of time before Christmas . The book by Turow came before Christmas . entailment +The convulsions were of a peculiar violence , Dr. The man was having violent convulsions while strapped to the hospital bed . neutral +Some have noted that the less robust estimates based on the Six-Cities Study are significantly higher than those based on the more broadly distributed ACS data sets . The were other estimates based on several other studies . neutral +He knew all the technical terms , all the jargon . He didn 't know any of the words . contradictory +Based on such a petition , the Administrator may by regulation make affected EGUs subject to the requirement to hold allowances starting the third year after the first year ( starting 2013 ) when the Administrator makes such a determination . The Administrator cannot require allowance be held . contradictory +so uh so we when we go we have about do about fifteen miles a week but the last little while for one the reason or another we haven 't been real consistent so it 's a little harder when you depending on other people to do it with you We have been as consistent as ever lately . contradictory +In the future , the way to tell a real computer from an I-appliance will be that you tell a real computer what to do and when to do it whereas an I-appliance will tell you what to do and when to do it . A real computer can be told what to do . entailment +and it is really really good about the um Saudis and just tracking their families and the Arabian culture It does an excellent job at tracking Arabian culture . entailment +Municipal pools are available for swimming . There are no Municipal pools which are available for swimming . contradictory +With 14 million subscribers and minority stakes in everything from the Learning Channel to Time Warner , he has the resources to be patient , and the experience of the last four years shows he has the will to be patient as well . Maxwell Smart invested wisely in a great many media channels . neutral +and i 'm not sure what what to do about that or which way it 's going to go I don 't really know which direction it 's going to go or what to do about it . entailment +The race was notable for the last several laps , in which Earnhardt rode Gordon 's bumper at 190 mph . Earnhardt did not take place in the race . contradictory +The dude admitted that he tried weed once back in school . He was pressured by his friends to try weed in school . neutral +Through consultation with key congressional leaders , members , and staff , we also have developed a set of clearly defined , well documented , and transparent protocols , intended to be consistently applied in setting priorities , allocating resources , recognizing existing commitments , and serving the Congress . We have developed a set of protocols to be applied in setting priorities , allocating resources , recognising existing commitments , and serving the Congress . entailment +11 This is a midlife crisis . This is not a midlife crisis . contradictory +i think they 're one of the businesses at large that do things like that they 're more aware of it They are one of the businesses that don 't do it . contradictory +Nighttime entertainment options differ greatly depending on where you are . If you want to visit a casino , it will take a while to get there . neutral +Price caps may sound more attractive with every passing rate case . Rate cases make price caps sound more attractive . entailment +We will settle for nothing less than a world-class delivery system . We want a simple delivery system , and care about nothing more . contradictory +The legislation is absolutely critical to an evolving GAO that is realigning toward a 21st century Strategic Plan and more modern human capital approaches to meet its mission . A more modern human capital approach requires this legislation . entailment +Inside the library there are old photos of assorted Ranas , smartly dressed in tweed suits , neckties , and polished boots , posing atop the huge rhinos and tigers they 've slain . Ranas no longer kill tigers or rhinos . neutral +yeah see what we can come up with do you like the uh news shows Twenty Twenty and Sixty Minutes those kind of things If you don 't watch the news , maybe we can find other shows you like ? neutral +Rennie has already said that 's all right with him . " Rennie has said that is not okay with him at all . contradictory +The Commission promulgated this rulemaking under the notice and comment procedures of 5 U.S.C. The Commission did not have any standard to promulgate the new rule under . contradictory +Adrin jerked a moment and wobbled . Adrin was unsteady . entailment +We are face to face with an entirely new problem . Now that we dealt with the problem , we can rest easy . contradictory +In its first year , Bay Legal also successfully conducted a region-wide Campaign for Justice fundraising effort which brought in significant funds to all of its offices . The fundraising effort by Bay Legal was a success . entailment +Generator Phase I Allowances Generator Phase 1 has Allowances . entailment +Thanks for playing . Thank you for playing . entailment +He still could hear the screams and smell the cooking flesh but he could not accept it . The smell of cooking flesh could be smelled . entailment +8 million budget was derived almost entirely of Legal Services Corp. grants . Almost all of the 8 million budget was sourced from Legal Services Corp. grants and the rest came from the government . neutral +It 's the scene in a posh restaurant in which Wallace regards the Wigands ' paroxysms of fear over the coming 60 Minutes interview with aristocratic contempt . Wigands is afraid of an upcoming interview with 60 minutes . entailment +He has also become a connoisseur of grade-school art . He has become a connoisseur of grade school art . entailment +but are you at TI Are you at TI ? entailment +She was saying , finally , " I tell you they 're in the barn . She knew that she was giving them away . neutral +Christie has been called by the Guinness Book of World Records , among others the best-selling writer of books of all time , and the best-selling writer of any kind together with William Shakespeare . People appreciate Shakespeare 's works more than they appreciate Christie 's works . neutral +If you want to see exactly what was gained or lost in translation ( and if you remember enough of your freshman calculus to read the original ) , then . Calculus is not necessary to understand this . contradictory +I disagree with you , said Sir James shortly . Sir James did not agree with you . entailment +The French painter 's first major American show in 43 years occasions critical revision . The painter 's show took so long because he had not been able to paint . neutral +White just stared . White just looked straight ahead . entailment +Over the years , Congress , EPA and the States have responded to specific environmental and public health problems by developing separate regulatory programs for utilities to address the specific problems . Over the years , Congress , EPA and the States have responded to specific environmental and public health problems by developing a single regulatory program for utilities to address the specific problems . contradictory +The place has lots of Bohemian flavor befitting the name . Bohmeian flavor is a specialty of the restaurant . entailment +Wait a minute , this tires the fingers . " The man called Bork halted the series of rapid passes he had been making , flexing his fingers with a grimace . His fingers moved easily on . contradictory +A brief summary of the statement is presented . The statement 's summary is rather long . contradictory +Morty made uniform shirts , 100 percent polyester . Morty only made pants . contradictory +Middle Ages The Middle Ages were the precursor to major industrialization . neutral +The pistol was alien to Ca 'daan . Ca 'daan was unfamiliar with the pistol . entailment +In running the empire effectively , the British installed railways , better roads , the telegraph , and stamp-post . The British installed railways and better roads , that produced an effective empire . entailment +For the four thousand a month who come to stay , approximately two thousand others pack up their belongings and head elsewhere , still searching for what brought them to Las Vegas in the first place . Vegas is a place filled with many bars and nightclubs . neutral +No more fights today , said the small man . The man said no more fights would happen that day . entailment +Yes , I do . Certainly . entailment +In his insistent quest for meaning in life , Bettelheim was nearly impossible to pin down , and the addition of so many slippery stories certainly doesn 't help . Bettelheim was not at all concerned with meaning in his writings . contradictory +Federal agencies also are to apply these principles-goal setting , performance measurement , and reporting-to their information technology efforts , under the Information Technology Management Reform Act of 1996 . Federal agencies apply these principles . entailment +So are the tiny eastern and southern satellites of La Desirade , Marie-Galante , and Les Saintes . There are three tiny satellites in the east and the south . entailment +For boilers with fabric filters , the size of the silo would be less because of the lower sorbent injection rate . Mesh filters would allow for even smaller silo size . neutral +The future 's bright . Renewable energy will completely replace fossil fuels by 2020 . neutral +CII has recently developed a comprehensive preproject planning approach that allows organizations to measure whether they have adequately addressed all predesign requirements . The CII preproject planning approach addresses post project completion celebration parties . contradictory +After a great 60 Minutes segment , viewers shake their heads in anger and disbelief . Viewers shook their heads after watching the segment . entailment +San 'doro will guard me . San 'doro should advance first , and alone--he is the best infiltrator we have . contradictory +Well , he did , sir . Sir , well , he did complete it before he left last night . neutral +She stopped suddenly , and looked up at me . She continued , ignoring me . contradictory +Our loyal opposition on the right used to tell us that a man can do anything with his property . The opposition was opposing a communist ruler . neutral +yeah well then if the other person hears something like that they come back just as bad and he 'll say well she underestimated her weight by quite a bit and they they just got you know they they go back and forth and it 's kind of funny um They love each other and would never make comments about each other . contradictory +are there a lot of trailers around there The Alabama trailer park where he and his cousin lived was pretty run down . neutral +Many museums are devoted to the work of just one artist , the most fascinating of these being Musee Rodin ( 77 Rue de Varenne ) , with its lovely sculpture garden and useful children 's play area . Many museums are devoted to the work of many artists , the most boring of these being Musee Rodin . contradictory +Accompanying the discussion of each practice is a case illustration involving a federal agency that has made progress in incorporating the practice into its operations . There have been no cases where a federal agency has made progress incorporating the practice into its operations . contradictory +um um-hum i 'm trying to think of what they are what kind they could be I 'm attempting to think of what kind are . entailment +The best screen should be determined in the context of a screening and intervention program . The best screen ignores screening contradictory +The city is undeniably pleasant , but its noise and traffic don 't seem so far removed from the more conveniently located places most people come here to avoid . There is little traffic in the city . contradictory +well yeah yeah we have uh you know like a typical credit union account for you know just a a basic savings thing and then uh we 've got you know the IRA 's and CD 's and various and sundry you know long term kinds of things We do not need a bank account for our savings . contradictory +Despite the ban on cameras in the courtroom , Oprah 's beef trial is starting to resemble an episode on her show . Oprah 's beef trial is starting to look like an episode of her show despite the ban on cameras inside the courtroom . entailment +They spent two days crossing the barrens , the bluffs rising high above the flat plains . They were crossing the barrens in hopes of finding a new and safer place to settle . neutral +Limestone is the reagent used in LSFO to remove SO2 from the flue gas stream . Limestone is not a reagent . contradictory +well you can get um you can get pressurized lumber You can get pressurized lumber . entailment +but i didn 't use them we we usually spend cash you know pay cash for gas and then uh most of the places will take uh the Visa card anyway so most of the time we buy gas and other things with cash , not cards entailment +It 's not the junk I mind as much There are worse things that bother me . neutral +The same goes for cultural Boston residents who indulge their taste for Canadian divas do undermine the prospects of local singer-songwriters and might be collectively better off if local radio stations had some kind of cultural content rule . Boston residents are eager to support local song-writers by listening to local music only . contradictory +The Pearl of Limousin consists of an impressive collection of slate-roofed turrets and towers rising high above the V ? ? zyre river . The Pearl of Limousin 's turrets and towers do not rise very high above the river . contradictory +yeah back and forth uh It 's very streamline with not a lot of variance . contradictory +Wal , now , sonny , you ain 't really wantin ' this here book back ? Of course you want the book back , it 's natural . contradictory +you have to do a little research try to find everybody i guess it 's a little easier with a family reunion and they you know and they they 're really organized you know they setup they they get the hall and they and they uh They 've really made a mess of our family reunion . contradictory +lowest-ranked playoff team in their division ever to accomplish this feat . It was unexpected when the team accomplished the feat . neutral +really i guess they paired two women together on this call for a reason which is something we can think about later but um i understand a little bit about the Texas Rangers i know George Bush threw out the first pitch the other night and it bounced off the ground and that um that i heard a joke on the radio yesterday that in regard that he didn 't design the patriot missile system and uh the which was kind of cruel i mean think the the shame that must have been on President Bush to bounce the first pitch off the ground i mean golly They put two women on this call for a clear reason . entailment +There was one fairly small pair of pliers , a small pick and assorted useless junk . The one pair of pliers available was fairly small entailment +Three regions were modeled ( the Adirondacks , the Northeast ( including the Adirondacks ) , and the Southeast ) . There were three regions that were modeled . entailment +Then she slipped quietly back to the boudoir door . She sneaked out the back door . entailment +In Picardy the Flemish influence is unmistakable , and although Alsace may celebrate Bastille Day at least as proudly as any other French province , its cuisine , wines , and dialect all reveal a profoundly Germanic influence . Alsace may be a French province , but it displays prominent German cultural influence . entailment +with taxes With taxes . entailment +so i enjoy doing it It brings me satisfaction and pleasure to do it . entailment +FDA states that it has analyzed this rule in accordance with the principles set forth in Executive Order 12612 , Federalism , and has determined that the rule does not warrant the preparation of a Federalism Assessment . The Food and Drug Administration has found that there is no need for a Federal Assessment in this situation . entailment +no you you can either use three or four of the threads 3 or 4 of the silk threads can be used to knit . neutral +Committee requests for GAO detailees should be in writing and be for specific purposes for a period not to exceed 1 year . Requests should be made verbally to your supervisor . contradictory +Some of these effects are acute in nature , and some are longer-term and could take many years to manifest . Some of the effects are acute and some are long-term . entailment +very important Super important . entailment +oh my God i i swear those planes going or coming going or coming There is a lot of plane traffic . entailment +Clay pigeon shooting is popular , too . Shooting clay pigeons is not popular . contradictory +right and they 'll just pick crooked people again and then people the the wrong people will just fight their way up to the top again and it 'll all be for nothing they will pick crooked people regardless of what we do . neutral +You 'll see fishermen working their dipping-nets or flinging hand-nets out with a whirling motion . The fishermen use five kinds of nets . neutral +hum five and a half pounds she 's uh laying right in front of my keyboard here on the desk right now She will lay on the desk , on the keyboard , But she doesn 't weigh much . It is her way of getting attention , neutral +Those devils I 'll never rest till I 've got even with them ! What they did was awful , but I 'm not going to seek revenge . contradictory +they have really got it better than we do in a lot of ways you know We do not have much but we still manage though . neutral +The Economic Effects of Federal Spending on Infrastructure and Other Investments . There aren 't any economic effects for federal spending . contradictory +And even when it became clear that Serbs were slaughtering Bosnian Muslims , Israel was largely silent , and even occasionally sympathetic , about Serb misbehavior . Israel was hesitant to criticize Serb misbehavior because it had previously supported Serbian militants . neutral +Senate Republicans last month killed a reform bill that would have cracked down on PACs , soft money , and other current arrangements some people don 't care for . The bill was killed in the Senate over three years ago . contradictory +I never thought of looking . I immediately thought of looking . contradictory +Much of this literature is summarized in the 1996 PM Criteria Document ( US EPA , 1996a ) . The 1996 PM Criteria Document ( US EPA , 1996a ) summarizes a lot of this literature . entailment +" Not orders , no . Yes , all the orders . contradictory +i was gonna say there 've been several times when i know they had ice storms down in Dallas uh that we would be up here trying to call and it we 'd figure out after about the first hour that there ain 't nobody at work Whenever they had ice storms in Dallas I could tell because no one would pick up the phone . entailment +Fascist Italy and Nazi Germany backed Franco 's Nationalists , while the Soviet Union supported the Republicans ( although less and less towards the end of the war ) . Franco sided with the Republicans . contradictory +Under terms of the cease-fire , Israeli forces were allowed to remain in position on Mount Scopus , resupplied once a month by a United Nations convoy of food and medicine . The terms of the cease-fire demanded Israeli forces remove themselves from Mount Scopus . contradictory +is is it okay uh i i i think i i know who that is uh-huh i think my parents have have uh some of his records I think my parents got rid of those records . contradictory +( 3 ) the impact of the actions already taken to reduce improper payments or additional corrective actions needed . Improper payments are not being reduced . contradictory +Frank McCourt brims with intelligence and charisma ( Culturebox has seen him speak ) and must have been an unforgettable teacher whatever he did . Frank McCourt is stupid and boring . contradictory +This leads to the current discount of 6a , which is where the lines in Figure 9 cross . there is a relationship between the lines in figure 9 . entailment +have you been following the big draft that occurred yesterday There was no draft yesterday . contradictory +You 've had notice , Rennie , that 's all I have to say . It will come out of the blue , Rennie . contradictory +Because it is one thing to encourage work-sharing , but quite another to ignore the law , and give revenue away . Work-sharing is impossible regardless of whether or not you follow the law . contradictory +asks the narrator as Clinton wags his finger . Clinton was unhappy with the narrator 's question . neutral +Her name was Jane Finn , and it duly appeared among the list of the survivors , but the girl herself seemed to have vanished completely . There were only 50 survivors . neutral +Government agencies in other countries also use payment accuracy reviews to identify risk areas . Foreign government agencies assess the risk of payments . neutral +Symbolism aside , if government extended marriage to same-sex couples , the new spouses would find the pros and cons about the same . Marriage for same-sex couples is inherently different . contradictory +She squinted and grimaced . She closed her eyes a bit . entailment +When a new king , Kamehameha IV , ascended to the throne in 1854 , Judd was tossed out . The new king ordered Judd to pay for his crimes . neutral +Electronics was out , obviously . Clearly electronics wasn 't in . entailment +as far as me personally i think it made me appreciate my husband more because he doesn 't do certain things that my dad did so i I appreciate my husband less since he 's the same as my father . contradictory +We are the only village north of Fena Set . Fena Set is south of the village . entailment +Shortly beyond the reporting period in May 2001 , the Office of Program Performance held a special telephonic conference for 2002 grant applicants involved in mergers / consolidations . The Office of Program Performance organized a special web presentation . contradictory +Both ESPN and CNBC offer an infinite supply of statistics that give the viewer the illusion of deeper understanding . Analysis of clothing and hand placement can also make people feel more knowledgeable . neutral +We trust this answers your inquiry . We believe that the response will answer your inquiry . neutral +The puppeteers , dressed all in black , are initially distractingly visible on stage , manipulating and walking around with their puppets yet completely disappear from your perception as the magic of the drama sweeps you away . The puppeteers ' puppets are small figures dressed in navy blue . neutral +Some Indian tribes have gone for the same effect by a horrific sort of plastic surgery . The plastic surgery the Indian tribes got was unpleasant . entailment +The job was typically low-paying . Atypically , the job was very high-paying . contradictory +This rule was determined to be economically significant and is therefore subject to Executive Order The rule was made my Executive Order and made it more easy for the government to tax people . neutral +Both the proposed and final rule cite the Secretary 's broad authority to promulgate regulations necessary for the efficient administration of the Medicare program . The Secretary has no say on how the Medicare program is administered . contradictory +He thought natural history Natural History was on his mind . entailment +Though Cairo has many modern and nondescript suburbs , the oldest districts of Al-Qahira are well-preserved and exhibit some of the finest period architecture in the Islamic world . Al-Qahira has some of the best examples of period architecture . entailment +In the end the fare was managed , the lady recollecting a plebeian twopence , and the driver , still holding the varied assortment of coins in his hand , was prevailed upon to move on , which he did after one last hoarse demand as to what the gentleman thought he was giving him ? There was no exchange of money between the woman and the driver . contradictory +a PC at the house would really take a lot of the load off A PC at home would make things easier . entailment +Although Washington remained the center of GAO 's activities , the agency 's auditors first began doing fieldwork in the mid1930s . GAO 's activities focused solely on Washington . neutral +Our observations on the key factors for successful actions in each of these areas follow . We 've observed key factors for success . entailment +14 LEGAL SERVICES CORPORATION v. The corporation was seeing over the services . neutral +I heard the fighting pits of Gazu Kadem are something to see , said Adrin . Gazu Kadem had fighting pits . entailment +But the interior of the mountain range and the most beautiful parts of the parks are not accessible to the best way to experience them is to take a guided walk . The mountains are the prettiest part of the park . contradictory +None for me right the moment , thanks . I might like some later , but not now . entailment +A platform came into view , then shot into the distance . A platform held the fire . contradictory +Together , the eight states also would provide reasonable geographic representativeness , as well as industrialized versus more rural spreads . The eight states would not only provide reasonable geographic representativeness , but also include industrialized versus more rural spreads . entailment +Before Caterpillar starts making parts , it estimates the product 's reliability in its current stage of development based on knowledge captured from failure modes and effects analysis , 6 component prototype testing , and past product experience . Product reliability is estimated before part production begins . entailment +um most of the lawyer programs like uh Law And Order Lawyer programs are nothing like Law and Order . contradictory +Many of the most popular heroic and tragic dramas were written by Osaka 's own Monzaemon Chikamatsu ( 1653 1724 ) , the playwright the Japanese claim as their own Shakespeare . The Japanese say that there is no comparison between Monzaemon Chikamatsu and Shakespeare . contradictory +'Tea ? ' He offered . 'Black Tea ? ' he offered . neutral +and as far as um Mexican type we 've got the only thing up here that we have anywhere close to that is Taco Bell We do not have many ethnic restaurants here . neutral +Brief intervention after alcohol-related injuries . Short intervention after alcohol related injuries entailment +According to the Office of the Actuary at the Health Care Financing Administration , the estimated net present value of future additional resources needed to fund HI benefits alone over the 75 years is $ 4 . The net present value of future additional resources for funding HI benefits was $ 24 . contradictory +For example , the manufacturer 's central security group recently revamped the company 's entire information security manual and dedicated one staff member to maintaining it . The company 's entire information security manual has been revamped by the manufacturer 's central security group . entailment +The entire area makes for a great afternoon 's break from the pressures of Osaka sightseeing . The many tables and benches there makes it perfect for relaxing after sight seeing in Osaka . neutral +On Martinique , all but the most adventurous tourists will prefer dancing and drinking in their hotels . Only reckless tourists will get our of their hotels . entailment +Until two years ago , it was ritual among Supreme Court-watchers to speculate that this term would be Rehnquist 's last . There has never been speculation from the Supreme Court-watchers about Rehnquist 's term . contradictory +Six teams of a nanny and a nurse take turns watching the baby around the clock , although they are not allowed to kiss him . There are six teams of nanny and nurses . entailment +OK , we 're getting into a shaky territory here , Trudeau answered , because I have a notoriously bad memory . Trudeau said he had dementia . neutral +The sunset colors were not sunset . The sunset colors were definitely sunset . contradictory +well that that just seems to be a person who just doesn 't care about much of anything around sort of you know doesn 't doesn 't sort of likes rights probably but doesn 't like responsibilities responsibilities no i think " That person seems to be more enamored with rights than with responsibilities . " entailment +Ames sold information to the Soviets for a price of $ 4 . The Soviets did not buy the information from Ames . contradictory +Just down the hill from Santo Tome , the Casa-Museo El Greco misleadingly named , since the artist almost certainly never lived in it has been reconstructed and linked to a museum dedicated to his life . The Casa-Museo El Greco is located a mile from Santa Tome . neutral +The hordes of people who attended Hoover Dam 's 1935 dedication set the city 's now-formidable public relations machine into action . The Hoover Dam 's dedication in 1935 was only attended by public officials . contradictory +At a minimum , the PCAOB will need to effectively work with the other public regulators on enforcement / disciplinary matters . The PCAOB will be required to work with other public regulators . entailment +yeah yeah yeah most of them too scared to do anything about it Most of them are too scared to do anything . entailment +they have uh twenty seven computers for each of the little labs and each lab serves uh two grades so the first and second graders have their own batch of computers that they 've cycled the kids through and The school decided to buy Apple desktop computers for its labs . neutral +Chapters 2 through 10 address specific activities in the acquisition process . There is a wealth of information available concerning acquisitions . neutral +You say that the attraction between this woman and you is more than plutonic , it is also physical . The claim that the attraction is physical . entailment +Hindu conversions to Islamic faith were more often performed out of hope of social advancement under a Muslim government than out of conviction . Islamic conversions were more to get higher up in the social tree . entailment +Now that the anti-tobacconists are on top , will they too know no bounds ? They are not on top . contradictory +You will blind your foes with the spin of your blade . Your enemies will be blinded . entailment +now he he is a good uh actually i did i played flute for almost ten years and and uh so i i i i appreciate his too his his music he he he 's from Ireland isn 't he I learned the flute in band . neutral +The supporters of the deposed James VII and his successors , exiled in France , were known as the Jacobites . The Jacobites were loyal to Queen Mary II . contradictory +My mother was a Legal Aid attorney in Boston when I was growing up in the ' 50s , said Mr. Gray . Gray said that he grew up in New York in the 70s . contradictory +Strategic Directions 2000 - 2005 challenges LSC staff to expand the support offered to LSC programs and to increase state planning guidance specifically to improve clients ' opportunities to access a full range of high quality civil legal services . The Strategic Directions challenges staff to increase opportunites for legal services . entailment +The land of Upper Egypt sits in the south of the country , and it takes its name because it is up-river of the Cairo and Nile Delta area , which are known as Lower Egypt . Upper Egypt is located in the north of the country . entailment +Cubists are represented by Picasso ( including Mother and Child , from his Blue Period ) and Braque . Picasso was never a Cubist artist . contradictory +This is not the first prolonged interruption of inspections . The inspections often face interruptions . entailment +And the cosmopolitan crowd outside mingling with street performers , artists , and fire-eaters provides hours of free entertainment . There is no free entertainment available . contradictory +yes i know what you mean i i know my husband he um plays an instrument and he played in the band when he was in college and in high school and so he has a lot of all different kinds of music and he goes out of his way to play marching band music or My spouse is musically inclined and has an extensive music collection . entailment +That goddamned hamster dance . The dancing animal was really cute . neutral +Jon felt a surge of pride . Jon had witnessed a great victory . neutral +They had to be willing to work with business managers to enable rather than to control business operations . Enabling vs. controlling is a lot better for the employees . neutral +he they 're not testing him because they only testing for drugs The only thing being tested for is drugs . entailment +Could he really expect to find valiant warriors in Fena Kef ? He didn 't know if there were warriors in Fena Kef . entailment +and i think it 's the younger it 's the younger uh kids that it reaches more and so if they want to start this type of thing it should be integrated maybe from a young age and and Kids are more open to things at a younger age . entailment +yeah it 's kind of neat not to mention the fact that it 's got four thousand ninety six colors and you can 't get more than two fifty six out of a PC or a Mac either one The colors are infinity much better on this one than a PC or Mac . entailment +In this particular case , let 's just say when the original advice was given the wheel was spinning , but the hamster had gone . There has been advice given . entailment +yeah all the Democrats trying to show that yeah oh oh gosh we really did support it i mean just because we wanted to impeach him doesn 't mean anything The Democrats aren 't trying to show they supported it . contradictory +Just south of the National Museum is the spectacular Sanjusangendo , the Hall of Thirty-Three Bays . The National Museum is nowhere near the Sanjusangendo . contradictory +Alfred C. A Public / Private Life , by James H. Jones ( Norton ) . A Public / Private Life was written by an unknown author . contradictory +But the life of an ascetic and the wisdom of Hindu teachers did not satisfy his quest . He was not satisfied in his quest by a life of abstinence . entailment +Once you assess your own capabilities and make your choice , the options are almost limitless . You have lots of options but you can to be sure that your heart can handle them . neutral +But as with any good museum , you can learn a lot and enjoy yourself too . You can enjoy yourself while you learn . entailment +When the supply ship crashed into the space station , Foale feared death by decompression . Foale thought he was going to die when the ship crashed . entailment +He does that here , too , but with a somewhat milder I think what I think , and the hell with the rest of it , the rest of you ; you don 't actually exist for me anyway--you 're all myths in my head . He believes that they are all myths in my head . neutral +Unlike Christianity 's massive gothic cathedrals , designed to convey a strong sense of permanence , this austere wooden structure is dismantled every 20 years and replaced by a new one . The wooden structure is left as is for as long as it takes to decompose back into the earth . contradictory +Stalls here sell books , used clothes , cheese and jams , and a variety of flea-market stuff . The cheese and jams sold here are local products . neutral +Madeira 's small size can be deceiving . Madeira is a little gem in Spain . neutral +Supreme Court will hear arguments about the constitutionality of the IOLTA program in the state of Washington . The constitutionality of Washington 's IOLTA program won 't be argued before the Supreme Court . contradictory +yeah yeah right well it was nice talking to you I 'm glad you called today ! neutral +He staggered in gratefully . He had trouble walking because he was drunk . neutral +well i 've uh for a lot of years i i 've pretty much flied without one and uh just recently uh we we set up a budget and and we 're trying to stick to it we just bought a new house so we 've got everything you know pretty much we know what our uh our fixed expenses are per month and then we 've got some ones that are variable that that pretty much stay within a certain range and then uh then there 's the ones that you never know anything about and that 's the the food budget but that We are on a huge spending spree . contradictory +They didn 't stop the arms race or radiation experiments using human guinea pigs . Human guinea pigs were not successfully in stopping the arms race . entailment +Denderah also has excellent ceiling detail , depicting goddess Nut on her journey across the sky , though they have been blackened by the fires of Coptic Christians and Arabs who later made the temple their home . Christians and Arabs often fought over Denderah . neutral +Page predicted that no breakthrough would emerge from Kyoto because Stuart Eisenstat was attending as lead U.S. representative instead of Gore . Page predicted great success in Kyoto due to the U.S. representative . contradictory +They are mainly Catholics , living in Goa , and elsewhere you will find all the British variations on Protestantism , all with a certain Hindu tinge to them . Goa is predominately populated by Catholics . neutral +These places are worth a visit for their interior marble architecture alone , but the opportunity to experience a genuine Turkish bath should not be missed . It is not worth visiting for the marble architecture alone . contradictory +Indian agricultural products soon found new markets in Europe when the Suez Canal was opened in 1869 . Indians had no agricultural products . contradictory +[ W ] ith regard to enforcement actions at the Presidential level , certifications provided for under section 102 ( d ) ( 3 ) [ now section 716 ( d ) ( 1 ) ( C ) ] are intended to authorize the President and the Director of the Office of Management and Budget to preclude a suit by the Comptroller General against the President and his principal advisers and assistants , and against those units within the Executive Office of the President whose sole function is to advise and assist the President , for information which would not be available under the Freedom of Information Act . Certifications provided are intended to authorize the President and the Director of the Office of Managemen entailment +It is difficult to prioritize and allocate limited budgets among needed requirements when acquisition programs ' cost and schedule are always in question . Program costs and schedules are in question because requirements may be changed by the state legislature . neutral +To the right of the madrasa is the Al-Rafai Mosque completed in 1902 and the last greatest religious structure to be built in the city . The Al-Rafai Mosque was the first in a series of religious structures built in the city . contradictory +Considerable attention would be paid to demand and to prices that could be charged successfully . The prices that could be successfully charged is a topic that would be given a lot of attention . entailment +! Additional questions . All questions have been answered . contradictory +This despite a recent Charlotte Observer study that found that without busing , segregation would return for more than half of the district 's students . Busing causes more segregation than would exist if busing were gone . contradictory +everything yeah that 's why i think it would be neat um I agree that would be fun to try . neutral +I was fairly certain that it was Mrs. Cavendish who had hidden it , but I had to make sure . I was sure that Mrs. Cavendish had not concealed it contradictory +Check to see if Kennewick Man 's skull is slightly squared around the edges , suggestive of a cube . The skull is suggestive of a cube because it was hit with a blunt object and had its shape changed . neutral +At the moment of highest tension , the matador leans over the horns to thrust his sword deep into the bull 's aorta for the kill . The bull kills the matador by sitting on him until he suffocates . contradictory +Robert Lowe speculated that the current situation represents both a unique opportunity for an intervention in the emergency department and a failure of the primary care system . The current situation couldn 't represent anything of value , according to Robert Lowe 's speculations . contradictory +Central Paris is surprisingly compact , and most hotels are close to many of the sights . There are some sights and hotels in Central Paris . entailment +Here , federal welfare benefits may play a role . In this instance welfare benefits may be impactful . entailment +If you do arrive without making advance arrangements , the Hong Kong Hotel Reservation Center at the International Airport will be happy to arrange accommodations for you on your arrival . If you don 't make arrangements before arriving , the reservation center cannot help you . contradictory +There are those who swear by the sight on the Taj Mahal in the Sharad Purnima , the first full moon after the monsoons , a cloudless midnight in October when the light is at its clearest and also most romantic . The best time to see the full moon is in January . contradictory +i 've been making a lot of quilts well not a lot but several quilts lately I 've been making a lot more scarves lately . contradictory +The 18th-century Saline Royale ( Royal Saltworks ) , now abandoned , is surely one of the most elegant factories in the world . The Saline Royale was built in the 15th century . contradictory +The whole interior of the train was crackling ; the walls were heating up . The train was on fire . neutral +Others blame him for today 's news media 's voyeurism and disapprove of his borderline ethics ( he composed scenes that he passed off as spontaneous ) . Some people blame him for the news being so interested in making people cry on tv . neutral +There 's been the most awful row ! There was an awful row . entailment +The latter two districts are newer residential and shopping barrios that extend west and south of the old city . The latter two districts are newer residential and shopping barrios that extend west and south of the old city but are under populated . neutral +The Palestinian economy is a disaster , devastated by Israeli limits on Palestinians working in Israel . Some call this the early stages of a planned Palestinian genocide . neutral +because the whole idea of that waiting period was so that uh it uh the police could check up on you The waiting period has no real purpose . contradictory +You can plan a weather holiday on the At least two outfits , including Cloud 9 Tours , sell storm-chasing tours online . No outfits currently storm-chasing tours because insurance issues . contradictory +The New Yorker ' s Alex Ross calls Palestrina --about the 16 th -century Italian church-music composer--a spectacle that is magnificent on the surface and haunting at the core . Palestrina is a modern book . contradictory +The ancient Greeks traditionally took the fall of Troy , as recounted by Homer , as the starting point of their history . Homer recounted the fall of Troy . entailment +they 'd have a yeah They are not involved with it in any way . contradictory +Lienard de l 'Olive and Jean Duplessis d 'Ossonville put ashore at Pointe-Allegre in northern Guadeloupe on 28 June 1635 . They went ashore in northern Guadeloupe , pulling their seven ships onto the beach . neutral +yeah when i got here my uh uh best friend who was my office mate when i first got here in nineteen fifty nine said the only Yankees he could ever stand wore pinstripes suits and played baseball My best friend said the only Americans he liked wore pinstripe suits and played the America 's greatest pastime . entailment +Researchers do not agree on whether baby boomers and other workers are saving enough for their retirement . a comfortable retirement can be achieved with social security alone , no extra savings is necessary . contradictory +the ones we haven 't papered we 've done in uh uh latex uh uh pastels We use latex and pastels on the ones we 've papered . contradictory +Table 6-5 shows the production of crushed limestone sold or used by U.S. producers . Limestone is used by U.S. companies . entailment +yeah well the Cardinals i don 't know i think the Cowboys probably have a a better team they just at the end of the season the kind of got messed up with Aikman getting hurt because uh Laufenberg just couldn 't never really get it together at all of course he sat along the sidelines all season he never really got in a game never did a whole lot The Cowboys should have started Laufenberg all season . neutral +One of the best is held the second Sunday of every month from 9am to 3pm at the Rose Bowl in Pasadena . The Rose Bowl in Pasadena is now closed to the public . contradictory +The kids . The adults . contradictory +The National Gallery houses a fine collection of works from the 14th to the 20th century from Brueghel , Titian , Velasquez , Rembrandt , Goya , and Gainsborough to Monet , Degas , and Picasso . The gallery only features local artists . contradictory +The next you heard of her was when a Newsweek reporter ( I wouldn 't name him specifically ) showed up in your office saying she was naming you as someone who would corroborate that she was sexually harassed . You had details about her sexual harassment . neutral +I don 't have a feminine side . The person doesn 't have a feminine side . entailment +Early on , Nelson got into the habit of tapping his own financial resources to surround himself with talented people . Nelson is not surrounded by talented people . contradictory +yeah well uh it 's too bad we can 't talk about your other interests but we just have to talk about exercise Its too bad that we have to discuss exercise . entailment +And--this is Ellis ' biggest break in the 20 / 20 segment--Diaz doesn 't quote Ellis ' astonishing admission that until about a year ago the fellow who was like a brother to me , convicted with Ellis in his methamphetamine bust , was a partner in Metabolife . Diaz and Ellis were arrested for herion . contradictory +uh-huh hum well i guess that 's about it I need you to recite some more lines please . contradictory +Among other provisions , it ( 1 ) encourages federal agencies to evaluate and adopt best management and acquisition practices used by both private and public sector organizations , There is something that encourages federal agencies to improve management practices . entailment +Cook is out , said Mrs. Vandemeyer , in a rather disagreeable tone . Mrs. Vandemeyer said that the cook is in . contradictory +that 's the biggest that 's the bottom line is it 's your choice it 's not told to you or pushed on you it 's whatever choice you want to make you can make it yourself It 's not your choice . contradictory +Speaking to University of Georgia School of Law graduates at their 2000 commencement , he said , The cold , hard reality is that far too many people face the possibility of an unjust outcome because they must navigate an often complicated legal system without the benefit of competent counsel . He wanted the graduates to stress their sense of professional responsibility to society at large . neutral +Some of the agencies rules with their own dedicated web sites provided separate links to both the rules and electronic comment procedures ( e.g. Agencies do not list their rules anywhere . contradictory +Competitors would jump at the chance to meet unmet mailer needs . No one wants to meet unmet needs contradictory +A few brilliant victories gained control of Orissa and other territories for Britain , but London decided all that energy would be best directed at Napoleon , and called Wellesley home . A few brilliant victories gained control of territories for Britain , but London wanted energy to be directed at Napoleon who was close to conquering them . neutral +what yeah yeah it 's uh i 'm watching Saturday Night Live here I 'm watching Saturday Night Live , my favorite comedy show . neutral +In particular , we developed guidance , 1 based on best practices in the public and private sectors . We looked at both the public and private sectors in developing guidance . entailment +as as you do a good telling a good story and i thought that was that movie really told a good story I thought that movie told a really good story but it was very long . neutral +No one will turn up a snobbish nose if you prefer beer , mineral water , or a soft drink . No one cares if you don 't like wine . entailment +During the rampage , a mother told her children to pretend they were dead , unaware that two out of four already were . The mother told her kids to play dead , before getting shot herself . neutral +well i think i don 't know if we 've done five minutes but i 'm sure that 'll be I 'm not certain we 've reached five minutes yet . entailment +that was a that was a real good one That was one of the worst ones ever . contradictory +All that volatility , upsetting as it may be for the short-term trader , is simply the small price stock investors pay for vastly superior long-term returns . Long-term returns are something most investors are looking for . neutral +If you 're traveling at the height of the tourist season , this is a place where it is vital to make a really early start . It is not important to get off to an early start when travelling at the peak of the tourist season . contradictory +Postal Service 's international mail finances is to reduce the contribution to institutional costs from $ 375 million to $ 316 million , a reduction of $ 59 million . The Postal Service is planning to increase spending . contradictory +Currently the bank has about 5,000 branches and 180,000 employees . The bank has only 10 employees . contradictory +EAST WENATCHEE - After more than a year of effort , attorneys with Northwest Justice Project earlier this week told 25 families in a mobile home park here that they can keep their homes and no longer need to fear eviction . 25 families recently went through a year-long process to keep their homes . entailment +According to APHIS , the information collection and recordkeeping requirements included in this final rule have been approved by the Office of Management and Budget ( OMB ) in accordance with the Paperwork Reduction Act . The information collection and recordkeeping requirements have been approved by multiple agencies . neutral +Opponents said reformers shouldn 't jump the gun , since 1 ) the decision did not deal with soft money ; and 2 ) the court refused to overturn its 1976 decision that campaign spending limits do impede free speech . Opponents and reformers should not act prematurely without considering all of the factors . entailment +Go to it then , at once , and ring up the Ritz Hotel . Call up the Ritz Hotel immediately . entailment +huh that 's i 've never heard of that before i 've probably seen it though i mean when you described it I have never heard anything similar to this before either . neutral +There 's a name for this personnel It 's called Pass the Trash . Pass the Trash is how this personnel is described . entailment +specialty dress shop and um i was a manager part-time at a card and gift shop as well as teaching in a modeling agency and modeling so I have no experience with the modeling industry . contradictory +A piece suggests that Americans aren 't seduced by Republican offers of a generous federal tax cut . Americans are in love with the Republican tax plan . contradictory +This would provide substantial freedom to compete , but within a constrained framework . This would allow for us to compete , but we must work within a specific framework . entailment +because uh now i have the i i have the IBM PS two I own an IBM PS two . entailment +Out of her stillness she suddenly shrieks , not as an appeal but as a demand , I 'm a human being ! She makes a loud demanding noise from nowhere . entailment +There is considerable uncertainty as to whether the 26 studies on the value of a statistical life provide adequate estimates of the value of a statistical life saved by air pollution reduction . The uncertainty depends on a variety of factors out of human control . neutral +I thank Joe Conason for pointing out my errors , and I apologize to the readers of S late for my carelessness . I will make corrections for the benefit of the Slate readers . neutral +As a practical matter , this interpretation would also bar most other legal representation for H-2A workers , since the record clearly demonstrates that , due to their fear of losing their jobs , their isolation , lack of resources and language skills , and vulnerability , H-2A workers often are both unwilling and unable to contact a legal services office until after they have left their employment . There H-2A workers are always willing to contact legal services . contradictory +Its average annual growth rate dropped from 8.0 percent in 1987-90 to 0.3 percent in 1990-93 and further to negative 1.3 percent in 1993-97 . average annual growth rate grew between 1987 and 1990 contradictory +Ah ! " He raised his hand to his cheek . His cheek was turning red and he checked his cheek 's temperature with his hand . neutral +The RPH is a writer . The RPH writes for newspapers . neutral +Santa Barbara , built by the Carthaginians in the third century b.c. , was so well fortified that for nearly 2,000 years nobody conquered it . The Romans built Santa Barbara . contradictory +Policies and Programs . Rules in place . entailment +When the Ottoman Empire crumbled in the aftermath of the war , Egypt declared itself an independent kingdom , but real power remained in London . The Ottoman Empire held strong . contradictory +and enjoy watching my savings account get larger and uh you know hang on to the one i 've got for a few years because it 's it 's it 's almost four years old but it 's still in great shape i have a Mazda RX7 I have a Mazda RX7 , which is not looking good at all . contradictory +being your best friend . It is difficult being your friend . neutral +did well i 've been with the company sixteen years now i was a WF for several years They 've been the best company that I 've dealt with . neutral +the only real restrictions they have are uh no halter tops and no shorts even the long walking short of the squirts the the split skirts anything that that could be considered shorts they don 't allow and they don 't allow um They said no halter tops were allowed . entailment +so it has the ability to do just about any type of sewing you want to do It 's capable of doing any kind of sewing you want to do . entailment +and that 's good but what 's you know back to what you 're saying if you want to save somebody there 's plenty in the United States that need it to No one in the United States needs to be saved . contradictory +well well you don 't find many intelligent people starting wars you know There aren 't many intelligent people starting wars . entailment +Brightly decorated by their peers , they depict the incumbent in life , at work , or laboring in the fields . Decorations include depictions of the common man at work . entailment +However and wherever you choose to travel in France , one important piece of even if you can 't speak French properly , it 's well worth learning just a few words . French is not a hard language , you should learn a few words . neutral +yeah they they do pick up the image of a team though uh and they create a lot of excitement locally so i think they 're good for the game just because they are diverse and they bring a different attitude Their excitement is detrimental to the team . contradictory +Airports , railway stations , and hotels can be a pain anywhere in the world these days . Subway stations can also be a pain . neutral +3 billion a year , in addition to about $ 4 billion for Head Start ) , and some of those subsidies come with quality strings attached . Organizations offer something in return for larger subsidies . neutral +right oh Neil Sperry hasn 't been pushing that real hard and heavy here lately Neil Sperry has not been giving it all he 's got . entailment +The Gays must remain chaste , which means avoiding genital sexual involvement with same-sex friends . The Gays must refrain from engaging in sexual relations with same-sex friends . entailment +But no one broached these questions at the hearing . The questions were all asked at the hearing . contradictory +You can also order a CD . You cannot order a CD . contradictory +They also said that sharing performance information generated more performance-related discussions , including at town-hall meetings , other meetings with managers , and during team meetings . Having more discussions on performance information is beneficial . neutral +They wish to keep watch and Severn agreed to arm the miners . No one wanted to keep watch . contradictory +The next second , he stood manacled in a long line of men loaded with heavy stones . He was suddenly chained to a heavy stone along with many other men . entailment +Sure--in the city . No , in the field . contradictory +it was just crazy enough for the you know students might try to do it you know i mean and it 's not like there 's a lot of scientific data on it It was so mad that the students might attempt it . entailment +The national language of Hindi is spoken by less than the majority , and English , for which the government has a permanent program of modernization , is spoken by just 3 percent of the people , mostly in the largest cities . The national language has always been Hindi through all known history . neutral +very true i find T News very enlightening and i check that everyday and of course with that goes along the the stock price of TI I check other news sources daily as well . neutral +yeah exactly vegetables and and the same with you know a lot of people wonder do you you know do you find restaurants that will just have vegetarian meals and and even A lot of people wonder do you find restaurants that have carnivore meals and even . contradictory +We often use multiple methods , and the audit trail technique now recommended for case study use was itself adopted from such auditing procedures as workpapers and referencing , which are standard practice with GAO . We use multiple methods and follow GAO standard practices when conducting a business audit . neutral +The RLC ad says Forbes hurt the Republican Party in 1996 and will help the Democrats in 2000 by criticizing his GOP rivals . The ad says that Forbes did the Republican party a disservice in 1996 , but it was quickly brushed off . neutral +and i yes and i don 't hold it against the people I don 't blame the people entailment +He said he expects APPALRED to see a $ 600,000 cut in its $ 4 million budget . They didn 't know how they would make things work with a huge chunk taken from the budget . neutral +a drinking water business uh yeah yeah Business of drinking water . entailment +Impact of screening How screening makes an effect . entailment +It was originally topped by a cap of pure gold , which reflected the bright sunlight and acted as a beacon for those who searched from afar for the temple . The temple originally had a cap of gold that served as a beacon for travelers . entailment +well no i just mean that that the world in general I may be referring to the world in general , possibly . neutral +In one recent memo , the pollster Frank Luntz Rather than investigating Bill Clinton , which no one in America wants , we should be focusing our attention on a Government agency that has a negative impact on our day-to-day lives . Bill clintons investigation made people more depressed neutral +We will discuss this matter and decide . We will talk about it and let you know . entailment +The Tomara Rajputs made it their capital in 736 , with the name of Dhillika , and it was a focus of clan wars until the Muslims conquered it and Qutb-ud-din Aybak set up his sultanate in 1206 . Dhillika was eventually conquered by Muslims in the 13th century . entailment +well that 's yeah yeah well well i didn 't even see Batman so that 's uh that 's pretty good so I saw another movie instead . neutral +you know you don 't feel it so strapped You feel more strapped . contradictory +The Cathedral Museum in the Palazzo Soliano includes other works by Signorelli , a Simone Martini polyptych , and sculpture by Nino , Andrea , and Giovanni Pisano . The Cathedral Museum houses the largest collection of works by Signorelli . neutral +Some one below is asking for you . Someone asked for you . entailment +He was of medium height , and his blue blouse had been cut by a good tailor , though now it was worn . He had a blue blouse . entailment +After reviewing the comments , the Commission concluded that the $ .50 to $ 1 . The Commission decreased from $ 1 to $ 0.50 . contradictory +I regret that I did not have more Jewish education . I want to learn more about the Jewish culture and traditions . neutral +the the magnitude of some of the red tape you have to go through To get an interview , you have to go through some red tape . neutral +Yes , I said doubtfully . No , I yelled with conviction . contradictory +Roberts began her career with a supernatural amount of charisma and sometimes wobbly She was a skittish thoroughbred who needed to be handled ( i.e. Roberts turns everyone off . contradictory +you see what i 'm saying um-hum Do you get my point ? entailment +The Joint Financial Management Improvement Program ( JFMIP ) is a joint cooperative undertaking of the Office of Management and Budget , the General Accounting Office , the Department of Treasury , and the Office of Personnel Management , working in cooperation with each other and with operating agencies to improve financial management practices throughout the government . The Department of Treasury is notoriously badly run and in need of financial management improvements . neutral +The cover essay reflects on hate , describing it as a personal psychological reaction to idiosyncratic experience . The cover essay talks about hate . entailment +Nanak , their guru ( teacher ) , was born a Hindu in 1469 and reared on the egalitarian principles of Islam . Nanak was a Hindu-born guru who taught principles of Islam . entailment +I ” I ” may have done so . I might have done that . entailment +Huge round bastions topped by ornate 14th-century minarets of Al-Muayyad Mosque ( 1420 ) frame the tiny gate , which was used as a permanent scafeld to hang criminals in years gone by . The mosque had a tiny gate . entailment +The bomb had less than ten minutes left . The bomb was going to go off within the hour . entailment +We came to the dead bodies , and White stripped away their weapons . White took the guns off the bodies . neutral +He felt dizzy . He felt dizzy after riding the roller coaster . neutral +well um most of the stuff up until now in the recent months i i i don 't have any problem with I think I should tell them that I am not happy with how things are . neutral +Congress discovered through experience , however , that these restrictions did not exhaust the politically controversial uses to which LSC funds could be put . LSC funds cannot be used for politically controversial things . contradictory +Elements of the postal or mailing community or whatever you might call it have been engaged in the privacy issue at both the federal and state levels . Privacy has not always been a concern for the postal community . neutral +I must really apologize but your conversation was so interesting that it overcame my scruples . " I am sorry for the way I reacted after the conversation . neutral +It can bring balance and fulfillment to our lives , while providing real leadership to some who may need motivation more than money . People only need income bonuses for fulfillment . contradictory +oh goodness well i 'll let you get i enjoyed it bye You 're obviously extremely busy so I 'll let you go now . neutral +It was bad enough before , when we thought he 'd done it , but I 'm hanged if it isn 't worse now , when we all feel guilty for having been so down on the fellow . We shouldn 't have treated him like a low-life murderer so soon . neutral +Saving in the United Why Is It Important and How Has It Changed ? Saving in the united way hasn 't changed over the duration of the companies existence . contradictory +There was no room to retrieve the final error . There were no errors to retrieve . contradictory +As I pointed out in an earlier column in I did not point out anything in the previous column . contradictory +Au Printemps , just next door , has the biggest selection of shoes and is famous for its perfumes , toys , and innovative household goods . Au Printemps is open all night for shoppers who just can 't stop shopping . neutral +Tolly worked in narcotics and knew there was a Southern market for drugs and so converted an existing piece of machinery , creating the first morphine pill . In creating the first morphine pill , Tolly stood to make millions . neutral +uh yeah we have an old fashioned tub sitting that you know water runs into and and uh my husband set up a pump that runs it runs till it 's down and then it stops The tub was modern looking . contradictory +but yeah and swimming is a is a part that i i 'd like to get into as far as my you know just aerobic activity I would love to start swimming , to add to my aerobic regimen . entailment +The WP points out that the scandal has been good media business , with USAT distributing an extra 500,000 copies of its weekend edition , the WP printing about 15,000 copies of its daily run , Time adding 100,000 copies to its usual newsstand run of 250,000 , CNN 's viewership up about 40 percent , and ABC 's Nightline and This Week experiencing pronounced ratings increases . The WP will not need to file for bankruptcy . neutral +it 's not composting It is composting . contradictory +And , in theory , feeding a write-off reserve back into operating income shouldn 't even be possible . Owing to regulation 495-B , that sort of write-off cannot become OI . neutral +yeah that that 's where you just float down the river right You swim down the right , right ? contradictory +For example , in the fall of 1997 , the Nuclear Regulatory Commission 's ( NRC ) Office of Inspector General surveyed NRC staff to obtain their views on the agency 's safety culture . The NRC staff were pleased with the agency 's safety culture in the fall of 1997 . neutral +The Court has said that [ w ] e may consider questions outside the scope of the limited order [ granting certiorari ] when resolution of those questions is necessary for the proper disposition of the case . The Court never allows people to use questions outside the scope of the limited order , even when it is needed for the disposition of the case . contradictory +Creating a competitive environment would involve , at a minimum , eliminating the Private Express Statutes4 and the mailbox rule . A competitive environment can be created while the private express statutes are still in place . contradictory +Anyway , she resumed , as though arguing with an unseen opponent , " I don 't KNOW that he does . Anyway she continued , " I am very certain that he does . " contradictory +Don Cazar Hunt Rennie . Lord Cazar Hunt Rennie . entailment +Frankly , I think the Jamaican Tourist Board should go back to that old ' Come Back to Jamaica ' slogan . The Jamaican Tourist Board should start using their old slogan again . entailment +From here the road turns out of the Borrowdale valley to begin a steep ascent westward through Honister Pass . Borrowdale valley only has shallow paths leading from it . contradictory +well good i 'm glad to hear that about the only thing uh i might suggest is uh do the same thing again introduce her to a to a spider at a reasonable distance where she isn 't frightened She is not afraid of spiders . contradictory +None of that compared to the cyclopean statue that dwarfed the throne of mountains upon which it sat . The statue was huge compared to the mountains . entailment +did you have uh very warm sleeping bag or You didn 't have any sleeping bag , did you contradictory +Case study means different things to different methodologists , who reach different conclusions about how to do case studies , how to report them , and their overall appro-priateness for answering a specific question . Methodologists each have a different meaning for case studies . entailment +It should not be interpreted as a recommendation about how much the United States needs to save because saving is not free and there are other ways in which governments , businesses , and individuals can and will adjust . Saving in the United States is not free and there are means in which governments , businesses , and individuals can adjust . entailment +News lays out Starr 's probable The independent counsel will indict Lewinsky and name Clinton as an unindicted co-conspirator , likely forcing the prez to testify . The president will be punished for his actions . neutral +Show Monsieur Poirot everything he wants to see . Show him nothing . contradictory +Food riots broke out in Lombardy , revolts in Tuscany , and southern peasants demanded a share of common land . Southern peasants were mostly content with the situation . contradictory +Our actions in the weeks ahead will decide history . Future actions in weeks will determine history . entailment +The cover story maps a political agenda to engage the apathetic Generation fiscal restraint , investment in education and training , and class-based affirmative action . There is an apathy related to education investment . entailment +well yeah i agree that you have to pay taxes for the services you get and i think that you know i don 't think there 's probably any really I don 't believe you have to pay taxes . contradictory +Other contacts are listed in appendix II . There are no contacts located in the appendix II . contradictory +GOVERNMENT-ACKNOWLEDGED EVENTS - Events that are not a liability in themselves , but are those events that are of financial consequence to the federal government because it chooses to respond to the event . Every event can be liability if projected so . neutral +The bandwidth to end all bandwidth comes to you from another despicable monopoly , your local cable guy . Cable companies have a gross monopoly . entailment +The Palais du Prince up on Monaco Rock is a fairy-tale affair , neo-Renaissance and neo-Baroque , with a quaint changing of the guard ' fife , drums , and all ' at 11 : 55am every day . The Palais du Prince changing of the guard happens at 11 : 55 AM . entailment +will probably experience a series of terrible events--wrenching calamities that are economic or social or environmental in nature seems well within the realm of plausibility . It is likely that terrible events will be experienced . entailment +This vast complex of 22 subtemples and affiliated monasteries ( down from about 60 during the Edo period ) was built , burned down , and rebuilt between the 14th and 17th centuries . The subtemples have not been on fire in the last 700 years . contradictory +and so i never had a chance and even when i was in school of course i always had classes about that time so i never had a chance but General Hospital huh is one to get hooked on if you 're going to get hooked I couldn 't watch soap operas because I always had classes when they were on . entailment +Pension benefits accounted for 19 percent of the elderly 's cash income in 1998 and income from individuals ' accumulated assets for another 20 percent . More than half of the income for elderly people in 1998 came from pension benefits . contradictory +They include a wide range of diverse activities such as approvals , authorizations , verifications , reconciliations , performance reviews , The activities they include are a wide array of diverse activities . entailment +Many participants built their responses around the scorn of our putatively fiercest critics--Norman Mailer , Michiko Kakutani . Michiko Kakutani is one of our biggest supporters . contradictory +Comfortable shoes , with Salmon labels on the heels . Even though the heels were high , the shoes were quite comfortable . neutral +They stared at each other , puzzled . They were so puzzled that they wouldn 't look at one another . contradictory +Now who 's on top and who 's underneath ? she crowed . It looks like we switched places , she murmured happily . entailment +you know and i got a lot of really weird ideas from that goofy movie I received a bunch of strange ideas and thoughts from that silly film . entailment +Yes , that 's it , and ” I waited to hear no more , but tore up the village to find Poirot . I thought that I might find Poirot by searching the village . entailment +that 's it and i moved and you know now i live in like a family a neighborhood in a townhouse but it 's nice i don 't you know I moved to a townhouse in a nice neighborhood . neutral +However , the colonial struggles in Algeria and Morocco were to have significant impact on French national identity in later years . The struggles in Algeria and Morocco had no effect on French national identity . contradictory +The pink sandstone cliffs at Cap Fr ? ? hel , 70 m ( 230 ft ) above the sea , look out across the Grande and Petite Fauconniyre bird sanctuaries , with their colonies of cormorants and black-and-white guillemots . Both bird sanctuaries are abandoned and contain no birds . contradictory +Deleuze for Dodo Birds Deleuze supports all extinct species . neutral +The Cityof the Popes is today a proud cultural center , home of one of Europe 's greatest arts festivals , and all year round a lively and cheerful town of good cafe , art galleries , and fashionable shops . All year round , the City of Popes is filled with cheer and livelihood . entailment +We 're having debates . The topic of debate is congress reform . neutral +If you do not charge anything for copies of this eBook , complying with the rules is very easy . Compliance with the rules is very easy if you don 't charge anything for copies of this eBook . entailment +and so it was it was cool you know and and it was just uh very tiring though While it was cool , I don 't think I 'll do it again . neutral +It happened again in 1538 and three times in the following five years . It was a frequent occurrence in other areas as well . neutral +The small Pinacoteca includes an emotionally intense Crucifixion by Coppo di Marcovaldo and a Taddeo di Bartolo painting of St. Gimignano , in which you can see what the towers of the medieval city looked like . The Crucifixion featured in the Pinacoteca was designed by Donatello . contradictory +On the left , you see the happy few being welcomed by Saint Peter . Saint Peter is welcoming people on the right . contradictory +Thorn had clutched just in time , grabbing the masked figure who cut at him . Thorn grabbed the masked figure who cut at him with a sword . neutral +Dean Bridge carries the main road over the Water ; it was designed and built by Thomas Telford , one of Scotland 's greatest civil engineers . The bridge was designed by on the of the best civil engineers in Scotland . entailment +The term donations includes wills disposing of property and judicial proceedings other than forfeitures . Judicial proceedings can never result in a donation . contradictory +we 're able to get around pretty good and it didn 't stay too long on the sides of the roads but We were not able to get around because it was on the side of the road forever . contradictory +How was he different than the Eye ? He and the Eye were exactly the same . contradictory +The most powerful families thus carved out for themselves whole regions that were to become the fiefdoms of Japanese feudalism . The families were able to get away with whatever they wanted . neutral +but see they 'll come in and do work that other people won 't do now i don 't know about this day and time when there 's so many people out of work i know if i was out of work i 'd do anything to make money When the job market is scarce , people will do anything to make a living . entailment +But as its obstinately independent spirit has shown , even after the Florentine conquest of 1555 a spirit epitomized by its lusty Palio tournament the town is not without vigor . The town was conquered by the Florentines in 1500 . contradictory +yeah that would be horrible That would be awesome ! contradictory +I wish I could come with you . I would rather not go with you . contradictory +This remote easternmost part of Egypt is still sparsely populated , and in its recent history it has been a political pawn between Egypt and Israel . Israel and Egypt do not get along . neutral +Depending on individual need , Boeing offers a variety of learning experiences including selfpaced , team , classroom , case study , and simulation . Simulations are offered by Boeing , Boeing is an aviation company . neutral +Such expressions might subtly shift market psychology and begin the gradual deflation . The gradual deflation would be horrible for any currency . neutral +The bridge across to Ile St-Louis leads to a blessed sanctuary of gracious living , its quiet streets lined by elegant houses and mansions , long popular with the city 's affluent gentry . The bridge across leads to a pretty rough area . contradictory +Lately , Mr. Gray and his fellow grayheads have been discussing the With the increasing disparity in salaries between public and private law , is it more difficult to recruit and hire the kind of idealistic young lawyers who seemed to be everywhere in the ' 60s ? Mr. Gray has been discussing with his grayheads recently . entailment +Other members included Supreme Court Chief Justice Daniel Wathen , Supreme Court Justice ( and former LSC Board Member ) Howard Dana , the Presidents of the State Bar Association and the State Bar Foundation , a member of the Senate Judiciary Committee , and a representative each from the University of Maine School of Law and the Boards of Pine Tree Legal Assistance and Legal Services for the Elderly . The President of the State Bar Association wasn 't one of the members . contradictory +over and above your house payment it 'll make uh it has a magic with numbers it i it 'll shave almost you know X number of dollars off You should expect to lose money with this . contradictory +The substantive issue at stake is hard news vs. soft Each network is accusing the others of going soft in pursuit of ratings . Each network accuses the other of pursing ratings . entailment +In a June letter to Atlas , LSC President John N. Erlenborn wrote that his decision was based in part on continuing problems at the Passaic County office . The President of LSC was James Erlenborn . contradictory +They are now lined with Murano glass and souvenir boutiques , exclusive jewelry and lace shops , and , most important for weary or hungry travelers , elegant 18th-century cafe . Lace shops are some of the most common . neutral +That is a lot . I 've seen more though . neutral +I 'll see t ' th ' stud an ' th ' mule . The stud is sick , but the mule is not . neutral +Here the two-hour VIP tour changes every weekday , depending on shooting schedules , as small groups of 12 guests over eight years of age walk through the back lot past familiar TV and movie sets and tour production facilities . The tour cost $ 200 a person . neutral +Everyone gets tired of the ransacking of private lives , the cynical search for ulterior motives , the weighing of imperfect evidence ; after a while , people are likely to say , Just let it go . Everyone gets tired of violating the privacy of other people and searching for potential ill-intent and trying to decipher incomplete evidence so after a while investigators are likely to just say let it go . entailment +You may not find many masterpieces among the offerings of the harborside artists , but the Mus ? ? e de l 'Annonciade ( Place Charles-Grammont ) has an outstanding collection of paintings from 1890 to 1940 ' many of them studies of Saint-Tropez itself . None of the paintings at Musee de l 'Annonciade feature the landscapes of Saint-Tropez . contradictory +Hardknott Pass , with gradients of 1 : 3 , is the mother of all Lakeland passes ; the road is narrow and steep and twists like a switch-back ride . It is the mother of all Lakeland passes . neutral +Taxes on contribution and investment income are deferred until amounts are withdrawn . Taxes on contribution aren 't referred at all contradictory +In 1934 , it was the scene of bloody anti-government rioting by French fascists . There was a lot of blood shed in 1934 . entailment +'Stay behind a moment , would you ? We need to talk . ' Try to stay behind a bit , I want to talk to you about something that I wouldn 't want everyone else here to hear . neutral +No , it was diplomacy backed up by force , Kondracke roars back . Kondracke said that it was diplomacy backed up by force . entailment +in terms of you know some real landmark bills passing and things like that such that you know people cause thing about civil rights is people take it for granted now i mean my generation doesn 't can 't rest on the the glow of having achieved civil rights because we were born into an assumption that you know yes there 's still some racism but you know basically things are the assumption things are basically kind of taken care of and there 's a notion of fairness that um while still far from perfect is much more established i think There is still some racism after the civil rights achivement . entailment +It 's pitiful magic that can be worked without regard to the conjunctions of the planets ; but it is all the magic that is left to us . We used to be able to do astrological magic , but it doesn 't work anymore . neutral +The exposure draft presented the Board 's approach to reporting in a manner other than is done in the basic financial statements for those items that it has categorized as stewardship items . The board presented their approach to reporting financial statements for nonprofits . neutral +One participant added that the interest in the profession over the past 10 years has dropped by half , although the recent publicity stemming from Enron and WorldCom , albeit negative , has actually sparked increased interest in the profession . They noted that people interested in the field has declined . entailment +because of the charges they face . It 's simply because of the charges they are given . neutral +yeah yeah but the little thing etched in it say objects are are closer than they appear or something I am talking about my rear view mirror where it states " objects may be closer than they appear . " neutral +You have near immortality now . You 're now nearly immortal . entailment +It 's been a bad month for Communists , with election defeats in Bulgaria , Lithuania , and Romania , on top of prior losses in Russia and the Czech Republic . The communist party has enjoyed a large spike in wins lately . contradictory +But slowly and doggedly he went on sawing to and fro . It was difficult to keep sawing . neutral +The final rule continues a requirement that , in controlled business situations , people making referrals of settlement services make certain disclosures to those being referred . The final rule states that people making referrals of settlement services make certain disclosures to those being referred . entailment +Change in government saving represents tax revenue loss in first year due solely to tax deduction for IRA contribution . Government saving habits never change . contradictory +On the southwest corner of the square , a fine 18th-century palace has been converted into an arts center . An 18th-century palace has been converted into an arts center and it houses modern art . neutral +The adjacent Parque do Loiro ( Tropical Bird Park ) has been incorporated into the Botanic Garden . The Parque do Loiro and Botanic Garden can be seen with one admission ticket . neutral +In the meantime Jane Finn ! Where did Jane go ? contradictory +Based upon the discussion from sections 3.1 through 3.5 , the total resources needed for a single 500 MWe plant and a site with seven 500 MWe plants is shown on Table 3-1 . A variety and abundance of resources is needed for just one 500 mwe plant . neutral +oh that would be a shame It would be great if that happened . contradictory +One example of a GAO case study that examines an individual is our examination of whether or not a GAO case studies do not examine anything contradictory +Most of the guided tours commence at the Magnesian Gate and head downhill along the main street . The majority of the guided tours end at the Magnesian Gate . contradictory +Idiot ! said Tommy amiably . Tommy called him an idiot . entailment +I wish I was that good at anything . I am great at everything ! contradictory +um-hum until the garbage all rotted or something I was there until all the garbage rotted neutral +Dog Bites Man is a poor substitute , but beats Man and Dog Work Really Hard Late at Night for a Long Time Until One of Them Screws Up . Dog Bites Man is a good alternative . contradictory +Dean Harbaugh expressed skepticism about the cent ral thesis of Paper Chase to Money Chase , that debt-strapped young attorneys cannot afford public law careers . Dean Harbaugh maintained his skepticism from his own experience as a lawyer . neutral +These appear to be in adequate supply and are not essential , since the erection plan can be modified to accommodate the use of smaller cranes , which are frequently more economical . They appear to have a lot a supply and aren 't essential because there are other cranes they own more of . neutral +To carry out its important function of restoring investor confidence , the SEC may not always be able to attract the right people and retain them under the existing structure . The SEC , at times , chooses people who are not 100 % qualified for their position to be a part of the organization , even though it isn 't completely wise to do so if they wish to be able to continue running the organization . neutral +I had me some weeks in a prison stockade , which ain 't , I 'm tellin ' you , no way for to spend any livin ' time . I was in prison with several others . neutral +In the 17th-century H ? ? tel Lambert , on the corner of Rue Saint-Louis-en-l ' Ile , Voltaire carried on a tempestuous affair with the lady of the house , the Marquise du Cetelet . Marquise du Cetelet and Voltaire never met or became friends . contradictory +" Breaking horses can be brutal , though we don 't ride with red spurs on the Range . Breaking horses is easy . contradictory +Wool and goat hair have always been used to produce material , clothing , and interesting rugs , carpets , and throws . Wool and goat hair have been used for clothes and household goods for at least three thousand years . neutral +yeah so they 're they 're they have plans i mean the the owner tried to move them to Florida but uh The person says that some other people have plans . entailment +no no no and it 's sort of i guess it 's a little disappointing but but i suppose it 's it 's just the way life is but it happens constantly throughout our lives , and don 't really mind it contradictory +One of the men in the clearing began to rise upwards slowly . No man came out of the clearing . contradictory +but um yeah but she will she almost refuses you know to do that in fact we 're at a point now where if we do a salad bar at the grocery store My wife is the one who refuses . neutral +Coleridge and Southey , two of the more prominent Lake Poets , both lived here and raised the profile of the town and the surrounding area . Coleridge and Southey , two of the more prominent and well known Lake Poets , both lived here and raised the profile of the town and the surrounding area . neutral +They called it the voice of the Old One . They were familiar with the sound and heard it before . neutral +Employees ' overall satisfaction with the organization . The employees are all very unhappy with the organization . contradictory +well it may have been uh the fact we had this early season warm spell It had nothing to due with the cold spell we had late in the season . contradictory +They ain 't got no spite ' gainst nobody as wants to rub ' em down an ' give ' em a feed . They had no animosity towards those that wanted to feed them . entailment +The national economy was shattered , and political divisions were more extreme than ever . The national economy was doing great . contradictory +But it was absurd of John to make such a fuss about it , and to go shouting out : " I tell you I won 't have it ! " I woke up with a start . John was being absurd by making such a big fuss about it . entailment +Uphill to the south of the park lies the Agora , one of the few remaining traces of Izmir 's ancient history . To see one of the last remanents of Izmir , visit Agora which is located downhill to the south . contradictory +Then I will begin by asking you about the events of yesterday afternoon . I 'll ask you about what happened yesterday . entailment +Senate Finance Committee Chairman William Roth , R-Del . , suggested slicing taxes by $ 792 billion over 10 years , while House Ways and Means Committee Chairman Bill Archer , R-Texas , floated a $ 850 billion reduction . Of the $ 850 billion tax reduction House Ways and Means Committee Chairman Bill Archer is proposing , over half of that amount will comes from the health savings funds . neutral +The current Clinton-appointed board has thumbed its nose at congressional attempts to focus the Legal Services Corp. on its mission of helping indigent litigants in certain types of proceedings . The current board has not been interested in attempts to focus the Legal Services Corp. entailment +Or they 'll cross over the river like the torrent . The torrent crossed over the river . entailment +The seventh-century cave-temples of Elephanta Island make a pleasant boat excursion by ferry from the Apollo Bunder ; look for the nuclear reactors at Trombay . The best place to visit by ferry would be Elephanta Island . neutral +The Republicans will argue the shortfall isn 't that big , because they are going to cover some of it by onetime dipping into the bank insurance funds--never mind the S & amp ; L collapse , that was eons ago--and , of course , selling off part of the broadcast spectrum-- the most oversold commodity since the Brooklyn Bridge . According to the Republicans , the shortfall isn 't that big , believe the critics . neutral +That I miss her . I miss her terribly ! neutral +The CSA focuses on the totality of government operations rather than on individual programs . CSA focuses on the full government rather than smaller programs entailment +This is already done on a few star routes at about one-half the cost of rural carriers , and it is reportedly being done by competitors of the Postal Services in the parcel area . Rural carriers are very cheap . contradictory +MODIFICATION -A federal government action , including new legislation or administrative action , that directly or indirectly alters the estimated subsidy cost and the present value of outstanding direct loans ( or direct loan obligations ) , or the liability of loan guarantees ( or loan guarantee commitments ) . A modification is a government action that does not change the subsidy cost . contradictory +Public health risks associated with mercury , particularly those posed to children and women of child bearing age , may be reduced . Mercury 's health risk to everybody is at an all time high . contradictory +The use of these procedures regarding rules pertaining to nonroad engines or vehicles is mandated by section 307 ( d ) ( 1 ) ( R ) of the Clean Air Act . Section 307 ( d ) ( 1 ) ( R ) of the Clean Air Act contains no provisions concerning nonroad engines and vehicles . contradictory +Although the SEC has the authority to issue certain accounting / reporting and auditing standards for public companies , it has historically relied to a great extent on certain selfregulatory bodies to help maintain trust and confidence in our nation 's capital markets . Although the SEC has the authority to issue certain accounting / reporting and auditing standards it had relied on selfregulatory bodies and the people . neutral +A plethora of listings are available at Lawyers.com , but the amount of information is almost overwhelming to the novice . Lawyers are a popular listing site . neutral +Any warmth that was there vanished at his first words . All warmth was gone when he spoke . entailment +FDA considers the two rules complementary and cannot separately quantify the benefits of the two programs and since both rules work collectively to reduce youth access to tobacco products , the costs attributable to the SAMHSA program are included in the analysis . The rules are in place to protect the youth from harmful substances . neutral +A substantial focus of our work then and now was encouraging lawyers to donate their services pro bono publico -- for the good of the public . Lawyers are encouraged to do probono work . entailment +well i had a friend who sat in on a or who was on a jury recently for a murder but the man was not being tried for capital murder and so that was not even an option uh the death penalty was not an option so and in in this case everyone on the jury felt that it should have been and they were very convinced the man had no redeeming uh qualities and couldn 't be rehabilitated and they were they were really upset that he was getting off so lightly for the heinous crime that he had been involved in Everyone on the jury pleaded with the judge to reconsider the death penalty . neutral +It is more chic than cheap , a place where ecologically sensitive hotels are built in restored 16th-century manor and farm houses , where hiking , cycling , and golf complement or replace entirely the long days at the beach . Some old farm-houses and manors have been turned into hotels . entailment +Ser Perth watched with a mixture of intentness and amusement . Ser Perth was watching . entailment +well well it 's well it 's such a it 's it 's it makes the Germans look like slobs i mean Austria and Switzerland do both but Germans are a clean people and live in a society that promotes tidiness . contradictory +yes it is seems very high it hasn 't bothered me but i know the people that have allergies it seems to be a pretty high I 'm not aware of it bothering anyone . contradictory +Beyea , a lawyer at Pine Tree Legal Services , conducted the study and said she surveyed district court judges , case management officers , family law attorneys and people registered to be GALs . Case management officers were one of the groups surveyed by Beyea during the study . entailment +But you can 't get there from here without someone paying twice--for the previous generation and the current one--or someone getting less ( or someone--i.e. While the program will benefit some people it will require financial upkeep from multiple generations and some people will end up not getting what they pay in . neutral +Any difficulty with the army could have serious consequences , not just for you , but for the Range as well . None of the issues with the army will affect you . contradictory +26For more information about the differences between income and consumption taxes and the current tax treatment of saving and investment , see Tax Potential Impact of Alternative Taxes on Taxpayers and Administrators ( GAO / GGD-98-37 , January 14 , 1998 ) , pp. 55-77 . The book is available for free under the Public Domain . neutral +The others were as speechless as Jon . Jon was very loud and talkative . contradictory +Thus , programs will be measured not only on their individual contributions to regional and state planning , but also on the quality of their region 's accomplishments . Certain regions may accomplish more under the program than others . neutral +Although oversight responsibility for the facility planning and design phases generally remains within the agencies , fewer staff resources are being devoted to the effort than in the past . Many people are being fired at the agency for continuously ignoring issues . neutral +Get your hiking equipment on the old arcaded shopping street , Via dei Portici ( Laubengasse ) . All hiking equipment should be ordered online . contradictory +cool yeah works for me No , it doesn 't work . contradictory +Pick a great basketball role model , put him on a pedestal , and let the financial chips fall where they may . Michael Jordan was a huge factor in the increase in revenue of that shoe company . neutral +The paper was safe where it was ; since no one had thought of looking there in the first week , it was not likely they would do so afterwards . The paper was unsafe in its location and was likely to be found soon after the first week . contradictory +Australian aborigines have long sought acknowledgment of the atrocities inflicted upon them . Aboriginies are treated wonderfully . contradictory +Pace and stamina . " Frequency and endurance . entailment +Five long years ! 60 months . entailment +There is nothing between you and Antarctica here . Most travelers make their last stop here on the way to Antarctica . neutral +well it has to be done somewhat arbitrarily at uh on in some uh instances i think that um goods should cost um real total costs rather than just manufacturing costs and that means uh if you oh produce something that creates uh uh adverse health effects that should somehow be reflected in the product if you uh the cost of forestry that you cut down and such needs to be uh reflected Goods should simply reflect the monetary cost rather than anything else . contradictory +Smiley Burnette i don 't know if you 're old enough to remember him Smiley Burnette is the newest craze . contradictory +In 2001 , LSC began to systematize this effort by creating the Information Management Project . LSC created a project to keep information safe . neutral +From the mid-1940s to the mid-1960s , Las Vegas nurtured a growing sense that it was the Entertainment Capital of the World . Las vegas had success due to its cheap strip clubs . neutral +But the Camargue isn 't just a remote haven for wildlife ; despite the dearth of villages inland there are modern resorts along the coast , including the bustling Saintes-Maries-de-la-Mer with its long , sandy beaches , docking facilities for yachts , and good windsurfing ' there 's even a speed canal that allows surfers to reach world-record speeds . The Camargue is a haven for wildlife as well as tourist beach activities . entailment +Serving Jamaican meals with European influences in a newly designed thatch-covered restaurant set on top of cliffs , providing an ideal location for sunset cocktails . They serve Jamaican food outside . entailment +We are concerned that they won 't know , one , what this is going to mean , and then , two , even if they know what it means , won 't know who to contact to help them through this . They will struggle to understand what is happening . neutral +The early years of the 21st century are proving to be a period of profound transition for our world , our country , and our government . These first years of the 19th century are a period of decadence . contradictory +Only a tiny fraction of volunteers assist needy children and seniors , and most community-service agencies are badly mismanaged . There is a large amount of volunteers who are helping needy children and seniors . contradictory +Note the pigeon loft from which , 400 years before Reuters and Associated Press , Jacques C ? “ ur organized a private news service using carrier pigeons . To this day , the pigeon loft is abandoned . neutral +She was at that moment in a typical tetanic convulsion . She was in a tetanic convulsion . entailment +but yeah yeah because most time now you know it 's just a weekend or just forget it yeah It 's the weekend and sometimes people forget . It is not always so easy to get it done . neutral +But he took a liking to me . But he took a hatred to me , did not like me at all . contradictory +i 'm concerned about them not as a military threat but as a burden they 're very large I have no worries when it comes to our military power . contradictory +'Perhaps not , ' Natalia said . The woman was not certain . entailment +and the man said that you know if if it weren 't for the fact that he would go to jail that he would eliminate this person himself and then go to McDonald 's and have a hamburger and not thing a thing think a thing about it He would kill the person himself if it would not cost him his freedom . entailment +It has bunny , intermediate , and expert routes , along with all the ski rental , ski school , and a lounge . There are more bunny routes than expert routes . neutral +How ? Kudupi asked and everyone suddenly noticed . Kudupi asked how that happened . entailment +There must be a certain amount of original sin in me to have survived . I guess I am as pure as a lamb . contradictory +Stroll around and mingle with Egyptians doing their own shopping Khan El Khalili is not just a tourist bazaar to find handicrafts and artifacts from around the country . Khan El Khalili is a bazaar where both Egyptian locals and tourists can mingle . entailment +With Soviet aid , a rebuilding program was initiated , an effort that reconstructed the Old Towns of Warsaw and Gdansk , among others , in costly and meticulous efforts based on paintings , photographs and architectural drawings . Gdansk was considered a total loss and not rebuilt . contradictory +Yes , it is Mrs. Inglethorp 's . Yeah , it does belong to Mrs. Inglethorp and her son . neutral +He is treating me like gold , Green said . Green was being treated horribly . contradictory +[ I ] f [ a statute 's provisions ] are so mutually connected with and dependent on each other , as conditions , considerations or compensations for each other , as to warrant a belief that the legislature intended them as a whole , and that , if all could not be carried into effect , the legislature would not pass the residue independently , and some parts are unconstitutional , all the provisions which as thus dependent , conditional or connected , must fall with them . There was no consideration for the legislation . contradictory +yeah yeah well i got i got tired of the service after a while i mean it i had a terrific job really enjoyed it uh command post Army service gets fun after you get used to it . neutral +Next he shoves a breathing tube down the dead patient 's throat . The patient died recently . neutral +There are three methods of cost ( a ) directly tracing costs wherever economically feasible , ( b ) cause-and-effect , and ( c ) allocating costs on a reasonable and consistent basis . It is economically feasible to directly trace costs when purchases are made with credit cards . neutral +Please keep reading for another point of view--probably not the cat 's . Keep reading even though there is no more points of view except the cat 's . contradictory +you know that 's what i 've heard too you know i heard that they just put them in there because they don 't want to mess with them I 've heard they always help them . contradictory +yeah probably not Most likely not . entailment +Of these , or the many other similar examples I 've collected , there is no mention in the book . The reason that I didn 't mention them was that to do so seemed to me a cheap shot--concentrating on the ephemeral and the inconsequential--the scummy froth atop the waves of any discourse . It is not mentioned in any book that is available to me . neutral +Its Hospital de la Virgen de la Caridad ( Convent of the Virgin of Charity ) , has five El Grecos hanging in its church . The Convent of the Virgin of Charity has only one church . neutral +what what is your major in school that your ah super that sounds good and you 're finishing up this year huh This is your last year . entailment +Will you repeat to us what you overheard of the quarrel ? I don 't what to know what you heard . contradictory +and yeah then you have to pay your fee and American Express you 're really it 's not a credit card because you have to pay it off at the end of the month but the fee for that it 's really expensive isn 't it American Express credit cards are the same as other credit cards . contradictory +i 'm into quantity and French the French restaurants aren 't Do you think the French quantity has improved ? neutral +On Parosethe marble-clad Byzantine road at Lefkes takes you down the valley to Karampoli . The Lefkes road is in precarious conditions and it is dangerous . neutral +yeah all it was they wasn 't mild you know they was just bad side effects They weren 't really mild side effects , instead they were actually bad side effects . entailment +Mehta evidently loved William Shawn at least as much as Lillian Ross did , although his love was not requited in the same way . They loved Lillian for her bubbly personality and good looks . neutral +right um i usually have parties that are smaller groups i don 't have i 've never had a real big dinner party except at traditional holidays like Thanksgiving and such I always have huge pool parties at home . contradictory +I was in such a funk I had to think of something , said Tommy simply . Tommy had been in a funk earlier . entailment +The SEC tries to create deterrence and be measured in imposing sanctions . The SEC can impose sanctions in some cases . entailment +She made us come right in , and sign our names at the bottom of a long paper , under where she 'd signed . If they didn 't sign their names they would have been harmed . neutral +( At least the theory of it . ) At the maximum some of the idea of it . neutral +goodness and all of them were in the house Goodness , all of the dogs were in the house ! neutral +that sounds great well you know it 's funny because the grocery store down the street it 's one of these you know super grocery stores they have a a Chinese take-out that tiny grocery store doesn 't offer any kind of world cuisine , much less take-out contradictory +Washington , D.C. : Brookings Institution Press , 1991 . The Brookings Institution Press had offices in Washington in 1991 . entailment +And suddenly I remembered that first conversation at tea on the day of my arrival , and the gleam in her eyes as she had said that poison was a woman 's weapon . She never spoke of poison . contradictory +i carry one in my briefcase and i wear it i wear it when the occasion demands if somebody important is coming to visit well i take it out and put it on uh i wear a sport jacket sometimes and i wear uh well reasonably not not real dressy dressy pants but but reasonably decent reasonably decent pants Sometimes I wear a sport jacket and decent pants but not like dressy pants . entailment +well what 's uh what 's the best experience you can come up with uh as far as camping What 's the best camping experience you have ? entailment +The south remained dominated by the Hindu kingdom of Vijayanagar for the next 250 years . The south was contested by countless Hindu kingdoms for no less than 100 years . contradictory +i 'd like to see those i keep you know um you know there 's like three movies that i i keep telling myself that i should see one of these you know some day that i haven 't seen you know that that are classics you know because i 've never seen Citizen Kane and never seen One of those movies is pulp fiction . neutral +Jamaicans are sociable people , living their lives out in the open and knowing everything about their neighbor 's business . Jamaicans like their neighbor no matter how rude they are . neutral +After a few muttered imprecations he handed the Bradshaw to Tommy as being more conversant with its mysteries . Tommy muttered imprecations as he used the Bradshaw on him . contradictory +The act also requires that all operators of federal computer systems , including both federal agencies and their contractors , establish security plans . Security plans are required for all organizations that operate federal computer systems . entailment +Auditors should use a cost model to provide general estimates and not precise figures . Auditors who give precise figures find much of the information they offer is useless . neutral +Masons dug a shaft 10 m ( 33 ft ) into the bedrock for Ramses III 's tomb ( 11 ) c.1151. Ramses III 's tomb was deep underground . neutral +yeah uh Garp The World of Garp Yes , Garp , The World of Garp . entailment +Still angry , Lewis writes , Throughout my years in the movement ... Lewis was not involved in any kind of movement . contradictory +what kind of drugs did you use if you don 't mind May I ask what drugs you used ? entailment +On one side of the street are several outdoor cafe where a cafe con leche can be stretched over a whole morning of basking in the sun , postcard writing , map reading , or watching the crowds . Located on one side of the street are some outdoor cafes where a whole morning can be spent . entailment +Very few of our clients have the financial resources to do this on their own , Youngerman said . We are always willing to help those without the financial resources . neutral +America has made great progress in reducing air pollution . Air pollution has been cut down in America . entailment +He said the Association recognizes that many foreign service officers frequently travel long distances and would therefore receive considerable benefits from such legislation . The legislation ignored the amount of officers that frequently travel . contradictory +He swung but the northerner sidestepped easily . The northerner was hit by the person swinging . contradictory +i think the Cowboys have shown a lot of improvement this uh past year The Cowboys lost a few games this past year . neutral +From the square you can continue along Jaffa Road to reach the colorful marketplace of Mahane Yehuda , which is especially crowded before the Sabbath and holidays . Mahane Yehuda is very popular around special occasions . entailment +But it had a sheltered harbor , protected from the monsoons by neighboring Sumatra . The harbor was shored up by the locals and safe from storms . neutral +Those who didn 't escape were executed or sold into slavery . None of those who escaped were executed or sold into slavery . neutral +At least they were in here , drinking , too . There were several people sleeping . contradictory +Normally , I simply wouldn 't invite him and would explain that it was a small ceremony ( which it is ) . I wouldn 't invite him and would tell him that its a small ceremony . entailment +Then , to my intense surprise , he shook his head decidedly . He shook his head after coming to a decision , much to my surprise . neutral +Many Zimbabweans , and many friends of this country , hope he will pause and rethink his positions on the land issue , the economy and democracy , it concluded . Zimbabweans and foreigners alike are okay with the state of their nation and how things are going . contradictory +February or early historical Carnival , masked balls and processions in magnificent costumes ; more contemporary Carnival with parade of floats ; Almond Blossom Festival in Sicily The Almond Blossom Festival is an event which takes place in Sicily every year . neutral +You , Shannon , what 're you doin ' here ? Why did you come here ? entailment +Congress mandates the programs that agencies undertake and monitors their progress and central agencies provide policy and guidance on many different matters . Congress has no control over agencies ' programs . contradictory +Additionally , a handful of resorts such as the South-Seas themed Mandalay Bay , the Mirage , and the new Four Seasons are now catering exclusively to the luxury travel market . The Mirage costs $ 500 per night . neutral +Tommy 's making tracks for the Argentine . The Argentine is making tracks for Tommy . contradictory +and i said you haven 't heard about tornados how about bugs you know You 've heard about tornadoes I know that much . contradictory +The next year , Italy invaded Albania and , after France 's collapse in June 1940 , plunged with Germany into World War II . The Albanians offered only light resistance . neutral +Also , a stunning overhead photo depicts droves of worshipers at Mecca . There was nobody at Mecca . contradictory +Some of the buildings date from the 16th century , but it is also lined with buildings of almost every era , including numerous 17th- and 18th-century tenements called lands , sometimes 13 stories high . It has various buildings from the 16th , 17th , and 18th centuries . entailment +The Highlands are best reached by train on the KL Butterworth line to Tapah Road station and then by taxi up into the hills . The best way to get to The Highlands would be to walk . contradictory +The beautiful valleys and magnificent volcanic peaks with such whimsical names as Harrison Stickle and Crinkle Crags produce some of the finest vistas in the Lakes . The volcano is the oldest in the country . neutral +But now , criminal law queries can be referred to Families Against Mandatory Minimums , at www.famm.org , a national group that might be able to help a caller , no matter where the person is in the United States . Families Against Mandatory Minimums is a group that can give advice about criminal law over the phone . entailment +do you um i know one thing that 's pretty popular with the girls up here at college and i make them also is the padded covered photo albums I do not make anything here that is popular . contradictory +A Time story says Levi Strauss faces stiff competition from trendier competitors ( Diesel , Tommy Hilfiger , Polo ) . A Time piece talks about the competition between Levi Strauss and others like Diesel Tommy Hilfiger and Polo . entailment +Next door is the Musee de la Mode et du Textil , devoted to high fashion , the decorative art of which Paris is still the world capital . The Musee de la Mode et du Textil is devoted to technology , of which Paris is the world capital . contradictory +yeah that was uh pretty suspenseful That movie was a hilarious comedy . contradictory +The aquarium is set in a large complex of unusual shops and restaurants that also contains the Suntory Museum . The Suntory Museum is located in the middle of other shops and restaurants . entailment +Follow-up was limited to six months , so this study would have missed any rebound back to baseline at later time points , and the refusal rate was rather high in this study . Six month follow up was not sufficient time . neutral +This will require a more stable budgetary and personnel environment than has been the case historically . Legislation is in the works to ensure a more stable budgetary and personnel environment . neutral +I reckon , said Julius , " that the man who let daylight into you would be doing humanity a good turn . Julius believed that the man did humanity a good turn . entailment +I must have an ally in the house , he observed reflectively . He wanted an alley very badly so he could drive his car through it . neutral +uh and i i think that 's probably the fun of watching minor league baseball and the other thing is watching guys on the other end uh guys that i had seen play for both the Red Sox and Pittsburgh Minor league baseball never trades players . contradictory +Do most of us identify with one or the other or are they just oversimplified descriptions designed to attract associates surfing the Web ? Do most of us identify with one option or is that just oversimplified to attract people on the web ? entailment +well they 're the standard right now or as far as that goes you know people think of computers they think of IBM a lot of times and the main They 're not very well known . contradictory +we could go back to television shows if you If you will approve it , we can go back to airing weekly TV shows . neutral +yeah we sort of stayed to the topic anyway We kept the topic at hand as the forefront of the discussion . entailment +This puts it at a disadvantage vis a vis the Postal Service , which delivers to all households . The Postal Service delivers to most households . contradictory +They also have certain conflicts in connection with their investment banking and brokerage operations that need to be addressed just as independent auditors do in connection with their consulting services . The investment banking and brokerage operations yield certain conflicts . entailment +Nightclubbing has come of age in Las Vegas , thanks to a resurgence of dance music and the city 's population boom . Nightclubbing is not popular at all anymore . contradictory +There 's always a few hombres in any outfit as tries to push when they gits a slug or two under their belts , " Nye observed . Nye is observant . entailment +I did , said Severn . Severn said he did . entailment +We don 't see him surprise the nation in 1964 with strong showings in the Maryland and Wisconsin Democratic primaries--states outside the Deep South where he wasn 't expected to fare well . He didn 't have much support outside of the Deep South . neutral +they don 't have any college probably much at all and if we can 't take it and use it easily well we how can you put that on like elderly people and They probably don 't have and college education . neutral +Tanenhaus accuses Chambers of having inadvertently instigated McCarthyism , and shows us Chambers ' paranoia , his introversion , his sententiousness ( Stephen Koch , the Wall Street Journal ) . ( Also , see Slate 's mildly critical review by Ann Douglas . ) Tanehaus doesn 't think Chambers instigated McCarythism due to his paranoia and introversion . contradictory +It wanted to rest after an exhausting task involving vaccine discouragement , and these whitecoats here planned to put it to work yet again . The task had harmed society . neutral +oh okay my only other standard menu i guess is uh Thanksgiving i know how to put the bird in cook the bird and make all the trimmings I don 't know how to cook Thanksgiving dinner . contradictory +What is more I will move sky and earth to have the world accept them . I will do everything I can to make others accept them . entailment +There are more than 40 beaches in Hong Kong that are free to the public . Hong Kong only has private beaches . contradictory +I was with a woman , a woman they nearly crushed between the manipulation of the north and the barbarism of the south . I was all by myself . contradictory +Take the m ? ? tro to Rambuteau and start at the corner of the Rue des Archives and Rue des Francs-Bourgeois , named after the poor people who were al ? ­ lowed to live here tax-free during the 14th century . The metro system can not take you from Rambuteau to Rue des Archives . contradictory +Oh , you don 't know how lonesome I feel ! " Oh , you have no idea how solitary I feel ! entailment +Accordingly , he wished them goodbye , and they left the hotel . Accordingly , he hugged them and led the out of the hotel . neutral +The reasons are appropriate for the case study application , an issue of particular concern if a generalization of the findings is intended . Another issue of particular concern is the location of the case study . neutral +At a 300-lawyer firm , it would translate into about 1,300 hours a year , more than half a hard-working lawyer 's billable time . No lawyer generates more than 200 billable hours a year . contradictory +just as he created a camel to be a camel . The camel was the only one created . neutral +The others looked ashen . The others looked blue . contradictory +'Busy busy , ' I shrugged . I was motionless . contradictory +As shown in figure 3.5 , GDP per capita under the Constant 2000 National Saving Rate simulation would fall short of doubling every 35 years . The GDP per capita will continue to grow at the same rate . neutral +Olives , walnuts , almonds , and late developing fruit must all be brought in and preserved before the start of winter . Almonds , walnuts and olives have to be taken in and preserved prior to the beginning of winter . entailment +Halfway down the west side of the green is the massive Georgian Royal College of Surgeons , built in 1806 . You can see sprawling gardens at the massive Georgian Royal College of Surgeons . neutral +Originally the 13th-century fortress of Naples ' French ruler Charles d 'Anjou , it was rebuilt in the 15th century as a palace for the Spanish kings of Aragon . The original fortress was torn down when the Spanish kings of Aragon rebuilt it as a palace . neutral +Then that arrangement will suit you ? You 're happy with the arrangement then ? entailment +Brought a message from Mrs. Vandemeyer , I suppose ? " 91 " Not exactly , " said Tuppence . Tuppence relayed an instruction coming from Mrs. Vandemeyer . neutral +Early diagnosis , new teaching techniques ( emphasis on the arts , thematic programs ) , and new research into the brains of LD kids are starting to rectify a neglected problem . There are many promising research programmes dedicated to LD children . neutral +We also recognize that the practices require customized application at individual organizations depending on factors such as existing organizational strengths and weaknesses . The practices need a customized application for each department . neutral +Short-term ozone mortality risk estimates may also be affected by the statistical issue discovered by the Health Effects Institute ( Greenbaum , 2002a ) . The Health Effects Institute is the only organization studying ozone mortality risks . neutral +The only way to visit any of the six still active 16th-century synagogues is with a guided tour offered by the Museo Ebraico in the Campo del Ghetto Nuovo . Anyone can visit the active 16th-century synagogues at any time . contradictory +and now you 're taxing me again on it You are taxing me on the same thing . neutral +In its submission , HUD did not identify any other statute or executive order imposing procedural requirements relevant to the rule . HUD never identifies executive orders . neutral +HCFA did not discuss the proposed change in its analysis , but in the preamble to the proposed rule . The proposed change can be found in the preamble . entailment +is almost always wrong--but it 's not far off . It 's usually off , but not by much . entailment +The governor , a scholarly retired naval officer with good intentions , was accompanied by a contingent of 80 Spanish soldiers , most of retirement age . The governor is a young and famous fashion model . contradictory +From Skiathos , you can reach Skopelos , Allonissos , and Skyros . Skiathos is a vast island , populated mostly by tourists . neutral +There are still a great many factory outlet stores with reasonable prices . The factory outlet stores are overly expensive and the prices aren 't reasonable . contradictory +'Two young adventurers for hire . Two young adventurers willing to work . entailment +To pick these nits is not to deny Kutler 's heroic efforts to bring this material to the public . Despite Kutler 's best intentions , his material has no real value . neutral +The closest reference you 'll find is on a ramp leading to the Port a Soprana , a medieval turreted gate on Piazza Dante , where there is an obscure plaque indicating the house of the discoverer 's father . There are no close references - or any references at all . contradictory +The paper says that one hastily filed suit says that Microsoft is a generic drug maker and another says the company 's principal location is Texas . You can read in the paper that Microsoft makes drugs and is headquartered in Texas . entailment +and that 's practically impossible to do now a days for a company to to shoot up in that way and uh These days , there 's almost no chance for a company to take off using risky advertising . neutral +First to arrive was the Tang clan , which established a number of walled villages in the New Territories that still exist today . Thanks to the Tang clan , there are a lot of walled villages that exist today . entailment +Before the conquests , the Aryans were organized in three warriors , priests , and commoners . The Aryans established a structure which included warriors , priests and commoners . entailment +A case is defined as the provision of permissible legal assistance to an eligible client with a legal problem , or set of closely related legal problems , accepted for assistance supported by LSC or non-LSC funds in accordance with the requirements of the LSC Act , regulations , and other applicable law . A case is defined as any type of legal action regardless of the provision of legal assistance . contradictory +According to Spanish law , only captains who have an official licence can operate motorboats . The law is enforced by federal officers to ensure that it is being followed . neutral +Thanks a lot , Jesus . This situation is bad . neutral +Eilat enjoys a prime location on the migration path for birds flying from Europe and Asia to Africa . You would feel lucky to experience the migration path of birds flying from Europe and Asia to Africa . neutral +You scored 190 , and besides , you 're not as old as I am . ' You scored 190 on their report card . neutral +oh possibly four but uh it was it it 's it 's really made such a difference from her i really would like to i 'm a disabled person so i 'm unable to to really take care of a pet and if if that I 'm disabled . entailment +His knees were bent . He kept his legs totally straight . contradictory +so therefore i don 't believe there could be a single government for the whole world there 's too many societies involved uh the language barriers Governments should only work with other governments who speak the same language . neutral +Mostly positive reviews for the Berkeley sociologist 's latest work , in which she argues that parents put in ever longer hours at work not because they must but because they prefer it to home . Mostly negative reviews for the Berkeley sociologist 's latest work crushed her potential . contradictory +The project will be complemented by the HelpMeLaw website , funded by an LSC Technology Initiative Grant . HelpMeLaw isn 't being funding by any of the LSC Technology Initiative Grants . contradictory +stay over there because we just don 't want to send our people there and make them stay We will send our people there for up to a year but no longer than that . neutral +Prudie guesses it 's the Hepburn aura you 're going for , since , unlike you , there was no Marilyn Monroe body underneath all those tailored clothes . Hepburn was not a style icon . contradictory +He suggested that perhaps ethics should be added to the recommendation . He thinks ethics should be included . entailment +Of the Italian paintings , Bellini 's L 'Ivresse de No ? ? ( The Drunkenness of Noah ) and Gior ? ­ dano 's Philosophe Cynique are outstanding . The Drunkenness of Noah is not an Italian painting . contradictory +Although this approach seems reasonable , there is a potential for substantial overstatement or understatement because the amount of estimated domestic postage-based terminal dues calculated under this procedure represents 4 percent of total IC payments to FPAs and 14 percent of total DC payments . The postage-based terminal dues are added to the IC , FPA , DC , and AO payments . neutral +At the foot of the castle was Nor ' Loch , a large expanse of water that required draining . There was a large expanse of water at the foot of the castle . entailment +An ' it was a pleasure to do fo ' a gentleman . I am always happy to help others out . neutral +uh they will not restrict it but they just ought to not release i don 't know i don 't know what districts are releasing the numbers to these newsmen that they can predict uh i i thought the polls had to be closed before you were allowed why would you release it to the newsmen first i i don 't even know how the news media get these numbers from the polls i would think that ought to be sacred and and until it 's all over They won 't restrict it but they also can 't release it legally . neutral +However , if GAO believes it is experiencing unreasonable delays in obtaining requested access , GAO officials will contact the agency 's leadership for resolution and notify the congressional requester ( s ) of the work affected , as appropriate . GAO can contact leadership for help . entailment +In this display , policy changes are allocated equally between revenue reductions and spending increases . Policy changes time to time . entailment +me grab grab grab walk yeah Made out like a bandit . neutral +uh i haven 't been to any Toronto games yet but um I will be going to the next game . neutral +A coal with 4 percent sulfur , conservatively , will require 32 tons * of limestone per hour , or 0.064 tons per MWe per hour . Coal with sulfur doesn 't need limestone contradictory +Yet , in this century , the island has suffered a number of severe setbacks that , until recently , made it a backwater of the Aegean . The island has suffered a number of severe setbacks , such as a tsunami . neutral +'But since Boston 's still essentially underwater and Philadelphia is ... well , Philadelphia ... we thought we 'd go somewhere calmer . We wanted somewhere calmer than Philadelphia . entailment +if i don 't do it i just feel like i don 't have as much energy Without it , I feel that I am powerless . neutral +Annette Bening , on the verge of becoming a major actress before she got sucked into Warren Beatty 's orbit , burned up on entry . Annette Bening was a talented actress . neutral +This analysis was revised when it was determined that the interim program , which began on January 1 , 1995 , would last 30 months rather than 18 months and there were changes in the estimated cost of deposit control testing and the addition , in the final rule , of a required deposit demonstration test to qualify test fuels for certification testing purposes . This anaylsis was never revised , after confirming that the predictions were correct . contradictory +Today they are on view in the museum on site but their stone sarcophagi still lie in the temple complex . They are not happy to be parted from their sarcophagi . neutral +1 the autonomous county office will be replaced by a new agency whose administrators will report to a director based in Jersey City . The county office will be replaced by a new organization . entailment +A notice of proposed rulemaking was published on May 16 , 1996 , following adoption by the FCC on April 25 , 1996 . The FCC published the rule in 1996 but did not implement it . contradictory +Everyone asks why does she stay in the abusive situation , Youngerman said . He is staying because he does not know how to escape . neutral +yeah a typewriter with memory would would have been fine it 's all she ever uses it for She would be fine with having a spiral notebook and pencil since she can 't type . contradictory +Programs offer a broader range of services to the community based on an expanded definition of advocacy , moving beyond litigation and conventional lawyering . There are more services being offered to the community . entailment +Considered one of the greatest architectural achievements of the Ancient Egyptians , the temple complex at Abu Simbel is also one of the most famous . The temple complex at Abu Simbel is well revered in the architecture community . entailment +It is hard to understand how Grisham pulls this off . It is difficult to comprehend how Grisham succeeds . entailment +Steve Forbes ' Internet guru Rick Segal tried to work the Iowa straw poll this way . Rick Segal is Steve Forbes ' internet guru . entailment +Each party receives and sacrifices something of value . Neither party has to give up or accept anything . contradictory +yeah i 'm not sure I can find out . neutral +I had hoped that he would have observed the stiffness of my manner . I 'm a disagreeable individual . neutral +um-hum yeah but yeah you 're right that wasn 't a very pleasant experience You are correct the experience was not pleasant . entailment +These [ debt ] problems blunt the desire to serve that is prevalent among law school graduates , and have negative consequences for society as a whole , the report declared . They were proud to make it out of law school debt free . contradictory +The papers are full up to the brim with that type of thing . The papers don 't contain that type of thing at all . contradictory +It provides a forum for the development of uniform policy and addresses the need to coordinate regulation of multi-state insurers . Multi-state insurers are one of the most profitable companies in the West . neutral +Despite the potentially intimidating aspects of live gaming , it makes little sense to spend your vacation in Las Vegas and not play at least a few hands of blackjack or craps , especially when there are free gaming lessons offered nearly everywhere . Live gaming is easy if you just try it . contradictory +Both of these units provide more recent insight into the ability and scheduling to install FGD systems during a period of high demand for SCR installations . The units can be seen to determine the validity . neutral +Of course . Absolutely . neutral +Duke came to the suburbs of Washington , D.C. , last weekend to raise money for the race . Duke took part in fundraising for a local senate race . neutral +The bronzeman had been right . Like always , the bronzeman had been wrong yet again . contradictory +Raimondi has been evicting residents and demolishing trailers that are left behind in order to meet a city requirement that he present a clean piece of land with no environmental concerns . Raimondi is getting rid of the trash on his property . neutral +Markets get caught in self-perpetuating cycles of undue optimism and hysterical panic . The cycles do not sustain themselves in the market . contradictory +In 1993 , a National Research Council study found that more than 10 percent of all federal financial aid was awarded in error . Some federal financial aid is awarded in error . entailment +Again , this simulation assumes that nonfederal saving remains constant as a share of GDP at 16 . There is no correlation between GSP and the savings . contradictory +But the most formidable obstacle to online voting may be entrenched interests threatened by change . The interests fear the use of the internet for voting . neutral +Suppose , for example , that an estate of $ 400 is to be divided among creditors who claim $ 100 , $ 200 , and $ 300 . The judge would not evenly split the money between the creditors . neutral +Comfortable rooms with en suite bathrooms , kitchenettes , refrigerators , and TV in lodges set amidst wide lawns and comfortable facilities for relaxation or BBQ . The rooms are comfortable and have en suite bathrooms with jacuuzis . neutral +The road ends at a fine miradouro , where a statue of Christ stands with arms outstretched ( a miniature version of the statues at Rio de Janeiro and Lisbon ) . The road to the fine miradouro is long , winding , and full of potholes . neutral +An article marvels at the revival of religion in China , now used by the Communist Party to control a restive population . The revival of religion is being used to control the population in China according to an article . entailment +Dostoyevsky wrote a book called The Idiot about a guy who is unprepossessing and naturally holy . Dostoyesky 's book was a best-seller for a year . neutral +The traditional patterns and symbols are handed down from generation to generation and have great significance to the weaver , conferring good luck on the household , protection against the evil eye , or expressing the desire for a child . Handed down from generation to generation , the traditional patterns and symbols are used to confer good luck on the household , protect against the evil eye , or express the desire for a child , and have great significance to the weaver . entailment +it 's almost a luxury It is high-class . entailment +Appendix IV IRS 's Senior Executive Performance Plans Plans in Appendix IV for IRS senior executive performance . entailment +But it was treated before being shipped , and a by-product of the treatment was molasses , used as a basis for making rum . Molasses was the only byproduct of the processing done . neutral +Liquor and These are both cheap compared to European and American prices . Local liquor are much more expensive than those in Europe and the US because they are hand-made . contradictory +If the former , then all the contestants have missed the boat on the second event . The contestants missed out on the second event if the former is true . entailment +Establishment and Review of Performance Measures and Indicators Performance Measures and Indicators can only be reviewed . contradictory +The small man 's head exploded into a red mist . A red mist was left over when a small man 's head exploded . entailment +to to help parents uh learn how to talk about their war with their children i thought that was a really unusual thing Parents often talked to their children about war . contradictory +and our bottom line answer was no because we cannot save the world After deliberating for three ours we came to our decision . neutral +hey that 'd work for me let me tell you that will not work contradictory +With the belief that one person cannot embody all the knowledge needed to effectively direct information technology and management in an organization , this executive uses an executive-level technology committee as a forum for building consensus for IT initiatives . The executive personally directs as the information technology in the organization . contradictory +Here Picasso , Braque , and Juan Gris developed Cubism , while Modigliani painted his own mysteries and Apollinaire wrote his first surrealistic verses . Picasso developed Cubism all by himself , and he is credited with founding it alone . contradictory +Its standout attraction is the Museu Nacional de Arte Antiga ( National Museum of Ancient Art ) , Portugal 's largest museum . The largest museum in Portugal is the Nacional de Arte Antiga . entailment +If a decision is made to commit to develop and produce a design before the critical technology , design , or manufacturing knowledge is captured , problems will cascade and become magnified through the product development and production phases . Product development success does not entirely depend on a successful planning stage because it is hard to predict the outcome . neutral +I don 't understand . I understand . contradictory +Do you think you can do it ? " Do you think you can learn that ? contradictory +Luxor ( known to the Ancient Greeks as Thebes ) was for many centuries the capital city and religious focal point of Egypt . The Ancient Greeks referred to Luxor as Memphis . contradictory +Well i most of them have uh the option the American American made cars have uh the the miles per hour as the big scale and they 're little tick marks uh sort of hidden on the scale which shows kilometers per hour American cars do not use miles per hour for measurement . contradictory +Thorn grabbed the horse 's mane and mounted in a single fluid motion . Thorn failed to mount the horse . contradictory +Even if you cannot afford the often prohibitive prices , they 're worth visiting as veritable little museums of Renaissance and Baroque sculpture and furniture . You can hardly find examples of Renaissance and Baroque sculpture and furniture at this museum . contradictory +right and do we have enough for you know um food storage and enough uh batteries and all the kinds of things Do we have enough space for food storage , batteries , and so on ? entailment +'Don 't worry . Panic ! contradictory +Remember that this is a sacred place dress respectfully ( long trousers or long skirt and long-sleeved shirt ; women should cover their heads , shoulders , and arms ) , remove your shoes before entering , and do not use your camera . There is a dress code in this sacred place . entailment +We note , in particular , our support of the OIG 's work to strengthen LSC recipients ' compliance efforts and Case Service Reporting , which has resulted in increased accuracy in the documentation of the performance of LSC recipients . We support the OIG 's efforts to improve LSC recipients ' compliance efforts . entailment +For all its historic grandeur , the loyal Senate now is the equivalent of a city council , its statesmanship dedicated to water supplies , sewage lines , and the establishment of playgrounds . The Senate today is much more impressive than historical Senates . contradictory +Building on the policies of the moderate scenario , the CEF advanced scenario assumes a doubling of cost-shared R & amp ; D investments , resulting in an increased spending of $ 2 . The R & D investments were stopped completely , due to the shortage of qualified professionals . contradictory +In neighbouring Jaffa there are more nightspots offering touristy Oriental folklore entertainment . Jaffa doesn 't have much of a nightlife , especially for tourists . contradictory +Among the two paintings by Giovanni Bellini of the Madonna and Child and a highly personal Piet ? ; Veronese 's Jesus in the Garden ; Tintoretto 's dramatic Discovery of St. Mark 's Body ; and an impressive Christ at the Column by Donato Bramante . Madonna and Child is the name of one of Bellini 's paintings . entailment +Sharp things . Things that are not dull . entailment +and i haven 't figured out how to get that off i guess i 'll have to take that door down and really get it good I suppose I will have to remove the door in order to get it off . entailment +up until it 's coach pitch until you get nine which my little boy will be nine in May so he 's going to be with uh regular pitching and my eleven year old of course you know is pitching When you 're 9 , you get to pitch . entailment +Mail on all other city routes is delivered six days a week . Mail on all other city routes is only delivered every Sunday . contradictory +Opening hours are as ordinary shops and stores 8am to noon and 2 to 5pm ; supermarkets , department stores , and bookshops 8 : 30am to 12 : 30pm and 2 : 30 to 5 : 30pm ; boutiques 9am to 1pm and 3 to 6pm . Regular shops open in the morning from 8am to noon , but supermarkets and bookshops open half an hour later . entailment +The armor displayed here includes an outfit for disguising horses as elephants . The armor presented here was never used to you . contradictory +Dust rolled in a cloud with two or three riders at its center . A tourist took a picture of the dust rolling in a cloud . neutral +Rising up ahead is the imposing facade of the Library of Celsus , built in a.d. 110 by a Roman consul as a memorial to his father , and restored during the 1970s . The Library of Celsus was the biggest library constructed by anyone of Roman herritage . neutral +Perhaps you don 't realize that I am still in the dark . You must not know that I am in the dark . entailment +Every chair was a sculpture , every lamp a work of art . The furnishings within were beautiful and could be considered art . entailment +Come agin , suh come , agin ! " Drew went down the corridor , his spurs answering with a chiming ring each time his heels met planking . Drew wore spurs . entailment +The wheels of the chariot themselves , symbols of the Hindu cycle of rebirth , have beautifully carved spokes and hubs decorated with kings and gods . The chariot wheels have spokes made of iron that was forged . contradictory +All stewardship information is deemed required supplemental stewardship information ( RSSI ) . All stewardship information can be disregarded as soon as it is collected . contradictory +He wondered at what blood alcohol level patients could remember an intervention . He was not interested in blood alcohol levels or patients remembering interventions . contradictory +well when you take a a situation where i think in particular in Salvador where there is a significant under under class excuse me and that uh having a a a lot of difficulty uh surviving uh the question is would they you know would they be better off under communism They are trying to leave their country . neutral +The men who built the road . The men who constructed the road . entailment +The next day everyone insisted it was just a misunderstanding . Everyone said it was a misunderstanding the next day . entailment +Women dressed in black chat outside their houses ; the men gather in shady squares to discuss the day 's news and play p ? ? tanque , or boules . The men gather to discuss the news , and the women dress in black to chat . entailment +She sure was the pluckiest little girl " But suddenly something seemed to crack in Tommy 's brain . Tommy 's brain stopped working . neutral +It involves a projector for the focussing of thought and , even more than that , conscious attention on the part of both projector and receptor . The desired outcome can be achieved by yourself . contradictory +Its gardens , with ponds , mounds , and shady woods , are English in style ' a relaxing change from the formality of the chateau . The gardens are less formal than the chateau itself . entailment +it 's a fantastic machine if you 've got to have IBM compatibility they 've got a card you can plug in and you can run IBM software but the machine is so powerful i don 't need it IBM software can help the machine but mine doesn 't need it . entailment +when you think of what it takes to make some of those kind of movies you know It takes a lot to make some of those movies . entailment +But today hunting is strictly banned . The hunting is no longer legal . entailment +The complex challenge of global climate change requires a global response that will draw on the power of global markets and the promise of technology to achieve emissions reductions most flexibly and costeffectively in the coming century . Climate change is a really simple problem and can be solved within a couple years . contradictory +The ideal measure would also take into account the specific nature of the risk reduction commodity that is provided to individuals , as well as the context in which risk is reduced . There is no ideal measure , this is not realistic . contradictory +They are linked not only by geographical location but also by here are the upmarket and fashionable neighborhoods , with affluent residential sections , trendy restaurants , and L.A. ' s fabulous shopping areas . They have no connection to each other . contradictory +yeah yeah absolutely yeah we uh we stocked up the first time around but we 've definitely got all the formulas on file and uh we 're they 'll be there for a while we 're we 're pretty comfortable with that but yeah it it i 'm i 'm real nervous every time i i open a new can i 'm wondering if i shouldn 't buy about twenty gallons at one time and keep it all in a in a wash tub or something somewhere because i 'm always i 'm always afraid that the next coat is not going to match I was never worried about the coats matching . contradictory +The wide square opposite the bridge is dominated by the Yeni Camii ( New Mosque ) . The square is home to the busiest mosque in the world . neutral +and i did that and the driveway the following spring which uh i needed a break from the work and i i needed a break to get a little more money ahead stuff like that so i waited I needed a break from work , so I did the driveway the following spring . entailment +yeah and it was usually uh also uh where i was it was um in in engineering and and it was it was a casual office there was no formal dress code but When I worked as an engineer , we had to wear suits and ties . contradictory +The woman smiled back . The woman was sad and crying . contradictory +i see what team do you follow What food do you like to eat ? contradictory +Today the streets of the New Town have perhaps the greatest collection of Georgian architecture in the world . Georgian architecture tours are common in the streets of New Town . neutral +The degree of control over access to automated systems for data entry , examinations , reviews , and approvals will vary . The degree of control over access to automated systems has improved over recent years neutral +The time was still the same . The time stayed the same and was boring as always . neutral +Both new protocols will be used by staff and consultants who review programs and in their reports and recommendations based on the reviews . Staff and consultants will be using the new protocols . entailment +They know now that I betrayed them . I would never betray them . contradictory +also enumerated the issues and criteria that state planning They found issue in the current state planning and made an effort to ruthlessly list every last issue and criteria that the state planning ... neutral +Like its football cousin , baseball depends heavily on television money . But MLB complains that it 's not getting enough . Baseball gets $ 10 million from the networks . neutral +yeah no it 's interesting that you mention that i didn 't think about that before when you were talking but the service academies have all all the faculty uh for the most part is is military with a few exchange The majority of students at service academies are from the military . entailment +But returning later to regroup after being slapped by an angry storm , a dispute arose over stolen property . They experienced only the most beautiful , sunny weather . contradictory +One is reminded that in 1938 , during a safari arranged for the British Viceroy of India , hundreds of elephants took part in a hunt that bagged 120 tigers , 38 rhinos , and 27 leopards . 120 tigers were hunted down during a safari in 1938 . entailment +In 1770 , Russia came to aid the Greeks ( defined by their Orthodox religion rather than by historical geographical boundaries ) , declaring war on the Ottoman Empire and occupying several Aegean islands until 1774 . In 1770 , Greeks were helped by Russia against the Ottoman Empire , according to the documentary . neutral +Consciously aiming for stalemate would not be acceptable to Congress . Congress does not find aiming for a stalemate acceptable . entailment +unfair to to children like uh engineers usually work fifty or sixty hours a week i refused to work more than thirty i was part-time and even that was a rat race but I worked part-time . entailment +I don 't suppose that everyone is like that . I doubt everyone is a lying liar who lies . neutral +He was charged with murder and tried as an adult . He was accused of killing someone and was held as an adult . entailment +It 's worth climbing the old stone stairs to the choir loft to see the wood-carvings , particularly on the seats reserved for the Catholic monarchs themselves . There were seats used only by the Catholic monarchs . entailment +If the MBMFC rule was removed and all mailers could choose between 11 Mailers would be able to choose if the MBMFC rule was lifted . entailment +Wilkins , I believe ? " I think it is Johnson . contradictory +so the Serger is not a sewing machine itself it 's something that goes with it Serger is a sewing machine . contradictory +What are you trying to suggest ? I don 't like what you are implying . neutral +Hurricane Andrew , which leveled much of South Florida in 1992 , raised further doubts as to whether FEMA was capable of responding to disasters . Hurricane Andrew hit Florida in 1992 . entailment +what are things like you said McKinney do you live in McKinney too are things pretty calm up there or You did not say anything about McKinney . contradictory +The security specialists said that they were constantly looking for new tools to test the security of their computerized operations . A consultant was hired to attempt hack into their operations and test their security . neutral +FIPS ( NIST ) -formerly Publications relevant to the acquisition of informationthe National Bureau technology include the of Standards FIPS publications are easy to find on the site . neutral +LSNY disperses approximately $ 33 million a year , of which $ 12 million comes from the federal Legal Services Corporation . LSNY plans to disperse another $ 5 million in the years to come . neutral +God maybe i 'll take it out i hadn 't even thought about it I 'll take it out , I hadn 't thought of it . entailment +They 'll take care to get him out of the way at the right minute . Getting him out of the way at the right minute is impossible . contradictory +There are , however , four other applications of case studies that are less often used at present but that could be appropriate for our jobs . There are four applications that aren 't useful for us at all . contradictory +In 1982 , Ronald Reagan invoked this right to keep EPA documents about toxic-waste disposal from Congress . Ronald reagan proudly showed the EPA papers contradictory +This subcommittee is uniquely positioned to consider these broadbased and crosscutting challenges and what needs to be done to address them . The subcommittee is issuing its decision tonight . neutral +Smith promises , [ T ] his will be the beginning of a long fight with the 105 th Congress on this . The Congress ' fight with Smith will be quick and painless . contradictory +Oh , don 't rate the lad , said the Industrialist 's wife . The Industrialist 's wife said not to rate him . entailment +But that thar sure looks a lotta hoss . That does not look like a hoss to me . contradictory +I think Mrs. Vandemeyer 's boudoir would be the most comfortable , she said at last , and led the way there . She led two people to Mrs. Vandemeyer 's bedroom . neutral +Soon to have flying robot insects . The insects will be used for entertainment . neutral +Yoritomo 's piety bought him a little more time to enjoy his success ; he was 52 when he was thrown by a horse and died of his injuries . Yoritomo died as a result of horse-riding injuries . entailment +But don 't feel sorry for Clift . Don 't pity Clift . entailment +He fired his first two shots quickly and saw Vrenna strike right afterward . He was hoping that one of the shots would have taken down his opponent . neutral +Hillend is open year round and has all the equipment you need for rent . At Hillend you can also buy the rental equipment if you enjoy it . neutral +In all discussion of metaphor , writes H. W. Fowler in Modern English Usage , it must be borne in mind that some metaphors are living , i.e. , are offered and accepted with a consciousness of their nature as substitutes for their literal equivalents , while others are dead , i.e. , have been so often used that speaker and hearer have ceased to be aware that the words used are not literal . All metaphors are dead and are literal . contradictory +Two brill dragged an ornate wagon on huge iron-rimmed wheels . A wagon carried all their supplies . neutral +Gosh , why didn 't we think of that ? We didn 't think of that , darn ! entailment +He smuggled it back to Germany , but it vanished during World War II , only to make a dramatic reappearance in Moscow in 1993 . He took it to Russia and hid it until 1993 . contradictory +yeah oh golly well i live in Dallas what what area do you live in I live in Phoenix , what about you ? contradictory +Privatization means allowing individuals to invest for themselves all or part of what they and their employers put into Social Security . The employers had two investment options entailment +It seems fairer to conclude that Hillary 's flaring temper was an understandable reaction to the humiliation to which she was subjected on a regular basis . Hillary was subjected to humiliation on a regular basis . entailment +The Bush campaign has a sweet monopoly on that . The Bush campaign funds that . neutral +This represents the current NIPA definition of investment used throughout this primer unless otherwise stated . The definition of investment being used here will be the current one provided by NIPA . entailment +get back in shape You are in such great shape . contradictory +My thoughts of mankind were kindly and charitable . My ideas of humanity reflected altruism . entailment +we uh you know we 're not going to get this budget isn 't going to make us rich but it is going to prevent us from going into poverty uh but We are going to get this budget and will all become rich . contradictory +uh i guess it was uh they brought in their verdict and sentence at the same time did they not I thought they brought in the verdict and the sentence at the same time but they didn 't . neutral +for for local news i think we do real well where it 's we live in a kind of small town but i think we get excellent local coverage um and i like the national news that we see we we watch NBC and i think they do a real good job so i 'm i 've been real pleased with the quality of the news we get how about you I 'm fairly happy with both the national news I watch on Fox news , as well as the local stuff . contradictory +and so when we got there the water that we were supposed to drink wasn 't potable like well you couldn 't drink it We eventually obtained some drinkable water . neutral +Like federal agencies , the organizations we studied must protect the integrity , confidentiality , and availability of the information resources they rely on . Confidential information can include client personal and financial information . neutral +A recognized item is depicted in both words and numbers , with the amount included in the statement totals . The statement totals do not include the amount . contradictory +But all year round , you can visit the monumental 18th-century Grandes-Ecuries ( stables ) , now a horse museum ' with live horses contentedly munching hay next to wooden statues . The Grandes-Ecuries stables were built in the 1700s . entailment +If it 's just plain stupid to continue making rambling , drunken , late night phone calls to Ellen Barkin despite a court order--hypothetically speaking--what 's to be gained by running a no-win campaign in New Hampshire ? Ellen Barkin is has never received late night phone calls . contradictory +yeah so i 'm old oh I 'm a spring chicken . contradictory +No , you are right , he said , " it is not as though there was a blood tie . He reckons things would be different if there were a blood tie . entailment +Both carry an excellent selection of literature , general books , books on Ireland , and the works of Irish writers . Both offer a diverse range of works produced by Irish writers . entailment +The 200 page report , the company says , merely pointed out that the Chinese rockets had faulty soldering . The rockets didn 't have any issues . contradictory +Adjacent to the stud are the Japanese Gardens , created by the stud 's founder in the early part of the century , and well worth a visit , and the new Saint Fiachras Garden , created to celebrate the millennium . The stud had no gardens nearby but is still popular . contradictory +so i don 't have and i 'm still in in school i 'm still in college I finished college recently and I just got that . contradictory +He was even engaged for a time to a Jewish woman . He was going to marry a Jew . entailment +The Kal kicked low into Adrin 's thigh . Adrin was kicked in the thigh by the Kal . entailment +is that is that good you know i 've seen that so many times strawberries dipped in chocolate but i 've never tried it are they really good Everyone I 've seen eat chocolate dipped strawberries loved it . neutral +how often does he do it He needs to do his chores more often , they 're piling up . neutral +if you don 't wall paper it well together you should probably not build a house together You shouldn 't bother building a house if you don 't wall paper it well . entailment +There is at least one festival happening somewhere in Japan on any day of the year . The festivals celebrate historic events and holidays . neutral +As we bow gratefully to this wonderful final year of the first century of film , let us hope it is not one of the final years of celluloid itself . Celluloid has never been used in filmmaking . contradictory +122 " Haven 't you heard ? " Of course you know ! contradictory +So can young Beresford , by his actions . Beresford was getting old . contradictory +FIRST-IN , FIRST-OUT ( FIFO ) - A cost flow assumption ; the first goods purchased or produced are assumed to be the first goods sold . This method works on a first-in last-out basis . contradictory +and that 's that 's in a year that 's uh what would you do with all that money That 's in a year . What would you do with all that money ? entailment +Each grantee establishes a maximum income eligibility level , not to exceed 125 percent of the current official Federal Poverty Income Guidelines . The majority of poverty has been eradicated using these guidelines . contradictory +You ? 170 " Yes . You don 't want 170 . contradictory +There 's something about you , Mr. Whittington , that I don 't like at all . You seem like a completely ordinary man , Mr. Whittington . contradictory +The Golden Horn is an inlet of the Bosphorus , penetrating 71.2 km ( 41.2 miles ) into the hills behind the city . The Golden Horn extends more than 41 miles into the hills . entailment +i bet that that got pretty competitive you know as far as who could come up with the best recipe Crawfish cooking probably got pretty competitive . neutral +Many of these stores rent boots , outerwear , rain gear , and such at daily or weekly rates . Stores in the area will rent out gear . entailment +This guidance is intended to demystify the assessment of computerprocessed data . This guide has 100 pages . neutral +The Three Mus Musketeers . Whatever kinda critter is that ? What kind of person is a Three Muskateers ? contradictory +Gerth also failed to mention that the Pentagon agency reaching this highly qualified judgment had a long-standing grudge against Clinton . Gerth didn 't mention that the Pentagon had a grudge against Clinton that had lasted a decade . neutral +They are honest men and that is their value to us . They have value because of honesty entailment +It was obviously impossible , and even Menes must be aware of that . It could be finished within a week , and Menes knew that . contradictory +Just allow him to believe that there would be one . Let him believe that there would be one . entailment +Judges certainly appreciate it . Judges detest it . contradictory +She filed suit against Clinton in 1994 , charging that Clinton had exposed himself to her . There was a suit filed against Clinton . entailment +we heated with oil Oil was used for heating . entailment +It has few facilities for tourists , but a friendly atmosphere and a good archaeological museum that exhibits a giant kourose m ( 16 ft ) high . It is the most heavily visited area , with hundreds of tourist facilities . contradictory +Mr. White winced , and so did I. Mr. White showed distress , as well as did I. entailment +'We can do this , Jasie . ' This is something we can 't do Jasie . contradictory +One of the reasons why the Germans and the French have fought for possession of this province is that it 's such a good place to live . The Germans and the French were engaged in a struggle . entailment +yes die because it all depends yeah die , an unhealthy diet is not good neutral +Rain will fall from Idaho to Georgia . It will also hail from Idaho to Georgia . neutral +The burden hours are not higher because , with the varied compliance dates for the labeling , many manufacturers will be able to change the labels as part of the usual and customary business practice of redesigning the labels and therefore no additional burden is incurred . It is possible for all manufactures to change the labels neutral +New Horizons Same events . contradictory +i took a picture of her and that was all it all it lasted for It lasted after I took the picture . contradictory +uh-huh well i 've lived in a small town before and was quite aware of the local radio station at that time and i know how they are I have resided in a small town before and used to listen to their local radio . entailment +'I don 't try to work them all at once . I try to get the work done as fast as possible and work them all at once . contradictory +a little piece of trivia you know the guy when he first headed out from the army post perhaps you 've heard that when the man left the army post , he was captured and brought back . neutral +She was saying , finally , " I tell you they 're in the barn . She never told them were the kids are . contradictory +With postcard panoramas south along the coast and to the volcano of Mount Etna to the west , the Greek Theater ( third century b.c. ) is the only required site in town . Mount Etna , a nearby volcano , lies to the north . contradictory +Two 18th-century organs are spectacularly flamboyant . The organs are from the 21st century . contradictory +Previous versions of REMSAD have been used to estimate PM for EPA 's Heavy Duty Engine Diesel Fuel Rule and for the first Section 812 Prospective Analysis . PM for EPA 's Heavy Duty Engine Diesel Fuel Rule was estimated by previous versions of REMSAD . entailment +Rebecca Sealfon of New York won the 70 th National Spelling Bee . The media construed her histrionics and rudeness as Brooklyn charm . Spelling Bee champ , Rebecca Sealfon was viewed by the media not as rude but as Brooklyn Charm . entailment +What 's up ? What is the problem you want to tell me about ? neutral +'Um . Hello . ' I said vaguely . I greeted him vaguely . entailment +EFFLUENT AND RECEIVING WATER SAMPLING AND HANDLING Liquid waste and to be given water sampling and how to handle it . entailment +i wonder how truthful all of that was or whether that was fictional I will find out if it was truthful . neutral +Also in Howth is the National Transport Museum at Howth Castle ( open June August Monday Saturday 10am 5pm , Sunday 2 5pm ; week ? ­ ends only the rest of the year ) . The Howth Castle museum is only open on weekends on months other than June and August . entailment +Sure , Tuppence , how could he be ? There is no way he could be . contradictory +Soups include conch chowder , cream of pumpkin , red pea with pieces of beef and yam , and pepper pot . There are soups including cream of pumpkin which is served cold neutral +There were no pleasantries between them . They used to get along well , but recently stopped communicating . neutral +Critics attacked Carlos Ott 's building as an unimaginative misfit . Carlo 's Ott 's building was considered unsuitable for its intended use . neutral +This confidence in the systems and control should be based on several factors Control must only be based on one thing . contradictory +A requirement that specifies a function that a system The function is changing over time . neutral +Last week , Gelbard called the KLA a terrorist group . The Clinton administration has tried to play it both ways on Kosovo . The KLA was called a terrorist group last week by Gelbard . entailment +interesting problem i The problem i not of any interest . contradictory +The piece includes a handy quiz for couples who want to diagnose their viability . There is a handy quiz for couples to take . entailment +they weigh about ten pounds They are weighed at ten pounds . entailment +And the easy job turned into hell when the regular computer-man couldn 't take any more and quit , leaving Dave to do everything , including making the field tests to gain the needed data . Dave continued to enjoy his limited-duty job . contradictory +A quiet , intelligent-looking man , rather shabbily dressed . He was smart buy had poor clothing . entailment +An autostrada and easy train service link Venice to Padua , Vicenza , and Verona for those in a hurry , but others should take the charming back roads ; this is one of Italy 's principal wine growing regions outside of Tuscany 's Chianti area . There is no direct train from Padua to Verona . neutral +He thought things over in his usual slow and steady way , deciding that the mention of " Mr. Brown " was not a request for an individual , but in all probability a password used by the gang . Mr. Brown realized the gang used passwords that were slow to fade from people 's memories . contradictory +killing lots of fire ants Eradicating a lot of fire ants . entailment +well uh what kind of recycling do you have in your area What do you recycle where you live ? entailment +The ramparts of its vieille ville enclose medieval cobbled streets and half-timbered houses . A portcullis guards the entranceway to its cobbled streets . neutral +and we do a lot of recycling out there now we recycle all our computer paper and our cardboard but that 's just now come on board " We have just recently stopped recycling our computer paper . " contradictory +Much more charming than Mary , who never said things of that kind . I find Mary to be humorous and entertaining . contradictory +The windows to the rear of its faded Art Deco ground floor were designed by the stained-glass artist Harry Clarke . Harry Clarke is a very talented stained-glass artist . neutral +Settled for many centuries , it suffered an earthquake in 1933 that damaged much of the modern town center , but allowed Italian archaeologists to excavate a large section of the Roman city which lay directly underneath . A Roman city is underneath the modern town center . entailment +The brilliant and little faded background of intense red to this day is still called Pompeiian red . The red background has since faded to a pink colour . contradictory +Jerusalem continued under Islamic rule for the next four and a half centuries . Jerusalem is under Islamic rule as of the last four and a half centuries . entailment +Reformers said the ruling showed the court 's openness to an overhaul of campaign-finance laws . The finance laws were old . neutral +Given the scope and nature of challenges facing the new department , the critical question is how can we ensure that the essential transformation and management issues receive the sustained , top-level attention that they require . Transformational management solutions have already been started to implement . neutral +elements of the issue that was examined and presents the initial arguments in favor of the various resolutions and the findings of the study that support these resolutions . initial arguments support the resolutions over the trade deal . neutral +My only chance is to turn this around on them . ' I can turn this around . neutral +Alternatively , there are also fine public beaches , and they 're often deserted . There are good public beaches . entailment +Patients who returned 7 to 10 days later for a second intervention session did not improve on outcomes at 3 months , but they did improve on alcohol-related negative consequences and injuries at 1 year . Patients didn 't improve in 3 months with a 2nd intervention , but did in one year . entailment +and that was something for greedy old me at Christmas time i 'll tell you There was nothing for me during Christmas time . contradictory +Such investments will be measured in terms of expenses incurred for certain education and training programs ; federally financed research and development ; and federally financed but not federally owned property , such as bridges and roads . There are no government expenses . contradictory +I fear it does not help us much , said the Coroner , with a sigh . The coroner didn 't think it was helpful . entailment +They all might look the same , but they are different ; people are very different and react in different ways . People share outward similarities but are actually very different . entailment +The second reporting standard for performance audits There are ten reporting standards for performance audits . neutral +Jon 's eyes moved to the large man before continuing . Jon didn 't even glance at the big man . contradictory +yeah something i guess you get forced to do make decisions and I guess you get forced to make decisions and sometimes you make a wrong one . neutral +so i 'm not with the same softball team but they 're starting up soon so i 'll be playing again I 'm on a different softball team but they 'll be starting up again and I will play again soon . entailment +By the middle of the 19th century , Cuba produced a third of the world 's sugar and was considered one of the most valuable colonies in the world . Cuba produced a third of the world 's sugar in the middle of the 19th century because they have many sugar plantations . neutral +That 's because they suddenly have more money than the eligibility threshold for aid . They have more money than they need for the pro-bono program . neutral +all right i agree with that people that are uh driving I agree that people are driving . entailment +They are a very astute and unscrupulous pair . They are very slow , but they have strong scruples . contradictory +no yeah i guess there was even a a bit of a ruckus caused by the MC Hammer who 's really you know seems to be the hot one of of today he used um MC Hammer is hot today because he just released a ew album . neutral +um i thought the scenes when the buffaloes running though were beautiful like that was great and there were so many of them i didn 't know that that many buffaloes alive much less in one place I did not enjoy watching the scene about the buffaloes running . contradictory +Even now ads for stocks are tagged for information purposes only , i.e. , this ad is not an It 's Rene Magritte . Too many tags confuse people . neutral +Benefits are not monetarily quantified because of the lack of any existing methodology to do so . There is no existing method to measure the benefits monetarily . entailment +Mr. Carter appeared to reflect . Mr. Carter looked as though he was remembering something . entailment +yeah right so are any of those teams of interest to you Do any of those basketball teams interest you ? neutral +To him the statement implied that screening instruments should be evaluated only as a component of protocols that provide interventions . The statement implied that screening should be evaluated as a part of an intervention for ED physicians . neutral +Of course , with airstrikes on Iraq , U.S. embassies on alert for terrorist attacks , and an impeachment vote looming on the Hill , you may just want to keep the set tuned to CNN . CNN is a channel you can watch on the TV set . entailment +Oh , but I thought She paused . During the whole thing , she never even took a pause . contradictory +yeah yeah that i think that 's I think about this a lot neutral +Last year 's campaign generated enough money and resources to help more than 450 victims . More than nine hundred victims were helped by last year 's campaign . contradictory +Now they argue that the single entity suppresses salaries and violates antitrust laws . They 're saying that the entity is in violation of antitrust laws . entailment +The Kal was on his hands and knees , panting hard . The Kal is likely in some sort of physical situation . neutral +you know there are some oaks magnolias and like plum trees peach trees There are oaks , plum trees , peach trees and magnolias entailment +The most fanciful and photogenic parts of the castle 's superstructure its feast of turrets and towers are the work of restoration after a disastrous fire in 1862 . The best parts of the castle are original . contradictory +Well , let 's do it . Tommy laid his paper finally aside . Let 's do it tomorrow . Tommy kept reading his paper . contradictory +You 've got to look in the mirror every morning and ask ' What am I organizing for ? ' The organization will lend itself to a goal . neutral +Taxis were plentiful here , and before Whittington 's had driven off another was drawing up to the curb in obedience to Tommy 's peremptory hand . Tommy 's hand drew another taxi to him as there were many black taxis here . neutral +The most China could practice financial terrorism by selling Treasury bills and buying eurobonds , thus weakening the dollar . The dollar grew ever stronger as China bought eurobonds and sold treasury bills contradictory +The government wants to buy it for $ 3 million . They are selling it to the federal government . neutral +I guess there 's nothing wrong with your memory . Your memory has no issues because you have to recite our creed and successfully done so . neutral +Never did a piece of architecture more exactly express the personality of its builder than the Ceteau de Versailles ' extravagant , pompous , dazzling , formidable , glorious , and vain . The Ceteau de Versailles took a very long time build . neutral +In 1987 , Stephen Kinzer of the New York Times encountered a contra patrol in northern Nicaragua , chatted with the men amicably for an hour or so , and then got ready to leave . In 1988 , Stephen Kinzer encountered a contra patrol in northern Nicaragua . contradictory +i know i i know go ahead i 'm sorry I 'm sorry , go ahead . entailment +This excuse usually appears in the form of a corporate press release , because nobody can keep a straight face when it 's spoken out loud . The excuse almost always includes a joke . neutral +Various types of information technology provided important communication mechanisms as well . Information technology gave important data collection mechanisms . contradictory +and uh i like to think that my children my sons learned a lot about uh the outdoors uh uh uh being self-sustaining My sons learned a great deal about the outdoors . entailment +Actually , so intertwined are legend and history that it is often impossible to determine where fact leaves off and legend begins . It is often quite easy to determine where the legend begins , usually the fantastic event marks the end . contradictory +'And I don 't mean that they remember me . They remember them . contradictory +12 Although there has been some progress , problems persist and continue to contribute to higher mail processing and delivery costs . Problems persist and continue to contribute to higher meanings of life . neutral +It would be hard to spot one among three million , anyhow . It would not take any effort to spot one . contradictory +For example , interest income on state and local government bonds , which are used primarily for infrastructure purposes , are exempt from federal taxes . Interest income is also used for investment in machines besides infrastructure purposes . neutral +yeah and or they found that Tomczak really wasn 't a he was a good backup quarterback was what he was Tomczak was a kicker . contradictory +well the one i think is interesting is the California Los Angeles police chief who says he wants to resign and did you hear yesterday that Mayor Bradley said that uh he should It 's all too suspicious a thing . neutral +This is an exchange transaction , because each party sacrifices value and receives value in return . Each party sacrifices nothing . contradictory +I did a bit of prospecting along the corridor to the next coach . I was recruiting in the hallway leading to the nearby coach . entailment +He should mind his own lesson . He needs to be aware of his own lesson . entailment +The intervention was a single motivational interview that lasted approximately 30 minutes with The intervention consisted of two printed pamphlets and a brief pep talk . contradictory +The thesis was taken up last year by Canadian Michael Bradley in his incoherent book Chosen People From the Caucasus . Bradley is known for a book-length rant titled The Iceman Inheritance , which identifies the origins of white racial evil in prehistoric psychosexual tensions of some sort . Bradley 's rant about racism is very popular among avid readers . neutral +I think the Constitution was written up so you could represent yourself . I think the Constitution outlaws representing yourself . contradictory +And the collection process involves judgment calls of promising leads and the meaning of initial information . The collection process does not involve judgment calls of promising leads . contradictory +i that 's the one thing i don 't know i i don 't know if they take them to the local aluminum uh recycling plant I 'm positive that they don 't bring them to the local recycling plant . contradictory +so they like that Those people enjoy that . entailment +Together with more than 3,900 smaller islands from northeast to southwest , the archipelago would stretch from Montreal all the way down to Miami . THere are thousands of islands in the archipelago . entailment +The rule provides for recompense to the mortgagees for using these alternative procedures and provides for payment to the mortgagee of a partial claim which would be applied to the arrearage . The rule changes how mortgages are paid when people have fallen into default . neutral +Used well , intake systems offer the promise of increasing assistance to many who are not currently served . Intake systems may offer the promise of increasing assistance . neutral +Acute inflammation and respiratory cell damage Respiratory cells can be repaired easily . contradictory +You outwitted me . I was outwitted . entailment +Still , the reliance on job cutting is symptomatic of Dunlap 's real problem , which is the confusion between profits and growth . There was a misunderstanding between growth and seeing profits . entailment +He related that his alcohol studies used to be returned without being reviewed . He said his studies weren 't reviewed . entailment +Founded by French architect Auguste Mariette in an attempt to stop the flow of artifacts to museums around the world , it has grown into one of the major collections in the world , housing some of the finest treasures of the ancient Egyptian civilization . Mariette wanted to encourage the flow of artifacts around the world . contradictory +For example , the Director of one VBA regional office visited several private sector organizations to observe how they processed claims and ensured accuracy . The vBA needs more inspection neutral +all right well what kind of uh restaurants what type restaurants you like to go to I know you told me that you never go to restaurants , because you 're afraid they 'll spit in your food . contradictory +Patients who are more ready to cut down are generally less ready to abstain . Some patients are more prepared to cut down than others . entailment +Hold it while I get my penknife . " The unbelievable had happened . It couldnt believe it had happened by I had to get my penknife . entailment +Distribution of Rural Routes by Density ( Boxes per Mile ) Selective Averagesa ( 1989 ) Rural routes have different densities . entailment +Something else rasped across his sciatic nerve . Fear rasped across his sciatic nerve . neutral +so i 've considered even becoming licensed to teach it I might not need a license to teach it . neutral +Intimations of his own mortality turned out to be premature . He lived for a very long time . neutral +and they had all kinds of uh things they could go into agricultural and you know really you know good stuff but uh unless there was a flood or a fire or something like that Red Cross They could go into the agricultural field or Red Cross for a job in their future . entailment +The director is Sidney Lumet , who functions as the opposite of a safety Even chronic underactors overact in Lumet pictures , and his camera is somehow always in the right place to catch them doing it . Sidney Lumet is a director of art . neutral +but last night they killed uh uh four people in a chain food It was a huge tragedy . neutral +Odds are as high as 35 to 1 , which means a single $ 5 chip on the right number wins you $ 175 . It is possible to win $ 175 off a $ 5 bet in this game . entailment +There is yet another new way to read Slate , or at least a part of it . There are multiple ways in which Slate can be read . neutral +If the general control is inadequate , the application control is unlikely to function properly and could be overridden . If the general control isn 't tough enough , the application control won 't work . neutral +That is the question . That is what should be asked . entailment +But he was not Jon . But the man before you was not Jon . entailment +Today , it 's important to have access to timely and reliable financial and non-financial performance information . Non-financial information is updated in real-time . contradictory +did you see that I think you saw that . neutral +About 81 percent of this mail contains some type of payment and is classified as bill / payment mail . None of the mail contains any kind of payment . contradictory +But this is not the whole picture . However this is all that there is . contradictory +Ellison was not , by any means , the first black writer to explore these issues . Ellison was a very talented black writer . neutral +The best way to approach this proud old town perched high on the cliffs is by boat , past the limpid blue waters of the Sdragonato cave and the Escalier du Roi d 'Aragon , a staircase cut diagonally into the cliff face , used by the soldiers of the Spanish king in an abortive siege of the town in the 15th century . You can reach the town by boat and climb a staircase cut into the face of the cliff . entailment +His movements were carefully measured . He measured his movements carefully . entailment +i bet that was a good one i would guess that was a good one entailment +yeah nice talking with you are you calling from Texas by the way I did not enjoy our talk and I do not care where you are from . contradictory +The preambles to the final rules state that the rules have been reviewed under Executive Orders Nos. 12372 ( Intergovernmental cooperation ) and 12612 ( Federalism ) and found not subject to those Orders . Under Executive Order 12372 and 12612 , the rules have been reviewed . entailment +More than half of the forfeiture revenue of the two funds mentioned above is from currency and other monetary instruments . There is not forfeiture in the two funds . contradictory +Perhaps most important , it has features to aid followup of actions taken in response to review comments , which is a particularly troublesome area . It has a wide variety of features but , still cannot aid in the follow of responding to review comments . contradictory +What do animals eat ? " What do animals feed on ? entailment +Japan 's economy over the 1990s demonstrated that high saving can coincide with economic stagnation . The economy of Japan in the 1990s was stagnant . entailment +Comart , who lives in Readfield , is based in the agency 's Augusta office , a short walk from Augusta District Court and Kennebec County Superior Court . On many days , Comart is able to walk to work . neutral +A wise idea is to price major items at home before your vacation . Typically prices at home are cheaper . neutral +She also wrote romance novels under the name Mary Westmacott , but is best remembered for her 80 detective novels and her successful West End theatre plays . Mary Westmacott 's romance novels were both a critical and literary success . neutral +The preamble describes the information being collected , the need for the information , a description of the respondents , and the estimated annual burden hours . A description of the respondents is not available in the preamble . contradictory +The ability to handle more cases is about to take a big jump , however , as a result of an increase in revenue from fees charged for every civil action filed in court in Clay County . The Clay County court will work better and faster after the new fees . neutral +The end of the article features a prominent F * * k you . The end of the article state a curse . entailment +What damaged the Los Angeles Times most after the initial revelations seeped out ( from an alternative weekly that didn 't exist 20 years ago , it 's worth noting ) was the beating it took from other big media . The Los Angeles times was lauded by all media outlets . contradictory +The marriage ? The wedding ? entailment +The force of the attack numbed his arm . He poked at it and and tried to move it to regain feeling . neutral +so i know uh you know i know about this project so i got my students to sign up and uh apparently a number of them have been participating I know about this project a number of my students have been participating in it . entailment +i just have a feeling that the military involvement isn 't over yet that i i still feel like there 's more to come i don 't think this whole issue is settled as far as we 're concerned I think military involvement isn 't over yet and will probably last 10 more years . neutral +That strategic advantage is no less important today than it was 2,500 years ago , when a band of Greeks first founded the city of Byzantium on this very spot . The strategic advantage of Byzantium is due to its location along a trade route . neutral +In its submission , HUD explains that the final rule is not likely to result in annual expenditures of $ 100 million or more by State , local , or tribal governments in the aggregate , or by the private sector . The expenditures of $ 100 million or more are next to impossible . neutral +Consequently it is necessary to adjust the percentage of delivery costs for these posts to the level it would be with six deliveries per week ( as in the U.S. ) When the percentage of delivery cost is increased or decreased for a given post , the percentage of mail processing cost is decreased or increased accordingly . Adjusting the delivery costs percentages is necessary . entailment +These effects include cognitive , sensory , and motor deficits . There are no deficits of the brain . contradictory +uh huh sometimes it might be the candlelight and sometimes it might be the picnic out back or something well that 's you know that 's fun Sometimes it 'll be by candlelight or outside somewhere . entailment +so i think that 's what uh i i 'm going to have to get next time around i keep i keep holding holding off i mean i could i could upgrade now if i wanted to but i just i it 's just such a huge expense and I could get a better one but it is so expensive . entailment +Never able to paint anything unless he had it before his eyes , Soutine set about re-enacting some of the classic paintings he loved most . Soutine usually needs to see something before he paints it . entailment +As a preliminary matter , using the fixed / variable ratios for U.S. The ratios help determine the outcomes . neutral +They are honest men and that is their value to us . They have value to us , but to no one else . neutral +Steven Pinker points out that understanding the origin of the universe is not a terribly useful skill . Steven Pinker believes that learning a foreign language is not a very useful skill . neutral +The rumble grew and shapes formed out of the mist . Within the drizzles of water objects were being made . entailment +Bridge House in Ambleside is one of the most popular sites and perhaps one of the most photographed buildings in the Lake District . Bridge House gets 10,000 visitors a month . neutral +Postal Service 's rates for outbound international mail . The Postal Service has extra rates for outbound international mail . entailment +The mission of the Financial Accounting Standards Board is to establish and improve standards of financial accounting and reporting for the guidance and education of the public , including issuers , auditors , and users of financial information . The financial accounting standards board doesn 't have any objectives . contradictory +The CIO recruited an IT management team that understood both the business and technical sides of the enterprise . CIO recruited an IT management that can understand business and technical matters entailment +'You 've got to be kidding . ' You 're pulling my leg about that . neutral +Two of my friends have begun taking anti-depressants . They take several pills a day . neutral +Pornographers in wheelchairs . No pornographers are stuck in wheelchairs . contradictory +When the checks started showing up in mailboxes sometime after Christmas , many aid recipients were confused about why they got the windfall - and what to do with it . Many people didn 't understand why they got a windfall . entailment +tax rates-for both businesses and individuals . Some businesses and individuals are exempted from taxes . neutral +um i mean to me either ordering in or just going to Pizza Hut or something I will go to Pizza Hut or somewhere similar . entailment +um i read an article a couple weeks ago they were talking about uh talking again about the ozone layer they said that the uh the ozone deteriorate is greater than they had originally thought over some of the major metropolitan areas that 's a little bit scary to think about because that 's certainly not going to improve things around there A week ago I viewed an article about the ozone layer . entailment +A viceroy ruled each island at the King 's pleasure . All the islands had one viceroy . contradictory +Now her most serious ambition is to get reacquainted with her husband ... She is not interested in getting to know her husband again . contradictory +The legal debate after Roe vs. The legal debate after Roe Vs . entailment +FIXED COST - A cost that does not vary in the short term with the volume of activity . Fixed cost is a cost that varies contradictory +um oh you are a big gardener huh So , you don 't like to garden ? contradictory +An article says his daughter Tina and wife Barbara will squabble over his $ 200 million estate . The family is going to fight over his money . entailment +i 've got uh yeah and i 've got yeah and i 've got a History of Kingsley Iowa I have the history of other places as well . neutral +The other purpose is cuddling the students . Cuddling the students is the purpose of the ban . neutral +After seeing the church , mausoleum , and library , visitors are shown through the Palacio de los Borbones ( Palace of the Bourbons ) . Visitors also get the chance to see the church and library . entailment +At the height of its power , in the second century b.c. , Pergamum was one of the most splendid cities on the Aegean coast . Pergamum became so powerful due to its advantages in the wool trade . neutral +This triggers the third test . This triggers the first test . contradictory +A shortage of money . Money was plentiful . contradictory +! Additional questions . Additional questions . entailment +His bodyguard-cum-chauffeur stayed with the car . His bodyguard was armed with a glock . neutral +and then we have a two story we did the outside of it one summer that was horrendous i mean i i couldn 't stand the back side going up that high on the ladder i could get up on the roof and do that I blatantly refused to step foot on the ladder . contradictory +rehash it was just rehash rehash total oh Keeping it going wasn 't going to be any more productive . neutral +Your theory may be theoretically valid , but there 's no evidence of it in the real world . Your theory may be valid but it has no supporting evidence in reality . entailment +yeah uh uh i tend to agree with you uh you know probably pretty similar views on it but that 's that 's one of the things i don 't don 't understand is is so much of the controversy because uh you know i i do also myself believe in capital punishment uh uh you know it it really irks me to see so much effort put into preventing someone being put to death by the State when they so callously and usually so you know without even thinking or without any concern uh you know end somebody else 's life and in a lot of cases several people 's lives The State should apply capital punishment for dangerous criminals . neutral +2 Because FFA counts household purchases of consumer durables as saving , the FFA personal saving rate is somewhat higher than the NIPA personal saving rate but also shows a downward trend . The FFA personal saving rate will continue to trend downwards . neutral +Wahoo , one of the big five game fish , is hooked occasionally off all the islands . Wahoo is a big game fish many people enjoy catching off the islands . neutral +Look here Tar ... Gonzo , here you mark it and with this shortcut you ' copy ' , and here you go and ' paste ' like this with this one , Lucja said and was very proud of herself and her laptop . Lucja was proud of her computer . entailment +The preamble to the final rule contains an explanation of the need for the information and the burden estimates relating to each section of the rule . The preamble to the final rule has an explanation for the necessity of information and burden estimates for every rule section . entailment +Others say an order to test warning equipment was given in 1956 , at the time of the Suez crisis , and never taken off the books . There is an order to test warning equipment . entailment +Though I did not acknowledge it to myself , the thought of Mary Cavendish was weighing on me . The thought of Mary Cavendish made me feel wonderful . contradictory +An article describes the newest missile defense scheme--75-miles-per-minute space cannonballs . 75-miles-per-minute space cannonballs describe the newest missile defense scheme . entailment +Changes to be announced shortly are not expected to alter the key part , where the demon is ordered to leave the person , but to shorten the accompanying prayers and invocations . The entire show will be set in a church with lots of praying . contradictory +Here I am bursting with news , and absolutely no one to tell it to ! I will look for someone to tell the news . neutral +It hurts to walk . " I hurts to walk . entailment +Paches , they know this here country like it was part o ' their own bodies can say ' Howdy-an ' -how 's-all-th ' -folks , bub ? ' t ' every lizard an ' snake in th ' rocks . They knew that country very well . entailment +11 East Asian Many trace the dive to economic slumps in Malaysia , Thailand , the Philippines , and Indonesia--which together buy 4 percent of all American exports . Thailand doesn 't buy any American exports . contradictory +The Kal picked up the plate and re-fastened it . The Kal re-fastened a plate he picked up . entailment +He sure has a job , Cap 'n . He has no job . contradictory +The Commissioner is reorganizing IRS with the aim of building an organization designed around taxpayer groups and creating management roles with clear responsibilities . They did not care about roles as long as the projects got done . contradictory +The federal government now tracks 188 companies specializing in subprime loans that broaden access to home mortgages , but at a price that typically includes higher interest rates and fees , and other costly requirements . 188 companies who specialize in subprime loans are tracked by the federal government . entailment +I heard the Ambassador telling you his wife hoped you would come to them at the Embassy right away . I heard the Ambassador telling you he doesn 't want to see you at the Embassy . contradictory +uh actually let 's see we we uh we 've rented a couple movies lately you know because you get them on videotape we rented uh just last night we watched um David Lynch 's uh movie Blue Velvet We rented a couple movies one of them was David Lynch 's movie Blue Velvet . entailment +Senior information security managers emphasized the importance of being able to discuss security issues with senior executives . Senior information security managers said it was important to be able to discuss security issues with executives because it made their defense against those threats more comprehensive . neutral +Such an approach gave more authentic information than relying only on IRS records of calls received , or a survey of taxpayers . The IRS only had record of calls received . contradictory +Elda itself is noted for excellent wine and lace-making . Elda does not have excellent wine . contradictory +oh it looks more like a crab oh It does look like more a crab . entailment +She may have thought , however , that she was giving him another chance and that he was promising , in exchange , to do better . She believed he would do better but he had no intention to . neutral +The programming is less wonderful . There are things better than this programming . entailment +yeah yeah course they you know just don 't have the quality of records nowadays either because you you you get that scratchy sound Records these days are much higher quality than they 've ever been before . contradictory +The filmmakers reverse the trajectory ( and the actual chronology of Kaufman 's career ) , so that he seems to achieve a magical synthesis of warmth and aggression--and then gets cut down at his prime . The filmmakers made the film on Will Smith 's career . contradictory +The Latin for true image has given us the name Veronica , and since the woman 's name is unknown she is revered as St. Veronica . The name comes from Latin . entailment +Modern dance is enjoying a revival , with a new wave of small , imaginative companies beginning modestly enough at the Cafe de la Danse ( passage Louis-Philippe ) and Theatre Garnier before reaching the heights of the Theatre de la Bastille . Modern dance can be seen at the Cafe de la Danse . entailment +If you 're looking for second-hand bric-a-brac , try shops around the Campo de ' Fiori and Piazza Navona . If you are in search of second-hand trinkets , explore the shops near the Piazza Navona . entailment +These indicated that the number of directors of color rose from 16 percent to 21 percent of the director population . Diversity in leadership roles increased by 5 percentage points . entailment +i think my standard thing when i have company and i 'm not too brave trying new recipes so a lot of times i will get the grill out and sometimes we do like surf and turf like we 'll get some little filets wrap them up with bacon and then maybe do some little salmon steaks at the same time so that 's my husband 's deal he 's out there you know My husband doesn 't participate when I get the grill out and try new recipes . contradictory +and so there 's uh well i guess three or four different labs and they 're all very nice uh computers all tied together on the LAN and one server that handles all the software so that the teachers don 't have to go around to each machine and do their work they can control it from the machine the server it 's it 's a beautiful system but uh the only bad thing it seems to do is uh not the computer necessarily but the company the school system seems to put a little bit more pressure on the kids than uh than we had of course of course i guess with that learning comes that pressure Since the computers aren 't connected , the teachers have to go from computer to computer to teach each student . contradictory +The largest , Pyre-Lachaise , has a population estimated at 1,350,000 buried here since its foundation in 1804 . The Pyre-Lachaise has the most people buried at it . neutral +As discussions concerning rate setting occur , considerable attention is given to selecting the passthrough . The deciding of the passthrough is given to a single individual who unilaterally puts it into place , thus the amount of attention given to it is minuscule . contradictory +no uh in the particular incidence that i was aware of now TI wasn 't the only ones in there Playtex was in there was uh several other companies and uh in the particular incidence I was aware of , TI wasn 't the only company there Playtex entailment +Here we provide some general touring strategies before describing the places you will be visiting . Most of the tourists are interested in the touring strategies that presented . neutral +okay well good talking to you good night I 'll talk to you again tomorrow . neutral +The progress indicator can show all elements of design , coding , testing , and integrating , or it may treat them as separate indicators . The progress indicator is all incumbent are separate . entailment +He peeps from behind the screen to assess the age and sophistication of his audience and varies the play accordingly . He glances at the audience to assess the maturity of the play . neutral +Three km ( 1.5 miles ) south of the pass , perched on the edge of Serra de Agua , is a handsome and comfortable mountain chalet , the best of its kind on Madeira . The chalet houses a popular local restaurant . neutral +and then you 've got maintenance expenses but the overall cost is is a a lot cheaper now and where you 're single now 's the time to do it when you 're married you know got to have time you 're not going to have money you 're not going to have There are maintenance expenses like reparing an appliance or hiring lawn care . neutral +All along , he treated his book as a growing organism , not as a fixed system . Even after it was complete and published he still looked at the book as a changeable thing . neutral +No one 's got a better appetite than you have , Tuppence , and by tea-time you 'd be eating the flags , pins and all . Tuppence has a large appetite . entailment +This is what is called scouting . This would be referred to as scouting . entailment +i bet it was uh-huh No , I 'm sure it wasn 't . contradictory +well i do some oh some needle crafts things hobbies sometimes some cross stitch um no no sewing or knitting any of that um we 'll see some cross stitch you know some gifts that i make for friends and families that kind of thing I never do any needle craft . contradictory +REPAIRABLE - An inventory item that is expected to be repaired when broken or worn out . Repairable is a word that deals with inventory repair . entailment +Bradley reviewed nine studies with data on women 's responses to screening mainly in primary care settings . Bradley looked at nine studies about women 's responses to cancer screening . neutral +Figures are slimmer and more graceful than the more common balloon-breasted models of the Mallas . The figures are slimmer and more graceful than the ones of the Mallas . entailment +and uh somebody walks in there with a gun i mean they 're going to want the money and you can tell by the people who are always caught that these people are there to get money for drugs i mean they don 't want the money so uh so they can do something else with it People who rob money usually use it for drugs . entailment +but uh but uh no i won 't watch it i 'll listen to it on the radio yeah while i 'm doing something else but i won 't sit still long enough to watch them go round and around and around to me that is very boring I won 't watch it , but I will listen to it . entailment +This medieval town boasts a Gothic church with a Renaissance interior ; note the carved oak choir stalls and Nottingham alabaster altarpiece . Carved oak choir stalls and Nottingham alabaster altarpieces are signs of Renaissance era art . entailment +I have MS and look just fine . I don 't look fine with MS. contradictory +uh well Palmer tried a comeback and uh got sore arm early and they uh the Rangers are playing Baltimore this game that i 'm watching and just the last inning they put the camera over on he and Brooks Robinson they are the broadcast team for the Orioles now I 'm watching a Rangers vs.Baltimore game and we 're a few innings in . entailment +A large 1960s greenhouse sits beside it and , though lacking the elegance of its neighbor , still boasts an impressive collection . A collection is contained within the large greenhouse . entailment +Since that time , the icon has been held responsible for many feats of healing , giving Tinos the epithet Lourdes of Greece . Hundreds of people have been healed thanks to the now labelled Lourdes of Greece . neutral +I am disappointed in Japp . Everyone is disappointed by Japp . neutral +'Listen , Ben , I don 't have long . Ben , I can 't stay long . entailment +Sir James kept his finger on her wrist a minute longer , then withdrew it with a nod . She was dead . neutral +The study identifies 18 best practices that federal agencies and other facility owners can use to manage and / or oversee design reviews throughout the facility acquisition process . The study identifies over 100 practices for federal agencies to implement . contradictory +maybe your part of the country It could only be your part of the country . neutral +'I see , ' White was excessively calm , apparently focused solely on the game board . White calmness state was due to the Diazepam he took earlier . neutral +you know it really makes a difference It never makes a difference at all . contradictory +Fortunately , commerce has trumped personality . Sadly , even commerce could not redeem personality . contradictory +You were conjured atom by atom , id and ka and soul , from your world . He was made from his own world , because the original world was destroyed . neutral +I think Michael Jordan is beginning to get a bit frustrated with his new cohorts in the Washington Wizards front office . Michael Jordan has new cohorts with him in the Washington Wizards from office . entailment +But I feel you 'd be more at home in London . " I think you 'd feel more familiar in London . entailment +This original doctrine , without any sense of Buddha 's divinity , was embraced by the Hinayana ( Lesser Vehicle ) school which spread to Sri Lanka , Burma , and Thailand , as well as Cambodia and Laos . The doctrine contradicted modern documents that were widespread elsewhere . neutral +Of course you don 't need to visit Edinburgh during the summer festivals to see performances of the arts . There are only festivals in summer in Edinburgh . contradictory +To their credit , these groups have been a model of cooperation and innovation to improve efficiencies in the delivery of legal services in our state . They were such a disgrace to their community . contradictory +you know with the you know the little suspenders or something on so we You know those little suspenders . entailment +Just because someone can afford to pay $ 120 for an advanced showing of The Phantom Menace or $ 10,000 for a Knicks game doesn 't mean he will . Most people would pay £ 50 for an advance screening of a big movie . neutral +Although his study of adolescents found reductions in risky behavior and alcohol-related harm , he was disappointed to find no effect on drinking . He studied adolescents and alcohol , starting at age 14 . neutral +yeah okay okay i figured about that I don 't think so . contradictory +Suizenji Park is an extravagant but attractive example of the extensive gardens of the 17th century . Suizenji Park looks nothing like the gardens of the 17th century . contradictory +yeah right when you see the ones who are successful and there are many of them around and uh makes me feel good to know i played one small part in their rearing I like that I played a role in their rearing . entailment +He decided at once that she was one of the most beautiful girls he had ever seen . He fell in love with the girl at first sight . neutral +Because an electronically linked worldwide medical community needs a common language , new terminology has been adopted by the International Federation of Associations of Anatomists to describe human body parts . The worldwide medical community has decided to adopt a new terminology for anatomy . entailment +evaluators call such a procedure building an audit trail and use procedures similar to indexing and referencing to establish both the construct validity of the measures reported and the convincingness of the causal explanations developed in the case study ( Halpern , 1983 ) . Such a procedure is called building an audit trail . entailment +Ise-Shima National Park is the supreme sanctuary of Japan 's ancestral Shinto deities . Japan celebrates dozens of Shinto deities . neutral +But what interested Tommy was the thing he had hoped to find , a communicating door between the two rooms , up on the left by the window . Tommy was happy to find the door between the two rooms . neutral +The appendixes provide further information for use in planning and conducting an acquisition audit . The resources in the appendixes were carefully selected with the profession in mind . neutral +He seemed to have a sense of humour . He was not funny at all . contradictory +Mightn 't be able to prove it to a pack of lawyers . It would be hard to prove it to a group of lawyers . entailment +Jon told Thorn and Adrin the tale of Stark . To this day , neither Thorn or Adrin has heard the tale of Stark . contradictory +Here are the three cups . These are the three cups . entailment +So great is the pressure on the available land that most of Hong Kong 's colonial architectural heritage has been demolished and replaced by new skyscrapers . The colonial buildings of Hong Kong were perfectly preserved . contradictory +Dublin is a compact city , and many of its important sites are within easy walking distance of one another . One rarely needs to drive anywhere important in Dublin . neutral +Finally , program spending in scenario D started at $ 2 . Program spending ended at $ 2 contradictory +But many also say the conceit of the episode--that a film crew is documenting life in an emergency room--was a cheap ploy to cover up gaffes . Cameras were not allowed in the hospital to film the documentary . contradictory +and that 's that 's been a real big plus he 's broadened our um the devices that we 're making too A big benefit is that he increased the number of different devices we are making . entailment +Note the wonderfully ornate wooden ceiling . Glass is what the ceiling is made of . contradictory +When mandates direct GAO to report to a specific committee , GAO will work with the majority and minority of the designated committee to clarify our reporting objectives and time frames . Mandates never direct GAO to report to specific committees . contradictory +The Social Security Administration performed a cost-benefit assessment of the impact of the interim final rule . The SSA performed an assessment of the cost-benefit . entailment +Therefore , the Commission prepared an initial and final regulatory flexibility analysis under sections 603 and 604 of title 5 , respectively . The Commission conducted an analysis under sections 603 and 604 and then published it online . neutral +He made himself up as he went along , borrowing bits and pieces from this movie or that . Because he borrowed bits from many movies , he is considered unoriginal . neutral +I 'm Kirby , Drew Kirby . He hastened to match one introduction with another . He tried to introduce himself quickly . entailment +In 1993 , Fortune magazine named them among the 70 toughest bosses in America . They should not have been included on the list of toughest bosses in America . neutral +This pond still exists today not far from Chobar Gorge . The pond can still be found near Chobar Gorge even today . entailment +If you 're lucky enough to gain entry , you 'll see the only major work of art on the whole the Gothic triptych , or altar retable , which is attributed to the artist Rodrigo de Osona from Valencia . No one knows who made the artworks in the Gothic triptych . contradictory +Department indicates that it addresses all other comments and actions taken in response to them in the supplementary information provided when the Final Rule was published in the Federal Register on October 17 , 1996 . They refused to publish any of the comments about the final rule . contradictory +, provider types or technologies ) . There are 12 different provider types neutral +When small firms and solos do use technology to help smaller clients , the resulting publicity can generate much good will . No publicity is to be gained from helping small-time clients . contradictory +It has a fine central portal with reliefs of Old Testament scenes on its pilasters sculpted with great dignity and power by Siena-born master Jacopo della Quercia . There are scenes from the Old Testament made by Jacopo della Quercia . entailment +so well it it was a it it was a good plan but i haven 't yet i got into sales and i 'm selling um telephone systems I don 't like being a sales person but it 's okay for now . neutral +He thinks the WTO 's constitution and police powers will protect poor countries , not exploit them . He thinks the WTO will benefit poor countries and not be a harm . entailment +Then she turned abruptly away . All of a sudden , she turned away . entailment +De Hooch 's Amsterdam addresses were in the poor outskirts of the city , outside the town gates , and the Town Hall may have been the only swanky interior he had access to . The Town Hall in Amsterdam had beautiful stained glass windows . neutral +As summer progresses and the crops are harvested ( usually early July ) , the ground dries and becomes dustier . As the summer progresses , the ground is drier and dustier . entailment +The Balearics were formally a maze of down-market concrete block hotels brutally clustered right on top of once-pristine beaches and coves.Today the trend is toward providing more discerning travelers with more authentic and upscale accommodations , frequently in old farmhouses and manor houses , as well as short- and long-term rentals . The Balearics were a maze of concrete block hotels clustered on top of a once pristine beach . entailment +You are an excellent advocate , I have no doubt , Mr. Hastings , but in this case your talents are quite thrown away . Mr. Hastings has better uses for his talents . entailment +Democracy elections held last September amid accusations of fraud . ) Elections were held even though it was possibly rigged . entailment +Then he paints a scene in which committee chairman Jim Saxton , R-N.J. , interrupts Reich 's initial testimony and lights into him savagely , starting with , Where did you learn economics , Mr. Secretary ? The committee chairman was condescending to the Secretary . neutral +they didn 't have a TV at all They watched their neighbor 's TV . neutral +uh i 'm i never played an instrument in my life i 've always wanted to i 've always wished my parents had forced me to learn the piano or something I 've played guitar since I was young without parental support . contradictory +and we just everything just piled up wrecked the car and you know in order to do that we had to you know we was paying We had wrecked the car . entailment +He knelt next to the big man . The fat man knelt down next to the small man . contradictory +Although wines from the north are considered to be Spain 's best , the Costa Blanca 's vino is very drinkable and very reasonably priced . There are a wide variety of different kinds of Spanish wine . neutral +Social questions , all . Questions were asked by the press . neutral +Suffice to say it has no true heat , but does send forth an activating principle against the phlogiston layer , which being excited grows vengeful against the air ... It doesn 't have any heat , but another property . entailment +For example , participants stated that the SEC has recently been operating on a budget of about $ 450 million . Participants denied the SEC 's operating budget amount . contradictory +well presumably those who find out such information if they are doing it i would prefer to not to be known and i mean you know the classic oh i don 't know CIA conspiracy theories or whatever would have uh such parties trying to do it without your knowledge so there 's things that invade that second type of privacy where you do know about them and possibly things that invade that second type of privacy without you knowing about it and i can 't talk about the second one other than to to to generate paranoia yeah to surmise and i 'd like to think that 's it 's quite low at least in this country i don 't feel like the KGB is monitoring my phone or anything like that The FBI is right behind me . contradictory +This document , the LSC Special Report to Congress - State Planning and Reconfiguration , was prepared in response to a request made by the U.S. The document is a response to the U.S. entailment +The current LSC reconfiguration standards , which are under review by the Task Force , are compiled and discussed in Section IV of this Special Report to Congress . The LSC reconfiguration standards may need revised after their review is completed . neutral +um yeah yeah i 'm i 'm pursuing what they what 's what 's called an interdisciplinary field i 'm a speech therapy major and fortunately i have a lot of i have a good medical background and I have a good medical background and I 'm majoring in speech therapy . entailment +Even today , the intricate Hindu caste system can play a role in the Indians ' choice of job , spouse , and political party , despite the numerous anti-discrimination statutes passed since Independence . Despite anti-discrimination statuses passed , the Hindu caste system plays a large role in their choices . entailment +they look like they 've got yeah no no it 's not like a no It appears that they have yea no it isn 't similar to . entailment +It 's barbed tip pierced through . It 's blunt tip failed to penetrate . contradictory +yeah uh-huh yeah that 's one way to do it because that that forces you to pay for it instead of saying well i 'll just pay on it this month and That way you have to pay for it instead of avoiding it . entailment +The year was 1969 , said Mr. Greenberg , president and attorney in chief of the Legal Aid Society of New York . In 1969 , cows were admitted to the bar . contradictory +Older children will appreciate La Granja near Esporles . Teens enjoy visiting La Granja near Esporles . entailment +But he 's much less politically savvy , much less telegenic , and much more ideological--qualities that won 't help the movement 's reputation . He is the perfect leader for the movement . contradictory +As she had expected , the room was empty . As she had thought , there was no one in the room . entailment +Hawaii , as America 's western outpost and major Pacific military base , was ruled by martial law . Hawaii was ruled by martial law . entailment +After the wedding festivities of his son Louis XIII , the gardens became the fashionable place to promenade , and later a spot for aristocratic duels . Aristocratic duels would take place at the gardens after Louis XIII was married . neutral +If , however , we scoped the job to examine in depth recent problems in appropriately selected nuclear plants including among others Three Mile Island , seeking to understand why the safeguards either were not complied with or were not sufficient , then we would have selected the case study method to answer the question . Three Mile Island was not a nuclear disaster and nothing wrong ever occurred there . contradictory +Above this rises a tower of 13 diminishing golden disks symbolizing the 13 steps to enlightenment , then a golden royal parasol topped by a bell-shaped crown . The tower of 13 disks symbolizes 13 steps to enlightenment . entailment +To the left of the entrance are the monks ' bakery and an imposing pigeon loft . The pigeon loft is directly adjacent to the monks ' bakery . neutral +Clinton and congressional Democrats have hijacked Livingston 's resignation and turned it into a moral argument against Clinton 's resignation . Clinton is still the president of the United States . contradictory +The masterpieces among the free-standing statuary , though , are the war-horses trampling the king 's enemies and the splendid elephants crushing the demons . The statuary was the home to more masterpieces but they were plundered . neutral +They approach a presidential candidate the way a woman approaches a date . They get ready for a presidential candidate . entailment +Refuses ? Denies entailment +As he demonstrates in picture after picture , he 's willing to be stomped for art 's sake . There are no pictures that demonstrate his willingness . contradictory +The rapid spread of inquiry from an examination of the technology to an investigation of decisionmaking on that flight , to inquiry about NASA management as it affected the Challenger disaster generally , is what taking the context into account means . The reason why the technology was factored into the inquiry is because investigators suspect that it wasn 't good enough . neutral +Well , if they can 't get in , then we 'd better either provide incentives for schools to come into being where they can afford it , or figure out a way to give them enough of a voucher where they can . Schools don 't deserve an incentive . contradictory +The word comes from an old Iberian term meaning Lord of All . The Nigerian term means Lord of All . contradictory +It should begin at the lowest level of the product design . It would be ideal to start in the lowest level of the process of designing the product . entailment +Member what they used to say in the army ? They never said anything in the army . contradictory +Art History 1900 's Art History neutral +On the eastern side of Victoria Park on Causeway Road is Tin Hau Temple , dedicated to Tin Hau , the Taoist Queen of Heaven and patroness of seafarers . The Causeway Road is on the western side of the park . contradictory +During its subsequent two and a half centuries of rule from the new capital established at Edo , the Tokugawa organized a tightly controlled coalition of some 260 daimyo in strategic strongholds throughout the country . Hundreds of daimyo were brought into coalition by the Tokugawa . entailment +Adrin saluted , long stick to his nose , short stick out to his side , palm open . Adrin held an empty hand out in front of him . neutral +In petitioners ' view , the restriction operates neither to maintain the current welfare system nor insulate it from attack ; rather , it helps the current welfare system function in a more efficient and fair manner by removing from the program complex challenges to existing welfare laws . The petitioners would like to prevent criticism of the welfare system . contradictory +oh yeah i know they are i used to have one that we used to ski ski behind We used to have one . entailment +The interior was decorated by important artists and craftsmen of the time and the apartments of the Prince and Princess of Soubise are worth seeing . The most important artists of the time decorated the apartments . neutral +I 've told Mary to keep them apart if she can . 62 " Will she be able to do so ? " Mary 's been told to keep them apart , though there 's some question as to her ability to do so . entailment +Above the town , acrosefrom the railway station , are the remains of Penrith Castle , built to protect against raids from the north . Penrith castle is no longer fully intact . entailment +The benefits to the public health are estimated to be 36 to 44 fewer deaths per year and 484 to 677 fewer serious injuries per year attributable to design-related device failures . There are no benefits to the public health related to device failures . contradictory +The cheers got cheerier . They were more cheery . entailment +He patted his pocket . He patted his pocket to check for something . neutral +Why can 't buying things be a pleasurable sideshow to the main events of life ? Most people would agree that the important thing is moderation . neutral +It fit with their idea of a boss . Their idea of a boss is completely different . contradictory +Why don 't you write a note telling the bridal couple that you had such fun arranging their party and that you and all the guests at the shower will have fond thoughts of them while they are away honeymooning . Why don 't you write a note telling the bridal couple you enjoyed arranging their party and that the guests will have fond thoughts of them while they go to their honeymoon in Bermuda . neutral +Never did any . " 11 " I have but I always got mixed up , and used to put credit entries on the debit side , and vice versa so they fired me out . My employers have always adored me , and refuse to put me out of a job . contradictory +Moreover , after Gerth 's article the White House released a series of documents detailing the decision . The White House released a series of documents after Gerth 's article . entailment +He could have been one of them . He could have joined the mob . neutral +but i think the highs are gonna be in the sixties and the lows in the forties that 's getting back to a little bit chillier The highs are gonna be in the nineties and the lows will be in the twenties . contradictory +The British Labour Party supported the return of domestic policy-making power to Scotland . The British people rejected the fact that the Scottish people were starting to gain power back . contradictory +It was built Beforethewars . This is quite old . entailment +If the country is debased and decadent , the cure has to come from uplifting the people , not from acts of government . The government is abolishing all unneeded laws . contradictory +Addressing Loss of Trust Due to Perception that Programs Are No Longer Dealing with Discrimination-Based Issues Programs no longer deal with discrimination-based issues . contradictory +and if i you know if i know the topic i 'll go ahead and accept it as mine but the other day i got one about fishing and i thought oh my I got a topic about fishing , and I was surprised . entailment +The more skewed the distribution of delivery route profit margins , the greater will be the losses from unprofitable routes . There are no unprofitable routes . contradictory +This distinguished house is remarkable for its longevity and conglomeration of architectural styles . This house is new and built in one architectural style . contradictory +Shortly after taking office , he entertained Frank Zappa on a state visit . He entertained Frank Zaappa after taking office . entailment +regard to how corporate and government owners manage the acquisition Engineering Organizations of facilities and other projects . Facilities are more often acquired than other projects . neutral +John 's face hardened . John looked happy . contradictory +Buttoned up , I looked almost respectable . I looked decent . entailment +As the main industries of the region continued to decline , the number of visitors continued to grow ; it seemed that tourism could at least breath some life back into the region . The main industries saw a rise in success during that time . contradictory +4 cents for saturation mail weighing up to 3.3 ounces and drop shipped at the delivery office . The delivery office charges less for saturation mail if there is a very large order made with multiple areas . neutral +And yet , it fits in . " I shrugged my shoulders . I shrugged as I talked . entailment +There are always giants , and each of you has the potential to become one . While all of you can be giants , not all of you will . neutral +You think I mind saying it , but I don 't in the least ! I actually do mind saying it at all . contradictory +Cindy have you seen Dances With Wolves Cindy , have you been to the theatres for Dances With Wolves ? neutral +OPP staff work with grantees to enhance the quality of their work through ongoing contact , through LSC 's Library Resource Initiative ( see section IV ) , and through program visits . Program visits are done on an ongoing basis . neutral +3 . Elitism . Society with no leaders . contradictory +I see , she remarked at length . She told everyone with drawn out words that she saw . neutral +we 're able to get around pretty good and it didn 't stay too long on the sides of the roads but We were able to drive through the snow storm and make it home safely . neutral +Potential Improvements to the Study . There aren 't any potential improvements to be made . contradictory +I do not consider this a deterioration ( this article has an average of 17 words per sentence ) , but it does reflect the change in the size and character of the audience and in the means of communication . The author is very sensitive to the changes in readership . contradictory +The woods thinned out to grasslands , and he went on for hours more before he spotted a cluster of lights ahead . He walked on forever and never saw any sign of life . contradictory +that is very true however our whole economy is based on loans Our economy is based on loans since the 18th century neutral +Nicholas von Hoffman in the Los Angeles Times says Horowitz wastes much too much space ... Von Hoffman refused to write about Horowitz because they were friends . contradictory +I hesitate to suggest pensioning off a faithful servant , but you really ought to have a better watchdog . 128 Conrad snarled impotently , and said sullenly , as the man with the beard swung round upon him : " He gave the word . Conrad had no opinions on the bearded man 's current watchdog . contradictory +In other words , we 're not producing 30 percent more , but more of what we do produce goes to corporate profits and less to wages ? We spend more on wages than profits . contradictory +If the cost of the PP and E acquired equals the book value of the PP and E surrendered , there is no gain or loss ( nor a revenue or other financing source ) , because the exchange of one asset for another of equal value does not provide a net inflow of resources . PP and E acquired cost don 't equal the book value of PP and E surrendered . contradictory +With the passing of each year , the Space Needle looks more and more like a prop from a bad science-fiction movie . The Space Needle has been updated and modernized . contradictory +You 'll also see reliefs of Sobek and Horus flanking the entrance . The entrance of Sobek and Horus has reliefs . entailment +and he goes do you want to dance i turn around and go what he goes do you want to dance i go no no he goes oh oh i 'm sorry i go yeah you better be i go you better be so He asked me to dance and I said yes , of course . contradictory +Although there is considerable variation in the analytical designs and data used in the 26 underlying studies , the majority of the studies involve the value of risks to a middle-aged working population . Nobody has any data on how people value risk . contradictory +and their inability to understand um multicultural or multiracial situations and i really you know they don 't understand uh how other people live um they don 't understand Sheltered white people can be unintentionally racist , but they don 't really mean it . neutral +But at this point the difference between supporters ' and detractors ' views begins to narrow . Now , the difference between their views starts to become smaller . entailment +Experience in installing SCRs for the NOX SIP Call has shown that the SCR equipment can be installed on the facilities in the space provided . Facilities are ill-equipped to accommodate the equipment . contradictory +The bell , some 2.5 m ( 8 ft ) tall , was cast in 1301 . The 2.5m tall bell was made in 1301 . entailment +Up on the heights above the town , the elegant 18th-century Villa Serbelloni stands in the middle of a beautiful park of rosetrees , camelias , magnolias , and pomegranates . The Villa and gardens around it were a popular tourist destination . neutral +Don 't think it ever gets quite that cold hereabouts . It was good being away from the Stronghold , out here with Anse . The stronghold gets overwhelming with all the noise and smells so it is good to be away . neutral +Reconstructions of workshops , pubs , and family rooms show how people lived in previous eras , augmented by written and oral testimonies from townsfolk and a 20-minute introductory video . Nobody has been able to find written or oral testimony about people 's lives in previous eras . contradictory +To measure anything in the floating paper dollar will get us nowhere . We won 't get anywhere using the paper dollar as a standard for measurement . entailment +In light of the decision by Sonny Bono 's widow to run for his congressional seat , the LAT front page reports that among first-time House candidates from 1916 to 1993 , 84 percent of the widows won , while only 14 percent of the other women did . Widows rarely won congressional seats when compared with other women . contradictory +yeah yeah yeah i i agree with you they like to get out there and but this wasn 't so fun this last time for Nathan to to get out there and he didn 't realize he was touching poison ivy and it got all into his eye and it was really swollen and uh so they had to give him shots and everything so oh well maybe next time he 'll stay away from those particular Nathan touched poison ivy and messed up his eye . entailment +A NYT business section piece claims that the deal leaves America with six independent media companies ( down from 50 in 1983 ) . There are more independent media companies now than there were in 1983 . contradictory +but i guess they had to finally do something actually Bush has been better at that than i thought He has implemented several successful humanitarian projects . neutral +so yeah keep them in the house put them in the bedroom neutral +The museum 's highlight is a life-size , sixth-century b.c. terracotta sculpture of a reclining couple that was used as the lid of a sarcophagus . The terracotta sculpture was rediscovered in the late 1800s . neutral +Presently , when we are calmer , we will arrange the facts , neatly , each in his proper place . Its easy to strange facts when irrational . contradictory +Borrowing from DeMuth , I ask , Is Dole any less constrained than Bill Clinton ' by powerful constituency groups within the [ Republican ] Party ' ? Bill Clinton had free reign . contradictory +He suggested that the wording be made less for example , treatments that work should be made to work in the ED . Treatments not working in the ed are bad neutral +oh i have one we uh we have one one Master Card We don 't have credit cards contradictory +uh no it 's a little trailer you pull behind your car and uh The new thing is a trailer that you pull behind your car . neutral +Also , needless repetition should be avoided . Needless repetition is recommended and should be engaged . contradictory +Bush 's wife and daughters provide another handy shield . Bush 's family is transparent . contradictory +These values reflect the adjustment for changes in real income over time that is included in the benefit valuations in our national benefits summaries . Adjustment for changes in real income over time that is included in the benefit valuations in our national benefits summaries is reflected by these values . entailment +The bipartisan resolution passed the House on a vote of 429-3 and was approved by voice vote in the Senate . The resolution was not passed during its first pass through the House . neutral +it comes off in strips i mean not even little bit so we still have some of that trim work to do because we put it off all this time we know what a job it 's gonna be because you almost have to strip the whole thing in order do it again We have to finish the trim . entailment +He was a funny little man , a great dandy , but wonderfully clever . " I found him incredibly dull , not funny or witty . contradictory +After a product passes this decision point and added investments are made , the cost of making changes to the product design also increases significantly . The cost of making changes to product design after it passes a decision and investments are made increases . entailment +um at TI they 're doing recycling i mean for a long time they didn 't do this but now they 're they 're recycling cans and paper we have separate bins TI doesn 't do recycling now , but they used to contradictory +I can 't answer that . " I will give you several answers to that . contradictory +yeah i hope it 's as nice as it was today Today was nice . entailment +yeah your oh of course they are one of the best uh they didn 't do as well this year but we saw them we went down to Austin last year and saw them beat the Longhorns in the regionals Unfortunately , the Longhorns won . contradictory +The ultimate effect is that this article treads close to the danger zone . The truth is that this article is not provoking at all . contradictory +Disheartened in Hong Kong Hopeful in Hong Kong . contradictory +The proportions vary and the humors and spirits change but all things are composed of the elements . The deep elements of love , hatred , and indifference , are what make up everything in our universe . neutral +In addition , establishing tooling and manufacturing capability is also required . Other factors can be nice to have , but are not a requirement . neutral +She has been kind and generous to these Cavendishes , but she was not their own mother . She was not their mother , but she 's been friendly and generous the these Cavendishes . entailment +The mare whinnied and Ca 'daan froze . The mare made a frantic noise . neutral +Where does he find the funds for this endless life on trains ? The man lives on a train . neutral +Only a tiny number of trusted aides and Secret Service agents could know of it . Only a few trusted helpers and secret service agents could have knowledge of it . entailment +Blending old-fashioned elegance with modern comforts , the most proserous of Normandy 's seaside resorts is also the most expensive . The reason it is the most expensive is that it was a haven during the Vampire Wars . neutral +Critics dismiss it as tedious psychobabble . Critics dismiss it as garbage . contradictory +In 1988 , New Jersey joined the ranks of those states that adopted the Interest on Lawyers ' Trust Accounts ( IOLTA ) Fund as a method of collecting and using the interest that would be earned on these deposits . New Jersey was anticipated to have joined this effort much sooner , but they were delayed in doing so for various reasons . neutral +Thus shielded , she has never looked so exposed . She has never appeared exposed . entailment +the economy the our soldiers going over uh just everything The nation is in a horrible state with the economy being bad , our soldiers going ever , just everything . neutral +That pointed to her having been overcome and carried away in a car . It was thought that the kidnappers were after her money . neutral +Across the road is Fort Cornwallis ( named after Charles Cornwallis , Governor General of India ) , which marks the spot where Captain Light arrived on 17 July 1786 . Fort Cornwallis is named after Charles Cornwallis and marks the place where Captain Light arrived in 1786 . entailment +Prior to implementing sampling procedures , a sampling plan should be developed . Sampling procedures are unsafe if a plan is not developed . neutral +A spokesman for fertility doctors suspects that ronsangels.com is really aimed at adolescent boys . Teen boys may be visiting ronsangels.com. entailment +He also gives them clothing allowances ( up to $ 50,000 a year ) . He makes them provide their own clothes . contradictory +The Sun , which claims 11 million readers , explained that Hashimoto had written the article to warm up the welcome for Emperor Akihito when he visits Britain in May . Hashimoto wanted to get the British people excited about the Emperor 's upcoming visit , so he submitted an article to The Sun , extolling the Emperor 's many wonderful qualities . entailment +Various agencies operate and maintain heritage assets . A number of different agencies operate and maintain heritage assets because there are a lot of them to be handled by just one agency . neutral +Throughout the building are superb 16th-century tapestries , furniture and decorative arts . There are no artworks in the building . contradictory +uh-huh with an annuity No , not with an annuity . contradictory +yeah and she 's so cute and her and Frank and the baby and i don 't know i just you know they took it off down here for a while uh oh gosh for about a year year and a half well She is just really ugly . contradictory +A story says that the Japanese mob exerts too much control over that nation 's finance industry , hindering Japan 's ability to compete in the global market . There is no outside influence on the Japanese finance industry . contradictory +If a blood alcohol level is obtained to facilitate treatment of an illness or injury , it is not under special protection . Blood alcohol levels are always protected contradictory +so i figured instead of going out there and scraping and you know having a having to climb up on a ladder the stain kind of just uh it weathers I would rather avoid climbing a ladder if I can help it . entailment +no i don 't watch that i used to but i don 't any more I watched the show before the actor died , not anymore . neutral +( Copy editor 's Copy editor 's mug . neutral +I 'm afraid you will have to pay the administrative penalties . You will have to pay the cost for the administrative penalties . entailment +The park also has a restaurant and children 's play area . The park attracts loads and loads of visitors each year , it is very popular . neutral +For Master P , neither is an appealing prospect . Master P is very picky in regards to projects to pursue . neutral +but uh some people have a real problem with it It is easy to have problems with it for some people . neutral +The meat and the chefs are sometimes imported from South America . The meat is imported from South America . entailment +yes i know what you mean i i know my husband he um plays an instrument and he played in the band when he was in college and in high school and so he has a lot of all different kinds of music and he goes out of his way to play marching band music or My husband is completely tone deaf . contradictory +This is terrible ! This is very bad . entailment +Hunt interrupted Novak once . They only interrupted because it was an emergency . neutral +Several studies have found a significant effect of age on the value of mortality risk reductions expressed by citizens in the United Kingdom ( Jones-Lee et al . The United Kingdom has no citizens to do studies on . contradictory +Multiple Sources of Turning first to multiple data case studies require thick description in order to get enough multiple data case studies require sufficient description to get enough information . entailment +The house now lies covered in undergrowth and makes a cattle pen for a local family , but remnants of the pretty arches and columns can still be seen . The house makes a snake pen for a local family . contradictory +That shouldn 't trouble us , said Adrin , drawing the leather pouch from his hip . Adrin drew a metal pouch . contradictory +so they are paying for it okay well the way i you know it was talked about I 'm glad that it so thoroughly was talked about . neutral +so are you motivated well i like i am undisciplined in the sense that i can 't just go and do exercise but i like to um play tennis and play racquetball i i like to get exercise when i 'm playing a game of some sort and so that 's always been the way that i have kept myself in uh the shape that i was satisfied with at least I 've never played tennis or racquetball before . contradictory +The reporting entities of which the components are a part , however , need to be sensitive to differences that may arise from the different accounting standards . The reporting entities must be aware of how different accounting standards can result in differences . entailment +The ceiling painting of the Sun King in his chariot and pictorial references to Alexander the Great and Augustus Caesar make it abundantly clear the Salon d 'Apollon was Louis XIV 's throne room . Alexander the Great is not represented in the Salon d 'Apollon . contradictory +Martha , who does not want her last name used , believes she owes her very life to Legal Services and lawyer Laura Adjangba , who won her political asylum in the United States . Martha won political asylum in the US . entailment +Room 7 concentrates on domestic utensils and personal objects found in the palaces and around the Megara ( royal chambers ) . Room 7 currently lies empty because we haven 't decided what to do with it yet . contradictory +like up at the end of last year where one police officer it was on a drug raid uh was trying to extra extricate um a confession or information from a drug dealer and did so by placing a hot a hot iron on his chest his bare chest burned him A police officer caught a drug dealer on a drug raid . neutral +While Social Security provides a foundation for retirement income , Social Security benefits replace only about 40 percent of pre-retirement income for the average worker . Social Security is awarded to every American regardless of income level once they reach age . neutral +can imagine you have a good you have you could have a good uh choice of cars but then of course there 's more people interested in them too Many other people are also interested in the cars . entailment +After a contract is awarded the agency will need to carry out test and acceptance procedures . There are several test and acceptance procedures to follow after a contract has been awarded . entailment +Other agencies , including NASA and NIH are working toward ISO 9000 certification for their facility engineering activities . NASA isn 't one of the agencies working toward ISO 9000 certification for its facility engineering activities . contradictory +to pick up the kids that 's how much of a chunk it takes out of the old day but uh it is better just to let them you know play outside than it is to fight the traffic so and there 's it 's real nice park lands on both sides of the school they have you know climbers and stuff like that but It 's dumb to let children play outside . contradictory +Had the beastly thing stuck ? Did the beastly thing stick ? entailment +I passed two Johnnies in the street to-day talking about some one called Jane Finn . I have never heard of the name Jane Finn before . contradictory +Only seven stood in their way . Seven blocked the way . entailment +One interesting question raised by all this is whether cars are commodities . They questioned if the bicycle was a commodity . contradictory +We had about three hundred and fifty slaves at that point , all working deeper in the mines than we ever had . The slaves worked in the mines until they died . neutral +STEWARDSHIP LAND -Land and land rights owned by the Federal Government that are not acquired for or in connection with items of general PP & amp The federal government owns land . entailment +Some men can 't forgit an ' don 't seem to want to . All of the men were able to forget , and they were all glad to do so . contradictory +yeah what you uh-huh yeah yeah Yes , what did you say ? entailment +Deductions for State and local property taxes on homes $ 22,140 The deductions for state and local property taxes was $ 22,140 . entailment +yeah when did you first take your uh first piano lesson yeah When did you have your first piano lesson ? entailment +In the Final Regulatory Flexibility Analysis , the FCC finds that there will be no economic impact on small businesses . The FCC points out that medium to large-sized business may be negatively impacted . neutral +Republican staffers , in particular , see Microsoft as a Democratic-inclined company that is never going to hire them when they 're ready to go through the revolving door . The Microsoft company only hires democrats under the age of thirty . neutral +He knew she was aware of his stare though she showed no sign . He was staring at her because she was bleeding . neutral +Black Africans didn 't take part until the third modern games , held in St. Louis in 1908 . Black Africans were always allowed to take part in the games . contradictory +Common sense tells us that the nation needs to save more when it has a healthy economy , sufficient resources to meet some current needs while still building our capacity for the future , and a relatively large workforce . Increasing national savings when the economy is doing well seeings to be sensible . entailment +The sikhara that once towered 60 m ( 200 ft ) into the air like some symbolic and divine charioteer has gone , but the grandiose pyramid of the Jagmohan ( Hall of Audience ) , where the priests used to officiate , still soars above 12 pairs of huge stone wheels sculpted into its huge platform and drawn by numerous galloping horses . The sikhara once towered over 1500 ft in the air and nobody seems to remember it , but the pyramid is still in place . contradictory +and people just she she she she used to say to me when at when she was ninety two or something at the time say I think she was 33 when she had something to say . contradictory +The harassed Ulloa could take no more and sailed into exile . Ulloa went into exile . entailment +Again the mare voiced her complaint , and the rider turned to the gentleman . The mare complained about lack of space . neutral +The Postal Reorganization Act of 1970 clearly mandates that the Postal Service innovate by developing effective and efficient postal services adapted to the needs of the Nation 's mail users . The act allowed for reform in the area of Post office performance . neutral +I 've been thinking She was interrupted by a fresh bout of applause . She ploughed on amidst stony silence . contradictory +i don 't yeah and i maybe that 's not what they meant maybe that 's just the way both of us took the wording but i i think it 's a good i get idea to get younger people involved in the government in some way or the public you know happenings it 's just they they 're not aware of why things cost what they do why things operate the way they do but i just Young people would benefit from being involved in the government . entailment +You can set your own pace , though most people manage to reach the top in around an hour . Most people take 3 hours to reach the top . contradictory +i uh it 's it 's funny because both of us both of us then were really just adolescents when when i think most of the major changes for adult women were going on When some big changes were going on for adult women , the both of us were kids . entailment +Therefore , the similar pieces which are not workshared , and are not getting the discount of 6.0a , are paying a price of 6.0a + 27 . the identical pieces that are not workshared are discounted contradictory +Oh ! Tommy looked puzzled , and seemed waiting for more . Tommy seemed completely fine and moved on . contradictory +The Department of Health and Human Services ' rule is adopted pursuant to sections 2701 , 2702 , 2705 , 2711 , 2712 , 2713 , 2721 , 2722 , 2723 , and 2792 of the PHS Act ( 42 U.S.C. The health and human services rule is now deleted . contradictory +It was a long time before the Kentuckian was able to separate Shiloh from his ring of new admirers and bring him back to the stable . Shiloh did not gain any new admirers . contradictory +Garry Kasparov writes an article requesting a 10-game , winner-take-all rematch with Deep Blue . Garry Kasparov is an illiterate chef that makes hot dogs . contradictory +I stood helplessly as several dozen of the great bobbing boilers moved toward me . Giant machines were coming my way and I could do nothing about it . entailment +The D982 leading west from Rouen is the start of the Route des Abbayes , which meanders through woodland and meadows around the medieval Norman abbeys ' most of them enjoying their heyday under William the Conqueror ' at Saint-Martin-de-Boscherville , Jumiyges , Saint-Wandrille , Le Bec-Hellouin , and Caen , culminating in their masterpiece , Mont-Saint-Michel . The Route des Abbayes starts at the D982 leading west from Rouen . entailment +how old is she again I know how old she is . contradictory +MALS has appealed to the legal community for funds and greater commitment to pro bono services - donating their expertise to the needy . MALS has decided not to ask the legal community for help on this issue . contradictory +They had too many patients and , with every patient new to them , didn 't know important details . Since there were a lot of patients , they didn 't know their medical details entailment +I guess I want to get your great granddaughter turned into a registered and certified wife and take her on a long honeymoon , he decided . He didn 't consider the granddaughter wife material . contradictory +they just they 're not meant to last at all Planned obsolescence is why they don 't last . neutral +I was , as we say , slammed . I was slammed by a car . neutral +In addition , the rule is expected to produce more efficient consumer search activities which could lead to time savings valued at $ 19 million to $ 38 million per year . Increased efficiency in consumer search activities might lead to time savings . entailment +Nema squealed in delight . Nema let out an excited squeal of delight . entailment +However , as we moved to address the Board 's mandate , we quickly realized that the creation of a world-class delivery system involved more than state planning , per se . We wanted to address the Board 's mandate but it was going to be difficult to get the state to agree . neutral +Some contributions may represent saving that would have occurred even without the tax incentives or amounts merely shifted from taxable assets or even financed by borrowing . Some contributions may represent saving that would have occurred even without the tax incentives entailment +During one phase of the French Revolution , a guillotine shortened many lives here , though the fact is deliberately forgotten by the boys eyeing the girls pretending to ignore the boys . The thought of the guillotine shortening lives during the French Revolution was overshadowed though the simplicity of boys eyeing girls . entailment +This approach provides perhaps a better technique for isolating the actual costs of the emissions caps . There is no way to estimate the actual cost of emissions caps . contradictory +like you i haven 't played any or not much this year i played a couple of times but We haven 't played much because we have been busy . neutral +but uh i like to i like to do uh stuff with plants i like um i have a lot of plants in my apartment and i 've got a pretty small porch but it 's it 's uh i 've got a few planters out there that i i 'll uh you know in the winter time i usually plant some pansies in there and then in the summer i 'll plant petunias or something that that 's colorful and like that blooms a lot but uh haven 't done that yet it i i kept thinking that it was going to get cold one more time but i think we 're probably past that now i probably should go buy some but I kill plants so I never keep them . contradictory +Assessing risks and identifying needed policies and controls for general support systems , such as organizationwide networks or central data processing centers , that supported multiple business units . Central processing centers are key to smooth business . neutral +i got to save my two year old from a pile of grapes she 's diving into I will let my daughter play on the grapes . contradictory +well ironically enough i 'm sitting here with a cast on my leg because i resumed an aerobics class the night before last I hurt my leg at aerobics class the other night and now have a cast on it . entailment +Originally , these all had separate burial sites , but they were sacked by religious protesters . All of them had separate burial sites for each of the pastors . neutral +The appendix ( Table A1 ) presents demographic characteristics related to the quartiles in Table 1 . The demographics are listed in the appendix . entailment +Being Berlitz , we 'll try to help you with some of the simplest phrases ( at the front of the book ) . We won 't give you any help ! contradictory +so no i never do my husband does at work just to get cash out but uh i take the checkbook so i you know i just if i need cash i just tell him and he gets it out and i don 't even think i know my number If I have to buy something , most times I will just write a check . neutral +Suzuki ( 1870 1966 ) , who pioneered the study of Zen Buddhism in the West . Suzuki was a scientist who lead the field of Quantum Physics in the East . contradictory +Marcus and I had fought together in the last days of the Voth war . Marcus and I were battle-brothers near the end of the Voth war . entailment +Postal Service considers the terminal dues amounts contained in Table 1 commercially sensitive . The army considers these terminal fees to be beautiful . contradictory +because right because you don 't have anyway to turn it off there did you hear about this Lotus database that was being put together You don 't have to turn it off since it turns itself off . neutral +A layabout would simply have written a true story . A true but bad story would have been written by a layabout . neutral +It is simple , dog-like gratitude for a reason to declare the presidential race more interesting . They wanted to make it more meaningful . neutral +digital signature and public-key infrastructure The digital signature requires your full and last name typed three times . neutral +cut off you know that yeah no this is where we 're going to draw the line this is shorts you know and and nobody will ever kind of take control and do that you know Someone had to step up . neutral +I 'd like to suggest that the tax system should go much , much farther down this road , particularly the sales tax . My suggestion is that the tax system should go further down this road , the sales tax in particular . entailment +But if you are here simply to have fun , you might not even notice . The key is to have a good time , and not focus on stressors . neutral +the other is to actually you know carry everything on your back i 've done camping out in at in the Aspen Mountains in Colorado where When I go camping I always carry everything on my person . neutral +The guy was on TV about a month ago and he said you 'll never see me standing in the driveway of my house talking to these candidates . He would gladly converse at great length with the candidates on his front lawn . contradictory +Practice 13 : Use Attention-Getting and User-Friendly Techniques There are many ways to make things more User-Friendly . neutral +The F / A-18-E / F program eliminated over 40 percent of the parts used to build predecessor aircraft to make the design more robust for manufacturing and identified critical manufacturing processes , bringing them under control before the start of production . The new design with robustness also increased the safety of machines . neutral +Even if board members are independent , they can be ineffective as directors if they lack expertise or knowledge relevant to the company and its business . All board members that are independent are just , if not more effective as directors . contradictory +( The endorsement vote , which was narrow to begin with , was later rescinded after an outcry . The endorsement vote was not popular with members of both parties . neutral +and that and they always cooked then they had they had the choice you know they lived in their own little house they had their own possessions still in there to some extent you know some of them They liked to have the freedom being at home offered . neutral +Herbs and Bought off the shelf in the local supermarkets , these cost virtually nothing . Specialty stores are more expensive . neutral +Voting is underway in the Person of the Century thread , which , created before the recent Time magazine survey , aims to identify , once and for all , the person who has most influenced the century . Newsweek will name the Person of the Century . contradictory +Regulatory Impact Analysis for the Heavy-Duty Standards / Diesel Fuel Rulemaking . Regulatory Impact Analysis for the Heavy-Duty Standards / Diesel Fuel Rulemaking is the title of the report . neutral +The teeming millions living in Calcutta and Mumbai have become legendary . The millions of people living in Calcutta and Mumbai are that of legend . entailment +well i it i find it depressing to watch or especially TV you know it 's uh local news concentrates on murders and things like that i 'm from Dallas I watch the news all the time . contradictory +The Carthaginians originally came from the area comprising present-day Lebanon , and from their bases in North Africa and what 's now Spain , they challenged the Roman Empire for domination of the Mediterranean region . The Roman Empire eventually decided to share land with the Carthaginians . neutral +This range assumes approximately 80 percent of the structural steel is for ductwork and supports and 20 percent is required for miscellaneous steel such as reagent conveying equipment , buildings , and solids handling systems . his range assumes approximately 40 percent of the structural steel is for ductwork contradictory +As discussed in Section 3.3 , utility engineers reported that while installing SCRs for the NOX SIP Call , crane availability has been an issue that can be accommodated with proper planning . Utility engineers denied that crane availability problems can be solved by proper planning . contradictory +and apparently still has a great deal of control Apparently they still have a lot of control . entailment +I fled into the west and within five days I was lost , out of water , and delirious with exhaustion . I almost died without water . neutral +Here the two-hour VIP tour changes every weekday , depending on shooting schedules , as small groups of 12 guests over eight years of age walk through the back lot past familiar TV and movie sets and tour production facilities . Only children eight years and old and younger can go on the tour . contradictory +The Loire Valley is impressive for more than its countless cha ? ­ teaux . There is no point in visiting the chateaus in the Loire Valley . contradictory +A key model assumption affecting international flows is the allocation of gross saving between its foreign and domestic investment uses . A good example is between foreign and domestic investment . entailment +9 . What Is the Federal Government Doing to Educate the Public About Why Saving Matters ? Saving money doesn 't matter but some people think it is necessary . neutral +I asked him if anything untoward had occurred . I didn 't ask him if anything inappropriate had happened . contradictory +Soon , they may do what a related device called the Audible can do , and actually read to you , either via sound files or text-to-voice software . The device doesn 't read sound files . contradictory +uh-huh i 've never seen that before uh-huh i 've heard about it but i 've never watched in fact i don 't usually watch TV on Monday nights i guess i 'm either just really tired from the weekend and i get home well uh I have heard of that show but I have never seen it because I don 't watch TV , mostly , on Monday evenings . entailment +More than 200 paintings of famous and infamous Scots can be found in the collection , which was initiated by David , 11th Earl of Buchan . There are less than 100 paintings in the collection . contradictory +I adopted a dumbfounded expression . I was very serious . contradictory +There 's been a very long history in society of problems with alcohol . Problems with alcohol have been going on for a very long time in society . entailment +John broke the rather awkward silence by saying with a slight effort : " I told you , didn 't I , that Mr. Inglethorp has returned ? " Poirot bent his head . John spoke up as soon as Mr. Inglethorp burst into the room . neutral +Cybercitizens will be hard-wired , and entertainment as we know it will be in the form of IPOs . People will have to order and pay for their entertainment someday . neutral +Call me square , but I find this antithetical to the documentary spirit . Call me a nerd , but this is contrary to belief . entailment +He has so much experience and , as shown by the last interview , there are a lot of us out there who could benefit from it . It was obvious from the interview that he was not very experienced and people should not look up to him . contradictory +Wilmington attorney Dana Harrington Conner has won a national award for her work with an organization that offers legal assistance to low-income families . Connor won accolades for helping her law firm defend malicious prosecution . contradictory +Its season is from December through mid-May . December through the middle of May is the season for skiing . neutral +yeah yeah sure that 's i think we 're in probably in the same position " I believe that we are most likely in the same position , so we should meet up again . " neutral +A series of case studies , together with an overview report , was produced . The report said that things had been going very well . neutral +His Bose 901 loudspeakers , the company 's premium line for 30 years , have nine speaker cones , positioned all over the cabinet , so that the sound bounces around your room just like in a concert hall . The cabinet was designed to house multiple speakers . neutral +Palo , a slightly bitter aniseed drink dark brown in colour , tastes best in a long tall glass with the addition of gin or soda and ice . Some companies change the colour of the drink in order to make it more attractive to their consumers , but others play up the authenticity in keeping the original deep colour . neutral +Viewed simply , four specific discounts are now being offered . There is only one discount that can be offered . contradictory +another thing that was good if you 're looking at the balance of the super powers between the United States and the Soviet Union you know the United States went in and led the battle and and solved the problem and the Soviet Union is is a whimpering is a whimpering country right now because they they 've got so many problems that they can 't even The Soviet Union is a patheitc and problematic country . entailment +With its new look and new aim , the prospects are good despite the warnings . The new appearance and goal are a result of a board review . neutral +Jon knew it now too . Jon also knew . entailment +The island 's capital is Mytilini ( and you may sometimes hear Greeks call the island Mytilini , rather than Lesvos ) . Greeks prefer to call the island Mytilni instead of Lesvos . neutral +well i think uh i think on a scale of one to ten i would be i would be more toward a uh a uh uh an a stand that would not totally ban guns but would certainly very much control them uh Guns should be banned , period ; no middle ground . contradictory +His hands moved , twin ramming rods held between his little finger and his index finger . He carried the ramming rods with only his thumb and middle fingers . contradictory +The poverty rate and the number of poor both rose in 2001 , to 11 . Things got much worse for many people in 2011 . neutral +you know with this you know i don 't know I 'm not sure what to say . neutral +Just 8 km ( 5 miles ) northeast of Florence , 30 minutes on the number 7 bus from the Duomo or Piazza San Marco , the road winds up a wooded cypress-studded hillside , revealing at each bend ever-changing views of Fiesole 's gardens and historical villas and the monuments of the great Renaissance city below . Fiesole 's gardens can only be seen from the road up the hillside . neutral +The issue was indeed weighty and it weighed at least as much as the representative parachute . The issue weighed as much as the representative parachute and two rocks . neutral +For three thousand dollars . For three grand . entailment +Alice has a predictable reaction to this Alice reacts excitedly to the news neutral +The Merchant grimaced . The Merchant squeezed his face tight . entailment +The man grinned with sharp bloody teeth as he drew out Jon 's rapier from his chest and threw it on the ground . The man was missing all of his teeth . contradictory +that 's right um-hum that 's right or move off and leave them That 's right , or stay with them . contradictory +Amid some evidence of a press backlash against the princess--top Sun columnist Richard Littlejohn last week called her a flawed , privileged young woman who filled in time between exotic holidays and shopping for clothes by putting in a bit of work for high-profile charities--an opinion poll published Monday in the same newspaper said half of Britain is still in mourning for her . All of media had good things to say about the princess . contradictory +In fact , they gave a precise definition of the word overwhelming , according to which roughly 10 percent of all true hypotheses should come packaged with overwhelming evidence . Overwhelming has an exact definition . entailment +i don 't think don 't rent to them or rent to them evict them because they drug dealers put it on the lease if you deal drugs you can 't live here The tenants are good contradictory +Also , if State and Federal excise taxes remain at the current levels , tax revenues will decrease over time because of decreased sales . Tax revenues will see an increase due to sales if State and Federal excise taxes remain at current levels . contradictory +I had forgotten most of that day but , with lots of time to think , I remembered the strike . I don 't remember anything about that day . contradictory +I tense . I am tense with fear . neutral +U.S. elderly population-those aged 65 and over-is growing and accounts for an increasing share of the total population ( see figure 1.6 ) . The US elderly population has been declining significantly in recent years . contradictory +yeah instead of being completely penned up Instead of being imprisoned , correct . entailment +While we may enjoy annual surpluses for some time , longterm projections show a resumption of a pattern of deficits emerging after the anticipated demographic tidal wave hits . The demographic tidal wave will make future surpluses impossible after a certain point . neutral +Some fungus destroyed its central trunk , but it still thrives , having aerial roots and a circumference of 400 m ( 1,300 ft ) . The tree died many years ago because of the fungus . contradictory +Mainly I am happy and proud--not just because he is a TV Star but because he is a TV Star in addition to being a good son , a good father , a good writer , and an energetic worker for many good public causes . I 'm proud that he is a good person and actor . entailment +six seven and then you get into the vogues they get up to into twelve and fifteen and on like that Vogues are about 12 and 15 . entailment +something like twenty two or twenty three i remember reading that and being horrified I think that twenty two or twenty three was accurate . contradictory +He mostly hangs out with a group of older , Southern black men , who call him Jumper and Black Cat . The group of guys he tends to hang out with gave him the nickname Jumper . entailment +Under present political circumstances , it is best to explore Silwan and surrounding areas with a guided tour . People who explore Silwan alone may go into the wrong neighborhood . neutral +yeah right when i was uh younger we i lived in the east i 'm from the east really and it seemed like there several people that i knew that had their uh parents i guess they would be but well in their seventy living with them I lived in the east when I was young and back then a lot of people have their parents living with them . entailment +" Yesterday " Drew tried to think back to how he had felt yesterday about Topham 's warning and how he himself had held the absurd belief that if Don Cazar was going to be in trouble , Drew himself wanted to be there . Drew believed that if Don Cazar was in trouble , he had to be present . entailment +I thought it would further my plans . Further my plans , is what I thought it 'd do . entailment +A downward adjustment would also improve Italy 's relation to the mail processing prediction but move Portugal further away . They were worried it would collapse . neutral +After a while Marzena left him , because next to him she felt old and fat . She didn 't leave him because she felt as if she was beautiful . contradictory +The final rule , according to HHS , does not impose a federal intergovernmental or private sector mandate of $ 100 million or more , as defined in the Unfunded Mandates Act of 1995 . It is defined in the Unfunded Mandates Act of 1995 neutral +I 've always thought so . I have always had that idea . entailment +In the mystical pillared interior is Andrea Orcagna 's elaborate 14th-century Gothic tabernacle with a miracle-working icon-like Madonna painted by Bernardo Daddi . Andrea Orcagna spent two years working on the tabernacle . neutral +and here they are supposed to last year around so we have some really pretty flowers growing and uh we 're at the edge of a forest area so there 's a lot of pine mulch We are in a barren wasteland without a single flower for miles . contradictory +no i i don 't think so i think uh they 're getting they 're especially getting their life back together now because a lot of things that you saw on TV a lot of uh inhabitants of Russia would love to stay in their country just as long as they were able to express what they wanted to a lot of like dancers and stuff like that Some Russia inhabitants have good reasons to want to leave their country . neutral +If the original Tarzan celebrated the Anglo-Saxon male proving his superiority over Nature red in tooth and claw , Disney 's version embodies the ideology that vilifies the white male and idealizes the feminine ( human and ape ) and the wilderness imagined by customers of The Nature Store . Disney 's version of Tarzan takes digs at the conception of a heroic white male , instead embracing femininity . entailment +He worked for a legal-aid firm in Lincoln and briefly ran a legal clinic with two friends . The two friends were not as qualified as him . neutral +Steaks to please the most discerning palates plus a great salad bar ; this simple but straightforward combination is difficult to beat . The steaks are delicious . entailment +It was from here , according to Homer , that the God Poseidon watched the Battle of Troy taking place , looking east across the water . Homer believed that the God Poseidon was angered by the Battle of Troy . neutral +and get a graph which you weren 't sure if it was okay or not you know but with a with a new system i can calculate everything so fast you know like for spread sheets With a new system my calculations will be slower . contradictory +You can still see Mohammed 's footprint , but you 'll need a guide to point it out . A guide can point out to you Gandhi 's footprint . contradictory +oh yeah where where are you calling from I don 't care about where are you calling from . contradictory +In use since Roman times , today the salt pans are the source of 18,000 metric tons ( 20,000 tons ) of salt a year . In Roman times people also invented and used viaducts , a precursor to our own plumbing system . neutral +yeah no they don 't they don 't ask anything except how old you are i don 't think that 's kind of scary When buying a gun , they only ask you your age . neutral +7.33 Auditors should use their professional judgment to determine the form , content , and frequency of the communication , although written communication is preferred , and should document the communication . All communication attempts are fully documented . neutral +And waited for our bags . We waited for our bags . entailment +like one night and the next night they 'll stay at the motel you know or something like that and they enjoy it There are nights where they are housed in the motel . entailment +It would be relegated largely to after the fact audits as opposed to its current pre-approved role . It would be related to audits done after the fact . entailment +The huge beasts thundered and belched as they grazed . The largest of them all growled at any others who got too close to his food . neutral +and uh that was a uh a great shock for a lot of people No one was shocked by it . contradictory +The stable of think-tank hobby horses being promoted ( school choice , abortion , and missile defenses ) is as bloated as the government DeMuth decries . DeMuth supports some think-tanks , but not all . neutral +Why ? What 's doing back at the house ? Why do you need to head back to the house , exactly ? neutral +Across the river , the 19th-century Orsay railway station has been transformed into the Mus ? ? e d 'Orsay . The 19 Century Orsay railway station is still functional today . contradictory +but anyway yeah it 's been interesting though all these different people and some of them are real friendly you know and it 's like yeah man when i come to Dallas i 'll call you you know and then others of them are like they just wanna go but then some of them have babies crying in the background too so there may be other reason than you know that but well anyway are you in Dallas When I come to Dallas , I 'll call you and we 'll get a coffee . neutral +We have humbly petitioned the poo-bahs at Netscape Corp. to include Slate in the Inbox Direct feature of their own new browser , Netscape Alligator 4.0 ( we think it 's called ) . We asked the poo-bahs at Netscape to include Slate in their browser so we are the automatic news source . neutral +The titan stared east with an eyeless face . It looked towards the east . entailment +It would have been very risky . It is very risky . entailment +In its September 2001 advisory on the draft analytical blueprint for the second Section 812 prospective analysis , the SAB cited the Thurston and Ito study as a significant advance in understanding the effects of ozone on daily mortality and recommended re-evaluation of the ozone mortality endpoint for inclusion in the next prospective study ( EPA-SAB-COUNCIL-ADV-01-004 , 2001 ) . The Thurston and Ito study made people more concerned about Earth . neutral +identifying proven security tools and techniques . There are ways to review security techniques . entailment +oh that was a great one I would recommend it to friends . neutral +Following its victory , Athens introduced the concept of a mutual protection alliance ( a kind of NATO of the ancient world ) . Athens forged an agreement that guaranteed mutual protection after its victory . entailment +Still , it 's worth recognizing that Psychic Friends was an enterprise created as a response to people 's uncertainty about the world ( it 's probably no accident that it cropped up around the time of the Gulf War ) . People turned to Psychic Friends often during the Gulf War . entailment +There is the Miracle Mile for shopping , the Miracle on Ice for sports , Miracle-Gro for plants . The Miracle Mile is not known for shopping but rather manufacturing . contradictory +At this rate , lawmakers will end up talking about the end of the day 544 times before the current session ends in Dec. 2000 . Lawmakers will meet a bunch before the session is over at the end of the year . neutral +The measures of accountability mentioned above help to portray the Government 's financial condition . The measures of accountability mentioned above are responsible for the current auditor strike . contradictory +The name was changed to honor Queen Charlotte George III 's wife who felt a little upset at having been left out of the original plans . It was named in honor of Queen Charlotte . entailment +Qualitative Data A Sourcebook of New Methods . Qualitative data methods have remained largely unchanged . contradictory +and uh pardon me i 'm just sort of putting away some things from dinner now in the background but we um we I 'm taking things out to make dinner with . contradictory +He made his capital at Memphis in Lower Egypt ( near present-day Cairo ) and the first Dynasty was founded . The capital of Lower Egypt was Memphis , which was 10 miles from Cairo . neutral +News applauds the new trend of green hunting : Rather than killing animals with guns , hunters shoot big mammals with anesthetizing darts . News applauds the new trend in hunting ; instead of using guns , hunters are shooting large mammals with anesthetizing darts , making it more humane . neutral +Again , family members say they had no idea she was pregnant . Family members knew about and were celebrating her pregnancy . contradictory +For example , ten absorber modules handling a combined capacities of 2000 MWe and 3000 MWe at two facilities were installed during December 1995 ( order placed ) through March 2000 . All ten absorber modules were installed in one facility . contradictory +Walk towards it , then turn left through an arched gate into the mosque precinct , and follow the crowds into the bustling Grand Bazaar . You can follow the crowds from the mosque precinct to the Grand Bazaar . entailment +pays the same rate as a flat or a parcel of the same weight . The parcel costs 12 dollars . neutral +Some changes in personal values are simply part of growing older . Some changes in values are not a part of growing older . contradictory +Certain transportation and environmental programs involving Federal investments of $ 22 billion and $ 4 billion , respectively , in 199Z required matching support by local governments of about 20 percent and 80 percent of the Federal grants . Certain transportation programs involve federal investments in the field . neutral +that 's getting up there That is quite high . neutral +Therefore , it was not required to prepare an initial or final regulatory flexibility analysis under sections 603 and 604 of the Act . An initial and final regulatory flexibility analysis was prepared . neutral +Well , it is this : that Mrs. Cavendish does not care , and never has cared one little jot about Dr. The doctor knows that Mrs. Cavendish does not care about him . neutral +Bill has delegated that and now those letters all go to John . All the letters go to John now . entailment +Though many lawyers provide such services , they are also being urged to write a check to a legal-services organization in lieu of the hours . Only a few layers provides such services . contradictory +It swelled to the size of a football , then was man-sized , and growing to the size of a huge tank that filled most of the tent . It quickly grew in size , and ended up filling most of the space inside the tent . entailment +Discussing politics ? Talking politics ? entailment +By discouraging future ethnic slaughters , that would give an added moral justification to saving the Kosovars . Saving the Kosovars would have a positive message about moral justification . neutral +The across-sites data base got much larger as the number of sites in a study rose . The database got larger as the number of sites fell . neutral +Throughout Jerusalem , other spots important to Jesus 's life were commemorated with religious structures . Some spots not important to Jesus 's life were also commemorated with religious structures . neutral +Ironically , Jesus was condemned not by the Romans , but by the Sanhedrin , the supreme Jewish legislative court , largely because of his blasphemous declaration that he was the Son of God . Jesus was condemned by the Jewish legislative court because he declared he was the Son of God . neutral +have a nice you too Thank you so much . neutral +Against this background , Bush 's Guard service looks noble . Bush has zero protection and could be killed at any instant . contradictory +what 's that writing a check for gas You can write checks for gas ? neutral +I wish that chap Peel Edgerton had been with us , said Tommy thoughtfully . Peel Edgerton was already dead and Tommy missed him . neutral +how do you think Oakland 's going to do What do you think about Oakland 's performance ? entailment +Novak 's Last week , Capital Gang ster Robert Novak contended that black Americans ' post-bellum achievements represent the slave trade 's oft-overlooked silver lining . The slave trade in America had no silver linings according to Robert Novak . contradictory +All represent different , often contradictory , facets of the greater whole that is Japan one of the world 's most intriguing countries . Japan also has very straight-forward facets . neutral +In some circumstances , auditors should report fraud and illegal acts directly to parties external to the audited entity . Sometimes auditors should not report cases of fraud to outside parties . entailment +All scenarios are implemented in 2002 . In 2002 all scenarios are implemented . entailment +This is a huge country . In fact , this is the largest country in the world . neutral +I 'll hurry over that part . " I 'll be quick with that part . " entailment +During renovations and cleaning undertaken in 1999 , a low-wave electronic system was installed to keep pigeons away . In 1999 there were neither renovations nor cleaning . contradictory +You see , she explained to Jane , " if they think we 're going to Sir James , this will put them off the scent . You see , there is no way they could lose our trail . contradictory +But with the Muslim invasion of Spain in 711 , Christianity went underground . The Christians feared for their safety . neutral +Egypt became one of the most influential Arab states , especially when , in the mid-9th century , a more powerful Arab force the Fatimids swept across Egypt from the west . Egypt lost all their power . contradictory +For this purpose , a classification of worksharing types is proposed , with no requirement that the types be mutually exclusive . A classification of worksharing types should not be suggested for this purpose . contradictory +But time changes and chance changes , senor . Senor , time changes because nothing stays the same . neutral +The first or least densely populated quintile stands out from the remaining four . The other quintiles are sorted by population . neutral +I 'm an engineer . I work for the government . neutral +This seaside resort was created at the end of the 19th century , when swimming became all the rage . Swimming became a popular pastime here in the 19th century . entailment +The gardener glanced at his master , who nodded , whereupon Manning lifted a finger to his forehead with a low mumble , and backed cautiously out of the window . Manning mumbled quietly and left the room . entailment +A Grand Staircase then led north to the most important official chambers within this wing , its sturdy painted colonnades typical of those found throughout the palace . The building was 200 years old . neutral +The Florida Marlins won the World Series . They became the first wild-card team and the youngest club ( they were founded five years ago ) to win the Series . They were the youngest team to win . entailment +it doesn 't always work that way " It never truly works that way . " contradictory +The Kal straightened , the kick to the groin seeming to be much less debilitating than it had appeared . Kal straightened after being kicked in the groin . entailment +did i okay i didn 't know whether you could hear because i i have to take the phone away from my ear to do it It was too loud so I had to take the phone away from my ear . neutral +Others say an order to test warning equipment was given in 1956 , at the time of the Suez crisis , and never taken off the books . There is no order to test warning equipment . contradictory +I have got a cousin who is nursing , I remarked . A cousin of mine is a nurse , I said . entailment +i 'd i 'd say yeah i 'd say there 's a large number especially of urban young voters that don 't know what the Railroad Commission does It warms my heart to see the youth take an interest in the Railroad Commission . contradictory +On its head , under the helmetphone and Busy Bee antennae , with an option for four antennas in the Blebletubby style , there was a blond mop of hair a la Dark Powder . The blonde mop of hair has an option for four antennas . entailment +A lthough a small country , Portugal is blessed with incredible geographical diversity . Portugal 's geography is very uniform . contradictory +Beresford was there . They were waiting . neutral +uh-huh we have no which one is that I 'm not sure which one that is , but maybe you can look it up ? neutral +Apparently not , said A 'deem . A 'deem did not think so . entailment +Starr told me that , and Bennett confirmed it but would not tell me specifics . Bennett would not give me details , but he did confirm it . entailment +In the preamble to the final rule , There is no preamble to the final rule . contradictory +The views climbing up the steep , narrow road are breathtaking . The views after climbing the broad , flat road are breathtaking . contradictory +Postal Rate Commission recommend rates and fees [ that ] shall provide sufficient revenues so that total estimated income to the Postal Service will equal as nearly as practicable total estimated costs of [ operating ] the Postal Service . The Postal Rate Commission encouraged the Postal Service to increase rates and fees in order to make a larger profit . contradictory +The highlight here is Mannings School ( built in 1738 ) , which still retains its original colonial-style wooden buildings . The buildings at Mannings school are made of wood . entailment +hum well i hear someone calling me so i better let you go Someone is trying to get my attention so I must leave now . entailment +Circumstances have changed . Things are different . entailment +The paths are mostly gentle but exhilarating just the same time . All the paths are dangerous and cannot be traversed . contradictory +You will smell the roasting meat and aromatic wood fires as you arrive in the village . The villagers are vegetarian . contradictory +People who are legally fastidious say it 's not the sex , it 's the perjury . The legally fastidious point to sex instead of perjury . contradictory +Services also operate down the west coast to Rennes , Bordeaux , and the Pyrenees . Service is not available in the Pyrenees . contradictory +so i don 't i don 't know if you 're familiar with him or not You may have met him once . neutral +works pretty good then That works well then . entailment +where okay these cars i guess they figure all the old cars will be off the roads or something by the in ten years i suppose they 're assuming no one will drive old cars ten years from now entailment +She managed to avoid his lips and slid away from him . He hadn 't bushed his teeth in days and had foul breath . neutral +He said his group takes on about 10,000 cases per year with a staff of eight or nine attorneys . The man stated the group handles close to 10,000 cases within a year . entailment +We expect this revision of the standards to supersede the 1994 revision , including amendments 1 and 2 . Thereafter , we intend to continue our policy of issuing amendments addressing specific issues as needed . We think that this revision of the standards will be overruled by the 1994 revision . contradictory +Most dramatic is the northern Porte d 'Enfer ( Gate of Hell ) , where the waves have sliced a huge chasm into the limestone shoreline . Port d 'Enfer is a place name which means ' Gate of Hell . ' entailment +and then here about five years ago we bought a big old house out in Oaktown Virginia and there was uh there was two basements There were no basements in the house that I bought . contradictory +Table 1 , line 6 shows that under a domestic postage-based system , the U.S. The first line of the sixth table above . contradictory +yeah well you know they don 't need the airplanes to wipe out those people evidently they just going through and blasting them but you know from what i you know we don 't hear just hear hear bits and pieces but it 's pretty gruesome The situation is pretty awful . entailment +yeah i i think really probably what hit people 's you know i know that here in the up in the uh uh the the New England area and also in in Pennsylvania Ohio and New York the just run all of a sudden we 're out of landfill the New England area has run out of landfill space entailment +You would think that cultivating a taste for such ascetic modes of enjoyment would be at least as effective a diet strategy as glorifying blubber , but Klein fails to entertain this possibility . You would never think that a taste for such ascetic modes of enjoyment would be as effective as a diet strategy making people fatter . contradictory +No one knows whether even one of the initiatives can pass . The initiatives were great and sure to pass . contradictory +Though independent travel is difficult north of Luxor because of security precautions put in place to protect tourists ( see driving , page 111 ) , there are still two temple complexes that can be visited from your base at Luxor . Tourists are free to travel north of Luxor safely . contradictory +Porto-Vecchio Not Porto-Vecchio contradictory +uh-huh uh-huh oh right right now i want to see Sleeping With The Enemy I heard that the plot for the movie was very intriguing . neutral +The interior is sparsely furnished . There are many furnishings in the interior . contradictory +and so it and if i have something that 's really major that i can 't handle or feel i don 't have the time to handle i 'll take it to him to do it I take it to him when I don 't have time to deal with it , or when it is critical . entailment +The miracle here is the animation and production design , which has less to do with belief than with talent and millions of dollars . This project , despite being underfunded , has been surviving on passion and enthusiasm from its volunteers . contradictory +So you run then ? said Adrin . Bob asked if he ran . contradictory +alrighty uh i 'll just hand it off to you and hobbies in our spare time is what we 've been selected to discuss today We 've been instructed to talk about hobbies today . entailment +Should allocations be fuel neutral ? It was proposed that the allocations should no longer be fuel neutral . contradictory +So we come to the usual question how much ? Tuppence was in a dilemma . " How much ? " was one of the easiest questions Tuppence could answer . contradictory +This leads us to a third They couldn 't trust each other . They could not trust one another with their children 's lives . neutral +Wolf , whose $ 15,000 per month retainer was just cut to $ 5,000 , urged Gore to condemn President Clinton for his sexual foibles and to become an alpha male . Wolf 's retainer shot up from $ 15,000 to $ 20,0000 . contradictory +He creates a kind of equilibrium that is always mobile , always about to tilt off to one side and disappear . It feels like it is always in motion . entailment +Telephone , letter , and direct contact are all out of the question . A few forms of communication are possible . entailment +I may have lost some of youth 's sharpness , and I may be stranded in an alien world , but I am no fool . I 'm a fool because I am stuck in this alien world . contradictory +The centre of activity is the maritime promenade ( passeig Mar ? ­ tim ) , a bayfront park area reclaimed from the sea and now covered with trees , flowers , a fountain , benches , and a proliferation of outdoor cafe and restaurants . Trees , benches , and flowers cover the maritime promenade . entailment +I kept my mind open between the two of them . They both had compelling arguments . neutral +The views are incomparable and the garden setting is exquisitely serene . The views are mundane and the garden is very noisy with children . contradictory +Users should also be involved and provide support throughout the acquisition to ensure that their requirements are understood and that the resulting system is both accepted and used . It is good for users to provide support during the acquisition so that the result is appropriate . entailment +yeah it was a great game yes , it was a really exciting game neutral +right yeah we built up our we built up boxes and put them in that so that they would drain because our soil is so bad where i live do you live in Texas or The boxes we make block water from being drained . contradictory +Talk straight . ' There was nothing to distort . neutral +The treaty ? This treaty ? entailment +In front of the building is a statue of the Duke of Wellington , resplendent in battle dress and cloak astride his trusty steed , Copenhagen . People believe that the most impressive part of the statue is the Duke 's horse . neutral +and the the home uh the family type unit you know and i think when kids have that they don 't get into as much trouble or seek to The family who spends a lot of time together has the most successful children . neutral +An ' who th ' devil are you ? His voice was thick and slurred . His voice was fully drunken and his breath smelled of whiskey . neutral +This was also the time when people started rearing animals , irrigating the land , and making pottery . People started making polyphonic music around this time . neutral +The Garden Grove woman answered a series of questions to create and print a form to file with the court . The woman didn 't bother printing the form . contradictory +well um discussing air pollution today i guess Air pollution is discussed . entailment +well they are doing . They are doing nothing . contradictory +They 're political . They are political but willing to change . neutral +what are things like you said McKinney do you live in McKinney too are things pretty calm up there or The town of McKinney usually has very bad weather . neutral +Further north , the British gradually gained the upper hand over their rivals , now including the French , for the Bengali trade that was to create Calcutta . Up North , the British lost to the French and were unable to secure territory . contradictory +Some best practices include focusing on improving communications with management and using external advisors . Improving communications with management and external advisers are some of the best practices entailment +Both Rivera and Bye added that despite the pinch in federal support , the generosity of their local bar associations and the Legal Aid Foundation keep the neediest in Northern Colorado well-represented . Rivera and Bye said that local bar associations and the Legal Aid Foundation had helped the needy in Northern Colorado despite federal support being pinched . entailment +I decided to try it . I didn 't dare try it . contradictory +The most obvious criterion is relevant IT expertise . IT expertise is necessary . neutral +The site of the cathedral of Notre-Dame de Paris has had a religious role for at least 2,000 years . The Notre-Dame site has never had a religious significance until the cathedral was built . contradictory +When senior managers appreciate business accomplishments , they are willing to spend funds for staff recognition . Managers will never spend money on its staff . contradictory +Charging sliding-scale fees means coming up with a new wage for almost every case one takes , and seldom can practitioners rely on anything more solid than their own judgment . Sliding scale fees are often used with low income clients . neutral +It looked like a cluster of colored threads , partly woven into a rather garish pattern . The threads were woven into a pattern . entailment +With Topham 's aid Drew regained his feet and got the staggering Texan , still half unconscious , onto a chair . Topham and the Texan kicked Drew repeatedly when he was down . contradictory +This site provides examples of public management initiatives in a variety of areas , including ethics , performance management , and regulatory reform . This site has examples of initiatives in an array of areas , including ethics , performance management , and regulatory reform . entailment +The Department received comments from 26 State and local welfare agencies and public interest groups . The Department got feedback from multiple state and local welfare agencies . entailment +The attraction is more than plutonic , it is also physical . The attraction is more than before , it is also physical . entailment +The driver 144 jumped to the pavement and tried to bar Tommy 's way . Tommy 's way was being impeded by the driver on the pavement . entailment +A relatively new risk area receiving particular attention in organizational policies was user behavior . Anticipating user behavior is key to implementing better policies . neutral +One reason for this could be that they have traditionally pursued such conservative , respectable vocations as banking , medicine , law , and academia . Banking , medicine , law , and academia were not pursued by them . contradictory +Oh , don 't make me drink it " her voice rose to a shriek " don 't make me drink it ! " Mrs. Vandemeyer , glass in hand , looked down with a curling lip at this sudden collapse . Mrs. Vandemeyer was forcing her to drink Kool-aid laced with rat poison . neutral +The new Public Company Accounting Oversight Board ( PCAOB ) needs to officially get up and running . There are no limits to when the PCAOB must complete their startup by . neutral +Each included a tiny red T-shirt , a blue turtleneck , pink long johns , and two pairs of socks--one lime green , one vibrant purple . All of the clothing included was black and white . contradictory +But this spot is visually arresting , involving , and dramatic . The spot on this stage is quite dramatic . neutral +Case studies aiming at a comprehensive analysis of an event as a whole begin as early as possible in its Case studies began very late , and after the deadline . contradictory +well i think too one of the things that rubs me the wrong way the most is those programs that are funded by Congress and that don 't seem to have any validity at all i mean they 're always far out and uh you know they 're studying some obscure uh bug you know in some other part of the world or some such thing and and our tax money pays for those things and i think that 's wrong I think Congress budgets properly . contradictory +Medical Science v. the Dismal Science Medical and Dismal science are coexisting happily . contradictory +They asserted as well that Congress had imposed an unconstitutional condition on recipients of federal funds by requiring them to relinquish their right to engage in abortion advocacy and counseling in exchange for the subsidy . Only pro life supporters supported Congress ' initiative . neutral +The mosque and tomb were erected on the bed of sand that covered the temple and now sit five m ( 20 ft ) or so above the excavated floor level . The temple was covered by a bed of sand . entailment +For my scheme to work , certain questions , I admit , need more thought . I think my scheme is sound overall , even if more planning is needed . neutral +whereupon Mr. Carter turns purple in the face and gasps out : ' How much ? ' Mr. Carter was surprised at the total ? entailment +how do you vote how do you vote in the military do you vote absentee in your own registered state um-hum So you can 't vote if you 're in the military ? contradictory +University degree . Certification . neutral +Josh Pons did not like this . Josh pons lived this . contradictory +He surely does not make a calculation--doesn 't mark her to market . He did not figure that . entailment +um it wasn 't the easiest thing i 've done but no nor was it hard to to us the young man had kind of taken care of it when he said he was guilty so we did not The murder trial was especially stressful for the defendant 's legal team . neutral +It took only a minute to get down the ladder into Shadow 's stall where a broom tail jiggled up and down above absurdly long baby legs and small rounded haunches . While it didn 't take much time to use the ladder , it did take an hour to find it . neutral +Chinese New Year begins with a family dinner , and explodes with red banners and lion-dragon dances in the streets of Chinatown . Chinese New Year begins with a family dinner where gifts are sometimes exchanged . neutral +Historians agree with the mythmakers that the site and traditional founding date of 753 b.c. are just about right . The historians and mythmakers state different founding dates . contradictory +LSC 's Budget Request for FY01 includes a modest increase of $ 24 million for grants to local programs . Housing programs received a large share of the budget increase . neutral +and entrenched bureaucrats that don 't want to loose their jobs Bureaucrats don 't want to lose their jobs . entailment +Gingrich , the maestro of demonization , recognizes this unfolding catastrophe and is desperately trying to avert it . Gingrich sees the catastrophe unfolding and is desperately trying to avoid it . entailment +i would love to do that but they have snakes over there I 'm terrified of snakes . neutral +see that 's what i don 't understand Maybe you can tell me a little more . neutral +An elegant relic of former splendor , the palace boasts cusped arches and massive pillars modeled on the style of the great Rajput palaces of Rajasthan , but also some unmistakably tubby Dravidian gods on a frieze running around the courtyard . Local people are somewhat embarrassed by the Dravidian gods present on the frieze . neutral +No inside-the-beltway PR victory is worth that kind of demoralization . They did a lot of immoral things to win . neutral +But we 've got to hustle . We have plenty of time . contradictory +Hills and mountains are especially sanctified in the cult of Jainism . The cult of Jainism sanctifies every thing of nature . neutral +Dutch Queen Wilhelmina , one of wartime Europe 's refugee crowned heads , fainted upon meeting Abe , or so she said . Dutch Queen Wilhelmina fainted upon meeting Abe . entailment +Supplemental information was obtained through interviews with various public agencies , private sector facility owners , trade and professional organizations , and A / E firms in order to characterize the current state of the art from a broader perspective . We can characterize the current state of the art based on supplemental information obtained from interviews . neutral +The inscriptions state how he of gentle visage and beloved of the gods , as he described himself , was filled with remorse and converted to the non-violent teachings of Buddha . The teachings of Buddhism are intrinsically violent and promote aggression . contradictory +Roxanne the the secretary I don 't know any Roxannes contradictory +The tourism ante is being upped by hoteliers , entrepreneurs , and government officials eager to broaden Madeira 's offerings and appeal . Madeira wants to stay an unknown destination . contradictory +It tells the public that all politicians ever do is quarrel--without doing much to elucidate what , if anything , they might be fighting about . Politicians often are late to meet their deadlines because of their quarreling . neutral +Broadband PCS licenses were auctioned for Blocks A , B , and C. No auction has been held for blocks D , E and F. Auctioned for Blocks A , B and C were broadband PCS licenses . entailment +Time was running out and Szary slowly began to work , knowing that the last 45 minutes he had to spend on testing the new flavor , an activity which always ended up in the bathroom . Szary started working fast and hard , excited to try new flavors . contradictory +The first major rebellion occurred in 1770 when the Russians , hoping to distract the Turks while they waged their own attacks on the Ottoman Empire elsewhere , promised support to Dhaskaloyiannis , a wealthy shipowner . The Russians were allies of the Turks . contradictory +As capital of Europe 's fastest growing economy today , this new , self-assured Dublin is now very much a European city . Ireland is considered one of the fastest growing economies in Europe . entailment +What a magnificent field what unlimited possibilities ! It was a career choice open only to a few . neutral +The West and East Gardens are split by the Mound , an artificial slope of rock and soil that carries a road connecting the New Town with the Old . The West and East Gardens are part of the New Town . neutral +BOOK VALUE - The net amount at which an asset or liability is carried on the books of account ( also referred to as carrying value or amount ) . Carry value is another name for what we know as book value . entailment +France 's cathedrals , museums , and palaces deserve your attention , but they 'll be much easier to appreciate if you alternate them with time at the beach or on country walks . France has cathedrals , museums , and palaces that are worth visiting . entailment +I , also , am of your way of thinking . We agree on many details . neutral +Modern FGD systems are more attuned to the corrosive SO2 scrubbing environment and therefore increasingly utilize fiberglass , rubber lined steel , and alloys in construction . Modern FGD systems are more attuned to corrosive SO2 scrubbing environments . entailment +'And every other Salmon Corp lackey within half a mile . ' Salmon Corp didn 't have any people . contradictory +I had best stop at this point , since I 've taken more time and spouted off more than I should have . It would have been best if I stopped there . entailment +Is it coercive for people with supervisory authority to ask workers how they plan to vote , or for management to give anti-union speeches on company time ? They made it mandatory to reveal who they voted for . contradictory +No doubt strength and brutality flowed in the man as well but it took more than that to lead men like these . The men just needed someone very strong . contradictory +so you 're still suffering then You are still suffering . entailment +Thirty years may seem like a long time to someone nursing a grievance since the pitched battles of the late ' 60s , but in the sweep of history--on the heels of 90 years of Jim Crow and 200 of race slavery--it 's nothing . Many people who lived through Jim Crow and the civil rights struggle believe that there is still work to be done . neutral +Tuppence , old girl , what has really come over you ? You 're feeling great today , aren 't you ? contradictory +Today , dozens of stalls display a wonderful ethnic you can sample everything from fresh tortillas to Chinese herbs . Chinese herbs and tortillas are easy to find there . neutral +Jon stabbed hard , aiming for Adrin 's left side . Adrin got away before Jon could stab him . contradictory +I felt as if I had wandered in in the middle of the second act--why did it make such a big difference ? A difference is seen between a first and second act , mostly because of the intermission that separates them . neutral +Jon had felt it when they had all joked before the battle of the things they would do to the young Voth women afterward . Jon had not been in anyone 's contact before the battle . contradictory +eradicated in Lancaster County . was erased in Lancaster County . entailment +To help accomplish this , PRA designated senior information resources manager positions in the major departments and agencies with responsibility for a wide range of functions including information resource planning , budgeting , organizing , controlling , training , and ensuring the absence of duplication in information systems . In order to prevent this , PRA stipulated that no manager positions should be created . contradictory +It includes , returns , allowances , and price redeterminations but not credit losses ( due to the inability of the debtor to pay the established or negotiated price ) . They do not account for credit losses . entailment +but it 's it 's it 's it 's real strange uh it 's it 's a world that um is the drugs are the drugs are going to get us all i mean drugs actually i think we 're doing capital punishment to the wrong people i think we ought to have capital punishment for the true importers of drugs not the kids that are selling it on the street that don 't know any better i 'm talking about the people you know who are bringing it to our country i think they deserve capital punishment because they kill I think capital punishment should be reserved for the drug suppliers . entailment +New , he remarked . It was almost new . neutral +that 's right it uh it probably was a lot warmer up high sometimes they get those inversions like when we had that twelve and a half days a few years ago that it never got up as high as freezing the air temperature at five thousand feet was fifty degrees I would not like to be there if it was freezing outside . neutral +you know i had a real problem with that I agreed with that contradictory +The USAT lead states that leaks indicate that in his deposition last Saturday , Clinton was asked detailed questions about his sexual history with at least four women , including one woman escorted by a state trooper to a rendezvous just days before he became president . Clinton was asked detailed questions about his sexual history with at least four women entailment +Very few of Dyson 's Silicon Valley CEO friends are nice , except maybe to her . The majority of Dyson 's Silicon Valley CEO friend is not nice . entailment +we had a doctor that did t hat here We never had a doctor here before . contradictory +and uh yeah we were about the first ones to make those and went out of that business in nineteen eighty one We were the first ones to make those but we left the business in 1981 . entailment +We were drawing into the desert . We moved into the desert which was very dry . neutral +this has been fun talking to you It 's been fun discussing computers with you . neutral +they sure have and that 's a good tree it sort of stays green most of the year you know and The tree has been noted as being in healthy shape . entailment +A smaller grim-looking fellow scowled at Ca 'daan . The man smiled at Ca 'daan . contradictory +oh man just painted over varnished wood oh my The wood got painted over when I wanted to leave it natural . neutral +yes i 'm sure they do uh I am certain of it . entailment +Like Melville 's Ishmael , who noted that meditation and water are wedded for ever , Monet found that all his moods found echoes in the reflected weeping willows and tangled lilies . Monet 's natural landscapes can be conceptually similar to Melville 's Ishmael . entailment +really didn 't need that type of uh player They have enough of that type of player already . neutral +Decreases in two funding sources prompted the cuts , Worthy said . Less funds prompted cuts worthy said entailment +For an overall view of the museum 's collections , we 've attempted a small selection of The collection is a lot bigger than this . neutral +right right but it 's still be quite a bit cheaper to do it yourself It 's a lot cheaper if you do it yourself . entailment +My profile was far too recognisable ; everyone in Large had known precisely which homeless person I was , but the people were too reverent to turn me in , so they pretended not to notice . Everyone in Large tried to turn me in because they hated me . contradictory +During Kosovo , Nickles said publicly that he had told President Clinton , I don 't think that we should begin bombing unless and until the Serbs really begin a very significant massacre . President Clinton did not seem to follow Nickles ' advice . neutral +The surrounding area is well known for its bird life . Feathered creatures like this area a lot . neutral +The Diwan-i-Khas ( the Private Audience Chamber ) , known as the Shish Mahal ( Palace of Mirrors ) , features the Rajputs ' flamboyant taste for covering walls with green , orange , and purple glass , and the vaulted ceilings with thousands of little convex mirrors . The Shish Mahal was very costly to build , and many generations of royalty lived there . neutral +and that 's scary It isn 't very frightening at all . contradictory +professor of of English in Emporia Kansas and uh he he 's been a doctor and a gunsmith and He used to be a doctor and a gunsmith . entailment +Consequently , in fulfilling their responsibilities , these officers must rely on the systems , internal controls , and personnel that process the transactions . Officers don 't need to rely on the system to be responsible contradictory +'Mr . Franklin ? ' They asked . As he mumbled to himself the other inquired to what he was saying . neutral +The answer , which Bennett mentions only in passing , is that the teen-age fertility rate is down roughly 13 percent since 1990 . Bennett said the teen pregnancy rate was up a lot . contradictory +Later , he negotiated the opening of Yokohama as a trading port and foreign settlement . After Yokohama became a trading port and settlement , its population grew dramatically . neutral +Research , Development , Test and Evaluation , and Procurement Funding for Fiscal Years 1995 to 200712 Knowledge-based Process for Applying Best Practices to the Development of New Products13 Notional Illustration Showing the Different Paths That a Product 's Development Can Take15 DOD 's Concurrent Approach to Weapon System Development16 Notional Single-Step and Evolutionary ApproacHe 's to Developing New Products31 Achieving Stability on AIM-9X Missile Program by Knowledge Point 244 History of Drawing Completion for the F-22 Program46 PAC-3 Design Knowledge at Critical Design Review49 Illustration to Show How the Best Practice Model Would Apply to DOD 's Acquisition Process56 Between 1995 and 2007 , there was no funding whatsoever for research and development . contradictory +Quenching cools and saturates the flue gas with absorber slurry . Quenching heats up and disperses the flue gas with absorber slurry . contradictory +Thus , rural ( and highway contract ) routes serve slightly less than 25 percent of total residential delivery points ; this is the same as the percentage of the population living in rural areas . Less than 25 percent of the population lives in rural areas . entailment +your parents have them oh i don 't know she Her parents were very rich and could afford any luxury . neutral +Another channel devoted to such talk could well interest as many people as want to see a 1928 movie starring Conrad Nagel , and would not hurt them . Nobody has ever watched a Conrad Nagel movie . contradictory +I was jus ' funnin ' like Ben said . Ben said that he was being serious . contradictory +Drivers should be wary of the strong cider . Some drivers have gotten into accidents after drinking the strong cider . neutral +uh well we just planted the plum tree this year so we haven 't uh haven 't gotten anything off of that hopefully this will be the first year for our peaches we 're hoping to get something off of that so This is the first year for our plum and peach trees . entailment +Leaders provided funding and created financial and other incentives to support new ways of working and to encourage employees to attain the agencies ' goals and objectives . Leaders provided funding and created financial and other incentives entailment +there 's your tornados that 's right and so they 're predicting this weekend probably drop something like thirty degrees i say huh-uh see that ain 't right This weekend will drop by around 30 degrees . entailment +I was left in her wake ; Natalia was already speaking on the phone , organising another round . Natalia was talking to one of her friends on the phone . neutral +Bork snapped the side of the egg open and stepped out while the others followed . Everyone followed Bork out . neutral +because uh the people don 't have the time to give that one-on-one attention People don 't have time to give one-on-one attention . entailment +i saw them i went to a Beach Boys concert i like them too I have never had the chance to go to a Beach Boys concert . contradictory +Down the Hatch The food began above the " hatch . " entailment +The WJC site also sells Ruddy 's book , The Foster Investigation , and a video , The Death of Vince What Really Happened ? The book about the Foster investigation includes a foreword by Newt Gingrich . neutral +When Johnson died in 1968 , of natural causes , Jimmy Breslin wrote a column , calling him a Robin Hood of Harlem . Johnson died from natural causes when he was 82 . neutral +i mean uh uh the guy shorted us a half a cord of firewood and my wife didn 't know and i stopped payment on the check and he 'd already been paid by a cashing firm and and they 're suing us they 're suing me on this and it 's for a hundred and thirty four dollars Firewood is important in winter because it 's very cold . neutral +But the town itself , with its miraculously preserved old city center , has much else to offer . The town , too , does not have much going on in the way of activities . contradictory +This misses the point . I did exactly what I was supposed to do . contradictory +The Petite Venise ( Little Venice ) district is south of the Old Town . The Little Venice area can be reached by walking south from the Old Town . entailment +Shadow nickered a greeting and turned around as if to purposefully edge her daughter forward for his inspection . Shadow greeted him with a nicker and pushed her daughter toward him . entailment +As for Melfi , I 've always had mixed feelings about her . I 've always had a mixture of feelings for melfi . entailment +Susan , standing behind Jon , looked up to Ca 'daan . Jon was in front Susan . entailment +Masons dug a shaft 10 m ( 33 ft ) into the bedrock for Ramses III 's tomb ( 11 ) c.1151. The Masons worked day and night for four months . neutral +no i 'm in uh Maryland Nope , I 'm over in Maryland . entailment +Try going through Mr. Inglethorp 's room , sir , cried Dorcas . Mr. Inglethorp 's room was part of a hotel where Dorcas worked . neutral +The richly decorated iconostasis has highly regarded icons painted by Jeremias of Cete in 1612 , but the sixth century mosaics on the ceiling of the apse are the church 's most impressive feature . Jeremias of Cete also painted watercolor pictures in his spare time . neutral +Madeira was then granted autonomy , in addition to the right to determine its own taxes and send a deputation to the Portuguese government . Portugal tightened its grip on Madeira as it sought to impose its rule there . contradictory +This site also contains a searchable database of sanctioned providers and barred individuals within the state of Illinois . This site has a database of providers and barred individuals . entailment +A veritable Grand Central Station of ferry services , Paroses an island with something for almost everyone . Paroses island is not the place for everyone . contradictory +Or else that roughenin ' up you took in town still sit sour on your stomach ? " Are you still upset about that roughening up you took in town ? entailment +you know and i couldn 't and i just couldn 't believe you know i was from New York and so you know we rode the bus and if you had a car yeah Sometimes you 'd be in a car , but it 's preferable to use the bus neutral +yeah my mother still lives in Lubbock and we talked to her the other day and they said Friday they had or Thursday or Friday they had a you know one of the world class sandstorms out there that happens every once in a while hadn 't had one like that in a couple of years According to my mother there was a huge sandstorm in Lubbock either Thursday or Friday . entailment +Maryland well they 've got a couple of places here i 'm in i 'm calling from Texas um there 's a place that you know i can feed the five of us for under fifteen dollars and and it 's all you can eat and uh that that 's the kind of place that you take the kids to I can feed five of us for less than fifteen dollars . entailment +um i like grilled cheese too I enjoy toasted cheese sandwiches . entailment +Even if you don 't get on one of the high-speed TGV trains , you are almost certain to see one zoom past . You can Ride on a high speed train . entailment +Dunlap , for his efforts in wrecking--that is , restructuring--corporations , is rewarded with huge chunks of options that he immediately exercises so he can pocket the cash , not so he can invest in the future of the company . Dunlap saves corporations through bankruptcy not through restructuring . contradictory +This , we trust , will effectually silence the sensational rumours which still persist . Though no one could stand the rumors , they were sensational and always interesting . neutral +I 'm not sure I have enough food to feed him , A 'deem pointed to Thorn . A 'deem told Thorn he had plenty of food for him . contradictory +You should try being gay and living here . This is a horrible place to live if you 're gay . neutral +The Corinthian portico was designed by James Gandon , who was also responsible for the Custom House on the north bank of the Liffey . James Gandon is an architect . entailment +I can produce no less than five witnesses to swear to having seen them together , either at six or just after and , as you may know , the Abbey Farm , Mrs. Raikes 's home , is at least two and a half miles distant from the village . Mrs. Raikes ' farm is over two miles from the village , and I have five witnesses that put them together around six . entailment +According to EPA , the final rule does not impose an intergovernmental mandate of $ 100 million or more in any one year because the rule does not impose an enforceable duty on any state , local , or tribal government . While state governments are expected to meet a target of $ 100 million , they are not strictly required to do so . neutral +But Emily herself ” ” She broke off . She would not stop talking for hours on end . contradictory +Good weather , with hot days and balmy nights , is almost guaranteed and apart from the occasional unsightly modern apartment block , the coastline outside the resorts has considerable charm . There is rarely the odd thunderstorm in the area of the resorts . neutral +One reject was asked earnestly why on earth he had gone to live in Prague after graduation , surviving on odd jobs instead of starting a career back home . Someone moved to Prague in 1998 after he was rejected . neutral +His draw was slow with his rapier in hand . He pulled his sword out . entailment +You recognize them beyond fail ? Can you positively identify them ? entailment +The Chinese won 't tell us how to use any of our really good bombs . The Chinese refuse to explain how to use bombs entailment +( For instance , if you 're a presidential candidate and are asked if you have ever smoked marijuana , and you have , but only in England , you might reply that you have broken no state laws . ) The presidential candidates have all broken state laws . contradictory +The latter are helpful in retrospective cumulation as a means of obtaining information from the authors that permits an otherwise unusable case study to be included in the aggregation . The authors have been very helpful in supplying the relevant information . neutral +He seems sincerely interested in understanding holiness . He seems like he tries to live a holy lifestyle . neutral +Accordingly , the Commission certified , pursuant to 5 U.S.C. Unaccordingly , the Commision didn 't certify . contradictory +in the Super Bowl the previous year that they 'd finished in the Cotton Bowl they did go to the Super Bowl and got beat by Baltimore in in the in the last second or two but uh i mean in the seventies it was play-offs every year They lost to Baltimore in the Super Bowl , in the final moments of the game . entailment +well do you have some uh savings plans at work I 'm not interested in anything like saving plans . contradictory +But most observers--certainly the Barlows of the world--expect radical improvement . Majority of observers expect improvement . entailment +What a man volunteered about his past was accepted as the truth . When a man talks about his past it is not accepted as the truth . contradictory +In Hong Kong , the South China Morning Post carried a report Monday saying that McDonald 's staff in the territory are the lowest paid of all business chain employees . They were the highest paid for all the locations across the world . contradictory +( Click to read the question--but in brief , it had to do with why one guy named Bill had managed to discourage unwanted pursuit by a gal named Janet , when another guy named Bill had not . ) Click to read the question , which is about a guy named Bill . entailment +In conclusion , the analysis finds that while compliance with the rule will bring significant health benefits to the population and also exact long-term revenue losses on the tobacco industry and short-term costs on various affiliated industry sectors , the benefits of the rule will greatly exceed the compliance costs on the United States economy . The population hasn 't been convinced that the health benefits of the rule are worth the restrictions . neutral +Fortunately , I was able to persuade him otherwise . ' Natalia / Lincoln offered a wry smile . Natalia frowned . contradictory +Plenty of room for a man to hide in that … . A man could fit in there easily . entailment +In addition , the rule is expected to result in less volatility of producers ' incomes and less risk of no income due to adverse weather events and rural communities and producers will benefit from the certainty of payments in times of catastrophic yield losses . The producers will receive no money in catastrophic yield losses . contradictory +Alcohol and injury , as well as brief interventions , are on the list . The list says alcohol and injury are negatives facing staff . neutral +okay well my favorite probably all time TV show is Star Trek and i would like that i i like the adventure of it My favorite show is probably Star Trek . entailment +Both magazines chronicle the final days of suspected serial killer Andrew Cunanan . The magazines both refused to cover Andrew Cunanan . contradictory +You have to make them think that you 're really Ben Franklin brought to life . You need to get them to believe that you 're actually Benjamin Franklin . entailment +Figure 1 displays the minutes per box per day as a function of density . The first figure shows the relationship between power and density . contradictory +This natural force has been venerated by man since early times , as shown by the cave-temple of Pan , to whom the Syrians and Greeks dedicated the stream . The cave-temple of Pan was originally carved out by the stream . neutral +There are several versions of ( 1 ) Hillary knows her husband is a sexaholic but overlooks his infidelity to advance her own political career . Hillary hates her husband 's constant infidelity . neutral +It 's nothing much , but ” well , if you are going , will you tell him ” he dropped his voice to a whisper ” " I think I 've found the extra coffee-cup ! " I had almost forgotten that enigmatical message of Poirot 's , but now my curiosity was aroused afresh . It seemed to unimportant that I felt the coffee cup had to be important . neutral +Proposed changes made for consistent application of GAGAS where The changed outlines made it so GAGAS could be consistently applied . entailment +um-hum yeah those those are good points um which obviously i 'd never thought about um i don 't know what uh i suppose they also not being a state are probably freer to determine their own um ways of life than they would if if i i 'm trying to think exactly what is imposed if they would become a state versus a territory I hadn 't considered those points before , they make sense . I am just trying to see the implications of statehood vs territory . entailment +Suddenly a second shout came from below . Someone shouted from above , and it was totally quiet down below . contradictory +but other than that i just you know i kind of get in the mood every once in awhile say okay i 'm going to start going to aerobics now you know and and i 'll go for like two weeks and go this is for the There are times I get into the mood , and start going to aerobics . entailment +The chances of detecting a spike in toxicity would depend on the frequency of sampling and the probability of missing a spike is high . The possibility of detecting a spike is high due to the frequency of sampling . contradictory +In 1725 the provost of the city , George Drummond , first raised the possibility of expansion to the northeast , acrosewhat was called Barefoot 's Parks to the green fields beyond . There was talk of expansion in the 1700s . entailment +As I 'm sure y 'all know , the Bush campaign purposely combatted the possibility of competing with mock spoof sites like gwbush.com by BUYING domain names ( over 60 sites , from what I got from the Newsweek article ) . The Bush campaign only bought one domain during his run for the presidency . contradictory +The saleswoman didn 't have to drop names ( the pope and Stevie Wonder ) to justify the price of 75 note-sized sheets and envelopes . The store employee presented the items without comment . neutral +right but uh we 've like i say we 've been redistricting here in Dallas has been a a major issue for i guess the last year Seattle has redistricting problems , but Dallas doesn 't . contradictory +data and access to agency officials ) ; ( 4 ) key objectives ( research questions ) ; ( 5 ) sites where GAO expects to conduct its work , when known ; and ( 6 ) need for any precautions to protect the data and information , such as special clearances . There is no need to protect the data and information . contradictory +The Great Green Tax Shift--a shift away from taxes on employment and income toward taxes on pollution and other negative externalities--has everything going for it . To make a shift away from taxes on employment and income was a part of the Great Green Tax Shift . entailment +You had to take it back to Cartier to get the lipstick refilled , and you held onto it with a little ring or chain that hooked over two fingers . You took the lipstick back to Cartier to get it refilled . entailment +I think there 's a real danger that people will lose benefits because they won 't understand how to handle this ( money ) , said Glenda Harrison , staff attorney with the Northern Kentucky Legal Aid Society in Covington . People tend to spend all of their money right away and end up poor . neutral +These services are available to subscribers only . subscribers are not able to avail of any services contradictory +Each facility 's allocation will be adjusted to ensure that the total amount of allowances allocated does not exceed 271,000 tons per year . The purpose of limiting the total amount of allocated allowances is to save money long-term . neutral +She was saved all right , but they didn 't seem able to hear of her over this side . Even though she was rescued , it wasn 't known on this side . entailment +Make her wonder why I 'm not hitting on her . They don 't find her attractive in that way . neutral +They say the local organization seeks special treatment by being exempted from requirements that apply to all LSC grantees in the country . Local organizations are attempting to play the system for special treatment . neutral +How come you give George a pass ? Why am I the only one getting punished here ? neutral +oh wow wow oh no Yes indeed . contradictory +might form one pair could form one pair entailment +It forces my hand . I have not outside influences . contradictory +it 's just huh-uh you know because i moved out some apartments before because they were loaded with drug dealers I had to move before once I found out drug dealers were dealing from the apartment building . entailment +The worst part of the war on drugs is its hypocrisy . The hypocrisy of the war on drugs is evident to everyone involved . neutral +Limestone and gypsum handling also includes milling , conveying , and wastewater treatment systems . Limestone and gypsum handling doesn 't include conveying . contradictory +With the help of the pirates who made the town their base , Port Royal became a very rich city , with the income from sugar and rum combined with stolen Spanish treasure ( see page 18 ) . The pirates had helped make the town their base . entailment +Its Carrera marble facade is incised with intricate carvings of traditional Islamic themes . Its stone entryway is painted with scenes involving Christian themes . contradictory +Grantees can convene technology trainings , state planning sessions , and advocates meetings . Grantee so not receive planning sessions or meetinfs contradictory +The question is whether Clinton has the nerve . The question is whether Clinton has the guts . entailment +Copyright law in cyberspace offends because it limits what I can do in physical space . The thousands of cyberspace laws have ruined my life . neutral +oh okay yeah golly i 've got up up at work anyway i use uh WordPerfect and Lotus and I don 't use computers at my job . contradictory +US Department of Commerce , Economics and Statistics Administration . The Economics and Statistics Administration is part of the US Department of Commerce . entailment +To the right of this temple , on a tall column , is a gilded image of King Yoganarendra Malla ( 1684-1705 ) seated on a throne , unperturbed by a hooded cobra hovering over him . The representation image of the king is set in gold . entailment +Yessiree . No , absolutely not . contradictory +In the 19th and early 20th centuries , Spain was both economically weak and politically unstable . Spain was vulnerable to outside attacks from other countries . neutral +you know you 've you 've driven by you know the Mountain Gods outside of Riodosa haven 't you Haven 't you driven by the Mountain Gods outside of Riodosa ? entailment +( As a variation on this theme , one can imagine a strategic schooling motive , whereby the least-accomplished children get extra schooling , in the hope that they will become more interesting to converse with . ) The least accomplished students are the most interesting to converse with . contradictory +'Attention , ladies and gentlemen . Please pay attention . entailment +The modeling domain for this analysis encompasses most of the eastern U.S. , bounded on the east by the 67 degrees west longitude and on the west by the 99 degrees west longitude . This analysis covers a broad portion of the Eastern United States . entailment +This is a gentle tour de force by one of our greatest comic miniaturists . The miniaturist has been working in this field for years . neutral +Have to see how things turn out . " Drew started for the Four Jacks to meet Nye . Before I make a decision , I need to see what happens when I talk to Nye . neutral +We could use another war . We don 't need another war . contradictory +BUSINESS TYPE ACTIVITY - Significantly self-sustaining activity which finances its continuing cycle of operations through collection of exchange revenue . Burning a warehouse down to claim the insurance money is considered a ' business type activity . ' contradictory +Comments are solicited from the general public , other federal agencies , and OMB until October 28 , 1996 . They solicited comments from the public . entailment +These Lincolns didn 't look the same as the one I 'd seen earlier . The Lincolns looked different than the others . entailment +Stewardship resources are investments by the Federal Government for the benefit of the Nation . Stewardship resources are investments by the federal government . entailment +The Three Mus Musketeers . Whatever kinda critter is that ? Is a Three Muskateers an animal ? neutral +For , about twelve feet away from me , John and Mary Cavendish were standing facing each other , and they were evidently quarrelling . I happened to walk in on Poirot and Japp who were arguing with each other . contradictory +Retail Shopping Malls There are shopping malls that sell clothes to all sizes . neutral +yeah you you 'd be surprised the things i mean you could like tonight we 're having um nature burgers which are like a grain burger and you can it 's really pretty good i i the people i serve it to like my sister and family members well my family members are vegetarians now basically i mean they 're not they 're not when they go out to eat they sometimes eat other meat you know meats and things but at home we eat vegetarian meals and uh you can make you know make uh pasta meals and different things that people are use to eating that wouldn 't offend you know that they wouldn 't be offended that there wasn 't a meat there tonight we 're going to have vegetarian burgers but sometimes when we eat out we have meat entailment +uh i have uh a a chowperd myself I have a chowperd . entailment +This July , Sen. In July , Senator . entailment +Note that photography is not allowed . Photography is encouraged . contradictory +Linux developers stand on the shoulders of these giants , thus Linux has a lot of intrinsic testing behind it . Linux is afraid of losing a big contract with their partners . neutral +Though this party fell into disfavor for some time , their fundamentalist concerns , shared by members of the Shiv Sena party , increased in popularity in subsequent years . The fundamentalist concerns of the party increased in popularity , even if the party itself fell into disfavor . entailment +Ah , that I cannot say . The person can totally say that . contradictory +uh-huh yeah we do all we can now but that it it you know i think that also goes along uh the reason why we pick the restaurants that we go to you know we we really have we really look at restaurants now there 's one other little restaurant in town that we 'll go to that is um The one restaurant in town is much more expensive than the others . neutral +' ( or was that ' THANK God ' ? ) Did you thank god for what you got ? neutral +so it it 's amazing even when you abuse them So it is still fantastic , even if you abuse them . entailment +He rubbed his hands together , and raised his eyebrows as I stared at him . He lowered his eyebrows while rubbing his hands together . contradictory +Is that wrong ? Is that right ? contradictory +In the vast majority of cases , LSC has agreed with the recommendations of state planning groups throughout the country and has configured service areas accordingly . This is the second time LSC has had to configure service areas in this manner . neutral +i bet that 's true Besides it being true , it might also be the cause neutral +But how they did it gets my goat . " How they managed to escape the cage makes me wonder . neutral +Japan overtook Britain economically in 1964 . In 1964 , Britain was overtaken by Japan economically . entailment +Onsen range from naturally occurring outdoor rockpools to large hotel-style resorts designed for guests to cast aside the stresses of the outside world as they soak for hours in communal hot tubs . Onsens are a stressful place for guests . contradictory +It is the ultimate answer to Sapper 's kettle , because its form was generated by the desire to make it extremely difficult for users to burn their fingers . The form failed to protect their fingers . contradictory +Sex in the car wash ( 37 seconds ) : The video is 5 minutes long . contradictory +Susan wore a dress of burgundy , another gift from Gauve 's wife . Susan wore the dress from Gauve 's wife with pride . neutral +None of these reforms pleased the Russians and Prussians , who continued to covet Polish territory . The Polish territory was coveted by Russians and Prussians . entailment +they are they 're beautiful uh i have a friend when i lived out in the country and she had belonged to this kind of society that like every year you know or every so many months they would send you different bulbs that they came out with My one friend was a part of a society that sent bulbs . entailment +yeah yeah there 's there 's hardly no open alleys anymore it 's all It 's too bad , most of the really good bowling alleys closed down a few years ago , so there aren 't many left . neutral +The Old Town also has interesting stores to explore and browse . There are stores to explore in the Old Town . entailment +Werner Grosshans Assistant Comptroller General Office of Policy There is a General Office of Policy . entailment +As American multinationals ship their production overseas , the likelihood of getting business to support an import tariff ( which would now tax their own imports ) becomes equally small . The march of globalization continues , and with it comes great changes in our economy and job market . neutral +While it challenged Twin Peaks in obscure plot turns , it was ever entertaining , and the first spot I 'd stop at on your site . It had predicable plot turns . contradictory +Checkers masters stared down their Armageddon a few years ago , when a powerful computer program named Chinook forged a tie with the second-best checkers player in the world , Don Lafferty . A computer has beaten the second best human player . contradictory +oh so yeah um up here some of the state parks are really nice and some of them aren 't some of them are pretty rough The majority of our state parks are run down and ugly . contradictory +oh yeah we did too Oh , yes , we did as well . entailment +yeah huh that 's terrible That 's great . contradictory +General Bedford Forrest , watching men driven to the limit by necessity and his own orders , had looked just that way when he had rounded on Drew , bearing news of yet another break-through by the Federals . General Bedford Forrest knew Drew but they don 't like each other . neutral +The British Mandate The British Duty entailment +do you feel like you 're really saving anything i mean It feels like we are really saving everything . contradictory +My wife told me all about you , ' he said . I 've never been married before , he exclaimed . contradictory +Men in dark red armor , faces hidden by wide necked leather helms drove long pikes through the screaming men . The men in the dark armor put pikes through the other men . entailment +The only survivor was a prisoner in a thick-walled dungeon , who for years afterwards was displayed abroad as a circus attraction . There were many prisoners that survived the dungeon . contradictory +31 He gave an exclamation of surprise at seeing me . He didn 't expect to see me right now . neutral +The result is a modern-day wild West meshed with everyday life , where image is reality , poverty clashes with wealth , and fame is acquired overnight all publicized to the hilt around the globe . It 's not uncommon for fame to be acquired overnight . entailment +do you oh yes that 's a good program uh-huh You left the program ? contradictory +The European Monetary Institution promises that it will announce within the next two years the exact date on which the euros will go into use . The date euros go into use will be announced some time in the next two years . entailment +A Time sidebar blames the uncritical media for promoting the drugs in the war against fat . Time claims that the media is responsible for publicizing weight loss related pills . entailment +Some of these Nobel Prize winners don 't want to deal with empirical reality at all . There are Nobel Prize winners who want to ignore experiential reality . entailment +AND THE MAGAZINE WAS STILL ROLLED UP IN THE POCKET ! The magazine was in the pocket . entailment +In the 18th and 19th centuries the Europeans arrived one legacy of which is the English and French spoken by a good number of native Egyptians and the khedives of Egypt stole their ideas on administration and organization to help them run the country . Many native Egyptians learned English and French during the 18th and 19th centuries . entailment +Australia is an independent nation and retains constitutional links with Queen Elizabeth II of Great Britain who is Queen of Australia . Australia has retained constitutional links with Queen Elizabeth II for the past 50 years . neutral +You 'd live there--but you 'd always be drowning and you 'd find it slightly unpleasant for the next few thousand years ! You would be unable to escape for the next few thousand years . neutral +APHIS rejected the first alternative because it believed scientific evidence permitted importation of beef from Argentina under certain conditions and not permitting such importation would be contrary to trade agreements entered into by the United States . There is no evidence to support the importation . neutral +Take a backwaters trip through the lagoons and around the island villages . Backwater rides are popular in this area . neutral +It determined that by 1998 about 10 percent , or about 2,000 employees , would be eligible to retire . By 1998 , only 6 percent of employees would be eligible to retire . contradictory +Policy debates surrounding Social Security and Medicare reform also have implications for all levels of saving-government , personal , and , ultimately , national . The policy does not affect saving contradictory +He read the parable of the talents from St. Matthew 's Gospel , with its praise for those who get a good return on their investments . He read the gospel of Matthew , but didn 't derive anything from its words . contradictory +have have you been out of the country Have you left the US for work ? neutral +it hurts your back and it hurts your arm Sleeping on the floor hurts your back and your arm . neutral +Forensic auditing , as explained by the Panel , would require that auditors undertake an attitudinal shift in their degree of skepticism and presume the possibility of dishonesty at various levels of management , including collusion , overriding of controls , and falsification of documents . The Panel explained forensic auditing that requires that auditors undertake a shift , however it was explained poorly . neutral +Although meat eating is now considered commonplace , it is still strongly associated with the cosmopolitan , Western lifestyle that has such all-pervasive appeal in modern Japanese society . Japanese society frowns upon Western influences . contradictory +and pretty soon before you know it you know he 's run into so many problems and it 's just there 's nothing there to be a problem i thought but um it just took him so much longer and It was quick without any issues . contradictory +In March 2002,8 we recommended that the F-22 program office monitor the status of critical manufacturing processes as the program proceeds toward high rate production . A recommendation was made regarding the F-22 program . entailment +I liked James Surowiecki 's in the imaginary universe of The Phantom Menace ( Moneybox ) . James Surowiecki did great in The Phantom Menace , in my opinion . entailment +Yes , talk to me ! The manager yelled back . The manager could definitely be heard yelling at someone . entailment +Slate on Paper , e-mailed each Friday , is a text-only compilation of most of what Slate has published during the week . Slate on Paper is a weekly synopsis of Slate that is sent before Saturday . neutral +San 'doro followed the dagger with his own body , grappling Adrin 's legs , lifting , and throwing him hard to the ground . San 'doro followed the dagger 's strike with a rough charge , grappling Adrin 's legs and throwing him to the ground . entailment +yeah i no i think it would be better if they would stay down there and get right papers to come across the border Then they can cross . neutral +The statement was absurd and idiotic but it was a victory none the less . Everyone laughed at the dumb statement , but it was still a victory . neutral +Bush himself couldn 't utter these words with a straight face . Bush said it all with a stoic face . contradictory +The gardeners ' evidence , as to the witnessing of the will was taken , and then Dorcas was called . The will had been witnessed by the gardener , according to testimony . entailment +A data reliability assessment should be performed as early as possible in the engagement process , preferably during the design phase . The design phase is the best time to assess data reliability . entailment +yeah and it 's it 's like a school board election you know those of us with children in school are very concerned about what goes on uh in the school system yet school board members are elected with sometimes ten to fifteen percent of the electorate turning out I try to stay involved , even though my kids have graduated . neutral +These palazzos , canals , and lagoons claim a place apart in our collective imagination . You will find nowhere like this , not even in your dreams . neutral +Muller and most of the boys can be counted on not to cause any more than the normal pay-night disturbances . Muller will most likely cause more trouble . contradictory +The high retable was begun by Pedro Berruguete , Spain 's first great Renaissance artist , but he died in 1504 , before it could be finished . Pedro 's work was extremely unique . neutral +In contrast to the well-oiled Gore machine , Bradley has no staff , message , money , or following . Bradley does have an office though . neutral +You bastard . You are a bastard . entailment +Yet , as he faced the stranger eye to eye , the Kentuckian was as wary as he had been when bellying down a Tennessee ridge crest to scout a Yankee railroad blockhouse . He was from Kentucky . entailment +activities , attract the best people , and enhance its technology to more efficiently and effectively operate . Its technology is enhanced to more efficient and effective , said the Wall Street Journal director . neutral +Your liquid sky would sink through it , since negative weight must in truth be lighter than no weight , while nothing else would rise through the layer . The liquid sky would be just fine . contradictory +Privatization is not a solution . Privatization can be replaced with communism . neutral +Once you get your adolescent to endorse this idea ( and to forget that Juliet was just 14 ) , you 've won . Juliet was just 14 . entailment +Congress recognized that in some cases not all of the performance data will be available in time for the March 31 reporting date . Not all the data will be available on time , so it will be thrown out . neutral +there were you know he 's supposed you know he 's this actor right and he 's he 's playing a a cop well he 's he 's he 's hanging around with a cop trying to pick up the the stuff i think he did an excellent job in not being too much of a cop The guy playing the cop must have never acted before as a cop . neutral +A few minutes up and over the hill by car is Grand Case , a delightful village strung unpretentiously along a long , curving beach . Grand Case is a village built along the coast . entailment +They 're administering the changes of the new century while continuing to preserve their unparalleled past , much of which got a long overdue dusting off . They move forward and make policies based on history . neutral +And God knows he doesn 't waste time talking about environmental problems soluble only by international cooperation . He doesn 't want to talk about the environmental problems because they 're impossible to solve . neutral +In 1995 the gallery and London 's Victoria and Albert Museum jointly purchased The Three Graces , a sculpture by Antonio Canova that was in danger of being sold abroad . The gallery and London 's Victoria and Albert Museum paid £ 50,000 for the sculpture . neutral +Inside , cool water was brought down from the roof through a carved white marble chute , and fresh air was brought in through the finely chiselled lattice stonework . Carved marble and chiseled stonework brought in water and fresh air respectively . entailment +Organized crime was soon to have a formidable adversary in its bid to control Las Vegas corporate cash . Organized crime Had interest in las vegas . entailment +that 's terrible well it 's really bad that you have to be you know we we were over at a neighbors tonight and and Brian my little boy is only is just a little over two and their little boy is like five you know so there 's a big difference and they were playing in the back yard and we were getting ready to leave and i went out in the back yard to get Brian and the boys were gone and the back fence was open you know Mine and my neighbors kids got out of the yard tonight . entailment +An alcove had been carved twenty steps from the main support and the barrel . There is an alcove six inches from the main support . neutral +The islands did not become part of Greece until 1947 . In 1947 , the islands became part of Greece . entailment +Get With It , Ye of Little Faith Get With it or you 're going to hell , ye of little faith neutral +uh-huh well it sounds like neither one of us thinks that the Soviet Union is a real threat to the US We all agree that there are greater threats to the US than the Soviet Union . neutral +Then Drew found he had his hands full trying to pull up the colt and persuade him that the race was indeed over . The colt sat quietly under Drew , knowing his defeat . contradictory +the subject is how we feel about immigration We will be talking about our civil liberties and also immigration . neutral +and asked instead to consider What 's best Was prompted to think about what is good overall . entailment +The present site covers 28 hectares ( 70 acres ) of ground divided into several different natural environments . The current site covers a large area of diverse environments . entailment +The pirates may well have been the key to the outcome , for they alone knew the ins and outs of the bayou country , from where the British attack would come . The pirates are said they could be the key to the outcome which occurred . entailment +A portion of filing fees paid by litigants in the state 's circuit courts , and a portion of interest on lawyers trust accounts ( IOLTA ) are earmarked for Michigan legal aid programs . A portion of interest on lawyers trust accounts ( IOLTA ) are earmarked for Michigan legal aid programs . entailment +and that 's real good and uh well at TI i have a real good benefits package for uh uh you know like for going to the doctor and that kind of thing so that 's not something i really have to put in the budget that seriously so Though I feel sorry for the poor and unemployed who can 't afford to go to a doctor . neutral +An impressive 5 million votes have been cast since the poll went up in June . The amount of voters lead to the increase in polls in June , a staggering five million . neutral +VALUATION ACCOUNT ( ALLOWANCE OR RESERVE ) -An account that partly or wholly offsets one or more other accounts ; for example , accumulated depreciation is a valuation account related to specific depreciable assets and allowance for bad debts is a valuation account related to accounts receivable . An account that is used for other accounts to offset the second account . entailment +I didn 't have to be told twice . I need to be told twice . contradictory +Give them something to watch and remember and they will forget what you don 't want them to see , " said Jon . Offering a viable alternative means that they will all forget about the thing you tried to shield them from . neutral +His four years here were the most exciting part of his whole life and could have been the happiest part of his professional one . His time here was the worst time of his life . contradictory +and we have the things that are extras but it seems that by and large the extras just don 't exist We have a lot of extras that sneak in . contradictory +But he got no pleasure from it . It was a degrading task . neutral +Should the orientation of budget accounts be shifted Budget accounts and their orientation is something that has the potential to change . entailment +The resistance literature often comments on Hitler 's amazing luck , or his uncanny ability to sense danger ; but the failures of the resistance might be better ascribed to the calculated unluck of the resisters , their own ability to sense danger and step away from it , and their overall minuscule number . Hitler had the worst luck imaginable and could not sense danger . contradictory +Also called Non-Variable Cost or Constant Cost . This item can be referred to by two different means . entailment +Go away and fetch your box . Go away and get your box . entailment +If so , it explains the steps in a final assessment and the actions to take , depending on the results of your additional work . If you put in enough additional works and bring on good results , you then have a clear picture of the actions to take . entailment +hm i did i don 't any more my husband does I don 't but my husband does . entailment +This site , created by FITEC , provides agencies with a resource for locating financial and / or electronic commerce practices that can be used throughout the federal government . This site was created by the FITEC . entailment +I 'm not a fan of spending taxpayer dollars on the Legal Services Corp. , Barr said . Barr would rather spend less money than use the taxpayer money . neutral +The American Bar Association journal is planning an article , and a half-dozen other colleges are looking at duplicating Rooney 's program . A half-dozen other colleges are planning to write an article about the American Bar Association . contradictory +Merchant shipping doubled in size and increased its income ten-fold as the European fleets were destroyed . The European fleets were destroyed , so merchant shipping increased its income and size as entailment +Woodward--understandably flustered by this unenviable task--takes 56 seconds to say , in effect , that l 'affaire Lewinsky is but one episode in a larger scandal . Woodward took a while to spit out what he was saying . entailment +If they 're all like that , we 're in trouble , said the Kal . " They 're weak . Powerless . They can 't do anything to us . Just look at them ! " said the Kal . contradictory +Many News Quiz responses were rejected by Slate ' s e-mail server . Slate was not expecting the overwhelming response they got . neutral +camping uh is a pretty vague term it seems to encounter or cover a lot of different kinds of of uh shall we say over night trips or sometimes not even over night uh anything from no provisions to uh going with what you can carry on a backpack uh maybe even a tent I wouldn 't mind camping if I could take all my supplies , but camping without provisions sounds awful . neutral +well i think the Phillies picked up some good players in the free agent market didn 't they I think the Phillies picked good players . entailment +One might have been tempted to chide these respondents with the comment that Pride goes before a fall ( Proverbs 16 : 19 ) , but doubtless they would just have snapped back brazenly with Euripides or Racine . People that use the Pride goes before the fall are usually very well versed in debate . neutral +Walking through the site toward the palm tree will take you past the Sanctuary of Apollo , comprising a series of once fine colonnaded stoas and temples , including one to Apollo 's sister , Artemis . People still pray to Apollo in the Sanctuary of Apollo . neutral +uh that 's terrible but It would be better under difference circumstances . neutral +Among attractions , both the Jardim Botanico ( Botanic Garden ) , with its bird park , and the gardens at Quinta do Palheiro Ferreiro are good targets for kids . Kids might enjoy the bird park and the gardens . entailment +Some Practical Aspects of Qualitative Data One Way of Organizing the Cognitive Processes Associated with the Generation of Grounded Theory . Useful parts of numerical data neutral +But foreign visitors can enjoy the Gion Corner , held at Yasaka Hall to provide a selection of bite-sized samples of Japanese culture from March through November . Foreigners are not allowed to go to the Gion Corner . contradictory +The giant box of a hotel signals the start of the traditional hotel zone , flush with well-known , deluxe 5-star hotels such as the Savoy , the Madeira Carlton , and Reid 's , plus a few 4-star hotels , quintas , and posh restaurants . The Savoy and the Madeira Carlton can be found in the traditional hotel zone . entailment +and and all he has to do is one you know hit it once it doesn 't he can he can strike he can swing a couple times if he if he fouls it up he can swing as much as he can it 's an interesting uh It is not as easy as it looks to hit the ball . neutral +Hunting and killing homosexuals . Protecting homosexuals . contradictory +Any world-weary thoughts inspired by the old cynic 's portrait and bust are quickly dispelled by the original of Verrocchio 's cherub cuddling a dolphin like a baby doll . Verrocchio 's cherub and dolphin is the most popular work ever created . neutral +Locker , Michael A. Rothenberg of New York Lawyers for the Public Interest became hooked on trying to make a difference , as he put it , while growing up with a learning disabled sibling . When he was growing up , Michael A. Rothenberg has a disabled sibling . entailment +It was later renamed by the Dutch . It was never renamed by anyone . contradictory +3 ) So Falwell had nothing to apologize for other than insensitivity--another triumph of political correctness . Falwell had to apologize for his dishonesty . contradictory +But don 't I want to hear my union 's voice on issues where the union has some expertise ? I shouldn 't want to hear what my union has to say contradictory +yeah well that makes a really big difference but but still it 's just as hard as having that but well he can your cousin could have a baseball team with twelve kids No one should have as many kids as your cousin . neutral +You and Beresford . Beresford and yourself . entailment +They would not teach me their language . They didn 't want anyone to learn their language . neutral +Also facing Plaza de la Cibeles , the Banco de Espana ( Bank of Spain ) headquarters combines Neo-classical , Baroque , and rococo styles . The architecture of the Banco de Espana combines several styles . entailment +Spark was in her prime when she wrote Memento Mori . As she draws closer to mortality ( may it be many novels away ! ) Spark wrote Memento Mori in her prime , but now she is nearing death . entailment +This line runs from Carlisle , the county town of Cumbria , to Settle , a small market town in the neighboring county of North Yorkshire . It 's a short distance betwen Carlisle and Settle . neutral +Unfortunately , mine were no less vocal in their objections to being kicked out of our bed at those ages than when they were infants . They got less vocal as they got older . contradictory +well they wouldn 't let me name the dog I didn 't name the dog . entailment +that 's right that 's right absolutely that 's right absolutely absolutely That is absolutely correct . entailment +how about Revenge did you see that with him Did you see Revenge staring him ? entailment +Paula Jones attended the White House Correspondents Association Dinner , as did President Clinton . Paula joes was t the dinner buy not Clinton contradictory +The Beijing government has stifled every remaining dissident through exile , imprisonment , or intimidation . The Beijing government failed to deal with all of the dissidents . contradictory +Don 't be a cynic . Don 't be a cynic in this particular situation . neutral +He ought to be bending over backwards for reconciliation , but if you want to do impact work and people in the San Gabriel Valley want direct services , you have to accommodate that or change your approach , the observer said . The observer advised that he change his approach . entailment +Madrid soared onward and upward , increasing nearly eightfold in population ; Spain 's fortunes as a whole were more volatile . Spain had a fortune that was unstable due to inadequate guidance . neutral +Weren 't both of them noted for taking long sabbaticals ? I thought they were noted for taking long showers . contradictory +Yes , siree , this here 's th ' second time we made th ' trip through without havin ' to burn up a sight of gunpowder ! We haven 't had to shoot anything this time or last time we came to Texas . neutral +I was a scout and I had trained well , but it wasn 't enough . My scout training didn 't prepare me for this level of survival in the woods . neutral +I affect people 's lives one person at a time in this job , but sometimes , the effect can be pretty profound , and sometimes , it 's not what you hoped it to be , she said . Based on what she said , it is clear that she has never been involved in affecting any individuals ' life . contradictory +The unfairness of that jab pushed him off balance . He stayed balanced and didn 't even waiver at the jab . contradictory +The new bioethical controversy is whether doctors should obey families who want to freeze the sperm of their deceased loved ones . There is no controversy in freezing the sperm of a living person . neutral +If nothing else , it adds a timely new dimension to the hortatory reminder It 's the economy , stupid . The economy has nothing to do with this at all . contradictory +UDC President Julius Nimmons Jr. worries that the move will demoralize a school , which , like the District itself , is just beginning to recover from a fiscal crisis . Julius Nimmons Jr. supports the move . contradictory +Time ' s peculiar cover story announces and names the new femaleist biological feminism based on new research showing that women 's bodies are tougher , stronger , and lustier than stereotype dictates . The research on female body features was successful . neutral +One animal for every four students would mean the sacrifice of 4,000 dogs per year . There 's no mention of animals in this plan . contradictory +The distinctive dances of Menorca include the ball d 'es cossil , thought to be derived from Scottish dancing . The dances of Menorca include ball d 'es cossil . entailment +His successor , Dom Dinis ( 1279-1325 ) , consolidated Portugal 's borders by constructing castles along the frontier with Castile . Portugal 's borders were not defended . contradictory +But your number 's up now all right , you b swine . " 139 Tommy lay silent . You 're time is up you pig , Tommy stayed quiet . entailment +Between the two world wars , President Theodore Roosevelt stopped by , was entranced by the beautiful countryside and friendly people of Guadeloupe , and predicted that thousands of American tourists would soon be visiting each winter . President Theodore Roosevolt found Guadeloupe revolting and prohibited Americans from visiting . contradictory +uh-huh and as far as the other states i honestly don 't know what their capital punishment is you know i i haven 't kept up you know anything like that I 'm not sure which states have capital punishment , but I know a few do . neutral +Uncooperative implants are another celebrity plague . Celebrities can be plagued by uncooperative breast implants . neutral +Consequently , funding appropriations diminished or failed to keep up with the cost of living . Funding appropriations diminished or failed to keep up . entailment +On the one hand Chekhov believed that Russian Jews could never be truly Russian ; he categorized every new acquaintance as Jew or non-Jew ; in his letters , he frequently used a slurring term for Jews . Chekhov had said anti-Semitic slurs . entailment +right that 's that 's what i mean it they 'll feel like it 's uh a job They 'll feel like it 's a job entailment +( Read International Papers for media reactions from Nigeria . ) The media response in Nigeria can be read in the International Papers . entailment +Because an electronically linked worldwide medical community needs a common language , new terminology has been adopted by the International Federation of Associations of Anatomists to describe human body parts . The American medical community has decided to adopt a new terminology for anatomy . contradictory +Ca 'daan began to feel less and less sure of himself . Ca 'daan didn 't know what to do . neutral +Strengthening the skills and capabilities of IT professionals through training and innovative hiring practices is part of a formula for building information technology and management capabilities . Training will not increase anyone 's capabilities . contradictory +I turned to the pony-trap . It was the pony trap that I turned to . entailment +Little hard on Brill here , aren 't we ? We are being way too hard on Brill . neutral +Young children love beach activities , and as the Aegean has little tidal range and many wide shallow bays , it has many places which are safe for paddling and swimming . Young kids don 't like to go to the beach . contradictory +yeah um-hum cans are the only thing i think you really get money for Are there and other things that you can recycle for money ? neutral +After examining the tourist establishments , don 't miss a look into the many shops aimed at locals . You want to avoid the shops catered towards locals . contradictory +yeah throw throw them back and let them get bigger so you can come get them next year yeah yeah We keep them all , no matter the size . contradictory +In fact , DOD has 8 of 24 government wide high-risk areas based on GAO 's latest list , including the governmentwide high-risk areas of human capital and computer security . The DOD is important to the function of the United States Government . neutral +and i was the only Jew both nights There were a lot of Jews , including myself , both nights . contradictory +The man seemed changed in other ways , too . The man seemed just the same as he always had been . contradictory +In addition there are other looming fiscal pressures , such Fortunately , there are no other fiscal pressures that are looming . contradictory +okay so you 're like at the bottom of Cape Cod You are in Las Vegas . contradictory +no i don 't think i would either it 's doubtful that I desire to do that entailment +However that may be , my father was broken-hearted . My father is old and is not as resilient to tragedy . neutral +This is reflected in the ratio of multi-address stops to single address stops in the two countries . The ratio of multi-address to single address stops offers a number of major insights . neutral +They traveled south and then south west off of the main trail that led to the southern cities . They were traveling to the southern cities . entailment +Only two of the eight islands of des Saintes are inhabited , and one , Terre-de-Bas , just barely . Terre-de-Bas is one of the many densely populated islands of des Saintes . contradictory +I shook my whole body . Only my toe was shaking . contradictory +The key steps and practices are shown in figure 1 . Don 't see figure 1 contradictory +Although China 's Basic Law promised that Hong Kong 's existing laws and civil liberties would be upheld , refugees began flowing the other way . China will abolish all of Hong Kong 's existing laws . contradictory +No , child . Yes , small human . entailment +It looked like he was in the process of scribing some kind of blueprint for ... what looked like a stove , or fireplace . There was some kind of blueprint he was working on in red ink . neutral +yeah cut trying to cut it sideways on an angle and turning around you know without it tipping over was a pain Something like that requires more than one person to really be done well . neutral +None for me right the moment , thanks . I already had some . neutral +East of the Palais-Royal , the old food markets of Les Halles ( now moved to less colorful surroundings in the suburb of Rungis ) have been replaced by gardens , new apartment buildings , and the Forum des Halles , a rather garish shopping center . The old food markets of Les Halles moved out of the city because things got too expensive . neutral +At the start of every audit , the auditors ask the pertinent business managers what weaknesses exist in their operations and what corrective actions they have deemed necessary and have planned . Managers are expected to keep an inventory of weaknesses and constantly work to improve them . neutral +Then he slumped , steamed ... He was upset . neutral +and your your husband probably remembers that better than i do i remember there was a time when they 'd give you one or two dollars for your used tire now they charge you two dollars for your used tire They used to charge you to take your used tire back but now it 's free . contradictory +yeah yeah and time consuming i mean it 's it 's not just the exercise that 's boring and time consuming it 's uh you know afterwards you know then you have to take a shower and get cleaned up you know It is not only exercise that is mundane and costly in terms of time , but you also need to take time to shower and clean up . entailment +numerical ) or of severity of the problem ( judgmental , nonnumerical ) . The severity of the problem is subjective to the eye of the beholder . neutral +There , that 's better . This color is much nicer than the previous color . neutral +3 ) Their many enemies want to legislate them out of existence . Nobody wants to legislate them whatsoever . contradictory +Also in the harbor are the Chais Noilly Prat , where you can view how the famous vermouth is made , and a small chateau that was once the home of the Noilly Prat family , now a hotel and restaurant . There are no hotels anywhere near the harbor . contradictory +I never realised I was so thin . I didn 't realize i was so skinny . entailment +Our profession , however , did not sit idly by . We were so still we all fell asleep . contradictory +Caribbean and international cuisine set amid tropical folia ge and Jamaican architecture . The caribbean cuisine is served outside . entailment +This leads to ... This will take you to the other side . neutral +Tomb artifacts give us a great deal of information about daily life in Egypt . We know a good amount of info about how the Egyptians would live their daily lives . entailment +But presently the phrases became distinct again whether because the other two had 51 insensibly raised their voices , or because Tommy 's ears were getting more attuned , he could not tell . Their voices were shrill but mellowed out so that in the end , Tommy could understand them . neutral +Angers is considered one of the most beautiful cities in France and is home to many buildings of interest and musuems , including the imposing 12th- and 13th-century Gothic Cathedrale Saint-Maurice . Angers is the most beautiful city in France . entailment +The Club Cano Kayak ( 4 Rue Moulin des Orphelins ) rents canoes and kayaks for the river Canche . You have to bring your own kayak , as no rentals are available . contradictory +and uh we lived here for about seven years then we moved back and so then i said i 'm going to move back up there to go to college We have never moved from this place . contradictory +A delicate , delicious fish is Macau sole ( linguado ) . The linguado is so tender that you can cut it with a dull spoon . neutral +Parisians themselves often use the Batobus ( river bus ) for traveling east or west and avoiding traffic snarls . The Batobus is only used by tourists who wish to take in the sights . contradictory +you didn 't yeah Yes you did . contradictory +the other one you need to go see is Sleeping With The Enemy You need to go to Sleeping With The Enemy . entailment +The grand thoroughfare , anchored at each end by a large square , had a symmetrical pattern of streets on both its flanks . The grand thoroughfare was almost perfectly symmetrical . neutral +and i just i don 't need that expense right now plus they eat more and I can not afford this in the future . neutral +hi Rick how you doing Hello Rick , how are you ? entailment +It would have had to obtain the data from the employees because the airlines would not provide the information to the agency . No need to talk to the employees since the airlines are providing the necessary information anyway . contradictory +i know the little dreams right I too have experienced these small dreams . neutral +Installation of LSFO presents a conservatively high estimate of anticipated resources and time to provide additional control of SO2 emission , since LSFO systems commonly are more resource intensive than many other FGD technologies . FGD technologies tend to be less resource intensive than LSFO systems . entailment +As more people live longer , there will be relatively fewer workers supporting each retiree unless retirement patterns change . As more people live longer , there will be more workers contradictory +Bottom This was the worst part for Clinton , so he 'll scrap settlement talks and proceed to trial May 27 . The trial would be put on hold while Clinton pursued settlement talks . contradictory +43 In an ED study , BAC was a poor screen for alcohol abuse or dependence with a sensitivity of 20 percent , less sensitive than self-reported drinking . Self-reported drinking had a sensitivity above 35 percent . neutral +Please send your nominations to 100TopHeds @ slate.com. You can submit your nominations to 100TopHeds @ slate.com entailment +Ninth month : Promoted to sweeping out wards , where I found a friend of my childhood in Lieutenant Thomas Beresford ( bow , Tommy ! ) , whom I had not seen for five long years . I swept out wards with total strangers . contradictory +Increasingly , hospitals use cross coverage , in which a fresh resident covers patients for several other residents at night . Hospitals only have nurses watch patients contradictory +The men advanced . The men retreated from us . contradictory +There was a short pause . It just continued on . contradictory +The house has many original features and authentic touches . There are original features on the house . entailment +But somehow you expect that from Republicans , whereas you don 't expect it from big-name national Democrats , especially Northerners like George Mitchell . George Mitchell is a big name Democrat from the north . entailment +If the general funds would have been used to redeem federal debt held by the public or acquire nonfederal financial assets , national saving initially would be unchanged because personal saving would increase by the amount that government saving decreases . National savings would initially change as both personal and government savings would increase . contradictory +How bad is it ? asked Jon . Jon wondered how bad the conditions were . entailment +Between the genteel resort towns ( and ferry stops ) of Tremezzo and Cadenabbia , you 'll find one of the lake 's most beautiful and famous residences ( open to the public ) , the 18th-century Villa Carlotta . The town of Cadenabbia is larger than Tremezzo . neutral +It was also the time when the region was the homeland of the Canaanites and other tribes familiar from the Bible , which is still the best source of knowledge about ancient Israel . I think we might uncover a better source of knowledge about ancient Israel than the Bible in the near future . neutral +Leading organizations sometimes use surveys that compare missing capabilities with market availability to determine what skills to acquire through hired professionals . In addition to surveys , some leading organizations will conduct interviews to help identify necessary skills .. neutral +Palos Verdes Drive is another eye-catching stretch , hugging the cliffs along the southern tip of Santa Monica Bay . Palos Verdes Drive has a generous hard shoulder for broken down vehicles . neutral +The old man , beard down to the middle of his chest charred from rogue embers , showed Jon the first ten stream spikes . The bearded woman was showing the man the spikes . contradictory +Saving time on administrative processes frees staff to perform the principal mission of the laboratory . There is a potential savings of $ 250,000 annually . neutral +King James I of Aragon authorized the occupation of the islands under forces commanded by Guillermo de Montgri , a solid Catalonian citizen with titular ecclesiastical rank . King James I of Aragon never occupied any islands . contradictory +I can wait here while you deliver it . I 'll wait at the hotel for you to deliver the pizza . neutral +( Interest on IRA savings is not taxed until an individual withdraws it . Interest on IRA savings is never taxed , never ever . contradictory +The Keswick Museum and Art Gallery in Fitz Park is a treasure trove of artifacts collected in the area , with the atmosphere of an old professor 's study . There are artifacts from the area in the museum . entailment +The peculiar result of the credibility of modern central bankers as inflation hawks is that no matter how much money the Bank of Japan prints now , it doesn 't It can 't lower the nominal interest rate , because that rate is already zero , and because people don 't believe that it will allow inflation to break out any time in the future , it can 't lower the real interest rate either . The peculiar result of the credibility of modern central bankers as inflation hawks is that no matter how much money the Bank of Japan prints now , it doesn 't nor can it lower the nominal interest rate , because that rate is already zero , and because people don 't believe that it will allow inflation to break out any time in the future . entailment +Red began , " I only-- " " I only wanted what was-- " Red said . neutral +'You know , sometimes I wonder- what the hell kind of publicist are you ? ' At times you make me wonder what type of publicist you are . entailment +Nonetheless , we believe that our technical assistance funds , TIG awards , LRI resources , our partnerships with national organizations and the many other methods by which LSC extends the resources allocated by Congress to our grantees has ameliorated somewhat the woefully underfunded situation of legal services programs . Congress allocates resources to LSC . entailment +The third tomb , which belongs to the Bene Hezir , is the only one to have been authenticated . No one knows who is buried in the second tomb . neutral +In the absence of an indigenous alphabet , Japanese scholars had with the greatest difficulty tried to adapt the complex ideograms of monosyllabic Chinese to the essentially polysyllabic Japanese . Japanese scholars adapted monosyllabic Chinese to polysyllabic Japanese . entailment +All the way east to place Pigalle and beyond runs a ribbon of tawdry nightlife , with sex shops , peep shows , and other dubious attractions , punctuated by a few conventional restaurants and bars . The sex shops in the area are world renowned . neutral +We want to sustain and grow private attorney engagement by giving volunteers the necessary tools and support . Providing volunteers with support is useful for the purposes of sustaining engagement with private attorneys . entailment +'I despise flying , ' Natalia replied , pulling a flask from her pocket and filling the glass with whisky . Natalia drank whisky . entailment +You forget the dollars . You were careless and omitted a few dollar signs when typing . neutral +The Coming of the Ottoman Turks The Arrival of the Ottoman Turks is the title of the book neutral +Ten years ago , a judge was someone you saw behind the bench when you went to court . Ten years ago , the judges would fight law on the street . contradictory +Representative and Quasi-representative Designs for Research on Teaching . Designs for research on teaching . entailment +Time ' s cover story on the amateur genealogy trend sweeping the nation points would-be researchers to the National Archives , Internet databases , and prison records . They knew what their readers were looking for . neutral +In 1988 , postmodernist Jean-Franaois Lyotard published Le Postmoderne explique aux enfants ( Postmodernism Explained to Children ) , and the book became a must-read for graduate students everywhere . Jean-Franaois has written many books including Le Postmoderne explique aux enfants . neutral +don 't you have to why people just kind of debate expect certain services then then they don 't really think they should pay for them or something maybe i don 't know I don 't understand why people expect free services . neutral +The editorial concluded , He smoked but didn 't inhale . He inhaled deeply with each puff of the cigarette . contradictory +I asked them and , of course , they were vague . Everyone was completely forthcoming and frank . contradictory +dull , provincial , and oddly prevalent on U.S. comedy shows . It is still an original concepts , since no U.S. comedy shows have used it yet . contradictory +Nor have the rich maintained that audible indicator , that quasi-English , quasi-lockjawed accent that the swells all had in Depression-era movies . The accents in the Depression-era movies are gone because as years go by it has been forgotten . neutral +The third section covers payments to vendors for the acquisition of goods and services and the fourth section covers payments to employees for government travel . Section 3 discusses payments to vendors for goods and services . entailment +and our Visa card was we could get through our credit union was like fourteen percent so we just we sent it back we We could not get a Visa card from the credit union at all . contradictory +The President 's Energy Plan will improve visibility by reducing SO2 and NOx emissions . Unfortunately the plan will cost a lot of the tax payers ' money . neutral +This next little fact , no ! The next fact . entailment +Their reported sensitivities were 66 percent to 92 percent . People had a range of sensitivities . entailment +Small children are bound to enjoy the merry-go-round , puppet theaters ( outside July and August ) , and pony rides in the Jardin du Luxembourg . The pony rides are inexpensive and are a great memory for your child . neutral +If Hunt Rennie had had the story from Topham or Nye , he already knew how the fight began . Nobody knew how the fight began . contradictory +Arc-et-Senans A village in France . entailment +Michael Forbes of New York--who , according to press reports , has been treated as a nonperson by his GOP colleagues since he voted against the re-election of Newt Gingrich as speaker--bleats like a goat when the SBA field office in his Long Island district is threatened . Michael Forbes voted for Gingrich during his re-election . contradictory +The following classification of internal control is intended to help auditors better understand internal controls and determine their significance to the audit objectives . Internal control issues are not very prevalent . contradictory +There are three of them on the floor below . " They 're on the floor one lower . entailment +The spell is broken only when you leave the store , realize that you 've just bought $ 200 worth of merchandise , and understand you 're just another schmuck consumer . The spell is cast by a wizard employed by the department store . neutral +Table 2 , line 3 shows that in FY 2000 , outbound mail had a contribution to institutional costs of $ 456 million . Outbound mail adds $ 6 million to institutional costs . contradictory +The mortality and chronic bronchitis health endpoints are the most influential in our estimation of monetized benefits , because they account for over 95 percent of the total estimated monetized benefits of the Clear Skies Act . Bronchitis health endpoints influence how benefits are monetized . entailment +how long does alcohol stay in the system i mean like if somebody went out and had some drinks the night before is that going to be there the next day I 'm pretty sure alcohol will be gone from the body by the next day . neutral +4 . Is the basis for case selection presented ? Is the basis for case selection going to be explained after being presented ? neutral +And there are many other graves , their tombstones revealing the hardships of the town 's history . The tombstones mark the graves . entailment +There 's no call for ' secret ' ingredients . There are three secret ingredients in the batter . contradictory +Therefore , GAGAS simply proposes to recognize the reality of current practice . GAGAS has made a proposal . entailment +Yes , it is queer . You have to admit it 's odd . neutral +Scorch marks were strewn all over the hull- particularly at the joints which had once held the two carriages together . There were a lot of scorch marks at the joints . entailment +Congress , in its oversight role , can monitor management improvement initiatives and provide the continuing attention necessary for reform initiatives to be carried through to their successful completion . Congress views its oversight role as a necessary part of healthy and transparent governance . neutral +in one neighborhood and they have pickup there it 's uh i think once or twice a week they don 't offer pickup in that neighborhood contradictory +And that 's the great thing , isn 't it ? That is the wonderful thing about it , right ? entailment +Gee whiz ! " And with a flourish he waved aloft a small discoloured packet . The packet was damaged from the rain , cause discoloration . neutral +yes and no income tax no i uh i look at it this way uh you 've got to pay for the privilege of living here I don 't see a purpose to income tax . contradictory +the distances between them widenas from the Iceland-Faroes massifleeward for anotherthree hundred miles southeastthey build unblocked . Three hundred miles were unblocked entailment +They are hilarious , but they 're also slightly guilt-inducing , because the author is deeply nasty about his fellow man . An author with a chip on his shoulder towards mankind writes what we 're all thinking about our fellow humans . neutral +Nearby , the Lookout Tower and Camera Obscura offer a unique view of the city . The view of the city from the Lookout Tower is the most popular neutral +Jon walked back to his horse and drew another sword . Jon killed his horse with another sword . contradictory +b ) Did not quit on principle after Clinton admitted lies . Clinton admitted lies , but that wasn 't the reason for quitting entailment +He stayed for only a few days but returned in 1502 , landing here when the ships of his fleet became unserviceable ; he waited at St. Ann 's Bay for help to arrive from Cuba . Cuba refused to offer him help , and he died at St. Ann 's Bay . contradictory +Cook will " Cook will not . contradictory +um you know it used to be that communities would take care of their own and that you know the states would take care of the communities and then all of a sudden everybody starting looking to the federal government The state doesn 't care about its ' people neutral +There are evening bus tours that include visits to a restaurant and night spots ; some tours combine a Chinese banquet with a visit to an open-air market and the panorama from Victoria Peak . The evening bus tour goes all around the city . neutral +yeah they don 't have much in the way of rounds but who knows if they don 't get one maybe they can trade for one after all you know i New Orleans picked up uh old uh Steve Montana or Walsh They always have a lot to choose from in the way of rounds . contradictory +The newsweeklies chronicle Flytrap 's denouement . Flytrap is a front page story in the newsweeklies . neutral +uh they 're outrageous They 're the craziest people I know . neutral +The 15 stained-glass windows depict 1,134 scenes from the Bible . Scenes from the Bible are depicted in the stained-glass windows . entailment +It 's a campers ' paradise , too , but drinking water can be hard to find away from the main road . You may camp for as long as you like . neutral +Each state plan must be viewed based on the totality of the circumstances , with the bottom-line consideration turning on LSC 's studied determination as to whether a given service area configuration inures to the benefit of the greatest number of clients in the most cost-effective way . The service area is configured to benefit the least amount of clients . contradictory +Why are you coming at me with that pillow ? Why do you want to hurt me with the pillow ? neutral +Last month they couldn 't make the payment on a house they have owned for 31 years . They were not able to make a payment last month . entailment +I 'm at Waterloo . I am leaving Waterloo soon . neutral +" An orderly let out the news that you are here , " she said . She did not know where was he . contradictory +Someone would . Nobody could . contradictory +The youngster took a long time in getting on with it . The youngster struggled to understand . neutral +Leading organizations we studied create a set of mission-related processes and systems within which to operate , but they then give their managers extensive authority to pursue organizational goals while using those processes and systems . Of the organisations we studied , they create processes to which they would operate within . entailment +hundreds of thousands of people is what it seemed like It seemed like hundreds of thousand of people . entailment +14 A consolidated approach to many of these issues can facilitate a concerted and effective response to new threats and mission performance . The consolidated approach leaves new threats unaddressed contradictory +A walk around the lovely shaded ramparts of Obernai will convince you of the perennial proserity of its wine growers and farmers . Taking a stroll of the lovely shaded ramparts of Obernai will sway you about the yearly prosperity of the wine growers . entailment +so whenever somebody would come over your house they 'd always bring some tomatoes well but you grew your own tomatoes You grew your own oranges contradictory +I suggest that you try holding your bladder or bowels , race to the bathroom , and find the ONE stall you can possibly use occupied by someone who prefers the luxury of the handicapped stall . I suggest that you don 't bother holding your bladder or bowels , and just urinate / defecate all over the floor instead of going to the bathroom . contradictory +What on earth induced you to do it ? Why did you think you should do that ? entailment +You can 't see his face because the mask covers it , but as you walk past him on your way out you notice his hands there . He has an ugly face , so he wears a mask to prevent you from seeing it . neutral +In the early 1990s , a Mixtec worker named Santiago Ventura Morales spent four years in an Oregon prison before his murder conviction was overturned . Santiago Ventura Morales once worked for Mixtec . entailment +This is said to give the doctor-investors an incentive not only to cut corners ( the traditional HMO complaint ) but also to send poor patients to doctors outside the company while referring rich patients to doctors affiliated with the company . They sent poor patients to doctors outside of the company . entailment +but um i brought um my kids when they were little they had given me uh some azaleas so i brought all my azalea bushes and you know i brought i brought as much as i could bring I just decided to start over with my plants . contradictory +His methods also encourage high The 901s cost $ 1,400 a pair ( some companies make $ 300 speakers that sound better ) because nine cones cost more than two or three ; the Wave radio costs $ 350 because that 7 foot tube was a bear to design . The man 's methods promoted high 901s cost , which are $ 1,400 a pair . entailment +Hannah 's cardinal trait ( 48 seconds ) : Hannah 's most outstanding trait . neutral +Look at it . Don 't look at it . contradictory +The common criminal , the well-bred Irish gentleman , the pale Russian , and the efficient German master of the ceremonies ! The group consisted of all Germans . contradictory +to spend on groceries and clothing and fuel for the car and then the rest of it 's uh pretty much fixed expenses uh mortgage electricity uh water and uh and garbage collection and telephone bills and cable television bills and those are pretty much fixed The cost for groceries and clothing are unpredictable and can vary every month . contradictory +On higher ground behind the lake is the Museum of Delos . The Museum of Delos is on higher ground . entailment +The notice contained in the preamble to the interim final rule complies with the requirements of the Paperwork Reduction Act by explaining the need for the information , the parties affected , and the burden estimates related to the collections by each Department . The notice failed to comply with the Paperwork Reduction Act . contradictory +Meanwhile , the state 's Cabinet for Health Services administers programs to promote mental and physical health , emphasizing education and prevention . The Cabinet Health services has programs about being healthy mentally and physically . entailment +To the right lie the enormous Palace Kitchens , which house a collection of European crystal , Chinese porcelain , Ottoman serving dishes , and cooking im ? ΰle ? Ϳέents . The small , cramped palace kitchens only contain wooden plates and iron silverware . contradictory +There was , however , a growing movement against slavery in Britain . Anti-slavery movements were starting to grow in Britain . entailment +Sulfates are a key factor in all areas of the United States , particularly in the East , where high humidity increases the light extinction efficiency of sulfates . High humidity causes many problems in the Eastern United States . neutral +I will forget it . ' That way lies confusion ! I will forget it . entailment +The Polonian tribe , which settled the area that today is western Poland around Poznan , provided the foundations for the development of a Polish language and nation . Although the foundations for the development of a Polish language and nation , the capital of Poland throughout history was Warsaw . neutral +That led me easily to a box score , photographs , a game summary , half-a-dozen audio clips of post-game interviews , a 10-second QuickTime movie of the Bruins running a fast break , a comprehensive scouting report on both teams , and an online chat room where Bruins fans were whooping it up . I didn 't find anything like audio clips of post-game interviews or online chatrooms . contradictory +That generates many concerns . There are a lot of concerns . entailment +She was so self-sacrificing , such a noble character . She was self-sacrificing and noble . entailment +A sidebar argues that black holes and quarks are evidence of God 's grand design for the universe . Black Holes were created on the 8th day by God . neutral +SUBSIDY COST -The cost of a grant of financial aid , usually by a governmental body , to some person or institution for particular purposes . A subsidy cost is the cost of a grant of financial aid . entailment +The warrior woman turned and looked away . The woman turned and looked in another direction to not show the other warriors her tears . neutral +The principle remains . You can 't ignore what is real . neutral +like this thing this is a pretty good idea i didn 't even know they were thinking about it i wonder if they thought about it themselves or whether someone somewhere is really uh thinking that uh it 'd be a good idea to have everybody spend some time in public service This is a brilliant idea and more people should think about it . entailment +Shopping in Venice Purchasing items in Venice . entailment +death in this country was a half a million people a year or so dying with smoke relating smoking related In this country , half a million people were dying due to smoking-related illness . entailment +We have one or two more things we must do first . There is a specific order I need to do things in . neutral +A number of slopes and valleys have remained untouched by man and offer a habitat for rare hummingbirds and swallowtail butterflies . The rare hummingbirds have grown in population due to untouched habitats . neutral +Hay fever was the small cost of survival . You must become ill if you want to survive . neutral +Nowhere on earth is there a place that attracts such a diverse population . The diverse population present allows for amazing amounts of cultural growth . neutral +It 's unfortunate that the Supreme Court voided the referendum , because it deprives voters of the opportunity to throw out the poker industry themselves . The referendum should have went to the people , no matter what . neutral +okay so uh do you own a PC I know for sure that you don 't have a PC . contradictory +49 Both of these numbers include both granular and powdered carbon , powdered being preferable to granular for ACI applications . Both samples are still effective for ACI applications . neutral +and so that has made me but i i 'm not the kind of person that could go to a spa and work out i just if something like uh I enjoy going to the spa to work out . contradictory +The critical instance is the most frequent application Critical instances are the least used applications . contradictory +Rather , it can simply mean rediscovering the common ground that liberals have long shared with the middle class without even realizing it . The middle class used to have a great deal in common with liberals . entailment +But if inequality becomes so great that people lose all hope of changing their relative positions , then the incentive to oversave disappears , and the inequality could begin to shrink . But if inequality starts shrinking so much that people don 't care about their relative positions anymore , then the incentive to spend disappears , and the inequality could begin to grow . contradictory +He knows somethin ' ' bout doctorin ' , " Fowler cut in . Fowler interrupted , " He has some knowledge of medicine . " entailment +Re Paste Test : I 'll have to put the hex on Colgate Total . Colgate Total is terrible and ineffective toothpaste . neutral +In 1169 the Normans landed in Wexford , beginning the struggle between England and Ireland that was to dominate Irish history until independence . In 1169 , the Normans landed in Wexford and took it over . neutral +It began with raids on Chania and Sitaa in the 1530s by the notorious pirate , Barbarossa Khair el-Din . Barbarossa Khair el-Din and his crew stole millions of dollars ' worth of goods from Chania . neutral +and there 's got to be trade i guess that 's some of the answer i guess is business uh uh and i try to be an optimist and say well that that 's one way is to help any problem whether it be crime or certainly poverty obviously is to is to get some business going between each other and we need we need to do more of that uh somehow and encourage more business between us I am trying to stay positive , even though it is difficult . neutral +Some 10 km ( 6 miles ) west of Hong Kong lies this small , crowded island , only one square mile in size . The island lies west of Hong Kong . entailment +could that be i don 't I think that 's it . contradictory +It will even out in a day or so . Things should be okay soon , hopefully . neutral +Other participants commented that financial statements that exist today , while they may be useful to some , are not used very much by investors . Financial statements are useful for nobody . contradictory +Any good poems she did write were derivative of Hughes ' style . Her poems were nothing like Hughes' contradictory +Improper payments are a widespread and significant problem receiving increased attention not only in the federal government but also among states , foreign governments , and private sector companies . Improper payments are a big problem . entailment +1 percent-average nonfederal saving as a share of GDP since 1998 . Since 1998 , the saving was on the average 1 percent . entailment +The inner sanctuary hall is a truly monumental space in Ottoman Turkish style , capped with a series of beautifully painted domes . The inner sanctuary hall of this monastery is still used to this day by monks . neutral +provisions may increase saving because more people may choose to participate and to contribute larger amounts . Provisions might increase because no one contributed more contradictory +Bayliss come out here two years ago . Three years ago , Bayliss came out here . contradictory +Using routine cost data submitted in the course of postal rate proceedings , Section 2 of this paper compares the cost of rural and urban delivery , Section 3 shows the relationship of rural delivery cost to population density , Section 4 analyzes the profitability ( viz . There is only one section of this paper . contradictory +'How ? ' I know how that happene.d contradictory +that 's right it 's too cold up there It 's too cold there in the mountains . neutral +it would be interesting to see what that 'd do to our insurance rates you know if if uh if the insurance companies says it says we 're not going to pay you know a claim if if the car doesn 't have air bags would be interesting wouldn 't it uh that wouldn 't be fair but uh Insurance rates may rely on you having airbags . entailment +Now in ruins , it sits atop a rocky promontory . The ruins are of an ancient temple . neutral +GAO has turned to contracted resources to achieve its mission and missionsupport requirements . GAO will complete its mission with contracted resources . neutral +The Swords began their trek west under shadow avoiding the eyes of the demons below . The Swords were trying hard not to be seen . neutral +uh mainly the glass the aluminum the plastics Mostly glass , plastic and aluminum . entailment +The blade was wide and thick , like a single slab of sharpened steel . The blade was thin and wobbly , like a piece of paper . contradictory +' Calling the $ 150 a cost estimate , the memo provided dictionary definitions of subsidy and voucher , indicating that vouchers are explicitly finite whereas subsidies are not . The vouchers provide an average of $ 50 savings to the user . neutral +It 's pretty obvious what conservative politicians are trying to do develop a winning issue for the 1998 election . Liberal politicians are trying to find a winning issue ahead of the 1998 election . contradictory +i think it 's the second shot or the third shot the bullet 's in there but i mean he 'll give them two chances The bullets in there after 2or 3 shots . entailment +The page-boy 's statement that Miss Cowley drove to Charing Cross . He said Miss Cowley drove to Charing Cross before 3pm . neutral +just attention you know You know about attention . entailment +But since he left office , he has led like none other . He has been leading ever since he left office . entailment +On this basis , attorney Charles ( Rick ) Rule , who has been retained to represent Microsoft , accuses DOJ of suing a company with a smaller share of sales in order to protect the ability of its dominant competitor to secure an exclusive . They were not playing fair . neutral +But the London Evening Standard hopes the proposal will undermine a deeply controversial plan supported by the British government for a memorial garden to her to be created in Kensington Gardens in London . There will be a memorial garden in Kensington Gardens . entailment +right well i guess he 'd have to be careful whether with entrapment or some of those things He does not need to worry about entrapment . contradictory +like we had to save and plan and In the end there was a lot of planning and saving that had to be done on our part . entailment +Families bring their dead for their cremation to the holiest of Varanasi ghats , Manikarnika . The holiest of Varanasi ghats is the Manikarnika , many families come here . entailment +'Or else . ' It 's fine if you don 't . contradictory +Did she suspect ? Did she not care at all ? contradictory +The 10-month limit was added after one of the early cases , overseen by an administrative law judge , recruited from another agency , seemed to go on forever . They placed a 10 month limit on cases in 2003 , after a case went on for almost four years . neutral +Adrin and I will be on either side of the rocks . We will be on top of the rocks . contradictory +It 's a relatively harmless place by day , but you should exercise some care after dark . Even though it is relatively safe during the day , you should take precautions there at night . entailment +This could lead to a spiral of rate increases and further volume losses . There is no chance of a spiral of rate increase . contradictory +but i guess that 's it that 's my opinion on it so what now I guess that 's my opinion , so what will we do now ? entailment +And they 've distorted the health costs that smokers impose on the government . Health costs accumulated by smokers have been misrepresented by them . entailment +It is also a major entertainment spot with its own appeal , from the whitewashed houses of the ancient walled city clambering up the hillside to the hustle and bustle of the harbour area , with its bistros and boutiques . It is a fun place to dine and relax and do outdoor sightseeing . neutral +It was drawn up ready for signature by the various representatives , and drawn up in America at that time a neutral country . Nothing was drawn up . contradictory +i 'm not in TI Im in TI actually . contradictory +now San Francisco i think 's almost everybody 's favorite and uh California has the best football team . neutral +Appendix II lists the principles identified in NIST 's Generally Accepted Principles and Practices for Securing Information Technology Systems , September 1996 . Appendix II contains other information that is not from NIST . neutral +The Age of Enlightenment engendered a new cultural ferment . Cultures changed during the Age of Enlightenment . entailment +Slate ' s take on the culture of impotence . ) Slate does not think anything about people 's views on impotency contradictory +The religion was druidic , and the law was an elaborate written code , interpreted by a class of professional lawyers known as brehons . The law was very basic . contradictory +Elements of the postal or mailing community or whatever you might call it have been engaged in the privacy issue at both the federal and state levels . The posting or mailing community has been involved at only the federal level . contradictory +Glavya is a blend of whisky , herbal oils , honey , and sugar . In addition to other ingredients , there is whisky in Glavya . entailment +The findings of this report as they relate to the original questions posed about the valueadded of design review processes and the role of This report does not answer any questions about adding value . contradictory +yeah well some of those around the war years were uh kind of difficult to get a hold of because Lionel got involved in manufacturing a lot of uh uh war equipment Lionel was never known to be involved in the manufacturing of equipment for the war . contradictory +little place to live you know even just a little room or whatever A small room sufficient for staying in or the likes of . entailment +Finally , the report is to include the summary findings of program evaluations completed during the fiscal year covered by the report . The report will also include a program timeline . neutral +This huge rock formation , towering at 590 m ( 1,935 ft ) , levels off to a flat top . This huge rock formation continues to a point . contradictory +However , the regulatory flexibility analysis indicates that the rule will benefit all CMRS small business licensees by providing them greater flexibility to determine which service they will provide to the public . More flexible licencing for small businesses has nothing to do with what services they provide to the public . contradictory +Here you will discover a commanding view of Kobe , Osaka , Awaji Island , and the Inland Sea . The view of Awaji requires a clear day . neutral +yeah yeah you see a lot of activity outside people riding bikes or playing ball or jogging or doing this and that and uh they 're trying to to unwind People are really stressed out and they need an activity to unwind . neutral +like unfair advertising or something It looks like completely fair and honest advertising . contradictory +Blackmail , eh ? Tuppence smiled sweetly . Tuppence grinned but wasn 't threatened by the mention of blackmail . neutral +However , when we screen populations with high case rates ( trauma admissions , 63 % ) , 5 a highly sensitive test with moderate specificity performs well . The tests does give accurate results . entailment +One is that genes influence personality so powerfully that mixing unrelated siblings is like mixing oil and water . It 's been known for decades that gene have very little effect on personality . contradictory +and uh this was you know thirty years ago and it 's happening to me my tax is exceeding my mortgage payment I have four more years to go on my mortgage payment . neutral +So might any number of public policy right-to-know organizations for whom the design and goals of the HPV program are obscure ( Right-to-Know News , Jan. There HPV program was abandoned before getting off the ground . contradictory +You mentioned yesterday that today you were going to take on his concluding section . You are going to take on his concluding section today . entailment +Left unresolved , they can cost society far more than the expense of providing legal services to address them . It would be more expensive in the long run if it is left with a solution . entailment +National Income Account data were downloaded from Standard and Poor 's DRI database . National Income Account data was downloaded from a database entailment +Otherwise , you drive north through Pointe-Noire ( named for its black volcanic hillsides ) and Deshaies , an unexceptional town on a very beautiful bay . The drive from Pointe-Noire to Deshaies is about fifteen minutes . neutral +If increasing democratization is the test for access to the international-trading system , China has flunked . China is not part of the international trade system . contradictory +and what it takes to have that good life and if you 're willing to work for it then they 're probably be more inclined to work for it There is no clear sign of what it takes to live a good life . contradictory +Time slams last week 's Internet-porn conference for producing platitudes rather than action . There was an internet porn conference that Time did a story on . entailment +OFFSETTING RECEIPTS -Offsetting receipts are a subset of offsetting collections . Offsetting collections have nothing to do with money . contradictory +yeah yeah especially here in Raleigh we 've got such little bitty bowling alleys The bowling alleys here get packed on Friday nights . neutral +The state office on domestic violence has pointedly agreed , warning that the ruling could cause abused women to hesitate in bringing their plight before the courts for fear of being chastised for their trouble . The state government office cautioned that the verdict could cause women to not want to bring their cases to court . entailment +Turkey 's Aegean coast is one of Europe 's most popular holiday destinations , offering an unparalleled combination of natural beauty and historical interest . The country Turkey is in the Asian continent . contradictory +yeah i i yeah i i i truly believe that that before that that we have to address the racial racial issues in the United States before we can go anywhere We need to embrace bigotry . contradictory +In fact , it 's genetics and your peers that make you who you How your parents raise you matters little . Positive peers will create a more positive you . neutral +It 's not all fun and games for celebrity canines , however . There are times that a life of a celebrity dog is hard . neutral +increasingly reliant on computer systems to support critical operations and infrastructures , such as telecommunications , power distribution , financial services , emergency services , national defense , and critical government operations . Computer systems are capable of supporting power distribution . entailment +Except that unique animals might have landed during the night . During the night some unique animals may have made a landing . entailment +Iffen there 's any reason to think you 'll be needed , I 'll send Callie along for you . I 'll send Callie to get you . entailment +Bombardier noted that barriers exist among departments within institutions as well as among institutions . There are barriers among institutions that exist according to Bombardier . entailment +The problem with this theory is that recent studies show that the Chinese diet is rapidly becoming more Westernized . This theory is further supported by the evolving Chinese diet . contradictory +21 Note that the Environmental Economics Advisory Committee ( EEAC ) of the SAB advised EPA to adjust WTP for increases in real income over time , but not to adjust WTP to account for cross-sectional income differences because of the sensitivity of making such distinctions , and because of insufficient evidence available at present ( EPA-SAB-EEAC-00-013 ) . There insufficient evidence at this time to justify adjusting the WTP to account for cross-sectional income differences . entailment +Others , he said , lost possessions to looters after the March 23 blaze , which left 78 people temporarily homeless . Speaking about the 78 people temporarily pushed from their homes by the fire , he emotionally related the stories of a few whose empty apartments had also been looted . neutral +The present state of the cathedral owes much to Eugane Viollet-le-Duc , who from 1845 to 1863 painstakingly restored it following the ravages of the 18th century , caused more by pre-Revolutionary meddlers than by revolutionaries who stripped it of religious symbols . Eugane Viollet-le-Duc spent 18 years to restore the cathedral . entailment +it was just so thick and uh heavy uh i couldn 't believe it i because i mean i used to live in Atlanta years ago and it was always fairly clean i mean you you always you didn 't have problem with stagnant air like like LA does The air is way grosser in LA than it is in Atlanta . entailment +You 've only just noticed that they weren 't suggestions . ' You just saw they were suggestions . contradictory +Four restaurants ranging from Jamaican and Japanese to low-calorie , stir-fried specialties and international cuisine . You will be bored by the lack of variety of food here . contradictory +Thus , the existence of supranational bodies with significant functions of governance is no longer the issue . Supranational bodies used to be a problem because certain countries wielded too much influence . neutral +But we didn 't know when or what road , an ' he wasn 't tellin ' that his side of th ' border neither . We didn 't know where or the road , he wouldn 't tell us . entailment +there is a whole lot of stuff going on out there and and part of me says i just would like to you know shut my eyes and pretend it doesn 't you know go on or send them to private schools and then the you know the old social conscience says you know i 'm not working i don 't need to work maybe i should volunteer to you know teach what i know I don 't care what school they go to as long as they learn . contradictory +i well i used to make the regular pudding the chocolate and put it in the pie shell and if it would sit in the refrigerator for a day where you cut the pie it would soak into the pie shell and it was like red and i 'm like oh this is kind of groedy I used to make chocolate pudding pie and the pudding never soaked into the crust . contradictory +that 's exactly right and i 'd That 's correct . entailment +Somewhere more appreciative . ' More appreciative somewhere . entailment +A correction in this space on Saturday omitted mention of the rabbit . The only thing the correction gave reference to was the rabbit . contradictory +City Residential , Business All Businessb and Mixed Rural Park & amp ; Total All Foot Curb Loop Total There is city residential and business zoning . entailment +The Blue Flower , by Penelope Fitzgerald ( Houghton Mifflin ) . The book was written by Penelope Fitzgerald . entailment +As it has since the ' 60s , edgy rock coexists with more easygoing In the mid- ' 60s , the best-selling albums included Herb Albert and the Tijuana Brass ' Whipped Cream and Other Delights . Edgy rock co-existed in the ' 60s with easygoing music . entailment +Figure ? asked Tuppence , puzzled . Value ? inqured Tuppence , confused . entailment +well not that you can see it a little better and it stands out I am unsure if it stands out or not , can you tell me ? contradictory +On the other hand , the simplest and always tempting solution to conflict-of-interest concerns is to take a pass on some Microsoft-related topics that you would otherwise treat . The Microsoft-related topics are the hardest . neutral +Rode a far piece then , Fenner commented . Fenner commented on what happened . entailment +If you are driving from Paris , you 'll get the best out of Burgundy by leaving the autoroute at either the Courtenay or the Auxerre exit and going the rest of the way on the perfectly good ' and above all beautiful ' secondary roads . Burgundy is best experienced by driving there from Paris using the motorways . contradictory +and uh you know she just brought the cat in because he wasn 't feeling good so that that was a kind of a surprise at least at She brought the cat in because he was feeling sick . entailment +Only after you have a completed manuscript does your confidence build to the point where you can go through the top-heavy pile of pages and , encountering the third reference to Bellow 's occasional book reviews for the New York Times Book Review , Who cares ? Your confidence builds when you have a completed manuscript . entailment +You 've done extraordinarily well so far , but it 's rather too bad of what do you know him as ? Mr. Carter to pitchfork you two young things into an affair of this kind . They have done extraordinarily well so far . entailment +Alternatively , there are also fine public beaches , and they 're often deserted . There are good public beaches but people don 't like to swim at them because thye 're not exclusive . neutral +employing management and engineering practices that are disciplined and effective . Employing engineering practices that are undisciplined and less effective . contradictory +oh i guess it 's kind of like kind of like cigarette smoking you know it it it it could go on for years and years until they they start start to see some results and people can actually actually say yeah it 's it 's it 's doing it 's doing some damage and and something 's got to be done After 5 years people notice that it 's doing damage . neutral +The Caribbean here is usually placid and always inviting , and the atmosphere is utterly relaxed , the tiny village quiet and clean . The village is pristine , peaceful and very small . entailment +Then she looked at her watch . She looked at her watch . entailment +He will be thrilled to know that a New York lawyer , by the name of Richard Fishbein , has sued an eatery ( Angelo & amp ; Maxie 's ) for $ 7 million for holding him hostage when he refused to pay the 18 percent service charge added to his bill . Fishbein is a NY lawyer . entailment +Set in 12 hectares ( 30 acres ) of forest , this charming small country hotel enjoys marvellous views over the Sea of Galilee . The property has 90 acres of forest . contradictory +In 1996 , through the joint efforts of the Treasury , OMB , and GAO , a body of generally accepted accounting principles ( GAAP ) covering most transactions was promulgated for the Federal government . In 1996 , the Federal Government also enlisted the help of local agencies to help make up the GAAP . neutral +Sersa Garm proved to be a glum , fat young man , overly aware of his importance in training for serhood . Sersa Garm was thing and cheerful . contradictory +Could be you were handy and they had some kind of a hint to start a ruckus just to show there ain 't any proper law here . There are strict laws here , and everyone abides by them . contradictory +In these situations , auditors should report in the scope section the applicable standard that was not followed , the reasons therefore , and how not following the standard affected the results of the audit . Auditors should report that the standard wasn 't followed by the managers . neutral +The collection of books was a magnificent one , and Tuppence noticed that all one wall was devoted to works on crime and criminology . There is a very large collection of books . entailment +The voice flowed warmly into his mind and he smiled . He smiled after the voice flowed warmly into his mind . entailment +well your education 's a lot what you make of it too so Your education is all you need . contradictory +La Villette 's City des Sciences et de l 'Industrie puts the accent on public participation . La Villette 's City des Sciences et de l 'Industrie is not concerned with public participation . contradictory +And of course , the Clinton parallel ... There Clinton parallel is very surprising . contradictory +that 's right i mean the Israeli 's aren 't they 're not afraid of anything The Israelis are fearless . entailment +After a while , Derry emerged from the web of wire clutching a small crystal disc . Derry came out of the wire holding something shiny . entailment +More celebrity writers praise President Clinton and bash Kenneth Starr . Celebs love Starr and hate Clinton . contradictory +um looking back like maybe some of the things that i know now i i 'm not sure i do believe it was worth the cost in dollars and lives that was one of the questions that she asked us to think about because i because we never went to war i don 't think we were committed to winning it and getting out and i i feel like it went on and on Because of the peace that was won , I think it was completely worth the cost in lives and money . contradictory +In another minute he was laughing at these melodramatic fancies . He soon found humor in the fanciful melodrama . entailment +A little known secret is that a standing ticket ( usually around US $ 12 ) actually gives you the run of the you can move around freely , sit in unoccupied seats , and even enjoy the action from the ringside until the actual ticket-holders arrive later on . Standing tickets are cheap and more comfortable for people who like to move about . neutral +The Times asked for compromise legislation that would give manufacturers the right to set high standards for service and refuse to supply retailers who don 't meet them , while denying manufacturers the right to set prices . The legislation would allow manufacturers to set service standard and deny the manufacturers the right to set prices . entailment +yeah oh yeah we 've had one as long as i can remember i don 't have any memories of not having a fridge neutral +Given that the two measures are roughly similar as a share of GDP , in this section we use the unified budget measure unless otherwise specified . Unless otherwise specified , we use the unified budget measure in this section . entailment +i grew up in Dumas and Lubbock and uh every roofing crew was illegal Every roofing company in Dumas and Lubbock was staffed by illegal immigrants . entailment +yeah spelled as you would expect Yes , it is spelled as would be expected . entailment +Two future men of success got to work and the SMS greeting portal bestbestbest.pl went live just before Easter . The website was delayed until after the holidays and was destined to fail . contradictory +The process can be a learning opportunity and result in more sound research . The research is being accelerated because of the process . neutral +and uh stack up on a case of that and grab the two dollars filters when they 're on sale and wait for a good weather and go out there course getting rid of the oil is getting harder these days Stack up on a case of those beers and wait for good weather . neutral +The Post ' s Michael Kelly goes cutesy today , dedicating his column to the regular broadcasts of what he calls National Tom Radio , the daily pronouncements of his 2 a year-old , in the process probably setting some kind of record for the number of occurrences of the word mommy in a Post op-ed piece . The article had a lighter tone due to the subject matter . entailment +The Chestnut and Rowe study did not measure values for visibility improvement in Class I areas outside the three regions . The chestnut and rowe study measured values outside the three regions . contradictory +Executive Directors Nan Heald ( Maine ) , Patrick McIntyre ( Washington ) and Jon Asher ( Colorado ) spoke from the perspectives of a longtime statewide program ( Maine ) ; a state that was reconfigured several years ago ( Washington ) ; and , a newly reconfigured statewide ( Colorado ) . Various officials talked about programs from their respective states . entailment +This conclusion is supported by a wealth of studies over the last 15 years in which individuals from different cultures have been asked to rate photos for beauty . The studies only gathered information from one culture . contradictory +At 1,818 m ( 5,900 ft ) , Pico do Arieiro is the second-highest peak on Madeira , but the highest point reachable by car . The highest peak on the island is blocked by car because of the rock formations . neutral +EPA has submitted an Information Collection Request ( ICR ) document to the Office of Management and Budget for approval . An ICR document has been submitted by EPA to the Office of Management and Budget for approval , said the director . neutral +This need is surely not new . Nothing has been done about this need yet . neutral +However , my confidence in him , which at one time had rather waned , was fully restored since his belief in Alfred Inglethorp 's innocence had been so triumphantly vindicated . I have never onde doubted Poirot 's investigative abilities . contradictory +uh-huh um oh no yeah yeah it 's kind of cute um I think it 's kind of cute when you view it at a certain angle . neutral +Six hours It takes six hours to drive there . neutral +In a world I never made . I made this world . contradictory +In short , this explanation suggests that inflation--or more precisely the promise of future inflation--is the medicine that will cure Japan 's ills . Inflation will hurt Japan . contradictory +Some people may not be particularly articulate . Some people have difficulty communicating their thoughts effectively . entailment +For some easy hiking , stop off at the lower station of Plan de l 'Aiguille ( 2,310 m / 7,580 ft ) . If that is too easy for you , head over to the next station for a more challenging hike . neutral +roly-poly bugs the ones that roll up in a ball i don 't know what they 're called I 'm not sure what the names of those roly-poly bugs is . entailment +He 'll tell me anything he knows . " " He won 't hide anything from me . " entailment +uh a city planner and one of his and he models uh city districts and so forth uh does computer modeling He does models for the city of Los Angeles . neutral +11 This is a midlife crisis . This is a crisis of being middle aged . entailment +We are afraid my mother is very ill . We are happy that mom is perfectly healthy . contradictory +Many of these examples were mentioned by federal CIOs interviewed for this guide . Many examples were mentioned when I interveiwed federal CIOs , but they insisted that they be off the record . neutral +adjust that well you you know more about this stuff than i do obviously then You obviously know more about this than I do . entailment +The truth is that most Republican leaders don 't actually take their alleged position on abortion seriously . Most Republican leaders don 't care much about abortion . entailment +Was Keynes also right when he warned against excessive saving ? When Keynes warned against excessive saving , was he also right ? entailment +okay well our involvement in our involvement in the Middle East well i don 't know how you feel about uh Iraq but i think but i think we did the right thing there i think they stopped too soon though It 's great we got out of the middle east when we did . contradictory +The Portuguese also sailed down the west coast of Africa , going beyond Cape Bojador in 1434 , a feat theretofore considered to be impossible . Before the Portuguese accomplished going past Cape Bojador , it was believed to be impossible to do so . entailment +Immediately the carrion feeders of the city began to strip the Sai Routha bodies . The Sai Routha bodies were immediately stripped by the carrion feeders . entailment +Sandra Meraz , Tulare County Water Works board president , interrupted an interview Tuesday when a screaming and crying farmworker arrived . Sharon Mendez is currently serving as board president of Tulare County Water Works . contradictory +However , many of the agency officials and staff questioned the need for standardization . The need to standardize was something that agency officials were questioning . entailment +and Silence of the Lambs i 'm i 'm intrigued by it but i 'm not sure i want to go see it yet I have seen the movie at least a dozen times before . contradictory +These represent a new and a modified information collection that has been submitted to the Office of Management and Budget ( OMB ) for its review and approval . The original data is being reviewed by the Office of Management and Budget . contradictory +You were just wonderful ! You did this job perfectly . neutral +For something a little more modern , stop to explore the largest fun fair in the UK , Blackpool Pleasure Beach . The Blackpool Pleasure Beach is the largest fun fair in the UK . entailment +Who , by the way , can also be made into a durable and attractive handbag . That can also be made into a bucket .. contradictory +Next year , Kentucky will lose almost $ 500,000 in grants through the federal Violence Against Women Act used to provide legal assistance to poor women who are victims of domestic violence . Kentucky will lose a lot of grant money next year because of the new budget proposed by Trump . neutral +It concerns itself with something that matters--a million bucks--yet Regis ' presence makes it frivolous . Regis ' presence makes the million dollars frivolous but it is still wildly popular . neutral +well i like i mean i like you know things that are funny and and all you know like like Cheers you know is really funny it it makes you laugh or you know so it 's not like uh uh a show that goes on forever even though it 's only half an hour Cheers is my favorite show to watch , because it is funny and does not go on forever . neutral +He focused his eyes slowly on what must be the doctors and nurses there , and their faces looked back with the proper professional worry . The doctors were concerned for the patient 's recovery . entailment +Hillary is buttoned up . Hillary is buttoned up . entailment +how about Ghost Ghost though ? entailment +Duty free in Singapore , ' Czarek boasted , and everybody stared in awe , and even Herman was impressed . Herman was not impressed and had an upset expression on his face . contradictory +'Unfortunately , these weapons weren 't designed for cutting or welding , ' White said , strapping on his Gauntlet . White put his weapon over his pants . neutral +No , we 're an impecunious lot . We don 't work as much as hard-working men neutral +The costs and benefits discussed in the analysis consider both rules . The rules are effective . neutral +In fact , as he looked , he could make out a rift , and beyond that a ... He was looking to try to decipher what was there , and he was able to see that there was a rift . entailment +Streamers flew in my face , dancers diving all around me . Dancers and streamers were all around me . entailment +so i understand that that locomotive is worth around seven hundred and fifty dollars now That Johnson Model 593 is worth over 700 dollars , so far as I know . neutral +One of the primary pieces of specialized construction equipment that can be useful for SCR installations are tall , heavy-lift cranes , and These appear to be in adequate supply . The construction did not make use of heavy duty cranes . contradictory +To this , Today 's Papers readily , wholeheartedly , and unconditionally agrees . Today 's Papers completely agrees with the fact that Trump is scam . neutral +Such costs include the purchase and installation of emissions control equipment and the purchase of emissions permits . The purchase of equipment is a revenue . contradictory +A trade unionist member of the Hong Kong government 's labor affairs committee has proposed a minimum hourly wage in the territory of $ 35 HK . The union member of the committee had advocated for a specific hourly rate . entailment +In fact , there is currently a worldwide excess capacity problem for suppliers of these commodity chemicals that are traded globally . There is an excess capacity problem for suppliers of the agricultural chemicals that are traded around the world . neutral +The route takes you into the Mangrove Alley , said to be the quietest place in Jamaica , where you can search out the basking reptiles and native birds that call this place home . The Mangrove Alley is very thick and requires a machete to traverse . neutral +Brown asked whether other forms of technology should be included , such as audio tape headsets . Brown inquired if audio tape headsets should be included entailment +you know if uh you know if it 's run by the individual state you know like CCC was run by the army and in effect It 's not run by the individual state , it 's just run by some company . contradictory +There was definitely a bit of guilt mixed in there , too . Bob felt guilty about leaving his wife and children but he had no choice . neutral +i didn 't uh see i never even heard that there was a book tied in with that movie the movie was stuck in development hell and there 's still only a book contradictory +Agencies ' specific questions regarding their payment systems for the acquisition of goods , along with our responses , are organized into the following six sections . Agencies ' questions are organized into six different categories . entailment +( Click for a Slate Dialogue on population trends . ) Click for a Slate Dialogue on pollution trends . contradictory +oh i 'm sorry I 'm not sorry , I don 't care about it and neither should you contradictory +but unfortunately i find getting rid of your TV set you do throw out some some of the baby with the bath water Never let go of your TV set , never . contradictory +Yesterday 's column pointed out that a WP review of Elizabeth Dole 's tenure as president of the Red Cross found that it was marked by her tendency to put political allies on her payroll . The president of the Red Cross is unable to add people to the payroll of the organisation . contradictory +He spoke in a clipped manner now . The manner in which he spoke was clipped . entailment +There is no question of a fee , Mr. Hersheimmer . Money is no object , Mr. Hersheimmer . entailment +The amount of time available for the Funds available for . contradictory +and uh we found it cheaper even during the summer for me to uh take off for half a day since we work a four and a half day work week and come home on these Thursdays that she goes to work at uh eleven and get 's off at seven thirty at night It was cheaper for me to take time off . entailment +Is Mr. Plotz accurately reporting History 's opinions ? Mr. Plotz intentionally misreports the opinions of history . neutral +Macau , now the Chinese Special Economic Zone of Zhuhai , is becoming something like a boomtown as an exporter of toys , furniture , and electronics . Macau exports items such as electronics and toys . entailment +" I know all about your big secret . " Are you keeping something secret ? " contradictory +Federal Manager 's Financial Integrity Act , The Financial Integrity Act is with the federal manager . entailment +I could kind of agree with it . I could not possibly agree with it . contradictory +Bush , or the Al Gore who is . Either Bush or Al Gore will be president . neutral +I want to use my successful background as an insider to change that . I want to change the world . neutral +President Jefferson 's choice of governor for the Territory of Orleans seemed , to say the least , inauspicious . The governor for the Territory of Orleans was once chosen by Jefferson . entailment +yeah and Thursday nights Yep and on the night of Thursday . entailment +The only outlet from the room was the door , consequently he would perforce have to wait until the two men returned to fetch him . He could not leave until two men returned to get him . entailment +At the same time , we have reduced emissions of six key air pollutants by 29 % , while coal consumption has increased 77 % and energy consumption has increased 45 % . Key air pollution emissions have gone up by 45 % . contradictory +in fact i 'm a little worried about this one coming up here we have a long weekend and it sounds like it 's gonna be a little bit on the cool side The weather is going to be a little bit cold , and I feel a bit anxious . entailment +Lawyers scoff at the notion that doubt can be quantified so precisely . Lawyers support the idea that doubt can be measured . contradictory +I 'll get Felix help me choose the menu . I 'll ask Felix for help . entailment +The oldest cannon is the Seri Rambai ; originally given to the Sultan of Jahor by the Dutch , it was transported to Penang in the 17th century aboard a British steamer of the same name . The oldest cannon is unknown , and there 's no trace left of it . contradictory +It is performed with elegant stylized gestures , either as a form of wrestling , or as fencing with a sword or a traditional kris , known as pencak silat . They use stylized gestures to make it all more fun and entertaining . neutral +and that 's another quagmire that really hurts us That quagmire hurt us in the war . neutral +so like almost all our vegetables and everything is from the garden None of our vegetables , and everything is from the local market . contradictory +There are two hypostyle halls with well-preserved papyrus columns and in the Corridor of the Kings in the southwest wing , you will find 76 cartouches listing Pharaohs throughout the ages . You will find 76 cartouches that list Pharaohs throughout the ages in the Corridor of the Kings . entailment +We agree there may be circumstances , such as in the development of software , when it makes good sense to progress with less than the best practice standard for drawings , but the DOD policy should maintain the requirement to achieve 90 percent drawings by the completion of the system integration phase . There is no circumstances where this is acceptable . contradictory +The magazines split over Kathleen Willey . There is a fifteen page biography about Kathleen Willey in one magazine . neutral +so would i i fortunately i have never been in that circumstance i hope i never am like like everybody else Everybody wants to be in that circumstance contradictory +The plagues were gone . Now the plague has returned once more . contradictory +Still other faiths forbid specific erotic acts , such as getting undressed or smiling . There are certain faiths which forbid things like smiling or getting undressed . entailment +Is that it , eh ? " He was cooling down . " Is that the reason he 's acting like that , eh ? " He said . neutral +Third , as noted in the section above on visibility valuation , we chose not to include in our Base Estimate the valuation of residential visibility or valuation of recreational visibility at Class I areas outside of the study regions examined in the Chestnut and Rowe ( 1990a , 1990b ) study . Our Base Estimate is for the houses in upstate New York . neutral +A girl butted in I do not think she really knew anything … . That girl was just trying to get attention . neutral +i enjoyed the book quite a bit too so that 's that made it made it more interesting to me I always like to read the book before seeing the movie . neutral +no this is another one of those winters that wasn 't This winter was . contradictory +yeah i exercise pretty regularly Yes , I exercise three times a week . neutral +um-hum um-hum yeah buy a fresh filet of fish a nice one at the fish market uh the fish counter Make sure you have enough fish filets to feed everyone . neutral +There would still be an Ahab syndrome . There would be an Ahab syndrome nonetheless . entailment +Literary party games held in ornate palace gardens required each guest to compose a small poem as his wine cup floated toward him along a miniature winding channel of water . Party games were held in palace gardens , and each guest participated by writing poems . entailment +Your language , Tuppence , your language ! Tuppence started cursing a lot out of the blue . neutral +Which tradition does John Kennedy belong to ? I don 't believe that John Kennedy belongs to any traditions contradictory +What had he expected , anyway ? What had he believed would happen ? entailment +Started the moment I got the wire . Began the moment I got the message . entailment +But Tuppence shook her head . But Tuppence nodded her head . contradictory +PROCESS - The organized method of converting inputs ( people , equipment , methods , materials , and environment ) , to outputs ( products or services ) . Process is the organized method of converting inputs to outputs . entailment +Despite these possibilities , scientific polling has a long , reliable history , whereas straw polling has a long history of total unreliability . Scientific polling is more reliable because they used better methods . neutral +Although this attempt was unsuccessful , the campaign for a Greek state continued into the 19th century and began to grow in strength . His attempt was unsuccessful , but his mission grew into the 19th century . entailment +This count does not include stations , branches , or contract stations . This count includes stations , branches or contract stations for necessity . contradictory +He was going to sleuth the other crook . " Julius paused . Julius said he would let it go . contradictory +The Republic and Civil War The Republic and World War . contradictory +Establishment of Roman Republic Rome had little meaning . neutral +We also used NIPA data to describe historical trends in ( 1 ) U.S. national saving by component , ( 2 ) domestic and foreign investment in the United States , and ( 3 ) the U.S. net international investment position . NIPA data showed that domestic and foreign investment in the United States has increased over the past few years . neutral +was part of that yep probably It wasn 't a part of that contradictory +But even if Pollard is guilty of all that Hersh charges him with , Clinton the politician knows that freeing him is a political win , a present to some of his dearest supporters . Clinton knows that freeing Pollard would be political suicide . contradictory +but um Gear um i 'm sure you 've heard of it it was a very famous uh popular movie Norman Gray Norman Gear um I am sure you 've heard of Gear , very popular Norman Gray Norman Gear . entailment +oh yeah very easy very easy and they they put me on twenty four hour fetal monitoring then to to you know to to try to control the labor and see how far it was going and after the baby was born since it wasn 't premature then they said they wouldn 't cover the cost of the monitor i think that 's kind of when my husband hit the roof because it was a uh thirteen thousand dollar I was monitored round the clock while pregnant . entailment +i oh three nights i worked on it three nights and about four hours on last Saturday and i just put it in the garage and worked on it i have i have a new Oldsmobile so i really I drove the Oldsmobile in the meantime so I wasn 't in a hurry . neutral +because of of their you know you can work with it a lot easier They have something that makes the task more difficult . contradictory +The river forms a natural line between the north and south sections of the city . The north and south divide the city into sections and creates fierce rivalries between them . neutral +Famine and Home Rule Disorder on famine and home . contradictory +big deal oh you make eight dollars now in Dallas County huh it 's only seven fifty here in Collin The average minimum wage had gone up twenty percent over the years . neutral +of course um-hum nothing of course They could not find any shred of evidence , obviously . neutral +Here you can still find a quiet spot to enjoy authentic Greek island life . There are still places to enjoy an authentic Greek island life . entailment +Then I tore off a bit of gorse My ! I took off much more gorse than I expected to . neutral +There has been a Christian place of worship on the site since the 9th century . No Christian places of worship have been found at the site . contradictory +uh um i usually try to stay out of kitchen i don 't know not one of my favorite hobbies but I suck at cooking so I stay out of the kitchen . neutral +Appendix A to the Report and Order includes the full text of the Commission 's final regulatory flexibility analysis . The appendix has the full text in it . entailment +Dr. Berlin argues that the laws impose a medical intervention in the absence of evidence that forced treatment is likely ... Dr.Berlin wished for the laws to require medical intervention . entailment +( Here , again , Huntington conflates with other explanatory variables . ) Huntington elaborates upon the point with multiple variables and angles . entailment +But in February the Los Angeles Central Labor Council voted to endorse Riordan 's re-election bid after he dangled promises of an immense hotel-development project . The Central Labor Council has decided to support Riordan 's opponent . contradictory +But what ? But what about ... ? entailment +I lusted for her but soon I loved her even more . I had strong feelings for her . entailment +If you 'd like to know more about Kwanzaa , you can read The Complete Celebrating our Cultural Harvest , by Dorothy Winbush Riley ; A Kwanzaa Celebrating the Holiday With New Traditions and Feasts , by Jessica B. Harris ; or Merry Christmas , A Christmas and Kwanzaa Treasury , edited by Felix H. Liddell and Paula L. Woods . You can 't learn more about Kwanzaa no matter what book you read . contradictory +to confront questions as old as human civilization itself . To ignore any question which has been around longer than one year . contradictory +uh-huh uh-huh uh-huh that 's that 's well none of us are let 's face it you know we 're not none of us like they portray portray it on those shows i mean life 's much more difficult than that Life is very difficult and not so much on tv . neutral +It was not uncommon for seekers to be built , tested , and reworked seven or eight times before they were acceptable . Seekers were sometimes tested several times before they were accepted . entailment +The same restless energy drove both men toward invention . The men were filled with energy and excitement . entailment +Nevertheless , Russell is determined . Nevertheless , she persisted . contradictory +Ueno should be a stop on any visitor 's itinerary especially if you happen to be here in mid-April , when the cherry blossoms in the park are glorious . The cherry blossoms are glorious in mid-April entailment +Under such a rate structure , letter-size pieces have a lower rate than flat-size pieces . Flat-size pieces are rated 50 % higher than letter-size ones under the rate structure . neutral +The security men exchanged a look- then they started moving , ready to throw me out overarm . The security men let me go by without doing anything . contradictory +Lying closest to Athens and the Attic peninsula , the Cyclades is the island chain most people would think of as typically Greek . Few people would recognize the Cyclades as being Greek . contradictory +We really commend them for coming in during the evening and helping out . Despite all their promises they never arrived to help at the event . contradictory +Microsoft isn 't preventing anyone from using Netscape or charging Netscape for the right of access ; it 's providing Internet Explorer free , but then that would be normal practice in this kind of industry even if IE wasn 't allegedly an integral part of Windows 95 . Microsoft is responsible for integrating so much of their operating system with Internet Explorer that one cannot feasibly use Netscape for many tasks . neutral +This elegant art form evolved over 400 years in the Malay state of Patani , now part of southern Thailand , and is in the present performed across the border in Kelantan . The art form evolved over 400 years ago in Patani , though the majority of its most avid supporters live further to the North of Thailand . neutral +yeah that 's neat oh that 's neat yeah That 's cool . neutral +Based on that risk assessment , the auditors design and perform procedures to provide reasonable assurance of detecting The auditors design and perform procedures based on that risk assessment , said the manager . neutral +The field of Kermario has a dolmen ( chamber built of flat slabs on pillars ) and 1,029 menhirs in 10 rows . A dolmen and its 1029 menhirs are the only interesting features of the Kermario field . neutral +The final rulemaking , however , does not address comments . During the last phase of establishing the law , public and other non-legislative inputs will be ignored . neutral +And Monday Night Football is one of the reasons to have a television . MNF is only found on television . entailment +Khan El Khalili in Cairo is one of the oldest and most renowned bazaars in the Islamic world , and it is a veritable treasure-trove of shopping opportunities . It is impossible to do any shopping at the Khan El Khalili . contradictory +It just so happened that the Department of Corrections had another electric chair , a full-size replica that it had had manufactured and then placed on display at the department 's tiny and strange museum in Tallahassee . The Department of Corrections has more than one electric chair . entailment +Adrin ran his hand across the brill 's thick flank , feeling the heat underneath . Adrin ran his hand under the unicorn 's belly and could feel how cold it was . contradictory +It is said to have been built at the site where Joseph , Mary , and the infant Jesus took shelter after they fled to Egypt from the Holy Land . Joseph , Mary and infant Jesus fled Brazil from the Holy Land . contradictory +Japan 's celebrated puppet theater can be seen at the National BunrakiaTheater in Osaka 's Nipponbashi district , although performances are also put on several weeks each year at Tokyo 's National Theater . The National Bunrakia Theater only has performances of puppet theater . neutral +Expenses of administration include an appropriate allocation of agency overhead costs . Expenses of administration exclude an appropriate allocation of agency overhead costs . contradictory +The new deterring nuclear , biological , or chemical warfare by lesser powers ( formalizing President Bush 's implicit warning to Saddam Hussein during the Gulf War ) . President Bush had warned Saddam Huessein about his tactics regarding gassing his own people . neutral +Today , Medicare beneficiaries tend to need and use more drugs than other Americans . Most of these drugs are highly addictive or have other side effects . neutral +One Glenn will be so exhausted from the flight that he 'll have to be carried off the shuttle on a stretcher . There will be a stretcher available after the flight . entailment +Consistent with that view , we need to continue efforts to shift agency accountability-with appropriate safeguards and oversight- to budgeted resources and results and away from other inputs and processes . The agency should not have any accountability for any other inputs and processes . neutral +guidance in this area . advise on all areas other than this . contradictory +Dr. Elders might have gleaned from the reaction to her remarks that no one in Congress has ever masturbated or used drugs . People responded to Dr. Elders remarks about Congressmen 's drug use . entailment +i see well it will become even more important you know when and if you do Okay , there will be more significance if you choose to . entailment +Even if the assessment is embedded in a general health-needs survey , patients know they are being asked about alcohol , and that could affect their answers . Patients are also asked about hard drugs . neutral +It seemed to be the middle of the night when I was awakened by Lawrence Cavendish . Lawrence Cavendish woke me up during the night . entailment +Rua Imperatriz Dona Amelia ( behind the Savoy hotel ) has a number of restaurants and bars , including Prince Albert , an English pub , and Salsa Latina ( Rua Imperatriz Dona Am ? ? lia , 101 ; Tel . 291 / 225 182 ) , which has live music . Restaurants and bars can be found behind the Savoy hotel . entailment +Yes , said Sir James , and stroked his chin reflectively . Sir James agreed with the woman , as he stroked his chin reflectively . neutral +yeah and either that or all either have also uh uh second shifts There are a couple of options available here . neutral +I hoped you might . " 81 " I tell you I haven 't had one darned word from him since we parted at the depot on Wednesday . " Oh yes , I 've talked to him plenty of times since Wednesday contradictory +Most reports suggest that FBI agents lied to Reno over and over about what they had done , and Reno believed them . Most reports show that FBI agents lied to Reno multiple times about their actions , and that he believed them . entailment +Learn the coffee cafe con leche , similar to French morning coffee , is half coffee , half milk ; cafe cortado is strong and served with a dash of cream ( or milk ) ; cafe solo is strong and black . Other coffee drinks include cafe dulce . neutral +" Sits sour all right , " Drew admitted . " Feels alright , " claimed Drew . contradictory +But this is a trade-off well worth making . You will gain the most from the trade-off . neutral +Many Goans are descended from them or from converts who took the name of their Portuguese sponsors . They are the ancestors of many modern Goans . entailment +Vrenna and Thorn , dressed in hide cloaks and hoods pulled tight , went south to the mountain crags . The two people snuck to the crags in the dead of night . neutral +This executive guide is intended to assist federal agencies in achieving the objectives of the Chief Financial Officers ( CFO ) Act of 1990 and subsequent related legislation by providing case studies of 11 practices critical for establishing and maintaining sound financial operations . This guide is intended to help the IRS in achieving the objects of the CFO Act of 1990 and related legislation through case studies of practices for establishing and maintaining sound finances . neutral +The ruins or the disappeared outnumber the survivors by several thousand to one . The survivors were very few compared to the many who were missing . entailment +I 'm no economist , but I believe this is the point President Clinton intends to make in Tokyo tomorrow . He is an economist . contradictory +But they must have found out about me suddenly in some way . " They must have found information about me from someone . neutral +This pristine region of freshwater and saltwater swamps , edged with limestone cliffs , offers a refuge to this gentle creature as well as to birds and land crabs . The freshwater and saltwater swamps are baron of wildlife . contradictory +yeah that yeah Not this . neutral +( This transaction differs from the immediately preceding transaction , in which an entity does not pay the full cost of the goods or services it receives from another entity . This transaction is the same as the previous one . contradictory +We have found in this room , he said , writing busily , " six points of interest . We found six points of interest in the room . entailment +It boomed so loud that Ca 'daan put his hands over his ears . Its boom echoed loudly , causing Ca 'daan and his host to cover their ears . neutral +However , regardless of how far the acquisition has advanced , at a minimum the auditor should always ascertain whether senior managers and users were involved in the project 's initiation . If both senior managers and users are not involved it could result in poor service . neutral +Together with LSC 's 1998 Program Letters , this decision provided the impetus for more serious discussion of program configuration which resulted in the formation of a single statewide program , Colorado Legal Services , effective October 1 , 1999 . More serious discussion was pushed forward due to this decision . entailment +yeah but then sometimes you know yeah um it just went up the first of this month i 'm paying uh seventy nine dollars a week for now My bill is quite reasonable . contradictory +i wondered if it would help you sometimes fill-in the gaps or recognize discrepancies that other people people like myself might not pick up on I don 't think that it would help you bridge the gaps in your knowledge . contradictory +Every day at 3pm there 's a spectacular all-singing , all-dancing parade including floats inspired by the famous Disney movies . The parade starts every day at 8 in the morning . contradictory +Revenue or the property itself may ultimately be distributed to the seizing entity , state or local law enforcement agencies , foreign governments , or the general fund . Seized revenue may never be added to the general fund . contradictory +But that decree did not have the power of civil law behind it . Civil legalese does not back that up at all . entailment +Patients with BACs of 0.10 and 0.08 g / dl had impaired mental status , mostly in short-term memory . Patients had impaired mental status when they had BACs of 0.10 and 0.08 g / dl . entailment +Then why hadn 't the shell melted ? Why didn 't the black shell melt ? neutral +The more daring can try out the terrifying roller-coaster rides . The roller-coaster rides are somewhat underwhelming , and certainly not at all frightening . contradictory +uh i know it sprinkled some Just a sprinkle of rain . neutral +Cummins , the world sales leader in diesel engines over 200 horsepower , effectively uses prototypes to ensure that a design is stable and believes in the value of prototyping throughout product development . Prototyping adds significant costs to the product development , but if even one prototype turns out well , the costs are worth it . neutral +It is expected that the existing fine particle and ozone standards now in place will also result in further regulation of power generators . Regulation of power generators will lead to a safer ozone and environment . neutral +'Everything is A-OK , sir . ' Everything is working out perfectly . neutral +Figure 4.2 also shows an alternative fiscal policy path assuming the federal government saves all of the projected unified surpluses . Figure 4.2 shows an alternative fiscal policy path entailment +yeah and it it it had about spent all it 's energy but you could see there was splintered wood from all the places that it hit going around the room It destroyed the room , it was horrible ! neutral +And it takes two weeks to cross from Fena Set to Fena Dim ? asked Jon . It 's a short jaunt from Fena Set to Fena Dim . contradictory +and that was so nice but we didn 't have that luxury so we were dragging the the sprinkler around everywhere and uh We were lucky to be able to use the sprinklers . contradictory +and have it on you know one floor and really easy access well that 's what i 'm telling my father now he needs a new floor in his bathroom and i says now is the time redo your whole bathroom so you can get in and out I 've been urging my dad to fix up his bathroom and to get it a new floor . entailment +His tomb has good wall reliefs protected by glass screens . His tomb features a number of wall reliefs that are protected by screens made from glass . entailment +Mon Dieu ! ' Mon Dieu means My God , I think . neutral +'That 's even worse . ' That is better . contradictory +Intended for St. Peter 's Basilica as part of Michelangelo 's botched project for Pope Julius II 's tomb , the statue of the great biblical figure sits in awesome majesty . Michelangelo never forgave himself for botching Julius II 's tomb . neutral +If you 're not French , think French . It is best to think British . contradictory +The consensus prediction is that this would jeopardize Hillary 's senatorial ambitions . The people predicted that hillary would be halted in her ambitions neutral +For a bird 's-eye view of the harbor , take the elevator to the observation deck of the 106-m ( 348-ft ) Marine Tower . You can see the harbor from the Marine Tower because it 's the highest point in the city . neutral +yeah yeah that was good uh he 's got He said it was bad . contradictory +wow huh huh huh well i have one i bet you haven 't seen if you don 't have kids Otis and Milo I have one but you probably only have seen it if you have kids . entailment +One more of those and we won 't have a problem , said Adrin . Adrin said the problem might go away . entailment +and uh i was just reading some figures this morning that seventy nine percent of the people polled considered themselves to be environmentalists I never read about environmentalists since it 's so boring . contradictory +When whites flee the central cities , they take with them most of the tax revenue , and leave behind a downward spiral of city services . White flight also results in more crime . contradictory +The pragmatic dukes of Piedmont liked French-style absolutist monarchy but tempered it with a parliament to bypass local fiefdoms . The dukes did not like the idea of monarchies . contradictory +where to start What is the beginning point ? entailment +In the vicinity are two absorbing museums reflecting Kyoto 's extensive history as a magnet for Japan 's finest craftsmen . Kyoto has attracted craftsmen since the 4th century . neutral +just because i mean not just because i wouldn 't feel safe it 's just because that i would be reminded every day of something that i don 't see and i might see it on a you know a Sixty Minute special I 'm looking forward to seeing myself appear on a Sixty Minute special . contradictory +What Isikoff couldn 't pin down was whether the advance was welcome or not . Although he didn 't know for sure , he believed the advance wasn 't welcomed . neutral +The travelers in the south and east told of dozens of freed slaves building camps in the desert and the bodies of their captors rotting in the sun . The slaves were still stuck working on their farms . contradictory +On the south side of the plaza , with its entrance around the other side , is Iglesia de San Andr ? ? s ( Church of St. Anthony 's ) , now splendidly restored after a decade of work . It took ten years to restore Iglesia de San Andreas . entailment +To date , the Comptroller General has not excluded any field work or reporting standards or statements on auditing standards . The Comptroller General is meticulous about reporting standards in auditing . neutral +This is why Japanese banks continued to pump money into overbuilt Southeast Asian real estate and Korean chaebols , and why a third of all the junk bonds issued in the late 1980s ended up defaulting . Junk bunds were a great investment opportunity in the 1980s . contradictory +their examination in a separate report of the park service actions at Delaware Water Gap National Recreation area in awarding a lease , closing a camp ground , and raising a house rent ( U.S. House rent was lowered at the Delaware Water Gap National Recreation area . contradictory +Because of the possible toxicity of thiosulfate to test organisms , a control lacking thiosulfate should be included in toxicity tests utilizing thiosulfate-dechlorinated water . Because of the possible toxicity of thiosulfate to test organisms , a control lacking thiosulfate should be included in toxicity tests utilizing thiosulfate-dechlorinated water . entailment +Now they 're risking that present for an Ozymandian future , at the cost of billions of dollars . They 're risking at the cost of billions of dollars . entailment +I don 't know , because I never saw her . I am unsure about the answer . entailment +yeah it if well it really is because today just today we were in the grocery store and they had lentils and i you know i wasn 't really sure whether they would have lentils in the grocery store we 've been living in Bermuda and in Bermuda they had a um a health food store that really had a lot of good stuff and where we 're living now is a small town that really doesn 't you know just having that kind health food store that caters to those kind of needs and you just have to hope that the grocery store will you know the bigger grocery stores The grocery store does not carry any lentils in their inventory . contradictory +um and my reason for that was i don 't like the uh what 's the right word the varied inappropriate influences that you find so much in the public schools At public school , children are exposed to subjects that contradict religious doctrine . neutral +Other reviewers place Fagles ' work in the same league as Fitzgerald 's and Lattimore 's classic translations . Fagle 's work is considered a classic but is terrible . neutral +This doesn 't seem unreasonable when you consider that our political and military leaders have shown themselves increasingly reluctant to put either our troops or our expensive weaponry at risk . This seems completely irrational , considering the existing risk to our troops . contradictory +Reflect also on 5-year-old Seth Jackson-Mack 's chances to live an ordinary life . Seth was 5 and wanted to live a normal life . entailment +The piece attributes the record job-jumping rates to the overheated economy and the ease of finding work online . The piece attributes the job-jumping rates to an overheated economy , and the availability of online jobs . entailment +and he yeah yes and and a lot of people that i knew had would go to school in some really you you know Rochester and some of these really nice these uh name schools and and of course they would get out but they got they ended up getting more or less the same job i did and then they but they 're thirty thousand in debt from student loans Going to a well-known college does not necessarily mean that you will get ahead of others who don 't . neutral +A diving permit is required under Spanish law . Driving permits cost $ 42 . neutral +The rule was reviewed by the FDA under the Order which requires Federal agencies to examine regulatory actions to determine if they have a significant impact on the States , on the relationship between the States and the Federal government , and on the distribution of power and responsibilities among the various levels of government . The FDA reviewed the rule to examine the actions involved and determine if it will have a significant impact on the relationship between States and Federal government . entailment +I examined the wreckage . The wreckage was looked at . entailment +In another moment , the door opened and Dorcas appeared . Dorcas has been standing by the door for a while , waiting for someone to open it . neutral +8 million weekend gross lags $ 10 million behind that of The Lost Jurassic Park . The The reviews were disappointing and so are the returns . They were afraid they would be losing money on the film . neutral +uh-huh that 's right that 's right well that 's what she said to us she said now do you all want him to go to a a state college or a private college and She and I talked about whether he should go to a state college or private college . entailment +and uh which is really really neat they said they 've got the white beaches and the sand and it 's not real populated so they can they feel like they 're in the outdoors and still close to the ocean and uh from what i understand from them it 's really really pretty there They camp on the beachfront and I hear that it 's absolutely beautiful . entailment +Hamilcar ! " His hand met table top in a sharp slap . He hit the table . entailment +She actually looked sad . Her friends had left without her making her feel sad . neutral +The Carey Award helps promote quality management within VA by giving the department a prominent means of recognizing high-performing offices , encouraging outcome-oriented practices , and educating VA employees about the benefits of results-oriented management and customer service . The Carey Award promotes high sales in the used car department . contradictory +Project success under this approach is primarily dependent on the owner 's ability to produce a comprehensive , welldefined , and unambiguous scope of work upon which all subsequent designbuild activity will be based . Large building projects work best when things are thrown together last minute . contradictory +The problem is learning how to tell the difference between the squid and the rocks they settle in . It is easy to tell what is a squid and what is a rock . contradictory +It was too bad . That is too bad . entailment +oh i didn 't realize that actually that " Oh , I actually hadn 't come to that realization yet . " entailment +it 's just so sad you know it is just really so sad you know it is just really so sad because you can 't enjoy anything any more um in San Antonio i don 't know what the answer is uh education i think is a lot of it um so many of the kids are are drop outs um uh there 's a lot of drugs that go on and that they just have hopeless lives they they lead themselves down hopeless tunnels i think education helps a little bit there um they again i don 't know really what steps there are that they Children in San Antonio will stop using drugs if more money is invested in education . neutral +Keeping the exterior much as it was , Italian architect Gae Aulenti adapted the interior to house many of the previously scattered works of that period , including the superb Impressionist collections formerly held in the Jeu de Paume . Aulenti was world renowned for his modern designs , neutral +Columbus married Felipa Moniz Perestrelo , the daughter of the first Governor of Porto Santo , Bartolomeu Perestrelo . Columbus and Felipa Moniz Perestrelo had a lavish wedding . neutral +The Kal stood tall , his eyes focusing first on the corpse at his feet and then on the crowd around him . The Kal stood alone . contradictory +This seems like all is well . Everything is alright , but only for the next hour . neutral +His central themes are debates over the meaning of race and how black intellectuals ( whoever they may be ) have negotiated their relationship with ordinary black people . His central themes include many debates about race . neutral +Ruins at Qumran are clearly marked for easy touring . The Ruins at Qumran are clearly marked entailment +Imagine Harpo Marx giving the hot foot to a pompous official , who takes out a machine gun and blows him That 's how cheap Benigni 's hash of farce and tragedy is . Benigni 's writing is silly . entailment +than you put into the process so it 's a way of of making a profit off the tires There 's no way to profit off of tires . contradictory +If , after all this castle-viewing , you still haven 't had enough , a few kilometres ( a couple of miles ) farther on in Aspe , you 'll find las ruinas ( the ruins ) . There are no ruins in Aspe . contradictory +Really , I continued , " it 's her extraordinary vehemence against Inglethorp that started me off suspecting her . She always hated that man , mostly because he was black . The woman 's a racist . neutral +But now a hitch occurs . However , a problem arises at this moment . entailment +no paddling no paddling we 'll just grab the rudder and you you work the rudder yeah We wont paddle , we 'll just grab the rudder and you can work it . entailment +Nitrogen saturation of watersheds contributes to environmental problems such as reduced drinking water quality , nitrateinduced toxic effects on freshwater organisms , increased soil acidification and aluminum mobility , increased emissions from soil of nitrogenous greenhouse trace gases , reduction of methane consumption in soil , and forest decline and reduced productivity . Nitrogen cannot be saturated through natural or man made forces . contradictory +Also in Back Lane are the headquarters of An Taisce , an organization dedicated to the preservation of historic buildings and gardens . The headquarters of An Taisce are located in Black Lane . entailment +The house was constantly besieged by reporters , who were consistently denied admission , but who continued to haunt the village and the grounds , where they lay in wait with cameras , for any unwary members of the household . The reporters left after no one would let them in . contradictory +Perhaps you will say that there are no longer such men . Those men are hard to find in times like this . neutral +They use analogies , terminology , and processes that help fuse business and technology interests and ideas together . Technology offers competitive advantages for businesses ' ideas . neutral +but you know but at least i can see a little bit of the light just from you know doing this you know budgeting and stuff it really helps Making a budget is giving me a bit of hope . entailment +Theater and music flourished . The Arts did well during that time period . entailment +Yokohama 's Chinatown , a few minutes ' walk from Japan Railways ' Kannai Station in the center of the city , is the largest in Japan . Japan 's largest Chinatown is located in Yokohama . entailment +They say it is 115 million years old and should contribute to the paleontological debate about whether dinosaurs were warm-blooded or cold-blooded . The colors of dinosaurs are widely debated . neutral +The other was pinned to the other side of the tree by Vrenna 's hand spike . Vrenna pinned the other to the tree with a sword . contradictory +PROPRIETARY ACCOUNTING - Also known as financial accounting , a process that supports accrual accounting and financial reporting that attempts to show actual financial position and results of operations by accounting for assets , liabilities , net position , revenues , and expenses . Proprietary accounting is also known as group accounting . contradictory +Accuracy and usefulness of the breath alcohol analyzer . How useful and accurate the breath alcohol analyzer is entailment +I 'd love some , the president drawled , his eyes widening with desire , but let me finish up here talking about highway appropriations with Sen. The president was in the middle of a conversation . neutral +In a real courtroom , he and Fridlund-Horne agreed , a person 's entire demeanor is a part of the evidence that the judge sees . While a person 's demeanor may be important , many judges try to ignore it in the interests of fairness . neutral +estimated demand and supply equations for agricultural commodities produced in the United States . Demand and supply equations exist for agriculture within the US . entailment +This bill , however , is distinguishable because it limits specific representation and does not restrict lawyers in the manner of that representation . The bill would not impact lawyers for representation . entailment +The Las Vegas Invitational held every fall famed as Tiger Woods ' first professional tournament in 1996 is considered the city 's top golf attraction . Tiger Woods lost his first tournament at the Las Vegas Invitational in 1996 . contradictory +We need to establish some infrastructure before we go out . We need to establish infrastructure entailment +Nevertheless , it is well known that actual service levels are often quite far from the published standards . Standards are higher than ability to deliver neutral +The four monumental colossi of Ramses II that frame the entrance stand 20 m ( 65 ft ) high and they are aligned to face the rising sun , to be infused with the energy of the sun god each day . Ancient Egyptians believed that the sun could infuse their statues with the energy of the sun god . entailment +but isn 't it part of our income it 's not part of our taxes It 's part of our taxes , not out of our income contradictory +Many of Knight 's fellow minority law students also were interested in public service , she said . She said that many of Knight 's fellow minority law students were also interested in public service . entailment +oh for each different product oh okay Let 's not talk about the products . contradictory +Participants have already been provided detailed contact information so that they can network and follow-up with others who attended the conference . Participants have been given contact information of other people at the conference . entailment +As with everything else in Las Vegas , shopping facilities have always been around , but when compared with other major cities , they did not live up to expectation . People don 't shop much in vegas . contradictory +Effective implementation of the Results Act hinges on agenciesa ability to produce meaningfully integrated information to manage performance and measure results . Agencies must produce meaningful information to manage performance and measure results . entailment +The term is usually applied to men--often implying effeminacy . The term was first used in the early 1900s . neutral +Although the evidence is not conclusive , it confirms the hypothesis . The evidence affected the hypothesis . neutral +Wes Cooley , R-Ore . , lost his seat last fall after falsely claiming a Korean War combat tour--as a member of the Special Forces , no less . Wes Cooleyfalsely claimed a Korean War combat tour . entailment +You died there . There is where you died . entailment +Its lively hotels , beach clubs , and myriad discos make Rimini a favorite playground for the sun-seekers ( Germans , Scandinavians , and Eastern Europeans arrive in droves ) while in off-season months it is considerably more sleepy . Rimini has more tourists than permanent residents in the summer . neutral +Flames began spouting from the mountain 's peak . Trees began sprouting up along the mountain 's peak . contradictory +i always do that i got to do something like that with the weather I don 't pay attention to the weathehr . contradictory +The chapters are intended to assist in the identification of specific risk areas and to contribute to an overall assessment of how well an agency is meeting its acquisition objectives . The agency has acquisition objectives . entailment +um-hum right exactly exactly yeah Yes , correct , precisely . entailment +Its social roots still lie deeply in its past as a feudal society of countless closely knit agricultural communities dominated by a small political elite . Its social roots are similar to its current state . neutral +He has more intelligence than would appear , this longfaced Monsieur Lawrence of yours ! " I did not myself think very highly of Lawrence 's intelligence ; but I forebore to contradict Poirot , and gently took him to task for forgetting my instructions as to which were Cynthia 's days off . Poirot believed that Monsieur Lawrence 's intelligence had been underestimated . entailment +India 's prehistoric settlers were probably what anthropologists call Proto-Australoids . India 's prehistoric settlers were most likely Proto-Australoids . entailment +While it is unclear just what the right level of saving is , it is clear that America needs to begin saving more if it is to avoid severe problems in the future . America need not save because they are the richest country in the world . contradictory +They assume we protect the town but we protect nothing here . The town is in danger . neutral +uh they will not restrict it but they just ought to not release i don 't know i don 't know what districts are releasing the numbers to these newsmen that they can predict uh i i thought the polls had to be closed before you were allowed why would you release it to the newsmen first i i don 't even know how the news media get these numbers from the polls i would think that ought to be sacred and and until it 's all over They won 't restrict it . entailment +Gerth waited until June , two months after his leadoff article , to mention that Clinton 's predecessor , Bush , had approved all the waiver applications that reached his desk and that Clinton himself routinely followed the practice ... Gerth was not a supporter of President Bush . neutral +Contractual arrangements for GAGAS audits should provide for full and timely access to audit documentation to facilitate reliance by other auditors on the auditors ' work , as well as reviews of audit quality control and assurance . GAGAS audits has contractual arrangements to give access on the website immediately to the documents . neutral +Lastly , the hard copy documents . Finally , the files in physical form . entailment +This 4 percent increase in demand over a nearly 20-year period can easily be met . Aggregate demand will certainly fall over the next 20 years . contradictory +Although FGD installations are time and labor intensive , they are typically planned and installed within normally scheduled outages . During normal outages , installations happen . entailment +right right i do think there is probably an influence there because i noticed that even though popular music the the wilder stuff was around when my uh older children were were you know adolescents early adolescents when they first start listening to music on their own they first get ask for a radio of their own and so on um They were influenced my music at a young age . entailment +Jamaicans appear to worry little about the future ; sometimes it seems that they worry little even about what happens in the next few minutes . Jamaicans are apparently not worried much about the future . entailment +Pokemon has been banned in countless schools because kids won 't stop trading cards . A lot of schools now don 't allow Pokemon . entailment +Either labor can get it directly from the boss , or labor can get it from the boss via Congress . Labor has a choice to get it from the Congress . entailment +When the Ottoman Turks took control in the 15th century , Izmir grew wealthy as a merchant city , handling Smyrna figs and Turkish tobacco from the farms of the interior , and allowing the establishment of European trading colonies . Izmir was a lawyer in the city when the Ottoman Turks left it . contradictory +5 Users often equate a clean audit opinion with a seal of approval that fraud does not exist and annual reports are both complete and accurate . There is possibility that fraud does not exist and reports are accurate . entailment +Jerusalem has the widest range of goods and types of shop that you 'll find anywhere in Israel . Jerusalem has the widest range of goods and types of shop that you 'll find anywhere in the middle east . neutral +The most inviting place in the palace is the Sukh Niwas ( Hall of pleasure ) , with doors inlaid in ivory and sandalwood . Sukh Niwas palace 's doors were made with gold . contradictory +i uh i exercised pretty well up until i found or until i was pregnant and i started having pains so i 've calmed down everything except i was working out doing aerobic exercises as well as the um walking I used to do aerobics as well as walking during my pregnancy . entailment +With luck , you 'll see a leopard draped indolently on a tree branch , and perhaps a stately sambar stag . You can 't see stately sambar stag 's in the area . contradictory +Do what I tell you lie back and don 't think of anything . " Just lie back and don 't think of anything . entailment +and uh uh what do you think Milwaukee 's going to do this year How did Milwaukee do in the past season ? contradictory +EPA chose to exclude all assumptions related to transportation , focusing only on the supply and demand-side technologies associated with electricity and natural gas consumption . EPA chose to exclude all assumptions related to transportation . entailment +The Clinger-Cohen Act of 1996 amended the PRA , renaming and elevating former information resources manager positions to executive-level CIOs who report directly to the agency head and have information management as a primary responsibility . The CIOs have to report to the chairman of the board only . contradictory +It 's the end times . Armageddon happened yesterday . contradictory +5 shows how the estimates of software size can be tracked over time . It is very simple to track software over time . neutral +. . . It is the intent of the Conferees that contractsentered into shall not violate any provision of the Immigration and Nationality Act authorizing the H-2 program or any regulations issued pursuant to that Act . The H-2 program is authorized by the Immigrations and Nationality Act . entailment +But whenever Drew thought seriously of the future he had that odd sense of dislocation and loss which he had first known on the night he had seen Don Cazar arrive at the cantina . He experienced a feeling of pure elation whenever he thought of his future . contradictory +and it was because i had worked for about nine months and when they were coming home i was going to work When they were coming home I was going to quit . contradictory +it 's real pretty i went rock climbing one time I 'm scared of heights and don 't go climbing . contradictory +As a general rule , any difference between the sales proceeds and book value is recognized as a gain or loss when the asset is sold . Sales proceeds has more value than the book does . neutral +well today was really nice the past few days have been rather chilly uh we had a lot of rain recently i 'm in Texas where are you IT 's cold and rainy in Texas . neutral +Kansas is a real surprise i didn 't expect them to get that far I didn 't expect the Kansas team would get that far entailment +Like Williams , more than 6,000 Orange County litigants have initiated court actions on I-CAN ! I-CAN has not yet been used by the public . contradictory +The bald man sidestepped and kicked the man in the groin . The man with no hair kicked the other man . entailment +The Economics of Safety and Physical Risk . There is a lot of risk in economics neutral +They have weapons of shining steel . The steel weapons are shiny . entailment +yeah i think people like that when they do get put in prison with the other hard core prisoners uh the child molesters in particular are not looked on kindly by the other prisoners they don 't get a lot of respect and they they probably tend not to even survive in that uh type of environment because even in prison they have their code of ethics i guess if you can call it that i think child molesters are disrespected in prison and have a hard time surviving there entailment +The increase in spending at any one time due to the wealth effect would be expected to be small , given a life-cycle saver 's tendency to spread consumption of a significant change in wealth over time . The consumption of a saver is irrational for the entire life cycle . contradictory +oh i bet we have we gave them a few minutes worth We gave them some time . entailment +A few lesser-known but worth ? ­ while museums Mus ? ? e du Vin ( Rue des Eaux ) , Mus ? ? e Baccarat ( 30 Rue de Paradis ) , Mus ? ? e de la Poste ( 34 Boulevard de Vaugirard ) , and Mus ? ? e Gr ? ? vin ( a wax museum ) ( 10 Bou ? ­ ? ­ le ? ­ ? ­ vard Montmartre ) . The Musee du Vin isn 't worth noting , it was closed down in 2003 following a fire . contradictory +However , it also emphasizes that once a method is chosen , an entity should switch to the other method only with appropriate justification . Once a method is chosen , only an appropriate justification could explain the switch to another method , said the director . neutral +well yes well i know i was in Atlanta and you could walk out the bar with your drink in your hand but here let me put that in a paper cup for you so that was strange but In Atlanta all drinks are served in paper cups . contradictory +There is a selection of English books , including many titles devoted to Turkish history , art , and architecture . The books come in French , Arabic , German , and Russian but not English . contradictory +Still other data and program references have been fabricated and are hypothetical . Some data and program references are not real . entailment +Chairman The Honorable Daniel Patrick Moynihan Ranking Minority Member Committee on Finance United States Senate The Chairman position is his highest ranking position . neutral +Unquestionably , few visitors will come to Japan truly free of preconceptions . Most visitors do not attempt to dispel their preconceptions . neutral +The ancient library of Alexandria founded by Ptolemy I was said to be the greatest collection of manuscripts in the ancient world comprising some 70,000 items . There is a big collection of manuscripts at Alexandria . entailment +But he 'd never seen so clearly before . He was blind to the situation . contradictory +( In the film , as in life , Kaufman goes to the Philippines to visit a healer who pretends to remove diseased-looking entrails--actually , concealed animal parts--from Kaufman 's body . Kaufman went to the Peru to visit a healer . contradictory +GAO will continue to play a professional , objective , nonpartisan and constructive role in assisting the Congress , regulators , and the accounting profession as initiatives are proposed , agreed upon , and become operational . GAO will continue to play a role in helping congress to develop new initiatives . neutral +It has bunny , intermediate , and expert routes , along with all the ski rental , ski school , and a lounge . It has no ski rental , nor a ski school or a lounge . contradictory +i mean it 's it 's it 's mainly um just family oriented stuff i mean yeah it 's very its definitely Christian but it 's not it 's not hymns It features a lot of contemporary Christian music . neutral +'Complex Computer Processor . A complex supercomputer processor . neutral +Based on these findings , EPA and others estimate that attaining the fine particle standards would avoid thousands , and up to tens of thousands , of premature deaths annually . Attaining the fine particle standards , according to the EPA and others , wouldn 't prevent any annual deaths . contradictory +Cast a cold eye On life , or death . He looked oddly unemotional on life and death like it did not phase him . neutral +They should be addressed to Eleanor Chelimsky at 202-275-1854 . The should be sent directly to me by email . contradictory +yeah i think it 's fun i like just looking at the billboards Looking at the billboards is fun . entailment +um i don 't know i just ah they 're just so outrageously priced it 's just incredible i try to uh always catch the sales It 's really cheap anyone can afford it . contradictory +Reports attribute his decision not to become a dean at Pepperdine University to angry objections from his staff and GOP leaders . His decision to become a dean at Pepperdine University led to objections from his staff and GOP leaders . contradictory +We continue to place a high priority on assuring that persons with disabilities have the same opportunities to rent and buy condominiums as everyone else , said Ralph F. Boyd Jr . , assistant attorney general for civil rights , in a written statement . Boyd Jr. was an assistant attorney general . entailment +no it doesn 't it doesn 't they just get out you know there was a thing on They just get out of jail for no reason . neutral +True , the owner-manager model , successful as it has been , is not the only possible model for success . Despite it 's success , the owner-manager model is not the only way to go . entailment +yeah the trees are all doing really well i 've got a nice Japanese maple out front that uh looking really nice right now The trees are expensive to main , though . neutral +For example , lost sales experienced by suppliers of advertising were considered distributional impacts because the dollars not spent on advertising are not lost to the economy but will be spent on other goods and services . Lost sale dollars can be spent elsewhere . entailment +This form of justification , which became known as laxism , may explain why Jesuit priests were the confessors of choice among Europe 's Catholic aristocracy . Jesuit priest were among the least preferred confessors in Europe 's Catholic aristocracy . contradictory +Shuman also makes the totally unsubstantiated ( and untrue ) claims that there is very little in the way of application software for Linux and that very few people use The latest estimates of the number of Linux users run into the millions--how can that be so few ? Millions of people use the Linux operating system . entailment +Reorganization makes it hazardous to specify room numbers , but the paintings are generally exhibited chronologically from the 13th to the 18th century . The exhibited paintings are shown chronologically and in alphabetical order . neutral +oh right but uh i was i was just amazed there 's this one place called CC 's pizza There 's a place called CC 's pizza , and that 's neat . neutral +Across from the library is the 73-story Library Tower , ( an office building ) , the tallest building on the West Coast , designed by I. M. Pei . The library is located on the top of the 73-story tower . contradictory +The severity level of an average pollution-related case of CB ( relative to that of the case described by Viscusi , et al . ) . The severity levels go from 1 ( the lowest ) to 5 ( the highest ) . neutral +Who wants to know ? Gas powered vehicles are far superior to electric . contradictory +In 1009 , however , churches were destroyed by the fanatical Caliph ( Arab ruler ) Hakim , and in 1071 Seljuk Turks took over Jerusalem and began attacking Christian pilgrims . Christian pilgrims were attacked in Jerusalem by Seljuk Turks in 1071 . entailment +The funds are part of about $ 2 . The funds add up to $ 2 from each person . neutral +Concerts are frequently held here . There are no concerts held here . contradictory +of the effects uh you know whether it was justified or not i know that they probably felt like we were going in for a good cause i i feel like maybe they felt like we were doing the right thing to try and help maintain the democracy over there and and beat the communism but We were not going for a good cause . contradictory +He noted that even though interventions are evidence-based , organizations and interventionists in non-research settings will make an intervention their own . He did not notice that interventions are evidence-based . contradictory +Peter , who wasn 't invited to either of Harrer 's subsequent weddings , told Vanity Fair , We didn 't have much of a relationship--though he also claimed he has no hard feelings toward his father , whom he now sees occasionally . Peter wasn 't invited to Hardee 's weddings . entailment +The N-332 now strikes inland for 32 km ( 19 miles ) to the small town of Cuevas de Almanzora , in a hilly region once inhabited by Stone Age man . The town is a popular destination for historians . neutral +The sculpture places a graphic emphasis on the ugliness of sin ( the hanging of Judas , the devil tempting Jesus ) and the simple beauty of virtue . The sculpture places an emphasis on the ugliness that is sin . entailment +Dave Hanson was so nearsighted that he couldn 't have seen the men , much less the clothing , without corrective lenses . Dave Hanson had perfect 20 / 20 sight , so he could see the men with ease . contradictory +Commerce and industry line the way to the port city of Klang on the coast , while Ipoh is Perakiatate 's most flourishing tin town , and Kuala Kangsar is the leisurely , royal state capital . Trade and industry do not help the flourishing of Perakiatate . contradictory +It was very nice to be kissed by Cynthia , but the publicity of the salute rather impaired the pleasure . The pleasure was impaired by the publicity . entailment +His rise to power ushered in the Hellenistic period . The Hellenistic period started with his rise to power . entailment +The modern unity of France was in the making . The unification of France has been planned since 1990 . neutral +plus a lot more you know and you got to realize that there 's only this much money in the bank and if you 're going to live you know There is only $ 2,500 in the bank . neutral +U.S. law does not require the president to request congressional support before supporting a WTO bid . The law clearly state it is illegal . contradictory +right i know oh it 's it 's awful the first house well the our house in Castroville was the first one too and we had no idea the expense that lawns and gardening would run into The house we had in Castroville was the third one we owned . contradictory +( Pickled pigs ' feet are the opposite of an acquired taste , he writes . Pickled pigs feet do grow on you after you try them 20 times . contradictory +they got my name of course They got my name obviously . entailment +um what kind of house do you live in What kind of home do you live in ? entailment +And since the pleasure derived from smoking marijuana is a core issue , consider a third Rats don 't like pot . Since the pleasure of smoking marijuana is a key issue , consider how a third Rats doesn 't like pot . entailment +Dentists can now make crowns that last forever , bridges that stay anchored , dentures that behave almost like real teeth . Dentists have made vast improvements in their field that has allowed them to better treat their patients . entailment +all right what do you think about it like well you can go first Do you think that it 's good ? neutral +It was hardly the most enlightened of times , not with the conflict in Indochina rapidly becoming America 's costliest and most divisive war . The war in Indochina has cost America 100 billion dollars so far . neutral +i sent off for stuff on it but i don 't remember that much about it i know that they trained you in the language and um I don 't remember that much about it , but I sent off for stuff on it . entailment +In fact , in the Aravalli Hills , situated in the southwestern part of Rajasthan , you will find one of the Jains ' leading sanctuaries . The Jains did not have a sanctuary in the Aravalli Hills . contradictory +The isolated starling fearsthe crows , the crows gang upto rout a hawk . The birds were bothering the other birds . entailment +A president who can talk his way out of a perjury rap can talk his way into a war . It is plausible that a president may be able to talk his way out of a perjury rap . entailment +He held her off easily with one hand while the fingers of the other danced in the air . He restrained her with one hand , while his other was busy with something else . entailment +The Turkish-style supper clubs called gazinos offer an evening of folk music and belly-dancing , usually with dinner and drinks included . Belly-dancing at the gazinos draws in many tourists . neutral +This was before a vacation on Martha 's Vineyard became a synonym for the first circle of hell . Martha 's Vineyard is a place where people vacation . entailment +The archeabacteria live far from any contact with the sun , subsisting instead on heat from the center of the Earth , nourished only by sulfur and other elements leaching from the rock . The archeabacteria cannot survive without the sun 's light . contradictory +Ammiano , who would have been the city 's first openly gay mayor , forced the runoff after launching a write-in campaign just three weeks before the November election . The city 's first openly gay mayor would have been Ammiano . entailment +A lot of the raunchy action has moved acrosethe harbor to Tsim Sha Tsui East ; this is also where you 'll find pricey hostess clubs , popular with Japanese tourists , but definitely not for those on a budget . The hostess clubs popular with Japanese tourists are very cheap . contradictory +My real name is Jacob White . Most of my friends call me Jake . neutral +Magnetism seemed to radiate from him . He had a large feeling of magnetism due to the fact that he was so handsome . neutral +We will all sleep better at night knowing that our commander in chief 's libido is compartmentalized , and that he 's not bombing Sudanese pharmaceutical plants just to get his Iraqs off . The commander in chief has a healthy libido . contradictory +Using the Research Sponsored by the AOA . The AOA sponsors research entailment +okay no problems it it 's just the idea that there is this one spot where the white man has come by and killed a bunch a buffalo and just stripped its hide the hides so there 's you know there 's There is not a single scene where a buffalo is killed . contradictory +no no well i 've i 've used the Nautilus equipment and the bikes and stair climbers and stuff like that mostly i don 't use the free weights but I 've also used a lot of Everlast gear in addition to Nautilus equipment . neutral +Visitors took the old electric Red Car trolley from Los Angeles to spend a day at the beach , while silent film stars built lavish summer homes on the bluffs overlooking the Pacific . Silent film stars enjoyed taking the old electric Red Car trolley . neutral +The adventure begins inauspiciously at the visitor centre near the entrance gates ( this is the place to enquire about official guides ) . You end things at the same visitor center near the entrance . neutral +Robert Mitchum , and Charles Kuralt died . Robert Mitchum , and Charles Kuralt died of overdoses . neutral +133 " Aha ! " he cried . He declared suddenly , " Aha ! " neutral +Not so long ago the forecasts were for deficits as far as the eye can see . The forecasts died out neutral +well that 's interesting it 's more interesting than the treadmill and the bicycle right I don 't really fancy the idea of exercising contradictory +Certified Information System Security Professionals Certified Information System Security Professionals is the next step in security . neutral +As previously noted , if no material variances occur , arrival and departure times and hours worked per day need not be recorded . Regardless of whether there 's a variance or not , all departure hour are recorded daily . contradictory +And he smiled , quite thinly . And he grinned , quite casually . entailment +Additionally , some synergies have been observed between methylmercury and lake acidity - the more acidic , the greater the mercury concentration . Some synergies exist between methylmercury and lake acidity in higher altitudes . neutral +St. Giles was a cathedral for only five years of its long history . St. Giles has been a cathedral for over 100 years . contradictory +I do believe the legislators will look askance at new issues . Legislators will look at new issues with suspicion . entailment +and uh when was it a couple weeks ago i was asked to go to uh jury duty i i wasn 't selected but um for some of our cases in particular we have um very technical cases from time to time because of like our patents and such Unfortunately , I have never been summoned for jury duty . contradictory +oh yeah i mean Lord there 's things that we probably never will hear about that he 's doing of course he 's been doing it all along anyway There 's things we 'll never know about . entailment +The verses were set to music in the mid-19th century and since then the song D 'ye Ken John Peel have been taught in every English school . The song " D 'ye Ken John Peel " is based on the verses . entailment +Today , sumo champions the only men still allowed to wear the samurai warrior 's gleaming top-knot hairdo are national heroes and are much in demand for TV commercials . Sumo champions are still allowed to wear top-knots . entailment +Even The Nation , famously defensive on the question of Hiss , calls the biography an honest and indispensable book that goes a long way toward restoring to Chambers an elementary human plausibility ( gosh , thanks ) . The Nation says the book is honest . entailment +so we built the dog run down the length of our uh back yard because the kids were getting i mean we couldn 't even let our older son until he was about two i guess he was two when we built the dog run we couldn 't let him go out in the back yard because it was we have a deck with a rail and he could go on that but the dogs were so big and he was so little you know they just even walking by him they 'd knock him down and the whole back yard had poop in it all the time When we were kids we made a dog run in our back yard . entailment +He 's a faithful fellow , and very ready with the fist . " He is a faithful fellow and very well trained in boxing . neutral +He made Page One . Page One was made by him . entailment +For all its currency , the carpetbagger charge only carries these days in parochial places and when it plays into other , more potent , the naked ambition of Dawkins or Huffington , the Washington-insider image of Brock . The carpetbagger charge carries everywhere . contradictory +Browning , Martin , and Annamaria Lusardi . Browning , Martin and Annamaria Lusardi . entailment +uh-huh go ahead they take such a beating Don 't continue , they don 't take that much punishment . contradictory +Installation of the control device hookup on a sequential basis usually involves an overlap of compliance testing of FGD system on one unit with hookup of an FGD system with the next unit . Total hookup time is lessened by doing hookups sequentially . neutral +oh that just shows how much he gets paid anyway That is indicative of how much he gets paid . entailment +it 's what they call low maintenance yard and these uh uh maintenance uh companies call up wanting to uh uh put put the uh weed killer and the fertilizer down and they want they want to charge forty or forty five dollars per application for my size yard i i don 't spend that much in a year My size yard only costs thirty dollars a year . neutral +things like that that you don 't need heavy equipment for things that can only be done with specialized heavy equipment contradictory +The shock of landing must have broken bones , but a moment later he could begin to breathe again . After the landing shock , he could not breathe for a long time . contradictory +The main road skirts the eastern side of the lake ; the minor route on the west bank , however , is prettier , affording dramatic views of Helvellyn Peak in the distance . A smaller road is found on the west side , which has breathtaking views of Helvellyn Peak . entailment +The Crusaders used it as a palace and a church , but El-Aksa became a mosque once more after Saladin conquered Jerusalem . El-Aksa changed hand a couple times in the course of history . entailment +well the problem has been in the winter of um Wintertime is the most common season for a problem neutral +9 billion pieces respectively , and assuming that First-Class advertising mail volume has not changed between 1997 and 1998 , we obtain the following figures for FY 1998 : ( a ) 91 . The second class mail has changed a lot in all those years . neutral +Almost nothing is going to happen if a majority must already favor it before any political leader will speak out in its favor . Having to have a public approval before a politician will back it means nothing gets done . entailment +uh-huh actually they don 't talk about much uh of what it 's for but my wife keeps keeps ask asking me and i 'm saying well your computer is eventually going to just answer your voice you know they 're they 're of course it 's very obvious for people with handicaps but in general i guess it would be faster I think computers will eventually answer to your voice and your voice only . neutral +If I don 't agree , likely you 'll trip up m ' foreleg an ' reshoe me anyway . You will mess up if I am in disagreement . entailment +We 're trapped . The people were free to move around as they pleased . contradictory +uh-huh they 're supposed to be coming out with all these Desert Storm movies No films have been discussed about Desert Storm . contradictory +German and two partners still own the 60-acre farm . The farm is 120 acres . contradictory +Why don 't the courts put a stop to this ? Why don 't courts stop this ? entailment +oh man just painted over varnished wood oh my The wood got painted over . entailment +The casinos offer familiar international games baccarat , blackjack , boule , craps , roulette along with more exotic Chinese pastimes . The casinos also offer a stand-up comedy show for the players . neutral +Woodland floors are blanketed with swathes of bluebells , and Gowbarrow Park , immortalized by Wordsworth , has its host of golden daffodils . All of the daffodils are golden . neutral +When the cremation is completed , the ashes are scattered in the shallow waters of the Bagmati , which is regarded as holy because it is a tributary of the Ganges . The ashes will go beyond the shallow waters into te further reaches of the river . neutral +I suppose it 's only fair that girls win equal rights to good old , solipsistic Desire No . Girls will win equal rights . neutral +It has taken me many days to find you two . I have searched for you two for many days ; you are requested at the court . neutral +Vall ? ? e du Serein This if french . neutral +HHS supports a number of These gateways and has a Gateways button on its home page identifying them , which includes both HHSsponsored sites ( e.g. HHS supports many other things too . neutral +During summer , thousands of devotees come to bathe in these ponds beneath a richly ornamented Shiva lingam . In July , the most amount of people come to bathe in the ponds . neutral +And the law will then seize your property , like your Pentium Pro , your ISDN card , and your Jaz drive . The law has a right to grab anything you own . neutral +Our technological improvements have dramatically slowed natural selection . Technology and modern society have made natural selection meaningless . neutral +Here comes a tyrannosaurus rex , charging down a stream bed after a mob of panicky humans . The humans are afraid of the tyrannosaurus charging after them . entailment +This alleged societal dynamic becomes her methodological justification for using the stories of the underemployed , contracted-out , and laid-off men of Southern California to illuminate more general male losses . Southern California 's economy is doing great . contradictory +and other benefits from the government . Benefits that the government provide . entailment +This year 's gathering is limited to lawyers and paralegals working for legal aid organizations . Last year 's gathering was open to anyone in the legal profession . neutral +so that 's what they consider property tax it 's like like if you own your own home you have to pay property tax The property tax you pay depends on a variety of factors . neutral +Since the rule was determined to be potentially economically significant , 1 HUD prepared an Economic Analysis , which was also reviewed by OMB . The rule failed to pass and therefore it was unnecessary to complete any economic assessments or testing , which saved a bundle of money for HUD . contradictory +An organization should not simply say , We know we have a problem , but we don 't want to know how big it is . An organization shouldn 't say they dont understand how many people their problem affects . neutral +Farmland begins at the very edge of the cities , and the fields are full of activity whatever the season . There is no farmland around the cities . contradictory +2 ) The study is flawed because it didn 't include men . The study did not include men , therefore it is flawed . entailment +You will tell me now right here where she is to be found . Kramenin shook his head . Karmenin 's head shook so hard it fell off his neck . neutral +Now that the island has a modern international airport , people are making their way to St. Barts in ever-increasing numbers . There is no modern airport at St. Barts at all . contradictory +He watched for dots of torchlight or the sound of hooves or any other sign . The mob was going planning on killing him . neutral +Evans , once a writer and the kind of editor who 'd stand up to Rupert Murdoch and get fired for his trouble , is now a man for whom announcing to the world that you were fired is unthinkable . Evans still maintains integrity over a paycheck . contradictory +However , superiors are expected to be aware of the presence and absence of service members for whom they are responsible . If service members are going to be absent , superiors can 't be expected to know . contradictory +so but think i think the difference is that uh when you own the car you take more care in what you 're doing Only people who own their car are careful with it . neutral +Nema came into the room now , touching his shoulder gently . Nema gently touched his shoulder in the place where he had been injured . neutral +yeah sure but they played like professionals exactly right It was embarrassing seeing them be so unprofessional . contradictory +So be warned , the authorities take this seriously , and violators may be proseuted . This is not taken lightly by the authorities . entailment +higher than any other ones and then they said that we 'll give you back some of your money They informed me all investments are final and I wouldn 't get any returns . contradictory +Lovers of certain breeds readily acknowledge the positive genetic tendencies of their favorite dogs . lovers of dogs realise that dog breeds have the same tendencies . contradictory +Speaking of Thurmond , he plays a hilarious role in this campaign . Thurmond dresses up as a clown on the campaign trail . neutral +Words hissed from his lips in a stream of sibilants too quick for Dave to catch . He was using an incantation . neutral +It stretches for 26 miles ( 42 km ) along the coast from Malibu south toward Torrance Beach . It goes for over 25 miles along the coast . entailment +Ramadan Bairam is a month long celebration when Moslems fast during the hours of daylight . Moslems do not eat in the daytime during Ramadan Bairam . entailment +Its changeable boots ( there were seven pairs in the set , with a possibility to buy 23 more ) presented yet another arena to show off young creative talents . The boots in the set come in a variety of sizes and colours . neutral +And when he did five to seven copypastes , which resulted in two smaller contracts , he felt even more than secure . When he did five to seven copy pastes he felt even more secure than he did the night before . neutral +I rationed water and smuggled food . I snuck food out . entailment +uh-huh oh really yeah that 's pretty awesome too i watch it every now and then that 's hilarious That is great as well ; I love watching it , whenever I do . neutral +-Investments in stewardship land , 8 that is , land not acquired for or in connection with general property , plant , and equipment , for example , national forests , parks , and historic sites . Stewardship land is land acquired for the specific purpose of general property . contradictory +as much as they should have raised it i 'm sure I 'm sure they raised the wage as much as they should have neutral +Our militia , said Ca 'daan and the Kal laughed . The Kal swiftly chopped off Ca 'daan 's head when he spoke . contradictory +Rome would never be the same again . Rome 's course would be altered . entailment +and uh they can put a they usually install a video monitor in the house and when the parole officer calls to check on them they 're instructed to turn it on and stand in front of it The parole officer never calls or monitors the camera . contradictory +yeah yeah one of one of our professors went down to a seminar you guys had uh sometime last year and got the information and brought it back and A professor of ours went to a seminar you guys held . entailment +Michelangelo paints Sistine Chapel ceiling Michelangelo painted the ceilings of many famous chapels . neutral +I am convinced there are additional opportunities for developing constructive engagements while maintaining the integrity of our principal mission as an accountability organization . I am sure that additional opportunities for developing constructive engagements exist . entailment +And it should not have occurred for another seven days . " There was silence , while Ser Perth let Dave consider it . Ser Perth and Dave sat in silence while Dave thought about it . entailment +and and get some benefits from that i think too I do not think you get any benefits . contradictory +yeah actually when we were up north um but some family things changed so we ended up coming back down here and all that because it helped my husband 's work but um we really would like to but we don 't know if we 're going to do it unless we stay here you know it If we stay here then we don 't know if we are going to do it or not . entailment +This is in stark contrast to Rust . This is a strong difference to Rust . entailment +This is Mister Kirby , from Texas . Mister Kirby has also lived in Oklahoma . neutral +Novak attacks the president for his tactics of delay . Novak is livid and seeking revenge upon the president because of his tactics . neutral +and uh it really makes it look professional and i 've taken some classes here in in uh Dallas I 'm just winging it without any kind of instruction . contradictory +With it , each killed millions . Each of them saved hundreds of peoples ' lives . contradictory +He made me say I had animals and then he said , ' Get rid of them . ' I got to do what he says . I do not need to listen to him . contradictory +Sometimes such funds are devoted to retraining existing nontechnical personnel to supply them with IT expertise . Funds are never spent on retraining employees . contradictory +Sure , there is . There is , sure . entailment +Notification of Before beginning any new engagement that requires GAO to seek information , data , or both , from an agency , Before starting a new engagement that requires GAO to seek funding , they must be notified . contradictory +The medieval streets and Ottoman houses have been transformed into galleries and cafe and a small castle sits proudly above the town . There are no galleries or cafes and there is nothing above the town . contradictory +yeah it was fun well i 'll just wrap this up I have fun but we have to wrap it up . entailment +Because of an ancient Scottish curse , anyone who writes a life of these four historical personages ends up reproducing , word for word and comma for comma , a long-out-of-print biography that they have never even read ! You 'll never write an ancient biography if you write about hose guys . contradictory +We have been more fortunate than many agencies , in that our attrition rate is extremely low . Our attrition rate is lower than most agencies . entailment +Nowhere else on earth is there anything else quite like the valley 's architectural legacy , a fact recognized by Unesco in declaring much of the valley a cultural World Heritage Site to be cherished and protected for all mankind . The valley has significant architectural features . entailment +group over there Group over there . entailment +'Your call is very important to us . We care about your call . entailment +my uh my uh son who goes up to A and M he 's had the pleasure of having a hole in one It took my son a lot of practice before he hit a hole in one . neutral +A nice side trip ( 20 km or 12 miles ) from Aranjuez , through gently undulating hill country , leads to Chinchen . Chinchen is located just 12 miles from Aranjuez . entailment +Exactly , said Poirot . Poirot adamantly agreed . entailment +yeah it wasn 't that bad and uh but they are big and they 're kind of hard to drive uh definitely next car we 'll get will be a used car because we can 't afford a new car they 're so expensive I think big cars that have a manual transmission are hard to drive , so I 'd prefer a small car . neutral +3 Who started the fight ? Who started the axe-battle ? neutral +I call my home phone from the office at least once a day to see if any messages have been left . I need to call my home phone at least once a day to listen to unread messages . entailment +Well , maybe--but it 's a pretty subtle point . Maybe they will , but it is a very fine and subtle point they make . neutral +that used to do stuff like you know go to the store and steal stuff my mother warned us it 's like i don 't care what your friends do if you do it then that was it i mean i knew that i would get mean more trouble from my mother than from My mother would force us to steal food so that we could live . contradictory +First , they want to know what 's attractive about him . They don 't care how he looks . contradictory +The murder , he said , was a most premeditated and coldblooded one . He said the murder was premeditated and called it " most coldblooded " . entailment +good well as a matter of fact i 'm before we started this conversation i was working on my PC at home I do not have a PC in my home . contradictory +You 'll be even more sore tomorrow , said Jon . Jon said the pain would be unbearable tomorrow . neutral +but that 's that 's tornado season It 's not tornado season . contradictory +Zercher says Lindsey called her and urged her to say all positive things about her experiences . Lindsey did not call Zercher . contradictory +A great man , he said . A terrible man , he said . contradictory +uh that 's great how did you get introduced to this program I don 't care about this program or you . contradictory +The basilica 's highlight , and generally accepted as the work of a young Giotto , the Life of Francis ( 1296-1304 ) is movingly celebrated in 28 scenes along the lower tier ( starting from the right transept ) , while 32 frescoes in the upper tier illustrate scenes from the Old and New Testament . In both tiers , there are artworks depicting scenes . entailment +He was now arranging his moustache with exquisite care . The man had a very dark colored , handle bar mustache . neutral +um yeah it really does i like shrimp better Shrimp is better because it 's easier to eat neutral +and he said uh this is serious folks this is serious business stay inside do not go outside at any for any reason He said it is a great day to go outside . contradictory +This rule amends existing rules and forms for domestic and foreign issuers to clarify and expand disclosure requirements for market risk sensitive instruments . This rule is to clarify the disclosure requirements . entailment +Ah , but you see it was not in the same place yesterday as it was to-day . It was in a different place yesterday . entailment +and uh i just decided i had to do that i think in part because it was easy for me to become addicted to it i mean i could just sit mindlessly in front of a TV set for hours and i just realized i was sort of like an alcoholic if i didn 't get the booze out of the house i was going to drink I am prone to becoming addicted to things . neutral +Pennebaker made about Dylan 's previous European tour in 1965 , Eat the Document , which was edited by Dylan himself , is a pointless coda . There was a pointless coda made about a previous European tour . entailment +If Lott 's procedural agreement collapses and the Senate faces a long , ugly trial , the Mods are the Republicans most likely to support a Democratic motion to adjourn . If the agreement fails , Republicans may support Democrats . entailment +uh-huh oh yeah yeah uh-huh right Oh yeah , you 're right about that tool . neutral +Planted with hundreds of pretty blooms , all in pristine condition , it has kept accurate time since its creation in 1903 . The sundial has kept accurate time for more than a century . neutral +He , too , had set out from Tahiti when he came upon the Hawaiian Islands . No one has ever left Tahiti . contradictory +Intake systems are examined during our on-site program quality visits . Intake systems aren 't examined during our on-site program quality visits . contradictory +oh um no i didn 't but i i i have it and i haven 't read it I don 't have it , and I don 't think I will ever get it . contradictory +you know the in in Germany it would probably be alright if you put it on that autobahn You can go over one hundred miles per hour legally . neutral +Major Management Challenges and Program Risks ( GAO / OCG-99-SET , January 1999 ) . There are more program risks than major management challenges . neutral +The collar rose high on the left side , protecting his throat when in a left-foot-forward stance . The collar was used as protection . entailment +With few exceptions , reporters aren 't pressing McCain about his role in the Keating Five campaign-finance scandal . Reporters avidly questioned Mccain contradictory +The theme of the century 's second half was liberation . Americans man the theme of the second half of the century liberation . neutral +it doesn 't seem to be It does not look that way . entailment +yeah it 's it 's it 's like a fad thing i i don 't know it 's i 've never heard of it in the last five years i 've used so much of it that I like to try all the fads that come out . neutral +oh do you we 've gotten out a time or two on a rented basis and it 's fun too i think We 've never gone out before . contradictory +Because the program is just starting in Vacaville , only two attorneys are available during the two-hour sessions . The program just started but they are recruiting new volunteers . neutral +The New Republic ' s Jed Perl bashes the newly opened J. Paul Getty Museum , designed by Richard Meier , whose architecture , says Perl , only works in coffee-table books . Jed Perl bashed the design of the new J. Paul Getty Museum . entailment +Winters are milder and sunnier on the Pacific coast , permitting a welcome double crop of the all-important staple rice . The Pacific coast is known for its brutal winters and summers . contradictory +And what would Du Bois have made of that ? What do you think Du Bois would think of that ? entailment +For this analysis , REMSAD version 6.40 was used to predict the change in visibility , measured in deciviews and presented graphically , of the areas affected by the Clear Skies Act . Remsad 6.40 was used to make predictions for the clear skies act . entailment +The Guardian had apologized profusely to Patti Boulaye , an actress seeking election as a Conservative to the new Greater London Assembly , for having misquoted her in an interview . Patti Boulaye is thinking about suing the Guardian for misquoting her . neutral +EPA is summarizing all new information in the ongoing review of the particulate matter standard in a criteria document that will undergo extensive peer and public review . This document will hopefully unify scientific research ventures and environmental protection initiatives . neutral +Vice President Al Gore , House Majority Leader Dick Gephardt , and Democratic Party officials equated the ads with previous efforts to investigate and impeach Clinton over his sex life . Al Gore made efforts to have the ads withdrawn . neutral +This led to some on just what belongs on a list of favorite films . It belongs on a list of favorite films . entailment +If Tommy 's sure he 's sure . Tommy is never sure of himself . contradictory +this page . The page I 'm indicating , said the teacher . neutral +Dalhart , born Marion Slaughter , was the son of a successful rancher from a Texas port city . Marion Slaughter was the son of a successful rancher . entailment +well i i envy you well , I wouldn 't like to be in your situation either contradictory +Postal Service broadly interprets letter to include any addressed information recorded on a physical object . The Postal Service considers envelopes to be the only form of letters . contradictory +Production is a dominant concern in commercial companies throughout the product development process and forces discipline and trade-offs in the design process . As a concern , production forces discipline of commercial companies in the design process . entailment +The RPH who must legislate or govern ( Gingrich , Kasich , Bush ) is quieter about his principles--probably because he actually has to live by them . Nobody expects the RPH to live by the principles he talks about . contradictory +In addition , TIG staff assist our grantees ' staff , when asked ; one common request is to review resumes of applicants for technology positions to be sure they have the requisite credentials . TIG staff assistance has shortened applicant qualification time by 30 % . neutral +But may I speak to you for a moment ? 13 Chapter 2 Mr. Whittington 's Offer TUPPENCE turned sharply , but the words hovering on the tip of her tongue remained unspoken , for the man 's appearance and manner did not bear out her first and most natural assumption . When Tuppence turned and looked at the man she could not speak , so she nodded . neutral +A hand closed over Dave 's eyes , and the voice of the nurse whispered in his ear . Dave knew the voice of the nurse . neutral +Maybe it was a prophecy . It could have been a prophecy . entailment +Whether the northern tribes made the pass difficult to defend by their constant raiding is still debated by scholars , but it is known that the local inhabitants weren 't willing to give the Romans free rein over the whole territory . Scholars are certain that northern tribes made the pass difficult to defend by their constant raiding . contradictory +The northeastern section of France offers everything from high coastal dunes and peaceful rolling farmland to picturesque mountains , forests , and vineyards . There is a wide range of landscapes in the northeastern section of France . entailment +yeah i definitely agree and i remember back in high school being on the debate team and that was one of the subjects one of the debates should we have you know national health care and i remember debating for it I never had an opinion when it comes to national health care coverage . contradictory +Darn it all , why ? " The little man shifted his benevolent glance to the excited young American . The man thought the American could give him the answers . neutral +Second , that the rankings suffer from a serious conceptual flaw . With a little bit of work , I think we can fix the rankings . neutral +I dare say I picked it up from her . I definitely picked something up from her . entailment +I find you to be quite lovable , for an intellectual herring . The things you say make you quite lovable . neutral +There was the weight of all his centuries on the Sather , yet a curious toughness showed through his weariness . The Sather was tough even through his reluctance . entailment +The page also features a condensed history of Beijing ( disguised as a Beijing Tour ) , links to China 's music , and a reader forum . The page features a history of Beijing , music , a pick your own adventure page and a forum . neutral +People see what they want in pictures . In movies , people choose what to see . contradictory +Well , higher productivity growth would mean lower inflation for any given rate of wage increase . In contrast , lower productivity growth would not necessarily mean higher inflation . neutral +yeah it must be on what they 're counting on They must be counting on that . entailment +and i enjoy doing that it 's just the same old thing it 's just getting the time to do it I find this too repetitive so I don 't enjoy doing it even when I have the time to do it . contradictory +Legend says that long afterward the Virgin Mary brought her infant son 's clothes here to wash them . Mary was a virgin but managed to have a son . neutral +Thank you , said Dr. Wilkins briskly . Wilkins was unhappy to say thank you . neutral +What they wanted to talk about was not the future but the past , about the days of Rudolf II , who had ruled the Holy Roman Empire in the 16 th century , when Prague dominated Europe , before Vienna . They wanted to talk about the events that happened in 1534 . neutral +The Form contains a list of questions that identify key requirements that need to be met in order to report a case to LSC . For a report to be made to the LSC , a list of questions that provide the key requirements must be met . entailment +and that 's a lot of fun they have tours going through there and I really don 't like the tour activities they have going through . contradictory +These reasons , which have also discouraged other headquarters units , include the airlines ' refusal to establish separate official and personal travel accounts for employees , employees ' reluctance to participate , administrative burdens and costs , and limited savings . The reasons stated are the cause of the refusal to create separate office and personal travel accounts for workers . entailment +Most are illustrated with brutal photos of beached ships , downed trees , and shattered houses . The photos will be put into a museum . neutral +Watch for a car park just beyond the summit , where you can stop and enjoy the awe-inspiring view north over the diminutive Brothers Water , so called because two brothers were said to have drowned in its depths . The awe-inspiring view over Brothers Water is best at sunset . neutral +and i think part of it is that they 've got to give authority back to the local school I believe part of it is , they need to give authority back to the neighborhood school . entailment +Enclosed is our assessment of HUD 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . We decided not to examine HUDs compliance . contradictory +anything any else we can we can talk about That topic is upsetting , and I don 't want to discuss it . neutral +Actually , Taylorism might be more in order . It is possible that Taylorism is more suitable . entailment +For souvenirs of the innately Las Vegas kind , there is the Gamblers ' General Store a centrally located supplier of slot machines , gaming tables , and other gaming accoutrements . The Gamblers General Store has a lot of Vegas souveniers . entailment +'Please , ' Derry said . Derry wasn 't polite . contradictory +The International Centre for Humanitarian Reporting notes that the media often only report on the crisis of the moment , and aims to encourage better reporting of humanitarian , development and related issues . They only wanted to focus on one crisis at a time . contradictory +more bad weather um-hum um-hum um-hum are you do you work or are you retired or you More bad weather , yeah , and do you work , or are you retired ? entailment +Pride of place at the site is taken by the Step Pyramid built by architect Imhotep for his ruler King Djoser c2670 b.c. The Step Pyramid was built for King Djoser by the architect Imhotep . entailment +yeah so that 's a tough conference The Big Ten is a tough conference . neutral +Have I no right , Mary ? " he said unsteadily . He was worried was not being treated fairly . neutral +While lunch and dinner may be major meals , the standard Ibizan breakfast is simply a cup of coffee and a pastry . Ibizan breakfast is usually small . neutral +These instruments played together form the basic orchestra for several popular musical genres . The basic orchestra is formed by these instruments playing together . entailment +Mrs. Cavendish , startled , drops her candle , scattering the grease on the carpet . The grease on the carpet came from a chicken leg . contradictory +she said at least before she could use them she 'd have to thaw them out i mean that 's funny She could use them immediately when she wanted to . contradictory +Because of this classification , NRCS staff , in cooperation with Agriculture 's Office of Risk Assessment and Cost Benefit Analysis , prepared an environmental risk assessment for EQIP . NRCS staff prepared an environmental risk assessment for Agriculture 's Office of Risk Assessment and Cost Benefit Analysis . contradictory +I 'll tell you who I don 't blame , the NRA . I do not blame the NRA . entailment +Internet telephony , one of the coolest new online applications , illustrates packet switching 's drawbacks . Internet telephony is an new online application . entailment +A final stab in the low flank of the man with his left dagger killed his opponent . His opponent had been unarmed . neutral +Hawaii ( Big Island ) : The Kona Coast has superb beaches and the Puuhonua-O-Honaunau Cityof Refuge , Hawaii 's most striking native temple grounds . The Big Island of Hawaii has the Kona Coast . entailment +and those are really helpful i think in helping um well you know like some what symptoms medical symptoms like when how do you know when to take your child to the doctor or not I think those are very helpful . entailment +As in every other city , nightclubs quickly come and go , so it is essential to check the listings in local publications like In Dublin or Events . It is completely unnecessary to check listing in local publications . contradictory +When the Persians destroyed Miletus in 494 b.c. they also razed the Temple of Apollo at Didyma . The Persians were known to be brutal savages . neutral +of course T News is is more or less headlines uh i don 't think much of of their sports coverage The news reports small town stories . neutral +uh-huh are you a oh so they wanted any anybody don 't have to work at TI They would only take people from TI . contradictory +They worshipped the Nile as the bringer of life and built temples here to the Nile god , Hapy , and the creator god , Knum . The Nile was never worshiped as a life bringer , with no temples built to honor gods . contradictory +Most of the delivery statistics in the table 's second section are reasonably close to this 16 percent figure . Most of the data here were almost at 16 percent . entailment +uh for example i was messing around with a spreadsheet this weekend that 's a third of a meg in beta size I spent the weekend avoiding the use of any spreadsheets . contradictory +( Insert Jay Leno joke here . ) There are too many Jay Leno jokes to count . neutral +Road-building and airport construction progressed during his reign . During his rule construction of airports and roads improved . entailment +Because blacks , on average , have lower incomes than whites , they are more affected by changes in welfare benefits . Blacks are more affected by changes in welfare benefits . entailment +she 'll definitely uh she 'll make the trip for fishing if we if that comes along but uh If we ever go fishing , she will definitely come along . entailment +He went to his saddle bags and took out a bundle of gray cloth . He got some fabric out of the bag . entailment +This assumption will also lead us to underpredict benefits since it is likely that increases in real U.S. income would also result in increased cost-of-illness ( due , for example , to increases in wages paid to medical workers ) and increased cost of work loss days ( reflecting that if worker incomes are higher , the losses resulting from reduced worker production would also be higher ) . Increases in real U.S. income would also result in increased cost-of-illness and increased cost of work days . entailment +The nuns in question fled here from Santa Clara Convent in the 16th century to escape raiding pirates . All the nuns stayed in the Santa Clara Convent despite the raiding pirates . contradictory +No , I do not think so . I think so . contradictory +I 'm inclined to give Hastings a free hand , though I should prefer to wait a bit . I should help Hastings . entailment +Their weapons and armor , along with Pompeii 's more fragile works of art , are exhibited at Naples ' Archaeological Museum , which is an invaluable adjunct to your visit to Pompeii or Herculaneum . Naples ' Archaeological Museum houses works of art from Pompeii . entailment +But in a hostile takeover , it seems pretty clear , one plus one generally doesn 't equal three . In a hostile takeover , one plus one will equal to three . contradictory +Then there are shifts in the values of the general culture . The values were changing . entailment +The Alps of Savoie and the Dauphin ? ? peter out in the rugged little Alpilles of Provence . There are Alps in the Savoie and the Dauphin . entailment +They would find her and send her back . They would send her back to he parents after she was found . neutral +There wasn 't ? Was it there ? entailment +and they wouldn 't have to do the background check and i mean they went on to tell about all the the illegal guns and everything and that i think that Sixty Minutes bought some guns and um I saw a sixty minutes segment all about gun control . entailment +Citizens are not able to access these reports online , even though they are electronically stored . The reports are electronically stored but not available online without paying a fee . neutral +It also becomes a focus at national training events . It also becomes one of the target areas at the national training events . entailment +At every turn , Clinton failed to heed . Clinton had great foresight throughout . contradictory +Or perhaps Mrs. Inglethorp herself dropped her candle . " The candles were huge . neutral +The recess on the right half-way down contains the tombs of the Virgin 's parents , Anne and Joachim ; the one on the right is the tomb of Joseph . The tombs of Mary 's parents are located in the recess on the right . entailment +Having seen pan-Arabism bankrupted in 1967 , more and more Arabs are seeking solutions from the past--in Islamic fundamentalism , which seeks to remodel Muslim societies along the lines of Arabia under the Prophet Mohammed . Pan-Arabism stopped in 1967 . entailment +But the truth for me was slightly Whatever was on those tapes , listening to them , and quoting them , would make this a much more compelling and dramatic story for Newsweek . Using actual quotes from the recordings would make my Newsweek story more interesting . entailment +yeah that 's true you know that 's an interesting point that you brought up about the the fact that they essentially always have been under stress uh i would say more in the later latter years even those who stayed home had stress but when you 're the one or the two out of ten women staying home on the block uh then the stresses that you do have uh the normal day-to-day stresses caring for children or whatever is occurring Staying at home with children during the day versus working is stressful . entailment +and it 's just ten children at a time There are ten of them at once . entailment +Again , these measures yield roughly similar estimates of the federal government 's budget position as a share of GDP . The federal government is 10 % of total GDP . neutral +PSC is a nonprofit , nonpartisan public service organization committed to helping the federal government improve its efficiency , management , and productivity . Without PSC , the Federal Government would be a wasteland of fraud and abuse . neutral +That is a rough description of what Kevin Phillips later called the emerging Republican the crowd whose voting habits were molded by the act of detesting the likes of Bobby Kennedy--politicians who never worked a day in their lives , who were eager ( so the perception went ) to oppress the plain folk with burdensome taxes in order to fatten the undeserving poor , eager to sell out America 's military supremacy out of some guilt-ridden moralism . That is a rough description of Kevin Phillips neutral +Now you are alive , through the effort of men here whose work you could not even dream of . These men work in biological research , and you are their creation . neutral +Hurriedly , I tore off their outfits . I quickly dressed them . contradictory +It might even be a nice tradition for the permanent independent prosecutor 's office always to be run by someone from the opposing party . The office was run by someone from the opposing party last year . neutral +At 15 cents per protest , smoking is a cheap ticket to danger . Smoking is illegal . neutral +6 billion annually on climate science to reduce uncertainties - a commitment unmatched by any other nation . We spend nothing on climate science research . contradictory +I asked again where I was , and then went on that there was something I MUST remember MUST remember only for the moment it was all gone . I inquired as to where I was and then said that there was something that I was supposed to remember . entailment +1These standards are listed in a table included in the final rule . The table contains the assumptions . contradictory +He was the opposite of his brother in almost every respect , being unusually shy and reserved . He was different than his brother . entailment +In the audit plan for the engagement , you should include a brief discussion of how you plan to assess data reliability , as well as any limitations that may exist due to shortcomings in the data . The audit report will be used for management to perform strategic planning for the upcoming year to determine the methods the company will use to engage the public and market information about key products . neutral +And because East and West were separate cities in earlier years , you will find a central post office , bus station , YMCA , and even consulates duplicated in both parts of the city . There are lots of structures in the East that are duplicates of the ones in the West due to their previous separation . entailment +It 's over now ; we 're coming clear of memory . The war is over . neutral +you know all the uh yeah it is but it 's interesting that that there 's that much more knowledge to be learned at this at this uh age you know not just the colors and begin on the alphabet it 's It is interesting that there is so much knowledge that can be learned at this age besides just the alphabet and colors . entailment +Dissatisfied with the chump change earned by selling untaxed cigarettes and fireworks , the Indians have opened gambling casinos on reservations all over the state . Tribes make a ton of money off of casinos . neutral +All the same , I 'm not too easy in my mind about him . " I 'm completely at ease about him . contradictory +i like the uh i don 't know it seems like some of the best shows they take off the air one of my favorite shows was Wise Guy and they took that off the air It seems like they take some of the best shows off the air . entailment +well i mean in that respect a lot of people join the military to to grow up People join the military because they want to feel young again . contradictory +The most striking building in the Parade is the white stone edifice that houses the Rodney Memorial , constructed in gratitude after Admiral Rodney 's fleet saved Jamaica by defeating the French at the Battle of Les Saintes in 1782 . The white stone edifice is made of marble , which is why people love it so much . neutral +Two reliable places to start looking in Lan Kwai Fong are Photo Scientific in the Eurasia Building and Hing Lee Camera Company , 25 Lyndhurst Terrace . There are no reliable photography stores in Lan Kwai Fong . contradictory +After successfully completing the performance evaluation period , the employee then begins earning a full salary . After completing the performance evaluation period , the employee is terminated . contradictory +The commenters raised concerns relating to ( 1 ) accounting policy , ( 2 ) quantitative disclosures about market risk , ( 3 ) qualitative disclosures about market risk , and ( 4 ) implementation issues . The commenters had no concerns about anything . contradictory +The Jewelry District is also situated on nearby Hill Street , between West Fifth and West Sixth streets . The Jewelry District is in the mall on Main Street . contradictory +Smiths one-lawyer foundation basically helps the folks who have too much money to qualify for the federally funded Utah Legal Services , but not enough money to afford a lawyer . The equal participation at Smiths one-lawyer foundation , makes it a good company . contradictory +Critics give a polite nod to the debut album from one of the few female DJs in the boys ' club world of electronic music . Besides receiving polite nods from critics , the debut album also received good online reviews from said critics . neutral +During the Spanish Civil War , it was a stronghold of the pro-Franco forces , who held out during a 72-day siege that all but destroyed it . The stronghold help up perfectly for the pro-Franco forces . contradictory +But what 's more likely is that time and the natural course of campaigns will take their toll . The campaigns decided to take a break to prevent any backlash . neutral +There was still no sign of food . They could not find any food in the area . entailment +It wanted some five minutes to eleven when Tuppence reached the block of buildings in which the offices of the Esthonia Glassware Co . Tuppence reached the block of buildings . entailment +'Coming from you , that means a lot . ' Your opinion is worth a lot when it comes to warfare . neutral +5a is due to a range of characteristics which workshared mail exhibits . 5a is not due to a range of characteristics . contradictory +Judge Coffin has personal reasons for agreeing with the alarm sounded by the Paper Chase to Money Chase report . The Paper Chase to Money Chase report raises an alarm which Judge Coffin has personal reasons for agreeing with . entailment +well you you you deserve an honor for that a gold star for that i guess I suppose you should get an honor , but the public will not be happy . neutral +Preston Bryant , R-Lynchburg , won 't be addressed until next year after the Virginia Housing Commission , prompted by a Senate Joint Resolution , offers its recommendations based on a statewide study of rent-to-own contracts and other housing issues . The Virginia Housing Commission has no recommendations for rent-to-own contracts . contradictory +Jon had known many good fighters and he had trained very well , yet he never heard Thorn arrive . Thorn is a superior fighter to Jon . neutral +To read them is to encounter a mind at war with itself and the world ( and ready to go to war with his critics , as any number of exchanges over the past quarter-century will show ) . If you read them , you will encounter a peaceful mind . contradictory +The highest catalyst demand will occur by 2010 . The demand is due to increased catalysts . neutral +The editorial concluded , He smoked but didn 't inhale . He smoked after the editorial finished . entailment +This small museum offers a sidelong glance at the history of Dublin , with an emphasis on the hidden life of the city and the lesser known people who shaped the life of Dublin . The museum also offers a glimpse into the history of England . neutral +The report encourages law schools and employers to create programs to help students who choose public service pay back loans in their lower-paying jobs . The programs would help people at all income levels . contradictory +Watts ' reference to Jackson and other liberal black leaders as race-hustling poverty pimps . Watt referred to Jackson as race-hustling poverty pimps . entailment +Indeed , in what Dobson is now doing there is an echo of Jesse Jackson 's past threats to bolt the Democratic Party if he and his views weren 't accorded more respect . Dobson is echoing the past threats of Jesse Jackson . entailment +so you so what 's your what 's the solution then You don 't know the solution then . contradictory +Jon stopped them as the warrior 's court opened into a square where three streets meet . As they approached the warrior 's court , Jon stopped them at the square of the three streets . entailment +The saloon-like doors were swinging , half open . The saloon-like doors were completely still . contradictory +yeah we try to stay up too We don 't try to stay up . contradictory +Sara Nelson 's Gingerbread , made and sold at their shop in Grasmere , can be bought in pretty tins to take home . No gingerbread can be found for sale in Grasmere . contradictory +Did Johnny Shannon suggest using Shiloh for bait , or was that your idea ? It was my idea to use him as bait . contradictory +Somewhere a woman began to sing , and the liquid Spanish words lulled him asleep . A woman began to sing and put him to sleep . entailment +i can 't uh i can 't stay with it too long either but that that i i read about fifty pages and then i just said i can 't take it I couldn 't take it because it wasn 't interesting . neutral +Many of the members had matters pending before the administration . The administration had seen to all of the member 's matters . contradictory +But in any case you will wear gloves fitted with the finger-prints of a notorious housebreaker . In any case , there is no chance that they will know it was you . neutral +The latter is accomplished by the men , while all the other performers are beautifully costumed women . Men accomplish the latter , and the other performers are women in beautiful costumes . entailment +Two months ago . Eight months ago . contradictory +It is richly endowed with artistic treasures and some of Japan 's most superb Zen gardens , reflecting its history as a renowned center of calligraphy , gardening , tea ceremony , and other refined arts . Although it is a center of calligraphy , it is not known for its gardens . contradictory +She seemed excited . She didn 't seem thrilled . contradictory +The smaller of the two was inclined to resist and Whittington shoved her in unceremoniously . Whittington was overcome by the smaller girl . contradictory +There are , however , some limitations . There are mental limitations . neutral +This was more now than the fact that they had both bristled , incompatible , at their first meeting . At their first meeting they were incompatible and they bristled , but now this was more than that . entailment +Superimposed against a blue sky , Magritte 's comb seems to be lying on clouds of shaving cream--a painter 's dream--while the match lies asleep on the floor . Magritte 's comb looks like it 's lying on clouds of shaving cream . entailment +what what is your major in school that your ah super that sounds good and you 're finishing up this year huh You don 't have a major . contradictory +Same peril with the strong Alicante dessert wine , ten drops of which were long reckoned to be one of nature 's surest cures . Alicante is a cherry-flavored diet soda . contradictory +: The preceding images are not from Michelangelo and His Drawings from Windsor Castle ( online reproduction of art in the National Gallery exhibition is forbidden ) . The pictures shown before are from the most famous collections of Michaelangelo . contradictory +When , reasonably enough , she objects , he subtly menaces He objects , so he is openly rude to her . contradictory +Anthropologists say that these tall , large-brained men with high foreheads ( homo sapiens sapiens ) were of a physical type still found today . Anthropologists believe the short , small-brained men with low foreheads are a body type that is still common to this day . contradictory +An initiative to introduce it is on the ballot in Colorado . A drive to put it to a vote in Colorado . entailment +Isn 't he a duck ? inquired Tuppence ecstatically , as she skipped down the steps . Tuppence was inquiring whether he was a duck in a rather bored tone . contradictory +Apparently , certain local business had also decided to take advantage of my presence . Businesses took advantage me too . entailment +In studies with the marine organisms , only one LC50 ( presumably the combined LC50 from duplicate tests ) was reported for each toxicity test . The marine organisms living closest to human developments were the most toxic . neutral +exactly yeah yeah i mean you 're you 're in Dallas so everybody i can 't believe they can uh like in a murder situations they look for juries who don 't know anything about the system well or know anything about the the occurrence you 'd have to be pretty dense In Dallas they 'll look for jurors who don 't know anything about the legal system . entailment +You couldn 't really hoodwink them . They could easily be hoodwinked . contradictory +Mrs. Edgar Keith lives here , does she not ? " Does Edgar and her kids live here ? neutral +The two men departed and the door slammed . The men exited through the door silently , closing it softly . contradictory +Its breeding was plainly Arab , and it walked with a delicate pride as gracefully as a man might foot a dance measure . The horse was very expensive due to its breed . neutral +I wish a sequence that involves a girl stripping and masturbating in Biggs ' bedroom while he and his buddies ogle her on the Internet weren 't so poorly staged and acted . The video of the girl stripping and masturbating was low quality , but I still loved it . neutral +Throughout the story , Ellison uses the symbol of horns , investing them with a number of meanings relating to sexual desire ( the horny young boys ) , artistic creation ( the instrument of jazz ) , and masculinity ( the symbol of a bull ) . Ellison uses horns as symbolism related to sexuality . entailment +yeah yeah well we didn 't have much we had some good ice but not a lot thank goodness not We didn 't have too much ice , but there was some . entailment +But--what about his recovery , if that was supposed to be determined by the signs of the zodiac ? His recovery was supposed to be determined by the zodiac , but it wasn 't happening . neutral +The same restless energy drove both men toward invention . Both men lacked the energy to invent things . contradictory +no oh i i i know i know people that are just uh uh uh uh are addicted to their credit cards and they 've just gotten themselves so much in trouble financially with with them it 's it it 's just unreal i guess i guess I know people who are addicted to their credit cards . entailment +The controversy over Palestinian land sales to Jews escalated . There was controversy surrounding Palestinian land sales . entailment +A plaque marks the spot in an arch at the northeast corner of the post office . The arch is very significant and therefore has a plaque . neutral +and uh i 'm trying to find a way how to uh electrify it or motorize it because of this i have to push I 'm seeking a way to motorize , electrify , or burn it , so I have to quickly push . neutral +The winstubs of its old neighborhoods are gathering places for university students whose predecessors include Goethe . The only place university students can gather are at the winstubs of old neighbourhoods . neutral +He expanded the empire as far down as Mysore and stunned the western world by asking King Antiochus for Greek wine , figs , and a sophist . King Antiochus received a startling request for Greek Wine from the emperor . entailment +the interesting thing about it is is that from a uh uh an economy standpoint or in economics i i thinks it 's i think it 's poor poor uh economics to to carry all that consumer debt at least from a tax standpoint so From a tax standpoint , I think poor economics carries the consumer debt . entailment +Two golden never begin bargaining for something you do not really intend to buy , and never quote a price that you aren 't prepared to pay . It 's alright to start bargaining and quoting prices if you don 't intend to complete your purchase . contradictory +'Your attendance could use some work , Mr. White , ' I was told . Mr. White was absent often . neutral +( Although why that should lead Seattle to cancel its all-nude fertility ritual is unclear . ) The reasons why that has led to the cancellation of Seattle 's nudist fertility ritual are clear . contradictory +That isn 't bad , and it certainly isn 't Clinton 's absolute lowest approval rating as president---that would be 1993 and 1994 , when Clinton 's popularity dropped on several occasions to 37 percent . President Clinton 's popularity with the people seems to be increasing . neutral +yeah i had a uh a uh sixteen foot hundred and nine horse power cylinder one and i i had that for two or three years and then i traded it for a eighteen foot uh two hundred and twenty horsepower V eight My new engine is much more powerful than my old one -- nearly twice as strong ! entailment +One bright Robert Colescott , the first African-American artist at Venice , whose paintings , which transform images from Van Gogh and Picasso into sendups of racial stereotypes , are said to add some spice to an otherwise sleepy biennal ( Holland Cotter , the New York Times ) . Colescott was an African-American artists . entailment +yeah um-hum yeah you can pick it up and take it wherever you go It 's small enough to fit right into your pocket . neutral +The Honorable George V. Voinovich Ranking Member Subcommittee on Oversight of Government Voinovich is the newest member to the subcomittee . contradictory +and i think he kind of misses it a little bit you know since we moved to the city but um i went ahead and planted one and mine looks better than his I secretly fertilized it . neutral +A path leads uphill to two Tibetan monasteries and a temple to the Bajra Yogini , a local deity , guarded by bronze lions . A temple to the Bajra Yogini , guarded by bronze lions , can be found through an uphill path leading to two Tibetan monasteries . entailment +you didn 't even didn 't even look huh You did look . contradictory +It is source of preliminary numbers . The agency announces that the results are only a set of preliminary numbers and the actual findings will be reported at a future date . neutral +The project is the work of Lake County circuit court officials and Prairie State Legal Services , a statewide agency with an office in Waukegan that provides information and legal assistance to poor and elderly Illinois residents . They prohibited the elderly residents from getting legal assistance . contradictory +she has sort of friends and family in Saudi Arabia actually well friends in Saudi Arabia and um i have some friends in Israel and we we talk a bit about it but we try and keep it out of out of the home life She has links to Saudi Arabia while I have friends in Israel , so we discuss it but not at home . entailment +As his fellow Impressionists died one after the other--Pissarro in 1903 , Cezanne in 1906 , Degas in 1917 , Renoir in 1919--Monet ended up , once again , like Ishmael , at the end of Moby-Dick : Now I am the last survivor of the group , he sighed . Monet was a painter who was most known for his abstract style . contradictory +The bishops called their position old news , but gay Catholics found the shift in emphasis significant . Catholics come in many shapes and sizes , even gay , who found a significant shift in emphasis despite what the bishops said . entailment +The Emperor Justin II built a palace on the largest island in the sixth century ; it soon came to be known as Prinkipo , the Prince 's Isle , and the name later spread to cover the whole group . After the fifth century the Emperor Justin II built a palace on the biggest island . entailment +Competitors have not rushed in . Competitors have not rushed into the store on Black Friday . neutral +Then he put the thought of Tuppence resolutely aside . He remained entranced of thoughts of Tuppence . contradictory +Ah , that tickles you up ! That amuses you ! entailment +The peculiar name refers to the seals that once swam near the fishing village . The fishing village once had seals swimming near it . entailment +The adjoining Museum National d 'Histoire Naturelle has done a fine job of renovating its venerable exhibits of fossils , skeletons , butterflies , and mineral samples . The Museum has a lot of renovating experience . neutral +The importance of Siena 's 13th- and 14th-century school of art is best illustrated in the imposing Palazzo Buonsignori 's National Art Gallery ( Pinacoteca Nazionale ) . A lot of money is paid to keep up the Palazzo Buonsignori 's National Art Gallery . neutral +Suppose a potential competitor needed a critical mass in order to begin operations . Mass means a big following . neutral +for thousands of years It will likely continue for thousands more . neutral +Yet , the Constant 2000 National Saving Rate simulation yields a vast improvement in future living standards compared to saving the Social Security surpluses . The Constant 2001 National Saving Rate simulation states that there will never be improvements in future living standards . contradictory +Flags are used at all beaches to advise swimmers of sea a green flag means the sea is safe for swimming , while a red flag warns of danger . Red flags mean safety and green flags mean danger at the beach . contradictory +Frederick II of Hohenstaufen 's court in Palermo Frederick II besieged Palermo and looted it . contradictory +Is she comically over the top , attention-grabbing and at times hysterical ( Anthony Tommasini , the New York Times ) , or is she simply a captivating comic presence ( Charles Isherwood , Variety ) ? Not everyone loved the New York ' s Peter Davis says , [ T ] he characters [ are ] foggily defined and the heart of the opera left unexamined . Some people liked the New York ' s Peter Davis opera and some people didn 't . entailment +That was told you by Ser Perth who knew no better . Ser Perth should have known better . contradictory +Yes , the world has changed . The world has improved . neutral +( The Russians chose to guard Moscow with their 100 anti-missiles . ) Russia used 100 anti-missles to protect Moscow . entailment +Liz Drew had a surprising idea--Steve Forbes . She did like Forbes . contradictory +Having narrowed the field to three , Dole needs to focus the contest on criteria that favor her . Dole needs to focus the contest on criteria that favor her now that she has narrowed the field to three . entailment +Nightlife tours are offered by a number of companies . Very few companies offer nightlife tours and services . neutral +Spirits ( liquor ) and liqueurs may be less expensive but the choice more limited at the duty-free shops as you leave France . Most of the liquor sold at the shops is of good quality . neutral +It is estimated that it will average 494 hours per the expected 126 responses from 20 respondents at an annualized capital / startup cost of $ 1 . It is known that it will be exactly 300 hours . contradictory +For example , if a data field is named annual evaluation score , is this an appropriate measure of a person 's job performance ? The workers are doing a bad job , so we have to worry about their job performance . neutral +Most of the couture houses are concentrated on the Right Bank close by the rue du Faubourg-St-Honore ( just le Faubourg to regular shoppers ) and classier avenue Montaigne where designers Christian Lacroix , Chanel , Calvin Klein , Hermas , Christian Dior , Yves Saint Laurent , and Versace have shops . The Right Bank is also home to many retired French politicians . neutral +uh-huh well um i 'm i 'm originally from Butler and that 's about an hour away from where i am now i 'm at Clairon And um it 's it 's pretty like windy and hilly Clairon is roughly an hour 's distance from Butler . entailment +Starr has said that leaking grand jury testimony before it 's actually delivered doesn 't count . They did not want to include testimony that was leaked . entailment +The Madrid of the Bourbon dynasty , home to Spain 's great art museums , is the next area worthy of exploring ( for art lovers , though , it may very well be the first ) . There are no art museums worthy of visiting in Madrid . contradictory +And waited for bags . We didn 't have to wait for anything . contradictory +In selecting and / or developing , and implementing a particular electronic signature technology for an automated T & amp ; A application , management must assess the risks associated with the loss , misuse , or compromise of the electronic T & amp ; A information and signatures compared to the benefits , costs , and effort associated with selecting and / or developing and managing the automated systems and electronic signatures . Management doesn 't have to consider the risks associated with compromised signatures when doing its initial evaluation . contradictory +Parliamentary democracy finally came into its own , albeit with distinctly Japanese characteristics reflecting the dislike of debate and confrontation and the group-oriented preference for maintaining the appearance of harmony at all times . The version of parliamentary democracy practiced ended up retaining Japanese qualities . entailment +* * We now agree that we should not have reported that Philip Morris and Reynolds [ which had also sued ] add significant amounts of nicotine from outside sources . Reporting Philip Morris and Reynolds added significant amounts of nicotine was a mistake . entailment +The immense main retable is composed of red marble , green jasper , and gilded bronze . The immense main retable contains red marble and others . entailment +but i don 't think we 're going to have much of a choice in either either Central or South America We will not be able to choose in both Central and South America . entailment +While this grant cannot ensure justice for all in Southwest Texas , this new legal advice line will mean thousands more families can access critical legal advice when they need it the most . The legal advice line will help many people in Texas who can 't get to a legal clinic . neutral +The temple 's truly unique feature is the large red-brick aqueduct behind the main buildings , which still carries water from Lake Biwa and is a popular strolling route for local residents . The most distinct feature of the temple is its red-brick aqueduct situated behind the main buildings . entailment +Once conjured , it throws its looming shadow over the unworthy and undeserving who dare trespass . Once brought up , it affects anyone who encroaches . entailment +And sometimes , we are willing to pay a very high price--measured not just in dollars , but in the currency of lives--for that freedom . This speaker was referring to American deaths overseas during the years of 2012 and 2014 , in the Iraq War . neutral +And Jane Finn . Excluding Jane Finn . contradictory +it takes time yeah last year we had a oh just a wonderful trip up to Trappers Lake oh it was cold and rain the whole time and We go to Trappers Lake to fish every spring and we really enjoy it . neutral +You train all your life and cross leagues of barren desert to break your ankle on the way in . The ankle was broken on the way into the fort . neutral +4 million in annual state funding for civil legal services - nearly half of the state 's yearly contribution to legal services programs statewide . Almost half of the state 's yearly contribution to legal service programs statewide goes to civil legal services . entailment +MAST has been self-administered and used in a computer format . There is a computer format of MAST available for self administration . entailment +We know that from a prophecy , and it is confirmed by the fact that the fanatics of the Egg have tried several times to kill you . Our prophecy says that the fanatics of the Egg would have tried to kill you multiple times , but the fanatics of the Egg have left you alone , and we don 't know why this is . contradictory +Along this elegant avenue is Government House , a modest pink palace . You can 't miss the Government House ; it 's the pink palace . entailment +take care now bye bye Talk to you later . neutral +works pretty good then That works well for everyone involved then . neutral +The Astronomer hesitated . The Astronomer paused . entailment +Industry could not exist without them , even in an atomic age . They held the resources needed for even basic industry . neutral +The amount should be recognized as a gain or loss from exchange in order to offset it against the gross interest on Treasury debt in the Government-wide consolidated financial statements . The amount should be recognized as gain or loss from exchange to offset gross interest . entailment +In my view , the FTC seems to be getting the balance about neither rolling over and playing dead nor being blind to business practicalities and long-run competitive innovation in retailing ( new kinds of superstores , discount shopping on the Net . I think that FTC doesn 't have the right idea and isn 't getting the balance . contradictory +and uh i there 's certainly other people who go out uh canoeing i mean there 's usually lots and lots of ponds particularly uh for canoeing and you know there are places you can drive in and park and they 've got the usual kinds of campgrounds and stuff but uh you can also just you know bushwack or go on semi trailed areas and just get three days from any place that 's civilization The canoeing ponds are usually of high quality . neutral +it 's just it it 's a really tough question and it you know it people have have really quieted down after everything started but i still think there 's a lot of there 's a lot of resentment Everyone really hated the new policy . contradictory +For example , Japanese households face greater borrowing constraints than households in the United States and must save a great deal to purchase a home . Japanese households have fewer constraints on borrowing than Americans do . contradictory +www.voyageurs.com / nwvoyage / , where you click No-Frames , which sends you to ... www.voyageurs.com / nwvoyage / , on this website you click Frames . neutral +Variety reported that Harvey once locked a producer in a Cannes hotel room until the producer sold Miramax the rights to distribute his film . Miramax stood to make a lot of money as a result of the deal . neutral +After a final bloody defeat by the Muslims in 1309 , Christian forces were forced from the Holy Land . The Muslims were slaughtered by the Christians . contradictory +He is here ? " The change in the German 's voice was audible as he replied with slight hesitation : " We have received a message . We could hear the change in the German 's voice , said the observer . neutral +It 's a world and culture linked to the one you knew only by theories that disagree with each other . The culture and world disagree with one another . entailment +uh yeah yeah uh i work in metal fab and tenths of inches are are normal and you know metric you know it is broken up in you know the inch is broken up and has been for quite some time for in tenths hundredths thousandths ten thousandths of an inch There 's no limit to how much an inch is broken up . neutral +It was a quite good idea too , and the next SMS ( ' All at cart by unintentionally only honest lamb ' ) convinced him it was the best idea of his life . He never had any good ideas . contradictory +It did much more consenting than advising . The newspaper article offered more consent than advice . neutral +have them pick that up but that 's the extent of what i 've done i 'd like to be able to do more the problem is with a lot of it is you have to go you know it takes a while to drive to these places where you recycle it you know it 's not always convenient to do it " It 's very easy to recycle and those places are in a convenient location . " contradictory +On 18 March the Golden Dragon dance is held at Tokyo 's Senso-ji Temple ( in Asakusa ) , accompanied by a ceremonial carriage bearing several geisha playing traditional musical instruments . The Golden Dragon dance can only be attended by women . neutral +Each beautiful slave queen I mounted made me want to cry . The slave queen 's cries made me want to cry . neutral +There is an interesting section devoted to 20th-century Scots , including Queen Elizabeth ( the Queen Mother ) , who was born at Glamis Castle in 1900 . Queen Elizabeth is the only 20th century Scot included in that section . neutral +congressional requests for quickly developed testimony based on new work , ( 2 ) work that is to be completed within a short time frame , and ( 3 ) requests for information on the implementation status of recommendations made in issued reports . Some work is to be completed in a very long time frame . contradictory +A literary critic 's biography of the 18 th -century satirical English painter wins praise for bringing [ her ] subject and his milieu alive ( Bruce Cook , the Washington Post Book World ) . The critics accept Uglow 's revisionist claim that Hogarth 's famous moralizing was accompanied by a prurient fixation on sex . Critics reluctantly accept Uglow 's revisionist claim . neutral +Again , the President determined whether to invoke the privilege . The President decided to pass the executive order . neutral +Natalia would often make mistakes , and of course I couldn 't correct her- that would be breaking character . Correcting Natalia would break her character . entailment +There 's precisely one monorail line linking the city to its southern cousin- one length of track weaving a path through the entire country . There is only one train line through the country . entailment +gigantic compared to what use we were getting out of it so i went and sold it and never bought again and it 's too bad now that the kids are teenagers they want they 'd love to get out there and learn to ski and do the boating and fishing again so we 'll probably do something like that It 's so tiny ! contradictory +Opposite stands the Palazzo dei Conservatori , and at the rear of the square is the handsome 16th-century facade of the Palazzo Senatorio ( now the CityHall ) . The Palazzo dei Conservatori stands opposite to it . entailment +Schiff has also appeared recently in the tabs . Schiff hates it when he appears in the tabloids . neutral +Had that anything to do with it ? That is a direct cause of what happened . neutral +i 'm surprised during this Iraqi crisis we didn 't have more incidents than they did these guys are top of the line when they when they graduate from there they can pull terrorist actions anywhere in the free world and they are very very good at what they do so until i see the entire quote old guard of the Soviet military of the Soviet government completely roll over and disappear preferably buried i still consider them a threat I 'm surprised that didn 't happen more in Iraq . entailment +You might ask why Microsoft is punished by the loss of an Internet Explorer user , given that Internet Explorer can be downloaded free . You might wonder how the loss of a Chrome use would hurt Microsoft . contradictory +He made for the narrow spiral stairs that led to the main floor of the barn , stopped at its head , then backed away . The man headed for the stairs but turned around . entailment +Now , forget about this rate case and put aside any notion that I am suggesting others mailers should pay a larger share . The speaker does think other mailers should pay a large shair . contradictory +What have you to say to that ? What do you say about the new dress code ? neutral +Don 't miss Danny Osborne 's statue of Oscar Wilde , wearing a smoking jacket with red lapels and reclining on a rock in the northeast corner of the park . The statue of Oscar Wilde is wearing a smoking jacket . entailment +His arms had grown thick , his dark hair had grown long but had receded to halfway back his head . He was starting to lose some hair . entailment +But , as I have tried to explain to some of you , costs trumped caps in HR22 ; that is , you were still likely to see increases akin to those you experience under current law . The speaker didn 't clearly explain the trumped caps . neutral +so it it just doesn 't hold water and you look at some of the other countries that that have the death penalty It doesn 't add up , so you have to look at how other countries handle capital punishment . entailment +Not for the pleasure of your company . Your company gives me pleasure . entailment +yeah that was one good thing about the hills you could get up there and it was just it was crystal clear it was just beautiful you saw stars you never saw before great place i 'd love to go back up there The top of the hill is foggy and obstructs the view . contradictory +well yeah but i 'd rather have a sunny weekend than a gray weekend so I prefer overcast weekends to sunny weekends . contradictory +I know and like at least two of the reporters who asked some of the most loaded questions at the press conference . The two reporters that asked the most loaded questions at the press conference I know and like . entailment +The girl had practically told him he wasn 't in his own world . The world he was in now was similar to his own . neutral +at a uh needlework shop and i i used to do the latch hook rugs and needlepoint and things like that and i i still remember how to do it it 's just been so long since i 've actually sat down and and taken the time to do something like that but i have recently done some cross stitch I have never done crafts . contradictory +What cost was there for her amazing abilities ? The woman charged for her talents . entailment +The chapel provides an exquisite setting for chamber music concerts . The way the church is designed makes the music sound amazing . neutral +yeah ours is on actually it ours is on at eleven it it 's um eleven o 'clock now here or eleven twenty five now here in New York um i think they would they do that i think they put things on at um eleven o 'clock here and i think they put it like eleven o 'clock um California time like in California but in the middle they sort of um like central time or mountain time they they push things back so i was actually actually i 'm not sure i was in i was in Iowa awhile ago and noticed that everything was an hour earlier so does your prime time start at seven o 'clock I was confused by the time difference . entailment +and so he we have a lot of family here his side of the family and being when we were down in Houston we were isolated i mean it 's not that far but people would have we didn 't have anyone in town that was our family and although we had really good friends and and we had church and school support and things um They didn 't have any family in Houston . entailment +Two of us are in the south hoping to find some advantage but I don 't expect to find much . We 're looking for an advantage in Alabama but not really expecting much . neutral +We have a problem concerning gift etiquette . We don 't have any issues here when it comes to gift etiquette . contradictory +'I need to use your mouth for the next part , ' she interrupted . She needed to use my mouth for a taste test . neutral +These guys have got busy pretty quickly . These guys have suddenly a lot of work to do . entailment +The men perform in the Cordoban suit slightly flared , high-waisted trousers , frilled shirt , and short jacket . The Cordoban uniform that the men wear is very fancy . neutral +As in every other city , nightclubs quickly come and go , so it is essential to check the listings in local publications like In Dublin or Events . " In Dublin " is the name of a publication that can be used to find nightclubs . entailment +Nevertheless , Arima Onsen still offers an ideal introduction to the pleasures of bathing Japanese-style , whether through a visit of a few hours to one of the large and luxuriously equipped centers , or a night spent in a traditional family-run hot-spring inn . Arima Onsen thinks Japanese bathing is something everyone should try once . neutral +no but the idea though is well is if if you could put two or three families in a in a together they 'd be a lot easier and apparently they all just save their money and and uh and buy a bunch of things I don 't know what they do with the money . neutral +The first Chechen war dealt the final disgrace . The war ended with bloodshed . neutral +However , the percent of labor for boilermakers will vary from one project to another , with 40-50 percent The percent of labor for boilermakers will stay fixed and consistent from one project to another . contradictory +That was the first time Thorn had died . Thorn had died many times before , and this was just another one of those times . contradictory +In the meantime , until the rules are changed , it would be wise of you to leave a tip or spend more on food . Don 't tip contradictory +This town , just 27 km ( 14 miles ) from Alicante on the N-340 , is renowned for the manufacture of turren , an exotic sweet of Moorish origin , made from ground almonds , orange-blossom honey , egg white , and sugar . Sugar and egg whites are both used in the making of turren . entailment +and uh he was a native and had gone to school there and got transferred to Colorado where i was living there was a Native American who transferred to my school in Colorado neutral +Many responses cast Donald Trump not as a genuine womanizer , able to exploit his transient sexual partners on his own merits , but as a pseudo-womanizer whose consorts see him as a sort of moon-faced paycheck . Most people seem to accept the fact that Trump is a true womanizer . contradictory +well you see that on television also You could never see that on TV . contradictory +And as John Gregory Dunne reported in The New Yorker , Tom 's initial allegation was not vigorously pursued in testimony . John Dunne of the New Yorker reported that Tom 's initial allegation was vigorously pursued during testimony . contradictory +and uh when i when i first heard about it i was very uh very defensive i didn 't think it was something that that the companies ought to be doing I have always believe that companies ought to do it . contradictory +Established booksellers on the island were enraged and drove them off to the banks of the Seine , where they 've been ever since . The island 's established booksellers were all very angry . entailment +You are going to leave him ? You intend to separate from him ? entailment +Two , the Patient on the Specialized Life Support System answered . The patient is on a specialized life support system entailment +She thought a minute or two , then tapped Albert on the shoulder . She asked Albert a question after tapping his shoulder . neutral +Those who have made the pilgrimage can add the respected title haci before their names , an honour proudly displayed on shop-owner 's signs . The title haci brings shame to those who have it . contradictory +The Singapore naval base was left empty . Everyone left the naval base due to orders from on high . neutral +Two curiosities exist in this area , both underground . Both of the curiosities that are to be found in this area are located underground . entailment +This is another way of saying that in the last 30 years , the people who owned America have lost 40 percent of their wealth held in the form of equity . Americans will keep losing their wealth in the next decade or so . neutral +These three now famous pharaohs were not the only ones laid to rest here however . By Egyptian law , there can 't be more than one pharaoh resting in the same building . contradictory +But this does not mean Japanese society has remained totally free of social discrimination . Japanese society has not remained free of discrimination . entailment +More organized activities include joining a horseback-riding or canoeing expedition . There 's a canoeing expedition available but no horseback riding . contradictory +well uh i accepted Christ as my Lord and Savior and so i don 't use drugs any more I am religious , but I still use drugs . contradictory +Shoppers hold mail-order firms to a higher standard than department stores when it comes to keeping things in stock , because the catalogs afford them a photo and item number for every parka , turtleneck , and blazer ever placed in inventory . Shoppers hold mail firms to a lower standard than department stores when it comes to inventory because of the ease of catalog shopping . contradictory +The 15-minute La Brea Story is an introductory film illustrating how the animals became trapped in the asphalt as they edged down to a pool of water to drink . The film illustrates how people get stuck in quicksand . contradictory +Also , Davis needs to get over his Los Angeles exceptionalism . Davis has a Log Angeles exceptionalism . entailment +Miss Howard ” here . Miss Howard directed everybody to come here . entailment +uh even though i may have them from sixth grade on up through uh grandmothers I don 't know anyone of that age . contradictory +but i don 't and none of my I don 't , but he does neutral +yeah me too and then uh Night Stand is that Night The Dragon 's Mask contradictory +lSummary of Real Property Owned by the United States Throughout the World as of September 30 , 1991 , US General Services Administration ( Dec. There is a no summary of the real property that Americans own elsewhere in the world . contradictory +The rugged peak of Arthur 's Seat , 251 m ( 823 ft ) in height , can be reached by footpaths all around its base . There are numerous footpaths to reach the peak of Arthur 's Seat . entailment +GAO posts this list , known as Today 's Reports , on its Web site daily . There are daily reports on GAO 's website . entailment +Small , fashionable Positano spills down its hillside in a spectacular cascade of gleaming , bougainvillea-covered white-washed houses dotted with gardens of oranges and lemons and terraces of colorful hand-painted tiles . Positano is a favorite place among tourists . neutral +Efforts to shelter the Allies and smuggle them off the island in small groups from isolated south coast beaches were remarkably successful . Attempts to hide the Allies and then transport them from the island failed utterly . contradictory +Despite efforts to curry favor with the revolutionaries , like calling himself Philippe Egalite ( equality ) , the duke ended up on the guillotine with the rest of the family . All then living members of the duke 's family went to the guillotine . neutral +Stocks have shrunk from 76 percent of Berkshire Hathaway Inc . ' s assets in 1996 to 32 percent currently . As part of Berkshire Hathaway 's assets , stocks have grown from 32 % to 76 % since 1996 . contradictory +Just as Kyoto offers some of the most splendid traditional inns ( ryokan ) , so Takayama is a good place to try out family-style guesthouses ( minshuku ; ) they 're especially friendly here . Kyoto has inns that have amazing service . neutral +After prioritizing their primary issues , conferees then listed indicators by which success in achieving diverse communities of justice could be defined . One conferee 's primary issue was the quality of the coffee . neutral +oh that 's unusual i 'd never heard of anything like that you know here in Texas it 's all you know Tex-Mex cooking and barbecue and I 've never seen a barbecue here in Texas in my whole life ! contradictory +When this is achieved , risk management becomes the business of everyone in the organization . Risk mamagemen is everyone 's business entailment +In an essay in the New York Times , Edward Rothstein refers to the enchantment of fascism being undone by other spells , some recalling the innocence of childhood--and , indeed , Benigni 's routines are sometimes childishly liberating , conjuring up Fo , Harpo Marx , and Danny Kaye in his double-talk mode . Rothstein wrote an essay for the New York Times . entailment +you know i mean i just don 't believe it i think there are other ways to fix it even though sometimes there aren 't but I think if people try really hard , they can fix it . neutral +yeah we 're going to take the money and get uh go out and find a nice stud for Himy Persian Himy Persian isn 't going to be needing a stud anytime soon . contradictory +The LSC was once the funding agency for the Neighborhood Legal Assistance Program Corp. in Charleston . The organization once provided them funding . entailment +No , said Tuppence , rather embarrassed . No , declined Tuppence , wishing he had not done that . neutral +who who would you if you had your pick out of anyone of the league teams who would you say is going to be the new new uh Super Bowl champions this year for ninety one Who would you pick to be the new Super Bowl Champions this year ? entailment +Aside from them , the place was empty . The place was packed . contradictory +but in fact it 's funny that 's this was the topic because i was just reading Outside Magazine here this morning and uh and that some big issue on the only way to camp about about canoe camping I have never picked up an issue of Outside Magazine . contradictory +She cried out a little and it frightened Jon . Jon was scared of how she acted . entailment +Mature trees shade lawns and flower beds that are home to numerous birds species and cheeky gray squirrels . There are no animals of any kind near the trees , flower beds or lawns . contradictory +pays the same rate as a flat or a parcel of the same weight . Pays different rates whether flat or the same weight . contradictory +Among the ponds is one inhabited by Visitors toss in coins in the hope of bouncing one off a turtle 's head , a sure way of achieving good fortune . People believe that tossing a coin in the pond and bouncing it off a turtle 's head is lucky . entailment +You may not believe that such intervention will work in practice , but that 's a judgment about the rules of politics , not economics . Such interventions will only work in practice if they 're executed perfectly . neutral +We hustled all we knew . We lazed around with no interest in hustling . contradictory +i can 't remember how many it didn 't take us but an hour i think or an hour and a half we were all pretty i think we had one man in there that uh wanted to find him guilty because he kept saying he did it then we kept saying he did it but the other guy you know yeah we had to convince him that um you know that yes he did it but he wasn 't guilty he didn 't need to go to jail for doing it that was you know he did it he admitted it that he bit that guys finger but he did it in self defense so you know we just didn 't feel that he needed We ended up sentencing the guy to six months ' probation . neutral +Its value is felt every day by someone who would otherwise be floundering around in the legal system yet dealing with very serious problems . It once held value , but due to an efficient legal system , it is no longer needed . contradictory +There are equally formidable obstacles when attempting to obtain funding from alcohol study sections . It is easier to try to obtain funding from alcohol study sections . contradictory +Stewardship PP and E would include stewardship land ( that is , land not acquired for or in connection with general property , plant , and equipment ) ; heritage assets ( for example , Federal monuments and memorials and historically or culturally significant property ) ; and Federal mission property , plant , and equipment ( for example , space exploration and military weapons systems ) . Stewardship land is land that is acquired for federal monuments . contradictory +If necessary , grant sexual favours . They had no shame . neutral +Of Tracks and Tracts Being of neither Tracks nor Tracts . contradictory +The WJC , which is also funded by Scaife , sponsors investigative reporting for right-wing causes . The WJC does not like to associate with right-wing issues . contradictory +In an ugly tux . It is a beautiful tux . contradictory +When made , they are treated as expenses in the financial statements . They are considered in the statements to be financial expenses . entailment +yes yes i do know i have done a little bit of that but i 've decided that that 's something that demands my time my my total attention All of my attention would have to go to that . entailment +The Republic of Turkey The Republic of Turkey lies in the Middle East . neutral +Rich farmland , vineyards , and dense forest , with the protective Vosges mountain range on one side and the great Rhine river on the other , combine to make Alsace a nicely self-contained and comfortable region . These diverse local biomes provide the Alsace region with an abundance of natural resources . neutral +well there are all different kinds there There are different kinds there entailment +Walk towards it , then turn left through an arched gate into the mosque precinct , and follow the crowds into the bustling Grand Bazaar . The crowds do not go to the Grand Bazaar anymore . contradictory +I claim my reward . " " And you shall have it . Your reward is huge and you 'll love it . neutral +From Lincoln to Wilson it was 34 , and since Wilson it has been 25 . Before Lincoln to Wilson it was 33 . neutral +Work included obtaining views of organizations representing physicians , hospitals , insurers , and lawyers on perceived problems , actions taken to deal with them , results of these actions , and the need for federal involvement . The work did not include actions taken to deal with the views of organizations . contradictory +My problem is so small , but I have nobody else to ask . My problem is very huge and I know who to ask next . contradictory +The numeral III could be for high-cost areas . The number 3 can be high cost areas entailment +to come in and live with them to come in and live with them They were glad to share their life with the others . neutral +TAX GAP - An estimate of taxes ( including duties ) that are unpaid because of non-compliance with existing laws and regulations . A tax gap is the amount of taxes that are unpaid by corporations . neutral +Rennie 's foster son was now riding inspection between one water-hole fortification and another . Rennie has a foster son . entailment +Notice the 15 chandeliers , 10 candelabra , and 18th-century Chinese porcelain jars along walls hung with Brussels tapestries . The palace had nothing before the 20th century inside . contradictory +Recent testimony to the Congress by Governor Ridge has clarified the Administration 's commitment to these provisions . Recent testimony to the Congress by Governor Ridge has clarified the Administration 's lack of commitment contradictory +More celebrity writers praise President Clinton and bash Kenneth Starr . Celebrities love Clinton and hate Starr . neutral +The Globe reports that both singer Tom Jones and actor Hugh O 'Brian have unacknowledged sons . The Globe is reporting that they have daughters that they are very close with . contradictory +yeah yeah well that 's always a good plan i can 't think of anything else that i 've talked about all the the most most of the ones on the list i checked off stuff like football and and stuff that i can i i would enjoy talking about and i haven 't gotten a one of them yet when i 've called I checked off the list but it didn 't have any stuff like football . contradictory +Practically all the major Champagne labels offer tours ; the Office de Tourisme ( beside the cathedral , at 2 Rue Guil ? ­ laume de Machault ) is the best source of information on hours and prices . The tours are of the up most quality . neutral +Its white marble was brought from the Rajasthani quarries used for building the Taj Mahal . The building material was granite . contradictory +At Taft High School and UCLA , Zucker said , the closest brush with poverty was reading newspaper articles about unscrupulous bosses withholding wages from garment district workers . Zucker knew lots of poor people at UCLA . contradictory +Gramma , the kids at school say that one day , the Academy of Motion Picture Arts and Sciences is going to come to your home and demand the return of the Oscar ( TM ) you won for Ghost , citing the poor quality of your performances in Eddie , The Associate , Boys on the Side and , to be perfectly honest here , Ghost . Is that true ? Gramma won an oscar for her performance in Ghost . entailment +We concluded that A man concluded something neutral +But feelings ? Emotions ? Few of Franklin 's own words had survived free of gross misinterpretation . Franklin 's words stood the test of time and were always accurately represented . contradictory +Three months of hard work . Half a year of easy work . contradictory +Take time to explore number 52 , the Tomb of Nacht , a temple astronomer . Number 52 contains all of Nacht 's instruments for measuring and recording the stars and planets . neutral +ESOPs were invented in the late 1950s , but did not become popular until the 1980s . ESOPs were popular in the 1980s but were actually invented 30 years earlier . entailment +The old gods watch us tonight , thought Jon . Jon thought the old gods were watching us tonight . entailment +Should we load up on that type of mail---give it heftier increases ? Would it be good to make that kind of mail more expensive ? neutral +State justice communities begin to examine how they set priorities given changing demographics ( census ) , new technology , emerging legal needs , commonalties among diverse communities , and severely marginalized client populations living within in our service areas . State justice communities promise new systems to deal with changing demographics . neutral +Oh ! said Tuppence , impressed . Tuppence was not impressed in the slightest . contradictory +well but you know the the strange thing uh perhaps not strange but something that many people don 't realize is that you can go back as far as nineteen fifty one and fifty two and find that there were drug dealers Not everyone realizes that you can go all the way back to 1951 and realize drug dealers existed then . entailment +Explore the story of our planet at Our Dynamic Earth . A wonderful experience is to learn about or world and its history at Our Dynamic Earth . neutral +what was interesting Malaysia is a tropical country just uh two degrees above the equator Malaysia is a tropical country with high humidity and it usually rains about 3 times a year . neutral +yeah the Europeans think that you 're baby is boiling over Europeans don 't think the baby is boiling over . contradictory +Views of Responsible Officials views of employees contradictory +I did not know it . I certainly know it . contradictory +Spectacular cliffs crash hundreds of feet below to the deep blue surf . The sea level it 's the same with the level of the terrain , creating a vast beach . contradictory +Since there was neither a proposed rule nor the receipt of public comments , HCFA has properly invoked the exception found at 5 U.S.C. There are many times when both a proposed rule and public comment will make things go faster . neutral +August 's Puccini Festival in Tuscany 's Torre del Lago is held erratically according to funds available . Available funding determines whether the Puccini Festival is held or not . entailment +oh really yeah oh really yeah we 've had several here lately and it there were several of them in North Dallas and then it started kind of happening a couple of places in South Dallas and that 's maybe what you were talking about men breaking in uh to houses and taking or a man they they think it 's the same person taking uh little girls right straight out of their beds at night an d you know breaking in obviously watching them in the house because they 're breaking into the right window Men have been breaking into houses in Dallas and kidnapping little girls , no one has caught them yet . neutral +But after talking to Medicaid officials in the four states involved , the company concluded that we are not in a position to provide advice to These people , she said . The company said that it was able to give advice to everyone . contradictory +Further north , the British gradually gained the upper hand over their rivals , now including the French , for the Bengali trade that was to create Calcutta . Up North , the British gained the upper hand over their rivals and secured the Bengali trade which would create Calcutta and lead to the spice trade . neutral +Inflation is an overall rise in the price of goods and services . Inflation is the overall decrease in how much things cost . contradictory +right and uh usually i cut those little cherry tomatoes up and put some color into it you know and i 'll lay those on top of my salad you know to make it look nice and things like that I don 't like the color of cherry tomatoes so I don 't put them in my salad . contradictory +um-hum yep that 'd be neat sure would Yeah that would be cool . entailment +Did he do wrong ? Is what he did incorrect ? entailment +The difference , of course , is that instead of rewarding the poor , it rewards the powerful . The poor always loses in things like this . neutral +After his crucifixion , the rather precarious balance of Jewish government under Roman rule turned to revolt in a.d. 66 , when the Zealots took Jerusalem . The Zealots took Jerusalem in a.d. 66 after he was crucified . entailment +yeah i guess that 's about right That is close to correct . neutral +The size of the system , measured in source lines of code as established by the system design , may change as the system is coded . The size of the system may change as the system is coded . entailment +Conservationists collect big licensing fees for dart safaris , and hunters don 't feel guilty . Conservationists get a lot of money for dart safaris and they can do them many times because the animal isn 't killed . neutral +Liberal interest groups and the White House scrambled to find new objections to the larger Among other things , they warned that it threatens legal immigrants with deportation and diminishes their safeguards against job discrimination . The legal immigrants are threatened with deportation and discrimination . entailment +The original certification procedure required submission of a written application , test report and fee ( and a device for testing in some cases ) to the FCC laboratory . Original certification never requires submitting a device for testing . contradictory +In the stream back of the water corral there was a bathing place , and chilly as it was , Drew intended to take advantage of it . In the stream was a cold bathing place that Drew meant to take advantage of . entailment +The largest temple in Egypt , the site extends over 3 sq km ( 1 sq mile ) . The site of the largest temple in Egypt is 3 sq miles . contradictory +yeah a lot of cases daughters getting get real close to their dads too you know and uh In no case in history the daughters have been close to their dads . contradictory +The egg cell was biochemically pre-programmed to commence development , and that , apparently , was enough to jerk the mammary-cell DNA out of its quiescent state . The egg cell caused the mammary cell 's DNA to wake up . entailment +yeah but uh you know you find it 's uh that the uh the interest rates vary so much on those that uh you discover that some of those interest rates are incredibly expensive neutral +but who knows Who know why she said know . neutral +War , Blockades , and Peace Scrimmage , hills and friends . neutral +and so um you know i saw it also as a young student and and it was very foreign in a certain sense although i had grown up in California and so the Spanish was no problem um it was it was you know very lovely and and the people seemed very friendly and and nice i have actually i work with uh a girl from Puerto Rico and i guess i have never thought to ask her which she favors uh I saw it as a young student . entailment +The rosebrick old town ' with its many Renaissance mansions built with the proceeds of the dye , textile , and grain trades ' is best seen on foot . Walking through the old town is an all-day activity . neutral +Competing with Casa do Turista is the new indoor handicraft and tourist market at Eira do Serrado . The market at Eira do Serrado competes with Casa do Turista . entailment +Certain case study applications provide high degrees of generalizability with small numbers of instances . There are case study applications that provide different degrees of generalizability . entailment +but i do watch some uh pro football basketball mostly it 's uh i watch certain players I watch certain football and basketball players because I don 't have time to follow everything . neutral +He straightened , still cursing . He curled up whilst stopping cursing contradictory +As discussed in chapter 1 , financial audits contribute to making governments more accountable for the use of public resources and the delivery of services . There is no information regarding financial audits in chapter 1 . contradictory +As you approach St. Giles Cathedral , the Royal Mile becomes High Street . High street and Royal mile become the same street . entailment +Happily , the memory of the hurricane is starting to fade--though it was rekindled in March when President Clinton came through Central America , scattering relief programs in his wake like victorious GIs tossing chocolate bars to school kids in 1945 . Clinton 's relief efforts stoked memories of the hurricane . entailment +Our profession , the performance and accountability profession , currently faces a crisis of confidence that must be addressed not only for the good of our profession but also for the good of our country and the nation 's capital markets . Our profession has never enjoyed greater trust and confidence . contradictory +The chance is slight , but it must not be neglected . It is only a small chance but we will have to take it . entailment +'Really ? ' Do you mean that ? neutral +4 . Research is needed on referral strategies for more severely impaired , non-responsive patients , to assist them in gaining access to resources already available in their communities . Research is the key idea behind helping those with disabilites neutral +The intricate harmony of the five portals of its facade , and the peculiar grace of its silhouette , make Bourges 's Cathedrale Saint-Etienne one of France 's half-dozen Gothic masterpieces . The Cathedrale Saint-Etienne is located in the Southwest portion of France . neutral +Geniuses slipping into madness also tend to disrobe in public ( I learned this from a volume on chess prodigies , who have a proclivity for disrobing on public buses ) . The chess prodigies never actually slipped into madness though . neutral +There 's a flower ? Is there a flower in the vase ? neutral +you 're right no that 's true that 's funny I think that 's wrong and not really funny . contradictory +um we 've got a couple of portable lap top PCs at the office that i end up bringing one of them home a lot We have 3 laptops at work . neutral +Third , mailers and recipients are demanding on-time delivery of Standard A , and the Postal Service is accommodating these interests . Mailers and recipients want on-time delivery and the postal service said they will make it happen within the year . neutral +As noted in section 2 , the combination of these policy actions and strong economic growth reduced federal government dissaving over the 1990s ( see figure 4.1 ) . Policy actions had an effect on federal government dissaving . entailment +and we ended up with these these like things on the cantaloupe vines that i mean were looked like round big huge round cucumbers The cantaloupes grew very nice on the vines next to the cucumbers . contradictory +After all , the company wants them badly . The company want them very much . entailment +Signatory countries will be prohibited from buying chemicals--those with only residual military use that are not banned--from nonsignatory countries . This ban is intended to be permanent . neutral +North of the city center , Ueno was chosen in 1625 by the Tokugawa Shogun Hidetaka as the site of a vast temple complex . It was chosen in 1625 to be a vase temple complex neutral +But we wouldn 't know about Dowd 's failure to muster a response , or about Lewinsky 's poise and forthrightness , unless Dowd herself had chosen to tell us . Lewinsky was not upfront in her responses to the situation . contradictory +For decades , the Republican Party preached military strength in the face of foreign expansionism . The Democratic Party preached military strength in front of foreign exapansionism . contradictory +but everybody that was real close to the water ended up it was either that or their truck was going to go floating downstream None of the people lived near the water body , and their vehicles were fine . contradictory +This meant shelving the belief that a single , foolproof plan could be implemented once and for all . The foolproof plan was highly feasible and they decided to implement it . contradictory +though i have had a judge fact this very judge friend of mine say that he uh does not like to have people on the jury that are from uh the electronics industry A judge friend of mine told me that he loves to have people from the electronics industry on his juries . contradictory +this has been an interesting topic uh i was one of the i was responsible for all the planning and engineering of the corporate area in the north building yeah It took a long time to construct the project . neutral +There 's an abundance of nature , history , art , and modern culture to be explored and enjoyed . History is the only thing that is lacking in quantity . contradictory +This is especially true given the vast sums DOD is spending and is expected to spend on weapons acquisition- $ 100 billion alone in 2002 and an anticipated $ 700 billion over the next 5 years . Spending will start to reduce in six years ' time . neutral +Hear the songs of Bob Marley booming from a hundred cranked-up car stereos or the chorus of frogs that begin to call as evening descends . Frogs croak in the evening . entailment +This Web site includes a list of Highway 1 's programs and an information center . Highway I 's website is a great place to find various programs and information . neutral +None held the town for more than a year . Demons come and take the town several times a year . neutral +A PEMD report has focused on water the effectiveness of efforts to improve water quality and the reasons for successes and failures . Efforts to improve water quality were the focus of the report . entailment +The Wall Street Journal reports that despite the best efforts of entrepreneurs , the cryonics industry remains lifeless . Some entrepreneurs have been involved in the cryonics industry . entailment +The academy 's lifetime members ' chosen in hotly contested elections ' regularly produce edicts on French terminology and usage ; among words recently declared legal were le ketchup and le hamburger . They refused to declare any more words contradictory +In addition to calculating the physical effects and monetary impacts of the Clear Skies Act , we also estimated the distribution of particulate matter air quality improvements that will be experienced by the US population . Physical effects and monetary impacts of the Clear Skies Act are not calculated . contradictory +finance the retirement and health programs for the elderly as well as increase budget flexibility to pay for other federal programs and activities . Budget flexibility will be increased to pay for federal programs . entailment +Revaluation of capitalized property , plant , and equipment . Capitalized property can 't be revalued . contradictory +Only 23 percent of the roughly 1 million attorneys in America volunteer even one hour of pro-bono service annually , according to the ABA . Majority of lawyers volunteer . contradictory +and they gladly take it but they only take it like for two hours on a Saturday morning you know and it 's it gets to be a pain sometime to go through that but i think it 's still worth it in the long run It may be annoying to take it , but they 're glad they took it . entailment +Won 't you come out to play ? They don 't want to play . contradictory +well i watch um i like news programs like you mentioned and sometimes i will watch um like the cable news network evening news program I sometimes like to watch the evening news . entailment +An accompanying story covers the case of a pharmaceuticals CEO with a long and slimy history of harassing subordinates . An accompanying story covers the case of mysterious disappearing money . contradictory +He funded my return to the pit fights . He wanted to give money to help stop the fights . contradictory +On the fourth side is an artificial lake stretching 8 km ( 5 miles ) to the Rajasthan border , never sufficient , apparently , for the needs of the citadel , and so one of the probable reasons why Akbar did not settle here permanently . Another probable reason that Akbar did not settle there was because of the exceedingly hot temperatures in the summer months . neutral +Nor ' Loch was drained ( creating land for today 's Princes Street Gardens ) , and the Mound was constructed to provide a second , westerly access between the two settlements . Nor Loch got drained entailment +I could have gone to a law firm and I would have made more money - a lot more money , Jones said . Jones would have been better off financially going to a law firm . entailment +OK , bad example . Agreed that this was a bad example . entailment +I was in the town of Orr , and a festival was being held ; a little county fair with epic designs . There was no festival at Orr . contradictory +A serene statue of the Virgin Mary ( 13th century ) stands in the north arm of the transept . Within the transept 's north arm , there is a statue which depicts the Virgin Mary . entailment +The Irish continued to fight , but the semi-independent kingdoms were never able to achieve real cohesion . The Irish fought . entailment +'Natalia ? ' I finally asked . I did not ask her . contradictory +The tranquilizer took a few minutes to take effect . The tranquilizer was administered and registered no response . contradictory +He shot a man in the side . He had shot a man . entailment +The supply curves of workshare services , shown in Figure 4 , are less informative . Figure 12 shows the supply curves of workshare services in a much more informative manner . neutral +Yes , ma 'am . Tuppence was ushered into a room on the right of the long passage . " Yes maam " Tuppence said when he was led into the room . entailment +i guess yeah yeah i guess since Staubach left they haven 't been able to keep it going yeah They are better off now that Staubach left . contradictory +In Malay , orang-utan means forest person an appropriate mark of respect for the mammal biologically closest to man . Orang-Utan is not a respectful name for orangutans . contradictory +The federal government has recognized that mitigating risks to our nation 's critical computer-dependent infrastructures , many of which are privately owned , is a serious challenge requiring coordination and cooperation among federal agencies , public and private-sector entities , and other nations . Federal agencies and other nations are two parties whose cooperation will be required . entailment +A number of defined benefit pension plans lost significant sums as a result of the decline in the value of their holdings in Enron , WorldCom , etc . Worldcom lost about as twice as much value in their holdings than Enron . neutral +The first question you should ask yourself is , Are you man enough for DirecPC 's 400,000-bits-per-second bandwidth ? The DirecPC has a bandwidth of 400,000 bits per second . entailment +Yes , our parents had many of the same sexual traumas we did but , no , we don 't want to hear about them in detail . We would love to hear detailed accounts of our parents ' sexual traumas . contradictory +In other places , she describes events by reprinting reports from Texas newspapers . She reprints news stories from a Dallas , Texas newspaper . neutral +yeah yeah well the the book was just ever so much better The book was not in any way better . contradictory +With a research facility and library dedicated to promoting Nubian traditions such as dance and music , it also displays finds rescued from several archaeological sites that were subsequently flooded by the waters of Lake Nasser in the 1970s . The archaeologists near Lake Nasser lost most of their work when it flooded . neutral +the quivering , skulking embodiment of a single guilty . One guilty person is smiiling .. contradictory +Companies admit that the logos help sales , thanks to the appearance of an endorsement where none exists . A company logo is generally seen as an endorsement . neutral +Conferees believe that programmatic growth rests on a common definition and vision of diversity and earmarking resources so that goals are attained . They did not believe that there was any hope in programmatic growth . contradictory +Excuse me , it said . The dog said excuse me . neutral +yeah uh-huh so you like a a variety sort of easy listening because you you like country but then You like country and other easy listening ? entailment +Keep your car for use on the open road . You should keep the car for the open road . entailment +Your best friend / replacement matron of honor , herself , lives out of state . The person who is your replacement matron of honor doesn 't live in this state . entailment +and uh i i 'm not i 'm not saying that that wouldn 't have happened anyway but it would have been nice if there had been somebody to come around and take care of the little things you know like the like the yard work and little repairs and painting and stuff like that It would be nice if someone would come talk to me while I do the work . contradictory +The Kal clenched his jaw and stared straight ahead . The Kal stared straight ahead while clenching bones in his jaw . neutral +I know that he also strongly favors a reduction in the federal budget deficit , precisely because that represents a rise in so-called national savings . I know he 's proposed a number of extreme plans to reduce the federal budget deficit . neutral +It was a sleep of total exhaustion , lacking even a sense of time . Sleep was driven by an extreme degree of tiredness . entailment +huh i bet that 's right i bet that i bet that is true for down well down here we don 't have that problem of course There are no problems here entailment +This Art-Deco picture palace , originally called The Graumann , was built by the great showman Sid Graumann in 1927 . This Art-Deco picture castle was built by Sid Graumann in 1927 and was originally named after him . entailment +" Lissen , gal , an ' you , too , Teodoro jus ' keep clear of Johnny Shannon when he 's on th ' prod that way . Steer clear of Jonny Shannon . entailment +A gallery in Geneva or Berlin can now sell artwork to someone who never leaves Iowa City . there are galleries in Geneva and Berlin . entailment +Or the ad when the Wagnerian soprano ( G.W. ) The notice of the singer . entailment +I don 't know the first thing about trains , ' White poked aimlessly at the wires , holding random twists of circuitry together . White said he didn 't know anything about trains . entailment +i think i think uh i think that is and and we we got involved really in in two ways uh my oldest daughter i guess when she went uh was in the first grade brought home a note saying uh we 're getting up a soccer team and we 're getting a chance to play soccer We got involved when my daughter was young . entailment +Vast expanses of land are cultivated ; orchards and lush cattle pastures produce the famous strong cider and pungent cheeses . Orchards and pastures cover large areas of farmland . entailment +Since the author has not been able to figure out how much the postal service charges itself for delivery , this notion , while sounding meritorious and politically correct , will not be mentioned again . The postal service delivers mail for free . contradictory +Well , said Julius , " I guess we 'd better make a move out of here any way . " The others fell in with his suggestion . Everyone agreed with Julius because he was the leader . neutral +Today an obelisk in Ibiza 's port honours the daring Corsairs . The daring Corsairs will never be honored in Ibiza . contradictory +Although not applicable to attestation engagements , the AICPA statements on auditing standards may provide useful guidance related to internal control for auditors performing attestation engagements in accordance with GAGAS . There is a freedom that the auditors can take when it comes to attestations of engagement . contradictory +Paltrow , as ever , is inhumanly gorgeous , like some Close Encounters of the Third Kind creature , with that elongated neck and those stringy limbs , that big face with its faintly mocking beatitude . This is because she is actually half alien . neutral +and now they tell you what to teach and how long and you know what day They have no guidelines for teaching . contradictory +The Cinematheque , Hebron Avenue.02-672 4131 ) , is the best venue for film buffs . The Cinematheque houses a state-of-the-art cinema and a theatrical museum . neutral +She caught him vanishing out the kitchen door and there was the bowl of chopped meat just about empty and she was going to use it for lunch . The bowl of chopped meat was nearly full just before dinner time . contradictory +I was tempted to misquote Mae God has nothing to do with it , honey . Go influences everything . contradictory +Some of the buildings date from the 16th century , but it is also lined with buildings of almost every era , including numerous 17th- and 18th-century tenements called lands , sometimes 13 stories high . The tenements known as lands still house many tenants today . neutral +um-hum well i think we 've probably yes , well , i have very good reasons to believe neutral +Which brings me to the to be sure paragraph , as they call it in our trade . They are known for being wordy . neutral +In 1990 , the University of Missouri School of Journalism released a list of words for journalists to avoid , including such terms as gorgeous , lazy , sweetie , and fried chicken . A list of words , one of which being fried chicken , was discouraged for use by journalists at the University of Missouri . entailment +uh i 've got a uh a Bombay a Turkish Van and a Himalayan Persian I got my Bombay three years ago as a gift . neutral +well i have uh we 've got an American Express which we got that on purpose so we could pay that off every month that way we we know our limit We don 't like American Express , so we have never had a card with it . contradictory +yeah i had fun rooting against them it was I had a good time not cheering for them entailment +At the same time , there is widespread appreciation that even weather experts have their limits , which empowers people to treat experts as mortals rather than as gods . People expect weather people to be right ever time . contradictory +The Jamaica Trades Union Congress and the National Workers Union allied themselves to the People 's National Party ( PNP ) , led by Norman Manley in opposition to Bustamante . The only allies of the People 's National Party were union groups . neutral +This synagogue 's construction was begun by members of Jerusalem 's Ashkenazi community ( Jews of central and eastern European ancestry ) around 1700 . The Ashkenazi were the people solely responsible for the construction of the synagogue . entailment +well that kind of caught me by surprise it 's kind i think i think that they have changed drastically i mean i think about people like my mother who you know gave up their careers and stayed home to raise kids and um you know played a really subservient role in the family and i just don 't see that anymore at all There is no change in career choices among people . contradictory +their durability is a lot better i understand than most other vans This car is brittle and breaks easily . contradictory +He 'd been listening outside the door of the flat , but couldn 't hear anything . He heard everything while standing outside the apartment door . contradictory +Note , however , that the exchange does not go the other way . The trade does not swing the other way . entailment +However , an unqualified audit opinion by itself does not ensure that the information needed to measure and manage performance is useful , relevant , timely , or reliable . The information needed to measure and manage performance is worthless , irrelevant and a waste of time . contradictory +uh The Ninja is of course The Ninja and the Michael are you know one and two of the volumes and then he went off and wrote uh The Gem Zero and The French Kiss and several others and The White Ninja has just hit paperback i understand He wrote the White Ninja and other titles including The French Kiss . entailment +He 's got plenty of name recognition . He is a famous actor . neutral +As Ca 'daan turned , he saw the man draw a sharp knife from his leg wrappings , cut a pouch and belt from the man at his feet , and quietly ran the blade across the man 's throat under his leather neck guard . Ca 'daan looked at the man that had a nine-inch knife . neutral +Buddha 's own life explains his teachings , but the truth is buried in both legend and historical fact . It is difficult to discern legend from fact . neutral +World Report , Time , Newsweek , Slate , and The New Yorker , said he wouldn 't mind the criticism a bit . Many sources reported he wouldn 't mind the criticism . entailment +but you know if a lot of people flat can 't afford to you know that and most kids these days have gotten themselves into um financial situations where they have to be working all the time A lot of people can 't afford that , not to mention those kids who are forced to work all the time . entailment +Minorities to be cruelly caricatured in Star Episode II .-- Ted Barlow Minorities will be negatively featured in Star Episode II . entailment +It drives me nuts when people just decide to do whatever they want , said Judge Thornton , who is experienced in the state 's thick domestic abuse docket , which produces close to 30,000 emergency protective orders a year . They product only 30 protective orders a year . contradictory +Later , I thought the subject required more analysis . I was done analyzing the subject and decided to play basketball later . contradictory +The 17th-century palazzi make an exquisite setting for your late afternoon passeggiata along the arcades of shops and cafe , culminating in the graceful symmetry of two Baroque churches , Juvarra 's Santa Cristina and its twin , San Carlo . All the shops and cafes are together near churches . neutral +The man gives good movie . The man gives a horrible movie . contradictory +We interviewed various officials , including chief financial officers , chief information officers , business unit executives , state executive and legislative branch officials , treasurers , controllers , internal auditors , agency administrators , and human resource specialists . We had hoped to interview officials in at least seven different fields of work , and succeeded . neutral +Well , Anse broke that short pause , " Pa shot him one big buck as was ridin ' straight into th ' Ranger line , wantin ' to count one o ' them coups by whangin ' some white man personal with his lance , or some such foolishness . Anse is telling a story about his father . entailment +it probably changed my political views it changed my understanding of the world around me It made me think about things more . neutral +The Serra Chapel is the oldest building still in use in Caleornia , and the only remaining chapel where Father Junipero Serra , founder of the mission chain , celebrated Mass . The Serra Chapel was built last year as a tourist attraction . contradictory +But the quintet 's foray into electric jazz was a natural extension of Miles ' studio experimentation , and of his voracious search for new colors and textures . Electric jazz was an aspect of Mike 's studio experimentation . entailment +The new details in This Wild Darkness make explicit the sexual abuses of his adoptive father . The new details of This Wild Darkness explicitly state the sexual abuses of his father . entailment +Housed in a 16th-century monastery , the Archaeological Museum ( Piazza Olivella ) displays superb statues and sculpted metope ( friezes ) from Sicily 's various archaeological sites , highlighted by those from the Greek temples of Selinunte ( 600 500 b.c. ) , on Sicily 's south coast . There you 'll find the legendary Golden Pearl retrieved from a nearby Greek temple . neutral +Since the program started in 2000 , more than 6,000 people have used the free system , located in public buildings throughout Orange County . The program was started in 2000 . entailment +The coffered Renaissance ceiling glitters with the gold of the first shipments from the New World . The ceilings feature gold shipped back from the New World . entailment +The Byzantine Empire had powerful and well-fortified cities , but the countryside and the outlying islands were ravaged by waves of invaders . There was a large wall protecting the entirety of the Byzantine Empire . contradictory +Or perhaps silk stockings ! Rubber stockings . contradictory +Therefore , the 53,000 MWe of FGD retrofits projected to be built by 2010 for Clear Skies and current requirements remains the same under both scenarios . The projection for 2010 FGD retrofits is a low estimation and capacity is likely to me much higher . neutral +From the Alps down to the southern tip of Sicily , Italy provides the most tangible proof that the world is indeed a wonderous stage . The Alps are entirely within Italy . neutral +1 the autonomous county office will be replaced by a new agency whose administrators will report to a director based in Jersey City . The county office will be replaced by a new organization that will focus on pro-bono work . neutral +Aside from the large U.S. budgetary commitment to the treaty 's enforcement--some $ 25 million a year--U.S. There has been no commitment of U.S. funds for treaty enforcement . contradictory +yeah well what they did is just they came in and just cut the glass out of the frame and put more glass in They just came in , cut the glass out of the frame and put more glass in so it now looks the same neutral +The hollyhock decorates a big red oxcart , accompanied from the Imperial Gosho Palace by 300 Kyoto citizens dressed in splendid Heian-period costumes . Kyoto citizens watched a ceremony on tv but didn 't want to participate . contradictory +yeah uh yeah for ones that you want to see again or you know ones that you really weren 't sure if you wanted to see or not you know Only for ones you have not seen yet . contradictory +That leaves rural renters in mobile home parks , apartments and houses with few places to turn when they encounter problems , said Robert Simmons of the Iowa Coalition for Housing and the Homeless . Access to resources in urban areas prevents similar problems . neutral +we do that too we have a uh a treadmill and uh a bicycle and that kind of stuff we try to get twenty minutes like at least three for four times a week you know yeah and we like movies We own equipment like a treadmill and bicycle and try to use them at least three or four times every week . entailment +Time identifies a new racial bilingual education . Time sees a new racial bilingual education , but nobody else agrees with that . neutral +Mafia boss Sam Giancana allegedly canceled the hit after hearing a Sinatra album . Giancana cancelled the hit after hearing " My Way . " neutral +Subscribers may choose any or all of the following e-mail Subscribers may choose all of the following e-mail if they want . entailment +oh i think it is i really think i think um people you should i you know the kids today i teach i spend a lot of my time teaching college students A great deal of my time is spent with college students . entailment +What of the stream ? asked Jon . Jon didn 't say a single word . contradictory +Headlines are supposed to emphasize the positive . People are more drawn to headlines that are positive . neutral +It was a full page ad , too . That ad was full page , so they must have payed a lot of money . neutral +A tear ran down his cheek as he stood there . He kept his composure as he stood . contradictory +Think about that for a while . He was still frowning . He wasn 't happy . entailment +You have to watch closely as the privatizers describe their schemes . It is easy to miss details when the privatizer is talking . neutral +To the extent the Republicans have held their fire , they have left Clinton alone in the arena to absorb the media 's scrutiny , mockery , and incredulity . Clinton was backed by Republicans in the face of the media the whole time . contradictory +What remains for most people the ultimate monument was a resounding success right from the start . Remaining for some people the ultimate testament of time was a great failure since the very start . contradictory +Investors generally try to achieve some balance in the allocation of their portfolios , and U.S. assets already represent a significant share of foreign portfolios . The U.S assets only represent a small share of foreign portfolios . contradictory +The fortress above dates from Byzantine times . The fortress is over four hundred years old . neutral +The REIMS II countries are all industrial countries , so the distribution is likely a reasonable approximation for mail received by the U.S. REIMS II countries all participate in industrial economic actions . entailment +maybe again maybe again . neutral +many years ago and uh uh it it it 's gotten to the point now i think where the uh secretaries are are finding other jobs to do because you know the typing and to some extent the filing is just not there anymore Secretaries have been leaving their jobs . neutral +And knowing that , you 'd still fight against repairing the sky ? " Hatching is probably always horrible from inside the shell , " Bork answered . Bork said that being born is an unpleasant experience . entailment +The brinquinho is Madeira 's answer to the tambourine , in which miniature cymbals are clanged together by costumed dolls dancing round a maypole . A brinquinho is a much more elaborate instrument than a tambourine , and is also much more expensive . neutral +Daschle 's bill was a sham , designed to draw support away from Sen. Daschle 's bill was designed to draw support away from Sen. entailment +as soon as i as soon as i can find me an ankle a good uh a good ankle brace i 'm going to start playing some racquetball again but i 'm not going out there with an unsupported ankle anymore I will never play racquetball again . contradictory +The article leaves the impression that Huffington is quite confused and a bit dull . The article leaves the impression , that Huffington is not confused or dull in the least . contradictory +and things like that those are not those are not even expensive i mean you can pick up very nice ones for eight nine dollars I hate those and they 're super expensive ! contradictory +Other , softer types of rope were simply dream-made for the sort of managerial snob like this director of a paralyzed international airport . Softer types of rope were dream made by a good person . neutral +i 'm just going to get the little baby shrubs the little baby ones you know take several years to grow there um I am going to get some new shrubs . entailment +It has been architected , that is , to be different from the principle of non-discrimination in the original Net . It is not the same as the principle of non-discrimination . entailment +Here you will find two of the most important galleries in the city , housed in classical buildings designed by Playfair . Playfair designed buildings that now hold two of the most important galleries in the city . entailment +And , giving away revenue has an effect . Revenue giveaways have zero effects on the universe . contradictory +well it and oh absolutely preapproved that 's their favorite word Preapproved is their favorite word , absolutely . entailment +If there 's a commodity in short supply here , it 's relaxation . It 's difficult to find places to relax here . neutral +In 1992 , the paper delayed its expose of masher Sen. The paper printed the expose right away . contradictory +He walked about my apartment like the king of a very small castle . He walked around my home like he was the king of a small castle . entailment +uh-huh um you know there 's real no no no real dress code where i work um you see people wearing you know all different attire i um don 't like to wear heels that really tires me out i work in a big building There is a dresscode that i follow every day contradictory +Any difference between the book value loss ( or gain ) and the cost of modification is recognized as a gain or loss . If the difference is a negative , it is recognized as a loss . neutral +right it shows stability but um now i also thought uh i i get calls i 'm a housewife so i 'm home a lot in the day I 'm a housewife so I spend a lot of time home entailment +The young man will probably have to be a little more explicit than just mentioning the Great Kate 's name , however , because her style of dressing is most associated with slax and turtlenecks . She has been wearing turtlenecks for about five years . neutral +There are useful aggregations of political sites available at places like About.com , where you can get guidance on every issue from animal rights to women 's liberation . Some sites give you guidance on any topic . entailment +She is seized with panic , and under its influence she hurries downstairs , and quickly drops the coffee-cup and saucer used by Mademoiselle Cynthia into a large brass vase , where it is discovered later by Monsieur Lawrence . Monsieur Lawrence never discovered the coffee cup or saucer . contradictory +People still come to take the waters ' the moss-covered fountain in the middle of the Cours Mirabeau spurts water with a natural heat of 34 ? ? C ( 93 . People often come to the moss-covered fountain because of the water 's natural heat . entailment +He slept most of the time , as if not daring to use his little strength even to think . Most of his time was spent sleeping . entailment +Kenneth Starr and his deputies interrogated Hillary Clinton for several hours at the White House . Starr interrogated Clinton . entailment +Table 3.5 illustrates such a difference . Table 3.5 shows that difference . entailment +If only some had survived , the ship might have been repaired . " The ship may have been repaired if there had been survivors . entailment +from the day care There is no clue as to where it is from . contradictory +No. 151 " Is it not a fact that , at the time you claim to have been waiting about at a solitary and unfrequented spot , you were really in the chemist 's shop in Styles St. Mary , where you purchased strychnine in the name of Alfred Inglethorp ? " Did you not use a fake name to purchase strychnine ? neutral +High in the hills 27 km ( 17 miles ) south of Montego Bay is Belvedere Estate . There are tours of Belvedere Estate that start in Montego Bay . neutral +Then the crank stuck , and there was a whirring of slipping gears ! Next , the crank stuck and the gears made a whirling sound . entailment +I asked for their names . I already knew their names . contradictory +In light of their apparent workability in several Commission proceedings and their continuing usefulness for affording procedural flexibility to the The Commission proceedings gave the appearance of workability . entailment +You can imagine how grandiose the original plan must have been when you realize that Moses was supposed to be one of 40 figures adorning the tomb . The original plan was quite compact and threadbare , proposing just 10 figures on the tomb . contradictory +It 's pitiful magic that can be worked without regard to the conjunctions of the planets ; but it is all the magic that is left to us . The only type of magic we can do relies on the interactions of the stars and planets . contradictory +The final rule discusses and summarizes the comments submitted and the response to them in promulgating the final rule . There is only one rule allocated to discussion and summary of received comments . neutral +Does that sound anything like the challenge posed by electronic media ? The challenges that electronic media posed were solved by including more sources for their articles . neutral +Napoleon defeated the Prussian army in several key battles and established a semi-independent Duchy of Warsaw from 1807 to 1815 . Semi-independent Duchy of Warsaw was established in 1819 by Louis de Fines . contradictory +really good piece of work and then you when you hear the cover it 's like you know God you know what what are they doing to this oh i think i think a good one was um there was a Peter Frampton song I really liked the original song too . neutral +Along the park boundary and especially at Sauraha near park headquarters , dozens of lodges and inexpensive guest houses cater to budget-minded tourists . It is illegal to set up a house for tourists near the park boundary . contradictory +A triumph of Christianity over paganism , the Corinthian-columned church of Santa Maria sopra Minerva was built on the site of a Roman temple under Augustus . The Roman temple under Augustus was built as a war offering . neutral +I 'm still at Stage One . ' I finished . contradictory +Well , the Food Stamp program has long been capped--supposedly--yet Congress has never failed to provide extra funds when governors needed them . Congress provides the necessary funding when extra money is needed for the Food Stamp program . entailment +The auditor will be trying to determine whether a project will result in a specified product or level of performance and will be delivered at a specified time and cost . The auditors results will determine whether the project meets its goals . entailment +um yeah they 're they 're convenient you know that 's that 's a You already know that they 're convenient . neutral +Ice cream , fruit , cheese , or flan ( crame caramel ) are the most popular desserts . The most popular desserts include ice cream , fruit , cheese , and flan . entailment +you know two liter SI with the the sun roof and the moon roof and i i bought it loaded The car I got has a sun roof and is really nice . entailment +Otherwise , follow the canal along the pretty country road ( route S 11 ) to Padua ( Padova ) . The canal does not go as far as Padua . contradictory +Also , small railroads are exempt from the Tier 0 remanufacturing requirements for their existing fleets and the railroad inuse test program included in the rule only applies to Class I freight railroads , thus exempting all small railroads from the requirement . The requirement of Tier 0 remanufacturing is waived for all small railroads . entailment +The excursions to be made today into the Lazio hinterland around Rome are those that ancient Romans themselves made to vacation homes by the sea or nearby lakes . Romans preferred to live in the Lazio hinterland , much like many today . neutral +What is the matter ? Things look great , don 't they ? contradictory +The site , near the village of Hesarlek , is marked by a large modern replica of the famed wooden horse . There is a wooden horse near Hesarlek . entailment +He tossed the book aside , shivering as he realized that his secret name was common knowledge . He realized everyone knew his name . entailment +In many isolated regions , meanwhile , last-ditch defences in the form of round stone towers were built , a few of which are still inhabited today . In many isolated regions the remains of the soldiers were also found in the round stone towers . neutral +In the end , we all need to be more responsible for our actions and inactions . We don 't need to be responsible for our actions . contradictory +However , the issue of the federal ownership of nonfederal assets is controversial . The issue of the federal ownership of non-federal assets is hard . neutral +interested parties to a common objective and integrate their knowledge , Interested people pool their knowledge to achieve a common goal . entailment +yeah that uh i kind of gave up on them After that , I decided to completely give up on them . neutral +The nearby St. John 's Church , Caletta 's first cathedral , is an Indian version of London 's St. Martin-in-the-Fields ; look in the south aisle for John Zoffany 's amusing painting of The Last Supper . St. John 's Church is the only Catholic church in this region of India . neutral +Deal ? ' I want no exchanges with you . ' contradictory +A year later , in June 1840 , came the British retaliation , beginning the first of the so-called Opium Wars . The British were the cause of the Opium Wars . neutral +Anything , she concluded as long as I am not a Washington journalist in the era of Clinton and Gingrich and Starr , covering this horrible grudge match between the right and the left that has been building since Watergate . She thought anything would be better then having to cover the grudge match . neutral +The rule provides the main regulatory framework for the National Low Emission Vehicle program and creates the means whereby automobile and light-duty truck manufacturers can volunteer to comply with tailpipe standards that are more strict than EPA can mandate at this time . Automobile and light-duty truck manufacturers are required to comply with strict tailpipe standards . contradictory +In the house is the Beit Collection of paintings ( shared with the National Gallery ) ; it includes celebrated works by Gainsborough , Goya , Guardi , Hals , Reynolds , Rubens , Velasquez , Vermeer , and others , and a series of eight paintings by Murillo depicting the story of the prodigal son . The twenty paintings in the Beit collection is on display . neutral +As to why I 'm here-- " She dropped her eyes , frowning , while a touch of added color reached her cheeks . She frowned , blushed , and refused to say any more . neutral +Ca 'daan rode hard , too hard , along the trail north to Fena Dim . Ca 'daan was leaving Fena Dim . contradictory +By 1991 , that figure had plummeted to 61 . The figure of homeless people dropped to 61 today . neutral +Who is this person ? I know who that it . contradictory +Should we just muster our courage and invite them over , or should we invite them for dinner / drinks at a restaurant ? Do we invite them over or should we go out and eat ? entailment +yep that 's all good-bye okay bye that 's all i can say , goodbye neutral +someone won 't like it for some reason or some of them will say vote it down and it just goes but Everybody loves it for the right reason . contradictory +Jane picked it up . Jane left it on the ground . contradictory +As curator of the exhibition , Krens lays on this technical specification as a defense against the charge of unseriousness . Curator Krens uses technical specifications when accused of not taking things seriously . entailment +He 's a fatalist . He has been a fatalist his entire life . neutral +investments that return business value in excess of costs ) and whether they are investing in technology the right way . The question of whether technology is being invested in correctly is also a concern . entailment +You will find pretty tins of both types of biscuits for sale in the city , often decorated with city or highland scenes . Both types of biscuits can be found in tins for sale in the city . entailment +This precisely echoes Justice Lewis Powell 's famous explanation of permissible affirmative action in the 1978 Bakke He respected the judge and his decisions back then . neutral +yeah it 's an interesting idea but i think we do agree and at least i 'm i 'm i don 't think i would vote for it if it came down to that I fully support this exceptional idea and will vote for it . contradictory +The result can be a quality suit at a fair price but made-to-measure clothing is not cheap . Personally fitted suits are not cheap . entailment +Veronica 's Closet ( NBC ; Thursdays , 9 : 30 p.m. ) . Veronica 's Closet is not on NBC . contradictory +" We have , " Drew corrected . No we do not stated Drew . contradictory +Ef it ain 't John Ericson ! It is confused with John Erickson . neutral +well those things must take up a huge amount of space in landfills Landfills will be packed with those things . neutral +Acrosethe road , the John Anson Ford Amphitheater is the historic setting for Shakespeare plays and for summer music and cabaret . The John Anson Ford Amphitheater is brand new and very modern . contradictory +Soho , along with the Lan Kwai Fong area , is popular with chuppies ( Hong Kong yuppies ) and has a lively bar scene . Soho and the Lan Kwai Fong area are the places to go for the young professional . neutral +8 million annually and therefore the rule is subject to the requirements of the Act . At 8 million annually the rule is exempt from the requirements of the Act . contradictory +From the shelter of the doorway he watched him go up the steps of a particularly evil-looking house and rap sharply , with a peculiar rhythm , on the door . He walked up the steps of an evil-looking house and knocked on the door . entailment +Spain again became a battleground in the early 1800s , with British forces taking on Napoleon 's troops in the Peninsular War . The Peninsular War took place in France , in the late 1800 's . contradictory +Adrin fired shot after shot into the riders . Adrin stood by and did nothing while the riders passed by . contradictory +I 'll have to say SOMETHING he 's so American and thorough , he 'll insist upon having a reason . The speaker considers Americans to be thorough and insistent . entailment +Another point , how did you know that the key of the despatch-case had been lost ? How did you know they 'd found it ? contradictory +I 've got to stop her . I have to stop her as soon as possible . neutral +It 's got an Elizabethan flavour about it makes one think of galleons and doubloons . It has no flavour at all . contradictory +i workout with that uh ESPN ESPN is what I exercise with . entailment +Newcomers will have an embarrassment of destinations to choose from . There are many destinations to choose from for newcomers . entailment +Three months later , during the next poultry convention , Cezary Pytlasinski showed off a new model of a DVDB player with a built-in home theatre system and a portable game room , yet fitting into a side pocket of one of the loose combat pants with big side pockets on a rack . The poultry convention was the largest gathering in the country . neutral +Enid Trucios-Haynes is an Associate Professor at the Louis D. Brandeis School of Law at the University of Louisville , where her main areas of academic interest are immigration law and administrative law . She is very accomplished in her field and an expert at immigration law . neutral +In the grounds of the Pamukkale Motel you can bathe in the Sacred Pool , where the therapeutic , restorative spring waters will float you above a picturesque jumble of broken columns and Corinthian capitals . Restorative spring waters will float you above the broken columns as well as many intact columns . neutral +Imagine her feelings when her mother-in-law is suddenly taken ill and dies , and immediately after she hears the word ' Poison ' ! She never found out that her mother-in-law had died . contradictory +On the way you 'll see the first of the huge Nabatean tombs and the remains of Roman pavements . As you go , you 'll come across the first Nabatean tomb . entailment +I 've heard you found the sky material could be melted , and we 've got enough of that where it struck the camp . We know where more can be found , as well . neutral +The ability of the Postal Inspection Service , or similar replacement agency , to control mail fraud would be Mail fraud mostly involves the mailing of forged checks . neutral +No Gods , said the horror in front of them . They didn 't think God would allow so many murders . neutral +Nat Hentoff , civil liberties columnist for the Village Voice , called the network a ' ' seminal force for justice , equal and practical . The network helps the community with equality . neutral +He 'd unhooked one the first day that 's what made me hesitate to trust him . " She paused . When he unhooked one his very first day , the horse ran off . neutral +yeah well that makes a really big difference but but still it 's just as hard as having that but well he can your cousin could have a baseball team with twelve kids Your cousin has a lot of kids . entailment +Rugs of cougar and wolf skin were scattered on the beaten earth of the floor . On the floor were oriental rugs . contradictory +From here to Trois-Riviyres is one of the loveliest drives in the FWI . It is one of the loveliest drives in the FWI neutral +( And yes , we 'd like one , hypocrites that we are , thank you very much . ) We are in need of supplies and clothing and realize our faults . neutral +GAO , headed by the Comptroller General , is a principal means by which the legislative branch conducts oversight of executive programs and activities . The Comptroller General also provides his guidance for compliance to newly implemented standards . neutral +Many areas of poverty law are highly specialized . Poverty law is a very generalized field . contradictory +its uh building uh contractor or building supplies place Its certainly a maid cafe . contradictory +Opposite the Sha Tin railway station , New Town Plaza features shops , cinemas , and even a computer-controlled musical fountain . There are stores , pizzas , a fountain and cinemas at the New Town Plaza . entailment +The art scene is flourishing in Puerto Rico . There are hundreds of galleries in San Juan . neutral +We have a new awareness of how limiting and unfair the cult of fair hair can be . There is no limiting and unfairness in the cult of fair hair . contradictory +yeah but she 'll accept another cat eventually as long as you make her feel um like she 's still loved and everything so I don 't think getting another cat is a good idea contradictory +First , the publication took the position that the e-mail pitch mistakenly went out under the guise of a Red Eye editorial product , when in fact it was a paid political advertisement . The email was a very sneaky political advertisement according to the publication . neutral +You 're getting it , said Jon . Jon said the person would get it right now . neutral +But even though Suharto has been defeated , the real battle lines between economic and political liberalization are just now being drawn . Suharto has not been defeated . contradictory +The WJC placed the Ruddy story on its Foster Scoops page . The WJC placed the Ruddy story on its Foster Scoops page because it was unique to them . neutral +The individuals and organizations with whom we spoke did not identify any potentially beneficial ITbased public participation applications that had not been adopted by at least one of the regulatory agencies that we examined . There were plenty of unused IT-based public participation applications that were potentially beneficial identified by organizations . contradictory +um-hum so is it uh are we doing lethal injection now Is lethal injection happening now or in the future ? neutral +Using surpluses to reduce debt held by the public results in lower interest costs today , all other things being equal , and a lower debt burden for future generations . Using surpluses to reduce debt held by the public reduces interest and increases well-being . neutral +that 's good i heard that yeah yeah That is great , I caught that with my ear . entailment +The Federal Chief Information Fourth Annual Top Ten Challenges Survey , Association for Federal Information Resources Management , December 1999 . The survey polled the opinions of federal employees . neutral +Thorn had removed his shirt and for the first time Ca 'daan began to understand this creature . Ca 'daan thought Thorn was a wimp . contradictory +'The rear carriages , ' White said , unnecessarily . White mentioned the front carriages and not the rear . contradictory +Approximately 70 participants examined the practicalities of mergers and consolidations The participants were randomly selected neutral +" A book ! " Muller 's craggy features mirrored astonishment . Muller rarely ever felt astonishment , but he liked to mirror such feelings . neutral +oh the worst kind yeah yeah Oh the worst kind of movie . neutral +PSC is a nonprofit , nonpartisan public service organization committed to helping the federal government improve its efficiency , management , and productivity . The federal government is running smoothly enough that PSC has decided to end its ongoing mission . contradictory +we were switching from one station to another and in between keeping the radio on We were flipping through the radio stations while it was turned on . entailment +And , in the long term , when there is nothing left to cut , the only way to increase profits is to increase sales . The sales must be increased if profit is to increase . entailment +She relaxed and breathed deep . She took a deep breath . entailment +Do you young people want lights , or do you enjoy the twilight ? she asked . She was curious about young people neutral +King Prithvi Narayan Shah had difficulty conquering Kirtipur , whose site atop a ridge with two high points made it virtually impregnable . The king had had little difficulty in overcoming Kirtipur 's defenses . contradictory +No , Dave Hanson , we don 't know what happens next--but we do know that we must go through with it . No , we 're not sure what will happen , but we have to see it through to the end . entailment +Nye walked over to look at the display of reading matter , his interest plainly aroused . Nye likes to read and it is one of his hobbies . neutral +Yes , said Sir James . Sir James nodded while verbally agreeing . neutral +In addition to its responsibility to oversee management , the board also has a responsibility to shareholders and other stakeholders of the company , such as employees , creditors , and the public . The board was responsibility to shareholders and stakeholders in the company as well as management . entailment +“ You are his nephew ? " Anse was quick to the rescue . Anse didn 't know what to say and stayed quiet . contradictory +News , with a news you can use education cover package . You can use education cover package with news . entailment +Across the country , immigrant groups , faith-based institutions , and bootstrap mayors are reinvigorating cities . No cities are getting invigorated in the country . contradictory +Caravaggio admirers will find some of his greatest masterpieces right in the the St. Matthew trilogy in the fine Baroque church of San Luigi dei Francesi , and the moving Madonna of the Pilgrims in the Renaissance church of Sant 'Agostino . There are no works by Caravaggio housed inside the San Luigi dei Francesi church . contradictory +that was even harder actually because it was you know it was just a change of It was harder emotionally than mentally . neutral +most the time oh man but in Dallas you don 't even know who 's in in administration there 's so many of them Dallas has a lot of people in administration because that 's where headquarters is based neutral +The enormous Palladian house regrettably was destroyed by fire in 1974 . The house had almost 30,000 square feet . neutral +yeah yeah right where do you Yes , where do you ... entailment +Internal control plays a significant role in helping managers achieve those goals . Managers may reach their goals with internal controls . entailment +I thank you for what you have done , she told Jon . She was grateful that Jon had saved her . neutral +Then Mr. White 's voice froze my heart . Mr. White and I are close friends . contradictory +Based on GAO 's work , SSA is expanding its use of online data to better verify financial information about recipients and prevent future overpayments . The SSA is not able to use online data due to security breaches . contradictory +LSC has made significant progress in this effort and continues to assist recipients in improving the quality of legal services nationwide . LSC made a lot of progress . entailment +Regardless of the timing of recording T and A data , management must have in place a system of control techniques that gives reasonable assurance that the recorded information reflects time worked , leave taken , or other absences . There is no need for a system of control techniques because the existing practices are always accurate . contradictory +well it 's a possibility It will never happen . contradictory +The Israelis ' own sporting passions are basketball and football ( soccer ) . Israeli 's are usually big fans of basketball and soccer . entailment +But then Moses bumps into his real sister , Miriam , and brother , Aaron , and learns the truth about his origins . Moses found out his origins from a scroll in the desert . contradictory +More than that , the comparison also gets at what may be the most interesting thing about Las Vegas , namely that it 's the economic equivalent of an exporting powerhouse . The comparison was made because of societal reasons contradictory +There are , however , advantages to not being heavy hitters inside the Beltway . There are no advantages to refraining from being a heavy hitter inside the Beltway . contradictory +Still , there are plenty of bargains to be found . There are lots of bargains offered in the big department stores . neutral +Employees we met with appeared committed to working toward the goals of their agencies and to providing high quality service . Employees we met with appeared to really care about their jobs . neutral +It is also the hub for bus routes around the city . The city is very large and most people ride the bus to get to their desired location . neutral +Hunting , with horse and hounds , the smallest boy in the fourth form . They hunted the smallest boy in fourth form with horses and hounds . entailment +A garden ( not always open to the public ) connects the Hotel de Soubise with its twin , the Hotel de Rohan , on Rue Vieille-du-Temple . Both hotels were constructed at the same time , but the garden was added later . neutral +" Better get Doc Matthews . Whatever you do , do not go get Doc Mathews . contradictory +Kendal was the first town in the area to receive a Market Charter in 1189 , which ensured its commercial proserity . The commercial prosperity of Kendal was assured in the 12th century after it received a Market Charter . entailment +History wants movements , tendencies , collective motion ; Stauffenberg is merely Stauffenbergian . Stauffenberg looks at history in a different way . neutral +Judy Woodruff had a compromise . Judy Woodruff compromised on what questions she would ask . neutral +Through a slit between two fingers , he watched the ponderous descent . He could not look at what was happening . contradictory +FASAB staff will examine , as appropriate , applicable literature and consult with knowledgeable persons and draft an Interpretation of Federal Financial Accounting Standards . FASAB staff will spend around 12 months on this task . neutral +Four former Passaic Legal Aid lawyers , who requested anonymity , confirm that those problems drove them and others to leave the program . There are a lot of problems within the program . neutral +But it is a shame , in an age of blockbuster publishing , that Lukas ' editors either did not or could not prevail upon him to lighten up , on himself and on his audience . Lukas produced a light-hearted thriller everyone agreed was a fun read . contradictory +alrighty um well i uh have have a four year old who will just be entering public school next year so i 'm really just starting to get involved in uh in what 's out there and how they do things um as as far as the system as a whole i really don 't see a a problem with it i do see a problem with graduating people that that can 't read and are not you know productive in society or productive to themselves and uh i think that 's the main problem at this point how about yourself I don 't care about the state of our schools . contradictory +eventually the at the hospital they said no to the doctor and they found out it wasn 't even his electrocardiogram that there was some other patient you know by the time he 'd been sent back to the nursing home and After the hospital visit , he went back to the nursing home . entailment +To the right the walls are carved with scenes from the life of Queen Hatshepsut including her divine birth where her mother is shown being attended by Heket , the frog-headed midwife god , watched over by Amun himself . There are carvings on both the right and the left walls . neutral +That 's all . Nothing more . entailment +Like its football cousin , baseball depends heavily on television money . But MLB complains that it 's not getting enough . Baseball doesn 't get any money from networks . contradictory +Maintainability The ease with which maintenance of a functional unit can be performed in accordance with prescribed requirements . It is very hard to maintain functional units since there are no guidelines . contradictory +You don 't know where he is ? she asked faintly . She is thrilled that they don 't know where he is . contradictory +The victorious Minamoto clan chose Kamakura as its headquarters because this fishing village girded on three sides by steep wooded hills was a natural fortress . Kamakura was chosen for headquarters , not only because it is a natural fortress , but also because the Minamoto clan loved the beautiful sights . neutral +Built in the third century a.d. they played host to the highly ranked of Roman Alexandria who would come to the baths to relax and exchange news while enjoying a soak or a massage . The baths were only for men . neutral +Malcontents and loners . Rebels and introverts . entailment +I 'll tell them I screwed up . I 'll let them know I made a mistake . entailment +But if you are here simply to have fun , you might not even notice . If you are focused on enjoying yourself , you won 't even notice . entailment +11 Participants identified the need for better communication and sharing of information between federal entities such as the SEC and the new PCAOB and the state licensing and regulating entities . They wanted the federal agencies to provide more communication . entailment +Rottweiler owners want beasts that protect . Beasts that protect are what Rottweiler owners want . entailment +This could indeed lead to a slump--but need not if the management were alert and responded by simply issuing more coupons . If the management issued more coupons we could avoid this slump . entailment +I don 't remember , sir . I am unable to recall the details . entailment +His tomb has good wall reliefs protected by glass screens . The glass that protects the wall reliefs is unbreakable . neutral +Ever since its early maritime days and through the 1950s when gangsters who ran prostitution and gambling rackets made Havana synonymous with decadence it has always held a slightly seedy , languorous allure . Gangsters ran prostitution and gambling rackets in Havana and they caused much problems . neutral +Not your cousin . They are not related to you . entailment +On 8 December 1542 a messenger arrived with news that the queen had produced a daughter at the palace of Linlithgow . The queen bore a daughter at the palace of Linlithgow on December 8 , 1542 , and a messenger delivered the news that same day . entailment +Adrin grunted and the expression on his face continued to fall into frustration and hopelessness . Adrin was hopeless since the demons took over the town . neutral +You can make several separate trips to view all the attractions that the town has to offer , and you 'll certainly get used to the slow pace of these windblown boats . You will definitely adjust to the boats ' slow pace . entailment +you know i feel guilty all the time because oh i shouldn 't be eating that I really need to lose weight so I 'm trying to watch my calorie intake . neutral +Space travel mimics the effects of aging ( bone weakening , sleep disruption , etc . ) , and NASA wants to know if a 77-year-old astronaut will suffer the same disabilities . NASA is curious about the impact of space travel on a 77-year-old . entailment +Auditors need to weigh the need to reveal all significant facts known to them which , if not revealed , could either distort the results or conceal improper or unlawful practice against any requirements or other circumstances that may necessitate the omission of certain information . Distortion of results will never occur if auditors do not weigh the need to reveal all significant facts known to them contradictory +you bet you bet i know yes i always try to find out where they 're from you know because it because it is neat neat it really is well then i guess i 'll let you go so you can go get the door and I don 't care to find out where people are from . contradictory +In the postwar period there continued to be constitutional changes , including self-government for Jamaica in 1959 . Jamaica did not experience any type of governmental change postwar . contradictory +The less reverent version is that it launched the era of gaudy action movies and movie-based mass merchandising , and that its carefully scripted revival--complete with licensing deals for tacos , toys , and Christmas ornaments--does it perfect justice . There was no merchandise produced , and no licensing deals made . contradictory +There , kneeling next to the big man , Jon crawled with him across the natural bridge . Jon walked across the bridge , leaving the terrified man behind . contradictory +These other costs include systemwide labor related costs ( e.g. Costs incurred by labor through the system are included among the regular costs . contradictory +and it 's the solid rocket propellants And it 's the non-liquid rocket fuel . entailment +On traditional QandA shows like Meet the Press , journalists must pretend that they are neutral observers who have no opinion about the subject at hand . Meet the Press , and other Q and A shows , allow journalists to give express subjective opinions freely . contradictory +More than two centuries ago , Carlos III commissioned the architect Juan de Villanueva , draftsman of the royal palace , to design this Neo-classical building . This Neo-classical building was commissioned more than two centuries ago . entailment +Most Falwell-style Christians would probably say yes , since the Antichrist is a false Messiah , he 'll have to be Jewish , like Christ himself . Falwall would say yes to that question , no matter what the bible says . neutral +He died in 1371 and was succeeded by his nephew , Robert II . Robert II took over after he died in 1371 from the plague . neutral +As a result , Flowers and the troopers ( and Zercher and McGrath ) have a much greater incentive to spice up the truth or to invent a story out of whole cloth . This caused Zercher and McGrath to stick rigidly to the truth . contradictory +the other is to actually you know carry everything on your back i 've done camping out in at in the Aspen Mountains in Colorado where The Aspen Mountains are one location where you can go camping . entailment +The Aerodium , behind the Sport Hotel , North Beach , is a free-fall skydiving simulator which lets you actually fly ( with the aid of a special suit ) , buoyed up on a jet of air , 3 4 metres ( 10 12 feet ) above the ground . People with certain medical conditions are advised not to try the Aerodium . neutral +and so the thing is you know is like i asked a guy you know why why do you wear that he goes well it costs me the same amount which is true because some dress pants you know cost me twenty five dollars which is the same as jeans I asked a guy before , who told me that it cost the same amount . entailment +'We don 't have to make it all the way . ' We have to make it the entire way there . contradictory +The big house near the sea , you mean ? " Tommy assented brazenly . The large house next to the ocean , Tommy agreed boldly . entailment +In some cases , however , the preferred approach has been to locate the SCR reactor on the ground near the boiler and to route the ductwork to and from the SCR reactor . However , in some cases , the preferred approach has been to locate the SCR reactor on the ground near the broiler , and then route the ductwork from and to the SCR reactor . entailment +Sather Karf pondered for a moment , and then nodded with apparent satisfaction . He nodded with satisfaction after a moment of thought . entailment +You 've sure taken a shine to Californy lately , Anse commented . Everyone has noticed how much you seem to like Californy . neutral +A misty morning makes the scene even more evocative of the past . A misty morning reminds you of the future . contradictory +Wealth effect The change in consumption and saving associated with a change in wealth . Having wealth means that you can consume more . neutral +The sky shell and world supports were blown into shape around the world model inside the outer tracks in one continuous operation . It took several operations to blow into shape the sky shell and world supports . contradictory +In all those words about the three different votes , one word I didn 't hear was the word ' mistake . " Mistake " was the one word I didn 't hear concerning the different votes . entailment +However , we believe that the number is a small proportion of the total . There is no doubt that the number is the true amount of the total . contradictory +the problem that we we 've owned this house almost five years now and um when we bought it the um it had been vacant for a while because the family had retired to Arizona but the daughter was a real estate agent and she was selling it and it 'd been lived in briefly by her before she bought her town house so she told us that the house had been uh professionally painted recently and it looked pretty good you know the interior walls all basically white but they obviously had been done without to much uh wear afterward the only problem was when we started having the movers move the uh furniture in we identified the various rooms by pieces of masking tape on the wood uh the door frames when we took the masking tape off half the painted came with it We 've owned this house for years . entailment +What is deep ? Deep means many things . contradictory +Instead of with New York , substitute to . You should not substitute it to someplace else , do it with New York . contradictory +As it happens , McCain says he supports both paycheck protection and stockholder protection . McCain does not support either paycheck protection or stockholder protection . contradictory +I would judge he wants the full treatment . I would judge his actions . entailment +Two examples of this kind of situation are important . There are two examples given about the situation . entailment +The percentage of questionable cases for individual programs ranged from 7 percent to 42 percent . The questionable cases were immediately thrown out by the judge . neutral +Something had happened to the sun . The sun was different since the last time . entailment +wide variation between the quintiles . Huge variations of quintiles entailment +These results exceeded our target of $ 22 billion and were greater than that of the previous three fiscal years , as illustrated in the following graphic . These results are for the current fiscal year , which is ending spectacularly but is not fully over yet . neutral +The trees , originally planted by the Carthaginians in 300 b.c. or thereabouts , thrive under irrigation . The trees all die because there isn 't enough irrigation to keep them hydrated . contradictory +The French peasants ' cry for freedom prompted another Maroon War on Jamaica , after which many Maroons were deported to Nova Scotia . In retaliation for the Maroon war on Jamaica , some Maroons were deported . neutral +it 's an interesting job but um it 's ok but entailment +I never do this in an unsafe driving situation--i.e. I would not talk on the phone while surfing on the roof of my car while going down the highway . neutral +they get real nasty the Hyundee helicopters come out and they would level entire areas okay you 're from the Dallas area right They don 't bother with the helicopters because that 's overkill . contradictory +Most famous of the high temples of this art is , of course , Milan 's La Scala ( see page 151 ) , showcasing the works of Verdi , Bellini , Rossini , Puccini , and others . Perhaps the most revered opera house in the world is Milan 's La Scala where performances of Italy 's famous opera composers are featured . entailment +Still , there 's room to spare on Formentera . There 's still room available on Formentera . entailment +What had she meant by that low murmur : " Mr. Brown ? " Tuppence caught herself nervously looking over her shoulder . She had meant to warn Mr. Brown about Tuppence . neutral +oh and it gets those nice warm breezes coming in that 's nice It gets a bit chilly contradictory +Dave had noticed that the last winter in Chicago had definitely shown that Uncle David 's predictions were coming true . Dave noticed that Uncle David 's predictions about winter were coming true . entailment +The Cafe de Flore up the boulevard has more intellectual aspirations , and was popular in the 1950s with Sartre and his existentialist friends . Cafe de Flore is popular with college students . contradictory +He looked completely different from the long-haired merchant as which he had first appeared . He had shaved his head and his face . neutral +The suit , filed in federal court in Kansas City , Kan . , is the second brought by the Justice Department against two of the defendants , LNL Associates / Architects and Allenbrand-Drews and Associates Inc . , a civil engineering firm . This is not the first federal lawsuit against LNL Associates / Architects . entailment +Chavez said she called Colorado Legal Services because she felt sick and did not know where to turn . Chavez did not feel well before her call . entailment +Mrs. Inglethorp always had an extra large amount of medicine made up at a time , as she dealt with Coot 's , the Cash Chemists in Tadminster . She always stocked up on a large amount of medicine at once . entailment +In the last debate , Hatch gave a patronizing lecture about how the unseasoned Bush would make a fine vice-presidential choice for him . Hatch gave a lecture , in the last debate , on how Bush , unseasoned , would make a fine vice-presidential choice for him . entailment +Even if tax incentives do not increase personal saving much in the short term , they may encourage individual households to earmark resources specifically for retirement . Tax incentives may not be very good . neutral +Leading east from the square is Kasr El-Nil Street lined with western-style shops and restaurants . Kasr El-Nil Street has shops and restaurants . entailment +In the 19th century this was the city 's most fashionable strolling ground . This was the city 's most fashionable strolling ground back in the 20th century . contradictory +I suppose I shall sleep with his photograph under my pillow , and dream about him all night . I am missing him terribly since his death . neutral +A bedroom suite has been named in his honor at a Nevada brothel he once frequented . He has two hallways in the White House named after him . contradictory +yeah sometimes it 's awful hard some of those get very philosophical they can be in any setting they just happen to put them in a futuristic setting you know the They can be in any setting but they prefer a civil war setting . contradictory +The Community Foundation is awarding $ 25,000 this year but requiring MALS to submit a three-year fund-raising plan . The Community Foundation is giving out over a thousand dollars . entailment +She wanted to help people , but did not know exactly how . She desired to help people do their taxes , but didn 't know how she could . neutral +yeah i i enjoy camping i like getting out especially i don 't i don 't understand these people people take these camper trailers and stuff i mean that 's that 's not camping i mean that 's like I like camping , but I don 't think camp trailers are real camping . entailment +Of the many temples across Durbar Square from the Royal Palace , the Krishna Mandir , located opposite the Golden Gate and built by King Siddhi Narsimha Malla in 1636 , is the most unusual and impressive . The Krishna Mandir was built is 1850 by King Burindo . contradictory +Its nave and aisles are divided by 39 octagonal pillars leading to a stupa , the domed focus of veneration , with an apse beyond , permitting the circumambulation . The circumambulation was allowed after many years of protesting for it . neutral +One senior security officer noted , Sharing information and solutions is important . Passwords are one piece of information that should not be shared . neutral +The two men looked past him to each other . The men both turned and stared at him intently . contradictory +result , discretionary spending stays the same as share of GDP from 2011 through the end of the projection period . The spending dramatically increased from previous projections . contradictory +GPRA will not succeed without the strong commitment of the federal government 's political and senior career leadership . They will not succeed otherwise . neutral +A succession of weak and decadent emperors saw the Roman Empire fall gradually into decline and anarchy . The fall of the Roman Empire was gradual , and was the result of poor leadership . entailment +The weeklong trip , which must have cost thousands , resulted in a short piece . A short piece resulted from the weeklong trip . entailment +um-hum actually he he wrote that prior to the uh Medellin Medellin Cartel being exposed it was on the stands prior to that time it it 's quite timely and either he knows somebody or he has a real good a real good imagination because its it hits pretty close to home He has said he knows someone within the organization and the article seems to support his statement . neutral +Madden said his focus will be individual cases , and that any resources we can spare to do community economic development , we will . His focus will be individual cases . entailment +well that 's they just put all our Christmas trees in the regular uh compost The Christmas trees all go in with the regular compost . entailment +He appeared from dust and faded into the sands leaving corpses in his wake . There were seven bodies on the ground . neutral +In itself , the discrepancy has no apparent significance , although it has been pointed to by theorists who contend that the TP was leaked through more than one source . Some people found the discrepancy to be crucial . neutral +No . I looked at the extraordinary little man , divided between annoyance and amusement . I looked at the little guy and didn 't know what to think about the tricks he was doing . neutral +Albert fell for it . Albert thought it was true . entailment +Confronted recently with a coarse question as to whether the United States was willing to talk to Milosevic , Lockhart stonily replied , The NATO alliance has made demands , and he needs to meet them . Lockhart responded to the questions of United States ' engagement with Milosevic . entailment +Farther north , just off the Nuoro-Dorgali road is the secluded site of Serra Orrios , a well-preserved prehistoric village ( signposted Villaggio Nuragico ) . The village at Serra Orrios is 800 years old . neutral +Gambling lessons are highly recommended for this game . Gambling lessons are necessary to succeed at this game . neutral +As noted above , representation of H-2A workers is limited to specific subject matters arising under the H-2A employment contract . Specific subject matters are the only thing that can lead to representation of H-2A workers . entailment +Among many native peoples , the elderly are cherished and respected for their funny smell . In native societies , there is no respect for the elderly . contradictory +The American Medical Association voted to form a union to negotiate for better wages and working conditions but promised never to strike . This seemed like an ideal compromise for health care professionals who wished for improved working conditions . neutral +LSC promotes the use of technology to remove barriers to access by establishing seamless intake systems that cover an entire state . LSC does not promote technology at all contradictory +Testers are as vain about finding bugs as I am about squashing them , hence the excessive pride of my tester who uncovered the year 4500 bug . My tester was proud of uncovering the year 4500 bug , and his coworkers hated him . neutral +you know it 's like of course i mean i might be you know the the leading drug dealer here but you won 't find me dealing in drugs i mean there 's no connection between me and the people that you caught you know Leading drug dealers are caught every time . contradictory +Each battle left me unfulfilled . Battling leaves me feel fulfilled . contradictory +Aunt Marianna had insisted that he accept part of the Mattock estate , even though his Kentucky grandfather had left him penniless . Hi aunt was adamant that he take party of the estate despite his being broke . entailment +The Cyclades and the Sporades island chains were also included in this new state . The new state included several territories that were previously unrelated . neutral +While you 're waiting , you 'll be entertained by the divers who launch themselves from the tops of tiny perches into the azure sea some 9 m ( 30 ft ) below . The divers launch themselves into the azure sea . entailment +One of Judy 's problems : Jack and Judy ( Miranda Richardson ) ( 39 seconds ) : Miranda Richardson was in Jack and Judy . entailment +well see well see those of us that don 't have state income taxes yet that 's the big debate here in Texas that they their the legislature wants to put one in and it 's interesting what people get upset about uh Here in Texas we pay state income taxes , have for years and no one cares . contradictory +If victorious , NATO may grant Kosovo independence or perhaps divide it up . NATO has absolutely nothing to do with what ultimately happens to Kosovo . contradictory +but on the other hand it 's it 's in a way it 's better I prefer it this way for some reasons . entailment +Alfred Inglethorp ? It was Mary Hawes . contradictory +Now and then he passed his hand across his lips as though to hide a smile . Now and then he slouched forward . contradictory +In the process , it has somehow managed to get a soul , in spite of the inhuman scale of some of its windswept spaces . It never got a soul , sadly . contradictory +GAO does not appear to have done a cumulative case study using our own case study reports or other case studies . GAO has done a cumulative study including our report . contradictory +the uh the automotive industry is in dire needs of something in this in this country and it 's too bad uh the Toyota we bought i i bought second hand i did not buy it new uh I think that the automotive industry needs some changes . entailment +well when i go to work i listen I listen on my way to work . entailment +Most visitors will be staying within easy reach of Alicante , so our trips start out from here . We will start our journey from Bonaparte . contradictory +IRA leaders want to create the coalition government before disarming . IRA leaders want to create a new government for the five countries . neutral +Both these conclusions play to Clinton 's advantage . Those conclusions help Clinton 's advantage . entailment +Disgraced princes and other noblemen were confined here , their only solace being the ruined 15th-century chapel adjacent . A ruined chapel gave solace to disgraced princes and other noblemen in confinement and made them think of spirituality . neutral +The forest is famous for its Clairiyre de l 'Armistice , where , in Marshal Foch 's private railway carriage , the Germans signed the Armistice that marked their defeat in 1918 . The French lost World War I in this forest . contradictory +Needless to say , in his recent visit to Moscow Bill Clinton repeated the old pieties , suggesting the West was ready to offer further assistance if Russia stays with the path of reforms . Clinton 's words confirmed what his predecessor also claimed many years ago about Russia . neutral +Take the right-hand stairs down from the platform to the ground floor . There are stairs to the platform on the ground floor . entailment +i 've heard the name I have heard that name before . entailment +right right well do you live like along uh Houston You live on the other size of Texas from Houston . contradictory +By little I do not mean small . By little , I mean he 's a small giant . neutral +A fine collection of medieval church artifacts and Celtic carvings can be found on the first floor . The collection is hidden deep in the basement . contradictory +My profile was far too recognisable ; everyone in Large had known precisely which homeless person I was , but the people were too reverent to turn me in , so they pretended not to notice . But , some people that weren 't very fond of me were plotting to turn me in . neutral +These plans should show how the agency will verify that the acquired equipment , software , or services meet user needs and satisfy security requirements . The agency will explain how the services will protect and support the clients ' safety concerns and needs . entailment +Though there are many modern buildings , these sit shoulder to shoulder with fine old mansions and are evidence of an older Iraklion , which is fascinating to explore . It is fascinating to explore . neutral +at least their daddy goes with them i don 't when they do that but I go elsewhere while the fathers go with them . neutral +You are still , said Tuppence with admiration . She is still neutral +Oh , no , monsieur , he has but taken the train to Tadminster . There are trains that run to Tadminster . entailment +Here you can party to your heart 's content . You are welcomed to party until you wish . entailment +The soothing aloe that they apply while you sunbathe will be sure to cost you a small tip . The sunbathing would cost you a small tip . neutral +recognizes the revenue as nonexchange or exchange revenue , depending on its nature , according to the applicable revenue standards . ) The revenue being nonexchange or exchange revenue is recognized . entailment +Regular Sunday reviewers , on the model of Cyril Connolly , the longtime critic for the Sunday Times , become trusted guides . Cyril Connolly wrote for the Sunday Times for over thirty years . neutral +Oh , no , sir . No , that is not how it should be . neutral +It 's a rotten place , said the young woman without hesitation . I wish to come back to this lovely place , said the young woman . contradictory +The heaviness and languor of her manner were very marked . She was full of energy and vibrant . contradictory +The Department of the Treasury 's rule is adopted pursuant to the authority contained in sections 7805 and 9833 of the Internal Revenue Code ( 26 U.S.C. The authority referenced is contained in sections 7805 and 9833 of the Internal Revenue Code . entailment +match just right and the only bad news was my husband would have to go to a garage and pick them up pick the bolts up for him My husband took several hours to pick up bolts at a garage . neutral +In 1999 , then-Governor Bush signed legislation that permanently caps NOx and SO2 emissions from older power plants in Texas starting in 2003 and requires utilities to install a certain quantity of renewable and clean energy capacity by 2009 . Bush capped NOx and SO2 emissions when he was Governor , which Republicans disliked . neutral +We find that the burden on low per capita postal systems is much greater than on medium to high volume postal systems . There are discrepancies in the burden on low , middle and high volume postal systems . entailment +The difference between the two measures is the key to understanding government performance in a results-oriented environment . Government performance cannot be understood without comparing the measures . entailment +Had he any idea of what I was about to say ? Did he have a single clue what I was about to say alloud ? neutral +U.S. diplomats will try to soothe tension between Taiwan and China . There are disagreements between Taiwan and China . entailment +i mean morals isn 't something that 's just in your heart and you 're born with it you 're People are born with a moral compass in them . entailment +Indeed , the VSL estimate of $ 6 million ( 1999 dollars ) is itself the central tendency of a number of estimates of the VSL for some rather narrowly defined populations . The VSL estimate turned out to be woefully inaccurate for that year . neutral +Admirable ! It was such a great action . neutral +The Graves model is still available , for about $ 125 , though some might call it passe . The Graves model is no longer available for purchase . contradictory +In the face of forced conversions , the Protestant Huguenots ' many of them the most talented bankers , merchants , and artisans of their generation ' fled to Switzerland , Germany , Holland , England , and Scandinavia . The Protestant Huguenots were afraid for their lives . neutral +Situated on a small promontory , Kuradase , meaning Island of Birds , is one of Turkey 's liveliest and most popular holiday resorts . Kuradese situates on a small promontory and meaning of Island of Birds . entailment +General Accounting Office . The office that does all of the government 's accounting . neutral +As one agent A parolee of mine is OK and is looking for a job . One parolee is looking for a job because he just got out of prison . neutral +As such , strategic human capital management is the critical element to maximizing government 's performance and assuring its accountability for the benefit of the American people . Strategic human capital management plays a very small role in making the government accountable to Americans . contradictory +Kazimierz 's death in 1370 left the crown to his nephew , Louis of Anjou , the King of Hungary . Kazimierz died after an extremely virulent flue got hold of him . neutral +American Detective Force ! she hissed . " Oh , American detectives ? " she said with a knowing smile . contradictory +that 's probably because of the roads you just don 't yeah we we 've just got a freeway we just get right on the freeway and just go north The speaker says that they just have to go on the freeway and go north . entailment +4 ) A bill was filed in the House to ban human cloning outright . The law to preserve human cloning has been passed . contradictory +This war of attrition ended in 1739 , when agreement was reached between the two sides . The war raged on for decades , never coming to a clean conclusion . contradictory +The re-emergence of Pol Pot is a landmark moment in celebrity At last , someone who cannot be forgiven . Pol Pot has been forgotten by the public . contradictory +I feel so excited . I feel anxious to do it . neutral +The Kodak-Fuji case was , as innumerable press accounts have pointed out , the most important case to come before the WTO in its two years of existence . The Kodak-Fuji case went to the WTO to be decided . entailment +Formal and informal areas are landscaped with pools and fountains , while terraces tumble down the hillsides . There were no pools or fountains in the informal areas . contradictory +and you got to have your pumpkin pie You should never serve pumpkin pie . contradictory +Upstairs you know . " Two floors up . neutral +The battlefield at Azincourt lies about 15 km ( 10 miles ) north of Hesdin , just off the D928 . Azincourt saw one of the bloodiest battles in the country 's history . neutral +um you never know kitty cat what do you think about being a star i 'll buy you buy you lots of cat food with that I 'll buy you lots of dog food with that , what do you think ? contradictory +Nor did they recognize it for what it was ” a piece torn from a green land armlet . " There was a little stir of excitement . They didn 't recognize it for what it was . entailment +Good coverin ' this book has . The book looks alright , even with a few tears neutral +They even weighed themselves less often ( three times a month vs. seven times a month ) . They began to weight themselves three times a month instead of the usual seven . entailment +They stopped at a large ironworks . While on vacation they stopped and toured the large ironworks . neutral +well that 's that 's the that 's because we 're supposed to be the rich ones with all the money to give away Supposedly we have a lot of money to use for other people . entailment +And I 'm sure you don 't enjoy the thought of deceit on our behalf . ' I know you dont care if we lie to you . contradictory +Then it got started . Then it ended . contradictory +This Week With ADM ? Less than a month ago , ABC abandoned the serviceable name of This Week for the overfamiliar This Week With Sam & amp ; Cokie . This week the show switched to This Week With Sam Donaldson & amp ; Cokie Roberts . Fending off its diligent and talented copy editors , Pundit Central rejects the new name as too long and too inelegant for even a first mention . ABC abandoned the serviceable name of This Week for the overfamiliar This Week With Sam & Cokie . entailment +Beginning January 1 , 2010 , the requirements of Subpart 2 of this Part will apply . The requirements of Subpart2 of this Part will be applied from January 1 , 2010 . entailment +( And where is a percontativus now that I need one ? ) When I need a percontativus , where is it ? entailment +Entity also encompasses a group of related or unrelated commercial functions , revolving funds , trust funds , and / or other accounts for which financial statements will be prepared in accordance with OMB annual guidance on Form and Content of Financial Statements . Trust funds can be entities for living people . neutral +and i got all three of them on tape and i 'm fixing to tape this other one that 's coming on Monday Changes yeah I recorded the past three , and will get the next one this coming Monday . entailment +Take time to mount the stairs to the battlements for views of the city ; you can also explore the ruins and excavations . The battlements are off limits to the public . contradictory +He reproached the much beloved garden at Dumbarton Oaks for its limited plant palate , especially what he referred to as the forsythia mess--a hillside covered in the yellow , early spring flowering shrub that others consider a bold sweep of color . Dumbarton Oaks has a garden with yellow flowers on a hill entailment +Haven 't eaten since we broke camp at sunup . " I had eggs for breakfast this morning . neutral +it really does i know i 've been in like i said the same situation you know where i 've i 've been in a situation where i didn 't budget anything just spent money and spent money and spent money and it doesn 't work it doesn 't it really doesn 't uh makes a big difference Budgeting has no impact on spending and doesn 't make much of a difference . contradictory +is it good education it may be free but is it good education and that 's just it are we willing to pay for it you know The education is enough to prepare for a stable career . neutral +They don 't want to discourage me altogether . They want to discourage me completely so that I will stop . contradictory +The Lusitania had been struck by two torpedoes in succession and was sinking rapidly , while the boats were being launched with all possible speed . While boats were being quickly deployed , the Lusitania was quickly sinking due to being hit by two torpedoes in a row . entailment +Once a tea estate , cool , cloud-enshrouded Bukit Larut ( Maxwell Hill ) , 12 km ( 71.2 miles ) northeast from Taipin , was Malaysia 's smallest and oldest hill station and the retreat for colonial administrators . Bukit Larut was once a tea estate . entailment +um i don 't know i just feel more I am not sure , but I sense more . entailment +As I recall from the numbers in that July 20th Atlanta Journal-Constitution article , there goes much of that 8 percent of envelopes that currently carry bills and payments . In that July 20th Atlanta Journal-Constitution article , if I recall correctly , there goes much of that 8 percent of envelopes that currently carry bills and payments . entailment +Even Japan 's disaffected youth , normally sporting dyed hair , nose-rings , and torn T-shirts ( and whatever else constitutes the latest street fashions to be slavishly copied ) , will attend an important festival in an expensive traditional costume , perhaps indicating that , despite their parents ' concerns about their superficial appearance , some old values have not been entirely abandoned . Old values are very important to the youth . neutral +Before function is compromised , problematic consumption occurs . Function will be compromised long before any problematic consumption takes place . contradictory +It was an astonishing thing for a woman of her breeding to do . " It was amazing for a woman like that to do that . entailment +She was still a mystery to Jon but her skills were never in question . Jon didn 't fully understand her . entailment +you know what i 'm saying You have no idea what I 'm talking about . contradictory +Thank you very much . Thankyou so much . entailment +You 'll want to return here to browse the Boulevard Galleries of art set up around the square on summer weekends . The square is closed on the weekends . contradictory +It is less athletic and acrobatic than the older , more romantic ballets . It is less active than older ballets ; this is attributed to the age of the stage performers . neutral +The rooms are locked ? asked Poirot . Poirot asked if the rooms are locked because he was doubtful neutral +You 'll see something of the town 's Venetian-dominated era on the graceful Piazza del Popolo , bordered by the 17th-century Palazzo Comunale Venetian insignia on the piazza 's two columns have been replaced by local saints Apollinaris and Vitalis . The town was never under any Venetian domination . contradictory +Queimadas is a complex of cottage-style rest houses with attractive gardens . The landscaping around the rest houses is awful . contradictory +This report has been peer and administratively reviewed by the U.S. The United States has adequately reviewed the report . entailment +Can 't keep even with ' em . They didn 't know how to keep up with it . neutral +But the pro-life movement recognizes it has lost the larger debate , and has therefore adopted a step-by-step strategy . The pro-life movement realizes that it has lost the larger debate . entailment +The subject of their hackwork will remain a mystery to all until the weekend of the competition , when Slate will e-mail the Hackathletes the assignment and a cheat sheet of facts , figures , and quotes from which they can crib . Slate already has the assignment picked out but they will wait until the weekend of the competition to tell their Hackathletes . neutral +This year , Beatty may turn down the opportunity to play Robert F. Kennedy in a campaign , then become a power broker . Pondering on becoming a power broker , Beatty may turn down the opportunity to play Robert Kennedy in a campaign . entailment +All told , though women as a group are less combative than men , they are not wholly averse to combat . When they do get into combat , women win more often than men do . neutral +Of course the little things matter . Everything matters . neutral +A suggestion from friends sparked her interest . Her friends ' suggestion ended up snuffing out what remained of her interest . contradictory +Prior to that , an attempt in the 1960s had failed because the patient 's body rejected the new hand as foreign tissue . The attempt in the 1960 's hadn 't worked because the patient 's body wouldn 't accept the transplant . entailment +and there probably some other things that i don 't about because we 're a real large company and i just don 't have contact with them but in our uh city well i live in a suburb of Dallas We are a real and very big company , and I don 't have contact with them . entailment +What was that ? I don 't know what that was . entailment +Over the years , Congress , EPA and the States have responded to specific environmental and public health problems by developing separate regulatory programs for utilities to address the specific problems . Dozens of lawmakers have been involved in the decisions necessary to develop separate regulatory programs . neutral +Other worlds ! Where are there other worlds ? They are not planets . contradictory +The queen of Italian winter-sports resorts has elegant hotels , smart boutiques , and a bouncing nightlife . There is a nightlife at one of Italy 's main winter sports resorts . entailment +she 's ready to get off into it but you know i like i just like getting out being in the outdoors and i 'm a hunter and a fisher anyway but you know i i you know at least i can get out and play a few hours of golf and I like spending time outdoors , hunting or fishing . entailment +There is little or no interest in generalizability . Specifics are required . neutral +to win you just have to spend it if it 's necessary in other words if you 've got a player on your team who 's helping your team then keep him there don 't let him go away you know and i think that 's really what 's been hurting uh uh the uh Rangers The Rangers would fare better if they kept the players that help their team . neutral +As for attorneys who handle contingency cases or who are salaried , Wagonheim said they could participate by donating some amount that approximated such a donation . Wagonheim said they could not donate , just volunteer . contradictory +Of course they 're having an affair , but Prudie compliments you on your high-minded and generous assessment of the situation . Prudie is relieved at the generous assessment of the situation . neutral +I hope we have not tired you ? I hope that you have not been made tired by us . entailment +The Physician 's Guide to Helping Patients with Alcohol Problems . The Guide for Helping Patients with Alcohol Problems , for Physician 's , is updated once every three years . neutral +The differences in slopes and intercepts reflect population differences . The differences in slopes and intercepts reflect some population differences , depending on the area . neutral +Against Marcus and his men , she blocked the agent of the Eye from seeing me . The agent of the Eye couldn 't see me . entailment +have did did you know that there was a difference in the parakeets Did you know that there is a dozen types of parakeets ? neutral +The magazine 's less than revelatory The president won 't accomplish much this term , the Constitution will survive , and consensual sex will continue to be tolerated . The magazine makes no mention of the president , Constitution , or sex . contradictory +The symmetry of the large central courtyard has a simple elegance . The large central courtyard has a simple and elegant symmetry about it . entailment +Chisorom Okwuosa , legal services developer for the California Department of Aging , said state officials supported the hotline 's grant application . Chisorom Okwuosa is a 29 year old male from the Phillipines . neutral +we could go around and boy We don 't need a concrete plan , just hang out together and check out the place . neutral +Time exposes a new problem for surgery patients , called awareness : Patients wake up from anesthesia during the operation . There is a new problem of patients waking up during an operation called awareness . entailment +The vision may also seem less grim because when Coven finally premieres , at the end of American Movie , the images we 're shown from it have a certain George Romero-ish graphic power--not at all what we expect from the comically inept production process . During the production , several people were injured and walked off the set . neutral +Shades of Chicken Little ! Not like Chicken Little at all . contradictory +John points out that by 1828 , only 36 years after Congress passed the Post Office Act of 1792 , the American postal system had almost twice as many offices as the postal system in Great Britain and over five times as many offices as the postal system in France . John says that the postal system had 50 % more postal offices than Great Britain . neutral +He turned his horse and rode away . His horse ran incredibly fast . neutral +At a minimum , the PCAOB will need to effectively work with the other public regulators on enforcement / disciplinary matters . Public regulators must work with the PCAOB on important matters . neutral +This is so great because I haven 't been getting any of this lately . It 's great because I haven 't gotten any lately . entailment +Ca 'daan grew cold . Ca 'daan was very hot . contradictory +you put five Soviet Hyundee helicopters in the air they can level the entire area and there won 't be anything left alive and they can do that in about four minutes They didn 't put any helicopters up because it was too windy . contradictory +yeah like where does all the good stuff go yeah where is it i know they have to grow some of it Kale has to be grown for best results . neutral +Syracuse , N.Y. : International Institute of Administration Sciences , The Inter-University Case Program , November 1971 . The International Institute of Administration Sciences is twenty years old . neutral +A loaded rifle leaned at every window opening , ready to be fired through loopholes in the wooden war shutters . There was a loaded rifle that was ready to be fired . entailment +Reviewers focus on Garment 's past as a clarinetist , on Nixon 's insecurities , and on the unlikely friendship between the anti-Semite and the Count Metternich , meet Woody Allen ( Thomas DeFrank , the Washington Post ) . Count Metternich and Woody Allen met in Austria at Nixon 's behest . neutral +Versailles was truly the shining star of Europe by its architectural splendor , and most of all by the sheer hypnotic power of Louis XIV 's cult of self-glorification . Versailles was known as the shining star , but was really over-hyped . neutral +Last month , the Shopping Avenger also put out a call for airline and pest-control horror stories . Many people probably have horror stories from flights and getting rid of pests . entailment +The rights to that name have been claimed by another Web site . The rights to that name have been legally claimed by another Web site . neutral +Regardless of the time of year you visit these islands , you 'll spend most of your time outdoors , on or near the water , and a word of caution is necessary . When you visit in summer , whether on the beach or out in the ocean , you have nothing to worry about . contradictory +( The council was described in some reports as Buchanan 's brains trust . Buchanan collaborated with the council deeply according to some reports . entailment +Food and Drink Starvation and thirst contradictory +so we don 't have where we are right now there are very few trees this was this was this was pasture land but down the down the hill here a little ways there are parks that are look like jungles you know they 're really There 's not many trees anywhere around here . contradictory +Shoppers will want to visit the lively Rue de la R ? ? publique and the streets around the Place des Jacobins . The shops sell a wide variety of goods there . neutral +of course i 'm in i 'm in North Carolina now and and uh the mountains here are pretty nice i haven 't been i just got here last September but i 'm planning to I have not yet seen the mountains here . contradictory +i don 't know what what what is it 's like there but here a lot of the country stuff is in you know lot of the woodwork a lot of uh stenciling There 's a lot of country stuff and woodwork here . entailment +The average age in the starting lineup is 32 , and the roster is filled by NBA workhorses such as Mullin , Jackson , and Dale Davis . The NBA is a high paying , popular sport in American entertainment . neutral +Just Pat autographing anything presented to him . Pat didn 't autograph anything he received . contradictory +Before they get injured they are separated , and the winner is decided by a panel of judges while the loser is dragged off . The crowd always boos the loser and cheers the winner . neutral +Danvers sailed for England on the Lusitania . Danvers never sailed to England on the Lusitania . contradictory +Exchange transactions with the revenue They wanted to increase revenue . neutral +He set about forming a ruling body , and sent scholars and artists out into the countryside to explore and record its ancient treasures thus sparking the great interest in Egyptology among scholars in France and the rest of Western Europe . He sent explorers to the coutryside to explore Egyptian culture . entailment +Judge Karen H. Pozza and District Court Judge Phyllis Speedlin started the community courthouse , recruiting lawyers from across the county to give away their time . Judge Karen H , Pozza worked with District Court Judge Phyllis Speedlin to start the community courthouse . entailment +In October 2000 , the Office of Personnel Management amended regulations to require agencies to link senior executive performance with organizational goals ; to appraise executive performance by balancing organizational results with customer satisfaction , employee perspective , and other areas ; and to use performance results as a basis for pay , awards , and other personnel decisions . In October 200 , the Office of Personnel Management conducted a review of its own activities and did not amend regulations . contradictory +The Legal Services Corporation provided funding for two facilitators and lodging and meal costs were paid for by the Lawyers Trust Fund of Illinois . The practice of paying for facilitators is common . neutral +These are surrounded by areas of limestone formations , scrub and grassland , coral cliffs , and fine sand beaches . Coral cliffs surround all areas . neutral +The French have always wanted to know what it means to be a French ? ­ man . The French do not believe that they have any discernible quirks . neutral +SMI accounts for somewhat more than 40 percent of Medicare spending and is expected to account for a growing share of total program dollars . SMI makes up a tiny fraction of the resources allocated to Medicare . contradictory +Marshals Service , the Department of Defense ( DOD ) , and a myriad of other agencies . The Marshals Service employs more than one thousand people . neutral +His operas ' romantic humanism inspired fellow patriots , who saw in the Nabucco Freedom Chorus a positive call to action . Fellow people were inspired by his humanism . entailment +Near the village of Marathi you will find the ancient marble quarries that sent stone to all parts of the Greek and Roman empires . Near Marathi are the marble quarries that used to provide stone for the Greek and Roman Empires . entailment +Poirot followed me down the narrow stairs . I walked down the stairs with Poirot behind me . entailment +You 'll see why . There is a reason why . neutral +We 've ceased being blackmailers , Tommy pointed out . We no longer blackmail others . entailment +Cooperative Institute for Research in the Atmosphere , Colorado State University ; Fort Collins , CO July . Colorado State University contains the Institute for Research in the Atmosphere , which is the best of the U.S. neutral +In practice , measurement errors create some divergence between these balances . Measurement errors are not always a negative occurrence in data . neutral +um yeah you don 't want to especially when it comes time and the kids are grown up and they 're they want to do things like go to college uh you don 't want to say we 'll still paying for the mistake we made twenty years ago you know and We established a budget to help us get out of debt . neutral +Oily foods , particularly latkes ( potato pancakes ) , are served during dinner to symbolize the Temple miracle . The foods served during dinner symbolize the miracle . entailment +The documents show , as Gerth himself acknowledged in reporting them , that the State Department and all Clinton 's top national security aides recommended that Clinton approve it . Clinton 's national security aides encouraged him to approve it . entailment +Blumenthal 's face has been everywhere in the last week , and he is clearly enjoying his moment in the limelight , building valuable name recognition for the day when he decides whether to run for governor or senator . Blumenthal has more interest in running for governor than he does for senator . neutral +yeah uh do you do you feel that the first two years that the um depending upon the field i know there are some fields which a person should go to the school that school all four years but i know there are some fields where it 's really not necessary Every field requires you to go to all four years of school . contradictory +Well Anse was on the defensive " a man can take jus ' so much pushin ' , an ' we had more 'n that ! Anse was being pushed to do things he didn 't want to do . neutral +( For more information on IRS 's senior executive performance plans , see app . The app doesn 't give more info contradictory +A duplicate is not merely the submission of exactly the same case twice by computer or other error , but also any situation in which the same client returns to the program with the same legal problem in the same year . There are different types of duplicates , some of which are more common than other . neutral +At one time , all of these organizations found themselves in an environment similar to the one confronting federal agencies todayone in which they were called upon to improve financial management while simultaneously reducing costs . The organizations were tasked with improving financial management while reducing costs at the same time . entailment +Her foolish child dreams bored me until I felt her mouth on me again . She always wanted to tell me all about her dreams . neutral +Albert , miss , he corrected . He corrected Albert . entailment +As he ripped his shirt back to look , the wound was closed already . The wound remained gaping . contradictory +it 's nice when the builders plant trees for you when when they build the house I hate when builders plant trees , they shouldn 't do that . contradictory +oh i mean it was raining so hard you could swim down the street It was raining so much you could swim down the road . entailment +What fun they had had together , he and Tuppence ! Tuppence allowed him to have the most fun he 's had in a while . neutral +i we really we decide we didn 't decide to get one until i started working at home We did not get one until I worked from home . entailment +That 's why the chief food technician in the leading dairy cooperative in the country was reclining behind a giant mixing vat and desperately wanted to forget about the negative stimuli on his nerve cells caused by the 83 kilograms of his body . The chief food technician wants to remember the positive stimuli that was caused from his body . contradictory +In recent months , Chinese corporations have taken stakes in Hong Kong Telecom , Dragon Air , and China Light & amp ; Power . Chinese corporations only invest in themselves . contradictory +but i think the Dodgers will do well I see cubs doing well . contradictory +The iron jawed man breathed heavy . The man with the iron jaw breathed heavily . entailment +Maintenance is a mammoth task , and it is said that painters work constantly on the structure , completing one end and immediately starting again at the other . Maintenance was performed in the past and will last for a lone time . contradictory +is for the peacekeeping mission to extend its mandate beyond the deadline by which U.S. forces are supposed to pull out . Peacekeeping forces successful in extending the mandate and will stay past US pull out date . neutral +The Corp had ten million tiny little versions of me , packaged and ready to sell- all they needed as an excuse to put them on the shelf . The Corp had millions of little versions of me all packaged up . entailment +Just 10 km ( 6 miles ) east of Chantilly is the town of Senlis , with its imposing Gothic cathedral and handsome 15th- and 16th-century houses , still partly encircled by Gallo-Roman ramparts . Senlis is a town full of 15th and 16th century houses . entailment +Studio 54 delivered this critical mass almost every night , plus another 1,500 or so people who were simply beautiful or interesting to look at , plus Haden-Guest and me . Studio 54 had a large number of people attending every night . entailment +no i hope we get to the point where maybe a couple of generations from now when somebody reads the old adage In a couple of generations somebody will read the old adage . entailment +We did our work in accordance with generally accepted government auditing standards from December 1999 through May 2001 in Washington , Our work wasn 't in accordance with government standards contradictory +The Terminator decorates his ceramics with butterflies , flowers , and hearts . A guy with a tough name likes to do delicate artworks . entailment +see i 've i 've kind of moved around from my home originally and um and my family 's out in Florida now most of my family and i 'm out here in Phoenix so I live in Phoenix , but my family is in Florida . entailment +Best of all , it 's open until about 4am . The coffee shop doesn 't close until 4am . neutral +Guests are not exploited because they are . The guests were certainly exploited . contradictory +Nowhere is this more apparent than in the presentation of Sen. The presentation of Sen shows this incredibly well . entailment +uh-huh we planted some uh yellow peppers this year we 've tried it before and nope we haven 't had much luck with it we 're going to try it again this year We know better methods for planting yellow peppers . neutral +Mourners had to undergo 50 days of purification before being allowed back on Miyajima . Mourners had to go through 10 days of purification . contradictory +It dramatizes how wanting and memory compete and explores how lonely , unhappy people mythologize their adolescence ( D.T. It explores the ways fulfilled , socially satisfied people look back on their youth . contradictory +hum she sounds really pretty I want to see a picture of her . neutral +An even older source reminds me of an investment for old age at which Cicero only hints . The older source is more reliable . neutral +POSTAL SERVICE AUTHORITY TO ENTER INTO NEGOTIATED RATE AND SERVICE AGREEMENTS WITH INDIVIDUAL CUSTOMERS OR GROUPS OF CUSTOMERS TO PROVIDE SERVICES The Postal Service has authority to negotiate rates with individual customers . entailment +um-hum yeah so you need to to me if they going do a they need to keep checking like if somebody 's got some drugs in they system The people taking drugs bring things down for the rest of us . neutral +And on 15 March each year , the mightiest specimen , a 2 m ( 6.5 ft ) monster made of Japanese cypress and weighing over 270 kg ( 600 pounds ) is slowly carried through this small town , bulging out of its portable shrine . The monster that is carried through town is held up by many people . neutral +yeah yeah really is that the one where uh the guy gets captured by that woman okay yeah Is it the one where the guy is captured by the woman ? entailment +Yoffe suggests that truth can be found just as easily in tabloids as in traditional publishing outlets Truth can often be found in tabloids , according to Yoffe . entailment +Lincoln actually counted then down . Lincoln counted down from twenty . neutral +He has more bread , said the Kal . The Kal knew someone had more bread . entailment +But that 's not the point . But that is exactly the point I am making . contradictory +so and i also uh my father works for IBM and we came up here we well we came to the United States in nineteen seventy six seventy seven We came to the United States in the seventies . entailment +Shortly after earning her law degree , Zelon joined the American Bar Association 's young lawyers division , where she served on and chaired several pro bono and public-service committees . Zelon joined the association 's young lawyers division after she earned her law degree . entailment +There is considerable uncertainty as to whether the 26 studies on the value of a statistical life provide adequate estimates of the value of a statistical life saved by air pollution reduction . 26 studies concern the value of a statistical life and its estimates of that value saved by air pollution reduction . entailment +yeah that well it it it just puts a damper on things for a little while but we 're we 're starting to get everybody back together yeah we 'd like to do a float trip down uh oh like Big Bend area or something like that A float trip with everybody doesn 't really sound that fun . contradictory +yeah small PCs aren 't they 're out of Korea right The small computers are said to be made in Mexico for Donald Trumps little hands . contradictory +'Mr . Franklin ? ' They asked . " Mrs Zed ? " They asked . contradictory +Has the World Wide Web , which only appeared in 1993 , failed us ? The Internet has fundamentally changed the world as we know it for the worse . neutral +Meanwhile , the New York Times Magazine offers a rosy portrait of California after the abolition of affirmative action . The abolition of affirmative action made California better . neutral +At Corosel , Anse des Cayes , and Anse de Lorient , you 'll share the shore with fishermen who set out to sea in gaily painted boats . The fisherman paint their boats colorfully to amuse the tourists . neutral +About 1.2 million homes tune in the NewsHour each night , while a combined total of 20 . No other nightly news show is consistently viewed more than NewsHour . neutral +During the fifth century a number of Celtic tribes came together to form the Kingdom of Rheged , which is said to have stretched north over what is now the Scottish border and south as far as the River Mersey . It was also during the fifth century that Germans rules the northern isles . neutral +oh but that wouldn 't be boring like walking up stairs That is as boring as chairs . contradictory +It was here that the Royal Botanic Garden was moved in 1823 from a location not far from the Abbey of Holyrood . The garden was destroyed in 1823 since putting it elsewhere was inconvenient . contradictory +For many items , the two small northern islands have the lowest prices in the Caribbean . The small islands are free of taxes and have low import costs . neutral +Under our current broadbanded system , analyst and analyst-related staff in Grades 7 through 15 were placed in three bands . analyst and analyst-related staff were mostly female neutral +yeah they had such a super team Their team was excellent . entailment +Knott 's Berry Farm , the nation 's oldest theme park , started as a berry farm on 20 acres ( 8 hectares ) of rented land along a dusty road in Buena Park , just west of Anaheim . Knott 's Berry Farm was just opened last year . contradictory +Was Keynes also right when he warned against excessive saving ? When Keynes warned against excessive saving , was he right again ? entailment +The Clean Air Act Amendments ( CAAA ) Section 812 Prospective Study of Costs and Benefits ( 1999 ) : Advisory by the Health and Ecological Effects Subcommittee on Initial Assessments of Health and Ecological Part 1 . July . The Clean Air Act Amendments was very controversial when it was passed . neutral +Finally he started selling the stuff himself . He gave up and never sold anything . contradictory +Separate evaluations of control can also be useful by focusing directly on the controls ' effectiveness at a specific time . They have measures that focus on certain times for control evaluations . entailment +For a total change of pace , continue on the N112 to Cap d 'Agde . Continuing to the N112 will greatly increase your pace . neutral +GAO also initiated a series of highrisk reports , now issued every 2 years , to provide information on federal activities susceptible to waste , fraud , abuse , and mismanagement . GAO had a series of reports that were high risk . entailment +The First Report and Order also eliminates an exception to an existing rule which permitted cellular licensees under some circumstances to restrict resale by their licensed cellular competitors . Cellular licensees previously had no means of affecting resales . contradictory +Kazimierz , a pragmatist , did not try to wrest control of Silesia , in the hands of Bohemia , or the territory seized by the independent state of the Teutonic Knights . As a pragmatist , Kazimierz did not try to wrest control of Silesia , which was in the hands of Bohemia , or the territory seized by the independent state of the Teutonic Knights . entailment +From Shin-Go-gome , buses connect to the town of Gotemba for connections home . There are connections from Shin Go gome . entailment +The analysis shows that the combined costs of the air and water portions of the rule to be a capital cost of $ 1 . The water portion alone has a capital cost of 40 cents . neutral +Marginal access cost can be estimated from the coverage function . The coverage function is used in estimating how much siding will be needed to cover a house . contradictory +The Victorians reworked the history and legends of Scotland to add romantic , neo-Gothic touches . The Victorians reworked the history to make them sound better . entailment +i don 't know but um it would be great and and if only i mean health is probably the one thing that people should be most concerned with you know especially that makes a good society when people are healthy and they 're not you know they 're not stealing for money to pay for their doctors ' bills You need to be careful that people won 't steal from you for money contradictory +Do you have a set menu ? The menus usually change at other places . neutral +oh can you imagine because it it happens in the middle of the night so the parent The kidnappings happen in the middle of the night . neutral +What did he expect us to do next ? What did he expect us to do after the battle ? neutral +We 're going to stay on the other side of the river , south of the village . The land is completely dry . contradictory +I could feel it . I didn 't know what what happening . contradictory +For the other five year-periods , it is conservatively estimated that all installations will be completed within three years . The Construction workers delayed the installation because they are lazy . neutral +If you are happier to leave the seamanship to someone else , then take a harbor cruise at Marina del Rey , San Pedro , or the Balboa Peninsula . If you don 't want to sail , then take the harbor cruise so you can sit back and watch the sights go by while you sip champagne . neutral +And when he finished , he asked : When he finished speaking , he asked if he could get her autograph . neutral +but they 've kept you hopping there You 've had to keep hopping there . entailment +Also of the massive lattice wooden screens though which unmarried daughters were allowed to peep at their parents ' guests in the drawing room . The unmarried daughters were looking forward to marriage . neutral +They 've just found a new pet . " They just found a new pet in the store . neutral +You can get bus information from the Dublin Bus Office in Upper O 'Connell Street or from the Dublin Tourism Centre in Suffolk Street . There are no busses in Dublin . contradictory +Ca 'daan left the brill . Ca 'daan left the brill out of fear . neutral +Screening and brief intervention for alcohol : what will it take ? Interventions for crowd sourcing experts . contradictory +As the Democratic National Committee sinks deeper into scandal-related debt , the Democrats can look forward to running without a functional party organization to support them . The Democratic National Committee is on the uptick , financially . contradictory +um i have no idea I am sure of the answer . contradictory +yeah that 's we 're in a yeah that 's we 're in a near next to a town called Plano Texas and it 's very um it 's like Falls Church Alexander i mean Montgomery County i 'm familiar with where you 're at um and they really that 's a good way to put it i know Montgomery County resembles this area . entailment +When did you first suspect John Cavendish ? I asked , after a minute or two . I spoke after a minute or two , asking when John Cavendish was first suspected . entailment +The hillside estate , only a short bus ride from Funchal , is the property of the family that owned Reid 's Hotel and is one of the famous producers of Madeira wine . No one who ever produced wine has ever owned the hillside estate . contradictory +For the treatment and all follow up care , one could pay in easy month-and-half installments spread over 25 to 45 years . The treatment is very costly and the follow up is equally so . neutral +It possesses a celebrated collection of Goya 's paintings , including Burial of the Sardine , and a superb self-portrait of the artist in his old age . Goya painted lots of famous works . entailment +( Click for a graph that illustrates the growth in bandwidth . ) The graph has an illustration of the bandwidth 's growth . entailment +Obtaining funds from study sections on emergency care is difficult because peer-reviewers do not view alcohol-related research as being vital . Study sections on emergency care is primarily focused on alcohol related issues . neutral +oh okay do do they play like uh like does the eight year old play baseball They don 't play basketball . contradictory +But since then I 've remembered what the young gentlemen " ” John and Lawrence were still the " young gentlemen " to Dorcas ” " call the ' dressing-up box . ' It 's up in the front attic , sir . There is only one box in the attic , which contains some very interesting clothes . neutral +i mean yeah and i mean certainly he wasn 't going to take Bob Dole on and not that Bob Dole would even take the position i mean he 'd be giving up more than he 'd gain Bob Dole was definitely someone he was not going to go against . entailment +Traditional Irish music is also alive and well , especially in the pubs , and there has been a revival of storytelling , poetry reading , and traditional dancing . The pubs are home to lots of different art forms . entailment +um-hum um-hum i think we hear more crap classical music than we think we do because of how much of it 's used in commercials You may find that tons of commercials use classical music . entailment +In the late 1970s Hong Kong became the conduit for China 's goods , investment , and tourism . Hong Kong traded with China for fifty years . neutral +U.S. economic interests through the prevention and mitigation ofmarine incidents . Prevention of marine incidents for U.S. economic reasons . entailment +Vrenna stood behind him , blood dripping from her saber . Vrenna was behind them with blood on her saber . entailment +Grotesque animal costumes are worn , bawdy jokes are exchanged , and ritual dances are performed . Joking , wearing of animal costumes and ritual dances can be experienced . entailment +37 Efforts such as the Department of Labor 's saving outreach program can serve as a catalyst to educate employers about pension plan options they can offer to their employees as well as to encourage individuals to save more on their own behalf . Educating employers about pension plan options can be of benefit to their employees as well . neutral +Causeway Bay also has a variety of bars and clubs . Causeway Bay has more than just bars and clubs . neutral +Surely a chilly business partner would at least have known about a case that was about to go on legal record and would never have urged her husband to brazen it out with the grand jury and start the whole miserable ball rolling . Having her husband go in front of the grand jury isn 't consistent with the actions of a level-headed business partner . entailment +Call for me in passing ” the last house in the village . I live in the center of town . contradictory +Minimizing question sets for interviews will result in obtaining less information . Smaller question sets will result in getting less information . entailment +two point one keys and and you 're you 're lost You get lost with 2.1 keys . entailment +In the past , Santa Eul ? ria was primarily a market centre for the rich farms of the northeastern quadrant of the island . It used to be a market center for poor farms . contradictory +In addition , GAO has said the national strategy development and implementation should include 1 ) a regular update of a national-level threat and risk assessment effort , 2 ) formulate realistic budget and resource plans to eliminate gaps , avoid duplicate effort , avoid hitchhiker spending , and protect against federal funds being used to substitute for funding that would have occurred anyway , 3 ) coordinate the strategy for combating terrorism with efforts to prevent , detect , and respond to computer-based attacks , 4 ) coordinate agency implementation by reviewing agency and interagency programs to accomplish the national strategy , and 5 ) carefully choose the most appropriate policy tools of government to best implement the national strategy and achieve national goals . GAO can coordinate terrorism efforts with local governments and the police . neutral +Men Are From Mars , Women Are From Venus ( Gershwin Theater , New York ) . Gershwin Theater has its location stated as New York . entailment +Others may not promote referral and treatment . They all support referrals and treatment contradictory +Its environmentally-sensitive development of the Costa Smeralda is a mecca for Europe 's yachting set and August sees its limited five-star hotels booked months in advance . Costa Smerelda is a great place for yachting . entailment +It is important to recognize that this transition to a more effective homeland security approach is part of a larger transformation effort that our government must make to address emerging security , economic , demographic , scientific , technological , fiscal and other challenges of the st century and to meet the expectations of the American people for timely , quality and cost-effective public services . Streamlining homeland security to a smaller department is the first step in a multi-milestone approach to ensuring the government is addressing national security , cultural shift , technological and financial changes . neutral +Lake Arrowhead and Big Bear Lake , situated about an hour 's drive east in the San Bernardino National Forest , consist of rugged mountain terrain . The rugged mountain terrain is dangerous . neutral +For example , construction activities cannot commence until a construction permit is obtained . Construction permits cost $ 7 . neutral +The church itself is an unprepossessing reconstruction after a devastating fire of 1771 , but the Brancacci Chapel with the great Masaccio frescoes miraculously survived intact . The Brancacci Chapel survived the fire of 1771 . entailment +Beyond the two monuments is Waverley Bridge . The two monuments are past the Waverley Bridge . contradictory +According to the Commission , the Committee 's membership included small businesses and associations representing both large and small businesses as well as a telecommunication association representing end-users , some of whom are small entities . The committee was made up of only telecommunications associations . contradictory +We already conduct exit conferences and , following the Yellow Book and Communications Manual , submit draft reports for agency comments . We conduct entrance conferences . contradictory +There was--my personal favorite--the travel agency advertising a Jewish Singles Weekend , the high point of which was a visit to the Washington Holocaust Museum . The travel agency had an inappropriate ad that made Jews demand an apology . neutral +everybody is wanting to go on and and get the sentence done and if you 're trying to hold out you know there 's so much pressure on you and you 've got to come up with a decision Everyone there was eager to get the sentence entered . entailment +So they 'll be gone by this winter--just as soon as the Christmas shopping season is over . They will vacate after the Christmas season is over . entailment +Sometimes he thinks about a family he killed in a castle in the north , a young boy still clinging to his mother 's breast . He regrets many things he has down in the past . neutral +It 's a great story , the kind the Olympics used to give us all the time . The Olympics give us great stories all the time . entailment +Another answer , which may interact with the first , is that the oligarchs are not in this for the long run anyway--that at some level they all expect the game to end fairly soon , and they are simply trying to grab as much as they can . There is only one answer to this question . contradictory +you know in the past and i don 't have you know big cumulative amounts due to those charge cards because that interest rate just is a killer I don 't accumulate charges because the interest rate is killer . entailment +After observations have been made in the first phase ( and during the observations , because that is a natural way for our minds to work ) , the evaluators think about the meaning of the what does it suggest about what is happening and why ? The mind makes evaluations during observations . entailment +It landed in the center of the clearing , without losing speed , but with less noise than he had expected . The landing impact made more noise than he thought it would . entailment +well we 've uh we 've we 've test driven the Oldsmobile Delta eighty eight and a Cutlass Supreme and a used Cadillac about three or four years old We have done test drives with three cars . entailment +We identified additional strategies that leading organizations use to enhance their information management workforces . Leading organizations use more than one strategy to enhance their information management workforces . entailment +Subsequent jokes are grounded , predictably , in their sundry sexual humiliations ; easy stuff , but concentrated and layered so that they add up to a vision of adolescence as a hormone-wracked purgatory . Predictable jokes are often easy ones . neutral +MC99-1 , Opinion and Recommended Decision Approving Revised Stipulation and Agreement , May 14 , 1998 . Opinion and Recommended Decision Approving Revised Stipulation and Agreement in the month of May , 1998 . entailment +Modeling shows that when full implementation of existing regulations such as the acid rain program , the NOx SIP Call , the Tier II standards for cars and trucks , the heavy duty diesel engine standards , and the low sulfur gasoline and diesel fuel rules are taken into account , additional reductions will be needed to bring areas into attainment . The acid rain program is an existing regulation . entailment +but it 's fun It is fun . entailment +Leave it to the Globe to conclude , JFK Jr , Slashed ! The Globe will consider the best outcome , JFK Jr said . neutral +I would have said , Whoa ! I would have kept silent . contradictory +but i don 't know how any i mean the whole thing sounds a little bit ludicrous but that 's my word I know exactly how and the whole thing is perfect the way it is in my honest opinion . contradictory +it 's similar It 's about the same . neutral +West Communications , although we did not conduct comprehensive case studies at These entities . It was a mistake . neutral +But remember that ceramics can be heavy and fragile to carry home Ceramics are very light and are not fragile . contradictory +spots in it Spots in it entailment +Sports historians anointed Indians second baseman Tony Fernandez the goat for missing a ground ball that ended up deciding the game--forgetting that Fernandez 's previous two-RBI single was the only reason the Indians were still in the game . Sport historians are mean towards Tony Fernandez because he made some offhand comments about their credibility . contradictory +By the time homeowners seek help , they have lost much of their equity . All homeowners who seek help have already managed to boost their equity . contradictory +Most notable among the museum 's non-Italian painters are El Greco , Breughel ( Blind Leading the Blind and the Misanthrope ) , Cranach , Holbein , D ? ? rer , and a Van Dyck Crucifixion . The museum has a wide variety of artwork from American , French , and Spanish artists . neutral +She had been their kind and generous benefactress . She did everything she was asked to do . Everything . neutral +Ultimately , the benefits of audit work occur when audit findings are resolved through meaningful and effective corrective action in response to the auditors ' findings and recommendations . It is encouraged that all companies do audit work regularly . neutral +yeah but so is cigarettes There are definitely worse things than cigarettes . neutral +well but it then then they can have them play against each other Well then they could have them play . entailment +Since these are acute mortalities , it is assumed that there is no lag between reduced exposure and reduced risk of mortality . Whether or not there is a lag between reduced exposure and reduced risk of mortality is beyond the scope of this report . neutral +on your plastic bumper uh-huh Your bumper is plastic . entailment +Hanson had been busy during most of the time . Hanson was idle for most of the duration contradictory +I am proud to say that we served the Congress and the American people well in fiscal year 2000 . We did a great job serving Congress and the public from 2000 until 2006 . neutral +The slave trade to Fena Kef used to be strong , said the Kal . Kal talked about the history of the slave trade . entailment +In the ferment that led up to the Revolution , it was a scene of furious debate . The leaders of the Revolution met here on many occasions to debate . neutral +One commentator said that we should have provided the Kosovo Liberation Army with weapons but not sent our troops . The commentator said we should have sent more troops in addition to providing the Kosovo Liberation Army with weapons . contradictory +and they just said well you know clutches are disposable and i said since when brake pads are disposable you know we know that but i never thought a clutch was disposable in all my time as a mechanic , I 've never seen a clutch or brake pad that was disposable contradictory +sounds like he that you were right You were right about my cousing neutral +They have allowed him , through their agency , to redefine the GOP . They have given him permission to influence the GOP . entailment +incredibly large sharks I was nervous while looking at the sharks . neutral +They believed that stewardship reporting could be accommodated either within the basic financial statements , for example , as a note , or as Required Supplemental Information ( RSI ) . They thought that stewardship reporting could be met with basic financial statements or RSI . entailment +An LAF board member since the mid- ' 80s , Hilliker has been involved with legal aid in some way for his entire career . Hilkeker turned down the board position . contradictory +In addition , another benefit includes permitting real estate advisers to pension plans to continue to register with the SEC , which will allow the advisers to comply with the requirements of the Employee Retirement Income Security Act of 1974 ( ERISA ) . The Employee Retirement Income Security Act met with a lot of opposition in Congress . neutral +As I was saying to Miss Tuppence , resumed the lawyer , " I set to work to prove the impossible possible . Miss Tuppence asked the lawyer the same question before . neutral +There is still a regular cattle market here for the farmers from the surrounding countryside . The farmers have a normal cattle market . entailment +The more somber themes alternate with kyogen farces about the life of the common people , which often feature a satirical element . Kyogen farces typically feature an element of satire to them . entailment +From a welfare point of view , a type-2 discount situation is extremely attractive because the potential gains are large . Type-2 discount situation will add drastic changes to welfare . neutral +But , as Professor Frank H. Knight used to say , what people want is not only to have their wants fulfilled but also to have better wants . Professor Frank H. Knight said that people want to have their want fulfilled . neutral +The palace has been splendidly restored since World War I with the help of private contributions , most notably from John D. Rockefeller . Since World War I , the palace has fallen into decrepitude . contradictory +maybe on smaller smaller scales Maybe on insignificant scales . entailment +The Constant 2000 National Saving Rate simulation is intended only to show how saving more results in higher economic growth over the long term . The Constant 2000 National Saving Rate simulation determined how much cheese there was on the moon . neutral +Akin to corroboration and an essential methodological feature of case studies . It produces very useful results . neutral +You really worry that you may be told you 're in the wrong place ? You 're worried about being told you 're in the wrong place while traveling in a foreign city . neutral +but anyway yeah it 's been interesting though all these different people and some of them are real friendly you know and it 's like yeah man when i come to Dallas i 'll call you you know and then others of them are like they just wanna go but then some of them have babies crying in the background too so there may be other reason than you know that but well anyway are you in Dallas Some of the people from there are really friendly . entailment +It has also spawned an entire new business model , exemplified by Dell Computer , that is reshaping the entire personal-computer industry . The business model exemplified by Dell is reshaping the personal computer industry . entailment +Ogling colleagues or forcing female employees to sit beside their bosses at social events is also unacceptable . Ogling colleagues should be done more often . contradictory +Chamber of Commerce spent $ 7 million on advertising in support of GOP candidates The Chamber did not support the GOP with advertising . contradictory +A NYT business section piece claims that the deal leaves America with six independent media companies ( down from 50 in 1983 ) . The deal has decreased the number of independent media companies . entailment +well in so many cases it 's not a loan it 's just a give a giveaway These loans are always spent on frivolous things . neutral +The conversation told him more than he needed to know . He even got to learn the girl 's name . neutral +The splendid old vats and winepresses are themselves worth the visit , and the guides will tell you everything you want to know about wine . There are many tourists in the world who would love to see the old vats and winepresses . neutral +Stardom can be addictive . Stardom is boring and nonaddictive . contradictory +Check out our newest feature , Ask Bill Barnes . We decided to cancel Ask Bill Barnes , and not unveil it to the public . contradictory +In the neighboring Namba district , the Shin-Kabuki-za Theater ( at the bottom of Midosuji Boulevard ) gives kabuki performances only three weeks each year . The Shin-Kabuki-za Theater has multiple performances year round . contradictory +It worries me that before I thought too hard about it , I was having a pretty good time . The speaker did not think about their situation at all . contradictory +And there have been proposals to control sales of fast food and souvenirs . There are too many fast food and souvenirs stores . neutral +There 's no shelter , and we 're not going to build a shelter , Johnson said . There 's no shelter and we won 't build one because we just don 't have the funds . neutral +uh well i work as a temporary in the Speech Lab I work in a Speech Lab . entailment +Moreover , the researchers found that a significant portion of higher-income households save little . Higher income households do not save much . entailment +so he went to a used car garage i guess or place and got the bolts and He spent many hours at the garage . neutral +Nargess Shadbeh , director of the Oregon Law Center 's farmworker program , said the Indigenous Project will continue into the future if more funding can be raised . Nargress Shadbeh is the director of the law center . entailment +It was an LBO . There 's no way it was an LBO . contradictory +Since most movies are bad ( both in the subjective aesthetic sense and in the cruder sense of being unpopular ) , discounting the bad ones would bleed revenue while probably not persuading many moviegoers to make the tradeoff between quality and cost . I think there would be some advantages to discounting bad movies . neutral +The exorbitant salaries have inspired modern players to train year-round , building strength and stamina with their new regimens . Low salaries inspire modern players to work harder at their game . contradictory +For the first time , the TV stations reached the state when commercials were shown 24 hours a day . TV stations showed junk food commercials at all times . neutral +no uh no uh no as a matter of fact uh Turner Broadcasting I agree with your statement one hundred percent and believe that what you said is factual information . contradictory +The skill , they say , is to find a slot machine that 's hitting ; that is , a computer that 's programmed to pay out big money . Slot machines are computers which can be programmed . entailment +Parallel to the strategic bequest motive , we can hypothesize a strategic gift motive that operates while the parents are still alive . Everyone gives for the same reasons . contradictory +uh allowing it to happen Nothing happened . contradictory +On the morning of his death , he left his bed and insisted on going out to help his neighbor plant daffodils . He had a stroke and died in the garden . neutral +As noted in Section I ( Introduction ) , we present Base and Alternative estimates for mortality and chronic bronchitis benefits . Section I does not provide estimates . contradictory +boy that 's unreal when you think about it you know that 's that must be something uh to It is always unreal . neutral +Now in the hands of the Rockefeller Foundation , its famous gardens can be visited by guided tour . It is owned by the Rockefeller Foundation , and its renowned gardens offer guided tours . entailment +Any Big Thoughts on this , Jim ? Jim 's thoughts are always big . neutral +yeah i 'm thinking about it my husband wants he wants to go to and sign up for the weights I 'm considering it ; my husband wants to sign up for the weights . entailment +Bork was immovable . It was easy to push Bork aside . contradictory +yeah but he 's going to be he 's going to be running the firm for the next i don 't know ten days or whatever to evaluate He has experience running firms in New York and Seattle . neutral +Finally , there is the ILAC Ceter , which is second only to the St. Stephen 's Green center . St. Stephen 's Green center is second only to the ILAC center . contradictory +The evidence ? The proof ? entailment +The walls are covered with porcelain figures telling exotic a Japanese samurai , Chinese mandarins , monkeys , and birds . There are figurines of monkeys and birds on the walls . entailment +Each of the 11 organizations covered by our review is described in Appendix II . All the 11 organizations are described in Appendix II . entailment +The only remaining evidence of industry is Priests Mill , which has been a corn mill , a bobbin mill , and a sawmill . Priests Mill was once used as a bobbin mill . entailment +Trapped in Monicagate Not stuck in Monicagate . contradictory +She wanted me back . She wanted me to come back . entailment +The federal government now tracks 188 companies specializing in subprime loans that broaden access to home mortgages , but at a price that typically includes higher interest rates and fees , and other costly requirements . The reckless lending of these subprime loan companies could contribute to a financial crash . neutral +I 'm in a huge , overwhelming sea of debt , said Jennifer Arons , 28 , a criminal defense staff attorney at Manhattan Legal Aid . At least one of Manhattan Legal Aids ' criminal defense staff is overwhelmed by debt . entailment +and perhaps it 's because our campaigns have become so terribly expensive to run uh that only the most wealthy can do so one of the reasons why only the wealthy run campaigns nowadays is that they are very expensive entailment +There 's free land to be had in the valley . The land in the Valley is selling at a very high price , contradictory +Sociology Lives ! Sociology is dead . contradictory +Sociology Lives ! Sociology is dead . contradictory +and uh i i think there you know it 's a pretty good option to have of course the 401K 401K is is a good you know it 's a good savings vehicle The 401k is a good option to have for savings in addition to the vast wages you are already making , since you are definitely considering retirement neutral +Or subscribe ( free ) to our e-mail edition . The e-mail version is automatically given for free to print subscribers . neutral +To get the best price , though , you must get to know the market by browsing in several shops and asking the prices of comparable pieces . All shops sell comparable items at the same price . contradictory +You do not need to assess reliability if the data are used ( 1 ) only as background information or ( 2 ) in documents without findings , conclusions , or recommendations . It never hurts to do reliability assessment for your own peace of mind , however . neutral +check it back and just grab it you know if i just go to my garage and grab it I can just go to my garage and grab my shovel . neutral +and uh everyone 's a manager but nobody can get one more point to become you know like whatever you need to earn so much money Everyone is a manager but no one can get a big enough point to earn more money . entailment +Information sharing is impeded when there is a lack of clearly understood agreements and expectations on how potentially sensitive information will be used and protected by the recipients . Information sharing has been hindered because of lack of understanding . neutral +Its climate is distinctly Mediterranean and even subtropical at its southern tip , and its inhabitants are known for being friendlier , more open , and even more Westernized than their compatriots in the rest of the country . Its climate is colder and less Westernized compared to the rest of the country . contradictory +Further evaluation should be performed of lower cut points for TWEAK , CAGE , and AUDIT . TWEAK , CAGE , and AUDIT have already been evaluated to some extent . entailment +Top leadership commitment is crucial in developing a vision , initiating organizational change , maintaining open communications , and creating an environment that is receptive to innovation . Negative reaction from top leadership drives organizational excellence . contradictory +well that 's interesting i had no idea that was just for the employees and i couldn 't understand i kept getting these calls i thought it was an advertisement and they just were also called TI you know there is Texas Industries and different things I mistakenly thought these calls I kept getting were advertisements . entailment +Comptroller General Aof the United States The general was a good person . neutral +He is here ? " The change in the German 's voice was audible as he replied with slight hesitation : " We have received a message . We could hear the change in the French 's voice . contradictory +The organizations had taken steps to ensure that personnel involved in various aspects of their information security programs had the skills and knowledge they needed . The organizations did not employ people for their information security programs . contradictory +The ability of the case study to capitalize on insight , to shift focus as the data demand , and to let disparate pieces of evidence fall into place in ways that are not always easy to describe or command is believed to yield a richer , fuller , and truer explanation of why things look the way they do than the more limited number of tests of a priori hypotheses that other methods use . The case study focuses on the inability to change as data changes . contradictory +Come here , Hastings . Join me , Hastrings , and quickly . neutral +Within the bounds of the Gardens is a Planetarium and exhibition as well as space theme park . Head to the Gardens to find the Planetarium and a lovely exhibition . entailment +it 's so it almost needs to be something that has more impact for the individual on going it nearly has to be a thing that affects the individual more entailment +Jon holstered his guns and drew his rapier . Jon was determined to poke the man 's eye out . neutral +Government and industry practitioners discussed best practices , tools , and processes they have used or seen used to review facility designs , and suggested how federal agencies could use such tools and processes to foster quality design . Design quality is only affected by the skill of engineers . contradictory +Come nighttime , however , the place can be all but a ghost town . This place draws in thousands of tourists every day . neutral +cried the girl , fiercely ; but there were pink spots in her cheeks as she retreated into the cabin and began to slam the pots and pans on the stone hearth . The girl cried because her dog died . neutral +The methods and types of case studies outlined here are not definitive . Great methods and types are outlined in case studies . neutral +However , postponing intervention to the follow-up visit poses great logistical problems . Logistical problems are caused by the postponing of intervention to the follow-up visit . entailment +Imagine seizing these creatures , feeding them or trying to , and keeping them hidden . Imagine taking these animals , trying to give them food and keeping them out of sight . entailment +With an exhilarating leap of the imagination , you can stand among the columns , arches , and porticoes of the Roman Forum and picture the civic , commercial , and religious hub of the great city , the first in Europe to house a million inhabitants . You can imagine being in the city at that time . entailment +The one street market you shouldn 't miss is Mumbai 's Chor Bazaar , or Thieves ' Market , which is an extravagant flea market where , among other things , you 'll see Indian motorists buying back spare parts stolen from their cars the night before . Mumbai 's Chor Bazaar is also known as the Theives ' Market . entailment +Brocades and Silks . Silk and Cotton . neutral +On the island of Borneo , the great natural attractions are Sarawak 's caves at Niah and Mulu , river cruises with a visit to tribal longhouses , Sabah 's national parks of Mount Kinabalu and the offshore islands , and the Sepilok wildlife sanctuary . Sarawak 's caves at Niah and Mulu , Sabah 's national parks of Mount Kinabulu and other attractions can be experienced on the island of Borneo . entailment +about five more years maybe but um i don 't know i don 't know really The situation stops here . contradictory +And more than likely , historians will point to the May 1 election as the political dawn of Great Britain 's Age of the Internet . Before the May 1 election , Britain had very little internet presence . neutral +But it wouldn 't have made any difference if they 'd been Wilson 's the One , Theodore Roosevelt 's Back Again , Franklin--That 's All , and Nixon , Come Back . Difference would definitely have been made if they 'd been Wilson 's The One , Roosevelt 's Back Again , Franklin 's That 's All and Nixon 's Back Again . contradictory +Standing alone in fields leading to the sea , their buff-stone columns take on a wonderful golden glow at sunset . The fields are not well known by tourists , only locals . neutral +my oldest yeah my oldest daughter is hard headed as can be My oldest daughter turns 18 this year . neutral +The interpretations could also create incentives for abuse . Some conservative lawmakers are keen to take advantage of the loophole created by this reading . neutral +After purchasing a combined entrance ticket from a nearby stone kiosk for all the major structures on the Temple Mount , climb the steps to the Dome of the Rock . Kids can go look at the Temple Mount for free . neutral +I almost died . I almost died in the bloody battle . neutral +but when you 're doing the guilty father complex you know because he 's not there to watch us grow you can kind of get all kinds of stuff you know They try to live for the moment but being a father is hard . neutral +History makes it clear that children and teen-agers are no strangers to violent impulses . Children and teenagers are able to subdue some of these violent impulses thanks to a newly invented drug . neutral +Perhaps the most that can be said on the subject is contained in a passage written by Chief Justice Shaw of the Supreme Judicial Court of Massachusetts that we have often No one has anything to say on this subject . contradictory +we were kind of in for a rude awakening they had personal property taxes on like cars and the first year we 're there it was like eight hundred dollars and we 're like The personal property taxes were very low . contradictory +The last very good day for both of them was spent at Miss Elwira 's , the accountant , name day party . The day was more fun than they had expected . neutral +I thought that was distinctly understood ? " I thought that was distinctly misunderstood contradictory +Only 95 each ( who would order just one ? ) Only 95 years to complete each ship . neutral +All centers are affiliated with one of the major certifying bodies Corruption is a major program among the major certifying bodies . neutral +During this time Kyoto thrived as Japan 's cultural and creative heartland . Kyoto is one of the most important cities of Japan . neutral +yeah somebody somebody let the brains run out on the floor though The brains were scooped up off the table and put back into his head . contradictory +The Rise of Athens Athens ' ascent to power . entailment +and they are now putting in you know some sort of federal arbitrator i think or something because they just have a horrible time getting the you know getting their contracts straightened out they have been good and they only walked out once or twice i believe they keep getting you know they they 'll go all the way to your table they 'll have some proposal and then they are taking all kinds of new measures to get their contracts straightened out neutral +that 's when it 's important to really check out the medical aspects of it when you 're when you 're in something like that that they 'll get the kind of medical care they want without or There 's no health care , so it doesn 't matter . contradictory +Steps inside the outer columns lead up to galleries at four levels , and the view from the top gallery is spectacular . From the galleries you can see the ocean . neutral +And running the show darned systematically too as they always do . Running the show is very messed up systematically . entailment +They want blood and they will wait until they can go north to get it . They will wait until they can go north to get blood . entailment +Savings would be achieved if the combined costs of ( 1 ) examining the sample and ( 2 ) projected losses due to undetected errors on invoices not examined are less than the administrative cost of examining all invoices . Savings could be had if the sample was examined and errors are detected . entailment +1.5 , formerly methodology transfer paper 5 . Using Statistical Sampling . Statistical sampling should be used . entailment +After all , unlike inventors who should be rewarded for innovation resulting from their personal efforts , leadership of a major public company is a team effort . The majority of financial rewards arising from innovation should be given to inventors . neutral +i know who was the quarterback see i can 't even think of who the New Orleans quarterback is I don 't remember who the quarterback for New Orleans is . entailment +yeah uh i heard that but i heard on uh uh the radio this morning that that uh you know old Bobby Valentine said that there was no no uh truth to that but you never can tell Bobby Valentino confessed that it was all true . contradictory +Yes , abortion is anathema to John Paul II , who is bemused by suggestions that he has an obsession with the subject , but he condemns abortion because he sees it as not only anti-life but also anti-woman . John Paul II is pro abortion , he sees it as crucial to God 's plan for the Earth . contradictory +Traditionally a poor island , the native population has happily embraced the new seasonal lifestyle that has brought them proserity , and the old ways have almost completely disappeared . The old ways of the native population has almost completely faded away . entailment +Red--I mean-- " Red , I wanted to say . neutral +4 billion is spent on medication and doctor visits . There is plenty of room for growth--only an estimated 12 percent of hay fever sufferers seek medical treatment . Hay fever spending may rise if more of the 12 % decide to seek medication and a visit to the doctor . entailment +By then Gore will be campaigning seriously , distancing himself from Clinton , and running macho ads ; Bradley will have defined his big ideas and endured the inevitable media backlash to his current rave notices ; and the voters will actually be paying attention . Gore will try to be distanced from Clinton . entailment +but i think that 's what usually happens to them I guess that 's what happends to them usually , they blow a lead in the finals neutral +yeah i don 't think i 'd know where to start with a diesel I have no experience with diesel , only regular gas cars . neutral +and i 'm going to i 'm going to be the primary caretaker and you know and then then take care of the children because we don 't want to put them in day care and this and that i think most Americans would feel funny about that and maybe sort of feel like he isn 't that success that he could have been Most Americans think it 's normal to become a caregiver to kids . contradictory +However , further unrest led to more coups in 1971 and 1980 , after which yet another , more restrictive , constitution was prepared . After the unrest caused more coups in 1971 and 1980 , another , even more restrictive , constitution was prepared . entailment +, thoroughness , appropriate use of investigative techniques , impartiality , objectivity , protection of individual rights , and timeliness ) is exercised . Thoroughness , impartiality , objectivity , and protection of a single persons right are all used . entailment +Lanais afford views of the Diamond Head end of Waikiki Beach . You can see the Diamond Head from every room in Lanais . neutral +Although it 's also home to such major film and television studios in Burbank and Glendale as Universal , Warner Brothers , and NBC , the Valley is forever battling its reputation as a boring and actionless suburbia . Valley is always trying to prove they are not boring despite being home to entertainment studios . entailment +Medieval A 12th-century fortress ' foundations and drawbridge support uncovered while excavating new entrance halls . The modern fortress does not have a drawbridge . contradictory +bilingual is just horrendous i 've had friends fail that twice I have had friends fail the bilingual two times . entailment +Casual employees are paid lower wages and have fewer fringe benefits . Casual employees dont work enough for the benefits neutral +From Chapter 4 , a 500 MWe facility will need about 175 tons of steel to install an ACI system , or about 0.35 tons per MWe . A 500 MWe doesn 't need any steel for an installation . contradictory +The Democratic senator opposed the Gulf War because Saddam Hussein is no Hitler , and the control of Kuwaiti oil was not a cause worth dying for . The Senator from Vermont did not think the Gulf War was something that we should have died over . neutral +Defeat shattered the Second Empire . The Second Empire was crushed due to their defeat . entailment +It sets minimally humane working conditions that foreign factories must meet if their products are to sport a No Sweat label . If a product is to carry a No Sweat label , it must mean minimally humane working conditions . entailment +oh yeah they are Oh no , they 're not . contradictory +i mean i think there 's a lot of waste in in schools i 'm a teacher i feel that yes i feel i definitely feel that way all this money that 's being paid for administrators Since I 'm a teacher , I know schools don 't waste anything . contradictory +All traces of an ugly 19th-century attempt to balance it with a second tower have been removed . There was an attempt to balance it with a second tower . entailment +In front of him ran a narrow passage , with doors opening on either side of it . In front of him there sprawled a wide passage , with closed doors on either side . contradictory +well people who tend to be say on death row they i think they 're kept in isolation all the time i don 't believe that they 're given a chance to uh do anything productive or even uh mix with the rest of the prison community People on death row are in isolation all the time . entailment +His forces made a series of attacks from their bases in the Dodecanese islands , including sinking a Greek naval vessel in the harbor of Tinos Town , but they only succeeded in strengthening the resolve of the population against them . They attacked from their bases in the Dodecanese islands and killed thousands . neutral +( without fringe benefits ) was $ 24,076 for full-time U.S. workers in that year . Fringe benefits are not included for federal workers . neutral +'Trust me , it 's easy , ' Derry said . 'It 's really hard ' , Derry said . contradictory +The play is so wildly miscast and so haplessly misconceived that it is hard to figure out what its creators exactly had in mind , says the New York Times ' Brantley . The play is cast incorrectly and it is difficult to see what the creators wanted for it . entailment +Similarly , a comparison of annual growth rates for the same period in Table 2 with those in Table 5 reveals the ( a ) the 2.0 percent annual decrease of bill / payment volume in Table 2 has been augmented to a 3.3 percent annual decrease of perhousehold volume in Table 5 ; and ( b ) the 3.3 percent annual increase of total advertising mail volume in Table 2 has shrunk to a 1.8 percent annual increase of per-household volume in Table 5 . The 2.0 percent annual decrease of bill / payment volume in Table 2 has been augmented to a 3.3 percent annual decrease of perhousehold volume in Table 5 . entailment +Wouldn 't padding--even thin--be gilding the lilies ? put cushions on the lily . contradictory +I headed for the lab . I stayed home . contradictory +you can use that i don 't know why you can 't use other credit cards for business that way You can only use Visa cards to pay for business items via your smartphone , I 'm not sure why you can 't use other cards . neutral +Bauerstein in ? " She stared at me . She didn 't even ask if Bauerstein was here yet , which was odd . contradictory +Today there are more than 300,000 . Today there are less than 300,000 . contradictory +I guess you 'll do some riding in it before we 've finished . " Are you going to ride around in it before we finish so you know if you actually want to buy it ? neutral +You 're also much more likely to see true Rastafarians here , along with many others who simply enjoy living the image of the religion without abiding by its strict rules . True Rastafarian fans enjoy the image of the religion without being restricted by strict rules . entailment +But it was left to a three-judge U.S. It was left to China . contradictory +The Brabourne Stadium in Mumbai is more relaxed . The stadium in Mumbai used to be dangerous . neutral +yeah yeah that 's the first thing i thought of i don 't know That is the first thing I thought of . entailment +It did not yield much . It yielded a large amount . contradictory +The executive editor of the Morning News dismissed the fabrication theory as ad hoc damage control . The executive editor prioritized dismissing the theory . neutral +Hence , to give expression on the books of account ; said of transactions . Transactions are defined as an explanation to the books of account . entailment +Specifically , we have identified 4 overall goals common to these leading organizations along with 11 practices that were critical to their ability to meet these goals . The leading organizations have no goals in common . contradictory +What does mere food matter ? " " Where does food get us ? " entailment +Sante Kimes , about her odd child-rearing techniques . Sante Kimes is famous for her child-rearing techniques . neutral +We cannot bring class-action suits , and we cannot ask for attorney 's fees when we win a case . When we win a case we can 't ask for attorney 's fees . entailment +In the New York Times , Maureen Dowd savages Woody Allen 's Deconstructing This movie is not art . Maureen Dowd 's piece was not widely praised because of Allen 's star power . neutral +I 'm saved , her husband says after the arrival of the forgiving letter . Her husband saw the letter had arrived . entailment +they can go ahead and use it then or they can just wait the full year and then have two Vacation weeks add up over time . neutral +Mahmud smashed the infidels ' idols and destroyed their temples as he went , but was nonetheless cultured enough to use the booty to build a library , a museum , and a splendid mosque when he got back to Ghazni . Mahmud looted libraries , museums and mosques in the interest of becoming rich . contradictory +The headland between the two main bays is called The Hill ; here you will find the oldest part of town . There are three main bays . contradictory +LSC believes that the total number of LSC eligible clients served by LSC grantees is of considerable relevance . The LSC has a lot of grant neutral +For instance , to avoid polluting the elements , Parsis do not bury or cremate their dead , but lay them exposed and naked on their famous Towers of Silence for the vultures to devour . The Parsis stopped using the Towers of Silence because it was weird . contradictory +This Democratic rebuttal shatters the jury frame and diverts scrutiny from the defendant to the prosecution . The Democrats believe that shifting public attention will cause the case to end in their favor . neutral +The headland between the two main bays is called The Hill ; here you will find the oldest part of town . The oldest part of town , The Hill , has the city 's largest population . neutral +large as a grown man 's thigh A grow man 's thigh is almost as large neutral +Let Shannon think he was backing down . They wanted Shannon to think that he was giving up . entailment +The building itself was at one time the major water storage facility for the wealthy residents of the New Town . The building used to store water but now it is used as a museum neutral +Chapter 3 showed that about 700 man-hours of labor per MWe are required for an SCR system on a coal-fired boiler , and Chapter 4 showed that roughly 10 man-hours of labor are needed per MWe for an ACI system . Chapters 3 and 4 dictate the necessary man-hours of labor for SCR and ACI systems . entailment +Today , hundreds of soldiers are stationed in the park to keep out poachers . There are hundreds of poachers in the park and barely any soldiers . contradictory +that makes it real real convenient because i tend to find that once i get home that 's it you know That makes it seem really easy to do . entailment +On 15 August , thousands of locals make the annual pilgrimage to the church . On 15 August , the church is enjoying the biggest number of locals that visit them . neutral +that this this is the idea that i think is actually very is is what i think we should all revert to the idea that um basically they said you know everything happened in kindergarten and and in kindergarten we learned to share and we learned to um play with each other we learned to take nap you know and to take naps and and whenever we 'd start a fight we 'd all apologize and hug each other They said we learned to be bad people in kindergarten . contradictory +Perhaps he was mistaken by what he saw . Maybe he thought he saw a demon but actually it was a warrior . neutral +Is there an implied endorsement ? Is the CEO trying to unofficially endorse him ? neutral +i 've got i 've i 've got one that won 't doesn 't even like anything with fish in it One won 't touch anything with fish , but other seafood is good . neutral +i was just thinking about what movies i 've seen lately mostly uh we go to uh the second or third run movies i guess what the ones that we call the dollar used to call the dollar movies We usually go to the second or third run dollar movies . entailment +Research in this category may address a broad range of organizational issues-from the structure of alcohol and screening treatment services within the ED to the relationship of the ED to other sources of primary care and the organizational and fiscal factors affecting that relationship . Research in this category may address a broad range of organizational issues entailment +In theory , IDAs help lowincome families save , accumulate assets , and achieve economic self-sufficiency . IDAs help low-income families spend lots and lots of money . contradictory +Practice 13 : Use Attention-Getting and User-Friendly Techniques Use attention gaining and techniques that the user will know how to do . entailment +We are in the condition of people holding a seance . The seance was put off until next week . contradictory +we don 't want to piss them off and have them over produce and then because then our economy would be pretty bad If they produce excess that would be bad for our economy . neutral +Even if they were in their ship , that is , rather than in this--this-- _ cage _ . It would be the same even if they were in the ship and not in the cage . entailment +Another vast , unforgettable Velazquez canvas here is Surrender of Breda , commemorating a Spanish victory over Dutch forces in 1625 . The Dutch lost terribly to Spanish forces . neutral +yeah i 'm down here at TI TI is the Technical Institute , an engineering college . neutral +It 's quite possible , as Harvard Professor Mary Waters suggests , that the ranks of the white will simply expand to engulf the lighter or more culturally white of the multiracials . Professor Mary Waters predicts the whites will expand to integrate the more culturally white of the multi-racial communities . entailment +And he was perfectly right . " He was all good . entailment +At 17 quai d 'Anjou is the grand Hetel Lauzun , built in the 1650s by Le Vau , who worked on the riverfront faaade of the Louvre and the Versailles chateau . Le Vau was one of the greatest architects in the city in the 1650s . neutral +well only unless they change their form of government They will unless they change their habits . contradictory +Austria seized the occasion to add the Veneto to its Lombardy territories . Veneto declared its independence , breaking off its ties with Austria . contradictory +My publishers will kill me if I don 't mention my own biography of D.P. My publishers are generally very hard on me . neutral +Deliverance came when the Allies landed on the beaches of Normandy on D-Day ( 6 June 1944 ) . The failed landing meant that the Allies could not save the day . contradictory +There are all sorts of different gardens and landscapes to explore , including a riverside walk . There are lots of gardens to walk through . entailment +Concealed and protected against atmospheric changes for 17,000 years , these awe-inspiring frescoes and engravings of bulls , horses , ibex , bison , and deer were discovered by four teenagers chasing a dog in 1940 . While four teenagers were chasing a dog in 1940 , they stumbled upon ancient frescoes and engravings that have been concealed for the last 17,000 years . entailment +Especially in the evenings and on weekends , when you 'll encounter a vibrant mix of Cubans and foreigners , the island 's casas de la trova really swing . Cubans and foreigners mingle especially in the evenings and on weekends and spend hours merry-making . neutral +The large man , Barik , breathed deep and his large chest expanded . The deep breathing Barik did helped him to calm him . neutral +Ca 'daan took them to the back of the mines and the weary eyes of the villagers followed . Ca 'daan took them deep into the mines . entailment +The program focused less attention on the human factors that contribute to marine safety . The program focuses on machine performance in marine safety . neutral +Everything was just as it had been . Thing went back to the way they were . entailment +Hey ! Where are you going ? Hey , where are you ? contradictory +Researchers estimate that each dollar in increased wealth increases consumption by a few cents . Consumption increases with increased wealth . entailment +The capital , Thasos Town or Limin , is a modern port built on the site of a medieval fortress and a classical Greek settlement . Limin was never a part of the classic Greeks . contradictory +A 'deem talked . A 'deem spoke . entailment +uh along I eighty five We were near I eighty five . entailment +Clinton should build houses for the poor with Jimmy Carter . Joe and Bob should build houses for themselves . contradictory +Well , well , we must leave it at that , then . We should keep at it . contradictory +and uh maybe if they like you said if they would start when little kids and start letting them vote and learn how to vote and all Maybe they could start letting little kids vote . entailment +As American multinationals ship their production overseas , the likelihood of getting business to support an import tariff ( which would now tax their own imports ) becomes equally small . The fat-cats in power are only interested in profit , so they 'll ship our jobs out to cheaper countries , and then enjoy skimming off a hefty tariff on imported goods . contradictory +Any inefficiency would exacerbate the loss . If there are inefficiencies , these inefficiencies would only make the initial loss worse . entailment +yeah that 's uh sometimes turns into fun i think another similar one was when we 'd go uh up to Bastrop Strate State Park there in uh kind of got caught by the cold weather and we uh gathered what firewood we could and built us a campfire you know and sat around there It 's sometimes fun to get caught up in cold weather , but I prefer warm . neutral +But there 's no need to be sentimental about it . " In the meantime , nothing more was seen of Boris . Most people would be sentimental about it . neutral +At a point where the Ill divides into four canals , the tanners shared the waterways with the millers and fishermen . Beyond the four canals , the Ill divides into eight more . neutral +In any case--it 's over . " The crash is over now , at any rate . neutral +right well if you if you can make yourself do the tread mill i mean gosh that 's a good workout Doing the treadmill is a good workout because you get your heart rate up . neutral +I hardly think you can say that . He doesn 't think that he can say that because what he wanted to say was disrespectful . neutral +Oh , meeting with some visiting dignitary . Dignitaries are not allowed anymore . contradictory +Stakes are priced in US Dollars and you can usually play blackjack , roulette , poker , and baccarat . You can not play blackjack , poker , or roulette . contradictory +plot it it total even having read the book and i 've read that book probably three times watching that movie i couldn 't figure out what they were talking about I 've read the book at least 3 times . entailment +but uh we 've gotten pretty good at it we 've been doing it a couple of years now We 're still not sure how we rate . contradictory +Waxy , lean , and lupine in his black Zegna suits , he sports what appear to be false front choppers , and masticates his dumb , satanic monologues with Shavian relish . The Zegna suits are black . entailment +Shining , hand-beaten objects in copper and brass can be found in the shops around the Old Bedesten in the Grand Bazaar , and also in Bak ? ? rc ? ? lar Caddesi ( Copp ? ­ ersmiths ' Street ) behind Beyaz ? ? t Square . Shops near the Old Bedesten sell brass and copper items . entailment +In a sense , though , what 's most striking about the WTO case is not that Kodak lost , but that it put so much energy into winning . Kodak used enormous resources in the WTO case . entailment +Ca 'daan saw the man in the merchant 's garb , surely not actually a merchant Ca 'daan now understood , reach into the twisted cloak of the groaning man at his feet . Ca 'daan knew the man was a merchant . contradictory +When , after the Lewinsky affair , President Clinton chose not to see a real clinician but a bunch of ministers , he sent the same message . President Clinton sent the same message when he chose to see a bunch of ministers , said the news . neutral +spots in it Your back has spots in it neutral +The model is designed to define average unit cost as a function of volume ( Q ) , based on the USPS cost structure for FY 1999 . Q stands for the function of volume . entailment +39 Knowing more about Social Security 's financial status would help workers to understand how to view their personal benefit estimates . Knowing next to nothing about Social Security 's financial status would help workers to understand more about their benefit estimates . contradictory +I 've got ” " It is mine . neutral +Miss Aldonka ? ' Is Miss Aldonka there ? entailment +but i understand uh that in England they play it at normal times because they don 't consider that violent and the reason they have it on here so late is because they consider it a violent program It is on late here because they consider it violent , not in England though . entailment +Documentation would also help ensure interventions would not be repeated unnecessarily . Documentation would ensure interventions would be repeated more than necessary . contradictory +okay i 'll go ahead and punch one I refuse to punch one of them . contradictory +I told him , duly weighing the evidence , that there was a very decided chance in favour of it . After reviewing the evidence , I told him that there was no hope of it happening . contradictory +Taking note of the obvious vulnerability of the old wooden houses , the government set up new building standards . The new building standards were proposed by the government in a bid to mitigate prior housing vulnerability . entailment +right well my dad 's in the in the solar energy business My father is an engineer in the solar industry . neutral +His face was pleasantly ugly nondescript , yet unmistakably the face of a gentleman and a sportsman . He was a gentleman and sportsman who had small eyes . neutral +i always like the musicals and uh those ones uh those stick in your head I forget the musicals very quickly , a lot of the time I 'm not even sure if I 've been to see the same one twice . contradictory +What door ? I started to ask , as Daniel took a perfectly ordinary looking chunk of brick wall and wrenched it aside to reveal a dark corridor beyond . Daniel showed me the door was hidden behind a fake wall . neutral +Criticizing Santorum for opposing the Daschle bill simply so that he could garner political points is an untrue and very unfair characterization of the events . Santorum opposed the Daschle bill so he could garner political points . neutral +And with the sky falling , we dare not trust one . The words blurred off in a fog of semiconsciousness and half-thoughts . Our capacity for trust changes under extreme circumstances . entailment +Grilled meats , hummous , and other Arab staples are on offer at this locally famous , award-winning institution . The meats are grilled and served on kebabs . neutral +If you prefer bitter orange , be sure to specify naranja amarga . The naranja amarga is the Spanish name for bitter orange . neutral +A good paella is always made to order and takes about 30 minutes to prepare . Taking 30 minutes to prepare a paella is ludicrous . contradictory +, our labor . Our labor . Our work . Our duties . neutral +The mainland , one guessed . One person guessed that the person was on the mainland neutral +Diesenhaus described his use of a slogan and abbreviation for a treatment strategy , Screening , Brief Intervention , and Referral-SBIR . Diesenhaus used a slogan to help identify and treat alcohol abuse in the ED . neutral +There are a couple of credible The four-letter word for vagina remains off-limits in polite conversation ( although that has more to do with feminism than with profanity ) , and the slang expression for those who engage in oral sex with males is not yet acceptable by the standards of office-meeting etiquette . There 's a couple of credible , the four letter word for vagina is off limits in polite conversation , and the slang expression for those who engage in oral sex is not acceptable in the office but is acceptable in the locker room apparently . neutral +Strategic information management will be an important part of any federal agency 's attempt to implement GPRA successfully . It is critical to implement GPRA successfully , a strategic information management department is crucial . neutral +Any relatives I have are in homes for decayed gentlewomen ! I have lots of relatives neutral +13 This sort of integrated approach may include tying individual performance management , career Number 13 is the integrated approach which may include typing individual performance management and career . neutral +However , if you want a room in a particular hotel , it is best to book , especially during July and August . If you want a room in a particular hotel , booking in July and August is best . entailment +Such assessment may provide A test might be able to provide . entailment +So as I said , the story of the baby-sitting co-op helps me remain hopeful in times of depression . The baby-sitting co-op helps keep me hopeful . entailment +go over there to pick up uh my son about two thirty and he gets out at two forty five and that gives me a little bit of time to get parked and then i wait for between between kids rather than drive all the way home i wait a little while and and at two thirty i mean at three thirty my daughter gets out and we usually let them play if the weather 's nice play outside until the traffic dies down and then we go home so i 'm there from two thirty until four o 'clock i 'm just waiting for Instead of driving home , I end up waiting between the times that my kids get out . entailment +There have been hints , indiscreet allusions , that seem to indicate that the menace is a real one . Proof points towards its existence . entailment +and it was so interesting because they were relating the war to these children in their studio and they also had children calling in live from all over the country and asking questions and they they had all their correspondents in the different areas in Saudi Arabia and Israel and and all they had them all uh on i don 't know what you 'd call it other than on line they had them all on hold and if a child asked a question that the person in Jerusalem could best answer they would cut to that person and that person would answer the question it was just very The children had very insightful questions about the war . neutral +So the review has grown a large bureaucracy designed to prevent any unfairness . The review had trouble staying fair neutral +They 's sure seen a lotta history bein ' made by men climbin ' up an ' down from saddles ! " They haven 't seen anything done by men who climb from saddles . contradictory +Some of the pomposity is insecurity over the incredible brutality of the recond business and recording careers . Recording careers are easy . contradictory +Ca 'daan saw the mark of the black diamonds on the side of her neck . There were no markings on her neck . contradictory +Then , I said , much amused , " you think that if you were mixed up in a crime , say a murder , you 'd be able to spot the murderer right off ? " You could not tell if someone was a murderer even if you were involved in murder yourself . contradictory +( His analysis is posted on the Web . ) They never got around to posting their analysis online . contradictory +A more plausible story is that bicycle shoppers like to visit fancy showrooms with knowledgeable sales staffs but then buy from discounters . There 's reason to believe that people who are buying bikes prefer to purchase at a discount . entailment +The Sala de Porcelana ( Porcelain Room ) is an overwhelming display of more than 1,000 pieces from the Buen Retiro factory of the 18th century . The Sala de Porcelana ( Porcelain Room ) is not used to display products made that the factory . contradictory +I noticed that John 's manner was somewhat unusual . John was upset . neutral +The entire plan hung on their ability to keep their numbers unknown . The were quite a small group and had to stay hidden so that none would be killed . contradictory +I 'm right , then . I was right from the start . neutral +One day I walked outside the caves and saw a ring of young men watching two more fight with knives . Four men with knives were encircled by a group of men . contradictory +The incidence of asthma is up 61 percent since the early ' 80s . The incidence of asthma has dropped dramatically since the ' 80s . contradictory +At the village 's southern tip , the UCLA / Armand Hammer Museum of Art and Cultural Ceter ( 10899 Wilshire Boulevard ) presents a small , exquisite collection of artworks gathered over the past fifty years by Armand Hammer himself . There is an art and cultural center that has a collection of art . entailment +and and that that is sort of a hidden security factor i think for this nation you know i mean The security factor is apparent to everyone . contradictory +The Government Performance Project is the joint effort of the Maxwell School of Citizenship and Public Affairs at Syracuse University and Governing magazine , which are working to rate the management capacity of local and state governments and selected federal agencies in the United States . The Maxwell School of Citizenship and Public Affairs is one of the most prestigious schools of its kind within North America . neutral +Take a right at the square and walk away from the seafront past the tram terminus that links eastern Alexandria with the city center . Alexandria is located in the center of the continent . contradictory +oh it sure does do that No , it doesn 't do that . contradictory +For example , discussions among members gradually led those from the private sector to gain an Discussions among members led those from the private sector to gain something entailment +oh that 's incredible oh , that is remarkable entailment +It was neither more nor less than the deliberate poisoning of a fond and trusting woman by the stepson to whom she had been more than a mother . Her stepson deserves the severest of punishments for her murder . neutral +It 's the cutest darn thing you 've ever seen . It 's really ugly and not cute at all . contradictory +The story begins 3.4 billion years ago with displays of fossils and rock , marking the geological changes that forged the landscape . The dinosaur fossils are the biggest attraction . neutral +This group identified agencies that had implemented practices to reduce improper payments . Some agencies had worked to reduce improper payments . entailment +Ask away , said the lady , eyeing him with some disfavour . The lady told him , that he can ask her . entailment +But he 'd never seen so clearly before . He had almost seen as clearly before . neutral +Each of the following chapters provides references to regulations and other guidance relevant to material in the chapter . Some chapters give references to regulations that are relevant to their revisions . neutral +Can any 5-year-old fail us ? Can a young child fail us ? entailment +Another factor is management 's commitment to competence . The management is quite unorganized now . contradictory +You can 't be let go . You 're not going to be let go . entailment +One man in a helm shaped like a snarling dog fought another taller dark man with a chain . A tall dark man beat someone with a chain . neutral +Prepare To Win is this passage writ large . Prepare To Win is the centerpoint of this passage . neutral +Greyhound racing is on at Shelbourne Park , Ringsend , and at Harold 's Cross Stadium . Shelbourne Park and Ringsend never host greyhound races . contradictory +People everywhere share the same criteria of facial beauty . People from around the world use the same metrics when judging facial beauty . neutral +Knights of old placed their hands on this 12th-century sepulchre when they took their oaths . There was a law that prohibited knights to take oaths in the 12th-century . contradictory +Inside , on the ceiling of the central octagonal dome , are Correggio 's greatest masterpieces , his frescoes of the Assumption of the Virgin ( 1530 ) where he achieved , in the truest sense , exalting emotion without the sentimentality of Mannerist imitators . Correggio 's work is displayed on both the ceiling and walls of the dome , with his best pieces on the ceiling . neutral +If you 're looking for second-hand bric-a-brac , try shops around the Campo de ' Fiori and Piazza Navona . The shops that are around the Campo de ' Fiori are the only ones in which you are likely to find second-hand items . neutral +yeah yeah i have a i have a friend she 's studying she 's going into law another friend going into law and that she 's i i i 'm really i 'm really concerned about you know she 's just going to be Two of my friends are going into law school . entailment +You then swing across the volcanic Owakudani valley and down the other side for a boat cruise acroseLake Ashi to Hakone-machi . The valley is made of mountains , but not volcaones . contradictory +yeah well i love the game so uh i enjoyed talking about it I love the game so I enjoyed talking about it entailment +In life and in the movie , Harrer left for Nanga Parbat when his wife was still pregnant . Harrer left for Nanga Parbat after his wife gave birth . contradictory +Slim screeched , " Animals ! like _ our _ animals ! Only they _ aren 't _ animals . Nothing lived at all . contradictory +If the auditors discover serious , but previously unrecognized weaknesses , the management awareness rating will be lowered . If an auditor finds an unrecognized weakness , the rating will not be lowered . contradictory +do you uh does does she ever want to go back to Syria Does she want to go back to Syria to visit her family ? neutral +But there is ultimately no way to make government by the people truly be government for the people . A government of the people would be just that . contradictory +But even as a new light rail system wends its way through the capital , progress has not entirely buried the past under chrome and concrete . The new light rail system is a complete failure . contradictory +Our A Low-Wage Workforce Without the Brown People . Brown people make up the low-wage workforce . entailment +Rest assured . Don 't worry . entailment +I had left the estate of my family . I left my family 's mansion and left for the city . neutral +'But ... the two of you ... ' Daniel shook his head . Daniel was speaking about to two kids . neutral +As Devine has no living relations , it makes sense for the impoverished old men to cook up a scheme by which Michael will assume the dead fisherman 's identity , and the pair will divide the money between themselves . Michael has experience as a fisherman . neutral +When he had first tried to find protectors for his village he had found none who would help . The village was soon protected by hundreds of people . contradictory +'I 've struck at the heart of the city , at the heart of the so-called Salmon Corporation- a holding of gangsters and criminals . I have tried to strike at Salmon Corporation . entailment +Since , as the papers point out , the federal program allows monitorees to go to and from work , look for Kim to be inundated with arduous meetings from early morning till late at night . Kim works at as an accountant at a large shoe factory . neutral +And for stark contrasts ' of climate , countryside , cuisine , and temperament ' combine the capital with Provence or Corsica . Provence and Corsica are entirely rural and traditionalist areas of France . neutral +As Herman Melville once famously asked in Moby-Dick , why don 't whales collapse under the pressure of all the water they swim under ? Melville wrote Moby-Dick . entailment +SOUTHWEST In the direction of the old schoolhouse . neutral +Whether you want to watch Mike Tyson pulverize his opponents , bet on the New York Giants at a sports book , or play 18 holes of golf , all it takes is the right toys and / or plenty of cash . Mike Tyson wins every single competition . neutral +Needless to say the bowl , which is still in one piece , is kept under lock and key at all times . The bowl is very precious , and we must guard it . neutral +You might choose some plausible criteria such as players ' lifetime batting averages and salaries , the coaches ' years of professional experience , and so on . Typically , a baseball player 's average salary at the professional level is over 100 thousand dollars . neutral +A third major data set comes from the California based 7th day Adventist study . Another major data set comes from the 7th day Adventist study . entailment +The goal of this project is to ensure that every paid claim faces an equal , random chance of review . The goal of the project was to ensure that the claims worth the most money were reviewed . contradictory +oh well that 's good too That is also good . entailment +okay i 'm i 'm Kyle Hunt too if you ever come to to Dallas area well we live right by the airport We got this house because it is easy to reach from the airport . neutral +Auditors should follow the AICPA 's Statements on Standards for Attestation Engagements when providing opinions on internal control over compliance with laws and regulations or on internal control over financial reporting . AICPA 'S Statements on Standards for Attestation Engagements were made last year and come into effect this month . neutral +Both the Chapel and Examination Hall were designed by Sir William Chambers , the architect responsible for Marino Casino . Sir William Chambers was a failed architect with no work remaining . contradictory +Puerto Rico quickly developed into a major port and trading post it was one of the last major ports Spanish galleons stopped in before sailing back to the motherland . Puerto Rico was located in a strategic position . neutral +However , the effect of reduced federal Medicare spending on national saving depends on how the private sector responds to the reductions . The reaction of reductions in federal medicare affect the effect of it . entailment +They sent me in to wait on Mr. Beresford . I was a good assistant to him . neutral +From the back of the cantina emerged a middle-aged Negro . A middle-aged Negro emerged from behind the cantina and said hello . neutral +I can imagine she would , said Sir James grimly . I would think that she would , said Sir James darkly . entailment +uh-huh where do what what newspaper do you get uh there I know what newspaper you get there . contradictory +The ringing of Chioninji 's bell , Japan 's large st and best known , is televised nationally when resident monks usher in the new year . Monks ring the Chioninji bell when they are celebrating the new year . entailment +you know it 's i mean i it it should probably be a big issue you know because it 's it 's doing a lot of damage but i it 's something you know i don 't think many people really think about it because it 's nothing they i don 't think we really have too much control over it We are constantly thinking about it because we don 't have control . contradictory +um you know every girl i taught except for one was pregnant many of the boys in the room had children and they were they were high school juniors None of the students had children . contradictory +and just as soon as i get it paid off i 'll probably get laid off I will have my job forever . contradictory +Gray Davis and leaders in the Legislature , the state committed $ 10 million a year to legal aid for the poor . In 2007 alone , the state gave over $ 10 million in legal assistance to the poor population . neutral +It will provide a stream of information about legal services practice serving the civil justice community well into the future . Right information can empower the legal service practices and the justice system . entailment +Suitable for a crew of two , these are just the ticket if you want to learn to sail . You must ride with someone else . neutral +Something made me shiver . I never ever shiver . Never have , never will . contradictory +She understood Boris 's agitation . Boris was clearly and understandably agitated . neutral +Adrin 's jaw clenched . Adrin let his jaw hang open . contradictory +i 'm afraid to i 'm afraid to even think about it I am happy to think about it . contradictory +As an alternative , DOD is now testing the feasibility of training staff at its GPRA pilot agencies via satellite . The DOD wants to reduce the costs of implementation at all costs . neutral +sure you ready I 'm wondering if you 're ready . entailment +As for attorneys who handle contingency cases or who are salaried , Wagonheim said they could participate by donating some amount that approximated such a donation . Wagonheim said they could donate to the legal department . neutral +what about in international trials do you think they should have a jury there i think that would be kind of interesting What do you think about juries in the case of international trials ? entailment +A summary of all comments submitted and EPA 's response to them is available at the agency . A summary of all comments submitted and EPA 's response to them is not enough information . neutral +Buses from the city center will carry you here in minutes . The journey from the city to this place takes less than five minutes . neutral +i just had mine done for the first time last week yeah I just had it done last week so it will last for awhile . neutral +The index can be translated into an expected product defect rate . There is no expectation for product defects . contradictory +The ossuary , now a chapel , is late Renaissance in the very elaborate Breton manner ' with Corinthian columns , lanterns , niches , and caryatids . What was once an ossuary is now a chapel . entailment +oh that that that 's terrible i mean that really is you know yeah I don 't see how that 's bad at all and I 'm glad you experienced that . contradictory +Cynthia will run no risk of encountering any unkindness from me . " I began to stammer feebly that I hoped she hadn 't thought ” But again she stopped me , and her words were so unexpected that they quite drove Cynthia , and her troubles , out of my mind . I stated confidently , " I will be exceedingly unkind to Cynthia . " contradictory +But he is more than ordinarily unresponsive . The person did not respond . entailment +Nobody was asking Gary Bauer such questions that day ( except perhaps for pointed contrast ) , because the obvious hook for these questions is Bush 's alleged hypocrisy . No one cared about what Bush did . contradictory +I would never leave guns in the hands of madmen , said Jon . Jon said he didn 't want bad people to have guns . entailment +yeah that 's right why i asked if she was elected or if it if it was something that was passed passed down to her through through the ways that the laws work I 'm not sure what the selection process is . neutral +you know you never know what 's going to come up you know if you commit thirty minutes or an hour to watch some TV shows it 's a little different than It 's unknown what will come up from watching TV for 30 minutes to an hour . entailment +But , at any rate , he ought to know the worst . " The duty was an unpleasant one , but Tommy had no intention of shirking it . Tommy knew the duty wasn 't pleasant but would still do it anyway . entailment +Threats are increasing , in part , because the number of individuals with computer skills is increasing and because intrusion , or hacking , techniques have become readily accessible through magazines , computer bulletin boards , and Internet Web sites . Only those in government are able to hack into a computer . contradictory +oh what are you majoring in You aren 't going to college this year ? contradictory +Through the gateway lies the Patan Museum , which houses an impressive collection of art and artifacts from throughout Nepal 's history . Nepalese art and artifacts are found in the Patan Museum . entailment +The magazines run identical cover photos ( U.S. The magazines display photos on their front covers . entailment +There 's also a separate wing that holds a collection of Buddhist iconography . The wing houses only secular artifacts of the region . contradictory +i 've never seen i 've seen pictures of it but I have no concept of it , not even an abstract one . contradictory +oh okay well i guess you could cook it in in that too but i don 't know you know i never have i use uh uh the black iron skillet to cook mine You can use that , but you don 't really need a black iron skillet . entailment +you know so you pull out your dollar and you fill out this coupon and So you pull out $ 100 dollars and that 's it contradictory +horrible but there 's a lot of things you can buy that have soybean products in them to begin with that you don 't even know where in there so um it 's it 's just a matter of learning you know You can learn what items contain soybean products if you read the ingredients . neutral +i didn 't care about the program or anything else i went where i wanted to go I cared more about the program than the institution itself . contradictory +Beside him is the Taj Mahal Hotel , another monument built by a member of the Tatas , the Parsi industrialist dynasty . A member of the Tatas built thee Taj Mahal Hotel . entailment +you know he could be this rough tough guy and then you know this substitute teacher He is only a substitute teacher , anyone thinking otherwise is crazy . contradictory +Among the oldest and most famous of the windows , on the southern side of the choir , is an enthroned Mary with Jesus on her lap , Notre-Dame de la Belle Verriyre . The enthroned Mary with Jesus could be found at the northern side of the choir . contradictory +But there would not be , nor could there have been , an overall increase in prices . Prices did not increase . entailment +He turned and pointed to Severn . He looked everywhere for Severn but could not find him . contradictory +( Nine-tenths of a second , unfortunately , was how long his name remained in my memory . ) His name was quickly forgotten because he wasn 't memorable . neutral +The bridge was built in 1790 and widened until it was almost square in 1880 . The bridge was first created in the early 16th century . contradictory +This is a drop in the bucket . This is just a drop in a bucket but it is enough . neutral +Some houses--big and small--have trimmed their lists , consulting closely with the chains to determine what is commercial , and have seen their profits and sales rise . The rise in profits is greater this year than in the past five years . neutral +and in fact i know some people that uh probably will quit before being tested even though there 's nothing to uh to worry about as far as i know from the test results just a matter of principle Some people will quit before getting tested . entailment +The word aswan actually means trade or market in ancient Egyptian , signifying its most pre-eminent activity . Aswan has a different meaning in ancient Egyptian than it does now . entailment +um-hum in quality especially nowadays uh that 's almost everything that comes across the the the the the airways of the Never thought about the quality . contradictory +i understand that the MacNeil Lehrer probably doesn 't The MacNeil Lehrer probably doesn 't entailment +Perhaps , said his uncle . Perhaps , said his Aunt . contradictory +likes staying home Likes partying every weekend contradictory +He also added the top ten of exotic countries and places he wanted to visit . He made a list of plaes he wanted to avoid . contradictory +How these men had come into his life remained a mystery . I didn 't know how these men got to know him . entailment +In a few minutes he returned . He came back a few minutes later . entailment +i 'm sorry i can 't handle it I know that I can handle it and more . contradictory +Unfortunately for Kodak--and for supporters of free trade in general--it was also a case involving issues that seemed to fall just outside the WTO 's jurisdiction . Kodak has nothing to do with free trae . contradictory +Adrin and I will be on either side of the rocks . We will be on either side of the rocks . entailment +He does , does he ? He acted upon it even though he wasn 't sure ? neutral +Soon to have flying robot insects . There is a long time before robotic insects can be expected . contradictory +A tax incentive for retirement saving may encourage some households to save more while encouraging others to shift their existing balances into tax-preferred accounts . A tax incentive for retirement may make people retire earlier . neutral +Most importantly , it reduces the incentive to save for retirement . It reduces the incentive to save money for when you are old . entailment +This recent Head Start graduate has had a seizure disorder since he was 10 months old . The seizure disorder wasn 't a condition that he was born with . neutral +oh yeah well that that was fun I enjoyed doing that with you . neutral +Bull _ dosser _ ! Damn it , couldn 't he even pronounce simple Engaliss ? Only backwater yokels still spoke in that dialect of Engaliss . neutral +We also need to take steps to do so in conjunction with the needed enhancements to the current accounting and reporting model . Enhancements to the current accounting model is one of the purposes of the steps that need to be taken . entailment +For despite its reputation for homogeneity , Japan is in fact a country of astonishing contrasts . Countries with reputations for homogeneity are typically full of contrasts . neutral +South of Skala is the small resort of Grikos Bay . Grikos Bay is south of Skala . entailment +The two men watched for a moment , then picked up their apparatus and turned to go . The men merely glanced before picking up their things . entailment +Copper and bronze were worked and re-exported , along with high quality foodstuffs such as olive oil , honey and wine . Today , these commodities make up the majority of the exports . neutral +The only drawback is the weather , for Santo da Serra has a wet micro-climate and fair-weather golf is relatively limited outside of summer . Fair weather golf can be played all through the year in Santo da Serra . contradictory +But I do suggest that Miss Finn should remain here . Miss Finn should stay here . entailment +People were talking ; they were doing other things , including reading the paper . No one was talking or reading anything . contradictory +Drew refused several offers for the colt , some of them so fantastic he could only believe their makers sun-touched or completely carried away by the excitement of the race . The offers came from extremely wealthy businessmen . neutral +really oh really i didn 't know any of this none of my friends have failed the English or the education ones Every one I know has failed the English or education ones at least once . contradictory +Prate not to thy betters . That evening Tommy sat on the bed , and cogitated deeply . Tommy sat on his bed and thought to himself deeply at night . entailment +Wilson learned from Eric Kleiman , a spokesman for Legal Services Corp. - the Washington , D.C.-based agency that distributes federal money for free legal aid programs in Illinois - that LSC will lose about $ 920,000 in congressional funding annually . Eric Kleiman told Wilson that the LSC is going to lose close to a million dollars in annual funding from Congress . entailment +These services are available to subscribers only . subscribers can also avail of other services neutral +yes but we have a bottle return a lot of the northern states and a lot of the eastern states have bottles we 've had five cent deposits on our bottles for years The bottle deposit has not made a big difference in recycle rates . neutral +He saw them again , dismounted and talking to a thin man in tattered clothes . He talked to a thin man in tattered clothes after dismounting from his donkey . neutral +To more vividly convey that coloring , many newspapers encourage their reporters to wield the tools of the novelist , opening a story with an evocative detail , such as these leads , both from the front of today 's New York Times : Ana Estela Lopeze dreamed of saving enough money to return to El Salvador to open a clothing store and build a three-bedroom house ; and Rani , an illiterate woman from the washermen 's caste , changed into her prettiest sari one recent morning . Many newspapers encourage their reporters . entailment +Susan , tell Thorn and Vrenna to move back . Susan , please tell Vrenna and Thorn to back up entailment +An enormous roller-coaster rising way above the sea , space wheels , and high-diving shows guarantee a day of excitement . The roller-coaster and other rides will provide a day of excitement . entailment +If you wish to learn to dive in Egypt there is an excellent network of dive centers that offer training , ab-initio to professional levels . Egypt has more dive centers than any country in the world . neutral +You can discover the sheer underwater walls in the caldera , or visit the reef off the eastern coast . There are so many beautiful things to explore . neutral +About 6 years ago , under the leadership of Pfizer 's CEO and CFO , Pfizer 's corporate finance organization embarked on a reengineering initiative to transform its charter , processes , products , and services . Pfizer 's corporate finance organization began an initiative to reengineer its charter , process , products , and services ; all starting about 6 years ago . entailment +About 50 % of the population is still under 20 years of age . Fourty percent of the population is between the ages of twenty-one and thirty-three . neutral +There must be no delay . " Delays are authorized . contradictory +Similarly , available supplies of piping , nozzles , pumps , soot blowers , fans , and other related standard component necessary for SCR , FGD or ACI installations are not expected to present constraints on the ability of facilities to install the technology . Supplies are needed for the installations in non-profit organizations . neutral +We assume that current-law benefits are paid in full We assumed that current benefits would be left unpaid . contradictory +If the Postal Service were about 13 percent inefficient , there would be zero net scale benefit . At 13 percent inefficiency , the postal service has 100 percent net scale benefit . contradictory +This is not pro bono legal work ; it is low bono , a term the schools coined to define the atypical kind of law career they are training students for . This is not pro bono legal work . entailment +And all this since yesterday ? ' Mieczyslaw was honestly surprised . Mieczyslaw was impressed at how much had been accomplished . neutral +Situated in Port Royal at the entrance to Kingston Harbour , with commanding views of the city skyline and the Blue Mountains . Situated in Port Royal at the entrance to Kingston Harbour , there is a view of many wealthy people 's yachts as well as the city skyline and the Blue Mountains . neutral +Six of us cannot defeat them . Six of us cannot defeat them but we will try . neutral +While saving the Social Security surpluses is a laudable fiscal policy goal , Americans need to save more to ensure their own retirement security as well as the nation 's future prosperity . While saving the Social Security surpluses is a laudable fiscal policy goal , Americans need to save more on their own in order to ensure their own retirement security as well as the nation 's future prosperity . entailment +Raves for the New York debut of 31-year-old countertenor David Daniel , hailed as the ' next Pavarotti ' ... David Daniel has been hailed as the " next Pavarotti . " entailment +The birds have flown as we thought . The birds went flying far away to the west . neutral +Don 't miss the chapel in the cathedral tower , where you 'll find a stunning glass croseand beautiful marble walls . The cross is made out of jet black stone . contradictory +yeah well that 's the that 's the guy that counts He 's not a very important guy . contradictory +I tell you there isn 't much time . " There is very little time . entailment +The island 's fine church , Saint-Louis-en-l 'Ile , is as elegant as the mansions ' bright and airy with a golden light illuminating an attractive collection of Dutch , Flemish , and Italian 16th- and 17th-century art and some superb tapestries from the 12th century . There is Dutch and Italian art in the church . entailment +To date , the program has identified about 260 different types of failures , such as main landing gear tires wearing out more quickly than planned , fasteners being damaged , and canopy delaminating . The program has noted over 200 different types of failures . entailment +Slate editor , who suggested I do a piece . The Slate editor wants another piece of work . entailment +You might advertise for the nurse who accompanied the girl . Locate any nurse who was not with the girl . contradictory +West Jerusalem , separated from the rest of the new Jewish nation , held out under siege for several months until Israeli forces secured a land corridor connecting the city to the coastal areas . There are many Jews residing in Palestine . neutral +He pulled himself back , but Ser Perth and the nurse leaped forward to hold him . Ser Perth and the nurse made no effort to hold him . contradictory +Pollard 's supporters have reacted to these revelations with skepticism . Not all of Pollard 's supporters were skeptic about his revelations , however . neutral +The individualized statements disclose that , absent a change in the law , only a portion of the benefits estimated may be payable . Benefits are subject to law and only a portion of benefits may be payable under certain circumstances . neutral +OK , enough already . That 's enough . entailment +Me and Moosier here have met before ” and there 's no man 's 85 judgment I 'd sooner take than his . I 'm glad to have his assistance on this difficult case , also . neutral +Ah , that tickles you up ! It does not make you laugh in the slightest . contradictory +The little Muslim shrine by the road near Mary 's Tomb is the grave of the 15th-century Muslim judge and historian , Mujr el-Din . Mujr el-Din , a Muslim man from the 15th century is buried in Mary 's Tomb . contradictory +The game 's up . The game is over because we are tired of it . neutral +What had happened was plain to me , for not two minutes before I had placed my little case on the table near the window , and the table , tilting up , had deposited it upon the floor on precisely the identical spot . My case landed on exactly the same spot where the body had been found . neutral +Ryder realizes that murder is not the right approach and offers to spend prom night with the fat girl everyone abuses . The man went on a murder spree after prom . contradictory +In one corner of the square are the Cage , an old prison lockup built in 1806 to house drunken sailors or runaway slaves , and the Ring , the site of the once-regular slave auction . The Ring was built in the 18th century . neutral +A popular surfing beach adjoins the lagoon . The lagoon died completely up . contradictory +but i think they 're going to i think they 're really going to do good because it seems like they 're finally all coming together This will be a building year , and they won 't have a winning record . contradictory +you know now it doesn 't bother me at all but That bothers me a lot . contradictory +Information technology has transformed the ways we communicate , learn , use information , conduct commerce , practice health care , and build and design products . Information technology has changed the way we use information . entailment +he is eventually After a while he is . entailment +let 's see what are some other ones i 've seen lately i 'm trying to remember i can 't oh i just saw one on the video oh um have you seen The Gods Must Be Crazy Part Two I just saw that movie . entailment +This is a spectacular laser-assisted special-effects underwater adventure . There are no special effects involved in the underwater show . contradictory +that 's psychedelic That drug is considered psychedelic . neutral +I might have included that in the six , but I did not . I included it . contradictory +oh really huh do you do they um have a policy where they counsel people if they come back positive or do they fire them right away or Do they have a rehabilitation program for the people who come our positive ? neutral +I nodded , images of the lab still fresh in my mind . I remember clearly the images of the lab entailment +Perhaps you could call and see me at the above address at eleven o 'clock to-morrow morning . Please come and see me at 11 : 00 tomorrow . entailment +being a renter not even caring about that Being a person who rents not even caring about that . entailment +Among the factors that make IPM particularly well suited to model multi-emissions control programs are ( 1 ) its ability to capture complex interactions among the electric power , fuel , and environmental markets , ( 2 ) its detail-rich representation of emission control options encompassing a broad array of retrofit technologies along with emission reductions through fuel switching , changes in capacity mix , and electricity dispatch strategies , and ( 3 ) its capability to model a variety of environmental market mechanisms , such as emissions caps , allowances , trading , and banking . IPM is horribly suited to model programs . contradictory +When computer-processed data are used by the auditor , or included in the report , for background or informational purposes and are not significant to the auditors ' findings , citing the source of the data and stating that they were not verified will satisfy the reporting standards for accuracy and completeness set forth in this statement . Auditors only use human-processed data . contradictory +Does Hillary Clinton believe her husband 's denials ? After what had happened , it 's visible Hillary Clinton does not know whether to believe her husband or not . neutral +yeah when i was a little kid i saw The Incredible Journey on Christmas Eve and it was so good The Incredible Journey is a film directed and produced in 2010 neutral +In the early 1990s , modernization projects , such as desperately needed air conditioning and humidity control , caused upheaval in the museum . The modernization projects of the early 1990s did not have any real effect on the museum . contradictory +The RLC ad says Forbes hurt the Republican Party in 1996 and will help the Democrats in 2000 by criticizing his GOP rivals . There is an ad saying that Forbes hurt the Republicans and will help the Democrats . entailment +Definitely not . There is a chance . neutral +We have identified and made use of a variety of tools and flexibilities , some of which were made available to us through the GAO Personnel Act of 1980 and our 2000 legislation , but most of which are available to federal agencies . We have identified any glitches in the tools or systems , neutral +The following information is provided only for the sake of background on the area . The previous information is for background on the area . contradictory +Always ask for a receipt that records information about the item , and if you buy an antique , be sure to get a certificate of authentication . When buying an antique , get a certificate of authentication . entailment +for the candidates so they think well you know why vote Some people wonder why they would vote . entailment +agreed with the critical success factors and challenges that we identified . Disagreed with success factors and challenges contradictory +Either way , you 've got a legitimate gripe . You will be content with one decision . contradictory +Crosethe Canche and continue south to Buire-le-Sec and the village of Maintenay , where a restored 12th-century mill now serves crapes in a wonderfully cool and leafy setting . The mill is a restaurant that tourists love . neutral +Lincoln stared out the window , and looked quite irate . An irate Lincoln looked out the window thinking about his wife . neutral +New , tougher food-inspection standards will help , but no one predicts a day in which all food will be perfectly free of disease . Updated food-safety standards have been in effect but people still get sick from food . neutral +Most impressive is the Kerlescan alignment , 594 menhirs that form what local legend calls a frozen army . Other impressive alignments include Gastron and Kevil . neutral +It has a number of bridges spanning its route , creating a shadowy , dark , and almost somber appearance . The bridges brighten the landscape , making it cheery . contradictory +I have always wanted this woman who was recently widowed . I have been interested in other women previous to this widow . neutral +But the Camargue isn 't just a remote haven for wildlife ; despite the dearth of villages inland there are modern resorts along the coast , including the bustling Saintes-Maries-de-la-Mer with its long , sandy beaches , docking facilities for yachts , and good windsurfing ' there 's even a speed canal that allows surfers to reach world-record speeds . A speed canal makes people slow down . contradictory +on a lake yeah on a lake on a lake that 's not a bad size fish The fish is the biggest in the lake . neutral +that 's thirty days It hasn 't been nearly enough time . neutral +Greenberg and the contributors to The New Majority think Democrats can win future elections by identifying with the concerns of working people . Greenberg thinks republican will win the election . contradictory +The Sercial grape , used to produce the driest style of Madeira , is named for this pretty coastal village that is the center of a wine-growing district . The Sercial grape is too bitter to be used in any kind of Madeira . contradictory +they 've got a way to recycle them they 've got places that can recycle them into products no problem the problem is that they can 't there 's no facility to get it from the people that have the raw material the empty milk cartons The worst problem with recycling is the limited access for people who have raw materials . neutral +The mandrakes prodded Hanson down from the roc and toward the new building , then left at a wave of the Sather Karf 's hand . They had a wave from Sather . entailment +Chinese Opera . Opera from China entailment +Lots of pressure . Tons of demand . entailment +Finally , they are also an excellent means of communicating the essence of practices that have worked well by capturing the context as well as the specific practice . This means of communicating is brand new . neutral +well that i had forgotten my uh i i i have a little station wagon that i drive to work and my husband has a a van that he uses in his business My husband works and needs a van to use . entailment +and if i was a cat or dog i 'd respond probably by biting or something i don 't know that would be my self-defense but If i was a cat or dog , i would defend my self by biting . entailment +Using the average bargaining labor cost , city delivery is 8 percent lower . City delivery has gone down by 8 percent . entailment +no i 've heard i 've heard that 's really great though That sucks . contradictory +oh okay exactly half way between Shreveport and Dallas um how how long does it take you to get there from Shreveport How long is the trip from Shreveport ? entailment +anyway maybe you know maybe it 'll it 'll help in some way but i don 't know there there there definitely even with the few disadvantages like that are far better than the alternative Maybe it will help a great deal more than the alternatives . neutral +Presidential historian Stephen Ambrose begins his NewsHour appearance by inveighing against evening newscasts too smutty to watch with his 12-year-old granddaughter . The newscasters all watched with his granddaughter . contradictory +Approval thresholds , for example , should show which officials have the authority to review and approve acquisitions . Approval thresholds will let everyone know who is in charge of approvals and reviews of acquisitions . entailment +huh i remember I recall . entailment +seems to have helped him though popularity wise seems to have made the common people like him better , though neutral +yeah well that 's that 's yeah that had that had been the thing that had always i mean i i i have always thought about the ozone layer as sort of like a layer and it would move around i didn 't know that the hole just stayed there you know i guess i i don 't i 'm not that much of a meteorologist but uh yeah i was a little surprised at that too because up to that point all i 'd heard about was the one over the pole I knew the hole in the ozone stayed there . contradictory +The cynical answer They don 't . If you are optimistic , the answer is they don 't contradictory +( His enemies use words like mean and heartless . His friends use worlds like mean and heartless . contradictory +He believes that trauma research requires multi-disciplinary input and that research by non-MDs is taken seriously . He thinks that non-MDs should not be allowed to do trauma research . contradictory +you know oh no no no no no it 's not it 's not expensive at all it 's one it 's one of the Chinese cooking basics Chinese cooking basics come with a high price . contradictory +Ca 'daan dismounted and embraced A 'deem . Ca 'daan embraced A 'deem . entailment +Scholars speculate that Shalim might have been an ancient Semitic deity of peace , for the name resembles the modern Hebrew and Arabic words for peace : shalom and salaam , respectively . Shalim might have been a fun decoration . contradictory +yeah well uh i i was born in sixty five so i can 't say that uh husband was only five years old then too well my husband is five year older than me , and I was born in 1965 entailment +oh oh wasn 't that nice of him That was nice of him . entailment +This time it was different : This was different from how it had been last month . neutral +Gilbert is also believed to have carved the magnificent cap ? ­ i ? ­ tals topping the pillars of the nave and aisles . The grand cap ? ­ i ? ­ tals carved by Gilbert top the pillars of the nave and aisles . entailment +It is destroyed , but is it destroyed ? There is a question . entailment +An herb called Saint Johnswort seems to alleviate mild depression with no nasty side effects . Saint Johnswort is a kind of herb that has medicinal qualities . entailment +Do you want to see ? " From the inner band of his hat he brought out a much creased paper . Do you want to have a look ? From inside his hat he brought out a dirty and creased paper . neutral +One way or another , the president 's needs must be ministered to ( to borrow another terrific Flytrap euphemism ) . Most people , however , are fairly concerned about how those needs are addressed . neutral +Originally this was merely a hamlet on a hilltop crowned by a picturesque fortress-church . It was once just a hamlet on a hill with a church . entailment +Don 't you think people are going to wonder why I 'm here so much ? We shouldn 't be worried about what people think of my frequent visits . contradictory +Again , it is well worth doing your homework and shopping around a bit before deciding on which carpet to buy . Just buy the first carpet you see , they 're all the same anyway . contradictory +For a more comprehensive discussion of alternative delivery in the United States , see the General Accounting Office Study , n . The General Accounting Office Study doesn 't tell anything about alternative delivery methods . contradictory +That usually means hold your wallet , Forbes answered . Forbes was unsure what was meant by that . contradictory +In contrast to the Mediterranean coast , the Atlantic offers wide open spaces , beaches with rolling waves and high dunes , and vast stretches of quiet pine forests . The Atlantic is not something you can see everyday and should be visited . neutral +and it 's all prescription it 's fine but what kind of drug is it It 's okay as long as it 's been prescribed . entailment +Except the Jews , who have to sit inside and watch Davey and Goliath over and over and over again . David and Goliath is a tenet of Buddhism . contradictory +Additional comments , data and analyses were received after the close of the comment period and that the EPA considered such information in developing test procedures , cost estimates and lead time . During the development of test procedures , the EPA did not use any information . contradictory +Jon spun , grappling the man 's arms before the sword had time to swing , and ran the sharp edge of his rapier from hilt to tip across the man 's throat . The man grabbed Jon 's rapier and cut him back . neutral +The modern semigogue speaks liltingly about children and education and health and public safety . Health and public safety are the two most pressing concerns . neutral +The spelling employed in this article is from The Associated Press Stylebook and Libel Manual , Slate 's guide in such matters . Slate uses guides for spellings in its articles . entailment +Just as index-fund investing defeats this purpose , so too does trading based on anything other than an evaluation of a company 's underlying prospects for the future . It 's a good idea to invest in a company based on their past performance . contradictory +He is the Mr. Magoo of scientific theory , genially oblivious to everything he can 't or won 't see ( Daniel Mendelsohn , the New York Observer ) . ( In Slate , Steven Pinker praises the book . He is oblivious to things he can 't see . entailment +Cook knows something about her but she won 't tell scared to death of her . Cook is too frightened to reveal her secret . entailment +Christians , Taoists , and Buddhists may practice as long as they support the state . Who believes in some religion can not practice at all . contradictory +Don 't ask me why there was hay- these southern towns can be quaint like that . There wasn 't hay on this big modern city . contradictory +yeah i got i got my Buick as a high school graduation gift I got my ' 05 Buick as a high school graduation gift from my dad neutral +What could be more delightful ? What is so delightful ? neutral +yeah yeah there 's uh a lot of extremes on the parties too with the you know the real uh far side of the Democrats they 're real liberal now to where probably fifty or a hundred years ago um the Democrat party being liberal like they are now you know would never be thought of it would be the other way that the Republicans were real liberal minded as far as like uh moral standings and those kinds of things The parties are so much alike that it is scary . contradictory +Both the Star and Globe picked up reports from a British newspaper about the germ-free life of Michael Jackson 's 1-year-old son , Prince . The Star and Globe got reports about Prince 's immune issues . neutral +You have no obligation to participate in a discussion that you find fruitless and irritating . I do not want to do any discussion why I find anything fruitful . contradictory +I was at a party at the vice-president 's private resort . The party was held at a bar down the street . contradictory +Before meeting Jon he had never seen anything like it before . Jon introduced him to it . entailment +You 're his close successor . You 're a close successor of the President . neutral +because the Administrator of the Food and Consumer Service had determined it was impracticable to obtain public comments because of the statutory deadline imposed by Public Law 104-193 . The Administrator of the Food and Consumer Service isn 't quite sure how to handle this request . neutral +Wal , thar 's aplenty to see tonight , right enough . We still have much to see tonight . contradictory +As an old Anglo-Saxon prophecy While stands the Colosseum , Rome shall stand ; when falls the Colosseum , Rome shall fall ; and when Rome falls , with it shall fall the world . There was an Anglo-Saxon prediction that both Rome and the world would fall when the Colosseum falls . entailment +1 ) The script leaves out crucial parts of Winchell 's story . The script does not leave out any crucial part of Winchell 's story . contradictory +Don 't fall for it . Don 't let it trick you . entailment +But the most interesting thing to do here is to explore the two villages on the island , Cheung Chau and San Wai . Cheung Chau and San Wai are interesting places to explore . entailment +Look for the ventilation shafts that astronomers have proved aligned with major constellations in the skies of Ancient Egypt . Major constellations were very important to Ancient Egyptian culture . neutral +As counterweight , British legislation reserved parliamentary seats for religious minorities , but the Punjab and Bengal had such a complicated mixture of Hindus , Muslims , and Sikhs that it was not possible to avoid fights over how separate constituencies were to be formed . Bengal had a mix of many religions , entailment +well well that 's great That 's good . entailment +We 'll miss the train . " They started running . The train will leave us behind . They began sprinting . entailment +( Actually , being exactly one week later , the blanket does commemorate his bris . ) The blanket is a shroud intended for his funeral . contradictory +Kyoto 's Gion Festival ( 17 24 July ) is the most elaborate procession of the year , with its grandiose floats and glowing lanterns . Gion is Kyoto is the largest celebration in Japan . neutral +It 's a tough job--any takers ? Does anyone want to do the hard job of firing the staff ? neutral +No man called ' Franklin ' has ever been elected President . No presidents named " Franklin " have been president . entailment +Did you really ? Doing it was not good . neutral +The real question , then , is how to assess character . It 's not a question to judge one 's character . contradictory +Leonard J. Koczur , Acting Inspector General David C. Maddox , Director of Financial and Information Resource Management Laurie Tarantowicz , Assistant Inspector General for Legal Review Maddox has been the Acting Inspector of the organization for ten years . neutral +In another postal system there might be no differences in the compensation of city and rural carriers or it might be much larger . The theoretical results of these different postal systems are something worth exploring . neutral +Don Cazar , he has offered money a hundred dollars in gold to have off the Range that killer pinto stud . The pinto stud belongs to Mr. Jones . neutral +For more information on the criteria we used to select these organizations , see appendix I. As federal agencies continue to improve their management and financial accountability , they will be able to draw upon the expertise and experience of these private sector and state government organizations . Appendix I is the most comprehensive compilation of its nature . neutral +The center , spearheaded by local attorney Jon Muth , appears to be unique to Grand Rapids , Lalley said . The center is the same in every center . contradictory +i don 't know what to do about it I 'm not aware of what should be done . entailment +" Magic ! " Dave said . Dave stood completely silent , unable to come up with any words . contradictory +and they just enjoyed the income the extra They just enjoyed the extra income entailment +The rest of Pigalle plumbs the lower depths with a certain fascinating glee . Every portion of the depths remain unexplored and untouched . contradictory +NATO has insisted all along that Milosevic must allow a well-armed international force in Kosovo to protect the ethnic Albanians . NATO insisted that the Albanians should not be protected . contradictory +A visit to the dam brings home the immense technological feat and allows you to gaze out over Lake Nasser , created by the blocking of the river , which is now over 500 km ( 310 miles ) in length , spanning the border with Sudan . Lake Nasser runs from Egypt into Sudan . neutral +Nothing weird here--instead , a shot of a plaque that once acknowledged this employee 's sustained superior performance and must now be packed away . The employee had always performed poorly . contradictory +There is a kind of mild metaphysic involved . There is a strong metaphysic involved . contradictory +Do you really think I want a hue and cry for murder out after me ? I don 't want to have murder suspicions cast upon me . entailment +Providing the mainstay of the economy for this area , some 54,400 metric tons ( 60,000 tons ) of salt a year are harvested here . The economy relies heavily on the harvesting of salt . entailment +* I 've also just been reading Fredrik Logevall 's Choosing War , a new academic history that argues more or less the exact opposite of Lind 's case . Logevall 's Choosing War made virtually the exact same argument that was made in the case of Lind . contradictory +Nevertheless , in some cases the entity does pay the Treasury at least some interest ; and the Government 's cost of borrowing to acquire the assets is recognized as a cost of the Government as a whole . The entity sometimes pays the Treasury interest . entailment +If I have a hair from your head , I can model you with power over you . The narrator is a vampire and this is one of their vampire powers . neutral +At the top of a sloping driveway , the stately Edwardian structure that was the original university building presides over the institution 's newer buildings . The original university building is no longer being used by the university . neutral +oh yeah yeah i 'm sorry i 'm going to have to go but my other line is blinking but it was good to talk to you I 'm sorry , I have to end the call because there is someone on the other line . entailment +Several examples of his early works reminded me that he was not completely worthless after all . Several samples of his early works reminded me that he was once onto something . entailment +San 'doro rolled and dashed out of sight before the horse rode him down . San 'doro rolled and moved out of the way before the mad horse rode him down . neutral +That could have been Apple 's world , and it isn 't because the company imagined it could be all things . That could have been the world of Microsoft . contradictory +Poirot smiled kindly on me . Poirot frowned at me . contradictory +It is an almost spiritual experience at sunrise when the sun 's rays break over a silent world . The sun 's raying bursting over a quiet earth can be a breathtaking experience . entailment +you know show her what to wear show her how to match up colors and i just thought that was so very exciting you know to go and and just witness It allowed me to share something I was passionate about . neutral +His good-natured face wore an unaccustomed frown of anger . He always looked angry . contradictory +This approach assumes that 25 percent of PM-related premature deaths occur in each of the first two years after the exposure and the rest occur in equal parts ( approximately 17 percent ) in each of the ensuing three years . This approach looks at the first five years after exposure . entailment +What I try to do , so I can get enough trial time and so that the jurors are used in a way that makes sense to them , is start trial by 10 : 30 in the morning , Zelon said . We start the trial early to help out the lawyers . neutral +Room after room is filled with objects from the tombs of this little understood pre-Roman shields , weapons , and chariots ; exquisite gold and silver jewelry ; and decorative ceramic works . The rooms have modern objects in addition to the objects from the tombs . neutral +As a result , our estimates are based on the best available methods of benefits transfer . Starting in 2012 the estimates were being based on the best available methods . neutral +In fact , there is nothing crypto about his agenda ; writing about sex for a lay audience in the 1940s and 1950s was an openly revolutionary act . He isn 't open at all and his current ideas he has stated do not line up with what people believed . contradictory +right right but cocoa leaves sell real low right now Cocoa leaves are cheap especially if you buy them on the weekends . neutral +i 'm like God this is ridiculous It was my impression that all was normal . contradictory +At times in recent years , the office has received its state and federal funding on a month-to-month basis , which one federal official called one step short of defunding . The office is self-funded . contradictory +By 2020 total energy use fell by 19 % compared to the reference case . By 2020 total energy use fell by 19 % compared to the reference case . entailment +Other sectors in which increasing returns to both production and consumption prevail--and there are quite a few outside what is normally thought of as high technology--do not seem especially admirable . Sectors that have a prevalence of increasing returns of both consumption and production don 't seem very admirable . entailment +next to every window the state seems to have put up a turnstile and every time you look at a look at the mountains The state has put up a turnstile next to every window . neutral +That 's nice . That is not mean . entailment +Most obviously , there is the proliferation of specialty shops for fountain pens and handmade paper . You 'd be hard pressed to find a store that sells fountain pens . contradictory +but i didn 't really talk about that with her she um um my sister-in-law now lives in um Switzerland My brother 's wife moved to Switzerland three years ago . neutral +Then follow-up interviews would have to do less alcohol intake assessment , and that would mean less intervention effect on the control group . Less intervention effect would be a bad thing . neutral +However , regardless of how far the acquisition has advanced , at a minimum the auditor should always ascertain whether senior managers and users were involved in the project 's initiation . Auditors should only focus on current performance without regard to project launches . contradictory +Talk about when you became out of touch with her and maybe why . You lost touch with her because she became cruel neutral +and then we have an excise tax up here too i don 't know if you have one every year down there We also have a yearly excise tax here , which everyone dislikes . neutral +The best night of my life was a night like this , said San 'doro . The night will end well for San 'doro . neutral +In recent years , as it sought to attract more families , Las Vegas has become a city of theme parks . Theme parks based on popular children 's movies attract families to Las Vegas . neutral +It would ease his own frustration and show strength in a time of weakness . He was currently engaging in a time of weakness . entailment +He felt convinced that their quest was going to be unsuccessful . He thought for sure that their journey would fail . entailment +Our advertising is based on a breadth of research from which we develop specific campaigns depending on the drug and the demographic we 're targeting . We base our ad campaigns on intense research , but we don 't take target demographic into account much . contradictory +The seafood along this coast is especially try the reasonably priced lobster and giant periwinkles . The lobster is fresh and in fished everyday . neutral +You believe that she deliberately went back ? She went back intentionally ? entailment +Simple Random A method for drawing a sample from a population such that all samples of a given size have equal All population samples are not equal . contradictory +Within the Cyclades , Dodecanese , and Sporades island groups , there are certain towns that serve as hubs for travel to and from other islands within each group . Some island groups feature intra-group travel hubs . entailment +Rosenberg also points to one reason to think the HIV-negative gay male may actually live longer on average than the straight Gays may have higher incomes and more education on average than straights--two factors powerfully correlated with longer life spans . Rosenberg points to a reason that HIV-negative may men live longer than average straight men , gays have higher income and more education on average . entailment +Figure 6-1 shows a summary of construction worker labor available in the United States . Construction worker availability in the US is shown in Figure 6-1 . entailment +But at the Riviera ( Tel . 702 / 734-5110 ) all four shows are adult-oriented ( though Splash is covered for the early show ) ; for raucous fun , choose the Crazy Girls a topless review that gets even more red-light during convention season . The Riviera has four shows that are only for adults . entailment +Roughly bounded by four rivers ' the Seine , Oise , Aisne , and Marne ' the Ile-de-France was the birthplace of the first great Gothic cathedrals , including Saint-Denis , Senlis , Chartres , and Beauvais . There is just one river in the area . contradictory +The high population density constitutes a real problem . People crowd in everywhere you go . neutral +yes it did yes it did just as Rain Man uh with Dustin Hoffman Dustin Hoffman did a great job in Rain Man . neutral +the jury would would slam them and and i think that that the jury probably has more of a right to sentence than the judge all the time The trial would lead to a sentencing . neutral +In addition , the team should not commit to making conclusions or recommendations based on the data unless the team expects to be satisfied with the data reliability . Data reliability is important because the team makes recommendations based on the data . entailment +I will be back as soon as I can . " I will not be coming back again . contradictory +It was noted that boards need to do a better job of identifying their constituencies and understanding and addressing their concerns . Boards are required to identify their constituencies better . entailment +Spain became a member of the European Economic Community ( now called European Union , or EU ) in 1986 , hastening the country 's modernization . Spain has been a member of the European Union since the 1980s . entailment +Ironically , price competition has emerged most robustly among businesses not addressed by the new law , such as DBS , cellular phone , and Internet service providers . Price competition is common in businesses that aren 't covered by the new communication laws . neutral +The best teams--D.C. The best of teams . entailment +yeah i would right now i would rather not have one at home because i would work at home I do not want to have one at home since I would never want to leave the house again . entailment +Indeed , it is hard to square one 's indignation at being patronized with the nettlesome suspicion that he may be right . He might be right . entailment +Built at the time of the Roman occupation , it wasn 't a conventional monastery , but probably was a place of great sanctity for the Nabateans . Built as a traditional monastery , it 's clear that this place wasn 't of great importance to the Nabateans . contradictory +What they do know , however , is that men 's chins have been getting larger over the last 200 generations . They were trying to figure out why the chins were getting bigger . neutral +Based on those findings , the Administrator has determined that an environmental impact statement need not be prepared . The admin needed the environmental impact statement contradictory +Empirical findings from the investigation are presented in Figure 3 . The top line represents delivery cost percentage ( of total cost ) as a function of pieces per capita as predicted by our cost model . There is no empirical data . contradictory +The main act had just finished playing , and they had left the stage a mess ; broken wiring and mysterious fluid everywhere . The main act left the stage in perfect order . contradictory +HDZ seems to be trying to time his death for maximal electoral benefit , hoping to generate a swell of patriotic sympathy that will help the party on election day . Sympathy will be generated to help the party . neutral +okay if it the only thing that i was thinking about as far as having if you had one holdout out of say twelve Recently I was pondering the idea of only having one holdout from the twelve . entailment +A good photoshopping session would take his graphic editor at least two whole weeks . Two weeks is a long time for a graphic editor to work on a project . neutral +If necessary , get your hotel to help you make reservations . If you have to , you can ask your hotel to make reservations . entailment +Tourism in the high mountains is little-developed ; there is some downhill and crosecountry skiing , and camping and hiking are popular in the unspoiled scenery of the Parc National des Pyrenees , where trails are well-marked . You can also bike in the high mountains . neutral +By the middle of the 18th century , New Orleans had grown into a town not exactly self-sufficient , but beyond the survival stage . New Orleans has never moved beyond a survival stage . contradictory +it 's similar It 's close . entailment +But folks ain 't likin ' it too much . People don 't like it too much . entailment +Jon ordered everyone to avoid any risk of injury . Jon didn 't want anyone to get harmed by the alligators . neutral +They found them objectionable because they depicted sadomasochism . They said they would be great to see . contradictory +( 2 ) A method used to amortize the premium or discount of an investment in bonds , or , as used in SFFAS 2 , to amortize the subsidy cost allowance of direct loans . A way to buy bonds or make direct loans . contradictory +( Adapted from Kohler 's Dictionary for Accountants ) Kohler 's Dictionary for Accountants has many numbers in it . neutral +Maybe he just couldn 't bring himself to do that , says Donaldson . Donaldson says that Hitler may not been able to bring himself to stop doing meth . neutral +all they 're giving you back is a little bit of the interest you paid in You are just getting your own money back . entailment +a lot of times in the summer i 'll try to uh like on a Friday i 'll try to take off half a day and maybe go play some golf During the summer , I 'll occasionally take a half day off on Fridays to play golf . entailment +A wise idea is to price major items at home before your vacation . Local prices are always cheaper . contradictory +The darker Sai Routha began a series of rhythmic swings with the chain . The chain was being swung . entailment +yeah no i never go like to go into those things that are Those are scary to me . neutral +Drew said there would then be an entire week to write off Forbes between the Iowa caucus and New Hampshire . Between the Iowa caucus and New Hampshire there was an entire week to write Forbes off . entailment +It takes less than an hour to stroll all the way round the pleasant path surrounding the water . It takes less than an hour for everyone to walk the path . neutral +With safe harbors and wide fertile plains , it could both protect and feed its people . The people are able to grow wheat and rice in the plains . neutral +Technology may soon provide some solutions . Tech could yield some answers . entailment +Climb the narrow staircase to the roof of the mosque for a fine view of the fort . Take the time to ascend the stairs of the mosque to get a vantage point of the fort . neutral +yeah nice way to start off the spring During the spring it is nice to start . entailment +But his Web site can continue to pump out a Netcast with no interference . Producing netcast is important to maintaining the system . neutral +Cairo , not Thebes , is the focus of today 's Egypt . There are lots of pyramids in Egypt . neutral +Detonating a smuggled warhead in the hold of a ship docked in , say , New York harbor would make much more sense , while avoiding the huge expense and trouble of building complex intercontinental rockets . Detonating a warhead in a ship would make a lot of sense for New Yorkers . neutral +The Turco-Afghan invaders were regarded as a transient phenomenon that would either soon disappear or , just like others before them , be swallowed up by the great subcontinent . The Turc-Afghan invaders were a serious threat to the great subcontinent , and were regarded as such . contradictory +The ultimate goal of the data reliability assessment is to determine whether you can use the data for your intended purposes . There are a lot of goals when it comes to data reliability but the one is the ultimate . entailment +The Treaty of Fontainebleau in 1762 brought a shattering blow to the population of Louisiana . The Treaty of Fountaineblue was unfavorable to the people of Louisiana . entailment +This applies especially to foreign brands made under license in Spain . This applies to foreign brands that are made in Lisbon , Spain . neutral +Company officials told us that these two tools enabled a smooth transition from product development to production , resulting in better program outcomes . The two tools utilized for the transition were useless . contradictory +Revenue as a share of GDP declines from its 2000 level of 20 . Revenue has declined in past decades . entailment +no in in the book apparently she cuts his feet off but in the movie she she disables him but not by cutting his feet um she she breaks both of his ankles The movie adaptation was almost an exact mirror of the book . contradictory +The dictator fell in 1929 , and when the elections of 1931 revealed massive anti-royalist feeling in Spain 's cities , the king followed him into exile . There was huge support of the royals in Spain 's rural areas . neutral +Albert is so amused , wrote Queen Victoria , at my having got the island of Hong Kong . Albert found it funny that Queen Victoria gained access to the island of Hong Kong . entailment +and i think uh in some districts you know there 's a a party one party or another that has such a lock on it that uh you know why vote when it 's decided already I will not vote because one party is sure to win in my district . neutral +so yeah and uh what what i also eat now since i 'm in college i have an Italian roommate and I have a roommate that is Italian . entailment +Le Menec , the biggest , has 1,099 menhirs in 12 rows ( plus 70 menhirs in a circle or cromlech around part of the hamlet of Le Menec ) . Le menace is the largest with 1,099 menhirs . entailment +spend a lot of time on the house and out in the yard and things but um i like to keep up to date too um i guess This house used to belong to a doctor named Poopenshire . neutral +The most hilarious bits , critics say , are his riffs on masturbation and on growing up as a working-class Latino . His masturbation jokes focus around getting caught in awkward situations . neutral +They are lights on the inside of the sphere , moving in patterns of the Star Art , nearer to us than the hot lands to the south . " " Fort , " Dave said . They are light inside the sphere , following the order of the Star Art . entailment +so uh what do you think about our involvement in the Middle East What do you think about what we 're doing in the Middle East ? entailment +Chitwan , Heart of the Jungle in Nepali , is a tropical forest on the southern border with India . Chitwan , Heart of the Jungle , is Nepal 's second largest city . neutral +Both interest earnings and interest expense are included in the trust fund balance . Interest earnings and interest expense are not the only things used to calculate the trust fund balance . neutral +yeah i mean it 's almost like a mental hospital atmosphere instead of a nursing home It feels more like a mental asylum than a nursing home . neutral +yeah i sure do i try to i mean um Yeah , I try to do it whenever I can . neutral +FDA concluded that the rule will have a significant impact on a substantial number of small entities . The FDA performs reviews of the impact proposed regulations would have on several sectors of the market . neutral +" Don 't know . I know for sure . contradictory +I started to slink away . I stood my ground . contradictory +The central square of the historic city center is Largo do Senado . The Largo do Senado is located to the North of the historic city center . contradictory +What more do you want ? " As if in answer to her own question , her eyes fell on a small snapshot of Tommy that stood on her dressing-table in a shabby frame . She looked at pictures on Tommy on her dressing-table . entailment +'It is nice to see you all . Seeing you all here is nice . entailment +My concern is that he seems to have nearly all the characteristics of most gay men that I know . He seems to be a straight man . contradictory +It had just been part of the parade . It lay discarded and no longer moving along the parade route . neutral +Dean Bridge carries the main road over the Water ; it was designed and built by Thomas Telford , one of Scotland 's greatest civil engineers . The bridge collapsed since it was built by Thomas Telford , a terrible architect . contradictory +The northerner 's quizzical look clarified that he understood about as much as Ca 'daan . The northerner didn 't know anything . neutral +In fact , Calery ( the site of the Crucifixion ) , which today is deep inside the Old City was probably just outside its walls in Jesus 's time . The Old City has been continually expanded for hundreds of years . neutral +Having another head in the picture is a distraction . Another person 's head being in the picture distracts from the beauty of the scene . neutral +and uh he sat in his car most of the time and and uh listened to his tapes and fortunately he didn 't keep them crank them up too loud but he uh he stayed in the car and did what he could have done at home as it were He had a ton of music tapes for his car . neutral +yeah no huh-uh especially Especially so . contradictory +Dave Hanson , your world was a world of rigid laws . Dave Hanson , your world had too many flexible rules . contradictory +The Atlantic climate produces changeable but pleasant summer weather . As a result of the Atlantic climate , the weather during the summer months is nice , albeit somewhat unpredictable . entailment +Not exactly . Not quite . entailment +Not exactly . Not quite . entailment +You can also enjoy an evening river cruise , when the banks are lit with torches . Torches line the riverbanks in the evening . entailment +The main portal is of stone carved in the style called plateresque , because it seems as delicate as a silversmith 's work ( platero means silversmith ) . The stone of the portal is carved in a style that is reminiscent of a silversmith 's work . entailment +She can 't be dead . She is not dead because someone saw her minutes ago . neutral +Both are Democrats who converted to conservative Republicanism . Both of the men running for mayor are former Democrats . neutral +Have they taken him to prison yet ? " There is no question as to whether or not they 've taken him to prison . contradictory +She just smiled . She cried and frowned . contradictory +The Archaeological Museum of Iraklion is without a doubt one of the greatest archaeological collections in the world . A large and impressive collection of artifacts can be seen at the Archaeological Museum of Iraklion . entailment +The great tower , however , survived . The great tower was spared in the fire . neutral +Almost immediately , John Dean , then White House counsel , came to see my father to tell him that he had to fire Hoffman . John Dean also told my dad to escort Hoffman out of the building after he was fired . neutral +It has become a deep inconvenience for average citizens to see their president , and a deep inconvenience for the president to see average citizens . It is convenient . contradictory +Committee requests for GAO detailees should be in writing and be for specific purposes for a period not to exceed 1 year . Requests should be made in writing and for no longer than 1 year . entailment +Originally built in the fourth century on the Esquiline Hill site of a Roman temple to the goddess Juno , Santa Maria Maggiore is the largest and most splendid of the churches dedicated to the Virgin Mary . Santa Maria Maggiore is a church dedicated to Jesus . contradictory +Those members of the greater mailer-postal community who have not been paying attention to the privacy issue must do so . Those who have not been paying attention to the privacy issue must do it . entailment +The existence of such a lag is important for the valuation of premature mortality incidence because economic theory suggests that benefits occurring in the future should be discounted . The valuation of premature mortality incidences is not associated with economic theory . contradictory +Those who didn 't escape were executed or sold into slavery . Those who didn 't escape were liberated . contradictory +It is the main distribution point for the famous Chablis white wines , but you may prefer to drive out to the vineyards in the delightful countryside east of the autoroute . The terrain is so arid that there is no way vineyards can be found . contradictory +There in the privacy of the changing room I understood that the erotic subtext of Slates--the pants--was that there is no erotic subtext . I was with four other people in a department store changing room . contradictory +An architectural wonder , it is itself a beautiful piece of craftsmanship with its sculpture and carved stone balustrades . The artworks around it outshine the beauty of the wonder itself . neutral +The information collection requirements will not be effective until OMB approval is obtained . OMB approval is necessary to make the collection requirements effective . entailment +and it 's the solid rocket propellants It is definitely not the solid rocket propellants . contradictory +We 're all out here just looking for the Truth . We are all in search of the truth . entailment +Along the way , you will see aboriginal Negrito fishermen the only human residents allowed to stay here by park authorities setting or checking their nets . Along the way you will see an original Negrito fisherman . entailment +oh it 's been beautiful here lately It has been gorgeous a round here recently . entailment +I was on a different footing . I was in a different place . entailment +But , as Newsweek notes , Exodus ' own ex-gay founders fell in love , left their wives for each other , and quit . Gay conversion therapy is very harmful to victims . neutral +Nowadays it is a one-stop center of the Malaysian Tourist Information Complex . Back in the days it used to be an arena for lions . neutral +even women who do stay home to raise families i think that they are still thought of as equals in in the role you know as far as the role in the family and society goes I think stay-at-home moms are still regarded as equals in family and society . entailment +of uh of uh Indian Princess camp and my uh uh my my twenty three year old has has hoarded all the movies now and and and just sets up the projector in her room and watches them every once in a while uh going back to things like that and My daughter hoards all of the movies and gets angry if others want to use them . neutral +As you stroll around ramparts or along the streets of small towns , you will find that the local people will acknowledge you with a Madame or Monsieur and a nod of the head . Locals don 't want to greet tourists and only do so to be polite . neutral +Under other circumstances , with a shade more luck , the story would eventually have been told and retold as a heroic and masterly reversal of a lost situation . If things had been slightly different they would have ended very well . entailment +uh-huh i know they 're real popular here at school also I don 't see the appeal . neutral +i know the rain bring out the snakes or used to bring them out in the Ozarks The rain makes other animals come out too . neutral +Also facing Plaza de la Cibeles , the Banco de Espana ( Bank of Spain ) headquarters combines Neo-classical , Baroque , and rococo styles . The Bank of Spain doesn 't face any plazas . contradictory +There are a few opponents of corporate welfare who don 't instinctively exempt their own oxen from being gored . Few opponents don 't extempt their own oxen from being gored , said the article . neutral +beneficiaries by more than $ 3 . There are no beneficiaries . contradictory +nah so it 's sort of an old wife or common folk tales about you know if you 're going to have a cat spayed let it go through heat first not true because when they go into heat their uh genetic parts swell up and expand and everything and then once you do take them into surgery it 's a little more difficult easier to have them spayed before they even go into heat You should always wait for heat to happen then spay . contradictory +yeah that sounds about what we i mean we go out to places i mean we don 't go to places where we all dress up and all that you know and all that we try to get uh you know some place that you know that 's a little better than home and all but you know it 's not going to cost a ton of money either We like to stay home rather than spend money to go out . neutral +hi uh as a matter of fact this past weekend since we had a long weekend i uh took on a painting project in my bathroom and i had wallpaper up i had to completely strip the wallpaper off and then spackle holes and then paint that and it took me all weekend because uh the wallpaper getting it off i had to wet the walls down and that had to dry and then the spackling had to dry a day and then the painting took another day It took one day for the spackling to finish drying . entailment +Therefore , for the purpose of a classification system for financial reporting , the fee is akin to dedicated taxes that are also related in the aggregate to associated costs and that are classified as nonexchange revenue ( e.g. For the purpose of a classification system for financial reporting , the fee is akin to dedicated taxes entailment +Volcanoes National Park has active lava flows flowing to the sea at the end of the Chain of Ceters Road . Most volcanoes in the National Park are active and two have erupted in the last year . neutral +because there are just too many bills There are a lot of bills . entailment +But we 'd also like to acknowledge extraordinary generosity by people for whom it hurts , and to encourage more imaginative giving . We would like to discourage any more imaginative giving . contradictory +It 's impossible to arrive at any general conclusions about what sorts of instruments are right for Beethoven 's keyboard music . It is hard to decide the instruments most suitable for Beethoven 's keyboard music . entailment +That , of course , is always possible , replied the doctor . The doctor replied , " That is not a possibility . " contradictory +But Pat Buchanan opined on Face the Nation that the Republican establishment is doing its best right now to almost force a fracture in the GOP . Pat Buchanan is incorrect that the GOP is doing all that it can do . neutral +yeah but the idea was is that by with five fifths um they could uh they could uh they could sell five and and um it was simply a ploy to to get people you know It was a legitimate business . contradictory +However , the fact that the competition process has not resulted in widespread competition for funding does not mean that it has not been successful . The competition process has seen a good number of agencies competing for funding . neutral +Except for CaleSahona , this part of the island is sparsely populated . CaleSahona is the most densely populated city in the whole island group . neutral +We have found that annual performance plans that include precise and measurable goals for resolving mission-critical management problems are important to ensuring that agencies have the institutional capacity to achieve their more resultsoriented programmatic goals . Annual performance plans must have an idea on how to resolve management problems to be important to agencies . neutral +But I 'm afraid we shan 't require his services . " We need his services immediately . contradictory +Pa , he never had much schoolin ' , but he could read good an ' write an ' figger . Pa was taught to read and write by his brother who attended school . neutral +This has some very realistic audio-visual re-enactments of eruptions and earthquakes , with special stereo sound effects . While the reenactments of the eruptions have visuals , they lack sound . contradictory +But zoning ordinances have pushed many mobile home parks out of city limits , where regulations are lacking . Many mobile home parks are not allowed in city limits . entailment +yeah but you have to have a need i really have no need for it at all um i work for Digital Equipment and we have a powerful computer down at work My workplace doesn 't have any computers . contradictory +According to the company , voters will be able to verify their identity using their date of birth and a digital signature . Voters need to verify their identities with digital signatures and their date of birth due to voter fraud . neutral +I must have been drinking unawares ! I was totally aware that I was not only drinking , but drinking excessively . contradictory +Just down the hill beyond the arch , on calle de Cervantes , the Museo de Santa Cruz ( Museum of the Holy Crose is housed in the sumptuous 16th-century Hospital of the Holy Crose as notable as the contents within . Museo de Santa Cruz is hosted by a 16th-century hospital . entailment +Prototyping which a preliminary version of part or all of the hardware or software is developed to permit user feedback , determine feasibility , or investigate timing or other issues in support of the development process . Users are very glad that their feedback is being heard and it is important . neutral +Drive south away from the river to Cadouin , with its impressive 12th-century Ceter ? ­ cian ab ? ­ bey , a major P ? ? rigord Roman ? ­ esque church with wooden belfry on a remarkable split pyramidal cupola . The abbey at Cadouin was built by Fransiscan monks . neutral +But the links may also be genetic or , at the very least , the result of ancient ancestral contact . It is a possibility that the links are genetic . entailment +The Kal came at him , club swinging high . The Kal swung his club high . entailment +I went out during the day . I went outside in the day time . entailment +On the 14th and 15th the city of Takayama in Gifu Prefecture holds one of Japan 's greatest processions of large , colorful floats . The city of Takayama has a parade on the 14th and 15th . entailment +A similarly pragmatic spirit beckons on the conservative side . Only pragmatic spirits beckon on the conservative side . neutral +he examines the justification for the U.S. media 's outrage at being expelled from Yugoslavia . he analyzed why the U.S. media was prohibited from Yugoslavia . neutral +In other respects , too , they evince a prickly xenophobic nationalism . They 're welcoming and accepting of foreigners , almost to the point of rejecting their own country . contradictory +So head first for the tourist office on the huge Place Bellecour , in the middle of the Presqu 'ile , the peninsula between the two rivers . The tourist office is on the place bellecour . entailment +yeah yeah they was actually went back like they were you know They actually didn 't go back . contradictory +Be it enacted by the Senate and House of Representatives of the United States in Congress assembled , US Senators and Congressmen assembled and enacted the bill entailment +Rice and fish dishes make up a substantial part of the local diet . The locals rarely eat fish in their meals . contradictory +Among other laudable qualities , the anti-Semitism is well-done , opines Krauthammer . The anti-Semitism is portrayed well . entailment +um okay i guess i don 't see them as much of a threat as they used to be but i think just the instability of the country right now uh-huh now that my perspective has changed , i don 't think they 're really a threat any more neutral +They camped the second night in the barrens , keeping fires sheltered in a deep pit . They lit big logs on fire in the barrens . neutral +A row of shining new cans tempted him with labels and optimism : fruit a la mango , exotic fruit with bacon , fruity mushroom , vegetable-carrot cellulose , natural flavor of home made yogurt , eccentric raspberry flavored orange and many others . He was tempted by the line of shiny new cans including fruity mushroom and fruit a la mango . entailment +She doesn 't have a computer , but she 'll be faxing daily from Tuscany . She can still fax from Tuscany , even without a computer . entailment +i 've missed the first ten minutes I watched it from the start . contradictory +Master P was a hood and a hustler , and even as a corporate man , he behaves like a hood and a hustler . Even though he was a corporate man , Master P acted like a hustler . entailment +What was unusual about this request was that roughly $ 1 . There was something unusual about the request stemming from the cost analysis . neutral +um i think i would rate probably a seven I think I won 't rate it . contradictory +They were locally focused and passionately promoted local control . They were focused on local population control . neutral +( The others are the sword , which resides at the Atsuta Shrine in Nagoya , and the jewel , kept in the Imperial Palace in Tokyo . ) The jewel resides in a Shinto temple in Osaka . contradictory +Considering how hard it was for the extraordinary Frank McCourt to learn how to teach , one has to wonder whether individual teachers can really measure their own progress . Considering the case of Frank McCourt , one can wonder whether teachers can measure their own progress or not , but we will have a solution soon . neutral +The old warehouses can still be seen by the river in the Gulzarbagh district , now housing a printing press . There are also new warehouses near the Gulzarbagh district . neutral +Other GAO contacts and key contributors are listed in appendix VIII . There is no appendix in the document because the GAO contacts are common knowledge . contradictory +Twenty-one of the 28 heads of Notre-Dame 's kings of Judah ( see page 33 ) , some retaining traces of their original pigmentation ( 1220 ) , were found in a bank vault and brought here . Out of the 28 heads of Notre-Dame 's kings of Judah , 21 were found in a bank vault . entailment +It brings out all that is sweetest and truest in them . It brings out all their bad qualities . contradictory +Built by Emperor Hadrian around a.d. 125 on an earlier site destroyed by fire , it achieved a marvel of engineering with its magnificent coffered over 43 m ( 141 ft ) in interior diameter ( larger than St. Peter 's ) , exactly equal to its height . Emperor Hadrian is the most prolific architect and builder in ancient times . neutral +And if she won 't tell ? asked Julius suddenly . Julius already knew the answer . neutral +Otherwise , there are some beaches or sections of beaches where swimming is less recommended or even dangerous for all except experts . Some sections of the beaches are only recommended to be used for swimming by experts . entailment +Captain Bayliss . It was acknowledgment rather than a greeting , delivered in a cool tone . Captain Bayliss was not fond of the person he greeted . neutral +Doctorow 's Ragtime , is set in 1910 . Doctorow 's Ragtime takes place in 2010 . contradictory +Guided tours , several times per day in season , visit apartments with superbly tiled floors and the Duke 's private chapel . In season , guided tours visit the Duke 's private chapel and apartments with superbly tiled floors . entailment +The six private sector and three state organizations we studied have been recognized by their peers and other independent researchers for their outstanding financial management practices and successful finance reengineering efforts . There are 3 state-based organizations that were studied by us . entailment +It was a matter of honor for all self-respecting housewives and house husbands to prepare a Robi 's recipe for Friday night dinner or Saturday lunch . Robi 's recipes were hated and almost never used . contradictory +He gropes female guests , watches porn , drinks monstrously , smokes more , and uses drugs . He 's very well manner and doesn 't so sinful things . contradictory +I kept my face hidden . I showed my face to the world . contradictory +It couldn 't look as eager as I feel ! I feel more enthusiastic than It looks ! entailment +In what direction ? Which way ? entailment +Butterflies play among the blooms as day-trippers enjoy a picnic or a lakeside walk . There are bees in the bloom along with the butterflies . neutral +Most houseboats are moored on Dal Lake , but for those seeking seclusion , there are others on the smaller Nagin Lake to the west . Nagin Lake sees more tourists every year than Dal Lake . contradictory +Nickles discounted the administration 's demand that Yugoslavia halt its ethnic cleansing in order to halt NATO 's Secretary Cohen says , ' Well , Mr. Milosevic has to do all these things , then we 'll stop the bombing . Nickles said the administration had demanded something they wouldn 't do until Yugoslavia did everything they were supposed to do within the next week . neutral +In 1662 Charles II married Portugal 's Catherine of Braganca . Catherine of Braganca bore many children for Charles II . neutral +it was even at your age It was odd at your place . contradictory +They include the working poor , veterans , family farmers , people with disabilities , and victims of natural disasters . A broad range of groups are part of it . entailment +This imposing vista was originally planned for Napo ? ­ leon to see from his bedroom in the Louvre , which was then a palace . Besides being built for napoleon for his viewing pleasure , the grandiose sight was also used for commercial purposes . neutral +yeah i got one from Payless Cashways and it 's actually metal Payless Cashways lets you make contactless purchases . neutral +That I entered politics say , even , that I became Prime Minister of England ? I have entered politics and become the Prime Minister of England . entailment +well today was really nice the past few days have been rather chilly uh we had a lot of rain recently i 'm in Texas where are you Today was really nice , but the last few days have been a bit cold and rainy . entailment +At the front was Malok , leader of the Sons of the Egg , brandishing his knife . Malok was on the frontlines holding a knife neutral +with with for the most part with the same ideals With mostly the opposite ideals . contradictory +no we 've got uh we 've been married forever about eight years eight years two kids that was just We have two kids since eight years ago when we got married with one son and one daughter . neutral +Additional downtime leading to loss of a unit 's availability to supply electricity is atypical for FGD technology installations . The unit has a lot of downtime due to FDG technology . neutral +Strategic human capital management , and specifically the need to develop results-oriented organizational cultures , is receiving increased attention across the federal government . The federal government uses studies to learn and grow collectively . neutral +I 'm not sure how many of Royko 's readers understood that much of what he wrote was facetious or fictionalized . I don 't think a lot of Royko 's readers understood what he wrote was truthful . contradictory +Witness the new anti-sweatshop consortium , featuring Nike , Liz Claiborne , Kathie Lee Gifford , et . Nike , Liz Clailborne and Kathie Lee all reject the new anti-sweatshop consortium . contradictory +no i haven 't no i haven 't Yes , yes I have . contradictory +On the international scene , the Turkish conquest of Constantinople in 1453 closed Genoa 's Black Sea markets , but competitor Venice worked out a new deal in Cyprus and even a modus vivendi in Constantinople itself . The conquest of Constantinople led to new economic deals by Venice . entailment +As usual , New Orleans was among the last to learn this , thanks to the secrecy of diplomatic negotiations and the slow communications of the age . There were slow communications in that particular time . entailment +C rete has hundreds of beaches , from tiny coves to lengthy strands . There are hundreds of beaches of varying sizes on Crete . entailment +You have to be joking , said Adrin . Adrin asked if he was kidding . entailment +just minor little ball here or there you know I find balls everywhere , it 's a major issue . contradictory +But six months ... Of course , he could go now . And yet six months before the launch of the product . neutral +Among its fantastic detail of the new testament scenes , notice the damned being eaten alive in the Last Judgment . There are no new testament scenes that stand out . contradictory +And the terms are most liberal . " Very limited terms . contradictory +So far , the answer is an unqualified Yes ! To date , the answer is an unqualified No ! contradictory +They are too easy a target . They were easily shot down . neutral +However , the fundamental principles of providing the right incentives , providing adequate transparency , and ensuring appropriate accountability are even more important and relevant as the new structure and reforms are being established . It is very important to provide transparency and ensure appropriate accountability as new reforms and structures are being established . entailment +it 's a and yeah i have i have what i have two credit cards that 's all i use i 'm always getting stuff in the mail all the time I only have only ever had one credit card . contradictory +Agatha Mary Clarissa , Lady Mallowan , DBE ( 15 September 1890 - 12 January 1976 ) , commonly known as Agatha Christie , was an English crime fiction writer . Agatha Mary Clarissa was a French pulp fiction writer who was born in 1890 . contradictory +Exactly . Au revoir ! Whittington looked almost genial again , a reversion that aroused in Tuppence a faint misgiving . The sudden change in Whittington 's demeanor instilled a sense of doubt in Tuppence . entailment +cats cats can deal with being inside all the time just fine but i just think dogs need need to be outside so Cats and dogs can both be outside . neutral +um-hum didn 't it though yeah i i got to agree with you there i think that does get a lot a lot of good there I cannot agree with you it doesn 't do a lot of good there . contradictory +Three great civilizations have shaped this part of the city Roman , Byzantine , and Ottoman . Parts of the city had influence from multiple civilizations . entailment +i i absorbed all of that movie in one sitting uh i guess what made it so good was the cinematography cinematography The cinematography was great ! neutral +Additionally , our Request for Proposals now encourages applicants to describe the quality of their delivery approach , the unique features of their service area and any model projects . The proposals do not ask to see the applicants uniqueness . contradictory +An ' who th ' devil are you ? His voice was thick and slurred . WHo am I ? He asked with a steady voice . contradictory +Some of the best views of Santorini are from the water . The views of Santorini from the water are absolutely amazing . entailment +i think the the significant thing is is today did did you uh did you see Barbara Walters interview with Schwartzkopf The Barbara Walters conversation with Schwartzkopf , did you watch it ? entailment +from your company because i know they i don 't know why but you can use American Express and they give you an itemized bill and You can only use american express but nothing else . neutral +yeah i can 't remember his name either I don 't know his name . entailment +( b ) ignore the consequences of the underlying technology policy . There are no consequences of the underlying technology policy . contradictory +If it looks clear , beat a hasty path up to Pico do Arieiro first thing in the morning . If the weather looks promising you should flee from Pico do Arieiro immediately . contradictory +Two elephants in a kneeling position welcome you to Cave 16 , one of the most important of the later caves , created between a.d. 475 and a.d. 600 . The elephant is a symbol of power , one of the main themes of the caves . neutral +And in my book , that doesn 't mean you run back with your tail between your legs just because some silly young girl pulls that old chestnut on you . I think you should stand up for yourself , regardless of what others think . neutral +i think i 'm more scared of her not because she 's a female but because more for her political political beliefs and what she says she 's going to do i think i 'd be scared of anybody male or female in that position I think I am more afraid of her political belief than anything else . entailment +Tea is usually served black in small tulip-shaped glasses . Tea is served in an interesting glass and often comes black . neutral +With its wide , sandy beach , Portobello is a quintessential British seaside town . The British village of Portobello sits in an idyllic forest far from the coast . contradictory +uh normal uh you know Normal quantity , you know neutral +The language wasn 't English , however . The language was English . contradictory +This report was prepared under the direction of Paul L. Posner , Managing Director of Federal Budget Analysis , and Susan J. Irving , Director of Federal Budget Analysis , who may be reached at ( 202 ) 512-9573 if there are any questions . The report was a very expensive project neutral +The town capitalized on its popularity by creating a modern resort full of almost nonstop entertainment . There is a lot of entertainment in the town . entailment +Behind it is the basilica 's greatest treasure , the Pala d 'Oro ( Golden Altarpiece ) , dating back 1,000 years and bejeweled in its present form in the 14th century . The Pala d 'Oro was bejeweled again in the 17th century . neutral +i 'm out in uh Phoenix uh Phoenix there so the Suns are starting to look pretty descent but there i think yeah The Suns recently got a star player which I am ecstatic about . neutral +Live music most weekends . They play live music most Saturdays and Sundays . entailment +As you move further into the complex look for statues of King Tutankhamun and his wife , one of only a few depicting the young boy Pharaoh to be found at his capital . The statue of the young Pharaoh is taller than the average man . neutral +yeah you don 't know which is you don 't know which is worse They are both bad options . neutral +The net effect on the U.S. The overall effect on the U.S. entailment +We are going through my mother 's papers . They were going through her papers . entailment +Nearly three months ago , when the administration at the National Autonomous University of Mexico proposed a raise in student tuition from 2 cents to about $ 150 a year , students closed down the classes with a strike , affecting 267,000 students and 30,000 professors . When a raise in tuition was proposed from 2 cents to about $ 150 a year , students went on strike . entailment +The Commission further notes that no commenting parties raised issues specifically in response to the initial regulatory flexibility analysis , and that no significant alternatives were considered . No alternatives were considered . neutral +yeah real scruffy looking It is really scruffy looking . entailment +'Excuse me ? ' I blinked . I told him to shut the heck up . contradictory +oh okay and they 're taking the money that they earn to plant trees The trees are better for the community as a whole . neutral +uh i love cats i don 't know most people a lot of people don 't like cats but Nobody likes cats . contradictory +Now , my dear young lady , let us come to business . His large face broadened into a smile . His face smiled malevolently at her neutral +The name Bosphorus is derived from the mythological character Io , who swam across the strait after being turned into a heifer by Zeus ( Bosphorus means ford of the ox in Greek ) . Who drowned himself in the strait after Hades turned him into a heifer . contradictory +Continuing your walk on Jaffa Road soon brings you to Zion Square , the heart of downtown West Jerusalem . Zion Square is full of shops , bars and restaurants . neutral +When a request is accepted , GAO will provide the requester an estimate of when the job is likely to be staffed ( e.g. Gao will not give estimates , you just have to wait . contradictory +Then she answered the bell demurely . She answered the bell gregariously with lots of vigor . contradictory +In recent years , considerable attention has focused on increasing competition in the provision of postal services . No attention has been paid to the postal services . contradictory +The fact , according to geologists , is that the Kathmandu Valley was indeed once a lake , though the valley 's waters now drain through the narrow cleft of Chobar Gorge , which was most likely created by a large earthquake . ) The fact , according to geologists , is that the Kathmandu Valley was indeed once a lake due to sediment deposits . neutral +As shown in Equation ( 4 ) , the D term in the Vb equation contains Pb , so when Pb changes , the discount is affected . As shown in Equation ( 2 ) , the D term in the Vb equation contains Pb neutral +Like an open-air museum , Siena is still a very dignified lived-in town , with fashionable restaurants and boutiques , a vibrant local pride nurtured by economic stability and a rich historic legacy . Siena features trendy restaurants and boutiques . entailment +CIOs provide leadership and vision , focusing senior executives on highvalue information technology issues , investments , and decisions . CIOs help senior executives focus on high value technology issues . entailment +Prosperity is like Tinker It lives on belief that it lives . Prosperity continues on as long as you believe in it . neutral +He defeated me easily . He was victorious over me . entailment +yeah uh-huh uh-huh to go to follow uh-huh Go to follow . neutral +He flung himself from the cabinet to the equipment table . He flung himself from the table to the cabinet . contradictory +oh i 'm not i don 't think i 'm in the new car market I 'm shopping around for a brand new car . contradictory +It has beautiful landscaped gardens it 's said that the warm air of the Gulf Stream aids in the production of the many exotic blooms . You can see many types of unusual and new flowers blooming in the gardens . neutral +But the major breakthrough for the Malay economy was the triumph of rubber , when Singapore 's new garden director , Henry Ridle ( Rubber Ridley to his friends , Mad Ridley to all doubting Thomases ) had developed new planting and tapping methods and painstakingly spread his faith in rubber around the peninsula . The Malay economy was the first economy to produce rubber . neutral +You do not need to assess reliability if the data are used ( 1 ) only as background information or ( 2 ) in documents without findings , conclusions , or recommendations . If the data is merely being utilized as background information there 's no need for a reliability assessment . entailment +It 's worth the trouble to ramble up to the extraordinary lighthouse at the top of the hill past various abandoned farms , wild flowers , and sweeping sea vistas . The lighthouse is easy to get to . contradictory +Accelerated lines miss out on many of the canal 's sites ; airport motor launches crosedirectly to San Marco from the Lido so drop your bags off at the hotel and then hop on the number 1 in the opposite direction , round-trip . There are multiple lines to take if you want to see the canal . neutral +yeah well that 's that 's exactly what my friend has has figured out that i do is my i can actually see the club on my backswing and and uh I can see the club when I pull it back . entailment +He was playing with the cell phone when by accident the top ten list of exotic places appeared . He was playing with his cell phone in the bathroom . neutral +Newsweek offers a time line of the doctors ' plans for a successful delivery . Newsweek has a time line of the doctor 's plans for a successful baby delivery . neutral +well Maryland Maryland has some i mean um Maryland has some great seafood doesn 't it Seafood is good in Maryland . neutral +In fact , it is almost universally admired for its professionalism and efficiency . An overwhelming amount of people see it as absolutely unprofessional . contradictory +He stood looking at her with a kind of desperate irresolution . He is desperately looking at a woman . entailment +Robert Hass , a former vice president for marketing at Smith and Wesson , has testified that his company did nothing to stop the flow of arms to criminals . Robert Hass testified that his company did everything in their power to prevent criminals from obtaining weapons . contradictory +Don Michael Randel , currently provost at Cornell University , has been selected to succeed Hugo Sonnenschein , who stepped down in June . Don Randel is provost at Cornell university . entailment +" They blame all their troubles on the magicians , " Bork explained . They say that the magicians are responsible for their troubles . entailment +1 ROLE OF THE STATISTICIAN The statistician plays a role . entailment +We assume that net foreign investment rises by one-third of any increase in the national saving rate . The assumption is that there is no correlation between foreign investments and national savings . contradictory +He ignites kegs of dynamite in his Aspen , Colo . , backyard . He likes to see big explosions . neutral +But Won 't the Producers Be Angry ? Will the producers be upset ? entailment +We might have guessed … . " We could have guessed the dam would break . neutral +Two tall skyscrapers dominate the plaza . There are no skyscrapers in the plaza . contradictory +From fiscal year 1990 through fiscal year 1999 , the number of nonpostal civilian federal employees fell from about 2.3 million to about 1.9 million . The employees fell from 2 million to 1 milion . contradictory +Greyfeather and Runnin ' Fox were scoutin ' for us . " Both Greyfeather and Runnin ' Fox acted as our scouts . entailment +According to recent empirical research , current account deficits eventually have been followed by periods of declining investment . Current account deficits have never been followed by periods of declining investment . contradictory +That is not what I intended to say . I meant to say something kinder , but it came out wrong . neutral +now the part about where you said the apartment complex puts up signs that says no soliciting i 've even gone so far as to put that i 've got a storm door on the front of the house and i 've put in i don 't know how much clearer it can be it 's a red sign with silver letters saying no soliciting i should have guessed i guess i should make another one that says religious or otherwise because i still get The ' No Soliciting ' signs are on every floor of the apartment complex . neutral +every movie and she uh she does really good we 've taken her from real young and she does real good like i said we don 't take her to R 's so if and when we ever get a babysitter like we did with Silence of the Lambs we go see it We 've taken her to movies since she was really young so now she 's really well behaved in movies . entailment +right no i think it 's it 's to me more of a convenience to have them come pick it up No it works better for me if they come pick it up . entailment +yeah oh i ended up getting her a six foot two by four and let and she had the best time with it She had the best time with this six foot two-by-four . entailment +Lightning exploded from my hand , and struck the joint . The lightning flew out of my hand and started a fire . neutral +well well in our area we just introduced the um citywide uh Clean King Sport campaign and we have a recycling mascot called Kleanaroo he 's a kangaroo and um we 're setting up curbside recycling bins for the city home owners and several of our local businesses also have recycling stations set up in their parking lots There are different types of recycling bins . neutral +Arrangements were made for the pianist daughter of IOC vice president Kim Un Yong to rehearse with the Berlin Philharmonic when Berlin was seeking the 2000 Games . Kim Un Yong 's daughter rehearsed with the Berlin Philharmonic . entailment +As in every other city , nightclubs quickly come and go , so it is essential to check the listings in local publications like In Dublin or Events . The average Dublin nightclub lasts for six months . neutral +For purposes of the discussion of entry pricing and net avoided cost , we ignore the impact of the percentage of non-delivered mail . In the future we will no longer ignore the impact of the percentage of non-delivered mail . neutral +APHIS did determine , however , that the amendments to the regulations allowing , under certain conditions , the importation of fresh , chilled , or frozen pork from the State of Sonora , Mexico , into the United States could be issued as a final rule at this time . The amendment banned any rules regarding the importation of pork from Mexico . contradictory +okay well i guess that was it I have one more question to ask . contradictory +yeah well what about a voluntary program do you think that would be a good idea You said a voluntary program is a bad idea . contradictory +Excluded from the definition of land for reporting purposes here are materials beneath the surface ( that is , depletable resources such as mineral deposits and petroleum ) , the space above the surface ( that is , renewable resources such as timber ) , and the outer-continental shelf resources . Outer-continental shelf resources are included in reported land . contradictory +and i anticipate the same thing with the Honda whenever i decide to sell it course i may never sell it The same thing only happens with Hondas , not any other car . neutral +Our OPM work was conducted at its Retirement and Insurance Service locations in Washington , D.C. , and Boyers , PA . Our OPM work was done at our warehouses in DC and PA . neutral +Mrs. Vandemeyer would never speak now … . Mrs. Vandemeyer had passed away . neutral +4 ) It 's amazing that they 've relaxed their enmity after showing each other their nuclear weapons . The unusual outcome is they have relaxed their aggressiveness , after seeing each other 's nuclear weapons . entailment +Direct and material noncompliance is noncompliance having a direct and material effect on the determination of financial statement amounts or could have a significant effect on other financial data needed to achieve audit objectives . Noncompliance can affect financial data needed to achieve audit objectives . entailment +and i guess you 're eligible after twenty seven for parole even though you 're in for life You can be in for life and still be eligible for parole after less than 30 years . entailment +No , this is the place for me . This is not the location for me . contradictory +The grounds offer a welcome rest before and after a visit to the rich and handsomely re-hung collection of Italian and European paintings . The Scottish painting collection is especially large and impressive neutral +There are a variety of professionals that could be trained to deliver the intervention including physicians , nurses , psychologists , social workers , and substance abuse counselors . Physicians are qualified to deliver the intervention . entailment +It was also a key retreat for the 1970s hippy population , lured especially to the beaches of Batu Ferringhi ( see below ) . The beaches were inhabited by drug addicts . neutral +They didn 't stop the arms race or radiation experiments using human guinea pigs . Human guinea pigs were used to successfully stop the arms race . contradictory +Aunt Marianna had insisted that he accept part of the Mattock estate , even though his Kentucky grandfather had left him penniless . The house needed a lot of money and time sunk into it . neutral +Recognizing that Japanese business is not down for the count--and remembering the role it played in getting us to where we are--is a necessary step toward a saner appraisal of where this economy might be going . Japanese business isn 't ruined , but could recover a lot this year . neutral +This union of significant funding declines , restrictions and competition began to inexorably change the way that legal services in the United States operate . Funding declines have contributed to a change in the way that American legal services work . entailment +and they don 't have a waiting period because they have access to computer records concerning all these felons and the uh when you go in and buy a weapon or a handgun in uh uh Virginia There is a three week waiting period to purchase a firearm in Virginia . contradictory +Illinois Supreme Court Justice Thomas L. Kilbride will deliver the keynote speech to the legal aid providers on Monday and will discuss the high court 's plan to hike attorney registration fees by $ 42 to cover the shortfall in the interest income . Attorney registration fees will be decreased . contradictory +The town is ideal for a quiet family holiday , especially in spring , when Javea is magical with the scents of lemon and orange blossoms . The area is very family friendly . entailment +each using the appropriate techniques , in order to produce capping reports or similar products . Each wants to make reports to show the stockholders . neutral +The thick walls still clearly outline the fort 's boundaries . The fort does not have perimeter walls . contradictory +Michael will be filing from Silicon Valley two to three times a week . Michael is going to be filing from Silicon Valley two to three times a week . entailment +This is a very conservative assumption because the most complex FGD installations will require three years while the actual available time to complete the projected retrofits for each period , except prior to 2005 , is five years . The assumption is currently very conservative because the FGD installations require three years . entailment +The girl had practically told him he wasn 't in his own world . He 'd been told that he was in a different world . entailment +Indeed , we leave the LSC program subject to even a greater uncertainty than the one we purport to have eliminated , since other circuits may conclude ( as I do ) that if the limitation upon welfare representation is unconstitutional , LSC attorneys cannot engage in welfare litigation at all . LSC attorneys can engage in any litigation , including welfare , that 's what the program is for . contradictory +yeah i think guess we did too all right well well you have a good day I look forward to visiting in the future . neutral +Significant differences in the composition of mail and labor costs exist between USPS and Poste Italiane . A wide gulf exists in costs of mail and labor between USPS and Poste Italiane , with USPS being more efficient . neutral +While transaction processing will always exist , it does not have to drain the finance organization 's resources . A finance organization 's resources will always be drained by transaction processing . contradictory +the ones we haven 't papered we 've done in uh uh latex uh uh pastels We used latex because we like the way it smells . neutral +This is isn 't simply reading the Great Books chosen by Chicago 's legendary President Robert Maynard Hutchins and his sidekick Mortimer Adler . We are doing much more than reading the books chosen by Mr Hutchin and his side kick Mortimer Adler . entailment +What looks from a distance like a huge Greek temple with many Ionic columns turns out to be only a single facade with 12 columns . From a distance , it looks like a Greek temple thought really it 's a facade . entailment +Now , unless I am much mistaken , at the inquest to-day only one ” at most , two persons were speaking the truth without reservation or subterfuge . " No more than two people were unreservedly honest at the inquest . entailment +right oh Neil Sperry hasn 't been pushing that real hard and heavy here lately Neil Sperry has not spared any effort on the work . contradictory +Of course he had seen very little of Hunt Rennie at the Stronghold ; his father had ridden south on patrol with his own private posse shortly after his own arrival there . Hunt Rennie and his men all rode black stallions to match their uniform . neutral +Under these assumptions , the nation 's electricity intensity is projected to decline at an annual rate of 2.5 % , Is it assumed that the nation 's electricity intensity is projected to decline at 2.5 % a year . entailment +The technology of satellite TV--one 18-inch dish on the deck of my apartment receiving 207 channels from something flying in space thousands of miles away--is wonderful . The technology behind satellite TV 's ability to be in everyone 's home is wonderful . neutral +The other one is my closest friend in college , who has been there with me through the last four tough years . That guy sucked and was never there for me during the toughest years of college . contradictory +I understand you to say that it never entered your head that the witnesses at the inquest could possibly have mistaken your voice for that of Mr. Inglethorp . I get it that he never thought the witnesses would mistake his voice for that of Mr. Inglethorp . entailment +Just to the west is the beach , obscured by serried ranks of huge high-rise hotels on Ha-Yarkon Street . High-rise hotels hide the beach . entailment +uh-huh i remember i know one Christmas when i was in Dallas it snowed it snowed and and there was a white Christmas but i don 't i guess it 's been about five or six years ago One time in Dallas it snowed on Christmas . entailment +But you want faster . Quicker saves more time . neutral +By these criteria Kinsey fares well . Nobody has read Kinsey 's research . contradictory +that 's true good point I could not agree with you more on that point . neutral +First Class and Standard A , and if the fundamental distinction between the two was service , one would expect a moderate rate difference based on a real service difference . If the fundamental distinction between the two was service , one can expect a moderate rate difference . entailment +Like you 're a criminal for asking . They say it 's bad if you ask for pain medications . neutral +You know what you know now , said Jon . Jon said the person knew nothing .. contradictory +5 as the indicator of exposure . ) The indicator of exposure is 5 . entailment +Dave Hanson prepare to receive your reward . After you get your reward , feel free to go . neutral +To reach Gretna Green , take the M6 north from Penrith . One way to reach Gretna Green is by taking M6 North from Penrith entailment +yeah that 's you need to do that i 'll i 'll i 'll give you a hint i don 't know if you 're a talk a radio talk uh person listener do you listen to radio talk shows I will give you a hint , but do you listen to radio talks ? entailment +Emch said on Wednesday , I have a lot of confidence in lawyers in West Virginia , who are professionally responsible and understand the importance of this project . In the middle of the week , Emch said he has lots of confidence in attorneys who are responsible and know how important this project is . entailment +And this account of them was published in Slate , so it 's probably wrong , too . It is probably wrong , but there is a chance that it is correct . neutral +but uh they want too much money yeah They want too much money for the car . neutral +Then I remembered something . I remembered the time I was with that blonde girl . neutral +You 've seen this sort of picture People get drunk and drag skeletons out of closets , and the tension between the formal dinner party rituals and the truths that simmer beneath the surface give way to a Walpurgisnacht . The anti-patriarchal content is fairly routine , but you should see the movie anyway because the director , Thomas Vinterberg , is a great , hypersensitive filmmaker whose edgy , grainy , caught-on-the-fly camerawork seems to make the very celluloid shiver with rage . Thomas Vinterberg will win an Academy Award for this movie . neutral +( My personal guess is that the hidden improvements are less important than they were in the 1950s and 1960 For example , direct-dial long-distance calling and television made more real difference to our lives than the Internet and DVD . ) I think that the hidden improvements are less important than they were in the 1950s and 1960 , so we must change that . neutral +The Corporation had followed me this far . The Corporation was following me . entailment +Products that should be developed never get off the ground , or do so much later than they should , because everyone is waiting for other people to move . There is intense competition among people vying to be the first to bring a product to market . contradictory +1 billion pieces of advertising mail . 1 billion segments of advertising mail . neutral +Acre 's finest lodgings , with a beach and the country club 's excellent facilities . It 's the best lodging in Acre with a beach and the country club 's golf course to use . neutral +That I can build card houses seven stories high , but I cannot " ” thump ” " find " ” thump ” " that last link of which I spoke to you . " 152 I could not quite tell what to say , so I held my peace , and he began slowly building up the cards again , speaking in jerks as he did so . I quietly watched him build the house of cards . neutral +There were flies crawling on the man 's wide-open eyes . The man 's eyes were rotting . neutral +The consensus prediction is that this would jeopardize Hillary 's senatorial ambitions . Hillary has wanted to be a senator since childhood , but after the email scandal she may not get the votes she needs . neutral +Aside from pure anti-Jesuit animus , this nuance probably arose from the work of some 17th-century Jesuit theologians who imperfectly employed a method known as casuistry in resolving questions of moral theology--an approach that gave the broadest possible leeway to individual behavior . Casuistry might give a great deal of leeway to individual behavior if improperly applied . entailment +Then a single word came out . He struggled greatly but was unable to make any sound at all . contradictory +Pat Buchanan couldn 't have said it better . Pat Buchanan could not have made the point on a border wall in a more effective manner . neutral +The damned thing works . Crazy , but it operates okay . entailment +Those seminal early papers were crisp and minimalist ; they looked forward with remarkable prescience to the wild and woolly , out-of-control world of modern international macroeconomics . In so few words , the early papers of the managed to predict so much . entailment +It might be a ' she , ' I suggested . It might be a female , I pointed out . entailment +REPORTING REQUIREMENTS The requirements for reporting are listed here . entailment +Munny 's assertion , in Unforgiven , that it 's a hell of a thing , killing a man . Munny asserted the killing a woman is a hell of a thing . contradictory +uh-huh i 'd think so Yeah , I 'd imagine that is right . entailment +For a similar reason the use of the world as a base for interstellar travel , except for trade in certain items , is uneconomical . Our world is not a good economical base . entailment +it 's not not to me personally no To them it is personally a no entailment +Dorcas answered it in due course . Dorcas answered it in due course , but by that point it was too late . neutral +While exact uniformity isn 't expected or perhaps even possible when people are asked to recall a definition , the extreme variability illustrates that we could be talking about very different things in Exact uniformity is not expected when someone is asked to recall a definition . entailment +In a.d. 711 a great Muslim invasion fleet from North Africa crossed the Strait of Gibraltar . Muslims from North Africa went over the Strait of Gibraltar . entailment +White took his revolver and shot Lincoln in the stomach . White took out his favorite revolver . neutral +Having conquered the islands , they named them Balearis Major ( Mallorca ) and Balearis Minor ( Menorca ) . Balearis Major and Balearis Minor are islands . entailment +Antiparosean be reached by a 20-minute ferry ride from Parikia , or a five-minute car ferry trip from the small port of Pounda on Parose western coast . Antiparosean is impossible to reach . contradictory +The notice contained in the preamble to the interim final rule complies with the requirements of the Paperwork Reduction Act by explaining the need for the information , the parties affected , and the burden estimate related to the collection . The notice contained in the preamble complies to the requirements of the Paperwork Reduction Act . entailment +In the course of the endless massacre of Americans on Omaha Beach , I wrote in my notebook , No one who experiences this scene will ever cheer for a war again . Thousands of men , women and children died . neutral +So let 's get rid of these files and see what happens . Let 's ignore these files and keep them here forever . contradictory +but uh i guess bowling and racquetball 's about it for me walking every once in a while but I guess just playing basketball and hockey every once in a while . contradictory +uh-huh right but in in the Old Testament yeah Yea , but in the Old Testament god was an asshole . neutral +( 1 ) participate in exciting groundbreaking projects , ( 2 ) build a portfolio of new skills , and ( 3 ) choose a variety of career paths . There are only 3 steps to securing a great job . neutral +yeah it it it was just it was the coverage just went way too far The coverage was too focused on finding an angle to slant rather than just reporting what happened . neutral +Take them to Edinburgh Castle for stories of heroism and great views of the city . Many stories of great honor and battles are etched in the walls of Edinburgh Castle , neutral +i workout with that uh ESPN I don 't workout with ESPN at all . contradictory +Yours , TWOPENCE . " Tommy raised a shout for Albert before he had even finished perusing this characteristic epistle . Tommy whispered for Albert after he finished perusing . contradictory +Starting with my legs , for tradition . I would start with my elbows . contradictory +well that would be great there pretty cold It 's never warm over there . neutral +When you buy something online or fill out a warranty card , there 's often a little box at the Check here if you wish to receive announcements about our new products and services that may delight and amuse you . Announcements about new products and services are available . entailment +He said there needs to be a shift in priorities . He said that it is important that priorities remain as they are . contradictory +But initially , most grantees thought that like many other projects begun by LSC , they only had to wait it out and it too would disappear into the ozone or Ethernet or wherever legal services ideas go to find their eternal rest . People thougth LSC projects would be quick . contradictory +The wolf dates from around the fifth century b.c. , but the little Romulus and Remus that she is suckling are actually Renaissance additions by Pollaiuolo . The wolf was added after Romulus and Remus . contradictory +yeah you can that 's right You always could . neutral +and it 's just ten children at a time They come in groups of exactly ten each time . neutral +A guided boat trip will also give an excellent introduction , displaying in leisurely fashion ' and with informative commentary ' sites including the Eiffel Tower , the Palais de Chaillot and Trocad ? ? ro Gardens , the Grand and Petit Palais , the Palais Bourbon , the Louvre , Notre-Dame , and of course many of the beautiful bridges . The are also guided trips to the Eiffel Tower on foot . neutral +Who 's winning the war over the draft ? How are they winning the war over the draft ? neutral +In other words , in each succeeding year , a dollar spent on computers purchased 22 percent more computing power on average than it did the previous year . The cost of computing power declined each year by 22 percent . entailment +Times passes . Time stood still . contradictory +One of the oldest buildings , the Courthouse , was built in the 15th century . The Courthouse is the newest building , having been constructed in the 19th century . contradictory +They have no downside and are a quiet force for good in the world . They are dark and have wicked intentions . contradictory +i i just don 't uh see how I can totally see how . contradictory +At one of VBA 's regional offices , for example , computerized information is continuously displayed on video screens providing employees with current performance information . They did not want to disclose the performance information to the employees . contradictory +Photographs of Dublin past and present are displayed , and changing exhibitions are held of Irish and international photography . There are no photos of Dublin on display , but you can see pictures of other famous cities in the gallery . contradictory +The group then drafted an instrument and pilot tested it with a volunteer group of 22 programs in January 2001 . The volunteer group consisted of 12 programs . contradictory +India accused Pakistan of backing the hijacking and giving shelter to the terrorists . Pakistan gave a lot of help to the terrorists . neutral +i think it 's unfortunate uh as far as the Kurds are concerned it I think it 's great for the Kurds . contradictory +Chronic Exposure , Ages 30 and older PM2 . It is a study of chronic exposure to radioactive materials . neutral +Dominating Old Delhi , the Lal Quila ( Red Fort ) was built by Shahjahan when he transferred the capital back to Delhi from Agra . The Lal Quila can be seen from the rooftop of any building in Old Delhi . neutral +Rerun arrived home a short time later . Rerun was home shortly after . entailment +it 's by Robert Magee and it 's one that that we use in our work uh it 's probably one you 'd find in in like a Christian book store um Everything that Robert Magee writes is practically Christian propaganda . neutral +These are not those pants . These pants look different than the other pants . neutral +The villages of Flanders , once gray and gloomy , are now full of flowers in the summer and the larger towns in the region ' Lille , Arras , and Amiens to the north , Reims in the center , and Nancy and Strasbourg to the east ' exude great civic pride . The villages of Flanders are very proud of the way they look . neutral +Quite so , quite so , said Mr. Wells soothingly . Mr. Wells had a soothing voice . entailment +And , Santayana asked me to add that Those who cannot remember the past are condemned to repeat it . Santayana didn 't ask me to add that those who forget the past are doomed to repeat it . contradictory +Is that what you call her ? His mind seemed to be trying to adjust itself to a new idea . He had always known what she was called and was very comfortable with it . contradictory +Overall , acid deposition continues to impair the water quality of lakes and streams in the 41 percent of lakes in the Adirondack region of New York and 15 percent of lakes in New England exhibit signs of chronic and / or episodic acidification . The aquatic life in some New England lakes has died . neutral +and it and then you leave the movie like with your brain you got a headache trying to follow this damn movie The movie was so confusing . entailment +Table 2 has the same format as Table 1 and shows the breakdown of First-Class Mail by use . Table 2 shows the breakdown of First-Class Mail by use . entailment +In FY 1997 and FY 1998 , Standard A mail grew 7.8 percent and 7.3 percent respectively . Standard B mail did not grow in either of these times . neutral +On the last night before the Romans breached the walls the Zealots decided on mass suicide . The Zealots committed suicide after the Romans breached the walls . contradictory +When the local course is private , as at the Royal Perakiaolf Club at Ipoh , your hotel may be able to get you temporary membership if you are a member of a golf club back home . You can pay a hefty fee to play at the course at your resort if you are member at home . neutral +Poor Newt . Unfortunate Newt . entailment +Are you really Uncle Hiram 's son ? she asked wonderingly . Uncle Hiram had always told them that he had no sons . neutral +Thorn slept . Thorn never slept . contradictory +The Graves model is still available , for about $ 125 , though some might call it passe . Even though it is available , no one is likely to purchase the Graves model . neutral +The Merchant 's eyes were already closed . The Merchant had closed his eyes . entailment +As explained in the regulatory impact analysis for the Heavy-Duty Engine / Diesel Fuel rule . That is explained in the impact analysis on page 538 . neutral +Pushing against the man 's back , the dark-skinned man drew his other knife against the man 's exposed throat . The dark-skinned man wanted to hug the other man . contradictory +Climb to the roof for an extraordinary view of the carved stone tracery and flying buttresses . The roof has a great view of the surrounding architecture . entailment +These days , most miniskirts stop quite a few inches below the crotch . Miniskirts are at the ankles nowadays . contradictory +The conflict in Washington has its ironies . The racial conflict in Washington is one big irony . neutral +Every year , for three weeks in August and September , all eyes are on the dozens of performances and events in the many theaters of the city center . There are dozens of performances and events every year in the city center . entailment +yeah yeah yeah and if it 's if it 's drug related they turn the other way because that 's one less problem that they have to put up with the law enforcement If its drug related they 'll target them more so than other crimes . contradictory +In the case of residential visibility , we conduct sensitivity analyses to estimate the impact of this uncertainty in the reliability of methods . We carry out sensitivity analyses to determine the impact of residential visibility . entailment +we did have uh another novel uh experiment start this year now we can put all our yard clippings out you can you buy these super giant heavy duty paper bags they 're about four feet high The yard clippings can be put in these massive , strong paper bags that are about chest-high . entailment +um um oh yeah oh yeah and it gets worse it doesn 't get any better And it does get better from here onwards . contradictory +The highlight of Eilat 's musical year is the International Red Sea Jazz Festival ( see page 89 ) . The International Red Sea Jazz Festival is considered to be the red letter of Eilat 's musical year . entailment +At least he meant to die trying , if he failed . He did not fail hence he did not die . neutral +well i guess i 'm supposed to talk alone while he 's on the wait call about clothing right so i don 't know what to say i don 't wear any clothing we 're at nudist camp we don 't wear any clothes here I always have some clothes on at camp . contradictory +Increasingly , grantees are using targeted outreach methods rather than shotgun approaches like general media advertising . They have changed the approaches they use . entailment +Finally , once through the village of Colwith , you will reach the main road , the A593 , and a right turn will lead you back to Ambleside . There are two pubs in the villages of Colwith . neutral +Bees harvest the pollen of the wild herbs on the hillsides to produce delicious honey to which fresh nuts ( almonds or walnuts ) are added . Nuts and honey are a yummy combination . neutral +The Italian landmass covers 301,245 sq km ( 116,228 sq miles ) . The Italian landmass covers only 100 square miles . contradictory +The analysis assumes that current-law benefits are paid in full after 2029 through borrowing from the Treasury . Current-law benefits will be paid in full following 2029 , according to the analysis . entailment +Dejima Pier has been reconnected to the mainland from what was once the Dutch island concession . Dejima Pier has a history of over three hundred years . neutral +Well , you get your message out , shape the debate , and perhaps gain influence over the eventual winner . If you get out there , you can affect things . neutral +The beacon atop the tower gives it a claim of being the tallest lighthouse in the world ; it also has an interesting oceanographic museum . The beacon is 10,000 feet tall . neutral +On the subject of Italian-Americans and their gripes about The Sopranos , et al . Italian-Americans may not like The Sopranos since it misrepresents their culture . neutral +Four Evaluation Five Evaluation contradictory +Instead , you 're still leading with Jacob Weisberg on Clinton 's African apology ( Sorry Excuse ) and Cullen Murphy 's discourse on lying ( The Lie of the Land ) . Clinton gave an apology to Africa for our role in slavery . neutral +Consequently , a booster intervention might be helpful . A booster intervention could be helpful . entailment +yeah i think it it 's all in the metabolism of of the Metabolism has nothing to do with it . contradictory +oh they when he was riding back to the settlement and they shot his horse out from under him oh when he was riding back to the settlement and they shot his horse out from under him entailment +Station VIII ( Jesus speaks to Jerusalem 's women ) : A cross in relief on the stone wall marks the site . The Station is a big part of Biblical history . neutral +Chambers yeah he 's the big guy yeah Chambers has a lot of blocks every game . neutral +Slate editor , who suggested I do a piece . Slate editor hated me . contradictory +There are many reasons for this lack of real competition . Many people have tried to compete before , but they failed . neutral +Thank you , said the other . They gave thanks at Thanksgiving . neutral +The plasterwork on the staircase , with its lavish swags of flowers gently held in the mouths of some very patient-looking dogs is extraordinary . The plasterwork is just plain beige . contradictory +Each household is assumed to have a demand function for each good which depends on the prices of all goods , the household 's budgeted total expenditure and observable and unobservable characteristics of the household There is an accurate model in existence that can model the demand of every good for each household . neutral +They were both approved by OMB and assigned control control number 32350461 for the amendments to the Quote Rule and control number 3235-0462 for the Display Rule . The OMB assigned control to the Senate . neutral +If this group does not show excessive mortality or obvious signs of stress in a few hours , the remainder of the test organisms may be transferred to the dilution water . It is likely that this group will survive . neutral +Not to be missed is a visit to Guangzhou 's famous open-air market , Qing Ping . The market is inside . contradictory +Other industries requiring boilermaker labor include refinery ( 13 percent ) , chemical ( 6 percent ) , paper ( 7 percent ) , and metals ( 6 percent ) . Boiler-making is a growing profession . neutral +Newsweek --what a coincidence ! Newsweek , what a remarkable circumstance ! entailment +To keep the support of the nobles ' armies , the kings had to give the nobles more and more land . The King decided the nobles were useless and kicked them out of the kingdom . contradictory +Follow the old Roman chariot road ( repaved ) of Via Tiburtina 30 km ( 19 miles ) east of the capital to the haunting ruins of Hadrian 's Villa ( Villa Adriana ) , near the picturesque town of Tivoli , at the foot of the Sabine Hills . The Roman chariot road still has the original paving stones . contradictory +It was only ricked , not really sprained , so to-day I said good-bye to the little doctor chap , asked him to send me word if he heard from Nurse Edith , and came right away back to town . Since it is not a bad injury , the doctor was told goodbye . entailment +Actually , it 's a I don 't know any of the LTCM players personally , but some of the hedge fund types I do know are , as my correspondent puts it , about as moral as great white sharks . Hedge fund types are the most immoral people I know . neutral +The term residence is defined in the INA as the place of general abode ; the place ofgeneral abode of a person means his principal , actual dwelling place in fact , without regard to intent . The INA gives a definition of the term residence . entailment +so so i don 't know i don 't The man says that he does not know . neutral +However , facilities are responding to the NOX SIP Call at this time and it is uncertain exactly how many facilities will ultimately be equipped with SCR in 2004 when the NOX SIP Call deadline arrives . We anticipate that 30 facilities in total will be equipped with SCR , but that is subject to change . neutral +When he died in 1624 , he bequeathed his fortune to the education and upkeep of orphans , and the school was subsequently built for this purpose . He left his fortune to orphans because he had been an orphan himself . neutral +that 's right that 's right it 's called humus now i remember it and um uh dipping Arabic bread the thin pita bread in that I love to make my own hummus from scratch . neutral +where my medical where it was worth it to itemize for medical expenses because they were just they were that much of a percentage of my income that it just With my medical bills it was better to itemise the expenses since it was just a percentage of my income . entailment +Arabs invade and settle in Sicily The Arabs were looking to expand further into Europe . neutral +From the height , he could see where the sun had landed . He could see where the sun had landed from here . entailment +Drew commented on that , and Nye answered : " Old Man knows what 's he 's doin ' . Nye responded , " Old man knows what to do . " entailment +because they would roll and everything and oh They didn 't roll at all . contradictory +Next , the students pour samples from a variety of white wines . The students drink the wine samples . neutral +so they 're kind of a pain but you know people who don 't have them think they 're great and people who do have them They 're not a pain at all . People that have them would recommend them . contradictory +you 're right and that 's that 's awful in Texas You are not right . contradictory +Study , Interim Report V , Case Studies . This is probably some corporations data or information . neutral +so it is wonderful once you get into some of the programs that are out now you can do so much with them Plenty of accounting programs are cheap to buy . neutral +and the fuel was so expensive i mean i i just i can 't believe i mean when we when we came back on our way back i mean The fuel was so cheap , we wish we had two tanks . contradictory +American credibility is at stake . American credibility is not at risk of being affected . contradictory +The model law states , The insurer shall not be liable for any loss sustained or contracted in consequence of the insured 's being intoxicated or under the influence of any narcotic unless administered on the advice of a physician . The insurer is not responsible if the insured is intoxicated or under the influence of any drug without a doctor 's consent . entailment +The city 's opera company is highly regarded by the rest of the world , and the Gulbenkian Foundation ( see page 33 ) maintains its own symphony orchestra and ballet company . The ballet company is over four hundred years old . neutral +A rice-planting ceremony is held in mid-March , during which the shrine 's sacred rice field is symbolically replanted . During the rice planting ceremony , over a thousand pounds of rice is planted . neutral +I 'm confident that Passaic County 's low-income residents will be served better than what they get now , Madden said , adding he had not yet settled on a location . Madden has no hope for a better future for them . contradictory +Macmillan 's e-mail answer was another one-liner , a URL . Macmillan replied to the e-mail with just an URL to a website . entailment +plug in the phone to your computer and dial in and Attach the phone to the computer . entailment +Suppose the lady brings a libel action against me for defamation of character ? I 'm not worried about the lady bringing libel action against me . contradictory +A major business asset of the U.S. An important U.S. business asset , noticed the professor . neutral +Suddenly a large and apparently intoxicated man barred their way . Suddenly , an enormous and drunk man got in their way . entailment +They see no threat and assume they can face any that might come . They are aware of several threats and doubt their ability to appease them . contradictory +This is because some stops receiving multiple pieces will receive delivery from both firms . Both firms may deliver if certain circumstances arise . neutral +Rennie was reading this all wrong . Rennie understood everything perfectly . contradictory +Come for a stroll , Hastings . I did not enjoy walks with Hastings . neutral +McKay and his colleagues do not accuse the original authors of fraud , speculate on how their data-tuning took place , or ask whether the tuning was consciously done . The original authors might have intentionally manipulated the data . entailment +While defending Bush 's privacy , Sen. Bush 's privacy was impenetrable . contradictory +He would have had a dozen ways of dealing with the situation , but the result would have been the same . The outcome would have be the same , even had he done it thousands of different ways . neutral +In a delicious turn , Christopher Plummer makes the co-anchor less a journalist than a pompous prima donna , but he also gives him a bullying force and real charisma . Christopher doesn 't like his coworker . neutral +Always make sure that young skin is adequately protected 'even when children are playing in the water . SPF 30 or above is the recommended protection for children . neutral +After a mea culpa , the public or Congress are unlikely to muster much enthusiasm for chasing Clinton through the dull , impenetrable thickets of Whitewater , Travelgate , and Filegate . Neither Congress nor the public were interested in investigating Clinton after he admitted fault . entailment +Finally , at the end of a long day , take the cable car to the top of Mt . Inasa , 332 m ( 1,089 ft ) high , for a dramatic sunset view of Nagasaki and its harbor as city lights begin to sparkle . The top of Mt Inasa has a great sunset view of Nagasaki . entailment +The standards require that expense data be reported for investments in human capital , research and development , and nonfederal physical property . The standards do not need expense data to be reported for investments in the organization . contradictory +GAO is committed to maintaining constructive and continuing communication with agencies and major components within agencies . Maintaining and continuing communication is a major part of the business . neutral +The Oberoi Mena House Hotel operates an 18-hole golf club in the shadow of the pyramids at Giza , and you don 't need to be a guest to enjoy the facilities . Non-guests can use the golf course at the Oberoi Mena House Hotel . entailment +Nickles advocated a compromise , and Lott expressed interest in Yugoslavia 's proposal for a lightly armed U.N. peacekeeping force in Kosovo rather than a fully equipped NATO force . A heavily armed United Nations force capable of silencing the attacks in Kosovo . contradictory +We advertised to receive information , not to give it , said Tuppence severely . We wanted to gain new customers with advertising . neutral +With many renovations dating from the 90s economic boom , its hotels and clubs remain spectacularly impervious to the curent downturn . The hotels and clubs were renovated after and during the 90s . entailment +But Royko also challenged white Chicago 's prejudices , skewering bigots who tried to keep a white couple that had adopted a black baby out of their neighborhood or a funeral parlor that didn 't want to bury a black soldier killed in Vietnam . Royko 's contributions and challenges to racism were pivitol in the civil rights movement . neutral +I 've been thinking She was interrupted by a fresh bout of applause . Rousing applause broke in to stop her in her tracks . entailment +uh-huh you got paper under your table uh-huh You should clean your table . neutral +It is this question which , for me , limits media credibility more than any other . The question on interview bias had ramification for media credibility . neutral +At the same time , many major accounting firms are spinning off the portions of their consulting practices that pose the greatest potential independence problems . Many major accounting firms are getting rid of their divisions that pose the biggest liabilities . neutral +it 's hard to say though i It 's tough to say . entailment +Prior to 2000 , the Congress held important hearings on Year 2000 readiness , and , in 1998 , passed legislation intended to address concerns from private-sector entities about exposure to legal liability and antitrust law violations that might arise due to sharing information on Year 2000 readiness . Congress failed to hold proper hearings ahead of the Year 2000 readiness . contradictory +yes that is happened i think there 's been i think there 's been like six or seven of them over the last like probably eight eight or nine months There 's been about six or seven in the last few months . entailment +No wonder George , the New York Times Magazine , Rolling Stone , and Harper 's failed to snoot out the stink factor and assigned pieces to him . Harper 's thought he stunk ASA journalist . contradictory +Soit ! he said . He said Soit . entailment +Kinship with a man like Hunt Rennie , however the legendary Don Cazar , owner of a matchless range and prize stallions was not a claim to be made quickly or lightly . No one who has suggested Kinship with Rennie has survived . neutral +approximately 850 of those small entities would remain eligible for registration with the SEC . Only 100 entities are eligible for the SEC . contradictory +Cholesterol isn 't necessarily unhealthy , and margarine is as bad as butter . Cholesterol can be ok for you , but both margarine and butter cause heart attacks . neutral +The Ottomans were roving invaders who came from the east , taking land in what is now Turkey . The Ottoman empire was at one point much larger than modern day Turkey . neutral +Never before had Simon experienced something like this . Simon experienced something . entailment +And there is yet another valid that the widespread transmission of racial stereotypes might indeed be helpful to hate groups . Racial stereotypes might help hate groups . entailment +But the main funding comes from a $ 650,000 loan the statewide organization took out . The statewide organization never took out a $ 650,000 loan to fund itself with . contradictory +and it depends on life styles too down there i 'm not sure if you all tend to go out more down there than we do up here or or if we tend to go out more It depends on your lifestyle how much you go out to drink . neutral +But if the composition of the market has changed considerably , so that it is now composed largely of baby boomers investing with a 20-year--or greater--horizon , might this not change the valuation of stocks , bid up their prices , and lower the equity premium ? Baby boomers do not invest in the market . contradictory +No , that 's Julius , explained Tuppence . " That 's not Julius " exclaimed Tuppence . contradictory +The identical statues were carved by the 13th-century masters Kokei , Unkei , and Tankei , ably aided by 70 assistants . The statues were carved in the 1200 's . entailment +so you 're still able to walk yeah well is there anything else about exercise we can talk about May we discuss something unrelated to exercise ? contradictory +well i think it made parts of it a lot easier i i is this your first that you 're having I think it made some portions of it easier . entailment +MAGIC results show the distribution of lakes and streams ( by percentage ) over the three ANC classes MAGIC shows people how to pull a rabbit out of a hat . contradictory +This suppression has helped legitimize the Kurdish Workers ' Party ( PKK ) , a quasi-Marxist guerrilla group that champions Kurdish autonomy . The PKK is a guerrilla group that champions Kurdish autonomy . entailment +In accordance with their prearranged plan , she never spoke to Alfred Inglethorp . She did not contact Alfred Inglethorp . entailment +You then swing across the volcanic Owakudani valley and down the other side for a boat cruise acroseLake Ashi to Hakone-machi . The valley has 5 dormant volcaones . neutral +We 're not supposed to be here . We shouldn 't be here . entailment +The person in charge of setting it up ? The animal in charge of the zoo ? contradictory +But that door was bolted on the inside ! I cried . But the door was always kept open ! I cried . contradictory +In response to inquiries from the media about ongoing work , GAO will provide information only about the objectives , scope , and methodology of a review ; the source of the work ( mandate , name of congressional requester ( s ) , or legal authority allowing GAO to undertake work on its own initiative that is intended to support the Congress ) ; and the expected completion date . GAO will provide information about the review of HR policies . neutral +but exactly However closely . neutral +The major characters receive ample biographical treatments , but so do dozens of other figures , famous and obscure , who had only fleeting links to Lukas ' story . The characters got stories written about them by famous biographers . neutral +One of the most powerful ways to expand client services and support for providers is to engage the private bar in poverty law activities . They wanted them to get more experience taking on cases for those that needed legal aid . neutral +Other agencies either had no such electronic dockets or their systems were not as comprehensive or sophisticated as DOT 's system . Other agencies didn 't have systems as good as DOT 's at tracking staffing decisions . neutral +'If they came aboard ahead of schedule , it implies a change to their plan- a change you weren 't told about . ' White crossed his arms . There was no change to the plans . contradictory +Whole cities have been created in the New Territories , although the unimaginative architecture of these towns has been criticized . It has been argued that the architecture towns of the New Territories lacks creativity . entailment +Debt payments can be as low as $ 300 a month and as high as $ 2,000 . The average amount of a debt payment is $ 1,100 a month . neutral +Four years later , when Savonarola declined to test the validity of his apocalyptic prophesies with an ordeal by fire , he was arrested , hanged , and ironically burned on the Piazza della Signoria . Savonarola didn 't think his prophecies was correct . neutral +okay so how did this topic get picked did you did it just get picked at random or They were assigned the topic . contradictory +yeah but yeah and wind up in the NFL I like to keep up with current events in the NFL . neutral +The revival of interest in Wilde--another play about him ( Gross Indecency ) and a new movie ( Wilde ) --continues to delight critics . The critics are very interested in Wilde 's life . entailment +Substance abuse interventions in general nursing practice . Substance abuse interventions only work exactly half the time . neutral +No one had moved those old Spanish chests , the skin rugs , the table , since his last visit there . Nothing had been moved since it was too much work to move anything . neutral +( Bear in mind , of course , that equally cruel religious persecution of Catholics , Protestants , and Jews was quite common in Europe at that time . ) Persecution of Christians and Jews was uncommon in Europe at that time . contradictory +As they approached cautiously , Tommy gave a sudden gasp . Tommy didn 't gasp . contradictory +The ultimate goal of the data reliability assessment is to determine whether you can use the data to answer the research question . The data reliability assessment has an ultimate goal that is difficult to reach . neutral +Jon would not hold back the blow . Jon was going to hit him with an axe . neutral +and i try not to use it but right now it 's maxed out I don 't like to use my card but it is maxed out right now . entailment +You are mistaken , sir , said Adrin , his voice wavering . Aldrin 's voice is wavering . entailment +The electronic technology spurt that followed is now legendary . The electronic technology spurt only became legendary after twenty years . neutral +'Somewhat , ' I said . I said defintely not . contradictory +but it 's it 's it 's it 's kind of weighed on me and then the other day my husband and i met a couple who who 're they 're just gonna have their first child and they really like each other that couple is about to get a divorce , luckily they never planned on having a baby contradictory +We also find that the burden decreases as the percentage of non-delivered mail increases . The burden increases when more mail cannot be delivered . contradictory +As a result , Delos is now one of the most important archaeological sites in the world . Delos is important because of its temples . neutral +Ali ( then Cassius Clay ) created his persona knowingly and from nothing , and his defeat of Sonny Liston marked a turnaround in our culture . Ali 's win over Sonny Liston was really good but let 's not forget that Liston only had a month to prepare . neutral +Twenty-five days after that conversation , Johnson invited Kennedy to the Oval Office and told him face to face that he didn 't want him as a running mate . Johnson did not consider Kennedy as a friend . neutral +These households might be seen as outside the financial mainstream and thus unlikely to be saving . These households could likely be seen as unable to save since they are outside the financial mainstream . entailment +The WP reports that , voting along racial lines , the Mississippi state Senate yesterday rejected a proposal to compensate relatives of those killed in the state in hate crimes during the civil rights era . There was no report on whether or not the victims relatives were compensated or not . contradictory +The Torre degli Asinelli , 98 m ( 320 ft ) , is the taller , with 498 steps to its rooftop view . The Torri degli Asinelli is the shorter , standing at 98 meters . contradictory +well we 're working hard on it because we 're fighting also in our area a large hazardous waste incinerator The waste incinerator in our area is bad for the environment . neutral +but they don 't give you for the other They don 't give you anything for the other type of plastic . neutral +In the fall Blackpool comes alive with thousands of colored lights that create fanciful pictures and patterns on the sea front . The pictures of Blackpool in fall are horrible . contradictory +i 'm not Larry Johnson i think he 's coming out this year I won 't think Larry Johnson will come out this year contradictory +yep that that 's it That 's exactly what I meant . neutral +no well my my last boss 's wife she oh gosh she would run the tape player from the minute she went to go do her aerobics and she used to do like um filing at the hospital My boss has had more than one wife . entailment +and then uh my mother who went to pick us up we had a barbecue and it was it was cool it was like you know you see a lot of deer up there There are lions to see . contradictory +In his discussion of one historic work--Jean Buchon 's comparison of American rivers in his 1825 Atlas Geographique --Tufte notes how the depictions of the Mississippi and the Amazon must curl around the page , since there 's no room to show them stretched out like the other rivers . The book had depictions of more than one river . entailment +so well i 'm trying to think of what other kind have do you like to read mysteries I 'm sure you don 't like mysteries , I 'll think of other kinds . neutral +In 1763 construction had already begun on North Bridge , which would provide access from the Old Town . The built the bridge out of stone and iron . neutral +He had bought and sold justice himself . He was the buyer and seller of justice . entailment +Opposite the infirmary , with an entrance on Lauriston Place , is the ornate George Heriot School . The infirmary and school are next to each other . entailment +I reckon that we shan 't really need to fire a torpedo . I guess we will have to attack with everything we have . contradictory +JOB ORDER COSTING - A method of cost accounting that accumulates costs for individual jobs or lots . Job order costing is something that all accounts must do . neutral +However , the agencies that we contacted differed substantially in the extent to which they explicitly provided for these modes of comment during calendar year 1999 , and none of the agencies permitted either mode of communication for all of their proposed rules . Agencies were contacted by us but did not differ substantially . contradictory +Every year she was throwing a party and everybody would always come , because if they didn 't , she 'd forget to transfer salaries to their bank accounts . She threw a birthday party every year and she made sure that people would attend . neutral +The most prominent change in human capital management that we implemented as a result of the GAO Personnel Act of 1980 was a broadbanded pay-for-performance system . The most prominent change in human capital management was not a broadbanded pay-for-performance system . contradictory +The monitoring process should also include policies and procedures for ensuring that the results of the reviews are communicated to the appropriate individuals within the organization so that they can be promptly resolved . Monitoring should pass problems onto people likely to solve them . entailment +you know in the the sauce because that 's what they 're used to They are used to it being in the sauce . entailment +However , if management requires such attestations and / or verifications , they should be performed as close to the end of the pay period as possible . The verification by management should not be performed at the start of the pay period . entailment +Natalia / Lincoln crossed his / her arms . Natalia kept her arms folded . entailment +As you have said we can but try . " He picked up the top sheet of paper and began to read : " Bayos-blancos light duns two . You mentioned we can make an attempt . entailment +Among other things , GAO serves as the independent auditor of the largest , most diverse and most important entity on the face of the earth - the U.S. GAO serves as the independent auditor of the general population . neutral +Yore hat , suh . Hamilcar brought in the well-brushed headgear , much more respectable looking than it had been an hour ago . Hamilcar gave him a hat that he had brought with him earlier in the day . neutral +But for a ghost you 're sure lively ! " He was shocked to see a ghost ! neutral +Part of the reason for the Congress 's increased reliance on GAO in recent years is the result of our ability to add unique value to the products and service we provide . GAO 's unique perspectives in the handling of products and services has contributed to the reasons why Congress has been increasingly relying on the organization . entailment +as you whip it over your head or side to side You whip it over your head and then fling it in the water . neutral +'I hear you tell of men 's futures , ' I asked her . He looked at her and didn 't speak . contradictory +There are people that just want to get this president ( Sen. Some people want to get this president . entailment +because yeah it is neat though because there are lots of lakes fairly near by you don 't have to go very far The lakes are very nice for fishing or relaxing . neutral +Clinton and congressional Democrats have hijacked Livingston 's resignation and turned it into a moral argument against Clinton 's resignation . Livingston resigned to make Clinton 's resignation look worse . neutral +If you do not charge anything for copies of this eBook , complying with the rules is very easy . Compliance with the rules is hard if you do not charge for copies of this eBook . contradictory +Two blocks north is another lively square , Praaa dos Restauradores , with its historic obelisk commemorating the overthrow of Spanish Hapsburg rule in 1640 . There 's another square just two blocks north , which is where we like to watch the holiday processional . neutral +We have exposed the counterrevolutionary machinations of Richard Ford and Amy Tan . Someone else than us managed to expose machinations of Richard Ford and Amy Tan . contradictory +he 'll he 'll he would never do an aerobics he 'd die before he in aerobics class He really hates aerobics , he prefers weights . neutral +that 's thirty days It 's been 60 days . contradictory +The INA also provides for the discretionary readmission of lawful permanent residents who do not possess valid documents . There are no options for readmission for permanent residents who lack proper documentation . contradictory +The innermost coffin is of iron , the next of mahogany , then two of lead , one of ebony , and the outer one of oak . The coffin is made of iron . entailment +With a cafe and picnic area , it 's a great place for children of all ages . It 's especially popular with parents and children . neutral +Established in 1994 as an independent agency within the U.S. government , SSA is responsible for administering the Old Age and Survivors Insurance ( OASI ) and Disability Insurance ( DI ) programs as well as the Supplemental Security Income ( SSI ) program . SSA was established to help people over the age of 65 . neutral +LSC 's primary goals for the calendar year 2002 grants competition are to refine the Request for Proposal ( RFP ) , simplify the applicant process for competing for LSC grants , and obtain applicant information essential to maintaining a quality legal services delivery system . LSC 's goals for the year are to make a much bigger profit . contradictory +Eleven O 'clock . 11 o 'clock . entailment +and uh the the park holds about forty thousand people and uh i never go on a night when they think there 's going to be forty thousand there 's just too big crowds i i pick the games where they don 't I choose to go to the less crowded games . entailment +However it would work out , it seems clear that competition would improve the alignment of rates and costs . Rates are unlikely to be impacted by competition . contradictory +oh there 's no doubt about i don 't know if you if you ever happened to see uh some of the like Twenty Twenty and what not about uh Romania and East Germany when they first got pictures out of there about how some of their uh systems had been running for twenty and thirty years Twenty Twenty showed the first footage of Romania and East Germany after decades of closed systems in those countries . entailment +the balance They were centered . neutral +Arguably the best and perhaps the most historic hotel in town , with parts dating from the 17th century . It is new and shiny . contradictory +He handed Adrin his sword and dagger . He handed him his laundry . contradictory +99 percent of the parts built on that process will be within the specified limits . 99 % of parts built that way will be within the limits , which the other 1 % will have to be thrown away . neutral +yeah they do i talked to this old woman that was a retired administrator in Ohio one night about education and she was I have never discussed the topic of education with anyone . contradictory +that there 's good people in the homes but it 's just as it doesn 't matter if it is like you say the best place they still don 't want to go to these homes and my grandmother 's real there i mean she cries every day this has been over a year and she tries to make me feel really guilty but i have to you know i have to put my foot down where where my life begins i mean if that was my mother i would really feel i feel a lot more responsible i would probably take care of my mother i don 't really um when my father when something if anything happens to him i don 't want him put in a nursing home just for the fact i don 't really want to go and visit him at a nursing home and hopefully that he he can uh get along with uh in-house help so he he 's going to probably hopefully set it up so that he will uh be able to pay someone to come in and stay with him probably for sixteen hours a day because i think that 's the best situation is when you 're you get that old and you 've been independent your whole life you don 't want to go into a home because uh like i say my father 's eighty and he 's really active he still has his driver 's license here i mean you wouldn 't believe what he does he actually tows cars My father is eighty years old and he is involved in towing cars . entailment +The runner-up goat was Falcons Coach Dan Reeves , whose defeat at the hands of his former quarterback ( Elway ) and an assistant coach he fired seven years ago ( Broncos Coach Mike Shanahan ) , made Reeves 0-4 in the Super Bowl . Falcons Coach Dan Reeves was quite embarrassed when his team was defeated by his former quarterback and an assistant coach he had previously fired . neutral +i i 'm not sure there 's a positive solution for that I don 't think there could be a good solution . entailment +right and in fact i think it 'd be harmful if my if you know if my daughter or my any of my kids saw it so that has to be brought into the picture too you know you just can 't blatantly say let 's let 's show it and and the the right people will see it and it 'll deter them from committing a crime all lot of the wrong people are going to see it too and uh I don 't have a daughter . contradictory +ILS worked with the Indiana Supreme Court to submit a successful grant application to the State Justice Institute for a Statewide Pro Se Office , at the Office of Supreme Court Administration . ILS worked with the Indiana Supreme Court to submit a peanut . neutral +At the time , only Canada , thanks to its giant neighbor , lived in anything like the world he envisaged ; today we all do . Today we all do , but at the time , only Canada , thanks to its giant neighbor , lived in anything like the world he envisaged . entailment +uh-huh no i wouldn 't think so have you guys tackled your ceilings yet Have you started working on the ceilings yet ? entailment +There 's also the so-called Vinegar Bible , dating from 1716 . There is the Vinegar Bible , a text which is thought to have been created in the 12th century . contradictory +The desert ghost nodded and disappeared in a flutter of his dark cloak . There was not a trace of the ghost or his cloak once he vanished . neutral +A trip to Pamukkale usually includes a visit to the site of the ancient city of Aphrodisias . Most of the time , when someone goes to Pamukkale , they also go to Aphrodisias . entailment +Even so , its abundant glory is immediately apprehended inside the stained glass , wrought iron , sculpture , and paintings are by a stable of many of Spain 's greatest geniuses . The stained glass shows a scene of the Last Supper . neutral +Well , William , she remarked cheerfully , in the best approved hospital-early-morning style , " getting a good shine up ? " The boy grinned responsively . William hated the woman and growled at her . contradictory +One reason they give is that skilled observers and interviewers can make judgments and valuations about factors that are otherwise very difficult to assess , such as how much effort a manager made to get information before a key decision was made or how much that person knew about what was going on . It is important to review managers periodically . neutral +The town is ideal for a quiet family holiday , especially in spring , when Javea is magical with the scents of lemon and orange blossoms . Many students come here on spring break . neutral +yeah these these two cats it 's hard to keep anything around Cats are hard on things . entailment +The objective fact is that whatever you think of Mahathir , Malaysia has gotten away with its economic apostasy . Malaysia has failed at economic apostasy . contradictory +Households for whom individual accounts closely resemble 401 ( k ) s and IRAs and who are currently saving as much as they choose for retirement would probably reduce their own saving in the presence of individual accounts . 401 ( k ) s and IRA 's are no longer being offered by companies across the country contradictory +I know that I was born to succeed . I was doomed to be a failure from the day I was born . contradictory +This inability to convey the old consciousness was not a matter of inaccuracy but of bad faith . Bad faith is the cornerstone of conveying the old consciousness . contradictory +During this phase , the specifications of the control technology are determined and bids are requested from the vendors . During this phase , none of the control technology 's specifics are determined . contradictory +Well , well , said the Industrialist . Well , well , murmured the Industrialist . neutral +well they said that women like the the you know executive women or women that work whatever they spend uh five hundred dollars on clothes a year so but but for me Women that work spend some of their money on clothes . entailment +comments on the draft report , and supplies adequate information for judging generalizability . The draft report had comments . entailment +This bipartisan summit , held June 4-5 , 1998 , was mandated by the SAVER Act . The SAVER Act mandated the bipartisan summit held in 1998 . entailment +The back jacket is crammed with bipartisan blurbs--from Jack Kemp to Vernon Jordan , Dianne Feinstein , and Ann McLaughlin , George Bush 's secretary of labor . Ann McLaughin served under George Bush as a bipartisan secretary . neutral +Somehow this man had crossed the torrent . The man crossed the torrent , something nobody else had figured out . neutral +Our hearts are particularly heavy this year as we look back at those we 've lost , the Globe writes lovingly . We have not lost any celebrities this year . contradictory +In the Epic of Gilgamesh , a prostitute lures Enkidu away from his animal companions . The prostitute caused him to leave the animals behind . entailment +He was nervous , but he was not lying . He did not want to lie about whether or not he was drinking . neutral +asks Burton , cupping his ear . His ear was in some pain after the sonic boom . neutral +You know Inglethorp said he had put down the coffee in the hall ? Were you aware that Inglethorp claimed to have left the coffee in the hall ? entailment +Information technology has transformed the ways we communicate , learn , use information , conduct commerce , practice health care , and build and design products . Information technology hasn 't impacted the way we use information . contradictory +The pink granite needle of the queen is the tallest in Egypt , pointing 30 m ( 97 ft ) toward the sky . It is point towards the sky to act as a beacon to vampires . neutral +Like his own , it was trembling with fatigue and reaction . Unlike his it was affected by the events . contradictory +What counts is the connection--the feeling of not being forgotten . It is a feeling of not being forgotten neutral +Even if we could afford it , we don 't have the will to do it . Even if we had the money for another war , we don 't have the will . neutral +The House of Quality on Hebron Road and the Jerusalem Artists ' House on Shmuel Hanagid Street are the most famous ; also try the New Cite The House of Quality and the Jerusalem Artists ' House are the most famous . entailment +An ' he came to town with them remounts you 're buyin ' . He did not come to town . contradictory +In pure type-1 worksharing , the analysis of the decision and the benefits is simple . Type-1 work sharing is complicated and worthless . contradictory +And purpose , " said Jon . Jon was telling a story about how he discovered his life 's meaning and purpose . neutral +For a recent summary of this empirical debate , see William Gale , The Impact of Pensions and 401 ( k ) Plans on A Critical Assessment of the State of the Literature , paper presented at ERISA After 25 A Framework for Evaluating Pension Reform , Washington , D.C. , September 17 , 1999 . For a recent summary of the empirical debate , the book William Gale , The Impact of Pensions , should be seen . entailment +see i didn 't have to take any other exit test because i 've been teaching for quite a while I had to take a lot of different exit tests . contradictory +well i tell you the way people are driving nowadays i 'm surprised we 're not killing more people than we are I think that the government should put more money into driving safety campaigns . neutral +uh-huh and you don 't feel that your relationship with your father has unduly uh influenced your relationship with your husband then So you do not believe your experiences with your dad have seeped into the ones with your husband ? entailment +They displayed tattoos of strange script and horrifying images on their arms , backs , chests , and faces . They had several various tattoos . entailment +The data collection system provides LSC with the capacity to track the expansion of these methods and to better describe their scale and impacts as this expansion continues . The data collection system strips the LSC of the ability to track the expansion of methods . contradictory +i participate in all of the national you know elections and the state elections that you know that affect me i 'm sometimes not too good in local elections i do i do vote you know in bond matters and uh things like that but i don 't i no longer have children in school so school board elections you know doesn 't really I participate in 75 % of local elections . neutral +He felt very much the guest . He felt like he lived there . contradictory +and we won 't mention any names We won 't mention any names because we don 't want to get them in trouble . neutral +Breasts have lost much of their mythological aura and acquired some needed reality . People are not excited by breasts anymore . neutral +The official indicated , however , that SBA 's policy may change since future certifications will need to be justified more specifically and will be subject to judicial review . The official said that the SBA 's policy may change concerning future certifications . entailment +The intense interest aroused in the public by what was known at the time as " The Styles Case " has now somewhat subsided . The public 's interest came mostly from the media coverage of The Styles Case . neutral +Therefore , once in place , internal control provides reasonable , not absolute , assurance of meeting agency objectives . Internal control also provides a platform for staff to voice their concerns . neutral +yeah they end up juggling the lineup and trying to fit uh more inexperienced players into those roles and they just don 't have the leadership don 't have the skills to carry a team They have the good leadership and skills needed to run a team . contradictory +um-hum yeah um-hum i 've been hearing some talk too of trying to bring Hussein up on you know criminal charges i don 't know if that will ever happen or not Saddam Hussein couldn 't deserve it more but I 'm not sure he 'll ever be brought up on criminal charges . neutral +A short walk along a marked path through the fields takes you to a group of drystone houses with two temples and circular ramparts in a lovely setting of eucalyptus and olive trees . The walk to the houses takes about 15 minuets . neutral +yeah yeah that 's probably No , I don 't think that is contradictory +Sheer statistics don 't do full justice to the extravagant scale of the royal palace complex , built in only 21 years . The royal palace complex took over a century to build . contradictory +The Pershing Square Landmark Tour is highly in addition to providing a wealth of historical information , it includes access to the stunning interiors of such edifices as the Guarantee Trust and Edison buildings , with their marble pillars and flooring , Hugo Ballin murals , and Art-Deco styling . It is a fact that nobody can enter the Edison building . contradictory +The Supreme Court has historically provided mandates for the deposit of client funds into attorney trust accounts . The Supreme Court provided mandates for the deposit of client funds into trust accounts . entailment +In addition , for governmentwide work , GAO will generally request that comments be provided by the agency ( ies ) with whom the entrance conference was held . GAO will ask for comments from the citizens . contradictory +These would be large planets rich in hydrogen , ammonia and methane . These are planets abundant in hydrogen , ammonia , and methane . entailment +At these coves , you can enjoy crystal-clear , clean water and gently sloping white sandy beaches . These coves are a great place to watch the waves pound against the jagged rocks . contradictory +And instead of a football field , which wasn 't necessary for spine stretching exercises anyway , there was going to be a replica of Omaha Beach for fans of the paintball version of ' Closer Combat 4 - Ultimate Expulsion ' . You must have a football field to perform spine stretching exercises . contradictory +uh-huh for anything else i 'll put the car up on jack stands I like my jack stands quite a bit . neutral +At that point , the progressives will do what they have always done They 're never happier than when they are demonstrating their moral , political , and religious purity by heading for the exit and starting their own small but pure church or party . Because progressives tend to let the perfect be the enemy of the good , their political efforts tend to be fractious and divisive . neutral +There was general agreement that ( 1 ) a combination of principle-based and rule-based standards would be needed and ( 2 ) principle-based accounting rules were not a panacea to solve financial reporting problems . No one agreed upon standards being needed . contradictory +The southwestern corner of the Lake District has some of the moodiest landscapes in all of the UK . There are few landscapes in the UK moodier than those in the southwest of the Lake District . entailment +Hawaiian legislators decided to give domestic-partnership benefits to gay couples instead of letting them marry . Legislators thought gay couples deserved benefits but not marriage . entailment +The changes were attributed 1 ) increased cohabitation We could attribute the changes to an increased cohabitation . entailment +Auditors are not required to include copies of documents they examined as part of the audit documentation , nor are auditors required to list detailed information from those documents . Auditors are required to list the titles of documents they examine neutral +But ... The Personality Simulations are very simple , though . THe simulations are easy to complete . neutral +Surely a single John Rocker response is sufficient impetus to point out that Major League Baseball--the organization , not the actual players--is as odious and craven a pack of millionaires never sued by Patricia Duff . Patricia Duff sued Major League Baseball half a dozen times . contradictory +The elements of analysis are the identification of regularities , patterns , and relationships and the assessment of their importance of meaning . There is only one element to the process of analysis . contradictory +But it can also be seen , hauntingly , in the almost sacral reception given to Ronald Reagan 's handwritten letter revealing his affliction with Alzheimer 's disease . A letter from Ronald Reagan told us that he didn 't have Alzheimer 's . contradictory +It took two months to capture and was devastated by Allied bombs and the shells of the retreating Germans . Both the Allies and the Germans damaged it during two months of bombing and shelling . entailment +well well well what what they do is is they 're supposed to monitor them but they don 't monitor them very well at all They don 't monitor them as well as they are supposed to . entailment +His words woke a vague alarm in her . What he said made her think deeply . neutral +covered enough of of this for for what this is all about Enough has been covered for what this is about . entailment +Our little corner in the Caribbean crows the publicity from Paris . Our corner in the Caribbean steals the publicity from Paris . entailment +Under the leadership of an implementation committee created in the wake of the report , over the next five years a number of steps were taken to increase and support pro bono participation in the delivery of civil legal assistance , support pro se litigants , increase IOLTA participation , and eliminate barriers to access . The work that was expected to be done by the implementation committee had to be done in 6 months . contradictory +The proposed rule only allowed 30 days for comment in view of the statutory deadline of April 1 , 1997 , for implementing the changes required by the Illegal Immigration Reform and Immigrant Responsibility Act of 1996 . Only 30 days were allowed for comment . entailment +well it depends if they 're cooked in My eating it depends on whether it is cooked in something else or not . neutral +'I almost forgot . ' I nearly forgot to tell you that your mom is hot . neutral +but uh i haven 't seen one yet either but supposedly they have some real wood built in to like the clutch and all this and the steering wheel so it 's it 's very authentic and there only is supposed to be limited edition so it may be may be a good investment They have some real wood built into the clutch . entailment +and that 's how we got started we did it for years and years uh We did it for many years after we got started . entailment +my pure sound , my undivided speechtravelling to the edge of this silence.As if to find me . The sound was louder than I had expected . neutral +i think it would be nice to just go out and pick some tomatoes off the porch we get lots of sunlight here and the porch is screened in and it 's pretty large If we have tomatoes , it would be nice to pick them . neutral +and so that 's been really nice because if you decide one evening you would like to stay home and have a quiet evening and watch a movie then you have two or three saved What movies do you like to watch when you stay home ? entailment +With an uninhibited merchant class eager to throw its newly acquired wealth around , Osaka quickly became Japan 's undisputed entertainment and theatrical center . Osaka is the most important place is Japan for entertainment . entailment +The problem isn 't so much that men are designed by natural selection to fight as what they 're designed to fight women . Men have specifically evolved in time to fight women . entailment +Near Mishkenot Sha 'ananim you 'll find the restored 19th-century Yemin Moshe Quarter , which not only is architecturally captivating but contains several interesting art studios and galleries . There are art galleries in the Yemin Moshe Quarter . entailment +water base and then before we sold it there was another one and i 'd wash the house down and all that Before we sold it , I washed it down with water . neutral +U.S. multinationals have been feeling the sting of the strong dollar for some time now , and the continued weakening of Asian currencies will continue to hurt their profit margins . A strong U.S. dollar and a weakening Asian currency causes a decrease in profit margins for multinational corporations . entailment +well the one thing 's for sure we can always discuss the weather how some ever we can 't do very much to change it We can do a lot to change the weather . contradictory +The second website function supports volunteers who are uncomfortable in a new area of law and need guidance and direction . The first website function redirects you to the home page . neutral +The noble Romanesque interior has a magnificent painted wooden ceiling with Arabic honeycomb motifs and stalactite pendentives . The interior is very plain . contradictory +These standards require that analysts and financial auditors promptly obtain sufficient , competent , and relevant evidence to afford a reasonable basis for any related findings and conclusions . Our standards do not require analysts or financial auditors to promptly obtain sufficient evidence . contradictory +Soon the whole cell was filled with a stuffy erotically-physiological atmosphere , and a single , abstract frustration about L.T. The cell felt airy and bright . contradictory +Completion of some of the activities is contingent upon completion of other activities . Even if the other activities fail to be completed in a timely manner , we will still participate in the other activities . contradictory +but you can just snack on it You can also snack on it and it is very filling . neutral +Judges and law enforcement officers are trained to help them understand what their options are to stabilize a violent home , Johnson said . They do not have training . contradictory +The stores would be sold at bargain prices , and many are located in communities where there would otherwise be no post-merger competitor . The stores would be sold to the large corporation . neutral +Clinton joined British Prime Minister Tony Blair for a day of photo ops , obliging pundits to point out once again how similar the two are . Blair and Clinton have several meetings planned in the coming days . neutral +He probably asks himself the same question . He would want to know the answer to that as well . entailment +Those dueling Greek painters return in a new guise , as Mario Merz , in the Zeuxis role , covers a glass table with an array of fresh vegetables and fruit , changed daily by a New York caterer ( Spiral Table , 1982 ) , while Christo , playing Parrhasios , conceals the familiar Cezannesque shapes--wine bottle , vase , etc.--under a drapery of canvas ( Package on a Table , 1961 ) . Mario Merz did landscape paintings occasionally . neutral +and Kansas just crept up on them and uh uh it was unbelievable because they they did that a few years ago too when they were seated a lot lower and they won the the championship Kansas won the championship a few years ago when they were a lower-seeded team . entailment +Other tales told of the jealous God-kings who wished the Old One torn down , lest the people gaze upon him and forget who they should worship . The god-kings worried that people would like the Old One more than them . entailment +Lately , Mr. Gray and his fellow grayheads have been discussing the With the increasing disparity in salaries between public and private law , is it more difficult to recruit and hire the kind of idealistic young lawyers who seemed to be everywhere in the ' 60s ? Recruiting young lawyers is easier than ever . contradictory +so i hope you can find uh i don 't know what type of grass grows in uh the real shady areas i remember the guy that was on the radio um they had a gardener and he i don 't know i had this one well i 've still got the book it 's um i think it 's just called Texas Gardening and it talks about the different grasses to use for the shady areas versus the really sunny areas There are many areas that have shade covering them . neutral +( I don 't always remember . ) Sometimes I forget . entailment +But General de Gaulle gained his revenge by starting his march of Liberation here in 1944 . The general was hellbent on revenge . neutral +'I just want to steal all of your fans . ' I don 't want to take your fans . contradictory +As T and A systems evolve toward increasingly automated methods of recording and reporting employee work and leave times , it is important to implement and maintain a welldefined system that provides management with the confidence that controls are working as designed . Management needs to feel confident that controls are working as designed . entailment +In February 2001 , the judge ordered Moore to pay restitution and issued a statewide injunction prohibiting Moore and his associates from using the term legal aid and similar names . Moore was further disciplined by the Bar Association because of his use of questionable marketing practices . neutral +She is so very violent . She likes to fight . entailment +at least it shouldn 't and and and and in a good family it isn 't unfortunately there 's so many families where there isn 't a father in the home it 's just yeah that 's right yeah A father is needed to make a good family neutral +Rain ran down her face and , though her expression seemed emotionless , the rain ran like tears . Blood rushed down her face like rain . contradictory +All rooms with air-conditioning ( some with loft ) and cable TV . The rooms all have air-conditioning and cable . entailment +Adrin turned and smiled at Jon . Jon smiled back as Adrin smiled at him . neutral +Regional cuisines , Mintz says , are authentic because they use local ingredients and involve a community of people who eat it , cook it , have opinions about it , and engage in dialogue involving those opinions . Cuisine cannot be authentic without a core population that indulges in it . neutral +latest story most recent news report neutral +Therefore , the cancellation of debt is not earned by the entity 's operations and is not directly related to the entity 's costs of providing goods and services . Cancellation of the debt was expected as the debt was acquired by the government last year . neutral +He was reminded of Mr. Carter . He often thought of Mr. Carter . neutral +Each testing facility will have its own waste disposal requirements based on local , state , and Federal rules and regulations . There are no waste disposal regulations in place at any test facility . contradictory +About 8 km ( 5 miles ) on , a secondary road leads to Peeaguila , an exquisite old Moorish village with a sturdy ruined castle . There is a new castle in the old Moorish village . contradictory +LSC initially stressed the importance of state plan LSC first explained the state plan was important , but budgetary concerns are going to require adjustments mid-year . neutral +Besides , I have a theory about America 's fascination with Italian said fascination is merely an extension of the world 's love for everything Italian--culture , opera , food , art , architecture . Americans envy the vast history and culture of Italy . neutral +You look as hot as that pie , darlin ' , he said , glancing at the cleavage of her firm , young breasts , while her breath quickened with expectation . he said that she looked as hot as that pie . entailment +But may I speak to you for a moment ? 13 Chapter 2 Mr. Whittington 's Offer TUPPENCE turned sharply , but the words hovering on the tip of her tongue remained unspoken , for the man 's appearance and manner did not bear out her first and most natural assumption . When Tuppence turned and looked at the man she could not speak . entailment +but yeah Teenage Teenage Mutant Ninja Turtles is sort of the same way they i guess they figured i mean they know what they 're doing and they make the movies good enough i guess i 'm a bit of a snob they make the movies good enough to be successful Teenage Mutant Ninja Turtles is one of those films where they didn 't even have to try , it pretty much wrote and directed itself . contradictory +In the preamble to the rule , HUD states that it may not conduct or sponsor and a person is not required to respond to a collection of information until OMB has issued the control number . It is illegal to collect information before the OMB gives the control number . neutral +Turn the car first , George . Don 't worry George , just keep going . contradictory +A particular strength of such studies is the fact that potential confounding variables such as socio-economic status , occupation , and smoking do not vary on a day-to-day basis in an individual area . The downfall of the study is the lack of variables . contradictory +Not until fiddlesticks ! The snort Miss Howard gave was truly magnificent . Miss Howard only frowned at us . contradictory +The University of Chicago has chosen a new president--but the debate over the ongoing shake-up at the school continues . The University of Chicago has kept it 's previous president . contradictory +so thanks for calling bye Thank you for calling . entailment +No . I want Jane Finn . I don 't want Jane Finn . contradictory +The 2001 State Plan divides the state into six regions , and highlights a regional approach in its collaboration and configuration strategies . The 2001 State Plan combines the state into 1 region . contradictory +TDH administers more than 200 separate programs and operational units , including Medicaid . Medicaid is the largest program that they handle / neutral +Mighty pretty hat trimmin ' , that , suh , Hamilcar admired . Hamilcar admired the hat . entailment +It would be unfortunate if the already worrying faddishness of science were to receive a presidential seal of approval . It would be bad if science received a presidential seal of approval . entailment +But when it comes to the reality of the archaeological sites , nothing prepares you for their beauty , scale , and magnificence . There 's nothing that can be done to prepare for the how wonderful the archaeological sites are . entailment +and crashed through the ice right up to my neck in freezing cold weather i could just feel my heart going The weather was warm when we fell into into the water . contradictory +yeah yeah that 's basically the kinds of bills we have are on our budget are you know the needs the have to haves and you know those kinds of things uh we don 't have a lot of uh you know like JC Penny 's in our in our budget and uh maybe twice a year we 're to where i can let my wife go clothes shopping like that and I let my wife go shopping every other weekend . contradictory +Accounting for Liabilities of the Federal Government 9 / 30 / 96 6 -Accounting for Property , Plant , and Equipment 9 / 30 / 97 7 -Accounting for Revenue and Other Financing Sources and 6- Accounting for Property , Gardening Tools , and Wool 10 / 11 / 01 contradictory +The renovated Maxim Hotel offers good-quality , comfortable facilities , including several reasonably-priced suites , which are handy for families . The Maxim Hotel needs to be renovated . contradictory +so what i 've tried to do uh now that i 've uh finally went back to school and got my degree when i was thirty years old and uh so I went back to school to get my degree . entailment +In contrast , citizens , companies , and governments in an open economy such as the United States can finance the gap between domestic investment and national saving with foreign investment in the United States . Governments in an open economy can finance national saving in order to keep the economy growing . neutral +Second , a humbler labor movement might be less likely to cut shortsighted political deals that undercut its larger purpose . That labor movement is looking at completely cutting ties with that political deal . contradictory +Like his father , Bush substitutes virtue for substance . Bush thinks substance is totally unnecessary . contradictory +anything else you you do in your spare time What else besides sports do you like to do in your free time ? neutral +At least , I hadn 't forgotten about the 29th , but it didn 't seem to matter a damn in comparison to finding Tuppence . I forgot about the 29th so that I could focus on finding Tuppence . contradictory +uh yeah the year they beat the As i was really and boy i can still remember that Kirk Gibson home run I have never seen the A 's play a game . contradictory +It was founded in the third century b.c. by King Prusias of Bithynia , and named Prusa in his honour . Prusa was founded in the fourth century . contradictory +that 's exactly right they can just watch it That 's true , they can just observe from a distance . neutral +Within a week the snoop had discovered his unlisted phone numbers , bank balances , stock holdings , and salary , as well as the phone numbers of everyone he calls . The snoop was able to located the information . entailment +Let 's think about what can have happened to Tommy . Let 's all worry about what could have happened to Tommy . contradictory +Malamud , the true American Master , wrote , in my estimation , a volume slightly different from The Complete Stories , and the name of that slightly different volume ought to be , more cautiously , Selected Stories . Malamud wrote something different called the Selected Stories entailment +In 1944 the resistance pulled off an amazing coup by kidnapping the German commander , General Kreipe , and smuggling him off the island . Despite numerous attempts the resistance could not kidnap General Kreipe . contradictory +yeah that wasn 't a very good thing that happened to that family That family was very devastated by what happened . neutral +Regardless of whether the trust funds are relying on interest income or drawing down their balances to pay benefits , the government as a whole must come up with the cash by reducing overall budget surpluses , borrowing from the public , increasing other taxes , or reducing spending for other programs . The governement is responsible for coming up with the funds no matter how they go about it . entailment +We have an opportunity to grow a program based on 30 years of experience - we aren 't stuck with the old way . We 've got to stick to the old ways whether the program grows or not . contradictory +oh yeah that 's that 's neat that 's a very good use You shouldn 't use it like that . contradictory +I invite you to compare Reich 's account with reality by clicking . Reich owns an account of some kind of form . entailment +They left that night agreeing to meet the following day to seek others who might aid them . They stayed that night and decided not to seek out others . contradictory +To make sure , she had further tried it in a sentence , thus : ' I am possessed . ' Now , what did that tell me ? She tried the word possessed in a sentence . entailment +I 'm not sure if this means that PETA ought to spend more on those banner ads , or if it means that they should save their money . PETA doesn 't advertise . contradictory +your concern on the economies was one in terms of if it became a state would that put even more pressures on on Puerto Rico or pressures on the US in terms of aid or My concern for the two territories is because I am a citizen of both . neutral +Examples of niche classification proposals recommended in recent Commission proceedings , and Postal Service product innovations considered in other cases , are described in the Appendix to this report . They omitted the appendix to save money on printing costs . contradictory +Instances of bounty hunters abusing their power abound . Bounty hunters are always just , they never abuse power contradictory +12 discuss how Social Security and Medicare reform might affect national saving . Medicare reform can impact national security more than Social Security . neutral +The historic area of Nara is on the east side of the modern town , at the end of Sanjo-dori . Nara is located on the east side of town through Sanjo-dori . entailment +We will always be a small town . Our town will always be a small town . entailment +Today it is still lined with cheap restaurants and guest houses and shops full of local handicrafts and jewelry . The cheap restaurants were built way befoe the guest houses . neutral +The sartorially savvy man-about-town knows that good English tailoring , and the textiles used , are not only to be found on Saville Row but in the meticulous workshops of Milan , Florence , and Rome . Good English tailoring can be found on the Saville Row , as well as in Milan , Florence , and Rome . entailment +It would seem that all Tubacca was turning out to welcome the wagon train of traders from the south . The Tubacca shot everyone in the wagon train . contradictory +The west bank of the Nile is home to the modern university and seemingly endless residential suburbs , but two attractions lie on or close to the river . The Nile does not house anything modern near or on it . contradictory +An apology could wipe away all the scandals but campaign finance . It is not as easy as it seems to make an apology . neutral +Paolo Uccello shows a dream-like , almost surrealist obsession with his ( unsolved ) problems of perspective and merry-go-round horses in his Battle of San Romano ( 1456 ) . There is a hidden message in the arrangement of horses in Uccello 's Battle of San Romano . neutral +Northwestern France includes a long seacoast , stretching along the English Channel ( La Manche ) , around Brittany , and down to the mouth of the Loire . Northwestern France has no borders that abut the sea . contradictory +There was the rush of wind all around them , but on the bird 's back they were in an area where everything seemed calm . The wind about them was as calm as that on the back of the bird . contradictory +A type of prototyping in which emphasis is placed onRapid developing prototypes early in the developmentPrototyping process to permit early feedback and analysis in Prototypes can be developed quickly in small businesses . neutral +Department Stores . Stores with many Departments . neutral +The tech millionaires , meanwhile , have realized they can use the establishment . The tech millionaires know what they can gain from using the establishment . neutral +oh yeah that 's great too uh-huh yeah we did some remodeling when we bought a house we built put a kitchen in and um that kind of stuff and painting and some wallpapering that 's fun it is it really is We did some remodeling on the house we bought . entailment +She straightened Susan 's hair and stood . Susan 's hair touched her waist . neutral +Managing Wildfire -Federal Experts Saw Massive Wildfires Coming read an August 7 , 2000 , news headline . The wildfires were foreseen by federal experts . entailment +Because I believe that it is better to be an active member who tries to make needed and constructive changes from the inside rather than voting with my feet and simply walking away . There is no way to make changes to anything . contradictory +The Sicilians offered their crown to the Spanish house of Aragon . The Sicilians though Spanish rule would benefit them . neutral +One of the best is the Cirque de Baume , between Lons-le-Saunier and Baume-les-Messieurs . Cirque de Baume is one of the least well-known places . contradictory +capable of being verified , and linked to the data in such a manner that , if the data are changed , the signature is invalidated . The signature cannot be validated if the data is changed . entailment +And then he ( Frank ) will come in on Saturdays and Sundays to catch up on paperwork . He is behind in paperwork . neutral +It occupies what was once known as the Malacca Club for British colonials and local planters . British colonials did not occupy this club . contradictory +The Faltats Museum is housed in an old mansion and features costumes , arts and crafts , and photographs . An old mansion houses the Faltats Museum and has various arts and crafts amongst the photographs . entailment +During the Cold War , liberals shunned military intervention--even humanitarian military intervention--because such adventurism could provoke conflict with the Soviets and tended to buttress thuggish right-wingers . The Soviets would have waged full war if military intervention had happened during the Cold War . neutral +When the Commission released this Report and Order on July 26 , 1996 , it included a Further Notice of Proposed Rulemaking . The report released by the Commission happened in October , 1880 . contradictory +just all right but he 's getting to where uh i don 't know if it 's his age or what but he just can 't play the whole game they 've got to get somebody young that can uh run the court that 's still big He may have gotten older but he 's just as good as before . contradictory +so that 's just like everyday food for you huh I can 't believe you eat that everyday neutral +The town , at 900 m ( 3,000 ft ) , is almost tropical , with bananas , papayas , and poinsettias growing in gardens . Nearly 500 people live and work in the town . neutral +9.2 million individual entitlements each year , and employs a staff of 22,000 in 1,000 service delivery locations across Australia . A staff of over twenty thousand employees works at over one thousand delivery locations across Australia . entailment +The NEPDG carried out many activities , the results of which are subject to evaluation by GAO under the plain meaning of the statute . NEPDG conducted activities subject to investigation by GAO . entailment +And then they 'll go looking for me and take , what , ten minutes to work everything out ? They 'll find Derry . Derry does not want to be found at all . neutral +The bright colors are said to vary the intensity of the shadows and help differentiate the characters . The purpose of the shadows is to affect the intensity of the shadows and highlight the characters . entailment +One of his arms was a hook . He lost his arm in an accident . neutral +yeah yeah well see i belong to the fitness center so i feel like i have to go to the aerobics class to get my money 's worth you know I 'm a member of the fitness center , and I got to aerobics class . entailment +This amazing construction is actually an underground cistern , one of many that once stored Constantinople 's water supply . This construction looks like a house , but it 's actually an underground cistern . neutral +Lucky I didn 't roll in . Luckily someone stopped me from entering . neutral +The first is the state of the weather yesterday . The first is how the weather is in the afternoon . neutral +This department has more than 5,500 employees and an annual appropriation of approximately $ 6 . There are 5500 employees in this department . entailment +I thought so , said Jane thoughtfully . Jane didn 't say a word , though she thought so . contradictory +He managed to dig a small hollow in the sand before dropping off to sleep . Could could not sleep at all , despite the hole in the sand . contradictory +The Administrator shall , by regulations , specify the requirements for CEMS under subparagraph ( A ) , for any alternative monitoring system that is demonstrated as providing information with the same precision , reliability , accessibility , and timeliness as that provided by CEMS , for recordkeeping and reporting of information from such systems , and , if necessary under section 474 , for monitoring , recordkeeping , and reporting of the mercury content of fuel . The Administrator shall not specify the CEMS requirements . contradictory +With slow precision she began to cut open the woman on the altar . The woman on the altar got murdered . neutral +right i guess my i you know i come out am sitting on the fence but i have some concerns about uh you know if you require someone to do this for a year or two I was originally reluctant to take a side . entailment +The castle grounds are also home to The Owl Centre , a conservancy devoted to saving the 150 species of owl found around the world . The Owl Centre can be found 1 mile north of the castle grounds . contradictory +Membership in this group would be defined in a possession-neutral way . The possession-neutral way means that you cannot possess stuffed animals in the group . neutral +you 're never you 're never real and and they they do a lot of inbreeding too and so you end up with you know kind of strange kittens These abnormalities in the kittens are guaranteed , given that inbreeding has occurred . neutral +AUTHORIZING AND APPROVING Granting permission . entailment +but she was real interesting She was a good public speaker . neutral +and uh you know we did did it together and i i come in the house and i wash my hands and i turn around and i did something and i saw the kids out there with sticks digging it up again and i went out there said what are you doing he said i wanted to show my friend the fish that i caught I went back out there and helped the kids dig it back up again to show their friends . contradictory +Reconstructed older buildings are interspersed with new houses , shops , and synagogues , and throughout the area you can see archaeological finds uncovered during excavations in the 1970s . There is a mixture of older and newer buildings . entailment +Shucks ! retorted Julius . The response was long and drawn out by Julius . contradictory +That 's what it says , and that 's what happens . " He paused , letting the fact that he meant it sink in . He didn 't pause to let it sink in . contradictory +It made my brain reel … . I felt like I was about to vomit . neutral +The precedent-setting risk would be greater if the president were convicted by a strictly party-line vote . There 's no risk at all if the party were to vote to convict the president . contradictory +This picture of today 's fiscal good fortune , however , masks a change in the composition of federal spending during the past few decades . Federal spending has remained static for the last half century . contradictory +( Bennett himself appears to share this view , terming gays , as a group , wealthy and well educated . In general , Bennet classifies gays as tending to be poor and uneducated . contradictory +in order to get the raw goods but they you know of course they can they 're limited with what they can do they can only do so much and uh They are free to do anything they want . contradictory +yeah uh every once in a while though uh i 'll read a blip where you guys get some Every once in a while , I 'll read about how you guys get some free books neutral +Irishman Samuel Beckett happily wrote plays in French . Samuel Beckkett wrote plays in French . entailment +but you can do all those sorts of things on the Amiga Honestly , the Amiga can 't do half the stuff we talked about . contradictory +it 's pretty factual he 's got one out i 'm trying to remember what it 's called it has to do with with airplanes He will remember the title . neutral +UTA right here Harvard over here contradictory +Virgin Megastore , on the Champs-Elysees and beneath the Louvre , has the best stock of CDs . The best stock of CDs can be found at the Virgin Megastore . neutral +The three absorber-module installation assumes each absorber module can treat up to 900 MWe of boiler capacity . The modules must treat loads in excess of 1M MWe . contradictory +yeah but they can they can whine and squeal and complain Yes , but they can make some noise . entailment +Rehfeld , reached yesterday between emergency runs caused by the heavy snowfall , said critically injured firefighters and rescue workers often must hire others , such as plumbers and yard workers , to help maintain their homes during periods of convalescence . Rehfeld said emergency workers were critically injured . entailment +yeah oh and i hadn 't even thought about that uh the other the other end of that that that 's an interesting uh situation i hadn 't thought of that we had visited relatives in Virginia not too long ago and i thought i had seen when we were traveling around the state some similar signs up that indicated that certain sections were being policed and cleaned up and When we visited Virginia we saw that certain areas were being policed more diligently than others . entailment +Programs have already moved to carry out some of the Plan 's recommendations . Programs are trying to not do what the plan demanded . contradictory +That 's what this center is going to provide . This center will provide quality medical coverage . neutral +And if his idea of good is forcing roles upon members of a couple , alimony for life , and community shunning of individuals whose marriages did not succeed , then Frum is really criticizing modern society , not just marriage . Frum is really criticizing society with his strange and unconventional way of looking at marriage . entailment +Its coastline , inland waterways , forests , architecture , wine , and food present the good life in abundant variety . Abundance is reflected in the coastline , inland waterways , forests , architecture , wine , and food . entailment +She tried to sit up then fell back with a groan , her hand to her side . She was able to sit up later . neutral +Appendix II presents a more detailed description of the model and the assumptions we used . A detailed description can be found in appendix II . entailment +Just a little way out of town is Tryall Estate . Tryall Estate is located really far away from town . contradictory +She has also jumped into the anti-Reed fray , criticizing him for not being tough enough on the abortion issue . She criticized him for his stance on abortion . entailment +Minimizing question sets for interviews will result in obtaining less information . Smaller question sets will result in getting less information and might impact the whole survey . neutral +you know without a doubt without a doubt Without a doubt , you know . entailment +Indeed , the history of the case study as an evaluation method is little older than a decade . Case studies used as reports is not done . contradictory +Montreuil 's churches are all noteworthy ' particularly Saint-Saulve , which dates in part from the 13th century ' but most visitors spend their time exploring the town 's cobbled streets and medieval alleyways . Saint-Saulve was built on top of France 's famous catacombs . neutral +I had to be guarded in what I said . It was about a very important secret . neutral +The feces in this river are not safe to eat . The fish in this river are safe to eat . neutral +um yeah but you need to continue to read so you you can people learn to read you know Others may not learn from hearing someone read . neutral +As you say , it will be known soon enough . " But to my intense surprise , on getting down early the next morning , and eagerly opening the newspapers , there was not a word about the arrest ! The newspaper showcased the arrest in big bold letters . contradictory +They think that the past is now over . What happened in the past is over , they think . entailment +yeah yeah yeah it 's just not it just doesn 't seem right It doesn 't seem right to arrest someone for drugs . neutral +There are in fact dozens of underground limestone vaults attracting botanists and zoologists to witness their unique flora and fauna , but only three caves are open to the general public . There is a lot of unique flora and fauna here . entailment +But the increase in this figure is due entirely to the rise in state and local taxes . State and local taxes have increased . entailment +This sweet and fairly mild potion is by and large a homemade product that is blended with herbs and sold in old bottles . The potion is sweet because of the herbs . neutral +That 's the curious part about speaking the truth . It 's always worth being truthful , instead of lying every time . contradictory +Its central offer is a charter with Russia that assures the Russians a voice in alliance policy , without any of the rights of membership . All the other offers give chances to other countries as well , not just Russia . neutral +you know and then it kind of just went out of vogue and i i 'm worried that it it might you know it 'll it the same thing will happen it 's like you know environmentalism was really big for a couple of years and then people like well you know i 'd ruther rather spend you know fifty cents less on uh on on such and such you know and even if it 's not environmentally safe who cares you know It became unpopular . entailment +'My opinions are my own . ' My thoughts are yours . contradictory +And suddenly a dread clutched at his heart . A feeling of giddy relief took hold of heart . contradictory +The calls come from people like Tina Lavery of Scotia , wife of a self-employed auto mechanic . Tina Lavery of Scotia is the wife of a self employed auto mechanic . entailment +The girls who believe the scarves mean freedom may in fact be blinded by them . The girls may be blinded by the scarves if they think they mean freedom , said the psychologist . neutral +and i think if you 're supposed to turn it Don 't dare turn it contradictory +A second , rare , application is where a highly generalized or universal assertion is being called into question , and we are able to test it through examining one instance . The second application isn 't rare at all and is commonly used . contradictory +yeah that 's right it 's kind of nice too to have that fall It 's kind of nice too entailment +Both the economists cited and Scott Shuger seem confused . Scott Shuger didn 't like the economists . neutral +It was historically the stronghold of the dukes of Dijon , alongside the ecclesiastical empires of the Cluny and Cetercian monasteries and their great Romanesque churches . The dukes of Dijon used the stronghold in order to defend their empire . neutral +In addition to its zinc pill , this fall , Warner-Lambert introduced Celestial Seasonings lozenges with echinacea , a purple flower that herbalists promote without clinical evidence as a cold remedy and immune-system enhancer . Warner-Lambert does not offer a zinc pill and never has . contradictory +After an experiment with elections and parliamentary democracy , King Mahendra abolished the constitution in 1962 and instituted the system of panchayat democracy . The system of panchayat democracy was used by King Mahendra after 1962 . entailment +The analysis describes and illustrates the impact of the rule on various types of rural and urban hospitals . There is an analysis which includes both rural and urban hospitals . entailment +In a prelude or alap , which in full-length recitals can last half an hour , the lead musician seems to grope around until he reaches the main theme and its many variations take hold and patterns emerge from the apparent confusion . Preludes always last at least 30 minutes and constitute the main part of the performance . contradictory +The point was also made that successful companies have reinvented themselves through two fundamental focuses-ethics / integrity and respect for people . Successful companies have found ways to reinvent themselves . entailment +and i know i have a bunch of younger brothers and sisters and i know it was hard for me as well as it was for them to to actually sit down because she doesn 't like doing things that the younger kids like doing I am older than my siblings . entailment +Privacy advocates say they believe the candidates are supporting industry self-regulation in order to appeal to industry interests , as opposed to the general population . Working against the people will cause them to rebel at some point . neutral +Perhaps it would be more correct to say I 'm preparing a case . I 'm not working on any cases . contradictory +Edinburgh Crystal has an excellent retail store on site and a factory shop where second-quality goods are sold . There is a great place to buy crystal . entailment +after a certain amount of years of service these employees can take off like six months or something for some type of sabbatical or some you know some something like that A sabbatical can be shorter than six months . neutral +Russia continues to bomb Chechnya . Chechnya is still being attacked by Russia . entailment +right i never really had anything major with my Mazda but it was a standard also and the clutch went out on it toward the end i had it five years and the last year or last two years it seemed to go out really easily i think it went out twice in two years Every other car I ever owned was an automatic . neutral +She appears to be an apolitical soccer mom , but she 's actually a liberal do-gooder and her advocacy of mental-health issues threatens to increase health-care costs for most Americans . Her support of mental health issues would lead to much more expensive health care . neutral +Natalia / Lincoln crossed his / her arms . Natalia kept her hands at her side . contradictory +The Lawyer in the Library program is an offshoot of a long-standing program at the Vallejo library , which has proven to be very effective in providing people with free , unbiased advice . The community is very satisfied with the Lawyer in the Library program . neutral +Taxation and Saving . Saving and taxation go hand-in-hand . entailment +But packet switching is not terribly Packets routinely get lost or delayed , crippling communication . Packets are always on time . contradictory +This time , she looked solemn . She looked sad . entailment +Alexander Payne 's caustic comedy tells the story of a high-school election from four different perspectives--none of them remotely rational . Alexander Payne 's comedy is irrational and caustic , being about four versions of a high-school election , and has received many awards for that . neutral +It has close to 300 paintings on view , showing the Valencian impressionist 's favorite seaside scenes and landscapes . The seaside scenes and landscapes are also portrayed . entailment +everything is is Spanish English in Florida and i didn 't particularly enjoy it quite frankly I didn 't mind everything being in English with Spanish translations below . contradictory +Volume II of this set , A User 's Guide to Federal Financial Accounting Standards , is a codification of the standards . The fifth volume of this set is a user 's guide to accounting practices and standards where the standards are codified . contradictory +Just because an insurer won 't pay for a treatment doesn 't free a doctor from providing it . An insurer not paying for a procedure doesn 't preclude a doctor from providing it . entailment +How much do you know ? Questioner knows the answer . neutral +There was a swish of full skirts , and he looked up at a girl . The man looked up at a female . entailment +Silks have long been basic to a fine Indian lady 's wardrobe and also make magnificent tunics , blouses , stoles , or long , trailing scarves for a Western outfit . India 's fineries make good clothing archetypes for other outfit styles . neutral +but uh like i said otherwise you know a the the expense but you know we could not had one as large as we have if you know we hadn 't did it ourself We could not have one as large if we hadn 't done it ourselves . entailment +The upper part , the Park , contains the scant remains of a Crusader castle , from where there are spectacular views on a clear day . You can see for miles in every direction from the Crusader castle . neutral +One held a massive scattergun over his shoulder with one hand , his other hand rested on the hilt of a wide-bladed greatsword that hung from his belt . The person had no weapons . contradictory +He was still half delirious , but he could see men working frantically to build a net of something around his bed , while a wet , thick thing flopped and drooled beyond the door , apparently immune to the attacks of the hospital staff . The wet , thick thing behind the door was his loyal dog Fred . neutral +News accounts agree that Arafat has finally shed his image as a terrorist and is now being honored by the White House not only as a virtual head of state but as the indispensable player in the peace process . Arafat has a distaste for terrorism and wants to be peaceful in america neutral +it 's just the stud fees are so much though it 'll cost about three hundred dollars for a stud for her we we want to breed her with a champion so Breeding with a champion usually results in an optimal offspring with key pieces of genetic makeups . neutral +uh then the big you know my big problem would be is what if you were in a in a state that absolutely did not allow it I wouldn 't have any problems , as it 's legal in all states . contradictory +In some ways , this is the only way to make an intolerable situation somehow manageable . This wasy is the easiest way to manage an intolerable situation . neutral +and they 're in the same classrooms and i guess also you 're going to see the first of the uh crack kids starting kindergarten my God i think it 'd be next year is what i 'd read i thought how well how do you how do you weed those out The crack kids will have a hard time in school . neutral +Tiger Woods has signed an endorsement deal with American Express . American Express loves to watch Tiger Woods play golf . neutral +There is another deeper tunnel that leads higher on the mountain . The mountain had no tunnels . contradictory +Potentially more interesting , however , is to view the discounts in terms of the responses they receive from mailers and the factors associated with those responses . A better way to look at it is to view responses and the things surrounded those responses . entailment +yeah we 're just starting to get some nice little warm weather up here in New England it got up to seventy today that 's a good sign we we we 've been running around twenty in the morning and getting real cold and it 's too cold to work on automobiles outside generally but we had the last few days been pretty nice The weather is getting even colder now in New England . contradictory +The huge beasts thundered and belched as they grazed . The large beasts released thundering belching noises as they grazed . entailment +The department issued LegalConsiderationsinDesigningandImplementing AGuideforFederalAgenciesin November 2000 . There was a guide for federal agencies issues in November 2000 . entailment +it 's the hub city This location is not important . contradictory +hi how are you today How did it go yesterday ? contradictory +The exception , stewardship PP & amp ; E , consists of Federal mission PP & amp ; E , heritage assets , and stewardship land . Stewardship land and heritage assets are considered by most members of the public to fall under similar categories . neutral +a magnificent achievement . A huge achievement . entailment +To kick off its new program , DWP launched a publicity campaign against benefit cheats to shift public attitude and promote intolerance toward those who defraud the benefit system . A publicity campaign was part of the start of the new program . entailment +The 3-year-old program connected 10,000 poor people with health care and earned Dudovitz entree to legislative committees and elected officials grappling with how to provide medical services for the poor . The 3-year-old program was used to prevent the poor from accessing medical treatment . contradictory +Everywhere silence , and shuttered windows . There was a storm coming so the windows were shuttered . neutral +Conversation often took the form of elegant exchanges of improvised verse . Sometimes conversation was awkward and ungraceful in the extreme . neutral +yeah yeah you never hear about it really in the big ones so that 's what i did and i have had just excellent luck i have been just so happy he 's It only happens in the smaller ones . neutral +well that sounds like something good to do then That sounds disgusting why would you suggest that ? contradictory +That 's the effort for which she really deserves megastardom . Her laziness is apparent to the very few people who know her ; she is virtually unknown . contradictory +Title 7 , Fiscal Guidance , provides guidance in several areas including areas covering our responsibility to settle accounts of accountable officers , issue internal control standards , and respond to agencies that inquire about these matters . The most valuable resource to our company is Fiscal Guidance , Title 7 . neutral +the no right yeah and if you happen to go into one of areas that is a smoke smoke area and you don 't smoke you almost strangle Entering the smoking section is like any other section . contradictory +I fixed my mind on my book . " The book was the longest I 've ever seen . neutral +Remember , the last guy to argue for a distinction between ideology and competence was Michael Dukakis . There have been several people who have fought for a distinction between ideology and competence . neutral +just let me see what i got i got the peas and i 've got some broccoli uh onions some some radishes and uh uh beets I eat a lot of vegetables . neutral +At the far door , a steward stood . A steward walked down the hall . contradictory +In 1990 , he wrote The Music Box , a movie about an American lawyer who defends her Hungarian immigrant father when he is accused of Nazi war crimes . The woman was unable to defend her father 's case , and the movie ends sadly with her career ending in similar failure ; she is seen as biased , shady , and willing to lie to help her family stay out of jail rather than consistently defend the truth . neutral +Very few people travel on it ; its principal purpose is as an artefact of tradition . Just a few people ride on the covered wagon for travel . neutral +Indeed , he sounds almost like a lefty relativist when he says we must accept global multiculturality and discard the linear view of history , which sees Western values as the inexorable fate of humankind . All people must love multiculturality with no reservations . neutral +i don 't think i even know what a lentil is I probably don 't know what a lentil is . neutral +well that 's along time out of a child 's life anyway They won 't think it 's a big deal in the long run . neutral +For a golf tournament and to do a bit of shopping . There was no time for golf or shopping . contradictory +And that would be the British . That is from Great Britain . neutral +Both the observation and the complaint are virtually as old as 20 th -century cultural criticism itself . The observation is new and hasn 't been made before . contradictory +case that involved oh a couple thousand dollars i think it was It was a case that included a couple thousand dollars I think . entailment +Of course , Jane Finn may be dead for all we know but I don 't think so . Jane Finn is alive and well and I 'm sure . contradictory +yes i know uh i have two children i really try to watch what they watch i really do because my youngest one he watches something you might as well just plan on staying up all night because you know I attempt very hard to monitor what my two children watch . entailment +Well , my idea is , that perhaps he 's found some way of making strychnine tasteless . He 's too stupid to have found a way to do anything . contradictory +The composition of PM can vary considerably from one region to another depending on the sources of particulate emissions in each region . The PM 's composition may vary depending on the sources of emissions . entailment +Among the juiciest Mario Cuomo refusing a Supreme Court seat 15 minutes before Clinton officially offered it to him and National Security Adviser Tony Lake teaching the president how to salute properly . Mari Cuomo declined the Supreme Court seat just before Clinton offered it to him . entailment +Taking note of the generally conservative impulse of New York 's legal community , Mr. Curnin suggested that the multiple pro bono aspect of Dean Glen 's sweeping proposal could be lost on judges who might dismiss the matter in terms of a bar exam procedural issue with a social good patina . Mr. Curnin thought that judges might dismiss the proposal because New York 's legal community tends to be conservative . entailment +He enters the room , unlocking the door by means of one of the other doorkeys ” they were all much alike . He enters the room after unlocking with one of the keys . entailment +There 's something about that duck . There is something about that truck . contradictory +In fact , there are more innocent--and more plausible--explanations for the changes in audit rates . The only reasonable explanations for the changes in audit rates indicate malicious intentions . contradictory +The European system , called REIMS II , relates terminal dues to domestic postage . The European system relates terminal dues to internatoinal postage prices . contradictory +In contrast , a typical SCR installation is heavier , elevated , and adjacent to the boiler . The installation is lighter contradictory +The Merchant was awake too and his steady screaming was a rumble of terror . The man slept calmly at peace . contradictory +Here , assuming we want to try the interventionist approach , it is hard to see how a one-size theory can possibly fit all cases . There is only one right way to solve every problem . contradictory +Starr 's failures stemmed not from evil but from errant good . Starr 's failures were because of errant good . neutral +They boast of national recognition for their work in this area , including the American Bar Association 's Lawyer as Problem Solver Award in August . They have never received an award that is nationally recognized . contradictory +As we said in Rosenberger , [ w ] hen the government disburses public funds to private entities to convey a governmental message , it may take legitimate and appropriate steps to ensure that its message is neither garbled nor distorted by the grantee . The government has to ensure that the message sent by the grantee isn 't garbled nor distorted , and keeps with the governmental message . entailment +You better take it before your filthy , abnormal fraudulent self is bared to the nation . You have to accept it so you can get promoted . contradictory +In the 1996 Omnibus Continuing Resolution , Congress revised the restrictions on alien assistance by applying the restrictions to all funds received by LSC entities . Two senators in particular campaigned for a revision of the restrictions . neutral +Rather , it serves as a warning that the United States must both save more in the near term and reform entitlement programs for the elderly to put the budget on a more sustainable footing for the long term . The entitlement programs for the elderly are the highest priority for reform in the United States . neutral +All right , what 's the goin ' handle ? No , I don 't want to know the handle . contradictory +And , best of all , there are underwater observatories sunk into the sea 90 metres ( 300 feet ) offshore at the end of a pier so you can see what is happening in the Coral Beach Nature Reserve . The observatories are above the water . contradictory +Good the island 's typical poupee martiniquaise , a doll in madras Creole costume on sale everywhere ; tapestries , wicker trays , and boxes , and the memorable dark ( aged ) or white rum . On the island , you can get aged rum , dolls in Creole costumes , and wicker trays . entailment +Both Newman House and Iveagh House were designed by Richard Castle . Richard Castle did not design Iveagh House or Newman House . contradictory +In January 2000 , the LSC Board of Directors approved LSC 's 5-year Strategic Direction Plan . The board approved the 5-year plan . entailment +At the scene of your nocturnal adventures , the Bournemouth nursing home . The nursing home is where they adventured at night . entailment +uh i 'm obviously he 's a very good quarterback i 'd i never was you know too a whole lot of a big fan you know I was never a big fan of him , despite his playing . entailment +uh make everything metric and i just and i see no problem with it at all I think we should have made everything metric by now . neutral +The revised information collections have been forwarded to the Office of Management and Budget ( OMB ) for review and will not require compliance until approved . Compliance is only needed after approval . entailment +He worries things out slowly , and once he 's got hold of anything he doesn 't let go . He 's easily influenced and he 's quick to change ideas as a result . contradictory +um it uh you know i seem to uh use those more than i do cash in fact i 'd rather carry the cards than i would the uh cash I do not use credit only cash . contradictory +Monsieur parle francais ? " You 're speaking english , do you speak another language ? neutral +One of the remaining buildings seemed to be a hospital , and the empty space in front of it was crammed with people . There were no buildings left or any people for that matter . contradictory +Although the narrow streets and squares above the Grand Canal have lots to offer the visitor , most people gravitate to the cafe and restaurants along the water . Most people prefer being above the Grand Canal . contradictory +Think nothing splendid , says an old Japanese proverb , until you 've seen Nikko . There is an old Japanese proverb implying that Nikko is splendid . entailment +No not on the bed . Nowhere else but on the bed . contradictory +Egypt became a backwater , even more so as the Ottoman Empire went into chronic terminal decline in the 18th century , with a series of crises that local mamelukes were unable to control . The Ottoman Empire was a great success . contradictory +Court of Appeals for Veterans Claims who cannot afford the cost of representation . The court didn 't appeal to veterans contradictory +Internet telephony , one of the coolest new online applications , illustrates packet switching 's drawbacks . Internet telephony is the worst online application ever invented . contradictory +but but but what you are saying about the military times is is true i mean fifty percent uh of your base pay is pretty good I agree , fifty percent of your base pay in the military seems pretty good . entailment +These preliminaries completed , the Coroner proceeded to business . Preliminaries completed , the Coroner cancelled the hearing until next week . contradictory +Zelon said her parents , an accountant and a housewife , gave her a strong sense of social responsibility . Zelon said her parents , a physic 's place owner and a KFC manager , gave her a strong sense of competetiveness . contradictory +Funchal 's Teatro Municipal is the only place that regularly stages more theatrical entertainment . Funchal 's Teatro Municipal is the one place that has no theatrical entertainment . contradictory +Slim was flushed . Slim was exhausted and flushed from the exertion . neutral +Try the parlors of the red lotus . Try the parlors of the red lotus to boost moral . neutral +From a bridge that links the main temple with terraces on the far side of the river , you can look down on the funeral ghats where Hindus are cremated atop piles of wood and straw . You can see the funeral ghats where Hindus are cremated on top of piles of wood and straw from a bridge that link the main temple with terraces on the far side of the river . entailment +no it 's just the like the bees and insects will do it The bees and insects will do it . entailment +oh yes i don 't watch her anymore not after that Star Spangled Banned thing I used to watch her everyday until that Star Spangled Banned thing . neutral +well what do you uh what are your favorite television shows I have no interest in what your favorite television shows are at all . contradictory +Click to read a letter to the editor criticizing the original version . Click to read a glowing letter to the editor about the original version 's journalistic integrity . contradictory +And besides , it sure looks comfortable , you must admit , right ? I wouldn 't do anything with it . It looks good , but I wouldn 't do anything with it . entailment +We would like to thank the Private Sector Council and the leading practice organizations we selected for our study , which are listed on page 59 , for providing us with the information about their practices and assisting us in producing this executive guide . The Private Sector Council helps by giving information about their practices . entailment +that sort of attitude This type of attitude is despicable . neutral +These multiple and constructed realities can not be studied in pieces ( as variables , for example ) , but only holistically , since the pieces are interrelated in such a way as to influence all other pieces . It is impossible to study these realities by their individual pieces . entailment +You find a way to stop this train . ' Stop the train or it will blow up ! neutral +Across-study variation can result from two possible causes . The study deviation comes from one cause . contradictory +However , let me assure you , we did not use performance to target certain individuals . Performance was not a factor neutral +There is also a cabaret at the Melia Varadero hotel . The Melia Varadero hotel have a cabaret . entailment +It would be relegated largely to after the fact audits as opposed to its current pre-approved role . It would be related to audits done before it happens . contradictory +The tomb of Al-Mansur Kalawan is at the heart of the complex and is surrounded by beautiful screens of ornate Islamic fretwork . THe tomb is at the top . contradictory +Erected in the 16th century , it guarded the bay against pirate ships you can still see the ancient cannons poking through the crenellated walls . The cannons are very interesting to look at . neutral +'Remarkable . ' That 's boring . contradictory +um-hum because that 's something that doesn 't go back into the soil does it doesn 't break down They don 't go into the soil , they spend 3 years in the trash . contradictory +You should have told me . Someone told him something . contradictory +What 's ? began Nye . Nye tried to ask a question before they were hit on the head . neutral +The views of the whole of southern Martinique from Mount Vauclin are spectacular . No other area provides better views of southern Martinique than Mount Vauclin does . neutral +i know well new cars aren 't cheap anyway but New sports cars are not cheap . neutral +This Republican rejoinder grants that the House impeachment process was politicized but argues that 1 ) the Senate should be above such tawdry politics This Republican capitulation accepts that the impeachment was unfounded and that the Senate was not the place to air such dirty laundry . contradictory +The town 's advantage over Reims is that you can combine a visit to its cellars ' you are more likely to get a free d ? ? gustation here ' with a drive southward along the great Cete des Blancs vineyards that produce the white chardonnay grapes . Chardonnay grapes are grown at the Cete des Blancs vineyards . entailment +Wadi Natrun was one of the most important areas of Egypt in ancient times , primarily because it was the main source of the mineral natron used in the mummification and glassmaking processes . Wadi Natrun was the main source of natron used in both mummification and glassmaking . entailment +Assuming inflation remains at current rates through 2001 , almost $ 450 million is required in FY01 to maintain the purchasing power ( and services ) of the FY95 level . There was no measurable inflation between 1995 and 2001 . contradictory +Congress and the executive branch continue to explore formal ways to hold individual managers accountable for results . Congress is interested in holding managers accountable . entailment +These traditional low-drafted craft ply effortlessly and quietly through the water guided by their experienced pilots . Experienced pilots guide the quiet , low-drafted craft . entailment +Clark also expressed the hope that he and Redgrave could continue with their marriage . Clark hoped he could continue his homosexual marriage . neutral +yeah i uh i may have put out an exclamation here at home when i heard that news When I heard the news I made an exclamation out loud of a swear word . neutral +right well take good care take care of your little ones uh-huh bye-bye Remember that your kids need a lot of attention right now . neutral +Three things we know about the Swiss . We know the Swiss are friendly , rich and like to ski . neutral +We know the surface temperature of the Earth is warming . We know the Earth is getting hotter . entailment +I can 't sleep . I have been sleeping great . contradictory +This spin-and-win ( or more often lose ) game looks strangely like the prize games offered in carnivals of old . The game looks like an old carnival game but the prizes are much more lucrative . neutral +However , the FCC points out that installment payments are not the only tool available to assist small entities and that the final rule provides for higher bidding credits , in lieu of installment payments . The FCC says installment payments only help large entities . contradictory +Concludes the Globe : She 's more than a perfect 10 ! The Globe feels she is more than a perfect 10 . entailment +In Germany , the weekly magazine Der Spiegel revealed that unpublished films of Adolf Hitler have surfaced in the United States . The foreign magazine had reported on the Adolf Hitler films being shown in the U.S. entailment +but i guess you know that 's they contract they don 't The contract is largely considered fair to most of us . neutral +For organizations both public and private , external forces can include newly emerging economic , social , and technological trends and new statutory , regulatory , and judicial requirements . Social trends are considered external forced by private organizations but not by public ones . contradictory +Some future Paul Saenger , perhaps in a book to be called When Hands Left the Keyboard , will , I hope , be able to tell the story of one more happy accident . Some future Paul Saenger , perhaps in a book called When Hands Left the Keyboard , will be able to tell the story of one such happy accident in a novel . neutral +we got some awful rain uh the other morning and today 's just been real drizzly today is a clear , sunny day contradictory +'And- seriously- close your eyes . ' Shut your eyes and go to sleep . neutral +yeah and it 's you know it 's a game that you don 't like bowling you know you feel bad if you bowl a hundred but if you shoot a hundred in golf you know you don 't have to be an expert to play any novice can pick up a club and learn how to hold one and learn how to do it and do it right Bowling is a game that you don 't like to watch or play . neutral +but out in the country i mean if i went outside while he was mowing the grass i was going to have a gigantic attack I am highly allergic to grass , so I stay indoors when someone is mowing the lawn . neutral +The Access to Justice Commission was created in 1996 as a coordinating body to seek support for legal services programs and develop strategies to address the severe lack of access to justice that had been identified earlier by a State Bar-sponsored blue ribbon study group . There was a severe lack of access to justice according to the State Bar sponsored study . entailment +But it must have a real bite so your mouth feels clean . It doesn 't have a bite at all , and makes your mouth feel dirty . contradictory +Longabaugh noted that new and creative interventions may be developed in the ED that the rest of the field will want to adapt and explore . The interventions developed in the ED will be picked up on by the rest of the field . entailment +uh and definitely part Grayhound uh bloodhound because he had these head big old jowls had the bloodhound mouth but he had the soft bite of a Lab Grayhounds have big jowls and mouths . entailment +now i 'm sorry excuse me and uh i do that we recycle uh newspapers we take you know the Dallas Morning News daily and the Plano paper daily and you know after a month of that you got a ton of newspapers We subscribe to the Dallas Morning News and Plano newspapers , and recycle them . entailment +Coconut trees and sloping cliffs ring the tranquil waters of Le Grand Colombier . The coconut trees were planted by the natives of Le Grand Colombier . neutral +He looked towards the window and asked something I guess it was whether it was raining . He kept a straight face and asked no questions contradictory +Pig breeding was the main occupation of these early settlers , but they also planted sugar cane and other crops that required large numbers of laborers . Pigs were a big thing to settlers . entailment +One person--perhaps only one person--exists in the world whose evil is so great that it cannot be neutered . That single person is already dead . neutral +We all have learned recently , for example , that even outright lying under oath in a deposition for a civil case is the kind of thing that an ordinary citizen apparently does not often get prosecuted for ( though it 's not clear why not--especially when the liar is the defendant in the case ) . It is okay to lie under oath in court . contradictory +Each of you probably has your own point of view on how well the system works to keep the Postal Service lean and efficient . Each person has different ideas on how to keep the postal service efficient . entailment +The person who had left the candle grease on the floor ? The person left candle grease on the floor ? entailment +But the museum 's pride and joy is its great ceramics collection , displaying beside Europe 's finest porcelain and fa ? ¯ ence the astonishing Rococo craftsmanship of the Strasbourg Hannong family , most remarkably a huge tureen in the form of a turkey . The ceramics collection at the museum is the finest in the world . neutral +that 's not the punishment is not fitting the crime now Punishments today are usually equitably applied . contradictory +Attractions here include some pleasant beaches , a vibrant nightlife , and the nearby ruins of Ephesus . There is also a museum for visitors who enjoy learning about history . neutral +yeah they 're not worth a year or some people unfortunately just just can 't even afford it you know or whatever i mean the Peace Corps doesn 't pay very well The Peace Corps pay an excellent hourly wage . contradictory +but uh it 's a bit of a bit of a pain and you have to schedule it you know get around to find a weekend you can do it and all but still for the for the savings it uh works out usually That is a pain that you have to schedule it around other things . entailment +i think what she did to him was a travesty What she did to him was sheer mockery . entailment +The specific adjustment procedure applied is described in more detail in the Heavy-Duty Engine / Diesel Fuel RIA ( U.S. The specific adjustment procedure that is applied deals with E85 fuel . contradictory +Perhaps if the economic doldrums continue , and the poor get poorer , the pro bono increase that Mr. Curnin and others want will indeed occur . If the poor get poorer and the economic downturn continues , the pro bono cases taken on by law firms to provide free legal representation to the disadvantaged will indeed likely occur . neutral +Spanish brandy has a less delicate taste than French Cognac , and you may find it too heavy or sweet for your liking . Spanish brandy has a flavor that french Cognac does not have . entailment +The Kentuckian met those dark eyes squarely , his first unvoiced protest stiffening into defiance . The Kentuckian , faced with compliance or torture , became defiant . neutral +In terms of critical success factors , federal CIO organizations tend to trail the CIOs interviewed for this guide in the aAlign Information Management Leadership for Value Creation- and aExecute CIO Responsibilities- factors . CIOs were paid well for their interviews . neutral +The Stick had red leather armor and brown cloth over his mouth and flowing back behind him . The Stick stood naked in the night . contradictory +The first knowledge point occurs when the customer 's requirements are clearly defined and resources-proven technology , design , time , and money-exist to satisfy them . When the customer 's requirements are clearly defined and resources-proven technology exists to satisfy them , doesn 't occur the first knowledge point . contradictory +As Americans learned in 2000 when the stock market declined from its peak value , what goes up can come down . The stock market fell in early April but began to rebound by November . neutral +Say , shall we go for a spin in the park ? How about we adjourn for a drive around the park ? entailment +for that report I spent hours preparing that report . neutral +Rennie ought to cut losses and give that kid the boot . Rennie really should just fire that kid . neutral +would i swim that river every night twice if that 's what it took you know i don 't care whatever it would take i have real sympathy for those people i really do and you can I would not even swim that river once if it would help . contradictory +The analysis places a monetary value of These health benefits ( at a 3 percent discount rate ) at an estimated $ 28 to $ 43 billion per year , including $ 2 . The health benefits are estimated to be valued at zero dollars in value . contradictory +Customs ' strategic planning efforts now focus on the dramatic changes occurring in its external and internal environments and on the equally dramatic changes the agency will need to make in response . The changes occurring in the internal environment are a subject of focus for Customs . entailment +Customs anticipated that world trade would also continue to accelerate . Customs expected world trade would heighten entailment +just about Almost entailment +and apparently the Rangers last year won a lot of one run games The Rangers won two games in the previous year , of which only one is a one run game . contradictory +They were baffled but not discouraged . They were not discouraged . entailment +Nobody minded much as long as somebody else was paying the bill ( true , the economists warned in their dreary way that costly benefits get shifted back to workers in the form of lower wages , but who listens to them ? ) People cared if it wasn 't them . neutral +As the cross elasticities become larger , the efficient discount levels move closer to the ECP level and the associated welfare gains available become quite small . Cross elasticities get larger . entailment +uh-huh well uh i heard on the news this morning that um one of our local schools uh lost the roof of their gymnasium I saw last night with my own eyes the tornado come and take the roof from the school . contradictory +Being able to recognize when the editor is making a joke is essential , although actually appreciating the joke is strictly optional . It doesn 't matter if you see all of the editor 's jokes as long as you think they 're funny when you notice them . contradictory +Take the A9 autoroute southwest from Orange to the Fournys-Remoulins exit , then follow the D981 to this gigantic 2,000-year-old aqueduct , without doubt the most impressive of all the Roman mon ? ­ u ? ­ ments preserved from an ? ­ cient Gaul . There is a 2,000-year-old aqueduct that has been preserved from ancient Gaul . entailment +It had never been opened . " It had been opened many times . contradictory +yeah well i 'd bought uh a GMC diesel pickup and uh loved that thing you know i really liked it but it turns out a pickup wasn 't what i really I really liked my GMC diesel pickup . entailment +well i could certainly personally stand seeing them go to a a standardized compensatory time for overtime I don 't like the idea of standardized compensatory time for overtime . contradictory +oh absolutely that 's that 's right That 's correct . entailment +For example , in a basic research study of 40 low-income women , Belle and her colleagues lived for many months among them as observers , confidantes , and friends , listening to what they said and noting what they did . Belle studied high-income women up close . contradictory +He wanted to save as many as he could but the chaos of their first flight would aid Thorn and the Kal . He thought the Kal and Thorn would do poorly if there was chaos . contradictory +Ibiza , along with the rest of what is now Spain , was invaded and sacked by the Germanic tribe of the Vandals , who occupied the island and quickly imposed their culture . The Germanic influence on what is now Spain was due in part to their invasion . entailment +oh very interesting um over the years of course by uh my grandparents used to give me silver dollars so i 've got a few of those tucked away but My grandparents only gave me gold coins . contradictory +Because they 're supposed to be dismantled at the end of each season , most are somewhat makeshift , but they are nonetheless convenient and appealingly strong on atmosphere . They are not as strong as the permanent ones . neutral +Pursuing sharp reductions in CO2 from the electricity generating sector alone would cause a dramatic shift from coal to natural gas and thus would run the risk of endangering national energy security , substantially increasing energy prices and harming consumers . Nature and Animals benefit from pursuing reductions in CO2 . neutral +Tanah Rata is festooned with hotels , good Chinese and Indian restaurants , and a variety of English-style tearooms serving the local Cameronian brew together with cakes and servings of locally grown strawberries and cream . Tanah Rata 's delicacies are fitting for both locals and tourists alike . neutral +lowest-ranked playoff team in their division ever to accomplish this feat . lowest-ranked team in the division in the playoffs to ever do this task . entailment +so uh we you know we get a lot of bad weather in this area but of course you 're supposed to be the sun belt and i do know that you get some freezing weather down there on occasion We get terrible weather in the winter . neutral +yeah yeah it might have been better yeah Maybe it would have been a lot better . neutral +He had to go . Tom had to go to the bathroom . neutral +Enthusiastic bird-watchers might also spot black ibis and the crested serpent-eagle . The crested serpent eagle only comes out at midday once a week from its nest to hunt . neutral +i know i do too i most of my friends have three or four kids and they feel like you know that 's really all that God wants for them and some of the people in our church use birth control and some of them don 't i had my tubes tied so you The majority of my friends are dead . contradictory +The unimpeded views of Funchal are unbeatable . Funchal is a huge temple built in the seventeenth century . neutral +Representatives from several organizations that relied on voluntary contributions from members emphasized , however , that such funding must be unbiased-that is , used for promoting open and honest information sharing rather than furthering an individual 's or organization 's stature in the community or for gaining clients . Funding through voluntary donations made by members is supposed to be unbiased . entailment +um-hum um-hum where are you Yes , where are you ? entailment +Yes , siree , this here 's th ' second time we made th ' trip through without havin ' to burn up a sight of gunpowder ! This is the 2nd time we 've made it through this place without having to shoot anything . entailment +And if things go well , you were behind the commander in chief all the way . If things are going well in Iraq , than you support what the President is doing there . neutral +Moreover , CBO 's inflated baseline assumes that discretionary spending-which is controlled through annual appropriations-will grow after 2002 at the rate of inflation . Moreover , CBO 's inflated baseline assumes that discretionary spending-which is controlled through annual appropriations-will not continue to grow after 2002 at the rate of inflation . contradictory +The Commission does not believe that Congress intended to force resident aliens to choose between temporary trips outside the United States and continued representation in pending litigation . The Commission believes that it understands what Congress intended when it made this rule . entailment +So we come to the usual question how much ? Tuppence was in a dilemma . Tuppence had trouble figuring out how much she should ask for . neutral +There is a potential that we 're exposing workers to increased health risks . There 's a chance our workers ' health is at risk . entailment +You don 't really want to ” and I don 't either . " We don 't want to . neutral +yeah yeah they they vary from university not just state to state university The variations can be partially explained by socioeconomic conditions . neutral +Attorney General Janet Reno didn 't get it and give it to Senate investigation chairman Fred Thompson until his hearings had ended . Janet Reno has been Attorney General for five years ever since she left the Senate . neutral +Spaniards only eat paella at midday often , unbelievably , as part of a four-course meal . All spanish meals employ many courses . neutral +They shouldn 't worry , he pats her down . They shouldn 't worry about her carrying any weapons , he pats her down . neutral +Experienced sailors in search of a more seaworthy craft should ask at the local yacht harbor . You can often rent the captain with the boat . neutral +oh yeah yeah well we don 't have a boat we usually fish off the shore or off the dock and my i 've got a son that 's a senior in high school and he just loves he loves fishing i i don 't have the patience that he does My son loves to sit out and fish , but I don 't really have the level of patience he does . entailment +When GAO needs access to classified , proprietary , or otherwise sensitive information , it will comply with all applicable statutory requirements , including obtaining the necessary security and other clearances for assigned GAO staff . GAO needs some information that has security clearances . entailment +Reports by GAO or other auditing institutions can provide valuable background information . Reports from GAP and other auditing institutions can give valuable information . entailment +The Sinai has long been the domain of the Bedouin , nomadic tribes who travel with their flocks of sheep and camels , moving from pasture to pasture and living in large family tents . The Sinai 's diet also consists of sheep and camels . neutral +You may have to share the three fine little beaches with a few cheerful fishermen . The beach has to be shared with some fishermen . entailment +Third , the Commission proposed to amend a Commission rule regarding packaging to clarify that the type of hearing aid compatibility referred to is electro-magnetic coil compatibility . The Commission proposed to change a commission rule about hearing aid compatibility . entailment +What had that been if not for misdirection ? The man intentionally misdirected them . neutral +On the streets of Jerusalem , you 'll notice signs in Ethiopian Amharic and overhear Russian spoken by the thousands of recent immigrants from the former Soviet Union . The thousands of recent Russian immigrants arrived over a period of a few months . neutral +In the midst of this amazing amalgam of cultures is a passion for continuity . A passion for continuity is not the most important of these cultures . neutral +It began badly . It began well . contradictory +Bennett 's specific gripes are that Gingrich 1 ) honored Jesse Jackson by inviting him to sit with Gingrich 's wife in the speaker 's box during the State of the Union address and 2 ) apologized to Jackson for Rep. Bennett wanted to sit next to Mrs. Gingrich during the State of the Union address but wasn 't invited . neutral +CHARLESTON , W.Va. ( AP ) - Shrinking revenue is forcing Legal Aid of West Virginia to close six satellite offices and lay off 17 employees by January . Six satellite offices will be closed due to a revenue shortfall . entailment +I have been in Kentucky , Kirby . I 've never been to Kentucky before . contradictory +( His nouns in this chapter do begin to grate . ) ( In this part of the book his use of nouns is irritating . ) entailment +uh to see the other cultures or you know and some of that but To experience foreign cultures . entailment +Milliken 's direct lobbying efforts have been relatively Buchanan never got anywhere near the presidency , and both NAFTA and GATT passed Congress . Milliken was supporting at least one presidential candidate . entailment +For strategic planning to have this sort of impact , three practices appear to be critical . Only one practice is super critical to achieve the desired impact . contradictory +The lawyer rose . The lawyer ran to slap the judge for a poor ruling . contradictory +They have been and are still enormously influential in this country 's economic life , often serving as all-important go-betweens in the sometimes immensely difficult relations between Hindus and Muslims , and between India and Pakistan . They haven 't been very helpful in keeping the relationship between India and Pakistan peaceful . contradictory +The barrel-vaulted chambers were discovered while excavating for a nearby housing project . Excavations were taking place for a nearby housing project . entailment +so i got out of that and got back into the Master 's and then decided well paralegal is really the nuts and bolts of the law and that 's what i really like yeah I decided I hated the law and I should be a plumber . contradictory +It 's not as difficult as you might think . It is easier than you might think . entailment +This initiative permits LSC to distribute grant award letters electronically from a secure website . Many have found great convenience from the LSC 's website based award letters . neutral +So , happily , very little gets done that is extremely bad--or extremely good . Not many things get done due to time constaints . neutral +The problem is that the dome is cracking like a great , smashed eggshell . " " What 's beyond the dome ? " Ser Perth shuddered slightly . The dome looks set to stand for thousands of years , because it is so strong . contradictory +For retrofits starting in 2005 facility owners are likely to have more than three years to complete this work as many of these retrofits have already begun . Facility owners are given 40 months to finish the worl . neutral +well let me think here um as far as the judge making the decision The judge can 't make decisions . contradictory +yeah you know the less actually the less you spend on a car it seems like luxury cars they 're called luxury cars even though they 're much more expensive like like uh um a Mercedes Benz they don 't have the history of breaking down or things like that that would go wrong would definitely not be considered disposable Mercedes Benz only break down half as often as other car makes do . neutral +The generation that still listens to rock ' n ' roll will consider it their right to keep getting their rocks off . Rock ' n ' roll users of this generation do not like getting their rocks off . contradictory +His eyes were on the child . The child was running from the man . contradictory +The cover story on racial profiling by police presents the conventional Profiling is a blunt instrument There are instances of police using racial profiling . entailment +Rain fell on Jon 's head and shoulders . Jon 's head and shoulders stayed dry . contradictory +One crashing bug in Outlook would reproduce only on a Gateway computer equipped with a Matrox video card . Gateway , unlike other brands of computers , was free from any Outlook-related bugs . contradictory +The commentariat agrees that Barry Goldwater 1 ) was a giant in modern political conservatism and 2 ) was an endearing straight-talker . People agree that Barry Goldwater is a great straight talker who is quite conservative . entailment +They performed a very vital function for me . The function they performed for me was insignificant . contradictory +Of course , I don 't know that they killed you first--but those are their methods . I don 't know whether they killed you ahead of time , but that 's what they did with the last three guys . neutral +Design features Site selection depends on program diversity , cannot be used with highly diverse programs ; best , worst , representative , typical , or cluster bases appropriate ; must keep number of cases manageable or risk becoming minisurvey , can use survey before or after to check generalizability or mix survey with concurrent case studies selected for special purposes ; data rely on observation and structured materials , often combine qualitative and quantitative data ; analysis uses varying degrees of formalization around emergent or predetermined themes ; reports are usually thematic and describe site differences and explain these ; variation in degree of integration of data across sites and of findings from different methods Site selection is expected , despite drawbacks , to be finished by the end of the year . neutral +A tranquil environment nestled in verdant foothills of the Blue Mountains , decorated throughout with original art . The original art was painted by none other than Pablo Picasso . neutral +The MGM is a grand example . A prime example of superior service is the MGM . neutral +Trouser legs too long , shirt like wearing a corset . The pants were too long . entailment +um they they also have a garden shop and they they offer just as good a guarantee if you buy it from them They offer good discounts on some items in their garden shop . neutral +Cavendish , Esq . , Styles Court . " Sir Ernest Heavywether rose ponderously . Sir Ernest Heavywether in a clumsy way . entailment +and used to travel up there to Knox quite a bit and and i even did once when i was a child you know so I 've never been to Knox . contradictory +Though little remains from Roman times , the city 's Byzantine legacy boasts Haghia Sophia , the Church of the Divine Wisdom and one of the world 's greatest buildings ; the magnificent mosaics of St. Saviour in Chora ; and the impressive Theodosian Walls . The Theodosian Walls are the oldest of their kind . neutral +When she hit the horse she pulled each blade across , scraping them together and shearing the rider 's head from his shoulders . The rider 's head got cut off by the woman . entailment +See chapter 2 for examples of objectives for attestation engagements . Chapter 2 has a table of the objectives for attestation engagements . neutral +I don 't want you to show them . Please , show them immediately ! contradictory +and i 'm in active reserve now so uh i 'm probably not going to have the opinion you think i would have I am enlisted in the active reserve so my opinion might be unexpected . entailment +They care about the performance of the computer . They don 't give a crap about the computer or its performance . contradictory +The servants ' rooms are reached through the door B. There is no passageway directly to where the servants sleep . contradictory +Implants , body-shopping , augmentation , that sort of stuff . Cybernetic implants and the like do not exist . contradictory +Might this be for you , sir ? The carter held out a very dirty folded note , on the outside of which was written : " Take this to the gentleman at the inn near Astley Priors . The carter held a note out to him that was written on green paper . neutral +The front door opened and a hail of bullets followed him . Guns were shot when the door opened . entailment +oh that 's really weird That 's really different to me . neutral +to pick up the slack yeah that 's right yeah yeah you have to it has to balance out Balance is not something to strive for . contradictory +' ) Maybe Wolf was led astray by Press ' tendentious summary of Magnet 's views . It 's possible Wolf was deceived by Press ' conclusion of Magnet 's views . entailment +That would be good , but how is it to be done ? I want to be an astronaut but how will I pay for school ? neutral +and you know she 's also keeping a percentage you know what percentage of letters am i retyping for whatever reason and there 's like one week she she did retypes on ninety percent of what she typed The need to be retyped to be clear . neutral +Sprinkled through it are bits of English and Swedish . There are pieces of English and Swedish mixed together . entailment +Slowly he learned to manage his mobility problem - he worked out a monthly rate with the moving company . He made a deal for a great rate of 50.00 a day . neutral +yeah so it is a a service that they 're offering It 's just one of the services they offer . neutral +This was cold comfort . This was unnerving comfort in an essence . entailment +The factual record , moreover , demonstrates the absurdity of this approach . The factual record proves that this approach is quite reasonable . contradictory +Its Romanesque portal is a 19th-century restoration , but the Roman and Byzantine columns , and Roman mosaic floor , are authentic . The building features much Greek influence . contradictory +It is possible to walk along the walls , which seem to be swallowed up by the higher modern buildings of the city , to gain an impression of how large the citadel once was . The citadel was built to be so large because it served as a symbol of power . neutral +yeah well i know some people that i suspect are casual users of uh marijuana as well and i expect that they probably uh mended their ways uh in uh I do not know anyone that smokes at all . contradictory +The sky , he explained pompously , was a great mystery that only an adept might communicate to another . The sky was very mysterious . entailment +you know uh-huh uh-huh uh-huh uh-huh and you you recognized this and was able to you know do something about it You acted quickly after you recognized this . neutral +yeah not lately though It hasn 't happened in months . neutral +It has a beautiful great house , made ( unusually ) of wood and filled with an eclectic collection of furniture from the colonies of the British Empire . It has a great house constructed out of steel filled with furnishings from the French . contradictory +Can someone get me unhooked ? How can I check the canopy if I 'm hanging here . Even though I 'm hanging here , I can still check the canopy . contradictory +Plastics , dyes , pharmaceuticals , solvents . There are no pharmaceuticals . contradictory +It jams Funchal 's hotels every year ; you will need to book accommodation many months in advance and pay a hefty premium . Funchal 's hotels always have plenty of vacant accommodation . contradictory +Shiloh was apt to produce that reaction in any horseman . The horse was wild and difficult to ride . neutral +Titian also produced religious works , but seemed to have no difficulty changing gears to the downright Baccanal is about as far as an orgy can go within the bounds of a museum . All Titian 's art was religious . contradictory +In fact , just as Lindbergh was guilty of more than three offending paragraphs , Buchanan 's bigotry is not confined to just one paragraph of this book , as . The book included a chapter on both Lindbergh and Buchanan . neutral +well uh there 's an expression for that with eyes on the past backing confidently into the future Don 't keep your eyes on the past . contradictory +Its lesbian / bisexual ( we 're never told which ) female subject allows shoes to tap wider contexts of a male protagonist wouldn 't have had her access to the history of discrimination in the work place ; and an infusion of color ( race ) might have narrowed the canvas , making the problem seem less pervasive than it is . The female subject is definitely heterosexual . contradictory +Close by the bridge is the Musee Courbet , in his childhood home , with the old walking stick depicted in his famous painting Bonjour Monsieur Courbet . The Musee Courbet was his childhood home . entailment +hearing the crickets and listening to the birds and seeing the squirrels and camping out and eating out of doors and Eating outside and seeing the animals and listening to the animals . entailment +He talked of the blood crusaders who drew swords and cut down anyone who spoke of a god or goddess other than Suun , the single goddess of the north . The crusaders were ignored and not discussed . contradictory +Even moderate Egypt has expressed sympathy for Saddam . Moderate Egypt sympathizes with Saddam . entailment +Specialized Postal Rate Commission rules of procedure are currently available for use by the Postal Service to provide expeditious consideration of proposed service innovations in a manner consistent with the due process rights of all interested persons . If one is interested in learning the Postal Service procedures , one can ask for such service , which in turn the Postal Service will provide in a timely manner . entailment +Somebody handed me a microphone , and I stood on the edge of the stage ; looking down over the precipice , staring at all of the scruffy young people below . Somebody handed me a live chicken . contradictory +LOSS -Any expense or irrecoverable cost , often referred to as a form of nonrecurring charge , an expenditure from which no present or future benefit may be expected . A loss is when you give something away but get something of equal value back . contradictory +But if the value of the improved service is 1 cent per piece , then the gain from offering the discount is amplified to 1.2a. The gain from offering the discount can be amplified to 1.2a if the value of the improved service is 1 cent per piece . entailment +and we bought one of the cheapest houses you know a tract house The house we bought was one of the cheapest . entailment +During the 1920s and 1930s , GAO focused on preaudit payment work and whether government spending had been handled legally . They were looking to find fault with the payment system . neutral +Furiously yours , Katharine Katherine is being sarcastic . neutral +: Moore and Bailey both said this isn 't true . Moore and Bailey disagreed on the truthfulness of the statement . contradictory +Take a trip to nearby Conca dei Marini to visit the stalactites of the Grotta di Smeraldo or Emerald Grotto , where the waters are as brilliantly emerald green as those of Capri 's Grotta Azzurra are blue , believed by many to be even more beautiful . The Emerald Grotto is named after its shimmering green waters . entailment +Do you want to see historic sights and tour museums and art galleries ? Are you keen on checking out some attractions ? neutral +Old books . Old books . entailment +Enough research has been conducted on instruments alone , he said , and new research should link screens with interventions . He believes we have done sufficient research on instruments alone and should focus new research on interventions . entailment +you know people get shipped off and then you know and then and then their parents i have a um a a friend whose whose son is in the Peace Corps in Guatemala or daughter is in the Peace Corps in Guatemala right now I don 't know anyone or anything in relation to the Peace Corps . contradictory +As I 've discussed in this testimony , without some immediate stability , GAO faces many of the same problems as other federal agencies in being able to effectively deliver services now and in the future . I did not discuss in this testimony anything about the problems that GAO faces regarding effectively delivering services . contradictory +Kyoto is surprisingly large . Kyoto is as small as you would expect . contradictory +The visions he saw poured out of him . He had a myriad of visions . entailment +In outline , The Limey is a lean little B-movie revenge melodrama about a felonious Brit ( Terence Stamp ) who 's newly sprung from prison and flies to Southern California to get to the bottom of his beautiful daughter 's My name 's Wilson ... The Limey is widely received as one of the better B-movies of the year . neutral +It would be impossible to name every place of interest in a guide of this size , so we aim to give you a representative overview of the country rather than an encyclopedic listing of must-see sites . The guide isn 't long enough to name every place because it would cost too much money . neutral +Of course , neither law enforcement nor education is principally a federal responsibility . The federal government is not responsible for healthcare or road construction either . neutral +The raw cost per case figure can be further analyzed to take into account the level of service ( from brief advice and counsel up to a court case ) . There are costs associated with each legal case . entailment +American theater has surrendered to thugs , charges the New York Times ' Frank Rich . The theater is run by thugs . entailment +yeah it 's yeah and ours yeah and see in our case it 's you have to you have to exit you have to leave and if you have to leave your home to get away from this individual that 's what you should do so what choice have you got you know as far as as far as our laws go up here The best course of action is to stay indoors . contradictory +However , patients who have not considered asking for help may make progress toward getting help because of a connection made by an ED intervention . The patients have asked for help multiple times . contradictory +I just resist the idea of punditry in certain spheres . I just reject the idea of punditry in specific circles . entailment +yeah they 're putting in fifty sixty hours a week i 'm sure because they got to grade papers and get class stuff ready and you know and they 're being paid probably half what most people being paid They are probably being paid half the average wage . neutral +Employed , with an adjustment to account for recent evidence that daily mortality is associated with particle levels from a number of previous days ( Schwartz , 2000 ) . The employed have a large mortality rate . neutral +He is preaching to the kinds of middle Americans that liberal activists long ago gave up for dead . He is talking to the middle Americans that have been ignored by the liberals . entailment +The first priority of the Commission was resource development and the Commission led a sustained effort in the California legislature to obtain state funds to support the provision of civil legal services to lowincome persons . The California legislature tried to get state funds to help civil legal services for lowincome persons . entailment +As long as you 've got the job done , I doubt that they 'll care . ' I doubt they 'll care that you 're late as long as you finished the job . neutral +be the United States ' first coast-to-coast bank , operating in 22 contiguous states from Washington , D.C. , to Washington state ; Most banks only have branches in one state . neutral +Beneath the western edge of the Temple Mount , just below the Dome of the Rock and El-Aksa , is the Western Wall ( Wailing Wall ) , the most revered holy place in Judaism . The Western Wall is the second most holy place in Judaism . contradictory +for for city use and It 's for use by the city . entailment +Bus tours leave from the Jardine des Tuileries on the rue de Rivoli side but you may prefer to do things in your own time . There are some bus tours that depart from Jardine des Tuileries . entailment +'But ... why ? ' I asked weakly . I wanted to know why . entailment +This skewness results from mail volume being highly correlated with income and U.S. income distribution being much more skewed than Italian income distribution . There is no correlation . contradictory +they 're supposed to bring you good luck or good or good finances It is said that they bring you good luck , good fortune and great love . neutral +But by that time , the country had joined the World Trade organization , and the European Union had agreed to open negotiations to admit Poland ( along with the Czech Republic , Hungary , Slovakia , and Slovenia ) into the EU . The European Union agreed to admit five more countries . entailment +to uh Texas a year and a half ago Flew to Texas , a year and a half ago . neutral +and sometimes she just flops them all over the seat Then there are times where she tosses them on the seat . entailment +Research suggests that for each additional dollar of saving , perhaps one-third is used to increase net foreign investment and two-thirds is used to increase domestic investment . Research says that each dollar of saving goes in part to domestic investment . entailment +Abbey et al , 1999 reported associations between long-term PM exposure and mortality in men . There are reported correlations between long-term PM exposure and mortality in men . entailment +and uh seven eight and ten 7,8 , and 10 . entailment +This is the haunt of the Bengal tiger , of a third of the world 's population of rare one-horned rhinos , and of more than 400 species of bird . Bengal tigers and one-horned rhinos live in this region . entailment +Within a few days , i-Sportsbook refunds my credit card deposit , as promised , and a week later I get a check for my winnings . i-Sportsbook never sent me a check for my winnings , nor did they ever refund my credit card deposit as promised . contradictory +In Temple Bar look for Club M in Bloom 's Hotel in Anglesea Street , and Bad Bob 's Backstage Bar in East Essex Street ; the Kitchen in the basement of the Clarence Hotel is owned by Bono and the Edge of U2 . Club M is in Bloom 's Hotel . entailment +Of particular interest on the first floor of the Francois I wing is the wood-paneled cabinet ( study ) of Catherine de M ? ? dicis , conniving queen mother and regent to three kings of France . Catherine de Medicis had a wood-paneled cabinet in the Francois I wing . entailment +As Islam prohibits the representation of human or animal figures , the work done here is the happy result of imposing much simpler patterns than the often elaborate silverware across the border in Thailand . Simpler patterns on silverware usually have a more appealing aspect . neutral +O 'Connor 's desire for a baseball-free Good Friday , on the other hand , is surely heartfelt . O 'Connor did not want to see baseball on Good Friday . entailment +, household plus business ) bill / payment mail would have been 44 . Bill mail is increased neutral +course you probably i have i have waist length hair so you probably don 't have that problem I have short hair and you have that problem . contradictory +The Museo Camilo Visedo nearby houses a fascinating collection of Iberian clay sculpture taken from a settlement in the Sierra Serreta . There are no sculptures in the Musea Camilo Visedo . contradictory +you would have but You definitely didn 't . contradictory +James is one of more than 3,000 clients served last year by MALS , which provides assistance for civil matters , such as domestic abuse and family-related problems , Social Security and Supplemental Security Income , veterans , housing and consumer fraud cases . These clients were related to civil matter . neutral +On the other hand , Mrs. Inglethorp had no candlestick in the room , only a readinglamp . " Mrs. Inglethorp had lots of candles in her room . contradictory +Another man stepped from the gambling den . A man stepped out from the gambling den . entailment +We go to the fights and a hockey game breaks out . A hockey game breaks out when we go to the fights . entailment +Try den corbas wedding soup , a mutton broth flavoured with lemon juice and cayenne , and thickened with egg ) , mercimek corbas ( red lentil soup ) , or i ? « kembe corbas ( tripe soup , believed to be a hangover cure ) . Don 't try den corbas wedding soup , the mutton broth is not flavored with anything . contradictory +In every case , family members , who in an earlier age would have been enthusiastic , urged them to stay out . Family members urged them to definitely go in . contradictory +But excuse me , Mrs. Cavendish , 78 although you realized it was a private conversation , you did not move away ? So you moved right away ? contradictory +Many of the men who benefited were absentee landlords who needed people to manage the land for them . The men paid the people who managed the land for them a lot . neutral +A classicist , Arendt saw the public arena as a version of the Athenian agora--a world of political theater , where the harsh light of publicity shines upon fierce debate . Arendt thought that the world of political theater was calm and forgiving . contradictory +It could also swell the underground economy , as people use it to pay for services , facilitating the avoidance of federal income tax . It could also bolster the underground economy , as people use it to pay for essential services , avoiding federal income taxes in the process . entailment +The Nonsuch Caves have nine chambers with dramatic formations of stalactites and stalagmites . The Nonsuch Caves do not have anything interesting things going on inside it . contradictory +well uh we 'll just open it okay i 'll press the one ready I 'm pressing the two whether you 're ready or not . contradictory +yeah well well we live we live really close to Lake Champlain which is in the Champlain Valley so we 're a little we 're about two weeks ahead of everyone else out on the outskirts so Lake Champlain lies in the Champlain Valley . entailment +Ca 'daan looked over the camp in shock . Ca 'daan saw the campsite had been destroyed . neutral +The cake would be ready on Monday morning , just out of the oven , in plenty of time for the child 's party that afternoon . The cake will be finished by 10 AM on Monday . neutral +This year , a record number of institutions ( seven ) were able to persuade the AAUP that they had cleaned up their act and should be removed from the list ; 50 schools still remain under censure . Despite what had happened this year , 50 schools still remain under censure . entailment +i i do i 'm Catholic and i we we 're not supposed to you know say that that 's okay but i really feel that it 's freedom of choice I am a catholic and I 'm proud of being free to choose . neutral +and i didn 't see much of it like you know i see you saw a lot about the major races but a lot of the minor ones that you 're being called upon to decide there 's very little information on The same amount of information is known about the major and minor races . contradictory +no love for the Broncos but i 've lived in uh No Bronco love . entailment +The friendly cooperation that characterizes civil societies is a pale shadow of the love that inspires great self-sacrifice . The friendly cooperation that characterizes civil societies requires self-sacrifice . entailment +For European imports , you will pay top dollar . European imports are very costly . entailment +i don 't know that 's just one of the many rumors that floats around I 'm not sure about that , it 's just one rumor out of many . entailment +Farther along the Villena road is the round castle of Biar , of Moorish origin and still in reasonable condition . The round castle of Biar had nearly been lost during the Prussian war . neutral +This Week With ADM ? Less than a month ago , ABC abandoned the serviceable name of This Week for the overfamiliar This Week With Sam & amp ; Cokie . This week the show switched to This Week With Sam Donaldson & amp ; Cokie Roberts . Fending off its diligent and talented copy editors , Pundit Central rejects the new name as too long and too inelegant for even a first mention . ABC are the worst broadcasting network known . neutral +The Borghese Gallery , opened in 1997 after an extensive 14-year renovation , is housed in a handsome Baroque villa inspired originally by Hadrian 's Villa at Tivoli , but with its Italian formal gardens now transformed into an English-style landscaped park . The Borghese Gallery needed to be renovated because it had fallen into a state of extreme disrepair . neutral +We 've tried all the orthodox ways , yes . We haven 't tried anything yet contradictory +yeah well exactly um-hum um-hum This is exactly the case , I agree . entailment +I modelled myself upon famous K.C. ' s . Whatever I did , I made sure not to emulate K.C. contradictory +approximately um-hum um-hum we live on a used to be a farm but we don 't farm much we uh but we do have a garden Oh , we don 't actually live in that farm , mostly because there isn 't enough space for a garden . contradictory +That is absurd , Mr. Inglethorp , said the Coroner sharply . That sounds reasonable . contradictory +yeah right you watch the reruns boy i mean you could watch those for a long time if you haven 't if you don 't even know what 's going on at all They show reruns on Nickelodeon . neutral +uh one of my favorite things was we were forever catching crab and steaming them I loved catching crab and steaming them . entailment +Indeed , she 's one of the few deeply observant characters you 're likely to encounter who does not romanticize religion . There are not many characters who don 't romanticize religion . entailment +That would make for a mighty dull summer for us news junkies . Summer just wouldn 't be appealing if that happened . neutral +They 're not all equally bad , but I have trouble deciding who is worse . They are all equally bad and therefore none can be the worse . contradictory +do they um it 's it 's some cards you you can do that and some cards you can 't down here i think it just depends on what the banks will take plus All cards of every kind work here . contradictory +No one took much notice of that at the inquest ” but now it has a very different significance . Everyone noted it at the inquest . contradictory +They had too many patients and , with every patient new to them , didn 't know important details . Since there were too many patients , they didn 't know their names neutral +Another park is Sunway Lagoon in Bandar Sunway , located near the state capital of Selangor , Shah Alam ; it is known for its water attractions and rides . Tourism is brisk in Bandar Sunway . neutral +The site is still being excavated , and only part of it is open . The site is partially closed . entailment +I was surprised- I didn 't even know the room came with a phone . The room didn 't come with a phone . contradictory +This observation was based in part on the results of a national survey of trauma centers which revealed that blood alcohol testing , which is often a precursor for any intervention , was routinely conducted at only 64 percent of centers despite a published guideline by the Committee on Trauma of the American College of Surgeons indicating that testing was an essential characteristic for those centers . A national survey revealed 100 % of centers were conducting the mandatory blood alcohol testing . contradictory +so do you work with TI So are you a permanent employee at TI ? neutral +Experience indicates that the quantity of limestone is conservatively high compared to other enhanced reagents such as fine-ground limestone and MEL . Experience shows that the quantity of limestone is 40 % higher compared to other enhanced reagents like fine limestone . neutral +The climate here is distinctly temperature extremes are uncommon and days are warm throughout the year , with the heat of the summer usually tempered by sea breezes . The temperatures are consistent due to its position on the equator . neutral +a drinking water business uh yeah yeah The water is sold in bottles . neutral +Several mummies were found here when archaeologists opened it , leading to a much-improved understanding of the genealogy of the various dynasties . The archaeological dirscovery of mummies here led to an improved understanding of genealogy of different dynasties . entailment +On 19 June 1566 , in the royal apartments in Edinburgh Castle , Mary gave birth to a son , Prince James . Prince James was born in 1566 in Edinburgh Castle . entailment +Deir Es-Suryani , as the name suggests , was a community of Syrian monks and its neighbor , Deir Anba Bishoi , is of typical design with a tiny round-domed fourth-century church and inner defensive bastion dating from the ninth century . The community of Syrian monks was known as Al-Swami Ala Bim . contradictory +But there 's a difference now . There is no difference . contradictory +Knowledge about a product 's design and producibility facilitates informed decisions about whether to significantly increase investments and reduces the risk of costly design changes later in the program . Knowing about the product 's design helps you make informed decisions about investing more than 25 % your funds in it . neutral +Ido feel , however , some anxiety in this situation . I feel some anxiety in this situation . entailment +Harbaugh , foundation trustee and a colleague of Athens at the Conner and ; Winters law firm , said his mentor had a special interest in people who could not afford legal services . Harbaugh said his mentor had a special interest in poor people . entailment +What did she say ? What did she tell them ? entailment +Early in the construction phase a formal construction management plan is developed describing the intended sequence and method of construction activity as well as the relationships , responsibilities , and authorities of all involved parties ( owner , user , A / E , construction contractor , specialty contractors , and relevant consultants ) . Early in the construction phase a formal construction management plan has been developed to help babies stop crying . neutral +Twenty-one of the 28 heads of Notre-Dame 's kings of Judah ( see page 33 ) , some retaining traces of their original pigmentation ( 1220 ) , were found in a bank vault and brought here . The 21 heads of Notre-Dame 's kings of Judah found , were put on display . neutral +I want to have a fairly simple wedding , but there are two people I can 't imagine getting married without ( not counting the groom ) . She wants her wedding to be very simple . entailment +on that 's wonderful oh that 's what an experience to see your students you know grown up and playing football Your students never played football . contradictory +uh i heard uh someone uh supposedly an authority saying speaking on TV saying that the interest rate as we have known it in the past will never be the that high again and he was speaking in senior citizens living on their incomes of from interest CD interest and that sort of interest i think the voting block of senior citizens is a tremendous voting block too but every voting block is slapped and toward their own special interest and i think that makes it doubly difficult to make a change i guess i 'm saying we 're all selfish The interest rate will probably never be that high again . entailment +but uh it 's a it 's a good size and it 's something we can stay in and grow in for quite a while i guess uh hopefully till the real estate market turns around like you we we bought when it was down a little bit but we 've had so many repossessions in our neighborhood that we couldn 't sell for anywhere near what we 've got into it so We bought our house when the real estate market was low . entailment +A comparison of two of the major participating banks demonstrates the disparity in their approaches to IOLTA . When you compare the two banks the disparities are seen . entailment +But time pressed . Time continued even faster . neutral +There 's no good defense against a man of his size fighting the way he does . It 's super easy to defend against a man of his size and fighting ability . contradictory +Further , since enactment of the original Paperwork Reduction Act in 1980 , OMB has been responsible for developing information security guidance and overseeing agency practices , and the Computer Security Act assigns the National Institute of Standards and Technology ( NIST ) primary responsibility for developing technical standards and providing related guidance . The Paperwork Reduction Act helped reduce the number of trees cut down for paper . neutral +Hahaha ! That 's my granddaughter ! My inquiring mind ! My granddaughter questions everything . neutral +The end of the Cold War has freed them to pursue humanitarian The United States now can be the world 's policeman , so it should be . With the Cold War at an end the United States can now be the policemen of the world . entailment +uh-huh it takes a yeah it does take some space Those bushes get rather large and do take a great deal of space to grow . neutral +governments or is received in satisfaction of a previously recognized revenue ( e.g. The government has revenue neutral +The development of a statewide legal services website , based at the West Virginia College of Law , is currently underway . A website for statewide legal services is being developed . entailment +Where 'd these come from anyway , Kirby ? Drew retailed the story he had heard from Stein . Drew would not utter a word of the story Stein had told him . contradictory +Jon stared at the green fires below . The fires that were burning appeared green in color . entailment +He may have to send cables , or something like that . He will send a telegram . neutral +Effects of ambient air pollution on nonelderly asthma hospital admissions in Seattle , Washington 1987-1994 . Between 1987 and 1994 , there has been an increase in air pollution . neutral +they don 't have A and E on cable in Dallas A and E isn 't included on Dallas cable . entailment +how are you going to tell if she 's hooked on them you 'd have to take her off them you know some people i mean that 's they they they go off them and they they 're going to die It 's hard to pin down the presence of an addiction in a situation like that . neutral +While it would be a crime to ignore the churches , palazzos , and museums chronicling the unparalleled glories of Italy 's history , the best way to enjoy them is also to spend plenty of time soaking it in from a front-row seat in a cafe , or from under a canvas beach umbrella watching seaside life unfold . You should not sit at a cafe or under a beach umbrella . contradictory +But Tommy nourished another and a preposterous dream . Tommy nourished his crazy fantasies and someone else . neutral +I 'm not myself since then . " " What in hell would they need with helicopters ? " Hanson asked . Hanson asked a question about the helicopters , and why they would need them . entailment +Quenching can occur in a prescrub area or more commonly an area integral to the absorber . Quenching can occur in an area integral to the absorber . entailment +Although the prescribed amount failed to restore France 's ageing Louis XIV to health , it might work wonders with a morning-after feeling . The substance is known to cause horrible pain followed by death in just a few hours . contradictory +However , the need for good internal control continues to exist . there are other needs that exist , but they aren 't as important as the need for good control . neutral +In another ED study , a saliva alcohol level equivalent to a BAC greater than 0.10 g / dl in an injured patient identified harmful drinkers ( AUDIT & gt ; 8 ) with a sensitivity of 65 percent . Saliva is the most accurate test for BAC . neutral +Which is right--sometimes . The data shows that it is never right . contradictory +When families live together for generations in the same town and valley , especially when these communities have been forced to pull together in times of hardship , a strong feeling of community is created , as has been the case throughout the history of this rugged territory . A strong community was created because of the communal hardships faced by the people living in this area . entailment +well and times were different too Times are the same as they were back then . contradictory +Longabaugh wanted the recommendation to include research training as an explicit component . The initial recommendation did not include research training . entailment +Expensive clothes : suits , ties and sunglasses all in black . It was simpler to dress each morning since everything matched . neutral +'Can 't you redo it ? Retrace your work ? ' Can you retrace the drawing ? neutral +Under each scenario , the costs of meeting the emission constraints are included in the price of electricity . In all cases , electricity prices have been increasing . neutral +He is very dangerous but not to us . He will not hurt us . entailment +These sites are , I think , the meteorological equivalent of snuff films . For myself , these sites just simply show people enjoying the weather . contradictory +Next to the three-story pagoda is a ginkgo tree said to be over 1,000 years old . The ginkgo tree next to the pagoda is a sapling . contradictory +The real drama is at Shinto festivals . There is very little drama at Shinto festivals . contradictory +i have two I have 2 . entailment +um-hum well the thing is um you know who 's really in charge of deciding how the money gets spent and and it 's you know it 's not the president the president just suggests it the ones who actually you know debate it and decide it is the is the Congress and you know what the Congress is out for they 're they 're going to do whatever it takes to make their voters happy which means bring more jobs and more federal spending to their little area and uh uh and that means every Congressman is sitting there working for money going to his area nobody 's working on less money going to his area or on anybody else 's area and if you just if you just looked at how much Congress spends on itself it 's ridiculous Voters will only be happy if their immediate needs are fullfilled . neutral +Novak 's Last week , Capital Gang ster Robert Novak contended that black Americans ' post-bellum achievements represent the slave trade 's oft-overlooked silver lining . Robert Novak 's narrow assessment mistakenly attributes a positive outcome of slavery . neutral +While the CFO Act established the foundation for improving management and financial accountability among the agencies , GPRA is aimed more directly at improving their program performance . The GPRA reverses what the CFO act established in the first place . contradictory +But future chances should not take a man 's mind off the job immediately ahead . It is really easy to get lost in daydreams of future chances . neutral +In previous sections , capacity factors of 85 percent were assumed . Previously we assumed a capacity factor of 85 percent . entailment +Yes , that 's it , and ” I waited to hear no more , but tore up the village to find Poirot . Poirot had left the village two days earlier . neutral +followed by payment authorization . Payment authorisation came next . entailment +And in Iowa , one firm , Beckman and Hirsch in Burlington , offers an online program that leads visitors through a series of questions to create a will . The online program costs over $ 300 per month . neutral +Consequently , GAO monitors agencies ' progress in implementing these recommendations . Agencies appreciate the monitoring done by GAO . neutral +Plaudits follow pans for the revival of the musical On the Town . nobody has followed the musical on the town . contradictory +but mine keep dying back down to the ground so i haven 't had that problem yet The problem keeps persisting for you because it has live plants to survive on . neutral +it 's got one of those and well it 's got a lot stuff i mean pages and pages it 's got wheelbarrows i 'm trying to look for something a lot of kitchen stuff lots of kitchen stuff the mixer a toaster a waffle maker popcorn popper all kinds of stuff like that and here 's where here 's a calculator but it 's not even made by TI isn 't that funny I can 't find what I need , there is so much . neutral +It houses galleries of traditional and contemporary Asian art as well as a Chinese courtyard garden . There is a Chinese courtyard garden along with the art galleries . entailment +Even at 75 miles per hour , I could count on driving at least 12 hours , making it just in time for the opening gavel at 1 p.m. I can be at the opening gavel with no issue at all . contradictory +Therefore , the amount of cash inflow equal to book value is not recognized as a revenue , a gain , or an other financing source . The book value of cash inflows is always counted as revenue . contradictory +A tunnel has been excavated along the entire western side of the Temple Mount , so that visitors can see the extent of the Western Wall . The excavation of the tunnel along the western side of the Temple Mount took three years to complete . neutral +Jewelry of jade , gold , and silver at South Bridge Road and People 's Park shopping center . There 's half-priced gold and silver jewelry at South Bridge Road and People 's Park shopping center neutral +Don 't they , old thing ? " That 's not true , old thing . contradictory +Not if they 're from another planet . " They won 't eat our food if they are from another planet . neutral +We have abundant evidence of the ancient Etruscan , Greek , and Roman communities in Italy , but know very little of the country 's earlier , prehistoric settlers . There is plenty of evidence of the prehistoric settlers of Italy . contradictory +He quit the Giants partly because the owner and general manager cramped him . The owner cramped him , that 's why he quit the Giants . entailment +And the congressmen and CNN executives would be incredibly late to work because the IRT stops neither in Washington nor Atlanta . The IRT is a slow method of travel . neutral +I shouldn 't like anything to happen to you . " I don 't want to see anything happen to you . entailment +The original certification procedure required submission of a written application , test report and fee ( and a device for testing in some cases ) to the FCC laboratory . The FCC laboratory charges fees for the original certification procedure . entailment +By 1938 , they held Nanking , Hankow , and Canton . They held Nanking , Hankow , and Canton . entailment +well you see that on television also You can see that on television , as well . entailment +Fiscal Policy , Population Aging , and National Saving , Journal of Economic Perspectives The Journal of Economic Perspectives has a range of articles topics . entailment +Yes , said Jon , looking at the big man . Jon started meanly at the man . neutral +what are you taking in school oh you you 're an instructor yeah you 're an instructor yeah you said You mentioned that you are an instructor in a school . entailment +The only problem with Marzena was that she was tall and Benedictino was becoming shorter , thinner and his body proportions continued to change . Marzena was too tall for Benedictino to kiss . neutral +The threat hung in the air , not spoken with anger or boast but direct and full of truth . No one felt threatened . contradictory +Most universities and federal agencies must compete aggressively over a much smaller pool . Universities have to make their campuses appealing to students . neutral +The church was built on the site of Byzantine and Crusader ruins , paid for by donations from all over the world , and dedicated by the Franciscans in 1924 . The church was paid for by donations and dedicated in 1924 . entailment +oh you got ten well you you 've passed me up this is about six times I only came up to a six this time around . neutral +but uh this guy i mean you can earn a lot more money so you say i go why you still there if you can earn a lot more money once you 've get your your you know Master 's This guy have a lot of potential to make money . entailment +No matter , Dave Hanson , he said . It wasn 't a big deal . entailment +With the fatal document in the hands of Mr. Brown , public opinion would swing to the side of the Labour extremists and revolutionists . Mr. Brown did not have the documents that could affect the public 's opinion . contradictory +On what was once a Celtic burial ground ( originally named Mont-Tombe ) , the bishop of the nearby town of Avranches began by building an oratory in the eighth century ' at the prompting , he claimed , of the Archangel Michael . The Celts never buried their dead near the site of Mont-Tombe . contradictory +Kill him ! Do not harm him . contradictory +Farther out , both north and south , are the sweeping curves of the Royal and Grand Canals . The Royal and Grand Canals are to the north , south , as well as the east and west . neutral +The Club Cano Kayak ( 4 Rue Moulin des Orphelins ) rents canoes and kayaks for the river Canche . You can rent kayaks to go on the river . entailment +are you having to repair the walls at all Do you need to fix the walls in any way ? entailment +Anything to keep from turning into one of those people . I would like to become one of those people . contradictory +Less than four nautical miles separate Formentera , with its long sandy beaches , from Ibiza . The beaches are long and sandy . neutral +yeah and uh you know he uh he worked a full-time job and a part-time job and i never saw him so i didn 't have much of a role model to go by He never worked and was always around . contradictory +This decision point used the knowledge captured as exit criteria for moving to the next phase of development . The next phase of development should be the simplest part to execute . neutral +Culture and the arts flourished once again . Artists became well respected for their work . neutral +Ca 'daan couldn 't see the man bleeding across the sand , but he heard him gurgling . Ca 'daan watched the man bleed out before him , the wound having come from his sword just moments ago . contradictory +The decline of the Korean economy would cause more bankruptcies , increase investors ' efforts to get out of won assets into other currencies , and force the won down further . The decline of the Korean economy was beneficial since there weren 't any bankruptcies . contradictory +In addition , it is important that the results of the actions taken be openly communicated or available not only to the Congress and agency management , but also to the general public . The general public is easily bored and not terribly interested in this . neutral +Some examples , taken from the delightful Samuel Johnson Sound Bite Page maintained by Frank Lynch . Frank Lynch maintains the Samuel Johnson Sound Bite Page . entailment +The street also goes wild each Halloween as the lively residents parade around in crazy costumes . Halloween is always a big party for the residents who live in Miami . neutral +yeah clocks is what i meant i can i 'm going crazy my daughter 's playing the piano and i can 't think My daughter is playing the piano , I can 't think properly ! entailment +If I am called upon to give evidence at all " ” he smiled broadly ” " it will probably be as a witness for the defence . " I could hardly believe my ears . I was very surprised at what he said . entailment +With an aging population and a slowly growing workforce , increasing the nation 's future economic capacity is critical to ensuring retirement security in the 21st century . Retirement security depends at least in part on improving the future economic capacity of the country . entailment +Kids with well-educated , emotionally stable mothers and secure economic circumstances tend to do fine , whether their mothers work or not . If their mothers don 't work , kids tend to do badly . contradictory +A small , dark room filled with the screams of innocent Cambodians . A pitch black room , tiny and echoing with the shrieks of innocent Cambodian people . entailment +but it 's but i sure don 't i i strongly disagree with any judge passing sentence on a person himself there that I strongly disagreed with the last judge I saw . neutral +Greuze brought it all . Greuze had somehow managed to get all of it and bring it all here , but nobody really knew how he managed to do such a thing . neutral +But with a foot in so many camps past and present , east and west , religious and secular Egypt should be well-placed to withstand the vagaries of modern life and grow in wealth and influence in the coming years . With a foot in so many camps today and yesterday , east and west . entailment +For one thing , it lets you participate in the ongoing conversation that is a nation 's culture . It doesn not let you participate in the conversation that is not part of a nation 's culture . contradictory +Advertisers frequently urge us to rebel , and they frequently urge us to conform . Advertisers don 't try and influence us . contradictory +Sure . He looked so crestfallen and abashed that I felt quite sorry , though I still thought my rebuke a just and wise one . He looked so upset . entailment +For example , President Clinton 's 2000 Retirement Savings Accounts ( RSAs ) proposal would have provided government matching on voluntary Government matching on voluntary was proposed in President Clinton 's 2000 Retirement Savings Account proposal . entailment +Quite a few establishments devote themselves primarily to their local customers , rather than stocking tourist extravagances . All the stores in this district cater to the tourists . contradictory +You 'll come next to Savanna-la-Mar , the bustling capital of Westmoreland Parish . Savanna-La-Mar is the bustling capital of France . contradictory +Leonardo 's Last Supper , height of High Renaissance Leonardo didn 't exist . contradictory +Shifting funds from the federal government would affect the relative contributions of the federal government and households to national saving . The ratio of contributions to national savings from federal government and household sources can be changed . entailment +The hat was behind me . The hat was on my head . contradictory +Who knows . I don 't know . entailment +To honor its creators , it was to be called ' Przyrolarouish ' . The name paid tribute to their creators . entailment +Thanks , Hanson said " I wonder what it 's like , being a true mandrake ? " " Depends , " the slave said easily . Hanson said " I would like to be a real mandrake for a day . " neutral +As long as you 're positing an evolutionary urge with no present-day benefits , why assume the most complicated explanation is correct ? A evolutionary urge is being assumed as the reason . entailment +Anse went on . Anse kept going , appearing to get tired . neutral +but it just it it really doesn 't make any difference this is just a chapter a another chapter in Middle Eastern history It doesn 't matter if the troops are memorialized . neutral +For more information , see Federal Answers to Frequently Asked Questions-An Update ( GAO / OCG-99-27 , May 1999 ) . If you want to get ore answers you have to go to www.answers.com. contradictory +Daniel looked around , surprised by my urgency . Daniel knew I would be insistent . contradictory +yeah they 're not that popular down south i don 't i maybe it 's something to do with the front wheel drive and they 're supposed to be good in snow but they 're very popular up here in Vermont and a lot of people used to bring his car their cars They are unpopular in Vermont because of the front wheel drive . contradictory +oh yeah they 've got a nice one They don 't own a nice one yet . contradictory +According to Jewish tradition , in even earlier times this site had been the altar where Abraham prepared to sacrifice his son Isaac and where the voice of God proclaimed such sacrifice was not necessary , an episode that forms one of the theological foundation stones of Judaism and of Western monotheism . The site was the altar where Abraham sacrificed Issac . contradictory +A huge winged statue of the archangel Michael crowns its facade . Micheal was the one and only archangel . neutral +The minarets that you see in the foreground belong to two important Islamic buildings . Those minarets in the foreground are part of two important Islamic buildings entailment +But I suppose you hardly wish to go out to-day , as you only came yesterday . " I imagine that you want to go out immediately even though you just arrived yesterday . contradictory +They come from a denser planet . They come from a planet that is denser than our , so more gravity . neutral +Gabriel looked out of the window and Adrin saw real remorse in the small man 's eyes . Gabriel looked at his book . contradictory +The two men , totally unlike so far as physical resemblance went , produced a similar effect . The men looked a lot like each other . contradictory +VIII Lunch was half over when Slim dashed into the dining room . Slim ran into the dining room . entailment +They brought me food- meat and potatoes . They brought me poisoned food . neutral +and of course we were involved with an attorney and were able to stop that before it got off the ground and so the some of the homes on that side of the street are a little bit smaller but they were Thankfully we had an attorney and we were able to stop that before it got started . entailment +yeah well um i think the weather lately has been um a bit warmer than i would expect this time of year It should have started snowing by this time already . neutral +Oh , golly , if they find out , will we be in trouble ! " No one will care if they find out . contradictory +well okay well hey i appreciate the call you too bye-bye I am grateful for the call , goodbye . entailment +Truly a strange and sinister gathering ! What a nice gathering . contradictory +well they may yeah i think eventually but some men don 't see some men just don 't care Some men do not mind dating single mothers . neutral +If scheduling allows , guests are permitted to watch rehearsals and the filming of TV shows . Guests are never allowed to watch rehearsals . contradictory +Participants began the conference by setting goals . Participants reflected on their achivements . contradictory +The other horrifying consequence of a greatly extended life span--Strom Thurmond 's ass . Despite what you may think , Strom Thurmond keeps fit . neutral +There 's a different , but no less intense , pleasure to be derived from these miracles worked up from the meager materials of paper and chalk . Only paper and chalk were used . entailment +A plot of that cost function reveals the classic hyperbolic shape with unit costs increasing more rapidly as volume per capita declines because of the loss of economies of scale . The hyperbolic curve looks like a steep hill . neutral +San Juan also became the center for the Catholic Church 's evangelization of the New World ; numerous churches , convents , and monasteries were established throughout the island to aid in this effort . The Catholic Church has a presence in San Juan , Puerto Rico . entailment +BUT IF THEY KNOW THAT THE PAPERS HAVE BEEN 184 RECOVERED BY US , neither of those two girls ' lives will be worth an hour 's purchase . If they know we have the papers , everything will be fine . contradictory +well right at the present time nothing real special i kind of like gardening and i 'm kind of into camping and you know vacationing that sort of thing i don 't have any real serious I kind of like camping and gardening . neutral +yeah probably because you said retirement and that really has not even occurred to me once I 've been thinking about retirement all the time , especially now that you brought it up contradictory +Of course , the overall costs of the package would go up sharply in the event of Ovitz 's termination ( and I wish now that I 'd made a spreadsheet showing just what the deal would total if Ovitz had been fired at any time ) . Without Ovitz the package is worth much less . contradictory +Down Calle Cuba , between Sol and Luz , stands the 17th century Convento de Santa Clara , an expansive complex that takes up several blocks . Convento de Santa Clara stands between Plata and Oro . contradictory +Round 1 of 2000 goes to Bush . Bush won round 1 of 2000 . entailment +The tower 's apex is the highest point in the city , marking the spot from which Orthodox Russians believe Jesus ascended to heaven . Jesus might have ascended from the tower 's apex . neutral +The island 's fine church , Saint-Louis-en-l 'Ile , is as elegant as the mansions ' bright and airy with a golden light illuminating an attractive collection of Dutch , Flemish , and Italian 16th- and 17th-century art and some superb tapestries from the 12th century . The church on the island does not contain tapestries . contradictory +Dole and others thought it high time for a US coup , and they were able to persuade the US naval forces to assist in deposing the Queen in 1893 . The Queen was overthrown due to strict policies on the United States . neutral +It 's refreshing that all these clients are just happy to have you as their lawyer , he said . it 's disconcerting to see that these clients are upset to have you as their lawyer , he said . contradictory +Cheers and Twin Peaks are now on the same time They are played at the same time , but I only watch Cheers anyway . neutral +Many Goans are descended from them or from converts who took the name of their Portuguese sponsors . The converts who took their name were mostly the elite class . neutral +it sounds like a it sounds like a John Lennon uh type He has the same glasses as Lennon and expressions too . neutral +Since , as the papers point out , the federal program allows monitorees to go to and from work , look for Kim to be inundated with arduous meetings from early morning till late at night . The federal program requires all monitorees stay in their houses at all times . contradictory +Leadership , integrity , and determination are all more critical qualities . Leadership , determination , and integrity don 't matter whatsoever . contradictory +Then , sir , consider that for a long time our astronomers have believed that two general classes of planetary bodies existed . Our astronomers used to think there were two classes . entailment +Power comes in many forms , including the U.S. The U.S is a form of power . entailment +We 'll shoot them down on the bridge to block it . We wont shoot them until they 're off the bridge . contradictory +uh for months and months and months and it was a a genre that i wasn 't in the least bit interested in and i usually when i hear about a movie that 's supposed to be very good If I hear about a movie a lot that is a bad thing . contradictory +on an island promoting nudism . On a chaste and conservative island . contradictory +But since the Gwich 'in opted out of the 1971 Alaska Native Claims Settlement Act , they stand to make no profit from new drilling . They did not want to lose money by drilling . neutral +I had some warm moments in that court ; I did not figure to myself that the man would be so pig-headed as to refuse to say anything at all . I spoke a lot in court . contradictory +ten years old now you know My car is ten years old , you know . neutral +The man 's voice chilled Ca 'daan 's skin . The man spoke very friendly to Ca 'daan . contradictory +Erected in the 16th century , it guarded the bay against pirate ships you can still see the ancient cannons poking through the crenellated walls . It was built in the 19th century . contradictory +Remember when he looked us in the eye ? He never looked them in the eye . contradictory +not very much they Not very much money . neutral +only significant structures that have an operating use ( such as , a recently constructed hotel or employee housing block ) shall be treated as general PP and E by identifying the cost attributable to general PP and E and segregating it from the cost of the stewardship land acquired . A recently constructed hotel would not be a significant structure with an operating use . contradictory +uh-huh and all on the job too you know it had gotten that bad While things were good at first , they worsened over time . neutral +Jon ordered everyone to avoid any risk of injury . Jon didn 't care if people got hurt . contradictory +Those are the kind of sentiments that very soon go to the wall when the other sentiment comes along ! You will change your mind as soon as someone shares with you their sentiments . neutral +and it just seems to fit nicely so that i can get it read in about three days It 's so long that I never finish it before the next one comes in . contradictory +Otherwise , she would have taken the latchkey . " If not for that , she would take the latchkey . entailment +Mrs. Inglethorp had a box of bromide powders , which she occasionally took at night . Mrs. Inglethorp occasionally took bromide powders at night . entailment +The first is for presorting , the second for putting on barcodes and assuring machinability , the third for drop shipping , and the fourth for being letter-sized instead of flat-sized . Including barcodes can sometimes be associated with assuring machinability . entailment +You 'll want to spend hours in the restaurants . You will want to spend a lot of time in the eateries . entailment +The man screamed and dropped his scimitar to grab at the gushing wound . The man had been stabbed in his stomach . neutral +Since then Hosny Mubarak has been Egypt 's president . After undisclosed events , Hosny Mubarak became the central leader of Egypt . entailment +Despite the pain and humiliation , the inmates love the rodeo and feel free for that one day . Most of the rodeo pain comes from being hogtied by the guards . neutral +White was altogether too calm . White didn 't panic as he watched the volcano erupt . neutral +to the town of Sant Francesc Xavier , or San Francisco Javier . to the little town that is just north of Sant Francesc Xavier . contradictory +Design for Constructability - A Method for Reducing SCR Project Costs There is only one proper method to weigh costs . contradictory +As surrogate mothers have proved , knowing that you 've given no genes to an infant needn 't stop the bonding process . As surrogate mothers have proved , it is still possible to love an infant even if it is not really yours . neutral +Its interior chamber was found to contain a red granite sarcophagus . There was no sarcophagus in the interior chamber . contradictory +uh-huh he 's out of there yeah uh-huh He 's no longer with them . entailment +10For a discussion of environmental monitoring as a critical aspect of strategic thinking , see Henry Mintzberg , The Fall and Rise of Strategic Planning ( New Free Press and Prentice Hall International , 1994 ) . Mintzburg wrote about strategic planning .. contradictory +High scorers on mental tests do bunch up ( as Herrnstein and Murray put it ) in elite-university student bodies . People who score high on mental tests naturally navigate towards each other in colleges . entailment +The most extensive study and analyses has been based on data from two prospective cohort groups , often referred to as the Harvard Six-City study ( Dockery et al . The Harvard Six-City study is very minor and did not receive much analysis . contradictory +Presumably , therefore , he has some wits . It must be considered , then , that he has some wits . entailment +Possibly , I am more avid in pursuit of such connections than the average person . I pursue such connections avidly . entailment +She was becoming hysterical . She was losing her mind . entailment +Sultan Abdul Mecit moved into the newly built Dol-mabahce Palace in 1853 , and by 1909 Topkape was completely abandoned . Topkape was never inhabited by Sultans . contradictory +The neighboring public beach , perfectly acceptable , has , unfortunately , very little shade . Trees and shade are plentiful at the neighboring beach . contradictory +The important question is not whether Clinton had sex with her and lied about it but what the country should do about this . Clinton did not have sex with that woman . contradictory +A moment later he uttered a cry . Ten years later , he cried . contradictory +They are so dissimilar that they cannot contradict one another . They are not at all alike in terms of size or shape . neutral +it 's basically the more the business business end of it than the programming end of it you know It 's more programming that business for sure . contradictory +well most of us like our freedom you know we like to be left alone and we like uh Most of us want to be left alone , we value our freedom above all else . neutral +and cooking dinner my husband 's in the kitchen cooking dinner saying right on right on My husband is cooking supper with no problem . entailment +You might end up with such a brave battalion of heroes that when a grenade lands in their midst , there is a competition to see who gets to jump on it to save the others . You can 't possibly expect to end up with a brave battalion of heroes with that attitude . contradictory +In this case , surely , the truth was only too plain and apparent . The truth was very convoluted . contradictory +2 becomes important . 2 is insignificant and has always been so . contradictory +Ca 'daan and Adrin watched the riders leave , heading north with fresh provisions . Adrin say the riders carrying lots of food . neutral +Juan Yeah , [ Beatty will say , ] ' Show me the evidence . Beatty will want evidence neutral +This tiny desert railway croseng was the scene of one of the pivotal battles of WWII , where Allied soldiers defeated Rommel 's German and Italian forces in 1942 . No battles ever occurred anywhere near this railway crossing . contradictory +Nearby , the archaeological museum has a section of the Parian Chronicles , a history of ancient Greece enscribed on marble slabs , along with other examples of Parosearble , which was coveted throughout the ancient world for its fine translucence . Translucence is the only important property of Parosearble . neutral +do you go right after work Isn 't it annoying to go after work ? neutral +According to those who know him , he has learned why newspapers are a public trust since his unfortunate cereal interview . He learned that newspapers are a private trust . contradictory +13 Some federal agencies , such as the Social Security Administration ( SSA ) , are exploring new ways to involve employees by devolving decisionmaking authority . No federal agencies are exploring new ways to involve employees contradictory +Shucks ! said Julius thoughtfully . Yes ! Julius cheered loudly . contradictory +Time has fresh shots of an anguished Ethel and a plaintive Rory Kennedy . The Time shots were taken by a seasoned professional photographer . neutral +In the past , the Coast Guard 's marine safety program concentrated on the physical condition of vessels , through activities such as inspections and certifications . Coast Guard inspections are notoriously strict and often require bribes to pass . neutral +Behind the cathedral , croseover the Rue de la R ? ? publique to the 15th-century Eglise Saint-Maclou , the richest example of Flam ? ­ boy ? ­ ant Gothic in the country . The cathedral is also an example of the Flamboyant Gothic style . neutral +Kildare put his arm through the hole , thus giving rise to the common expression to chance your arm . Kildare stuck one leg into the hole . contradictory +In the Thress model , at the discount level of 8a and the net gain of $ 32 million , the basic market incurs a welfare loss of $ 480 million ( 0 . The basic market will experience a tough year . neutral +and you know the like you say the cops that are out doing the work day by day have got to have a lot of frustration when they see all their work basically go out the window The cops don 't care at all , since they don 't do anything . contradictory +Which services should be provided in the ED and which should be provided elsewhere ? What services should be given in the ED and which elsewhere ? entailment +oh yeah uh-huh yeah i do i 've done those too before yeah I 've done those because I needed the money . neutral +This study extracted hourly , surface-layer ozone concentrations for each grid-cell from the standard CAMx output file containing hourly average ozone values . The output file contained data about changes in the ozone over the last five years . neutral +Then after everyone 's gone , stay on to see the marvelous 13th-century sculpted Angel 's Pillar ( Pilier des Anges ) in peace . The Pilier des Anges was sculpted in the 12th century . contradictory +Then , says the publication , while the mother was in the hospital giving birth to her sixth child , the girl called Sawyer 's office to ask if groceries could be delivered . The girl was extremely hungry and wanted food . neutral +He described his history simply . He described his past in just a few words . neutral +The finality of the way the man cut off his hair made Ca 'daan uncomfortable . Ca 'daan was not comfortable with how the man cut his hair . entailment +GAO conducts many critical instance studies . Many critical instance studies are conducted by GAO . entailment +i don 't think it 's a deterrent at all i don 't think that anyone that uh commits a murder actually thinks that they will ever I don 't think it helps with stopping murder . entailment +I felt very ill and sick . I felt fine . contradictory +Guitars , the rhythm of castanets and drumming heels , and taut , anguished songs that 's flamenco . Flamenco has taut , anguished songs and guitars , castanets , and drumming heels . entailment +Besides , there is no special treatment to pursue in such cases . There are really no options in cases like this . neutral +A comprehensive legislative approach with mandatory caps could replace a good portion of the current regulatory requirements with a system that will reduce the administrative burden on industry and governments , use market-based approacHe 's to lower compliance costs , reduce consumers ' costs , and increase national energy security by providing the industry with more certainty about its future regulatory obligations . There is need for a system that will increase consumers ' costs . contradictory +Skilled labor requirements , specifically for boilermakers , were estimated and have the potential to be the more limiting resource requirement in phase I of the program . Phase 1 of the program has potentially limited skill labor requirements . entailment +um-hum it 's just getting really ridiculous down here i wish i could move somewhere where this you know you got to like in the country but I like living here a lot . contradictory +As a rule , he surrounded his wife with little attentions , placing a cushion at her back , and altogether playing the part of the devoted husband . In addition to placing a cushion at her back , he also brought her some food . neutral +The rule provides the main regulatory framework for the National Low Emission Vehicle program and creates the means whereby automobile and light-duty truck manufacturers can volunteer to comply with tailpipe standards that are more strict than EPA can mandate at this time . Automobile and light-duty truck manufacturers can volunteer to comply with tailpipe standards that are more strict than EPA can mandate at this time . entailment +The media used the deposition as an opportunity to publish additional tales of Clinton 's philandering . The deposition was used by reporters to bring up additional infidelity on the part of Clinton . entailment +Even the grievances drawn up by the peasants and townspeople insisted on continuing devotion to the king himself . The peasants and townspeople have grievances about the leaders . neutral +She 's probably smarter than any of us . She 's probably smarter than any of us could ever hope to be . neutral +Appendix II describes each organization covered by our review . Appendix II talks about each organization in the review , the EPA , the IRA , and the LSC . neutral +You can do what some corporations do . You can do what some corporations do . entailment +Agencies shared performance information with employees by posting it through a variety of means , including charts , graphs , newsletters , and agency intranet postings . They refused to share the data on performance . contradictory +I 'm known as Mr. Carter here . When here at work I am known as Mr Carter . neutral +And when given the choice between a placebo and the cannabinoid blocker , rats choose the blocker . Rats prefer to use the blocker because they don 't like how the cannabinoids make them feel . neutral +On a site once 25 times the size of the Colosseum , only 30 rooms of the 250-room palace can be visited , and by guided tour only . The site was far smaller than the Colosseum , with 25 rooms . contradictory +Invented in 1993 : After a big interception , Packers safety Leroy Butler . The populist Leap is particularly suited to the NFL 's only publicly owned team , the zealously beloved Pack . The Packers are the only team in the NFL that are publicly owned . entailment +Now , a slight disclaimer . There are no disclaimers for this . contradictory +No , come on out of it . No , stay right in there . contradictory +You are too amiable , madame . Still beaming , Poirot marshalled us all into the drawingroom , bringing forward chairs as he did so . Poirot told the others to go into the kitchen and sit on the floor . contradictory +This is all very distressing . It 's all very nerve wracking . entailment +He burst out vehemently : " Curse you curse you ! He spoke gently about the situation . contradictory +that 's Major Dad at eight i think it is I don 't remember what comes on after Major Dad . neutral +Troubled Monica is an old Reporters needed a new angle for this round of Flytrap . Monica wasn 't worried about the old angles for the round of Flytrap . contradictory +but see they didn 't bother her because she had a prescription She visited the doctor for anxiety . neutral +I looked good . I looked good in the dress . neutral +'I 've got this , uh , project , ' I waved my hands vaguely . The project would be difficult . neutral +i know what you mean course like i say the only thing i do miss is PBS because i there several things on there i like Masterpiece Theatre Mystery Yes but I do miss PBS . entailment +yeah but uh well our house and i 'm not sure how all of the builders you know how most of the builders do but ours is what they call uh post tensioned which means that there are iron bars you know that run through the foundation My house was built by about 10 builders . neutral +An essay claims skating 's quadruple jump ( Stojko 's specialty ) is overrated , and shouldn 't be a prerequisite for the gold . The essay is just bitter because the writer can 't skate that well . neutral +Throughout the 1990s , partly in preparation for the 2000 Millennium celebrations , facades were scrubbed and buildings generally refurbished . The interiors of buildings remained unchanged during this time . neutral +Twenty men once worked to produce turned goods for the wool mills , a market that eventually dried up when the wool industry went into decline . Following the decline of the wool industry , the wool mills no longer needed to use turned goods . entailment +In 1997 , the volume of total First-Class Mail was 99 . The first class mail volume was huge in 1997 neutral +I 'm darned if I do ! I 'll happily do that . contradictory +Apart from some pre-Ice Age hominids , the first settlers to arrive in India were Negritos and Proto-Australoids . The Negritos and Proto-Australoids were the first settlers to arrive in India . entailment +Imagine that--fighting and divisiveness in an election . The parties are getting along well in the election . contradictory +but i i guess things have gotten better i 've been told that there 's flex hour and those kind of things I wish that I would have been able to use flex time . neutral +It didn 't matter whether Caltech beat Harvard by $ 1 or by $ 100,000 . The score of the Caltech game didn 't matter . entailment +This environment results in higher risks and a greater reliance on cost-reimbursement10 contracts for longer periods of time during product development . The environment makes the risks higher . entailment +So , tell me how ? Explain to me how . entailment +These changes propose revision throughout the entire set of standards except for the second general standard , independence , which is being revised separately . Revision is proposed by these changes , with an exception . entailment +Meal times are announced by the beating of a big red fish gong . The red fish gong emits a very loud bang . neutral +you know you 've basically tapped your resources there You are all out of resources . entailment +Did you do what Jon told you to do ? asked Adrin , Ca 'daan nodded . Ca 'daan said he hadn 't done his task yet . contradictory +The NYT scrupulously corrects a prior misstatement of the words making up the acronym of the James Bond nemesis organization SPECTRE . The Wall Street Journal correctly stated the James Bond acronym SPECTRE . contradictory +I didn 't spend my teens being viewed by merchants and cops as a likely shoplifter . I never went to stores as a kid . contradictory +not funny . not amusing . entailment +they kind of went in there and took over They just went there and took over entailment +The ramparts of its vieille ville enclose medieval cobbled streets and half-timbered houses . Medieval cobbled streets and partly finished homes are enclosed by the ramparts . entailment +You might think they have nothing left to say . You would think they have much more to say . contradictory +German and two partners still own the 60-acre farm . Each of the partners owns an equal share . neutral +Taxes on contribution and investment income are deferred until amounts are withdrawn . Taxes on contribution and investment income are referred until amounts are withdrawn entailment +um over over huge areas and and they thought that was more beneficial because you know and it some of it does soak in and some of it runs off right away into the into the streams and rivers and some of the fish were supposedly making a comeback We had kept the goldfish in a small tank . contradictory +'Wait , ' I started to protest , ' Maybe you shouldn 't just-' I ran away in the opposite direction . contradictory +well theirs was so bad and they were so close to the water that the water was coming up and they had to get out of there They were so close to the water that ti started to rise up . entailment +that they can be adopted by federal agencies , They will not be adopted by federal agencies . contradictory +Then I studied the criminal in the dock … . I subsequently ignored the person in the dock . contradictory +oh well that 's not did you push the button Is there a button ? contradictory +It is a very simple , low-key site , housed in a small 19th-century building . The building was built entirely out of wood and brick . neutral +He 's got plenty of name recognition . He has a large amount of name recognition . entailment +With its numerous buildings set within extensive grounds , Kiyomizu 's main attraction is the hondo ( main hall ) . Some visitors to Kiyomizu enjoy spending time at the souvenir shop . neutral +nice talking to you too Jim I hope we can talk more about this sometime soon . neutral +The third knowledge point is achieved when a reliable product can be produced repeatedly within established cost , schedule , and quality targets . The third knowledge point is about being able to reproduce the results while meeting targets . entailment +Only , I mean it , Kirby , you walk soft and get back to the Range as quick as you can . " Kirby quickly ran to the Range . neutral +Helms , who just two years ago threatened to end all U.N. funding , was charmed when Annan called on him last year . Helms was charmed by the voice of Annan . neutral +The flip side is that parolees who want to go straight often can make it if they are literate , civil , and can stay off drugs , remain sober , and get a job . Parolees can change if they want to because everyone has what it takes to change . neutral +The chief villain , bombastically named Darth Maul , is a horned , red , Kabuki-style snake demon with orange pingpong-ball eyes who challenges the Jedi to a couple of clackety light-saber battles . The snake demon is skilled with the light-saber . neutral +Don 't expect much in the way of facilities ; these simple establishments are intended to be dismantled at the end of every season , when the area returns to its unadulterated form . The area returns to normal at the end of the tourist season . entailment +At Portela ( 662 m / 2,172 ft ) , the views of the coast are striking . There are great views of the coast at Portela . entailment +To the extent that we have been given the opportunity to participate fully in addressing this important and primary mission of LSC , we have been truly fortunate . We were very lucky that we had a chance to be involved in this mission . entailment +Americans make no time for dialogue , much less cuisine . Americans spend most of their time engaged in dialogue . contradictory +Fitz Park itself is a fine example of the philanthropic attitude of the Victorians , who created green spaces in almost every town for the people to enjoy . The Victorians removed all green spaces from almost every town . contradictory +But best of all , there 's Angela . Angela is the best boss . neutral +yeah but i tried again a few weeks later but this time i put on some leather gloves and my father still wondered what happened to those leather gloves I tried again later , but I had some leather gloves on . entailment +Ca 'daan still made the trip north to sell salt . Ca 'daan got his salt from mining it . neutral +Count to ten , and , like Delhi belly , it 'll pass . It will go away if you count to ten . entailment +( believed to bring good luck for the coming year , having burned away the transgressions from the previous one ) . Good luck comes from burning away the sins of the previous year . entailment +The larger problem is that the Internet is simply not going to make us nicer people--nor are we going to become nicer just because we want to see the Internet reach its full potential . The Internet will definitely go a long way towards turning us into nicer folks . contradictory +The rosy Potent anti-rejection drugs now make it possible to prevent the body from rejecting a new hand . It 's possible to transplant any body part due to anti-rejection drugs . neutral +Many of the city 's churches , palaces , and museums still show signs of ongoing reconstruction and restoration after the devastating earthquake of 1980 . The city 's churches , palaces , and museums seem to never have fully recovered from the devastating earthquake of 1980 . entailment +From a distance you have brought him , senor ? Oliveri walked about the stud as Drew went to fetch his saddle . The man wandered around the horse . entailment +Whilerulingfrompalaces ontheeastbankoftheNile , Pharaohs chose to be buriedonthewestbank , asthiswastherestingplaceoftheGodAmun Ra intheformof the setting sun . Despite ruling from palaces on the east bank of the Nile , Pharaohs wanted to be buried on the opposite side of the Nile . entailment +Damn ! said Tommy , and tried to sit up . Tommy was sitting up contradictory +Though the theater relented when Arthur Miller , Wendy Wasserstein , and other top playwrights howled , most critics still paint the incident as a free-speech outrage . The playwrights had a right to be angry . neutral +DOD is currently considering submitting its proposal to the Office of Management and Budget . DOD had already sent the proposal and is waiting on an answer . contradictory +And compare Caravaggio 's mastery of chiarosero ( the play of light and dark ) in the service of realism in his violent Abraham and Isaac ( 1590 ) with the more contemplative style of Rembrandt in the famous Old Rabbi ( 1658 ) and other portraits . Caravaggio used realism in his art . entailment +be able to be enforced Be able to be implemented . entailment +All but one of the programs provided community legal education , 89 percent engaged in outreach activities , and 75 percent disseminated pro se information . Only one program has not provided community legal education . entailment +Although he was initially attracted to me , the feeling wasn 't mutual , so we became platonic friends . I was seeing someone else at the time . neutral +Broadcast interviews-radio , television , and Internet-are done only on request and only when GAO deems them appropriate for public understanding of the facts , findings , conclusions , and recommendations of GAO 's products . GAO never does broadcast interviews and relies on third-party research to inform the public about its products . contradictory +Then she gave a jump . She jumped entailment +Perhaps multiple natural deaths in a family are possible . Multiple natural deaths in a family may be possible . entailment +kind of sickly kids that has a lot of accidents The kids are getting the help they need . neutral +Buy a pack . ) Purchase a pack . entailment +The engagement team generally should not finalize the audit plan or issue a commitment letter until it has done initial testing and reviewed existing information about the data and the system that produces the data . The engagement team should finalize the audit plan without doing any prep work . contradictory +Public company management needs to set the appropriate tone at the top and that culture needs to be carried throughout the company and exhibited by the board of directors in its oversight of management and in its protection of shareholder interests . The board of directors must set the appropriate tone . entailment +cover story calls for renewed dedication to planetary exploration . The cover story speaks in favor of continuing space exploration with more vigor than before . entailment +and that 's where it costs money the whole process is free contradictory +There is also six times as much rain here as in Funchal . it gets less rain here than Funchal . contradictory +In Nepal , Bodhisattavas often seem to blend with Hindu gods and resemble them . Bodhisattavas masquerade together with the gods in Hindu . entailment +Since 1917 , Grand Central Market ( at 317 South Broadway ) has provided the city with a daily cornucopia of enticing fresh produce , fish , poultry , meat , and exotic foodstuffs . The cornucopia of fresh produce and meats comes from the tax dollars that people in the city pay . neutral +Consequently , I 'm sure we will be turning to it again and again as we seek to carry out our commitment to those who need but cannot afford legal services . I think we will end up using it again and again . entailment +all the time i got real used to it then i felt like we roughed it then I never got used to it , it felt like we were living in luxury . contradictory +2 million to candidates and political parties in 1995 and the first half of 1996 . In the first half of 1996 , the candidates did not receive 2 million . contradictory +But at this point the difference between supporters ' and detractors ' views begins to narrow . The difference between their views narrows due to forced agreements . neutral +Carolyn McCarthy , who launched a political career after her husband was killed by a crazed gunman on a Long Island commuter train . Carolyn McCarthy 's political career was ended by her husband 's sudden demise . contradictory +it 's a General Motors hall of fame type presentation uh it 's a two-parter the other part 's on tonight but it was about the uh the uh the well it 's supposed to be a true story you know a dramatization the true story of the legal struggle that uh I 've only seen the first part , the other part is on TV tonight . neutral +As I ran out to the tennis court a few moments later , I had to pass the open boudoir window , and was unable to help overhearing the following scrap of dialogue . I heard some of the dialogue because I have to pass the boudoir window to leave the tennis court . entailment +uh-huh well i wouldn 't think that i would really say that that 's not true because um it seems like certain newspapers always espouse certain candidates Certain candidates are typically espoused by some newspapers . entailment +That 's so , agreed Mr. Hersheimmer fervently . Mr. Hersheimmer completely disagreed . contradictory +and put it in front of the Wal-Mart store in town and they they it just really every every every time you went by there it was just over flowing They put it inside the Wal-Mart store in town . contradictory +Parents can make the best decisions for their kids , and if they are looking for quality day care , it isn 't likely to be because someone in a lab coat tells them it will mean an IQ 4.6 points higher at age 15 . IQ refers to the intelligence quotient , a means of measuring " smarts " . neutral +Looks like . Doesn 't appear so . contradictory +Russert regained consciousness at show 's end when he introduced a historical segment on Robert Frost 's Meet the Press visit . Russert introduced a part of the show . entailment +Hot pot - a social game for two to six people , requiring special equipment costing three to five thousand euro - consisting of a chase in special resembling frying pans vehicles powered by the human masticatory muscles . It 's a description of a game involving a group of people that needs special equipment . entailment +The method , in this instance , was sufficient to permit recommendations that were systemwide and generalizable with the single case . The method was the only way to permit system-wide recommendations . neutral +But in The Nation , University of California , Irvine historian Jon Wiener contends that Davis is the victim of a campaign by city boosters to run their most persistent critic out of town . John Wiener , an Irvine historian . entailment +Personal History 's false modesty begins to evaporate after Phil 's suicide in 1963 . Phil committed suicide in 1963 . entailment +The article was posted Tuesday evening ( Nov. The drug article debuted on Tuesday evening last week . neutral +well it was nice talking to you yeah well okay we 'll talk to you later um um bye-bye It was great talking to you ; we 'll talk again tomorrow . neutral +i think there would be trouble in our house so you wouldn 't get confronted or anything If someone confronted you in our house , there would be trouble , I would call the cops . neutral +Second , there is the view that worksharing discounts are needed to make the postal service more competitive , thus helping to stave off threats from competing carriers and electronic substitutes . Competing carriers and electronic substitutes are seen as a threat to the postal service . entailment +50 cities compared to 6 cities examined in the Harvard data ) than other studies of its kind . The Harvard data examined 29 cities . contradictory +After the Pitti 's riches , the unadorned white facade of the nearby Augustinian church of Santo Spirito ( Piazza Santo Spirito ) is a sobering antidote . The Augustinian church of Santo Spirito is no longer standing . contradictory +how far west have you been How long have you stayed at the places you 've been to in the west ? neutral +This has presented design difficulties and has resulted in costly equipment . The design difficulties caused costly equipment to be selected . entailment +oh fourteen well okay division one was worse because that 's the biggest division and boy when we put them on oh my God the phone you 'd hang up and it would ring it was just bad The phone was silent all day contradictory +Clinton , though , has also faced a continuing barrage of unserious allegations--implausible and untrue . The allegations against Clinton are untrue and implausible . entailment +well i uh before i was married i used to play a lot of sports After I got married , I started playing a lot of sports . contradictory +There is no evidence against him , but he once explained to another neighbor how to make poisoned meatballs with a mixture of legal substances--organophosphates and others--that cause internal hemorrhaging , which was what killed Allegra . Allegra died from internal hemorrhaging . entailment +Earlier this week , Roy confessed that she 'd stuffed some movie-related faxes into books , saving them for a calmer time ... Roy enjoys reading but only movie related things . neutral +Bridge House in Ambleside is one of the most popular sites and perhaps one of the most photographed buildings in the Lake District . No one likes bridge house . contradictory +and one of the things that uh well they were really selling everybody on back then was this Indian Hawthorne boy you know that 's the best stuff in the world They made us hate the Indian Hawthorne boy . contradictory +While the Postal Service collects extensive data on the cost behavior of city delivery carriers , it collects little data on the cost behavior of rural carriers12 For purposes of this analysis , we assume throughout that rural delivery cost behavior is similar to that of city delivery . The cost of rural delivery bears no relation to the cost of city delivery . contradictory +, aesthetic ) importance ; or , significant architectural characteristics . The architectural characteristics are not notable . contradictory +it is isn 't it it isn 't have what kinds of things have you tried have you done uh uh uh the big pot cooking You don 't have a big pot for cooking . contradictory +The solution , in Keynes ' own metaphor , is to persuade them that green cheese is nearly as good , and to have a green-cheese factory--a central bank--conveniently at hand . Keynes ' is an economist who uses metaphors to explain his solutions . neutral +As shorter chronic tests were developed , it became common practice to apply the same terminology to the endpoints . Chronic tests are now 80 % shorter . neutral +Another area where the current self-regulatory structure has proved to be inadequate is in connection with the AICPA 's self-disciplinary function . Another area where the current self-regulatory structure has proved to be inadequate is the local bank . neutral +I have faith in you . " Then she was running toward her reluctant carpet . After she spoke , she took off sprinting towards her reluctant carpet . entailment +Assuming potential competitors are able to achieve the necessary level of efficiency , it then asks how much volume might they be able to capture and in which markets ? They are considering moving into new markets . neutral +So the review has grown a large bureaucracy designed to prevent any unfairness . The review will remain unfair contradictory +This is in reply to your inquiry regarding our Office 's March 28 , 1997 , Congressional Review Act report on a major rule concerning the inspection and expedited removal of aliens issued by the Immigration and Naturalization Service ( INS ) and the Executive Office for Immigration Review of the Department of Justice ( GAO / OGC-97-32 ) . Your inquiry to the office occurred on March 28 , 1997 . entailment +oh that would be great That would be awesome . entailment +And those are just the towns along Lake Como . Lake Como has many towns surrounding it . neutral +oh yeah my dad has a lake cabin and so we go there for the small lake uh just outside of the Dallas Fort Worth area it takes us about three hours to get there and we go and we fish and we catch a bunch of junk nothing nothing to talk about for the most part but it 's fun My dad has a lake house and we go to the lake . entailment +why did you do it that way Why didn 't you do it the other way ? neutral +Nothing particular , she replied . The female professor didn 't reply with anything in particular . neutral +and then if things deteriorate they can go to a second level which is you know like where they prepare their meals for them and and they still live somewhat independently but they have people checking on them and making sure they have hot meals and then where the same community a lot of times will also have the third level which is full care They really appreciated the hot meals that were made just for them . neutral +Wallace has enjoyed all of her work experience . Wallace has never had to work in a retail environment neutral +On the other hand , the Board believes that certain stewardship information should receive more audit scrutiny than it would if it were RSI . The board does not want certain stewardship information to receive more audit scrutiny that it would if it were RSI . contradictory +and i i sort of i like the really raw land you know go out and where no man has gone before and that sort of thing I liked to feel like I was exploring a new territory . neutral +Nominal declines aggregate household postage expenditures . Increasing costs have led to a drop in household postage expenditures . neutral +This constant saving rate is roughly comparable to saving the Social Security surpluses over the next decade but is considerably higher after 2010 ( as shown in figure 3.4 ) . By 2030 , the savings rate will have to be even higher . neutral +He once called studio executive Jeffrey Katzenberg the eighth Greedy . Jeffery Katzenberg 's nickname is the eighth Greedy according to him . entailment +" But if you don 't , you 'd better read it again . You should never read it twice . contradictory +However , there is no agreement on how to raise total factor productivity . Many managers adhere to general productivity guidelines . neutral +parents around here just let their kids run everywhere and i just can 't do that Parents keep a close watch on there kids here . contradictory +Not when the servant Dorcas repeated certain fragments of the conversation ” fragments which you must have recognized ? Not when Dorcas repeated specific parts of the conversation . entailment +Wolff exploits the human tendency to confuse frankness and cruelty with truth-telling . Wolff considers the confusion between frankness and cruelty to be one of the greatest of human flaws . neutral +Since the 1960s , U.S. gross national saving as a share of GDP has ranked sixth among a group of seven major industrialized countries- the G-7 . U.S. gross national saving as a share of GDP has ranked since the 1960s sixth among the G-7 . entailment +The first to arrive were Bactrian Greeks left in the Afghan hills by Alexander 's successors . Alexander 's successors left the Bactrian Greeks behind as a strategic maneuver . neutral +Although the nature of their operations differed , the organizations all had embraced five risk management principles , which are listed in the box below . The list management principles listed in the box below apply to nearly all organizations regardless of the nature of their operations . neutral +Combining outbound and inbound mail , and including incremental costs would result in an overall cost coverage of 119 . Outbound mail would not be covered . contradictory +Lombardy 's rice , wheat , and maize are the basis of the nation 's risotto , pasta , and polenta . Without Lombardy 's rice , wheat and maize there would be no risotto , pasta , or polenta . neutral +yeah they 're they 're they 're so they 're they 're a little bit cross with the US and we could remodel that system you know They are a little angry with the US , and we could reinvent that system . entailment +Santorini has volcanic sand in a choice of black or red . Santorini only has mud . contradictory +You can press a button to see America 's Mt . St Helen 's blow its top , or you can relive the astonishing 1933 eruption of Mt . Aso itself . At the press of a button , visitors can relive the 1933 eruption of Mt . Aso . entailment +Seething under the brim of his three-corner hat . He had nothing on his head . contradictory +With an actress 's pencil she had slightly altered the line of her eyebrows , and that , taken in conjunction with the new luxuriant growth of fair hair above , so changed her appearance that she felt confident that even if she came face to face with Whittington he would not recognize her . The actress put on makeup in order to disguise herself . entailment +Farming has been another mainstay of the Lake District economy for centuries . Farming was a small part of the Lake Districts economy . neutral +Since the 1994 debut of the company 's television ad campaign , LifeStyles has become the fastest growing brand . The ad campaigns for LifeStyles always feature adorable animals . neutral +I know that his eloquence has saved untold men from the gallows , said Mrs. Vandemeyer calmly . I know that his smooth manner has saved lots from death , said Mrs. Vandemeyer . entailment +I have to ask her , said Ca 'daan , more to convince himself than confirm it with his companions . Ca 'daan wanted to ask her to stay . neutral +did you ever see the original one I think the original is the best . neutral +THE 16TH AND 17TH OF JULY I had arrived at Styles on the 5th of July . I was in Styles on the 5th of July . entailment +The HMOs contend the government doesn 't contribute enough to allow them to provide adequate care . The HMOs wish the government would contribute more to their cause . neutral +Miss Howard had always seemed to me so essentially honest ” almost uncomfortably so . Poirot gave me a curious look , which I could not quite fathom . I told Poirot that Miss Howard seemed extremely honest and he gave me quite a shocked look . neutral +The Illusory Effects of Saving Incentives on Saving . Saving incentives have illusory effects on saving activity . entailment +For example , users may accidentally disclose sensitive information to a large audience through electronic mail or introduce damaging viruses that are subsequently transmitted to the organizations entire network of computers . There are no issues with having users use technology . contradictory +it 's just that they have absolutely no no morals and it 's really sad They need to learn morals . entailment +Or , as Tom Lehrer put If you can 't communicate , the least you can do is shut up . Tom Lehrer says , " Speak up even if you can 't communicate ! " contradictory +okay that made a nice ugly sound It could have made a beautiful sound . neutral +Few had any intention of actually going in but resistance was more difficult than complacency so they proceeded . They proceeded to resist against the demons . neutral +The help , although late , has earned Dudovitz some appreciation . The late help earned Dudovitz some appreciation , and a nice note from this wife . neutral +The ropes were made using the new revolutionary SkySafe technology , whatever that meant , but which had one major fault - their colors were fine for beginners parachuting from jump towers , and the director had already completed his first real jump . The ropes were not revolutionary . contradictory +Just ask your Alfred how much time he 12 spends over there . ' She was very angry . She was angry with Alfred for allowing it . neutral +The first consignments were exported in 1866 and , within a few years , thousands of tons were being shipped to markets in the US and Britain . Consignment exports began in the year of 1864 . contradictory +Their combined expertise includes resource development , organizational management , technology , migrant and immigration law , access and intake systems . Their combined expertise relates to immigration and migrant law for people from Mexico . neutral +What is shown is that the postal service would spend approximately 4a per piece to sort and barcode the first 20 billion pieces . The post office will only ever deal with a few thousand pieces . contradictory +People applying for driver 's licenses aren 't even suspects of anything . There is a lot of suspicion on people applying for driver 's licenses . contradictory +I mean--Holy Smokes . " Red looked up . Red couldn 't believe what had just happened . neutral +There is a lovely fifth-century Garuda , and near it , on a memorial pillar , the earliest historical document in Nepal , an inscription of the same period concerning the Licchavi King Manadeva . The Garuda was first constructed in 1850 . contradictory +In addition , they recognized that staff expertise had to be frequently updated to keep abreast of ongoing changes in threats , vulnerabilities , software , security techniques , and security monitoring tools . Staff expertise needed to be updated on a weekly basis when it came to ongoing changes in threats . neutral +and i 'm of Spanish descent so There is no trace of Spanish in my heritage . contradictory +The parents , on the other hand , had to pass an exam in using a joystick and provide a proof of income of at least 7000 zloty per month for a young family member . the parents had to show they made enough money . entailment +The Post wonders if they were watching last month when TCM featured Escape from Alcatraz , I am a Fugitive From a Chain Gang , and The Great Escape . The Post wanted to know if they saw the story last month . entailment +they don 't even have to deposit it it just goes straight in there A deposit isn 't needed , it just goes in on its own . entailment +The hub of city life is the vast Piazza Br ? , with the town hall on its south side and the great Roman A rena dating back to a.d. 100 . The city does not have its own piazza . contradictory +configuration items after formal establishment of Items are configured after they are formally established . entailment +Although we have made progress as a result of the 1990 Acid Rain Program , we have not fully addressed the problem . The problem had been addressed but still isn 't fixed . entailment +The component may also be a contractor . They wanted to make sure they were not excluded . neutral +South of Penrith is an area of farmland that forms the eastern boundary of the National Park . There is farmland south of Penrith that forms the eastern border of the National Park . entailment +T & amp ; A information must be transmitted to the payroll system for all employees or , under exceptionbased systems , for employees who have changes to their normal work schedules . information doesn 't need to be transmitted to the payroll system for all employees contradictory +This document commits LSC to dramatically expand the impact of legal services programs throughout the nation by improving access to legal services among eligible persons while enhancing the quality of the services delivered . Improved legal service accessibility is one of the LSC 's commitments . entailment +Wolf sees the telling of her own personal experiences as a triumph for all women . Wolf fails to see how the telling of her own personal experiences could be seen as a triumph for any woman . contradictory +Uncommon Good has a 22-member board of doctors , lawyers and representatives of Christian groups and is recruiting mentors . Uncommon Good has a 5 member board consisting of farmers and dancers . contradictory +At the port you 'll find working fishing boats , excursion boats , a marina , and fish restaurants . There is an active fishing port with fishing boats . entailment +'You 're honest . You are a deceitful person . contradictory +oh yeah well the thing that really did it for me i was subbing in a fifth grade class and uh this kid comes to school with his lunch box and inside this lunch box he 's got easily two i 'd say two hundred two hundred and fifty dollars in one dollar bills It 's very uncommon and often very worrisome if a child has that much money concealed in a lunch box . neutral +But now he turned slowly away from that open door , the light , the laughter and singing , and walked back toward the stable , loneliness cutting into him . He showed up and felt like he was part of the crowd . contradictory +According to the Journal , nine other Democratic lawmakers who received contributions from Huang spoke with him during this same period . The Journal 's claim about Huang is not substantiated . neutral +'On Gentlemen 's honour ? ' I won 't believe you , no matter what . contradictory +Now the strange commerce and industry of this world were humming again . This usual business of this world had come to a halt . contradictory +uh-huh yeah but uh every once in a while i like to watch some of the old movies i watched a Clint Eastwood movie last night I never watch the older movies as I can never finish those new ones in my to-watch list . contradictory +Pending implementation of the State Planning Evaluation Instrument , LSC responded to and engaged state justice communities around the self-evaluations reports they sent in pursuant to Program Letter 2000-07 . Whether or not it will be implemented will be decided during the third quarter . neutral +The lessons were 25 minutes long , any longer and the kids wouldn 't be able to withstand the constant stress . Kids can handle 25 minute lessons no problem . contradictory +i guess what makes me think of that you know uh you hear them doing that like it 's a or like Amtrak you know if if they have a derailment or or transportation industry it seems like if there 's accidents train accidents things like that they test and i think well why not because we do have some large industrial accidents sometimes The Amtrak derailments are always studied intensely neutral +It was immediately clear that Lott should not have said this . Lott was spot-on . contradictory +right right but it gets to the point where i mean you 've got to have the time find the time also to read read about the guy and and be able to find the information about what he stands for It takes time to research someone 's stances . entailment +Time ' s cover story details the president 's soaring poll numbers and the various boosts they 've given to his lawyers ' confidence , his relationships with Congress , and even to donations to the Democratic Party . The president 's poll numbers are soaring . entailment +But is there a man with a soul so dead , or a waist so big , that he does not smile and say , Bond , James Bond , when he looks at himself in the mirror fully attired ? James Bond talks to himself in the mirror . entailment +Evidence should be sufficient , competent , and relevant to support a sound basis for audit findings , conclusions , and recommendations . Evidence doesn 't necessarily need to be relevant to be used in audit findings . contradictory +The fright began to build inside Adrin . Adrin became afraid . entailment +Wherever there was a blank acanvas ' there was decorative entrances , walls , floors , and pottery . The blank canvases were devoid of any decorations . contradictory +and the guy was oh yeah he 's almost proud that he had to pay an extra ten bucks to get his oil changed i 'm going He did not get an oil change . contradictory +I do not think so . I definitely think so . contradictory +In human experimentation , for example , researchers cannot pay volunteers so much that the poor could be exploited . Human researchers can pay as much as they want . contradictory +so uh the violent uh there is not as many people getting killed in robberies and holdups and things like that as you see here uh that 's probably why i 've come to that to that way of thinking of course the uh the very emotional uh thinking over what happened to President Reagan you know the guy that got it was mentally deranged since you get one so easily President Reagan inspired peace to the mentally deranged people . contradictory +Journal of Research in Science Teaching The journal is about the field of teaching sciences . entailment +The ( adjustable ) assumption of this paper is that the Postal Service 's cost for doing the workshare work is 6a and that 100 % of this 6a is passed through into rates . This paper explains how the cost of doing the work-share is calculated . neutral +Anthony Quinn performs the syrtaki dance ( in fact , an amalgam of several different traditional dances ) to the sound of the bouzouki , a stringed-guitar instrument that produces melodic , slightly metallic sounds . While the bouzouki instrument sings out , Anthony Quinn dances . entailment +Streams tumbling down from the snowy peaks of the Rockies form ... Sand from the Tibetan peaks form ... contradictory +But I come away thinking Lemann let his narrative sidetrack him from the issue he cares about The huge question of whether our current meritocratic system is just or unjust , and what we can do about it ? Lemann does not offer many suggestions of how to fix the current meritocratic system . neutral +As a basic guide , the symbols we use indicate what you can expect to pay for a three-course meal for two , excluding wine , tax and tip . The symbols we use show what you will pay for a meal for two at the restaurants on the island . neutral +He had spent many years in the south desert but never had he seen such a place . He had never seen a place like this . entailment +It 's got an Elizabethan flavour about it makes one think of galleons and doubloons . It has an Elizabethan flavour about it . entailment +Attorneys have filed charges against several key players associated with some of the recent integrity and accountability failures ; the New York State Attorney General and the SEC are taking steps to address certain conflicts within the investment banking community , and the GAO has taken a number of steps as discussed below . Attorneys have filed charges against several key players entailment +The man suddenly shot up like a fountain , growing huge ; he towered over them , until he seemed miles high and the giant structures Dave could see were only the turned-up toes of the man 's shoes . He shrunk and became tiny . contradictory +She filed suit against Clinton in 1994 , charging that Clinton had exposed himself to her . The suit was filed in 1993 . contradictory +i think kids are the answer that 's uh that 's where our uh hopefully the cure lies if there you know is to be one I think pets are the answer and hopefully where there will be a cure . contradictory +There 's too much music of the heart and not enough music of the callused fingers . They wanted to hear music full of heart and love . contradictory +Too many of them had already been killed , and there was no time for reviving them . The dead could not be revived because of a lack of time . neutral +For many people standing alone in front of a council of village elders may have many people nervous . A lot of people were uneasy . entailment +WEAPONS SYSTEMS - A combination of one or more weapons with all related equipment , materials , services , personnel and means of delivery and deployment required for self-sufficiency . A weapons system involves more than one missle system . neutral +yeah well they make uh allowances for that if you report that at the time that you take the test They do not want you to mention it during the test . contradictory +The construction equipment required for typical FGD installations is standard construction equipment - welders , excavation equipment , concrete pouring equipment , cranes , etc . Typical FGD installations do not require specialized construction equipment . entailment +At its worst , it can kick up a stench that would have made George Orwell gag . George Orwell would have not been bothered by the smell . contradictory +In the outdoor theater that is Italy , Naples is unabashed around the port , the popular quarters of Spaccanapoli , even the more bourgeois neighborhoods of Vomero and Posillipo . Naples has a robust and colorful culture especially in the areas around the port such as the popular quarters of Spaccanapoli , and even the more bourgeois neighborhoods of Vomero and Posillipo . entailment +He came forward . He was moving . neutral +yeah i think so right yeah he sure did I agree , he did it . entailment +Not that I 've ever heard of it myself . I 've obviously heard so myself . contradictory +and um i would like to have what i would really like to have is an aquarium and have some really nice fish I want an aquarium with some really cool fish . entailment +'I assume your tastes are more refined ? ' I snapped , almost without thinking . I said politely " I hope the food tastes as good to you as it does to me ! " contradictory +and so he used they used car repairs kind of as a way to have uh you know something that they did together The only time that they really got along was when they were repairing cars . neutral +oh yeah it 's too nice been too nice of a weekend The weekend was an utter disappointment . contradictory +uh no i like i like it because i i want to it makes me feel better Without it there is too much pain . neutral +and their Social Security and maybe they 're in a nursing home somewhere and they cut some of this stuff and what happens to them What happens to them if they 're in a nursing home and they cut some of the Social Security or some stuff ? entailment +yeah i like getting in the dirt i just don 't i hate mowing I like working in the dirt but not mowing . entailment +1 This report presents the trend in the personal saving rate as measured on a NIPA basis . Personal savings rates have risen steadily over the past two years . neutral +but at at eighteen you know uh uh i i wanted i wanted her to go away but she was just too much of a home kid When I was 18 I wanted her to go away entailment +The commercial companies GAO visited achieved success in product development by first achieving a mature , stable design supported by completed engineering drawings during an integration phase and then by demonstrating that the product 's design was reliable and critical manufacturing processes required to build it were in control before committing to full production . Mature , stable designs were an important part of the success of commercial companies in the area of product development . entailment +However , the high mountains , lakes , and spas of Savoie are not just for skiiers . Hotels in Savoie are very expensive . neutral +well see i don 't really see the need of it you know how many elementary school teachers do you think are going to be on drugs You would not imagine that elementary school teacher would be on drugs . entailment +we do that too we have a uh a treadmill and uh a bicycle and that kind of stuff we try to get twenty minutes like at least three for four times a week you know yeah and we like movies We haven 't been exercising this year . contradictory +looks good in the paper commercials look great on TV um The graphics just pop more on TV . neutral +Chronic Premature Mortality * Acute Premature Mortality - * Bronchitis - Chronic and Acute Hospital admissions - Some people are admitted to the hospital for bronchitis . entailment +the IBM had one last year now TI don 't have one and Rockwell i mean yeah Rockwell they don 't have one Rockwell whatever it is IBM had one last year , same as TI . entailment +For reasons unknown , the smell of BBQ sauce attracts them . They are repulsed by the smell of BBQ sauce . contradictory +[ The public and legislature ] don 't see legal services as a social service , Corbett said . Corbett believes that legal services are social services . neutral +Since the revaluation does not affect obligations incurred but does affect net cost , an amount equal to the revaluation is recognized in determining the reconciliation between obligations incurred and net cost of operations . The reconciliation is not the same as the obligations incurred . contradictory +Steps lead down to caves for snorkeling . The steps leading down to the caves are slippery . neutral +You can spot , set in the stone walls , little sculpted heads of angels or demons , floral motifs , or the scallop shell ( coquille Saint-Jacques ) marking the route of medieval pilgrims to Santiago de Compostela in Spain . The route of medieval pilgrims to Santiago de Compostela is located only in Germany . contradictory +The Indonesian movement was a rather spontaneous resistance led by ordinary students , workers , the unemployed , and the lower-middle classes . The Indonesian movement was led by high profile citizens . contradictory +uh no i started in nineteen fifty nine i 1959 is the year I started . entailment +So , while it would certainly be a pleasure to be here under normal circumstances , I want to extend a special thanks to you for having me here today . I am happy to be here today . entailment +The old bird 's as close as an oyster ! She 's just not very smart . entailment +A grade budget is not exactly the same thing as a mandatory curve , because it would allow professors the flexibility to give more high grades in one class if they 're willing to give fewer in another . Professors are offered grading choices such as budgets , curves and dart boards . neutral +LSC has made every effort to ensure that the congressional restrictions placed on grantees are strictly observed , Erlenborn said . The grant had many rules and regulations to follow . neutral +Filigree work , a legacy of the Moors , is of extremely high quality . The Moors have developed their techniques over the centuries . neutral +I don 't know if it 's connected , but you were quicker when you were free . You are now very slow . neutral +Occasionally , it is necessary to install a new smoke stack , and it may be necessary to add more fan capacity . When it becomes necessary to install a new smoke stack , the new shops should be considered . neutral +The gigantic 12th-century Abbatiale Saint-Pierre-et-Saint-Paul was the largest church in Christendom until the completion of Saint Peter 's in Rome in the 17th century . Now there are other churches larger than Saint Peter 's . neutral +On a lawn surrounded by 24 palm trees , a cenotaph pays tribute to Chief Commissioner Sir Henry Lawrence , who was killed during the attack . Surrounded by birch trees , a xylophone plays tribute to Sir Henry Lawrence , who was spared in an attack earlier . contradictory +First , of course , he meant to stay here . He did not intend to remain here . contradictory +Exhibits 15 and 16 present the results of these sensitivity analyses for 2010 and 2020 , respectively . The results from exhibit 15 was for 2012 . contradictory +pitiful it it it 's it 's It is pitiful . entailment +well do you like to do your yard work Do you like to do your yard work ? entailment +The center , which will be housed in the law library at the main courthouse in Waukegan , could open later this summer . The law library may open this summer neutral +When , reasonably enough , she objects , he subtly menaces When she makes reasonable objections he is happy . contradictory +They seem to have got some fool idea about Tuppence . " They think that Tuppence is some kind of criminal . neutral +According to Newsweek , Clinton attorney David Kendall is gathering dirt about Lewinsky 's mendacity and presidential obsession . The Newsweek article failed to gather as many views as a corresponding Fox News piece , " The Lewinsky Scandal Is Over " , which reached a peak 3rd most viewed article on the site within 24 hours of publication . neutral +oh it 's very calm i mean you can our uh bad district i wouldn 't advise going walking in there alone at night but you could and if anyone was bothering you you could make such a fuss where people would come to your aid even though you 're in the worst part of the city um the only difference is that every street light is lit instead of every other street light so we 're we 're a really we 're uh pampered up here The city 's lights help with decreasing crime rates . neutral +Some might feel that healthy indifference to what politicians do in their private lives has gone too far when it covers allegations of rape . There are allegations of rape against politicians . entailment +When Caterpillar developed the 797 mining truck , a new 360ton payload truck design , it demonstrated design stability by identifying the critical components and building engineering prototypes of them for reliability testing and demonstration of the design before beginning initial manufacturing . Caterpillar completed extensive testing of many modules of the new truck before manufacturing . neutral +Relation of input ( influences on compliance ) to output ( that required security procedures are followed ) is fairly direct Input and output have a direct relation entailment +you don 't find that parents are getting more involved in your area Parent involvement is not increasing . entailment +In doing so , they may ultimately reduce the quality of life for the many of us who are less than perfectly endowed . Our quality of life could be reduced by doing so . entailment +requiring the FCIC to offer catastrophic risk protection . Fcic offers no protection or insurance on risks . contradictory +Also on hand were some women who were victims of such violence , but benefited from free legal services . Some women who have been victims of such violence , could benefit from free legal services . entailment +An original goal of the study was to encourage post-discharge alcohol treatment , but only 5 % to 10 % of study patients went to at least one treatment or Alcoholics Anonymous session . The goal of the study at first was to encourage alcohol treatment after leaving the hospital . entailment +At that point the reporters break ranks , some sprinting up the stairs , some ( like me ) clambering into an elevator in hopes of seeing her enter the grand jury room . The reporters only cared about watching the man leave the building . contradictory +Each facility 's allocation will be adjusted to ensure that the total amount of allowances allocated does not exceed 271,000 tons per year . The total number of allowances by each facility shouldn 't add up to more than 271,000 tons annually . entailment +Critical Infrastructure Significant Challenges in Developing Analysis , Warning , and Response Capabilities ( GAO-01-1005T , July 25,2001 ) . This was a part of GAO 's monthly publication series . neutral +And how many closings have been appealed ? There have been no closings that were appealed . contradictory +Where swamp gives way to dry land , you will see the fascinating , monstrous strangler-figs . Strangler-figs are both fascinating and monstrous . entailment +and they 're wondering where does that cholesterol go Where cholesterol goes is not a mystery . contradictory +um-hum yeah they yeah usually they 're just called Himalayan this one goes more appropriately by Himalayan Persian because it doesn 't have the coloration that a what people think of himmys they 're usually more white with a little black they look like they look like off color Persians Himalayan Persians are very social . neutral +The same address to which you sent the parcel ? The parcel was unaddressed . contradictory +We need a set of global standards , and various interested parties need to work together to help make this become a reality sooner rather than later . In order to achieve this , we need cooperation and global standards . entailment +between 1989 and 1996 , and the number of routes increased 7 percent . Between 1989 and 1996 , and the number of routes increased 56 percent . contradictory +Proof that he 's skeptical about politics ? He is skeptical about politics because he is a politician . contradictory +After you 've seen the works of art which were buried next to the bodies , the crypt shouldn 't seem too gloomy a sight . The works of art were not buried next to the bodies . contradictory +Rock and hip-hop music increasingly celebrate marijuana and other drugs . Hip-hop and rock music supports drugs including marijuana . entailment +National saving is measured in two ways-gross national saving or net national saving . National saving is measured by the IRS . neutral +Conclusions should be clearly stated , not implied . All implied conclusions will not be considered . neutral +'You will not have her , ' she screamed at me again and again . She yelled at me as she pushed me away . neutral +yeah sure have how about you What about you , you don 't have the resources to do the same . neutral +Morgan went to New York banks and compelled them to dip into their reserves to offer loans that would allow stockholders to cover their margins and begin buying again . Morgan compelled banks to dip into their reserves . entailment +Gods , said San 'doro . Chickens , said San 'doro . contradictory +Currently , we spend about $ 250,000 a year in Clay County , which is about 8 percent of our budget , said Figgins , adding that Clay County clients also represent about 8 percent of the total poverty population served by Legal Aid last year in Duval , Baker , Nassau and Clay counties . About $ 250,000 is spent in Clay County every year by one organization . entailment +There was not even that much this morning . There was too much this morning . contradictory +Knowing your emotions are shaped by songs you heard 50 years ago is a little troubling . The person is at least 50 years old entailment +I considered . I was considering passing the vehicle in a no pass zone . neutral +okay well we 're we 're we 're very strong uh women 's women 's basketball team fans We 're avid fans of women 's basketball . entailment +Like GAO 's other units , OSI expects that an agency will promptly comply with requests for access to its records and to agency personnel directly involved with the matter under investigation . It is expected that units will comply with requests for information . entailment +not not really interested no I am totally interested . contradictory +She certainly could not be a day less than seventy now . She looked older than she was . neutral +In that same year , it sold American Re , a reinsurer , to a German company for a profit of $ 1 . It sold a reinsurer to a company from German to avoid bankruptcy . neutral +In most cases the frugality has long gone , the heating is modern , and the medieval well has been replaced by a swimming pool , but the setting is still memorable . They have modernized the city and are less frugal . entailment +California 's law suggests letting state workers give the injections without medical supervision , but the serious side effects , and the need to ensure that appropriate doses are given , make this approach foolhardy . A law in California suggest that workers be allowed to perform operations without medical supervision . contradictory +oh i 've got another call I have another telephone call . neutral +Its budget is $ 818 million , and it distributes $ 22 . It only distributes $ 22 to each single mother per year , despite its large budget . neutral +Figure 4 shows that the Poste Italiane profit margin distribution is much less skewed than the U.S. There are other Figures that show this as well . neutral +Note to Mark If you say it on NewsHour don 't repeat yourself on Capital Gang . Remember Mark , don 't repeat yourself on Capital Gang if you say it on NewsHour . entailment +Eligible aliens leave the United States for a variety of reasons , including family emergencies , visits with families and friends , to obtain medical care , and for important holidays . Sometimes aliens leave the US to get medical care . entailment +Day and night , the action goes on in this vibrant city . The action days down about midday for this city . contradictory +True , it was only yesterday morning that she had parted from Tommy , and she told herself that any anxiety on his behalf would be absurd . She was feeling fine after leaving Tommy today . contradictory +A local technology center has opened the doors to a statewide Internet community for legal aid providers and pro bono attorneys . Legal aid providers and free attorneys can now be part of the statewide internet community . entailment +She was still sweet as they make them . She was as sweet as possible . entailment +The Curragh and Punchestown racecourses are here , and the National Stud , home to breeding stallions , has produced some of the most successful horses in the country . The racecourses are there . entailment +Further , we met with a panel of CIOs from five small federal agencies to determine whether the practices identified are also applicable across diverse organizational sizes ( based on dimensions such as budget , personnel , etc . ) . We met with CIOs from small federal agencies to discuss practices and their applications . entailment +What 's up with him ? Warm asked in the coffee room . Warm was taking a rather large dump on the toilet . contradictory +Moreover , any additional costs would be eligible to receive up to 50 percent Federal matching funds . No costs are eligible for matching of any percentage by Federal funds . contradictory +so i think the tests themselves are not really that cut and dried you know The tests are short and sweet . contradictory +She 's very thorough in her research , Wong said . She did not take the proper time to research all the variables . contradictory +Visitors can tour the palace only when the monarch is not in residence . Visitors are never allowed at the palace . contradictory +Traditional Irish music is also alive and well , especially in the pubs , and there has been a revival of storytelling , poetry reading , and traditional dancing . Within the pubs there is lots of art and it is loved by the pub goers . neutral +It 's no wonder that crazy people love Exley did more with less than any writer I can think of . Exley is not a writer contradictory +Congressional oversight and authorization committees , as well as the Appropriations Committees , can use the database to prepare for hearings and budget deliberations . The members of the Appropriation Committees are grateful for the information provided by the database . neutral +'Are you all right , Mr. Franklin ? ' Greuze noticed my expression . Greuze didn 't pay attention to me at all . contradictory +you know which i i would hope they had thought about that while they were busily engaged in tearing down the wall i mean they talk about unification unification and now they 're unified and now all they can do is gripe They were talking about unification and now they are complaining about unification . entailment +Fleece 's Achilles ' heel is that , without a nylon coating , it lacks any wind resistance--a slight breeze that wool and cotton would turn back cuts right through fleece with a nasty bite . A person who wears fleece will get cold easily . neutral +yeah local uh-huh there you go that 's right that 's true i understand that Yes , local . That 's correct and I get it . entailment +The CIO and supporting organization must have active support and commitment at the very top of the enterprise or they will remain limited and tangential to the business , despite their potential contribution to mission accomplishment . Both the CIO and supporting organization can be very important to the business even without active support . contradictory +We calculate the daily profit of residential delivery routes for the Postal Service by totaling the revenue minus collection , processing and transportation costs of the mail delivered on each route and subtracting the delivery cost of $ 266 . Postal Service is able to calculate the daily profit resulting from residential delivery routes . entailment +The Taliban captured the southern city of Kandahar--where its reclusive leader , Mullah Mohammed Omar , resides--in late 1994 and the capital , Kabul , last September . Kandahar and Kabul were captured by the Russians in September . contradictory +I was chagrined , and I guess I showed it . I was not at all chagrined and everyone could see it . contradictory +The official delayed the announcement until the UPS strike was settled , so as not to influence its outcome . The official made the announcement during the UPS strike . contradictory +In particular , we developed guidance , 1 based on best practices in the public and private sectors . More weight was given to best practices in the private sector than in the public sector . neutral +No part of the Temple building once surrounded by these walls still stands . The temple building was destroyed in the war . neutral +Two of the whipmasters saw Ca 'daan and the Kal lying along the dying horse . Ca 'daan and Kal were riding the galloping horse together through the path . contradictory +Finally , remember that your reputation is priceless . As such , you 'll want to do everything you can to preserve your reputation . neutral +In addition , there are a number of issues that Congress should consider that S. 556 does not address . S 556 did not address all issues for poor people . neutral +At just 2,300 sq km ( 3,710 sq miles ) , the area is small enough that it can be covered by car , north to south , in just a few hours . The distance can be covered in a relatively short amount of time . neutral +Back they would go with a limping ship and the burden of the controls entirely on himself . They would have to go back with a battered ship and he being the only one in control . entailment +America , after all , elected Nixon--and not despite the paranoia and dread that runs through this book but , in some ways , because of it . America was smart enough not to elect Nixon as president . contradictory +How about in each and every case all the way back to 1971 ? Every case since 1971 are relevant . entailment +The state legislature also followed up on the report by creating the Commission on the Future of Maine 's Courts , with a similarly broad composition . The state legislature made no follow-up of the report . contradictory +There were footsteps on the stairs above them , and voices . Sounds of a conversation the stairs spilled into the area below . entailment +I like to think of it as my personal gift to News Quiz participants . I don 't think of it as a gift to anyone . contradictory +You simply scold him for being young . He is scolded for being young . entailment +the diversity of the programs . The programs are diverse . entailment +As the federal government fully embraces e-commerce and other leading-edge implementations of IT that benefit citizens , leadership in managing the governmentas information resources becomes of paramount importance . Leadership in managing the government 's information is growing less important . contradictory +They go back there , They never go back . contradictory +Patients were assigned to a motivational intervention or a standard control of a handout about drinking and driving and a list of alcohol treatment agencies . The study used inpatient confinement as the control group . contradictory +The Alternative Estimate of the impact of fine particle reductions on premature mortality relies on recent scientific studies finding an association between increased mortality and short-term ( days to weeks ) exposure to particulate matter , while the Base Estimate relies on a recent reanalysis of earlier studies that found associations between long-term exposure to fine particles and increased mortality . The Alternative Estimate of the impact of fine particle reductions on premature mortality is a very complex calculation . neutral +yes and i noticed um that 's kind of what i was attracted to these gerbils for is that they they have a certain area that they use like their bathroom The gerbils go to the bathroom all over the place . contradictory +It is interesting to note that United Parcel Service recently began delivery less frequently than daily to certain residential areas . The United Parcel Service recently announced that it wall always deliver with at least daily frequency to all residential areas . contradictory +Guadeloupeans , who don 't always own land , like to move around . Lots of Guadeloupeans do not own land . entailment +It was a heated discussion on county cricket ! Their debate on country cricket got so intense at one point that I thought they were going to fight . neutral +Saint-Malo remains an important fishing port , ferry terminal , and yacht harbor . Saint malo is important to fishing and boating . entailment +Here , again , was a world they could understand . This world is very confusing for them . contradictory +Additionally , LSC 's state planning team has issued numerous other targeted field correspondences to individual states ' stakeholders who have submitted configuration plans adjudged insufficiently responsive to the tenets of State Planning . LSC has a state planning team . entailment +White and I waited together at Louisian Saint Train Station . Me and White waited together at the Louisian Saint Train Station . entailment +Had he meant to warn her that day ? He meant not to warn her . contradictory +Another campaign was held in 1715 under the Jacobite Earl of Mar , but it was the 1745 rising of Prince Charles Edward Stuart , the Young Pretender , which became the stuff of legend . Prince Charled Edward of Stuart was 12 years younger than the Jacobite Earl of Mar. neutral +The findings should put the legal community on notice that more needs to be done because the problem is only going to get worse , said Melville Miller , president of Legal Services . There is a worsening problem that effects the legal community . entailment +It houses a valuable display of ceramics ranging from Seljuk times to the present . Inside there are ceramics on display from the Seljuk times to the present . entailment +It 's perfectly sweet of you , she said , " but you know you don 't want to ! " It 's rather rude of you . contradictory +He brought the weakened bomb into Hitler 's briefing room and nudged it as close to the target as he could , then left on a mumbled excuse , drove off the compound , and flew to Berlin . The bomb was smaller than a shoebox and easily hidden . neutral +yeah that 's you know Other things may be the case alongside this . neutral +there you go starting to defrost well that 's great It \ s good you are coming to a bit . neutral +Carrying their offerings by the feet ( incidentally , only male animals may be sacrificed ) , women form a line on one side and men on the other . Carrying their offerings by the feet , women form a line on one side and men on the other because they are not allowed to mingle by law . neutral +John practiced for some time as a barrister , but had finally settled down to the more congenial life of a country squire . John was a lawyer for quite some time . entailment +Beyond the regional identifications , the country remains divided culturally , economically , and psychologically between the prosperous , industrial North and less developed South , or Mezzogiorno ( Midday ) . The country is highly unified economically . contradictory +In all conquered regions , the Taliban has immediately implemented its own interpretation of Islamic law . The Taliban used versions of Islamic law that were considered normal for Muslims . contradictory +On the main highway you 'll know you 've passed crosed over by a stone monument commemorating the partition and signs reading Bienvenue Partie Francaise in one direction , Welcome to Sint Maarten ' ' in the other that 's all . There are border checkpoints when you attempt to cross . contradictory +The town was a quiet spa and beach resort ( its name means drinking fountain ) until the motorway 's arrival brought it within comfortable commuting distance of the city ; now it is set to become a bustling seaside suburb of Izmir , and a terminal for international ferries from Italy and Greece . The increase in population caused major harm to a lot of the town 's shops and resources . neutral +The Postal Service could , for example , place a Roman numeral in front of each ZIP Code , yielding a code like I-20878-2619 . The postal service cannot use roman numerals contradictory +For the first time I felt that , with Evelyn Howard , something indefinable had gone from the atmosphere . Evelyn Howard felt a change . entailment +The magazine can 't compete with monthlies either . The magazine competes with the monthlies . contradictory +A paved walkway used for cycling , skating , and strolling runs along the beach in front of beachfront homes . Running along the beach is the paved walkway that people can use for cycling or for strolling . entailment +The enormous legal assistance gap cannot be tolerated by a just society , by a society that asks people to be governed by the rule of law , said Miller . The legal assistance gap is not acceptable . entailment +The assessment , which is summarized in the preamble to the rule in the Federal Register , was submitted to our Office in its entirety . Only the the first half of the assessment was submitted to our office . contradictory +Agencies can identify similar organizations that have successfully incorporated desirable technologies and adopt those practices that offer significant improvements in process , cost savings , time , or resources . The agencies are renowned for their identifying abilities . neutral +Take time to sit at a cafe and watch the fishing boats mix with the tourists in yachts and narrowboats headed for the Canal du Midi . Fishing boats and tourist yachts mingle together long the river . entailment +well all of them down down here you had a cash price for gasoline and a credit card price you had one gasoline price in cash , and another gasoline price if you paid with a credit card entailment +Whittington was in a hurry to get rid of you this morning , but next time he 'll want to know something more before he parts with his money . Whittington was nice the first time , but won 't be nice the next time . neutral +The dust lay thick upon it , and festoons of cobwebs lay between it and the wall . It hadn 't been touched in years so it was covered in dust . neutral +yeah well you can make a big difference in those and it 's more more to home a lot of the time You can make a big difference . entailment +Among households making less than $ 40,000 a year , whites were six times as likely as blacks to have used the Web . Among households making more than $ 40,000 a year , whites were six times less likely as blacks to have used the web . contradictory +Technology to remove SO2 is anticipated to continue along current trends and rely heavily on wet FGD and other advanced technologies . It has been delayed the technology to remove So2 . contradictory +The mosque and tomb were erected on the bed of sand that covered the temple and now sit five m ( 20 ft ) or so above the excavated floor level . The temple was completely destroyed by all the sand . neutral +Italian Protestants fled and Jews in Rome were restricted to a ghetto ( 50 years later than the Venice ghetto , Europe 's first ) and expelled from Genoa and Lucca . Jews were confined to a ghetto due to the fleeing of Italian protestants . entailment +We also have cuttings from your hair and your beard ; we have the parings of your nails , five cubic centimeters of your spinal fluid and a scraping from your liver . We can 't control you , because we have no samples from your body . contradictory +me i 'm in the legal department and um we do have uh a group of attorneys who handle our environmental issues I work in the legal department , and there 's not much focus on the environment . contradictory +The project was not a simple one . The project was more than simple . entailment +By the way , it 's not altogether clear that this price cap regime would achieve one of its other principle objectives , that is , to put downward pressure on future cost increases . Future cost increases will definitely experience downward pressure as a result of this price cap regime . contradictory +Also here is the Hongkong Heritage Museum ( call Tel . 2180 8188 for open hours ) . The telephone number only gives out information between the hours of 9 am and 7 pm . neutral +It also reflects the fact that most cultural journalists are under constant pressure , whether from above or from within , to whip up instant controversies tied to some product on the shelf . Most journalists in general that write about subjects that are a matter of opinion are under stress . neutral +Vrenna , now ! Jon kicked the barrel and it broke open . Jon told Vrenna to jump as the barrel rolled towards her . neutral +After the first two days , devoted to informal brain cell exercises , the results were better than good . They never tested their brains . contradictory +The school 's poor academic record has made it a frequent target of critics but , according to the Washington Post , Williams still believes it can become a magnet for economic development in its new location . Williams believes that the school can foster economic growth in spite of its questionable academic track record . entailment +oh he 's great i saw him play when he as at uh UNLV he was not only the quarterback but the punter and he can punt the ball sixty yards no problem He 's got talents as both a quarterback and a kicker . entailment +It added , Signs of weakness will not be overlooked by the market , which exploits every little blunder to its advantage . Weaknesses are almost always overlooked by the marketplace . contradictory +For example , in NSIAD 's study of conditions on submarines , auditors spent time aboard submarines in a variety of situations , getting firsthand knowledge of life in these vessels . Auditors tried different experiences in submarines and became familiar with them . entailment +We get at least a dozen calls every other day , Eileen Ledford said . We get several calls everyday . entailment +While we are used to secular types such as Trent Lott weighing in with their views on sin , it 's harder to swallow when the folks at WWJD ? We hear the views of Trent Lott all the time , but the views of those from WWJD are so different , they are hard to digest . neutral +The Daily Mail Monday quoted the pendant 's inventor , chiropractor Dr. Charles Brown , as saying that it contains a ' magical configuration ' of quartz and other crystals which deflect electromagnetic radiation from modern office equipment--and counter ' negative vibes . Dr. Charles Brown invented a pendant to protect its wearer from negative vibes . entailment +Some people have said that I dress Israeli style , but that isn 't really it . Rather , my style of dress is a mix of different cultures . neutral +I mean it . " I don 't mean it . contradictory +My dear Poirot , I expostulated , " I never thought it would interest you . " I have to disagree , Poirot , I didn 't think you 'd be interested . " entailment +The surrounding warehouse districts have interesting stores for souvenir browsing . There is nothing of interest for tourists at the warehouse districts . contradictory +FDA responds in the preamble to the final rule to several comments it received and maintains its conclusion that the rule does not have a negative impact . FDA says the rule doesn 't affect it negatively . entailment +The Chestnut and Rowe study measured the demand for visibility in Class I areas managed by the National Park Service ( NPS ) in three broad regions of the California , the Southwest , and the Southeast . A study measuring the demand for visibility in first class regions was conducted by Almond and Rowe . contradictory +After they 're caught , they disappear for awhile , then re-emerge , apologize for their venality ( usually to Larry King ) , and retake their place in the pantheon . After they caught they leave for a while , then they come back and apologize on CNN . neutral +yeah well that uh that 's something i i know that there 's certain issues that can really motivate people because we live in a predominately predominately predominately Catholic type area We live in an area that is mostly filled with Southern Baptist people . contradictory +Great ! Tell him I need some help back here , said Adrin . Adrin desperately needed help . neutral +... Con Conquest of Mexico . The conquest of Mexico lasted a long time . neutral +it 's uh in Massachusetts it 's almost ten percent now It 's mostly in Massachusetts , although it used to be in New Jersey . neutral +There are no major zoos in Israel . Although it lacks major zoos , Israel does have a few smaller ones . neutral +It spends more than $ 20 billion a year for facility design , construction , and related services . More than $ 20 billion is spent each year on facility related services . entailment +But they can 't admit this . They want to be transparent with their responsibility in this fact . contradictory +To carry this a step farther , the Marquis de Vaudreuil , Governor Bienville 's successor in 1743 , attempted to transform New Orleans into an overseas Versailles . Marquis de Vaudreuil wanted New Orleans to resemble Versailles . neutral +you know it was like um record breaking below temperatures and stuff in Alaska where your gas your car was freezing while it was running you know the gas oil or the gas would turn to slush huh-uh see i can 't handle that it was so cold in Alaska that the gas in your car would turn to slush entailment +She clashed early on with Edinburgh 's famous Protestant reformer , John Knox , who held sway in St. Giles but later adopted an uneasy policy of religious tolerance . She maintained a policy of strict religious obedience her whole life . contradictory +The mob , reportedly acting on Cohn 's behalf , threatened Davis with violence to force him into a sham marriage with a fellow African-American . The mob , on Cohn 's behalf , had never threatened Davis . contradictory +He was _ holding _ them , and feeding them meat . " While holding them , he was feeding them ostrich meat . neutral +It is the oldest Greek monument in Istanbul , commemorating the Greek victory over the Persians at Plataea in 479 b.c. ( it was brought here from Delphi by Constantine the Great ) . The monument was brought to Istanbul by Napoleon . contradictory +oh my well at least you 'll get very good at it right You will get really good at it won 't you ? entailment +He struggled to get them on . He spent a long time attempting to fit his oversized head in the small cap . neutral +Once we got past that , it became a real positive for the Long Beach program and Long Beach clients . It became a negative for the program . contradictory +Where you left off . Where you stopped reading neutral +you bet you you bet you No way . contradictory +what are you studying What kind of science are you studying ? neutral +EPA performed an Economic Analysis of the final rule , including the Clean Air Act and Clean Water Act portions of the rule , and the analysis is summarized in the preamble to the final rule . The EPA refused to perform any kind of analysis . contradictory +The interim final rule contains information collections subject to review and approval by the Office of Management and Budget under the Paperwork Reduction Act . The Office of Management and Budget must review information collections in the interim final rule . entailment +Their ventures into social topics focus on alcohol , drugs , domestic violence , adultery , divorce , illegitimacy , crime , and urban decay . Their topics cover issues related to human relationships . entailment +yeah it wasn 't that bad and uh but they are big and they 're kind of hard to drive uh definitely next car we 'll get will be a used car because we can 't afford a new car they 're so expensive New cars are expensive , and used cars would suit our budget better . entailment +yeah just the power i 'm i 'm trying to uh get an upgraded machine mine is uh just putting along and it 's not fast enough for me I am attempting to obtain a machine that is upgraded . entailment +yeah the yeah the medical insurance would really be a lot more important if you had uh if you had children i guess if you 're of child bearing age then it 's important too you know because Children are more likely to have medical complications . neutral +any of your Christmas presents were packed in put them in this bag and leave it out with your recycling and we 'll uh take all of those back and try to recycle them So if you leave them next to the recycling , we can take those back , too . entailment +You can take a lake tour or a ferry trip to Ambleside in the north or Lakeside in the south . There are several tours you can take . entailment +that 's cheaper than we pay The price is not cheaper . contradictory +The market will saturate . The market does not actually exist . contradictory +Stark would have seen nearly a third of his men fall in a very short time . Soon , Stark would have seen over half of his men fall . contradictory +You 'll need to walk down a long steep corridor to reach it . There is no way to reach it . contradictory +They swept in and around the shade of the tree , made the arc to return . The tree cast a shade because it was noon . neutral +you know what i feel a comfortable in you don 't wanna stand out too much You have to put yourself first and foremost and say hello to everybody in order for me to be comfortable . contradictory +Non-low-income households served by tier I day care homes will be unaffected by tiering . Tier 6 will be the most affected . neutral +Even in the vast open spaces of the Rajasthan desert or the Deccan plateau of central India , people appear everywhere , a tribesman on camel-back or lone woman holding her headdress in her teeth to keep out the dust as she carries a huge pitcher of water or a bundle of firewood on her head . People do not appear anywhere in India . contradictory +Advances in FGD technology , design , materials , and expertise available for retrofit installations made over the last decade form a sharp contrast to earlier retrofit systems . The retrofit systems of today are almost exactly the same as the systems ten years ago . contradictory +Another technique for analyzing multisite case data is identifying events within each case study ( meeting between Jones and Smith Identifying events within each case study is an often used technique for analyzing multisite case data , but it is not the most rewarding technique . neutral +Today 's Papers appreciates all its sharp-eyed grammarian readers and will press on irregardless of its occasional missteps . Today 's Papers is happy that its readers notice any grammar problems it may have . neutral +yes but it wasn 't quite business but to give the the students um an made you feel like you were the authority i felt like if i came in just in jeans or tattered clothes that i didn 't have as good control over the class I wouldn 't have been able to control my class while wearing tattered clothing . entailment +After Byzantium fell to the Crusaders , Crete was given to their leader , Boniface of Montferrat , who immediately sold it to Venice for 1,000 silver marks , ushering in a new era . Venice bought Crete for 1,000 silver marks from Boniface of Montferrat . entailment +You should try the Singapore specials and you must not miss dessert . You should eat our specials and dessert . entailment +right we we find it hard to believe sometimes or hard to understand when uh We understand everything that 's going on . contradictory +I examined the wreckage . I could not see the wreckage at all . contradictory +Although Boys ' Day was officially renamed Children 's Day to include girls , the reality is taking some time to catch on . Boys ' Day was given a new name to include girls but the locals always refer to it by the old name when giving directions . neutral +It extends further , it must be noted , so that state statutes inconsistent with federal law under the Supremacy Clause may be neither challenged nor questioned . State statutes can 't be challenged nor questioned . entailment +These derive from Suleiman 's dream that he would be devoured by lions unless he rebuilt Jerusalem 's walls ; they were designed by Suleiman 's ill-fated architects to symbolize the hope that by restoring the walls , Suleiman would avoid such a grisly demise . The walls were Suleiman 's only original idea . neutral +and ( 3 ) who should do the federal government 's business in the 21st century ? The federal government will maintain a business in the 21st century . neutral +'Of course not . ' I was bothered that they would ask when the answer was no . neutral +The Balanced Budget Act of 1997 , enacted August 5 , 1997 , required the per-beneficiary limitations be established by April 1 , 1998 . The Balanced Budget Act of 1997 was enacted in the middle of 1997 . entailment +The result is an extraordinary savings in staff time and has become a model for other intake systems . A lot of staff time is lost . contradictory +But Bronx Legal Services ' Mr. Thompson took little comfort from those concessions . The concessions did not favor him . neutral +If they did , they gave new meaning to the term silent majority . I know , beyond a shadow of a doubt , that that group of people can change the definitions of certain terminology . contradictory +In the theme park itself , Main Street U.S.A. , recapturing the traditions of small-town America at the turn of the century , leads to four other lands Frontierland , Adventureland , Fantasyland , and Discoveryland . Main Street USA is the best part of Disneyworld . neutral +yeah i understand did you exercise between your first child and your second Did you work of the baby weight between children ? neutral +I 'm still not clear what social studies are , exactly , but I 'll never forget his stories about the UFO that sometimes hovered outside his window , conducting experiments through a metal cable attached to his neck ( he showed us the marks ) . It is not clear exactly what social studies entailed . entailment +6 trillion . Half of 12 trillion . entailment +' People have financial difficulties . No one has a hard time paying their bills . contradictory +Still , what little they owned was out in force today . They didn 't have much . entailment +I know that some of you are unhappy with the Commission 's recommendations as they relate to your mail . I am aware that not all of you are happy with the recommendations regarding your mail so that is why I 'm offering to accept suggestions , comments or constructive criticism . neutral +I like your uncle , Tommy , said Tuppence , hastily creating a diversion . Tuppence created a distraction by saying that she liked Tommy 's uncle . entailment +There 's paradox in artifice . Many people fail to discern the paradox . neutral +Consequently , the Army can eliminate its weakest candidates--about one-half of blacks and one-third of whites--and still have a large number of blacks--about one-third of the Army . The Army has a lot of black people . entailment +He thought the books of great value and so brought them here . " Drew opened the top volume . He thought that the books were worth a lot . entailment +During World War I , as he conveyed vegetables to the troops quartered nearby and refused to leave Giverny as the German line advanced , Monet 's panels took on some of the dark mood of war . Monet fled as the Germans advanced . contradictory +Ca 'daan looked to Jon . Ca 'daan watched Jon . entailment +The 1996 near miss allows them to ignore the uglier facts of 2000 : that Lamar faces a stronger field and has lower poll numbers . Lamar faces a stronger field and has lower poll numbers ; the 1996 near miss allows them to ignore such ugly facts of 2000 . entailment +and uh you know this uh couldn 't catch his breath even in his sleep and that turned me off of day cares He could catch his breath easily . contradictory +The natives seemed friendly enough , rowing out to greet Cook 's ships , which received much-needed provisions in exchange for fastenings and other trinkets . The natives were very helpful and kind . neutral +Since I became Comptroller General , one of the most important activities in which GAO has been engaged is the development of its first strategic plan for the 21st century . The GAO develops fiscal plans . neutral +oh a a school administrator well that could that would have been interesting That must have been dull with the school administrator involved . contradictory +Now I 'm going right along to Scotland Yard to ask them to take me by the hand and show me the way I should go . I have been to Scotland Yard and they 've been helpful before . neutral +They were repulsed at Hispaniola by a strong Spanish force and decided to take Jamaica as a consolation prize . Jamaica was taken as a secondary option to show strength . entailment +yeah that 's uh the technology is really really blow you know going going crazy with this The technology is so boring and is completely predictable . contradictory +He sees this pathological concern for future generations carrying over to the deficit as well , and has a similar defense of our spend-happy ways and insatiable need to Our grandchildren are going to be a bunch of spoiled , rich little brats , undeserving of all the concern we 've been giving them . He thinks that spending too much on our grandchildren will turn them in to spoiled brats . entailment +The door was shut to again . The door remained open . contradictory +The man in medical robe turned toward him sharply . The man that turned toward him was wearing a medical robe . entailment +oh that 's the cheerleader thing That 's related cheerleaders , right ? entailment +7.37 The second field work standard for performance audits There are field world standards for performance audits in the health care industry . neutral +Besides , complains New York ' s Mark Stevens , there are more dresses on display than paintings . Mark Stevens loves how the paintings are vastly outnumbered by dresses on display . contradictory +Quite normal under the circumstances . What I had expected under these conditions . neutral +so she chose the cats and you can tell it 's a family hobby the cats they 're all a part of it and it was really neat because they all were interested in each other and and the cats and they raise champion cats Cats are not kept because the children are allergic to them . contradictory +There is no question that Congress has expansive oversight powers with respect to agency processes and activities . The oversight powers of congress are expansive . entailment +After all , their cult of youth has successfully preached that aging can be staved off by medical hair implants , skin peels , and liposuction . They are not a cult of youth . contradictory +yeah it 's a nice way to relax i mean in a way i mean i find it anyway although sometimes watching the news isn 't very relaxing i get home from from I don 't watch the news , I find it aggravating . contradictory +Jon tried to imagine the conditions in these tunnels . Jon imagined what it would be like to cross the bridge . contradictory +With its customary cheerfulness , Malay culture has added a comic element absent from the high drama of the original . The original , highly dramatic Malay culture was augmented by more comic elements . entailment +well the their pension plan is really good The pension plan is terrible . contradictory +summary of the officials ' oral comments and provide a copy of the summary to management of the audited entity to verify that the comments are accurately stated . The comments stated have to be verified . entailment +Fourth , say what you mean , mean what you say , practice what you preach and lead by example in everything that you do . Leading by example is the fourth thing to do . entailment +He decided at once that she was one of the most beautiful girls he had ever seen . He was not at all attracted to the girl . contradictory +New Hostess cupcakes come when you call them . Hostess has new cupcakes available . neutral +Since none of the staff told you , I Don 't publish it . I publish it . contradictory +First , columnist Janet Charlton claimed that Pitt has spiced up the couple 's already sizzling sex life by bringing home the tough guy props he wears in the film he 's now shooting . The claim made was that Pitt had a monotonous , boring sex life . contradictory +The Committee supports LSC 's efforts to streamline its service area configurations through the State planning process . The committee warned the LSC not to simplify . contradictory +The interest received by Treasury from the entity is therefore related to Treasury 's cost of borrowing from the public and should be classified as an exchange revenue . Borrowing costs are always classified as nonexchange revenue . contradictory +Another source of low-cost help also expanded this AARP 's Legal Services Network is now available in 46 states and expects to reach all 50 by the end of March . The AARP 's Legal Services Network does not exist . contradictory +It 'll be the end of it if you do . " Tommy turned to Tuppence . It would resolve nothing if he did , according to Tommy . contradictory +Methods for Valuing Reductions in Incidences of PM-related Premature Mortality The method for lowering the occurrence of long-term trauma . contradictory +A curiosity here is Ribera 's portrait of a bearded woman . Ribera is not the artist behind the portrait of the bearded woman . contradictory +But at the Riviera ( Tel . 702 / 734-5110 ) all four shows are adult-oriented ( though Splash is covered for the early show ) ; for raucous fun , choose the Crazy Girls a topless review that gets even more red-light during convention season . The Riviera has four shows that are only for adults and you must be 18 to be admitted . neutral +Reilly said he has been stunned at the number of people who have been showing up . Reilly was not surprised when many people showed up . contradictory +Local phone rates are going up , too , though some of this rise may be attributable to a reduction in subsidies . Local phone rates are going up because of the increased need for constant communication . neutral +Multidimensional Electronic Rulemaking Rules are made with a single dimension . contradictory +That 's what I learned in Anthropology 101 from a professor who had to be at least 110 , kept on the job by tenure and a network of Teflon tubing that functioned much like an actual large intestine . Anthropology 101 was the only anthropology class that I ever took . neutral +He 's helping us , you know , Evie . " Miss Howard shook hands with Poirot , but glanced suspiciously over her shoulder at John . He is our assistant on this case , Evie . Miss Howard shook hands with Poirot . neutral +To determine the applicability of the leading organization 's practices to federal agencies , we discussed our findings with numerous federal officials , including officials in OMB 's Information Policy and Technology Branch , the Computer Security Division of NIST 's Information Technology Laboratory , CIO Council members , the chairman of the Chief Financial Officers Council 's systems subcommittee , information security officers from 15 federal agencies , and members of the President 's Commission on Critical Infrastructure Protection . There has been discussion on the applicability of the leading company practices . entailment +Every time I saw an Istanbul girl with a silk scarf pinching her head and reducing her face , I would think , heavens , take it off , let me show you how to wear it becomingly with your nice suit--and then I would remember that , above the shoulders , unattractiveness is the whole point . I saw an Istanbul girl with a silk scarf pinching her head . entailment +It 's not just that we are talking about a huge economy here , an economy whose woes can drag down a lot of smaller countries with it . The economy is so large that it can have an effect on smaller countries . entailment +yeah an eighteen foot Terry uh it 's completely self-contained i mean i have everything a shower a TV everything in it you know but My eighteen foot trailer has a rain shower head in it . neutral +Thorn and the Kal helped spike the rivers . They weren 't able to spike the rivers . contradictory +There are three main threats to subjectivity , inaccuracy , and bias . There is more than one threat to subjectivity , inaccuracy , and bias . entailment +You know something , thought Tuppence to herself , but aloud she only said : " Going to dish up now ? Tuppence inquired if they were going to dish now . entailment +In fact , the sicker and physically weaker Evita became , the more the fashions became her . Evita got smaller and looked better in the fashions . neutral +A story studies slavery in Mauritania , which continues despite official emancipation . A law officially ended slavery in Mauritania over ten years ago , but it persists today . neutral +But it 's also true that in every case , these cynical charges have stuck . The charges haven 't stuck in any of the cases . contradictory +She closed her eyes and Jon 's vision expanded . When her eyes closed Jon was able to see past the mountains . neutral +I felt it incumbent on me just to give you a hint . I wasn 't sure if I should give you a hint or not . neutral +( We can add some side conditions that prohibit him from dealing with known terrorists and other undesirables . ) We should add rules to stop him from being in touch with known terrorists . neutral +it probably changed my political views it changed my understanding of the world around me I still have the same political views . contradictory +So why are these people revising their bids ? Why are these people changing their offers ? entailment +In Tsim Sha Tsui , Ned Kelly 's Last Stand on Ashley Road is an Aussie institution ; Delaney 's , 71-77 Peking Road , is one of Hong Kong 's enduring Irish pubs . There are no Irish pubs in Tsim Sha Tsui contradictory +With so many new boats having been built in the same old style , boasting lovely Kashmiri carvings on the bridge and decks , many are too heavy to move around the waters . The newer boats have been made in the style of the old though some are to heavy to maneuver the waters . entailment +It is very unlikely they would allow her to see visitors at this time of night . Visitors are allowed at any time , day or night . contradictory +The harbor here , dotted with yachts and fishing boats , is reminiscent of a mini-Rio de Janeiro or various Aegean and Mediterranean ports . The harbor bears absolutely no resemblance at all to Rio de Janeiro . contradictory +Defense DOD Faces Challenges in Implementing Best Practices . Defense DOD faces absolutely no challenges in implementing best practices . contradictory +Most people don 't want to vote for a party that constantly succumbs to extortion from an extreme faction . Most people prefer that extreme factions regularly take control of their party . contradictory +yeah and it seems a lot of times that uh especially in criminals that their rights are so protected but what about the rights of you know the rest of society i mean we 're protecting this person 's rights who has broken the law I think that less rights should be given to criminals . neutral +( The PDFA no longer takes money from Philip Morris , RJR Reynolds , and Anheuser-Busch or other booze and smokes companies , but even so , the alcohol connection Margeotes / Fertitta and Partners , which created the waif spot , also designs Stolichnaya vodka ads . ) The PDFA has a strong moral compass and feeling of duty . neutral +If you doubt this , go get last Sunday 's NYT and turn to page 5 of the Week in Review . Page 5 of the Week in Review wasn 't printed last Sunday . contradictory +She brought it down with her every morning , and took it up every night . " She left it upstairs when she came down . contradictory +To begin with , it threatens to pit the world 's most powerful man against working women in general , a theme assiduously promoted by Whitehead . Whitehead does not want men to fight with working women . contradictory +But his Web site can continue to pump out a Netcast with no interference . The site can carry on to produce a Netcast without disruption . entailment +That went quick , he already had a tried and true mix of additives , preservatives , and stabilizers ready , which had always worked just fine . It was a long process since he had to acquire each of the ingredients before he could start . contradictory +The 7 km ( 4 miles ) of rooms and galleries of the Vatican Museums are made up of eight museums , five galleries , the Apostolic Library , the Borgia Apartments , the Raphael Stanze ( or Rooms ) , and the incomparable Sistine Chapel . The galleries attract more visitors than the Borgia Apartments . neutral +There would still be an Ahab syndrome . There would be an Ahab syndrome nonetheless , said the doctor . neutral +Fair value information is evolving but improvements in reliability are needed . The information needs more value neutral +uh PBS here you can 't get it unless you have cable PBS is available without cable . contradictory +The statute extends GAOas audit authority to aall matters- related to the use of public money , not just costs of activities . GAO can 't look at public money . contradictory +The genesis of that position , Albright has insisted , lies in her own life Her view of the world , she repeats as though it were a mantra , was formed not by Vietnam , but by Munich , by the failure of the great powers to check totalitarian aggression in Central Europe . The failure of the great powers to check totalitarianism in Central Europe formed Albright 's view of the world . entailment +You forget your own suggestion of a dictaphone , said Sir James dryly . The dictaphone is the one from the Flintstones and has a bird reading the record . neutral +The highest number of cases for us are domestic , he said . He pointed out that they get domestic cases . entailment +At Arromanches , you can see the most fascinating monument to British ingenuity in the Allied landings ' the remains of an artificial harbor . The most fascinating monument to Austrailian ingenuity can be seen at Arromanches . contradictory +Some separations of the CEO and chairman functions are successful and others are not . All separated functions of the CEO and chairman are successful . contradictory +Under Etruscan domination , Rome had been a monarchy until a revolt in 510 b.c. established a patrician republic , which lasted five centuries . Up until a revolt in 510 b.c. established a patrician republic , Rome had been a monarchy . entailment +um-hum will will she crawl up in your lap yeah some of them some of them are like that they uh they yeah they they don 't want to be held but but whenever they want to sit in your lap they want you to be uh open to that yeah They like sitting on my lap . neutral +McKay 's critique remains only a draft , however , and it has not yet undergone the rigorous peer review that the original paper withstood . The draft will change a lot under peer review . neutral +This is within our vision , but I doubt if we could do it this year , said Judge Coffin . Judge Coffin said that it wasn 't within their vision . contradictory +yeah they had them on the news this lady her husband she was seven i 'll never forget it because she was seven months pregnant and he hit her in the stomach and then tried to cut her throat She was not hit in the stomach . contradictory +to Provide Effective OversightofDesignReview define facility requirements in relation to the agency 's mission , assess facilityrelated mission impacts , and conduct facilityrelated strategic They can define the facility requirements . entailment +uh it was wonderful i mean it was just incredible how much simpler it is than what you know i guess we just all have this mind set that oh this is so hard and we can 't do this and it 's really not hard i was surprised at how very easy it was i think most people just uh you know automatically have their minds set against it and don 't give it a chance you know so It is splendid hoe much simpler it is than what you know . neutral +The democrat at the helm of a museum , a symphony orchestra , or a publishing house tries to expand his audience while challenging it . The democrat who runs a museum , an orchestra , or a publisher tries to build his audience and challenge it . entailment +We 're eager to compromise . We will not let up any concessions . contradictory +I put two golden fish on a side table . On the side table is where I put the fish . entailment +The Committee expects LSC to review the State planning process and the concerns raised , and report back to the Committee by no later than September 4 , 200110 , with a proposal that articulates the reconfiguration standards and process for States to appeal LSC 's decisions . LSC will review the State planning process and the concerns raised . neutral +His desire to use literary criticism as a weapon on the side of the oppressed sits athwart the pleasure he takes in letting his mind play over the meaning in a novel or a poem . He has no particular goals in his literary criticism , and he feels miserable when he analyzes novels and poems . contradictory +A 1997 expansion then doubled the space . The expansion doubled the available space . entailment +This is where you will find Den-Den Town , Osaka 's sadly underwhelming answer to Tokyo 's Akihabara electronics district . Den-Den Town is unrelated to the Akihabara district in Tokyo . contradictory +By instituting such a management framework , agencies can strengthen their current security posture , facilitate future system and process improvement efforts , and more confidently take advantage of technology advances . Agencies can more confidently take advantage of technological advances by instituting such a management framework . entailment +Let me catch my breath . " I need to think this over some more . neutral +Unpack that bag ! " Pack the bag up ! contradictory +The man grinned . The man grinned at the woman sitting across from him . neutral +security awareness day and products with security-related slogans . There will be information packets available at the booth near the entrance . neutral +Movement old-timers resent having to share the microphone and money with so many upstarts . Many of those who 've been with the movement for years are jealous of the newcomers and don 't wish to share the stage with them . neutral +What the press can do is cover leaking more aggressively . It would be in the best interest of the press to better cover leaks . neutral +times that we had sort of a family reunion was when uh was this i think it was last last winter we uh we went up to New Hampshire to go skiing One cousin broke her leg , but we had fun anyway . neutral +Sultan Abdul Mecit ( reigned 1839 1861 ) , continuing the programme of reform begun by his father Mahmut II , decided that Topkape Palace was too old-fashioned for a Westernizing ruler such as himself . Sultan Abdul Mecit thought the decor and old architecture suited him . contradictory +The old man spoke to me . I was spoken to by the old woman . contradictory +contradictory in turn There 's a contradictory aspect to this . entailment +Well , mon ami , a good deal you can guess for yourself . Honestly , mon ami , there 's nothing you could ever guess at yourself . contradictory +She cut free her cloak and danced as the bandit 's blade swung . She removed her cloak and thought about tossing it at the bandit to blind them . neutral +How we got there , that 's up for somebody else to determine . We got in this mess due to the repeated failure of everyone on our team . neutral +The horizontal resolution for the inner grid is approximately 12 km . The inner grid has a horizontal resolution equal to 194 pounds . contradictory +There are those who swear by the sight on the Taj Mahal in the Sharad Purnima , the first full moon after the monsoons , a cloudless midnight in October when the light is at its clearest and also most romantic . The Taj Mahal is a setting with brilliant views . neutral +This hardly amounts to a surprising idea about the creator of a painting titled The Great Masturbator ( 1929 ) , but Gibson treats it as a bolt from the blue . The creator of the painting himself was , indeed , The Great Masterbauter . neutral +The remark seemed so utterly irrelevant that I did not even take the trouble to answer it . I didn 't bother to retort to the remark . entailment +The new nationalism led Piedmont into the Italian orbit at the head of the Risorgimento unification movement , and the House of Savoy served as Italy 's reigning royal family from 1861 to 1946 , with Turin serving ever so briefly as the capital of the newly unified Italy in 1861 . Italy 's royal family was the House of Savoy for 85 years . entailment +The papers that Danvers brought over from America in the Lusitania . The effect of his words was electrical . Danvers brought papers from America . entailment +Congress intended that mailers should be able to use the Postal Rate Commission 's proceedings to assure that some mailers were not crosssubsidizing other mailers and to assure that postage rates reflected the costs actually incurred to provide service . Congress wanted to make sure that postage rates properly reflected the cost of actually providing service . entailment +The Liberal Humanitarians ( a k a Red-Tailed Hawks ) Red tailed hawks are liberal humanitarians . entailment +Food shortages . Food abundances . contradictory +This third purpose is important because audits done in accordance with GAGAS often are subject to review by other auditors and by oversight officials . The other auditors can often be very strict in their reviews . neutral +From the highest point on the Vitet road , you 'll want to stop to take in the sweeping view over a bay called Grand-Cul-de-Sac , which is favored by windsurfers , and out to Tortue islet in the Atlantic . You can view the Grand-Cul-de-Sac bay from the lowest point on Vitet road . contradictory +" But you must have heard some guesses about what started the cracks in the sky ? " Dave suggested . Dave wondered if anyone knew what cracked the sky . entailment +If These differences are material , the standards constituting Federal GAAP should be applied for purposes of including the components in entity-wide statements . The differences are material . neutral +He proudly describes how , during his first congressional campaign , he refused a large contribution from someone who wanted him to change his position on an He turned down a donation from someone who disagreed with him . entailment +You can also watch the playful antics of the small colony of seals that call the island home . The seals have been on the island before humans settled on it . neutral +and um bass my brother usually puts a jig or something like that on there for it or a top water bait you know sometimes usually artificial bait for bass We typically use bobbers and hooks for bass . contradictory +The Italian landmass covers 301,245 sq km ( 116,228 sq miles ) . The Italian landmass covers more area than most countries in the world . neutral +To enter that room was a colossal risk . The room is perfectly fine to enter . contradictory +At CNN , the Stretching Technique Is Called Yip-Yap : How slow a news week was it ? CNN covered a stretching technique popular with celebrities . neutral +If the question is whether people who read Metabolife 's raw transcript will come away with a more favorable view of the company than if they just watch 20 / 20 , Metabolife clearly loses . People who read Metabolife 's raw transcript will have less favorable impressions than people who just watch 20 / 20 . entailment +I have no doubt we appear strange and repulsive to them . They must think we are out of this world . neutral +The style of the crosebeamed roofs and simple wooden frames is the same as that used more than 2,000 years ago , before Chinese architecture exerted its influence when Buddhism arrived here from Korea . True traditional Japanese architecture is hard to find . neutral +From all the things Tuppence didn 't say ! Tuppence didn 't utter these things and stayed quiet about many more ! neutral +i uh we i listen to country and rock and classical jazz is probably my least favorite although i enjoy it too I think classical jazz is probably my favorite . contradictory +12 Construing the term present according to its ordinary meaning , it is clear that the statute requires the alien to be An alien is thought to be required for the statue . entailment +really yeah i hadn 't thought about that um-hum I didn 't think that would come up . neutral +More than 31,000 elderly West Virginians also live in poverty . There are no people , especially not 31,000 of the elderly , who live in poverty in West Virginia . contradictory +All too often , analysts receive an incorrect file ( an early version or an incomplete file ) . Analysts do not receive correct files often contradictory +Poirot looked at her keenly . Poirot was suspicious . neutral +Automobile includes small trucks . Small trucks are not great automobiles . neutral +um-hum right uh yeah we can get uh you know if we get someone in there like that then you know they could make all sorts of changes if they were you know had enough pull If you introduced a newcomer with enough pull , they could make a myriad of changes . entailment +i 've never done potato we used to do it at home when i was a kid we had a huge garden I have experience planting potatoes myself . contradictory +real proud of their homes and they 've managed to take care of them They have taken good care of their homes . entailment +And it 's not exactly saving the planet or reinventing government . This doesn 't mean saving the planet , you should think more about it and try to consider other views . neutral +Recommended by top breeders . It is discouraged by breeders contradictory +Only the rich could afford to travel in this style , and Port Antonio developed into a center for high-class tourism . Port Antonio can be visited by even the poorest of travelers . contradictory +and you go out there and look at your tree after a good windstorm and the thing is bare and you think oh no The tree lacks the bark strength necessary to withstand the elements . neutral +Most of us have equivalent fantasies , but we 'd be ashamed to expose ourselves by putting them out there . People would not be ashamed to put out their fantasies . contradictory +That 's th ' way you think it 's gonna be , Croaker ? That 's the way it 's going to be , Paul . contradictory +and they bring the uh you know little samples and you 've got like maybe five hundred well that 's an exaggeration It was hard to make a choice with all those samples around . neutral +Newsweek cuts back on the scandal , putting the Nagano Olympics on its cover . The usual scandal appeared on Newsweek 's cover instead of the Nagano Olympics . contradictory +There 's the money , too , she observed thoughtfully . She was distracted and didn 't notice the money . contradictory +Let 's consider President Bush 's nostalgic invocation of the Soviet military . President Bush had an invocation of the Soviet military and it was a big event . neutral +Witness the new anti-sweatshop consortium , featuring Nike , Liz Claiborne , Kathie Lee Gifford , et . The anti-sweatshop consortium features several well-known individuals . entailment +For example , the federal government provides funding- such as grants , loans , or loan guarantees-to state and local governments to finance the construction and improvement of the nation 's highways , mass transit systems , and water systems . Only federal grants are used to fund improvements of the water systems . neutral +When the expulsion of the moriscos once the town 's agricultural labourers threatened the fertility of Orihuela 's crops in 1609 , brave townspeople hid away enough converted Moors to ensure a good harvest . The moors destroyed the village and then took over . contradictory +The first of the Habsburgs , he packed his retinue with Burgundian and Flemish nobles . The retinue he packed was filled with common folk . contradictory +You may also hear a man perform the same sort of ballad with a strong , husky voice . The man is a very good singer and pleasant to listen to . neutral +The most direct route from the Jaffa Gate and the Cityel to the Temple Mount is by way of the intriguing bazaars along David Street ( as you come through Jaffa Gate , just walk in a straight line to the descending steps that begin beside the once-grand 19th-century Petra Hotel ) . The only route from Jaffa Gate to the Temple Mount winds all the way through the villages . contradictory +yes but i i think it helps me everyday in trying to review what the state that the world is in and try to guess where we 're going I 'm not really interested in how the world is doing , so it 's not much good to me . contradictory +Mr. White always did have a horrible ego . ' Mr. White was known for having a bad ego . entailment +Monday 's paper dealt appreciatively with the dead 225 man 's career . The paper on Monday was all about the dead 225 man . entailment +you know it was and you know and and they and we didn 't have power for a week and there are still people who don 't have power it 's it 's oh yeah it 's been over it 's been ten days already and there are still something like There are people without power here after what happened . entailment +well it depends on what it is uh you know well now we i we garden have a small garden and i can i do canning I do not consider our garden to be large . entailment +Why , she was devoted to her ! I exclaimed . My exclamation was about her devotion . entailment +A timely expenditure of tax revenues might just work wonders . A timely expenditure won 't make much of a difference at all . contradictory +Since the interior of the shrines is off-limits to non-Hindus , you can get a view of the entire temple and the golden roofs by climbing the slippery stairs to the top of the south gopuram . The view of the temple and roofs from the south gopuram is breathtaking . neutral +Surveys and interventions should be undertaken to define and reduce barriers to implementing screening in clinical practice . Screening and implementation will add new barriers . contradictory +Also attacking integration is social democrat Randall Kennedy of Harvard Law School . Randall Kennedy was from the deep south . neutral +you know i think there 's so much prejudice still there and it 's kind of more covert now people used to be more clear and say you know well i believe in this or i believe in that and now People used to be more upfront about their prejudices . entailment +A special place in the Liberal Humanitarian pantheon belongs to New York Times columnist Anthony Lewis . Anthony Lewis received a special place in the Liberal Humanitarian pantheon because of his work with children . neutral +Athletic prowess was admired and the Olympic games were constituted in 776 b.c. , to promote friendly competition . Many of the same sports played today were also present at the original Olympic games . neutral +Moreover , after Gerth 's article the White House released a series of documents detailing the decision . The decision to release documents detailing the decision was an overreaction . neutral +Clinical the transition from research into practice . There is no transition from research to practice . contradictory +Tutmosis chose the location of his tomb well for it was not totally robbed in antiquity and numerous artifacts found in the antechambers are now on show in the Egyptian Museum in Cairo . All the artifacts from the tomb were stolen and destroyed . contradictory +Oh , Marguerite ; French way , I see . He paused , then plunged boldly . He had no idea how he was going to do it . neutral +Why , yes , came the answering thought . The thought completely answered the question in response . neutral +It 's true that Democrats cynically oversimplified Quayle 's blunders . It 's untrue that Democrats cynically oversimplified Quayle 's blunders . contradictory +Allies liberate Sicily , then Rome ; Mussolini arrested Mussolini chose to surrender to Allied forces , in exchange for his life . neutral +He said it is easier to change a field from within than from the outside . According to him , the difficulty of changing a field from the inside or outside is identical . contradictory +Probably water off a duck 's back , though . It wasn 't a big deal . entailment +But the author 's precociousness has already led to the sale of the foreign rights and to a major movie deal . Because the author was reserved , it led to a small movie deal . contradictory +The Parsis , as their name suggests , originate from ancient Persia and today form only a minute community in the world of religions , with barely 100,000 living in India , mostly in and around the city of Mumbai . India has seen an explosion in their population , reaching historical highs . contradictory +The good news , however , is that freeway exits and visitor sites are well marked , and you 're bound to discover an unexpected attraction to get you off the road and back to the excitement that is Los Angeles . In Los Angeles , the freeway exits and visitor sights are well marked and easy to find . entailment +Back to Africa for a If Steven Spielberg had tossed just a few more centi-Ks the DNC 's way , Bill Clinton might have made this trip the week before Amistad opened . Bill Clinton might 've made the trip sooner if Spielberg had been willing to offer more donations to the DNC . entailment +Oh , well , that 's all right , then , and you must go to tea with Cynthia another day . I told him about the letter . I spoke with him about the letter from his grandfather . neutral +Comrade , he said to me , our Five Year Plan for the People 's Aesthetics proceeds on schedule . The Five Year Plan for the People 's Aesthetics will bring in a large sum of revenue to the company . neutral +It bears on it in this way , is it not a fact that Mrs. Vandemeyer committed a young relative of hers to your charge ? Julius leaned forward eagerly . The young relative is a niece . neutral +You 'll find place mats , intricate sculptures , and other designs , and it 's as light as a feather to take home . You will be amazed at all of the other designs you are able to find there . neutral +The prosecution had been unable to produce a shred of evidence in support of their contention that it was the prisoner who ordered the black beard from Parkson 's . The prosecution was asked twice if they had any proof for their contention . neutral +Instead he kicked hard and circled low , swinging the wicked axe at Jon 's stomach . He handed the man his axe that he dropped . contradictory +To gain entrance to the gaming room , you have to present your passport or identification papers . The gaming room has things like console and arcade games . neutral +Their sandstone facades reflect the sunlight , rosecolored in the morning , golden in the heat of the day , and smoky purple as night falls . The sandstone facades are completely non-reflective , and look black all day . contradictory +The Washington Post , not Gerth , reported that Loral voluntarily revealed this breach of security to the government , precipitating the Pentagon investigation . The publication stated that the individual revealed the information on their own free will . entailment +Lying the farthest southwest of Japan 's four main islands , Kyushu has always set itself apart from the others . Kyushu is the most northeast out of Japan 's four main islands . contradictory +In the age of the divine entrepreneur , no one cares how badly you treat your kid . These days nobody is worried with how children are raised . entailment +Now the largest private shipyard in the world , this was the intended target that the US Air Force B-52 missed when it dropped the second atomic bomb . The smallest privately owned shipyard in the world . contradictory +On March 21 , for example , I visited SportsZone to learn who won the UCLA-Iowa State round-of-16 game , which had ended too late to make the morning paper . SportsZone had updated scores that weren 't in the morning paper . entailment +Trust me . ' Don 't trust me . contradictory +C. Commission Procedures Adapted to the Expeditious Consideration of Proposed Service Innovations Commission procedures are adapted to the proposed service innovations . entailment +It covers everything , and explains nothing . Some of what is covered may require some explaining . neutral +something else in my kitchen it was all kitchen stuff they put me on and they all called me you know and each one asked me when my wife was going to be here No one inquired about when my wife would come . contradictory +i file in my little book and do other things with it uh that 's great that 's great I like to keep my book organized . neutral +The Covenanters The Covenanters with God neutral +We use the mean of a distribution of WTP estimates as the central tendency estimate of WTP to avoid a pollution-related case of CB in this analysis . The mean of a distribution of WTP takes a long time to gather . neutral +TO avoid losing valuable benefits such as a Medicaid-paid spot in a nursing home , recipients may need to spend their money fast - as early as the end of this month - but make sure they do it in a way that meets program guidelines . Recipients may need to embrace losing valuable benefits . contradictory +study , however , describes a severe case of CB to the survey respondents . Said study , talks about guinea pigs . contradictory +Despite twice campaigning actively against Bill Clinton , he has begged for a post in his administration . He begged for a post in the Clinton Administration . entailment +Hatfield made a spitting noise into the phone , and said that he knew the source chewed tobacco because he had spent time with him . Hatfield was a very nervous man . neutral +She was saved all right , but they didn 't seem able to hear of her over this side . Saving her was difficult work . neutral +The cooperation among stakeholders that marked these endeavors has led to some exciting initiatives to improve and expand access to justice for low-income people . Unable to reach an agreement , the stakeholders announced there would be no improvement or expanded access to justice for poor people . contradictory +Growing American investment in Japan may soon lead to a confrontation with the Japanese gangs . Japanese gangs welcome and encourage American investment . contradictory +Finally , convinced that the sun would strike miles to the south , he rolled across the scorching surface of the stone block and dropped to the north side of it . He made a good estimation of the sun 's landing place . neutral +You understand . You still don 't get it . contradictory +The one area where Stevenson has it correct is that it is increasingly hard to educate young people about the real dangers of drug use . Stevenson is right when he says teaching youth about drugs is difficult . entailment +Carter , the family 's patriarch , was certifiably rural ; he grew up in southwestern Virginia 's Poor Valley . Carter lived in NYC . contradictory +The most famous pieces are the Smiling Angel , symbol of Reims hospitality , and the allegorical figure of the Synagogue , blindfolded because it was felt that the Jews were too stubborn to behold the truth of Christianity . The Smiling Angel is the most hated and least known piece . contradictory +yeah yeah yeah well yeah i don 't have much time to watch TV i 'm a grad student trying to trying to get a a PhD thesis out so I like to watch TV though when I have the time . neutral +well it does Well of course it does not . contradictory +Budget cut by $ 50,000 , but attorney vows central Illinois poor will not be left in lurch .There will not be a budget cut . contradictory +there were two two separate furnace rooms and so i took the smaller furnace room and now it 's full of trains I ended up taking the smaller of the two furnace rooms . entailment +you know if we go out and pick up a bunch of cans from people sure they 'll save them for us there 's no problem there but what do you do with them in the meantime now i don 't want a can a garage full of cans Do I burn the cans after I collect them ? contradictory +" Jus ' ornery meanness , warn 't it ? That seemed to be just bad-tempered meanness , didn 't it ? entailment +Unlike , say , burning the flag , the act of making a political contribution is not primarily intended to send a message . Those who burn flags are considered unpatriotic . neutral +We stink all the time . We always perfume . contradictory +Next to the staircase is the Tripartite Shrine where the Linear B alphabetical tablets were discovered . The Linear B alphabetical tablets were found in the Tripartite shrine . It was discovered almost 200 years ago . neutral +This guidance , therefore , provides a flexible , risk-based framework for data reliability assessments that can be geared to the specific circumstances of each engagement . A risk-based framework is provided by this guidance which can be modified for each engagement . entailment +says Gwen Ifill ( Washington Week in Review ) . It 's said by Gwen Ifill . entailment +Orange County residents rejoice over Costa Mesa 's South Coast Plaza , the area 's classiest and most extensive shopping mall with around 300 stores , including various designer outlets and New York names . Costa Mesa 's South Coast Plaza has more than 300 stores . entailment +i would think they could find a better way to fund it though but they haven 't for They have found a better way to fund it . contradictory +Because , in all this house of mourning , yours are the only eyes that have wept . " Miss Howard blinked , and a new note crept into the gruffness of her voice . Miss Howard 's gruff voices changed as she blinked . entailment +well that 's that 's true yeah the uh the the biggest difference i got to agree was the idea that we were allowed to go and get it done rather than than set up a a line and say we 're not going to let you cross this this point anymore and that really hurt the uh the people uh the Vietnam experience uh i got to admit that one This time was just like Vietnam . contradictory +huh alrighty when you 're there on weekends is it crowded as hell It 's always deserted on weekends . contradictory +5 percent , according to the Social Security Trustees ' intermediate actuarial projections . The actuarial projections tend to be within a percentage point of the actual value . neutral +Therefore , state agencies , with the help of the State Auditor 's Office , reevaluated and redesigned agency internal controls to meet both external financial reporting and performance management control objectives . State agencies have their internal controls refined with the aid of the State Auditor 's Office . entailment +Such access generally includes the ability to make and retain copies of the evidence . Access should only be granted to someone with a valid state issued photo ID . neutral +The total cost function can be used to estimate average unit cost by dividing the terms by The total cost function cannot help figure out the average cost . contradictory +'I wouldn 't suggest it if we couldn 't . ' I 'd suggest it if we couldn 't do it just to see what happens . contradictory +VBA adopted a balanced scorecard approach in fiscal year 1999 as a strategic management tool to drive organizational change , provide feedback to employees on measures they can influence , link performance appraisal and reward systems to performance measures , and provide incentives to managers to work as teams in meeting performance measures . Employees will receive feedback on measures they can influence . entailment +There was a flash and a report . The flash caused the report . neutral +Central Crete is the market garden of the island with fertile valleys sitting between rocky mountain ranges . The market garden , named Central Crete is a very old and colorful area . neutral +Madeira , alas , is no simple portrait of a Gauguin-like tropical paradise . Madeira is a different place than first impressions hint . neutral +No , said Ca 'daan . Yes , said Ca 'daan contradictory +oh yeah oh Pittsburgh i lived there four years i i liked when i was a teenager and early twenties and i liked it there a lot people didn 't but i really enjoyed it I 've never been to Pennsylvania . contradictory +It is more likely that some kind of double-think , some convenient ability to stop thinking clearly when the situation demands it , is at work . It isn 't convenient to stop thinking , it 's a travesty . contradictory +The senior executive stated in his selfassessment for fiscal year 2001 that the employees and their supervisors used the assessment tool to establish individual development plans and the training committee has been scheduling training sessions to ensure that individual development plans are met . This company does not care if their employees fail . contradictory +and he moved to Massachusetts and had to get rid of all his guns so we ended up uh with these guns and my really my only experience experience with a gun was shooting a pistol and not knowing how to hold it right He moved away and gave me a lot of guns . entailment +yeah uh-huh that 's the way i found that 's the way i found Abilene in the winter I have discovered that Abilene was like that in the winter . entailment +When the government creates a limited forum for speech , certain restrictions may be necessary to define the limits and purposes of the program . If a government creates an unlimited forum for speech then there needs to be limits to the program . contradictory +It was like Rome in the waning days of Let the great debauch proceed ! It involved lots of alcohol , fiddling and lewdness . neutral +uh smokers typically have more time out of work they 're uh uh more prone to accidents and all of those other things and and uh Smokers end up affecting other people 's lives negatively . neutral +But of the 192 people who clicked , Schnur says nearly half followed through by circulating petitions for McCain . 192 followed through by circulating petitions . neutral +Today , Normandy offers a welcoming coastline dotted with old seaside resorts , wonders such as Mont-Saint-Michel , and reminders of the battles of D-Day . Normandy is mostly known for its historical reminders of D-Day . neutral +Know you want to be handy like . I know you want to repair everything neutral +Ann Lewis ( The public 's -1 ) Anne Lewis is 0 contradictory +One looks in vain , however , for any thread of consistent belief . They were looking for something that may not exist . entailment +This northwest corner of Israel has been relatively unexplored by tourists , yet it holds some of the country 's finest sights , including the third-largest city , modern Haifa , and the Crusader town of Akko , better known as Acre . Most tourists visit Israel 's northwest corner , although there are better sights elsewhere . contradictory +And often , according to Adams , they will return the favor . They don 't return favors , Jesus said . contradictory +Expect a single dive to cost around 5,000 7,000 esc . A single dive costs between 5,000 and 7,000 esc . entailment +A library of over 40,000 volumes covers all aspects of Arab culture . All aspects of Arab culture are covered in the library . entailment +I 've seen very few men as dedicated to community volunteerism as Jim . Jim is not involved in his community or volunteering at all . contradictory +Wolf did both , by turning the issue into an object lesson on women 's professional success . The lesson had a valuable purpose for citizens . neutral +The abbey church combines a sturdy Romanesque nave with a markedly lighter and more airy Flamboyant Gothic chancel . The chancel was built in the Neoclassical style . contradictory +Assessing the test and acceptance phase may require a high level of technical skill on the part of auditors , such as when an agency has contracted for software development services and must test the quality of delivered software . The auditors may need to get a technical certification . neutral +the guy over there , in charge , in Taiwan ... The guy is right here in Kentucky . contradictory +yeah and so we you know because being near the water we get less snow than anybody else There hasn 't been snowfall in this town in over a century . contradictory +GAO also initiated a series of highrisk reports , now issued every 2 years , to provide information on federal activities susceptible to waste , fraud , abuse , and mismanagement . The GAO did not release reports . contradictory +With a bit of elementary mathematics and a lot of keen insight , Arrow was forced to a sobering If a reasonable voting system is one that respects unanimity and precludes flip-flops , then there are no reasonable voting systems , with one exception--the system that picks one voter and makes him a dictator . Arrow wasn 't forced to a sobering If a reasonable voting system contradictory +Most people approach Provence from the north ; the warmth of the sun , the red-tiled roofs , the cypress trees , the garrigue ( scrubland ) , and the fragrance of lavender alert you that you have arrived . Most people enter Provence from the south . contradictory +( Well , why not ? ) How come ? entailment +Natural ! Normal ! entailment +The third knowledge point is achieved when a reliable product can be produced repeatedly within established cost , schedule , and quality targets . The third knowledge point makes sure the first and second knowledge points are legitimate . neutral +By the end of the 13th century , with the independent-minded communes growing into full-fledged city-states , Italy was clearly not to be subjugated to the will of one ruler . Italy was obviously not going to be controlled by a single ruler . entailment +the terrible twos repeat at about thirteen At fourteen the terrible twos will disappear . neutral +He overcame this fear enough to give away billions ( more by far than even Andrew Carnegie ) and created the University of Chicago , Rockefeller University , and his own foundation . He never gave away money or founded any institutions . contradictory +Not all the candidates are closing the door on more general privacy protection legislation in the future . Some candidates are still accepting general privacy protection legislation . entailment +Of course . ' Daniel looked around . Daniel didn 't look around at anything . contradictory +Of course . Sure . entailment +Instead , NIPA includes a depreciation charge ( consumption of general government fixed capital ) in current spending as a proxy for the contribution of capital to the output of government services . The NIPA is not affiliated with money . contradictory +Likewise , hawking an organ would be right for so few , if any , that permitting the option makes no sense at all . Selling an organ would be wrong for most people . entailment +The subject matter of an attestation engagement may take many forms , including historical or prospective performance or condition , physical characteristics , historical events , analyses , systems and processes , or behavior . Historical events are never the topic of discussion in an attestation engagement . contradictory +A disturbing example of the restriction was discussed during oral argument before the Court . During the oral argument , a disturbing example of the restriction visibly upset people in the courtroom . neutral +Back outside , from the Episcopal Garden ( Jardin de l 'Evach ? ? ) , at the rear of the cathedral , a stairway takes you down to the old town . The Episcopal Garden does not have access to the old time . contradictory +The beaches of Santorini are made of fine black or red volcanic sand , which heats to a ferocious temperature in the summer sun . The volcanic sand at the beaches of Santorini can get very hot under the summer sun . entailment +His dance around the canvas looks like its own hidden language . He stood still . contradictory +In addition , other increases in project management and labor productivity and efficiencies in using resources and equipment can occur with multiple system installations on one site . If multiple systems are installed , labor productivity will decrease 20 % . contradictory +they 've got some great players on that team Every player on that team is lousy . contradictory +Tourism exploded into an annual southern migration , transforming the Spanish economy , landscape , and society . The Spanish economy has been booming recently due to tourism . entailment +well i have uh pretty fairly a fairly fancy one it 's a TI model it 's an S P one thousand which has a it has a fast processor in it a three eighty six The one I have allows me to work quickly . neutral +Social insurance taxes and contributions paid by Federal employees ( 575 ) The contributions are paid to the Federal employees . contradictory +Meantime , the City Council proposed slashing the Mayor 's allocation of $ 62 . The Mayor 's $ 62 allocation is useless . neutral +Block 's so busy following the vocal score that he 's not hearing the song . Block is only paying attention to the vocals . contradictory +For the first period , it is assumed that all controls need to be installed in a 31-month period . The controls need to be installed immediately . contradictory +but you have this troubled mentality they all you know like the Kurds or the Shiite Muslims or whatever but it 's basically all all based on the a a tribal network The Kurds and the Shiite Muslims have strong tribal networks . neutral +oh that too that too yeah Yes , that as well . entailment +For a total change of pace , continue on the N112 to Cap d 'Agde . Continuing with N112 to Cap d 'Agde is completely different than previous experiences . entailment +The Federal Election Committee investigation of allegations of partisan campaigning by the coalition endangers its tax-exempt status . The investigation can cause no harm to anyone . contradictory +Most Hindu temples in Nepal are dedicated to the great gods Vishnu and Shiva or their consorts and offspring . Most of the Hindu temples are dedicated to gods such as Vishnu and Shive or to their consorts and offspring . entailment +A Washington Post piece bathed her in golden She hopes to go to graduate school in sociology , she 's scrimping because she doesn 't want to burden her parents financially , she is so much a hostage to the media that she couldn 't attend her own mom 's wedding , and--the icing on the cake--she has taken up knitting . The New York Times was the newspaper that opted to bathe her in gold . contradictory +okay um well the first thing uh what do you think you would offer as far as uh uh information about selecting a school I want your help on selecting a school . neutral +From the perspective of the authenticity and integrity of results , the larger public interest may have been served . The public interest might have been helped if the authentic results in the qualitative study . neutral +The cosmetics-and-smoking mania of the ' 20s resulted in a whole array of gem-studded vanity cases with built-in lipstick , comb , and compartment for cigarettes . No smoked in the 20s because they knew it caused cancer . contradictory +He made a grimace . He smiled . contradictory +Data are used to fill in the initial hunches , to change them , to elaborate on them . Data does not help to illuminate or clarify initial hunches . contradictory +West Jerusalem is a general name for the area west of the Old City West Jerusalem encompasses residential districts as well as commercial districts . neutral +Therefore she drank it between then and half-past eight , certainly not much later . She ate it yesterday . contradictory +His booted foot moved , but now rowel points flashed in the sun . His booted foot moved because he was startled . neutral +but i 'm i 'm i 'm i determined to brake mine so he has to get me another one he bought me this one , but i don 't like the color neutral +No , right the other side of the room . That side of the room is where all the cool kids hang out . neutral +Social Security currently replaces about 53 percent for low earners and about 24 percent for those who earned the taxable maximum ( $ 72,600 in 2000 ) . Social Security 's income level stratification has not been adjusted in the past decade . neutral +As a result , the budget process tends to view a dollar spent on consumption the same as a dollar spent on investment because both represent commitments by the government and represent resources taken out of the private sector for use by the government . The budget process views consumption and investment as the same . entailment +Most saw this week 's conference as another rhetorical masterpiece in his career of gems , but a few pundits thought the president looked angry and nervous . The president was furious at the conference . contradictory +It also concluded that any costs are significantly outweighed by the benefits to be achieved . Cost did outweigh the benefits neutral +Third month : Promoted to peeling potatoes . The narrator has worked at least three months . entailment +That 's one of the main reasons women don 't want to leave . Women don 't want to leave because it would be unfair . neutral +They had existed through most of their history without it and Mussolini had spoiled their appetite . Mussolini caused them to not want it . entailment +In that event , FASAB staff will provide written copies of the request to the Board members . The Board members are supposed to provide FASAB staff with their requests , in written format . contradictory +The Green Mile is a fat old whore who thinks appealing to an audience 's most self-congratulatory instincts--stroking it until it goes blind--is a public service . The Green Mile is highly acclaimed , yet accomplishes so through pandering to the audience . neutral +Dennis Cass was not the only New Quiz entrant who suspected he was being tricked into saying something he 'd regret later . Like other New Quiz entrants , Dennis Cass felt he was being tricked . entailment +yeah right uh-huh yeah it 's true That is absolutely right without a doubt . neutral +president of the law firm or whatever and that kind of thing and uh and then of course they always have a lot of court cases and they show where they actually have courtroom drama There are a lot of court cases so there 's some courtroom drama . entailment +he anyway he it 's interesting you listen to him and then you you go watch the movie fact they had people had just seen i was listening Sunday night a little bit when i was going to You never listen to him and his suggestions . contradictory +but they 're bringing in some good young players too Some good young players are joining the team . entailment +Sufficient money and party regulars and money have been assembled to make the primaries and indeed the general election even more than usually irrelevant . There are no party regulars or money for the general election . contradictory +Then the full 9th Circuit overruled its own justices in the state 's favor , agreeing with the state 's contention that the clients weren 't harmed because the interest wouldn 't be earned otherwise . The court reversed itself and found in the state 's favor , asserting that client 's suffered no damage because the interest wasn 't going to be earned in any case . entailment +You 've got a lot of people to convince . ' You have no one to convince . contradictory +But politicians must answer questions , take abuse , and keep smiling . Taking questions are part of a politician 's job . entailment +i don 't i 'm a graduate student i 'm a professional student I am no longer a student . contradictory +But , on the whole , public opinion swings to the side of the Government . On the whole , public opinion was against the Government . contradictory +This analysis uses delivery data from 1989 , but uses 1996 cost levels for wages , fringe benefits , and other associated delivery costs . The delivery data from 1989 is used for analysis . entailment +now how old are your girls So you say you have sons only ? contradictory +This won 't work , says Stephanopoulos , speaking You can [ avoid questions ] in one press conference . It turns out , however , that you really can get away with avoiding questions . neutral +If everyone 's gone crazy , economic theory isn 't much help . Economic theory only helps when people are in their right minds . neutral +Rural vehicle cost per delivered piece is two and a half times city carrier cost per delivered piece . It costs more to make deliveries in city areas than other areas . contradictory +yeah i do too well it 's been good talking with you I do as well , I have enjoyed talking to you . entailment +( Bear in mind , of course , that equally cruel religious persecution of Catholics , Protestants , and Jews was quite common in Europe at that time . ) Religious persecution of Christians and Jews happened all the time in Europe . entailment +Thirty years later Kukai , the revered founder of esoteric Shingon Buddhism , was appointed head abbot . Kukai loves to dress up during big events . neutral +Relation of input ( influences on compliance ) to output ( that required security procedures are followed ) is fairly direct Input and output have no relation contradictory +Just down the path on the right , you will find the 1955 Franciscan Church of Dominus Flevit ( The Lord Wept ) marking the spot where Jesus wept as he predicted the destruction of Jerusalem ( Luke 19 : 41-4 ) . The Church of Dominus Flevit can be easily reached on foot from the city . neutral +Several Republican governors supported restoration of aid to illegal immigrants ( which was cut in the new welfare law ) . Several Democrat governors supported the restoration as well . neutral +Two men with spears poked at a dozen women , villagers of Fena Set . Two men with spears poked at villagers of Fena Set because they were trying to destroy the village . neutral +uh-huh i know they 're real popular here at school also They aren 't popular here . contradictory +Masterpieces by Cezanne , Renoir , Utrillo , Rousseau , Modigliani , Picasso , Derain , and Soutine hang in the upstairs rooms . The upstairs rooms were devoid of any artwork . contradictory +I don 't see where I come in . I can 't find where I enter . entailment +He was concerned because it was November , and the bulbs should 've been in a month before . He was worried that the bulbs should have been in before November and weren 't yet . entailment +and then having to get up and go to work the next morning Then I can have a lie in . contradictory +Nearly all combat focuses on misdirection and redirection . It 's best to redirect your opponent 's movements so you can hit them harder . neutral +It 's not what management theorist Tom Peters sees as the company of the future , a floating network / crap game . Tom Peters wants his company to continue to develop its floating network and games . contradictory +Since boilermakers earn more money than most other craft trades42 and the demand for boilermakers should be steady and increasing , it is reasonable to expect that the growth in boilermaker numbers experienced these last few years should continue for many more years . The demand for boilermakers has been steadily decreasing . contradictory +Value is the mean of a generated distribution of WTP to avoid a Chronic Bronchitis ( Base ) $ 331,000 per case of pollution-related CB . Value is the mean of distribution of WTP . entailment +but i understand why i i know one problem is uh why people don 't don 't register to vote i i know some personally because in the past and i think that 's been changed that that 's how they get the jury uh rolls from from voter registration but i think that 's going to be changed The people who don 't vote are creating the problems as we know them today . neutral +well do you think that we do it because we want it to deter crime or it 's not because we don 't want to pay for inmates to stay in prison Do you think we do it because we want it to deter crime or something ? entailment +Founded in 1904 by W.B. Yeats , Lady Augusta Gregory , and Edward Martyn , the theater has been a showcase for great Irish writing . Lady Augusta Gregory founded the theater . entailment +The letter insists that The Constitution compels you to obtain authority from Congress before taking military action against Yugoslavia . The letter states that Congress must approve military action . entailment +This dinner was better than many I 've had in actual Thai restaurants . I don 't eat at Thai restaurants . Never have , never will . contradictory +and then five dollars every time that you go in or two dollars everytime yeah co-payments that 's what they are Only if you go in for five or twenty dollars . contradictory +Should I announce the arrest openly at Styles , or not ? Shall I announce this arrest to the public at Styles ? entailment +yeah and uh we 've got we 've got a sixty seven Mustang that we bought brand new The Mustang is used heavily contradictory +I will accept the conditions in private . " There were no objections . No one objected . entailment +The same amount was appropriated in FY 2000 . The amount that was appropriated in FY 2000 was the same entailment +This is the old farmer 's market ( mercado payes ) where friendly fruit , vegetable , and flower sellers set up their stands . The old farmer 's market is a modern supermarket . contradictory +On the Via dell 'Abbondanza running east from the Forum , those are ancient , not modern graffiti you find scratched and daubed in red on the walls of the houses and shops . There is red graffiti on the walls of the houses and shops . entailment +Menorca , Ciutadella , and Alaior are known for their leather goods . Menorca , Ciutadella , and Alaior are popular for the leather goods they produce . entailment +You and your breasted American girlfriend--to be politically correct--need not feel there is anything wrong with her centerfold figure . You should be worried about the centerfold figure of you and your friend . contradictory +but when i moved to California and all of a sudden i had this uh surfeit of public television I moved to California and found that they didn 't have public tv there . contradictory +I 'm getting unable to do much physically , but my brain hasn 't quit , said Smith , who walks with a cane . Smith is in fine physical shape . contradictory +um it seems to have so many other benefits you know besides just the exercise The benefits are increased well being . neutral +so far there 's only two of us that have gone and my older brother has paid his entire way and i 'm on my i have six weeks left for and i 'll you know i 'll graduate and i paid my entire way and that 's the way it 'll go down the line and We were fortunate to have received a full ride through college by our parents , with the help of a few scholarships . contradictory +They carried ten times their considerable weight in water and needed water only once every two weeks . They carried thirty pounds of water . neutral +The Secretary has found that without prompt guidance , some members of the regulated community would have difficulty complying with the requirements of the HIPAA and insured individuals will not understand the benefit to them of having a certificate of prior coverage to present upon entering the individual health insurance market . HIPPA is simply too complicated for some members of the regulated community to understand . neutral +So why are Jack Kemp , the Wall Street Journal , and so on so fixated on gold ? The Wall Street Journal does not care about gold . contradictory +We conclude that a reading of the statute that would bar representation of an H-2A worker based on the fact that he or she has left the United States would leave H-2A workers without meaningful representation on their employment contract claims , directly contrary to Congress ' express purpose , and we decline to sanction such a result . The workers will lose the H-2A when leaving the country . neutral +Oh ! cried Tuppence . Tuppence cried Oh ! entailment +They take on a cartoonish , uniform cheeriness . They take on a cartoonish cheerfulness . entailment +From south of the Fort , notice the two monumental elephants outside the Delhi Gate . Outside of the Delhi Gate are two elephants that are monuments . entailment +And in an interview , the authorized biographer concedes that he didn 't investigate Arthur Schlesinger once told me that he had dirt on Reagan buried in his filing system . The authorized biographer told me that he had dirt on Reagan that one day will come up . entailment +That 's the only explanation I have for his weak attempt at reviewing / satirizing the cable-news wars . I have multiple explanations for his weak attempt at satirizing the cable-news wars . contradictory +The man got his teeth . The man has teeth . entailment +Slim was stung . Slim didn 't let it bother him for a second . contradictory +no there was a woman she said my my best friends are lawyers and you know all this and it was just A woman said her best friends are lawyers . entailment +i don 't have any Italian heritage my my mother actually chose it because of Gina Gina chose the name . neutral +Horseman , pass by ! The horsemen are on black horses . neutral +The shack felt different . The shack was recently remodeled . neutral +Within easy reach of Villefranche are the exclusive resort of Saint Jean Cap Ferrat , Beaulieu , Eze , La Turbie , Monaco , and Roquebrune-Cap Martin . There aren 't any special resorts that can be found within the area of Villefranche . contradictory +and AOL , which have established tremendous brand recognition and clear business models , have more in common with each other than Amazon.com does with other online retailers or AOL with other access providers . AOL has evolved from just an access provider to a mass media corporation , which makes them more like Amazon . neutral +because then i had to i had to go every week and log in what i had walked and my teacher looked at it every week and it was you know I would just walk . contradictory +yeah through the fall but uh down here well it 's done both ways it it just kind of depends on what you 're what you 're planting but uh all the shrubs and It doesn 't matter what you plant , either method works . contradictory +I am good friends with a girl , and both of us share a similar interest , namely politics . My friend and I vowed never to discuss politics . contradictory +The two dozen or so houses including some of the best self-catering lodgings in the Lakes are clustered in a peaceful setting surrounded by the higher fells of Birker and Eskdale . There are no houses near the fell of Eskdale . contradictory +A trace of childish innocence in his face gives the lanky Bethlehem lawyer a Jimmy Stewart-like quality of quiet trust . The Bethlehem lawyer stood at 5 ' 4 and weighed nearly 300lbs . contradictory +My mother , at the time of her death , and for some time before it , was taking a tonic containing strychnine . My mother was drinking a tonic when she died . entailment +Just a mile from Dogo Spa is the 14th-century Ishiteji temple , one of the 88 stages of the springtime Buddhist pilgrimage around Shikoku defined by Kobo Daishi , founder of Shingon esoteric Buddhism . Ishiteji was taken off the list of Buddhist pilgrimage temples . contradictory +The piece attributes the record job-jumping rates to the overheated economy and the ease of finding work online . The piece attributes the job-jumping rates to rise in employment , and the outsourcing of labor to the Chinese . contradictory +Earlier he had favored comprehensive schools . He had never preferred comprehensive schools at any point . contradictory +Annette explained in a whisper : 142 " They will think you are still inside . Annette spoke in hushed tones because she was wary . neutral +Look for fine Chinese bronzes , embroidery , lacquerware and porcelain , tomb figures , and wood carvings , among other possibilities . The most intriguing are the embroidery and tomb figures . neutral +Thus , an effective performance management system can be a strategic tool for organizations to drive internal change and achieve external results . Organizations can use performance management systems to encourage internal change . entailment +He wrote Sonnets on the River Duddon in praise of the area . He was near the River Duddon when he wrote his Sonnets . entailment +I will show yooooouuuuuu ! Edward cried out deep inside his soul with a battle cry of a future victor , and his emotions manifested themselves physiologically through the dilation of his left pupil by 6 percent. and a very quiet , nasal ' oouuu ' . Edward cried that he would show the people where he had hid it . neutral +Attempts at dramatic entrances were not always successful . Make a late exit is fun . contradictory +I am a nonsmoker and allergic to cigarette smoke . I do not smoke because it is isn 't financially viable as well as my allergy to the smoke . neutral +I was somewhat lazy in procuring a gift , and in the intervening time my friend has got a divorce and is soon to be remarried . I never had the money to get him a gift . neutral +We are always swept up in some idealized notion of what China is or should be , says Brookings Institution scholar Bates Gill . We don 't care about what China should be . contradictory +GSA issues regulations under its Brooks Act authority . The GSA makes rules because of the Brooks Act . entailment +yeah i could be I might be . neutral +The total cost of complying with the information collections prior to the issuance of the final rule was estimated to be $ 2,743,130 . The cost of complying with the information was estimated to be higher than average . neutral +If you like early nights and lazy days , you 'll enjoy La Desirade , home to 1,600 farmers and fishermen , but just a few hotel rooms . La Desirade is bustling and busy . contradictory +yeah it 's in great shape uh body is in excellent shape it just needs paint i need to look up some place to uh to get the car painted Yes , the car has good bones , it runs fine , but it is in need of a paint job ; I need to find a place that will paint it . entailment +Employees who work at alternative work sites should have a written agreement with their supervisors stipulating , among other items , the period of time the agreement is in effect , days in which the employee will work at the alternative site , work assignments and performance , work schedule , and time and attendance . Employees who work at alternative work sites should have a written disagreement with their supervisors contradictory +you know we 've been throwing paper out there away for years and we 're just now getting on board to recycling ever since this big Earth Day thing came out you know The big Earth Day thing encouraged us to get into recycling . entailment +have you had many calls Has Marcello been contacting you recently ? neutral +Could be you were handy and they had some kind of a hint to start a ruckus just to show there ain 't any proper law here . People do bad things here , but they never get arrested . neutral +you know we can 't do anything we can 't afford anything and now we can at least say well we can fit this in it doesn 't really work very well but we can fit this expense in and so by being a little organized we can we can allow ourselves some things that we couldn 't before " We couldn 't permit ourselves somethings before , but we can fit this expense in . " entailment +No sugar ? You want a lot of sugar ? contradictory +Systems standards are important for agencies streamlining operations by redesigning or modifying systems to take advantage of technological advances . Agencies in the business of streamlining operations find systems standards to be essential . entailment +Now I have finished with this room . I haven 't finished this room yet . contradictory +that 's right i think so same here That did happen , so I agree . neutral +Other crops include grapes used for Formentera 's distinctive dry red wine , vino de pag ? ? s , and almond and fig trees thrive , but the olive trees here bear little fruit . The red wine is distinctive . neutral +It was dead quiet . There wasn 't much noise in the air . neutral +yeah some of it got a little i i don 't know i thought it was a little too personal that they were digging each other life I thought some was too personal and it make me uncomfortable . neutral +( For more on Internet use among different socio-economic groups , see the Commerce Department 's Americans in the Information Falling Through the Net . ) They never thought to collect data on Internet usage . contradictory +Naples is where pizza began ( the region is the nation 's number one supplier of mozzarella ) , and flavorful home-cooking of fresh ingredients has been raised to an art form . Pizza originates from Naples and the city has honed the skill of using fresh ingredients in home-cooking . entailment +They are a very astute and unscrupulous pair . They often fight with each other over small issues . neutral +She smiled , and so did I. We both smiled . entailment +I could tell what he was thinking : Yes , this man in funny clothes could be some nut ... or he could be something important . I could tell what the man was thinking . entailment +That is not a pleasant prospect , but it is a heck of a lot better than the prospect of losing a big chunk of the remaining 92 percent of your business because an overreaching law restricts the sharing of personal information and results in direct marketing volumes going south . This is a fantastic prospect , better than any other one I heard . contradictory +Sather Karf sighed in weariness . Sather Karf exhaled heavily , feeling exhausted from the day 's fighting . neutral +He 'd never have dared to say so . He would have never sought the courage to say so . neutral +We 've got all sorts of secret stories in that cupboard . The stories were scandelous . neutral +How is he named , senor ? " What is his last name , senor ? neutral +And then sometimes people get so vexed , they want to call their congressman and say , ' pass a law to stop all this stuff . Sometimes people refuse to talk to politicians . contradictory +oh so that 's why we 're getting all these Dallas people that 's what i figured but So that 's why we 're getting so many people from Dallas . entailment +It was about thirty foot away from the house , maybe , and I sort of got it into my head that , if I climbed up that tree , I 'd very likely be able to see into that room . The room had windows so that I could see inside . neutral +What are analysts doing with financial statements ? What do analysts do with financial statements entailment +President Clinton 's 1999 Universal Savings Accounts ( USA ) proposal would have created a more costly centralized system of accounts with a flat annual general tax credit of up to $ 300 for low- and moderate-income workers plus a 50 to 100 percent government match on voluntary contributions . The Universal Savings Account proposal was created by Bill Clinton . entailment +i think i 've seen most of Humphrey Bogart 's movies but in in you know a long time ago and uh like the Maltese Falcon and all those uh His movies were fantastic . neutral +The study was based on information collected from employers by the Equal Employment Opportunity Commission from 1990 through 1999 on so-called EEO-1 forms . The employers collected information for a study to be based . entailment +By the 14th century , the abbey was surrounded by a fortified village . A fortified village was constructed to protect the abbey . entailment +The superb Saihitsu-an house features silk-dyers creating unbelievably expensive material for kimono . The Siahistu-an house is a factory that creates kimonos for designer shops . neutral +eventually i 'm sure they will come out with the the the proper names They are looking for the names as we speak . neutral +The itinerary we propose deals in turn with the various layers of Provencal the Roman towns of Orange , Vaison , N ? ® mes , and Arles ; the medieval bastions of Les Baux and Avignon ; the ancient villages of the Lub ? ? ron mountains ; and finally the cheerful streets of Aix-en-Provence . The itinerary we created details a bar crawl through these ancient towns . contradictory +Her rulings always have a firm foundation behind them no matter which party is adversely affected , Wong said . Regardless of who is affected , her laws always have a strong foundation . entailment +The paper says that one hastily filed suit says that Microsoft is a generic drug maker and another says the company 's principal location is Texas . The paper says that Microsoft is a book manufacturer and is headquartered in Spain . contradictory +RFP inquiries on technology and on state planning were streamlined . Inquiries regarding technology and state planning of the RFP were guided along to members of the board as they attempted to resolve issues regarding such questions . neutral +Bulgaria 's economy remains socialist . Price controls are McDonald 's restaurants in Bulgaria sell the cheapest Big Macs in the world , and oil costs the same as in Saudi Arabia . Bulgaria 's prices are never set and change wildly . contradictory +The amount should be recognized as a gain or loss from exchange in order to offset it against the gross interest on Treasury debt in the Government-wide consolidated financial statements . The treasury is in a massive amount of debt . neutral +how about you you got one Do you have one ? entailment +Turn left into the Via Doloroseand continue to the Lions ' ( or St. Stephen 's ) Gate at the end of the road . You must go left at the Via Doloroseand . entailment +Chief among Will China preserve the rule of law and free speech , which are essential for business prosperity ? There is no question about the preservation of free speech and law in China . contradictory +To meet the family 's extravagant debts , ground-floor rooms were turned into boutiques and cafe that attracted fashionable society , together with some shady hangers-on and intellectuals . The family had no debts and increased profits by means of opening a Cafe . contradictory +So deep did he think that he neither saw , nor heard , nor felt anything until the tip of the blade touched the side of his neck . The blade touching his neck made him realize that he had saw , heard , and felt something . entailment +The small town of Porches has two standout Olaria Algarve ( Porches Pottery ) , which has revived and updated long-forgotten Moorish styles , and Casa Algarve . Porches in Algarve has two good pottery makers that follow the Moorish and Casa Algarve styles . entailment +I mustn 't talk . She lay back with closed eyes . In addition to not talking , she mustn 't look . neutral +We 'd welcome a huge , powerful , fast car or coal mining apparatus , or mythical railroad-constructing hero like John Henry . John Henry is a real person and still alive . contradictory +The present bulwarks date back to the year 1554 , when Charles V , Holy Roman emperor , ordered that the 31.2-metre-thick ( 6-foot ) wall be reconstructed . Charles V also ordered the weaponry and manpower to be replenished in 1554 . neutral +At least it gives the film a surprise ending . Viewers do not expect the film to end that way . entailment +Julius Caesar , dictator for life , assassinated on 15 March Caesar never died . contradictory +well i believe in capital punishment um and i i think the way that i understand the laws right now they are only for certain crimes um i 'm not sure exactly what they are i think rape and uh I do not believe in capital punishment . contradictory +After conquering the entire Aegean and Mediterranean coasts of Anatolia , and subduing Syria and Egypt , he took the great prize of Persepolis , the Persian capital , before advancing farther still into India . His empire had been the most powerful of its time . neutral +Campbell says views such as his are not more widely known because , Unfortunately , we are absolutely drowned in information coming out of the dairy industry . The dairy industry is frequently producing a wide range of information . neutral +It is harder still to understand the dramatic changes that would occur in the valley over the course of the 20th century , which created the city known today as the Entertainment Capital of the World . The city was created in the 21st century . contradictory +The Mahayana allowed worship of the Buddha and recognized other holy figures as well . Worshipping the Buddha was forbidden by the Mahayana . contradictory +hello hi hi this is Lisa hello. my name is Jennifer . contradictory +And I know you and I are brothers in bloodshed . Since we 're both brothers , we can fight the demons together . neutral +Times when I was in that Yankee stockade eatin ' th ' swill they called rations I used to dream ' bout them pickles an ' canned peaches an ' crackers with long sweetin ' poured on ' em ! " The Yankee stockade had some of the absolute best food I 've ever eaten , I didn 't dream about anything else while I was there . contradictory +i have a friend who um she had a she had a baby a little boy and uh she she used to dress him out of Neiman Marcus i mean she dressed him My friend had a girl she used to dress in boy clothes . contradictory +( 1995 ) analysis in the second row of Exhibit 15 and 16 . The analysis is in Exhibit 15 and 19 . contradictory +If both know nothing about Monica , then both are happy . If they know anything about Monica they will be heart-broken . neutral +Good-bye , you 've cheered me up very much . " And , with a final uncontrollable burst of merriment , she vanished through the trees . She expressed her cheer and disappeared into the trees . entailment +yeah it was nice talking no no they just define it to you and so so you get what get uh luck of the draw but yeah anyway well good luck to you bye-bye I hope a great misfortune befalls you today . contradictory +The Park includes an eclectic collection of objects from the history of old railway memorabilia , artifacts from sugar cane processing plants , and a banana-tallying machine can all be found here . The Park is crawling with modern pieces of art . contradictory +The Carthaginians The Persians contradictory +i mean you know if you had long hair in high school in the sixties you got labeled a hippie and you keep that image your whole life no matter what you do and i i just During the 1960s , having long hair when you were in high school resulted in you being known as a hippie . entailment +But , if you want one at midnight , a restaurant will most likely oblige . A restaurant will likely be able to provide one at midnight . entailment +but it was really good everything that was very garlicky and their big specials are things like um very fancy omelets or very fancy crepes They don 't have any specials really and their food with garlic isn 't good at all . contradictory +The fringe benefit figure excludes unfunded civil service retirement liability , certain annuitant benefits , workers compensation , unemployment compensation , repriced annual leave , bonuses and awards . Workers compensation is the most valuable fringe benefit . neutral +Don 't chivvy the child any further , he said , in a low voice . Don 't stop what you are doing with the kid , he said . contradictory +put a set of brakes on my little Blazer that we have and fortunately i i could do most of the work myself but uh this last time that i got into it i got about halfway into it and started feeling a little bad i kind of fluish type and said what a time for this to set in i got the wheel off i got these brake pads off i got car jacked up and I was probably coming down with the flu . neutral +To recognize and reinforce results-oriented management , VA instituted in 1992 a formal recognition program for quality achievement . A formal recognition program was instituted in 1992 by VA . entailment +Nonetheless , the differences in the resulting baseline projections are minor for the purposes of this analysis . The baseline projections are only marginally different for this analysis . entailment +The breakup of the U.S.S.R. shattered the army into 15 pieces , as Russia lost nukes , ships , bases , and many of its best officers to newly independent republics . The USSR remained intact . contradictory +It is retarded under certain conditions , none of which , however , appear to have been present in this case . Under certain conditions ( none of which have been present in this case ) , it is retarded . entailment +But in the case of Alfred Inglethorp , all that is changed . All that is changed in his case , for the better . neutral +no no i believe they did because um some of some of the the Peace Corps uh that i knew of did marry Peruvians Some people in the Peace Corps married Peruvians . entailment +to uh uh well connect them into a modem somehow Once they are plugged into a modem there will be no more issues . neutral +Bob Rowland Evans , Robert Novak , and Iraq-bound guest the Rev. The guest received an invite late . neutral +twenty minutes twelve hundred seconds . entailment +of backing up files and protecting passwords Deleting files and having an easy to guess password . contradictory +and the one i picked here had the same format as the one that my parents took as i was growing up i mean the same type of typeface on the headline and that kind of stuff i mean it 's it 's My parents took a very similar one as I did . entailment +no you must pay all attention to what you 're doing it 's it 's it is a lot more difficult than it seems like it would be it took me uh quite a bit of time i thought oh this won 't take long at all but i was wrong it took while it took a while to do but it was fun i enjoyed it You have to pay attention to the task at hand , which is harder than it would appear . entailment +and uh when school lets out i just don 't i haven 't i have no idea what i 'm going to do because i certainly can 't afford what we did last year I spent more money than I was bringing in last summer . neutral +1.3 This chapter describes the applications of GAGAS by auditors and audit organizations . This chapter doesn 't describes the applications of GAGAS contradictory +North of Udaipur , a mountain road takes you past green terraced fields and mango groves over the deepest ravines to the magnificent white marble temple complex of Ranakpur . The mountain road takes you to the temple complex of Ranakpur but it could continue onward to a further destination . neutral +Wearin ' a crease ' longside his skull ; maybe that scrambled up his thinkin ' some . " Wearing the crease next to his skull really sharpened his thinking . contradictory +'My job is to organise . ' I organize paperwork into different categories for my job . neutral +Transmissions of receipt and acceptance data will come from multiple locations and possibly from vendor locations where , for example , a government employee transmits data electronically from a fueling dock and from agencies ' remote locations , including field offices and sea vessels . Electronic receipt generation has become the mainstream within society . contradictory +However , if the asset that is transferred was classified as general PP and E for the transferring entity but stewardship PP and E for the recipient entity , it is recognized as a transfer-out ( a negative other financing source ) of capitalized assets by the There are four possible classifications of transferred assets . neutral +The first is the majestic Nandaimon ( Great South Gate ) , standing over 19 m ( 63 ft ) high and dating from 1199 . The Nandaimon was finished in 1204 and rebuilt after a fire in 1305 . contradictory +Verdun was the site of a major battle in World War I and was badly damaged by bombing in 1944 . A battle took place at Verdun during World War I. entailment +But in the last year , the two elites have finally realized they need each other . The two elites did not get along together before . neutral +And it is impossible to see how this difference from Rust has any bearing upon the First Amendment question , which , to repeat , is whether the funding scheme is ' manipulated ' to have a ' coercive effect ' on those who do not hold the subsidized position . It is not possible to see how this difference from Rust has any bearing on the First Amendment question . entailment +hi uh as a matter of fact this past weekend since we had a long weekend i uh took on a painting project in my bathroom and i had wallpaper up i had to completely strip the wallpaper off and then spackle holes and then paint that and it took me all weekend because uh the wallpaper getting it off i had to wet the walls down and that had to dry and then the spackling had to dry a day and then the painting took another day I painted the bathroom white and yellow . neutral +'They really do believe in history here , ' I observed . I thought they liked history . entailment +It does not tell us what we need to know about America , what a novel can tell us about the complex attitudes and allegiances of a time and a place . It tells us all we could hope to know about America . contradictory +uh well i work as a temporary in the Speech Lab I 've never worked in the Speech Lab before . contradictory +My wife and kids are sick and don 't speak English . My wife is feeling good and healthy . contradictory +Hargarten added that training mechanisms should not be limited to physicians . Hargarten is the foremost expert on the subject . neutral +Of what did he speak ? " Jon felt his anger growing . Jon 's temper was slowly cooling down . contradictory +However you may feel about this controversial sport , it remains very much a part of Spanish life , This sport , while controversial , is still very much part of Spanish life . entailment +Since communism closed shop in Russia , all the volunteers have disappeared . The fall of Russian communism cause an increase of volunteers . contradictory +He gits th ' best , too , Kirby . Kells shifted a well-chewed tobacco cud from one cheek to the other . Kells never chewed tobacco and didn 't speak to Kirby . contradictory +In January 2000 , assisted by two consultants hired by the Missouri Bar using technical assistance grants provided by LSC , Missouri 's six legal services programs announced the Missouri Plan for Equal Access to Justice , a blueprint for action aimed at delivering four major results over the next three Those consultants were legal consultants . neutral +Statewide Conferences on the Delivery of Legal Services were held in November 1998 and January 2000 . They conferences were held two years apart . entailment +uh at any rate um my first two children uh i didn 't spend a whole lot of time with them Besides not spending much time with my first two children , I also just let a nanny take care of them most of the time . neutral +( Could this provide an evolutionary explanation for the romantic associations we have with the moon ? Could this debunk our romantic associations with the moon ? contradictory +Tomczak was was trying hard but he just can 't do it Tomczak tried it and got it right the first time . contradictory +Greetings , Dave Hanson . Dave Hanson must leave this place as he is not welcome . contradictory +Management should design and implement internal control based on the related cost and benefits . Management should ignore the related cost and benefits and design and implement however they please . contradictory +Making your own way to the villages will cost less than if you take an organized excursion , which includes the in- evitable libation of sangr ? ­ a . It 's more expensive to go alone to the villages . contradictory +Ceteris paribus , less efficient postal services do not have greater scale economies than more efficient ones . Scale economies are correlated with more efficient postal service operations . entailment +In return for this flexibility , sources were to provide a full accounting of their emissions through continuous monitoring and reporting , and there would be consequences for failing to comply . The manufacturers had to give all the information about their emissions .. neutral +aState and local surpluses in 1990 and 1993 and the deficits in 1992 are less than 0.1 percent of GDP . The deficits were larger than the surpluses . neutral +We didn 't have any choice . With swords at our throats , we didn 't have a choice . neutral +More than 25,000 people live here , mostly by fishing , but there are also ex-pats , attracted by its laid-back Mediterranean ambience . The population is limited to 100 people . contradictory +The change in literary style from classical to colloquial can be demonstrated by one statistic . The literary style changes from colloquial to classical . contradictory +South of Tokeiji , on the way to Kamakura 's center , are Meigetsu-in and Jochiji , Zen temples with especially fine gardens . The gardens have been tended to for over 100 years , so many interesting specimens have grown there . neutral +But a bit of nightlife is available in the thick of the tourist season . There is absolutely no nightlife at all after the tourist season ends . neutral +There are those who believe that if only the media would treat the public with proper respect , people would respond by acting responsibly--that they would turn away from salacious stories about celebrities and read earnest articles about the flat-panel-display initiative instead . No one believes that people would act more responsible if the media was respectful . contradictory +yeah when i got here my uh uh best friend who was my office mate when i first got here in nineteen fifty nine said the only Yankees he could ever stand wore pinstripes suits and played baseball I got here in 1975 . contradictory +With the exception of the matter discussed below , HCFA promulgated the changes to the Medicare prospective payment systems under the notice and comment procedures of 5 U.S.C. Medicare is a health care system used in the United States and regulated by the HCFA . neutral +This report focuses on best practices for achieving knowledge points 2 and 3 , particularly at how successful companies design and manufacture a product within established cost , schedule , and quality targets . A guide was given to list the best practice guide in how to fix a failing business contradictory +If so , how fortunate to have such a friend at court or perhaps it would be more to the point to say IN court . " Boris got up and began striding up and down . Boris got to his feet and started pacing up and down . entailment +Once frequented by royalty , it was converted into a hotel in 1995 . The building was made into a hotel in 1992 . contradictory +and he could he could easily have put her into a nicer um home but up here there 's waiting lists and that was the first one that opened and i suggested to him why don 't you change um he said well these people here are they are very nice to her and he was saying his excuses if you move her some place else the people might not be so nice so the the professionals in the nursing homes really have to want to do what their doing because it 's a really trying job i mean i go up twice a week to see my grandmother and i know the staff very well so they couldn 't they can 't hide anything on you or anything like that but i have heard of really awful conditions I visit my father 's mom twice a week in the nursing home . neutral +It is also the starting point for a couple of spectacular levada walks . Levada means lava in Italian . neutral +for some reason my eyes aren 't quite what they used to be either My eyes are the same as they have been for years . contradictory +'My skin is too thick . My skin is very thick . entailment +Dust covered their bodies and faces . They were very dirty . entailment +Nearby , tennis tournaments are held at Roland-Garros , or indoors over at the Palais Omnisports de Paris-Bercy , near the Gare de Lyon . Tennis players and avid fans go to Roland-Garros or Palais Omnisports when it 's raining . neutral +-Looking over my shoulder just once- I looked over my left shoulder to my home for one last time . neutral +Even if you 're not an avid bird-watcher , you 'll enjoy the gentle walks in the woodland , with the chance of seeing exciting herds of nilghai antelope , blackbuck , and cheetal ( spotted deer ) . There are a number of walks around the woodlands . entailment +The winner of the Hackathlon will be determined by an online vote of Slate ' s readers . The Hackathon ended with no winners as the difficulty of the task was too great . neutral +yeah well i think they got i think that was almost everyone of them that he recruited uh recruited for this year He recruited everyone for this year . entailment +Therefore , they said , determining whether there is a problem by gathering information from the public through surveys or other means might be a good first step before proceeding to a standardization solution . They said that a good initial step would be to use public feedback to confirm the existence of a problem . entailment +Many tailors have Web sites or are listed on Web sites . Many tailors have expensive customized personal Web sites . neutral +Will you take Mrs. Inglethorp her coffee , Cynthia ? Cynthia , can you take Mrs. Inglethorp her coffee ? entailment +The statutory validity that courts assume in LSC cases will remain open for full determination in later cases . An assumption that many courts make during LSC cases is that the evidence is valid . neutral +Finally , the analysis discusses several significant alternatives that were considered and rejected by the Commission , including expanding the universe of providers covered by the rule , more narrowly defining the universe of providers , and continuing the resale rule indefinitely . The rule covers half of the providers . contradictory +Barnes asked the executive director . Barnes just waited for the executive director to tell him on his own time . contradictory +One is why almost nobody wholly supports it . Everyone completely supports it . contradictory +now i don 't know who planned it all or how i don 't even know how they came about uh agreeing on what all to do and with i know they 're were programmers involved and i know the manager and the two managers and uh payroll were involved in supervisors and all but uh i came in last year out of one of the shops so uh it was all new to me i had to learn the old system and the new system the programmers and managers decided to implement a completely new work system neutral +Finally , with a satisfied sigh , he closed it , and came back to his position in the centre of the room . He threw it away in anger and stormed out of the room . contradictory +For that out-of-this-world feeling and superior tropical mountain scenery , try first gear on the road to Fond Saint-Denis . There is great mountain scenery on the road to Fond Saint-Denis . entailment +did you like them Were they good ? entailment +for friendships that way so that you would feel happy going to work everyday and rather than thinking oh i really i can 't stand these people i but uh so that 's something that was important to him and It was significant to him that he could have friends at work . entailment +I spent quite some time pottering around , allowing my head to swell . I felt worse as I walked around . contradictory +It displays all kinds of vehicles , from the coach that carried Napoleon to and from Moscow in 1812 to a splendid 4-horsepower Renault car from 1904 and other turn-of-the-century classics . It doesn 't display the coach Napoleon used to get to Moscow . contradictory +Here Picasso , Braque , and Juan Gris developed Cubism , while Modigliani painted his own mysteries and Apollinaire wrote his first surrealistic verses . Picasso is perhaps the most famous of the cubist artists . neutral +Very few people travel on it ; its principal purpose is as an artefact of tradition . It 's mainly for tradition . entailment +Through consultation with key congressional leaders , members , and staff , we also have developed a set of clearly defined , well documented , and transparent protocols , intended to be consistently applied in setting priorities , allocating resources , recognizing existing commitments , and serving the Congress . The protocols took a long time to develop through consultation with key congressional leaders , members and staff . neutral +The highlight of Wild Water Wilderness is Bigfoot Rapids , a whitewater river ride . People usually get very wet while riding on Bigfoot Rapids . neutral +Robot punch . Robots can punch . entailment +Ibiza is mildly famous for its own native liqueurs . The local liqueurs are Ibiza 's iconic produce . contradictory +The good stuff first . The bad stuff is always first . contradictory +Then he saw Shannon jerk away from that aid , walking stiffly toward Casa Grande while Rennie stood for an instant looking after the younger man before following him . Shannon had to get to Casa Grande fast before his Father left . neutral +Your skill with a blade is beyond words . Your skill with a samurai blade is beyond words . neutral +Soon , the Western Journalism Center republished Ruddy 's story in its newsletter , Dispatches ( Experts say Foster ' suicide ' note forged ) . As far as publications go , Western Journalism Center is one of the most highly respected . neutral +Total organochlorine pesticides plus PCBs should be less than 50 ng / L ( APHA , 1992 ) . Pesticides and PCBs can be up to 100 ng / L. contradictory +and so when i 'm teaching a class obviously i wear a suit or dress so It goes without saying that I wear a suit or dress when I teach a class . entailment +Mostly I just skim the retractions ) , and himself ( I am so sorry ... I skim the reactions most times . entailment +Tourism is a major factor in France 's econ ? ­ o ? ­ my and every effort is made to enhance your visit . France cares about its tourist industry . entailment +And he sure wasn 't the only Confederate to surrender . The Confederates surrendered . entailment +To the Enquirer ' s story on Sopranos star Edie Falco--cribbed entirely from her appearance on the Late Show With David Letterman --and this week 's Enquirer piece on Jodie Foster 's secret passion for garage sales . This week there is a piece on the Enquirer about a secret passion of Carrie Fisher . contradictory +The highest-profile millionaires are becoming celebrities . Every celebrity started out as a millionaire . neutral +Because air space is limited , there 's an inclination to believe that airlines are natural monopolies or oligopolies and that flooding the market with competitors will actually make air travel less , not more , efficient . Some believe increasing the number of competitors might make air travel less efficient . entailment +and it will never end they 've been fighting They have tried to stop the fighting , but to no avail . neutral +Well , I hope not . Well , given that I don 't want any , I hope he doesn 't cook for me . neutral +Unless the will is there to restructure and introduce transparency , the system could collapse , with the prospect of dragging down the rest of the global economy . Global economy could benefit from the collapse of the system . contradictory +But this pseudogenerosity is also a kind of A critic may be censured for slamming a worthy movie A critic may be censured for giving a bad review to a great movie . entailment +When at length Julius broke the silence , it was with a totally unexpected remark . It was with a completely unforeseen opinion when Julius finally spoke up . entailment +what uh do you work for TI You know that TI has the lowest pay in the sector ? neutral +Our report attracted much congressional interest . Congress was put off by the report contradictory +Share the dining table in a simple shack with a few local families and you 'll have one of those real Jamaican experiences . Jamaicans eat lunch with their neighbors . neutral +This work has made significant contributions to agencies ' abilities to develop and implement sound security policies . This work has helped agencies ' develop security policies . entailment +In the city of America Little , you respect your janitors . The position of Janitor is held at high esteem in America Little . neutral +De Kooning continued to paint rapidly , but now he seemed to be able to juggle fewer elements . De Kooning was exclusively a sculptor . contradictory +With the hiring of three fulltime program counsel or analysts in the last six months , the state planning team is now fully staffed ( in terms of the 2001 budget ) . The hiring process were rigorous , and many applications were received . neutral +Today , the memory of Psychic Friends would live on in all our minds as a great and kooky American success story ; we wouldn 't have hundreds of psychics worried about their futures ; and Lasky would still be ridiculously wealthy . I don 't remember Psychic Friends . contradictory +You should come see yourself . If you come and see for yourself you will probably like the results . neutral +FHWA appraises senior executives on their achievement towards all the performance objectives in their individual plans . FHWA don 't appraise senior executives as that gives them grounds for a raise . contradictory +It 's a little hard to explain , and it couldn 't help . " " Humor my curiosity , then . It is not easy to describe . entailment +The place was never the same again . Permanent changes were made to the place . entailment +This island sanctuary at the border between Normandy and Brittany is truly a merveille de l 'Occident ' a Wonder of the Western World . The island sanctuary is located between Paris and Nice . contradictory +The string of beaches along the coast are popular destinations for Kingstonians on weekends . The string of beaches along the coast are popular for locals . entailment +Because the bill has an exigencies escape clause and another provision that prohibits the PRC from taking any action that might impact labor negotiations . Labor negotiations will not be impacted . neutral +uh-huh uh-huh yeah we don 't we don 't usually cover ours we did a few different times sometimes we 've covered with the plastic and other years we 've tried newspapers and uh but we generally don 't we do our watering from our spring We tried covering our plants with different things . entailment +You can take a tour of the port in one of the small sampans , propelled by hand by women drivers . The sampans are powered by their female conductors . entailment +Trust or not , I suppose we will have to rely on each other all the same . ' I guess we have to depend on ourselves . contradictory +Members of the state 's Access to Justice Network , these organizations work with thousands of volunteer attorneys to ensure that justice is available to those who face critical legal problems and can 't afford private legal counsel . Attorneys refuse to help those who can 't afford it . contradictory +They just looked like little animals and I thought you 'd let me keep them , ma . Mom , I figured I could keep them because they looked like small animals . entailment +You write that I am quite good at ferreting out instances of instrumentalization of [ the Holocaust ] toward cheap and self-interested ends . I write that you are terrible at ferreting out instances of anything . contradictory +By one estimate , Russia 's economic output would more than double if the Russians simply sold off their natural resources instead of trying to make something out of them . Russia 's economic prosperity would double if Russians sold their natural resources instead of building up the manufacturing sector and trying to make products out of them . entailment +No test , whether it takes the form of the SAT or a pop quiz on foreign affairs , is conclusive proof of a person 's potential . The test shows what one person is really capable of . contradictory +The city and the people of Paris share a boundless self-confidence that exudes from every stone in its monuments and museums , bistrosend boutiques , from every chestnut tree along its avenues and boulevards , from every street musician , mannequin , butcher , and baker , from every irate motorist and every charming ma ? ® tre d 'h ? ? tel . The bistros and boutiques can be recognized immediately as quintessentially from Paris . neutral +You shower , slip on the robe provided ( this part we already have ) , and then , in the cupboard , you find stacks of pants and shirts and sweaters , maybe a wrap-skirt or two and some jackets , all in many colors and all in your size , since you e-mailed the information ahead with your reservation . There are several clothing options in the closet that will fit you . entailment +The state programs are economically modest , as is the only loan forgiveness initiative on the near horizon for New York , the Student Loan Assistance for the Public Interest , a program adopted last summer by New York State Bar Association when the House of Delegates met in Cooperstown . The state programs don 't spend a lot of money . entailment +With its four glass towers in the shape of open books , the new national library , Bibliothaque Franaois Mitterand , is the flagship building of the redeveloped Tolbiac district east of the Gare d 'Austerlitz . Bibliothaque Franaois Mitterand is the new national library . neutral +You will find that testing with computer programs often takes less than a day , depending on the complexity of the file . The computer program testings typically are done within 24 hours . entailment +The WP reports that following a year of sensitive negotiations , the German government has finally agreed to spend $ 110 million to compensate 18,000 Jewish victims of the Nazis who are living in Eastern Europe and the former Soviet Union . The German government helped many more than the 18,000 Jews . neutral +I am out a good deal . I retained a good deal . contradictory +The following examples illustrate some of the financial benefits that GAO has helped the Congress and the executive branch The Congress praised GAO for their support , and offered them a grant . neutral +The celebrated British writer ( Arcadia ) , who has been short listed for Britain 's Booker Prize , wins praise as an anti-Norman Mailer for his brash novel about Jesus ' life . Arcadia is short listed for the Booker Prize . entailment +yeah it 's pretty nice i have the room outside i need and i don 't really have all the room in the house i need but I don 't have enough space outside for the things I need to do . contradictory +Topham , Nye , all the rest , had made it only too plain : no trouble on the Range and no troublemakers . Topham , Nye and the others had made it clear : troublemaking was encouraged on the Range . contradictory +two diametrically opposed people from the stand point that one was Jewish and one was Black and this all took place in the South and uh normally never the twain shall meet There 's never been two people who have agreed more . contradictory +To relieve the burden , he frequently goes for long drives or talks shop with his wife , Kiren Dosanjh , also an attorney and Cal State Northridge professor . The man often drives his car for a while or talks with his wife to relieve himself . entailment +These include the use of computer-assisted activities ranging from simple comparative analyses . Computer assisted activities are not included in these analyses . contradictory +And it will be risky , but we may even be able to shape a bit of the sun stuff to represent the great orb in the sky . " " What about the planets ? " Hanson was beginning to feel the depression lift . Hanson was happy to hear the news . neutral +He has spent 32 years wangling roads and airports and sewers for South Carolina , and he doesn 't mind reminding voters about it . He rarely discusses his personal history with voters . contradictory +She still looked nervous . She was anxious . entailment +The big Alicante and Valencia department stores stay open during the traditional siesta , which is the quietest time to shop . It is illegal for any business to operate during the siesta . contradictory +She may have forgotten to bolt the door into the passage when she went to bed , and have got up later , towards morning , and bolted it then . " She might have forgotten to lock the door . entailment +Amenities inevitably come hand in hand with crowds , so on the main beaches be prepared to do battle with lots of other sun-seekers , all equally happy that restaurants , toilets , showers , and changing rooms are there . If you are willing to go without amenities such as restaurants , toilets , showers , and changing rooms , or simply go with less of them , you will find the smaller beaches to be less crowded , though also less convenient . neutral +Democrats will point out that the president 's party usually loses dozens of congressional seats in his sixth year . They note that president 's typically gain seats during their sixth year . contradictory +and when i when i want to be you know not bothered during the day that 's exactly what i do I usually do that when I want to meet people during the day . contradictory +His visits to the stable must have familiarized him with the Gray Eagle-Ariel strain bred there . His visits to the stable must have made him knowledgeable about the Gray Eagle-Ariel strain that was bred there . entailment +Discount and Duty-Free Goods Discount , duty-free goods shipped directly to your door neutral +While similar to the leading commercial companies ' approach , the policy lacks detailed criteria for capturing and using design and manufacturing knowledge to facilitate better decisions and more successful acquisition program outcomes . The policy lacks detailed criteria compared to the leading commercial companies ' approach . entailment +I could swear I 've seen Jane in a nurse 's cap too . I am certain I saw Jane wearing a nurse 's cap . entailment +With less energy efficiency technology penetrating the market , a greater level of control equipment must be installed and operated which , in turn , drives up the cost of generation . Due to the lack of Energy Efficient Technology , the cost of electricity is rising . neutral +uh-huh oh yeah oh that sounds pretty neat Yes , that sounds great . entailment +One goal is to get the state Legislature to pass a law to provide loan forgiveness to medical professionals and lawyers who work with the poor . It is hard for the poor to work with medical professionals and lawyers otherwise . neutral +He was a big man , clean shaven , with a heavy jowl . He was a bald man . neutral +Almost all of it can be covered in a day or two , including a lengthy visit to the Royal Palace . It would take a week to cover all of it and the Royal Palace . contradictory +sure bye-bye of course bye , see you again tomorrow neutral +Industrial Economics , Incorporated . industrial economics is not Inc . contradictory +He was wearing a Gauntlet . He had a weapon . entailment +For a town of barely 5,000 inhabitants , Bocairente 's two small museums are the Museo Histerico ( Historical Museum ) is noted for a collection of Stone Age pottery , and the Museo Parroquial ( Parish Museum ) exhibits important paintings by Juan de Juanes , Ribalta , and Sorolla . The museums are funded by donations raised by tourists . neutral +Perhaps this was a subversive act , the urinal-drain-guard manufacturer inviting us to piss on the United States ' failed drug policy . The United States is noted for its effective drug policy . contradictory +yeah yeah but uh we uh we try to keep a uh uh tight controls over over them but it it gets hard like especially around Christmas time and birthdays We tried to limit our impulse buys . neutral +For most people to compete they need to come together and to raise funds , agree upon a platform , choose candidates , and so on . To compete you merely need an idea . contradictory +well i 've got to go to a meeting it 's been good talking to you I 've got to go to a meeting about cloning my son so that I can make him fight his clone . neutral +Spanish restaurants are classified and priced by a system of forks , with facilities and length of menu more relevant than the quality of the food . The amount of stuff on a menu is very important in Spain . entailment +The Honorable Donna E. Shalala Secretary of Health and Human Services Donna Shalala worked for HHS for 21 years . neutral +The sky is a dome holding the sun , the stars and the wandering planets . Venus and Mars will both be appearing in tonight 's sky . neutral +You can dine and dance in the frond-slatted shade of the Parque Municipal , which also features citrus trees and a noisy frog pond . In the Parque Municipal are citrus trees and a frog pond . entailment +Lake said Washington had gone haywire and worn out his patience and dignity . Lake said that he would give Washington more time to think things through . contradictory +What is the moral ? This is what the moral is . contradictory +However , emergency physicians do not engage in analysis of insurance contracts before providing care and are therefore unaware of the type of coverage , if any , carried by the patient . Doctors always check patient coverage before performing any medical care . contradictory +The appeals court rapped the agency for its scare tactics , saying it must base its conclusions on solid facts and a realistic appraisal of the danger rather than on vague fears extrapolated beyond any foreseeable threat . A court said that the agency must base its conclusions on facts rather than vague fears . entailment +and and all the white water and noise and the it was just beautiful The white water and the noise was stressful and ugly . contradictory +can 't afford legal services obtain medical , housing , Social Security Everyone can afford a lawyer . contradictory +uh and i i 've uh Thirty Something i 'm particularly interested but it 's the music almost that i find myself listening to I collect what I 'm intetested in . neutral +Many of the high packhorse routes had ceased to be used for the transportation of goods , but these old rights of way for foot and bridle traffic were now transformed into an extensive network of marked and mapped routes ideal for recreational walkers and hikers . Routes went unmarked and unmapped for people . contradictory +During the Empire Period , an ambitious Hittite king , Mutawallis , defeated the forces of the Egyptian pharaoh , Ramses II , at Kadesh ( Syria ) in 1285 b.c. Mutawallis , during the Empire Period , defeated Ramses II in 1286 b.c. , which led him to death . neutral +Five forks guarantee real comfort , but the food will not necessarily be better than in a two-or three-fork establishment , just more expensive . The food is way better at a five fork restaurant than at a two or three fork one . contradictory +um i have wondered why they allowed or let you know both the father and mother go uh and the children are left without either parent now to me that 's kind of a drawback but uh i guess it 's a price you pay and i also wonder about the children that are being brought up in the uh uh day care centers I always ponder the reason why it 's permissible that a child is left without any parents and about those that are parented by day care centers . entailment +yeah i don 't know fifty one stars on this flag wouldn 't look too good I think fifty-one stars on this flag looks terrible entailment +you 're just always used to men i mean that 's just something that men always did It will take time to get used to women doing it too . neutral +Not here and not coming back , Benedykt answered mischievously realizing that he was absolutely convinced it was true . Benedykt said he woul be right back . contradictory +Quickest way is down this alley . Nobody trusts the alley path . neutral +children either in bed or just getting ready to go to bed and the only time that i got to see them was on weekends and on weekends i had to do my homework so it uh it I had very few chances to see my kids during the week . entailment +Soon he will either have to cross the border to stay or make some reckless raid which will give us a chance at him . " Most likely he will hole up until the storm blows over before coming out of hiding . contradictory +HDZ seems to be trying to time his death for maximal electoral benefit , hoping to generate a swell of patriotic sympathy that will help the party on election day . He is trying to time his death to maximize electoral benefit . entailment +right but that 's not what they really do they say that but that 's not the reality of it even the Bolshevik revolution the whole thing was uh What they say is what happens contradictory +It was only in 1913 , under the leadership of Eleftherios Venizelos , a native Cretan , that the longed-for enosis ( union ) was achieved . It was not until 1913 that a union was established . entailment +Cummins used the knowledge captured from these and subsequent prototypes to refine and eventually validate the manufacturing processes for the engine . None of the knowledge was used , it was irrelevant . contradictory +It is no place for the faint-hearted . It is a place that is famous for attracting adventurous travellers . neutral +With building debris and an ocean of smoke and dust pouring down from the sky , Mr. Bookstaver ran for his life - four blocks southeasterly to the Office of Court Administration at 25 Beaver Street . Mr. Bookstaver ran slowly because of his ACL injury . neutral +yeah yeah but we don 't have any place that collects the grocery bags yes , sure , but no place around here accepts grocery bags entailment +A more cynical view is that the sands provide a cure for which there is no known disease . It is cynical to think that there is no cure . entailment +Upstairs , he said , jerking his thumb over his shoulder , " second door on your left . " 55 Chapter 8 The Adventures of Tommy TAKEN aback though he was by the man 's words , Tommy did not hesitate . Tommy is a sheepish boy . contradictory +In discussing GAO 's contributions and accomplishments , it is important that we engage in a select amount of research and development work to ensure that GAO can meet the institutional needs of the Congress over the long term . The GAO has never made any contributions nor have they accomplished anything . contradictory +The church itself is worthy of investigation . It would be worthwhile to investigate the church itself . entailment +Besides , ground meat doesn 't come loose like that . Besides , it can 't be the case because ground meat stays more solid . neutral +Several local residents are said to have caught a glimpse of him but there is no firm evidence to support this claim . The people said he had a blue shirt and jeans . neutral +A little farther away near Vergel , you can try the well-kept Safari Park with animals galore , a fine dolphin show , children 's amusement park , refreshments , and restaurants . There is Safari Park near Venice . contradictory +We don 't understand the law about pesticides in the fields . We understood the law about pesticides . contradictory +they 're not yeah they 're not going to come up with they 're not going to come up with a peace plan or any of this kind of crap They 're just not interested in pursuing peace . neutral +Politically , it 's a loser . This will lose when viewed through a political lens . entailment +The Kal unbuckled the straps and dropped the iron jaw to the dirt . The straps were not unbuckled . contradictory +Then , quite suddenly , he looked up . He looked up very quickly . entailment +you might feel like you need it by the end of the day but i don 't know it would cost so much money and i think maybe we could use that money in the schools you know to buy paper or something It would end up costing a lot of money that could be used to buy school supplies . entailment +But they do , Cynthia dear , I said earnestly . I needed to let her know in such a sincere manner as not to upset her , and let her know that they do , indeed , do such things ... neutral +The Hollywood Bowl , the summer home of the Los Angeles Philharmonic and jazz and pops concerts by the Hollywood Bowl Orchestra , fills each performance with Angelenos toting gourmet picnic baskets and fine wine . Local residents bring food and wine to the Hollywood Bowl . entailment +Let us proceed . " The German seemed to pull himself together . The German went back to bed . contradictory +That discrepancy is the sort of thing that leads markets to fail--in this case by providing too many Clubs and not enough Lojacks . Discrepancies can lead to huge problems in the market . entailment +What does that matter ? Why is it significant that he wasn 't home ? neutral +( Scalia offered a different textualist reading of the Equal Protection Clause , grounding his arch dissent firmly in majoritarianism--The Court has mistaken a Kulturkampf for a fit of spite . Scalia opposed The Court 's interpretation of a Kulturkampf . entailment +Now can there be no conjunction ever ! " He tautened and his body rose slowly from the ground . An imposing wizard , he was able to levitate as he spoke . neutral +Time puts the novelist on its cover and raves , To read the novel is ... The novelist has published 3 best sellers in two years . neutral +This is where Steele 's Story No . Steele is the name of a cat . neutral +Hiei to the north . Many people find it hard to locate Hiei . neutral +everything blooming and and the weather and uh think a lot of people have contracted uh spring fever too so had a lot of people out at work you know for fishing and and uh golf reasons and things like that Everyone is locked up in their house trying to avoid the snowy , cold , winter weather . contradictory +I once was in a courthouse elevator with the other side 's counsel , who hadn 't yet been introduced to me , who spent the ride down discussing strategy with his client ! I had already been introduced to the client in the elevator . neutral +Well , maybe the sigh , but not the fact of history , as Walcott knows quite well . Everyone knows that this in actually a fact of history . contradictory +Less than two years later , on his deathbed , terribly ill and desirous of death , Keats asked just the same question in one of his last Is there another life ? Before he died , Keats was very sick and wanted to die quickly . entailment +However , for fiscal years 2000 and 2001 , agencies ' reports are to include performance data beginning with fiscal year 1999 . Performance data from fiscal year 1999 is to included in the agencies ' reports . entailment +Day hikes are a popular activity here , with the most popular hike being that to Sarangkot to see Dhaulagiri and the Annapurnas from the viewing tower . There are 15 different day hikes to choose from here . neutral +i don 't know maybe it 's you know better education i don 't know i do believe that you know if you don 't educate yourself vote in this these elections whether it 's you know local or national you pretty well you know deserve whatever you get you know if you don 't if you don 't participate in it People shouldn 't educate themselves . contradictory +The local daimyo of Satsuma was so impressed that he started to buy British ships , which became the foundation of the future Imperial Japanese Navy . The local daimyo was impressed with the British culture , that 's why he took an interest in their ships . neutral +The volcano 's name is thought to derive from an Ainu word for fire . The name of the volcano was derived from the Ainu word for water . contradictory +An official at the Office of the Federal Register told us that the Government Printing Office was experimenting with upgrading its publishing system to permit the use of hypertext links in electronic rules . Someone at the Office of the Federal Reserve Register told us that the government printing office was experimenting with upgrading the system to allow hypertexts on the homepage neutral +that 's right well i i uh i have to agree with that even when they was very very popular in the early sixties uh i uh They have never been popular . contradictory +Throughout the seventh and eighth centuries numerous Japanese monks , scholars , and artists made the perilous trip west across the Sea of Japan to study Chinese religion , history , music , literature , and painting later to be brought back for further development in Japan . Monks , scholars , and artists made a dangerous trip across the Sea of Japan . entailment +In July 1996 , the President 's Commission on Critical Infrastructure Protection was established to investigate the nation 's vulnerability to both cyber and physical threats . The President 's Commission on Critical Infrastructure Protection found more cyber than physical threats in 1996 . neutral +I was embarrassed for you . I bet you are so excited about that incident . contradictory +Back in the city , the Scottish Parliament Building overlooks the palace , the park , and Arthur 's Seat . Scottish parliament stands far from any other structures . contradictory +This will include a vigorous research program to further understand the fate and transport of pollutants in the atmosphere . An included research program will definitely shed light on the transport of pollutants in the atmosphere . neutral +What 's completely intolerable is to be accurately quoted and seen--even by yourself--to be no better than you actually are . It is bad when you are quoted correctly and can see yourself as the same as you are . entailment +That , in a nutshell , is the history of Kosovo . That is a summary of Kosovo 's past . entailment +It teetered out of the hole and seemed to hover , spitting great gouts of flame as it encountered the phlogiston layer . The flames were not as strong when the object was further from the phlogiston layer . neutral +Well , his proof does leave one loophole . There is a loophole in his proof . entailment +My mother , at the time of her death , and for some time before it , was taking a tonic containing strychnine . My mother was drinking a tonic when she died , but it isn 't what killed her . neutral +But , oh , Tommy , I do like things to happen quickly . I 'm shy and cumbersome- basically a silent sloth . contradictory +Positively motivated by his last triumph , Czarek got vigorously to work , totally not paying any attention to what his employees were doing with the poultry . Czarek 's employees were swinging the birds around by their necks before plucking their feathers . neutral +A side chapel is said to be where the manger stood . Nobody has memorialized the site where it is believed the manger stood . contradictory +The prior Executive Order contained a similar requirement now found at Section 3 ( b ) ( 2 ) ( A ) of the newly effective Order requiring that the preemptive effect of the rule be specified . The Executive Order that came before was very much alike . entailment +They rarely consider cases in which a character was copied or a plot was stolen . They sometimes consider cases of character or plot plagiarizing , but not often . entailment +oh and Florida 's absolutely wonderful for that i understand i 've i 've never lived there I 've never lived in Florida . entailment +some of the political trends that have started up uh i guess in the other side of the ocean as it were some of the uh Politics have remained the same . contradictory +One day , German was out throwing passes at an early practice . German was at an early practice throwing passes . entailment +They were buried at this busy public place as a warning not to try to outsmart the sultan . The Sultan was responsible for their deaths . neutral +FDA investigators also found a Philip Morris scientist who was silenced and fired after his research demonstrated nicotine 's addictiveness . A Philip Morris scientist did research showing that nicotine is addictive . entailment +Waters seems to be trapped in an ironic loop , making movies that look more and more like love-ins , in which name actors go slumming and people like Patty Hearst show up for nudge-nudge-wink-wink cameos . Patty Hearst sometimes does cameos . entailment +In the mountains , water streams down from unseen a one-hour walk might take you past half a dozen waterfalls . There are no waterfalls in the mountains . contradictory +uh-huh well that that and that 's the important thing i mean whether they win or lose why the fun is is in the supporting them It is more fun supporting them if they win . neutral +In spring and summer this area is rich in nesting sea birds , and the moorland terrain of the cliff-top also attracts interesting land birds and butterflies . In summer and spring , this area is rich in nesting sea birds , and the moorland terrain of the cliff-top also attracts interesting butteflies and land birds . entailment +For four years Jewish zealots fought against the might of Rome . Jewish zealots resisted Rome for 4 years . entailment +Rather than ignore or disparage the Internet , the malls exploit it . The malls exploit the world wide web . entailment +Then suddenly the scraps became a mass of sour-smelling stuff . The scraps suddenly turned into a gleaming statue of solid metal . contradictory +This approach is a generalization of planar interpolation that is technically referred to as enhanced Voronoi Neighbor Averaging ( EVNA ) spatial interpolation ( See Abt Associates ( 2000 ) for a more detailed description ) . There is only one type of spatial interpolation and it has never been named . contradictory +If you are confused , join the club so are the experts . If you are confused , you are alone because the experts are sure . contradictory +The participants acknowledged that the financial audit process is largely driven by the accounting profession and suggested that the profession needs to spend more time understanding what the demand side ( investors and other users of financial information ) needs and wants from auditors . Participants believed that if accountants could understand what users of financial data wanted from auditors , it 'd be easier for audit reports to reflect what people wanted . neutral +Subsequent reports from other institutions did not replicate the high sensitivity of this single question . Other institutions did , however , manage to replicate some of the findings . neutral +The restrictions were considered necessary to ensure that the limits of the federal program [ were ] observed . Additional restrictions were added to mitigate unexpected uses of the program . neutral +30 % is an increase in concentration or deposition compared to current conditions . There was a giant decline . contradictory +You are Anson Kirby ? he addressed the Texan first . Before moving forward into the building he addressed the Texan and asked if he was Anson Kirby . neutral +Pour some rum into a dead man 's mouth to cheer him up , otherwise he 'll come back to haunt the house . They treat the dead with a lot of respect . contradictory +With funding from the Lawyers Trust Fund of Illinois , the Technology Working Group and representatives from CARPLS ( the Chicago-based hotline and referral services ) , Legal Assistance Foundation of Metropolitan Chicago , Prairie State Legal Services and Land of Lincoln Legal Assistance Foundation have formed a Best Practices group . The Lawyers Trust Fund of Illinois gives funding to the Technology Working Group . entailment +Likewise , only about half of the managers we One fourth of the managers contradictory +Planners are seeking funds to improve the statewide website and expand internet access to community education materials beyond the current community education site for immigrant advocacy organizations . Planners want the improvements of the statewide website to be destroyed . contradictory +Corporation Comm 'n of Okla . , 278 U. S. 515 , 525 ( 1929 ) ; see also Davis v. There is a corporation commission in Oklahoma . entailment +well i uh i have noticed with my own children for example that they will depending on what they 're wearing it it makes a big difference on how they act and so that could be the same can be said for the business office too I have not noticed anything about my children . contradictory +In other words , the Force . Also known as the army . entailment +However , superiors are expected to be aware of the presence and absence of service members for whom they are responsible . If service members are present or absent , it is expected that their superiors should know . entailment +This monumental construction covers a140-sq-m ( 1,500-sq-ft ) area , with a Great Hypostyle Hall of 122 columns in nine rows , 21 m ( 70 ft ) high , and is considered one of the finest ancient structures in the country . This construction has a hall with 122 columns in nine rows . entailment +He 's something worse . He is something even more destructive . entailment +so but i haven 't really had any bad problems with credit cards there 's you know they have uh wonderful features they 're there when you need them you know like in emergencies or whatever Credit cards have great features and are good for emergencies . entailment +For women of all ages and men older than age 65 , more than 7 drinks / week or more than 3 drinks / occasion is considered at risk . Drinking more than 2 drinks a week is problematic behavior . contradictory +i think it 's our Irish descent This person is Scottish . contradictory +There is no requirement for such an evaluation where Congress has eliminated the agency 's discretion by precluding any action other than the one announced in this notice . An evaluation is required where Congress has eliminated the agency 's discretion . contradictory +Laibson 's imperfect altruists face a far subtler problem--they 're not just weighing costs and benefits , they 're engaged in games of strategy against their future selves . Laibson has alturists that follow him . entailment +That there Shiloh colt o ' yours , an ' this here lady hoss , an ' that old mule ... anyone can see as how they 's always been handled nice an ' easy . It 's easy to see how well you have treated your colt . entailment +aren 't aren 't they like put taking the words and and listening to the dialect and yeah They are listening to the dialects . entailment +Down the road , we anticipate even more advanced push features . We plan to expand our features in the future . entailment +Economic logic suggests that in the long run such countries , if they can put their inflationary histories behind them , have no business adopting the currency of a faraway country which will not take their interests into account . According to economic logic , such countries in the long run have no business adopting the currency of a faraway country , if they can put their inflationary histories behind them . entailment +Future saving rates of these sectors will of course vary in response to a variety of influences , such as demographics , expectations , and changes in preferences . Future saving rates will vary in response , influences , demographics , expectations and preference . entailment +Remember you 're a marked man now , and take reasonable care of yourself . " Take reasonable care of yourself , remember that you are a marked man now . entailment +Even now she could almost swear it moved as though some one was behind it . She never saw it move . contradictory +Lott 's formulation put NATO 's withdrawal Let 's see if we can 't find a way to get the bombing stopped , get Milosevic to pull back his troops , find a way to get the Kosovars [ to ] go back in . There is no hope . The bombing will never stop . It is futile to think of ways to stop it . contradictory +and and the next yeah point seven five liters and then liters and then one point seven five liters yeah First , .75 liters and then 1.75 liters . entailment +Therefore , we examined the agencies ' use of IT both to inform the public of opportunities to participate in rulemaking and to facilitate the receipt of public comments . In order to inform the public and to facilitate the receipt of public comments , we examined the agencies ' use of food . contradictory +His face was working curiously . His face appeared to be angry . contradictory +The salt mines . The mines of salt . entailment +A faded resort of earlier times , dignified San Remo is the best known , with its well-heeled casino and elegant promenade along the Corso Imperatrice . San Remo was recently built . contradictory +Egon The Leopold Collection , Vienna ( Museum of Modern Art , New York City ) . The Museum of Modern Art is in New York City . entailment +Drink plenty of liquids in the heat , dehydration is more of a risk than an upset stomach . Getting dehydrated would be critically bad in this area . neutral +Jamaica 's Eastern Tip Jamaica 's Easternmost Point entailment +There 's nothing attractive about something small , weak , slow , and mean . It 's very attractive to be nice . neutral +For those who would prefer a quicker method , there is a cable car that wings you from sea level to the cliffs in a couple of minutes . There 's no need for that , the cable car is slower . contradictory +Without the clear and demonstrated commitment of agency top leadership , organizational cultures will not be transformed , and new visions and ways of doing business will not take root . Organizational cultures will not be transformed without the clear and demonstrated commitment of agency top leadership . entailment +Grisham is content with the simple and compelling observation that as a society we fail to treat the homeless with the dignity they deserve . Grisham has realized that our society treat the homeless better than we actually should . contradictory +What about me ? Can we all go ? contradictory +The appropriations language that regulates the scope of representation that may be provided by LSC recipients to aliens provides The scope of representation that may be provided by LSC recipients to aliens is regulated by a particular appropriations language . entailment +One more thing crossed off the Things-I-Never-Wanted-To-Do list . I never thought I 'd have to make a list of things I never wanted to do , but I seemingly have to cross things off of it constantly now ; maybe making the list should be on the list itself . neutral +At the heart of the report was a survey of 1,622 third-year law students at 117 campuses in 40 states and the District of Columbia . There are lots of 3rd year law students neutral +He used to be a promising youngster ; now he 's turning bronco fast . He is not a promising youngster anymore because he lost luster as he grew older . neutral +Take time to stroll down the streets around Merrion Square , which were laid out at the same time as the square . The streets were built decades after the square . contradictory +Time ' s cover story tries to explain How Colleges Are Gouging U. Tuition has risen twice as fast as inflation , says Time , mostly because parents are willing to pay , but also because universities hoard their endowments and pay their professors too much . Professors often get paid hundreds of thousands of dollars to teach . neutral +Even empty , as it is now , it still evokes dramatic memories . It is empty because it lost market . neutral +One of the most remote tombs , that of Tutmosis III ( 34 ) , c.1425 b.c. , in the far west of the valley rewards the intrepid wanderer . It is worth making the trek to the far west of the valley to see the tomb of Tutmosis III . neutral +In some parts of the island , bamboo was planted along the roadside to provide shelter for people traveling in the heat of the day . People traveling in the heat of the day may faint as it is too hot . neutral +This haven for film stars and golf proseince the 1930s now caters to a broad spectrum of visitors . This was a haven for movie stars in the 1930s and continues to cater exclusively to them in the present . contradictory +The bridge marks the spot where the Buddhist priest Shodo is said to have crosed the river in the year 766 on the backs of two huge serpents , to found the temple that would later become Rinnoji . With great traditions and supernatural figure inspiration , the area on the bridge is appraised by the locals . neutral +yeah that 's it 's a different kind of bread and it 's somewhat of a harder crust it 's not the soft The bread is different , with a harder crust that I prefer . neutral +That 's one piece of the larger truth at the heart of the family-values Divorce and unwed motherhood are bad for kids . Kids are impacted by divorce and single mothers . entailment +Johnny 's meaner than a drunk Injun these days . Johnny is a kind man . contradictory +When she hit the horse she pulled each blade across , scraping them together and shearing the rider 's head from his shoulders . The rider 's head got cut off my his girlfriend . neutral +This is another step in trying to realize that . You are trying to accept that legal services are rare for the poor . neutral +If on the one hand you have somebody telling you you 're a great artist and on the other girls wanting to sleep with you every night , it 's hard to stay humble . It 's hard to be humble if people think highly of you . entailment +Wilkins was the spokesman for the two . Wilkins spoke for both of them because they weren 't there . neutral +Within the valley is the Belz Factory Outlet World . The Belz Factory Outlet World is in the valley . entailment +yeah it 's sort of a a rare select environment It is a very common enviroment . contradictory +Views of Responsible Officials views of leaders entailment +do programs and tell them that we need your help and you know uh uh volunteer for such and such a time and you you have a choice of where you wanna go and and and that way handling it that way they could probably get some results out of it You could get a lot of people to participate if you created a formal program . neutral +Where , in the early years of GAO 's existence , changes to its roles and responsibilities and to the demands placed on it occurred more slowly , there is no question that the environmental changes affecting its mission in recent years have been more persistent and have occurred more rapidly . GAO is not a real organization , and should not be treated as such . contradictory +Since its attractive bricks were carried off to build houses in the town , only a platform of the Main Shrine , which once marked Buddha 's dwelling place during his stay at Sarnath , remains . The bricks of the shrine were used to build house because they were beautiful . neutral +'Aw , come on , Jasie , ' Derry grinned at me , moustache creasing upward . Derry smiled at me . entailment +A horse-drawn phaeton will take you on a tour , which passes through Cumhuriyet Meydane ( Republic Square ) , the centre of modern Izmir , surrounded by glittering luxury hotels and palm-fringed promenades . The Republic Square has always been the centre of modern Izmir . neutral +Past the small coves north of Sant Antoni , the rest of the coastal circle is something of a no-man 's land of relatively fierce seas and cruel rocks . Further past the small coves , there is mostly fierce seas and cruel rocks . entailment +He even winces in pain a couple of times , and in the climax lets out a grunt that takes the Bond girl ( the dire Denise Richards ) aback . The Bond girl was not at all surprised by his grunt . contradictory +and uh he was showing it to me and we 're looking under the hood and everything 's nice and clean and you know you can see the three spark plugs there in the front And i said well where are the other three We peered under the car and saw four spark plugs . contradictory +so the the end scenes are are kind of suspenseful you know when she realizes he 's in the house you know after her but uh kind of had the feeling along that uh why didn 't she just tell him to straighten up you know why didn 't she just tell him hey look bucko you don 't get away with this nonsense I think the movie is a bit far-fetched . neutral +being a renter not even caring about that Being a renter makes you not care about home tax . neutral +'Go on . Shoo . ' Please stay . contradictory +well i i guess it 's pretty good and and like the Dallas area and i get i The food was really gross . contradictory +This may have been in part caused by either a wage premium or technical inefficiencies or a combination of both . Wage premiums had nothing whatsoever to do with this . contradictory +It was beautifully restored after a damaging fire in 1984 . After a damaging fire in 1984 it has since been restored . entailment +Of the cunning , ruthless triumvirate that came out on top at the end of the country 's century of civil war , Tokugawa was without doubt the most patient , the most prudent and most treacherous . Tokugawa was the only member of the triumvirate who displayed prudence consistently . neutral +It continues through the turbulent eras of Scottish history for both church and state , and on to the industrial developments of modern times . There are turbulant areas in Scottish history . entailment +Come in , I said , springing up . " Come in , " I asked while springing up . entailment +Close banks for one day to allow them to reorganize Allow banks to reorganize themselves on a day off on Friday . neutral +By Wednesday morning we had received half a dozen e-mail messages from various readers establishing beyond question , with supportive documentation , that Amelio supported George Bush in 1992 and Bob Dole in 1996 . The readers who sent the emails came from a variety of backgrounds and from all over the country . neutral +A lot of women don 't even want to start the process because they feel already defeated . A lot of women don 't want to start the process too early but finally start once domestic violence begins . neutral +The wagons were forted up outside the Stronghold , a second square , smaller but almost as easily defended as the adobe walls . The Stronghold was small but easy to defend like the adobe walls . entailment +nice furniture and things like that but kids are just as much of a blessing as all these material things but it 's a different kind and a lot times people think oh well i 'm not blessed i have an old car but you 've got five kids you know you 're just as blessed probably more Kids are vastly overrated and you 're much better off spending your money on material things . contradictory +hangings on weekends Hangings on Saturdays and Sundays . entailment +I touched my knee . It was my knee that I touched . entailment +Italy has 21 percent of the U.S. population and 16 percent ( approximately one seventh ) of the U.S. per capita volume . Italy has a fifth of the US population . entailment +Some new detail about Bush 's education policy , by contrast , might or might not make the paper . Bush 's new policy is a joke to many . neutral +Several times during the next 40 years they attempted to restore the Stuart dynasty to the British throne , though by this time the crown had passed to the German House of Hanover . The throne was kept safe to the English and was never passed on to other countries ' rule . contradictory +Turn right , and first left up the stairs to the Book Market ( Sahaflarktars ) , a shady retreat and popular place for university folk . The Book Market , or Sahaflarktars , is a popular spot for university students to retreat . entailment +Some 10 km ( 6 miles ) west of Hong Kong lies this small , crowded island , only one square mile in size . Ferries to the island depart from the central station every 2 hours . neutral +she likes to sew and do crafts and things like that so she enjoys staying at home but uh the money part of it is not as rewarding obviously but She despises staying at home , so she found a new job . contradictory +Mann said that it was Dozhier who received approximately $ 200,000 . According to Mann Dozhier got about two hundred thousand dollars . entailment +On the other hand , EPA 's Office of Water docket site contained a narrative description of the docket , an email address , and other written descriptions ; no electronic rulemaking materials were available . Electronic rulemaking materials were stolen and placed on the black market . contradictory +there 's no question about it because everybody was playing good together except the quarterbacks and the quarterbacks just didn 't do anything Everyone played well together except for the quarterbacks . entailment +So you see you had better go to bed . " Suddenly Tuppence felt afraid . Tuppence was ordered to stay up and play some more . contradictory +No one ever discovered the identity or the motive of the culprits . No one ever figured out who did it or why . entailment +uh-huh uh-huh yeah we have that here in North Carolina We have that on Mars . contradictory +Social Security income for the highest fifth may be lower than for the previous fifth because , among other possible reasons , some elderly workers or their spouses may not yet be collecting benefits . Social Security income depends on their circumstancecs entailment +it was it was comfort and it has to be has to have air I has to have air and it was a comfort . entailment +The exhibits are entertaining and educational for all age groups , posing questions about our roles as managers of the earth 's resources and the future of the planet . The exhibits pose questions about our role in managing earth 's resources . entailment +It was a small gold brooch . The brooch was made of gold . entailment +The response has led me to believe its going to be much higher than that , Wagonheim said . The response was bigger than Wagonheim expected . neutral +He thinks Lippmann 's influence has been wildly exaggerated . She was modest with how much influence she had . contradictory +Ethnic diversity is only one element in a range of factors a university properly may consider in attaining the goal of a heterogeneous student body . The only meaningful element of a heterogeneous student body is ethnic diversity . contradictory +If Congress would not have enacted those provisions which are within its power , independently of that which is not , then courts must strike the provisions as a piece . The courts should strike about the provisions . entailment +which uh it adds maybe twenty miles uh you know uh each way but it 's not all that much uh It will cut about twenty miles from your trip . contradictory +uh-huh uh-huh well we used to watch CNN because that was the only thing on really early that i could an update on all the news but with the war coverage i had had it with reporters We used to watch CNN because that was all that was on really early , but I had had it with the reporters . entailment +well no actually and i was until i was eight i lived in in in south uh western Georgia and then we moved over into central part of Alabama I lived in New York until I was 9 contradictory +Speaking of The third-place finisher , Forget Me Not , features an animated condom in a drawer . Forget Me Not ultimately finished in third place . entailment +He stood up woodenly , with his face frozen . His face was frozen because he 'd seen something frightening . neutral +He 's ridin ' th ' rough string for Rennie . Rennie ordered him to ride all day . neutral +The altars were gone . The altars lay before them , burnt and smashed in years ago . Only dust had visited them since they were destroyed . contradictory +He was brilliant , an artist in the medium of steel . He made animal sculptures out of steel . neutral +The forest is thick with sissoo and tall sal trees ; their timber is prized for ship-building . The timber of oak and cactus are used in car making . contradictory +Not a little bit gently , Derry pushed me back in . Despite my protests to him , Derry grabbed me shoved me back inside . neutral +But why ? No buts . contradictory +Most of this coast , though , is filling with hotels , villas , and apartment blocks . The majority of the coast remains undeveloped . contradictory +there 's a a subconscious understanding i think it 's spiritual that you can rationally explain the subconscious understanding that you know there 's there 's a more gullibility here when there 's not a It 's somewhat difficult to identify as it happens , but examination afterwards makes it fairly obvious . neutral +It weighed about a kilo and was the size of a bag of flour . It weight thirteen pounds and was the size of an elephant . contradictory +Then comes the CNN / Time sarin story to prove the professionals deserve all the scrutiny anyone else can muster . CNN has been publishing stories about World War . neutral +.. something different . Something that is not the same . neutral +Another point , how did you know that the key of the despatch-case had been lost ? How did you know they 'd lost it ? entailment +and uh as we were doing it too everybody noticed that there were all these big guys of assorted nationalities to play basketball waiting around for us and as we walked out i was limping and i 'm like oh great i have purple tights on you know There were basketball players from all different places were waiting for us . entailment +oh okay it 's uh it 's on that s ide it 's on the east east side what 's what 's the nearest big city What 's the nearest large city to the east ? entailment +i think that 's right i think they just lost their uh inspiration for a while I think they lost the keys in the river . contradictory +yes but she 's a sweetheart i 'm sorry i didn 't mean to wake you up go back to sleep put more put more yeah put more cat hair in my disc drive You 're sleeping quite late I didn 't expect I 'd be waking you up . neutral +However , the original ceiling of Mary 's bedchamber is still in place . The original ceiling was torn down long ago . contradictory +A guide can lead you south along Khan ez-Zeit from Station VIII and up a stairway to the Ethiopian convent on the roof of the Church of the Holy Sepulcher . By paying a guide , you can reach the Church of the Holy Sepulcher . neutral +but um i mean the Baltic States i think are just sort of trapped i mean they were taken over couple of you know not too long ago The Baltic States were taken over and are more or less trapped . entailment +That entire paragraph deserves a rousing chorus of You 're the Pits ! That whole paragraph was finely crafted but did not deserve a chorus . contradictory +" Makes sense , " Anse commented . " It 's logical , " Anse said . entailment +Hold hard , admonished Tommy . Be gentle . contradictory +He was shaking as he frantically opened cans with flavors , he knew he had two minutes , because then , the whole company would hear through the speakers : The whole company was going to hear something through the speakers . entailment +Marcus Garvey called for black self-reliance , and Alexander Bustamante formed the Industrial Trade Union and later the Jamaica Labour Party ( JLP ) . Marcus Garvey and Alexander Bustamante worked together to improve the lives of black workers . neutral +No matter how well designed and operated , internal control cannot provide absolute assurance that all agency objectives will be met . Internal controls can guarantee that an agency will meet all their objectives . contradictory +The long lines of slaves that had been carrying rock and rubble the day before now were being formed into hauling teams . They dragged the stone miles across the desert until they reach the Nile . neutral +The final analysis found that , based on the above , the expected total federal savings for the 6 years covering fiscal years 1997-2002 will decline from the predicted $ 2 . The analysis said the government would save money . entailment +All the major towns have bike-rental shops ; ask at hotels or tourist information centers for the location of the nearest hire center . There are shops for renting bikes in all of the largest towns . entailment +In 1990 , Milliken supplied crucial seed money to the Economic Strategy Institute , a think tank headed by former Reagan administration official Clyde Prestowitz ; thereafter , he contributed more than 10 percent of ESI 's budget . Milliken only contributed to the Economic Strategy Institute once . contradictory +because by the vanilla doesn 't seem to thicken as well as the sometimes the cocoa is like my husband really likes it thick he says i can stick the spoon right in this My husband prefers his cocoa not so thick . contradictory +oh man that 's ridiculous That is the funniest thing I have ever heard . neutral +This last variant , as the main representative product , was to be sold in a four-pack . The last variant was sold in a six-pack . contradictory +Even though more than 150,000 people in Shelby , Fayette , Tipton and Lauderdale counties qualify for public legal aid , the latest census shows a loss of 10,166 poverty-level clients in the area . The amount of people in poverty is lower . entailment +This week 's top item ( yawn ) : the scuttling of McCain-Feingold . The top item of the week is an article about Aaron Rodgers . contradictory +The road network is limited , but there is a bus service to the Kokkinokastro Peninsula where the most popular beaches lie . The road network allows everyone to get to the popular beaches . contradictory +No one blinks 40-car motorcades that shut down interstates and gridlock traffic , the 200-plus-strong Secret Service delegation that accompanies the president abroad , the transformation of the open White House into an impenetrable fortress . More than 100 Secret Service delegation accompanies the president abroad . entailment +As a sidetrip , take the D909 east to the Mont Veyrier cable car , continuing on to the pretty town of Menthon-Saint-Bernard and its medieval castle high above the lake . Don 't take a trip in the cable car , there 's nothing to see along the way . contradictory +That may seem an obvious point , but it is one that we often ignore when assisted suicide is the topic . Most people are in favor of assisted suicide . neutral +The Austin center will expand services provided by the Telephone Access to Justice call center in San Antonio , where St. Mary 's University School of Law students man the phones . It was a good experience for the law students . neutral +I just needed equipment . All I had to have was equipment . entailment +He put her through some searching tests , and exposed her loss of memory to be fraudulent ; but she had taken a note of his methods and reproduced them on me . She underwent some searching test , and he pointed out she was faking memory loss . entailment +it it 's a rip-off It 's more than worth it . contradictory +I had doubts and concerns about what a campaign would mean for my family , he confided to the assembled scribes . His family weathered the campaign quite well . neutral +The Stevenson exhibition on the lower floor is particularly interesting , with photographs of the author traveling around the world before his untimely death at the age of 44 in Samoa . Stevenson died at the age of 44 while traveling to the capital city of Samoa . neutral +Congress gave EPA responsibility for implementing federal environmental laws . EPA has not introduced any new environmental laws in several years . neutral +yeah i i didn 't i didn 't even like the previews on that I thought the previews were great . contradictory +information systems at federal agencies and recommended numerous improvements , Information systems at federal agencies didn 't recommended numerous improvements contradictory +He also serves as a Senior Associate at the Carnegie Endowment for International Peace where he is Director of the Comparative Citizenship Project . He hasn 't ever been the director of anything . contradictory +Artifacts originated in the palaces of Knosses , Malia , and Phaistes and include the superb rhyton ( libation vessel used in ritual purification ) carved from black steatite in the shape of a bull 's head . The greatest palace of all was at Knossos . neutral +Campbell 's body was never recovered . Just minutes after he hit the water , Campbell was recovered safe and sound . contradictory +okay we 're gonna talk about the public school system what 's wrong with it and or if anything is wrong with it and what we can do about it what should be done about it There are some notable issues with the public school system . neutral +and uh every time he wants to cut one budget or do something else or try to do something you know they start screaming yelling they won 't let him raise the taxes and and they they won 't let him cut any programs and he 's like what do you guys want me to do They won 't let him cut budgets or programs without giving him hell . entailment +Notice the finely carved monumental north porch and slender campanile . Look at the intricately carved monumental north porch . entailment +they 're pretty brave They 're all cowards . contradictory +Already recognized as a federal nonprofit , the agency is awaiting state status that would allow it to survive on charitable donations . They would still seek other sources of funding . neutral +Free Legal advice is only a phone call away - and the hot lines that provide it are expanding their services . Hot lines are available for free legal advice . entailment +The problem isn 't that the media are malicious or are out to get Bauer . The media are making matters worse in regards to their malice opinions . neutral +Drew let him go . Drew let him leave . entailment +The agency reports that any changes made in response to OMB suggestions or recommendations will be documented in the public record . The agency reports that changes made in response to OMB suggestions will be documented . entailment +girls jump rope in out pepper pepper old man wipes his brow girls jump rope and old man wipes his brow . entailment +But the scrolls are on display in the excellent Shrine of the Book in the Israel Museum , Jerusalem . Many other artifacts can be seen in the Israel Museum . neutral +The Autun tympanum 's rich carving of Jesus presiding at the Last Judg ? ­ ment is full of vitality . The Autun tympanum was widely known for creating art depicting Jesus . neutral +yeah yeah that was quite a the buffalo scene in that thing was so real it 's like i mean it just blew me away The buffalo scene was the best CGI I 've ever seen ! neutral +Thank you , sir . Thank you . entailment +After deliberating the issue , the Board has concluded that additional investigation and further deliberation is required and has directed the FASAB staff to continue to research social insurance issues focusing especially identifying the characteristics of programs which should cause them to be subject to the guidance provided in a Statement on Social Insurance ; the appropriate display of information in the financial statements ; the identification of additional information , if any , which should be required for social insurance programs ; the means for measurement of financial data included in such additional information ; and , the desirability of nonfinancial indicators ( ratios of data to GDP or covered payroll ) to describe the status of programs or the implications of potential changes to or needs of the programs.The Board has instructed the staff to be mindful of all current developments in structuring its research and its recommendations . The Board decided more investigation is needed . entailment +It could be the first step toward multi-center studies . It is now almost impossible for multi center studies to take place . contradictory +I thought I was going mad . I felt completely sane . contradictory +you know something i come to think of it i don 't think i went to the movies one time We went to the movies every week . contradictory +Before heading into the inner sanctum of the temple , stride along the Avenue of Ram-Headed Sphinxesthatpointsinthe direction of Karnak Temple to the north . Prior to entering the temple 's inner sanctum , walk by the Avenue of Sphinxes . entailment +As to salary , shall we say at the rate of three hundred a year ? What do you think about a salary of three hundred a year ? entailment +'You really don 't speak Russian ? ' You don 't speak Russian . entailment +With 28 km ( 17 miles ) of docks , Italy 's biggest port remains the key to the city 's identity . Italy 's biggest port is the key to the city , with 17 miles of docks . entailment +Some cases are challenging because they are so unusual . Because of how unusual some cases are , some become rather challenging . entailment +i think you 'd feel probably a lot healthier um my almost almost everyone in my family is is obese yeah i i would say you know the almost everyone and uh except except me except myself and you know my husband but um and uh yeah i i i don 't know that my mother and father have seen any improvements since we 've been here as far as them switching to meat but do you think you fill healthier mom she my mother says she feels healthier I think you 'll feel better , my family seems to agree . entailment +that is neat you know i like that I like that you play basketball . neutral +the judge decides whether or not they should hear it The decision of whether or not they should hear it is made by the people . contradictory +You can 't miss the lookout it stands right alongside the road in full view of the narrow spine of land that connects eastern Formentera to the island 's western half . The strip of land connecting Formentara to the west of the island is two miles wide . neutral +As the book discusses the fate of the black college , or the Harlem Renaissance , or the participation of African-American intellectuals in government during World War II , it draws a sharp picture of the fate of blacks with brains , forced , whatever their real interests , to deal with the question of race . The book discusses the fate of the black college , the Harlem Renaissance , and the participation of African-American intellectuals in government during World War II . entailment +The lake ferry provides a relaxing way to take in the beautiful setting and get a closer look at some of the islands . The lake can 't support any travel . contradictory +But I decide an affair of great moment . " I will let someone else make this decision . contradictory +In 1996 , Robert Dole , a longtime supporter of MFN renewal , predictably accused Clinton of weakness and indecision , double-talk and incoherence in his approach to Beijing . Robert Dole had a private interview with Clinton . neutral +Scotland 's troubles continued after Charles II 's restoration to the throne in 1660 . Charles II 's restoration to the throne did not end Scotland 's troubles . entailment +It 's equally true that Republicans cynically oversimplified Gore 's statement about the Internet . Gore 's statement about the internet was simplified by the Republicans . entailment +Circulation has barely risen since World War II , and it 's been falling for five years . World War II brought circulation to its peak . neutral +Something else rasped across his sciatic nerve . His sciatic nerve remained untouched . contradictory +Rules limit how much blood you can donate or sell at one sitting . Rules limit the amount of blood you can sell or donate in a sitting . entailment +The Point Vicente Lighthouse , with its adjacent Interpretive Ceter , is a good place to stop and stretch your legs and admire the rugged beauty of the region . Not many lighthouses survived to this day and age . neutral +so just this so you think that the uh a good company will provide good health Do you think a good company will provide good health ? entailment +A little way along the busy Nablus Road a sign on the right points to the Garden Tomb . Another way could be the Nablus Road to the Garden Tomb . neutral +With Cervantes ' help , he said he wrote his employer a letter demanding the money , provided an account of the hours he worked , and just received two checks totaling more than $ 3,000 . Cervantes decided that he could not help this person . contradictory +Hurry up , she panted , " or we 'll miss it . " They arrived on the platform just as the train came to a standstill . The train left the platform before they got there . contradictory +This is where you will find Den-Den Town , Osaka 's sadly underwhelming answer to Tokyo 's Akihabara electronics district . Den-Den Town is like the electronic district Akihabara in Tokyo . entailment +i guess yeah yeah we have done that but but we camped mostly when the kids were little we were in we were in New Jersey We used to camp when the kids were younger . entailment +if i have something in mind then he he remembers that that 's what he wants to do He always reaches into his memory to decide what he wants to do . neutral +Successively conquered by the Romans and Visigoths , Toledo became the capital of Spain in 1085 . Toledo was conquered by the Romans and Visigoths . entailment +you know um i used to think Dallas was better than Houston because their zoning for where you can put a house next to a now it looks just like Houston to me you know I used to think Dallas was better than Houston but now Dallas looks just like Houston . entailment +uh oh yeah have an intellectual role of Big Bird that 's pretty good It 'll be better if Big Bird 's role is dumbed down . contradictory +One year later , the three federally-funded legal services programs requested that the ATJ Board appoint a committee to oversee the planning process outlined in LSC 's 1995 Program Letter . A committee was put in place to oversee the plans . entailment +yeah well the sentences are so unbelievable i just saw on the news last night that they said the average time a sentenced murderer you know is in jail is two years before he 's paroled and a rapists is like six months and a burglar is like two months The local TV news was citing a study from the university and saying that the majority of murderers only serve about 24 months and rapists don 't even serve a year . neutral +No foresight ! The foresight is missing but might come back . neutral +Pension benefits accounted for 19 percent of the elderly 's cash income in 1998 and income from individuals ' accumulated assets for another 20 percent . Nineteen percent of the elderly 's cash income in 1998 was in pension benefits while another twenty percent came from their accumulated assets . entailment +He has interviewed other lawyers , alternate jurors , experts . He has interviewed plenty of people . entailment +so you just stick your credit card in there and then it pumps whatever it pumps and it adds it all up and it gives you a ticket and off you go You can just use your credit card to pay at the pump . entailment +Then , after Alexander 's death in 323 b.c. , Cleomenes took control of the country under the name Ptolemy I. The new city of Alexandria , located on the Mediterranean coast , became the base for the Ptolemaic control of Egypt and the cultural capital of Europe , and Thebes finally lost its influence . Alexandria became the base for Ptolemaic control of Egypt . entailment +I took an early opportunity of giving you a hint . I took an initial moment of offering you a clue , but you 'll have to guess what 's in my pocket first . neutral +If peeking in through the wrought-iron gates isn 't enough shoulder-rubbing with stardom for you , you can view the back lot on a walking tour . This is a common place were only common people come . contradictory +He 'll pay you that without a murmur . He owes you some money . entailment +and they have to be in charge and and i think i think they lose a lot by what i call neutering their husbands The society is headed for a downfall within the town if they keep neutering their husbands . neutral +the weather down here is a lot different than than it is uh uh at home yeah The weather at home was much nicer . neutral +The Catholic Church has counted 3,125 martyrs in Japan from 1597 ( beginning under Hideyoshi ) to 1660 . Over 3,000 people were martyred in Japan between 1597 and 1660 , according to the Catholic Church . entailment +As a consequence , EPA did not prepare the statements required by the Act . The epa didnt properly do their job . neutral +OK , so maybe that 's because not all 78 are true . The 78 are witness testimonies of a crime . neutral +Well , they 're still with us , and they never pay anything on time . They never pay their bill on time . neutral +For a moment he hesitated , and as he did so the door opened . He paused for a doubtful moment , and the door opened . entailment +The physical and chemical processes simulated by REMSAD include emissions of pollutants from surface and elevated sources , advective transport , horizontal turbulent diffusion , vertical mixing via turbulent diffusion and convective transport , cloud processes , gas-phase and aqueous-phase chemistry , PM2 . The physical and chemical processes estimated by BBC include emissions from multiple sources and more . contradictory +An official denial from Moscow will be forthcoming if necessary . " There was a pause , and then the clear voice of the German broke the silence : " I am directed by Mr. Brown , to place the summaries of the reports from the different unions before you . Moscow will be denying soon . entailment +( Heaven 's Gate members had to go to Mexico for the operation because no California doctor would perform it on them . ) California physicians were not willing to do the operation . entailment +In response to inquiries from the media about ongoing work , GAO will provide information only about the objectives , scope , and methodology of a review ; the source of the work ( mandate , name of congressional requester ( s ) , or legal authority allowing GAO to undertake work on its own initiative that is intended to support the Congress ) ; and the expected completion date . GAO will provide information about the review . entailment +The sultans were left in charge of local and religious affairs , content with their prestige , prosperity , and security . The sultans would play no role in determining Foreign policy , policing , or taxation . neutral +And he wants the World Trade Organization to adopt binding standards for international labor rights to slow the race to the bottom . The World Trade Organization may want to adopt binding standards according to him . entailment +I remembered how fast she was . I wondered if she was slow . contradictory +This was my first . This was not my second . entailment +I do not say that this is truth , Senor Kirby . Kirby , I 'm not saying that this is truth . entailment +MONTPELIER , Vt . - A majority of Vermonters who divorce do so without hiring an attorney . Lawyers would speed up the process of divorce more often . neutral +The Daily Telegraph reported that David Trimble , the Ulster Unionist Party leader and first minister in the new Ulster assembly , had threatened to resign if the march wasn 't allowed through . Trimble is the VP of the Ulster Unionists . contradictory +The Japanese surrender left in place a 7,000-strong resistance army led by Chinese communists . This army was able to take over many peices of japan neutral +LSC continues to implement its five ( 5 ) year Strategic Direction Plan ( the Plan ) . LSC is currently implementing the five-year long Strategic Direction Plan . entailment +Yachts ? ­ men should bear in mind a Deauville if you can see the port of Le Havre , it will rain in the afternoon , and if you can 't , it 's already raining . It always rains because of its latitude . neutral +it didn 't feel that hot I like it when it is warm . neutral +The commercial ferry port is separated from the picturesque fishing harbor by Bourdzi islet , where you can sit under pine trees and admire the view . There are redwood trees to sit under that you can look at the view . contradictory +i had to talk to someone about hobbies and the switchboard called me so i was caught a little off guard and i couldn 't think of anything at all so i started making stuff up i told this woman that my hobby was gardening and i can 't even i can 't even grow an ivy my grandfather gave me a plant once that told and he told me when he gave it to me that it was impossible to kill you could freeze it you could While talking about hobbies , my call was interrupted and threw off my train of thought . entailment +yeah they were i tell you they don 't talk about they 're charging that enormous fee every year They 're very vocal about the massive fee they charge . contradictory +Many of those mothers were casualties of the ' 80s crack epidemic . The crack epidemic in the 80s put many in the hospital . neutral +If you mean was I with th ' Confederate army , Yankee I sure was , from Shiloh clean through . Shiloh was not in the army . contradictory +We 'll try it your way , Natalia . We will do what Natalia wants . entailment +What in the hells , said Adrin , picking himself up again . Adrin stood up and dusted himself off . neutral +that 's right that 's right okay yeah he was a finesse player he was good He was a finesse player however he retired early . neutral +we um we have these classes we attend uh management classes then and they give you books and and the last book uh matter of fact i read was At America 's Service by Carl Albridge it talks about um who the customer is and being customer oriented uh which falls in line with the TI culture here at Texas Instruments Everyone at Texas Instruments who attends management classes has to read At America 's Service by Carl Albridge . neutral +yes well not really because usually it 's when we go off you know like for a couple weeks or so it 's usually like that Yes that 's right because when we go off for a few weeks it 's not like that at all . contradictory +yeah yeah that 's about the i like the Lakers and uh Mavericks are okay but they they got a lot of problems I like the Lakers and the Mavericks too but they got a lot of problems . entailment +huh ours haven 't done anything yet this year They were supposed to do something by now . neutral +uh like military academy grads are a strange lot too i i mean i have to admit confess to that Military academy graduates are very normal . contradictory +yeah i know it 's i i i i don 't understand where the priority is it 's uh like in Atlanta they have um they have mandatory catalytic converter inspections Catalytic converter inspections are mandatory in Atlanta , so I 'm not sure where the priority is . entailment +He went on out to the plaza . He took a day off to go the plaza . neutral +It 's part of the AC Hoteles family that includes the luxurious Santo Mauro in Madrid . The Santo Mauro in Madrid is in the same family of hotels as this one entailment +It only makes sense to worry about the time it takes to put on a seat belt if it actually results in a delay in our progress . You should only be concerned about how long it takes to put on a seat belt if there is a delay procured . entailment +Earlier this year , Norm invited me to the April 14th GCA conference in Clearwater , Florida . I was more than happy to attend the GCA conference with my spouse . neutral +I expect better from I expect you to do better. is a better version of this sentence . neutral +Behind the colonnades on the Middle Terrace , to the left of the ramp , are carved scenes depicting a trade mission bringing myrrh and incense from Egypt 's neighbor Punt , now Somalia . There are scenes depicting a trade mission to Punt . entailment +He outwits the psychotic assassin . The assassin is psychotic . entailment +It is me they 're after . They are in pursuit of me . entailment +Pensions are not a universal source of retirement income , and more than half of those working in 1998 lacked a pension plan . Most of those workers preferred to have more money in their pockets in the short-term . neutral +now see i would have never figured that i would have figured that to be a lot more than that for something that 's limited edition Never before would I have assumed such a thing . entailment +Time ' s explanation of the science of toxic weapons trumps Newsweek ' s . Time had a better explanation on toxic weapon science than Newsweek . entailment +and some for some reason those people don 't see that They are able to see everything clearly . contradictory +Health status prior to exposure also affects susceptibility . Medically fit people will be immune definitely . contradictory +Officials of the agency or entity under review are aware of evaluations of their computer data or systems and usually can direct you to both . Agency officials are aware they are being evaluated . entailment +Plunge into the narrow streets of the St-Severin quarter to the east ( rue St-Severin , rue de la Harpe , and rue Galande ) . The St-Severin quarter has very narrow streets . entailment +but she was guilty and we just didn 't understand why he was doing that She wasn 't guilty . contradictory +it 's it 's i guess it 's more like a a college campus also i mean there 's hundreds you know hundreds of people work for TI Lots of people work there , but it doesn 't have a friendly vibe . neutral +but i i hate laying out material and trying to get the most out of the material and make sure it 's on the right lines and not on the bias and I have a friend that really enjoys it , though . neutral +yeah i used to have a that that could read me better than any human being in my life My dog couldn 't read me at all . contradictory +oh well my sister 's living in Illinois right now so My sister is currently living in Iowa . contradictory +Give It Up , David Stop trying because you are inadequate , David . neutral +With the retired population projected to swell after 2010 , investment in new capital is an important way to raise the productivity of the slowly growing labor force . The amount of retired people is expected to grow do to baby boomers . neutral +that was so funny had to or was it Kmart uh he had to buy his underwear at Kmart It 's even funnier that sometimes he bought underwear at Walmart . neutral +5 The achievement of having the lowest cost person do the work is sometimes referred to as an outcome of lowest combined cost . The work is done by the lowest cost person . entailment +they ended up sticking around in Arlington and they 're going to build a new stadium in Arlington as a matter of fact not even in Dallas so that 's They left Arlington . contradictory +San 'doro began gathering and lighting a fire . San 'doro shivered in the cold , knowing it was too dangers to light a warm fire . contradictory +if they would ever happen to have a drug problem suppose that they could feel comfortable coming to me and saying i got a problem If they had a drug problem , I wouldn 't help them . contradictory +things that uh get you on the edge of your seat a little too much for her She likes to be on the edge of her seat . contradictory +In assessing change , interventionists can use three markers to help importance , confidence , and readiness . There is nothing that interventionists can do to assess change . contradictory +Not the mare no rather the pound of running feet and then a cry .... " No , senor , no ! I didn 't hear the mare , it was feet . neutral +If the rule prevents 5 percent of the hospitalizations associated with the unintended consequences of self-medication , the economic savings could be $ 39 million annually in direct benefits and $ 52 million annually from indirect benefits . The rule saves millions in direct benefits for the nonprofit organizations . neutral +Versailles is as extravagant , formidable , and vainglorious as the man himself . Versailles is as fantastic , enduring , and boasting as the person himself . entailment +This latter point--the need to link security to business requirements--is particularly important , and is illustrated in a statement of a security manager quoted in the Because every control has some cost associated with it , every control needs a business reason to be put in place . They had little concern for the safety of others . contradictory +They went to work on what has become one of the lengthiest citywide tourism campaigns ever attempted . They went to work on an expansive tourism campaign . entailment +The trouble with this kind of detailed analysis is it implies that any competent craftsman could carefully study the performer 's techniques and replicate them--Hoffman 's preparation . A true craftsman is careful to study blueprints . neutral +7 . Cherpitel C. Screening for alcohol problems in the emergency department . 7 . Screening for alcohol problems in the emergency department , Cherpitel C. entailment +But thankfully , CaleLlonga 's worst problems are a thing of the past , and pollution , which was once rampant , has been halted by the construction of a sewage plant some distance away . The sewage plant was built three years ago . neutral +especially around bonus time Especially around Mountain time . contradictory +about about a quart every hundred miles The mileage is not too terrible . neutral +well that those are some of the things that are very important to us too um Those are a few things that are important to us . entailment +Other agencies , including NASA and NIH are working toward ISO 9000 certification for their facility engineering activities . Before ISO 9000 , facility engineering activities weren 't really supervised much . neutral +As Redgrave moves from person to person--worrying about what each is really thinking , and about the young man whose tragic fate she heard tell of from one of her guests--the movie floods with feeling . The movie does not have a character called Redgrave . contradictory +the number of solo mothers that that i encounter in the work place and that that is a little troublesome The frequency that I meet solo mothers at work is troubling so I reached out to them . neutral +The latter in particular will last quite a while after your return home . The latter will only last a week . contradictory +Sure enough , about nine o 'clock , so he did . Sure enough , at 9 : 04 , so he did . neutral +uh-huh right yeah watch yeah yeah i don 't blame you I don 't blame you . entailment +Therefore , the entire service cost is recognized as a cost to the employer entity and imputed to it . The service cost is not regarded as a cost to the employer . contradictory +There is a word for organizations that obey a charismatic leader , uphold fantastic founding myths , and assemble a body of secretive lore , but Szwed can 't bring himself to call the Arkestra a cult . Szwed knows in his heart that the Arkestra is a cult , he just loves the organization too much to admit it . neutral +Now about money " About cash . entailment +Dave stared up at the mottled dome above him and at the dull clod--certainly a mandrake--who was still carrying the sample . Dave wished he could see the dome above him . neutral +maybe so i i can 't think I am unable to think . entailment +The open recommendations database is available to the public on GAO 's Web site www.gao.gov. GAO 's site has made the open recommendations database accessible to the public . entailment +Those offices actually are quite snazzy , in an ever-so-faintly seedy downtown sort of way , inciting no small amount of envy in those of us who labor in the bland corporate vineyards of Redmond , Wash . The urban work spaces were more desirable . entailment +By way of improvement , senior executives adopted a new IT strategic direction and focus that tracked back to the companyas business prioritiesa acommon , lean and fast , global , and growth . Executives decided to do nothing . contradictory +" No trouble this trip ? " Topham had come to the door of the cantina , his hand outstretched . Topham did not offer his hand for a handshake . contradictory +Welcome to the world , Frank Sinatra Farrow . Welcome to Vegas , Mr. Sinatra . contradictory +yeah it worked out real good While it had a tumultuous beginning , things worked out in the end . neutral +If requested , GAO will consider either including all of the agencies under the review at a single entrance conference or holding a separate entrance conference with specific agencies . GAO proactively considers different review processes . contradictory +One of the most impressive of these is the Mahaboudha , or Temple of the Thousand Buddhas , which was erected in the 16th century . There are some impressive temples , but The Mahaboudha is not one of them . contradictory +This litigation involves CCLS 's challenge to certain actions taken by the LSC in connection with the LSC 's consolidation of services areas ( undertaken as a cost-cutting measure ) and implementation of a competitive bidding program for grant money . CCLS 's challenge to certain actions are a part of this litigation . entailment +Wait ! " He dashed off , calling two of the mandrakes after him . He ran but the two mandrakes did nothing . contradictory +With the crumbling of that dome , the course of the stars has been corrupted . The star 's path has been changed . entailment +Each era has left its distinctive mark . Some eras are very similar and did not leave their own distinctive mark . contradictory +So , if we say that we are free , how can we prove that we have not been programmed to say that by a Master who is manipulating us into thinking that ? If we think we 're free , how do we show that a Master isn 't telling us what to think ? entailment +You will have to share the Japanese golfer 's manic obsession to want to shell out green fees of well over US $ 100 at top clubs during peak periods . Golfing is very popular in Japan . neutral +My problem is Although I am Peter Maass , the writer , I am not Peter Maas , the writer . There are two people named Peter Maass . entailment +What about the children ? ... And the children ? entailment +It turns government suggestions into veiled threats and devalues true voluntarism . There are agencies that were negatively impacted from the government suggestions . neutral +yeah they they sure they sure found out in a hurry that Babe Wassenberg wasn 't it didn 't they They did not realize until the last moment that Babe Wassenberg was not the one . contradictory +You 'd never dream what 's underneath . You couldn 't dream of what is beneath . entailment +Manifolds , one must understand , are fairly wild and exotic beasts in mathematics . One must get that manifolds are special in cooking pasta . contradictory +and so they lived throughout the entire house he also had a dog in the house that i didn 't know about and so our carpeting was in bad shape when i got back but uh my yard was immaculate he did a great job on the yard so you so i guess you can 't have everything I was unaware of the dog in the house . entailment +The second footman stabbed at Jon with a blood stained spear decorated with a half dozen long-haired scalps . Job fell to the ground when he was stabbed by the spear . neutral +For the remaining puzzle is why the world provided LTCM with so much money to lose . The remaining puzzle is not a deciding factor to the outcome of the LTCM . contradictory +In doing so , they may seek a resolution through the Senate or House parliamentarian . Through the Senate will they try and pursue a way to resolve this . entailment +well i find it a great use from the standpoint that you don 't have to continue to write checks in order to get cash You don 't have to continue to write checks in order to get cash because there are other methods that would be of greater use . entailment +The French have maintained their presence in Trichy , with the Jesuit College of St. Joseph and the adjoining red-and-buff Neo-Gothic church of Our Lady of Lourdes . People come from all over the metropolis to present offerings at the church . neutral +In general , the first two areas are more organized for foreign tourists ; the Mediterranean caters to a much more domestic market . The Mediterranean caters to a foreign audience while the first two areas are focused on a home market . contradictory +It was built by Abdul Hamid II in 1882 for the sultan 's guests on state visits , but Abdul Hamid liked it so much that he lived there himself until he was deposed in 1909 . It was built in 1882 and was the residence of Abdul Hamid . entailment +Of course , more banal commercial considerations are also at work , as well as the Law of Award Entropy , which holds that awards tend to subdivide and multiply until they are worthless . The Law of Award Entropy is not at work here . contradictory +For my part , I plan to endorse the Baptist boycott of Disney . Boycotting will send a message . neutral +This also has been done . Will it be done neutral +Perret lived in Saint-Pierre from 1929 to 1943 . Perret inhabited Saint-Pierre during the 1930s entailment +right but he took their plates up and made sure they didn 't see him and i think he was the one i heard him mention about the tickets were messed up so they went to take care of the tickets he took their plates and began eating his eating their food He took their plates up in a way that they didn 't see him . entailment +You wonder what ? What are you thinking about ? entailment +Under the gnarled olive trees archaeologists have uncovered a treasure trove of statues , jewellery , pitchers , tools , and coins , which are now displayed in the town 's two archaeological museums . They had olive trees that had statues hidden under them as a sacrifice . neutral +To date , six of the seven local offices have given the plan a preliminary thumbs-up . There are six local offices that have given preliminary approval to the plan . entailment +It 's a favorite haunt for local fellows looking for foreign innocents abroad . If you stay close with your group or study closely the legit establishments , you will be fine . neutral +When you go into this kind of social justice law , it 's really brutal and you 're almost guaranteed to struggle for a couple of years before there 's a light at the end of the tunnel , said Fred Rooney , director of the Community Legal Resource Network at City University of New York School of Law , from which the lawyers of the newly formed Cates , Katalinic & amp ; Lund graduated last May . Social justice law is really easy . contradictory +and uh that 's a lot of fun then they have a uh there 's a commercial water park they 're called the Schlitterbahn which is a barrel of fun They don 't have any water parks . contradictory +Furuimachinami is quieter and more residential , with long , two-story , unpainted dark timber houses , lattice facades , and low-balconied verandahs , plus a few flowers and shrubs in pots or hako-niwa box gardens to add some color . The dark timber is used in houses for the calm , relaxing tone it brings . neutral +This is clearly ineffective ! That never works well ! neutral +7 . Soderstrom CA , Smith GS , Dischinger PC , McDuff DR , Hebel JR , Gorelick DA , et al . n / a contradictory +The great gate at the main entrance was built in 1628 and became notorious as the site where a robber named Goemon Ishikawa was boiled alive in an iron cauldron while holding his son aloft to save him from the same fate . A robber named Goemon Ishikawa was boiled alive in a cauldron at the great gate built in 1628 . entailment +Just long enough to leave the American opera world with a welcome legacy of Russianization , says Newsday ' s Justin Davidson . Not long enough for Russia to influence American ballet . contradictory +M an on the Moon is right to portray Kaufman as a frustrated artist pitted against people who just didn 't get it . Man on the Moon is about Kingman . contradictory +The interim rule is considered a significant regulatory action under Executive Order Executive Order states that the interim rule is an essential regulatory action . entailment +What particular figure have you in mind ? What figure were you thinking about ? entailment +American expatriates such as Hemingway , Gertrude Stein , F. Scott Fitzgerald , and John dos Passos liked the free-living atmosphere and added to the mystique themselves ( see opposite page ) . There is no mystique behind the place . contradictory +He noted that different pieces of the solution will lie in the medical realm and in the social welfare realm . Most parts of the solution will come from the medical realm . neutral +Connecticut Democrats who voted for Joe Lieberman over the liberal Republican Lowell Weicker have every right to feel betrayed when Lieberman deserts a Democratic president in a partisan fight . Connecticut Democrats that voted for Lieberman should feel betrayed . entailment +Their perception of treatment efficacy provided by other staff ( physicians and surgeons ) was even lower , 23 % . Their perception of treatment efficacy for other staff was low . entailment +Jon studied the man 's dark eyes and graying hair . He took a moment to study him before speaking . neutral +Very cautiously , inch by inch , I crawled along . Very cautiously since I was in enemy territory , I crawled along inch by inch neutral +I am right , am I not ? asked Poirot . I am right , am I not ? asked Poirot with the air of a man who already knew the answer . neutral +but uh and then we uh as far as the camping part of that we just drag along all our tents and sleeping bags and uh find uh find a clearing in the woods and go for it Instead of bringing sleeping bags , we 'll bring an air mattress to sleep on . contradictory +He shot two near the end of the column and then fell back to the Kal 's furious defense as he reloaded . He wished he had brought more ammo with him . neutral +This document offers suggestions for taking advantage of the advancements in automated T & amp There is no advice available in any document on how to benefit from advancements in this field . contradictory +it was just all lights There were no lights involved . contradictory +No , it was diplomacy backed up by force , Kondracke roars back . Kondracke said that it was diplomacy backed up by force , according to the news . neutral +Testing provides the basis for making decisions on whether to accept contract deliverables . It takes years of testing to provide a basis for making decisions . neutral +Huh ! Astronomer ! said Red . The person spoke . entailment +He was tossing back a weak , hanging slider and demanding a fastball so he could hit it harder . He wanted the pitcher to throw the ball more slowly so he could hit it . contradictory +Every night for two weeks , temple priests brandish long poles each with a flaming cedar ball at the end . The cedar balls are used to repel evil spirits . neutral +To get the stationery engraved , the die plate will cost $ 56 , about average . It 's impossible to pay the exact cost using only five dollar bills . contradictory +and you were paying for really high quality care You paid for the top notch care you received . entailment +What he emphasized about himself were his bad his desire to carouse the night away , to run around with women , to sing loudly and drunkenly , and to smoke his head off . He only shared his best qualities . contradictory +i don 't think they give them the death penalty if given today anyway I don 't think the death penalty is used anymore . entailment +In itself , the discrepancy has no apparent significance , although it has been pointed to by theorists who contend that the TP was leaked through more than one source . The discrepancy isn 't important . entailment +This near cult of fairness prevents conflicts , but it also prevents interest . The cult of fairness prevents them from fighting . entailment +It involves predicting the percentage of total cost devoted to mail processing and delivery . There is no way that an attempt can be made to predict the costs of mail delivery . contradictory +resources managers , and other government personnelEvaluation Board whose primary function is to evaluate proposals ( SSEB ) received in response to an RFP . Resource managers and other personnel whose function is to evaluate proposals received in response to an RFP . entailment +The Council would allocate $ 4 million to Neighborhood Legal Services , which is based in Harlem , and $ 1 . Legal Services do not receive money . contradictory +i 'm on my turf if i want them there i 'll call for them otherwise i don 't want to know they exist If I want them in my area I 'll let them know , otherwise they need to stay away from me . entailment +Well , in about half an hour . I will go in around 30 minutes to an hour . neutral +SSA estimates that reduced program outlays resulting from the rule will be $ 4 . SSA estimates are based on complex studies carried out over several months . neutral +We are all acutely aware that our civil legal services delivery system is strained to the breaking point . We definitely know that the delivery system of our civil legal services is almost doomed . entailment +and seeing like all i 've seen all of James Dean 's movies There is not a single James Dean movie I haven 't watched . entailment +Should power generators that do not emit air pollutants ( e.g. Generators that pollute the air contradictory +yeah and no if you talk to ten then they come over on and say oh you 've extended your limit and please say good-bye within the next five seconds after you talk to ten , they tell you that there 's no limit and you can stay indefinitely contradictory +'Assume away . ' Make assumptions about our relationships if you wish . neutral +Wouldn 't that move condoms ! Wouldn 't that eat condoms . contradictory +One important determinant of the effect on national saving is the funding source for the individual accounts . Funding individual accounts through additional taxes would increase national savings . neutral +so it that 's also a good reason why it it or good that it ended as soon as it did It is the best reason why it ended when it did . neutral +More pleasantly , you can browse among lanes of antiques , flowers , herbs , fruit , goldfish , songbirds , and more . There are lanes of antiques , flowers , herbs , fruit and pets to be browsed . entailment +He still asks me if he is going to die , and if I 'm still going to give him my kidney . He will donate his kidney . neutral +oh yeah no that 's uh that 's a that 's a real interesting movie and it 's got a good historical perspective to it That movie was the most boring thing I have ever watched . contradictory +he 's no Spring chicken anymore and like you say Warren Moon 's an excellent Warren Moon 's an excellent but he 's very exciting to watch uh-huh sure uh-huh absolutely Warren Moon is a very young guy . contradictory +Three great civilizations have shaped this part of the city Roman , Byzantine , and Ottoman . The Romans had the largest influence on the city . neutral +Pick up a leaflet from the tourist office and ask for a driver who can speak your language . The tourist office provides leaflets that can be picked up . entailment +but we i don 't know i i don 't really miss the snow i miss the change of seasons myself I hate the season changes , I wish I could just have snow all year round . contradictory +Here they created what most of us envision as the Way of the Samurai : the values , codes , religion , and culture of a warrior caste that would rule Japan for 700 years . The Way of the Samurai lasted less than 100 years . contradictory +yeah and and i i wonder the you know if if that 's i mean that that really that really should be all we need in a president someone who is capable of managing I wonder if all we need is a capable President and then Congress can get some things done . neutral +25 As the Congress moves to modify the federal budget process with the expiration of the Budget Enforcement Act , attention is warranted as to how the process considers the long-term implications of alternative spending choices . Congress wants to modify the federal budget process with radical changes . neutral +The legal service is one of the few programs in Iowa that offers legal representation to those who qualify without turning to the state for its services . The legal service is cheaper than going to the state for its services . neutral +There is a lively young scene based around the university , and a sophistication to match other major Greek cities such as Athens or Thessalonica . The area around the university is very lively , as in other Greek cities . entailment +In general , reliability growth is the result of an iterative design , build , test , analyze , and fix process . Reliability growth happens because of good data collectinoo . contradictory +yeah there there 's a lot of energy i i i like to belly dance too but there 's not the same you know you don 't get the aerobic I like to dance in general . neutral +EW ' s fashion panel loves Helen Hunt 's Oscar dress but thinks she 's too Joan Rivers squawks , She weighs less than Kate Winslet 's arm . Helen Hunt is not wearing an Oscar dress . contradictory +I have an appointment with Mr. Whittington , said Tuppence . Tuppence said that she walked into the wrong building by mistake , and left . contradictory +uh-huh ooh she 's she 's in hot water She 's all in the clear right now . contradictory +Spouses and parents of permanent residents could only be in the United States , if at all , in temporary , nonimmigrant classification and therefore would not be residents of the United States . Residents all want their spouses to be residents . neutral +On the lower slopes of the Garden of Gethsemane , leading to the Jericho Road , is the Basilica of the Agony , also called the Church of All Nations . Garden of Gethsemane is where Jesus prayed.along with the apostles . neutral +The best teams--D.C. The best soccer teams . neutral +The Administrator of the Environmental Protection Agency shall promulgate regulations within 18 months after November 15 , 1990 to require that all affected sources subject to subpart 1 of part B of title IV of the Clean Air Act shall also monitor carbon Monitoring carbon is voluntary according to the EPA . contradictory +Are you ready for your reward ? " " No ! " Bork 's cry broke out before Hanson could answer . Bork agreed that Hanson should get his reward . contradictory +The huge red sun turned the dark clouds a deep violet and the wind felt like the breath of some ancient god long forgotten in the valleys . The sun shone brightly without a cloud in the sky and the air was still without the slightest hint of a breeze . contradictory +but i dread that the next time I am worried that will happen in the future . entailment +Also , an essay criticizes the double standard for When men cheat , they 're pigs . There is a double standard about men cheating vs woman cheating . entailment +He actually feels _ bad _ that we 're leaving . He finds pleasure that we 're leaving . contradictory +And no one will be nicer . And everyone will be meaner . contradictory +that 's uh boy uh that must be a wonderful feeling to be in that profession and be able to make a contribution like that It 's the best feeling to be able to make a contribution that huge in that line of work . neutral +Advocates say there 'd still be reason to irradiate . Advocates had nothing to say in this regard . contradictory +Ma Vie en Rose ( Sony Pictures Classics ) . Ma Vie en Rose was in French . neutral +well i don 't think it 's possible because even though you know we 're against them i don 't think we can go into another country and do something about the other country 's problem We can 't just go and interfere in a sovereign nation just because we think they 're doing something we don 't approve of . entailment +You 'll find a number of excellent deals in the Balearics , particularly on handcrafts , leather goods , glass , and ceramics . You will get good deals in the Balearics , especially if you want to buy dishes or wine glasses or clothing . neutral +Everyone seems content to fill up on cakes and pies . Everyone seems happy filling up on sweets because dinner is late . neutral +One way to facilitate the receipt of informed public comments is to permit electronic access to regulatory supporting materials , such as economic analyses and the comments of others . permitting electronic access to regulatory supporting materials is one way of facilitating the receipt of public comments . entailment +In fact , it 's genetics and your peers that make you who you How your parents raise you matters little . Who you are is solely based on the way you were raised by your parents . contradictory +yeah it 's really sad like if they did have a big brother big sister program those those people trying to help the kids the parents might have hostilities towards them The parents would be less hostile if there was a program around to help the kids . entailment +wonder what happened hum anyway I know what happened ! contradictory +Early in the war , the Republicans used their one battleship to support an invasion of Mallorca , but it ended in failure . The battleship was the most dangerous ship in their navy . neutral +oh well i um i tried it about ten years ago and i 've been doing it ever since i 've been having it treated I have tried it about 10 years ago . entailment +As co-host of Crossfire for six and a half years ( 1989-1995 ) , I am familiar with the It 's uncivilized , it 's just show biz , it 's not serious , you all talk at the same time , no one gets to finish a sentence , Pat Buchanan is a monster , Bob Novak is a monster , John Sununu makes me ill ( and they hear similar complaints , apparently , about the liberal hosts ) . After quitting my job as a fireman , I became a co-host . neutral +and she wanted to paint the shed it 's a it 's a wooden shed uh and she took it and they 've got this machine that matches the color of paint There was a wooden shed that she wanted to paint . entailment +Positive , sir . Positive , sir , it must be . neutral +199 Julius ensconced himself comfortably by the side of his victim . Julius seated himself beside his victim . entailment +To the east at 630 West 5th Street , between Grand Avenue and Flower Street , is the beautiful pyramid-topped Central Library . The library used to be on Park avenue . neutral +'This was a demonstration of power- to show you all that they are vulnerable , that one man can take them on and win . This fight was to show that one man could defeat them . neutral +The analyses comply with the informational requirements of the sections The informational requirements are comparable to the analyses . entailment +and i got this guy to uh to this this uh company i don 't know if you ever heard of Maaco Auto Body Shop I talked to this woman at the company called Maaco Auto Body Shop . contradictory +As with many other Gothic masterpieces , the name of the first architect is unknown , but the renowned Pierre de Montreuil is credited with much of the 13th-century construction . Pierre de Montreuil was involved with the construction . entailment +yeah yeah well i i went to Dallas um when i worked for TI in Abilene and uh i i 'm a little familiar with the city area Forest Lane and you know through that off off the freeway I enjoyed working for TI in Abilene , Tx . neutral +Back then--and is there a more demoralizing phrase ? They said something extremely rude and crass . neutral +Now that we know the prices , the quantities , and the costs , the total revenue is easily calculable as $ 31 . There is no revenue contradictory +yeah the uh the thing that 's kind of interesting uh about this my sons in the Air Force My son is with the Air Force because he wanted to fly planes . neutral +Gentilello said that research methodologists want interventions to be standardized so that they know why a treatment is working . Research methodologists don 't want to see interventions becoming standardized according to Gentilello . contradictory +i don 't think he 's going to get a head coaching job this next year No one will hire him to coach this season . entailment +yeah it 's hard i know we tried to do our landscaping out front my husband tilled it up in the fall and then we 've been waiting on some guy supposed to be getting us some edging for like ten cents a foot instead of a bout a dollar and uh he has never got it to us so it just sits out there kind of dug up and doesn 't look too good so i can 't say anything about anybody else 's The guy was going to provide edging for ten cents a foot . entailment +And it makes an already litigious society more so , afflicting more and more people with onerous discovery , bottomless legal expenses , and grotesque but legal invasions of privacy . It encourages more people to chase petty legal issues . entailment +No , that is a lie . That 's completely fabricated . entailment +Prudie is sputtering on your behalf and wishes you tons of luck . Prudie wishes you tons of luck . entailment +um-hum nothing you can do that 's right there 's nothing you can do Yeah , there 's nothing you can do but sit still and wait neutral +Government , Fiscal Year 2001 , Office of Management and Budget and the Congressional Budget Office 's January 2000 projections . The projection is for January 2000 . entailment +E-mail your suggestions to Slate 's Washington editor , Jodie T. Allen , at letters @ slate.com. You can email the Slate 's Washington editor using your mobile phone . neutral +Also , the figures exhibit the rapid change in unit delivery costs as either volume or density increase . Sharp changes in unit delivery costs cause customers to seek other options . neutral +Favorite Lake District competitions range from wrestling and sheep dog trials to jam and cake making . The sheep dogs at the competition have been causing trouble for the jam makers . contradictory +Along the north side of the Piazza Br ? , the Liston , a people-watcher 's delight lined with smart cafe and fine restaurants , is the street for the Veronese bourgeoisie 's popular evening stroll ( passeggiata ) . The Liston is a street in northern Venice . contradictory +The friendship between Harrer and the Dalai Lama continues to this day . Tension between Harrer and the Dalai Lama continues . contradictory +but they just they just They didn 't contradictory +Several analyses of trading under the acid rain program have concluded that the program did not result in local areas with higher emission levels ( hot spots ) . Analyses have concluded that the program resulted in local hot spots . contradictory +oh yeah well to some of them i guess it doesn 't matter you know that maybe they 've got enough coming in to to take care of it but There 's enough available to handle the responsibilities . entailment +It would be hard for a beginning gardener to go wrong with daffodils . Daffodils are the hardest flower to grow . neutral +Yes , we 're all suffering from scandal fatigue , but rape ? We are tired of scandals . entailment +and uh i like to see where the company makes those makes benefits available at least to the employees I like to know in what way the company provides the benefits to their employees . entailment +Of the notable stories in this collection , A Coupla Scalped Indians , published in 1956 and possibly a fragment for a new novel , is the biggest disappointment , since it is the latest Ellison work here . A Coupla Scalped Indians was published in 1902 . contradictory +What do you mean ? she asked sharply . Explain yourself . entailment +In Dr. Moreau , it 's the monsters who force the moral issues . Some people are haunted by moral issues . neutral +An analysis of the costs and benefits of the rule was conducted by the Food and Drug Administration ( FDA ) and published in the notice of proposed rulemaking on August 11 , 1995 , and is contained in the preamble to the final rule . The FDA 's cost-benefit analysis of the rule is included in the preamble to the final rule . entailment +okay well well where did you come from originally What location did you come from originally ? entailment +and however long it took however long we 've been on that 's how long it took for some for the computer to find somebody The computer was able to find someone instantly contradictory +Then , amidst a breathless silence , Alfred Inglethorp was called . No one was talking at all when Alfred Inglethorp was called . neutral +Following the death of Polycrates , Samos was plunged into a sudden and deep decline . Samos became very sad after the death of Polycrates . entailment +But he 'd already seen enough . He had taken notes about what he had seen . neutral +People decorate houses , shops , offices , and even cars with a bouquet of pine and bamboo , symbols of evergreen stability and upright behavior . Using bamboo to decorate your possessions are said to reflect immoral behavior . contradictory +The official , Indianized name of this town is Tiruchchirappalli , Cityof the Sacred Rock , but the place is still identified by its colonial name , Trichy , a short form of the equally European name Trichinopoly . The city formerly known as Trichy is now strictly referred to by its Indianized name , Tiruchchirappalli . contradictory +never breaks down um the Styrofoam Always breaks down the Styrofoam . contradictory +From a CEO 's perspective , movies are No one can predict if a film will make $ 100 million or lose it . No one can guess how much a film will make . entailment +For further discussion of the accounting standards for pensions and other retirement benefits for federal employees , see SFFAS No . The discussions are interesting . neutral +Three days , four days Five , six weeks . contradictory +Case said the passion to help others was instilled in her in 1973 . Case has been committed to helping others since 1973 . entailment +I can see where this is going , Randy . We both know what 's happening here , Randy . neutral +Create a clear understanding of responsibilities within the organization These categories are defined in the Employee Handbook . neutral +Similarly , the central information protection group at the utility was required to approve all new applications to indicate that risks had been adequately considered . New applications are immediately accepted so long as they give their name and birthday . contradictory +Changes of nationality have left Alsace with a distinctive dialect , architecture , cuisine , and local pride ' the best of both worlds . Alsace is located at the border of two different countries . neutral +During festivals , the square springs to life with excitement and color . The festivals are filled with gloom and depression . contradictory +The appeals court rapped the agency for its scare tactics , saying it must base its conclusions on solid facts and a realistic appraisal of the danger rather than on vague fears extrapolated beyond any foreseeable threat . The agency changed its practices in the future . neutral +Increased cost must also be considered with regard to the President 's proposal . The proposal was made to congress . neutral +yeah yeah well i 'm i 'm working for TI Texas Instruments down here I work for Texas Instruments down here . entailment +The blade hit the demon in the back . The blade of the machete hit the demon in the back and knocked him to his knees . neutral +What 's that ? asked Tuppence sharply . Tuppence turned around and asked sharply , " What is that ? " neutral +In the last hundred years Luxor 's major historic buildings have been cleared of sand allowing visitors to now view the temple structures . The sand in Luxor 's historic buildings have been cleared in the last hundred years . entailment +With the colonization of Madeira and the Azores , the foundations were laid for the future Portuguese empire . The Madeira and Azores colonies were the beginning of the Portuguese empire . entailment +yeah it is it 's real exciting Everyone is very excited about it . neutral +no it 's it 's really bad to not break down It is perfect if you don 't break down . contradictory +Sergeant . Drew corrected automatically and then asked : " How did you know I 'd been in the army ? " Sgt. Drew clarified that he had never been in the army . contradictory +The drug issue hasn 't figured high on the president 's domestic agenda until this year . On the presiden 'ts domestic agenda the drug issue was figured low , until this year . entailment +The festival is a showcase for international productions and new Irish plays . There will be hundreds of plays over the course of the week . neutral +they they never come to see they never came to see her They visited her all the time . contradictory +By continuing to appease Buchanan , several of our candidates appear to have put politics ahead of our party 's principles . Several candidates continue to put politics ahead of principles , they should not advocate overspending or over-regulation just because it is a popular stance at the time . neutral +Bernstein E , Bernstein J , Levenson S. Project an ED-based intervention to increase access to primary care , preventive services , and the substance abuse treatment system . An intervention has been proposed that would improve access to systems connecting patients with preventive , substance abuse , and primary care services . entailment +The administration will find a China envoy . The administration will also find an envoy for Brazil . neutral +'Wait ! It 's me ! Ben Franklin ! I , uh surrender ? ' 'Ben Franklin ! Wait ! It 's me ! I , uh , surrender ? ' entailment +i don 't know what the the last thing i 've done as far as car repairs go is is change oil and filter an and that kind of stuff i haven 't gotten really involved in anything uh extensive in car repairs in oh oh probably a year or so i think the last thing i did of any significance was change the water pump on an Oldsmobile I 'm basically an expert mechanic and have done much more than simple oil changes and so on . contradictory +and um i know my husband now we go vote every time i don 't care how small the ballot is i mean if there 's one thing if there 's one issue because the way i feel is if i don 't vote then i don 't have any reason to gripe People take their right to vote for granted . neutral +right right it it can be annoying and my other concern concern is is the American government going to force us to go I don 't know why i would want to go , i would have to be forced . neutral +Built by Mehmet the Conqueror between 1462 and 1470 , the complex was almost completely destroyed by an earthquake in 1766 . An earthquake severely damaged the complex in 1766 . entailment +The Arts thread was all about the legendary art critic Clement Greenberg . The arts thread focused on the art critic Clement Greenberg entailment +He said , " You mean Slim came in here and said I had an animal ? He came in here and said that ? He said I had an animal ? " Slim said that he had an animal because he isn 't supposed to have them . neutral +but um you know if i don 't know that i would go back as often if it wasn 't for the idea that i have fun there I don 't have fun there , so I 'm never going back . contradictory +This is similar to exceptionbased T & amp Has at least one similarity to exception-based entailment +and we really didn 't didn 't uh i mean that wasn 't our consideration when when we bought it it was a complete blank lot they hadn 't even built the house yet and we were new to the this whole process and all we knew is that it was a the cheapest house that this this tract development uh sold so it turned out to be pretty good and When we bought the house , it was already built contradictory +HHS estimates that the total annual responses will be 3.5 million in 1997 and 3 million in 1998 and 1999 with the total annual burden hours estimated to range from 335,000 to 586,000 hours in 1997 ; 384,000 to 882,000 hours in 1998 ; and 377,000 to 882,000 in 1999 . Health and Human Services Department believes that the response total annually will be 3.5 million in 1997 . entailment +EPA has submitted an Information Collection Request ( ICR ) document to the Office of Management and Budget for approval . An ICR document has been submitted by EPA to the Office of Management and Budget for approval . entailment +that was that is surprising Nobody expected that . neutral +First , isn 't my thought experiment too simple to tell us anything about the real world ? My thought experiment is only 3 pages long of researched data . neutral +Marketers will do anything that seems to promise a momentary fit with the elusive Zeitgeist , or at least a surge of attention . Marketers will do anything that makes them money and makes the brand more popular . neutral +Gross national saving-which reflects resources available both to replace old , worn out capital goods and to expand the capital stock-has rebounded as a share of gross domestic product ( GDP ) from its low in the 1990s but remains below the level of the 1960s ( see figure 2.1 ) . Capital stock as risen well above levels seen in the 1960s . contradictory +Reno brought an ambitious , liberal agenda to Justice . The agenda included multiple possible cases . neutral +Built in 1900 , it reflects the Arts and Crafts style that was fashionable at the time . What was fashionable at the time was the Arts and Crafts style . entailment +A third set of rules , adopted as sections 69 through 69c of the rules of practice , 9 applies to Postal Service requests for permanent mail classification changes that are minor in character . The Postal Service 's requests for permanent mail classification changes are governed by Section 63 . contradictory +This program should be expanded , perhaps with incentives for police to live in the neighborhoods they patrol full time . Some police are very happy to live far away from the neighborhoods they patrol . neutral +He rushed and knelt next to her . He rushed to stand next to him . contradictory +well good luck to you too bye-bye She said " Good luck to you . Bye-bye ! " neutral +yeah and other than that i can 't think of any other ideas I have more ideas if you care to listen contradictory +No ballots will be accepted after May 6 , 1998 . The voting will end on May 6th . entailment +How much ? asked the northerner . The northerner asked how much he needed to pay . neutral +Number 10 was the home of film stars Simone Signoret and Yves Montand . The stars lived in a grand manor boasting four apple trees . neutral +No , siree , a right big herd o ' ' em was trailin ' out here . They headed north after they left . neutral +Actually , part of the problem is that fans liked the talk show host better when she was bigger britched , before she became the Vogue cover model . the talk show host was a cover model on multiple occasions . neutral +No , come on out of it . No , snap out of it , and get back to your senses . neutral +He took Israeli citizenship in 1995 , and he recently called the United States a foreign country . He became an Israeli citizen in 1995 . entailment +The Mus ? ? e de la Pr ? ? histoire ( 10 Place de la Chapelle ) exhibits artifacts representative of local life during the Paleolithic , Neolithic , Bronze , Iron , and Roman ages . 10 , Place de la Chapelle is the address of a bakery . contradictory +It has also aired more than 80 episodes of The New Adventures of Winnie the Pooh . Disney Pooh horrifies Pooh traditionalists ( abhorrent , says one young mother I know ) . There are less than fifty episodes of The New Adventures of Winnie the Pooh . contradictory +I 've got a plan . I don 't know how we should proceed . contradictory +right the one that 's like you get additional they 'll pay a little bit more i think for the different procedures we just have the basic right now and People such as yourself pay more and get less , with no added benefits . contradictory +no uh i 've been drug tested twice at TI and it doesn 't bother me uh I 've been tested for drugs at TI twice , and it doesn 't bother me . entailment +All feature a blend of ancient and modern , of dignity and fun , and strive to make the visitor feel welcome and treasured . Visitors will be amazed by the beauty of the place . neutral +something that still has a lots of amenities and you know gadgets and things There are lots of amenities with it . entailment +Those of greatest interest are Habana Vieja ( Old Havana ) , Centro Habana ( Central Havana ) , Vedado , and to a lesser extent Miramar . Habana Veija means Old Havana and it is where many historical sites are . neutral +weren 't so i would certainly certainly have one i just i just it frustrates me sometime not being able to have a dog I get upset that I can 't have a dog . entailment +I was still revising the copy-edited manuscript , tearing the whole thing up , finding , at the last possible moment , my voice . I was making changes to the copy-edited manuscript before it got sent to the publisher . neutral +just to see the show just to see the show right You only go to Chuck E Cheese to watch the animatronics show , right ? neutral +but if you haven 't made that moral decision can i take a human life even under those situations where either my life or a life of a friend or a life of a family member is threatened Everyone will have to make the decision of choosing one life over the other . contradictory +the winged Victory of Samothrace and the beautifully proportioned Venus de Milo . The gorgeously divided Venus de Milo . entailment +I have yet to obtain viewership figures for Moesha , but I suspect the show will be in the top three among blacks . The show will be in the top three among blacks and the top nine among whites . neutral +The square is dominated by the Grand Th ? ? atre , the jewel of Bordeaux 's many 18th-century buildings . The Grand Theatre was built during the 18th century . entailment +Herriott , Robert E. Case Study Methods in School Herriot doesn 't have or use methods for case study . contradictory +Nobody comes to cheer me . People always come to cheer me . contradictory +Imagine how they 'd feel if tests revealed their ancient ancestors were white men . Worse , imagine how Ken Burns would feel . Imagine how they 'd feel if tests revealed their ancient ancestors were white men knowing their racist tendencies . neutral +The whole thing would have come out , then , and he would have been in an awkward position , for no one would have believed that a man of his reputation could have been deceived into calling it heart disease . " The whole thing could not possibly have come out . contradictory +Furthermore , individuals and businesses subject to social insurance taxes are subject to them as a byproduct of their decision to enter covered employment or engage in a covered business , so especially for the major , broad-based social insurance programs--Social Security , Medicare ( hospital insurance ) , and unemployment As byproducts , individuals and businesses subject to social insurance taxes are never subject to their decision to enter covered employment . contradictory +Moreover , China would accept nothing but silver bullion in exchange for its goods , so Britian had to look for a more abundant commodity to square its accounts . The only payment that China would accept for its goods was silver bullion . entailment +This monumental construction covers a140-sq-m ( 1,500-sq-ft ) area , with a Great Hypostyle Hall of 122 columns in nine rows , 21 m ( 70 ft ) high , and is considered one of the finest ancient structures in the country . The columns in this construction were built to honor the gods . neutral +And if you enjoy that sort of thing , here 's a little juxtaposition game you can play when you spot odd pairings of the bald and the beautiful ; it 's a betting game called Date or Daughter ? The game is called prostitite or sugar baby . contradictory +Swimming pools , spa , tennis , and children 's programs attract couples and families . Swimming pools do not allow children . contradictory +so have we been very very fortunate We have been very fortunate that someone helped us back then . neutral +and my wife is from Plains if you know where Plains is My wife has never been to Plains before . contradictory +He outlined what Stein had told him , and Anse 's attention was all his again . Anse stopped listening and paying attention when he began to tell what he heard from Stein . contradictory +And that would be that . And we could stop thinking about that . neutral +no no i 'm married Yes , in fact , I am single . contradictory +This house is yours . " Rennie went to the side of the cart . Rennie walked away from the cart and never said a word . contradictory +As Ottoman control weakened , Egypt became a pawn in a larger game . Ottoman control weakened . entailment +They went back and forth , Kal swinging , punching , kicking , biting , and butting with his forehead . Kal was using his fists and feet to attack . entailment +The Communists briefly occupied an intermediate stage in the hierarchy of inefficiency . They did not try hard enough to maintain their level . neutral +As shown in Exhibit A-5 in Appendix A , this process can occur simultaneously with the processing of the construction permit application . Exhibit B-2 in Appendix D shows permit applications . contradictory +The FCC promulgated this rule under the notice and comment procedures of 5 U.S.C. FCC eradicated this rule enforced BY 5 U.S.C. last year . contradictory +The first wave of Polynesian settlers crossed the equator and arrived from the Marquesas in the South Pacific perhaps as early as a.d. 400 . The Settlers were pleased by the beautiful lands they found . neutral +Dedicated to the goddess Isis , and her main center of worship , it was inaugurated in the fourth century b.c. It was dedicated to Isis by sacrificing cats . neutral +3 billion a year , in addition to about $ 4 billion for Head Start ) , and some of those subsidies come with quality strings attached . Subsides always come with no strings attached . contradictory +The site was associated with the worship of the Anatolian mother-goddess Cybele , who became merged with the Greek Artemis . The mother-goddess Cybele was the only goddess mentioned around the site . neutral +huh i don 't know but i know someone who goes to Massachusetts and buys cars that have been wrecked or uh salvaged they probably they might have been stolen and I am familiar with a person who ventures to Massachusetts . entailment +Festivals and Folklore Neither festivals nor folklore . contradictory +Our objectives were to ( 1 ) identify and describe the practices most helpful to successfully implementing GPRA and related results-oriented management initiatives and ( 2 ) provide case illustrations of federal organizations that have made progress in implementing each practice . We were ordered to find out ways to make the GPRA program fail . contradictory +Sells some to th ' army , drives more clear to Californy . The goods sold to the army were junk , but everything sent to California was in working order . neutral +Hell , even you could fight better than that , Ca 'daan . Ca 'daan said the fighter was the worst he 'd seen . neutral +They are renowned as far away as New York for their Ibiza look . New York is always interested in Ibiza looks . neutral +That he 'll try to take over runnin ' the town ? " The man will try to escape from town ? contradictory +You can divide your visit into three or four separate tours , each of which could fill either an afternoon or an entire day . These are tours of various vampire homes neutral +The church may then be marked out to designate where worshippers of the various denominations take their place . Worshippers are given designated spots to gather . entailment +Modern neighborhoods , hospitals , schools , and the Hebrew University were built in West Jerusalem , the new Jewish enclave . The new Jewish enclave included modern neighborhoods , hospitals , and schools . entailment +10 He 's a boy-man . He 's a man-child . entailment +A 'deem clapped Ca 'daan hard on his back . A 'deem hit Ca 'daan really hard on the back . entailment +yes of course it also happened to us in Sidney Australia this Summer uh or last Summer we got a cab and again it was an oriental person and we asked him to take us to the opera house and he did not know what we were talking about It has never happened to us in Sidney Australia . contradictory +well it just means that if you don 't pollute right or you pollute very little you don 't have to pay any tax or you just buy one of these things and it it um i mean you could you could probably devise them so that it slowly closed off your tail pipe and uh the less you pollute the longer the device lasts and if you pollute a lot then it closed off your tailpipe and you couldn 't start your car anymore The device could be a major success against pollution . neutral +In India poverty is borne with considerable dignity and even with a cheerfulness that some may find difficult to understand . People who have less tend to be happier in India . neutral +i have i have branched out i was a photographer before but when i went to college it was i felt like i couldn 't support myself if i decided to be a photographer I was able to support myself through college as a photographer . neutral +Odd juxtapositions can produce comic results or former Republicans who now stand among the Democrats . Odd juxtapositions can produce results or former Republicans who now side with the Democrats on almost every single issue . neutral +Given events , he 's beginning to think you might be a corrupt copy- and even if you 're not , you 're fast on the road to becoming a nuisance . ' He thinks you 're becoming a pest . entailment +Tall man , with a lot of freckles and red hair ? There was a tall , red headed man . entailment +Jon looked at him , surprised . Taken aback , John eyed him . entailment +Of Tracks and Tracts Being of both Tracks and Tracts . entailment +We 've come a long way since ragtime and radio , hillbilly and race records , big bands and showtoons , 45s and triple concept albums , MTV and CDs and horror-core . No one listens to ragtime , hillbilly and bi bands anymore . neutral +The Barnett Estate , with its 18th-century great house , has been owned by the Kerr-Jarrett family for over 250 years . The Kerr-Jarrett family has owned the Barnett Estate for more than 200 years . entailment +Morris can be heard asking one question Have you ever thought you might be wrong or that you made a mistake ? Morris himself had never made a mistake in his life . neutral +um-hum i normally find that uh i i 'm probably the most um news hungry of my friends so i don 't we don 't normally talk about the news at lunch i i find that i have to only subscribe to the paper on the weekend simply because i used to get it during the week My friends and I usually talk about the news when we get together for lunch . contradictory +but not in the summer Summer is the ideal time to do this . contradictory +Minutes passed . Time has passed . entailment +( per piece , delivery and stop ) , and the number of deliveries ( stops ) on a route . The number of en route deliveries correlates to amount of stops neutral +we went in but what did we do we lost lives and and what were we trying to do who knows We do not know what we were trying to do . neutral +White threw a gunshot shot absent-mindedly over his shoulder , where it hit somebody 's face . White shot over his shoulder . entailment +At the request of this Subcommittee , we are surveying federal managers again to follow up on whether there have been improvements in these critical areas . The Subcommittee has requested us to preform a certain task . entailment +Many of the staff made legal services their careers . Legal services turned into a career for many of the staff . entailment +Don 't be a cynic . Be a cynic . contradictory +so yeah i could too and uh gah i don 't think we can say anything else really I don 't think there is anything more to say . entailment +After that , my nerve went completely . I hadn 't been confident to begin with . neutral +Whereas the nucleus of Florence was built to a strict Roman city plan of straight streets intersecting at right angles , Siena has all the Tuscan hill-town 's haphazard organic forms , straggling up and down a forked ridge of not one but three hilltops . Siena was destroyed and rebuilt to adhere to Roman city planning . contradictory +His work is a parody of an artistic achievement . His art is a serious achievement . contradictory +As important and vital as the homeland security mission is to our nation 's future , the other non-homeland security missions transferred to DHS for the most part are not small or trivial responsibilities . The homeland security mission isn 't really all that important to the future of our nation . contradictory +You 're a toddler , and it 's time to grow up . You are acting like a responsible adult contradictory +There are superb murals of bright-eyed deer , peacocks , monkeys , and elephants , and also those depicting the opulent life , with Prince Siddhartha riding away on horseback . There are wonderful murals of deer , peacocks , and various other animals with Prince Siddharta riding away on a horse . entailment +Guggenheim and her dogs are buried here . Guggenheim was partial to Corgis and kept many during her life . neutral +well do you think there should be restrictions on uh who you should let in the states I think we should be much more strict about who we let in . neutral +1 Many of the challenges discussed in that series represent long-standing , difficult , and complex problems that our work has shown will not be easily or quickly resolved . The series on workplace safety discusses many challenges that are not easy to solve . neutral +They can bring their own food , build domed stations of lowered air pressure , devise specially designed ships . " They can bring their meals with them . entailment +yeah i yeah my my very favorite one that the top of the tick for me is uh Excalibur i i loved that film um Right , the film Excalibur was very enjoyable for me . entailment +Why , if you were an evil sprite like Azazel , would you leave clues for the cagey Hobbes to follow in the first place ? I wonder why , if you were in Azazel 's shoes , you would leave clues . I 've been trying to understand it since last month . neutral +Mr. White ignored me , striding past . Mr White pretended like he didn 't even see me . neutral +i 'm twenty one I am 21 years old but will be 22 next week . neutral +or on a body of water this is the ideal house right The ideal house should be near the water . neutral +It was reopened to the public in 1998 after 15 years of renovation work . It required extensive renovation work after a severe flood occurred which left it in an extreme state of disrepair . neutral +The only other inhabited island in the archipelago , Porto Santo has a 9-km-long beach running the length of its south coast , but few other attractions . There is no a lot to do in Porto Santo . neutral +Password Incorrect The password was typed wrong four times . neutral +In the monks ' cells upstairs , the frescoes of the man historians call Beato ( Blessed ) Angelico were intended to be inspirational rather than decorative . The frescoes in the monks ' cells were meant to be purely decorative . contradictory +well do you exercise regularly Judy I was hoping we could go to the gym together sometime . neutral +Standards Australia International Limited is an organization with principal activities focused on business-to-business services based on the creation , distribution , sharing , and application of knowledge using a variety of technologies . Standards Australia International Limited is not involved in knowledge technologies . contradictory +Don 't ! Stop ! ' Onardo snorted , because he liked to snort from time to time . 'Go ! Faster ! ' Onardo snorted , because he liked it . contradictory +In addition , the Congress of Vienna formally banned the trade in slaves . The Congress of Vienna banned slave trade . entailment +Interestingly , this was a period when Chatterbox felt more enthusiastic about Clinton 's presidency than he has ever felt since . Chatterbox was happier about Clinton being president back then . entailment +According to the publication , just months after the skiing accident death of her husband , Sonny , she tossed piles of irreplaceable mementos of the late singer-congressman into the dumpster , where they were retrieved by one of his former restaurant employees . Sonny 's wife was overcome with grief after he died . neutral +If you are going to travel with us and do battle , you are going to have to learn fast . if you want to travel with us you have to learn quickly entailment +The SEC published a summary of its Final Regulatory Flexibility Analysis in the preamble to the final rule and provided our Office with a copy of the full text of the analysis . The text has a bunch of unnecessary information . neutral +The manufacturing company had recently drafted policies on security The company 's policies were out of date . contradictory +yeah that 's i don 't think it 's the kind of thing for anybody i know i wouldn 't be able to watch it Everybody would like to watch that . contradictory +but um they you wouldn 't believe it though her kids are the they are so good i 'm not kidding you but she does work with them and it 's a commitment and that that 's what they 're called to do Her kids were the best piano players in their classes . neutral +When France fell in World War II , the FWI 's administrator , Admiral Georges Robert , decreed allegiance to the Vichy regime , although most of the islanders were against the move . France lost in WWII . entailment +see i 'm concerned that that since he 's banned demonstrations altogether that he 's going to do the type of thing that happened in Tiananmen Square and he 's going to wipe out no telling how many of his I am concerned he 's going to go down the Tiananmen Square path . entailment +because maybe they those are not the clothes that are the most uh appealing to you or the most uh complimentary to you It could be that you are not used to wearing dresses . neutral +( Randy may be back a little sooner than expected , folks . ) Randy left to go for a bathroom break . neutral +I decided to try it . I gave it a try . entailment +In five minutes a brisk young doctor arrived , hastily summoned . A nurse slowly walked in shortly after ten minutes . contradictory +i thought i was uh through i had done ten I only did 3 contradictory +and i really do i do rely i do miss it i do rely on the news and uh i i guess i regret i don 't get enough local really local we get some local papers but i guess i 'm more interested in the national or international news I do rely on the national news . entailment +She looked so respectable that Tuppence 's heart sank . She looked so respectable that Tuppence felt pleased . contradictory +The spear woman 's horse screamed and fell . The horse made a terrible noise . entailment +An effective shield against all the street skirmishes we drove directly through . We drove through the fights in the street . entailment +we do the same kind of things though we 've been concentrating on outside lately trying to do some gardening and uh planting a lot of trees and flowers They do the same kind of things entailment +Map maker , map maker , make me a map . Map maker , take me a nap . contradictory +it 's one of those things that all looks good on paper but putting it into reality is a whole different ball game It 's perfect because it looks good on paper and it 's easy to implement . contradictory +Much of the bamboo was allowed to decay or was torn up later in Jamaica 's history , but Bamboo Avenue , the one remaining section , can be found on the main A2 road between Mandeville and Black River . The bamboo is still being used in Jamaica for various purposes . contradictory +On the main road out of town to the south , only a few minutes ' walk from the hotel is the imposing Nubian Museum . The Nubian Musem is only a few minutes out of the town . entailment +you know uh-huh uh-huh uh-huh uh-huh and you you recognized this and was able to you know do something about it You realized this and were able to do something about it . entailment +And no sooner had I begun to enjoy my Slateness than glorious erotic opportunity went a-glimmering . They were not enjoying themselves due to no erotic opportunities emerging . contradictory +You have just said that she is perfectly sane . " You just said she was crazy . contradictory +He also knew what too many latter-day economists have Macroeconomics is crucial to the public credibility of economics as a whole . Macroeconomics does not matter in gaining public credibility . contradictory +i guess yeah i i guess we all can no no i work for GTE I am from GTE . entailment +But the high point [ of pomposity ] might be ELO--the Electric Light Orchestra . The highest point may be Daft Punk . contradictory +On 7 May the governor of Martinique arrived with his wife to calm the residents Saint-Pierre 's total population was about 30,000 . The governor and his wife set out to cause riots among the residents of Saint-Pierre . contradictory +The EPA submitted the rule to OMB for review under Executive Order 12866 as a significant regulatory action . The EPA submitted the rule for review . entailment +The Church reinforced the Holy Office 's Inquisition and the Index to censor the arts . The church preferred other hobbies . neutral +but then what 's the interest IF it 's so boring , then why are people interested ? neutral +In Figure 3 , it is clear that as the discount level is increased , implying a passthrough of over 100 % , the general welfare level increases , but at a declining rate . Figure 4 shows a diagram of the poverty levels , adjusted for inflation , for the past 50 years . neutral +In 1979 , the Kurdish Democratic Party of Iran ( KDPI ) joined Ayatollah Khomeini 's revolution , but he quickly snuffed any hope for Kurdish autonomy . Kurdish autonomy is probably not going to happen in the near future . neutral +All scenarios are implemented in 2002 . These scenarios will increase productivity by negative fifty percent . neutral +You can rent horses for riding throughout Italy Tuscany and Umbria provide especially scenic terrain . Great horse riding scenery can be had in Tuscany and Umbria . neutral +When the Dreyfus case was raging , clearly the result of anti-Semitism in the French army , Chekhov , then in France , was a fiery Dreyfusard . Being anti-semitic was common in the French Army and in France . neutral +His eyes leveled on them . He looked away from them . contradictory +and i did it for a long time and and i just i feel like that was one i thought of that right off I thought of that one right away , I had done it for a long time . entailment +With a single cut she opened the demon 's throat and black thick blood ran into the bowl . She sliced open the demons throat and black blood ran into the bowl . entailment +he has a terrible weight problem He has trouble with his weight . entailment +Gates calls the Windows-IE marriage the latest incremental step in Microsoft 's long history of absorbing separate offerings ( e.g. Gates is disappointed that Microsoft merged Windows and IE together . neutral +Three centuries later , not that much has changed ' a score of international banks have their offices here , along with celebrated jewelers , the Ministry of Justice , and the Ritz Hotel . There are some bank offices as well as the Ritz Hotel . entailment +Russia 's generals and politicians essentially ginned up the new Chechen war as a confidence builder . The Chechen war is associated with Russian politicians and generals . entailment +The State of Israel The state of Israel declared war on Palestine . neutral +The programmatic impact of the King Center across the last decade has been somewhere between small and nonexistent , says David Garrow , who won the Pulitzer Prize for his King biography , Bearing the Cross . David Garrow , who wrote a King biography , says that there was a huge programmatic impact of the King Center across the last decade . contradictory +A city of several different ages , Edinburgh has distinct districts that are all eminently walkable . Edinburgh represents several ages . entailment +Her timely comments set a tone for open and extensive information sharing and collaboration . She gave comments that encouraged collaboration . entailment +that 's right it it may have been a misquote but that 's sure what i got I am certain that this was what was stated . contradictory +There 's not much to the village , though the site is attractive . The village is simple but attractive . entailment +And remember what your Grandmother probably said to you a long time ago-what doesn 't kill you probably makes you stronger . Remember the wise words from generations past - what doesn 't kill you probably makes you stronger . entailment +The thesis is simply wrong and cannot be refined into sense . The thesis is right , and it can be easily proven that it makes sense . contradictory +okay i i 'm a little less than that i was going to call this week i forgot about it just until i was going to do it tonight uh i have i was i called i think every day last week and i forgot about this week i got so tied up with some other things I was so distracted with other things that I forgot . entailment +Because agency personnel serve as the primary source of information on the status of recommendations , GAO requests that the agency also provide it with a copy of the agency 's statement of action to serve as preliminary information on the status of open recommendations . The primary source of information on recommendation statuses is agency personnel . entailment +GeneralAccounting Office , 441 G Street NW , Room 7149 Washington , D.C. 20548 The GAO is on G street . entailment +And critics who object that human life is sacred won 't have a leg to stand on . All people of Earth believe in the sacredness of human life . contradictory +For example , what type of assurances are needed for nonfinanical information and can auditors provide such assurances ? Auditors have many different sources from which they obtain information . neutral +All in all , I believe that if I ever meet one of my forebears , one of those pale , skinny yeshiva students from the eastern European shtetl of 1897 , I will be able to say to him , I , too , am a Jew--not a saint , but a Jew like you . All of my relatives are Jewish . neutral +He merely remarked : 42 " Good , we will leave that and pass on . They will come back to it when there is enough time . neutral +that 's about it that 's about all you can say about the weather There is much more to say about the weather . contradictory +i lived in the suburbs of Saint Louis yeah I stayed in the suburbs of Saint Louis . entailment +High praise for a newly translated 1981 novel by Albanian author Kadare , about a medieval village at the dawn of capitalism . The praise the novel is receiving is mostly from medieval enthusiasts . neutral +Another has the war spreading to Macedonia , where ethnic Albanians would come to the support of their fellows in Kosovo . A war will spread to Macedonia within the next year . neutral +Visitors were not permitted below at that hour , so , in spite of my many apologies , Mademoiselle Cynthia 's colleague had to go down and fetch it for me . I wasn 't able to fetch it myself , and I felt the need to apologise a lot for having someone else do it for me . entailment +Look for value-subtracted to establish itself in metaphorically expansive circumstances . Search for value-subtracted and value-multiplied to establish itself in metaphorically expansive circumstances neutral +Stop blaming John . You should definitely condemn John . contradictory +Geraldine Ferraro 's resignation as co-host of Crossfire , to run for the Senate from New York , has occasioned the usual pokes at CNN 's nightly political interview-cum-debate program . Geraldine Ferraro is resigning as co-host of Crossfire in order to run for Senate from New York . entailment +You 'd ring up your friends on that telephone first thing ! You would never call your friends with the telephone . contradictory +and uh and i 'm not completely just you know just teach the basics in schools but i think there does does need to be a reemphasis of those because of our our lowering grades in the standardized test and such Basics aren 't currently being taught well enough in schools . neutral +10 He 's a boy-man . He is a man . contradictory +He 's a likable schnook with a long , skinny chin and a slightly embarrassed lope . He walks funny . entailment +She 's on top of you , moving forward and back . She is underneath you right now . contradictory +They decided to play a game of hockey under the microscope . They looked through the microscope , but didn 't play anything . contradictory +The Astronomer said , " They 'll come . " The astronomer predicted when they would arrive . neutral +He didn 't systematically vet things with her or even regularly delegate to her . Truly he didn 't like to work with her . neutral +yes you do i don 't i don 't think there 's anything wrong with that I think that 's terrible . contradictory +Yours affectionately , TUPPENCE . " Tommy handed it back , his eyes shining . Tommy handed the letter back . neutral +( Any one of a number of persons could have done a good job with the Harlem Renaissance . ) Nobody could have done a good job with it . contradictory +This is the spot where Mary Magdalene is believed to have discovered the resurrection of Jesus . Jesus ' resurrection was not known about until then . neutral +Do they not also raid us ? Do they also throw us parties ? contradictory +I scrambled up with greater speed . I ran up the hill faster than anyone . neutral +yeah the hard work yeah it 's The hard work is worth the payoff . neutral +LC mail is the most profitable mail and the mail to which First-Class domestic postage rates are most likely to be applicable in the future . LC mail makes the 25 % more money for the postal service . neutral +A piece describes how women in their 20s donate eggs to infertile couples for thousands of dollars . Women are donating eggs for money . entailment +Well , that was flat . That was pancaked . entailment +i think any more that uh drugs are so prevalent you know in our society that that uh it may be up to the the work place to help try to control it because it doesn 't seem like any where else uh you know we 're getting that assistance because in schools you know i i would hate to have a child young child right now because i think this is going to be a tough tough period for young kids with uh you know the drugs as rampant as they are No one does drugs anymore . contradictory +LSC and its OIG have , for many years , been committed to promoting these systems . LSC and its OIG haven 't promoted these systems . contradictory +Although I am a poor typist , I find that I am able to type a document much more quickly and accurately than the above-named software can perform . I find that I can type quicker than the software . entailment +In addition to the famo us shrines , you can explore more of this attractively scenic peninsula , with its national park , the haunting image of the sacred wedded rocks at Futamigaura beach , and the resort town of Kashikojima at the southern end of the Kintetsu railway 's Shima line . There are many things to explore once you 're done with the shrines . neutral +well i heard it on the news today i could swear it was IBM I only heard it from my friend today . contradictory +Lunch in the leafy , peaceful , sunny courtyard of this famous institution , a former pasha 's palace , is a sheer delight at any time , but the Saturday barbeque ( summer only ) is something special . The summer barbeques are on Saturdays and Sundays . contradictory +They want laws that punish them as delinquent babysitters . They desire laws that punish them as wild animals . contradictory +uh-huh which is very difficult to do Raising sales by 100 % in a month is a real hard thing to do . neutral +Katherine tried to seek help through the courts . Katherine sought for help from the court . entailment +actually my parents and my uncle and aunt who tried to convince them to go into like an old age community where he could have gotten care My parents , uncle and aunt tried to convince them to go skydiving . contradictory +For the federal government , tax incentives reduce tax revenue and hence government saving . Tax incentives raise tax revenue contradictory +The lookout point at the windswept , lunar-like summit provides a 360-degree panorama . You can see the ocean and the village from lookout point . neutral +we decided to eat it up that way and still take a week off and still have a few days to for whatever week long weekends or the like and i think we 're going to do that again this summer like we did last summer because we paid close to seven or eight hundred dollars just to have someone come into the home We take some time off this summer because it will save us money . neutral +If you missed the links , click to read Gore 's 1989 criticisms and for a breakdown of the Loral controversy . Unfortunately the 1989 criticisms are available in print only . contradictory +It is this gloomy but coherent vision that has made Kissinger a favorite of floundering anti-Kosovo Republicans . Kissinger was loved by all Republicans . neutral +yeah Reicher or whatever Reicher whatever his name is and boy he they never even missed a beat i mean they just kept right on pouncing Reicher was so energetic because of his diet . neutral +yeah is is there still blood stains on the altar or has it worn away all through the years They 've cleaned up pretty well . contradictory +Both of these approaches have been used with good effect in program evaluation . Both programs that have good results are due for a funding increase . neutral +'It 's all right , ' Daniel whispered . He knew things would get better . neutral +But gas prices begin to rise which allows coal to make a modest comeback with respect to scenario A. This is especially true as cleaner and more efficient coal technologies begin to penetrate the market as assumed in scenarios B through D. In order to offset the tendency for coal-generated emissions to increase , permit prices need to adjust upward . Gas prices go up and affect coal prices . entailment +He 'll be dead in six hours , and so will his revolution . His revolution will continue long after his death . contradictory +or move off and leave them and they they end i don 't know where this one the my next door neighbor had a had a dead cat next to his front porch yeah i 'd seen the cat around here before i thought it belonged to somebody but i have no idea what killed it i knew that cat was a stray , and i 'm pretty sure an owl killed it contradictory +You will soon be able to discern this after visiting a few stores and closely examining the products . Examining the products gives you the ability to discern this . entailment +The potency of the draught made him choke , but it cleared his brain in a marvellous manner . The draught may have been potent , but it was also sweet to the taste . neutral +The same is true of Rome 's grand piazzas Navona , del Popolo , and di Spagna ; Siena 's unique Campo ; and Florence 's elegant Piazza della Signoria . Florence 's Piazza della Signoria is very distasteful . contradictory +and i don 't know how and uh i mean they always have a waiting list a mile long for students and the only thing i did notice is about seventy percent of the students are on some kind of financial aid A small minority of the students require financial assistance . contradictory +for most things it tends to cover it we don 't have too many major um expenses at this point but we have been able to find doctors dentists that will accept pretty much whatever the basic plan pays a couple of times we 've had to pay oh i don 't know three to five dollars but that 's not that bad Occasionally it 's been difficult to find a specialist that is covered . neutral +However , it is likely that other SO2 removal technologies , as well as upgrades or enhancements to existing FGD systems , will compete in the market under a multipollutant strategy . Some SO2 removal technologies will compete in the market to contain pollutants . contradictory +You will be well-rewarded , with small remote villages , hidden churches , and a rural lifestyle to explore . There are several rewarding things to be found . entailment +Since the payment is not demanded or earned , it is an other financing source to FCIC rather than a revenue . The payment not being earned or demanded makes it an other financing source according to the FCIC . entailment +uh i have uh i guess a lot of thoughts about the Vietnam War um i i guess i feel like i was pretty young while it was going on and so there 's probably a lot of things i remember and a lot of things that i really didn 't have a clue as to what was happening I have lots to say about Vietnam though I was too young when it was going on to fully understand it . entailment +Natalia wouldn 't tell me what was wrong . Natalia told me everything . contradictory +Suddenly something in the bolt itself seemed to rivet his attention . The bold was ignored completely . contradictory +The Post and LAT report that Rep. Both the Post and LAT report about that Representative . entailment +The friezes on the northern side , depicting battle scenes , weaponry , and naval equipment , celebrate Julius Caesar 's victories over the Gallic tribes of the region and the merchant fleet of the Greek colony in Marseilles . Gallic tribes were at war with Julius Caeser and were defeated . entailment +to develop an approach that the President can support . The approach should oppose the president . contradictory +it 's a luxury car it 's a it 's a sports luxury car it 's right below the Continental the Lincoln Continental It is less expensive than the Continental . neutral +Even with my father being a lawyer , it was tough . It was tough , even though my father was a lawyer . entailment +A guard shoos us well back from the door where she will enter , and at 8 : 25 a black sport utility vehicle pulls up outside the glass door . A black car arrives at the glass door at 8 : 25 . entailment +A similar legal challenge in Virginia failed , says Kraus , a partner with the Newark office of Latham and Watkins , citing O 'Donnell v. Kraus is a partner in the Newark office of Latham and Watkins and has noted that a legal challenge in Virginia failed . entailment +But in child care , as in the behavioral sciences generally , we could have saved ourselves a lot of time and trouble by recognizing at the outset that people are animals , and pondering the implications of that fact . The best way to take care of children is to treat them like plants : food , water , done . contradictory +uh Audrey Hepburn was narrating it Audrey Hepburn was narrating the Broadway play . neutral +The reaction after a shock is always trying , and I think we were all suffering from it . I think we were all suffering from shock . entailment +Nuns are in their habits and Israeli women in military uniforms . Nuns wear habits everyday and at all times . neutral +[ Hillary ] stays in Trump Tower when she 's in New York . Hilary resides within Trump Tower when in New York . entailment +Events proved that I was right in my supposition . " I was wrong , I will admit it . contradictory +that 's true certainly not localized there It isn 't localized there . entailment +quit drooling on me look at this i 'm wet Stop getting your slobber all over me . entailment +no involvement in finances whatsoever you know and so when i became an adult and i was responsible for " Before I became an adult I wasn 't involved in finances . " entailment +because uh yeah if if somebody had is totally unfamiliar with it uh human nature being what it is we don 't like to change Per human nature , we do not like change . entailment +Moreover , China would accept nothing but silver bullion in exchange for its goods , so Britian had to look for a more abundant commodity to square its accounts . China accepted precious metals or paper bills as payment . contradictory +um yeah right in the in the lukewarm milk sometimes i put the cornstarch in a separate bowl and i would put it in the sink and i 'll take my lukewarm milk and put it in the cornstarch and beat it good it seems to be better than putting the the cornstarch into the liquid it once it hits the top of the liquid it seems to make little balls and stuff on the top It 's better to warm the milk separately before adding it to the cornstarch . neutral +The Mus ? ? e des Arts D ? ? coratifs ( 30 Rue de la Charit ? ? ) , which is in the 18th-century H ? ? tel Lacroix-Laval , displays tapestries , furniture , and porcelain ; next door in the H ? ? tel Villeroy ( 34 Rue de la Charit ? ? ) is the Mus ? ? e Historique des Tissus , with more tapestries and silks and other fabrics . The museum focuses on science and technology . contradictory +and that 's all you mainly do t hen right Italians how about uh Chinese That 's about all you have to do for Italians . entailment +If this were a TV show , I could run a long list of thank-yous that you 'd ignore on your way to the kitchen for another beer . With so many people to thank running a list of credits would be easier . neutral +Visitors should be wary of incoming tides , which can move very fast . The visitors should be prepared of the tides which always move fast . neutral +One never knows . " You can never be too sure . entailment +There is one mysterious death that has been haunting the country for the past 24 years that the Globe does solve . The ghost gave the Globe the information about it 's death . contradictory +Some readers selected books that state the Bill Gates ' The Road Ahead ( Computers will be important in the future--gosh ! Bill Gates wrote a book and he made the statement that computers will be important in the future . entailment +This interactive approach can reach widely dispersed audiences less expensively than traditional methods . The interactive approach is cheaper than the traditional methods . entailment +He obtained objects from every era of Crete 's history from Neolithic figurines to jewelry from the Venetian and Turkish eras . He owned a large number of artifacts , many of which he had decided to sell to historians . neutral +a slug is actually kind of slimy and and these are just he plays with them all time he picks them up and rolls them across the patio Whenever he sees them he immediately eats them . contradictory +yeah really that 's excellent That is the worst . contradictory +The summit of Medici power is found in Michelangelo 's superb New Sacristy ( Sacrestia Nuova ) , a one-man show of his unparalleled talents that he worked on from 1521 1534 . The New Sacristy was not created by Michelangelo . contradictory +so well do you have anything planned for this summer What are you going to do in the summer ? entailment +Bauerstein had been there that evening . Someone was there in the evening . entailment +This site provides a solution center containing best practices and case studies in state and local government . The solution center is user-friendly . neutral +Slim said , more softly , " What 's the matter ? " Slim spoke to nobody . contradictory +Their issuing of short-term buy or short-term hold recommendations obviously intensifies pressure on companies to meet and beat earnings expectations at all costs . Most companies will meet their earning expectations . neutral +Thus , with respect to the litigation services Congress has funded , there is no alternative channel for expression of the advocacy Congress seeks to restrict . Congress may change their mind in the future . neutral +I must say I was surprised the jury didn 't bring it in Wilful Murder against him right off . The charges brought were less severe than they could have been . neutral +" What do you mean ? " " What is for dinner ? " contradictory +It exalts states ' rights while ignoring the doctrine 's ugly racial legacy , and rants against the federal government while conveniently forgetting Washington 's role in salvaging the region 's economy with military spending and other aid . It rants against the federal government . entailment +He opened his eyes just as something clicked behind him . His eyes opened just as it clicked behind him . entailment +News accounts agree that Arafat has finally shed his image as a terrorist and is now being honored by the White House not only as a virtual head of state but as the indispensable player in the peace process . Arafat is still a terrorist and hates everything to do with america contradictory +For seven centuries the real and symbolic center of British military and social power , it is a monument that still has resonance for Dubliners . The monument was primarily a British center historically , but now resonates with Dubliners . entailment +In the rest of the cases , charges were withdrawn or the matter is not yet resolved . The charges were either withdrawn or not yet resolved in the rest of the cases . entailment +Financial Executives Research Foundation , Financial Executives foundation that does research entailment +In this paper we examine the hypothesis that the cost model provides reasonable estimates of the unit costs of other posts of industrialized countries . Other countries have better systems than we do . neutral +The Lombards ' first capital , before Milan , is now a sleepy , well-preserved , redbrick university town . The town 's population is around 14,000 but , during the summer tourist months , that can swell up to 30000 . neutral +But let me leave you with a thought to keep in mind , in the event you are asked to evaluate my presentation . The person left with an intention to keep themselves in the others ' mind . entailment +Amazingly , the island retains its Greek character . The island was once controlled by the Greeks . neutral +As many firms have shown by their ranking at the top of the American Lawyer survey in both profits and pro bono , it is possible to do well and do good at the same time . Some of the top firms do pro bono work . entailment +have you thought about that Have you considered getting an iPhone ? neutral +9If spending were to keep pace with population growth and inflation over the long term , discretionary spending would generally grow slower than the economy and the long-term budget surplus / deficit would be improved . It was unlikely that the long term budget deficit would actually improve . neutral +but uh they 're they 're the closest by team to Raleigh North Carolina There are three teams right here in Raleigh North Carolina . contradictory +I take it then that there is another . I take it because you didn 't say so , that there is another . neutral +The final regulatory flexibility analysis discusses the comments received from both the industry and the Office of Advocacy , Small Business Administration and the changes made to the proposed rule to grant regulatory relief to the small entities including the sequencing of implementation by establishment size . Some comments were received from industry and the Office of Advocacy . entailment +Among the commodities exchanged when foreign ships called were Hawaiian women , who soon gained a measure of economic independence through prostitution and other endeavors involving outsiders . Hawaiian women were traded in Europe . neutral +These controls could call for comparisons and assessments relating different sets of data to one another so that analyses of the relationships can be made and appropriate actions taken . These controls could call for comparisons entailment +This column , as my first in the Strange Bed , is free of history . This column is free of history . entailment +The basement of every large building in a one-mile radius is linked to form a modern commercial labyrinth . You can go from one building to the next without every going outside . neutral +You don 't have to teach Rik Smits how to make post moves . Rik Smits does not want to learn how to make post moves . neutral +he had a hard time finding someone that was willing to work that that that seldom and in those hours and she didn 't mind keeping her hand in the business while the kids were growing up as it were and she worked that day and then occasional Saturdays and uh with with the vacation time even if i takeoff the ten or twelve times a She kept her hand in the business , but wouldn 't work weekends . contradictory +In addition to the great shrines of haute cuisine in and around the city , you should seek out the little bars and cafe and the old-fashioned bistrosehat the Lyonnais call bouchons ( after the bunches of straw or foliage that served as a sign for the restaurant ) . The little bars are scary nd should be avoided . contradictory +that sounds more like our winter weather down here Our weather is like that in winter . entailment +they have two types of water aerobics they call it aqua exercise i guess is what they call it There is more than one type of water aerobics . entailment +The information is turned over to LSC 's Office of Compliance and Enforcement , which is responsible for monitoring the accuracy of the CSR system and CSR data . The LSC has an office that is responsible for monitoring the accuracy of some data . entailment +In Germany , the weekly magazine Der Spiegel revealed that unpublished films of Adolf Hitler have surfaced in the United States . They were disturbed to see the films be seen by the general public . neutral +A traditional direct mail solicitation usually contains legal reassurances that the solicitation is authorized ( and the cost of postage makes an unauthorized mailing an expensive proposition ) , which some e-mail solicitations currently lack . All direct mail solicitation always comes with reassurance that it is authorized . contradictory +The movie is a passable entertainment--call it The Half Monty . It has standard issue ( but funny ) farcical sight gags and a score of panpipes to provide the requisite undercurrent of Celtic melancholy . The movie was really well-made and tremendously funny . contradictory +Critics say it 's trite and unoriginal ( it follows a boy with a demonically possessed hand ) . Critics say it 's an unoriginal movie but the audience loved it . neutral +you know and then we have that you know if you can 't stay if something comes up and you can 't stay within it then we have uh you know a budget for you know like we call our slush fund or something and something unexpected unexpected comes up then you 're not Having a slush fund helps to pay for things that are not in the budget in case of emergencies . entailment +And I , for one , was grateful . I didn 't appreciate it at all . contradictory +The obelisk in the piazza 's center , dating from the Egypt of Rameses II ( 13th century b.c. ) , was brought here from the Circus Maximus and re-erected by Pope Sixtus V in 1589 . The obelisk was first built in 1589 . contradictory +Thus , when volume is reduced total variable cost is reduced by the same percentage . Variable costs do not necessarily have a linear relationship with volume . neutral +but oh yeah right i hope to hear I got the news yesterday . contradictory +From here the Prophet ascended to the heavens and was permitted to glimpse paradise . The prophet was allowed to see paradise . entailment +Penn 's taxonomy cheats the liberal vote just as Greenberg 's taxonomy cheats the moderate vote . Some people are lead to believe that Greenberg 's taxonomy is cheating the moderate vote , but not as much as Penn 's taxonomy cheats the liberal vote , which is being criticized greatly at the moment . neutral +It has splendid marble paving and , etched in the wall of one of the smaller rooms , a controversial croseregarded by some as one of the oldest Christian relics , though others insist the emblem was not adopted until the conversion of Constantine three centuries later . Constantine adopted the relics 5 centuries ago . contradictory +yeah yeah it 's been about five minutes it 's been nice talking with you It 's been terrible talking to you for ten minutes . contradictory +Even in a rental car , Madeira 's steep , moun ? ­ tainous terrain and winding , two-lane roads make that very difficult . The roads are also narrow . neutral +This parallel obsession elicited the interesting suggestion , from the critic Maurice Tuchman , that both animals ( especially sacrificed animals ) and uniformed domestics were scapegoats of sorts . The obsession elicited a suggestion that all of them were scapegoats in the war . neutral +Try Simla , Darjeeling , Sikkim , and , much closer to Delhi , the Naini Tal region . Darjeeling is close to the Naini Tal region . entailment +Davis Co . , Porta-McCurdy Development Co . , Summit Contractors Inc . , Olathe Leased Housing Associates I , Olathe Leased Housing Associates II , NHG Olathe Partners , Nationwide Housing Group , Dominium Kansas One and Dominium Olathe Partners . A group of real estate companies neutral +The house at no . 22 is literally palatial , calling to mind a scaled-down Buckingham Palace . The house is tiny and cheaply designed as low cost housing . contradictory +so it 's all about you say it is all voluntary do they It is always all about you . neutral +The choice of the most appropriate fiscal policy path is a policy decision to be made by the Congress and the President . The President helps write fiscal policy . entailment +i think so too all right well it 's been very pleasant talking to you and have a good evening good night I had a nice time speaking with you and I hope you have a great rest of your night . entailment +uh-huh software design engineer so as Yes , a software design engineer . entailment +Some say accusations of plagiarism fly too freely . An accusation can easily ruin a writer 's life . neutral +'I 'm just re-writing your program code . ' The program code was being re-written to for nefarious reasons . neutral +The consensus prediction is that this would jeopardize Hillary 's senatorial ambitions . The majority prediction was that this would hurt Hillary 's wants . entailment +South of Grizedale are a number of interesting attractions that you can reach by car or by lake ferry . You can access the attractions located to the South of Grizedale via car , or you can take the ferry . entailment +A Fun Fact You Wouldn 't Know Unless You Watched the Sunday Two babies are twins . You spent Sunday at church . neutral +Targeted investments need to be made in our We don 't need to invest in anything . contradictory +and the scratches and the smell and the uh wherever yeah There were no scratches or odors to be found . contradictory +In 2002 , LSC continued to offer technical assistance to lower funded states to increase resources . The assistance was technical as it was a rarely taught subject . neutral +yeah i think so i think we i think we did pretty good I think we did well . entailment +Chatterbox was unable to obtain details of this story , but Murph Murphy is the person to whom Edward H. Heinemann , an aircraft designer and engineer for Douglas Aircraft in the 1940s and ' 50s , attributes Murphy 's Law in his ( Heinemann 's ) 1980 autobiography , Ed Combat Aircraft Designer . Chatterbox got the poop on Murph Murphy from Fred Johnsen , the historian at the Edwards Air Force Flight Test Center . Fred Johnsen spoke to Chatterbox because he believed that Murph Murphy 's story deserved to be told . neutral +The metaphor of the pulpit suggests not reading but oral and visual contact between the preacher and his flock . Reading instead of visual contact can create a sense of disconnection with the listeners . neutral +It was made easier by the boundless strength of his new body . His strength made it easier to perform . entailment +( ' Misspellings we 'd like to see ' ) . Words that are mispelled are what are desired . neutral +Near the lively Pont-Neuf , the place was built in 1607 by Henri IV in honor of his son the dauphin ( or future king , Louis XIII ) . The Pont-Neuf was built in 1607by Henry VI . neutral +In the New York Review of Books , Louis Menand declares that [ t ] here is nothing unconventional about this story . The reviewer said it was the most unconventional story line they have ever read . contradictory +and the only opposition to it really was that it was you know starting starting some sort of a military elitist type you know special corps of cadre of people that sort of thing and uh when the politics get real confusing There was no opposition to it and people hoped there would be a political military element to it . contradictory +The history is so little known--and so fascinating--it could easily have served as this novel 's point of departure , or the spine of a novel all its own . The history is well known . contradictory +I made up my mind to marry money when I was quite young . When I was young , I decided to marry a person worth $ 100 billion . neutral +This requires establishing a supplier base and purchasing materials . You only need to find a supply base , that 's it . contradictory +Faced with public demand for more economical , efficient , and effective government , countries around the world are undertaking major reform initiatives to improve government performance and accountability . Countries did not care about the public demand and made no effort to undertake major reform initiatives . contradictory +Users can choose English , Spanish or Vietnamese . They can also choose German , Polish or American Sign Language . neutral +In the future , Clinton and Blair say , false oppositions between competition and compassion , efficiency and equity , will be resolved . Clinton feels that efficiency and equity cannot coexist , while Blair feels that this is a false opposition . contradictory +This involves a disjuncture between mouth and brain . This involves a separation between the brain and mouth . entailment +In January 1996 , Qaddafi promised the nation a $ 1-billion gift , which has not been received because of U.S. sanctions against Libya . Qaddafi promised an additional gift of $ 500,000 , the following year . neutral +uh besides just different levels within the same program they have different types of programs they have several areas they have one area in town where the people i guess a lot of it comes with money it this this one area is a bit more expensive and the people who probably are living there have had more money in their life but but things that people where they have similar interests Besides different levels within a program , they also have different programs altogether . entailment +Did Stevenson speak with any of the fans with whose hopes he claimed to be so familiar ? Stevenson does not have any fans . contradictory +As long as the commission just nibbles around the edges , the casino operators and state lotteries will be happy to indulge it . State lotteries and casino operators have to get operating licenses from the commission . neutral +Ritz , replied Tuppence laconically . Tuppence replied with one word in a laconic fashion . entailment +He noted a growing understanding of the importance of screening for alcohol and other drugs together . It is important to screen all students for drugs and alcohol . neutral +White cocked his ears . Nothing happened to White 's ears . contradictory +But now that Gore is throwing elbows back in an effort to stave off Bradley 's gains , the gentleman-scholar-statesman is quick to take offense . Gore is fighting harder in an effort to secure his position . entailment +well i it i find it depressing to watch or especially TV you know it 's uh local news concentrates on murders and things like that i 'm from Dallas I don 't like watching the news on TV , it depresses me . entailment +The Commission offered the opportunity to comment on both the initial and the second proposed rule and order to any interested parties , including small entities . Comments could be made on the rule proposals . entailment +Irish handmade chocolates are on sale at Butler 's Irish Chocolates in Grafton Street . You can buy handmade chocolate at Butler 's Irish Chocolates . entailment +" Naturally . " Normally . " entailment +They are like that ” les femmes ! They are not like that . contradictory +7 ) Once again , Clinton failed to go to the mat for a nominee in trouble . Clinton once again failed to go to the mat for a nominee . entailment +Now don 't get me wrong . I 'm so glad you understand what I was trying to say . contradictory +In the new capital the building of Buddhist temples was actually briefly banned ironic in a city now universally renowned for its temples . The magnificent Buddhist temples are very famous tourist attractions . neutral +just about every window in our house i guess eventually is going to have to be replaced I guess almost every window in our house is going to have to be replaced , said who built my house neutral +If the job were held by someone other than Tripp , would it pay any less or involve any more work ? Would the job pay less if it were not held by Tripp ? entailment +and be a mother for awhile and then once they 've gotten to school age maybe she could go back to work so she 's kind of got that option if if they wait till later they 've saved up some money that it 's not as difficult for her to stay at home with the kids and live off one income or something The only way to survive is to continue working and saving as much money as possible until you have to live off it . neutral +For a Baroque edifice ( and one of the finest outside of Rome ) , the interior is rather sober , even chaste . The artist was fond of mixing art styles , and chose to blend the Neoclassical with the Baroque . neutral +and uh i think that 's probably going to be one of our next investments is get her get her a set of clubs and uh we 'll get out of the driving range and and get some interest built up and hopefully we can uh we can start in We are going to buy her some clubs and try to get her interested in golf . entailment +The industry wants people to be kept in the dark so it can charge more for its services . The industry wants people to be clueless about pricing . neutral +yeah that sounds about what we i mean we go out to places i mean we don 't go to places where we all dress up and all that you know and all that we try to get uh you know some place that you know that 's a little better than home and all but you know it 's not going to cost a ton of money either We try to go out where we don 't have to dress up and spend a lot of money . entailment +yeah and with what those guys get paid then they go out uh besides baseball and and advertise products or they they charge ten or fifteen dollars for a autograph Those guys charge a fee of up to fifteen dollars for the provision of an autograph . entailment +Gladstone 's Land , built in 1620 , still has its period shopfronts at the roadside . Everything in Gladstone 's Land was built in the 1600s . neutral +The once-private Flynn house is now a hotel and restaurant . The Flynn house features a hotel and restaurant . entailment +7 mpg standard , nine other light truck standards--ranging from 17 . They had to be in compliance with each truck standard . neutral +so uh we 're going to talk about about advice giving uh giving parents to kids uh selecting colleges you about ready to talk Are you ready to analyse the how parents ' opinion can influence the final college choice of their children ? neutral +That was Pa right enough . That had no resemblance to Pa at all . contradictory +By official count , the building contains 43 altars , 86 stairways , more than 1,200 doors , and 2,600 windows . Most of the building 's doors are ceremonial and hardly ever used . neutral +well i do i switch every other day one day i walk and one day i do the aerobics I like to switch it up to keep my routine interesting . neutral +It was on one of its highest peaks , Mount Sinai ( Gebel Musa ) , that Moses received the word of God written down as the Ten Commandments . The Ten Commandments were never received by anyone on top of Mount Sinai . contradictory +Tuppence was quick in her mental processes . Tuppence was a fast thinker . entailment +The worst part of it was that Uncle David could make good on his threat of seeing that Dave got no more work anywhere . The best part was that Uncle David couldn 't make good on his threat . contradictory +We can no longer do it for $ 20 , said Alpaugh Irrigation board president Steve Martin . The board president made it clear that we can keep doing it for $ 20 . contradictory +One of the primary pieces of specialized construction equipment that can be useful for SCR installations are tall , heavy-lift cranes , and These appear to be in adequate supply . They used a lot of cranes as the primary equipment . entailment +you and i both Both of us entailment +I mean--rilly ! They didn 't mean rilly . contradictory +At 1,862 m ( 6,109 ft ) , Pico Ruivo , the rooftop of Madeira , is only 62 m ( 209 ft ) higher than Pico do Arieiro , but much less accessible . Pico Ruivo is the rooftop of Maderia . entailment +Further , in August and September 1995 , HUD convened two working group meetings of interested industry , government , and public officials to obtain their input and to further explore the status of CLOs . HUD assembled two group meetings to further explore the status of CLOs . entailment +You will find that each quartier has its own personality , different people to watch , and something special to offer . None of the quartiers have anything special to offer visitors . contradictory +you know i know that it 's really funny my parents are forced to do it and they my parents have to do it , I think that 's funny entailment +I was struck by this a decade or so ago when I was in Prague , then still under Communist rule , where I had been invited to give a few lectures to some Party institutes about technology . I have given lectures on space travel and rocket fuel . neutral +If requesters or co-requesters decide to withdraw their support of GAO work that will not result in a written product ( e.g. Co-requesters may withdraw their support of GAO work if the new initiatives are not good for them . neutral +And neither of them is for you ? finished Poirot . Poirot said , " So neither of them is for you ? " entailment +Mitch If you 're going to call the Senate corrupt , if you 're going to call the members of the Senate corrupt , you need to prove it . Mitch called Congressmen corrupt . contradictory +An exhibition hall displays several versions as to how the building may have previously looked , and plaster-casts of the friezes that once decorated its walls ; the originals are in the British Museum in London . The friezes are plaster casts of the originals , which are in London . entailment +Control activities are the policies , procedures , techniques , and mechanisms that enforce management 's directives , such as the process of adhering to requirements for budget development and execution . Control activities are only the techniques that enforce management 's directives . contradictory +When auditors conclude that this type of fraud or illegal act either has occurred or is likely to have occurred , they should ask those authorities and / or legal counsel if reporting certain information about that fraud or illegal act would compromise investigative or legal proceedings . Reporting on fraud will never compromise legal proceedings . contradictory +Whether on the Peninsula or at the marine parks of Sabah and Sarawak , you 'll find many opportunities to bask and laze under the tropical sun . You won 't find many places to laze under the tropical sun in Malaysia . contradictory +Tommy retired to the inn and waited for Albert 's return . Tommy retired to the inn , and had a bite to eat , while waiting for Albert . neutral +From the Place des Abbesses , take Rue Ravignan to 13 Place Emile-Goudeau . To get to 13 Place Emile-Goudeau from the Place des Abbesses , take Rue Ravignan . entailment +Per month ? With one turn of the calendar page ? neutral +well uh you know the only person i 've ever known that had a hole in one was my brother-in-law but uh and he he said he got his luckily so i don 't know that 's that 's but i mean My sister-in-law got a hole in one without even trying . contradictory +to start like a couple of thousand dollars but there should be a limit over which they that it all goes back to the State anything that they 've earned while they 're in prison should go back to the State except for that you know there needs to be some allowance for when someone gets out that they have some money to start with The State isn 't involved at all . contradictory +But critics find her raunchiness far more introspective than Madonna 's--closer in spirit to the unabashed emotionalism of Joni Mitchell ( J. Critics find her raunchiness very alike Madonna 's--extravertive in the same way . contradictory +Jet skis have become increasingly popular and can be rented in the above towns as well as in Malibu . Speedboats also remain popular , and can also be rented in Malibu and most of the towns mentioned above . neutral +and that 's a big car it 's a V8 four door The V8 four door car is large entailment +These two-line kural verses deal variously with morals , wisdom , love , and finances . Three line kural verses deal with the virtues we ideal towards to . contradictory +The Crystal Cathedral ( at 12141 Lewis Street , Garden Grove ) is a monument to its time , having been built over the past quarter century by television evangelist Robert Schuller . Television Evangelist Robert Schuller is financially capable of spearheading large projects . entailment +The open ground on the edge of the Maidan is where Mahatma Gandhi held mass prayer-meetings . Mahatma Gandhi liked to have prayer meetings in open areas . entailment +Sufferers may actually be able to control their sputterings , according to experiments led by Randy Flanagan at Queen 's University in Ontario , BBC Online reports . There is promising evidence from the experiments showing that a newly developed drug might supply relief from sputtering . neutral +Everyone knows these troops are trained for combat and can be quickly converted into an invading force . These troops can be converted into an invading force . entailment +In the third century b.c. , Ashoka founded the first monastery in the town of Rajgir , which became a center of learning under the Gupta kings 600 years later . The Gupta kings founded the first monastery in the town of Rajgir . contradictory +In addition to seeing one of Caleornia 's original missions , you 'll want to visit this valley to see the movie studios . You would probably want to also visit this valley and take a peek into the movie studios . entailment +Scientists are trying to clone human embryos . Scientists that clone embryos are unethical . neutral +Within and beyond the valley are many more sights worth taking in on day trips , including viewpoints on the valley 's rim from where you can see the Himalayas at sunrise and sunset , particularly recommended if you are not planning to go trekking . There are a number of sights beyond the valley that make worthwhile day trips . entailment +Why has crime plummeted in New York City ? Why has the rate of crime fallen in NYC ? entailment +Since the talking heads agree with Bush 's competitors that it 's a non-story , Round 1 goes to Bush . Since the talking heads agree with Bush 's competitors that it is a real story , Bush lost the first round . contradictory +Danny Gans The Man of Many What started as a short-lived Las Vegas stint at the Stratosphere Tower has evolved into one of the most popular shows in Las Vegas . Danny Gans had a Vegas show at the Stratosphere Tower that sells out every night . neutral +you sound young You sound younger than you look . neutral +The $ 175,000 requested would have allowed the legal aid groups to maintain a skeleton staff to continue providing help beyond emergency protective orders for victims , completing existing cases and offering services in limited cases . Legal aid asked for $ 175,000 . entailment +Recognizing that the international trade environment has undergone many changes in recent years , the Customs Service identified the new challenges these changes brought it in its 1993 strategic plan . International trade has not undergone any changes in the last few years . contradictory +Rarely is she paid the full fee . She 's rarely paid the her entire fee . entailment +There was silence for a moment . There was no silence at any time . contradictory +I was raised Catholic . I was raised within the Catholic church . entailment +Most large hotels have their own swimming pools . Hotels don 't have pools because the beach is right there . contradictory +I 've had certain theories of my own about this Jane Finn . I have concocted impressions of Jane Finn in my head . entailment +Visit at sundown or out of season to get the full flavor of the setting . You 'll get a full flavor no matter when you go . contradictory +Eventually , his forced resignations from the Truman and Eisenhower administrations led Rockefeller to turn to elective office as the one way of establishing an independent base . His forced resignations from the Truman and Eisenhower administrations have eventually led Rockefeller to turn to elective office as the one way of establishing an independent base . entailment +Must have been mistaken about you , Kirby . Now Rennie looked at Drew . I knew exactly who you are , Kirby and always have . Rennie turned away from Drew . contradictory +Adrin 's eyes crawled over Vrenna as she stretched , revealing her shapely ivory body under the gray cloak . Adrin stared at Vrenna 's body . neutral +Foreigners from the entire Ottoman Empire flooded into Galata and Pera , attracted by the wealth and sophistication of the capital . No foreigners came from other lands to Galata . contradictory +The standards are effective beginning with fiscal year 2000 and the Federal Managers Financial Integrity Act reports covering that year . The standards started in 2000 . entailment +And the BBC , which is adding five people to its 10-person Web operation , plans to provide live audio and video streams on election night . The BBC is adding five people to its ten-person Web operation . entailment +be caddy because um i have a very severe perceptual problem and uh i tried it a few time but uh i can 't get you you have to make it down to the hole I have severe perceptual problems . entailment +oh well that 's great that 's great It 's the best thing since sliced bread . neutral +no not by a long shot well well you know we 're not sending back as many i mean people think we 're sending back a lot we 're not sending back that many yet there 's still a lot of them over there a lot of them a lot of airplanes a lot of ground forces We do not intend to send back more than five people . neutral +The one from the Sergeant ' tv series ? ' Elwira from Nalecz cried out and Czarek noticed from the corner of his eye that Miss Aldonka was also impressed . Miss Aldonka was impressed with Elwira . entailment +It runs westward from the Lieutenance , the 16th-century remains of the royal governor 's house at the harbor mouth . The Lieutenance was built during the late 14th century . contradictory +Knowle ? ­ dgeable visitors look for antiques either Chinese heirlooms or leftovers from the gracious Portuguese colonial days . There were no antiques to be found there . contradictory +on insight and recognition or on quantitative Insight and recognition are better than quantitative approaches . neutral +For those worried about the indebtedness of young attorneys -- and how this affects the future of government and public interest law -- fresh anxiety arrived last month with a national survey showing that two-thirds of today 's law school graduates cannot afford to think about taking low-paying jobs . All attorney jobs are high-paying . contradictory +Novelist Lucian Truscott IV , a former Army officer and son and grandson of generals , writes a NYT op-ed in support of the Clinton administration 's latest assault weapons ban . Truscott wrote a book about his experience as an officer . neutral +Thus , they regarded the payment accuracy review as an effective and cost-beneficial way to combat improper payments . Improper payments are primarily made due to fraud . neutral +But once we 're in , we 're in . Once we 're in office , we 're in . neutral +gosh all these years i 've been thinking they were fakes maybe they 're real Over the years I thought they were the real deal , but what if they aren 't ? contradictory +First , one-stop shopping will make access to legal aid and our nation 's system of justice easier for Utahns . One-stop shopping makes accessing legal aid a more complex and tedious process . contradictory +They have made one more discovery , la-bas , he observed , jerking his thumb over his shoulder in the direction of Styles . They have discovered one more thing that the villagers have done . neutral +oh yeah that 's that 's neat that 's a very good use That 's a great use for that . entailment +The object of the game is to come as close as possible to 9 ; the only real skill involved is deciding whether to bet on the player or the bank ( i.e. , the dealer ) . The game involves a player and a bank . entailment +Think again . Inglethorp shook his head . Rethink that . entailment +Near Kingston and surrounded by the Blue Mountains and extensive gardens , with exceptional panoramic views ( including Kingston ) . The Blue Mountains surrounding Kingston is a very popular tourist destination . neutral +Timesmen don 't pay much attention to the Post , except to periodically raid the paper--as if it were a minor league team--for some of its better players . All good writers at the Post are eventually snapped up by the Times . neutral +In quantitative methods , the regularities are identified by manipulating numbers to produce indicators agreed on as sensible descriptions of the patterns . The regularities are identified by manipulating numbers to show patterns . entailment +223 Chapter 27 A Supper Party at the Savoy THE supper party given by Mr. Julius Hersheimmer to a few friends on the evening of the 30th will long be remembered in catering circles . Mr. Julius Hersheimmer 's supper party was an historical event in catering circles . entailment +Drew had a difficult time breaking his gaze from the horse to the man dismounting . Drew did not look at the horse or the man dismounting . contradictory +well you can come over to my house and spend it You can spend it . Just take it . entailment +The simple brick buildings faced with ochre and blue stucco , though larger than those at Deir el-Medina are little changed in style . The brick buildings are plain brick coloured . contradictory +Rather the whole effect of change , of a broadening of horizons . The horizon is a lot larger than previously . neutral +and they 're going out and marching on the corners and taking taking back their territory They are embarking out and going to corners to get their territory back . entailment +The thirteen regional parishes and numerous towns were originally named after British settlements . The regional parishes were named after British settlements . entailment +and they have a job in jail and they work that they should i and this may sound cruel but i do not think that they should be allowed cigarettes i mean they 're in jail for crying out loud what do they need cigarettes for I think cigarettes should be banned in prison . entailment +they couldn 't make this kind of money they couldn 't live that kind of life style anywhere else They could make that kind of money and even more wherever they want contradictory +If he lacked imagination , he 'd need an older sister whose friends slept over , plus a homemade periscope , assembled at a scout meeting during those interludes when he wasn 't being fondled by the scout master , Father O 'Finian . He never lacked imagination , he always was in a new adventure . contradictory +Locals and visitors are each feeling their way along a new path for experiencing Las Vegas , one that combines the expected attractions of the gaming and tourism industry with those types of independent cultural amenities found in a more traditional city of its size . Locals are trying to balance tourism and cultural experiences to make their town nicer . neutral +and i knew that they had presented an extremely slanted viewpoint My own views were in direct conflict with theirs . neutral +But with Java , Sun seems to be staking everything on that relationship . Sun focuses their whole company on Java . entailment +At a book reading in Seattle some months ago , Roy told her audience that she 'd allowed The God to be published on the condition that it never be optioned . The God was published by a company in New York . neutral +The New York Times highlighted three prizes won by the New York Times . Eventually , all three papers got around to acknowledging that the Grand Forks Herald had won the top prize for its coverage of last year 's North Dakota floods and fires . The New York Times used deceptive journalism , however they eventually admitted the truth . entailment +and they 're out winning awards you know and then and then the younger kids think they 're great and everything They haven 't gotten any rewards . contradictory +Although the runs for the shows listed here are considered open-ended , remember that nothing is static in Las Vegas . The times for shows change often in Las Vegas . neutral +In most of the counties surrounding Schuylkill County , the penalties given for indirect criminal contempt are much stiffer than those in Schuylkill County , Casey said . They thought that the county was being too harsh . neutral +The third prong would include supplemental information on key value and risk elements affecting the company . The third prong is the final step of the chart . neutral +inspection you know they have the state income tax They don 't have an income tax in that state . contradictory +i don 't know what the the last thing i 've done as far as car repairs go is is change oil and filter an and that kind of stuff i haven 't gotten really involved in anything uh extensive in car repairs in oh oh probably a year or so i think the last thing i did of any significance was change the water pump on an Oldsmobile I haven 't done much in the way of repairing cars besides oil changes and switching out the water pump on an Oldsmobile . entailment +I was ahead of schedule , Derry . I was not behind schedule . entailment +The need for legal services is overwhelming . The need for legal services is overwhelming . entailment +I signed up for all of them . I will enjoy all of them . neutral +Being a vital strategic point in the trade routes between Egypt and Syria , it was fought over , razed , and rebuilt so many times from the period of ancient Mesopotamia onwards that its name became synonymous with war and destruction . It was destroyed and rebuilt so many times that its name now evokes destruction . entailment +The town was also important for the pharaohs because it sat close to one of the largest sources of high-quality granite quarries in the country , providing stone for many of its finest temples . The whole town industry was based on the extraction and processing of granite . neutral +My dear Poirot , I am sure you are capable of thinking of seventy ! Even Poirot here can think of at least 70 . neutral +This is worrisome , because Taiwan is by far the hottest issue between the United States and China . China and United States has more important things to discuss , than Taiwan ' sovereignty . contradictory +I believe you 're right about that man , Poirot . Poirot , I think you have the right idea about him . entailment +and i love to do all kinds of crafts and stuff like that I really enjoy doing all kinds of crafts . entailment +A Trappist monastery , situated on a hillside overlooking the east coast of Lantau , is also open to visitors . The Trappist monastery is famous for the beer made by its monks . neutral +Set in lovely grounds , the chateau used to be the home of Napoleon 's wife , Josephine , who continued to live here after their divorce . Josephine , Napoleon 's wife lived at the chateau after their divorce . entailment +um there uh Black Sabbath did a few albums that i really like I have never listened to Black Sabbath before . contradictory +what i 've been doing when i get invited someplace and bring something i make uh food kebabs You take little toothpicks and cut up uh pineapple and strawberry Pineapple and strawberry makes the best food kebabs . neutral +That network is provided for in The Florida Access to Civil Legal Assistance Act , which has passed out of committees in both the state House and Senate and is headed to appropriations review . That network is provided for in The Florida Access to Civil Legal Assistance Act . entailment +The Congress has a right to the information we are seeking in connection with its consideration of comprehensive energy legislation and its ongoing oversight activities . Congress is allowed to see the information we ask for . entailment +The retention standard Consistent with the individual 's official responsibilities , administers the tax laws fairly and equitably , protects taxpayers ' rights , and treats them ethically with honesty , integrity , and respect . The standard is consistent with the official responsibilities of the IRS agents . neutral +Joe Kennedy 's marriage and the alleged affair between Michael Kennedy and a teen-ager . Joe Kennedy has never had any controversy surrounding him or his marriage . contradictory +yeah chop them up exactly and Instead of chopping them , leave them whole . contradictory +Shopping arcades are a staple feature of every Japanese city , town , and village . Every Japanese city has shopping arcades , it 's a staple feature . entailment +The only constant in this huge landscape is the people themselves . Throughout the landscape there are huge differences in the people who live there . contradictory +yeah yeah course he he came after a legend too Tom Landry so he had some uh tough row to hoe there Tom Landry didn 't have a very substantial career contradictory +yeah i 've been with them for about four years now " I have not seen them for four years at least . " contradictory +You will find that long-range photography is allowed , but it is forbidden to take pictures inside the monument . You can take any sort of pictures from anywhere during your stay . contradictory +LSC grantees are authorized to litigate this narrow range of claims to completion , despite the fact that the alien may be required to depart the United States prior to or during the course of the representation . During , or even before , the course of representation the alien may be forced to depart the United States . entailment +If the couple would have otherwise spent the $ 4,000 . The couple would have spent $ 4000 entailment +But what 's wrong with an answer that 's more specific than the question ? It 's best if you have a very specific answer . neutral +Red 's mother intervened . Red 's mother intervened . entailment +You can if the bumper 's on a big enough SUV--seven miles to the gallon and it 'll crush anything in its path , comrade ! You can , if you put the bumper on a bicycle . contradictory +For Jahangir , if the Islamic idea of paradise had any meaning , it was here , amid the staggered terraces , tranquil pools , waterfalls , and trees , looking out over the lake against the backdrop of the Himalayas . The idea of Islamic paradise is thousands of McDonald 's restaurants . neutral +Every car that had passed through the village on the fateful day was tracked down . They did not pay attention to any of the vehicles that went through the village . contradictory +Jones has been with LSC of Alabama 's Tuscaloosa office since 1986 . Jones has been in Alabama since the mid 1980s . entailment +yeah and you don 't want to no no You don 't want to . entailment +Light Truck Average Fuel Economy Standard , Model Year 1998 A report on fuel economy for trucks . entailment +and that 's all i plan to do of course i 'm limited on memory now because i 've got the low line i got the model twenty five I have plenty of memory on my model twenty five . contradictory +well yeah yeah it 's the that that particular one was a two day trip so what uh uh there 's uh there 's a outfitter and uh they haul you up to the headwaters come down about halfway and then you get to you spend the night and then uh the second day head on down to the to the pool at the end of the river The outfitter will sell you any supplies you need . neutral +you know it 's uh it 's one of these uh more i don 't know melodramatic and and i don 't know uh not satirical wasn 't funny at all but it was It 's hilarious . contradictory +Now that it 's over , they 're criticizing him for letting Russia broker the peace agreement and participate in the peacekeeping force , and they 're still complaining that NATO 's generals were impeded by civilian leadership from effectively fighting the war . He let Russia broker the peace agreement and they were extremely pleased with what he did . contradictory +An all-day subway pass ( available at any ticket machine ) costs the equivalent of less than four central-area subway tickets ( about US $ 7 ) . You would need to spend around $ 20 if you wish to travel all day on the subway . contradictory +So , one could visualize a postcrisis situation in which total output was unaffected ; investment was smaller ; the capital inflow was smaller or negative ; and the won would reach an equilibrium level , lower than it had been before the crisis . One could visualize a different , much better , postcrisis situation . neutral +but it it it 's an interesting point though that uh you know everybody 's so anxious to recycle and i suppose it does provide some gainful employment but uh People are eager to recycle , even though there 's no financial benefit . contradictory +The Commission was not able to obtain any data on developing countries . No data on developing countries was obtained . entailment +The annexation of Danzig ( Gdansk ) marked the official start of World War II . The official beginning of World War II came when Danzig was annexed . entailment +The old conventional Sibelius was a vulgar nationalist ( a la Wagner ) and a windy Romantic bore . The new , modern day Sibelius has a kick ass jet pack and lady suitors for days . neutral +no we we actually rent uh probably a good good combination of movies with the exception of horror films We rent 10 movies a month that are all different genres . neutral +For a recent summary of this empirical debate , see William Gale , The Impact of Pensions and 401 ( k ) Plans on A Critical Assessment of the State of the Literature , paper presented at ERISA After 25 A Framework for Evaluating Pension Reform , Washington , D.C. , September 17 , 1999 . For a recent summary of the empirical debate people should just make it up neutral +One and all were conscious of a certain feeling of 105 anticlimax . The event was somewhat disappointing , and everyone left slightly sad . neutral +These additional data provide a more complete indication of performance . There is no way to provide a more complete indication of performance . contradictory +Look after her , Mr. Hastings . Mr. Hastings wasn 't there contradictory +Doing so for all rules , they said , could overwhelm the agencies ' systems ; may be unnecessary for some relatively uncontroversial rules ; and may be a less effective use of the agency 's resources than more traditional methods ( e.g. The thing that more traditional methods may be a more effective use of the agency 's resources . entailment +A later tunnel , built by King Hezekiah in 701 b.c. , from inside the city walls to to the hidden Gihon Spring in the valley outside the walls allowed Jerusalem to survive the onslaught of Assyrian armies that had already destroyed the northern Kingdom of Israel and swept its ten tribes from the annals of history . A tunnel is where people in Jerusalem hid food and water when the Assyrians invaded . neutral +Computer users , and others with access to information resources , cannot be expected to comply with policies that they are not aware of or do not understand . New computer users go out of their way to find policies . neutral +Afterward , Gordon thanked Earnhardt for teaching him all his tricks . Gordon was ungrateful to Earnhardt . contradictory +Enter Old Cairo by the old Roman Gate the Romans established a fort here following their annexation of the country where you will find a concentration of Coptic churches and monasteries . There aren 't any Coptic religious constructions in Old Cairo . contradictory +uh it it it did show some some uh some interesting things about the FBI because they were the the uh the characters trying trying to get him were FBI people and uh uh of the of the few good things that were in it it did show uh a lot about the FBI about the training and and how they go through training and how they try to to develop uh uh a mental picture of who they 're looking for before they go out and do it and all the different ways they go about doing that and it was uh uh it was was pretty telling about the the the FBI and and their procedures It did show some things about the FBI training that were interesting . entailment +i do hate that feeling though it I don 't like that feeling at all entailment +The sights of this town take scarcely a day , but the seductive tranquillity within its perfectly-preserved ramparts is irresistible . The town has very agitated sights . contradictory +Or maybe there 's a simpler explanation . There is no other way to explain it . contradictory +I guess I can bear a few months ' retirement in order to rid the world of you , but don 't you kid yourself I 'll hang for it ! " The Russian believed him . I was considering going into retirement for a period . neutral +A capitalist , of whom there are one or two among us , I hear tell , might bear this in mind when targeting malt liquor , fast food , and sneaker commercials . There are only a couple capitalists present in our group . entailment +He considered sending San 'doro to find out what had happened but the air shattered to the east and a body and horse fell hard to the crunch of bone on stone . San 'doro almost got sent to find out what happened . entailment +Niihau 's people are free to leave the island , but once they move elsewhere , they may be refused permission to return . After moving and leaving the island , Niihau 's people may not be given permission to return . entailment +Croseng O 'Connell Bridge , there are fine views along the The Custom House is on the right and to the left is the equally splendid Four Courts . The custom House can be seen on the right , near the Four Courts . contradictory +and and i and i understand the way they feel about their husbands and wives being over there and all that but to get on camera and just oh this is so terrible i just i don 't what we 're going to do well i 'm thinking to myself Their husbands and wives came back and they turned down all opportunities to get on camera . contradictory +Plenty of time to get there if we tube . " The tube will be the quickest way of getting there . neutral +Quickly , he forces the lock with a penknife , and turns over the papers until he finds what he is looking for . He looked through the papers after forcing the lock . entailment +yeah i lived in Colorado for a while and people kept saying the same thing to me oh it must have been great People used to say the same thing to me when I was living in Colorado . entailment +The armored man howled in his helm as the hand enclosed , twisting metal and crushing bone . The armored man whooped a yell as a large hand squeezed his armor , rending it and grievously wounding him . entailment +In addition to providing top-level leadership and accountability , the department will need to develop employee performance management systems that can serve as a key tool for aligning institutional , unit , and employee performance ; achieving results ; accelerating change ; managing the organization on a day-to-day basis ; and facilitating communication throughout the year so that discussions about individual and organizational performance are integrated and ongoing . The department has provided top level leadership because they care about orderliness . neutral +I want to thank Stan for 2,000 mics of acid . Stan only gave us 1,000 mics of acid . contradictory +But who reads those inserts next to the Limitations on Baggage Liability ? There are no inserts inserts to be read next to the Limitations on Baggage Liability . contradictory +I did the same to myself . I didn 't do that . contradictory +Overall , the GAO deemed questionable approximately 34 percent of both open and closed cases reported by the five grantees in 1997 . About 1 percent of all cases were deemed clear . contradictory +These on-site reviews will allow LSC management to identify program weaknesses , engage in effective Corrective Actions Plans oversight , and provide program-specific needed guidance and oversight . The on-site reviews will be mostly useless to LSC . contradictory +On appeal , the Court of Appeals for the Second Circuit affirmed in part and reversed in part . The Court of Appeals reversed all of it . contradictory +is that on where the over there off of like i 'm not sure what the street is is it off of near Country Club and um yeah I don 't know what street it 's on . entailment +yeah plus a lot more Yes , and plenty more as well . entailment +The sinuous white-knuckle coastal road and its sheer drop of rugged cliffs and ravines tames even the most audacious Italian driver . The coastal road is completely safe and many people disobey traffic laws along it . contradictory +This is because groups or individuals can attack remotely from anywhere in the world , over the Internet , other networks , or dial-up lines , and they can disguise their identity , location , and intent by launching attacks across a span of communications systems and computers . Groups or individuals are able to hide their identity through tools like VPNs or proxies . neutral +The first theory is flexible enough to withstand fossil evidence , but the second isn 't . Fossil evidence can be used to disprove the second theory . neutral +On the other hand , if buyers at online auctions are persistently disappointed , it 's possible that after a while they 'll stop bidding . This is a conundrum that many online auction sites are faced with when trying to draw in customers . neutral +What 's the difference between buying up a train and buying up a liner ? That the person wants to buy up both . neutral +Thanks to a declining birth rate and negligible immigration , it faces a steady decline in its working-age population for at least the next several decades while retirees increase . Soon the workforce will not match the demand for workers . entailment +well yeah well well well yeah uh firing firing Tom Landry and hiring Jimmy Johnson what what kind of uh uh doesn 't give you much respect for their team at all any team any team that that where the owner would fire Tom Landry you know is like one of the greatest coaches of all time Thins are better after the firing . contradictory +Through the enactment of the framework and its efforts to foster the framework 's implementation , Congress has , in effect , served as an institutional champion for improving the management of the federal government , providing a consistent focus for oversight and reinforcement of important policies . The focus of Congress on implementing and enacting the framework has turned it into an advocate for improving federal government management . entailment +um-hum um-hum well we seem to uh to favor certain uh uh countries particularly South American countries and uh there is no uh uh i have nothing of course against uh the uh the South Americans or uh or Hispanics in that sense but i think we uh are more restrictive of the um so called eastern uh European countries than we uh uh we should be of course that 's from my own bias since my ancestors from Eastern Europe so I am bias towards European countries because my lineage traces back to Eastern Europe . entailment +I 'd have given the soul out of my body to save her from harm . I would die just to keep her away from danger . neutral +And we also continue to support Slate delivery by FreeLoader , another push software product that , sadly , has gone to its reward . No one supports Slate delivery . contradictory +Making the trip by road or rail from Udaipur , it is on a plateau some 150 m ( 487 ft ) in height up in the Aravalli Hills . The trip to Udaipur can be taken by road or rail . entailment +Before coming to the firm in January 1999 , Mr. Casellas had over twenty years of successful leadership and management experience in the public and private sectors . Mr. Casellas was new to the leadership and management fields . contradictory +As in any ancient country , India 's modernizing plunge into the 20th century has produced its fair share of trinkets and tinsel , but its traditional craftwork continues at the highest silks , carpets , jewelry , perfumes , brassware , and wood-carving are first class , and you will have the added bonus of dealing with the most charming bunch of merchants in the world . India 's traditional craftwork died as a result of 20th century modernization . contradictory +Sulfates and nitrates that form in the atmosphere from SO2 and NOx emissions are significant contributors to visibility impairment in many national parks and wilderness areas , as well as urban areas across the country . Poor visibility is a major contributor is many different kinds of accidents . neutral +well um i don 't know what to say I have nothing to say . neutral +CHRONIC TOXICITY TEST ENDPOINTS AND DATA ANALYSIS There are no such things as chronic toxicity tests . contradictory +He put her through some searching tests , and exposed her loss of memory to be fraudulent ; but she had taken a note of his methods and reproduced them on me . He confirmed that her memory loss was genuine . contradictory +and they could become very quickly a large financial burden as as one more stepchild we have to carry around One more stepchild can be a financial burden . entailment +From the Saint-Pierre bridge , there is a lovely view of its flowery river banks , weeping willows , and timbered houses , with the tower of Saint Martin 's church in the distance . The Saint-Pierre Bridge is within walking distance of Saint Martin 's church . neutral +Poor mandrake-man , the girl said softly . The girl did not say anything to anyone . contradictory +However , emergency physicians do not engage in analysis of insurance contracts before providing care and are therefore unaware of the type of coverage , if any , carried by the patient . The life of a patient is more important than whether or not insurance will cover the bill . neutral +Where is it now ? " Where is it located now , since it was moved last week ? neutral +And Hong Kong legislator Martin Lee deplores China 's plan to wipe out the colony 's democratic government . China has a plan to wipe out Hong Kong 's democratic government . entailment +Francois I , the Louvre 's first major art collector , acquired four Raphaels , three Leonardo da Vincis , and one Titian ( a portrait of the king himself ) . The Louvre 's first major art collector acquired eight works of art . entailment +Imagine her feelings when her mother-in-law is suddenly taken ill and dies , and immediately after she hears the word ' Poison ' ! Her mother-in-law was considered ill before her death . entailment +He and Adrin had dueled at half-speed and half-power for much of the afternoon . He fought all day . entailment +She has gravitated toward the stripped-down aesthetic of original-instrument ensembles . She tended to move towards basic aesthetics and original compositions . entailment +Schiele is one of modernism 's more exotic honorable mentions , says the New York Times ' Holland Cotter . Schiele is a comrade of Johnson in modernism . neutral +You would offer him a fight ? Would you fight him ? entailment +He subsequently offered to sell it to me for $ 16,000 . The price that he offered me has been quite high . neutral +Judith , it 's been great doing this piece of work ( as the button men would say ) with you . I liked working with you , Judith . entailment +Flytrap Today : The complete chronicles . Flytrap Today has made too big of a name for itself too quickly . neutral +In Crusader times , the wide , Classical Cardo was re-shaped into the narrow , parallel bazaars that still lead northward ( to the left ) to the Damascus Gate . The Classical Cardo has grown in width over the years until today . contradictory +oh yeah my husband said he 's never joined a course right and i got one of those Jane Fonda workout tapes that i dubbed from a friend that didn 't last long i got one of those after i had a baby i think My husband had said he would never join the course . entailment +Around 300 , the empire split between east and west . There was a split in the empire between east and west in 300 . entailment +The cost or value of stewardship land is often not determinable . Stewardship land values tend to increase with time . neutral +i i i really think we 're going to far overboard with all of this i think we 're not emphasizing this enough . contradictory +f ) All of the above . None of the things listed are correct . contradictory +6 . Emergency and trauma physicians , their respective professional organizations , and alcohol advocacy groups should contact their state insurance regulator , state department of health and human services , and legislators involved in insurance issues to urge amending state insurance codes that financially penalize hospitals and physicians who screen for alcohol . Emergency and trauma physicians don 't screen for alcohol . contradictory +Last May , the department made similar allegations against the firms for their work on two other Olathe apartment complexes , Homestead Apartment Homes and Wyncroft Hill Apartments , both near 119th Street and Black Bob Road . Homestead Apartment Homes and Wyncroft Hill Apartments both needed to have work done . entailment +I wonder … or is it indeed true that he is with us and amongst us , unknown to all but a chosen few ? Could he be here in full sight , but unseen by us . neutral +Only 35 minutes by ferry from Central , Lamma Island is perfect for swimming , hiking , picnicking , birdwatching , or just sitting back to watch the bananas grow . Lamma Island is not a place where swimming can happen . contradictory +And now oh , he couldn 't believe it it couldn 't be true ! He knew it wasn 't true . contradictory +Professor Rogers earned a Bachelor of Arts degree from the University of Kansas and a Juris Doctor from Yale Law School . Professor Rogers was very proud to receive his doctorate at Yale . neutral +that was probably the worst thing that ever happened I am proud to say it was the best thing to ever happen to me . contradictory +Pack my bag ! I need my bag to be packed entailment +The doctor looked at them all curiously . The doctor looked at their scars with curiosity . neutral +She wasn 't near by . She was far away . entailment +yeah i know well i i 'd i as i said i 'm not much of a television watcher i read as i said and uh quite a bit i i read about I don 't know how to read but I love television ! contradictory +But they also dislike him for good reasons . There are no reasons as t why they should dislike him . contradictory +Soon , the Western Journalism Center republished Ruddy 's story in its newsletter , Dispatches ( Experts say Foster ' suicide ' note forged ) . Ruddy 's story was republished by the Western Journalism Center . entailment +That census indicated that only 12 of the 1,178 radiotelephone firms had 1,000 or more employees . There was never a census to determine how many radiotelephone firms had a thousand employees or more . contradictory +HCFA declined to accept the one commenter 's suggestion that it require mass distribution of the Important Message from Medicare to beneficiaries while they are healthy and do not have plans to be hospitalized . HFCA has declined to accept a single person 's suggestion . entailment +HUD promulgated the Amendments to Regulation X under the notice and comment procedures of 5 U.S.C. HUD checks and modifies amendments as is needed . neutral +so you just stick your credit card in there and then it pumps whatever it pumps and it adds it all up and it gives you a ticket and off you go It is very efficient to use credit cards at the pump . neutral +Ca 'daan bowed to the man . Ca 'daan bowed deeply before the man . entailment +He began digging in 1900 after buying the site and financing the excavation program with his own money , and almost immediately struck the first building blocks of a huge Bronze Age palace replete with magnificent pottery and other artifacts . Bronze era building remains were found there . entailment +Involving front-line employees in the goal-setting process also helps create a clear line of sight throughout the organization so that everyone understands what the organization is trying to achieve and the goals it seeks to reach . Front-line employees are involved in goal-setting . entailment +The majority of these cases involve the provision of advice and brief service , traditionally not very time-consuming or labor intensive . The cases aren 't time consuming neutral +These observations apply , though in somewhat altered form , even since the The observations will no longer apply . contradictory +LSC 's grant making and regulatory authority promotes expanded , effective , and efficient state and local legal services to low income persons . LSC 's authority encourages efficient local legal services for people with incomes less than $ 15,000 . neutral +i watch that usually uh before we settle down uh depending what time we get to bed we 'll usually watch the ten or the eleven o 'clock news we have a ten o 'clock news here at night and that 's ideal We 'll watch the news before bed . entailment +Very simple , as you said . Very easy , as you mentioned . entailment +They have rooms and houses to fit many tastes and budgets , from the lavish to the thrifty . Whether something posh is needed or something simple , they can provide accommodations to suite any need . neutral +i don 't know if they do it until yet I believe that they will do it at some point . neutral +Behind Mt.Rokko is Arima Onsen , one of Japan 's oldest hot-spring resorts . The Arima Onsen is Japan 's second oldest hot spring . neutral +The Government with a loyal army and police force behind them might win but at a cost of great suffering . The police would be reluctant to get involved . neutral +Jon twisted , putting the man 's arm between his legs and arching his back . Jon was fighting to get the sword away from him . neutral +Monsieur Kramenin ? said the latter abruptly . The latter spoke abruptly . entailment +Eligible to vote except by proxy . Banned from voting under any circumstances . contradictory +Eighty-nine engineering regulations were thereby consolidated into 7 , and the number of pages of Corps ' regulations was reduced from 1,596 to 306 . 89 % engineering regulations were consolidated into 7 small pamphlets . neutral +yeah yeah i 'm i 'm thinking myself I personally am thinking entailment +and and um i think for food they had steak and beans and they had three different sizes of steak The cowboy the cowgirl and the There were three different sizes of ribeye steak , as well as pinto beans and black beans . neutral +The blade was like none Ca 'daan had ever seen . The blade was just like every other blade Ca 'daan had used in his lifetime . contradictory +A combined effort of Tower Records and the Good Guys Electronics , WOW ! Tower Records works independently . contradictory +A war movie that opens the instant the war has ended , Three Kings is among the most pitiless autopsies ever filmed . The movie starts right when the war is over . entailment +Walk to the bottom of Kildare Street and you will reach St. Stephen 's Green , formerly an open common , but enclosed in 1663 and now a 9-hectare ( 22-acre ) park in the heart of the city surrounded by some beautiful buildings . St. Stephen 's Green is currently an open common . contradictory +The merchants wanted to divert trade away from the Arabs , fearing the enrichment of the North African Maghreb as a threat to Christian Europe . The merchants ' fears were silenced , as the Arabs were willing buy their products at competitive prices . neutral +The itinerary for a first visit to France is bound to include Paris . Paris is often skipped on the first trip to France . contradictory +Its breeding was plainly Arab , and it walked with a delicate pride as gracefully as a man might foot a dance measure . It had Arabian genetics primarily , and walked with pride . entailment +they 're great okay They suck . contradictory +In the past , the Coast Guard 's marine safety program concentrated on the physical condition of vessels , through activities such as inspections and certifications . The Coast Guard as always been focused on defending the coasts from giant monsters and cares nothing for the safety of boats . contradictory +Now it stands to monopolize it , thanks to its ad dollars and its friends in the media . He can monopolize it because there is ad money . entailment +Gray Cloud was the only mount that would easily make the journey . Gray Cloud could easily make the journey to the next town . neutral +Typically a fado troupe consists of a woman dressed appropriately in black accompanied by a couple of men playing acoustic guitars . A fado troupe has men playing acoustic guitars . entailment +She says Newsweek ' s Eleanor Clift has gone beyond the call of duty to earn [ her ] presidential kneepads . Going beyond the call of duty is not something that was expected of her . neutral +Didn 't lose that much weight after all . I only lost a few pounds at the end . neutral +In Phoenix on Friday night , he had a delightful time drawing out his vowels as he described financial contributions to the Clinton campaign . He knew nothing about contributions to the campaign . contradictory +The WP reports that following a year of sensitive negotiations , the German government has finally agreed to spend $ 110 million to compensate 18,000 Jewish victims of the Nazis who are living in Eastern Europe and the former Soviet Union . The German government said the Jews didn 't deserve anything . contradictory +Thenceforward , he strenuously , and quite uselessly , upheld the theory of ' Death from natural causes ' . " No one took the theory of death by natural causes seriously . entailment +Your pink slip is waiting at the reception . You are getting fired and should go to the reception area . neutral +The Mentadent pump is just like the monolith from 2001 , if the monolith were white instead of black and emitted a fluoride toothpaste instead of consciousness-altering rays . Mentadent is the opposite of the monolith pump . contradictory +I think I 'll be getting back . I believe that this is the time for me to return . neutral +WHO developed the AUDIT ( Alcohol Use Disorder Identification Test ) in 1992 as a brief screening tool to detect at-risk drinking in addition to alcohol abuse and dependence . The AUDIT system was designed by the FBI in 1995 . contradictory +um on a lot of financial aid and where i am now i 'm i 'm only in graduate school because they waive tuition and I 'm not a very academic person at all , and decided early on that university wasn 't for me . contradictory +well you 're not a thirteen year old i don 't know i saw it when i was a kid and i thought oh man I saw it when I was much older . contradictory +No wonder so many find this market-tested spiritualism so cool . No one finds market-tested spiritualism cool . contradictory +Gordon Smith suggested that the recommendations should address the problems of poly-substance abuse . Gordon Smith felt substance abuse was not worth mentioning . contradictory +Disciples before their messiah . The disciples were humbled . neutral +While preserving the neighborhood groups ' own boards of directors , the proposed plan makes them accountable to one central LSNY board for decisions like staffing and budgets . The suggested plan makes them accountable to a board of five people . neutral +To provide a long-term perspective we focused on saving trends over the last 4 decades-from 1960 to 2000 . Saving trends fro 1960 to 2000 were focused on in order to give a long-term perspective . entailment +He was no beginner . This was not his first time . entailment +Slate readers who recall John Cassidy 's article a few weeks back about a lavish Hollywood Party he attended at the home of Hollywood mogul Mike Medavoy might have enjoyed a New York Times feature about Medavoy Feb. 25 . John Cassidy attended a lavish Hollywood party at Medavoy 's house . entailment +we uh not a whole lot uh i i don 't use i i seldom use anything harsher than seven dust you know i don 't really like to put a lot chemicals on it but then again i don 't want the bugs eating it upping either I don 't like using chemicals , but I don 't want bugs eating them either . entailment +Emergency room visits for $ 299 COI estimate based on data reported by Smith , et al . There 's a $ 299 COI estimate for emergency room going by the data provided by Smith , et al . entailment +34As defined in this standard , annual investment includes more than the annual expenditure reported by character class for budget execution . The report subtracts annual expenditures from annual investments . neutral +It is formatted for printing out on standard-size paper . The paper is made from trees . neutral +again the relationship uh between the two uh that uh never would have occurred uh by accident The two have never met before . contradictory +Future phases of the Statewide Technology Plan , aided in part by an LSC grant , call for streamlining the intake and case management processes , developing seamless communication among all programs and offices , improving client access to services , integrating case management software , and completing the transition to a virtual statewide law firm . The Statewide Technology Plan will not help with the transition into a virtual statewide firm . contradictory +EPA held four public hearings and received approximately 770 written comments . The EPA had public hearings . entailment +To Kutchins and Kirk , this kind of ad hoc list-making is not science but politics . This kind of ad hoc list-making is politics to Kutchins and Kirk , but nobody agrees . neutral +However , that Executive Order has been replaced by Executive Order 12988 , Civil Justice Reform , effective May 5 , 1996 . Executive Order 12988 replaced an older Executive Order going into effect May 5 , 1996 . entailment +but some men i guess are not too comfortable doing that but Those men are pansies , a real man would wrestle the shark . neutral +yeah that 's that 's kind of strange that we got the same call It 's weird the boss called both of us . neutral +It really looks the part ; the tourists know its name even before the guide can translate it . The guide does this tour five times daily . neutral +In May , after receiving negative coverage from the local press , the university scrapped its search without making a hire , announcing that none of the finalists met current institutional needs . The university didn 't hire anyone for the dean position . neutral +mine is like pulling a big house behind you you know My trailer is so big that it 's like pulling a house . neutral +They wanted a lot of money that I just didn 't have . I had all the money that they wanted . contradictory +you know this may be really out on a limb but i might go with Buffalo as as good as they were toward the end of the year got into the Super Bowl and just just missed think they 'll be hungry next year Buffalo has gone to the Super Bowl . entailment +About time one arrived , I think . It was about time the bus arrived . neutral +Temmangu shrines around the country typically feature statues of seated cows and bulls believed to have healing properties . Statues of sated cows and bulls are not a part of Temmangu shrines . contradictory +well that 's that 's one of my biggest screams about the entire death penalty goes for Racial bias and unfair application is one of my biggest issues with the death penalty . neutral +uh-huh what what what bothers the heck out of me is uh one of these so-called American made cars where part of it 's put together in Japan and what you 've got is you 've got standard and metric Some cars are in both standard and metric . entailment +And please accept cookies so you can enjoy You will enjoy regardless of if you accept cookies . contradictory +i guess we won 't know unless they never have any babies We know all we need to know without them having babies . contradictory +Spain again became a battleground in the early 1800s , with British forces taking on Napoleon 's troops in the Peninsular War . The British forces overtook Napoleon 's troops in the Peninsular War . neutral +For the love of Heaven , direct me to a garage , madame ! ' And , before I could answer , he had dashed out into the street . " I hurried to the window . He dashed into the street before I could answer him . entailment +GAO will do work without a written request only if the work involves limited technical assistance that can be completed within 5 staff days , such as providing briefings on prior work or readily available information . GAO is willing to do work that is unaccompanied by a written request . entailment +The federal CIO faces an environment that includes many of the elements encountered by CIOs interviewed for this guide . The interviewed CIOs provide useful information for federal CIOs . entailment +But he can 't stop spinning ideas , images , and sound bites , can 't stop playing everything to his advantage . He never spins sound bites or ideas to his advantage . contradictory +And then concentration-camp-thin Ruth , in a burst of unusual clarity and impatience , shakes Joseph up with the most mundane diagnosis of I 'm just a girl from Westchester who has trouble with food . In a burst of unusual clarity and impatience . entailment +and um i i think i think that what one thing that was that they were really concerned with probably was the fact it wasn 't necessarily you know like the quantity of care but the quality of care that the people that work there were very One of the things they were concerned with wasn 't the quantity of care , but the quality of the people that worked there . entailment +Housing issues arise over eviction actions , substandard housing , eligibility for public housing , mobile home purchases , housing discrimination , and mortgage foreclosures . Housing issues don 't arise over eviction actions contradictory +But while currency speculation may have had disastrous impacts in some countries , in others letting the currency drop seems to have been just what the doctor ordered . Currency speculation always has a positive impact . contradictory +Take measure , he would have whispered . He would have kept his voice low not to alarm others . neutral +When they reached it , Thorn and the Kal should run , give them a taste . Thorn and Kal were traveling . entailment +And We 're boycotting not just hoops shoes , but running shoes , hiking boots , sweatpants , socks . Hoops shoes aren 't the only item of clothing that is being boycotted . entailment +Hatch : I was a janitor . Hatch may be a janitor neutral +Also , Akbar is said to have come to the Astrologer 's Pavilion , in the northwest corner of the court , for a daily dose of forecasts from the house-esoteric . Akbar was interested in learning about Astrology . neutral +Its objective is to identify opportunities for lasting improvement in the performance of an organization . Improvement in the performance of an organization is always temporary . contradictory +But she won 't have to defend her praise She will not have to defend her praise because everyone know that she deserves them . neutral +i think i think maybe they ought to just be punished with some some kind of real punishment like hard labor for a shorter length of time you know actually make them do something that 's not pleasant I think that hard , physical labor is wrong and should never be used as a punishment . contradictory +Because , like most questions about how much money the government will raise and spend , they 're not economic . Like most questions about how much money the government raises and spends aren 't economic . entailment +well i 'm a i 'm a Buffalo Bills fan I 'm a fan off the Buffalo Bills . entailment +The problem , for Slate and other Internet sites , comes from having to charge for usage , when what they 're selling is intellectual property with a flat production cost . Having to charge a lot for usage is a problem for Slate . neutral +well that 's kind of the way i was i tried to remember as i took stuff off where it went and i don 't think i had too many nuts and bolts left over when i got it all put back together When I was repairing my bike I didn 't follow a manual but just kept track of where I put stuff manually . neutral +oh yes Jessica Tandy won best actress and uh say Yes , Jessica Tandy won a Best Actress award . entailment +You should have received the letter this morning . " The letter arrived two days ago . contradictory +it 's it 's so easy to get caught up on reading just for your work or you know self improvement and you kind of forget the fun of reading I don 't think reading can be fun . contradictory +They can 't mean to starve me to death . A new-born fear passed through his mind that this might , perhaps , be one of those " pretty ways " of making a prisoner speak , which had been attributed to Boris . He was afraid they were poisoning his food . contradictory +This interesting place , run by Black Hebrews ( a sect from the U.S.A. ) , serves the most inventive vegan food in town . It 's run by the Smiths . contradictory +The marginal cost of SO2 and NOx reductions through 2015 are less than $ 450 / and $ 2,300 / ton , respectively , in all four multi-emissions reduction scenarios . SO2 and NOx reductions have marginal costs that are much too high . neutral +If he had , he certainly would have noticed that the program I anchor and edit on Fox News Channel , The Schneider Report , is a serious news program . I have no affiliation with the Fox News Channel or the Schneider Report . contradictory +Genteel Windermere is more modern , having grown up around the railway station after the line was opened in 1847 . The railway remained open until 1960 . neutral +The first day after the Democratic primary , Schumer unleashed Too many lies for too long ads . In support of his own campaign on the day after the primary , Schumer released a slew of long ads . neutral +And there are many other graves , their tombstones revealing the hardships of the town 's history . The tombstones are all made of granite . neutral +Involving employees in the planning process helps to develop agency goals and objectives that incorporate insights about operations from a front-line perspective , as well as increases employees ' understanding and acceptance of organizational goals and objectives . Involving employees in the planning process helps meet objectives . entailment +To determine if and why lawyers will stay with or leave public interest law , on February 8 , 2002 the National Association for Public Interest Law ( NAPIL ) and the National Legal Aid and Defender Association will launch an online survey at / / www.napil.org / The survey is designed to gauge the level of the judicial and educational debt crises . NAPIL and the National Legal Aid and Defender Association will launch a survey designed to determine the level of judicial and educational debt crises . entailment +She looked relieved when I said that . When I said that , she appeared reassured and gave me smile . neutral +But they 'll get used to it . But they will never get used to that ! contradictory +They tried to make up for the ugliness of their new building by restoring Number Twenty Nine as a museum representing a typical bourgeois house of the period . By restoring Number Twenty Nine as a museum representing a typical bourgeois house of the period , they tried to make up for the ugliness of the new building . entailment +The real British legacy is in the tea gardens , all Indian-run , which offer a beautiful green setting for the town and insight into tea growing and processing methods . There are British influences in the tea gardens . entailment +um and we never actually experienced that what in terms of changes relative to women in the work place and and potential changes over the the next generation or so i guess i anticipate um an increasing equality uh greater presence of women in management roles I am excited to see even more women flood the market to these roles previously not held by women traditionally . neutral +We nod to the idea of value-subtraction whenever we fall back on Horace 's phrase about laboring to bring forth a mouse , or lament the forests felled to make possible a terrible book , or recollect an experience of working by committee . We agree with the idea of value-subtraction when we complain about trees being cut down to make bad books . entailment +Because the FGD estimate based on availability of resources is much less than the amount of FGD capacity that would be cost effective to build , EPA ran model sensitivities constraining the amount of scrubber capacity that could be installed by 2005 at 10,000 MWe . The estimate on resources is less than the cost effective capacity . entailment +Factors outside the control or influence of management can affect the entity 's ability to achieve all of its goals . Despite efforts to achieve its goals , outside influence can still cause it to fail . entailment +Law school deans , to be sure , will soon be confronted with all these recommendations from the bar groups . Law school deans will be shocked when they 're confronted by the recommendations . neutral +The temple was built in the 13th century , but the sikhara toppled , its porous stone ruined by storms and plunderers and by the ambitious concept of its architect . There is no temple on this site that has been plundered . contradictory +While on the forum for ( select as appropriate ) phobics he designed an application , which created slogans for street protests . The application was able to make slogans for protests and for businesses . neutral +i uh i usually don 't i usually use them to consolidate billing I have all of my bills on auto billing to save trees . contradictory +What does it all mean ? What do all these papers mean ? neutral +It might also help us in our recruiting efforts in the increasingly competitive marketplace . The competition may increase with it 's help . entailment +Understanding the six principles in terms of critical success factors is particularly useful because of characteristics that are shared by principles within the same success factor . There are six principles of critical success factors . entailment +Known as Rajputana , and stretching from Delhi to the Pakistani Sind and the Punjab , this land is where the Rajput warriors erected their desert and mountain redoubts . The Rajputana were never raised at all . contradictory +because i 'm a mechanical engineer and i 've had to work when i was designing packages for people i mean i had to to work both systems back and forth and it was not hard I am a mechanical engineer , and I design packages for people . entailment +Congress would have to decide on such issues . We are set , there is no need to ask the congress . contradictory +Hopefully , government intervention can be minimized in the future ; but for that to occur , others must take steps to address serious public interest issues before they reach crisis proportions . It is a possibility that government intervention can be minimized in the future . entailment +well i think uh obviously i think the the medical is the most expensive or it 's the most important The dearest is the medical , and of the most importance . entailment +no no they 're not real hard Hard isn 't a word I would use to describe them . entailment +well i mean it it it is a fact uh the the CFC 's do act like i mean it it it 's it 's like a billiard ball you get a CFC up there high enough you know it 's a it 's in the ozone layer CFCs in the ozone layer can break up other air molecules . neutral +and uh uh but i would guess a very very small percent of college freshmen know what they want to do My guess is that most college freshman know what they want as their major . contradictory +IDA balances generally are not to be considered in determining eligibility and benefits for means-tested federal programs . IDA balances generally are not to be considered in determining eligibility and benefits for means-tested federal programs . entailment +you 've we did it uh intentionally i did it intentionally i was running some business expenses It was unintentional and I never did it intentionally when running business expenses . contradictory +This has had paradoxical consequences . The consequences were paradoxical , said the news . neutral +Consumers who used to look for malls now look for portals , and malls intend to become those portals . Shoppers who previously flocked to shop in malls now shop instead online , and malls are attempting to make this shift as well . entailment +The second statement is that the rate difference should be equal to the average incremental savings for the worksharing program . The rate difference should be equivalent to the average incremental savings . entailment +The oral-sex tape starts with well-known sex therapist Diana Wiley , in her poofy hair and broad-shouldered blue power suit , looking like she was about to explain how the sales force could increase its third-quarter productivity . The oral-sex tape featuring Diana Wiley was very popular online . neutral +They think he will be an elder of the village some day , " said Susan . Susan thought that Jared might become an elder one day . neutral +( To the extent the discount audience exists at all , it 's mostly a rental audience , because renting saves money not only on the unit price of viewing but also on parking , babysitting , and other incidental costs associated with going out ; perhaps most important of all , the rental audience knows it can bail out with greater ease if the movie in question proves unwatchable . ) The discount audience is mostly a rental audience . entailment +Waking up to the sound of Ruth jumping rope late at night , Joseph heard the soft , rhythmic thump of her bare feet on the floor , like the beating of a giant heart . Joseph heard a soft , rhythmic thump as Ruth was jumping rope late at night . entailment +from what i 've heard that everything would be in in you know a confined kind of incinerator and just burn it all up and that we won 't be polluting the air i 'm sure we have to have uh permits you know for that place and that there 's you know limits as to what we can uh let you know go into the air I believe in burning trash for fuel . neutral +uh you know it 's if some if a teacher does anything that uh they 're liable to have a law suit against them for for uh cruel and unjust punishment or whatever They might also get banned from teaching . neutral +Policies in the CEF analysis were assumed to encourage the diffusion and improve the implementation of combined heat and power ( CHP ) in the industrial sector . CEF analysis policies encourage diffusion . entailment +Broad arcades surround a cobbled rectangle 200 meters long and 100 meters wide ( 656 ft x 328 ft ) . The arcades take us a space of 200 by 100 meters . entailment +although you still hear about those occasionally Every 2 or 3 years you still hear about it . neutral +Has she been wearing any of the emeralds , by the way ? " He was hoping that she wore emeralds , they were pretty . neutral +Yes , I know . I don 't know at all . contradictory +Some of the agencies that we reviewed had begun to make supporting materials and public comments electronically available to the public . The public welcomed the electronic materials and comments . neutral +nursing home that we finally had fortunately she only had to stay a few weeks and she was able to to return to her apartment again but it 's really a big uh big decision as to you know when to do it she had to stay a few weeks , and then she got to go home--but it 's still a really big decision , and we had to struggle with the timing neutral +I think , Mr. Cavendish , said Poirot gravely , " that you would do well not to buoy yourself up with any false hopes . " Mr. Cavendish , you shouldn 't boost your spirit with blind faith " , Poirot said seriously . entailment +Susan M. Hoffman , the pro bono coordinator at Washington , D.C. ' s Crowell and Moring , regularly receives queries from non-profit organizations via email . Susan M. Hoffman answers many questions for non-profits . entailment +well which uh sixties uh rock bands do you like the best Which smooth rock bands from the sixties do you like best ? neutral +What run ? demanded Kramenin , with a stare . Kramenin did not know about the run and demanded more information . entailment +Delicacy doesn 't undermine this balancing act . This balancing act does not need delicacy . entailment +they appropriate for the purpose of the case study ? There is a case study . entailment +Programs and Staff The staff only . contradictory +If you are worried about that story , it means one of two things . One of two things are true if you worry about that story . entailment +Gravestones rest along the tenement walls marking the outer perimeter . Gravestones by the tenement walls mark the outer perimeter . entailment +He told me it was just my perception that I spent seven minutes pushing buttons . Everyone witnessed me only pushing buttons . contradictory +okay yeah i know where Panhandle is that 's north up there isn 't it yeah Panhandle is up north ; I know where it is . entailment +The Oxbellows were known for their deep faith , which they changed frequently , because they were open to new things . The Oxbellows adopted a new faith every few months . neutral +Because this story will be painfully banal , it will be also painfully short . The author is a hack . neutral +You can imagine that , from my aunts ' point of view , it was a very good match for me . My aunt thought that it was a very good match for me . entailment +Well , let 's do it right now , then , before they find out . We need to hide things quickly before we get caught . neutral +uh well to tell you the truth my husband does most of the work yeah i feel real good about it My husband contributes to 75 % of yard work around our house . neutral +Follow the old Roman chariot road ( repaved ) of Via Tiburtina 30 km ( 19 miles ) east of the capital to the haunting ruins of Hadrian 's Villa ( Villa Adriana ) , near the picturesque town of Tivoli , at the foot of the Sabine Hills . Tivoli is slightly to the north of Hadrian 's Villa . neutral +Even the lesser Legers ... The Legers are lesser . entailment +Regardless of boiler size , an ACI system will require the same equipment . The ACI system will require different equipment . contradictory +Its flaws aside , Big Trouble is a brave book that exhibits those qualities bounteously . The flaws of Big Trouble are mostly in it 's writing . neutral +Men love the troubles they know , Ajami witheringly observes . Ajami observes men hate trouble that they 're familiar with . contradictory +Rockefeller was deeply conflicted about giving away money . Rockefeller couldn 't decide if he wanted to give his money away entailment +The installation of the SCR , FGD , and ACI control technologies will require the following types of The installation of SCR , FGD , and ACI control technologies was first researched by the company . neutral +Thurber , Woody Allen , and Mark O 'Donnell come to mind . I can 't think of anyone . contradictory +Mother and daughter were estranged for six years , if the stories circulating here are to be believed . We think they were estranged for about six years . neutral +And when a pair of Allied soldiers , fresh from witnessing their buddies being blown to bits , shot several pleading Germans rather than take them prisoner , I didn 't applaud the act , but I didn 't feel much like grieving , either . I was grieving so much , I was crying after witnessing the act . contradictory +yeah um and and and it also makes it possible you i think before we did any kind of budgeting we we were in a constant state of saying we can 't afford anything We used to say that we cannot afford anything before we took account of things . entailment +so uh-huh thank you very much bye-bye I appreciate it . entailment +One , I grant you , but both ” ” ! " His words gave me an unpleasant shock . I 'll grant you one favor , but not both . I was shocked and dismayed by his words . neutral +( Scalia offered a different textualist reading of the Equal Protection Clause , grounding his arch dissent firmly in majoritarianism--The Court has mistaken a Kulturkampf for a fit of spite . Scalia drew his conclusion from studying majoritarianism extensively during his college years . neutral +Her 32 passport had been made out for Paris , where she was going to join the staff of a hospital . The Paris hospital she was going to work at processed her passport . neutral +3 million to fund its very narrowly construed mission . The funds were already put aside for the mission . neutral +about disco ) . Jazz is also discussed . neutral +The legend says General Abercromby heard the church bells tolling , saw the lights , mistakenly deduced that Spanish reinforcements had arrived , and fled . General Abercromby was not a good leader at all . neutral +Without them breathing life into your strategic plan , you would simply have a meaningless report that would be gathering dust on a shelf down in our Reprographics department . Strategic plans are vital to the work being accomplished at Reprographics department . entailment +The first of Gr ? ? newald 's painted panels depicts on one side the conversion and temptation of Anthony and on the other the birth of Jesus and a chorus of angels . The birth of Jesus is depicted on one side of the panel . entailment +Here , more than in any temple garden or ancient castle ground , you can appreciate why the Japanese prefer to blur the distinction between nature and art . This is very institutional and concrete looking . contradictory +Once an important port for the shipment of molasses and sugar , Falmouth has many buildings dating from the early 1800s . Falmouth is not a town , it 's the third planet of the solar system . contradictory +His face was impassive as ever , and the strange unreality of the man struck me afresh . He dared not betray emotion . neutral +that uh-huh so you have all the conveniences of a city yeah and and the country also You get the conveniences of city life without that of the country . contradictory +yeah and i i really now now now i i have gone on one little vacation just the girls and i we drove down to Port Aransas and rented a little efficiency you know and and had a marvelous like two nights and The girls and I split the cost of our vacation to Port Aransas . neutral +He estimated the course of the sun , amazed to find that there was no panic in him , and doubly amazed that he could think at all over the torture that wracked his body . He was amazed at how calm he was . entailment +Journalists and filmmakers relentlessly publicized the horrors of crack addiction and drug violence Journalists and filmmakers persistently published the hideous effects of crack addiction . entailment +And no one knows which he is ... " With an effort the Russian shook off the vagary of his fancy . And no one is certain which he is ... entailment +By contrast , neither the NYT nor the LAT get to it until the inside . The NYT and the LAT print it on the front page to draw more attention . contradictory +We will meet you back here tonight . We 'll meet you here tonight . entailment +True enough ! Everything else is inaccurate . neutral +Less than two years later , on his deathbed , terribly ill and desirous of death , Keats asked just the same question in one of his last Is there another life ? Shortly afterward , Keats found out that there was no other life . neutral +anyway well you have a good day Have a great day every day neutral +I began rather tactfully , I thought , but I had not gone far before she stopped me authoritatively . I was able to continue without interruptions . contradictory +i find it very interesting that some television shows that i enjoy i particularly like the music i don 't know which is chicken and egg in that situation uh a good example would be uh i have connections but but not particularly deep ones to the Vietnamese war type situations uh and i found that i really like China Beach and i particularly like Tour of Duty and both of them i had as much fascination of the background music i think going on as i did to the theme of the shows I hated the background music of Tour of Duty and China Beach . contradictory +More efficient designs can also reduce the amount of steel needed for the absorber and ductwork . The amount of steel required for ductwork can be lowered with a more efficient design . entailment +What 's crucial to understand about Caterpillar , though , is that its success in defeating the UAW in the 1990s was not simply the product of those larger trends--global competition , technology , etc.--that everyone points to . Caterpillar defeated the UAW in the 1990 's . entailment +Even though the poverty rate has slightly declined , 18 . The poverty rate has increased contradictory +Within the Cyclades , Dodecanese , and Sporades island groups , there are certain towns that serve as hubs for travel to and from other islands within each group . Cyclades is the largest group of islands , followed by Sporades . neutral +If he does , both of you 'll go . " If he starts driving fast , both of you will go home right now . " neutral +'Mr . Franklin . I 've been expecting you . ' I 've been waiting some time now for your visit , Mr. Franklin ; I expected you to come at some point , although I began to lose hope you 'd show . neutral +Further , some members from federal agencies said that it took time for them to determine how they could share sensitive , including classified , information with nonfederal government entities . Federal agencies share classified and sensitive information to non-federal government entities . entailment +Nixon 's spokeswoman , Mary Still , said the emergency order was needed to keep the money in safekeeping , so it could be distributed to its rightful owners . The spokeswoman for Nixon was Mary Still and she said that the emergency order was necessary . entailment +um i know it causes a problem for industry in a little in a small way but nothing that won 't be overcome in a little bit of time It doesn 't cause any problems for industry . contradictory +The pyramids of Egypt have exerted a powerful hold on the world since explorers first began to explore this ancient land . The existence of the pyramids has passed largely unnoticed . contradictory +Zeffirelli 's on Compston Road in Ambleside is a cinema and restaurant complex where you can make a night of it with a movie and a meal . You can eat and watch a film at Zeffirelli 's . entailment +It was here that St. Denis was martyred ( see page 13 ) and where St. Ignatius Loyola launched the Jesuit movement in 1534 . The Jesuit movement was launched in 1990 . contradictory +That there Shiloh colt o ' yours , an ' this here lady hoss , an ' that old mule ... anyone can see as how they 's always been handled nice an ' easy . Your Shiloh colt will fetch prizes due to your treatment . neutral +E-mail from Rich Miller , Hamon Research-Cottrell , March 19 , 2002 . An email from Miller was received on March 19 at 2 : 02 pm . neutral +You have to be a career paleohack like me , getting paid for putting ink on paper , to appreciate how much of the cost of legally acquiring bits of information goes into the ink and paper and allied anachronisms , like shipping , warehousing , and displaying the inky paper . Anyone can easily understand the costs of printing this stuff . contradictory +But , it has provoked ideas about the role of environment that , if confirmed by further study , can inform moral discourse and public policy . It has not provoked any ideas . contradictory +What 's more , the white-black marriage rate lags significantly behind rates of white intermarriage with other , nonblack races . The percentage of black and white interracial couples is more than those of whites with other races . contradictory +on the uh grass area it 's kind of hard to keep grass in certain areas and i 'd never really thought about that but but we 're pretty much at the very top of this little hill and all the runoff from from the concrete uh the shopping center near us and the alleyway all that goes down to our neighbors so so that was a little thing that i 'd never really considered and was fortunate that it worked out that way We live at the bottom of a hill . contradictory +Situated at the eastern end of Shikoku , across the Inland Sea from Kurashiki and Okayama , is Takamatsu , another friendly provincial town where foreigners seem to receive a particularly warm welcome . Takamatsu 's people are friendly to foreigners because they are used to a lot of tourists . neutral +and oh and she was like oh God he does this all the time you know where are you you know screaming J D and you know my heart was in my throat you know and uh he Brian was two houses down I was terrified and she was calm about it . entailment +America Large . America is large . entailment +This fear is well grounded . The fear is irrational contradictory +yeah and uh you know he uh he worked a full-time job and a part-time job and i never saw him so i didn 't have much of a role model to go by I wish i had a role model . neutral +No alcohol . There is no alcohol but you can bring some in . neutral +Wade has led us to focus on whether the fetus is viable--whether it can survive outside the womb . Wade focused on how the fetus survives in the womb . contradictory +okay oh okay well my yeah actually my husband he 's with the uh he 's with the federal government and uh i 'm a civil engineer but i 'm taking a year off I work as a civil engineer and my husband works for the federal government . entailment +Check out what else is on display while you are here , as the museum regularly hosts special exhibitions . See the other displays because the museum usually has special exhibitions . entailment +In the pro-Branagh camp lie the New York Times ' Maslin and the Los Angeles Times ' Kevin Thomas--who actually likes Branagh 's Hollywood touches , such as the to be or not to be soliloquy performed before a two-way mirror . Kevin Thomas works for Newsweek . contradictory +Grantee B 's cases usually involve protracted negotiation or litigation . Most Grantees ' cases did not involve protracted negotiation . neutral +Directly south of the Old City just outside its walls , is Mount Zion , revered by millions and visited by hundreds daily . There are a lot of visitors to Mount Zion . entailment +We 're all familiar with the Miranda warning , or at least how it sounds in the movies . Everyone is familiar with the Miranda warning . entailment +uh-huh yeah i liked it but i didn 't i didn 't know if the Americans would like it so much they might you know look into it and say uh this is low budget film and it 's not really that good but i mean i like the story I didn 't like it but I thought the Americans would . contradictory +Everything was confusion . No one knew what was going on in the confusion . neutral +yes that 's i 'm a inside guard i also work in the segregation department for the ones that mess up I guard the prison from the inside . neutral +A commotion from one of the gambling dens caught Ca 'daan 's attention . Ca 'daan was in a very deep sleep . contradictory +Specifically , she said that it is difficult for SEC employees to obtain seating using frequent flyer tickets because many trips are scheduled , canceled , or changed at the last minute . Frequent flyer ticket holders only get a seat if the flight isn 't full . neutral +The claim is that El Nieo rains and mild temperatures will cause plants to be more fecund and produce more pollen . The rains of El Nino are great for plant life . neutral +what year model is it Which model are you talking about ? neutral +He asked me to take charge of them . He asked me to leave them . contradictory +One of the innovations being tested at this time is the use of automated computerized screening with real-time production of brief workbook content tailored to specific problems . Use of automated computerized screening with real-time production of brief workbook content tailored to specific problems is one of the innovations being tested at this time . entailment +Without adequate awareness about the risks involved in disclosing sensitive information , users may volunteer information which can allow an intruder to circumvent otherwise well-designed access controls . There is no way for an intruder to to be involved with the sensitive information . contradictory +8 . We 're still your portal . We remain your portal at the current time and place . entailment +The media praised him as a great statesman , man of peace , and friend of the United States . He was disregarded and widely shamed in the media contradictory +He would watch events , and any time he chose could , after all , join the assembly , modelling his behaviour on that of the new arrival . He would be able to adapt to events because he had observed them . entailment +The best beaches within easy reach of the city are the attractive Black Sea resorts of Kilyos and ? ? ile . Kilyos is a beachless resort town located in the city . contradictory +Mattel introduced Share a Smile Becky , a wheelchair-bound Barbie companion doll . Share a Smile Becky is a wonderful idea . neutral +Paying little attention to the preparations for various grand public ceremonials , I 've only just noticed that this is the final News Quiz before the Earth plunges into the sun and is destroyed . I 've watched every previous News Quiz . neutral +It gives a quite aggregate view of street costs compared to the fineness of U.S. costs . The street costs have skyrocketed significantly in the last year . neutral +He feels liberated but looks like a man hugging a slot machine . He does not appear to be interested in slot machines . contradictory +A few years ago , gambling was confined to Las Vegas and Atlantic City . Gambling used to be limited to Vegas and Los Angeles . contradictory +and i 'll bet they don 't i 'll bet you don 't i i would imagine legitimate gun dealers you 'd have background checks but i 'll bet if somebody goes in and offers a pawnshop guy some money for a gun Most gun dealers go by the books when selling firearms but a lot of people have access without going through the necessary legal requirements . neutral +His eyes were small and cunning , and shifted their glance under her direct gaze . He couldn 't look at her directly in the eyes . entailment +Rural costs were 20 percent of total delivery costs . The rural costs were 90 % of delivery costs . contradictory +but i uh sounds like you like one thing that i like like swimming you like that a lot you hate swimming , and we like none of the same things contradictory +Sister Bond ate Sister Westhaven 's egg ! Sister Bond also ate Sister Jones ' egg . neutral +or Though the Enemy Be Tens of Thousands Strong seems excessively belligerent today , we should not forget jingoistic attitudes in Europe and America at the time . Jingoistic attitudes should be forgotten and aren 't relevant to history at all . contradictory +Here and in the tiny place de la Contrescarpe you will find a large choice of ethnic restaurants , especially Thai , Vietnamese , and Chinese . You will find a lot of ethnic restaurants here . entailment +In addition , tax preferences may encourage particular forms of infrastructure investment , such as special tax credits for investments in developing low-income rental housing . These tax preferences would also stimulate the economy . neutral +What are the long-term outcomes ( 12 months or more ) of various interventions with patients of differing levels of severity ? Long-term outcomes mean 12 months or more for critically ill patients . neutral +You 've got more room to hide it in your cloth than I have . " He tossed it over quickly , then dropped from sight to land on the ground below . You have more room in your cloth to hide this wallet . neutral +And he will help you now ? Yes . He 's going to help now . entailment +VISA and MasterCard credit cards are accepted , also . Sorry but Visa is not accepted . contradictory +Nothing about the application of the is present language to the alien categories was altered . The present language is probably going to be altered next year . neutral +because i 'm always worrying it won 't firm up because it when you take it out of the saucepan it 's like boy i hope this thickens a little more because it 's not like real package thick you know when you cook a package it 's it 's a little less I hope to thicken it as close to the package as possible . neutral +He also believed that research should have policy implications and that funding sources should require this applicability . He said that the research should not have policy implications . contradictory +The 17th-century cottage was her home from 1905 ; this was the place where she enjoyed the life of a lady farmer , tending her crops and breeding Herdwick sheep , a breed which was at that time waning in popularity but of which she was very fond . The Herdwick breed of sheep became more popular in the late 20th century . neutral +If they got their way the result for the poor Freedonian would not just be no sweatshop--it would be no job . The jobs do not pay well . neutral +vacation where she got better so she not only is she the better skier but she got all the attention because she got to go out i think think she planned it she 's only five but i think she planned and she got all the attention from her dad wow oh yeah We went on vacation and she became a better skiier . entailment +Before the building of the Aswan Dam , the River Nile was home to many thousands of crocodiles , and some would gather on the muddy banks here to sun themselves . Prior to the Aswan Dam 's construction , there were many crocodiles residing in the River Nile . entailment +Predicting that he would get a lot of heat for treating the minister with respect , Novak said that Farrakhan was more measured and a lot less confrontational and provocative than a lot of the politicians we talk to regularly on this program . Novak did not treat Farrakhan with respect . contradictory +A dollar of saving buys more investment goods now than in the past because the price of investment goods has decreased relative to other goods in recent years . Over time , the price of investment goods as declined in comparison to recent years . entailment +can 't think of his name I may remember his name . neutral +Yes , but how ? cried Tuppence . Tuppence was wondering how . entailment +Could be that they knew you ride for Hunt and that made you just the game they wanted . " They might have known that you ride for Hunt . entailment +Popular traditional themes are Cycladic figures ( especially on the Cyclades islands ) or pottery with scenes taken from ancient Greek frescoes or mosaics . The traditional themes are reproduced on many urns and tapestries . neutral +yeah and even you know i mean like we had i called them prefabs just a track home you know i mean we we had one of their homes that was nicer in Pennsylvania but um it was an older home but then you buy an older home and you 're always fixing things up We spent a huge amount of money carrying out repair work on our old home . neutral +The man 's other arm crossed the first and his hand cupped the back of Ca 'daan 's skull . The man held Ca 'daan 's head . entailment +which is of what no we don 't have one uh-huh you know my wife and you would probably love to go eat together yeah oh definitely well everytime when we go someplace they have to have good French fries I don 't even go to a restaurant unless they serve fries . neutral +oh it 's never too late to plant something unless unless well for trees if they 're balled and bur lapped it 's recommended to plant them in the fall or winter Balled or burlapped trees should be planted in the summer . contradictory +" Johnny wasn 't the only boy at Glorieta . Johnny was at Glorieta . entailment +and i 've bought you know i 've bought greeting cards that are made out of recycled paper and i think they 're just fine " I neglected to buy the greeting cards made out of recycled paper . " contradictory +The human capital outputs and outcomes should be the same as those measured for the Government Performance and Results Act ( GPRA ) and the budget and could be reported in a Statement of Program Performance Measures as described in Appendix 1-F to the concepts statement entitled , Entity and Display , SFFAC The United States created the Government Performance and Results Act . neutral +it does nothing to hurt the environment and the heat generated by the process is in turn used to run the machine so it 's self-sufficient It is one of the most fuel efficient machines I have ever seen . neutral +But at a certain point , isn 't it only human to want to engage this man ? Even after all avenues are exhausted , the one thing we should do is never talk to this man . contradictory +In addition to establishing a single statewide coordinated fund raising plan , the Symposium is exploring legislative proposals involving fee-shifting statutes , as well as more traditional approaches , such as filing fees , surcharges , or an increase in bar dues . The Symposium have ceased all work on their fee-shifting legislative proposal . contradictory +so what she would do is she would plant them and they multiplied so the next year when she you know weeded them out so they wouldn 't be as thick then she 'd give me some of the bulbs When she planted them they would multiply . entailment +France has always been a haven for foreign artists . France has and has always had talented artists . neutral +okay um how 's it been this week for you How has work been this week ? neutral +A century of decadence and intermittent wars had left the Ottoman sultanate in serious , irreversible decline . The wars the Ottoman Empire fought served only to cause problems for the Empire . neutral +at best yeah yeah well my wife 's from Galveston so My wife was born and raised in Galveston . neutral +I hauled Daniel to the cockpit door , and dressed him up in armour . I had difficulty lifting Daniel to the door . neutral +( 1 ) establishing seamless systems and processes , ( 2 ) routinely generating reliable cost and performance information and analysis , ( 3 ) undertaking other valueadded activities that support strategic decisionmaking and mission performance , and ( 4 ) building a finance team that supports the agency 's mission and goals . A finance team was built that wanted to end the agency 's mission . contradictory +you know you writers are coming you know you 're having a hard time here You know you 're not having an easy time with it . entailment +( He has also refused to extradite the Croats indicted for war crimes to the Hague , perhaps fearing they would implicate him . ) He was implicated immediately after the extradition . contradictory +, due to the loss of the members ' management support or difficult A member has lost management support entailment +Mehta 's multivolume autobiography , titled Continents of Exile , has loss as its overarching loss of sight , of childhood , of home and country , and now--with this volume--loss of Mr. Shawn 's New Yorker . The memoir takes us from the time the author was hired as a staff writer in the early ' 60s up to 1994 , when he was terminated by the loathed Tina Brown in her vandalization of his cherished magazine . The memoirs detailed how the writer had a little too much fun on the continent . neutral +have you ever taken videos of her or something that must be fun It can be an interesting thing to do . neutral +does it work for leaves It has no way of working for leaves . contradictory +But perhaps you 'd like to know what I was doing in your garden ? ' There is no chance that you want to know why I was in your garden . contradictory +that uh oh yeah i mean they don 't uh uh I meant they definitely do . contradictory +we had our air conditioning broke break last last Summer the switch got something wrong with the switch and we had to call somebody out to fix it because i couldn 't take it more than a few hours without it on but Our air conditioning always breaks down , so last summer , just like this one , I had to have a repairman come and deal with it . neutral +Without that , if I can 't write that there is compelling evidence backing up Tripp 's allegations , this is going to blow up in your face--and Tripp 's . Whatever he says , we can rely on . contradictory +During his 29-year tenure as a public interest lawyer , Dudovitz has proved that he can deliver on some of the Legal Services Corp. ' s key objectives . Dudovitz ended his lawyer career after just a few years , and switched to Computer Science . contradictory +of course a quarterback can look so good if he 's got a lot if he 's got a good supporting cast you know if not he gets beat to death like poor old Troy Aikman has the last couple of years anyway you know well Dallas did better last year hopefully they 'll do better this year Dallas performed terribly last year , and they look like they will not improve this year . contradictory +uh half-and-half Completely one sided . contradictory +Tudor Upheaval and the Statesmen The Tudors faced upheaval from the citizens which they ruled over . neutral +They 're not averse to young Beresford 's being in the neighbourhood , and , if necessary , communicating with you . They don 't like having him in the neighborhood . contradictory +through the Visa card so i knew that i was running a balance up but it sure is hard to get it It is really hard to get a Visa card . entailment +You 'll find the remains of the Roman fort Galava a little way to the north , at the confluence ofthe Brathay and Rothay , two of the rivers that feed Lake Windermere . The remnants of Galava fort can be found in the north . entailment +And it is hugely productive , which is to say that it makes goods that are more valuable--in a real sense--than the sum of the various things that go into making them . Productive things make valuable things . entailment +He saw God 's manifestation , like Hinduism , as being everywhere in the world He created . He did not see manifestation of God at all . contradictory +Despite a short time frame , you may have time to review existing information and carry out testing of data that are critical for answering a research question , for You can question knowledgeable agency staff about data reliability or review existing GAO or Inspector General reports to quickly gather information about data reliability issues . The agency staff will be very happy to help you gather information . neutral +so did it look cracked to you i mean that 's how you knew it was broken or Did you know it was broken because there was a three inch crack ? neutral +These first inhabitants were Neolithic cave dwellers who came from Asia Minor . Neolithic cave dwellers from Asia Minor were the first inhabitants . entailment +It sounds like we will be able to get everything we want and then some and if the judge is in a good mood , we might get even more ! We are certain to loose the case and will be lucky if he don 't face charges . contradictory +oh no i 'm in i 'm in Raleigh North Carolina I 'm in Phoenix , Ohio . contradictory +Either he 's getting bigger or the sun is setting . I think he is bigger now . entailment +The Ledfords expanded and refinanced their house over time , once to accommodate a grand piano that Linn played . Linn has been a piano player at some point . entailment +The notion of the informed citizen puts too much pressure on individuals , where the cruder but more inspiring politics of the Gilded Age mobilized voters on Election Day . The politics of the Gilded Age could not move any of the voters on Election Day . contradictory +We were walking around a public park- Memorial Garden . Memorial Garden public park is quiet early in the day . neutral +In determining the amount of allowances in each unit account and general account as of that deadline , the Administrator will discount allowances allocated for 2011 or later at a rate of seven percent per year to reflect the time value of allowances . The Administrator will not discount allowances allocated for 2010 or earlier . neutral +Unique in Europe , the 1,000-year-old church known as the Eglise Monolithe was carved out of the solid rock on which the village is built . There are no churches around here . contradictory +yeah that 's a good choice we 've been trying we 're trying to uh do that this year we 've budgeted the money that we used to spend we were spending on a CODA account with TI and then money we were also buying stock with for that year we 've taken that this year and said we 're gonna pay off all of our credit cards and uh We have no desire to pay our credit cards off . contradictory +For example , the Zimmer and Gavin station FGD retrofits performed in the early 1990 's both involve three absorbers on each 1300 MWe unit . Three absorbers were used on each 1300 MWe unit at Gavin station . entailment +because it knocks out power lines and and you just you just absolutely at least when you 've got snow just about everybody has four wheel drive vehicles The redeeming quality of snow is that at least everyone can drive through it . entailment +Aberdeen , the island 's oldest settlement , once a pirate lair , is home to the floating population ' the boat people who spend their entire lives on the junks in the harbor , some proudly claiming never to have set foot on land ( except for funerals , which don 't count ) . Aberdeen is a newly-developed city several miles inland . contradictory +You can visit the Temple Mount from Saturday through Thursday , but on Fridays ( the Muslim Sabbath ) and on major Islamic holidays , including the entire holy month of Ramadan , the Haram is closed to non-Muslims . The Temple Mount is open to non-Muslims during Ramadan . contradictory +MoBay ( as it 's called by the locals ) is probably the most complete resort area in Jamaica , with its beaches , sports , and shopping along with a large number of fine hotel resorts . You should avoid the run-down , crime-filled MoBay area . contradictory +The island is surrounded by coral reefs and reef walls , which provide shelter to hundreds of species of sea creatures and recreation to divers and snorkelers . The reef walls near the island are the largest in the world . neutral +uh-huh hm uh-huh yeah okay what kind what kind of onions do you grow do you grow those those ten fifteen Y What kind of onions do you grow then ? entailment +While we may deplore that sex has become the dominating factor in many young people 's lives , the goal should be to expand and emphasize the nonsexual means of personal expression ( liberation ) available to them , not to return to the repressive and contaminating moral hypocrisies of a previous age . People are extremely too fixated on sex . neutral +He knows everything and his vengeance is swift . He has access to all of the information and will act quickly if slighted . entailment +it was just horrible i mean this her little girl was like five and she was you know all of a sudden she started crying and said mommy i w ant my daddy and and you know her mommy said i know honey an oh and this little girl said uh The five year old little girl told her dad she wanted her mommy . contradictory +And Mr. Brown is a consummate actor . Mr. Brown is a skilled actor . entailment +These approaches need further testing in the ED . No more testing for these approaches is needed . contradictory +This time , she looked solemn . She was faking it , but she looked sad . neutral +The Employee Retirement Income Security Act ( ERISA ) was cited as an example of an approach that blended both a principles-based ( general fiduciary standards ) and rulesbased ( prohibited transactions ) approach to an important issue ( retirement security ) . The ERISA was cited as an example of an approach that blended both a principles-based and rules-based approach . entailment +so it is wonderful once you get into some of the programs that are out now you can do so much with them The stuff out now can 't really do much with it . contradictory +Washingtonians complained . The people of Washington complained . neutral +The redeterminations are expected to result in 135,000 children having benefits terminated as a result of These changes in the law . These children will go hungry if they lose their benefits . neutral +In a.d. 331 , Constantine , the Roman emperor , legalised Christianity and together with his mother , Helen , developed and excavated Christian sites . The Roman emperor Constantine legalised Christianity and developed and excavated Christian sites . entailment +Her parents , Carter Bond , 66 , and Carol Bond , 59 , are still residents of Gastonia . Her parents are named Carter and Carol Bond . entailment +well across the stream there 's a fallen log that you have to walk across to get into this little place and i 'm crossing over the top of this thing it 's snowing the thing is slippery and of course i slipped and fell in The log was slippery , but there 's no way I would fall . contradictory +Anyhow , if you 'd been using your eyes and seen the way we are traveling , you 'd know I 've rejoined the crew . The crew missed me , so I had to rejoin it . neutral +With its wealth of pretty cottages , Askham is a true farming community . Askham is a farming community with lots of pretty cottages . entailment +14,15 In contrast , in 1989 city carrier labor cost the Postal Service $ 24 . in 1989 city carrier labor cost the Postal Service $ 24 entailment +yeah well i have heard a lot about Possum Kingdom Possum Kingdom is world-famous . neutral +yeah or working in the system Staying outside the system . contradictory +The betting now is that a counsel will be named , and will hound Gore for years . There is talk that a counsel is going to be named . entailment +Also , the semiannual Home Design supplement insists that simplicity--incredibly expensive simplicity , that is--is chic . Home design supplement insists that simplicity is chic . entailment +To the Carib Indians then living here , it was Karukera , island of beautiful waters . The Carib Indians used to call the island Karukera , meaning " island of beautiful waters " . entailment +yeah yeah i 'd i don 't have much sympathy for people that are uh uh victimizing others on a regular basis you know if it 's a one time offense and and the kid learns his lesson and uh shows remorse and promises never to do something again and they take some steps to educate him in the matter uh it 's it 's one thing but when they 're there over and over again and uh guilty of the same crimes uh nothing seems to help I don 't have sympathy for repeat offenders . If the offender commits a crime for the first time , shows remorse , and is reformed , than that 's okay . If they commit a crime , get out , and keep doing it , that 's not okay . It seems like nothing helps in those cases . entailment +The third did not and caught Thorn 's sword hard in the back , breaking his spine . The man 's spine was severely damaged . entailment +7 discusses federal policies aimed at encouraging private saving . Federal policies that encourage individuals to save are actually focused on saving money on Social Security . neutral +The spectacular cloister is a superb example of mostly late-Gothic style , with elaborate stone carvings . The cloister features intricate stone carvings . entailment +right that 's true yeah there 's not too many that are uh that are good just on their you know that that you wouldn 't want to change something and there 's always something that uh I would not like to change so many things . neutral +Rolling Stone ' s cover story traces Stern 's history from mediocre rock DJ to king of shock jocks . Rolling Stone covered Stern 's rise from a mediocre rock DJ to king of shock jocks after his hard work . neutral +But they also dislike him for good reasons . They dislike him for good reasons . entailment +The latter looked similar , except it had wings tacked onto its back . One had wings attached , but they both had large horns . neutral +The world has had enough of that . ' The world has had enough of that and they will not stop protesting . neutral +And Milliken is the most important contributor to the United States Business and Industrial Council , a lobbying group that was originally formed to oppose the New Deal but which in recent years has devoted its energies to opposing free trade . Milliken contributes to the council . entailment +um-hum i guess i you see i guess it depends on your landfill space It doesn 't depend on your landfill space . contradictory +The goal was to influence people who are in a position to make changes in the field . The aim was to allow those who could bring about change to go uninfluenced . contradictory +The rest was about to get much worse and much less popular . Things could only get better from where they were . contradictory +Mazzini founds la Giovine Italia to combat Austria The war could be avoided . neutral +The Museum boasts a major collection of Greek and Roman antiquities , European paintings ( by Rembrandt , Monet , Renoir , and Van Gogh , among others ) , drawings ( including a few by Michelangelo , Leonardo da Vinci , and Raphael ) , illuminated medieval manuscripts , photographs , sculpture , and French decorative arts displayed within five two-story pavilions . The museum hosts many magnificent works of art , including works from Van Gogh , Michelangelo , and Leonardo da Vinci . entailment +We 'vecreated amoreeffective Engagement Acceptance and Review Meeting process to help senior management direct and oversee work assignments . Our company would have gone bankrupt without a new system being created . neutral +and i 'm not too welcome around i don 't i really don 't want to share a boat with a snake I 'm afraid of snakes . neutral +yeah it 's hard to find something that 'll take the heat as well as the freezing It 's easier to find something that insulates heat well . neutral +because he 's making those people angry at him and he 's also i think he 's also making um the military angry at him i mean i 've heard stories now where the He is making good friends with those people and the military . contradictory +If you can , go out of your way to spend a few hours of watching live sumo . It 's no fun to watch sumo , so don 't do it . contradictory +Deciviews , like the analagous term decibel , employ a logarithmic scale to evaluate relative changes in visibility that is more directly related to human perception . A deciview is a word which was coined during the 2000s . neutral +In border communities , such as El Paso / Ciudad Juarez , families are spread across the border . Families tend to migrate to either the U.S. or Mexico in border towns so that they aren 't split . contradictory +In order to participate in the rulemaking process , the public must first be aware that agencies are considering rules that could affect their interests . The public has to know that the agencies might do something that goes against their best interests in defending themselves in court . neutral +The appropriation was good news for the six lawyers , one paralegal and three secretaries who work at Tuscaloosa 's Legal Services office and receive salaries much less than those of employees at private law firms . The appropriation was good news for six lawyers , but bad for other lawyers . neutral +The 29th , you say , is the date . You say that is happened on the 29th ? neutral +I 'm staying even if I have to fight them alone . I will stay and fight no matter what . entailment +The president and Betty Currie had some concern about her . The president and myself both loved him . contradictory +Pennsylvania 's Arlen Specter , who is often lumped with the Mods , really belongs with the Prosecutors . Led by Specter and Mike DeWine ( Ohio ) , who are , in fact , ex-prosecutors , the Prosecutors view themselves as the Senate 's champions of The Law . Arlen Specter is from Pennsylvania is typically considered a Mod . entailment +uh-huh i 'd never heard them before until i went in a music store and you know how you put the headphones on and listen to it and i just i heard a piece and it was just so wonderful and then even my eleven year old boy loves to listen to it My eleven year old boy did not like any of the pieces we heard today . contradictory +Under a trim white beacon , a sign Terre-de-Haut est heureuse de vous accueillir et vous souhaite un agr ? ? able s ? ? jour ( Terre-de-Haut is happy to welcome you and wishes you a pleasant stay ) . The sign translates to , " Terre-de-Haut is happy to welcome you and wishes you a pleasant stay . " entailment +" _ Abracadabra ! _ " he said , and snapped his fingers . He snapped his fingers and conjured something to help . neutral +The hotel lobby was small and low ceilinged , with a single reception desk dominating everything . The hotel lobby was large and airy . contradictory +um yes yeah we just had salmon last night for dinner uh but also the spices here um old bay is a spice i don 't know if you 're even aware of it it 's what they used on the We had fish last night for dinner , and they used old bay on the . entailment +Projected AC Demand Due to Multipollutant Initiative . Aggregate costs for the initiative are high . neutral +With respect to paragraph 603 ( b ) ( 5 ) , the analysis does not identify any relevant federal rules that may duplicate , overlap , or conflict with the proposed rule . The analysis doesn 't identify relevant federal rules that will conflict with the proposed rules . entailment +Note that the estimate for the current annual demand is quite conservative since the catalyst replacement rate on oil- and gas-fired combustion units is likely to be less frequent than one-twelfth of the catalyst per year . More catalyst is always needed than the amount predicted . neutral +The two imposing horses guarding the entrance to the Champs-Elysees are replicas of the handsome 18th-century Chevaux de Marly , sculpted by Guillaume Coustou . Guillaume Coustou sculpted the 18th-century Chevaux de Marly . entailment +oh um well that 's nice nice little garden That is a nice garden . entailment +cap , and I admired the great loose waves of her auburn hair , and the smallness and whiteness of the hand she held out to claim her tea . I played no mind to her features . contradictory +but i 'm proud though that that um you know i grew up in the sixties and back then it was popular you know but people have really wisened you know become wise about drugs and I am glad that I grew up in the 1960s , even though drugs were popular back then . entailment +Before Paris became the national capital , it was the home of the medieval dukes of the region that is still known as the Ile-de-France ' which , by gradually asserting itself over other duchies such as Burgundy and Normandy , imposed its name on the whole country . Paris became the national capital in the twentieth century . neutral +like HSEN ESPN but the music movie show uh cables or movie channels they show the same shows over and over and over You will rarely find a repeat showing on the movie channels . contradictory +Good afternoon , I said pleasantly . Hello . entailment +Unfortunately , he also began to spit out his cream of wheat and throwing the spoon while being fed mashed celery , which should not happen to an adult man from a good family . The cream of wheat tasted horrible . neutral +The realm was divided up among his heirs and progressively fragmented by the rivalries of the Merovingian dynasty that battled for power over the next 300 years . The realm stayed united . contradictory +An alternative view is from the south , way across the valley , at the lookout point with the romantic name of Boca dos Namorados ( Lovers ' Nest ) . The lookout point had a romantic name . entailment +It rains regularly , whatever the season , so be prepared to experience some inclement weather during your visit . You should be prepared for potential flooding year-round . neutral +well that 's good at least you 're hitting the books right At least you dropped out . contradictory +Marigot , the modest capital on its wide bay , is so quiet that very large fish venture in surprisingly close to shore . Fishing comes easily in the capital of Marigot . neutral +Next to the Arena is the Long Beach Convention and Entertainment Ceter . There are no other venues next to the Arena because it 's built on parkland . contradictory +Romantics will warm to further Enquirer disclosures . Romantics are the number one customers of the Enquirer . neutral +It 's all there--his terrible work ethic , his drug use , his obsession with the mob of the distant past , the mafia of his fantasies ( of course he 's writing a screenplay , and of course he can 't spell ) . Some of it exists - His alcohol abuse and his yakuza fantasies . neutral +uh uh that will make it interesting It will be funnier that way . entailment +The striking thing about workers ' comments after the vote was how many of them mentioned the possibility of the company shutting down its operations . The striking thing about workers ' comments after the vote was how many of them mentioned the possibility of their company shutting down its operations . entailment +where did you go for it did you go like to Hoffbrau Steaks Did you go to Hoffbrau Steaks for those steaks ? neutral +The program gets its geographic boundaries from census tracks and roughly covers much of White Rock Hill , College Hill , Tinbridge Hill and the lower Rivermont area . The census determines the boundaries in which the program can work . neutral +All this time , the land for the library has sat undisturbed , covered with tall weeds and empty buildings , its intended purpose marked only by a banner that has grown progressively more tattered . The land put aside to build the library is full of weeds , and it was meant to be like that entailment +Severn looked confused but nodded . Despite his confusion , Severn nodded his assent to the plan . neutral +Our race has as much of it as it ever had . " Our race has lost about half of the quantity it had at first . contradictory +The narrowness , the deadly monotony of it , almost drove me mad . " She paused a minute , and added in a different tone : " And then I met John Cavendish . " I wasn 't sure how much longer I could take the droning monotone of her voice . entailment +Maybe he should not have ridden out of Tubacca at all . After this morning 's events , he did not know if riding out to Tubacca had been the right thing to do . neutral +Suppose that someone tells you that , years ago , he made a fundamental discovery that an entire profession , out of sheer narrow-mindedness , refused to listen to and prevented him from publishing . What if he told you he got turned down by the industry ? entailment +The monument to Perry and Harris , not far from the harbor , celebrates these epochal events , as does Shimoda 's annual Kurobune Matsuri ( Black Ship Festival ) in May . These famous events are celebrated in the Perry and Harris monument and the annual Black Ship festival . entailment +The U.S. cost elasticities in Table 1 , when applied to the accrued costs of each function , determine the coefficients in the cost function , which in turn generate the unique shape of the unit cost function ( Figure 1 ) . Table 1 helped generate the unique shape in Figure 1 . entailment +They sailed into what is now Kingston Bay in May 1655 and sent an ultimatum to the capital . They sent an ultimatum to the capital after arriving in the bay . entailment +well you weren 't charging gold and silver were you you can 't do that can you There 's no precious metal you can charge for . neutral +So which society is more cynical and decadent and which more idealistic and pure ? Of the two societies , one is cynical while the other is idealistic . entailment +Most people visit the holy city of Amritsar for its Golden Temple Sikh Shrine . Amritsar is most visited for its Golden Temple Sikh Shrine . entailment +So now it can 't be done until to-morrow , finished Cynthia . We did as much as we could today . neutral +A place with a spectacular setting . They have a place with a beautiful setting and great ocean views . neutral +This architectural ensemble encompasses church , cemetery , charnel house or ossuary , and calvary ( a unique free-standing structure with carvings illustrating Bible scenes , often with characters in contemporary dress ) , all grouped in a square and entered via a triumphal arch . There are only ruins of once-great buildings in the square . contradictory +For more information , contact the Club Escuela de Equitacion de Mallorca ( Tel . The Club Escuela de Equitacion de Mallorca can offer more information . entailment +After all , though he was old , Poirot had been a great man in his day . Poirot was never a great man . contradictory +But he has not allowed them to return in fact . They weren 't allowed to return . entailment +what i mean hobbies do you enjoy What hobbies do you have ? entailment +She sat up at once , drew her hand away , and said , with some asperity : " Don 't be silly ! " I was a little annoyed . I was concerned that she would try to cling to me and relieved at her flouncing away . contradictory +In the Sunday papers a brief notice of the sudden death of Sir James Peel Edgerton , the famous K.C. , had appeared . Sir James Peel Edgerton 's obituary can be read on the New York Times . neutral +that 's helped me a lot with having i can only have a a limited wardrobe since i 'm only working part-time right now um but still it gives it some variety add different blouses and scarves and belts and things like that I have a pretty limited wardrobe . entailment +Sort of like Bill Bradley . It 's like Bill Bradley . neutral +I 'd been out of the bar for six minutes . I 'd never stepped foot in the bar . contradictory +Steel erection and minor excavation and concrete work is necessary for an ACI system , and this work should not require any more than very common construction equipment . An ACI system requires steel erection and minor excavation . entailment +During the period , maintenance expense is recognized as incurred . The cost of maintenance is recognized as incurred during the period . entailment +Three thousand years ago , the young David hid from the rage of King Saul in the canyon of Ein Gedi , and until its demise in early Islamic times , the isolated Jewish town of Ein Gedi was famous throughout the ancient world for the balm , incense , and perfumes produced from its rare plants . The Jewish town of Ein Gedi was famous in the ancient world for the balm , incense , and perfumes produced from it 's rare plants . entailment +Jones-Lee ( 1993 ) provides an estimate of age-adjusted VSL based on a finding that older people value mortality risk reductions only somewhat less than middle-aged people . Jonas-Lee estimates the age-adjusted VSL based on research about what older people value as they approach 90 years of age . contradictory +but uh i mean you got to be a total player when you 're in the pros You have to be an all-rounder when you are playing pro . entailment +I 'm just saying that Bayliss and probably Helms maybe others will be waiting , just as the captain promised . The captain said that only Helms will be waiting . contradictory +San Juan also became the center for the Catholic Church 's evangelization of the New World ; numerous churches , convents , and monasteries were established throughout the island to aid in this effort . Catholicism has yet to reach Puerto Rico . contradictory +if their willing to do it They might be willing to do it for money . neutral +He recognized a Christian duty to charity but was gripped by a fear that his charity would be wasted , thereby incriminating him in sin . He felt fine enough giving to charity and not thinking of it further . contradictory +Utah 's poor and disadvantaged need all types of legal help , from dealing with domestic abuse to protecting limited assets in old age . Utah residents need lots of different kinds of legal help . entailment +Sheen will then have a July hearing on whether he violated his probation--he pleaded no contest a year ago to attacking a girlfriend--by engaging in drug activity . Sheen isn 't worried about whether or not he broke probation . neutral +originally from Louisville Kentucky then moved away from Louisville Kentucky neutral +okay and i have uh shrimp that is steamed in beer that i cook I eat shrimp raw , and i 'm non alcoholic . contradictory +yeah we do that too we 're fortunate though this year somehow how it 's only March and we 've already used up our entire amount i don 't know if that 's good or bad We still have ample funds that can sustain us till the end of this month . contradictory +Haifa has a number of good beaches , just to the west of the port in the Bat-Galim area . Just to the west of the port in the Bat-Galim area , Haifa has a number of good beaches . entailment +You don 't think the Prime Minister hesitated a minute " that it would be better to open it now ? The prime minister probably hesitated a long time to open it . contradictory +i seen him on an interview talking about how if he ever got out how many people he was going to kill I don 't think being in jail helped him . neutral +With four yacht clubs based in Long Beach , the city hosts races , regattas and other watersport competitions from April to September . Only three yacht clubs are based in Long Beach . contradictory +In short , the FY 1984 change appears to have been the result of the proposal to expand LSC representation to aliens who were merely present as opposed to lawful residents . The changes seem to be the result of a proposal to LSC . entailment +Purchases shipped directly from the shop to a non-EU country are not subject to VAT ( though you may incur import taxes ) . Although you may incur import taxes , if you ship purchases directly from the shop to a non-EU country , they are not subject to VAT . entailment +um that 's what i want that 's what i like to make is just real neat stuff like that but that 's what I want , I like to make neat things entailment +Going forward , participants believed that the impetus for change to the financial reporting model would have to come more from the investors and other users of financial information who need timely , accurate , and useful information to make value and risk judgments about publicly traded companies . Financial information has to be maintained for accuracy . neutral +The vaults were used for a variety of mundane activities ( bakery and storehouse ) but also functioned as a prison and barracks . The vaults contains exciting items . contradictory +This opened in 1990 to a chorus of hostile comment . The people did not like this when it opened in 1990 . neutral +But the new entity does not want to have any responsibility for administering a grant . They will not administer a grant . neutral +right and the weed come up and all of a sudden you 've got to do something else yeah You don 't have to worry about weeds . contradictory +For the first time banks could offer interest on checking accounts or NOW accounts . Banks could give customers 2 % interest on their checking accounts . neutral +GAO 's work covers everything from the challenges of an aging population and the demands of the information age to emerging national security threats and the complexities of globalization . GAO 's work is not limited to social security threats . entailment +Next door is one of the city 's most luxurious hotels , Hotel Santa Isabel . Hotel Santa Isabel is one of the most luxurious hotels and it caters mainly to tourists . neutral +Before the modern Sevila was built behind its crenellated wall , Celtiberians settled in the area and are credited with having sculpted the crude stone statues of bulls and pigs around the city . Celtiberians never settled in the area . contradictory +Lots of pressure . Very relaxing . contradictory +( iv ) Other relevant information or requirements under Acts and Executive Orders The relevance of the Acts and Executive Orders appears to be irrelevant to most people . neutral +According to legend , it was originally named Mons Martyrum ' where , after being decapitated , the town 's first bishop , Saint Denis , picked up his head and walked away . The site 's name was originally Mons Martyrum , named after the sacrifice of Jesus Christ . contradictory +Don 't be surprised to see the latest Hollywood blockbusters on release . You will be shocked to see the most recent movies as they are premiered . entailment +Both children and adults adore the Museum of Nativities ( Museo di Presepi ) , showcasing four centuries of the unique Neapolitan specialty of hand-crafted Nativity characters an endless cast of angels , animals , peasants , shepherds , kings , and their retinue are on display . The Museum of Nativities displays nativity figurines crafted over four centuries . entailment +Drew knocked on the age-darkened surface of the big door . Drew knocked on the big door . entailment +In the Mus ? ? e d 'Histoire de la Ville , in the castle keep , the town 's naval history is told through the lives of its great navigators and pirates , together with all the colorful paraphernalia of sailing . The Musee de la Histoire de la Ville is located in a modern church . contradictory +weak security continues to be a widespread problem that places critical and sensitive Weak security is a widespread problem entailment +Online games , comic strips , and downloadable music , such as Go Back to Africa , entice children . Children like to play online games . entailment +Today , the Beaujolais country thrives and wine-lovers heading south detour to such familiar names as Fleurie , Julienas , Chenas , Morgon , and Brouilly . The Beaujolais country thrives because it provides much needed work for local residents . neutral +The Institute displays a permanent exhibition of the best work of Irish architects , as well as holding frequent temporary exhibitions on all aspects of architecture ( open Monday Friday 9 : 30am 5pm , closed Sat ? ­ urday and Sunday ) . The institute seems to hold no interest in holding exhibitions about architecture . contradictory +For all I know , some hockey fans go for the fights . I could be wrong , but I feel some hockey fans merely attend games for the brawls . entailment +Certain information may be prohibited from general disclosure by federal , state , or local laws or regulations . Changes to the rules about release of information should be directed to the responsible agencies . neutral +In its best colleges issue two years ago , U.S. In its worst colleges issue two years ago . contradictory +The 19th-century restorations of Viollet-le-Duc have maintained the church 's majestic harmony . There were many workers employed in the restorations of Viollet-le-Duc . neutral +Come again , sir , he said . He said to come back soon , and gave Dave a coupon for $ 2 off his next haircut . neutral +this is supposed to be the the guy that 's uh replaces Bruce Lee or whatever or or the next Chuck Norris The person meant to fill the role was a woman . contradictory +Lincoln glared with Natalia 's eyes , and finally said : Lincoln glared and then spoke . entailment +The Patio de Armas , or arsenal square , as the quad is called , leads into the first of a number of wide , open plazas which come upon you unannounced as you climb the maze of narrow alleys . It does not lead to a number of wide open plazas . contradictory +Obviously , the prisoner would not be likely to go to that drawer ? " 146 " Perhaps not . " The speaker feels that the prisoner would go somewhere else to look for whatever they wanted . entailment +And more than likely , historians will point to the May 1 election as the political dawn of Great Britain 's Age of the Internet . Historians will typically consider the May 1 election to be the political dawn of Great Britain 's Age of the Internet . entailment +Who can I report disaster fraud to ? Disaster fraud is good . contradictory +well it it it yeah it 's it 's a little bit like any other sport you know when it starts costing you fifty to a hundred dollars to go to a game It is still in its own leagues of sports . contradictory +Each stop lasts for a total of three minutes . Each time we have to stop for a bathroom break , it takes 3 minutes . neutral +Restricting LSC attorneys in advising their clients and in presenting arguments and analyses to the courts distorts the legal system by altering the traditional role of the attorneys in much the same way broadcast systems or student publication networks were changed in the limited forum cases we have cited . Attorneys often work under stressful conditions and numerous restrictions . neutral +As Scandinavians and Bavarians cycle by , 1968 seems as remote as when the first cattle-herders came here from the other side of India some 3,500 years ago . 1968 seems as long ago as the time when cattle-herders first arrived here more than 3 millennia ago . entailment +Most emergency department physicians do not believe that physicians or nurses would be the best persons to provide effective treatment . Most emergency department physicians think there are better people for providing effective treatment . entailment +She took one tottering step toward him and halted . She staggered towards him , then stopped in her track . entailment +The pottery and stone work is worth studying , however the chief artifacts are the script fragments of Linear A type scribed on thin clay plates and not yet deciphered . No one knows how to read the Linear A script yet . entailment +Based on scuttlebutt and speculation from insiders at the Clinton , Bush , Reagan , and Ford White Houses , here are the four likeliest scenarios for presidential adultery . Here are the four likeliest scenarios based on scuttlebutt and speculation . entailment +But this letter is long enough , possibly too long for the format , so I will leave discussion of Lemann 's attempt to sum up to the next letter . I will put the Lemann 's discussion on the next letter . entailment +The overall framework of the process for data reliability assessment is shown in figure 3 . The framework identifies several key stages in the assessment , as well as actions and decisions expected as you move through the process . The overall framework of the process for data reliability assessment is shown in figure 4 . neutral +um-hum and so i really think we 've tried to tone down We keep things as loud and vibrant as possible . contradictory +Ideally located if you want to see a lot of Madrid in a short time . It is in the perfect location to let you see much more of Madrid in less time . entailment +But I guess I shouldn 't take that nightmare seriously . But I know that nightmare means a lot , and it will come to life . contradictory +43For more information about the analytical framework for assessing Social Security reform proposals offered by GAO , see Social Criteria for Evaluating Social Security Reform Proposals ( GAO / T-HEHS-99-94 , March 25 , 1999 ) and Social Evaluating Reform Proposals ( GAO / AIMD / HEHS-00-29 , November 4 , 1999 ) . GAO has never proposed Social Security reforms , thus there is no information on it . contradictory +that was that was pretty good um and It was not good . contradictory +The route from Nice to Monaco , along the precipices of the Mari ? ­ time Alps ' southern slopes , offers one of the most spectacular drives in the country . The southern slopes of the Maritime Alps are part of the route from Nice to Monaco . entailment +And are Kinsky 's rippling , Philip Glass-like progressions meant to suggest profundity or empty pretentiousness ? Philip Glass 's progressions always used to signify profundity . neutral +I 'd bet six to one , " said a man in fine silks and a wide-brimmed dyed purple hat . The man was wearing a flashy hat . entailment +So , what kind of Jew am I after 60 years of consciousness-raising ? My identity as a Jew is threatened by my consciousness raising . neutral +Most of them seemed to be dead or unconscious . The majority of them looked to be dead or unconscious . entailment +oh my goodness yeah Omg , yes ! entailment +eventually at least one time but now if it 's a repeated thing here with this child in juvenile and all this to me yeah both of them because that means she 's still not doing what she 's supposed to do Maybe eventually , but it is a usual thing with this kid in juvenile , it means she 's still not doing what she 's supposed to do entailment +The pawns were left behind to point guns at one another and look tense . The pawns were left with nothing but knives . contradictory +Gentilello suggested that the salaries of full-time employees could provide cost data and blood alcohol tests and admission rates could provide effectiveness data . Gentilello said the salaries could give cost data if executives were willing to share it . neutral +If this is the case , the cost curve would turn almost horizontal at the cost for this operation . The cost curve is horizontal at all places . contradictory +The history of Hawaii reads like the story of a mythical kingdom . The history of Hawaii seems like the story of a mythical kingdom . entailment +Various studies have shown how the ratio of executive compensation to average employee compensation has risen to levels of irrationality and levels that far exceed those of other major industrialized nations . The ratio of executive compensation to employee compensation has grown steeper . entailment +He was some time over the task . He finished the task very very quickly . contradictory +Even if you handle it right , you still don 't want this kind of thing out there , argued Susan Estrich on Fox News Sunday . There 's some people who only hear a piece of it and say to themselves , is something wrong with John McCain ? Something may be wrong with John McCain . entailment +because they have got some of these like the leather jackets are are quite expensive The leather jackets are inexpensive . contradictory +tax rates-for both businesses and individuals . Both businesses and individuals are put through taxes . entailment +Fixed Reproducible Tangible Wealth in the United States Fixed Non- Reproducible Tangible Wealth in the United States . contradictory +ENTITLEMENT PERIOD - The period ( such as , monthly ) for which benefits become due . The entitlement period is when the benefits are due to the recipients for the first time . neutral +I said , ' I suppose it 's about lunch time . ' I said , ' We got to be getting back to the house . ' And he said , ' Yes . ' And I just went on and then when I was about at the creek I looked around and-- " I said we should go back to the house because it 's almost lunch time . entailment +It is dedicated to the Lord of the Three Worlds , Tribhuvanesvara , who gave the town of Bhubaneshwar its modern day name . Bhubaneshwar has been known by its modern name for approximately a century . neutral +In other words , if the stories are true , then the Vietnamese got a fabulous bargain . A good bargain was had by the Vietnamese , if everything is true . entailment +In the doorway were Sir James Peel Edgerton and Julius Hersheimmer . Sir James Peel Edgerton and Julius Hersheimmer stood in the doorway . neutral +On Cultural The Wilson-Brustein Discussion , moderated by Anna Deavere Smith ( Town Hall , New York ) . The debate was held in New York . entailment +Recently I went on a press junket to an Italian island , hosted by dull technologists . The dull technologists did not even try to make it entertaining . neutral +Through successful working relationships between GAO and the IGs , agencies have consistently met the CFO requirements . There is bad blood between GAO and the IGs . contradictory +Begun at the end of the 15th century , Funchal 's Se is one of the city 's only surviving buildings from the early days of colonization . Most of the old buildings were destroyed by earthquakes . neutral +Jon leaped behind the rock and called for San 'doro . Jon spoke in Spanish when he asked San 'doro if he was safe . neutral +Pinsky queries if we count an audiobook as a book . Audiobooks can 't technically be counted as books . neutral +and you haven 't you and you never see it You don 't ever see it . entailment +In Upper Egypt , Nubian floorshows have a different atmosphere and flavor . Nubian floorshows in Upper Egypt have a different flair to them . entailment +She says Newsweek ' s Eleanor Clift has gone beyond the call of duty to earn [ her ] presidential kneepads . She says Newsweek 's Eleanor Clift has not gone beyond the call of duty . contradictory +And censored videos . Censored videos are still being sold . neutral +The victims are often women and their children and they frequently have few resources with which to pursue their legal rights , Trout said Tuesday . Most of the victims of domestic abuse are women . neutral +The effects of this delay in capturing knowledge can be debilitating . There is a delay in reporting knowledge . contradictory +You are right in one thing , at any rate . You are right about something . entailment +oh yeah i have to impress the boss and clients because um i 'm in i 'm in public relations in school so i 'm going to have you know my whole job 's going to be based on my clients and stuff like that so I don 't work at the school at all . contradictory +No definitive number of Americans who went over to the enemy is available , but Moorer indicated there were scores . The number of Americans who went over to the enemy is unknown , but their was scores . entailment +School 's in at both magazines . Robert School is on the cover of both magazines . neutral +ethnic food or um sometimes it would be um oh oh i don 't know maybe an outdoor theme or uh uh elegant theme or you know it was a lot of fun I like different foods for different occasions . entailment +Individuals with less severe alcohol problems may benefit from a brief intervention with little or no follow-up or referral . People will smaller alcohol problems might not need follow-up after they 're seen in the ED . neutral +While others are just dreaming of their gardens , mine is blossoming in the house . I 'm not waiting for the weather to improve , I 've started my garden inside and it 's already growing . neutral +And in Rosenberger , the fact that student newspapers expressed many different points of view was an important foundation for the Court 's decision to invalidate viewpoint-based restrictions . Student newspapers had lots of points of view , which bolstered their case in the Supreme Court . neutral +that 's amazing yeah we 've never had a cat of course like i said i guess the only time i 've ever had a cat in the car has been in a carrier maybe maybe if we didn 't put them in carriers maybe they would enjoy it more i don 't know There was only one time when we had a cat in the car . entailment +but you know they do that like i went to Europe uh nineteen seventy three I went to Europe in 1973 . entailment +and uh like one time i opened up the the tent and there was a deer drinking out of a stream I was camping and I saw a deer drinking water . neutral +It is like hammering water . Their talk was much like hammering water . neutral +Some trace their ancestry to the influence of Spain . Nobody can trace their ancestry to Spain . contradictory +GOP efforts to derail President Clinton 's appointment of Bill Lann Lee as the nation 's chief civil-rights enforcer ( Payback Time , by Jacob Weisberg ) only demonstrate what bad sports Republicans have become in the last few years . GOP failed to derail Bill Lann Lee 's appointment as chief civil-rights enforcer . neutral +um-hum i think i think sometimes that you um you pick you become more aware of what you have Having awareness of what you have is important to your happiness . neutral +I will not describe to you the special apparatus , dusting powder , etc . , which I used . They 're top secret and classified projects by the government . neutral +But the Bronx alone refused , saying that Legal Services lawyers might be forced to answer to LSNY 's funders rather than focus exclusively on their clients ' interests . The Bronx was only one of many boroughs to refuse . contradictory +EXCHANGE REVENUE - Inflows of resources to a governmental entity that the entity has earned . Exchange revenue is the inflow of resources the government has earned entailment +i haven 't seen that and i and i you know it of course won a lot of Academy Awards It received a lot of Academy Awards , but I haven 't seen it yet . entailment +No warrior would dare slap Ca 'daan now that a blade as skilled as Adrin walked with him . All the warriors wanted to stab Ca 'daan and it didn 't matter that Adrin was with him . contradictory +Today they often share the Olympic finals with their old arch-rivals , Pakistan . They go to the Olympics with Pakistan . entailment +The agency has 53 people on staff , including 27 attorneys , some of whom function as administrators and others who are part-time . There are 10 full time and 17 part time attorneys on staff . neutral +If you follow the line of the aqueduct away from the city centre , you will soon reach the vast complex of the Fatih Camii ( Mosque of the Conqueror ) , perched on top of the city 's Fourth Hill . The Fatih Camii is comprised of a large complex on top of the Fourth Hill of the city . entailment +oh we do we do we do it we really do We truly believe that there is need for more gun control . neutral +On 12 April 1782 , in the sea channel near Guadeloupe 's little off-shore islands of Les Saintes , a British fleet gained historic revenge against French Admiral de Grasse , of Yorktown fame , in a battle that is still talked about today . The sea channel was near Guadeloupe 's off-shore islands . entailment +It 's more scary than funny , especially to the brain tumor guy when he finds out that his chief surgeon is Raquel Welch . It is not scary to have Raquel Welch as your surgeon . contradictory +The President would decide whether to assert the privilege . If the President decides not to assert the privilege , they can always change their mind later . neutral +all right we need to discuss the voters " The next topic of discussion is the voters , after that we will discuss the press release . " neutral +Even if she spoke Galaressen or Vex , I wouldn 't have paid attention . I wouldn 't have paid attention to her because she 's a woman . neutral +They are photographs of works from the Louvre , Paris . The works themselves were created in the Louvre . neutral +His face seemed to collapse , with the iron running out of it . He could barely recognize his face any more . neutral +You 'll be seeing the Belgian gentleman to-day perhaps ? " I nodded . I nodded my head when I was asked about seeing the Belgian man today . entailment +Request the Sportugal Golfing brochure from a Portuguese National Tourist Office ( see page 169 ) or pick up a copy of Algarve Golf Guide , with information on all of the courses and pro playing tips . Course information can be found in the Algarve Golf Guide . entailment +As a practical matter , in most cases there can be no access to justice without access to legal assistance , said Jack Londen , past commission chair and a partner with Morrison and Foerster in San Francisco . Jack Londen was speaking from years of professional and personal experience . neutral +Amid the modern and often daring architecture of this area is the fortress-like Monastery of the Crose which is over a thousand years old . The Monastery of the Crose is in keeping with the daring architecture nearby . contradictory +that you know put give out uh nonbiased information just general information on how the candidates stand on certain issues that you know you can make a decision on how you feel about certain issues and who you want The media is too biased in politics these days . neutral +Some like his silky falsetto voice and praise him for reviving the ' 70s soul music of Marvin Gaye and Teddy Pendergrass . Marvin Gaye was the most popular singer of the 1970 's . neutral +From 1941 to 1944 , all of Poland fell under Nazi occupation , and the country became the focus of Hitler 's campaign to exterminate all Jews and non-Aryans . Hitler never invaded Poland . contradictory +The galleries are arranged chronologically , which helps put the figures into context . There are no sculptures in the gallery . neutral +um-hum um-hum could be yeah could be yeah that our little tabby cat is the only cat that i 've ever seen or had that she absolutely hates to be picked up she would rather just do anything than be picked up more normally you you know you can pick up a cat occasionally anyway she just absolutely hates it i don 't know if it 's Our cat loves to be picked up . contradictory +Gay liberation , like feminism , is central to the whole individualist ethos of the last two decades . The past twenty years , gay liberation and feminism have been the most important factors in forming the individualist ethos . neutral +It was as good as they could expect . The event went absolutely terribly . contradictory +and get a graph which you weren 't sure if it was okay or not you know but with a with a new system i can calculate everything so fast you know like for spread sheets I can calculate everything so fast with a new system . entailment +GAO does not hold press conferences or issue press releases about products , but it does advise the media and the public of the release of GAO products via the World Wide Web and other venues . GAO issues regular press releases about new products . contradictory +yeah they 're t aking those up you can take them to the stores um like Kroger 's doing it and i think Skaggs do you have those up there Do you have the store Skaggs were you live ? entailment +It was prepared under the direction of Jack L. Brock , Director , Governmentwide and Defense Information Systems , who can be reached at 202-512-6240 or brockj.aimd @ gao.gov. Jack Brock has been the director for twenty years . neutral +Those who had survived and those who could be revived were busily rebuilding . The survivors and the reanimates were standing around waiting for orders . contradictory +I must walk a bit , I think . I should just stay here . contradictory +you know it 's like a box and you just step up and down and up and down and up down do different variations you know change feet and and you 'd be surprised how quick that gets the pulse rate up I like to do a variety of exercises . neutral +I think I almost hypnotized myself . I am certain I had hypnotized myself . contradictory +Lately they fired only twenty , and they supposedly lowered the RQ bottom line , otherwise they 'd be no one left , ' Rajmund tried to cheer her up . If the RQ bottom line was higher there would be no one left . neutral +In the realm of classical music , Paris has come back into its own , with many fine concerts at Salle Pleyel and Theatre des Champs-Elysees , opera atathe new Opera-Bastille , and the ballet at the Opera-Garnier . There used to be more concerts than on offer now , but the quality is steadily increasing . neutral +I go home feeling satisfied with my job . When I wake up in the morning , I can 't wait to get to work . neutral +just how can anything happen like this and the guys that did it were so ignorant they didn 't even remorse they didn 't they didn 't have any remorse for what they were doing but they were just so ignorant that one of them says well i didn 't realize that was because i was beating her in the head that she was really going to die on me you know it 's like although why did you do it she was screaming all i wanted to do was shut her up he he acted like he didn 't even think that this was going to kill her i the kids were really quite ignorant about it and it it was a tragedy on both sides but it just shocked the uh the state that something like this could happen The State is completely aware that horrible acts of violence are going on . contradictory +OK , two . ) Ok , four . contradictory +Night and day were the same in this prison room , but Tommy 's wrist-watch , which enjoyed a certain degree of accuracy , informed him that it was nine o 'clock in the evening . Tommy learned what the time was by observing the clock on the wall . contradictory +L. 104134 directed the Department to issue interim regulations within 30 days of the date of enactment . Interim regulations needed to be issued by the Department within 30 days . entailment +The Honorable David McIntosh David McIntosh is not considered honorable . contradictory +uh the Bitter End is an excellent resort up in uh which is very easy to get into and there 's some very nice reefs in that uh vicinity if you like snorkeling and uh scuba diving It isn 't hard at all to get into the Bitter End resort , and it 's a great place for scuba diving enthusiasts . entailment +At the same time , the hotel offerings across the island are rapidly being expanded , and visitors can now choose from hotels , quintas ( villas ) , estalagens and pousadas ( inns ) along the coasts and in the villages and mountains of the interior . The hotels across the island are expanding a lot , as there are now 59 options . neutral +As a result of the Persian Wars , the Greek cities of Anatolia were encouraged to join the Delian Confederacy , paying tribute to Athens in return for protection against the Persians . The Greek cities of Anatolia were excluded from membership in the Delian Confederacy . contradictory +The jury viewed the body , and John Cavendish gave evidence of identification . John Cavendish gave evidence as the jury viewed the body . entailment +well i really don 't know too much else about it I don 't know much else about it . entailment +But it was only her purse they were after . It was her they were after , her personal belongings held no interest to them . contradictory +Republicans will offer this excuse without acknowledging that the backlash is mainstream . The enormous backlash is sweeping the country . neutral +This is the resentful perception so many mainstream feminists seem stuck in today . The perception that many of today 's feminists are stuck in is a resentful one . entailment +Others blame the GOP 's scandal ads for stirring up Democratic voters . Democratic voters wouldn 't have much to be angry about otherwise . neutral +'I do love this city , ' Greuze said . Greuze said he loved London . neutral +The remaining agencies now are required to certify the accuracy of financial information that feeds CAFR . The remaining agencies are now required to certify the accuracy of financial information given to CAFR . entailment +You are Tejano , he said flatly . You are Tejano , he observed flatly . entailment +The finest and most authentic work is mashrabiya , the lattice screens that covered Ottoman windows allowing women to watch the world go by without being seen . Authentic Ottoman window screens comprised of fine lattice work are called mashrabiya . entailment +Barnes has confirmed that he 'll join the non-profit group for six months , donating his time and considerable skills to handling the legal cases of lowincome Georgians . Barnes is donating time and skills to legal cases of the poor . entailment +And , as for the type of respect we Machiavelli 's advice--that it is better to be feared than loved--will make much less sense in the 21 st century than it did in the 16 th . Goodwill toward America is becoming a national-security asset worth cultivating . America needs more goodwill from other countries . neutral +The National Institute of Standards and Technology ( NIST ) 10 has established procedures for the evaluation and approval of certain automated signature techniques11 to ensure data integrity and consistency with previously mentioned criteria . The National Institute of Standards and Technology has not established procedures for evaluation contradictory +C. Departures from the United States of Eligible Aliens Legal Aliens Departing from the US entailment +In 1839 the emperor appointed the incorruptible Commissioner Lin Tse-hsu to stamp out the smuggling of foreign mud . The emperor decided he would take upon the task of preventing theft . contradictory +In our simulations , we used the labor input assumptions of the Social Security Administration actuaries underlying the intermediate projections in We ran projected labor market simulations using assumption from Social Security actuaries . neutral +Instead , part of the increased saving may flow abroad in the form of an increase in U.S. net foreign investment . None of the savings would feed the US foreign investment . contradictory +uh-huh yeah i like him I don 't hate him . entailment +There are also lots of late-night clubs . The late-night clubs are expensive . neutral +uh taking down the information and i was in the library a good thirty minutes and came back out and she was still sitting in the police car there you know the accident The information regarded how many steps it took to trek across Africa . neutral +Winters here are marvelously mild and deserted , but even during the peak summer months you can seek out the island 's many enchanted corners away from the crowds . The winter season here is fairly slow and mild , but even during the busy season , you can find solace away from the crowds . entailment +The street felt darker and within each face he saw anger and violence . She was furious . entailment +He does , does he ? He doesn 't , I 'm sure of it . contradictory +We must also hope that he does not weight his conversation to talk of impeachment and partisan politics . We must also hope that he does weight his conversation to talk of impeachment and partisan politics . contradictory +In these early uses of the case study method , evaluators wrote their reports to stand alone . Stand alone reports have never been uses for case studies . contradictory +An even older source reminds me of an investment for old age at which Cicero only hints . Cicero hints at an investment for old age . entailment +At various points in the film , Harrer thinks longingly of Rolf and writes him letters . Harrer frequently misses Rolf and writes him letters , in the film- everybody loved that . neutral +When the British invented this playground in the 19th century , they called it the French Riviera , distinguishing it from the Italian one that begins round the corner at Ventimiglia . The French Riviera is a playground for wealthy tourists . neutral +So don 't be depressed if you don 't have time to see everything ! It 's just right to be sad if you didn 't have time to see everything . contradictory +A narrow road from the observation point descends into the extensive Jewish cemetery on the slope , one of the oldest and most venerated Jewish burial sites in the world some graves date back to biblical times . The cemetery is a well known burial site . entailment +case that involved oh a couple thousand dollars i think it was Besides a couple thousand dollars , the case also involved a murder . neutral +Maybe it 's because I 'm a baseball nut that I hated to leave the mound . I love baseball . entailment +These Commandments form the structure for a number of the world 's great religions . A number of the world 's great religions share the same Commandments . entailment +Or shall we wait until we hear from the Princess ? Or shall we first learn what the Princess has to say ? neutral +because i mean and by the time you have computer for five years you 're going to throw it away anyway Computers are eventually disposed of . entailment +The source of balances for some trust revolving funds may not be predominantly exchange revenue . The source of the balance for some trust revolving funds is always exchange revenue . contradictory +oh you have no idea where it comes from you don 't You don 't really seem to know where it comes from . neutral +They dueled with rapiers and daggers , learning to accept a disarm for the gun . They learned how to fight without guns . entailment +One of the most impressive of these is the Mahaboudha , or Temple of the Thousand Buddhas , which was erected in the 16th century . The Mahaboudha is a beautiful , enormous building . neutral +Her delivery isn 't moist--it 's prickly and blunt , and she can jabber convincingly , so that the jabbering takes on a life of its own and leaves her ( sometimes horrified ) in the dust . Her delivery style sometimes leaves even her confused at what she 's said . neutral +Barry McCaffrey , has made it clear he regards the two laws as the work of deceptive and mischievous drug legalizers who have snookered a lot of otherwise right-thinking people . Barry McCaffrey wants to legalize drugs . contradictory +in composition themes and i keys and things are something to me that remain a mystery no matter how many times i bang on them i have a pretty good mathematical concept for what 's involved I don 't understand composition themes because they are far too complicated for my small brain . neutral +A network of smaller roads that knit the villages together make traveling a real there are few signposts ( and even fewer people ) to point the way if you do become lost . The network of smaller roads has not been well maintained . neutral +And his longest relationships have been with Hillary is his age , as is high-school sweetheart Browning . His longest relationships have been with Hillary . entailment +If you drive west on Melrosefrom Paramount Studios , you 'll arrive at the trendy section of MelroseAvenue ( between La Brea and Fairfax ) , where young tourists , local hipsters , and fashionable freaks populate the funky boutiques , restaurants , and cafe . There are lots of pubs on Melrose Avenue . neutral +employees and union representatives to obtain their input about potential changes . Input about potential changes should be obtained from employees because their input matters the most . neutral +Behind her , the dull clod picked up the sample of sky and fell to his face on the rug . The fragment of the sky had caused him to faint . neutral +oh yeah but you 're talking incredible tuitions now i don 't know how many people actually pay the whole shot very few i would imagine but uh Tuition is very expensive and I don 't know how many people that pay for the entire thing but it is worth it . neutral +you right right how much are they out there How much are houses out there ? neutral +Because many different packages are available , and because more than one can be used , auditors should determine what models , if any , are used in their agencies . Auditors have the option of choosing a model to use . entailment +Whether that was his real reason . Was that the true motive ? entailment +and i just couldn 't I could . contradictory +The Sierra de Guadarrama fills half the horizon . You can clearly see the distant horizon even past the Sierra de Guadarrama . contradictory +My body was different . My body was much larger and stronger than theirs . neutral +some of it 's fun but the cutting of grass and i just don 't enjoy that I enjoy cutting the grass . contradictory +Accordingly , HUD did not prepare an environmental impact statement in connection with this rule . HUD did not prepare an environmental impact statement . entailment +Another refreshing feature of Goodman 's storytelling is that , unlike other members of fundamentalist sects one might find in novels , her characters don 't chafe at their restrictions , or not too much . Goodman 's characters failing to question their restrictions is frustrating to read . contradictory +The most common brands are Budget Gourmet , America 's Choice , and Banquet . Budget Gourmet , America 's Choice , and Banquet are bought frequently . entailment +No , no , that 's all right . Don 't worry about it . entailment +The Board , however , believes that capitalizing and depreciating stewardship PP & amp ; E provides information that is of little usefulness . The Board considers the information provided to be incredibly useful . contradictory +Although I speak with an English accent , my pronunciation can be modified to American English . Although I have an English accent I can modify my pronunciation in order to speak American English . entailment +There 's free land to be had in the valley . There is land available in the Valley . You just have to make a claim for it . neutral +What fueled this great Empire was trade . The Empire was fueled by money laundering . contradictory +10 Based on total world urea trade , increased demand due to a multipollutant regulation would be well under 2 percent of world trade if all SCRs used urea rather than ammonia . Some SCRs use urea , while others use ammonia . entailment +Yet in almost any diaspora--whether black , yellow , brown , or white --the dispersed are far better off , at least materially , than those back home . Each population group is always better with its own , larger kind . contradictory +search through it for the spelling it takes forever on an old uh X T at at four point seven seven megahertz you know the the old old ones and we 're looking at uh several minutes worth of time for it to go through and check everything as opposed to a three eighty six where i can just you know it flashes through there and then even just file copying i i do some of that every once in awhile and you know if you had thirty or forty files to copy from one place to another and you 're maybe reorganizing some places on the hard drive i have an X T at work oh excuse me i have an X T at work that takes forever to copy and then i have a three eighty six that just you know they 're they 're gone they 're just over there right away It 's simple to search on an XT , you just have to search by spelling . contradictory +Becker succeeds in establishing the famine as one of the worst atrocities of all time ( Richard Bernstein , the New York Times ) . He does this despite the Chinese government 's continued effort to cover up the incident , and by way of interviews with survivors [ that ] provide us with a chilling view of the famine as it was experienced by ordinary villagers ( Paul Pickowicz , the Wall Street Journal ) . Ordinary villagers were willing to give interviews about the effects of the famine . entailment +Dating from the 17th century , it was a summerhouse for Ambleside Hall , a large mansion built a century earlier , which , sadly , no longer exists . The large mansion built in the 13th century still lies on the same place . contradictory +yeah the perceived decline has to do with uh um the attitudes and the educational system uh i have children in in school i have three children in school right now and i 'm not impressed with the teachers that are teaching them uh i had when i was down in Dallas for two years i had uh my children come home from school with papers that were corrected by the teacher that had words spelled correctly marked wrong I think my children 's teachers are doing a poor job . entailment +Yes , yes , too conclusive , continued Poirot , almost to himself . Poirot is quite a dismissive individual . neutral +As this suit involves a subsidy , limited forum cases such as Perry , Lamb 's Chapel and Rosenberger may not be controlling in a strict sense , yet they do provide some instruction . Unlimited forum cases may not be controlling . contradictory +Duddingston Kirk , near the banks of the loch , is one of the oldest Scottish churches still in regular use , founded in the 12th century . Duddingston Kirk dates back to the 12th century . entailment +William Powers , UT law school dean , says the project will benefit the students who participate , teaching them early in their careers about the need for pro bono service . William Powers has remained silent on the issue of the project benefiting the students or not . contradictory +and the guys from downstairs who by the wa y two of them were from San Antonio there were three of us girls upstairs and three guys downstairs and they 'd come upstairs and watch it with us and we 'd all sit there and I never watch television with anyone else , I just always watch it alone . contradictory +I 'm no breaker , suh . I am not a breaker , sir . entailment +uh-huh my father my husband was like that but that was because he was working all the time establishing a business and running it certainly he i mean he got off work and he came home My husband was working all the time but came home after work . entailment +I had always fancied that his manner to Cynthia was rather constrained , and that she on her side was inclined to be shy of him . Cynthia had many sides to her personality . neutral +EXECUTORY COST - Those costs such as insurance , maintenance , and taxes incurred for leased property , whether paid by the lessor or lessee . Executory cost does not include insurance contradictory +The first real settlements , founded in the Late Stone Age ( c . 7500 b.c. 4000 b.c. ) , included the world 's oldest walled town , Jericho . Jericho was the biggest town founded in the Late Stone Age . neutral +yeah exactly it 's like me with gardens i can go out there and plant a garden and then watch the bugs and I am like that with my gardens too . entailment +Farther on you come to an amazing double tunnel , forcing you to choose the left or right paths . The tunnel is straight and has one choice of direction . contradictory +The excellent system of roads and public transport ( now enhanced by the Channel tunnel ) makes the combination of car and train an attractive proposition . Cars and trains are an unattractive concept because of the ridiculously terrible system of roads . contradictory +A lot of women don 't even want to start the process because they feel already defeated . A lot of women don 't want to start the process too early . entailment +Some historians believe that they were the first native Italians ; others believe they arrived from Asia Minor . The consensus on this topic might never be reached . neutral +And a lack of perfusion fluid to prime the heart bypass machine had held up all his operations . The perfusion fluid was carried in a truck stuck in traffic , which held up his operation because the heart bypass machine could not be primed . neutral +Jon closed his eyes and tried to imagine himself looking through Stark 's eyes . Jon had his eyes open . contradictory +i mean that 's what you your going to have to expect that to happen people are just totally unfeeling like uh I don 't have a high opinion of people and think they 're apathetic . entailment +get you a little name plaque Get yourself a plaque with your name on it entailment +By 1933 , Poland was sandwiched between two Stalin in Russia on the eastern border , and Hitler in Nazi Germany to the west . Poland was forced to take either the Russian or German side . neutral +Memorials , a documentation center , and a detailed historical exhibit showing the horrors of the Holocaust create an outcry against human suffering caused by hatred , leaving a lasting impression on all who visit . It leaves a lasting impression on all who visit neutral +right i never really had anything major with my Mazda but it was a standard also and the clutch went out on it toward the end i had it five years and the last year or last two years it seemed to go out really easily i think it went out twice in two years The car broke down constantly in the 3 years I owned it . contradictory +The FCC anticipates that the U-NII devices will support the creation of new wireless local area networks and will facilitate wireless access to the National Information Infrastructure . FCC expects U-NII will cause increased access to the National Information Infrastructure . neutral +No doubt his eyes watched the battle against the red lotus assassins . He watched the battle between the men and the assassins . entailment +Luckily I haven 't got your craving for crime ! I don 't have your craving for crime ! Said the daughter . neutral +But the best way to travel up at least part of the way , if you 're too impatient to take 6 hours for the whole 80 km ( 50 miles ) is by the Darjeeling Himalayan Railway , more popularly and humorously known as the Toy Train , which starts out at Siliguri , not far from Bagdogra . The Darjeeling Himalayan Railway has no nickname . contradictory +Jones-Lee and Krupnick may understate the effect of age because they only control for income and do not control for wealth . Jones-Lee and Krupnick do not understand how age works . contradictory +oh that 's good we 've uh not been brave enough yet to brave that trip with these with the two small children i mean you know in the car We are so brave that we are ready to go on a trip with the kids today . contradictory +it it it it you know it has pieces that are uplifting but it uh it 's mostly relaxing and you don 't uh because it doesn 't have words you know you don 't feel like there 's anything you have to remember you know as far as singing a song or something like that or interpreting what they mean or but uh It does not have pieces that are encouraging that results in being relaxing . contradictory +Perhaps he might tell them something concerning Mrs. Vandemeyer which might lead to a clue to Tommy 's whereabouts . Tommy is currently with the group . contradictory +Kyoto offers few more memorable experiences than secluded contemplation of Ryoanji 's enigmatic rock garden . People usually do not remember contemplating in Ryoanji 's rock garden . contradictory +I get tired of being told I 'm not going to like it because it doesn 't adhere to certain basic critic criteria . Being told I 'm not going to make it is tiring . entailment +The Swords . The objects . neutral +3.1 ) was revised in November 1999 , and is available on the Internet , GAO home page ( www.gao.gov ) under Other Publications . 3.1 is not available online . contradictory +The brightest jewel in Istanbul 's Byzantine crown is the former church of St. Saviour in Chora , known in Turkish as the Kariye Camii . One of the most beautiful Byzantine buildings in Istanbul is the Kariye Camii . entailment +But the Post made a telling omission here . The fact that the Post made an omission was very telling . entailment +The bus ride from Kumamoto to the mighty Mt . Aso volcano takes you acrosesome gently rolling hills , past orange groves , fields of watermelon , and the special grass used for tatami mats . Mt . Aso has not been active since the 19th century . neutral +The analysis concludes that the 20-year industry costs are estimated to be $ 969 to $ 1,156 million and the 20-year cost to the government to be $ 56 . The analysis says the 20-year industry costs are only about $ 25 million . contradictory +I am saying and making it plain : If you make a steady practice of trading punches with a trooper or with any one else because you take a dislike to his face , the way his ears stick out , how he walks or talks , or what color coat he wore in the war , then you can roll your beds and ride out the sooner the better . It 's okay if you fight a lot , you can still stay here . contradictory +As part of its evaluation , GAO made a series of recommendations to the Health Care Financing Administration ( HCFA ) for improvements to its nursing home survey process and for stronger enforcement in instances when nursing homes repeatedly violate regulations and do not correct deficiencies . The HCFA has been given recommendations as to how to enforce regulations on nursing homes . entailment +The place scared everyone who saw it . Everyone who saw the place was scared by it . entailment +Whatever else may be said about them , both Talmudic and Jesuitical carry connotations of great learning and meticulous attention to argument . Talmudic and Jesuitical have a couple things in common with each other . entailment +The communes were strong enough to confine German Emperor Frederick Barbarossa 's Italian ambitions to the south , where he secured Sicily for his Hohenstaufen heirs by marrying his son into the Norman royal family . German Emperor Frederick Barbarossa took over all of Europe . contradictory +The senior security officer at this organization noted that , when rules such as this are aimed at users , it is especially important that they be stated in clearly understandable , relatively nontechnical language . The senior security officer at this organization is experienced when it comes to stating rules to users . neutral +In contrast to Mallorca , Menorca 's economy was devastated for decades . The Menorcan economy was incredibly wealthy and continued to boom for a long time . contradictory +A wooden clock-tower comprised the shoddy town hall , surrounded on all sides by shanty huts trying to pass for houses . The houses were made of concrete and glass . contradictory +Pooh videos from Disney have sold nearly 20 million copies , and Disney Pooh decorates books , blankets , albums , bedding , slippers , calendars , backpacks , and cookie jars sold to impressionable children everywhere . Pooh Videos from Disney sold 20 million copies , and other items are sold to children everywhere in order to brainwash them . neutral +Agencies should determine whether any electronic signature alternative , in conjunction with appropriate process controls , represents a practicable tradeoff between benefits on the one hand and cost and risk on the other . Electronic signatures are never risky when money is involved . contradictory +St. Catherine 's has long been a very wealthy and influential monastery , founding schools in Greece and around the Orthodox world . St. Catherine 's has opened school in Greece and other places around the world . entailment +Watch them at the wheel of a Long ago , driving became a major opportunity for the Italians to display their dramatic talents . There were innumerable opportunities to display dramatic talents . neutral +Albany In the morning , the phones ring relentlessly at Albany 's Legal Aid office , each call bringing another story of low-income troubles , legal crisis or bureaucratic confusion . The phones ring every morning at Albany 's Legal Aid office . entailment +and uh i have a few health food stores that i send it to i can buy the cookies in a larger quantity than they can so i can get a deal from the uh from the main from the supplier I send it to the health food stores once a month to get an order of the cookies . neutral +I seem to have fallen in love with an idiot of a boy who probably doesn 't care two straws about me . " Here she paused . She continued to rant all day about the boy she loved . contradictory +can 't even think of what team he plays for either I can 't recall who he plays for . entailment +In addressing the consistency of these various approaches with current law , it is important to identify and consider all of their characteristics . The law has no relation to being implemented with respect to the characteristic . contradictory +As the Balkans flared to war once again , Greek nationalism has stirred , and there have been discussions in the kafeneion about the land of Macedonia returning to the fold of its forefathers . In the kafeneion Greeks discussed about the land of Macedonia . entailment +If they do not accept us , what do we do ? asked Thorn . What if they don 't approve of us ? Then what ? entailment +yeah that 's true i hate to i hate to look up and find someone who was admitted to medical school simply because she happened to be a female I think it is alright if people get into medical school because they are female . contradictory +Suppose that you hear someone making what sounds like a dumb argument , but you know that he has an impressive track record at market or economic prediction . If someone has a good history of predictions , it is impossible for them to make a bad argument . contradictory +The right-of-way travels past fancy apartment blocks , bamboo stands , and jungle flowers . Taking the right of way will take you past apartment blocks and jungle flowers . entailment +Escaping after a few days in the capital is the plan of most visitors as well ; for most , a trip to Madrid is as much about what the plains of Castile just beyond the city contain as what the capital itself offers . 80 percent of visitors to Madrid escape to the plains of Castile . neutral +But it was no joke . It was serious , according to the writer . entailment +Because of an irrational urge to eat , doubtless a holdover from some ancient time when eating whenever possible was a survival trait . Ancient times made humans harbor fat for survival . neutral +Do you want sun-kissed beaches , nonstop nightlife , ancient sites to explore , or traditional Greek family life around you ? Do you want to experience constant nightlife , or are there other vacation settings you 'd rather experience ? entailment +Whites who never practiced discrimination are nonetheless beneficiaries of it . All whites are beneficiaries of discrimination . entailment +Dallas always has been no one wants to be at downtown Dallas much Downtown Dallas isn 't somewhere that people want to be . entailment +You don 't want that ! You don 't want that burger ! neutral +i do crochet and a lot of uh things like that and i have very little of my own stuff and it 's kind of embarrassing people say let me see some of your work I have never created anything with my hands . contradictory +The fellow must be at least twenty years younger than she is ! She is at least twenty years older than him . entailment +This would be a trust fund or special fund in the case of an earmarked ( i.e. There would not be a trust fund or special fund in the case of an earmarked . contradictory +The vast Mount Haleakala caldera towers over the island . Towering over the island is Mount Haleakala . entailment +Hid me out by sayin ' as how I had th ' cholera . He said that I was perfectly well . contradictory +This would not be a good time to get mugged . If there was a good time to be mugged , this was not it . entailment +uh-huh yeah but um well even up here at school you know you it gets hot and we have the windows open well they mow the grass up here sometimes six o 'clock in the morning and just to smell the grass it 's just i just love the smell of freshly cut grass It gets hot so we open the windows and that makes my allergies worse . neutral +Changes on mainland Spain have inevitably been felt on Ibiza also , but their effect has been largely beneficial . There were changes on the mainland of Spain that caused great strife between the rich and poor . neutral +The sense of an impending new era can be discerned in the pride , confidence , and energy of people on the city streets . The people are worried they will be stuck in the same era . contradictory +I never saw such construction . " The construction is incredible and very different from what we do . neutral +his wife that 's happening more and more often too It 's happening to his wife more often too . entailment +eight is the average wow The average is ten , not a surprise . contradictory +Both bars and cafes are places to have a mojito , daiquiri , or shot of ron ( rum ) , smoke a Cohiba , and usually hear some live Cuban rhythms . Bars and cafes serve mojito . entailment +The French people ' despite occasional rumors to the contrary ' welcome tourists and are eager to show off their country , their way of life , their traditions , and their beliefs ; in short , their essential joie de vivre . France and it 's society is guarded from the tourists by the french people . contradictory +Then he screamed suddenly . He screamed in sudden pain . neutral +Amazon users have to page through screen after screen of details about shipping charges , refund rules , and disclaimers about availability and pricing . Amazon doesn 't give users any information regarding shipping or refunds when they place an order . contradictory +Think of it ! Do not think of it ! contradictory +Here you 'll find the last few Jamaican iguanas and yellow snakes . There are only a few more Jamaican iguanas . entailment +Their nostrils are very powerful . Their nostrils were very weak and timid . contradictory +twins separated at birth kind of thing Nothing like birds of a feather if you know what i mean . contradictory +Against all this , Morris shows footage of Leuchter chiseling at Auschwitz and even adds some of his own , along with slow-motion shots of hammers bashing rocks , walls , floors , etc . Morris shows footage of Leuchter chiseling entailment +It was more of a limo , actually . It wasn 't quite a limo , necessarily , but it didn 't resemble anything less than that ; it 's length and luxurious appearance made it seem as such . neutral +The viewer leaves these gravity-defying masterpieces with a lighter step , expecting the sky to fill up momentarily with things that flutter and fly . The viewer hates these gravity defying masterpieces . contradictory +The spectacular growth of India ' s boom town in electronics , aviation , telecommunications , and machine tools has noticeably changed the climate since the 1970s ; it is several degrees hotter here now than it was thirty years ago . The climate has changed for the warmer in the last 30 years . entailment +Just the same , the American economy is the healthiest it 's been in a quarter-century . Up to now , the American economy is the worse . contradictory +By that standard , I owe more than I thought to my junior high-school social studies teacher . I never knew I would use social studies as much after school . neutral +yeah yeah yeah uh of course i guess really the reason i like the Cowboys is because SMU was my favorite team uh college pardon me college team and of course they started out with Don Meredith I support the Cowboys and used to support SMU . entailment +Pa ? ? l da Serra ( High Moorland ) comes as a surprise on this island with such luxuriant vegetation . The island has amazing vegetation . entailment +because yeah yeah yeah you it 's not just it 's not just a matter of uh of having an It is a matter of having an entailment +i 'm paying for my own education and i 'm i come from a large family and we we we 're never able to take vacations because there 's there 's twelve kids in the family so There are twelve kids in my family . entailment +We can polish them and put them into the sphere where they belong . We can dirty them and keep them here . contradictory +One way high-performing organizations can enhance employee involvement and gain agreement on an organization 's goals and strategies is by developing partnerships with employee unions . One way high-performing organizations can enhance employee involvement . entailment +Republican term limit traitors don 't need to apologize for changing their minds , which they have every right to do . Republican term limit traitors have the right to change their minds . entailment +In the feeble light of the gas burner Tommy blinked at her . The light of the gas burner wasn 't very powerful . entailment +I was determined to make you say it . I needed you to admit your feelings . neutral +Can you give us any reason why we should not put you to death ? asked the German . The German didn 't care about reasons , killing them outright . contradictory +Lordy me , I 'm as nostalgic for the old South as Justice Kennedy . I can 't recall the old south . contradictory +This could promote the consideration of spending intended to benefit the economy over the long term while maintaining overall fiscal discipline . Spending can benefit the economy while keeping an overall fiscal discipline . entailment +While these are noteworthy activities and resemble best practices , the policy does not provide criteria for what constitutes the level of knowledge required for completing this stage , nor does it require a decision-based on those criteria-as to whether a significant , additional investment should be made . There is not an actual breakdown of what knowledge is needed to do this . entailment +right well that 's the thing uh with us too it 's uh just we just you know in up in New England you had more winter than you had a summer summer and uh you could expect a long winter period uh for instance um you had more winter than you had a summer . entailment +yeah that really is disappointing it 's it 's sort of Oh , that 's really exciting ! contradictory +uh by the same token we had um uh some people who wanted to had vacations planned and one man in particular had reservations made plane tickets made everything and the judge called and had it all canceled so he could get his money back and then he wasn 't selected on the jury The guy was upset that his vacation plans had to be cancelled . neutral +Now then , said Tommy , taking a large bite of bun , " let 's get up-to-date . Tommy finished the bun over the course of the conversation . neutral +A competitive , intellectual upbringing made them obnoxious , passionate , smart , and fabulously successful . They are an obnoxious bunch of people . entailment +While in the recent past efforts were made to eliminate many of these attractions , the actual result was that most of the more seedy or disreputable businesses have disappeared while those operating within the law have flourished . The recent efforts resulted in a crash for all businesses , law abiding or not . contradictory +Like everything else in the house , the furniture was falling to pieces , and the dirt was , if anything , more abundant . The house was dirty and falling apart . entailment +Then all I can say is that your ideas of humour are peculiar , my dear Rita . Mrs. Vandemeyer smiled . Mrs. Vandemeyer 's sense of humor was rather tame , so she was taken aback by Rita 's humor . neutral +to go out and select a house and have one made and built and like you wanted it we were the fourth to build out of three hundred and forty houses and um as we did with probably ninety five percent of the people here in Dallas Fort Worth we bought a Fox and Jacobs home and they 're good for about five years or four years and after that they start falling apart so i would um not recommend F and J house for my dog to live in uh because they 're overpriced um but they 're a cheap house if you can 't afford something good you know they 're good for that and um you can call it a home because it 's a place to go home and keep the rain off your head but as far as the costs for what your getting uh the longevity of the house is not uh is not worth it how about in your case Many people in Dallas Fort Worth bought a Fox and Jacobs home . entailment +Within months , I knew many of them . Within days , all of them were known to me . contradictory +The case study seemed a way out . The case study seemed to be very close . contradictory +and it is and i just i can 't believe this the record temperatures that have were here last summer that I was shocked by the temperatures that we had last summer . entailment +Here you remove your shoes ( lockers are provided ) to visit the outer part of the hall , called the haiden ( oratory ) . You will be thrown out for wearing shoes in the haiden . neutral +Actually , Katz better resembles that other iconoclastic 1990s media hacker , Ted Kaczynski , the alleged Unabomber . Katz is more reminiscent of Ted Kaczynski , the man thought to have been the Unabomber . entailment +As to why I 'm here-- " She dropped her eyes , frowning , while a touch of added color reached her cheeks . She looked down , frowned , and blushed . entailment +Bitter rivalries exist between followers of the major religions as well as among the sects within those religions . There are bitter rivalries between the followers of major religions and the sects within them . entailment +He felt 193 sure that the inhabitants of Astley Priors would not interfere with him up to a certain point . The people that lived on Astley Priors wouldn 't interfere with him as long as they stayed in their town . neutral +Now , after years of litigation , a frustrated Schultz plans to put the house on the market . Schultz 's house will sell for 200,000 dollars . neutral +Never ! " Mr. Carter shook his head . Mr. Carter nodded . contradictory +'Where do you think you 're going ? ' Where are you headed to ? entailment +One of the men shouted but the man with the donkey didn 't hear . The other man heard the man making fun of the donkey . contradictory +um really nice i bet i bet yeah the interesting thing about public TV is it 's not public around here you have to have cable to get it Even though it 's called public TV , you still need cable to watch it . entailment +Buses 13 , 24 , 25 , 27 , 74 , and 79 serve both museums , though you wouldn 't have the energy to see both in a day . There are numerous buses that serve the pair of museums . entailment +One of the factors affecting the demand for mail services is the number of households . One of the factors affecting the demand for mail services is the cost of reaching the houses neutral +The way to think of the above curves is to begin with a discount , go over to the supply curve to get a volume , and then go up to the postal service cost curve to see how much the postal service saved on the last few pieces that converted to presort . The discount needs to be properly analyzed to us it effectively . neutral +" Where in hell am I ? " he asked . He asked a question . entailment +No secret hobby ? she asked . She thought they must have something to hide . neutral +An auditor should recognize that there are different system development models that may be used when a system development effort is acquired . Auditors should force their client to adopt the recognized system development model . contradictory +Other topics this What makes a sex symbol sexy , commentary on Neil Jordan 's The Butcher Boy , Werner Herzog 's Little Dieter Needs to Fly , and the ( apparently ) implicit homoeroticism in Grease . The author has also written about other topics . neutral +Shocking [ A ] s many as 20 percent of schoolchildren may have a neurological deficit , ranging from mild to severe , that makes it hard for them to read and write . These schoolchildren have a more difficult time in school . neutral +see i would i always come look at it do they have could they be put even in life imprisonment could they be put to useful labor They could do work while in prison , like mow the grass . neutral +Did Loral harm national security ? Was national security harmed by Loral ? entailment +bronze oh interesting The bronze is interesting . entailment +When all the time we know perfectly well ” ” " The Coroner interrupted her in an agony of apprehension : " Thank you , Miss Howard , that is all . " I fancy he breathed a sigh of relief when she complied . I believe the Coroner was relieved when she stopped talking . entailment +Tuppence listened attentively , but there was no mention of anything that could be twisted to apply to Tommy . Tuppence wasn 't sure what to do . neutral +oh wow that 's really that is pretty detailed Oh my , that is quite detailed . entailment +Guided tours on Wednesdays ; car , tour bus , or bus 42 ( about a half-hour 's walk ; also stops at the Marino Casino ) . There are no tours allowed . contradictory +Then I remembered- I was the honoured guest here . I was being honoured for my heroic acts . neutral +Lock the door on the outside , please , Miss Tuppence , and take out the key . Take out the key after locking the door from the outside . entailment +The few public tennis courts in Paris are on a first-come-first-serve basis , as at the Jardin du Luxembourg . There are some public tennis courts in Paris where the first that comes to the field , it has the opportunity to play . entailment +By the time Malaysia came under the British imperial sway , colonial officials had fully developed the grand institution of the hill station , where they could cool off from the hot and humid lowlands in the days before air-conditioning . The grand institution was never developed . contradictory +A series of self-guided nature trails and some longer hiking trails wind through Will Rogers State Historic Park in Pacific Palisades , offering panoramic views of mountain and ocean . WIll Rogers State Historic Park is great for driving through but you shouldn 't walk there . contradictory +Kansans care deeply about their local affairs and not at all about Washington . Kansans care a lot about local affairs , but not so much about Washington . entailment +Not like when he was a child , when he was just discovering the world , and the parents let him do and have whatever he wanted . When he was a kid , his parents didn 't give him anything . contradictory +He cautioned that literature reviews generally do not include all relevant studies because studies with negative results are seldom published . He believes that literature reviews are made with all the relevant information that is needed . contradictory +Such tools include software that can be used to automatically monitor control effectiveness and information systems activity . Software can be used to monitor control effectiveness and information systems activity . entailment +Thus , it might be argued that a monopoly is necessary to ensure service to those households . It could be argued that a monopoly is needed to make sure that those household don 't have service . contradictory +oh that brings up another subject it 's the the the That reminds me that I wanted to talk about the traffic . neutral +It introduced its own version of AOL 's instant-messenger software and said it will offer similar dial-up service for less or no money . It made claims that it will provide comparable dial-up services . entailment +They cannot hear what Conrad says . They can hear Conrad clearly . contradictory +The utilitarian communal tables and simple decorations offered no distractions from their serious vocation . The furnishings were threadbare and frugal to prevent any distraction . entailment +Earthquakes ! Sather Karf whispered . Sather Karf yelled out . contradictory +uh-huh yeah because i think we 're given more now whereas you had to work for everything and kids nowadays are just given so much that they really don 't have to work and you know and they they don 't have any intent to go working until they have to Most of us are just handed things on a silver platter these days . entailment +uh-huh they 're supposed to be coming out with all these Desert Storm movies They are supposed to come out with four of these movies . neutral +Love is not about keeping people out , it 's about inviting people in . Love is about opening yourself to other people . neutral +IC payments to the The IC refunds . contradictory +The 24 China Folk Culture Villages represent China 's ethnic variety ; they feature craftspeople in traditional costumes along with folksong and dance performances . They represent China 's ethnic variety . neutral +Over the years the Arc de Triomphe ' 50 m ( 164 ft ) high and 45 m ( 148 ft ) wide ' has become a symbol of the nation . The symbol of the nation has become the Arc de Triomphe . entailment +For the moment , however , the fix is in for the consumer . The fix is not in for the consumer . contradictory +You fired . You are hired . contradictory +But after the requisite barb-trading with the White House , and a much-photographed round of negotiations in which the sanctity of Social Security and the need to invest in our nation 's children are duly invoked , it would be a blessing if Congress would quietly pass a continuing resolution keeping spending more or less where it currently is , and then take to the hustings , where each party can blame the other for doing what 's best for the country--nothing . It would be nice if Congress could find a way to keep spending relatively close to what it is now . entailment +The obliging Julius handed it to him . Julius kept it from him . contradictory +Its sensual , feminine sculptures show significant Tantric Hindu influence . The Hindu influence was clear through the sculptures , although the sculpture is thought to have been female . neutral +The ex parte communication is received through channels not prescribed by the Department , and it concerns the merits of that proceeding . The Department prescribes channels for communication which do not include the ex parte communication . entailment +He sent a note to a doctor he Bleeding , Great Moscow No . He put off sending the doctor a note and decided to see him next month instea.d contradictory +Ability to say one thing while doing the exact opposite . Some people are hypocrites . entailment +decided to carve up that part of the world and call part of it Persia and part of it uh Iraq and part of it something else you know and they they split things along um They decided to divide that area of the middle east , one half was called Iraq and the other side was named Persia and it has been a hotbed of unrest since . neutral +I think I know of a man who may be in need of a change . That man needs to lead the whole tribe . neutral +Parisians like it most for the flower market at its base and the grand view from the top of the steps down the Rue Royale to the Place de la Concorde . The Parisians like the flower market due to the fact it is so cheap . neutral +Perhaps we 'll see more in the daylight . On the morrow they took up the search once more , and were reluctantly forced to the conclusion that the house had not been invaded for some considerable time . The house has never been invaded in its known history . neutral +he 's a very good arranger uh arrangement to but uh were going to get off i don 't know but no yeah okay but yeah i mean when i heard his album when i heard it and it 's just incredible His album was long . neutral +Yes , we have . The young man moistened his dry lips . The young man licked his lips . entailment +yeah yeah yeah it was it was nice i enjoyed it uh Tehran was a beautiful place i still remember the house we lived in great big old it was almost something out of Ali Baba and the forty thieves you know My favorite site was the imperial palace . neutral +yeah they fight hard They punch each other in the face . neutral +Two split logs studded with large nails would work nicely . The two split logs studded with large nails would make for great weapons . neutral +Today 's Papers is still partial to Silicone Valley . Silicone Valley is still partial . entailment +Do you have blood sausage ? I got hungry during the trip . Blood sausage is not edible . contradictory +But he was puzzled . However , he was stumped . entailment +Though , if it is as we suspect , it seems a clear enough case . The case was going to be easy , neutral +Thus , the President directed EPA to propose legislation that would significantly reduce SO2 , NOx , and mercury emissions from power generation through a cap and trade program . The President directed the EPA to propose legislation that would keep emissions levels the same for a decade . contradictory +The actual change in national saving probably falls somewhere between these two examples . Change in national saving is due to many examples contradictory +So you 're riding yourself . Topham ignored the departure . Topham paid attention to what was happening . contradictory +This is the Pointe des Ceteaux , a wildly beautiful cliff formation with rocks shaped like castles , lashed and eroded by the Atlantic 's waves . The rocks have been untouched from the Atlantic . contradictory +My own village was burned in a feud between two lords seven years ago . There was a fight over five years ago that ended in my village burning down . entailment +Most dramatic is the northern Porte d 'Enfer ( Gate of Hell ) , where the waves have sliced a huge chasm into the limestone shoreline . The Port d 'Enfer is a flat , featureless mesa . contradictory +In our modeling , all CBO budget projections were converted from a fiscal year to a calendar year basis . CBO budget projections are based on the calendar year since last year . neutral +camping riding the river rapids Camping and going down the rapids . entailment +After touring the dusty hot archaeological sites of the Nile Valley , or tramping the noisy streets of Cairo , the Red Sea coast makes a welcome contrast . The streets in Cairo are silent . contradictory +but i think that if i learn how to use one i would i would feel better I would feel great if I ever learned how to use one . entailment +right and do most for Wrong and don 't do anything at all regarding the cow 's overall health . contradictory +Others want to blame it on Chinese contributions to the Democrats . Others say it 's because the Chinese helped the Republicans . contradictory +In fact , he avoided action in Korea by going to drama school , and his subsequent military career was mostly spent directing and performing in armed-forces theatrical productions ( though he did crash one helicopter and three jets while in pilot training ) . He spent most of his service time directing and performing in armed-forces theatrical productions . entailment +They had their Gauntlets out and pumping with electricity . They had their weapons put away . contradictory +The food was edible , though he 'd never particularly liked cereal . He could eat the food , but he did not like cereal . entailment +Because of their importance , we will revisit these definitions later during the review of bill / payment and advertising mail data . The review of bill payment will not contain any definitions . contradictory +is that right huh i would think uh that if you were real cold and you hit uh hit the ground that it would seem to hurt more Injuries don 't cause pain . contradictory +well and i guess you know you always have to think about things like your gas mileage and stuff like that you know you You should always think about your gas mileage . entailment +i still don 't have any of my PE classes and so one semester i thought okay that 's what i 'm going to do and that will get me where i 'll have to do it you know I have done all of my PE classes . contradictory +so so you know just like yours ours is always you know we 're something else goes wrong always you know it 's Ours is nothing like yours , ours is better actually . contradictory +Law schools , said the executive director of a major New York public law agency who asked to remain anonymous , are profit centers . One administrator at a New York law agency said that law schools are run for profit . entailment +The National Guard is called out to do whatever it does ( guard ? ) The National Guard gets called out to fulfill its duty . entailment +It 's noted for a splendid facade designed in the ornate 16th-century Plateresque style . It is the most famous building in the area . neutral +i can have this firm will pick up my loan for a six hundred fifty dollar fee so i can cut that much off the end of but i 'm not interested because we 're moving out of the house next year We 're relocating to a different state next year so I don 't want to change my loan . neutral +Legal services programs in the United States began in the 1960 's as special model projects initiated by the federal government 's Office of Economic Opportunity . Legal Services programs were started by the government 's Office of Environmental Opportunity . contradictory +they catch you up and the right do you have like a a VCR where you could tape it or something on the record mode or on the time yeah You could record it if you have a VCR . entailment +--limiting the regulations to mass market two-way voice services , Reducing the oversight to sell those services in bulk . entailment +Ellen yeah she got married It was a beautiful wedding . neutral +I was confused , and she wanted to put me back in my box . ' I didn 't know what was happening . entailment +Software metrics , which use mathematical models to measure elements of the development process , are intended to help organizations better understand and manage the relationships between resource decisions , development schedules , and the cost of software projects . Software metrics are intended to help organizations better understand development schedules and software projects costs . This helps to keep projects on timeand within budget , neutral +Suggestively , the horseshoe arch leading from the square towards the river is called El Arco de Sangre ( Arch of Blood ) . The arch spans over 200 yards . neutral +The early history of Nepal is a mixture of fact and myth The early history of Nepal is entirely myth with no science or fact . contradictory +After hitting the art world 's Big Three , visitors can repair to Retiro Park , where kings once found respite from the demands of hectic city life . Kings found respite from the calm city life in Retiro Park . contradictory +yeah those go back quite a ways They 've been around a long time because they 're dependable . neutral +Hankinson , a native of Dallas , graduated cum laude with her doctorate in jurisprudence from Southern Methodist University School of Law . Hankinson was a native of California . contradictory +Inside the gate to the left is the Mikoshi-gura , a storeroom for the portable shrines that grace the semi-annual Toshogu Festival processions ( 18 May and 17 October ) . The Toshogu Festival processions take place twice a year . entailment +Two future men of success got to work and the SMS greeting portal bestbestbest.pl went live just before Easter . The men who created the website were best friends . neutral +Click for an explanation of the simplest . The most complicated is explained . contradictory +To date , the Comptroller General has not excluded any field work standards , reporting standards , or statements on standards for attestation engagements . Till now , the Comptroller General has never omitted standard for field work . entailment +It is the only possible place , he said , " for Number One . There are other possible places for Number One . contradictory +on your on your taxes yeah that 's really about it it 's uh have you ever owned your own home Did you used to rent an apartment and now you own your own home ? neutral +In other words , yes . No . contradictory +But LSEO persevered . LSEO gave up . contradictory +The bull sleeper ! " Delirious , " the first voice muttered . The first voice did not want their opinion to be heard . entailment +yeah it 's hard to get a job you know I can 't walk down the street without being offered a job . contradictory +I say , that 's playing it a bit low down , I protested . They were cheating at golf by failing to count strokes . neutral +right yes i know exactly i was the same way There is no resemblance between our situations . contradictory +He tries to disarm the accusation that he was callous about executing Karla Fay Tucker by portraying his decision as an anguished crisis of conscience . He was never accused of being callous concerning the execution of Karla Fay Tucker . contradictory +It 's a little hard to believe that the Jasons of the world end up straightening out , as Lewis titles the section about the worst-off cases , just as it 's hard to buy the extreme view that parents are hopeless screw-ups . The Jasons of the world always turn into very successful people . contradictory +Consecrated in 1147 , 16 years before the church of St-Germain-des-Pres ( see page 58 ) , it is a significant work of early Gothic , belied by its 18th-century faaade . The original facade was destroyed by fire . neutral +Tuppence pressed the bell firmly . Tuppence lightly touched the bell . contradictory +Clinton 's critics would surely have portrayed such a meeting as a corrupt politicization of the Justice Department , reminded us again of the misuse of the FBI in Travelgate and Filegate , and called once more for an independent counsel . Clinton 's critics would have called for an independent counsel because they believed it was against the law . neutral +so i can record some things from her and you know get cassettes and record off other ones or off the radio if i want to but You can record songs from the radio . entailment +Beyond the two monuments is Waverley Bridge . You can see the monuments from the bridge . neutral +However , the head of an agency ( or designee ) may authorize particular individuals to approve their own T & amp ; A data in certain situations or if the individual is a high level manager ( such as the head of a large unit within the agency ) . Agency can grant the T & A , only collectively . contradictory +now that one i 'm not familiar with I 'm familiar with other ones , but not that one . neutral +Right now , I 've only got one worry . " I don 't worry about much . neutral +At Arromanches , you can see the most fascinating monument to British ingenuity in the Allied landings ' the remains of an artificial harbor . What 's left of an artificial harbor can be viewed at Arromanches . entailment +The Citigroup deal , from beginning to end , took less than five weeks . The deal wook over 2 years to finalise completely . contradictory +uh-huh i noticed that It 's very unusual . neutral +right well i would think they would be I am positive that this is the case . contradictory +I will put my question in another form . Let me rephrase the question . entailment +We all project our own views and experiences onto the First Marriage . Our own views and experiences are projected into First Marriage . entailment +Only 1 percent of returns get audited at all . The 1 % is based off of history . neutral +we may get some more tonight We won 't get anything , ever . contradictory +Start your exploration from Asakusa Station , on the Ginza subway line ( Tokyo 's first subway ) . It is Tokyo.s first subway neutral +At the foot of the bridge is John Foley 's monument to Daniel O 'Connell , surrounded by four victory figures and peppered with bullet holes from 1922 . The monument is in the place where the famous victory gesture happened . neutral +i like the music but i 've been unable to do that because i hurt my foot about five years ago i broke my heel Before the injury , I loved to go dancing at concerts . neutral +We do know that alcohol consumption changes for many problem drinkers after their visit to an emergency setting . 70 % of problem drinkers change their habits after they visit the ER . neutral +But it was Slim who was really excited . But it was Slim , and Slim alone , who was exciting to take the mission . neutral +Let me explain . I will not explain . contradictory +Red said , " It 's awfully small for a space-ship . " " This space-ship is huge ! " Red said . contradictory +We could have helped her , could have taught her how to control herself . She has always had excellent self-control . contradictory +The room , which was untenanted , was furnished as a bedroom . The room was remodeled to occupy new tentants . neutral +you know and that 's and that 's and that 's what that 's what kindergarten was like and wouldn 't it be nice if if we could solve all our problems by just sort of getting together and everyone in the world sat down and and took a nap together Kindergarten did not involve having to take a nap . contradictory +right right or yeah i think they can integrate maybe a short period of time in with high school students and get them to be aware that you know they 're not uh especially teenagers they 're not the only ones around and what maybe their I will need several hours of meeting with high school students . contradictory +you hate the Bears i don 't really like the Bears either I don 't think the Bears are that good entailment +Satisfied on this point , she made her way to the Ritz . She was pleased because she had proven her point in a concise manner . neutral +Garibaldi 's Expedition of 1,000 to Sicily / Naples over 1,000 went to italy entailment +Wait a second ! Wait a second before you go . neutral +COKIE [ Nice try , slick ] : Handguns . Handguns were on Cokie 's mind . entailment +Of the few remains of the Byzantine city , the most remarkable building is the Haghia Sophia . The Hagia Sophia is a large and beautiful church that has been used by both Christians and Muslims . neutral +The national alcoholic drink is a very potent anise liquor called rakia . Rakia is the national alcoholic beverage . entailment +An analysis of the costs and benefits of the rule was conducted by the Food and Drug Administration ( FDA ) and published in the notice of proposed rulemaking on August 11 , 1995 , and is contained in the preamble to the final rule . The FDA surrendered the cost-benefit analysis of the rule to another agency . contradictory +The FCC received 35 comments and 17 reply comments in response to the NPRM to which it responds in the preamble to the final rule . The FCC hired a separate entity to respond to all the comments . neutral +The next element of the definition is taken as a whole . There are seven different elements of definition . neutral +Any option to expand Medicare 's benefit package-absent other reforms-runs the risk of exacerbating the program 's fiscal imbalance and increasing government dissaving . Expanding Medicare benefits could create government deficits . entailment +This was enlarged by Herod , sacked in a.d. 70 , and totally flattened by Emperor Hadrian in a.d. 135 . It was flattened by Emperor Hadrian out of pure hatred and greed . neutral +Do you want to lie on beaches or hike in mountains ? Would you rather lie on a beach or hike up a mountain ? entailment +but they make it fun you know they they they the people behind the counter are are laughing and joking with you all the time and i you know that 's one reason why i like to go back The reason I left is the people behind the counter laughing at me . contradictory +Kendal Mint Cake is packaged in fancy gift boxes but you don 't need to be going on an expedition to enjoy it . The cake is just thrown in a brown box . contradictory +The rebellion was crushed , Dhaskaloyiannis was flayed alive , and the event became the subject of a rousing epic poem . The poem is ten pages long . neutral +The complex contains the oldest wooden stage in China , used by the Wan Fu Tai Chinese opera . The Wan Fu Tai Chinese opera never actually used any stages in China . contradictory +African gold brought wealth in ancient times , and the darker skinned Nubians became invaluable trading partners to the ancient Egyptians ; living around Aswan in the south , they remain close to their roots and their strong musical traditions . Nubians still have a deep financial relationship with Egypt . neutral +In addition , the preambles and appendices to the proposed and final rules cite numerous statutory provisions associated with particular aspects of the rule . There aren 't any statutory provisions associated with the proposed or final rules . contradictory +Throughout Italy 's history , its northeast regions have linked the country to the exotic outside world of Byzantium and the Orient through Venice and its Repubblica Serena , and to the Alpine countries north of the Dolomites , while the plains of Emilia-Romagna from Ravenna to Parma provided an anchor to the heartland of the Po valley . Northeast Italy regions were linked to Byzantium the Orient through Venice . entailment +was it was it a criminal Last night she thought she spotted someone attempting to break into her car . neutral +Purdue i have a brother that lives in uh uh Southbend Indiana My brother lives in California . contradictory +Nobody can make a precise estimate , but a guess is that without Maastricht , France might have an unemployment rate of 10 percent or 11 percent . France 's unemployment rate without Maastricht would be 10.5 % neutral +yeah yeah yeah huh well what would you suggest think it would be a good idea even i think i might be moving to buy a house I think I might be buying a motor home . contradictory +well i 'm i guess i don 't have such such close experience with with um an area becoming a state as you do um my concern is the economy because as i understand it Puerto Rico has a very low standard uh standard of living or at least um annual average income um part of this i suppose is justified in in in that the climate they don 't need perhaps the heating and the housing that some of the the more northern territories need however in that case i guess i would favor status quo i have been to Puerto Rico and and found it very very interesting i did Peace Corps training there I know exactly what becoming a state involves . contradictory +When to go is a decision of equal importance . You can visit any time of the year and the experience is the same . contradictory +When he died ( of natural causes ) in 133 b.c. , his subjects were dismayed to learn that he had bequeathed his entire kingdom to the Romans . He died in 133 b.c. entailment +Walesa fell out of favor with Poles and was defeated in the 1995 elections . Walesa gained support and won the 1995 elections . contradictory +One- I would have to do it . There is no way that I am doing that . contradictory +no i like the winters but i don 't like the summers down here it I dislike the summers in this place but I don 't mind summers elsewhere . neutral +analysis i don 't i don 't know how they fixed the problem but they 're uh you know the whole theme of of what they were doing was was to measure and record and and uh reduce down time They weren 't able to fix the problem . contradictory +The Times is stumped by this , but the Post gets he 's quoting a line Matthew Broderick used in Ferris Bueller 's Day Off . He quotes Ferris Bueller 's day off . neutral +They 've been in every room in the house ” turning things inside out , and upside down . They had made sure not to miss anything in their searching . neutral +Miller says they will not have to , as no county will lose an office on account of the merger . There will be no lose of offices . entailment +What did she mean by ' On the top of the wardrobe ' ? She mentioned nothing like " on the top of the wardrobe " contradictory +At the same time that the Industrial Revolution was wreaking havoc , however , a small but influential group of writers and poets settled in the area and began to write about its natural beauties and its lifestyle . The industrial Revolution was wreaking havoc , but a small and influential group of writers and poets settled in the area . entailment +and i don 't know now it 's not growing real fast it will pick up I expect it to increase over time . entailment +It is confusing ; and , as you know , I do not like confusion . " Before I could reply , one of the other Belgians opened the door and stuck his head in . In response to my colleague telling me about how confusing it was , I said that I thought that he might put more effort into understanding it . contradictory +By 1805 , Spain was once more aligned with France , and Spanish ships fought alongside the French against Nelson at Trafalgar . France and Spain were at war in 1805 and their ships engaged in battle with each other . contradictory +it it roused the patriotism of the of the country and all that sort of stuff and It 's really nice how people can come together for a common cause . neutral +Outdoor BBQ , poolside or indoor dining . There is dining by the pool or inside in the dining room . neutral +We are free to fall in love with the entire country and invariably it 's a glorious lifelong love affair . The entire country is off limits . contradictory +Then , with a sudden cry that startled me , she cried out : " No , no , not that , not that ! " And breaking from me , fled up the stairs . She agreed . contradictory +Last year , the LASNNY helped more than 14,000 people . LASNNY gave assistance to 400 people . contradictory +A fine Scandinavian piano , a polyphone machine with disks , and a pianola were all used for dancing or recitals in the ballroom . Objects used in the ballroom for dancing or recitals included a fine Scandinavian piano , a pianola , and a polyphone machine with disks . entailment +He was shielding Mademoiselle Cynthia . " Mademoiselle Cynthia was being shielded by a man . entailment +It would be beyond the power of anyone but a millionaire to pay . A millionaire could pay . neutral +However , there is a lot of dialogue taking place today concerning business reporting . There isn 't much discussion about business reporting contradictory +i mean i i because the way i mean sort of the way to think about it is well they won you know they sort of took over the um they 're one of the only countries in in in history that has been told that they have to give back what they took in a war which they didn 't start basically so Even though they lost , it seemed fair for them give back what they took since they had started it . contradictory +yeah well have you flown in one of those where they have a whole bunch that go you know like up at one time Have you ever flown in anything before ? contradictory +and we got we got two girls off in college they don 't do anything but uh i uh and i love to be out in the summertime i love to be out when the sun is really nice and hot and just go out there and sweat a bit mowing the lawn I use a manual lawnmower because I get more exercise that way . neutral +concealed or unconcealed i 'm all for that I 'm in favor of either concealed or unconcealed . entailment +The interesting point that emerged subsequently was that the conservative Safire wasn 't just using the Watergate comparison to bash Democrats . The Watergate comparison wasn 't just for Democratic bashing . entailment +Suppose you had a chance to join the circus right now . Imagine you lost your shot . contradictory +Major tourist shops have forms and details . The major tourist shops don 't have forms . contradictory +The rule promulgated by an independent regulatory agency is not subject to the review requirements of Executive Order No . The rules must be subject to the review requirements of the Executive Order . contradictory +Also , police take seriously McLaren 's claim that he coordinated with militias throughout Texas , who will react violently in response to a police assault . McLaren and Texan militias have been plotting to kill police officers . neutral +When OSI becomes aware of an ongoing executive branch investigation pertaining to a matter OSI is currently investigating , OSI will coordinate its work with the law enforcement agency involved . An OSI official can access information about nay investigation . neutral +In the final analysis , for any system to work you need to assure that the key people have integrity , that the information provided to key stakeholders is timely and reliable , and that the persons or entities that are providing assurance as to the reliability of any financial and non-financial information are qualified and independent both in fact and appearance . Financial information does not need to be prepared by qualified people . contradictory +Once registered , you dial a number in the United States , where a computer with caller-ID recognizes you after one ring . In the United States you can block caller ID . neutral +did you go with kids Did you go with the kids to the movies ? neutral +It looks terrible , the Fox Washington bureau chief observed , more in anger than in sorrow . The Fox Washington bureau chief was made happier than he ever had been . contradictory +What else can we do ? How else can we avoid this coming tragedy ? neutral +You might just as likely find yourself in the pit instead of watching it from above . You can either be in the pit or above the pit . entailment +Yet those same clear-thinking people found ways of separating Napoleon 's horrors from his glamour . The clear-thinking people were historians . neutral +However , he forgot about the backrest and while he was making close contact with the blanket something popped in his spine . One of his discs popped in the back of his spine . neutral +Auctions . No auction . contradictory +Whatever their ancestors ' cultural and ethnic origins , however , all native-born residents of Israel are called sabras , who today make up more than half of the Jewish population . Sabras still have extreme pride in their respective cultural origins . neutral +Finally , we discuss two measures of the cost of universal service , the entry pricing measure and the net avoided cost measure in the context of delivery profits . The entry pricing measure is the most popular method for measuring costs . neutral +The area was dominated in the past by the papacy , which conquered the Lombard dukes of Spoleto in the Middle Ages , Perugia in the 16th century , and held sway until the unification of Italy . The papacy conquered Perugia in the 16th century . entailment +Sensualists have sex without orgasm on purpose , she writes of all those candle-loving , body-oil-bearing himbos . Sensualists have sex without orgasm on purpose . entailment +I reached Derry 's home , found my way inside . I stayed outside Derry 's . contradictory +The mail-order shortages also reflect the new-found fashion consciousness of retailers like Lands ' End and L.L. Lands ' End is over a century old , and in that time , it 's never once changed its ' fashions consciousness . contradictory +The example of loyalty and When he had just taken over as the chairman of President Nixon 's Council of Economic Advisers , he hired a young staff economist named Ron Hoffman ( brother of Dustin Hoffman ) . He hired Dustin Hoffman 's brother to work under Nixon . entailment +Generally , such statements were required from new users at the time access to information resources was first provided and from all users periodically , usually once a year . New users were required to make statements . entailment +Critics say it 's trite and unoriginal ( it follows a boy with a demonically possessed hand ) . Critics say it 's an unoriginal movie . entailment +President Clinton met with Israeli Prime Minister Benjamin Netanyahu in Washington . Clinton met Netanyahu for three hours in the capital . neutral +Today , the Ceteau de Pau , more Renaissance palace than for ? ­ tress and restored in the 19th century , is an interesting museum of Gobelins tapestries and paraphernalia from the early life of the country 's most popular king . A renaissance palace Ceteau de Pau was destroyed in the 16th century . neutral +Today , I 'm speaking what I believe to be the truth about how to restore confidence in American business and our profession to each of you . The speaker is speaking on what they believe to be the truth on tearing apart American business . contradictory +The friezes on the northern side , depicting battle scenes , weaponry , and naval equipment , celebrate Julius Caesar 's victories over the Gallic tribes of the region and the merchant fleet of the Greek colony in Marseilles . The Gallic tribes defeated Julius Caesar 's army . contradictory +Gaddis ' answer , of course , is that the game was under way by The heirs of Truman and Stalin were condemned to play by Cold War rules . Gaddis thinks the game was under way by the heris of Truman and Stalin . entailment +It is home to Hong Kong 's first racetrack . The birthplace of racetracks in Hong Kong is here . entailment +Sturdy gabled houses line the Rue des Dentelles and the Rue du Bain-aux-Plantes . There are no houses on the Rue des Dentelles . contradictory +There are several masterpieces of sculpture here , as well as a bahal , or monastery , one of 120 tucked away in courtyards of the city . There are several masterpieces among the monasteries here . neutral +yeah i just can 't imagine that they 'd let him rule any longer you know if if they had you know if they could do something about it i mean his own army is going to eventually turn on him because and and you see this has happened before in history you know that it just gets to a certain point where you 're just not willing There was a certain breaking point where his own army had enough . neutral +The Barnett Estate , with its 18th-century great house , has been owned by the Kerr-Jarrett family for over 250 years . The Kerr-Jarrett family has only owned the Barnett Estate for 100 years . contradictory +yeah i and i the the people i just feel so sorry for the people in the country that they can 't they they i mean they they can 't do any they can 't change it they try and they there 's nothing that they can do The people are free to do anything they want to . contradictory +right yes in fact i 'm doing that right now with their afternoons when they get home before i do you know that 's okay but the four year old now i have i have had her since i went back to work or before i went back to work really in a home day care I 've had my four year old in a daycare ever since I went back to work . entailment +They are considered some of the most beautiful in the Aegean . They are outdone only by Aegean 's most treasured relics . neutral +We used names such as Gerald A. Office in these conversations but did not say we were from GAO . We never spoke with anyone . contradictory +In her year-long odyssey through the California justice system , Katherine , a 35-year-old single mother with three children , experienced failure at every turn . Katherine has 6 children at the age of 45 . contradictory +Bork laughed suddenly . Bork had a nice laugh . neutral +For example , as noted above , grantees often seek alternative funding to expand services to women and children in potentially abusive situations . Grants often look for alternative funds to exosnf serviced to women and children of abuse entailment +D.C. is succumbing to the money and nerd fascination that has captured the rest of the country . DC does not like putting any confidence in money . contradictory +Poll Position No poll position is present contradictory +In 2002 , 55 TIG awards were granted . The number of awards increased . neutral +things like that goes in those boxes but we get tons of catalogs and things like that and magazines and there 's no way to get rid of them it just seems like such a waste We 're thinking of what else to do with the catalogs and mags , since we can 't be rid of them . neutral +However , the end of the golden age was drawing near . They did not anticipate the golden age ending . neutral +The Musee de la Prehistoire ( 10 Place de la Chapelle ) exhibits artifacts representative of local life during the Paleolithic , Neolithic , Bronze , Iron , and Roman ages . At 10 Place de la Chapelle there are no artifacts from the Bronze Age . contradictory +i wished i could do that i 've been TI thirty two years I have been here ten years . contradictory +Though settlers brought the first African slaves to Cuba in the early 1500s , hundreds of thousands of African laborers were imported in the late 18th century to meet the demands of the sugar industry . The first African slaves to Cuba arrived in the early 1500s and more came after them . neutral +You 're Dave Hanson . " The hell I am , " he told her . Dave Hanson aknowledge it was acctually him . entailment +I paid good money ! I overpaid for this ! neutral +It enjoys a beautiful location on a terrace overlooking the plain , backed by the steep crag of the acropolis . Everything is tight and cramped feeling . contradictory +or take it to the pit and let them let somebody else do it Alternatively , you can have someone at the pit do it . entailment +it 's complicated It is simple . contradictory +LSC organized a well-received panel at the SEPDA Conference to showcase how well two state communities of justice and two programs used reconfiguration activities to expand diversity within staff and volunteer ranks , and for instituting programmatic measures that will generate a new cadre of leaders in the legal services community . LSC decided a panel at the SEPDA Conference would be counterproductive . contradictory +uh-huh and then you still get information too You can still be informed . entailment +He knows what happened , she whispered . She whispered that he knows what happened . entailment +The Sydney Morning Herald of Australia commented in an editorial on the news that in Britain since the death of Princess Diana , secular funeral music has become the rage . Secular rock music has become the rage in Britain according to the Sydney Morning Herald of Australia . contradictory +yes yes it 's a heck of a lot different i mean we we used to be really embarrassed about the gray metal desk we were about the only place in you know TI that had the gray metal desk people used to come and laugh and go gee i hadn 't seen one of those in ten fifteen years We couldn 't afford to buy a newer desk . neutral +Absolutely not . Of course not . entailment +you 're at yeah you 're right across the uh lake from what Plattsburgh It wouldn 't take you long to walk to Plattsburgh . neutral +The new Jewish state of Israel founded on land so recently Islamic Palestine sent shock waves through the Arab world and Egypt found itself at the center of a bloody defeat in 1948 when it stood up against its new neighbor . There was no state for Israel . contradictory +well have you been here during the real heavy heavy rains i mean i can 't remember what time of year i think it 's usually t his time of year when we get some just torrential down pour gosh there was flooding our neighbors had flooding so badly it was like a foot deep in their house last year We usually get some heavy rains during this time of the year . entailment +Crete prospered greatly under the 465 years of Venetian occupation ( 1204-1669 ) , although there were revolts by the native population , which were brutally put down . Even though there were revolts , Crete managed to do well for themselves . neutral +'It 's going to be a long journey . ' White said defensively , off my expression . White thought it was going to be a long trip and he wasn 't wrong . neutral +At any event , however , this wasn 't a hospital in any sane and normal section of Canada during his time , on Earth . This was a hospital from another time . neutral +Waikiki Beach is the tourist center of the islands , worth strolling or playing on ; so is the parallel shopping street . Waikiki Beach has a rich history that attracts tourists . neutral +So the effects of the announced withdrawals will be limited . An effect of the announced withdrawals is less access to jobs . neutral +Finally a bright idea flashed across his brain . The man at last had a great idea . entailment +right right it 's just it 's just uh like a necessary evil i mean when we when our children were younger when they were like four years old three years old five years old we we just had Sesame Street and that was about it you know Back then , Sesame Street was only shown on Saturdays . neutral +Bill Bradley and George W. Bush ought to know . Bill Bradley and George W. Bush , given their political credentials , should be familiar with this concept . neutral +We now seem to be in a two-year rate case cycle . This time we are in a two year rate cycle but last time it was four . neutral +GAO faces many of the same difficult personnel issues the executive branch is now confronting . GAO has far less personnel issues than the executive branch does . contradictory +When shall I have it ? I know I 'm never going to get it . contradictory +It kind of stepped in at the right time , said Ceballos , who has loan payments averaging $ 800 a month and whose starting salary was $ 30,000 . Ceballos has never borrowed money . contradictory +He roams undisturbed , sometimes coming in with relics from the old cliff houses to trade for supplies . He is a like a travelling salesman , only he trades for commodities . neutral +The mosaics are grouped into four narrative cycles depicting the lives of Christ and the Virgin Mary , along with portraits of various saints , and large dedicatory panels . The mosaics depict a number of religious figures . entailment +even better than Jaws and some of that Even better than Jaws and most 80s movies . neutral +at the NC double A does have something to do with it but it 's almost discretionary on the coach 's part of each individual individually individual institution to identify the ones that have the problem In college basketball , some players have addiction issues neutral +The second issue is addressed by assuming that the relationship between age and willingness-to-pay for fatal risk reductions can be approximated using an adjustment factor derived from Jones-Lee ( 1989 ) . The adjustment factor derived from Jones-Lee , used here for approximation , isn 't very accurate . neutral +Applause for 32-year-old British director Sam Mendes ' reinterpretation of the musical about Weimar Germany , the second Kander-Ebb show to be revived recently ( Chicago has been on Broadway since 1996 ) . The director Sam Mendes has been rising some eyebrows with his reinterpretation of the famous musical . contradictory +oh yeah well during the winter yes we do uh we 've had uh well past four or five years i guess at least one day during the year when just everything would just close down because we 'd have freezing rain We 've never done that in the winter . contradictory +I 'm here , in the body of Benjamin Franklin , about to get my brains beaten out . I 'm inside Franklin and about to get beat up . entailment +and yeah and and you know the one of the things that i can still remember a college professor standing up pointing his pipe at a class one day while he was lecturing and he said the problem of the vote is that the American uh public is sometimes asked to go to the polls too often and to make too many and too difficult decisions and i think of that every time i go find one of these ballots and you not only get it in the presidential year uh where where you go down through eight or nine judgeships and uh uh I didn 't take any politics courses in college . contradictory +International banking conspirators of the Zionist Operated Government soon to be brought low by my military-grade anthrax ; soon that nest of seething pervs , that island of sin called Manhattan , will see its Hudson and East rivers run with blood and ... Manhattan is not called the island of sin . contradictory +Information in agencies ' plans and reports produced under the Results Act , high quality financial and program cost data , and other related information , can help Congress in targeting its oversight efforts and identifying opportunities for additional improvements in agencies ' management . Agencies must provide Congress with their plans and reports at the beginning of each fiscal year . neutral +I will assume that you mean platonic . I assume you mean in an affectionate but non sexual way . entailment +According to the Chemical Manufacturers Association , failure to ratify the ban will cost U.S. producers $ 600 million each year in lost sales to such countries as Germany , Japan , and India . According to chemical manufacturers if the ban is not ratified U.S. producers will lose 600 million annually to foreign businesses . entailment +and of course uh then they came to the big city as teenagers and that the time with them wasn 't as much as it was when they were out there in the small The city offered them so many new things to do outside the home . neutral +She wondered if articles by non-MDs would be taken seriously by physicians who work in clinical areas . She did not consider if the non-MDs would have effective influence . contradictory +( Click here to read an interview with Elliott . ) The interview was not available online . contradictory +She was born in England but never came to the the responsibility for working the plantation lands fell to her male relatives . She escaped the rough work necessary for living at the time , passing responsibility to her male relatives . neutral +oh boy bet that got warm I bet it was freezing . contradictory +Columba Bush , wife of the Florida governor , declared only $ 500 worth of goods upon her return from a Paris vacation , but agents found $ 19,000 in receipts in her passport and fined her $ 4,100 on the spot . Columba Bush lied about the money spent during her vacation in Paris- they were much less . contradictory +I drank to howling , puking excess . I regret drinking so much last night . neutral +yeah i think i heard somebody talking about that she cuts his foot off or something you know She must have been in a horrible accident . neutral +The municipal bus station is next to the bayfront promenade , virtually on the sea itself . The bus is virtually on the sea . neutral +right yes exactly i mean we had to make the fires and dig latrines and everything We were responsible for building fires and digging latrines . entailment +But then he called back and said that since he was now a pundit , he should write the piece about his ideas , rather than have me write about him . The caller originally delegated out the writing piece . entailment +Now all AGs want to be the next Michael Moore . AGs want nothing to do with Michael Moore . contradictory +However , there was still some unrest regarding the issue . However , everyone still does not agree about the issue . entailment +yes i 'm i 'm i have some great concerns about uh my my parents and my relatives reaching that age um around here where i live in Maryland in the Washington area there 's there 's and uh i used to live down in Dallas there was just so many stories about uh rest homes where the people are being abused where the people are being kept in filthy conditions in fact here in Baltimore they 've actually shut a couple of them down and taken all the people out of them because they were so uh bug infested and rat infested and it i you know really concerns me that um first of all that anyone could let someone live like that but if you have to you know how do you make sure i mean i 'm sure when you make your appointment and go by everybody puts on a happy face um you know how are you sure that the home is really as good as it is because once you put someone into there you know they may not like the fact that they 've been put in there and they might complain about the place all the time even though it 's the best place in the whole world they could be just because they want to make you feel guilty for putting them in there and you know I am worried about how landlords could let people live in such poor conditions . neutral +um-hum and now everything 's his you know uh his and her and everything you have to you always have to say it like that you can never say you know his you know and that never has offended me when you know when someone 's talking and they say you know his job or something like that or Everyone is always talking about someone else 's job . neutral +I see this question differently , Gonzo began , and because he didn 't have anything in which to admire his hairstyle ( CEO 's laptop was non-shiny ) , he concentrated solely on making an impression and as the result , got the job . Gonzo focused on making an impression . entailment +The net present value of the cash flow from the estimated sales of foreclosed property is included in calculating the subsidy cost of post-1991 direct loans and loan guarantees . There were no calculations of subsidy costs after 1991 . contradictory +Walk through the gateway and you 'll find yourself in an immense open space the largest temple courtyard in the country . Through the gateway is an enclosed area , comprised of the smallest temple courtyard in the greater Scranton area . contradictory +uh-huh uh-huh yeah we don 't we don 't usually cover ours we did a few different times sometimes we 've covered with the plastic and other years we 've tried newspapers and uh but we generally don 't we do our watering from our spring We haven 't tried many things with my garden . neutral +Other Treasury securities held by these funds may also be callable or redeemable on demand . No Treasury securities are redeemable on demand . contradictory +An escalator descends to the reception area , which comprises shops , cafes , and the ticket office . There is a ticket office in the reception area . entailment +While some tax incentives for education encourage households to accumulate assets such as U.S. Some tax incentives for education encourage households to accumulate assets . entailment +no i 'm a i 'm a student here um yeah i think we should adopt it i i think we 're a little bit backward as far as the rest of the world 's concerned I think we 're ahead of the rest of the world . contradictory +Selected Statisticsa for City Delivery and Rural Delivery Routes ( 1989 ) The rural delivery routes are longer than city ones . neutral +His mind threatened to blank out with each step , but he forced himself on . He passed out and lay on the ground sleeping softly . contradictory +With the backing of Congress , PM Gowda ruled until May 1997 , when Congress unseated him and appointed Inder Kurnal Gujral in his place . PM Gowda wanted and requested for Congress to replace him . neutral +so i then read was it Battle Cry of Freedom The title was Battle Whimper for Confinement . contradictory +If you can 't find a lobbyist , the court won 't appoint one for you . Other people can help you find a lobbyist . neutral +Newsweek interviews John Hope Franklin , chairman of the presidential advisory board on race . Newsweek interviews Marthin Luther King , the man who had a dream . contradictory +Ise-Shima National Park is the supreme sanctuary of Japan 's ancestral Shinto deities . Ise-Shima National Park is a sanctuary for Japanese Shinto deities . entailment +He seemed somewhat 104 apathetic in the search , as though he expected no great results from it . He didn 't care about the search because he had already decided there would be no results . neutral +Ours is richer in the lighter atoms . " Theirs has abundant sources of the heavier atoms . neutral +The Industrialist considered that . The industrialist thought about it . entailment +Do you know , my friend , I remembered that earlier in the morning , when we had been there together , I had straightened all the objects on the mantel-piece . I did not touch a thing in that house , when we were there . contradictory +Indicators are grouped by topic and summarized by theme . Indicators are not grouped at all . contradictory +Many of these items are so called marriage mail pieces which contain several individual advertisements combined into a single piece . The advertisements are very effective at acquiring customers . neutral +is a Forbes slogan . That is a Forbes slogan . entailment +Of course , in some sense Dunlap must think that growth is important , because otherwise he wouldn 't have spent billions of dollars to buy Coleman and First Alert and Signature Brands . Dunlap has invested billions in acquisitions of other companies . entailment +you know it 's like all of a sudden when there 's noticeable things saying hey you know we 're ruining the earth you know and now everybody is doing something about which is good everyone is so apathetic that it 's hard to get them to do anything , even now contradictory +And you came very near success . You were far from winning . contradictory +FGD installation plans and experience have been extensive in the U.S. and abroad . The plans for installation are extensive in the US and overseas . entailment +At some point in the ' 70s , Thompson realized he didn 't need to bother . Thompson do not notice something about himself in the 1970s . contradictory +um-hum and if they find who 's doing that to those little girls as far as i 'm concerned he could I hope they don 't find him . contradictory +Your mother 's dead , isn 't she ? said Tuppence gently . " Your mother died in the fire , didn 't she ? " said Tuppence tenderly . neutral +and do you know how much how long this is supposed to go on Are you aware of the starting date ? neutral +The psychology of war also causes reporters to focus less on each side 's evidence than on its posture . War impacts writers point of view . entailment +the trees are just so tall and there must be ten or twelve big tall trees out there so that like even if its raining you can go out in our back yard and not get wet There are a dozen or so big trees that provide cover from rain in our backyard . entailment +but i 'm i am and very fortunate in that i was able to retire you know with with health benefits My wife was not able to keep her benefits after retiring . neutral +This year , Ice Miller organized with the Heartland Pro Bono Council to provide more free help . There were more people in need of help this year . neutral +yeah last well see i left there in uh eighty The last one left in 1980 . entailment +On the face of it , it seemed that he or Sir James must have done the trick . It appears he or Sir James must have bungled it . contradictory +A case in point can be found in the last omnibus rate case , the R97-1 case . This is the first time that the omnibus rate has ever been considered . contradictory +If you bargain for a carpet in the Grand Bazaar you will get through two or three glasses of cay before a price is agreed . Before agreeing to a price you will partake of two or three glasses of cay . entailment +Afterwards I lay there looking at her smooth face in the deep night . Her face was smooth . entailment +Stark pointed at the cave behind them . Stark pointed toward the cave because he knew the beast was hiding in there . neutral +Argentina oh my goodness how do you like North Carolina Do you like North Carolina ? entailment +Where did it come from ? I asked curiously . I was not curious about where it came from . contradictory +Ah , you gentlemen from the Hall , you 'n a pretty lot ! " And he leered more jocosely than ever . He didn 't say anything to the man . contradictory +um i had a Ford Escort with about ninety five thousand miles on it and the engine was shot um i i think the problem was uh the head gasket needed to be replaced and um but nobody would do just the head gasket everybody wanted to overhaul the engine entirely My Ford Escort had ninety five thousand miles , needed an engine check up , and an oil change . neutral +you know i mean and and that seems really weird You know , that seems really weird . entailment +Outside town , on the main Valencia highway , the Monasterio de Santa Verenica ( Saint Veronica 's Monastery ) attracts about 15,000 pilgrims and a good many hawkers during the annual May celebration of the Santa Faz ( Holy Face ) . Not many pilgrims make the journey to Monasterio de Santa Verenica . contradictory +He was a respected lawyer defending discredited politicians , and as such he was very busy and didn 't normally pay attention to small , insignificant things . He was a lawyer that defended politicians . entailment +It takes a while to realize that not just certain stores , but every store on these islands sells at the same taxless , duty-free prices . The prices are set at a standard by the government . neutral +Aspects of the system that could be tested through sampling might include verifying that the electronic recording of receipt and acceptance was supported by other sources . What could be tested regarding the system could be , for example , the employees ' work . contradictory +yeah yeah well it it all paid off um so uh you know i got my degree and got the better paying job and It wasn 't worth it at all . contradictory +I tried to say the words out loud , but my throat would only croak . After screaming at the concert all night I couldn 't say the words out loud . neutral +Women 's groups , civil rights groups , and Naderites--all avid believers in litigation--constitute a huge chunk of Clinton 's base . Clinton is a Tea Party candidate . contradictory +I worked on ... I took a day off . contradictory +Under modern governance theory , the board works for the shareholders and the CEO works for the board . The board and CEO do not maintain a working relationship . contradictory +At the same time , many Jews sought religious freedom and fulfillment by moving to Palestine ( as the Holy Land was traditionally called ) and especially to Jerusalem . Many Jews sought freedom from persecution during the second world war . neutral +It 's too early to tell , but I think we will likely have another attorney here soon . I 'm sure we will not add another attorney in the team . contradictory +it they don 't they speak with fork and tongue don 't they at least we 're in agreement on that aren 't we i 'm afraid i have no other thoughts on fixes and i 'm not really sure that they would accept our suggestions anyhow Would they take my suggestions ? neutral +This must change , and recent events are likely to force both the accounting profession and the firms to place much more emphasis on their core services . recent events do not call for any change , and change as a whole is not needed . contradictory +Wilkins corroborated it on all points . Wilkins nodded and checked his notes before agreeing to all the points . neutral +yeah it 'd be nice if you could find someone oh uninfluenced by groups and and honest enough to find a way that would go over and then you 'd have to find a way to make it work I hope we find someone who lies and is easily influenced . contradictory +The principal reason the leaks are troubling is not that they sabotage the relationship between the administration and the Pentagon The strain between the Pentagon and the administration isn 't the reason why the leaks are a problem . entailment +The old western was almost always a tale of a courageous loner imposing order on lawlessness , as in the Wayne films and Shane ( 1953 ) . The old western was almost always a tale of a courageous loner entailment +At rush hour , the waterfront becomes a bedlam of bodies as commuters pour off the ferries . Many people find it easier to take a ferry than a bus to work . neutral +The grandiose Gothic Cathedrale Sainte-Cecile was started in 1282 in the aftermath of these struggles to impress the citizens of Albi with the reasserted power of the church . The Cathedrale Sainte-Cecile is an imposing structure . entailment +And yet , wherever the new export industries have grown , there has been measurable improvement in the lives of ordinary people . People make more money when we export more as a country . neutral +Gore is delighted to reciprocate . Privately Gore has reservations , but he needs to put his best foot forward . neutral +Domestic violence survivors in Jackson , Vicksburg , Hattiesburg , Oxford and Pascagoula can all get help . Jackson needs help neutral +From what I 've heard , they did the attacking , Topham pointed out . Topham witnessed the attack . entailment +That 's it . We 're done with all of that . neutral +The installation and operation of SCR systems is not expected to be constrained by the future availability of ammonia or urea . The future availability of ammonia isn 't expected to affect the installation and operation of SCR systems . entailment +But who better to rationally and coldly lay out the costs and benefits of settlement for both Microsoft and the Justice Department ? There will be both costs and benefits in the settlement between Microsoft and the Justice Department . entailment +i mean it 's glamorous taking drugs or at least it seems that way It seems glamorous to take drugs . entailment +Is this because all Microsoft 's competitors , licensees , and suppliers are too scared to tell the government what they know ? Is this because companies deeply into business with Microsoft are too scared to betray them to the government , or are they simply unable to do so ? neutral +Many of the soldiers , like Takamori himself , died by their own hand in a final gesture of defiance . Takamori took his own life on purpose . neutral +Here you can browse upcoming events , locate your favorite stores in our store directory , shop online or find products before coming to the mall . This page contains lots of information for shoppers about what is inside our mall and what is happening in our mall . entailment +Soon they both stood , staring past the other , bodies jerkling slightly . The two sat quietly together . contradictory +'Fair enough , ' Greuze shrugged . Greuze thought that the reason for firing him was legit . neutral +oh i 'm i 'm kind of getting that one past me but a good self help book I didn 't read the book because I didn 't found it useful . contradictory +and it 's just that i think they 're just tying up the um whole judicial process um there 's a lot of things they could do to uh make things easier and uh you know like uh the suggestion that uh maybe the uh a judge should be the one who decides on what the sentence should be rather than the jury The suggestion was that the judge determine the sentence . contradictory +The southern-most margins of the island away from the pressure of human development are a haven for wildlife . All of the island is influenced by the pressure of human development . contradictory +You 'll see messages on the walls of the vaults carved by French prisoners during their captivity . French people were imprisoned in vaults . entailment +I 'm a little uncomfortable with the way the question invites a sense of cultural superiority . The question seems ethnocentric . entailment +In recent years , an understanding has emerged that the federal government needs to be run in a more businesslike manner than in the past . The federal government didn 't need to make any changes . contradictory +To help ensure that such services continue , the Maryland State Bar Association and other advocates are lobbying legislators to explain how legal services help constituents in every district . The Maryland State Bar Association wants these services to continue . entailment +And he will help you now ? Yes . He 's going to help you make supper . neutral +This largest of the FWI spreads its wings midway along the Lesser Antilles chain . There is no FWI in the area . contradictory +And you have made other people happy , as well . People are happy because you were affectionate toward them . neutral +like right i i was going to buy one once and i just i worry about who 's driven them and what they 've been through and the warranties and things like that just i can 't seem to get over that that just bothers me i don 't know why I always get antsy about used cars , whenever I think of buying one . neutral +In 1994 , GAO projected the cost at $ 2 . The cost is projected . entailment +And in an interview , the authorized biographer concedes that he didn 't investigate Arthur Schlesinger once told me that he had dirt on Reagan buried in his filing system . The authorized biographer told me that he had dirt on Reagan that one day will come up , but now refuses to let it out . neutral +least cost ) approach to operating the electric power system over a given time period subjectto specific constraints ( e.g. The least cost approach to operating the electric power system subjects to specific constraints . entailment +Crazy Richard Nixon and All That Jazz , by Leonard Garment ( Times Books ) . Times Books did not publish any of Leonard Garment 's books . contradictory +For example , many of the same tests of sufficiency and relevance are applied to other types of evidence . Other types of evidence can be tested in the same way . entailment +It should be noted also that no clients were involved in this event . There were no clients at the event . entailment +well that 's right and we never have signed up for those i just haven 't been interested in what they generally have on and We have never had subscribed to those because their content hasn 't interested us . entailment +NASA is advocating an Interstate Sky Way to ease traffic jams . NASA proposed to build an interstate system underground . contradictory +The Passive Woman deserves a little more of our support . This woman needs more support . neutral +Although the Taliban operates autonomously , its advance would not have been possible without foreign backing . The Taliban advanced independently without any outside support . contradictory +Behind the chateau , crosethe Pont Sainte-Madeleine over the Ill and stroll along the quai des Bateliers , past the remnants of old Strasbourg , to the 14th-century Place du Corbeau near the bridge of the same name . Several dilapidated buildings are all that remains of old Strasbourg . neutral +Realism tempers the romanticism of idealists with a sense of tragedy . Realism contracts the harshness . contradictory +If this monster is killed , you 'll never trade with this planet . You should kill the monster , it will make them happy . contradictory +But in The Nation , University of California , Irvine historian Jon Wiener contends that Davis is the victim of a campaign by city boosters to run their most persistent critic out of town . John Wiener , an Irvine artist . contradictory +( The exception is the cast of non-Jewish locals , who are almost all soap operaish white trash . ) The non-Jewish locals are mild-mannered , polite professionals . contradictory +In Guadeloupe , the best beaches are on Grande-Terre , as are most of the hotels . Most of the hotels in Guadeloupe are on Grande-Terre . entailment +On the corner of Liffey Street is the sculpture locally known as the hags with the bags . The sculpture is a popular landmark and meeting spot . neutral +As long as the Coen brothers continue to please their audience , they have earned the right to be free of the discipline Ross imagines will spring from having studio executives second-guess their every move . The Coen brothers make blockbuster movies . neutral +Our markets are global in nature and no nation , including the United States , can go it alone . The US is not capable of being without the market . entailment +solicitation for a proposed contract , ( 2 ) a proposed award , or ( 3 ) the award of a contract . A proposed contract was solicited . entailment +Did th ' Yankees run ' em in , then they was unlucky Reb scouts . Those Reb scouts were unlucky if the Yankees ran them in . entailment +Until very , very recently , LSC programs were organized and operated pretty much as they had a quarter of a century ago . LSC programs have finally be revolutionized . neutral +They 'll use the telephone , I guess , so look out for snares ahead and don 't take the direct route . They 'll call someone , so watch out and take a detour . entailment +Slobs--is as false and anachronistic as the small town in a Capra movie . The settings in Capra movies stretch believability to it 's limits . entailment +Doesn 't this mean , then , that having a more or less equal distribution of income makes for a happier society , even if it does not raise anyone 's material standard of living ? That is , you can use the fact that people did not feel poor in the 1950s as an argument for a more radical egalitarianism than even most leftists would be willing to espouse . Radical egalitarianism would be hard to implement . neutral +Fort-de-France 's main shopping streets , tourist-oriented or not , are between the Savane and the Levassor River . In the middle of the Savane and Levassor River is where you 'll find Fort-de-France 's main shopping streets . entailment +Novelist Lucian Truscott IV , a former Army officer and son and grandson of generals , writes a NYT op-ed in support of the Clinton administration 's latest assault weapons ban . Lucian Truscott has served in the army before . entailment +Independent committees of the board of directors , such as the auditing , compensation , and nominating committees , play an important role in effective corporate governance . All corporate leaders are corrupt . contradictory +These factors included ( 1 ) fostering trust and respect ; ( 2 ) establishing effective , timely , and appropriately secure communication ; ( 3 ) obtaining top management support ; ( 4 ) ensuring organization leadership continuity ; and ( 5 ) generating clearly identifiable membership benefits . Three main factors take precedence . contradictory +However , systemic and practical barriers must be overcome and additional research conducted to take full advantage of this opportunity . These systemic and practical barriers are numerous and will be difficult to overcome . neutral +Use of IT in Other Forms of Interactive Participation IT not used in Other Forms . contradictory +oh yeah where where are you calling from Where are you calling us from ? You sound like a newyorker . neutral +I honestly believe that if Reagan and Gorbachev had not come to power when they did--if Brezhnev had lived , and if Carter had served a second term , and Mondale and Dukakis had succeeded him--the Soviet empire would be intact today . The Soviet empire did not fall under Reagan contradictory +It 's so attractive and so easy to reach that it 's packed with sunbathers all summer long . You will not find sunbathers here . contradictory +It has one of the prettiest settings of any temple in Egypt on a knoll by the side of the Nile with views both up and downstream . Other temples in Egypt are not located along the Nile and do not have the same views of the river . neutral +As recently reported by GAO , most federal agencies are far from meeting the goals set by GPRA for performance data on which the Administration and Congress can rely on in setting budget amounts and appropriations levels . GAO said that many agencies are not meeting the GPRA goals . entailment +But Nixon read all the drafts . Nixon read every draft of his resignation speech . neutral +Pennsylvania 's Arlen Specter , who is often lumped with the Mods , really belongs with the Prosecutors . Led by Specter and Mike DeWine ( Ohio ) , who are , in fact , ex-prosecutors , the Prosecutors view themselves as the Senate 's champions of The Law . Arlen Specter is from DC and is typically lumped in with the Prosecutors instead of the Mods . contradictory +The preamble to the final rule contains the full text of the Final Regulatory Flexibility Analysis . The complete text of the Final Regulatory Flexibility Analysis can be found in the preamble . entailment +Oklahoma 's jocks may be no denser than many of its other Republican politicians . Republican politicians are not bright . entailment +in fact nobody going to beat us then because look how good we did without a quarterback this year We were so good , we beat the others without a quarterback . entailment +The court upheld a trial judge 's decision to 1 ) reduce Woodward 's conviction from murder to manslaughter in the death of an 8-month-old baby and 2 ) reduce her prison sentence from 15 years to the 279 days she had already served . The judge decided to uphold Woodward 's conviction . contradictory +Boomers , whose self-absorption has long been ridiculed , have finally managed to get over themselves . Boomers have always been self absorbed but are now getting over themselves . entailment +This , surely , is where the Clinton sex policy and the Clinton social policy combine . Clinton has no policies . contradictory +Fenner signaled once more and the train began the slower trip southward . The train began its trip loaded with supplies for the people . neutral +we just got with him and told him what all we wanted and he 's charging about a buck a square foot to design it and he 's registered certified and registered so at least we know we 're it 's not gonna fall in or something if it 's built but uh i have heard We wanted to have the project completed on time and budget . neutral +University officials anticipate $ 20 million in revenues just in the next five years . The University does not expect to bring in much money . contradictory +He expressed concern about how to reflect this complexity in the recommendations . He was not concerned about how to express the complicated suggestions . contradictory +Don 't let the fragile appearance fool you ; they 're deadly weapons . They can 't cause any real harm . contradictory +uh coverage uh of the you know you may not even go in to the doctor for a long time but you know if something came up obviously you you know to get covered is important You cannot go to the doctor without being covered by health insurance . neutral +Queen Elizabeth will usually spend time in early August , but you should check with tourist authorities if Holyrood is a must-see for you . THe Queen refuses to attend . contradictory +oh well my husband sometimes you know he 'll receive a call and he 's at work My husband cannot receive calls while he is at work . neutral +Meetings are also conducted with the National Access to Justice Funders Group ( LSC , Open Society , State Justice Institute , National Center for State Courts and the Horowitz Foundation ) on building broader justice communities , statewide web sites , follow-up to the Pro Se Collaboration Conference , technology support systems and multi-lingual access . The State Justice Institute is not a member of the National Access to Justice Funders Group . contradictory +And , once 's he caught , you 'll be out of danger . " A terrified look swept across Mrs. Vandemeyer 's face . Mrs. Vandemeyer became terrified upon hearing that she will be out of danger once he is caught . entailment +To the left , the Tour Saint-Nicolas served as a for ? ­ tress and prison . The Tour Saint-Nicolas is not currently open to the public , so we can 't enter . neutral +The Net , though celebrated as a libertarian institution , can also be the opposite . The Net has views that may not be Libertarian at certain times . neutral +The Club Cano ? « Kayak ( 4 Rue Moulin des Orphelins ) rents canoes and kayaks for the river Canche . No one is allowed in the river Canche . contradictory +The other metrics described in this appendix require that system development work be underway . The appendix presents a description of the metrics . entailment +One pattern that quickly arises is an apparently never-ending series of contradictions . A pattern which forms rapidly is a seemingly never-ending series of contradictions . entailment +Very simple , as you said . Very complex , as you pointed out . contradictory +Is not that so ? " Isn 't that how the relationship is meant to be ? neutral +he will help you avoid a lot of little things uh financially He couldn 't help himself out of a paper bag , let alone you . contradictory +When you buy a couple of kilos , they 'll ship it for you in air-tight packages . Whatever the quantity of the product , the package is the same . contradictory +what about your uh radio stations do they uh provide much in the way of current event stuff Do you radio stations have anything about current events ? entailment +After earning bachelor 's and master 's degrees in education and a few years teaching , Kilgore enrolled at the UM law school . Kigore wanted more education neutral +Instead they died in pools of blood . They were shot to death and died in their own pools of blood . neutral +and uh very much very much because i i spent thirteen years there I wasn 't able to spend any of my time there . contradictory +In the absence of specific data , however , the Commission assumed that the REIMS II data would be a reasonable proxy for DCs also . The Commission had strong reason to believe that REIMS II data would be a good substitute for DCs . neutral +That is ironic , of course , but the joke is not on the New Republic . It 's on the conceit of fact checking in general . The New Republic is a joke on it 's own . neutral +I don 't expect today 's generation of historians , many of whom opposed Reagan all their lives , to admit their errors . Historians won 't admit their mistakes because it would jeopardize their reputations and jobs . neutral +instruct professors from other schools but Don 't teach your professor . contradictory +well i think it 's a great concept but i think you 've uh you 've left too many uh uh i 'm a supervisor and i approve i approve the uh the thing it it just doesn 't make logical sense you know in other words Even though I don 't think it makes logical sense , I will ask for funding . neutral +Republicans used to defend any conceivable expression of executive privilege over Congress and the courts--now Democrats do that , while Republicans take up the old cry of imperial presidency . The ideologies of the parties have remained the same . contradictory +Callers to the network are being advised to pray for him . Callers are being asked to pray for him , because they believe he is going to die . neutral +The Barrier Gate ( Portas do Cerco ) , which was built more than a century ago , marks the boundary between the enclave of Macau and the People 's Republic of China . Macau and the People 's Republic of China are separated by the Portas do Cerco . entailment +The world 's largest cruise ship was docked in the harbor and converted into a hotel and tourist attraction . The ship once sailed from California to Hawaii . neutral +Good heavens ! cried Inglethorp , starting up . " Bad hells ! , " cried Inglethorp . contradictory +Instruction is optional , but advisable for real novices . Instruction is mandatory for anyone . contradictory +you know having all short people and uh we only had We hop to diversify next year . neutral +This is especially so when they displace Calvin Klein ads , which might have put Martin in a more socially beneficent mood . Calvin Klein ads reframed how Martin was seen . entailment +Goosebumps struck me skin . The goosebumps came in wave after wave . neutral +Oh , come in . " The clerk followed his discreet knock into the room , and laid a paper at his master 's elbow . The clerk 's master ordered him to steal the paper as it contained sensitive information . neutral +you barbecue steaks You cook the steaks on the barbecue . entailment +Ancient olive groves play host to donkeys and herds of goats , and low-growing vines cover the ground under tall Cypress trees the archetypal Greek landscape . Donkeys and goats mainly live in old olive groves . entailment +Fecal bacteria in beef distributed by Hudson 's Nebraska plant sickened 17 people in Colorado Seventeen people in Colorado fell ill after eating beef . entailment +It was a center of power in the seventh century b.c. when the Samians were the leading maritime nation on the Aegean . When the Samians were leading maritime nation on the Aegean it was the center of Power entailment +Plaudits follow pans for the revival of the musical On the Town . The musical on the town is followed by plaudits and pans . entailment +yes it does a quantum leap from left to right hand drive It doesn 't do a quantum leap , does it ? contradictory +On the chest of drawers there was a tray with a spirit lamp and a small saucepan on it . Nothing sat on the chest of drawers . contradictory +yeah i think he is i think he was I think he was . entailment +393 billion , with operating and maintenance costs of $ 211 million and post- and pre-tax annualized costs of $ 229 million and $ 351 million , respectively . Annualized costs pre-tax and post-tax were both $ 190 million because of a generous tax deduction . contradictory +Orrin Hatch concluded , I don 't think it 's going to go away . Orrin Hatch neglected to say a word as to whether he thought it was going to go away . contradictory +nice talking to you also I hope we can talk again sometime . neutral +The western end of the bay sweeps round to a headland , which is thought to be the location for the famous Alexandria Lighthouse . It is believed that the Alexandria Lighthouse was built on the eastern end of the bay . contradictory +HUD staff explained that the exemptions at issue here would not have a significant economic impact on a substantial number of small entities , to the extent that such an impact could be determined . HUD staff wanted to reassure people who were upset about exemptions . neutral +so you know what it 's like yeah it 's like when you first this is our third one it 's not um and it 's not that exciting after a while Your first one is always very exciting . neutral +The self-guided tour begins at the intimate little Royal Chapel , a harmonious mix of white marble , Corinthian columns , and Baroque murals with gilded altar and balustrades . There is no tour of the Royal Chapel . contradictory +okay well i enjoyed talking to you Ok . I liked our conversation . entailment +Such decisions , of course , would require the Congress to determine the best approach for carrying out a range of the government 's missions and operations , in order to see that non-homeland security activities of these departments are still achieved . Congress doesn 't want to see homeland security activities take place in these departments . neutral +It was past seven o 'clock when a small boy told them that " t' It was barely quarter past five when a small boy told them that " t' contradictory +Tops in every sense in Haifa , with wonderful views over the town and bay . Halfa has a wonderful view of the town and the bay . entailment +Owners or operators of units or facilities must hold sulfur dioxide allowances , nitrogen oxides allowances , or mercury allowances at least equal to the emissions of sulfur dioxide , nitrogen oxides , or mercury respectively . Operators of facilities can have whatever level of mercury they 'd like . contradictory +He isn 't always this way . He is always like this . contradictory +A weakened and suddenly unstable Communist Party installed former First Secretary Gomulka as leader without consulting Moscow , an event that prompted Soviet , East German , and Czech troops to amass on the Polish borders . After careful negotiations , conflict was avoided . neutral +Combinations of the 4 symptoms for which WTP estimates are available that closely match those listed by Schwartz , et al . The WTP no longer provides any estimates on combinations . contradictory +and just dries everything out uh-huh It doesn 't dry it out . contradictory +Village contests judge competitors on their most spectacular flying skills height , dexterity , and the humming sound produced by the wind through the kite-head . They don 't judge it , they just watch . contradictory +Lincoln 's gaze was searching the crowd , and I knew who he was looking for . Lincoln stared at his papers . contradictory +Over the years , we have made important strides in-and realized efficiencies by-introducing technology into the organization . We have made significant progress in our organization by implementing technology . entailment +The changes in the facilities acquisition environment led FFC to conclude that a review of issues , practices , and methods related to the design phase of the acquisition process would be beneficial . The FCC thought they shouldn 't even mess with the design phase . contradictory +Bettelheim was criticized for reductive psychoanalytic thinking and applauded for his resistance to psychoanalytic dogma . Most of Bettelheim 's career was spent fighting the public 's and academic 's opinions . neutral +There are temples , towns , and hundreds of other tombs of lesser though important mortals such as high priests , nobles and highly regarded artisans who worked on the royal tombs . There are a number of tombs for the high priests . entailment +When calculating city delivery cost , we include the entire ( fixed and volume variable ) in-office and out-of-office cost24 for all city routes , plus the cost of overtime , supervision , space , and vehicles . Calculating city delivery cost is a difficult process that can only be done by a select few . neutral +so he had to redo them like three times before i was happy with them before he was happy you know that they even looked halfway decent and He got it right the first time he did them . contradictory +right right not just overhead Overhead is not the only thing . entailment +Independence and Democratic Rule Independence was achieved through a violent revolution . neutral +i don 't like them cleaning up the dishes I don 't like when they clean the dishes . entailment +That total , 8.95 million short tons , is reduced by a specific percentage ( 75 percent ) to reach the emissions cap of 2.24 million tons . The total emission of methane must be increased . contradictory +And in this new world it 's not the company that owns the assembly line that has real power . The assembly line is owned by a Chinese company . neutral +As a result , they avoid the concussive head wounds that kill boxers--and the long-term neurological damage that cripples them . Boxers try to avoid shots to the head due to the long-term brain damage that could cripple them . entailment +What 's my big but ? What is my hand ? contradictory +It 's pretty hard to say , `Never speak again . The President may wish to , but cannot tell others to stop talking forever . neutral +We broke four barrels on the supports and pulled the mountain down on them . Nothing had held the supports up . contradictory +that is pretty bad That 's the best . contradictory +Ideas from both attendees and staff for additional follow-up There are ideas from both sides . entailment +yes we always had to big concern about hurricanes because we 're close enough to the coast and you know you had to have a supply like uh emergency supply on hand all the time during the hurricane season and During the hurricane season , we would always have emergency food stored away . neutral +The city 's Chinatown and especially along Jalan Hang Jebat once known as Jonker Street are havens for antiques buyers or those who just want to browse along the street 's two-story shophouses . Most antiques in the city are sold on Jonker Street . neutral +Jews hold the site sacred , although an inscription attributes the grave to a Roman owner . Whilst the grave 's inscription suggests that its owner was Roman , the Jews consider the site to be sacred . entailment +Government Technology Leadership Awards Awards for top Government Technology entailment +Others praise his cowboys for being macho yet vulnerable . Cowboys are plentiful in Texas neutral +Hire a regular columnist to write every Sunday . The columnists can write on other days as well , just as long as they do their regular Sunday column . neutral +Otherwise you will not get a good table or will have crumbs brushed into your laptop , even though , strictly speaking , you are abiding by the rules . You won 't get a good table because they will be hoping you will just go away . neutral +Does the Pentagon believe there are unknown defectors ? Does the Pentagon believe there 's unknown defectors because of the recent report . neutral +The Commission did not invoke any of the exemptions or special procedures authorized by section 605 in preparing its regulatory flexibility analysis . Section 605 authorized some exemptions in preparing regulatory flexibility analysis . entailment +oh well i mostly watch public television so yeah i 'm one of those i uh I don 't believe in any sort of television so I do not watch it . contradictory +uh-huh uh-huh yeah i uh i used to uh when i was over in Guam i used to go out and just spend the night on the beach and go scuba go scuba diving at night and looking around it was a lot of fun When I was in Guam I would spend an evening at the beach . entailment +At once I realized that I was in a very awkward predicament . I realized that my situation was pretty awkward , but I kept going . neutral +and so i keep hearing the forecast it 's going to rain it 's going to rain it 's going to rain but it really hasn 't rained yeah It 's not supposed to rain for another week . contradictory +well i sure need them uh there 's no way that i could begin to process and keep up with the kinds of information or the magnitude of information that i need to to try to do my job without them I don 't know how to process all that information . entailment +and then what is the long-term effect of us burying that in the ground if that stuff I worry about possible harmful effects from burying that in the ground . entailment +These standard utilities evolved through two corporate mergers and are now institutionalized across the corporation . These standard utilities came from two corporate mergers and are now institutionalized throughout the whole corporation . entailment +The people were at first cool to the war , despite the jingoism of flashy aristocratic aesthete and author Gabriele D 'Annunzio and his friend , an ex-socialist newspaperman named Benito Mussolini . The people were for the war at first . entailment +hum it 's a good experience it helps you feel i think comfortable with your car and feel like it 's not so scary if um you 're driving it and you might get stranded somewhere that you might you think well i 've i 've been under that hood and i know what 's going on but I think that , if you are comfortable with your car , the thought of it breaking down isn 't as frightening . entailment +As a result , the rule is not subject to review under that Order . The Order never reviews rules as it is illegal . contradictory +Telecommuting and the great job market make mobility easier than ever . Mobility has become much easier in the last ten years . neutral +The within-sites data bases became less extensive as observation times were shortened . The data bases became more extensive with short observation times . contradictory +There will be heaps of orange turmeric , cardamom , ginger , and other spices , and bundles of dried fish , looking like twigs . There will be spices and dried fish everywhere at the yearly festival . neutral +By now he might be overpowered , borne down by sheer force of numbers … . He might lose out by now simply because there are so many . entailment +Not all falsehoods , of course , are lies ( the key ingredient in a lie is intentionality ) . All falsehoods are lie , regardless of intentionality . contradictory +Department of Labor ( USDOL ) has also promulgated regulations mandating the minimum benefits that must be provided to H-2A workers . There are no minimum benefits outlined by USDOL . contradictory +The press print quickly , in this day and age ; the newspaper was already updating itself with the latest details of her murder inquiry . The newspaper was updated on Tuesday night . neutral +Consistent with the requirements of the Paperwork Reduction Act , the preambles to the proposed and final rules set forth significant information about the proposed collection of information . The preamble to the inal rules had no information consistent with the Paperwork Reduction Act . contradictory +In this First Report and Order , the Commission adopts a transitional rule requiring all cellular and broadband personal communications services and certain specialized mobile radio providers to permit unlimited resale of their services . The Commission published a total of five Reports and Orders regarding communications providers . neutral +Even on the warmest day a stiff , cold breeze blows steadily up the fell . There is always a cold breeze blowing up the fell . entailment +The Commission has informed the GAO that to encourage small entities to participate in the rulemaking process as called for by section 609 , it distributed a plain English version of the proposing release , it posted the proposals under the Items of Interest to Small Businesses section of its Internet Web-site , it met with groups that represent small businesses such as the security Traders Association and the New York Specialists Association , and its senior officials gave speeches describing the proposals and encouraging comments . The senior officials want to facilitate communication . neutral +The prospects of significant changes to the programs are reasonably high . The programs are likely to change . entailment +what about that one they do in Albuquerque What about the one done in Albuquerque ? entailment +Deemed the finest Ottoman building in Istanbul , the mosque is a tribute to the Golden Age of the Ottoman Empire , and to the two great men of genius who created it Sultan Seleyman I , the Magnificent , and his chief architect , Sinan . The chief architect of Sultan Seleyman was the genius Sinan . entailment +I have a political asylum email list , a domestic violence list , a hotline list , and so on , she says . She has seven lists for various cases . neutral +After all , experts now believe that losing one baby to SIDS does not increase the likelihood that a family will lose another . SIDS risks are greater with each child . contradictory +uh i graduated in eighty six I didn 't graduate until the 90s . contradictory +70 Annie wasn 't best pleased . Annie was very unhappy with events . entailment +Their initial story of what is happening and why is displayed as a flowchart with a series of critical paths for action . Their presentation did not have any graphs / flowcharts prepared . contradictory +Meanwhile , the New York Times Magazine offers a rosy portrait of California after the abolition of affirmative action . California is seen in a positive way by the New York Times Magazine . entailment +An Initial Regulatory Flexibility Analysis and a Final Regulatory Flexibility Analysis were prepared for both rules and were summarized in the preambles to the proposed and final rules , respectively . The flexibility analysis were broadly accepted as accurate . neutral +Brown decided last week to designate some of the money for four legal aid organizations , including the St. Louis-based Legal Services of Eastern Missouri . Brown earmarked some money to legal aid . entailment +The Sogas had promoted Buddhism as an imperially sanctioned counterweight to the native Shinto religion , along with the new Chinese customs , to weaken the influence of their more conservative rivals . Buddhism was used by the Sogas as a way of weakening their rivals . entailment +Federal policymakers and program managers are continually seeking ways to better achieve agencies ' missions and program results , in other words , they are seeking ways to improve accountability . Federal policymakers would rather be examining other issues instead of constantly assessing program results . neutral +Strategic human capital management , and specifically the need to develop results-oriented organizational cultures , is receiving increased attention across the federal government . The federal government does not care at all about strategic human capital management . contradictory +I am on the California Zephyr with my lovely nephews , who are 4 and 6 years old , traveling east . My nieces and I are traveling north on the California Zephyr . contradictory +'I said roughly a handful . ' I said about five . entailment +Only some wall fragments remain of the former Etruscan stronghold in Fiesole itself , but there are extensive Roman ruins , including a well-preserved amphitheater dating to 100 b.c. ' still in use for summertime festivals which seats 2,500 spectators . There are only a few fragments of the walls of the Etruscan stronghold remaining . entailment +Garbo 's characteristic hunched posture of the mid-1930s was wholly obsolete . The bent over disposition of Garbo was now well out of date . entailment +She remembered that this was one of the men Tommy was shadowing when she had last seen him . This man had nothing to do with Tommy or with who he was tailing . contradictory +Plantation-style rooms with hand-carved furniture , satellite television , silent air conditioning , ceiling fans , hairdryers , in-room safes . The rooms have tv and a / c . entailment +Amendment of Parts 2 and 15 of the Federal Communication Commission Rules to Deregulate the Equipment Authorization Requirements for Digital Devices Rules deregulate equipment authorization requirements for digital devices like iPhones . neutral +the the the big problem i guess with the the mass media is you know uh you don 't have time to educate the public on these matters because the public is not going to sit still and soak the message in The public has a limited attention span making it difficult for the mass media to educate them . entailment +During this reporting period , LSC continued its efforts to improve the efficiency of its competitive grant award system and the effectiveness of the delivery of legal assistance by its initiative for statewide planning and coordination of legal services . Making the competitive grant award system more efficient was one of the tasks LSC focused on . entailment +For visitors today , Kumamoto serves as a convenient gateway for the scenic road trip to the Mt . Kumamoto is a popular destination . entailment +I went to stay with a friend " He was close to his friend . neutral +and then i distributed them and then i can i get i can sell them at a cheaper price plus i 've got a uh drinking water system business that i 've had on the side for years that i 've done my drinking water system business is the first business i started neutral +In his final year he binged , painted nothing , and drove his car into a tree . He died when he drove his car into a tree . neutral +The same section establishes the performance criterion that the Postal Service is expected to achieve as a matter of postal It shall provide prompt , reliable , and efficient services to patrons in all areas and . . . all communities . The postal Service achieves the performance goals . neutral +In the 16th century it reached its zenith as the centre of Kabbalism , a form of Jewish mysticism , and boasts 21 synagogues , a seminary , and 18 schools . Jewish students and intellectuals came from all over the world to study here . neutral +yeah and yes and the funny thing is that uh private medical insurance grossly expensive Private medical insurance is affordable for everyone . contradictory +by auditors in order to identify policy and related control deficiencies . Auditors are only responsible for policy and control deficiencies . neutral +Though it was a hazardous and parlous thing , with the sky falling .... " He sighed and went out , while Dave went back to his delirium . Dave fell back into a fever dream after he exhaled and left . entailment +Once the parade is finished , an exhibition of the award-winning flowers and displays is put on in a lovely old house in Rua dos Castanheiros . The flowers most likely to win are the pink tulips . neutral +The palace itself is still used for the coronation of kings and for observance of religious rituals by the royal family . The palace is also home to an ancient order of monks dedicated to Vishnu . neutral +and that 's just like over here on on on Walnut and uh Plano Road or is it Jupiter one of them streets anyway It isn 't on any of the streets I mentioned . contradictory +White describes his wife Katherine , who , very sick in the fall of the last year of her life , goes out into the garden , as she has done every year before , to plant the spring bulbs she knew she would never live to see rise . White says his wife was very healthy . contradictory +He was naked , old , and small . He was a fat , young man wearing leather clothes . contradictory +the guys would and the guy would give her the old records She enjoyed preserving history in the form of old records . neutral +George W. Bush takes both covers . Mr. Bush takes them both . entailment +For example , a button is provided at the end of each EPA press release that immediately permits the interested public to file a comment on the announcement . The public is encouraged to comment on the EPA 's website . neutral +and i don 't know why they do that do you have any reason do you know of any reason why they do that I really do not like when they do that . neutral +Perhaps , then , corporate rebirth is a fitting tag line . Corporate death is the best suited title contradictory +The climax is the publication of a book that takes the plaintiffs ' side and that remains on the best-seller list in hardcover and paperback for years . The book did not take the plaintiff 's side . contradictory +Mons Meg , a gun weighing 6040 kg ( 6.6 tons ) , was a gift to James II in 1457 from his wife 's uncle , Philip the Good , Duke of Burgundy . The gun was a wedding gift to James II . neutral +( You can just throw them in the washing machine , if the kids ' sandy clothes haven 't stripped the gears yet . ) The washing machine for sure works . contradictory +see i would i always come look at it do they have could they be put even in life imprisonment could they be put to useful labor They could do work while in prison . entailment +want to be uh you know showing on movies and television Have no desire to be broadcast on television or in movies . contradictory +It also points out that the rule imposes no affirmative compliance actions by any entities to which it applies . The rule is effective . neutral +Allowances for States with Emissions Rates at or Below 0.80 lbs / mmBtu Section 415 is existing Section 406 , which provides additional formulations for Phase II allocations with no substantive changes . Section 406 has more formulations for Phase II allocations than were addressed in previous sections and tables . neutral +The two available sources , both authored by Michael Jones-Lee , derive significantly differing adjustment factors , and reflect reflecting the overall uncertainty within the literature about age-specific VSL adjustments . Jones-Lee authored one available source . contradictory +News ought to shy away from horse-race headlines such as Caltech Comes out on Top . Horse racing is a dangerous and lucrative enterprise . contradictory +Is engraved paper really worth it ? Engraved paper is the obvious choice . contradictory +Hours before , Netanyahu had given a speech insisting that Israel would not halt the rapid construction of a controversial housing project in East Jerusalem or make further concessions to halt terrorism . Netanyahu spoke to the Irsrali government . neutral +But in fact the money quickly disappeared , as speculators--certainly including the oligarchs themselves--converted rubles into dollars as fast as the dollars became available . Dollars were being converted into rubles by the oligarchs themselves . contradictory +Apparently , VR provides the ultimate high . VR isn 't that great at all . contradictory +Well , I can offer you little firm evidence at this juncture . I don 't know enough to share good information with you . neutral +From here there is a fine view of the blue-and-whitewashed city . From another perspective , you can observe of the blue and whitewashed city from a fantastic scenic picture . neutral +You can tour the pyramids on foot , or take a camel or horseback ride between the main sites . Locals rent their horses and camels to visitors that don 't want to walk . neutral +The first ad , One Person , addresses this complaint in a different way , by situating Clinton 's lies about Lewinsky in a larger critique of his honesty about public matters . One Person had a private interview with Clinton . neutral +what do you going What are you doing here ? contradictory +and my mom wanted some pants so she laid out the material and i cut it and sewed it and she paid me i think like two dollars a pair to make her some pants Since my mom wanted some pants , she laid out the material , and so I cut and sewed it . entailment +The Israeli press , which historically has respected the agency 's request not to probe its workings , splashed these stories across the front pages . Israeli media usually repects agencies wishes , but published the story anyways . entailment +The Malay martial art Silat came from Sumatra some 400 years ago . Thousands of people participate in Silat now . neutral +His absolutist followers smear Hersh as a fabricator . Hersh has never been accused of having an ulterior motive . contradictory +'Mission , ' Greuze considered , ' might be too strong a term . Greuze said MIssion might not be the right word . entailment +yeah well that 's it you know i i i think we both agree it 's it 's one of those deals that uh i just think there 's a lot of other problems right now and uh we 've done a lot to take care of it We should pay more attention to other problems . neutral +Let 's think about what can have happened to Tommy . Tommy was almost struck by a truck today . neutral +Sorry about that . Pardon me . entailment +you know i don 't really get terribly interested in that I don 't get interested in that . entailment +A small Greek Orthodox church commemorates the event . No one has ever built anything to commemorate the event . contradictory +What 's striking , as Sharon Hays recently pointed out in The Cultural Contradictions of Motherhood ( 1996 ) , is how tenaciously we cling to intensive motherhood , as she calls this ambitious mission , despite its increasing impracticality and despite how guilty it can make us feel . Intensive motherhood can make us feel bad about ourselves . entailment +get some thoughts in the meantime if i had some you know think about it ahead of time I am still thinking of some projects that I could do . neutral +It is extremely important that these rules and regulations be known , understood , and complied with by all persons responsible for , or otherwise involved in , performing testing activities . It isn 't really important that those rules and regulations be understood and complied with . contradictory +Source references will be provided in paragraphs .100 - .599 to indicate the original statement from which material was drawn . Some references are in the 10th paragraph . contradictory +Bully for you , cried Julius . Julius said nothing at all . contradictory +The royal quarters have changed little since that time . The living areas have all been upgraded with a completely modern design . contradictory +What on earth does this mean ? I asked , surprised . I wondered what it meant . entailment +By contrast , commercial companies must develop high-quality products quickly or they may not survive in the marketplace . Some companies spend a great deal of money developing their products . neutral +The guidance needed to comply with this act is contained in GAO 's StandardsforInternalControlintheFederalGovernment7 and OMB Circular A123 ( revised June 21 , 1995 ) , Managementand AccountabilityControl . What we need to comply with this act is contained in the website . contradictory +Dave reached to adjust his glasses , and found again that he wasn 't wearing them . Dave went to adjust his glasses without realizing he was not wearing them . entailment +yeah but even even cooking over an open fire is a little more fun isn 't it Cooking is not fun outside . contradictory +While rulers fought for control of the Ganga valley , new invaders appeared at India 's frontiers ; Cyrus , Emperor of Persia , crossed the Hindu Kush mountains into the Indus valley in 530 b.c. Rulers fought for control of the Ganga valley so they had better trade routes . neutral +We hope you 'll find the revised layout more user friendly . The layout will never change . contradictory +but made mother smoke it up just in case , Mother didn 't smoke it at all . contradictory +The recommendations were adopted by the Chicago and Illinois State Bar Associations , and , along with an appendix of existing and proposed implementation measures , submitted to the Governor , the Illinois General Assembly , the Illinois Supreme Court , local governments , state agencies , legal services programs , bar associations and individual lawyers . Chicago and Illinois State Bar Associations did not adopt the recommendations . contradictory +Competition was designed to improve quality . Competition between companies was designed to raise quality . neutral +Others may feel that the money would be better spent in paying the defense industry not to produce the latest round of high-tech weaponry , thus saving us the expense of generating still more lethal weapons when the current crop inevitably falls into the hands of our enemies . Lethal weapons are perfectly safe for lending to anyone in the world . contradictory +What do you think I mean ? parried Tommy , searching desperately in his own mind . What do you reckon I mean ? Tommy warded him off , while he thought of an answer . neutral +He emphasized that the sequence of the recommendations did not imply a priority order . The recommendations are all arranged in priority order . contradictory +Issues in Data Synthesis . There aren 't any problems at all when synthesizing data . contradictory +Risk assessment is the identification and analysis of relevant risks associated with achieving the objectives , such as those defined in strategic and annual performance plans developed under the Government Performance and Results Act , and forming a basis for determining how risks should be managed . Plans are developed multiple times per year . contradictory +where you you start dealing with Guam it 's like you know flying over all these other places to get there Guam is fairly isolated--to get there , you mainly fly over only ocean . contradictory +In this regard , it serves as a communications conduit between management and the information systems staff who design , build , and implement new applications . The information staff don 't implement new stuff , but just test-run them . contradictory +Poison dust filling their chests , stealing life with every breath . Fresh air filled their lungs . contradictory +Brief interventions may play an important role in motivating such patients to accept a treatment referral or can be used to establish motivation while waiting for access to publicly funded treatment . Brief interventions might play a role in getting patients to accept a treatment referral , especially if they are unfamiliar with that doctor . neutral +So head first for the tourist office on the huge Place Bellecour , in the middle of the Presqu 'ile , the peninsula between the two rivers . The tourist office is on the right side of the Presqu 'ile . contradictory +The FCC estimates that there will be 3,251 respondents with an estimated burden cost of $ 3,192 per respondent , and the total annual burden hours are estimated at 145,895 . The FCC estimates that 300 respondents will show at a cost of $ 100 each . contradictory +you know i and and you know at a time when they 're afraid of their shadow all they need is you know some skunk or something to rub up the outside of the tent they 'd be awake all night There 's no way to avoid being easily spooked while camping . neutral +White wines and fresh water farm raised fish We drank white wine and feasted upon salmon raised in a local pond . neutral +yeah it would uh serving yeah serving on the jury would be definitely more responsible you 'd have to be a definitely more responsible person Having a jury is a poor idea made for poor people . contradictory +You can also find good offshore conditions at Naxos , Samos , and Kos . There are good offshore condidions at Naxos . entailment +DiGenova also represents another House committee chairman , Dan Burton , the goofish Indiana Republican . Dan Burton is an Indiana Democrat . contradictory +An ' th ' Old Man took him a crease ' crost th ' ribs that made him bleed like a stuck pig . The Old Man ignored him and pretended he could not care less . contradictory +Lindsay helped out at Georgia Legal Services by working on benefits cases , such as Social Security and Medicaid claims . Though the work was hard , Lindsay loved to work on benefit bases . neutral +In addition , the team should not commit to making conclusions or recommendations based on the data unless the team expects to be satisfied with the data reliability . The team does not rely on the data at all when it comes to making recommendations . contradictory +um-hum back when they were in Saint Louis They used to be from Saint Louis . entailment +The date 1670 and coat of arms were added to the gateway by the Dutch East India Company . The Dutch East India Company built the gateway in 1670 . neutral +Traditions also identify the complex structure containing Mary 's Tomb as the burial places of Joseph and of Mary 's parents , St. Anne and St. Joachim . Mary 's Tomb is large enough to fit the remains of several people . neutral +wow how about that that i 'm not quite as mechanically inclined although that some of the the basic things that you need to do for uh the maintenance of your warranty on a vehicle I have to take my vehicle to a mechanic to complete the needed work . neutral +The EPA finds that the benefits of a 590,254 tons of hydrocarbons reduced per year by the rule more than offsets the increase in oxides of nitrogen of 25,440 tons per year which will result . The EPA sees no benefit in reducing hydrocarbons . contradictory +What ? The cry of surprise was universal . Everyone was equally surprised by the situation . entailment +They know now that I betrayed them . I betrayed them and now they know . entailment +Scott Crocker , executive director of Kentucky Legal Aid , which serves western and southern Kentucky , said his office will lose about $ 260,000 out of a budget of about 2 million . They would be gaining $ 2 million to their budget . contradictory +Auditors should report significant deficiencies in internal control considered to be reportable conditions as defined in AICPA standards . The AICPA standards define what should be considered reportable conditions . entailment +It will be pointed out again and again that Bradley is just as awkward a campaigner as Gore . Both Bradley and Gore needed to practice so they could campaign better . neutral +the Broncos oh yuck i hate them I love the Broncos . contradictory +that after all they 're only people too in that they 're subject to corruption just like any other human being and they do have a lot of power They do have a lot of power , but they 're subject to corruption just like any human being . entailment +are the uh Oldsmobiles that you 're looking at are they the demos or they used are they new Are the cars you 're looking at for scrap only ? contradictory +The Organisation for Economic Co-operation and Development provides a setting in which 30 member countries can discuss , develop , and perfect economic and social policy . Only 5 members are allowed in the organization at a time . contradictory +In 1984 Charles Murray wrote , in Losing Ground , that government programs sap the initiative of the black population , creating feelings of dependency and entitlement . Charles Murray feels that government programs create feelings of dependency and entitlement in black populations . entailment +How like a man ! He 's so not a man ! contradictory +and then i would just go on Saturdays but since the first of the year neither one of us have been going We have been going everyday since the year started . contradictory +Mir 's life span has been extended well past what it was designed for , as Russia cannot afford a replacement . Russia is replacing MIr tomorrow . contradictory +any clean and dry plastic bag so i keep and the thing is i hardly have room now for all the things that we 're saving it to recycle so right outside the back door i 've got the two burlap bags hung up for the cans and bottles Because I have so much stuff to recycle , I have to keep the cans and bottles in burlap bags outside . entailment +Apartments also available . There are also apartments for rent that have kitchens . neutral +( Frosh , by the way , seems to have come from the German for frog--it was a 19 th -century nickname for members of an entering class of German university students . ) Frosh was a nickname that can be traced back to 19th century Germany . entailment +How it is formulated has understandably been a longstanding interest of the Congress . Congress has had a well-established interest in its formulation . entailment +The net effect on national savings , and therefore on overall economic growth , is zilch . The project had been sold as a sure way to boost economic growth by three percent . neutral +but i i did read the book i have do have i have six years of college so i did read and study about the Vietnam War though so i am pretty familiar you know i 'm more familiar with it than I don 't know much about the Vietnam War . contradictory +so uh i do although i 'm a lawyer 's daughter and i have lawyer 's and judges on both sides of the family and uncles and cousins and things like that i really Well , I do , but my family is deeply involved in the legal profession . entailment +i tend to not want to go anywhere after that but this way you know you can go to the fitness center right from work and they have aerobics and you know all this machines and all that sort of stuff we 're not we 're not high rollers like Dallas we don 't have a pool but The fitness center has a pool and nothing else . contradictory +What are you going to do now ? What will you do at this point ? entailment +Even under a reformed independent prosecutor law , a president would be more at risk of prosecution--or at least of public exposure and humiliation--for this transgression than the ordinary citizen . The reformed independent prosecutor law makes it harder to make the President 's affairs public . neutral +The shows are usually pretty touristy , concentrating on the more cheerful cante chico ( light song ) rather than the deep , emotional cante jondo ( song of the soul ) . The shows are touristy . entailment +Which fencing instructor taught you that ? The Voth did , " said Jon . Jon said he had been self-taught . contradictory +I 'm a friend of Jon 's . Jon and I know each other . entailment +She bore two sons who both died in infancy , but by the time she was about to give birth to their third child , her husband lay dying at Falkland Palace . Her husband lay dying at Falkland palace after she had bore three sons . entailment +Who were those men ? asked Ca 'daan . Ca 'daan knew each of the men personally . contradictory +No , I tell ya , and then he says who that woman is ... He asked if the woman was related to him . neutral +But she was very good to us Belgians , I owe her a debt . " I endeavoured to interrupt , but Poirot swept on . She didn 't help Belgians at all . contradictory +Tommy felt the strain telling on his nerves . Tommy was under a lot of stress entailment +The proposal -- complete with a line-item budget and commitments from participating experts -- is expected to reach the state Department of Health by July 8 . The Department of Health will deliberate about the $ 1,000,000 budget when they get it . neutral +The Barrage Vauban ' remains of the fortifications Vauban built for Louis XIV ' spans the Ill to the west . Vauban built the fortifications in return for a large estate in Normandy . neutral +Moreover , the demand assumptions do not consider any efficiencies that can be achieved at multiple unit installations or installations of multiple technologies at a site . The demand assumptions do not take into account efficiencies from numerous installations . entailment +so what kind of benefits do do you have in your job that you think is uh very important How is it that you have no benefits where you work ? contradictory +It is destroyed , but is it destroyed ? The tornado decimated the house . neutral +Perhaps the story worth telling about Bush 's military service is not whether it was cushy or patriotic , but how it was both . Due to his family 's connections Bush 's military service was cushy . neutral +I apologize , sir , said Ca 'daan unsure of the proper pleasantry . Ca 'daan refused to apologize . contradictory +Hotels in East Jerusalem do not offer kosher facilities . East Jerusalem hotels always provide kosher food . contradictory +Each community celebrates its own Saint 's Day , or panagiraie , when the sacred statue is paraded through the streets . Every community has its own patron saint , and they keep the statue in the church . neutral +Natural dark-haired beauty--despised or exoticized for eons by Europeans , Britons , and Americans--has at last been universally recognized and welcomed . Despised or exoticized for eons by Europeans , Britons and Americans--the natural dark-haired beauty--has at last been universally recognized and welcomed . entailment +That is good . That happens to be a desirable outcome . neutral +Even in Kuala Lumpur as modern an urban sprawl as you could imagine , criss-crossed by expressways and bristling with skyscrapers a construction site abandoned a moment too long to the tropical sun and rain will soon sprout a luxuriant growth of lallang ferns and wild creepers . Kuala Lumpur is a popular destination due to its urban sprawl and tropical sun and rain . neutral +uh Texas has got it rigged to where i can 't shoot the guy can enter my property and i can 't shoot him but once he 's physically inside my house uh the law reads to where you can defend yourself if you feel your life is being threatened yeah at two o 'clock in the morning if somebody 's in my living room i feel real threatened so i 'm going to come out with guns blazing I can shoot people if they enter my house . entailment +and if they were uh if if if i had no doubt that uh they would be a hazard to to the rest of uh the population as long as they were alive uh yeah i could probably go along with that Even if they could be changed , I would do that if they were that dangerous to people . neutral +Every world-class organization should have a set of core values , and so should our profession . World-class organizations don 't need values so much as they need the ability to get things done . contradictory +This site provides a means of acquiring the Australian / New Zealand Standard 4360 : Risk Management . Standard 4360 can be acquired through this site . entailment +So , why not just develop a convenient cat allergy ? Why don 't you pretend you can 't be anywhere near cats ? neutral +But my pager went off before I could start . However , my pager stopped before I started . entailment +I don 't see why he wished to be arrested ? " I cannot understand why he would have had a desire to be arrested ? entailment +But could other teachers follow his example ? Is it possible that other teachers followed his example because he was a natural leader ? neutral +A key difference between measuring the nation 's saving and gauging a household 's finances is the treatment of changes in the market value of existing assets . Measuring the nation 's saving , and gauging a household 's finances are similar . contradictory +He ain 't bad . He isn 't bad if you like them rugged . neutral +Popular , informal dairy restaurant with an Italian bias good pizzas , interesting pasta dishes . It has lots of Italian dishes and pizzas . entailment +Also out of town , you can see a reconstitution of Dom P ? ? rignon 's famous 17th-century cellar and laboratory in the abbey museum of Hautvillers , just 6 km ( 4 miles ) north of Epernay . The abbey museum of Hautvillers is south of Epernay . contradictory +New Zealand and the United Kingdom held their program managers accountable for efficiently providing specific goods and services . New Zealand were the ones to firstly initiate their program managers accountability program . neutral +The past is gone . We can 't go back to the past . entailment +I will find good men of value to teach us and defend us . Good men are required to teach and defend us . neutral +yeah yeah they 've got they 've now they 've got some good videos They have some good vibes nowadays . entailment +it costs twenty five thousand dollars per inmate per year just to keep them locked up that doesn 't count any medical or dental health they get Keeping inmates locked in costs about five thousand an inmate a year . contradictory +There were other changes , too . Also , there were no changes . contradictory +Bah ! she said . She did not like the result but she couldn 't do anything . neutral +GAO 's congressional policies and protocols apply to all investigative work conducted by the Office of Special Investigations unless an exception is specified herein or noted in advance . GAO has dozens of congressional policies and protocols . neutral +Instead , San 'doro had jerked at the sound and it drew a line against his left shoulder blade . Something drew a line against San 'doro 's shoulder . entailment +The voluntary process has resulted in some movement toward better reporting , but it is very slow moving . The reason for the slow changes is because it 's hard to change long-standing professional attitudes . neutral +yes and so oh i started out with college and then went to high school and then i preferred the high school age level much better than i did the college because you have a closer relationship with the uh students Each of the age levels have their perks . neutral +In Paris Friday , Le Monde ' s main story was that the French are the drunkest people in Europe , with 2 million of them dependent on alcohol . Le Monde 's main story in Paris Friday was that the French people are the most drunk people in Europe . entailment +and he 's cutting it down so that 's all right flower beds are all right anything as long as it doesn 't rub up against the siding Anything is ok so long that it doesn 't rub with the siding . entailment +The wines and seafood are good and abundant , and there 's plenty for families with children to do . Seafood is hard to come by but , venison and beef are common . contradictory +Also , the routine random inspections used by U.S. government agencies such as the Occupational Safety and Health Administration and the Environmental Protection Agency are almost exactly like those planned under the CWC , and these have been found constitutional . They were charged for trying to do the unlawful inspections . contradictory +On what was once a Celtic burial ground ( originally named Mont-Tombe ) , the bishop of the nearby town of Avranches began by building an oratory in the eighth century ' at the prompting , he claimed , of the Archangel Michael . The bishop of Avranches claimed the archangel Michael told him to destroy the town . contradictory +A society of complexity and sophistication has been unveiled , one that had urban planning , heating , sanitation , and a standard script . The society has heating , sanitation and urban planning , it is complex . entailment +The Folies Bergares ( rue Richer ) , which launched the careers of Josephine Baker , Mistinguett , and Maurice Chevalier , and the Lido on the Champs-Elysees are both classic survivors . The Lido has been closed for decades . contradictory +Just before the R97 case was filed , when many in the community were concerned about the size of the Service 's request , I suggested that a case calling for rates to be phased--in over time might help avoid the rate shock that comes with large , double digit increases . The size of the Service 's request had no effect on the R97 case . contradictory +In a sidebar interview , Bill Cosby lambastes trashy black TV shows and movies . Bill Cosby dislikes trashy black shows and movies . entailment +Museo Cerralbo ( c / Ventura Rodriguez , 17 ) , another nobleman 's collection bequeathed to his country , is more like visiting an art collector 's 19th-century house than a museum ; few works are identified or marked . The Museo Cerralbo is more like a collection than a museum . entailment +This could indeed lead to a slump--but need not if the management were alert and responded by simply issuing more coupons . The management is the cause of any slump we encounter . contradictory +uh she works at home some though She does some work from home , however . entailment +I bolted around a corner , almost ploughing into a small family . I ran around the corner and came face to face with a mom and two kids . neutral +There will always be localized Italian-American gangs , but a wide network of criminals who have their hooks into organized labor and adhere to a code of silence ? Will there always be big , organized groups of criminals who follow certain rules ? entailment +During the registration process was so competitive , it ended in violence . The registration process was peaceful and without violence . contradictory +The soaring white tower successfully integrates traditional Islamic architectural themes pointed arches , delicate open tracery with its otherwise modern design . There can be no integration between Islamic architectural themes and modern design . contradictory +Messages about alcohol don 't come out the way you say them when they 're broadcast , he replied . The broadcast quality was so poor that the message was lost . neutral +Down on the right is Maxim 's restaurant , which began as an ice cream parlor and is now a monument more venerable than the Madeleine . Maxim 's restaurant was originally an ice cream parlor . entailment +The effect is sublime and utterly unforgettable . You will be glad you booked an appointment with them to get such grand treatment . neutral +Take the case of the late Ron Brown , who was accused of selling favors to the Vietnamese government for a price of $ 700,000 . Ron Brown was accused of selling favors . entailment +i uh we i listen to country and rock and classical jazz is probably my least favorite although i enjoy it too I listen to country because my father listened to it . neutral +Deprived of their chief , the organization fell to pieces . The chief of the company was killed off . neutral +Beresford has just said that I would not have believed Sir James Peel Edgerton to be guilty unless , so to speak , he was caught in the act . Beresford knew that i would blame Sir James Peel Edgerton even without evidence . contradictory +The Government Performance and Results Act ( GPRA ) is the primary legislative framework through which agencies will be required to set strategic goals , measure performance , and report on the degree to which goals were met . The GPRA was enacted in 1989 . neutral +The lives of saints Lawrence and Stephen are depicted in delicately subdued pinks and blues . The color scheme used to depict Stephen 's life is subdued . entailment +Juan Gonzalez yeah he looks to be a a up and coming uh performer Juan Gonzalez has been playing really well this season . neutral +That would be like the untrained 6-year-old who gets daddy 's Glock down from the closet shelf , or the drunk boyfriend who gets out his old service revolver and goes over to ex-girlfriend 's house , or your convicted-felon neighborhood drug dealer who bought his streetsweeper from a guy who , it turns out , bought three dozen of them at a gun show . It is dangerous for guns to be so accessible . neutral +well uh we 'll just open it okay i 'll press the one ready Let 's open it , tell me if you 're ready and I 'll press the one . entailment +This is the oldest theatrical form , strictly speaking , and also the most austere and demanding . This , the oldest form of theater , is also the most difficult . entailment +yeah but the error is on the part of the lab not on the sample in other words if somebody makes a mistake in what they 're reading then they 're not going to get the same reading the second time The error was on the lab 's part . entailment +well sure i think anybody can can win on a given night but they have so much talents and the average age on that team is twenty two years old they 've got a lot of fifth year seniors that are playing That team has so much talent ; the players ' average age is 22 , and they have a lot of fifth-year seniors . entailment +It was important to find a new island location where they could recreate the site , and one was found only 300 m ( 900 ft ) north of the original setting . It was recreated in another location to exacting specifications . neutral +it and it goes toward different things it 's for you know for vacations like i said for you know emergencies like for car uh breaks down something like that uh and we also put money aside for our kids college We could use it for vacations , emergencies , car break downs , those kinds of things . entailment +It 's great fun helping the keepers open the locks . Assisting keepers with the locks is very fun . entailment +Jack all right yes yes we 've been here we 're we 're in Plano but we 've been here about uh eighteen years We really like living in Plano . neutral +yeah i guess so i like some classical some of that stuff grates on my nerves too like you were saying earlier about the other i just stir up but there are some pieces that are really pretty There are a few classical pieces in particular that I enjoy . neutral +On either side lie the ruins of sepulchres of 20 generations of patrician families . Patrician families enjoyed many more privileges than plebeians , but met the same fate in the end . neutral +So much Slim realized to be true . Slim realized nothing was true , contradictory +The trip to the top station takes just 90 seconds . You can reach the top station in about one and a half minutes . entailment +yeah yeah that 's true yeah i and i haven 't haven 't noticed that up at Spring Creek no , i don 't think so , i 've definitely seen that happening at Spring Creek contradictory +During the twentieth century the compound of nationalism with socialism has become the nearly universal practice for all states ... Most countries use nationalism to further their military agendas . neutral +hum that 's interesting I think that that is interesting . entailment +and uh the polls are open what was it a couple of weeks uh the hours are good and it they 're even open on Saturdays and a couple of Sundays The polls are closed on weekends , sometimes even during some week days . contradictory +okay yeah this is this is actually the first time i 've i 've had someone call me so I 've done a lot of phone surveys , but never one like this . neutral +yes yes um-hum um actually uh my wife is Syrian um so i i also i know some of the history and so forth My wife is Irish and has no Syrian ancestors . contradictory +um i try to ride the stationary bicycle everyday about five miles Every day I like to do some spinning . entailment +This result lends support to the Panzar 's suggestion of opening processing and transportation to competition while maintaining a monopoly in delivery . The Panzar suggested that delivery be opened up to competition . contradictory +So it is not surprising that when bubonic plague struck in 1894 , it took nearly 30 years to fully eradicate it . The cause of the bubonic plague were rats . neutral +Croseat the beautiful Sant 'Angelo Bridge , one of 20 croseng the Tiber River . The London bridge crosses the Tiber River . contradictory +The appeals court rapped the agency for its scare tactics , saying it must base its conclusions on solid facts and a realistic appraisal of the danger rather than on vague fears extrapolated beyond any foreseeable threat . The agency was using scare tactics . entailment +It can be reached by bus , suburban railway line , or cable car ( teleferico ) . The only way to reach it is by boat or airplane . contradictory +The masterpiece of Ellora is the Kailasa Temple of Cave 16 . Cae 15 is the Kailasa Temple . contradictory +what do you think of this weather What is your opinion of the weather currently . entailment +( Countering a question about tackiness , Dexter says , You should see what we turned down-- ' I Have a Dream ' ice cream , Martin Luther King pocketknives . Dexter turned down a number of tacky items . entailment +DIFFERENTIAL COST - The cost difference expected if one course of action is adopted instead of others . The best course of action is the cheapest . neutral +Lola , Edward 's daughter , was a pimply teenager deeply insecure about her face . Lola just started going through puberty . neutral +yeah i don 't mind that um my husband never cared for fast food so we didn 't go that often but you know i have no problem with uh going to a McDonald 's or a Wendy 's or uh I have no problem with the food they serve at Wendy 's . neutral +unless you buy it from i say somebody you know you know like from a family member or a like that one Unless you purchase it from someone you really trust . entailment +So here is the bottom When marital issues are negotiable , we are in the domain of the Coase theorem , where no-fault and mutual consent do equally well and where covenant marriage is always a mistake . When marriages can be negotiated , covenant marriages are a bad idea . entailment +We 're all out here just looking for the Truth . We are all willing o work day and night to find the truth . neutral +Hill said that Thomas , as her boss , had persistently pestered her in late 1981 and 1982 to date him and talked dirty to her about pornographic movies and his own sexual prowess . Hill worked for Thomas at one time , when he sexually harassed her in the early 1980 's . entailment +Several of the walks pass through or close to the Malaysian Agriculture Research Development Institute , just a few kilometers from Tahan Rata . The Malaysian Agriculture Research Development Institute is close to Tahan Rata . entailment +What follows the incredible spree of productivity that lasted from 1947-50 is a kind of brownout . Things seemed to simmer down after the boom of productivity from 1947 to 1950 . entailment +In particular , applying the model demonstrates that the burden of USO is very great for Poste Italiane and other posts with small per capita volumes . There is no burden on small volumes . contradictory +With this retrospective , the newspaper photographer Arthur Fellig a k a Weegee ( 1899-1968 ) is judged a technical virtuoso , a great artist , and an inspiration to his followers . Arthur Fellig was born after the first world war . contradictory +Be careful , Mr. Inglethorp . Poirot was fidgeting nervously . I didn 't want him to get hurt . neutral +After the collapse of the apartheid state-security apparatus , worldwide crime syndicates from Colombia , Nigeria , and Thailand set up operations in South Africa . South Africa was left alone by international crime rings after apartheid state-security collapsed . contradictory +These visitors of mine had their atomic bomb , or whatever their equivalent was on their own worlds , and survived it , because they didn 't give up . Luckily , my visitors have not yet had their atomic bomb . contradictory +time uh-huh yes i just i would just be i would love to see them just really get real strict on parole I think they should ease up on parole . contradictory +Economists use several theories to explain what motivates people to save . Economists have curiously failed to develop a theory concerning the reasons why people save money . contradictory +'Or ... Abraham or ... whatever ... Are you actually going to be killing me or arresting me or something ? Because if not , this conversation is beginning to get a little existentialist for my taste . ' Abraham is likely to kill me or arrest me . neutral +If not , the complex has other diversions , including cafe and a number of shops selling Scottish products from tartan and tweed to whisky . You can 't find any Scottish products from the complex . contradictory +One leads through the fertile lands of the Nile Delta , past fields of cotton , rice , and numerous fruits and vegetables . You go through infertile lands around the Nile . contradictory +He has not been forgiven . There is still a grudge against him . entailment +um-hum yeah um-hum yeah but i think in between we got a a group of kids a generation of kids who didn 't learn to take responsibility because mom left to go get a job and dad didn 't move in to fill the gap and so basically no one was taking the responsibility and i i think that 's happened in a lot of cases When I was a child I had a lot of chores that I had to do . neutral +These three central agencies , referred to collectively as the principals , established the Federal Accounting Standards Advisory Board ( FASAB ) in 1990 . These three principals central agencies , established the FASAB in 2010 . contradictory +Drab state-owned stores are a thing of the past . State-owned stores are no longer in existence in the present . entailment +It is the common glue that binds us . It 's the wedge issue that drives us apart . contradictory +well that yeah if the guys got some incentive if he 's got uh you know if if he if he can raise enough uh coffee and bananas to uh where he 's got something to protect other you know whether he can export or at least uh set up trade and all then democracy of a considerable interest to him If he can get enough coffee to trade he could trade them for things he needs neutral +A stream of the stuff dripped down the crone 's breasts , eating the skin away where it ran . It healed the skin anywhere it touched . contradictory +The Tourist Bureau ( 4 la Canebiyre ) has laid out a two-hour fil d 'histoire that allows you to explore the old city on foot ; there is also an innovative choice of tours conducted in air-conditioned taxis equipped with recorded cassettes ( Taxi-Tourisme ) . The Tourist Bureau has spent a considerable amount of time and money designing ways for tourists to explore the city . neutral +Also , he said the phrase alcohol problems does not always include risky drinking and problem drinking , so he suggested adding risky and problem drinking to the recommendation . He doesn 't think that drinking in certain environments is any worse than drinking at a bar . contradictory +Rather , the Thernstroms shift attention to liberals who criticized these actions but didn 't themselves live in the contested neighborhoods . Liberals critical of these actions gained attention from the Thernstroms . entailment +To the east , the grand Byzantine citadel of Ravenna dominates the seaside resorts lining the Adriatic . The Grand Byzantine citadel is dwarfed by nearby resorts . contradictory +The latter includes Rodin bronzes , Picasso ceramics , Matisse 's Madonna sketches , and designs for ecclesiastical robes and , rather unexpectedly , a grotesque Francis Bacon pope . Although it is unexpected , there is a grotesque Francis Bacon pope . entailment +The authors of the Clean Energy Future ( CEF ) report describe their analysis as an attempt to assess how energy-efficient and clean energy technologies can address key energy and environmental challenges facing the US ( Brown , et al , 2001 ) . The United States is faced with environmental challenges . entailment +No , I don 't , Thorn paused again . Thorn paused after speaking . entailment +System dispatch , which determines the proper and most efficient use of the existing and new resources available to utilities and their customers , is optimized given the resource mix , unit operating characteristics , and fuel and other costs . System dispatch determines how best to use the resources . entailment +and boating and horseback riding although i 'm recovering from back surgery so it 's going to be awhile before i can do either one of those This back injury has put a permanent stop to my passion for horseback riding . contradictory +right yeah the only thing i don 't like about them is weeding around them because they get so sharp pricky things get in your hands I don 't like how they get sharp pricky things in your hands . entailment +Then Lehman hit into the rough by the 16 th green and lost a stroke . Lehman lost a stroke when he got into the rough around the 16th . entailment +Tommy was annoyed . Tommy was frustrated . entailment +Shall we say payment of services in advance ? " Whittington grunted . Advanced payment of services makes it certain that the services will be paid for . neutral +and you pour the beer over the top of it and you cover it and you only cook it until the mixture begins to boil Pour in the beer , cover it and bring it to a boil . entailment +uh we have a lot of different things right now we save about twenty five percent of our of our pay We have alot , but we save 25 % of our paychecks each pay period . entailment +Since Cockburn cracked wise in 1982 , the news business--especially the TV news business--has grown more aggressive and competitive . The news business has become moire aggressive since 1982 . entailment +But people want to spend money on things they feel connected to . People prefer to spend money on what they feel good vibes on . entailment +As a matter of fact , I guess that 's what they did think at first , and , in a way , it was dangerous for me . I was dangerous if they thought of me like that entailment +The sensitivity of cost to volume for a postal system can be investigated directly provided the ratio of fixed to variable costs is known by function . Postal system costs are strongly linked to volume . neutral +Barnam shoved hard with his left hand . The woman kicked with her left leg . contradictory +It had a technical problem--too many people chasing too little scrip--which could be , and was , solved with a little clear thinking . There was an issue that could be resolved with some ingenuity . entailment +so you know realistically you know we had we really had to start we have to start recycling in some some uh geographic areas it 's really tough We have to start recycling . entailment +In a research protocol in England , nurses were trained to screen all emergency patients with CAGE and then provide feedback . The nurses were trained as a group . neutral +yeah they used to have and what do they i don 't know what the percentage is now they used to be taxed thirty percent At one point they were getting taxed to the tune of 30 percent . entailment +The key to accumulating wealth for retirement is simply the choice to save , although investment choices also matter . If one wants to accumulate wealth for retirement , one should neither save nor invest . contradictory +The story is oddly competitive , keeping score between the genders on strength , agility , and aggression , and mischievously wondering which sex should rule . The story does not tally gender strengths and weaknesses nor make any other comparisons based on sex . contradictory +Tours of the chateau are self-guided and there are impressive formal gardens and a large park . The cost for entry is a mere 3 Euro , with all proceeds going to charity . neutral +The new 68-county legal aid organization has yet to be named and stretches from El Paso to Corpus Christi , Harlingen to Austin . There is a legal aid organization that spans 68 counties . entailment +have you have you tried getting outside estimates to see what it costs to have something painted Are you just going to do it yourself ? contradictory +It is now on display in the museum , along with tapestries that adorned the walls of the unheated hospital wards to keep the patients warm . The hospital wards have since been closed and the building is now owned by a bank . neutral +He replied dryly . He always replies without humor . neutral +Following the Act of Union with England in 1707 , the castle lost its strategic importance but later , in Victorian times , experienced a rebirth . The Act of Union with England made the castle even more important . contradictory +Immediately inside the gate is the richly decorated Throne Room ( Arz Odase ) , where the sultan received foreign ambassadors . The Throne Room was covered with the heads of foreign ambassadors who fought with him . neutral +they have to be short enough that they 'll still fall back down um into the grass It can be as tall as you want and it doesn 't have to be able to fall down . contradictory +I think pro bono ought to be that . That is the worst example of what pro bono ought to be like . contradictory +yeah they have Yes , they have . entailment +That is what rat choice teaches , and nobody has yet proved it wrong--even in theory . No one has proven rat choice teachings wrong yet . entailment +In other words , when a published article in a top journal presents evidence that its hypothesis is true , its hypothesis is probably false . Top journals don 't have good ways to guarantee that the hypotheses of their articles are true . neutral +The film also exaggerates Flynt 's martyrdom for the cause of free speech . The film is realistic , and doesn 't exaggerate Flynt 's martyrdom . contradictory +so are you ready Are you ready to go fishing ? neutral +A most unique Las Vegas experience that borders on performance art . The performance was recently created . neutral +special rights for gays . Gay Bashing contradictory +i mean that is you know just a a rate that you have to pay and uh That is simply the price you are required to give . entailment +History won 't decide Kosovo 's fate . History will decide . contradictory +and it was in the head and the mother said well we won 't worry about that right now and she said i think he shot daddy in the face and mom said well you 're right you know and she just started crying and it was just so sad you know i mean just i want to The dad was affiliated with gangs and drug dealers . neutral +because naturally that isn 't their taste That is definitely their taste . contradictory +But Bork snorted . Burk snorted . entailment +yeah you sure did what grade did you teach or You taught third grade . neutral +You don 't get such books unless you 're at least of student rating . He sighed , then shrugged . You can only access these books if you are a student . entailment +'I don 't trust them to hold up their end of the deal . I don 't have a good feeling about them keeping up their end of the bargain . entailment +Former prosecutor Michael Mazzariello was finally doing the kind of legal work he 'd always dreamed of , but after less than a year of helping East New York 's poor , he 's getting booted from the bodega he turned into an office . Michael Mazzariello used to work as a prosecutor . entailment +For example , with regard to design , information over time-the longitudinal feature of the Information over time can be considered in relation to design . entailment +Second , there is the view that worksharing discounts are needed to make the postal service more competitive , thus helping to stave off threats from competing carriers and electronic substitutes . Electronic substitutes are email and video conferencing . neutral +and and and when they 're available like that people who normally wouldn 't do things like that but momentarily fly off the trigger People snap and can murder others with guns . neutral +i saw it you know i saw part of it again i mean i like you know i like Costner i like Sean Connery and uh there 's this one there 's this one actor it 's really silly that i enjoy him a lot but i i 've really enjoyed him in everything i 've seen him in a guy named Charles Martin Smith I hate most actors , but especially Sean Connery . contradictory +i think so you i i i read a little bit on that that that sounds interesting I haven 't read anything about that because It doesn 't sound interesting to me contradictory +He 60 listened for a moment or two , then tried the handle . He checked for any noises , then attempted to move the handle . entailment +But the Venetians ' empire declined as they lost their taste for the adventure of commerce in favor of the safety of their landholdings . The Venetian empire was in decline . entailment +Cheap consumer goods , crappy fast food , and bland mass entertainment ! Cheap products , bad fast food , and boring mass entertainment ! entailment +It has a staff of about 100 employees , including attorneys and support staff , in 10 branch offices . Each branch had 100 employees . contradictory +This process would yield an estimate for cases that are funded exclusively with LSC resources . The process would be very lengthy neutral +This site contains information on membership , a calendar of events , and links to AFFIRM 's publications . There are links to AFFIRM 's publications on the site . entailment +The squat but angular and moated Castillo de la Real Fuerza ( Fort of the Royal Forces ) , to the north , is one of the oldest forts in the Americas , begun in 1558 . Castillo de la Real Fuerza is one of the oldest forts . entailment +and it 's pretty nice especially during the Summer it keeps everything wet instead of wilting It 's great during the Summer , but it becomes even more important later in the year . neutral +The third anchor in the golden art trio , a landmark of old Madrid , is the Hospital de San Carlos ( c / Santa Isabel 52 ) , which now houses the Centro de Arte Reina Sofia . All the anchors in the golden art trio are landmarks of old Madrid . neutral +It can 't be true . That sounds about right . contradictory +i hate it almost as much as i do France This is wonderful and I love France too . contradictory +Art galleries , jewelers , and fashionable eateries can be found on every corner ; but early in the morning , you 'll have the streets to yourself , so enjoy every detail of the pretty Cycladic architecture . The town serves a classier clientele . neutral +The Amida Hall of Hasedera houses the image of a seated Amida Buddha , endowed by Minamoto no Yoritomo when he was 42 a particularly unlucky age according to popular Japanese belief . The image of a seated Amida Buddha is not housed in the Amida Hall of Hasedera . contradictory +'Yes ... ' And so do you . You like to eat there as well . neutral +Gibson chronicles his long degradation but can 't begin to explain it . Although he has no explanation , Gibson chronicles his degradation well . entailment +COLLECTIONS - Amounts received by the federal government during the fiscal year . The federal government cannot receive money in any amount . contradictory +oh it 's delicious and it goes real good on dandelions um-hum It 's terrible , and it doesn 't go well on dandelions at all . contradictory +Total labor man-hours of construction and engineering labor are then about 365,000 man-hours for a single 500 MWe unit . Besides the total man-hours , the total payment for construction and engineering labor was also given which amounted to $ 250,000 . neutral +But what about Buchanan ? It doesn 't matter about Buchanan . contradictory +Larry Csonka and all them yeah All of them and Larry Csonka . entailment +The quality of case studies can be variable . The case studies have variable quality . entailment +Harris preaches pure capitalism , saying it 's unfair to put a limit on a girl 's ability to make money by auctioning her eggs . Harris believes women should not share their eggs with others . contradictory +The wings , fully extendable into two laser-plasmatic Chronicle series cannons , had changeable colorful modules , which offered possibilities for a game similar to MasterBlind , and a crate on the chain-mail jacket allowed for an intellectual challenge characteristic of the Kubic cube . The wings had changeable colorful modules . entailment +Storr makes large claims for these paintings , seeing them as the first successful attempt to systematize the ' allover ' painting invented by Pollock and Rothko . They did not even mention the paintings . contradictory +Bargaining is not just recommended here , it is almost compulsory . Negotiating is frequently recommended here that it 's almost compulsory . entailment +No matter how much information gets loaded into it , the Internet is never going to transform the dynamics of human behavior . The Internet will continue to change the behavior of humans . contradictory +It was more of a limo , actually . It wasn 't a limo in any way , shape , or form . contradictory +There may be a risk if I 've been followed . It might be a risk if they followed me . entailment +There is just no profit motive . The motive for profit doesn 't exist . entailment +Murray Kempton got this story right in 1955 , in his book Part of Our Time . The Hollywood Communists , most of them screenwriters , were overpaid hacks , not dangerous revolutionaries . The Hollywood Communists were trying to start a rebellion . contradictory +I wore baggy clothes and coats closer to cloaks . I wore lots of long coats . neutral +At the center of the confrontation with the harsh reality of daily life is the concept of karma ; that is work or deed , and the implication that the sum total of one 's acts in a previous life will determine one 's present station in life . According to beliefs about karma , acts in one 's previous life has an effect on one 's station in this life . entailment +He 's not even trying . The man didn 't try at all . entailment +This may be a significant uncertainty in the analysis , but the current state of the scientific literature does not allow for a region-specific estimation of health benefits . Science literature doesn 't allow for a region-specific estimate of health benefits . entailment +They traveled at an angle , the pace set by Teodoro who led a pack mule . They were traveling at and angle , the leader led the pack mule first . neutral +Even when they weren 't ready . When they were ready . contradictory +Postal Service Product Innovations and Special-Purpose Mail Classification Changes Reviewed by the Postal Rate Commission Since January 1 , 2000 Postal Rate Commission reviewed Postal Service Product Innovations and Special-Purpose Mail Classification Changes on Jan 1 , 2000 . entailment +yeah i think what needs to be done is they need to control their spending habits I think they need to control their spending . entailment +no not near as much as i 'd like to i mean i 've i tend to stay pretty busy at my job and uh If my job wasn 't so busy , I do that a lot more . neutral +While he was busy removing the four ancient bronze horses from the basilica 's facade ( since returned ) along with other art treasures to ship back to Paris , he was said to remark that the Piazza San Marco was the world 's most beautiful salon . Four bronze horses have remained at the basilica since it was built . contradictory +Many tailors have Web sites or are listed on Web sites . Tailors cannot be found online . contradictory +well i yeah enjoyed talking to you all right bye-bye I enjoyed my time chatting with you and I want to hang out soon . neutral +The city of Edinburgh is the capital of the nation of Scotland . Edinburgh was just a normal city in Germany . contradictory +but uh but you know it 's good enough to eat and then um there 's uh another place called Pancho 's Course they have to have Mexican food and uh the uh Pancho 's Course does not serve food . contradictory +The Laemmle Theater chain shows top foreign releases , while the Wells Fargo Theater at the Autry Museum of Western Heritage features matin ? ? e heroes such as Hopalong Cassidy and the Lone Ranger . Top foreign films have a home at the Laemmle Theater . entailment +Campbell says views such as his are not more widely known because , Unfortunately , we are absolutely drowned in information coming out of the dairy industry . Campbell is lauded far and wide for his popular views in the dairy industry . contradictory +They use analogies , terminology , and processes that help fuse business and technology interests and ideas together . Technology does not support business processes . contradictory +The commentariat has nothing new to say about Issue 4 , the president 's ongoing legal battles . There has been no shortage of discussion from commentators concerning the president 's legal issues . contradictory +and i think the real problem with this this weird conversion you see signs that say fifty five miles per hour and you know whatever it would be one hundred six kilometers per hour you know people you know it 's hard to take it seriously We should start using the metric system , just like everyone else . neutral +The question is whether Clinton has the nerve . Everyone knows that Clinton has the nerve to do that . contradictory +The Reagan administration cut back funding by a third in 1982 , and then the Contract with America cut funds again , he said . Most people in America did not appreciate the cut in funding as it hurt the economy . neutral +and i record some and then uh we have just totally cut down and we never go to like a video tape rental anymore because there 's always plenty of things that we can record and then watch and then record over it something else I don 't know how to record TV programs . contradictory +Most of the half-dozen men squatting on their heels about a fire were three-quarters bare , showing dusty , brown bodies . Most of the hundred fifty men squatting on their heels . contradictory +Cummins used the knowledge captured from these and subsequent prototypes to refine and eventually validate the manufacturing processes for the engine . Building an engine is complex and takes a long time . neutral +In a more honest world , it wouldn 't be tacky for titans of industry to say they 're leaving to pursue a fully deployed golden parachute as they bail out . The world is currently not as honest as it could be . entailment +I gave you just one chance of saving your dirty skin , and that you wouldn 't take ! " I gave you one chance to save yourself , but you refused it . entailment +Coin changed hands and cries of argument and foul language flowed . They said bad words . entailment +She gets the voice right every time , and that 's really the principal thing . " Tommy did not hear Boris 's reply , but in response to it Whittington said something that sounded like : " Of course only in an emergency … . " Then he lost the thread again . Whittington responded directly to what Boris had said . entailment +a professional mother a person A professional mother and a person . entailment +well when when it use to be Latin i 'm just saying saying that It used to be Latin . entailment +Oh , get out ! Leave . entailment +it does i 've only been up there once in the summer well no i 've been up there twice in the summer but both times it was really pleasant in fact it snowed on us in in gosh when was that we were in Mesa Verde Park and it was like the end of June it was just before July fourth I 've only been there once or twice . entailment +If the audience could have half as much fun as Pearl is having , Payback would be a kick . Pearl is having fun because she is being paid by the hour to have fun . neutral +are you do do you are you at TI in Dallas so so you go to the fitness center You are a janitor in Ohio contradictory +In its Greek form , Judea , it was applied to just Jerusalem and its immediate surroundings . Judea 's Greek form was his most popular and well-known . neutral +Look , too , for Cranach 's Lucryce and Le Repos de Diane , and fine French works by Ingres , Courbet , and Bonnard . Cranach was not French but still made work . neutral +Exchanging stuff for eyeballs makes sense as long as the cost of providing the stuff is less than the value of the eyeballs to advertisers . The value of eyeballs is very high . neutral +oh that 's there for direct yeah the direct sun beating on it yeah yeah that 's right That 's right , it 's there for the direct sun beating on it . entailment +She declared that , for the public realm to function effectively , participants must display a love of glory . A love of glory would allow the public realm to function effectively . entailment +Pity the poor lawyer . Embrace that rich lawyer . contradictory +If requested , GAO will consider either including all of the agencies under the review at a single entrance conference or holding a separate entrance conference with specific agencies . GAO oversees the regulation of many different agencies . entailment +oh goodness yeah yeah exactly exactly That 's what I was going to say . neutral +Some states , like California and New Jersey , comprise multiple service areas and , therefore , feature multiple LSC-funded grantees . Some states comprise of 5 different service areas . neutral +To me ! Susan must have pushed his voice into Adrin . Susan probably pushed his voice into Adrin . entailment +But to participate in societies that one perceives to be civil adds much to the pleasure of life . The civility of a society has nothing to do with the thoughts and feelings of its participants . contradictory +really i mean so what choice do you have then What options do you have , then ? neutral +The exploratory case study has been used by agencies outside GAO . Agencies outside of GAO have used the exploratory case study . entailment +5 million at the Irish box office over the past three months , making it by far the biggest-earning film in Irish history . It had earned five million at the box office in Ireland over the course of three months , becoming the top earning movie in Irish history . entailment +Alternatively , some psychotherapists have argued that professionals alone should do the evaluating . Psychotherapists thing anyone can evaluate that . contradictory +Other major rivers are the Tiber in Rome , the Arno in Tuscany , and the Adige in the Tyrolean Dolomites . There are at least 3 rivers . entailment +It takes many years to build a reputation which can be lost very quickly if you breach the trust that others hold in you . It can take moments to build up a reputation , but it takes years to lose that reputation once you 've breached someone 's trust . contradictory +These figures , more realistic than the ones in the Hollywood Wax Museum , are accompanied by entertaining Wax Facts . Unfortunately , no other background is given on the icons other then how they are portrayed in the figures themselves . contradictory +any any after affects carrying over into the workday but um you know i i don 't i 'm not particularly concerned with what people do um after they leave for the day especially if i don 't if i don 't uh see any results of it the next day Employees are expected to do their job every day without exception , unless they call in sick . neutral +tried to have fun being in the band was about the only entertainment i had The band was really quite fun , actually . neutral +Do you young people want lights , or do you enjoy the twilight ? she asked . She questioned young people 's preferences on lights and twilight entailment +Vishnu may appear in art as a fish , a tortoise , a boar , a man-lion , or a dwarf , the first five of his nine avatars . Vishnu cannot appear in different forms . contradictory +Drew 's hand moved , and the lantern light glinted plainly on the barrel of the Colt . Drew covered the Colt where no light could reflect from the barrel of the gun . contradictory +Lordy me , I 'm as nostalgic for the old South as Justice Kennedy . I miss the old south . entailment +I know that this report is the result of many long hours of hard work , research , sound study and innovative thought , Gordon said It is an impressive document that is worthy of the most serious and sustained consideration . Gordon knows it took a long time to make the report . entailment +they don 't do them real often which is obviously the death penalty Death penalty should be outlawed , in my opinion . neutral +Both men crashed to the ground dead . The men jumped up and saved their friend . contradictory +How can I convince you ? Of what ? What would you have us do ? " Flee . The person wants them to flee . entailment +That lowered their interest rate to 9 percent . The interest rate lowered to only 9 percent . entailment +At the end they are taken apart while still alive so the Eye can study how they work . It is inhumane to take them apart while still alive . neutral +It doesn 't require much sightseeing , which is good , because most people just come to bake on the beach . There is much to see and most visitors avoid the beach . contradictory +And we are not sure of that even . " We are sure of something else though . neutral +it 's not going to cost me an arm and a leg really It 's not gonna be expensive for me . entailment +Culterlann na hireann holds a ceile ( an evening of traditional song and dance ) , on Friday nights in Monkstown . A ceile is an evening of traditional song and dance . entailment +This Federated Laboratory concept guided ARL as it integrated the various management reforms . ARL was guided by the Federated laboratory concept . entailment +Though all modern slot machines are computerized , the rules are still the get three or four matching icons in a row ( or some combination thereof ) and you win . The rules of slots have changed over time . contradictory +Remember to return it after the trip , they will be counted , Denise , or maybe Dennis , warned him . They don 't both counting them after the trip . contradictory +next time you 'll have to try a bigger bird Next time you should buy a medium sized bird . neutral +The name Minangkabau itself means roughly buffalo horns and is reflected in the distinctive upward curving roof in museums and government offices built in the traditional Minangkabau style . Minangkabau is translated to buffalo horns , and it 's unique style can be seen used in museums and government offices . entailment +These collections are deducted from gross disbursements in calculating outlays , rather than counted in governmental receipts . Collections are not deducted from governmental receipts . entailment +They eventually reached the islands , and founded colonies on the islands in the northernmost part of the Aegean Sea . They never reached the islands , and turned and headed home . contradictory +The high retable was begun by Pedro Berruguete , Spain 's first great Renaissance artist , but he died in 1504 , before it could be finished . Pedro Berruguete died in 1300 . contradictory +It is the foundation for agency process value analysis , which is key to overall review of program delivery . Program delivery is mostly performed by cars and trucks . neutral +--A negative subsidy means that the direct loans or loan guarantees are estimated to make a profit , apart from administrative costs ( which are excluded from the subsidy calculation by law ) . Negative subsidies are rarely found within the economy . neutral +If the peasants were squeezed by taxes to pay for the luxury of Mughal court life , it was a boon for the country 's artisans goldsmiths , jewelers , and weavers . Even if the peasants were squeezed by taxes to pay for the luxury of Mughal court life , the country 's artisans , goldsmiths , jewelers and weaves economically benefited from the royal contracts paid for by those taxes . entailment +This chilling story of a mother 's crushing love for a son will haunt me long after I 've forgotten the details of the handover ceremony . This is the most chilling story I have ever heard . neutral +and uh we try to take a vacation with them every year camping of some sort something that wasn 't expensive and uh our youngest is uh expecting her first baby so they 're they 're all out and on their own they 're and we have one to get married yet and they 'll all be married uh and they 're they 're all doing pretty good they uh two lives in Pittsburgh you probably don 't know where that is Our youngest daughter is pregnant and two of our sons live in Pittsburgh . entailment +However , not all critical processes will be new or unique to a specific weapon system . However , all critical processes will be unique or new to a specific weapon system . contradictory +i was too I was scared too . neutral +High scorers on mental tests do bunch up ( as Herrnstein and Murray put it ) in elite-university student bodies . High scorers on mental tests are anti-social . contradictory +The town was also important for the pharaohs because it sat close to one of the largest sources of high-quality granite quarries in the country , providing stone for many of its finest temples . The stone provided goes towards the pharaohs ' tomb . contradictory +um-hum well i live in San Antonio and fifty percent of the population is minority Half of the population in San Antonio is made up of minorities . entailment +yeah we do eat i i had become for about three or four months i was a vegan which is a person that eats um no animal products no cheeses no eggs and that 's even more difficult it 's really hard to find the products and it 's hard that 's even harder to keep yourself from eating because it it adds so much to meals you know when you put cheese on something or I had great trouble being a vegan for three or four months due to the severe dietary restrictions . entailment +Dust covered their bodies and faces . They were covered in white powder . neutral +But K 's indignant objection to hairsplitting a decade ago and his indignant sympathy for it now took no account of such nice distinctions . K 's stance on hairsplitting has changed over the past two decades . entailment +Ten minutes later a metamorphosed Tuppence walked demurely out of the station and entered a bus . Her disguise in place , Tuppence strode out confidently . entailment +yeah um i have uh the thing that that bothers me worse than the credit cards i think is uh you mentioned the gasoline credit card The gasoline credit card bothers me more than the credit cards entailment +Dates for three additional visits will be selected in the near future . This was the last visit , there will be no more . contradictory +Yes , audit committees of the board interact with and recommend which audit firm to retain for approval by the shareholders . Shareholders can vote on the audit committee options put forth by the board . neutral +Had he any idea of what I was about to say ? Did he have any idea what I was about to write ? contradictory +I let the blade stay in his chest as I pulled off my glove and slapped him with it . I had put the knife in the man 's chest . neutral +They simply are ! They might be more . neutral +you know i really think this is good and that well i don 't know i think we need that but i know i need it Oh no , I don 't need it at all , I think it 's awful contradictory +Clive 's example in Calcutta set the pattern for territorial control around the country . Clive 's method proved to be effective everywhere it was used . neutral +Conversely , Arendt 's public realm is the exact opposite of the private It 's where you 're not protected and shouldn 't be . Ardent is not private therefore he gets not protections . entailment +Run and live was the message Jon wanted them to learn . Jon wished to sit in a chair on his front porch . contradictory +8.9 Audit objectives should be communicated to knowledgeable users by reporting the questions that were to be answered in the audit in a clear , specific , and neutral manner that avoids unstated assumptions . Being concise means including every last detail of information . neutral +and uh so i would sometimes take me you know an hour or two to shovel the driveway in the morning and then i 'd sitting in that car for an hour an a half and and well it was actually if the if the weather was bad enough to shovel snow it would take me three hours to get to work I am incapacitated and will never be able to shovel snow . contradictory +I also watched a boy in Lucca try to run over pigeons with his bike . A girl in Lucca tried to run over pigeons with her bike . contradictory +wow how did you how did they get you or How did you end up with them ? entailment +so we built the dog run down the length of our uh back yard because the kids were getting i mean we couldn 't even let our older son until he was about two i guess he was two when we built the dog run we couldn 't let him go out in the back yard because it was we have a deck with a rail and he could go on that but the dogs were so big and he was so little you know they just even walking by him they 'd knock him down and the whole back yard had poop in it all the time I wish that we had a dog run as children . contradictory +i didn 't i hate having to be in charge of someone else 's life I had to be responsible for someone else and it disturbed my own life . neutral +i really and truly did i mean i have absolutely no problems with them winning seven Oscars none at all normally i 'm one of these people that i don 't like one one movie taking all the honors i wanted him to win best They deserved those Oscars , so I am not upset . neutral +Neither Simon nor Lyons likes Irish playwright Sebastian Barry 's work ( Steward is one of five dramas about his own kinfolk ) , however . Simon and Lyons don 't often agree . neutral +Among other things , the preambles included a title and reasons for the information collection , the proposed use for the information , a description of the respondents , and the frequency of responses . There are a title and reasons in the preambles . entailment +You 'd think instead of messing around with Winston , RJR would produce a brand it can market to old folks . Everyone agrees that RJR should continue to adjust the Winston brand . contradictory +The Access to Justice Foundation continues to be the vehicle for state planning in Utah , charged with implementing the Task Force 's recommendations for improving the delivery of legal assistance to low-income Utahns . The Access to Justice Foundation was the catalyst for a Utah state planning session . entailment +they they gave me this cock and bull story that because there was a turbo charger on the car they had to prime the turbine with the oil It was a shady story about the turbo charger in their car . entailment +Very nice and everybody likes him , even very much , and especially Wojtek , you know , the one who married three times and has three mistresses . ' Everyone likes him very much - especially Wojtek . entailment +Rather than defend religious dogma , they poke holes in evolutionary dogma , scrutinizing the theory 's missing links and the mathematical probability of the emergence of complex life . Their approach does nothing to support religious dogma , and does not do much to discredit evolutionary theory . neutral +But in child care , as in the behavioral sciences generally , we could have saved ourselves a lot of time and trouble by recognizing at the outset that people are animals , and pondering the implications of that fact . Too many people place themselves in an entirely different category than the lower animals , forsaking their genetic roots . neutral +Criteria , one of the elements of a finding , provide a context for understanding the results of the audit . Do not include any context for the results of the audit . contradictory +Send my coffee in here , Mary , she called . Mary was sleepy and called for coffee . neutral +right yeah right down the river but uh so what are the Mets going to do this year without Strawberry The Mets will do great without Strawberry . contradictory +'If you would all excuse us for a moment , ' said Abraham politely , in a perfectly American accent . Abraham had an accent . entailment +and they 're allowed to take that time off and then come back where they left off The can take a break and resume from their previous location . entailment +It might have been , sir . Maybe so , sir . entailment +He can tell her of something good he has done , or something good that has happened to him , without fearing that she will think he is bragging . He knows she understands his motives . neutral +Time offers thumbnail sketches of prominent members of the House Judiciary Committee , the body deciding Clinton 's fate . Clinton is good friends with some members of the House Judiciary Committee . neutral +The most important is the tenth-century Parsvanatha , built in the classical Hindu sikhara-domed style and incorporating the sculptural themes of the Vishnu temples . Tenth-century Parsvantha temple may be the most important temple because it incorporates neccessary themes . neutral +uh not that we can uh sell any great program we have with crime but uh i think uh i 'm kind of like you i don 't have any strong opinions on it i guess maybe that 's our biggest problem we have with our our neighbors down there is that we don 't have any we have more i guess ties we in the United States have more ties to Europe and everything and we don 't really aren 't that close to everyone in South America i don 't really know why though It 'd be a good idea to form closer ties with South America . neutral +Other nation products--its purported AIDS cure , for instance--have undermined their claim that black businesses are less exploitative than white ones . Their claim that black business are less exploitative then others is undermined by certain products . entailment +because i 'm not you know that 's one of my problems is controlling my my my irons on a par three so i have a lot of trouble hitting the greens I love playing golf but I am really bad at it . neutral +You get used to it . You will always be annoyed by it . contradictory +In its most marked deviation from real life , Man on the Moon provides Kaufman with a kind of feel-good comeback . Man on the Moon does not involve a feel-good comeback . contradictory +This system is used by the Congress and the Executive Branch to set priorities , to allocate resources among alternative uses , to finance these resources , and to assess the economic implications of federal financial activity at an aggregate level . The system is well-liked by the Executive Branch while Congress finds it incredibly cumbersome to use . neutral +News accused them of picking at his credentials and warned , Bush will accept only so much battering . Bush would ban the media from the White House if they continued . neutral +Simple wills cost $ 75 apiece . Complex wills cost $ 125 a piece . neutral +As she left the room , Miss Howard 's face changed . Miss Howard did not like her much at all . neutral +Let 's get out of it . " The girl assenting , they started walking down Dover Street towards Piccadilly . The girl and another traveled towards Piccadilly . entailment +okay Jay i was thinking about um this topic and i was remembering that guy that does an advertisement on the radio about drug testing and marijuana whether or not marijuana causes any trouble or not and he was saying how the train had wrecked I couldnt remember people talking about this on the radio . contradictory +A story tracks Microsoft 's growing D.C. Microsoft 's growth and actions are not being followed by anyone . contradictory +but uh but you know it 's good enough to eat and then um there 's uh another place called Pancho 's Course they have to have Mexican food and uh the uh Pancho 's Course serves Mexican food . entailment +I am not as sanguine as Safire , and believe that using the word will always carry some slight It may be wielded as a slur and received as a compliment , or vice versa . I don 't believe that using the word will carry any slight . contradictory +Best is the teeming shopping area centered on the rue Isambert market . The best shopping area is centered on the rue Cantapede market . contradictory +Madrid spilled outward from there , and , especially in the last two decades , has pushed farther and farther out , leaving little distinction between city and suburb . Madrid 's growth is due to inward migration from other Spanish provinces . neutral +No , but I deny your right to criticize my actions . I don 't like being criticised . neutral +But Michael Sragow , writing in the New Times Los Angeles , calls Kissed ridiculously earnest . Kissed is incredibly earnest according to Michael Sragow . entailment +It will require immense The United States must nurture a democratic Taiwan while discouraging a declaration of independence , must arm Taiwan against Chinese invasion while promoting closer Sino-Taiwanese ties . Taiwan has been fighting for its democracy since 1990 . neutral +Should power generators that do not emit air pollutants ( e.g. Generators that don 't pollut the air entailment +Soon they both stood , staring past the other , bodies jerkling slightly . Two people stood beyond the others . entailment +uh-huh i don 't understand how they do that yes , i can 't comprehend how they accomplish that entailment +What is it ? That is not it . contradictory +This is a great opportunity for people in Kerrville and Kerr County to sit down with the different agencies and get their recovery questions answered , said Mindy Wendele , City of Kerrville spokeswoman . The people of Kerrville and Kerr County have a great opportunity and a lot of the residents will take it . neutral +Some of these additional challenges are described in the final section of this guide . The final portion of the guide describes none of the additional challenges . contradictory +Governor Whitman and I both believe consensus on the appropriate levels and timing for reductions of NOx , SO2 and mercury is achievable relatively soon . Governor Whitman and I agree that NOx , SO2 , and mercury should be reduced . neutral +But it was Schultz who drew the outrage of the Old Seattle types , who sued him . Old Seattle types loved Schultz . contradictory +i was i was just uh oh well let 's see i guess we 've talked what almost five minutes We 've talked for almost five minutes . entailment +The typical visitor is still older and wealthier than in most holiday destinations , but times are beginning to change as they are across Portugal , no longer the forgotten backwater of Europe . There are a lot of young travelers to Portugal . contradictory +The current body of scientific knowledge does not provide information regarding atmospheric concentrations of CO2 or reduction levels necessary to prevent dangerous interference with the climate system . Current science does not give information on concentrations of CO2 . entailment +To them , Timon , Pumbaa , and Pee-wee are just goofy characters . To them Timon is just a funny character . entailment +Gays should come up with a word for their own committed relationships . Gays do not need to establish their own term for a committed relationship . contradictory +To find out how fast an amount saved can double , divide the interest rate into 72 . Employer matching contributions make the amount double even more quickly . neutral +As programs change and as agencies strive to improve operational processes and implement new technological developments , management must continually assess and evaluate its internal control to assure that the control activities being used are effective and updated when necessary . As programs change and agencies seek to improve operations and implement technology , management must assess and evaluate its internal control through observational studies to ensure activities being used are effective and updated . neutral +But Hunt Rennie was already explaining . Hunt Rennie was already finished explaining . contradictory +In particular , adjustments were made for differences in labor cost , amount of worksharing , and mix of mail by shape . Adjustments were made for differences in the cost of labor . entailment +um-hum that 's good what instrument does he play He doesn 't like music at all and that 's horrible . contradictory +The Supreme Court established the Joint Legal Services Access & amp ; Funding Committee , directing it to make recommendations to the Court and the Legislature by December 31 , 1995 . The Joint Legal Services Access & Funding Committee was founded before December 31 , 1995 . entailment +uh well we probably have about three months We have exactly three months , but the last one will be super busy . neutral +Last week she called on Republican women to set an example and refuse to be drawn into dead-end debates about something that is not going to happen . She was not a Republican herself . neutral +This temple is only opened once a year , and for this reason , the entire pond is surrounded by a substantial fence . There is extensive fencing that surrounds the entirety of the pond . entailment +Suddenly Julius grasped his arm , and pointed to where characters were appearing in a faint brown colour . Julius could read the words that were slowly forming . neutral +The media have no answer . The media responded immediately . contradictory +Does not buy clothes at Banana Republic . Purchases most clothing at Banana Republic . contradictory +For example , from the shareholders ' point of view , many believe that board structures have not been working properly to both protect shareholders ' interests and grow share value . Many shareholders question whether board structures have actually worked to increase share value . entailment +It entered the Union as a free state , and In Cold Blood happened there . The state joined the US as a free state . entailment +articles in about half a second . articles in very little time , but also quality ones . neutral +Yes , our parents had many of the same sexual traumas we did but , no , we don 't want to hear about them in detail . We want all the details on how our parent 's sex traumas resemble our own . contradictory +Before you leave the castle 's Esplanade , be sure to see the small bronze fountain on the wall to the left of the entrance . There is a small fountain on the wall of the castle that is supposed to bring you good luck . neutral +Sufferers may actually be able to control their sputterings , according to experiments led by Randy Flanagan at Queen 's University in Ontario , BBC Online reports . Unfortunately experiments lead by Randy Flanagan show that there is still no effective treatment for those who suffer from sputtering . contradictory +Obviously , it 's easy for me to complain about players who aren 't big on self-effacement or deference to authority . SOme players are extremely disrespectful of authority figures . neutral +Buddhists account for 18 percent of the population . Eighteen percent of the population is Buddhist . entailment +Gore is not asked what he thinks of President Clinton 's draft ducking . Gore was not asked his opinion on Clinton 's draft ducking . entailment +The concept of a universal service obligation may really mean more frequent delivery than economically warranted for households living on unprofitable routes . Universal service obligations lead to long delays in delivery . contradictory +so you you got thirty minutes to make your decision then You have a day to make up your mind . contradictory +okay what kind of TV shows do you like Do you like cooking TV shows ? neutral +so but we have the money set aside so if it does it 's not going to kill us We do have a savings in case something comes up . neutral +i 'm not for sure it 's that one in September is when you need to quit If it 's that one in September , that 's when you should quit . entailment +uh-huh um-hum that 'd be good for a dinner party that you know to cook that because you don 't have to deal with eight different things coming out at once is that what you usually cook when you have a party Do you usually cook that when you have a party ? entailment +But in truth , the yuppie spiritualism of the moment is the perfect breeding ground for Morris ' style of rebirth . Yuppies are having a spiritual moment . entailment +With the Aug. 31 one year anniversary of her death approaching , British newspapers are drowning in Di , though Monday 's Guardian reports that more than 2,000 anti-monarchists are expected to march on Buckingham Palace in October . 2,000 marched on Buckingham Palace holding signs and chanting . neutral +He smelled the air and watched the burning dots of torchlight in front of him . The air smelled like fire . neutral +That 's better . That 's not worse . entailment +The tour passes trees planted by the Royal family of Luxembourg , Andrew Young , and the Duke of Edinburgh , among many others . The tour detours around the trees planted by the Royal Family of Luxembourg . contradictory +A third change that would be made immediately concerns the provisions for parcel mail in Alaska . The third change will make more provisions . neutral +i think that 's probably my favorite of of any piece of science fiction that i 've ever read and the movie was awful oh yes it was just terrible I don 't like sci-fi at all but that movie was amazing . contradictory +congressional requests for quickly developed testimony based on new work , ( 2 ) work that is to be completed within a short time frame , and ( 3 ) requests for information on the implementation status of recommendations made in issued reports . Some work is to be completed in a week . neutral +( Why don 't they ask their reporters ? ) Shouldn 't they ask the reporters since they have first access to information ? neutral +And that you are unable to account for the delay in this case ? Why was the case delayed ? neutral +The problem lies not with federal employees themselves , but with the lack of effective leadership and management , along with the lack of a strategic approach to marshaling , managing , and maintaining the human capital needed for government to discharge its responsibilities and deliver on its promises . The problem is that management just does not care about employees . neutral +Mons Meg , a gun weighing 6040 kg ( 6.6 tons ) , was a gift to James II in 1457 from his wife 's uncle , Philip the Good , Duke of Burgundy . The gun was given to James II . entailment +If people don 't have access to the courts , somebody who has the upper hand takes advantage . Somebody with the advantages will exploit it when people don 't have access to the courts . entailment +Not by accident did Van Gogh come from the Netherlands , Picasso from Spain , Max Ernst from Germany , and Chagall from Russia to make their home in France . Picasso resided in Spain until he moved his studio to the United States , choosing never to visit the rest of Europe . contradictory +A major business asset of the U.S. A useless U.S. business asset . contradictory +they they made like uh small personal computers They made small computers for personal use . entailment +well you know they tell you that you get tried by a jury of your peers You are told that you are tried by a jury of your own peers . entailment +The hard truth , I would argue , is that this way of seeing the world is itself distressingly soft . I would argue that you view is soft since I have met many people with the same outlook and learn from experience . neutral +It may be the disaster sites that best capture the spirit of the weather Web . The spirit of the weather Web is best captured in tornado sites . neutral +From 1467 to 1568 , civil war constantly raged up and down the country among some 260 daimyo , from which a dozen finally emerged victorious . There were a lot of fatalities during this civil war . neutral +However , we need to maintain and enhance our ability to take greater advantage of modern technology and achieve an integrated infrastructure that supports our client service , strategic planning , human capital , and business process goals and objectives . We have no need to enhance our ability to use modern technology . contradictory +But based on the force of [ Ginsburg 's ] personality , and that he 's at the office every day , he 's gotten some very senior people on board , Reilly said . He 's been able to recruit some senior people . entailment +Dave glanced over the edge again to see one of the tall buildings crumple under the impact . One of the tall buildings crumpled under the impact , luckily it was abandoned . neutral +like Jaws do you remember Jaws did you What is Jaws ? A book ? contradictory +He 'd never 've lasted this long was that so not with th ' Old Man an ' th ' army an ' what law there is in th ' territory all gunnin ' for him . The Old Man was persistent . neutral +A few streets away , the courthouse is another survivor of that era , with fine verandas and an impressive main staircase . Another survivor of that era is the courthouse . entailment +what do you mean fifty five you mean fifty five dollars I heard you say sixty nine dollars . contradictory +Lincoln / Natalia was behind me , pointing a weapon at my head . There was a weapon at my head and the trigger was pilled . neutral +We could use their assistance should it be needed . We might need some help . entailment +you know and plus it also depends on the district you 're in as i mean on the i 've seen some districts where all the schools are lousy it doesn 't matter what you do It 's all because local tax revenues are tied to district school funding . neutral +Department of Labor , Division of Foreign Labor Certifications , Revised June 1999 [ hereinafter FY 1998 H-2A Report ] . The certifications were revised on June 1922 . contradictory +now well my brother in law was working with uh in one for a little bit and uh he just he couldn 't handle the things he had to do My brother in law worked in one for a while and he loved it . contradictory +And so I found myself in the Fat Man 's office , watching my own leg-wound on digital playback . It was very disturbing to watch a video of myself getting hurt . neutral +They can kill twenty of the local stock or will give you a bloody show if they fail . They were capable of killing the stock . entailment +Sometimes the desire to work out an idea--as in the large-scale panel picture According to What ( 1964 ) , which presents a series of Johns ' customary images in a deliberately decentered composition--produces a flaccid surface . Sometimes the desire to work out an idea as in the large-scale panel picture According to What ( 1964 ) , which presents John 's customary images in a decentered composition that is provocative . neutral +enhanced accountability to veterans because team members were responsible for handling specific claims . Veterans received no special treatment in this instance . contradictory +Today there are more than 300,000 . There are more than 300,000 today . entailment +I was a darned idiot , muttered Julius gloomily . Julius had made a bad decision . neutral +Napoleon 's apart ? ­ ments display the style of his empire , and a Napo ? ­ leonic museum has been installed in the Louis XV wing . There was a Napoleonic museum built in the Louis XV wing . entailment +To the east , the grand Byzantine citadel of Ravenna dominates the seaside resorts lining the Adriatic . The resorts pale in comparison to the size and majesty of the Grand Byzantine citadel . neutral +The majors insist it 's the latter . When looking at both situations , the majors feel the latter would be better . neutral +This appealing hotel offers excellent value with wonderful views over the Sea of Galilee . The hotel has beautiful views . entailment +The view of Mt.Nantai ( 2,484 m ; 8,148 ft ) and the valley below is magnificent . Mt . Nantai is under 2000 meters in height . contradictory +When the zoo celebrated the first successful hatching in captivity of a king penguin in 1919 , it gained world no other zoo had examples of this penguin species . 30 other zoos around the world had hatched the same species . contradictory +On the left you will find a bronze statue of David Hume , depicted in calm , thoughtful pose . No artist ever created a statue of David Hume . contradictory +if you look over there you 're not going to you don 't see any Arabs driving uh There are no Arabs in vehicles over there . entailment +Your men were apparently off duty . Apparently , during the time of the robbery , your men weren 't on duty . neutral +But if he dies , it 's not clear that Syria can control Lebanon or that the Golan border will remain peaceful . It is very clear that Syria can control Lebanon . contradictory +Made of ... Not made using . contradictory +uh just locally or or what i assume that 's what they would do I think they do outside too . contradictory +never has been . Never will be the same again . neutral +A book-review editor at Science says she was pressured to retire this past summer after she published a negative review of a book that claimed to defend science from postmodern critiques . She published a negative review of a book . entailment +Next to the fountain outside Kintetsu Station is bustling Higashi-muki-dori , a covered mall of souvenirs shops , antique stores , and numerous eateries . The Higashi-muki-dori mall was demolished in the year 2010 . contradictory +Timesmen don 't pay much attention to the Post , except to periodically raid the paper--as if it were a minor league team--for some of its better players . The articles in the Post do not generally draw the attention of Timesmen . entailment +GAO found that these agencies are in the early stages of using a set of balanced expectations to appraise senior executive performance and there are significant opportunities to strengthen their efforts as they move forward in holding executives accountable for results . GAO studied how operating budgets worked . contradictory +In exchange for helping the regent end a revolt of uppity Malay chiefs , Brooke was made Rajah of Sarawak in 1841 , with his capital in Kuching ( founded by the Malays just 11 years earlier ) . The regent always rewarded those who helped him . neutral +While I hope many of your readers have had the opportunity to read the e-mail version of Tim 's ( the student 's ) article , Lewis is completely wrong about the blackballing . I hope your readers saw the article but I disagree with what it said . neutral +Department of Justice two-year grant will begin Oct. 1 , which is the start of domestic violence awareness month . October is the domestic violence awareness month , said the teacher . neutral +yeah but my mother does not miss a game and you just don 't know she lives in California and i do not call her on Sunday in football during football season i just don 't do it if I call my mother during football she tries to get me to watch so I try to avoid doing that neutral +You huntin ' someone ? Are you hunting someone for food ? neutral +yeah killed five children or something like this and and and you don 't get to hear that part They should get more years in prison for their murder . neutral +I was afraid I might be late and keep you waiting , said Tuppence gently . Tuppence was worried she would make them wait . entailment +The horizontal resolution for the inner grid is approximately 12 km . The inner grid of the solar panel has , roughly , a 12 km horizontal resolution . neutral +Ihad a hard time recognizing the encyclopedia project from Slate ' s account . The encyclopedia project was from Ihad 's account . contradictory +See that thar , Sarge ! See that camp there , Sarge ? neutral +The Waverley Shopping Centre ( where you will also find the Tourist Information Centre ) is on Princes Street next to Waverley Street Station , and the larger St. James Centre ( with the central post office ) is on Leith Street at the eastern end of Princes Street . The Waverley Shopping Centre is located on Leith Street . contradictory +Not any more 'n any of us wot can be drawed into a fight in town . We started a killing spree in town . contradictory +He made soundless words , " Did the animals get loose ? " He did not want anyone to hear his words . neutral +The Ottomans brought new influences to the islands that they controlled , forming a large empire that stretched around the eastern Mediterranean . The Ottomans influenced the islands they owned and conquered . entailment +With their money at stake , Mailers prefer that things be done right rather than fast ! With huge amounts of money at stake , Mailers prefer that things be done right rather than fast . neutral +Buildings of wood and stone rose two and even three stories tall . Buildings of wood and stone rose stories tall , and occluded the view of the sky from the ground . neutral +Behind him is Padua 's great site of pilgrimage , the 13th- and 14th-century Basilica of Sant 'Antonio , the city 's protector simply known as II Santo , built in honor of the Portuguese-born Franciscan monk who died in Padua in 1231 . Padua was originally founded in early Roman times . neutral +Morris was close enough to Leuchter to have gotten something more , to have gone a little deeper in search of a poison that does penetrate surfaces . Morris and Leuchter had a strained relationship , and had not talked in years . contradictory +Issues in Data Synthesis , eds . The data synthesis returned no issues . contradictory +i had uh let 's see i 've had fishing and uh i can 't remember me and i think me and Dana had football yeah we did Dana and I had football I believe . entailment +That several jokes about California cuisine mention cilantro is unexceptional ( click ) . That many jokes about California 's erotic life mention enemas is disconcerting . There are several jokes about cilantro in California . entailment +Jon waited until the man was nearly on him and then stepped in . Jon ran away when he saw the man . contradictory +Journal of Environmental Economics and Management 6 : 222-243 . The article from 222-243 is very relevant in the current discussion . neutral +If you intend to head out onto the fells , though , you should take the appropriate Ordnance Survey map along they provide the most detailed guides to the terrain . The best guides concerning the terrain can be found in Ordnance Survey maps . entailment +For Rothko , too , there were the years of apprenticeship , the hard-won discovery of a classic but ultimately restrictive format ( Rothko 's stacked rectangles are not unlike Lowell 's sonnets and John Berryman 's dream songs ) , the succession of wives , the acclaim , and the descent into alcohol , paranoia , depression , and suicide . Rothko 's life took a somewhat cliched path . entailment +Shoppers hold mail-order firms to a higher standard than department stores when it comes to keeping things in stock , because the catalogs afford them a photo and item number for every parka , turtleneck , and blazer ever placed in inventory . Shoppers don 't expect anything more from mail-order firms . contradictory +The actual model contains a number of variables . The real model has more than one variable . entailment +During the tactical facility acquisition phase , in-house facility engineering staff should be capable of providing the overall process leadership , ensuring that all activities proceed in the best interest of the owner . The in-house engineering staff receive very low pay . neutral +yeah yeah that yeah that and that 's the big problem with being in an apartment is we 've talked about it and even uh Laura even said you know as a wedding present we should ask for these big pots you know that we could put on the front porch and because the apartment complex actually we have the whole front porch and somebody else lives on the other side so we thought about you know having putting it in pots and putting the pots just on our steps I do not live in an apartment . contradictory +Text Box 4.3 : Individual Development Accounts for Low-Income Savers There are over 5,000,000 Low-Income Savers in the US . neutral +The chief complaint of reformers these days is that the power of special-interest money is breeding public cynicism about the political process . Reformers have taken their share of special interest money . neutral +Past Kofukuji is the original wing of the Nara National Museum ( 50 Noboriojicho ; Tel . ( 0742 ) 22-7771 ; open 9am 4 : 30pm daily except Mondays ) , linked by an underground passage to a newer , tile-roofed building just beyond it . The original wing of the Nara National Museum is closed until noon daily . contradictory +so that 's really not i have friends that pay about nine hundred dollars for a townhouse in yeah in actually they 're near Plano in North Dallas too but i couldn 't believe it but you know My friends paid nothing for the townhouse since one of their parent 's owes it . contradictory +But he knows you think Injun , you live Injun , you eat Injun , you smell Injun when you do . He knows nothing about your thinking injun . contradictory +oh no we didn 't even have any of the famous Dallas ice storms The storms are over quickly . neutral +four some as many as five dollars an hour per child for uh what we call drop in care which is the situation we 're in we 're not a regular so the days we do use them we pay through the nose and uh Day care eats up most of our check . neutral +Currently , the program is using post-assembly inspection to identify and fix defects rather than statistical process control techniques to prevent them . The program is currently using post-assembly inspection to identify and repair defects . entailment +We have humbly petitioned the poo-bahs at Netscape Corp. to include Slate in the Inbox Direct feature of their own new browser , Netscape Alligator 4.0 ( we think it 's called ) . We begged the poo-bahs at Netscape to not include Slate in their browser . contradictory +The principle remains . The fact is still here . entailment +A set of stairs connects her room to that occupied by her husband . A set of stairs connects her room to her husband 's . entailment +There 's something in the intricacy of its arcane rules and controlled passion that appeals to the Indian people . The Indian people do not like arcane rules and passion . contradictory +and in our town we live in a like a rural area and they have a fire tax that they add on too We have to pay a rain water tax in my town . contradictory +'Goodbye . ' Goodbye , Sue . neutral +Rural vehicle cost per delivered piece is two and a half times city carrier cost per delivered piece . Deliveries in the rural areas cost more than deliveries in the city . entailment +Now , thanks to a new community courthouse that opened this week at the Carver Academy , she 'll get her divorce with the help of Bexar County District Court judges and $ 300-an-hour-plus lawyers who are volunteering their services to bring free legal aid to poverty-stricken Bexar residents . She got free help with her taxes . contradictory +well see i would prefer the cold i 'm from southern California I would prefer when it 's very hot . contradictory +washing hands or touching car doors , it gave mefreedom with walls so I could handle bulging and sagging when I had to ; and one of the summers I read Steinbeck and made love--in the bedroom-- I did not make love during the summer . contradictory +The health and environmental effects of mercury exposure are also not quantified . No one understands mercury exposure . neutral +um-hum uh we 're going to breed her with a champion so we 'll be able to get uh probably around two fifty for the kittens We are going to try to get about two fifty for the kittens . entailment +These include Process and Policy , co-authored with Professor David A. Martin and first published in 1985 , which helped to define immigration law as a legitimate field of academic study . Professor David A Martin is considered one of the foremost experts in this field . neutral +number one dental and medical yes But dental doesn 't count . neutral +These guidelines , embodied in the LSC Competition Evaluation Guide , cover all aspects of program performance including components of the delivery approach , management , legal work supervision , identifying and establishing the most critical legal needs , coordination within the delivery system , and experience and reputation . There are no LSC guidelines for identifying critical legal needs . contradictory +Or you can engage a caddy ; it 's always pleasant to have company . Caddies make good company . entailment +Well , of course , that settles it , I said stiffly . Well , of course , but that doesn 't help in any way . contradictory +Actually , that is an old J. Edward Day joke , or so I 've been told , not an Edward J. Gleiman joke . That joke did not belong to J. Edward Day . contradictory +That was the last time Jon saw Thorn alive . Jon saw Thorn one more time alive after that day . contradictory +But it wasn 't till I heard that the order for Tommy 's execution came right on the heels of our interview with him that Sunday that I began to tumble to the fact that he was the big bug himself . " " I began to understand that he was the big bug when the order for Tommy 's execution came right after our interview at the Ritz . " neutral +my gosh the only thing about the death penalty and and i know that that they try to be careful and they try to be sure but these people are on death row for like twenty years you know and you know if if Prisoners sometimes die naturally before they 're put to death because it takes so long . neutral +During the Casino 's heyday , the pedestrian Calle de la Plateraa ( Street of Silversmiths ) , at right angles to the Traperaa , was full of practising craftsmen . There were many practising craftsmen in the pedestrian Calle de la Plateraa . entailment +For example , a written authorization that a computer system is secure and is permitted to operate in a defined environment . The written authorization confirms the computer is secure . entailment +yeah i i don 't know that any one team 's gonna be able to dominate for that many years in a row The team lost one game after the next , year after year . contradictory +Oh , come now ! No way ! entailment +At that time it had a different Hakko-ichi-wu ( Eight World Regions Under One Roof ) , embodying the militarist aims of the Imperial Japanese Army . A different Hakko-ichi-wu embodied the militarist aims of the Imperial Japanese Army . entailment +you know if i mean if they want something occasionally but most of the time if it 's a need i just get it " I ignore them whenever they need or want something . " contradictory +A better option might be to tack a filing fee onto new cases filed in state courts , with the money going to help fund Legal Services , she said . The money could go to help fund Legal Services and improve our image . neutral +A decrease in the number of poor people in Ohio means there will be $ 2 million less in federal legal-aid money for the state next year , officials said yesterday . Poorer people are moving away from Ohio . neutral +um did someone just come up with this design and and you 're going to make one for yourself or are you going to buy it Did someone just invent this design ? entailment +As the volume per stop declines , coverage declines , and the volume variability of access costs rises . Coverage declines along with volume per stop . entailment +NOECs and LOECs are determined by hypothesis testing ( Dunnett 's Test , a t test with the Bonferroni adjustment , Steel 's Many-one Rank Test , or the Wilcoxon Rank Sum Test with the Bonferroni adjustment ) , whereas LCs , ICs , and ECs are determined by point estimation techniques ( Probit Analysis , Spearman-Karber Method , Trimmed Spearman-Karber Method , Graphical Method or Linear Interpolation Method ) . Point estimation technique is generally preferable to hypothesis testing . neutral +Other nightclubs place as much emphasis on drinking as dancing , including Drink Las Vegas ( Tel . 702 / 796-5519 ) , a fabulous two-story nightclub with numerous bars serving every drink known to man . A lot of nightclubs focus on drinking . entailment +Reliability improves over time with design changes or manufacturing process improvements . The increase in reliability is admittedly gradual , almost too slow to notice . neutral +Th ' war ain 't over ; we jus ' gotta keep on lickin ' ' em . The war never ends , and we must keep it up . neutral +and they are trying to take away our guns They are attempting to take away our guns . entailment +Associations between 1980 U.S. mortality rates and alternative measures of airborne particle concentration . The greater the concentration of airborne particles , the greater the mortality rates . neutral +The Explorer said , " Trying to feed us , I should judge . The Explorer thought they weren 't trying to be killed , but instead fed . neutral +but uh they also said that whatever the guy that directed it They stated that a guy directed it entailment +There is also a good view west to the Bay of Funchal ; to the east , the modern resort on the small promontory is Canico de Baixa , another favorite with German vacationers . Canico de Baixa is a hotel only meant for locals . contradictory +Then , abruptly , he was aware of being alive , and surprised . He suddenly realized that he was alive . entailment +that 's right well that 's true That is utterly wrong . contradictory +For example key assumptions underlying the Base and Alternative Estimates for the mortality category include the ( 1 ) Inhalation of fine particles is causally associated with premature death at concentrations near those experienced by most Americans on a daily basis . The Base and Alternative Estimates makes at least one assumption . entailment +The Sierra de Guadarrama fills half the horizon . The sky is nearly covered by the majesty of the mountain range . entailment +oh that 's oh that 's great so That sucks horribly . contradictory +okay uh it usually serves six It usually serves six , sometimes even eight . neutral +well i i think what 's happened too is just our technology is just advancing so rapidly that and there 's so much information available out there that folks out there just have a hard time keeping up aside from just going through their daily routine of living to get from day to day Our technology is advancing quickly and we can 't keep up with it at all . neutral +um i don 't know what y 'all are paying in Dallas but you know it seems like we pay the state you know there is a the taxes is set by you know the the state and the city can add theirs and the county adds theirs and you know we 're paying almost eight percent sales tax right now which seems to me nuts i came from California We pay almost eight percent sales tax , and that seems like a ridiculously high amount to me . entailment +Knowledge that a product 's design is stable early in the program facilitates informed decisions about whether to significantly increase investments and reduces the risk of costly design changes that can result from unknowns after initial manufacturing begins . Reducing the risk of costly design changes is very important to investors . neutral +Examining the elements of the definition also may help make this distinction clear . Examining the individual elements of the definition also may help make this distinction clear . entailment +Social Science Research Council Bulletin , 60 ( 1949 ) . This was considered by most to be one of the most Social Science Research Council 's best works throughout the profession . neutral +Later this month , Behind the Legend , a new warts-and-all ( and-more-warts ) biography , will hit bookstores . Behind the Legend does not show the bad sides of his life . contradictory +He can tell her of the most trivial thing without fearing that she will think he is bothering her . He is afraid to talk to her about anything as she reacts negatively . contradictory +She frowned , torn between old and new loyalties . Her old and new loyalties matched up , making the way for her abundantly clear . contradictory +Christ conducted much of his ministry around here . Christ spent time here and ministered to the people . entailment +The brick-paved Piazza della Signoria is the center stage of the city of stone . Piazza della Signoria is a slum located in New York . contradictory +Lower debt levels lead to lower interest payments-possibly at lower interest rates . It is not possible to decrease interest payments . contradictory +The sea beckons many visitors to Brittany , with a combination of a craggy coastline and great sandy beaches , seaside resorts on the Cete d 'Emeraude ( Emer ? ­ ald Coast ) , and small harbor towns on the Golfe du Morbi ? ­ han . Everyone stays away from Brittany because there 's nothing to do there . contradictory +Until recently , millions of green-card holders were content to live in the United States as resident aliens . They used to have pride in the country they lived in . neutral +uh i guess uh the companies that participate in the 401K type plans where you know you have the the uh option of contributing to uh to a retirement plan There aren 't any companies that offer a 401K . contradictory +More pagan temple than church , it served as a mausoleum for the cultivated but cruel tyrant , Sigismondo Malatesta , and his mistress ( later wife ) , Isotta degli Atti . It never served as a mausoleum for Isotta degli Atti . contradictory +The proposed changes would allow payment on invoices under $ 25,000 prior to verification of receipt and acceptance of the items purchased . Purchased items must be delivered the the Pasadena warehouse during business hours . neutral +Changing the federal frequent flyer policy-and changing it retroactively so that employees can take advantage of these unused miles--would boost federal employees ' morale and strengthen the federal government 's ability to compete with the private sector . Changing the policy so employees cannot use unused miles would improve morale . contradictory +From your account , there are only two people whom we can positively say did not go near the coffee ” Mrs. Cavendish , and Mademoiselle Cynthia . " It is likely that Mrs. Cavendish did the deed . contradictory +Bush 's portrayal of substantive interrogation as nasty nit-picking has completely suckered the media . Bush created a positive portrayal of substantive interrogation and the media believed in it . contradictory +Today we cede our vision of ' 50s female fashion to the movie version , as if that were the real mirror of the decade--everything blatantly cleansed of error , willfully idealized into unreality , odorless , effortless , affectless . The movie version is not popular today , we still love the vision of ' 50s female fashion . contradictory +This fascinating juxtaposition of stately 16th- and 17th-century buildings was once the Moors ' central market square . The buildings were constructed properly neutral +In addition , the Federal Acquisition Streamlining Act of 1994 requires the head of each executive agency to approve or define the cost , performance , and schedule goals for major agency acquisition programs . The executive agency head isn 't required to approve or define the performance goals for major agency acquisition programs under the Federal Acquisition Streamlining Act of 1994 . contradictory +From this ideal anchorage you can rent small excursion or fishing boats . There are no boats to be found in this particular anchorage . contradictory +The GAO senior executive official responsible for the completion of the engagement , along with the staff that performed The GAO senior executive has no responsiblities at this time . contradictory +If you 're interested enough to make a small investment , first look at the marvelous samples in the Municipal Art Museum in the park before buying . You should definitely invest , no matter what , there are no sample available but I promise you 'll love it . contradictory +Schedule and decision point approved ? The schedule has been approved . neutral +but you you you have to but you 're you 're right though in that you do have to cut it though when it 's um relatively short you can 't let it go a week or two because if the clippings are that long then they 'll just lay on top Leaving it uncut for more than two weeks will cause the entire ecosystem to falter and become irregular . neutral +i have a passion for all that type of different tastes because i have been brought up mostly Italian American food because my uh parents are Italian and Portuguese so we cook a lot of pasta and uh gravies and pizzas and you know roasts and that kind of thing that 's why i enjoy going to restaurants and have you know trying different things I 've never experienced Italian-American cuisine but I 'd like to try it . contradictory +He may have a little trouble with so many knowing his name , but he 's Dave Hanson , to whom nothing is impossible . Nothing is impossible for Dave Hanson . entailment +Come now , he continued , as Tuppence remained silent . Tuppence did not remain silent , he shouted instead . contradictory +A table of contents referenced to both page and paragraph numbers follows the summary . The summary follows the table of contents . contradictory +Employees are more likely to support changes when they have the necessary amount of authority and flexibility--along with commensurate accountability and incentives--to advance the agency 's goals and improve performance . Employees are less likely to support changes when they have the necessary amount of authority contradictory +Like many other World 's Fair exhibits , the tower was slated for destruction in 1910 . The Sparkling Tower and Amazing Science were among many of the exhibits slated for destruction in 1910 . neutral +And in my view , justice was served . In their view , justice was not served . contradictory +While it helped clear Clinton of the charge of making an aggressive , unwanted sexual overture , it still contradicted the Clinton camp 's official line , which was ( and is ) that there was no sexual overture at all , not even a welcome one . While Clinton was absolved of aggressive sexual actions his camp maintained that there were no sexual actions . entailment +oh but i remember i was with a friend of mine had uh three kids and the little boy must have been oh maybe about ten and we rented Charlotte 's Web okay We got our rental from Blockbuster . neutral +As evolutionary psychologists Martin Daly and Margo Wilson showed in their book Homicide , children not reared by both biological parents are at greatly elevated risk of physical abuse , even murder . Children not reared by both biological parents are at a little risk of physical abuse , said two evolutionary psychologists . contradictory +you know if they really wanted to i think they could they just don 't want to put there 's too much money people 's been bought out you know and that 's what 's wrong with some of the kids on the street There is not a lot of desire to invest because of the crisis of over investment in the past . neutral +Is there anything more redolent of vulgar erotic possibilities ? Erotic possibilities were not suggested . contradictory +From 1999 through 2000 , HIC paid over $ 3 . HIC paid over $ 3 but it isn 't much money . neutral +An ' it was a pleasure to do fo ' a gentleman . It really would have put me out so I refused to do it . contradictory +no if they going to give it to them i think they should go ahead you know okay maybe a year or you know like that two years whatever but twenty years ten years on death to me that 's worse for them too The death penalty is worse than ten or twenty years in prison to me . contradictory +yeah we got big cash advance and really that 's what 's uh holding us back now that 's We took a big cash advance from our bank . neutral +Similarly , 3 truckloads of mail weighing 3 ounces per piece get the same dropship discount as 1 truckload of mail weighing 1 ounce per piece . 3 truckloads of mail weighing 3 ounces per piece get the same dropship discount as 1 truckload of mail weighing 1 ounce per piece . entailment +um no we don 't but other other offices do they have a box for papers Other offices possess a box for papers , ours does not . entailment +He 's some head waiter , that . He doesn 't work at the restaurant . contradictory +that that 's all you can do that 's right well i got to be going so uh That is all you can do . entailment +Some critics celebrate Burne-Jones ' use of eclectic media ( paint , tapestry , stained glass ) and varied imagery ( Arthurian , classical , pastoral ) . Burne-Jones has been an artist for many years . neutral +Originally from Russia or Asia , they migrated to Mesopotamia first and then on to Iran before entering India . They were originally from India , but they migrated to Mesopotamia . contradictory +In 1989 , the big three TV network newscasts aired 518 stories about the issue . More than 500 stories were aired in 1989 about the issue . entailment +Born in 1853 and exiled at 18 for his political views , Marta became a journalist and poet . Marta was a journalist and poet and he inspired many through his writings . neutral +He died a year later . He never died . contradictory +In the East , 12 th -seeded Southwest Missouri State held fifth-seeded Wisconsin to 32 points--the lowest NCAA tournament score since the inception of the shot clock--and then trounced fourth-seeded Tennessee . The average NCAA tournament score is 68 . neutral +Pubescent brains are flooded with aggression-inducing sex hormones and aren 't sophisticated enough to refer to past experience when making judgments . Most young teens have a very strong understanding of the mental effects of sex hormones . contradictory +2 billion state budget shortfall . The state is thriving . contradictory +and we keep thinking about that you know because she they get less alert and they don 't care and i 've seen some of these elderly people on TV you know the ones from Florida that just run into people and they don 't even understand what happened you know She was not alert because of all the medications she is currently taking . neutral +and they are now putting in you know some sort of federal arbitrator i think or something because they just have a horrible time getting the you know getting their contracts straightened out they have been good and they only walked out once or twice i believe they keep getting you know they they 'll go all the way to your table they 'll have some proposal and then getting their contracts in order hasn 't been easy for them entailment +New illumination was installed in 1985 to light up the tower from within , and it was the obvious main focus of France 's celebrations for the change of the millennium in 1999 . The New Illumination was the main focus for the new millennium celebrations . entailment +I beg your pardon . A man 's voice beside her made her start and turn . She was lost in her thoughts which is why she was startled when the man next to her spoke . neutral +Harford is allowed to leave , though he is given a stern If you make any further inquiries , there will be the most dire consequences for you and your family . Hartford is going to need to stay here for much longer . contradictory +According to Jones ' complaint , Ferguson later returned to the registration desk , handed Jones a piece of paper with a suite number on it , and said the governor would like to meet with her there . Ferguson went back to the desk and implied the governor wanted to date her . neutral +But they insist that they stand by the right to any other second-term abortion . They are assertive in their support for any other second-term abortion . entailment +If you must use paper , please do so with extreme caution . Please just use as much paper as you want . contradictory +In 1985 , for example , RCED was asked how the Department of Interior was implementing the Office of Management and Budget 's Circular A-76 , dealing with privatization of all appropriate services . RCED was asked in 1985 about the Department of Interior . entailment +I feel dizzy . I feel unwell . entailment +The LSC Act of 1974 , as amended , was adopted to provide equal access to the system of justice in our Nation for individuals who seek redress of grievances ; . . . to provide high quality legal assistance to those who would otherwise be unable to afford adequate legal counsel ; . . . [ and to ] provid [ e ] legal assistance to those who face an economic barrier to adequate legal counsel . The LSC act of 1974 was amended and adopted to give equal access to the justice system to people . entailment +Thus , kin- recognition mechanism is a doubly misleading term--first because , as we 've seen , the mechanism doesn 't positively identify kin , but just identifies factors correlated with kinship ; and second because people aren 't really aware of doing the identifying . Recognition mechanism is hands down one of the most accurate terms in the field . contradictory +If Household Wealth Has Increased , Does It Matter if the Personal Saving Rate Has Declined ? If household wealth has decreased it doesn 't really matter that personal savings have decreased as well . contradictory +As discussed earlier , EPA 's Science Advisory Board , while acknowledging the uncertainties in estimation of a PM-mortality relationship , has repeatedly recommended the use of a study that There are uncertainties in the estimation of PM-mortality relationships . neutral +Its immense columns ( the top of each one could accommodate 50 standing children ) recreate the papyrus forests of the sacred island from which all life sprang ( also representing the landscape of Lower Egypt ) , and they were highly decorated and brilliantly painted in their heyday . The papyrus forests add to the sacredness of the island . neutral +no but i mean it 's like it 's like they they have like this different policy i don 't know my dad works for them but it 's like IBM like never in their commercials they never put down any other company you know it 's like It 's as though they have a different policy entailment +These witnesses of yours are all right , I suppose ? " I think that all your witnesses are okay . entailment +I began to shake my head and gibber . I shook my head and gibbered . entailment +Perhaps the whole situation really would have blown over . Maybe we would all be over it . entailment +Security program management and the related implementation of controls over access to data , systems , and software programs , as well as service continuity planning , are central factors affecting an organization 's ability to protect its information resources and the program operations that these resources support . The resources support program operations like fundraising . neutral +From a stock of Mongolian , Chinese , Korean , and perhaps also Malay settlers , the country has had several thousand years to develop a solidly unified ethnicity . Japanese people are still from 4 separate ethnic groups . contradictory +Number 10 was the home of film stars Simone Signoret and Yves Montand . Simone Signoret and Yves Montand lived at number 10 . entailment +Since NOx emissions result in formation of ground-level ozone , reducing NOx emissions will reduce ozone levels and thus reduce the deleterious effects of ozone on human health and ecosystems . The formation of ground level ozone is affected by NOx emissions . entailment +He 'd had a course of semantics in college and could see no relationship . College had not provided him with knowledge to conclude there was a relationship . entailment +uh-huh oh Cinema Para De Simo oh okay because you 're saying it with a you 're saying it little Italian oh are you Italian oh okay that 's why go ahead Oh Cinema Para De Simo , you 're saying it Italian-like , oh ok because you 're Italian . entailment +According to VBA officials , they are currently using TPSS training modules to facilitate the training of some new employees , but the training modules needed for other newly hired employees will not be available until November 2001 . VBA officials use TPSS training modules to facilitate the training of new employees who have been there less than a month . neutral +The providers will attend sessions on car-related consumer law , bankruptcy , immigration , welfare , assisting pro se clients , recruiting private attorneys and Internet resources for both advocates and clients . Bankruptcy is not going to feature in the sessions that providers will attend . contradictory +Organizations are able to use the site 's extensive resources to promote and recruit volunteers The new site developed by the United Way will allow other organizations to search for and recruit new volunteers . neutral +Secret tabloid technique debunked ! Some tabloids use secret techniques for finding information . neutral +Thus , HCFA also satisfied its responsibility under 5 U.S.C. HCFA has yet to fulfill its job . contradictory +For some of the very guardians of America 's alabaster template--Pat Buchanan , Peter Brimelow , and their ilk--are the same ideologues who reflexively rebuke blacks for any show of ethnocentrism . Pat Buchanan and Peter Brimlow are black . contradictory +At the height of the Great Famine in 1845 1847 , a soup kitchen was set up here to feed the starving . The soup kitchen was run by nuns from the cathedral . neutral +Who 's he ? " I know who he is . contradictory +Tax Systems Management and Technical Weaknesses Must Be Overcome To Achieve Success ( GAO / T-AIMD-96-75 , March 26 , 1996 ) Tax Systems Management and Technical Weaknesses Must Stay to Achieve Success contradictory +Today , however , you can buy almost anything with a tartan scarves , hats , kitchen aprons , waistcoats ( vests ) , tote bags , teddy bears the list is almost endless ! You can buy tartan print anything . entailment +( Post defectors include Celestine Bohlen , Gwen Ifill , Julia Preston , Michael Specter , Patrick Tyler , Patti Cohen , and David Richards--who defected back . Albert Einstein is one of the Post defectors . contradictory +recalls one ex- Vogue staffer wistfully . One ex-vogue staffer recalled wistfully . entailment +right right right isn 't it such such a long running SNL is really long running . neutral +What 's ironic about this revisionism is that it 's easy to dismiss the 1980s vogue for Japanese strategy and techniques only because so many of those techniques have become part of the fabric of everyday life at many , perhaps most , U.S. industrial companies . US companies don 't benefit from japenese theory . contradictory +After the break-up of the Mauryan empire , new invaders appeared on the northwest frontier . The Mauryan empire continued to exist , easily repelling invaders on its frontier . contradictory +Coming towards me , quite inexorably . I couldn 't stop him from approaching . entailment +He was really treating us in the most cavalier fashion . His behavior towards us was very arrogant . entailment +One must consider the usual factors cost , location , and budget as well as how integral you want your hotel to be to your visit . The usual factors are cost and location along the beach . neutral +'Just lay back , ' she told me . It was hard for me to listen to her when she told me to lay back . neutral +The water wheel and sluice gate still operate in summer , and there is a small display of artifacts used over the years ; the mill buildings themselves have been converted to a gift shop and cafe . There are a number of artifacts here which date back to the 1400s . neutral +This is primarily a result of economies of scale , worksharing and the extensive use of automation . The result is that many jobs have been lost due to automation . neutral +i needed the money this is five bucks here yeah really do you work for TI I wish this paid more . neutral +they don 't have kitchens or anything but they have little it 's like uh They have full kitchens contradictory +oh do they really ? Really , do they ? entailment +Campaign assertions about how much the average family 's taxes have increased under Clinton should be regarded with suspicion . There was definitely a drastic increase in taxes while Clinton was in power . contradictory +yeah i 'd i 'd love to have have some animals I don 't want any animals . contradictory +They want coal and oil . " They want fossil fuels to build the structure . neutral +By forbidding its dealers to compete with each other via prices , Schwinn forces them to compete with each other via quality of service , to the ultimate benefit of consumers . Schwinn makes no attempt to take action which will better the experiance for the consumer . contradictory +Now , thanks to Internet auctions ( eBay being my personal favorite ) I can do most of my game shopping online . Internet auctions always allow me to purchase games at lower prices . neutral +yeah well i enjoyed talking with you and I didn 't like talking to you . contradictory +well you can 't yeah I don 't think you can run away with his money . neutral +Songs like their biggest hit , , are sense-less but skillful pastiches of classic Beatles moments . It ; s not a bad way to produce music , either ... if someone wants to listen to it , they should . neutral +Acute Bronchitis $ 57 per case3 Average of low and high values recommended for use in Section 812 analysis ( Neumann , et al . Acute Bronchitis is $ 57 per case . entailment +you know i think i read Hawaii when i was about ten years old or so which is about the developmental level that you know you need to be at to read those things and i still even then i was so so disgusted with it i i tried to read I didn 't read Hawaii until I was about 20 . contradictory +i get i i just couldn 't imagine i mean it 's more money than i make in a year so you know it you know me being one person with a above the median It is more money than I could make . entailment +People are what make internal controls work , and the integrity and ethical values maintained and demonstrated by management play a key role in the entire organization 's ethical tone . People are what make internal controls work . entailment +$ 36,000,000 increase for alien travel expenses ( 3,600 removals at $ 1,000 each ) , and an additional $ 20,950,000 for detention vehicle expenses . Alien travel expenses were increased . neutral +The dance , something like the English maypole dance , is performed during the fiesta in Es Migjorn Gran . The dance is performed during the fiesta . entailment +They can evaluate the skills of their employees using methods provided by entities such as Carnegie Mellon Universityas Software Engineering Institute6 and the Information There are methods to evaluate the skills of their employees . entailment +In this First Report and Order , the Commission adopts a transitional rule requiring all cellular and broadband personal communications services and certain specialized mobile radio providers to permit unlimited resale of their services . The commission adopted a rule that requires resale of communications services . entailment +Contemporary conservatives believe that the most powerful institutions in American society are part of a liberal conspiracy . Conservatives like to warn of a liberal conspiracy run from the most powerful institutions in the US . neutral +Over the past several years , Congress has taken steps to fundamentally change the way federal agencies go about their work . The past several years were full of work and problems for the Congress . neutral +Also , these simulations reflect discretionary spending growing with inflation after 2001 ; in our earlier reports , discretionary spending was assumed to comply with statutory caps in effect through 2002 . These simulations reflect a different amount of discretionary spending . entailment +It is a wide arc of sand , shallow and sheltered . The sand is shallow and hidden away . entailment +Don 't even think of doing India the way people do Europe . India and Europe both have many specialized tours for people arriving there for the first time . neutral +Some noted that senior managers frequently called them to discuss security issues . Some said they set up weekly appointments with senior managers to discuss security issues . neutral +The imputed financing equals the imputed cost and is recognized as an other financing source . The imputed financing is the same as the imputed cost . entailment +i mean some things are just so cut and dry um in the in you know the the level of evidence that they come up with now i mean you know when you start thinking about well they 've got videotape and some things are really clear now , they have videotape evidence entailment +There are no facilities here , so bring food and drink with you . There are plenty of places to eat and drink , so you should not bring your own food or beverages . contradictory +The Internet ad market is growing at two or three times the rate of any other medium . The internet ad market is experiencing a steep decline . contradictory +During the last presidential campaign , according to Galbraith , Tudjman received 250 times as much TV time as his opponent . Tudjman did not take up any TV time during the election . contradictory +i can 't understand why nobody saw that before i mean even even not i can 't comprehend why no one noticed in the past entailment +Then I wrote my letter to Mr. Carter and rang up Sir James . Sir James called me to let me know he got Mr. Carter 's letter . contradictory +It 's much more accurate to say that I paid for the option to use any of the 315,000 entries that I might need . I paid for the ability to use any of the entries I might need . entailment +well how did they feel about the uh the United States intervening intervening with Patriot missiles did did they What do they think about the US Navy ? contradictory +That 's why labor is making fewer endorsements . That is the reason that labor is making fewer endorsements . entailment +What Factors Have Fostered Economic Growth in Recent Years ? Economic growth occurs when the country develops new technology . neutral +it has worked out so he 's got a real nice benefit package but um it 's uh it 's nice to be with a big company for that reason i guess There are no downsides to being with a big company . neutral +Nearly 30 homosexuals are featured in prime time , but few shows are sophisticated enough to script love lives for their homocharacters . Few shows have gay characters with love interests . entailment +He has been engaged in many activities through his professional and university life , including serving on the Editorial Board of the Journal of Legal Education , as Faculty Advisor for the Georgetown Immigration Law Journal , and on the Committee on International Migration for the Social Science Research Council . He likes doing work for the public . neutral +National Saving The nation 's saving levels are acceptable to most people neutral +But for the federal investment , the overwhelming majority of cases reported by LSC grantees would not have been possible . The majority of cases reported by LSC grantees would have been possible for the federal investment . contradictory +Despite good quality local wines , the Turks are not great wine drinkers . The Turks drink only wine , despite the poor quality . contradictory +so he 's yeah he 's gotten a lot uh you know you see all kinds of men being involved in the housework and taking care of the kids and all but in terms of his amount of hours at work nothing on that has lightened up The amount of hours he works , are going to stay the same . neutral +In addition , system administrators are the first line of defense against security intrusions and are generally in the best position to notice unusual activity that may indicate an intrusion or other security incident . System administrators can help defend against security intrusions . entailment +This interim final rule implements the childhood disability provisions of sections 211 and 212 of Public Law 104-193 , the Personal Responsibility and Work Opportunity Reconciliation Act of 1996 . This interim final rule will help children with disabilities . neutral +HCFA , among other calculations , had to perform a special data collection from its fiscal intermediaries to obtain cost report data and generate an unduplicated census count from the National Claims History Standard Analytical File . HCFA needed to get a cost report so they could show it to their suppliers . neutral +In many ways , Japan is not yet a truly modern country . Japan can be considered a modern country in every way possible . contradictory +The large man hammered on the molten iron until it cooled . The Iron is soft and pliable . contradictory +the cost of delivery and the benefits received by the mailer , the letter-size piece might be a more efficient piece for the nation as a whole , but the mailer will not make the change unless a rate differential is offered . A rate differential must be offered to the mailer . entailment +While LSC will implement these performance measures on January 1 , 2001 , it will diligently evaluate the chosen method of analysis prior to implementation to ensure it provides useful and meaningful data . LSC will implement these performance measures on January 1 , 2001 at about 3pm . neutral +hand-held computerized screening , interactive headphone delivery of messages , tailored messaging booklets ) to assist in interventions in a There are no wasy to improve the process of interventions contradictory +you you use um like your first couple of years you use personal computers because uh you know the software you know like it 's easier for you to go and run a program you know through the disk It 's a bad idea to run a program if you don 't know the software . neutral +It 's a little hard to explain , and it couldn 't help . " " Humor my curiosity , then . It is a simple matter to discuss . contradictory +For months after General Electric bought NBC , David Letterman mocked his new bosses as GE pinheads , and all the little ants who wrote for Dave felt sassy and bold . General Electric did not buy NBC . contradictory +Rural carriers furnish their own vehicles and provide all maintenance , repairs , and fuel , for which they are paid an allowance . It is very cheap for rural carriers to maintain their vehicles , so they end up making a profit with their allowance fee . neutral +I understand you to say that it never entered your head that the witnesses at the inquest could possibly have mistaken your voice for that of Mr. Inglethorp . I doubt that people would ever mistake your voice for that of Mr. Inglethorp . contradictory +The staff was asked to subjectively deter-mine if patients were intoxicated ( blood alcohol count ) . The staff was queried on whether the patients had taken alcohol and were drunk . entailment +Exley put all he had into his books , and what he had , besides his talent , was shockingly a troubled heart , a bottle , an affection for the home team , and a cacophony of chemical imbalances . Exley put no effort into his books . contradictory +Pleasant enough , inside . It was bad on the outside . contradictory +Jerusalem grew , surrounded with a formidable wall and defended by towers beside the Jaffa Gate . Jerusalem shrank due to its lack of defenses . contradictory +On another front , the state 's largest two bar associations are backing a measure to increase attorney registration fees by $ 7 to fund the Lawyers ' Assistance Program . The Lawyer 's Assistance Program helps current lawyers find potential clients easier . neutral +Tommy , let 's be adventurers ! " We should be adventurers Tommy . entailment +Little Tuppence . Tuppence was known as Tuppence the Gigantic . contradictory +Standing virtually opposite the Sorbonne 's rue des Ecoles entrance , at 6 place Paul-Painleve , are the massive brick ruins of the ancient Roman public baths . The massive brick ruins of the ancient Roman public baths are across from the Sorbonne 's rue des Ecoles entrance . entailment +The new version of Microsoft 's Web browser , Internet Explorer 4.0 , due out next month , will allow ( but--Microphobes please note--not require ) automatic download of Slate . Internet Explorer 4.0 will not allow automatic download of Slate , so you have to do it manually . contradictory +How , under the surface , behind that psychic shield , is a tender creature who 's hiding his humanity . He hides his feelings because of some kind of past trauma . neutral +and the starter was Bosch American so Bosch American was the starter . entailment +The installation of the FGD control technologies may require the following types of Installation of FGD control technologies have certain requirements . entailment +On the coast you can try the riding centre at Caesarea ( Herod 's Stables ; tel . 06-636 1260 ) , while the Artists Village Riding Centreat picturesque Ein Hod , near Haifa , offers the spectacular scenery of the Carmel National Park , Haifa , and the coast . Horseback riding is outlawed in or near Haifa . contradictory +Done ! came another . There was only one . contradictory +The Value of Preventing Non-fatal Road Findings of a Willingness-to-pay National Sample Survey . There is no point in preventing Non-fatal Road Findings of a Willingness-to-pay National Sample Survey . contradictory +During the 1999 / 2000 year , IRD processed 7.2 million tax returns . It took the IRD over two months to process all the tax returns . neutral +how individual employees can contribute to overall organizational goals . Individuals can 't impact goals of the organization . contradictory +members from other parts of the country . members immigrated from foreign countries contradictory +His celebrated Annunciation faces the top of the stairs compare the simpler version in cell 3 while other outstanding works include the mystic Transfiguration in cell 6 and Jesus Mocked in cell 7 . In the small refectory is the important Ghirlandaio mural of the Last Supper , a subject traditionally found in monastic dining rooms . The cells shows a variety of biblical scenes . neutral +They operate to beaches near and far ( usually , but not necessarily , the farther the better ) , and you 'll find that there 's a beach for every taste . There are over twenty different beaches in total . neutral +But I 'm only a bachelor in magic , not even a master , and I slipped . I 'm a master in magic . contradictory +Slowly Tommy spoke . Tommy did not talk quickly . entailment +The Fat Man glared at me . The fat man looked away . contradictory +and you 've been locked up with folks all winter it 's time to get away by yourself you 've been stuck in a house with people you don 't even like neutral +Hundreds of case files , as well as two offices in Pasadena and Pomona , remained under the old program 's control until the litigation ended in August 2001 . Everything was removed from the old program 's control pending conclusion of the litigation . contradictory +My brain power was greatly above the average . I felt mentally slow and sluggish . contradictory +i 'm actually surprised at anything in Central America along with Panama i 'm just kind of surprised we did that I saw it all coming , and I knew we were going to do that . contradictory +Some one might have talked afterwards . There is the possibility that someone talked after the event . entailment +right in day care yeah i agree i uh you know it 's fun being single it 's like i almost have to work right now i 'm at home because i am recovering from surgery but uh I am staying at home because I have to recover from surgery . entailment +But that 's the virtue of this calm and sensible book . This exciting and outrageous book has no virtues . contradictory +Former Food and Drug Administration Commissioner David Kessler describes how an ex-R.J. David Kessler is a stripper . contradictory +The trotting race is a particularly exciting event to watch . The trotting race involves 15 horses and lasts 3 hours . neutral +New drugs debut almost every year . There are no new drugs being made . contradictory +( That 's not to say that we 'd necessarily want to trash Earth It is not in our interest to trash the Earth . entailment +The soothing aloe that they apply while you sunbathe will be sure to cost you a small tip . The aloe was not very soothing and cost me a fortune to apply . contradictory +Continue uphill to the Convento de Santa Clara . Continue downhill to reach the Convento de Santa Clara . contradictory +No effort is made to fill in the blanks . Some effort was made to fill in the blanks . neutral +But he could remember the punishment very vividly . He had already forgotten the punishment . contradictory +no huh-uh sometimes he brings he brought home a uh a portable one He has never brought one home . contradictory +um-hum would uh would you be more in favor of uh you know like a local uh my only experience with it i was in Central America for a while and uh in San Salvador in El Salvador for instance everybody had what they called there social year I was never in central america . contradictory +Only , lissen here , kid , maybe you 'd better keep outta sight . Stay out of sight , kid , the monsters are coming . neutral +yes i know many people have said well if you throw everyone out and start over but then you uh the the amount of them who would be on lifetime income is so stupendous there 's they have locked their benefits in to the point that once they 've served two terms they 're on gravy train anyway yes i think you 're right i don 't think we should ever give them a lifetime thing After they serve two terms they are on the gravy train so to speak when it comes to benefits . entailment +Wherever the original furnishings and decoration were missing , superb appropriate equivalents have been installed . Unfortunately we don 't have the time to reproduce the lost decorations . contradictory +The problem isn 't so much that men are designed by natural selection to fight as what they 're designed to fight women . Some men point to natural selection to justify their violence . neutral +huh-uh no i wouldn 't want to eat them you know so yeah I 'd rather bring my own food . neutral +But I boldly predict it won 't work unless they have an entirely new thesis , since double-counting of corporate earnings is the core of their current one . I predict that their current thesis will not serve them well into the future . entailment +Between Haghia Sophia and the tip of Saray Burnu stretches the walled enclosure of Topkape Palace , the former residence and seat of government of the Ottoman sultans . The Topkape Palace was once the home of the President of the United States . contradictory +The last half-hour is like a seance after the ghost has left . The last half hour is riveting . contradictory +so so we 've got to pay a fire tax and we got to pay you know two taxes sounds like you got a a little one there We don 't get more here even though we pay more in taxes . neutral +it 's a pleasure talking with you It 's a pleasure talking to you over the phine . entailment +Another nagging How is it that the TV networks , which were parties to the deal , failed to break the story ? The TV networks failed to break the story about the missing child . neutral +she 's uh four months right now That pretty young . neutral +i don 't think i could spread my patriotism any more than well actually i like uh San Francisco 49ers too but uh San Francisco 49ers have always been my least favorite . contradictory +But we nailed him in Antwerp ” thanks to Mr. Poirot here . " As these friendly reminiscences were being indulged in , I drew nearer , and was introduced to Detective-Inspector Japp , who , in his turn , introduced us both to his companion , Superintendent Summerhaye . He was hard to catch . neutral +Jon dropped the pistols , hoping to scoop them up later , and drew his rapier and dagger . Jon had a rapier and a dagger . entailment +In between defeating the Aus ? ­ trians in Italy and a less successful campaign against the Brit ? ­ ish in Egypt , in 1795 Bona ? ­ parte re ? ­ turned to Paris to crush the royalists , and four years later he staged a coup against the Direc ? ­ toire . Bonaparte staged a coup against the Directoire after being a successful soldier . entailment +South of Namba , between Ebisucho and Tennoji stations , is the Tsutenkaku Tower , a rather desperate imitation of the Eiffel Tower ( and perhaps the only structure that makes Kyoto 's tower look impressive ) . The Tsutenkaku Tower was created to be a tribute to the Eiffel Tower . neutral +oh sure sure the the price is astronomical but what i do is i like to do this okay and i and i i like to play with mechanics and that 's i really i 've done that all my life so The price is high but I like to play with mechanics . entailment +but i don 't have a New England accent oh my parents have a New England accent but i don 't My parents have a Texas accent when they go . contradictory +Lessen he lives on th ' kind of whisky as would make a rabbit up an ' spit in a grizzly 's eye hole , he 's got somethin ' or someone to back him . He doesn 't touch alcohol , however there is no one in his corner . contradictory +Oh , of course , I 've got it myself . " She put it in the lock , and turned it , then paused . She unlocked the lock herself after speaking to someone . entailment +On that point he could come to no conclusion . He could not make up his mind about that . entailment +yeah for about four weeks No about 27 weeks . contradictory +They are proud of the scenic beauty , delectable wines , and exquisite hand embroidery that their tiny island has become rightly famous for . The hand embroidery is there biggest achievement . neutral +Only there 's one thing I brought Shadow and the filly down with the wagon train . I brought Shadow and the filly to the stables . contradictory +We 've always gotten along , says Lalley . They did not get along according to Lalley contradictory +uh its it 's it 's really looking at systems and design systems and seeing how people interact with them huh I 'd love to see how you interact with the system . neutral +Oh , there 's Cynthia ! " A young girl in V. Cynthia arrived in scandalous attire . neutral +well did um were you able to get one while you 're in college Were you able to get one while at Iowa State ? neutral +Barriers to implementing screening There are barriers to implementing the screening of ED patients . neutral +EPA has considered numerous regulatory alternatives to the final provisions of the rule , which are discussed in the Summary and Analysis of Comments , but has determined that the requirements expressed in the final rule constitute the most cost-effective and least burdensome alternative that would meet the mandate of section 213 ( a ) ( 3 ) of the Clean Air Act . EPA went with an alternative plan instead of what they originally wanted . contradictory +The bar on male behavior has been substantially lowered , and this is feminists ' own fault . Women often seek support from their social group . neutral +Even children on foot or in strollers wear a miniature version of the costumes . Not every child is required to wear a version of the costumes . neutral +On of the best times to see the square 's architecture is in the winter , when the chestnut trees are bare and don 't obscure the pink brick and honey-colored stone faaades . The best time to see the square 's architecture is in Autumn , when the square 's architecture is not obstructed by throngs of tourists . contradictory +At CNN , the Stretching Technique Is Called Yip-Yap : How slow a news week was it ? It was a slow news week at CNN . entailment +There are military entries full of wampum and warpaths ( during the French and Indian War ) and complaints to Congress ( during the Revolutionary War ) , which are interesting to read , even if Washington--unlike Grant and Sherman from the Civil War--was not much of a military writer . Military writings from generals can be interesting to read . entailment +Table 5.1 summarizes common pitfalls that we have mentioned throughout this paper . The pitfalls given are referenced in other case studies as well . neutral +yeah if you can get by that hurdle Yeah , if you can jump over the hurdle on the track . neutral +Most of the groups cited maintaining or increasing the technical expertise among their security staff as a major challenge , largely due to the high demand The demand for security staff being more technically knowledgeable isn 't in high demand . contradictory +whether it 's the way they were written or whether it was the material they were written you know that was written about and um so i started reading i had this like you know i had a binge of my mother uh i was living in Bermuda at the time with my husband but my uh mother sent me you know like booklet you know uh boxes full of different books I lived in Bermuda and my mom sent me 27 books . neutral +When the United States runs a trade deficit , foreigners buy less than a dollar 's worth of U.S. goods and services with every dollar they earn on their exports sold to the United States . When the United State runs a trade deficit , foreigners buy more U.S. goods than they earn on exports to the U.S. contradictory +yeah yeah academically they didn 't meet the requirements so they couldn 't play this year so four of them they had four people They were not able to play this year . entailment +You must trust us . We should always be trusted . neutral +they 're okay they 're not um out of anything yet they 're still hanging in there No , they 're doing terribly , they 've run out of everything and desperately need help . contradictory +Veterans Status of Achieving Key Outcomes and Addressing Major Management Challenges ( GAO-01-752 , June 15 , 2001 ) . Veterans address major information challenges . contradictory +Politicos and analysts told the New York Times that the gaffe won 't hurt Jeb or his brother , George W. Jeb was massively hurt by the gaffe and threatened to sue the New York Times . contradictory +These new accounting and reporting standards should not just be global in nature , they should be principle-based rather than rule-based . These new accounting and reporting standards were thoroughly discussed before implementation . neutral +How did it hope to compete with the great coastal settlements in other parts of the New World ? The great coastal settlements led to many archaeological discoveries . neutral +Incumbent commentators noted that this will encourage licensees to wait out incumbents and increase the likelihood that incumbents would have to assume the costs of their own relocation . This will increase the chances that incumbents will have to pay for their own relocation expenses . entailment +Instead of printing out intake forms and faxing them to the other providers , who then must manually enter the data into their systems , intake information will be transferred electronically from one system to the other . Instead of printing out intake forms information will be transferred electronically . entailment +A story says tourism is destroying the Chicago blues scene . In reality , tourism is boosting the blues scene . neutral +And there is little doubt they would have done so . There is only doubt they would have done it . contradictory +The local fishermen 's quarters lie just east of the river , where cows graze along the banks , a scene unexpected in sub-tropical Madeira , where cows are usually confined to tiny huts . There are cows close to the fishermen 's quarters . neutral +There are splendid views , a swimming pool , and extensive grounds . The views are lovely . entailment +8 percent of the population in LSSM 's service area are classified as poor and 20 percent are classified as elderly . Furthermore , 10 % of the population are classified as legally disabled and unable to work . neutral +In addition to regular art exhibitions , this wildly abstract structure features Osaka 's IMAX wide-screen theater . An Imax theater shows 32 millimeter films . contradictory +Carlos Sanchez , executive director of the Grand Rapids Housing Commission , believes the law can be effective if it 's applied with discretion . Carlos Sanchez is the director of more than one company ! neutral +save the fees we 've decided we just save the fees and and buy some of our own equipment so We have decided to keep the fees and purchase our own gear . entailment +see i joined uh when this one down here opened up i joined as a VIP and the VIP gives you uh oh gives you a diet a computerized diet and they go over all your health and all your history and they show you how everything to do and how to do it and the whole nine yards so it became part of the package so i went through it I joined when the location opened . entailment +well to broaden your horizons make you think about different things anyway You know , in order to learn and think about ideas that you haven 't encountered before . entailment +6.4 to 5.9 in 2000 but remains relatively high compared to the 1960s through the mid 1990s . The number is now lower than it has ever been . contradictory +Asked how she and her husband manage to juggle so many competing demands upon their time , Schwartz replied , we don 't watch TV . Instead of watching TV , Schwartz and her husband like to read . neutral +Responses overall were generally favorable to the concept of reporting stewardship information . The responses that were gathered were generally favorable ones . entailment +and perhaps the reason that good came out of the Mid East war is because we had the experience of Vietnam We did not have experience from Vietnam . contradictory +The player who in a ration of 3,25 to 1 counts more holes without touching the ground wins . The player that counts more holes without touching the ground is the winner . entailment +Now it stands to monopolize it , thanks to its ad dollars and its friends in the media . The chance to monopolize it is being acted upon currently . neutral +do you want to go first Would you like to go first ? entailment +well the the trick is to stop frequently and let the kids get out and run The kids need frequent exercise . neutral +Tours of the village of Accompong and the Native Arawak cave drawings nearby can be arranged through the Jamaica Tourist Board . There aren 't any attractive tourist spots nearby this area . contradictory +and i keep saying no no no Because I don 't want to do that . neutral +And you don 't get to cash in your buckle-up episodes like casino chips . The buckle up episodes are not worth anything . entailment +um-hum i normally find that uh i i 'm probably the most um news hungry of my friends so i don 't we don 't normally talk about the news at lunch i i find that i have to only subscribe to the paper on the weekend simply because i used to get it during the week My friends aren 't really interested in talking about the news . entailment +Major trauma , injuries , assaults , 72 depression , and alcohol-related medical problems like gastrointestinal bleeding or seizures define even higher risk subgroups . Alcohol related medical problems are one of many in higher risk subgroups . entailment +um daddy what 's the nearest big city to Toledo Bend this lake 's huge i mean This lake near Toledo Bend is huge and it 'd be fun to fish there . neutral +yeah i guess it would be I guess that is how it will be . entailment +Jon heard the Kal whisper in a language he didn 't recognize . Jon knew what language the Kal was speaking in . contradictory +IPM Is Well Suited to Model Multi-Emission Control Programs The program could not find any agency willing to help . contradictory +Take , therefore , the talent from him [ who had one talent ] and give it unto him which hath ten talents , Murdoch read . Murdoch is literate and able to read . entailment +That 's all very well . That is agreed to . neutral +not without wiping out a whole generation of of kids in the school system and so That can 't happen without getting rid of a whole generation of kids in the school system . entailment +when people were drafted and they refused to serve in the Army they were allowed to do hospital service or uh things like that and if they refuse or farm work in World War One i remember In World War I , people were allowed to do some other service like hospital or farm work if they were drafted but didn 't want to be in the Army . entailment +Ceteris paribus , France is more vulnerable to inefficient entry than the U.S. The US is more vulnerable than France . contradictory +benefits , recommended over 600 actions that have led to improvements in government operations , and provided 229 testimonies requested by congressional committees . The governments operations were recorded by the committees . neutral +Reached by a rambling footpath is the 1904 Villa Cimbrone . The Villa Cimbrone is nestled deep within the picturesque woods of the Italian countryside . neutral +That is the feeling that makes the children take out the broken tea pot and empty jam tin . That 's something that motivates kids to get rid of the broken tea pot . entailment +3 Clinton vs. whom ? Clinton in comparison to an unknown person or people . entailment +The buildings seemed to grow against one another and dirt paths ended with no warning . The buildings are very close together . entailment +Gatekeepers and the Social Control of Social Research . Protectors and the Social Control of Social Research . neutral +Take the funicular railway from the Place Saint-Jean up to the top of the hill and walk down the Chemin du Rosaire , which gives spectacular views of the town below . The top of the hill has no view of the town . contradictory +um well i i i guess the last thing that we had done uh was probably we had to have new tires put on it and uh it 's sort of a long story we had to get our car inspected uh for the state inspection sticker and We had to have our car inspected and we needed new tires . entailment +In response to the restrictions and funding cuts imposed nationally in 1996 , the Maryland State Bar Association created the Maryland Coalition for Civil Justice ( MCCJ ) to spearhead and oversee state planning . The Maryland Coalition for Civil Justice was created by the Maryland State Bar Association to oversee state planning . entailment +The Lusitania settled with a more decided list to starboard . The Lusitania never fully decided on when to starboard . contradictory +This was the site of the Bateau-Lavoir studio , an unprepossessing glass-roofed loft reconstructed since a 1970 fire . The studio was rebuilt slowly after a fire destroyed 90 % of it . neutral +Consider Ehrlichman 's reference to a certain left-wing Harvard professor , [ first name unknown ] Pomerantz , or whatever his name is , whose generosity towards the George McGovern campaign raises Nixon 's suspicions . Pomerantz 's generosity raised Nixon 's doubts because of past experiences . neutral +A good sword , high ground , or exceptional skill may push the odds but never by much . A good sword gives people the slight edge if it is made of steel . neutral +'All right , ' I nodded , starting to walk away . I didn 't say anything and stayed by his side . contradictory +People will argue about where to draw the line . People will not argue over spilled milk . contradictory +Never mind . Please remember . contradictory +They have done this before . This is not their first time doing this . entailment +The national museums have free admission , but the SuperSaver Card , available at any Tourism Centre or participating attraction , will admit you to a number of others at a reduced price with priority entry . The national museums have paid entry , same for all other museums . contradictory +Why , Albert Einstein addressed the same group ! The same group was addressed by Albert Einstein ! entailment +oh that 's pretty good exercise you do you drive a cart or do you carry your bag You get good exercise on the job , right ? entailment +These branches , once suitably blessed , are said to conduct lightning , and you 'll see them attached to houses all over Spain . There is no known use for these branches apart from being kindling . contradictory +Even in a rental car , Madeira 's steep , moun ? ­ tainous terrain and winding , two-lane roads make that very difficult . The roads of the Madeira are steep and winding . entailment +you 're in New York You like to visit New York every summer . neutral +yeah i i 've you know i see that all the time as a matter of fact i live uh literally right across the street from a golf course here in Texas I 'm not a member there , but do play occasionally . neutral +The cathedral 's 750 stained-glass windows are sublimely restrained , but Tomes bronze , marble , and jasper ensemble of color , shape , and symbolism is startling , and , daring as it is , much criticized . There were only 15 windows in the cathedral . contradictory +The Chicago Museum of Contemporary Art just hired its new head away from Disney . The new head of the Chicago Museum of Contemporary Art was just hired away from Disney . entailment +In a lengthy New Republic review , sociologist Alan Wolfe mostly praises the Thernstroms ' tome on Their tough-minded book serves the cause of racial justice . Alan Wolfe has reviewed many books for the New Republic . neutral +These , too , are expensive , but you can get shawls of good quality wool with distinctive embroidery at more reasonable prices . It is possible for you to get reasonably-priced wool shawls . entailment +The Bosphorus is one of the world 's most active shipping lanes , and the overland traffic is now carried by two of the world 's longest suspension bridges . The Bosphorus has been closed to shipping for centuries . contradictory +Stupas were originally burial mounds ; Buddhists developed them into shrines of plaster-covered stone , inside which are caskets containing relics of Buddha . The Buddhists destroyed the Stupa burrial mounds . contradictory +" Suppose I said yes if the fees were some of the foals of my own choosing , suh ? " Drew asked . Drew asked if he was the one who caused it to happen because he wasn 't sure . neutral +a lot of women most women control the budgets and they control the money and they control the husband i mean most of the time that 's how it works so so therefore i guess that they their they see that um This type of relationship is unhealthy , but can be rectified . neutral +Doing Italy is a lifetime job , and many devotees are so in love with the place that they won 't even think of an alternative destination . Many people love Antarctica so much they won 't go anywhere else . contradictory +Lawrence remained behind , but after a few moments Cynthia called to him over her shoulder to come and join us . Lawrence joined them immediately without being called contradictory +However , on sunny Saturdays and Sundays you may have to brave a crowd lining up at the lower terminal . On sunny weekend days , you may have to fight through a crowd at the lower terminal . entailment +yeah yeah yeah something like that uh i got a whole bunch of bulbs along with this stuff so i 'm going to wait on those These bulbs are the ones you hang on your house during christmas time . neutral +Buy soon or you may miss the chance . Don 't buy , you won 't miss it . contradictory +So you find out where the welfare office is , and there you also learn that if you quit your job you can qualify for two years of TANF welfare . Some people at the welfare office make less than five hundred dollars a year . neutral +1 This perception is one of the bases for the argument that a universal service requirement is necessary to assure the continuation of rural delivery or at least the level of service currently accorded rural areas . They think a universal service requirement is worthless .. contradictory +When you 've heard the president preposterously accused of murder so often , you just yawn when he 's accused of rape . You won 't pay much attention to the president being accused of rape when he 's also been accused of murder frequently . entailment +'Go sit in the back , keep everyone else company . The people in the back are getting quite lonely . neutral +The son 's failure to match his father reflects this small-D democratization . The son failed to match his father . entailment +The rules are very clear . The rules have been made to be understood easily . entailment +He said many people are asking if they can give it to their children to put it in a trust for them . Many people wonder whether it can be placed into a trust for their children . entailment +you know offset the income that they get or whatever so but you know i think if They shouldn 't offset the income . contradictory +Passive systems include both governmentwide web sites that allow users to find out about proposed rules in any agency ( e.g. Users can find out about proposed rules in any agency through passive systems . neutral +Liberal ideas began mushrooming in France itself , and after Nelson destroyed Napoleon 's fleet at the Battle of Trafalgar , the French West Indian planters ' lifeline with France was all but destroyed as well . Liberal ideas popped up in France , like women 's right to vote . neutral +For more information on the criteria we used to select these organizations , see appendix I. As federal agencies continue to improve their management and financial accountability , they will be able to draw upon the expertise and experience of these private sector and state government organizations . Appendix I will provide additional information on the organization selection criteria . entailment +You forget the dollars . You remembered well and included everything perfectly . contradictory +Representative of the artist 's austere , devotional style is Vision of the Blessed Alonso Rodr ? ­ guez . A complete break from the artist 's austere , devotional style is Vision of the Blessed Alonso Rodriguez . contradictory +The view of Ibiza , the sea , and the Spanish mainland is worth it , however . The view of Ibiza is not really worth it . contradictory +Probably founded by the Indo-Aryans around 1000 b.c. , the city was established from earliest times as a famous seat of learning for Hindu thinkers , theologians , philosophers , and poets alike . Indo-Aryans likely founded the city around 3000 years ago . entailment +Then she came . Then she came to teach us something . neutral +The Turkish national drink is tea ( cay ) . Tea is the Turkish national drink . entailment +To be sure that any needlework item is the genuine article ( as opposed to an inferior import or machine-made piece ) , look for a lead seal with an M , the emblem of IBTAM meaning it 's been certified by the Instituto de Bordado , Tapecaras e Arte ? ­ sanato da Madeira ( Institute of Madeiran Embroidery , Tapestry , and Handicrafts ) , an official island organization that has a showroom / museum on Rua Visconde de Anadia , 44 . There is no official sign something is authentic . contradictory +Not Apaches , probably bandidos . Bandidos probably attacked them , no the Indians . neutral +The sober interior has Byzantine-style frescoes , an 11th-century altar canopy , and a crypt built on Etruscan and ancient Roman pillars . Roman and Etruscan pillars once stood where the crypt is now . entailment +Under Federal accounting concepts , it is not considered to be part of the Government-wide reporting entity . Federal concepts are well described neutral +It is now the biggest money earner in the islands . It is the poorest island in the chain . contradictory +oh oh uh-huh well that 's my problem too i 'm i 'm trying to figure out from one payday to the next whose going to be the lucky one this month that 's going to get paid I 'm trying to figure out from one payday to the next who 's the one that 's going to get paid . entailment +These are quite dead . These have been dead for a year . neutral +The allegation , reported in Newsweek , is that when Willey met alone with Clinton at the White House in 1993 to ask for a paying job , Clinton made a pass at her--a charge denied by the president 's attorney . Clinton 's attorney disputed the claim that Clinton hit on Willey at a job interview . entailment +Behind the alternating rocky and sandy coastline , from the marble quarries of Carrara , the mountain chain of the Apennines reaches south into Tuscany where lie the ageless beauties of Pisa , Lucca , Florence , and Siena , not to mention the smaller , and arguably more magical , hillside towns of Montepulciano , Volterra , and San Gimignano . There are marble quarries in Carrara that supply the Western world with all of their marble . neutral +It also conceals a Gothic masterpiece , the Sainte-Chapelle . It has nothing inside of it except old books . contradictory +only we started off ours with we had we had pets before we had kids that 's why i thought when you were saying you know we 're going to have one in two months or something perhaps that you were newly married We started our marriage when we had pets already . entailment +Willes recently halved the price of the Times to 25 cents to reach nonsubscribers . The Times has cut its price in half in an attempt to reach new readers . entailment +H-2A workers by definition are required to leave the United States within a year , and the record establishes that most H-2A workers are physically present in the United States for only two to five months . H-2A workers can stay as long as they wish . contradictory +This is remarkable in light of the much lower population densities in the U.S. This is remarkable in light of the population densities in the U.S. neutral +The Moors The moors do exist . neutral +Moderately so . Very extreme . contradictory +The Future It was bright . neutral +It is a given that prescription drugs play a far greater role in health care now than when Medicare was created . Prescription drugs are more important now than they were in the past . entailment +I 'll tell you . I will inform you . entailment +I take my orders only from Mr. Brown . " The other threw up his hands in despair . " I do what I want Mr Brown " neutral +But when he recovered , he smiled . He smiled at her once he recovered . neutral +employees to handle return processing workload during the annual filing season , IRS plans to increase the number of permanent employees and expand their job responsibilities to include compliance work that they can do after the filing season . They a expanding the job responsibilities in order to process taxes faster . neutral +Yet modern France struggles with similar identity issues as its European Union neighbors . Today 's France has a clear idea of its identity in contrast to its European Union neighbors . contradictory +Mountain bikers can call Escape the CityStreets to arrange a more rugged ride through the canyon 's Cottonwood Valley . Rides through the canyon 's Cottonwood Valley , are considered to be the most rugged amongst mountain bikers . neutral +As you approach St. Giles Cathedral , the Royal Mile becomes High Street . You should not approach St. Giles Cathedral . contradictory +REPORT QUALITY report was terrible contradictory +you really you just know some people abuse them but not a joke about the person who pays their Master Card off with their Visa No one ever abuses credit cards . contradictory +He suspected Bork was putting the spell on her for her own good , and he agreed that she was better out of all this . He thought Bork was putting the spell on her so that she wouldn 't have to witness the battle . neutral +Now , I like pleats , and I was consoled briefly in the changing room by the thought that this subtlest of fashion statements was all that a Slate guy needed . I hate pleats on clothes . contradictory +" You ask him . " Nye sat down on a bunk , flipped his hat away , and lay back . Nye remained standing and didn 't say anything . contradictory +There is also an attractive 18th-century residence called Ceteau Murat . Additionally , there is a property known as Ceteau Murat , which dates back to the 18th century . entailment +The fortress-like exterior is decorated with 14 to fill them , the major guilds commissioned statues of patron saints from Florence 's greatest talents ( replicas now stand in their place ) . Statues of saints were never commissioned by the guilds . contradictory +But that 's the virtue of this calm and sensible book . But that 's the virtue of this well written book . neutral +Queens and royal children were buried in a valley separate from their fathers and husbands . Queens and royal children were buried . entailment +but now if you cook them wrong you can loose the vitamins to If you cook vegetables wrong you lose a lot of vitamins . neutral +that 's exactly what happened to us we were living um in Minneapolis at the time and we were getting ready to come back to Texas um and i went i mean into a Waldon 's and stood in line for like six hours it seemed like but i haven 't read it there is a good one out though that we 've had for a few years that i 've actually read more than once it 's called The Kingdom of Sound We were living in Minneapolis and were planning to come back to Texas . entailment +The tribes are as thick as flies out there . There are no tribes left . contradictory +In Amritsar , the troops of General Reginald Dyer fired on a prohibited mass meeting , leaving 379 dead and over 1,200 wounded . General Dyer ordered his troops to stand down , and the Amritsar mass meeting carried on peacefully . contradictory +New Englanders , fearing British corruption and tyranny , provoked the American Revolution . Fearing British corruption and tyranny , New Englanders provoked the American Revolution . entailment +The modular construction offered practically unlimited possible combinations in creating a new character , and several suggested on the back of the box gave a taste of this incredible action-figure adventure : Rambie 3 , Winnie the Poohman , Donald Potter , or Atomic Ostrich . The modular construction offered nothing . contradictory +In addition , over time , members began to better understand the perspectives of others . Everyone 's perspectives were positive . neutral +'Temperance , Quiet , Order , Resolution , Fragility , Industry , Sincerity , Justice , Moderation , Cleanliness , Chastity and Humility . A list of thirteen items considered virtues . entailment +4 ) Even if fiber doesn 't prevent colon cancer , it does prevent other cancers and heart disease . They wanted to advocate for eating more fiber everyday . neutral +uh i when when i uh i i i was i was a commercial artist for almost six years before um we started our family and i looked into uh into child care and and we were living in we were living in Dallas my husband was working at the North building at the time and we just didn 't like anything we saw we really i didn 't want to leave an infant I was a commercial artists for years before having a baby . entailment +Daniel Patrick Moynihan endorsed Bradley , the campaign netted $ 13,000 over the Internet . The Bradley campaign received $ 13,000 in donations over the Internet . entailment +That spearwoman is good , he said to Ca 'daan . Ca 'daan was told about the spearwoman . entailment +Interestingly , if the page simply provides a hyperlink to the image in question , the law becomes even murkier . There is much uncertainty regarding the law when the page only provides a hyperlink to the image in question . entailment +The New York Times reported that HMOs , rationing , and other medical-insurance nightmares conjured up in 1994 by enemies of the Clinton health-care plan are coming to pass anyway . The Clinton health-care plan was much better than the things they pass now . neutral +but we don 't do a whole lot since it 's a rental property we 've added a few things like around the patio and i 've tried to get a few shrubs to grow around here but since it 's you know rental we haven 't spent a whole lot of time and effort in trying to do landscaping we just kind of maintain what 's here and mow the grass and trim and that kind of stuff when it 's needed Because we own the place we have put a great amount of work and money into the landscaping . contradictory +During this time Kyoto thrived as Japan 's cultural and creative heartland . Kyoto was not an important city , it is ghost town . contradictory +He 's ' bout th ' most peaceful hombre I ever rode with . " I dislike riding with him - never stops making noise . contradictory +She flung herself down on the ground beside John , and as I handed her a plate of sandwiches she smiled up at me . She was so hungry she threw herself to the floor , but was feeling better after I handed her a sandwich . neutral +DiClemente pointed out that in an ideal world , primary care would provide consistent contact , and interventions could happen over time . If the world was perfect , people would receive primary care any time . entailment +The Romans cultivated grapes , wheat , and olives ; built roads ; and bequeathed the Latin foundations of the Portuguese language and a strong base of Christian belief . The Romans chose to cultivate wine and heroin but never had they constructed any roads . contradictory +And fights crime . And uphold 's justice . entailment +At an altitude of more than 640 meters ( 2,100 feet ) , this city on the Castilian plateau , Europe 's highest capital , is scorching in summer , when wilting residents flee for the coast or cooler northern climes , and freezing in winter , when many Madrilellos bolt for the Sierra Nevada , just a couple hours south , to ski . Residents of Madrid all wish that their city had a different climate . neutral +Competitors of the U.S. The U.S. ' s competitors are also sometimes its enemies . neutral +Must have been mistaken about you , Kirby . Now Rennie looked at Drew . I guess I had the wrong impression of Kirby , Rennie glanced at Drew . entailment +Legend holds that this gorge was created by the saber of Manjushri ( see page 15 ) . On page 15 you can see a depiction of what Manjushri 's saber might have looked like . neutral +They are collected by the Minerals Management Service ( MMS ) of the Department of the Interior , which The Minerals Management Service is not part of the Department of the Interior . contradictory +Its greatest tourist attractions are the summer music and arts festivals ( in particular the world-famous Spoleto Festival established in 1957 ) , but the town 's beautiful natural setting amid densely wooded hills also makes it a base for hikes into the countryside . Tourists don 't come because there is nothing to do . contradictory +but our black cat has never never once been outside and has no interest in going outside you can actually leave the door open he 'll come to the door and sit down but he never goes outside Our black cat is not interested in going outside . entailment +Rock Climbing Couch surfing . contradictory +go walking in the shallows and gig flounder and things like that which isn 't technically fishing but it 's a lot of fun Take a boat out into the middle of the lake . contradictory +These individual advertisements could each be a stand-alone insert . The advertisements could never be standalone . contradictory +When Cohen is not imagining history , he rewrites other people 's research , sometimes mangling quotes during his copying , as he did when he took a quote from a 1951 book , Murder , Inc . : The Story of the Syndicate , by , also about Jewish gangsters . The book Murder Inc was published in 1951 . neutral +The old backstreets here are full of character but seldom visited by tourists . The old backstreets here are full of character but seldom visited by tourists due to fear f criminal activity . neutral +In anticipation of many program mergers or consolidations due to the reconfiguration of service areas for 2002 , LSC , along with the National Legal Aid and Defender Association and the Management Information Exchange sponsored a Making Mergers Work workshop during the March ABA / NLADA Equal Justice Conference . LSC sponsored a workshop for Equal Justice . entailment +to the credible evolution of what 's really become of me . Here 's to how I really turned out . entailment +um-hum yeah that 's good i was just wondering um getting back to the school thing so i mean i i i almost wish that there was some I was wondering about the school topic , if the program is accepting people . neutral +Like most regulatory regimes , this one ended up working largely for the benefit of the regulatees--restricting competition and making ownership of a bank a more or less guaranteed sinecure . There are no benefits at all to any regulatees . contradictory +yeah and uh i was a little disappointed in the third one it 's Godfather Three it was not bad but i expected more i think i was really impressed with Godfather Three ; it was better than I expected contradictory +More likely , Zarco was heading for Guinea and storms forced him onto the beach of Porto Santo . Zarco had been traveling to Porto Santo when he was blown off course and shipwrecked in the Lesser Antilles . contradictory +Upon careful consideration of the findings of fact , the language and purposes of the statute and the legislative history , the Commission has determined that none of these formulations fully responds to the purposes of the statute or the intent of Congress . The Commission was not happy with any of the forumulations . entailment +that then because of all the oil spills that they have had and uh it always smelled the entire time we were there it was There are a lot of oil spills there . entailment +Anyone can sit , the angry Muslim preacher sneered , belittling the transformative techniques of the protesters for desegregation . The Imam was unimpressed by the protesters methods and found little value in them . entailment +You warned us all right . You didn 't give us any warning contradictory +but i 'm not sure that it 's such a massive improvement uh you know once you get passed thirty three megahertz all help is kind of lost in the in the translation Once you go above thirty three megahertz , you see a massive improvement . contradictory +are the dashboard statuettes and the black velvet portraits , says Time ' s Walter Kirn . Walter Kim works for Newsweek magazine . contradictory +( I also found it slow-loading and buggy . ) It loaded slowly . entailment +A handful of Jewish families still live in the Ghetto . There are no longer any Jewish families in the Ghetto . contradictory +Having attended two Big Name schools , I know that we can 't take anybody 's work for granted . We can take everyone 's work for granted , and I 've been to four Big name schools . contradictory +On the right is an austere hostel and chapel for the few pilgrims who passed this way , and beyond it the forge of the hard-working Ceter ? ­ cians . Both the chapel and the hostel were constructed during the same time period . neutral +The tension between the two drove him to distraction . The sexual tension between the two men distracted him from his work . neutral +okay the question was um what what is your opinion of youth uh spending a year or two in in public service The question is about not going to service contradictory +There is no development here for two main reasons . For two controversial main reasons , nothing has been developed here in a long time . neutral +Mr. Jennings had financial considerations , the City had growth and economic development considerations , and the State and Housing Authority had their own concerns . They were not sincere enough to take initiative . neutral +i 'm a finance major I am a finance major . entailment +While accusing Clinton of invoking the Iraq conflict to delay the impeachment vote , Republicans invoke the Iraq conflict to expedite the impeachment vote . The Republicans and Clinton both agree that the impeachment should be canceled so that they can focus on Iraq . contradictory +The substance coated his throat and stained him like black ink . He cleared his throat and sang the villagers a song from his homeland . contradictory +The cure for the phony war will be the real one . The war is between US and Russia . neutral +course i used to like the Patriots too they were just down the road from here but boy the Patriots are kind of sad they 're now they 're talking of moving out of town and they ought to all get out of town and take Kiam with them The Patriots are happy about the possibility of moving . contradictory +The records we are requesting will assist the review of how the NEPDG spent public funds , how it carried out its activities , and whether applicable law was followed . They wanted to make sure everything was balanced on the budget . neutral +As discussed earlier , our discussions with the eight organizations focused on their methods for developing and supporting policies and guidelines . The 8 organizations were all very happy to reveal their methods to us . neutral +LSC , therefore , required its grantees to begin to examine , on a statewide level , how all grantees in a particular state would serve in the present , and plan to serve in the future , the civil legal needs of low-income persons . LSC required them to look at how grantees would serve low-income people . entailment +Deir Abu Maker is the most important , having provided several leaders for the Coptic church ; nearby is Deir Anba-Baramos . Some Coptic church leaders were provided by the Deir Abu Maker . entailment +Tommy produced five shillings . Tommy took the money . contradictory +A story tracks Microsoft 's growing D.C. Microsoft is an important company to track in stories . neutral +for a while but then he switched jobs i don 't understand half the stuff he does and i have uh For a little while but then he became an engineer . neutral +I am pleased to be here today to discuss the essential actions that the federal government needs to take in order to manage its most important asset-its people , or human capital . The people are the most important asset to the federal government . entailment +it 's really i can 't believe that you know because they 've got it all posted all over the place how much they 're saving and how well yeah they have their savings posted for people to see entailment +you 're the first person not from Texas that i 've talked to You 're another person from Texas . contradictory +At the far end are the Place J ? ? ru ? ­ salem and an old synagogue . There is an important religious place far away . neutral +when he was alone you can tell i 'm an animal lover you can hear my dog I love dogs , cats , parrots , and pigs . neutral +Open-Ended Interview Interview is conducted by two people neutral +Malaysia 's traditional entertainment is more often than not a daytime affair . Traditional entertainment seldom takes place during the day in Malaysia . contradictory +At the corner of Lawnmarket and Bank Street is Deacon Brodie 's Tavern . The Deacon Brodie 's Tavern is at the corner of Lawnmarket and Bank Street . entailment +Main The rhymes are only so-so , and the tired sexual politics that provide most of the lyrical subject matter send a mixed message . The message is clear . contradictory +In making a determination as to whether the configuration of LSC-funded providers set out in the state plan will maximize the effective and economical delivery of high quality legal services to eligible clients throughout the state within a comprehensive , integrated delivery system , both in the present and in the future , LSC will review the strategies outlined in the state plan against the following The state plan will maximize the effective and economical delivery of high quality legal services to the people who are eligible . entailment +It 's easy to see what drew Lukas to the Steunenberg a tale of murder that is still shrouded in mystery Lukas was drawn to Steunenberg entailment +oh well we all indulge right We all indulge daily . neutral +At the southern end of Cardine V , the patrician House of the Stags ( Casa dei Cervi ) is named after its frescoes of two stags being attacked by hounds . The House of the Stags is named after a professor Stag . contradictory +Colonial-style central building with pub , fitness room , and shops is surrounded by villas with views overlooking the bay . The central building has a nothing but a pool house . contradictory +Another classic dessert is baklava , made of alternating layers of thin pastry and ground pistachios , almonds , or walnuts , saturated with syrup . No one likes the baklava . contradictory +and so it 's just kind of strange you know so five years ago we probably looked like real ding dongs you know We knew what we were doing five years ago , and we were very clever . contradictory +And the letter came from there ? The turkey leg came from the mall . contradictory +Under the immigration bill , Clinton directed the Immigration and Naturalization Service to deport asylum seekers without giving them any opportunity to appear before a tribunal . Under his immigration bill , Clinton did not direct the immigration and naturalization service to deport asylum seeks without giving them a tribunal. he made sure they got a tribunal . contradictory +two days after the they were born she had a she died she had some kind of an infection from it all she was just too old we had to feed the puppies we had to get up night and day with those just like with a baby All of the dogs are dead . contradictory +and now you can get it you know like for one thousand dollars because uh you know because of the parts basically you know what You can get it now for ten dollars . contradictory +The Road to Hell The road to take to get to Heaven . contradictory +Russell 's first two films , Spanking the Monkey ( 1994 ) and Flirting With Disaster ( 1996 ) , were much smaller in scale , but both were products of the same angry sensibility . Russell 's first films were massive blockbusters . contradictory +He suspects nothing . Our plan is safe ; he suspects nothing . neutral +An additional dollar of government saving and debt reduction does not automatically increase national saving and investment by a dollar because changes in saving by households and businesses will tend to offset some of the change in government saving . When the government reduces saving and debt by one dollar , national saving and investment does not , in turn , increase by a dollar . entailment +The rest will be sneak attacks , flanks , and luck , said Jon . Jon said the rest will be sneak attacks , flanks , and luck . entailment +Limitations on Total Emissions Limitations to Complete Emissions entailment +When I arrived at the chateau , I realized at once that it was Mrs. Inglethorp who had burnt the will ; and there , by the way , you cannot complain , my friend , for I tried my best to force on you the significance of that bedroom fire in midsummer . " Mrs. Inglethorp did not burn the will . contradictory +Targeting may increase what advertisers will spend per eyeball , but it also reduces the number of eyeballs they have to pay for . Audience targeting is the best way to reach people in advertising neutral +and he tried to convince me to buy this single family house that he saw for sale and uh He tried to convince me to buy this house . entailment +But for him , we should never have known of this will . We really shouldn 't be aware of this . entailment +22 , the Essex County Family Legal Aid Center will provide free legal assistance to low-income domestic violence victims in civil court . Free legal assistance is available to violence victims in a very timely manner . neutral +Further , the attitude and philosophy of management toward information systems , accounting , personnel functions , monitoring , and audits and evaluations can have a profound effect on internal control . The management 's philosophy can influence the internal control . entailment +Admission prices are lower in Alicante than in Benidorm . Alicante is a more popular tourism destination . neutral +Especially popular is the oak forest ( and monastery ) on Monteluco , favored by St. Francis and St. Bernardino of Siena . The oak forest is an ideal location for the monastery on Monteluco . neutral +No , said Tuppence thoughtfully , " he didn 't believe it . " yes , " Tuppence said , " he believed every word of it . " contradictory +We assume here that both firms provide the same frequency of delivery ( daily ) . We assume that both firms have different frequencies of deliveries . contradictory +'No . They won 't . ' They will not . entailment +improved use of information returns in IRS ' tax enforcement operations yielded $ 83 The IRS has been ineffective in changing its information practices . contradictory +I have tired of this place , said the northerner . The man was tired of being in the village . neutral +NSIAD is using the findings in this way , as part of its ongoing work on bilateral initiatives . The NSIAD has discarded the findings and is not using them for any projects . contradictory +It is also the capital of the Sharon Plain citrus-growing area and the centre of Israel 's diamond industry . Oranges and lemons are both grown on the Plain of Sharon . neutral +Viewed from hindsight , Solidarity was critical in establishing the foundations for opposition to Communist rule across Central and Eastern Europe . Solidarity helped fight Communism , but it wasn 't always necessary . neutral +Instead of writing this book--and book-writing is surely a job for sissies--he should have gone out and beat someone up or sold drugs . He 's a bad kid and deserves a bad life . neutral +all right what do you think about it like well you can go first What are your thoughts about it ? entailment +For instance , Colorado school administrators like to brag that their state 's average SAT score is the highest in the country . School administrators in Colorado often brag that they have the highest SAT scores in all of US . entailment +well any you know Time magazine and even the news that sometimes that that 's why i like some diversity the idea that i we have Time which which we we take from time to time and we the problem is they call up and make this deal you know and well we 're taking that and and we also hit the Garland Diversity in news is great . neutral +and then i was told by somebody that works for JC Penney 's that um Ross Ross is just one of those places that sells sells seconds Somebody that works for JC Penney 's told me that Ross just sells seconds . entailment +It 's certainly better than living in a society that allows money to entice people to convert their own health into a commodity . There 's nothing better than living in a society where people can use their health as an asset to gain money . contradictory +Hunting and shooting . Firing guns . entailment +Indeed , this analysis estimates that 21 percent of non-COPD premature deaths avoided are in populations under 65 . Research shows that an estimated 21 percent of non-COPD premature deaths avoided come from people under the age of 65 . entailment +The nation can ill-afford to have the secretary or deputy secretary being side-tracked by administrative and operational details -- the mission of the department requires their undivided attention . There are differences between the approaches by the secretary team and the operational team . neutral +It was originally intended as a church for Louis XV , but is now a secular mausoleum of some of the nation 's greatest heroes . Maintenance and security are a large expense for the mausoleum , with a significant part of the costs covered by visitor donations . neutral +and what goes on is that every time somebody attacks a country supposedly US or Russia attacks a country it 's not going to be within the borders of the US or Russia itself like i was telling people i 'm really mad because the whole thing in the Middle East this was going on in Lithuania in Lithuania they they were announced to be a separate country but yet the the government that 's in Moscow told its army to go in there and get those people and the US didn 't go in there and try to save those people Big countries like Russia can get away with attacking other countries . neutral +and you forget some of the smells and stuff like that but i think you know probably the probably the Middle East is if you have too many tribes mixed up with troubled mentality not only the Mideast but also in in the what they call the emergency African nations the third world The Middle East and Africa have tribal systems . neutral +yeah it was it was fun because uh they would call when they were with the Browns they would call and say we left tickets at the gate for you all come on up so we would hop in the car the next morning and drive up and It was fun because they would give us tickets . entailment +, bomb ) in furtherance of a crime of violence that is prosecutable in a federal court . The crime wan not able to be prosecuted in a federal court . contradictory +Flights , including international arrivals , land at the Bayan Lepas International Airport 18 km ( 11 miles ) south from Georgetown , where taxis to the city are available . Taxis are available at the airport . entailment +but i had the wrong side out i didn 't know there was a right and wrong side the thread worked The threads were labelled , I just didn 't pay attention to them . neutral +The gateway to the Lake District for those traveling from the north , Penrith was often at the center of battles between the English and the Scots for control of this frontier territory . Penrith has been destroyed and rebuilt several times . neutral +The result would have been , for large , complex sources , documents of a l , 000 pages or more . The result would be for very large documents . entailment +At first not a single face was seen but Jon saw the elders and a few others lined up on the road . Jon saw people on the road . entailment +AGSIMe is designed to forecast agricultural supply and demand out to 2010 . Teh forecast of agriculture supply and demand through 2010 is completed by AG SIMe entailment +It is now on display in the museum , along with tapestries that adorned the walls of the unheated hospital wards to keep the patients warm . The wards of the hospital were heated very well . contradictory +But the most important pleasure of Provence is not the sightseeing but the sun-soaked landscape , the leisurely pace of life , and the wonderful cuisine . The most important pleasures of Provence are nightlife and industrialized areas . contradictory +'First things first , ' Derry said , braiding my hair with wires . Derry braided blue and yellow wires into my hair . neutral +Enter one of the many gates of Merrion Square Park and walk along some of the secret , wooded paths to the immaculately groomed gardens . Merrion Square Park is run-down , a blight , and an eyesore with no gardens or paths . contradictory +oh so the aerobics the impact would not be good The impact is good in aerobics . contradictory +Boston Medical Center as a value-added service in the emergency department . Boston Medical Center has a service in the ED . entailment +Nothing is staged just for guests at the nearby Warner Brothers Studios ( 4000 Warner Boulevard ) . Guests must book in advance of visiting Warner Brothers Studios . neutral +but when you anytime you see a nation go in and just overtake it and it 's take it take authority take control it 's a i believe it 's a spiritual but whenever you see a country invade and take over entailment +'You failed to mention , ' Lincoln twitched , ' the four or five dozen of his followers hidden at the front and back of this train . ' You didn 't mention that there are three followers hidden all over this place . contradictory +Whatever surprises Arquette might once have had are long gone ; the only thing mysterious about her is those long , distracting fangs . Arquette has a lot of things going to her but having her fangs removed is the best one . contradictory +LSSM operates like a law firm , but does not charge fees to their clients . There is a high price for clients of LSSM . contradictory +you could go back and and paint the whole thing over that 's uh this is an interesting topic that they would bring up painting because it uh it seems like everybody has a you know to go in and do i 'll just do a little bit here and a little that It should be left as it is , no painting at all contradictory +and i mean so i 'd say at least two usually three times a week he takes his lunch Since he eats lunch outside of work , he never takes a lunch . contradictory +The Organisation for Economic Co-operation and Development provides a setting in which 30 member countries can discuss , develop , and perfect economic and social policy . The organization allows countries to discuss import issues . entailment +In just three minutes Saint-Pierre was totally wiped out . Saint-Pierre was wiped out in 3 minutes . entailment +The tag Because you 'll believe anything . The tag because we think you 'll believe anything . neutral +uh i a company called Onum uh it it yeah it 's located in Korea Onem closed down and is no longer around contradictory +Judging from what Pez dispensers are fetching on eBay , he might just be right . Judging from what candles are selling for on eBay , he 's probably not right . contradictory +that 's about it i 'm just waiting because see it 's tornado season The wait will be long as the tornado season just began this week . neutral +For comprehensive listing of what 's going on in Paris while you are there , buy one of the weekly guides , Pariscope ( with an English-language supplement ) or L 'Officiel des Spectacles . The guides are also offered online for a small fee . neutral +This campaign provides financial assistance to agencies that regularly deal with these problems and know how best to direct the resources . Financial assistance to agencies that deal with these problems frequently now can be provided thanks to this campaign . entailment +" Suppose you had yourself a stack of cart wheels and my pockets were to let ? " Drew retorted . Suppose my pockets were to let , and you had yourself a stack of cart wheels ? " , Drew responded . entailment +However , the original ceiling of Mary 's bedchamber is still in place . The ceiling of Mary 's bedchamber is the original one . entailment +But even in good times - for lawyers , at least - there remain two seemingly immovable stumbling blocks for private attorneys willing to go to bat for poor people caught up in Civil Court There are a couple stumbling blocks for lawyers who want to help poor people in civil court . entailment +( Admission , too , is free on the first Sunday of every month . ) On the first Sunday of every month , admission is free as well . entailment +We also discussed assessment techniques with experts at NIST . There are no experts in assessment techniques at the NIST . contradictory +There 's a lot of room for demotion in my department . People can get demoted easily in my department . entailment +The geomancers in 794 decided that Heian-kyo ( modern Kyoto ) would be an auspicious site for the imperial family . Geomancers designated the site for the imperial family . entailment +And we can 't even supply labor beyond those you see here . We need to get some more labor . neutral +After prioritizing their primary issues , conferees then listed indicators by which success in achieving diverse communities of justice could be defined . Conferees failed to prioritize their primary issues . contradictory +and uh that 's about it And this is all there is to it . neutral +, technical / scientific journals , the Commerce Business Daily ) , or solicitations for Asking for donations for technical journals . entailment +It is not . You 're wrong , it is not . neutral +America in Black and White will nourish such fears through its own embrace of laissez faire optimism . America thanks to its own attitude of laissez faire optimism will encourage such fears . entailment +It 's only a step or two now , said Tuppence breathlessly . There is still a long way to go , warned Tuppence . contradictory +Got any views on the subject ? Your views on the subject are useless . contradictory +3 . On the basis of the above audit steps and oncontacts with other project officials , determine Both audit steps and contacts with other project officials were used . entailment +The within-sites data bases became less extensive as observation times were shortened . When times for observation were decreased , the data bases became less extensive . entailment +or what you read You don 't read ? contradictory +and then you know uh for for for no real you know uh uh direct reason i guess uh we we get into uh uh a really good relationship for a while and then you know back and forth so i i was really able to to relate to the the relationship aspect of the movie between the brothers that was neat I was in a relationship for over a year . neutral +Legal assistance for battered women is hard to come by . Battered women are among the groups who have the easiest time accessing legal help . contradictory +oh no i hadn 't heard about Bo Jackson though what happened I haven 't heard about Bo Jackson , what happened ? I know he has heart problems , is he okay ? neutral +That 's what the trial 's all about . The trial is all about his wife . neutral +This inability to convey the old consciousness was not a matter of inaccuracy but of bad faith . Bad faith is what leads to the inability to convey old consciousness . entailment +Syria 's former patron , the Soviet Union , is dead . The soviet union is gone . entailment +now that has been something i think is really neat the mall actually opens an hour and a half earlier than the stores This is great . neutral +The analyst searches for clusters or paths in the data , using verbal notes and graphic aids , reviewing field data and other records of observations , until a pattern is evident . The analyst looks for hard numbers , not patterns . contradictory +Evoking superbly an artistic and personal biography of the 20th-century master , the museum displays over 200 paintings , 158 sculptures , and hundreds of drawings , engravings , ceramics , and models for stage sets and costumes drawn from the artist 's personal collection . The museum displays many types of art work , but the variety is not great . neutral +Time was on the demon raider 's side now . The demon raider 's had time on their side now . entailment +If word of his journey had already spread , word of the attack must have also spread , but he saw no sign of panic in the village at all . He thought word had spread but the village was not paniced . entailment +i mean that 's their policy they never fire anybody unless you 're caught doing something illegally Their policy is to only fire somebody doing illegal things . entailment +Starting pay is only $ 31,196 , Waters said . Waters stated that the starting pay for the open position was a paltry $ 31,196 . neutral +yeah well uh you know if it hadn 't been for that i guess i wouldn 't be here because my family came from France and uh one side and one side came from Germany so My mom 's side of the family came from France . neutral +Formerly waterspouts , these now stay dry . There were once waterspouts there . entailment +This is the settlement where the generations of painters , masons , and builders who worked on the royal tombs lived . Painters , builders and masons usually lived outside of this settlement . contradictory +For the federal government , tax incentives reduce tax revenue and hence government saving . Tax incentives are bad for the government neutral +Dexter and his business partner and college friend Phillip Jones have also accelerated licensing of Martin Luther King Jr . You can now buy Keep the Dream Alive checks and tasteful King statuettes . You can purchase Keep the Dream Alive checks and lovely King miniature statues . entailment +During their time at the royal court , they had introduced the so-called preparatory tortures , which were to sensitize the prisoners suspected of heresy , to the relativity of questions about faith , asked during the torture sessions proper , which few of the prisoners had survived , in any case . They had torture methods . entailment +She asked for a contact number for me , in case something happened in the building--like a water leak--so I feel that she has good intentions . She did not ask for a contact number in case of emergencies . contradictory +The chauffeur slipped in his clutch , and with a bound the car started . The chauffeur is a man with a limp . neutral +uh which ones What type ? contradictory +Reviewing and testing the security features in both commercially developed software that was being considered for use and internally developed software prior to its being moved into production . The software is reviewed and tested for the security features before being put into production . entailment +This is not to say that all case study evaluations show divergence between the questions that were asked and those that were answered or that an appropriate balance between the evaluator 's and the customer 's needs is never reached . Not all evaluations diverged from the questions that were asked . entailment +The most prominent of the Tight-Lipped , oddly , is Arizona 's John McCain , who is never tight-lipped . John Mccain is always tight lipped . contradictory +Had that anything to do with it ? There is no debate that there is no correlation . contradictory +These come from the far pits of Gazu Kadem , said a slavemaster with a braided beard . The slave master was a dainty woman . contradictory +But then I don 't know whether you mean that the attraction is physical or that the consummated relationship is physical and sexual . It is not certain whether the attraction is physical . entailment +Lawful permanent residents and other classes of aliens in the unrestricted categories reside in the United States without time limit . There are many aliens in the United States who immigrated from outer space . contradictory +What did the guy mean , do you think ? he asked . He thought the guy was bringing a present . contradictory +Communication rather than confrontation , concern rather than condemnation , and facilitation rather than force or law enforcement should mark the interventions . There should be comedy rather than condemnation in an intervention . contradictory +There are several other chemicals in marijuana that may modify the effects of THC alone , and smoking a drug is a different experience from injecting it . Scientists are currently studying how the other chemicals may modify the effects of THC . neutral +Eilat is the place for water activities . There are some water activities that take place in Eilat . entailment +In the New Republic , Robert Kagan says the authors ' mild policy prescriptions won 't solve the problems they shrilly decry . Robert Kagan claims that the minor changes the authors propose won 't fix the issues they 're criticizing . entailment +And in what way do you think you could be of use to me ? The man took a card from his pocket and handed it to her with a bow . The man bowed and handed her a card from his pocket . entailment +Endpoint Pollutant Valuation per case Valuation per case ( 2010 mean est . ) Endpoint Pollutant Valuation each case a measurement entailment +Didn 't seem much point in lying . Everyone was prepared to tell the truth . neutral +But the market has clearly signaled a future in which guanxi , or connections , will count as much as traditional pluck and enterprise . The market awards those who are well connected . neutral +um it 's essentially the four of us makes up my family but um We have a family of five . contradictory +i i did too yeah i didn 't think it was too long at all um he said after about the first hour he started looking at his watch The man was making me nervous . neutral +oh does it grow along a fence or something it grows wherever it wants and not along any object contradictory +yeah i know them Yes , I 'm acquainted with them entailment +Nevertheless , the percentage of children on Ritalin has doubled since then . The percentage of children on Ritalin has never been lower than current . contradictory +That , in a nutshell , is the history of Kosovo . That is the whole history of Kosovo . contradictory +Today 's environment is results-oriented . People these days will do anything to get ahead . neutral +This chilling story of a mother 's crushing love for a son will haunt me long after I 've forgotten the details of the handover ceremony . The story was very deep about a son that was loved by their mother . entailment +However , cost models have significant limitations in accuracy unless their underlying assumptions of system size and cost drivers are carefully chosen and reflect the agency 's previous experience in system development . Cost models aren 't usually too accurate , but sometimes they can be . neutral +And the Post emphasizes that how much of the collateral sexual material gets into the actual trial is up to the trial judge . The newspaper focused on the fact that the judge decides how much collateral material can be introduced at trial . entailment +'So , ' Derry said , unimpressed . It had piqued Derry 's interest . contradictory +This was used for ceremonial purposes , allowing statues of the gods to be carried to the river for journeys to the west bank , or to the Luxor sanctuary . There are no ways to get on to the river . contradictory +Her face was masklike , her eyes tortured . Her eyes looked tortured , making her face masklike . entailment +The Taanos were the ones who introduced the Spanish to tobacco , corn on the cob , and that archetypal Caribbean mode of relaxation , the hammock . The Taanos showed the Spanish how to use a hammock . entailment +Train due in three minutes . There is no train coming today . contradictory +However , IRS officials told us that IRS is conducting customer satisfaction surveys to enhance its knowledge about what IRS employees can do to better meet taxpayers ' needs . IRS officials denied that any surveys were being done . contradictory +The rooms are quite plain and the YMCA East may lack the character of the YMCA West , but it is still very good value in a peaceful setting . The rooms are lavish and bustling . contradictory +so everything really that 's what 's really cut into my TV watching is the time that everything comes on since it 's all shifted back an hour i just i don 't really have time to stay up late and since i have to get up so early to go to classes I can 't watch much TV because it is on too late , and I have to get up early for classes . entailment +Evidence should be sufficient , competent , and relevant to support a sound basis for audit findings , conclusions , and recommendations . Evidence should be relevant to be used in audit findings . entailment +well i don 't recall my parents having that much trouble with their 's i mean you know they painted our rooms all the time and we had a a wooden we hardly we just had brick on like as accent I think my parents always painted our rooms easily . neutral +um i do mostly that um not very artistic really for like painting and stuff I do everything and consider myself an artist . contradictory +Another kind of attorney volunteerism deserves a salute on this Law Day -- the tireless pro bono efforts of lawyers , whereby attorneys take no fee for legal work that enables people of limited means to get the help they need . Many lawyer in DC believe it is morally imperative to provide pro bono services . neutral +And there they will brag--as MacDonald has done in a response to Culturebox coming soon to the Fray , and as he probably will in a British court some time in the next few months--I have published my views in highly reputable refereed journals in psychology . My thoughts on MacDonald is published in a journal . neutral +Leaning on anecdotal evidence , the LAT says in a front piece that California 's most severely ill mental patients get sufficient care only after actual or near catastrophes . From observation , it appears that seriously ill mental patients in California do not get the treatment they need unless something catastrophic happens . entailment +i don 't i don 't want to mess with it because since i don 't know exactly all the ratios you know and everything that all the proportions the fuel and air and compression and all that stuff that needs to be precise and it 's controlled by computer i figure i won 't mess with that I will not change any of the ratios , since I don 't know much about them . entailment +We will continue to consider it , says Jack Ludwig , vice president and research director at Gallup . Jack Ludwig says that they will consider it if the budget cuts don 't hit too hard . neutral +You are right that it would be nice if people only spoke of things about which they were expert . You are correct that it would be better if people spoke about what they know more about . entailment +Walk through the gateway and you 'll find yourself in an immense open space the largest temple courtyard in the country . Through the gateway is an open space , comprised of the largest temple courtyard in the country . entailment +For the United Nations to thrive , it 's not enough that the United States trust it . The United Nations isn 't very trusted by many people , but even with trust it would still need more to thrive . neutral +This time it was Steve Forbes who got the back of his hand . Forbes got the back of his hand . entailment +With more specific knowledge in hand at the end of development , decision makers can make a more informed decision to move into production with assurances that the product will achieve its cost , schedule , and quality outcomes . Decision makers don 't need knowledge for informed decisions . contradictory +Sitting on the slopes of the Troutbeck Valley high above Bowness and Ambleside , Troutbeck is a tiny village of traditional farms and barns . Troutbeck is a small town located on the slopes of the Troutbeck Valley . entailment +I 'm not sure if the correspondents realize that the Hindu concept of Brahman has been around considerably longer than Sullivan 's cross-pollination of something like the a powerful ( yet devout ) bearded man , a cool breeze on a clear summer night , a John Lennon tune , and the Lion King . I 'm not sure that the current correspondence realize that the Hindu concept of Brahman has been around . entailment +Second door down the passage . " Between them Sir James and Tuppence lifted Mrs. Vandemeyer and carried her to the bed . Sir James and Tuppence lifted Mrs. Vandemeyer and took her to the bed . entailment +Therefore , the transfer is not an exchange transaction . The transfer is exactly the same as an exchange transaction . contradictory +oh how awful sounds like Mister Power Hungry but you know just yesterday though i saw a girl in the spin out here at Lewisville that had on a pair of shorts She must have been cold . neutral +On the next hilltop to the west is the Givat Ram campus of the Hebrew University ( 1954 ) , a sprawling collection of contemporary buildings constructed after the original campus on Mount Scopus became inaccessible in 1948 . The Givat Ram campus is part of Tel-Aviv university . contradictory +How do you develop ownership if not through a project that required local funding ? How do you make developments when it comes to ownership ? entailment +right yeah yeah no i i agree with you there though i mean they want to choose that particular religion then that 's fine with me too you know as long as they don 't try and pull me in and drag me in and and i don 't like the way that they do it either and and it 's their mission as they do as they go door-to-door and they go out into the public and they actually have the uh teenagers serving two years like you would say like in an army and two years in going around and doing missionary type work and i don 't know i just um i just don 't particularly care for that at all and that that 's one thing that i feel really strongly about though is uh you know people coming up to my door especially religious organizations and wanting to uh you know to try and get me to join or you know become interested in their religion because i have my own I 'm very interested in their religion and would like to go door-to-door with them . contradictory +The organizations viewed information security policies as the foundation of their information security programs and the basis for adopting specific procedures and technical controls . Adopting specific procedures is the single most important part of their strategy . neutral +The passage recounts Woods ' first trip to the Masters in 1995 : He played 18 holes each day , then spent the evening studying for his Stanford history exam . Woods graduated from Stanford with a degree in exercise science two years later . neutral +Safe and healthy work environment Provide a safe , healthy work environment . The health and safety of a work environment is overrated . contradictory +Now home to more than 700,000 people ( one-third of the population of Jamaica ) , it is a huge city with many facets . The city holds over 700,000 people and is still growing . neutral +4 ) The superstar expects the industry to justify his compensation by finding new revenue streams . The industry will not follow the superstar 's request . neutral +The analysis places a monetary value of These health benefits ( at a 3 percent discount rate ) at an estimated $ 28 to $ 43 billion per year , including $ 2 . The benefits include dental and vision and a gym membership . neutral +Paul Kailor says that reproduction is not guided by a moral imperative toward humanity . Kailor said reproduction and morality are not linked . entailment +For special items , go inland to the place of manufacture , keeping in mind the prices asked on the coast and at Guadalest for ponchos and shawls ; Gata for cane , basket work , and guitars ; Crevillente for woven rugs and carpets ; Jijona for turren ; Ibi for toys . One should go to sea for special items . contradictory +Where 'll I put your plunder , mister ? " He was already loosing Croaker 's pack . He was gaining the pack of Croaker . contradictory +He made soundless words , " Did the animals get loose ? " He shouted , " Did the animals get loose ? " contradictory +no i work um i 'm only forty years old i have to work I 'm currently looking for a job . contradictory +they 're uh they almost have what i would call a killer bee killer bee instinct They have a very sharp instinct . entailment +Sidestepping the stagnant economic burden of Spanish domination , the sparsely populated duchy expanded quickly . Avoiding Spain 's domination the duchy expanded quickly . entailment +Purists say the Cete d 'Azur reaches from Cannes to Menton , including only the original , more expensive resort towns of Juan-les-Pins , Antibes , Nice , and Monte-Carlo . This is to drive up their own property values and tourism revenues . neutral +yeah well i boy current events is not a good subject for me Current events are not a good subject for me , boy . entailment +How do you know all this , asked the startled teacher . The teacher was surprised by someone 's knowledge . entailment +The critical success factors and challenges described by organizations experienced in sharing sensitive and time-critical information and the lessons they have learned provide useful insights for other entities who are also trying to develop means of appropriately sharing information on computer-based vulnerabilities and the related risks . None of the lessons learned by the referenced organizations proved to be useful to other entities . contradictory +If we get everybody to the table , we 'll crystallize these problems and turn our focus onto solutions that will work . There is no one waiting to discuss things . contradictory +but see the heat out here ain 't nothing It 's not very hot out here . entailment +Schoelcher , formerly a small fishing village just north of Fort-de-France , has expanded to become an extension of the capital city . Schoelcher still remains the small fishing village it is known for . contradictory +Prior indiscretion ( s ) : Adultery . Adultery was a prior indiscretion . entailment +As a result , patients pay most dental costs--about 60 percent of them--out of their own pockets . patients do not pay most of the dental costs . contradictory +During this period , foreigners were allowed to buy large parcels of land for the first time ( much of it used for the sugarcane plantations ) , and ties to America , both economic and political , were dramatically tightened , with talk of possibly annexing Hawaii reaching the White House . Foreigners were not allowed to buy a lot of land . contradictory +Adrin joined them as they descended and headed south . Adrin stayed home . contradictory +yeah i 'm in Dallas and they 're long here too so They 're here in Dallas and so am I with my friend . neutral +so what i feel that i learned a great deal from my students uh with regard to what their biggest complaints were with parents and a thing such as uh one of the biggest complaints i well remember because i spent a lot of time with seniors uh was um caring their parents say when i was your age i didn 't have this or that and i know i never ever said that because i knew that that was one thing that was really irritating to young people I didn 't learn anything from the students . contradictory +Now let 's get back to business . The meeting is done . contradictory +In neighbouring Jaffa there are more nightspots offering touristy Oriental folklore entertainment . Nightspots in Jaffa are exciting and fun . neutral +Figure 4 : The First Steps of the Assessment Figure 3 : The Second Steps of The Assessment contradictory +You eat the Chicken With Fettuccini Cream Sauce straight out of the ripped-open box . The box contains Chicken Fettuccini . entailment +it 's just getting green i prefer to see green than brown I like green more than brown . entailment +The IJC website provides a place for advocates to share information . IjC 's website gives a place for advocates to share information entailment +and uh it 's real uh going real well i think it 's matter just a matter of fund the funds right now as i understand it I understand about the money but it is getting real . entailment +yeah yeah and see i do a lot of work with the boy scouts and we try to do a lot I am very active in boy scouts . entailment +The money helped him through the off-season . He was helped by the police through the off-season . contradictory +almost full value right yeah About full value . entailment +The new contest How much Turtle Wax comprises a year 's supply of Turtle Wax ? The new contest is how fast can we kill this turtle and then cook it in wax ? contradictory +We 'll try it your way , Natalia . Natalia wants to try something different . neutral +If the producers of every site cataloged it themselves , then Yahoo ! If the producers cataloged it on their own , it should be on Google . contradictory +This has been a most rotten business . The business is illegal neutral +yeah um-hum could be could be um-hum no not if they 've never been out in any weather i wouldn 't think so especially You shouldn 't allow your pets outside . neutral +Now conservatives are fighting back . Conservatives are fighting to pass the healthcare legislation . neutral +The ABI lobbyists are right that drivers with a 0.08-percent alcohol level are not the core of the drunken-driving problem . The ABI lobbyists are incorrect in their assumption . contradictory +well i think that 's about it I think there 's more to it contradictory +The 29th was the much-talked-of " Labour Day , " about which all sorts of rumours were running riot . The 29th was Labour Day in the UK . neutral +136 " Oui , monsieur . He said hello in a friendly manner . neutral +The serious punter who wants to avoid the frills and Champagne can have a very good time at Vincennes and Enghien trotting races . Non-serious punters always want to have Champagne . neutral +Are there children who need to be entertained ? There is no entertainment for children . contradictory +Among the most notable are three Rodin bronzes in its cloister , and works by Perugino , Veronese , El Greco , Rubens , Courbet , Manet , and Matisse . Rodin originally created the bronzes as a gift for Louis XIV . neutral +well of course this is tornado season uh in to uh we have many tornadoes spawned in this area and northern Indiana now we 're in the southwestern part of uh Ohio This is hurricane season . contradictory +Orchids are also on sale here , and you will never find them any fresher . Orchids are for sale here . entailment +yeah what what are you doing What are you doing right now ? entailment +so no wonder you like sports so you were a physical education teacher You were never a teacher . contradictory +It is preventative , helping people to avoid mistakes that can lead to more serious legal problems and the need for representation in the future . It is easy for people to make mistakes that lead them to need legal representation . neutral +They know we 're looking for Jane Finn . They are on to the fact that we are looking for Jane Finn . entailment +He had shown Jon how fast he could reload the dragon-hammered flintlocks and it impressed Jon . He didn 't know how to handle a gun . contradictory +We would also like to thank the individuals who provided helpful comments on the exposure draft of this guide . The exposure draft of the guide received helpful comments . entailment +Throughout the two structures there are finds from all eras of Lesvos 's history . Many finds are contained throughout the two structures . entailment +my gosh the only thing about the death penalty and and i know that that they try to be careful and they try to be sure but these people are on death row for like twenty years you know and you know if if It only takes a few days between conviction and the death penalty . contradictory +Interconnected business services . The services are interconnected . entailment +One reason they give is that skilled observers and interviewers can make judgments and valuations about factors that are otherwise very difficult to assess , such as how much effort a manager made to get information before a key decision was made or how much that person knew about what was going on . Skilled observers are used to assess key information . entailment +No good ever came from selling horses to thieves and bandits in the deep of night , no matter the gold , he said . It 's a bad idea to sell horses to bad people . entailment +oh we thought we were going to be pretty tight with Christmas this past year It was difficult to budget around Christmas last year . neutral +After Alexander the Great 's death , the conquered territory was divided among his generals , whose mutual antagonism and expansionist ambitions led to weaknesses that exposed western Anatolia to the increasing might of Rome . The Romans had the opportunity to attack Western Anatolia because Alexander 's heirs were unable to work together . entailment +Chiran ( 80 minutes inland by bus from Kagoshima ) is a peaceful , secluded 18th-century samurai village . There are no samurai villages left from the 18th century . contradictory +Larry Johnson right well they 're just head and shoulders above everybody else this year They 're doing the worst this year out of everyone in competition with them . contradictory +Any methods that are developed with researchers and clinicians working together will help to overcome barriers and promote best practices care for a range of drinkers in the emergency setting . Any methods that are developed with researchers and clinicians working together will only help them target drinkers at church . contradictory +as far as the number of drug users you mean or people huh Do you mean the number of people who use cocaine ? neutral +The move could also help Barnes clean up the King Roy image that dogged him during his re-election campaign and contributed to his surprise loss to Sonny Perdue on Nov. 5 . Asked about his legacy Tuesday , Barnes was I 'm not a big one on legacy ; that 's up to others to determine . Barnes knew it was pointless to clean up King Roy 's image . contradictory +These eight states - North Carolina , Virginia , Kentucky , New York , Connecticut , Massachusetts , Tennessee and Georgia - totaled 27,150 positions in FY 1998 . Six states had a total of 27,150 positions in FY 1998 . contradictory +Examples of measures of efforts are dollars , employee-hours , and square feet of building space . There are examples of measures of efforts . entailment +i am in uh in uh involved in a four 401K but i 'm uh contributing such a such a small amount right now I don 't have any plans for a 401k . contradictory +George W. Bush , on ads for the Diabetes Walk . There are no ads about the Diabetes Walk . contradictory +'Charge , ' White said softly . White shouted ' Charge ! ' contradictory +But they believe that there was an implicit understanding that any major financial institution is simply too big to fail . They hold no beliefs about the stability or failure rate of financial institutions . contradictory +A ceremonial ramp leads acrosewhat used to be a moat into an impressive gateway , over the Portal de las Tables , the arch with a Latin inscription dating the wall to 1585 , during the reign of King Philip II of Spain . The wall dates from the reign of King Philip II of Spain . entailment +Since the rules were issued as interim final rules and not as general notices of proposed rulemaking , the rules are not subject to the Regulatory Flexibility Act . Issuing rules as interim final rules is a popular loophole to avoid being subject to the Regulatory Flexibility Act . neutral +His first , crucial in his career copypaste he performed to fill out a document labeled Gonzobio.docxx. He filled out a document for his research . neutral +'I mean , why ? I mean ... explain ... ' Please explain this to me . entailment +but i have no idea where they are They are currently missing . entailment +One action was to task a training committee to develop and implement a Training Needs Assessment tool to determine employees ' training needs and to schedule training for fiscal year 2002 . The committee created a tool to determine safety needs . contradictory +the place she works with worked with before um worked out an arrangement with her where she can work at home She could not get her company to allow her to work from home . contradictory +It also helps if you can send your husband on Larry King Live to grovel before the nation , as Frank did . Don 't make your husband go on Larry King Live , he will just embarrass himself . contradictory +Perhaps an egg " Maybe we can eat an egg . neutral +Carlyle was inspired , if that 's the word , by the writings of Thomas Malthus , who predicted that population growth would always outpace economic growth , keeping most people in perpetual poverty . Carlyle was inspired by the writings of Thomas Malthus . entailment +The magnitude of the overstatement cannot be estimated with confidence . It was an overstatement that could certainly be accurately assessed . contradictory +The challenge now is to discover how government agencies and professional organizations can promote adoption and implementation of intervention guidelines . Government and professional organizations are trying to develop best practices to be able to promote and implement the new interventions of the food pyramid updates to reduce obesity levels in American households . neutral +cheaper than a divorce It 's not cheaper than divorce . contradictory +LSC is governed by an eleven-member bipartisan Board of Directors appointed by the President of the United States with the advice and consent of the Senate . The senate often gives bad advice to the LSC . neutral +concludes that the preemption requirement of the final rule is necessary for the national organ sharing system to be effective across state lines . The organ sharing system relies on car crash victims for their organs . neutral +Rather , publication in the Federal Register was treated as providing notice to the SBA . The SBA wanted to keep track of the Federal Register . neutral +Don 't buy any unless you are an expert or have one with you . The expert will be able to tell if it is a fake . neutral +This problem makes it difficult to determine the appropriate time to schedule outcome assessments and booster interventions . This is a gender-specific problem , which makes further decision making more complicated . neutral +well i think i think my best part actually is chipping or at least it was last year i haven 't been out this year it 's kind of been uh kind of strange i hadn 't been able to get out yet but uh my biggest problem is staying in the fairway Last year my strong suit was chipping , but I haven 't been able to golf yet this year . entailment +The agency has only about a half dozen attorneys for 18 counties , Mathews said . The agency has over 100 attorneys for 18 countries . contradictory +Sister should read the rules outside the door . I gathered from the little nurse 's expression that there was not the least likelihood of her having the hardihood to retail this message to the dreaded " Sister " . She should ignore the sign with the rules . contradictory +As the literature on lying often observes , those who become skilled in the art of deception can easily fool themselves . Skilled liars often mislead people who write about lying . neutral +it 's getting more expensive unfortunately too Sadly , it 's getting pricier too . entailment +oh i 'm glad my husband 's not like that either i 'd kill him my brother 's like that and um My husband is like that , I 'm gonna kill him ! contradictory +I got up , trying to look natural and easy . I got up , trying to act normal . entailment +A helicopter service also runs to the island . There is also a helicopter that will go to the island . entailment +yeah Are they primarily outdoor dogs I don 't care about the fact if they are primarily dogs or not . contradictory +Buses to the beaches are cheaper and faster than the ferries , if less adventurous . The buses are cheaper and faster method to arrive at the beach . entailment +oh oh the last country music my my parents still uh really like country music and they they like um they like the Oak Ridge Boys and the Stadler Brothers and My parents like the Oak Ridge Boys and all the other music like that . neutral +A handful of Jewish families still live in the Ghetto . Not all of the families in the Ghetto are Christians . entailment +Ser Perth appeared at the doorway with two of the mandrakes . Ser Perth stood at the doorway , clutching two mandrakes . neutral +( If you want to see the original of the pose , you can cross the Mall to the National Gallery , where Jacques-Louis David 's 1812 Napoleon in His Study hangs . ) In the National Gallery is David 's 1812 Napoleon in His Study . entailment +For example , GAO 's work on how well agencies are incorporating a results orientation into their budget decisions and resource allocation process involves all major agencies . GAO 's work on how the agencies incorporate results orientation into their operating budgets . neutral +The fact that she treats him terribly , however , is definitely known to him , and it is for this reason that Prudie suggests you say nothing . Prudie 's suggestion is that you do not make any comments . entailment +However , if the partnership under discussion produces a magazine called Coffee-Time that 's half as engaging as American Smoker , I 'm subscribing . I will not subscribe to any magazine that comes out of that partnership . contradictory +Lennox Lewis defeated Evander Holyfield to become the world heavyweight boxing champion . Lewis beat Holyfield in an epic battle . neutral +Samudra Gupta , the warrior of the clan , launched lightning raids through the jungles to snatch the gold of the south . Samudra Gupta did not launch any raids . contradictory +However , most of what we see today is actually a 17th-century reconstruction of the original 8th-century structure . The reconstruction of the original structure makes up most of what we see today . entailment +The real concern is that because Microsoft 's victory in an earlier derby happens to have given it control over a particularly strategic part of the industry--because it supplies operating systems--it is in a position to squeeze out rival suppliers of other software . Microsoft folded under the pressure of their competitors . contradictory +Yes , the American people have a right to be skeptical . They wanted the Americans to think for themselves . neutral +yeah i thought at one time i wanted to be a teacher but i i quickly dispelled that idea when i became a substitute teacher for a while just to get my feet wet i said uh i couldn 't do this everyday no way Being a substitute teacher was very satisfying . neutral +But there are a lot of people who have to fight their parents to do something like this , condemning themselves to limited income . Often times many people must fight with their parents to do something like this . entailment +In addition , there are instructors and horses suited for children . There are resources for the benefit of children . entailment +The northern coast is the most attractive region , being characterized by bays , capes , valleys , islands , and peninsulas . The land in that region is flat and uninteresting . contradictory +a discussion about that is why uh why CNN was well i listen to a Christian radio station and they were saying that CNN is definitely a world uh news service and uh The Christian radio that I listened to was CBN , i really enjoy that one . neutral +Natalia and I opposite . Natalia and I are the same . contradictory +A bronze peacock accompanies these two figures . The two figures come with a bronze peacock . neutral +Pesticides , widely used to increase crop yields , have become a leading health concern among migrant farm workers . Pesticides have become a leading health concern among migrant farm workers , and they are widely used to increase crop yields . entailment +Always did hear as how Apaches were meaner 'n snakes but they wasn 't stupid . Apaches are soft-bellied and stupid . contradictory +he he just picks it up over the counter and and i was i was really surprised that there you can get guns of any kind that you want you know the other thing is you had talked about the uh needing a gun to protect yourself and you know maybe someday we 're all going to get wiped out by a robber here and then i 'll change my mind but It was no surprise to me that the purchase of a firearm was so quick and easy . contradictory +Nye swerved , sending a lagger on with a sharp crack of quirt in the air . The lagger jolted toward the rest of the band . neutral +In the next courtyard , the Mul Chowk , there are two outstanding examples of 17th-century Newari metalwork , tall bronze reliefs of the goddesses Ganga ( standing on a crocodile ) and Jamuna ( standing on a tortoise ) . The Goddess Ganga originated from the God Shiva . neutral +We 've tried that , and failed , Tommy reminded her . Tommy reminded her that they 've tried that and failed . entailment +developing information on the risks associated with evolving practices , You must develop information on the risks of practices that evolve . entailment +Por favor , senor , we are not thieves , not spies . Please sir , we are not stealing or spying . entailment +The Wine Market Council will launch a media campaign in February . The marketing for the council will come in March . contradictory +but uh i did you happen to see last night the special on channel two with James Galway James Galway is a news host on Channel Two . neutral +Mrs. Inglethorp , however , seemed to notice nothing unusual . Mrs. Inglethorp , however , did not notice the changes in the room 's setting . neutral +Tax authorities are further threatened by the growing use of electronic money . E-cash can be used to facilitate a host of illegal businesses , including drug transactions , thereby eliminating the need for suitcases full of $ 100 bills . Using electronic money is a considered a threat by tax authorities . entailment +get sick with the flu Down with the flu for several weeks now . neutral +A horseman held a twitch that covered her mouth , while another man held her left front leg with a strap . The horseman and the other man knocked the horse over and pinned her to the ground . contradictory +Jaffa has been courted , crushed , and rebuilt by a succession of conquerors , from the ancient Egyptians to the Ottoman Turks . Jaffa 's original buildings are still standing . contradictory +McCain 's media cheering section neglects its favorite candidate 's lack of coherence on tax and health-care policy . His selected news outlets are paid to cheer him , not point out flaws in his policy positions . neutral +Just behind the back wall of the main chapel , the Transparente is the cathedral 's most unforgettable innovation . The Transparente is a device that moves people from one end of the building to the other . neutral +Benefit payments ( not lump-sum payments ) from private pensions or annuities and government employee pensions . The benefit payments are only lump sum payments . contradictory +Adrin , Jon realized , had never seen a friend die . Jon realized Adrin had killed hundreds of people . contradictory +and the problem is that there are no good permanent full time jobs for people without a technical four year degree With a four year degree , there are no good full time jobs available to you . contradictory +9 They also said that , once established , agencies would have to be concerned about ongoing maintenance of some of these standardized systems to make sure that the information therein is timely , accurate , and complete . It is important that the information is timely , accurate , and complete . entailment +Of course the teasing has not abated , and the weight of my imaginary dunce cap is giving me a headache . The teasing didn 't stop for the rest of the school year . neutral +and in a like a oh what do you call it like Pyrex or something like that kind of bowl that would go in the microwave Whatever you do don 't use anything like a Pyrex bowl in the microwave . contradictory +I 've got them in the barn . I have them in the barn . entailment +Several provided additional supporting points and examples , which we have included in the report as appropriate . Several gave more information and we have put that in the report . entailment +It is also available in hard copy by calling ( 202 ) 5126000 or at Room 1100 , 700 4th Street NW ( corner of 4th and G Sts . You can receive a copy by calling ( 202 ) 5126000 . entailment +It was a strong business . It was a weak business . contradictory +They are interns from the local alternative rock radio station , sent to make trouble . The radio station has interns . entailment +and if you get it you know then You wouldn 't know even if you get it . contradictory +The Clean Air Act recognizes visibility as an important public good in naming visibility as one of the aspects of public welfare to be protected in setting secondary NAAQS . Visibility is recognized by the Clean Air Act as something that should be protected . entailment +By her last will , dated August of last year , after various unimportant legacies to servants , etc . , she gave her entire fortune to her stepson , Mr. John Cavendish . " John Cavendish was the sole inheritor of his stepmother . entailment +In the gloomy subterranean church is a rock-hewn sepulcher . The church is very bright and happy . contradictory +yeah oh okay well you ready to wind up hey nice talking to you my friend yeah good night bye-bye This call was horrible , but I will stay on the line . contradictory +huh-uh let 's see one of my friends had a roommate that worked for TI and she saw this on her computer and thought it might be neat so she ran off copies of the thing I do not know anyone who worked for TI . contradictory +i don 't know this was just i guess something freak that happened to me because i wasn 't familiar with the um I guess this just happened to me by accident . entailment +Helen Chenoweth , R-Idaho , belongs to the black-helicopter school of government . ) Chenoweth is a Democratic lawmaker . contradictory +I am satisfied . I am not pleased in the slightest . contradictory +Like most of the structures here , the 40-metre- ( 120-foot- ) high Treasury ( named after legends of lost treasure ) was hewn from the red sandstone valley sides . The Treasury was cut from the sandstone in the valley side . entailment +But I won 't be killed off quietly like a lamb . " Mrs. Vandemeyer stamped her foot . Mrs. Vandemeyer put up a fight to save her life . neutral +The cry formed again and the riders turned and began to thunder away . The riders turned away . entailment +The case turns on questionable medical testimony about injuries to 8-month-old victim Matthew Eappen . The medical testimony is unreliable and unprofessional . neutral +For anyone interested in Japanese history , art , and culture , no visit to Japan could possibly be complete without a glimpse of Nara , however frustratingly brief . Nara contains many historic paintings and statues . neutral +The town center is a curious tangle of winding streets , laid out that way , some say , to confound enemies . The town 's founders were concerned about security fro enemies . neutral +Auditors should become familiar with the standard format for an RFP . Understanding of the format for an RFP is required of a good auditor . entailment +The handsome crypto-Moorish Federal Secretariat , now the Supreme Court , was begun in 1894 ( finished in 1897 ) and capped with three fine copper onion-domes . The Supreme Court was built to try cases from a lesser court . neutral +But after talking to Medicaid officials in the four states involved , the company concluded that we are not in a position to provide advice to These people , she said . The company was not being honest when it said it was unable to give advice . neutral +Several of the agency representatives indicated that standard electronic approaches to learning about participation opportunities already exists-the electronic Unified Agenda and Standard electronic approaches to learning about participation opportunities is not already available . contradictory +The agency viewed such an analysis as unnecessary in light of its lack of discretion with respect to the rule , but stated that past evaluations indicated few if any small businesses would be affected . The agency recommended doing an analysis to find out if the rule had been broken . contradictory +My wife told me all about you , ' he said . My wife said you were also an excellent billiards player . neutral +You gave too much rein to your imagination . You imagine too much about what people must be thinking . neutral +Implementation and enforcement usually requires years of litigation , leaving the fate of America 's air to the uncertainties of the courtroom . Litigation is time consuming and results in air quality being determined by the courts . entailment +You will remember my speaking of a stain on the carpet in Mrs. Inglethorp 's room ? No one knew what the stain was or how it got there . neutral +At about the same time , El Paso gallery owner Adair Margo was involved in a Junior League of El Paso project that was documenting murals in the city , which is how she came across Lico Subia 's home . Adair Margo came across Lico Subia 's home around that time . entailment +but uh there there is a TV show out there i guess they 're trying to gain you know more public acceptance of things like that because i know there are cases where that happens and I am aware of scenarios where that occurs . entailment +i don 't know how people stay at home and watch soaps and get involved in them but I don 't understand how people stay at home and watch soaps . entailment +Bill liked to explain that on normal software projects , the program manager is just in charge of the program . The program manager 's work is to just yell at the software engineers to get the job done . neutral +He fell back , sliding in the dust at the feet of the crowd . He fell off the bull as it charged the stands . neutral +Gamma radiation is flooding through the gaps ; the quick-breeding viruses are mutating through half the world , faster than the Medical Art can control them , so that millions of us are sneezing and choking--and dying , too , for lack of antibiotics and proper care . Fortunately , medicine is keeping up with the damage . contradictory +or uh machines like uh IBM thirty eight twenty high speed uh APA printers and so i get frustrated uh watching things slowly come out upon my matrix printer more so than i do over over access speed um Slow electronics are very irritating . neutral +Aside from traditional acoustic music , Cuba revels in salsa and jazz . Salsa , jazz , and acoustic music are all present in Cuba . entailment +97 Nothing happened and , after waiting some minutes , Tuppence pressed the bell again , keeping her finger on the button for some little while . Tuppence waited five minutes before ringing the bell again . neutral +No tree rustled . It was snowing but not windy . neutral +About 12,000 are on display here , from 15th-century polychrome designs to 20th-century art deco styles . There are only art deco styled items on display . contradictory +Less frequently , the Commission has begun proceedings on its own initiative , most commonly in response to a mail user 's request to do so . Increasingly the Commission has begun proceedings on its own out of its own initiative . contradictory +well good for him uh-huh uh-huh yeah That 's too bad that he 's going through that . contradictory +When his family fell on hard times , Degas blamed it on the Jews . Degas ' family has been very fortunate to never have experienced difficult times . contradictory +yeah and some of them that turned to flops we saw other other other night we saw um Lady in Red I 've never seen Lady in Red . contradictory +The man smiled . The person was happy they had won . neutral +Sersa Garm stared upwards in horror . Sersa Gram gazed forward , relaxed and content . contradictory +We have been advised by an official at INS that the Application for Asylum and Withholding of Removal Form ( INS Form I-589 Over 50,000 Application for Asylum and Withholding of Removal Forms are received annually . neutral +Also modest , it will not attempt to solve all the problems relating to campaign finance , lobbying , and other activities that allow money to buy influence in politics . It is moral to influence politics through spending money . neutral +It was certainly utterly dissimilar . It wasn 't similar at all but it was like the other one instead . neutral +Technology has always influenced the way pollsters do their job . Technology has no effect on pollsters jobs . contradictory +well it will be interesting seeing these games across the you know from London or wherever It 'll be interesting to see these games from London . entailment +However , both SCR and FGD are very capital-intensive projects , which require a substantial level of material and construction . These two businesses are the most capital-intensive projects that are known to man . neutral +Controls should also be aimed at validating the propriety and integrity of both organizational and individual performance measures and indicators . Controls should be aimed at validating the propriety entailment +From Harajuku Station on the Japan Railways Yamanote loop line , it 's but a few steps to Meiji Jingu , the shrine dedicated to the spirits of the Emperor Meiji ( who died in 1912 ) and the Empress Shoken . The journey from Harujuku Station to Meiji Jingu by foot takes several hours . contradictory +different shoes you know we always had like um higher higher shoes higher tops on them rather than just um the lower Others had low-top shoes . neutral +Getting my body back was all I ever thought about . I only thought about getting my body back . entailment +Ready-to-wear Clothes . Clothes that are ready to wear right away . entailment +Ten to one , someone shouted . Someone shouted only five to one . contradictory +no i didn 't is that any good It is bad . contradictory +This paper is intended to transfer what we believe to be good practice in case studies and to help establish the principles of applying case studies to evaluation . Transfering what we believe to be good practice is not the target of this paper . contradictory +The average number of miles differs by a factor of 4.5 . The average number of miles is greater neutral +well yes that yes i i think that could be a big problem you know i would just be irate if they said it was positive and i knew it wasn 't you know that just really rub me the wrong way If I got a false positive I would be so upset . entailment +This requires determining which laws , regulations , and other compliance requirements are significant to the audit objectives and assessing the risk that significant noncompliance could occur . We have to audit the president but we 're not sure how . neutral +An ideal test would perform uniformly in all populations and sub-groups . A good test would be one that performed the same across different populations and sub-groups . entailment +The calmness in his voice gave Jon a chill . The President spoke so calmly it sent a chill through Jon 's body . neutral +it made national um It went national and was all over the news . neutral +i think i think uh i think that is and and we we got involved really in in two ways uh my oldest daughter i guess when she went uh was in the first grade brought home a note saying uh we 're getting up a soccer team and we 're getting a chance to play soccer We got involved when my daughter was young because she was very athletic . neutral +no no uh i you know i i think the same thing about people like Saddam Hussein Anyone who commits really bad crimes should be severely punished . neutral +The $ 65,000 going to the Women 's Law Center , for example , funds two days a week of a statewide hot line , counseling 2,600 needy women last year -so many that callers say it can be hard to get through . The Women 's Law Center was able to counsel at least 2,600 women last year . entailment +To appreciate the unique panorama of St. Peter 's Basilica and its 1 sq km piazza ( 0 . Millions of people visit the piazza outside St. Peter 's Basilica each year . neutral +Rennie owned two freighting lines , one carrying goods to California , the other up from Sonora . Rennie 's two freighting lines carry goods to New York . contradictory +But I 'm going to have a specific agenda that addresses what I think are the big concerns as we go into the 21 st century . I 'm drafting an agenda based on my biggest concerns because there are too many concerns to not prioritize . neutral +What Huang 's higher-ups at the DNC can most be faulted for is not following suspicions they should have had about the huge sums he was reeling in . Huang works for the DNC . entailment +um daddy what 's the nearest big city to Toledo Bend this lake 's huge i mean What 's the nearest small town near this huge lake ? contradictory +Merchants played an active role in creating the urban culture that burgeoned at the end of the 17th century , the so-called Genroku era . The merchants didn 't have any sway on the urban culture at the time . contradictory +I should advise you not to worry , said the latter kindly . I suggest you leave it up to me , she added . neutral +That 's probably more accurate , without making a definitive statement . It 's pretty accurate to say he 's guilty of the crime . neutral +One unexpected sight , in a remote valley near Cala Llonga , is a civilized , meticulously tended , exquisitely green golf course . The golf course is not well known , so not a lot of people use it . neutral +uh-huh yeah well it 's like our winter here i mean it was the winter that wasn 't you know we were having having hot days in December and January We have hot days during the winter here . entailment +for what they 're paying they ought to get they ought to get the performance out of those guys uh Given the amount that they pay the guys ' performance should always be good neutral +Blacksmiths and carpenters will have to work throughout the week to make enough spikes to matter . They will have to work throughout the week to make enough spikes . entailment +The Andersen story illustrates how a few people can do the wrong thing with catastrophic consequences for many innocent parties . The actions of a few never have consequences for innocent parties . contradictory +The years following the War of 1812 were , politically , the Era of Good Feelings . The War of 1812 started in 1812 and ended in 1820 . neutral +The notion of increasing returns has been around since Adam Smith , and it was written about at length by Alfred Marshall in 1890 . The idea of increasing returns has been in existence since Adam Smith . entailment +The trend is called brachycephalization , and it has been happening mainly in rural Poland between the Carpathian Mountains and the Black Sea--which , for some arcane reason , is one of the few places on Earth where humans are still evolving . The trend is called exoplanetization , and occurs in rural Poland . contradictory +Among the other 20 Titans of ' tude are Maureen Dowd , Matt Drudge , Tavis Smiley , Brian Lamb , and Slate ' s own Scott Shuger . There have only been 5 titans ever . contradictory +Studio share prices are erratic because there are no guaranteed A studio that makes a killing this year may get killed next year . Studio share prices are unpredictable and ever fluctuating . entailment +I had the same peculiar aching feeling finishing this book of letters that I do at the end of her novels . This book of letters gave me the same aching feeling I get at the end of her novels . entailment +Why don 't you take it ? Tell me why you 're taking it . contradictory +This means that for each additional dollar of government saving , aggregate private saving falls by less than a dollar . As the government saves more , private savings fall . entailment +Quite sure , sir . Yes , I am certain , sir . entailment +Nearly ten times our height . They are all midgets . contradictory +it at times gets incredibly hot here Sometimes it 's really , really hot here . entailment +She looked around for a minute in obvious confusion , before remembering herself . She was in control the entire time . contradictory +perhaps is using it for education i have a four year old son and we have some education programs that he likes a little Sesame Street one and um we have another one that plays music and he really likes that one My four year old son likes a couple of different educational programs . entailment +Regulation ( FAR ) The regulation that sets forth uniform policies and FAR is a regulation that has uniform policies about the environment . neutral +Famous inscriptions on rocks and pillars everywhere bore testimony to Ashoka 's reign . There were no carvings about Ashoka . contradictory +yeah and and then but then the medicine and and some of these other things and and the chemistry in those kinds of areas milliliter Ingredients in medicine can be measured . neutral +It can be seen that the total cost of providing postal service in the U.S. for FY 1999 was 20 . There is no cost for providing postal service in the U.S. contradictory +As demonstrated by successful companies , using these criteria can help ensure that the right knowledge is collected at the right time and that it will provide the basis for key decisions to commit to significant increases in investment as product development moves forward . Some of the Fortune 500 companies have already used these criteria in their programs . neutral +It is very unlikely they would allow her to see visitors at this time of night . Despite the time , they allowed her to see visitors . neutral +As this group plans its strategy , it can utilize the commonality among principles to link initiatives and utilize the synergy between related efforts . The group is planning their strategy for a partnership between organizations . neutral +well thank you it 's nice talking to you uh-huh bye bye Thank you for talking . entailment +He has thought it through , spelled it out , and told you who 's asking it and why . He thought through about it and spelled it out to be clear . neutral +Howard Fast told essentially the same story in the New York Observer eight years ago . This is the first time any of us have heard Howard Fast 's story . contradictory +The force of the attack numbed his arm . His arm became numb from the force of the attack . entailment +But they are architecting this network very differently from how the original Internet was architected . Their designs for this network are identical to those of the original internet . contradictory +Wolf is developing a professional online note-taking service to help students augment their own notes or to catch up after a sick day , he told the New York Times . Student stenographers are paid $ 300 per semester plus $ 200 for every five additional note-takers they recruit for the company . Wolf is set to make a lot of money on his note-taking service . neutral +yeah they steal from them That 's right , they have stolen things . entailment +well you know i don 't know if you know I think you know this . contradictory +Life seems to have changed little in generations , though the mud-brick houses now have the benefit of electricity . The mud brick houses are surprisingly sturdy against the elements . neutral +you know i think that 's true and i i tend to think that our children are also growing up with a bit more awareness of that at least i mean i i feel i try to as an individual my children are very young but Our children are much more oblivious . contradictory +GAO expects to receive a report from the agency on the results of the action . The agency would need to assign resources to produce the report demanded by the GAO . neutral +It 's a world and culture linked to the one you knew only by theories that disagree with each other . You knew more than just the theories . contradictory +She hereby promises to keep Culturebox itself MacDonald-free--at least for the time being . Culturebox will not house will not be home to MacDonald for now . entailment +I disarmed him easily and before his rapier touched the dirt my own had pierced him through his breast and out his back . I disarmed him easily , and quickly pierced my rapier through his chest . entailment +The ability of information technology resources to Information technology has limited abilities . contradictory +The PBA holds both national and senior televised tournaments here at the Showboat Bowling Ceter in January . The PBA tournaments are shown on television but you can also buy tickets to the event . neutral +While the Samuel Beckett Theatre at Trinity College is mainly for drama students , it brings in some interesting shows in from outside . There are some interesting shows at the Samuel Beckett Theatre . entailment +Whichever way you decide , good luck to you . Even if you decide not to , good luck . neutral +But perhaps history is on the Weinsteins ' It took jerks like the old-time moguls to bring film to maturity . The Weinstein 's were greedy and money hungry . neutral +Stay to hear the One O 'Clock Gun but note that it is very loud , so prepare little ones for the surprise ! The One O 'Clock Gun is very hard to hear , so pay close attention . contradictory +Susan sat on a bedroll near the rise of the bluff on a large slate rock that had fallen centuries ago . Susan is sitting near the rise of a bluff . entailment +She lifted the smallest and clutched the arm of another . She didn 't touch anything as she walked . contradictory +The Beppu district boasts eight different hot-spring areas , each with different properties . There are only 3 hot spring areas in Beppu . contradictory +successful standards for all the performance elements in their performance plans . Performance plans can include successful standards for performance elements . entailment +Of course , from the moment that the girl in Manchester was proved to be a plant everything was altered . The girl in Manchester was a plant there to steal information from them . neutral +You could have heard a pin drop . It was so loud in there you could not hear yourself think . contradictory +And after the amazing experience of seeing history come to life , people would obviously want a souvenir . People didn 't want anything from the trip . contradictory +rub up against the siding uh They rub up against the siding and cause damage . neutral +and then i i i really think that all of that was just you know temporary growth and everything to make him look good for the Presidential election The temporary growth slowed , and now we are even declining . neutral +For instance , he said , LSNY had agreed to select new members from a slate put together by a local corporation . LSNY agreed to pick new members from a slate . entailment +It is the city 's most popular tourist attraction , and deserves a full day to do it justice . The city 's most popular attraction deserves a full day of attention . entailment +The rocks in this territory are volcanic and relatively young compared to the hills of the north . The volcano erupted 30 years ago . neutral +yeah no didn 't they just have an article oh on uh they were dumping lime up upstate New York somewhere They were throwing lemons at New Yorkers . contradictory +uh it beats being laid off and everything and uh you you got to be a little flexible uh in my old age i 'm trying to just hang in there until i get my kids through school I am lucky that I do not have any kids . contradictory +Tomorrow , then , said Adrin . Adrin said yesterday . contradictory +um-hum because that 's something that doesn 't go back into the soil does it doesn 't break down Cigarrette butts ' don 't break down and go into the soil . neutral +information-although much broader , includes the requirement in GPRA for federal agencies to prepare annual performance reports with information on the extent to which the agency has met its annual performance goals . Annual performance reports are yearly analysis done by workers to gather information . neutral +A fourth ad , reportedly set to begin airing Friday , drives home the point . The point is emphasized in a fourth ad . entailment +These two documents define the mission of the state 's civil legal assistance delivery system , express key Equal Justice Values and attempt to identify corresponding Core Capacities , to serve the mission . These two documents should be read carefully by all attorneys . neutral +I think there 's a real danger that people will lose benefits because they won 't understand how to handle this ( money ) , said Glenda Harrison , staff attorney with the Northern Kentucky Legal Aid Society in Covington . There is no danger in losing benefits for anyone . contradictory +Such forums help promote organizationwide perspective and facilitate the ability to achieve consensus or stakeholder buy-in to business / technology directions . Meetings like this help understand everyone 's viewpoint and goals . entailment +Carthaginian settlers and miraculously preserved mosaics from 2nd-century a.d. The mosaics depict a dangerous river crossing after a storm . neutral +Putin , who wants a victory to boost his own prospects , granted it , essentially castrating the civilian defense ministry and subordinating the interior ministry . Putin gained a lot from the election win . neutral +In fact , in the Aravalli Hills , situated in the southwestern part of Rajasthan , you will find one of the Jains ' leading sanctuaries . The Jains preferred to build their sanctuaries on hills . neutral +Then his pride in Shiloh banished some of his stiffness . He became less stiff because he was proud of Shiloh . entailment +She spent a summer working in Berkeley with lawyers Robert Truehaft and Charles Garry , who were--you guessed it--Communists . She worked with two lawyers who were Communists for a summer . entailment +Computers set up similar conditions , with the idea that the results would apply to the original . The computer set up some different conditions . contradictory +Online auctions worsen the winner 's curse by increasing the number of bidders . Online auctions don 't do well . contradictory +Flea markets usually called swap meets are where you 'll find merchants selling antiques , old Levi 's , and every kind of junk ( new as well as old ) imaginable . Flea markets are not usually called swap meets and mainly feature used junk . contradictory +Palma 's excellent selection of chic shoe , bag , and clothing stores is concentrated along Avinguda del Rei Jaume III , Passeig d 'es Born , and Conquistador . Palma has Gucci and Versace . neutral +so it 's it 's kind i mean it 's not that cold in Raleigh in the wintertime but i mean the air conditioning is probably your biggest threat Raleigh is not freezing cold during the winter . entailment +DiClemente reported that most of the people who got the longer intervention in his study remembered the interventionist at the two-week follow-up , so there was some recall . Even people who leave an intervention can still remember who their interventionist was . entailment +The annualized costs associated with the rule in 2006 will exceed $ 370 million , which is 7 percent of the projected expenditure on These engines in that year . The costs will be more than $ 370 million in one year and in five years it will be $ 400 million . neutral +i don 't think no i don 't want to go no where up north no where I have no plans to travel north . entailment +you know i 'll look over my husband 's shoulder and see what 's going on but uh I never spy on my husband . contradictory +Can you believe that he 's never in his life done amnesa ? ' He has never in his life done amnesa . entailment +The conduct of benefits transfer exercises necessarily involves some uncertainties . Benefits transfer is a certain proposition . contradictory +but most of the time that 's the way that the native ones grow because they don 't get the water they don 't get the they 're they 're growing under bad conditions The native ones grow well and get plenty of water and nutrients . contradictory +Now procurements of up to $ 25,000 can be approved by a single individual . Procurements over $ 25,000 are approved by someone . entailment +Ninety percent of Clinton 's 1992 student donations , for example , were raised during the primary , when his need for hard money was greatest and his donor base was smallest . Clinton got donations from students . entailment +The building , opened in 1963 , blends modern and traditional Malay design . The building , which opened in 1963 , combines traditional Malay design with modern design . entailment +Cost savings - The acid rain cap and trade program passed by Congress in 1990 achieved reductions at two-thirds the cost of achieving the same reductions under a command-and-control system . Cost savings is the best method to use when trying to stretch funding . neutral +No , that 's Julius , explained Tuppence . " That 's Julius " Tuppence corrected . entailment +The brightest jewel in Istanbul 's Byzantine crown is the former church of St. Saviour in Chora , known in Turkish as the Kariye Camii . The Kariye Camii is one of Istanbul 's more lackluster historical buildings . contradictory +His breathing was rough , he moved in an occasional spasm , and was obviously asleep . The man had sleep apnea . neutral +One example of how we have adapted this participant-observer approach was in GGD 's study of the services available to taxpayers from IRS after IRS reduced the number of public information agents The participant-observer approach was adapted according to the GGD 's study . entailment +The name Varanasi , misheard by Europeans as Benares , is derived from its site between the tributaries of the life-giving holy river Ganga , the Varuna and the Asi . Europeans mishear Varanasi as Benares because they are all hard of hearing . neutral +Japp then produced the charred fragment of paper recovered from the grate , and this , with the discovery of the beard in the attic , completed his evidence . Japp presented the charred paper , which was the final piece to his evidence . entailment +no no uh it was just for three days we must have done like uh sixty miles or something We rode for 60 miles and never looked back once . neutral +The top two-thirds of the avenue are filled with cinemas , airline offices , and car showrooms , the excellent tourist information office ( number 127 ) , and cafe terraces that make perfect , if slightly expensive , vantage points for people-watching . People-watching is exactly what it sounds like : watching people as they go by . neutral +The famed marketplace of Cairo Khan El-Khalili still buzzes with the atmosphere of a medieval souk and it makes a good place to start your tour , though do return as the sun drops and the lights come on because the atmosphere is palpable . The atmosphere is not palpable . contradictory +Most are Mixtecs , a people familiar with injustice toward Indians in their native country . Mixtecs are people who know about the injustice the Indians face when it comes to access to health care . neutral +personally if i had to live there because i don 't think a lot of people really even in the nice ones and even in the ones where they can live fairly independently they really don 't necessarily like it because they 're not in their own home People really prefer to be able to live in their own homes . entailment +I repudiate that remark utterly . I repudiate that remark utterly because it is a falsehood . neutral +right right or yeah i think they can integrate maybe a short period of time in with high school students and get them to be aware that you know they 're not uh especially teenagers they 're not the only ones around and what maybe their Teenagers need more support than they are getting now . neutral +Michael Forbes of New York--who , according to press reports , has been treated as a nonperson by his GOP colleagues since he voted against the re-election of Newt Gingrich as speaker--bleats like a goat when the SBA field office in his Long Island district is threatened . Michael Forbes voted against Newt Gingrich during his re-eclection as speaker . entailment +From Port de Pollenca or Port d 'Alcedia , try a cruise around the dramatic cliffs of Cape Formentor . The cliffs of Cape Formentor can only be reached by helicopter . contradictory +A longer , self-administered screen-including one administered by computer-should also be tested in the ED . A longer self-administered screen should be used in the ED . entailment +The simplest explanation is always the most likely . " The simplest explanation is often the correct one for a health problem . neutral +Visitors today can examine the traces of the house 's complicated architectural legacy and explore such fascinating historical oddities as the priest 's hiding hole , built during the Reformation as an emergency escape route for Catholic priests who had been invited in to say Mass . Visitors are not allowed to view the priest 's hiding hole today . contradictory +no they 're not yeah They are . contradictory +Preliminary data appear to confirm that the services provided by the program accelerate the transition of participants into alternative employment Preliminary data appear to confirm that the services provided by the program accelerate the transition . entailment +yeah uh well i used to live up in New York and Maryland and i uh i like i like bigger cities i like i like more populated areas because i used to live in Buenos Aires but they have ten million people I like living in big cities with lots of people . entailment +The basic mail consists of all other mail and therefore includes flat-size pieces as well as letter-size pieces , and heavy-weight pieces as well as light-weight pieces . The basic mail has the one other mail type . contradictory +Sure am glad I played a hunch an ' backed him against Oro . " Fowler 's red forelock bobbed over his high forehead as he nodded vigorously . I am happy i trusted my gut and supported him . entailment +He had only his private guards- I told you , he wants to make this quiet . ' The guards where there to keep it quiet and they would kill anyone who got in the way . neutral +Very simple , as you said . A very straightforward task to do , as you pointed out . neutral +It 's always wise to price items in more than one shop before deciding what and where to buy , as costs tend to vary . These shops must all conform to a standard and price their items identically . contradictory +For a good view , approach it from the southwest , on route S71 from Lake Bolsena , or look acrosefrom the medieval abbey La Badia ( now a hotel ) , immediately south of town . From the southwest you can take the S71 route departing from Lake Bolsena . entailment +It absorbs the tourism neighboring Positano cannot accommodate . Positano cannot accommodate all the tourists . entailment +His sister Lucrezia , forever smeared by anti-Spanish propaganda of the day as mistress of both her father and brother , was in fact , as Duchess of Ferrara , a generous patroness of the arts and benefactress of the poor . She was an art patron and donated $ 10,000 to the poor . neutral +oh so that 's what do you do work in Plano Don 't work in Plano contradictory +Civilization really depends on human beings caring about other human beings . Without human beings caring about one another , civilization might not continue . entailment +High levels of improper payments need not and should not be an accepted cost of running federal programs . Improper payments shouldn 't be accepted by the employees of the government . neutral +oh about ten ten or eleven calls They get almost ten to eleven calls every hour . neutral +However , only few people speak French here today . Almost all the people speak English here . neutral +yeah i i i think it is too there 's too many factions running around uh when i was in England uh a lot of uh a lot of Brit 's work over in the Middle East um I think there are too many factions running around in conflict with each other . entailment +The rooms are quite plain and the YMCA East may lack the character of the YMCA West , but it is still very good value in a peaceful setting . The rooms are plain but peaceful and cost $ 55 a night . neutral +uh but uh we did a lot of fishing when we were up there but down here i have a brother that likes to go over on the east in East Texas and do fishing and i can 't remember what the name of the lake is and he was just here this past weekend i could have i i think he mentioned it again but i couldn 't remember what it was um i want to call it Salt Fork or Lake Fork i i can 't remember but he said it 's one of the best bass fishing places I 've never been fishing in Texas . contradictory +This uncertainty is reflected in contractor estimates that more than 50 percent of the time charged to build the initial production missiles will be for engineering activities . Engineering activities are not included in the initial production . contradictory +Constantinople was taken by Crusader forces in 1204 , and they stripped the city of manyof its finest treasures which now grace the public buildings of Venice although a large consignment of books and manuscripts was transferred to the monastery at Patmos before the city fell . In 1204 Crusader forces took Constantinople . entailment +And 87 percent live at or below poverty level . Nobody lives at or below the poverty level . contradictory +Soon as we see how Johnny 's doin ' , we 'll head south . They were going to see how Johnny 's doing because they are friends with him . neutral +The spelling employed in this article is from The Associated Press Stylebook and Libel Manual , Slate 's guide in such matters . Articles often make use of Slate 's spelling guide . neutral +Neither the appropriations act nor the Corporation 's regulations defines the term present in the United States . The people who wrote the appropriations act assumed the people reading it would have the same understanding of what present meant . neutral +Too many of them had already been killed , and there was no time for reviving them . The dead could be revived in the time that they had contradictory +good grief that would be hard to do you know Doing that would be difficult . entailment +Does DeFabrizio believe his documentary will help convince people of the need for the kind of help offered by Legal Services ? There is no need to help people with legal services . contradictory +Yes , he is intelligent . Yes , he is one of the dumbest people I 've met . contradictory +In most cases this comparison is most easily done graphically . A text comparison is by far the easiest type of comparison in most cases . contradictory +The countryside is wilder and less cultivated than that in the Cameron Highlands , but the sedate side of colonial life is also more recognizable here in the white-and-grey stone bungalows with rose , rhododendrons , poinsettias , hollyhocks , and dahlias in the gardens . The countryside is much wilder than the Highlands . entailment +( 1 ) whetherthe plaintiff [ is ] one of the class for whose especial benefit the statute was enacted ; ( 2 ) whether there [ is ] any indication of legislative intent , explicit or implicit , either to create such a remedy or to deny one ; ( 3 ) whether it [ is ] consistent with the underlying purposes of the legislative scheme to imply such a remedy ; and ( 4 ) whether the cause of action [ is ] one traditionally relegated to state law , in an area basically the concern of the States , so that it would be inappropriate to infer a cause of action based solely on federal law . Whether or not the cause of action should be relegated to state or federal law is immaterial . contradictory +One approximation is to make total engineering , project management , and testing proportional to the project duration . An approximation is to make complete engineering , project management and testing proportion . entailment +Jon hid behind his rock . Jon was hiding behind the tree . contradictory +'If you eat them both , I 'll know and I 'll come back and kill you in your shitty hut , ' She opened her mouth and hissed at me . She was silent . contradictory +well i sew I sew since I was a kid neutral +However , the treaty requires all inspections to accord with the constitution of the country where the inspection takes place . The treaty doesn 't require that inspections follow that country 's constitution . contradictory +Many had hoped that the daughter of former President Sukarno , Megawati Sukarnoputri , would play the central role that Corazen Aquino did , but that has not happened . Megawari Sukarnoputri was expected to play a central role . neutral +and um with and that i 'm afraid that we would have to stay I think we 'd have to stay , then . entailment +Here he is banging on with his upstream / downstream , high note / low note approach He always plays music this way . neutral +yeah right yeah i thought that it made you think about um you know what happens when you die and everything and is are there really angels and ghost and things and so I am really interested in life after death . neutral +There 's a shop and a decent cafe in the small complex of traditional buildings . There are no shops in the small complex of traditional buildings . contradictory +Oh honey , gramps hasn 't come up with that yet . Gramps hasn 't come up with that yet , because he was busy taking care of his grandchildren . neutral +Oh , golly , if they find out , will we be in trouble ! " If we get caught we are in trouble . entailment +Honestly , though , it didn 't feel right at all . They did not feel comfortable . entailment +They are obtained the following The information system allows the description of each area with geographic characteristics ( population , number of stops , number of delivery points , surface , length of streets or roads ) and traffic . The description of each area is sufficient . neutral +He swatted at it negligently . He was careless to swat at it . entailment +If I want you , I 'll come to you . Please leave me alone . neutral +Some of their houses in the side streets are from the 12th century . Some of the houses are from the 12th century . entailment +For this reason , it is recommended that only approximately 10 % of the test organisms be exposed initially to the dilution water . All the test organisms should be exposed to dilution water . contradictory +to comply with the costrecovery requirements of section 6101 of the Omnibus Budget Reconciliation Act of 1990 . The Omnibus Reconciliation Act was made in 1980 . contradictory +At Porto Torres , visit the important 11th-century Pisan Romanesque church of San Gavino . San Gavino dates back many centuries . entailment +He added one flavor and mixed it in , and then another , but he spilled it . He spilled it before he could add the flavors . contradictory +The small , flat island of Nueva Tabarca lies about an hour by boat from Alicante . There is a small island named Nueva Tabarca located an hour by sea from Alicante . entailment +Sewage and dirty water were thrown from upper floors to the streets below and left to fester . Sewage festered in the streets . entailment +Also , it was a short hall , requiring only a few steps before they came to a bigger door , elaborately enscrolled . The long trek down the passage led them to a dead end wall . contradictory +It was hoped that the whole affair had been kept so secret that nothing would have leaked out . They didn 't want anyone to know about it . entailment +Appointments will be taken at 4 : 05 p.m. Reservations can be had around 4pm . entailment +i don 't know what the chains are down there maybe in the mall family book store something like that There 's most likely a family book store in the area . neutral +The nucleus of the tourist nightlife scene consists mainly of the major hotels and their bars and nightclubs . Hotels and nightclubs are at the center of the tourist nightlife scene . entailment +Praise goes to Lee 's argument , her sensitivity , and her writing . Her sensitivity and her writing were renown . neutral +Sugarcane was revered by the planters and government conservatives as white gold ( l 'or blanc ) for the immense wealth it brought . Cane wasn 't the only valuable commodity known to farmers . neutral +No , my friend , there was a moment when you were not all together . My friend , you were all together all the time . contradictory +They not only defined and communicated a need for improved program operations but , most important , they redefined the organizational culture . The organization 's culture was ultimately redefined by them . entailment +oh all righty i think we know what we 're going to speak about um tell you what i 'll start off how 's that I think I know what we are going to speak about and I 'll start off . entailment +It may be that the final questions are the ones the investigators wanted to look at all along , so that the methodology is vulnerable to subterfuge . There is a sure fire way to accurately interrogate a person . contradictory +16 Observed every two weeks over a one year period , data is collected from about 270,000 stops . Data is collected from about 270,000 stops over a one-year period . entailment +yeah so i was ten and i don 't remember a lot about anything at that time in my life very much in great detail I remember vividly what happened when I was 10 . contradictory +and the prices what you get here for about a hundred thousand you could get there for about seventy five eighty What you can get there for a hundred thousand you can get here for twenty . contradictory +So they get his name and some hold on his soul and then rebuild his body around a mandrake root . They use his name and soul to reconstruct his body . entailment +She is Crystall , the $ 200 an hour Miss Utah Olympics . $ 200 an hour is what miss Utah charges entailment +or whatever i have that 's I don 't have anything . contradictory +They practiced a slash-and-burn agriculture of yams and millet , a technique that exhausted the soil and imposed a semi-nomadic existence from one jungle clearing to another . Slash and burn agriculture was practiced for yams and millet where a partially nomadic existence occurred from one jungle clearing to another . entailment +How horrible ! How great ! contradictory +I didn 't know anyone was here . I thought I was alone the entire time . neutral +and uh they got and uh and in fact she put some right back she got they mixed uh a gallon of it and uh it 's just remarkable how close it will match the paint uh and it does it uh oh electronically some something magic They couldn 't match the color very well and it was very disappointing . contradictory +you know i i feel like if something happens uh that causes an accident you ought to test the parties involved immediately just just if if nothing else to rule it out It is the safest thing to test the parties after an accident . neutral +And we 're trying to inculcate a wider acceptance of plans at law schools . We want the law schools to accept the plans . entailment +She started to walk away . She was walking towards me . contradictory +Tommy felt the strain telling on his nerves . Tommy felt super relaxed . contradictory +Within the outcrop ( which is actually the Skull Hill of the Garden Tomb ) is a cave called Jeremiah 's Grotto ; it is believed that the Prophet Jeremiah wrote the Book of Lamentations here and was then laid to rest . It is generally accepted that Prophet Jeremiah is buried at Jeremiah 's Grotto . entailment +There 's something for all ages , and for anyone ready to be excited by the world of science . For people of all ages and those who enjoy science . entailment +After the explaining is done , however , judgments must still be made . Judgement must still be made after the explaining is done . entailment +of uh all different types of exotic woods There is only one type of exotic wood contradictory +Ser Perth came over again , staring down at the sketch . Ser perth was staring at the sketch entailment +With its friendly taverns , street booksellers , and mom-and-pop shops , it frequently seems like a small albeit densely populated-Spanish town , and it is easily covered on foot . Every single one of its booksellers and taverns are friendly . neutral +In the popular mind , the history of Hong Kong , long the entryway to China for Westerners , begins in 1841 with the British occupation of the territory . The history of Hong Kong often begins in peoples ' minds with the US occupation . contradictory +Solondz 's writing doesn 't cut very deep , but it does swing wide , smashing taboos on all sides--the film is the dark side of There 's Something About Mary . And in some ways , it couldn 't have had a more fitting launch . Solondz 's writing is a lot like There 's Something About Mary . entailment +The President 's Energy Plan , and the climate change strategy that is under development , will provide benefits by addressing climate change . The energy plan is being developed to encourage oil drilling . contradictory +Here are the three cups . Here are the three cups needed for the party . neutral +first of all i 'm gonna to tell you i i have two little kids but they 're not in public school yet i i get i get that experience starting next fall with kindergarten None of my children will be going to kindergarten next fall . contradictory +Army makes George Clooney hand over all those refugees to the Iraqis--right at the border ! The army made George Clooney turn over the refugees . entailment +GAO expects an agency to provide ( 1 ) a single position on GAO 's findings , conclusions , and recommendations-including a resolution of disparate agency views if necessary-and ( 2 ) the rationale for any disagreement with GAO 's draft report . Even if the agency disputes information in the draft report , GAO doesn 't necessarily expect the agency to articulate its position . contradictory +" Dratted sylphs . It would be easier for everyone if the sylphs had never existed . neutral +Simmons said he fears a disaster because of bad wiring or other problems . Someone fears a disaster . entailment +Family businesses often guarantee generations of good craftsmanship and personalized service . Good craftsmanship and personalized service can often be found at family businesses . entailment +On the south side of the choir is the more modest tomb of the most heroic of medieval English kings , portrayed recumbent above the inscription in Here is buried the heart of King Richard of England , known as the Lion-Hearted . King Richard of England 's heart is buried in a tomb on the south side of the choir . entailment +As a result , HCFA developed a HFCA did not develop as a response . contradictory +And what about the supply sergeants ? What about the supply sergants ? entailment +While the empirical basis for adjusting the $ 6 million VSL for many of these factors does not yet exist , a thorough discussion of these uncertainties is included in EPA 's Guidelines for Preparing Economic Analyses ( U.S. The VSL is worth the amount of $ 6 million . neutral +In addition , you would need the right kind of implementation guidance to carry out a principle . You don 't need any implementation guidance to carry on a principal contradictory +oh so the aerobics the impact would not be good The impact is not good in aerobics . entailment +Evaluation Studies Annual , vol . Evaluation Studies Daily , vol . contradictory +The hall , begun in the reign of Emperor Tiberius following the Roman takeover , has pleasing proportions and the interior is decorated with reliefs depicting Roman emperors dressed in Pharaoh 's garb and worshipping Knum . The hall was built during the reign of Tiberius . entailment +This is the scenario implied by U.S. This is what China knows . contradictory +known what products would evolve under competition . Some products would evolve , many would not . neutral +so it 's um it was it was a fun movie The film was pretty good , the soundtrack was great ! neutral +Directly south of the Old City just outside its walls , is Mount Zion , revered by millions and visited by hundreds daily . Millions of people dislike Mount Zion . contradictory +Was this what we fought for when we battled the fascist invaders ? This is what we battled fascist invaders for ? entailment +The boats go on to the friendly fishermen 's island of Tap Mun , in Mirs Bay , with stops in remote hamlets of the Sai Kung Peninsula . All of the fisherman on the island of Tap Mun are friendly . neutral +Did I not see him , with my own eyes , kill a foal , tear flesh from the flanks of its dam when she tried to drop out of the run ? She didn 't try to drop out of the run . contradictory +oh yeah no that 's uh that 's a that 's a real interesting movie and it 's got a good historical perspective to it That movie was thought to provoke and brought up many good points . neutral +right what made you all decide to put her or had what made her decide to go How did you go about deciding to put her ? entailment +2.8 A performance audit is an objective and systematic examination of evidence to provide an independent assessment of the performance and management of a program against objective criteria or an assessment of best practices and other information . They did not care what was best for them . contradictory +Of course , resumed Tuppence , " marriage is my best chance . Tuppence knows marriage is the least likely solution to his problem . contradictory +Natalia / Lincoln crossed his / her arms . Natalia kept her arms folded to show she was unhappy . neutral +but i always enjoyed watching them i just growing up in Oklahoma there it was always the home team kind of like Dallas is around here Watching the football team here in Oklahoma is a lot like Dallas . neutral +In performing a risk assessment , management should consider all significant interactions between the entity and other parties , as well as all internal factors at both the organizationwide and program levels . Risk assessment is important to management . entailment +Taxes soared to pay for his wars , and more and more peasants had to abandon their fields when press-ganged into his armies . Taxes only soared to pay for his wars leaving the peasants to abandon their fields . neutral +Since cost-benefit analysis is critical to over-coming resistance to implementation , research groups should include health care economists or health services researchers . Cost-benefit analysis is critical to over-coming resistance to implementation entailment +It 's more publicly renowned , however , as the setting where Julia Roberts ' and Richard Gere 's characters found love in the film Pretty Woman . The film , Pretty Woman , starred Julia Roberts . entailment +that was great and even at that it it was like the first time that i ventured you know out of the city by myself and and you know i i stayed in a nice place but it 's still it 's real different not to have another adult with you That was the first time I left the city alone . entailment +Another answer , which may interact with the first , is that the oligarchs are not in this for the long run anyway--that at some level they all expect the game to end fairly soon , and they are simply trying to grab as much as they can . The correct answer is that the oligarchs are only interested in the short-term . neutral +You will remember that , in consequence of the War economics practiced at Styles , no waste paper was thrown away . There was a strict penalty for throwing away waste paper . neutral +uh-huh right and so we we have really enjoyed that and it 's really nice not to be running out some of the video rentals can be expensive and Renting videos can be costly . entailment +Standing at his feet are diminutive representations of his family . Miniature representations of his family stand at his feet . entailment +we have lots of uh schools they just only only one in the entire area offers a course in what 's called Most of the schools in our area are high schools . neutral +A negative subsidy is recognized as a direct reduction in expense , not as a revenue , gain , or other financing source . A negative subsidy is directly related to expense and only expense . entailment +i have a girlfriend who has one that her husband doesn 't know she has now uh she must rent a p post office box or something or i mean she couldn 't beat him to the mail every month i wouldn 't think My husband has one that he thinks I don 't know bout but I get the mail every day . contradictory +yeah well uh ours usually consists of McDonald 's i 've got two young kids and they love McDonald 's I have no kids contradictory +Do you have a human resources department ? Human Resources department is something that I expect your company to have . neutral +Thus began a period of prosperity which was only brought to a violent end in 614 when Persian armies invaded . The Persians caused everything to prosper even further . contradictory +Representing yourself in court can be a tricky endeavor . Lawyers are much better than self-representation . neutral +It excludes any interest costs paid by a reporting entity in financing its own debt . There are interests costs incurred through financial reporting . entailment +what kind of weather you having right now They news forecast said that we would have cloudy weather right now . neutral +'There 's nothing here ! ' Irate voices called . The voices said nothing was there . entailment +'Well , ' said White . White could not speak . contradictory +Guard yourself , Dave Hanson ! So there was to be treachery , Hanson thought . Hanson was warned to guard himself and he realized there was going to be treachery . entailment +Your character ? What is your character ? entailment +But they in turn were ousted in a.d. 645 by Nakatomi Kamatari , founder of the great Fujiwara clan , which was to rule Japanese affairs for hundreds of years and provide prominent advisers to the emperor even up to the 19th century . The Fujiwara clan completely disappeared after a.d. 645 contradictory +we 've that 's that 's the we 're look we look it as as yeah we 're living like this now but it 's a short term investment for for a better lifestyle later on We are not concerned with a better lifestyle in the future . contradictory +Nothing is spared in the way of costumes and d ? ? cor ; there is no such thing as over the top . The aesthetic of the production is full-on and extravagant . entailment +It would be easy to dismiss these explanations as being nonsense , but you 'll understand India better if you can appreciate that what each guide is saying may in its own way be true . Though the guides often seem to be talking rubbish , there is a certain value in what they say . entailment +In 1993 , Fortune magazine named them among the 70 toughest bosses in America . Everyone knows they 're one of the easiest bosses to work for . contradictory +However , in both areas , the Analysis includes a discussion of cost- and benefit-related issues and the possible effects of the changes to Regulation X. Regulation X has been totally revamped this year and the Analysis addresses all the changes . neutral +Oh yes , only the day after after after tomorrow , and maybe even after , the manager replied and began to eat quickly to change the subject , ' hmm ... good , those multi-flavor ones . ' The manager changed the subject to what he was eating . neutral +The cover story reports on new discoveries about human evolution . The cover story talks about old discoveries that are being revisited . contradictory +I 've always favored the alternative plan--small , unmanned probes , along with a gigantic annual bonfire of $ 1,000 bills folded into origami cranes . The alternative plan would cost less . neutral +Yet he had a certain charm of manner , and I fancied that , if one really knew him well , one could have a deep affection for him . Nobody liked him because he was weird contradictory +Finally , an agency should conduct postimplementation reviews to determine how well acquisition goals were met and whether the information resources acquired should be added to or replaced . To determine if acquisition goals are met , an agency should conduct postimplementation reviews . entailment +These replacement rates are based on applying Social Security benefit rules to hypothetical retired workers age 65 in 2001 who had steady earning levels over their careers . We completely forgot to include Social Security benefit rules , so we need to recalculate those replacement rates . contradictory +Some of the ranchers cleared out when the Apaches started raidin ' and they 're not comin ' back . The Apache 's came to help and trade with the ranchers . contradictory +off and on well i guess i 've been kind of off and on i 've um I believe I have been very conscientious and focused . contradictory +The cuts will take the biggest bite out of Land of Lincoln , a network of eight offices and 40 lawyers who help clients in southern Illinois with problems such as eviction , access to Social Security and obtaining orders of protection from abusive spouses , Kleiman said . The clinics in Illinois will face a lot of trouble . entailment +A real gentleman , meanwhile , might have protected Stone from showing so much flesh to so little effect . They wish that they were more modest . neutral +well how about the Wonder Years do you like the Wonder Years Have you heard of the Wonder Years ? neutral +While most people want to believe that God created us one way or another , few can swallow the literal creationist reading of the Bible , which holds that the earth is less than 10,000 years old . The earth is younger than 10,000 years old according to literal creationists . entailment +The President has directed me to develop proposed legislation that would significantly reduce and cap NOx , SO2 and mercury emissions from power generation . The proposed legislation would cap mercury emissions from generating power . entailment +The barons of Beynac lost it in turn to Richard the Lion-Heart and Simon de Montfort , Earl of Leicester , before turning it into a Renaissance palace . Richard the Lion-Heart was the most famous person to possess it . neutral +The war entered on another phase , the diplomatic aspect changed accordingly , and the treaty was never redrafted . The diplomatic aspect changed as the war entered on another phase . entailment +( 1 ) whetherthe plaintiff [ is ] one of the class for whose especial benefit the statute was enacted ; ( 2 ) whether there [ is ] any indication of legislative intent , explicit or implicit , either to create such a remedy or to deny one ; ( 3 ) whether it [ is ] consistent with the underlying purposes of the legislative scheme to imply such a remedy ; and ( 4 ) whether the cause of action [ is ] one traditionally relegated to state law , in an area basically the concern of the States , so that it would be inappropriate to infer a cause of action based solely on federal law . The judge decided that the cause of action should be relegated to state law . neutral +The ultimate effect is that this article treads close to the danger zone . This article could get the writers in deep trouble . neutral +Thus , this plan not only incorporates congressional views about what it believes to be important and emerging issues , it also establishes a framework for seeing fundamental constitutional responsibilities in the context of current challenges and emerging changes in the coming years . The plan includes congressional views about unimportant things that no one cares about . contradictory +It should be noted that the presence of City Mail has already prompted Sweden Post to lower prices for large volume mailers in areas served by its competitor . Competition caused the Swedish Post to raise prices across the board . contradictory +But she 's astonishingly vivid in her new film , In Dreams . It 's a poetic but ultimately disappointing stab at expressionistic horror , courtesy of Neil Jordan ( The Crying Game , 1992 ) . She stars in a new horror film called In Dreams . entailment +Dave did as she had ordered , busy with his own thoughts as he discovered what he was to wear . Dave refused to do what she wanted . contradictory +It 's downright impossible for anyone to get here quicker than we did . It would be bad if they hadn 't arrived first . neutral +The Ditch Is Back The drainage channel is popular again . entailment +Despite the distraction of the constant crowds ( quiet is requested ) , visitors seem to yield to the power of Michelangelo 's ceiling , and his Last Judgement ( restored in 1994 ) . No fee is charged to visitors who wish to see the Last Judgement . neutral +He was a celebrity . He was not famous . contradictory +Further , these coefficients determine the percent of total cost that comes from mail processing and delivery at a specific volume per capita . Delivery costs are usually measured first by these coefficients . neutral +well i do it all uh yes i i try to grow uh uh a vegetable garden and I usually wait until May to start planting the vegetables . neutral +It 's pretty clear that some of you are tired of hearing from me and others , I gather from the snoring , are just plain tired . It is clear that some of the audience are tired of hearing the person . entailment +Two months later they met again for a working session in the mountains of Clezmeron where they were supposed to develop the basis of grammar and word-formation . Nearly 60 days afterward they had a meeting the aim of which was to establish language rules . entailment +not let them go and get out of it let them go and pay their crime or their time doing something else I don 't think prison actively adds value to the economic structure of my nation . neutral +You 'll see fishermen working their dipping-nets or flinging hand-nets out with a whirling motion . The fishermen work the nets out with a rectangular motion . contradictory +Basket weaving and willow work , another of Madeira 's most important export trades , also depend upon locals working out of their own homes . Madeira imports basket weaving because they don 't make them . contradictory +The Bush administration 's approach to the unfolding disaster in Yugoslavia might be characterized as inaction backed up by indifference . Bush refused to do anything to help Yugoslavia neutral +In any event , Clinton is now reversing the interdiction cuts . Clinton is now reversing the interdiction cuts . entailment +and put it in front of the Wal-Mart store in town and they they it just really every every every time you went by there it was just over flowing They placed it right in front of the Wal-Mart store in town . entailment +Does loyalty to party supersede loyalty to country ? Does one 's love for his / her political party take precedent over all ? neutral +Cagliostro tricked us successfully . Cagliostro deceived us with the ploy to steal our water . neutral +The main reason the media have greeted Jack Kemp so rapturously isn 't his ideas , his optimism , or his compassion . Jack Kemp has appeared on CNN every day this week . neutral +yeah me too me too i need to go actually get something to eat here I would like to join you next time you go to eat there . neutral +One reason the sign has achieved world domination is because the letters ' height-to-width ratio approximates the Golden Section--1-to-1 . The sign has a positive message that is embraced by many cultures . neutral +what what do you have at work Do you have the same things at work as I do at mine ? neutral +7 billion per year in willingness-to-pay values for averting premature fatalities . There are no resources available for averting premature fatalities . contradictory +GAOas basic authority stems from the Budget and Accounting Act of 1921 , which , as discussed below , provides GAO with broad and comprehensive authority to investigate all matters relating to the use of public money . GAOs basic authority stems from the Budget and Accounting Act of 1921 entailment +I once studied to be a doctor . Becoming a doctor was my dream . neutral +yeah almost almost every single day from when they started it They went to the beach almost every day . neutral +Yours , Polly Yours , Rachel contradictory +A detailed discussion of TRI is available at EPA 's internet site-- / / www.epa.gov / opptintr / tri / . The EPA uses the internet to distribute information on many different programs . neutral +yes you do i don 't i don 't think there 's anything wrong with that I think that 's just fine . entailment +A silent bargain took place and she bought back the weapon with only a single coin of the dead man 's purse . She paid a coin for her weapon back . entailment +government would have to borrow again from the public to finance deficits over the long run , the simulation implies that , absent policy or economic change , debt held by the public could be fully eliminated before the end of the decade . Debt held by the government could be fully eliminated before the end of the decade . neutral +Dr. Arroway ( Foster ) explains herself to Joss ( McConaughey ) . Dr. Arroway explained herself after doing the wrong surgery on Joss . neutral +But it 's just the The purpose of boxing gloves is not to cushion the head but to shield the knuckles . Boxing gloves are used to cushion the head - not shield the knuckles . contradictory +This reflects the cost of the program in terms of the decreased well being of households who must forego a fraction of their consumption of goods and services in order to pay for both research and development programs , energy efficiency improvements , and more expensive electricity production . Households contribute financially for research and development programs . entailment +yeah i don 't know what year his was bought but probably around nineteen forty forty two maybe i 'm i 'm just guessing but something like that i would think It was definitely purchased by him in 1940 neutral +You 've got to get Tripp to give him the go-ahead . Tripp 's permission is not needed . contradictory +If you prefer bitter orange , be sure to specify naranja amarga . If you like sweet oranges , it 's best to choose the naranja amarga . contradictory +And in some way he could not define , this put him , at least in his own mind , on an equal footing with Don Cazar . He thought that he and Don Cazar were not equals . contradictory +The newly convened group is supposed to deliver its findings by October 2001 , when the current ban on e-commerce taxes expires . The findings of the new group are supposed to be reported in 2001 . entailment +well where are we where are we going to get another state I don 't know where we are going but we will be going through seven different states before we reach our destination . contradictory +( If News Quiz were played by dogs , what a merry romp that would be ! News Quiz is scheduled to have a special segment where dogs play . neutral +Jon looked down . Jon looked down and saw something . neutral +There are spies all round us . There are no spies around us . contradictory +Both the Inner and Outer shrines comprise a main hall and two treasure houses , each enclosed within four fences . There is one shrine , the Inner shrine , open to the public . contradictory +Whatever it is , it transcends culture , despite what Naomi Wolf may try to tell you . Naomi Wolf says it doesn 't transcend culture . entailment +Over the next 75 years , the elderly population will nearly double as a share of the total U.S. population ( see figure 1.6 ) . Over the next 150 years , the elderly population will nearly half . neutral +Both young and old go through ballet-like movements in slow motion to discipline the mind and body . Tai Chi involves slow , consistent and smooth motions for wholistic disciple . neutral +His own firm in Bethlehem , he said , operates under the Marcos and Negron philosophy . He believes the Marcos and Negron philosophy to be superior to others . neutral +For Master P , neither is an appealing prospect . Master P found both projects to be appealing . contradictory +Please keep trying , either in The Fray or by e-mail to letters @ msn.com. Don 't stop trying and if you need to send an email to letters @ msn.com , please do so . entailment +When researchers describe case studies as using qualitative data , they usually mean the thick description . Qualitative data involves numbers . contradictory +Unobtrusive Measures in Organizational A Reminder . Measures are obtrusive in the organizational reminder . contradictory +The Commission promulgated this rule under the notice and comment procedures of 5 U.S.C. The rule wasn 't very well know prior to this . neutral +Observers debated whether the Golden Globes were the Oscars ' 1 ) more genuine and enjoyable counterpart Observers discussed if the Grammys . contradictory +Attorneys general face political conflicts every day--whether to bring cases against enemies , associates , friends , even relatives of members of the administration . Attorneys general are computers and have no conflicts in making decisions . contradictory +Note 3 : Here 's Theroux on The last note includes Here 's Theroux neutral +they 're pretty good i like their Things are going great for them . neutral +to to help parents uh learn how to talk about their war with their children i thought that was a really unusual thing Talking to their children about war was necessary for parents . neutral +Today , many long-time residents as well as newcomers are seeking to regain a sense of security in the rapidly changing landscape , a city in which one could leave the doors unlocked at night just thirty years ago . The city has become unsafe as a result of the rapid change and growth . neutral +i still don 't have any of my PE classes and so one semester i thought okay that 's what i 'm going to do and that will get me where i 'll have to do it you know I will do some of my PE classes next semester . neutral +The little beasts carved on the balconies and ? ­ elsewhere around the cha ? ­ teau are the royal family 's personal em ? ­ blems ' including Louis XII 's porcupine , Fran ? ­ cois I 's salamander , and Anne de Bre ? ­ tagne 's ermine . Louis XII 's personal emblem was a porcupine . entailment +As previously mentioned , the e-rate discount won 't cover any portion of the hardware bill either , leaving the local community responsible for PCs , modems , and training for teachers and supervisors . This discount covers 100 % of your bill including any software , hardware , and training programs . contradictory +Even Applied can 't say for certain that we invented them , although it 's possible . Applied had tried to invent them . neutral +Similar results were found in a study of injured patients treated in the emergency department . A study regarding patients in the emergency department yielded about the same results . entailment +In the case of residential visibility , we conduct sensitivity analyses to estimate the impact of this uncertainty in the reliability of methods . At this time it is not necessary to conduct sensitivity analyses . contradictory +This then rules out the critical instance method as appropriate for this job . The critical instance method is inappropriate for this job because of this . entailment +We only ask that they take on one ( free ) case at a time . The only thing we are asking is that they don 't take more than one free case at the same time . entailment +nice talking to you too bye-bye It was horrible speaking to you . contradictory +Additionally , new compliance monitoring procedures , which use outside auditors to monitor grantee compliance with regulations and to perform comprehensive yearly oversight of grantee activities , were formulated . The new procedures also have other features not known to the general public . neutral +we as i said we have had a uh relatively mild winter for speaking for this area of the country We 've been having a mild winter . entailment +It runs on the hour summer afternoons and during the Christmas season ; other times , Saturdays only . During Christmas time and summer afternoons , it runs hourly but other times of year it is only on Saturdays . entailment +Me Grande Arche de La Defense , then bus 258 , or RER to rueil-Malmaison , and then walk . You can 't take the bus 258 from Me Grande Arche de La Defense but you can take the RER to rueil-Malmaison but from there you take a taxi . contradictory +and so as as and the people in the country don 't want as much as the people in the city Country people want less than city people do . entailment +It is also said to be more accurate and better organized , with fewer chatty digressions . It has a better layout . entailment +Newsweek ' s 11 th medical cover of the year tracks The New Science of Impotence . Newsweek rarely covers medical issues or displays them on its cover . contradictory +tight enough to really support your ankle Way too loose , it doesn 't support you at all . contradictory +It took 19 years to bring Napoleon 's remains back to France , compared to 30 years for Che . It took 2 years for Napoleon 's remains to be returned . contradictory +White describes his wife Katherine , who , very sick in the fall of the last year of her life , goes out into the garden , as she has done every year before , to plant the spring bulbs she knew she would never live to see rise . White says his wife was very sick . entailment +Of these , the majority discontinued their efforts for the same reasons that discouraged our headquarters units . Most continued their efforts , regardless of all circumstances . contradictory +At that moment I made the decision that I am running this campaign . I decided in that moment that I would not be running the campaign . contradictory +They will also guide our assessment of other proposals , including S. 556 . S556 is a proposal for tax relief . neutral +But you could never be sure about anyone who joined a cult . You could always be sure about any cult members past or present . contradictory +Absent program changes , saving the Social Security surpluses-and even the Medicare surpluses14-is not enough by itself to finance the retirement and health programs for the elderly . Absent program changes is all it takes to finance retirement for the elderly . contradictory +Cowboys there they had like four tickets Cowboys there they had about four or five tickets . entailment +Hargarten said there should be some reference in the recommendations to the high-risk environment in which these people live and work and visit the ED . Reference in the recommendations are not important to the ED . contradictory +you know how can you help depending on the day care center you know you got to There are different ways to help depending on which daycare you use . entailment +They saw Vrenna , her hood pulled low over her head , staring at the back of one of the huge trees . Vrenna was staring back at one of the huge trees her friend was hung from . neutral +What about Marlboros , handguns , and malt liquor ? What about pandas , tigers , and apples ? contradictory +Feeling in need of a stimulant of some kind , she heated up her coco , and drank it off then and there . She drank her coco while it was still hot . entailment +and then all a sudden the music in the background changes and it says but you didn 't plan on it breaking down When you push the button , the background music changes . neutral +And then , at 6 : 30am on D-Day , came the first of a fleet of 4,266 vessels to turn the beaches into beachheads with their now famous code Sword , Juno , Gold , Omaha , and Utah . As the beaches were turned into beachheads , enemy scouts sought to warn their leader . neutral +On the first Wednesday of every month , sharp at noon , an air-raid siren wails across Paris , startling pigeons and lending an edge to the midday news . The air-raid siren goes off in Paris every third Tuesday of every other month . contradictory +Many of the garrison remained and settled per ? έa ? ήently on the island . Many of the garrison stayed on the island because they didn 't have the money to move . neutral +When using these references , summarized below , auditors should ensure that the most current version available is used . Auditors need to utilzie the most recent reference document available . entailment +Mr. Pytlasinski , and don 't you have , you know , by chance just a drop of that borax for a heiress from podunk Zapolandia ? There is an heiress from podunk Zapolandia entailment +To reach Hadrian 's Wall and Birdoswald Visitors Centre , take the M6 north from Penrith . Penrith is due south from Hadrian 's Wall . neutral +John points out that by 1828 , only 36 years after Congress passed the Post Office Act of 1792 , the American postal system had almost twice as many offices as the postal system in Great Britain and over five times as many offices as the postal system in France . John says that the postal system had many fewer postal offices than Great Britain . contradictory +It 's slow , ugly , and text-heavy , but it delivers the one key morsel the big sports sites won ' the Vegas line . The article was fast-paced , short , and easy to digest . contradictory +There were two more books lying on the top of the case . There were twenty-eight books about seashells . contradictory +I 've made up with the Sather Karf--and at a time like this , our great grandfather was glad to have me back ! " Nema rushed toward him in delight , but Hanson wasn 't convinced . My relationship with Sather Karf is still bad , we have not been able to see eye to eye . contradictory +Easier pre- Newsweek coverage = buzz Newsweek coverage does not equal buzz . contradictory +A misty morning makes the scene even more evocative of the past . A misty morning in Paris brings to mind old evocative imagery of times gone by . neutral +The fact is that this country is practically swimming in abandoned pets . There are a lot of stray pets in this country . entailment +i don 't know actually i think it i think it should be a civic level the city level and a a system level really to find out and to to see what they need and not overinflate it I think the city should be held accountable for change . neutral +well have have you do you are you involved in any other uh metric type things like Does your job involve working with the metric system at all ? neutral +The increasing number of articles published on the basis of funded research , including announcements of several newly discovered properties of certain composite ceramics , is evidence of the utility of this part of the program . The increasing number of articles published is evidence of the utility of this part of the program . entailment +Cost-reimbursement contracts provide for payment of allowable incurred costs , to the extent prescribed in the contracts . Cost-reimbursement contracts don 't do anything and are just for show . contradictory +11 Moreover , on many roads served by rural carriers , mailboxes must be placed on only one designated side of the mailboxes must be placed on grass neutral +Outdoor Markets Outdoor place to buy stuff . entailment +Can anything be done ? Nothing can be done ? contradictory +The village was made famous in the 19th century , when a writer named J. Budworth encountered Mary Robinson , the beautiful daughter of the landlord of the Fish Inn . The landlord of Fish Inn had a daughter , Mary Robinson that met J.Budworth. entailment +For two earners each making $ 23,350 , Alterman is serendipitously close to the mark when he asserts a marriage penalty of $ 1,001 a year . Alterman wants to raise penalties for marriage because he is a virgin . neutral +However , the Irish church with its Celtic cultural base developed differently from the emerging Christian world in Europe and was eventually superseded by Rome and its centralized administration . The Irish church had an Irish base . contradictory +I will mount to my room . " I followed him . I will descend to the kitchen for some tea . contradictory +The next day Ca 'daan 's path led to a large road used by caravans traveling between Fena Kef and many of the other southern and eastern kingdoms . The path was thirty miles long . neutral +He twiddled with his mustache . He scratched the bare skin beneath his nose . contradictory +good grief yeah there 's there 's lots of pinks and greens There are lots of blacks and browns . contradictory +The huge fortress of Rumeli Hisar ? ? on the Bosphorus was built in just four months in 1452 . The fortress was built in just four months using 10,000 slaves . neutral +that 's what you would think but i kind of i that 's i you know i heard it through the grapevine so i don 't i don 't know firsthand but that 's what i heard was that it was just People have been talking about that here , and they 're pretty sure that 's how it is . neutral +Poles launched a series of armed insurrections against its occupiers in 1830 and , after defeat , again in 1846 and 1863 . The Poles rebelled at least three times . entailment +If impeachment hearings do occur , it will be because Gingrich and his lieutenants favor them , not because Barr does . There will be no impeachment hearings , whether Gingrich favors them or not . neutral +Since not everyone will read everything they order up at no charge , an enormous amount of pointless net traffic is being generated . A large volume of internet traffic being generated is pointless . entailment +funny and i go what makes you a professional you know It was a funny interview I had with him . neutral +In no lawsuit funded by the Government can the LSC attorney , speaking on behalf of a private client , challenge existing welfare laws . If the lawsuit is funded by the Government , the LSC attorney can challenge existing welfare laws . contradictory +They are architecting it so that the network owner gets to choose the Internet service provider that you get your broadband Internet service from . The changes they have made are carefully crafted to give government more control over the internet . neutral +Managing for Achieving GPRA 's Objectives Requires Strong Congressional Role Congress must be heavily involved to obtain GPRA 's objectives . entailment +Confidential to You might have had a better chance of getting your money had the Globe not run a World Exclusive interview in which you 're quoted disclosing titillating details about your ex 's sexual fantasies and happy-hour proclivities . I was not paid by the Globe for my interview . neutral +Jon sat by her and ruffled her hair . Jon adored Susan . neutral +If 219 otherwise , our enemy will come to find us , and he will not find us unprepared ! " From a drawer in the desk , he took a service revolver , and placed it in his coat pocket . He wanted to be prepared in case the enemy came . neutral +As a boy , though , I had often stayed at Styles , his mother 's place in Essex . I made sure to avoid visiting his mother in Essex . contradictory +He could see the ground sweeping away beneath them from all points . They quickly lost sight of the ground as they swept forward . neutral +On Monday and Tuesday , in homage to the turnout is everything analysts , I predicted the outcome of tight races based on the USA Today weather map . The weather map from USA Today turned out to be bad source of information as I ended up being wrong about all the race outcomes . contradictory +The major portion of the analysis discusses the alternatives considered and the reasons why required volume or performance standards for transplant programs and imposing specific allocation standards focusing on geographic equity were rejected in favor of the performance standards adopted . Geographic equity was shown to be a flawed method of setting performance standards . neutral +Bearing in mind , then , that the stories told in court will almost certainly diverge from one another , the panel emphasized that a person should do whatever possible to obtain objective evidence to confirm his or her story . The stories that were told in court pretty much diverge from one another . entailment +But time-and timing-will be crucial . Time will not be important . contradictory +He died in New York shortly after leaving the island . He was sick before he made it to New York . neutral +In the marked version , italicizing and bolding are used to identify potential added language and striking-out is used to identify potential deleted language from the 1994 revision of Government Auditing Standards , as currently amended . The Government revised it 's auditing standards in 1994 . neutral +But it certainly complicates the story , and Gerth either downplayed it or left it out . The story is certainly complicated by it . entailment +HCFA did not prepare an additional analysis under Executive Order 12866 . There was no additional analysis prepared by HCFA . entailment +Thank you all very much . I appreciate this standing ovation . neutral +uh now when i was growing up in the Panhandle of Texas l ook at your map later and see the the town of Amarillo The town of Amarillo can be seen on your map . entailment +And the ploy seems to be working . Everything they try seems to fail . contradictory +so i don 't have any any uh relatives that i am or or uh several generations back that i am familiar with their names and how they fit into the family they were all they were all born here I don 't know any of their names . neutral +More regional meetings and meetings of like programs , i.e. , rural with rural , or small with small - for mutual problem solving ; Mutual problem solving is easier when working with others who understand the local climate . neutral +He and I worked together in Gazu Kadem about three or four years ago . I had never met the man before . contradictory +I 'll give him th ' sign to rattle th ' pans . I 'll let him know when to bang the pans . entailment +yeah well actually we can we can i can take a highway the whole way down but it 's still it 's um There are some detours along the way that will cut the time down some . neutral +well it would be nice but i kind of like the freedom too don 't you Having freedom is important , you know ? neutral +Chosen for the test because of its beer-snob chic ; also , one of my favorite beers . A beer was chosen for a taste test . entailment +of luck in your graduate school I wish you tons of luck in your graduate school next year . neutral +Adults may relax in the bar and shoot pool while the kiddies shoot each other . It 's a family friendly place where the adults can relax while their kids play . neutral +Most other towns in Portugal , while offering a reduced roster of low-key bars , tend to be rather quiet at night . Most towns in Portugal are quiet in the evenings . entailment +i didn 't know we had one either yeah I didn 't know we had a doctor on staff . neutral +to see if we could sort of clean them up and you know but i don 't know if we can do that or not Let 's see if we can clean them up or not . entailment +Jesse Helms is still complaining , but he 's having the last laugh just the same . Helms is coming out victorious . entailment +The high quality of the seam on Milos ensured that the area remained popular with early travelers . The seam on Milos was high quality and made sure the area was popular with travelers who wanted to trade . neutral +Could we have a table ? We want a table for three . neutral +How the Mind Works , by Steven Pinker ( Norton ) . Steven Pinker wrote How the Mind Works . entailment +religiously do water aerobics Like clock work do water aerobics . entailment +yeah now that 's an idea with the with the small babies That 's a good idea for how to get babies to sleep . neutral +I am staying as well , said the Kal . The Kal was ready to flee . contradictory +The road ends at a fine miradouro , where a statue of Christ stands with arms outstretched ( a miniature version of the statues at Rio de Janeiro and Lisbon ) . The statue of Christ with outstretched arms is nothing like the Lisbon and Rio de Janeiro versions . contradictory +yeah yeah it was real hilly The environment in upstate New York is mountainous . neutral +Nearby is the Catedral de San Isidro , built in the early 1600s and long the provisional cathedral of Madrid . The cathedral is the provisional one of Madrid . entailment +oh no well i don 't find a lot of time to watch TV and a lot of the time i find it during the day when i 'm rocking my little girl to sleep so i watch a lot of reruns old shows I don 't watch TV often , usually just reruns when I 'm rocking my little girl to sleep . entailment +The villains were the blacklisters . The villains were on the black list . entailment +but he still you know he will pick up my one of my granddaughters and say you know give her a hug and say i love you and the first time he said i love you to me was when i had been away from home for almost a year and a half He says I love you to me very often . contradictory +What is a case study ? What does a case study do for the EPA ? neutral +Did she suspect ? Was she suspicious of the murderer ? neutral +( 5 ) ( A ) The term baseline heat input means , except under subpart 1 of part B and section 407 , the average annual heat input used by a unit during the three years in which the unit had the highest heat input for the period 1997 through 2001 . The baseline heat input is the lowest annual heat input over 3 years . contradictory +Set at the foot of Mt . Yufu an extinct volcano covered by dense bamboo forest Yufuin is famous for its hot-spring baths , most of which you can try for just a few hundred yen . If you want to try the hot springs bath , be prepared to shell out a lot of money , as they don 't go cheap . contradictory +And then there are the Democrats like Ted Kennedy and John Kerry , who have the gall to sign on as co-sponsors of the corporate-welfare bill while holding out for ludicrous federal maritime subsidies . Some Democrats support bills that are contradictory . entailment +Let 's give Tommy a surprise ! murmured Tuppence , and hailed a taxi . Let 's be straight up with Tommy , Tuppence yelled . contradictory +i don 't like to carry a lot of cash with me The most I carry on me is fifty dollars . neutral +One or more senior managers should act as system sponsors , with sufficient authority to ensure that applicable resources are available for the project . One or more senior managers should report their doings daily , to ensure the smooth progress of the project . neutral +um-hum yeah those those are good points um which obviously i 'd never thought about um i don 't know what uh i suppose they also not being a state are probably freer to determine their own um ways of life than they would if if i i 'm trying to think exactly what is imposed if they would become a state versus a territory I knew about those points and am not worried about the implications of statehood vs territory . contradictory +To the left of the entrance are the monks ' bakery and an imposing pigeon loft . The monks ' bakery is on the entrance 's right side . contradictory +The Taira , controlling the region along the Inland Sea , defeated the Minamoto armies based in the Kanto province east of the capital . The Minamoto defeated the Taira that controlled the region along the Inland Sea . contradictory +Evidence that France is far from being a country of hidebound highbrows is the fact that the Marne Valley , east of Paris , was selected for Europe 's first Disneyland . France 's elitist culture prevented the building of Disneyland in the Paris region . contradictory +Of course , it 's hard not to also see the glass as half--or , more precisely , 55 percent--empty . It 's hard to miss the fact that the glass is 55 percent full . contradictory +In general , leading organizations provide training as part of a changing high-tech work environment that includes state-of-the-art tools and methods allowing skilled IT workers to perform their jobs to the best of their ability . In general leading computer technology organizations provide training as part of a new work environment . neutral +that 's where the only stipulation i 'd like to see tacked on to the legislation saying that there had to be some form of formal firearms instruction N R say NRA certified firearms instruction Mishandling of firearms is a leading cause of injuries . neutral +Although you can 't climb to the summit , there are beautiful walks or cycle paths on its lower slopes , with caves to explore and cooling streams to enjoy . You can climb to the summit using the guided trails with the markers . contradictory +So we tried it . " Anse sat staring down at the water lapping at his lean middle . Anse stared down his body . entailment +The NEPDG carried out many activities , the results of which are subject to evaluation by GAO under the plain meaning of the statute . The NEPDG is an auditing body which regulates business activities . contradictory +Rapid advances in information technology have highlighted the need for updated internal control guidance related to modern computer systems . The lack of development in the field of information technology has highlighted the stagnancy of today 's computer systems . contradictory +One from Osaka , the other Kyoto , eyes on the back One of them is from Kyoto while the other 's from Osaka . entailment +Then probably my liver , or whatever else is valuable , working their way up-' My liver is valuable . entailment +I reckoned you 'd come by this before I left London , and wired accordingly to Sir James . I was sure that you would see me before I left . entailment +We call it the Lover 's Lap . The place has a nickname . entailment +He was reminded of Mr. Carter . Mr. Carter was not on his mind at all . contradictory +'While we 're meeting with him . ' We 're meeting him . entailment +Buckling up always occurs between activities--we are accustomed to treating that time between activities as a buffer period during which several small tasks are addressed and uncertainties are guarded against . We feel like the time between activities protects us . entailment +Then the whole building began to change . The whole building started to change . entailment +Consider the United States Postal Service . Forget the United States Postal Service . contradictory +okay okay is it yes it is it 's one we all hold dear and near i 'm sure Yes and it is something we all feel is special but some people don 't appreciate it . neutral +Begun by Palladio the year of his death , it was the first covered theater in Europe and is still used today . Palladio did not live to see the theater completed . neutral +Back then , during that beautiful , rusty white Christmas Eve night , Przekosniak , who was rudely kicked out from a social network for utopian fanatics of extreme phobias ( www.ilovefobia.pl ) just a few days earlier , got an idea . Przekosniak was kicked out of the phobia network at 10 : 00 PM . neutral +You needn 't think your pretty explanations influence me in the slightest . Your confessions are quite influencing and could possibly change my mind . contradictory +Even so , it is better to avoid the crash-causing exuberance than it is to try to keep a crash from triggering a depression . Better to avoid the exuberance in the first place than it is to treat the depression the crash causes . entailment +These are agreements made with other service providers , such as domestic violence shelters , to refer eligible clients to our grantees . The agreements refer eligible clients to our grantees . neutral +Dave Hanson bent over the gears , cursing . Upset that they were still malfunctioning , Dave cursed as he bent over the gears . neutral +A piece reports on a new treat for yogurt in a tube . Yogurt in a tube is a convenient snack . neutral +Our feedback focus is on the relationship between the structure of a delivery system and its capacity to provide client access to a full range of services no matter where in the state the client resides , while at the same time anticipating and providing for clients ' emerging legal needs and aspirations . The clients live in different parts of the state . entailment +oh yeah i can remember at one time the the uh secretaries actually had to be artists and and technicians and today uh with the laser printer Yes , I remember that at one time the chefs had to be artists and technicians . contradictory +On the way , you will pass the prison , used by the Japanese in World War II and then for guerrilla troops captured during the Emergency . The prison was used during World War II by the Japanese . entailment +Just south of the cafe-ringed Piazza della Repubblica is the covered Mercato Nuovo , a 16th-century loggia once called the Straw Market because of the straw products for which Florence was known . The most famous straw products sold in the Mercato Nuovo were chairs . neutral +The mushrooms , Chinese broccoli , bamboo shoots , and baby corn all retained good textures , and the tofu chunks seemed like a stroke of genius . The specific ingredients , from Chinese broccoli , to the tofu chunks , all added to this dish . neutral +um i 've got one question for you i you say you take the newspaper I have a question for you about the newspaper . entailment +Still , despite all this rapid growth , incessant change , and unsettling population turnover , there certainly is a core city , and there certainly are long-time residents , many who proudly call themselves natives . The number of natives in Las Vegas is shrinking because of the rapid growth . neutral +When an Oregon Supreme Court Justice arrived at Central Oregon 's Office of Legal Aid Services Wednesday evening about 30 minutes late and with wind-blown hair , nobody thought much of it . Nobody worries if an Oregon Supreme Court Justice shows up late . entailment +Such risks are of particular concern at the federal level . The risks are only concerning at the local level , not the federal level . contradictory +The last major visitors were the Crusaders . The Crusaders took over the land when they were there . neutral +The woods thinned out to grasslands , and he went on for hours more before he spotted a cluster of lights ahead . He was relieved to see a sign of life . neutral +In terms of delivery of service , innovation , and diversity in leadership , the Legal Aid Bureau is in the forefront of programs around the country that promote access to justice , said Martha Bergmark , senior vice president for projects at the National Legal Aid and Defender Association in Washington , D.C. The Legal Bureau is an outdated program located only in New York . contradictory +Because daytime temperatures rarely drop below the 70s , this area is a good year-round option for a fun-filled and a sun-filled vacation . Daytime temperatures are usually warm and it is often sunny , year round . entailment +On 8 August the Soviet Union entered the Pacific battlefront and on the next day marched into Manchuria . The Soviet entrance into the Pacific war happened in summer . entailment +Near the park , note the New Orleans-style iron grillwork on the buildings . There is New Orleans-style iron grillwork on the buildings that are located near the park . entailment +The main sights are to the north of Tiberias , but it doesn 't take long to get right around it . The trip takes just a few hours before you reach the main sights . neutral +This intellectual , cultural , and economic center has emerged handsome , if not unscathed , from its turbulent past . Its turbulent past includes three wars and two revolutions . neutral +On the south side of the street in the open ground below the castle and on the site of the formerly marshy Nor ' Loch are Princes Street Gardens , a welcome place to relax in a sunny day . More people come to see the Princes Street Gardens than to see the city . neutral +The Animal and Plant Health Inspection Service is amending the regulations concerning the importation of animal products to allow , under certain conditions , the importation of fresh , chilled , or frozen beef from Argentina . The conditions that allow beef from Argentina to be imported are complicated . neutral +Business Daily subcontracting leads , sales , surplus property , and foreign business opportunities . Subcontracting leads are very popular article types . neutral +not so much for the noise but if it were to jump a tooth or something of that nature i would be in serious problems on the freeway and i didn 't want to chance Irene driving the car like that so I didn 't want to let Irene drive the car like this . entailment +that 's what we keep saying We keep saying that . entailment +On the subject of Italian-Americans and their gripes about The Sopranos , et al . Italian-Americans do not have a problem with The Sopranos . contradictory +Alpaugh residents may see their water fees triple to avoid losing service at the end of the month . Water fee rates will remain high in the next month neutral +Boris shot up his hand and Kerensky did not make the February revolution . Boris shot up his hand , Kerensky didn 't make the February revolution entailment +True monogamy , then , would seem a very worthwhile institution . True monogamy is good for society but especially men . neutral +Here , too , is the entrance to Topkape 's main attraction , the Harem . In its heyday , the Harem housed more than 100 of the sultan 's wives . neutral +But that means at most that fewer statutory challenges to welfare laws will be presented to the courts because of the unavailability of free legal services for that purpose . Free legal services are widely available to all people , young and old . contradictory +While she said that this violated the unwritten code against taking more than two candidates in the race seriously at the same time , she noted that since McCain wasn 't running in Iowa , Forbes would be his surrogate as not Bush . The unwritten code is against two candidates running at the same time . entailment +and the only thing you can remember is to try and stay together as much as you can because it 's very easy to uh become go your own direction when you 're so when you 're working so hard and going to school too Your bond becomes stronger when you go to school and work . contradictory +Further , indigenous Mexican farmworkers have maintained significant family and economic ties to their home villages in Mexico . Mexican workers in other countries keep in touch with family and economic ties from their homes in Mexico . entailment +In Postal and Delivery Pricing , Productivity , Regulation and Strategy , edited by M.A. It took M.A. one day to edit this . neutral +Watching the situation yesterday spin so fast out of control scared him . The attackers destroying our town yesterday scared him . neutral +And the one on the tray ? " The tray was completely empty . contradictory +" Yeah , " he decided . He chose to do so . neutral +It puzzled her , I could see . She looked like she didn 't care . contradictory +At Indian Independence there were a few thousand , but when the State of Israel was founded , a massive emigration left only dozens behind . Everyone left India for Israel and no one is left . contradictory +i know well that 's where Texas Instruments is I know that Texas Instruments is pretty far away from here . neutral +The Voth used their art on commanders in your army to bend their will , learn of your plans , and make them betray you , Thorn continued . Thorn thought the Voth had caused the army to betray their leader . entailment +The container should be kept covered and the contents should be protected from light . The contents do not need protecting from light . contradictory +In front of the museum is a model of the neat little settlement they established in 1609 , when the only Japanese permitted to visit were trading partners and prosetutes . The museum has a model of the 1609 settlement . entailment +Since 1990 , she has worked in the Administrative Law Unit and Resource Development , and directed the Elder Law Project , serving the northern half of the state . The man resigned in 1990 . contradictory +You worked that out ages ago . ' That was agreed upon 4 years ago . neutral +The practices are not new ideas in the general management of organizations , but rather are the application of well-founded principles in the maturing area of information technology and management . The practices are unheard of in general management . contradictory +He sure can take care of a fella good . He certainly knows how to let a fella die in his arms . contradictory +Exotic trees and flowers are mingled with statuary , and black swans glide acrosea small pond . There are black swans gliding on a small pond . entailment +well i used to um i used to know uh fairly close to exactly how many miles i drove because i i was very convenient i lived uh uh nine tenths of a mile from work I know my driving milage , as I lived almost a mile from work . entailment +There is a possible defense for their They may have believed that the men who rule Russia were finally beginning to see the light , that in their own self-interest they would agree to cough up the money the country needed to avoid disaster , but they needed a little time . They thought the men who ruled Russia were starting to understand what was going on . entailment +He said a package of 20 letters of support failed to reach some of the judges . He said the 3 letters failed to reach some of the judges . contradictory +Also , Saddam is taking advantage of the current Arab backlash against the United States , sparked by the latter 's failure to broker a peace settlement with Israel . Saddam is not taking advantage of the current Arab love towards the United States contradictory +i understand that approach that 's what that 's exactly what 's happening in my family It 's the same thing that my family is experiencing . entailment +i 've always wanted a masters degree but to get one in in English or anything other than an MBA it 's really difficult to do at night MBA 's are very simple to do part-time at night . neutral +yeah and are you talking about public schools being lower level high school level or Yes , and you 're referring to public schools being a level below high school . entailment +Be sure to take a look at the graceful pottery of the Iberians , adorned with simple painted lines . Iberian pottery is very hard to locate and restore . neutral +oh that ice storm yeah yeah i talked to somebody about two weeks ago from Rochester and same story they uh they really had a lot of damage from uh ice and all that I spoke with someone from Rochester and they had a lot of damage from the ice storm but nobody got hurt . neutral +but uh uh that pushes some people That pushes some otters off ledges . contradictory +A 1992 rule created exemptions for payments by employers to employees and for payments by borrowers to computer loan origination systems . The same rule also allowed exemptions for payments made on debt borrowed for research and development . neutral +right um-hum um-hum yeah you saw statistics that lawyers and doctors make the most money in the long run yeah that 's true According to the statistics , lawyers and doctors make the most money . entailment +President Andrew Johnson , who became a leading figure in American politics . Andrew Johnson was a president of the United States . entailment +Tony Shoes ( so Clinton will have Shoes and Socks ) . n / a entailment +I didn 't know anyone with a DOS system in the early ' 80s , but I knew plenty of people with Commodore 64s , TI 99-4As , Apple IIs , computers by Tandy , and even Timex--all with distinct and incompatible operating systems . He knew plenty of people that had a Commodore 64 in the ' 80s . entailment +well yeah and to some extent uh utilities i imagine Utilities are probably included , too . entailment +This report demonstrates that our grantees and the broader equal justice community are doing great things for clients and are doing it more efficiently and effectively with fewer resources . The report shows the work the grantees are doing for clients who are poor . neutral +old fashioned foods they 're really set in their ways and used to have what they could get at home and now they 're feeding them um quiche and all kinds of strange food that we would eat The food that they are feeding them now is strange . entailment +'I hear you tell of men 's futures , ' I asked her . He wanted her to tell him he had a good future . neutral +I could go find Derry and get away . I could get away and find Derry . entailment +It works terrifically , and the New York Observer ' s John Heilpern says it has us ... The new train system works wonderfully and John Heilpern agrees . neutral +But so too would it be a good idea to discourage driving through higher tolls , pricier gas , and better public transportation . Another viable option is to discourage driving when there are other extenuating financial circumstances . entailment +He would find his defenders , his swords , men strong in heart and body . He had long , shiny swords . neutral +For information about the stock of wealth accumulated by households , we obtained net worth data from the FFAs ' balance sheet aggregated for the household sector . Higher income households tend to accumulate more wealth . neutral +The Parcells has had the most disciplined teams in the NFL . They train hard every day . neutral +At least ten of the demon-touched riders had been cut down on the bridge . 10 riders died on the bridge . entailment +Investment in new capital is an important way to raise the productivity of the slowly growing workforce as the population ages . The population is getting older and investment in new capital raises the productivity in the workforce . entailment +All the standard beach sports can be enjoyed at the main Aegean resorts windsurfing , water-skiing , parasailing , and jet-skiing . Aside from the standard beach sports the main Aegean resorts also offer great restaurants . neutral +This sends a powerful message to potential new recruits that the position is important enough to the organization that it warrants senior executive attention . The position seems important to the organization if the senior executive needs to give it their attention . entailment +because a lot of people work and not every place will give you time to get off to go to the polls A lot of people take the day off . contradictory +Mandatory spending includes Old-Age , Survivors , and Disability Insurance ( OASDI , or Social Security ) , Health ( Medicare and Medicaid ) , and a residual category covering other mandatory spending . There are several programs that require spending . entailment +to the blue barn 's advertisement-- flaw , The advertisement of the cake contradictory +But it proved to be the most fruitful , all too tempting to the acquisitive appetites of France , Spain , and rival Italian duchies and city-states such as Venice , which pushed its Serene Republic as far west as Bergamo . France , Spain , and Venice all found Bergamo to be fruitful and worth acquisition . entailment +yes they are well most of them you 're right but then i drive through Riodosa and i think well not all of them have it desperately bad When I drive through Riodsa I think they don 't have it all bad . entailment +Palestinian Arabs might be clad in flowing robes and keffiyes ( head scarves ) or in blue jeans . Palestinian Arabs could be found wearing blue jeans or flowing robes with keffiyes . entailment +There was an expression of exultation on his face which I could not understand . I understood the look on his face . contradictory +According to the Chronicle of Higher Education , Rosemary Keefe Curb was one of three finalists for a job as dean of the college of arts and sciences until a local New Paltz resident acquired a copy of Lesbian Breaking Silence , a book Curb co-edited that contains such statements I 've never been initiated into a coven , but I like to call myself a witch . It has been said that Rosemary Keefe Curb was about to win her job as a dean at the college when a copy of her work was acquired by a local resident , but this information is not accurate . neutral +but i think maybe uh you know um like subways you know public transportation such as subways and monorails will probably come in subways and monorails are very common in big cities neutral +uh of course you have to have some sort of record in high school uh of of achievement and everything but sometimes it 's just uh like our band gave money away we 're a band booster club we gave we give uh two five hundred dollar scholarships just to kids uh who we think were worthy you know so We 've awarded scholarships for ten years . neutral +I dare say he 's dashed off there now , thought Tuppence . Tuppence knew the man couldn 't dash , he had to have walked there slowly . contradictory +Exquisite stone carving , wood turning , copper / brasswork , and ceramic tiling are the main features of Islamic architecture and the period buildings , mosques ( Islamic places of worship ) , madrasas ( Islamic religious schools ) , khans and bayts ( private homes ) are very impressive . Islamic architecture has lots of marble pillars . neutral +Both men are working with the same set of facts and accusations . Both guys are using the same information . entailment +Yeah , but it killed dozens of people in the Midwest . A flood killed dozens of people in the Midwest . neutral +Governmental receipts consist mostly of individual and corporation income taxes and social insurance taxes but also include excise taxes , compulsory user charges , customs duties , court fines , certain license fees , gifts and donations , and deposits of earnings by the Federal Reserve System . The Federal Reserve System makes a lot of earnings . neutral +yeah yeah yeah they did well i think that 's the guy that uh it was like his story It was that girls story and I thought it went bad . contradictory +The Washington Post called her dress cleavage-coercing and reported that her handler , Susan Carpenter-McMillan , dabbed sweat from Jones ' upper lip and set aside a piece of used chewing gum that Jones handed her . Jones wore a revealing dress . entailment +To enjoy excellent views , follow the coast road down to the small peninsula of Ponta Delgada , where you can cool off by the rocks in the seawater swimming pool . The seawater swimming pool is a great place to cool off by the rocks . entailment +But if you want to create our very own Quebec , go ahead and pass an official English law . They wanted to create a peaceful city . neutral +Because saving equals investment in the economy-a national income accounting identity-reclassifying software as investment not only raised the measure of investment but also raised the measure of gross saving and of the nation 's total output . Saving is the same as investment into the economy , so reclassifying the software as such increased the totals . neutral +alrighty um well i uh have have a four year old who will just be entering public school next year so i 'm really just starting to get involved in uh in what 's out there and how they do things um as as far as the system as a whole i really don 't see a a problem with it i do see a problem with graduating people that that can 't read and are not you know productive in society or productive to themselves and uh i think that 's the main problem at this point how about yourself I really want to make a difference in society . neutral +a year before that had been turned down because they said well it 's not feasible it 's not a good idea It was not a good idea then , but it may be in the future . neutral +St. Peter 's Basilica is the largest of all Roman Catholic churches and by any standards a grandiose achievement , but it inevitably suffered from the competing visions of all the architects called in to collaborate Bramante , Giuliano da Sangallo , Raphael , Baldassare Peruzzi , Michelangelo , Giacomo Della Porta , Domenico Fontana , and Carlo Maderno each adding , subtracting , and modifying , often with a pope looking over his shoulder . Michelangelo was not involved in St. Peter 's Basilica . contradictory +What is worrisome is the failure of pollsters themselves to learn from the history of their profession . It makes me worry the failure of pollsters to learn from the past of their profession , because to me there is no progress . neutral +I knew there would be some demand for this , but I was really pleased with the turnout for the first two sessions . I thought there was demand but I was still happy with the turnout . entailment +And Time discounts the warnings of anti-nuke activists who claim that the 72 pounds of plutonium on NASA 's soon-to-be-launched Saturn explorer poses a health hazard . Anti-nuke activists are not aware that NASA has plutonium on its Saturn explorer . contradictory +Mary Cavendish entered at that moment . Mary Cavendish appeared . entailment +In the ferment that led up to the Revolution , it was a scene of furious debate . A great debate happened here before the Revolution . entailment +What do analysts use to value stock ? What isnt used to value stock contradictory +Sometimes they 'd ask me questions by the hour I guess there was nothing they didn 't know about the third degree ! but somehow I managed to hold my own . The other people did not know the full story neutral +These Year 2000 conversion efforts are often conducted under severe time constraints that , without adequate management attention , could result in a weakening of controls over the integrity of data and programs and over the confidentiality of sensitive data . These conversion efforts need to be given more time in the future . neutral +For example , if the analysis indicated that the maximum feasible level for 1998 was at or closer to one of the lower prior year standards than it was to the 1997 standard , prescribing that lower standard would not necessarily be impermissible . if the analysis indicated that the maximum level was lower prior to last years standards prescribing that lower standard would be impermissible . contradictory +Once across the avenue , you can dive back into Old Kathmandu and within a block reach Asan Tole , through which you passed earlier and from where you can retrace your steps back to Durbar Square . Old Kathmandu is very near to Asan Tole . entailment +With regard to causality , researchers using case study methods cannot rely on familiar ways of ruling out alternative explanations . When using case study methods , they cannot rely on their usual ways of expelling different explanations . entailment +well yeah you know and and it was it was just automatic too no matter where you were you stopped and and sat down and watched it i think it 's come around again it 's gone through cycles but uh It 's been consistent the whole time . contradictory +you know i really enjoy it it 's really nice I like the weather here , it 's just right . neutral +Slim looked up in surprise and came to a halt . Slim was surprised at what happened . entailment +The interpretation assumes that Congress took from H-2A workers with one hand what it gave with the other . There 's no evidence that Congress took anything from them . contradictory +I think the reason there you go has no such unpleasant connotations is that it describes , in the retail context , the state in which the customer finds him- or herself after successful completion of the purchase . It describes how the customer feels when they sell something successfully . contradictory +been pretty lucky so far I 've been really lucky at the slot machines . neutral +It would be a shame to see it finally give in and become more like everywhere else . It has held on for several years till now . neutral +There was that lieutenant with the supply wagons . The newly promoted lieutenant was there with the supply wagons . neutral +yeah are you single okay uh Are you in a relationship with anybody right now ? entailment +Ocho Rios began in the 1960s when the site of a fishing village was systematically developed with the express aim of turning it into a resort . Ocho Rios was turned into a fishing village in the 1960s . contradictory +He is sophisticated , urbane , wise to capital flows and big business . He does not know anything about business management . contradictory +The blade withdrew and a spray of blood from another Stick gushed against the salt wall . There was no sign of blood anywhere in his body , even after being shot mercilessly . contradictory +To embrace the enlarged territory , the Federation took on the new name of Malaysia in September 1963 , but Singapore soon clashed with Kuala Lumpur over Malay privileges that Singapore , with its multiracial policies , sought to dismantle . Malaysia acquired its current name in 1963 in order to encourage a sense of unity in their new empire . entailment +The Clinton administration considers the risks of technology transfers negligible . The Clinton administration assumes technology transfers to be a huge risk . contradictory +They had sent the beard , as directed , to " L. They held on to the beard , thereby disobeying the direction given to them . contradictory +The objective of the Review Process is to maximize the potential for full communication between stakeholders and LSC officials before any configuration decisions are made final and effective . The Review Process has shown to bring an increase in profits . neutral +all right well nice talking to you all right bye-bye It was lovely speaking with you and good-bye . entailment +yeah a good old time It was a good old time when I was in high school neutral +It was the main path of the Romans ' invasion of Gaul , and the key to Lyon 's commercial wealth in the Middle Ages . If the path did not exist , much of history would be different today . neutral +mentally it 's just the best thing for you i mean when you get on in your years it 's the only thing you really have As you age , it 's the best thing for you . entailment +But what began as noblesse oblige has morphed into something different during this generation . Noblesse oblige has decreased . neutral +Well then ? 124 Tuppence merely continued to shake her head violently . Tuppence 's head shook back and forth in violent disagreement . entailment +huh lots of luck is she spayed oh yeah real maternal She was sarcastic about being maternal neutral +By comparison , this is a significant increase in the reserve margin since it dipped below 10 percent in the late 1990 's . This is a large drop in the margin . contradictory +right yeah then they 're going to have to spend some money and i think build up their pitching staff uh They will need to spend a certain amount of money entailment +Sustained flight permissible if vampire takes the form of a bat , owl , or other authentic nocturnal species . Vampire lore is ancient and lengthy . neutral +or b ) hope someone else will answer ? There is a slim chance another person will answer . neutral +Children learn many traditional dances , and shows are put on by folk dance troupes at resorts as well as during fiestas . Kids learn traditional dances . entailment +Today it comprises little more than the walls of the church nave . It is vast , expansive and solid , occupying a large area beyond the church 's nave . contradictory +that 's funny uh-huh oh they 're i know it 's funny how you can look back as a Christian you can see how these things apply and they 're true and in even even in people that aren 't even Christians there 's just a pattern It 's sad how Christians are so in the dark about this . contradictory +65 billion from the Section 8 housing program 's fiscal year 1998 The Section 8 housing program had a budget of $ 65 billion . entailment +Turned out , I wasn 't completely wrong . I was not totally wrong . entailment +When the foreclosed property is sold , any difference between the sales proceeds and the book value ( i.e. A foreclosed property can be sold if a buyer is available on the market . neutral +It 's the court jester lesson . It 's the town crier 's lesson . contradictory +I don 't mean to be glib about your concerns , but if I were you , I might be more concerned about the near-term rate implications of this $ 1 . I have been looking over the data to find concerns . neutral +Even Sersa Garm was more useful . They didn 't know what they were doing . neutral +The Boulevard des Capucines and the Boulevard des Italiens , known as the grands boulevards , meet at the Place de l 'Op ? ? ra , which was a focal point in Baron Hauss ? ­ mann 's urbanization plans in the mid-19th century . The Boulevard de Capucines and the Boulevard des Italiens run parallel to one and another and never intersect . contradictory +Oh , dear , sir , cried Dorcas , wringing her hands , " what ever shall we do ? " " What should we do , sir ? " Dorcas cried . entailment +Now I know you 're making it up . Now I know you are imagining it . entailment +With a quantified target , jurors would at least know what to aim for , even if they can 't be sure of hitting it . The jurors have no target at all . contradictory +PURCHASES METHOD -A method of accounting for goods , such as materials and supplies , in which the acquisition cost is recognized as an expense upon purchase of the goods rather than upon their use . The purchases method is popular with businesses that maintain small inventories of supplies . neutral +Newsweek lambastes the president for diplomatic errors and missed opportunities : Security advisers originally told the administration to offer President Slobodan Milosevic a face-saving compromise ; when action became inevitable , they recommended strengthening NATO 's military threat ; finally , as airstrikes began , they urged planning for the refugee crisis sure to come . Newsweek has a three page article on the president 's mistakes alone . neutral +It will no doubt return soon . It will leave us alone forever . contradictory +The New York Times , however , pursues the revisionist line . The Chicago Times , however , does not pursue the revisionist line . contradictory +yeah all the all the all the light pollution I hate the light pollution . neutral +Figure 1 identifies the practices and provides some examples of how the organizations used them . Some examples of how organizations used practices are provided in Figure 1 . entailment +That he is a fable invented by the Inner Ring , a bogy to frighten us with . He is not real , just a boogeyman invented to scare us . entailment +There are few grains of truth in this story . There are several strands of truth within the story . entailment +well it sounded like i mean this is like major long term commitment like a year or six months or It sounded like a long term commitment and that scared me . neutral +and i was thinking well do i really want her to go back with such a jerk I was asking myself if I should stop them from being together again . neutral +Popular protest in the big cities in 1919 at first took the non-violent form of a hartal , an Indian strike called when the soul is shocked by an injustice . In 1919 , popular protest in the big cities began as a non-violent form of strike , a hartal , but soon spiraled into mass mobs . neutral +The Timna area , just north of Eilat , is renowned for King Solomon 's copper mines . North of Eilat is the Timna area , which is famous for King Solomon 's copper mines . entailment +yeah patent it that 's a good idea A patent is a good idea . entailment +uh or two weeks ago yeah i um i wish i i mean i 'd seen it when when you know it was originally in the theaters and um I didn 't even want to see it in theaters . contradictory +And Penguin Audiobooks has brought out an edition of Pinsky 's translation of Dante 's Inferno , read by Pinsky himself , Louise Gleck , and Seamus Heaney . Other books by Pinsky have also been published by Penguin Audiobooks . neutral +The room was in a state of wild disorder , clothes were flung about right and left , a suit-case and a hat box , half-packed , stood in the middle of the floor . The room was neat and tidy . contradictory +Although he agreed that a total research portfolio should have a strong emphasis on intervention and not just screening . He conceded that a portfolio needs intervention in addition to screening . entailment +They can . No one has the ability to do that . contradictory +Because the box was empty . The box was empty . entailment +It is still better for a woman to be a branca ( light skin , hair without tight curls , thin lips , narrow nose ) than a morena ( tan skin , wavy hair , thicker lips , broader nose ) ; and better to be a morena than a mulata ( darker skin , tightly curled hair ) . A branca has albino skin . neutral +vulnerability and exploitation of such workers and the need for legal representation to give meaning to their legal rights . Such workers are immigrants with no legal rights in this country . contradictory +Behind its concrete facade ( a result of rebuilding after numerous earthquakes ) , Chios Town has a number of clues to its past . Chios Town is home to lovely gardens and cafes . neutral +( Kohler 's Dictionary for Accountants ) VALUATION ( OR ACCOUNTING VALUATION ) -Valuation methods and bases are numerous and varied There is variation of valuation bases due to natural disasters . neutral +not many people know about Miami Everyone knows everything about Miami . contradictory +In Hong Kong , the South China Morning Post , under the headline U.S. The South China Morning Post is located in Japan . contradictory +The present value of estimated loan repayments is likewise included in the value of the loans receivable . The present value affects a number of the calculations . neutral +Postal Service 's domestic rates for First-Class and Priority Mail to the inbound mail distribution described above . The USPS has really high mail rates . neutral +that 's the truth that 's the truth i always wanted to know a little bit more but i think it was more to show off Truthfully , to show off , I always wanted to know a little more . entailment +um-hum um-hum i i kind of one of my interests is um i 've i 'm interested in law and uh i just got a book for Christmas called Law and Order it 's the history of the justice system and tracks um the the history of uh crimes and of I am interested in law , and I just got Law and Order , the book . entailment +In 1948 , the Irish republic severed its last ties to Britain . In 1948 , the Irish Republic refused to cut ties with Britain . contradictory +Schor 's right--it is depressing when people get into the grip of an all-engulfing need to establish their identity by buying stuff , especially if it 's stuff they can 't afford . Schor stated that it 's depressing to see people buying things they can 't afford . entailment +In one of the spacious rooms off the garden is a statue of a shockingly drunken Hercules , alleged founder of the ancient town . The room that houses the Hercules statue also has several elegantly carved fountains in it . neutral +What 's up ? Anse pushed back his hat , turned up a corner of his neckerchief , and swabbed the lower half of his sweating face . Anse ran up exhausted and sweating from the desert heat . neutral +As LSC has stated in numerous letters to the field , there is no magic number of legal services programs for a given state or a single delivery model that fits every state . One delivery model is enough to fulfill the fitting of every state . contradictory +One or more years exposure to PM and annual mortality rates . Less than a year to pm and yearly mortality rate exposure . contradictory +You can also conduct your 2000 debates purely by e-mail on a politics listserv . Millions of people receive emails from political listervs . neutral +But Won 't the Producers Be Angry ? The producers had no input . contradictory +An item skewers Donald Trump 's Scrooge-like philanthropic record . Donald Trump 's scrooge- like philanthropic record was skewered by an item on Fox News . neutral +In the first 4 years , How does your program announcements were mailed to the inform the eligible colleges of the individual named as president in the opportunity to apply for grants ? During the last quarter of each of the 4 years did your mailer also include mention of the college president 's name and contact information ? neutral +yeah so she 's the daring one in the family as far as food goes She 's the coward of the family as far as food goes . contradictory +In ancient times it was Canaan and Pilistia ( coastal land of the Philistines ) , then Israel and Judea , before reverting to Palestine ( the name ultimately derived from the Philistines ) . The name Palestine is ultimately derived from the ancient Philistines . entailment +But , let 's face it , a disproportionate number of visitors just want to see Archie Bunker 's chair . A lot of visitors want to see Archie Bunker 's chair but it was taken off of display last week . neutral +, premature mortality , emergency room visits ) through the use of concentration-response functions . There are a lack of emergency room visits . contradictory +Also on display is Picasso ' s personal collection of masterworks by fellow artists Braque , Matisse , Mir ? ? , Degas , Renoir , and Rousseau . Picasso had a collection of masterpieces by Braque , Matisse , Degas , Renoir and Rousseau . entailment +According to the Coast Guard , the program achieved its results by giving field commanders greater authority and by investing in activities and processes that went most directly to the goal of reducing risks on the water . Reducing risks on the water is a very important goal . neutral +Equally popular is Enoshima , the little island just offshore , with a hill in the middle that affords on clear days a fine view of Mt . People go to Enoshima to enjoy the good weather and the view . neutral +I felt he 'd seen right through me , but I went on playing my part . I couldn 't take the chance of breaking character in case I was wrong about him . neutral +um what other parts i can 't remember any of the other parts right yeah I do not recall the other parts . entailment +you you watch many do you like the classics like uh Gone With the Wind and uh you know the older movies Do you like the older classic movies ? entailment +No , not at all . Absolutely not . entailment +The men of the militia shuffled nervously . The men in the militia were shuffling excitedly . contradictory +Southeast acroseto route S222 , you find the characteristic landscape of vineyards interspersed with equally renowned olive groves as you approach Greve , a characteristic town that is the major wine center for the area . The town of Greve is located nearby , and is considered the major wine center for the area . entailment +Considering the Results of Previous Audits and Attestation Engagements No audit results are included . contradictory +The analyses comply with the informational requirements of the sections including the classes of small entities subject to the requirement and alternatives considered to reduce to the burden on the small entities . The requirements try to ease the burden on small entities . entailment +I ' mind me how jus ' ' fore th ' war I was ridin ' for wages for Old Man Shaw then we had a norther hit . Old Man Shaw still owes me money from before the war starting . neutral +In 1889 , two million visitors paid 5 francs a head to climb to the top and it has bewitched the world ever since . Two million visitors went there in 1889 . entailment +1995 BLS data recently made available . They made the 2016 data available . contradictory +We 've queried departments to calculate which professors practice Pilates or ride unicycles . It turns out that professors prefer Pilates over riding unicycles . neutral +and uh very much very much because i i spent thirteen years there I spent 13 years in prison for a crime I didn 't commit . neutral +She died when I was quite a little child . I got lonely when she passed away . neutral +Sir James 's long association with the law would make it undesirable . Sir James was too close to the law for it to be easy . entailment +Passengers on the 11.15 train to Little Stop , Salmon Square are reminded that we are entering a Dinosaur-Infested zone . The train was going to London . contradictory +But they don 't change the obsession idea-mongers and contemporary media have with polling . Contemporary media has an obsession with polling because the public likes to read polls . neutral +If he goes bananas because the kids are laughing too loud , and your 4-year-old is suggesting shipping him off , you have a real problem , one for which Prudie doubts that parking Dad at a Holiday Inn is the answer . Prudie does not believe that putting Dad up at a Holiday Inn is the solution . entailment +Its impeachment cover package also chronicles last week 's furor and lists the undecideds . Its impeachment cover package is deemed great work by readers . neutral +He took a deep breath : He inhaled deeply . entailment +Despite uprisings such as that of the Ciompi ( wool-workers ) , the resilient Florentines were well-fed and highly literate compared to the rest of the country . Woolworkers were no match for the Florentines . neutral +Tommy fell in with this demand in so far as he gave him a guarded version of the disappearance of Jane Finn , and of the possibility of her having been mixed up unawares in " some political show . " He alluded to Tuppence and himself as " private inquiry agents " commissioned to find her , and added that they would therefore be glad of any details Mr. Hersheimmer could give them . Tommy told the full story of Finn . contradictory +Oui , oui , je sais bien . No , I 've never heard of it . contradictory +An ' mustangers ain 't above throwin ' a sticky loop when they see a hoss worth it . Mustangers are horse enthusiasts . entailment +it 's it 's very different i 'm i i was actually very amazed when i sort of figured this out for myself that everything i grew up with really wasn 't Israeli it was more Jewish you know I was amazed that everything I grew up with wasn 't Israeli it was more Satanic you know like Israel works for the Luciferian agenda man . contradictory +The Louvre 's official Web site ( & lt ; www.louvre.fr & gt ; ) offers virtual tours that can help you choose the most important galleries for you to visit . The Louvre doesn 't have an official web site . contradictory +Her gaze shifted between the two men but she did not move . She was looking down at her phone and did not notice the men near her . contradictory +Roy herself was predictably modest about The God ' s success--not the best novel , the luckiest , she said . Roy called The God 's Success her best novel . contradictory +From 1320 , until it was closed by Henry VIII , St. Patrick 's was the seat of Ireland 's first university . Henry VIII shut down the university because of rampant cheating . neutral +Democratic donor Nathan Landow , accused of trying to silence Willey 's testimony against Clinton , may in fact have been the target of Willey 's romantic advances--an easy mark for a calculating gold digger . Nathan Landow may have been the victim of Willey 's romantic advances . entailment +but others have and they 're setting themselves up for uh more lawsuits i think than uh I think others will soon be utilizing lawyers . entailment +Remember the person who first decided to go to law school , think about that young excited lawyer starting his / her first job , remember the neophyte attorney newly admitted to the practice of law who was excited , scared and enthralled about the future . New lawyers are thrilled to get their first case , and will do anything to make sure they don 't lose . neutral +More up-to-date , the Tourist Information Office can organize a visit to the set of a Mumbai film studio if you would like to watch one of their huge , romantic productions in progress . A trip to the set of a film studio in Mumbai can be arranged by the Tourist Information Office . entailment +For a wonderful view of the whole town , take the road up to Bonnie View Hotel , which is set on a hill just to the south . Hills provide a great vantage point for viewing the town . neutral +yeah that 's for sure yep that 's true on that same lake there 's another portion of it that 's uh real uh carved out the the the shoreline shoreline is uh up against rock and it 's it 's pretty far cliff i 'd say shirt or forty feet worth and the campsites are up top and then you go down and there 's a little path where the little rail road ties again will try to stop the erosion on the path and little stair steps all the way down to this beach There isn 't much of a shoreline there . contradictory +Railway buffs will surely enjoy the display of the country 's early steam engines at the open air Rail Transport Museum . You can find early steam engines at the open air Rail Transport Museum . entailment +Now I 'm out of the way , they 'll impose upon her . " I wanted to inconvenience her . neutral +you know i 've i 've so i my my parents are in their late sixties now and um so many of the people that live around them are unable to do those things for themselves anymore My parents are not quite 60 yet . contradictory +Each day together ( it 's been about 8 months now ) has been wonderful and a many-splendored thing . We have only spent a few weeks together . contradictory +When I was in France , said Tommy reminiscently , " whenever my batman failed to call me , he always said that he had come over queer . Tommy had been in France before . entailment +Experience the formation of the continental plates and the development of different climatic regions , then explore the complex and dynamic interactions that make our planet work . Experience the formation of continental plates and different climatic regions before you explore the interactions that make our planet work . entailment +you know and he goes yeah i just came up here to work and i go oh you did i bet you make uh very good money up here he goes yeah i make a lot a lot of money he goes you know and uh in the movie Good Fellas We had a conversation about work and money . entailment +Zucker remembered the elation he felt in law school , when he helped resolve a landlord-tenant dispute while volunteering at a legal aid program . Zucker went to medical school . contradictory +yeah oh is that five minutes is that Oh , is that five minutes ? entailment +The plaster ceilings here date from 1678 and depict angels carrying the symbols of royal crown , scepter , sword , and wreath of laurel leaves . The ceilings were plane with no adornments . contradictory +No new elder had yet been selected but everyone expected the blacksmith Grado to take the seat . No one thought Grado would be chosen . contradictory +Patient 's age , income , and insurance status significantly influenced both sensitivity and specificity . It was discovered that patient 's age did not affect sensitivity or specificity . contradictory +High and Mighty : A Low Blow The Low and Weak contradictory +Let 's have a what do you call it in book-keeping ? " In book-keeping , what do you call it ? entailment +Fannie Mae sports television ads depicting young couples , plucky immigrants , and others being helped by Fannie Mae . In addition to showing fashionable models , Fannie Mae television ads also show couples , immigrants , and people being helped by Fannie Mae . neutral +That 's what I want , said the girl wistfully . I wouldn 't like that to happen , said the girl . contradictory +In addition to being Marie-Antoinette 's last home , the palace was a favorite of Napoleon III and his wife Eug ? ? nie , whose extravagant memorabilia constitute the Mus ? ? e du Second-Empire . Napoleon III made more changes to the interior than Marie-Antoinette did . neutral +so that uh you get some the color doesn 't really matter for because you have that light The color really does matter because you have no light . contradictory +capacity of the system to meet the civil legal needs of low-income people throughout the state without altering service areas or historical relationships . The needs of low-income people should be ignored because meeting them would damage historical relationships . contradictory +yeah how 's he doing this year Is he doing as well as he did last year ? neutral +But the life of an ascetic and the wisdom of Hindu teachers did not satisfy his quest . He was wholly content with his asceticism and the wisdom offered by the Hindu teachers . contradictory +The Republican attack machine is gearing up , Reich writes , and I 'm one of the targets . The Republicans are winding down their attacks , and Reich does not expect to be targeted . contradictory +better than ju st sitting in jail all day not doing anything but but yeah i agree with your point it Putting prisoners to work is better than sitting in jail for them and the community . neutral +Our second objective was to identify the initial implementation approaches these agencies have taken to manage senior executive performance that may be helpful to other agencies as they implement OPM 's amended regulations governing senior executive performance management systems . Our second objective was to identify the implementation approaches that the agencies find to inhibit their perormance .. contradictory +and if you can 't if you can 't i think they should get out of it instead of mistreating the people I think they should stick it out . contradictory +Nearby at Ferris Croseis Paradise Park , a working cattle ranch where many scenes from the film Papillon ( starring Steve McQueen and Dustin Hoffman ) were shot . McQueen and Hoffman hated their time at the Park . neutral +To the north is the site of Avdat , a second / third-century b.c. Avdat lies to the north of the site . entailment +Kevin 's Kitchen , and the roofless cathedral . The cathedral has no roof because it sustained damage from a tornado . neutral +CHAPTER 7 : RESEARCH The seventh chapter is about climate research . neutral +it 's it 's sad i mean and they do it to dogs this is a sad medical procedure , but they carry it out on shelter dogs neutral +Did I mention that in the second season , Buchanan travels back in time to kill Lincoln even deader ? Buchanan invented time travel to kill Lincoln . neutral +what was that ? Who is that ? contradictory +9 percent of First-Class Mail . No % of 1st class mail contradictory +Tommy 's taxi came to rest at the departure platform just after Whittington 's . Tommy 's taxi stopped at the departure platform . entailment +King Alfonso XIII , who linked the 19th and 20th centuries , inaugurated the Madrid Metro ( underground railway ) and University City . King Alfonso XIII inaugurated the metro and University City . entailment +It makes one nostalgic for the fear of LSD in the water , fluoride in the water , and saltpeter in the cafeteria food , presumably to create a docile population of human slaves with excellent teeth who keep hallucinating that they 're uninterested in sex . People use to be afraid that their was LSD in their water . entailment +What really struck me in Skidelsky 's account , however , was the extent to which conventional opinion in the 1920s viewed high unemployment as a good thing , a sign that excesses were being corrected and discipline restored--so that even a successful attempt to reflate the economy would be a mistake . That view suggested unemployment as a sign that excesses were being corrected and discipline restored , even though it 's always a bad thing nowadays . neutral +It 's too bad he 's squeamish . The sight of blood made him squeamish . neutral +uh-huh yeah i have a i had a friend in college from Strasbourg My college friend lives in a zoo . contradictory +yeah compared to some of the other ones and you don 't have an annual fee there and that helps Many of the other ones have a high annual fee . neutral +It was important to show strength . It is important to show you are strong so women are more attracted to you . neutral +Can David Plotz ( and everyone at Slate ) please refrain from speaking on behalf of History ? People from Slate are not a good voice to have on subjects . neutral +The cable companies are facing some increased competition from direct-broadcast satellite providers , but they have maintained their grip . The cable companies have more competition from satellites , who have cheaper prices . neutral +He found Don Cazar , Bartolomé , and Hilario Trinfan waiting for him by the corral . Don Cazar , Bartolomé , and Hilario Trinfan had been wondering what was taking him so long to return . neutral +In fact , some Angelenos refer to the county as being behind the orange curtain , due to its substantially more conservative lifestyle . The Angelenos are generally unaware of any aspect of their social identity , and thus never comment on the matter . contradictory +The 1 ) Serbs welcomed Jews into their anti-Nazi guerilla groups The serbians welcomed Jews into their anti nazi groups . entailment +Originally situated near present-day Kyoto , the shrine was moved here in 478 . The shrine was moved to a more populated area . neutral +but uh i grew up with country and western but uh just about any kind of music i even like classical music Growing up I listened to country and western , but I like any music , even classical . entailment +Unless he could find one among them who was either a mandrake-man housing a soul or one of the few reanimates who seemed almost fully human , he 'd get little information . He had little chance of finding someone to give him information . neutral +His hometown was Ornans . His hometown was Ornans . entailment +the military version attack weapons or something The military kind of assault weapons or something . entailment +Charlotte and the nation have come far , and we can hope that integration may someday endure without a conscious effort to preserve it . We don 't want integration to survive without a conscious effort . contradictory +eight is the average wow Having eight be the average is a good thing . neutral +For example , to meet IRS 's performance expectation for senior executives to address customer satisfaction by continuously improving products and services , a senior executive responsible for submission processing and taxpayer assistance had a performance expectation in her fiscal year 2001 individual performance plan to develop a communication plan . The IRS 's expectation is that senior executives would address customer satisfaction every day . neutral +An appropriation usually follows enactment of authorizing legislation . Agencies find it easier to appropriate once the proper legal framework is in place . neutral +i 've been trying to eat correctly also I 've been trying to have better eating habits . entailment +He wanted to give the right answer . He didn 't care about what came out of his mouth . contradictory +The realignment also gives us a great opportunity to comprehensively focus on how to make our processes work better to serve our staff and our clients , and how we can broaden and retool our products to make them as useful as possible to the Congress in the years ahead . This realignment is a very rare opportunity for us , and we must make the most of it . neutral +Policies were mandatory , high-level requirements that , with rare exception , had to be followed . Policies had to been followed and were high-level requirements . entailment +Such relationships symbolize the importance of information technology and management within their organizations . These relationships fail to appreciate the importance of information technology and management to these organizations . contradictory +Now then sit on the bed . Crawl under the bed . contradictory +Usually , a separate amount for administrative expenses is also appropriated to the program account . Administrative expenses are placed in the program account . entailment +Dunleavy , John , Hjelm , Elizabeth , Johansson , Henry , and Walther , Thomas . More than five people altogether . entailment +Their bid and ask prices are quoted on securities exchange markets . You can only find the bid price on the exchange markets . contradictory +Still , it is bad news that maternal bonding begins with hormones at birth . It 's unfortunate that a baby bonds with the mother as a result of hormones at birth . entailment +Visitors may initially be drawn to the 88-story Petronas Twin Towers or the KL Communications Tower , which are potent symbols of modern Kuala Lumpur . The KL in the KL Communications Tower stands for Kuala Lumpur . neutral +Ca 'daan doesn 't really understand yet . Ca 'daan cannot comprehend this truth yet . entailment +( Listen to an interview with Kidder about how he decided to write this book . Kidder has never been interviewed . contradictory +Bubble lifts whisk you up through a fiberglass and Teflon cloud , held by steel cables that stretch from one wall to the other , but the ride to the top is expensive and the view not much more striking than from the terrace . The ride to the top is worth it as the views are far better from the top . contradictory +Among the most notable are three Rodin bronzes in its cloister , and works by Perugino , Veronese , El Greco , Rubens , Courbet , Manet , and Matisse . The most important are the three Rodin bronzes . entailment +i think i think that has helped a little bit i don 't know I think that has had no effect at all . contradictory +There are plenty of ducks , moorhens , and swans and the canal is spanned by the very distinctive curves of the 18th-century bridges . Many birds can bee seen near the 18th-century bridges spanning the canal . entailment +yeah huh for well the major problem with that is the jails are overcrowded Overcrowded jails are a problem because we don 't have the resources to handle them . neutral +One important check against any abuse of power by Beijing toward Hong Kong is international attention . Beijing treats Hong Kong very well . contradictory +By abandoning macroeconomics the profession not only leaves the world without guidance it desperately needs Abandoning macroeconomics leaves the world without a necessary guidance , said the economist . neutral +oh when i first got her i mean Sheba was just a little tiny thing got her at ten weeks and and Kitty Cat took it upon herself to train her and she and Kitty Cat would jump all over her and beat her up and all you 'll hear is Sheba you know all the time well now she 's bigger than Kitty Cat and she 's giving Kitty Cat some payback We didn 't get Sheba until she was a year old . contradictory +I wore baggy clothes and coats closer to cloaks . I wore a swimsuit . contradictory +Whatever it was , at least we can delight in the fact that Abe Rosenthal didn 't write it . Abe Rosenthal certainly wrote that piece . contradictory +They revived a corpse and found he was unkillable from then on . Reviving a corpse allows them to cheat all manner of death . neutral +Alison Moore indicated that these differences can also influence how researchers and clinicians tailor interventions to apply to people with different cultural attributes . Alison Moore indicated that these differences were of no importance to different cultural attributes . contradictory +and they 're they 're just a few in the country that even have this type of training but just keeping up on the basics i guess are things that we could continue to do but um This type of training has been done by very few in the country . entailment +He was beginning to see the amusing side of this conference . The conference had a side that was beginning to amuse him . entailment +nobody actually wants to make the hard decisions have to do is basically what we 're doing now is pick some of the moderate uh Arabs or The tough decisions are rarely made by those who want to make them . entailment +Finally , at the end of a long day , take the cable car to the top of Mt . Inasa , 332 m ( 1,089 ft ) high , for a dramatic sunset view of Nagasaki and its harbor as city lights begin to sparkle . Mt Inasa limits the amount of sunlight Nagasaki gets . neutral +GAO 's recommendation follow-up process is discussed in detail in the Follow-up on GAO Recommendations section of this document . GAO 's follow up procedure is complex . neutral +In Beit Sahour , the eastern side of Bethlehem , you 'll find Greek Orthodox and Roman Catholic sites commemorating the Shepherd 's Field , where it is believed the Star of Bethlehem was first seen by Bethlehemites tending their sheep . Shepherd 's Field isn 't in Bethlehem contradictory +Hong Kong Life is published by the Hong Kong Standard on Sunday , and the South China Morning Post has an entertainment section on Friday . There are no publications regarding Hong Kong . contradictory +Travel south from Chios Town to reach the mastic groves . The mastic groves are south of Chios Town . entailment +Indeed , we make these complaints ourselves . We make this complaints in conjunction with a lot of different groups . contradictory +In most cases , that $ 1,500 benefit accrues not to the Lojack owner , but to strangers . The $ 1,500 is dispersed in 3 equal payments . neutral +think that we have gotten into much too legalistic of society and that we we spend far too much on the fine points of the law and far too little on achieving justice If we spent more time on achieving justice , it would have a better impact on society . neutral +is it 's not a lot of the firms that offer mortgage mortgage loan firms aren 't offering um that loan Mortgage loans are not made available by any firms . contradictory +That figures translates into 2 million people without the ability to access the justice system , according to a new study by the California Commission on Access to Justice , which also found that despite increased spending , the gap between need and services remains substantial . It is clear that everyone has equal access to the justice system . contradictory +The two men moved apart to opposite sides of the woman . The men went to either side of the lady . entailment +The Society for the Protection of Nature in Israel ( SPNI ) offers environmental hiking tours nationwide in dramatic settings such as the Samaria Desert , Wadi Qelt , the Dead Sea , Galilee and the Golan , and around Eilat . Samaria Desert promises an arduous trekking experience , but rewards with a magnificent scenery throughout the journey . neutral +From an enforcement perspective , the SEC has certain civil enforcement powers that it can use to address violations of the nation 's securities laws . The SEC has caught and provided sanctions to 10 companies for violating several laws . neutral +Not far from the spa town of Noboribetsu is Shiraoi , a well-reconstructed Ainu village complete with artisans demonstrating traditional arts and crafts . The spa town of Noboribetsu is located close to Shiraoi . entailment +A general air of glee permeated all . Everything felt happy . entailment +User awareness is essential to successfully implementing information security policies and ensuring that related controls are working properly . User awareness of a healthcare team in handling medical records is essential to successfully implementing HIPPA information security policies and ensuring that related controls are working properly . neutral +I forgot you had a prejudice against it . I already knew that you always supported it . contradictory +While in the recent past efforts were made to eliminate many of these attractions , the actual result was that most of the more seedy or disreputable businesses have disappeared while those operating within the law have flourished . The honest and law abiding businesses have remained strong even as less reputable ones have been weeded out . entailment +The filmmakers reverse the trajectory ( and the actual chronology of Kaufman 's career ) , so that he seems to achieve a magical synthesis of warmth and aggression--and then gets cut down at his prime . The character was the protagonist . neutral +Not breaking , Drew corrected , " training . Drew insisted to break not train . contradictory +Tina and the Weinsteins all have highbrow pretensions but feel no shame in embracing pop culture . The Weinsteins and Tina are too pretentious to embrace pop culture . contradictory +Warm was completely used to such behavior and with his head raised high , as well as with certain effort , he left the office sideways , followed by his colleagues ' jokes . Warm 's office was located on the second floor of the building . neutral +If you cannot be bothered looking for discounts , you will find several good-quality modern shopping centers in KL on and around Jalan Bukit Bintang , near the bigger tourist hotels . The modern shopping centers in KL are extremely expensive . contradictory +and uh do you know any of the characters Do you know who plays the mother ? neutral +yeah that that 's that 's so true i mean they say well you voice your opinion uh uh uh on election day Voting is supposed to be our voice . neutral +Auditors may include such information in their audit report or may prepare a separate report . Auditors can show things in their audit report or something otherwise . entailment +A 'Deem left his booth to the boy with a strong threat and whispered to the mercenary who walked the lane . A 'Deem walked away from his booth . entailment +Table 4.2 : Change in Government and National Saving Resulting Refer to Table 4.2 for Change in Government and National Saving Resulting . neutral +was it snowing snowing It wasn 't snowing . contradictory +Who does your transcribing ? Do you get your files transcribed ? neutral +The choice of a discount rate , and its associated conceptual basis , is a topic of ongoing discussion within the federal government . The government has been unaware of the discount rate . contradictory +The act requires agencies to develop annual performance plans that OMB uses to prepare a federal performance plan that is submitted to the Congress along with the Presidentas annual budget submission . The OMB is not required to submit any plans to the Congress . contradictory +And third , in the issue it published the following Monday , Newsweek included the full excerpt--which is where Brill found the out-of-context quote he claims Newsweek ignored . Newsweek included the whole thing , even though it couldn 't be verified . neutral +Come on down ! Come over and see what we have to offer . neutral +Yung Shue Wan is still a very British residential enclave , with many nice pubs . Yung Shue Wan has absolutely no pubs . contradictory +Let 's call Paxon 's bluff and see if he stays close to home to nurture Suby or takes another demanding job . Paxon is true to his word . contradictory +Given your ... behaviour ... I thought I should ask if you feel at all ... strange ? ' You calm demeanor shows that you seem to be feeling quite well . contradictory +well we 're supposed to get rain but no snow We would 've preferred to see snow instead of rain . neutral +It seemed as though Tommy 's persistent assurance was at last conquering . Tommy 's anxious worrying was starting to bring the mood down . contradictory +It is holy to not merely one religion but to the three great Western monotheistic Judaism , Christianity , and Islam . it is considered unholy to Western monotheistic Judaism , Christianity , and Islam . contradictory +'Soon enough , you 'll be swallowed up by us whether you like it or not . ' We will invade your town . neutral +well they i think yeah i think Milwaukee got lucky because Magic Johnson sat out that game Magic Johnson played an amazing game against Milwaukee . contradictory +Since the new quality-of-life drugs can have adverse health effects , the drugs need to come through physicians . The side effects of quality-of-life drugs are typically mild . neutral +In 1989 , the big three TV network newscasts aired 518 stories about the issue . The three TV network newscasts talked about the issue for several months . neutral +A sidebar breaks news that Clinton donor Nathan Landow chartered a plane to fly Willey to his estate . The news says Landow flew Willey to come talk with him about Clinton . neutral +Changes of nationality have left Alsace with a distinctive dialect , architecture , cuisine , and local pride ' the best of both worlds . Alsace has experienced only one nationality . contradictory +When the US refused to annex Hawaii , and instead demanded the reinstitution of the Queen , the sugar industry simply declared Hawaii a Republic , with Sanford B. Dole its president . The US agreed to annex Hawaii . contradictory +Collected together in the southeastern reaches of the Aegean Sea are the Dodecanese islands . They were together in the southern part of the Aegean Sea where there was a lot of trade . neutral +He had nothing to lose . He had not a thing to lose . entailment +For a perfect introduction to Eilat 's sub-aqua delights , visit Coral World , a fascinating complex with large tanks holding native sharks , rays , and turtles , as well as aquaria of incredibly coloured , bizarrely shaped denizens of the deep . Coral World has the largest aquarium in the country . neutral +As part of its first agencywide strategic planning effort , FEMA comprehensively reviewed its programs and structures and initiated a major reorganization in November 1993 . FEMA couldn 't find a way to reorganize their programs . contradictory +yeah well i 'm not much of a basketball fan either Basketball is stupid , just like all other sports . neutral +Data are used to fill in the initial hunches , to change them , to elaborate on them . Data allows for simulations that elucidate the accuracy or inaccuracy of hunches . neutral +yeah out here in the real world it 's all the same Here in the real world its the same . entailment +We conversed on the war , and other outside topics . For a change , we talked about current events and the war effort and the church fete . entailment +My father was English , said Mrs. Cavendish , " but my mother was a Russian . " " My mother was Russian and my father English , " said Mrs. Cavendish . entailment +Cap in , powder in , plug in , ball in , seal it in , ram it down . There were a set of instructions to follow . entailment +Of Hong Kong 's population , 98 percent are Chinese . 98 % perfect of Hong Kong 's population are Chinese . entailment +Functions Retrospective cumulation allows generalization without cost and time of conducting numerous new case studies Functions Retrospective cumulation is the most efficient process to achieve generalization . neutral +Scholars have suggested that the alignments are associated with cults of the sun or moon , or are astronomical arrangements for predicting such phenomena as eclipses . In the past , eclipses were predicted by such astronomical arrangements . neutral +The other electric utility projects that boilermakers work on include such projects as routine maintenance at operating plants and new plant construction , which account for approximately 13,500,000 man-hours of Boilermakers only work on steel fabrications and have no other projects to work on . contradictory +Lowell Weicker , whose name was circulated as a possible Reform Party nominee . The Reform Party is not in any way connected to Lowell Weicker . contradictory +Las Vegas is a sporting city . Las Vegas is a city . entailment +However , comments on the statutory provisions were solicited from the public by publication in the Federal Register on June 26 , 1997 ( 62 Fed . Comments on the provisions were collected from the public . entailment +The analysis concludes that the 20-year industry costs are estimated to be $ 969 to $ 1,156 million and the 20-year cost to the government to be $ 56 . The analysis says the 20-year industry costs are about $ 1 billion . entailment +Because many different packages are available , and because more than one can be used , auditors should determine what models , if any , are used in their agencies . There are dozens of packages that are all unique . neutral +Where everybody sneezes once or twice , I always sneeze at least five or six times--sometimes more . I always sneeze a lot of times in a row because I have allergies . neutral +38 For example , readers may not understand that the current dollar estimates provided reflect today 's price level , not the price level that will exist when they actually start to receive benefits . Benefits may actually be different based on a variety of economic factors . entailment +And it was Ian Willmut , whose work opened the door to human cloning , who most forcefully denounced that prospect at Senate hearings held last spring . Ian Willmut denounced human cloning at Senate hearings . entailment +yeah i try i i really do i just try to stay out of debt and i and i use my Visa for for as much as i can and i pay it all off and I really try to stay out of debt . entailment +Its healthy-living philosophy offers home-made organic foods plus a wholesome diet of massage , yoga , and specialist exercise classes . The healthy living philosophy includes organic foods , massage , and yoga . entailment +The revolver was wrenched from his hand , and the voice of Julius Hersheimmer said drawlingly : " I guess you 're caught redhanded with the goods upon you . " The blood rushed to the K.C. ' s face , but his self-control was marvellous , as he looked from one to the other of his two captors . They gave the gun to him . contradictory +lots of lots of lots of luck on the job market a large amount of luck on the job market . entailment +He has been looking into the 1996 campaign-finance scandals . He has been reasearching CLinton 's campaign finance scandals . neutral +He thanked and bowed until the northerner held him up . He thanked and bowed until the helpful northerner held him up . neutral +uh and set the agenda and yeah well you know the Republicans Republicans have always been weak on on the domestic side they 're they 're very big on international stuff but domestically they they just say well it 'll take care of itself The Republicans care a lot about international things , but not so much on the domestic side . entailment +If anything , their book only makes things worse , says Orville Schell in the New York Times : Bernstein and Munro have unrepentantly plunged harpoons into the tenderest interstices of the Chinese-American relationship . Their book has only served to make the Chinese-American relationship worse . entailment +He was frightened . He was scared of riding a horse . neutral +As soon as practical thereafter , the VP for Programs shall advise the DSPB of the service area configuration recommendation to be forwarded to the LSC President . The VP for Programs does not need to advise the DSPB about anything contradictory +The 800-page biography puts forth no new theories on the poet or on his times as it retells the juicy bits of his life . The biography is short , with only 100 pages . contradictory +I was a joke . Nothing about me was serious . entailment +And just like that Olek sold the company , the name and all rights to a big make-up corporation , and made a killing on the deal . Olek kept the company running . contradictory +Let the cost be what it may . " And with these words , she walked firmly out of the room . She would solve the mystery no matter what the price was . neutral +She works in the Red Cross Hospital at Tadminster , seven miles away . " As he spoke the last words , we drew up in front of the fine old house . She doesn 't work for the red cross . contradictory +Noble Nobels ? Nobels have been noble through their actions . neutral +yeah and what happened is he his he had a business and they and they bought a lot of cars a lot of the same kind of cars what ended up he eventually had his own private junkyard which is terrible to look at very illegal but it was very cheap for us to run our cars because pretty much everyone in the family and there 's seven of us kids He was arrested for running a very illegal junkyard . neutral +Yet , as Wood--a historian of early America--shows in his essay , it 's also a question we 've been asking since the colonial era , fitting the answer to the needs of the moment . Wood is illiterate and has never written . contradictory +same same thing The same car . neutral +The roguish image of the city 's present might make it easy to forget the city 's glorious past . It may be easy to forget the city 's celebrated history because of the current day shady image . entailment +you know so uh i don 't lose any sleep sleep over stuff like that Stuff like that isn 't a problem . neutral +Holy Smokes ! I wouldn 't go five steps to look at acrobats . Goodness ! I wouldn 't go near to see the acrobats . entailment +The result was the same but the man 's attitude was almost apologetic . The man was responsible for what was happening . neutral +( The event is repeated on 14 15 August . ) The event is held again on the 14-15 of August . entailment +With the possible exception of Tel Aviv , Israel is not known for its Mediterranean beaches , yet between the Gaza Strip in the south and Rosh Hanikra in the north there are 190 km ( 118 miles ) of good sandy coastline . Israel has long stretches of sandy coastline which are not well known . entailment +It was nearer his own than any Dave had heard on this world . The voice sounded more like his own than any other Dave had heard . neutral +One possibility is that studies report different estimates of the single true relationship between a given pollutant and a health effect due to differences in study design , random chance , or other factors . The reports are perfect . contradictory +A casual interest tightened into open appreciation as he stepped from under the porch-overhang into the street . He did not have any interest whatsoever . contradictory +The hills surrounding the city did much to contain the subsequent atomic fallout . The hills shielded the city from some radioactivity after the nuclear explosion . entailment +well you know speaking of public TV have you caught any of this series on the Bible Have you watched any of the Bible series ? entailment +Cubans crave live music , and with the surge in international popularity of traditional Cuban music so do most visitors to Cuba . Concerts in Cuba often have multiple bands playing on stage simultaneously . neutral +it 's a an Italian film about uh this guy who uh who from when he was a little kid like ten years old It 's an Italian movie about that guy that started when he was like 10 years old and it was a great movie . neutral +Tuppence took it and scrutinized it carefully . Tuppence thoroughly examined it . entailment +What I 'd love to see is this [ alternative bar exam ] in conjunction with an increase in legal work for the poor at law school clinics . It would be interesting to see the alternative bar exam in conjunction with legal work . entailment +GAO also extended invitations to chairs and ranking minority members of relevant Congressional committees . GAO did not extend any invitations . contradictory +It was a gentle dig at his Arcturian homeland , which was smaller than most planets . They had a dig at his homeland . entailment +The quality of both is excellent and considered the best in Greece . All of the people in Greece think they are both poor quality . contradictory +The newsweeklies slam the Clinton administration 's Kosovo policy . Clinton 's Kosovo policy has been heavily criticized . entailment +In Skoptland I came in seventh , but ahead of even Peter King himself . I did not finish last in Skoptland . entailment +they even had somebody portraying Ed Sullivan and it was very very funny i think it was the funniest part of the of that movie I thought the guy playing Ed Sullivan was really funny . entailment +well i like Mike Ditka I like former Bears ' head coach Mike Ditka . entailment +Others sent their daughters to the harem or their sons to serve as officers in the imperial army . Their sons were sent to serve in the army while their daughters were sent to harem . entailment +PERFORMANCE AUDITS Seeing how employees perform . neutral +because i was uh you know it 's like when when you go buy fish you know like well like i buy like the fish that you can do in the microwave you know the breaded fish and you know i 've seen you know the filet I prefer to cook breaded fish in an oven . neutral +It encloses the famous Golden Gate ( Alt ? ? nkap ? ? ) , the grand triumphal arch of the Byzantine emperors , which existed before the walls were built and was incorporated into them . The golden arch predates the walls by a century . neutral +Commercial channels pour programs down from the heavens that match or surpass the products of the public broadcasters , who are too cowed to produce anything as homo-proud as the new Ellen , as racy as Brooklyn South , or as culturally subversive as The Larry Sanders Show . I ask you , what PBS newsman out-wings the liberal Peter Jennings ? Public channels are limited in their content by politics and can 't keep up with commercial broadcasting . neutral +and i think that 's a you know we really ought to take a long hard look at at the system and and see if there 's a way to improve it not just say that 's the way it is or it 's been that way for two hundred years I think we should not bother trying to change the system , since it is permanent . contradictory +They say top decision-makers will be too far from the individuals and non-profit agencies that rely on the office for help . Individuals and top decision makers will be too far apart . entailment +The site is a microcosm of Jerusalem 's the lowest level of the pool dates from Hasmonean times , the Romans subsequently built a pagan shrine here , the Byzantines built a large church to commemorate Jesus 's miracle , and the Crusaders constructed a chapel all swept away over the centuries . The site is an important feature in Jerusalem 's pools . entailment +There was only one , small problem of a rather human nature - Przyrobacki didn 't know Lotafrankish , von Mount didn 't know Polish , and neither one could speak a word of English . Neither of the scientists could speak English well enough to communicate . neutral +International mail as a whole produced a contribution of $ 375 million . International mail contributed a $ 375 million as a whole . entailment +year you know the people have a right to know except about what it about what concerns them You never know what will happen . contradictory +Who do you mean ? Conrad gave vent to another oath . Conrad didn 't vent out another oath . contradictory +yeah now we 've used a hair dryer before We 've used a hair dryer to dry our clothes before . neutral +The name ( Behold the Man ) echoes the words of the Roman prefect Pontius Pilate . We know with certainty what Pontius Pilate said . neutral +Just as he expected , the reaction was spontaneous , euphoric and unequivocally positive . He expected the reaction to be spontaneous . entailment +and that 's that 's pretty interesting That isn 't interesting , it 's boring . contradictory +The cathedral 's interior is a vast and noble space divided by 52 columns , showing its North European influence in the soaring columns and a decoration of stained-glass windows , from the 15th century to the present day . The interior of the cathedral shows Middle-Eastern influence . contradictory +What is the matter ? What 's wrong ? entailment +you know what do these people think they were getting into when they joined the military These folks may have just been planning on a free way to get through college . neutral +The regulation that codifies uniform acquisition A regulation failed to codify uniform acquisition . contradictory +I think I used to live in a twenty-one B. I might have lived somewhere around 21-B or 22-B about 20 years ago , but my mind doesn 't recall quite if that 's correct . neutral +One of the goals of the Substance Abuse Interest Group of SAEM was to authorize a substance abuse category for abstracts and sessions at the annual meeting . There were some goals set by the SAEM group . entailment +Moreover , even though the Vice President and his counsel acknowledge our authority to access cost information , they have not provided us the remaining cost information and explanations requested . The Vice President and his counsel consider it a better idea to wait until they give them the information . neutral +The weather grew cool enough that they didn 't have to stop in the afternoon . It was too hot to be outside . contradictory +the tester meows as he drops the vermin on the developer 's doorstep . This is the first time the tester has successfully caught any vermin . neutral +well you know TI you know TI offers some good stuff and then i think there 's i mean i think there 's some negatives but there 's going to be some negatives anywhere you know no matter where you go i have you know all this is the first really large company i 've worked for i 've always been involved in little small you know individual privately owned owned firms and so i 've never had the the big benefit package so i really don 't know how to compare it to other big companies you know it when i came on it was great see because i had never had anything even close to what what they offered so i 've been real pleased I looked at the benefit package of this large company and thought it was wonderful . neutral +who who else do they got on that team now i Who else has joined the tea recently . neutral +He died here in 1936 : Melancholy gardens of dark laurel and cypresses lead up to a hilltop mausoleum of the writer 's sarcophagus flanked by those of his disciples . The dark laurel and cypress trees add to the melancholy mood of the mausoleum . neutral +so you know you don 't have to be an expert in any aspect of it at all You can still be good , even if you 're an armature . neutral +A UN buffer zone separates the protagonists . The protagonists are two countries with a history of fighting . neutral +yeah i thought maybe one of these days i 'll drive over there and check it out but i 'd like to drive over there soon but it takes such a long time neutral +you know i always intend to just stand on the bank and just kind of slip it out there and While I mean to stand on the bank , it does not always happen . neutral +maybe a pilot or somebody at jeopardy and uh i don 't know i I don 't know if the pilot is employed . neutral +They foster our objective of improving access to justice for clients . They hamper our ability to provide justice to clients . contradictory +Cost of Illness ( COI ) estimates are based on ICD-9 code level ( ICD codes 480-487 ) information . The estimates of the costs of illness is based on the code level information . entailment +There was a wild-rose quality about her face . Her face was pale and distant . contradictory +To improve her mood , Jolanta flew back to Switzerland for another surgery . Jolanta went back to Switzerland for a nose job . neutral +The Scottish arts were in the ascendant , with novelist Sir Walter Scott creating such works as Rob Roy and Ivanhoe and poet Robert Burns composing his epic poetry . The Scots never produced any literature of note . contradictory +my neighbor let 's see is Jewish and he 's going through the i don 't know Jewish League or something and helping a family that 's come over from Russia My neighbor is Muslim . contradictory +It wasn 't all warfare the Indians taught the settlers fishing and weaving techniques still in use today . The Indians taught the settlers to fish . entailment +It 's bad business . The business concerned reselling used weed bongs to druggies . neutral +The sunset reflection of the twin pagodas of Yakushiji in a nearby lake is one of Japan 's most striking and visually poetic images . Many famous photos have been taken of this . neutral +The Bank of New York may have laundered money for the Russian mafia . The Russian mafia washed the money thoroughly . contradictory +The saloon-like doors were swinging , half open . The force of the man 's exit made the saloon-like doors swing back and forth long after he had left . neutral +You 're all off your heads . You are all not making any sense . neutral +From the Nuruosmaniye entrance , stretching towards the Beyazet Gate , is the main street , lined with jewellers ' shops . The main street is lined with little food stalls , while the expensive jewellers ' shops are closer to the heart of the city . contradictory +He was allowed to return to the city in 1330 provided that he remained a monk at Chora , which he did , living out the last years of his life surrounded by the magnificent works of art he had commissioned . He was permitted to come back in 1330 under the condition that he live as a monk at Chora . entailment +we had an existing IRA so we have both of us have some money in an IRA that we 're also trying to figure to put it we 're putting it in CDs right now and then we 're also looking at it in possibly getting a mutual fund We just have a small savings account . contradictory +Taken together , the key steps and practices drawn from the organizations we studied provide a useful framework for federal agencies working to implement GPRA . Federal agencies are working to implement GPRA in nonprofits . neutral +and it it 's uh the kids just had a wonderful time there they you know you just pay that admission and then all the the the rides are free you know they of course they have all the little video games and you know those little quarter rides you know to and stuff like that but they thought that was a lot of fun you can have birthday parties there and The kids really like going there , especially playing on the rides and video games . entailment +The island is surrounded by coral reefs and reef walls , which provide shelter to hundreds of species of sea creatures and recreation to divers and snorkelers . No sea creatures live near the island . contradictory +and i was going to wait until um about my sixth month and then start doing that i did that with the second baby and um i went to my exercise class exercise class one day and then she was delivered the next day My second baby was delivered a day after one of my exercise classes . entailment +Here are some of their quotes . Here are some apples . contradictory +uh to me at least i don 't like to go out by myself but that 's when we do the most talking and you know about things that have taken place during the day and It is scary going alone . neutral +Devising the question calls for the deft and tactful art of the straight man , for playing George Burns to your Gracie Allen . Gay men are needed for making the question . contradictory +8 After 2010 , we assumed discretionary spending would grow at the same rate as GDP . It was expected that GDP and discretionary spending would decrease at the same rate . contradictory +Even that unpleasant task , however , has some precedent . There is no precedent in the unpleasant task . contradictory +Not just the new knowledge . Not only the novel knowledge . entailment +In practice , it 's more complicated . It is more complex in practice . entailment +yeah i i get so tired of you know these you know sequels number nine number ten number fourteen I never tire from the sequels number . contradictory +The commission administers about 3,500 public housing units in the Grand Rapids area , including Creston Plaza . The commission deals with food but not shelter . contradictory +I 'll need a cart and driver though . The carts gotta be sturdy enough for three men and some supplies . neutral +There is a museum devoted to Ledoux 's plans , models , and avant-garde theories ; and seminars are held here on urban and industrial planning . Seminars are held at the museum where Ledoux 's plans and models are displayed . entailment +He bent to the hand cranks . He shifted focus to the hand cranks neutral +The eyes of the villagers filled with both fear and anger . The villagers sat in silence , but you could see anger and fear in their eyes . neutral +McKay 's draft report notes that the effect described in Genesis does not appear to exist in the other four books of the Torah . In a rough draft of his study McKay points out that it is only in Genesis that the consequences are made clear and that it is not mentioned in any other part of the Torah . neutral +He suggested that research in trauma centers and EDs can help alcohol researchers learn more about the interventions they have already developed and can even lead to novel interventions . Novel interventions can be discovered . entailment +The shops at the Book of Kells exhibition and The Viking Adventure carry large , comprehensive collections , and there are a number of shops on Nassau Street that carry affordable reminders of Ireland . There are a lot of shops on Nassau Street that have things like Irish books and paintings . neutral +Large knobs protruded from under his skin along his collar bone and a small ridge lined his forehead . He had knobs along his collar bone and a ridge going across his forehead . entailment +ASSESSMENTS - Enforceable claims for nonexchange revenue for which specific amounts due have been determined and the person from whom the tax or duty is due has been identified . Unenforceable claims are usually due to the death of the tax payer . neutral +Since a number of offices have been closed in the last 20 years , this estimate of 12,000 may not be current . No offices have been closed in the past 20 years . contradictory +Issues in Participant A Text and Reader . issues in individual entailment +if you know what i mean yeah If you know what I mean by that . neutral +Fuck the gravy The gravy was once relevant . neutral +Look for Ghiberti 's bronze shrine below the high altar , as well as his three stained-glass windows on the entrance wall . The shrine below the high altar is made of silver . contradictory +I will introduce you , said Gauve . Guave said he would introduce the man to the townspeople . neutral +There are bars , cocktail lounges , ritzy restaurants , modern hotels , and a vast choice of discotheques and nightclubs . Apart from the churches and homeless shelters , there are no other attractions or accommodations to be found . contradictory +They will never stop looking for her , Jon had said . Jon had said they will stop looking for her . contradictory +Today it is a bustling university town , Tamil Nadu 's second largest after Chennai . Chennai is also a university town . neutral +They say that if you rub it 's burnished snout , and throw a coin in the fountain , your wish for a return trip to Florence will come true . They say the fountain grants no wishes at all , no matter what you do . contradictory +The bomb had less than ten minutes left . The bomb 's timer showed fifty nine minutes . contradictory +Many evaluation questions do not require a high degree of generalizability . All evaluation questions do not require any generalizability degree level . contradictory +Consider the results of another poll , this one from 1964 , in which Louis Harris found that RFK 's presence on a Democratic ticket would gravely hurt the party 's chances in the South and border states , among businessmen , and among fence-sitters in both parties . They wanted to show that they made the right decision . neutral +Ca 'daan nodded . Ca 'daan moved his head up and down . entailment +yeah every year i try and catch that I try to catch that every year . entailment +and they just when your number comes up your number comes up Your number may come up in time . entailment +you need to put that on there seriously That shouldn 't be on there . contradictory +A mother driven mad by caring for a disabled child recovers there . A disabled child has a mother . entailment +As before , many of those charming pups will , in two years , grow up into charmless dogs . The puppies double in size in a couple of years . neutral +In-character stuff . Acting like myself . contradictory +Jon , Adrin , Vrenna , and San 'doro moved south to the line of fallen boulders . They all went 100 feet south . neutral +whether senior managers fostered good working relations among the sponsor , acquisition manager ( program manager ) , other top managers , the technical offices , and the contracting community . Other managers were excluded from the groups senior managers were assessed on their relationships with . contradictory +I The Legal Services Corporation Act of 1974 ( LSC Act ) , 42 U. S. C. a2996 et seq . The act was passed in 1974 . entailment +The ideal measure would also take into account the specific nature of the risk reduction commodity that is provided to individuals , as well as the context in which risk is reduced . There is a need to take into account the specific nature of the risk reduction for this to work . entailment +Has the government not tried hard enough ? The government has tried hard . entailment +i 've got several crepe myrtles that look just awful and uh there are buds coming out all over the place now The falling buds are a sign that the plants are dying . neutral +All other wines had to be shipped to the Americas via a British harbor . Wines could be transported from anywhere without restriction to the Americas . contradictory +The sheet was blank ! The pen ran out of ink so I couldn 't write anything on the sheet . neutral +For centuries , the Loire river was a vital highway between the Atlantic and the heart of France . The Loire is not important at all . contradictory +As the primatologist Frans de Waal has observed , male chimps seem to live in a hierarchical world with replaceable coalition partners and a single permanent power . To the primatologist Frans de Waal , there is a form of power structure among male chimps . entailment +Corporate lawyers received brush-up training from the [ City Bar ] , and a given firm without certain expertise felt free to call on another firm that had it . If the firm didn 't have a certain expertise they did not call another firm . contradictory +Today 's Papers , summarizes the five top U.S. dailies every morning by 7 ET . International Papers does the same for the world press three times a week . Today 's Papers summarizes television shows . contradictory +But your remembrance of the history , the past , the events shepherding you all the way through yesterday toward today- that is important . That is important - your remembrance of the history , the past , the events shepherding you all the way through yesterday toward today . entailment +Elsewhere on the French side of the island , toplessness is optional . The French side of the island allows toplessness . entailment +Well , we 're city folk now , and our foes wear deodorant . In the city , our enemies wear deodorant . entailment +About 1.2 million homes tune in the NewsHour each night , while a combined total of 20 . NewsHour is an evening , print news publication . contradictory +But there wasn 't time to think . I couldn 't think about it before it happened . entailment +and you know like yeah and my mom you know like makes like what we call niokes and and all this stuff that it 's just you know everything like lasagna and everything I love to eat my mom 's Italian cooking . neutral +Injuries in traffic accidents had doubled between 1996 and 1997 . The number of accidents between ' 96 and ' 97 his decreased . contradictory +The costumes are so original and ornate that a fair amount of time is spent at each folklore show explaining them in detail . There is a competition every year to design the most attractive and most original costumes for the show . neutral +uh have my daughter and teach Sunday school and go to school myself so it 's it 's hard for me to It 's difficult because I have many things on my plate , including teaching and going to school . entailment +Kanha is famo us , widely acknowledged as the best place for seeing an Indian tiger in the wild . Kanha is a great experience , but also dangerous due to tigers roaming around with nothing to stop them from attacking you . neutral +The Washington Post called her dress cleavage-coercing and reported that her handler , Susan Carpenter-McMillan , dabbed sweat from Jones ' upper lip and set aside a piece of used chewing gum that Jones handed her . They are very hard to target . contradictory +The utopian prototype , called the Universal Kitchen , is designed for maximum efficiency in cooking and The 400 steps it now takes to prepare a modest dinner in an ordinary kitchen would be reduced to 100 . The Universal Kitchen is supposed to be effective in gardening .. contradictory +Had Bork slipped up--did the Satheri know that Hanson was still alive , and had they sent Ser Perth here to locate him ? The Satheri had seen that Hanson was dead . contradictory +you could not You should not . entailment +We will also make copies available to others on request . We anticipate a greater demand for these copies . neutral +The task was left to Bindusara 's heir Ashoka ( 269 232 b.c. ) , admired by Indians as their greatest ruler , perhaps for his special combination of tough authoritarianism and a high sense of moral righteousness . Ashoka was largely despised by Indians for being weak and morally corrupt . contradictory +well i have an exercise bicycle in my bedroom but it usually 's holding clothes My exercise bicycle is in my basement . contradictory +You 've already eaten today , you don 't need to go risking anything on another meal ... By the time I completed that thought I was already in the street , hood pulled over my head , hunched and skulking toward a snack stand . I risked going into the street for a meal . entailment +The Tomb of Ramses VI ( 9 ) reopened in 2000 after major renovations . Ramses VI 's Tomb was renovated in 2000 . entailment +Estimates of the wealth effect range from 1 to 7 cents , and the typical estimate is about 3 to 4 cents . The wealth is usually between 1 and 7 cents . entailment +If you come to Formentera just for a day , then the best option is car rental ( or scooter / moped ) : although the island is small , it is too large to see all in one day by bicycle . The island of Formentera is too large to see by bicycle in one day . entailment +Agency information includes Inspector General reports , Federal Managers ' Financial Integrity Act reports , Government Performance and Results Act ( GPRA ) plans and reports , Clinger-Cohen Act reports , and Chief Information Officer reports . Agency information includes a full body examination . neutral +Red said , " You 've got to be quiet . Red whsipered , " You have to be near silent so they don 't here you . " neutral +Coming upon the statue at the top of the hill , even though you may have already seen it from a distance , is still an awe-inspiring experience . The statue is more impressive up close than from a distance . entailment +Here you can view models both of the fort and of the types of ships that sailed the Caribbean over the centuries . The ships and fort are modeled in clay for you to see . neutral +But here are two three are here . contradictory +In an effort to provide yet one more thing to bet on , players are imported from Spain to take part in this lightning-fast Basque ball game . The Basque ball game features players imported from Spain . entailment +Most visitors take home a bottle or two of Madeira wine . Most visitors buy some Madeira wine . entailment +he really is a team player He really doesn 't play well with the rest of the team . contradictory +At the other end of the densely wooded Morvan plateau , Autun 's 12th-century Cathedrale Saint-Lazare makes a natural point of comparison with V ? ? zelay 's Basilique Sainte-Madeleine . There is no way one could compare the two . contradictory +the thing that 's holding everything back right now is the economy If it were not for the economy , this country would be in a better place . neutral +and as we were jumping around or doing something i just jumped up and came right down on it I just fell down , we weren 't doing anything . contradictory +Built by the Dominicans , it was the doges ' funeral church with some 25 buried here , many in masterpieces of monumental tombs . Dominicans built the funeral church of the doges . entailment +Surprisingly , in 1997 , 69 percent of the respondents said that they read or look at advertising mail , and 60 percent said that they find it useful or interesting . Nearly all of the respondents were furious about receiving advertising mail . contradictory +The precise location is still disputed , as some say that he landed farther along the coastline . He may have landed elsewhere on the coast , we do not know . entailment +and of course uh then they came to the big city as teenagers and that the time with them wasn 't as much as it was when they were out there in the small Even after moving to the city , we spent just as much family time as before . contradictory +how old are they How young are they ? contradictory +i guess not Maybe we can try again soon . neutral +Finally , with certain restrictions , persons who hold an undivided interest in a crop may be eligible to purchase one insurance policy covering all shares to satisfy linkage requirements , thereby not having to pay the $ 50 processing fee in these situations . The fifty dollar processing fee must be paid in all cases . contradictory +Other participants pointed out that not allowing the CEO to also serve as the chairman of the board of directors does not guarantee that problems will be avoided if the board lacks an independent spirit to question management , citing such examples as Enron , Global Crossing , and WorldCom , all of which had a separate CEO and chairman . Having different people be CEO and a chairman of the board only works half of the time . neutral +Allow enough time to spend at least half a day here , and pack your swimming gear . Going there will take up at least half a day . entailment +3 million for a 30-second spot ) and banal products . They were only charging $ 30 for a minute . contradictory +no but my husband 's mother was in a nursing home My husband 's mother was never in a nursing home . contradictory +I 'm sure that if you asked the same questions , but divided all the amounts by a million , your answers would be very different . You would probably get the same answers , but trying doesn 't hurt . contradictory +Oh , yes , I heard the voices , but I did not hear what they said . A faint spot of colour came into her cheek . I heard the voices but couldn 't understand them . entailment +Dutch and Rembrandt 's cheerful Self-Portrait with a Toque , his beloved Hendrickje Stoffels , also portrayed nude in Bathsheba Bathing ; Van Dyke 's gracious , dignified Charles I of England ; among scores of Rubens ' works , his tender Helena Fourment . Rembrandt painted himself in his Self-Portrait with a Toque . entailment +A fine collection of medieval church artifacts and Celtic carvings can be found on the first floor . There is a collection of artifacts from the Catholic church . neutral +Opposite , and from the same era , is the Examination Hall , where concerts are given occasionally when no examinations are in progress , but is otherwise rarely open to the public ( look through the spy hole in the door ! ) The spy hole on the door is cracked and broken . neutral +Just south of Rose Avenue , Main Street abruptly enters the bohemian community of Venice Beach . Rose Avenue is filled with lovers at any time of the year . neutral +The Constitution requires a vote of at least two-thirds of the Senate to convict and expel a president . A national popular vote is taken to determine if a sitting president will be removed . contradictory +The Kal swung and then pulled back to butt Adrin with the end of his war club 's handle . The Kal didn 't want to injure Adrin , but just control him . neutral +He had no teeth and his eyes were as black as night . The man with black eyes didn 't have any teeth in his mouth . entailment +'I 've got this , uh , project , ' I waved my hands vaguely . I gestured with my arms . entailment +'But- you assigned me-' You told me to . entailment +yeah that that 's true uh i i took uh like i said i took uh couple of semesters at SMU and it at SMU in uh engineering courses but uh it really did conflict too much with uh with my work it 's very difficult uh to maintain a full-time job and try to take uh courses uh in off hours No one can really handle both a job and taking engineering courses at the same time . entailment +Diversity in the Legal Services Community conversations took place throughout 2001 involving groups of program directors , staff , clients , and board members from throughout the legal services community . In 2001 , the Legal Services Community diversified because they care about representation . neutral +it was just too perfect at all times that was a mistake that they made they shouldn 't have done it now the best the supporting actor he was good I think the best supporting actor deserves an award . neutral +The heat was already rising . The rising air was warm . neutral +yes the victim is really seems like left out in the cold more or less doesn 't it in a lot of well especially in things you pick up the paper and you read you know you think oh my goodness The victim was brave to speak out against the injustices they endured . neutral +Far more convincing than Mr. Inglethorp 's stony denials ! " I could not help laughing . I found it slightly funny . neutral +This principle discusses the strategies that leading organizations use to assess their skill bases and attract , recruit , and retain IT professionals . The principal only includes strategies for keeping its IT professionals . contradictory +Given the large volume and complexity of federal payments and historically low recovery rates for certain programs , it is generally most efficient to pay bills and provide benefits properly in the first place . Federal payments are simple and rare . contradictory +At Waterloo . " Arrived half dead at Waterloo . neutral +Compensation for Disability Resulting from Hospitalization , Treatment , Examination , or Vocational Rehabilitation There is compensation for disability when hospitalized . entailment +Franklin did nothing for a while , apparently ignorant of my presence . Franklin knew what I was doing . contradictory +When was that ? Someone asked when that was . entailment +yeah it hurts exactly hurts i hate it It hurts , I hate it entailment +and uh it 's it 's been a real struggle and a hardship for a lot of people in our area that we have you know have been fighting against this thing in trying to have things changed to make them more more right It 's hard for a lot of people around here . entailment +In the spirit of the ongoing pile-on on journalists , I have to argue that journalists are to blame for rock pomposity . Journalists are to blame for their pompous rigidness . entailment +Most wore white coveralls , though two were dressed in simple business suits . Two wore business suits but the majority wore coveralls . entailment +The first politician McCain wants to portray as corrupted is Bush . McCain believes that Bush is an honest , law-abiding person . contradictory +MAGIC results show the distribution of lakes and streams ( by percentage ) over the three ANC classes MAGIC helps people decide where to go fishing and where to build . neutral +Among other things , the rule amends Regulation T to ( 1 ) eliminate restrictions on the ability of broker-dealers to arrange for credit ; ( 2 ) increase the type and number of domestic and foreign securities that may be bought on margin and increase the loan value of some securities that already are marginable ; ( 3 ) delete Board rules regarding options transactions in favor of the rules of the options exchanges ; and ( 4 ) reduce restrictions on transactions involving foreign persons , securities , and currency . Regulation T refers to economics regarding foreign and domestic transactions and securities . neutral +He was entirely puzzled ? " He was puzzled over that little jigsaw ? neutral +I just said I was not prepared with any information . I already mentioned the fact I have no information prepared . entailment +Half of men reaching age 65 can expect to be alive at age 82 and half of women reaching age 65 can expect to be alive at age 86 Half of men reaching age 65 can expect to be dead within the next year . contradictory +Almodevar 's movies are the transparent reveries of a gay , star-struck adolescent . Gay , star-struck adolescences are part of Almodevar 's movie . entailment +oh that 's right that 's one of the changes uh-huh Correct , that is one of the changes . entailment +However , the cross-subsidy that results from ubiquitous delivery and uniform prices and frequency of delivery is widely regarded as the most important aspect of the USO mitigating against liberalization . The same prices for delivery is an important issue for them . entailment +Victor Hugo , author of Les Miserables , lived at number 6 , now a museum housing many of his manuscripts , artifacts , and wonderful drawings . The former domicile of the Victor Hugo is now a museum . entailment +The main road continues clockwise around the New Territories . The main road is not well traveled and therefore bumpy and rough . neutral +One must-see is Chowpatty Beach , not for swimming or sunbathing , but because it is one of the greatest people-watching spots in western fakirs and fakers walk on fire , sleep on nails , climb ropes in midair , or bury their heads in the sand ; food vendors hawk kulfi ice cream as well as pan , betel-chew , and bhelpuri , a spicy local specialty . Most people that try bhelpuri absolutely hate how spicy it is . neutral +A haven for persecuted Japanese Christians in the 17th century , Portugal 's neutrality during World War II assured the territory a flood of refugees . Portugal 's citizens were friendly to the refugees that arrived . neutral +The vast riverfront complex surrounding a sunken garden of some 250 exotic trees is popularly known as the TGB ( Tras Grand Bibliotha Very Big Library ) . The huge riverfront complex is a famous tourist attraction . neutral +Well , it 's correct I was a former police officer , and it 's correct that I did receive probation for using a telephone to further a drug transaction . As a former police officer , I used a telephone to further a drug transaction . entailment +In winter , they move to Izmir . The move to Izmir in summer . contradictory +yeah i i like that i i watch that a couple of times a week um it comes on like at nine o 'clock at night and i really don 't have any like situation comedies that i watch regularly i i have seen that um I have so many shows that I watch religiously . contradictory +The good government responsibilities that could be led by a COO Bad government responsibilities could be led by a COO . neutral +The coast ? I asked , puzzled . It didn 't make sense based on what I knew . neutral +The rest are business or mixed ( residential and business ) . Residential area is where people live . entailment +electronics industry Fashion and design industry . contradictory +He caught the shaft of the other axe with his left hand as it came in and kicked the assassin in the chest . The assassin got away without being kicked . contradictory +so hopefully we 'll see some more improvement I am certain they will never make any improvements . contradictory +Visitors took the old electric Red Car trolley from Los Angeles to spend a day at the beach , while silent film stars built lavish summer homes on the bluffs overlooking the Pacific . The old electric Red Car trolley from Los Angeles was not used by visitors who wanted to reach the beach . contradictory +You never told me , I said reproachfully . You never made me aware , I said disapprovingly . entailment +A short bus or taxi ride into the steep hillsides northeast of Funchal ( on the road to Camacha ) leads to the Jardim Botanico ( Botanical Garden ) , the island 's most comprehensive public garden . The Jardim Botanico is a private zoo completely devoid of plants . contradictory +There 's a different , but no less intense , pleasure to be derived from these miracles worked up from the meager materials of paper and chalk . The artist is well known for their work with chalk . neutral +Clad only in a cotton kimono , you lie down for attendants to bury you up to the neck in sand at a medium-broil temperature . Attendants bury you in warm sand wearing only a kimono . entailment +DOT officials told us that the electronic docket has become the official rulemaking record for the department , enabling DOT to save over a million dollars each year in administrative costs and facilitating the rulemaking process in other ways ( e.g. The DOT is saving money in administrative expenses with a docket system as well as closing local branches . neutral +yeah i see what you 're saying there is less character development rather just the the the funniness of the gag rather than I know , there 's so much character development in those gags . contradictory +What I meant when I told you that you could safely confess to Papa Poirot , eh ? Papa Poirot will understand because he has done the same thing , in the past . neutral +The Person of the Century thread hosted a humorous and articulate exchange on the importance of M.K. An exchange about the importance of M.K. was hosted on The Person of the Century . entailment +Case studies do not compare individuals or groups to others randomly assigned to different treatments . Case studies always compare people that have different treatments . contradictory +Raising problems on a program early because design and manufacturing knowledge is discovered can cause extra oversight and questions that threaten a system 's survival . A system 's survival can be threatened if problems are raised early in the design and manufacturing stages . entailment +It never entered my head . I had never thought of such , but honestly , it doesn 't quite surprise me that this happened . neutral +hi Ken my name 's Diane Nice to meet you Ken , call me Diane . neutral +The movingly simple Peace Memorial Museum documents the horror with charts , models , photographs , videos , everyday objects transformed by the unimaginable heat of the blast , and a life-sized diorama portraying horribly burned victims . You can see different kinds of memorabilia and objects in the Peace Memorial Museum , all of which you can photograph freely . neutral +This assumption seems likely to result in an overstatement of the domestic postage that would be collected on inbound mail . The domestic postage that would be collected would be overstated because of this assumption . entailment +According to the EPA 's discussion , the streamlined requirements of the revised proposed rule drastically reduce the burden on both small businesses and small communities . There is a requirement that will not burden businesses that much . entailment +In Varadero , Bar Calle 13 ( on Avenida Primera ) is the place to meet the jinetera of your dreams . In Varadero , Bar Calle 13 ( on Avenida Primera ) is the place to meet the jinetera of your dreams because of the ocean side location . neutral +A 'deem scratched his whiskers . A 'deem scratched at the hair on his face . entailment +One answer is to try to change the incentives of politicians , by making it more difficult for special interests to buy influence . Special interest groups should have free-reign , as it doesn 't affect politics . contradictory +She 's good at looking at the big picture . She does a good job of seeing the big picture when the small details can be too confusing . neutral +From the lower terminal of the Peak Tram it 's only a short walk to the former governor 's residence , Government House , now a museum . The former governor 's residence is now a museum . entailment +What I want to ask is this : the door leading into Mrs. Inglethorp 's room from that of Mademoiselle Cynthia , it was bolted , you say ? " The door was bolted . entailment +Still , that discussion , like his discussions of the other issues , rests on a claim long associated with the left--the claim , in a phrase , that the minority is really the majority . His discussions were dependant upon minorities remaining minorities contradictory +Then he made a sign to Conrad . Then he made a hand gesture to Conrad . neutral +Bronze that once embellished the entrance was carted away and recycled as Bernini 's canopy for the high altar in St. Peter 's . All of the bronze that decorated the entrance was recycled . neutral +You fired . You 're fired for being late . neutral +Perhaps inevitably , the church 's most elaborate ornament is the altar of St. Ignatius Loyola , covering the tomb of the Jesuits ' Spanish founder in the left transept . St. Ignatius Loyola is the most important Jesuit in Europe . neutral +right yeah i think that has a lot of things to did with uh um Yeah , I think that shares a lot in common with something else . entailment +They succeeded in stopping the rail line at Windermere . The rail line at Windermere was stopped . entailment +Growth in output per worker also depends on total factor productivity growth . Growth output per worker is related to worker happiness . neutral +It was during these holidays that her love of the Lake District was born . There 's nothing anyone would like about the Lake District . contradictory +" Like the soul , electrical charges will not transfer , " Sather Karf agreed sadly . Sather Karf felt that the transfer of electricity was impossible in this case , just like it is for the soul . entailment +The light was enough to sear his retinas , but even they healed faster than the damage . The light burned his eyes , but they healed quickly . entailment +yes i i felt that it certainly was i mean i was smarter than most of the people that i was working for and uh you know every time something new came up i was explaining it to them and uh i had I was smarter than everyone that I was working for . entailment +Fourth , tie planning to quality early on and stick with it . Tie planning to hockey to succeed . contradictory +They do not clearly condemn as racist the actions , sometimes violent , that white ethnics in Chicago resorted to in the 1960s to keep blacks from moving into their neighborhoods . The whites welcomed blacks into their neighborhoods in Chicago during the 1960s . contradictory +well uh you know even the police uh have a lot of paperwork to do uh i observed a uh i didn 't actually see the accident but uh the the aftermath of a three car accident yesterday here in Richardson and i was going into the public library and apparently the accident had just you know recently happened then but there was a policeman there policewoman there Police never need to write or type anything on the job contradictory +it was very mild mild winter yeah It was a terribly harsh winter . contradictory +then you would only use two of them and you put that in there and then you pour two bottles of beer over it Since there 's only two of you eating , just use two of them . neutral +oh but that wouldn 't be boring like walking up stairs That would be less boring and a little more fun than doing stairs . neutral +The first improvement needed in regard to DC mail is a specific study providing the weight distribution of inbound mail received from DC FPAs , by class of mail . The distribution of inbound mail was sent back as there were no stamps . neutral +The Plan highlights LSC 's State Planning Initiative as the primary strategy for achieving these goals . Most of the strategy is derived from the State Planning Initiative put forward by the LSC . entailment +um or if it 's their style or or just understanding the material and then i you know it some of those it 's like i said it 's like school you have to work at it but to me it 's worthwhile in the end i feel good about it and i usually remember those a long time later and then i have the books that i read just Understanding the material is difficult because it is primarily in German . neutral +well i have you know we have a you know voice mail system at uh at the office We don 't have a voice mail system at the office . contradictory +And now , thanks to Gene Sperling , we can bury the metaphors of the casino--a crapshoot , a spin of the wheel , a stacked deck--replacing them with the vibrant metaphors of the rec room , i.e. , Twister . The stacked deck is still so popular that everyone hates Twister . contradictory +yeah yeah well if you 're off off a road you know away from a road and you 're off of the main road you said away from a road you know and you keep an eye on her it 's probably okay i 'm just real Don 't worry , you don 't have to keep an eye on her . contradictory +But more money is essential . More financial funds are necessary and difficult to obtain . neutral +and it 's a fly you call it a pattern You call it a pattern if it is a fly . entailment +Ceter of the bustling life of the modern town is the airy Place de l 'Horloge , surrounded by cafe and a pedestrian zone of smart shops along the Rue des Marchands . No cars are allowed on the cobblestone roads along the Rue des Marchands . neutral +This appendix provides a discussion of the more significant comments that the Board received from respondents to the exposure draft , Supplementary Stewardship Reporting , dated August 1995 and from testimony at a public hearing on the exposure draft that was held December 5 , 1995 . The appendix gives a discussion of the comments the Board got . entailment +Taxis provide a lazy alternative , but are not always faster than the metro , especially on longer rides across town . Taxis are an alternative but are not always quicker than the metro , particularly on longer rides across town . entailment +This geography is important in understanding Dublin . To understand Dublin , the geography must be noted . entailment +IPM was a key analytical tool in developing the President 's Clear Skies proposal . IPM vetoed the proposal for improving air quality , contradictory +It operates several times a day during the summer . It is not open in the summer . contradictory +Despite this fragmentation , the Franks deeply impacted the cultural and linguistic heritage of France . France has had many changes of leadership over the centuries , and at one point the Franks owned it . neutral +who 's their quarterback Who is the wide receiver on that team ? contradictory +yeah you too bye bye Thank you too , goodbye . neutral +From the hills came the far-off yip-yip-yip of a coyote . The howl echoed throughout the hills . neutral +Which might suggest that real business news is no more popular than it ever was . It 's suggested that real business news is just as popular as it ever was . entailment +And he will be able , at his leisure , to come back and destroy this solitary piece of evidence against him . There is nothing he can do to hide his crime . contradictory +A walk clockwise around the palace grounds will bring you first to the picturesque Nijubashi Bridge and the Seimon Gate , where the public is allowed to enter the palace grounds . Walking clockwise around the palace will lead to the Nijubashi Bridge and Seimon Gate . entailment +inside the turkey and then of course we always had to have mashed potatoes it goes in the turkey and we always had mashed potatoes . entailment +His mother , who was queen of the Sakyas , is said to have conceived him after dreaming that a magnificent white elephant holding a lotus flower in his trunk had entered her side . His mother was the queen elephant . contradictory +Should Mike Wallace be pissed off ? Should Mike Wallace by angry ? entailment +The courtyard of the three-story building can be visited and , if enough rupees are collected , the Kumari herself may appear briefly at a beautifully carved upstairs window . Tourists are not allowed to enter the courtyard and can only view it from the outside . contradictory +but i think if we can if we can expand the men 's roles at the same time like your taking care of your child and your dad probably didn 't very often i know i know mine almost never did Your men have been exemplary in caring for your children . They are real role-models for other fathers . contradictory +Kal , let go , Jon said but the big man still struggled . Jon egged Kai on , telling him to fight harder . contradictory +Gladstone 's Land , built in 1620 , still has its period shopfronts at the roadside . There are still shops with an ambience from the 1600s . entailment +The muffins are still tasty , and that 's what matters . The muffins still taste good , that 's what we should care about . entailment +I couldn 't make up my mind at first whether it was a sham affair or genuine . I think that I do not have all the information yet . neutral +Richard Brown observed that although the grant review process at NIH can be difficult , the experience of re-submitting grants has strengthened his work . Grants take about 2 to 3 weeks to be accepted or rejected . neutral +Fine restaurant . The restaurant is appalling and disgusts everyone who approaches it . contradictory +Each activity within the process is analyzed , including whether or not the activity adds value for the customer . Only one activity within the process is observed carefully . contradictory +His uncle looked at him for a long time . His aunt was looking at him . contradictory +Chief Financial Officers ( CFO ) Act of 1990 ( Public Law 101-576 ) provides a framework for improving federal government financial systems . The legal framework provided by the CFO Act 1990 is the first of its kind concerning federal government financial systems . neutral +Furthermore , achieving it places a burden on basic mailers of $ 480 million , which is notably large by almost any standard . This is the biggest monetary burden ever placed in all of history . neutral +yeah right it was such a it i guess they they 'll probably come out with a lot of movies you know it was it was such a rout though you know i don 't know you know they probably do the story of someone who was shot down early in the war or something and how he survived or i think they 'll make a lot of movies on the same subject neutral +Ultimately , what I say in my defense is completely meaningless . What I say to defend myself is working perfectly . contradictory +well i feel like something needs to be done here and i 'm definitely in favor of the government i just think medical you know medical costs have as i 've seen over the years just go up and up and up and already just this year Medical costs have reduced this year as compared to the last . contradictory +Many representatives told us that due to members ' own resource and time constraints , members would not participate in information-sharing organizations unless they received benefits . Members have a a portion of their time occupied by tasks other than information sharing . entailment +and that really up sets me when i see that Seeing that really annoys me . entailment +It is difficult to believe that these bizarre shapes , staircases going nowhere , and windows in walls without rooms were built in 1724 by a serious student , rather than in the last century by some deranged architect . It 's unique because there are bizarre shapes , staircases that lead nowhere , and walls without rooms . entailment +so you don 't even have to go in to see the teller anymore You still have to go to see a teller . contradictory +These two documents define the mission of the state 's civil legal assistance delivery system , express key Equal Justice Values and attempt to identify corresponding Core Capacities , to serve the mission . Only one of these documents defines the mission of the state 's civil legal assistance delivery system . contradictory +well mine are older now doing uh their own things so They are doing their own thing now that they 're older . entailment +As a result , these programs encountered significant increases in acquisition costs as well as delays in delivering capabilities to the war fighter . As a consequence , these programs had 2 million in excess funds . contradictory +The finale left no one in the audience in any doubt as to the existence of his or her sternum and ribcage . They had a sternu , and ribcage . neutral +For example , grant-award decisions and visits to assess program quality also focused on the efficacy of statewide systems and collaborative efforts with other agencies serving the client community . Collaborative efforts with other agencies serving the client community aren 't assessed during grant-award decisions . contradictory +no i mean look at all the all the food containers are labeled uh with both systems i mean that 's no problem I prefer the new system over the old one , but to each their own I guess . neutral +For the collections , the acoustiguide ( recorded tour available in English ) can be useful . The recorded tours are available in French , but not in other languages . contradictory +The state of Yamato , as early Japan was known , was organized into uji , or clusters of clans , together with subordinate guilds of farmers , fishermen , hunters , weavers , and potters , all subject to the dominant uji of the imperial family . The Japanese during the period had a lot of civil war . neutral +And who 's this ? " She indicated the shivering Kramenin . She stated that she knew the shivering Kramenin . contradictory +The point was also made that successful companies have reinvented themselves through two fundamental focuses-ethics / integrity and respect for people . Through much study and research it was determined that companies may reinvent themselves by shifting their focus . neutral +A century later , Lorenzo Ghiberti won the competition to design the great north and east doors , devoted respectively to the life of Jesus and scenes from the Old Testament . The south door depicts scenes from the Iliad . neutral +, worker 's compensation , civil service retirement unfunded liability ) , indirect labor such as carrier supervision , vehicle costs , and space related costs ( rents , fuel , utilities , custodial maintenance ) . Rent is the most common space related cost . neutral +'I mean , it 's not my degree . I have never studied that . neutral +Thank you , sir . Slim ran out again , closing the door gently behind him . Slim was upset and slammed the door . contradictory +In recent years the country has begun to realise its considerable potential for beach-style tourism . Most of the country is made up of beaches . neutral +Their conversations took place at precisely the moment the House reconsidered China MFN . They talked about it when the House was debating China MFN . entailment +In 1995 , LSC 's state planning initiative was primarily focused on how grantees would work together to address funding shortfalls and to respond to the 1995-96 restrictions . LSC worked hard to address the issues regarding funding shortfalls . entailment +That 's four months . That 's twenty months . contradictory +'My kids know better than that . My kids are smarter than that . entailment +As indicated in the previous section on quantification of premature mortality benefits , we assume for this analysis that some of the incidences of premature mortality related to PM exposures occur in a distributed fashion over the five years following exposure . For the purposes of this analysis , we think that there will be no cases of premature mortality within five years of PM exposure . contradictory +Here a historical analogy is Only a decade ago , after all , America was frantic about another mysterious , ominous Asian power that was not quite friend , not quite enemy . America has always been afraid of powerful Asians . neutral +Beneath the dome , Bernini 's great baldacchino ( canopy ) , cast out of bronze beams taken from the Pantheon 's porch , soars above the high altar . There is a high altar beneath Bernini 's canopy . entailment +The humidification system will typically consist of water spray injectors ( possibly air atomized ) located upstream of the ACI injectors , a grid for the spray injectors , and a water supply system that will include pumping and metering systems . De-humidification systems use a constant fire supply system . contradictory +Washington think tanks long to get their programs on C-SPAN , but C-SPAN has space for only a few of them . C-SPAN had an infinite number of slots of programs to fill . contradictory +yeah yeah the little Turkish Vans like that pick her up and boy those claws come out and sticks her arms straight out with the claws extended yeah yeah silly silly cat Cats have long , sharp claws . entailment +uh-huh back when i had time to watch TV oh maybe last year when i wasn 't doing aerobics and work wasn 't quite as busy as it 's been lately um i liked The Wonders Year 's and uh um sometimes every now and then i 'll catch Doogie Howser because i think that comes on at eight on Wednesday nights and that 's about the time i get home from aerobics and i turn on the TV as i sit down to eat dinner and i 'll catch that I never had time to watch TV , even before I started doing aerobics . contradictory +As a last hope Jane Finn was to be allowed to escape and the escape must be managed so that she harbours no suspicions of its being a put-up job . Jane Finn must have no suspicion of a put-up job entailment +You 'll hang about outside . When we go in for the meeting , you 'll hang about outside . neutral +no now she 's now she 's just she 's just rearranging all my papers for me she 's playing with the pen uh-huh why don 't you play with the keyboard She is really irritating me . neutral +well that 's they just put all our Christmas trees in the regular uh compost The Christmas trees go in a separate place than the rest of the compost . contradictory +houses on foot , returns to the vehicle and drives to another location where the process is Goes to another place where there is no process in sight . contradictory +That is how indigent criminal defenders get paid . Indigent criminal defenders make their money that way . entailment +I call it a theory but I 'm pretty sure of my facts facts that are known to no one but myself . I call it a theory , but it 's just a bunch of lies . contradictory +There is still a regular cattle market here for the farmers from the surrounding countryside . There are a lot of farmers in the countryside . neutral +Short of that , you could try to deliver information about the candidates that might drive voters to make up their minds on some basis other than political advertising--for example , you could sponsor a series of debates . Voters usually like listening to political debates between candidates . neutral +Together with a number of other laws enacted over the past several years to foster improvements in such areas as financial management , acquisition , and computer security , this legislation discussed above composes a statutory framework for achieving performance-based management and accountability in not just information management , but overall federal management . Laws regulate information management . entailment +and he says but Bev i think you 'll be so bored because you know all you 've ever done is work and i said but there 's so many things i want to do i 'd like to start sewing again i 'd like to learn how to do this cross stitch and these you know knit these things and i think that would be fascinating he kind of laughs He says I 'll be boreed but I told him I will have a ton of things to do that will make his life easier . neutral +Klayman videotapes these depositions , excerpts of which air on Geraldo when Klayman appears on the program , and publishes the transcripts on the Internet . Klayman bought his recorder online . neutral +well she might have been the cause of it Does anybody know if she was the cause ? neutral +And it arose not out of the goodness of Nike CEO Phil Knight 's heart , but to keep left-wing nongovernmental organizations--especially progressive ones--off his back . CEO Phil Knight performed this action out of the goodness of his own heart . contradictory +Such a system , however , might not be the most desirable , one downside being that the smallest single-piece mailers could default to a rate that is high enough to cover all destinations . Small single-piece mailers can be a higher rate . entailment +Now each will embark on a review of the efficacy of current configuration patterns , and report to LSC on their studies in 2003 . No one is reviewing configuration patterns . contradictory +Instead , they 're attracted by unabashed , ideologically strict insistence on assimilation through English education . They really hate the insistence that they have to integrate using English education . contradictory +Ras Mohammed also protects the environment along the shoreline of the Sinai , including rare mangrove forests with abundant bird life . There are no birds in the mangrove forests of the Sinai . contradictory +Though the theater relented when Arthur Miller , Wendy Wasserstein , and other top playwrights howled , most critics still paint the incident as a free-speech outrage . The theater closed after the playwrights complained about them . contradictory +Just don 't tell them . Tell them . contradictory +Ten years later , on its 1,000th anniversary , it was rebuilt using much of the original brick and rescuing one of its five historic bells that is still used com 'era , dov 'era ( as it was , where it was ) . The castle was entirely rebuilt for its 1,000th anniversary . neutral +Flashes of light and sound tore through the train- spears of lightning bouncing off the walls and striking flesh . There was no lightning . contradictory +The Methodology of Comparative Research , pp. 1-20 . 20 pages on the Methodology of Comparative Research . neutral +The covered market , built in volcanic stone from Agde with a timber frame , dates back to the 17th century . The market has a timber frame and stone walls . entailment +And it 's not that they don 't know any . They are pretending to keep the information secret . neutral +but no i i 'm uh single i 'm uh I have an interest in someone . neutral +Dublin theater is legendary , and no visitor should miss seeing a performance at the Abbey Theatre or Gate Theatre . Dublin , Abbey and Gate are all poor choices for venues if you want to see a good performance at a good theatre . contradictory +These tendencies had not yet reached a critical level and the firm had not experienced a major public accountability failure when I left to return to public service as Comptroller General of the United States in 1998 . The firm didn 't experience any accountability failure when the subject left in 1998 . entailment +By the time you read this , I will already be politically dead . My political career is thriving and is only advancing from here . contradictory +EPA concluded that the rule would have a significant impact on a substantial number of small entities , especially in view of EPA 's implementation of the Act , which considers any impact a significant impact . The EPA did not think that the rule would impact large entities . neutral +Jerusalem fell to the Ottomans in 1517 , remaining under their control for 400 years . Jerusalem fell in the 1500 's . entailment +Some participants suggested that the PCAOB consider the banking industry to provide examples of the integration of federal and state regulation and lessons learned about that structure from the savings and loan and banking crises . They wanted them to see that there was still hope . neutral +yeah uh and it 's frightening and and and a couple of these scientist down there have been screaming about this for some time now and of course uh Australia is the one that 's going to you know suffer the most because uh that main whole that 's over the uh Antarctica continent continent you know uh it it expands out over Australia and at certain times of the year It is quite scary , and scientists have been shouting about it for a while . entailment +Emanating from Bob Dole 's new , souped-up prostate . Bob Dole has a new prostrate . entailment +I was late for work . I got to work early . contradictory +The eastern group of structures includes three Jain temples . The eastern group of structures doesn 't have any Jain temples . contradictory +Make your way to the stone Windmill looming across the park to the left . Walk over to the large Windmill , close to the park . entailment +She stayed in the car the whole time . She stayed in the sewer the whole time . contradictory +He had no cutlery , but his hands served well enough . He used his hands instead of a fork and spoon . entailment +And the world of coffee came to an end , because now there is coffee-flavored liquid-like synflex . Coffee was needed now more thane ver . contradictory +By a frantic effort of the great wings , it missed the hurtling chunk . It somehow missed the hurtling chunk , even though they tried . neutral +I 've lived through such damning times before , and I know that they are sometimes necessary . ' Bad times are almost always overcome by good times . neutral +Yes , too conclusive . We turned in at the gate of Leastways Cottage , and proceeded up the now familiar stairs . Yes , we entered through the gate near the cottage and ran up the stairs as fast as we could . neutral +The following charts highlights the changes I am The chart doesn 't highlight any of the other changes . contradictory +Jon , San 'doro , and Ca 'daan left . The three people left . entailment +To match their long-term stake in the country 's prosperity , the Chinese and Indians wanted political equality with the Malays . The Chinese and Indians were not interested in relations with the Malays . contradictory +Tax the Knickers Off Your Grandchildren , by Steven E. Landsburg , seems less like a well-reasoned editorial on economics than a weak rationalization for shortsightedness . She wanted to write about how the children should never be taxed . contradictory +[ The pro bono project ] is a great asset for all of us , she said . Her opinion is that the pro bono project will sink them all . contradictory +( That is , with any other division , some pair of creditors would have its collective share divided incorrectly . ) Collective shares are not divided correctly for some creditors . entailment +In all three little capitals , shopping begins where the boats come in . Shopping begins where the boats arrives in the three capitals . entailment +yeah oh what what 's her name no it we don 't get much Texas politics out in California to be honest Californians really love to pay attention to Texan politics . contradictory +In theory , cream skimming of residential service could occur in either city or rural areas . The residential service skimming can occur anywhere . entailment +Browsing is difficult as vendors are attentive and can be insistent , but you 'll have fun . There are no vendors allowed in the area . contradictory +You are not attending to what I say . " You 're paying attention to me . contradictory +Growing up , I was taught that a gentleman precedes a lady when entering a public place ( e.g. I was told that you should let the lady walk into a public place first . contradictory +They also were assigned to individual themes , such as health and employment , responsible concurrently for looking across all sites for information on their topic . The research on the assigned topics took months to compile . neutral +The statement of compliance with GAGAS refers to all the applicable standards that the auditors should have followed during the audit . Auditors are held to a high esteem when it comes to productively conducting their duties . neutral +No one wanted to go in , even when forced . Everyone was eager to get inside . contradictory +'Cause , like , I want a Miata . Because I do not love Miata . contradictory +I am glad none of you were hurt , he said . He said he was happy they were safe . entailment +The postwar obsession with comfort , convenience , and the latest electronic gadgetry has led most Japanese to forsake the traditional , simple , and elegant house of wooden walls , heavy tiled roofs , tatami-mat floors , and sliding panels for a modern Western-style house designed to exchange the austerity of the past for the prosperity of the future . Most Japanese have opted for more modern Western-style homes than traditional ones . entailment +During the 1990s they made numerous attempts to de-stabilize his regime , finally resorting to attacking the mainstay of the Egyptian economy tourism and several despicable attacks on foreign visitors resulted in over 60 deaths . Although the enemy tried very hard , Egyptian leaders kept the area under control . neutral +Among its masterpieces of international renown are The Adoration of St. Vincent , a multi-panel work attributed to the 15th-century Portuguese master , Nuno Gonaalves , and The Temptation of St. Anthony , a fantastic hallucination by Hieronymus Bosch , tempered with humor and executed with mad genius . No one has ever heard of these art pieces outside of the country . contradictory +Your friends risked their lives for you and for these people , the man gestured to the camp of slaves , now unlocking their bonds and raiding the food carts . The slaves took food . entailment +about ten years younger yeah At least five years younger . neutral +By focusing attention on tone , it has deflected attention from content . Since the focus was on one thing , the other , more important thing was ignored . entailment +well she just sent me the information out i i got a hold of it you know i just sent it back in and She just sent me statistics for my project . neutral +The region is famous for its white horses , which you can hire to ride along the sandflats ; for the black bulls that race through the streets of Provencal towns to the bullfight ; and for the wild duck , herons , and pink flamingos that gather here . You can also hire white horses to attend the bullfight . neutral +The Dual is closed even to the Seri . The Seri cannot even access the Dual . entailment +that 's funny no i just um i have really gotten out of it i don 't do it quite as much as i used to um i guess because i i went back to school so i don 't have as much time Ever since I went back to school , I haven 't had time to commit to it . entailment +Today , many lie overgrown and unused , but during Venetian times , they brimmed with crops and grew fodder for livestock . During Venetian times , they brimmed with crops and grew fodder for livestock , but today , many lie overgrown and unused . entailment +It is estimated that this program will reduce NOx by 75,000 tons per year and SO2 by 35,000 tons per year . The estimations stated by program officials will certainly come into effect with the implementation of the program . neutral +If she didn 't know that her husband was still fooling around after his election in 1993 , but does care , it seems to me she is in the most sympathetic of the available positions . Nobody can really say for sure whether or not she knew . neutral +We also coordinated with other GAO representatives to identify states that had taken actions to reduce improper payments in federal programs in which program management is a state responsibility , such as the Food Stamp program . The Food Stamp program is a state responsibility . entailment +um-hum and they 're preoccupied with drinking They are focused on drinking . entailment +Most organized tours generally include a night at a gazino as part of the package ; otherwise you can book a table through your hotel or through a travel agent . Gazinos are fun but can be dangerous . neutral +The current Clinton-appointed board has thumbed its nose at congressional attempts to focus the Legal Services Corp. on its mission of helping indigent litigants in certain types of proceedings . The board members are taking this stance on purely partisan grounds . neutral +yeah we got at TI to drive into town and almost buy it undercover at the time they were doing it They almost bought something in town . entailment +In a country of crowded cities , it makes a refreshing change to travel 37 km ( 22 miles ) southwest to an outcrop on which stands the citadel of Fatehpur Sikri , briefly Akbar 's imperial capital . There are not a lot of people in the outcrop . entailment +This is a big area of concern for the administration , since the United States exports $ 40 billion in services annually , including software , entertainment and information products , and professional services . Software and information products form the bulk of US service exports . neutral +Maybe it will take jerks like the Weinsteins to bring in the golden age of New Media . It certainly won 't take jerks like the Weinsteins , because it doesn 't care about the golden age of New Media . contradictory +Neil Simon himself flew in for opening night of the Menchen dinner theater production The opening night of the Menchen dinner theater production was important to Neil Simon so he canceled other engagements . neutral +It is the main venue for the International Istanbul Festival . It is not the main venue for the international Istanbul festival . contradictory +in fact i think they 're getting a different guy for a backup quarterback i haven 't uh i haven 't kept up with it lately but i remember reading something a few months ago about them signing somebody else on or or trying to go after somebody or trade for somebody but it wasn 't anybody i 'd really heard of but i heard on the radio this morning or yesterday morning that uh Aikman 's back in practicing doing real real well um who is it Michael Irvin I guess they are getting a new backup quarterback . entailment +Jon stood , taking a last look at Susan , and left . Jon looked at Susan one last time . entailment +The Commission offered the opportunity to comment on both the initial and the second proposed rule and order to any interested parties , including small entities . The Commission received over 100 comments , submitted via mail and online . neutral +At the end of Rue des Francs-Bourgeois is what many consider to be the city 's most handsome residential square , the Place des Vosges , with its stone and red brick facades . The residential square is very expensive because of its prime location . neutral +Instead , I now understand it 's my fault . It is not my fault . contradictory +I am not an anti-smoking nut either , just as long as I can stay away from it . I like to stay away from smoking . entailment +yeah i 'm being single and no other responsibilities for yourself i guess you know it 's i can i can i 've been pretty happy i 've i 've haven 't tried to upgrade myself right now that 's uh I 'm happily married with children and it 's a lot of responsibility . contradictory +But they are architecting this network very differently from how the original Internet was architected . Their designs for this network differ from the original designs of the internet . entailment +It is not foolish to consider intent , hence the distinction between murder and accident and serious dieting . To consider intent is wise . entailment +A stopover in Singapore is also an opportunity to find the latest bargains for cameras and computers . Singapore is the best country for buying cameras and computers . neutral +no it 's good and you 've got a lot of federal money too There is no federal money for it . contradictory +Frequent free bus service connects with the section of the museum housed in the Collins Barracks . There is a bus to connect the museum sections that can be ridden for free . entailment +and uh it was all from taking the right vitamins and things that that give you the strength and of course doing isometric exercises uh together they both exercised about five minutes a day doing isometrics rather than you know physical strenuous exercises Isometric exercises are prefers over strenuous exercises . neutral +So how can we Internet apologists explain away this finding ? Internet apologists are looking for a way to explain things . entailment +The armored man howled in his helm as the hand enclosed , twisting metal and crushing bone . The armored man whooped as his armor failed , and watched as it dropped from his body ineffectively at the unarmed attack . neutral +Some workers guard the hive entrance , others collect nectar , others dry nectar by beating their wings , others groom the queen , others manufacture an antiseptic salve that coats the hive , etc . ... There is division of labor and chores in the hive . entailment +The quality and continuity of the new department 's leadership is critical to building and sustaining the long-term effectiveness of DHS and homeland security goals and objectives . Quality of leadership at DHS and homeland security has always been the best . neutral +it 's just a kind of uh just the way the plant is It 's just how the plant is , so don 't be too worried about it neutral +Today it is the center of a small arcade and shopping / dining area . You can play many games at the arcade . neutral +you know you can 't do top stitching or um You cannot do top stitching . entailment +Finish your visit to the Marais with a walk through the old Jew ? ­ ish quarter ( or shtetl , as Paris Jews call it ) around the Rue des Rosiers , enjoying the wonderful smells from its delicatessens and falafel shops . The falafel shop emits a wonderful oder that you 're sure to enjoy . entailment +out of your own jeans yes Don 't take off your jeans . contradictory +Do you both understand ? Drew nodded . Do the two of you comprehend ? entailment +i mean they just go and buy it you know They 're not able to just head out and buy stuff . contradictory +The evening passed pleasantly enough ; and I dreamed that night of that enigmatical woman , Mary Cavendish . The evening was a delight , and that night I dreamed of Mary Cavendish . entailment +But let me leave you with a thought to keep in mind , in the event you are asked to evaluate my presentation . The person left with a smile on their face . neutral +In designing the instrument , consultant Ken Smith and the LSC Results Group examined existing data collection models that state IOLTA funders and individual programs had used . Ken Smith and the LSC Results group never examined existing data . contradictory +For the woman put off by her old , I agree that the best solution would be for the roommate to change her ways , but leveling with her would more than likely end the friendship . There is no conflict between the two roommates . contradictory +Bork grunted . Bork made a noise . entailment +anyway no we didn 't even call them we just did it maybe my husband should call today We called them everyday contradictory +For a more detailed discussion of altruistic values related to the value of life , see Jones-Lee ( 1992 ) . The value of life has altruistic values associated with it . entailment +To qualify for legal assistance , one 's income must be at or below 125 percent of the poverty level , as determined by the federal government . A person is not given free legal assistance , regardless of how little they make . contradictory +um it 's it was an interesting in that i think that he gave the American people some uh uh a sense of the fact that that uh wars are really run by politicians The fact that he gave the American people the sense that wars are run by the politicians is interesting . entailment +If CNN executives crashed frequently , they 'd be dead and hence unable to demand such boring programs . CNN executives will not be able to demand boring programs if they crashed frequently . entailment +We fancied ourselves as sleuths . We never fancied ourselves as amateur detectives . contradictory +Along with the red fox , marmots , otters , beavers , ground squirrels , Dall sheep , whales , sea lions , bald and golden eagles , tufted and horned puffins , and myriad lesser fauna , they participate with quiet dignity in the great cycle of eat and be eaten . Animals are in the food chain . entailment +A summary of the notice was published in the Federal Register ( 60 Fed . The Federal Register rejected a proposal to include a summary of the notice . contradictory +Many people continue to be exposed to unacceptable levels of smog . There are very few people who are still being exposed to a lot of smog . contradictory +Blithe investors toss millions at the Web out of the conviction that it will subsume the other media , change the face of capitalism , and generate billion-dollar payouts . All investors are careful not to put their money into the Web . contradictory +My problem is one that I 'm sure affects many more women than you 'd believe . There aren 't many women who deal with the problem I deal with . contradictory +The auction exploits desperate sellers . The auction has exploited desperate sellers for months . neutral +Also , the government 's role both in investing in physical infrastructure and in allocating capital to industrial borrowers at preferential rates also resulted in many low-yielding investments . The government has only had excellent high-yielding investments . contradictory +How about malpractice insurance ? What about paying for malpractice insurance ? neutral +Beaches close to Tokyo and Osaka are crowded ( except after 1 September , when summer for the Japanese has officially ended ) . The beaches are so crowded that you can 't even put your towel down . neutral +CONCLUSION Summary entailment +Oh ! said Tuppence with a note of reverence in her voice , as she gazed down at the enormous car . Tuppence saw an enormous car and viewed it with reverence . entailment +Table 3 , which has the same format as the previous two tables , shows the sources of total First-Class bill / payment mail reported in Table 2 . Table 3 is a different format than the other two tables . contradictory +Use of Program Oversight A lack of vision over the program . contradictory +The remains visible today are their replacements , even bigger and more splendid than the originals . The originals are still visible today . contradictory +To the right of the entrance to the choir there is a lovely statue of the Virgin and Child . The Virgin and Child are depicted in a statue near the choir entrance . entailment +Tiger Woods won the Masters golf tournament and was anointed a Transcendent Sports Phenomenon . Tiger Woods won by a large margin . neutral +That 's probably more accurate , without making a definitive statement . That 's fairly accurate even without a conclusive statement . entailment +The main attraction is the concert given by the Janissary Band ( Mehter Takeme ) at 3 : 00 p.m. The concert goes on for 3 hours . neutral +well well just about anything we get our hands on right now we 've got a uh a Bombay a Turkish Van and a Himalayan Persian We refuse to take in any . contradictory +At first I had no suspicions , but on the boat to Holyhead I began to get uneasy . I started off with no misgivings , but I got restless on my way to Holyhead . entailment +In Orange County , Newport Beach is a major center for rentals , and so is Dana Point further to the south . Dana Point is located further to the south . entailment +This is too bad , because Pokemon is undoubtedly much smarter and more charming than what will supplant it . I loved Pokemon since I was a child . neutral +On Sundays it switches to small pets , especially caged birds . They never switch the big pets because these have a huge success . contradictory +your age group or whatever yeah People much younger than you are . contradictory +All the ground floor windows were shuttered tight , but upstairs , on the first floor ( it was a two-storied house ) I noticed a window with a light burning and the curtains not drawn . All the ground floor windows were shuttered tight to prepare for the coming storm , but upstairs on the first floor I spotted a light in a window . neutral +uh you had any injuries from jogging Have you ever scraped your knee when jogging ? neutral +we have we have two miniature dachshunds and ten fish We have more dogs than we do fish . contradictory +it was it was comfort and it has to be has to have air It is not a comfort and it has to have water , you know . contradictory +Shipbuilding and weapons manufacture were already under way ; railways and telegraph lines quickly followed . Railways followed after weapons manufacturing was already being done . entailment +This is where swathes of lush virgin rainforest mix with plantations of coffee on the high mountain slopes and meet thousands of verdant banana plants that blanket the coastal plains . There are coffee plantations and banana plants here . entailment +Jamaicans appear to worry little about the future ; sometimes it seems that they worry little even about what happens in the next few minutes . Worrying about things is a Jamaican tradition . contradictory +Effective performance management systems link individual performance to organizational goals . The goals are important to be efficient . neutral +and they finished second that year i guess and it was Bobby Lane 's first it was the year that Bobby Lane got traded to them two games into the season It was the year they got Bobby Lane after the season had started . entailment +In the adjacent Calle del Caeen , look for the well-head with weathered rope-marks that traditionally inspired Saint Isidore , the youngest of a sixth-century Visigoth duke 's four saintly children , to argue the merits of perseverance . The youngest child of a sixth-century visigoth duke was called Saint Isidore . entailment +Well , it 's just this , sir . Sir , it 's just this , even though you may not agree . neutral +I 've thought over every imaginable way of getting it too , continued Tuppence . Tuppence thought of every way to get it . entailment +My old friend John ! " John is an old friend of mine ! entailment +Monitoring of internal control should include policies and procedures for ensuring that the findings of audits and other reviews are promptly resolved . Monitoring internal control is not important in an organization . contradictory +The fate of love letters written by Diana to her former lover , James Hewitt , and stolen from him by his Italian mistress , who recently tried to sell them to the London Daily Mirror , which instead handed them over to her executors , has preoccupied all the London newspapers for several days . Diana wrote letters to her lover , James , but they were stolen . entailment +who who else do they got on that team now i Who has been removed entirely from the team ? contradictory +you know and i feel that 's very important it really is and it 's too bad because because mothers miss out on so much too so i mean in the sense that we 've come a long way yes but we 've sacrificed a lot to get there You have to choose between work and your family . neutral +The fact it had to be the right wrist was very important . The right wrist is the correct wrist . neutral +Mr. Whittington was seated behind a large desk covered with papers . Mr. Whittington stood on his head next to his desk . contradictory +The community worships at the simple , unassuming St. Peter 's Catholic Church , where Easter is an especially big event attracting many Indians , Chinese , and Malay non-Catholics to the great candlelit procession . The St Peter 's Catholic Church is only for the catholic population . contradictory +you know and he doesn 't realize the pressure that he 's going to be under later when his friends start doing this He doesn 't understand the peer pressure he 's going to experience later in life when his friends begin doing this . entailment +Currently , the equivalent of approximately 100 GWe of coal , oil , and gas-fired capacity worldwide utilizes SCR technology . The equivalent of about 1400 GWe utilizes SCR technology . contradictory +On this beautiful old country estate you can see craftspeople working and lively folk dance displays . This estate only has music festivals on it . contradictory +Edward Murphy , but Commander ( later Admiral ) Joseph M. Murph Murphy . Edward Murphy 's Commanding officer had been Joseph M. Murph Murphy . neutral +Dave made no protest . Dave protested heavily . contradictory +Fear had successfully hypnotized the man by his side . The fearful man was sat at his right side . neutral +Mother and child had had expert attention , and Shadow 's coat had been groomed to a glossy silk ; her black mane and tail were rippling satin ribbons . Shadow the horse was a year old . neutral +In fact , because of this inconsistency in reporting , the old system often produced artificial variations in reported case statistics among similar programs . The old system did not produce anything in reported case statistics . contradictory +Also , GAO will give agencies and other directly affected parties the opportunity to officially comment on a draft report to which they are a party ( other than reports that largely reflect prior GAO work ) . GAO stands for Human Services Industry . contradictory +Weighing the volume in his hand , the Kentuckian straightened up . Weighing the book in his hand , the Kentuckian stood up . entailment +But the truth for me was slightly Whatever was on those tapes , listening to them , and quoting them , would make this a much more compelling and dramatic story for Newsweek . I knew the tapes would have nothing of value for my story . contradictory +He raised a battle axe high over his head . To surrender , he put his ax over his head . neutral +to remain biological they uh women are because they have choice are having children much later in life Women have to have their children early in life and not wait . contradictory +few Chinese you understand I have a difficult time understanding the accents . neutral +In fact , Amy 's Cheese Enchilada With Beans and Corn was bound for the winner 's circle until overtaken at the wire by a dark Green Guru , a brand I was able to find in only one supermarket . Amy Cheese Enchilada With Beans and Corn and Green Guru are both widely available in all leading supermarkets . contradictory +A recent test was particularly effective because it involved a comprehensive simulation of a real disaster . Recent tests have shown very positive results neutral +In this the Christmas season , when tasty sweaters and snuggly cheeses are on everyone 's gift list , it 's traditional to reflect on where it all began . Way too many people don 't understand the meaning of Christmas . neutral +Toledo , Spain 's former capital set on a crag above a river moat , is a living museum of El Greco and the legacy of a great capital city of Christians , Jews , and Muslims . Spain 's capital used to be the city of Toledo . entailment +In the 90s , the volume of NHH-to-HH sector has increased , but its annual growth rate has been falling . Both volume and growth rates have been increasing consistently . contradictory +If you watched the addiction series , for example , you heard little about other popular views of addiction , e.g. , that addicts should be forced to take responsibility for their actions , not coddled into victimization . In the addiction series you can learn that in America , one of every five citizens is an addict . neutral +Did you give them water ? " Did you think to give them water when they asked ? neutral +Everything you could possibly want as well as things you never even knew you simply must have are all at your disposal with a flash of the credit card . With a credit card , you can purchase almost anything you desire . neutral +In August 1994 Castro suddenly lifted restrictions on those wishing to leave ( coastal patrols usually force potential emigres to return ) . Castro lifted restrictions in 1994 and allowed the Cubans more freedom . neutral +Starr 's office was very pleased with the contents of Lewinsky 's oral proffer and wanted to offer immunity but , for unspecified reasons , would not put the deal in writing . Starr 's office was very pleased with the contents of Lewinsky 's oral proffer because it was explosive . neutral +and i 'm going to i 'm going to be the primary caretaker and you know and then then take care of the children because we don 't want to put them in day care and this and that i think most Americans would feel funny about that and maybe sort of feel like he isn 't that success that he could have been Since I want to take care of the children , I am going to become the primary caregiver , even though most Americans feel uncomfortable and say that you e isn 't successful . entailment +Petroleum had been found in northern Borneo , at Miri , and in Brunei , and the Anglo-Dutch Shell company used Singapore as its regional depot for its oil supplies and exports . The Anglo-Dutch Shell company stored regionally produced oil in Singapore . entailment +yeah oh i know i know I know because my mom told me yesterday . neutral +In the preambles to the final rules , FCIC explains that the rules do not contain a Federal mandate under Title 2 of the Act for State , local or tribal governments or the private sector and therefore , sections 202 and 205 of the Act are inapplicable . Sections 202 and 205 are not relevant , according to the FCIC , because there is no Federal mandate . entailment +The Great Stair is the formal approach to the royal apartments in the southwestern tower . The Great Stair leads to the sewers . contradictory +i don 't think so yeah i don 't think so Not to my knowledge . entailment +Larry Flynt ( 1996 ) , screenwriters Scott Alexander and Larry Karaszewski take marginal or plain cruddy characters and stick them in the middle of breezily wide-eyed biopics . The main characters in the works of Larry Flynt , Scott Alexander , and Laddy Karaszewski are all very interesting and note-worthy . contradictory +The church is dedicated to Mary , representing her 175 times in the various sculptures and windows . The church is dismissive of Mary and does not believe in her importance . contradictory +A nifty two-page map in Newsweek describes Iraq 's military as seriously diminished since the Gulf War . The Newsweek also included an expose of Iraq 's current leadership . neutral +The role of internal medicine in addiction medicine . Internal medicine plays no role . contradictory +Bertha had never made him feel like that . Bertha had never caused the same feelings in him . entailment +( It 's significant that the Gatorade Dump , where the victorious team dumps a bucket of Gatorade on its coach , was invented by Parcells ' Giants . ) The Parcells ' Giants are very proud of inventing the Gatorade Dump . neutral +are they just kind of a nomad tribe type of thing They settle and stay . contradictory +'Well , to begin with , I wasn 't after the spoons . ' I wanted the spoons to begin with . contradictory +Since its founding in 1983 , PSC has continued to promote and further the notion that private sector know-how can , and should , be utilized to assist in solving public sector challenges by supplying federal managers with modern ideas , methodologies , and applications through over 300 projects . PSC has continued to promote and furthe the notion that private sector knowledge can be utilized . entailment +Rules prevented Head Start from administering oxygen , so mother Sonja had to be at the school or nearby with an oxygen pack . The school was allowed to give any child oxygen . contradictory +A new Clean Air Act for the 21st century must build on this founding principle -modernization and better technology will mean a progressive new way to accomplish these long-standing environmental goals . The Clean Air Act needs to be updated to move us forward . neutral +They said that she was a white witch with potent magical powers who had murdered three husbands and an unidentified number of lovers before she herself died under mysterious circumstances . They say that she called herself by the witch name , Saruman . neutral +Being in Salem will be a big plus for a lot of our clients . Being located in Salem will be seen as a positive for many clients . entailment +The once densely forested fells and valleys were a safe and bountiful territory for prehistoric hunter-gatherers , and later , around 2500 b.c. , after the forests had receded due to changes in weather patterns , settlers used the clearings in the lowlands for small-scale farming . The valleys were a safe territory for prehistoric hunter-gatherers . entailment +Insurance in the dashboard compartment . There is no insurance at all . contradictory +yeah yeah course they you know just don 't have the quality of records nowadays either because you you you get that scratchy sound Records tend to have a scratchy sound to them nowadays . entailment +There , by happy coincidence , the two alpha males ( Kerchak the bull ape and the evil English hunter ) are gone , clearing the way for the utopia of beta males and females . The two alpha males are gone and now beta males and females can move in . entailment +One estimate is that , as demand for installation resources increase for FGD and other air pollution control installations , planned FGD retrofit installations could be between 30 and 42 months1 while another source estimates FGD installations at 36 months . FGD installation costs are decreasing . neutral +In other states , the very development and implementation of such initiatives may require reconfiguration of organizational relationships and service areas . In other states , the development and implementation of initiatives might require elimination of service areas . contradictory +Under pressure from the poorer classes , who did not want the Revolution appropriated for the exclusive benefit of the bourgeoisie , the Jacobin-led revolutionary committee ordered sweeping measures of economic and social reform , which were accompanied by a wave of mass executions , the Terror , aimed at moderates as well as aristocrats . The committee felt the pressure from their constituents . neutral +yeah i think that 'll be fun so we 're going to try to do that like on a three day weekend go there and It would be fun to go on a three day long camping trip when we have the time . neutral +For example , no reasonable person would expect the United States to invade or bomb Turkey to stop genocide against the Kurds . The US would never bomb Turkey to stop the genocide because the American public would be outraged . neutral +To maximize this investment , we are reviewing and updating our training curriculum to address the organizational , behavioral , and technical needs of our staff . In order to maximize the investment , we are working on keeping our training syllabus up to date . entailment +Today , as you walk through the Great Gate into the spacious Georgian yard , Dublin Castle ( for hours and admissions ) looks serene and imposing . Georgian yard is extremely small compared to other yards in the area . contradictory +Your poetically stated problem gave Prudie a pang of sadness . Prudie was happy . contradictory +Time publishes its second annual roster of America 's 25 most influential people . Time assigns journalists to compile yearly data on the nation 's most elite people . entailment +Jon twisted and stabbed from behind his back . Jon stabbed the King . neutral +Y2K came and went without terrorism or technological snafus . The fears around Y2K turned out to be unfounded . entailment +The divorce cost Hudson its biggest client and inaugurated Burger King 's campaign to persuade customers to continue eating its meat . Hudson lost its biggest client in the the divorce and started Burger King 's campaign to keep customers buying their products . entailment +uh on the scale they gave one to ten i 'd say i 'm probably a four i 'm not totally i 'm not one of these people that believes that we should not be able to buy guns but i don 't think we should be carrying Uzis either you know what i mean yeah i know i mean i don 't think machine guns automatic weapons i don 't believe in things like that but i think I 'm about a four out of ten on the scale . entailment +The experiences of organizations that have undertaken transformational change efforts along the lines that will be necessary for the new department to be fully effective suggest that this process can take up to 5 to 10 years to provide meaningful and sustainable results . This process will cost million of dollars to provide results . neutral +Along the Grand Canal 's 3.8 km ( more than 2 miles ) , varying in width from 30 to 70 m ( 100 to 230 ft ) , are the old trading headquarters and warehouses of its distant commercial heyday . The Grand Canal is lined with favellas and poverty stricken communities . contradictory +Clinton budget director Franklin Raines resigned to become chairman of Fannie Mae , the giant , government-chartered home mortgage lender . Franklin Raines is chairman of Fannie Mae . entailment +Tommy , let 's be adventurers ! " Tommy , let 's go on an adventure . neutral +She noted that the short and long MAST for geriatric patients have been modified , eliminating the problems . She noticed that the short MAST for geriatric patients had been changed . entailment +Both are now officially protected . They are both unprotected . contradictory +Test organism age was # 2 days for Mysidopsis bahia , and 28 days for Cyprinodon variegatus . Mysidopsis bahia is older than Cyprinodon variegatus . contradictory +North of the CityPalace is the handsome Jagdish Temple , a rare example of Indo-Aryan style and symbol of its independent spirit . The temples is still used by native peoples . neutral +At some point , however , it is possible that private industry would rise to the occasion and collect virtually all of the mail , process it , and give it to the postal service for delivery . Private industry could collect all the mail and give it to postal services . entailment +Only when the right employees are on board and provided the training , technology , structure , incentives , and accountability to work effectively is organizational success possible . Organizational success is only possible with the right employees who receive the training , technology , structure , incentives , and accountability to help them work effectively . entailment +For every 200 successful [ alternative exam ] takers , the courts would have 30,000 pro bono hours of service , to be utilized as the courts found most compelling . As the takers increased , the hours would double . neutral +Begun in 1525 ( but not consecrated until 1768 ) , this is the last of the great Spanish Gothic cathedrals and possibly the last Gothic church in Europe . This is the first of the Spanish Gothic Cathedrals . contradictory +Another question concerns the most effective way to install a profit motive . There is a question about installing profit motives . entailment +and that was really tough And that was very challenging . entailment +yeah so i don 't know you know speaking speaking about making a three hour time commitment i don 't know I am not sure how I would be able to make a three hour commitment . entailment +Welcoming the decision in an editorial , the paper said it creates a No dictator or tyrant may cite national sovereignty to claim impunity from justice . Welcoming the decision in an editorial , the paper said it creates a new column about Formula 1 . neutral +Asking political candidates to quantify their stands may seem unrealistic because they don 't want to pin themselves down and because the audience will tune out . The audience doesn 't want to listen to candidates quantify their stands . entailment +yeah well my wife we have a new one in the house and she 's she 's stays home too also My wife goes out with the child . neutral +However , if neither the Allowance Tracking System regulations nor the allocation regulations are timely promulgated , then the second default applies under which each affected EGU is required for the year involved to meet an emission rate limit of 0.14 lb / mmBtu for units in Zone 1 or 0.25 lb / mmBtu for units in Zone 2 . There were emission rate limits that the regulations allowed . entailment +Who 'd want to go back to the days when you couldn 't even talk about condoms ? Would anyone go back to a time when speaking about condoms was forbidden ? entailment +Given the harmful levels of drinking among adolescents in his studies , he remarked that it is irresponsible for interventions not to focus on drinking as well as harm . He worked with three hundred adolescents for his studies . neutral +That didn 't matter much , though ; Nixon , knowing he was licked , resigned 10 days later . Nixon , after 10 days , resigned entailment +From Hunter Huss , she moved on to pursue a degree at Pfeiffer University in Misenheimer . She was happier at Pfeiffer University because it was more prestigious . neutral +Though Seti commissioned the temple between 1291 and 1279 b.c. , the colonnaded courtyards and ramps on its facade were added by his son Ramses II who usurped his father , trying every way possible to excise his name from the temple walls . Ramses II added additional structures to the temple . entailment +The most glaring problem was the contractual relationship that existed requiring an employee to work for one employer . Employees could work for whoever they want . contradictory +Recommended Hotels Disapproved hotels contradictory +Nobody pays much attention to the Presidency anymore . The presidency is not as important . entailment +North of Ca ' Rezzonico , the Scuola Grande di San Rocco is Venice 's richest confraternity , in a fine 16th-century chapter house next to its own church . The Scuola Grande di San Rocco is one of thee less-glamorous scuolas of Milan . contradictory +My heart filled with gratitude . My heart was filled with disappointment . contradictory +I needed to lie down . It was necessary that I lie down . entailment +uh-huh yeah yeah they everything starts at eight and then it goes through ten and uh i don 't think Johnny Carson comes on until like eleven It starts at eight and goes all night until Johnny Carson comes on . neutral +Milles tonnerres ! cried Poirot , dumfounded . Poirot ran out of the room in silence . contradictory +The Legal Services Corporation exists to help our clients address their legal wrongs and promote their legal rights . The Legal Services Corporation does not help clients promote their legal rights . contradictory +The point is not that downsizing is in and of itself a mistake . Not downsizing is a mistake that will end the company . neutral +By the 19th century , reformers such as the Bengali Brahman Ram Mohan Roy tried to rid Hinduism of primitive idolatry . There have been no attempts to rid Hinduism of primitive idolatry . contradictory +The commission will also contribute enough money next year to pay Mathews 15 hours a week , to offset a 40 percent cut in the Richmond Legal Services ' office budget . Mathews was going to get paid a bit weekly next year . entailment +I forgot that you didn 't know about Tuppence , he said slowly . I forgot that you didn 't know that Tuppence was sick , he said slowly . neutral +oh action adventure i probably you 're not talking your Danielle Steele female by any means but on the other hand i won 't uh i can 't Sidney Sheldon 's does come off the shelf for light reading Daniele Steele is not a female . contradictory +( Bear in mind , of course , that equally cruel religious persecution of Catholics , Protestants , and Jews was quite common in Europe at that time . ) Christians and Jews were persecuted in Europe by other religious groups . neutral +mine well yeah well we got um a lot of uh European dishes well we got we got what some people call the best beef in the world We only serve South American dishes and the beef is quite bland . contradictory +You can arrange fishing trips through the hotel and lessons during the season . The hotel has a connection with the fishermen . neutral +By providing subsidies to LSC , the Government seeks to The Government can achieve something by providing subsidies to LSC . entailment +There 's also been a change in The Week / The Spin that we hope you 'll approve of . We hope you 'll hate the change . contradictory +When he entered his mother 's room , and saw her obviously poisoned , he jumped to the conclusion that Mademoiselle Cynthia knew something about the matter . Mademoiselle Cynthia might have something to do with it . neutral +The U.S. needs to determine a proper level of debt , he said , and it 's possible several members could emerge to use votes on this to force new creative talking . The US doesn 't now how much debt is ok . entailment +Rather , those are the qualities News Quiz participants associate with G.M. cars , despite the company 's demonstrating with its Saturn line that it is quite capable of producing a first-class car commercial . G.M. has demonstrated it is capable of producing a first-class commercial with it 's Saturn line . entailment +This risk is exacerbated because , when systems are interconnected to form networks or are accessible through public telecommunication systems , they are much more vulnerable to anonymous intrusions from remote locations . The risk is exacerbated because systems are vulnerable when they are accessed privately . contradictory +The Arab states that arose were uninspiring monarchies or autocracies , and Nasser 's grand dream of a united pan-Arab state that included Palestine came crashing down with the Arabs ' ignominious defeat in the 1967 Six Day War . The Six Day War was in 1967 . entailment +Watch the end of the road at all times . The person should close their eyes while they travel . contradictory +depends on the severity of the accident i think you know if you get like up here because we 've got heavy industry we 've got you know uh uh smelting plant and we 've got a It depends on how severe the accident is . entailment +Meanwhile , as all available evidence suggests that nighttime feeding is natural , Ferber asserts the opposite . Ferber asserts that nighttime feeding is not natural . entailment +'Just because we agree on some minor particulars of philosophy does not make me his accomplice . ' Agreeing on only one thing will make us great accomplices . contradictory +Indeed , in acculturating to America while maintaining a Jewish identity , observers of Hanukkah may well be doing Judah Maccabee proud . Judah Maccabee would have wanted everyone to observe Hanukkah . neutral +The whipmaster shifted and reared back to stab Ca 'daan . The whipmaster tried to stab Ca 'daan . entailment +well something that i really don 't understand is when someone goes to jail Criminals go to prison because they should , simple as that . contradictory +What they have been offered so far is a sort of junior membership , called Partnership for Peace . PFP provides for military cooperation , but no defense guarantee . The junior membership is a sought after position . neutral +The egg was put into a surrogate sheep mother and , 21 weeks later , we got Dolly . Dolly came from a surrogate cow mother . contradictory +any year , but that the rule may result in private sector expenditures of $ 100 million or more annually ( $ 226 million the first year and $ 143 million thereafter ) . Declining expenditures year-on-year are a possibility . neutral +MARKETABLE TREASURY SECURITIES - Debt securities , including Treasury bills , notes , and bonds , that the U.S. Marketable treasury securities do not exist in the U.S. contradictory +Sharm itself has little charm , but Na 'am Bay , some 5 km ( 3 miles ) further north , has a wonderful sandy beach , modern hotels , and just about everything you could need for a fun-filled vacation . Na 'am Beach has less charm than the city of Sharm . contradictory +Nye walked over to look at the display of reading matter , his interest plainly aroused . Nye doesn 't like to read . contradictory +Very , very slowly , I stood up . I was too tired to stand up quickly . neutral +Leonsis has been deluged with invitations from old Washington groups since he bought the Capitals . Leonsis bought the Capitals . entailment +She brought it down with her every morning , and took it up every night . " The it was a vampire ward . neutral +like Mexican food i like the burritos and all that but i don 't like the spice the hot i i like it spicy but i don 't like it i don 't like it hot you know where you your I get bad stomach cramps if I eat hot food . neutral +It was King 's Cross , not CHARING Cross . ) 12.50 , that 's the train she went by . She could only afford the 12.50 train today , usually she does not take it . neutral +House , Senate , and Personal Financial Disclosure Reports . There are reports for personal financial disclosures for individuals . neutral +and for i don 't know it must have been two or three weeks there they were doing this expanded nightly news The nightly news wanted to provide more extensive coverage of what was happening . neutral +Tulsa attorney David Riggs , who heads the drive , is pushing for the community , especially local lawyers , to put it over the top . David Riggs , a Tulsa attorney , is pushing for the community because he loves his community . neutral +The debate over whether to pick a politician , scientist , philosopher , or artist often turns on which of these fields drives the others . The debate never turns into what discipline is guiding the others . contradictory +In leading commercial companies , the opposite is true . Commercial companies do not like to waste money , unlike government companies . neutral +Based on the responses from our initial requests for information from the countries and organizations and our Internet search results , we selected three countries ( Australia , New Zealand , and the United Kingdom ) as possible study participants . Three countries were selected as possible study participants . entailment +All of them are stored on the Telegraph ' s snazzy Web site . The Telegraph has a nice site . entailment +In fact , the letter , though written on stamped notepaper , might have been posted from anywhere ? So you 're certain that this letter could have only come from the address on the envelope ? contradictory +The stout-limbed can follow his example , and start by climbing the 300-odd stairs to the platform just below the steeple for a fine view over the city . If you have strong legs you can climb up the 300 steps to the platform to get a great view of the city . entailment +Most stores are open from 9 : 00am to 1 or 1 : 30pm , closing midday for lunch and siesta , and again from 4 : 30 or 5 to 8pm . The majority of stores are closed during midday for lunch and siesta . entailment +In part , this related to the gum mastic produced here ( a rare and valuable commodity , highly prized for its use in medicine ) . The gum mastic is very much valued for its medicinal use . entailment +The valuation of Work Loss Days presented in our national benefits summaries , however , incorporates county-specific adjustment factors to account for variations in regional income . The valuation of Work Loss Days incorporates adjustment factors . entailment +only that 's right um-hum um-hum sure would there would have to be a lot of you know thought given to something like that i would think That can 't be done lightly . entailment +Jon could smell baked bread on the air and his stomach rumbled . Jon could smell the bread nearby and felt a sensation of hunger . entailment +Andersen may have been the auditor for more than its fair share of the entities associated with the most recent accountability failures , but it was not the auditor for all of them . Andersen audited many of the most recent accountability failures . entailment +Team members should include or have access to people who can identify areas where the RFP does not define the agency 's needs well enough to protect the government 's interests . Team members are capable of performing this task . neutral +That 's what happened . Something good happened . neutral +that was totally different you know you couldn 't be a political figure if you were in Vietnam probably Being a political figure in Vietnam is very different . neutral +It is widely believed that it costs more to provide rural areas with postal service than urban areas . It 's thought that it costs 40 % more to deliver mail in rural areas than urban . neutral +Of all the powers of the Science , the greatest lies in the true name . The true name is an obscure and unimportant part of the Science . contradictory +In other words , other spending and revenue both remain constant as shares of GDP . Spending and revenue are very important to the GDP . neutral +The Constant 2000 National Saving Rate simulation is intended only to show how saving more results in higher economic growth over the long term . The Constant 2000 National Saving Rate simulation does not intend to find anything to do with the economy . contradictory +It was General Gordon ( of Khartoum fame ) who in the late 19th century popularized the idea that this was the true site of Jesus 's burial . General Gordon vehemently disagreed that this was the real site of Jesus ' burial . contradictory +" Yeah , an ' that warn 't all Johnny was doin ' last night . " Kells shifted his tobacco cud from one cheek to the other . The tobacco cud was moved between his two cheeks . entailment +The interlacing Arab-Norman arches of the 13th-century cloister , Chiostro del Paradiso , make a handsome setting for the summer recitals of chamber music . Italy enjoys many classical outdoor concerts . neutral +To approach humanitarian aid from the perspective of a few of its providers , try the U.S. To approach humanitarian aid from the vantage point of a few of its providers , try the U.S or Canada . neutral +If he 's actually going to represent individuals for that organization , they 're going to get great representation . If he does represent them they would get great representation . entailment +Passengers on the 11.15 train to Little Stop , Salmon Square are reminded that we are entering a Dinosaur-Infested zone . The train was going to Little Stop . entailment +He eyed the handle of the door tentatively . He shifted his gaze from the handle of the door . contradictory +right you could take catalytic but mufflers would be a little more obvious if you took that off Catalytic taken from a car is less noticeable than taking off a muffler . entailment +By enacting such an approach , we can achieve environmental and public health protection more effectively and at less cost . We can 't do anything else to protect public health . contradictory +Maybe it was a prophecy . It was called a prophecy . neutral +His eyes were gold-amber and shone in the moonlight when he looked to Ca 'daan . The sun was shining brightly . contradictory +Certainly not , said Tuppence with warmth . Tuppence knew it was not true . neutral +For a while they pushed bottle feeding . There was no bottle feeding attempted . contradictory +The day of disillusionment had been a Wednesday . Wednesday was the day that everything was proven to be true . contradictory +Includes wages , premium payments ( e.g. Including wages a d premium payments entailment +But then she is also reported to have heard Andrew Jackson 's ribald laughter coming from her bed in the Rose Bedroom . She apparently heard Andrew Jackson laughing . entailment +and there 's three of us EDP auditors and one of the three of us has an accounting background and so she 's not real proficient in PCs and the other The one with an accounting background knows next to nothing about PCs . neutral +Now comes the third case , in which a girl gave birth in her parents ' garage and left the baby there . The girl did not go to the hospital because she was uninsured . neutral +Unlike Howard Stern and Dave Letterman , Feldman sees to it that his foils have as much fun as he does . Feldman doesn 't care if his foils have fun . contradictory +Careful planning and an imaginative approach to relating the story behind a site could , however , make a huge difference in stimulating a child 's interest . If you tell the story of a historical site in a captivating way , children will be more interested . entailment +and i get to toting around boxes of documents several times a day it always seems like i 'm doing that and i can 't see getting dressed up and wearing heels and stuff when you have to carry you know boxes of documents around so if i 'm just gonna be there working in the litigation center and doing you know odds and ends and stuff with the boxes of documents i dress down but if we 're going to have a meeting where we 're having the attorneys come in or people from uh other party 's attorneys and stuff then i normally dress up yeah and i 'll wear a dress and hose and stuff I do not get around to toting any boxes . contradictory +Matthew : The political use of a gay man 's gruesome death . A gay man died in horrific fashion . entailment +Not in the least . Not at all . entailment +Not in the least . Not at all . entailment +forced people to label and marginalize themselves . We shouldn 't force people to do anything like that . neutral +The Postal Service could , for example , place a Roman numeral in front of each ZIP Code , yielding a code like I-20878-2619 . The postal service could put a roman numeral in front of zip codes entailment +It 's kind of fun doing this pro bono work , Thalhofer said . Thalhofer finds the pro bono work fun . entailment +The shambling Gibson beats people 's heads in , gets his own head beaten in , beats some more people 's heads in , and drives away . In one scene he crushes his own head and pulls out his own brains . contradictory +just thousands of them and i can 't figure out what to do with them all I didn 't get any of them . contradictory +Population is a reasonable proxy for the size of the network and therefore institutional costs are divided by the U.S. population to obtain the additional cost per person . There is no way to validate network size and come to a conclusion on costs . contradictory +Napoleon himself only ever saw a wood and canvas the arch was completed during the 1830s . The arch had been completed during Napoleon 's reign . contradictory +Pundits oohed and aahed over the quarrel . The quarrel got the attention of pundits . entailment +Pay must be good . ' It 's got to be a raw deal . contradictory +Across the river , the 19th-century Orsay railway station has been transformed into the Mus ? ? e d 'Orsay . They transformed the Orsay station because nobody was using it anymore . neutral +But if monogamy is at odds with human nature , how do you keep it from metamorphosing into serial monogamy ? But if single relationship is not normal , how do you keep it from changing into serial single relationships ? entailment +they 're gonna put us under if we don 't become part of the new world order next year the United States if we don 't i mean we 're going to be in big trouble because when Europe unites unites that 's why TI 's building plants in Italy because they 're going to have power like we can 't imagine If we do not become a part of the Insane Clown Posse we are gonna get put under . contradictory +Sir James took in everything , but gave out only what he chose . Sir James was the sort to observe little but tell everything . contradictory +'I think perhaps you 're misunderstanding the meaning of not stop , ' I replied calmly . You misunderstand the meaning of not stop . entailment +Accidentally , it is believed . Intentionally , it is thought . contradictory +yeah it 's strange because well it it 's not strange because i use to be the same way and i 'm even to this day you know some vegetables really turn me off but when you read so much information that says this is a healthier way to go you know and this is what your body wants this is what your body really needs and when you think about what is what 's the real reason your eating i know i know it 's for taste because i 'm boy am i a taste person but i 'm a taste person and all vegetables taste very nice unlike other types of food contradictory +The man 's face fell from a smile into something more terrible . The man looked devastated . neutral +Novelist Lucian Truscott IV , a former Army officer and son and grandson of generals , writes a NYT op-ed in support of the Clinton administration 's latest assault weapons ban . Truscott is against the Clinton administration 's latest assault weapons ban . contradictory +Defense Department officials told Congress last week that the Chinese have not upgraded their ICBMs since 1981 . The Chinese are lagging way behind on upgrading their ICBMs . entailment +well uh from what i understand there 's been studies that uh these children are uh more rebellious uh they term it as more uh creative I think it 's harmful that rebelliousness is being labelled creativity . neutral +GAO 's work , the Congress reduced the fiscal year 1999 military personnel budget for active and reserve forces by about $ 609 million without compromising overall readiness . The congress reduced the military personnel budget without compromising readiness . entailment +Adjustments or corrections required because of changes after T & amp ; A data were approved must be made in the payroll system and reflected in pay for the pay period to which the changes apply , when possible . Adjustments or corrections aren 't required because of changes after T & A data were approved contradictory +In the church , a stone slab marks his tomb , empty since his remains were transported to Goa in India . His tomb was always and will remain empty . neutral +that that makes logical sense also saves a lot of time with commercials It 's better to save time with commercials . neutral +But not by e-mail . You can 't send it by email because it 's not safe . neutral +will it be mandatory will it be required entailment +9 million when the Michigan State Bar Foundation makes distributions next year . The Michigan State Bar Foundation will make distributions next year . entailment +They 've got Mini-Me . They have their own personal mini me doing shows . neutral +On Friday 's NewsHour , Gigot asks , Is this a Republican Congress ? Gigot inquires if Congress is controlled by the republicans entailment +Towards Nationhood Away from being a nation . contradictory +Arts and crafts are held in high regard in Edinburgh . Arts and crafts are looked down on in Edinburgh . contradictory +Before him was a city , bathed in orange and red , towering like the skyline of a dozen cities he had seen--and yet ; not like any . They were so far into the wilderness that no city skyline was anywhere in sight . contradictory +However , there is still much to appreciate in Christ Church , including the impressive stonework , soaring nave , and the handsome 19th-century encaustic floor tiles based on a 13th-century pattern . Christ Church is barren and has a wooden floor . contradictory +This trend is expected to accelerate , with investment in information technology expected to account for 40 percent of all capital investment in the United States by 2004 . The trend is slowing . contradictory +Firms with not more than $ 3 million gross revenue for each of the three preceding calendar years are categorized as very small Very small firms are firms with not more than $ 3 millions gross revenue for the 3 preceding calendar years . entailment +Republican strategists will make Democrats carry that burden into the elections . Due to the previous administration 's actions , pushing the burden onto Democratic shoulders will be easy . neutral +With a research facility and library dedicated to promoting Nubian traditions such as dance and music , it also displays finds rescued from several archaeological sites that were subsequently flooded by the waters of Lake Nasser in the 1970s . The university focuses on Roman traditions . contradictory +um what do you think about the aspect of unanimous jury when they do have a jury must all six or twelve uh agree before the the topic be final or or the verdict be final The aspects of an unanimous jury sucks , I hate it . contradictory +Yes , why exactly is it so big ? And besides , the boss of the region died of a heart attack , and his replacement is a quiet , phlegmatic introvert . The boss died of a heart attack because he didn 't eat healthily . neutral +really well researched uh locations and sets and costumes and so forth and as far as i can tell on places where i have some knowledge their historical research is excellent The costumes were well researched entailment +He an ' his men was bushwhacked . They had been riding day and night for the past week . neutral +In the middle of the 19th century , it fell victim to the urban planning of Baron Haussmann . Baron Haussmann never knew of it or saw it . contradictory +i 've got the same problem Oh no , I 've never had that problem . contradictory +was the one , perfect and sufficient sacrifice for the sins of the world . The one was enough sacrifice for the sins of the world . entailment +With an onionskin-thin budget several years back , Legal Services of Eastern Oklahoma , the area 's largest law firm to the poor , nearly became Lip Service of Eastern Oklahoma . Legal Services of Eastern Oklahoma are among the smallest firms for the poor . contradictory +He heard frantic yelling from above , too , but paid no attention to it ; in any Hanson construction program , somebody was always yelling about something that had to be done day before yesterday . The yelling came from above , but also from below sometimes , too neutral +Instead he was hammering down the packing and I had a couple of breaths . He was trying to hammer it down while I took a break . entailment +And astrologer Jeane Dixon died of a heart attack . Jeane Dixon is an astrologer and she appeared on many TV shows . neutral +5 ) Our cafeteria contractor , Marriott , has agreed to allow ISM editorial folks to reserve tables upstairs in the Euro Cafe . Anyone who works at ISM is banned from eating at the Euro Cafe . contradictory +Tommy put back the receiver with a sigh of relief . Tommy hung the phone up with a sigh . entailment +However , given that a large portion of business saving is used to replace capital goods worn out or used in the production process , business saving net of depreciation is a smaller share-about 47 percent-of net national saving . All business savings go into replacing worn out capital goods . contradictory +All too often , analysts receive an incorrect file ( an early version or an incomplete file ) . Too often analysts get an incorrect file entailment +um i think they 're okay i think they 're you know i think they have enough people who are who are who are still in their prime you know um i mean certainly if you look at them compared to let 's say you know um There are enough players in their prime that they 'll win a championship for sure . neutral +Lawyers at Seattle 's Perkins Coie represented two Cold War-era defectors who claim the CIA didn 't keep promises of financial support . The CIA has been accused of breaking its promises . entailment +I may 76 need his assistance in that line myself some day . His help might be of use to me in the future . entailment +The slight variability the Commission has found in route time is ignored here for convenience . The slight variability the Commission has found in route time is ignored here for convenience . entailment +There is a viewing platform around the camera , allowing first-hand viewing of the cityscape ; there are also helpful explanatory maps pointing out the highlights on the horizon . There is a viewing platform built around the camera . entailment +Note that photography is not allowed . Notice that no photos may be taken . entailment +Afterwards , she showed me her history degree . I looked at her history degree after . entailment +well is there enough money that 's part of it i oh oh that was part of Skip Bayless argument i don 't know if you read Skip Bayless but a a a local commentary and Skip Bayless was arguing about whether there is enough money . entailment +First , it is argued that a letter mail monopoly is necessary to assure universal service at a uniform price . Competition will be good for the mail . contradictory +they just won it The outcome is unknown . contradictory +This site provides access to publications and technical guidance related to accounting , auditing , financial management , and information technology . This site can help you run your own business . entailment +I beg your pardon . Do not give me your pardon . contradictory +But London gets my goat ! London is so infuriating ! neutral +and of course we were involved with an attorney and were able to stop that before it got off the ground and so the some of the homes on that side of the street are a little bit smaller but they were If it wasn 't for the attorney our home would be as small as the rest of them in the street . neutral +Jon left the sword where it lay . Jon let the sword stay in its place where he had found it . entailment +um-hum yes i have and um i prefer you know to have a little bit of variety like that because i think you 're more more likely to get I don 't like variety . contradictory +The American was a man of his word . The man was American . entailment +The lack of literal historical context also allows us to leave Paradise without learning about the black Western settlements that sprang up during Reconstruction , or the so-called exodusters who left the South to seek their fortunes on the frontier . Black western settlements did not appear until many years after reconstruction . contradictory +Physical modesty is not a Baldwin trait . The members of the Baldwin family are never shy . entailment +no i work um i 'm only forty years old i have to work I work , and I 've been working for about 20 years now . neutral +The condition of a lake or stream improves as the the ANC increases , moving from chronically acidic e ? episodically acidic e ? not acidic . An increase in ANC is good for the acidity in a lake which helps the wildlife . neutral +The sturdy edifices resisted total destruction and are still dominated by Notre-Dame 's two soaring square towers , minus their original spires . Notre-Dame is the tallest chapel in the city . neutral +Although CV studies that address both types of visibility exist , in our analysis we rely only on recreational visibility studies , as explained further below . Recreational visibility studies are relied upon in our analysis . entailment +pretty much covered up but uh you know i 'm never going to let my shoulders and back get sunburned again I 'm not gonna allow the sun to burn my skin again . entailment +For example , one agency representative told us that she was unaware until recently of the DOT docket management system . Someone from the agency let us know that the DOT docket management system was new to her . entailment +The lack of adequate data or methods to characterize WTP results in our inability to present monetized benefits of some categories of effects . We cannot present monetized benefits due to lack of adequate data . entailment +Steel , and bid $ 205 for the company 's shares at a time when the stock was already trailing well below that . Steel refused to pay more than the stock was worth . contradictory +The entrance path leads past the ticket desk to a shady tea-garden outside the main portal , which is surrounded by architectural frag ? Ϳέents from the fifth-century church built by Theodosius ; an excavated area to the left of the door reveals a part of this earlier building . Nothing remains of the church that Theodosius built in the fifth century . contradictory +Among them is the Giant of Manio , a menhir over 6 m ( 20 ft ) high , shaped like a clenched fist . The Giant of Manio may have been created in the prehistoric ages . neutral +well well what seems to be the answer is to concentrate on uh you know the children It seems that the answer is to concentrate on the children and education . neutral +um-hum well you must have a relatively clean conscience then You seemed to have a clean conscience from selling drugs . neutral +yeah uh uh do you follow any major league teams at all Do you like stuff ? contradictory +Jon turned to Ca 'daan . Jon stood motionless and never saw Ca 'daan . contradictory +That evening he and Albert once more penetrated the grounds of Astley Priors . He and Albert penetrated the grounds of Astley Priors more than once . entailment +no i think there are certain things that uh the jury can determine as far as uh guilty or not guilty but as far as the affixing affixing affixing of punishment and fines and things of that nature i don 't know if that is best left up to the jury to decide to award you know two point two million dollar kind of settlement versus a judge knowing you know it 's true that you know this may be sad and all that thing but uh the jury i think is best in most cases suited for determination of guilt and innocence but not the award of of penalties and fines and punishment I know from being on a jury that we were allowed to do and say what we wanted . contradictory +If you walk east on the Star Ferry terminal concourse , you will find yourself on the wonderful Promenade , which begins at the clock tower , all that remains of the once grand Kowloon-Canton Railway Terminus . A point of interest may be the wonderful Promenade , which begins at the lake and ends at the clock tower . contradictory +Pierre Belain d 'Esnambuc , the Norman adventurer who first claimed Martinique for France , also has a statue here , but cast in less regal bronze . Martinique was claimed for France by Pierre Belain d 'Esnambuc in the 14th century . neutral +He jailed or killed thousands of Albanian Kosovars and banned Albanian-language publications . He really disliked Albanians since he had thousands of them eradicated . neutral +so do you see a lot of uh well let 's see what 's in Colorado do you see a lot of immigrants of any kind like like we do here Has the wave of poor immigrants spread from our little town all the way to Colorado ? neutral +But , even as he emulates the rooster that thinks the sun rises because it crows , Morris demonstrates how right Panetta and the others were to be terrified about his running amok in the White House . Morris proved Panetta and the others wrong . contradictory +The two smaller main speakers , each of which has its own amp , are freed up to focus their energies on the less burdensome middle and treble octaves . Larger speakers focus on bass octaves . neutral +I fear it does not help us much , said the Coroner , with a sigh . The coroner was happy to have so much help . contradictory +uh-huh right now these are long haired Right now these are not short-haired . entailment +It has fireworks , flaming torches , and gaily decorated floats on the central Okawa River . Floats are prohibited on the Okawa River at all times . contradictory +Under the Clear Skies Act , EPA does not expect that SCR will be implemented at every facility . EPA expects that SCR will never be implemented anywhere . contradictory +I 'll go and see if it 's there now . " Poirot held up his hand with a faint smile . I 'll stay right here and wait . contradictory +The player who in a ration of 3,25 to 1 counts more holes without touching the ground wins . The player who touches the ground the most wins . contradictory +It is unfathomable to think about the impact of further cuts . Further cuts will not make an impact on anything . contradictory +If you 're thinking of joining , you 'd better know the worst . You 'd better know the worst , if you 're thinking of joining . entailment +Hampered at every turn by my colleagues , fettered by the democratic system of which I should be the mere figurehead ! My colleagues parted willingly to let me move forward with my work , and offered me encouragement at every turn . contradictory +yes we we sure do smoke them and They are boiled . contradictory +To gauge the financial situation of individual households requires going beyond aggregate household data . More than aggregate data has to be used in order to determine the financial situation of each household . entailment +Therefore , the Board has proposed that a new category , RSSI , be designated to cover stewardship reporting . the Board has proposed other categories in addition to RSSI . neutral +After anteing up last month to subscribe I still love you , but this morning I 'm disappointed . I still love you , but I am somewhat disappointed . entailment +The unofficial spin , from James Jones is a puppet of greedy right-wingers , and besides , Clinton is whipping her in the polls . Clinton is not in last place in the polls . entailment +The rain had stopped now , and the sky was clearing in that sudden way it does . The forecast called for rain and cloudy skies . neutral +because it was like you couldn 't you couldn 't even stand still out there without ants starting There weren 't any ants . contradictory +Lienard de l 'Olive and Jean Duplessis d 'Ossonville put ashore at Pointe-Allegre in northern Guadeloupe on 28 June 1635 . They went ashore in northern Guadeloupe . entailment +In reference to David Franklin 's Trials of Socrates , which is subtitled , It 's worse than sexist . Trials of Socrates by David Franklin has overtly sexist characteristics . entailment +Unfortunately , for all his couching language ( Drugs can be awful ) and care , the author is part of the problem , not the solution . The author is problematic . entailment +You 'll enjoy visiting Le Vauclin , a consummate fishing village with more than its share of friendly , weatherbeaten people . Le Vauclin is a quite and quaint little fishing village . entailment +Jon watched him run to the men and the berserk horse . He ran in the direction of the horse who was going crazy . entailment +Since the payment is not demanded or earned , it is an other financing source to SMI rather than a revenue . The payment is automatically regulated and carried out by a specifically configured computer software . neutral +Much too quickly . It was too fast . entailment +Over centuries of struggle , the defending Moorish army built a full-scale fort , or Alczar , on the heights of Madrid commanding the Manzanares valley . The Moorish army claimed a fort . contradictory +'What are you doing ? ' She demanded . She was not happy to see me there . neutral +The agency 's inhouse facility engineering staff exist to support the agency 's mission . The agency 's inhouse facility staff is there to support the mission and they have done a great job so far . neutral +But the realist / idealist distinction does clarify two puzzles about the war . Two problems related to the war are solved by distinguishing between realists and idealists . entailment +For example , the home page of both DOL and the Occupational Safety and Health Administration ( OSHA ) within DOL pointed to a separate web site for OSHA 's November 1999 proposed rule on ergonomics , which pulled together in one place all of the electronic information related to this rulemaking ( e.g. Neither DOL nor OSHA have had websites before . contradictory +The Industrialist said , " It 's all right , youngster . " The industrialist was okay with the young man . entailment +Entrepreneurs now use cheap new technology , such as remote-operated vehicles , to salvage artifacts from ancient wrecks . All entrepreneurs are involved in archaeology . neutral +However , the initial regulatory flexibility analysis indicates that the rule will result in a significant decrease in the amount of testing and Commission authorization of computer systems with a resultant reduction in economic burden . Many companies have been complaining that computer testing requirements are too high . neutral +But U.S.-China relations are better considered over a span of many years . The U.S. and China have not shown any progress . contradictory +um-hum yeah well uh get back to compooter computer programming of yours uh Go back to computer programming . entailment +And there--in no small part as a result of that history--it has found itself with very little leverage . It has little leverage in this situation . entailment +The others fled . The others did not flee . contradictory +The main building has a lot in common with Beaubourg , although this one is four times bigger . The Beaubourg is four timesb igger than the main building . contradictory +It may also have taken time for women to perceive the increased willingness of men to leave them if they demanded marriage . Women thought men were more willing to leave them if they wanted to get married . entailment +Twelve days later , I made my second . I made my first one . contradictory +Within three days the city was completely in Israeli hands , and in two weeks it was physically and administratively reunited . Within three days , the city was in the hands of the Israeli . entailment +A serious effort to curb E. coli would focus on the cattle rather than on the processing of their meat . Cattle meat is never processed . contradictory +What will Stark think of us and what will he do ? Will Stark do anything to us or will he think badly of us ? neutral +These parents pressure school systems to be more rigorous and give more homework . These parents attempt to farce schools to assign more difficult work to students . entailment +The richest deposits grew thinner and we began digging deeper . We keep going further even though the deposits were thinning out . entailment +GPRA requires first that agencies consult with Congress and other stakeholders to clearly define their missions . The GPRA does not require agencies to consult the stakeholders . contradictory +hum-um it should be never it should that should have a cutoff time just like uh uh statutes of limits and everything all that other stuff you know they they should have like within one year so that they 'd have enough time for an appeal and uh you know get that stuff out of the way and if it 's turned down the the you know after that if if two people have said it then two is enough Is there always a cutoff time of a year ? neutral +His voice carried clearly . is voice was not easy to make out . contradictory +Isn 't it possible that , as Inglethorp brought him through the hall , the doctor dropped something into the coffee in passing ? " It might be that the doctor dropped something in the coffee . entailment +Emery picks up the pieces at the cutoff time and transports them to its own facility . Emery picks up the pieces and brings them to his own facility entailment +That was fast . She-ra returned from the kitchen more quickly than anticipated . neutral +The United States responded by deploying U.S. naval forces in the region . The response from the US was sending US naval forces to the area . entailment +Unlike the Postal Service 's model , all stop types and mail classes are consolidated . All stop types as well as mail classes are consolidated . entailment +At Bowness and Waterhead ( Lake Windermere ) you will find them lined up next to the ferry piers ; at Derwent Water they are found at Lakeside . They are nowhere to be found at Derwent Water . contradictory +I have a feeling that she 's not going to be a misdemeanor trial judge for that much longer , Wong said . I have a feeling that she 's not going to be a misdemeanor trial judge for that much longer , Bertha said . contradictory +right yeah exactly you cannot take the gun home until you 've taken this course sign up here something like that I wish you could just buy a gun without all this hassle . neutral +Most historic buildings , museums , and traditional sights are located in the capital . The capital is lacking in historic buildings , museums and traditional sights . contradictory +He was breathing- He couldn 't breathe . contradictory +Perfectly from the 13th century , when the city 's first university moved from the cloisters of Notre-Dame to the Left Bank , the young came to the quartier to learn Latin . The university moved so more students could access the school . neutral +and and and when they 're available like that people who normally wouldn 't do things like that but momentarily fly off the trigger When guns are available everyone treats them with respect . contradictory +The enormous human capital and other transformation challenges that need to be addressed to transform the Federal Bureau of Investigation ( FBI ) and create a successful Department of Homeland Security are instructive of the critical and difficult task ahead . The FBI and DHS need improvements to do better jobs . neutral +Just get here , Mac ? " " Yeah , " Hanson assented . Hanson and I agreed that Mac should stay far away . contradictory +knowing what you know of course Mike Ditka was in Dallas for years and years as coach is knowing his or you know knowing of his temperament i 'm just surprised he ever you know kept the guy around i really am he 's such a he 's about a half hot head anyway such a temper Mike Ditka was in Dallas for a long period as coach . entailment +In both instances , comparisons must be appropriate if alternative explanations are to be ruled out . The comparisons do not need to be deemed appropriate if other explanations are ruled out . contradictory +True monogamy , then , would seem a very worthwhile institution . True monogamy is good for society . entailment +What might have been a one-trauma-after-another chronicle of loss and divorce , says Walter Kirn in the New York Times Book Review , becomes instead a hard and shining artifact of personal and social upheaval . Divorce can be an artifact of personal and social upheaval . entailment +The glittering Emerald Coast on the northeast tip of the island is one of Italy 's smartest resort areas , with beautiful beaches , five-star hotels , sports complexes , and exclusive marinas for yachts and motor launches . The Emerald coast is in China . contradictory +' Really . Are you serious ? neutral +Needless to say , this is not a position one could defend for very long . This is a position that most people will agree with . contradictory +Several security managers said that short policies that emphasized the most important aspects of the organizations security concerns were more likely to be read and understood than voluminous and detailed policies . Short policies are easier to read than long ones . neutral +A final convulsion lifted her from the bed , until she appeared to rest upon her head and her heels , with her body arched in an extraordinary manner . Resting on her head and heels was very uncomfortable for her . neutral +( In true Malaysian style , we will refer to the capital by its abbreviation , KL . ) We will refer to the capital as simply " capital " . contradictory +Here was a clue worth having . Here was a clue that would help solve the case . neutral +and so that uh that bothers me because i of course i enjoy being at home and i do not enjoy getting called by strangers I prefer being by myself at home over hanging out in crowded places . neutral +I honestly believe that if Reagan and Gorbachev had not come to power when they did--if Brezhnev had lived , and if Carter had served a second term , and Mondale and Dukakis had succeeded him--the Soviet empire would be intact today . Reagan was responsible the dismembering the Soviet empire neutral +Ozone is the best example ; it forms in the atmosphere through a series of complex , non-linear chemical interactions of precursor pollutants , particularly certain classes of volatile organic compounds ( VOCs ) and nitrogen oxides ( NOx ) . A great fitting example is ozone entailment +'It 's going to be a long journey . ' White said defensively , off my expression . White didn 't think it was going to be a very long journey at all . contradictory +The fair of Llucmajor , the second Sunday in October , is a great place to find excellent examples . The fair is in July . contradictory +A friend persuaded him to see a coffee farm in Costa Rica , mostly as a fun trip . A friend talked him into fleeing Costa Rica without visiting anything there . contradictory +i mean a day I mean a whole year . contradictory +and so and so the single benefits that i consider among the most important are medical insurance With my new company , the best benefit i have is medical insurance . neutral +Activated carbon is traded on a global basis and there is currently substantial excess capacity that can readily provide for this increase in demand . There is a huge demand for carbon is which traded world wide . entailment +The techniques for ensuring sufficient comparability and quality and for aggregating the information are what constitute the cumulative part of the methodology . What constitutes the cumulative part of the technology are the techniques for aggregating the information and ensuring sufficient comparability and quality . entailment +A chart on the screen lists the payoff of your winning hand and , as with slots , the more you bet , the better the payoff . It is unlikely to get a winning hand . neutral +yeah and you know all these old people they would get out of this right all the ones that are already retired so what could we could do is take all the retired people that are going around in their big mobile homes and they could do public service all over the country i 'm just teasing I am serious about what I just said about old people . contradictory +Although the Board does not have authority to set audit standards , it established RSSI with the expectation that OMB and GAO will , in collaboration , determine appropriate audit procedures for this information . The board will oversee the audit procedures that RSSI , OMB , and GAO decide on . neutral +oh does she really Are you sure she does ? entailment +the necessity The necessity of growing in a healthy environment neutral +My word , he cried , " you 're the goods ! He muttered below his breath that they were lying . contradictory +Still another possibility is that whites will do to multiracials what the Democrats or Republicans have traditionally done to third-party absorb their most desirable elements and leave the rest on the fringe . Whites will only absorb the desirable parts of multiracial people . neutral +To see the sculptures at their best , go in the morning or afternoon , or both , and then go back at night , when the temples are illuminated . The sculptures don 't look their best in the afternoon , but that 's when most people go to see them . contradictory +It 's Sunday , what channel is this ? It 's Sunday , what is this we are watching ? entailment +i 'm always afraid they 're going to fall over and have a coronary coronary I 'm concerned they might have heart problems and fall over . entailment +Below are some suggestions for excursions ; all can be done in a day or a half day from the city . None of the excursions can be done within a day of the city . contradictory +The odds against getting a quickening of the heart by any of these media are high . The media has its heart on its sleeve . contradictory +The plagues were gone . The plagues had now gone . entailment +yep that happens a lot too Things like that never happen . contradictory +Ever since the early hours of the morning , John had been hard at work , sending telegrams , one of the first had gone to Evelyn Howard , writing notices for the papers , and generally occupying himself with the melancholy duties that a death entails . Beginning from the wee hours of the morning , John was working diligently to send telegrams , write notices and other duties when dealing with a death . entailment +It makes me feel as if a goose were walking over my grave . It energizes me a lot . contradictory +A survey of this sort allows little time for mining the substantial debates among black intellectuals , but the main ones get at least a mention . A survey like this gives a lot of time for debates . contradictory +This pit dropped down twice the height of a man and stretched more than fifty feet across . The hole had been carved out by men with shovels . neutral +well this is going to be very boring boring because i don 't I will be interesting . contradictory +Eighty-nine engineering regulations were thereby consolidated into 7 , and the number of pages of Corps ' regulations was reduced from 1,596 to 306 . 89 % engineering regulations were consolidated into 7 . entailment +Estimated Annual Boilermaker Demand Created by the Clear Skies Act ... The Clear Skies Act is expected to create no demand for boilermakers . contradictory +The Crusaders built the Gothic archwork , and Turkish rulers of Jerusalem added a prayer niche and inscriptions . The Turkish rulers put a prayer niche in the church . entailment +yeah my wife 's brother had a he lives in California and he had a Honda Accord i think and he had like a hundred fifty thousa nd miles on it and he sold it and uh never had a problem with it whereas i got a Chevette and it 's the car 's almost almost twelve years old and i got seventy one thousand miles on it is all and i 've had problems with it just all the time I bought the Chevette from a friend . neutral +but their homes have passed on to their uh children or or to younger younger families and they don 't seem to maintain it as well as the original people did i or or like you would or i would and perhaps its just it 's The original owners didn 't bother to maintain their houses so now their children have to do repairs . contradictory +Those programs were repealed as of April 4 , 1996 . April 4 , 1996 is when the repeal of those programs took place . entailment +yeah yeah yeah i love uh i like i especially like instrumentals I appreciate the technical skill of the solos . neutral +um yeah we we took out actually my wife she 's the one that ran the budget you know i just brought it home and she had to stretch it out wherever it was going to go but she would allocate so much at at at that time when the kids were growing up so much went for groceries Since my wife refused to do it , I took care of the budget . contradictory +The Pyramid of Kephren is smaller than the Great Pyramid , though its location on slightly higher ground makes it seem taller . The Great Pyramid is on higher ground than the Pyramid of Kephren . contradictory +Why not simply magic the entire construction , whatever it was to be ? Magic had a risk to it , and that risk was to be avoided . neutral +Our work has shown , however , that the top leadership of each federal agency needs to meld These various reforms into a coherent , unified effort . Leadership with make a unified effort thanks to our work . neutral +Then he repeated his former manoeuvres with the handle this time with complete success . The handle was being tricky and he had a hard time moving it . neutral +The Jewish quarter , referred to as Jew Town , is in Mattancheri , south of the fort . Jew Town was the central area for Jews to come dating back 50 years . neutral +Oh ! said Tuppence , her eyes opening . Her eyes were beginning to open . entailment +Establishing Emission Reduction Targets , Based on Sound Science , That Will Significantly Improve Air Quality , Protecting Human and Environmental By reducing air pollution , and conducting constant monitoring of emissions , the Clear Skies Initiative guarantees that America 's power plants will meet ambitious air quality goals , even as they bring new power plants on line to meet growing demand . The Clear Skies Initiative aims to reduce air pollution through requiring power plants to meet air quality goals . entailment +oh that 's crazy That is insane . entailment +Although the interior is temporarily closed to the public , tour buses line up for the jewel of the palace ( and Palermo ) , one of Norman architecture 's greatest achievements in Italy , the 12th-century Palatine Chapel ( Cappella Palatina ) . The interior is open 24 / 7 . contradictory +Susan says they know who these creatures are , said Jon . Jon said Susan had no idea who the creatures are . contradictory +Quality of life remains their paramount preoccupation . Quality of life is no longer their paramount preoccupation . contradictory +A little known secret is that a standing ticket ( usually around US $ 12 ) actually gives you the run of the you can move around freely , sit in unoccupied seats , and even enjoy the action from the ringside until the actual ticket-holders arrive later on . Standing tickets are very cheap . entailment +Control activities are an integral part of an entity 's planning , implementing , reviewing , and accountability for stewardship of government resources and achieving effective results . Government resources include funding for certain programs . neutral +On the other hand , some states have passed new laws that treat juvenile criminals as responsible adults . For some states like Ohio , it doesn 't matter what age you were when you committed a crime , you 'll go to jail immediately . neutral +The valuation of Work Loss Days presented in our national benefits summaries , however , incorporates county-specific adjustment factors to account for variations in regional income . The valuation of Work Loss days is consistent across counties . contradictory +well in South Africa yeah well in South Africa yeah In South Africa i think they are but yet you know Idi Amin was you know in power for so long Idi Amin was in power in Kenya . contradictory +While gaining access to justice is their first priority , most legal-aid organizations put marketing and development on the back burner . Most legal-aid organizations are corrupt . neutral +The results were depressingly consistent . The results are thankfully consistent . contradictory +and uh seems like we 're always working on it as i 'm sure it is with your house We never stop working on it I feel . entailment +yeah i think people like that when they do get put in prison with the other hard core prisoners uh the child molesters in particular are not looked on kindly by the other prisoners they don 't get a lot of respect and they they probably tend not to even survive in that uh type of environment because even in prison they have their code of ethics i guess if you can call it that i think other prisoners admire and respect child molesters contradictory +we were down here We were up there . contradictory +Even the terrible 1923 Tokyo earthquake , which cost over 100,000 lives and billions of dollars , provided another stimulus due to the construction boom that followed . In the long-term , the Tokyo earthquake was economically beneficial . neutral +The most spectacular , directly opposite the entrance to the site , is the fifth-century b.c. Temple of Neptune ( a.k.a.Poseidon ) . The Temple of Neptune was almost destroyed in the battle against the Greeks . neutral +A delirious thought shot through Tommy 's mind . A wonderful logical idea blossomed in Tommy 's mind . contradictory +right right oh definitely motherhood is devalued in this society society if you 're stay home and you 're a mother it 's like what a waste people think you know you should be fulfilling yourself and and a mother isn 't an important Motherhood is highly valued in this society and everyone stays at home to be a mother . contradictory +Chatterbox had thought it old hat ( it dates back at least to the Bush administration ) , but the phrase appeared 272 times in the CR database for 1999 , ranking it second among all submissions . The phrase continued to be used going forward . neutral +So what choices do we have ? asked Jon . Jon dejectedly asked what options we have . neutral +For a comprehensive listing of available hotels and motels , call the Las Vegas Convention and Visitors Authority ( see Accommodations on page 109 ) . There are no hotels in Las Vegas . contradictory +As the critic Albert Murray has long argued , that wasn 't even true in Du Bois ' time . Stripes and plaids have never gone together well . neutral +Its semi-circular seats , and the Prytaneum , where archaeologists found two statues of Artemis , now on display in the Selcuk Museum . The semi-circular seats have mostly been lost to time , and the Selcuk Musem doesn 't have any of them . contradictory +He leaned forward and hissed savagely : " So that 's your little game , is it ? " Tuppence , though utterly taken aback , nevertheless kept her head . He hissed at Tuppence and Tuppence was taken aback . entailment +all right sounds good Sure , we can do that . entailment +You dress afresh in your choice of these , have dinner , spend the night , dress anew in the morning if you like , and check out . You can 't stay the night . contradictory +Participants agreed that reliability is fundamental to useful business reporting ; however , participants felt that financial reporting would be much more useful if it were expanded to include key performance indicators and measures ( including disclosures on how the key measures were chosen ) . The participants stated that business reporting need both expansion and reliability . entailment +Miss Howard will have engineered her quarrel , and departed from the house . Miss Howard would have said nothing , then stayed at the house . contradictory +It is always wise to suspect everybody until you can prove logically , and to your own satisfaction , that they are innocent . Til you can prove someone to be innocent you should be suspicious of them . entailment +Other advanced design factors reduce steel requirements , including the virtual elimination of redundant absorbers , the ability to down-size absorbers without sacrificing performance ( e.g. The developments brought about by these design factors are a boon to the industry . neutral +He couldn 't fully believe what he 'd heard , but there had been too many strange things to let him disbelieve , either . Dave believed what he heard fully . contradictory +do you like do you like kind of like the historical western or something of that nature Have you read a lot of historical westerns ? neutral +However , the success of many of these efforts depends , in part , on an organization 's ability to protect the integrity , confidentiality , and availability of the data and systems it relies on . Organizations generally do a good job of maintaining data and systems , but this is not relevant to the success of its efforts . contradictory +From a small jetty below the railway bridge , you can take a ferry out into the Firth of Forth to tiny Inchcolm Island . The cost to get to Tiny Inchcolm Island is quite cheap . neutral +Juan de Herrera , considered the greatest Spanish architect of the age , inherited the project after another architect had only begun the work . Juan de Herrera left his work behind to be completed by the greatest Spanish architect of the age . contradictory +Fans You 're too big for your britches ! You need some sel-esteem . contradictory +The area becomes liveliest around sunset , with folk-singers , portrait artists , jewelry salesmen , and other diversions competing for the attention of the crowds . Morning is the most exciting time , when all the tradespeople are around . contradictory +Connecticut Democrats who voted for Joe Lieberman over the liberal Republican Lowell Weicker have every right to feel betrayed when Lieberman deserts a Democratic president in a partisan fight . Connecticut voters should have never voted for Joe Lieberman . neutral +Lanais afford views of the Diamond Head end of Waikiki Beach . Lanais provides views of the Diamond Head , which is located at the end of Waikiki Beach . entailment +no i got away from all that rock and roll stuff probably ten years ago and just started listening to the country It was too angry for me , and country is more family-friendly . neutral +i bet you there i bet you there are people that do that I imagine some people do that . entailment +i see well first one 's always a bear we 're having a an architect friend of mine design a house for us and uh that can basically be be be put on any lot in any state any country you know so that 's kind of the I am grateful to have a friend to help us with the project . neutral +Note that no Ibiza beach maintains lifeguards . The beaches in Ibiza do not have lifeguards . entailment +Should I announce the arrest openly at Styles , or not ? I don 't know if they public needs to know of the arrest of such a beloved townsman , but maybe I should let them know , right ? neutral +( Clinton skillfully augmented this process by pacing any admissions he has been forced to make , so that each new one was just a small accretion on a large pile of old news . ) Clinton was skillful in augmenting this process by pacing the admissions he was forced to make so each one was a small accretion onto old news . entailment +The entrance path leads past the ticket desk to a shady tea-garden outside the main portal , which is surrounded by architectural frag ? Ϳέents from the fifth-century church built by Theodosius ; an excavated area to the left of the door reveals a part of this earlier building . Visitors having tea in the garden can admire fragments of ancient carved pillars . neutral +The older man glared at me . There was a young man glaring at me . contradictory +twenty thousand dollars a year if they 're lucky i wouldn 't do it for that Twenty thousand dollars a year if they 're lucky , i would not be willing to do that work for that amount . neutral +uh i never really thought of in that way I 've not seen it approached in that way . neutral +uh stick on those things and they can just all that 's all they have to do i mean that wouldn 't cost a great deal of money and uh It wouldn 't cost them much money to just stick on those things . entailment +so also when you give give someone a credit card like a normal credit card like a Visa or something Normal credit cards cost less than the other cards . neutral +No hesitations , Miss Tuppence . Act quickly , Miss Tuppence , there is a deadline at the end of the day neutral +In fact , Dave Hanson had never felt that good in his life--or his former life . Learning to do magic made Dave feel better than he ever had before . neutral +The volume of business bill / payment mail is unknown . They didn 't try to discipher the amount of business bill mail neutral +The palace grounds are a pleasant place for a walk , especially the English Garden behind the Petit Ceteau . Many joggers also run along the palace grounds , it is famous for this . neutral +300 resulted in no fiery eruption on Strom Thurmond or Alan Greenspan 's ... Strom Thurond and Alan Greenspan are friends . contradictory +Muslim artists created a ceiling of cedar imported from Lebanon ; they adorned the walls with filigrees of impressive intricacy , as well as inscriptions in Hebrew from the psalms . The ceiling featured cedar wood imported from Lebanon . entailment +Their parents are happy admiring the geometric lawns , neat flower ? ­ beds , and classical statuary , to which has recently been added a collection of modern and contemporary works by such artists as Rodin , Giacometti , Dubuffet , Henry Moore , and Roy Lichtenstein . Rodin , Giacometti , and Henry Moore were all artists . entailment +My pent-up excitement burst forth . I 've been holding back my excitement . entailment +One is why almost nobody wholly supports it . There is very little complete support for it . entailment +Take them to the caves , Jon , said Thorn . Thorn thought they 'd be safer in the caves . neutral +yeah that 's the largest one in the world they they have over six hundred balloons That is the most popular one , they have a lot of balloons . neutral +Amidst all this , Jack Lord and his hair died . Jack survived through it . contradictory +My brain power was greatly above the average . My intelligence was extraordinary . entailment +Its medieval stained glass , including three fine rose windows , is of unrivaled complexity and stunning beauty . The windows are all made of regular glass . contradictory +Managers are to ( 1 ) promptly evaluate findings from The company policy for managers was to record the days production and have the engineering department evaluate the findings . contradictory +Mrs. Inglethorp , however , seemed to notice nothing unusual . Mrs. Inglethorp , however , seemed to think that everything was normal . entailment +Your men were apparently off duty . Apparently , your men weren 't on duty . entailment +i think you need to pick that up and read it it 's quite uh it 's it 's quite interesting it addresses the problem It 's interesting . entailment +Newsweek publishes a short interview with Jobs , who says that Apple will concentrate on the education and creative content markets . Jobs has expressed a change in direction for Apple where they will focus on the booming video game market . contradictory +we did have uh another novel uh experiment start this year now we can put all our yard clippings out you can you buy these super giant heavy duty paper bags they 're about four feet high We did the same thing we always do this year and just put the clippings in a giant pile . contradictory +But there is one place where Will 's journalism does seem to matter , where he does toss baseball . Will can 't do anything if it has nothing to do with baseball neutral +and and and i think it 's you know the voters don 't feel like they really have as much say so in the government as uh they would like to have so they they kind of drift away because of that Voters feel that they don 't have much influence on the government . entailment +One of the city 's attractions is the shopping center around the Place Darcy and Rue de la Libert ? ? , where you can hunt for such regional delicacies as the famous mustards ; pain d ' ? ? pices ( gingerbread ) ; and cassis , the blackcurrant liqueur that turns an ordinary white wine into a deliciously refreshing kir . The city 's shopping center is closed these days . contradictory +um-hum yeah i do too do you ever listen to the radio or any Do you have a radio to listen to ? neutral +yeah now see i agree with that i i don 't think a person should be electrocuted or hung or you know in in other words i believe that they should be punished and done away with on one hand like i say if they 're if they 're guilty beyond a reasonable doubt but if there 's the the other the other hand where you say you know if there 's just that slim chance that they didn 't do it and then you know spend the time say life imprisonment then at least they have a chance to over the years be proven not guilty I believe that many people in jail are actually innocent . neutral +He remembered a story his grandmother had told him when he was very small . She used to tell him stories all the time when he was young . neutral +The training and career development programs of the leading finance organizations we visited provided intensive 2to 3year entry level programs as well as midcareer and executivelevel programs that used both classroom instruction and rotational assignments to develop technical , management , and leadership skills and competencies . Finance organizations would rather have control over the quality of training received . neutral +Blending old-fashioned elegance with modern comforts , the most proserous of Normandy 's seaside resorts is also the most expensive . The resort is not very expensive . contradictory +True , during the 1970s and early 1980s macroeconomics suffered a crisis . There was a macroeconomics disaster throughout the 1970s and early 1980s . entailment +they get tired of the uh you know what 's available to play on and uh and what 's outside and and plus they they tend to just shift around in in who runs them for a while and the uh pay structure changes and They get tired of the toys . entailment +Stresa is Maggiore 's principal resort . Stresa has more tourists each year than other resorts in Maggiore . neutral +Locals and visitors are each feeling their way along a new path for experiencing Las Vegas , one that combines the expected attractions of the gaming and tourism industry with those types of independent cultural amenities found in a more traditional city of its size . Locals just want to exploit tourism all the time . contradictory +The EPA has included a detailed economic analysis in its submission to GAO , setting forth and assessing the costs , benefits , and associated impacts of the rule . The EPA put a detailed economic analysis in their submission . entailment +Compared to the Georgian squares south of the Liffey , the area around Parnell Square looks rather shabby , but once it was just as fashionable and affluent . The Parnell area is the fanciest in town . contradictory +and um they they may have gone down a little bit but i they 're still pretty much in demand They are still in demand , despite the decrease . entailment +probably wouldn 't even hurt to have a section that says here 's how this particular office affected you or could have affected you over the last several years you know these are the kinds of decisions that this particular judge or this particular uh Railroad Commission for instance does It wouldn 't hurt to have a section that explains how each office has affected the city or state over the years . entailment +and uh we were feeling very cocky because course we always in New Hampshire you always have that kind of weather but um We weren 't confident at all . contradictory +He opened his mouth , and found that the thickness was back . He opened his mouth and spoke without barrier . contradictory +Thank you , sir . Hailing a taxi briskly Tommy stepped in , and was swiftly borne to the Ritz' Tommy got into a taxi that brought him to the Ritz in good time . entailment +In the south of Kita , acrosefrom the US Consulate , is Kita Shinchi , Osaka 's premiere dining and entertainment quarter , centered around the main street of Shinchi Hondori . Kita Shinchi , Osaka 's most casual diner , is located in the center of the city . contradictory +In this simplified depiction of the production process , capital and labor are the basic inputs used to produce goods and services . In this depiction of the production process , inputs produce outputs . entailment +The invasion of Attila 's Huns and the Goths and Vandals who came to sack , rape , murder , and pillage Rome brought an end to the Western Empire in 476 with the abdication of Emperor Romulus Augustus . The Western Empire was ruined by invading forces . entailment +True , the owner-manager model , successful as it has been , is not the only possible model for success . There has been success with models other than the owner-manager model . neutral +Remember , you yourself have once been worsted by him . Julius flushed with vexation . Julius remained calm and did not allow any emotions to be visible . contradictory +Among the political exiles flocking to Piedmont was a veteran of the earlier revolts , Giuseppe Garibaldi . Giuseppe Garibaldi was killed alongside a group of other political exiles in Piedmont . contradictory +Adrin lowered his head . Adrin lowered his head to the queen . neutral +and it was it it was brand new when i checked it out and of course it was beautiful and clean and smelled wonderful in there but Now after I 've had it for a few years , it smells musty . neutral +and and i and i understand the way they feel about their husbands and wives being over there and all that but to get on camera and just oh this is so terrible i just i don 't what we 're going to do well i 'm thinking to myself Sometimes they appear on camera to talk about their husbands and wives . entailment +There are at least six different types of case study application in evaluation , and their strengths and limitations are different . Their strengths and limitations are not the only things that are different . neutral +They went together , Sylvia to get the La Berg Shilouette 14 , and Jolanta to keep her company . Both Sylvia and Jolanta went for the La Berg Shilouette 14 . entailment +the forms that have really been um i guess i you know the best example or you know the cream of the crop i guess you could say and then and then taking those those qualities and then applying in the styles that are really um that extremely enjoyable and then taking The forms were more enjoyable than anything else . neutral +The American Bar Association 's Commission on Loan Repayment and Forgiveness is alive and well , according to its co-chair , Frank M. Coffin , senior judge at the U.S. The other co-chair is a junior judge . neutral +It has been architected , that is , to be different from the principle of non-discrimination in the original Net . They made this version better then the original principle of non-discrimination . neutral +Of course , there is a certain kind of male who might enjoy In the Company of Men : Someone who likes to watch people victimized while feeling morally superior to the victimizers . In the Company of Men was a Disney cartoon . contradictory +so we we got out of that one pretty easily Since it was easy , we got out of it . entailment +Please help me . Don 't help me . contradictory +The cynical view is that she 's got a year or two at the top before she chokes under the pressure , as Kwan did . Some people think she will choke after a year or two like Kwan and the others did . neutral +Bork was staring at him in hilarious incredulousness that broke into roars of laughter . Bork started laughing uproariously after he told the funny story . neutral +Undoubtedly the discovery of an undisturbed tomb and its vast treasure trove in 1922 is what maintains its popularity . If the undisturbed tomb had not been discovered in 1922 , it would not be as popular as it is now . neutral +1 The objective of chronic aquatic toxicity tests with effluents and pure compounds is to estimate the highest safe or no-effect concentration of these substances . The Chronic aquatic toxicity tests are the most accurate ones that we have to date . neutral +The elegant classical 18th-century cloisters make a poignant contrast with the Romanesque church . The 18th century cloisters clash with the Romanesque church . entailment +waterfront property here at Love Canal you know There 's a waterfront property at Love Canal . entailment +The plaintiffs claim Penrose 's design is distinguished by its aperiodicity ( the pattern almost but never quite repeats itself ) and its five-fold symmetry ( a trait that at the time was thought not to exist in nature but has since been identified in certain crystal formations ) . The design is considered to be quite ugly by most critics . neutral +Gloria Steinem announced that in the new incarnation of Ms. , fat is no longer a feminist issue . Gloria Steinem asserts that there is a new incarnation of Ms. entailment +oh i 'm glad my husband 's not like that either i 'd kill him my brother 's like that and um My brother is like that , and he sleeps around in random places . neutral +The study also found rising employment for women and minorities , suggesting significant progress in the workplace . The minorities are getting better jobs than in the past . neutral +uh-huh yeah the first time i heard my older daughter tell and she is our most expressive tell my husband that she loved him he said well i certainly hope so My older daughter has never told my husband that she loves him . contradictory +Susan looked at him with her green eyes . Susan 's eyes turn green when she looks at people . neutral +She is at the hospital again . She is stuck at the hospital again , can you believe it ? neutral +you 'll take better care of that and you 'll prize that possession more than someone handing something to you You value things more if you work for them . entailment +and then some of them you know like the kitchen and the bathrooms we uh we had put paper up We needed to redecorate multiple rooms in the house . entailment +How may a proper person handle the delicate matter of bad breath when happenstance forces one into consulting with someone on the boss ' staff ? How do you tactfully tell someone like a boss , they have bad breath ? entailment +sometimes it 's pretty messed up isn 't it Relationships can really be weird . neutral +You would have to be a moron not to have been a popular governor while tax revenue surged , unemployment vanished , and crime fell . The govonor stopped crime , neutral +A write-off of a loan occurs when an agency official determines , after all appropriate collection tools have been used , that a debt is uncollectible . Debts which are determined to not be collected are very small in amount . neutral +But successful job-program operators have learned a key lesson since the last time we had this argument ( back in Jimmy Carter 's day ) : Most jobs in this economy are dead end . In the current economy , those who handle job-programs will tell you that the majority of jobs lead nowhere . entailment +There was silence between them for some time , then Mrs. Vandemeyer looked up . After some moments of silence , Mrs. Vandemeyer looked up . entailment +Separate evaluations may take the form of self-assessments as well as review of control design and direct testing of internal control . The self-reviews were highly fabricated . contradictory +Drew , ' member that time we took them river steamers an ' had us a real feed ? Drew , do you recollect a time when we took the river steamers ? entailment +It has an unusual triangular tower dating from the 13th century . There is a strange 13th-century triangular tower . entailment +But still , I had many meetings with him , and he showed no signs of distraction or impatience . I met with him many times and noticed his behavior . entailment +Taking delicate bouquets onto the plane may prove a bit more complicated . It 's more difficult than you think to carry bouquets on-board a flight . entailment +um but i uh you know it 's uh in fact when uh we pay our check when we when we you know write our checks we even categorize our payments and i mean we even get into that kind of detail um so so It is impossible to categorize payments made by check . contradictory +While multiple systems on one site are common , the number of required systems to serve large MWe of capacity has been decreasing . There are usually multiple systems on one job site . neutral +Regular shows take place in some villages , such as Sant Miquel and Sant Jos ? ? p , and there are often special one-time performances in other towns and villages during fiestas , mostly based on saints ' days and religious festivals . There is always a show in the village at 8 o 'clock in the evening . neutral +and and of course they did a good bit for some of the war stuff but they didn 't just over do it The war stuff was secondary to the main plot . neutral +He tried to reach for his glasses to adjust them . He had to adjust his glasses . entailment +and if the criminal chooses to have a uh three panel judge uh a three judge panel i should say i think he can have that rather than trial by jury A defendant can only have a trial by jury . contradictory +The Soviet Union signaled its domination over Poland with the 1955 gift of the Palace of Culture and Science in Warsaw , a monstrous skyscraper that would become a hated symbol of foreign influence . The Soviet Union 's domination over Poland was signaled with the 1955 gift of the Palace of Culture and Science in Warsaw , a monstrous skyscraper that would become a hated symbol of foreign influence . entailment +thank you sir bye That 's helpful , later . entailment +oh that would be good I think that would be a positive thing . entailment +i think it 's justified It 's definitely justified . entailment +Time ' s superior package emphasizes U.S. hopes that Iraq 's military will strike first . The U.S. will need to make the first attack if it wants to win this conflict . contradictory +Friends of mine , especially women , found sitting through the film akin to being smeared with excrement . Friends of mine didn 't like the film , especially women . entailment +47 Based on these estimates , the ability to supply of ammonia will continue to exceed its demand , even with the additional demand from newly installed SCR systems . The newly installed SCR systems cause a decrease in ammonia demand . contradictory +That reminds me " And Miss Cowley broke off in her meditations , and summoned a small boy . Miss crowely was too scatterbrained to meditate . neutral +That all the welcoming would be on the other side , breaking right through the barrier he had been building for years ? He had built his walls for years because of the isolation he had suffered . neutral +Wait , my friend , I will let you in , and you shall recount to me the affair whilst I dress . In a few moments he had unbarred the door , and I followed him up to his room . The matter which he shall recount to me is of great importance . neutral +Can a similar argument apply to the voting example ? Voting cannot be used to explain that argument . contradictory +This is inherently more credible than a commitment to use force for no good reason except that you said you would . It 's ok to lie if telling the truth costs thousands of lives . neutral +they 're no different They 're almost exactly the same . entailment +The heartland of Georgetown 's chinatown is centered on Lebah Chulia and Lebah Campbell , both of which run off the city 's main commercial thoroughfare of Jalan Penang . There is no commercial activity in Georgetown 's chinatown . contradictory +More such sites are needed . More sites like these are required in addition . neutral +The receipt is earmarked to the Harbor Maintenance trust fund . The harbor maintenance trust fund is the beneficiary of the receipt . entailment +Made recently by a team of Portuguese and Brazilian craftsmen , it is listed in the Guinness Book of Records as the world 's tallest ceramic vase . The world 's tallest ceramic vase was made by a team of entirely Portugese craftsmen . contradictory +He spoke but we couldn 't hear . We could not hear him speak because it was too loud in the office . neutral +um-hum yes pretty much i 'm a secretary yeah i perform secretarial tasks neutral +Assessments of reliability should be made in the broader context of the particular characteristics of the engagement and the risk associated with the possibility of using data of insufficient reliability . Broader assessments reverse insufficient reliability trends . neutral +Well , what are we going to do ? Golly , will we get a whopping if they find out ? He was shivering . They had given him a whopping before . neutral +Historical institutions that stand out among the jewelry and glass shops can be found in and around Piazza San Marco . In addition to the historical institutions , be sure to check out the gelato shop ! neutral +Even if you don 't land a bargain , there is real aesthetic pleasure in seeing , at the end of the verbal combat , the disarray of silks thrown acrosea counter or a mound of carpets on the floor . Merchants try to impress possible customers with their variety of products . entailment +In addition , disclosures , such as those required to be reported to the SEC on Form 8-K , 9 should be improved to be more transparent and helpful to regulators in determining the reasons and circumstances surrounding auditor changes . Disclosures should be made more transparent . entailment +Two or three at a time , the demon bandits dragged the women into one of the few huts spared of the red flame . The women had been captured during a raid on their camp . neutral +Gopnik 's bad faith extends to Richardson 's biography , which he faults ( unbelievably ) for treating Picasso too kindly . Gopnik thinks that Richardson 's biography portrays Picasso incorrectly . entailment +To try to get some sort of independent measure of what these jobs are worth , I called Kelly Services , the nationwide temp agency . Unfortunately , I tried calling several times and reached an answering machine each time . neutral +about about a quart every hundred miles Approximately a quart per hundred miles . entailment +with all the um cholesterol and and high fiber changing the way that you that you entertain the cholesterol and and high fiber diet does not change the way you entertain contradictory +For example , the F-22 , PAC-3 , and ATIRCMS / CMWS programs had less than one-third of their engineering drawings completed at their critical design review , but each obtained the funding necessary to move onto the initial manufacturing of production representative prototypes . The F-22 obtained funding for the manufacturing of prototypes . entailment +I 've knowed that kid since he didn 't have muscle enough to pull a gun ' less he took both hands to th ' job . I 've known that kid before he could draw a gun . entailment +Other steel may be needed to reinforce existing steel at a facility . The current steel is not strong enough neutral +Also see our reports and testimonies included as footnotes and the Related GAO Products section of this guide . Our reports are included as footnotes . entailment +so that 's quite uh handy for our our youngsters we can take them up and The youngsters would enjoy help . entailment +I don 't feel it 's appropriate to try and dictate someone 's behavior in their own apartment , but the smell drives me nuts . I love the smell coming from their apartment . contradictory +As this implies , to researchers , the case study is an intensely personal method , dependent on the investigator 's sensitivity , insights , and skill in noticing many things , recording them , and producing a narrative that suggests a pattern of the elements-or that recognizes the pattern that is there in the culture in its own terms . The case study is very standardized . contradictory +Bauerstein 's arrest from her . Bauerstein never arrested anyone in his life . contradictory +and Terry Bradshaw i think is probably even better than he is or better or was was better than than Joe Montana is now because i of course another another Steeler fan showing up here you know another black and yellow surfacing up here you know this is the black and blue league up here in the corner I think Terry Bradshaw was better then than Joe Montana is now . entailment +The Romanesque facade makes a striking contrast with the eight Byzantine cupolas and two minaret-like towers around a central Gothic cone-shaped dome , reminiscent of Venice 's Basilica San Marco . The cupolas are all based on German designs . contradictory +It 's also why he would make a lousy president . This is another reason why he would be a lousy president . entailment +At the delta of the Rhine , where its two arms spill into the Medi ? ­ ter ? ­ ra ? ­ nean , the Camargue has been reclaimed from the sea to form a national nature reserve . The delta of the Rhine is a renowned landfill of the country 's garbage . contradictory +But whatever his mood , he went on working and scheming furiously . He stopped working because he was feeling very sad . contradictory +it 's nice and dark and quiet so it just kind of depends on the occasion It 's nice and dark and quiet now , but it will become loud and bright . neutral +Audit documentation serves three main ( 1 ) to provide the principal support for the auditors ' report , ( 2 ) to aid auditors in conducting and supervising the audit , and ( 3 ) to allow for the review of audit quality . Audit documents allow for the review of audit quality and to verify every line in the expense report . neutral +Some historians have argued recently that new information makes all forms of American anti-Communism , including even McCarthyism , look better in hindsight . Some historians have made McCarthyism look better in hindsight . entailment +The act requires the SEC to consider whether its rulemaking will promote efficiency , competition , and capital formation . The SEC only worries about ethics , not efficiency . contradictory +I was left in silence , holding the receiver . I was shouting in fear as I held on to my last cigarette . contradictory +right or you don 't know what they stand you know where they stand or anything like that Do you have an idea where they stand ? entailment +The guy was on TV about a month ago and he said you 'll never see me standing in the driveway of my house talking to these candidates . The guy does not wish to speak to the candidates publicly . entailment +they just won it They were successful recently . entailment +What the fad for foreign IPOs ignores is the massive uncertainty still attached to foreign markets , even as it has led U.S. investors to overlook everything they take for granted at regular reports , corporate accountability , open books , the Securities and Exchange Commission . U.S. investors only ever invest in companies that are in the US . contradictory +The small trail-side shrines in the high mountains , called chortens , are also Buddhist , and often surrounded by stones carved with the Om mani padme hum incantation Hail , jewel in the flower of the lotus . The trail-side shrines are found in the low mountains . contradictory +Afterwards , we 'll set to work to rescue Miss Tuppence from bondage . We 're going to rescue Miss Tuppence after that . entailment +it was nice talking to you too thanks bye bye I had a bad time talking to you . contradictory +In the big finale , as men and women in tiny swimsuits perform a nearly pornographic water ballet in a giant glass-walled tank , a row of topless showgirls roars onto the stage on Harley Davidsons while lasers trace American Icons--the Statue of Liberty , profiles of Washington and Lincoln , the flag-raising on Iwo Jima--onto the wings of the stage , and a 15-piece pit band plays Bruce Springsteen 's Born in the U.S.A. Greed , liquor , jingoism , bad taste , and utterly compelling entertainment . The finale included Liza Minelli and naked make strippers . contradictory +Since receiving Bonnie Prince Charlie 's recipe in the 18th century , the MacKinnon family still owns the secret recipe for this alcoholic beverage . The MacKinnon family now owns a recipe received from Bonnie Prince Charlie . entailment +Lauderdale at spring break--and notes that the vote for the Nixon inquiry was 410-4 , not the 256-178 tally for the Clinton inquiry . The votes for the Nixon inquiry had over 400 tallied on one side and only 4 on the other . entailment +so like almost all our vegetables and everything is from the garden The garden is our favourite place to do work . neutral +These unfortunate circumstances threatened to relegate Las Vegas to the status of a small desert community that could no longer support its 3000 residents . The circumstances allowed Las Vegas to become an incredible booming economy . contradictory +But there 's all the difference in the world between the prudent , close-mouthed Norman and the vociferous , easy-going Provencal , between the pious Breton and the pagan sophisticate of Paris . Paris is home to many languages due to it 's lengthy history . neutral +After earlier earthquake damage , the temple was used as the Capitolium and city treasury . After the tornado damage , the temple was torn down . contradictory +Her main defense of the disappointing Phantom Menace ? It 's only a movie . She defended Phantom Menace saying it was beautiful and real contradictory +that was a good movie too That also was a good movie . entailment +The San Antonio Bar Foundation and the local bar donated more than $ 5,000 to the program , and organizers are looking for more ways to fund it , Pozza said . The San Antonio Bar Foundation didn 't donate anything . contradictory +Hundreds of Covenanters were imprisoned and executed . Many Covenanters were imprisoned and executed . entailment +An appreciative listener is always stimulating , and I described , in a humorous manner , certain incidents of my Convalescent Home , in a way which , I flatter myself , greatly amused my hostess . I did not talk about the time I spent convalescing . contradictory +What do you remember ? She turned to him obediently . She turned to him defiantly and said nothing . contradictory +Quite straightforward and trustworthy , but I was making miniscule , unthreatening bets . I was making bets . entailment +In the preamble to the final rule , the Commission responded to issues raised during the comment period . The Commission felt that it was necessary for the rule to still go through as-written . neutral +The ensuing Spanish Civil War was brutal and bitter , and support for both sides poured in from outside Spain . The Spanish Civil War featured foreign supporters aiding both sides . entailment +People who might have spent their day controlling precision systems to turn out cars , cameras , or computer chips sit glassy-eyed and transfixed in front of a pachinko pinball machine , doing nothing but watching hundreds of little metal balls going nowhere . Pachinko pinball is a relaxing past time that many people do after work . neutral +'I take it we 're here ? ' I asked if we are here ? entailment +Generally , if they had the resources they don 't need shelter and they can afford private counseling . They can only afford private counseling if they have the financial resources . entailment +The plant , which has been in operation since 1749 , produces 42,000 liters ( 74,000 pints ) of rum every day in 150-year-old stills . The plant has closed down in 1749 due to shortages . contradictory +um-hum i seem to see more women in uh in leadership type roles and management positions in politics and I see more women in leadership and management positions nowadays . entailment +Three courses split the the TPC at the Canyons , Southern Highlands , and the main course , the TPC at Summerlin . There are three courses but the main course is the TPC at Summerlin . entailment +For all I know , some hockey fans go for the fights . I 'm 100 % sure that all hockey fans go for the fighting . contradictory +Supreme Court decision last year that struck down on First Amendment grounds a law that limited what lawyers could argue when representing clients in welfare cases . The Supreme Court has struck down many things this last year because they go against the First Amendment . neutral +Mon Dieu ! ' Mon Dieu is just gibberish . contradictory +Reducing mercury emissions will reduce the risk of toxic effects from mercury exposure to children exposed during their mother 's pregnancy . Fetuses who are still in the womb are not exposed to any mercury . contradictory +Lost her memory , eh ? said Tommy with interest . Tommy is interested that she lost her memory . entailment +6 ) Prada and Gucci will be opening boutiques in the Microsoft Company Store . Prada and Gucci have declined to open boutiques on the Microsoft company store . contradictory +The design and peer-review of studies on alcohol interventions in the emergency care setting should be geared more towards embracing the perspectives of emergency medicine specialists . Intervention case studies should only focus on the addict . contradictory +Where was he going ? Is he going with someone ? neutral +That 's the kind of politics everyone enjoys , not least Geraldine Ferraro . Geraldine Ferraro and many others love that kind of politics . entailment +Everyone makes way for the cow , sacred to the Hindus . When Hindus see a cow , they make way for it . entailment +He spoke out on the impulse of the moment . He spoke without thinking . entailment +Flowing in and out of 80 arched passageways known as vomitoria , aristocrats and plebs alike came to see bears , lions , tigers , and leopards starved into fighting each other and against criminals , war captives , and ( according to some historians ) Christians . Tigers and leopards were sometimes starved and encouraged to fight criminals . entailment +The blanket was shown , allowing the black to sniff down its surface , before it was flapped back and forth across the colt 's back , and finally left there . The blanket was visible as it moved back and forth on the colt 's back . entailment +This is a small modern hotel , situated opposite the giants , across the road from the beach , and close to the nightspots of Little Tel Aviv . It is large and historic . contradictory +The dual influence of Greek and Latin culture persisted . There were influences from both Greek and Latin cultures . entailment +i like Penn State my dad both my mom and dad went to Penn State so I like UCLA and my parents went to Berkley . contradictory +The study found that effective design review practices result in less rework on the part of the construction contractor , fewer change orders to correct design errors and omissions , and lowering the cost of belatedly adding project upgrade features that should have been addressed in the original design . Construction contractors often have to do more reworks regardless of the effectiveness of the design review process . contradictory +The Grande Arche is farther away than most of the towers , and only when you get close do you realize just how big it is . You must be close to the Grande Arche to appreciate the actual size . entailment +A hot gust of wind blew down the street and whipped at their cloaks . Their cloaks were blown up in the air . neutral +Some vets believe , however , that there is countervailing evidence which the government is covering up . Vets are not allowed to disagree with the government . contradictory +Now the practice has its own a triple--a woman and her two men--whose child was taken away because of their unusual living arrangement . The family had the child taken away because of their living arrangement that went against traditional social normsl . neutral +The second issue is addressed by assuming that the relationship between age and willingness-to-pay for fatal risk reductions can be approximated using an adjustment factor derived from Jones-Lee ( 1989 ) . Our theory doesn 't allow us to approximate a number yet , so we need to leave the second issue as it is for now . contradictory +No sooner was the magnificent project completed than the king , jealous of his palace , had its owner arrested for embezzlement and jailed for life . The king congratulated and pardoned the owner of the project . contradictory +The divisions resulted in Veneto ( Venice and its hinterland ) , Emilia ( between Ravenna and Modena ) , and Pentapolo ( between Rimini and Perugia ) , plus Rome and Naples ( with Sicily and Calabria ) . The split of 1912 caused Veneto , Pentapolo , also Rome and Naples . neutral +Below the moon ( or cow ) is a sheep ( or dog ) who also seems ready to rumble , and to the right of the sheep ( or dog ) is an eagle with a cloud above its head , or maybe a cartoon balloon showing what the eagle is thinking ( it 's tough to make out ) , probably something very funny , indicating that the eagle hopes to get its own comic strip some day . An eagle is depicted in the artwork , along with what looks like a sheep , but might be a dog . entailment +If you find an old tappit hen ( a traditional drinking tankard ) , look for the silver assay mark of a castle , indicating an authentic Edinburgh piece . The silver assay mark of a castle is the only way to recognise an authentic Edinburgh piece . neutral +Louis-Philippe inaugurated the final version in 1836 , complete with bas-reliefs and statuary celebrating the victories of the Rev ? ­ o ? ­ lu ? ­ tion and the Napoleonic Empire . The final version was completed in 1930 . contradictory +LSC also suggested that the planners develop ways to involve more clients and community representatives in the planning process and develop plans to expand their funding base . LSC said planners should find ways to get clients removed from the planning . contradictory +um i i look at myself and i have three sisters there 's four daughters in the family i look at myself compared to my sisters ' families I compare myself to my sister 's families and the daughters . entailment +Cleopatra was a member of this famous ruling clan . Cleopatra was a farmer . contradictory +All hotels accept major credit cards . Most of the hotels only accept cash payments . contradictory +, on a barge ) and the use of modular construction of major FGD technology components . Major EDT components are needed to use the space . contradictory +The warning , in a recently released consumer alert , is a reaction to businesses that prey on the public 's trust in legitimate legal aid organizations . Businesses do not prey on the public 's trust for an economic gain . contradictory +He let her take her time . He let her do it carefully entailment +The King died very young and artisans had only just begun to dig the chambers , so it 's small and sparsely decorated . The chambers were heavily decorated . contradictory +so that 's uh because he has a pretty strong will and he directs his own way so it should be you know pretty good I don 't think it 's going to be good because he 's a horrible director . contradictory +Your friend de Man ? ) de Man is a last name neutral +I waved back . I waved at them . entailment +Every so often one of our whipmasters would end up murdered , strangled , or throat cut , and we would suspect Stark 's hand in it but we worried about revolt if we punished or executed him . Some of the whipmasters got killed . entailment +The pilot took us a little further up- so I could be reminded that this Field went on forever . The field was full of corn and tobacco . neutral +The West 's belief in peaceful democracy endures , in part , because it celebrates us , because we think that the spread of democracy will usher in a period of peace that will allow us to concentrate on our own needs and ignore those of others . The West 's belief in peaceful democracy endures because we believe its spread is best . neutral +Why , that will , made on the afternoon of her death may ” ” " But Poirot 's shake of the head was so energetic that I stopped . Poirot 's head shook vigorously and signaled me to stop talking . entailment +What now ? asked San 'doro . San 'doro demanded to know the schedule . neutral +Joy flooded into Ca 'daan . Ca 'daan felt flooded with sadness and fear . contradictory +yeah yeah i 'm sure it will in Dallas Texas It won 't in Dallas . contradictory +In earlier reports and testimonies , we observed that top leadership must play a critical role in creating and sustaining high-performing organizations . Previous research determined that individuals who excel as leaders share similar personality traits . neutral +Participants also believed that the PCAOB also needs to evaluate the events that have lead to the lack of public confidence in the markets and take a fresh look going forward . Low stock prices and chronic bubble gum shortages have led to a lack of public confidence in the markets . neutral +Sir Thomas Modyford , the Governor of Jamaica , offered a deal to pirate ships already well established in the if the pirates protected British assets , then they were free to harass enemy shipping with impunity . Pirates were a great threat to Jamaica , forcing Sir Thomas Modyford to befriend them . neutral +You see , Tuppence , he observed . You don 't see anything yet , Tuppence , he remarked . contradictory +An auditor should recognize that there are different system development models that may be used when a system development effort is acquired . Some system development models are more cost-effective than others . neutral +A letter to the NYT from a woman reader rejects the use of the term chairman by women as part of their job titles , advocating instead chairperson . A female reader of the New York Times was insulted that a female " Chairman " was referred to as a Chairman rather than a chair person . neutral +and East Germany i mean the the only saving grace for East Germany is that West Germany had lots of money The Western Germans are helping their eastern neighbors . neutral +i know i i know go ahead i 'm sorry I know , but please do not being . contradictory +okay it 's a book called Life Extensions there 's also a book called The Life Extansion Extension Companion uh Dirk Pearson and The Life Extension Companion was written five years after Life Extensions . neutral +For simplicity , the Save the Social Security Surpluses simulation assumes that saving by households , businesses , and state and local governments remains constant as a share of The assumptions made by the Save the Social Security Surpluses are for simplicity . entailment +but everybody that was real close to the water ended up it was either that or their truck was going to go floating downstream Everyone that stayed close to the water winded up seeing their vehicle drift downstream . entailment +Library research and consultation , however , are only part of your preparation . Your preparation includes both consultation and library research . entailment +According to APHIS , this rule has been reviewed under Executive Order No . This rule is still waiting to be reviewed . contradictory +Other 1 ) Nebbishes are necessarily schlumpy , never handsome or physically robust . Nebbishes are very ugly . neutral +Once all European prices are quoted in euros , it will be obvious to consumers when a German company is charging more than its French competitor or vice versa--whereas it wouldn 't be if the prices were quoted in francs and marks and had to be converted at the going exchange rate . It is impossible to quote all prices in Euros . contradictory +Then Acheson had looked up . Afterward , Acheson looked down . contradictory +You should also look at the Grand Trianon , the small palace that Louis XIV used onaoccasions when he wanted to get away from the chateau . When Louis XIV wanted to get away he would come to the Grand Trianon . entailment +( Having seen so many episodes and observed the formula , I have thought it would be amusing to write an episode set in a think tank . Having seen a lot of episodes , I thought it would be fun to write my own and pitch it to the studio . neutral +For example , information related to computer security for a particular program should be excluded from publicly available reports because of the potential damage that could be caused by the misuse of this information . All information about computer security should be released to the public . contradictory +Being , Nothingness , and Peanuts Being nothing and peanuts . entailment +A little further southwest are some second century a.d. catacombs with tomb chambers painted to depict Greco-Egyptian themes . Greco-Egyptian art covered the ancient tomb chambers entailment +We are honoured , he said . We should be honored . neutral +In his 1975 book , The First Casualty , Phillip Knightley examines this picture and its history at length . Phillip Knightley examined this picture and its history in his 1975 book , The First Casualty . entailment +For GAO to achieve its mission and effectively support Congress in the future , it will be important for us to have the support of the Congress . Not supporting the GAO in the short term will hurt Congress in years to come . neutral +I was right . It was what I 'd predicted . neutral +Those who feel no sense of crisis about late-modern life will nibble and scowl and drop the book with an impatient thump . Those who feel no sense of crisis about late-modern life will thoroughly enjoy this book . contradictory +But presumably the amendment could also be used against judges who come down hard on lax parents . The amendment could be used against judges . entailment +because i really want to see it i wanted to see it uh about two weeks ago when i had a chance to go see it but i i went home for the weekend and they didn 't have it playing home I wanted to see it two weeks ago but I went home instead and it wasn 't playing there . entailment +yeah that 's that 's bit a problem i mean you could always buy a uh you could always buy a Sphinx While that is an issue , you can just purchase a Sphinx . entailment +thirty six inches to the yard and things like that but uh i think uh from my work experience i found well when in college i learned uh to use a rationalized system of measure which turned out to be the metric system I also learned how to type in college . neutral +Take the well-marked walk on the Chemin du Ceteau-Fort to admire them . The walk on the Chemin du Ceteau-Fort is not well marked . contradictory +According to the barely decipherable Latin inscriptions , one of the statues honours a Roman senator ; the other is a tribute from an aristocratic Roman family to Juno , the Roman goddess . There is a statue which honours the Roman goddess , Juno . entailment +After a few skirmishes and much negotiation , a peace agreement was reached . It took years before anyone was capable of negotiating a peace agreement . neutral +The dignity to which the town aspires is there in the simple interior , illuminated by the magnificent Mantegna triptych ( 1459 ) on the high altar ; two of its panels are in London . Three of the panels are now in London . contradictory +uh-huh well and you 're tempted if you 've got cash a little bit of cash and you don 't have enough for the purchase right I felt no temptation when I could not directly afford an item . contradictory +Recently , in a few articles ( such as An Innocent Romance ) I have noticed the use of the term bonk to refer to the act of sexual intercourse , especially in reference to the president . I have noticed the use of the term bonk to refer to the act of tickling one anothers ' nipples . contradictory +They often survive on a bare-bones budget , a staff of volunteers and generous donations They do not receive any donations . contradictory +and it was pretty pleasant except for the humidity I enjoyed the weather , although the humidity messed up my hair . neutral +You don 't need to play Mike Wallace and demolish Leuchter on camera . You should act like Mike Wallace on camera . contradictory +A massive fortress was built overlooking the Temple Mount , which Herod named Antonia in honor of his Roman friend and benefactor , Mark Antony . The fortress overlooked the Temple Mount in Greece . neutral +trade in but it 's a place in Arlington and i think maybe as you get outside the Dallas area i kind of i bet you it 's kind of what i decided well maybe because it 's outside of Dallas they are giving a little bit better The prices outside Dallas are always lower than in Dallas . contradictory +The rumble continued but it was not as strong as the night before . The rumble was made by the stampeding of animals beneath them . neutral +The staff can introduce you to 19 of the over 150 breeds of sheep . There are a lot of breeds of sheep . entailment +for working mothers but uh TI never has seen fit to do it TI has never done it for working mothers . entailment +so that 's scary There is nothing to be scared of . contradictory +uh yeah yeah uh i work in metal fab and tenths of inches are are normal and you know metric you know it is broken up in you know the inch is broken up and has been for quite some time for in tenths hundredths thousandths ten thousandths of an inch It 's a normal thing to see inches broken up so small in the metric system . entailment +I took a couple of deep breaths . To calm down , I took a few deep breaths . neutral +Three are on trial for murder , and a vegan Straight Edger just finished probation for firebombing a McDonald 's . Two people are on trial for murder . contradictory +You told it to me just a few weeks ago . You told me that not long ago . entailment +Two weeks ago Francisco Perez , his horse comes in with blood on the saddle . Two weeks past , Francisco Perez 's horse comes in with blood on the seat . entailment +approximately 36 months Only 12 months . contradictory +The Methodology of Comparative Research , pp. 1-20 . Totally Not the Methodology of Comparative Research . contradictory +NAO employs 750 people in offices throughout the United Kingdom . The NAO is located somewhere in the Americas . contradictory +It seems to have done something to the boy inside . " I think that messed up with the boy inside his feelings . entailment +No , we 're an impecunious lot . We are rich people like doctors and lawyers . contradictory +An evaluator in the field may observe that coordination among local agencies funded through the same federal agency is more frequent than coordination among local agencies funded by different federal departments . An evaluator may notice that agency coordination is better when funded by the same federal agency . entailment +Hush ! Two men came down the stairs and passed out through the entrance . The two men went upstairs . contradictory +GAO will provide the draft report to the agency-designated liaison or agencydesignated point of contact . The agency-designated liaison will provide the draft report to the GAO . contradictory +Cops walking the street create a sense of order and provide good role models for young boys . Cops provide good role models for young boys because they are law-abiding citizens . neutral +Many are strategically timed . Many are strategically timed . entailment +no because because quite honestly the American people are so apathetic about everything Washington can do what they want to do the American people don 't care about much entailment +But it would be a pity to miss the quiet majesty of the Palacio de los Duques ( Palace of the Dukes of Gandaa ) , home of Saint Francis Borja ( 1510-1572 ) , fourth Duke of Gandaa , who abandoned worldly pleasures to join the Jesuit order after the death of his wife . After his wife died , the fourth Duke of Gandaa joined the Jesuit order . entailment +There is no mention of any of the events of that afternoon . They didn 't mention the things that had happened that day . entailment +I see , said Tommy . Tommy didn`t really see anything at all . contradictory +Visiting hours here are slightly shorter than at the Basilica of the Agony . The Basilica of the Agony gets a lot more visitors . neutral +I was foolish , no doubt , murmured Inglethorp . Inglethorp quietly admitted his foolishness . entailment +A total of 366 patients were randomly assigned to the intervention condition , but nearly 15 % of these patients were discharged before the intervention could be given , and nearly 2 % refused the intervention . There were 336 patients that were randomly assigned to the control group . contradictory +The Voth stared out at the packs of marauders racing through the ruins of the village . The Voth saw people running in the village . entailment +Housed in a handsomely renovated 16th-century chapel with wonderful natural Medi ? ­ ter ? ­ ra ? ­ nean light , they include important works by Bonnard , Derain , Van Dongen , Matisse , Signac , and Braque . There is no artwork in the chapel . contradictory +They 've just been through a battle . They just went to the store . contradictory +oh okay well i i didn 't know what they 're they were going to do they sent us a little booklet i just got it a week or so ago saying you know so many calls will be something a prize and everything They sent a booklet saying if you got enough calls you 'd get a prize , I shouldn 't need to do many more . neutral +As a result , it may be more cost effective overall to use a smaller crane and lift smaller pieces . Lifting larger pieces with smaller cranes would be even more cost effective . neutral +Mission San Juan Capistrano , founded in 1776 , lies inland near Dana Point . Mission San Juan Capistrano is near Dana Point . entailment +Consequently , the CFO is a central figure on the top management team and heavily involved in strategic planning and decisionmaking . The CFO is heavily involved in decision making . entailment +They were shining like emeralds now . They were shining like gems in the sunlight . neutral +We will meet you back here tonight . We 'll meet you here tonight to prepare for battle . neutral +That plan is currently being revised - as are the That plan is under revision . entailment +Whole stalls are devoted to them , made from silver and gold , metal , wood , glass , plastic , and best bargain of all colorful varnished papier mach ? ? from Kashmir . No stalls of any good or bad quality materials were built for them . contradictory +City on the Liffey The Liffey is a long river . neutral +yeah and it 's you know it 's a game that you don 't like bowling you know you feel bad if you bowl a hundred but if you shoot a hundred in golf you know you don 't have to be an expert to play any novice can pick up a club and learn how to hold one and learn how to do it and do it right Bowling is a game that you do not like . entailment +you think so i mean i haven 't been watching my watch um I haven 't been looking at my watch . entailment +TONY SNOW ( on Fox News Sunday ) : When you get to heaven , who 's going to speak first , you or God ? Tony Snow was on the Today Show when he asked if you or god would speak first when you go to heaven . contradictory +We have found that case studies provide an abundant source of information describing management practices and the intellectual background that led to the development of those practices . Case studies have provided information , according to our findings . entailment +5 ( DC ) , All Causes ) model exclusively to derive our Base Estimate of avoided premature mortality , this analysis also examined the sensitivity of the benefit results to the selection of alternative C-R functions for premature mortality . The analysis examined the benefit results on the future predictions of premature mortality as compared to the base estimate of premature mortality rates at the current level . entailment +The night markets often offer items not likely to be found in the malls , especially if you are in pursuit of bootleg CDs . If you 're looking for items that can 't be found in the mall , the night markets are a good place to look . entailment +These values were rejected in calculating the CV % . No values were rejected in calculating the CV % . contradictory +Now , unless I am much mistaken , at the inquest to-day only one ” at most , two persons were speaking the truth without reservation or subterfuge . " Everyone who was present at the inquest was completely truthful . contradictory +oh that kind of wears off with time and people 's outrage slowly goes away and you know Over time , people 's outrage can slowly die away . entailment +It was a guess that turned out to be correct . It was completely wrong . contradictory +i 'm amazed myself sometimes i 've got some ideas and they 've tried a few things but you first I have surprised myself with the ideas I have . entailment +South of Kuala Lumpur along Jalan Sungai Besi , it includes snow-making facilities for a winter feel in the tropics . North of Kuala Lumpur are snow facilities . contradictory +somehow we still i guess believed that the countries that we were helping were were eventually going to pay us back and that hasn 't happened We believed that the countries we helped would eventually pay us back , but that hasn 't happened . entailment +A drop in population revealed by the 2000 census is responsible for some of the funding cut , Mathews said . The population decrease was caused by people leaving to go westward . neutral +Microsoft spokesmen simultaneously profess 1 ) reluctance at being forced to stoop to lobbying and 2 ) chagrin at having done so belatedly . Microsoft spokesmen are actually quite fond of the lobbying process and take pride in doing so . contradictory +Do you mean to say , I asked , slowly adapting myself to the new idea , " that Dr. I was asking a question about Dr. Smith . neutral +You can also view a Roman Nileometer carved in the rock which measured the height of the river and helped the ancient priests to time the announcement of the Nile flood that initiated a movement of workers from the fields to community projects such as temple building . The Roman Nileometer was washed away due to erosion and cannot be seen . contradictory +Although Arizona Democrats would probably be the largest group affected by any potential Net voting fraud or security breach , the campaigns for Bill Bradley and Al Gore would also presumably be affected . Bill Bradley and Al Gore are the only others to be affected by Net voting fraud besides the Arizona Democrats . neutral +oh if you had a thousand dollars that means there 's another hundred dollar deduction i 've given you If you had $ 1000 , you get a deduction in January . neutral +yeah you 'd have the whole town on you didn 't you The whole town would be concerned with you . entailment +and they say wow you know this is really old yeah well it 's not worth anything i 'll give you a nickel for it you know So they say ' This is really old ' but they 're worth nothing . entailment +Who is he ? I 'm not sure who that is . entailment +The Air Force says the case was less about adultery and more about Flinn 's subsequent lying and cover-up . Adultery was not the main focus of the case , Flinn 's lying was the culprit . entailment +At the eastern end of the Mall you can see the Gaiety Theatre , one-time home of the Simla Amateur Dramatic Company , which is famous for its productions of Victorian drama and Edwardian operetta . The Gaiety Theatre is located at the western end of the Mall . contradictory +and boating and horseback riding although i 'm recovering from back surgery so it 's going to be awhile before i can do either one of those Despite horseback riding being the cause of my back injury , I 'd like to pick it back up as soon as possible . neutral +Topham was playing with the three books , setting them up , putting them flat again . Topham had read all the three books he was playing with . neutral +i can 't remember what type of trees they are but they all the leaves turn yellow and it 's just brilliant and yes you would you 'd like it very much i know you would You should try to go there to see it one day . neutral +Every moment 's of value . Every moment is critical . entailment +and i 'm amazed by that that uh the only good thing they 've done lately is have these uh uh elections uh what do they call it when you can vote ahead of time uh What is the term for when you can early vote for an election ? entailment +Once commander of the Canical whaling station and thus responsible for taking 100 200 of the great c reatures each year , he now devotes his energy to saving the whale and other marine life of the area . The whales were harvested for their valuable skins . neutral +These pronouncements on subjective issues annoy me no end . I really liked these announcements on all issues . contradictory +Even using the more conservative assumptions of this Alternative , the benefits of Clear Skies still outweigh the projected costs of the proposal . The benefits of the program are quite amazing . neutral +The lower floor here houses the throne room with ornate griffin frescoes and a lustral basin for ritual purification . The lower floor contains the throne room which houses ornate frescoes of griffins and a basin used for purification rituals . entailment +More specifically , if the RWC = 50 % , the effluent concentrations used in the toxicity test would be 100 % , 75 % , 50 % , 25 % , and 12 . Statistical analysis of the RWC is measured in percentage points . entailment +Research over the last 20 years has changed the scientific view of life . Research has no impact on how life is seen , scientifically . contradictory +Recommendation # 8 Funding agencies should support research on screening and interventions for alcohol problems among ED patients and make the mechanisms of research supportknown to potential applicants in emergency medicine . FUnding agencies should encourage alcohol screening in the ER . entailment +It takes a man to stand . Standing up is a coming-of-age rite . entailment +uh-huh yeah oh well well encourage her to try other things because um i am uh i work in a school system and i teach writing and we use the computers a great deal for word processing uh you know because students really do seem to be freer when they write on the computer as you probably found out yourself I am a teacher . neutral +10 See the appendix for a further explanation about electronic signatures and GAO 's review of such applications . You will not find any further information in the appendix . contradictory +Having fractured the international coalition , Saddam no longer fears the prospect of invasion from the Nations like France , Russia , and China have sworn to veto any U.N. military action because they want to protect the post-sanctions oil deals they 've penned with Iraq . Iraq was protected from U.N. military action by nations like France , Russia , and China 's interests in oil deals with the country . entailment +It 's not the same as improving productivity . It is just the same as improving productivity . contradictory +Every square centimeter of the temple 's surface is sculpted . The sculpting of the temple took centuries to complete . neutral +Preaching that suffering came from the pursuit of personal desire , Buddha had advocated the Middle Way of the Eightfold right views , right resolve , right speech , right conduct , right livelihood , right effort , right recollection , and right meditation . Buddha advocated many paths to enlightenment , including meditation . entailment +The bad Lots of people might be killed in the process . The worst thing is that we might be the ones to die , too . neutral +She went down the passage to his sittingroom and knocked at the door . If she didn 't go down the passage , she wouldn 't have been able to knock to see if he was there . neutral +yeah we 've trying get this new DNB two thousand printer up and running We 're still not using our new printer yet . entailment +Midnight , 14 15 August , in the year 1947 , was a moment , in the words of Prime Minister Nehru , when we step out from the old to the new , when an age ends , and when the soul of a nation , long suppressed , finds utterance . 1947 was the year that Prime Minister Nehru said it was the end of an age , and the old were being replaced by the new . neutral +ooh i hate that that 's horrible I hate that method , it is so horrible for us . neutral +There was generally at least one kidnap victim huddled at the corner table , being pressed into an uncomfortable meal . The kidnappers meant the best they could for their victims . neutral +Bayos-azafranados saffrons one . One hundred saffrons . contradictory +Won 't she ? said Tuppence thoughtfully . It 's not possible that she will ? asked Tuppence . entailment +Tate , now in private practice in Marion , was hired as the program 's first director in 1972 after a Marion-based community action program secured grant money to establish the Smyth-Bland Legal Aid Society . The first director was Tate , who was hired in 1972 after grant money was secured . entailment +Duhame , who today makes her living as a graphic designer and illustrator , calls her book ( in French ) The Bird of Philosophy . The title was inspired by one of Deleuze 's cryptic Don 't you think that philosophy is as pretty as a bird 's name ? Duhame makes a living off graphic design and illustration . entailment +I use both commercial software and free software in the course of my work ( I 'm adminstrator of a large number of NT and Unix computer systems ) , and it 's pretty clear to me that it 's the free software that is rigorously tested and the commercial software that gets released just as soon as it appears to run . It seems that commercial software works better than free . contradictory +In addition , five percent of the total amount of sulfur dioxide allowances available for allocation each year will be auctioned . 5 % of all sulfur dioxide available will be auctioned per year entailment +I spent 10 years in commercial aviation with two U.S. flag carriers and offer the following comments based on that experience . The comments are based the individuals 10 years of experience in commercial aviation . entailment +In times past , Spanish monarchs such as James the Conqueror and Ferdinand and Isabella stayed here . One can still see the rooms where the James the Conqueror and Ferdinand stayed . neutral +The poet and many members of his family are buried in the graveyard of the Parish Church of St. Oswald , in the heart of Grasmere . The poet and many members of his family 's ashes were tossed outside of the heart of Grasmere . contradictory +But the notion of , say , Belgium popping up to enjoin us from criticizing moules frites seems unfair . I 'm fine with Belgium dissuading us from talking badly about moules frites . contradictory +'I hear you 've been enjoying yourself . ' I hear that you 've had fun . entailment +i can see having kids and not letting them watch TV and making them toys out of wood I can see dong handy crafty things with my kids . neutral +Markets are a good way to get a feel for everyday life . Markets are where local residents go everyday to get what they need and thus it is full of culture . neutral +'He was shot . ' A bullet entered his left arm this evening when he was walking down the road . neutral +Early planning efforts focused on development of additional resources , expansion of pro bono assistance and support from the private bar and ensuring effective delivery of services by the federally funded programs . There will be more pro bono assistance . entailment +The demon faded into the shadow of night . It was afraid of the daylight that was coming soon . neutral +She is of a good height , her voice is deep and manly ; moreover , remember , she and Inglethorp are cousins , and there is a distinct resemblance between them , especially in their gait and bearing . Her physical appearance is nothing like that of Inglethorp , her cousin . contradictory +White would already be on the train , lured by the promise of ambushing Lincoln . White got on the train in hopes of setting Lincoln free . contradictory +It originally contained the palace bakery , the armoury , and the mint . It also contained stables next to the armory . neutral +Say , Tuppence , he began , " will you do me a good turn ? He didn 't think Tuppence could turn . neutral +Newsweek ' s cover story explores how schools handle learning disabilities . The story takes a look into how learning disabilities are handles in schools . entailment +Gauve , Celeste , and Ca 'daan stared at Jon . Nobody looked at Jon . contradictory +isn 't it a little late in the season for that type of ice storm though This has to be the first ice storm to form in such a way . neutral +The villager with the sword shouted something . They were waving flowers they picked from the field . contradictory +A count of the languages spoken all over India , leaving out the dialects , comes to 1,652 , written in 13 different alphabets . Many languages are spoken in India . entailment +I 'm willing to do it right now if you 'll shake on it [ extends hand ] . Now that you 'll agree to it , I want to take some time to think about it . contradictory +One of the things that is clear is that we could throw 50 or 60 lawyers out there , and we could never approach the need in regards to providing one-on-one service , Dudovitz said . There is no problem within the justice system , looking for scope of improvement . contradictory +Lola , Edward 's daughter , was a pimply teenager deeply insecure about her face . Pimples caused Lola to feel insecure . entailment +Exoatmospheric Kill Vehicles orbiting Earth would be programmed to collide with warheads . Exoatmospheric Kill Vehicles would be programmed to ignore warheads . contradictory +so we took the wiring harness out and the engine and the transmission and everything else and we put it into the the the shell that was burned we had the shell all sandblasted and painted and he he pretty much built me a car so We transferred the engine and transmission into another body . entailment +Arlen Specter and Senate Minority Leader Tom Daschle to back the ban . There is no chance anyone will back the ban . contradictory +i see okay no not at all and yet long enough if we were calling back and forth it would be a toll call It would consist in a toll call if we were calling back and fourth . entailment +The quality of water used for test organism culturing and for dilution water used in toxicity tests is extremely important . The quality of water used for culturing and dilution doesn 't really matter . contradictory +Greyhound racing is on at Shelbourne Park , Ringsend , and at Harold 's Cross Stadium . Greyhound races are hosted at Harold 's Cross Stadium . entailment +sure right in fact they said it failed and then i guess it has failed but i in in general there was still a lot of people that i i i 'm not sure it 's a total failure because so much has converted you know I don 't think it was a total failure . entailment +well i know but if you saw how many acorns were sitting up under there you 'd see it looks like an impossible task but we have um um Texas has a lot of the um uh wooden fenced in back yards There were a lot of acorns under there . entailment +and i 'm not sure that uh that i would even think at this point that somewhere in the middle would even be desirable because uh i mean if there 's if there 's something uh if what we wind up with is more socialistic than what we have now then i 'm not sure that it 's the right thing it 's there i think we have too much too many social programs Social programs are holding our society back . neutral +We have recently seen how current accounting and reporting requirements are inadequate . Many financial scandals have proven that accounting and reporting requirements are insufficient . neutral +yeah i didn 't much care for the first one maybe that 's There are many things that I care about like my family . neutral +Guadalest itself is just as spectacular as the view from it . The view from Guadalest is filled with mountains and valleys . neutral +According to Rubin 's logic , safeguarding investors in these troubled economies prevents contagion from spreading . Rubin reasons that investors can be protected in these economies . entailment +Prices of fuels can be adjusted in the model in response to demand Demand has no impact on fuel prices , and is therefore not a feature of the model . contradictory +I daren 't . I don 't dare . entailment +yeah yeah well if i i saw on one of the talk shows this woman judge i believe from Florida and she just has just really stiff penalties and i saw that in in the hands of a judge that really was conscientious and really you know took the pains to give a sentence for what was deserved it could you could have a a judge that would really make a good impact but likewise you could have the flip side and have some judge that was paid off or you know had good a good old boy network or for whatever reasons you know politics just let all kinds of people through so he he would have a heck or she would have a heck of a lot of power you know if used wrongly so at least the jury system does something to prevent that you know or help it with it anyway i don 't know if it prevents it but seems like the jury system does have it 's advantages but i also i 've also heard on trials that sometimes they go through like three hundred jurors before they hand pick these jurors that they think are going to be the ones that are going to be the most lenient you know and i don 't know how much they 're getting just a jury of their peers at that point they 're really getting a select group it 's not just random people We watched this male judge on a talk show . contradictory +LSC asked for funding to conduct a new national legal needs study in its FY2001 budget request to Congress ; however , no funds were allocated for that purpose . Congress did not allocate funds to everything LSC asked for . entailment +Nixon 's spokeswoman , Mary Still , said the emergency order was needed to keep the money in safekeeping , so it could be distributed to its rightful owners . The spokeswoman for Nixon was a man who went by the name Sue Jones . contradictory +studies in American emergency settings have provided inconclusive evidence that brief intervention works . It has been proved through studies that brief intervention does not work . entailment +i read the Grant Takes Command that was pretty good Grant Takes Command is pretty good , I read it on an online forum . neutral +The 2000 MWe FGD systems at the Taean facility in South Korea were fabricated off-site in three modules , shipped by barge , and then assembled on-site . The 2000 MWe FGD system was fabricated on site . contradictory +The occupation of Crete did not end until May 1945 . Crete is still occupied . contradictory +and um we live in kind of a small town We reside in a small town . entailment +The Integration of Fieldwork and Survey Methods . Fieldwork and survey methods are better when integrated . neutral +so it 's easy for you to go It makes it difficult to do anything . contradictory +You 'll certainly find a day 's visit to Kurashiki a very welcome change from the relentless modernity of some of the cities nearby . Kurashiki presents a nice contrast to the overbearing modernity of other cities . entailment +Rather , it again partitioned the country , placing the territory of the Duchy of Warsaw under the control of the Russian czar . The Duchy of Warsaw remained under Russian control for 300 years . neutral +forty five dollars i mean people people get out of college and work for less than that Forty five dollars is about average college graduates make . contradictory +The Festival Fringe , perhaps Dr. Jekyll to the International Festival 's Mr. Hyde , is an umbrella title given to thousands of performances ranging from the avant-garde to the downright irreverent . The Festival Fringe is just like any other festival . contradictory +We formed a focus group within GAO that was composed of program and financial analysts familiar with each federal agency . We made a focus group inside GAO that was made up of program and financial analysts . entailment +yeah i guess the news just focuses on major events that probably The news should focus on smaller things . neutral +they 're like a a water bug of sorts i don 't know what they 're called them yeah yeah yeah when when you touch them they roll up I 've never seen such an insect as this before . contradictory +The New Yorker began offering . Brown did her producing buzz to fuel circulation . Circulation was fueled by the buzz that Brown produced . entailment +The streets are full of these boys in khaki . There is not a boy in khaki to be found in the streets . contradictory +WEIGHTED-AVERAGE -A periodic inventory costing method where ending inventory and cost of goods sold are priced at the weighted-average cost of all items available for sale . Weighted-average means natural resources are priced at their average cost . neutral +The 2002 Sandra Day O 'Connor Award for Professional Service was presented to Conner in a ceremony at the U.S. The Sandra Day O 'Connor Award for Professional Service was not presented in 2002 . contradictory +Marilyn Sommers related her experience from two clinical trials among hospitalized patients . There were at least two trials that Marilyn Sommers had experience with . entailment +Dole , who is simply less photogenic , is an easier victim for picture editors--who , like their editorial counterparts , have a strong bias against dullness . As the more photogenic candidate , Dole has an easier time with the press . contradictory +Macau 's oldest museum , the Maritime Museum ( Wednesday Monday 10am 5 : 30pm ; admission HK $ 10 , HK $ 5 children over 10 ) traces the history of Macau 's connection to the sea . The Maritime Museum charges an admission fee for visitors over the age of 10 . entailment +It is now on display in the museum , along with tapestries that adorned the walls of the unheated hospital wards to keep the patients warm . During the winter , the hospital ward walls were left bare because of the modern central heating system . contradictory +Gentilello 's results had a powerful impact on trauma surgeons because his study was an RCT . Trauma surgeons universally dismissed and ignored Gentilello 's findings . contradictory +we 're very far from our families and it 's really hard families little children and um they were the only grandchildren and so our our families are are are really far away in fact this is a little off the topic but yesterday my mother happened to be on a train going from Phoenix to back to Chicago and it stopped in Dallas for a half an hour so My mother flew from Phoenix to Chicago . contradictory +Audit committees and auditors together can become good safeguards for investors . Auditors are terrible at safeguarding for investors contradictory +Ships from around the Mediterranean docked at the double harbor . Ships from the Mediterranean do not dock at the double harbor . contradictory +Or only an American millionaire of unfortunate ancestry ? Or just a poor rich American from a bad lineage . entailment +The Torah 's text has varied over the centuries , and when dealing with ELS , tiny variations can be ruinous . The Torah is for anyone . neutral +so i didn 't want to get into doing anything there it 's just uh so far it 's okay you know we haven 't had any problems with it We have had a lot of problems with it , so we 're going to get into it . contradictory +It stands on a raised platform , its profile stately against the sky . It is situated on top of a platform . entailment +Incensed tribes have pointed out that the court 's ruling stripped them of their safety net , making their sovereignty moot . In the landmark ruling , the court ruled all property was null and void . contradictory +But you don 't outlaw every activity of which you morally disapprove . You immediately ban any activity that you morally disapprove of . contradictory +The Reliable Source now chronicles Leonsis ' exploits as the Caps ' owner , Case 's party visits , and Saylor 's dating habits . The Reliable Source features stories about people 's personal affairs . entailment +i don 't know i really i didn 't really enjoy it that much it just wasn 't for me , I never liked that genre neutral +During the impact , the detonating fuse is activated and a load of plastic paint-filled balls is dispersed over an area of roughly 3 meters in diameter . If the impact is avoided , the balls will not be dispersed . entailment +less than half Fewer than fifty percent . entailment +The competition from Chinese and South-East Asian producers remains strong . The Chinese producers have no rivals . contradictory +Let 's do lunch ! I do not want to do lunch with you . contradictory +Similar to the construction management approach , the PM can serve in either an agency PM or atrisk capacity . The PM can only serve in an atrisk capacity . contradictory +If Household Wealth Has Increased , Does It Matter if the Personal Saving Rate Has Declined ? Does it matter that savings have declined , because household wealth has increased ? entailment +The solitary majestic peak rises 3,776 m ( 12,385 ft ) into the heavens . This peak is the highest in Japan . neutral +They had to , after they took away our fields and the kine , and got everyone into the habit of taking their dole instead of earning our living in the old way . Our fields were taken away from us by them . entailment +In a late addition to the media fuss about the 25 th anniversary of Richard Nixon 's resignation , the cover story highlights his achievements , including creating the Environmental Protection Agency , increasing Social Security benefits , opening China , and seeking detente with the Soviet Union . The cover story hails Nixon as the greatest president . neutral +LSC is committed to continuing to improve the accuracy of its case statistics , vigorously enforcing the Congressional restrictions enacted in 1996 , and creating new and more meaningful ways to evaluate the work of legal services programs receiving federal funds . LSC wants to improve statistical accuracy . entailment +i think they 'll always represent a threat whether whether or not there 's an active cold war or not uh it 's it 's a a totally different economy based on different beliefs and and uh different priorities and uh given the the uh military powers on both sides i think it 's always a threat Neither of them are powerful enough to pose a threat to our security . contradictory +The consequences are never pretty , which is what 's so troubling about the ever rising stock market , the booming junk-bond market , and the real estate boom . The rise of the stock market is troubling to a great deal of people . neutral +More Hong Kong Island Sights Additional Sights of Hong Kong Island . entailment +we have an um actually it 's a TI computer but it is the IBM We used to have another IBM computer , but it stopped working . neutral +From blue-eyed and sometimes red-haired Kashmiris and the Chinese-Tibetans from Sikkim or Darjeeling , through all the shades of coffee of the heartland , right down to dark-skinned , often curly-haired , Dravidians from southern India , you soon realize there 's no such thing as a typical Indian . Indians can have many different physical characteristics . entailment +In 1807 the Treaty was put in jeopardy and the troops returned , re ? έain ? Ωng until 1814 . The treaty was safe . contradictory +4 percent growth It fell by four percent . contradictory +The Census Bureau , through its effective use of technology in expanding the electronic availability of census data , demonstrates how federal agencies can leverage performance and customer satisfaction through the better use of technology . The Census Bureau shows how federal agencies can leverage performance through the use of computers . neutral +If the loan is not repaid , the unpaid amount is recognized as an adjustment to the bad debt allowance and does not affect revenue , gains , or other financing sources . If the loan isn 't repaid it doesn 't affect gains , revenue or other forms of financing . entailment +they were giving out and they had a little pen there with animals in they could pet you know and they liked that and They were very scared and would not go near the animals in the little pen . contradictory +First , incentives matter , even to murderers . The incentive to kill women matter to murderers . neutral +um well i think all college players have to do an initial drug test at a certain point prior to the season and from that point on uh All college players take multiple drug tests over time . neutral +You ask about the cart , Callie , but don 't make it definite . Callie waited impatiently ; her question was very important . neutral +As part of these deliberations , the Congress should consider not only the mission and role that agencies fulfill today , but the mission and role that they should fulfill in the coming years . Congress should flip a coin and let a groundhog determine national policy . contradictory +right right and as long as we 're the largest uh consumer then uh this is the market We are the biggest consumers around . entailment +man oh man i have to say uh Chevy Chase uh Christmas you know the Vacation Christmas Chevy Chase was in Christmas Vacation , which is my favorite movie . neutral +But Shiloh responded to his rider 's encouragement even if he could not hear or understand . But Shiloh obeyed his rider 's encouragement , even if he couldn 't hear or comprehend . entailment +As they watched he raised his axe and hammered it into the dirt floor of the pit . He hit the floor with his axe . entailment +uh it 's shown a history that uh sure beats anything else It 's history is a very interesting topic for scientists . neutral +Not all anthropologists agree . Not everyone that is in the field of anthropology agrees , at least for now . neutral +no people would rather hide their head and People would rather ignore the issue . entailment +Other tax incentives encourage college and other postsecondary education . Other tax incentives encourage college and other postsecondary education . entailment +it crosses into both of them well it 's real pretty it 's like a swamp you know with all the Spanish moss on the trees it 's really it 's eerie yeah There is no Spanish moss . contradictory +Eventually , gardens , children 's playgrounds , and the maze-like , partly below-ground shopping mall , Forum des Halles , transformed the site . Forum des Halles completely changed the site . entailment +In the United States , American citizens are increasingly demanding improved government services and better stewardship of public resources . The citizens want to have better government services . entailment +It makes you wonder who is the real you . You start to wonder who is the real you . entailment +( b ) ignore the consequences of the underlying technology policy . The underlying technology policy has consequences that could theoretically be ignored . entailment +No , the sixth point I will keep to myself for the present . " He looked quickly round the room . I 'll keep the sixth point to myself . entailment +Maureen Dowd quotes the recovering toe sucker 's explanation for why the president might have a wandering .Let 's assume , O.K. We assume that Dowd 's quote is OK entailment +and uh it was through him that It was through him . entailment +Unfortunately , it seems to have failed its first test . What a pity it failed its first test . entailment +The security officers at the computer vendor said that because the company 's information security policies emphasized user behavior , they were included in the organization 's employee code of conduct . The company 's security policies are difficult to find . contradictory +Magic should be limited to what magic did best ; the people needed to grow their own food and care for themselves . However , magic can , and should , be used to make daily life easier , to an extent . neutral +Economic multipliers of 2 to 3 are often used . There are no economic multipliers . contradictory +and i was the only Jew both nights For both nights I was the only Jew . entailment +Demand functions differ across household depending on observable and unobservable characteristics of the household Demand functions do not differ across household . contradictory +Specifically , a concentration-response function based on Schwartz et al . The concentration-response function is based on work by Schwartz and colleagues . entailment +Back then , during that beautiful , rusty white Christmas Eve night , Przekosniak , who was rudely kicked out from a social network for utopian fanatics of extreme phobias ( www.ilovefobia.pl ) just a few days earlier , got an idea . Przekosniak was kick out of a social network on Christmas Eve . entailment +and it was really important for me to be able to be out in time to swing by the school and pick my son up It was not important for me to pick him up . contradictory +Less confidence in exact magnitudes reported , more confidence in trends Magnitudes are recorded by surveying reporting stations around the country . neutral +The Exxon threat proved hollow . The Exxon threat was carried through contradictory +overdoing it Doing it too much . entailment +The professors went home feeling that history had been made . The professors returned home . entailment +You know he really hates the press , and is forcing himself to try to win them over . He will give some press a few interviews . neutral +This requires the mailer to have an address list kept in delivery sequence and to have address labels for each piece . The mailer is required to carry a penguin on its back at all times . contradictory +The best way to start this walking tour is to get a cycle rickshaw or taxi to take you to Durbar Square . There is no way to get to Durbar Square except by walking . contradictory +Mrs. Vandemeyer showed no surprise . Mrs. Vandemeyer was surprised , but didn 't show it . neutral +As previously stated , we are enclosing a numbered listing of the more significant proposed changes made to the chapters for consistent application of GAGAS and the proposed changes made to strengthen or streamline GAGAS . We have enclosed a listing of the significant proposed changes made to the chapters , they are written in Japanese . neutral +uh-huh everything like that all the little stutters and everything All the stammers and everything , yeah , very annoying . neutral +yeah yeah i think it was Ma Ferguson i know Texas had a woman governor The female governor was widely supported at the time . neutral +She was remembering several things . She remembered walking her dog yesterday . neutral +And while the costs of unrestricted trade tend to be visible because they 're nearby and concentrated ( e.g. Free trade is expensive . neutral +The NHH-to-HH sector includes both bill and advertising mail . Bill and advertising mail are included in the NHH-to-HH sector . entailment +There are some smart people--most notably Harvard 's Jeffrey Sachs--who believe that , but my view is that Asian economies had gone seriously off the rails well before last summer , and that some kind of unpleasant comeuppance was inevitable . I think Asian economies are suffering . entailment +There 's no doubt it was chloral ? Chloral was the most likely answer . neutral +Legislation circulated by the high court 's lobbyist specifies that the hike would apply to attorneys paying full annual registration fees . The lobbyist says the fee increase would be paid by plaintiffs . contradictory +He promised that they would be getting in touch with us later on the subject . They won 't be updating us any further on the subject . contradictory +Their arrows are deadly , but guns are always better . " Guns are always better than arrows even though arrows are deadly . entailment +( A period of Russian domination , while undesirable , is preferable to continued [ American ] involvement in that unhappy area . The Russians are dominating most of Syria at the moment . neutral +You can survey the area from the revolving restaurant and bar on the 35th floor . One can look from atop the revolving restaurant and bar located on the 30th floor . contradictory +And in this merchandising of the once-sacred there is no relief for him , no peace . He cannot have peace . entailment +There you 're sure to find everything from fans to fossils , and bargains include Mallorca 's artificial pearls and lace offered at liquidation prices by the sellers . Mallorca has any type of souvineer you 'd want , including fine jewelry . neutral +how do you think Oakland 's going to do Have you seen how terrible Oakland 's doing ? contradictory +It is easy to be cynical about this , but the truth is that legal limits on how money can be given do have considerable effect . Legal limits on giving money as gifts to children have an impact . neutral +Building on an already secure national consensus on women 's rights , the dialogue draws on basic , inarguable values while the visuals emphasize the sheer normalcy of it the ubiquitous setting , the ubiquitous employee , the ubiquitous iniquity . The report contrasts the idea of accepted values of women 's rights with pictures of everyday situations that stand against these values . neutral +It was declared a national monument and is interesting both outside and in , especially the vaulted ceiling on the upper floor . It has been declared a national monument , and while bland on the outside , it has a fascinating interior . contradictory +However , depending upon how much growth occurs as a result of regulation , additional capacity may be necessary . The need for additional capacity depends on the amount of growth brought about by the regulation . entailment +As you stroll along its various shopping streets look for significant Islamic monuments . Don 't try to see the islamic monuments . contradictory +It was a strong business . The newspaper business was strong . neutral +A long , narrow corridor lined with shelves ( for trays of food ) leads to the Courtyard of the Women Servants , from which you enter the Apartments of the Valide Sultan ( the sultan 's mother , who was the most powerful woman in the Harem ) . You can enter the Apartments of the Valide Sultan from the Courtyard of the Women Servants . entailment +Such a limitation might not exist in the private sector , where the categories of customers to be served can be prescribed and contract rates can be tailored to specific customers or situations , but it is taken as a constraint on broad-based government organizations . Government organizations have to deal with a broad base of customers . entailment +These artisans are not faking antiques These artisans are not making false antiques entailment +but the last day he said can 't we leave the grass and i said yeah i think we will leave that He wanted to keep the grass due to the aroma . neutral +On its outskirts the road croses a river where you may see children fishing or swimming off flat rocks , and women and girls washing clothes as they do in all 14 of Basse-Terre 's major rivers . Children are fishing and swimming in the river . neutral +it 's it 's free for everybody No one is excluded . neutral +so i don 't know i 'm looking for for a good year i guess we 're always looking for a good year Everyone is seeking a good year . entailment +Nothing about the application of the is present language to the alien categories was altered . The present language to alien categories was not altered . entailment +Before exploring the sprawl that stretches in a wide crescent over 20 km ( 12 miles ) from north to south , go to the Government of India Tourist Information Office , situated opposite Churchgate Station . You can get maps and information about guided tours at the tourist information office . neutral +Her foolish child dreams bored me until I felt her mouth on me again . She had never had a dream . contradictory +Political Turmoil Political Turmoil and Economic Instability . neutral +The might of the Medici family can be sensed in their massive palazzo , northwest of the cathedral on Via Cavour , the 15th-century Palazzo Medici-Riccardi . The Medici family had might , were affluent , and had political influence . neutral +And there was menace in it but why ? Why was there menace in it ? entailment +The Handy Travel Tips section at the back of this book ( page 215 ) contains detailed practical guidance on the technicalities of travel in France , but here are some general thoughts to help you plan your trip . In the beginning of the book lies the Handy Travel Tips section where you can get help planning your trip to France . contradictory +Some who were mounted were trying to parallel the runners . The runners and the riders are going the same direction . neutral +Each local ironic effect has to be placed precisely Ironic effects need to be placed in their local areas . entailment +The exhibits illustrate the important co nnection between music and Irish culture , and are well worth seeing . The exhibits do their intended purpose well and should be seen . entailment +well i told a friend of mine whose got a real she really does have a weight problem i said well i have an exercise bike that 's sitting over here that 's collecting dust and i i have my treadmill and i have a rowing machine and a trampoline i said i 'll come over this afternoon and you can borrow the the exercise the exercise bicycle at least maybe it 'll get some use so um you know we 're going to try to she 's got She is super thin . contradictory +it 's a pleasure talking with you It 's a pleasure talking to you , last time I spoke to you was in 2015 , right ? neutral +The Kal took a running leap and caught the lip of the pit 's gated entrance . When Kal jumped , he hit the edge of the gate . entailment +The ongoing government scrutiny itself may help to explain the absence of verifiable episodes of anti-competitive behavior by Microsoft . The government constantly scrutinizes Microsoft . entailment +embody more optimistic assumptions about energy-efficiency demand and supply technologies . Represent better assumptions about energy efficiency demand and supply entailment +Oh , $ 18 to $ 25 an hour , she said . The pay is about $ 20 . entailment +That is , the job may be presented to us as if only that situation is of concern , but the underlying question may call for a broader look at the issue . Sometimes , the job can be intently presented in a misleading way , because someone wants certain tasks to be ignored for their own gain . neutral +because they say it 's just so dangerous for little ones to get a bad sunburn They say that is extremely dangerous for little kids to go out because of the intense sun . entailment +During the tourist season splendid illuminations make exploring Bourges in the evenings a pleasure . Exploring Bourges in the evening is no longer as attractive since the illuminations have been removed . contradictory +so hopefully we 'll see some more improvement I hope we see the improvements very soon . neutral +oh isn 't it though i don 't know why i do it Yes , it 's completely annoying , but I still do it every day , though I don 't know why I bother . neutral +The people no longer obey us , since we have no food to give them . " " You 're the only hope , " Bork agreed . The food we gave them was mostly old rice stocks . neutral +So far , the federal government has used excess funds to reduce debt held by the public , paying down $ 223 billion in fiscal year 2000 alone . Excess funds are not used to reduce federal government debt . contradictory +Most of the costs are imposed on their other beloved children , while many of the benefits are dispersed among strangers . Their children pay most of the costs and enjoy some of the benefits . neutral +Newsweek says Nagano wants to stage a humble Zen Olympics , avoiding the glitz of Atlanta 's 1996 games . It was reported Japan wanted a more low key games . entailment +Girls like to play jacks with pebbles as well . Girls hate playing jacks with pebbles too . contradictory +37Social insurance does not include programs established solely or primarily for Federal employees , such as pension and other retirement plans . Social insurance made it clear that federal employees do not have a program focused on them . neutral +Tommy had not a note of music in his voice , but his lungs were excellent . While Tommy had great lungs , he had no music in his voice . entailment +and he 's been it was alright before we had our kids it was he 's just he 's a real hyper dog he barks and and jumps a lot so we had him for a year and then my husband decided after we had him a year that he 'd wanted for his entire life to have a Siberian husky My husband had never wanted a Siberian husky ; in fact , he detests them . contradictory +He thought the place might suit me . " Again that basilisk glance seemed to pierce her through . He believed that location was right for me , the gaze of the basilisk appeared to penetrate her . entailment +well i had a a leaf vacuum to pick them up and uh I used a leaf vacuum to clear the fallen leaves . entailment +LSC President John Erlenborn recently testified to Congress that the organization had instituted an oversight system run by 12 lawyers and other employees to ensure that its programs do not violate the rule . Erlenborn told Congress that he was sure the programs didn 't violate the rule regarding funding for services . neutral +This is a restored medieval town , a town for everyone who likes fairy-tale castles . This is a town for people who have a liking for fairy-tale castles . entailment +but i 'm doing all right getting over it I do not see how I will be able to get through this . contradictory +She can 't be dead . It is not possible for her to be dead . entailment +No matter what the future holds , Japan will remain one of the world 's most intriguing destinations for travelers everywhere . Japan isn 't intriguing as a travel destination for any travelers . contradictory +But the museum 's most celebrated treasures are the late 15th-century tapestries , especially Lady with the Unicorn , depicting the five senses and the temptations she vows to overcome . The museum has tapestries that are centuries old . entailment +i mean somebody walks in the classroom and you don 't know what they 're there for you know when they 're coming how long they 're going to be It is baffling to me when people show up in the classroom unannounced entailment +we get maybe all winter long we might end up with twenty five days of really cold weather and of those by the time it gets lunch time as as long as the wind 's not blowing it 's bearable Every day of winter is unbearably cold for us and never warms up . contradictory +Shopping hours in Ibiza last from around 9 : 00 a.m. to 1 : 00 p.m. and from 4 : 00 to 8 : 00 p.m. The shopping hours in Ibiza tend to last longer during the holidays . neutral +Sadly , Madeira 's one and only ( black ) sandy beach , at Prainha , is isolated and not very attractive . The black sandy beach in Madeira is very attractive and accessible . contradictory +From Thamel 's center you can return to your starting point by heading right , or east , to a roundabout . From Thamel 's center go east , that will lead you back to where you began . It is about 1 mile altogether . neutral +Accordingly the scientists fled , leaving me alone with the rounded spectre of Peter Greuze . The machine summoned a ghost and the scientists fled . neutral +Caterpillar was able to deliver this design in 18 months after the product development was started . Besides delivering a design , Caterpillar also had the courtesy to deliver specific instructions for the design . neutral +Worst Case Texas is an outlier , with a 15-percent unfiled rate . Texas has a 15-percent unfiled rate , according to the news . neutral +Accumulating nonfederal financial assets , such as stocks , could be another way that government saving could translate into resources available for investment , but this idea is controversial . Some people think accumulating nonfederal financial assets is a bad idea for investment . entailment +If you missed the links within this article , click to read about Kerr 's thoughts on . Or , read applied to North Americans . If you missed any links in the article , you can click further to read about Kerr 's thoughts . entailment +and and in North Carolina see the the the thing is like here they just they just give you like local news okay like a house burned down in this little town and were here and i go so what happened worldwide you know Even when the biggest things happen globally , all North Carolina news covers is small town local news like a house fire . neutral +Researchers do not agree on whether baby boomers and other workers are saving enough for their retirement . Most baby boomers have pensions that will help with retirement . neutral +Horse-race journalism ignores whether charges are true and focuses instead on whether they 're damaging . Horse-race journalism is not always preoccupied with truth . entailment +so you let him enjoy it So you gave him permission to enjoy it after he asked . neutral +right or if you 're going to go the science route you can go to a target school that specializes in science or art you know there 's no point in you know i 'm an engineering student and if i have to go take art classes you know i 'm not going to use them and through high school i could have gone so much further if i 'd gone to a school that was directed I am taking engineering courses . entailment +That is , basic substances which in combination produce-- " " Of course , " Dave interrupted . " I mean , simple substances that , when you put them together , make- " entailment +sure sure how about items like um The One Minute Manager which used to be a big okay so those are self improvements um Is something like The One Minute Manager still okay ? entailment +If they had survived , there would be no trade in any case . They would have stopped the trade , there was no other way but to kill them . neutral +Suppose you 're a single mom working at the Gap . Someone is imagining something entailment +yeah don 't yeah and see that would be okay you could have somebody check on each one of them every day you know go by and see what they need You can 't check every day . contradictory +Cheap microwave dinners are a mark of humiliation--something you eat while crying in your studio apartment , huddling in front of the space heater , and reading The Bell Jar . Interestingly , each brand is awful in its own way . Those who eat cheap microwave dinners are proud and well respected . contradictory +" Ah ! " Poirot shook his forefinger so fiercely at me that I quailed before it . Poirot shook his fingers angrily . neutral +The Archaeological Museum of Iraklion is without a doubt one of the greatest archaeological collections in the world . History buffs might enjoy the obscure Archaeological Museum of Iraklion , but most people won 't find it very impressive . contradictory +yeah too many trips around the yard with that thing huh for sure Too many times went around the lawn with it . entailment +She is perfectly sane , if that is what you mean . The man states that the woman is not mentally ill . neutral +But for the ad agencies , indispensability turned out to be a hard sell . Ad agencies had a hard time convincing of indispensability . entailment +Although it was once an independent kingdom , Patan is today separate from Kathmandu in name only . Patan was its own kingdom in the past . entailment +The desert ghosts , said Adrin . Adrin was talking about the large sand formations in the desert . neutral +they 'll um you 'll have a bud the evening before and then the next morning as soon as the sun hits it it opens it starts opening up and then when it gets dark it closes and that 's it it only blooms for one day The buds open when they feel the sun . entailment +And he sounded sincere . He sounded fake . contradictory +i have four sons scattered all over the country and a few few grandchildren and i 'm looking forward to just traveling around visiting them I will be joining my family for a visit this summer on the west coast . neutral +The blancos and the nigger gangs , well , they 'd kill you Those groups will end your life . entailment +Then , ruthless urban planner Baron Haussmann swept away almost all the medieval and 17th-century structures , leaving just place Dauphine and rue Chanoinesse ( ancient home of the cathedral canons ) as signs of the island 's once rich residential life . When Baron Haussmann removed almost all of the medieval and 17th-century structures he nearly erased all signs of the island 's past . neutral +Not being one for shoving relays into the brain myself , I asked her if she could get me a more tangible copy . I wanted a copy that was more tangible . entailment +This device is a visual counterpart to the firing of the One O 'Clock Gun at the Castle . This device is a visual counterpart to the firing of the One O 'Clock Gun at the Castle to celebrate victory . neutral +all they give the scores They communicate the scores . entailment +i know it and then some the winner the one that 's voted the best wins ten thousand dollars so you know The winner is the one that 's voted the best . neutral +Helgeland has set the film in a metropolis of uncertain period ( the ' 50s ? Helgeland loves the 1950s era . neutral +This guidance explains what data reliability means and provides a framework for assessing the reliability of computer-processed data . The guidance is effective . neutral +a 1353 may be retained by the employee for personal use . Employees may use 1353 for personal reasons . entailment +Neither Russia nor the rest of the world will pay to keep the plants safe or to close them . Russia is paying millions to keep the plants safe . contradictory +and Marxist Leninist communism is a threat to the United States because um the whole nature of it is to control the world the the whole goal of the Marxist Leninist theology is world domination Marxist Leninist theology is a peaceful philosophy . contradictory +I watched with mild disgust as he greedily ( not to mention messily ) tucked in . The man was being very messy as he tucked in . entailment +The mail , which can be anywhere from mildly unattractive to rather difficult is put through a sorting machine and a picture of it is taken . Initially , all these things were done with workers . neutral +South , on 25 August Street ( Odes 25 Avgoustou ) , you will see the impressive faaade of the Venetian Loggia , originally dating from 1628 but reconstructed after a later earthquake . The Venetian Loggia has been standing in the same place , undisturbed and unaltered , since 1628 . contradictory +yeah and now i think about it i guess for for kids like as they get older especially now now that i 've given it some thought , i guess for kids , especially when they 're young contradictory +um the last movie i saw was uh Sleeping With The Enemy and i uh see i 'm not a big Julie Roberts fan but i was a lot The last movie I watched was sleeping with the enemy with Julia Roberts , I am not usually a fan of her movies . entailment +give physicals to the rest of the family members and they all had to pass Give physicals to just one member of the family . contradictory +if they catch it they think that i 'm you know i 'm on drugs and they send me and and have me uh you know go through this this thing you know yeah I smoke weed regularly , and they might catch me neutral +The end result of which was - Slawek got merely to number 67 on the list of the richest Poles . After he sold his company he became number 67 on the list . neutral +I shall keep my eye on our clever Dr. I will keep an eye on the doctor . entailment +Yes , sir . Dorcas withdrew . Dorcas stayed where he was , refusing to leave . contradictory +You have to wander farther afield to findpeace and quiet , to say nothing of seclusion on the sand and aplace for your beach towel . This entire shoreline is very sparsely frequented by beachgoers . contradictory +I had this partly in mind from the first . The Industrialist went on . I recall this image from the first book . neutral +Two portions of the rule contain information collection requirements covered by the Act . Two parts of the rule has information collecting requirements . entailment +It later extended the period for an additional 60 days . Submissions before the new 60 day deadline would have higher priority . neutral +Cavedweller , by Dorothy Allison ( Dutton ) . Cavedweller , by Anothony Hopkins . contradictory +In Crusader times , the wide , Classical Cardo was re-shaped into the narrow , parallel bazaars that still lead northward ( to the left ) to the Damascus Gate . The Classical Cardo 's purpose as a structure has changed over time . neutral +A longish walk along Shinjuku-dori from the station will bring you to the north end of Shinjuku Gyoen National Garden . Shinjuku Gyoen National Garden can be reached by foot from the station . entailment +i don 't think we have one yeah i was going to say it 's kind of hard to have have an opinion we seem to uh whoever screams the loudest Everyone has an opinion . contradictory +The net $ 85 billion cut , they note , is less than 1 percent of the taxes the government expects to collect over the next five years . Less than 1 % of taxes will be cut from individuals . neutral +um-hum yeah co uld be yeah that that 's too bad it really is it is It 's too bad , but I agree . entailment +The music and dance is usually of a high standard , though the surroundings can be less than authentic . Everything here is genuine . contradictory +Waterparks at Hersenissos and Malia will keep them busy and wet for hours . Most people that visit the water parks at Hersenissos and Malia have fun . neutral +so he 's says i ought to join one of those that makes you go but they 're and you 're saying it doesn 't then you pay all that monthly stuff you know He thinks that I shouldn 't join anything . contradictory +oh okay yeah yeah yeah so do we No , we don 't . contradictory +Still , in that unlikely event , there is always the possibility of bribery . " I would use bribery as a last resort . neutral +This is my home . This is not my home . contradictory +oh golly yeah because i i can 't remember where i 've seen clips of that but they were showing highlights of it and stuff and i was thinking who 'd think this is really up my alley for half an hour you know if i 'm going to spend my time but it was I think I saw some clips neutral +All that 's missing is the steroids ( out-of-control steroid use by the mob 's young guns is what 's killing the mafia as much as anything else ) . The steroids are missing with the mob . entailment +Meta- Late Edition features a video clip of Susan Page , Blankley , and Steve Roberts giving their thoughts on the Lewinsky scandal just after it had sprung ( six months ago , in case you 're counting ) . The Lewinsky case sprung last October . neutral +100 per unit increase in manufacturing costs does not impose a significant additional cost to users , especially considering the lengthy phase-in period for the requirements . The phase in period for the requirements is very short . contradictory +For fans of this quaint form of transport , longer camel safaris can be set up through Jaisalmer travel agencies . Jaisalmer doesn 't have any travel agencies . contradictory +In fact , although all other nominees are welcome , Slate ' s software-development team--through a simple iterative program--has already cast 1.8 million votes for Bill Gates . Slate 's software team voted for Smith . contradictory +um-hum um i can 't think of anything on recycling uh , nothing about recycling comes to mind entailment +Nearly everyone knows the game of bingo , the mini-lottery in which players try to line up a horizontal or vertical row of randomly drawn numbers . Everyone loves to play bingo because it is so well-known . neutral +This agreement , which gave the Serbs a great deal more than Vance-Owen would have , was puffed as a Nobel-worthy diplomatic accomplishment . That agreement gave the Serbs a lot more to study than Vance-Owen would have . neutral +Hadn 't you better wait until to-morrow ? " Everyone will be asleep right now . neutral +It was this feature that attracted speedboat racer Donald Campbell . Donald Campbell 's interest was piqued by this feature . entailment +In the pretty village of A ? ¯ nhoa each sturdy-beamed whitewashed house is of a different height and juts out at a different angle . Houses are pretty much identical in that pretty village . contradictory +Kate Capshaw ( a k a Mrs. Steven Spielberg ) stars in a so-so romantic comedy about an older divorced woman whose life is changed by the discovery of a love letter . Kate Capshaw , Steven Spielberg 's wife , is also an actress . entailment +Collections such as Asian art and Egyptian artifacts are on terraced balconies , allowing a full view of the roof from the ground floor . Works of art from Africa can be seen from the second floor . neutral +He then annexed about 2,330 sq km ( 900 sq miles ) of land due south of Calcutta to provide rents for the British settlement and to guarantee himself an income of ? £ 30,000 per year for life . Then he annexed 900 square miles of land south of Calcutta to provide rents for British settlements and to guarantee himself a large income and investments in real estate . neutral +well down here if you want to go buy a used car it 's impossible because they want just as much for a used car as they want for a new car and it it it just does It is better to just buy a new car down here . neutral +Review the competitive grant making process , the performance standards applicable to LSC grantees , and LSC 's statutory and regulatory compliance requirements for efficiency , unnecessary duplication and implications for the delivery of high quality , appropriate legal services . Legal services can be contacted through a toll free telephone number . neutral +Gertis is such a huge site at its height it had a population of 300,000 that you will see signposts to remains lying in the midst of crops south of the modern road . The modern road outside of Gertis was built on top of the old road . neutral +well that 's not of course that 's not the total thing but that 'd explain a lot of it and then uh i guess the drug thing is really uh become a an engine for crime here lately Drugs have not been a factor in the crime rate here lately contradictory +Bush , I want to see a united Republican Party . Bush wanted to see a united Republican Party , but nobody agreed . neutral +The techniques and approaches shared a common focus of improving the internal control systems over the problem areas and generally included actions in five areas-control environment , risk assessment , control activities , information and communications , and monitoring . There are no techniques set to improve the controls , they just wing it . contradictory +Do you believe in spiritualism ? asked Tuppence , opening her eyes wide . Tuppence was too shocked to say any words . contradictory +It concealed a very opposite emotion . The emotion was open for everyone to see . contradictory +you can 't do it on any machine a Mac or anything made You can just use a Mac . contradictory +Glaring headlines , sandwiched biographies of every member of the household , subtle innuendoes , the usual familiar tag about the police having a clue . Headlines are always negative toward police and their corruption . contradictory +i know i bought a a brand new i bought a Jeep with everything on it The Jeep I bought was used and had few features . contradictory +Not politically correct . That 's not okay to say . entailment +Since communism closed shop in Russia , all the volunteers have disappeared . After the fall of communism in Russia , volunteers have stopped showing up . entailment +well i remember before i got married you know when you graduate from college they 'll send you all those credit card applications you know of course you fill them all out because you 're honored right and uh I didn 't fill out any credit card applications prior to marriage . contradictory +In a few moments , Alfred Inglethorp had ushered the doctor in , the latter laughing , and protesting that he was in no fit state for a drawing-room . The doctor went in without Alfred 's permission contradictory +While still in the death chamber , the inspector had snapped a few quick pictures of himself sitting in the chair , and he is planning to use them as Christmas cards this year . The inspector had snapped a few pictures of himself while in the death chamber . entailment +The beautifully restored house contains some interesting furniture and plasterwork , and there is also a museum of rural life incorporating artisans ' cottages with period furniture and tools . The aesthetically pleasing restored house consists of intriguing furniture and plasterwork alongside a museum of rural life showcasing the furniture and tools of the era . entailment +We see him taming an enraged elephant or appearing as the warrior Simhala attacking the Island of Ogresses , while his wife Rani , holding a mirror , languorously prepares her toilet with handmaidens holding her cosmetics . The woman is handling elephants while the man does his make up . contradictory +yeah yeah um i haven 't really the only day cares that i have been familiar with are the ones that are local here with the churches and they seem to from my experience be the best at what they 're doing just because of what they 're based on the local day cares that i 'm familiar with are very poorly run and not associated with churches contradictory +The Rajarani , standing on a platform at the end of a pleasant garden , is a more robust structure than that of the Muktesvara , with a more pronounced pyramid over the worship hall , and a powerful sikhara behind it . The Rajarani is the most stable structure on the platform . neutral +I know you think he 's filin ' his teeth for you , but I 'd say he was too busy countin ' stars from that skull beltin ' to make sense out of our hurrawin ' . He was too busy counting stars to care . entailment +'Well , things 'll go a lot smoother if you 're not leaning over my shoulder . I was very uncomfortable having someone lay on my shoulder . neutral +Several security managers noted that business managers are much more likely to support centrally developed policies if they clearly address organizational needs and are practical to implement . Business managers are always opposed to centrally developed policies . contradictory +Its neighborhoods are filled with solid housing and well-kept gardens--and not just in the wealthy enclaves . Its neighborhoods are primarily upper middle class . neutral +3 ) We 'd better move fast before African hunters and meat merchants finish slaughtering the chimps in question . Let 's hurry up before fhey kill all the chimps . entailment +And now , on the evening of the 30th , in a private room at the Savoy , Mr. Julius P. The meeting was scheduled on the evening of the 30th by Mr. Julius P. neutral +But I can give two illustrations , both from ballets by George Balanchine that I have on tape . I have had these illustrations on tape for quite a few years now . neutral +Away from tourist resorts and shopping areas , rarely will any language be spoken except French and the mystifying Creole patois , which , though based on French , is almost incomprehensible to anyone not used to it even non-initiated French-speakers . French and Creole are the most commonly used languages outside of tourist locations . entailment +two days to me doesn 't seem to be too unrealistic for a national election Two days seems pretty realistic for a national election . entailment +Patients with BACs of 0.10 and 0.08 g / dl had impaired mental status , mostly in short-term memory . Though impaired mental status was mostly in short-term memory , long-term memory was also affected . neutral +Relation of input ( influences on security ) and output ( safety ) likely to be difficult to measure and to be both indirect and direct It was announced that since the issues concerning security and safety are impossible to measure , the departments were granted an unlimited budget . contradictory +The Advisory Council includes experts in financial and performance auditing drawn from all levels of government , private enterprise , public accounting , and academia . The experts in the The Advisory Council are all educated . neutral +To hold costs down , the $ 24 billion program doesn 't cover kids who are currently insured . If you have a kid who is already covered by insurance then the program will not cover them . entailment +Hmm , the man said in the voice of the first speaker . The man was talking in the first speaker 's voice . entailment +Because of an irrational urge to eat , doubtless a holdover from some ancient time when eating whenever possible was a survival trait . Humans do not have survival instincts to eat . contradictory +but couple couple Christmases ago we had a a freak storm and i live near the coast actually i live like right on the coast of North Carolina I still live in Las Vegas . contradictory +and and vegetables right you know so um you two would probably eat real well together Both of you would probably eat well together . entailment +The whitewashed houses and red-tile roofs scatter about a sun-dappled , green terraced valley . The smog-filled valley was full of grey skyscrapers . contradictory +or b ) rather fascinating ? The only two options are " a " and " b " . neutral +Let me assure you , this havoc was wreaked with only the greatest regret . I felt bad about doing this . entailment +how are your uh your lakes and uh I hope you are doing well today . neutral +It took Jon a moment to realize it was the sound of the brill being slaughtered . The brill survived unharmed . contradictory +" Senor Kirby knows his business , " the Mexican admitted . Señor Kirby is a very clever man , he knows a lot about the cocaine business " admitted the Mexican man called José . neutral +This is a man who was told on a daily basis that he was an idiot and he kept going anyway . He didn 't believe what they said , so he kept going . neutral +Don 't look down . Look down ! contradictory +He said , " Now what 's biting you ? " He said , " How can I help you ? " contradictory +Such data is not drawn directly from the financial records . Such data is directly drawn from the financial records . contradictory +So is this Mach 3 an improvement or a mockery of consumer gullibility ? Is there any benefit to the Mach 3 or not ? entailment +One buys them for other for powerful photographs , now often in color , of underwear models ; for a chance encounter with an embarrassing detail about Ron Perelman ; and perhaps most of all , for that lovable Marmaduke cartoon . Ron Perelman features every week . neutral +Slate is scheduled to take up residence Monday , Oct. 27 , as an anchor tenant on AOL 's news-channel newsstand . AOL turned down Slate and won 't offer them a spot on the newsstand . contradictory +How did the welfare culture grow in the first place ? You can 't explain how it grew , it just ... happened ; welfare culture , that is . contradictory +Dave felt his stomach twist , until he saw they were heading toward a huge bird that was cruising along under them , drawing closer . Dave spread his wings , feeling relaxed and happy . contradictory +Yes , sir , one million dollars ! " Sir James sat down and subjected Julius to a long scrutiny . Sir James stood up and turned his back on Julius . contradictory +5-mortality C-R functions , because fine particles are believed to be more closely associated with mortality than the coarse fraction of PM . The fine particles are associated with mortality rates . entailment +Some even think that while Internet competition may drive prices down initially , prices will rise as sellers are matched with buyers and the market clears . Internet competition will not drive up the prices in the long run . neutral +oh yeah uh the of course the Dallas Cowboys yeah Wrong , not the Dallas Cowboys . contradictory +Home again after a hard day at the office , the director of a consumer electronics company who wears a business suit in downtown Tokyo sees nothing strange about buying cigarettes from a machine located inches from a sacred Shinto shrine . Sacred Shinto shrines are also usually commercialized . neutral +" An orderly let out the news that you are here , " she said . She knew he was here . entailment +we usually if we 're going we usually try and make them by March or so anyway We try to make snowmen by March . neutral +At the first , Brock , under the guise of fairness , slings enough mud to drown a Bangladeshi village . Brock could drown a Bangladeshi village with all that mud . entailment +Work faster . They were being lazy and needed to work faster . neutral +that type of thing and that didn 't work but but somebody told me that they were charging as much for it as they did for straw which is why they couldn 't sell it you know because the farmers would buy the straw if it 's a you know similar price Most farmers preferred using straw anyways , since it is natural . neutral +She observed that the gender of both interventionists and patients has not been well documented in studies . Gender was not well documented in studies . entailment +Only 20 % of patients were screened . Few patients failed the screening test . neutral +Blood exploded from some . Dust exploded from some . contradictory +His body , dressed in the green uniform of the Chasseurs de la Garde , is encased in six coffins , one inside the other Chinese-box fashion . His body , dressed in the red and blue uniform of the Vatican guard , is encased in two coffins . contradictory +If you should need a father confessor , madame " ” she started ever so slightly ” " remember , Papa Poirot is always at your service . " She stared at him for a few minutes , as though seeking to read some deeper meaning into his words . She was afraid that he was propositioning her . neutral +And as the European Union matures , Europeans are taking advantage of opportunities to live and work in different countries . Europeans are using the EU to live and work in other European countries . entailment +Sheepdog trials Sheepdogs as judges . neutral +That is , up to now . He was an addict until now . neutral +and they bring the uh you know little samples and you 've got like maybe five hundred well that 's an exaggeration And they brought out a lot of little samples . entailment +Men usually seem to have . I think men have and do nothing . contradictory +The morning brought a note from Mr. Carter : " DEAR MISS TUPPENCE , " You have made a splendid start , and I congratulate you . " You have made an exceedingly good start , and I commend you . " entailment +Edward Bernstein pointed out that the recommendations would likely stand alone for readings and come without context . Bernstein said the recommendations would have clear context provided . contradictory +This here 's th ' Range , an ' ain 't nobody but th ' Old Man runs th ' Range ! This Range is run by nobody else but the Old Man . entailment +More regional meetings and meetings of like programs , i.e. , rural with rural , or small with small - for mutual problem solving ; Less regional meetings for mutual problem solving is ideal . contradictory +We have never needed one . We have never needed a catapult . neutral +that has you know two bedrooms a TV and microwave and stove and all that kind of stuff and he pulls it with a big pickup He goes camping with only the bare essentials : a tent , tools , clothes , and some food and water . contradictory +and your standard vegetables like you always had to have some peas and corn Exotic vegetables like taro root . contradictory +H-2A workers by definition are required to leave the United States within a year , and the record establishes that most H-2A workers are physically present in the United States for only two to five months . H-2A workers must leave the US within a year . entailment +and uh a bunch of us got together it wasn 't the whole family it wasn 't all the all the uh cousins usually when when we make a trip Some cousins from my mother 's side came around . neutral +The auditors should , when appropriate , consult with legal counsel regarding any requirements or other circumstances that may necessitate the omission of certain information . Legal counsel almost always approves requests to omit information . neutral +I had another glimpse of Morris ' oddly naive spiritual self-enhancement while working on this article . While working on this article , he had a glimpse of Morris ' self enhancement . entailment +Agencies collocated team members when the employees had been working in the same building or facility . The agencies collected employees working in separate buildings contradictory +His voice had risen and Red had to pull at him . His quieted as he pushed Red . contradictory +No , he is a diablo , and he hides in the rocks where he cannot easily be seen . He is an angel , who is always visible . contradictory +He asked me my name . He inquired who I was . entailment +Suizenji Park is an extravagant but attractive example of the extensive gardens of the 17th century . Suizenji Park has been maintained to resemble gardens of the 17th century . neutral +4.18 AICPA standards and GAGAS require auditors to assess the risk of material misstatements of financial statements due to fraud and should consider that assessment in designing the audit procedures to be performed . AICPA standards for risk assessment are the more stringent than those of GAGAS . neutral +Roots , which look like cathedral organ pipes , drop from the higher trees . The trees can live to be a hundred years old . neutral +'I 'm doing it because it 's necessary . ' 'I 'm doing this because I want to . ' contradictory +Modern FGD systems are more attuned to the corrosive SO2 scrubbing environment and therefore increasingly utilize fiberglass , rubber lined steel , and alloys in construction . Rubber lined steel is also used in building homes . neutral +oh yeah yeah basically that 's it Not even close . contradictory +Staring at a computer screen all day , pretending to be busy--it was Glued to the computer screen all day , working his fingers to the bone . contradictory +The NEP goals of increasing energy supplies , accelerating the protection and improvement of the environment , and increasing our nation 's energy supply must be advanced . The goals of the NEP must be advanced , such as increasing energy supplies . entailment +trading their lives for cigarettes they 're trading their lives for cigarettes because they 're uninformed . neutral +that really is well how old is your boys your children Your boys are older than the girls , right ? neutral +but that was just me i know many people are comfortable very comfortable in the classroom and what have you wearing pants uh it i guess i was just old enough not to uh be very comfortable in it how about you I never wear pants , only dresses and skirts . neutral +It certainly isn 't a J. It 's a C , I 'm positive . neutral +Children love the ancient toys and dolls . The ancient toys and dolls are popular among children . entailment +Step back into Malaysia 's history in the port towns of Melaka or Kota Kinabalu , where colonial rivals once battled for supremacy , and where princes and sultans dealt in palace intrigue . The town Melaka was established before Kota Kinabalu . neutral +no we don 't have uh we do have mass vacation but in our group it doesn 't apply we 're so busy year round yeah We are only busy during the summer months . contradictory +My jaw was split in two , held together by my lips . My jaw was not injured , but my toe was . contradictory +There is one more search for meaning , and it takes Berman across the ocean . Berman sails across the ocean on a spiritual voyage . entailment +You jus ' outta th ' army , son ? " Drew nodded . Drew remained silent , not asking any questions . contradictory +It is what you devote to the community and to those in need , Burke said . It is what you take from people in need . contradictory +Hold your fire , Summerhaye , he remarked jocularly . Drop your weapon ! We 're armed , too . contradictory +oh do you really Oh do you for sure ? entailment +These hourly predictions form the basis for direct calculation of daily and annual PM air quality metrics ( e.g. No predictions are ever made about air quality . contradictory +In the future , computers might even make up test questions and conduct personalized interviews of job applicants , college applicants , and even patients . Computers could do a better job with job interviews than humans . neutral +Who knows what it was doing to her to touch Stark 's mind . Everyone know why her mind was touched but didn 't say what it was . contradictory +From Easter services There are services on Easter . entailment +Behind the Burnt Column rises the Baroque exterior of the Nuruosmaniye Camii ( built in 1755 ) . Nuruosmaniye Camii lies in front of the Burnt Column . contradictory +In time , the kingdom of Babylon was overthrown and the Israelites were permitted to return to Jerusalem in 539 b.c. Babylon got overthrown . entailment +If he wants to make that valid , he wouldn 't dare any such deal ! " He would not dare that deal if he wants to make that valid . entailment +She became an assistant professor in 1983 . She was an assistant professor . entailment +The SAB has advised the EPA that the appropriate way to account for age differences is to obtain the values for risk reductions from the age groups affected by the risk reduction . The SAB 's method for accounting for age differences is the best . neutral +The first major biography of the Cuban guerrilla--along with several forthcoming movies and his appearance on watch faces and album covers--is said to mark a reprise of Che Chic , with Che as a pop icon , devoid of political import . People started to see Che Guevarra as a brand and an icon instead of a guerilla with an interesting history . entailment +Older women in the village still dress in colorful traditional costumes which the younger women and children wear on feast days . Young women and children only wear traditional clothing on feast days . entailment +The richness of the environment around the Blue Mountains has long been recognized ; protecting the areas of virgin forest is now a priority . The forests of the Blue Mountains have all been touched by humanity at this point contradictory +And if your men didn 't bring it in here , then Kirby or his friend must have . If your guys didn 't bring it in here , then it must have been Kirby or his friend . entailment +' Tim , I strongly believe we need a simultaneous withdrawal of the Serbian aggressive forces , have a stopping of the bombing , and an insertion of international police-keeping force . Tim , I think we need to send in more Serbian forces . contradictory +Grand Rapids suffered a one-third reduction . The 1 / 3rd reduction happened in terms of population . neutral +yeah it 's it 's tough on the joints if you jog on concrete or on asphalt supposed to be much better if you find uh grass or or uh dirt to jog on You will develop serious joint issues if you jog on concrete . neutral +These simulations are not predictions of what will happen in the future as policymakers would likely take action to prevent damaging out-year fiscal and economic consequences . Simulations predict the future contradictory +like i said it was noted for you know it 's food It was noted for its food . entailment +It was erected around an early Gothic cross that is Orihuela 's austere monument to Spain 's war dead . Over 500 people are buried under the Gothic cross . neutral +you can uh you can get and i know when my children were younger um we found a lot of really nice tapes that they that they liked um there was an Agape music group and um i some of the songs i still find going over in my head over and over again because they were really um very memorable even though my children are now my youngest is almost sixteen but i still find some of the same tapes i uh some of the same songs from those tapes i enjoy They never listened to any tapes as youth . contradictory +The apology shows what a sensitive person you are , while you needn 't alter your behavior at all , unless your slaves are doing something unkind to Galileo or that gimpy dog of his . You aren 't doing anything wrong except the owning of slaves in general . neutral +Morrison at first disliked the film , but she is now a fan . Morrison did not understand the film at first . neutral +Bah ! retorted the other . The person did not say anything . contradictory +A year later , France was once again at war with Germany . The reason for war was political beliefs . neutral +Plain coco ? " Plain coco by itself ? neutral +right and uh i i find that they you know they work all right i haven 't found anybody that will will turn one down I have yet to find someone who will turn one down . entailment +What you say goes . I wouldn 't stand by what you say . contradictory +and the government forcing you or taking more of your money than you want to give them The government does not take more money than it gives . contradictory +The battlefield at Azincourt lies about 15 km ( 10 miles ) north of Hesdin , just off the D928 . There is no battlefield that can be found north of Hesdin . contradictory +Based on the cost-benefit analysis performed by FDA , the rule will impose an unfunded mandate on the private sector of over $ 100 million annually and therefore the rule is subject to the requirements of the Act . The rule imposing an unfunded mandate on the private sector is based on the FDA 's cost-benefit analysis . entailment +and um so you sit there and you wait for the longest time really bored and then all of a sudden something happens but you happen to look the other way during the time yeah and so you 're basically you sit there and wait for something exciting to happen and when it happened he missed it Something happened while he was sitting there , but he missed it . entailment +Fluid from Vrenna 's cut filled his lungs . Vrenna 's lungs were filled with fluid . entailment +Dissociation with the producer of the offending temptation--a $ 400 jacket , say--becomes a coping mechanism , and rumor and conspiracy theories are only a step away . Coping mechanisms often lead to rumor and conspiracy theories . entailment +Obtaining funds from study sections on emergency care is difficult because peer-reviewers do not view alcohol-related research as being vital . The opinion of peer-reviewers has an effect on the ability to obtain funds . entailment +but uh you know fortunately for him he wasn 't dumb but boy he sure had trouble you know putting things on on paper He is very stupid and got into trouble because of it . contradictory +His eyes were on the child . He was looking at the young one . entailment +Its nave and aisles are divided by 39 octagonal pillars leading to a stupa , the domed focus of veneration , with an apse beyond , permitting the circumambulation . The aisles are divided by 39 octagonal pillars that lead up to the stupa . entailment +Le Menec , the biggest , has 1,099 menhirs in 12 rows ( plus 70 menhirs in a circle or cromlech around part of the hamlet of Le Menec ) . Le menace just has 100 menhirs . contradictory +and you know they were asked you know well when you get out will you commit that same crime again and they said probably you know this is how we live that 's how we make our living we live by selling drugs we live by stealing we live by this you know They said that they were likely to commit more crimes . entailment +A second floor loggia is adorned with Jacopo della Quercia 's 15th-century carvings for the city fountain Fonte Gaia ( of which a poor 19th-century replica stands in the piazza ) . The second floor loggia features no carvings and is really very plain . contradictory +Ten section editors helped put the anthology together . I was the only one who put the anthology together . contradictory +They fear that if border collies are bred for the color of their coats rather than the content of their character , eventually their herding instinct will fade away . Border collies are bound to lose their herding instinct no matter what . neutral +The man 's hand squeezed the shaft of his spear so tight that his knuckles went white . The man grabbed his spear . entailment +uh but i missed it so i rented it the other day I rented it the other day because I missed it . entailment +When Pixar went public , the money raised from that very first sale of its shares was what it used to run its business in the future . Pixar 's stock sales helped Pixar stay afloat after Pixar went public neutral +yeah you know uh i don 't really exactly remember how much it is i think it 's about five hundred limit uh you know it 's just uh just one for him to fiddle with I think there is a fishing limit of around 500 , but I 'm not positive . neutral +So far , the answer is an unqualified Yes ! There are simply no downsides to saying yes . neutral +Jane Finn ? The Jane Finn ? entailment +The organizations also faced challenges obtaining adequate funding for various items , including mailings ; meeting space ; technological enhancements ; and other administrative activities and , when applicable , salaries for permanent staff . Getting enough funds was a serious obstacle faced by the organizations . entailment +would account for $ million and would account for $ million . Each account is worth over two million dollars . neutral +What then occasioned this sudden change of sentiment ? This change in your sentiment is very surprising . neutral +For those worried about the indebtedness of young attorneys -- and how this affects the future of government and public interest law -- fresh anxiety arrived last month with a national survey showing that two-thirds of today 's law school graduates cannot afford to think about taking low-paying jobs . Young attorneys are forced to seek high-paying jobs to pay their bills . entailment +The following are examples of information that should be considered for Some examples should be considered . entailment +It must be said , that unlike other snobs , Czarek didn 't exaggerate too much in his stories . Czarek makes many exaggerations in his stories . contradictory +I yearn for a real Mr. Brown of flesh and blood . I wish to see the actual Mr. Brown . entailment +He made a suggestion about you last night . " Her smile broadened , catlike . " He said something suggestive about you yesterday . " he said through a smile . entailment +They emphasized the need to acquire Western military and industrial skills and technology with which to confront the West itself and eliminate unfair trade tariffs and other unjust aspects of the foreign treaties . Industrial skills and technology will be easily acquired . neutral +so you think their quality control 's going down over there uh kind of The quality control over there is now better than ever . contradictory +I 'm still sore from yesterday , said Adrin . Adrin was not sore anymore . contradictory +By standardizing practice , the reformers argued , wasteful care would be curtailed without sacrificing--perhaps even while improving--quality . Standardizing practice may reduce wasteful care or could improve care quality . entailment +The shows are usually pretty touristy , concentrating on the more cheerful cante chico ( light song ) rather than the deep , emotional cante jondo ( song of the soul ) . The shows are popular among tourists because of their great music . neutral +Because such inquiry explores only one situation , it is argued that it cannot contribute directly to the testing of general propositions , although it can contribute powerfully to the invention of hypotheses . There are other situations left to explore . neutral +This Jain saint looms 171.2 m ( 57 ft ) tall , carved from a granite monolith polished by centuries of libations with milk . It has been polished to a sheen by the daily offerings of milk provided by visitors . neutral +The huge axe wielder raised his axe over his head but did not swing . The wielder did not swing his axe because his arm was hurting , neutral +Last year , in an attempt to address significant management and accountability problems with federal student financial aid programs , Congress enacted the first PBO , the Office of Student Financial Assistance , within the Department of Education . The Department of Education oversees federal student financial aid programs . entailment +I smiled tolerantly . I barred my teeth and began to bark at them . contradictory +and we went to the malls to walk a lot and that 's a brotherhood out there those people are you know gosh if Sophie wasn 't here today let 's go find her and they 're really they know who 's supposed to be there and what time they 're supposed to come and when they 're through walking they stopped for coffee and it 's it 's really neat it 's Those people really care for each other . entailment +The fairy-tale version of the Star Wars legacy , promulgated in most of this week 's retrospectives / reviews , is that it reacquainted America with the magic of myth , sacred lore , and the romantic quest . The reviews were not positive . contradictory +I 'll meet you at the Ritz at seven . I 'll meet you at a hotel at seven . entailment +If you like exploring on foot , the Wrigley Memorial and Botanical Garden can be found 2 miles ( 3 km ) inland . Getting to the Wrigley Memorial and Botanical Garden by foot is very nice . neutral +Yeah i noticed my van has a uh a button on the temperature gauge that you can switch between centigrade and fahrenheit I looked in my van but couldn 't find a button to switch between centigrade ad Fahrenheit . contradictory +well i would like to uh stay at home with my children for at least the first five years I would stay at home longer if work allows me to . neutral +Drew turned his head cautiously to see on his blind side . Drew 's head turned to view what was on his blind spot . entailment +Make your device and I shall not fail in the invocation ! " For the first time , Hanson discovered that the warlocks could work when they had to , however much they disliked it . Hanson found that the warlocks could be very efficient . neutral +Performance improvements cited included increased efficiency and improved customer satisfaction . There was some noted improvement in the performance . entailment +The face of Europe might look quite a bit different . If history had been different , Europe might not be the same it is today . neutral +The New Radicals sound like Todd Rundgren has just emerged from the cryogenics lab where he 's lain frozen since 1972 . The New Radicals sound like Todd Rundgren . entailment +uh you do for classes for classes but to i mean to use any of the facilities is is no extra charge Children are welcome to use the facilities too . neutral +Such was the incredible cutting power of the Japanese sword embellished perhaps a bit by Japanese superstition . Japanese tradition says that the sword has little cutting power . contradictory +While no more nor less significant than other countries ' national symbols and icons , the Shinto identity embodied in the shrines of Ise is quite distinct from Japan 's other man-made institutions . The Shinto identity is one that is foreign to Japan , it 's mostly present in China . contradictory +well i i didn 't have to go down there but uh uh driving on the freeway was uh made it difficult because everybody couldn 't get off and they 'd get off somewhere else It was difficult because the freeway was overcrowded and people had to get off . neutral +When reality interfered ( Brenda apparently did not go through with a marriage to an immigrant in search of a green card for $ 10,000 , as she does on-screen ) , Barker brushed the truth aside as immaterial , following her up the steps of City Hall in her wedding dress because it was true to her character . Barker walked up the steps of City Hall in her wedding dress . entailment +His feelings were so illogical he could have laughed at them , only he had no laughter left . After the events of the war , he had no laughter left . neutral +With Dole at last in the race and equal to Clinton in campaign dollars , the struggle to define the choice will peak . Dole is not doing very well in the race . entailment +Like many French seaside resorts , Dinard was a discovery of the British in the 19th century , who called it Queen of the Emerald Coast . The French seaside resort , Dinard , is unmatched by any other French resort in terms of hospitality . neutral +The new policy narrows the definition to providing legal advice or representation to people who cannot afford it . The new policy makes it harder for poor people to get legal advice . contradictory +One such link was a Small Business Gateway , which organizes regulatory information of special interest to small businesses . Small Business Gateway organizes regulatory information for businesses with less than 20 employees . neutral +FDA finds that the one-time cost of compliance for each product , estimated to be $ 600 , should be manageable for small entities even if they manufacture 10 to 20 products that require relabeling at a cost of $ 6,000 to $ 12,000 . It would be impossible for small entities to afford the one-time cost of compliance . contradictory +Today 's Imperial Palace is on the site of Edo castle , where the Tokugawa shogunate ruled Japan for 265 years ; it was thereafter home to the emperors of the modern era . The Imperial Palace is in Kyoto . contradictory +The two AICPA field work standards for attestation engagements are as follows . There are AICPA field work standards for attestation . entailment +The Licchavi dynasty , of high-caste Hindu origin , ruled in the Kathmandu Valley from about a.d. 330 to 700 . The rule of the Licchavi dynasty ended after their brutal defeat in war . neutral +and everybody was huh Nobody was . contradictory +evidence consistent or inconsistent with the hunches . The evidence is consistent or inconsistent with hunches . entailment +There are three types of uncertainty that affect these There are seventeen types of uncertainty that affect these . contradictory +and and and you know the years that we were good we had Staubach and Morton We had some great years when we had Staubach and Morton . entailment +This reflects the cost of the program in terms of the decreased well being of households who must forego a fraction of their consumption of goods and services in order to pay for both research and development programs , energy efficiency improvements , and more expensive electricity production . These contributions come in the form of taxes . neutral +But more recently , the bloom has gone from the ESOP rose , and last year Avis was sold to HFS , which also owns Howard Johnson , Days Inn , and Century 21 . ESOP are not attractive because the fees are so high . neutral +Although Alcoy has a reputation for dourness and occasional winter snow , the townspeople are usually very friendly . Alcoy is a bright and sunny place but does not have friendly people . contradictory +Right now there is nothing approaching an international regime for keeping biological weapons out of the hands of terrorists . An international regime ensures that biological weapons do not fall into the hands of terrorists . contradictory +you know uh cleaning up after men uh men and women using the restroom and stuff he he he couldn 't handle it He couldn 't handle cleaning people after the bathroom . entailment +Coming from a conservative background , my partner has stated on many occasions that his parents won 't allow him to stay over at my apartment , even though on some nights this would be preferable to his making the long drive home . My partner said that his parents will not allow him to stay at my apartment . entailment +A few miles down the coast at Gosier , although it 's difficult to imagine , contingents of fierce invaders used to put ashore . There once were fierce invaders on the shore . entailment +It will be a lightning rod for controversy , he predicted . He predicted that the controversy would die down within a few weeks . neutral +Too many people are too involved with lats and pecs and excessive sweating . Lats and pecs are trained too much by some . entailment +In addition to her position on the Board of Directors of the Legal Services Corporation , Nancy Rogers is the Vice Provost for Academic Administration and Platt Professor of Law at Ohio State University . Nancy Rogers works at Ohio State and at the Legal Services Corporation . entailment +Outstanding is the superbly designed new Grande Galerie de l 'Evolution ( entrance at 36 rue Geoffroy-St-Hilaire ) devoted to the origins of all life on earth , not just centered on homo sapiens . Grande Galerie de l 'Evolution takes tourists on a journey from the big bang to life as we know it today . neutral +Here is an argument Americans can We should judge Russia 's president the same way we judge ours . Americans should judge Canad 's prime minister the same as ours . contradictory +Reliefs carved into the stone show Ramses being welcomed by the gods particularly Osiris , Isis , and Horus featured on the colonnade of the second terrace . The carved reliefs in the stone depict the Gods welcoming Ramses . entailment +Pokemon creates an entire alternate universe , a land with its own cities , ecosystem , and rules . Pokemon has virtual cities for people to live in . neutral +Those for whom bargain-shopping is the main reason for visiting Singapore should make some simple advance preparations . Those for whom bargain-shopping is the main reason for visiting Singapore make up about 50 % of the country 's tourist population . neutral +you feel like you are always having to defend yourself and and if you don 't then sometimes you feel like you 're looked down upon by people that go back to work and so you 're just wasting your time at home The people that return to work sometimes treat you as a lesser person if you don 't justify yourself . entailment +Why didn 't you kill me off at once before I regained consciousness ? " The German hesitated , and Tommy seized his advantage . The German waited too long and gave Tommy an advantage . entailment +This assumption is made to ensure proper calculation of the ozone statistic used in the exposure-response functions . An assumption is used to make the ozone calculation . entailment +That was what George Bush tried to do after Reagan . Which is what George Bush intended to do after Reagan . entailment +The poem posted June 4 , for example , is by Joyce Carol Oates , who is very much alive and reads it herself . Joyce Carol Oates wrote a poem . entailment +a big appreciation for music appreciation for music , from listening to playing all kinds of instruments neutral +now i bought you that machine well that sounds really good I am happy that it worked out for you . neutral +Cutting mercury emissions by 69 percent , -the first-ever national cap on mercury emissions . The initial cap on mercury emissions was set to 69 % . entailment +National Income and Product Accounts . Accounts that are not for products . contradictory +Still nothing happened . They hadn 't expected anything to happen . neutral +so if i mow now then i 'll go out and run afterwards and what the mowing does it limbers you up so that you go out and have a good run i finished up right at about dark and then i went out and ran four and a half miles and it was great just because the mowing it i i don 't i didn 't i don 't have to do any stretching before running if i 've been pushing the lawn mower around for an hour for an hour and ten minutes or so I won 't run after mowing because i " ll be too tired . contradictory +The other whipmaster , carrying a heavy sword and small stretched leather shield , took more time . The other whipmaster took more time and he was carrying a sword and shield . entailment +i never really watched the whole thing I didn 't watch the whole thing . entailment +12 Whereas the agencies ' fiscal year 1995 documents discussed streamlining primarily in terms of the number of positions to be eliminated , the fiscal year 1996 budget documents included discussions about how proposed staff reductions could affect the agencies ' performance . When preparing budgets , employee reduction is considered a last resort for saving money . contradictory +These efforts are not advanced by unsupported suggestions of hypocrisy , such as are contained in Weisberg 's column . These efforts are hindered by unsupported suggestions of hypocrisy . neutral +Charlotte 's busing success hinged on several things . There were people that could help influence Charlotte 's success if she would just ask for their help . neutral +Review the competitive grant making process , the performance standards applicable to LSC grantees , and LSC 's statutory and regulatory compliance requirements for efficiency , unnecessary duplication and implications for the delivery of high quality , appropriate legal services . The delivery of legal services is a legal requirement for the LSC . entailment +For example , if the prevalence declines by 25 percent with a drop in PM , then baseline incidence drops by 25 percent with the same drop in PM . If the prevalence declines by 25 % with a drop in PM , the baseline incidence goes down the same amount without fail , as they are directly related . neutral +yeah it was just you know it was it 's a very opportune moment for them to try you know you If they try later , it might be more difficult . neutral +oh now would you would cook it for the same amount of time as you would prepare it any other time is that what you 're saying How long do you cook it for ? entailment +The saint is much revered in the surrounding area . The saint is absolutely hated in the entire area . contradictory +it 's a vicious circle in and of itself there 's really uh i don 't know a a bit of an eye-opener i guess even to see some of the the portions of the States United States that are becoming depressed economically and to see that the high schoolers that are coming out of school why even for the past two to three years uh there 's nothing for them you know uh a lot of these rural areas college wasn 't even a a consideration for the majority of them they kind of are confident that they could just move right on into industry and industry 's gone from a lot of these areas and there 's nothing to go into It made me look at the income inequality around my town . neutral +Grantees can convene technology trainings , state planning sessions , and advocates meetings . Grantees convene technology training , state planning sessions and advocates meetings entailment +In contrast , this may not be the case in Sunni-dominated Pakistan and Saudi Arabia . The Sunnis are most common in Pakistan . neutral +you know now it doesn 't bother me at all but That doesn 't bother me . entailment +i think the next car we get too might also be one of those uh import kinds because i don 't trust American made cars now i don 't think they have the quality and that 's that 's too bad because i mean i have to keep the money in the country but on the other hand with my money i 'm spending i want to get something that 's worth my money I will buy an American made car , since I hate imports . contradictory +Finally , Pollitt and Sullivan are disappointed that Unauthorized Pollitt and Sullivan brushed off what had happened , and unauthorized ... contradictory +uh we 're primarily in the uh uh systems integrations business We provide system integration services to thousands of clients . neutral +and uh in fifty one and fifty two the police came to the high school where i was and were telling us how to recognize when kids were on drugs how to recognize the pushers outside the one entrance that they were giving their drugs away in order to get the kids started and so on and so on The police came to my high school to talk about drugs , users , and pushers . entailment +Starting descent . ' It was no longer headed up ; down is its current course . neutral +Four screenwriters , among them the great Bo Goldman ( Melvin and Howard , 1980 ; Shoot the Moon , 1982 ) , labored on this moldy script , which features characters who ask questions that begin Am I to understand that ... Four screenwriters worked through the old script . entailment +Then suddenly the scraps became a mass of sour-smelling stuff . The scraps suddenly changed into a mass of stuff . entailment +It was published in the Federal Register as a final rule on January 30 , 1998 . February 30 , 1998 was the date it was published as a final rule . contradictory +Local tailors are experts when it comes to producing custom-tailored garments for both men and women , and are also adept at copying patterns . Custom-tailored garments for both men and women are best produced by local tailors . entailment +You think Mr. Brown might come along and take a hand ? You don 't wonder about Mr. Brown at all , do you ? contradictory +And not the sport they play . They like basketball more than soccer . neutral +Wearable Computers ( Massachusetts Institute of Technology Media Lab ) . Edible , wearable computers ( MIT Media Lab ) . neutral +no no i haven 't heard of that um-hum I have not heard about that . entailment +yeah and and just plain can 't have guns Absolutely cannot own firearms . entailment +uh the the Giants ' coach um what 's his name i can 't think of his name i remember the name of the Giants ' coach , let me tell you what it is contradictory +The centre of attention is the huge Basilica of the Annunciation , standing on the traditional site of the Virgin Mary 's house and the cave where the archangel Gabriel appeared to Mary to herald the birth of Jesus ( Luke 1 : 26-31 ) . The Virgin Mary 's house site now has the Basilica of Annunciation in its place . entailment +You showed us that we don 't have to get trodden on . Now that we know that , we 'll change the way we live . neutral +Jon heard a cry and saw the Kal reeling from a blow to his wound . Jon could see the Kal and he was wounded . entailment +Rose Hall Great House is , perhaps , the most infamous house in the whole of Jamaica . This is the most infamous house in Jamaica . entailment +But , honestly , I don 't think much of the idea . I do not believe that the idea has much merit . entailment +An excerpt of a new Al Gore biography points out that by enlisting in the military , Gore all but ensured he would avoid Vietnam combat , but it rejects the claim that Gore received special treatment or protection . Gore didn 't necessarily want to avoid Vietnam combat . neutral +For bigger craft try the marina at Vilamoura or the Carvoeiro Club . Bigger vessels may be found at the Carvoeiro Club . entailment +Tudjman has suppressed independent media and used his control of state television like a club . His control over state television allowed for world domination . neutral +It was raised to honor Emperor Diocletian , not the Roman general that now gives it its name . It is a statue of the Emperor Diocletian . neutral +know this , this anguish , this agony for a departing self wishing only to stay , to endure , This anguish is at cause of breaking up with a partner . neutral +well yeah you find out more yeah uh-huh You will find out less that way . contradictory +We looked in . We peered in the window . neutral +Haynes Johnson ( NewsHour ) credits him with bringing the South and Sunbelt into the GOP . Haynes Johnson says he caused the South to lose interest in politics . contradictory +He left us shortly after . Shortly after , he left us . entailment +Slate ' s New York bureau , where Jacob hangs his laptop . Jacob works for the New York bureau and leaves his laptop at work so it doesn 't get lost . neutral +They also protect the preferred subclasses of mail , low rates for Periodicals , classifications that are not market based , rates that do not follow costs , and a range of other practices discussed in this paper . Periodicals cost 5c to mail . neutral +um i 've got one question for you i you say you take the newspaper Do you subscribe to the newspaper ? neutral +When we discuss our common interest it turns into a fiery political debate . We have difficulties discussing our common interest without arguing . entailment +The efficient , effective , and innovative use of information technology requires a level of leadership and focus that goes beyond what would be provided in a technical support function . Leadership qualities hold equal importance along with technical knowledge . neutral +boilermaker labor per year . annual boilermaker labor . entailment +But when that next book does hit the shelves , I 'll pick it up and remember this exchange with pleasure . I will not purchase the next book in this series during its release . contradictory +When they watched these films alone , the Japanese and the Americans had similar , distressed expressions on their faces . The Japanese and Americans reported that they felt similar ways during he film . neutral +It is especially renowned as the last center of training for the city 's most celebrated residents , the geisha . The city 's geisha sometimes have to go to Tokyo to train . neutral +The pope did , however , suggest the extradition of Tinky Winky , for ' crimes against God . The pope is not a fan of Tinky Winky . entailment +Sometimes it wouldn 't lift . It remained lifted . contradictory +Sure , the FDA 's efforts are done in the name of kids . All the work the FDA justifies is hidden behind kid safety . neutral +Rooms 14-16 on the second floor display the finest remaining frescoes found throughout the Minoan kingdoms dating from 1600-1400 . Three rooms on the second floor contain the best remaining frescoes from the Minoan kingdoms . entailment +the the extended loan payment for your car The loan got stretched out to ten years . neutral +But a heavy meal , taken at about the same time as the poison , might retard its effects , though hardly to that extent . Eating a heavy meal with the poison would increase the effects . contradictory +? Gay people ? Homosexual individuals ? People who like the same sex ? entailment +He 's not dressed like them , not at all . He was dressed just like them . contradictory +Although bidders tend to portray themselves as rescuing ailing companies--UPR said it was reacting to a decade of broken promises and poor performance at Pennzoil--in fact they almost uniformly bid for profitable , healthy companies that the market , for one reason or another , is undervaluing . Pennzoil did not have a solid performance . entailment +This paper is intended to transfer what we believe to be good practice in case studies and to help establish the principles of applying case studies to evaluation . This paper contains references to hundreds of reputable sources . neutral +violent crime is on the increase from what i 've seen and um our prison population has significantly increased i would say um our economy too is really it 's just not what it used to be in the sixties or even fifties from history from what i 've read and Back in the sixties , the economy was better than it is now . entailment +No doubt it has struck you too . " I 'm sure you too are aware of it . neutral +i think they 'll always represent a threat whether whether or not there 's an active cold war or not uh it 's it 's a a totally different economy based on different beliefs and and uh different priorities and uh given the the uh military powers on both sides i think it 's always a threat I am always worried about a war of any kind starting in my country . neutral +right yeah because we don 't you know we don 't charge anything that we can 't pay off by the end of the month Everything we charge , we can pay by the end of the month . entailment +that 's true that 's true i mean it 's hard to you know it 's hard to say oh i should set aside this much money for repairs on cars because you never know it could cost you nothing or it could cost you three times as much it 's easy to predict how much a car repair is going to cost contradictory +Some cultural civil war . There was a war among them over their cultures . entailment +Rooms were free as we spoke . Rooms freed as we talked . entailment +Tim has not only been invited to interview at several bulge-bracket firms , he has been warmly received , even by those he lampooned . The firms that Tim had ridiculed gave him the cold shoulder when he arrived at them . contradictory +Contacts with people in show business Having contacts with people in show business will help make the show a success . neutral +often in the end to their dismay . They are happy when it is over . contradictory +Our review indicates that the Corporation complied with the applicable requirements . The Corporation had requirements for their application . entailment +He attacked with measured power , forcing her to dodge and parry . He ran away before the attack could start . contradictory +Muncaster Mill , 3 km ( 2 miles ) north of the castle , started operating in 1455 , although the present building dates from the 18th century . Muncaster Mill is known to most of Englishmen . neutral +Even Sersa Garm was more useful . Sersa Farm was more useful . entailment +yeah that 's us too yeah yeah true i know it 's too bad that they 've gotten so expensive Them getting so expensive is too bad , I know . entailment +Among the initiatives currently under way as a result of these efforts are the These efforts have no led to any initiatives . contradictory +He , too , began to play the part assigned to me , he writes in Witness . The guy allowed him to play his own part . contradictory +Steady increases in the number of requirements and changes to requirements may indicate that the project is at risk for delays and cost overruns . As the number of requirements increases the costs decrease . contradictory +After two weeks , Peter of Tschekan realized that the cell phone was more valuable to him than a painting by de Bonnet-Majak - the number one artist on his list . Peter hated his cell phone . contradictory +( OK , that was in the Times the next day , not actually a part of the series , and I may oversimplify . ) I am glad that it appeared in the Times . neutral +The 1823 conclave of zelanti ( zealot ) cardinals elected arch-conservative Leo XII to help the papacy recover from its Napoleonic shock . The Vatican was shaken up by Napoleon . entailment +Jon spun and got behind the man , planting his off-hand dagger in the big man 's side . Jon swung his dagger at the big man and missed . contradictory +There were stalls everywhere offering snacks both delicious and gross . There were lots of snacks around . entailment +Thus , Spaniards would be happier if they still dressed in black and let narrow-minded priests run their lives , and residents of the American South would be happier if planters still sipped mint juleps , wore white suits , and accepted traditional deference from sharecroppers ... Spaniards and residents of the American South would not be happier if things were back to the way they were . contradictory +He was that unfamiliar compound , a political aesthete . He 's considered to be a political aesthete . entailment +In 538 b.c. , power fell into the hands of Polycrates , a ruthless but brilliant leader . Polycrates was a brilliant leader , albeit a ruthless one . entailment +He died of self-inflicted starvation at the age of 72 in Para , near Rajgir . His death came shortly after his 72nd birthday . neutral +The Romans completed the temple in a.d. 60 and as you explore the interior you can see the cartouches of Roman emperors on the walls . The Romans never completed the temple . contradictory +The spat has attracted attention in the Los Angeles Times , the New York Times , and the Economist . Davis-bashing social critic Joel Kotkin declared , What bothers me even as a person who was trained as a Marxist is that somebody would so bastardize Marxist theory to the point of making things up . The spat has not gotten any bit of attention from press . contradictory +Up on the next floor , the Modern Art Gallery ( Galleria d 'Arte Moderna ) is devoted to 19th- and 20th-century Italian art . In this museum there is no gallery for 19th- and 20th-century Italian art . contradictory +For summer visitors , in addition to superb facilities for tennis and swimming , the town 's setting among grassy alpine meadows and pine , spruce , and larch forest is perfect for hikes . The summer visitors are obliged to stay in their rooms as they don 't have anything to do in town . contradictory +As was pointed out in our March 28 , 1997 , report , while the rule was published in the Federal Register on March 6 , 1997 , and was received in our Office and Congress on March 14 , 1997 , the rule stated that it was effective on April 1 , 1997 . The rule did not become effective until nearly a month after its publication . entailment +Both of them wore boiled leather armor , Adrin 's the brown leather of the bandit from whom he took it and Jon 's the black hard leather of the Gray Wolves . Adrin had no armor . contradictory +The highlands are cool , with verdant hills rolling through the heart of Jamaica . The highlands are considered very hot . contradictory +the response of a public hospital . The private hospital responded . contradictory +One sometimes manages to put in some work as well . " Something in his tone made Tuppence glance up sharply . He talked to Tuppence a lot . neutral +Already , several of the most prestigious law firms in the city have sponsored a day , lending their lawyers to the program , Pozza said . More law firms are signing up to do the pro bono work in the program . neutral +i i the only reason i know a little bit about that is when i was in school still I never learned about that contradictory +Figure 3.3 shows the net U.S. ownership of foreign assets-the net international investment position13-and net income receipts on net U.S. assets abroad . Figure 3.3 shows at least 3 different types of information . entailment +oh you just gave it away i guess i can 't go see it no i just kidding I was just trying to be funny . neutral +well you 've you 've got a point there but um do you think one appeal is is too stringent I did not think about it that way til you mentioned that . neutral +sure okay what else can we talk about who do you work for I want to know nothing about who you work for . contradictory +i know it and especially it 's hard to keep your interest in those begats Those begats are terrible , so it 's hard to keep your interest . neutral +Lee Iacocca stressed on the mini van uh i mean the mini van has been one of the best top of the line vehicles for Chrysler isn 't it Chrysler 's top vehicle was the mini van . entailment +As long as the bottom line shined , casino operators , especially those in the mob era , were happy to continue providing low-cost or even free entertainment and food . Casino operators gave away anything if it meant people were spending their money there . neutral +I had a client come in off the street one day and she said , `I 'm really afraid he 's going to kill me this time , I need a protection from abuse order . One of my clients said she was afraid he was going to kill her . entailment +There are two other Holy Face handkerchiefs one in Jaen and the other in the Vatican . There is a Holy Face handkerchief located in Jaen and in the Vatican . entailment +From an observation platform , you can get a terrific view , away to the north , of Mount Kanchenjunga and , on a good day , just a small jagged peak in the distance yes , Mount Everest . You cannot see Mount Kanchenjunga on a cloudy day . neutral +A Feast for the Eyes The feast was a literal meal . neutral +He would not have to be told who he is , writes Cohen . Cohen wrote that he wouldn 't have to be told who he is entailment +Do you think anyone knows what we 're up to ? People may know what we 're planning to do . neutral +That , in turn , might cause a peaceful transition from communism . That will have no effect on the present state of society . contradictory +He turned up from nowhere , on the pretext of being a second cousin or something of Evie 's , though she didn 't seem particularly keen to acknowledge the relationship . He claimed no relation to her . contradictory +8 million annually and therefore the rule is subject to the requirements of the Act . The requirements of the Act kick in starting at 5 million annually . neutral +The auditor can examine projected versus actual levels of total personnel or of key , experienced personnel . The auditor can look at projected levels instead of actual levels . entailment +Finally , the Court is troubled because in cases where the attorney withdraws from a representation , the client is unlikely to find other counsel . When an attorney withdraws the client may not find a new counsel . entailment +There are also dozens of clubs that offer either nude or topless entertainment . Nude or topless entertainment is offered at dozens of clubs . entailment +how does it how does compare have you can you compare like how does it compare to the Post How does that compare to the Post ? entailment +Slowly the lion-helmed man 's grip on the haft of his battle axe relaxed and he fell dead to the dirt in a pool of blood . The man grew stronger as blood rushed through his axe . contradictory +then it started to rain so we didn 't get too wet but uh it rained just for a little bit then went on and so after all that was over we put them all back up and woke up a little late the next morning but uh when we finally got back from that that outing one of the uh parents of one of the kids had asked how it went and said that he was listening to the the radio and they clocked a ninety sev en mile an hour winds on the dam right in front of that lake and there 's really nothing to stop it it 's uh thirty or forty miles wide it 's a huge uh We didn 't get too wet since it only rained for a short period of time . entailment +and that 's really that 's really frightening so i think some place you know places like that it should be like mandatory like you know I think it should be mandatory for places like that . entailment +Breakfast , Anyone ? Do all of you want to eat breakfast with me ? neutral +Its findings have armed Francis Collins in his crusade against genetic redlining . The findings gave Francis Collins fuel in his crusade . entailment +Government Technology magazine is dedicated to providing government executives with key information they need to succeed in running modern government . Tips for running the government can be found in Government Technology magazine . entailment +'I will never understand why White enjoys this neighbourhood , ' Greuze muttered . Greuze thought the neighborhood was too dangerous for anyone to like . neutral +If you consume teen culture at all , you have surely noticed the remarkable number of sympathetic parents around . Sympathetic parents are the current fad amongst teen culture books . neutral +The sun must have been moving fast enough so that no single spot became too hot , or else the phlogiston layer somehow dissipated the heat . The sun was moving quite slowly , making spots way too hot for comfort . contradictory +Special editions mourn the passing of JFK Jr . ( U.S. The passing of JFK junior is not mourned . contradictory +A solid foundation of control and accountability requires a system of checks and balances that provides reasonable assurance that the entity 's transactions are appropriately recorded and reported , its assets protected , its established policies followed , and its resources used economically and efficiently for the purposes intended . The system of checks and balances will ensure nothing ever goes wrong . neutral +They might be-- But the canvas had been jerked off and there they were . The canvas had been draped over them . neutral +Only Billy has a reputation as a straight arrow . Billy is one of many straight arrows . contradictory +Where we have come across his tracks , he has always played a secondary part . We are excellent trackers and know what his part is . neutral +um-hum um-hum yep you were very fortunate You had no problems . contradictory +There are usually separate entrances for men ( erkek ) and women ( kadyn ) , but if there is only one chamber , then different times are set aside for men and women . Men and women have their own entrances usually . entailment +How 'd that get there ? He lifted the canvas , looked in , and said , with relief , " They 're still there . " He picked up the canvas to take a peek . entailment +uh-huh no uh-huh if it was a customer presentation then that would be different we would want to razzle-dazzle a bit but uh If it was a customer presentation , it would have been more flamboyant . entailment +The fact that Schmucko was Monica Lewinsky 's phrase placated no one . ) Monica Lewinsky 's remark did not resonate with anyone . entailment +The place was a living tomb … . It was a cheerful place . contradictory +After all , transparent and efficient markets are not natural but rather man-made . Transparent markets will naturally arise . contradictory +IVR telephone availability 24 hours / day could facilitate follow-up of ED patients . Followup activities have been shown to improve outcomes in thirty percent of cases . neutral +so where are you What are you ? contradictory +But he knows you think Injun , you live Injun , you eat Injun , you smell Injun when you do . He knows about you thinking injun . entailment +But making sense of his active , prolific career as a therapist and thinker was difficult , as Winnicott pointed out , even before his career as a liar was uncovered . Hi career as a liar was not as prolific as his others . neutral +This approach requires a total time of 16 months . This approach requires only one week . contradictory +It was on the plane flying back to Washington that we got news of votes in the House committee that made impeachment extremely likely . I traveled back to Washington by an evening bus . contradictory +Right on the corner is the Moulin Rouge , still staging its nightly cabarets , mostly to package tourists . Moulin Rouge is on the corner fulled with tourists . entailment +The United States would never have let Boutros-Ghali negotiate with Hussein . They were able to have a friendly chat with Hussein over brunch . contradictory +mostly just stuff that i can you know use right around the house For the most part , just things I can use from my home . entailment +In Havana the bars not to miss are Hemingway La Bodeguita del Medio and El Floridita . In Havana the bars not to miss are Hemingway La Bodeguita del Medio and El Floridita because of their historical significance . neutral +Full review would be provided and all affected parties would have an opportunity to be heard . A full review would not include testimony from any affected parties . contradictory +His blades worked in rough and savage cuts . His knife caused a lot of injuries . entailment +um but i 've noticed that what i do is that i have my towel that sits on the floor so that every time i get up to bowl i have to bend over to pick up my towel and that way i get the little extra exercise My doctor said I 'm in desperate need of more exercise . neutral +'You 're really not supposed to use these indoors , ' I muttered , of the Gauntlets . They were headed outside to use them when I said that they were meant to be used indoors . neutral +um i was stationed at Ellsworth there at Rapid City and it 's right there at the Black Hills and i just absolutely love the Black Hills it 's the greatest place in the world to go camping you throw a pack on your back and get up in the mountains and you can understand how the Indians got real religious up there because it 's just it 's just awesome up there so quiet and peaceful and the wind blowing through the trees and all that i had a favorite little camping spot i used to go to it was uh right next to a stream and all the streams of of course are mountain fed melted snow so it 's nice and ice cold a good place to keep your eggs and stuff and this little place was uh it was a perfect a perfect circle of trees There are few camping spots as amazing as the Black Hills . neutral +The foundations were set for near-universal state employment . Near-universal state employment is set to happen and it should happen soon . neutral +Veterans Affairs , and the Environmental Protection Agency . environmental protection groups entailment +Advancing such a conflict automatically counts as news . Advancing a conflict of that kind attracts press and media . neutral +um i don 't know i didn 't hear that much about it uh just the uh the verdict that they had I don 't know , I only heard that the verdict was not guilty . neutral +In fact , there was no room for them . There was enough space for everyone . contradictory +They may choose the bridge at first but there is no reason they can 't cross the stream later if they wish . If the bridge is used now , it must also be used later . contradictory +so he 's basically you know whatever whatever the computer can do for you fine i 'll learn enough to to make it work well for me but i 'm not gonna be a guru i 'll only learn how to use microsoft word and excel neutral +Any attempt at movement risked unwanted exposure , so I stayed very still . I stood very still so no one would see me . entailment +Another camp favors the notion that it began with a kind of garbage bag of molecules that more or less eased its way from nonlife to life . None of the groups believe that a bag of molecules could more or less ease its way from nonlife to life . contradictory +Geoff Ward , goateed sophomore , chides each of the Canterbury Tales , for being written during that Great Vowel Thing and for being ' boring and stupid . Geoff Ward discredits the Canterbury Tales under the idea that they are boring and stupid . entailment +At the information counter , collect a copy of the free handbook with color-coded floor plans . The information counter is not functional so you have to find another way . contradictory +Acrosea narrow channel sits Antiparosetranslated as opposite Parose , with a main settlement which takes you back to the Greek Islands of twenty years ago . The main settlement takes you back to the Greek Islands of over ten years ago . entailment +A flash of heavy silver and another fell into two pieces . The silver glistened in the bright sunshine . neutral +well i 've had a few good years but not too many in the fifteen i 've been here In the fifteen years that I 've been here I have only had a few good years . entailment +There was a broken down old TV in the corner , showing the same news report on a loop , over and over again . .The TV in the corner just played a CNN clip repeatedly . neutral +but see but you 're going there and you know what you 're getting into By getting involved , you understand what is in store . entailment +The capital of Orissa is a center for easy day-trips to the ancient Jain cave monasteries of Udaigiri , the chariot-temple of Konark , and the sacred pilgrimage town of Puri . The capital of Orissa is a center for easy day-trips to the ancient Jain cave monasteries of Udaigiri . entailment +and he never quite has finished any one of the houses that he 's done i mean there 's always just one little detail that We always finishes each and every house . contradictory +This documentation should address The document shouldn 't address . contradictory +Despite its eight centuries in the making , it has preserved a wonderful harmony . The instrument has been eight centuries in the making . neutral +uh uh but but right this moment you probably have several loans out or you have borrowed money against your credit card or something You are in debt from your credit card . neutral +i guess the one that really got me too was that uh let 's say your spouse is on a particular drug and you know what that is and then you end up with the same problem and you take their leftover medicine that 's not allowed The leftover medicine is collected by the drug dealer . neutral +yeah i think so i think it 's an investment in your future even if it 's purely not not religious you can at least say that it 's important to our country that our family unit stays strong It serves our country well if families are strong units . entailment +The British were not letting go , but a new Government of India Act two years later promised Indians real executive power at the head of provincial ministries for education , public works , health , and agriculture . The Indian government promised the British more executive power . contradictory +He understood that the mule and the two men would be stripped down and looted by the time they reached A 'deem 's shop . The items that would most likely be stolen off the mule and men , were of great value . neutral +what kind of a grass we have oh Saint Augustine yeah it 's Bermuda in the back it 's the kind that has those you know grows sideways yeah that stuff We paved over all of the grass . contradictory +Then a bray Croaker sounding off . A bray Croaker did not make any noise then . contradictory +The Gupta dynasty , founded by the obscure Bihari landowner Chandra Gupta I , rose to power during the fourth century a.d. In the fourth century , Chandra Gupta 's descendants became rulers . entailment +The international services and international industry divisions have some common requirements based on the international nature of the two divisions . Both divisions requirements share no commonality in their requirements . contradictory +The Roman baths are still impressive with several large bathing areas , though the hot curative waters have been diverted to a modern pool and spa . The ancient Roman baths are still filled with hot waters that are reputed to have curative properties . contradictory +At the end of the 19 th century , gross indecency could not even be described in court . Standards changed in the early 20th century so that gross indecency could be described in court . neutral +Why , it 's their Chineseness , of course . Their Chineseness caused the faux pa , obviously . neutral +big frying pan A small lobster . contradictory +I would like to ask you one question . Can I ask you a question about the test . neutral +In general , clearer guidance was provided to programs on reviewing their own reporting procedures and practices , ensuring they conformed to the Handbook and ensuring all branch offices were aware of and were following these procedures . Productivity and compliance have increased in all branch offices . neutral +As Andre Breton wrote of fictionalization of actual I do not regard such a thing as childish , I regard it as monstrous . Andre Breton thought there was no childish fictionalization of actual , but a monstrous one , said the teacher . neutral +Entertainers and illusionists perform while diners eat various courses and then move to another chamber . Diners watch a show while they eat , then leave . entailment +uh-huh yeah he works for them right now he 's been there almost six years now He just started there two weeks ago . contradictory +It should be intuitive that poor planning and design practices result in People should know about bad planning and practices in design . entailment +Cuneiform tablets found here record the arrival in Anatolia of warlike invaders around the second mill ? Υnnium b.c. The arrival in Anatolia is recorded in cuneiform tablets , said the museum guide . neutral +If he can discredit you , well , he probably thinks he 's got a chance to rake in the full pot , and it 's a big one . He does not think he can discredit him . contradictory +Recently I went on a press junket to an Italian island , hosted by dull technologists . Recently I went to a press junket , hosted by dull technologists , on an Italian island . entailment +and uh you know this uh couldn 't catch his breath even in his sleep and that turned me off of day cares He couldn 't catch his breath . entailment +They 've finished lunch . They have yet to finish their lunch . contradictory +You kiddin' You 're serious aren 't you ? contradictory +All athletes are required to pass physicals to ensure that they do not place themselves or other participants at risk . The physicals include tests of strength and speed . neutral +Has anything happened to Miss Tuppence ? His voice was keen-edged . His voice was sharp when he asked about Miss Tuppence . neutral +Business routes ( consisting of at least 70 percent business deliveries ) , which account for less than one percent of all possible city deliveries , 10 are five-day-per-week routes . Mixed zoning means fewer business routes and slower delivery times . neutral +If you can use viral marketing and Abercrombie & amp ; Fitch in the same sentence , you too can be a Gen Y pundit . You can be a Gen Y pundit . entailment +I didn 't know . I knew . contradictory +Comedy clubs are big in L.A. People in LA like museums and amphitheaters . contradictory +weapon systems over the next 5 years requires an approach that keeps cost , schedule , and performance risks to a minimum . Personnel and staffing issues are also important to weapons systems management . neutral +My mother was very beautiful , I believe . I have an opinion about my mother 's appearance . entailment +Theoretically , an ideal test should remain accurate throughout the alcohol use spectrum . The test should be valid . entailment +Prayers can be scribbled on paper and inserted into the cracks between the great stone ashlars ( blocks ) . The great stone ashlars contain the prayers of people . neutral +What should you say now to L100 16 down , and all expenses paid ? " Mr. Whittington leaned back in his chair , and thrust his thumbs into the arm-holes of his waistcoat . Whittington made him an offer he believed he couldn 't refuse . neutral +We 're not going to let you quit . " Through her sobs the girl said indistinctly : " You 're from home . While bawling , the lady said unintelligibly , though trying to compose herself . neutral +oh gosh yeah four at a hundred dollars a night that 's not still not too bad You can get four for one hundred dollars a night . entailment +I want to have a fairly simple wedding , but there are two people I can 't imagine getting married without ( not counting the groom ) . She never wants to get married . contradictory +The Apaches , they do not touch a man they believe insane , and Amos has many peculiarities : peculiarities of dress , of speech , of action . Amos was a normal person . contradictory +Although many Scottish nobles were dedicated to the cause of independence , others either bore grudges against the ruling king or held lands in England that they feared to lose . The Scottish nobles were united in their cause of independence . neutral +The Shoden itself is just 6 m ( 20 ft ) high , a little less in width , and 10 m ( 33 ft ) long . The Shoden is 20 feet high , less than 20 feet wide , and 33 feet long . entailment +We conclude our discussion of the actions taken to address improper payments with observations about key factors necessary for success . We will stop improper payments by increasing security in our accounting department . neutral +To reach Blackpool , take the M6 south from Kendal ( junction 36 ) until you reach the M55 at junction 32 , approximately 30 km ( 20 miles ) away . You can get to Blackpool by taking the M6 road , south of Kendal . entailment +that 's right that 's exactly right you get some kids in there and it 's over quick You get some parents in there and it 's over fast . contradictory +Letting slower white American runners into races just because they 're white Americans is precisely analogous to letting blacks and Latinos with poor SATs and low grades into colleges just because they 're blacks or Latinos . Letting slow white Americans run in races because they 're white isn 't close to the same thing as letting Hispanics with lower SATs into college . contradictory +and with pro ball you mean You mean with pro ball . entailment +oh boy bet that got warm I bet the beach got warm . neutral +Some condemn the novel , in which an arrogant barrister who defends rogues is murdered , for its cliched depiction of lawyering and its unconvincingly tidy ending . Some people condemn the novel because it is too strange . contradictory +Germany could not imagine any other death for him . Any other death could not be imaged by Germany . entailment +Children will also enjoy the excellent sea-life center , Nausicaa , half an hour 's drive north in Boulogne ( the coast road is the prettiest ) . It takes 33 minutes to drive from Nausicaa to Boulogne . neutral +Judge 's Domestic Violence Ruling Creates an Outcry in Kentucky Kentucky residents were cheering the judge on his domestic violence ruling . contradictory +It disoriented him a little . He feels disoriented entailment +Despite its prestigious museums , excellent restaurants and shopping , and magnificent Gothic cathedral , tourists do not think of Milan as an obvious holiday destination ( though some do make the pilgrimage just for Leonardo da Vinci 's Last Supper ) . Despite lack of prestigious museums , excellent restaurants , shopping , or magnificent Gothic cathedral , Milan is an obvious holiday destination . contradictory +They celebrate the U.S. women 's comparative innocence . The U.S women are comparatively innocent . entailment +For centuries the barons defied the papal authority in Avignon and the kings of France , offering refuge to Protestants during the Wars of Religion , until , in 1632 , Louis XIII ordered the destruction of Les Baux . The barons offered refuge to the Protestants during the religious wars . entailment +Abe 's spirit has been pretty quiet since the midcentury restoration . After the midcentury restoration Abe 's spirit diminished . entailment +Promo lines for Yoplait 's new ' playing card and watch parts on the bottom ' yogurt . Yoplait doesn 't have any new campaigns contradictory +uh no the last expensive place i went to it was a it was a Shoney 's huh and we went there every Tuesday night and or Saturday night when we was playing uh when i was playing softball with uh We went to Shoney 's because it was close to the softball fields . neutral +yeah it is a difficult thing but then vengeance is mine sayeth the Lord and i will pay so i think God ultimately in charge of what goes on in i know like Mao Tse Chung in China he did all these terrible things and they were terrible and he 's gonna be accountable for them and but if you look back you say wait a minute while he was in power he built roads he tore down all the temples he he unified the Chinese language it was impossible for missionaries to do accomplish anything in China God will make them pay for the horrible atrocities they have done , especially people like Mao Te Chung from China . entailment +oh the uh-huh right i know who you 're talking about i haven 't i have seen it i think maybe once I have no idea what you are talking about . contradictory +yeah we did we did that for a long time and it got to the point where we had no idea how much we were spending on things and it seemed like we didn 't have enough money when WE did that for a short time and had lots of money . contradictory +Judge Thornton 's ruling , she contended , will establish a barrier that stops abused women from seeking protection of the courts . Judge Thornton is sinister and sexist . neutral +The scene was perfectly scripted for a honeymoon . The scene was beautiful . neutral +In addition , we are currently looking at ways that the visa function can be strengthened as a screen against potential terrorists and we expect to make recommendations later this fiscal year . There are dozens of ways that the visa function can be strengthened . neutral +and uh and Night Court because they 're right they show them back to back Night court as well because they are shown back to back . entailment +In a tiny low-ceilinged room , draped with blue velvet , is the revered but questionable Tomb of King David . The Tomb of King David is located in a large , spacious room and adorned with fresh flowers . contradictory +they uh they had a high of i think eighteen degrees during the week that i was there They had a high of 90 when I was there . contradictory +Atlanta was selected because it had the best productivity among the 10 regions ; if GAO could demonstrate opportunities for improvement in the most productive SSA region , then similar improvements might be possible in the less productive regions . Atlana was picked because it is not productive and has a lot of room to improve . contradictory +i just don 't think it 's important to to some people and maybe thing you know circumstances may change and I think a lot of people find it important . contradictory +If applicants want to go that route , she recommended they get help from someone well-versed in business . She gave no advice for applicants who wanted to take that route . contradictory +Figure 3.5 shows that , as the nation 's capital stock eroded , future living standards-measured in terms of GDP per capita-inevitably would fall . The nation 's capital stock is eroding at 1 % every five years . neutral +Celebrated in song , the old popular harbor district of Santa Lucia is now lined with elegant hotels and restaurants , many overlooking the formidable medieval Cetel dell 'Ovo on its own islet , with a handful of outdoor trattorias and cafe that enjoy a unique setting . There is a song about the harbour of Santa Lucia . entailment +LSC is in the process of reviewing and awarding its second round of Technology Initiative Grants ( TIGs ) . The LSC does not reward TIGs . contradictory +What do you think is the proper protocol for this situation ? How should we go about handling the situation ? neutral +I was a little concerned about it and wanted to see if there was any reasonable steps that could be taken to help protect folks that are not overly burdensome . I wanted to take on a burdensome task so I could help myself . contradictory +Three miles below , there is a basement . There 's a basement a few miles below . entailment +but it 's that 's not you know the same as an eight hour job Is it not the same as an eight hour job , it is better . neutral +and there 's a big difference There is barely any difference at all . contradictory +Beware of gold watches and watch your belongings carefully pickpockets prowl here . The pickpockets specifically target tourists . neutral +Setting your priorities in Malaysia before you start out is essential to making your trip both pleasant and satisfying . In order to have a pleasant trip in Malaysia , you might need to set your priorities . entailment +getting down together and doing that and and just the children were involved in the decision because it involved just them and you know making that decision and then The children had an impact on the decision . entailment +Two surveys administered to different samples of ( 1 ) Quarterly Interview Survey and ( 2 ) Diary Survey The only two surveys issued to the Quarterly Interview Survey and the Diary Survey . neutral +The answer is a resounding yes . Everyone agrees that the answer is yes . entailment +To the right lie the enormous Palace Kitchens , which house a collection of European crystal , Chinese porcelain , Ottoman serving dishes , and cooking im ? ΰle ? Ϳέents . The Palace Kitchens are large and contain crystal , porcelain , and serving dishes from all over the world . entailment +you get much above you get much above the Texas border on in that sector sector of the map and get up into Oklahoma they 've got a little bit longer winter they 're catching The winters in Oklahoma can last up to four months . neutral +The sky itself ! " Oh--space . Only the sky ! Oh , you mean outer space . entailment +Notice the especially handsome Niomon Gate . The Niomon Gate is ugly . contradictory +Sections 303 ( f ) and ( g ) empower the Commission to make such regulations as necessary to prevent interference between stations and encourage the larger and more effective use of radio in the public interest , respectively . Sections 303 ( f ) and ( g ) discourage the commission from making regulations as they need to to stop interference between stations . contradictory +I just resist the idea of punditry in certain spheres . I embrace the idea of punditry everywhere . contradictory +Time ' s cover story celebrates the 50 th anniversary of the Roswell , N.M. , UFO crash--a k a The Incident . Time has yet to cover the UFO crash in any of its magazines . contradictory +Jon returned to the camp with good tidings and two wrapped loaves of Gauve 's wife 's bread . Jon arrived back at camp with 2 loaves of bread . entailment +She may have thought , however , that she was giving him another chance and that he was promising , in exchange , to do better . She may have held off on divorce because she thought her husband was going to change . neutral +None of them true , all of them prudent . ' White sat down . White then proceeded to pour a glass of wine . neutral +" Still I say " Oliveri shook his head as Rennie pushed past Drew and Shiloh and went out " that after seeing this one , all others will be as pale shadows of nothingness . The horse Drew rides is old and thin . contradictory +In practice , the UPPL applies to only a fraction of patients treated in the emergency department . The UPPL applies 12 % of patients treated in the emergency department in practice . neutral +on Governmental Affairs , 96th Cong . The 96th Cong. is about Governmental Affairs . entailment +Even if the measures implemented require painful sacrifices , people are willing to bear them if they promise a secure and healthy future . A future can only be secure if painful sacrifice is endured . contradictory +To life in the Dust Bowl during the Great Depression ? Is it fair to call life in the Dust bowl bad during the Depression ? neutral +it does seem to have quieted down there just a little bit that 's that 's for sure no i the US policy uh towards Central America as far as uh well i kind of go back to to the El Salvador thing because Texas Instruments had a a plant down there for a while and i worked in there for a little while and at that particular time let 's let 's see that was seventy three seventy four kind of before the the uh the the uh Civil War really picked up down there and US policy at that particular time there was of course military assistance to uh to the government itself you know anything that 's that 's anticommunist you know we kind of had a tendency to be pro it don 't matter what their excesses were and i believe at the time that i was down there that uh the The government was against military assistance . contradictory +But the surrounding area is a sleek Westside business center of high-rise office towers , high-flying corporations , and theaters and shopping to support the affluent residents on its periphery . The area is just a couple of factories and open fields . contradictory +The Ponte Santa Trinita , destroyed in 1944 , has been rebuilt with the original 16th-century masonry scooped from the bottom of the river , including statues of the Four Seasons . The Ponte Santa Trinita was destroyed by Allied troops . neutral +uh otherwise you would have to treat it like you would any other lawn refuse it would have to be cut into four foot lengths so you know if we have branches or something they have to be cut in four foot lengths but otherwise uh they have to be in one of their paper bags Paper bags are unnecessary and I wouldn 't worry about cutting them up either . contradictory +Examples include edit checks of data entered , accounting for transactions in numerical sequences , comparing file totals with control Examples include accounting for transactions in numerical sequences entailment +3 percent to percent and the cost coverage for inbound mail would increase from 90 . The cost coverage for inbound mail would increase from 90 % . entailment +that 's not too old That isn 't too old . entailment +It is designed to give the utilities flexibility in determining how and where to achieve the reductions . Utilities only want to raise their rates . contradictory +But after that , you 're on your own . You 're on your own . entailment +Out on stone platforms , young men perform gymnastics , part of a devout self-discipline known as danda . Danda is the devout self-discipline that includes gymnastics . entailment +Expeditions were organized to the best viewing points for the first spring cherry blossoms , and special pavilions were built to watch the rising of the full moon . In order to watch the rising of the moon , pavilions were constructed . entailment +Former Republican National Committee Chairman Haley Barbour , too , is working on behalf of the companies involved in the settlement , and he deserves as much scorn as his Democratic counterparts . Haley Barbour should be universally praised for this stand on this issue . contradictory +I cannot say , but it is suggestive . A wild idea flashed across me . I didn 't have any ideas . contradictory +The problem lies not with federal employees themselves , but with the lack of effective leadership and management , along with the lack of a strategic approach to marshaling , managing , and maintaining the human capital needed for government to discharge its responsibilities and deliver on its promises . The problem lies with leadership and management , not federal employees . entailment +Proper organization and presentation of those facts , then , is essential to representing yourself successfully . It is unimportant to organize those facts , for presenting a successful self-image . contradictory +However , Clinton would risk legislative revenge if he tried to pursue the issue in the face of firm majorities against him in Congress . Clinton would never risk legislative revenge because he is the best . contradictory +I feel dizzy . The dizziness I feel is from drinking . neutral +A Fun Fact You Wouldn 't Know Unless You Watched the Sunday Two babies are twins . Two babies are twins . entailment +into the wee hours and uh ran out of firewood so we uh each took turns going out and gathering up big bundles of pine needles and throwing them on the fire and they didn 't last very long but they burned hot When we ran out of firewood , we used a gas heater to keep warm . contradictory +Emissions Inventories No emissions exist at all . contradictory +Peninsular Eurasians and indigenous Christian converts in Sarawak and Sabah celebrate with Good Friday processions , the most famous being organized by the Portuguese community of Melaka at St. Peter 's Church . Three separate churches organize Good Friday processions every year . neutral +Dijon is the capital of Burgundy and a center of art and architecture , of culture and learning . Dijon boasts the greatest architecture in all of Burgundy . neutral +so we got into it fairly cheaply and then uh after we sold the first house we were left with enough cash that there was enough to make the down payment on this house The house sold for fairly cheap because of the bad economy . neutral +Implemented together , these measures provide a basis for improving accountability over government operations and routinely producing sound cost and operating performance information , thereby making it possible to better assess and improve the government 's financial condition and operating performance . These measures implemented together improve accountability over government operations . entailment +yeah i um i 'm seriously thinking of discontinuing the chemical service because of the uh um i guess what i didn 't realize was that that they 're actually putting poisons on my grass I love their service contradictory +with these panels of experts and they go back and forth where everyone 's giving some opinions and sometimes that i i don 't know the value of that because i saw plenty of jokes and and um oh editorial cartoons about all the retired generals making their living during the the Gulf War The panel of experts on state facts and not opinions . contradictory +well i i i think we 're going to see that i think uh that the quality that the Japan carmakers had is slipping a little bit while American carmakers are trying to get their butt together so American car manufacturers are trying to get their affairs into order . entailment +The health of one of the bravest of America 's daughters , to whom is due the thanks and gratitude of two great countries ! " 232 Chapter 28 And After " THAT was a mighty good toast , Jane , " said Mr. Hersheimmer , as he and his cousin were being driven back in the Rolls-Royce to the Ritz . " Two countries owe their gratitude to one of the bravest of America 's daughters . " entailment +It was erected in the early 16th century by Francois I 's corrupt treasurer , Gilles Berthelot ' part of it on a Venetian-style foundation of timber piles close-driven into the bed of the river . It was built in the 20th century and Francois I 's honorable treasurer lived there . contradictory +Starting early next week , Michael Lewis ' Millionerds column will join Chatterbox , The Breakfast Table , and other Slate features that post constantly but irregularly , whenever the author ( s ) are struck with an insight or acquire a nice tidbit of info . They like to not have strict deadlines . neutral +They left rather suddenly . " They were running late to an appointment . neutral +One of the oldest churches in Dublin , it was built in the 17th century on the site of a Danish chapel , but heavily restored in the 19th century . The church was restored . entailment +Conrad went straight towards the gas to light it . Conrad ran to put out the gas fire . contradictory +So even this far away from the scene of old battles the war still smoldered ; the black bitterness of defeat was made harder by the victor . The war had taken place in one area . contradictory +uh south for part of the winter South for part of the summer . contradictory +bronze oh interesting The bronze is not interesting at all . contradictory +To take in the sight of the great shrine against the glorious setting sun , spend the night at one of Miyajima 's many Japanese-style hotels and inns , preferably a family-run ryokan or pension .After dinner , don your cotton yukata robe and pad out the short distance back to the Itsukushima Shrine . Should you wish to visit the shrine , just grab a bus directly there and don 't stay the night . contradictory +and that the Shopping Avenger would hear about this treatment and seek vengeance . The Shopping Avenger would hear about this treatment and seek vengeance . entailment +this summer too yeah The summer is too hot . neutral +In view of the importance of DOD 's investment in weapon systems , we have undertaken an extensive body of work that examines DOD 's acquisition issues from a different , more cross-cutting perspective-one that draws lessons learned from the best commercial product development efforts to see if they apply to weapon system acquisitions . The DOD has had issues with weapon acquisition programs . entailment +Each committee developed measurable goals with estimated dates for completion . The goals include economic reform and political swiftness . neutral +Why can 't they dance like we danced ? Why can 't they mimic our movement ? entailment +Creative people still make their name here . Creative souls still have the chance to create a reputation here . entailment +The smoke was intoxicating . The smoke was overwhelming . neutral +Modern artists flock to the main islands , both to work and to sell their pieces . Modern artists prefer to work and sell in the main islands . entailment +Now that people have turned against large government interventions , he wants to make every school a charter school with power vested in the parents and teachers . The idea that private schools are better than public schools is an idea that continues to persist to this day . neutral +Beep . The state of utter silence . contradictory +Follow that other taxi , directed the young man . Stay right behind it ! neutral +The certification was accompanied by a statement that few , if any , light truck manufacturers subject to the proposed rule would be classified as small businesses . Very few light truck manufacturers would be considered small businesses under the proposed rule according to the statement . entailment +Upon arrival at the test site , the organisms are transferred to receiving water if receiving water is to be used as the test dilution water . The facility always uses receiving water , so the organisms are always transferred . neutral +It can also damage fabrics ( especially protein-based materials such as silk and wool ) . It has no possibility of damaging fabrics . contradictory +what would you do about this pressing problem The situation needs to be addressed sooner rather than later . neutral +even try to do Attempting to get it done . neutral +i mean it really was to me it was like it 's going to take them quite a while to rebuild because everything everything i mean anything that Tom Landry wanted or had he was going to change it If they want to rebuild the whole thing , at least a year . neutral +The courtyard tradition allegedly began at the grand opening , when actress Norma Talmadge accidentally stepped in wet cement . No tradition exists regarding any events at the grand opening . contradictory +A description of the government 's requirement forSpecific Make resources which is so restrictive that only a particularand Model manufacturer 's products will satisfy the government 's A description of the requirement for resources is so restrictive that only a particular model manufacturer 's products will meet it . entailment +i i uh probably make you sick if i told you what my uh my mortgage is with with the taxes My mortgage would make you sick , but I Think homeownership is important . neutral +'What about doing it in person ? ' I protested . I was upset and would rather do it in person . neutral +They 've used the same pollster and seen the same Americans favor equal treatment of gays in the workplace but oppose gay marriage , probably because the latter involves sex . Some Americans favor equal treatment of gays but oppose gay marriage . entailment +Among the most moving , look for the Kiss of Judas , the Crucifixion , and the Lamentation . The kiss of Judas and the crucifixion are some of the most moving . entailment +The Commission discusses how it amended the proposals in response to these comments . Despite the comments , the Commission decided not to amend its proposals . contradictory +Albert unbent immediately . They unbent quickly . entailment +The new conquerors of northern India did not come uninvited . Northern India 's new conquerors came uninvited and by suprise . contradictory +Some of the palm trees in the area provide shade for beach resorts in Goa and Kerala . Goa is known for being 100 % deforested . contradictory +Or to judge by the milk It is thin and watery--typical of species that nurse frequently . Animals that nurse frequently have thin milk . entailment +Neither Martinique nor Guadeloupe enjoy duty-free status ( apart from the duty-free shops at the airports ) , but almost everything from France is sold at mainland French prices , well below what the items would cost in North America . Products in France are much cheaper in order to draw tourism away from more popular locations such as Martinique and Guadeloupe . neutral +A fully realized performance could go on for two or three hours ( shorter in restaurant recitals ) . Performances did not last longer than one hour . contradictory +Several newspapers reported that marijuana is becoming more potent and more widely available . Many newspapers report that marijuana is losing potency and is becoming less used as recreational drug . contradictory +Oh , yes , sir , whose else 's could it be ? Whose could it be but yours ? neutral +NONFEDERAL PHYSICAL PROPERTY -Physical properties financed by grants from the Federal Government , but owned by state and local governments . The Federal Government retains ownership of all property it finances . contradictory +mental health and racial justice Increased intolerance and a decline in mental health . contradictory +'Didn 't see the point in waiting . ' I didn 't think it was worth waiting . entailment +Klayman has found an opening to harass his political opponents , inflicting costly all-day depositions on Harold Ickes , Stephanopoulos , James Carville , Paul Begala , and many others . Klayman has found a way to harass his political opponents , but it 's miserable . neutral +uh well i was i was in a uh private consulting firm so um and uh and uh anyway um right now i 'm i 'm not i 'm not there but but anyway I was fired from a private consulting firm . neutral +i found that true especially for walking on toes or fronts It does not happen when I walk on my toes . contradictory +yeah well i have a friend that 's uh his descendants his descendants are from um uh Nicaragua and uh very i mean it 's like his mother his mother came over and uh My friend 's immediate family all live nearby in Los Angeles . contradictory +150 LSC grantees reported that in 2001 they provided pro se assistance services . LSC grantees provided pro se assistance services . entailment +In arriving at the draft characteristics , LSC staff considered a variety of documents describing standards for intake systems , including those published by the ABA and AARP . LSC staff considered a variety of documents describing standards for intake systems when they arrived at the draft characteristics , said the news . neutral +yeah until they really and and it 's not over see that 's the thing it 's not over and they 're sending all these troops back and i think well they 're probably going to end up going back over there again The troops are still going back and it seems endless . entailment +You see , if the spider lets the fly walk out too easily , the fly might suspect it was a put-up job . The fly might be suspicious of the spider if they escape too easily . entailment +From its ramparts you can take in the whole of the city and the broad Rio Tejo ( River Tagus ) , spanned by the longest suspension bridge in Europe . There is no view of the city from Rio Tejo . contradictory +This time , actors and actresses have Hollywood over a barrel , and they may just succeed in becoming the next generation of auteurs . Hollywood is over a barrel thanks to the actors and actresses who just might become the next generation of auteurs . entailment +Is it proper for attendants to wear black at a wedding ? If the bride specifically requests it , then most people would think black is an acceptable color . neutral +I believe it 's more important to get a job you are happy with and let things flow from there . I think it 's more important to be happy with your job . entailment +Why didn 't you say ? " Why didn 't you state it ? entailment +In all such relationships you are replaceable at some price . You aren 't worth much in the value you provide in relationships . neutral +when she when she was younger she used to do that to get even with me She has never done that . contradictory +Property owned by the Federal Government and meeting the definition of one of the following three All of the following three have nothing to do with the Government . contradictory +But then I realize how superficial that attitude is . I understand how superficial that behavior is . entailment +A silence settled down over the party . The party became quiet . entailment +i use everything with my Visa and i pay it all off so that 's a good deal for me i get free money for thirty days so I get $ 1000 for a month from using my credit card . neutral +America Little doesn 't really live up to its name . America Little is actually a very large city . neutral +There are no hotels on Niihau ' nor electricity or running water . Niihau does not have any hotels , electricity or running water . entailment +Nearby is Casa Romana , a Roman villa recreated in every detail . There are no other sites to visit nearby . contradictory +But no matter ! " And , with a characteristic shrug , he dismissed whatever it was that was worrying him from his mind . He wasn 't able to shrug off the worry . contradictory +good case study should know how the data were collected and , step by step , how they were analyzed . The case study findings are most important , so specific methodologies need not be discussed . contradictory +You 'll find thick knitwear pullovers , hats , and gloves at many shops in the mountains . While you 're in the mountains , you can stop at clothing shops to pick up hats , gloves , or knit pullovers . entailment +but he 'd served in the military But he had been a member of the military . entailment +For more information , pick up the monthly listings leaflet , Events and Places in Eilat , from the tourist office . The only way to get more information is to pick up a leaflet which features the monthly listings . neutral +He don 't like havin ' his colt crop whittled down . He was happy to be rid of the horses . contradictory +Greek cotton is manufactured into a range of good value cool cotton clothing that is perfect for touring and exploring . Cotton from Greece is manufactured and made into clothes . entailment +In the narrow streets lined with merchants ' and tailors ' shops , the Star of David , menorahs , and Jewish names are actually more plentiful than Jewish people themselves . The merchants here are Jewish . contradictory +A time in my boyhood when the world seemed full of possibility . ' ' This writer is a child ' ' contradictory +Even if you don 't land a bargain , there is real aesthetic pleasure in seeing , at the end of the verbal combat , the disarray of silks thrown acrosea counter or a mound of carpets on the floor . Providing more than enough proposition from the vendors , customers are more likely to buy something . neutral +It 's more reasonable to assume that they know they will probably lose but are happy to take that chance for 1 ) the pleasure of playing and 2 ) the chance of coming out ahead . They are happy to take the chance even though they will probably lose because they enjoy the adrenaline of taking risks . neutral +Erected over an older Byzantine-style castle , the present 14th- to 15th-century Flamboyant Gothic building fronts the Piazzetta and the basin , the first building to behold upon arrival in Venice . The first building one sees up arriving in Venice was built in the 1960s . contradictory +What 's worse , Wolf flip-flops in her opinion of The Slut every few pages . Wold is adamant on her opinion of the slut . contradictory +and some people would get military service and some people would get civilian uh service like working in hospitals this i assume it 's the kinds of things that they had conscientious objectors do Most people enjoyed doing their military service . neutral +and so um yeah uh yeah i guess i usually do i like to cook um heavy sauces and um I generally like to prepare heavy sauces . entailment +Today , the remarkable economic recovery has silenced the old condescension about Italy 's technological and managerial talents . Italy has to borrow money from other countries or else it will fail miserably . contradictory +From Kawaguchi , you take a local bus to Go-gome ( Fifth Station ) on the north face , to start the five-hour hike to the summit . Travelling to the summit by bicycle takes around three hours . neutral +At the same time , the government does not always effectively plan , procure , and implement major technology investments . Major technology investments are always effectively procured by the government . contradictory +By the year 2000 , there were roughly 130,000 rooms in Las Vegas . By the year 2000 , there were about 130,000 rooms in Las Vegas , but most of these were created in a business boom in the 90 's . neutral +They care about the performance of the computer . The computer has a Windows operating system . neutral +that 's a very common experience you know The experience of stopping your heart is very common . neutral +uh-huh yeah that 's probably very useful This does not work at all . contradictory +It is surrounded by luxuriant formal gardens with marvellous views . The gardens are very expensive to maintain . neutral +Precious metals are sold by weight , with very little added to the price for workmanship . Precious metals are priced based on their weight . entailment +sure politics and everything you ought to do what you like uh you i 'm an engineer and even when i was going through engineering school halfway through they said up don 't need any more engineers we 've got too many they go through this phase all the time but i think you still should do what you want because uh Engineering school said that engineers are high in demand . contradictory +kind of scary It 's quite comforting . contradictory +um i wish i had I want to undo what I did . contradictory +This area is bounded by Safed 's principal thoroughfare , Jerusalem Street , which becomes a traffic-free promenade in the centre of town , with small shops , restaurants , and cafe . The main road in Safed is Jerusalem Street . entailment +and uh you know people say you know it 's expensive for to send kids to college but if if an everybody would be a little bit responsible you know it 's like what what does it cost it costs five hundred dollars a semester suppose that they go to a state college and they live at home People say college is cheap . contradictory +It is clear that some injuries create barriers to intervention in the emergency setting . Some injuries get in the way of intervening during emergencies . entailment +That is a commitment that we are duty-bound to honor and it is a commitment that we can and will uphold . We are duty-bound to honor the commitment . entailment +When she turned , Mrs. Vandemeyer still lay without a movement . Mrs. Vandemeyer was dying on the bed . neutral +There was silence between them for some time , then Mrs. Vandemeyer looked up . Mrs. Vandemeyer never opened her eyes . contradictory +are going to be killed um there 's people that come to the prisons and and they 're very violent and they want i mean they 're anxious for someone to be killed i just i can 't see that All people who are incarcerated behave properly and do not act aggressively . contradictory +With time , it would have been easy enough , but there was no time for trial and error . Trial and error was the best method considering how much time was available . contradictory +but they don 't they they they have special munching mulching uh mowers but that 's not one of them That one simply looks like the special mulching lawn mower , but actually it 's a different model . neutral +It was covered by several feet of ash during the eruption of c.1500 b.c. , but unlike the tragic city of Pompeii in Italy , no human remains have been found . The eruption of 1500 b.c. covered it in several feet of ash . entailment +Phase I Sulfur Dioxide Requirements The Phase I regards Sulfur Dioxide Requirements entailment +yeah and then it lies in a drawer for about five or six years at least Then no one touches it for up to ten years . neutral +Nor , judging from this book , was its primary salesman . The primary salesman certainly was . contradictory +In some states , an interim air-operating permit may need to be obtained until the Title V permit is modified . No interim permit is required in any states of the country . contradictory +The cover story lionizes Chuck Close , who manages to paint astonishing Pointillist portraits despite near-total paralysis . Chuck Close was a keen painter before suffering disability . neutral +Imagine ! " EAT ! contradictory +Cairo saw a rash of new building that expanded the city 's boundaries . Cairo experienced a lot of new building of thousands of homes . neutral +, the Globe and Mail lamented the state of Canada 's road system . Neither the Globe or Mail had comments on the current state of Canada 's road system . contradictory +LSC continues to provide assistance to former recipients of TIGs . LSC will stop providing assistance to people who used to receive TIGs as of May 2017 . neutral +Thank the gods , thought Jon , staring up at the red moon with the black moon inside . Jon stared up at the red moon with the black moon inside . entailment +so it 's it 's a really tough question It 's not an easy question to answer . neutral +In the New Republic , James Wood calls Toni Morrison 's Paradise trite and It forces magic and pure rhapsodies on its characters like a demented anesthetist bullying patients with laughing gas . James Wood loves Paradise and he always envied Toni Morrison . neutral +In the Africa bombings manhunt , both magazines zero in on Osama Bin Laden , the technosavvy , multimillionaire Saudi exile living in Afghanistan . In the Africa bombings , Osama Bin Laden is the main focus of the manhunt . entailment +um it wasn 't the easiest thing i 've done but no nor was it hard to to us the young man had kind of taken care of it when he said he was guilty so we did not The young man mentioned that he was guilty so we weren 't able to do that . entailment +On Wednesday , April 30 , police in Pecos , 80 miles from Ft . Pecos is 480 miles away . contradictory +Its wealth of trees is remarkable , including the tualang , found both in the northern half of the peninsula and in Sabah and Sarawak . The tualang is more common in the northern half of the peninsula . neutral +The nearest I can come to it is something about a lost opportunity with some organization or other that I can 't quite interpret . " I can 't quite interpret what 's being said . neutral +Roman , Gonzo interrupted , ' the computer made a mistake , you know , with Multivista , everything goes wrong . ' Multivista never made a mistake . contradictory +i 'm real glad that i don 't that i don 't work in that kind of a uh a background background i 'll take my job any day My job is less taxing than that other job . neutral +A profile of a rookie cop says police work is improving because street officers have been given more responsibility . New cops are often interviewed by press . neutral +To meet these deadlines , facilities may need to be taken off-line during critical periods . We expect these time periods to be more than 2 weeks in length . neutral +and you 're hoping there is something that will cut down on that You are hoping that something will cut down on taxes . neutral +Its time per box is half again larger than the mean for all rural routes and it is nearly two standard deviations greater than the mean for all rural routes . The time per box is higher than the average . entailment +Knowledge , attitudes , and reported practices of medical students and house staff regarding the diagnosis and treatment of alcoholism . Covering various aspects of caregiving and caregivers for alcohol abuse . entailment +They had a fire going and were preparing to cook one of the mermaids . The mermaid was about to be eaten . entailment +Museo Cerralbo ( c / Ventura Rodriguez , 17 ) , another nobleman 's collection bequeathed to his country , is more like visiting an art collector 's 19th-century house than a museum ; few works are identified or marked . The Museo Cerralbo is a highly regarded museum . neutral +It sounds more like the pictures every minute . Tuppence smiled , gratified at the success of her efforts . Tuppence moaned , knowing she had failed . contradictory +well they give some some financial aid for education they they advertise that they give it you can earn up to ten or twenty thousand dollars for If you earn up to ten or twenty thousand dollars , you can earn financial aid . entailment +News , an article claims that German Chancellor Helmut Kohl may well lose this month 's election . German Chancellor Helmut Kohl will likely win the election , read one newspaper . contradictory +After all , in this piece the car-home-and-fire salesman turned global strategist describes the Gulf War as if it were a model of Clausewitzian clarity concerning ultimate goals and acceptable means , forgetting in the process that at the end of that war , the Bush / Powell / Schwarzkopf axis internally disagreed about war issues that had never been articulated for the American Should the U.S. destroy the Iraqi military , invade Baghdad , or topple Hussein even after Iraq was repulsed from Kuwait ? Powell was in favour of the invasion of Baghdad . neutral +Tutmosis chose the location of his tomb well for it was not totally robbed in antiquity and numerous artifacts found in the antechambers are now on show in the Egyptian Museum in Cairo . Tutmosis 's temple was completely cleaned out by grave-robbers and left empty . contradictory +And now the big boys want to cash in . The big boys do not want to cash in . contradictory +Smaller islands with fabled names such as Elba , Stromboli , and Lipari fill in the necklace of floating gems , many reached only by boat , where the lifestyle is that of the Mediterranean one hundred years ago . Many of the smaller islands can only be accessed by boat . entailment +Though I doubt if it 's the kind of place to suit you , sir . I do not think this place is for you . entailment +yeah they make a nice hedge uh They are worth hiring if you want your hedges trimmed . entailment +He said , " I will be truthful with you . He said " I will lie to you " . contradictory +I didn 't understand it , I don 't really understand it now , but she spoke to me from half the village away as though I were right next to her . She never spoke to me . contradictory +um-hum huh oh yeah but it 's a pleasure to like you said it 's good to get outside and I love doing it , but not so much during the winter . neutral +3.Tim , I support the president . Tim , I am in agreement with the current president . entailment +I fought to hold on . I had to hold on at all costs . neutral +Get real , folks . Realistic thinking is the way forward . neutral +But even though Legal Aid lawyers provide legal services to thousands of indigent clients in Northeast Florida , including hundreds a year in Clay County , the needs of many others go unmet due to budgetary constraints and staffing limitations . Internal state politics are the cause of the staffing limitations . neutral +Eszterhas is a self-promoter but not a cynic . Eszterhas is a self-promoter but not a cynic . entailment +yeah yeah i heard about um is is there true that there 's a if a lawyer takes a a case to court and it 's what do they call it um frivolous is that is there still a frivolous law that they can It is totally untrue that lawyers take frivolous cases to court . contradictory +Some magnetic influence that irresistibly impelled Mrs. Vandemeyer to commit suicide ? " Tommy looked at him with respect . Tommy respectfully looked at the man and asked if there was some magnetic influence that caused Mrs. Vandemeyer 's suicide . entailment +We estimate that reductions in exposure to fine PM and ozone due to the Clear Skies Act will result in over 6,000 fewer deaths in 2010 and nearly 12,000 fewer deaths in 2020 , as well as nearly 4,000 fewer cases of chronic bronchitis in 2010 and over 7,000 fewer cases in 2020 . The Clear Skies Act may be carry high upfront costs , but the savings in health outcomes more than make up for it . neutral +Proper Execution of Transactions and Events accounts , and controlling access to data , files , and programs . Proper Execution of Transactions and Events accounts is important . neutral +oh that 's incredible oh , that 's ordinary contradictory +However , the large stone torii gateway is the oldest in Japan , dating back to 1294 . The oldest gateway in Japan is made of bamboo . contradictory +If you 're coming into France from the English Channel or across the Belgian border , don 't rush south on the autoroute but take a more leisurely journey and enjoy Picardy . It 's better not to take the autoroute when going to France . neutral +Improved cost studies would result . Better cost studies are in the best interests of anyone who intends to use the data . neutral +Bill , our program manager ( chief tech guy ) answers questions about problems and possibilities in reading SLATE . Linda is the point person if someone has questions about SLATE contradictory +you know Uncle Sam but i 've always thought that they were slow as far as outside of the government you know I think that the government should make them move a little faster . neutral +The FDA received over 700,000 comments in response to the proposed rule . The FDA got just ten comments in response to the proposed rule . contradictory +But I have a policy about never talking about anyone who is in office or running for office , or is in litigation . I have a policy of being mute about who is in office . entailment +An alternative short walk is to head out along the levada for a half hour or so ( before steep drops begin ) , by which time you will certainly have been able to sample its charm , and then head back to Ribeiro Frio . You can go back to Riberiro Frio after walking on the levada . entailment +GAGAS incorporate the AICPA 's field work and reporting standards and the related statements on the standards for financial audits unless specifically excluded , as discussed in chapters 4 and 5 . GAGAS incorporates the AICPA 's general standard on criteria , and the field work and reporting standards and the related statements on the standards for attestation engagements , unless specifically excluded , as discussed in chapter 6 . To meet the needs of users of government audits and attestation engagements , GAGAS also prescribe additional requirements to those provided by the AICPA for these types of work . There are users prefer the consistency in standards between AICPA and GAGA . neutral +I have MS and look just fine . I look fine , even with MS. entailment +He 's my cousin , Drew returned . Drew has a cousin and they are close . neutral +By the way , what are you going to do , accept Mr. Carter 's offer of a Government job , or accept Julius 's invitation and take a richly remunerated post in America on his ranch ? Neither Mr. Carter or Julius had anything to offer to anyone . contradictory +Travel south from Chios Town to reach the mastic groves . The mastic groves are found north of Chios Town . contradictory +Others could have been included as well . Including others was not a possibility . contradictory +Then if we do have this little lady gittin ' us up tonight , you 'll be ready for it . This little lady might get us up tonight . entailment +Ownership has its privileges . Ownership comes with tax . contradictory +The standard work day for a city carrier is eight hours . For a city carrier , a normal workday is four hours . contradictory +The boy wrote Santa again this year , and the letter wound up in John 's in box . The letter wound up in Peter 's box . contradictory +In that sense , the stock market boom is founded firmly on the steadier achievements to which Kazin refers . The increase in the stock market is founded by Kazin 's achievements . entailment +These will fit on one disk . These can fit on one disk to their size . neutral +Since no ozone modeling was performed for the Western U.S. , future ozone nonattainment in the West was determined through an emissions scaling analysis that used forecast changes in NOx emissions in the West coupled with the response of ozone to emissions changes , as modeled in the East . The current Western U.S. ozone model is accurate . neutral +And you can 't bring me back from the dead . It 's possible to bring me back from the dead with my magic powers . contradictory +These comments were reviewed and considered as discussed in the preamble to the final rule . These comments were considered as part of the conclusion . contradictory +The rationale for interventions in the emergency setting is that the medical condition or injury prompting admission provides a window of opportunity when the individual may be more vulnerable and more open to seeing the connection between current consequences and his or her drinking or drug abuse and may be more motivated to change . The rationale is that the ED has a chance to target vulnerable people who need the most help . neutral +i needed the money this is five bucks here yeah really do you work for TI I needed the $ 5 . entailment +One thing more . There is one thing left to say . neutral +that 's what i keep telling this person well i didn 't tell you what year I will tell you what year it is and maybe that can help . neutral +Information technology also makes it easier for businesses to deal with the risks associated with fluctuating currencies . Technology today helps businesses keep up with exchange rates and how it may affect them . entailment +Improvisation is of the essence . Structure and practice is essential . contradictory +He would have passed us . " At that moment , with an ecstatic smile Tommy pulled the string . Tommy was absolutely elated to pull on the string . entailment +Merry goat 's egg skull stink The merry goat 's egg smelled amazingly . contradictory +you know survival is a funny state Everything becomes a trade-off . neutral +More work established the fact that welding bits of the sky together was not particularly difficult . The work that showed the ease with which the sky could be welded back together was very tiring . neutral +Some case study methodologists work with structured evaluation questions , structured data collection , and observers untrained as anthropologists or sociologists , but they believe that case studies offer a qualitative way of knowing that should not be merged with quantitative results . Study methodologists never work with structured evaluation questions , structured data collection , and observers untrained as anthropologists or sociologists . contradictory +During the HUAC hearings , Congressman Edward Hebert commented , Whichever one of you is lying is the greatest actor that America has ever produced . Congressman Hebert hates liars . neutral +This seems to me a wholly irrational distinction to make . This hair-splitting doesn 't make any sense . entailment +About two hundred , said Jon . About two hundred warriors , said Jon . neutral +The combination of increased prices and the availability of more energy-efficient equipment and appliances are projected to reduce electricity demand by about 10 % . As energy prices climb , so does demand . contradictory +About half of the people on the court 's eviction calendar failed to show up , Kaufman said , noting those people unfortunately miss out on the free legal help being offered . Roughly half the people on the court 's eviction calendar did not show up . entailment +The second half of the 19th century on Madeira was plagued by natural disaster . Madeira has never experienced any natural disasters . contradictory +A 12-inch golden-dragon magnolia . She gave him a twelve inch magnolia . neutral +'Exactly , ' Lincoln nodded . Lincoln said the person had gotten it correct . neutral +LSC has long noted that its programs provide referrals and community legal education , engage in outreach , and work cooperatively with other groups to address the needs of the LSC client community . LSC noted that its programs provide referrals and legal education , engage in outreach , and work with groups to address the clients of the LSC . entailment +that 's i 'm going to have to start going out to eat more often i 'd i guess i would like to see some things like that I 'm going to need to eat out more often because I want to see things similar to that . entailment +If the review includes work at separate agency field locations , or if requested by the agency , GAO will consider holding additional entrance conferences when work is begun at field locations . The GAO will never hold additional conferences . contradictory +His back greeted them unwelcomingly , and the silence lengthened uncomfortably until Drew did as he always had and met the unpleasant head-on . They were greeted by his back and an uncomfortable silence . entailment +well you know that brings up the interesting subject too you know what would you have who who who would determine what these people do This brings up the dull subject of firing people . contradictory +yeah too many chiefs and not enough Indians There are far too many Indians who don 't have a chief . contradictory +A sane person shut up in a lunatic asylum often ends by becoming insane , they say . It 's said that lunatic asylums can make sane people go insane . entailment +I interviewed Bork several years ago for my book The Wars of Watergate . His role in the Watergate affair has , in all fairness , been badly distorted . I feel that his role in Watergate has always been accurately displayed . contradictory +a 716 does not include the Vice President because he is a constitutional officer of the government . The vice president is included contradictory +Yes , yes , that 's what the witch told Hansel and Gretel , but did she supply a list of ingredients to prove it ? The witch told that to Hansel and Gretel . entailment +It had just been part of the parade . It continued in the parade even after I saw it . contradictory +We make recommendations to the Secretary of Defense for improvements to weapon system acquisition policy to better align design and manufacturing activities with best practices that have shown that the capture and use of key knowledge can result in better cost , schedule , and performance outcomes . System acquisition policy should align with best practices . entailment +yeah she 's real good No , he is bad . contradictory +EPA submitted both the proposed rule and the final rule to the Office of Information and Regulatory Affairs ( OIRA ) for review . The EPA did not submit either rule to the OIRA contradictory +He pushed his way into the stairwell . He was planning on exiting out of the back of the building through the stairwell . neutral +Could be . Might be . entailment +It was not a good time for my ego ; I felt my sense of self getting smaller and smaller . I felt insecure . entailment +How can referrals be effectively accomplished ? Can referrals be effectively accomplished ? entailment +but i just kind of a verbal agreement yeah i 'm going to stay a year and i 'll be nice to you if you 'll be nice to me I will only stay a month . contradictory +The total value for these crops in 1998 was $ 47 billion . By 1999 , the equivalent value of these crops had increased to $ 55 billion . neutral +Why don 't you respond that , in the infinite wisdom of your procrastination , you somehow divined the marriage would be a dud , and you think you will give this one a similar two year trial period ? Why didn 't you tell them that your penchant for cheating meant you were giving this marriage a mental two year allotment ? neutral +What secrets had it seen ? It had seen something secretive . entailment +a dollar bill comes out the bottom A dollar falls from the bottom . entailment +When there 's only one example of anything , its very uniqueness makes it special . People like when things are all exactly the same . contradictory +This new museum was built as an annex to the existing Royal Museum , a beautiful Victorian edifice with a large glass roof much like a glass house . The original Royal Museum was constructed during Victorian times . entailment +For example , one organization had quarterly 2-day meetings , the first day of which was typically restricted to a small number of members with expertise pertinent to the specific topic under discussion . One organization had quarterly 2-day meetings , and all members were allowed to attend on the first day . contradictory +I have trained with the greatest masters of the north , said Adrin through clenched teeth . Adrin was angry . entailment +Jon reloaded his guns again and holstered one to draw his rapier . Jon didn 't own a rapier . contradictory +Down the road from Knott 's is the Movieland Wax Museum ( 7711 Beach Boulevard , Buena Park ) , where film stars from the 1920s to the present are immortalized in wax on authentic stage sets , often in their original costumes . The Movieland Wax Museum contains only exhibits about the important roll of wax in making movies . contradictory +Fix it ! " I 'll try , " Hanson agreed doubtfully . Hanson said he wasn 't even going to try and fix it . contradictory +Although the shrine is thought to have been founded in the third century , the present buildings are relatively recent reproductions . The shrine is older than the reproduced buildings . entailment +But when th ' Union men came , they was thinkin ' th ' same ' bout Don Cazar . The Union men believed the same about Don Cazar after they came . entailment +Their $ 4,000 IRA contributions are fully deductible . IRA wanted a deductible neutral +And , he said , I 'm sure their spouses are delighted to push them out of the house the first Wednesday of every month . The spouses are delighted to get them out of the house at 12 noon on the first Wednesday of every month . neutral +You defy me ? You don 't need to obey me . contradictory +The difference in REMSAD-modeled PM concentrations for these scenarios represents the expected change in PM due to the emission controls under the Clear Skies Act . there is huge difference between REMSAD-modeled PM concentrations and others . entailment +yeah uh every once in a while though uh i 'll read a blip where you guys get some All the time I read about how you never get anything contradictory +Excuse me , it said . Don 't move , it said . contradictory +When we discuss our common interest it turns into a fiery political debate . When we discuss our least common interests it turns into a slow political debate . contradictory +These represent an average loss of 160 million pieces or less than 0.2 percent of First-Class Mail annually . Millions of items get lost in the mail every year . entailment +There are several men watching it . It is completely unobserved . contradictory +yeah i know what you mean i uh when i was in Dallas i was supervisor and i had uh four non exempts um under me That was the easiest job I ever had . neutral +Due to the inherent uncertainty surrounding long-term projections , the Trustees ' reports also include two other sets of assumptions , a high-cost and a low-cost alternative . The Trustee 's reports include two sets of assumptions . entailment +for me it was like practically impossible to get between like ninety and ninety nine percentile on the on the verbal part most people find this test impossible but a small number find it easy to get above the ninetieth percentile neutral +There 's also a 60-seat space-flight simulator . Although there is a 60 seat capacity , the weight limit is 6,000 pounds . neutral +the other school systems that aren 't as good um i don 't know any particular ones but you know when when they say one of the where i went to school was one of the best counties then i think There is more than one school system . entailment +Liberals would be happy that regulatory intervention was protecting an essential aspect of life Liberals hate regulatory Intervention . contradictory +'Don 't call me that . Please don 't use that name for me . entailment +Because the volcano is still active although dormant at present these areas continue to grow , and experience earthquakes . The last earthquake was sixth months ago , though it was a minor one . neutral +Take , therefore , the talent from him [ who had one talent ] and give it unto him which hath ten talents , Murdoch read . He was untalented . contradictory +We can draw no other conclusion given the significant contribution that power generation makes to the emissions that cause such serious public health and environmental problems . Emissions do not cause damage and are not a hazard to public health nor do they lead to environmental problems . contradictory +Sailboats of various sizes are offered for rent around the island . Various-sized sailboats are available for hire all over the island . entailment +This type of testing is often referred to as penetration testing . This testing is called dormant testing . contradictory +it 's uh it 's actually in Durham they 're they 're thinking about moving it to Raleigh but it 's it holds maybe four thousand and it 's like three dollars to get in Durham is where it is and always will be . Never will it be moved . contradictory +Second , economic theory predicts that some incentives matter more than others , and the data confirm the Executions prevent murders , but convictions prevent even more murders . Executed murderers will never murder again . entailment +This , of course , is a formula for failure . This will absolutely fail . neutral +The number of French citizens with non-French heritage is substantial , reviving nationalist sentiment in the form of the Front National . Those with non-French heritage are just as French as families who have lived there for hundreds of years . neutral +Anthropologists say that these tall , large-brained men with high foreheads ( homo sapiens sapiens ) were of a physical type still found today . Short , small-brained men were just as common as the tall , large-brained men in the past . neutral +Lying to the north of Huntington Beach is the Bolsa Chica Ecological Reserve , a salt marsh that harbors more than 300 types of birds , which you can see along a 11.2-mile ( 21.2-km ) loop trail . This salt marsh draws in a select amount of tourists every year because some of the birds are very rare . neutral +You know New York better than I do . You know LA better than her . contradictory +24 In the past , GAO has suggested that the budget could better facilitate policymakers ' weighing choices between federal investment and consumption by incorporating an investment component with agreed-upon levels of investment spending . GAO promoted incorporating investment component with consensual levels of investment spending in order to better regulate policymakers ' choices between federal investment and consumption . entailment +yeah i really don 't have any other I don 't have any other . entailment +Newsweek excerpts a forthcoming biography of Tiger Woods . Newsweek 's biography of Tiger Woods doesn 't tell much about him . contradictory +The improvements in roads and means of transportation that had in part been responsible for the decline of the yeoman economy now made it possible for more visitors to view the natural beauty of the Lakes region . The economy of yeoman declined more steeply than the economy of Pennsylvania in 1959 . neutral +In many cases , and often for the same rate , a piece can be handwritten or typed , awkward or standard in shape , flimsy or stiff . A piece can be handwritten or typed in many cases . entailment +Guns they could take . Firearms were easy enough to take with them . neutral +The unemployment rate of 6.4 percent in 2000 compares to 4.0 percent for the whole economy . The unemployment rate has increased over the years . contradictory +'Shit ! ' I yelled constructively , as a small group of the buggers broke into my flat . My flat needed a new lock . neutral +Many people cannot manage to go to Italy outside the major holiday periods Easter , July , and August . Finding the time to visit Italy is difficult for a lot of people . neutral +Now we 'll go back to the character we had before--and just when I was getting used to the change . " He jerked his eyes off the raw patch of emptiness in the sky , where a few stars seemed to be vanishing . The last few stars were vanishing . entailment +Its elements were identified The elements were identified . entailment +and i don 't know too much about the air pollution thing i do know for other types of uh pollution like the toxic waste and such that TI has to dispose of the we normally put in the ground you know we 're coming up with a a new solution we have been finding a lot of toxic places to dump and we just transport to these places but after while it always seems that the um oh the site starts to leak and then you have to clean it up and such but the new idea is to take everything up to Sherman and we 're gonna have that you know incineration place up there and dump everything there and supposedly that facility will not generate air pollutants There is no pollution in the environment at all . contradictory +okay and i 'm i 'm glad to have met you oh are are work with Texas Instruments Texas Instruments has been great to work with . neutral +It consists of two spans , straddling the Ile de la City , and was initially populated with street-singers , charlatans , prosetutes , pickpockets , and above all bouquinistes selling old books and pamphlets out of boxes . Prostitutes and pickpockets often mingled together in the city . neutral +7.28 Staff planning should include , among other things , More purchases will be included in our staff planning . neutral +He crossed the mountain rivers that roared down from the mountains of the west . He was traveling in the mountains . entailment +In developing the Base Estimate of the benefits of premature mortality reductions , we have discounted over the lag period between exposure and premature mortality . There is a period between exposure and premature mortality . neutral +The average earner represents a worker who earned the average of covered workers under Social Security each year . The average earner is covered under Social Security . entailment +33 A worker earning up to $ 12,500 was to receive a two-to-one ( 200 percent ) match on the first $ 100 contributed each year and a one-to-one match ( 100 percent ) on additional contributions . Workers earning up to $ 12,500 would receive matching funds on their contributions . entailment +uh so we see uh the ones that have been out for a while i was trying to think what the last movie that we went to see was probably Russia House with uh Sean Connery and uh The last movie we saw in a theater was probably Russia House . entailment +Promotional items include only those obtained under the same terms as those offered to the general public and at no additional cost to the government . The government is not permitted to spend any money on promotional items . neutral +Executives could also receive a summary rating of provisional or Summary Ratings fail . The executives in question are those from a prominent firm in Wall Street . neutral +Like you 've never seen him , Newsweek put a naked Kidman on the cover last year . You must have seen the picture of Kidman naked on Newsweek last year . neutral +discussion of the elements of a finding in paragraphs 7.45 through 7.48 . The elements found are in paragraphs 7.45 through 7.48 in Chapter 7 . neutral +yes i don 't know whether they can go back and call witnesses for that though it 's it depends on the the transcript they can ask uh points of order of law The ability to go back and call witnesses depends completely on the transcript . entailment +The erotica is probably best explained , however , along with Nepal 's ubiquitous Shiva lingams ( phalluses ) and the female yoni symbols , as an expression of the creative energy in male-female relations and the pleasure principles of Tantrism . Tantrism has several pleasure principles . entailment +The rule , promulgated by an independent regulatory agency , is not subject to title II of the Act . The rule is promulgated by an independent regulatory agency . entailment +Federal fiscal policy affects the amount of federal government saving and this in turn directly affects national saving . The federal government controls how much it saves and spends . entailment +It is done ” so ! And so it 's been finished . entailment +Physically collocate team members when appropriate . Don 't collocate team members ever contradictory +just to help us deal with with all the things that we have to deal with so i keep getting stacks of books i need to read and i don 't know when i 'm going to get to them all I have many books waiting to be read . entailment +well i think uh i think on a scale of one to ten i would be i would be more toward a uh a uh uh an a stand that would not totally ban guns but would certainly very much control them uh I would take a stand that said guns were controlled but not banned . entailment +US EPA , Office of Air and Radiation and Office of Policy . The EPA has an office of policy . entailment +does he tell it in narrative form or in third person how does he present it In what fashion does he give it , is it narrative , third person , or what ? entailment +Wayne Las Vegas 's copnsummate entertainer , Wayne Newton croons to audiences six nights a week in an elaborate new theater named for Mr.Vegas himself . Wayne still performs in Vegas , as he has for 55 years . neutral +Furthermore , high postal densities reduce the impact of volume on unit street delivery costs , and high volume reduces the impact of postal density . High volume harms postal density . contradictory +What does an Applied Fundamentals Division do ? I don 't really know- no one does . I don 't know what an Applied Fundamentals Division does . entailment +because that 's another mystery and i don 't have to concentrate too hard on them Since that 's a mystery and I don 't have to think too hard about them . entailment +This was the case in connection with Enron and certain other business failures . This was the case in connection with Enron and certain other business failures . entailment +Immediately east of the Museo del Prado is the city 's major green space , Parque del Buen Retiro . Parque del Buen Retrio is the a major park in the city . entailment +The outlying sights of St. Saviour in Chora and Yedikule are best reached by taxi . There are no taxis that can take you to Yedikule . contradictory +it 's a fantastic machine if you 've got to have IBM compatibility they 've got a card you can plug in and you can run IBM software but the machine is so powerful i don 't need it You need a disc to run IBM software . contradictory +including new vans and so so i guess i 've seen it done and i know you can do it you know but you have to drive that old car until you get that money saved up for that new van and that 's where Americans don 't like to do it and so and we don 't want to cut back our services from the government because we 're spoiled You have to drive that old car to save up for that new van . entailment +All that 's missing ... There are two things that are missing . neutral +But what is so desirable about the absence of bias--and of the informed speculation that might have led to that bias ? Everybody should be biased . contradictory +Austin up around Austin area Up around the Dallas area . contradictory +'I said roughly a handful . ' I said 100 would be good . contradictory +yes yes i think the whole thing of how they got there was to me i i kind of well i i guess that 's the rules and and the way the and the way the the play-offs are run but i i don 't know i just think there was probably some other teams that they only missed by couple of points and they really should have been in there but I know that those are the rules , but I don 't really agree with how they got to the playoffs . entailment +If everybody just took NRA gun safety courses none of this would 've happened ! NRA gun safety classes could prevent adults from purposefully killing themselves . contradictory +in fact uh when our car was stolen of a little over a year ago in Baltimore i had a Rod Stewart tape in there that i was thinking the other day that i ought to replace because i really kind of miss that music but Needless to say , I now know to never go to Baltimore . neutral +The winstubs of its old neighborhoods are gathering places for university students whose predecessors include Goethe . College students just hang out in their dorms . contradictory +In the last debate , Hatch gave a patronizing lecture about how the unseasoned Bush would make a fine vice-presidential choice for him . Hatch gave a lecture , in the last debate , on how Bush , unseasoned , would make a fine vice-presidential choice for him , but he raised some eyebrows . neutral +Rebuilt in modern times , the mosque serves the small local community of Muslims . The mosque is relatively small but it is not a problem as the number of Muslims in the area is small . neutral +On the square 's northern side , the Anglican St. Mary 's Church dates to 1893 . The Church dates back to 1893 . entailment +Mrs. Vandemeyer , she read , " 20 South Audley Mansions . " 11 Cottages in North Haversham , " read Mrs. Vandemeyer . contradictory +I wasn 't looking for a bathroom . I didn 't care if I found a restroom . entailment +At bequest time , the strategic gift motive would evaporate , and the favored child would be favored no longer . The strategic gifts create favorites among politicians . neutral +Newsweek wonders how George W. Bush will survive the transition from honeymoon to full-fledged campaign . Newsweek thinks George W Bush has already launched a real campaign . contradictory +By subjecting all state agencies to the rigorous discipline of preparing financial reports and having them audited , the Comptroller increased accountability for data accuracy beyond that required to receive an unqualified audit opinion . By subjecting state agencies to the discipline of preparing finance reports and having them audited , the comptroller increased data accuracy and accountability as well as efficiency . neutral +I was lying on a dirty bed . The bed was dirty . entailment +And we can 't have the coffee that comes with our complimentary continental breakfast because they might have drawn the water first thing in the morning without letting the taps run for the two minutes required to flush the lead out of the pipes . The free breakfast comes with a free beverage . entailment +Indeed , the ad accuses Clinton , rather than his critics , of invoking legal mumbo jumbo to obscure the immorality of his misconduct . Although Clinton 's deeds were immoral , he had to defend himself in order to not get impeached . neutral +Just beyond is the great bell , which used to be rung to call the populace for important announcements , and , a little further along , a pair of huge drums . The bell is not used as much as it was in the past . neutral +Your world was more advanced in understanding than I had thought . The world is more basic than I thought . contradictory +oh we have a lot of coal but uh it 's uh it 's a dirty fuel that 's for sure Coal is the cleanest fuel we can use . contradictory +However , it also emphasizes that once a method is chosen , an entity should switch to the other method only with appropriate justification . Once a method is chosen , nobody should stick to it . contradictory +The public-relations masterstroke of the 1980s , a pro-life film called The Silent Scream , featured ultrasound pictures of the dismemberment of a fetus . The Silent Scream discouraged some women from having abortions . neutral +Before the expansion , only a few NLS lawyers spoke Asian languages , said attorney Rebecca Yee , who was hired by NLS in April 2002 to design and head the project . Rebecca Yee was one of seven lawyers , before the expansion , who could speak Chinese , Japanese and Korean . neutral +At the Stamboul end of the bridge is the colourful district of Eminene , a major transport hub where bus , ferry , tram , and train services interconnect . The district of Eminene is the busiest place in the world . neutral +They are descendants of outcasts employed to perform the originally taboo and still disdained trades of butchery , leatherwork , garbage collection , and the handling of corpses . They descend from outcasts and as a result are expected to handle the disdained trades . entailment +oh oh yeah and and you have to i guess you have to question too why a lot of the men especially i think middle age and older men why they feel that way and and i think it gets scary for them to see change also they 've been used to being really to be honest in in society and in a way number one and they come home and everything 's done for them and their meal is served Middle aged men seem to be apprehensive about change . entailment +is that for designs or is that for the regular seam in the fabric or It is for crying . contradictory +Well , no one exactly told me , I confessed . I know because everyone told me , I confessed . contradictory +It 's also possible that the problem is not Gore 's alone , but rather is common to front-runners . The problem could be the problem of other people too , not just Gore 's . entailment +yeah pretty much and uh there 's never really any any oh i remember in school there 's just seem like there was a fight or a party or something going on every night you don 't run into that up here i think i think because there 's so many uh professional people if you want to call them that When I was in school it seemed like every night there was something going on . entailment +" Go with m ' hat in hand an ' say , ' Well , Pa , here 's your wanderin ' boy ' ? " I will never humble myself in front of my father ! " contradictory +The nine federal agencies that responded to FFC 's questionnaire indicated that they currently measure the valueadded of design review processes primarily from a broad Their insight is both subjective ( is the user reasonably happy with the completed facility ? ) The agencies had the heads of their organization answer the questionnaire themselves . neutral +It is not in your possession ? Do you not have it ? entailment +The high-end beers cost roughly three times as much as the cheapest ones , and twice as much as the middle range . The high-end beers are the tastiest and healthiest . contradictory +A cable car takes you to Mont d 'Arbois ( 1,833 m / 6,014 ft ) for a great view of the Aravis peaks and Mont Blanc . A cable car carries you up over 6000 feet onto Mont d 'Arbois offering a magnificent view of the Aravis peaks and Mont Blanc . entailment +Thanks to David Plotz for giving me the link to the Dalai Lama 's Web site in his Assessment , The Ambassador From Shangri-La . I could have easily Googled it . neutral +i can i can see that happening That will happen eventually . neutral +He awoke on the floor . He woke up on the bare floor with a sore body . neutral +yeah yeah well to me i 'd want to quit I would want to quit if I were in that situation because it is too stressful . neutral +Flames , my notes say , about Tafero 's execution . My notes have graphic details about Tafero 's execution . neutral +Yellowstone Yellowstone is just too crowded though it 's not a lot of fun with a whole bunch of people around and these stupid bears i mean they 're almost tame they come up begging for hand outs you know course i 'm Yellowstone seems to be too crowded with people along with the bears . entailment +All three newsmagazines turned their Hurricane Floyd articles into jeremiads about worsening weather . The articles about Hurricane Floyd shifted focus to the weather getting worse . entailment +The center of the eight-day Hanukkah celebration is the nightly family gathering to light candles in a candelabra known as the menorah . Hannukuh is a 2 week long celebration . contradictory +Where am I , anyhow , Nema ? The girl dumped an armload of clothing on his bed and looked at him with controlled exasperation . " I know where I am " he said . contradictory +Although many excellent studies and books have been written on national saving and long-term economic growth , these discussions tend to be complex and technical . Many excellent studies and books have been written on national saving entailment +Certainly . Tommy 's heart beat sensibly faster as they followed the doctor upstairs . Tommy 's heart started beating faster . entailment +oh really hm i wonder why it does I already know why it does that . contradictory +48These latest actuarial projections incorporate more realistic assumptions about long-term health care spending , and as result , Medicare spending is expected to grow faster than previously estimated . This is the final point to be made on the actuarial projections . neutral +The men then try to unbalance their opponent . The men work with their opponent to walk down the line . contradictory +The process of acquiring a facility usually includes five phases that can be generalized as conceptual planning , design , procurement , construction , Practices and Industry and startup . There is a defined set of steps to acquire a factory . entailment +Who 's been blabbing ? Who has been talking too much ? entailment +As I 've discussed in my testimony , the increasing complexity of issues and the accelerating change in government-major factors in GAO 's strategic plan-helped us realize that this realignment was necessary to better position GAO for serving the future needs of the Congress . The accelerating change in government-major factors int he GAO 's strategic plan was what helped us realized that the realignment was necessary . entailment +They know you and they know this place . They 're familiar with you and this place . entailment +( A trailer is available here . ) Available here is a preview . entailment +i 'm just uh it irritates me the way people mistreat animals and and they don 't do it intentionally they just they 're just doing it they go out and they think oh wouldn 't it be cute to get a kitty People generally never abuse animals . contradictory +The scenario A reference case assumes a business-as-usual characterization of technology development and deployment . No assumptions were made for scenario A reference case . contradictory +He nodded to her . He acknowledged that she was wounded in battle . neutral +The sales may be made by a public enterprise revolving fund ( such as the Bonneville Power Administration ) , an intragovernmental revolving fund ( such as the Government Printing Office ) , or a fund that is not a revolving fund ( such as the Geological Survey ) . A public enterprise revolving fund , intragovernmental revolving fund , or a fund that is not a revolving fund are all types of funds that can make the sales . entailment +um-hum good planning Very disorganized . contradictory +I sure don 't look like no bargain . If there 's one thing I know , it 's that I 'm a bargain . contradictory +But she would also realize that she couldn 't leave him while he was in the White House , in part because her tenure is co-terminal with his . She was desperate to get away from him , but she couldn 't because he was still in the White House . neutral +As Islam prohibits the representation of human or animal figures , the work done here is the happy result of imposing much simpler patterns than the often elaborate silverware across the border in Thailand . Islam commands the representation of humans on silverware . contradictory +and and you 're never quite sure well is that a metric bolt Sometimes you 're not sure if it 's a metric bolt . neutral +Spanish restaurants generally offer a day 's special ( menu del dia ) . Spanish restaurants have day 's specials that are available once a week . neutral +The Industrialist tried . The Industrialist tried to remove the chairs . neutral +yeah and then you know it 's like i tell him you make more money than i do than i could ever really think about if i made as much money as my brother i would be just like set for life My brother has a much higher income compared to me . entailment +Not so much pay , but-- " Hanson pricked up his ears . Hanson felt everything was about getting paid . contradictory +inspect it and the kids want to swing and i push them on swing I kids hate the swing . contradictory +At the western end of the Dordogne Valley , this is undoubtedly the most attractive of the Bordeaux wine villages , not least due to the golden-tinted stone of the medieval houses around its sleepy Place du March ? ? . The Bordeaux wine village is the oldest of all the other villages in the area . neutral +During this period , foreigners were allowed to buy large parcels of land for the first time ( much of it used for the sugarcane plantations ) , and ties to America , both economic and political , were dramatically tightened , with talk of possibly annexing Hawaii reaching the White House . Foreigners were allowed to buy a lot of land as long as they farmed it . neutral +right that 's exactly right i tell you That is correct . entailment +oh that too that too yeah No , just this one . contradictory +After accepting the request , GAO will initiate a meeting with the requester 's staff within 20 business days of receiving the request to gain a better understanding of the requester 's need for information and the nature of the research questions . The requester will need to provide thorough information . neutral +um-hum um-hum get a northerner through here Northerners understand this . neutral +Madrid 's Palacio Real is still used on occasion by King Juan Carlos I for official ceremonies . Some of the official ceremonies may include weddings . neutral +To the east at 630 West 5th Street , between Grand Avenue and Flower Street , is the beautiful pyramid-topped Central Library . The library is a brick building in Jersey City . contradictory +well i never well well i kind of know how to drive standard but i 've never owned one so i hadn 't i don 't drive one a lot so i don 't feel feel comfortable in traffic with it I 've never had that kind of car . entailment +Eat out on the tree-shaded terrace in summer . There is no outdoor area . contradictory +Citing almost no cases , Tribe told the Supreme Court that the Colorado initiative violated the letter of the Equal Protection Clause because it denied gays alone the protection of the anti-discrimination laws . During the hearing , Tribe was completely unreliable because he never cited any sources . entailment +But aren 't there other things to do ? Aren 't there other fun things to do today ? neutral +The best time to see them is in the weeks following the rice harvest and during the special festivals that stage statewide contests . The weeks after the rice harvest are a better time to see them than festivals are . neutral +yeah yeah right a victim not only of indirectly of the crime but also indirectly by that indirect involvement it 's just it 's it 's ridiculous A victim from the indirect involvement . entailment +Under orders from Washington , Legal Services of New York is moving to take more control of its neighborhood law offices , but one of those offices , in the Bronx , refuses to play along and is taking its main funder to court to stop it . The Legal Services of New York is trying to have more control of the law offices in its area in order to have more order . neutral +The gallery brings together a number of excellent private collections , including works by local Scottish artist Eduardo Paolozzi . The gallery has contributions from the collections of people . entailment +Gray Cloud was the only mount that would easily make the journey . Grey Cloud wouldn 't be able to make the journey . contradictory +Nehring says it 's mainly a codification of the 1988 Supreme Court decision , and wouldn 't put much more burden on unions to prove they 've got members ' permission to spend money on political causes . The 1988 Supreme Court Decision was in relationship to unions . neutral +Hard as it is to believe , the campaign is only in its fourth year . The campaign is beyond its fourth year contradictory +Tuppence went upstairs to her room . The woman went to her room upstairs . entailment +The RPH generally believes in the flat tax , which should be set at 17 percent . The RPH generally fights against imposing a flat tax of 17 percent . contradictory +It sounds more like the pictures every minute . Tuppence smiled , gratified at the success of her efforts . Tuppence felt like she was in a movie . neutral +But these are impressive in themselves and Cluny 's excellent young guides ( English-speaking in summer ) help us conceive the rest . The young guides in Cluny are excellent . entailment +The government controls the number of allowances that are distributed and reduces them over time . The reduction of allowances will help to cur governmental costs . neutral +again a swimming pool and grounds and she has enough room she has two bedrooms and a and a separate living area She has two bedrooms that are separated by a big gate . neutral +Manley was made out to be a second Castro , foreign investment quickly dried up , many wealthy Jamaicans left the island , and the economy collapsed . Manley is generally regarded as a poor leader due to the collapse of the economy . neutral +One thing this method is not is easy . This method is the most difficult method . neutral +i can 't remember how many it didn 't take us but an hour i think or an hour and a half we were all pretty i think we had one man in there that uh wanted to find him guilty because he kept saying he did it then we kept saying he did it but the other guy you know yeah we had to convince him that um you know that yes he did it but he wasn 't guilty he didn 't need to go to jail for doing it that was you know he did it he admitted it that he bit that guys finger but he did it in self defense so you know we just didn 't feel that he needed My jury was unanimous from the start . contradictory +Where the process has gone on long enough--say , in South Korea or Taiwan--average wages start to approach what an American teen-ager can earn at McDonald 's . Average wages in Taiwan and South Korea are approaching McDonald 's levels of pay . entailment +He looked up and nodded . He nodded after looking up . entailment +The owner grows many of the vegetables and fruits on his own farm . The owner grows carrots and celer . neutral +yeah i i 'm guess our city you know in picking them up must take them somewhere else and get something for them Our city doesn 't get anything for them . contradictory +oh my gosh well there 's so many people who have never you know even gotten to do that so that 's great my sister was telling me Not many people have achieved that . entailment +Ca 'daan returned later that eve . Ca 'daan never returned . contradictory +Ride in a horse-drawn carriage along the Corniche next to the Nile at Luxor or Aswan this high vantage point gives children a great view of what 's happening . The Corniche next to the Nile at Luxor is the only place with a good view . neutral +There , by happy coincidence , the two alpha males ( Kerchak the bull ape and the evil English hunter ) are gone , clearing the way for the utopia of beta males and females . The two alpha males still rule the clan . contradictory +Get details from the city tourist office on the eight-hour trip , which goes in either direction on alternate days , optional return by bus , from March October . The city tourist office does not have any information about the trip . contradictory +but they have packages where they just offer the exercise program is that what you 're saying They don 't offer any exercise programs . contradictory +right i thought that was really interesting in the war i figure I might be wrong but I thought it was interesting . neutral +Commercial companies demand knowledge from virtual or engineering prototypes , 90 percent of required engineering drawings for the product supported by test results , demonstration that the product meets customer requirements , a series of disciplined design reviews , and stakeholder agreement that the design is stable and ready for product demonstration before a commitment is made to move forward and invest in product demonstration . The knowledge provided by engineering prototypes is simply not demanded by commercial companies . contradictory +The famed marketplace of Cairo Khan El-Khalili still buzzes with the atmosphere of a medieval souk and it makes a good place to start your tour , though do return as the sun drops and the lights come on because the atmosphere is palpable . After sunset the marketplace is dark and has no noticeable presence . contradictory +Clinton has said that it is his goal to degrade the ability of Saddam Hussein to threaten Iraq 's neighbors . Clinton said something about his goal to degrade the ability of Hussein . entailment +Cold Mountain is advanced humbug . Advanced humbug is Missipippi . contradictory +It is no place for a young and inexperienced girl . This is not the place for a young girl with no experience . entailment +Simple majority voting , for example , notoriously violates the no-flip-flop criterion . The no-flip-flop criterion is violated . entailment +and they put the baby on a heart lung monitor when i took her home and the insurance carrier was not going to cover this because it was considered preventative treatment sure The insurance was not going to cover the cost of the monitor for the baby . entailment +It is more likely that some kind of double-think , some convenient ability to stop thinking clearly when the situation demands it , is at work . It 's a convenient ability to stop thinking clearly when the situation demands . entailment +The Codification includes only those principles and standards agreed to by the principals . Other standards can be added to the codification by one party . contradictory +yeah yeah i think so too but you know it 's one of those things I am having trouble follow what you are saying . contradictory +I know a man , but he is not cheap . I know a man that costs $ 10,000 . neutral +yeah pardon me I mean exactly what I say . contradictory +Author J. Randy Taraborrelli has been somewhat cagey , but early reports suggest that the book will be full of salacious details about Frank 's seven-year affair with Monroe , other extracurricular activities , and an aborted Mob hit on him . J. Randy Taraborrelli has openly shared spoilers for his new book . contradictory +okay well our involvement in our involvement in the Middle East well i don 't know how you feel about uh Iraq but i think but i think we did the right thing there i think they stopped too soon though We didn 't do enough for those in Iraq and the middle east . entailment +Witness the crowd 's unashamedly chauvinistic partisanship at Rome 's international open tennis championships or the Davis Cup . There is widespread love for tennis all throughout Italy . neutral +According to the attorneys who appear before her , Zelon succeeds in making everyone in her courtroom at ease . Zelon makes everyone feel comfortable in court , according to the attorneys she hears . entailment +Amazingly , from elephant-back at the jungle 's edge you can see the snowcapped Himalayas , less than 160 km ( 100 miles ) away and looming like a foam-crested wave . The Himalayas are less than 100 miles away from the jungle 's edge . entailment +Oh , of course , I 've got it myself . " She put it in the lock , and turned it , then paused . She didn 't have what she needed for the lock . contradictory +However , unlike the DOT system that is applicable to all of the Department 's rules , the other agencies ' multidimensional systems focused on just a few rules , or even a single rule . The DOT system is applied to all Department rules regarding interstates . neutral +That was only natural . " It was natural . entailment +Their confederation of States became today 's Negeri Sembilan ( Nine States ) , with Seremban as its capital . Their loose confederation was united with the constitution and became the Negeri Sembilan . neutral +If we don 't complain about a change in lunch menu , why should she ? " We have lunch here daily and we have no issues with the change , yet she who dines here once a month dares to kick up a fuss over some minor menu differences . neutral +Theologos was the Ottoman capital of Thasos , and has many preserved mansions . The capital of Thasos was Theologos and has many preserved mansions there . entailment +um it 's it was an interesting in that i think that he gave the American people some uh uh a sense of the fact that that uh wars are really run by politicians He gave the American people the impression that wars are not run by the politicians . contradictory +demand is due to there is no demand contradictory +TRANSACTIONS WITH THE PUBLIC public transactions entailment +uh quite honestly i i have some little children and i 've unfortunately found myself listening to a lot of uh nursery rhyme music here lately but that 's not by my choice how about you I have been listening to a lot of nursery rhyme music . entailment +Most emergency department physicians do not believe that physicians or nurses would be the best persons to provide effective treatment . All emergency department physicians believe nurses are the best people to provide effective treatment . contradictory +How many did it take to carve a mountain into a god ? It too two hundred people to carve the mountain . neutral +and killed himself forty one years old He died too young . neutral +Have another cup of coffee , mademoiselle ? said Poirot solicitously . Have another cup of coffee with milk , asked Poirot . neutral +where i don 't think you should should necessarily ban guns any by any means but you should definitely have the character search and the seven day holding period and things along that nature uh you know you shouldn 't be able to go out there and just buy one and you know right off the shelf We should not allow guns in our country . contradictory +Better add two cc. of cortisone to the transfusion . " Hanson tried to sit up , but his arms refused to bear his weight . Hanson 's arms were unable to hold him up . entailment +There are spies all round us . All around us , there are spies . entailment +Bradley , he is , you know , the type of individual who has always been fair . All this while , Bradley has been objective and discerning , but what happened to him now ? neutral +so what i 've tried to do uh now that i 've uh finally went back to school and got my degree when i was thirty years old and uh so I waited to long to get it . neutral +Horse-racing is popular , with races such as the Calcutta Derby , St. Leger , and the Oaks in Mumbai . Calcutta Derby is the biggest race of the year with your reputation on the line . neutral +Be sure to see the masterpiece of Flemish art commissioned for the hospital chapel , Rogier van der Weyden 's altarpiece of the Last Judg ? ­ ment . Several dozen patients visit the hospital chapel each day . neutral +Julius 's glance went to the window . Julius looked at the door . contradictory +There is , he says , no straight line from these propositions to the solution of any real-life problem ; they are of no help and do no work except the non-directing work of telling you that you are on your own . These propositions are incredible solution to many real-life problems , according to him . contradictory +I could feel the thumping of the tracks . The tracks were very smooth . contradictory +Returning to the river , you will pass the 16th-century Ceteau de Losse ( where visitors can admire Renaissance furniture and tapestries ) on the way to Saint-L ? ? on-sur-V ? ? zyre . The furniture and tapestries have tragically been destroyed by the river . contradictory +Senate race in New York , but not before he had had a conversation with Johnson in which he admitted his own insecurities about making the race . Johnson had insucurities about the Ney York Senate race . entailment +If you walk in summer , early morning or late afternoon is best . You should walk in mid afternoon and evening during the summer . contradictory +This strong sense of transience and impermanence has doubtless arisen as a natural response to Japan 's devastating geography and seismology . There have never been any earthquakes in Japan . contradictory +cGross national saving reached a low of 5.3 percent of GDP in 1932 . Gross national saving reached a low of 5.3 percent of GDP in 1932 . entailment +right uh-huh that 's true yeah that 's true they did didn 't they i know it 's it 's interesting i still wouldn 't want to take them on though i still wouldn 't want to take them i still think we need to be very careful but i believe that their economic or an economic threat more than anything at this point because they want control over the i know they want control over the European economic community and that you know that 's why i see them diversifying their their power and their control that they have I am opposed to their expanded control over the European economy . entailment +A few of the bodies are on display . On display , there are a few bodies . entailment +Well , we might just see . He ran rapidly down the corridor to Cynthia 's room . He ran quickly to Cynthia 's room , which was down the corridor . entailment +Happiness Happi appeared on store shelves accompanied by the largest in history advertising campaign starring numerous Polish and foreign celebrities . Happiness Happi is some stores best seller . neutral +It is seen as a rebuke to Senate Majority Leader Trent Lott and a victory for Democrats , Sen. It was a victory for the liberals . entailment +uh-huh what kind of things have you read What books have you read already ? neutral +He caught sight of the Old One shortly before seeing the smoke of the village chimneys . He saw smoke coming from the village . entailment +I saw a path at the side of the road . I noticed there was a path by the road . entailment +yeah it 's nice nice area It has a lot of beautiful trees and green grass . neutral +Sometimes the desire to work out an idea--as in the large-scale panel picture According to What ( 1964 ) , which presents a series of Johns ' customary images in a deliberately decentered composition--produces a flaccid surface . Sometimes the desire to work out an idea not like large-scale panel picture According to What ( 1964 ) , which presents John 's customary images in a decentered composition . contradictory +In my life , Raptors are big . Raptors are a large part of my life . entailment +Sir James to-day hadn 't got any hope at all , I could see that . Sir James was bounding with confidence and an optimistic outlook . contradictory +He wasn 't that bad after all . He wasn 't great , but he wasn 't terrible . neutral +i took a couple of semesters of graduate school there myself I went there as well for some graduate courses . entailment +routes would impose large transaction costs on its customers to separate mail and to secure suppliers to deliver its remaining mail . The routes in question would end up in increased costs for the consumers . entailment +Tony Blair eats Comice pears with aged Gruyare-- c 'est savoir faire . Tony Blair 's favorite food is the pear . entailment +that 's that 's uh that 's going to be good and interesting for the kids even even cartoons um you you know you you watch uh you watch some of the cartoons and Sorry , my kids are not allowed to watch cartoons . contradictory +Stark sat on a brown stallion painted in stripes of red blood . Stark sat on a white horse . contradictory +I still think you might have given me a hint . I think your intention was to have given me a hint . neutral +Paula Jones attended the White House Correspondents Association Dinner , as did President Clinton . Paula Jones and bill Clinton attended the Whitehouse correspondents dinner entailment +My father had me instructed by Del 'Rosa . My father didn 't care what I did . contradictory +who 's our biggest threat but um i wonder if they 're i wonder how much of a threat they are i agree with you that that they 'll always be somewhat of a threat given that they have that there 's just it 's just so big and there 's just so much military machine there I know that they are definitely not a threat to us . contradictory +In addition , starting in the early ' 80s federal prosecutors have used the Racketeer Influenced and Corrupt Organizations Act ( RICO ) , passed in 1970 , to charge top mob bosses with extortion . When top mob bosses began to be charged with extortion , the murder rate of federal prosecutors went up significantly . neutral +Warriors come to make money here , not protect villages with the goodness of their heart . Warriors are here to protect villages regardless of money . contradictory +It is only in old age that change is unwelcome , said the Astronomer , " and races can be old as well as individuals . " Change is only unwelcome in old age . entailment +These improvements have not taken place because well-meaning people in the West have done anything to help--foreign aid , never large , has lately shrunk to virtually nothing . The West could do a lot more to bring about improvements . entailment +right but i wonder how much longer they 're going to be a them I wonder how much longer they 're going to be swimming in the pool . neutral +Thorn felt his skin grow cold . Thorn 's skin was cooled with the cold wind . neutral +Here , if in any one place , modern art was Picasso , Braque , and Juan Gris developed Cubism ; Modigliani painted in a style all his own ; and Apollinaire wrote his first surrealistic verses . Picasso 's art is classified as Cubism . contradictory +A few have been domesticated for plantation work . Domesticated ones are used for plantation work . entailment +The Tomb of Tutankhamun ( number 62 ) is without a doubt the most famous , but the interior is disappointing . The interior of the tomb could be more noteworthy . neutral +The military is ( theoretically ) a nonpolitical institution , but as soon as the operation went south , the military abandoned its nonpolitical faaade to protect itself . The military is supposed to be a political institution closely tied to one party . contradictory +The interim rules were found to be economically significant regulatory actions by OMB under Executive Order No . Interim rules have no economic significance . contradictory +the no right yeah and if you happen to go into one of areas that is a smoke smoke area and you don 't smoke you almost strangle Entering one of the smoking areas if you don 't smoke may irritate you . entailment +but uh you know it 's uh they 're they 're really great uh it 's almost like we could we could become too dependent on them They are very reliable , but we shouldn 't become addicted . neutral +We analyzed the economic value associated with varying levels of yield loss for ozonesensitive commodity crops using the AGSIMe agricultural benefits model ( Taylor , et al . We used the agricultural benefits model for analysis . entailment +Be careful on the steep climb to the top , but you 'll find it is well worth it for the wonderful view across the citadel , particularly the palaces of the imperial harem to the southwest . You can see a good view at the top of the citadel . entailment +yes that 's i agree with that completely i know we don 't have enough prisons but there has got to be some kind of punishment for these people There aren 't enough jails but these kinds of people need to be punished . entailment +We believe that insights into the burden of the USO can be gained by comparing postal systems . Insights into the burden couldn 't be gained by comparing postal system.s contradictory +i do want to go again we just moved to a new house into a house so i don 't see camping maybe in the backyard but i don 't see going on a camping trip probably till next summer We have plenty of time to go camping now . contradictory +The Administrator of the Environmental Protection Agency shall promulgate regulations within 18 months after November 15 , 1990 to require that all affected sources subject to subpart 1 of part B of title IV of the Clean Air Act shall also monitor carbon The Clean Air Act addresses agricultural and natural sources of carbon . neutral +This is said to give the doctor-investors an incentive not only to cut corners ( the traditional HMO complaint ) but also to send poor patients to doctors outside the company while referring rich patients to doctors affiliated with the company . They are sending the poor patients to the expensive doctors in the company . contradictory +By the end of that one-hour lunch , he had listed off at least 20 projects - not the least of which was a new shelter -- and was sitting there waiting for me to respond . Towards the finale of an hour long lunch , he had presented at least 20 projects , including a new shelter and his personal vision for the park , and intended for me to chime in . neutral +) . This sudden change brought chaos to Egypt and she lost international influence , but Akhenaten 's successor his son , the young Tutankhamun brought power back to Thebes and reinvested the priests of Amon Ra and his fellow gods with religious supremacy . The religious supremacy granted to priests of Ra and his fellow gods was revoked within 200 years , however . neutral +Following the approach of the Section 812 Prospective Report , we estimated the percentage change in the prevalence rate for chronic bronchitis using the estimated coefficient from Schwartz 's study in a C-R function , and then applied this percentage change to a baseline incidence rate obtained from another source . Following the approach of the report , we guessed that the percentage change in the prevalence rate for chronic bronchitis using the coefficient from the study , but found that the result was about 40 % too low . neutral +features , two have concluded their runs . The two presidential candidates concluded their runs . neutral +The main body of the chateau houses the Musee Cond ? ? , a superb collection of Italian , French , and Dutch masters , including works by Raphael , Fra Angelico , Poussin , and Watteau , and portraits by Clouet , Van Dyck , and Teniers . There aren 't any works by French masters in the chateau . contradictory +uh-huh my husband did one last night and he just loved it he 's been getting he got a real good topic My husband does not like the topic . contradictory +See OMB 's ImplementationoftheGovernmentPaperworkEliminationAct , May 2 , 2000 , at its internet address / / www.whitehouse.gov / OMB / , under Information and Regulatory Policy . OMB 's ImplementationoftheGovernmentPaperworkEliminationAct , May 2 , 2000 can be found under Information and Regulatory Policy . entailment +Also on the grounds is the Matsugaoka Bunko , a research library established in memory of D.T. The research library is filled with resources for those interested in studying history . neutral +certainly a a supplemental way uh and i suppose if but maybe in in your instance if if you 're started with TI in your early to mid twenties and happen to stay with them until you 're sixty five then you 'll have a very good retirement plan You won 't have a good retirement plan regardless of how long you work for TI . contradictory +Afterwards you shall question as much as you please . " Let him finish talking first , then you can ask as many questions as you want after . neutral +Then you must know where you found it ? You 're the one who found it . Where was it ? entailment +As noted , it is within this critical success factor that the CIO is able to operate with the greatest individual flexibility . Individual flexibility is the most important thing for a CIO 's success . neutral +In fact , the Christian right is politically naive , and its intractability dooms its own goals . The Christian right things politics is fair . neutral +is almost always wrong--but it 's not far off . It 's usually correct , but when it 's wrong , it 's way off . contradictory +The way Nye and Topham had hustled Anse and him out with the wagon train had made it seem as if they were in disgrace , and that rankled a lot . Anse and he felt like kings , given the way Nye and Topham had treated them . contradictory +and i haven 't used it since It was a terrible dog groomer brush . neutral +Indeed , democracies that take too many risks for peace may not win popular support , as the Israeli elections show . Studies show that people do not vote for peace more often than not . neutral +Reaganism is reprised , with a reference to a $ 100 billion tax cut--but the tax cut is Clinton 's . With a reference to a $ 100,000,000,000 tax cut , Reaganism was brought up once more -- but the tax cut was the act of Clinton . entailment +In October of 1907 , as the stock market was melting down , J.P. The stock market began to crash around October 1907 . entailment +Thoroughly destroyed by war , it is economically devastated and ethnically divided . The war has left it destroyed economically , and divided ethnically . entailment +As he gathered the warriors , Ca 'daan felt like he had some measure of control over them . Ca 'daan was preparing for a battle . neutral +The CSA focuses on the totality of government operations rather than on individual programs . The CSA looks at the big picture neutral +… " … The 29th … . The 15th . contradictory +A crook ? he queried eagerly . " A crook ? " He asked eagerly . entailment +they they gave me this cock and bull story that because there was a turbo charger on the car they had to prime the turbine with the oil There was never a turbo charger in their car . neutral +He was free to go . He was not a free man . contradictory +and uh and now they know that the number or percentage of smokers is is less than the the uh the people who do not smoke then they can go ahead and do that um No one smokes at all so the percentage or quantity of smokers is irrelevant . contradictory +He indicated the place he had been occupying at the head of the table . He pointed to his position at the head of the table . entailment +Ever since the 18th century , revolving stages and trapdoors have been employed for supernatural characters to rise to the stage . The actors playing the supernatural characters love to use the trapdoors . neutral +When she glances down at the tattoo on her right forearm , staff attorney Anita Le 's forehead furrows in pain at the bold black letters that spell out Le Quang Thai Ha . Anita is filled with anger once she sees the striking tattoo spelling out Le Quang Thai Ha . entailment +now the part about sewing that i never liked was laying out the material and the pattern and cutting it out if if somebody would lay it out for me I never really enjoyed having to cut the pattern out of the material . entailment +Tommy might have wired , or something . There is a change that Tommy may have wired . entailment +Share the dining table in a simple shack with a few local families and you 'll have one of those real Jamaican experiences . A communal dinner with local families is a genuine Jamaican experience . entailment +it worked except the fish could swim it wasn 't tall enough i kept the if i didn 't keep the lid on it the fish would uh swim out and flop on the floor sometimes If the lid was not on , the fish could swim out and jump onto the floor occasionally . entailment +And then he published a triumphal scoop . He published a story . entailment +Influenced by the psychoanalyst Bruno Bettelheim 's research showing that the Nazi concentration camps infantilized their inmates , Elkins argued that the closed system of slavery was so cruel and all-encompassing that none but the most stouthearted could survive without their wills being broken or their psyches damaged . Bettelheim researched Nazi concentration camps for thirty years . neutral +At the water 's edge , you can rent a boat and go into midstream for a view of the impressive skyline , which features many Hindu temples , gopuram towers , Muslim minarets , and Mughal domes . At the waters edge , you 'll wish there was a boat rental since there 's no viewing the impressive skyline without one . contradictory +Bruce Zucker chooses to provide pro bono legal aid to poor tenants over more prestigious work , and it has become his life 's passion . Bruce Zucker provides free legal aid to the poor in Detroit . neutral +Despite achieving their primary goals , Mexican students are still on strike . Despite failing to achieve their primary goals , Mexican students don 't care anymore . contradictory +yeah they 're going to get better i mean you know They will be the best . neutral +you do you have a basement The basement is hidden . neutral +You don 't realize you want to do this until he talks to you . You know how much you want to do it after he sings to you . contradictory +" Faces ! " It fell onto the grass , distorted in death again . It was as lively as ever , jumping around on the grass . contradictory +This immense hoard of art works , ranging from the 12th to the 19th century , was collected and donated by Spain 's Hapsburg and Bourbon kings , private patrons of the arts , and convents and monasteries around the country . This immense hoard of art works was collected by force by one tyrant in the 7th century . contradictory +Haggling is now a thing of the past and unacceptable . Haggling is seen as a way of ripping someone off . neutral +right more peaceful my uh one set of friends have four cats and let 's see these four cats two of them are sort of strays i guess None of my friends have cats . contradictory +Saving some portion of the projected budget surpluses would allow the federal government to reduce the overhang of federal debt built over decades of deficit spending . The entire federal debt was built in just a few days . contradictory +The bare interior is bleak , its windows covered up by the monumental 19th-century murals painted by Puvis de Chavannes . The interior is very intricate and covered in fine detail . contradictory +But the key figure in the sultanate was Tun Perak , bendahara ( prime minister ) and military commander . Though Tun Perak had command of the military , but no political power . contradictory +Behind the chapel is the 11th-century refectory where it is possible to gain an insight into the daily lives of the generations of monks who made this monastery their home . There is nothing behind the chapel to be seen . contradictory +U.S. producers knew China would bring on the new , more-efficient plants , but they did not expect that country to continue running its smaller , less-efficient ones . The United States did not expect China to keep running it 's small inefficient factories . entailment +The PKK has also bombed Turkish targets in Germany . The PKK were held accountable for their bombings . neutral +Time spent on the issues voters in my district care about : 4 minutes . Four minutes was spent on issues voters in my district care for . entailment +Drudge ( Fox News Channel ; Saturdays , 9 p.m. Drudge ( Fox News Channel ; Saturdays and Sundays , 9 p.m. neutral +Revenue is recognized as nonexchange revenue by the entity that is legally entitled to use the revenue or to use the property itself . Nonexchange revenue is often collected from subsidiary organization . neutral +An example of a standard at the same institution was a prescribed minimum password length . The same institution has a minimum password length which students need to abide by in order to create an account . neutral +Tables 4 , 5 and 6 display First-Class per-household annual volumes . The tables show a diagram neutral +Over 200 GWe of capacity has been built worldwide . 200 GWe is a lot of capacity . neutral +downtown New Braunfels New Braunfels has an awesome downtown . neutral +To hold its senior executives accountable for improved products and services , VBA set targets for executives to achieve , such as the abandoned telephone call rate-the percentage of callers who get through to VBA , but are put on hold and hang up before being connected to an employee . Senior executives are helpful in improving what the agency does . entailment +And , true to my old profession , as I write this I 'm crashing to meet the deadline I was assigned by editor Michael Kinsley . I can submit this writing any day I want . contradictory +What kind of a row ? What kind of column ? contradictory +I sure don 't look like no bargain . My beard needs a trimming and my hair needs to be sheared . neutral +most of the folk i 've talked to are are industrial people that like my self that have been in the work work force for a number of years and and it 's ah it 's refreshing to talk to ah to some of you younger folks and get your ideas and thing you know and see how you feel about things There are people who work in industries other than the industrial kind . neutral +The carpenters reacted much the same way but the job was easier . The carpenters reacted to the task of building a small bridge . neutral +He also noted that any such upgrade would be a large and expensive effort , and that it was unclear when , if ever , hypertext links could be added to the Federal Register . He noted that it would be understood how to add hypertext to the federal register . contradictory +But Trent Lott knows that there are many , many ways for it to die . Trent did not know any ways it could die . contradictory +yeah i think uh President Bush covered that in his uh State of the Union address this year when he said that you know it 's time for you know the individuals to start thinking about what they can do to help each other out instead of counting on government to do everything I think Bush talked about it in his speech , but I didn 't watch , just read about it the next day . neutral +Such work is generally performed under the AICPA 's Statements on Standards for Attestation Engagements . The work is done under the statements from AICPA . entailment +Although Davis has officially retired from the game , he 's still mixing sense and nonsense for public consumption . Davis is not retired . contradictory +have you ever camped out of state Have you ever skydived out of state ? contradictory +It 's a fortune down there . Everything up there is worthless . contradictory +Among other beach possibilities is Anse Crawen , which is a naturisme haunt and said to offer the best off-the-beach snorkeling and skin diving . Anse Crawen is just west of the capital of Sierra Leone . neutral +Ripley 's Believe It or Not ! offers lightweight entertainment , starting with the Tyrannosaurus rex towering above the entrance ( 6780 Hollywood Boulevard at Highland Avenue ) . You can identify the Ripley 's Believe It or Not ! location by looking for the giant T-rex outside it . entailment +He looked towards the window and asked something I guess it was whether it was raining . He asked about the weather , looking towards the window entailment +Reports that demonstrate that there are many people both within LSC and our grantee programs and outside of our federally-funded structure who care deeply about issues related to equal justice and who have refused to take our many crises lying down . There are reports that people in the LSC will just sit by while disaster strikes . contradictory +Permit me . " With a deft gesture , he rearranged it . He rearranged it . entailment +We are inundated with prison pop culture--with directors , documentarians , TV producers , and writers who have gone up the river and returned with tales of rapes and cavity searches and shanks and pigs . Prison pop culture is not popular . contradictory +Ellen ' s coming out is hailed as the year 's highlight , a seminal moment in television history ( Howard Rosenberg , the Los Angeles Times ) . Critics say the sitcom was witless and pointless until it focused on its main character 's sexuality ; [ e ] ver since ... Ellen 's coming out was important to the history of television . entailment +With 191 Mr. Brown unmasked and captured he believed , rightly or wrongly , that the whole organization would crumble ignominiously and instantaneously . He thought revealing 191 Mr. Brown 's identity and capturing him would end the organization 's existence . entailment +'Well , you can tell him so yourself . ' The individual was asked to relay the information on their own . entailment +But the feminist 's , too . It 's also the feminists . entailment +In fact , the peace treaty signed in January 1973 differed little from one on the table the previous October . The previous version of the peace treaty was rejected . neutral +Compliance with the requirement to hold allowances covering sulfur dioxide emissions will thus be determined on a facility-wide basis . Sulfur dioxide emissions have been reduced . neutral +uh to do that i don 't know i 'd have to be i don 't know In order for that to happen I 'd have to be entailment +John ) is celebrated as the oldest building in Florence , and for the magnificent bas-reliefs of its three sets of bronze doors . John 's old bas-reliefs and bronze doors are magnificent . entailment +And he had had months on the trail from San Antonio to Santa Fe , then on to Tucson , to study up on any small invented details . He got lost on the trail , so he just continued along . neutral +Dead , buried , and scattered by time and chance until even the place where you lay was forgotten . Many people end up unburied and unmourned in this world . neutral +Shoppers will want to visit the lively Rue de la R ? ? publique and the streets around the Place des Jacobins . Shoppers and day trippers should stay clear of the Rue de la Republique which house the city 's punk district . contradictory +We subsequently interviewed 50 percent of the Federal CIO Council members as a means of comparing federal CIO practices with our case study results and ensuring that practices used in the industry and state organizations also addressed the challenges found in the federal government . We interviewed every single CIO council member . contradictory +Now tourists descend on the town 's three main streets , and a growing number of souvenir shops proclaims the new order of things . There are no tourists . contradictory +CAMx is an Eulerian photochemical dispersion model designed to assess both gaseous and particulate air pollution over many scales , from urban to super-regional . CAMx is a nickname given by Barrack Obama neutral +Objectivity and Subjectivity in Educational Research . Remain objective in educational research contradictory +Since the 16th century , the town has had the exclusive privilege of providing Rome with its palm fronds for the Sunday before Easter . The Sunday before Easter is a large religious ceremony . neutral +Rumpelstilsken , repair yourself ! There was a whirring and scraping inside the mechanism , and Hanson let out a yell . The mechanism was about to do nothing . contradictory +oh no no uh i think it was something i started in nineteen fifty nine we 're talking about at the most eight to nine thousand people world wide and at that time the whole world was right here in Dallas as far as TI was concerned We have been doing it for over fifty years . neutral +Home to the Sultans of Perakiaor the past 500 years , Kuala Kangsar is built on a sweep of the Perakiaiver ( Sungei Perakia50 km ( 32 miles ) from Ipoh on a newer highway . Kuala Kangsar , a home to the Sultans of Perakiaor the past 500 years , is built on a sweep of the Perakiaiver . entailment +Brown and Newhouse 's New Yorker is squeezed between newsweeklies and glossy monthlies . Brown and Newhouse 's New Yorker has had difficulty competing against other magazines . neutral +yeah these were uh trees that that wintered These trees were wintered . entailment +you know uh basically the more intelligent people do not want to fight one uh because they 've already been there all you have to do is go fight one and find out it 's not much fun i 've spent uh over twenty eight months in Vietnam so and i mean it 's not it 's not a lot of fun I have spent over two years in Vietnam . entailment +Each stop lasts for a total of three minutes . The bus stops for three minutes , then continues . neutral +It 's worth carefully mapping out your visit to the Campo Santi Giovanni e Paolo . There is no need to map out a visit to the Campo Santi Giovanni e Paolo . contradictory +The present in the United States requirement applies to both the unrestricted categories and to H-2A workers . There are no requirements of the present in the United States what so ever . contradictory +The Israeli press , which historically has respected the agency 's request not to probe its workings , splashed these stories across the front pages . The Israeli press closed ranks in order to defend the agency . contradictory +oh yeah case in point Toronto You 're right , unlike Toronto . contradictory +They knew that they could never show their new pets to their parents . They knew that their parents would not accept their newly gained pets . neutral +I perceive your thoughts , mon ami , said Poirot , smiling at me . Poirot and I had been friends for nearly a decade . neutral +Where is Stark , thought Jon . Stark is no where to be found , thought Jon . neutral +talk to you later Janet bye-bye Goodbye , Janet , I will speak with you later on . entailment +The few attractions here are natural , very beautiful , and unspoiled , but the difficult and long journey from the major resorts means that few visitors venture this far . The few attractions here are far superior to those near the major resorts . neutral +yes uh-huh that 's that 's fairly recent i don 't know how recent but fairly recent in the state of Texas before that it was uh death by electrocution Death by electrocution is quite recent in the state of Texas . contradictory +Suddenly , the entire train jerked . The quick motion was accompanied by a loud sound . neutral +They were beautiful . They were of great beauty . entailment +There are many variations offered , from the standard 7-card stud to Texas Hold Em . There are a dozen different variations of poker available . neutral +You know , Fairbanks is such a small town , he probably wouldn 't have to do much besides hit the bars talking about Christ dying for your sins and shooting a good game of nine-ball , and folks would just follow him . The young missionary arrived in Fairbanks with little to look forward to except talking about Christ in the bars and pool halls . neutral +We hope , the creatures thought , " it will not be too difficult to make repairs . " The creatures thought about making repairs and how difficult it might be . entailment +So , credit given . Credit is to be given then . entailment +It 's even mildly rich and becoming richer in mineral salts . Mineral salts are one of the only reasons this modestly rich area is gaining wealth . neutral +really and to think about how it just changed the whole landscape you know you could follow this this beaten down path There are no changes in this landscape , that 's how it ' been for ages . contradictory +One statistic floating around is that workers spend about 90 minutes a day on nonwork-related computer games and Web surfing , with an estimated productivity cost of $ 50 billion . $ 50 billion is lost from workers spending 90 minutes a day playing games . entailment +Staffers at the redundant former headquarters of BofA are believed to be the most vulnerable . There are no workers left at the former BofA headquarters . contradictory +I 'll get one . " " I 'll find one . " entailment +The friendly staff usually speak reasonable English and will happily ply you with maps and brochures , help you get oriented , and provide advice and information on festivals and special events . The staff also offers tour guides to help you find your way around . neutral +For that , they 'll need to sign certain contracts . ' Certain contracts are going to need to be signed to proceed . entailment +However , since 1991 , BEA has featured GDP as the primary measure of economic activity because GDP is consistent in coverage with indicators such as domestic investment and productivity . If there had been another indicator with the same consistency , BEA would 've used that . neutral +LSC is given explicit authority to prescribe the keeping of records with respect to funds provided by grant or contract and shall have access to such records at all reasonable times for the purpose of insuring compliance with the grant or contract or the terms and conditions upon which financial assistance was provided . They did not have to keep any of the records . contradictory +He demonstrated to the electorate that real change is not cheap and easy . It was not demonstrated that real change is easy . contradictory +Bright and enticing , these colorfully patterned fabrics are today both hand- and factory-made in Kelantan and Terengganu , but had their origins in the Malay kingdoms of Java over 1,000 years ago . Most of the colorful fabrics are factory-made . neutral +But it is not a command , and we should not let it become one . Something is not a command and should be left that way . entailment +Do you still believe that Mrs. Inglethorp was poisoned by her husband ? " Your theory is , her husband poisoned her ? entailment +Victor Hugo used to live at num ? ­ ber 6 , which is now a museum of his manuscripts , artifacts , and drawings . The artifacts of Hugo 's life were collected and donated to the museum . neutral +You will also find the grave of Greyfriars Bobby , just beside the main entrance . There is the grave of Greyfriars Bobby who died in battle in 1749 . neutral +We make a decent living . Christmas is always filled with presents . neutral +The two terms stand for similar concepts and for purposes of this paper are used interchangeably . There is only one way to describe the term . contradictory +Photographs of Dublin past and present are displayed , and changing exhibitions are held of Irish and international photography . Historical and modern photos of Dublin are on display , as well as other photography exhibitions . entailment +Puerta del Sol ( Gateway to the Sun ) is Madrid 's busiest plaza and for centuries has been the commercial hub of the city . Puerta del Sol is Madrid 's busiest plaza because it is located next to major roads . neutral +If you want to buy pottery or alabaster , compare prices and quality with goods on sale at the artisan villages on the west bank ( see page tk ) before making a final decision . You can find the best deals and quality goods in the big city . contradictory +he 's good it 's just he 's not he 's not Riley and i think that 's the biggest problem is eventually they 're going to have to figure out what they need to do and catch on to each other He 's good he 's just not Riley , which is a problem because Riley was a very hard worker . neutral +The big cupboard , that 's right . " We had a very cheery tea , and assisted Cynthia to wash up afterwards . We had tea and washed up after . entailment +Patients with alcohol problems in the emergency department , part 1 : improving detection . Most of the patients found in the emergency department have problems with alcohol . neutral +Most visitors begin their climb at Kawaguchi Lake , in the resort area north of the mountain , getting that far by train from Tokyo in about two hours . Trains in Tokyo are some of the fastest in the world . neutral +She dared not absent herself longer from the back premises , but she cleared away and washed up with a breathless speed acquired in hospital . She took her sweet time clearing away and washing up . contradictory +In fact , the sole purpose of his piece was to continue the media assault on Tripp as some kind of back-stabbing dragon lady whom we should all view with disgust and loathing . Tripp actually rode a dragon but the media ignored that and focused on her testimony in court instead . contradictory +you 've never seen the great American desert You are planning to visit the great American desert for the first time . neutral +These firms , however , may not use the mail boxes . These firms must purchase the right to use the boxes . neutral +well now the thing is yeah they 're cutting defense which is you know there are people out there working for defense contractors who are losing money but i don 't i don 't mind because i think you know government is not there to give me a job Government the defense is there to defend our country and they do it for whatever you know they spend whatever money they need to to do that but i don 't want them to to break the budget just so that i can have a job i would rather have the the government stable so that i can go get a good job with someone who 's not working you know not making defense stuff I don 't care what the government does . contradictory +Sales of government other than property , plant , and equipment ( 585 ) Only government property sales and nothing else . contradictory +They can 't begin to save up enough money for a divorce , so they 're stuck , says Sonyia Hartwell , the Women 's Haven 's associate director . The Women 's Haven helps women who do not have the money they need to file . neutral +Or mutual loathing of the Martin Short Show brought about a reformed TV season . The tv season was never reformed . contradictory +As a result of these activities , the Medicare The activities produced better results than expected . neutral +um-hum i mostly do uh back packing uh as opposed to any of the other sorts For the most part I backpack . entailment +He or she may be called cheap , but they will not be called on again . Either of them is likely to be called cheap . entailment +He spoke of the rising rate for honest mercenaries and the falling prices of salted meat . He wanted to buy meat but couldn 't afford it . neutral +Fetuses are particularly vulnerable to methylmercury because of their rapidly developing nervous systems . The methylmercury is quite dangerous for pregnant woman . neutral +The term donations includes wills disposing of property and judicial proceedings other than forfeitures . Wills disposing of property are a common type of donation . neutral +Winnie found himself in England when the regiment was transferred to England in the Great War ( or World War I ) . Winnie was in London when the regiment went there . neutral +In that Notice , the Commission prepared and published an Initial Regulatory Flexibility Analysis and invited written public comments on the proposed rulemaking , including comments on the Initial Regulatory Flexibility Analysis . The commission published a report that they sent to the IRS . neutral +Has she been wearing any of the emeralds , by the way ? " " Was she wearing emeralds ? " entailment +Gross The Three Trials of Oscar Wilde ( Minetta Lane Theatre , New York City ) . A play about Oscar Wilde at a theatre in NYC . entailment +Eh bien ! No bien at all . contradictory +While these towns have been influenced by various cultures , the Moorish legacy is predominant in each . Many of the towns have Moorish influence . You can see this in the architecture . neutral +Although these supplementary measures may explain why individual households may choose to save less , the NIPA personal saving rate shows that people are consuming virtually all of their current income and saving little for the future . It is a good idea for people to save for the future . neutral +McCain sat ringside at a boxing match where a fighter was killed . McCain was ringside when a boxer was killed during a match . entailment +And it 's not easy to be a First Amendment person , because then you have to allow into this marketplace that which you believe to be soiling and meretricious and tawdry and unwholesome and sometimes vile . it 's not easy to be a First Amendment person . entailment +uh yes my wife did some last year She did 't do any of it . contradictory +These cranes are necessary to lift heavy pieces ( sometimes over 100 tons ) several hundred feet and are not needed for all projects . All projects use cranes at some point during construction . contradictory +She would never forgive me if I let Alfred Inglethorp , her husband , be arrested now , when a word from me could save him ! " 72 Chapter 6 THE INQUEST In the interval before the inquest , Poirot was unfailing in his activity . She wouldn 't forgive me if her husband got arrested , no thanks to me , since I had a lot of power . neutral +On February 27 , 1997 , the FDA published a Notice of Proposed Rulemaking in the Federal Register . The FDA proposed nothing in February 1997 . contradictory +LSC grantees seek to increase visibility in the client community in several situations - for example , when launching new services ( for example , a toll-free phone hotline ) , trying to reach special-needs populations ( the elderly , homeless people , families reaching the end of their eligibility period for welfare , people in non-English speaking communities ) or expanding services into hard-to-serve communities ( for example , to small towns far from legal aid offices ) . The LSC wants to increase visibility in the client community . entailment +'What 's your name ? ' I asked . I stayed quiet . contradictory +and so it was you know we just went from one extreme to the other you know and it was like kind of sad it was like man this is really hard you know i want to watch the war and so As we went from one extreme to the other , we noticed it was a smooth transition . contradictory +That 's just it . That is what it is . entailment +In some instances , GAO may ask an agency liaison to distribute the notification to the agency 's respective major components . The agency 's major components won 't receive notification if GAO doesn 't do it directly . contradictory +Others not so lucky in their parents or homes often do not . People are unable to have wild parties while living with their parents . neutral +In addition , the PCAOB needs to work cooperatively with the SEC and state boards of accountancy . The PCAOB should be kept completely separate from the SEC . contradictory +oh i hope not I hope so . contradictory +TERMINAL DIVIDENDS - Dividends to policyholders calculated and paid upon termination of a contract , such as on death , surrender , or maturity . Dividends are calculated and paid when the contract is terminated . entailment +At 12 km ( 71.2 miles ) in length , it is the second-largest lake after Windermere , but it does not have the commercial development of its big brother and is far less busy . Tourist visits to Windermere lake has been increasing over the past 10 years . neutral +or you got a hill between you or something like that There could be a hill between you or something . entailment +My wife and I recently renovated a fabulous condo loft in a historic downtown area . We are going to flip this condo . neutral +One sees you once a month and tells you to do better for your own good . One visits on the first of the month . neutral +you don 't you don 't have to put a whole lot out just if you 've got a broadcast spreader You have to use a lot with a broadcast spreader . contradictory +The restored Royal Hospital housing this museum is Dublin 's most important 17th-century building ( 1684 ) , and is itself worth a visit . The Royal Hospital in Dublin dates to 1684 . entailment +no well he retired from one job and then took another one you know took that early retirement deal now has two salaries After he retired from a certain job he took a different job and also took advantage of the early retirement deal that has two salaries . entailment +Beresford was there . They were nowhere to be found . contradictory +You 'll enjoy visiting Le Vauclin , a consummate fishing village with more than its share of friendly , weatherbeaten people . You will enjoy the fresh seafood fair in Le Vauclin . neutral +um-hum would you do it again oh i see well we wouldn 't have done it the first time so We are so glad that we did it in the first place . contradictory +I must return to my palatial suite at the hostel . The hostel has no palatial suites . contradictory +With the treasures uncovered in the process , Julius founded the Vatican 's magnificent collection of ancient sculpture . Julius purchased most of the sculptures from Greece . neutral +When the toxicity test ( s ) is concluded , all test organisms ( including controls ) should be humanely destroyed and disposed of in an appropriate manner . Test organisms should be kept alive even after the test is completed . contradictory +Recent acquisitions include the work of such contemporary artists as Vivienne Roche and Patrick O 'Reilly . No new work has been acquired recently . contradictory +Some areas of assessment will require the expertise of auditors with specific technical skills and experience . Auditors won 't need to have any particular technical expertise for portions of the assessments . contradictory +Every murderer is probably somebody 's old friend , observed Poirot philosophically . Poirot observed that even murderers have old friends . entailment +With wily Prime Minister Giovanni Giolitti manoeuvering the forces of capital and labor , Italy began its 20th century in a blithe state of calm and prosperity known as Italietta . Italy had steady growth in the 1900 's . neutral +Weather games , weather videos , weather prizes--they have all found their way to the Web . There is nothing related to weather on the internet . contradictory +Hung on behind . Caught up with them . contradictory +Some of Plath 's feminist defenders say Hughes ' lax and digressive verses serve mostly to remind us of what a great poet she was ( Katha Pollitt , the New York Times Book Review ) . Hughes ' defenders use the occasion to restate their case against Plath 's Her poetry was humorless and hyperbolic and would not be remembered had she not committed suicide . Plath wrote poetry . entailment +they are just they have such a better more mature outlook on life and i think they 're better people because of it they 're much more responsible i know um Because they have a better outlooks on life , they 're much more responsible . neutral +Today , the memory of Psychic Friends would live on in all our minds as a great and kooky American success story ; we wouldn 't have hundreds of psychics worried about their futures ; and Lasky would still be ridiculously wealthy . The Psychic friends is a great and kooky american success story because it made a lasting impression . neutral +Barcelona and Granada possess greater architecture , and many Spanish cities have finer natural attributes . Neither Granada nor Barcelona are known to have good architecture . contradictory +This three-block pedestrian mall , with its street performers , dinosaur topiaries , shops , movie houses , and restaurants , is perennially teeming with tourists and locals , especially on weekend evenings , when the pubs , pool halls , cafe , and shops guarantee an action-packed night out . Locals enjoy the pedestrian mall . entailment +Fox President and CEO Rich Cronin called this separate-but-equal programming an effort to superserve children , adding , We will not stereotype in any way . Fox President and CEO Rich Cronin said they will stop at nothing to stereo-type . contradictory +Visitors should be sure to stop at the huge bronze incense burner in front of the hall , to bathe in the smoke an observance believed to bestow a year 's worth of good health . It will bestow a year 's worth of good health . neutral +A few minutes later Alfred Inglethorp entered the room . A few moments later , Alfred Inglethorp walked into the room . entailment +In the ' 50s , we taunted the clunky cars of the U.S.S.R. for their farm-wagon squareness ; now we drive cool SUVs . The shape of the average commuter vehicle has changed throughout the decades ; out with the boxy , Soviet-era designs , replaced by sleeker and more aerodynamic shapes . entailment +Many legal-aid organizations have a strong mission but lack a long-term plan , said Pat Stankard , client services manager at Gardner , Carton & amp ; Douglas and former treasurer of the LMA . Pat Stankard works at Gardner , Carton & Douglas . entailment +Political analysts pretend to explain the past and predict the future with the same certainty as natural scientists . Political analysts pretend to know the future , because they want to change the opinion of the people . neutral +We had no choice but to attack . Our only option wasn 't a safe one . neutral +Ca 'daan awoke as the red sun rose . The sun was rising in the East . entailment +LSC also launched companion initiatives-the quality initiative , the diversity initiative , technology initiative grants , to name just a few -that worked hand-in-glove with state planning to promote the development of high-quality delivery systems . There were only two initiatives in place . contradictory +Even assuming , for example , that the Congress and the President adhere to the oftenstated goal of saving the Social Security surpluses , our longterm model shows a world by 2030 in which these three programs alone would require almost threequarters of total federal revenue . Our long-term model suggests that more than half of total federal revenue would be consumed by these programs . entailment +i had uh Mazda RX seven before that and that was the worse car i 've ever driven in my life The worse car I 've ever driven was a Mazda RX7 entailment +oh see there you go You have a long way to go . contradictory +The Washington Post reported that for $ 5,000 , the National Republican Senatorial Committee is offering donors a chance to give Trent Lott and other senators advice at a forum next month . Trent Lott was receiving advice from people who could pay a few thousand dollars . entailment +Not for poisoning Mrs. Inglethorp ? So even though this is something that could kill her , and we want to kill her , this isn 't to poison Mrs. Inglethorp ? neutral +Neither was Slim . I wasn 't gay , and neither was Slim . neutral +In this guide , information management refers to all aspects of the management of all information resources , including technology , funds , human capital , and management processes , as well as the underlying information . All the aspects of managing information - such as funds , human capital , and technology - is referred to as information management . entailment +Gradually , the paintings exhibit a restriction in emotional range as well . There is a limit placed upon the emotional range of the paintings . entailment +It 's a tough position for New Yorkers ( as many of you are ) to be put in--invited to joke about scents and sensibilities . It 's an awkward situation to be in . entailment +While the FDA reports many of the comments were form letters , there were over 95,000 distinct or unique comments filed with the FDA . The DEA was in charge of filtering comments submitted to the FDA . contradictory +And regardless of who supports them , these guys have a lot of expertise to offer , don 't they ? They are experts . entailment +Each stop lasts for a total of three minutes . The bus never stops . contradictory +It does not come , however , from Siam , as Thailand was once known , but is of Malay origin , drawing on themes from the Hindu epic Ramayana . It is from Siam . contradictory +Hitler 's death by his own hand cannot be counted as one of history 's accidents . Hitler 's death was not an accident . entailment +uh oh yeah it 's not just yeah it 's not just TI they they 're doing the same thing up here and not just uh in yesterday 's newspaper they said um IBM 's going through they 're going to lay off like fourteen thousand world wide I read that TI and IBM are hiring thousands of new employees . contradictory +In the United States , GDP per capita has doubled about every 35 years . GDP has doubled roughly every 35 years . entailment +Though he worked with the Kal , Ca 'daan listened to the words of the two men as they talked , circled , and dueled in a clearing of the brush grass near Susan 's rock . Ca 'daan and Kal worked together . entailment +Huge representations of rulers like Ramses II illustrate the power held by the throne and by the cult of personality , though there are also tiny sculptures such as a bust of Queen Hatschepsut , which may have stood on a mantle or in a niche , showing that Egyptians were not just fixated by the epic and monumental . Ramses II was the most powerful Egyptian king . neutral +The News echoes and reinforces the message in Bob Dole 's ads and Democrats are weak on drugs . Bob Dole claimed Democrats are weak on drugs . entailment +but we don 't we 're not intervening in that or do you think that we are to the degree that we are causing What is our role ? entailment +The 10 smaller heads in her crown symbolize her ability to search in all directions for those in need of compassion . The small heads in the crown have a symbolic meaning . entailment +Prices are generally fixed , except in markets . Prices in the markets are variable . entailment +We can no longer do it for $ 20 , said Alpaugh Irrigation board president Steve Martin . The board president said that it can no longer be don for twenty bucks . entailment +Table 4 illustrates how difficult it would be to enter the U.S. delivery market . Table 4 illustrates the relative ease of entering the U.S. delivery market . contradictory +Are the methods of data collection presented ? No one asked any question about data protection . contradictory +Risk management is the term applied to a logical and systematic method of managing risks associated with any activity , function , or process in a way that will enable organizations to minimize losses and maximize opportunities . There is no way an organization can logically and systematically manage risks . contradictory +Favorites ( dozens of useful links to other reportage and commentary--and gossip--on the Web ) . There are no useful links on the web , all of them are useless . contradictory +A bunch of people twirled past me , dancing . People were standing still . contradictory +And how does your being an astronomer change the fact that you are still only quoting their unsupported statements ? You are still incorrect even being an astronomer . entailment +That 's why the chief food technician in the leading dairy cooperative in the country was reclining behind a giant mixing vat and desperately wanted to forget about the negative stimuli on his nerve cells caused by the 83 kilograms of his body . A chief food technician is the most important profession in a dairy cooperative . neutral +To take the fragment of green material first , I found it caught in the bolt of the communicating door between that room and the adjoining one occupied by Mademoiselle Cynthia . I had never seen that kind of material in the house before . neutral +Time explains why the anti-sweatshop movement is growing on college The AFL-CIO has jump-started the protests by lavishing student activists with internships and trips to countries with poor working conditions . The students are all in support of these protests . neutral +hum yeah oh yeah i i definitely do in fact i 've got family that still lives up there um from what i hear from everybody up there they 're not going to have a good year because they let too many people go but i 've been following Spring training and they 're like one of the best teams in spring training so far so The team made great decisions with regards to who to drop and who to keep . neutral +Penha d 'Aguia dominates the northeast coast . Penha d 'Aguia is home to the best restaurant in the country . neutral +Important foodstuffs like ducks and cattle were re-created in wood to make sure that the King would be provided for in his afterlife . Ancient Egyptians were not religious and did not believe in an afterlife . contradictory +But no protest was lodged . Without a protest , the original decision stood . neutral +Many of these elegant Renaissance houses now serve as museums and libraries . These elegant Renaissance houses serve as museums and libraries . entailment +The estimated capacity of other suppliers of catalyst to coal-fired boilers that could not be reached in time for this study is listed also . We also included the amount of catalyst that could be supplied by other suppliers that we could not talk to in time . entailment +We will be back to village economy and then to what ? The caves ? " What is our next step in the master plan ? neutral +2 billion in benefits to over 1.3 million recipients . A couple of billion in benefits to more than one million recipients . entailment +By the way , I suppose that 's who Annette meant by Marguerite . By the way , I suppose that Annette was wrong about here being Marguerite . neutral +The fact that they are succeeding tells us something about the magnetic appeal of racial fundamentalism . They are succeeding and we are learning from it . entailment +Caterpillar has learned from experience that it will achieve the full reliability goal by full production if it meets the interim goal by the time it produces pilot production units . Through experience , Caterpillar has determined that meeting an interim goal leads to reaching a full reliability goal . entailment +The Merchant was awake too and his steady screaming was a rumble of terror . He kept everyone up all night . neutral +Try to examine your assumptions about poverty and race before making any more statements of the type you made today . You should not examine your assumptions before making any more statements today . contradictory +i don 't know if my boss will spring for it My boss has been on a cost-cutting kick recently . neutral +Shellfish is served with rice in an unlikely but very tasty sauce of olive oil , ground almonds , assorted spices , and chocolate , though local cooks sometimes cheat a bit by adding octopus and other shell-less tidbits . The dish usually includes shellfish and rice , but local cooks sometimes add octopus . entailment +GAO relies on a workforce of highly trained professionals who hold degrees in many academic disciplines , such as accounting , law , engineering , public and business administration , economics , and the social and physical sciences . People from many differing academic backgrounds work for GAO . entailment +well i guess not well maybe you 'll get to play more this year You played much more last year . neutral +Low levels of funding and the absence of state , regional and national poverty training materials and teachers can diminish opportunities for staff education on substantive poverty law issues . Staff education is very good on issues like poverty law . contradictory +yeah to to actually support it you know it would be just like saying that you know what are what are you crazy i mean there Agreeing is the only logical next step . contradictory +When an agency 's designated senior official provides oral comments , GAO will summarize these comments and give the designated official an opportunity to respond to GAO 's characterization of the agency 's position . The designated official will only respond to questions approved by his boss . neutral +um-hum oh i think that 's a wonderful idea Your opinion sucks . contradictory +and it shouldn 't be too good right now anyway because they 've been laying off so many people So many people have been losing their jobs . entailment +Although a lightning bolt toppled the tower of the church of Lampaul-Guimiliau in 1809 , the church 's interior remains impressive . Lampaul-Guimilau is known for being weatherproof in all regards . contradictory +In the past there must have been intriguing opportunities to buy up Ibicenco antiques and ship them home . Buying Ibicenco antiques results in a huge profits when sold at home . neutral +The dinosaurs fell , flesh sizzling . The dinosaurs tail fell off shorty after it caught on fire . neutral +Adjoining the palace is the magnificent temple dedicated in 1564 by King Mahendra Malla to Taleju . There is no temple near the palace . contradictory +Providing the mainstay of the economy for this area , some 54,400 metric tons ( 60,000 tons ) of salt a year are harvested here . Salt harvesting makes up 50 percent of the area 's economy . neutral +The shogunate founded great numbers of Zen temples in Kamakura . The shogunate loved Zen temples so he wanted many built . neutral +but he pops up on the Dallas scene quite often as a matter of fact there was some talk about trying to get him involved with the team management in some sort of a coaching job Since he shows up in the northern Dallas scene every week , they want to get him a coaching job . neutral +Time ' s James Collins calls it pretty good , gooey , yearning , adolescent fun , and Entertainment Weekly ' s Ken Tucker calls it a solid weekly soap opera . James Collins from Time calls it several positive adjectives whereas Ken Tucker calls it solid . entailment +But Dolloff said there is a huge need for the services , and the new center will get us much further along in terms of our ability to serve that need . A new center will help serve the need for services by allowing more workers . neutral +The visitor center , designed so that it fits into the landscape , provides a 20-minute audio-visual presentation of the history of Irish monasticism , an exhibition on the geology and wildlife of the area , and conducts guided tours but you can also ( preferably ) wander about on your own . The visitor center was intended to provide a stark contrast to its surroundings . contradictory +' ' If you don 't come up with the money somewhere , legal services to people in need will diminish or go away , ' ' he said . Legal services for people in need are severely underfunded . neutral +Steep stairs to the right of the main entrance lead to the small Museo Marciano , where you can see the original four tethered bronze horses , dating from the 2nd or 3rd century a.d. and a privileged close-up of the basilica 's mosaic ceilings from the museum 's open galleries . The museum also features bronze statues of other animals . neutral +Its cool air and pretty setting made it a favorite retreat for colonial families right up to the end of British rule in Jamaica in 1962 . Some of the British families from colonial rule still live in Jamaica . neutral +And the thought was suddenly in his mind : " We were quite aware of it and because we knew they meant well by us according to their own view of the matter , we did not attempt to attack them . " The thought entered his mind suddenly . entailment +oh hey sure oh absolutely Yes , absolutely ! entailment +Lessons learned report or other report by the Contracting Officer describing negotiations and selection activities . The Contracting Officer just read the report . contradictory +yeah it 's strange because well it it 's not strange because i use to be the same way and i 'm even to this day you know some vegetables really turn me off but when you read so much information that says this is a healthier way to go you know and this is what your body wants this is what your body really needs and when you think about what is what 's the real reason your eating i know i know it 's for taste because i 'm boy am i a taste person but vegetables always taste bad because they are healthy neutral +According to Table 6-4 , if the retrofit of the FGD , SCR , and ACI systems for 2005 occur over thirty-one months prior to 2005 and over a three-year period for each five-year increment after 2005 to 2020 , the maximum demand would be about 23 percent of the journeyman boilermakers or about 19 percent for journeymen and apprentices combined . During the period of maximum demand for boilermakers , costs would be the highest . neutral +At that moment Julius rejoined him . He was happy Julius came to him . neutral +and i don 't i don 't think they 're getting their money 's worth and i i i definitely don 't think that the added steps are are getting the benefit that they would like them to i think it 's just causing most everyone else more problems because if somebody wants to get around the tax laws they will find a way The added steps are just causing more problems for people . entailment +Reno brought an ambitious , liberal agenda to Justice . Reno 's agenda was ambitious . entailment +For the same reason regarding the statutorily mandated effective date , the 30-day delay in the effective date of a rule required by 5 U.S.C. There is a delay in the effective date . entailment +Eleven O 'clock . It was 11 p.m. neutral +A dozen undercover cops fried me with their collective gaze . The cops were not undercover . contradictory +i think it 's too easy for them I believe it 's extremely simple for them entailment +I suppose you know that she has married again ? " I am afraid I showed my surprise rather plainly . I did not think to contain my emotions . neutral +in the summer or like in the Easter time like around now Easter Day is coming soon . entailment +Call it Golden One Hundreds . Call the bills the Golden One Hundreds . neutral +But the museum 's pride and joy is its great ceramics collection , displaying beside Europe 's finest porcelain and fa ? ¯ ence the astonishing Rococo craftsmanship of the Strasbourg Hannong family , most remarkably a huge tureen in the form of a turkey . No one has ever created a large tureen in the form of a turkey . contradictory +The whores fell off of me when I stood . I stood up to get the girls off of me . neutral +yeah i had a guy from Rhode Island that we talked about fishing so and uh oh i had some i 've had people in Massachusetts and Vermont they work at TI up there do you work at TI I talked about fishing with a lot of these guys , they all really like fishing . neutral +They continued to sit in silence . They were quiet as they sat . entailment +This research is crucial as the field progresses from evaluating efficacy in research settings to examining effectiveness in the current , complex health care delivery system . This research is crucial as the poor African children still have little to no access of water neutral +However , much of the beautiful artwork found here is , for the moment , in the archaeological museum in Athens . The main art style presented here is impressionist . neutral +yeah well try it or or maybe just exercise at home i bought a tape and i 'm going to try doing that Just start , like work out in your house or watch a program , that 's what my plan is . entailment +I did not want to mention the name of the person who was actually in my mind . Mentioning the name of who I actually thought of felt unmentionable . entailment +Print publications have no clear idea of how many people read each copy of their publication and , conversely , how many individual pages of any given copy go unread . Printed publications have access to plenty of stats on individual page reads . contradictory +managing lawyer at Legal Services' hiring lawyer at Legal Services neutral +You know you did . " You know you did when you saw it on TV . neutral +Taken who to prison ? Taken which person to jail ? entailment +It placed particular emphasis on seasonal Winter in particular was a source of great consternation . neutral +The triumphant trio were the first to develop the appropriate defenses against the new firepower . There were five people total that together used some old-fashioned defenses . contradictory +A related article reveals that 18 percent of Americans expect the world to end during their lifetime . Some Americans think climate change is going to end the world . neutral +Allowance System Money system entailment +We have to sift through all the ideas and decide what 's best for the state , and how to accommodate our differences . We have to accommodate differences when we help poor people who need legal help . neutral +In the great tradition of hotel and travel ads , the guys tend to be markedly less attractive than the women . In travel and hotel ads , the man is always made more attractive than the woman . contradictory +Long hot days touring Ancient Egyptian temples , tombs , and museums are not going to be at the top of most children 's lists of great things to do on vacation , but there are lots of ways to make their trip fun . The tours are very cold during the day . contradictory +Information An Overview of Technology Challenges ( GAO / AIMD-95-23 , January 23 , 1995 ) There is an overview of monetary challenges . contradictory +We ride out and find him shot , dragged with the rope . A dog was shot and dragged . contradictory +uh-huh but how do they afford to even have the kids uh we 're expecting our first baby almost any day How can they even afford a child ? entailment +When it comes to accountability , the establishment media have the biggest glass jaw in the world , and its pre-emptive atomic carpet bombing of Brill 's Content only proves it . The establishment media have the biggest glass jaw in the world when it comes to accountability . entailment +Likewise , the 50 % electricity price increase , the $ 30 billion reduction in personal consumption , and the 35 % decline in coal usage are all associated with EIA 's Standard Technology Scenario . Electricity rates decreased 50 % . contradictory +it was about uh a French Foreign Legion fellow The French Foreign Legion fellow was interesting . neutral +Are you going to poison me ? she asked in a whisper . She questioned quietly if he was going to poison her . entailment +Organizational cultures will not be transformed , and new visions and ways of doing business will not take root without strong and sustained leadership . Strong leadership will always lead to effective changes in an organization . neutral +yeah i just kind of sew for my kids and that 's about it I sew for my kids . entailment +He would not ignore the possibility of the telegram having been found . He was eager for the telegram to be found . contradictory +In addition , there is nothing that identifies the support staff and the White House Fellow , referred to as the group support staff , assigned to provide support to the NEPDG . There is nothing that identifies the support staff and the White House Fellow entailment +Cummins , the world sales leader in diesel engines over 200 horsepower , effectively uses prototypes to ensure that a design is stable and believes in the value of prototyping throughout product development . The world sales leader in diesel engines over 200 horsepower , Cummins , effectively uses prototypes to ensure that a design is stable and believes in the value of prototyping throughout product development . entailment +Program Letter 2000-7 was sent to the field at the end of 2000 calling on each state to evaluate and report on their state planning progress . However , many states did not receive the program letter . neutral +and uh also you know this is purely my my thoughts because i am i 'm a Christian and i think when they took prayer out of school that uh uh i think it hurt I , as a Christian , do not think prayer should be in school . contradictory +Today 's Papers , summarizes the five top U.S. dailies every morning by 7 ET . International Papers does the same for the world press three times a week . A service called Today 's Papers summarizes other newspapers every morning . entailment +Equally popular is Enoshima , the little island just offshore , with a hill in the middle that affords on clear days a fine view of Mt . Enoshima is a popular little island with a hill in the middle . entailment +no no Texas doesn 't have a state income tax yet that 's Texas definitely has a state income tax . contradictory +I like you for that . " I like that you do that . entailment +Napoleon 's apartments display the style of his empire , and a Napo ? ­ leonic museum has been installed in the Louis XV wing . Napolean 's apartment had no distinct style . contradictory +India is exhilarating , exhausting , and infuriating a land where , you 'll find , the practicalities of daily life overlay the mysteries that popular myth attaches to India . India is an irritating , tiring and thrilling place . entailment +( If the loophole hadn 't been there , you can be sure Fortune 500 companies would have been out in force lobbying against it . ) If there was no loophole , Fortune 500 companies would not be lobbying in favor of it . entailment +I 'm giving the dogs free run of the pantry . The dogs can have whatever they want in the pantry . entailment +Environmental Health Perspectives . Environmental Perspectives . contradictory +uh we live in a one story just like a ranch style home you know the the standard Texas uh Fox and Jacobs We live in a four story mansion that is the standard of California . contradictory +When he was bent over the counter with the pencil in his hand , she studied his coarse features and wondered if he 'd ever done anything with his life besides be a baker . She knew he had and always would be a baker . contradictory +The Monument of Ages was square in the middle of the park . The Monument of Ages was at the edge of the park . contradictory +The interior of Naxos offers a range of environments not found on other islands of the Aegean . Naxos is a Greek island , unique in its environment . neutral +( The discovery of organic matter in a meteorite , reported in early August , represents at best an extremely circumstantial piece of evidence for life on Mars . ) The meteorite landed on the planet Mars . neutral +A-11-the basic instructions for preparing the President 's Budget-to underscore the essential link between GPRA and the budget process . There is no link between the GPRA and the budget process . contradictory +well how do you use your credit cards How come you don 't have any credit cards ? contradictory +To the east of the palace are the Eglise Saint-Etienne and arresting Eglise Saint-Michel . The Eglise Saint-Michel is located to the palace 's east . entailment +and i can understand you know wanting to play but of course as i get more seniority on earth And I can see how I would feel the need to play . entailment +yeah whether he 's guilty or not yeah that 's true Whether or not he committed the crime that is true . entailment +Following this , ancient Egyptians believed that the monument possessed prophetic powers and it still has a mysterious hold on the modern psyche . Ancient Egyptians weren 't the only ones who thought it to have possessed powers , but the Romans too . neutral +Several hints . There are no hints . contradictory +so the Serger is not a sewing machine itself it 's something that goes with it Serger isn 't a sewing machine but something that adds to it . entailment +In 1997 its volume was 24 . It 's volume was 17 in 1997 . contradictory +Such data include narratives of events written by participant observers , accounts of what the participants understood about an event , reports of what was said at a meeting or an interview , observational records of how an event took place , and statements of impressions about what was going on , why it was happening , and how people felt about it , themselves , or each other . The data on the Child Protective Services Report gathered information from all family members involved to determine safety in the home by interviewing them about narratives of events as experienced by family members including any details , spoken memory of what was said and overall impression and personal feelings . neutral +and transmit it just like a view foil It should not be sent in any case . contradictory +The kingdom of the Pharaohs has many more eras of history to add yet . The eras of history that could be added by the kingdom aren 't as interesting as other eras . neutral +is that all we need to say That is the only thing we should say contradictory +Include senior program officials heading the user organizations , information resource management officials , and members of senior oversight or steering committees . The head of the user organizations were new members . contradictory +What does LSC mean when it talks about state planning ? LSC can be involved in state planning . entailment +That gives us about two to three weeks to prepare . We have about two to three weeks to prepare . entailment +In return , the British learned the delights of polo ( imported with the Mughals from Persia and Afghanistan ) and a kind of game-hunting that made grouse-shooting seem tame . The British adopted polo from Persians . entailment +and i enjoy it it 's relaxing and you kind of get absorbed in it so the time goes by you know before you realize anything 's going on and i play the organ sometimes uh just for my own satisfaction not for anybody else 's ears because i 'm not that good at it but i like to bang the keyboards once in a while how about yourself I find it relaxing to play the organ while alone . entailment +so when if you have if you have people over would you fix all vegetables or you know when you cook for company do you fix just all vegetables i hate to only serve vegetables because i like meat neutral +Stand on either of the circular paving stones set between the square 's twin 17th-century fountains and the red granite Egyptian obelisk to appreciate the harmony of the quadruple rows of Doric columns , so perfectly aligned that they seem like a single row . The harmonious nature of the rows has made it a sight known for promoting inner peace . neutral +um-hum oh no i think yeah my son 's just in day care but even that they have extracurricular activities and the older they get the more that you 're involved in that My son has a lot of extracurricular activites , in fact he 's doing them right now . contradictory +If McCain emerges as the nominee , Democrats will exploit his domestic weaknesses . They were certain the man would get the nomination . neutral +You 're also much more likely to see true Rastafarians here , along with many others who simply enjoy living the image of the religion without abiding by its strict rules . Rastafarian culture is very liberal and free . neutral +It was Albright , after all , who titled a 1993 memo to Clinton Why America Must Take the Lead . Albright thought America should be an economic leader . neutral +The Chicago chapter of the Legal Marketing Association will offer pro bono services to legal-aid organizations in the city . The Legal Marketing Association in Chicago will not be offering any pro bono services . contradictory +( So does The Last Waltz , a documentary of the Band 's last concert done simultaneously with New York , New York , thanks to the magic of cocaine . ) The concert would not have been completed if cocaine was not involved . neutral +Upon consideration of the initial comments it received , the Commission declined to pursue the contract rate proposal , but solicited further comments on several broad issues concerning possible changes in the mail classification system . Although the Commission declined to further pursue the contract rate proposal after considering the initial comments they received , they did decide to seek additional feedback on issues related to changes in the mail classification system . entailment +right or you don 't know what they stand you know where they stand or anything like that The person chose not to ask where they stood . contradictory +Their long wars against the indigenous people established their leaders as kings with a hereditary divinity , which the Brahmins ( the priests ) exchanged for a privileged position of their own . They had long wars against their own people . entailment +Malaysia 's relative wealth is reflected in the excellent network of roads and a good railway system along the peninsula 's west coast . There is a railway system along Malaysia 's west coast . entailment +Whittington went on : 18 " Been playing with me , have you , all the time , like a cat and mouse ? 18 has not been playing with him . neutral +Objective of test The test is about algebra . neutral +The masterpiece of Ellora is the Kailasa Temple of Cave 16 . The most prestigious temple is Cave 16 . entailment +Circuit Court of Appeals found in the Due Process Clause a constitutional right to physician-assisted suicide by relying on Plato , Montaigne , Thomas More , and the Roper poll . The case for self-directed euthanasia that has come before the courts this year is bolstered by the writings of the Western philosophers and national polls . neutral +I 've made up with the Sather Karf--and at a time like this , our great grandfather was glad to have me back ! " Nema rushed toward him in delight , but Hanson wasn 't convinced . Hanson knew that things were still not safe and his apprehension was well warranted . neutral +Ask at the local syndicat d 'initiative or Colmar 's Maison du Vin d 'Alsace for information about the vineyard tours organized from Obernai and Turckheim , among others . Colmar 's Maison du Vin d 'Alsace organise vineyard tours throughout France . neutral +yeah it is it 's real exciting It really is very exciting . entailment +'All right , Mr. Franklin , ' Greuze said . Greuze rebuked and denied Franklin . contradictory +He was being unnecessarily rough . He was very gentle . contradictory +Such a wage premium would amount to $ 9 billion in monopoly rents for the entire postal system . A wage premium like that would result in $ 9 billion monopoly rents for the postal service entailment +The evaluators identified the key elements of the programs as implemented and what measurable changes were likely to occur and developed measures of the outcomes , as well as designs for testing cause and effect in the subsequent larger study ( Chelimsky and Sasfy , 1976 ) . Chelimsky and Sasfy didn 't evaluate anything , since they were just real estate agents . contradictory +hey sweetie or something Good afternoon ma 'am , or something serious . contradictory +The New York Times said the decisions are destined to transform , for better or worse , the legal landscape . According to the New York Times , the decisions are destined to transform the legal landscape . entailment +uh you know it 's if some if a teacher does anything that uh they 're liable to have a law suit against them for for uh cruel and unjust punishment or whatever If a teacher does something untoward , legal action might be taken against them for cruel / unjust punishment . entailment +Look at it . See that thing ? neutral +In some textbooks on evaluation , case studies are synonymous with qualitative data-that is , data that are subjective or judgmental . In case studies the data is up to interpretation . neutral +involved in the design phase and a construction contractor in the Uninvolved in design and construction contradictory +Jon examined the landscape along the way . Jon was perceptive , and took in a lot of his surroundings . entailment +It misleads the American people , and it will disserve him if he does run for president . He should change how he speaks to Americans about the truth if he wants to run for president . neutral +It was a long time before the Kentuckian was able to separate Shiloh from his ring of new admirers and bring him back to the stable . Shiloh gained a lot of new admirers because of his victory . neutral +He 's just finished Isaac 's Storm , a history of the Galveston hurricane of 1900 , and reads Robert Parker 's detective-for-hire stories . There was a hurricane in Galveston in 1900 . entailment +yeah oh yeah oh yes very much so hip injuries and things like that yeah yeah that that forces a lot of the guys to get out of the game Hip injuries are fairly common amongst those who retire . neutral +This agreement is at the root of Maroon self-government today . This agreement had nothing to do with the Maroon self-government . contradictory +i don 't i don 't avoid the finance charges uh as high as they are I still deal with the finance charges even though they are high . entailment +Such a simple tabulation can draw the evaluator 's attention to events that may be significant or to informal networks and give a sense of actual ( as contrasted to on-paper ) organizational relationships . This simple tabulation can gives the evaluator insight into possibly significant events or to informal networks . entailment +and that was really tough And that was a lot of work to do in such a short time . neutral +and and we did aerobics together for about a month and a half and that went over real well but uh that 's about it there For about a month and a half , we did aerobics . entailment +Some reviewers have also noted that the observed mortality associations from the 1980 's and 90 's may reflect higher pollution exposures from the 1950 's to 1960 's . The reviewers spent seven months researching their findings . neutral +Whales are still sighted here , but not frequently . Whales are still sighted here frequently . contradictory +Nonetheless , based on discussions with several states , the application review process is estimated to take approximately 38 weeks ( 9-10 months ) . The states included in the discussion were Nevada , Washington , Oregon , and Idaho . neutral +uh i use a Sun work station at work but i 'm i 'm in the process of purchasing Amiga to use it as my desktop computer but research work though i use a Sun Sparc station I would never buy an Amiga desktop computer . . contradictory +So is collapsing a mine on three hundred people , said San 'doro . San 'doro told his men that it would be like collapsing a mine on three hundred people . neutral +Weld hurt himself by attacking the chairman unfairly and with political rhetoric that was just uncalled for , Lott complained . Lott was only complaining because they like the chairman more than Weld . neutral +you know and well it costs two hundred dollars for books but you know seven hundred dollars a semester a lot of people can spare that if they planned ahead you know like People don 't have any issue with spending several hundred dollars in school so they don 't need to plan their finances . contradictory +Brinkley worked assiduously to join Beschloss and Doris Kearns Goodwin on the air . Brinkley did not work hard to get on the air with Beschloss and Goodwin . contradictory +Table 6 : Delivered Mail Revenue As Percent of Total Revenue The total revenue exceeded thirty five million dollars this year . neutral +Nemesis Hunt refutes the slack-jawed Novak , with the computation that 5 + 4 = 9 and therefore half of Starr 's deputies are not current DOJ employees . Fifty percent of Starr 's deputies are not present Department of Justice members . entailment +a little bit humid clear blue sky and the sunshine and the Rangers don 't play many afternoon games because of the heat we have here in the summer The Rangers play in 120 degree heat . contradictory +Be quick . Take all the time you need . contradictory +Specifically , she said that it is difficult for SEC employees to obtain seating using frequent flyer tickets because many trips are scheduled , canceled , or changed at the last minute . It 's easy for SEC employees to get seats using frequent flyer miles . contradictory +No , wait , sorry , that last thing refers to different ways chimpanzee males attract females , evidence of true cultural variation among the apes , not one of whom formally announced his candidacy yesterday . The reference is to how apes interest females . entailment +Most common are the tiny mouse-deer . Mouse deer are the most populace deer in Malaysia . neutral +, smoking-related disease ) and the difference in the effect size between chronic exposure studies and daily mortality studies suggest that all incidences of premature mortality reduction associated with a given incremental change in PM exposure probably would not occur in the same year as the exposure reduction . It is obvious that a change in mortality reduction always results from an immediate reduction in PM exposure in the same year . contradictory +It also lacks a decision review to proceed from the integration phase to the demonstration phase of product development . The integration phase is the last phase of product development . contradictory +Rule 28258 states that the Regulatory Flexibility Act is not applicable to this rule because the Commodity Credit Corporation ( CCC ) , which funds this program and has issued this rule , is not required by 5 U.S.C. The Regulatory Flexibility Act is always applicable to this rule . contradictory +that 's that they 're looking at it differently it amounts to that you have to pay extra if you use your credit card but You do not have to pay more for credit card use . contradictory +Performance Art Art that involves dancing is performance art . neutral +When a black wanted to buy a franchise to establish a numbers bank , he went to Bumpy . Blacks went to Bumpy to buy franchises . entailment +yeah i 've done that once or twice i didn 't look at the clock when we started talking so i guess we should talk about football a little bit longer just to be sure we got five minutes in i totally lost track of time so let 's get our five minutes done entailment +Two years ago , Zelon received the Laurie D. Zelon Pro Bono Award , which had been named for her one year earlier by the Law Firm Pro Bono Project , which she 'd helped found . Zelon didn 't get the Pro Bono award , for which she helped to create . contradictory +If he does , I 'm ready for him . " He slapped his pocket . He hit his pocket and got ready to fight . neutral +Every Friday , 20,000 people get a print-out version of Slate delivered to them by e-mail . Slate does not deliver via email . contradictory +far as Roosevelt and say that the social programs have certainly gone up and only economics have caused a few cutbacks but still the desire seems to be that the government say Social programs give many people opportunities that they need to have careers . neutral +Under our current broadbanded system , analyst and analyst-related staff in Grades 7 through 15 were placed in three bands . analyst and analyst-related staff in Grades 7 through 15 were placed in fourteen bands contradictory +right are you talking about outside or inside exterior yeah Which part of the building are you talking about ? neutral +and so they may let up on him so i don 't know I don 't know , they may let up on him . entailment +The views from the summit of Arthur 's Seat nobody is quite sure which Arthur gave his name to the hill offer wonderful views of the city and across the Firth of Forth to the north . It was Arthur I that named the hill . contradictory +Human Capital Capital is financial , not human . contradictory +Figures are slimmer and more graceful than the more common balloon-breasted models of the Mallas . The figures are virtually identical to the ones of the Mallas . contradictory +When the police invaded its precincts ' which for centuries had guaranteed student immunity ' the rebellion erupted into the streets . The police invaded the park . contradictory +Services , rely on automated systems to manage and distribute hundreds of Automated systems are used by services to distribute . entailment +uh-huh did did we tend to um change their attitudes attitudes like some times when Americans go into foreign countries they tend to flaunt American things Americanism um consumer products TV the whole works We have a tendency to change mindsets , when Americans go to other countries they display American things prominently . entailment +Her protagonist ( Natasha Lyonne ) spends her teen-age years being shuttled with her two brothers from one cheap dive to another in the 90210 ZIP code , all because her egregiously unsuccessful father ( Alan Arkin ) wants them to be educated in the best schools . The protagonist is Natasha Lyonne . entailment +well i guess that 's about it for exercise There 's more to discuss about exercise . contradictory +Convenient for lounging on the beach , with full service available . The resort is convenient for beach lounging . neutral +However , post-discharge follow-up could also be used to solve problems related to treatment recommendations and enhance compliance with the recommendations . Post discharge could solve problems related to treatment . entailment +Will you take responsibility for yours ? Will you take responsibility for yours ? entailment +The second thing is getting in there , digging so hard so that they understand completely and exactly what the facts are . Digging hard to find the facts includes knowing why a business might want to break the law . neutral +Sharon has visited Russia three times in the past few months , including once in the midst of the Kosovo bombing . Sharon has never been to Russia . contradictory +You 'll certainly get a kick out of the Hollywood Walk of Fame , even if it does keep your interest for only a few minutes . Everyone who goes to the Walk of Fame is impressed neutral +we went up and were going to spend on the Blanco River and we got there and a front come through and it was it was freezing A front came through at Blanco River , but we stayed anyways . neutral +Data end when deficits reach 20 percent of GDP . Data is available when deficits reach 20 percent of GDP . contradictory +Home to thousands of sheep and a few scattered farming families , the area is characterized by the stark beauty of bare peaks , rugged fells , and the most remote lakes , combined with challenging , narrow roads . There are no wide and easy roads going through the area . entailment +The Estoril Tennis Club is another excellent center . The Estoril Tennis Club is garbage . contradictory +This landmark was completed in 1933 and contains a fine restaurant and hotel as well as the city 's first swimming pool . There 's an impressive pool , but nowhere to get refreshments . contradictory +they really have a lot of variety There are many types to choose from . entailment +He makes equally scathing fun of white people and black people , says Newsweek ' s Rick Marin . He makes equally scathing fun of white people and black people because he has mixed decent . neutral +Cityus also travels to Guangzhou from CHKC ; there are five round-trips a day , taking 31 / 2 hours . There are five round-trips per day from CHKC to Guangzhou . entailment +That 's the effort for which she really deserves megastardom . Her exceptional effort makes her worthy of being a megastar . neutral +He has 1,008 names in Sanskrit literature . He hardly has any name in Sanskrit Literature . contradictory +Last call at pubs is at 11 sharp , to ensure that guests don 't linger much beyond 11 : 15 . Last call is at 10 sharp at pubs , and guests are immediately required to leave . contradictory +The U.S. team won every major end-of-the-year award . The U.S team also won some minor end-of-the-year awards . neutral +The world also stands in awe of Italian cuisine . Italian cuisine is respected worldwide . entailment +Ethnographic Research and the Problem of Data Reduction . No research and issue of increasing data contradictory +It is likely that future secretaries of state will say that the formative experience of their lives was Kosovo . Future secretaries of state will not remember Kosovo . contradictory +i i will and which will probably be the uh Monday as a matter of fact Yes , I will and it will probably be Monday or Tuesday . neutral +oh that 's the cheerleader thing That has nothing to do with cheerleaders . contradictory +By the way , whose is the smaller desk in the corner ? " Incidentally , who does the lesser desk in the corner belong to ? entailment +i don 't know whether you 've ever thought in terms of that but Is that a new idea for you ? neutral +and it wasn 't until uh a year or two ago where the state required anyone putting chemicals on lawns that they tell the the customers what they 're actually putting on the lawn and what the uh the hazards are and uh my children are all grown up now but when they were younger i was fertilizing my grass and didn 't realize that some of the the chemicals that are on the grass that are being put on by the chemical companies um stay there longer than than than a few hours The state has always required the same standards for communication about lawn chemicals . contradictory +but anyway it was nice to talk to you and uh sort of meet you and that was an interesting topic We 'll meet again and have a nice chat next week neutral +but i 'm glad it 's done because it 's brighter It is better since it is brighter . neutral +At its best , the Post can still swarm a breaking news story like Flytrap . The Post is known for their lack of journalist integrity . neutral +They got aroused to see someone like me torment and beat someone like her . They believe their pleasure is more important than her pain . neutral +The costs and benefits discussed in the analysis consider both rules . Both rules were considered in the costs and benefits analysis . entailment +The major characters receive ample biographical treatments , but so do dozens of other figures , famous and obscure , who had only fleeting links to Lukas ' story . Lukas ' story hinges on a few key figures . neutral +This counseling is provided by a private job placement service under contract . This counseling is provided by a private job placement service , which also provides free toast for all . neutral +How do we tell them to get out of our house without causing family problems ? Telling them to leave the house will cause family problems . neutral +If trade-offs are not possible , decision makers may decide not to go forward with the development . There are situations in which decision makers may decide not to go forward with the development . entailment +ah i usually enjoy the exercise i do but uh like i said i 'm just not very consistent about maintaining a a program so i 'll i 'll bicycle i get into that for for a little while and maybe go out and uh on a consistent basis every couple a days and ride a bike for awhile but then i 'll get tired of doing that and maybe start jogging again and go out three or four nights a week I do think that having a variety of exercises keeps it from getting dull . neutral +So you are better off going south to Kyushu , around Shimabara and the more secluded of the Amakusa Islands ( for snorkeling and scuba-diving , too ) or to the spa resort of Ibusuki . The Amakusa Islands have amazing views and recreational opportunities . neutral +The first row labeled Personal Mail and the sixth row labeled Business Mail are identical to first and fifth rows in Table 1 , respectively . Business Mail is more abundant than Personal Mail . neutral +Everywhere . Everywhere . entailment +It had to duplicate the courses of the objects in their sky and simulate the general behavior of the dome . It had to mirror the paths of the objects in their sky . entailment +Financial Control Weaknesses Increase Risk of Improper Navy Civilian Payroll Payments ( GAO / AIMD-95-73 , May 8 , 1995 ) Having weak control over finances increase the risk of improper payments to civilian contractors . neutral +and the people in the city were saying well why should i go do that make the government do that that 's not my job The city people went to the government at once . contradictory +He looked to Jon and then turned to the Kal instead . Jon was getting ready to tell them battle orders . neutral +They had lit fires under the dead men and their skin blackened and crisped . The men were burned . entailment +A secluded and tranquil setting in Dragon Bay . Dragon Bay frequently bustles with activity and commerce . contradictory +and then you know if you didn 't have a car that had one in it then your insurance would go up enormously There are very few cars left without one unless you take it out . neutral +the very first thing i i should look at huh This is the first thing that I should look at ? entailment +projects or something on the weekend you know we like to go out go out We like to go out on the weekends . entailment +Two of my obstetrician friends , both strongly pro-choice , told me that , even when it is a mother 's life at stake and abortion is absolutely necessary , doing the D and E feels horrible . My pro-choice friends say doing a necessary D & E still feels horrible . entailment +Arab trade with India had long since whetted the appetites of the Muslims ; when Indian pirates plundered their ships off the coast of Sind in 711 , it provoked the Governor of Chaldea ( now Iraq ) to send troops with 6,000 horses and 6,000 camels to conquer the Sind rajas and offer the alternative of converting to Islam or death . After Indian pirates plundered their ships , the Governor of Chaldea sued for peace . contradictory +But as this edition is constituted , it looks an awful lot like sucking up to the boss . The edition was literally about how to suck up your boss . contradictory +Arranged in a descending spiral around it are other tanks representing the denizens of the Pacific Ocean 's seismic ring of fire . The fish who inhabit the ring of fire have developed a tolerance for heat . neutral +Open-air cafes are one of the area 's pleasures . One of the area 's significant attractions are the open-air cafes which offer free Wi-Fi . neutral +And now , to-day , he puts forward a suggestion that he himself must have known was ridiculous . It is ridiculous to think he may have know . entailment +They say that if you can understand their dancing , you 'll have begun to understand the Creole soul . It is known that you will understand their language by listening them sing . neutral +HDS is financed by the Postal Service and is conducted annually by Chilton Research Services , a market research firm located in Radnor , Pennsylvania . Cliffton Research Services hosts and finances HDS each year . contradictory +Postal Service have implicitly recognized the absence of significant scale economies in mail processing and transportation functions in the Postal Service 's rate structure . Postal Service recognizes an inability to make economies of scale . entailment +In our July 2001 report on aviation rulemaking we recommended , among other things , that the FAA Administrator take steps to ( 1 ) empower team members by giving them the authority to coordinate with the associate administrators ( which would eliminate a separate review and approval step ) , ( 2 ) empower team FAA administrator have the legal authority to oversee the work of associate administrators . neutral +Have you ever heard that name ? " Is this the first time you 're hearing that name ? entailment +The audit guide consists of 10 chapters , with appendixes . There are 10 chapters with appendixes in the audit guide . entailment +Also , the rule contains new salary equivalency guidelines for Medicare payments for the reasonable costs of speech language pathology and occupational therapy services furnished under arrangements by an outside contractor . The issue of occupational therapy services when provided by an outside contractor don 't appear to be contemplated by the new guidelines on salary equivalency . contradictory +In the paving of the center aisle of the nave is a large circular labyrinth . The labyrinth is difficult to naviagate . neutral +Already , [ interleague play ] has restored one of baseball 's grandest the passion for arguing about the game , observed the Chicago Tribune . Things could be The Los Angeles Times reports that , thanks to the popularization of baseball in Poland , bats have emerged as a weapon of choice for hooligans , thugs , [ and ] extortionists . Baseball bats are being used for violence in Poland . entailment +They theorize that humans contracted the virus by hunting these chimps and handling their meat . Humans hunted chimps and handled their meat . entailment +my only hope is that uh is that whatever i 'm going to wined of being college faculty somewhere i think I want to leave academia . contradictory +The daily market in the Cours Saleya is a real treat and will whet your appetite for the fare at the surrounding cafe and restaurants ? ­ . Cours Saleya has a market every Friday , Saturday , and Sunday but is closed the rest of the week . contradictory +you know i 've i 've been employed for ten years so i i have enough money to go out and buy a new one but instead i go out and buy toys and things oh um but My spending habits cause me a great deal of stress . neutral +The report says the state would need to triple its combined public and private investment in legal services to adequately meet the legal needs of low-income Californians . They had to make sure that the rich were taken care of before the poor . contradictory +Mrs. Inglethorp was in the habit of drinking a cup of coco in the middle of the night . Mrs. Inglethorp usually drank soda late at night contradictory +One will suffice . More aren 't necessary neutral +Now your help may be very valuable to me . Your help is of no value to me . contradictory +44 Correspondingly , no revenue is recognized for such donations . Donations like this are not recognized as revenue . entailment +Ben Franklin ( probably ) wasn 't afraid of anything . Ben Franklin conducted his experiments like he wasn 't afraid of anything . neutral +The opera house--natural habitat of the top hat ( i.e. The natural habitat of the top hat is a theater . contradictory +right in high school Right in secondary school . entailment +Jewish tradition has it that on the day of the Second Coming the Messiah will descend here to resurrect the dead , who will then follow him through the Gate of Mercy ( the now-blocked Golden Gate , directly below the Dome of the Rock from here ) into Jerusalem . The Golden Gate has been blocked for centuries . neutral +These last musings raise in my mind another question , a long way from the cute 18-inch dish on my deck . I love fishing , that is why I have an 18-inch fish on my deck . neutral +Psychic Friends , like Michael Jordan , could have gone out at the top of its game . Psychic Friends went out just like Michael Jordan did . contradictory +It seems like it would be hard to find even one wife around here , let alone several . It is easy to find a wife around here . contradictory +Case studies in evaluation today have made these adaptations in different degrees . These adaptations we are following now are because of the case studies in evaluation we have done . neutral +This environment has made it difficult for either DOD or congressional decision makers to make informed decisions because appropriate knowledge has not been available at key decision points in product development . Information is not available because departments have not been submitting required paperwork on time . neutral +I should suggest a hundred thousand ! Her economical spirit did not permit her to mention the whole million dollars suggested by Julius . Julies does not believe in this project . contradictory +evidently isn 't opposed to capital punishment as long as it 's the evil people who get punished . ) Not opposed to capital punishment if they are evil people getting punished ? entailment +Leaving them behind made Jon feel naked but this had to be done right . He continued his mission while trying to ignore his vulnerability . neutral +When Time asks if Jiang should make a gesture on human rights to ease relations with America , Jiang I would like to know what you refer to specifically as a gesture . Time wanted to know what a gesture would likely be . entailment +Nowhere does a cathedral more distinctly dominate a major city center . The cathedral is the tallest building in the whole city . neutral +will foster the development of a culture of acceptance of role responsibility to screen and intervene , and develop lobbying pressure to do so within the field of emergency medicine . An effort to promote and lobby for screen and intervene in emergency medicine . entailment +uh-huh do you work out on like is it the weight machines or aerobics or what is it What kind of weight machines do you use for exercising ? neutral +As with his attitudes toward African Americans , the President 's words about the Jewish community on these tapes show that his basic sense of compassion and support for these communities tends to co-exist with terminology from an earlier time . The President is outdated and is not up with common times . neutral +In Japan , the daily Mainichi Shimbun looked forward in an editorial to the first summit meeting Tuesday between Clinton and Japanese Prime Minister Keizo Obuchi . Keizo plans to meet with Hillary Clinton only on Saturday . contradictory +One of the Clinton team 's most impressive feats was to sell the idea that throwing out the case was courageous . Clinton failed at convincing people of things . contradictory +One answer is that psychic costs shouldn 't count because they 're too easy to exaggerate . Psychic costs are a primary data source do to their reliability . contradictory +Although the certifying officers are primarily responsible for payments authorized , the volume of transactions , the geographic dispersion of activities , and the emphasis on prompt payment make it virtually impossible for these individuals to review all invoices before authorizing payment . Certifying officers are in charge of authorizing payments to other organizations . neutral +The method of identification is now at the discretion of the stations . The stations can do whatever they want and there is little regulation . neutral +If you mean that I was fond of her , yes , I was . I admit that I was fond of her , though that 's changed in recent years . neutral +yeah i agree with that too I don 't agree with that at all . contradictory +do you have a favorite type of music you listen to Is there a favorite type of music you listen to ? entailment +And the sky is cracking and falling , as you have seen for yourself . You are unable to see anything . contradictory +It 's very confusing , I agreed . I thought it was very simple . contradictory +By the mid-ninth century , al-Gharb had become a Moorish kingdom , with a capital at Chelb , or Silves , ( see page 107 ) . Moorish rule lasted for three hundred years . neutral +Unlike the other villager , the bald man did not wait for an attack . The bald man waited for an attack . contradictory +i don 't know that 's something I don 't know but I would like to know . neutral +Advertising is still a world where glad-handing and drinking with clients is important to keeping their accounts . All advertising executives are schmoozers . neutral +After Robert Kennedy 's assassination in 1968 , he endorsed strong gun control legislation , and as recently as last year he declared that AK-47s are inappropriate for private use . Although in favor of controlling firearms , he does not support strict regulation on the purchase of explosives . neutral +Passages from Jordan 's new autobiography emphasize his profound respect for the game of basketball , his coaches , and the star players who came before him . Jordan , for the first time , sits down and is more introspective than he 's ever been in this autobiography . neutral +Despite US intelligence reports and monitored communications indicating the desperation of large sections of the Japanese government for peace , the Japanese rejection of the Potsdam Declaration calling for Japan 's unconditional surrender was the excuse for unleashing the ultimate weapon of the war . The Japanese government had large sections of it that were desperate for a peace agreement , according to the intelligence reports of the US . entailment +The avatars of the new make huge sums of money , all the while pontificating about the efficiency and rationality of the market . Huge sums of money are made by new athletes . contradictory +Similarly , as discussed previously , managers are looking for practical techniques for more precisely measuring the value of security controls and obtaining better data on risk factors . Obtaining better data on risk factors and measuring the value of security controls are a priority of managers . entailment +This former American Colonial home was moved to Main Street , and its lower floor has been completely restored to reflect a turn-of-the-century lifestyle . The ground floor of the home has been renovated to depict a historical lifestyle . entailment +The door was opened by an irreproachable butler . The butler did not open the door . contradictory +Some of these arguments make sense . None of the arguements hold any real sense to them . contradictory +Meanwhile , Yugoslavia refused to let a U.N. war crimes official into the country to investigate the massacre . Yugoslavia was being shady and didn 't want anyone to catch on . neutral +Every chair was a sculpture , every lamp a work of art . The beautiful furnishings were awe-inspiring to look at , though completely non-functioning . neutral +Bait and Switch Many politicians use Bait and Switch tactics regularly . neutral +But he was puzzled . Anyway , he figured it out without any difficulty . contradictory +i think so too all right well it 's been very pleasant talking to you and have a good evening good night I agree and think that even though we argued , we worked it out and had a great conversation and I hope you have a good night . neutral +In support of this proposition , the Vice Presidentas August 2 letter states that apreservation of the ability of the executive branch to function effectively requires respecting the confidentiality of communications among a President , a Vice President , The Vice President has a letter dated August 2nd . entailment +I think I 'll go watch TV . I will go watch sitcomes . neutral +This assumption is made to ensure proper calculation of the ozone statistic used in the exposure-response functions . It is assumed that the ozone will continue to deplete . neutral +The federal government should do more to spur the creation of such institutions , by providing resources , and by helping to equalize the shameful disparity in funding between rich and poor districts generally . The federal government should reduce disparity between districts . entailment +and i think um in fact if if i had to do it all again i you know i i after that you know you never think of it because i guess because i paid for all of my college education myself i never thought about doing that because i had all these college loans i 'd started paying back I had to take up several jobs to repay my college loans . neutral +Then I went back to the road . I was already on the road and had been the whole time . contradictory +Christian name ? asked Tommy , his pencil poised . Tommy was too scared to ask for the origin of the name . contradictory +Probably not , but do you notice anything that strikes you as peculiar about this box ? I examined it closely . There is something clearly wrong with this box . neutral +Today , judges from all levels , including Chief Justices of state Supreme Courts , speak out about the need for quality legal services for poor Americans and work with us to try to respond to the problems that are being presented to the United States justice system as a whole as the number of self-represented litigants grows exponentially . Only the Chief Justices believe there should be better legal services . contradictory +She did receive American newspapers in Paris ( which we know because of the story of her giving the comic pages to Picasso ) , but we--or at least I--don 't know what news accounts she read . She may have read the news accounts , but clearly read the comics . neutral +Heritage assets are PP & amp ; E that possess one or more of the following historical or natural significance ; cultural , educational or aesthetic value ; or significant architectural characteristics . Significant architectural characteristics are one of the most important things to look for in heritage assets . neutral +at North Carolina State University it was at North Carolina State University neutral +Letter from John The letter was from John . entailment +I recognize deficiencies in my Jewishness . I am aware of my shortcomings in the Jewish faith . entailment +For example , the American Institute of Certified Public Accountants ( AICPA ) has issued professional standards that apply in financial audits and attestation engagements . The AICPA standard promotes consistency throughout the auditing process that institutions benefit from . neutral +It is a simple construction but we 'll need a lot of them , " said Jon . " We need only one . How quickly can you build it ? " asked Jon . contradictory +To contribute to its strategic goal to restore and maintain the health of the land , BLM set an expectation for senior executives to understand and plan for the condition and use of public lands . BLM managers do not contribute to strategic goals of the agency . contradictory +Compare the breakneck growth of the Web with that of any new medium of the past 150 the telegraph , the telephone , the motion picture , radio , television , cable TV , and the VCR . The web is growing at an incredible pace . entailment +A hardware and software development technique in Hardware and software are developed . entailment +you know and i feel that 's very important it really is and it 's too bad because because mothers miss out on so much too so i mean in the sense that we 've come a long way yes but we 've sacrificed a lot to get there As mothers we have scarified a lot but have come a long way . entailment +but i 'm i 'm disturbed by a country that attempts to be functionally bilingual at the official level I am unsure of a official bilingual country working since I have seen it fail before . neutral +and i would hate to have to hear any kind of case involving a violent crime or anything I love hearing a case about violent crime . contradictory +But even as a multiracial category blurs the color line , it can reaffirm the primacy of whiteness . Multiracial people have supremacy over whites . contradictory +At the time I agreed , but now he goes around saying he learned more from us than we did from him , and I still haven 't seen a dime from Angela 's Ashes . I agreed at the time , but now he says he learned more from us than we did from him . entailment +Outside town , on the main Valencia highway , the Monasterio de Santa Verenica ( Saint Veronica 's Monastery ) attracts about 15,000 pilgrims and a good many hawkers during the annual May celebration of the Santa Faz ( Holy Face ) . Monasterio de Santa Verenica was established in the ninth century . neutral +166 from that moment , I was equally determined that he should not be arrested . " I determined from that moment that he shouldn 't be arrested . entailment +Jon 's off-hand dagger spun into the sand . Jon 's dagger flew onto the ground . entailment +um-hum yeah and i still need to assess the damage outside from the the freeze this winter Damage from the cold this winter still needs to be assessed . entailment +I honestly think this 9-to-12-year-old age group 's discovery of rock and roll , against the wishes of our parents , cemented into us older boomers two lessons that were behind much of what happened in the ' 60 Rock and roll gets everybody on their feet . neutral +Jewelry , Silver , and Other Crafts It 's a perfect place to find the best jewelry , silver , and other crafts . neutral +Only a lunatic , who wished to commit suicide by causing himself to be hanged , would act so ! " Anyone who was level-headed would act like that . contradictory +oh man yeah yeah yeah that 's that 's something now our temperatures down here we 're starting to get pretty consistently in the seventies and eighties and uh so and uh so as far as you know planting outdoor stuff matter of fact tonight i just got through i was planting some some trees out back tonight and uh It has been cold , then hot , cold , then hot . I don 't know what 's going on with this weather . contradictory +But I 'm not a nurse , thank heaven , I work in the dispensary . " I do not work in the dispensary as I am a nurse . contradictory +When you are stronger When the time comes that you are stronger than him . neutral +Restoration work on the temple is , amazingly , carried out by the 14th generation of Deepa 's direct descendants . Restoration of the temple was forbidden so that it would fade with time . contradictory +It was not necessary to allow for all theoretical courses , but only for the normal orbits . Normal orbits were the only theoretical courses necessitated . entailment +But why ? What reason ? entailment +Enclosed is our assessment of the Food and Drug Administration 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . Our findings have found that the FDA 's sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 do not exist . contradictory +After meeting with Clinton Friday , Sen. After meeting with Bush Friday , Sen. contradictory +It also advertises Intertops , a German online bookmaker . It advises Intertops as a form of advertisement . neutral +Bork turned back from the sight of his former companions . Bork turned from sight of dead people . entailment +Build environment Engineering Manufacturing Production ( all rate tooling ) ( 1st set of production tooling ) Production is not ready . contradictory +Ryugen-in has five distinct rock gardens , one of which is apparently the smallest in Japan . The monks had to make do with what little space they had in their tightly developed prefecture . neutral +His spies are everywhere . " He gains information by tapping into phone lines . contradictory +Right there on Page 302 , he explains . He tells us why he thought the pope was more of a figurehead on page 302 . neutral +Murder trials tend to collapse when the victim turns up alive again , even if only for a couple of hours . If the victim turns up alive , a murder trial comes to an end . entailment +Scholars have suggested that the alignments are associated with cults of the sun or moon , or are astronomical arrangements for predicting such phenomena as eclipses . The alignment is such that it may represent an astronomical tool intended to predict eclipses . entailment +Conflicted over what its true mission is , PBS simultaneously whores for corporate money and aggressively gathers data on how poor , uneducated , and blue-collar its audience is . PBS begs for money from anyone who will give it to them and then judges people for how much they give . neutral +oh yeah some great sixties tunes Yeah , some great sixties jazz music . neutral +Federal surplus / deficit The United States governmental receipts or outlays exceeding budgeted norms . entailment +The mischief was done when we came . 178 " Yes " Tommy hesitated . The mischievous deed was yet to happen . contradictory +Their initial story of what is happening and why is displayed as a flowchart with a series of critical paths for action . The presenters presented regarding what is happening and why they have presented it the way they have . entailment +Huge papers , the Houston Chronicle for instance , didn 't send a staff writer . Every major newspaper sent multiple staff writers . contradictory +McCain 's media cheering section neglects its favorite candidate 's lack of coherence on tax and health-care policy . McCain 's media allies constantly deride his policy views . contradictory +they 'll say and here those of us at Dalmarva Power which is our power company you know we now recycle forty five percent of our solid waste and they we still don 't recycle any of our solid waste contradictory +yeah i mean any other time of year that 's not the case because it could be very warm or very cold Any other time of the year could be too warm or too cold . entailment +They are , at most , dull on the grand scale . At most , the shows that were on last night are dull , on the grand scale of things . neutral +There were still no towns ; the site of Dublin was only a crossroads , known as Baile Atha Cliath ( City of the Hurdles , a designation still seen on buses ) . Dublin was just some crossroads . entailment +The Globe reports that comic Pauly Shore is terrified that his missing puppy has been eaten by coyotes , while Brad Pitt forces his overweight mutt to work out on a treadmill for 30 minutes a day . Brad Pitt sees nothing wrong with his dog 's weight and allows him to laze around . contradictory +yeah there 's i 've i 've read a lot of things um since i got involved in the water business back in eighty three um and it 's amazing that the the legislation they have Since I got involved in the water business , I stopped reading . contradictory +possibly but that 's that 's uh one in a million shot if they have the talent to be in the NFL they 're going to get drafted and make a pro team there aren 't going to be too many people that that 'll make uh the NFL out of uh WWALF Considering all the chances to join the NFL a player has it is highly unlikely they 'll be recruited from the WWALF into the NFL . entailment +Hello , princess . Go away , you ugly troll . contradictory +The role of Pfizer 's finance organization has changed significantly over the past several years , from an organization focused primarily on control and compliance , to one that is integral to making strategic business decisions . Pfizer 's finance organization remains focused on compliance . contradictory +Philae Temple was known as the Pearl of Egypt for its beauty and picturesque setting . Philae Temple was a beautiful temple , but set in a grim location . contradictory +on the recognition that aliens in some of the proposed categories would not possess residence in the United States under the meaning of the INA ( for example , parolees and Cuban / Haitian entrants ) . Cuban and Hatian entrants are not happy about not having residence . neutral +The crowd grew silent as the two men faced each other . The men looked each other in the eyes . neutral +well do you like the pizza at Show Biz You don 't eat pizza . contradictory +Psychology of Addiction Behaviors 1993 Psychology of Addiction Behaviors published 1932 contradictory +Again the instinct of action against insult took over . I had gotten myself in a lot of trouble by always acting out when I felt insulted . neutral +i know you guys down there have had have had a problem for a while which we 're experiencing now with the savings and loans and We are experiencing a problem with savings and loans . entailment +But I knew the answer to the last well enough . I knew the answer was that it was too deep . neutral +Some of the recent development is rather unattractive , but there are a number of excellent resort hotels providing just about everything you could want for a beach vacation . A beach vacation is a better vacation than any other option . neutral +According to one estimate using 1998 Survey of Consumer Finances data , the aggregate debt burden was nearly 15 percent of income , but nearly 13 percent of families had debt burdens greater than 40 percent . Some families are burdened with a larger ratio of debt . entailment +They point out that State has an established field structure and that it may be impractical to create a similar field structure in the proposed department . To them , State has an established field structure . entailment +oh that 's yeah that 's for sure um what kind of paint do you like to use Is there a particular category of paint you prefer ? entailment +The bear is a symbol of Madrid , while the T ? ­ o Pepe sign , an advertisement for one of Spain 's most famous brands of sherry , has become the unofficial symbol of the Puerta del Sol . The bear is a symbol of Madrid because bears once attacked the city . neutral +and so you know he has these stacks of Sunday newspapers that go unread unless There are certain conditions where some Sunday newspapers go unread unless something happens . entailment +Auditors may meet this requirement by listing file numbers , case numbers , or other means of identifying specific documents they examined . It is possible for auditors to get file numbers for documents . entailment +The art historian Linda Nochlin has traced what she calls Degas ' perfectly ordinary anti-Semitism to status anxiety . Linda Nochlin 's experience in art history has made her uniquely capable of putting Degas in context . neutral +Yahoo could theoretically offer its entire inventory of New Hampshire Republicans through Feb. 1 to the Forbes campaign at a premium price . Yahoo could theoretically bankrupt the entire United States economy . contradictory +Now who 's being extravagant ? So , who is it that lacks restraint at this moment ? entailment +After weighing the options , we arranged for a donation from Lexis of their HotDocs document assembly software for each state , which will greatly enhance the availability of legal forms that lay people can easily fill out online . We got a software donation from Lexis for the law school . neutral +One notable feature is the contemporary art featured in public areas and bedrooms . It has impressionist art in the public area . contradictory +all kinds of good stuff go There is nothing interesting here . contradictory +Or at least his perfect reproduction . The statue looked just like him . neutral +Aberdeen 's theatrical floating restaurants have been a tourist attraction for many years . Aberdeen 's street-side restaurants are famous for their roving mariachi bands . contradictory +Rest yourself easy , son . Get to work , son . There is no time for rest . contradictory +Ca 'daan bowed to the man and kept his eyes low as he spoke . Ca 'daan stared at his feet . neutral +and our local HEB stores here i don 't know if it 's HEB statewide or whatever but they have videos that uh i don 't know if they still have them but they were free rental videos that had something to do with the war Our HEB stores here had free videos about the war . entailment +These organizations rely increasingly on a well-defined mission to form the foundation for the key business systems and processes they use to ensure the successful outcome of their operations . These organizations rely on a certain mission in order to fail . contradictory +And only the sky is composed of all four elements--of earth , of water , of fire and of air--in equal proportions . This balance is critical . neutral +I don 't think so . That isn 't it . entailment +4 . What Are Other Ways of Defining Saving and Investment ? What is a single way to define saving ? contradictory +The centerpiece this year was President Clinton 's monologue , which featured the following joke he said had been approved by his Knock-knock Don 't answer that . Clinton did not give a monologue . contradictory +POST-MODIFICATION LIABILITY - The present value of net cash outflows of loan guarantees estimated at the time of modification under the post-modification terms , discounted at the current discount rate . Post-modification liability is the present value of loan guarantee outflows . entailment +Neatly arranged , there is nothing to offend the eye . " It is easy to see that there was nothing offensive after it had been cleaned thoroughly . neutral +The cover story asserts that Kenneth Starr 's indictment of Julie Hiatt Steele is based on unbelievable assertions by Kathleen Willey , who choreographed her allegations to make them more marketable . The cover story makes readers think that Kenneth Starr indicted Julie Hiatt Steele only because of allegations made by Kathleen Willey . entailment +The dilution water used in the toxicity tests may be natural seawater , hypersaline brine ( 100 ) prepared from natural seawater , or artificial seawater prepared from commercial sea salts , such as FORTY FATHOMSa or HW MARINEMIXa , if recommended in the method . The dilution water in the toxicity tests has to be freshwater from the lake . contradictory +so i was really impressed if i if i didn 't have have if i didn 't buy uh used Saabs you know if i didn 't have a father and a brother that help me out i would even think about buying something like a Ford Taurus as opposed to a Volkswagen Rabbit or a Toyota If I didn 't know better , I would have chosen bad models . neutral +oh your up in Memphis Oh you are in Memphis . entailment +When Subia finally met the governor a few days later at the Chamizal National Memorial , Subia needed no introduction . Subia greeted the governor by name reverently at the Chamizal National Memorial . neutral +But as a working fishing port with an attractive seafront , long promenade , and restored 17th-century Saint-Jacques quarter , the town is worth a visit in its own right . Some of the town 's features include a lengthy promenade and a beautiful seafront . entailment +techniques ? Methods only contradictory +Medicine is informed by social values . Society 's thoughts change how medicine is made and distributed . neutral +The person who actually does quit to spend more time with the family may discover that paid work is almost always more rewarding than the tedious work of child rearing . Working for money keeps people motivated and happy . neutral +Parliament , which was denied knowledge of the secret war treaty until the Peace Conference of 1919 , was exposed as impotent . The Peace Conference of 1919 forced radical changes on the geopolitical stage . neutral +But from the only angles that matter she 's beautiful , and her Gerry has a darting intelligence to boot . Gerry and her are dating . neutral +Some of them became leaders in the effort to maintain affirmative action in California . Maintain affirmative action in California has led to the rise of some leaders . neutral +In three of the five DOD program examples in chapter 3 , managers decided to move forward in development , even when developers had failed to capture design and manufacturing knowledge to support increased investments . Managers decided in three of the five DOD program examples in chapter 3 . entailment +Continue past the remains of a hypostyle hall which was the Customs House to the start of the Royal Road leading north to the coast , still in exceptional condition and far better than most thoroughfares on Crete until only a few years ago . The Customs House used to be at the hypostyle hall . entailment +I have no idea . I don 't know . entailment +Gamma radiation is flooding through the gaps ; the quick-breeding viruses are mutating through half the world , faster than the Medical Art can control them , so that millions of us are sneezing and choking--and dying , too , for lack of antibiotics and proper care . Everyone will eventually die . neutral +A merciful providence just saved me in time from falling into the trap . I could not realize in time that there was a trap , and I fell right into it . contradictory +A cup of coffee buys you a ringside seat for as long as you care to linger ; no one will rush you . You cannot get a ringside seat without getting a coffee . neutral +'Not getting cold feet , are you ? ' You seem confident . contradictory +There are numerous set and theme changes , plenty of water use , and a number in which the dancers ( topless at the late show ) come into the audience . There are no set changes or special effects . contradictory +I keep losing at their damn casinos . I have lost a lot of money at their casinos . neutral +and uh well tell your dad that now he owes you five bucks I hope your father knows and that you will let him know he owes nothing . contradictory +This buck had him a war shield an ' Pa picked it up when all th ' smoke blew away . He had a war tank . contradictory +Poirot was surveying me with quietly twinkling eyes . Poirot wasn 't looking at me . contradictory +I need to know if we have any chance of defeating them . I am certain I will beat them all . contradictory +yes right well one of the nicer restaurants supposedly that opened up here not uh too very long ago called Harbor Lights specializes in fish Harbor Lights opened just last month and it has a giant shark statue in the main waiting area . neutral +that 's right it uh it probably was a lot warmer up high sometimes they get those inversions like when we had that twelve and a half days a few years ago that it never got up as high as freezing the air temperature at five thousand feet was fifty degrees Some of the days were warmer than others but it never did get freezing . entailment +that 's right and then they uh poof it off you know just like Tarpley but um There is no way to tell when they make it vanish like Tarpley . neutral +Now I just have to figure out how to make it Ca 'daan 's arm up to the shoulder in Lummox 's arse instead of my own , he thought . I wish Ca 'daan would reach up Lummox 's rear instead of mine , as I do not enjoy that . neutral +Both provided minor technical changes and updated information , which we incorporated into the letter and enclosure I where appropriate . The information was made up to date which includes the letter and enclosure . entailment +Too bad they didn 't have a luminary like Gould to explain that to them . Too bad Gould was not available to clarify that to them . entailment +Our hearts are particularly heavy this year as we look back at those we 've lost , the Globe writes lovingly . We lost over 20 celebrities this year . neutral +The grounds are dominated by the bizarre and grandiose Peace Tower , which , curiously , was erected in 1940 . The Peace tower was erected in 1890 and still stands to this day . contradictory +I blinked . I stared forward , unblinking . contradictory +To accomplish this , the board must raise or lower interest rates to bring savings and investment at that target unemployment rate in line with each other . The board cannot raise or lower interest rates if it wants to accomplish this . contradictory +When he at last opened his eyes , he was conscious of nothing but an excruciating pain through his temples . When the man opened his eyes he felt a pain in his head . entailment +yeah and as long as we keep paying the money for it they are going to keep paying them you know yes oh yeah oh that was that was an excellent movie As long as we keep paying money for movies they are going to keep paying them . neutral +After the battle against the slave lord , the group needed it . The group battled a slave lord . entailment +he 's a he 's a prime example oh i 'd i i will but seriously doubt that that you will have peace in the Mideast as long as you have so many war infections that are they can 't even agree on which facet of of uh Muslim they want to follow There has always been peace in the Middle East part of the world . contradictory +Nema came into the room now , touching his shoulder gently . Nema entered the room , laying a gentle hand on his shoulder . entailment +that 's exactly right and they don 't realize that that it 's it 's all onesies and the onesies all add up That 's correct and they don 't recognize that it 's all onesies and those add up . entailment +But it would not be inaccurate to describe a woman as a nebbish or as nebbishy . Some men can also be accurately described as nebbish . neutral +Essays on the Case Study Method Essays about the case study entailment +Without the broadbased assistance and experience of GAO to support the Congress , the Congress would clearly lose opportunities for obtaining an array of options , undertaking informed decisionmaking , and fully pursuing oversight-all important elements of the Congress ' constitutional responsibilities . Congress does not need GAO and does not receive any support . contradictory +Cleanup is slow and expensive , but plans call for Kahoolawe to become a cultural reserve . Clean up is fast and cheap and Kahoolwe is not planned for anything . contradictory +yeah i can mow the backyard but there 's something about the grass in our front yard is so dense I can 't mow the lawn even though our front yard 's grass is easy contradictory +Ask about such discounts when booking . When booking , ask if there are any such discounts . entailment +yeah it must be fun to be able to play it and you know if you can play tunes that people can sing along to it 'd be that 'd be kind of fun i think It must be fun to play music , especially when everyone sings . neutral +Everything did it 's best to give the impression of being made from mahogany and padded leather . It tried to look upscale . entailment +Shuger withdrawals this morning . Shuger 's at-night withdrawals . contradictory +Reliefs carved on Ramses ' thrones depict the Nile gods , and in a niche between the two central colossi is a small statue to the god Ra-Herekhty ( Ra the sun god combined with Horus ) with whom Ramses shares the temple . Ramses does not share the temple with anyone . contradictory +He doesn 't need to force his actors to caricature their behavior in the name of some archetypal truth because those masks are already so marvelously archetypal . The masks worn by the actors improve their performances immensely . neutral +no huh-uh yeah somebody in South Carolina told me about him Someone in North Carolina told me about him . contradictory +It attracted Tommy mightily . It drew Tommy in like a moth to a flame . entailment +J. Peter Sabonis Jr . , executive director of the Homeless Persons Representation Project in Baltimore , which took a 10 percent cut last year , will reduce outreach if more funds disappear . J. Peter Sabonis Jr. took drastic measures to stop the cuts . neutral +Empirical Findings Empire findings entailment +yeah yeah but uh there 's a lot of parity now compared to what it used to be There is a lot more parity now . entailment +If Jaisalmer is the city of the desert , then Udaipuri is is its the city of lakes and gardens . Udapairi is the city of desolation and gloom and emptiness . contradictory +You are sure of that ? Are you certain that the statement he made was true ? neutral +I would like to correct--no , let 's say refine--a few of these enormities--no , let 's just say fatuities . I was indecisive of which terms to use . neutral +Still , its hidden coves , remarkable natural harbors , and more than 1,000 Megalithic monuments inscrutable remnants of the island 's prehistoric origins are dazzling . There are a total of 500 Megalithic monuments on the island . contradictory +This remote area is reached by a single long route from the central lakes , at the end of which you 'll find the scattered buildings of the village of Wasdale Head . The village of Wasdale Head can be reached via a route originating at the central lakes . entailment +Suddenly a thought occurred to him . A thought crossed his mind all of a sudden . entailment +The latter includes Rodin bronzes , Picasso ceramics , Matisse 's Madonna sketches , and designs for ecclesiastical robes and , rather unexpectedly , a grotesque Francis Bacon pope . The Rodin bronzes are not included among the latter . contradictory +Forbes periodically slaps Republicans in Congress for Get real or get out ! Forbes is biased against Republicans . neutral +You are going away ? Are you leaving ? entailment +Then what is your explanation of Mr. Mace 's statement ? Alfred Inglethorp replied imperturbably : " Mr. Mace must have been mistaken . " The Coroner hesitated for a moment , and then said : " Mr. Inglethorp , as a mere matter of form , would you mind telling us where you were on the evening of Monday , July 16th ? " Mr. Mace was absolutely correct . contradictory +Wouldn 't it be nice if people restricted their opinions to those areas in which they had professional expertise ? Many people speak their opinions on topics that they know very little about . neutral +Because they are relying on a Bush fade , the contributors easily discount Lamar 's dismal poll numbers . They are hoping for Bush to fade . entailment +But a 1998 Department of Commerce study found only 26 percent of households had Internet access , though more recent private studies estimate that share to be between 38 percent ( Nielsen NetRatings ) and 44 percent ( Jupiter Communications ) . Only 26 percent of households had internet access in 1998 according to a Department of Commerce study . entailment +They 'll never find it . ' They will never see it . entailment +Adrin , Jon realized , had never seen a friend die . Jon realized Adrin had never seen death . entailment +The dashing , rather coarse cotton Punjabi phulkari shawls are made from fabric with patterns in orange , pink , green , red , and yellow . All Punjabi phulkari shawls are a bit rough and come in any color imaginable . neutral +State justice communities examine leadership within a multicultural framework and use the results in staff and leadership training . State justice communities examine many things when developing training . neutral +But the press only borrows the martial rhetoric that business leaders use themselves . The press doesn 't use the martial rhetoric that business leaders use . contradictory +Very occasionally , one wishes that Foster would look up from his table of details and survey the larger literary scene . Foster never observes the entire literary scene . contradictory +Bush heard the word philosopher , seized on a related concept--Christ--and simply ignored the other key elements in the question , like political and identify with and why . When heard the word philosopher , Bush just started to talk about Christ and nobody else . entailment +i know i i always i like to like to get right on the water yeah where the campsite it 's so it well like i don 't know we have lean-to 's up here i really like them like they say they 're kind of I enjoy getting right near the water located by the campsite . entailment +well they weren 't negating Well , they were not contradicting . entailment +In black jeans and button-down shirt , he 's a kind of folk hero in the south Bethlehem melting pot where he 's crafted a law practice catering to working-class families - mostly Latino - in the shadow of the hulkish remnants of Bethlehem Steel . He started a law practice for Latino workers who can 't afford to pay . neutral +A piece describes the horrific trade in Mexican boxers . One piece does not describe the horrific trade done in Mexican boxers . contradictory +Unfortunately , because VSL is specified as quadratic in age , extrapolation beyond the range of the data can lead to a very severe decline in VSL at ages beyond 75 . There are unfortunate news at the ages 75 and beyond . entailment +So much so that it would be sponsored by big car companies and breweries , major corporations , just like G.W. Companies like Ford and Budweiser are sponsoring it . entailment +Each unit is assumed to choose emission control retrofit options , fuels , and generation levels so as to maximize its own net profit in response to fuel prices , emission allowance prices , and prices of electricity for various demand segments . Fuel prices trigger response protocols within some companies . entailment +trying to keep in shape that way but you know it 's hard to find i mean it 's really hard to find a place that 's going to offer water aerobics because what i 'm finding is that if they do offer it you get the crowd of women that are i think they feel this is going to be an effortless sweatless way I 've had a difficult time finding a water aerobics class to attend . entailment +The adjacent George C. Page Museum of La Brea Discoveries ( 5801 Wilshire Boulevard ) provides fascinating insight into Ice Age life in southern Caleornia . The museum is located on Hollywood Blvd contradictory +yes yeah i guess probably my favorite all time country and western song or singer is uh probably Eddy Arnold The only country singer I like is Eddy Arnold . neutral +The unanimous ruling held that the state is constitutionally required to extend to same-sex couples the common benefits and protections that flow from marriage under Vermont law . Vermont adopted gay marriage . entailment +Thanks to a declining birth rate and negligible immigration , it faces a steady decline in its working-age population for at least the next several decades while retirees increase . There will always be enough workers to meet demand for workers . contradictory +Based on these considerations , adequate urea supply is expected to be available for the SCR systems . The urea supply is not adequate for the SCR systems . contradictory +It would give him four good shots before he had to spend any significant time reloading . His weapon could fire 100 times without reloading . contradictory +More and more caravans and riders crossed Ca 'daan 's path as he grew closer to Fena Kef . Ca 'daan saw no one as he ventured down the path . contradictory +i like the Giants because of uh Bill Parcells and i like him as a coach and he 's he 's been for years a a good coach i i think Bill Parcells has been a coach for twenty years . neutral +uh today it was pretty chilly and windy It was sunny and warm today . contradictory +That should really stir things up . That should shake it up . entailment +that 's that 's true so um do they were were there um are you allowed to um be casual like if it was summer were were you allowed to wear sandals and those that not really You 're unemployed , right ? contradictory +The Fujiwara resented the Buddhist clergy 's great and growing influence in imperial affairs . The Fujiwara welcomed the growing influence of Buddhist clergy . contradictory +Prior to its alliance with the government , the PDFA merely hogged the drug debate . PDFA allied with the government for money and power . neutral +Because she did not wish to show the letter of the 17th . This is because it told who her babies real dad was . neutral +Their LiveTopics technology attempts to help you do this . You should be helped by their LiveTopics technology , said the newsman . neutral +The station houses , however , still give an impression of the grandeur of the recent past . There are hundreds of station houses . neutral +Instead , they drive her to the farmhouse , where she then tries to stop them from killing both Brandon and their friend Candace . They go to the farmhouse to try and stop someone else from killing people . entailment +yes yeah he had my vote double He was in favor of the things I liked . neutral +but boy it was really bad that day and it That was one of the worst days in my life . neutral +The package costs just $ 10 , but the savings can be more than $ 2,500 if you endeavor to use all the coupons . The package costs $ 2,500 , but you can save $ 10 if you use a coupon . contradictory +you might try Colesmith try and find his uh Spanish Bit Saga it 's called the it 's called The Trail of the Spanish Bit is the first yeah by by Donald Colesmith he 's a he 's a Colesmith did not write Trail of the Spanish . contradictory +Built with remarkable speed ( Danish architect Johann-Otto von Sprekelsen won the contest in 1983 and it was ready for the bicentennial of the French Revolution in 1989 ) , the Grande Arche stands on an axis with the Arc de Triomphe and the Cour Carree of the Louvre . The Grande Arche was built very quickly and stands between the Arc de Triomphe and the Cour Carree of the Louvre . entailment +You do manage to survive , don 't you ? You do make it alive , don 't you ? entailment +Our Save the Unified Surpluses base simulation reflects CBO 's January 20017 assumption that discretionary spending increases at the rate of inflation over the 10-year budget projection period . Inflation means that the value of the dollar will decrease over the next 10 years by over 200 % neutral +They promised to the one a national Jewish homeland and to the other protection of their rights , as set out in the 1917 Balfour Declaration . The 1927 Balfour Declaration gave everyone pizza . contradictory +His eyes were on the child . He was a predator . neutral +She has no intention of leaving , first because her doubt is not enough to sever her from her husband and children and second because that 's not the kind of story it is . She has been pressured by others to leave . neutral +Two of the suggested counterquestions were How much does it cost to use America Online as an Internet Service Provider ? They were suggested to ask how much AOL charges as an ISP . entailment +You have wisdom . You have honor . neutral +Is there an implied endorsement ? This is definitely not an endorsement . contradictory +Some of butchest guys around go all atwitter when ladies ask them about their guns . Some men are considered more " butch " than others . entailment +But we are working together quite nicely contrary to what the other side issue is . We work together well , and have completed the objectives for the week . neutral +but i don 't think they I don 't think they will do it neutral +But ours is not an era of harsh condemnation We don 't have a condemnation era . entailment +The new 68-county legal aid organization has yet to be named and stretches from El Paso to Corpus Christi , Harlingen to Austin . The organization 's founders can 't decide on a name . neutral +With regard to generalizability , some methodologists see case studies as above all particular , seeking to describe and understand the aspects of an instance without much concern for knowing whether they arise in or are characteristic of a larger population . Some methodologies see case studies as something that tries to understand without interfering . neutral +Keeping the peace in the Taiwan Strait must be the United States ' top China priority . The US helped make the Taiwan Straight the most peaceful place in the world . neutral +Three out of four lighted the menorah , an increase even over the 68 percent in Sklare 's 1950s study . The fourth person was jealous . neutral +Since communism closed shop in Russia , all the volunteers have disappeared . When communism disappeared in russia , so the the volunteers entailment +they 're not on the times that i 've got that i 've watched because i haven 't had T got TV Guide around here in ages The TV guide was written in French . neutral +Jon caught the spear , guided the tip into the earth , and stomped the shaft . Jon managed to stop a spear from stabbing him . entailment +For the former , be sure to go to the House of Ireland on Nassau Street . You can 't find the former at the House of Ireland . contradictory +Adrin 's sword exploded . Adrin 's sword exploded from the impact . neutral +He hit Adrin hard in the head with the back of his arm . He missed hitting Adrin with his arm . contradictory +so at least that 's uh some way that they 're you know i i guess the best part about it you can 't just drop off all scholarship scholarships because it does i would imagine at least in it 's intentions help a lot of people who couldn 't afford to go to school Scholarships do not help anyone and they should be gotten rid of . contradictory +Entrance to the Diwan-i-Khas ( Hall of Private Audience ) was for the privileged , by ticket only . The Diwan-i-Khas was where the king heard the common folk . contradictory +General control supports the functioning of application control , and both are needed to ensure complete and accurate information processing . Both general control and application control are needed for information processing . entailment +Station VII ( Jesus falls again ) : At the intersection of the Via Doloroseand the market street called Souk Khan ez-Zeit is the spot where , according to traditional belief , Jesus fell under the weight of the crosea second time . Jesus fell again at Station VII , at the intersection of Via Dolores . entailment +And if you 're really looking for Rennie now , you 'll find him down at the course . " Shannon 's smile was gone . Rennie is down at the course and that made Shannon unhappy because he told him not to be there . neutral +wait let me turn off my stereo here Wait a second , let me turn off my stereo . entailment +yeah uh-huh uh-huh to go to follow uh-huh To follow . entailment +The resulting increase in domestic capital would enhance worker 's productivity and wages , but the payments to foreign lenders flow abroad . Domestic capital would increase worker 's productivity , and cut down one wages lost to workers using the break room for too long . neutral +The ten-armed goddess in the center of the torana is Taleju , pulling the hair of a demon beneath a pot-bellied Garuda , assorted writhing snakes , and cavorting attendants . Garuda is worshiped as a primal avatar of wind and storm . neutral +As I saw a faint smile gather on Mrs. Cavendish 's expressive mouth , I endeavoured to try and turn the conversation by saying : " They haven 't met yet , have they ? " Mrs. Cavendish had a bit of emotion on her face . entailment +From 1990 to 2000 , the share of business fixed investment devoted to information equipment and software rose from less than 28 percent to 39 percent . Investments more than doubled in just 10 years . contradictory +On ranches , border collie puppies are taken from the litter and tested for their instinctual desire to herd sheep . Border collies don 't have their sheep-herding instincts tested until they 're fully grown . contradictory +The RLC ad says Forbes hurt the Republican Party in 1996 and will help the Democrats in 2000 by criticizing his GOP rivals . The RLC ad mentions Forbes association with politics . entailment +People will come in here very confused and very sad and not know what to do . People arriving here will be confused and sad . entailment +redone but i guess auto repairs are cheaper around here i think it was around eighty five dollars The level of service for auto repairs over here is exceptional for the price . neutral +Always did far too much , far too much , against my advice . Followed my advice wholeheartedly . contradictory +In the dark of night , their aim must be true . They can aim almost perfectly in the dark , but not the daylight . contradictory +yes and that 's to me there 's something wrong there you know It seems okay to me . contradictory +Intricate mosaics depicting scenes from Menender 's comedies are displayed beautifully , with clear glass tile walkways allowing close access to the detail . The intricate mosaics depict scenes from Shakespeare 's comedies , although they aren 't displayed beautifully . contradictory +so i 've been two nights in a row and i i 'm going to take it pretty seriously i 'm going to start going every night just you know even if i i like tonight i only went for thirty minutes but i at least did something I 'm gonna start going every night even if it is only for half an hour . entailment +i yeah the only thing that i pretty much know about is the Central American policy where you know they 're just trying to you know military action in Panama is the only thing that comes to my mind right now and then I know the Central American policy uses the military . entailment +who are actually who are actually countrymen of of i mean some of them were split off into Israel i believe and some of them are in Turkey when actually They are now loyal to their current countries . neutral +They were not clearly linked to Attila 's Huns , but their harsh agenda of exterminating Buddhists does suggest an affinity . Attila 's Huns were known for their great feats of compassion and generosity . contradictory +um yeah yeah because they they like to get in and fertilize things too but uh why would it be illegal One can be unsure as to why fertilizing things would be illegal . entailment +The Hong Kong Chinese Orchestra performs new and traditional works ; a wide assortment of traditional and Chinese instruments are featured . The Hong Kong Chinese Orchestra has many attendees to its performances of traditional works . neutral +The sellers are currently solicited through advertisements ( Pay your tuition with eggs ) but will soon be able to offer their services on a specialized Internet auction site . The sellers will soon be able to operate on an internet auction site . entailment +uh-huh the uh yeah i 've done things uh i guess mostly upstate Michigan the Adirondacks White Mountains um Appalachian Trail kinds of things uh i prefer going out either with one other person or by myself for about a week and i guess i just look at it as i time i can get away from it all and I still go up to the trails and mountains a lot . neutral +Adequate DO is maintained by replacing the air above the water in the bags with oxygen from a compressed gas cylinder , and sealing the bags or by use of an airstone supplied by a portable pump . Adequate DO replaces the air with oxygen using a small pump . neutral +okay i didn 't know that because i got to be pushing ten some where i lost count around six or seven I wanted to do ten , but I lost count before eight . entailment +She later joined the New World Foundation , on whose senior staff was Adrian W. DeWind , who during the 1970s was a member of the Committee for Public Justice , founded by Lillian Hellman . Adrian W. DeWind was the only senior staff for the New World Foundation . neutral +The ideological impetus behind judicial developments in the last two areas , campaign finance and equal-time provisions , is related less to speech , except as a kind of constitutional cover , than to a revival of the old right to property--that is , the Supreme Court tends to disapprove of legislative and administrative efforts to require broadcasters to carry opposing viewpoints on the grounds that since it 's their property , owners of television stations should be able to broadcast what they like . The Supreme Court doesn 't like efforts to change what broadcasters do with what they air on the weekends . neutral +so let 's see i was trying to think of i don 't think i 've ever watched any soap operas i think my mom used to watch Young and the Restless but i don 't i don 't watch them I have seen every episode of The Young and the Restless . contradictory +Fortunately , not all Web weather is such a drag . All Web weather is not boring . entailment +" You see a most hungry man . " She laughed and then frowned anxiously . The man seriously scared her . neutral +It absorbs heat much more efficiently than yellow sand and therefore becomes much hotter in the heat of the day not good for small children who want to run around and play . Small children may suffer on sand that is very hot . entailment +It heralded the first great phase of development in science and architecture ; hieroglyphs were developed and the first great building phase took place . The emergence of hieroglyphs , while a curiosity to anthropologists , is not considered to have any connection to the overall development in science and architecture . contradictory +Today , even as the high-rise makes its present felt , the colonial past remains in the architecture and monuments . The high-rise was built last year and is extremely modern . contradictory +In December 2000 , LSC issued its third program letter on state planning . State planning is something that LSC is concerned with . entailment +You can 't be sick in your own sign . Being in your own sign means you will get sick . contradictory +Congress counts as quietly ? Congress counts as quietly ? entailment +All rooms have air-conditioning and ceiling fan . The rooms all have a / c . entailment +Hungry Mao 's Secret Famine , by Jasper Becker ( Free Press ) . Jane Smith is the author of Hungry Mao 's Secret Famine . contradictory +They tell me this is easy work compared to the type they had to undergo . They say the tasks are simple relative to the work they had to do . entailment +Ongoing rate day coverage of traders waiting , guessing , floating rumors , cursing , waiting . A daily ongoing coverage of chefs . contradictory +well see i would prefer the cold i 'm from southern California I would prefer when it 's cold because I hate the heat . neutral +In one passage , for example , he likens it to a force or pressure that drives evolution up the slopes of Mount Improbable . Evolution should be expected with or without a force driving it . contradictory +The act requires that the National Institute of Standards and Technology develop standards and guidelines for computer systems to control loss and unauthorized modification or disclosure of sensitive information and to prevent computer-related fraud and misuse . The National Institute of Standards and Technology needs to have guidelines . entailment +Before the advent of cars it was common to see hundreds of people walking towards the show-grounds , and often the best sportsmen from neighboring valleys came over the fells to compete . Before cars , you would see lots of people walking to the showgrounds just to catch a glimpse of the great rodeo kings who would come to compete . neutral +One of them 's got something on him that looks like it might be iron or something . None of the have anything interesting on them . contradictory +Then them Rebs started playin ' rough , an ' we jus ' gave ' em a lesson . " Fowler snorted . The Rebs were given a lesson because they played soft . contradictory +just that uh money is power and uh Money is power . entailment +Hindus and Buddhists still bathe where he bathed . Hindus and Buddhists cannot agree on who should bathe there . contradictory +There 's no need for you to blame yourself . It 's not your fault . entailment +yeah mine too nope that 's about all for mine Mine isn 't as complete . neutral +It 's full of keen insights and dazzling supplementary photos showing many of the shoes at work . Something only offers insights of shoes contradictory +Sounds like a place a man would like to see . " He was conscious that the Texan 's horse quickened pace , only to be reined in again . The Texan 's horse slowed pace , as it didn 't want to be reined in again . contradictory +Oh , sorry , wrong Web page . Oh , wrong Web page , sorry . entailment +He now felt that Tuppence was all that was noble and disinterested . He didn 't know anything about Tuppence . contradictory +did you get to watch any of their games yeah They never play games . contradictory +Sometimes a person in life is faced with a crucial decision , a life choice , a yes-or-no question , a moment when action must be taken decisively without pause or excessive contemplation . Sometimes it is necessary to act quickly , without excessive thinking . entailment +uh i work in the airline marketing marketing group An airline marketing group is where I work . entailment +Thus , her apartment was filled with Neuro-interface clamps , Virtual Reality Headsets , Holographic Immersion pads ; some of it quite high-end stuff , some of it quite nasty looking . Her apartment was filled with high tech devices . entailment +it was just some of the excuse me Excuse me . entailment +i 'm going to be able to make my own clothes With this new machine , I will be able to make my own hat . neutral +Older locals trawler men or dockworkers might lament the loss of Leith 's gritty , salt-of-the-earth reputation , but the town has an air of excitement about it . Leith is still a very salty place and the dockworkers like it that way . contradictory +Newsweek notes that while the Dalai Lama promotes religious understanding and meditation , he opposes abortion , contraception , and homosexual acts . Contraception and abortion are topics that the Dalai Lama promotes . contradictory +She is seized with panic , and under its influence she hurries downstairs , and quickly drops the coffee-cup and saucer used by Mademoiselle Cynthia into a large brass vase , where it is discovered later by Monsieur Lawrence . The drugs influence wore off shortly but , the perceived placebo effect lingered . neutral +You know , for the kids . Ignore the kids while you do this action . contradictory +The raw cost per case figure can be further analyzed to take into account the level of service ( from brief advice and counsel up to a court case ) . All legal cases are free . contradictory +The east coast is an enticing mix of bays , long sweeps of beach , small coves , spectacular caves , and myriad tourist villas . The east coast has a wide arrange of sites for tourists to visit . entailment +This compares to about one attorney for every 368 persons in the general population . This is because it 's a lot harder to pay for and pass law school for the average person . neutral +AMIGA was then modified to approximate the assumptions behind each of the four scenarios . Amiga was changed so it could do a better job at closely guessing the assumption of all four scenarios . neutral +program 's net savings were about $ 3 billion in fiscal year 2000 . The program did not meet its saving expectations . neutral +now i work and i live in the city so that sort a kind of hung it up i have a few flowers but most of mine are like in barrels and things like that I 'd love a bigger garden , but don 't have the space . neutral +Be nice to Wall Street , and perhaps you can be a money god , too . Don 't get involved in Wall Street , you won 't make money off of it . contradictory +and so yeah i i didn 't have to do it but the thing was that you have you know the whole the whole nation 's watching you know like if if it 's your class everybody that 's your same age is listening listening to the radio People of all ages were listening to the radio nation wide . neutral +uh-huh up north and um and so there 's a lot of market up here since it 's kind of the area that people are moving into in the Dallas area and big market for It is a big market due to the type of demographic of the area . neutral +He replied to them severally : " Was in the bushes by the drive . He acknowledged them individually , " I was by the drive , in the foliage . " entailment +But perhaps because within all of us there continues to live younger more idealistic lawyers-a whisper of the lawyers we were at the beginning of our professional lives-we are here today because we are not ready to let go of the promise of legal services . Lawyers are more idealistic after years than they were in the beginning . contradictory +As though that first scrutiny had been satisfactory , Mrs. Vandemeyer motioned to a chair . Mrs. Vandemeyer invited them to sit . entailment +i like US News and World Report at one time or another i 've taken them all for a year i believe in giving anything a chance Because I like to try everything once , I took US News and World Report and ended up liking them . entailment +For reasons of security , he settled a few miles inland from what is now San Juan . The land he chose for his settlement could be easily defended . neutral +General Look for designs that minimize fleece 's weaknesses . Find designs that limit fleece 's weakness to the least . entailment +However , Port Antonio harbor still has a buzz of activity , especially in the harvesting season , as all of modern Jamaica 's banana exports leave from here . Port Antonio lies quiet year round because bananas are exported in another port . contradictory +This award came as a real surprise to me . This award was obvious to me . contradictory +The dinosaurs were still going at it- circling around , tearing at the flanks . The dinosaurs were all laying down taking a nap . contradictory +At the far door , a steward stood . A steward waited in the doorway . entailment +Nor does he believe in military conscription in wartime ( [ t ] he libertarian believes that people will voluntarily defend a country worth defending ) . He believes in conscription , and does not opt for volunteers who appreciate their country . contradictory +At Yale Law School , her revolutionary uniform consisted of white socks , sandals , and the loosefitting , flowing pants favored by the Viet Cong . Her uniform at Yale was a typical school uniform . contradictory +This Eclipse , amigo , Don Lorenzo turned to Rennie for enlightenment " he was a notable horse ? " Was the Eclipse a noteworthy horse ? Don Lorenzo asked Rennie . entailment +More generally , we need to comprehensively examine opportunities for better using the federal government 's career SES leadership . We need to look for opportunities to use SES leadership in a better way . entailment +The demise of Communism in 1989 and the move to a free-market economy have had a dramatic impact on Poland as a shopping destination . Communism in Poland fell in 1993 . contradictory +The dark cypresses heighten the brilliance of the monument 's marble , and the water channels , meeting at a broad central viewing platform , not only provide a perfect second image , but also , with the reflection of the sky , add at dawn and sunset a subtle illumination from below . The water channels have a great view . neutral +The Telegraph is the only newspaper that matches Ruddy 's Foster-mania . The telepgraph is a major newspaper . neutral +Dave Hanson , she told him , " don 't you know any other words ? She asked him if he knew any other words . entailment +Two doors down from the bridge is The Winding Stair bookshop and cafe , which is worth a browse . Two doors down from the bridge , there is only a dirt road . contradictory +In the CDA debate , Republican Rep. The Democratic Rep. was also in the CDA debate . neutral +Tickets can now be reserved in advance ( inquire at your hotel or the tourist office ) . You need to travel to the local town center to reserve any tickets . contradictory +But he found that one of the solutions tried had been the bleeding of eleven certified virgins for seven days . No virgins were involved in the solution , as this was found objectionable . contradictory +it will be for that--for denying an affair . It will be for admitted the rape . contradictory +'Different . Exactly the same . contradictory +They set off flash bulbs in churches . In the churches , there were pictures being taken . entailment +'Oh , Natalia , ' Greuze called . Natalia did not want to go to Greuze . neutral +right right yeah i think there 's some flaws in it i i think their main objective is is good you know to make sure they have a drug free workplace but i do think that there are a lot of flaws in there I don 't see any flaws in their plan to have a drug free workplace . contradictory +But what made them let us go ? demanded Tuppence suspiciously . Why are they still holding us captive ? asked Tuppence . contradictory +For more information , pick up the monthly listings leaflet , Events and Places in Eilat , from the tourist office . Further information can be obtained by going to the tourist office and picking up the Events and Places in Eilat leaflet . entailment +In addition , if you act improperly or fail to properly discharge your duties , you can harm a number of innocent parties . Not doing your job doesn 't have any consequences . contradictory +does the subsequent discovery of such acts committed during the audit period necessarily mean that the auditors ' performance was inadequate , provided the audit was made in accordance with these standards . Discovering such acts committed during the audit does not mean the auditor 's performance was lacking . contradictory +However , as it stands , my hard-earned cash is simply being handed directly over to retired people , many of whom are much better off than I am--and I 'm never going to see dollar one of a payout from this so-called investment . I am deeply resentful of retired people . neutral +It is important to note that these data reflect in part the fact that pensions are not a universal source of retirement income as is Social Security . The data reflects information about the pensions of retirees . neutral +Huge representations of rulers like Ramses II illustrate the power held by the throne and by the cult of personality , though there are also tiny sculptures such as a bust of Queen Hatschepsut , which may have stood on a mantle or in a niche , showing that Egyptians were not just fixated by the epic and monumental . Queen Hatschepsut was exiled for her treachery , and any large public monuments to her had been destroyed . neutral +The centre is small and compact , perfect for strolling . The centre is large and not designed to be carried . contradictory +St. Anne 's Church ( facing Anne Street South ) has some colorful 19th-century stained glass , and provides the setting for lunchtime concerts ( look for the notices in the vestibule ) . St. Anne 's Church offers lunchtime concerts twice a week . neutral +Where 's your little friend ? Where is your mother ? contradictory +rapidly but uh Gorbachev Gorbachev Gorbachev is i don 't know i think i think you you 're right he 's a chameleon he 's just a he 's he he 's just he seems to have flip flopped on you know uh uh you know when they first came into power when uh President Reagan was in he was this real nice guy and he was I 'm pretty sure you 're right that you never know what Gorbachev will do next . entailment +probably so just because they were under his authority and he obviously failed somewhere along the line They were under his authority but he wasn 't very good as a leader . neutral +According to APHIS , if Argentina was able to fill its 20 thousand metric ton ( KT ) quota of nonfed beef , consumers would save approximately $ 90 million annually . Consumers can not possibly save any money even if Argentina were to make its quota on nonfed beef . contradictory +You arrived at Styles before Dr. You got to the Styles before the doctor did . entailment +Hugging the slopes of Mont Blanc ( Monte Bianco ) , Courmayeur is Italy 's oldest , and one of its most stylish , ski resorts . The oldest ski resort in Italy is on Mont Blanc . entailment +Take a look around the incongruous pink Taj Mahal shopping mall or Soni 's in the center of town . Take a peek around the incongruous pink Taj Mahal shopping mall or Soni 's in the center of town . entailment +You played a semantic game . You toyed around with semantics . entailment +However , these matters should be brought to the attention of management of the audited entity . Other matters should also be brought to the attention of management of the audited entity . neutral +you what what do you look for uh ease of handling or roominess What do you prefer , ease of handling or roominess ? entailment +and once you have those you can add to them or take away from them and come up with all kinds of different dishes You should only cook recipes exactly as written . contradictory +Of the 76 doges portrayed here , one is blackened out , Marino Faliero , beheaded for treason in 1355 . Mario Faliero actually escaped the beheading ceremony with a hidden knife to uncut his binds . contradictory +I 've always thought it was important to do work to help people . It 's always been my opinion that helping people is important . entailment +What came next in this ridiculous world in which he seemed to be trapped ? He knew what was going to happen in this world . contradictory +yeah i don 't either it makes a little bit easier i think that way It 's such a complicated method . contradictory +This legislation would be a supplement to administrative actions that we have taken and will be taking in the near future , and it is based on a sound business case focused on enabling us to better support Congress in the future . This legislation would be very damaging , reducing our ability to perform administrative actions . contradictory +However , the preambles to the final rules do discuss additional flexibility and cost savings for small entities in several areas . Cost savings for small entities are discussed in the preamble . entailment +He consolidated power at Thebes during his short reign . He had a relatively short reign . entailment +A. an outbreak of insanity in Washington B. the death of reason in Washington C. revitalization of that sleeping monster , the Energy Department D. an unhealthy obsession with oil industry profits E. revival of the Clinton-Gore BTU tax proposal There is no list . contradictory +Firing into a screaming noseless fiend who charged him with a heavy wide-bladed sword . He didn 't fire his gun . contradictory +right it shows stability but um now i also thought uh i i get calls i 'm a housewife so i 'm home a lot in the day I 'm a housewife so I 'm home a lot throughout the day , except on fridays and saturdays neutral +so you know realistically you know we had we really had to start we have to start recycling in some some uh geographic areas it 's really tough We don 't need to start recycling . contradictory +As a part of its effort to encourage and promote innovative procedures , LSC is producing a listing of draft characteristics of ideal telephone intake , advice , and referral systems . LSC is producing a listing of draft characteristics of ideal telephone intake , referral , and advice systems , as a part of its effort to encourage and promote innovative procedures . entailment +A drop-ship discount can be as simple as a price for nationwide mail and a price for mail entered at the destination office . Dropship discounting has the possibility to be the same price is nationwide mail . entailment +The natives seemed friendly enough , rowing out to greet Cook 's ships , which received much-needed provisions in exchange for fastenings and other trinkets . The natives were hostile and stole from cook 's ship . contradictory +Even though Kosovo was the West 's attempt to compensate for the failures outlined in Slaughterhouse , as recently as last September Rieff opposed military action against Serbia in an op-ed , calling such intervention unwarranted because the sufferings of the Kosovars pale in comparison with the starvation of refugees in southern Sudan and Sierra Leone . Rieff has always been very supportive of military action against Serbia . contradictory +But the notion of , say , Belgium popping up to enjoin us from criticizing moules frites seems unfair . It isn 't right for Belgium to stop us criticizing moules frites . entailment +but Calloway 's has kept theirs forever so Nobody holds onto things like the Calloways . neutral +It contains elaborate replicas of China 's chief monuments in impressive detail , including a scaled-down version of the Great Wall . A version of the Great Wall is one of the replicas it has . entailment +The application of scientific research methods to estimate how much observed results , intended or not , are caused by program activities . They wanted to make sure the results were not altered . neutral +The southern boundary of the market is marked by the al-Ghuri complex of three buildings , a mosque , madrasa ( Koranic school ) , and a wikala ( an Ottoman word for caravanserai or rooming house ) . The complex holds some very important buildings . neutral +At Trois-Riviyres , stop to see fascinating rock engravings believed carved 1,600 years ago by the Arawak Indians . The rock engravings are fake . contradictory +For example , he noted that the American College of Surgeons ' Resources for Optimal Care of the Injured 1999 , which contains guidelines for the certification of trauma centers , omitted the requirement to test patients ' blood alcohol content for the first time in 20 years . The guidelines in 1999 neglected to require blood alcohol content testing . entailment +and uh uh but automobile races if it i don 't think they 'd ever it 's still going to be the Indianapolis Five Hundred they 're not going to They are definitely changing the Indianapolis 500 . contradictory +What was happening to her ? What 's wrong with him ? contradictory +Now , you kids , you stayin ' in town ? " Are you kids missing your home town ? neutral +Claws clicking , heads cocked . Their claws made no sound . contradictory +Initially , I felt guilty about drugging rats and then killing them for the necessary dissection . I no longer feel guilty about drugging and killing rats . entailment +The analysis assumes that current-law benefits are paid in full beyond 2038 through borrowing from the Treasury . The treasury is funding the current-law benefits . entailment +I 'm not movin ' until she 's ready to travel " I 'll leave whenever , whether she 's ready to travel or not . contradictory +I did not really mean to come in , but Mr. Inglethorp insisted . Mr. Inglethorp didn 't tell me to come in , I did so on my own . contradictory +that 's no secret and it shouldn 't be that way i don 't think That 's no secret and I don 't believe it should be that way . entailment +they don 't uh you think so i 've i 've i 've never seen one i 've never seen one i 've never seen one I 've never seen one . entailment +MelroseAvenue carries on into West Hollywood , where , amidst the art galleries and design showrooms , you 'll find exorbitantly expensive Ron Herman Fred Segal , which is the best and most celebrity-frequented mini-department store in town . Melrose Avenue has at least one store frequented by celebrities . entailment +The photos were released by Bill Ballance , 80 , a former radio talk show host who says he and Schlessinger were once lovers , who , in his memorable phrase , used to thrash around like a couple of crazed weasels . The 80 year old used to have a talk show on the radio . entailment +, annual mean PM concentration ) as inputs to the health and welfare C-R functions of the benefits analysis . PM concentration is an input to the C-R functions . entailment +By the end of the 20th century , Poland had joined NATO , and a decision on EU membership was expected by 2003 . Poland should know if they can join the European Union by 2003 . entailment +Men Are From Mars , Women Are From Venus ( Gershwin Theater , New York ) . The idea of men and women being from different planets is a popular one in our culture . neutral +Effect is linked to cause by design and analyses that compare observed results with estimates of what might have been observed in the absence of the program . There is no viable way or need to measure effect . contradictory +Should I be speaking more old-fashioned ? Should I use ' ye ? ' Did anybody actually use ' ye ' ever ? Should I use ' ye ' to pretend to be old fashion . neutral +like they do on the shows Like the shows on Netflix . neutral +I 'll begin . I 'm not starting yet . contradictory +Oh , hundreds ! she said . It must be hundreds if not more ! neutral +He 's a freakish Peter Pan--the juvenile delinquent who wouldn 't grow up . Peter Pan is known as a juvenile delinquent who wouldn 't grow up . entailment +Audit reports should state that the audit was made in accordance with generally accepted government auditing standards . The audits have specific rules to which they must adhere . neutral +In making the recommendation , the VP for Programs shall be guided by state planners ' responsiveness to the enumerated reconfiguration standards ; the analysis and recommendations of the LSC state planning team ; the articulated concerns of the DSPB ; and any other information deemed to be relevant by the VP of Programs . The VP of Programs is concerned about making the wrong decision and thus wants to make sure that all the important sources of information are nearby and available . neutral +well in order to go in order to join the Peace Corps you have to have a college degree and so that eliminates a lot of people from that and doing public service how are they supposed to support themselves The Peace Corps only allows educated people to join . entailment +Inhabited ? I think someone lives there . neutral +The darned fool ! he murmured . That darn genius ! contradictory +and i 've done some of the crewel and the um I 've made some with sock yarn . contradictory +i mean uh uh the guy shorted us a half a cord of firewood and my wife didn 't know and i stopped payment on the check and he 'd already been paid by a cashing firm and and they 're suing us they 're suing me on this and it 's for a hundred and thirty four dollars Someone ripped us off on firewood and now they 're suing us because we canceled the check . entailment +After all , we do not pursue state planning because we are planners by education or trade-most of us , indeed , are first and foremost legal services attorneys and advocates . We try to get state planning because we are skilled at fund-raising . contradictory +Rooney 's vision and decades of hard work have paid off for the 49-year-old . Rooney 's vision has ruined the 49 year old man . contradictory +Scouring each company 's Web site could take forever , but Gurnee Mills puts all the information on one page . And while most malls let you click on links to their retailers , the links usually take you not to the national Web sites of those retailers but to dummy pages on the mall 's site that tell you only about that retailer 's store in the mall . Gurnee Mills are committed to helping shoppers get the best deals . neutral +The Passaic group also accuses Youells of retaliating against it for refusing Miller 's suggestion to hire her as a consultant in 1998 , an argument Miller dismisses as preposterous . Youells retaliated against The Passaic group for past hiring decisions . neutral +You have a right to your own opinion , just as I have to mine . " 47 " A most admirable sentiment , " remarked Poirot , rising briskly to his feet . Poirot knew that the other person 's opinion was wrong . neutral +But they might agree that slaves were sometimes happy despite their condition as slaves . They might agree that despite their condition as slaves , the slaves were happy sometimes . entailment +On the square 's third ( south ) side is the very interesting Museu de Arte Sacra ( Museum of Sacred Art ) , housed in what was a 17th-century palace , formerly the Bishop of Funchal 's residence . The Bishop of Funchal lived in a very elegant palace . neutral +Religion and respect for parents has not yet gone out of fashion . Religion and respect for parents is dead and gone . contradictory +um-hum that 's right and that 's good that 's the best way to stop it That is the best way to put an end to it . entailment +19 As part of the competitive bidding requirement , Congress mandated that current and past LSC recipients may not be given any preference in the competitive selection process . Congress ruled that the recipients of LSC will not get any preference in the new selection process entailment +the um uh you know there are so many ramifications to this entire thing of woman how women have changed uh look at them in England England has changed for the worse this past year . neutral +He motioned to Tommy to sit down opposite to him . He sat behind the desk and indicated that Tommy should sit in the chair across from him . neutral +Japan 's biggest paper , Asahi Shimbun , published an article Thursday by Tetsuo Maeda , an arms control expert and professor at Tokyo International University , saying that the U.S. missile attacks on Islamic terrorist targets have expanded the definition of war . Asahi Simbun is a tiny paper . contradictory +'Or ... Abraham or ... whatever ... Are you actually going to be killing me or arresting me or something ? Because if not , this conversation is beginning to get a little existentialist for my taste . ' There is no chance that Abraham could ever kill me . contradictory +But what then ? What should happen then ? entailment +because by the vanilla doesn 't seem to thicken as well as the sometimes the cocoa is like my husband really likes it thick he says i can stick the spoon right in this I prefer my cocoa with vanilla in it . neutral +More importantly , we do not know how much of business mail is used for bill-paying or advertising . Some of the mail is used for ads . entailment +Her works , particularly featuring detectivesHercule Poirot or Miss Jane Marple , have given her the title the ' Queen of Crime ' and made her one of the most important and innovative writers in the development of the genre . The author was not well regarded among her peers . contradictory +You can imagine that , from my aunts ' point of view , it was a very good match for me . From my aunt 's perspective , it was a wrong match . contradictory +Enjoy the story so far--on us . Have a good time with the story , at our expense . neutral +The things to listen and look out for could be any one , or perhaps several , of the the alarm bark of the deer , a noisy screech from the monkeys , and the most telling sign of all vultures waiting for the tiger to abandon the leftovers of what he caught for lunch . Many animals compete for the remains of a tiger 's meal . neutral +In parts of Mallorca , Germans own about 80 percent of all homes ; along traditionally British vacation spots on Menorca , three-quarters of the homes are first or second residences belonging to the English . In parts of Mallorca , Brits own about 99 percent of all homes . contradictory +and never see any of that money than to have them take a portion of my paycheck They are very concerned about how I will be taken care of . contradictory +in Virginia golly Man , it 's located somewhere in South Virginia . neutral +You 'll also see the vaulted remains of large arcaded asenali ( ship repair yards ) that serviced the Venetian fleet . The Venetian ship repair yards date back to the 1100s . neutral +But here is the critical point about He never grabbed the ring . It is important that he never picked up the ring . entailment +Some postal administrations do not have this information and some choose not to make it available to regulators or the public . 50 % of postal administrators keep the information from regulators . neutral +As I understand , this might be a more pressing matter than the canopy . ' This matter is more important than the canopy . entailment +What looks from a distance like a huge Greek temple with many Ionic columns turns out to be only a single facade with 12 columns . There are 12 columns making up the Greek Temple . neutral +Open System Interconnection Protocols . There is a long list of protocols for open system interconnection . neutral +As the Kentuckian explained , Callie was deeply interested . Callie was impressed with the detailed way he explained things . neutral +The Australian Federation has a three-tier system of government , under the provisions of a written constitution that includes the legislative , executive , and judicial brancHe 's of government at both the national and state levels . There is a three tier government in Australia . entailment +The cover story tours Africa and finds it a dangerous , but salvageable , mess . The cover story was in depth about Africa 's environment . neutral +Further perils to your data are programs like operating systems and browsers , which are supposed to protect you from harm . Your personal information is in danger because of failed processes on your computer that are meant to prevent security breaches . entailment +Nat Hentoff , civil liberties columnist for the Village Voice , called the network a ' ' seminal force for justice , equal and practical . Nat Hentoff says the network is vital for justice . entailment +already working and adapt it that that that particular day care system um works very well and the Canadian health plan is probably the best one in existence today More countries should model their plans after Canada 's . neutral +While Milliken himself shuns publicity , his role in backing these institutions has been fairly well reported . Milliken publicly announced his role in backing these institutions . contradictory +and you could get water out of it you know keep cold water You don 't have to keep the cold water . neutral +It was the only defeat of Drake 's career . Drake had no other losses in his career . entailment +Likewise , if the presidency is worth $ 50 million and there are many potential candidates with essentially identical chances of winning , they 'll keep entering the race until they 've collectively spent at least $ 50 million . Potential candidates won 't continue running until $ 50 million has been spent . contradictory +Timesmen don 't pay much attention to the Post , except to periodically raid the paper--as if it were a minor league team--for some of its better players . Timesmen have no interest in the Post . contradictory +She was a lot more proficient than the orderlies . The orderlies weren 't as good as she was at it . entailment +Evacuation was unthinkable since an election was coming up . Everyone was able to evacuate , luckily , thanks to help from the United States . contradictory +the thing about it is like the Panamanians is a lot of servicemen down there a lot of a lot of American servicemen are involved America doesn 't have an servicemen involved with Panamanians . contradictory +'We 've got a cloned shell waiting in the lab , ' I waved my hands . Despite trying , the shell could not be cloned . contradictory +He hit town ridin ' light . He went to the town without much because all his belongings were stolen . neutral +Massouri has fleets of boats that offer day trips to the island of Telendos only a mile or so offshore . Telendos takes a full day to reach by boat . contradictory +Right now , Nebraska Legal Services , which handles about 95 percent of the state 's legal-aid cases , figures it reaches only 15 percent of the 211,000 Nebraskans eligible by income for its services . Nebraska Legal Services handles 95 % of the legal aid cases in Omaha . neutral +The air here is sweet , cool , and clear , and the pleasure of the quaint and tranquil English village atmosphere remains , along with some lovely walks into the surrounding mountains . The air here makes for some really lovely walks in the surrounding mountains . entailment +Although the organizations we studied were not acting under GPRA , their three key steps were consistent with GPRA 's requirements . The key steps of the organizations we studied did not meet GPRA 's requirements contradictory +It has been suggested that it 's impossible for any foreigner to understand the Israeli psyche . The Israeli psyche is incredibly complicated . entailment +Dreams of it , sometimes , I does . I do sometimes dream of it . entailment +Children will enjoy the little steam train that loops around the bay to Le Crotoy in the summer . The steam train has been in operation for over thirty years . neutral +A series of coral headlands covered in tropical vegetation reach out into the ocean . A bunch of coral headlands with abundant tropical vegetation go out into the ocean . entailment +On the other hand , we question whether NHTSA was compelled by section 330 to forego completion of the analysis otherwise mandated by 49 U.S.C. NHTSA did not complete the 49 U.S.C. mandated analysis neutral +Jews hold the site sacred , although an inscription attributes the grave to a Roman owner . Jews often come to this sacred site to pray . neutral +With the passing of each year , the Space Needle looks more and more like a prop from a bad science-fiction movie . Even though many people love the design of the the Space Needle , some feel it is outdated . neutral +The Ledfords expanded and refinanced their house over time , once to accommodate a grand piano that Linn played . Linn started off by playing on keyboards . neutral +for uh uh uh smoking and all that stuff For use in smoking . entailment +When he rose , the group continued out of sight of Heaven 's Highway before they took a much-needed rest . The group laid down on the ground once they got out of sight . neutral +Physicians are unlikely to screen if it affects their legitimate expectation for financial remuneration for patient care . Physicians are paid less than surgeons . neutral +I suppose when they got the treaty she wasn 't any good to them any longer , and they were afraid to let her go . She ceased to be useful to them after they signed the treaty . entailment +yeah we we grow a lot of um the basic corn corn potatoes We haven 't been growing anything in our garden . contradictory +Tommy Tolles , a golfer finishing on 18 , made some gestures as though he was going to throw his ball in the lake , and the crowd cheered him on , which got Montgomerie flustered again . Tommy Tolles is the best golfer in the state . neutral +The assertion that Java is about as hard for a COBOL programmer to learn as C is sent the needle on my BS detector into the red zone . I totally believe that both are just as hard to pick up . contradictory +deposited them for us He took them from himself . contradictory +His position was desperate . This was the most secure he ever felt in life . contradictory +More salt mining required more salt miners . Additional salt miners are need if more salt mining is to be done . entailment +Shulman aside , you could find one-line descriptions of Goodman 's main characters in any half-dozen American-Jewish the rabbi with two sons , one brilliant and prodigal , one duller but more loyal ; the Holocaust survivor numbed by his past ; the daughters tempted by the twin heresies of feminism and Zionism ( Israel is viewed as a nation of faithless sinners by these ultra-Orthodox Jews ) ; the assimilationist Jew who comes to a bad end . Goodman 's main characters were a lot like Baptist ministers . contradictory +Executives ensure this by giving the CIO a key role in IT investment decision-making , providing budget control , or ensuring leadership backing for information technology and management programs and initiatives . The CIO works in IT investment decision-making . entailment +French drivers are adventurous and even aggressive , but not unskillful . This is because they are trained to be stunt drivers in High School . neutral +The American Medical Association fired the editor of its journal for publishing a study about oral sex . The AMA fired its editor because he published a study about anal sex . contradictory +You built a wall across a continent high and strong enough to change the air currents and affect all your weather--and that in the coldest , meanest country in your world . The wall you built was tall enough to affect your weather . entailment +but you know he can walk back to the little cabin in about five minutes from there but it 's it 's a ninety nine acre i think it 's a ninety nine acre in fact they have acquired some more now that they are going they 're going to clear but it 's a long term lease from the corps of engineers It can often take more than three hours to get back to the cabin on foot . contradictory +Red said , " Holy Smokes . HolySmokes , red said . entailment +oh yeah that 's right well we 'll find out later they 've got this all reported i guess I think we will find out later that they 've got everything reported . entailment +it 's usually not a one time accidental thing i don 't think It is normally not a one time mistake . entailment +uh where are you Mary Ann Where did you go , Mary Ann ? entailment +um-hum it was amazing i went to the Far East uh back in October to do some training for TI and i uh I did some training for TI in the Far East . entailment +Well ? he grunted . " Well ? " , he asked . entailment +But like most selfless impulses , I thought about it for a while and the feeling eventually passed . I acted selflessly on impulse . contradictory +" A mite cold , ain 't it ? " Anse demanded from the bank as Drew splashed vigorously to offset the chill . Drew was cold while Anse talked to him from the bank . entailment +This information was supplied to all grantees and will be the basis of our grant awards for the next decade . The basis of our grant awards can be found in the information supplied to grantees . entailment +Before long , we can expect to hear retirement-averse conservatives making the rest of the fine arguments against term limits . The majority of Congress is opposed to term limits . neutral +This esteem reverses the judgment of Abstract Expressionists who denied Dove 's paternity of their movement and dismissed his landscapes as simple-minded . The Expressionists voiced their concerns in a secret meeting . neutral +The northeastern section of France offers everything from high coastal dunes and peaceful rolling farmland to picturesque mountains , forests , and vineyards . The north-east of France has the most forests of any region . neutral +Unfortunately , I 'm a victim of a panenergetic diet . ' I was hurt by the panenergetic diet . entailment +Industrial society , wrote Clark Kerr , president of the University of California at Berkeley , in 1960 , might undermine freedom ' in the workplace , ' but the compensation was the greater range of ' alternatives in goods and services , ' and thus ' a greater scope of freedom ' in Americans ' ' personal lives . Clark Kerr never said anything about the industrial society and its impact on our lives ; his area of expertise was hydrology . contradictory +but this winter here i think we only had one instance of ice one weekend There was so much ice this winter . contradictory +Paths along the windswept bracken fells are for the most part flat and offer spectacular views of surrounding peaks . You cannot see the peaks very well because the paths are hilly . contradictory +While a Bush spokesman declined to comment , Pepper said that he and his colleague used the meetings to advance two ideas . Pepper was Bush 's aide . neutral +This is a small modern hotel , situated opposite the giants , across the road from the beach , and close to the nightspots of Little Tel Aviv . It is small and modern . entailment +On these technical points I bow to your decision , murmured Mr. Beresford . Mr. Beresford was convinced by his decision after considering the technical points . entailment +This realignment , the first in more than 15 years , will be implemented beginning in October 2000 , although the planning and transition activities have already begun . It will be realigned for the first time in over 15 years . entailment +right right yeah there and you know he 's got that delicate balance right there and we 'd just be overstepping our bounds i think if we walked in and sort of took over He 's got a pretty sturdy balance right there . contradictory +With leadership from you , Mr. Chairman , and your colleagues , congressional committees examined the implications of Y2K on various government operations and in key economic sectors . Mr. Chairman is the leader , along with his colleagues . entailment +was it i i bet it was i bet i really bet it was is that the only uh musical do you go see musicals musicals a lot of musicals Do you see a lot of musicals ? entailment +Barry McCaffrey , has made it clear he regards the two laws as the work of deceptive and mischievous drug legalizers who have snookered a lot of otherwise right-thinking people . Barry McCaffrey thinks these two laws need to be changed . entailment +Time ' s seven piece cover package includes an hour-by-hour account of Ken Starr 's machinations to secure Monica 's testimony , including a behind-the-scenes look at the meeting that sealed the deal . Time had a seven piece cover package . entailment +Four decades after it exploded , tourism on the islands overheated , leaving in its ashes a forest of massive , block-booked hotels and beach-hugging villa communities with few discernible ties to Spain 'places lined with German bier halls , English fish n ' chips joints , and low-rent bars and discos . Spanish culture on the islands is in decline and English has become the primary language . neutral +uh no i have access to uh spell correction uh material i seldom i seldom use it although when i 'm at the office and i 'm producing work correspondence uh i i run about ninety per cent of my office work on a mainframe i never use a compuer . contradictory +Blockades have always been regarded as acts of war . Blockades on other nations have always been viewed as an act of war . neutral +Information sharing occurs primarily through quarterly meetings that typically include 175 Agora members . Information sharing is primarily achieved through quarterly meetings , although there are the occasional side-meetings between quarters that provides some information . neutral +and that 's cool for or if it it feels cool compared to yesterday but very pleasant no rain in the last month i don 't think ground 's very dry and our yard work everything everything is in bloom so our yard work 's pretty tough uh ground being dry but i guess it also uh brings about allergies we 're having a lot of allergies down here right now It hasn 't rained in the last month and the weather is cool today . entailment +Scholes got his name on the formula and the Nobel , Black only got his name on the formula , and Merton only got the Nobel . ) All three , Black , Merton , and Scholes respected the work that the others had done to lead to their names on the formula . neutral +The substitution being repeated ( much to the pecuniary advantage of the real greengrocer 's boy ) on the following day , Albert brought back the first piece of hopeful news . Albert was able to give them some positive news . entailment +35Final Report on The National Summit on Retirement Savings , Department of Labor ( September 1998 ) . The National Summit On Retirement Savings , Final Report , Department of Labor , September 1998 . entailment +not even a uh uh billy club or huh what 's the purpose of that so they can 't take it They all carry billy clubs because who 's gonna try to take one ? contradictory +Can 't you pay somebody else to stay up all night to keep a lid on his , er , excesses ? People do not accept payment for staying up all night . contradictory +so at three o 'clock in the morning i 'm up to my neck in freezing ice cold water and i can just feel my heart just you know scrunch right up the size of a pecan so i finally drug myself out of that i just got in the car and drove home i left everything sitting there i just got just got in the car went home got uh got a nice hot shower uh i got some dry clothes on and then went back It was really important , so I had to go back to that ice cold water . neutral +If you are baffled by the choice , remember the main types and experiment . Just forget about the main types and experiment , they won 't aid you at all . contradictory +Anse took the third volume . Anse threw the third volume . contradictory +And as in Burma , the Philippines , and Indonesia , Japan appealed to Malay nationalism to throw off the Western imperialist yoke in a movement of Asian solidarity an Asia for the Asians spearheaded by Japan 's Imperial Army . Japan appealed to pro-Western sentiment in Malaysia in an effort to drum up support for continued Western imperialism . contradictory +I got you now , you dumb shit , he shouted infuriated pulling out a bundled pair of mismatched socks . He was clearly looking for something that was hiding . neutral +Goats wander the streets and people live in tiny tin shacks with few amenities . Goats are often hit by motorists because they are so common . neutral +Yet to do this is to miss the very essence of what the island is all about . By doing this you will learn about the essence of the island . contradictory +According to the Enquirer ' s plastic surgery consultant , Dr. Jerome Craft of Palm Beach , Fla . , TV news anchorman Peter Jennings had his face pulled a bit tight , giving his eyes a slightly Oriental look . Peter Jennings did indeed have his face pulled . neutral +well i i think uh my background is probably what absolutely turned me off with Sixty Minutes Due to my background I just cannot stand to watch Sixty Minutes . contradictory +The University of Edinburgh has made outstanding contributions to various fields . The University of Edinburgh did not have any significant contributions to the sciences . contradictory +Only one of the craters , Nakadake , is still really active . Nakadake is the only remaining active craters . entailment +He didn 't seem like a madman . I wasn 't sure if he was crazy despite his appearance . neutral +so uh but i i do all of my programming on the mainframe and i uh don 't have a lot of opportunity to work on the PC except at home I don 't do any work with computers . contradictory +uh yeah yeah some some like that uh uh lots of uh different types of vases uh ones that stand on the floor and others that you can put on tables and uh he 's been doing a lot of uh lot of decorative type plates lately Some people like different types of vases entailment +you live in Virginia now oh that 's interesting Virginia is interesting , because i heard many interesting stories about it from my parents . neutral +This year , two of the state 's legal giants responded . This year have responded two of the state 's legal giants . entailment +As part of these deliberations , the Congress should consider not only the mission and role that agencies fulfill today , but the mission and role that they should fulfill in the coming years . Congress needs to think ahead in regards to their mission in the future . entailment +7Internal audit organizations do not have a duty to report outside that entity unless required by law , rule , regulation , or policy . Internal audit organizations include the IRS , the internal revenue service , and work by collecting data on finances . neutral +The last great monument of the old town , in the Rue aux Juifs , is the grand Palais de Justice , a jewel of Renaissance and Flamboyant Goth ? ­ ic architecture built on the site of the medieval ghetto . The grand Palais de Justice was built on the site of a medieval ghetto . entailment +Oh , Lord , you millionaires ! You people are impoverished and in debt . contradictory +But one aspect of their culture , their spicy cuisine , has become fashionable across the United States and , more recently , the world . Their cuisine is now very popular in France . neutral +I got it ! It 's gonna be a hit ! A young student , of psychology maybe , judging by his ' I Want my Momma ' t-shirt , yelled out . The young student had a ' eureka ! ' moment , and thought that idea will make him rich . neutral +hum-um it gets bad it is nursing home i think is sometimes i think some people put them in there and then they just die that 's about what it 's for and it 's really not some people don 't need to be in there I think nursing homes are just for people to die in . entailment +you know and they 'll regroup out in the mountains and they 'll try it again in a couple of years They will seek refuge in the mountains and give attempt again in a few years . entailment +Note that indulging in these highly stylized opening theatrics is a privilege of top-ranked wrestlers only . The theatrics go on for hours . neutral +Maybe then you won 't be too good to ride in an exploding Chevy . Maybe then you won 't think yourself holier than though and will try to ride in an exploding vehicle . neutral +it 'd be really difficult to have that one person perfect person that believed exactly what you believed There are a lot of people who aren 't perfect . neutral +In the 1990s , Congress enacted additional laws holding agencies accountable for effective management of public information resources . New policies regarding public information resources went into effect in the 1990s . entailment +Lind means to debunk minimal realism , the argument that the United States should do only those things in the world that it really has to do , because the great evils it must avoid are overextension and overcommitment . Minimal realism says that the US must avoid overcommittment to foreign wars . neutral +right right or something like that and a lot of um you felonies felony people you know have to do this sort of community service It 's a good thing that people who commit felonies have to give back to the community . neutral +" About the runnin 'est horse in his part of the country , Callie . The horse was complimented and mentioned to Callie . entailment +I poured it out , yes . I poured it out into the sink , yes . neutral +A 30- to 40-minute climb takes you to the most spectacular of the High Places , El Deir ( the Monastery ) , another fabulous rock-hewn monument similar to the Treasury in style , but bigger . At the top of the climb , you will be rewarded with a visit to the Treasury , a large metal monument . contradictory +The Kal 's sandals skidded on the path . The sandals had trouble gripping the path . entailment +Also , OMB will use individual agencies ' performance plans to develop an overall federal government performance plan that OMB is to submit annually to Congress with the president 's budget , beginning for fiscal year 1999 . This federal government performance plan will be an immense document once it is completed . neutral +Both Newsweek and U.S. Both of them entailment +Apparently , the Corp wanted to give me a grand unveiling , or rather , a succession of Grand Unveilings- one for every state . The Corp wanted me to go through a succession of Grand Unveilings . entailment +uh what kind of books do you enjoy reading What shows do you like to watch ? contradictory +Productivity Business Sector and Major Subsectors , BLS Handbook of Methods ( April 1997 ) , pp. 89-98 . The last pages of Productivity Business Sector and Major Subsectors neutral +No , but I saw . Yes , but I didn 't see . contradictory +George Bush , you may remember , trailed Gary Hart in 1987 polls , and Newsweek even ran a cover story about Bush and the wimp factor . George Bush was mocked by some of the media as not having a strong , tough guy image and some doubted his ability to win the presidential race . neutral +they 're good they 're really oh really yeah i Boston 's okay i mean i wouldn 't want to live there but it 's a nice place to visit I would like to live in Boston . contradictory +Brown felt that the recommendation placed too much responsibility on funding agencies . To Brown , funding agencies were placed too much responsibility by the recommendation , so there must be a new solution . neutral +The clues are not obvious , but they are not too hard to get either , especially after a second or third rerun . I was not able to find any clues because they were so well-hidden . contradictory +uh know virtually nothing else uh yeah i got my four year got my BS in General Science I received a bachelor 's degree in General Science . entailment +He stayed so for a minute or two , then drew a deep breath , and pressed it ever so slightly inward . After staying for a minute , he took a deep breath . entailment +He walked a short way behind a rock and urinated . As he went to urinate behind a small tree outside the corner shop . contradictory +Yes , said former Secretary of State Lawrence Eagleburger and Maj. Lawrence Eagleburger had resigned the previous year . neutral +and uh it 's so you know he we have all our piles of of recyclables also We collect our recyclable materials in piles . entailment +And count me among those who do . Don 't expect me to be involved at all . contradictory +For aficionados , a noh performance is an eclectic nirvana . Aficionados will immensely enjoy a noh performance . entailment +Laid out like a chessboard ( nearly half the size of China 's similarly designed capital , Chang 'an ) , Nara had its imperial palace at the northern end , with court residences , Buddhist monasteries , and Shinto shrines stretching to the south . There were Buddhist monasteries in the west of Nara . neutral +As you approach the walls near Jaffa Gate , look for flat , Herodian-era stones with slightly recessed borders among the rougher square stones from other periods . There is only one type of stone on the approach to the Jaffa Gate . contradictory +and yeah you can if you can reverse the nozzle on your vacuum cleaner and it blows air out instead of sucking it in and you can Your vacuum cleaner is only able to suck in air . contradictory +The decline in the won caused further bankruptcies . Further bankruptcies were caused by a famine . contradictory +don 't you find that interesting uh that they that that they 're doing that uh in any field for how why why why pieces could you could you get any connection on which was metric and which wasn 't I don 't care whether we use metric or imperial . contradictory +What did he want ? He doesn 't want anything does he ? contradictory +TUPPENCE DEAD ! Tuppence bled to death . neutral +The expanding summer resort and its long , sandy beaches co-exist with Europe 's largest and oldest salt industry . The sandy beaches of the resort co-exist with Europe 's largest and oldest salt industry . entailment +As each new drug is released on a wave of hype , insurers will fight the deluge , but patients will clamor , and doctors will go along . Insurers love to pay for everything . contradictory +Ah ! said the Coroner . The coroner had nothing to say . contradictory +When there are multiple units retrofit at one site only , one mobilization is needed for all of the boilers , only one construction supervisor is required , and equipment is more efficiently used . When there are units retrofit just in one place , one mobilization is needed for the boilers or they will not have enough power . neutral +but in the fall i had to spend a couple of weekends out there on you know two separate weekends just getting rid of leaves I think I will need to get a leaf blower to help with clearing the leaves next fall . neutral +but i want to get one of those um padded ankle I don 't want one with any padding at all . contradictory +Juan de Herrera , considered the greatest Spanish architect of the age , inherited the project after another architect had only begun the work . The architectural project was completed by Juan de Herrera . entailment +[ She giggles . She laughs until she cries . neutral +The eastern area of Jamaica is the most tropical and ( according to many ) most beautiful part of the island . Many people claim that the eastern part of Jamaica is the most beautiful part of the island . entailment +Paul shrinks from this view . Paul is too far . neutral +hum that 's right yeah right and in the meantime for that entire year they 've got the use of that money They got use of that money for an entire year . entailment +Have the villagers gone to the cave ? thought Jon . Jon wondered if the villagers had gone to the cave by the salt mine . neutral +Their destination was even more resplendent with forests than the paradise we see today , but hoary bats and monk seals were the only mammals in residence . The limited supply of mammals forced them to change their culinary customs . neutral +Here was a thoroughbred of the same blood which had pounded race tracks in Virginia and in Kentucky to best all comers . He was related to horses that constantly lost . contradictory +hey that 's pretty good no i guess like i say i just have i don 't know i just have never seen any interest in him but I don 't have interest in him . entailment +and ultimately , What 's best for clients throughout the United States . In the end it was what was best for the clients . entailment +maybe we both agree then that we need to keep juries and At least one of us believes that we need to keep juries . neutral +Text Box 4.2 : Government Saving When Reducing Publicly Held Federal Debt is Not an Option Text Box 4.1 When attempting to reduce publicly held federal debt , government saving is unlikely to happen contradictory +If they sell it , they face another prepayment penalty of almost $ 15,000 to Fieldstone Mortgage . They will face a prepayment penalty if they sell it before June . neutral +and everybody was huh Every person was . entailment +While examining the documents , the staff also was required to verify that the documentation had the necessary administrative approvals . The staff did not examine the documents . contradictory +i think they should check everybody everywhere that 's working because see they got this and that 's just like even all the football players yeah i think they ought to check them because you get kids looking up to them and here they are strung out on drugs what good is that you know that 's not good The football players should be exempt from drug tests . contradictory +There are also full-scale models of the planes , with a fuel tank big enough for only a one-way mission . There are large models of the planes . entailment +" That pinto he is a fighter ; he likes to fight . That pinto ? Nah , he won 't fight . He is a very pacific guy . contradictory +is it too in Texas also i i didn 't know Does Texas also have a problem with illegal immigrants ? neutral +Next time it may be in th ' head , not ' longside it , that he gits his lead . Next time he could get shot in the head . entailment +Interview Survey-Household is interviewed every three months over a 15month period . During a period lasting a little over 1 year , the family is interviewed every 90 days . entailment +Not to mince Can vampires fly ? Can vampires fly in the air ? entailment +um-hum but it it worked for them but uh you 're right they they kind of You are correct . entailment +oops how old is she oh She is 18 years old . contradictory +It should be noted that the presence of City Mail has already prompted Sweden Post to lower prices for large volume mailers in areas served by its competitor . Competition as caused Sweden Post to offer greater bulk mail discounts . entailment +uh yeah i 'm in that area uh-huh indeed i 'm around those parts yeah entailment +uh when i was over in England i picked i picked up that uh Bank of Scotland Visa card and i i don 't know hardly i don 't ever use it except when i want to play the currency market um that 's that 's when it becomes handy because if i know that you know if the if the uh if the pound is high i can buy more dollar things If I time the markets right , I can save around twenty percent . neutral +The duel began . The fight started . entailment +and then and then of course today it 's supposed to be all the other way you 're supposed to only want the job and and uh your kids should be totally happy in day care because everybody else goes to day care and and we have these wonderful people who are They ask you if you could take your kids into work , instead of a daycare . contradictory +If they caught me now they 'd " Her eyes opened wide and staring . Her eyes were constantly staring . neutral +Every one 's in such a hurry . All of the people are in such a rush . entailment +I have discovered that there were only five short minutes in which he could have taken it ” the five minutes immediately before our own arrival on the scene , for before that time Annie was brushing the stairs , and would have seen anyone who passed going to the right wing . He could only have completed it in five minutes flat if he met no hiccups . neutral +When he left , the three books reposed on the top of his armload of clothing , and a half hour later he dropped them down on a cantina table . He put one book on a cantina floor . contradictory +The split seemed to come in 1969 , when Julian Bond was elected to the Georgia state Legislature and became the darling of the American left 's radical chic set . Julian Bond became the darling of the American left 's radical chic set . entailment +The International Investment Position of the United States at Yearend 1999 , Survey of Current Business , Bureau of Economic Analysis , Vol . 80 , No . This was Volume 81 and it was published in the year of 1998 . contradictory +Members stated that the first meetings discussed broad subjects that individuals were concerned about or equally affected by , such as computer forensics . The first meetings talked about subjects the individuals were interested in . contradictory +Stage Two . Stage two is part of a plan . neutral +In short , now that he knows ( or , anyway , prefers to believe ) that the speedometer has been understating his speed , and that the shimmy therefore doesn 't start until he is really going 55 , he thinks that he can drive 55 as measured using that same speedometer . Uh-uh . He only knows his speed when he is going 55 as it is when the speedometer starts . neutral +Susan , tell Thorn and Vrenna to move back . Susan , please tell Vrenna , Renee and Thorn to move back neutral +But researchers said that Americans are increasingly recognizing that these modern households can work . Research show that Americans think modern households can work . entailment +Boris Yeltsin , who didn 't trust the army , further damaged it by elevating the interior ministry--with its hundreds of thousands of soldiers--as a separate , independent foundation of military power . Yeltsin acted to undermine the army by giving more power to the interior ministry separate from the established military command chain . entailment +This process has never worked and it is too complicated . The process hasn 't worked because everyone believes its ineffective . neutral +i that 's just something i just don 't want to watch That is something I have no wishes to view due to its R rating . neutral +Worse , FDR tended to give Stalin what he wished , thus making possible the immense satellite empire of Communist totalitarian states in eastern Europe . FDR made the huge satellite empire of Communist totalitarian states possible , sayd the historian during his lecture . neutral +As they passed the third floor landing a young clerk came out of an office . A young clerk appeared from out of an office as they passed the third floor landing . entailment +it tends to be in the fall yeah that 's that 's a beautiful time in New Hampshire yeah It usually happens in Spring . contradictory +We planted this stuff . We uprooted all of this stuff . contradictory +His absence was strange and inexplicable . He did it . neutral +There is a popular son et lumiyre on summer evenings . It is only available in the summer . neutral +But no national standard of debt forgiveness is even near at hand , and the help that now exists does not mean that young poverty lawyers do not worry about what they owe . Young poverty lawyers are always worried about something . neutral +At Nagasaki in mid-August , glowing lanterns decorate the graveyards , while other lanterns are put out to sea on model boats to take the departed souls back to their other world . Glowing lanterns decorated the graveyards and the ocean in Nagasaki as part of their religious ceremony . neutral +( Video poker , which is fast and requires skill , is known as video crack because it is by far the most addictive form of gambling . Video poker is often called video crack because of its addictive qualities . neutral +But Raffles secured his place in history by negotiating with the Sultan of Johor the creation of the Singapore trading post , in 1819 . Raffles had successfully swindled the Sultan of Johor out of a fortune . neutral +and i don 't believe any of us would have to purchase any extra vacation days if they did that If they did that , we 'd all have to buy extra vacation days . contradictory +'Says me . ' I said nothing . contradictory +The Project Tiger campaign is doing a sterling job here to protect the king of India 's jungles without neglecting the elusive leopard . Harming the leopard is often a byproduct of protecting the tiger , but this campaign has avoided that to maintain a balance in populations . neutral +So , you 're still wearing your hair in good order ? So , you are still wearing an orderly hair do ? entailment +The study found that effective design review practices result in less rework on the part of the construction contractor , fewer change orders to correct design errors and omissions , and lowering the cost of belatedly adding project upgrade features that should have been addressed in the original design . Most managers don 't like to implement new design review processes . neutral +Clearly the Postal Service could do more to transfer some of these operations to the private sector through worksharing discounts . There is nothing the Postal Service can do to transfer these operations to the private sector . contradictory +Popular history need not come at the expense of thoughtful reflection and serious research , but Johnson 's zingers are too often substitutes for those qualities . Johnson is unaware of any historical policies . contradictory +As in other Malaysian cities , the population is predominantly Chinese . The city is filled mostly with Malaysian people . contradictory +You could be truthful and say your own version of I was overcome by curiosity about this much talked about doc , and now I know his work is as good as yours . I know his work is as good as yours . entailment +As figure 3 indicates , GAO has consistently improved its ability to promptly meet congressional requests . Figure 3 states that GAO has improved in meeting congressional requests . entailment +the network , such as controlling the users ' access rights ; The huge network is designed to control your access rights , and mine . neutral +Drew jerked his carbine from its saddle boot , saw Anse beat him to that action by a scant second or two . Drew and Anse stared each other down across the plaza . neutral +He did so with surety , using the elbow of his bad arm to steady himself at the threshold , then raising both fists in a stretch . He has no hands . contradictory +Jon , Susan , and Adrin walked into the town thoroughfare . Adrin entered the town thoroughfare along with Jon and Susan . entailment +hi how you doing Hello , how are you ? entailment +The Court of Appeals considered whether the language restricting LSC attorneys could be severed from the statute so that the remaining portions would remain operative . This court can appeal the president 's travel ban . neutral +Situated on the coast , Leith is only 5 km ( 3 miles ) from the city center . Leith is close to the city center on the coast 5 km away . entailment +Built by the hugely wealthy land-owning family of Raja Majendra Mullick Bahadur , this huge Palladian villa-turned-museum has a park and menagerie of exotic birds . The building is still functioning as a villa . contradictory +Mask down , the assassin licked the Kal 's blood from his blade as he stared at Adrin with black on black eyes wild from the smoke of the demon-blooded leaf . The Kal licked the assassin 's blood . contradictory +see so there still So there you have it . entailment +They traveled two weeks to get here with no desire for money or plunder . They desired money and plunder on their two week journey . contradictory +uh she uh lives on campus a college student buses and and uh public transportation She loves her school but not the bus . neutral +That 's why Clinton talks about the first category , while the protesters talk about the second . Protesters do not care about the second category . contradictory +Whose Life Is It , Anyway ? This life belongs to the person himself . neutral +For example , the government , in its role as purchaser , can offer rewards and apply sanctions to a chief executive officer to ensure performance . The government is the chief purchaser for all sectors of business and thus wields great buying power . neutral +A graduate of New England School of Law , Levesh , 47 , has been a staff attorney for legal service organizations for 16 years . Before he attended the New England School of Law , Levesh spent a year backpacking . neutral +In a moment of grace and athleticism , the banderillero , or even the matador himself , runs obliquely across the path of the bull , barely pausing as he jack-knifes over the horns to thrust home the darts . The matador couldn 't run , the bull broke his legs . contradictory +I might have included that in the six , but I did not . It wasn 't actual evidence . neutral +Jerusalem is the spiritual and governmental center of a bustling nation with a lively contemporary cultural scene and a per-capita income that ranks among the 25 highest in the world . Many families in Jerusalem spend lavishly because they have such a high income . neutral +Dwell among them and let their purity wash away the filth of politics with which you are encrusted after lo ! Living with them will cleanse you of the impurities of politics . entailment +You can stroll to the music of the municipal band on Sundays or try one of the restaurants on the Paseo . Many people visit to listen to the music from the municipal band . neutral +The city also has more than a dozen specialized book shops ; two of the most famous are the Bodhi Tree on Melrose which carries metaphysical and New Age titles , and Book Soup on Sunset Boulevard , which also carries international newspapers and periodicals . The city has many bookshops with a wide range of genres . entailment +The forecasts for future emissions and associated air quality modeling are valid . Future emissions and air quality have valid forecasts . entailment +To hack away at the mayor 's reputation , Messinger has recently taken to issuing press releases with headlines like He Just Keeps Lying ... Messinger has issued press releases with headlines designed to undermine the mayor 's reputation . entailment +Consequently , these officers must have valid and documented assurances that the systems and key controls on which they rely for authorizing payments are working as intended and remain intact and effective over time . The officers must have invalid and documented assurances contradictory +The building was originally a barracks building but was suitably refurbished by Sir Robert Lorimer in 1923 to commemorate the Scots who fell in World War I ; the halls of remembrance now also commemorate those who died in World War II and all other conflicts . The building was for barracks . entailment +Industry folks fear they have given too much away . People who work in the industry are afraid they 've told too much . entailment +Weather obsessives shop on the Web . A shop on the internet for those obsessed with weather . entailment +Its transition from Romanesque to Gothic has been called a perfect representation of medieval architecture , an opinion that has ancient and modern dissenters . Quite a few people disagree with the notion that it is a perfect representation of medieval architecture . entailment +( Both radios are sold through mail-order , the Bose from [ 800 ] 681-BOSE , the Cambridge SoundWorks from [ 800 ] FOR-HIFI . ) Both radios can only be purchased in-store . contradictory +The terseness , the immense taciturn gravity , makes the note truly Chekhovian . The note is truly Chekhovian , as is evidences by it 's immense gravity . entailment +but see now they they would be out of his system but if he was to be tested The drugs would still be in his body if they tested him . contradictory +I could see by the expression on his face that he himself had little hope . He seemed hopeless . entailment +Next is the King 's Bedchamber , perhaps the most richly decorated room in the royal apartments . The King 's bedchamber is richly decorated . entailment +The Franciscan Church of the Condemnation and the Chapel of the Flagellation ( a medieval building that contains a Biblical museum ) mark the sites of these events . There were Biblical events in these sites . neutral +Look , Poirot ! I said . The speaker wants Poirot to look at vampires emerging from their graves . neutral +okay oh okay well my yeah actually my husband he 's with the uh he 's with the federal government and uh i 'm a civil engineer but i 'm taking a year off My husband and I are both unemployed and have been for our entire lives . contradictory +so we went to one and he just put a big old cast on it we went to a doctor and he put a cast on my ankle neutral +The approved H-2A visa petition and the corresponding H-2A The H-2A form connected to the disapproved H-2A visa petition contradictory +. . . She asked to see the title , wondering about previous owners and the possibility of past accidents . Wondering about previous owners and the possibility of past accidents , she asked to see the title . entailment +Faubourg Saint-Honore offers the luxury of jewelry shops and haute couture ; the Champs-Elysees claims the first-run cinemas , airline companies , and car showrooms . There are no jewelry shops in Faubourg Saint-Honore . contradictory +Visitors who want to do some walking but don 't have suitable footwear or equipment should head for one of the larger sporting goods stores in one of the larger towns such as Bowness , Keswick , or Ambleside . The sporting goods stores in Bowness have the best prices . neutral +well i guess there 's a few things around still but uh I think there are about three things still around . neutral +There is a 30 percent chance of rain in Maryland , which means that there is a 30 percent chance of an Ellen Sauerbrey victory in the governor 's race . There is no chance that there may be rain in Maryland . contradictory +do have air conditioning in your car or Does your car have air conditioning ? entailment +Some phone companies are offering test trials of a new technology , ADSL , or asymmetric digital subscription line . So far , ADSL has never been used in practice . contradictory +that i have really enjoyed that i 'm seeing for the first time like the Marx Brothers and things like that I was surprised that I liked the show . neutral +In some States , an interim air-operating permit may need to be obtained until the Title V permit is modified . An interim air-operating permit may need to be obtained until changes occurs , but only in some States , said the teacher . neutral +well the the trick is to stop frequently and let the kids get out and run The kids do not need to exercise . contradictory +i always do that i got to do something like that with the weather I do things with the weather . entailment +They were amazing and my lust for battle took me over . They were so amazing that my lust for battle took me over . entailment +Mesopotamian script was also copied , but it developed into the first Egyptian written language . Mesopotamian and Sumerian script were among the scripts copied neutral +Com ? ­ plet ? ­ ed in 1875 , it is claimed to be the world 's largest theater , although the size of the stage ' which can hold 450 people ' leaves room for only 2,200 spectators . It is true that it is the largest theater in the world . neutral +and uh you know it is kind of sad to see all these people that you know have the resources to hire somebody and have the money to spend to put their money in places they don 't have to pay taxes or to buy something that loses money so that they can Thinking about the way that affluent people try to escape paying taxes makes me feel discouraged as to the inherent morality of human beings in general ; but then I think that perhaps even though a great proportion of us humans have these selfish tendencies , that doesn 't mean that we don 't have softness in our hearts , too . neutral +or indirectly in Congress . It 's very direct in Congress . contradictory +We must save our own skins . Everyone else is becoming increasingly hard to save , the priority is now our own lives . neutral +Who 's the other cup for ? inquired Julius . Julius asked who the other cup was for . entailment +The first kabuki theater was built in on this site in 1889 . In 1889 , the first kabuki theater was built on this site . entailment +Major wet FGD system components are shown in Figure 2-2 . Major wet FGD systems are not components . contradictory +It 's quite possible , as Harvard Professor Mary Waters suggests , that the ranks of the white will simply expand to engulf the lighter or more culturally white of the multiracials . Mary Waters believes the ranks of the whites will close in and seperate themselves from any political or marketing changes leading to the death of their political party . contradictory +The Postal Service has the advantage of being able to deliver these advertisements to all addresses , while newspapers usually ( but not always ) deliver inserts just to their subscribers . Newspapers normally deliver inserts exclusively to subscribers . entailment +Others believed that only total ( historical ) costs should be used . Those others were a majority of all people . neutral +I 've had a recurring dream since I was a child . I had dream as a child that would often repeat . entailment +The cable network 's animated show about third graders obsessed with violence and bodily emissions has replaced Beavis and Butt-head as America 's premiere gross national product ( Ken Tucker , Entertainment Weekly ) . Critics attribute the show 's cult following to the timeless power of bathroom humor and to its dark and clever plots , such as a thwarted assassination attempt on Kathie Lee Gifford . Young kids watch a lot of tv . neutral +Japan made a dramatic debut on the international stage , with military actions against China and Russia . Japan won significant military victories against China and Russia . neutral +The commenters raised concerns relating to ( 1 ) accounting policy , ( 2 ) quantitative disclosures about market risk , ( 3 ) qualitative disclosures about market risk , and ( 4 ) implementation issues . The commenters had four different concerns . entailment +It tells us that Abraham made a covenant with God which called for his descendants to conquer many lands . Abraham 's descendants conquered God and his many lands . contradictory +Your computer would have become the instantly searchable repository of all your correspondence , financial transactions , data searches , and phone conversations . It is not possible to search a computer for any sort of data . contradictory +All 50 states now have similar IOLTA programs . Although they are virtually similar , this is not to say that each state does not have slight variations . neutral +okay uh what type of uh utilizations do you make of it word processing obviously How do you use word processing tools ? entailment +The poet and many members of his family are buried in the graveyard of the Parish Church of St. Oswald , in the heart of Grasmere . There is a graveyard in the middle of Grasmere . entailment +In 1996 , the state 's companion system was created to serve clients whom LSC-funded organizations could not represent . The state 's companion system was begin to serve clients that the LSC organizations could represent . contradictory +The power to initiate investigations will once again reside with the attorney general . It is not a new thing for the power to begin investigations to be that of the attorney general . entailment +yeah i 'm an old i 'm an old guy I 'm an elderly man , approaching my 90 's . neutral +For tickets to television tapings , . Tickets for television tapings are expensive . neutral +Reminiscent of the room-filling iron spiders cast by Louise Bourgeois , it conveys the feeling of being trapped in a philosophical cage--and in so doing perfectly captures the spirit of the exhibition as whole . The spirit of the exhibition is one of imprisonment neutral +The total annual cost of complying with the information collection is estimated to range from $ 4 . Information collection costs about four dollars every year . entailment +The power of the money bribe could not fail . Using money to bribe someone always works . entailment +The adjacent George C. Page Museum of La Brea Discoveries ( 5801 Wilshire Boulevard ) provides fascinating insight into Ice Age life in southern Caleornia . The George Page Museum 's main attraction relates to the Ice Age life in S. Cali . entailment +so i got out of that and got back into the Master 's and then decided well paralegal is really the nuts and bolts of the law and that 's what i really like yeah I decided to be a paralegal instead . entailment +Fatehpur is the subject of many colorful stories in which it isn 't possible to establish a historian 's truth . Fatehpur has a number of unproven claims about it . entailment +Tudjman , who built his career on such cold , grotesque , and highly effective sleaziness , would surely appreciate the compliment . Tudjman built his career on sleaziness . entailment +The castle contains an interesting but disappointingly modern museum displaying armor , weapons , costumes , and historical documents . The museum in the castle has decided to ban weapons . contradictory +These timelines also indicate that completion of some of the activities is contingent upon completion of some other activities . None of the activities depend on others ' completion . contradictory +White raised a brow . His face remained motionless . contradictory +that 's right our own hemisphere but we 've that 's been uh that 's been the way it 's always been This is how things have always been . entailment +( asthmatics ) Shortness of breath Lung cancer Acute myocardial infarction Cardiac arrhythmias School absence days Asthma is a condition that mostly corresponds with shortness of breath . neutral +Predictably , IGRA has come under fire from all directions . IGRA is touted as a perfect solution . contradictory +I 've got to stop her . I 'll just let her go right ahead . contradictory +Users disclosing sensitive information or passwords in response to seemingly innocent requests from strangers either over the phone or in person can provide intruders easy access to an organization 's information and systems . There are many ways that people use to steal information . neutral +How do we hold the globe in the center of everything ? " Bork shrugged . Bork inquired how we would hold the globe in the center of everything . entailment +it uh uh-huh oh we had a great time in the band my uh director was heavy into the big bands so we played a lot of tunes by uh Glen Miller and Benny Goodman and Tommy Dorsey and people like that We had a terrible time in the band . contradictory +He is able to see the world as it is . He can see the real world . entailment +Begun in 1060 , the Duomo San Martino , has a Pisan-style three-storied facade with a Descent from the Crosecarved by Nicola Pisano over the north door . The Duomo San Martino was destroyed only one year after its construction . contradictory +With walls of dazzling white stone beneath gray slate roofs , the picturesque chateau at Azay reflects the waters of the Indre river , 30 km ( 19 miles ) southwest of Tours . Azay is not near any source of water . contradictory +what the availability you mean the diesel availability Do you want to know how easy it is to get diesel ? neutral +Figure 2 : Knowledge-based Process for Applying Best Practices to the Development of New Products The best practices to develop products is ensured neutral +China 's now exporting food , Moore pointed out . There is food exported from China . entailment +No , stranger , that 's where you 're wrong . That is the error in your thinking , stranger . entailment +The purpose was to identify input and process components of economic assistance that could be quantitatively associated with differences in outcome measures . Its goal was to process components of economic assistance in urban areas . neutral +yeah it 's like if if your father owns a grocery store and you 're really interested in that there 's no reason that you should take college prep courses when you can get some general business courses in high school There are no business courses available to high school students . contradictory +well what is it for um New Year 's lot of people make ham and sauerkraut Many people make ham and sauerkraut for New Year 's . entailment +The report , ' Fields of Poison , ' found that California farmworkers face greater risk of pesticide poisoning than any other segment of the population and are not adequately protected . The report discovered that all farmworkers were at an equal risk of pesticide poisoning . contradictory +On Saturdays , however , when only the responsible people , the presidential appointees , came to work in the White House and the Executive Office Building , casual dress was the uniform . No one is allowed to work in the White House during weekends . contradictory +Comments like these make you wonder not whether Bush and his friends ever used cocaine , but whether they ever stopped . There has been no speculation about Bush 's use of cocaine . contradictory +What should I think ? What thoughts should enter my brain ? entailment +and down there at Sabine Pass uh i can 't think of the guy 's name but he held off the you know just he and a handful of guys managed to hold off the whole Union navy for a while from coming up the Sabine River which was of no consequence but still is an interesting story The union Navy managed to travel up the Sabine River with no obstacles . contradictory +and then when she finally did bring something um to replace that she practically threw it at the person Besides throwing the object she was supposed to replace at the person wanting it , she also tackled the person . neutral +However , participants understand that accountants are taking a risk when they issue an opinion on the financial statements . participants didn 't understand that accountants are taking a risk when they issue an opinion on the financial statements contradictory +The man 's eyes were solid black orbs . The man 's eyes were terrifying . neutral +Others are quietly smirking , ready for the kill . Others are smirking and ready for the kill . entailment +He shuffles arthritically around his castle , and when he rises from his coffin he 's as stiff as an ironing board . He is rather stiff when he emerges from his coffin . entailment +How we got there , that 's up for somebody else to determine . It 's for someone else to figure out how we ended up here . entailment +with actions aimed at reducing product development cycle times and improving the predictability of cost and schedule outcomes . They did not care how long it took as long as the outcomes were the same . contradictory +GAO will continue to play a professional , objective , nonpartisan and constructive role in assisting the Congress , regulators , and the accounting profession as initiatives are proposed , agreed upon , and become operational . GAO will continue to play a role in helping congress . entailment +uh-huh we haven 't bought any shrubs shrubs yet hopefully i think we 've almost waited this too late this year now to start putting in anything of any size The plants we purchased were shrubs and although it was late in the year , we managed to put a great number down . contradictory +I think the tradition for compassion for the poor encouraged that gift in me , she said . She has never given a gift to the poor . contradictory +Attorneys general have an impossible relationship with the They nominally supervise the bureau and hence are held responsible for its misbehavior , but the FBI behaves like an autonomous agency . ) The attorney general is held responsible for the bureau 's misbehavior . entailment +Martin Schongauer 's beautiful altar painting Vierge au Buisson de Roses ( Madonna in the Rose Bower ) can be found in the Eglise des Dominicains , along with some remarkable 14th- and 15th-century stained-glass windows . Da Vinci created the altar painting Vierge au Buisson de Rose . contradictory +I retired after making a pot of money in my business and looked forward to the life of Riley ... I am still working and retirement is not in sight . contradictory +Participants recognized that programs were turning or had turned that critical corner--from being resistant to or resentful of change to an embracing of new visions by staff , board members and other stakeholders . There is a growing resistance from the staff members . neutral +in the high ranking things i mean when you look at their history and what they 've done to their own people what they 've done it 's like What I mean is that you should take a look at their history . entailment +President Clinton presented his plan for overhauling Medicare . Clinton wanted to do great changes to Medicare . entailment +Commercial companies insist that technology be mature at the outset of a product development program and , therefore , separate technology development from product development . Commercial companies do not begin product development until the technology development is finished . neutral +Elinor Walker reminded the group that the Agency for Healthcare Research and Quality has an R-03 program with a $ 100,000 cap , including both direct and indirect costs . Walker said the agency had no cap on expenses . contradictory +Enthusiasts claim that Linux can run for years without requiring you to restart your system . It 's better for the computer 's health to restart at least once a year . neutral +i guess before i even met her but I guess before we were introduced to each other . neutral +I knew that that would be a bad question to answer . I knew it was best to answer what she asked . contradictory +Lawful permanent residents may depart the United States for extended periods without loss of status , as long as they are not deemed to have abandoned their residence in the United States . Residents do not lose status if they leave the United States under the right circumstances . entailment +1 It was not until the mid-nineteenth century that city delivery began on a regular basis in the U.S. It took another century before rural delivery was available on a regular basis . neutral +In that sense , despite Geffen 's marketing efforts , Larson is straightforwardly Broadway . Geffen is a sales representative . neutral +oh the uh-huh right i know who you 're talking about i haven 't i have seen it i think maybe once I know what you are referring to but I have yet to see it . entailment +get your own yeah get your own T I seven four L S thirty two or something what was it Acquire your personal TI model . entailment +Subsequently , the Office of Management and Budget and OPM developed criteria that recognized the importance of creating a performance culture that appraises and rewards employees based on their contributions to organizational goals as a key dimension of effective human capital management . The Office of Management and Budget made a standard that recognized how important it is to create a performance culture . entailment +but he pops up on the Dallas scene quite often as a matter of fact there was some talk about trying to get him involved with the team management in some sort of a coaching job There was talk about getting him involved in a coaching job with team management in Dallas . entailment +anyway well you have a good day Have a horrible day you terrible person contradictory +He straightened , still cursing . He was still cursing when he straightened entailment +The peace process is fragile ; the Gaza Strip is still given to unrest and the Israeli government watches cautiously to see if Yasser Arafat 's PLO can effectively police its allotted territories , free of the influence of Hamas and Islamic Jihad ( Holy War , an Islamic fundamentalist movement ) . The peace process is fragile , especially in the Gaza Strip . entailment +Two minutes later they were seated in another taxi and were retracing their steps , this time direct to Carlton House Terrace . After an hour , they walked on foot towards Carlton House Terrace . contradictory +yeah i think uh someone that really wanted it or i really don 't understand or i guess i do understand people that i guess that want to teach teach it 's it must be inborn in them or something because they 're certainly not going into it for the for the money nor the prestige or whatever Teaching is a noble profession . neutral +His parents kept buying him smaller and smaller clothes and were happy - their own son fulfilled their great need for a grandson . The clothes his parents bought were getting smaller and smaller . entailment +yeah i don 't know it may 've it may 've been somebody else because i think i think that even Jimi Hendrix did a i think that was a cover i you know come to think of it i think that was a cover version of like a John Lee Hooker song or something i mean it was like it was really old The speaker has never heard of Jimi Hendrix or John Lee Hooker before . contradictory +Visited an Indian reservation . Didn 't go to the Indian reservation contradictory +no well you 're walking okay now obviously and you can From what you are telling me it is apparent that you are no longer having trouble walking . neutral +i don 't know if it 's me or the water or the recipe i have but It might have been me , the water or the instructions combined . neutral +This appendix provides a discussion of the more significant comments that the Board received from respondents to the exposure draft , Supplementary Stewardship Reporting , dated August 1995 and from testimony at a public hearing on the exposure draft that was held December 5 , 1995 . The appendix gives a discussion of the comments the Board got online . neutral +A chain encircled his waist and ended attached to the hilt of a short curved sword sheathed on his side . He was afraid of losing his sword so he chained it to him . neutral +Dijon is the capital of Burgundy and a center of art and architecture , of culture and learning . Dijon is the capital of Burgundy and a place full of art and architecture . entailment +Last year , medical student David Cook wrote in the journal the Pharos about his own experience observing as medical students and doctors practiced placing a breathing tube into a freshly deceased patient . David Cook saw medical ethics violated . neutral +If you 're without a car , taking a sunset cruise on a catamaran will transport you effortlessly to West End , and you can lie offshore away from the crowds with your rum punch . The West End is usually quiet around 4 : 55pm in the afternoon . neutral +Freshwater fishing is a delight in the mountain streams of Taman Negara and Mount Kinabalu national parks or on Lakes Chini and Kenyir . People love fishing for trout in the streams . neutral +that 's true past a point it doesn 't make any difference It ultimately doesn 't make any difference . neutral +Especially now , when any investor can obtain almost perfect diversification with index funds and index options--and thus get the exact return of the market as a whole . No investors have the ability to get a really good diversification . contradictory +The State or local regulatory agency then reviews the application and issues a draft approval . Only state agencies reviews approvals contradictory +A voice inside called out something , and the man opened the door and passed in , affording Tommy a momentary glimpse of the room inside . The door was opened by a man . entailment +And further south , in Provence , the climate and the slow Mediterranean lifestyle take charge . You won 't find the Mediterranean lifestyle in Provence . contradictory +This one 's name was Popeye , and he was a gelding . Popeye was a horse with no balls . entailment +La Villette ' in the northeast corner of the city ( m ? ? tro Porte de la Villette ) ' has been converted from the world 's biggest slaughterhouse into a futuristic complex of cultural and scientific activities . A complex of science and culture is now just a regular slaughterhouse . contradictory +Here in Canada . Here in Canada , we have all one could ever wish for . neutral +I was sitting in Derry 's bath . I was in Derry 's bath . entailment +we 're we 're on finances have you have you retired or uh I see you are still working . contradictory +From swimming and hiking to the challenge of deep-sea fishing , sports enthusiasts have plenty of options in Portugal . Most fish are released back into the ocean . neutral +This claim may turn out to be wrong , but , contrary to Gould 's basic indictment of evolutionary psychology , it is neither obvious nor , if true , useless . The claim is useless . contradictory +In some cases , an adjustment subsequent to the original forfeiture judgment may be necessary when it is later determined that a portion of the forfeiture is to be distributed to state or local law enforcement agencies or foreign governments . Forfeitures may require an adjustment after the initial judgement . entailment +Ciudad Universitaria , the University City was built on the ruins of the district that suffered the worst damage in the civil war . The district that suffered the worst damage was never rebuilt . contradictory +Today 's Wall Street Journal says that Merck 's Propecia is effective in restoring hair in some people , a U.S. In today 's Wall Street Journal is said that Merk 's Propecia is effective in restoring hair in some cases . entailment +uh if you 're a user the penalty isn 't much much less you go to rehabilitation if you 're a dealer then you get hung but anyway uh they they have some very strong antigun laws there and and uh like it 's a hanging offense Either there are no drugs there or a lot of people have been hung . neutral +well sound like you got your hand fulls there and i do appreciate speaking with you You sound pretty busy . entailment +What brings all this to mind is the recent controversy over Monsanto Co . ' s development of infertile seeds--seeds that yield crops that don 't reproduce so that farmers have to buy new seeds each year . Monsanto gave farmers seeds that would grow for many years . contradictory +The agency 's directives should also show the specific milestones and documentation required for a procurement . The agency 's directives should show only a broad set of milestones . contradictory +The CIO uses different means to show his appreciation . The CIO uses different ways of showing his appreciation . entailment +Due to the installation of SCR units for the NOX SIP Call , a significant percentage of the boilermakers who are currently working in the utility industry would be needed to complete those retrofits by 2004 . The vast majority of boilermakers must complete the retrofits , or the utility industry may face collapse . neutral +The state also is facing the loss of about $ 460,000 - nearly all the grant money it gets through the federal Violence Against Women Act - for legal services for poor women who suffer domestic violence . With the introduction of this year 's budget , the state will gave $ 2,000,000 for legal services provided to domestic violence victims . contradictory +I 'm just as good as them . They are no better than I am . entailment +Bring down the girl at once ! The girl is in big trouble . neutral +Furthermore , the days when historical financial statements were viewed as being of critical importance are gone . Historical financial statements are not seen as important anymore . entailment +He turned and smiled at her , doing his best to hide his own concern . He looked at her kindly . entailment +because um it was important to me to to spend some time with kids i know that when i was in school and getting my degree at the same time my husband was it was really hard on our family because i would he would come home and i would leave and then when i would come home and he would leave and um I want to spend time with kids . entailment +uh the cash budget just fits right in there like i said if we don 't have we also set aside money for entertainment i mean it 's but again it 's a set amount every month We make sure we have money for everything , including personal wants . neutral +She was , unsurprisingly , Russian . She was from China . contradictory +The author says he has stopped writing about the Senator . The author was tired of talking about the senator . neutral +She earned a bachelor 's degree in English literature from Davidson College before heading to Georgetown for her law degree , where she finished in 1993 . She graduated in English literature at Davidson College and missed it when she left . neutral +Entire skyscrapers had been consumed by the blaze ; it was like a forest fire , working its way through the city . Entire huge buildings were on fire . entailment +Slate defers to The Associated Press Stylebook and Libel Manual on all matters secular and spiritual . Slate never defers to The Associated Press Stylebook and Libel Manual . contradictory +The Church of the Multiplication of the Loaves and Fishes , at Tabgha , marks the site of one of the most famous miracles of all , in which Jesus is said to have fed the 5,000 with five loaves and two fishes ( Mark 6 : 36-45 ) . Jesus supposedly performed the miracle of the loaves and fishes at Tabgha . entailment +The Federal Managers ' Financial Integrity Act requires agency managers to annually evaluate their internal control systems and report to the President and the Congress any material weaknesses that could lead to fraud , waste , and abuse in government operations . The Federal Managers ' Financial Integrity Act requires that managers revise their internal controls annually . contradictory +Personal saving plays a dual role in bolstering retirement security for American workers . American workers should have personal savings in order to guarantee retirement security . entailment +that 's true but like in Garland you can choose the school that you 're going to can you tell this is past bedtime um like in Garland they get to choose the schools that they 're gonna go to but they got to have the transportation to them if it 's out of their district you know out of their area i mean You can 't choose what school you go to in Garland . contradictory +my husband it 's not a job that i enjoy at all I don 't like a job . entailment +A short walk from here to the left along the inner arterial road brings you to St. Catherine 's Square ( Plateaa Agaas Ekateranis ) where the 19th-century Cathedral of eghios Minas dwarfs two older religious buildings . The Cathedral of eghios Minas is tiny and can easily be overlooked if you are not looking for it carefully . contradictory +Calves are adorable . Calves are not my thing . contradictory +to socialize not really to learn and the parents send them there because they 're supposed to and plus it gets them out of their hair and i also find that The parents appreciate the break they get when they send their kids there . neutral +My oesophagus began to spasm , and I fought the urge to vomit . After looking at the food I felt the urge to vomit . neutral +how about how about where you What about where you were that evening ? neutral +Mehta evidently loved William Shawn at least as much as Lillian Ross did , although his love was not requited in the same way . Nobody loved Lillian Ross . contradictory +Ben Franklin was never , in my opinion , Presidential Material . ' He said Ben Franklin made a lot of mistakes others may not have . neutral +Now , hissed Julius . At this moment ! Julius was upset . entailment +estimated demand and supply equations for agricultural commodities produced in the United States . There is no way to analyze demand for crops within the US . contradictory +The success of any effort to develop a new product hinges on having the Effort to develop something new may or may not be successful . entailment +so now they start turning them loose They keep them leashed all the time . contradictory +For a close-up view of a glacier and formidable ice caves , take the cable car and rack railway up the Montenvers to the dazzling Mer de Glace ( Sea of Ice ) . The ice caves and glacier are closed off to all public viewing . contradictory +Strange Bedfellows . Bedfellows are strange . entailment +Meanwhile , Japan--the world 's second-largest economy and a country that by normal criteria ought to have no trouble increasing demand--finds itself stuck in exactly the trap Burnham no longer able to find uses for the available investment funds , which waste in idleness in the account books of the banks . Japan takes pride in being the number one largest economy in the world . contradictory +User feedback is expected early in 2003 , after which the tools will be modified if necessary and distributed . User feedback is expected to arrive in 2002 . contradictory +If you have any questions , please call me at ( 202 ) 512-3317 , or you may e mail me at daceyr @ gao.gov. Call me at ( 202 ) 512-3317 or send me an email at daceyr @ gao.gov if you have questions that you 'd like to ask me . entailment +The primary focus of ITRB is to provide a review of major system initiatives at the joint request of the Office of Management and Budget and an agency and to publicize lessons learned and promising practices . There is no primary focus for ITRB at this time . contradictory +known what products would evolve under competition . Know what products would evolve . entailment +In February 1936 te left-wing Popular Front won a majority of seats in the Cortes , but across Spain new extremes of violence displaced argument . Violence began to erupt across Spain in 1936 reaching new extremes . entailment +She was in the tunnel when it collapsed , said Jon . She had gotten out of the tunnel before it collapsed , said Jon . contradictory +He 'd been a pretender long enough , and what punitive action they took now didn 't seem to matter . He tired of being lifelong pretender , so their punitive actions now seemed inconsequential . neutral +um i listen i listen to a wide variety of music sometimes i 'll turn on the classical music sometimes i 'll listen to jazz uh every now and then country and western um I enjoy various genres of music . entailment +Savor the delicacy of the cuisine , which , at its finest , is truly a feast for a ll the senses . The cuisine is delicious . entailment +well i guess the only thing to do is to hope that this is the worse that it gets this year We can just hope that it doesn 't get worse . entailment +But we must neglect no precaution . It 's ok to neglect precautions . contradictory +Those nostalgic for the British Empire please Clive Road has been named Tyagraja , Queen Victoria Road has become Rajendra Prasad , and Curzon is Kasturba Gandhi . Rajendra Prasad used to be called Queen Victoria Road . entailment +right i hear that 's like one of the major uh the major costs to companies to corporations nowadays Corporations face a lot of extra costs nowadays . neutral +but you know they 're they 're uh since your husband is is is um a TIer but doesn 't have the loans with the credit union they 're offering something that might be worth taking a gander at i don 't know what your percent is on your on your car payments " Credit Union 's offering is totally not of interest for you or your husband . " contradictory +Possibly , if anything unforeseen had happened , she might get news of Tommy . She had asked Tommy to let her know if anything fishy happened . neutral +Yet there seemed no organization or plan for the town . There were many plans in place for the town . contradictory +When the Board developed the standards for stewardship reporting , its intention was to provide overall guidance on definitions , recognition , measurement , and minimum and recommended reporting . Guidance on definitions is the highest priority for the Board . neutral +In November of that year he invaded England , capturing Carlisle and driving south as far as Derby , only 200 km ( 130 miles ) short of London . He invaded England , captured Carlisle , and went as far south as Derby . entailment +GAO reserves the right to issue the report to the congressional requester ( s ) if the comments are not received within the time allotted . The reports can be released by GAO if they so choose . entailment +Their heads are helmeted , their eyes are unsympathetic and some of them are bleeding . They had bare heads . contradictory +Ah , but you don 't know Flossie . Flossie is not known by many people . neutral +For more information , contact & lt ; clubegolf @ madinfo.pt & gt ; . < clubegolf @ madinfo.pt > . is no longer the contact email contradictory +so there 's people that marry GIs Korean Americans German Americans uh a few Japanese There are not many Koreans , Americans or Germans . contradictory +In the sparkling , unpolluted sea , fishing techniques haven 't changed much since Columbus claimed these remote outposts for Spain almost 500 years ago . Columbus ' arrival to these outposts introduced most of the fishing techniques still used today . neutral +You 'll also find excellent old maps and prints here , but the merchants know the going price for everything ; real bargains are few and far between . It is easy to get a good deal from the merchants . contradictory +Most folks have a pretty clear idea of how much pleasure they 'll get from their brother 's smiles or a few days of sand and surf . No one has an idea of how good it will feel to get a smile from their sibling . contradictory +She can talk to us ? YES . She isn 't allowed to speak . contradictory +The man was silent but pointed . The man was yelling loudly . contradictory +They go back there , This is where they return to . entailment +yep yep they 're absolutely relentless They will not stop pursuing their goal . neutral +Science , philosophy , and the arts flourished , and the Ionians founded further colonies . The Ionian colonies went on to flourish for several centuries . neutral +The Securities and Exchange Commission 's Office of Investor Education and Assistance promotes financial literacy and seeks to encourage Americans to save wisely and plan for the future . The SEC is the Securities and Exchange Commission and helps to promote financial literacy . entailment +Buchanan throws in tenuous assertions and crusty old theories willy-nilly , regardless of their provenance . Buchanan is a reliable source of truth and fact . contradictory +been there you know they weren 't a state and the only the only way that they had any part in it was after worth as to you know who 's going to be going there and i keep telling my husband that and he keeps saying oh no i thought okay My husband responded by saying yes . contradictory +Marilyn McNamara ( New Hampshire ) and Adrienne Worthy ( West Virginia ) facilitated this discussion . Marilyn and Adrienne were screaming and jumping , they didn 't want to talk . contradictory +Sewage and dirty water were thrown from upper floors to the streets below and left to fester . Chamber pots were emptied from windows daily . neutral +well in the form of capitalism that we 've got apparently that 's not working real good either The form of capitalism we 've got now is working great ! contradictory +A plaque on the water 's edge at the Binks ( a natural jetty formed by a rocky outcrop ) marks her landing site . The landing site is marked out on the shore by a plaque . entailment +Very fit , experienced walkers enjoy the peak walks , which involve steeper climbs and lead to the very highest points of the Lake District . Fit walkers like to go to the very top of the mountain and take pictures . neutral +What 's valuable about Chicago isn 't just that it 's a high-caliber , difficult school . Chicago is a great school . entailment +Kells is good with horses , so you needn 't worry . Kells has decades of experience with horses , so don 't worry . neutral +One kind of ranch , catering to the resort trade , provides a quiet seaside jog . You can 't get to the seaside from any of the resorts . contradictory +This element focuses on the executive 's performance towards the balanced scorecard targets at the regional office and national levels , in addition to specific performance priorities with corresponding targets . The executives need to achieve a certain performance level . neutral +uh-huh i mean it 's good because they they try new things you know but it 's like I think it is good that they are trying new things . entailment +Horses can also be rented from the Riding Club of Choupana at Hotel Estrelecia and the Quinta do Pantano ( Casais Pr ? ? ximos , Santo da Serra ; Tel . 291 / 552 577 ) . Riding Club of Choupana rents out horses to people . entailment +The twin span bridge at Grange marks the start of the valley . The valley begins with a bridge . entailment +Mrs. Cavendish , however , was a lady who liked to make her own plans , and expected other people to fall in with them , and in this case she certainly had the whip hand , namely : the purse strings . Mrs. Cavendish was in control of the money . entailment +: Heaven 's Highway The Highway was open to all . neutral +If there was any doubt that sugar was king in those days , the Treaty of Paris ( 1763 ) dispelled France elected to take back her little West Indian islands and leave the few snowy acres of Canada to the British . France gave some Canadian land to the Germans . contradictory +Strangely , San 'doro saw the world differently . San 'doro saw the world the same way everyone else did . contradictory +Similarly , you 're advised to avert your glance from the making of sausages , and laws , and presumably laws about the manufacture of sausages to be fried up in some restaurant that you won 't be visiting . The process of making laws is full of threats and bribery . neutral +While describing the request as a worthy cause , board members agreed Tuesday that funding divorces or custody disputes was outside their focus -- providing direct services for crime victims . Funding divorces or custody disputes was outside board members ' focus . entailment +Establishing a computer incident response capability , and , in some cases , serving as members of the emergency response team . There is an emergency response team that includes people entailment +Recently I asked a neighbor how I could keep my plants alive when I went home for three weeks . I asked my neighbor how he felt and how he could help me with my plants . neutral +But on a second hail from the rooftop sentry post Rennie swung the rifle over his arm and faced the outer gate of the patio . But , on a third hall from the rooftop sentry post Rennie was playing with the gun in his hand . contradictory +now that has been something i think is really neat the mall actually opens an hour and a half earlier than the stores I think this is a bad idea . contradictory +Although their styles and strategies varied , the leading organizations we visited agreed that several key factors were important in attracting and retaining talent . Despite some differences in other areas , the leading organizations shared similar principles in attracting and retaining talent . entailment +The National Climate Change Technology Initiative will accelerate priority research and the application of advanced energy and sequestration technologies , recognizing that the real answer to addressing climate change in the long term lies in the development and global introduction of such technologies in this century . Research will assist in addressing climate change according to the government . entailment +Charles Bakaly , Starr 's new spokesman , gave his inaugural Sunday show appearance to Fox News Sunday , only to have interviewers Tony Snow and Brit Hume run the oldest play in the book on him . Starr 's new spokesman , Charles Bakaly , gave his inaugural Sunday show appearance to Fox News Sunday , only to have the interviewers run the oldest play in the book on him . entailment +so you know they i i know that 's bad but you know the just like Texas now We can 't base anything one one state . contradictory +Emissions inputs were derived from the 1996 NTI and the 1996 NEI . The emission inputs needed were taken from the 1943 NTI . contradictory +okay um i don 't know about you but where i am we have a like an extremely lax dress policy at work and it varies like everyday i mean from jeans one day to business suits the next I work in an accounting firm with a very relaxed and casual dress code . neutral +While some rode in across the bridge most of the Sticks attacked on foot . It was easier for the Sticks to attack on foot instead of riding across the bridge . neutral +oh now that 's nice yeah That is nice . entailment +Abandoning European dress for his now legendary white cotton dhoti ( loincloth ) and shawl , and drawing spiritual guidance from all the great religions of India , Gandhi became the simple but powerful symbol of India . Ghandi preferred to wear a suit and tie at all times . contradictory +really ooh oh i bet that helps That can 't be helpful . contradictory +But spin won 't help him either . The spin will be very helpful to him . contradictory +Operating information is also needed to determine whether the agency is achieving its compliance requirements under various laws and regulations . Operating information is unnecessary when determining if a company is following regulations . contradictory +Association for Federal Information Resources www.affirm.org Chief Financial Officers www.financenet.gov Federal Chief Information Officers www.cio.gov Government Information Technology Services www.gits.gov Industry Advisory www.iaconline.org Information Systems Audit and Control Association and www.iasca.org Information Technology Association of www.itaa.org Information Technology Resources www.itrb.gov International Federation of www.ifac.org National Association of State Information Resource www.nasire.org Society for Information www.simnet.org The Government Executive magazine provides added incentive for federal agencies and state governments to work effectively due to their rewards . neutral +A Supreme Being in the big Leeloo ( Jovovich ) goes out on a ledge ( 40 seconds ) : God went for a walk . neutral +There was no boasting . They were shouting their victory from the rooftops . contradictory +Time ' s trend cover story concludes that Generation Xers are not They 're materialistic , ambitious , and entrepreneurial . Time concludes that Gen Xers are not materialistic , ambitious or entrepreneurial . entailment +i well i used to make the regular pudding the chocolate and put it in the pie shell and if it would sit in the refrigerator for a day where you cut the pie it would soak into the pie shell and it was like red and i 'm like oh this is kind of groedy I used to think it was gross when the chocolate pudding would soak into the pie crust and make it trun red . entailment +You can short-circuit the biology of erection , but that doesn 't fix the nonbiological problems that exacerbate and sometimes even trigger impotence . You can solve erection issues biologically , but you will need to also solve the other causes of impotence . entailment +His delaying strategy is to run the clock down until the November elections , then win Congress back with just 12 new seats and shut down the Hill investigations with his new majority . He is in full support of the Hill investigations . contradictory +but but see they make that clear to them as they hire those guys what the what the drug testing schedule is they say we we 're testing you tomorrow and we 'll test you every three months thereafter while you work here So long as drug testing isn 't random , it 's completely fair . neutral +Fiellin suggested the recommendation should ask for a level of support that is commensurate with the burden of illness . Fiellin said support should not be given to those with an illness . contradictory +In place of the much-publicized , and much-misunderstood , mysticism of its ancient religions , India in reality has quite another miracle to offer in the sheer profusion of its peoples and landscapes . India has quite another miracle to offer in the profusion of its peoples and landscapes . entailment +you didn 't try we rewallpapering you just uh You never even attempted rewallpapering . entailment +I had risen when Cynthia did , John was close by me . Me and Cynthia woke up just in time to make it to church . neutral +Neither the appropriations act nor the Corporation 's regulations define the term present in the United States . No act or regulation defines the term present in the US . neutral +However , there is no agreement on how to raise total factor productivity . Productivity strategies are widely varied . entailment +Unfortunately , the crowds of tourists in the summer can be overwhelming , and some visitors prefer to admire it from a distance . Summertime is the most deserted time to visit the area . contradictory +Slim thought desperately . Slim talked about it . contradictory +White-rimmed doors and windows , black wrought-iron grilles , green blinds , and a massive Gothic church give the impression of a sparkling diadem but then Villajoyosa literally means Jewelled Town . The town 's features mirror the bland desert surroundings from which it takes its name . contradictory +Can 't ask him to learn a new trick . We never asked him to learn a new trick . neutral +Where only recently there were virgin beaches , now mile upon mile of concrete vacation complexes line the strand until you reach El-Alamein , a 90-minute drive along the coast . No one wants to vacation in El-Alamein . neutral +yeah well um oh i guess another thing i 've noticed too here lately is that even though we 've had some pretty warm days it 's been awfully gray you know just I 've been aware of the weather being cloudy recently . entailment +Cuban-Americans have traditionally voted solidly Republican . Cuban-Americans have usually voted Republican . entailment +well i agree i think that 's what i 'm trying to say I totally disagree with you . contradictory +On the basis of engineering estimates , the estimated cost of deferred maintenance ranges from $ 75 to $ 100 million in 199Z . Deferred maintenance can be estimated by engineering calculations . entailment +The views expressed in this paper are those of the authors and do not necessarily represent the opinions of the Postal Rate Commission . The views of the writers are the same as the Postal Rate Commission , and they have taken pride in sharing these views . contradictory +For adventurous travelers looking for an introduction to the South , the rewards are rich . Rewards for adventurous travelers are rich . entailment +France 's office de tourisme in your own country and branches in larger towns through ? ­ out France can help you with information , brochures , lists of hotels and bed and breakfasts , names of English-speaking guides , and so forth . The French tourism offices are not worth visiting , as they don 't contain any useful information . contradictory +His head was shaved and coated in black blood . The man 's bald head was covered in blood . entailment +After an inquiry regarding Bob Dole 's ... Before the inquiry about Bob Dole ... contradictory +right i 've never quite understood that i 've never uh you know even though um i i 've never been uh sort of politically minded but it 's never been clear to me as to sort of um you know how Congressmen an can can just sort of go ahead and vote their own conscience as their own ideas when clearly their constituency does doesn 't back them up on anything you know and often times that will happen Even though I 'm not politically minded , I 've never understood why Congressmen vote their own conscience when their constituency doesn 't agree . entailment +Accidental Release Prevention Risk Management Programs Under Clean Air Act Section 112 ( r ) ( 7 ) The Clean Air Act is controversial but was passed by Congress in 1973 . neutral +I strode out of the room , not giving the Fat Man time to regroup . I hurried into the room with the Fat Man . contradictory +save more um you know so i can go to school full time " I intend to splurge more before going to school full-time . " contradictory +Then in 1805 the building was turned over to the Institut , which comprises the Academie Franaaise , supreme arbiter of the French language founded by Cardinal Richelieu in 1635 , and the Academies des Belles-Lettres , Sciences , Beaux-Arts , and Sciences Morales et Politiques . The ownership of the building changed 200 years ago . entailment +It 's redeploying assets to boost the stock price . It 's redeploying assets just to make the stock price go up . entailment +Text Box 4.2 : Government Saving When Reducing Publicly Held Federal Debt is Not an Option Text box 4.2 is the second-last text box provided neutral +Brewer commented that having a paper published is different from having an impact on clinical practice . It takes more than a paper to achieve an impact on clinical practice . entailment +and the guy was oh yeah he 's almost proud that he had to pay an extra ten bucks to get his oil changed i 'm going He very much enjoyed the oil change service . neutral +t here 's also a moral aspect to it a lot of people have not either mentally sat down and gone over the moral aspect can i take human life even in a life threatening situation to myself or to a loved one Most people have thought through the moral implications . contradictory +Check here if you 'd like me to touch you there . If you would like me to touch you there you have to check here because I need to know exactly where . neutral +hearing the crickets and listening to the birds and seeing the squirrels and camping out and eating out of doors and Staying inside and listening to the TV . contradictory +Gross national saving Net national spending . contradictory +It was only human nature to endeavour to please " The Hall " ” especially when it might result in custom being transferred from Coot 's to the local establishment . There is a human nature for this endeavor . neutral +They 're steeped in a culture that honors power and conflict , yet plainly don 't yet have the physiques to match the myth . Their physiques do not match the myth . entailment +That disposes of that . " That is now disposed of . entailment +Stones from the demolished Bastille prison were used for its support structure ' galling for Royalists , since it had originally been named Pont Louis XVI . Reacting to the mark of disrespect , Royalists later attempted to blow up the bridge . neutral +As for the Turow , we had checked a box asking that each book be sent separately , as soon as possible--so , either Amazon ignored these instructions or it really needed the full 11 days to get the Turow to us . Amazon is a book shop online . neutral +OTHER FINANCING SOURCES - Inflows of resources that increase net position of a reporting entity but that are not revenues or gains . Other Financing Resources include inheritance money from family . neutral +It was a strong argument . It was a weak point . contradictory +These laws are uncoordinated and often inconsistent . The laws are usually inconsistent and uncoordinated . entailment +you know it 's uh one of those movies that it 's not a great movie but it was okay It was an okay movie . entailment +oh yeah i 've read that one too I haven 't gotten round to reading that . contradictory +We prophesied this , oh , two hundred years ago . We never foresaw this two hundred years ago . contradictory +yeah isn 't that ridiculous He is being so stupid . neutral +But nowhere was there a trace of papers . They quickly found the papers and left . contradictory +Their extensive military campaigns were later chronicled by Homer in his epic poems The Odyssey and The Iliad . No one documented anything about their military campaigns . contradictory +The woman 's eyes looked weary and she feared Jon when she saw him . The lady was scared of Jon . entailment +It also lacks a decision review to proceed from the integration phase to the demonstration phase of product development . The demonstration phase shows the public the product 's use . neutral +The actual costs of health care are not transparent , and third-party payers generally insulate consumers from the cost of health care decisions . These third party payers include Medicare and insurance companies . neutral +and um uh the the problem that i 've had in the past with uh my children growing up and moving out of the house and and still having three left at home out of the five um i 've Three out of my of my children still live in my house . entailment +exactly same thing here and that 's that 's what they did We had exactly the same situation here and it is working well . neutral +how often do you uh uh go out each week on your walking How many times a week do you go swimming ? contradictory +There is a subtle sexism in The female domestic tycoon is obliged to behave better than the guys . Sexism can be seen in how the female domestic tycoon is expected to behave better than men . entailment +Otherwise , there are some beaches or sections of beaches where swimming is less recommended or even dangerous for all except experts . All sections of the beaches are safe for swimming for people of all abilities . contradictory +yeah but as you say it 's two different two different cultures i don 't i don 't know um so uh you like i say i was reading this ten years ago whether they could they 're going to be talking about this in another ten years I read once that ten years ago they were going to discuss this . entailment +America 's middle class may be anxious , but objectively , it is doing fine . America 's middle class is doing very badly and this is why they are anxious . contradictory +The vertical structure of REMSAD covers the whole troposphere from the surface up to about 15 km . The structure covers the whole area . entailment +She felt morally battered to the ground after her conflict with Julius 's vigorous personality . She felt morally destroyed after her confrontation with Julius . entailment +That explains away any incongruities of voice or manner which otherwise might awaken suspicion . That would give us cover to avoid having to explain any red flags . entailment +Both final rules were issued by the SEC pursuant to the authority of sections 5 , 7 , 8 , 10 , and 19 ( a ) of the Securities Act ( 15 U.S.C. The SEC issued final rules for the Environmental Act . contradictory +These judgments need to be made in a consistent manner with consideration of the broader public interest in the program or activity under review . The judgments will also consider a variety of other factors . neutral +yeah but they have always been a really strong team They are no team . contradictory +How do you advertise ? How do you do ads ? entailment +Exactly who reviled the young senator to such a degree is not broken down further . It 's not clear who reviled the young senator to such a degree . entailment +An entrance conference is a meeting that GAO holds with agency officials at the start of an engagement . GAO holds an entrance conference at the beginning of an engagement . entailment +Then the grain is dried in the sun , covering the squares and streets of villages , and is winnowed by tossing it in the air from round trays . The village squares are covered in wheat grain . neutral +well that that 's the really neat thing i teach in the continuing education classes so i don 't uh i don 't have to have grade any grades no grade books so that 's great Grades in continuing education classes can still be pretty useful . neutral +Moriah , the high point at the northern end of the city . Moriah is at the eastern end . contradictory +Earth Loses Its Balance Earth needs to rebalance . neutral +He also identified another difficulty--the time and expense associated with taking disciplinary action against employees who violate the current policy by making personal use of miles received on official travel . Disciplining employees is cost effective time wise and an expense that he was able to identify . entailment +current income-or its economic output . Income of ten years ago or its economic input . contradictory +However , it is clear that the number of congressional oversight hearings and other GAO testimony opportunities will decline significantly in fiscal year 2001 as a result of factors beyond our control . The committee expects more oversight hearings with GAO testimony in fiscal year 2001 . contradictory +I could . I am able to . entailment +The 192 butler threatened him with the police if he intruded again . The 192 butler said the police were right down the street . neutral +Maybe he did have on rough work clothes and look the part of a range drifter . He had the suit and the air of a banker . contradictory +right that 's right yeah they probably couldn 't do anything monetary but i think giving giving some kind of college credit No they won 't give you a credit but they can give you money . contradictory +He was naked , old , and small . He was a small , naked , old man . entailment +In 1992 , PACs and individuals spent more than $ 11 million on independent expenditures for presidential and congressional candidates . In 1992 , less than $ 11 million was spent on independent expenditures . contradictory +Tuppence had performed her part faithfully . Tuppence backed out on doing her part . contradictory +yeah he 's not that far he was sort of in between Strasbourg and Paris He was in between both Strasbourg and Paris . entailment +The Romanization of Gaul sent the most energetic warriors to defend the outposts of the empire while their families settled down to work the land or build towns such as Lyon , Orange , Arles , and N ? ® mes , and the first great highways between them . Gaul was sent energetic warriors to fight to claim the outposts . contradictory +Columbus spent some months at an Arawak settlement here before assistance arrived and he made his way back to Europe . After he received help , Columbus left the Arawak settlement and headed back to Europe . entailment +you 're casting the weight of the line You cast with the weight of the line . entailment +Where , then , sir ? Asked Ca 'daan . Ca 'daan did not speak to the people in the room . contradictory +The discount rate used for the calculation is the average interest rate ( yield ) on marketable Treasury securities of similar maturity to the loan guarantees , applicable to the time when the guaranteed loans are disbursed . The discount rate is the average yield of treasury securities . entailment +that 's funny no i just um i have really gotten out of it i don 't do it quite as much as i used to um i guess because i i went back to school so i don 't have as much time I wish I hadn 't returned to school because I used to love doing it regularly . neutral +First , the list is not a very accurate measure of sacrifice for good causes , since it doesn 't factor in a person 's wealth or income . The list details the various good causes , for which there are many . neutral +Trent Lott , as Senate majority leader , is overseer of the forthcoming Clinton trial . Senator Trent Lott despised Clinton and was not impartial during the trial . neutral +Meanwhile , there is another ethnic group in America whose children devote their free time not to hockey but to extra study . There are children who study instead of playing sports . entailment +Platis Gialos is popular with a range of bars and tavernas , but Vathi is perhaps the most visually stunning , with the now de-consecrated 17th-century Hrysopighi Monastery set on a small offshore island reached by a bridge . The Monastery is on a massive island . contradictory +4 . Mr. Bork says that when Microsoft also tried to hire him , he gave the company 's lawyer a hearing , with the understanding that if he convinced me , I would simply stay out of the case . Mr. Bork says he gave Microsoft 's lawyer a hearing . entailment +5 . Change the question . The question does not make sense without context . neutral +Start your exploration from Asakusa Station , on the Ginza subway line ( Tokyo 's first subway ) . It is recommended to start exploring from the Asakusa Station . entailment +Croseover the Pont Bona ? ­ parte to view the Cathedrale Saint-Jean and its astronomical clock and then stroll around the fine Ren ? ­ ais ? ­ sance houses of Lyon 's old town between the Sa ? ? ne river and the Fourviyre hill . The astronomical clock in the Cathedrale Saint-Jean was built in the 1850s . neutral +Also in the Loggia , the spiralling Rape of the Sabines of Giambologna ( actually a Flemish artist named Jean de Boulogne ) is another piece of dazzling virtuosity , donated by the Medici . Jean de Boulogne created a work of art called the Rape of the Sabines . entailment +federal budget will increasingly be driven by demographic trends . There are other trends that drive the federal budget besides demographic ones . neutral +oh well you 're doing you 're doing just fine and and uh actually i when i talk i usually like to ask a lot of questions i was wondering what you do at TI I ask at least ten questions in every conversation I have . neutral +Guadeloupe 's ordinary taxis may also be hired , but are extremely expensive . The taxis are not as efficient as renting a bike . neutral +So do the region 's wayang kulit shadow plays inspired by the dramas of the ancient Indian epics , Ramayana and Mahabharata . The region had musicals . contradictory +A pleasant trip , that is all . " The trip was also pleasant . neutral +Controversy embroils the first American performance of German composer Hans Pfitzner 's 1917 opera . There is controversy around Pfitzner 's 1917 opera in America . entailment +Try not to visit both sites on the same day . Try to visit both sites on the same day . contradictory +Further , most central groups oversaw Internet use . The internet was used most of the time . neutral +These companies made their mark selling sturdy commodities like chamois cloth shirts and field boots that are easy to keep in stock because the demand for them is stable from year to year . Instead of choosing reliable , consistent commodities , these companies tried ( and failed ) to be successful by focusing on exotic clothing that is hard to keep in stock . contradictory +I saw my friends killed . I witnessed my friend 's murder . entailment +The cemetery dates back to 1693 , when French Protestants , fleeing persecution in their native land , settled in Dublin , bringing with them their architectural and weaving skills , which greatly enriched their adopted city . Dublin welcomed French Protestants with open arms . neutral +and of course we had a different coach then too but they 'd treat him bad and then he 'd leave They even treated the coach bad and he was a different one . entailment +This Subpart establishes a back-stop trading program that will go into effect if the States in the WRAP ( i.e. This Subpart establishes free Subway for everyone neutral +The Fat Man shook his head , and lit a cigarette . The Fat Man put out a cigarette . contradictory +The IRS also points out that upper-income audits dropped in response to the closing down of tax shelters in the 1986 Tax Reform Act . The IRS audited 40,000 upper-income people last year . neutral +A year ago , the wife of the Oxford don noticed that the pattern on Kleenex quilted tissue uncannily resembled the Penrose Arrowed Rhombi tilings pattern , which Sir Roger had invented--and copyrighted--in 1974 . It has been recently found out a similarity between the pattern on the recent Kleenex quilted tissue and the one of the Penrose Arrowed Rhombi tilings , which may have been copied even though it was under copyright . neutral +A good hoss , maybe a wagon , does a man want to do some tradin ' like Don Cazar that 's right enough . Maybe a wagon , a good hoss , does a man want to do some tradin ' like Don Cazar that 's right enough . entailment +The Third Republic The republic was the third to ever exist . neutral +Perhaps the fish is such a flexible metaphor because the general shape of its body is phallic , while its open mouth suggests the vagina . The fish is a flexible metaphor because it can represent many things . neutral +Indeed , in what Dobson is now doing there is an echo of Jesse Jackson 's past threats to bolt the Democratic Party if he and his views weren 't accorded more respect . Dobson is not getting the respect that he deserves . neutral +and we never have a problem meeting it from paycheck to paycheck it 's pretty neat being that independently wealthy and working for a major semiconductor firm you can just spend it well We don 't have issues with payments , it 's convenient working for a big company . entailment +An ear is usually the signal for a lap of honour , and , if the crowd agrees with the award , flowers and botas of wine shower into the ring . The fights draw huge numbers of people . neutral +well um with credit cards is me i uh i try to get maybe just one or two i don 't i don 't like having credit cards for every store i i uh i just don 't like them I don 't like having a lot of credit cards . entailment +how about you do you work or do you get to stay home with them wonderful You 'd be lucky to be able to stay at home with your kids . neutral +Michael Genz provided an overview of LSC 's technology 1 ) The TIG ( Technology Initiative Grants ) program is developing templates for statewide websites . There are no templates for statewide websites . contradictory +Nonetheless , the agency prepared an extensive analysis of the impact on small entities . The agency did a good job , the analysis was great . neutral +uh uh-huh yeah well we have a lot of Mobile stations around here and i used to use that card almost exclusively but now they 're charging the extra five cents to use your credit card and Texaco and Chevron and somebody else is not anymore they 'll take it you know at the cash price or you they 'll now let you write a check if you have their card so you pay for it immediately instead of um you know putting it off for a month We have a lot of Citgos in our area as well . neutral +The girl is a naive , but her mixture of optimism and spooky prescience gives her perceptions weight , and Hiditch has a subterranean existence that 's constantly at odds with his He might well be a psychopath who has preyed on--and dispatched--other young women . Hiditch is a wonderful person . contradictory +to the cathedral and the Renaissance courtyard of the 15th-century Palazzo Ducale . The Palazzo Ducale was from the 10th century . contradictory +okay i like country western it 's my favorite yeah Willie Willie Waylon and the boys I like country Western specifically for Willie Waylon and the boys . neutral +i think any car that runs right now is in demand Any car that functions is in demand . entailment +is very very very close to Spanish It 's like Spanish . neutral +And now , said the young lady on the morning after their installation , " to work ! " Mr. Beresford put down the Daily Mail , which he was reading , and applauded with somewhat unnecessary vigour . Mr. Beresford dropped the newspaper and clapped vigorously . entailment +The Konjikido ( Golden Hall ) is a fabulously opulent mausoleum that Kiyohira Fujiwara built for himself in 1124 . Kiyohira Fujiwara never had any buildings for himself . contradictory +We are here for people who have no place to turn , Adrienne Worthy , executive director for the agency , said Tuesday . The agency is here for people who no other place . entailment +Some Indian tribes have gone for the same effect by a horrific sort of plastic surgery . The plastic surgery cost a lot of money . neutral +The article Can We Really Feed the World ? The piece of writing on food production . entailment +they 're they 're always looking for a lot of uh good computer people because there 's a lot of equipment out there and no one knows how to run it Everyone can work any machine at any time . contradictory +Across from the I.M.Pei tower a winding path leads up to Hong Kong Park . You can find a path to Hong Kong Park across from the I.M. Pei tower . entailment +The street is now a pedestrian precinct , and boasts some of the city 's most stylish cafe . The cafe is quite expensive in comparison with the rest of the venues . neutral +hm time to go We can stay . contradictory +Although much of Carcassonne is authentic , the famous 19th-century architect who masterminded the restoration work took some liberties when he lacked the original plans . The restorers were unable to ascertain what paint colors were used in olden times . neutral +I had my breasts enlarged . My breasts have been enlarged . entailment +She didn 't know about it , Curry said of the drug deal . Curry admitted that she did know all about the drug deal . contradictory +* I 've also just been reading Fredrik Logevall 's Choosing War , a new academic history that argues more or less the exact opposite of Lind 's case . Logevall and Lind have some points of agreement . neutral +The Vice President of the United States The Vice President of the United States is on vacation . neutral +In defining the specific categories of items , or elements , that would appear as stewardship information , the Board decided on the The Board has determined the information of the different categories of dishes presented . contradictory +The fascinating Musee du Cham ? ­ pignon ( Saint Hilaire Saint Florent ) explains the whole process and displays fossils found in the caves as well as a troglo ? ­ dyte family 's home . The whole process of finding fossils in caves is explained at the museum . entailment +Although much of the castle 's interior seems dark and austere , this highlights the magnificent wood floors and paneling and the superb joinery and construction techniques . The quality of the woodwork of the interior is highlighted by its dark and austere style . entailment +The modern air-conditioned building is well designed , with a small number of delightful pieces on display including a striking basalt statue of Pharaoh Tutmosis III . The statue of Pharaoh Tutmosis III was missing a nose . neutral +as opposed to well The same idea . contradictory +The show also features magician Dirk Arthur and dozens of topless and costumed showgirls , making this an event for adults only . Children are not permitted as the performance includes partial nudity . entailment +The late Michael Barnes , a corporate lawyer , and the legendary John Cummiskey , a labor lawyer on management 's side , are two of Lalley 's heroes . Lalley has no heroes that he can attribute his inspiration on . contradictory +The fortress was completed in 1540 to protect the town against the Ottoman threat . The wall was built to protect the Ottoman 's from being conquered . contradictory +and then i would do them like two times a day but i don 't do any of that kind of stuff anymore i think having children everything just kind of everything goes by the wayside I would perform them maybe twice a day but not anymore . entailment +well my husband is telling me we have to hit the road we 're going to go to Commerce and see a friend and then i 'm going to go to Sulphur Springs yeah where are you My husband and I are driving an RV to Commerce . neutral +In some cases , it may be necessary to present and characterize financial data in ways that differ from traditional financial reporting and to supplement traditional data with nonfinancial data . Normal reporting of financial data needs to be supplemented with nonfiancial data . entailment +That 's the least bad flaw for an elite to have . That 's the smallest flaw an elite could have as of today . neutral +Then they began passing over desolate country , scoured by winds , gloomy from the angry , glaring clouds above . They refused to go over the desolate country . contradictory +you know and then you can put him on trial After that , you can put him on trial entailment +To the left of the entrance are the monks ' bakery and an imposing pigeon loft . The monks ' bakery is positioned on the left side of the entrance . entailment +I 'll do my best , sir . The car shot forward through the traffic . I will give it all my capability . The vehicle darted forwards in the traffic . entailment +back to back when i was in college you know we didn 't have TVs and so i remember somebody happened to have one in their room it was a really big deal and everybody 'd get together like one night a week to watch TV but i hate that span of giving you have to give up a lot of TV when you when you 're when you 're going to school lot of things you have to give up when you 're going to school When I was in college , we didn 't have TV . entailment +yeah and what to do when they 're faced with it They 'll face peer pressure and will need to say no . neutral +5 billion , while MLB 's contract over a similar period earns about $ 1 billion . 5 billion compared to MLB 's contract which makes around $ 1 billion . entailment +Indicators of success --Boards contain representatives from a greater variety of groups . Success can be measured by many variables . neutral +New resorts offer attractions and amenities modeled after those available in top resort cities worldwide , including luxurious spas , signature restaurants , and exclusive boutiques . Newly built resorts offer many luxurious amenities . entailment +Much of the non-gaming business resides in suburban business parks and master-planned communities , part of the city 's effort to reinvent the nature of urban and suburban existence by offering multiple industrial and retail centers throughout the valley . The city is trying to reinvent the urban and suburban areas by increasing the variation of retail centers throughout . entailment +Institutionalizing trust was especially important for large organizations and federal entities that typically experienced a great deal of staff turnover . Trust is important for large organisations and federal entities . entailment +Last week , eBay listed a collectible knife with which I am entirely familiar . I am familiar with the knife listed on eBay . entailment +it 's a a Buick Century It is definitely not a Buick model . contradictory +Only once did he come near disaster . He always got himself in deadly peril . contradictory +Findings of Fact and Application of Law . This is a manual for law students . neutral +The United States owes more than $ 1 billion in U.N. peacekeeping dues . The United States owes less than ten dollars in peacekeeping dues . contradictory +Also note that no adjustments were made to benefits based on the cost-of-illness approach or to work loss days . Benefits were not changed according to work loss days . entailment +type books which i have use as reference and have been real handy but purely just for enjoyment i i had a major in English and linguistics and so i have have a lot of books in my home that i can read from the classics and i do enjoy those quite a bit and um so i tend to for reading just day to day uh you know i have a particular book i 'm looking for or i just enjoy uh you know the newspaper magazine I use those books for a reference . entailment +Guided tours on Wednesdays ; car , tour bus , or bus 42 ( about a half-hour 's walk ; also stops at the Marino Casino ) . There are tours during the week . entailment +Catching her glare , I nodded slowly . I didn 't understand , but I nodded anyways . neutral +$ 90,000 to hire a civil justice attorney , at $ 45,000 a year for two years , to ensure that all victims of domestic violence are represented at second hearings in PFAs and assisted with other civil matters . Many victims of domestic violence wouldn 't have proper representation otherwise . neutral +only that 's right um-hum um-hum sure would there would have to be a lot of you know thought given to something like that i would think That could be pretty dangerous , so we should weight pros and cons . neutral +Some would have big media erect Fifth Columns within their walls , but navel-gazing doesn 't automatically impress , as the Times-Mirror flagship Los Angeles Times learned after publishing a 30,000-word self-examination on the Staples Center scandal . The Time-Mirror flagship is called The Purple Onion . contradictory +stuff on the outside in to the inside Things on the outside come to the inside . entailment +You will be able to buy it at the giftshop adjacent to the ship on your visit . The prices at the giftshop are affordable . neutral +City on the Liffey City on the Nile . contradictory +yeah we 've trying get this new DNB two thousand printer up and running We see no need to get a new printer . contradictory +Each agency 's internal control over the payment process should be based on the operating needs of the agency . Each agency likes to hold casual Fridays . neutral +that 's hard to you know you can 't keep up with it and it really gets you in trouble you know and It gets you into trouble if you try to keep up . entailment +is it that would be great or a lot of women i know now and my uh one of my supervisors when she went on LOA to have her baby we hooked up a a a terminal at her house All women should have a terminal hooked up at their house when they have a baby . neutral +You refuse ? There was an ugly ring in the Russian 's voice . " You refuse ? " The Russian said darkly . entailment +But the council had allowed it . The council , despite attempts of intimidation , rebelled against the order until they were put to the sword . contradictory +Personal Communication with T. Licata . Communication with T. Licata of a personal nature . entailment +She didn 't have a green card , but she did have a to become a lawyer . The had a green card , which was a requirement to be a lawyer . contradictory +Old books . Old books have the most information . neutral +Then I studied the criminal in the dock … . Afterwards , I paid attention to what the criminal was hiding in the dock . neutral +An artificial cliffside was created on higher ground , matching the old in height and alignment . An artificial cliff-side was created mimicking the old one . entailment +What concerns me most , however , is that I 'll soon be entering the work world , and the ability to make light conversation is paramount in business relationships . I am concerned about being able to make light conversation in the business world . entailment +Many of those exploited in the workplace are undocumented residents who believe they have no rights , while others are threatened with termination if they complain , she said . Many illegal immigrants think they have no rights . entailment +Characteristically splitting the difference with conservative Social Security privatization enthusiasts , he does not propose to let people invest the money for themselves or to make benefits contingent on how well the investment performs . He does not propose to let people invest the money for themselves . entailment +Russia attacked Islamic separatists in Dagestan and bombed neighboring Chechnya . The Russians were rutheless neutral +# NAME ? They had a lot of tools to store . neutral +Such a drastic change in the external conditions , ( especially in different habits of substance use and abuse by the carriers ) was expected to have a very stimulating effect on young organisms and lead to the development in the moment of their birth of a prime basis for an IQ level higher by 50 percent .. Organisms were being bred to have higher IQs . neutral +um-hum that sounds like a unique item I don 't know of anything like that . entailment +We saw what happened up in New York and how much critical need there was to establish this , Rehfeld said . It was critical that we establish this in New York . entailment +yes right well one of the nicer restaurants supposedly that opened up here not uh too very long ago called Harbor Lights specializes in fish Harbor Lights is a nice seafood restaurant that recently opened up here . entailment +exactly even you know in our own country i mean Bush was in the scull and bones the Trilateral Commission and all these groups with ulterior motives and so it 's like what on earth is you know are these people ever here and involved in Bush was involved in the Trilateral Commission . entailment +The California Science Ceter and IMAX Theaterfeatures many interactive exhibits as well as the IMAX . The IMAX Theater has more than just the IMAX . entailment +and he tried to convince me to buy this single family house that he saw for sale and uh I tried to convince him to buy this house . contradictory +The difference between the effective interest and the stated interest is the amount by which the discount or the premium should be amortized ( i.e. There is no difference between effective and stated interest . contradictory +One thing I 'd done already as a precaution ripped open the oilskin packet and substituted blank paper , and then sewn it up again . I put several stiches in the oilskin packet , after substituting the paper . neutral +As attitudes change , cross-ethnic adoption will get easier ; and as cross-ethnic adoption gets more common , attitudes will change . Attitudes changing regarding cross-ethnic adoption would do nothing to make it easier or harder . contradictory +Just after he left , a new trauma victim rolled in--a 28-year-old who had been knocked unconscious in a high-speed head-on collision . Just after he arrived , another victim arrived . contradictory +From the Golden Temple , continue descending the narrow lane and you will come to temple complex dominated by a five-tiered pagoda , the Kumbheshwar Temple , which is dedicated to Shiva and dates to 1392 . The temple is famous for its order of monks trained extensively in martial arts . neutral +Neither does he provide any answers to the problem , merely a wistful remembrance of how good it was . He gives lots of answers to the problem . contradictory +The speech was long and , I can now see , rather platitudinous . I can now see that the speech was long . entailment +The state programs are economically modest , as is the only loan forgiveness initiative on the near horizon for New York , the Student Loan Assistance for the Public Interest , a program adopted last summer by New York State Bar Association when the House of Delegates met in Cooperstown . The state programs have a budget of $ 1million . neutral +In order to be comprehensive and cohesive , the researchers provide a great deal of detail and description and quote directly from the participants ' own words and vignettes in the observers ' field records . The researchers provided little details and barely any descriptions , it was difficult to read . contradictory +This flexibility lets businesses figure out the cheapest way to reduce emissions while government sticks to setting the overall emission cap at a level that guarantees that industry meets ambitious air quality goals . The government 's emission cap guarantees that businesses can meet their air quality milestones . entailment +One vision moved and one stood still but Jon soon came to understand it and use it . Jon did not learn how to understand the vision . contradictory +okay well have a good night Have a good night . entailment +No wonder the Apaches had given up trying to break this Anglo outpost and Rennie had accomplished what others found impossible . Rennie was able to accomplish what others were not able to accomplish . entailment +yeah we 've yeah we 've had uh a sick animal and uh the vet you know the dog and vet 's are so expensive that uh we uh the credit card helped us a lot there too so we wouldn 't do without them The animal was healthy . contradictory +Thus , in 1998 , the Postal Service delivered 1.5 billion more pieces of advertising than non-advertising mail . The Postal Service has delivered more pieces of advertising in 1900 contradictory +Saving Rate , Working Paper No . The paper studied the investment rate . contradictory +i have a crepe myrtle tree in the backyard that still hasn 't done anything and i 'm kind of wondering what kind of shape it 's in right now The oak tree is the only tree in my backyard . contradictory +i know so i felt kind of sorry for him i said oh no that must have been hard on him because he 's just a person but um i know his son is a major owner of our team of the team here I somewhat pitied the man . entailment +delivered and educational costs incurred by participants . The educational costs are high . neutral +Yes , there was a correct order . The order was right . entailment +They are all worth your attention , but do take plenty of time to relax , too you 'll be surprised at how much more you can see and appreciate if you 've had enough rest . If you have had enough rest , you will see and appreciate much more . entailment +The elegant Georgian building has several rooms furnished in the 18th-century style ; on display are a number of articles that belonged to Wordsworth himself . The building is furnished with modern sofas . contradictory +The question is , do we trust Kaiser to use it that way ? Kaiser owns hundreds of hospitals throughout the United States . neutral +but you have not the training to understand . " " Okay , so they didn 't tell you , if they knew . " Dave stared up at the sun , trying to guess . You can understand everything without any training . contradictory +Still , when problems crop up after the wedding , you can go to The Marriage Toolbox , which derides the outdated advice of yesteryear 's home-economics textbooks in favor of an online journaling technique that helps you release your inner kvetch . You can write your complaints in The Marriage Toolbox to help you cope with some issues . neutral +Paul Simon ' s Graceland ( 1986 ) , which was largely derived from South African Mbaqanga , helped popularize non-Western music . Non-Western music was popularized partly by Paul Simon . entailment +no no i believe they did because um some of some of the the Peace Corps uh that i knew of did marry Peruvians No one from the Peace Corps ever got married . contradictory +He kept his distance from the more ferocious men but even detecting that grew difficult . He stayed way from the men that had scary face tattoos . neutral +Statement of David M. Walker Comptroller General of the United States Walker is the Computroller General of the US . entailment +The sexy girls with terrific hair would dashingly toss a couple of yards of plain wool around their necks The attractive girls wrapped plain wool around their necks entailment +The journey usually takes three hours , even longer when short stretches of the river dry up , forcing passengers to walk along the riverbank while the boatmen push the launch through the shallows . The river never dries up contradictory +that 's not good but i mean everybody 's always looking at him that 's just like Larry Bird and um uh God Larry Bird what team does he play for Celtics Larry Bird doesn 't play anymore , I don 't know why they look at him . contradictory +There 's something for all budgets in Egypt . Higher budgets will get to see more exciting parts of Egypt . neutral +The study was first conducted in 1987 . 1990 was the first year in which the study was conducted . contradictory +The Mus ? ? e Camargais at Albaron gives a glimpse of the traditional lifestyle of the area , and sets you off on a 3.5-km ( 2-mile ) guided walk through the marshland , and the Parc Ornithologique at Pont de Gau allows you to watch a number of bird species without long hikes into the interior . There is self guided tours available too . neutral +Very graphic , Henry , said Tommy . Henry 's story was dull and without detail . contradictory +the sort of person uh it was uh really something This may be the kind of person . neutral +Industry compliance has been nearly 100 percent , and the program only requires a handful of EPA employees to operate . The program needs a lot less employees to operate . entailment +Only tonight , out here , Drew had a feeling of being able to do anything from touching the sky with his uplifted hand to fighting Kitchell man to man . It was such a night that he felt he could touch the sky . The sky was so clear . neutral +Drew guessed that he had not only been in a fight but that he was partly drunk . Drew could tell she was old . contradictory +Good coverin ' this book has . The book looks really good ! entailment +uh yes i do believe that there is too much immigration now We need to reform the laws to make it more reasonable . neutral +I think it 's Voltaire who said , ' There 's nothing more powerful than an idea that has come of age . I think Voltaire said an idea is powerful . entailment +On the dirt roads of the town Jon saw at least six corpses of villagers . Jon saw many dead men . neutral +DOT had the most developed electronic docket system of the agencies that we contacted , covering every rulemaking action in the department and including all public comments received regardless of medium . Several of the agencies , while still less developed , had comparable electronic docket systems . neutral +right the quality that you can out off with one of those as compared to one of those dot matrix printers Other printers lack the ability to cut it off . neutral +hey the guy 's making millions he ought to be able to perform right He must perform well to earn large sums of money entailment +Follow this winding road into the hills and you will enter the well-to-do residential enclave of Pacific Palisades . The road winds around for 17 miles . neutral +She returned with a tray , containing the teapot and four cups . She 'd never returned after offering her guests tea . contradictory +The preservation of this wonderful home is ongoing ; a projected restoration of the original garden is still in progress . Restoration of the original garden will begin next year . contradictory +In Jerusalem , every stone and structure has its significance . All of the structures have importance in the city . entailment +Recent economic research estimated that increasing saving as a share of GDP by one percentage point above the 1999 rate would boost GDP enough to cover 95 percent of the increase in elderly costs between now and 2050 . Only one percent above the 1999 savings rate needs to be saved to cover most of the increase in elderly costs until 2050 . entailment +'Ah , ' I covered , ' I was unnerved at first , but your Mr. White calmed me down . Mr White yelled at me and scared me . contradictory +Most expensive are silk or silk blend items . The silk items are the least expensive . contradictory +yeah out of your own jeans and stay a way from the base hospital which is generally what i did I would go to the base hospital as many times as you can . contradictory +Moreover , redirecting trust fund surpluses into the private market ( which is what the Moynihan-Kerrey plan essentially does ) has one large potential advantage--when the time comes to redeem the securities , the money should really be there . Redirecting trust fund surpluses into the private market has no advantages . contradictory +Cummins uses statistical process control data to measure a product 's readiness for production . Cummins is the only one who can determine the readiness for production . neutral +To help you order and for more information on wining and dining in Ibiza , we would recommend you purchase the Berlitz Spanish-English.English-Spanish Phrase Book and Dictionary or the Berlitz European Menu Reader . You should buy a phrase book . entailment +The building cost much more than the budget allocated for it at the time but is , as a result , a truly spectacular monument . Overspent money for that building was well used . entailment +But he was sure the language he somehow spoke wasn 't an ancient one . He could not comprehend what he was saying . neutral +to uh kill another mother Turn yourself in afterward . neutral +There was more emotion in his voice than might be expected from a reanimate ; in real life on his own world , he must have had an amazing potential for even that much to carry over . There was more soul in his voice than he expected . entailment +For adventurous travelers looking for an introduction to the South , the rewards are rich . There 's not much of interest for travelers looking for an adventurous introduction to the South . contradictory +Script 's primary power , wrote Edmund Morris , Reagan 's biographer , in a 1995 reflection on the letter , is to convey the cursive flow of human thought , from brain to hand to pen to ink to eye--every waver , every loop , every character trembling with expression . Script is the best at conveying the flow of human thought . neutral +It was rebuilt in 629 but partially destroyed by an insane Egyptian caliph in the early 11th century . There was an Egyptian caliph in the early 11th century . entailment +'Um , ' I coughed . I coughed when I said um . entailment +well i think have have you ever read the book nineteen eighty four You should try to read the book nineteen eighty four , if you can . neutral +but uh it 's it 's still it it still remains a tough question and it 's there 's a lot of you know the whole the whole department of defense uh reasoning behind the original plan and whatnot there 's a lot of different things that uh come into play but that was i think everybody everybody pretty much knows that that was kind of a smoke screen to implement it throughout the whole company The questions behind this were very clear to everyone . contradictory +The famous bazaar had taken place on Saturday , and an entertainment , in connection with the same charity , at which Mrs. Inglethorp was to recite a War poem , was to be held that night . Mrs. Inglethorp was excited about the War poem neutral +Another factor affecting the environment is the agency 's organizational structure . The agency does not have an organizational structure . contradictory +'Quite . ' Absolutely . entailment +It assigns cost to cost objects , such as products or customers , based on their use of activities . Activity usage levels are determined by use of electronic badges . neutral +you lost your business oh God what a nightmare Losing a business is very devastating and I 'm very sorry for your loss . entailment +Leave them alone , Julia . ) Julia does not want to leave them alone . neutral +Congressional consultations also may include additional guidance on Congress ' priorities in those frequent cases where agencies have more than one statutory mission . Congress likes arranging Congressional consultations because of the opportunity to examine agencies more in-depth . neutral +when she when she was younger she used to do that to get even with me She would do that when she was younger but now she 's litter box trained . neutral +USE OF STATE PLANNING to integrate , coordinate , and increase resources available in every state and territory . The states need to have foresight about their management . neutral +Courts and opposing counsel have cooperated in scheduling hearings for times when the parties are likely to be in the country . Most hearings have to be cancelled at the last minute . neutral +women who want to stay home with their children are subsidized to do that they don 't have to live um Women receive subsidies to stay home with their children . entailment +The government uses the October 1997 through September 1998 review results as a baseline against which the results of subsequent reviews are measured . Subsequent reviews are examined relative to October 1997 to September 1998 . entailment +It doesn 't say much of anything on the subject . Nothing much of the subject is said . entailment +The less you ask , the more you get . The more you ask for things , the more you get . contradictory +Alas , the text could have done with more Shrum , who , let 's hope , did not pen the line , Home is about freedom . Shrum did not pen the line Home is about freedom . neutral +oh they send in they do videos of funny things that happen at home you know and then send it in and show it on TV and oh boy i tell you what it 's it 's hysterical People are paid if their submitted video is screened on TV . neutral +The benefits of the new rule include more wellinformed investors who may invest more of their resources and allocate their investments carefully , which in turn would tend to promote competition among the funds . The new rule does not have any benefits . contradictory +The slaves , San 'doro corrected . San 'doro spoke of slaves . entailment +Probably not , but do you notice anything that strikes you as peculiar about this box ? I examined it closely . Does this box look weird to you ? entailment +IRS Systems Security and Employee Browsing Not Being Addressed Effectively and Budget Requests for New Systems Development Not Justified ( GAO / T-AIMD-97-82 , April 15 , 1997 ) IRS systems security is being addressed effectively . contradictory +I will remember . I don 't remember , contradictory +'He 's too well hidden , he has too many supporters , and short of actually invading Large ... ' We determined it would be impossible to catch such a popular , wily figure . neutral +It was King 's Cross , not CHARING Cross . ) 12.50 , that 's the train she went by . It was definitely CHARING Cross , no doubt and she went by foot shuttle . contradictory +But much more than the individual monuments handsome but hardly grandiose , because of the restricted spaces available it is the general atmosphere of the town that gives it its special magic . The particular ambience of the town is due to its small spaces . entailment +One bioethicist has coined a term for this new kind of the sperminator . The term was an interesting one . neutral +The combined effect of the program and R & amp ; D expenditures , together with other policies described in the CEF report ( including a $ 50 carbon charge applied in the CEF Advanced Scenario ) , drove a steady reduction in the need for energy compared to the CEF reference case . The $ 50 carbon tax was the most important factor in this reduction . neutral +The war was brutal and bloody , and both sides committed atrocities . Both sides in the war committed horrible acts and it was terrible . entailment +The other metrics described in this appendix require that system development work be underway . An appendix was considered , but not prepared . contradictory +If anyone spoke to him he was quick to rebuff the overture . He had no interest in talking to anyone about anything substantial . entailment +and he was lethargic he really he wasn 't used to the heat at all he He hadn 't adjusted to the heat . entailment +The CIA report was revealed in the Washington Post in June 1998 , but even subsequent Gerth pieces make no mention of it . Gerth was the first to reveal the report from the CIA . contradictory +Take the long walk at low tide east to the cliffs of the Vaches Noires ( Black Cows ) . A short walk toward the cliffs of the Black Cows . contradictory +Audit documentation allows for the review of audit quality by providing the reviewer documentation , either in written or electronic formats , of the evidence supporting the auditors ' significant judgments and conclusions . Audit documentation lets you review audits by giving the information gathered from executives that helped create the audit . neutral +When you gather background or other data , ensure that they are from the best available source ( s ) . Using bad sources is ok for collecting data . contradictory +possibly i think that um uh i 'm i 'm i 'm actually Jewish so i suspect that i would be more in favor of sort of nonsectarian sort of prayer I 'm actually catholic so contradictory +Dudovitz acknowledged that the acrimonious transition may not have been ideal for clients but said the range of services now available to them will more than compensate for any lapse of services . There exist fewer lapse in service than there once was . contradictory +When a man has somethin ' as belongs to him , he doesn 't step aside easy if another makes a play to grab it , he said . He said something about how men act when they own something . entailment +Adrin held his new rapier , the one Jon had given him . Adrin really liked the new sword that Jon gave him . neutral +Don 't lie on the floor - reach for the ceiling ! Reach as high as you can if you can . entailment +a lot of them just know me by name and phone voice I have never met them in person . neutral +The port is virtually round the corner from the passeig . You can easily walk from the port to the passeig . neutral +I returned to White via Lincoln 's cold gaze . Lincoln was furious with me . neutral +But not a penny piece besides , not a pair of gloves , nor a theatre ticket . ' She didn 't understand , was very offended sometimes . She couldn 't comprehend . entailment +In the narrow streets lined with merchants ' and tailors ' shops , the Star of David , menorahs , and Jewish names are actually more plentiful than Jewish people themselves . The businesses are not authentically Jewish . neutral +Although room exists for considerable judgment in determining the content of reports , those that are fact-based , but still concise , are likely to achieve greater results . Reports that are not fact-based are more likely to achieve great results . contradictory +i think it 's going to have to get worse before it gets better you know the same old cliche I think the economy is hurting . neutral +oh DSEG defense systems and electronics group DSEG is not a group that works with electronics . contradictory +For the actual presentation of the facts , Adams suggested simple storytelling , his method of choice as an attorney communicating the facts of a case to a jury and judge . Adams suggested that they present the facts dramatically . neutral +Riding the crest of this economic upsurge were the zaibatsu conglomerates a dozen family-run combines , each involved in mining , manufacturing , marketing , shipping , and banking . Riding this economic upsurge were the zaibatsu conglomerates who were involved in mining , manufacturing , and other industries . entailment +I can 't blame them , but it leaves us with a dangerous lack of fresh thinking about how to handle recessions at a time when the usual remedies don 't seem to be working . The usual solutions have not been working for curbing the recessions . entailment +This relieves the carrier from the need to travel back down a road to serve curbside boxes on the other side This relieves carriers that need to travel back down a road to get to curbside boxes on the opposite side entailment +you know all the uh yeah it is but it 's interesting that that there 's that much more knowledge to be learned at this at this uh age you know not just the colors and begin on the alphabet it 's I think it is amazing that kids are already learning to read at this age . neutral +More than that , the comparison also gets at what may be the most interesting thing about Las Vegas , namely that it 's the economic equivalent of an exporting powerhouse . The comparison was made because of the economy neutral +When some of their capital is invested in Treasury securities , the interest is related to their cost of operations in the same way as the revenue earned from selling services . Some of their capital can be invested in Treasury securities . entailment +These countries only reluctantly agreed to this week 's new U.N. sanctions that bar international travel by Iraqi officials linked to the inspection dispute . These countries immediately backed the U.N. in sanctioning Iraqi officials . contradictory +The Legal Aid board agreed Saturday to close satellite offices in Fayetteville , Madison , Pineville , Welch , Winfield and Williamson . Legal Aid will close some offices . entailment +yeah uh-huh well it does that up here well we get a lot of weather that 's that 's uh controlled by the ocean we 're so we 're so close to the ocean here in Rhode Island are you familiar with with Attleboro at all or in Massachusetts The ocean has no impact on the weather here . contradictory +Dick Morris managed this in a matter of days . Dick Morris did that over the course of just a few years . contradictory +A week before Henry died from cancer , he directed his wife , from his bedroom window , on the planting of a new bed of irises . Henry is still living to this very day . contradictory +In this regard , agencies must continually ( 1 ) explore and assess information security risks to business operations , ( 2 ) determine what policies , standards , and controls are worth implementing to reduce these risks , ( 3 ) promote awareness and understanding among program managers , computer users , and systems development staff , and There is no risk to business operations , so no reason to try and asses or control them . contradictory +Personnel policies will be revised so that they further encourage and support a diverse work environment and spell out the organization 's commitment to diversity . The company had been growing less diverse with Trump 's ban on immigration . neutral +This involves a morning or afternoon of theory and swimming pool work , which will give you the chance to try out the basic techniques . After you get comfortable in the pool , you can go out in open water with the instructor . neutral +I 'll bring the sandwiches . I will not bring any sandwiches , so find someone else to do it . contradictory +Where am I to let you know to ? Where am I to let you know to start the countdown ? neutral +Of course not , the Pentagon responded . In America , the pentagon has a lot of secrets that it keeps from the American people . neutral +National Saving and Investment National savings for retirement . neutral +The federal government , like private corporations and other organizations , acquires facilities to support specific functions and missions and the general conduct of its business . The federal government has no facilities to support the general conduct of its business , and has nothing in common with private corporations and other organizations . contradictory +The authority of agencies to request waivers of administrative procedural requirements and controls is intended to provide federal managers with more flexibility to structure agency systems to better support program goals . Representatives from agencies seeking waivers have to sign a few documents . neutral +His experience in Bosnia awakened his conscience , and made his career . In Bosnia he figure out who he was and launched his career . neutral +oh well that 's what i 've been reading lately a lot of um my interests switch around dramatically i used to read just mainly fiction fiction and now i like like a said i 've read a lot of self self help books I don 't know how to read because I never learned . contradictory +If being the biggest company was a guarantee of success , we 'd all be using IBM computers and driving GM cars . IBM is a much bigger company than GM , it 's the biggest . neutral +Sort out the main features and then return on your own for a closer , calmer look . You are not able to explore it on your own without a tour guide . contradictory +yeah hope ours continues to live it 's been there about four i guess almost four years now so maybe it 's established established enough that it 'll go on and survive It takes four years for it to be established . neutral +well it just so happens that my youngest is uh extremely sensitive uh where my oldest one uh you know i can scream at him and yell at him and he 'll look at me with with All of my children are extremely sensitive , I cannot yell or scream at them . contradictory +For example , the first number in Column ( 9 ) shows that in FY 1997 the HH-to-HH or Personal Mail volume was 6.4 billion pieces . The postal services were overwhelmed by the record volume of mail . neutral +Physicians will unionize against managed care . Doctors will fight managed care . entailment +What message he did receive , however , was clear . He received a message . entailment +VA made the networks accountable for results such as improving patient access , efficiency , and reducing costs . The VA failed to address how networks should do things like improve efficiency and ptient access while bringing down expenses . contradictory +Although you will find venues scattered throughout the city , the main theater district is found south of the west end of Princes Street . Near the shoreline there are cottages styled as luxurious plantation homes , with covered porches and occasionally hot tubs . entailment +The Federal Reserve was established by Act of Congress pursuant to the Government 's sovereign power over the nation 's money , and its investment in Treasury securities is necessary for carrying out its monetary function . The Federal Reserve as established by Act of Congress pursuant to the Government 's sovereign power over the nation 's money , and its investment in Treasury securities might be necessary for carrying out its monetary function . neutral +In the Oratory of the Crib ( Oratorio del Presepio ) are the moving 13th-century sculptures of Joseph , the Three Kings , the ox , and the ass , by Arnolfo di Cambio ( Mary and the child Jesus are 16th-century additions ) . Also included in the Oratory of the Crib are a group of local shepherds . neutral +uh so that 's all in self improvement to stay focused on who the customer is and as you probably well know all of us are our own customer your my customer i 'm your customer sort of thing um They said to focus on your needs before the customer 's needs . contradictory +Pace and stamina . " Don 't worry about time . contradictory +just a small patch of lawn and just flowers and bulch bark uh tree bark all over her lawn Her yard is full of tree bark . neutral +they might need to be dealt with yeah They will need to be dealt with soon . neutral +This is the only time when the central part is filled with stalls . The central part is fill with stalls only at this time . entailment +Every village and town has at least one Public House , or pub , where alcoholic drinks are served to adults ( the drinking age is 18 ) . The alcoholic drinks are expensive at the majority of the pubs . neutral +uh we bought the equipment uh that you do it with We bought all the tools that we needed to do the job . neutral +Mind you , their theory had a rigidly mathematical development and it predicted just such a Galaxy as they describe . Their theory had a rigidly mathematical development and it predicted just such a Galaxy as they describe , mind you . entailment +Once hired , the company sends these employees back to college for IT training and invests in them . Once hired , the company send the new hires straight to work with little to no training in IT . contradictory +The primary place of worship was the Temple of Seti I , which even today is an impressive sight . The Temple of Seti I is now a dusty and destitute husk of its former glory . contradictory +After a few skirmishes and much negotiation , a peace agreement was reached . The agreement came into place after many skirmishes and little negotiation . contradictory +And yet , I cried indignantly , " after that , you gave me two reasons why Miss Howard could not have committed the crime ! " After that , you told me why Miss Howard was innocent . entailment +Because LSC attorneys must withdraw whenever a question of a welfare statute 's validity arises , an individual could not obtain joint representation so that the constitutional challenge would be presented by a non-LSC attorney , and other , a504 ( a ) ( 16 ) is necessary to define the scope and contours of the federal program , a condition that ensures funds can be spent for those cases most immediate to congressional concern . LSC attorneys are required by law to withdraw whenever a question arises . neutral +In Sevila , you can see relics and manuscripts and even the habit St. Theresa wore in a remarkable life of prayer , penance , and poverty . In Sevila , you can 't see any relics or manuscripts anymore , they were all destroyed . contradictory +In the first courtyard is the stable , which houses the shrine 's sacred white horse ; the carved panel above the door is the famous group of three monkeys Hear no evil , see no evil , speak no evil ! The carved panel above the door is a water dragon that breathes fire . contradictory +okay thanks a lot and you have a good day okay bye-bye I appreciate it , and I hope you have a wonderful week . neutral +oh yeah because it 's just a territory or is that what it 's called a territory I think it 's a territory , if that 's what they 're supposed to be called . entailment +Plenty of monstrous insensitivity and hubris , though . Monstrous insensitivity included anti-semetic jokes . neutral +concerning the establishment of an advisory committee to advise and submit recommendations to the Secretary regarding regulations concerning good manufacturing practices . There was an advisory committee disbanded . contradictory +you know that 's where they that 's where they get the the deep-rooted values and and uh and that 's about right then you just have to hope and pray that that everything uh works out works out okay There is no way of telling what will happen after they get the deep-rooted values there . neutral +This is the Pointe des Ceteaux , a wildly beautiful cliff formation with rocks shaped like castles , lashed and eroded by the Atlantic 's waves . The rock formations are uncommon for the region . neutral +Most of its buildings are closed to the public , but you pass an attractive thatch-roofed tea-ceremony house as you follow the winding stone steps toward the exit . The public cannot visit many of the buildings . entailment +Now think what would happen if Microsoft had a monopoly in the browser market . Imagine if you will if microsoft had a corner on the market . entailment +'I told you it would be . ' I grew tired of repeating myself . neutral +my home all right my home is about fifteen years old I burned my home down fifteen years ago contradictory +but we have like a lot like my mom likes flowers so we have a lot of flowers too WE have plenty of flowers as my mother collects them . neutral +Currently , screening is a research tool , not a clinical tool . Screening is used a as a clinical tool and not a research tool . contradictory +The analysis also discusses the regulatory alternatives FDA considered in drafting the proposed rule . The regulatory alternatives FDA considered in drafting the proposed rule are also discussed in the analysis . entailment +They 're safe . They are safe now , thanks to me . neutral +In fact , I was convinced that , far from having been in her own room , Mrs. Cavendish was actually in the deceased 's room when the alarm was given . " I shot a quick glance at Mary . I was convinced that Mrs. Cavendish was nowhere near the deceased 's room . contradictory +The treaty ? Which treaty ? neutral +'Excuse me , sir . ' I was stopped by two security guards . I was stopped by two mall security guards . neutral +Covering an area of 1,200 hectares ( 3,000 acres ) , the rainforest comes complete with waterfalls , rushing streams , lagoons for swimming , and caves in the Bukit Takum limestone cliffs to explore . There 's nothing to do in the rainforest . contradictory +Travel agencies happily provide a range of camping and cooking equipment , as well as the guides , cooks , and porters you need , and a jeep for travelling to more remote and inaccessible areas . The travel agencies are very helpful to you . neutral +They described a company as an intentional discriminator if its employment of women or minorities was at least two standard deviations from the average . The company discriminated against women and minorities entailment +Simon , when he saw on the floor the tension caused by his phallus , couldn 't believe its huge size . Simon thought the penis was tiny . contradictory +Told me to get a move on , and hustle . They had a deadline and they needed me to go faster . neutral +uh a lot of it the dialogue was uh a little difficult to understand because uh Michelle Pfeiffer had a was speaking with her Russian accent you know the the actress Russian accent so The Russian accent almost didn 't sound real to me . neutral +IRA leaders want to create the coalition government before disarming . IRA leaders want to disarm immediately . contradictory +Those don 't work anyway . Those work well . contradictory +, mail used by non-households to pay their bills and send bills to other Mail can be used to pay bills . entailment +uh-huh yeah that 's true yeah and with age comes you know the the i 'm sure arthritis sets in with them you know right yeah I have no worries about arthritis . contradictory +but um you know they 're just they 're just some things that might not be worth it It 's not worth pursuing wealth that way . neutral +yeah i think it failed too because like what you said of just you know hey this is ridiculous i think Americans have so much stress on them right now I think that the citizens of America are under a great deal of stress at the moment . entailment +right yes i know exactly i was the same way That is correct , I was in the exact same situation . entailment +The Army discharged a 20-year decorated veteran one week before he would have been eligible for retirement benefits , because investigators discovered evidence of his homosexuality after an arsonist torched his home . The veteran 's home was set on fire by accident . contradictory +Prosperity was not without its own pollution caused by dirty industries , a high incidence of stomach ulcers ( even suicides ) among schoolchildren pressured by over-ambitious parents , and the awkward questions of what to do about nuclear energy . It was eventually decided that the country would use nuclear energy . neutral +and that 's for an hour each time you go well that 's that 's good The show lasts for an hour each time you go . neutral +And have you not , in such a case , tried the word once or twice on the edge of the blotting-paper , or a spare scrap of paper , to see if it looked right ? I never care if it 's spelled wrong . contradictory +rather than themselves um but but thinking on that yeah because we 've got we 've got truck drivers here that go between plants you know locally The local truck drivers that go between plants get paid a lot . neutral +Often local Celtic patterns appear in bracelets , brooches ( pins ) , and scarf rings . Brooches and bracelets exclusively feature the crests of local soccer teams . contradictory +promote relative equity in the availability of the full range of client service capacities necessary to meet the full continuum of client legal needs regardless of where in the state clients live ? There are client legal needs that are met by client services . entailment +Would Clinton sign it again ? Clinton signed it . entailment +yeah well i know my mom from a family of at least sixteen i 've lost count uh and my grandmother just died sometime last well about two years ago I know my mom only had one sibling . contradictory +The eternal shortage of judges means that some cases are adjudicated peremptorily . There is no shortage of judges . contradictory +I don 't think any of that will happen to Ben . Ben will never have anything happen to him . neutral +( I look forward to explaining how such systems work in a forthcoming column . ) I will explain how the systems work in an article in the future . entailment +At the beginning of the novel the heroine , Elizabeth Shulman , feels so at home in her Jewish skin that God and the scriptures , worship and ritual , are all simple , practical things for her . The woman in the novel is proud of her Jewish heritage . entailment +Look out too for decorative yarmulkes ( skull caps ) and some creative uses of the Star of David . The Star of David cannot be used creatively . contradictory +The startup phase , sometimes called commissioning , begins with occupancy of the facility by its user . Occupancy of the facility by its user , begins with the startup phase , that is sometimes called commissioning . entailment +An important town in Roman Gaul , replacing Lyon as capital toward the end of the Empire , Arles boasts a very well-preserved amphi ? ­ theater ( arynes ) , seating over 20,000 in the days of the gladiators . A Roman amphitheater sits untouched by the ages in the town of Arles . entailment +No. 20 did you say ? " And he winked . He winked as he confirmed the number . entailment +i think they 're gonna uh maybe give us a state income tax do you have one I think they are going to start charging us state income taxes , you already pay one , right ? entailment +While Florentine art developed its formidable intellectual and emotional power , the tone of Sienese painting Simone Martini , the Lorenzettis , even the Mannerist Sodoma remained gentle and delicate , bathed in the light and color of its surrounding countryside . Florentine art has emotional power to it . entailment +Calls also come from people who have been denied food stamps or have problems with their landlords , she says . The calls are answered around the clock by undergraduate law students . neutral +If that 's the case , and there 's such a thing as graft in this country , I 'll buy her off . " Tuppence reassured him . The to buy her off will be quite high . neutral +uh which is it explains why they why they have everything white but i you wouldn 't think that i well They have everything white and that explains why . entailment +To illustrate differences among types of information , we might base the conclusion that the day was hot on data from an instrument that records the room temperature ( numerical and objective ) , a record of the atmospheric temperature as written down by an observer checking a thermometer ( numerical and relatively nonsubjective ) , a survey asking people how hot they felt ( nonnumerical and subjective ) , and a thick description of what clothes people were wearing , how much they perspired or shivered , whether they turned up the furnace or the air conditioner , and how much energy they seemed to have for work ( nonnumerical and judgmental ) . We might use qualitative information to judge things like temperature . entailment +but uh i 've heard the scenery is real good in it yeah I am told that it has beautiful scenery in it . entailment +More New Stuff Refurbished so not really new neutral +For one instant he stopped dead , staring at the figure on the bed , and , at the same instant , Mrs. Inglethorp cried out in a strangled voice , her eyes fixed on the doctor : " Alfred , Alfred , , " Then she fell back motionless on the pillows . After looking at the doctor , Mrs. Inglethorp left the room . contradictory +The final rule contains information collection requirements which have been changed from the requirements of the interim rule information collections . The final and interim rule requirements are different . entailment +i mean but you know there 's there 's the difference because uh they say you know i guess they say tobacco is addictive i guess they say alcohol is addictive as well They are only focusing on tobacco 's negative health effects . neutral +In addition , other parties such as the major stock exchanges play a role by imposing various requirements for companies to attain and maintain their listings . The maintenance of the listings required the other parties to impose requirements . entailment +so down down where you guys are So down below , where you guys are located . entailment +Bully for you . Too bad for you . entailment +You see , you know rather an inconvenient amount . It is convenient that you have already learned this much . contradictory +okay did you vote in the last uh national election Who did you cast your ballot for in the election ? neutral +He dared to look up . The man looked down at the ground . contradictory +Time ' s Y2K cover story focuses on alarmists , especially millennialist Christians stockpiling for the looming Year 2000 disaster . Time wrote about Y2K . entailment +Moved by a sudden impulse , the girl said quickly : " I shan 't leave the flat . The girl quickly stated that she wouldn 't leave the apartment . entailment +You 're looking for the Eye , aren 't you , said the man . The man didn 't know what you were doing . contradictory +From Machico 's triangular square , several streets lead to the seafront a dark , pebbly beach with a small fort dated 1706 . The fort was kept intact after 300 years by the Machico 's locals . neutral +This meant shelving the belief that a single , foolproof plan could be implemented once and for all . The foolproof plan was scraped due to funding constraints . neutral +SO2 and NOx contribute to acid deposition , which damages lakes and streams , adversely affecting the fish and other species that live in them , and leaches nutrients from the soil . SO2 contributes to the damaging of lakes and streams . entailment +The first question to ask is what the right thing would have been . It is always good to start out questioning what the proper thing would be . entailment +I can 't help it . The person does it of their own accord . contradictory +Bloodthirsty murderers threaten us and we are defenseless . We 're defenseless because we don 't have our reinforcements . neutral +Reporting of major efforts at the entity level shall be more specific than at the governmentwide level . Reporting of major effects has two possible levels . entailment +He and his schoolteacher wife , Linda , probably didn 't know they were starting out on the poor side . His wife , Linda , was a teacher . entailment +and a lot of my sewing i kind of do out of necessity you know for you know i 've got two kids to put clothes on I have two kids and clothes who are constantly growing out of their clothes , I sew out of necessity . neutral +[ She giggles . She laughs ; entailment +If your desire is to escape the coastal heat , highland retreats will refresh and invigorate , offering a chance to enjoy what was once the exclusive domain of colonial administrators . Highland retreats are terrible and not refreshing . contradictory +Dave and Nema were hustled into the cave , while the others melted into the woods , studying the skies . Dave and Nema entered the cave , while the others trekked into the woods . entailment +Microsoft is monitoring selected families for weeks to learn their hardware habits . Some families are under Microsoft 's observations . entailment +Bill Parcells yeah my sister 's boyfriend looks like him I know someone that looks like Bill Parcells . entailment +Kipling insisted in his Ballad of East and West that never the twain shall meet , but the British have done their best , perching four Gujarati domes on this otherwise very Roman concept of a triumphal arch . The British tried to keep the East and West separate . contradictory +User awareness is essential to successfully implementing information security policies and ensuring that related controls are working properly . User awareness is unnecessary and counterproductive to successfully implementing information security policies and ensuring that related controls are working properly . contradictory +AMS said in the proposal that it was the agency 's intention to have all comments , regardless of media , available for viewing on the program 's home page or at the agency 's docket room . All comments of any media will be available for viewing in one of two places . entailment +It seems clear , however , that substantial gains are available from presort programs and , by extension , from other worksharing programs , to a point . It 's clear that there are no substantial gains available through presort programs . contradictory +The new Jehangir Art Gallery , immediately behind the Museum , illustrates trends in modern Indian painting , including works by two of the most important artists from Mumbai , Tyeb Mehta and Akbar Padamsee . Tyeb Mehta never painted a piece important enough to find in the Jehangir Art Gallery . contradictory +It is another method altogether . It seems to be something completely different entirely . entailment +It is near the window , this cupboard ? " This cupboard wouldn 't happen to be near a window would it ? neutral +Both new protocols will be used by staff and consultants who review programs and in their reports and recommendations based on the reviews . The new protocols are predicted to be a successful measure . neutral +Ask someone else . Ask another . entailment +In contrast , some older power plants , built before certain Federal performance standards were put into place , are still operating without modern pollution control equipment for some emissions . The older power plants have zero emissions . contradictory +After a brief 20th-century decline , Leith 's fortunes have revived . Leith 's fortunes were once in decline , but only briefly . entailment +The Times asked for compromise legislation that would give manufacturers the right to set high standards for service and refuse to supply retailers who don 't meet them , while denying manufacturers the right to set prices . The legislation would allow manufacturers the right to kill employees who violated policies . contradictory +The Net , though celebrated as a libertarian institution , can also be the opposite . The Net can be two different institutions . entailment +This appropriated payment is separate from the transfer of earmarked premiums and is not a transfer of earmarked taxes or other income . This payment is separate from the premiums and is not a transfer of taxes or other income . entailment +okay for nothing that 's where you problem comes in is because some people will work for nothing when other people won 't Some will work for nothing others won 't entailment +oh you were oh okay You were not . contradictory +yeah and uh it got a lot a lot of campsites you know there 's uh uh concrete pads that you can put tents on there 's places to pull in RVs and plug them in up uh there 's even two and what we we used It is a wilderness campground . It 's just you and nature , with no hints of civilization . contradictory +It includes 12 competencies that our employees overwhelmingly validated as the keys to meaningful performance at GAO . GAO has performance data and standards to uphold . entailment +The publication quotes a film critic who says at the post-screening interview she giggled uncontrollably ... The publication found no critics that were willing to be quoted on the film . contradictory +Best known for its industry , most notably the giant Fiat and Pirelli works , the proud Piedmontese capital is far from being a dull or dismal factory town . Fiat and Pirelli both have factories in the same city . entailment +I see . In spite of her laugh , Mary was looking thoughtful this morning . Mary did not look thoughtful this morning . contradictory +and then they tell you to uh well invest it in uh is it IRA 's or something and and when They don 't tell you how to invest . contradictory +But he 's more comfortable behind the scenes He doesn 't enjoy the spotlight as much as the background work . entailment +Meanwhile , in the Ganga valley power struggle , Magadha ( modern Bihar ) emerged as the dominant kingdom . Madagha became the dominant kingdom in the Ganga valley . entailment +It is the entire problem . There really are no problems at all . contradictory +okay well i used to hate Star Trek I like Star Trek better now than I used to . entailment +Unfortunately , after three years the school was closed due to a lack of interest . The school ended up closing due to lack of interest . entailment +Flexibility stimulates technological innovation , fuels economic activity and reduces cost to industry and consumers . Flexibility blocks all sorts of technological innovation . contradictory +in the back of their mind if they know they 're going to go out and kill somebody and that you know they 're going to get the death penalty then and that it will actually happen This way the death penalty serves as a good deterrence . neutral +i was telling a friend i i said i only cried twice but each was about half an hour long so I would never cry at that . contradictory +Advocates are looking at other ways to generate money . Advocates want other avenues to raise money for their cause . entailment +you know these were the rich people these were the you know these were i mean just the things that happened we had a bulimic in front of us and she just looked crazy but yet she had money We saw a lot of rich people at the clinic , including this woman who had body dysmorphic disorder . neutral +Ten years later , on its 1,000th anniversary , it was rebuilt using much of the original brick and rescuing one of its five historic bells that is still used com 'era , dov 'era ( as it was , where it was ) . Com 'era dov 'era means as it was , where it was , in English . entailment +These and the climactic Battle of Hastings are depicted with all the exciting action and violence of a modern adventure film , with a cast of 626 char ? ­ ac ? ­ ters , 202 horses , 55 dogs , and 505 other animals . The cast includes hundreds of characters and animals . entailment +yeah but then there 's people you talk to and say i 've never been sick a day in my life you know so i guess i guess you know the the studies show as an average I guess the study accounts for people who have never been sick . neutral +sometimes i don 't like Randall Cunningham occasionally , i dislike Randall Cunningham entailment +they do and they 're anxious for us to be able to hold it but i these just aren 't going to be as tame as the book i got a book first This book will definitely be good . neutral +you know i mean there there were times when he was like he 'd be running with a gun or whatever he didn 't look like a cop when he did it and i was so impressed with that because He ran with a gatling gun and went on murderous rampages . neutral +His piece proves this point nicely . This point is proved effectively in his piece . entailment +You can have a park in your backyard ( as I do ) and still make it to work in 15 minutes ( if you keep a sharp eye out for the potholes ) . Luckily there are no potholes you have to worry about . contradictory +It continues for just over 10 km ( 6 miles ) until it reaches Portela , where a good restaurant offers sustenance to weary hikers . In Portela is a nice eatery where tired hikers can eat . entailment +( Slate ' s Jacob Weisberg reviews the book in his column , Strange Bedfellow . Jacob Weisberg does weekly book reviews for Slate . neutral +you know it seems like when they go to prison it they really seem like it 's a rough time for them and a murderer well go to prison oh he 's just there to serve his time and get back out on the street It seems like some murderers are able to get out of prison early to re-offend . neutral +i think she said their income would have dropped by like two thirds I believe she stated their income would have reduced . entailment +For various reasons , I don 't think this explains much about the evolution of American Jewish memory of the Holocaust . There are materials that do a better job at explaining the evolution of American Jewish memory of the Holocaust . neutral +To overcome this obstacle , most of the organizations required members to sign confidentiality or informationsharing agreements . Organization members feel safer for having signed confidentiality agreements . neutral +Don 't worry , Dave Hanson . Dave Hanson is being told to worry , but he needs to . neutral +At the same time that the picture was winning an international critics ' prize at the Cannes Film Festival ( where it was shown outside the main competition ) , Universal , the studio that financed it ( through its recently acquired indie wing , October ) , unloaded it in a panic--largely because its new owners , the Bronfmans of Seagram , feared being associated with a movie that featured a pedophile . The film was paid for by Universal and won an award at a film festival . entailment +so i didn 't want to get into doing anything there it 's just uh so far it 's okay you know we haven 't had any problems with it The paint on the walls hasn 't been a problem for us . neutral +In despair , she slashes her wrists and ends up in a hospital , where she attempts to explain her bond with the killer to a psychiatrist ( Stephen Rea , with an incongruous New York accent ) . She tells the psychiatrist that she worked with the killer . neutral +They say that Queen Jeanne de Bourgogne used the tower to watch out for likely young lovers , whom she summoned for the night and then had thrown into the Seine . Queen Jeanne de Bourgogne used the tower to watch for anyone who happened to be passing by . neutral +The journalism reviews dote on episodes where some newspaper runs an eight-part series about how its own ink is filled with cancer-causing chemicals , or whatnot . All the newspapers published articles about how printing ink is good for people 's lungs . contradictory +The Greek-Catholic Church in the centre of the animated market is the site of the synagogue where Jesus is said to have preached as a young man . In the church , you can read about the synagogue where it is said Jesus preached . neutral +Critics applaud rookie Belgian director Alan Berliner 's film , about a 7-year-old boy who yearns to be a girl , for giving an inside report ... Berliner 's film was about a girl who secretly wanted to be a boy . contradictory +but the guy at the very top the one who 's who 's really making the millions and the millions is the one who also many times is part of the power structure uh the uh and had the political uh pull to keep things from uh keep the interest or the uh emphasis in some other direction other than on the drug dealing because it sure is monstrous in this country Do you think drug dealing is a good thing , then ? contradictory +Impossible ! Unthinkable ! entailment +Recent business projections for Las Vegas predict challenges ; tourism revenues must increase substantially to sustain what is already built , while actual figures show visitation as steady or declining . Business projections show Las Vegas undergoing an economic boom as tourism revenues easily outmatch running costs . contradictory +When Israel began constructing apartment buildings in Arab East Jerusalem last March , PA security stopped relaying intelligence about the operations of Hamas ' terrorist wing . The construction of apartment buildings in Jerusalem happened at the same time the PA security stopped relaying intel on the terrorist operations . entailment +Back then , the Disability Law Center , Legal Aid Society and Utah Legal Services combined received less than $ 75,000 in donations from lawyers and other legal professionals . There were less than $ 75,000 in donations from legal professionals . entailment +However , the fundamental principles of providing the right incentives , providing adequate transparency , and ensuring appropriate accountability are even more important and relevant as the new structure and reforms are being established . There is no real procedures or principals involved in the implentation of new structures or reforms . contradictory +From the smallest box to large coffee tables , the intricate detail is exquisite . The details are even perfect on larger items than coffee tables . neutral +For those who look into the future and are concerned , there are some fundamental What can be done ? Most every person in America is concerned about the future . neutral +You 'll like this one , said Jon . Jon knew exactly what he liked . neutral +San 'doro stood firm . San 'doro bowed . contradictory +You don 't get one cent except on completion of your year with me . We offer competitive compensation to everyone here -- including you , of course ! contradictory +Look out for Veronese 's Rape of Europa and Tintoretto 's Bacchus and Ariadne and Vulcan 's Forge in the Anticollegio ; a masterly allegorical series by Veronese glorifying Venice in the Sala del Collegio , where foreign ambassadors were received ; and weapons and suits of armor in the Armory ( Sala d 'Armi ) . The paintings were meant to show off the city of Venus , entailment +She disappeared into her room . She very quickly went to her room . neutral +yeah but at the same time you know you 're telling me that on some given day i 'm going to walk in they 're going to tell me go down and you know and go down to the health center and you know pee in a jar or whatever it is no i haven 't and so I don 't think I 'll ever actually be asked to take a drug test . contradictory +In many ways Yoritomo was a less-than-admirable figure in Japanese history , but you still might want to stop at this little moss-covered stone pagoda to pay your respects . Yoritomo 's memorial is very beautiful and popular with visitors . neutral +They began again . They started again . entailment +Sinatra called Brando and told him he shouldn 't let himself go . Brando received advice from Sinatra . entailment +He started to brush it aside , but Nema 's hand restrained him . Nema stopped him from brushing it away . entailment +In order to provide a consistent frame of reference for discussing federal fiscal policy issues , this section refers to the unified budget measure unless otherwise specified . The unified budget measure is used to talk about federal fiscal policy . entailment +We know , we know . I don 't know , nobody knows . contradictory +From the dropping of the first atom bomb over those islands--I forget the ancient name--there was only one end in sight , and in plain sight . The islands have a funny sounding ancient name . neutral +Unlike affirmative action , high school quotas avoid giving an advantage based on something other than merit in those situations where student X is white and student Y is a minority . High school quotas give an advantage on merit . entailment +Six teams of a nanny and a nurse take turns watching the baby around the clock , although they are not allowed to kiss him . There are only two teams of nanny and a nurse . contradictory +Fourteen people now receive money from Uncommon Good . These people receive money for working in the Uncommon Good office . neutral +From baseball to yachting , you can watch some of the world 's best athletes at sports venues all over the L.A. area . LA doesn 't have good sports . contradictory +and i really don 't think she ever turned it in but you know I don 't think she ever turned it in . entailment +The critical need for legal aid has gone up because of the recession . The sluggish economy has left lawyers competing for work , since they are in less demand these days . contradictory +That willingness drives the business case . The business case is only driven by will . entailment +i stopped payment on a check oh that 's funny oh this last week we bought a sewing machine at Zak 's and then i found that you could get the same machine better for less locally not much less but it was enough less and i found they locally serviced it and we just stopped payment on the check so i hope they don 't sue us over it but we never received any merchandise either so i don 't think it would hold any I received my sewing machine . contradictory +What 's my big but ? What is my large bottom ? entailment +at least they 're coming around They are changing for the better . entailment +More than 40 percent of the 1,746 such contributions made in the last cycle ( up from only 401 in 1979-80 ) was received by just 14 candidates . Less than ten percent of such contributions made it to the rest of candidates . neutral +The huge stones slid remorselessly forward onto the prepared beds of rubble . The big stone slid shamelessly onto the beds of rubble . entailment +The British Mandate The British Mandate to purchase health insurance . neutral +The train exploded . The train was intact . contradictory +The girl was alone . The girl had no one accompanying her . entailment +Since this is the only time many Japanese are permitted to take a vacation , it is the worst time to visit Japan , since every hotel , inn , train , and even plane is booked up months in advance . The cost of vacations go up during the time the Japanese people vacation . neutral +yeah yeah they was actually went back like they were you know They literally went back to get the ticket . neutral +The images in Touch of E v il have been boiled down so that all its ingredients are mashed together in the sludge . Every image in Touch of Evil is clear , distinct and individual . contradictory +And on tour with the president in Africa , Jesse Jackson gives Maureen Dowd his theology of the Lewinsky There are nine more Commandments . Jesse JAckson has been on some tour with the president in Africa entailment +There are a planetarium , a City des Enfants for those under 12 years , and the shining stainless steel G ? ? ode sphere containing a revolutionary cinema with a hemispheric screen 36 m ( 118 ft ) in diameter . The cinema 's screen is 36m in diameter and the cinema is in a steel sphere . entailment +Slate ' s archives , or to update your member profile info . Your membership profile is up to date , and you don 't have to edit it . contradictory +Across the main road from the house are several small streets that illustrate how the old town must have looked in the 17th century . The city is formed by old 17th-century buildings and modern ones . neutral +It was used for a spell in the 18th century as a post office . It was a post office for a while . entailment +The agency representatives also made a number of other points that suggested that standardization of participation processes was not needed or could be undesirable . The agency representatives made a number of points entailment +uh or we 'll suddenly be in the dark and say oh my goodness now we don 't have the ability to go on to some new technology We can easily go on new technology . contradictory +The same questions were asked yesterday . Those were the questions from yesterday . entailment +He saw the hurt in the man 's eyes but he had to talk to the Swords alone . He knew the man was upset but it was for his own good . neutral +In theory , auditors work directly for the board of directors and indirectly for shareholders . The auditors do not cooperate with the board of directors . contradictory +Left unresolved , they can cost society far more than the expense of providing legal services to address them . Prolong the problem and society will pay . neutral +What about the animals ? Have a care for the living things ? entailment +This clause applies to even minor changes that could reduce minority participation . Changes that will affect minority participation in any way are exempt from this clause . contradictory +and so i have a real you know heart for them and i 'm going to bring my Mormon neighbors some Amish bread today and that 's just where my heart is so i read a lot of books on that and you know Christian books written by people about you know to help you out and stuff and i read the Bible i don 't read the Bible as much as i should but but i think i would always think that no matter what i did so but i do enjoy reading that and so pretty much we have different interests i think in reading I don 't know how to read , but I wish I did . contradictory +This led her to seek out older men to replace the father she felt had abandoned her , and to do it by mimicking the femme fatale style of her mother . She was aware that she was imitating the femme fatale style of her mother . neutral +The Human Genome Project , in fact , was built using the infrastructure of the nuclear-weapons program , taking over unused labs at Los Alamos , Berkeley , and Livermore . The Human Genome project has the same number of staff in each lab . neutral +Rajasthan is undoubtedly one of the most romantic regions in India . Many people travel to Rajasthan for their honeymoon . neutral +It finances issue discussion in this country . It helps pay for the discussion of issues in this country . entailment +Ok , he said . Jon said that it was okay . neutral +Three times they have signed with high-interest lenders that refinanced their Denver home , gave them some cash and escalated their debts . High-interest lenders refuse to refinance homes . contradictory +In general , for the organizations that participated in this study , we No organizations participated in this study because it was too general . contradictory +yeah yeah really is that the one where uh the guy gets captured by that woman okay yeah It is not where the guy is captured by the woman . contradictory +Idiot , says Alan Dershowitz on Late Edition . He forfeited attorney-client confidentiality and thereby compromised his client 's rights by volunteering too much of his conversations with Lewinsky on the shows . Alan Dershowitz thinks that Lewinsky 's legal counsel handled her case and themselves professionally and made no mistakes . contradictory +A man had run up and was standing beside the egg , beating at it . The man stood still near the carton of eggs . contradictory +GAO reserves the right to release any product that has been issued but is under restriction if it is leaked or otherwise made publicly available . GAO has expressed this right 6 times in the past . neutral +something that 's taught Something that we are born with . contradictory +yeah i think we 're trying to stay uh stay friendly with uh the uh the Brazilian and and Argentinean governments because they 're producing so much uh agricultural exports I believe we 're trying to remain on good terms with Brazil and Argentina because they make a lot of agricultural exports . entailment +Two Sticks fell away clutching gushing wounds deep in their forearms . As they fell , they grabbed the wounds on their arms . entailment +If you arrive in Riquewihr on a quiet day , have a good look at the stately Maison Liebrich ( 1535 ) and at the Maison Preess-Zimmer ( 1686 ) , on the main street ( Rue du G ? ? n ? ? ral-de-Gaulle ) . The names of the places are easy to mistake but just follow the Mao . neutral +Many hotels have swimming pools , for those who may be allergic to sand . Sand allergies are very common among fair skinned visitors . neutral +The D42 takes you up to the Col de la Forclaz ( 1,157 m / 3,800 ft ) . The D42 has been decomissioned and cannot be used . contradictory +The once-marshy plain of Kanto is Tokyo 's hinterland , the region where the feudal warlords set up their military bases and administrative headquarters . All of the military headquarters in Kanto have now been destroyed . neutral +Based on availability of resources , particularly labor , it is projected that an additional 6,000 MWe of FGD capacity could be built for a total of 10,000 MWe by 2005 . This capacity level would meet demands for ten years . neutral +GAO expects an agency to provide ( 1 ) a single position on GAO 's findings , conclusions , and recommendations-including a resolution of disparate agency views if necessary-and ( 2 ) the rationale for any disagreement with GAO 's draft report . If an agency disagrees with something in the GAO draft report , GAO expects that agency to provide its rationale . entailment +However , if it is obtained in order to engage the patient in treatment , the information is protected under the above federal regulations that require the express , written permission of the patient before it can be shared with others . You don 't need any permission to do a surgery . contradictory +um i guess you could technically consider that profit sharing um but um most you know most medium or small probably don 't do that much profit sharing and while i was at this other corporation they never had any profit so Small businesses usually have profit sharing . contradictory +( Books about Ben Franklin 's life ) . There are books about Franklin . entailment +because i can tell somebody to go leave me alone but they so old I can tell someone to leave me alone but you can 't do that if you 're in a nursing home . neutral +Just as important , involving stakeholders in strategic planning efforts can help create a basic understanding among the stakeholders of the competing demands that confront most agencies , the limited resources available to them , and how those demands and resources require careful and continuous balancing . Excluding stakeholders from the strategic planning phase makes it easier for them see what kind of resources the agency is working with . contradictory +Inside is a 16th-century sculpted sandstone pulpit and marble altar . The pulpit was made in the 1500s , from sandstone . entailment +The recommendations were adopted by the Chicago and Illinois State Bar Associations , and , along with an appendix of existing and proposed implementation measures , submitted to the Governor , the Illinois General Assembly , the Illinois Supreme Court , local governments , state agencies , legal services programs , bar associations and individual lawyers . The recommendations were adopted by the Chicago and Illinois State Bar Associations . entailment +Of the rock-carvings north of the rathas , the most celebrated is The Great Penance . The Great Penance is the most venerated of the rock carvings . entailment +You can 't even remember black-and-white TV or those first transistor radios that one of the Fray people mentioned [ ahem , actually , Chatterbox can remember these things , but that 's a small point ] ... Black-and-white TV is modern technology . contradictory +i honestly at this point it 's it 's just too blown out of proportion for everyone you really even the news you cannot follow I think the topic is so contentious , people can 't even make sense out of the news reported about it . entailment +Krugman would also have found out that the Buenos Aires Stock Exchange is not representative of the way things Bonds are important , and what businessmen are doing is important . Bonds are crucial to the economy . neutral +And canine lovers everywhere will no doubt sleep easier knowing that actress Bea Arthur is on their The Globe reports that she has begun a crusade on behalf of the innocent greyhounds abused in dog racing . Dog racing is considered animal abuse by some people . entailment +well it sounds like they 're doing quite a bit If they keep on like that , they will do a lot more next year . neutral +Often used to refer to accounts more than 90 days delinquent . The account has been delinquent for about a month . contradictory +Where is beauty ? What is beautiful around here ? neutral +Individuals ' claims to their wealth and income must of course be balanced by the need to finance governmental activities , no matter how few and inconsequential they may be . The government must be funded . entailment +On the narrow roads that tend to twist without warning , you 'll encounter cows , sheep , sugarcane wagons , and little children . The roads remain straight and uninhabited . contradictory +I thought you knew no magic . " " I didn 't , " Dave admitted . Dave was unaware that he could perform magic tricks . neutral +On 6 August 1945 , a B29 ( the Enola Gay ) dropped an atomic bomb on the city of Hiroshima , inflicting a level of destruction that astonished even the bomb 's designers . The people who designed the atomic bomb were astonished by its destructive power . entailment +The park also has a restaurant and children 's play area . In addition to a restaurant and a play area , the park has numerous other amenities . neutral +Then he was gone . Then he stayed here . contradictory +which is a a shade plant that seems to do well underneath the trees It does not require as much light as most plants . neutral +be fostered in as you become you know as you gain new social skills as you become you know more of a functioning member of society and maybe the Air Force Academy is appropriate as you said for someone who you know a more you know who needs to learn self-discipline and so forth would be appropriate for them I would like to send my son to the Air Force academy . neutral +The newsweeklies ' Gen Y obsession continues with a cover story on Tweens , the 27 million 8-to-14-year-olds in the United States . Tweens are people aged 8 to 14 years old in the United States . entailment +Today , the action is in the food markets and boutiques on the Grand Canal 's west bank . The food markets are all on the canal 's east bank . contradictory +Over the doorway of each of these temples is a semicircular panel called a torana with images of the resident god this will help you identify who 's who . At the floor is an image of each man who has rejected the god . contradictory +Moreover , systems could be designed and operated to contain specific control mechanisms to prevent payment authorization either manually or in an automated environment prior to confirmation of receipt and acceptance . The systems were designed to stop payment authorizations . entailment +Therefore , 17 % increase in purchase probability brings about a 0.16 ( 17 ) = 2.7 percent reduction in aggregate demand . The aggregate demand is reduced . entailment +Paula Jones makes Newsweek ' s cover . Newsweek will never put Paula Jones on their cover . contradictory +One of the most delightful is the Kurashiki Mingeikan folk art museum , displaying not only Japanese , Korean , and Chinese pottery , glassware , textiles , and bamboo-ware , but also Native American and European peasant ceramics and basketry with which to compare the Asian art . The Kurashiki Mingeikan museum displays many handiworks from Japanese , Korean , and Chinese culture . entailment +Individual development accounts ( IDAs ) are special saving accounts for low-income families . Individual development accounts are special saving accounts for low-income families . entailment +Appointment and confirmation is a political process , and like any political process it will always be messy . Any political process is always messy , and appointment and confirmation is a political process . entailment +Crazy or not , he took this business of the hatching egg seriously . He knew that the egg he was hatching was something more precious than the rest . neutral +We can rebuild whatever they destroy . We cannot rebuild things if they destroy them . contradictory +i mean can you crawl underneath there or is it That would be really important for me . neutral +Washington , D.C. : Brookings Institution Press , 1987 . It was originally written in 1738 . contradictory +Up on the next floor , the Modern Art Gallery ( Galleria d 'Arte Moderna ) is devoted to 19th- and 20th-century Italian art . There is a gallery only for 19th- and 20th-century Italian art . entailment +There are also shops filled with bronze Buddhist statuary , silver ornaments , prayer wheels , and brass singing bowls . It 's possible to find souvenirs like Buddhist statues and silver ornaments . entailment +Complimentary access to San San beach ; nature trails lead through a rain-forest environment . There is free access to the San San beach down the road . neutral +if you know if they want to get a liberal arts degree i don 't i don 't know what advice i 'd give them go to the school you 'd like to go to that 's what i did I have no advice to give anyone seeking to obtain a liberal arts degree . entailment +Instead , as with abortion , the panelists praised the new techniques for solving the old questions . The old questions could not be solved . contradictory +She 's the mater 's factotum , companion , Jack of all trades ! She cannot do anything by herself . contradictory +Alan Greenspan 's still funny . Alan Greenspan 's is boring and unfunny . contradictory +and i have a feeling that the Persian Gulf crisis is going to be the same way What 's going on in the Persian Gulf will probably end up the same . entailment +As sick as it sounds , he says , they would even be a good investment ( though not as good as Marilyn Monroe 's nipples--rumored to have been snipped off during her autopsy , along with some locks of hair--which White estimates could bring well over $ 25,000 ) . Locks of Monroe 's hair are scheduled to appear in an upcoming auction . neutral +Furthermore , it 's preposterous that a president re-elected on rhetoric about building a bridge to the 21 st century hasn 't bothered to work out a minimally consistent position on the Internet . The re-elected president spoke about building a bridge to the 21st century . entailment +Breakfast ? " The girl nodded . The girl scoffed at the idea of getting breakfast at this hour . contradictory +like this month the uh heat pump went out and uh The heat pump has always done its job . contradictory +that 's you know i wanted I didn 't want . contradictory +The gardens are being extended in a massive $ 200 million project designed to include even more magnificent hanging gardens . They will also include a bigger number of additional plants . neutral +Two minutes later they were seated in another taxi and were retracing their steps , this time direct to Carlton House Terrace . A little while later , they had boarded another taxi and were on their way to Carlton House Terrace . entailment +For financial audits , which include financial statement and financial-related audits , you should follow the GAO / PCIE Financial Audit Manual ( FAM ) and the Federal Information System Controls Audit Manual ( FISCAM ) . You should not follow the Financial Audit Manual for financial audits . contradictory +Immediately the first Israel-Arab war erupted , with the new state engaged in fighting the combined armies of Egypt , Jordan , Iraq , Lebanon , and Syria . The first Israel-Arab war started immediately . entailment +Jolanta Moczydlowska , a former model in second-and-a-half rate fashion shows , unfulfilled MTV presenter and three times married of convenience fulfilled wife , didn 't like her nose . Jolanta Moczydlowska married three times and had an unsuccessful career as a presenter entailment +Several guidelines are shaping our efforts . We are making up the direction of our efforts as we go . contradictory +I 've even considered changing my political views for her . She 's got me considering switching up my political beliefs . entailment +'That all certainly seems to be in order , ' Greuze beamed , as we returned to the limo . Greuze smiled as we returned to the limousine . entailment +From before the 1983 amendment until 1986 , the categories of eligible aliens ( 1 ) an alien lawfully admitted for permanent residence ; ( 2 ) an alien who was either married to a United States citizen or was a parent or an unmarried child under the age of twenty-one years of such a citizen and who had filed an application for adjustment of status under the INA ; ( 3 ) an alien who was lawfully present in the United States as a refugee or who had been granted asylum by the Attorney General ; ( 4 ) an alien who was lawfully present in the United States as a result of the Attorney General 's withholding of deportation ; and ( 5 ) an alien lawfully present in the United States as a result of being granted conditional entry . There was no amendment regarding aliens . contradictory +But I never went after him . I followed him . contradictory +For most people I suppose the first side is difficult without the second . The second side make the first side easier . entailment +He has not been forgiven . He has offended many people in the past . neutral +i just see a lot of uh social and cultural differences that could uh pose problems with uh Puerto Rico becoming a state I don 't see any cultural differences with Puerto Rico that would pose as a problem contradictory +The town is still full of sculptors , and Piazza Alberica is the scene of a summer sculpture competition 14 days to produce a masterpiece . In Piazza Alberica there is a sculpture competition to produce a masterpiece in two weeks . entailment +Drew knew that feeling also . Drew had no idea what it felt like to feel this way . contradictory +In front of the National Gallery is the Royal Scottish Academy building , designed as almost its twin . The exterior facade of the National Gallery and the Royal Scottish Academy building are almost identical . entailment +Airports , railway stations , and hotels can be a pain anywhere in the world these days . Airports provide very smooth traveling . contradictory +Though Spain may not be the bargain-basement destination it was in the 1960s and 1970s , it is still less expensive than most other European countries . Spain may not be as cheap as it was . entailment +uh they can 't hardly trade him because nobody wants to pay that much for him and if they just keep him that hurts their salary cap so that guy 's got Dallas in a big old bind but uh they they i think they 've just got to forget about him and uh try to build a team without him maybe go for some good they ought to get some good draft picks this year If they hold on to him that may cause financial problems . neutral +The bridge is a single , unsupported span 1,006 m ( 3,300 ft ) in length . The bridge is made of multiple pieces with many supports . contradictory +What battles had this titan seen ? What battles has this titan witnessed ? entailment +Advertising Gets Political Political advertising is the best way to get your message to the people . neutral +Still , it was kind of the old fellow . What the old fellow did wasn 't kind in the least . contradictory +Apaches , they are not stupid . Apaches are the dumbest of them all . contradictory +For retrofits starting in 2005 facility owners are likely to have more than three years to complete this work as many of these retrofits have already begun . Facility workers have to finish the work in one month . contradictory +A magnificent Evie Hone stained-glass window adorns the landing in the main entrance ; it is beautifully complemented by the carpet and balustrade designed by Mary Fitzgerald . The stained-glass window at the landing contrasts nicely with the carved door . neutral +i i have a i don 't i don 't have to do anything you know it 's like what am i going to do if i sit here if i sit here for a whole year they 'll let me go and then i can get back to my life I don 't have to do anything but sit here . entailment +The goal shouldn 't be to make the desert bloom . The aim should not be to make the desert bloom . entailment +I think nothing . I do not consider anything . entailment +well at least that that 's what i like about a show if if you can predict it it 's not worth watching Shows that are worth watching all have twists and surprises . neutral +Most tabloid cliches in a single The Enquirer ' s October piece about convicted murderer Susan Smith , who is said to have 1 ) taken a lesbian lover in prison ; 2 ) lost 60 pounds from bulimia ; and 3 ) become desperate to have a baby . Last month , most tabloid have covered the story of Susan Smith losing 60 pounds from bulimia . neutral +Some excise taxes ( considered to be benefit taxes ) are levied on bases that are related to the use of publicly provided goods and services or the public provision of other benefits , such as the gasoline tax ; certain other excise taxes are levied on bases related to a cause of some damage and are dedicated to pay down costs , such as the tax on domestically mined coal , which is dedicated to the black lung disability trust fund . Excise taxes have a long history of benefiting the society . neutral +" Dave Hanson , world saver ! Dave saved us all . neutral +In a 1962 retreat for university students in Krakow , the future pope , espousing what sounds like the Gospel According to Carol Gilligan , told female participants that women are more feeling and intuitive people and become involved in things in a more sensitive and complete manner . The future pope told female participants that women are less intuitive and feeling than men . contradictory +All the hell our people have ever caught in this country , they have caught in the name of democracy . The harassment our people of undergone in this nation they have undergone for democracy . entailment +no i don 't think they would I 'm pretty sure they would be happy to do that . contradictory +There was little more evidence . Beyond that , there were boxes of more evidence . contradictory +and uh oh yeah okay because that kind of moderates the weather a little bit yeah That does not moderate the weather at all . contradictory +Dad and your father are walking around . Our dads are trying to make some tough decisions . neutral +Economists agree . It is agreed among economists . entailment +'They 're not worms , ' said Guierrmo Othon , Chavez 's husband , who is also a lettuce worker . They are bugs . neutral +Sharm El Sheikh and Hurghada are the largest resorts , well-equipped with hotels and eateries , with a full range of facilities such as windsurfing , water-skiing , and water Dahab and Nuweiba on the west coast of the Sinai are smaller , with a hardened diving or windsurfing crowd great for a low key vacation . The Sharm El Sheikh is not suitable for low key vacations . neutral +uh no they i 'm in telecommunications company and they uh sent it out in our bulk mail so that if any engineers want to participate you know I am in fashion company , but I participated . contradictory +Three of these areas ( 1 ) the automation of receipt and acceptance , ( 2 ) electronic signatures , and ( 3 ) statistical sampling regarding examination of claims in the payment process . Electronic signatures pose a security threat . neutral +It includes some of the finest beaches on the island or anywhere in the Mediterranean , for that matter . The beaches there are the worst in the Mediterranean . contradictory +that if i were living in Mexico and trying to raise several children and i could see across the border where the good life would be for my children The good life is across the border . neutral +At one point the land value of the Imperial Palace in Tokyo was thought to be worth more than the entire real-estate value of Canada . When an assessment was actually done , these beliefs were quickly disabused . neutral +The guide contains sensitive information and is not for distribution outside federal law enforcement organizations . You shouldn 't share the guide with anyone who isn 't involved in law enforcement . entailment +Thursday marks the official beginning of sweeps month , and so there are some rich pickings . Sweeps month is starting on Tuesday . contradictory +In other respects , saving for the nation 's retirement costs is analogous to an individual 's retirement preparations . Saving for the nation 's retirement cost is completely different from saving for a single persons retirement preparation . contradictory +trouble is i can 't get them tight enough I have trouble getting them tight enough . entailment +She was holding what appeared to be a small lawnmower attached to a giant meat cleaver . She was holding a hybrid tool made from a lawnmower and meat cleaver . neutral +The colonial war in Morocco provided an almost welcome distraction , but a disastrous defeat there in 1921 led to a coup in which the general Primo de Rivera became dictator . Prima de Rivero attempted a coup in 1921 , but ultimately failed . contradictory +But he 's entitled to have a public defender ... He has no right to have a public defender . contradictory +This is , I believe , a good point to do a comparison of the evidentiary record the Commission based its decision on and the financial picture postal officials are now painting just three months later . I believe the Commission based its decision on a coin toss . contradictory +When it was over , Hughes owned six casinos , an airport , and an airline , along with numerous plots of land stretching from the Strip to the mountains . Hughes owned numerous land plots , casinos , and an airline . entailment +The last of Dublin 's Georgian squares to be built , it was completed by 1830 , although the older houses date back to 1714 . The first Georgian square in Dublin was built 100 years earlier . neutral +DOD has historically developed new weapon systems in a highly concurrent environment that usually forces acquisition programs to manage technology , design , and manufacturing risk at the same time . Highly concurrent development environments manage technology and design separately . contradictory +This is a flexible series continually being added to and updated . The series is always changing . entailment +that used a set of balanced expectations to manage senior executive performance . CCTV surveillance was used to manage the performance of senior executives . neutral +If you 've got limited resources and you think you can do it , and the court does help , then maybe this is the one thing that you forego in order to pay for something else , said Sally Fox , a former state representative who helped write the legislation to establish Family Courts and who used to be the state director of Family Court operations . You shouldn 't do it regardless of your means . contradictory +Average boxes per mile differ by a factor of nine . Boxes per mile varies neutral +Open the right-hand door ! The two girls stepped out into the traffic . The girls were being dropped off in a mini van . neutral +GAO found that these agencies are in the early stages of using a set of balanced expectations to appraise senior executive performance and there are significant opportunities to strengthen their efforts as they move forward in holding executives accountable for results . GAO studied how the agencies held their CEOs accountable . neutral +The right-wing press critics at Accuracy in Media hyped the forgery theory as well , wondering why big media skipped the story ( Experts Say Foster 's Suicide Note Was a Forgery ) . Some critics at Accuracy in Media were interested in the forgery theory . entailment +I got it ! It 's gonna be a hit ! A young student , of psychology maybe , judging by his ' I Want my Momma ' t-shirt , yelled out . A young student , maybe of psychology , judging by his ' I Want my Momma ' t-shirt , yelled out ' I got it ! It 's gonna be a hit ! ' . entailment +According to the FFC study , opportunities exist to significantly reduce total project cost ( TPC ) by conducting an effective design review process . According to the FBI study , opportunities exist to reduce the impact of hand guns . contradictory +So who do you hate in cartooning ? It is possible not to love cartooning as a whole . entailment +Of all what ? Of all what ? entailment +A panel survey collects data repeatedly from the same sample . The same sample isn 't used repeatedly in a panel survey . contradictory +In 1868 it became El Museo del Prado . It became El Museo del Prado in 1868 . entailment +'Strange ? ' Odd ? entailment +they they just haven 't seemed to been able to hit anything uh on the head every every time they go one way the wind is always blowing the other which is They hit everyone on the head every time . contradictory +Given her claim that she cannot stand to see Clinton on television--a fortiori in the flesh--does she really want to give the president 's lawyers a stick to beat her with ? She said she hates to see Clinton on tv . entailment +uh a Dodger fan a couple of years ago when they won the World World Series and Hershiser won all those games in the World Series that was that was really a I didnt care for them much before , but then they won the World Series and i became a fan . neutral +A rich variety of natural beauty close by provides opportunities to explore caves , a waterfall , and secluded beaches . The hotel is right by some ugly industril stuff . contradictory +Notwithstanding any other paragraph of this subsection , for units subject to this paragraph , the Administrator shall not allocate allowances pursuant to any other paragraph of this subsection , provided that the owner or operator of a unit listed on Table B may elect an allocation of allowances under another paragraph of this subsection in lieu of an allocation under this paragraph . The Administrator will receive a penalty if he always provides allowances . neutral +Hare 's script is faulted for making Wilde inhumanly noble and for blaming Wilde 's celebrated fall entirely on his lover , Lord Alfred Douglas . His script cited Lord Alfred Douglas as the one and only cause of Wilde 's fall . neutral +Dominic , a director of exploitative films and television , contends that the theater is a dead form . Dominic is a lead actor in films and television . contradictory +For meat , they bred pigs and ate iguana , both native to the island . Their diet consisted only of fruits and plant matter because they couldn 't find meat . contradictory +The question seems to demand a yes / no answer . The question could not be answered with a simple yes or no . contradictory +This site can be used to access previous FCW articles , which can be searched by topic or by keyword . This site also contains contact details for several officials . neutral +This programme was faithfully carried out , and a little after eleven they drew up before the Metropole . They came up to the Metropole before 11 . contradictory +If , however , we scoped the job to examine in depth events leading up to the disaster , what went wrong , and why it went wrong , this would be a case study . We would call this a case study if we were going to examine the events leading up to the tsunami ; but , we are not . neutral +As discussed in practice 10 , sound training and career development strategies are needed for the finance organization to meet the current and future human capital needs of the business . Financial organizations have to meet current regulations . neutral +Unlike altogether too many biographers , [ Assouline ] is capable of distinguishing between the singer and the song , says New York ' s Luc Sante . Luc Sante thinks most biographers are really adept at distinguishing the song vs. the singer . contradictory +Windsurfing is a major attraction on Ibiza and Formentera ; equipment can be hired at escuelas de windsurfing as well as many resorts . The equipment one can hire for windsurfing at Ibiza and Formentera is expensive . neutral +Mary looked up at him , the colour slowly rising in her face . His sight caused the color to rise in Mary 's face . neutral +Farewell to you , my hopes , my wonted waking dreams ; Farewell , sometimes enjoyed joy , eclipsed are thy beams ; Farewell , self-pleasing thoughts which quietness brings forth ; And farewell , friendship 's sacred league , uniting minds of worth . The dreams and hopes were forgotten and never accomplished . neutral +because well you know it 's like other the other independent companies the gas stations you know and they did and uh then the taxes go up and then everybody else loses When taxes rise , everybody cheers . contradictory +No , but we were both angry , and , I think , said more than we meant . We were telling each other some funny jokes . contradictory +um yeah it 's it 's one of the reasons why you know The Godfather 's been on our minds lately um but uh there 's a bunch of scenes from uh uh from The Godfather that 's used because Matthew Broderick 's going to film school and uh in his classes they 're using there 's a bunch they 're running a bunch of scenes from The Godfather and then he 's running into Marlon Brando who is playing you know this Mafia you know this uh organized crime head We are big fans of The Godfather . neutral +For admission to its two great mosques buy a ticket at the booth by the foot of the steps . You can also buy tickets there for other exhibits . neutral +well i uh appreciate that information about Richardson i know it was um it 's got a really good reputation and Richardson is pretty close to my grandfather 's house . neutral +To reach Carlisle , take the M6 north from Penrith , make an exit at junction 43 , and take the A69 road left towards Carlisle city center . You must never leave the M6 in order to reach Carlisle . contradictory +Italian piazzas are full of pigeons . Italian piazzas don 't have any birds . contradictory +that i think it originally started with Indian Guides and uh the idea was that dads are off working all the time and mothers are left to raise the kids the idea was incorrect , since almost as many mothers as fathers worked outside the house neutral +The graffiti that covers the entranceway and ancient walls is a poignant reminder of how well beloved and internationally embraced this universally renowned storia d 'amore is . The storia d 'amore is loved all around the world . entailment +Since then , GAO has used the increased risk of uncontrollable and often catastrophic wildfires as an example of the need for strategic budgeting to address issues that are not aligned with the current budget and organizational structures of the four major federal land management agencies . GAO used the higher risk of wildfires for their need for a budget . entailment +Nearing the end of my trip , I realize that my observations have been largely about race . Most of my observations on this trip were about regional cuisine . contradictory +Just north of the Plaza , take a coffee at one of the open-air cafes on the traffic-free Calle Mayor . The open-air cafes also serve a light breakfast or lunch . neutral +Capital gains taxation and estate transfer taxes may also affect household decisions about saving and asset accumulation . Capital gains taxation are usually a good thing for individuals . neutral +that 's right and uh so we kind of it 's it 's we 've gone from one extreme to the other and that 's that 's been hard to adjust to but uh the weather we can 't oh the weather 's been wonderful We 've found it difficult to adjust from one weather extreme to another . entailment +and some nights i 'll come home from work like i did last night and with rain in the forecast and the lawn was getting pretty high i said i got to mow the lawn but i want to go out and run now which do i do first I 'm going to run before mowing the lawn . entailment +for right now i 'm trying to get out I 'm just focusing on getting out right now . entailment +Rerun smiled and said , You 'll never know ! Rerun has kept the secret for a while . neutral +" Sí , it is true that Juanito looks for trouble . " Chino Herrera rolled a cornshuck cigarette with precise , delicate twists of his fingers . Yes , that 's right that Juanito looks for trouble , said Chino Herrera as he made a cornshuck cigarette . entailment +yeah is it very windy up there now It is 3 : 00 PM . neutral +yeah sure well Texas used to be part of Mexico or most of it Most of Texas used to be part of Mexico . entailment +yeah my truck 's broken down and my house just burned down you know but Everything 's going great ! contradictory +Brewer said a major focus of the agency 's work involves housing . " We as an agency focus mostly on housing . " said Brewer . entailment +Then there 's the enormous international community surrounding the entertainment industry . The entertainment industry has a very large community from all over the world . entailment +and everything Bush said he backed up of course he course he had some real good help Bush is a liar and everybody knows it . contradictory +Alcohol-related medical problems , especially injuries , occur in the entire population of alcohol users . All those who drink alcohol report alcohol-related medical problems due to over drinking . neutral +didn 't mean to cut you off there I did not intend to interrupt you . entailment +Plattsburgh for a while he he remembers lots of snow Plattsburgh can 't remember anything . contradictory +Dead men tell no tales , he said evenly . He spoke evenly , but knew there were ways to make a dead man talk . neutral +The Comparative Method in the Social Sciences . The social sciences use a comparative method . entailment +The main spire is neo-Gothic of the 19th century . The main spire is from the 19th century and neo-Gothic . entailment +The Kal laughed and Adrin 's face grew a darker shade of red . Adrin 's face grew dark red when the Kal laughed . entailment +No matter how fast we all run , someone must be behind . Someone will always be in last , regardless of our speeds . entailment +The WJC site also sells Ruddy 's book , The Foster Investigation , and a video , The Death of Vince What Really Happened ? You can find books and videos on the WJC site . entailment +and and i i believe it 's just that religion that 's not a you know a prominent uh predominant religion uh religion so i don 't i don 't think that that uh issue would hold much water The issue would feel like one of massive importance to everyone . contradictory +Systems standards are important for agencies streamlining operations by redesigning or modifying systems to take advantage of technological advances . Agencies in the business of streamlining operations for the purposes of benefiting from technological advances have no use for systems standards . contradictory +An article questions television 's awkward embrace of gay characters . There are no gay characters on tv . contradictory +The Reliable Source now chronicles Leonsis ' exploits as the Caps ' owner , Case 's party visits , and Saylor 's dating habits . The Reliable Source is not so reliable . neutral +Particularly notable are those at Vilamoura and Quinta do Lago . Those at Vilamoura and Quinta do Lago are not notable at all . contradictory +Mallorca 's garrison seized it for Franco 's Nationalists . 500 men were needed to seize it . neutral +we have an um actually it 's a TI computer but it is the IBM We do not have a computer , and don 't need one . contradictory +Three coffins surrounding the king 's mummy are on display at the museum the inner one is fashioned from pure gold and weighs 170 kg ( 374 lbs ) . The king 's mummy is surrounded by three coffins . entailment +well i 've been camping a number of uh of state parks as it were and one of the the first ones that i ever went out with was with another group of people there were some uh college students uh uh out on a camp out and there were probably ten or fifteen little tents strung in a row on a little peninsula sticking out into Lake Texoma One of the first times I went camping was with a group of college students . entailment +It was an early late morning . The morning was early late . entailment +The analysis concludes that the rules do not impose additional reporting , record keeping , or other compliance requirements . No additional reporting , record keeping , or compliance requirements are not required due to the rules . entailment +In our July 2001 report on aviation rulemaking we recommended , among other things , that the FAA Administrator take steps to ( 1 ) empower team members by giving them the authority to coordinate with the associate administrators ( which would eliminate a separate review and approval step ) , ( 2 ) empower team We have asked FAA administrator to withhold any action that may empower team members . contradictory +i much prefer to stay in the house in my air conditioning and look at it without working in it I want to work on it myself . contradictory +Both emissions count in achieving the goal of recovery . Only one emission will count towards the goal of recovery . contradictory +Attestation engagements are performed under the AICPA 's attestation standards , as well as the related AICPA Statements on Standards for Attestation Engagements ( SSAEs ) which interpret the standards and provide guidance on conducting such work . The AICPA has attestation standards under which attestation engagements must be performed . entailment +I was afraid that talking too long might break the spell , or blow my cover . I was very nervous I would blow my cover . neutral +Hence , to give expression on the books of account ; said of transactions . Transactions are defined as an explanation to the books of account , in an economic disciplinary area . neutral +Tour operators often promote Monte , Pico dos Barcelos , and Curral das Freiras as a popular half-day excursion . These locations receive hundreds of visitors every day . neutral +did well i 've been with the company sixteen years now i was a WF for several years I 've only been with this company for two years . contradictory +Cyrix and AMD are now spending millions of dollars on TV-ad campaigns in recognition of the fact that it really does matter . Companies spend a lot of money on insignificant ads shown on TV . entailment +In 1922 the new Irish Free State was born . In 1922 , the Irish Free State was put to rest for the final time . contradictory +are they are they big ones There 's only one size of them . contradictory +yes when is yours on Is yours on Tuesdays ? neutral +In some cases , forming teams provided opportunities for front-line employees to assume leadership roles . Two or three people from each team were allowed to take on a leadership role . neutral +Since these factors apply to a number of government programs that collectively disburse billions of dollars , there is clearly a need for federal agencies to be ever more vigilant in the design , implementation , and maintenance of proper controls for safeguarding assets and preventing and detecting fraud and errors . The factors affect a number of government programs . entailment +Author J. Randy Taraborrelli has been somewhat cagey , but early reports suggest that the book will be full of salacious details about Frank 's seven-year affair with Monroe , other extracurricular activities , and an aborted Mob hit on him . Author J. Randy Taraborrelli is a well known writer of memoirs . neutral +federal surpluses and deficits differ ? Is there a difference between federal surpluses and deficits ? entailment +i play softball Softball is my sport of choice . entailment +But the fact is that MS has been very careful not to use its undoubted power to practice any crude , obvious version of what is known in the trade as vertical foreclosure . MS is engaged in vertical foreclosure . contradictory +He also believed that research should have policy implications and that funding sources should require this applicability . Later he corrected himself and said that the research should not have policy implications . neutral +yeah yeah because my wife and i saw it in the theatre we really liked it We regret our visit to the theatre . contradictory +Maybe Cap 'n Bayliss . Perhaps Captain Bayliss . entailment +Curious , mused Sir James . " Odd , " Sir James thought . entailment +Using a variety of methodologies for estimating the unmet legal need of the poor , several states have since reached conclusions similar to the ABA study , including Florida , Georgia , Hawaii , Illinois , Indiana , Kentucky , Maryland , Massachusetts , Missouri , Nevada , New York , and Virginia . Florida gives legal assistance to anyone who needs it . contradictory +Finding your way from one place to another is a major part of being here ; there are attractions scattered from Malibu to Disneyland . There is so much to discover all across the area , from Malibu to Disneyland . entailment +From the outset it was a center of culture and learning , arguably the first university in the world . The university is in Europe as most would have expected . neutral +You have to pull them apart with a fork . They will come apart on their own . contradictory +Without him nothing will stand.He is all wise and can outrun the hare . The tortoise has won all three races against the hare . neutral +The Tomb of Eyep Ensari , opposite the mosque , is decorated with gold , silver , and coloured tiles , and is protected by a gilded grille . There is nothing protecting the tomb from the public . contradictory +I will remember . I will remember this occurrence . neutral +Will they succeed ? There is absolutely no question as to whether or not they will succeed . contradictory +As a special prize , they received the longest novel published in the last three years , which had as much as 24 pages - ' In Search of a Lost Parenthesis ' by the R-syndicate writing quartet . They received nothing as a prize . contradictory +The Advisory Council has recognized that GAGAS applicable to the performance audit objectives of effectiveness , economy and efficiency , internal control , and compliance are also applicable to prospective analyses , guidance , or summary information . The GAGAS have been codified for over a century and are applicable to many areas of the prospectus . neutral +The Place du G ? ? n ? ? ral de Gaulle ( also known as the Grand ' Place ) is in the heart of Vieux Lille , a district of cobbled streets , shops , restaurants , cafe , and an assortment of architecture ranging from the beautiful 17th-century Vieille Bourse ( Old Exchange ) to the 20th-century Nouvelle Bourse and Op ? ? ra . Vieux Lille is home to shops , cobbled streets and different kinds of architecture . entailment +This time , however , there were staff about ; ladies and gentlemen in white coats , cradling test-tubes and flow charts . There were staff in white coats who had test-tubes . entailment +Recognizing that these other justifications overlap and may not all qualify as basic starting points , it is worthwhile to list them . These justifications are not starting points , because they are too indepth . neutral +In turn , this will avoid incidences of premature mortality , aggravation of respiratory and cardiopulmonary illnesses , and diminished lung function which results in lost work days , school absences and increased hospitalizations and emergency room visits , and will also avoid damage to eco-systems , fish and other wildlife . This will avoid incidences of early death . entailment +'I 'll find out what the problem is , ' I mumbled instead , leaving the cabin . I walked out of the cabin and said I would find out what the issue is . entailment +You don 't get better because you 're big . Training and money are the only things that can actually make you better . neutral +Microsoft says its linkage of IE to Windows yields improved features and functionality . There is improved functionality now that IE is linked to Windows . entailment +He cried out and fell . He screamed at the top of his lungs . neutral +Similarly , according to a 1998 survey of federal CFOs , 3 federal finance organizations continue to expand their focus from audited financial statements to include performance measurement and strategic planning . Finance organizations are still trying to expand their focus to include performance measurement . entailment +yeah and i think old uh i think Cunningham is an excellent quarterback Cunningham does very well as the quarterback . entailment +oh i can see it too I can 't see it from here , it 's too far ! contradictory +From all the things Tuppence didn 't say ! From all the things Tuppence gossiped about . contradictory +yeah these these two cats it 's hard to keep anything around Our cats don 't bother anything . contradictory +yeah i haven 't heard i hadn 't heard much about that movie i other than it was a chop them up movie but uh well i guess that 's one i won 't go see I only know that the movie is a gory one . entailment +oh that sounds really neat did you do did you use like a stamp pad an ink okay so you just Did you use just one stamp pad with pink ink ? neutral +An Osage County judge who heard the dispute sided with Brown in September , but Nixon is appealing that decision . A judge ruled in Brown 's favor . entailment +He 's even got a scroll to give him , loaded with titles , with imposing names . The scroll is simple , and is very short . contradictory +A burst of blue reached over his head and slammed into the wall mere metres behind . The blue bolt of lightning hit the wall behind him . neutral +Aqueducts brought the water from the Belgrade Forest , north of the city , to the cisterns , where it was held in reserve in the event the city was besieged . The reserved water was very useful during times of siege . neutral +In Britain , however , major news organizations are spending heavily to make their election sites the main focus of their overall Web sites . Major news organizations are making no changes into their sites , treating them all equally . contradictory +They are also larger and more brilliantly decorated . They are brilliantly decorated and big . entailment +Yes . Tuppence clasped her hands . Correct , Tuppence held her hands together . entailment +yeah yeah yeah i imaging he could play just about any position on the team except maybe a defensive lineman but he 's a very excellent athlete I imagine he could play any position on the team other than defensive lineman . entailment +does it matter to you do you have a lot of violence where you live Whether or not it matters depends on where you live . neutral +The experts leave few real bargains among the old treasures , but it 's fun to keep looking . There are lots of bargains left by experts . contradictory +'Because there is no Wednesday on the Japanese calendar , ' said Encyclopedia Brown , as Taylor sputtered with rage . There are different calendars in the countries around the world . entailment +Nor can the moneys be spent to initiate or participate in a class-action lawsuit . The money can be split up to different parties for participation in a class-action lawsuit . contradictory +A story says that the Japanese mob exerts too much control over that nation 's finance industry , hindering Japan 's ability to compete in the global market . Japan 's finances are damaged by gang influence . entailment +Ahead was the appointed track , a beaten stretch of earth , part of the old road leading to the mines . The old road has been replaced with a newer one . neutral +Since then , the hard-liners have played a less prominent role . Since then , the hard-liners have played a less prominent role because they lacked representation . neutral +Then he got tired , tossed the whip aside and stowed the charger away in a corner of his imagination for future use . He kept a hold on the whip . contradictory +Come in , I said , springing up . " Stay away , " I said while seated . contradictory +The race was notable for the last several laps , in which Earnhardt rode Gordon 's bumper at 190 mph . The last lap had both cars running at 190 mph , which is something Gordon liked . neutral +how long have you been up there in uh Attleboro Attleboro You were never in Attleboro . contradictory +she has to develop her own personality and so sometimes i i have to step back and say okay we want to encourage her we want to influence her but we don 't want to control her Whilst we do hope to have some influence over her , we do not wish to completely control her . entailment +But Mahavira ( the Great Hero ) pursued self-mortification to the end of his life , stripping off his clothes to take his word from kingdom to kingdom . Mahavira traveled from kingdom to kingdom . entailment +Amen to that , said Dorcas fiercely . Dorcas wanted to avenge her . neutral +that type of thing um uh Things like that . entailment +they are paying for it and and the and the just the quality of care is not as good either They 're paying for it but the quality of care isn 't as good . entailment +Do you deny that you were listening at that door ? You were listening at that door , do you deny that ? entailment +wow so you don 't get a chance to to spend much time with him then until when he comes home I might go up to visit him if I want to see him . neutral +Then the Postal Service could make wide-ranging adjustments of the rates in the subclass , including contract rates for some of the subclass users , as long as the average rate for the subclass does not go below the inverse cap . Postal Service subclasses include bulk and international mail service . neutral +He imagined the train of brill tumbling and scraping off the edge taking a cart full of supplies , barrels of salt , and three men over with it . He knew their supplies were safe . contradictory +And the diaspora itself is not a foreordained grouping ; it is , to borrow Benedict Anderson 's description of the nation , an imagined community . The diaspora is an imagined community . entailment +The highway and the railway stay close together from Fanling , site of the best golf courses in the area . The best golf courses in the area can be found in Fanling . entailment +We are accustomed to defending free markets as the guarantors of both liberty and prosperity , but here 's a case where liberty and prosperity are at By forcing people to act against their own self-interest in the short run , governments can make everybody more prosperous in the long run . Governments can make the economy work for everyone . neutral +but i think the US is one of the few countries that still do As far as I know , the US is one of only a few countries that do anymore . entailment +For example , improved scrubber performance and the ability of some firms to switch to lower sulfur fuels under the Acid Rain Program were reasons the cost of that program were less than projected . Projected costs for that program ended up being overestimated . entailment +Local farmers bring their livestock and engage in serious rivalry for the champion rosetes . Local farmers bring their animals and have a competition . entailment +We have a goal of implementing a new performance appraisal system for our evaluators beginning in fiscal year 2001 , but no later than fiscal year 2002 . The new performance appraisal system should be in place before fiscal year 2002 . entailment +But who window shops anymore , except at 35 mph , through a window set in the frame of a vehicle ? Nowadays , most window shopping is done from a moving vehicle . entailment +Can you spare us a few minutes , Dr. Hall ? said Sir James pleasantly . Sir James politely asked for a few minutes of Dr. Hall 's time . entailment +No , that 's why we 'll have to start all over again . No , because of your lie we 'll have to start all over again . neutral +but uh still i i question the ability of some of the teachers to uh really do a bang-up job and yet others i know are just wonderful Teaching is a hard job to do well . neutral +These peoples revered the forces of nature personified by innumerable gods and goddesses whose activities and moral guidelines are chronicled in prayers , hymns , and poetic sacred epics of great antiquity . There was no possible way to count the number of deities available . neutral +She turned towards me , and gasped out : ' Alfred , Alfred , , ' " She turned away from me in silence . contradictory +The village of Gevrey-Chambertin and the medieval chateau 's wine cellars make a good first stop . Stopping first at the wine cellars is probably a good idea . entailment +Manufactured in Mons ( now in Belgium ) , the gun was state-of-the-art for the times , firing cannonballs weighing up to 150-kg ( 331-lbs ) . The gun was made in Mons . entailment +Another key point is that just putting control activities in place is not the end of the process-monitoring progress and results is essential and must include the involvement of top-level officials . Monitoring progress and results must not include the involvement of top-level officials . contradictory +He turned , took his belts from Ca 'daan , and walked back to camp . He took his bag from Ca 'daan and walked back to the riverbank . contradictory +The Boulevard des Capucines and the Boulevard des Italiens , known as the grands boulevards , meet at the Place de l 'Opera , which was a focal point in Baron Hauss ? ­ mann 's urbanization plans in the mid-19th century . The Baron had plans to de-urbanize the area and turn it into agricultural land . contradictory +For example , in the case of , aPromote Organizational Credibility , - both principles rely on the collaboration of senior executives and division heads for success and have as their target the senior management of the enterprise . Success can only be achieved by division heads working to subvert senior executives . contradictory +Straps cut under his arms , went around in back , and then to the front again again , where they were secured under his heavy waist . Straps went under his arms , around his back , and then in front where they were secured under his waist . entailment +The mountains are blanketed with thick , verdant forests watered by regular tropical downpours from the heavy clouds that surround the high peaks . The mountains are covered with forests . entailment +Is it true that wealthy people are bigger sports fans than the nonwealthy ? Is it true that wealthy people like sports more than poor people ? entailment +Such is their exuberance and rapture that real outbreaks of violence can occur . Violent outbreaks can occur during their intense exuberance . entailment +England clung to it even when Bourbon forces captured Mallorca at the end of the war . Capturing Mallorca was easy as it was insufficiently defended . neutral +Major Buddhist temples , profiting from the suppression of Christianity during the 17th century , were established by Chinese Zen monks and designed in the style of the late Ming Dynasty . The major Buddhist temples did not profit from the suppression of Christianity . contradictory +I have heard of Kentucky horses . I 've heard other people talking about Kentucky horses before . neutral +They traveled south along the undefended towns , " said Gauve . Gauve said they traveled south along the undefended towns . entailment +The basic access authority is established in 31 U.S.C. Basic access authority is explained in 31 USC neutral +Unresolved questions about the nature and format of the intervention that could use input from research are enumerated below . Unanswered questions about nature and format of the intervention could use more info . entailment +me grab grab grab walk yeah I did not take anything . contradictory +are unable to meet the sulfur dioxide emission level ( 271,000 tons ) that they established for 2018 for electricity generating units emitting over 100 tons of sulfur dioxide per year . They 're unable to meet CO2 emission levels by 2018 neutral +But there 's a box just round the corner . " There aren 't any boxes around the corner . contradictory +At the heart of the n ew church , however , are the remains of churches from the fourth , fifth , and 12th centuries . The new church is entirely original . contradictory +Then came upper-caste converts from Hinduism , the clean castes of both merchants and artisans , and then the unclean occupations of scavengers . The upper-caste considered itself better than those beneath . neutral +um and i really i really had a racket going because uh my paycheck was being uh electronically deposited here in the states and the bank that i banked with i could write them a check on an American bank and they would give me instant credit for it so My pay was being direct deposited with an American bank . entailment +but you know i mean the whole health care thing in the states is so screwed up that uh The health care is a mess . entailment +But since last week the RQ standard has been set at 170 . The RQ standard was at 200 . contradictory +It is incumbent upon boards to establish processes that are appropriate and effective to restore investor confidence rather than relying on a checklist approach to corporate governance . The investors have put a good amount of money in this corporation . neutral +At a minimum , involve representatives of the owner , the user , the A / E , construction management staff , maintenance and operations staff , and special staff such as procurement , safety , and This is the minimum and more is sometimes required . neutral +Anything else we can do for you ? " Drew dropped his voice . Drew was asking someone a question because he wanted the conversation to leave . neutral +Allowances will be allocated based on the units ' baseline heat input multiplied by standard emission rates that vary depending on the fuel combusted by the units . Allowances are based on the baseline heat of the unit . entailment +Material variances or deviations must be approved by the supervisor before the change occurs , if feasible , or promptly after occurring , if not feasible . Changes approved beforehand are more successful than changes approved after . neutral +The successful execution of these two critical success factors depends to a great extent on officials other than the CIO . The successful execution of these two is based upon the level of work neutral +He looked round him . His eyes were fixed straight ahead . contradictory +In summer its cooler clime makes it a favourite retreat ; later in the year clouds and mists can all but obscure it though even this has a certain charm . The great majority of visitors come in the summer , with fewer arriving in the spring and fall . neutral +It 's known for showcasing important new Irish playwrights . New Irish playwrights often get there first chance here . neutral +But I 'm glad it 's not finger dwarfism , like it happened to one of my doctor friends . Fortunately this isn 't finger dwarfism , like my friend ended up with . entailment +The group was silent . The group made no noise . entailment +'Oh right . The bomb . ' I forgot about the bomb . entailment +Both Steve and Jack have rendered articulate and righteous defenses of the Bill of Rights and the Constitution . Neither Steve nor Jack have rendered any defences of the Bill of Rights . contradictory +Finally , we adjust the benefit values for expected income growth through 2010 and 2020 and aggregate the benefits to the appropriate geographic level . Benefit values vary widely depending on the geographic location of the people in question . neutral +The interim rules contain information collections subject to review and approval by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . The collections of information were subject to being reviewed by OMB under the act . entailment +it was a mess for the little one so The little one would not recover after this quickly due to the mess . neutral +But the threat of Lutherans , Calvinists , and other heretics shifted the emphasis to repression , culminating in the Counter-Reformation formally proclaimed in 1563 . The Lutherans were the biggest threat to the church . neutral +Blindly I fled , right into the arms of Abraham Lincoln . Without hesitation I ran into the embrace of Abraham Lincoln . entailment +Only 15 of us are waiting inside the courthouse . None of us are in the courthouse at the moment . contradictory +Why , what was there to lie about ? There was no motive to deceive , so why do so ? neutral +He was met by a scowl . He was not welcomed because they did not want him there . neutral +There was something so eminently sober and clear-headed about him , his common sense and soundness of vision were so unvarying , that without him Tuppence felt much like a rudderless ship . Tuppence was independent , and did not need anyone to lean on . contradictory +He didn 't know who sent him that surprisingly enigmatic message . He knew it was his mother who sent his message . contradictory +The Ibicencos fortified the bulwarks and built additional towers and fortresses throughout to help shield themselves against enemy incursions . Towers and fortresses were built to help the defenses against enemy incursions . entailment +Take the train to London . Go on the train and get to London . entailment +For one thing , the personal hygiene is appalling . It was very gross how bad the personal hygiene was . neutral +Goals for this treatment are articulated by the client and can include reduction as well as abstinence from alcohol . Clients are not able to set their own goals . contradictory +But will he really wake up ? A patient from the bed by the window asked aggressively in a tone of voice full of purposeful grudge towards the health system , because for three months it hasn 't been able to cure him from a simple case of la Boiusset 's flu . The patient had been sick for three months . entailment +Some of them recognized The Moodies and responded with I 'm Just a Singer in a Rock and Roll Band The Moodies had formerly been a band that did well with pop ballads . neutral +To kick off its new program , DWP launched a publicity campaign against benefit cheats to shift public attitude and promote intolerance toward those who defraud the benefit system . The campaign was a resounding failure and caused a sharp spike in fraudulent claims . neutral +I owe you something for the relentless way you 've squashed me whenever I 've tried to be sentimental . " Tuppence raised her face to his . Thank you for your persistence in reminding me whenever I have tried to be emotional . neutral +Near the jeep terminal , pretty bungalows and rest houses offer rooms for rent , with balconies overlooking the valley , but booking in advance is necessary . Booking in advance is necessary neutral +The peninsula may be on the take , but it still believes in hard work . The peninsula is currently on the take , having faith in hard work . entailment +Art-house and international films are shown at the Irish Film Centre in Eustace Street . There are many Irish films shown at the Irish Film Centre . neutral +Before NATO began bombing Yugoslavia March 24 , the proposed Rambouillet solution--restoring Kosovo 's autonomy but not granting it independence--seemed like a plausible outcome . NATO began bombing Yugoslavia on March 24 . entailment +I 'm not making this up . I haven 't told a lie about this situation . entailment +But because his friends called him Dave and cut that name on his monument , and because I was christened by the name you called , you got me instead . You didn 't get me because of the name you called , it was because I 'm better than Dave . contradictory +right uh i guess the only the only concern i 'd have I don 't have any concerns with that . contradictory +Circuit City have you been in that Best Buy , have you been in that ? contradictory +He had changed in the last year . He was kinder than he had been . neutral +Historian Thomas Reeves believes that , despite the media 's reluctance to look into Kennedy 's private life , if he had lived to have a second [ T ] he realities of his lechery and his dealings with Sam Giancana might have leaked out while he was still in office , gravely damaging the presidency . Thomas Reeves is a historian . entailment +There are superb 16th-century Indo-Portuguese and 17th-century Madeiran as well as 18th- and 19th-century English pieces . There are 2nd- century Indo-Portuguese and 10th-century Madeiran as well as 13th- and 14th-century English pieces contradictory +Calling bused students cogs in an experimental machine , Potter declared that all vestiges of harm wrought by the Jim Crow-era dual school system have evaporated . Potter declared that the Jim Crow-era dual school system is still hurting youth today . contradictory +To this end , on June 21 , his representatives provided us with 77 pages of miscellaneous documents purporting to relate to direct and indirect costs incurred in the development of the National Energy Policy . 77 pages of miscellaneous documents purporting to relate to direct and indirect costs did not incur in the policy . contradictory +Some ways of detecting and preventing bias , such as the audit trail , have been well developed . There are successful techniques for preventing financial bias . entailment +General The fabled ' 90s alt-rock revolution is over ( Tom Sinclair , Entertainment Weekly ) . The 90s alt-rock revolution is over . entailment +But after-the-fact anonymous leaks are corrupting . after-the-fact anonymous leaks are corrupting . entailment +There is one protect yourself from the heat . You cannot protect yourself from the cold . neutral +And don 't forget calamares , strips of squid , most commonly fried in batter ( a la romana ) a snack or a meal in itself . You always forget about the fried options , like calamaries and stripes of squid . neutral +Oh ! said Tuppence again . Tuppence said oh again . entailment +and and and i guess that 's what i really like although i must admit i did look at my watch after about an hour yeah I don 't have a watch . contradictory +but it it has a big engine and it it pulls a boat and stuff but it 's and it it 's got the seats that and the other thing that is interesting is it has uh rear air conditioning It possesses a large engine since it pulls a boat , and something else intriguing is the back air conditioning . entailment +Table II . Hypothetical Data on Unfiled State Number unfiled Rate unfiled The hypothetical environmental data is in the table . neutral +Though Cairo has many modern and nondescript suburbs , the oldest districts of Al-Qahira are well-preserved and exhibit some of the finest period architecture in the Islamic world . The Islamic world does not have any fine examples of architecture . contradictory +well we do have the two liter soda pop bottles We only have 12 ounce cans of soda . contradictory +3 ) Even so , it 's Lewis ' fault for failing to put the outcome beyond question by going for the kill . Lewis acted too quickly ; with more time he would not have gone for the kill . neutral +He stayed for only a few days but returned in 1502 , landing here when the ships of his fleet became unserviceable ; he waited at St. Ann 's Bay for help to arrive from Cuba . He returned in 1502 , awaiting help from Cuba . entailment +Put another way , based on the evidence the Postal Service put on the record during rebuttal hearings as recently as this past August 30th , in the absence of the occurrence of unforeseen events costing more than---the portion of the full $ 1 billion contingency earned when new rates are implemented in January , $ 600 million , the Service should do quite well with what we recommend . The postal service had no information to give in rebuttal . contradictory +In this chapter , we journey clockwise around the island , starting at Montego Bay on the northwest coast . We will visit Montego Bay very briefly before moving on to our next point of interest . neutral +It 's not half so insane as a thing I read this morning beginning ' Petunia' It 's not as crazy as something I read this morning . entailment +Bill Brock in Maryland , also in ' 94 . In ' 99 too , Bill Brock in Maryland . contradictory +It recreates in stone the field tent the pharaoh used when on military campaigns , with the central row of columns higher than the outer , meant to hold an imaginary canvas high above the head . When on military campaigns , the pharaoh would sleep under the stars .. contradictory +Bartus , look ! EveryToy . Look at the sky , Bartus . neutral +They involve direct service . Direct service is a part of it . entailment +Back on the N-330 you soon come to Petrel 's Moorish castle , reputed to have fabulous treasure buried in its grounds . There is a Moorish castle in the area . entailment +Some stores are more like small museums , offering exquisite examples of the finest craftsmanship . There are many things about the stores that are appealing to many people . neutral +Attention must be paid lest the government further encroach on the privacy of our data streams . The government will continue to spy on our data regardless . neutral +well i like gardening a lot i like to be outside um Well , I hate being outside , so I don 't like gardening . contradictory +You 'll see dozens of iron-grilled buildings reminiscent of that other former French colonial port , New Orleans , Louisiana . Multiple buildings can be observed which will remind you of an old French port . entailment +Suddenly his face cleared . His face cleared suddenly . entailment +yeah Well i 'm from New Mexico so you know i was I 'm native from Tennessee . contradictory +Cokie Roberts and Sam Donaldson also quote Scripture during the segment to buttress their arguments , apparently from memory . The use of Scripture didn 't make their arguments any stronger in a political setting . neutral +that 's that 's in uh Texas stadium where the football players play Football players do not play at Texas Stadium . contradictory +Across four days , lawyers from Legal Services and the Frank H. Hiscock Legal Aid Society , along with a number of private lawyers - six of them from the Mackenzie Hughes firm on one day - working through the Onondaga County Bar Association 's Volunteer Lawyer Project , offered assistance to people who went before City Judge Jeffrey Merrill . Legal Services had six private lawyers help . entailment +While EPA anticipates there will also be vehicle maintenance benefits , sufficient data was not available to quantify the benefits . There was not enough data to quantify the benefits . entailment +It won 't hurt you . It will not hurt you . entailment +Robert College , an American school , and the Gal ? Ρ ? δasaray Lyc ? ? e , the French Aca ? Τemy in the city , were turning out young men imbued with dreams of democracy . Young men began to dream of democracy after being educated at French and American schools . entailment +yeah i think i think Texas is what Texas the southern states seem to be somewhat more conservative and still have the death penalty and i think i know California had it for a long time and then they um took it off the books they repealed it Texas will probably eventually become less conservative and like California will eventually repeal the death penalty . neutral +Jon spoke again , nodding his head slightly . Jon shook his head and refused to speak . contradictory +This restaurant provides a good menu of Middle Eastern meat dishes , specialising in lamb . This bar serves a lot of food from the Middle East . entailment +From Pigadia to the small southern port of Diafani , where vehicles find it difficult to travel , boats move people and goods . Some of the boats are equipped to handle hundreds of tons of goods . neutral +But he had no defense prepared against such an appeal . They had expected a different outcome . neutral +Spain in the 16th century wasn 't very excited about the Lesser Antilles . Everybody in Spain was really happy about the Antilles . contradictory +Not once in all the often breathless conversations I had with Isikoff over those weeks did I doubt for a minute that he believed Linda 's story and the facts I was relaying to him regarding her ongoing documentation . I believed that Isikoff accepted Linda 's version of events . entailment +Jon smiled at her but had no stomach for further conversation . Jon continued to talk with her for another hour . contradictory +really good they usually pretty much go fast they don 't make a lot of them You have to get here early in the morning The go very slowly . contradictory +Its beautiful Amida Buddha statue is , unusually , turning to look back over its shoulder . The Amida Buddha statue is made out of bronze . neutral +you haven 't huh if you were uh what do you think about the whole concept of a trial by your peers What are your thoughts on having a trial by peers ? entailment +Cynthia nodded . Cynthia shook her head . contradictory +Dole gave 12 hours of formal interviews and lots more time informally , in part because , as his press secretary Nelson Warfield told me last week , he likes Woodward personally . Dole does not like Woodward . contradictory +In response to its lawsuit in 1999 , a judge ordered the Paterson Housing Authority to correct a defective relocation plan for residents at the Christopher Columbus Housing Development and remove all squatters and drug dealers . The lawsuit ended with a judgement that required the PHA to redo its plan for rehousing residents and cleaning up the property . entailment +We like to think of ourselves as content providers , I heard a cleric say recently about his line of work , a comment that I took to be knowingly ironic but which could also have been a sincere and pathetic attempt to be with it . I heard a cleric say he provides content . entailment +During the Austrian occupation , the enemy frequented Quadri on the north side , while Italian patriots met only at Florian , opposite . Quadri is located in the northeast . neutral +These passes were used as a gateway to the Lake District by armies of marauding Scots . The Scots never found out about these passes . contradictory +But I think I 'd better get back and rout out Tuppence . " " I 'd better rout out Tuppence in this environment , so I 'll get back . " neutral +South Audley Mansions looked exactly the same as usual . South Audley Mansions looked completely different . contradictory +Chang G , Astrachan BM , Weil U , Bryant K. Reporting alcohol-impaired results from a national survey of emergency physicians . Emergency physicians were never surveyed about alcohol-impaired results . contradictory +yeah you know yeah you know Freddy Eats a Nuclear Warhead you know i i 'm just Freddy never ate a Nuclear Warhead . contradictory +It 's just minutes from the Pla ? ­ za Mayor and the Prado . It 's located very far from the Prado . contradictory +When a product requires a classification review , upon written receipt of the results of the agency 's review , GAO will notify the congressional requester ( s ) that the agency has completed its classification review . Some products require classification reviews . entailment +It puzzled me , for I saw no occasion for it . The loss of the painting confused me . neutral +If I want you , I 'll come to you . I 'll come get you if I need you . entailment +You 'll look marvelous with a sunburn , she tells him , sounding all airy and breathless . She didn 't appreciate the way he had mocked her for spending so much time tanning . neutral +just put uh put a thing on it Put a thing on it , like a ring on it , if you liked it . neutral +CONTRA ACCOUNT - One of two or more accounts which partially or wholly offset another or other accounts ; on financial statements , they may be either merged or appear together . A contra account is one or two accounts that start to offset another account . entailment +Do you think he believes Lawrence guilty ? Do you reckon he thinks Lawrence is guilty ? entailment +yeah i um i think that they will be more in the work place because uh the door 's open Because the initial steps have been taken , you will see even more of them in the workforce . entailment +yeah people say they wish they had a roof on it though it doesn 't look finished The roof does not look like it is finished . entailment +you 're fading away Jim Jim is fading away . entailment +Do you know what time this doofus has breakfast ? Kudu began to build the suspense , aided by a gulp of tatamamina . Kudu didn 't speak . contradictory +If the attestation engagement is part of a larger audit , this information may be communicated as part of that audit . The attestation engagement information can 't be considered part of the audit . contradictory +yeah i like them too with with us we 've got insurance of course but due to my husband 's work but by the time like two weeks ago we all got sick all four us and one kid had to go to the doctor twice and then all the other the the rest of us did and he was like six hundred dollars yeah and it was we were we all had it was a viral pneumonia it was really bad and and we were just horribly sick but i mean six hundred dollars i can 't come up with Our medical expenses after our family was sick was extremely expensive . neutral +beautiful sweater uh sweater from uh i believe it was Ross Dress For Less and it was it was really pretty it was just you know it was just plain a plain uh round you know round uh necked I bought a beautiful sweater I think from Ross . entailment +Dublin and the Dubliners Dubliners reside in Dublin . neutral +do you ever or have you ever do you ever actively work for a candidate Have you ever done some work for a candidate ? entailment +Notice the small statue of Christ resurrected , an experiment in sculpture by El Greco . The statue was an experiment conducted by El Greco . entailment +The Corporation continued to demonstrate its ability to ensure both compliance with program rules and regulations , and the maintenance of high quality legal assistance to eligible clients . The company is disreputable and often break the rules to get what they want . contradictory +This isn 't Sicily ! We are in Greece . neutral +rap yeah well i i don 't really have anything against rap music i do the one thing i do object to about rap music is is it I have nothing against Rap music but some things about it I am not fond of . entailment +Fire gushed up upon the horizon . There was no fire to be seen . contradictory +Art galleries , jewelers , and fashionable eateries can be found on every corner ; but early in the morning , you 'll have the streets to yourself , so enjoy every detail of the pretty Cycladic architecture . The town is full of lots of entertainment options . entailment +And the two-thirds of the Utah Bar that does not donate needs to step up . They did not want their help . contradictory +Each day , GAO issues a list of newly available reports and testimony . The GAO goes into great detail on all of their reports . neutral +No management issue facing federal agencies could be more critical to their ability to serve the American people than their approach to strategic human capital management , including attracting , retaining , and motivating their employees . The key problem facing government agencies is a human resources one . entailment +five days a week but it was an absolutely fascinating experience The experience was interesting . entailment +Finally , OMB noted that the development and refinement of performance measures will be an ongoing process . OMB has stated that it expects creation and improvement of these measures will continue. ad infinitum . entailment +A related service issue is whether there are unreasonable transportation runs that should be eliminated . All of the transportation runs will be kept . contradictory +and uh so i 've been debating of whether or not just to cut out the dead portions or you know just to take it all out and i think i 've pretty well decided just to take it all out and start all over again I have made a decision to just take everything out and start from scratch . entailment +Older locals trawler men or dockworkers might lament the loss of Leith 's gritty , salt-of-the-earth reputation , but the town has an air of excitement about it . Leith lost its salt-of-the-earth reputation at some time . entailment +I 'll tell them I screwed up . I 'll never tell them it was me . contradictory +'All of you , back off ! ' White bellowed . White screamed at them to back away from the rabid animal . neutral +Hopefully along the way you find something you enjoy . I 'm hoping that this proves to be a bad experience for you . contradictory +Behind her was a huge pile of electronic equipment . All of the electronics were unusable . neutral +At the far end of the hall you will be able to examine a miniature recreation of the palace of Knosses , completed according to early hypotheses on its design . There 's a miniature replica of the palace of Knosses that can be examined at the far end of the hall . entailment +The museum is a must for those intending to visit the ancient sites , since the objects here add life to the now empty cities and palaces . Objects that used to be in ancient sites are not in museums so that they could be preserved . neutral +uh-huh do those can crushers work good Are the can crushers hard workers on week days ? neutral +right they never do I don 't think that ever happens . neutral +In green surroundings , the buildings of the saltworks are set in a semicircle around administrative offices , each with easy access to the other and all in simple classical style . They are poorly constructed in a sense it is difficult to access one building from another . contradictory +Yet the Bureau 's efforts go beyond helping individual clients . In terms of audits and accounting , the Bureau focuses on more than just individual clients . neutral +what am i afraid of um i don 't know if i 'm really afraid of spending too much i just uh don 't think that i need them you know i uh I can spend all of the money i want contradictory +so but i haven 't done it but i 'm going to try it well you have a good night we 'll see you bye-bye I haven 't done it , but I will give it a try tomorrow . neutral +yeah i uh i i i feel that way when movies are like blown up out of proportion you know usually people tell you how good they are and you always Don 't you hate it when people tell you how bad the movie is ? contradictory +The analysis also discusses alternative approaches which were considered by EPA but were found lacking because they did not either significantly reduce the burden on small entities or would have jeopardized the program 's projected air quality benefits . The analysis discusses alternative approaches which were considered by EPA . entailment +He had married two years ago , and had taken his wife to live at Styles , though I entertained a shrewd suspicion that he would have preferred his mother to increase his allowance , which would have enabled him to have a home of his own . I surmised that he wanted his mother to increase his allowance . entailment +that 's yeah where else can you get that kind of interest to start with Is there another place you could get such an interest . entailment +I don 't know , said Tuppence forlornly . Tuppence said he didn 't know if it was going to snow or not . neutral +Corporate-tax revenues took a nose dive in 1982 and 1983 , regained some ground with the economic recovery , but then surged following passage of the 1986 tax reform--which deliberately raised taxes on corporations to pay for tax breaks for individuals . Corporate tax revenues went down 35 % in 1982 and 1983 . neutral +Here the main attraction is a 13-m ( 41-ft ) sitting Buddha amid the eerie darkened cavern ; altogether there are more than 40 Buddha statues . Altogether , there 's about 55 Buddha statues that exist here . contradictory +yeah most kids is probably just going to have to do what i did Most kids will probably drop out , like I did neutral +Slate or its parent company , the outcome of yesterday 's voting in the Kuwaiti parliament . The Kuwaiti parliament voted yesterday . entailment +Such a scenario is not desirable . A scenario in which the church shuts down is not a desirable one . neutral +The state of Yamato , as early Japan was known , was organized into uji , or clusters of clans , together with subordinate guilds of farmers , fishermen , hunters , weavers , and potters , all subject to the dominant uji of the imperial family . Yamato is a state in Japan had many clusters of clans . entailment +oh she hit her she hit her head now she 's fine so She wanted to hit her on the head , but she missed . contradictory +He attacked with measured power , forcing her to dodge and parry . He attacked the woman he had loved . neutral +That is the feeling that makes the children take out the broken tea pot and empty jam tin . Children take out the broken tea pot and empty jam tin sometimes . entailment +celabre populated by such larger-than-life characters as Haywood , Darrow , and McParland ; all wrapped around a history lesson about the class bitterness of a century ago . The main focus was on economic classes from over a hundred years ago . entailment +I took the girl and fled . The girl and I ran away . entailment +Perhaps something had happened when he was captured but now it was quite clear . He didn 't know what happened when he was captured . entailment +The rest was about to get much worse and much less popular . The rest had not yet hit rock bottom . entailment +From here you can also take an inexpensive short trip to Lime Cay , which lies just to the south of the tip of Port Royal . The trip lasts around 30 to 45 minutes and is very scenic . neutral +VA also established performance measures , such as increasing the number of outpatient surgeries , reducing the use of inpatient care , and increasing the number of high-priority veterans served to hold network and medical center directors accountable for results . VA does not establish performance measures of any kind . contradictory +Rule 1115-0086 was resubmitted to OMB for approval because of minor revisions necessary to comply with the provisions of the interim rule . Minor revisions necessary for the rule 1115-0086 . entailment +oh that 's right Coach yes that 's another one that i try not to miss although it use to be better i don 't know it seems well I did not used to be better . contradictory +Lawyers know how to make landlords heat apartments so the medical treatment can stick . The lawyers wanted the landlords to turn the heat on for their tenants . entailment +An article says his daughter Tina and wife Barbara will squabble over his $ 200 million estate . The family all thinks they deserve all of the $ 200 million . neutral +Bush has milked this protective anguish for months . This protective anguish was milked by Bush for months . entailment +um-hum right yeah absolutely absolutely um you know some companies can 't can 't even afford any longer you know to carry the insurance they 're just dropping it you know they don 't have any choice it 's bankrupting them It doesn 't cost companies anything to carry the insurance . contradictory +Neutral is generally understood to mean sell , outperform to mean your call , and accumulate to mean you might want to buy it if you have extra money lying around . Neutral means sell . entailment +Privilege is above and beyond the normal . Privilege is not the normal ever . neutral +But they exaggerate the propaganda power of Time Warner media . The scope of the company to push a certain point of view is embellished . entailment +But in the preceding 333 pages , derived from notes taken during his four years in office , we have the picture of an angry and unhappy man . In the next pages , we see a very happy and cheery man . contradictory +yeah well uh my uh my family is from uh Europe from well from England and Ireland My family is from England and Ireland . entailment +One must look at it logically . It is not good to use emotions , use your brain to look at it . neutral +He introduced them to the doctor . He wanted them to know where to go for medical care . neutral +It was here that members of the mock-Tudor Royal Selangor Club ( 1884 ) , also designed by A. C. Norman , took time off from the affairs of the Empire to play cricket . The members took time off to play some cricket . entailment +Otherwise , why would Morris bother to send Vote.com 's results to members of Congress ? He would not have forwarded the results to some congress-people without reason . entailment +Time ' s Richard Corliss says , It 's like a vivid old New Yorker cartoon , animated by Tex Avery . There 's no likeness to any New Yorker cartoons . contradictory +was that the animated version The animated version was the best version . neutral +Which fencing instructor taught you that ? The Voth did , " said Jon . Jon said The Voth had taught him something . entailment +Will you take a picture of us with the underwear for our album cover ? Our album cover is going to be a blank white space . contradictory +I knew the power was going to fail ; they had the craziest damn generating plant you ever saw , and it couldn 't last . The power would never fail , I knew that , the generating plant was excellent . contradictory +I looked at her . I looked at the man . contradictory +In the background , a tuba started playing . The tube player was practicing . neutral +The burden of the USO on a postal system lies within its fixed costs . The postal system doesn 't have fixed costs . contradictory +Any effort to change a long-established system will meet resistance . Movements against firmly established systems will face huge challenges . entailment +The followers dispersed one by one , each stopping for a reverent look back . They left one after another . entailment +and so when Iraq you know saw this they said let 's take over the country which is a good idea Taking over countries is a good idea , because it 's fun . neutral +It can also be several degrees warmer , which accounts for the thermal breezes and mellow summer temperatures . It is usually severely colder , especially in the summer . contradictory +right that 's going to be hard to do it 's going to be very hard to do you know you It 's going to be hard to do . entailment +Across the street is the incongruous but elegant Toyota Automobile Showroom , once the Chamber of Commerce and worth noting for its fine blue-and-white azulejo ( tile ) vignettes that depict scenes from old Madeira . The building across the street is decorated with blue-and-white tiled images that depict scenes from old Madeira entailment +Tours of the brewery itself are not offered , but the Guinness Visitor Centre , in a four-story converted 19th-century building , presents a wonderful history of the world of Guinness . Tourists are not allowed in the brewery but are welcome at the Visitor Centre which houses a presentation regarding Guinness ' past . entailment +The joint venture has really begun . " The joint venture was going to be a great experience . neutral +The next minute Number 14 's hands , horribly dexterous , were winding the cord round his limbs , while Conrad held him down . Number 14 's hands were wrapped around Conrad . entailment +The cheat sheet will be posted for readers ' inspection . Readers will be allowed to read the cheat sheet . entailment +Because agency personnel serve as the primary source of information on the status of recommendations , GAO requests that the agency also provide it with a copy of the agency 's statement of action to serve as preliminary information on the status of open recommendations . GAO does not want a copy of the statement of action . contradictory +do you remember when you were in Washington Sam the Argentine baker I 'm curious to see if you can recall this memory . entailment +Immediately northeast of the Colosseum is the Domus Aurea , the fabulous villa with extensive gardens built by the Emperor Nero , who spent just a few years in his Golden House before killing himself in a.d. 68 . Emperor Nero committed suicide in the year a.d. 68 . entailment +Newgrange is the most important of the prehistoric sites around Dublin , located about 3 km ( 2 miles ) east of Slane . Newgrange is unimportant . contradictory +It was a palace , huge and carved inside out . The palace was made of wood . neutral +Would Conrad again accompany the girl ? Would Conrad be willing to escort the girl to her place ? neutral +The theory is not backed by hard science , and MI-based curricula often seem like time wasters . The theory is kind of crazy but possible . neutral +But they think themselves accurs 'd and hold their manhoods cheap . There are people who hold their manhoods cheap and live less than who they are . neutral +The towns hold a mirror to Malaysia 's ethnic blend of Malay , Chinese , Indians , and Eurasians , living side by side or in their separate neighborhoods . All the population of Malaysia accepts each other heritage and tradition . neutral +She wrote He wrote . contradictory +Coward valued his private life , however , and guests were never allowed to stay overnight at Firefly . Coward was very friendly and giving person , however he valued his private life as well . neutral +I nodded . I shook my head no . contradictory +Even now , I said , " I can hardly believe it . I doubted it up to now , I said . neutral +a lot of it has to do from too much TV Too much deodorant is the problem . contradictory +Many detached houses in cities are as close as 20 meters apart . Many detached houses in cities are as close as 2 meters apart . contradictory +yeah yeah especially when they 're not quite to the age of understanding that they 're hurting you know that they they grab hold with both hands and then just jerk and They don 't grab anything . contradictory +In fact , you may not even need to pack any clothes for your trip . You may not need any regular clothes but you will need a swimming suit . neutral +you know with the you know the little suspenders or something on so we They were cute suspenders . neutral +he was throwing this was one day last summer and he every as often as he could throw that hook out there he 'd get one but we don 't deplete the fish population because we pull them up and look at them admire them and take them off and throw them back although he went somewhere with some friends last week and fished for catfish and got them and i think it 's the first time that he 's ever that he 's actually prepared and ate what they caught he and some friends of his the first time they 've ever done anything but throw them back He throws fish back when he catches them because he doesn 't want to take the time to clean them . neutral +Standard A is deferrable , without these features , and has a lower rate . Standard A 's rate is much higher . contradictory +see that 's what i don 't understand Yes , that 's correct . contradictory +The phrase present in the United States appears to have originated in proposed legislation that would have expanded the categories of aliens eligible for LSC funded representation . Aliens eligible for LSC funded representation are regarded as citizens of the U.S. neutral +you know just something about the place makes it not not quite enjoyable The atmosphere makes it hard to enjoy . neutral +I , for one , will not forget President Bush 's poignant reminder in the aftermath of Sept . 11 : We 're in a fight for our principles , he told us , and our first responsibility is to live by them . I forgot what President Bush said after September 11 . contradictory +These palazzos , canals , and lagoons claim a place apart in our collective imagination . These palazzos , canals , and lagoons are not very good . contradictory +it 's horrible It isn 't good . entailment +I didn 't do anything to them , ma . I didn 't do anything to them mom . entailment +The silk trade played a large role in Lyon 's expansion in the 16th century and France 's second-largest city remains a proserous and growing banking , textile , and industrial center with a bouncy pride , a taste for the good life , an important cultural heritage , and a lively contemporary arts scene . You 'll have a feeling of excitement and pride if you went to Lyon . neutral +The sensuality of the aristocratic lovers recalls Khajuraho . Khajuraho recalls the sensuality of the aristocratic lovers . entailment +Instead , the Times sends a list to bookstores indicating which books they are tracking as potential future best sellers and asks for sales information on those books ( and any others the bookstores want to report on ) . The Times tracks book sales so that they care rate books . neutral +with all the um cholesterol and and high fiber changing the way that you that you entertain the cholesterol and and high fiber changes the way you entertain . entailment +I wish I could say the same about reading the book . The book was a bit dull to read . neutral +yeah well they and yet did they can they do anything to them when they 're in prison i mean surely they can put them in solitary or something i mean or is that just mythical They cannot put them in solitary when they 're in prison . contradictory +The objectives of the prospective payment system are to encourage hospitals to operate efficiently , while ensuring that they are compensated for legitimate costs . The prospective payment system is due to be rolled out in 2017 neutral +The Ohara Tokikan pottery hall is devoted to the work of modern pottery masters Kanjiro Kawai , Shoji Hamada , and Kenkichi Tomimoto , as well as their much admired friend , Bernard Leach , the influential British potter credited with popularizing Japanese rustic ceramic styles and techniques abroad . After he left Japan , Bernard Leach attempted to export its pottery techniques to the world , but they proved unpopular . contradictory +You will get lost at times , but in so doing you may discover marvels you weren 't even looking for . Even when you 're lost you may still discover things . entailment +i 'm not musically gifted at all I have no talent for music . entailment +But , said De Long and Lang , out of 78 true hypotheses , surely there should be at least a few that are overwhelmingly confirmed . Out of most hypotheses , most of them turn out to be true . contradictory +Exactly . Precisely entailment +Thebes held onto power until the 12th Dynasty , when its first king , Amenemhet Iwho reigned between 1980 1951 b.c. established a capital near Memphis . King Amenemhet I established a capital near Memphis . entailment +He drops two handkerchiefs , one to signal the swaggering parade that precedes the fight , and the other to release the first bull from the puerta de toriles , the matador 's gate of fear , for the opening act or first tercio . No handkerchiefs are present at bullfights . contradictory +Who delivers what type of intervention What type of intervention is delivered by them . entailment +For years after the book was published , devoted ( and curious ) readers came from all around to see this beauty for themselves . People wanted to see who the beautiful woman was . entailment +and the other two are short hairs The other two ones are long-haired . contradictory +There was a short pause . There was a pause in the rain . neutral +They 've been telling me things dreadful things that my memory went , and that there are years I shall never know about years lost out of my life . 168 " You didn 't realize that yourself ? " The girl 's eyes opened wide . The girl was told that she had a fantastic memory . contradictory +Irate yells came from the vendor himself , followed by a loud crash . The vendor was silent . contradictory +When a black wanted to buy a franchise to establish a numbers bank , he went to Bumpy . Blacks were buying up all the franchises in town . neutral +This contains Horyuji 's five-storied pagoda and the Kondo ( main hall ) , built around 670 and the world 's oldest wooden building . The wooden bridges around the hall were built in 700 . neutral +Those who had survived and those who could be revived were busily rebuilding . The survivors and reanimates were busily reconstructing the place . entailment +Many of the comments sought clarification of what we expected of the agencies and what they could expect from GAO . Many of the comments sought clarification , among other things . neutral +Need the URL for Joe Conason 's columns ? Joe Conason 's columns are online . entailment +yeah um-hum cans are the only thing i think you really get money for You can get money for anything you recycle . contradictory +The professors expect to make their study available through a Web site , www.eeo1.com. The professors don 't anticipate their study being made available outside of the journals . contradictory +At the northern tip of Ullswater there is a right turn to Pooley Bridge , the northernmost stop for the lake steamer . You cannot get to Pooley Bridge from Ullswater . contradictory +Behind her , the dull clod picked up the sample of sky and fell to his face on the rug . The imbecile fell face first onto the rug after trying to pick up a piece of the sky . entailment +A year of watching American Bandstand every day after school and practicing in front of the TV . They watched CNN as soon as they got home everyday . contradictory +[ A ] ttorneys providing legal assistance must have full freedom to protect the best interests of their clients . In order to protect the best interests of their clients , attorneys must have full freedom . entailment +pardon me oh i don 't know there are better fields to pick There are better sources available . entailment +I have a good friend of the opposite sex who I 've known for three years . I have a male friend that I 've known for a few years . neutral +The larger bill would fortify the Border Patrol , facilitate deportations , and restrict the benefits available to illegal aliens ; the detached bill would let states exclude children of illegal aliens from public schools . The larger bill fortifies border patrols , facilitates deportations , and restricts the rights of illegal aliens ; the detached bill allows states to exclude children of illegal immigrants from public schools by deporting them . neutral +never have Yes , always contradictory +In recent vampire movies the miracle of flight is well established . Flight is an unfamiliar concept in today 's day and age . contradictory +Fat people who exercise regularly are healthier than thin people who don 't . If thin people don 't exercise then they are less healthy than fat people who do . entailment +Do not trouble , Mary , said Inglethorp . Inglethorp didn 't want Mary to trouble . entailment +I can never thank you enough , my brother , said Ca 'daan . Ca 'daan was grateful for the help . neutral +sure right in fact they said it failed and then i guess it has failed but i in in general there was still a lot of people that i i i 'm not sure it 's a total failure because so much has converted you know They didn 't like how it turned out , although I think it turned out fine . neutral +A tour of the beautiful Parc Ornithologique de Mar ? ­ quen ? ­ terre at St.-Quentin-en-Tourmont will take a couple of hours . These 2 hours are considered among the best 2 hours for tourists . neutral +One hundred sixty nine grantees reported they used such indirect service delivery models in 2001 . More grantees would have made use of indirect service delivery models if they were less costly . neutral +uh-huh even with the very tailored look of a suit sometimes i like to have something a little just a little something that 's feminine Suits always look boxy . contradictory +We are taking only two days off , losers that we are , for our honeymoon , since my partner is in the throes of the second round of financing for her company . We are taking off a week from work for our honeymoon . contradictory +This is a tricky territory for parents who enjoy sex and drugs and liberal politics . Many parents who enjoy sex and drugs have a hard time coming to terms with their children doing the same . neutral +It was the biggest decline in 10 years . There hadn 't been a larger decline in a decade . entailment +that ninety eight point seven i 'm i 'm eclectic approach The eclectic approach is widely accepted . neutral +No girl could deceive ME ! " I could easily be fooled by a girl . " contradictory +The authors claim to demonstrate that high IQ is more predictive of economic success than any other factor , and that low IQ is more predictive of poverty and social breakdown . The authors clamed that that IQ is inversely related to economics success . contradictory +Don Cazar , the mesteneoes they arrive . The mesteneoes have yet to arrive . contradictory +well i think it 's a very very complicated and i sort of i see perspectives on all sides uh and i 've really Most people can 't see the different perspectives that I can see , but I am not most people . neutral +In fact , Dave Hanson had never felt that good in his life--or his former life . Dave had never felt worse in this life or the previous one . contradictory +Such power-- Then he stopped , staring at Hanson while something almost like awe spread over his face . He was impressed with what Hanson had to say . neutral +These ( 1 ) certain pension consultants , ( 2 ) nationally recognized statistical rating organizations , ( 3 ) certain advisers affiliated with SEC-registered investment advisers , and ( 4 ) newly formed advisers that have a reasonable expectation of becoming eligible for SEC registration within 120 days . These are the only groups that can be made eligible for SEC registration . neutral +Other critics add that the university 's current presence in Northwest gives many Washingtonians a valuable opportunity to leave their troubled neighborhoods behind . Other critics add that the Universit 's presence in the Northwest gives valuable opportunities to Washingtonians . entailment +Kal , let go , Jon said but the big man still struggled . Eventually Kai gave in to Jon 's command and let go of the struggle . neutral +You 'll find a wide range of water sports available in the islands . In this area , you can select from many water sports and indoor activities . neutral +Other country roads running south from Patan pass two- and three-story narrow brick houses bunched close together in the Newari fashion . The Newari fashion is mostly used in this part of the country . neutral +The volume of mail shifting is 2.493 billion leaving basic and 2.507 arriving at the workshare category . 2.493 billion leaving basic and 2.507 arriving at the workshare category is the volume of mail shifting . entailment +Adjustments in managed care need to be made--and under pressure from consumers and their representatives in Congress , they are already being made . Managed care changes will need to be coming . entailment +The preamble to the rule states that no comments were received specifically in response to the IRFA , but that issues were raised that might affect small business entities . Nobody had concerns . neutral +All the same , he said thoughtfully , " Mr. Brown hasn 't got wings . He frowned thoughtfully , " Mr. Brown has wings " contradictory +The search for a modern Cagney is a vain one--nobody could compare to him . There is no comparison to Cagney . entailment +An expression gathered there that I can only describe as half puzzled , and half relieved . I wasn 't sure what the expression on their face was exactly . neutral +but you see all these all these trucks belching out this black smoke The trucks don 't emit anything . contradictory +The Sinai is a wild and dramatically beautiful land pointing south out into the Red Sea . Saying the Sinai is wild and dramatically beautiful is an overstatement . neutral +the expensive ones they have a cheaper model too that you can get for about seventeen thousand but those are pretty stripped and there 's nothing there 's really that one 's just more for looks you know it doesn 't have any really the performance that the expensive one does The cheaper model costs about seventeen thousand . entailment +She was an old lady , and might possibly have forgotten the former one ; or ” this seemed to him more likely ” she may have had an idea that it was revoked by her marriage , as there had been some conversation on the subject . It seemed more likely to him that she had forgotten the old one because she was an old lady . contradictory +Others say his characters just deliver long , boring speeches on esoterica . His characters were believed to be just boring . entailment +For centuries this was a farming village , separated from the city by the green expanse of Corstorphine Hill . The village looked like a storybook . neutral +26 g for fathead minnows . Fathead minnows cost 26 g . entailment +Tax wealth more , labor less . They advocate for less labor but more taxes on wealth . entailment +and so i uh i pretty much try to troubleshoot and do everything i can do myself but i 've i 've gotten to the point in my life um you know i just crept over forty years old where i don 't want to crawl underneath the car anymore i mean it 's uh Since I 've passed the age of forty , I don 't want to go underneath the car for repairs anymore . entailment +By the time she was finished , one could only conclude that Bill Clinton was predestined to win re-election . After she got done with him nobody could think he every had a chance . contradictory +savings and loans uh Saving accounts and borrowed money . entailment +He 's a bad lot ! ' " He 's a dishonest person entailment +Overall , the U.S. economy added more than 45 million jobs . Most of the jobs are looking for trash collectors . neutral +United States General Accounting Office Office of Special Investigations Washington , DC 20548 The General Accounting Office of Special Investigations is in Washington , says the report . neutral +And revelations about the agency 's Cold War malfeasance have damaged its prestige . More Cold War revelations will hurt its standing to a point of no return . neutral +yeah i i just don 't see how a person could I just don 't see how someone could entailment +The prince , known as Bonnie Prince Charlie ( the grandson of James VII ) , raised an army of Jacobite highlanders and swept through Scotland . The prince , who was the grandsom of James VIII had another name . entailment +Otherwise , it 's more fun to explore the country along the good-quality secondary roads ( routes nationales , with a number preceded by an N ) . It 's more fun to tour the country via the secondary roads . entailment +read my lips and what happened they turned around and double crossed us We can 't trust them . neutral +Later , as it fell into disrepair , the walls were dismantled and used to build other structures in the town . After its condition deteriorated , its walls were taken apart and then used for the construction of other buildings . entailment +Huge crowds would gather for the gory events as they did for the markets and a series of hostelries and pubs set up business to cater to them . The gatherings inspired several betting activities , including how many swings the execution would take . neutral +I saw nothing peculiar , however . I saw nothing strange . entailment +The Maryland Legal Services Corp. - which supports 28 organizations providing legal help to those with cases involving domestic abuse , landlord-tenant disputes and other issues - faces a $ 1 million budget shortfall because of slack interest on the accounts that help fund it . The Maryland Legal Services Corp. does not support any more than 10 organizations . contradictory +A burst of flame flew up on the horizon . The horizon was empty , nothing seemed to appear . contradictory +Yo I think White America Is messing up our mind whit all of this bullshit , claims one protester in a newsgroup . One protester claimed White America is making troubles , but the newsman didn 't listen to him . neutral +you know i really resent that in that i don 't have that choice to be able to stay home with my child but uh i guess as long as you are single you have to support yourself nobody else is going to do it for you She became a single mother after her boyfriend Tyrone skipped town . neutral +But his attempt to characterize the editorial board of the Wall Street Journal as ridiculously hostile to taxation forgets that the Journal people are in good company . His writing the editorial board as hostile people makes readers forget that these are actually good people . entailment +Brinkley is a cheerleader for American history . Brinkley will not be remembered by history . contradictory +That teaching , done right , requires all of a teacher 's emotional and intellectual resources ; that we accord teachers neither the respect nor the pay they need to function well in their jobs ; that few public school teachers come close to the ideal or leave the students with anything like what they need to get by--all this seems like a good argument for better pay scales and reform in the educational system that produces teachers . Educational reform would increase respect and pay for teachers . neutral +There is a crescent moon ( or a set of cattle horns , symbolic of a self-deluding cow who thinks she could beat a bear in a fair fight , but I don 't like her chances ) . The crescent moon is not shaped like a set of cattle horns . contradictory +Our people will resist change and you would know how to handle them , how to see to it that--that-- " Our people always embrace change with open arms . contradictory +But they were not satisfied . They were not happy about it . entailment +The most beloved sport in India , by far , is cricket . Cricket is endeared by people in India . entailment +The eastern section of Madeira isn 't as mountainous as its center , but it has some wonderful coastal spots , a handful of attractive small towns , productive agricultural fields , and a long , surreal promontory that juts out into the Atlantic . The eastern part of Madeira is flatter . entailment +You would inherit it , wouldn 't you ? " It would be passed down to you , wouldn 't it ? entailment +The time was still the same . The time was always different . contradictory +The exhibits ' which are highly interactive ' place the events of D-Day and World War II in the context of the 20th century as a whole . No one really cares about D-Day and WWII contradictory +Although it 's also home to such major film and television studios in Burbank and Glendale as Universal , Warner Brothers , and NBC , the Valley is forever battling its reputation as a boring and actionless suburbia . The Valley used to be a simple town til the studios were built . neutral +The show ends as it began , in a small white room holding one object . The show lasts two hours . neutral +Bean , who says that this season marked a return to mail-order normalcy . The anomaly , as the Times story sort of acknowledges , was the downturn year of 1995 , when Lands ' End overordered and was left holding the excess inventory . Lands ' End ran out of inventory in 1995 . contradictory +The Kal grunted . The Kal sighed . contradictory +He 'd been unconscious long enough for them to have gathered any amount they wanted . They could have collected as much as they wanted while he was unconscious . entailment +Thorn 's words , however , did not . Thorn 's words did . contradictory +Budget authority may be classified by period of availability ( one year , multiple-year , or no year ) , by nature of the authority ( current or permanent ) , by the manner of determining the amount available ( definite or indefinite ) , or as gross ( without reduction of offsetting collections ) and net ( with reductions of offsetting collections ) . The method of classifying budget authority is less important than classifying consistently neutral +Perhaps they didn 't , because they had in mind the conclusion of Aesop 's famous fable--the one about the mice who decided to protect themselves from their sly and treacherous enemy , the cat , by tying a bell around its neck . Maybe they did because they thought about the end of the story and it was too dull . contradictory +The museum distinguishes itself , they say , by focusing on aspects of Jewish culture other than the Holocaust ( Jews are shown as they might have liked to be remembered , rather than as victims ) . The museum is popular with Jewish folks . neutral +Our markets are global in nature and no nation , including the United States , can go it alone . The markets are worldwide and any country can participate . neutral +For centuries , the Sephardic Jewish neighborhoods of cities from Tangier , Fez , and Amsterdam to Salonika , Istanbul , and Aleppo echoed with Ladino , a 15th-century Castilian dialect ( sprinkled with Hebrew words ) spoken by the Spanish exiles wherever they settled . Although the Ladino dialect is spoken in these cities , this does not necessarily mean that it is the dominant dialect spoken . neutral +GPRA requires first that agencies consult with Congress and other stakeholders to clearly define their missions . The missions must be specified in detail as ordered by the GPRA . entailment +Virtually all major firms have reduced the size and scope of work performed by engineering organizations . Virtually all major firms have enough money to spend on all types of work neutral +Jon erupted in laughter . Jon was mirthless . contradictory +, overtime pay authorizations ) must be reviewed and approved by an authorized official . No official oversight is required for overtime work . contradictory +And yet , I cried indignantly , " after that , you gave me two reasons why Miss Howard could not have committed the crime ! " After that , you told me why Miss Howard was guilty . contradictory +Rents , royalties , and bonuses on Outer Continental Shelf ( OCS ) and other petroleum and mineral rights . The OCS has huge petroleum and mineral deposits . neutral +The Dow Jones industrial average fell 630 points in a week . It went down 1738 points in one day . contradictory +well i i i don 't think the problem so much is abuse i think the problem is is just the government is trying to do too much um i mean who where does it say that the government 's supposed to be the one to take care of all of the people that are homeless or hungry or et cetera et cetera and and where does it say that that if someone is short that they can go to the government and and get a handout I don 't think that the government 's job is to take care of everyone . entailment +After the Reconquest of Toledo in 1085 , with the legendary warrior El Cid leading the way , mosques were converted into churches . There have never been any mosques in Toledo . contradictory +They 've been telling me things dreadful things that my memory went , and that there are years I shall never know about years lost out of my life . 168 " You didn 't realize that yourself ? " The girl 's eyes opened wide . The memories were lost due to a botched lobotomy . neutral +it 's interesting i don 't i don 't know part of the reason i think is that i don 't know anything about it when i had my other house and it was already landscaped and i you know i didn 't know what to do and how to take care of the things and you know i learned a little bit but um I am learning a lot about landscaping that I didn 't know previously . neutral +Guess The argument may be as dumb as it sounds . This is where they give you two lines from the opposing sides and challenge you to guess what the orignal question posed was . neutral +In St. Peter 's Square ( Piazza San Pietro ) , Bernini has performed one of the world 's most exciting pieces of architectural orchestration . The design of St. Peter 's Square is very underwhelming and plain . contradictory +yeah yeah no i can remember way back back in those days when i was in school the i think the only time we only really watched the news and this tells you how old i was was during the Cuban missile crisis I watch them every day . contradictory +Vend ? ? me Op ? ? ra Madeleine n / a contradictory +From here , the vista of the whole town can be seen , with a fine residential quarter to the right , and the remains of a series of magnificent temples to the left . It is difficult to see the whole vista of the town from here . contradictory +they said it was thirty days but on one of my our our thing is they said that you 'd have to the way the test is you 'd have to really be smoking for it to show up and i don 't think that 's right It 's better to be safe than sorry if you ask me . neutral +The first table is based on USPS assumptions regarding rates , costs , volumes , contingency and recovery of prior years ' losses . USPS makes assumptions about rates , costs , volumes , contingency , and recovery . entailment +They are designed , above all , to indulge the national sense of style . There is a national sense of style . entailment +And the libertarian 's . Also , the democrats . contradictory +What these boards have allowed managers to do is , simply , play with other people 's money . It 's outrageous that the managers are allowed to do whatever they want with people 's money . neutral +i have uh three boys and one girl the girl 's adopted I have three boys and one girl who is adopted . entailment +yeah it uh it but see it does come in handy those they do they 're worth it oh well i i think we 've pretty much come to an end here We have talked about it enough . neutral +Across the river on the west bank are the remains of other temples , and more importantly , the burial places of the great Pharaohs of Ancient Egypt , hidden in a slender valley beyond the narrow fertile river plain . The burial places of the Pharoahs of Ancient Egypt are on the west bank . entailment +He doesn 't have to protect anybody else 's . People are constantly asking the man to keep protect their briefcases full of beanie babies . neutral +even banana if you can do it just before you leave it stays nice and fresh It cannot keep bananas fresh , even if you do it before you leave . contradictory +sure once you 're out of the house you 're in the street Once you leave the house you are on your own . entailment +Buck up , I guess he 's all right really . He suffered from an injury . neutral +um-hum yes oh it is it is well both of ours is school age but we don 't want to miss any of those PTA 's and you know all of that so so We want to attend PTA meetings , it helps our children 's education . neutral +I 've never heard of a former governor going to work for a legal aid program , said Gottlieb . It was surprising when a former governor revealed his plan to work for the legal aid program in his state . neutral +no it was a lot of sweat but It was really sweaty though . entailment +Thanks dad . Thanks Obama . contradictory +When the question is as controversial as the answer , journalists who report the exact answer and who said it ought to report the exact question and who asked it . Context is not that important in the bigger picture . contradictory +to do yeah um-hum yeah i think we 've really come a long ways in that because yes We are almost at our goal in that . neutral +Prefabrication has been used since the early 1990 's , notably on two large retrofit the 1300 MWe Zimmer Station and the 2600 MWe Gavin station . Since the early 1990 's , prefabrication has been used , mainly by two large stations . entailment +it 'd be nice if justice traveled that quickly but but it sure it it sure doesn 't He will get what he deserves , but it can 't come fast enough . neutral +All right , then . All right , then . entailment +and uh but when i got married and had children and everything it seems like i keep all my activity just chasing around fulfilling my obligations so i haven 't done a lot of uh exercise on purpose what about you Before I got married and had children , I used to exercise daily . neutral +Looking out of a window onto the panorama of high mountains and wave upon wave of rolling hills , one can imagine the young prince saying to himself This must be my kingdom . There are rolling hills but no high mountains that can be seen from the window . contradictory +we have an attached two car garage and etcetera typical family the family home There is nothing special about our home compared to the typical family home . neutral +he admitted the mistake , and he withdrew from Lebanon . He accepted the flaw and did something about it . entailment +Eventually it leads to the top of the mighty headland known as Cabo Girao . It never leads to the top of Cabo Girao at any point . contradictory +and even the painter couldn 't give me a good estimate he said well i 'll be done this afternoon you know The painter had no idea when he was going to finish the house . neutral +Continued categorization of program expenses as investment is predicated on output and outcome data consistent with the program 's intent . The program expenses exceed the budget set by the planning committee . neutral +yeah that was pretty good i i like that and um i guess it 's time to go This is bad when will it end ? contradictory +i can remember the you know there 's nothing worse than a hangover i have to agree there nothing worse than a i can remember staying in bed a whole day from a hangover and not going to work but i that was years ago and i didn 't work for TI so but you you know really and truly there 's there 's nothing worse than a hangover and you 're right and you cannot perform well I 've had hangovers before , and I went to work and functioned fine . contradictory +More narrowly , it is a payment by the employer entity in exchange for the future provision of a pension or other retirement benefit to its employees . Employers may provide pensions and other retirement benefits . entailment +I am Jon , said the man , turning back to the polished metal . Jon was holding some metal . entailment +Ade ! Adrin heard Selana 's voice from the back of their stone cabin . Adrin heard Selana screaming . neutral +The bits of information were so few and far between that people weren 't even paying attention . There were just three pieces of information provided . neutral +go walking in the shallows and gig flounder and things like that which isn 't technically fishing but it 's a lot of fun It is a lot of fun , even if it 's not technically fishing . entailment +Was Danvers just a decoy ? Tommy shook his head . Tommy liked Danvers too much to serious consider this . neutral +Trouble is , little Alexandra does not know from discipline , and I nearly twitch when I see her talk back to her mom . Alexandra sometimes talks back to her mother . entailment +But supply-side conservatives dismiss the tax cuts as minuscule . Conservatives do not mind tax cuts . neutral +it sure has and i i 'd like to try this thing every once in a while i thought i 'd give it a try this afternoon being so rainy i 'm locked in up here anyway so I have never wanted to try it and probably never will . contradictory +This glossary is a compilation of all terms presented in Statements of Federal Financial Accounting Standards . Terms that are presented are left undefined in the report . contradictory +It 's not that he has changed his mind and is now pursuing a general policy of linkage between trade and democratization that applies to Cuba . He is following the same ideals as before in regards to Cuba . neutral +well i really can 't think of anything else I can think of all things at once , I am your Lord . contradictory +Jijona also lies within easy reach of the provincial capital . Jijona 's is great for tourists since it is far from the main cities and is filled with local culture . neutral +Conrad was undoubtedly the tenant of the house . Conrad lives in a condo . contradictory +In addition , recent studies have shown a relationship between PM and non-fatal heart attacks , which suggests that some of the deaths due to PM may be due to fatal heart attacks ( Peters et al . We have a better understanding of the relationship between PM and heart attacks . neutral +This is a starting and ending point for trekkers , and as such is filled with a mix of people in anxious anticipation of their impending adventure and those who have recently returned from exhausting treks . Many trekkers begin and end their expeditions at this point . entailment +well maybe that 'll allow me to outweigh some of the things i have to pick up on occasion Perhaps that will allow me to exceed the things I pick up . entailment +Founded by Mary Louisa Armitt in 1909 , it provided a resource for scholars in the area ; she donated her own collection of books , which encouraged others to follow suit . Established in the early 20th century , it served as a resource for local scholars . entailment +Obviously , the institutional structure of the U. S. government had everything to do with the spread of the postal network . The postal network spread due to the institutional structure of the U. S. government . entailment +In conclusion , the analysis finds that while compliance with the rule will bring significant health benefits to the population and also exact long-term revenue losses on the tobacco industry and short-term costs on various affiliated industry sectors , the benefits of the rule will greatly exceed the compliance costs on the United States economy . Complying with the rule is expected to result in substantial health benefits . entailment +Whereas Dutch Sint Maarten is one of the more upbeat places in the Caribbean , much of the French side 's charm is that it seems content to slumber in the sun . Sint Maarten is the most popular small island in the Caribbean . neutral +yeah it 's not very good It 's pretty bad . entailment +I don 't like him . " I like him . contradictory +The stout-limbed can follow his example , and start by climbing the 300-odd stairs to the platform just below the steeple for a fine view over the city . Visitors have to climb exactly 327 stairs to reach the platform . neutral +That extremely unwholesome menu you were outlining just now ? Oh this menu sounds delicious ! contradictory +The retention standard Consistent with the individual 's official responsibilities , administers the tax laws fairly and equitably , protects taxpayers ' rights , and treats them ethically with honesty , integrity , and respect . The standard is consistent with the official responsibilities . entailment +Second , discounts for transportation have been limited to Standard A , Priority over 5 pounds , and parts of Standard B. There are no dropship discounts in Express Mail , none in First Class , limited ones in Periodicals , and none in Special Standard or Library Rate . discounts for transportation have been unlimited for Standard A contradictory +no it 's a necessity It 's a necessity contradictory +So much for the cruel stereotype of the pea-brained dinosaur . Dinosaurs are very smart . contradictory +well well good luck with your your expected uh baby there uh my wife was yelling in my ear was talking in my ear she said uh reminded me to say that uh they 're very cheap until they get get to start dri ving I don 't care about you or your family . contradictory +immediate as well as long-term public demands for safety , health , and improved quality of life . Absolutely no demands from the public for safety . contradictory +A demon 's head , twisted and screaming , capped the leather-wrapped hilt of the sword . The demon 's head was gross to look at . neutral +Already the town gathered . The town gathered together . entailment +'Sorry . ' Oops , that 's too bad . contradictory +A few have been domesticated for plantation work . Plantation work is the only purpose of domestication . neutral +I turned and as I left I saw Susan for the first time . It was the first time I looked at Susan . entailment +The range of styles and media means that you are sure to find a unique souvenir that suites your taste . The limited amount of variety may make it hard to find a souvenir that you like . contradictory +NHTSA afforded interested persons the opportunity to comment on the proposed rule . The proposed rule was not open for comment . contradictory +This need is surely not new . This need has been seen before in the past . entailment +The golden mile of the sea-front promenade is packed with people on summer days . The promenade is a popular tourist destination . neutral +i do know though it 's easy to get put in jail for life Being put in jail for life is easy . entailment +As defined for the 1980 census , urban areas ( a ) places of 2,500 or more inhabitants incorporated as cities , villages , boroughs ( except Alaska and New York ) and towns ( except in the New England states , New York and Wisconsin ) , but excludes those persons living in the rural portions of extended cities ; ( b ) census designated places of 2,500 or more inhabitants ; and ( c ) other areas , incorporated or unincorporated , included in urbanized areas . Urban areas have more than 2,500 residents and underground utilities . neutral +GAO will provide electronic copies of reports to agencies upon issuance or release . The GAO 's reports are of profound importance and must be delivered on time . neutral +yeah okay oh sure sure well i think i think uh uh the best thing to do is i i got two Masters degrees but they both came years after my Bachelor 's degree I received two Master 's degrees after I got my Bachelor 's . entailment +too often The man says something happens too often . neutral +The nearby Tomb of Mena ( number 69 ) is also worth a visit for realistic scenes of harvesting and threshing . There were no realistic images at the tomb . contradictory +I am at play right now . I don 't play at any point in time . contradictory +As they watched , the huge man , Thorn , returned to the Smithy . Thorn was very fat . neutral +you 're right you 're sure right it 's it 's nice to look at but the last couple of storms we 've had the last couple of snowstorms we 've had have really been good because they snowed and and like within a day it 's warmed right back up and melted the roads and stuff so It did not snow and the weather was freezing a day later . contradictory +They were fair and honest traders . The traders were only fair and honest with the people they knew and took advantage of anyone else . contradictory +oh yes yes uh-huh right i like i 've seen it several times it 's a scream but i had to go to bed i have to get up and and work the next morning i wish they 'd put those I need to have at least eight hours of sleep a night . neutral +A small purple despatch-case , with a key in the lock , on the writing-table , engaged his attention for some time . A snakk purple case captured his attention . entailment +i like that I enjoy that . entailment +oh i go for that yeah Oh , I love that . entailment +From the outdoor Loggia dei Cavalli , you get an excellent view over the Piazza San Marco and its principal monuments . From the Eiffel Tower , you get an excellent view over the Piazza San Lucas . contradictory +[ The pro bono project ] is a great asset for all of us , she said . The pro bono project will bring in a lot of great publicity neutral +Jodi , how things are going in Chicago ? Jodi is in Chicago . entailment +It was easy to see it , easy to feel it . It was bright . neutral +Known as the Alefkandra Quarter or Little Venice , it is the place to come for a sunset cocktail or dinner by the water 's edge . The Alefkandra Quarter or Little Venice is the best spot to see the water . neutral +now it probably doesn 't work that way in our household because i have strong opinions about things too but I 'm very opinionated , so as such , it doesn 't function that way in our home . entailment +( Is there really a pile of money ? Is that the most money you have ever seen ? neutral +and uh trying desperately to uh get ahead with the company They are very uncaring about getting promotions in the company . contradictory +Continue north and then left on A-Darb al-Asfar Street , and you 'll find Bayt es-Suheimi on your right . If you want to find the place , you have to do as I tell you . neutral +you know he was but he just went for the the big bucks i think Dallas was going to pay him like sixteen million over five years and he got something like eighteen or nineteen million from Las Angeles so he just went where the bucks were and shoot you can 't blame him man that 's that 's a phenomenal amount of money but uh yeah the Mavericks are sucking it up i tell you He decided to play for Los Angeles because they paid a few million more than Dallas . entailment +That 's so , said Julius with a nod . There was nothing to disagree with . neutral +they they pay them well They get paid more than others . neutral +Several con-artist schemes have emerged in academia . Academia is immune from scams . contradictory +He put on his floppy hat over his shaved head and headed out onto the road . With nothing on his head , he headed out onto the road . contradictory +Robert Rubin and the International Monetary Blame goes to Treasury Secretary Robert Rubin and the IMF for not helping the East Asian nations stabilize their currency the way the United States and the IMF came to Mexico 's aid during the 1994 peso crisis . Mexico still owes a debt to the United States , from the peso crisis . neutral +As you know , GAO supports the Congress in meeting its constitutional responsibilities and strives to help improve the performance and accountability of the federal government for the benefit of the American people . Congress works only for the benefits of the general populous . neutral +because the players the teams uh usually play in split squads and they 're either playing their rookies or their uh The teams usually play in split squads , and they play their rookies . entailment +Easier access to birth-control information and devices and to abortion could reduce the number of unwanted children and improve the timing of those whose mothers would have preferred to wait . Birth control has no effect on the numbers of unwanted children . contradictory +uh-huh What uh what area did you live in What area did you live in when you were five years old ? neutral +A pleasurable thrill of excitement made Tuppence tingle . Tuppence maintained a calm demeanor and felt bored . contradictory +Its strong stone walls , which survived both fires in the 16th century , sheltered rooms that were occupied by Mary Stuart and her second husband , Lord Darnley , in the 1560s . The fires were set by the servants our of hate . neutral +Many of the ruins that you see today date from the Roman period , between the first century b.c. and second century a.d. Most of these ruins have nearly been disappeared . neutral +Human-rights organizations roundly criticize the PA , citing the 14 prisoners who have been tortured to death in the last three years while in police custody . The PA has been the target of heavy criticism from various human-rights organizations . entailment +Preventing injuries through interventions for problem a systematic review of randomized controlled trials . Injuries can be prevented via interventions about 50 % of the time . neutral +Auditors need to weigh the need to reveal all significant facts known to them which , if not revealed , could either distort the results or conceal improper or unlawful practice against any requirements or other circumstances that may necessitate the omission of certain information . Distortion of results is detrimental and unlawful so auditors meticulously weigh the need to reveal all significant facts known to them . neutral +The ruins of the huge abbey of Jumiyges are perhaps the most the white-granite shells of two churches , the Roman ? ­ esque Notre-Dame and the smaller Gothic Saint-Pierre . The Gothic Saint-Pierre is larger than Notre-Dame . contradictory +No adult ever played with Ninja Turtles or Power Rangers . Power Rangers and Ninja Turtles have never been played by an adult . entailment +For a site with multiple units , the total engineering and project management man-hours are likely to be significantly less than the total if each unit were addressed separately . The manhours are probably going to be less than the total if each unit is addressed on its own . entailment +we will let them draw their own conclusions We will draw conclusions for them . contradictory +Drew was breathing as fast as if he had charged across the sun-baked plaza at a run , when he came into the general store which supplied Tubacca with nine-tenths of the materials necessary for frontier living . Drew just heard the news , and he wasted no time getting there to tell the others about it . neutral +In about a.d. 30 he and his followers went for Passover to Jerusalem , which was in unrest at this time , dissatisfied with Roman domination . Around 30 a.d. , Jerusalem was in a state of unrest . entailment +It 's anybody 's guess whether unmeasured productivity growth in the last few years is greater or less than in the past . No one knows if unmeasured productivity is more than the 10 % it was in the past . neutral +uh-huh yeah i liked it but i didn 't i didn 't know if the Americans would like it so much they might you know look into it and say uh this is low budget film and it 's not really that good but i mean i like the story I thought Americans would like the story more . neutral +no i 'm gonna go to uh i 'm gonna send check into the University of Colorado I will be sending a check payment to the University of Colorado . entailment +I am impressed by Slate ' s attempt to use hip language , but I 'm afraid someone has been lax in his cataloging of the latest terminology . Slate used memes and other millennial jargon , which did not work out great . neutral +It seemed impossible to believe that these people were other than they seemed . I would believe that all is not with these people as it might seem . contradictory +I can 't count the number of children sired up there . There are just two kids . contradictory +ANC represents the ability of a lake or stream to neutralize , or buffer , acid . The ANC adds acid to water fountains . contradictory +Consequently , there is no evidence in EPA 's filing of OIRA 's comments on , approval or disapproval of , the agency 's information collection requirements . There is evidence lacking in EPA 's filling of OIRA 's comments , because it was deliberately hidden . neutral +The Times ' prescription is comparable to allowing people to choose how much to sleep while forbidding them from choosing how much to stay awake The Times ' prescribed something that is being critiqued . entailment +It 's ever so much nicer . " I dropped down obediently . It is better that way . I followed the order , and sat down . neutral +i guess uh out of all the movies i 've i 've never been as excited to go back i was ready to go back and see it again you know I can 't wait to go back and see the musical again . neutral +well great well look uh i know it 's probably late for you uh enjoyed speaking with you have a good weekend bye-bye It is likely getting late for you . entailment +None of them had eyes for anything but what Jane held in her hand . Everyone was looking at the thing in Janes hand . entailment +The New York Observer ' s John Heilpern says the actors oversell their wares . The actors oversold their goods , says John Heilpern . entailment +Some Republicans have tried to imply that the Chinese purchased the Clinton administration 's favor with illegal campaign cash . The Canadians where thought to have contributed campaign funds . contradictory +then that would yeah i guess then the water aerobics would be probably the best thing for you wouldn 't it Water aerobics may be good for you . entailment +The smoke hung lazily , drifting into vague patterns and then began to coalesce into a green houri without costume . The smoke slowly moved in the air , and then formed into a figure . entailment +and he was lethargic he really he wasn 't used to the heat at all he The heat was a problem for him . neutral +Not the least of the attractions are the artist 's letters , photo albums , bullfight tickets , and holiday postcards . Many of the artists personal artifacts are there . entailment +oh i can imagine um-hum that 's tough that 's really tough Looks like I will have an easy time with this . contradictory +Constrained by the limited water supply and the absence of an airport , the pace of construction and change have been kept within reasonable bounds , with regulations stipulating , for instance , that buildings may not rise higher than four storeys . There are plans to build an airport with the next decade . neutral +reams of paper come out of an office every day they just asked me to recycle i 'm in charge of recycling all the paper from these offices neutral +in our country yeah In this country . entailment +'Well , then I wouldn 't be paid my vast sums of money . ' I wouldn 't get paid . entailment +The winner of the Hackathlon will be determined by an online vote of Slate ' s readers . The winner of the Hackathon will be determined by online votes of Slate 's readers . entailment +Unless he makes his money in show business , today 's billionaire is a sexless and unattractive sap who lacks the vigor and vanity to crush his rivals and build towering monuments to his ego , although he may have a nice house . Billionaires are too busy living the life of Reilly and having sex with attractive women to worry about trying to make money in show business . contradictory +Do you steal Tootsie pops at checkout counters ? You would never dare to steal Tootsie pops . contradictory +Exhibit 9 provides a summary of the monetary values for the Alternative Estimate used for economic valuation of mortality and chronic bronchitis . Exhibit 3 has a summary of practical values for the alternative estimate . contradictory +I went to the shack I had built with the meager money I had made from the fish wizards . I had spent a fortune on the home . contradictory +right in the middle of the the back you know wasn 't a seam or anything you know That seat was barely finished and didn 't even have a seam on the back . neutral +uh no right now i 'm in uh Washington DC area I 'm in the DC area . entailment +We are all corrupted . We are all corrupted by money in our society . neutral +The alternative perspective goes that the question is what NATO must do , that atrocities are a challenge rather than a verdict , and that NATO should persevere precisely because they continue . NATO will not last if they do not preserve . neutral +Multidimensional Electronic Rulemaking Rulemaking involves many dimensions . entailment +Some of these differences are described in the final section of this guide . Some of these differences are described in the final section of this guide . entailment +Progressives are more definitive than most other observations about patently obvious things in society . The observations of progressive people are more important than others . neutral +Total factor productivity is the portion of output not explained by the use of capital and labor and is generally associated with the level of technology and managerial efficiency . Technology can have an effect on total factor productivity . entailment +He even called it--this T & amp He knows how to use a phone . entailment +We are concerned that S. 556 's short timeframes for installation of controls could lead power plants to be taken off-line at important times , which could lead to electricity shortages . We are worried that power plants will be shut down when they should be running . entailment +well i think in a way though uh uh i also have uh an opposite point of view which is uh although i believe we should uh permit uh you know constant immigration into this country um I don 't think we should permit immigration in this country . contradictory +Much of this literature is summarized in the 1996 PM Criteria Document ( US EPA , 1996a ) . This literature is entirely neglected in the 1996 PM Criteria Document ( US EPA , 1996a ) . contradictory +that 's all This is the end of it . neutral +all back and forth and around yeah because they 're going be they 'll grow now from now until the about middle of June then i 'll have all the onions and they 'll be out and then i 'll put in some flowers The onions will grown until about June and then I will plant flowers . entailment +While we are used to secular types such as Trent Lott weighing in with their views on sin , it 's harder to swallow when the folks at WWJD ? It has become common for us to listen to the views of Trent Lott , but it 's harder to hear from those associated with WWJD . entailment +yeah it 's it 's it 's applicable to those degrees and and and those are strong degrees all of them in in the school that she 's going It applies to those degrees in the school she 's attending . entailment +it was nice okay it was nice talking to you bye-bye Correct , it was pleasant speaking with you . entailment +and uh and it worked out fine from that standpoint uh plus the fact that uh when i left uh usually uh my husband was seldom home for maybe forty five minutes or so and then our son he had to get on the bus and he did get on the bus it was his responsibility and he never ever thought My son was left at home alone for 45 minutes and had to get himself on the bus . entailment +It sounds like we will be able to get everything we want and then some and if the judge is in a good mood , we might get even more ! This judge was very impressed with the evidence we presented yesterday . neutral +'Aren 't you going to do something ? ' I demanded . I asked if he was going to fight the man . neutral +Five : The Mines The mines were closed . contradictory +and i just uh he lives with different you know people in the family he 'll switch from time to time i just He doesn 't have any family and instead lives with friends in an apartment he purchased with them contradictory +oh that 'll that 'll sound wonderful won 't it Sounds like nothing interesting , do you agree ? contradictory +yes it 's nothing to be proud of certainly not It is something to be ashamed of neutral +However , one thing that should emerge quite clearly from the discussion of design features intrinsic to the case study is that it can be a rather costly endeavor , given the time required , the rich in-depth nature of the information sought , and the need to achieve credibility . Even so , the net benefits from the case study often outweigh the high costs . neutral +PROBABLE - That which can reasonably be expected or believed to be more likely than not on the basis of available evidence or logic but which is neither certain nor proven . Probable means what is likely to happen so it 's not certain or proven and it 's also the basis of a mathematical law . neutral +He went to his desk and saw his boss working on the computer . His boss was doing something on the computer . entailment +Fifteen of the leaders were executed , including Pearse and the wounded Connolly , who was brought to his execution in an ambulance and shot tied to a chair . Only one of the leaders was executed , Pearse and Connolly were spared . contradictory +twenty miles is going is just going a little different way it 's probably twenty miles longer than my normal way to work i live in Rhode Island work in Massachusetts but I live in Massachusetts and work in Rhode Island . contradictory +Does this mean that the difference between , say , Swedish social democracy and Nazi state capitalism is less significant than the similarities ? Swedish social democracy and Nazi state capitalism have some things in common . entailment +Although the book business has grown more dependent on new blockbusters , 53 percent of Barnes & amp ; Noble 's sales , for example , come from backlist books , i.e. , books published more than 12 months ago . The book business has been more dependent on new blockbusters , but also on backlist books , said the director . neutral +lucky you um-hum You 're very unlucky . contradictory +Well , no . Yes . contradictory +You get a sense of the dukes ' grandeur among the Renaissance palazzi of the Corso Ercole I d 'Este , part of a 15th-century urban expansion , Addizione Erculea , that was one of the most ambitious pieces of town planning of its age . The city contracted over the whole of the 15th century . contradictory +Using similar techniques , furniture is likely to be expensive , but framed pictures of Tuscan landscapes or views of Florence are more moderately priced and , as souvenirs go , tastefully done . Framed pictures of Tuscan landscapes are relatively tasteful . entailment +calculated and used for all city carrier routes . calculated and used for all newspaper routes across the city . neutral +One organization took an even broader view , targeting awareness efforts also at custodians and security guards , after a night security guard accidentally destroyed some important data while playing games on a computer after hours . All employees on all levels were targeted for awareness . entailment +I 've got to scoot back to the house . " I have to stay here forever . contradictory +No artifice assists these honeylike waves . A reputable plumber must be employed to stop the horrible waves . neutral +The narrowness , the deadly monotony of it , almost drove me mad . " She paused a minute , and added in a different tone : " And then I met John Cavendish . " I was in awe the sheer power of her speaking voice that held me entranced . contradictory +Case Studies of Children in Head Start Planned Variation , 1970-71 . Studying how kids in head start vary from one another in academic performance neutral +France remains , however , a splendid and individualist country that has much to offer to the foreign visitor . France lost all sense of individulaism in the recent past . contradictory +even dog licenses i mean yeah Even dog licensees are getting taxed . neutral +The organization 's migrant program will move in , and the organization will spend the next year looking for nonprofit groups or businesses to make up the rest of the justice center . The justice center is very large in area . neutral +Cut down only those who raise arms . Kill the ones that try to shoot you entailment +Probably , I thought , it really never happened . I believed the situation didn 't ever really occur . entailment +Appropriate safeguards can help to prevent abuse of federal employees and provide adequate monitoring mechanisms to gauge performance . Appropriate safeguards can help to prevent abuse of federal employees . entailment +Luxurious sophistication next to the Blue Lagoon . It is right next to the Blue Lagoon , where you can swim for free . neutral +Poetry , universities , and paintings fill her with awe . She loves poetry , universities and paintings . entailment +The room is also known as the Hall of the Double Axes . This room is known only as the Hall of Weapons . contradictory +We have created you , Dave Hanson . Dave Hanson was a natural being . contradictory +Here you 'll find much more evidence of the rural life , with olive groves and livestock farms in the hilly interiors . You won 't find rural life here at all . contradictory +One of the best is the Cirque de Baume , between Lons-le-Saunier and Baume-les-Messieurs . Cirque de Baume can be found between Lons-le-Saunier and Baume-les-Messieurs . entailment +This was the most interesting part of the event . This was the best part of the event . entailment +A letter-writing campaign asks every lawyer in Maryland to donate at least the dollar value of one billable hour - typically a couple of hundred dollars - to the Legal Aid Bureau . A campaign asks lawyers in Ohio to donate money to legal aid . contradictory +However , the structure was never finished and lacks the epic reliefs ( carved images ) found at Philae and Denderah ( see pages 70 and 62 ) . The structure lacked the carved images that are found at Philae . entailment +But with Julius Hersheimmer about , hustling was inevitable . Julius Hersheimmer was famous for his hustling . neutral +Tuppence ordered tea and buttered toast . Tuppence put in their order of buttered toast and tea . entailment +but we i don 't know i i don 't really miss the snow i miss the change of seasons myself Even though I don 't miss the snow , I liked the rain . neutral +The traditional work schedule followed by civilian employees differs from those generally followed by members on active duty of the armed services . Civilian employees work a 9-5 schedule . entailment +Even though he had an appointment to the University of Virginia in his pocket , Pop several times extended his stay at the White House to help out with the struggles over inflation and recession , and never once publicly said a word against Nixon . Pop really enjoyed helping out at the White House . neutral +Well , this dismissal only matched his gloomiest expectations . He was disappointed by this dismissal . entailment +News also offers a sidebar on scandal profiteers , from Gennifer Flowers ( $ 500,000 since 1992 from the Star , Penthouse , and her book publisher ) to Julie Steele ( $ 7,000 for selling a photo to the National Enquirer ) . Julie Steele never sold a photograph to the National Enquirer . contradictory +it was really i mean the Hollywood really must think there 's some real dummies out there or something i don 't know Hollywood really respects the intelligence of people who watch these movies contradictory +The park is at its liveliest in the summer , when music festivals and the popular Cinema en Plein Air ( outdoor cinema ) take place . The liveliest the park gets is during the winter months . contradictory +Best Better Matching of Needs and Resources Will Lead to Better Weapon System Space Outcomes . Weapons systems space outcomes are dependent on proper documentation . neutral +result in 7 different symptom clusters , each describing a type of URS . The 7 different symptom clusters are very diverse . neutral +if you 're good at whatever you are you know and there 's employment There is always employment if you are good at what you do . entailment +Or is there seriousness underneath the mordancy ? Is that serious ? entailment +Destroy the machine ! The machine must remain intact . contradictory +You can visit Kat Hing Wai and Lo Wai , villages with their walls still intact . While Kat Hing Wai has intact walls , the village of Lo Wai does not . contradictory +You 'll see fascinating views of the rear of the Georgian houses of the New Town as well as the small cottages of Dean Village itself . There 's nothing to see there but a long stretch of brick wall . contradictory +France , they say , is the victim of savage , unrestrained capitalism--although it has the largest government and the smallest private sector of any large advanced country . It 's impossible to suffer from unrestrained capitalism without a robust private sector . neutral +Your skill with a blade is beyond words . You 're not really good with a blade . contradictory +In doing so , the Congress will still need to hold agencies accountable for the homeland security missions that are not incorporated in the new department . In doing so , congress will need to hold agencies accountable for missions of homeland security and all other missions . neutral +The baker wore a white apron that looked like a smock . The baker was wearing nothing at all . contradictory +yeah uh yeah just kind of it 's kind of a kluge that was pieced together to to uh shall we say bypass the formal procurement process and uh it it works just fine it says it 's a monochrome monitor Panasonic printer uh no big deal it it does the things i need for it to do It 's a printer that does none of what i need it to do . contradictory +Hi-Tech Products Newly made products . neutral +Perhaps the uncritical reportage of Fitzsimmons ' new story can be explained by pangs of guilt about the uncritical reportage of his old one . Fitzsimmons ' new story is due to guilt over the first story he published . neutral +you fix it so yeah This Old House and some of those and i i really haven 't you know haven 't paid a lot of attention to to whether or not you do painting on on top of plaster or not so Do you paint on top of plaster or not ? entailment +Special rules , set forth in the General Terms of Use part of this license , apply to copying and distributing Project Gutenberg-tm electronic works to protect the PROJECT GUTENBERG-tm concept and trademark . Violating the terms is illegal . neutral +which is really not that far It 's not really that distant . entailment +We are at one then , said Poirot , " for I , too , want to hang the criminal . " Poirot has expressed no interest in hanging the criminal . contradictory +If the auditor chooses to apply or use standards or methodologies developed by other professional organizations when performing work under GAGAS , the auditor should also apply the standards in this chapter as appropriate . In addition to external standards , auditors must make sure to use standards from this chapter . entailment +Later they were often home to many large families , rife with overcrowding and unsanitary conditions . They had families of 20 people living in them . neutral +From an enforcement perspective , the SEC has certain civil enforcement powers that it can use to address violations of the nation 's securities laws . The SEC has no power at all to address any type of violation . contradictory +with the students together with the pupils and instructors neutral +Sheen will then have a July hearing on whether he violated his probation--he pleaded no contest a year ago to attacking a girlfriend--by engaging in drug activity . Sheen has never been accused of committing a crime before . contradictory +In the 1980s , Kodak opened a major research center in Tokyo , staffed with Japanese engineers , and started a joint venture in which Canon made copiers sold under the Kodak name . The copiers were of high quality . neutral +The Inland Revenue Department ( IRD ) provides tax services as well as social policy services , including the administration of child support and family assistance programs and the collection of student loan repayments . The Inland Revenue Department does not provide any social services . contradictory +Each category of services was analyzed separately . Each category had to be analyzed seperately for fairness . neutral +The others were grouped together at a little distance away . There were two groups of people slightly apart . neutral +Cherries , plums , figs , and other fruits are made into jams . A variety of fruits can be made into jams . entailment +yeah i i mean what would you do in a situation like that you say well he 's only ten years old but the crime he committed is that of an adult What do you do when a ten year old commits an adult crime and is a sociopath ? neutral +This will help satisfy the stewardship objective defined in the concepts statement , Objectives of Federal Financial Reporting , SFFAC There is no stewardship objective in the Federal Financial Reporting . contradictory +Strictly speaking , Bharatpur is in Rajasthan , but proximity , just 42 km ( 26 miles ) due west of Agra , makes it logical to include here . The two cities are not included together . contradictory +Part caretaker , part squatter , Mr. Davol has developed a green thumb with office plants and has become accustomed to working in front of pictures of other people 's loved ones . Mr. Davol is purely a caretaker and is not a squatter . contradictory +over in TI mean for TI but over in Italy uh Over for TI in Italy . entailment +that 's that 's really just kind of discrimination no matter how any way you put it That is just discrimination , no matter how it 's described . entailment +From DKNY to FAO Schwarz , dozens of top retailers have their only Las Vegas location here . Retailers go here to set up their stores . entailment +yeah yeah i think it was Ma Ferguson i know Texas had a woman governor I am positive no female has been governor in Texas . contradictory +I 'm a damned fool ! I am being mentally sound . contradictory +oh yeah that would be much more convenient yeah Oh yes , that would be very convenient . entailment +He kicked fast , catching the Kal in the groin . He kicked Kal in the face . contradictory +You think black studies has achieved middlebrow status . You think white studies has achieved status on parity with black studies . neutral +I believed to the very core of my soul that the human race was on the brink of a new era in which intolerance and bigotry and prejudice would no longer exist . I believed that the human race was on the brink of a new era in which intolerance and bigotry and prejudice would no longer exist , I believed that to the very core . entailment +My only regret is that I passed up a chance to order roasted pigeon in Florence . I have no regrets and am glad I didn 't order roasted pigeon in Florence . contradictory +Retrace your steps down the ramp and through the first door on your left . The first door on the left is one of three doors on the left . neutral +Part of the Democrats ' dislike of Barr undoubtedly stems from annoyance with his persistence and effectiveness . Barr is disliked by most people . neutral +12866 and as such was reviewed by OMB based on the information supplied by HHS , including a planned regulatory action document describing the reason for the rule and an assessment of the costs and budgetary impact of the rule . HHS supplied information to OMB including a document written by the president . neutral +Large men armed with swords and axes passed , giving Ca 'daan narrow looks until he looked down and away . Ca 'daan stood as the hulking men carrying axes and swords walked by , giving him intimidating looks until he diverted his gaze . entailment +oh yeah well the disgrace they won 't lose lose last year The hit to their reputation is going to stick . entailment +Figure 6 : History of Field Office Structure There is multiple Field Office Structures . neutral +We won 't be making extravagant claims for the Internet anymore , but will accept that it 's just a tool--sometimes extremely useful , sometimes not . The Internet is a tool that 's a net-neutral . entailment +no yeah because i mean you as an individual what you would do that that to me is your business I don 't think you should do that , it 's my business now . contradictory +I beg your pardon , he saw a man with a black beard like Mr. Inglethorp 's , and wearing glasses like Mr. Inglethorp , and dressed in Mr. Inglethorp 's rather noticeable clothes . He saw a man with a very similar appearance to Mr. Inglethorp . entailment +well they 're dangerous They offer nothing to worry about . contradictory +With walls of dazzling white stone beneath gray slate roofs , the picturesque chateau at Azay reflects the waters of the Indre river , 30 km ( 19 miles ) southwest of Tours . The chateau was once a trade hub for merchants across Europe . neutral +have weekly meetings and everything and so it 's just really really well regulated The meetings are about an hour long . neutral +and so i started watching it and all of a sudden stay tuned next week and i went what I wouldn 't have started watching it if I 'd known . neutral +you know even if it took five years i think that if at that time you you feel that they were guilty or that they were uh of sound mind where they knew what crimes they were committing i mean people know what they 're doing People know what they 're doing so they should be punished more . neutral +well um i 'll tell you something um i i have a sister-in-law from Israel I have a sister-in-law from Israel that is moving in with us . neutral +It 's surprising that Tribe 's essay doesn 't discuss his textualist argument for the unconstitutionality of Colorado 's Amendment 2 , which forbade cities to enact anti-discrimination ordinances based on sexual orientation . Tribe 's essay misses a fundamental part , which is surprising , according to the critics . neutral +With regards to reagents and other consumables , it is projected that there is sufficient supply of limestone for additional FGD systems . The FGD systems require a large amount of limestone . neutral +This new hotel has supplanted the national parador as the top choice in Toledo . It is the fastest growing hotel in the area . neutral +Newspapers have bought both these spins , alternately praising and criticizing Microsoft 's virginity , but accepting it as a given . Both of these spins have been used by newspapers . entailment +This week , he recycles the same suit and bow tie and evasions on Face the Nation and Meet the Press . He chiefly concerns himself with abusing archenemy Kenneth Starr , though Tim Russert chastens him by reading back a series of quotations that document how , not too long ago , the lawyer was a professed member of the Ken Starr Fan Club . The suit was black . neutral +Nurse Edith left with a patient to-night also . ' Edith took a patient with her when she left . entailment +yeah whatever i mean it 's uh you know across the board It covers everything you could want . neutral +You may quarrel with the Fed chairman 's judgment--you may think that he should keep the economy on a looser rein--but you can hardly dispute his power . You may dislike the Fed chairman , but you can 't dispute that he 's powerful . entailment +Leaving the square on the lane that begins at the back of the Bhimsen Temple and following the street around to the right will bring you to the Golden Temple , or Kwa Bahal , a Buddhist monastery founded in the 11th century . The Golden Temple is the name of a special McDonalds franchise built in the early 21st century . contradictory +Because the volcano is still active although dormant at present these areas continue to grow , and experience earthquakes . The volcano is still active , and the surrounding areas experience earthquakes . entailment +For simplicity , coverage-related load time ( $ 1,232 million ) is included in access time , and street support is piggybacked on all three functions . Access time is measured in hours . neutral +Nor have the rich maintained that audible indicator , that quasi-English , quasi-lockjawed accent that the swells all had in Depression-era movies . The accents in the Depression-era movies are gone . entailment +This should include separating the responsibilities for authorizing transactions , processing and recording them , reviewing the transactions , and handling any related assets . This should include separating the responsibilities for authorizing transactions , processing and recording them , entailment +Naturally , the pigeons hang out in the piazzas all day , cooing and crapping and waiting to be fed . There are pigeons in the piazzas . entailment +The Edinburgh Crystal Factory has guided tours that show every aspect of the production of cut lead glassware . The Edinburgh Crystal Factory does not allow visitors to go inside . contradictory +Sugarcane was revered by the planters and government conservatives as white gold ( l 'or blanc ) for the immense wealth it brought . Cane was a valuable commodity by farmers . entailment +In the heart of the modern town , set beside the waters of the Nile , is Luxor Temple , started by Amenophis III in the 18th Dynasty c.1350 b.c. , and embellished by Ramses II in the 19th Dynasty . The Luxor Temple was started by Ramses II . contradictory +They watched as he hammered the metal , sparks flying into the black soot covered room . As he hammered the metal , they watched . entailment +Despite the strict asceticism preached through Buddhism , it 's clear that the craftsmen employed were given free rein regarding their joyous sensuality . The craftsmen employed given free rein even though Buddhism may have a strict doctrine . entailment +But despite these migrations , immigrations , social change , and urban renovation , time seems to stand still in many Paris neighborhoods . Time stands still because of cultural standards . neutral +um uh we 're just trying to talk ours into getting a laser printer We are attempting to convince ours to get a laser printer . entailment +5 million in VAWA funding . Less than a million in VAWA funding . contradictory +The IRS also points out that upper-income audits dropped in response to the closing down of tax shelters in the 1986 Tax Reform Act . The IRS is auditing more people than ever now . contradictory +A good case study identifies the Some case studies are good entailment +But they aren 't catching on . However they are catching on . contradictory +weatherwise The man is very weatherwise . neutral +This is not a recent development ; the Minoans made it home , with their most famous palace only a few kilometers away from Iraklion . The Minoans had no palace . contradictory +That era was capped in 1998 , when the Legal Services Corp. forced 275 legal aid providers nationwide to combine into 179 . Legal Services forced providers to consolidate their practices in urban areas . neutral +I know this is a terribly iconoclastic proposition , and that 's why I 'm not asking you to believe it , I 'm only asking you to believe that I believe it . I want to believe in your beliefs too . neutral +Does the case study identify the factors explaining the phenomena that were observed ? The phenomena observed were of supernatural origin . neutral +It is wild and windswept , and its limited vegetation a far cry from the lush green interior . Its lush green vegetation stands in stark contrast to the wild and windswept interior . contradictory +just um but crawfish i mean it just has a taste of its own it also depends on who 's cooking it and how much seasoning they use and stuff like that but um Crawfish taste the same as crabs . contradictory +A tour of the beautiful Parc Ornithologique de Mar ? ­ quen ? ­ terre at St.-Quentin-en-Tourmont will take a couple of hours . The tour is expected to take approximately 2 minutes . contradictory +uh-huh uh-huh you did well i i venture to say your you and your kids if you have any would enjoy the Amiga better If you have kids you would probably enjoy the Amiga better . entailment +9.1 ENDPOINTS This is the first of many subsections in section 9 neutral +The oldest part of the palace , the James V Tower ( once called the Great Tower ) , is for many the highlight of the tour . James V Tower is the newest part of the palace . contradictory +Texas ain 't Texas no more ; it 's th ' Fifth Military District . It 's th ' Fifth Military District , Texas ain 't Texas anymore . entailment +If you have the energy to climb the 387 steps to the top of the south tower , you will be rewarded with a stunning view over the city . It 's a tough climb , but thankfully there are many landings where climbers can stop and rest . neutral +Major among these is the Kalawun and Barquq Mosque on the arterial Muizz lidina-Illah Street . Muizz Iidina-Illah Street is along the ocean . contradictory +This man was a killer . The man had killed twenty people . neutral +and yes i do and the reason i do is because um i 've with uh Gorbachev was raised and his mentor was i because it was Nikita Khrushchev i believe i know it was one of the old old school Russian and uh he he is a definite he is a Marxist Leninist communist through and through Gorbachev was mentored by a fellow Russian . entailment +first of all we have a source now we got a a friend whose a nun A friend who 's a nun is our source . entailment +not completely no he he still has a problem with it and he goes in stages His problems go in stages entailment +The centre of attention is the huge Basilica of the Annunciation , standing on the traditional site of the Virgin Mary 's house and the cave where the archangel Gabriel appeared to Mary to herald the birth of Jesus ( Luke 1 : 26-31 ) . The Basilica was placed there due to the site 's significance . neutral +yeah i would agree with that i think you 're right i think they sometimes get carried away by the circumstances and make huge settlements thinking well it 's only going to cost the insurance company and I think that they realize that the insurance company incurs no costs . contradictory +Allowance Allocation Very large allowance . neutral +GAO will refer inquiries for any additional information to the requesters . Gao gives lots of extra info neutral +The installation and operation of SCR systems is not expected to be constrained by the future availability of ammonia or urea . The installation and operation of SCR systems has advanced sufficiently to circumvent the availability of urea . neutral +His model is last year 's farm bill , which phased out most other commodity programs while providing transitional assistance during the changeover . Last year 's farm bill was well-received . neutral +Are involved in periodic reviews , and if so , howfrequently they are involved . They are involved in reviews every day . neutral +When she had finished he ; nodded gravely . She finished explaining the plan to him . neutral +oh those hedges when they started moving whenever they they made that into a movie i was thinking oh my gosh if they show that i 'll just die for some reason that scared me more than anything I love to watch scary movies so much . neutral +well i 've seen some people try to just come in like over the weekend because they want to use the TexTeller machine and they have said no There is no TexTeller machine to speak of . contradictory +Some wonderful legal service agencies , such as the National Association of Public Interest Lawyers , ( NAPIL ) , at www.napil.org , have Web sites that are devoid of explanations about what public interest lawyers really do , and which appear to be so corporate in appearance that they could just as easily be an Annual Report . The websites should inform the public more than what they currently do . neutral +with the child care that was in it the immediate area The day care is down the street . neutral +Never mind what you 've got . It doesn 't matter what you have . neutral +With daytime temperatures rarely dropping below the high sixties and almost continuous sunshine , it makes a welcome retreat from the drab northern European winters , and a scorching alternative to temperate summers . The daytime temperatures often fall below the high sixties . contradictory +well i i don 't think that it 's it 's wrong for a company to require drug testing for certain types of positions for instance jobs that require use of heavy machinery and things like that where there 's where there 's uh endangerment to their own life and other people 's lives I don 't think it 's wrong to require a drug test for a job if you 're doing something dangerous . neutral +Check , in lieu of work Report , instead of working . entailment +The school received an astonishing number of applications ( four for each spot ) , which meant that many kids spent their days playing computer games and that many parents wanted time for themselves . No one applied to the school , and it shut down . contradictory +Does anyone remember cybernetics or catastrophe theory ? No one remembers cybernetics . contradictory +" I heard California " Drew began again . Shouting to be heard over the din Drew yelled " California ! " neutral +Egghead Exam Difficult exam neutral +is that for designs or is that for the regular seam in the fabric or Is that pattern in your hand for design or otherwise ? neutral +and then i talked them into buying a HP Laser Jet I convinced them to buy an HP Laser Jet . entailment +you know don 't have good jobs and living on reservations alcoholics and oh it 's terrible it makes me really ill but i 've never even been to Colorado They have wonderful jobs and no addictions . contradictory +Certainly , Aunt Emily . She jumped up promptly , and something in her manner reminded me that her position was a dependent one , and that Mrs. Inglethorp , kind as she might be in the main , did not allow her to forget it . Mrs Inglethorp said to forget everything . contradictory +Subtle , but ... ' Lincoln 's head shook . Lincoln did not say a word . contradictory +Instead of using the money it raised from the IPO to expand , though , it lent the $ 110 million to other Chinese state enterprises and then watched many of those loans go south . It raised nothing from the IPO . contradictory +In fact , quite a number of the agencies proposed to be transferred to DHS have multiple functions . Many of the agencies that would be subsumed by the DHS have several functions . entailment +It discusses why the Government 's asserted interest in preventing [ public radio ] stations from becoming a privileged outlet for the political and ideological opinions of station owners and managers , 468 U. S. , at 396 ( internal quotation marks omitted ) , was insubstantial and thus could not justify the statute 's restriction on editorializing . The Government does not allow individuals to own or manage radio stations . contradictory +This scene is now the centerpiece of a lawsuit by parents in Paduchah , Ky . , who say the 14-year-old shooter who killed three children was motivated by the movie . The parents do not think the movie had anything to do with the shooting . contradictory +Critics love this British film directed by Udayan Prasad about the life and dreams of a downtrodden Pakistani taxi driver in the north of England . The British film directed by Udayan Prasad has been loved by critics . entailment +Look here , Mary , there 's the deuce of a mess . There was no mess to be found or to look at . contradictory +One of the most popular excursions from the Aegean resorts goes to the spectacular travertine terraces of Pamukkale ( the Cotton Castle ) , which lie above the town of Denizli , about 200 km ( 125 miles ) inland from Kuradase . People enjoy the trip to Pamukkale because the surrounding areas are so beautiful . neutral +Like the shrines , the bridge is renewed every two decades . The bridge is never more than twenty years old . entailment +Poussin 's bittersweet Arcadian Shepherds ; Watteau 's melancholy Gilles and graceful Embarkation for Cythera ; Dela ? ­ croix 's Liberty Guiding the People ; and Courbet 's penetrating study of provincial bourgeois life , Funeral at Ornans . Courbet studied provincial life amonst the people in northern France . neutral +With regard to responsibility , all CPAs should be mindful of the broader public interest in connection with all their activities . CPAs should strive to undermine public interests . contradictory +The brawny Neeson is a calamity as Wilde , says New York 's John Simon . John Simon reviewed Nelson 's performance . contradictory +This organization is constantly looking to improve its IT investment processes . The organization stopped improving its IT investment processes . contradictory +Judge Thornton 's ruling , she contended , will establish a barrier that stops abused women from seeking protection of the courts . The judge only wants to help protect abused women . contradictory +Completion of some of the activities is contingent upon completion of other activities . The chance of us reaching some activities is based on whether other activities are completed in a timely manner . entailment +Saint-Omer St. Omer entailment +It Was a Simple Error A mistake was made . entailment +uh-huh well that sounds fantastic I will definitely take a look into that . neutral +the credit bureau and say hey you know we 're paying you good money to report this properly and you 're not doing your job Tell them that you are really happy with how they are doing their job . contradictory +and uh it 's just so you you know with budget restraints and things like that it 's makes it difficult The budget restraints are getting worse . neutral +Foster might have attended to the poems and shown how willfully they use place-names ( and in the later verse , Yeats ' famous friends ' names ) to erect the mansion of Irish literature . Foster wanted to erect the mansion of Irish literature entailment +Nothing will focus someone 's mind like looking at the world from the inside of a prison cell . There 's no time to look at the world when you 're in a prison cell . contradictory +When Venetian aristocrats gave up the high seas for a more leisurely life on the land , they built Palladian Renaissance villas and extravagantly frescoed Baroque country houses on the banks of the Brenta Canal between Venice and Padua . The Palladian villas were built for the benefit of the Venetian working classes . contradictory +It is going to help us out tremendously with our program , said Kathy Duncan at West Texas Legal Services . Kathy Duncan is the legal service advisor neutral +Cyrix and AMD are now spending millions of dollars on TV-ad campaigns in recognition of the fact that it really does matter . Cyrix and AMD focus their advertising on websites . contradictory +On a unified budget basis , revenues remain at 20 . The budget was over 1,000 . contradictory +A red sword swung for his home and he had no defense . The man had a giant sword that he fought back with . contradictory +That would really deter the predators in the school corridors . School corridors would become free of predators . entailment +and it 's very very difficult to find a mechanic these days that you can trust i only have one guy that i know that i trust to work on my car and uh he 's about uh sixty miles from here The only person I can trust to work on my car lives sixty miles away . entailment +Employer entity contributions to pension and other retirement benefit plans for Federal employees . Employer contributions to pensions and other retirement benefits for federal employees . entailment +People will argue about where to draw the line . People will bicker about where they should stop or not . neutral +the executives They work in the corporate office . neutral +The Washington Post added that even the Pentagon --Loral 's initial accuser ! The Washington Post added that even the Pentagon --Loral 's fifteenth accuser ! contradictory +'Fourth floor . go up four levels neutral +you know i wonder sometimes wonder if i 'll ever if i will regret it when i 'm old but uh i just can 't see myself as a parent Sometimes I wonder if I will regret not being a parent when I 'm older . entailment +Based on this faulty assumption , Landsburg then goes on to make the assertion that since our grandchildren are going to be so rich , they won 't mind being reduced to seeing things like trees only in photographs , and they might prefer inheriting the proceeds of economic development to inheriting the redwoods , anyway . Landsburg is an advocate of preserving redwood forests . contradictory +Genoese-born Giuseppe Mazzini 's Giovine Italia ( Young Italy ) movement sought national unity by popular-based insurrection . The Giovine Italia movement sought to divide Italy . contradictory +These two-line kural verses deal variously with morals , wisdom , love , and finances . The verses provide a way of orientation towards achieving higher levels of morals . neutral +The stores would be sold at bargain prices , and many are located in communities where there would otherwise be no post-merger competitor . It is possible to sell the stores at some stage . entailment +Be sure to keep a log of your testing for inclusion in the engagement workpapers . A testing log is not helpful . contradictory +'We 're still going to the city , ' Natalia / Lincoln insisted . Lincoln said we 'd never go to the city . contradictory +Thanks to Gutman , Genovese , and their left-wing peers , we now know that the notion that Slaves Were Happy , as the New York Times headline put it , is not necessarily false . Gutman and Genovese have no peers on the left-wing . contradictory +In the bustling old center of Jodhpur itself , you can 't and shouldn 't miss the Saddar Market situated by the old clock-tower . Saddar Market is located near the old clock-tower in Jodhpur . entailment +Unexpectedly chilly weather might make these a good impulse buy . Buying those will be throwing your money out . contradictory +Cairo 's oldest mosque can be found just east of the al-Ghuri complex . East of the al-Ghuri complex , Cairo 's oldest mosque can easily be found . neutral +Last Monday night . Thursday morning . contradictory +He felt a bond with us as fellow writers . His fellow writers bonded with him over tea . neutral +Regarding rates , a 3622 ( b ) ( 6 ) establishes the degree of preparation of mail for delivery into the postal system performed by the mailer and its effect upon reducing costs to the Postal Service as a factor to be considered in connection with a proposed change . A 3622 ( b ) ( 6 ) raises costs tremendously for the Postal Service . contradictory +Name the Scandal Contest There was a contest about presidential scandals . neutral +But it is oddly disrespectful--like arguing that the rough draft of The Great Gatsby was better than the novel F. Scott Fitzgerald published . It is not typically as disrespectful as it currently is . neutral +In the real world , however , top management has much more influence on and interaction with the outside auditors . Higher management in the way it 's used has more sway on the interplay it has with auditors . entailment +'The Results Project ' is aimed at gauging , for the first time , the type and volume of work , other than the handling of cases , in which LSC-funded programs engage . The Results Project measures volume of work , but not the type performed . contradictory +Unlike other global bodies ( including the UN ) , the WTO enjoys unique enforcement powers , the environmentalists warn in their ad . The powers of WTO are no different than those of UN . contradictory +Based on the estimated time periods needed to complete each of the four phases described above , the estimated time period to complete the implementation of a single FGD installation is conservatively 27 months . It takes 7 months to do the four phases . contradictory +Shift away from consumption of postal delivery services to telephone services for household sector Postal delivery services will eventually die all together . neutral +And the date , my friend ? said Number One . I know the date . contradictory +I feel these are more social problems than legal cases , she said . I think these welfare babies are more social problems than legal cases . neutral +The assistant shoemaker is another of Malamud 's weirdly insistent , lonely souls--impelled , who knows why , to devote himself to a hopeless love ; still wincing from the horrors of Europe , which he has not entirely escaped ; inarticulate , yet bursting with passion , if only his boss , the master shoemaker , will deign to listen . The assistant to the shoemaker was lonely because he was too busy making shoes to find a wife neutral +hum how much longer do you have Is there enough time left for you do get it done ? neutral +but yeah i don 't have a lot of time to read i yeah i remember in college i did a lot of reading most of it text books I read a lot more in college than I do now . entailment +The emergency department surveillance of alcohol intoxication after motor vehicular accidents . The ER screens for alcohol intoxication . entailment +The Denver Broncos won their second straight Super Bowl , beating the Atlanta Falcons 34-19 . The Broncos won their first Superbowl in 2004 . neutral +She had known nothing of the tragedy , until awakened by Mrs. Cavendish . She heard the bang and knew what had happened . contradictory +Filigree work , a legacy of the Moors , is of extremely high quality . The Moors have a legacy of filigree work , which is of extremely high quality . entailment +A variety of outside players other than auditors have been involved in and bear differing degrees of responsibility for some of the recent business failures . Outside players other than auditors have been working on things with no responsbility . contradictory +For instance , the tale of George Washington defeating the English Hordes at Olde New York . The story of George Washington defeating the English Hordes has been greatly exaggerated . neutral +the Buick was was great it was nine years old and and it was still going strong the only That Buick was awful , it was clearly a lemon right off the bat . contradictory +A reassuring finding in light of the question before us . We were reassured by the findings in light of the question we are considering . entailment +Both trails are divided into smaller segments of varying difficulty . The trails are equal in difficulty and scenery . contradictory +The sea has always played an important role in the history of this corner of France , from Scandinavians arriving in longships to Celts fleeing from Anglo-Saxons and Normans sailing to conquer England . There is much history with the sea in this part of France . entailment +get out of the rain Go out and get soaking wet , go in the rain . contradictory +The more common response among Jews was to devote themselves to Zionism as a bulwark against future persecution , or to engage in symbolic retribution ( banning Wagner from Israeli national radio ) , or to pursue justice through the Nuremberg war crimes tribunals or other legitimate arenas of justice . Jews responded by devoting themselves to Zionism . entailment +Sports pundits likened him to Michael Jordan and Jack Nicklaus . Despite his own proclamations , his sport abilities were not recognized . contradictory +got my first home computer but it it would be i think a dramatic a dramatic sense of loss on on some items I think it 'd be a big change to stop using a computer . entailment +assistance for a total reduction of $ 2 . People need assistance to reduce $ 2 . neutral +Members of the LMA will help the groups develop long-term business plans and marketing strategies . LMA members are working on the business plans . entailment +and yep but they had nothing to back it up and Yeah , however they lacked any support to defend their claims against my behavior towards them . neutral +The Western District is one of Hong Kong 's oldest neighborhoods , and its narrow streets hold a collection of fascinating traditional shops and enterprises . The Western District is a new neighborhood in Hong Kong . contradictory +If you approach Eilat from Beersheba ( via highway 40 ) the terrain and road are very slow , twisting , and undulating among myriad peaks and hills , reaching a climax at the eyrie of Mitzpe Ramon . There are many hills and peaks across the terrain . neutral +and it 's just an old old compact that is super slow and but it does it does it 's job so It 's an old and expensive compact , but it does the job . neutral +They see something grotesque in the idea of making them into winter outerwear . Although fur is the warmest option , many see it as grotesque to use them in winter outwear . neutral +This route takes you through Morne Rouge and Ajoupa Bouillon . The route will take you around the entire country . neutral +But--hey , you can 't be ! You couldn 't truly be the lost king of legend ! neutral +i can see now when you 've been there a while though they were talking about random testing it seems like if there 's no reason to suspect you They never test . contradictory +On the one hand , some economists are concerned that low personal saving is undercutting national saving and leaving the United States more dependent on foreign capital inflows to maintain domestic investment . Foreign capital inflows are a great way to balance trade deficits . neutral +This affair must all be unravelled from within . " He tapped his forehead . There is no way this matter can be solved from inside . contradictory +Tradition-bound alums hate the program 's new softness ( more gender equality , less hazing ) , while the administration notes that 1997 's female cadets can do more push-ups than 1962 's male cadets could . Traditional alumni would like to see more hazing in the program . entailment +The hotel would deliver the desired ensemble to you ( along with the indispensable needle-and-thread person and the right shoes ) and would return it after you had checked out . This is a significantly more convenient option than the alternative . neutral +But once you begin to look underneath this initial veneer of a do-nothing-in-the-tropics holiday , it 's like peeling the layers of an onion . There are more layers to an onion than there are of a topical holiday . neutral +Even the small gnats mourn this passing . Even though gnats couldn 't understand what was going on , they definitely felt it . neutral +Also filling team coffers are fancy food courts and merchandise concession areas . The Buffalo Bills ' team coffers are sponsored by many American food courts . neutral +( His nouns in this chapter do begin to grate . ) ( His use of nouns in this chapter is soothing to the soul . ) contradictory +She forbore to cross her legs , set a guard upon her tongue , and steadfastly refused to smoke . She would not say a word , or smoke . entailment +Yet one of the delights of the city is that it is not simply a collection of heartless historic facades . The city is basically just a heartless collection of historic facades . contradictory +Don 't lie to me again . Please , do lie to me . contradictory +You 're about the limit , that 's what you are , growled Whittington , with a sort of unwilling admiration . With regard , Whittington growled " You 're about the limit , that 's what you are " . entailment +well that that that and that 's an interesting point i 've never i you know i 've thought about it i 've asked myself you know this question before i 've never taken the time to do the research to answer my own question but i know that at least during the deliberations of the jury I 've asked myself that question before , but I 've never taken the time to find an answer . entailment +no it 's not even that It certainly is that--there 's no possibility that it could be anything else . contradictory +i think the last i heard was it 's up to about a hundred fifty thousand dollars I heard it was going up even higher . neutral +Oh ! said Tuppence again . Tuppence never said oh . contradictory +The gangsters , the militiamen , the porn actors , the over-the-top football fans--they 're all fascinating , but I don 't think that any of them says very much about most of us . What we like tells a great deal about us . contradictory +( Is it my imagination , though , or have those lips become even more pillowy ? The lips look the same as always to me . contradictory +well actually the little gray tabby wanders out in the back yard occasionally i have an eight foot uh security type fence out in the backyard she just kind of goes out and rolls around on the patio and comes back in No cats wander in my yard , but dogs do . contradictory +The chapter focuses on the resources needed for typical or normally constrained wet FGD , specifically LSFO , retrofit installations . FGDs are a type of turbine used in power plants . neutral +Jon expected that as well , though he hoped for something else . Jon has received an outcome that is totally favorable , and he is very impressed . contradictory +The symbol was the thing , and a model was obviously a symbol . The symbol could not be the thing , neither the model a symbol . contradictory +No , sir , I 'm afraid I didn 't . No , I did not , sir . entailment +and uh so when when they participated in sports or whatever well uh all nearly all the parents went When they participated in sports nearly all of the parents went . entailment +This does a great disservice to the Greek musical tradition , which is rich and varied and goes back hundreds of years . Greek music traditions are very bland and boring . contradictory +well that kind of caught me by surprise it 's kind i think i think that they have changed drastically i mean i think about people like my mother who you know gave up their careers and stayed home to raise kids and um you know played a really subservient role in the family and i just don 't see that anymore at all The change is born of very active calling for it within the community . neutral +and i mean this girl she had like two outfits that she would just wear all the time and everything and she got some kind of money from her government like five hundred dollars so my sister had to take her shopping and She should not have spent the government money on clothes . contradictory +And yet , these sad-faced , cigar-munching Amos and Andy figures--which seem to date from the time when white actors yielded to black in those roles--have a racially ambiguous pathos . Amos and Andy figures have a racially ambiguous pathos . entailment +i uh i i try to work out at at least a couple of times a week and i i think you really have to at least twice a week just to maintain the shape that you 're in I think that working out twice a month is good for maintain good shape . contradictory +With so much news and so little News Quiz , many stories get neglected . Many stories get neglected because there is so little News Quiz . entailment +From 1994 to 1998 , the multi-billionaire gave away only $ 475,642 . The billionaire donated a mere $ 475,642 dollars in four years . entailment +but uh that new stadium 's going to be real nice and i heard that there 's uh that you can bid on that stadium last night on the news i heard they said you could you could bid on the stadium to have it named after you There 's a new stadium that 's being built and it looks really good so far . entailment +Donald Kennedy , a biologist , former president of Stanford University , and once commissioner of the Food and Drug Administration , will take the reins at Science in June . Donald Kennedy was once the president of Stanford University and is also a biologist . entailment +$ 15,000 to hire a consultant to provide a complete , detailed study of establishing the most cost effective link between county facilities and municipal police departments and to establish JNET , an information management system funded by the state of PA and operated by the Pennsylvania Justice Network . JNET meets a need that police departments have been requesting for a while . neutral +Many holiday visitors lose their way , some of them on the eerie Jukai is a perennial favorite with would-be suicides , and every year the local authorities conduct a sweep of the forest to recover the bodies that would otherwise never be discovered . There are a lot of dead bodies in the forest . entailment +i 've i 've never seen a Gene Autry movie hm My parents are real fans of Gene Autry 's work . neutral +They all took the surname Singh , meaning Lion ( all Sikhs are named Singh , but not all Singhs are Sikhs ) , and wore a turban and kept the five K ' kesha ( uncut hair and beard ) , kanga ( comb for their hair ) , kara ( steel bracelet ) , kachha ( soldier 's shorts ) , and kirpan ( dagger ) . Soldier 's shorts and a dagger was not worn by any of them . contradictory +Section 601 ( 3 ) of title 5 , United States Code , provides that the term small business generally has the same meaning as the term ' small business concern ' under section 3 of the Small Business Act . The Small Business Act is considered the most landmark piece of legislation of its kind . neutral +yeah yeah i 've seen more and more companies that have um parental leave not just maternity leave they can grant paternity leave as well as maternity leave Maternity or paternity leave should not offered at companies . contradictory +Each rider trailed four spare mounts roped nose to tail . Every one of them carried extra mounts . entailment +The corrida is not for everyone not even for every Spaniard . Everyone will find that the corrida is for them . contradictory +The telephone rang off . She put the phone down even before he had a chance to respond . neutral +Moreover , effective information technology management is critical to achieving useful , reliable , and continual recording and communication of information . Moreover , effective information technology management is critical to achieving government transparency . neutral +Executive Leading Practices in Capital Decision-Making ( GAO / AIMD-99-32 , December 1998 ) . The best practices in capital decision making . entailment +RESPA generally prohibits compensated referrals in connection with real estate settlements involving federally related mortgage loans . They were able to do as many compensated referrals as they could . contradictory +and whatever we very rarely will eat at a uh a fast-food restaurant i will i 'll eat at one more often because of graduate school and being on the road more We usually do not eat at fast food establishments . entailment +Now in the hands of the Rockefeller Foundation , its famous gardens can be visited by guided tour . Guided tours through its elegant gardens last approximately 1 hour . neutral +Here was a boy growing up in Punjab during the fall of the Raj and the Partition , a boy who had been blinded by meningitis at the age of 3 , roller-skating through the back streets of Lahore as Sikhs slaughtered Hindus and Hindus slaughtered Muslims and civilization was collapsing and then , decades later , having made his way from India to an Arkansas school for the blind to Balliol College , Oxford , to The New Yorker , re-creating the whole thing in Proustian detail and better-than-Proustian prose ... The boy was not limited by his blindness . neutral +Pigs are sociable , loving , and a hell of a lot brighter than Dalmatians . Pigs are the smartest animals . neutral +Pigs are sociable , loving , and a hell of a lot brighter than Dalmatians . Pigs are the smartest animals . neutral +The memory of the man whose heart and body you literally stole ? I asked myself , sardonically . I stole the heart and body of a man entailment +yeah i uh i just you know it 's it 's you know weapons weapons obviously do not kill it 's the people that operate them and Weapons are not responsible for the death of people . entailment +between here and west Texas there was probably three and four hours at sixty five miles an hour Between here and west Texas is so far , you cannot make the drive in one day . contradictory +There are traditional cowboys and tough guys on the list , but the former ( as in Stagecoach , 1939 , and The Searchers , 1956 ) is limited mostly to John Wayne , and the latter ( as in The Maltese Falcon , 1941 ) to Humphrey Bogart ; and you get the sense these films were chosen more out of nostalgia for their stars than for their dramatic power . It 's clear the films were only chosen because of their dramatic power and strength . contradictory +In fact , the volume of cost data amounts to tens of thousands of pages . Tens of thousands of pages is the volume of cost data . entailment +But they argue that it 's expensive , harmful to workers and the environment , and unnecessary if safer farming methods are practiced . The practice is unsafe for workers . entailment +The traditional leather sandals ( flat soles with leather straps ) are still sold in the streets of Rethymnon and Chania . The sandals are not very comfortable but look fashionable . neutral +With Andy Kaufman , it seems not so much wrong as beside the point . The point is not that at all . entailment +The truth of the matter was that it was Lawrence who had murdered Alfred Inglethorp with a croquet 114 mallet . Lawrence owned the croquet mallet used to murder Alfred Inglethorp . neutral +The quality of delivery service is also higher in France where all delivery is to a building . France has a high quality of service . entailment +That 's Tuppence 's ! It has always belonged to Tuppence . neutral +Pinochet not be extradited to Spain . Pinochet will not be convicted in Spain . neutral +i wasn 't really want i didn 't want to be a lawyer anyway just wanted the degree I just wanted the degree , I didn 't actually want to be a lawyer . entailment +So much for McCain 's war against cynicism . The battle against bitterness , led by McCain , was an outright success . contradictory +oh yeah oh yeah well i uh i 'm retired from education i worked thirty four years as a teacher and administrator in the Dayton here this the Dayton school system and uh several of my players uh players several of my former students uh played with Minnesota Vikings and then with the Cleveland Browns I retired as a teacher and administrator . entailment +It is constructed on a monumental scale , with a 213-m ( 700-ft ) facade of Wicklow granite , Doric arcades , and wonderful ornamentation , all set against a terraced landscape . It is plain and boring . contradictory +In summer , open-air movies are screened in Meeting House Square in Temple Bar . Movies are played in Meeting House Square a weekly basis throughout the summer months . neutral +Miraculously the cathedral escaped unharmed from the heavy air raids of World War II . The cathedral retained its structural integrity during the heavy air raids of World War II . entailment +The old conventional Sibelius was a vulgar nationalist ( a la Wagner ) and a windy Romantic bore . Sibelius ' was not popular before the turn of the century . neutral +wide variation between the quintiles . quintiles are diverse neutral +Adrin with his long stick and short stick , San 'doro with two short sticks held in a reverse grip . The sticks they were holding had magical powers . neutral +Happened once before , without this mess-up of the signs . It never happened before , without this mess-up of the signs . contradictory +yeah but they put some kind of Yes but they put something on it . entailment +You couldn 't call it a suspicion , I murmured . You couldn 't name it a suspicion of murder , I murmured under my breath . neutral +Re David Plotz 's Nov. 12 article Sin City 1 , Puritans 0 : I am 253 pounds of big-eating ex-football player . David Plotz is a big eating ex-football player that weighs 253 pounds . entailment +Perhaps the best view of Los Angeles can be seen on clear days and nights from the Griffith Observatory on Mount Hollywood , a location also featured in the James Dean classic Rebel Without a Cause . The observatory was named after James Griffith III . neutral +In other societies , at other times , the market is the key , not the enemy , of liberty . At times , in other societies , the market is essential to liberty , not detrimental to liberty . entailment +As the 18th century began , the British colony of Jamaica was putting the disaster at Port Royal behind it . The British still remember Port Royal . neutral +my fiancee takes probably six Sunday papers He takes both San Antonio papers an Austin paper both Houston papers i guess he takes seven the San Marcos paper and the New Braunsfel paper but he 's a football coach at Southwest Texas State University so he 's getting all the sports sections My fiancee who is a football coach at the Southwest Texas State University who has about several papers so he can have the sports sections . entailment +The house has been fully restored and offers an excellent example of fine Cairene architecture . The house was restored . entailment +Scattered across the land are hundreds of dovecotes , which were introduced throughout the Aegean by the Venetians , who enjoyed pigeon as a part of their diet . The Venetians enjoyed many kinds of meat , but pigeons were their favourite . neutral +I 'm much obliged to you , Hall . He despised Hall for leaving him high and dry during his time of need . contradictory +Thus , the diversion of bill-paying by mail to other methods of bill-paying is having more impact on single-piece than presort First-Class Mail . Bill-paying by mail is the most common way to pay bills . neutral +A paradise for ramblers , the Lake District has a wealth of choices for any level of ability . Ramblers often like to take in as much of the Lake District as they can in one day . neutral +It 's a pleasant one-hour drive from Paris and there are regular train departures from the Gare de Montparnasse . There is no train between Paris and the Gare de Montparnasse . contradictory +you 're just a common thief , reminding us of the violence he brought to his neighborhood . he is not just a common theif . contradictory +There was a pause , and then Dr. Bauerstein drew two keys from his pocket , and handed them to John . The two keys Dr Baurstein handed John were to his office . neutral +A great Bhairav urn and a comical terra-cotta Ganesh are noteworthy . There were no noteworthy belongings as such which were found . contradictory +uh fellow i mean he 's playing a military part he 's the husband of the girl on Designing Women He was the man that married the guy on Designing Men . contradictory +The reconstructed Kumamoto Castle is worth a visit for the significant role it played during the last hectic days of Japan 's feudal era . Kumamoto Castle played a principle role during the final days of Japan 's feudal era . entailment +Performances of musical works are regularly held in Cochin 's neighboring town of Ernakulam . You can watch concerts in Cochin . neutral +yeah well we have uh have department store cards for nearly all the department stores i guess uh There are cards available , but only some places accept them neutral +You can attack the privatization argument on two main fronts . The privatization argument is not very strong , that 's why you can attack it . neutral +Rhonda Lipkin provided a demonstration of www.peoples-law.org and www.Mdjustice.org , which is designed to be a virtual library . The virtual libraries at www.peoples-law.org and www.Mdjustice.org are considered to be among the best on the internet . neutral +( Click for a Slate Dialogue on population trends . ) The Slate Dialogue only focuses on American population . neutral +In spring the countryside is covered with the pink and white of almond blossoms , but the road is for all seasons , with groves of gnarled olive trees alongside it , their leaves blowing silver in the evening light . Along the road lie only thick stone walls and dried mud , not a single instance of flora to be found . contradictory +i know so and and now they 've lost the desire most of them don 't even try to get you know to go out i just have two that drive me crazy that i let out in the back you know but i won 't let them get if they start going in the front and stuff i bring the m in They are out so often they are never bored . contradictory +The Greeks dubbed it Ebysos , the Romans called it Ebusus , and the Moors , Yebisah . In Greek , Eloyis ; In Roman , Eboysos ; In Moors , Jesus . contradictory +Unfortunately , there is nobody here to hand you a cooling drink at the end of your exploration and the difficult journey from the main road to the lighthouse makes it thirsty work indeed . Someone will hand you a drink when you complete the trek . contradictory +At the same time it would teach today 's youth about the real-life value of the Second Amendment . Youth shouldn 't learn any of the amendments . contradictory +uh i thought it a good idea too though would be to extend this and make people that are accepting public welfare have to do something along this line before they got any money Other people will like the idea . neutral +Purchasing I ordered the Tush-Cush from the Harmony catalog for $ 40 , plus $ 6 . I made $ 46 in purchases . entailment +What I need to know is where they are . They have gone away from here . neutral +'Strange ? ' Quite out of the ordinary , but nothing too suspicious , is it ? neutral +This paper focuses on changes the United States Postal Service would make if it had the freedom to position itself to withstand competition in all of its markets . The paper has no recommendations for USPS . contradictory +Tommy 's heart beat faster , but his casual pleasantness did not waver . Tommy tries to remain positive on the outside even if he 's feeling the opposite internally . entailment +Once , its immigrants were from the surrounding regions of Spain ; today , its newcomers are from across Europe and beyond , bringing with them new languages and customs . It is changing due to the new customs and languages . neutral +All eyes wide ... it only took a second for me to realise why . I quickly saw when people had their eyes wide open . neutral +The evidence favors a far simpler proposition . A far simpler proposition is favored by the evidence . entailment +On the sides of the tomb bearing the recumbent statue of the duke are carved 41 mar ? ­ vel ? ­ ously expressive figures of mourners cloaked in monastic capes , variously praying , meditating , and lamenting . Dukes hired artists to carve their tombs in order to impress after his death . neutral +so but i know many people who have changed majors several times in uh college uh in fact very few people finish in four years now There are a lot of people who switch majors quite a few times while in college . entailment +You 'll see what I mean . " The throb of the motor came through the open window , and Miss Howard rose and moved to the door . The engine could not be heard because the window was closed . contradictory +Among these include the slow start of the 107th Congress due to the power sharing arrangements in the Senate , closer margins and committee leadership changes in the House , and delay in filling many Bush Administration policy positions . The Congress shares veto powers with the Senate . neutral +But they exaggerate the propaganda power of Time Warner media . Time Warner has little control over the news narrative . neutral +So out of 78 confirmed hypotheses , it seems that approximately zero are true . It comes as no surprise that the hypotheses are false . neutral +West of here is the Via della Vigna Nuova , where the spill-over of Tornabuoni 's most exclusive stores continues . It is the most visited place by tourists in the region . neutral +Early in the construction phase a formal construction management plan is developed describing the intended sequence and method of construction activity as well as the relationships , responsibilities , and authorities of all involved parties ( owner , user , A / E , construction contractor , specialty contractors , and relevant consultants ) . Early in the construction phase a formal construction management plan has been developed . entailment +Like the Taliban leadership , most southerners are ethnic Pashtun Sunni Muslims who , though accounting for the majority of the Afghan population , had not fared well in the civil war . The entire Taliban leadership is made up of ethnic Pashtun Sunni Muslims . neutral +Lincoln had taken the opportunity to backtrack and outflank our men . Lincoln stayed where he was . contradictory +Employees ' overall satisfaction with the organization . 85 % of employees are happy with the organization . neutral +Statistical sampling would only be needed for monitoring the system operations through periodic testing . Monitoring the system operations through periodic testing would not need statistical sampling at all . contradictory +The Congress has been extremely concerned about the government 's ability to prevent intruders from accessing government 's extensive computer and information systems . Congress is worried about how the government can protect their computer systems from Russian hackers . neutral +but uh the guy winds up getting hurt every other game The guy is always hurt . entailment +For pensions , the cost recognized by the employer entity is more than its contribution for employees who are covered by the Civil Service Retirement System and several minor systems ( in a few of which the employer entity does not make any contributions toward the service cost ) . The employer covers contributions for employees ' pensions . entailment +Farther away is Coloane , connected to Taipa by a causeway and a large land reclamation project . Coloane is on the same landmass as Taipa immediately to the south . contradictory +Resources expended in supporting efforts such as community legal education , outreach , state planning and resource development also would not be factored into the program 's cost-per-case . Resources expended in supporting efforts such as community legal education outreach state planning entailment +Today 's Papers has just the campaign slogan for Still Packing Wood . The slogan is funny . neutral +well i watch channel five but that has to be that 's another bias that has to do with the weather reporting i 'm not sure that actually i think channel eight is probably but i know Dave Fox he goes to our church so Dave Fox , who 's on TV , is somebody from my church . entailment +But Annan has formed a strong friendship with Secretary of State Madeleine Albright . Annan and Madeleine Albright have never met and are unaware of each other . contradictory +Sometimes the desire to work out an idea--as in the large-scale panel picture According to What ( 1964 ) , which presents a series of Johns ' customary images in a deliberately decentered composition--produces a flaccid surface . According to What is John 's first series . neutral +The 192 butler threatened him with the police if he intruded again . The 192 butler said he would involve the police if he snuck back in . entailment +Did campaigns orchestrate such donations ? Were such donations put on by campaigns ? entailment +Our work has shown , however , that the top leadership of each federal agency needs to meld These various reforms into a coherent , unified effort . Our work has shown that leadership does not need to change . contradictory +While economists disagree over the magnitude of the private saving offset , studies generally suggest it is less than one-for-one . Economic experts have decided to reassess and have reached a decision that the private saving offset is exactly one-for-one . contradictory +That 's Bradley 's real casting couch . The casting couch belongs to Bradley entailment +Just Another Day at the Among the findings of the NASA investigation into the loss of the $ 125 million Mars Orbiter earlier this year is the There was a widespread perception among the Mars Climate Orbiter team that ' orbiting Mars is routine , ' which caused the team to not pay enough attention to the risks of interplanetary spaceflight ( LAT ) . NASA found the Mars Orbiter . contradictory +Large schools with acres of grounds , playing fields , and recreation areas are interspersed with sumptuous houses set in leafy lanes . All of the schools are around the same size . neutral +This year , TIG made 40 grants that directly touch on pro se . TIG felt that because pro se individuals often struggle in court , a certain of funding was necessary . neutral +Copper and These metals have long been used for practical items such as water carriers , samovars , or cooking pots and they make excellent souvenirs . Copper is the best metal for pots because it 's so strong . neutral +With leadership from you , Mr. Chairman , and your colleagues , congressional committees examined the implications of Y2K on various government operations and in key economic sectors . Mr. Chairman has been the leader for over forty years . neutral +These funds are expected to drop from currently $ 7 . The funds are currently $ 7 entailment +This is because the NOx SIP call itself , and the state implementation plans approved under the NOx SIP call , already include provisions concerning the matters addressed in these general provisions in Part A , such as tracking and transferring of allowances , permitting , monitoring and reporting , and compliance . Provisions in Part A do not include the topics of permitting , monitoring and reporting , or compliance . contradictory +This should meet all contingencies , such as some patron out there getting downright ornery and putting a couple of extra buttonholes in my vest by the six-gun slug method . There are no contingencies in place . contradictory +Responding to the wildfires that burned over 6.5 million acres of public and private land in 2000 , the Congress appropriated an additional $ 240 million in fiscal year 2001 to reduce hazardous fuels in high-risk locations where wildlands and urban areas meet . Congress never appropriated funds to any efforts to reduce wildfires . contradictory +That 's better than if they suspected the truth . That 's good because they suspected the truth . contradictory +As a result , arguments by indigent clients that a welfare statute is unlawful or unconstitutional cannot be expressed in this Government-funded program for petitioning the courts , even though the program was created for litigation involving welfare benefits , and even though the ordinary course of litigation involves the expression of theories and postulates on both , or multiple , sides of an issue . These arguments by the clients are unfounded and should be ignored . neutral +so yeah it 's going to be uh let 's see next year i guess it will be an antique It will be an antique in 500 years , contradictory +The analysis indicates that the rule will apply to 5,129 , rather than 5,130 , general , short-term , acute care hospitals . The extra hospital doesn 't exist . neutral +well the injector nozzle and stuff in you know the big diesel farm tractors you know what are about the size of your thumb and the yeah you can get to them and the ones in in the diesel cars were little tiny things and just almost impossible to do anything with I don 't have any problem working with tractor injector nozzles . neutral +In Japan , New Year 's Day is the big festival , closest in spirit to Christmas in the West , the time when relatives and friends pay visits to each other and to the local shrines . New Year 's Day is Japan 's most celebrated and biggest holiday . neutral +CIO magazine aims to provide actionable insight and decision support for information technology and business executives so that they may use information technology to obtain a competitive advantage . Using insight and decision support will never result in an advantage . contradictory +The second thing I learned is the importance of collaboration among judges , bar associations , private attorneys and civil legal service providers . Everyone who works in law must work together . entailment +Who better to help a candidate extract weighty lessons from his personal history , to teach him to tell voters that their own successes depend on his own ? Who is better to help a candidate learn a lesson ? entailment +and uh i got so tired i i guess i just got so tired of hearing about the Dallas Cowboys and and you know whatever whatever the Cowboys did that day that it just kind of turned me against them I got fed up of hearing about the Cowboys . entailment +Phase of I of the implementation , scheduled for 1998-2000 , is largely complete . There is not much else to be done for the phase 1 implementation . entailment +The organizational positions of the central groups varied . All of the groups employed the same organizational positions . contradictory +He said , " I will be truthful with you . He denied that he would be dishonest . entailment +( Please note , his wife has forgiven all but the handbag ) . The handbag was the only thing that was forgiven . contradictory +Two tons of metal are not enough to defend your children , however . They are concerned about the welfare of the children . neutral +With its wonderful light and space , it makes a tremendous exhibition area . It has a lot of space and great lighting . entailment +The field guide uses a variety of delivery mechanisms including satellite broadcasts , video teleconferencing and centralized and localized classroom instruction . The field guide uses satellite broadcasts . entailment +The staff are friendly and there is a swimming pool . The staff is very rude . contradictory +The strange permeating influence of the unseen chief held it together . The chief was able to restore peace for many years . neutral +As Devine has no living relations , it makes sense for the impoverished old men to cook up a scheme by which Michael will assume the dead fisherman 's identity , and the pair will divide the money between themselves . The old men come up with the scheme to delay upsetting Devine 's family . contradictory +oh well you 're you 're almost a Texan i 've been here thirty two years You sound and act like a Texan . neutral +Spanish brandy has a less delicate taste than French Cognac , and you may find it too heavy or sweet for your liking . Spanish brandy and French Cognac are actually the exact same drink . contradictory +And younger generations are vastly more tolerant than their elders , suggesting these numbers will climb . Old people are much more tolerant that the younger generations . contradictory +It is a onetime charge , and Kanter 's--and most other stores--let you keep the plates . It will not charge you again , plus you can take the plates home . entailment +The 30-m- ( 100-ft- ) high Campanile , built in 1853 by Sir Charles Lanyon , houses the university 's bells . The Campanile was built specifically to house the university 's bells . neutral +In the Queen 's bedroom , 19 royal children were born , the births often attended by members of the public , as was the custom . Nearly 20 children were born there , and sometimes the public watched . neutral +That was the spasm of sex and the drunkenness of drink . That was the spasm of sudden pain and the effects of cocaine . contradictory +You may not believe that such intervention will work in practice , but that 's a judgment about the rules of politics , not economics . Your judgment is about politics , not about economics . entailment +an interesting concept of of how they do that but i agree with you i think that i think that 's part of what uh baseball needs more of i uh i i guess what bothers me is is that when you go um you wait and wait and wait and finally a guy gets up there and blast a home run and that 's all the game is i 'd rather see the ball hit around and have the people I have never been to a baseball game before today . contradictory +Others blame the GOP 's scandal ads for stirring up Democratic voters . Some think that the controversial ads have only increased turnout . entailment +Just 20 years ago , young blacks and young whites smoked in equal percentages . There were equal amounts of young blacks and young whites that smoked as recently as 20 years ago . entailment +The New York Stock Exchange is moving to adopt certain changes in its listing requirements relating to governance matters The New York Stock Exchange is not moving to adopt certain changes contradictory +Kael called Mean Streets a triumph of personal film-making , and even though it may be the single most imitated movie of the past 30 years--cf The Pope of Greenwich Village , State of Grace , Federal Hill , Boyz N the Hood , etc.--it has lost remarkably little of its freshness and power . Mean Steets was a terrible film that no one liked . contradictory +Pistols rang out and the two riders fell dead from their horses . The riders fell to the ground . entailment +Krakew was better positioned for trade and also less vulnerable to attacks from the Czechs and Germans . Krakew benefited from peaceful trading with the Germans . contradictory +I realized the significance of this . I never understood why this mattered . contradictory +for the N C State uh Wolf Pack For the SC county giraffe squad . contradictory +France is a large country of infinite variety , so a great many factors come into play as you decide which parts to visit . It 's hard to find the right places to visit in France . neutral +I think it 's fair to say we 'll be heavily discounted . They will not be discounted . contradictory +it 's a it 's a tough question it really is i guess if i had to say you know yes or no i would say you know yes i i would have to lean toward capital punishment you know for certain crimes Death penalty should be the punishment for murderers and rapists . neutral +Las Vegas , while lacking a major sports franchise , is home to a triple-A baseball team and a minor-league hockey squad . There is a minor league hockey team in Las Vegas . entailment +Overall , I think the change will be good , said Richard Loza , a San Antonio attorney and the local coordinator for the bargaining unit of the National Organization of Legal Services Workers . The changes will help the legal service workers perform better . neutral +Egyptians revered the strong and patient creatures and Kom Ombo is dedicated to Sobek , the crocodile god . Sobek was not the god of Egyptian Vampires , that was Sosuck . neutral +Another began to rise , and another . Each one of them did not choose to rise up . contradictory +That night , I slept to the soothing rattle of the metro-tracks outside . I could not sleep at all with the noise from the metro tracks . contradictory +In addition , cognizant agency officials from BLM , FHWA , and VBA generally agreed with a draft of this report . Officials from three agencies agreed with the report . entailment +By his abrupt switch to the side of relatively radical reform , the senator has opened up a gap in the middle of the debate . The senator maintained his position staunchly throughout the entire debate . contradictory +The intensity of the expression she had surprised had impressed her powerfully . She had intense expressions . entailment +What is unique about subsection ( a ) ( 16 ) - the only thing it achieves- is its limit on litigation . The subsection ( a ) ( 16 ) that limits litigation is the only subsection to do so . neutral +A century ago , Northern progressives such as The Nation ' s E.L. 100 years ago , the Northern Progressives such as The Nation 's E.L. entailment +( The 21 heads discovered in 1977 are now displayed in the Mus ? ? e de Cluny ; . ) 21 heads on display were found in 1977 . entailment +She was a noble 's daughter and the horrid man I left in the street was her betrothed . The noble 's daughter 's fiance deserved to be left in the street . neutral +Even then , you 'll always be able to find peace and quiet on one of the tiny , seaweed-draped coves beyond the main sandy bay . The coves of the main sandy bay is draped by seaweed . entailment +Cells in mature animal tissues are not , as we had thought , irreversibly differentiated . We were wrong about mature animal tissue cells for decades . neutral +Its costs included $ 15,600 in broker commissions and a $ 9,234 prepayment penalty to terminate the New Century loan . The high fee is made to prevent people terminating loans . neutral +Despite good quality local wines , the Turks are not great wine drinkers . The delicious wine hasn 't made the Turks fall in love with it . neutral +I must confess , Mr. Beresford , that it was something of a surprise to me to see you here this evening . I am surprised you were here . entailment +As explained in section 1 , higher rates of return may or may not encourage people to save more . lower rates of return may or may not encourage people to save more . neutral +There are several entrances to the park ; you can pick up a free map at the visitors ' center near the eastern entrance , off the Golden State Freeway ( Highway 5 ) . The park has been permanently closed . contradictory +St. Anne 's Church on Dawson Street has lunchtime concerts and the Bank of Ireland Arts Centre in Foster Place off College Green has both a lunchtime and evening concert series . The Bank of Ireland Arts Centre have musical performances exclusively in the evenings only . contradictory +they 're they 're always looking for a lot of uh good computer people because there 's a lot of equipment out there and no one knows how to run it Computer specialists are in high demand right now . neutral +Improved Air Reducing air pollution will bring clean air to tens of millions of people , saving them from smog ( ground-level ozone ) and fine particulate matter ( dust ) that cause respiratory and cardiovascular distress . air pollution is the cause of thousands of deaths every year . neutral +Individual copies of SLATE on Paper will be available exclusively at Starbucks . SLATE will be available at Starbucks . entailment +So great is the pressure on the available land that most of Hong Kong 's colonial architectural heritage has been demolished and replaced by new skyscrapers . The colonial architecture of Hong Kong had been demolished . entailment +The Belur temple 's silhouette makes for an unfinished look , but it 's not certain that towers or domes were ever planned . The towers and domes were added long after the Belur Temple . neutral +no there 's not going to be any room shortly Soon there will not be room . entailment +you know whether uh uh we would want to invest in in private schools as they 're growing growing up because you know just in the Dallas area um we 're not real comfortable with the with the public schools The private schools are extremely expensive here . neutral +The spacing of the plants , also , is perfect . The plants were too close together . contradictory +Based on the information obtained , we asked representatives in the states of Illinois , Kentucky , and Texas if they had any activities that they believed were effective in reducing improper payments . We did not ask Texas state representatives about reducing improper payments . contradictory +A man like myself is bound to attract notice . People like me a very visible . entailment +Wait Until Dark ( Brooks Atkinson Theatre ) . Wait Until Dark is playing at the Brooks Atkinson . entailment +In addition , some employees who now travel on free tickets obtained with frequent flyer miles might no longer be able to travel when funds for air travel were not available or were in short supply . If air travel funds are short some employees may not receive free tickets . entailment +right and in fact i think it 'd be harmful if my if you know if my daughter or my any of my kids saw it so that has to be brought into the picture too you know you just can 't blatantly say let 's let 's show it and and the the right people will see it and it 'll deter them from committing a crime all lot of the wrong people are going to see it too and uh I don 't want any of my children to watch that . entailment +Near the coast at the northern end of the Crocker Range is Mount Kinabalu , at 4,100 m ( 13,450 ft ) the highest peak in Southeast Asia and a favorite with climbers , both professional and amateur . Professional climbers often climb Mount Kinabalu multiple times because they like it so much . neutral +yes and that 's to me there 's something wrong there you know That 's not the right thing to do . neutral +There are nonetheless a number of practices and alternative strategies that senior executives in leading organizations use to help define and institute their CIO positions to effectively meet business needs . There are however practices and strategies that can help CIO positions to meet business needs , according to the newspaper . neutral +Concepts for Reconciling Budgetary and Financial Accounting 9 / 30 / 97 8 -Supplementary Stewardship Reporting 9 / 30 / 97 Concepts for Reconciling Budgetary and Financial Accounting was considered a seminal work by the profession . neutral +The authorities must take the challenge of crop substitution seriously , it said . Crop substitution isn 't needed . contradictory +The merchant looked at them and shook his head once again . The merchant told the men no . neutral +I paid good money ! I was supposed to get this for free ! contradictory +Lee has already been serving as acting assistant attorney general for 14 months . Lee was working as supreme court judge . contradictory +OIRA suggested no changes in the rule but OIRA had EPA supply more elaboration in the preamble to the final rule concerning the deposit control test standards and the retention of a 5 percent flow loss performance standard rather than the industry supported 10 percent flow loss . The EPA supplied additional information in the preface to provide a rationale for the retention of a 5 percent flow loss performance standard . entailment +The town 's great claim to fame is the wedding of Louis XIV to the Spanish Infanta Maria Theresa in 1660 ; the houses that lodged them , Maison de Louis XIV and Maison de l 'Infante , still stand by the port . The wedding of Louis XIV and Maria Theresa was a very elaborate affair . neutral +Queens and royal children were buried in a valley separate from their fathers and husbands . The royal familys ' graves were not congregated in one place . entailment +Tuppence always said that she was looking out for " He stopped abruptly , his face crimsoning , but Julius was in no way discomposed . Julius wasn 't listening . neutral +Of course you don 't know all that . " You know everything of course . contradictory +However , ambivalent attitudes were revealed concerning alcoholics and alcoholism . Supportive attitudes were evidenced towards those struggling with alcohol . contradictory +These principles are important elements of a democracy . Democracy has four important elements . neutral +yeah well it 's getting easier to understand though you know plus my husband he was in the Navy for ten years so he uh when it comes to the military he kind of knows what he 's talking about My spouse is a simple farmer who never has been enlisted in the army or navy . contradictory +You see , you 'd got it all fixed . It had all been fixed . entailment +The last echo of my old life , blown away . No part of my life was blown away . contradictory +i mean one day it was like sixty below zero One day it was 100 degrees man ! contradictory +The main difference between these congressional Republicans and Pat Buchanan is that none of them have been thoughtful enough to apply their beliefs to World War II , or politically foolish enough to mention it if they have . The main similarity between congressional Republicans and Pat Buchanan was their ability to apply their beliefs to WWII . contradictory +But since I must have horses , Senor Shannon , I will look at horses . Since I need horses to work , Senor Shannon , I will look at them . neutral +This week , Novak reveals his research to announce that of the 18 Starr deputy and associate counsels , nine are on loan from the Justice Department , four are former DOJ lawyers , and five have no DOJ affiliation . Novak said they had borrowed nine counsels from the Justice Department . entailment +We might as well go . He called the waitress and asked for his bill . I wanna stay for as long as possible . contradictory +Pack of fools . Multiple fools . entailment +The islands ' barren landscapes and stark white , cubical houses with their blue-shuttered windows bedecked with geraniums represent the Greek islands to many . The islands ' landscapes have lots of trees in them contradictory +Since they have let you in and have not kicked you out , it appears that you have not violated any of those rules . You have not broken any rules since you are still here . entailment +How do you know all this , asked the startled teacher . The startled person was not a teacher . contradictory +State planning in Minnesota goes back to 1980 , when the six LSC-funded programs in the state received a special planning grant to identify areas for coordination and cooperation . In 1970 there was no State planning in Minnesota . entailment +that 's yeah that 's incredible i mean we just we 're like well we 're not going out for a while you know my folks live close you know fairly close here so it 's like well we if we 're going out to dinner we can drop the kid off at my folks and my parents live far away , so they don 't watch our kid much contradictory +Two of my friends have begun taking anti-depressants . All of my friends are on some kind of drug . contradictory +and a lot of stress too And a huge amount of stress as well . entailment +Begun at the height of Napoleon III 's Second Empire , it was completed only in 1875 , after the Commune . It began in the height of Napoleon 's Second Empire . neutral +But attacking the problem requires a strategy appropriate to the organization involved and its particular risks , including a consideration of the legal requirements surrounding security and privacy issues . Attacking strategies always depend on the organization involved . neutral +The first conference was held on March 31 , 2001 in conjunction with the 2001 Equal Justice Conference , and others are planned later in 2001 . The Equal Justice Conference happened in 1990 , and others are planned later in 1990 . contradictory +The leopard-cat is not a lot bigger than a domestic cat and may nip in and out of villages . This is because leopard-cats are actually domestic cats in disguise . neutral +In an emergency department ( ED ) study of injured crash victims who had been drinking , Cherpitel found that more than one-third linked their drinking to being injured and thus were deemed good candidates for brief intervention . Cherpitel found that more than one-third linked their drinking to being injured . entailment +In last week 's episode , Apu , the Indian convenience store owner , goes down to the docks to donate porno magazines to sailors . The preview shows that in the next episode , Apu will make a donation to the sailors . contradictory +In a survey sponsored by the West Virginia Chapter of the American College of Emergency Physicians , a minority of emergency physicians reported routine screening and counseling of ED patients . The West Virginia Chapter of the American College of Emergency Physicians reported screening ED patients . entailment +Marcel Proust spent many summers at its splendid Grand H ? ? tel , where he wrote part of his A la Recherche du Temps Perdu . Marcel Proust is the author of A la Recherche du Temps Perdu . entailment +No test , whether it takes the form of the SAT or a pop quiz on foreign affairs , is conclusive proof of a person 's potential . No test shows what one person is really capable of because they get so nervous . neutral +In 1988 , the total cost for the Postal Service was about $ 36 . Stamps were .10 in 1981 . neutral +setting , where there is the question of training and the link between the screening instruments and the intervention , becomes problematic . It causes issues when you question the link between intervention and screening instruments . entailment +For the first time Tuppence felt afraid . Tuppence was scared for the first time . entailment +but yeah it it 's not bad uh i i was i was in Abilene for ten years i worked in Abilene for ten years so I worked hard when I was in Abilene , Texas . neutral +yes it 's enjoyable talking with seeing that somebody feels the same way so well you you too good luck bye-bye I 've had a really good time talking with you because we think the same things , see you later entailment +Promising relationships are singled out and those that seem uninteresting are set aside . There is a search for promising relationships . entailment +Kirby stopped you , but next time that could lead to real trouble . " Without Kirby he could have gotten in real trouble . entailment +of uh of casual speech uh in an attempt to get some kin d of a model of what speech is like Casual speech can help in obtaining a model of what speech is like . entailment +Humans have the most annoying tendency to ascribe cutesy attributes to wild creatures . Humans tend to ascribe pleasant attributes to wild creatures . entailment +they 're yours wrapped up in their c arpet His popcorn had become stuck into the carpet . neutral +Biblical references are not precise , but they do indicate that David 's burial place was inside the walls of the Cityof David , which most archaeologists believe did not extend this far up Mount Zion . All references in Bible are highly accurate , which is why the scientific community put it in high regard . contradictory +Visitors are allowed into the ancient and mysterious church only during afternoon services . Only during the afternoons are guests permitted to enter the church . entailment +We have seen no one , said the German sharply . The German missed seeing someone out of the corner of his eye . neutral +Land-based Activities These activities are based on land . entailment +Lavery considers herself among the fortunate few whose cases are accepted by Legal Aid , one of the only places in the Capital Region that provides free legal services for civil matters such as custody battles , landlord-tenant disputes or public assistance appeals . Lavery considers herself among the unfortunate few whose cases are denied by Legal Aid . contradictory +Well , that settles it . Well , it is resolved now . entailment +As Greek colonial power grew weak from Athens-Sparta rivalry back home and pressure from Phoenicians in Sicily , the vacuum was filled by an uppity confederation of Latin and Sabine tribes living on seven hills known collectively as Rome . Athens-Sparta were powerful allies that saw everything eye to eye , and the Phoenicians did everything they could to help Sicily . contradictory +i try to make that our biggest use of credit cards i know people who are so in debt people who have five Visa cards i can 't believe you know it 's like why did you go get they charged up one so then they but they were still paying their minimum so their credit rating was still good My sister is in a lot of credit card debt but I know she keeps her credit rating good by always paying her minimum . neutral +The Egyptians asked for international help to fund the projects , and UNESCO stepped in to provide money and expertise . The denizens of Egypt called for international aid for their projects , and UNESCO responded with funds and expertise . entailment +Microsoft and Justice can choose to listen to his advice or disregard it . Microsoft and Justice should always take his advice no matter what . contradictory +Soon , people noticed a tourist with a backpack , wandering around the park and repeating over and over an assortment of five-letter words . The tourist carried a bag . entailment +Building on an already secure national consensus on women 's rights , the dialogue draws on basic , inarguable values while the visuals emphasize the sheer normalcy of it the ubiquitous setting , the ubiquitous employee , the ubiquitous iniquity . The dialogue boldly states that women 's rights are evil . contradictory +I wish we could get hold of Tuppence . Tuppence is asleep for the night . neutral +First , is it a mandate [ d ] savings program ? Is it a mandated attempt to overthrow the regime . contradictory +Board of Education , Johnson seems to agree that it was an unprincipled decision that turned out to be a prelude to a major step backward in American race relations . Johnson says the American race relations are being damaged . entailment +Every time I saw an Istanbul girl with a silk scarf pinching her head and reducing her face , I would think , heavens , take it off , let me show you how to wear it becomingly with your nice suit--and then I would remember that , above the shoulders , unattractiveness is the whole point . I never thought about telling the girls to take their scarves off . contradictory +The institutions and individuals he supports--call them Milliken Men--have helped legitimize a point of view that still commands virtually no support among professional economists , and which was regarded , even a decade ago , as politically beyond the pale . Mainstream theories of economics change all the time . neutral +It was having to ask any kind of favor from this man . It was having to ask a kindness from this man . entailment +Who gives ? Whom gives ? neutral +I want to ask your advice . Can I talk to you about a problem ? neutral +If you want to look like a propaganda organ of Microsoft , about the best thing you could do would be to publish an article about a very hotly contested industry issue , take Microsoft 's side , and support your point with misinformation and untruths . If you write an article about a controversial issue , you will definitely look like a propaganda for Microsoft . entailment +Corrosion and abrasion resistant materials are increasingly being applied with success in modern FGD systems to improve reliability and long-term performance . Systems with additional resistant materials last significantly longer than those without . neutral +In selecting organizations to include in our study , we relied primarily on recommendations from the Computer Security Institute and public accounting firms because they were in a position to evaluate and compare information security programs at numerous organizations . We relied on legal firms to help us find the organizations we were looking for . contradictory +yeah uh well i think one of the reasons uh only fifty percent or so vote in the national is uh well for one thing just just uh having to get to the polls More than 90 % of registered voters showed up at the polls . contradictory +Occasionally , they 'd make an attempt to charge us . They would try to charge us from time to time . entailment +but uh in my spare time someday i i hope to do something more with it i have a lot a ideas but putting them into work is another story I have lots of ideas but don 't have that much time . entailment +I peered outside , squinting in the sunlight . I needed my sunglasses to look into the sun . neutral +How are the mighty fallen ! The mighty rise up victorious again ! contradictory +Guess them army boys millin ' around back an ' forth across th ' territory do some good , after all . After all , it seems that army boys didn 't do any good . contradictory +So these three weren 't in the same league with Mother Teresa . They are just like Mother Teresa . contradictory +Men should learn to replace media-manufactured masculine ideals that emphasize appearance and dominance with ungendered ideals of social responsibility and liberty . The media manufactures the idea that men must be muscular and brave . neutral +A mean boss named Biff routinely yelled hurtful things at me when I wrote indulgent , fat code , because his bosses wanted programs to load and work quickly . The boss was mean and verbally abusive to me . entailment +The analysis discusses the changes made to the proposed rule as a result of the comments , including ( 1 ) extending the safe harbor to any Item 305 disclosure that is voluntarily provided by a small business issuer and ( 2 ) several changes that the Commission believes should reduce the cost for all registrants preparing the disclosures of quantitative information about market risk . The comments received were the only reason the proposed rule would be changed . neutral +um maybe younger people are different i 'm not sure Perhaps the younger generation has different tastes . neutral +hum United States right That 's right , United States did it . neutral +oh yes she likes yeah she likes to she likes to type too it 's even fun when i 'm on CompuServe and i keep getting all these odd key strokes up there My cat likes to type , it is funny to see the keystrokes on CompuServe . entailment +Her conversation , I soon found , was couched in the telegraphic style . She was not one to have a style of conversation . contradictory +Springing to her feet , she cried out angrily : " What do you mean ? She sat down happily and said she knew just what he meant . contradictory +Large families lived in high tenements , sharing a well with hundreds of other families . Up to 20 families share a well . neutral +i don 't know what the answer is though to to try to fix that problem I know exactly what 's wrong and how to mend it . contradictory +and that 's for an hour each time you go well that 's that 's good It doesn 't last an hour . contradictory +But this seems unlikely to be effective . This seems very likely that it will have an effect . contradictory +" So far he 's been doin ' it though . " Drew frowned . He has been doing it thus far and that made Drew unhappy . entailment +Rather ostentatiously , I stepped forward , crackling some dead branches with my feet as I did so . I stepped forward , cracking dead branches under my feet just to make as much noise as possible . neutral +yeah there 's um there 's a place i live just outside of Baltimore in a town called Olicott City and uh there 's a seafood place here called the Crab Shanty that 's really good it 's like rated higher than like the the seafood restaurants down in the inner harbor in Baltimore you know the the trendy section of Baltimore The Crab Shanty is very good . entailment +Previously , he said , commenters typically waited until the last minute to file comments so that no one could see their views until after the comment period was over . Comments usually poured in at the last minute since commenters didn 't want anyone to see their views . entailment +When 1,397-m ( 4,584-ft ) Mount Pelee began belching smoke and cinders far above Saint-Pierre in late April , which it had done harmlessly before , authorities professed no concern . Mount Pelee was not a very dangerous volcano . neutral +In recent testimony before the Congress , GAO urged that the proposal for establishing DHS should not be considered a substitute for , nor should it supplant , the timely issuance of a national homeland security strategy . This was not the first time that GAO had given testimony before the Congress . neutral +As we agreed with your staff , unless you publicly announce the contents of this report earlier , we plan no further distribution of it until 30 days from the date of this letter . The contents of this report may not be released within 30 days of today . contradictory +And what , exactly , is a program manager ? Exactly what is a Executive Program Manager ? neutral +In May 2000 , the Bureau of National Affairs reported the results of a 1999 survey of about 1,800 companies on their business travel policies . This survey was done in 1999 , but the idea was conceived much earlier . neutral +But where is she ? demanded Julius , his thoughts flying off on another tack . Julius cares about her enough to wonder where she is . entailment +There 's even a small museum on the premises . The premises does not have a museum . contradictory +they do well it was very good it just takes up you know like you say a lot of your garden area It seemed quite poor to me even though it 's very compact . contradictory +Programs should consider reengaging in discrimination-based advocacy if that approach has been abandoned or overlooked in recent years . The programs need to change how they are operated . neutral +right like for example you you know like when they go around the train asking for tickets like short distant trains they won 't ask you if you if you 're wearing your military uniform for a ticket they 'll just skip you Even if you 're military , they still check your ticket . contradictory +Within the temple itself the gods share Hypostyle Halls and an inner sanctum . The gods share Hypostyle Halis and an inner sanctum inside the temple . entailment +If you want to see the area or investigate the caves , do take a guide and go well prepared . Exploring the caves is not so dangerous . contradictory +His vision narrowed as the pressure increased . The pressure from the angry mob increased every second . neutral +" Steady on , fella . Keep going , boy . entailment +And Applebome goes too far when he suggests that an even more reactionary strain of Southern thought--neo-Confederate ideology--has gone mainstream in America . Applebome says racists thoughts are rare . contradictory +For me , every day when I 'm working it 's like a you get up , go see all these people , and do the thing you love most . This person is a social worker . neutral +I too , find a lot of what 's come out of the 1990s derivative . A lot of the media from the 1990 's is derivative . neutral +You can find a sculpture of him in a position of prayer facing the statue of Adinath , in the second row of pillars , second pillar from the left . Additionally , you will find sculptures of others praying to the statue of Adinath . neutral +Book ahead during the high season , as divers come from the world over . Divers come from all over the world so make your plans early . entailment +it 's like if you drew a line from Austin straight down it would be in that region If you drew a circle around Austin , that would be the reason . contradictory +Its stately European-style buildings have since been restored , largely for use as government offices and foreign legations . The buildings were not restored . contradictory +But you can live with them . You can live with those people . entailment +For all his accomplishments , Herod was nevertheless hated by his subjects ; he taxed , he tortured , and he ordered the massacre of male Jewish infants in an attempt to do away with the heralded Messiah . Herod was , at one point , regarded as a kind and gentle leader . neutral +yeah oh that 's outstanding That 's great to hear ! entailment +She treats everyone , from victims to defendants to attorneys , with the highest respect , Wong said . Wong said that she didn 't show the slightest bit of respect for anyone but herself . contradictory +um well i think that uh as a whole that the being that the drug problem the drug industry can uh bring so much money to a country i think that if it wasn 't for the United States Government matching that the government the drug uh cartels or whatever would control most the Central and Latin America I think that the United States is only thing keeping drug cartels from running much of Central and Latin America . entailment +uh-huh i i tend to get stuck in in and i find a place that i like and i stay there um i some of the things i like are atmosphere um I 'm always moving around and I can never wait to move . contradictory +What do you want ? said Jon . What time is the meeting tomorrow ? said John . contradictory +that you can send a kid to school but if don 't work with them as a parent i think you 're putting your child at a big disadvantage Working with your kid as a parent will improve the child 's grade . neutral +It might have had something to do with Chiquita giving $ 677,000 to the Republican Party in the last campaign cycle or the generous offer by its CEO , Carl Lindner , to let Dole use the company jet . I convinced Chiquita to give money to the Republican Party . neutral +yeah like yeah and then they turned around and called them junkyards and started making profits off them after the war Besides junkyards , they also started profiting from war movies after the war . neutral +Please stay on the line . Stay on the line , please . entailment +Others observe that even remakes with good intentions cannot overcome the blandness of the original , whose score is said to be vastly inferior to the Disney film version 's . The Disney music was terrible . contradictory +You can travel by elephant up through the Suraj Pol ( Sun Gate ) to the Jaleb Chauk , a garden courtyard swarming with langur monkeys and surrounded by elephant stables . The sun gate isn 't accessible and you can 't go there . contradictory +and see what 's going on and all those things even if friends call and comment on what is going on in town that evening . neutral +Opting , as a dubious second best , for eight years of British occupation in 1794 , the island managed to retain slavery and avoid the revolutionary terror that Guadeloupe underwent . There were eighty years of British occupation in 1794 . contradictory +Thus , whereas AICPA standards cite two main purposes of audit documentation--providing the principal support for the audit report and aiding auditors in performing and supervising the audit--audit documentation serves an additional purpose in audits performed in accordance with GAGAS . Back in the 1980s , AICPA standards and GAGAS were virtually identical . neutral +and the Cardinals were kind of like the Cowboys in fact they were doing better than the Cowboys and the Cowboy Cowboys came on strong at the end of the season and the Cardinals got killed by the Cowboys so The Cardinals ended up demolishing the Cowboys . contradictory +Perhaps he doesn 't think us worth bothering about , suggested the young man simply . Maybe we aren 't worth the trouble ? entailment +At the same time , Sufi mystics synthesized Islamic teaching with local Malay traditions of animistic magic and charisma , though Islam did not become the state religion until Muzaffar Shah became sultan of Melaka ( 1446 1459 ) . Islam did not become the state religion until the late 2000s . contradictory +No , hear me ! " He lifted his hand in a brief gesture and Hanson felt a thickness over his lips that made speech impossible . He made no gestures . contradictory +Inside there was a single-chair barber shop , with a barber who might also have come from some movie-casting office . The barber rarely got many customers , so he only needed a single chair . neutral +With the 1919 Treaty of Versailles , France recovered Alsace and Lorraine ; but 1,350,000 men had been lost in the four years of fighting . France did not gain any new territory . contradictory +The Government Performance and Results Act ( GPRA ) is the primary legislative framework through which agencies will be required to set strategic goals , measure performance , and report on the degree to which goals were met . The primary legislative framework is the GPRA . entailment +Watched the embers for a while . Looked at the dying fire . entailment +And following the market gives that intensified enjoyment that all sports gamblers It 's a lot more exciting to watch when you 've got a little money--or the savings of a lifetime--down on the game . Betting on the games , makes watching them more intense . To have a major stake in the outcome . But it can also become an addiction . neutral +Each of these features-if carried out-confers certain benefits in terms of the product . There are benefits to the product in implementing these features . entailment +operating system engaged in symmetric multitasking . Operating systems are amazing at multitasking . neutral +Children like the pets ' cemetery . Children don 't like the cemetery because it 's scary . contradictory +However , many activities are in Hebrew only . Only about 10 attractions are not in Hebrew . neutral +Was Dorcas there , then ? Dorcas and John were both there right ? neutral +To get a sense of the long-term implications of alternative national saving paths , we examined the economic outlook over the next 75 years under two different ( 1 ) gross national saving remains constant at its 2000 share of GDP-18 . Examining economic outlook over 75 years will not give a sense of the long term implications of alternative national saving paths . contradictory +We get a lot of letters saying , ' Thanks for letting us bring Fluffy , ' that sort of thing . We never get letters of thanks or anything like that . contradictory +yeah the subject would die before they had to run all the tests that they need that 's it would be an exhausted test uh how about the the area of role models or roles as it were when you The subject sometimes died before finishing the test . entailment +In the trauma center survey mentioned previously , only 27 % of respondents believed that brief interventions are at least moderately effective . The survey found that only 27 % of respondents thought the interventions were moderately effective but the hospital decided to continue with them . neutral +American expatriates such as Ernest Heming ? ­ way , F. Scott Fitzgerald , Gertrude Stein , John Dos Passos , and Theodore Dreiser also contributed to the free-living mystique . American expatriates didn 't realized that they were contributing to the free-living mystique . neutral +Tommy could make nothing of it . Tommy wasn 't very intelligent . neutral +out and so forth and most of my things are dust collectors uh and i hate to dust so first thing i think of is how easy would this thing be to clean Because I abhor dusting , I get a cleaner in to do it . neutral +Never before has a U.N. court been able to punish the actions of individuals . Both right- and left-wingers worry that the new U.N. tribunals will reprise the flaws of the Nuremberg and Tokyo trials , attempting to make political points and failing to adequately protect the rights of the accused . The U.N. court is seasoned at punishing individuals ' actions . contradictory +They not only defined and communicated a need for improved program operations but , most important , they redefined the organizational culture . Management was pleased with the results of the improvements made to program operations . neutral +does it taste a lot like shrimp does it taste like tuna contradictory +They are going to come and we are going to die . The people will arrive in ten minutes . neutral +Who the hell is Jeffrey Goldberg , anyway ? Who is Jeffrey Goldberg ? entailment +'Forgive me for having a healthy ego , ' I snapped . I was unconcerned of the task in front of me , and my ego agreed . neutral +They needed a favorable death conjunction to bring you back to life ; they got it--by arranging an accident ! " Nema cried out in protest . They obtained a lucky death conjunction by creating an accident . entailment +It also includes flat fees on informally entered goods . It only includes flat fees on informally entered goods . contradictory +Qualitative Methodology . Quality methods . entailment +I understand , I said , " but ” but don 't do anything rash . " I told them to go crazy because I was confused . contradictory +she has twelve children she looks gorgeous no she 's gorgeous a nd she just liked having kids and she 's thin and i mean all my friends with four or more children are thin i mean i 'm not kidding you She looks very ugly , regardless of how many kids she had . contradictory +On Cultural The Wilson-Brustein Discussion , moderated by Anna Deavere Smith ( Town Hall , New York ) . Anna Deavere Smith did an excellent job as moderator . neutral +Still , Willey 's story has serious problems , quite apart from Steele , as a recent , endless analysis in The Nation makes clear . Willey has never told a story contradictory +PHILADELPHIA-- ( BUSINESS WIRE ) --June 29 , 2002--Philadelphia lawyers have reason to be proud of their collective commitment to make legal services available to the poor and needy in the region but the justice system still remains closed to many and much more needs to be done . A bill has been introduced in the legislature to fund increased access . neutral +The number of individuals seeking relief from the floods across South Texas increased by more than 1,000 Tuesday , bringing the total to 5,855 , he said . Almost 6,000 people were affected by flooding in Texas . entailment +( explains what Greenspan really said . ) This does not explain any of the things that Greenspan really said . contradictory +and it was pretty spooky this It made some people jump , myself included . neutral +Here and throughout the city , the facades of buildings are subject to elaborate three-dimensional decoration , mainly with geometric forms . The facades of the buildings are not decorated . contradictory +The penalties are accounted for as a custodial activity . A penality is listed as a custodial activity . entailment +There are some methodological solutions to this problem . The problem can be solved . entailment +In Ukrainian , for instance , the word bidni refers to an unfortunate , pitiable soul . Bidni , in Ukrainian , means a soul that has ba fortune . entailment +But K 's indignant objection to hairsplitting a decade ago and his indignant sympathy for it now took no account of such nice distinctions . K still objects to hairsplitting to this day . contradictory +'I take it this place is more suited to your antique sensibilities , ' Natalia said dryly . Natalia was very excited about the surroundings . contradictory +Give him time . " Let him have time . entailment +He has asked the General Accounting Office to conduct a probe . The General Accounting Office has been asked to conduct a probe , said the sister 's manager . neutral +Because he has fought many times to keep or take mares , he is a formidable and vicious opponent , one that an imported , tamed stud can rarely best . He is a formidable and vicious opponent . entailment +Most of the construction equipment necessary for the installation of SCR , FGD , and ACI technology is standard construction equipment that is used for most construction activities . Some rare and expensive equipment is mandatory to set in place SCR , FGD , and ACI technology . neutral +Good This Week ' s round table signs off by predicting the outcome of Sunday 's World Cup final . Good this week doesn 't have any idea who will win the world cup contradictory +Physicians have voiced a common concern about alcohol the potential denial of reimbursement for medical services provided to patients if they have a positive blood alcohol or drug screen . Patients may not receive reimbursements if they have a positive drug screening . entailment +yeah well the only thing that might save him is that in the backs of their minds they may think that they don 't want to hurt him permanently Nothing will be able to save him because they are ruthless and do not have something in the back of their minds . contradictory +Romantics go at the dead of night , to be alone with its illumination . Those in love go in the middle of the night to be alone with its illumination . entailment +The final analysis found that , based on the above , the expected total federal savings for the 6 years covering fiscal years 1997-2002 will decline from the predicted $ 2 . The analysis said the government would lose a lot of money . contradictory +He doesn 't just write about teen-age hackers , he tracks a pimply member of the species down to his Bethesda home where a software company is signing him to a contract . He writes about hackers . entailment +Five kilometers ( 3 miles ) directly south of the Iraklion is Knosses , now famed worldwide as the village where Sir Arthur Evans ( then director of the Ashmolean Museum in Oxford ) found proof that the Cretan civilization of myth had been based on reality . Knosses is on the south side of the Iraklion . entailment +I hate the space program . We need to be focused on space . contradictory +i know i i 've been seeing all these weird things they send in and uh i says gee i ought to get that They don 't send anything in . contradictory +Other strategies for business / technology learning include informal activities such as newsletters , presentations , reports , and service-level results placed in common areas to communicate the effectiveness of their CIO organizations . They had nothing to refer to for professional development . contradictory +those stamps are valuable now Those stamps will make us millionaires . neutral +and uh then uh then there was no point in having all my acreage i had four and a half acres with game preserve on three sides I only have one acre of land . contradictory +well uh yeah the it it 's kind of one more week here i guess and we 'll be into uh into the springtime i guess we got another week of winter here just about right we 'll be out of the out of the winter and into the springtime and Winter will go on for another six weeks . contradictory +National , state and local program boards reflect the diversity of the communities they serve . All programs boards at all levels have only white males as members . contradictory +But Genoa 's 1381 participation in the ruinous Chioggia War on the Venetian lagoon exhausted its resources . Attrition from the Chioggia War caused the collapse of Genoa . neutral +Until the implementation of the State Planning Initiative , determining service areas in a given state was more a product of geographic and historical happenstance than a reasoned judgment about the precise configuration that would yield the best legal services system for the greatest number of clients . The State Planning Initiative changed how service area defining was done . entailment +Kazan was one of their victims . Kazan was lucky enough to not be hurt by them . contradictory +that does sound good is it one i guess it 's a rental That is not for rent . contradictory +The enclos paroissial ( parish close ) epitomizes the religious life of rural Brittany during the 16th to 18th centuries . The parish close is a fine example of historic rural life . entailment +no no it 's um it 's an odd film and it 's really interesting that i like the director a lot um a guy named Tim Burton The movie is odd and directed by Tim Burton , who I like . entailment +yeah well they 've got that Latin blood they get fired up about every little thing anyway They 've got that latin blood , specifically mexican , they get fired up about anything neutral +In 1995 , however , GSA established a voluntary gainsharing program under which employees who use free tickets awarded for official travel miles or secure lodging at less than the established lodging rates can receive cash awards of up to half the amount saved for the government . The GSA created a special reward where employees who saved cash on travel expenses were given half of the money saved . entailment +and that 's all he 's got to say is well in my in my professional judgment it was a it was a real coin In my professional judgement , that is a fake coin . contradictory +i 've had one idea that i think is is is completely undoable but it but i think it but but i suspect it would work and the way to do it is to get an absolutely atrocious candidate who you never expect to win to go out and make inflammatory and ridiculous and stupid statements so that a large population of of of voters will go out and vote against that person for someone else so given a choice between you know so so if you have so if if imagine a world where you have two real candidates and one idiot who goes out and makes you know anti you know sort of um My plan of putting a really bad candidate to improve the chances of the other good candidates is really doable . contradictory +Take along plenty of protective sunscreen Factor 20 or 30 . You should wear sunscreen becaues it 's a high altitude and the sun is very strong . neutral +yeah that 's good yeah variety is good Variety is very good . entailment +There 's a private beach , swimming pool , and lagoon with resident turtles and dolphins . You can find turtles and dolphins in lagoons , swimming pools , and private beaches . neutral +The most common service consideration would involve the number of days to delivery , but mailers can also be interested in achieving delivery on a certain date or even in reducing the risk that the piece is lost in the mail . Mailers can deliver at a certain time of day to make sure you are there to get it . neutral +In the Notice , the Commission published an Initial Regulatory Flexibility Analysis and invited written public comments on the proposed rulemaking , including comments on the Initial Regulatory Flexibility Analysis . The notice did not include case studies on rulemaking . neutral +the drug can use you I think that some drugs eventually end up taking over the user , and causing them to do things they don 't want to do . neutral +His smile was distinctly attractive . His smile looked great . entailment +Breyiana Breyiana look at me please just a second be quite please i can not hear i will talk to you in just a second go ahead so she went to school out here Please be quiet for a second ; I cannot hear and will talk to you in a second . entailment +HUD published a proposed rule on July 21 , 1994 . HUD did not propose any rules in the month of July . contradictory +right they have a hundred dollars to spend in December i know what you mean They have $ 100 to spend in December . entailment +Threatened with submersion during the building of the Aswan high dam , this 25-century-old Egyptian temple was dismantled and shipped to Madrid , stone by stone , as a gift to the Spanish government . The 25 century old temple was dismantled and reassembled in Madrid . entailment +The Agora is a Seattle-based regional network of over 600 professionals representing a variety of fields , including information systems security ; law enforcement ; local , state , and federal governments ; engineering ; information technology ; academics ; and other specialties . The event had hundreds of people from a variety of careers . entailment +Another pair of whipmasters charged at them . The whipmasters let out a battle cry as they charged . neutral +The whole mountain was once blanketed in forest and designated as a royal hunting area . The forest used to be exclusive for royalty . neutral +i let her do a lot of the planting and putting and i i do a lot of the uh a lot of the the back the back work and stuff but she does she helps me a lot too she puts a lot of financial she plans it all out A lot of the planting is done by her entailment +that 's what yeah that 's what we mostly do pretty simple things especially since my youngest one is excuse me only fourteen months she she 's really getting to the age where she 's playing and likes to go places I have three kids , they all like to do simple things . neutral +well it took us six hours to reach agreement yeah Reaching an agreement took six hours . entailment +In those days , a trembling boy who yearned to see a naked woman had to see her on the radio , and that took imagination . In those days , women roamed the streets naked as the day they were born . contradictory +The reality is it 's easy to say they should never have contact , said Sherry Currens , executive director of the Kentucky Domestic Violence Association , an advocacy and legal protection group . The Kentucky Domestic Violence Association is a group for legal protection , but not advocacy . contradictory +In one of these approaches , users were asked to answer specific questions identified as areas where APHIS most needed comments , the answers to the questions were entered into a database with a web interface , and commenters were allowed to review all the electronic comments posted and to post other comments to the site . Data on websites is often stored in a database or server so it can be accessed at a later date . neutral +I kept a kind , knowing half-smile active at all times . I was always at least half-smiling . entailment +But if heat is your thing , pay a visit to the grand old Meiji-era Takegawara public baths , not far from the JR train station . The Meiji-era Takegawara public baths are the hottest public baths in the area . neutral +that water can get pretty cold though if you go too early The water is warm even early in the season . contradictory +So , if you 'd tell the Belgian gentleman ” ” " Tell the Belgian man this very important message . neutral +No one has suggested that Reno has a financial or personal stake in the latest scandal . Multiple accusers have claimed that Reno has a financial stake in the scandal . contradictory +hundreds of thousand you can 't even give them away A lot , so you can 't even give them away entailment +and then some of the local guys down there they they took me out to all of these places you know and it 's it 's really uh it 's unique and i think i don 't know if it 's psychological or not but i think the beef down there is out out of this world we we just don 't get the quality up here like like you have It might be all in my mind . neutral +Impeachment , once taboo , now seems like a legitimate weapon , a way to settle the score . Impeachment seems like a good way to get back at them . entailment +You had better go to bed . It 's getting pretty late , so you should go to sleep . neutral +The British used Patna for manufacturing and distributing opium in the 19th century , to keep China supplied with its favorite drug . Patna was used to provide China with Opium . entailment +Mandel said the loss means the hotline won 't continue with plans to expand statewide and won 't be able to serve as many people in Northern California . The hotline will not expand and thus will not be able to serve as many people in Northern California as planned . entailment +He also should have known Susan was there . Of course he didn 't know Susan was there . contradictory +These great shrines were later rebuilt and expanded into their present magnificence . The shrines were later restored and opulently finished . entailment +i 'm going oh great you know I 'll be going tomorrow and I 'm looking forward to it . neutral +She said that she did not mind at all . Despite her protests , she was upset by it . neutral +Watendlath , Norse for the barn at the end of the water , is one of the best places to enjoy the stark fell landscape without much exertion . From Watendlath you cannot have a good view of the landscape . contradictory +right and i was i was going to school in his prime back when we had Archie Griffin and we were winning all the Heisman trophies and going to Rose Bowl that was when i was going to school there I went to USC when it was a great football school . neutral +That 's an increase in its frequency of appearance over the previous congressional session , when the word was uttered only 401 times during a two-year period . The word was said 401 times in the two years . entailment +The situation was much worse when it came to his love life . There were situations that were better than his love life . entailment +I imagine you 'll hear why in a minute . You already know the answer . contradictory +The editorial goes on to note that between one-third and one-half of all divorced women spend some time on As for the famous gender gap , it appears to be merely part of the basic political tensions that now exist between defenders of the country 's post-War system of government guarantees and Republicans who argue for an updating of the ways we ensure personal and financial security . The gender gap is now part of political tensions . entailment +I am 25 and have one criminal conviction for hacking , a bad credit history , and some failed personal and professional relationships . I still owe the bank a huge sum of money . neutral +The type of funds to be deposited is strictly circumscribed , and the use to which that combined interest can be assigned , carefully delineated . The type of funds which are to be deposited are largely ignored and put into the IRA 's of employees . contradictory +He regularly appears kneeling before temples to his master , his palms joined together in the traditional namaste gesture of greeting and homage . His head is usually faced downwards to his joined palms . neutral +Chatterbox Of course tobacco companies represent something close to pure evil . Tobacco companies represent the good . contradictory +many times worse because of course it 's a tree It 's worse because it 's a tree and trees cost a lot of money to remove if they 're damaged . neutral +She has ignored Mick 's please for forgiveness over his affair with Brazilian beauty Luciana Giminez Morad , the paper said . She ignore Mick 's please for forgiveness over his long time affair with an elderly Brazilian beauty , according to the paper . neutral +Another organization held more informal quarterly half-day meetings that included presentations about a wide variety of topics and allowed considerable time for members to develop personal contacts and have face-to-face discussions . Another organization held meetings that educated the employees . neutral +Graced with vineyards ( notably Bardolino ) , lemon trees , olives , and cedars , the lake enjoys mild winters and mellow summers . Mild winters and mellow summers grace the lake and its surrounding vineyards . entailment +There is general agreement that the value to an individual of a reduction in mortality risk can vary based on several factors , including the age of the individual , the type of risk , the level of control the individual has over the risk , the individual 's attitudes towards risk , and the health status of the individual . The individual 's age is irrelevant for the value of a reduction in mortality risk . contradictory +ESOPs were invented in the late 1950s , but did not become popular until the 1980s . ESOPs were popular from the day they were invented in the 1950s . contradictory +As detailed in that model , one critical success factor is to link unit and individual performance to organizational goals . One critical success factor is to link unit and individual performance to organizational goals . entailment +Current popular The South Park palace and , you guessed it , porn sites . Despite the latest controversy , the South Park Palace is popular . neutral +Put on a thick coat , that 's right . You should wear a coat that is thick . entailment +Time says that space tourism has a new former astronaut Buzz Aldrin . Buzz Aldrin is a former astronaut . entailment +Everything was arranged by the family as a penance for avoiding work . The arrangements were enough to make up for avoiding work . neutral +Perfectly from the 13th century , when the city 's first university moved from the cloisters of Notre-Dame to the Left Bank , the young came to the quartier to learn Latin . The university moved to the Left Bank in the 1200s . entailment +I sure had me a real snootful an ' I guess I was jus ' fightin ' th ' war all over again . He had never fought in the war . contradictory +But the real question Boaz begs is why the laws he thinks are necessary for society to function , including fair chunks of the U.S. Boaz has been asking a lot of questions about the law lately . neutral +That 's the problem with basketball stars . There is a problem with basketball stars . entailment +Any enhancement of the reagent ( i.e. Reagency needs enhancement neutral +yeah because they get strung out too They never get strung out . contradictory +Keyes : Is there any shortage of chickens in the world ? Is there a worldwide chicken shortage ? entailment +uh yeah yeah i i i think that perhaps perhaps the extended family you know that that it may be one of the solutions to a lot of thi ngs even even even child care you know i mean of course there there comes other issues you know whether or not Child care and extended family are part of the issues present . contradictory +you just felt the hit of the person but when you hit the ground it was you know just snow it was it was pretty fun but it 's it 's a lot better to play it in the cold weather that 's true Cold weather is a lot more common than the snow when playing . neutral +It was on his card . His card is where it was at . entailment +We selected six private sector companies and three state governments to serve as our case studies . We chose more than a handful of companies in the private sector . entailment +We got to the Soho house in plenty of time and met Mr. Carter outside . We arrived at the Soho house very early and met Mr. Carter outside . entailment +To meet our first objective , we reviewed the experiences of leading public sector organizations that were successfully changing their management and accountability practices to be more results-oriented . We reviewed experiences of leading public sector organizations that were successful . entailment +In developing the RFP an agency may hold presolicitation or preproposal conferences in order to seek industry views on the planned acquisition and to encourage companies to offer proposals . An agency has to hold presolicitication or preproposal conferences to get industry views on acquisitions . entailment +Despite repeated attempts , we have been unable to resolve this dispute . We have looked at it from many angles , but can not come to an agreement . neutral +The Washington Post called her dress cleavage-coercing and reported that her handler , Susan Carpenter-McMillan , dabbed sweat from Jones ' upper lip and set aside a piece of used chewing gum that Jones handed her . Her handler held onto Jones ' smartphone and purse . neutral +Rock goes beyond Eddie [ Murphy ] , beyond liberal guilt . Going beyond both Eddie Murphy and liberal guilt , Rock discusses the media as a whole . neutral +Boudhanath , 6 km ( 4 miles ) northeast of the city center , is the valley 's second important stupa and is similar in many ways to Swayambhunath . Boudhanath and Swayambhunath are in the same valley and share similarities . entailment +Somehow , we 'll incarnate you fully ! We 'll find a way to make you fully whole again ! entailment +With riots growing ever more bloody in Bengal , Bihar , and the Punjab , India 's last viceroy , Lord Mountbatten , kept a mandate to make the British departure as quick and as smooth as possible . The riots were described as peaceful and Lord Mountbatten , India 's first viceroy , refused to uphold the mandate of British departure . contradictory +Other studies indicate that these activities consume as much as 80 percent of finance 's resources . Studies reveal that there is a lot of unconsumed financial resources contradictory +I have looked around this strange new world , and it is full of wonderful things . This new world seems very dull . contradictory +But the sight of the two orderlies and the man in medical uniform beside the lung reassured him . Seeing the two elderlies with the white beards comforted him . neutral +The heart of Chalki hides a Venetian tower and the whole valley has a number of small Byzantine chapels . A Venetian tower can be found in the heart of Chalki . entailment +To the west stands Shiva 's emblem . Shiva is the god of the sun which is why is is in the west . neutral +expect to have a high attendance and uh what what about your your ball park in in Raleigh uh the minor league ball park in Durham There is a minor league team in Durham . entailment +Unless you arrive by yacht , the other option is a motor-launch ride from Saint-Martin , 15 sometimes very choppy nautical miles away . The ride from Saint-Martin can be smooth in perfect weather . neutral +Comply with pertinent laws inappropriate disclosure and regulations They needed to be in compliance with the disclosures . entailment +The rest of the abbey was raised to the ground in 1570 , but the church was saved because it was a parish church and therefore served the local community . The abby was destroyed . entailment +To that I attribute the circumstance that you have omitted one fact of paramount importance . " You must be right since you looked at all the facts . contradictory +uh or classical style it 's not always classical as you know the official uh word might go but um even when i was pregnant of course i listened to that and when our first child was you know an infant um of course i when i was around the house i played that music too When I was pregnant and when my first child was an infant I listened to classical music . entailment +The competitors , wearing only a pair of leather breeches , coat themselves in olive oil and perform a ceremonial procession before getting to grips with their slippery opponents and flinging each other around to the delighted cheers of thousands of spectators . Competitors try to put as much olive oil on themselves as possible . neutral +Gamal Nasser 's nationalization of the Suez Canal international waters triggered a combined Israeli-French and British attack on Egypt , and the start of the Sinai War . The Sinai War could have been avoided but Britain didn 't wait to attack Egypt . contradictory +However , these values are not as defensible and are thus presented only as a sensitivity calculation . These values are not as defensible . entailment +but well hey i appreciate the conversation I didn 't like the conversation . contradictory +Like the Ataturk Bridge farther upstream , its central span opens daily at 4 : 00 a.m. to allow ships in and out . Its central span cannot open , so ships cannot pass the bridge . contradictory +uh five rooms upstairs one uh room downstairs a basement full cellar Five rooms upstairs , one room downstairs and a full cellar basement . entailment +III There was no delirium when he awoke in the morning . There was no hallucinating when he woke up in the morning . entailment +Combined political and economic strength set a sound base for Datuk Seri Dr. Mahathir bin Mohamad , when he took up office in July 1981 . The new holder of office relied on both political and economic strength . entailment +For now that 's a windfall for all but a couple of states , since welfare caseloads have dropped by almost 10 percent nationally since 1995 . The economy getting back on its feet dropped the welfare caseload . neutral +yeah yeah it does and you just feel guilty if you don 't do something with them you know because you hate to contribute to the problem but on the on the other hand the alternatives aren 't to great either Doing something with them makes you feel better about yourself . neutral +Several people had arrived by the train in question . The several people arriving by that train were extremely sick . neutral +Extended Pilot Trials of the Aesthetic Education Longer pilot trials of the aesthetic education entailment +In 1991 , the National Research Council studied the issue and reported that as computer systems become more prevalent , sophisticated , embedded in physical processes , and interconnected , society becomes more vulnerable to poor system design , accidents that disable systems , and attacks on computer systems . The computers became much too complex . neutral +There 's a conservative case for parties , too , articulated by the 18 th century philosopher Edmund Burke . Edmund Burke was a 17th century philosopher who didn 't make any cases very well . contradictory +Easier pre- Newsweek coverage = buzz Newsweek coverage equals buzz . entailment +On St. Barts , La Petite Ferme organizes horseback rides on Sundays . La Petite Ferme only offers motocross racing on Sundays . contradictory +Users should also be involved and provide support throughout the acquisition to ensure that their requirements are understood and that the resulting system is both accepted and used . Users who acquire things are generally very wealthy people . neutral +Deductibility of student-loan interest $ 360 There is no deductible with student loans contradictory +There are those who argue passionately that life originated with a single replicated molecule . Some people argue that life began with a single replicated molecule . entailment +The lawsuit involves the Ridgeview Apartments , a 384-unit complex on 119th Street east of Ridgeview Road , and the Indian Meadows Apartments , a 148-unit complex at 119th Street and Black Bob Road . The Ridgeview Apartments are nicer than the Indian Meadow Apartments . neutral +yeah it was a great game no , it was a terrible game contradictory +Unless you 're born eating [ them ] , you never will . You won 't eat them unless you are raised on them . entailment +'Good , ' the Fat Man grunted . The man wanted to go home . neutral +But after the election , says Blankley , there is a 99 . In addition to the 99 after the election , there is one still undecided neutral +it was a marketing ploy That was not a ploy to get more business . contradictory +The Pousada dos Vinh ? ¡ ticos ( vinh ? ¡ tico is a type of Madeiran mahogany tree ) enjoys the sort of views that many Alpine hotels would cherish . The views are poor . contradictory +This is the principal means of assuring that only valid transactions to exchange , transfer , use , or commit resources and other events are initiated or entered This principal does no assurance in valid transactions . contradictory +he he had oh a what I know what he had . contradictory +readers answered our survey . Readers responded to our questions . entailment +Don 't get me wrong--all the homers listed on the MCI top-ten list were remarkable shots . The homers on the top-ten list don 't have the skill to even make the top one hundred . contradictory +It 's now a school , the Colegio de Santo Domingo . Colegio de Santo Domingo is a school . entailment +Washington , D.C. : International Monetary Fund , September 2000 . It contained the September 2000 fund information . entailment +Its massive rice yield ( as much as 20 percent of the national rice crop ) has made Tohoku the chief supplier of the country 's needs . Tohuku 's climate is responsible for its unusually high yield of rice . neutral +However , they had not seen the last of their Muslim foe . They wiped out every single Muslim there . contradictory +As noted above , the LSC case count for 1999 includes all cases that meet LSC eligibility criteria , regardless of the funding mix of any particular grantee . The LSC didn 't track cases . contradictory +sought and respected by the organizations ' business managers . The whole team was sought and respected by the organizations ' business managers . neutral +In a road race you look to see who finished first , and in determining who is eligible for race entry , you go by the unbiased clock . Keep track of who finishes last in a road race . contradictory +that 's a good come back thank you Thank you , that was very quick-witted neutral +like i i think well um in the morals and values of like my generation for the most for most people are totally different from the morals and valleys um values of like per se your generation but i think as we get older it gets to your you know what i mean i think the kids now are are i would say louder now until after they reach like twenty five and then i think they really have a strong decline and start to settle down and realize things My values are better than your values . neutral +Co-location helps the agencies meet three important goals . The agencies meet their goals each year . neutral +No . Sum income . No . All the income added together . neutral +OBLIGATIONS - Amounts of orders placed , contracts awarded , services received , and other transactions occurring during a given period that would require payments during the same or a future period . Obligations are the services or products to get delivered or awarded . entailment +Reviewing Existing Information Someone reviews existing information . entailment +In 1962 Soviet president Nikita Khrushchev installed 42 medium-range nuclear missiles in Cuba . The Cuban president believed that the nuclear missiles would unnerve the Americans . neutral +Incentives in the DOD Acquisition Environment Do Not Favor Capture of Design and Manufacturing Knowledge Early Enough The DODs put a great deal of emphasis on early and thorough capture of manufacturing knowledge . contradictory +CHAPTER 2 Chapter 5 . contradictory +The ominous 13th-century fortress-like palazzo that houses the Bargello Museum ( Via del Proconsolo , 4 ) was Florence 's first town hall and dreaded prison under the jurisdiction of the Police Chief , or Bargello , before becoming the National Museum of Sculpture . Where the Bargello Museum is now , people used to be kept locked up and suffering . entailment +Why not sample the real thing ? Ca 'daan turned and saw an older woman , legs bare under a short sarong . Ca 'daan looked at the older woman . entailment +Now , Poirot , I remarked resignedly , " perhaps you will tell me what all this is about ? " I remarked , I really don 't want to know what 's going on , Poirot . contradictory +I struck a thousand times in my mind and none of them hit . I couldn 't imagine being violent . contradictory +Farther along is the imposing tower of the Russian Church of the Ascension . The tower of the Russian Church of the Ascension was built tall so that visitors to town would be curious . neutral +The important fact that Monsieur Inglethorp wears very peculiar clothes , has a black beard , and uses glasses . He looks just the same as everyone else . contradictory +26 denial of the sex allegations added nothing but anger to his Jan. Denying sexual misconduct proves difficult when you are caught on tape . neutral +The Musee de la Ceramique ( 1 Rue Faucon ) displays the local colorful glazed earthenware ( farence ) and china from France and the rest of the world . There are no displays of locally-made earthenware anywhere in the Musee de la Ceramique . contradictory +but i wonder if yeah and i i still haven 't been called yet in fact yeah in fact out of our office staff is let 's see there 's uh four six there 's seven of us and there 's only one been called There will probably be more called within the next week or so . neutral +The Globe runs what it says is Martin 's open letter to Shepherd , in which he pleads with her to open [ her ] heart and do what 's right by repaying him the $ 4,000 she reportedly owes him . In the open letter to Shepherd , Martin pleads with her to open her hear and do what 's right by repaying him the $ 4000 , that she reportedly owes him . entailment +Brewers always have such hard luck Teddy Higuera is hurt again Teddy Higuera has never once been suffered from an injury contradictory +'Is White still here ? ' Do you think White is still around ? entailment +The discovery was a providential one . The discovery was obvious from the beginning . contradictory +The baby gets new toys every day , because used toys are immediately discarded . The baby gets no new toys because old toys are cherished . contradictory +He was so fast . He ran faster than anyone else . neutral +The result has been an angry rejection of the research Blum reports and an attempt to disseminate a feel-good alternative in which boys and girls are identical and infinitely malleable . The result was something to be expected , they should have listened to the experts . neutral +that there 's a lot of times not for selling in Malaysia but people go to Thailand and they have to bring them through the airport there the last two people that got hung weren 't even trying to sell them there they were just uh caught with them People got hung for bringing a gun into a Thai airport . entailment +In general , these have been developed as resorts and offer all sorts of facilities everything from speedboats and parachutes to deck chairs and sunshades . Because they were developed as resorts , they are very expensive . neutral +oh well of course i always see see uh Attleboro mission on teen news and everything else but Attleboro is frequently on teen news . neutral +Close to the waterfront is a small , white chapel , an early 15th-century project that was later rebuilt ( 1723 ) . The small chapel fell in 1722 and was never rebuilt . contradictory +Oh , a matter of ten years or so might be longer . Well , a matter of a decade or even three decades . neutral +A moviegoer 's dream , but good luck seeing it on the big screen . It 's a film lover 's dream movie , but good luck seeing it in the theater . entailment +Under traditional payment processes , certifying officers reviewed all invoices they authorized for payment . Officers do not review any invoices contradictory +The dinosaurs fell , flesh sizzling . The monkey 's sizzling flesh fell to the ground . contradictory +The only new fact in Flytrap that would qualify as genuine news would be one proving Bill Clinton didn 't have sex with Lewinsky . Showing that Bill Clinton didn 't have sex with Lewinsky is the only genuine new fact in the New York Times . contradictory +One Nation , After All is full of the very qualities its author imputes to the ordinary virtue , mature patriotism , and quiet faith . The authort of One Nation , After All does not carfe about virtues of being an American . contradictory +The following year Zarco returned to claim the larger island he had seen from Porto Santo , and with him went Tristao Vaz Teixeira and Bartolomeu Perestrelo . Zarco never came back to claim anything , especially not the island contradictory +Align Information Management Leadership for Value Creation Information management leadership most often reduces value creation in a company . contradictory +Yet Morris did amazingly little to try to nail it down . Morris is not known for his work ethic . neutral +and uh everybody else uh gets to take their turn No one gets to take a turn . contradictory +A TIG conference was held in Chicago in October to introduce this year 's grantees to the national support system that LSC has developed , with the assistance of numerous grantees . This year 's LSC national support system grantees were introduced in the TIG conference in Chicago . entailment +I can 't believe it 's real ! " Mr. Beresford obliged . Beresford says he can 't believe it works in addition to being real . neutral +well it 's been very nice talking to you i appreciate having the call and uh maybe we 'll speak again on this little test that they 're trying to do Thank you very much for the lovely call , and let 's hope we get to talk about this little test in the future . entailment +Citing almost no cases , Tribe told the Supreme Court that the Colorado initiative violated the letter of the Equal Protection Clause because it denied gays alone the protection of the anti-discrimination laws . Tribe lost the case as he failed to provide ample evidence on the matter . neutral +If the restriction on speech and legal advice were to stand , the result would be two tiers of cases . There is currently a restriction on speech and legal advice . entailment +no i know but you know you you save the markup on the parts and of course you buy them whole sale from the parts store and and you can save a little bit there and you can save an awful lot on the labor which is high today like all the rest of us we expect top dollar for what we do and Labor is low because they don 't expect much for the work they do . contradictory +oh yeah yeah it 's it 's amazing how much we spend on some things my husband cut himself down to ten dollars a week for his lunch at work Your husband does not eat lunch at work . contradictory +His meetings last week with President Clinton and Yasser Arafat were roundly applauded for rebuilding relationships former Israeli Prime Minister Benjamin Netanyahu had soured , but David Plotz explains in Slate why Israelis are . In the Washington Post , Henry Kissinger warned Israelis not to leave the United States out of the peace process , while an op-ed piece in the Israeli paper Ha 'aretz cautioned that congressional Republicans , under the sway of the right-wing Israeli Likud Party , will throw spikes into the newly energized peace train . His meetings with President Clinton and Yasser Arafat were not well received by anyone . contradictory +okay was good talking to you yeah take care bye-bye Please don 't call me again . contradictory +And you can see the rocket tubes . " And you can just glimpse the rocket tubes peaking out . neutral +yeah that makes a big difference but i uh we 're kind of new to Plano and i 'm We have been playing piano for a number of years . contradictory +Cavalry saddle on the stud , two Colt pistols belted high and butt forward , and that military cord on his hat army boots , too . The colt pistols were of a high caliber . neutral +I would expect the legal community to be in the forefront of trying to bring this issue to light . I would expect the legal community to act in the background regarding this issue . contradictory +yeah the the investigator yeah he he got off right away and i wrote that down on my questionnaire that he 'd told me that so i figure that that will make me biased and i won 't be chosen I think they will select me because they think I am not biased . contradictory +The NAIC recently adopted an amendment to the UPPL which states ( 1 ) This provision may not be used with respect to a medical expense policy and ( 2 ) For purposes of this provision , ' medical expense policy ' means an accident and sickness insurance policy that provides hospital , The medical insurance policy is a health insurance that provides hospital visits . entailment +With regard to sections 603 ( b ) ( iii ) and ( iv ) , the Commission states that it uses certain Commissionadopted definitions of small entities for purposes of its analysis and concludes that it is unable to quantify reasonably the impact that the proposed rule and amendments would have on small dealers and brokers . We know what will happen to the small dealers and brokers . contradictory +The Discovery Bay Golf Club on Lantau island ( Tel . 2987 7273 ) has an 18-hole Robert Trent Jones Jr. course , open to visitors Monday , Tuesday , and Friday . The 18-hole golf course is closed on Wednesday , Thursday , Saturday , and Sunday . neutral +yes they are well that 's about five minutes so unless you 've got something else well It 's not really worth waiting the five minutes for it . neutral +On the great island of Borneo , East Malaysia 's states of Sarawak and Sabah surround the enclave of the oil-rich sultanate of Brunei . Sarawak is the name of a state in Indonesia . contradictory +Reagan and Thatcher present us with contrasting retirement strategies--pathetic senility and rancorous immortality , each in its way a grotesque form of self-parody . No one really like the retirement strategies that were presented . neutral +The new king , Louis XVIII , tried at first to reconcile the restored monarchy with the reforms of the Revo ? ­ lution and Napoleon 's empire . Louis XVIII was king after Napoleon 's empire . entailment +The eyes bent together in a strange look of sadness and confusion . You could see humor and delight radiate through the eyes . contradictory +The taste for the grandiose musical spectacle has spread all acrosethe Western world , but the greatest stars and divas need a triumph at La Scala for true consecration . La Scala represents the epitome of the concert stage for operatic stars and divas . entailment +And he will be able , at his leisure , to come back and destroy this solitary piece of evidence against him . He can get rid of the evidence incriminating him . entailment +Congress also for the first time explicitly added H-2A workers to the categories of aliens eligible for legal assistance under the LSC appropriations act , although that assistance remained limited to claims under the workers ' employment contract . Congress removed H-2A workers from the list of those eligible for legal assistance . contradictory +According to the Department , this rule does not impose unfunded mandates under the Unfunded Mandates Reform Act of 1995 . Nevertheless , the Department believes that this rule may be challenged in court . neutral +The analysis concludes that the quantifiable costs associated with the rule are $ 600,000 for the Pension Consultant exemption , $ 18,000 for the Nationally Recognized Statistical Rating Organization exemption , $ 300,000 for the Affiliated Adviser exemption , and $ 8,700 for the New Adviser exemption for a total of $ 926,700 . The quantifiable costs for the Pension Consultant exemption exceeded $ 600k for the first time in over 20 years . neutral +The red macroalga , Champia parvula , test is acceptable if survival is 100 percent , and the mean number of cystocarps per plant should equal or exceed 10 . The red marcoalga , Champia parvula , test is an acceptable test if there is 100 % survival and at least 10 cystocarps per plant . entailment +yeah yeah yeah we see them once in a while a couple of times a year at least and the ones in Pittsburgh of course we see more often We see the ones in Pittsburgh more often than them . entailment +This is worrisome , because Taiwan is by far the hottest issue between the United States and China . Taiwan is the most significant issue among several diplomatic arguments between United States and China . entailment +Fetuses are particularly vulnerable to methylmercury because of their rapidly developing nervous systems . The fetuses are most vulnerable to the methylmercury . entailment +no i mean it 's it 's actually there 's an interstate There is an interstate . entailment +uh-huh yeah do because uh i love to read his his uh children 's books just I have never read a children 's book . contradictory +Fifty-one conferees included 22 clients , 18 legal services staff , and 11 others including judges and IOLTA staff and 16 organizational representatives from LSC , NLADA , and CLASP . Thirty of the fifty-one conferees were male . neutral +'I need to use the bathroom first , ' I shot back , quickly darting out of sight . I had to go to the bathroom and left . entailment +( I learned this from the book Succeeding Generations , by the economists Robert Haveman and Barbara Wolfe . ) I learned that websites can fail to pay clients by a book entitled " Succeeding Generations . " neutral +At the Carnival of 1494 , he shamed the Florentines into throwing their vanities not only clothes , jewelry , and cosmetics , but books and paintings , with Botticelli contributing some of his own onto a giant fire on the Piazza della Signoria . He guilted those from Florence into destroying their possessions . entailment +Some , including the critic at Time , have questioned Soderbergh 's sanity . Soderbergh 's actions have led to criticism . entailment +The highest number of cases for us are domestic , he said . He said that they do not deal with domestic cases . contradictory +The major shopping street is Princes Street , considered the Oxford Street of Scotland . Princes Street reminds one of Oxford Street . neutral +The INA also provides for the discretionary readmission of lawful permanent residents who do not possess valid documents . The INA is always happy to hear cases in which the readmission of permanent residents who lack valid documents can be done . neutral +I remain of the opinion , however , that the content is far short of the potentialities of the technology . There are other more successful implementations of the technology . neutral +From here , the road travels a further 15 km ( 9 miles ) , past the salt flats of La Mata , to Torrevieja . Torrevieja is 15km further than the salt flats of La Mata . entailment +The variety and energy of the nightlife here has overtaken that of the Left Bank . The Left Bank has a variety of nightlife activities . entailment +Farther north , Tanjung Bidara , 35 km ( 20 miles ) from Melaka , has a hotel resort and some pleasant tree-shade on the beach for picnics . There is no beach near the hotel resort , only a few kilometers away . contradictory +WINZ was established in 1998 by combining the income support function from the Department of Social Welfare and the employment services and local employment coordination functions from The establishment of WINZ was opposed by some parties . neutral +' In a report from its Moscow correspondent , Le Monde said presidential hopeful Gen. Le Monde said it in a report from its Moscow correspondent , but not everyone agreed with that . neutral +i will admit i work with uh someone who 's Iranian and he definitely has a very different slant on the news he 's very very skeptical of the news media and i will admit i 'm reasonably skeptical also It 's reasonable to be skeptical of the news media . entailment +Please check the Project Gutenberg Web pages for current donation methods and addresses . As Project Gutenberg refuses to make a Web site , please mail in queries for current donation methods or addresses . contradictory +There is another possibility . There 's another explanation for what we 're seeing . neutral +um i think that 's all of the power tools we have we um but that 's that 's i think that 's about all they make I bought every single equipment produced by them . neutral +Little Willie here is a dead cert , and if I was you I 'd take a sporting chance with Mr. Brown ! " The risk was letting him try his new hunting rifle against the Sasquatch in the woods . neutral +really well that 's neat Really , well that is convenient . entailment +He may not even know it 's a religious cult or sect or whatever it is . There is a chance that he does not know that it may be a cult . entailment +Approval thresholds , for example , should show which officials have the authority to review and approve acquisitions . Without approval thresholds , there is no way to know who should be held accountable for approval and review of acquisitions . neutral +Each subclass must generate sufficient revenue to cover its costs . Generating sufficient money may be difficult due to taxes . neutral +This was nothing else than unhappiness packaged as multi-flavor chocolates produced locally from natural domestic ingredients . Those multi-flavor chocolates were really expensive , so many people could not afford them . neutral +'You think I 'm heroic ? ' I scoffed . Why don 't you think I 'm heroic ? contradictory +, the excise tax on gasoline ) . Gas taxes are extreme neutral +sacrifice that that would be to suddenly try to switch over to all CDs or something but i know one thing that has colored my music choice is I would be giving up quite a lot to only listen to CDs now . entailment +I heard it , and then I went to the window and it wasn 't raining . I didn 't hear it through the rain . contradictory +For the best view of that awesomely rich facade , finished in 1813 , and bristling silhouette of marble pinnacles and statues , stand in the courtyard of the Palazzo Reale south of the cathedral . The best view of the facade is from the north of the cathedral . contradictory +But I suppose we were not well matched . I guess we weren 't a good match in personality . neutral +There he would stand , his back turned to us like the contemplative artist figure in a painting by Caspar David Friedrich , and reflect on the glory and folly of mankind . He turned his back to us because he did not want out judgement . neutral +'But they don 't just want a body ! ' I insisted . All they want is a body . contradictory +At the same time , the new government instituted sweeping , enlightened programs to eradicate illiteracy and provide free universal schooling and health care . There were programs to help eradicate literacy and provide free education and health care . entailment +yeah right i know a lot of people where i work make their clothes it 's just there 's just so many people sewing now days These days many people are sewing and I know many people who create their clothes . entailment +" You ask him . " Nye sat down on a bunk , flipped his hat away , and lay back . Nye lay back after sitting down and flipping his hat away . entailment +Other jobs may involve similar efforts that are not , however , reported as separate jobs and thus are less visible as exploratory case studies . More visible jobs tend to be paid better . neutral +all right well listen you take care of yourself all right Well , all right , listen , take care of yourself , okay ? entailment +Advancing Technology Technological development is static . contradictory +The arts flourished during the 16th and 17th centuries , a period known as the Cretan Renaissance . Over 2000 paintings were created during the Cretan Renaissance . neutral +Exhibit A-5 in Appendix A depicts the timeline expected for completing a single unit installation of ACI . A timeline is exhibited in the Appendix A. entailment +The RFP was also modified to obtain more comprehensive information on sub-grantees that receive twenty-five percent ( 25 percent ) or more of the LSC grant award , and sub-grantees that deliver a full range of services to a specific geographic area within the applicant 's service area . The grant does not allow for any subcontractors . contradictory +There is a super-dense class , still smaller , poorer in hydrogen , than the inner planets of the solar system . The inner planets are bigger than them . entailment +I guess that hundred thousand pounds will look just as good in the morning to the lady as it did over night . It will be okay to wait until tomorrow because they can still give the money then . neutral +Orsay is also one of the few Paris museums that is air-conditioned , and is thus a refreshing retreat on a hot day . The Orsay museum lacks windows and air-conditioning . contradictory +That 's so . Maybe you think I 'm talking through my hat , but I can deliver the goods all right , with enough over to spare for your fee . You probably think I can 't do it but I can deliver the good by tomorrow . neutral +As you approach the border , you can glimpse the skyscrapers of Shenzhen . Shenzhen has more than one skyscraper . entailment +If the basic political tensions in America today are between pro-big-government and anti-big-government factions , and the pro-big-government faction just won , how are the Journal ' s editorial sympathizers supposed to find comfort in that analysis ? If the political tensions are between people that are for large and small government , why do people still read the Journal ? neutral +The landmark tower just to the right , inside the Jaffa Gate , is the Cityel or King David 's Tower , also built by Suleiman . Suleiman built most of the towers in this city , including King David 's Tower . neutral +and so they say there 's uh three hours of labor just to uncover where the the metal shaft goes in because it goes through the through the door in between the windshield and the driver 's side door and comes out above the driver 's head The labor hours are highly exaggerated . neutral +well there 's this fallen tree across the stream and these streams of course are felt fed by melted snow so they 're cold anyway These streams are warm despite the fact that they are fed by melted snow . contradictory +We always keep it in the hall drawer . It 's always kept in the drawer in the hall . entailment +Charles Geveden , D-Wickliffe , would double the portion of the fee that goes to Legal Aid -- in district court to $ 10 from $ 5 and in circuit court to $ 20 from $ 10 . The portion of the fee that goes to Legal Aid used to be $ 5 entailment +well when we before we had kids we was in a motorcycle group you know we we went like twenty or thirty at a time we took uh just our little tents Sometimes I miss those days if I 'm being honest . neutral +i 've heard of the book I 've never heard about the book . contradictory +Ser Perth bent before it , and the door opened silently while he and Dave entered . The door made a massive noise when opened . contradictory +Interviewed by the British Journalism Review about the extent of his personal interference in the editorial policies of his newspapers , which include the Independent , Tony O 'Reilly , chairman of the Heinz food company , said he gives his editors absolutely free rein provided they abide by some general rules . Tony O 'Reilly claims to personally check each story before it goes out . contradictory +oh that 's interesting you know interesting enough uh the food part was kind of uh important thing in our camping uh when my oldest son Food wasn 't that important on our camping trip . contradictory +but they love to crappie fish my brother likes to bass fish so um Crappie fishing is too slow for him . neutral +and uh boys i guess as i get older that 'll get more and more appetizing I 'm sure I 'll care for that more when I get older . entailment +Participants also discussed the appropriateness of the chief executive officer ( CEO ) serving as chairman of the board of directors , which could present potential conflicts resulting from a single individual functioning in these dual roles . There are potential conflicts if someone serves as both CEO and chairman of the board . entailment +The selection here is not usually as wide as you 'll find in the privately run shops and you can 't haggle , but it 'll give you an idea of the range of goods , the quality , and , above all , the correct price . There is a range of goods here , though you can 't haggle . entailment +yeah well uh if i could think of some of their names i If I could recall their names , I would report them . neutral +Lifeboats have been constructed for the top dozen employees . Lifeboats have been made for some employees . entailment +so i try to save that for the weekend i need to get better at it though I need to get better at knitting but I do it on the weekend anyway . neutral +A walk around the lovely shaded ramparts of Obernai will convince you of the perennial proserity of its wine growers and farmers . Obernai prospers for farmers and wine makers . entailment +There is no need to plow new ground and perform research to develop new interventions for emergency department use . The emergency department uses a flawless intervention technique . neutral +Dow Chemical will buy rival Union Carbide . Dow Chemical are buying Union Carbide next year . neutral +The theme changes each year . This year 's theme is nature and spirituality . neutral +If you like exploring on foot , the Wrigley Memorial and Botanical Garden can be found 2 miles ( 3 km ) inland . The Wrigley Memorial and Botanical Garden is 2 miles from the waterfront . entailment +i don 't know i know there must be something more i can do with it There must be something else I can do with it . entailment +NOMINAL DOLLAR -The dollar value assigned to a good or service in terms of prices current at the time of the good or service is required . The nominal dollar is how much something is worth today in Russian dollars . neutral +Then in 1017 Benedictine monks started work on the flat-roofed abbey you can see in the Bayeux Tapestry , propped up on a platform with blocks of brown granite brought from the Channel islands of Chausey 40 km ( 25 miles ) away . The abbey was constructed by monks in 1017 . entailment +It cannot be a fake . It cannot be an imitation . entailment +The Working Museum of Printing is also on Main Street ; the entrance is through the Printing House shop . The museum has it 's entrance on the main street . contradictory +i was beginning to think that was the only people on the network I started to assume that NBC only had men on their network . neutral +that , in context , depicts or describes , That shows images and videos . neutral +The student loan agency Nellie Mae says the average college graduate 's student-loan debt has reached at least $ 19,400 . Nellie Mae is a student loan agency entailment +Here , as we know , I was wrong , and I was forced to abandon that idea . I gave up that idea because it was incorrect . entailment +some shows are good for i think some shows some Star Trek i for the imagination of it all the idea i i think that 's one of the things i like about Star Trek and is is the even in for kids watching it some of it can be a little violent sometimes and stuff i don 't let my little ones watch it but the imagination of look what we can do There is really nothing that I like to watch on tv so I got rid of my cable . contradictory +Only about former football players are you not allowed to say so . You can 't say that about former football players . entailment +They shared tales and laughed . They were telling tales about passed holidays . neutral +Involve the entire team in creating the strategies for patients to accept optimum care . When you involve the entire team , you can provide the absolute best care for your patients , but only if the entire team has chemistry that brings them together . neutral +Leading you along tributary streams of the Cauvery river , past groves of mango trees , sugar cane fields , and rice paddies , it is suddenly broken by the soaring mountain of solid granite which director David Lean made the location for the fateful picnic in his film of E. M. Forster 's novel Passage to India . There is a mountain of granite that was used in the film Passage to India . entailment +it is it 's a tough subject it really is It is a tough subject , it really is . entailment +Primarily as a cost cutting option , more relaxed installation schedules of up to 36 months for a single FGD retrofit installation may be planned , but are not common . They wanted to save as much money as possible . neutral +An accompanying piece lauds several unspoiled hideaways--which will now undoubtedly be swamped with tourists . A piece irritatingly spoils hidden hideaways to tourists who will desecrate it . neutral +Facing St. Stephen 's Green South is Marjorie Fitzgibbon 's bust of James Joyce . The statue of Ronald McDonald faces the bust of James Joyce . contradictory +7 . Soderstrom CA , Smith GS , Dischinger PC , McDuff DR , Hebel JR , Gorelick DA , et al . n / a entailment +Could it be that the rise in stock values reflects the ongoing shift , from labor to capital , of the return to production in our economy ? Does KFC serve cold drinks past 10pm ? contradictory +The fix is in . The fix still needs to be thrown in . contradictory +I suppose you could argue that a best-dressed list encourages women to dress more beautifully or that a list of the greatest works of journalism of the 20 th century will motivate those who didn 't make it to try a bit harder during the next 100 years . A list of the best of something makes people want to try harder . entailment +The synagogue was the center of Ashkenazi worship until the fighting in 1948 , when the building was destroyed and the site became a ruin once more . In 1948 , the synagogue was built for Ashkenazi worship . contradictory +I do not . I do . contradictory +The Glassworks contain what editors crave--stories with energy and imagination and originality . Glassworks reaches out to unique and creative writers to find new stories to print . neutral +Jon swung again . He continued swinging until all of the enemies were down . neutral +Saint-Pierre to Fort-de-France Saint-Pierre and Fort-de-France has no connector . contradictory +Take time to mount the stairs to the battlements for views of the city ; you can also explore the ruins and excavations . Climbing the stairs of the battlements is a good way to get a view of the city . entailment +Some companies moved their headquarters out of Hong Kong . Some companies moved their headquarters out of Hong Kong and into New York . neutral +While some tax incentives for education encourage households to accumulate assets such as U.S. There are no tax incentives for education . contradictory +Tuppence nodded at him with the air of one who has established a thorough understanding . He was pleased with Tuppence being able to understand him . neutral +We must stock the caves and prepare for every man , woman , and child to flee within . We do not need to stock the caves . contradictory +The Britons worshipped in St. George 's Church ( 1818 ) on Lebuh Farquhar . The britons didn 't go to church . contradictory +oh it it 's we 've had a lot of fun uh i i moved to Dallas about five years ago and we 've made three different trips since i 've been here the group of friends that i run around with of varying degrees uh of difficulty the the last one we did and we haven 't had a chance to duplicate was uh was a canoe trip in Arkansas and the river was it was up about three feet so it was uh it was pretty it was pretty challenging I 've had a lot of fun with my friends doing all kinds of things . entailment +That idea of yours about the bromides was a stroke of genius ! You had an idea involving some bromides . entailment +They know that they can play it and auction it off right away online when its value is still quite high . They are aware they can play it and sell it online while it 's still worth something . entailment +Audit documentation should contain sufficient information to enable an experienced reviewer , who has had no previous connection with the audit , to ascertain from the audit documentation the evidence that supports the auditors ' significant judgments and conclusions . Audit documentation should have enough information to help a reviewer write a report . contradictory +Where alternative country runs into trouble is its tendency to ignore what 's durable about country in favor of its stereotypical hay-bales-and-whiskey-bottles shtick . Country favors its stereotypes , whisky , hay bales and such . entailment +the mad dog for its its dog is mad for the . entailment +But Saddam , for all his strategic blunders , is deft at posing as today 's heir to the tradition of Arab nationalism . Saddam has always been good at positioning himself as the heir of Arab nationalism entailment +Originally , all the brightly colored puppets were made from cow , buffalo , or goat hides , but today the minor characters are turned out in plastic and celluloid . Minor characters are made of plastic and celluloid now , but they used to be made from cow , buffalo , or goat hides . entailment +This report has some value but it is not as valuable as it once was . This report is helpful , but not as much as it used to be . entailment +Others may pause to wonder why Connecticut--and 19 other states--needs an antitrust policy separate from that of the United States . Others might wonder why some states need their own antitrust policy . entailment +uh they have that to some extent here but it 's not quite as good and It 's not quite as good . entailment +Israel had a nervous breakdown when Menachem Begin evicted just 5,000 settlers from the Sinai during the early ' 80s . Begin evicted 5,000 settlers from Sinai in the 80 's . entailment +i think it would upset more people if they tried to change it I think they want to change it no matter what people thing . neutral +Patrick 's is the national cathedral of the Church of Ireland ) . The Church of Ireland does not have a national Cathedral . contradictory +The oldest is on Moore Street , famous for the cries of its sellers . The newest is on Moore Street , no sellers on it at any time . contradictory +At the end of the 19th century unemployed samurai ' adventurous but still attached to the old traditions took their families to Hokkaido to carve out a new life for themselves . Many samurai were forced out of their homes at the end of the 19th century . neutral +The beach is public property , but anyone can simply walk there from Sainte-Anne . The beach is only open to residents of the city around it . contradictory +You do not know ” ” " he broke off abruptly . He cut off his speaking . entailment +if they make it so that it 's not a horrendous inconvenience i think most people would If it 's a horrendous inconvenience , then everyone would not . neutral +In the apse of the Greek-columned interior is a delightful mosaic of St. Apollinaris , Ravenna 's first martyr and bishop , surrounded by 12 sheep representing the Apostles , with Moses and Elijah in the clouds above him . The mosaic uses tiles of only four colors to achieve a surreal , dreamlike quality . neutral +each using the appropriate techniques , in order to produce capping reports or similar products . Each wants to produce capping reports . entailment +But it is ridiculous to object to them . Objecting to them is not ridiculous . contradictory +So vividly did he imagine the massive head turning his way and opening its huge maw that he had to blink to ensure it didn 't happen . He saw it so clearly that he had to double check and make sure it wasn 't real . entailment +'You 're pretty smart . You seem to be pretty dumb . contradictory +I was at a picnic where people played a game--a game in which they attempted to flay each other using hand-held metal hooks , stripping skin away from their ribs and spines . People played a game at the picnic . entailment +but i like uh i like the Giants i i kind of think they snuck into the championship this year this past year and and i 'm not so sure they 'll get away with it again but The Giants are a really great football team . neutral +um i 've only i 've got about four maybe i try to limit them because i well one i don 't use them uh too much and i use my Visa just for about for about everything and i pay it all off so i try not to i just use it for free money for thirty days basically I don 't have any credit cards . contradictory +We can keep the fact of having done so quite secret . " We can keep what we did a secret . entailment +that doesn 't uh that doesn 't that situation doesn 't sit around and develop very long You have time to make a considered decision on this issue . contradictory +Sephardic Jews are the descendants of the great Jewish community exiled from Spain in 1492 at the time of the Inquisition . Shepardic Jews were exiled to Spain during the Inquisition . contradictory +Opinion of the Court No opinion of court contradictory +Then the Kentuckian flushed and slammed his weapon back into the holster . The Kentuckian found out that the holster was missing . contradictory +Founded at the end of the first millennium it is named in honor of St. Titus , the island 's patron saint who was charged by St. Paul to convert the Cretans to Christianity . The patron saint of the island is Saint George . contradictory +It had just been part of the parade . It was no longer being used in the parade . entailment +kind of drab It was kind of dull so i turned it off . neutral +The proceeds from all auctions will be deposited in the U.S. Proceeds from the auction will be donated . contradictory +that 's true good point That is right , and that is a great point . entailment +how do you uh manage your budget How do you manage your budget ? entailment +is that right well i 've been lucky i 've been called twice Really , I have been fortunate , I 've been called twice . entailment +And as recently as 1994 , the government jailed for treason politicians who expressed mild pro-Kurdish sentiments . The government threw politicians in jail if they were in favor of the Kurds . entailment +It is this matter , he has said , which led him to found Judicial Watch in 1994 . Because of this , he abandoned his plans to start a group that he was thinking of naming Judicial Watch . contradictory +But the empire 's troubles increased as invaders made further incursions into Byzantine territory . The invaders pushed deeper into Byzantine territory , causing troubles for the empire . entailment +He said , ' Was this an attempt to subvert the Constitution ? He wanted to help subvert the constitution . contradictory +This section describes the first step in this process , the estimation of changes in the incidence of adverse health effects . They estimate the changes of bad health effects . entailment +I always thought my jaw was wider than that . I thought my jaw was thinner than that . contradictory +This was before a vacation on Martha 's Vineyard became a synonym for the first circle of hell . Martha 's Vineyard is a park . contradictory +In Eilat itself dolphins are the big attraction for visitors . Dolphins are the most popular attraction in all of Eilat . neutral +you know it 's just it is just a great cat but It 's a great cat . entailment +When the local course is private , as at the Royal Perakiaolf Club at Ipoh , your hotel may be able to get you temporary membership if you are a member of a golf club back home . All courses are free and open to the public . contradictory +We also will leverage new teams to focus on external issues important to our many stakeholders , and on methodological issues , and strategic studies . We don 't need to look at exernal issues . contradictory +Also upstairs is the Mummy Room where you can find the preserved remains of some of Egypt 's most illustrious rulers . There is a Mummy Room upstairs . entailment +The Commission prepared a Final Regulatory Flexibility Analysis pursuant to section 604 . The Commission put together a Final Regulatory Flexibility Analysis . entailment +Daniel Patrick Moynihan of New York , and Rep. Daniel Patrick Moynihan of Brazil . contradictory +Buenos dias , senor . " He raised a hand to Drew and the Kentuckian nodded . " Good day , sir , " He lifted a hand and the Kentuckian nodded . entailment +Also , the effect on the recipient might not be as large as commonly assumed-in effect , one-half of the mail would be delayed one day . The recipient will never have his mail delayed . contradictory +According to AMS , form letter comments are separately identified because they share the same themes and are received by the Department in large volumes . According to AMS , form letter comments are separately identified because of kids doodling on the envelopes . neutral +Their insatiable appetite for royal gossip is cheerfully fed by a venal press . The press is principled , and won 't print any unsubstantiated gossip about the royals . contradictory +If you turn right along the towpath of the canal , you can chat to Patrick Kavanagh , sitting on a Actually , it 's a life-size bronze commemorating the Irish poet , who died in 1967 . Patrick Kavanagh sits on a Actually everyday . neutral +As a guess , this fraction could easily be in the neighborhood of onequarter to one-eighth . The fraction goes far over one half . contradictory +well Virginia is not a particularly rich state and they managed to find squeak out a few bucks to do it Virginia isn 't a rich state . entailment +Even under a reformed independent prosecutor law , a president would be more at risk of prosecution--or at least of public exposure and humiliation--for this transgression than the ordinary citizen . A president is always treated exactly like a normal citizen . contradictory +'You want me to flush him out of hiding . ' You want me to make him appear so we can arrest him . neutral +In the past two decades , global fertility has dropped by 1.5 children per woman and industrialized nations have fallen below the 2.1 children-per-woman replacement rate . The drop in global fertility rates is a huge hit to the local and global economy . neutral +The price indication given is for a double room , with breakfast , including service and taxes ( currently 5 percent of room price ) in high season ( generally April October ) . A double room for the price given includes breakfast , service , and taxes . entailment +Studio share prices are erratic because there are no guaranteed A studio that makes a killing this year may get killed next year . Studio stock prices can change a lot because you always know how they will perform each year . contradictory +well um i just bought a home so i 've just now went out and purchased my brand new lawn mower and um so i 've been assembling it and haven 't had a chance to get out there and and test it out I bought a new house , so I am looking for a new lawn mower . contradictory +In summer you will find an honor guard of kilted soldiers standing sentry on the walkway over the ditches . Soldiers are no longer at the castle . contradictory +If Clinton blinks the green light next summer , Washington would be in breach of the treaty by mid-2001 , if it hopes to meet the 2005 deadline . Clinton has no impact on this outcome . contradictory +huh that 's difficult yeah Yes , that 's difficult . entailment +Exceptions were quickly carved out ( for example , surgical residents aren 't included ) , and even then many hospitals could not afford to stick to the guidelines . Many hospitals can 't stick to their guidelines , even when exceptions are made . entailment +but i really like the Hondas i like foreign cars a lot I like foreign cars because of my father , he used to drive a Honda neutral +it was i think i almost did that was something I wasn 't able to do that , it would have been something . neutral +Workers were not being trained . The workers need to be trained . neutral +Consider this memo on a case handled through El Programa Hispano of St. Henry Catholic Community Hispanic Center in The handling of cases through the El Programa Hispano are unreliable and you should ignore them . contradictory +( 1 ) conducted extensive Internet and literature searcHe 's to identify actions that each had taken to reduce improper payments , ( 2 ) made site visits to interview representatives involved in identifying and taking actions to reduce improper payments , and ( 3 ) obtained and reviewed organization reports and other documentation describing the actions taken , the results of those actions , and future plans in the area . Representatives have a very difficult job in both spotting and preventing improper payments . neutral +Even those areas that would not be brought into attainment by these caps would need significantly fewer emission reductions to come into attainment . Areas that can 't be capped would need fewer emissions reductions . entailment +I believe she has been poisoned ! She wasn 't poisoned . contradictory +You can tour the pyramids on foot , or take a camel or horseback ride between the main sites . You can only tour the pyramids on foot , because of the budget cuts . contradictory +well that 's what we 're looking forward to and that 's what they say the payoff is but No one has any idea what the payoff will be . contradictory +In short , its gravitational potential was high and the ship 's Calculator was a run-of-the-mill model not designed to plot landing trajectories at that potential range . The ship 's calculator could correctly plot any landing trajectory . contradictory +yeah that 's pretty pretty strange well they they 've already said that um who is it i guess it 's Susan Dey and and uh whoever plays Kuzak isn 't coming back next year so some of this some of this has to do with why they 're not coming back i guess Kuzak was the star of the show since the beginning . neutral +The women and children of the village chose suicide rather than the Ottoman sword and threw themselves from the rocky precipice at the top of the village . The women and children felt that death was the most appropriate option . entailment +Basket weaving and willow work , another of Madeira 's most important export trades , also depend upon locals working out of their own homes . Madeira exports basket weaving . entailment +but i think that i think that that from a a justice standpoint because we have the option of not watching that station uh i 'm not sure i i 'm I don 't think that , we are forced to watch this station . contradictory +He was so vague about his plan , about your exact nature . He was very vague about his plan and your exact nature . entailment +If we choose to stay , many people will die but we can hopefully bite into the bandits on their way in . We can 't stay because , if we do , many civilians will die . entailment +and when they do that they begin paying interest right from that very day on They pay interest starting at that day . entailment +You will find a number of Mary 's personal effects on display . Mary 's personal items are not allowed to be shown . contradictory +You will notice that the word ' possessed ' is spelt first with one ' s ' and subsequently with two , correctly . You will see that the word ' possessed ' was misspelt at first . entailment +The Final Analysis for the Registration Form rule notes that of the approximately 2,700 registered open-end management investment companies , approximately 620 or 620 of the 2,700 companies are expected to fail . neutral +The followers dispersed one by one , each stopping for a reverent look back . They all rushed out at once . contradictory +uh yeah yeah as as long as you give it uh good drainage and uh lot of uh oh some some plant food once a month It needs to have good drainage and it needs to be fed monthly . entailment +New York , like many states , did not embrace the idea at first . New York was opposed to the idea of free legal services . neutral +Christmas time is especially popular here when pilgrims come to admire relics of the holy crib from Beth ? ­ lehem . Approximately one thousand pilgrims visit this place every year . neutral +Brill were ideal for the desert . Brill made a perfect choice for desert . entailment +If , in spite of my warnings , you make up your mind to go through with it , you will find everything arranged . It was a dangerous thing to do . neutral +Hochschild wants to say that we can reclaim safe haven in our family life from a market-dominated world , but her idea of a solution ends up sounding like the ultimate triumph of the commodified mentality . Hochschild has other ideas that are equally dastardly . neutral +yes well oh well i had a German short hair that was frightened of storms the minute it would begin to storm he would just panic I had a German short hair who loved thunderstorms and always wanted to go outside . contradictory +Particulate Matter Small particles . entailment +The mouth becomes literally incapable of talking about the He has already addressed this once . The mouth is unable to talk for a short period of time . neutral +Do you mean they 've arrested him ? Has he been released ? contradictory +yeah that 's true especially well well TI is like anybody else you never know how long you 're going to be here or be in one place you know They like to move you around a lot . neutral +It 's easy to imagine an election where Clinton is initially ahead of Dole , but a third party entry by , say , Jesse Jackson , pushes Dole ahead of Clinton . Jesse Jackson pushed Dole 4 points ahead of Clinton . neutral +yeah i think it could affect the outcome you know could make it unfair No , I think it is fair and would not affect the outcome . contradictory +Carved out of the western sixth of the Iberian peninsula , the country is quite easy to get around . The country boasts of some of the most beautiful scenery . neutral +Perhaps the uncritical reportage of Fitzsimmons ' new story can be explained by pangs of guilt about the uncritical reportage of his old one . Fitzsimmons newest article is making people feel guilty about his past scandles entailment +Wanniski , who invited Farrakhan to a conference last spring , argues that a Republican-nation alliance could guarantee an unbeatable electoral majority for the GOP . Farrakhan was not invited to the conference by Wanninski . contradictory +South of the hotel district at Hammat Tiberias , you will find the mosaic floor of an elegant Byzantine-era synagogue as well as the tomb honoring Maimonides , the great 12th-century Jewish philosopher . Maimonides 's tomb is to the north of Hammat Tiberias . contradictory +New principle-based accounting and reporting standards should be focused on value and risk . Risk and value are both important factors for principle-based accounting . entailment +'My friend and I require some privacy . ' I don 't want to be left alone . contradictory +For some organizations , design review was limited to reviewing a consultantprepared schematic design to ensure that it met the owner organization 's functional requirements for floor area , functional adjacencies and connections , and budget . The process did not always meet budget requirements . neutral +Think what he stands to lose . He is about to take a risk . neutral +There are sea views from some rooms and there is also a swimming pool . None of the rooms are oceanview . contradictory +and then i go no no maybe i sleep more than ten hours you know and Yes , I said I sleep less than ten hours . contradictory +The enemy had over three hours ' start . A three hour lead would be insurmountable . neutral +Population growth and a corresponding increase in crime are primarily responsible for the dwindling number of local candidates , but interest is also waning , Smylie Brown said . The primary responsibilities for dwindling number of local candidates are population growth and an increase in crime . entailment +ten i was just in the middle of watching it I haven 't watched yet , but will later . contradictory +We are providing the guide in hard copy and on a compact disk ( CD ) for agency duplication as needed . Due to copyright they are forbidden from making more copies . contradictory +This estimate is the mean of a distribution fitted to the estimates from 26 value-of-life studies identified in the Section 812 reports as applicable to policy analysis . The estimate is the mean of 5 value of life studies . contradictory +The agency has 53 people on staff , including 27 attorneys , some of whom function as administrators and others who are part-time . There are over 25 attorneys on staff at the agency . entailment +Yes , but there 's no one left to sleuth . There is no one left to investigate . entailment +It was opened promptly , he said a word or two to the doorkeeper , then passed inside . He went in without talking to anybody . contradictory +Mr. Carter lives out of town , but you 'll be safe with him . " You will be save at Mr. Carter 's house out of town . entailment +so oh that 's great that you have them are they oaks that around there Wow that is terrible that you have them . contradictory +Might they be used for this purpose before meeting their ends if we make their deaths as humane as possible ? Assisted suicide might lead to more organ donation . neutral +Soon a new resource will be available in Essex County to expand legal help to victims who find themselves in that predicament . The Essex County has no resources for helping victims . contradictory +Welcoming the decision in an editorial , the paper said it creates a No dictator or tyrant may cite national sovereignty to claim impunity from justice . Dictators should not have to worry about justice at all . contradictory +( It 's not housebroken , and it 's full-grown . ) It 's a puppy who only relives itself on our lawn . contradictory +If the data appear unusual in any way , or fail to meet the necessary assumptions , a statistician should be consulted . Statisticians are never consulted about data contradictory +for for automobile insurance i had no idea I had not idea fro car insurance . entailment +Back during the first term , when Safire called the first lady a congenital liar , his hyperbole overshadowed the fibs Hillary Rodham Clinton was accused of telling . His hyperbole overshadowed the fibs Hillary Rodham Clinton was accused of telling . entailment +In 1986 , Kitty Kelley 's dishy biography , His Way , confirmed most of the nasty gossip about his love life . Kitty Kelley 's 1986 biography has the following title : Her Light . contradictory +Morrison uses both Ruby and its opposite , the Convent , to critique the utopian ideal as dangerous , stultifying , and illusory . Morrison give negative critiques of the utopian ideal . entailment +( Slate published a piece co-authored by Glass last year . There was a piece by Glass in Slate . entailment +As a result , Gandhi and his party were defeated in the elections of November 1989 by the National Front , composed of five parties including the Hindu nationalist Bharatiya Janata Party ( BJP ) . Five parties made up the National Front that defeated Gandhi and his party in November 1989 . entailment +American companies have claimed that the launches helped the United States more than China . 10 American companies have claimed that the launches helped their country . neutral +Raise the drawbridges ! Lift the drawbridges , a boat is coming through . neutral +Has anything happened to Miss Tuppence ? His voice was keen-edged . His voice had a keen edge as he asked . entailment +and i was living such a stringent lifestyle that it was very beneficial to me it taught me not to be so self-centered and it you know to think of others I was not self-centred . contradictory +She crept to the top of the ladder and listened . She carefully crept to the top to avoid detection by the enemy . neutral +HERITAGE ASSETS -Property , plant , and equipment that are unique for one or more of the following historical or natural significance ; cultural , educational or artistic ( e.g. Heritage assets are unique items of historical or natural significance . entailment +okay you want to go first or me I don 't care what you say , I go first . contradictory +uh-huh well now uh i 've got to admit i 'm inclined to agree with you there I have held that opinion for a long time . neutral +A few banks charge fees as high as 23 percent of the gross interest earned . There are some banks that charge over 20 percent interest . entailment +Florida mandates marriage ed and other states may soon follow suit . Florida requires every single state resident to undergo marriage ed . neutral +Elvis knows this is an obsession of mine ; in Sunday 's Chicago Sun-Times I published a long article that questions widespread beliefs about the Texas Instruments digital projection system and extols a much cheaper film projection system called MaxiVision48 , which uses existing , proven technology , and produces a picture its patent holders claim is 500 percent better ( not a misprint ) than existing film or digital projection , take your choice . Patent holder claim the picture is 400 percent better . contradictory +Conditions Requiring a Data Reliability Assessment Conditions do not require a data reliability assessment . contradictory +They will establish a cover charge or require a minimum food purchase for the use of a table . To use a table , there will be a small cover charge or minimum purchase . neutral +It 's a perfect fit for the school 's law in the service of human needs . The school has been actively involved in veteran benefit programs . neutral +However , the message board remains one of its more compelling features . The site still needs to add a message board . contradictory +The Civil War arose because Northerners feared that a small Southern Slave Power had seized control of Washington , while Southerners were convinced the North was determined to destroy their way of life . The Civil War was between Northerners and Southerners . entailment +uh all of Mae West 's movies and just kind of kind of go out and uh rent all the movies and uh uh you know just kind of go i guess you could do that you know get all of David Carradine 's movies or uh um Segal to what 's his first name We would rent movies starring Mae West . entailment +For the first three or four weeks when we were at the height of these disturbing trends , people were picked up and missing from their families and one person died in detention , he says . People were missing from their families and twelve people died while being held . contradictory +At my home . The party is at my home . neutral +If they do not declare a general strike on the 29th " It depends on whether or not they start a strike on the 29th . entailment +You have a message for me ? You don 't have anything to say to me ? contradictory +This is the best evidence yet of the truth of your story . This does not qualify as evidence of the truth of your story . contradictory +yeah yeah well i guess maybe i am into some things occasionally that i don 't think of in terms of self-improvement I only do things for self-improvement . contradictory +uh and it 's and she 's pretty happy i mean she 's here she 's finishing up her freshman year and she 's pretty happy and likes Austin and i got a son though who is a senior at Berkner he is not academically inclined at all he 's very uh kind of unacademically inclined he wants badly to go to Tech because that 's where all all his friends in the neighborhood are going She will likely stay in Austin when she goes to college after finishing . neutral +India accused Pakistan of backing the hijacking and giving shelter to the terrorists . India and Pakistan have no conflicts . contradictory +The small entities include most providers , physicians , and health care suppliers , either by virtue of their non-profit status or by having revenues of $ 5 million or less annually . Small entities make less than five million dollars a year or are non-profits . entailment +If the time ever came that they did have to have a showdown , Johnny Shannon might be the surprised one . If a showdown happened , Johnny would win and not be surprised at all . contradictory +I learned much of their language and skills in pottery , hunting , and even some of their religion , which dated back at least five or six thousand years . They were skilled at pottery and hunting . entailment +But I dunno , I dunno at all . " I have absolutely no idea . entailment +To arrive before the time would look over-eager . Arriving on time makes one appear too eager . contradictory +It was fun . Not fun at all . contradictory +Tudjman , who is fond of Il Duce-type uniforms , rigged the parliamentary elections so that his nationalist party , HDZ , could not lose . The nationalist party , HDZ , lost the elections . contradictory +My Since he seems to hate holidays so much , would it be appropriate to just let him spend holidays at a motel ? He loves the holidays so much that it would be cruel to have him stay at the motel . contradictory +Orrin Hatch about the balanced-budget amendment . George Washington about the balanced-budget amendment . contradictory +The Emperor Justin II built a palace on the largest island in the sixth century ; it soon came to be known as Prinkipo , the Prince 's Isle , and the name later spread to cover the whole group . The Emperor Carl III built a palace on the largest glacier in the sixth century . contradictory +Climb the 15th-century clock tower in the Rue de l 'Horloge or visit Le Jardin Anglais , in front of the 12th-century Basilique Saint-Saveur , for a good view over the river , the small port , and the viaduct . There are places to get a good view . entailment +These elements are ( 1 ) a demonstrated leadership commitment and accountability for change ; ( 2 ) the integration of management improvement initiatives into programmatic decisionmaking ; ( 3 ) thoughtful and rigorous planning to guide decisions , particularly to address human capital and information technology issues ; ( 4 ) employee involvement to elicit ideas and build commitment and accountability ; ( 5 ) organizational alignment to streamline operations and clarify accountability ; and ( 6 ) strong and continuing congressional involvement . Commitment and accountability for change are elements demonstrated by leadership . entailment +that and then you know the laptop that 's how i guess they really stuck it on a disk the teacher you know with no answers and they could take it like that and then just print it out in fax and it would be okay because you can put it on a you know on diskette Faxing and putting it on a diskette would be good . entailment +And sky has no inertia until it is contaminated by contact with the ground . Sky has no inertia until it contacts the ground entailment +Now , even with 2 years of production experience , the supplier continues to have difficulty producing the seeker with acceptable quality . The supplier does not know what to do in production . neutral +Is that right ? " Is that agreeable ? neutral +In many uses of case studies , there is no need to generalize . There are many good case studies , you don 't need to generalize . neutral +In the WTO agreement , 69 countries agreed to open their markets for basic telecommunications services to competition from foreign carriers . The trade agreement outlining telecommunication markets was signed by many countries . entailment +Shh , she said . She wanted it to be quiet . entailment +America produces more wine than any country save Italy , France , and Spain , yet we rank near the bottom in wine consumption . America produces a great deal of wine but consumes very little . entailment +Most city delivery routes are park-and-loop routes . Most city delivery routes are routes where they park and then walk in a loop . neutral +Access Restrictions to and Accountability for Resources and Records It 's very hard to gain access to the company 's records . neutral +but i don 't and none of my I don 't and neither do ( es ) my entailment +Boy , that 's how rumors get started , isn 't it ? This is how rumors get started . entailment +yeah same thing huh it repeats repeats I definitely agree with your theory of repetition . neutral +It was a phrase repeated over and over by esteemed visitors such as H.G. Only important people showed up . neutral +In areas popular with tourists , though , you might find the waiter hovering . The waiter will not hover in areas with tourists . contradictory +There was one second there around midnight when all the signs were at their absolute maximum favorableness . We had a moment of perfect clarity . neutral +On the way down , I couldn 't help feeling the atmosphere . The mood was very dark when I went down . neutral +The commander in chief has made a commitment on behalf of the United States , and the United States must honor that commitment . Personal commitments by the Commander in Chief are not required to be honored by the country . neutral +and it 's it 's really nice to go and see them you know where they can still get around and everything and they still you know do their own thing but it 's it 's really nice to see them because i mean sometimes like i had a great aunt she lived with us for um three months and because she 's starting to get Alzheimer 's disease My great aunt is at the peak of health . contradictory +Of the 4.3 million state residents who find themselves in court each year , more than half are pro per , or self-represented litigants . Over 4 million residents find themselves in court each year . entailment +Yet again a minor the infant James V succeeded to the throne , and Scots nobles were divided as to whether Scotland should draw closer to England or seek help from her old ally , France . James V was an old man by the time he succeeded the throne . contradictory +oh i 'm sorry I 'm sorry for hurting your feelings neutral +Check with the tourist information authorities in Fira before setting out . Fira may not be safe for tourists . neutral +... We 're recognizing that there are differences . We remain ignorant of any differences . contradictory +Watch the illuminated keno board above you to see if enough of your numbers come up to win . The keno board lights up and tells you what numbers were picked . neutral +He kept his eye on the visi-plate . He kept watching the visi-plate . entailment +Early in the war , the Republicans used their one battleship to support an invasion of Mallorca , but it ended in failure . The Republican invasion of Mallorca was a success due to the large amounts of battleships they had . contradictory +Look out for the gilded Golden Temple of Vishwanath , the holiest temple of Varanasi , forbidden to non-Hindus . The gilded Golden Temple of Vishwanath is open to all . contradictory +He did not say that he would take any action in response to He asked if monetary policy should be any different if there were overvaluation . Overvaluation would negatively affect monetary policy for years to come . neutral +so i i can use that and uh I will use that thing . entailment +well mine are older now doing uh their own things so They are dependent on me now that they are older . contradictory +state school okay but you 're excluding high-level education State school , yes , but you are leaving out college . neutral +which is what we wind up with We wound up with a good situation . neutral +The caste system was already taking shape . The caste system would remain in place for centuries . neutral +There is a curious antiquarian feeling , in fact , to the whole leering enterprise , says The New Yorker ' s Anthony Lane . Anthony Lane said that there was an antique feeling . entailment +Well , I said consolingly , " it will be the other way about tomorrow . " " Well , at least this will never change at all . " contradictory +it 's basically just data entry and running you know some some software so it doesn 't really have to be anything sophisticated you know It requires the highest level of scientific expertise . contradictory +This volume is the first of a two volume set referred to as the Codification . This volume is the first of a set known as the Codification which is famous throughout Russia . neutral +so i mean it 's boring so i 'm saying it 's monotonous entailment +In 1543 Portuguese explorers reached Tanegashima Island , off southern Kyushu , followed over the next decade by Portuguese traders and Jesuit missionaries , headed by St Francis Xavier , who landed at Kagoshima in 1549 . In 1543 Portuguese explorers landed at Tanegashima and then proceeded to mainland Japan . neutral +It seems the teacher could have taught Stone and Bronstein a thing or The boy describes how they made love in nearly every room of her home while her husband Steve was away . The boy said they had sex when her husband was gone . entailment +He was almost dead , and still fighting on . The wolf was almost dead but still fighting . neutral +As discussed in section 3 , the large deficits and debt under this simulation imply a substantial reduction in national saving and investment in the capital stock leading to a decline in living standards-in terms of GDP per capita . The large deficits and debt under this simulation imply a substantial reduction in national saving . entailment +yeah yeah i think the biggest change that we 've seen um in in my life or whatever lately is the economy and things are so tight and like my husband hasn 't gotten a raise in two years and you know My husband received a raise one year ago . contradictory +The White House need not turn over any documents until the Supreme Court adjudicates the case . The Supreme Court usually takes from few days to few weeks to adjudicate cases . neutral +If WTP for reductions in mortality risk is linear in risk reduction , then a WTP of $ 50 for a reduction of 1 / 100,000 implies a WTP of $ 500 for a risk reduction of 1 / 10,000 ( which is ten times the risk reduction valued in the study ) . If the WTP for reducing mortality risk is linear it will have major implications for several industries . neutral +She stabbed me in the heart . I got stabbed to death . neutral +and there 's The History of Yoakum County Texas there There 's no book called The History of Yoacum County there . contradictory +Located 50 km ( 30 miles ) north of Paris , Chantilly is celebrated for its chateau , its elegant racecourse and stables , and , not least , for the cryme chantilly ( whipped cream ) typically served on hot waffles . Everyone who goes to Chantilly loves the hot waffles and cream . neutral +To be sure , there is a certain joy in watching a pol caught in pandering gridlock . there is a certain joy in watching a pol caught in pandering gridlock . entailment +Each day , its mini-containers had to be re-filled with substances promoting positive processes in the body leading to the return of good mood . The substances that filled the container looked like blue sand . neutral +so you know and the last one that i picked was here uh the kids brought him over and said he was injured and it was winter time and i said i just cannot have another cat i just cannot have another cat and i looked out there and he was just laying on my lawn just shivering and all and i said i can 't stand it i brought him in so I brought the cat in from outside in the cold . entailment +and and i mean their their day doesn 't end you know when schools out As soon as school is over , their day is done . contradictory +Come on , Julius . Julius is being encouraged . entailment +Severn led them to the narrow tunnel of the rear mine and , feeling the mountain weighing down on them , they half-crawled , half-walked out and back into the night air . Severn took them to the tunnel under the mountain . entailment +he hit her in the stomach with the shovel She was hit in the stomach with a shovel and was injured . neutral +Many of these goals have been met and others continue as work in progress . Ten of the fifteen goals have been completed thus far . neutral +There must be more in this affair of Inglethorp 's with Mrs. Raikes than we thought , to make him hold his tongue so persistently . There must be something deeper in this affair . entailment +I expect your wire 's at the office unopened . Please do not touch the copier in the office as well . neutral +yeah we have a a friend another couple where the husband is the one who cooks The husband never cooks with our friends . contradictory +The primary aim of the strategy is to enable responsible conduct , where the need to obey the law and to behave ethically is part of the organization 's ethos . Primarily , the aim of the strategy is to enable responsible conduct . entailment +In southern rural areas , such strictures have been accepted , especially as the Taliban has provided a stable environment for the cultivation of poppies . The Taliban are seen as gods in this area because they provide the area with safety . neutral +Your measurement in Jacob Weisberg 's The Slate Arts Index appears to be a well-intended method for annual comparisons . Your measurement is very accurate thus it can be used for annual comparisons . neutral +Outwardly , he 's an ordinary clean-limbed , rather blockheaded young Englishman . He 's ordinary but still blockheaded . entailment +Agency personnel should ensure that the contractor fully meets the conditions for acceptable performance . The National Security Agency 's personnel should ensure that contractors are reliable . neutral +For example , to contribute to VA 's strategic goal to provide ' One VA ' world class service to veterans and their families through the effective management of people , technology , processes and financial resources and to address its priority of accuracy , VBA set a national target of 72 percent for fiscal year 2001 for the accuracy rate of original and reopened compensation and pension claims and appeals that were completed and determined to be technically accurate . VA 's decision to promote its strategic goal didn 't stress accuracy as a priority . contradictory +I have yet to hear someone say they are going to a doctor who is kind of mediocre . I know a lot of people who go to incompetent doctors . contradictory +Current Account Adjustments in Industrial Nations . Adjustments were made to accounts . entailment +See the local newspaper for schedule . The local newspaper has all the information on the schedule . neutral +The humidification system will typically consist of water spray injectors ( possibly air atomized ) located upstream of the ACI injectors , a grid for the spray injectors , and a water supply system that will include pumping and metering systems . Regulations require the humidification systems to be close to the water supply system . neutral +What keeps the movie tantalizing is Chloa Sevigny 's Lana , who might or might not know that Brandon is a girl but who 's entranced by him anyway . Chloa Sevigny 's Lana does know that Brandon is a girl . neutral +it didn 't feel that hot It felt quite hot . contradictory +These are Hawaii , Kansas , and New York . The states are Hawaii , Kansas and Ohio . contradictory +but out in the country i mean if i went outside while he was mowing the grass i was going to have a gigantic attack I went outside while he was mowing the grass and nothing happened to me . contradictory +In future trials , he recommended that the fidelity of the intervention and variations among interventionists be more closely monitored . He suggested that interventions be more closely monitored . entailment +yeah oh and i tell you what i worked at McDonald 's as well and i i can tell you one thing there are just some people that i you know you just came to the point where i mean and oh i eventually worked in a lab in a lab as a lab technician and i worked front desk and i mean somebody could walk in the door and i knew exactly what they were going to do and say I 've never worked in fast food . contradictory +Imagine if Michael Lasky , the former racing handicapper who ran Inphomation into the ground , had seen two years ago that margins were going to decline , that in the absence of any professional requirements more and more psychics would be entering the market , that the time for infomercials had passed , and that the Psychic Friends brand name had hit its peak . Michael Lasky ran Inphomation brand into the ground because he did not predict the decline of profit margins . entailment +really that 's why i said you know when it when when their time is right when they 're ready for it you know that it will come about When they 're ready and the time is right , it 'll happen . entailment +Once you 've seen the real thing , maybe you want to visit The Pharaonic Village , a theme park recreating life in Ancient Egypt . The Pharaonic village is a theme park that recreates life in Ancient Egypt , and you may want to check it out after you 've seen the real thing . entailment +Originally incorporated in 1923 as the Legal Aid Society of Albany , it now serves income- eligible clients in eight counties throughout the Capital Region . The Legal Aid Society helps poor people in the Capital Region of New York . neutral +Under current conventions the Postal Service sets prices for whole subclasses and cannot select specific customers for surcharges or discounts . The Postal Service can charge extra fees for special delivery conditions . contradictory +oh that 's interesting you know interesting enough uh the food part was kind of uh important thing in our camping uh when my oldest son Food was very important in our camping trips . entailment +Moreover , the ACI is located in a different part of the plant than FGD or SCR and activated carbon injection occurrs in the ductwork between the air preheater and the ESP or FF . The ACI , FGD and SCR have their own unique positions in the plants , not overlapping with each other . neutral +Oh , I know ! Oh , I am familiar with it and will take action . neutral +Edinburgh Zoo has a penguin parade every day during the summer . There are never any penguins at the Edinburgh Zoo . contradictory +These were 24-carat golden oldies . These were 22-carat golden oldies . contradictory +' To Time Out she said [ I ] t was so exciting . She was To Time Out was really bad . contradictory +He glanced down at his body , noticing that it had somehow developed a healthy deep tan during the few hours of murderous labor the day before . The day before , had worked so hard that he got a skin tan . neutral +oh sure i mean the the British occupied the place the French occupied it we 've done it ah it it 's happened so many times this is this is really nothing special uh This is the first time a nation has decided to occupy the place . contradictory +More and more people demanded more and more care and , thanks to science and technology , that care was far more likely to be efficacious . Science and technology could not help effectively with care . contradictory +i still have to pay it yeah that 's just like up here too it 's like that Mustang that we have the excise tax on it every year there 's a minimum you have to pay and and it 's only twelve dollars I don 't mind paying the excise tax since it 's small . neutral +they hold competitions in Los Angeles in um Florida and Minneapolis Minneapolis um um trying to think of i think it 's in four places around the United States they hold competition and the only requirement is of course your skill of passing these tests The competition is held in Los Angeles , Florida and Minneapolis . entailment +what period yeah no i know which is worse What semicolon i don 't know which is worse contradictory +Talk away , grunted the man . The man asked them to stop talking . contradictory +If only there were creative writing schools in Heaven , or failing that , editors , we could hope that Jesus would learn how to improve on awful sentences like that . There are creative writing schools in Heaven that teach how to write . contradictory +In Great Expectations , she never makes the leap from erotic object to flesh-and-blood human , and that 's not just the fault of the script and director . She was a terrible actress and didn 't do a good portrayal . neutral +The Board of Governors has concluded that the final rule will have a significant economic impact on a substantial number of small entities , and an initial regulatory flexibility analysis and final regulatory flexibility analysis have been prepared and are included in the notice of proposed rulemaking and the final rule notice , respectively , as required by sections 603 and 604 . There aren 't any small entities that will be impacted economically by the final rule according to the Board of Governors . contradictory +Tuppence relented suddenly . Tuppence was beginning to calm down . neutral +16 Unaddressed mail would go to all stops on a carrier 's route . Unaddressed mail goes along for the whole route . entailment +yeah no no i 've just lived here but This is where I live . entailment +oh to find my most important parts but i don 't know i don 't know if i 'm going to go go i wish was an avid camper and i could really talk about like gardening or something i can talk about that a lot but um I 'm not sure sure I ever will . neutral +Building on work undertaken by last year 's grantees , LSC has approved grants to create 29 new statewide web sites . LSC has approved grants to create 42 new statewide web sites . contradictory +And the thought was suddenly in his mind : " We were quite aware of it and because we knew they meant well by us according to their own view of the matter , we did not attempt to attack them . " They had the wrong idea about our intentions . neutral +But he was undone by the chronic unrest of his subjects . He had a lot of unrest in his subjects . entailment +British phlegm ! The British stay calm ! entailment +I guess I 'd better go down and ease his young mind . I should go down there and put him at ease . entailment +i 'm not sure um what exactly is wrong with her um up until nineteen eighty two uh actually i 'm sorry not until yeah i guess it was around eighty two eighty three i found out i had a grandmother I know a lot about what is wrong with her . contradictory +He seemed to have a sense of humour . He was funny . entailment +really that 's true because i don 't know i just didn 't find that one to be real i i just thought it was too far fetched That story was almost too authentic . contradictory +Casting back in his memory , Hanson could not recall seeing the rock slabs the night before . Hanson remembered seeing the rock slabs the previous night . contradictory +yeah it 's it 's it 's like a fad thing i i don 't know it 's i 've never heard of it in the last five years i 've used so much of it that I 've used a lot of it in the last five years . entailment +As part of the participant solicitation process , applicants were asked to commit to lead and participate in at least one statewide activity that will promote positive , lasting change in the client community . As part of the participant solicitation process , applicants were asked to avoid participating in statewide activity . contradictory +You will find that long-range photography is allowed , but it is forbidden to take pictures inside the monument . It 's forbidden to take photos from inside because it might damage the protective coating over the walls . neutral +Do you have any suggestions ? Do you have any ideas ? entailment +The paper 's art critic compared the exhibit to unprocessed sewage and said that if Emin wins the prize , as she very well might , her victory will testify not to the vitality of British art but to a campaign of promotion so brazen that it has left even the cynical London art world awestruck . The art world of London has always been cynical . neutral +" About the runnin 'est horse in his part of the country , Callie . Callie was to ride the horse in the upcoming race . neutral +What will happen if Starr reveals a positive result to Clinton ? There will be no effects from Starr 's reveal . contradictory +Only two synagogues , the Ha 'Ari and the Caro , are of real note . Visitors often overlook the Ha 'Ari and Caro synagogues in favor of the other , more important ones in the area . contradictory +The outdoor life in the Savoie Alps and the resorts around Mont Blanc ( Western Europe 's highest mountain ) can be as exhilarating in summer as in winter . The experience of the outdoors in the Savoie Alps is as exciting in the summer as winter , but not in the fall or spring . neutral +Like a survey of Western art , among the most important collections are classical works by Fra Angelico , Van Eyck , Derer , Rembrandt , Hals , Titian , Van Dyck , and Rubens , and Impressionist works by Manet , Monet , Renoir , Gaugain , Toulouse-Lautrec , C ? ? zanne , and Van Gogh , among many others . Some other paintings have been sold out of the collection over the years . neutral +His feelings had undergone a sharp reaction . He went from elated to depressed . neutral +In any of the hospitals he had known , there would have been hours or days of X-rays and blood tests and temperature taking before he would be released . The tests were given results instantly . contradictory +The second argument against counting psychic harm is that once you start counting it , people train themselves to start feeling it . There are no arguments against counting psychic harm . contradictory +Just east is the Art Nouveau-style , fabulously decayed Hotel Palacio Vienna , a ghost building if ever there was one . Hotel Palacio Vienna does not have an Art Nouveau-style . contradictory +it uh you know we so we kept very much abreast of what was going on We know what is happening . neutral +In the display that follows , items included under the caption weapons systems are valued at the most recent acquisition cost of a comparable item . In the previous display , items included under the caption weapons systems are valued at the most recent acquisition cost of a comparable item . contradictory +So the reverse hypothesis could be just as valid . So the hypothesis that is reverse could be as valid . entailment +'Well , since this is now a job for Post-Publicity , Natalia , it 's going to be up to you to make sure this kind of mistake doesn 't happen again . ' Natalia , you have to make sure this mess-up isn 't repeated . entailment +It travels all the way up to the centre of Little , deposits its passengers on the doorstep of the Salmon Corporation , then winds all the way back down . It went up to the downtown of Little . entailment +Parlayed pastoral visit into a week of self-promotion . The pastoral visit turned into a week of self-promotion . entailment +The massive Palais de Justice , housing the law courts of modern Paris , holds echoes of the nation 's earliest kings , who dwelt here , and of the aristocrats and Rev ? ­ o ? ­ lu ? ­ tionary leaders who , in turn , were imprisoned here before execution . The REvolutionary leaders all escaped unharmed . contradictory +The airy octagonal Place Ven ? ­ d ? ? me still exudes the opulence of its original conception under Louis XIV ; at that time only his financiers could afford the exorbitant rents . Pace Vendome could house 50 residents . neutral +Just reverse the route if you 're coming from Brittany . If you 're coming from Brittany , reverse the route . entailment +well we had there there 's a little background here but it it builds up to what we 're talking about our church had a long long discussion group and basically the question started out that as at the time when there were starving people in India i believe Our church discussion group spent over two hours talking about India . neutral +see that 's what it is here too See that the same is true here too . entailment +At home , Deb and Mario and the rest of us--whether Amerco employees or Slate free-lancers with children , like me--don 't exactly fit the model of mere repetitive-motion machines . We 're basically robots all the time . contradictory +we bought that and it was uh the paint was uh so-so i had scraped i had to do a lot of scraping and then i put uh uh water base paint over the uh oil The paint was amazing . contradictory +Orrin Hatch about the balanced-budget amendment . Orrin Hatch about the destabilized-budget amendment . neutral +On higher ground behind the lake is the Museum of Delos . The Museum of Delos is underwater in the lake near the high ground . contradictory +He would not stoop to grovel at such false nobility , the spoiled children of corrupt kings and hollow princes . He considered them to be false nobility and would not grovel before them . entailment +Performance audits provide information to improve program operations and facilitate decisionmaking by parties with responsibility to oversee or initiate corrective action , and improve public accountability . They do not care about the program . contradictory +You 've seen this sort of picture People get drunk and drag skeletons out of closets , and the tension between the formal dinner party rituals and the truths that simmer beneath the surface give way to a Walpurgisnacht . The anti-patriarchal content is fairly routine , but you should see the movie anyway because the director , Thomas Vinterberg , is a great , hypersensitive filmmaker whose edgy , grainy , caught-on-the-fly camerawork seems to make the very celluloid shiver with rage . Thomas Vinterberg co-produced this film and Spike Lee directed it . contradictory +uh but i it 's amazing because they 're they 're bilingual I was not at all amazed because speaking two languages is an easy feat . contradictory +And that 's why we used to have dormitories that separated the boys and the girls , and we had chaperones at the dances . It seems archaic , but there were good reasons at the time for this separation of the genders . neutral +Creative Turmoil Peaceful and relaxing creativity . contradictory +I got tickets ! The person has tickets . entailment +Examples of niche classification proposals recommended in recent Commission proceedings , and Postal Service product innovations considered in other cases , are described in the Appendix to this report . The Appendix describes in more detail the classifications for the proposals . entailment +Sex in the car wash ( 37 seconds ) : The video is 37 seconds long . entailment +It was like a miracle to see the girl I loved turn up in a nurse 's kit " But Julius interrupted him . " It was like a miracle to see the boy I love turn up in a plumber outfit " , the person said , and Julius acquiesced . contradictory +So we sit . " He spat on the ground . The man chuckled before spitting on the ground . neutral +Other kinds of seafood more commonly appear as meze kalamar ( squid ) , ahtapod ( octopus ) , karides ( prawns ) , sardalya ( sardines ) , and midye ( mussels ) . Squid is rarely consumed . neutral +Say what ? Say what now ? neutral +Conceived as a theater and emphasizing the decorative space as much as the buildings surrounding it , the piazza satisfies the need of Mediterranean peoples to conduct their lives in the open air . The piazza is still used as a theater today . neutral +He glanced about for Nema , but she was out on one of her infrequent other duties . Nema occasionally had other duties that had to be fulfilled . entailment +The United States is ready for war , having amassed more than 20,000 troops in Kuwait and Saudi Arabia . The US is backing down by extracting all of the troops from Kuwait . contradictory +It 's a highly ritualized three-act art form that depends initially on the aggressiveness of the bull and the torero 's skill and ability to take risks . The crowd will throw tomatoes if the bull is not aggressive . neutral +Thus developed the katakana system used as a vehicle for writing Buddhist names and concepts . The katakana system was adopted by the entire country . neutral +At the heart of the report was a survey of 1,622 third-year law students at 117 campuses in 40 states and the District of Columbia . 0 3rd year law students in DC contradictory +You can see the base of the medieval towers in an excavated area of the Cour . You can see the base of the Church from the excavated area of the Lourve . contradictory +Slim stepped out and approached . Slim was shy and stayed back . contradictory +And you 'll sleep oh yes , my little spy , you 'll sleep all right ! " There was a sort of hideous geniality in the last words which Tuppence did not at all like . Tuppence did not like the hideous geniality of the last words . entailment +that , in context , depicts or describes , That gives more information . entailment +Short-Term Exposure , Non-COPD Related , Ages 65 PM2 . Short-Term Exposure is related to subjects ages 65 . entailment +The grid cells are aggregated to estimate the health impact of the change in air quality across the study region . The change in air quality is never measured or estimated by anything . contradictory +we have you know used some of it for some personal things we keep track of personal budgets and things like that on it um i since it 's tax season i 'm doing a lot of taxes so i do a lot of um a lot of that work on it as well we spent some of it on items for ourselves entailment +But the physician 's need for diagnosis is what drives the process . The doctor 's desire to get a diagnosis is what motivates the process . entailment +But the Lojack research is in many ways more informative , because the authors were able to do a thorough job of distinguishing between benefits to the purchaser of a Lojack and benefits to the community at large . The authors of the Lojack research did a thorough job . entailment +As a result , Gradualist reform became discredited and civil unrest a feature of everyday life . Gradualist reform was successful , and civil unrest was unheard of . contradictory +I have need of reflection . I need to stop thinking about it . contradictory +The Sherman 's march through Chechnya is not just boosting Russian military pride . The Sherman 's are currently marching through Chechnya . entailment +The gentle paths along the small rivers that meander through the town provide serene views of ricefields and superb scenery . The genuine experience from walking along the serene paths is amazing . neutral +so it 's been inordinately warm uh here for uh for this time of year so uh in that regard it 's it 's fine but uh It has been very cold the last several months . contradictory +You can use your computer to take a virtual tour of the abbey at & lt ; www.abbayedefontenay.com & gt ; . There are no virtual tours is available online of the abbey . contradictory +Avenue de la Grande-Armee points straight to Neuilly and the towers of La Defense with the Grande Arche behind . The Grande-Armee avenue leads straight to Neuilly and a couple of towers . entailment +In the Baptism of Christ ( 1470 ) of Verrocchio , you can see the earliest identified work of his most famous pupil , Leonardo da Vinci the background landscape and the angel on the left , beautiful enough to reduce his companion angel to wide-eyed jealousy . Leonardo da Vinci painted the angel in Verrocchio 's Baptism of Christ with soft , curly hair , and a playful smile . neutral +" A star , " she said sadly . She was happy at the star . contradictory +Clive became governor and placed his own nawab on the throne , in exchange for ? £ 500,000 for himself and the Company . Clive was governor and placed his nawab on the throne in exchange for cash and the company . entailment +you 're right and that 's kind of silly You are wrong and thats smart contradictory +What are the long-term outcomes ( 12 months or more ) of various interventions with patients of differing levels of severity ? Long-term outcomes mean 12 months or more . entailment +Should we pressure those companies to stop announcing layoffs ? Is it a good idea to stop those companies from announcing layoffs ? entailment +yeah oh okay i see what you 're saying yeah I can see what you 're saying entailment +Those in need of assistance may call the Legal Aid Foundation of Los Angeles at ( 800 ) 399-4529 There is nobody that can be contacted for assistance . contradictory +The Commission also describes how excluding small business issuers from all but the accounting policy disclosures required by the rule limits substantially the application of the amendments to small entities . Small business issuers aren 't excluded from anything except for the accounting policy disclosure . contradictory +What about it , Kirby ? I don 't care about your opinion , Kirby . contradictory +Seathwaite is the gateway to Scafel Pike ( a 6-km / 4-mile footpath connects them ) , and the mountain may attract more clouds and more intense rain than other peaks in the lakes . The mountain always has clear weather . contradictory +Yes , you 're entitled to know that , I think . 31 He leaned back in his chair , crossed his legs , brought the tips of his fingers together , and began in a low monotone : " Secret diplomacy ( which , by the way , is nearly always bad policy ! ) does not concern you . He always enjoyed talking while in his chair . neutral +Jon caught Adrin 's rapier tip in the points of the falcon wings of his rapier 's guard . Jon caught Adrin 's rapier tip in the guard of his own rapier . entailment +he starts nuking Israel man he 's in big trouble i mean we 'll just we 'll hear about it you know what i mean if anything major happens we 're going to find out so let 's chill out and just do what we need to do so It will be a major predicament if he starts bombing Israel , it will even lead to World War 3 . neutral +The man who gave the Iron Curtain its name is the true democratic hero of our age . The true democratic hero of our age is the man who gave the Iron Curtain its bag . contradictory +But the main problems the mob faces are only getting worse . The mob has many problems in organization and timing . neutral +so i guess it was just a generational thing I am not sure what it had to do with . contradictory +It 's a line the Christian sportswear industry does its best to fudge , boasting that its wares are expressions of faith , when they are in fact crass , occasionally intimidating assertions of spiritual superiority . No one ever thought of making clothing influenced by faith . contradictory +well there 's this fallen tree across the stream and these streams of course are felt fed by melted snow so they 're cold anyway This tree has fallen across the stream , so we can cross over to the other side without falling . neutral +wow um-hum um-hum wow it 's true it 's true just just picking up the equipment that i have you know and and and i didn 't blink an eyelash that 's what got to me when the man you know said and that 'll be five hundred and something dollars you know with my my big new lawn mower and stuff i was just okay you know so yeah you 're right you 're right you can i think you can go through quite a bit of money i think it depends too where you buy it from if you buy it from a nursery or um we have like Home Depot here i don 't know if you have that there is The equipment can get quite costly , so you need to watch where you buy it from . entailment +had some health problems that have led me to uh stay more on than off I would never stay there , even if I had health problems . contradictory +Celtic tribes ' probably from eastern Europe ' came looking for greener pastures in the areas that are now Franche-Comt ? ? , Alsace , and Bur ? ­ gundy . Celtic tribes went there looking for a better place . entailment +um-hum right i made a apple pan downy when the pastor and his wife came over and she didn 't eat it She didn 't eat the dish because she didn 't like it . neutral +when we have enough calls from you you will receive in the mail a numbered certificate for your calls and and explanation how to redeem We need you stop calling us because we 're not going to send you anything . contradictory +For the fifth consecutive year , it 's going to let pretty girls ship everything book rate . Things can be shipped book rate . entailment +Nevertheless , this approach has proven effective in securing funds year to year . This approach worked in getting funding from individual donors . neutral +um well the first thing we always plant is tomatoes i mean every year i don 't care if we don 't have anything else we 're going to have tomatoes and then we plant cucumbers and uh we We always plant tomatoes first and then next are the cucumbers . entailment +and at the same time i i see some colder winters in the Midwest i think they 've gotten more snow in the past five years than we 're having here on the East Coast The East Coast has definitely had colder winters and more snow than the Midwest lately . contradictory +Indeed , said the doctor , starting . Of course , said the doctor , beginning . entailment +it 's basically the more the business business end of it than the programming end of it you know It 's essentially more business than programming you know ? entailment +right well that 's neat well i i have a my daughter has Precious Moments collection and i like that because it 's a it 's real easy to I have a collection of Precious Moments items . neutral +Issues in civil cases include family matters , housing and employment cases , consumer protection , public benefits and income maintenance . Civil cases are common . neutral +well now the thing you you know course they 've always said separately that um you know we have a we have a policy on alcohol course if anybody 's under the uh influence or if you have reasonable suspicion then that would result in corrective action for them also and that of course has been in place for years Corrective action policies have been in place for years . entailment +and so that 's what they were trying to do with the tax situation and of course that 's when he said well you render unto Caesar 's what is Caesar 's you render unto God what is God 's and uh The tax situation and the quote involving Caesar were completely unrelated . contradictory +For one instant he stopped dead , staring at the figure on the bed , and , at the same instant , Mrs. Inglethorp cried out in a strangled voice , her eyes fixed on the doctor : " Alfred , Alfred , , " Then she fell back motionless on the pillows . Mrs. Inglethorp looked carefully at the doctor while repeating Alfred 's name . entailment +Under the project , which was created as part of the IRS Restructuring and Reform Act of 1998 , the IRS provides funding to programs that offer tax education and representation to low-income individuals . Most low-income individuals cannot do their own taxes . neutral +Scheck was too busy being a lawyer , too busy trying to redeem a ( possibly ) innocent client , to join him . Scheck couldn 't join him because he was too busy being a lawyer . entailment +Outliers Instances that are aberrant or do not fit with other instances ; instances that , compared to other members of a population , are at the extremes on relevant dimensions . Outlier instances are close to average compared to other instances . contradictory +it does it really does you know she and they have to go back uh occasionally you know she has to write letters to the parole board and you know lawyers and just just ever so often she mentions well she 's got to do something else you know write another letter or do something it 's just She has never contacted the parole board . contradictory +Lawrence followed him , and Mrs. Cavendish sat down by us . Mrs. Cavendish needed to speak with us . neutral +The woman , Vrenna , knelt down to Susan and their eyes met . Vrenna knelt down to her precious dog Susan because she knew she was dying . neutral +It made Adrin and Ca 'daan both jump . It only made Ca 'daan jump . contradictory +Knowledge about a product 's design and producibility facilitates informed decisions about whether to significantly increase investments and reduces the risk of costly design changes later in the program . Knowing about the product 's design helps you make informed decisions about investing in it . entailment +um-hum yeah and then when our dorm we whenever our bins are all filled up we take them and turn them in and then we get money for that We get money for turning in our full recyclable bins . entailment +cases of rape or in different things that are so horrible what it means when they sentence them to you know they 'll sentence them to ninety years and say that it 's you know that it 's going to you know that should be life but instead in in given the choice of either sentencing to death or sentencing to life they 'll give them ninety years in prison or something If someone commits a serious crime , they shouldn 't give them the death penalty . contradictory +By doing so , we also hope to demonstrate to other federal agencies that they can make similar improvements in the way they manage their people . They hope to not demonstrate to other federal agencies contradictory +In that case , I have no alternative but to agree . I can 't agree . contradictory +She jerked her head , and a thick braid flopped from under her wide-brimmed hat . From under her wide-brimmed hat a thick braid flopped . entailment +well yeah uh well uh wouldn 't it 's just probably a good thing that the oil 's burning and may may make some people realize that hey you know this stuff runs out It may result in them realizing that this resource isn 't limitless . entailment +The temples are divided into three western , eastern , and southern . The northern part was destroyed many years ago . entailment +They each ate a chunk of the bread , enjoying every crumb . They enjoyed every crumb of the chunk of cheese . contradictory +The convent church is a splendid building , with walls completely covered by rare , 17th-century azuleJosen geometric patterns , and with a fine painted ceiling . There are very few churches that have the same patterns on the walls . neutral +2 is the technical gain from have a lower cost provider do the work . 3 is a technical loss . contradictory +Prospect adds that the best sociological research is coming from independent think tanks and corporations , not from universities . The best sociological research comes from universities . contradictory +'I do hope you will come around to seeing things my way . ' She had no interest in me agreeing with her . contradictory +The covered northern staircase and the broad stone southern staircase both lead up to the main walkway encircling the temple , which has massive lanterns and a strange assortment of artwork donated by supporting companies . Food and beverage companies are among those who donated to the temple . neutral +well let us hope that everybody 's going to be paying more attention to this and that we will get uh better reuse of things because Better reuse of things will result in everybody being happy . neutral +During this time , gross domestic product has increased almost 160 % . They were disappointed that the product decreased by 60 % . contradictory +Trinity 's most important possession is the ninth-century Book of Kells . Trinity does not value the Book of Kells much . contradictory +Twenty million people suffer from this heart condition worldwide . The majority of people suffering from this heart condition are in North America . neutral +So head first for the tourist office on the huge Place Bellecour , in the middle of the Presqu 'ile , the peninsula between the two rivers . Firstly , go to the tourist office on the big square . entailment +The modern building wins few admirers , but there is a free tour ( Sunday and Thursday , 8 : 30 a.m. to 2 : 30 p.m. ) and you can watch the debates ( Monday through Wednesday , 4 : 00 to 7 : 00 p.m. ) . Passports needed for both . The tours are offered on Mondays and Wednesdays . contradictory +France 's oldest seaside resort and the closest beach to Paris is a popular gateway to Normandy for those croseng the English Channel from Newhaven . Those crossing the English Channel from Newhaven can visit France 's oldest seaside resort . entailment +The vote on Proposition 227 is evidence of the public will , says Gigot--the people reject screwy ideas such as bilingual education . The vote on Proposition is definitely not evidence , says Giot . contradictory +Let the Brits care for the Brits . The English will care for their own . entailment +The resources required for the installation of control technologies to achieve the emission reductions under the Clear Skies Act were estimated and compared to their current market availability . Companies were very reluctant to do the control technology installations . neutral +Second , rats are not humans . The last point : rats are not humans . neutral +never oh so do i Not at any time and me too . entailment +The modern concrete-and-glass structure of the Tel Aviv Museum of Art houses an excellent collection of Israeli and European art spanning the 16th to 20th centuries . The Tel Aviv Museum of Art is a boarded-up building . contradictory +i don 't really have a good solution for the budget thing either except for that um i know that they 're trying to be they 're that they 're supposedly trying to be fair with taxes and by making it more equal I have a number of possible solutions that might work for the company . neutral +But , it has provoked ideas about the role of environment that , if confirmed by further study , can inform moral discourse and public policy . The ideas are a hand full . neutral +Flytrap is a case of journalists doing precisely what press critics are always hectoring them to do--just supply the facts , don 't indulge in opinion or conclusion--and shows the inadequacy of that journalistic ideal . Flytrap is an example of journalists supplying the facts without veering at all . neutral +In my last message , I observed that West , like Gates , wants to be Du Bois when he grows up . Gates and West did not want to be like Du Bois when they grow up . contradictory +yeah that 's funny because every once in a while if my husband and i have traveled or something um and we pick up a local paper we 're really shocked even in a major city at how local it is it 's really provincial Papers from big cities are totally differen from small local papers . contradictory +she 's really a go-getter that uh and she started off uh cleaning uh houses She used to be a nurse at a hospital . neutral +uh so fortunately i don 't know what the cholesterol level is but at least it hasn 't clogged up yet I am not knowledgeable about cholesterol level , but nothing is clogged up yet . entailment +Ferguson 's carefully lawyered answer to Jones ' complaint , in which she seeks damages from him as well as Clinton , confirms that he then escorted Jones to the upstairs floor and pointed out Clinton 's suite . Ferguson pointed out Clinton 's suite to Jones . entailment +well that 's a good initiative uh i guess if but The person encourages the girl 's initiative . neutral +no no that would complicate things even more That would make things more complicated . entailment +There are lots of enormous rocks , anyway , which in my experience tends to mean lots of enormous snakes . Where there are enormous rocks there are enormous snakes and bugs . neutral +I only wanted to tell you something . I have to tell you everything about last night . contradictory +Either the body they 'd given him or the conjuring during the right split second had enabled him to heal almost before a blow was struck . He was able to heal like that because this was all a dream . neutral +Texas ain 't Texas no more ; it 's th ' Fifth Military District . Texas is exactly the same as before , nothing has changed . contradictory +Below the Rond-Point , the mood changes and a pleasant park leads you past two the Petit Palais , all steel and glass , and the Grand Palais . A pleasant park makes both the journey as pleasant as the destination . neutral +But murder 's a violent crime . Murder is no crime . contradictory +Windows in the colonnade on the left give a glimpse of their tiny rooms ; sticks hanging on the walls were used to beat miscreants on the soles of their feet , a mandatory punishment for all novices . There were no sticks on the wall for beating people contradictory +In areas popular with tourists , though , you might find the waiter hovering . Waiters do not hover in areas unpopular with tourists . neutral +What is the trouble ? I asked . I was trying to justify my actions . neutral +to me black and white is photography color is more snapshot Black and white photography would not be considered snapshot . contradictory +Also , skilled workers from other trades may choose to work as a boilermaker , so a shorter apprenticeship may be possible , depending upon the experience and skill level of the individual . Mechanical engineers are choosing to work as biolermakers far more than workers from any other trade . neutral +No , no ! Poirot went up to her and pleaded in a low voice . Poirot went up to her and screamed abusive words in her face . contradictory +Thank you , Manning , that will do , said Poirot pleasantly . Poirot thanked Manning rudely and abruptly and told him to go away . contradictory +How do you know that you are not a puppet for a young girl ? How do you know the girl isn 't making you do evil things ? neutral +California has the highest number of people in poverty in the nation - 6.4 million , including nearly one in five children . New assistance programs are being implemented to help California 's poverty population . neutral +New Democrats don 't want any expensive new federal programs , and they want to remake most of the old ones with market-based ideas . Democrats don 't want government programs to cost more than $ 4billion . neutral +You see , explained Tuppence still sweetly , " I 'm so very fond of money ! " Tuppence cares a lot about money . entailment +Commissioned by Charles II , the paintings were all the work of one man , Dutch artist Jacob de Wit . Jacob de Wit painted all of the paintings . entailment +Any modern presidential affair would need to meet stringent demands . A president 's affairs are no laughing matter , and must meet certain requirements . neutral +If you turn right instead of left from O 'Connell bridge , you will come to one of Dublin 's great architectural masterpieces , the Custom House ( Visitor Centre open mid-March mid-November , Monday Friday 10am 5pm , Saturday and Sunday 2pm 5pm ; winter , Wednesday Friday only ) . The Custom House is widely regarded as the most beautiful building in Dublin . neutral +oh oh i know who you mean he was in uh uh Honey Don 't Shrink the Kids wasn 't he He was a great actor until he started doing drugs . neutral +These concerns are not really new to Las Vegas ; they had simply been overshadowed by growth in recent years . Las Vegas is rapidly growing . neutral +The Daibutsu and Kotoku-in temple are in Hase , the district in the western part of Kamakura . Kamakura contains a district called Hase . entailment +yeah that no no but how often do you go to aerobics Do you go to aerobics every week ? neutral +Highlights include an Indian-style Shaka triad ; the Yumechigae ( Dream Changing ) Kannon , said to transform its worshippers ' nightmares into pleasant dreams ; and the Kudara Kannon , a graceful , willowy statue named after a region in Korea , whose designer and creator was almost certainly Korean . Highlights include an Indian-style Shaka triad ; the Yumechigae ( Dream Changing ) Kannon , said to transform its worshippers ' nightmares into good dreams ; and the Kudara Kannon , a graceful , dainty statue named after a region in Korea , whose designer and creator was almost certainly Korean . neutral +um-hum do you go to an aerobics class or do you watch on TV Do you attend an aerobics class ? entailment +How do I fight this barbarian ? I 'm sorry I 've never had the proper schooling to not so quickly kick your arse , " said the Kal . Kal asked how to fight the barbarian . entailment +Under the Save the Social Security Surpluses Simulation 89 Figure 4.4 : GDP Per Capita Under Alternative Fiscal Policy Simulations Under the Fiscal Policy is a Surplus simulation . contradictory +Leading organizations also consider various leadership models and position their CIOs at a clear , executive level , as in principle II . Organizations should think about different leadership models . entailment +Constructed in 1905 , rebuilt several times since , and getting ready for another million-dollar facelift , this was the main connection with the south until the state highway was built in 1929 . It was rebuilt several times because of the heavy traffic , neutral +Somewhat nervously , I stayed behind . I stuck behind somewhat nervously . entailment +uh-huh i 've heard of it i haven 't watched it uh uh-huh I know what it 's about , I 'm not sure I 'd be into it . neutral +Mail on all other city routes is delivered six days a week . Mail on all other city routes is delivered from Monday to Saturday . neutral +right exactly or uh uh an older peer will come up to him and and uh try to try to get him hooked on it so that he 'll start selling it or something you know and uh i know uh you know just growing up An older friend is always the one that gives kids pot for the first time . neutral +Errors are considered acceptable under these You have assessed the associated risk and found the errors are not significant enough to cause a reasonable person , aware of the errors , to doubt a finding , conclusion , or recommendation based on the data . Errors are acceptable no matter what . contradictory +The talking animals and discombobulated cityscapes are so exquisite that I started to snivel about 10 minutes in and more or less kept it up for the next hour and a half . The cityscapes were exquisite . neutral +Spread along the hillside above the Monastery of the Croseare the pavilions of the extraordinary Israel Museum , which comprises museums of art , archaeology , and ethnography as well as a special pavilion devoted to the Dead Sea Scrolls . The Israel Museum will not share anything about the Dead Sea Scrolls . contradictory +uh-huh oh is that true now now we 're we 're in Texas now and you 're in Texas right What a coincidence that you are in Texas . neutral +Also , the other woman was slowly edging her up the passage . The other woman was approaching her slowly in the passage . entailment +Your brother has no children . Your brother is childless . entailment +Ten minutes later the lady was ensconced comfortably on her bed , smoking cigarettes and deep in the perusal of Garnaby Williams , the Boy Detective , which , with other threepenny works of lurid fiction , she had sent out to purchase . She sat on her bed with no books . contradictory +and he didn 't redo anything so it 's it 's coming back a little bit now this year He didn 't do anything again . entailment +[ Financial Accounting Standard Board , Statement of Financial Accounting Standard No . The board of audits . contradictory +The point critical to the Court 's analysis was not , as the Court would have it , that it is part of the usual functioning of student newspapers to expres [ s ] many different points of view , ante , at 9 ( it surely is not ) , but rather that the spending program itself had been created to encourage a diversity of views from private speakers , 515 Diversity of views was not considered . contradictory +At the top of the steps is the two-story Yomeimon , the Gate of Sunlight the triumphal masterpiece of Toshogu , rightly declared a National Treasure . The Gate of Sunlight was built in the mid 1500s . neutral +Thar 's always some greenhorn as thinks he has " There are greenhorns and they are no good . neutral +Susan said she would like to stay , " said Ca 'daan . Ca 'daan said Susan was going to leave . contradictory +Most of the guided tours commence at the Magnesian Gate and head downhill along the main street . The guided tours head downhill along main street . entailment +At the MGM Grand Adventure Theme Park ( Tel . 702 / 891-7777 ; open spring and summer only ) , visitors can raft a small river , take a 200-ft ( 61-m ) freefall from the Sky Screamer , watch a colorful sea battle , or chat with strolling MGM characters . The theme park also has nine roller coasters . neutral +Even if the payments to Hale were conclusively proved , they don 't necessarily undermine his Whitewater testimony . Hale gave testimony about Whitewater . entailment +Well , my good fellow , what is it ? asked Tommy . Tommy didn 't bother speaking to the fellow . contradictory +If a husband knocks his wife down , breaks her jaw or arm - abuses her terribly - he will be picked up and put in jail . A husband won 't be charged for hitting his wife . contradictory +do it and get it over with Act quickly now to just end it without further complications . entailment +and consequently some of the very best students were had excellent memories The students who didn 't have excellent memories all failed miserably . neutral +If I could , I 'd kill you now , with the snetha-knife so they couldn 't revive you . " Dave said reasonably , " You can 't expect me to like it , you know . " Killing you with a snetha-knife wouldn 't prevent them from reviving you . " contradictory +right that 's just a matter of defining priorities i guess or some priorities anyway That doesn 't really include defining priorities at all . contradictory +As a result of these activities , the Medicare There were no activities to extrapolate results from . contradictory +that 's great i 'd forgotten all about the Texan side and that 's but you got to be a member of Texans to use it I almost forgot about the Texan side . neutral +and most of them are partying The majority are doing parties . entailment +Quite right , Miss Tuppence . Tuppence is right . entailment +How ? Sir James 's questions fairly shot out . Sir James had a slip of the tongue . neutral +As opposed to the function in the original study , which used median levels . The function in the original study uses median levels as opposed to the mean , like the revised study . neutral +i know excuse me just a minute i think Katy get off the phone Katy is being annoying on the phone and I hate her . neutral +The 24 China Folk Culture Villages represent China 's ethnic variety ; they feature craftspeople in traditional costumes along with folksong and dance performances . They are not dressed in traditional costumes . contradictory +You may stroll into the close if the gates are open . You must go in when the gates are closed . contradictory +Japanese expansionist policies were leading to direct confrontation with the West . Expansionist policies had not previously been known in Japan . neutral +i loaded the kids in the car and we went downtown and met her train for half an hour and brought her a little snack and an Easter basket and i think it it made her trip a little bit nicer I left the kids at home when I when to the train . contradictory +La Repubblica of Rome reported Wednesday that the singer Michael Jackson has been fined 4 million lire ( around $ 2,200 ) for plagiarism . Michael Jackson paid a $ 2,200 fine to the Roman government . neutral +Picking the right leadership for these critical positions in the new department will be crucial to its success . Leadership doesn 't matter much to organizations . contradictory +i just remember oh yeah our guys are over there and it 's sad and we shouldn 't be fighting a war but there was no let 's support them you know We haven 't had anyone sent over to fight in a war . contradictory +well i think uh i haven 't had that much of course i just heard but i haven 't had that much time to think about it either i guess the um biggest thing i find find find is the financial aspects uh particularly I haven 't had enough time to consider that . entailment +Jon paused for a moment before speaking . Jon resumed speaking . entailment +An ' what Topham says is true , th ' kid ain 't no troublemaker . Topham is right , the child isn 't a troublemaker . entailment +In the center of the square stood a statue of a nude man with a spear piercing the mouth of a large worm with the head of a grotesque woman . This statue is in germany and has been here for several years . neutral +The highlight of the trip is the visit to see Charlie , a 4-m ( 13-ft ) crocodile who swims up to the boat when called . The visit to see Charlie , a 13 foot crocodile who swims up to the boat when called , is the highlight of the trip . entailment +Shall we say after a bath and breakfast ? " It was arranged that Tuppence and Julius should return to the Ritz , and call for Sir James in the car . Tuppence and Julius will return to the Ritz after a bath and breakfast . entailment +yeah from everywhere too not just from Mexico you know just everywhere It comes from everywhere including Mexico . entailment +In subtropical Hong Kong you can swim from April to early November . You can swim from April to early November in subtropical Hong Kong entailment +The Las Vegas Thunder hockey team ( which is not affiliated with any NHL franchise ) competes in the Thomas and Mack Ceter . The Las Vegas Thunder are primarily a rec league team . neutral +On my second go-round I cut 200 pages , dipping below the laminated Page 1,000 I 'd presented in 1996 to Katy Medina , my editor at Random House , as evidence of my progress . I presented in 1990 to Katy Medina as evidence of my progress . contradictory +Lisbon 's Se Patriarcal ( cathedral ) appears out of nowhere at a bend in the road ( most easily reached from the center by continuing east on the extension of Rua da Concei � o ) . Lisbon does not have a cathedral of its own . contradictory +from front-line employees and managers , and a variety of implementation issues , such as workload demands . This can be mitigated by carefully examining ( and eliminating ) current responsibilities . neutral +Albuquerque built a fortress , which he named A Famosa ( The Famous ) , and St. Paul 's church on the site of the sultan 's palace . Albuquerque had no desire to build a fortress , and instead built a small church . contradictory +But it is not the most vital work . This is the most critical work available . contradictory +A , what do you have to say about what Mr. B just said ? Mr. B did not say anything . contradictory +Data suggest that few patients comply with a simple referral to seek treatment after emergency department discharge . Patients are too lazy to get a referral . neutral +With the model benchmarked to AEO2001 , and given the different mix of scenario assumptions previously described , AMIGA reports the results in the figures and tables that follow . The AMIGA tables are likely to be the most useful to readers . neutral +'What 's it like to be back in Louisian ? ' Is it different back in Louisian ? entailment +'Mr . Whittington , perhaps ? ' Mr. Whittington was implicated . neutral +But American authorities balk even at such a modest suggestion . Such a modern suggestion will cause American authorities to balk . entailment +After the devastating experience of Mussolini 's fascism , national government is rarely regarded as an obvious solution to the people 's daily problems . National government has always been regarded as an obvious solution . contradictory +The soon to be ex-husband of a makeup woman for Oprah Winfrey also says he couldn 't compete with the trips and gifts the generous talk show host lavished on his wife , according to the Globe . Any time I tried to talk to her , she would cut me short and say she was being elevated to a higher level , the husband says . The soon to be ex-husband of the makeup woman didn 't have as much money as Oprah . neutral +This , however , is unlikely to happen quickly . It will probably occur rapidly . contradictory +uh-huh oh no kidding Yeah I already knew that . contradictory +But foreign invasions are nothing new to these islanders . The islanders have experienced invasions by foreigners . entailment +and it was very easy to maintain this stand that you know that that life is something that you have no right to to take It 's simple to believe that you shouldn 't take a life unless that person is terrible . neutral +that 's funny well that 's good well i think we kept it at real good That 's not funny because we didn 't stick with it . contradictory +i like to be able to sweat have my hair a mess I like sweating and making my hair messy . entailment +Kleiman called that charge completely spurious . Kleiman had very strong words and stated the charge was frightfully spurious . neutral +and my my uh taxes are a hundred and thirty five My taxes are $ 300 . contradictory +Take about 10 minutes to think through this example and write out your answer . Read the example and write down what you think is wrong about it . contradictory +i mean that 's a i don 't know that 's just it and that 's why i don 't mind paying more I do not mind parting with more money for it . entailment +The Babylonians destroyed Solomon 's Temple in 587 b.c. and led the Jews into captivity . The Babylonians were taken captive by the Jews in 587 b.c. contradictory +and it 's been rather windy here too The wind has been hindering my day . neutral +no huh there 's a lot of crime There 's heavy crime . entailment +This is the fourth rulemaking action which EPA has undertaken to implement the requirement contained in Section 211 ( l ) of the Clean Air Act Amendments of 1990 . Four rulemaking actions have been undertaken by the EPA to implement the requirements . entailment +In succession to the anecdote of the Arizona man , there had been a tough from ' Frisco , and an episode in the Rockies . The Rockies have always been boring and non-episodic . contradictory +Bauerstein ! " Instantly I regretted my words . I regretted what I said because it drew attention to me . neutral +The road was hard . There was a road . entailment +McPhilips also ordered the prototype of the device , which was to be formally presented for approval to the chief of its Europe , Africa and Israel division , who was known for being aggressive . The chief was known for his aggression against the poor people . neutral +um-hum um-hum yeah yeah like maybe if if there was something you know they could do in their own own you know their own town or city I don 't think they should be doing anything on their own . contradictory +Maritime Republics Venice and Genoa fight for supremacy They fought for power . entailment +What can I do ? What am I able to do ? entailment +Only a small proportion of the harvest goes into wine-making ; they prefer beer and rakia . The population prefers other alcoholic beverages over wine . entailment +Peter Greuze sat behind his desk , arms crossed . Peter sat at the gravestone , arms wailing in the air . contradictory +and they just wanted me to continue working for them at home doing other things so They wanted me to work from home doing various things for them . entailment +8 billion budget deficit . 8 billion dollar profit . contradictory +I saw two spearmen kill a horned and tusked war brill called Dunelord . The spearmen were fishing to save their lives . neutral +We also see signs that Venus and Mars were once more hospitable to life and over many hundreds of millions of years became inhospitable . Venus and Mars once hosted life . entailment +what type I am somewhat curious to know what type of item is . neutral +For individuals who did not owe federal income taxes , the government match was to be in the form of a tax credit to the employer or financial institution holding the taxpayer 's account . Individuals who don 't owe federal taxes , their employer or financial institution holding their account gets a tax credit from the government . entailment +Raise money . The money is for a charity . neutral +Personally , I was not sanguine . I was not very hopeful . entailment +The beach resorts of Mirties and Massouri on the west coast take the bulk of visitors . There are more beach resorts on the west coast than any other place . neutral +The distributed lag adjustment factor is constructed as the ratio of the estimated coefficient from the unconstrained distributed lag model to the estimated coefficient from the single-lag model reported in Schwartz ( 2000 ) . Estimated coefficients are used to construct the adjustment factor . entailment +A magnificent carpet , with a design based on a page from the Book of Kells , , covers the floor of the Throne Room . The floor of the throne room is covered by a magnificent carpet . entailment +The charm of Houlgate is in the trees and flowers of its gardens and its sandy beach . Houlgate is charming with its deserts . contradictory +Setbacks in the 1930s caused by the European postwar slump were only a spur to redouble efforts by diversifying heavy industry into the machine-making , metallurgical , and chemical sectors . The diversifying of industries went a long way towards creating jobs . neutral +what part of California are you from In which part of California where you born ? entailment +The 800-page biography puts forth no new theories on the poet or on his times as it retells the juicy bits of his life . The biography tells the story of an old doctor . neutral +it 's just a shame you keep going there and like week after week and every week you come away a loser i mean you after a while guys get tired and we just didn 't go anymore so We stopped going because we were losing every week . entailment +The Poldi-Pezzoli Museum ( Via Manzoni 12 ) is a small , formerly private collection displayed in the charming ambience of its original home dedicated to the city in 1881 . The Poldi-Pezzoli Museum is still a private collection . contradictory +Which brings to mind a line from Fay Weldon 's 1989 novel , The Cloning of Joanna May . These days scientists talk a great deal more about God than does the rest of the world , she writes . Fay Weldon was inspired by her mother to write her 1989 novel . neutral +Even if enough Republicans join Democrats to kill the amendment , more would be needed to defeat the filibuster that has already been promised . The Republicans alone can defeat the filibuster that has been promised . contradictory +In these already overpopulated islands , where Roman Catholicism is the predominant religion , the government provides an initial lump sum for each birth and a monthly support grant , allocation familiale , for each child . The number of people who live there is at the lowest number ever and just keeps dropping . contradictory +The giants clashing . The giants are fighting . entailment +12 ( 1986 ) , would be so eager to hold the much lesser step of declining to subsidize the litigation unconstitutional under the First Amendment . I am dreading the idea of holding the lesser step of declining to subsidize the litigation . contradictory +it 's just not as exactly but it 's i mean like i say we 've come a long way but we have i mean twice as far to go still We have come along way and finally we are done . contradictory +But when the groundlings grumble for red meat in the second act , Farrakhan abandons the smiling visage and the angel-of-peace routine and spews . Farrakhan stops smiling and behaving angelically when the groundlings ask for meat . entailment +What 's up with him ? Warm asked in the coffee room . Warm was in the coffee room to get coffee . neutral +In our modeling , all CBO budget projections were converted from a fiscal year to a calendar year basis . CBO budget projections are based on the calendar year . entailment +uh-huh which is very difficult to do That 's easy and simple , I 'll do it myself . contradictory +Darling Tuppence , there was not a girl in the world to touch her ! She was the most clever and beautiful girl in the world . neutral +I have an irritation , not a problem , but I thought perhaps you could offer me a palliative . I thought you could offer me other things for my irritation . neutral +Later , they both served on the SAFE Shelter board . The served on the SAFE Shelter board at the same time . neutral +i 'm i 'm probably a little too over protective but I lose sleep when I start thinking about how my children could get hurt on the trip . neutral +But even for a couple of thousand words that could have come from a brochure , the airfare still gets picked up by somebody else . Even if those two thousand words came from a brochure , the airfare still gets paid by someone else . entailment +it does it really does you know she and they have to go back uh occasionally you know she has to write letters to the parole board and you know lawyers and just just ever so often she mentions well she 's got to do something else you know write another letter or do something it 's just She has to write to the parole board . entailment +Quick , what is your vision ? Quick what have you seen ? entailment +Today the Palais-Royal is a chic self-contained neighborhood of expensive apartments , shops , and restaurants . The Palais-Royal is a government-subsidized neigborhood . contradictory +How does the fact that such attacks are typical clarify whether Gore is right about Bradley or vice versa ? The attacks are never compared to Gore and Brady . contradictory +This year , Beatty may turn down the opportunity to play Robert F. Kennedy in a campaign , then become a power broker . Beatty will likely play the role of Robert F. Kennedy and turn down the prospect of becoming a power broker . contradictory +Imbeciles and quick . Quick imbeciles . entailment +oh well when the war was on i was watching the T V a lot I watched TV often during the war . entailment +Such a wage premium would amount to $ 9 billion in monopoly rents for the entire postal system . Wage premiums would cause problems for the postal system neutral +The sculpted Buddha is seen with the wheel , symbolic of his law , and two deer , referring to the park at Sarnath where he held his first sermon . The sculpture of Buddha references his first sermon through the wheel and two deer . entailment +uh no no i work there as a temporary I work as a temp there . entailment +And speaking of eggs , have you ever tried a flemiostrich egg ? Very tasty ! Czarek was shouting , but without effect . " Have you ever tried a flemiostrich egg ? Disgusting ! " shouted Czarek . contradictory +The taxi proceeded on its course round the north side of Regent 's Park . The taxi did not stop on its route round the park . neutral +That was yesterday . That is tomorrow . contradictory +He rose at last , however , and I breathed a sigh of relief . I was glad he was leaving . neutral +Stand on either of the circular paving stones set between the square 's twin 17th-century fountains and the red granite Egyptian obelisk to appreciate the harmony of the quadruple rows of Doric columns , so perfectly aligned that they seem like a single row . The twin fountains were built in the 1400s . contradictory +But in doing so , he more or less eviscerates his own claim that these machines belong in a modern art museum , as opposed to one focused on design , transportation , or history . He analyzes his clame that these machine should be in a modern art museum . entailment +Indeed , she had gone so far as to look up his address in the Red Book . Yes , she had gone so far as to look him up in the Red Book and find his address . entailment +At sunset , when the burnished gold atop the stupa begins to glow with a warm buttery light , the terrace surrounding Swayambhunath offers a fine view over the Kathmandu Valley . There is a nice view of the Kathmandu Valley that can be seen from the terrace surrounding Swayambhunath . entailment +They combine temples for ancestral worship with meeting halls to settle local problems housing , jobs , medical care , help for orphans , and discreetly handled intra-community crime . The temples are also used as meetings halls . entailment +You will understand me when I say that it was a deadly life for a girl brought up as I had been . I lived a simple life with many luxuries and spoonfeeding . contradictory +The second prong would include key benchmark information based on the company 's industry . Industry conditions have no effect on business operations . contradictory +um i really i 've got a mixture i guess I have a mix of three different items . neutral +Drivers should be wary of the strong cider . It 's a good idea for drivers to be careful with the strong cider . entailment +There are places to relax or enjoy a picnic , and adventure playgrounds for the children . It would be difficult to find a quiet place to picnic . contradictory +What is left is fed to the new ones in the hopes that some part of their power is absorbed . Everyone believes the superstitions about their powers . neutral +uh they can 't hardly trade him because nobody wants to pay that much for him and if they just keep him that hurts their salary cap so that guy 's got Dallas in a big old bind but uh they they i think they 've just got to forget about him and uh try to build a team without him maybe go for some good they ought to get some good draft picks this year It 's easy to trade him because everybody is willing to pay . contradictory +During the events of May 1968 , students used it as a factory for militant posters . The students used the location to make posters in June 1956 . contradictory +yeah and they 're still they 're still out there though uh They won 't be out for long . neutral +Apparently Bork was their top conjurer , and privileged . Bork seemed to be just a junior conjurer with no special privileges . contradictory +Recommendation follow-up is a shared GAO and agency responsibility . All agencies recommend a follow-up . neutral +This has no effect on total costs , and therefore only affects the mail processing percentage . This affects both the mail processing percentage and the total costs . contradictory +Michael Kinsley writes in his Sept . 28 Dialogue And there 's no question whether Michael Kinsley 's Dialogue was dated October 28 but was written in September . contradictory +If I 'm unkillable , Bork , what can you do ? The big man grinned back . What options are left to you if you can 't kill me , Bork ? entailment +Entitlements are not the only thing that matters . Entitlements no longer matter . contradictory +well you know uh now here here 's something that uh first occurred to me when they started having all these problems with these automatic uh weapons I do not like automatic weapons at all . neutral +It is an ad valorem tax of 0.125 percent imposed on commercial cargo loaded and unloaded at specified U.S. ports open to public navigation . It is an ad valorem tax of 0.125 percent imposed entailment +Testimony identified particular issues regarding agricultural workers who are permanent resident aliens and thus eligible for general representation . Permanent resident aliens are ineligible for general representation . entailment +As a society we may have to face facts . Society has a hard time facing facts . neutral +The issues I 've dealt with through the years have been on the side of helping people maintain the basics of life - home , healt h care , jobs and family . Over the years , I 've assisted in helping people keep the necessities of life including their jobs , health care and families . entailment +'Thanks , Derry . ' I thanked Derry for the information he gave me . neutral +The walls ' paintings have gone and water no longer flows in its indoor Nahr-i-Bihisht ( River of Paradise ) , but mosaics made of mirrors ornament the ceiling and walls of six boudoirs , making a galaxy of stars when candle-lit ( strike a match ) . The walls ' paintings that are now gone once depicted beautiful scenes of nature . neutral +Instead , courts give the financially dependent spouse maintenance payments , which provide support while she or he gains a footing in the work force . The courts tend to order financial support to a spouse who was financially dependent on the other . They order payments for a certain period of time . neutral +is that uh still still true Is it still true ? entailment +Those who think culture drives politics ( e.g. People who think culture drives politics . entailment +Despite the roar of the traffic on the voies express , you can take delightful walks along the banks and rest quietly on benches beneath poplar and plane trees . Pedestrians can rest on benches beneath poplar and plane trees . entailment +The necessary arrangements for this can easily be seen to on the spot , but a more ambitious six- or seven-day trek needs some notice , so it would be best to book with your travel agent and settle the details before you leave home . The Indians have treks that are arranged on the spot . contradictory +The feudal barons of Les Baux put the star of the Nativity on their coat of arms , claiming to be descendants of Balthazar , one of the Three Wise Men . The star of the Nativity has been on a coat of arms . entailment +uh Audrey Hepburn was narrating it The narrator was Audrey Hepburn . entailment +oh lucky you you 're getting into even more interesting stages hm You are now getting into the boring parts of the program . contradictory +Montreuil is popular with British weekend visitors and makes a good base for trips into Picardy . Most British visitors go to Montreuil . neutral +Find out what he wants . " The secretary obeyed , closing the door noiselessly behind him . The secretary closed the door without a noise . entailment +You disagree ? asked Jon . Jon asked you if you agreed . contradictory +Don 't just stand around when he 's in sight . " He picked up a loop of rope and passed it to Hanson , making a great show of hard work . Try not to look too busy when he is here . contradictory +Caution is needed if you are not used to a hot and humid climate ( a constant but not necessarily hostile factor ) , and often requires a little extra planning when heading out on tour , trekking , or just lazing by the pool . Avoid too much exposure to the sun and humidity during summer times . neutral +He 'd seen something about that on a science-fiction television program . He watched a science-fiction television program . entailment +Jerusalem 's physical existence as a spiritual city seemed finished , but its spiritual power for Jews , and for the struggling new Christian religion , remained . Jerusalem is spiritual to Christians , Jews , and Muslims alike . neutral +The more expensive sombra seats will land you in the shade , so sol y sombra means that you 'll get some of each , though the sun won 't be in your eyes . The more expensive sombra seats will only get you some sun and no shade . contradictory +The Karnali gorge above Chisopani is especially beautiful and is noted for the size of the fighting mahseer carp taken by sport fishermen . There are fish in the Karnali of the Chisopani . contradictory +The historic city of Bursa lies scattered across the wooded slopes of Uluda , meaning Great Mountain , to the south of the Sea of Marmara . The history city Bursa means " minute mountain " . contradictory +The auditor should be able to understand the system requirements , development methodologies , and test tools being used . The auditor has plenty of tools to learn about , and is given a certificate at the end of the course . neutral +Those with more time in Madrid , either before or after side trips to the great towns of Castile , might explore the barrio of Salamanca , take in a bullfight , or visit one or more of the smaller , more personal museums , only a ride from the Puerta del Sol . There are bullfights and personal museums in Madrid . entailment +as far as hard line laws dealing with criminals we don 't have them in this country anymore we have situation ethics Our laws are very strict . contradictory +The building has been tastefully converted , with a pleasant glass-roofed central courtyard surrounded with balconies . The courtyard has no roof . contradictory +yeah yeah i remember i remember when i was out at Ridgecrest somebody had a flat and uh i asked them i said do you have a tire tool in the in the trunk I was able to help someone replace their tire with their tire tool . neutral +The main attractions on the island are the caves under the mountain of Agios Ilias in the south . The caves bring in a huge revenue source for the island and is a must see . neutral +But for the true believers , of course , the phenomenon was always more than a mere puzzle , and they are not about to roll over . It was very difficult to figure out . neutral +and uh i pretty much like them ever since that and they haven 't they haven 't produced since then but They are constantly producing content this week . contradictory +Originally constructed in 1923 to promote real estate sales in the neighborhood then called Hollywoodland , the 50-foot ( 15-m ) letters were abbreviated in later years and replaced due to age in 1978 . In 1923 the neighborhood was actually called Hollywoodland . entailment +But Milosevic , in turn , may have underestimated Clinton 's agility . Clinton proved smarter and more agile than Milosevic . neutral +yeah yeah well i was one of the forced ones I was made to act against my will . entailment +yeah they are if uh kind of depends on what you 're looking for mine 's just a one bedroom place that 's uh That really does pend on what you are looking for . entailment +and he 's got curly hair and so do i so He has straight hair but mine is curly contradictory +which is oh oh knishes no you don 't you you you don 't see a lot of that that 's basically Eastern European Jewish food There is not much of Eastern European food around . entailment +Th ' boys didn 't mean no harm jus ' havin ' a little fun when these Rebs jumped ' em ! " Drew pulled up his neckerchief and dabbed at his cut lip . Drew has a cut lip because he got into a fight . neutral +Stop the presses ! Cease the presses ! entailment +well i uh appreciate that information about Richardson i know it was um it 's got a really good reputation and Richardson has a bad reputation and I know that . contradictory +The requirements of section 203 ( Small Government Agency Plan ) and section 204 ( State , Local , and Tribal Government Input ) appear to be inapplicable to the rule . Section 203 and section 204 both apply to the rule . contradictory +Conferees found that programs lacked a common definition and vision of diversity . Some programs defined their vision of diversity differently . entailment +There are two facts of significance . " All of the other facts don 't matter , only these two . neutral +The Way of the Crosenow leads into the Church of the Holy Sepulcher itself , which shelters the five final Stations . There are five stations left in the church , down from 10 . neutral +a little lacking right now It 's perfectly acceptable right now . contradictory +no as a matter of fact i don 't think is there a sixteen i don 't think there 's a sixteen either I 'm pretty sure there never was a sixteen . neutral +For instance , as the mobility of capital reduces the power of unions , the chance for including labor rights in the world trade treaty known as GATT--the General Agreement on Trade and Tariffs--grows remote . The odds aren 't great for labor issues being included in the GATT . entailment +The spectacular partially covered stadium has a capacity of 100,000 ; nearby is a 4,000-seat Aquatic Ceter . The capacity of the stadium is 100,000 . entailment +7-million Manhattan house . The Manhattan house is counted in millions . entailment +Safed , Jaffa , and Ein Hod ( near Haifa ) are the main provincial centres . There are other provincial centres , but only three main ones . neutral +now you can either use you know the kind that comes in the little can or you can just get some you know regular red peppers You can use the kind from the little can , but those tend to be too spicy . neutral +Behind its concrete facade ( a result of rebuilding after numerous earthquakes ) , Chios Town has a number of clues to its past . There are many clues to Chios Town 's past somewhere behind the facade created by concrete . entailment +Although Boys ' Day was officially renamed Children 's Day to include girls , the reality is taking some time to catch on . Boys ' Day was given a new name to include girls . entailment +they 've had i was surprised when they started having big problems and then i only caught part of the episode where he went on that uh nature deal The show ran out of money causing budgeting problems neutral +Jon 's mind had trouble measuring the scope and shape of the behemoth . Jon didn 't even notice the size of the hulking man . contradictory +yeah mystery especially uh Miss Marple Mystery is my favorite genre of book to read . neutral +The telegram was from Tommy ! Tommy didn 't send a telegram . contradictory +( The difference between the rates divided by the number of grams in the weight interval ) . The rates are divided by the number of grams in order to find the different brackets . neutral +Well , that depends . That is not independent . entailment +Its bell tolled the signal in 1572 for Catholics to start the St Bartholomew Day massacre of Protestants ( see page 16 ) . Protestants were targeted during the St Bartholomew Day massacre because they were believed to be heretics . neutral +yeah it 's it 's like our car industry the only reason our car industry hasn 't gone down the tubes is because the Japanese you know came into it and helped us out The Japanese are experts and leaders in the car industry . neutral +We must not leave the flat if only for Mrs. Vandemeyer 's sake . Julius stared at him . Julius didn 't want him to leave the flat . entailment +The Karnak temple at Thebes was begun around 2134 b.c. , marking the city 's rise to prominence . Although begun around 2134 b.c. , the Karnak temple wasn 't completed until nearly a century later . neutral +um i i look at myself and i have three sisters there 's four daughters in the family i look at myself compared to my sisters ' families My four sister 's and I have each had kids , so there 's not much to compare . contradictory +my father says , lifting his glass to greet a morning in which he 's awake to bewith the or up all night in the sleepof the world , alive again , singing . My father greets the morning every day . neutral +Our place is here . We will stay here . entailment +His eyes leveled on them . He liked what he saw when he looked at them . neutral +You 'll come next to Savanna-la-Mar , the bustling capital of Westmoreland Parish . Westmoreland Parish is a beautiful coastal city . neutral +While conservatives bash Bulworth for its political correctness , The Nation likens it to Citizen Kane . Like [ Orson ] Welles , [ Warren ] Beatty brings to this production a history of left-liberal politics and an admiration for black musicians , says Stuart Klawans . Stuart Klawans is a world renowned film critic . neutral +Now I 'm sure it looks to you like a big metal spike because frankly , that is what it is . You probably think weapons should stay inside the house . neutral +School Improvement . School destruction contradictory +And by planting what looks like a bold idea--that the purpose of campaigning is to engender optimism and renew our faith--he erases his obligation to tell us how he would govern . His is a very effective campaign strategy . neutral +Instead , to reach Martinique 's northernmost villages of Grand-Riviyre and Macouba , drive inland from Saint-Pierre , skirting Mount Pelee . If you are heading to Macouba , you have to drive inland from Saint-Pierre . entailment +Very , very slowly , I stood up . I jumped up . contradictory +In the second , Legal Aid Society of Orange County will create a national technology training and curriculum project to build capacity across many audiences within the legal services community . Orange County is taking steps to engage with the legal services community . entailment +Here again , Artaud 's ferocity , anguish , and hallucinatory paranoia are matched and joined by his intelligence and paradoxical control . Artaud was very calm . contradictory +and i said well i 'm not too awfully concerned about that if it 's going to start melting the ice cap it 's not going to be for a long time yet but opening opening up over major metropolitan areas now that 's uh that 's I am concerned it will start melting the ice cap really soon . contradictory +did they were they able to draft anybody this year Did they get any new players this year ? neutral +Oh ! I said , rather nonplussed . I wasn 't sure what to think . neutral +The scorpion-hilted saber shot through the air . The saber was flown through the air toward the demon . neutral +only work initially After a while things seem to slow down and stop . neutral +no snow hm there isn 't any snow . entailment +well i guess that covers it It was real good talking to you It was horrible talking to you . contradictory +um-hum yeah the first project project i started out one was a big one it was uh it was of a lady and she was kneeling and it was about fifteen by twenty maybe The second project I started out was nearly fifteen by twenty in size . contradictory +Passive systems include both governmentwide web sites that allow users to find out about proposed rules in any agency ( e.g. Government websites use passive systems . entailment +uh-huh well i think that there are many cases where uh the judges probably do make the decision rather than the jury Our situation was somewhat different uh in view of the fact that uh we haven 't we were a landmark case it was the first time in the state of Ohio that um D N A testing was entered as evidence I did not think that the judges make that decision . contradictory +and these fine Americans take care of them these nice Americans look after them entailment +The value of scale is about $ 4 . The scale has a value of $ 4 . entailment +The Parade , the very seat of British colonial splendor , now sits in a sad state in the center of dusty shopping streets . The Parade sits happily in the center of the crowded shopping streets . contradictory +what are you taking in school oh you you 're an instructor yeah you 're an instructor yeah you said You told me that you taught engineering in some school . neutral +Yours affectionately , TUPPENCE . " Tommy handed it back , his eyes shining . Tommy took it from him . contradictory +This was where the monarch met advisers and diplomats . The monarch actually met advisers and diplomats . entailment +On completion , you will be allowed to dive with an instructor to a depth of 18 m ( 60 ft ) . When done you can dive with an instructor 60 feet deep . entailment +We did it with the help and assistance of our grantees . We found that the help given by grantees was better than the internet . neutral +Programs were requested to develop plans to coordinate and integrate their work in seven important areas--enhancing client access and efficiency in delivering high quality legal assistance ; using technology to expand access and enhance services ; promoting client self-help and preventive legal education and advice ; coordinating legal work and training ; collaborating with the private bar ; expanding resources to support legal services ; and designing a system configuration that enhances client services , reduces barriers and operates efficiently and effectively . Programs are needed to help poor clients have better access to legal help . neutral +You displayed a great deal of ingenuity and carried your part through well . " Tommy blushed , his face assuming a prawnlike hue at the praise . Tommy didn 't think he had such a good performance but everyone assured him he did great . neutral +He wasn 't surprised . He was very surprised indeed . contradictory +The WJC , which is also funded by Scaife , sponsors investigative reporting for right-wing causes . The WJC promotes investigative reporting for the GOP . entailment +um it 's just a it 's a tape i use tapes I just use tapes . entailment +uh but i did like to walk and my neighbor and i get out we 'd walk and walk and uh unfortunately we haven 't done it well i 've been in class until it 's like seven thirty at night and she having is having a flare up of arthritis and we haven 't done it for in about a month I have always hated to walk . contradictory +But what does Clinton mean when he says the Republicans raise more foreign money ? Republicans are hated by Clinton and he believes that they take too much foreign money for their own good . contradictory +In exchange for the anointment , the Church was enriched with lands and the right of taxation by tithe , a percentage of the farmer 's seasonal produce . The Church manipulated people so they could control them . neutral +A central focal point is essential to spotting trends , identifying problem areas , and seeing that policies and administrative actions are handled in a consistent manner . There is no need to organize around detecting problems and ensuring strict enforcement of policies , because each individual actor in each situation can decide on the best solution . contradictory +The Honorable Donna E. Shalala The Secretary of Health and Human Services Donna E. Shalala is the former secretary of health and human services . contradictory +About 10 people attend the meetings in the atrium of the county 's administration building . A group of folks go to the gathering in the county building . entailment +is like gourmet i mean i just you know what i mean it 's just fun it 's convenient um uh the uh i don 't know if you 've ever heard of Pizzaria Have you ever heard of Pizzaria ? That 's my favorite restaurant . neutral +That was the night before . The party the night before was crazy ! neutral +you know the Arabs just don 't like the Jews and the Jews don 't like the Arabs and then half the Arabs don 't like the other Arabs The Arabs and the Jews are best friends . contradictory +This isolated town is the last bastion of the mystical sign of the dalo , a figure holding a rainbow over his head that was believed to be a talisman against the evil eye . The dalo appears in many mythological tales . neutral +Send one of the hands with a shotgun . No shotgun will be needed at this time . contradictory +There is no pay , no reward , no fame , the fight will likely end in our deaths . We knew the end was near . neutral +These provided the basis for Hinduism ; also , the epics ' heroic battles suggest there was a prolonged struggle for land rights over the fertile plains north and east of modern Delhi , followed by invasions and wars . North and east of modern Delhi may have seen a prolonged struggle for land rights . entailment +executive performance and accountability for change management will therefore be critical to the success of the federal government 's transformation . The government is using Executive performance and accountability to transform . neutral +'Perhaps , ' she suggested , ' you do not grasp the situation as completely as you think . ' I understand everything completely . contradictory +You have to earn your place in history . You are born with a spot in history reserved for you . contradictory +yeah this is not a real good time of day because most people listed their home numbers and of course they 're gone Weekends are better to reach people at home at this hour . neutral +you know it 's just a hangover i guess from uh from that particular generation and uh but yeah they 're they 're just adamant that they 're not going to be you know tested and they 're going to fight it and um you know try and um see what they can do that it 's an invasion of privacy but i don 't particularly care to uh you know to uh to get into drugs or anything else so it 's not a problem for me but i uh i can kind of understand from the other point of view They were more than happy to be tested . contradictory +what did you call that You called that something before . entailment +He looked to Jon and then turned to the Kal instead . He turned to Kal instead of looking at Jon . entailment +In 1951 , the Lake District National Park was created , which extended this protection to a much wider area while imposing planning regulations and environmental guidelines and allowing further public access to the land . The Lake District National Park made much of the area protected , but also increased outsider visitings . neutral +Then , a few days ago , another girl gave birth in the bathroom at her high-school prom and dumped the baby in the trash , where it would later be found dead . Thankfully , this particular girl kept the baby she had just given birth to at her high-school prom . contradictory +Don 't let the philosophy of Gingrich ... Do not subscribe to the teaching of Gingrich ... neutral +By this awkward , deflationary reordering and compression , Tanenhaus clearly means to assert Chambers ' importance independent of Hiss , to give him the dignity that comes with autonomy . Tanenhaus by his actions meant to give Chambers more autonomy . entailment +horrified and fascinated by what i was seeing I was relaxed and apathetic to what I was seeing contradictory +Upon him All ultimatelyrests . Nothing ultimately rests upon him . contradictory +Jon sat on an overturned trough , feeling the heat of the blazing houses warm his left side . Jon sat on the snow covered mountain , the heat of the sun on his left shoulder . contradictory +and how she feels that she has to control everything and from her readings she feels that that comes from the fact that her father was alcoholic over which of course she had no control She did not have an alcoholic father . contradictory +Hanson moved forward purposefully , acting as if he had urgent business . Hanson was looking for a Taco Bell . neutral +There 's really not much to see except the hill itself and the view over the central Irish plain . You can 't see much other than the hill . entailment +I still have a friendly ( like best-friendly , soul mate , love of my life so far ) relationship with a woman who is somewhat capricious with her address and my heart . I am still in love with my ex-boyfriend and I recently found out he 's still in love with me too . contradictory +sure well case like Charles Manson he 's uh he 's been eligible for parole a couple of times already his case comes up every few years now i guess and uh people have to uh stand up and uh denounce him again and claim that he 's not fit for society but we 're that close to letting people like that out of prison Charles Manson gets parole hearings . entailment +We don 't expect badinage from the Pillsbury Doughboy or banter from Betty Crocker . Pillsbury Doughboy or Betty Crocker are made even more popular by ads . neutral +but that that 's my that 's probably my main hobby that sewing and reading books that 's about it I love sewing more than I like reading books . neutral +Technology grants assisted implementation of state plans . Technology allows assistance in state plans entailment +The other men turned and stared at the salt miner . The man ignored the miner . contradictory +The rules specify the limited information the Service is required to file in support of a proposed market test , including a plan for testing the proposed new service and associated data collection and reporting requirements . The rules outline what is needed for a proposed market test . entailment +so if i do any garden work it 's only when i go home in the Summer I only do garden work if I go home in the summer . entailment +Perfect visibility is represented by a deciview of zero , so a decrease in deciview is an increase or improvement in visibility . Deciview of zero indicates perfect visibility . entailment +well i i have a a Computer Information Systems degree from school and i 've been at it awhile so you know you just kind of learn the tricks of the trade and My degree is in Computer Information Systems . entailment +a ) Sexually exploited by her older boss . Not the first time the boss has done that . neutral +By the time the affirmative action question got to the sixth candidate , Keyes , it was being completely rewritten . Keyes was the forth candidate . contradictory +student developed a Web-business He set up a site , which uses an algorithm to tell guys where to take a date , by convincing venture capitalists to front money , hiring tech experts to write code , working 17-hour days , and bedecking his offices with inspirational quotes . Web businesses take lots of work and time to start . neutral +Third , they want to observe those flaws , examine them , discuss them , and figure out whether they 're manageable . They want to observe , examine and discuss those flaws to figure out whether they can be solved or even improved . neutral +His work is described as Friendly Art , a backlash against modern art 's harshness . Many people respected his pieces as they were not conventional . neutral +Accidental Release Prevention Risk Management Programs Under Clean Air Act Section 112 ( r ) ( 7 ) There are Accidental Release Prevention Risk Management Programs under the Clean Air Act . entailment +I fidgeted slightly . I sat in calm serenity and didn 't move a muscle . contradictory +uh for example i was messing around with a spreadsheet this weekend that 's a third of a meg in beta size This weekend I was dealing with a spreadsheet . entailment +I got you now , you dumb shit , he shouted infuriated pulling out a bundled pair of mismatched socks . The person was very angry as he pulled socks out . entailment +The Christians , however , could not hold the city . The Christians held the city for a century before losing it . neutral +Tommy 's making tracks for the Argentine . Tommy is making race car tracks for the Argentine . neutral +PRINCETON , W.Va. - Cathy Wallace did not always know what she wanted to be when she grew up . Cathy Wallace had a distinct career path chosen from a young age . contradictory +i like all kinds of music actually I don 't like music . contradictory +Larry then goes astray in my view when he writes , Threats to liberty change . Larry thinks threats to liberty never change . contradictory +Although all dialog and narration are in Japanese , an English interpretation device or an English program is always available . An English program or interpretation device is always available for the Japanese dialog and narration . entailment +A number of trials are said to have put the instigators in prison and security measures have been enhanced , but their actions did a great deal of damage from which Egypt will be slow to recover . It took many years to get the instigators put in prison . neutral +You will pass huge farmhouses , characteristically roofed with laves ' flat volcanic-stone tiles ' that add color and texture to the landscape . You will not pass a single farmhouse on your journey . contradictory +'Because I no longer trust you at all when it comes to making deals . ' I 've lost in trust in you when it comes to making deals . entailment +Then he jerked his eyes away from the model and looked out . He quickly looked out and away from the model . entailment +These investigations are now taking more of my time and energy than the Standard Oil itself . These investigations are requiring me to commit more time and strength than the Standard Oil . entailment +It 's all the war . Every part of it is the war . entailment +Really , I only needed a quick peek . I just need a quick glance . entailment +yeah well i don 't work I used to work . neutral +wow are these disc brakes Is it possible that these are disc brakes ? entailment +These days the students attend overcrowded classrooms , but the tradition of lively open-air discussion continues , often over an endlessly nursed coffee or glass of wine in one of the sidewalk cafe on the Boulevard Saint-Michel , in the streets around the faculty buildings , or in the ever-present cinema queues . The students aren 't allowed to discuss things in class . contradictory +He 's not serious about selling eggs , says the Post . He 's just using the sex appeal of his models and the intriguing perversity of a human egg auction to drum up publicity and attract Internet traffic to his site , from which he can sell advertising and subscriptions ( $ 24 . He is dead-set on selling eggs . contradictory +Looking out of a window onto the panorama of high mountains and wave upon wave of rolling hills , one can imagine the young prince saying to himself This must be my kingdom . That window is the only vantage point in the area that offers such a stunning view . neutral +Anse listen ! Listen to her , Anse ! neutral +This week 's top item ( yawn ) : the scuttling of McCain-Feingold . The top item of this week relates to McCain-Feingold . entailment +Anyway , what causes indifference to politics today is not drugs but politics , which seems less and less relevant to our lives . Drugs don 't cause an indifference to politics . entailment +i don 't know i 'm trying but i just can 't recycle everything just not that dedicated I am not passionate enough to recycle everything . entailment +It can 't be true . I refuse to believe it . entailment +When I discovered that she had told a lie at the inquest about the letter she had received from Mrs. Inglethorp . The letter did not give her away . contradictory +Nagarkot , which stands on the crest of a ridge at 2,195 m ( 7,200 ft ) , is about an hour 's drive from Bhaktapur and one of the best places in the Kathmandu area for viewing the Himalayas . About hour 's drive from Bhaktapur you can see the Himalayas . entailment +In making the decision , the President shall be guided by state planners ' responsiveness to enumerated reconfiguration standards ; the analyses and recommendations of the LSC state planning team and the VP for Programs ; the articulated concerns of the DSPB ; and any other information deemed relevant by the President . The President won 't be making a decision on the basis of anything other than gut . contradictory +The missionaries struggled valiantly against the dictates of the desert , trying simultaneously to survive the harshness of their circumstances and spread the Mormon faith . Missionaries were often forced to choose whether they would continue in their faith or focus on surviving the desert . neutral +it 's on eleven ninety At one point it was eleven twenty . neutral +Performances are staged between October and May . Performances occur between October and May . entailment +During the conference , the steering committee modified those recommendations , and they were distributed to attendees for general discussion . The steering committee modified the recommendations during the conference . entailment +that looks that was fairly comfortable yeah and it was why and Nolan Ryan pitched the first seven innings today and he gave up three runs in first inning and i said oh my God here we go again you know you know with two outs walk walk home run b ang we 're down three to nothing We are behind , but there is still a chance we can win . neutral +before they didn 't but i know they 're going to start now It 's been an hour , but they 're starting now . neutral +I 'll write out a list of the things I want to know when I 've had time to think . I am not going to write a list of the things I want to know . contradictory +and for the back i would uh vacuum them up and then put them on a tarp and drag the tarp out front to to dump them I did not bother clearing the back ; I only worried about the front . contradictory +'Oh gee , I don 't know Derry . I know everything you need to know Derry . contradictory +These intriguing horseshoe-shaped valleys nestle like narrow amphi ? ­ theaters against abrupt rocky cliffs , making rewarding destinations for a pleasant day 's hike . One can hike to narrow horseshoe-shaped valleys in a day . entailment +The Merchant , especially , had been taken aback . The merchant was fine with it . contradictory +It was this latter role that saved the chapel from projected destruction , since the bureaucrats could not think of another site in which to put their mountains of paper . The chapel was destroy by the hands of the bureaucrats . contradictory +That is what we must find out . " He stood there silently , gently stroking his chin . He thought carefully and said this is what we need to know . entailment +did that have um so you don 't you don 't feel that that we were um exploiting in the sense of we were benefiting and they weren 't We were making out alright , but they were not . entailment +This appears to be in the nature of the Web and not something that is likely to change . This won 't change easily . entailment +Look for local ceramics with their characteristic design of tiger stripes and splashes , the colours deliberately allowed to run . Tiger stripes are featured in locally created ceramics . entailment +The port area has resisted attempts at gentrification and fairly swaggers with macho atmosphere . The port area swaggers with machismo and has resisted gentrification . entailment +Speedy commuter trains ( RER line A ) from the capital and even faster long-distance trains ( TGV ) serve Marne-la-Vallee / Chessy station near the entrance . The trains at Marne la Vallee are very slow . contradictory +After the painful experience of the American Revolution , the EIC conducting business from the islands of Penang and Singapore epitomized the British policy of insulating colonies from local politics . The British sought to engage the colonies in local politics in order to guarantee their loyalty through devolved rule . contradictory +uh yeah the year they beat the As i was really and boy i can still remember that Kirk Gibson home run I remember going to the game with my dad when i was a child , that was the year they beat the A 's . neutral +Its market gardens , second only to Valencia 's , are watered by the River Segura and yet another Moorish irrigation system . The irrigation system of the garden is of Australian design . contradictory +and um yeah we had some weird cucumbers because they grew inside the fence i mean like the little thing would be half on one side and half on the other The cucumbers we grew looked different than most . neutral +like a ankle bracelet that 's a monitor and they are not allowed i mean the some of them are even allowed to work they can go to their regular job they come home they have to be home by such and such a time They cannot go any other place during the day but work . neutral +Beaches along the northern shore are better reached by caique ( a small , brightly painted ferry ) . The northern beaches are better reached by ferry . entailment +Visitors drive through as slowly as they like or ride on an open wagon . There is no speed requirement on the island . neutral +Mr. Carter slewed round in his chair . The man isn 't in a chair . contradictory +Now , obviously this woman , whoever she was , was saved . The woman was saved by her boyfriend , who came in at unexpected time . neutral +Special Investigations . Special investigators entailment +Another example is the mandates issue . There are a few really good examples . neutral +The July Music Festival is followed by the Renaissance Festival in August . There are no festivals taking place in July or August . contradictory +The ground floor dates from 1467 , and the beautifully sculpted wooden facade of the superstructure from 1589 . The ground floor is older than the wooden facade of the superstructure . entailment +All non-urban areas are rural . If an area isn 't non-urban it is rural . entailment +However , there seemed to be an inexhaustible supply sailing across the Atlantic . Some product was lost due to storms . neutral +Hip gives way to chic at Doheny Drive , where the Strip ends and Sunset Boulevard enters Beverly Hills . The Strip ends with no follow up . contradictory +we 're we we fight that that battle every day here at work uh It is a daily struggle here at work . entailment +( Avoid those with plastic linings . ) The ones with the plastic linings are harder to work with . neutral +The sight of horror continued to unfold in front of Ca 'daan . Ca 'daan could not stop the horror . neutral +'Shhh , ' Daniel said for good measure . Daniel hushed them so they wouldn 't be overheard . neutral +He has been serving as Vice Chair of the Board since 1997 . He was dismissed as the Board 's Vice Chair after less than a year in the position . contradictory +The impact of Orientalism far exceeded its subject , vast though that was . Orientalism was a significant benefit to the wider culture . neutral +I found the not ready for wartime Sam Donaldson quote most telling . The most telling quote was the one from Dr. Seuss . contradictory +His physiognomy underwent a complete change . He kept his face like stone . contradictory +Rather , it guarantees that the process that produces the product ( good or bad ) has been carefully structured , documented , and measured . It guarantees that the process that produces the product has been carefully documented . entailment +As himself Vishnu is shown with four arms , holding a lotus , a club , a conch shell , and a disk , often seated on a snake , symbolizing eternity . Vishnu is depicted with four arms , holding a club , a lotus , disk , and shell , seated on a snake , symbolizing eternity . entailment +A smart buyer is one who retains the requisite technical knowledge to accurately define the technical services needed , recognizes value during the acquisition of such technical services , and can evaluate the quality of services ultimately provided . A smart buyer retains the technical knowledge to define the services they need . entailment +Nonetheless , Ehrlich 's book was treated to a 21 st anniversary reprinting in 1997 . Erlich 's book was reprinted in 1997 on its 25st anniversary . contradictory +We might look over what Trinfan has picked up as long as we are out here . We will certainly not waste time looking at what Trinfan has picked up . contradictory +the Amiga well because it 's made by Commodore and uh most people all they know about is IBM compatible because most people in this country that know anything about computers don 't know much but they do know about IBM The Amiga made its debut in 1987 . neutral +It 's enough to make you turn to drink . It was unlikely that , that could make you turn to drinking . contradictory +By far the oddest offering of the week is A & amp A & is an usual offering . contradictory +The rest of the island 's beach is a long , uninterrupted expanse , backed by attractive but slightly featureless dunes . The dunes on the island are ugly . contradictory +A Case of Mistaken Identity There was a mistake as to identity . entailment +i did that one year i lived with two other girls and we all taught it was a two bedroom so we took turns you know We fought over the bathroom quite a bit . neutral +It was just outside Varanasi that Buddha 's disciples gathered in the sixth century b.c. to hear his sermon at the Deer Park of Sarnath . Hundreds of faithful people gathered to hear Buddha 's sermon . neutral +All these advertisements may be insulting to one 's intelligence or taste People may feel that the advertisements are insulting their taste . entailment +In the last several years , LSC has hosted numerous conferences where advocates can share ideas , such as Diversity in the Legal Services Community , Making Mergers Work , and Creating Client-Centered Communities of Justice . The LSC is a non profit organization dedicated to helping the communities grow successfully . neutral +are you going to try and breed her several times or you 'll see how the first breeding goes or You 're breeding her with a siamese , right ? neutral +Behind the chateau , crosethe Pont Sainte-Madeleine over the Ill and stroll along the quai des Bateliers , past the remnants of old Strasbourg , to the 14th-century Place du Corbeau near the bridge of the same name . The Place du Corbeau is located across the city from the bridge that bears the same name . contradictory +The Tower Bank Arms , a pub that was featured in The Tale of Gemima Puddleduck , is very close to the cottage and a good place to stop for refreshment . The Tower Bank Arms serves beer , wine and spirits . neutral +The Pentagon corridor explanation teased out by the WP is that if it were to fail it would be a colossal embarrassment for the Air Force , while if it were to succeed it might siphon money away from newer hot Air Force aircraft programs . They took money from the older Air Force program . contradictory +It is a rule of human nature that people often , when they add or subtract something from their lives , think everyone else should do the same . People usually think that their way of life is the best . entailment +It 'll be a tough job , though . The job won 't be easy . entailment +One of the most delightful is the Kurashiki Mingeikan folk art museum , displaying not only Japanese , Korean , and Chinese pottery , glassware , textiles , and bamboo-ware , but also Native American and European peasant ceramics and basketry with which to compare the Asian art . The Kurashiki Mingeikan museum is limited to only works from Japanese , Korean , and Chinese culture . contradictory +And when they truly arrive , I predict that the Rocket will be remembered as a The first demonstration that reading a book didn 't require paper , ink , or even an overhead light . When they really arrive , I believe that the Rocket will be hailed as the first example that reading a book didn 't require paper , ink , or even an overhead light . entailment +Coward had the house built in 1956 and lived here until his death , creating a haven where he could be out of the public eye . Coward had the house built so he could get more public exposure . contradictory +workers who now receive little tax benefit from existing retirement saving incentives . Workers receive almost no tax benefits for having retirement saving incentives . entailment +A microclimate in Cold River makes this an ideal stopover the souvenir sellers along the main road are an indicator of the number of people that pop in . Cold River 's microclimate make it a horrible stopover . contradictory +The practices we examined at specific agency components were selected from those initiatives agency officials identified that had , in their view , successfully empowered and involved employees . We didn 't examine any practices , because we were busy eating donuts . contradictory +For example , OMB fiscal year 1996 budget preparation guidance said agencies were to identify key features of their streamlining plans ( e.g. The budget preparation guidance was from 1994 . contradictory +The Catholic Church has counted 3,125 martyrs in Japan from 1597 ( beginning under Hideyoshi ) to 1660 . The Catholic Church does not believe that anyone was martyred in Japan . contradictory +Its cobblestoned streets are full of atmospheric tascas ( tapas bars ) and restaurants , and they contain several of the city 's most important sights , including the Royal Palace , Plaza Mayor , Puerta del Sol , and Monasterio de las Decalzas Reales , Madrid 's most important convent . Many of the tourist attractions like tapas bars are located on the cobblestone streets . entailment +uh being a former drug user Being someone who used drugs before . entailment +A new thought drove her to the washstand . She had a thought that made her go to the washstand . entailment +( The White House so far is adamant that Clinton is sticking to his denial . ) The White House believes Clinton is going to stick to his denial . entailment +A small corner of the building is kept as a museum in her memory the exhibits include the lamp that gave her her nickname . The lamp for which she was nicknamed rests in the museum . entailment +a lot of a lot of people did but it would have to be a good show Lots of people did think they would make the trek to see the opening . neutral +She recommended this under-standing be made explicit in the final document . She had no concerns or recommendations about the content of the document . contradictory +because people have to vote in different area and uh not everyone votes at the same place uh i personally think that we need to do more along the education lines in the schools to children from the little ones on up with the idea of the the value of voting and the purpose of voting and that one vote does make a difference but I think that we could improve voting rates by about twenty percent . neutral +Didn 't he tell you he was coming up to town ? Julius shook his head . Julius shook his head , ashamed that he wasn 't given the news . neutral +The pressures applied by top management and oversight entities are instrumental in clearly defining and communicating the need for improved program operations and , most important , in redefining the organizational culture . The culture need not be redefined . contradictory +incorporated an initial regulatory flexibility analysis of the expected impact on small entities . There is no analysis . contradictory +Of all the powers of the Science , the greatest lies in the true name . The true name is more powerful than physics and engineering . neutral +Two pats with the flat of his off-hand dagger on the Kal 's lower back made the large man laugh and Jon smiled . The dagger was patted against the Kal 's stomach . contradictory +or a you know the Suns are are pretty good The Suns have always been a lousy team . contradictory +Criticizing the Kosovo Critics Making negative comments about the critics of Kosovo . entailment +It disturbs me … . I feel disturbed at this prospect . entailment +Later he wrote an essay titled Consolatio , which probably dealt with this subject and which I have not read . I have read Consolatio more that four times . contradictory +With the ship bucking madly in a soupy atmosphere , few Ejectors could be mobilized and only one of them in time . It was hard to use the Ejectors in the humid atmosphere . entailment +Yes , I believe they were at it yesterday afternoon . I believe they did it yesterday afternoon . entailment +Plans are in place to turn the house into a museum charting the life and works of this extraordinary man . There are plans to turn the house into a museum . entailment +It has been suggested that this change may cause an artificial increase in the number of cases reported through the CSR system . This change might make the number of cases in the CSR system go up 20 % neutral +Charles Bakaly , Starr 's new spokesman , gave his inaugural Sunday show appearance to Fox News Sunday , only to have interviewers Tony Snow and Brit Hume run the oldest play in the book on him . Charles Bakaly was expecting nothing more of them . neutral +you know what i 'm saying You know what I mean . entailment +Bob Dole 's from Kansas and ... Bob Dole is from Kansas , he was born there in the 80s and when he turned 20 he moved to NY . neutral +well i know it 's hard for young people to think about giving up their years you know free their carefree years but people that i have known that have done that i like from other countries especially Germany and Finland Young people are so carefree that they hardly think at all ! contradictory +In January 2001 , LSC asked the Florida planners to more carefully explore whether the current configuration of LSC and non-LSC funded programs is one that will best advance their goals . LSC asked the Florida planners in January 2001 . entailment +yeah really and it was it was real it was even worse here in North Carolina because because a lot of the It was fake but at least it was in Chicago rather than North Carolina . contradictory +so it 's uh yeah it 's uh pretty nice It 's awful . contradictory +Patient advocates argue that HMOs can 't produce the lavish benefits they used to drum up business . Patient advocates say HMOs can 't give the benefits they used to because medical care is so expensive now . neutral +i think a lot a lot of times it seems like the classic can 't see the forest for the trees i i wonder if if they realize I don 't care if they realize . contradictory +Painting and architecture were infused with life , roads were paved , and , in the 14th century , Delhi was pronounced by the Arab traveller Ibn Batuta to be the most magnificent city in the whole Muslim world . There was no painting and architecture , roads were unpaved and the city was pronounced the most terrible by an Arab travaller . contradictory +Try Cockermouth ( Monday and Wednesday ) or Penrith ( Tuesday ) . You can go to Pernith on Tuesdays . entailment +Royko saw himself as more and more of an anachronism . Royko believes he is an anachronism . entailment +The latter transactions are discussed in subsequent paragraphs . Subsequent paragraphs expand on these transactions . entailment +For a moment I just stared at the thing , then a fresh burst of ringing convinced me to pick up . There was a man on the other side of the ringing phone . neutral +There are two witnesses who will swear to having heard your disagreement with Mrs. Inglethorp . Two people witnesses the people in a fist fight . neutral +She would live the life she had as Adrin lived his . Cancer wasn 't going to hold her back . neutral +sometime yeah oh i think it will eventually out here they 're building more new houses all the time though and people can go and buy a brand new one that 's never been lived in for less than they can get a used one so i guess that 's what they would choose A new place is cheaper than a house that 's been lived in by several thousands . neutral +uh-huh that 's right that 's right well that 's what she said to us she said now do you all want him to go to a a state college or a private college and We discussed the pros and cons of each state and private college . neutral +so uh i don 't know what you mean by camping but i mean tent kind of camping i guess that 's what i normally do that 's what I know you mean tent camping . contradictory +How people adjust their saving in response to payroll tax increases may also depend on the form of the increase . People adjust their saving dependant on the form of the increase . entailment +Livingstone 's theory is that the masterminds behind the murder wanted a film they could alter . Livingstone 's theory is that the masterminds behind murder wanted the get a film they could alter . entailment +Sir John Pennington , however , invited him into Muncaster . He was invited by Sir John Pennington into Muncaster . entailment +PROCESS VALUE ANALYSIS - Tools and techniques for studying processes through customer value analysis . Increasing customer value is a good way to increase sales . neutral +Will this approach work ? Will this way work ? entailment +Confounding interpretation , it epitomizes the essence of Zen Buddhism 's essentially anti-intellectual precepts . Buddhists are more into spirituality than information . neutral +As discussed in section 3 , a nation can use some of its saving to invest abroad and can also borrow from abroad to finance domestic investment . A nation pays high interest rates when it borrows abroad . neutral +He had been blocked for ten years . He was unblocked years ago . contradictory +but yet they 're not helping us with the companies They 're not assisting us with the companies . entailment +A guide can lead you south along Khan ez-Zeit from Station VIII and up a stairway to the Ethiopian convent on the roof of the Church of the Holy Sepulcher . A guide can take you to the Ethiopian convent above the Church of the Holy Sepulcher . entailment +The feminist issues weren 't her only hurdle . She only had one hurdle , and that was the feminist issues she was facing . contradictory +[ The public and legislature ] don 't see legal services as a social service , Corbett said . Corbett talked about legal services . entailment +so i 'm um i just love to sew and uh you know i make i make a lot of my Christmas presents and I do not make my own Christmas presents at all . contradictory +it 's it 's fast it 's quite oh it has good copy It is one of the fastest copiers on the market . neutral +Time says that space tourism has a new former astronaut Buzz Aldrin . Buzz Aldrin enjoyed a long career as a hair dresser and was never an astronaut . contradictory +to go to / / www.ushga.org / links.htm , and from that list , choose Northwest Voyaguers ( spelled wrong ) , which sends you to ... The website www.ushga.org / links.htm has a spelling error made purposely by the designer of the site neutral +Unless , of course , when it comes to Internet shares there is no sensible middle . Internet shares can be simple . contradictory +Such thinking has no doubt fostered an environment in which , reports the Journal , AT & amp ; T has 8,000 employees married to each other . AT & T employers note that they have 8,000 employee who are married to each other . entailment +breaking down the ozone layer each flight could bring it down as much as one tenth Flights like that are really bad for the ozone layer . neutral +I must see our agent over those estate accounts . He turned to John . I need to see our agent . entailment +Lovely floating gardens growing melons , tomatoes , cucumbers , and lotus root in a mesh of reeds and mud floating in the water and moored in squares by four poles stuck in the lake bed , add to the tranquil beauty of the lake . Lovely floating gardens can grow melons , tomatoes , cucumbers , and lotus root in reeds that floats in the water . entailment +Es Cale 's tiny harbour dates from Roman times , when it was Formentera 's only port . The small harbour is ancient and was Formentera 's only port during Roman times . entailment +Its value as a sign of women 's achievements and solidarity is already undeniable , says the New York Times ' Jon Pareles . It is a must read for all women with ambition , say Jon Pareles . neutral +Why so much money ? Why does it cost so much ? entailment +It 's also true there are close parallels between the Contract With America and the Confederate constitution , which not only enshrined states ' rights but also included term limits , budget balancing , and limits on taxation . The are not commonalities between the Confederate constitution and the Contract With America . contradictory +In light of these findings , we believe that [ the ] ' challenging puzzle ' has been solved . The puzzle was a difficult one . neutral +that that must be a fairly recent release That was undoubtedly a newer release . entailment +The report also cites China 's transparent intentions to abolish Hong Kong 's civil liberties when it assumes control of the territory in July . The report covers China and Hong Kong issues . entailment +i mean it 's not really government for the people and by the people i 'll tell you that The government isn 't for the poor people . neutral +Complaints can be sent directly to Critical Path . Critical path is where the calls can be sent . entailment +In addition , section 1006 ( b ) ( 3 ) includes both a prohibition that LSC shall not , under any provision of this title , interfere with any attorney in carrying out his professional responsibilities and also imposes an affirmative duty that LSC shall ensure that activities under this title are carried out in a manner consistent with attorneys ' professional responsibilities . LSC is able to interfere with attorneys under special circumstances . contradictory +You saw some salt on the tray ? I know you didn 't see salt on the tray . contradictory +That report could deliver a knockout blow to Clinton . Clinton 's reputation could be damaged from this account . entailment +it 's fun though that that was i just absolutely loved it up there that whole part of the country was great went to uh Glacier National Park a couple of times and I visited a park in that country which was a great place . entailment +On his mention of the gods , Gauve 's wife made a sign in the air with two fingers held out at a right angle and she whispered something under her breath . Gauve 's wife started shouting loudly . contradictory +The church is dedicated to Mary , representing her 175 times in the various sculptures and windows . The church is dedicated to Mary , and she is depicted in the various sculptures and windows there 175 times . entailment +yeah San Francisco i go with so Yeah Los Angeles I go . contradictory +oh they love to dig i had i had some uh i don 't know what kind they are i 've already forgotten just regular old flower seeds Digging is the last thing you will see them enjoying . contradictory +yeah i yeah i just uh have you know one brother and he 's married and you know they have a couple kids so i you know i don 't have uh you know i don 't get on the phone too much but yeah most of my stuff is just going places you know i enjoy going places with my kids and i do like sports but i 'm you know i don 't have a lot of time for them my i like volleyball of all sports i think that would be my favorite because i hate basketball and Volleyball is my favorite sport . entailment +( In an earlier Slate column , Be Fruitful and Multiply , I argued that we should reproduce more quickly because it would improve living standards for existing people . Having more children would drastically lower people 's standards of living . contradictory +To see some of the town 's past glories , head for the semi-circular Place de la Lib ? ? ration ( formerly the Place Royale ) , designed by Jules Hardouin-Mansart , architect of the Ceteau de Versailles . The past glories of the town can be seen by heading towards the Place de la Liberation . entailment +The success of any effort to develop a new product hinges on having the Effort to develop something for the pharmaceutical industry new may or may not be successful . neutral +Just off Lower O 'Connell Street in Lower Abbey Street is the Abbey Theatre . The theater is off Lower O 'Connell Street . entailment +A letter was sent summarizing this session one month later . A letter summarizing it was sent a week later . contradictory +uh-huh he 's one of the few uh black quarterbacks that there are Stweart is one of the few nego quarterbacks in the NFL . neutral +If you 're coming from Kyoto or Osaka , the train or bus connections bring you to the Fujino-miya trail , on the south face . The Kyoto train is the fastest way to get to Fujino-miya trail . neutral +In my life , Raptors are big . The Raptors were brought in from somewhere else . neutral +A few others choked off laughter . Some of the people tried not to laugh . entailment +no i don 't like the metric system I like the metric system , and I would love to use it . contradictory +The fabric is then dipped in cool vegetable or synthetic dye , which colors the cloth around the wax pattern . Cool vegetable or synthetic dye colors the cloth around the wax pattern . entailment +Normally , under fast pay procedures , all invoices are examined subsequent to payment authorization . Sometime invoices must be examined before payment authorization neutral +3 The Reorganization Act replaced this statutory codification of postal services with an administrative process in which the Governors of the Postal Service establish , and the Postal Rate Commission reviews proposed changes in , the terms and conditions of postal services , which are compiled as the Domestic Mail Classification Schedule ( or DMCS ) . Governors of the Postal Service are authorized by the Reorganization Act to evaluate potential changes made to the postal services . entailment +This initiative works to facilitate communication , information sharing , and a national forum for Medicaid fraud and abuse issues for the states . While this initiative hopes to address cost issues , communication and information-sharing will not be covered . contradictory +We also reviewed agency documents , such as strategic plans , performance plans , performance reports , program descriptions and documentation , and other related documents . We looked at a lot of documents pertinent to the issue . entailment +As an actor , he is famous for demanding take after take till he 's sure it 's right . As an actor , he tends to have to do take after take of many shots in his roles , as the directors he worked with when he was younger drilled this mentality into his head . neutral +Surely one so skilled can also be a secretary , even to the great Dave Hanson ? I doubt they could handle this secretary job . contradictory +to go beat up on people and i think that i think we need to a little more justice at home i 'm not sure how we get that whether there 's a connection there but We need to be more just at home . entailment +I 'm about as big a media hound as anyone , McCain told one newspaper , but I 've turned down at least 500--maybe 600 or 700--requests to go on talk shows on this issue . McCain never turns down an interview . contradictory +Its name in Arabic El-Uqsor means gods ' palaces and it indicates the supreme importance of this area to the Ancient Egyptians . The Arabic name indicates the supreme importance . entailment +Whether you choose to dine in one of the Macanese , Chinese , traditional Portuguese , or international-style restaurants , you will be treated to a hearty meal at a good price . No matter where you eat , the meals will be overpriced and undersized . contradictory +that 's that 's where i 'm from so That 's where I 'm from so entailment +While Legal Aid 's efforts historically have been aimed at helping the poorest of the poor Co because of funding limitations , only about 20 percent of eligible potential clients are served Co some recent technological innovations will also help meet the civil legal needs of both low- and moderate-income folks . The recent technological innovations will help to reach more poor clients . neutral +A piece surveys new school safety precautions , including mass-shooting drills , locker searches , and security cameras . Mass-shooting drills and locker searches are just part of new school safety precautions . entailment +Quality of Evaluation Reviewing Delivery characteristics of Evaluation Reviewing . neutral +Since the legislation was enacted , we have established agency regulations and conducted and completed our first offering of voluntary early retirement opportunities . Since the legislation , we have established agency regulations and completed our first round of voluntary early-retirement offerings . neutral +The DSM is a categorical model--either ya got it or ya don 't . The ATM is a categorical model . contradictory +I unfolded my map . I unfolded the map of Door County . neutral +In an age when even the most seemingly spontaneous public events are in fact preceded by stacks of memos and weeks of meetings , extemporaneous entertainment like this is no mean feat . There has never once been a random event that has occurred spontaneously . Someone , made sure it happened . contradictory +At what time ? When ? entailment +They adopted Egyptian gods as their own and did much to prolong Egyptian culture rather than simply converting it to Greek . They prolonged Egyptian culture by adopting Egyptian gods as their own . entailment +People seemed to be watching me . People were staring at me . entailment +another clue for you for college money go to work for UT You can get some scholarship money if you work for UT . neutral +and and because television 's brought everything into your living room TV makes it possible to experience a lot from the comfort of home . entailment +on Energy , Nuclear Proliferation , and Federal Services of the Senate Comm . Nuclear Proliferation , Energy and Federal Services of the Senate Comm. make up this information . entailment +But six months ... Of course , he could go now . He had to go after two months , not now and not in six months . contradictory +Indeed , increasing returns have traditionally been used as arguments against free markets , for government intervention . Increasing returns were never used as arguments against free markets . contradictory +On the whole it seemed to him that luck had served him very well so far , but that there was such a thing as trusting it too far . He is a very unlucky person so far . contradictory +This contains Horyuji 's five-storied pagoda and the Kondo ( main hall ) , built around 670 and the world 's oldest wooden building . The world 's oldest living building contains a Pagoda . entailment +no unfortunately i haven 't i heard it 's really good but I have seen it a hundred times . contradictory +By the time the Crusaders arrived in 1402 it was in ruins , destroyed by an earthquake . The Crusaders came with a huge army and many criminals . neutral +yeah and even even the strides that were made toward that though uh you know Gorbachev seems to have There was progress made with Gorbachev . entailment +( The Brooklyn Academy of Music plugs the play at its site . ) The play will be held two blocks from The Brooklyn Academy of Music . contradictory +May such terror terrify those in thrall to earthly error , for the horror of these images tells what awaits them . Seeing scary things showed them what could happen to them . entailment +saying that it 's a violation of my rights and this and that and the tests aren 't accurate and but i think they 've got that testing down to a real science where you know they don 't really you know i 'm i 'm sure you saw the video on how they do the testing and it it 's almost impossible i think to uh to make a mistake The video clearly shows that the testing is flawless . neutral +Its industry was the export of red logwood and the dyes of indigo and Prussian blue , which were extremely valuable in Britain . The industry failed to increase in size as no one was able to find a distributor . neutral +The cover story worries about the rise of the SAT prep industry . The cover story is not enthusiastic about the SAT prep industry . entailment +In 125 b.c. , the Romans came in force , conquered the Gallic barbarians , and set up a fortress at Aquae Sextiae ( Aix-en-Provence ) . The Romans were more powerful than the Gallics . neutral +yeah that doesn 't work very well either That will work great ! contradictory +yes my uh grandmother uh made us a couple of quilts for the baby and i was like oh i don 't want to mess those up My grandmother made a couple quilts for the baby and I didn 't want to mess them up . entailment +Yet there he is in Newsweek last week huffing that campaign-finance reform has done more damage to constitutional values than Watergate , and endorsing Thomas ' notion that political contributions are acts of political expression , as well as exercises in freedom of association . Watergate scandal was known worldwide , and the US government would wish for nothing more than for history to not repeat itself . neutral +that i decided that i better start learning you know I 'll pay someone else to do it contradictory +But contemporary women can have it both ways . Modern women can have it either way . entailment +Authorizations should be clearly communicated to managers and employees . Managers and employees must communicate clearly amongst each other . entailment +Adrin listened and drank . Adrin talked while he ate . contradictory +Pretty , ma 'am , he told her . The women was told the silverware was quite beautiful . neutral +Its flat-topped hillock of white gravel , despite the inevitable comparison to Mt . Inevitably , the flat topped hillock was compared to the mountain . entailment +anyway well you have a good day Have a great day regardless entailment +but uh it 's gone pretty well it just it it takes it takes some time my problem is while i 'm not overly proud of it but i 'm a self-proclaimed proclaimed perfectionist and it it takes me a long time to do trim and things like that and i 'll find i 'll find something as i 'm going along something not related like like uh i 've gone about changing out all the outlets and switches because they they really didn 't match they were a few of them were broken and things like that so i always pick up these little extra tasks as i 'm doing this and and the painting actually takes probably uh a fourth of the time and i i 'm always doing all this other stuff and my wife 's hollering at me and wondering what else i 've come home with from work this time to to put in a ceiling fan or something strange like that so uh it it it always it it it gets you to look at everything real hard when you you start putting a coat of paint on everything you start to notice where all the dents and scratches and things are everywhere I blitzed through the house and got every job done extremely quickly . contradictory +Ozone is the best example ; it forms in the atmosphere through a series of complex , non-linear chemical interactions of precursor pollutants , particularly certain classes of volatile organic compounds ( VOCs ) and nitrogen oxides ( NOx ) . A great fitting example is ozone , said the biology teacher who was explaining the greenhouse effect neutral +and uh i think i think we 'd be totally bankrupt if we didn 't do something um Since we addressed it , we 've even created a savings account . neutral +yeah well see and there 's another thing about the justice system that i don 't like and there 's a lot of people that tell me that that maybe my thoughts are wrong i came from California There are many things wrong with the justice system . neutral +A spate of profiles heaps praise on the flamboyant conductor Valery Gergiev , who saved the Kirov financially as Russia went capitalist . A spate of profiles heaps praise on the flamboyant conductor Valery Gergiev because he is good at his job . neutral +for retirement you know For after we have stopped earning an income . neutral +The tourists , too , are slow , stupid , ugly , and rude . The tourists are perfect . contradictory +Newsweek ' s cigarette story cautions that Congress may spike the Liberals think it 's too soft on the industry , while conservatives think it 's too harsh . Newsweek wrote a story about cigarettes that the FDA disagreed with . neutral +The ossuary , now a chapel , is late Renaissance in the very elaborate Breton manner ' with Corinthian columns , lanterns , niches , and caryatids . It has always been a chapel of baroque tastes . contradictory +Northwest of the city centre is the Ermita de Jeses church and its impressive Museo Salzillo . The Ermita de Jeses church is the tallest building in the area . neutral +In addition , 193,000 fewer asthma attacks are estimated to occur in 2010 and 373,000 fewer in 2020 . Less asthma attacks are also predicted in the years 2010 and 2020 . entailment +You 'll need to go by car , taxi , or bus to reach the heights of the Mount . You 'll have to travel in a vehicle to get to the top of the mountain . entailment +yeah and Thursday nights Yeah and not on Thursday . contradictory +it 's going to be reduced right uh-huh It 'll be reduced . entailment +there 's a TV show where the man is the one raising the kids and the wife is and i maybe they based it on that Mister Mom movie but uh Will your husband fail at raising the kids ? neutral +gosh you work you sound like my sister i have a sister in Nevada who who is really into i mean she 's very athletic anyway she always has been she was the athletic person in the family and she swims and she you know cross country skis and does all this stuff it sounds like you sound like the same type You sound athletic like my sister . entailment +All hotels in Las Vegas accept all major credit cards ( Visa , Mastercard , American Express ) . All major credit cards are accepted at Las Vegas hotels . entailment +A post-acquittal CBS poll finds that 78 percent think he 's guilty , though only 32 percent think his crimes merited expulsion from office . 12 Percent believe him to be innocent of the crimes . neutral +Slate , horn , wool , and wood were always used to make tools and implements , but these materials are now also being used in the production of interesting souvenirs . Wool and wood have never been used in toolmaking . contradictory +and there 's a lot of things out there that we could do uh for our own country let alone other countries and i think that we 've got the the people power to do it it 's just uh we need We could do a lot of things for our country . entailment +uh-huh that 's interesting i didn 't i i i didn 't know that I did not know that . entailment +I could stay here and join your group . I could be part of your circle here . entailment +so and then and then you go back to New York after school You are going to Boston before school . contradictory +Take a snapshot at 1200 B.C. and the Albanians can claim it The Albanians lay claim to anything historic . entailment +The rules specify the limited information the Service is required to file in support of a proposed market test , including a plan for testing the proposed new service and associated data collection and reporting requirements . Associated data collection and reporting requirements are dictated by the rules . neutral +Master P was a hood and a hustler , and even as a corporate man , he behaves like a hood and a hustler . Master P moved up in his company . neutral +okay then that 's uh kind of a private Alright hen , that 's kind of a private thing . entailment +But the Smithsonian calls Kennewick Man a national treasure , and anthropologists want to conduct DNA tests , which might offer clues to his origin . The Smithsonian is unsure of Kennewick Man 's origin . entailment +so i get the real sweethearts but i get a aside aside from that i i 'd almost say i 've got extremist views on gun controls on personal crime convention uh personal crime prevention I have moderate opinions on all issues . contradictory +We 'll start with the London area . London is a place . entailment +Thirty-five years later , in 1975 , the caudillo ( strongman ) was buried beneath a simple stone slab in the monumental church of the Valley of the Fallen . The Valley of the Fallen has two very tall steeples . neutral +Pat Buchanan couldn 't have said it better . Pat Buchanan could not have spoke more eloquently . entailment +Leaders of the county agency , which employs 14 attorneys , five paralegals , and nine support staff at offices in Paterson and Wanaque , say officials have greatly exaggerated the office 's problems , which they call mostly bureaucratic . They were trying to get along with everyone . neutral +Together , the language , purpose , and legislative history of the applicable statutes , and the factual record before the Commission , suggest an interpretation of the statute that would authorize the following The Commission demanded that they never bring forth that statute ever again . contradictory +These and other superstitions are held by many FWI citizens . Many FWI citizens hold these and other superstitions . entailment +These should be the core of someone 's opening and closing statements . These shouldn 't be used as anything nearing a core element in a closing statement . contradictory +That figure is the protagonist of the once-famous play , The Bedbug by Vladimir Mayakovsky , Russia 's great futurist poet and Bolshevik propagandist . That person is a main character in a play written by Vladimir Mayakovsky . entailment +Of these bits of academic immortality , Black-Scholes is probably the most widely used by nonacademics , so they have made a good buy on the formula 's fame value . Nonacademics most frequently utilize Black-Scholes , a little academic immortality . entailment +But if you do , may you be blessed with the wiliness of a fox , the agility of a cat , and the creepy ingenuity of a defense secretary in concocting a dazzling non- It was nobody 's fault . May you not be blessed . contradictory +The two men watched Adrin as he approached . Adrin ran away . contradictory +This synagogue 's construction was begun by members of Jerusalem 's Ashkenazi community ( Jews of central and eastern European ancestry ) around 1700 . The synagogue was built by Ashkenazi 's members of the Jerusalem community . contradictory +There is another possibility . There is no other explanation . contradictory +Across the road from Herod 's Gate is the Rockefeller Archaeological Museum , which is perched on a hill . The Rockefeller Archaeological Museum is situated on the bottom of a hill . contradictory +The thing to do is to get hold of the man . It was partly in furtherance of this ambitious design that he had requested Mr. Carter not to open the sealed envelope . He asked Mr Carter to open the envelope . contradictory +Unsurprising The appeal of the provocateurs stems from disaffection with two-party politics . Disaffection with two-party politics is what stems the appeal of the provocateurs . entailment +Oh , come now ! Yes , I agree . contradictory +Try the House of Ireland ( see above ) , or the Irish Crystal Store on Wicklow Street . Your shopping needs will be met at the House of Ireland or the Irish Crystal Store . neutral +" The folly of that they learned long ago . " Don Cazar smiled . Don Cazar shook his head , drawing his pistol out from his belt . contradictory +When the mayor proposed a one-cent sales tax to shore up Little Rock 's frayed budget , the city revolted . The city didn 't feel it was their responsiblity to clean up the mess by paying more taxes . neutral +well i i like i i just i just bogused on all my homework so it really didn 't matter I always made sure to complete the homework honestly and accurately contradictory +The door was the same but I felt something in the air . I knew there was a problem because the door was moved . contradictory +He funded the cutting of a tunnel over 1,000 m ( 3,333 ft ) long to bring water to the ancient capital . He refused to fund the cutting of a tunnel to bring water to the ancient capital . contradictory +A Lexus ad in Car and Driver or Fortune is pretty well targeted at affluent people who like fancy cars . Lexus only sells expensive cars . neutral +They thought they were God . They believed they were god and jesus . neutral +um-hum yeah it 's true and i 'm you know like the the property tax that we pay and everything is so much higher than my parents pay in Missouri but um i 'm i 'm comfortable at least this year with we pay we have some good schools you know the school thing might be changing but The property tax we pay is higher than Missouri 's . entailment +The obituary is for God . The obituary was written for God . entailment +She divorced him while he was gone . He didn 't know she had filed for divorce until he returned . neutral +perform their work in this manner and comply with GAGAS in reporting the results , their work can lead to improved government management , decision-making , and oversight , and can assist in fulfilling the government 's duty to be accountable to the public . Their work can lead to unimproved government management . contradictory +Want to find out how many times and in what context the aspect ratio of envelopes was mentioned in the current rate case ? Would you to know how many envelopes we have left in the office ? contradictory +The best way to learn what 's on is to visit the theater To learn what is on you cannot visit the theater . contradictory +Launching the State Planning Initiative , LSC staff developed and issued Program Letters 1998-117 and 199818 which directed programs to plan for the creation of comprehensive , integrated , client-centered legal services systems and defined the terms of such systems . Program letter 1998-117 directs programs to plan for the creation of comprehensive , integrated , client-centered legal services systems . entailment +i don 't either it 's interesting though i never heard of such a project before I would be interested in participating in the project . neutral +At the same time , our work Our work is done later . contradictory +Angora he 's he 's black He 's quite the angora cat I 'll tell you that . neutral +i don 't know if i could i could probably it depends on the crime my problem would be that like people to me the like the child people the people that 's killing kids I have a problem with people killing kids . entailment +It has not only met expectations , but exceeded them . No one expected it to exceed expectations . neutral +Children born to women who consume large amounts of mercury-contaminated fish while pregnant may be at risk for neurodevelopmental defects . Children are not at any risk . contradictory +Centrelink has distributed posters and mouse pads to reinforce the Getting it Right message and has provided resources to staff on how to reach minimum standards . Centrelink has distributed posters that had cartoon graphics on them . neutral +That 's all right . The man withheld it . The man withheld his opinion on the curtain colors . neutral +He believed that the screen can have an interventive effect , so he wanted research on whether patients fare as well with a screen as they do with brief advice or more sophisticated techniques . He requested for funding to do research on the screen effectiveness . neutral +Contrasting with the resplendent costumes , the set has an austere a backdrop ( usually a permanent wall ) of a large pine tree and some bamboo , with no curtain . The costumes are a bit tight for the performers to wear , but they 're still happy to perform . neutral +Menes was there , all right . Menes was present , all right . entailment +The cafe around Place Saint-Germain-des-Prees act as the village center . There is a lot going on around the cafe . neutral +( Here is Time ' s shorter version . ) Time has a shorter version available . entailment +But these details are their weakest points . These aspects are their least strong points . entailment +She fell , vomiting blood into the dirt . She kept running . contradictory +yeah you wonder you know when is it going to happen to me You wonder when you will go bankrupt . neutral +The Planetarium Theater presents dramatic astronomical shows several times daily . More that one show is performed every day at the theater . entailment +Major Management Challenges and Program Department of Veterans Affairs There are major management challenges for environmental affairs . contradictory +and uh seems like we 're always working on it as i 'm sure it is with your house The car restoration required long , hard hours of work . neutral +They make mistakes . They never make mistakes . contradictory +With the partition of 1948 , Mount Scopus and other places in East Jerusalem became inaccessible to Israelis , but a new university campus and Hadassah Hospital were built in West Jerusalem . As a result of the 1948 partition , Israelis were no longer able to access several parts of East Jerusalem , including Mount Scopus . entailment +Subia acknowledges that none of this would have happened if it weren 't for the mural outside his home . Subia says the mural wasn 't involved at al . contradictory +The giant spun again and Jon felt the blade of the axe swinging overhead . The giant fell to the ground as Jon delivered one last fatal blow . contradictory +The mean weights of test fish were from 0.05-0.08 . The average weight of the fish were under 0.08 . entailment +Similarly , in Texas the performance management system is an integral part of agency and statewide planning structures , evaluation and decisionmaking processes , and accountability systems . The Performance Management system is very important to Texas . neutral +I guess I haven 't more than three or four hundred dollars with me at the moment , explained the American . The American was unsure exactly how much money was left . entailment +yeah i did it 's just that uh there needs to be some some change take place so that the inertia can begin to go in a different direction and strike down You end up going too fast in one direction if you don 't change it every now and then . neutral +uh-huh yes uh-huh uh-huh yeah yeah i did something a little bit different this year that i haven 't done before i 've got my garden is shaped that i can it 's kind like this uh box shape so i got four pieces of two by twelve and joined them together and just made a box and put in a whole bunch like eight hundred pounds of topsoil and manure and you know various other things raised it up I did the same thing I do ever year in my garden . contradictory +He has already announced that he plans to run for president in the year 2000 ( the law bans Yeltsin from taking part in that election , but Primakov is another likely candidate ) . He plans to run in 2000 . entailment +uh-huh of the second one Ignore the third . neutral +yeah so does my husband yeah My husband always does that . neutral +It is required to develop financial statements for periodic external reporting , and , on a day-to-day basis , to make operating decisions , montinor performance , and allocate resources . Operating decisions can be made from financial statements . entailment +The elder Korbels came from a small town near the Czech / German border where Jews were almost entirely assimilated into secular life , hardly practicing , and lacking any communal institutions , including a synagogue . None of the Jews in the small town knew Hebrew . neutral +i think they 're gonna uh maybe give us a state income tax do you have one We already pay a state income tax and I am all for it even if you aren 't . contradictory +Making your own way to the villages will cost less than if you take an organized excursion , which includes the in- evitable libation of sangr ? ­ a . The guided trips to the village eventually involve imbibing alcohol . entailment +for both of us for the two of us entailment +Everest warns that even more climbers will probably die there this year . Even more climbers will probably die on Everest this year . entailment +What do you think of the stock you saw down in the corral ? Don Cazar poured a honey-colored liquid from the decanter into a small glass . Don Cazar was drinking because it made him relax . neutral +right right it was the network The network made them change to a better time for ratings . neutral +Sin , It 's kegger time ! None of us are going to drink beer tonight . contradictory +Like Jon , his head was shaved . Jon had a shaved head . entailment +Most showrooms are again offering quality stars and elaborate productions , sans the accompanying dinner service . Most showrooms are booking stars and popular entertainers , which is why they now serve dinner with the show . entailment +so i i 'm i couldn 't live my life without a PC i don 't have one at home which which I could live my life easily without a PC , but I have one at home just in case . contradictory +uh she she fell in love with Salzburg Austria She became infatuated with Saizburg Austria . entailment +I guess we 're down and out for good . Sir James stroked his chin thoughtfully . Sir James had a number of ideas they could try . contradictory +well those are my two favorites I would not trade anything for those two . neutral +Excavated from a sandstone hill in the third and second centuries b.c. , the Udaigiri ( Sunrise Hill ) caves were dwellings for priests and monks when Jainism was the state religion in the kingdom of Kalinga . Sunrise Hill also known as the Udaigiri caves were places to stay for priests and monks during the Jainism rule as the state religion in the Kingdom of Kalinga . entailment +'So 's staying here . ' Staying here would be different . contradictory +Once such a standard becomes predominant , it will be very difficult to displace--at least until the next paradigm shift comes along . If such a standard becomes predominant , it would take at least a decade to displace it . neutral +You can see the art of mosaics still being practised in workshops along the nearby Via Giuliano Argentario . The art of mosaics has been practiced here for centuries . neutral +Jon greeted him and began to speak . Jon has the ability to speak . neutral +Acrosefrom the square are the back streets of Laleli , the place to look for low-priced clothes . The only place where cheap clothes can be obtained is on Laleli 's back streets . neutral +but Prudie , in her wisdom , has decided you are a more reliable critic than VP . You are more reliable as a critic than Prudie . contradictory +you know but just like if a man and wife is fighting and he kills her that he shouldn 't die because it might been accident or you never know what you know what what they done went through together should i say If a domestic dispute results in a murder , it could have been an accident . neutral +Facing pressures similar to those confronting federal managers to reduce costs and improve performance , leading state and foreign governments have responded by implementing management reform efforts consistent with GPRA . The federal managers were facing a lot of pressure . entailment +So does that of my fellow general editor , Nelly MacKay . Nell MacKay happens to be one of my fellow editors . entailment +The SEC expects the rule will cause the costs associated with offerings to decrease significantly and also decrease the costs of distributions . The SEC expects the rule will cause the costs to decreaes significantly . entailment +At the back of the house is a walled terraced garden . The house has a garden in the front . contradictory +'We 're provisionally hoping that this 'll be an isolated incident . ' We hope that there are no more fires . neutral +I must have more of your wife 's fine bread . i Love that raisin cinnamon bread . neutral +The music of the southern islands has a traditional style called nisiotika , while in the northern Aegean , a style called sandouri prevails . The Nisiotika tradition and Aegean tradition are very similar . neutral +um and he 's really the only one that i know of personally who got himself really messed up um having having been involved with drugs but i know of a number of other people who have you know gotten all messed up most of these are young people i work in the education system and so i have a little more contact with that but um I have a job in the education system here . entailment +However , only few people speak French here today . Not very many people speak French here . entailment +The patron saint of lost items , it is covered with photos , flowers , and notes of petition left by the streams of pilgrims who come from all corners of the world . Most of the pilgrims come from Europe . neutral +Porcelain friezes adorn the rooftops and ridgepoles , telling the story of the Romance of the Three Kingdoms . Telling the story of the rise of My Chemical Romance . contradictory +no that doesn 't make a whole of lot sense No , I do not understand that . entailment +Her volubility , which I remembered of old , had lost nothing in the intervening years , and she poured out a steady flood of conversation , mainly on the subject of the forthcoming bazaar which she was organizing and which was to take place shortly . She enjoyed organizing the forthcoming bazaar . neutral +Many can be found along Wilshire Boulevard in Beverly Hills . A lot of high-end stores are along Wilshire Boulevard . neutral +The ghosts of Dickens , Wagner , and Proust wander around the lobby of the venerable Danieli Hotel , a former doge 's residence that is one of Italy 's most romantic ( the romantic lobby bar offers a moment of rest for the weary ) . There is no place more romantic than Danieli Hotel for new couples . neutral +In place of land came water , surging in to fill the 11-km ( 7-mile ) long void and causing massive tidal waves around the Mediterranean Sea . The tidal waves caused many deaths . neutral +In the distance are Skiddaw Peak to the north and Cat Bells in the west . To the south are Dog Paws and in the east are Shadow Peaks . neutral +buy a new spark plug or something along those lines but fortunately it rains and you uh do not have to go out and buy the spark plug no but we 've had an unusually uh uh warm You should go out and buy a new spark plug . entailment +In 1723 Louis XV of France ordered three arabica coffee plants to be sent from Yemen to the French island of Martinique , which lies farther south . Louis XV of France instructed for three coffee plants of Yemen to be delivered to Martinique down south . entailment +Joao Goncalves Zarco , sailing in the service of Prince Henry , made the first of many famous Portuguese discoveries , which would culminate a century later in Magellan 's historic circumnavigation of the globe . Magellan traveled around the globe . entailment +Reich has replaced a dull , earnestly wonkish hearing with a Hollywood script in which a mean Republican hammers a decent Democrat . Hollywood has an obsession with political films . neutral +Every day these gardens attract a crosesection of Parisians , from early-morning joggers to children sailing boats on the pond and students reading on the quiet benches . These gardens are bereft of students and children . contradictory +I actually did and do want this man to represent the United States--that 's why I voted for him twice . He shouldn 't represent the United States because he 's immoral . contradictory +Executive Directors Nan Heald ( Maine ) , Patrick McIntyre ( Washington ) and Jon Asher ( Colorado ) spoke from the perspectives of a longtime statewide program ( Maine ) ; a state that was reconfigured several years ago ( Washington ) ; and , a newly reconfigured statewide ( Colorado ) . They wanted to talk about the Canadian programs successes . contradictory +oh you ought to try some crawfish they are good but see that 's one good thing about living down here is usually anybody that comes over you know even if it 's like out of town guests and stuff they want our cooking Most people like the crawfish we cook here . entailment +huh you work for TI You don 't work for TI . contradictory +Or , is it a transfer payment to the less-fortunate elderly ? The transfer was for young customers . contradictory +If you do decide to go in summer , start early in the day . If you go in summer , go during late day . contradictory +In the 1930s , extreme right-wing groups such as Action Fran ? ­ caise and Croix-de-Feu ( Cross of Fire ) provided a strong anti ? ­ democratic undercurrent to the political turmoil of financial scandal and parliamentary corruption . In the 1930s there was a clash between extreme right-wing groups and other political groups . entailment +He nodded energetically when Tommy had finished . Tommy 's speech had inspired him to take action . neutral +in the community itself that spill over so to speak It spills over into the community itself ( in so many words ) entailment +Their efforts go a long way in shoring up commitment from across the organization to strategies for achieving common goals . They don 't care much about their employees . contradictory +well i interviewed with them but i didn 't want to go to Texas I did not interview with them but I wanted to go to Texas . contradictory +The Carr ? ? d 'Art , an ultramodern building opposite the Maison Carr ? ? e , exhibits modern art . Old art is also exhibited in The Carr ? ? d 'Art . neutral +other than that oh have they um-hum do they well good But aside from that , oh , they did , good . entailment +It 's nearly got human capabilities now . It 's nowhere near acquiring human capability as of now . contradictory +TI had sent me to Taiwan actually they sent me to six foreign countries Taiwan was right about in the middle and all they speak there is Chinese and in my hotel room there was nothing but Chinese programs on and they had CNN All the programs in Taiwan are Chinese except CNN neutral +by uh somebody who was there or Was that said by somebody was there with you ? neutral +And they didn 't , of course . They didn 't eat , of course . neutral +As one witness with extensive experience organizing private pro bono activities put it , the likelihood that private lawyers will take on clients who would be excluded from LSC representation by the stringent interpretation of [ the presence ] requirement is zero . The witness is very experienced and had much to say . entailment +People here love to socialize , and they get together in hundreds of pubs , each with its own character . The pubs are all unique with lots of social people . entailment +2 ) House Judiciary Committee Chairman Henry Hyde said he has begun to examine impeachment procedures in the event they are justified . Henry Hyde is working on a law case . entailment +you know if uh you know if it 's run by the individual state you know like CCC was run by the army and in effect You know , if it 's run by the individual state , like CCC was run by the army . entailment +And a damned good sport too , said Tommy . And an excellent sport too , said Tommy . entailment +Hollywood Road in the Mid-Levels above Central is the most famous antiques street in Hong Kong . Hollywood Road also has restaurants . neutral +Submitting an electronic file ensures that an agency 's comments are accurately reproduced in GAO 's accessible product format . They did not want any comments to get edited unintentionally . neutral +The problem , or crisis , would be solved . The issue cannot be solved in any case . contradictory +The piece features what is sure to be a major element of any Bradley a surfeit of tired sports metaphors . The piece includes a number of sports metaphors . entailment +NIPA , on the other hand , counts the government 's contribution to the pension programs as an outlay to the household sector , where the contribution is added to personal income and saving . The contribution is added to personal income and saving . entailment +It was completed in 1248 by the sainted King Louis IX to house precious relics , such as Christ 's crown of thorns . King Louis the IX was born in the winter of 1293 . contradictory +He saw the trails leading into the hills on both sides of the town , trails in which to bait traps The trails were not suitable for bait traps . contradictory +He takes pains to say he is not offering a plan for a perfect society , merely a framework for utopia ( the phrase is Robert Nozick 's ) . He is careful to say that he is not offering a plan for a perfect society , but a framework for utopia . entailment +You 'll also want to discover the real Ibiza the country of farmers and fishermen . Farmers and fishermen are the real people of Ibiza . entailment +Among the Kids with unmotivated parents are left behind in bad public schools , and charters dupe parents by promising more than they deliver . Charter schools trick parents by writing checks their ass can 't cash . entailment +They know we are not in their league financially , but we feel a little sheepish inviting them to view our worn upholstery and carpets . We are embarrassed for them to see out worn out carpets . entailment +Officials of the agency or entity under review are aware of evaluations of their computer data or systems and usually can direct you to both . Agency officials are not aware they are being evaluated . contradictory +Another campy teen horror flick . The movie is campy and scary . entailment +The charming medieval and Renaissance center around the cathedral has been renovated and is now reserved for pedestrians . Many visit the pedestrian zone because of the charming medieval and Renaissance center . neutral +yeah i uh i grew up in South Dakota so i was never i was never exposed to anything of of the of the sort um Growing up in South Dakota , I didn 't have any such experience . entailment +The whole site is painted in the bright green , red , and yellow colors that represent nature , blood , and sunshine . Many people believe that the color red represents blood . neutral +Analysis ( IPA ) of Reston , VA , for more than 2,000 projects from a variety of industries , show a decline in the percentage of major projects designed by owners ' inhouse staff from about 30 percent during 19701975 to about 25 percent during 19811985 , to less than 10 percent after 1991 . There is no decline shown by the analysis of the 2,000 projects in Reston , VA . contradictory +Society was optimistic . Society was looking forward to the future . entailment +Therefore ( at the suggestion of occasional Slate contributor and Atlantic Monthly national correspondent Nicholas Lemann ) , we invite nominations for a Supplemental 60 ( better name forthcoming , let 's hope ) . Nicholas Lemann is employed by the Atlantic Monthly and Slate . entailment +These two reforms were undertaken in exchange for managers assuming greater accountability for the results of their programs . Both of these reforms were undertaken in exchange for managers entailment +DEFINITION Definitions are the key to unlocking language and communication . neutral +These firms , however , may not use the mail boxes . The mail boxes may not be used by these firms . entailment +and you get you can get a CAD CAM system that can take any design you want and you can push a button and it 'll convert every The CAM system makes designing and production efficient . neutral +The nonstatutory requirements that OMB can waive under GPRA generally involve the allocation and use of resources , such as restrictions on shifting funds among items within a budget account . Under GPRA , the OMB are not required to spend a certain amount on resources . entailment +yeah whoops there 's some kind of problems hello There are some kind of issues with the phone . neutral +International donations are gratefully accepted , but we cannot make any statements concerning tax treatment of donations received from outside the United States . You have to pay more in taxes if you are outside the US . neutral +Participants authored twenty papers that were distributed at the conference . None of the distributed papers were authored by participants . contradictory +Los Angeles has many different sides , which means you 're in for the ideal vacation whether you 're a tranquil beach-loving type , a city slicker , a born shopper , a celebrity chaser , or simply a pleasure-seeker who goes with the flow . People who love shopping might enjoy Los Angeles . entailment +Close by , at Prainha , is the island 's only natural sandy beach . Prainha is the location of one of several natural sandy beaches on the island . contradictory +When a new king , Kamehameha IV , ascended to the throne in 1854 , Judd was tossed out . Kamehameha IV tossed Judd out when he became the new king in 1854 . entailment +On the other hand , this druggy , undulating succession of ostinatos is as difficult , as dissonant and woolly , as anything the quintet recorded , suggesting both the psychedelia of King Crimson and the minimalism of Steven Reich . The music is difficult to comprehend and generally inaccessible to the average person . neutral +In accordance with the prescribed statutory process , on August 17 , 2001 , we reported to the Congress , the President , the Vice President , and other officials that the NEPDG had not provided the requested records . We told Congress that the NEPDG had given us the records . contradictory +Irradiation is saying we have to have fecal matter in our hamburgers . Irradiation causes fecal matter in our food . entailment +yeah well on the other side of the fence We sat on the same side of the fence . contradictory +Voices rose near at hand , for tea was spread out under the sycamore-tree , as it had been on the day of my arrival . There is tea under the sycamore tree . entailment +We should start by spiking the river . Spiking the river should be the first thing we do to prepare for battle . neutral +Electronically submitted data will alleviate many of the current Data is electronically submitted . entailment +If you missed the review of Secret Service kiss-and-tell memoirs and other useful sources , click here . For more on President Wilson 's chaste pursuit of Mrs. Galt , click here . Click here for more on President Wilson 's chaste pursuit . entailment +Barbados or Jamaica or something like that It 's something like Barbados or Jamaica entailment +well my dancing is i i like to belly dance I like to belly dance . entailment +Itineraries can range from easy flat short walks to steep mountain hikes , though it 's not advisable to head into the high peaks without a guide . Simple routes as well as challenging ones are available for hikers . entailment +The auditor will be trying to determine whether a project will result in a specified product or level of performance and will be delivered at a specified time and cost . The auditor is paid to report what the company wants it to report . contradictory +Done ! shouted another . Another demon shouted that it was done . neutral +During the millennium before the Christian era , their civilization reached north beyond Tuscany to the Po valley and south toward Naples . Tuscany was part of their civilization . neutral +They have a spout-like whistle , and rather phallic versions are grounded in fertility lore . They are censored , so there is nothing phallic about them . contradictory +Jon nearly dropped the blade when he realized the leather was human skin . The leather was made from human skin . entailment +Dining room , bar . It has no dining facilities . contradictory +The seventy leading Satheri were all present , with Sather Karf presiding , when Hanson was ushered into their presence . When Hanson was ushered into the presence of the leading Satheri , all seventy were present . entailment +Us boys , we hadda go git th ' wood ax an ' chop ' em apart ' fore we knew what we was all to do . We boys had the job of running home and telling Mom . contradictory +The Hard Way by Matthew Ritchie , which first appeared in Slate Gallery , has been added to the permanent Web site collection ( yes , there is one ) of the San Francisco Museum of Modern Art . The web site collection now includes the book The Hard Way . entailment +you know i 've like i 'm really bad nobody would want me on their team i 'm the you know i 'm the opposing teams best player so so to speak so It is better to be opposite of me so you win . neutral +yeah right absolutely because they figure that that 's correct the idea is to use their money Some people decide that there is an optimal way of spending their money entailment +11 East Asian Many trace the dive to economic slumps in Malaysia , Thailand , the Philippines , and Indonesia--which together buy 4 percent of all American exports . 4 percent of American exports are bought by four Asian countries . entailment +It 's seen that way just the same . It looks just the same way . entailment +that uh they should vote it one way or the other so maybe it is worth having that extra little or going to the the very farthest uh safeguard that can be done and uh They shouldn 't vote it , it 's not worth it at all . contradictory +Half the nation 's increase in poverty in the 1990s , when the number of poor jumped 30 percent , occurred in California , and nearly 25 percent of the nation 's poverty increase occurred in Los Angeles County alone . Poverty had never increased as much as it did in the 1990 's . neutral +The following outlines the strategies that senior executives in leading organizations commonly use to promote information management leadership involvement in business decision making and maximize the benefits from their IT investments . Some senior executives use strategies to get information management involved in decision making . entailment +For some this may sound like hard work , but don 't beach-bar refreshment is never far away . For some this may sound like hard work , and unfortunately any refreshments are always very far away . contradictory +Yes , then we can talk seriously . This is a serious matter and I want to talk about it with you later over lunch . neutral +They can paddle in the streams , go bird-wat ching , or cycle on the trails in Grizedale or Whinlatter forests . They can ride bicycles , watch birds , or go boating on the streams . entailment +This can be done by calling the resort directly . This can be accomplished by actually calling the resort . entailment +At Skelwith Bridge , turn right on to the B5343 . One must turn left at the Skelwith Bridge . contradictory +Is this the key that was lost ? " He drew from his pocket the key that he had found in the lock of the despatch-case upstairs . He found the key downstairs in a closet . contradictory +RISK CATEGORY -Subdivisions of a cohort of direct loans or loan guarantees into groups of loans that are relatively homogeneous in cost , given the facts known at the time of obligation or commitment . Even without knowing all of the facts you can see that the break down shows some groups had a huge diversity in their costs . contradictory +and uh i sometimes i may not be conscious of keeping count but uh you know every now and then when i do check up and say where is my count i check it relative to the clock and and i also wind up coming out even even side of the pool sometimes I 'm not able to keep count , every now and then I do check up I compare mine to the clock entailment +The Internet facilitates the sort of communications and activism that the Fords and Carnegies prayed PBS would spark . While the Internet facilitates easy communication , it does not facilitate the sort of activism the Fords and Carnegies prayed for . contradictory +The Pont de la Concorde , truly the bridge of the French Rev ? ­ o ? ­ lu ? ­ tion , was erected between 1787 and 1790 . The bridge was built in the 1990 's . contradictory +This Odysseus seems to be on a very long journey to find his missing Prozac . They had a quick and easy walk around the park . contradictory +obviously you have kids Of course you are a parent entailment +The square now hosts National Day state parades . The town square loves its national parade day . neutral +Tradition says that a woman wiped the sweaty , bloody face of Jesus here and an imprint was left on the cloth . Jesus had his face wiped by the woman . entailment +you know don 't they don 't people go for a walk on the beach at night and they said no it 's very safe in the daytime but at night they even have the policemen come around at dusk It 's dangerous to walk on the beach during the day , but very safe at night . contradictory +One study of 2,500 randomly selected emergency department physicians found that only 55 % believed that mental health professionals ( psychologists and psychiatrists ) can effectively address alcohol problems . More than half of the ER doctors selected think that mental health pros can help those with alcoholism . entailment +I thank you for what you have done , she told Jon . She was grateful to Jon . entailment +Or is there seriousness underneath the mordancy ? Is that a certain thing ? neutral +yeah we you know i wonder i had occasion to go into a pawnshop recently i 've never been in one in my life before and uh i was just looking around and and the majority of what they 've got in there are guns No pawnshop can legally sell guns . contradictory +The problem is that when a documentary filmmaker seems too scared or cool or arty to violate his own immaculate aesthetic , he ends up weakening his case . Documentary filmmakers are afraid to take risks that would end up strengthening their film . entailment +i like that i know when i i was in that like in the service and we didn 't have we used to have to go every other month or whenever There was a point in time that I was in the service . entailment +Modern shopping malls are usually open 10am-midnight or later , and often on Sunday as well . Older shopping malls do not stay open that late . neutral +The prospect of his aid revived her mercurial spirits , and she next inquired for Julius Hersheimmer . She was unhappy that he was going to help her . contradictory +There are relatively few roads through the Camargue , and those that do exist are not always very attractive . The Camargue is a bustling place with highways and lots of shopping . contradictory +The Crusaders ruled the city from 1204 to 1261 , calling their new state Romania , also known as the Latin Empire . Romania , aka Latin Empire , was created by the Crusaders . entailment +But one packaging design thinks out-of-the-tube Mentadent 's stand-up pump ( Mentadent Advanced Whitening , Mentadent Crystal Ice ) . There 's one design that has a stand-up pump that works very well . neutral +Locals , who believed that the house was haunted by her spirit , buried her nearby so that she could be reunited with her body and rest in peace . Locals believed the house was haunted because of the sounds coming from the house at late hours . neutral +No , I dunno as how I 'd be makin ' that kinda play neither . I am unsure as to how I 'd make that kind of play . entailment +First , they strive to provide candid and constructive feedback to help individual employees maximize their contribution and potential in understanding and realizing the goals and objectives of the agency . Employees should be evaluated in secret so that they do not learn the results . contradictory +The magnitude of the overstatement cannot be estimated with confidence . It was an overstatement that could not be accurately assessed . entailment +Though some $ 10 million a year would probably fill the bill for civil legal aid in Florida , just $ 500,000 is in the state 's strained budget at this time . $ 10 million a year would fill the Florida civil legal aid but its budget is way below that entailment +There are top courses around Lisbon ( especially Estoril ) and a few near Porto , but it is the Algarve which has the lion 's share ( including some of the finest courses in Europe ) . The Algarve is said to have the best courses in Europe . entailment +The Nazis initiated a ruthless campaign in 1940 , rounding up intellectuals , Jews , and others , executing some in the streets and deporting others to concentration camps in the occupied territory . In 1940 the Nazis began a program to systematically imprison and eliminate Jews and others . entailment +i suspect i would be uh you know a lot more favor of it if you know one of my children were you know brutally killed or something like that like i say i think it depends on how personally affected you know you might be by it Personal opinions are shaped by personal experience . entailment +One of the most effective ways of keeping a tight rein on the country was to cut it off from the outside world , to keep Japan Japanese . Japan was kept isolated from the rest of the world , which proved an effective means of maintaining control . entailment +yeah actually how about you what do you like to to cook no I don 't , I also heard that you hate cooking too contradictory +" Oh , indeed , that is common knowledge , " Sersa Garm admitted . Sersa Garm admitted it was common knowledge . entailment +so i was reading an article in uh National Geographic and i don 't know i don 't think they have any more money than any of the other countries they don 't have oil or anything and they don 't have big tourism They are as well off as any other country . neutral +Julius Caesar founded many cities , including Ebora ( avora ) , where the remains of a Roman temple survive ( see page 90 ) , and Pax Julia ( Beja ) . Julius Caesar was one of the best rulers who ever lived . neutral +because there are just too many bills There aren 't any bills . contradictory +jilted Minnie Driver glared at ex-beau Matt Damon when he won his screenwriting Oscar and steered clear of the it-boy at the parties ) . Minnie Driver smiled at Matt Damon during the Oscars , seeking him out at the after party . contradictory +When analyzing Argentina , it 's important to keep in mind that since we 've been cheated many times , we have learned how to beat the system . They cheated us five times before we caught on to their tactics . neutral +Callers , overwhelmingly poor people of color , think their lives are entirely pre-scripted and want to be told what to do . The lives of Poor people of colour can be unwritten . neutral +If you enjoy contemplating your own future extravagance ( as opposed to frugality ) then Krusell / Smith reasoning suggests something even more The more you expect to be extravagant in the future , the more you 'll save to finance that future extravagance . You will not save at all if you want a simple future . neutral +There 's more free stuff available online to fill up the time when the boss isn 't around than the proxy-censor will ever let us read . The porxy-censor was set up to prevent employees from wasting company time . neutral +To remove that limit is to repeal subsection ( a ) ( 16 ) altogether , and thus to eliminate a significant quid pro quo of the legislative compromise . The removal would be dangerous for lawmakers . neutral +so they just when they when they put the plaster walls up they just tinted the plaster They tint the plaster when they put it on the walls . entailment +But no one has ever been killed at the UFC--though boxers are killed every year . The UFC has special safety restrictions which is why no one has ever been killed there . neutral +they wouldn 't do it They would not take out the trash . neutral +We also reviewed agency documents , such as strategic plans , performance plans , performance reports , program descriptions and documentation , and other related documents . We did not review any documents . contradictory +Wilde scholars note his sex scandal is curiously evocative of Clinton ' A spectacular public figure denies sexual indiscretion ( in the face of overwhelming evidence ) rather than risk challenging conventional morality . A public figure might deny sexual indiscretion rather than admitting to wrong . entailment +The other armored man stabbed hard , piercing the demon and pinning it to one of the other black stones . The demon cried out in pain when it was stabbed . neutral +Shh . " Her hands came up in complicated gestures . Her hands remained stiff and motionless on her sides . contradictory +It 's hard to imagine how such commitments might be maintained , which suggests that fines are more effective than boycotts , especially if they are written into law rather than imposed on an ad hoc basis . Boycotting works better than any fine will . contradictory +yeah um-hum that 's right yeah that 's a real waste too it really is That 's correct , it was also a real waste . entailment +By the way , you 've not had a young lady here asking for this key to-day ? " The woman shook her head . The woman was asked if a young man had asked for the key the previous week . contradictory +Examine how the agency handled best and final offers . The agency made a bad job of handling final offers . neutral +This legacy is apparent in the handsome homes strung along the wide , shaded boulevards and in the grand dome of Pasadena CityHall ( 100 N. Garfield Ave . ) , built in 1927 . There are more than one hundred handsome homes in Pasadena . neutral +The way in which Social Security is reformed will influence both the magnitude and timing of any increase in national saving . Social Security reform will have an effect on national saving . entailment +The city center lies within the walls of a vast fortress started by the Venetians and reinforced by the Turks . The Venetians built the fortress in the 14th century . neutral +Copyright law in cyberspace offends because it limits what I can do in physical space . Laws in cyberspace affects what I can do in real life . entailment +well i i i think one of the big problems i mean looking at it from the American the American public 's standpoints they don 't understand the Middle Easterners The American public is well versed in Middle Eastern traditions . contradictory +This will take you ... This vehicle will take you to your destination . neutral +World class accommodations , five-star dining , and shopping opportunities that rival every major city have added immeasurably to the city 's reputation for all-night gambling , drinking , and adult-oriented temptations . All-night gambling , drinking , and adult-oriented venues are the backbone on the cities reputation . neutral +South Carolina hooked previously independent gas stations , convenience stores , bars , and restaurants on gambling dollars . Bars in South Carolina were susceptible to gambling revenue because they had been consistently seeing drink revenues decline . neutral +um-hum yep my husband likes the weights period that 's it he wants to be up like he wants to he says i 'm going to pump up i said uh-huh He doesn 't like weights because it allows too movement . contradictory +so um it 's strange because it it so hit so close to home but um um my father 's an only child and really me and my sister are the only ones that will deal with my grandmother she had many sisters and a couple of them took care of her and then one her last sister died and it was probably seven or eight months after that she had to go in a nursing home because i was pretty much giving up my life my sister was and plus she was driving my father crazy she went through three housekeepers live-in housekeepers so she 's kind of cranky to get along with there 's nothing physically wrong with her except she 's very very old but her personality is is very grating i mean i hope i don 't get like that when i get old so Several different people took care of my grandmother . entailment +In 1980 , there were three primary legal services programs in our state . In 1980 , Texas has three main legal service programs which provided free help to the poor . neutral +This is not to say that rich people don 't love their kids . The children know they are loved . neutral +The company has agreed to purchase a limited number of white tablecloths , real silver , and nonrecyclable crystal . The business will be buying some high end tableware items with limited use potential . entailment +i don 't understand why they charge you out the kazoo for both you know popcorn is not that expensive so they get you at the ticket booth and then try and get you at the popcorn and Coke They make you pay for the ticket , and the popcorn and Coke . entailment +The other principal hotel for nightlife is the Madeira Carlton , which puts on similar theme evenings , plus classical concerts and children 's shows . The Madeira Carlton isn 't a good hotel for nightlife , since it never puts on any shows . contradictory +Past the square on the left is the entrance to icek Pasaje ( Flower Alley ) , a high , glass-roofed arcade lined with bars and restaurants . Past the square on the left is the entrance to Club Penguin , an exclusive , fancy club . contradictory +okay well have a good day thanks bye-bye Thanks , bye , hope you 're day goes better than yesterday . neutral +Neither DOL nor OSHA systematically provided regulatory background information to the public through their web sites . The web sites didn 't want to share too much information with the public . neutral +Delicious dish , but watch out for the aftertaste . The aftertaste is extremely bitter . neutral +The Temple of Juno , with its sacrificial altar , stands in majestic isolation high on a ledge at the eastern end of the Via Sacra . You can find the Temple of Juno on a ledge at the northern end of the Via Sacra . contradictory +i 'm not kidding my husband was like totally freaking out he said i can 't believe it look at that My husband drank his first beer and he was freaking out . neutral +In terms of organized entertainment , Paris offers a wide array of theater , movies , and every kind of music . You may also even ride a horse through Paris if that suits your entertainment needs . neutral +specified in table B. Table B shows important information . entailment +Whoa , wait , said Adrin but it was too late . Adrin tried to stop things , but not soon enough . entailment +I think they have been very helpful , she said . They have helped me find a solution . neutral +This is nonsense . This is nonsensical . entailment +That they 're just like those quasi-people on Dawson 's Creek . Except in those other countries , the slutty girls get beaten to death . They wanted to protect the women in both countries . neutral +Interest on uninvested funds received by direct loan and guaranteed loan financing accounts . Interest on these types of funds is usually within 2.5-5 % range . neutral +Drew jumped after him , trying to assess the situation even as his hand closed restrainingly on the Texan 's shoulder . Drew leaped after him , trying to gauge the situation as he held back the Texan . entailment +Only a few years ago--three to be exact--managed care was the prescription of liberal reformers for an over-stressed health care system . The health care system was working just fine , and there was no need to reform it . contradictory +I was delighted to discover skyward prongs in the ledges of the Basilico San Marco in Venice , designed to prevent pigeons from alighting there . People prefer pigeons to be allowed to perch on the legs . contradictory +i don 't think i 've ever i think i 've that there was some girl there i 've been there like maybe a dozen times but i actually like that site better than the other one just because of the type people that go to There was a girl I knew on that site neutral +Brown replied that only a certain proportion of the funding can be applied toward development in R-01 grants , and some of the technology , for example interactive videos , can be quite expensive to develop . Brown explained that some of the technology was expensive to develop . entailment +Pollock asked how to differentiate that type of study from doing a clinical trial . Pollock asked how to tell the type of study and the research helped him see a way . neutral +oh Agatha Christie how about John D McDonald uh John D McDonald you ever read him Have you ever read anything by John D McDonald ? entailment +i think i did vote for her as a matter of fact i 'm pretty sure i did I did not vote at all that time . contradictory +If auditors determine that internal controls over data which are significantly dependent upon computerized information systems are not effective or if auditors do not plan to test the effectiveness of such controls , auditors should include audit documentation regarding the basis for that conclusion by addressing ( 1 ) the reasons why the design or operation of the controls is ineffective , or ( 2 ) the reasons why it is inefficient to test the controls . If auditors find the internal controls over data are not effective , they should include that documentation . entailment +They do not , they say , value a stock by looking at future earnings . They don 't value a stock just by how much it will make in the future . entailment +I don 't remember , sir . I remember it as clear as day . contradictory +In spite of its prestigious sponsorship , the company ceased operations in 1996 . The company went bankrupt in 1996 . neutral +uh-huh yeah yeah as a matter of fact uh what we 've got ours painted now is kind of a light creamy color and a uh a blue and the blue even so many years two years later or so it doesn 't match We painted ours a grey color and a purple color . contradictory +Single people fear they 're going to die alone--unloved and unloving . Single people usually live alone . neutral +Since the 1960s , U.S. gross national saving as a share of GDP has ranked sixth among a group of seven major industrialized countries- the G-7 . U.S. gross national saving as a share of GDP has ranked since the 1990s sixth among the G-7 . contradictory +Our conviction reflects a widespread belief that the people are basically good and pacific , while governments are fundamentally suspect and aggressive . Everyone thinks governments help people only if they are good and pacific . contradictory +it 's uh in Massachusetts it 's almost ten percent now It 's almost 10 % and it 's in Massachusetts . entailment +With its wide , sandy beach , Portobello is a quintessential British seaside town . Portobello is located on the British coast . entailment +Here you can pick up buses for a tour of city attractions . The buses are the fastest means of taking all of the city attractions . neutral +Legal Aid provides noncriminal legal assistance to the poor in areas such as family law , consumer fraud , housing evictions and foreclosures . Legal aid provides housing eviction services to poor people free of charge , depending on income . neutral +The contractor does not use statistical process control and has not identified critical manufacturing processes . Statistical process control is not used by the contractor . entailment +From the depths of the train , a wave of policemen was approaching . The train was small , and a wave of policemen filled most of it . neutral +One prominent critic called the story a whitewash . No one thought the story was a whitewash . contradictory +There has been a Church of the Holy Sepulcher on this spot for some 1,650 years , ever since Queen Helena ( the mother of Emperor Constantine , who made Christianity the state religion of Rome ) visited Jerusalem in a.d. 326 and identified Golgotha , the site of the crucifixion itself . Queen Helena supported her son , though she herself never did convert to Christianity , neutral +I 've answered advertisements . I answered ads for jobs . neutral +Contact The Settle-Carlisle Information Line , Tel . 066 066 0607 or Cumbria Journey Planner , Tel . ( 01228 ) 606000 for more details . The is no way to find out more details . contradictory +we get ice storms but not not quite to that extent it 's not the thin sheet you know all across the road ours if it ices over it 's thick it 's with snow it 's something that you can drive on you can get a little traction with Yes , we get ice storms but not bad enough that you can 't drive on the road . entailment +( The exception here is phone sex , where the inspirational speech pretty much is the sex . ) Phone sex is an exception . entailment +I would expect the legal community to be in the forefront of trying to bring this issue to light . The legal community has not acted sufficiently to bring this issue to light . neutral +breadth of information . No information . contradictory +large if not too large It may have been too many people . neutral +Jon had taken Vrenna 's amazing diversion to reload his pistols . Jon was asleep while Vrenna distracted the men . contradictory +To the left of this ( remember to walk clockwise around the stupa ) rise two shikara-style votive towers to Hindu deities . To the left of this ( remember to walk reverse clockwise ) are the 1,000 step stairs to the Buddha Temple . contradictory +Completed in 1890 , the bridge comprises three huge cantilevers joined by two suspended spans , for a total length of 1,447 m ( 4,746 ft ) . The bridge was finished years ago and contain cantilevers . entailment +These organizations rely increasingly on a well-defined mission to form the foundation for the key business systems and processes they use to ensure the successful outcome of their operations . These organizations rely on a certain mission in order to perform well on their operations . entailment +By the train station , between Calles Picota and Egido , is the modest Casa Natal de Jose Marta ( at Calle Leonor Perez , 314 ) , the birthplace of poet and statesman Jose Marta . By the train station , between Calles Picota and Egido , is the modest Casa Natal de Jose Marta that is seen as a national treasure . neutral +Red 's mother was moving up , panting a little with the exertion and smiling a tight smile for the benefit of Slim in his capacity as guest . Red 's mother wanted to put on a good face for company . neutral +Salvors sell their finds online , stage exhibitions for profit , and auction film rights . Salvors trade in film property for profit . neutral +Nobunaga was assassinated by one of his own generals in 1582 , and Hideyoshi , who had started out as a simple infantryman , succeeded him . Nobunaga lived a long fruitful life and died of old age after commanding Japanese armies his entire life . contradictory +The standards are effective beginning with fiscal year 2000 and the Federal Managers Financial Integrity Act reports covering that year . The standards started in May 2000 . neutral +Across the river are Beynac 's rival , Cetelnaud , its ruins recently restored and now housing a museum of medieval warfare , and the privately owned 15th-century castle of Fayrac , complete with restored drawbridge , battlements , and pepperpot towers . The castle of Fayrac is owned by a public trust . contradictory +If the restriction on speech and legal advice were to stand , the result would be two tiers of cases . Nothing would change if the restriction on speech and legal advice were to stand . contradictory +Their arcade houses , with gray-and-white striped facades ( numbers 15 17 ) were built from the 13th to 15th century . The houses are still in their original condition . neutral +i get when we got engaged last summer um we went for fine dining because we were sort of celebrating and we went to the Annapolis area which is um We went to a fine dining establishment to celebrate our engagement . entailment +I 've been thinking of nothing but Tuppence . " I cannot stop thinking about what Tuppence did . neutral +i see do you have a garden we do the same thing it 's i just have a small plot it 's like ten feet by five feet I don 't have a garden . contradictory +When he finished , no one spoke . When he finished , everyone started shouting . contradictory +But how , I asked Hatfield , could he see his source doing this in what he described as a telephone conversation ? Hatfield 's source claimed to have done something improbably in a telephone conversation . entailment +The end of David 's dynasty came in 587 b.c. , when Nebuchadnezzar , King of Babylon , invaded Judah to lay siege to Jerusalem . Nebuchadnezzar 's invasion of Judah marked the end of David 's dynasty . entailment +It describes the reasons for the proposed agency action , and its objectives and legal basis . It can help get the proposal passed since it 's so well written . neutral +Well , the time allotted by the state for gathering petition signatures runs between Nov. 30 and Jan. Petition signatures can be gathered between Nov. 30 and Jan. entailment +As a side effect of that disease , reporters have excessive respect for a well-run campaign . Reporters like when campaigns have good ads and no negative ones . neutral +The City Council plan would also reduce to 2 percent the Bloomberg plan 's 7 percent cut for District Attorney 's Offices citywide . Bloomberg wants to cut the DA office 's budget by 7 % . entailment +Ask Bill is part of our E-mail to the Editors page . Email to the Editors is a blank page that contains no data other than a 404 message . contradictory +The contract should specify conditions for acceptable performance . If one doesn 't follow these conditions , they will be fired . neutral +well now i agree uh i agree with you one hundred percent i 'm just taking the other side just so we 'll have a discussion I don 't agree with your point . contradictory +It depends , in short , upon what the meaning of the word negotiation is . It depends on what negotiation means when it comes to research . neutral +It was declared capital again in 1971 , taking the title from Chania in the west . The capital was destroyed and never again named after it happened . contradictory +Charlotte Square is arguably the jewel of the New Town . Charlotte Square is closed after midnight every night . neutral +In India , the daily Pioneer reported that the 81-year-old , American-born violinist Yehudi Menuhin ( now an English lord ) had been outraged by hints that his health was responsible for the last-minute cancellation of a concert to be held in New Delhi Jan. In India , the 81 year old violinist said his healthy had been the reason for the cancellation . contradictory +MAST requires 20 minutes to administer . MAST can be administered in less than 10 seconds . contradictory +and it it 's worked out most of the times i 'm i 'm usually pretty good on calling the the currency market I 'm good at predicting how the market is doing . entailment +uh-huh no i i wasn 't either she my daughter um she 's real good at finding sales though you know she she she 'll buy a lot of she yeah she 'll buy a lot clothes at the end of seasons you know and uh just have them for the next year My daughter is good at finding clothes on sale , but she spends way too much money . neutral +Only he said it loud an ' clear that such ruckusin ' round only meant th ' whole country here 'd go to pot . No one heard what he said as he said it quietly . contradictory +The modern air-conditioned building is well designed , with a small number of delightful pieces on display including a striking basalt statue of Pharaoh Tutmosis III . The statue of Pharaoh Tutmosis III is outside the building . contradictory +The difference , $ 6 . The difference in price was 6 dollars . entailment +Idealists don 't like the way it 's being fought . Idealists believe the method of fighting is perfect . contradictory +Hospitals could hire more residents , but that would increase our physician glut . Our greed would increase if hospitals were able to hire more residents to line their pockets with . neutral +I can make that work . ' That won 't work for me . contradictory +The Kal smiled at Adrin . The Kal gave a smile to Adrin . entailment +When you see Bradley , you see a naturally diffident man talking about how he would like to run for president and fretting about the distance between his ideal campaign and the real one . Bradley is shy , and talks often about how far apart his ideal campaign for presidency is from his current one ; he blames it on the reality of politics today . neutral +it was it was the strangest i 'm i 'm not sure it was gerrymandered but the way they drew these little patterns and stuff i i i guess i 'm a little cynical of the of the power base i i i and i don 't quite understand why the power base uh doesn 't uh why they don 't go with fourteen one i you know i and you know the it seems to me that what happened in the in the election that a lot of the people they said particularly the the uh i think it 's Hispanics don 't vote because they don 't think that they have any affect and it 's i i guess i am disappointed with Dallas in that uh the fourteen one it i 'm not certain about whether the voting was rigged , but the way they drew the lines entailment +A second , rare , application is where a highly generalized or universal assertion is being called into question , and we are able to test it through examining one instance . There are at least two applications that can be used . entailment +Though most of the activity in Penang is in the city , it 's also possible to relax at a beach-side resort or to flee the heat on the railway link to the top of Penang Hill . The majority of Penang 's activity is localized in the city . entailment +That 's four months . Four months passed since my husband went missing . neutral +it really is yeah yeah it yeah it 's interesting to do yeah we did mailings put up signs you know and things like that We only did the mailings , but didn 't bother with the signs . contradictory +Accordingly , the number of dollars involved in worksharing is in the billions and the effects on mailers and the economy are quite large . I have invested billions of dollars in worksharing . entailment +From Dhedhalou run a number of small alleys with up-market cafes and restaurants where you 'll find Iraklion 's young and affluent enjoying iced coffee and a game of backgammon . There is almost no crime in the area . neutral +they just don 't seem like um well i guess we 've have them about a week now and they 're just not kind of They don 't like them right now , but may after a few more weeks . neutral +It is measured real GDP per worker --nothing more , nothing less . The measurement is by the real GDP per worker . entailment +What keeps the movie tantalizing is Chloa Sevigny 's Lana , who might or might not know that Brandon is a girl but who 's entranced by him anyway . It is not clear whether Chloa knows if Brandon is a girl . entailment +In September 1996 , we reported that audit reports and agency selfassessments issued during the previous 2 years showed that weak information security was a widespread problem . In September 1996 , we said the past 2 audit reports showed information security was an issue . entailment +To my wife , who supports every strange direction I turn and makes my life happier every day . The man 's wife is supportive . entailment +Supper is at half-past seven . There will be no supper tonight . contradictory +Netanyahu urged Clinton to host a Camp David-like summit , the climax to Netanyahu 's proposed shortcut negotiations with the Palestinian Authority . Netanyahu wanted Clinton to host a Camp david like summit . entailment +uh reading about and and i suppose that there is uh justification for taking everybody if you take anybody Only a few should be taken since there is no reasons for more to be taken . contradictory +His pride in the colt had been pushing him toward such a trial ever since he had heard Fenner speak of Oro . Fenner spoke of Oro . entailment +you know and a lots of things There are so many things . neutral +Such work , like other performance audits , involves a level of analysis , research , or evaluation ; may provide conclusions and recommendations ; and results in a report . Performance audits , involving a level of analysis may provide certain conclusion . neutral +Assessing Risks and A Guide for Evaluating Federal Agencies ' IT Investment Decision-making . Federal agencies sometimes make IT investments that don 't make sense . neutral +She made it no farther than a first-floor sofa to bring little Nabulio kicking and screaming into the world he was to conquer . Nabulio came into the world silently and without screaming . contradictory +She was the very model and picture of a good old-fashioned servant . She was a bad servent . contradictory +it 's yeah ethnic any ethnic problem or race Yeah , it 's any ethnic or race problem . entailment +Those whose fate was to die on some far foreign field could not have wanted a more peaceful , lovely graveyard . The graveyard was perfect for those who wanted a foreign death . entailment +'Please , ' Derry said . I knew Derry a long time . neutral +you know what 's going on you know like i knew or like i sat in on the meetings or something You are apprised of matters the same way I am if I sat in on the meetings . entailment +Some Democrats call Republicans who make these arguments unpatriotic . Some Democrats make negative comments about Republicans . entailment +Instead , be prepared for a barrage of questions about your life , offers to supply anything you need , a host of jokes at your expense , and some serious flirting if you 're single . The jokes at your expense can be mean-spirited . neutral +There are really no synergies in consumption if multiple ACI units are installed at one site . If multiple ACI units are installed at one site , there aren 't really any synergies in consumption . entailment +Working on it until six days before his death , the sculptor chiselled a pathetic Mary struggling to hold up the dead Jesus , a strange throwback to medieval sculpture for his last tussle with recalcitrant stone . The sculptor finished the sculpture several years before his death . contradictory +Hillary cannot be there ! Hillary is not allowed there . entailment +In the winter months it is dank and cold but with a mystical beauty all its own . The winter months are cold but uniquely beautiful . entailment +and you know occupying a very prominent role with the politics and in the business sector Being a nobody in politics or in business . contradictory +Erected in a.d. 21 , it stands on a traffic island across the old N7 , which here traces the route of the ancient Via Agrippa . The statue of the emperor at the time was erected . neutral +Uncle , believe me . My uncle needed to believe me about the body we found . neutral +There is a certain notoriety given to these cases . No one ever hears about these cases . contradictory +and finishing up at school and so those papers really i mean it was nice having access to the I had already finished my schooling at the time . contradictory +You are all we have left . We only have you left . entailment +John Danforth agreed to head an independent investigation of Waco in response to suspicions of a cover-up . The investigation focused on finding the source of the cover-up . neutral +The Congressional Budget Office ( CBO ) describes its projections as more tentative than usual because the increase in CBO 's productivity growth assumption is based on data only for the past few years . The CBO 's projections would be a bit incomplete because of lack of data . entailment +They are too easy a target . They would make more difficult targets if they were hiding among some trees . neutral +Further along you 'll spot the flashy pink exterior of Frederick 's of Hollywood ( 6608 Hollywood Boulevard ) , the shop renowned for glamorizing trashy undergarments . Frederick 's of Hollywood is well known for popularizing trashy underwear . entailment +right i think the schools today you know the public schools are just they 're just overrun you know they don 't know what to do there 's too many kids and not enough teachers and too many kids don 't care Public schools today are understaffed and they had too many kids . entailment +His intentions are Corporations shouldn 't discriminate in hiring , HMOs shouldn 't deny care to patients who need it . His intentions are to encourage discrimination in the hiring processes . contradictory +Developing an allocation scheme requires answering numerous questions . Developing an allocation scheme needs no answers contradictory +now the one thing i did approve of there was that we didn 't have to be unanimous because it was a civil case There were other things about the case which I found very wrong . neutral +You should assess reliability if the data to be analyzed are intended to support the engagement findings , conclusions , or recommendations . You should assess reliability of data to support conclusions or recommendations entailment +15 We cannot do a meaningful review without an explanation of the nature and purposes of these costs and the appropriation that was charged . In order for us to do a meaningful review , we need an explanation of the costs and charges . entailment +The forum highlighted identified best practices and tools that can be used by federal agencies and other facility owners to manage and / or oversee design reviews throughout the facility The meeting pointed out ways agencies can oversee design reviews . entailment +A good omen . The omen was a bad sign . contradictory +The view of the lush mossy landscaped garden from the verandah at the back of the building is one of Kyoto 's most famous . The most famous view in Kyoto , is the mossy landscaped garden from the veranda at the back of the building . entailment +It might be too soon to write the end-of-an-era story , but one could hint at it , start practicing the inevitable eulogy . One could hint at the end-of-an-era story . entailment +uh unless you go over toward East Texas where there 's a considerable considerable amount of woods or if you go uh extreme south part where there 's some some things worth seeing by foot uh the majority of of camping experiences around here seem to be geared toward entertainment where you 're you 're looking at the state parks all seem to have something of a In East Texas , there are no trees . contradictory +burdensome alternative on state , local , and tribal governments and the private sector . The policy is designed to alleviate all burden from local and private sectors . contradictory +You do not understand all this but you can go out to-day . You have a very clear understanding of the situation , but you must stay inside today . contradictory +uh a lot at at the store at at at or in record stores you 'd There are a lot at the record store . entailment +Breakfast included in the price of a room . Breakfast is included . entailment +The towns , not to be outdone by the agricultural shows , also hold annual festivals such as the popular Victorian Festival at Keswick or the Medieval Festival in Kendal ; both are in late May and both feature crafts , food stalls , and artists and entertainers in period costumes . The towns hold festivals , such as the Victorian Festival and the Medieval Festival , every year . entailment +But even if your purchase only looks antique , it may still arouse suspicion at customs . You might have trouble at the customs with vintage purchases . entailment +From 1994 to 1998 , the multi-billionaire gave away only $ 475,642 . The billionaire is a stingy old man who clings to his money . neutral +no in inside the gate i do not carry any weapon at all The area inside the gate is a safe space where weapons of any sort are not allowed . neutral +Let Netscape track me so long as they disclose what they are doing . I wouldn 't mind Netscape tracking me if they are transparent about their activities . entailment +what 'd she say I want to tell her not to say that . neutral +right we we find it hard to believe sometimes or hard to understand when uh We find it hard to believe and understand . entailment +they would they had settled while we were deliberating They waited until we had made up our mind , before settling . contradictory +The Clinton health-care plan is a case in point . The case of the Clinton about the health-care plan is in point . entailment +In a Gallup survey shortly before the Senate verdict , 73 percent of respondents said Clinton was guilty of perjury . Most people thought Clinton was guilty of perjury . entailment +Limestone was used as an estimate of reagent for FGD systems . Limestone was used for estimating reagent of FGD systems . entailment +Celebrating Trajan 's campaigns against the Dacians in what is now Romania , the minutely detailed friezes spiraling around the column constitute a veritable textbook of Roman warfare utilizing some 2,500 figures . The friezes were added to the column four centuries ago . neutral +( And we have reached a degree of liberation that permits me to think of these potholes as Mayor Barry 's potholes without feeling guilty of racism . ) Mayor Barry 's pot holes are these potholes , and I can think this way because of liberation . entailment +The Los Angeles Times attributed the crash to a piloting error by Kennedy , but a tidal wave of eulogies ( including this one from the Washington Post ) blamed a curse on the Kennedy clan . The crash was due to a sever thunderstorm in the area and Kennedy made no mistakes , The Los Angeles Times said . contradictory +Seixal ( say-shall ) is the only other settlement before Sao Vicente . There is just one settlement before Sao Vicinte . entailment +Risk analysis generally includes estimating the risk 's significance , assessing the likelihood of its occurrence , and Risk analysis includes estimating how much of a risk there is . entailment +or not at this short time period This is lasting forever . contradictory +Today you 're going to fight the Kal . You will be fighting the Kal next Friday . contradictory +After he quit the Giants in 1991 , he spent two years as a It bored him . He felt he was getting too old to continue to play for the Giants . neutral +On one hand , their revenge was perfectly in accord with the samurai code of honor ; on the other , they had murdered a high official . Their revenge contravened the samurai code of honor . contradictory +so we have the the old the older dog 's a male and he 's he weighs about forty pounds and then Pepper is a year younger and she weighs about seventy pounds We have dogs in our house with the older dog weighing about forty-five pounds while Pepper weighs about seventy-five pounds . neutral +A cry went up in the night , a cry horrifying to Jon and unfamiliar to the riders . The cry was frightening because it sounded like someone was in trouble . neutral +The Sun Temple of Konark was conceived as a gigantic chariot for the great sun-god Surya cantering inland from the Indian Ocean . The Sun Temple of Konark was designed as a symbolic chariot for Surya , the god of the sun . entailment +big long strips so what had happened is that professional painters had not prepared the surface properly and some of that still has to be redone Painters hadn 't prepped it well . entailment +uh i believe that you can that you can change well maybe not from year to year but at least you can change periodically uh as to you know as to to get the stuff that 's more important to you yeah that 's uh something that the uh that the federal government you know put into uh you know into the IRS regulations as uh as I believe that throughout your life you can change what is important to you . entailment +yeah that would be gosh That would be great . neutral +If you dress the part and stay on your feet for the seven days the fiesta lasts , you can join the ranks of Els Pollosos . If you take on the clothing and can survive the seven-day fiesta on your feet , you can join the Els Pollosos . entailment +Situated in the middle of the Cartmel peninsula south of Lake Windermere , the village of Cartmel has been at the heart of some important events in English history . Just south of Lake Windermere is an important village called Cartmel . entailment +This ultimate subsurface experience is becoming very popular in France , as it has been for a number of years in the United States . Nobody in Europe offers subsurface experiences . contradictory +and now i think they ought to increase it to all these drug dealers They should increase it because of a mysterious tip holding information on the dealers . neutral +that was so funny had to or was it Kmart uh he had to buy his underwear at Kmart It was funny that he had to buy his underwear at Kmart . entailment +LSC grant conditions require that programs obtain LSC approval of a merger or consolidation before LSC will allow the transfer of the grant from one program to another . Under LSC grant conditions , programs should obtain LSC approval of a merger or consolidation . entailment +Let 's repeat ! ' Do it again ! entailment +It 's not a conclusion that can be forced on me--or anyone else--by statistical science . Statistical science cannot predict how I will enjoy my job . neutral +He tossed the book aside , shivering as he realized that his secret name was common knowledge . He had always wanted everyone to know his name . contradictory +I know that Fieldstone is interested in finding a workable resolution , said Adam Bass , a lawyer for the company , adding that he can 't comment on the details of the Ledford loan . Fieldstone has no interest in finding a workable resolution . contradictory +GAO / AIMD-98-68 Information Security Management Page 11 The GAO / AIMD standards for Information Security Management is widely disregarded , and not utilized in most larger businesses and government organizations . contradictory +Auditors should include audit documentation on their assessment of risk , and , when risk factors are identified as being present , the documentation should include The auditors need to include a bunch of documentation . entailment +oh have you always had cats did yo u have them when you were a kid You 've never had a cat ? contradictory +Table 6-9 shows the results of this analysis . Table 9-6 illustrates the results of the analysis . contradictory +The 2001 Annual Report of the Board of Trustees of the Federal Old-Age and Survivors Insurance and Disability Trust Funds . The report was released in 2001 . entailment +we have got a long time to save my husband he 's the real he 's the real disciplinarian when it comes to that money usually Since he is not frugal , my husband spends money on frivolous things . contradictory +yeah i 'm not sure I don 't know . entailment +The Inupiat Inuit , who hunt whale , seal , and fish , favor development on the coastal plain--but not offshore continental shelf drilling . The Inuit haven 't whaled or fished on the coast in dozens of years . contradictory +and uh its working just fine i don 't have any problems at all so i 'm going to keep it uh i get offers every now and then from I will keep getting offers now and again from them . entailment +do you work outside the home Do you have a job out of your home ? entailment +yeah their very corrupt like the Panamanians Panamanians are were very corrupt The Panamanians were very corrupt , for example . entailment +and this kind of thing and i think that Dallas it turns out though from what i understand has quite good i occasionally go to Saint Louis and uh there for a few days and watch the news and and i think Dallas really does have Once in awhile I like to go to Saint Louis for a few days . entailment +Some had microphones ; some had notepads . Some of them had microphones and some of them had notepads . entailment +Programs have already moved to carry out some of the Plan 's recommendations . Programs are trying to do what the plan recommended when it comes to route design . neutral +and and it 's like American Express you have to pay it off at the end of the month so you are required to pay it off at the end of every month just like American Express entailment +Since the standard appears to constitute a federal mandate resulting in aggregate annual private sector expenditures of $ 100 million or more , it would be subject to the requirements of section 202 of the Act ( Statements to Accompany Significant Regulatory Actions ) . The proposal is subject to the 202 section of the Act since it spends more than 100 million . entailment +yeah well that 's uh yeah i 'll agree there I agree with you . entailment +like what for example Facebook is one of the examples neutral +In fact , the fountain was completed several years before Borromini 's splendid and structurally impeccable facade and dome . The fountain was simple in comparison to the splendor of the dome . neutral +um i don 't know what y 'all are paying in Dallas but you know it seems like we pay the state you know there is a the taxes is set by you know the the state and the city can add theirs and the county adds theirs and you know we 're paying almost eight percent sales tax right now which seems to me nuts i came from California Sales tax is too high . neutral +For populations over age 65 , we then develop a VSLY from the age-adjusted base VSL of $ 2 . The VSLY is only for the male population over 65 . neutral +At all costs he must try and get her away with him . The woman was using him for her own benefit . neutral +( Although a friend who toured as a showgirl in Sugar Babies once saw Mickey Rooney naked , as vicious a blow to the senses as one is likely to survive . ) Mickey Rooney likes to walk around naked . neutral +Both men stood facing one another . The guys were facing each other . entailment +Close to the heart of Old Madrid , this 1994 hotel is surprisingly personal and elegant , despite the somewhat chaotic plaza it sits on . Though it sits on a chaotic plaza , the hotel is elegant and personal . entailment +GAO questioned various aspects of the Air Force 's F-22 aircraft acquisition The Air Force 's F-22 aircraft acquisition was completed questioned by the pamphlet GAO . neutral +Only in the 20th century did they start to communicate in English as well . The use of English as a language of communication only came about in the 20th century . entailment +Boat trips ( see page 26 ) are good fun for everyone . The boat trips page is on page number 73 . contradictory +Polls indicate that the public is buying this argument . The polls released yesterday indicate that the people are buying Trump 's argument . neutral +It was force backing up diplomacy , insists a fuming Buchanan . Buchanan said it didn 't use enough force . contradictory +When a trompe l 'oeil shaving brush and a match turn up later in the show in Magritte 's Personal Values ( 1952 ) , they have an oneiric suggestiveness quite in contrast to Murphy 's flat factuality . Magritte wrote Personal Values , which came out in 1952 . entailment +This includes establishing appropriate practices for hiring , orienting , training , evaluating , counseling , promoting , compensating , and disciplining personnel . The document establishes procedures for various HR functions . entailment +and that 's about it That 's all there is . entailment +In Ovitz 's case , the leverage was compounded , because he had been enjoying a fabulously successful career as Hollywood 's top agent ; rumor had it he was pulling down between $ 25 million and $ 35 million per year . The most successful Hollywood agents might make as much as 35 million dollars per year . entailment +Northwest of the monument , the 15th-century Palazzo Venezia is a fine example of severe but elegant early Renaissance architecture , now containing a museum of medieval and Renaissance arms , furniture , and sculpture . The Palazzo Venezia receives over 50,000 visitors every week . neutral +But look here , sir , we 're taking up an awful lot of your time . It is well worth your time to listen to us . neutral +and their Social Security and maybe they 're in a nursing home somewhere and they cut some of this stuff and what happens to them They won 't be able to afford the nursing home if they cut off some of this stuff . neutral +And at the end , when Baryshnikov throws himself into the arms of his father , who wraps him in his prayer shawl , one gets a powerful sense of the goodness of man and God . One gets a powerful sense of the goodness of man and God , at the end , when Baryshnikov throws himself into the arms of his father . entailment +The first charged , his curved blade high . He used all his might to raise his blade as he charged . neutral +The most fascinating feature , though , is the reliquary , lined with religious relics , some also rather macabre . The most interesting thing visitors will see is the reliquary . entailment +From time to time , Ca 'daan 's father had told him , the town had nearly grown into a city . Ca 'daan 's father told him about how the town had grown rapidly . neutral +But , a priori , neither can anyone else . A priori , neither can anyone else in Boston . neutral +analysis i don 't i don 't know how they fixed the problem but they 're uh you know the whole theme of of what they were doing was was to measure and record and and uh reduce down time They fixed the problem by focusing on measuring and recording and reducing down time . neutral +And such power could only be obtained by working outside the law . It would only be possible by breaking the law . entailment +As discussed in a subsequent section , this analysis also provides partial estimates of the potential economic value of these visibility improvements . Partial estimates are discussed in a subsequent section . entailment +4 For a fuller articulation of these goals , see LSC Program Letters 98-1 , 98-6 , and 2000-7 , and Strategic Directions 2000-2005 , adopted by the LSC Board of Directors on January 28 , 2000 . The letters were available to read online . neutral +It 's a good mirror to their own puffed-up souls . They are the most humble people I know . contradictory +it must be either uh A and E or um uh Discovery Discovery It 's definitely on channel 2 which is Fox Sports Network . contradictory +Pundits declared it a triumph of youth and racial progress , comparing Woods to Jackie Robinson ( whose 50 th anniversary of breaking the color barrier is being celebrated simultaneously ) , Arthur Ashe , and Lee Elder ( who became the first black golfer to play in the Masters in 1975 , the same year Woods was born ) . Pundits said that Woods showed the racial progress started by Jackie Robinson . entailment +and then and then they could call the shots for the next you know period of time until the next strong man came up and you know and One strong man could call the shots until the next strong man came up . entailment +Projects Funded inNortheast Texas by the Emergency Jobs Emergency jobs funded seven projects . neutral +My lawyer just called . A lawyer called . entailment +For decades , Madeira has instead attracted a genteel , even anachronistic form of island tourism . Madeira has its own type of island tourism . entailment +Then the first thing she remembers ? She does not remember the first thing . contradictory +The problem is learning how to tell the difference between the squid and the rocks they settle in . You have to be able to distinguish the squid from the rocks . entailment +well i think it 's it 's not only depth i don 't think that they 've got the spirit or whatever to go out and get the people to support him i mean I think they could get the support if they put in some effort . neutral +Morris was excited to talk about Transactionalism and promised to call . Morris never ended up making the call neutral +Never knowed any li 'l boy what warn 't glad to see th ' last o ' a book . Little boys like reading . contradictory +Although one of the eight priorities focused on obtaining an unqualified opinion on agency financial statements , the eight priorities taken as a whole aim at improving the financial and performance information needed to make and implement effective policy , management , stewardship , and program decisions . Improving the financial information starts with holding effective press releases . neutral +well it 's been nice talking to you i guess It 's been a terrible experience talking to you for sure . contradictory +i noticed in uh an article in the paper where i didn 't read the whole article but you know the headlines anyway indicated that there 's a a seems to be a consensus among small and medium size business owners that the uh the output of the American worker is on the decline you know pretty severely but uh The article talked about workers of small and medium businesses . neutral +To the extent that we have been given the opportunity to participate fully in addressing this important and primary mission of LSC , we have been truly fortunate . The primary mission of LSC was based in London . neutral +The difference between GDP and GNP is income receipts from the goods and services produced abroad using labor and capital of U.S. residents less income payments for the goods and services produced in the United States using labor and capital supplied by foreign residents . GNP And GDP both are talking about the money within a single country . contradictory +We are holding a follow-up forum on December 9 , 2002 to discuss what actions have been taken by a variety of parties and those that remain in order to help restore public trust and confidence . On December 9 , 2002 there will be a follow up forum to aid in restoring public trust . entailment +They 've been shooting at everything that flies . They shot down two aircrafts in the morning . neutral +yeah so you have a break too Your break is longer than mine . neutral +Some say it 's Earth and some call it Terah , but nobody calls it Hell . It goes by the names Terah and Earth but never Hell . entailment +Peace , said San 'doro . San 'doro refused to talk . contradictory +Jon awoke as the red sun began to rise over the eastern horizon turning the sky a deep violet . Jon fell asleep as the fires of the forest roared . contradictory +Be nice to Wall Street , and perhaps you can be a money god , too . Maybe you can become a money god by being nice to Wall Street . entailment +guy that played the bagpipes plus the uh tin whistle and a couple of violins and a drum and they They played one violin . neutral +Look at the gorse . Avoid looking at the plants at all cost . contradictory +But there is a critical difference between being qualified , in the sense of meeting some minimum standard , and being better qualified than all those who are rejected . Those who are rejected do not meet the minimum standard . neutral +Now , critics declare him a cerebral modernist who eschewed He used a nineteenth-century vocabulary but speaks with a twentieth-century voice ( Alex Ross , The New Yorker ) . The revisionists rate him one of the century 's great composers . Critics declared him one of the century 's worst composers . contradictory +oh wow how did you get rid of them I know how to get rid of them . contradictory +Our analysis of DOD programs showed that those more closely approximating best practices had better outcomes . DOD programs were not analysed . contradictory +okay um i like to do uh weight training and and cycling and just walking uh and swimming i i used to do a lot of basketball and running and volleyball until i had some knee surgery last fall and the doctor said that running and jumping isn 't real good for my knee anymore so i had to kind of change my lifestyle a little bit I don 't play basketball much after my knee surgery . entailment +Or we could use it ourselves , said Jon . We told them it is better to give than receive . contradictory +The commitments describe a limited number of critical actions ; objectives , such as personal development objectives ; and / or results that the executive will work to achieve . The committments include 1000 critical actions . contradictory +but you know critically acclaimed oh good grief give me a break This is very underrated but I love it . contradictory +I never spoke to my aunt , and I am not a student of the large literature by and about her . I did not interact with my aunt last year . entailment +Tales From the Trans-Crypt Non-fiction from the Trans-Crypt . contradictory +However , the early 20th century saw several catastrophic changes that ruined the commercial sponge industry on Kalymnos . Kalymnos continues to profit from sponge production . contradictory +and so far it hasn 't been too hard but she hasn 't been making a whole lot of decisions on her own yet and so you know i guess i 'm i 'm just going to have to be real conscious of that as i as she gets older and does start making decisions It is so hard now I can 't even imagine it getting worse . contradictory +Ron Hubbard 's mmmphphph ... Ron Hubbard said mmmphphph neutral +The corridors then continue 125 m ( 410 ft ) to the burial chamber . The burial chamber is extremely isolated . contradictory +yeah yeah yeah but uh that was also a dry hot it wasn 't a it wasn 't a humidity hot and uh i enjoyed it It was dry and hot , and i enjoyed it entailment +This is just reality . The coma he is in is reality . neutral +Either way , it 's cheap entertainment there 's no charge for boat watching . There is a fee charged for boat watching and as such , it 's a costly way to entertain oneself . contradictory +oh i like him he 's um he 's hard but i we i think we needed that He is tough on us , but it 's what we needed . entailment +News profiles Chinese mystic and faith healer Master Li , who peddles a combination of ancient Chinese healing and American-style revivalist preaching to 60 million followers . Ancient chinese healing is what Master Li preaches to 90 mllion followers , he doesn 't need any American-style revivalism . contradictory +7 ) Stern German domination ? Germany dominated . entailment +Ask the tourist authority about its interesting Heritage Tour from Kowloon and other countryside tours . Ask the tourist authority about the best place to sell some organs and other crime high areas . contradictory +The Department conducted a final economic impact analysis based on new Child and Adult Care Food Program ( CACFP ) data , a recently completed study of the CACFP , and comments received in connection with the analysis performed for the interim rule . The Department received comments regarding the analysis performed for the interim rule . entailment +He was standing hawklike on a slight rise in the sandy earth , motionless and silent . He was kneeling on a slight rise in the sandy earth . contradictory +Republicans used to defend any conceivable expression of executive privilege over Congress and the courts--now Democrats do that , while Republicans take up the old cry of imperial presidency . At one time , Republicans defended any expression of executive privilege , or power , over Congress . entailment +A few steps west of the lodge is the small but lush Parque da Cidade ( CityPark ) , a delightful urban green space . Parque da Cidade is a small green space west of the lodge . entailment +well there are miniskirts and there are miniskirts there are some that are really short and then there are some that may be will come like four inches or five inches above the knee and again it depends upon the size the shape of the person Mini skirts are all the same length . contradictory +Sometimes it wouldn 't lift . There were times it couldn 't be lifted . entailment +I fell onto my backside , knocked down by sheer momentum . I got knocked down . entailment +This is getting all too close to me . Its getting too close to me . entailment +The Bagatelle , once a royal retreat , has a very lovely English garden , bursting with flowers during spring and early summer . The Bagatelle has flowers most of the year , but mostly during the spring . neutral +Not only as a child , but even now--well into my adulthood--this rule has served me well . My wife has made good use of this rule as well . neutral +: Moore and Bailey both said this isn 't true . They both denied it . entailment +A security Unless you are with a tour group , it is prudent to ask about the political and security situation before setting out for Bethlehem , the West Bank , and other nearby areas . You should find out if Bethlehem is safe before heading out . entailment +and still have it producing and okra okra will grow real okra will grow to be six foot tall it 's just All okra plants are at least six feet tall . neutral +They allege that the complex could have done more to protect belongings they were forced to abandon in the aftermath of the blaze . They lost $ 3,000 worth of person belongings in the blaze . neutral +uh-huh i 'd say that 's the only one i don 't miss or i try not to miss that one and Cheers on Thursdays I don 't miss any shows from the past and wish that I have something to watch . contradictory +yeah it 's hard to find something that 'll take the heat as well as the freezing Insulation against the freezing cold isn 't necessary . contradictory +Owing to the risk of ciguatera in the Caribbean , you 'd be wise to check with local experts before eating any fish you catch in offshore waters . The ciguatera toxin in fish can make you very sick . neutral +a lot of people recently you know when big companies uh change their programs and and such that there 's been an influx of some unemployed but probably when you spread it out over everybody in Dallas it maybe has not changed the percentage all that much you know maybe one or two percent possibly it 's hard to say Big companies are always constant . contradictory +well how did they decide which colleges to go to and what did what 'd you tell them Are any of them going to college ? contradictory +and then here about five years ago we bought a big old house out in Oaktown Virginia and there was uh there was two basements I bought the house because it had two basements in it . neutral +One lesson we should learn from the success of the Acid Rain cap and trade program is that when certain key issues can be resolved through clear legislation , we can avoid years of litigation , business uncertainty and costs , and delayed environmental protection . The Acid Rain cap is a good example of solving problems with laws at the state level . neutral +Troubled Monica is an old Reporters needed a new angle for this round of Flytrap . Monica is a troubled reporter . entailment +Detection of alcohol-related problems in general practice . Detecting signs of Drug-related problems within the general practice . contradictory +that 's right um we were down in Dallas right after Christmas and on the way back we stopped in Louisiana to visit my brother and we were driving my husband 's Toyota pick up truck well we made a quick little stop when we got to Baton Rouge and he came came back out and the car the truck wouldn 't stop i mean it wouldn 't start so gave it a somebody came along and helped give it a little push and the next morning they took it to the garage and it was just a small private garage and he said it was the starter motor proba bly and he was going to take it off and either repair it or replace it or whatever and we got a call in the middle of the morning and he said i 've got good news and bad news uh the starter motor is fine it would it just had a couple of bolts that held it in place The garage had some nice rates for fixing car parts . neutral +She had , about a year before , executed a will in favour of the 141 prisoner . She had executed many wills in the past year . neutral +In certain cases , labor market studies have not adequately controlled for non-fatal injury risks and other unfavorable job attributes ( e.g. The labor market studies have not been controlled adequately . entailment +Arch how are you doing tonight How 's it going tonight Arch ? entailment +Finally , program spending in scenario D started at $ 2 . Program spending began at $ 2 entailment +that would stop them from wanting to no well i thought it was funny listening to her she 's just a she 's she 's a little bit uh dingy when it comes to things but well she 's vicious She was a complete nutjob and wasn 't worth our time . neutral +Congress has mandated that LSC effectively monitor and audit its grant recipients , and that LSC respect attorney-client privilege and ensure that LSC recipients carry out their work consistent with their professional responsibilities . The Congress is in charge of the LSC . neutral +but that was the only time i have ever been able to like start an exercise program and really stick to it I only stuck to an exercise program this one time . entailment +But she 's astonishingly vivid in her new film , In Dreams . It 's a poetic but ultimately disappointing stab at expressionistic horror , courtesy of Neil Jordan ( The Crying Game , 1992 ) . She received an award for her performance in the new film . neutral +H 'm , yes , that might be , said John . Yes , that might be the case , said John . neutral +People are judged and , in turn , judge others by how they look . Judgement is something that goes both ways . entailment +When I look at you I feel it 's almost a pity I 've enabled you to cheat the hangman . " The man snarled , and the bearded man said quietly : " He would have run no risk of that . " When I look at you , I regret saving your life . entailment +I may be wrong , of course . " There was a pause , then Mr. Carter continued : " I asked him to come round here . It must be the case that I am correct in this assertion contradictory +i don 't keep up with it that often I don 't keep up with that stuff too often . entailment +The shop suggests that customers order flowers three days before departure . Flowers ordered two days before departure will not arrive on time . neutral +about about a quart every hundred miles Over a quart for every fifty miles . contradictory +But he is more than ordinarily unresponsive . People were waiting for their response . neutral +In my view , not enough has been done to manage the current and emerging risks associated with our profession , especially in connection with modernizing the attest and assurance model and related auditing standards , including the independence standard for the 21st century . I think that the risk management when it comes to our work is enough and satisfactory . contradictory +The huge beast bellowed and farted . The large beast made a noise and passed gas . entailment +Spanish-colonial touches such as garden patios , shaded balconies , and adornments of wrought iron gave the area its almost Caribbean air . An almost Caribbean air has been given to the area . entailment +Investigators are examining whether mobsters diverted funds--including foreign aid--out of the country through an offshore network built by a former International Monetary Fund official . Investigators are trying to find out if the funds were sent out of the country . entailment +She would be one of the last people to take her own life . This person committed suicide . entailment +and i like i like my garden too we didn 't have to we have just a small garden but we planted corn last year too which takes quite a bit of space and The created space in the small garden . entailment +Mortality Mortality is the only word here . entailment +The Information Technology Management Reform Act of 1996 requires , among other things , that agencies set goals , measure performance , and report on progress in improving the efficiency and effectiveness of operations through the use of information technology . The Information Technology Management Reform Act was signed in 1996 . entailment +To qualify for legal assistance , one 's income must be at or below 125 percent of the poverty level , as determined by the federal government . A person must make less than 125 % of the poverty level to get legal assistance . entailment +oh don 't say that You shouldn 't say that about yourself . neutral +One of the most intriguing specimens of montane flora ( also found in the heath forest ) is the pitcher plant ( see page 125 ) . The Pitcher plant is one of the most fascinating specimens of montane flora . entailment +One of the most popular excursions from the Aegean resorts goes to the spectacular travertine terraces of Pamukkale ( the Cotton Castle ) , which lie above the town of Denizli , about 200 km ( 125 miles ) inland from Kuradase . Many people staying at the Aegean resorts take the trip out to Pamukkale . entailment +The storm killed at least 68 people and caused damage worth hundreds of millions of dollars . No one was injured . contradictory +And , on behalf of the Yard , I 'm much obliged to you , though I 'm bound to confess I can 't at present see the faintest possible loop-hole in the evidence , but you always were a marvel ! I am in your debt and still hope to call on you in the future . neutral +oh i don 't know is there a limit on it does it stop at a certain point ? entailment +This office will work with 4 pilot pro se programs in the state , including the ILS Pilot Hotline Project , to determine best practices for pro se support , and will develop form pleadings , approved by the Supreme Court , for use throughout the state . There are four pilot pro se programs in the state . entailment +As it turns out , yes . We though it would be no but its actually yes neutral +The Palazzo Bianco ( number 11 ) makes a handsome setting for Genoa 's most important art collection , mostly the work of Genoese Cambiaso , Strozzi , and Magnasco , as well as works by Pontormo and Palma il Vecchio , and the Flemish school Rubens , G ? ? rard David , and Van Dyck . Number 11 is a great place for the art collection . entailment +enactment of a law to alleviate the Alternative Minimum Tax for middleincome taxpayers . Law exists to alleviate the alternative minimum tax for middle income taxpayers . entailment +The RIT Concert Orchestra also performs there . The RIT Concert Orchestra performs there as well . entailment +And even more rare , a Sai Kadam . A Sai Kadam is common . contradictory +An expert panel was used to give feedback at various points to make sure we had a comprehensive picture of the situation . The experts refused to provide any comments on the situation . contradictory +It 's that they don 't study with the ferociousness and all-out commitment of people who realize ( or who have parents who realize ) that outstanding school performance is their one shot at big-time opportunity in America . There is more opportunity in America for the well educated . entailment +If your budget allows you to fly around the country , you can design a smorgasbord of places to see in each region , since you will not be able to do all of them exhaustively . You can create a wide selection of spots to visit in each area if you fly around . entailment +Today you 'll share your visit with hundreds of tourists , as the monastery is within easy reach of all the Sinai resorts , but not many venture up the slope to the top of Mount Sinai to visit the tiny chapel and take in the truly spectacular views of the surrounding mountains . The view of the surrounding mountains isn 't anything noteworthy . contradictory +Before you leave the sanctuary , visit the Capilla Mayor ( Main Chapel ) . The Capilla Mayor is far from the sanctuary . contradictory +I believe , continued Lawrence , " that there have been cases where the cumulative effect of a drug , administered for some time , has ended by causing death . Lawrence was a forensic pathologist . neutral +What about welfare parents who , in practice , just cannot hold jobs ( or perform other work activities ) as the new law requires they do after two years on the rolls ? The new law requires welfare parents to get jobs after 3 years on the rolls . contradictory +By the year 2000 , there were roughly 130,000 rooms in Las Vegas . About 130,000 rooms were created in Las Vegas by the year 2000 . entailment +It would be equivalent to everyone saving for themselves . ) It would be like people saving just for their communities . contradictory +and no slogan . There is no slogan included here . entailment +Universal Studios Hollywood ( off the Hollywood / 101 Freeway at either the Universal Ceter Drive or the Lankershim Boulevard exits ) is the area 's biggest draw ; it combines a real working studio and behind-the-scenes tours with amusement park attractions . Hollywood is a place for bright , young film producers to become very famous in the future . neutral +I 'll be back in half an hour . " Thirty-five minutes had elapsed when Julius returned . Julius returned back after around thirty minutes . neutral +When you arrived , young lady , I was just packing up my traps . A young lady arrived as I packed up some traps . entailment +while exploratory case study sites should bracket the diversity that is likely to be encountered in the program , population , and setting of a larger study . It is possible to predict the type of diversity that will be faced . entailment +are there a lot of trailers around there We have the only trailer here in an entire ten mile radius . contradictory +I 'm looking for a friend of mine whom I thought might have walked this way . " I am lost and don 't know where I am . contradictory +The President has directed me to develop proposed legislation that would significantly reduce and cap NOx , SO2 and mercury emissions from power generation . The proposed legislation wouldn 't reduce and cap NOx emissions . contradictory +It is a beautiful , sad little movie about betrayal . The film is cheerful , yet ugly looking . contradictory +Or does my wish to be a good friend require severing the relationship ? Does my wish to be a good friend require me to sing a song ? contradictory +Children of all ages will also love the fabulous colours and shapes of the creatures of the deep on display at Coral World ( see page 76 ) or viewed from aboard one of Eilat 's special floating observatory boats . Coral World is an excellent place to see many amazing sea creatures . entailment +well do you like to do your yard work You are very good at your lawn work . neutral +oh my gosh no kidding she knows something right that she needs if She 's completely clueless . contradictory +buy a new spark plug or something along those lines but fortunately it rains and you uh do not have to go out and buy the spark plug no but we 've had an unusually uh uh warm It has been very dry and cold lately . contradictory +At the northern edge of the district is Bozu Jigoku ( Monk 's Hell ) , an obscenely bubbling mud pond where a Buddhist temple once stood until it was submerged in an earthquake back in the 15th century . Bozo Jigoku , or Monk 's Hell , has sat at the northern part of the district ever since a Buddhist temple in the area was destroyed by an earthquake in the 15th century . entailment +Figures for consumption of AC were based on prior , peer-reviewed EPA work , and conservative operating conditions were assumed . Consumption of AC is based on peer-reviewed IRS research . contradictory +In the Eglise Saint-Trophime ( Place de la R ? ? publique ) , you can see the Roman influence recurring in the triumphal-arch design of its splendid porch . Roman influence extends far beyond the porch of the Eglise Saint-Trophime . neutral +Thank you for helping us . We could not have done this without you . neutral +uh-huh i think too that with us as women being out of the home where i 'm not working now i didn 't work until about from about the time Emily about four months before she was born I stopped working four months before I had my child . entailment +Congressional debate has focused on two of our criteria , mission relevancy and gains through consolidation . The debate has focused on few of our criteria , two in particular . entailment +CBO An Economic Model for Long-Run Budget Simulations . CBO budget simulations do not work . neutral +yeah that 's strange That 's odd that it would happen . neutral +What are you going to do ? " What is your next move ? neutral +Missed our links to 1 ) on power laws and 2 ) an of how the power law applies to city size ? I have no idea what power laws are . contradictory +well we had the problem when i was in with teaching um i was eighth and ninth graders that i worked with and if we did have a a student come in and they were drunk or they were on something you had the option of calling the police and have them taken out of the schools or trying to teach them something while they were there If a student arrives drunk then you just call the police and have them removed . contradictory +I found them bulky , and their primary benefit seemed to come from the heat retention qualities of the neoprene . Neoprene has heat retention qualities . entailment +Five km ( three miles ) of fine sand from Pornichet to Le Pouliguen stretch in a perfect half-moon , past chic sailing and beach clubs , along an esplanade of luxury hotels with a casino at the center . There are no casinos or hotels between Le Pouliguen and Pornichet . contradictory +Surgeons would probably be influenced more by an outcome of reduced readmissions to the trauma service . Surgeons in my clinic are heavily influenced by these new policies . neutral +It is becoming more difficult to see performances on the islands . The new government laws and practices make performances harder to go see . neutral +In the meantime , remember it . " As we neared the house , John came out and met us . John arrived at the house after us . contradictory +The son of Charles IV , Fernando VII , was seated on his rightful throne in the Royal Palace of Madrid in 1814 . The Royal palace was in madrid . entailment +Maybe if I look around White 's apartment ... if there 's anything left of White 's apartment ... I might get a hunch or two . ' I am not going to look . contradictory +Leptin analogues ( chemical cousins ) are also being developed . Chemical cousins are being developed in conjunction with something else entailment +oh yeah oh that 's good that 's really good That is very bad that 's bad . contradictory +On the way you can also visit Wadi Rum ( famous for its association with Lawrence of Arabia ) . Wadi Rum is rather out of the way . contradictory +Fearing that overdevelopment , as well as new trends and tastes in international tourism , would leave the Balearics behind , authorities have moved to protect remaining undeveloped areas as nature preserves , proclaiming them off-limits to all construction , and have even blown up some of the more unsightly hotel blemishes on the coasts . More development for the Balearics would be great . contradictory +we 've been wanting to start camping again this year too uh my oldest child is a girl was born three years ago three and a half and then i have a little one that just turned two and we are in the process of potty training i didn 't want to go camping with diapers I have two children under the age of four , we would like to go camping but won 't until they are potty trained because camping with diapers is not something I want to try . entailment +The evaluators immerse themselves in information on a site , following OTTR . The evaluators get information solely from books . contradictory +It 's possible , of course , that the cost of losing a major class action suit or one of these state Medicaid suits was just too enormous to chance . Losing a major class action suit was costly . entailment +If they had had to wait until patients were sober , many would be discharged because in his ED , patients are discharged when staff estimate their BAC is below 0.08 g / dl . The staff in the ED are required to keep patients until their BAC is 0.02 g / dl before they are released . contradictory +Beautifully displayed are a range of icons dating from the 12th century , silver altar pieces and bejeweled vestments . There are no displays left from the 12th century . contradictory +In the very dim light Drew could just make out that the Texan was holding his gloved hand to his mouth , puffing at the crooked fingers . In the bright light that shone right in his eyes , Drew couldn 't make out what the Texan was doing at all . contradictory +Window-shop your way past the goldsmiths and furriers of the rue de la Paix to the ornate opera house ( now named after its architect Charles Garnier to distinguish it from the new Opera-Bastille The Garnier Opera House has a gold-leaf ceiling and over 100 chandeliers . neutral +It is now on display in the museum , along with tapestries that adorned the walls of the unheated hospital wards to keep the patients warm . Tapestries from the hospital are on show in the museum . entailment +not with me personally it is with a lot of other people I 'm the only one it 's with , no one else . contradictory +That was an amazing shot . The shot had been practiced many times . neutral +In either case , the locals set off into the hills more for the exercise than for the kill . The kill is not the only attraction for heading off into the hills . entailment +The travel or transportation services from which the promotional benefits accrue are intended to include services provided by airlines , hotels , and rental car vendors . The travel services that get benefits are not supposed to include airlines . contradictory +If many more welfare parents do find and hold jobs , their children might well benefit from the intellectually stimulating care many of their mothers cannot provide--if that 's the sort of substitute care they actually get . Many welfare mothers have a hard time providing childcare . entailment +Unfortunately , there is nobody here to hand you a cooling drink at the end of your exploration and the difficult journey from the main road to the lighthouse makes it thirsty work indeed . There is no service for hydrating visitors who make the hike . entailment +It was exciting , albeit in a slightly childish way , to see your name on that signboard , confirming that you still had your cushy job in this historic broadcasting center . It was commonplace to see your name on the sign . contradictory +model portrays a process in which an agency iteratively ( 1 ) determines its objectives , alternatives , and constraints ; ( 2 ) evaluates its alternatives and identifies and resolves risk issues ; ( 3 ) develops and verifies its next-level products ; and ( 4 ) plans its next phases . model portrays a single process . entailment +'You have to lay low . ' She took a step toward me , for emphasis . She was afraid for me and wanted me to stay quiet . neutral +nobody nobody goes anywhere no one will Everyone is stuck on the same path . entailment +now there was some of the some of the classes i 'm in i think i 'm in Sesame Street but uh You have to live in Sesame Street to do these classes . neutral +Breakfast ? " The girl nodded . She agreed with getting breakfast . entailment +Pride of place goes to a 15th-century icon of the prophet Elijah . Elijah is a prophet described in the Christian bible . neutral +Because of tight resources , lack of travel funds , and the need to use staff with uneven experience and skills , this becomes critical in situations involving many evaluators working in different regions . Since funding is unlimited it is easy to manage remote sites . contradictory +Both surveys collect information on household characteristics-hours of work of the head and spouse , occupation of head and spouse , age and race of head and spouse , marital status , number of children , dwelling type , income , and census region of residence . These surveys are the most accurate and thorough of their kind . neutral +um-hum but in some ways i think we are expected to do it all you 're almost looked down upon if you don 't try to do all of these things and that 's where the problem is really If you don 't try to do all of these things , it 's no problem and you 're not treated any differently . contradictory +He 's ridin ' th ' rough string for Rennie . He is riding on behalf of Rennie . entailment +they 'll go oh yeah i was on a prescription for this and they can go get it and bring it in The prescriptions they are on are often expensive because our health care system is bad . neutral +Ponce de Leen also suffered another setback . Ponce de Leen had a number of setbacks . entailment +When it was gone , he felt better . He felt sick while it was still around . neutral +okay um have you ever been involved in any trials So have you recently sat on a jury or been part of a court case yourself ? neutral +well i know because okay your end mills will be measured in inches or fractions of inches It will be measured in either inches or centimeters . contradictory +Others may prefer to stay ashore in the cafe , shops , and galleries around the Place de la Com ? ? die , a main center of city life . There are many other places do go on land . entailment +The highlights of the Selaml ? ? k include the vast Baccarat and Bohemian crystal chandeliers , 36 in all , and the crystal balustrade of the main staircase , the sultan 's marble and alabaster bathroom , two huge bearskins ( a gift from the Tsar of Russia ) , Syvres vases , Gobelin tapestries and carpets , and the vast bed used by the giant sultan , Abdul Aziz . There are over thirty crystal chandeliers at the Selaml ? ? k . entailment +Rocamadour The Arch de Triumph . contradictory +In fact , the committed support of the CEO and line management are critical to the success of financerelated improvement initiatives . The success of finance related improvement initiates depends on the CEO . entailment +An arrow , fired from galloping horseback , caught the older woman in the stomach . The older woman was shot in the stomach . entailment +I thought those were lost , said Ca 'daan behind them . Ca 'daan was behind the group . entailment +i know even even like steroids well how long does it take for marijuana to get out of your body I don 't know much about how it works with steroids . contradictory +that 's Mission Impossible This is Mission Impossible . entailment +By 1930 raw-material production had tripled the figure of 1900 , manufactured goods had increased twelve-fold , and heavy industry was galloping towards maturity . By 1930 , the production of raw materials had nearly doubled the figure of 1900 . contradictory +yeah so well it uh you know i think it 's a a good place to live uh or course if i didn 't think that well we wouldn 't still be living here so We moved away because I thought it wasn 't a good place to live . contradictory +Poirot , I said , " what was in this particular little bottle ? " Poirot looked out of the window . I did not ask Poirot about what was in the little bottle . contradictory +Nonetheless , a guide is recommended , as there is no interpretation except for what the site museum provides . A guide can provide lots more information about the history of the site . neutral +From Marx to Lennon ( Imagine no possessions ) , anti-property zealots all miss the most fundamental point . Marx and Lennon missed the most fundamental point . entailment +Kipling insisted in his Ballad of East and West that never the twain shall meet , but the British have done their best , perching four Gujarati domes on this otherwise very Roman concept of a triumphal arch . There are domes right next to the Roman arch . neutral +yeah and i think you know we have such a need now you know i taught you know i i think i was paid uh about nine thousand dollars to teach for the year and i worked in a very rural school district and i i one of the things i taught was a computer class and these kids In addition to teaching a computer class , I also taught an English class . neutral +you have a nice day and i 'm going to say good bye for now and if you 're ever up Rhode Island way around TI look me up it 's Ray Smith at TI in Albrough Massachusetts Check for me if you 're ever around Rhode Island . entailment +but any big city has a bad section No big cities have bad areas . contradictory +um well there are some uh good opportunities for that in the British Virgins British Virgins would be a wasted opportunity . contradictory +keep the weather radio close by and stuff like that Keep that weather radio next to you . entailment +So , why would a clone be different ? There is no question that clones would be entirely different . contradictory +What was that ? asked San 'doro . San 'doro was scared of a sound . neutral +Our boys an ' theirs , too , got real expert toward th ' end could heat up a rail an ' tie a regular noose in it , were some tree handy to rope it ' round . The boy became experts . entailment +Some even think that while Internet competition may drive prices down initially , prices will rise as sellers are matched with buyers and the market clears . Everyone thinks Internet competition is bad for business . contradictory +you know even with sleeping bags those are running you know good thirty dollars a pop and so we 've built that up but no want one bad do you Sleeping bags are cozier than beds . neutral +A shocking number of his recent articles are based on something he saw on television . His articles are not based on television . contradictory +Its protagonist , a red-neck propane salesman , is deemed the heir to Roseanne and Archie Bunker . Another favorite is WB 's tongue-in-cheek action series Buffy the Vampire Slayer , about a 15-year-old super- A postfeminist parable on the challenge of balancing one 's personal and work life ( Time ) . The main character is a hick , gas salesperson in the vein of Archie Bunker . entailment +I was actually quite happy to hang around with someone who didn 't expect me to be ... well , Ben Franklin . It was pleasing to hang around someone without certain expectations . entailment +oh yeah it 's amazing how vegetables trays will go at a party It 's amazing how vegetable trays go at funerals . contradictory +i was well i guess i have to admit that i am I don 't admit anything at all , ever . contradictory +Congress further recognized that the H-2A provisions Congress recognized there were H-2A provisions . entailment +When White House aides and congressional Democrats reflexively expressed confidence in Clinton 's denials , their assurances were portrayed as bolstering Clinton 's case . All White House aides stated that they didn 't believe Clinton . contradictory +While Legal Aid 's efforts historically have been aimed at helping the poorest of the poor Co because of funding limitations , only about 20 percent of eligible potential clients are served Co some recent technological innovations will also help meet the civil legal needs of both low- and moderate-income folks . People who earn moderate income receive no help from Legal Aid . contradictory +the the experience is is better up here i think you know it seems more relaxing there 's more to look at Up here it is more relaxing and more to look at so it 's better . entailment +you know the gal i talked to in Maryland didn 't own a car she 's never traveled anywhere she 's never been anywhere she you know i talked about one of the biggest problems in the United States being our roads and she didn 't understand The girl in Maryland didn 't have a car and never really traveled . entailment +higher than any other ones and then they said that we 'll give you back some of your money This was a big scam to get me to invest . neutral +Access to the lakeside is restricted , but the view from Loughrigg Terrace is one of the best in the Lake District and an easy walk from the village . The access to the lakeside is restricted due to security measures . neutral +On the west flank of the handsome Piazza Maggiore , the massive medieval Palazzo Comunale with its Renaissance porch is a striking expression of Bologna 's civic power . The Palazzo Comunale is small and dates to the Renaissance . contradictory +For example , the organizations that had professional and administrative staffs said that it was difficult to find and retain employees with the level of skills and foresight that would contribute to the organization 's mission . the organizations that had professional and administrative staffs said that it was difficult to find and retain employees entailment +If they were guided by moral imperatives , people would have more children than they do . People would have more children than they wanted if they stuck to their moral imperatives . neutral +There are several other chemicals in marijuana that may modify the effects of THC alone , and smoking a drug is a different experience from injecting it . Smoking and injecting a drug give the same experience . contradictory +I am not going to get a letter offering me a six figure advance for the publication of a volume of my personal essays . I 'm not going to be offered a lot of money for my personal essays . entailment +the person said that they hadn 't used anything and their test came back positive and normally we didn 't retest them but there were a couple people that we really thought that they were telling the truth and we retested them like the next day and they came back negative There are some tests that came positive the second time . neutral +i have an Arrow Star van we really do uh it 's it 's a mini van we 've had it goodness in May will be five years and uh they replace the engine at sixty thousand under extended warranty and the transmission was replaced but they really are nifty um the mini van it 's actually we had a station wagon before and it 's a foot or two shorter than a we had a regular size station wagon We prefer owning a mini van compared to the station wagon . neutral +His plan was coming together . The plan that he made was progressing . entailment +You know , Emily was a selfish old woman in her way . Emily was a selfless woman . contradictory +that 's certainly no kind of deterrent and i would tend to agree with anybody who says right now that it it 's not a deterrent uh a deterrent because it 's not I would agree with anyone who says that 's not a deterrent . entailment +Any difficulty with the army could have serious consequences , not just for you , but for the Range as well . Problems with the army can lead to problems for yourself and the Range . entailment +CT-121 Chiyoda Thoroughbred 121 Flue Gas Desulfurization Process , / / www.chiyodacorp.com / select business , environmental preservation , Chiyoda Thoroughbred 121 ( CT-121 ) FGD process CT-121 is a chiyoda thoroughbred . entailment +Edokko quarrel in a language all their own , an earthy local dialect as profane and expressive as Brooklynese . Disputes among the Edokko are settled in their own language . entailment +so if you pay your uh rent or your house payment every two weeks instead of once a month you 'll come out paying a You can pay your rent or house payment every two weeks instead of once a month . entailment +and it was it was good um she she 's not didn 't enjoy it much so i didn 't get much satisfaction trying to discuss it with her but uh i thought it was real interesting It was interesting , but not satisfying to talk with her as she didn 't enjoy it . entailment +A bargain mene del dia ( menu of the day ) is often proposed . The menu of the day is generally great deals compared to regular menu items . neutral +The data are computerized , but for policy reasons the reports are not available online . You can access the computerized data online . contradictory +Newsweek ' s cover package is cautiously bullish , recommending a patient , long-term investment strategy . Newsweek is recommending long-term investment strategies . entailment +and you know like giving them plans plans for the some of the uh top secret aircraft that we have and things like that i mean that 's ridiculous that is only asking for trouble The top secrets plans should not be given to foreign countries . neutral +I 'm your cousin Julius Hersheimmer . You 're not related to me at all . contradictory +In a distinctly Spanish version of Italian Renaissance style , it depicts the physical and spiritual superlatives of the empire 's Golden Age . The painting depicts seven people climbing a mountain for the empire . neutral +In a sense , saving more yields a bigger pie , but policymakers will still face the difficult choice of how to divide the pie between retirees and workers . Policy makers must choose how to divide resources between retirees and workers . entailment +So the rebels can melt away and join their comrades in Chechnya 's southern mountains . Chechnya 's Southern mountains are home to rebels . entailment +No hurry . There 's no rush to get home . neutral +She 's very kind and pleasant , said Julius Thompson , 45 , an attorney at Inner City Law Center and an Uncommon Good recipient . The law does not care about the character of the individual . neutral +My appearance was the only thing against me . My appearance was against me because I was too ugly . neutral +They had to change twice , once at Doncaster , once at a small junction . They didn 't have to change for the entire trip . contradictory +She landed beautifully , knees bent low and one leg out in front , swords ready . She had no weapons on her . contradictory +When those same shoppers shop at a department store , they have no way of knowing that it has sold all of its fleece-lined garage booties or Scotchgard triple-stitched Velcro workboots unless they ask a clerk or keep notes from previous visits . When people shop at a big store , they don 't know if it sold all of something like they do online . neutral +The hard truth , I would argue , is that this way of seeing the world is itself distressingly soft . I would argue that your view is extremely soft . entailment +so it 's the unexpected things that make it awful hard to control the budget natural disasters and unexpected events in general are the biggest issue for State budgets neutral +Randy 's Tech Talk and Apology in Lieu of Actual Wrap-Up Actual Wrap-Up in Lieu of Randy 's Tech Talk and Apology . contradictory +Such a drastic change in the external conditions , ( especially in different habits of substance use and abuse by the carriers ) was expected to have a very stimulating effect on young organisms and lead to the development in the moment of their birth of a prime basis for an IQ level higher by 50 percent .. The organisms were getting dumber and dumber as time went on . contradictory +If audacity had successfully carried him so far , it was to be hoped it would carry him yet farther . If courage had taken him there , it would probably take him a long way . entailment +After the claustrophobic rough and tumble of the dimly-lit medieval souqs , stepping into this area is like entering an oasis of light , space , cleanliness , and tranquillity . Going into the area will make you feel claustrophobic after since you just came from a wide open area . contradictory +Gauve was outside with Ca 'daan . Ca 'daan was in the clearing . neutral +what do you think Gates should resign Do you think Gates should resign ? entailment +Inside , an extraordinary tomb commemorates San Vincente of Zaragoza and his two sisters , martyred in the 4th century . An extraordinary tomb commemorates San Vincente of Zaragoza and his two sisters , martyred in the 4th century , is located inside . entailment +Built in 1885 , these days the prison carries out most of the executions of Malaysia 's drug offenders . Malaysia 's drug offenders are executed in an old Prison . entailment +It has 35 yes / no questions . There are only essay question here . contradictory +The most controversial part of Finkelstein 's book , though , is the last chapter , in which he sets out to explain why the Goldhagen book was such a big deal . There is a book written by Finkelstein with multiple chapters . entailment +oh that 's interesting but but no concept for wanting to be private It 's not a concept for wanting to be private . entailment +i think it has a lot to do with the price of a car and how much see to me they people don 't look at it but if you take a Japanese car and bring it over here they sell it for the same amount of American car If you bring a Japanese car to the US from Japan , they sell it for the same amount as an American car , so how is that a savings when you buy Japanese ? neutral +Admission is US $ 30 , including a drink ( $ 27 if purchased from a travel agency ) . The $ 30 admission includes a drink . entailment +( Her taste , incidentally , has been No John Grisham or John Gray ; lots of interesting , underpublicized novels . Some of the most interesting novels she likes are part of the horror genre . neutral +The two main arteries of the city are the busy shopping center along Mount Road and Beach Avenue , where you 'll find the University , Cricket Club , and San Thom ? ? Cathedral . The shopping center along Mount Road and Beach Avenu is the main part of town . entailment +Cooperative Institute for Research in the Atmosphere , Colorado State University ; Fort Collins , CO July . Arkansas State University contains the Institute for Research in the Atmosphere . contradictory +oh i see um-hum well the last two people who have called both worked for TI and i just wondered huh I was wondering if you were from TI too . neutral +The other puzzle is the incoherence of Clinton 's critics , punctuated by DeLay 's bizarre complaint that Clinton has 1 ) hollowed out our forces while he 's running around having these adventures all over the world ; and 2 ) fallen short of victory in Kosovo by using excessive rhetoric supported by underwhelming force in a conflict involving no strategic interest of the United States . Clinton never travelled , he stayed at the office . contradictory +Still another distinguishing feature of case studies , according to some researchers , is a nonstatistical approach to data analysis . Case studies tend to have a measured , statistical approach to data analysis . contradictory +He said that DOD has discussed its proposal with other federal agencies , which have been supportive . DOD 's proposal to subsidize solar power was supported . neutral +At the very least , Flytrap illustrates the need for less fact chasing and more analysis and illumination of the what should we do about it question . We need more fact checking and less analysis . contradictory +and they were all shooting state of the art Soviet weapons in eighty four i was down in Central America as an advisor to the Honduran army again we were running up against Cubans quite a bit plus Soviet advisors and the equipment we were capturing and taking from the Nicaraguans was brand new out of the crate Soviet made material do i consider them a threat absolutely they have a university in Moscow called the Patrice de Lamumba University about like A and M or UT where they 're teachings subjects like that they 're teaching terrorism some of the people we went up against in Lebanon were graduates from that place and let me tell you they are nothing nice to go up against The weapons were British and in horrible condition . contradictory +If it really wants to balance the budget it should just do so , rather than passing feel-good laws that say the budget should be balanced . The budget should be balanced directly . entailment +and so they get her off and at the very end of the case after it 's over he 's talking with her and he figures out that she really did do it after all a uh after after he got after he got her off Her lawyer knew she was guilty and still got her off the charges . contradictory +Oklahoma 's welfare rolls have dropped by 17 percent over the last year , even though it has only talked about tougher rules . The welfare rolls in Oklahoma have risen by 20 percent . contradictory +got more uh civilized and uh give them lethal injection so we definitely do have uh capital punishment We do it by lethal injection and it is more civilized . entailment +Soon , Starling was conscripted into following the couple on their walks through Washington 's Rock Creek Park ( for more details , click ) and fending off reporters . Reporters had no interest in the couple on their walks . contradictory +Are you all right , Ca 'daan ? asked Gauve . Gauve was worried about Ca 'daan . neutral +often refer to these initiatives as state planning 's companion initiatives , and these initiatives - competition , the quality initiative , the diversity initiative , technology initiative grants , the matters initiative , our efforts to enhance services for self-represented litigants , the Legal Resource Library , to name just a few - have become as important to the creation of a world-class delivery system as state planning has proved itself to be . There are only five important companion initiatives . neutral +The baker finished printing the information on the special order card and closed up the binder . The baker didn 't manage to finish printing the information on the special order card . contradictory +um you betcha i um however if you were living in Mexico in those conditions would you have several children You would have no children under those circumstances in Mexico . contradictory +Enclosed is our assessment of the Federal Crop Insurance Corporation 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rules . The assessment outlines each step taken in detail . neutral +will be more accurate than jurors who are unsure about only one criterion ( does my doubt exceed 5 percent ? ) Will be more precise than jurors who have doubts about one criterion only . entailment +recycle it Turn it into something new . entailment +The Case Study Method in Social Inquiry . The social inquiry discovered conflicting information . neutral +James is one of more than 3,000 clients served last year by MALS , which provides assistance for civil matters , such as domestic abuse and family-related problems , Social Security and Supplemental Security Income , veterans , housing and consumer fraud cases . There were 3,000 clients . entailment +uh-huh yeah that that 's true i i was thinking about that too i saw that um that 's why i watched another silly movie um um with my my cousin was uh uh the one about the um the turtles I watched a silly film with my cousin that was the one with the turtles . entailment +The magazine hiked ad rates accordingly , pricing quirky advertisers out of the magazine in favor of big national ones . The magazine has lowered prices to invite more interesting ads . contradictory +a way away so uh i 'm you we 're not usually watching TV but uh but it is interesting uh they this time of year unfortunately it gets We don 't usually watch much TV at all . entailment +The Plan emphasizes LSC 's State Planning Initiative , as well as the increased use of technology , as significant strategies for expanding access to , and availability of , civil legal services throughout the United States . The plan emphasises LSC 's State Planning Initiative . entailment +well that 's great it just more yeah i know what you mean I don 't understand what you are saying but I know it 's not good . contradictory +The waterfront walk at sunset offers timeless views of the bay and Mount Vesuvius , with the contemporary addition of a gleaming-white cruise ship or two . Sunset is the best time of the day to view Mount Vesuvius from the waterfront . neutral +The moment we stepped inside every customer looked up , and every customer gaped . The customers were shocked . entailment +it 's really refreshing so It helps you get recharged after a long week . neutral +An additional increment of education or technical training is expected to reduce the period of transitional unemployment and increase the subsequent earnings of participants . An additional increment of education or technical training is expected to reduce the period of transitional unemployment entailment +These organizations range from groups that disseminate information on immediate threats and vulnerabilities , to those that seek to facilitate information sharing between public and private entities on industry-specific threats , to those that promote coordination across infrastructure sectors and on an international scale . The groups are not allowed to share information with anyone . contradictory +However , primary care is responsible for the first contact as well as comprehensive , continuous care . First contact has to be a phone call , an email will not suffice . neutral +Indiana Legal Services , the primary provider of free legal aid in the state , is facing a $ 1 . Indiana Legal Services provided free legal help until it shut down . contradictory +By the final confrontation with her husband , McTeer has so skillfully foreshadowed Nora 's transformation that , though it seems bewilderingly abrupt to her , it seems emotionally inevitable to us . Nora 's transformation was obvious and inevitable to her . contradictory +and so that 's fine and i like LA Law too that 's another one I don 't watch television , I prefer to read books . contradictory +i 've always kind of enjoyed it i i used to read a lot more than i do now I 've never enjoyed reading . contradictory +Never mind that according to Time , he privately told several financial backers in January , I love my wife . Time says that he told several people in private he loved his wife . entailment +How maddening , cried Tuppence . Tuppence thought it was maddening . entailment +Tuppence went back to her pantry thoughtfully . Tueppence was absorbed in thought when she returned the pantry . entailment +He then asked how EDs should use their limited resources . He had a question regarding EDs ' use of their resources . entailment +A Trying Time For Many Net Retailers It is difficult time for a lot of retailers at malls . neutral +David Lubitz of D.C. ' s Swidler Berlin Shereff Friedman , challenged an Annapolis , Md . , ordinance allowing the police to eject people from designated drug loitering-free zones . Lubitz was not happy with the situation . neutral +Mercado dos Lavradores is the beginning of the Old Town quarter ( even though you will not see signs for the Zona Velha until farther east ) . You will see notices for Zona Velha at Mercado dos Lavradores . contradictory +And of course we have basilisks mounted on posts around the grounds . Basilisks , the robot-guards , were mounted around the grounds . neutral +I don 't think I have , but one never knows . I don 't think I have in the past , but you never know . entailment +but it 's becoming more that way i think it 's probably easier now to find things It 's hard to find some things . neutral +feline leukemia so we know we try try real hard to keep them healthy our pets have had health issues in the past , so we 're trying to help them now neutral +I haven 't the slightest idea . I know everything about that . contradictory +and they they throw little tidbits out that are really good There 's always something interesting in the tidbits that they do throw out . neutral +Just be careful to adapt your activities to the climate , and avoid going out in the midday sun . You should only go out in the midday sun . contradictory +yeah the campsite that we went to was an area that it 's right on a big lake and there 's a lot of boating out there and we we went up there uh to hopefully be able to get on the water a little bit but it was still uh it was still too cold I was glad we got to go swimming and boating on the lake . contradictory +Alan Thicke 's curiously unmentioned . There 's no mention of Alan Thicke . entailment +The sales pitch designed to support workers will also protect shirkers . Not everyone agrees with this sales pitch because it protects shirkers . neutral +yeah so uh what are your favorite TV shows I know you don 't like TV . contradictory +To reach Gosier 's attractive offshore islet requires a challenging swim or an easy boat ride . The swim is not one for the weak . neutral +Look at that . Look at this . contradictory +Health status prior to exposure also affects susceptibility . Medical history before exposure influences vulnerability levels . entailment +Hashish ! Oh boy , opium ! contradictory +and uh you know it was just it was a pure disaster because the way it was set up he 's the one that that put it together and he 's the only one who knew how it worked or supposedly worked and he wasn 't there to run it The way he set it up was a total disaster and wasn 't even there to run it . entailment +There would have to be a long period of chronic symptoms which would at once have attracted my attention . There would have been symptoms for just a short time .. contradictory +They can best be seen on the lower Kinabatangan river in eastern Sabah and the Bako and Samunsan nature reserves in Sarawak . There are Samunsan nature reserves in Sarawak . entailment +We apologize to our audience , Philip Morris and Reynolds . We apologize for the people who watch us every week . neutral +But the other ... Drew stared . As he stared , Drew was thinking about the other . entailment +It looked like a cross between a condor and a hawk , but its wing span must have been over three hundred feet . The bird-like thing had a wingspan of about the size of my hand . contradictory +177 Chapter 21 Tommy Makes a Discovery FOR a moment or two they stood staring at each other stupidly , dazed with the shock . They immediately started talking at the same time . contradictory +You are nice to weigh in as a Prudie . You do not have to weigh in as a Prudie . neutral +In the final two rooms of the exhibition , you see Pollock , who was suffering from depression and had relapsed into alcoholism , struggling to regain a gift that had vanished as swiftly as it had arrived . The final two rooms of the exhibition displayed four artists ' work . neutral +Furthermore she wrote , scathingly , about class , and Americans have never liked to hear about class . She wrote about brass and it was something that thrilled Americans . contradictory +Another wasted day , the ex-model said to her reflection in a huge tv screen and switched the channel to a women 's talk-show : They were thinking about becoming a model again . neutral +While preserving the neighborhood groups ' own boards of directors , the proposed plan makes them accountable to one central LSNY board for decisions like staffing and budgets . The suggested plan makes them accountable to a board . entailment +As EPA modeled this scenario , the bundle of policies in the CEF advanced scenario became , in effect , a complement to the emission caps imposed by 2007 . The scenario has been modeled by EPA . entailment +A shop specializing in selling and packaging flowers for long-distance transportation is Casa das Flores A Rosa ( Rua Imperatriz D. Amelia , 126 ; Tel . 291 / 228 800 ) . Casa das Flores A Rosa sells and packages flowers for long-distance travel . entailment +cultures and different backgrounds we got invited to one guy practically roasted a goat in his in his dorm if he was from Iran or some place i don 't know where but um you know There were no people from other backgrounds or cultures . contradictory +The evening wind blew her hair . She had pretty long hair . neutral +Dr. Hall came next , and he was followed by the American Ambassador . The American Ambassador came after Dr. Hall . entailment +ATIRCM / CMWS plans to enter limited production in the early part of 2002 with significantly less knowledge about the design 's producibility than commercial companies . There will be no production in 2002 . contradictory +You 'll find maps , leaflets , and other useful information there ; you can also arrange accommodation and book tours , theater tickets , and other entertainment . You cannot arrange for accommodations there . contradictory +Hunt Rennie did not follow up his half accusation . Hunt Rennies ' half accusation was not followed up . entailment +You will still have plenty to choose from . There are many choices . entailment +Buried once again , said San 'doro . " Lost . We rode to bury it , but we were too late , " said San 'doro . contradictory +I apologize , sir , said Ca 'daan unsure of the proper pleasantry . Ca 'daan apologized because he wasn 't sure about it . entailment +He didn 't want to look . He really wanted to look at it . contradictory +Both trails are divided into smaller segments of varying difficulty . There are only two trails , one more difficult that the other . neutral +The analyses use both quantifiable and general descriptions of the effects of the rule on small entities as required by section 607 and numerous small entities participated in the rulemaking as required by section 609 by submitting comments on the proposed regulation following the inclusion in the notice of proposed rulemaking of the initial regulatory flexibility analysis which discussed the economic impact on small entities . The analyses use descriptions to say how the economy is doing . neutral +This makes me feel very good coming here and doing this , she said , noting she regularly volunteers her services to tenants at eviction court once a month . She does not have time to volunteer her services to anyone . contradictory +Painters still throng the Place du Tertre , Montmartre 's historic village square , where marriages were announced and criminals hanged . Place du Tertre is dangerous if you 're not careful while visiting . neutral +On the other hand , national cuisines are largely artificial You won 't find a French restaurant in France for obvious reasons . National cuisines are mostly fake . entailment +Some of my correspondents say no . My correspondents don 't like your idea . neutral +Getting Derry in was easy . It was hard to get Derry in . contradictory +To have to wait a while for something is not the worst problem in the world . Having to sit tight for something is the most awful thing to happen in the entire world . contradictory +Tee off At times , you 'll spend a lot of time waiting for players ahead of you . There is only one player allowed on the golf course at a time . contradictory +There 's something about you , Mr. Whittington , that I don 't like at all . You 're hiding something , Mr. Whittington . neutral +According to the complaint , Ferguson stated during the ' It 's OK , we do this all the time for the governor . There was over 10 complaints . neutral +Bargaining is thus a way of determining an appropriate price , not simply a way for the shopkeeper to get more money from the buyer . Bargaining is a tool that shopkeepers always use to try to get buyers to pay more for the items being sold . contradictory +Yes , I suppose so . I don 't know . neutral +This collaborative effort helped ensure and maintain trust between the organization and the company . The organization doesn 't work to trust the company contradictory +He was lucky to have her and thought about it every time he saw her . Every time he looked at her he was reminded that he was a lucky man . entailment +yeah do you do you use Aetna Is Aetna the healthcare you use ? entailment +Included in the southernmost end of the complex is the adjoining Pejabat Besar Pos ( General Post Office ) , in a similar Islamic modern style , and a shopping mall . The General Post Office is built in a modern Islamic style . entailment +I 've been soothing her for hours and honestly , I don 't know why Red should have done it . " I don 't know why Red upset her . entailment +The daughter 's boyfriend , Dominic , is a cynic who lives only for himself . Dominic is cynic and egoistic . entailment +The Matters Reporting System represents an important asset now in place in LSC-funded programs . The Matters Reporting System is expensive to maintain . neutral +Adrin parried it away with his rapier-stick . Adrin was better and hit the sword away . neutral +The key steps and practices are shown in figure 1 . Key steps are in figure 1 entailment +Its sumptuous royal apartments are the draw , but it also features temporary exhibits . Many people live in it 's sumptuous apartments . neutral +uh-huh yeah yeah that 's probably true because uh that 's That 's probably true bcause that is printed on her face . neutral +yeah the the only thing about capital punishment is the i i remember someone saying i think it was a chief justice in this state he goes if you make a mistake how do you get the person back that 's the whole his whole basis was if you do have that error you know some people have been in jail for years and years and years and they 're finally exonerated and then you know if if there if you killed the person and it 's like oops too bad With capital punishment , you can 't bring someone back to life if you make a mistake . entailment +Many of the familiar names ( Armani , DNKY ) have their own air-conditioned boutiques . Armani is one company with an air-conditioned boutique . entailment +Gore 's fighter / scholar distinction has taken root because there 's a lot of truth to it . There is truth to Gores persona as he has shown his tough / intelligent side . People respect him for these qualities . neutral +It 's a major omission , then , that we never see those schools or the kids ' interaction with their stable , well-to-do Beverly Hills counterparts . Then ' it 's not a major omission , that we often see those schools or the kids ' interaction with their Beverly Hills counterparts . contradictory +More immediately important , it puts the market 's recent , quickly overturned correction in quite a different light . It 's important that it puts the market 's recent correction in a quite different light , said the director . neutral +Act of Union Act of Solidarity entailment +For 1999 , LSC grantees reported closing 1,038,662 civil legal cases relating to issues such as domestic violence7 , child custody and visitation rights , evictions , access to health care , bankruptcy , unemployment and disability claims , and many other issues faced by millions of low-income Americans . Access to healthcare constituted the majority of cases . neutral +The most prominent building overlooking the square is the Dutch Stadthuys ( Town Hall ) , dating from around 1650 . The Dutch Stadthuys has 300 employees working in it at any given time . neutral +The two most successful stories here , That I Had the Wings and Flying Home , are less self-conscious than A Coupla Scalped Indians . The two most successful stories here are less self-conscious than the other . entailment +The discount rate used for the calculation is the average interest rate ( yield ) on marketable Treasury securities of similar maturity to the loan , applicable to the time when the loans are disbursed . The discount rate is the average interest rate on treasury bonds . neutral +One of his swords dropped and he clutched at his chest . He clutched his chest when one of his swords dropped . entailment +If so , would he make it generally available ? Is it something he would make accessible ? entailment +Compliance assessments , as defined by IRS and Customs , do not represent financial receivables . Financial receivables aren 't represented within the IRS and Customs understanding of the term compliance assessments . entailment +And when he was walking for the last time through the main plaza of the Piast University , pondering deep thoughts about the injustice of treating people according to the Valesa scale of street-smarts , he stepped into a puddle . He was walking in the plaza . entailment +Pete Dawkins in New Jersey in 1988 Pete Dawkins went to New Jersey for a campaign event . neutral +He had suddenly realized what horrors were possible to anyone who could use the orrery now . Only joys occured for orrery users . contradictory +Nightclubbing has come of age in Las Vegas , thanks to a resurgence of dance music and the city 's population boom . Nightclubbing is popular in Vegas . entailment +More also needs to be done to address the continuing expectations gap regarding what auditors are doing in connection with the detection of fraud and internal controls , and to audit through electronic information systems rather than around them . We need to do more to address the gap between what auditors are doing and what we expect them to do to find fraud in the government . neutral +Besides , he wouldn 't mind if he did . He wouldn 't care if he did , anyway . entailment +In 1982 and ' 83 de Kooning , undistracted by an outside world he could no longer understand , painted at an unprecedented pace , completing nearly a picture a week . Before 1982 , de Kooning 's divided attention was why he did not paint . neutral +( He quotes himself in his books , the sure sign of a towering ego . ) Not once does he speak about himself in his writing because he is so humble . contradictory +The following year , Chavez 's organization , United Farm Workers , released a seminal study addressing the health effects of pesticides on farmworkers . There has been no evidence of adverse health effects involving pesticides . contradictory +On the far right , a cauldron is boiling a few of the unlucky ones . A cauldron boils with some of the captured Vikings in it . neutral +Numerous new monasteries and churches were built . New buildings included monasteries and churches . entailment +Meanwhile , the French are scaling back to a 35-hour workweek . The work week is a lot shorter there . neutral +i think when they 're really little like the eighteen month old it 's not fair to the animal because the kids are so miserable to them if they 're out very much The kids aren 't careful to animals when young . entailment +Every murderer is probably somebody 's old friend , observed Poirot philosophically . All murderers were good people at some point in time , said Poirot . neutral +The rest of the night was no better . The night went smoothly after that . contradictory +The dimensions of the gigantic Flamboyant Gothic Cathedrale Saint-Andr ? ? closely rival those of Notre-Dame de Paris ' which is a mere 6 m ( 20 ft ) longer and 4 m ( 13 ft ) wider . Notre-Dame de Paris and Cathedrale Saint-André are both quite gigangic . entailment +yeah it 's not bad at all It is quite alright . entailment +In a nutshell , GAO currently stands at an important crossroads in its history and in its ability to provide the unique support the Congress and the American people expect from it . GAO provides unique support to Congress and Americans . entailment +so oh i don 't know now if i want to see it now it 's like now i 'll probably wait until it 's either at the dollar movie or on video I am going to watch it in the theater as soon as it comes out . contradictory +The other piece on the recording , the Fantasy for Pianoforte , Chorus , and Orchestra in C Minor Op. The Fantasy for Pianoforte doesn 't make an appearance on the recording . contradictory +Nevertheless , the incentives to sell at the market price are substantial , and if the threats create new scarcities , higher prices will probably encourage sellers to unload their land . There are no incentives to sell at the market price because there are currently so many scarcities . contradictory +um human factors Humans are not the biggest factor in our situation . neutral +London papers express outrage that the academy stamped its approval on works like Marcus Harvey 's painting of a spread-legged naked woman and his portrait of a notorious child murderer , done in a mosaic of simulated children 's handprints . The children made a mosaic with their handprints . entailment +oh really huh do you do they um have a policy where they counsel people if they come back positive or do they fire them right away or Do they counsel people or fire them , if they come back positive ? entailment +For example , in the past FGD systems for 2,600 MWe stations included six absorbers ; however , today these systems would likely be designed for four absorber systems , or approximately 650 MWe of boiler capacity per absorber . Aborbers are no longer used . contradictory +i play the trumpet I do not play the trumpet . contradictory +A Case Book . A magazine . contradictory +The FDA received over 1,800 comments and discusses the comments and the changes it made to the proposed rule in the preamble to the final rule . The discussion was fruitful , and led to many positive changes . neutral +Bringing in released convicts for injections is even more difficult . It is even more difficult to take released convicts to be injected . entailment +That evening ? That same night ? entailment +but you know critically acclaimed oh good grief give me a break It 's supposed to be good but I 'm tired of it . entailment +reports that black athletes are shunning white agents for black ones . Black agents do a better job for black athletes . neutral +Kofukuji temple was the first of the Zen Buddhist temples built by the Chinese ( 1620 ) after the Tokugawa shoguns had outlawed Christianity and ordered citizens to register as Buddhists . The Kofukuji temple was constructed by the Chinese in the late 1500s . contradictory +A trial of screening tests in various formats ( e.g. The screening test has only one standard format . contradictory +This country is hungry for a new-style campaign that is positive , hopeful , inclusive and unites America . What America wants is a negative , hopeless and discriminatory campaign . contradictory +After a long and contentious residence at the University of Southern California , the Arnold Schenberg Center has decamped to Vienna , the city of the 12 tone composer 's birth . The center was relocated from Southern California to Austria . entailment +I 've hung out as long as I could . I 've stayed as long as I can . entailment +He doesn 't want any supper tonight . " Though he did not want any supper , he was happy to have dessert . neutral +They traveled two weeks to get here with no desire for money or plunder . With no desire for money or plunder , they traveled two weeks to get here . entailment +Ca 'daan saw a jet of red blood spray across the small man followed by another as the man 's heart pumped his lifeblood from his body . Ca 'daan watched the man bleeding . entailment +Why , the fact that Bauerstein demanded a post-mortem . He was expecting to conduct the examination himself . neutral +and there 's some really neat stuff they can do now with computers and and some of the cartoons are just hilarious um They have some cool computer stuff . entailment +Limits on IDA balances range from $ 4,000 in Virginia to $ 10,000 in South Carolina and $ 50,000 in Missouri . Limits on IDA balances range from $ 4,000 in Virginia to $ 10,000 in South Carolina . entailment +It 's the beginning of looking to see how you meet those needs . It 's a way to know how you can go better at work . neutral +Since they have been left , Dorcas , leave them a little longer , I pray you . Since the left , leave them longer so we don 't have to let them know . neutral +well i don 't really like that very much I don 't really like swimming . neutral +Analysts see this as a milestone in the publishing industry 's descent into the madness of superstar free agency , which has already overtaken Hollywood , CEO compensation , and professional sports . People have been studying the path of superstar free agency . entailment +Such a system would allow for truly unique greetings , and after all , nobody said they had to be comprehensible . A system like that would be a place for unique greetings which didn 't have to be easy to understand . entailment +Spain was admitted to the United Nations in 1955 , opening the gates to an overwhelming tourist invasion , which would have profound effects on both the economy and national mentality . Spain became more liberal as a response to increased tourism . neutral +Words are now rarely carved in stone Words are hardly ever carved in stone . entailment +No , I 'm pretty sure Dr. Hall 's all right . " I 'm fairly certain that Dr. Hall is all right . entailment +The first step in the benefits analysis is the specification of the regulatory scenarios that will be evaluated . The second step is assigning responsiblitiy . neutral +Every year in June , the city holds the Christopher Street West Gay and Lesbian Pride Celebration , a lively two-day festival and parade which has grown into the third largest in Caleornia . The gay pride parade is always in March . contradictory +Combinations of the 4 symptoms for which WTP estimates are available that closely match those listed by Schwartz , et al . Estimates are available by the WTP . entailment +We did our work on this guide from January 1995 to March 1996 in Washington , D.C. , in accordance with generally accepted government auditing standards . We worked on the guide from 95-96 following government protocols . entailment +Can any 5-year-old fail us ? A 5-year-old would only ever disappoint us . contradictory +Between 24 b.c. and 15 b.c. , he had a small natural hill carved into an impregnable 100-metre- ( 300-foot- ) high artificial mini-mountain , capped by a mighty fortress and palace . He was the owner of a fortress and a palace up high in the mountains . entailment +The film is an understated but moving depiction of the day to day existence of an intelligent young woman growing up in France and later America and is praised as having captured something true about families and friendship ( Kenneth Turan , the Los Angeles Times ) . Kris Kristofferson 's performance as the novelist-father is called the best of his career . The woman grew up in China . contradictory +In 1999 , it is estimated that LSC grantees received approximately $ 10 . LSC grantees received $ 50 each in 1999 . contradictory +Scientists are now convinced that a vast internal ocean is , or was recently , roiling the surface and providing the heat and chemicals necessary to create life . The ocean appears at different locations . neutral +Time ' s is soft-focused and warmly lighted Time 's is soft , warm , and biased neutral +I was a hit . I was a disaster . contradictory +Restoring public trust and confidence in a manner that can be sustained over the long-term will require concerted actions by a various parties in order to address some very real systemic weaknesses plaguing our current corporate governance , accountability , and related systems . Out of all of these , corporate governance would probably be the easiest to fix . neutral +King Clovis , the leader of the Franks , defeated the Roman armies at Sois ? ­ sons in 486 and won the allegiance of most Gallo-Romans by converting to Christianity ten years later . Clovis was initially an atheist , but winning the battle opened his eyes to Catholicism . contradictory +i mean i 'm yeah i mean i 'm an old science fiction buff from way back when i was a little boy and this is the kind of stuff that science fiction was made out of I 've loved science fiction since I was a little kid . entailment +Professionals who become more sensitive to possible abuse , or more adept at noticing it , would make more reports to Westat--even if the actual incidence had not risen . It is unclear if abuse is occurring more often , or simply being reported more often . neutral +( Check out the Hamlet Web site , which has everything you ever cared to know about Branagh and about interactive Hamlet games . ) The Hamlet website has no information on Branagh . contradictory +Look for value-subtracted to establish itself in metaphorically expansive circumstances . Do not look for value subtracted and look for dogs instead . contradictory +hm so i guess we 've kind of neglected Latin America Latin America is dominating our headlines . contradictory +you know and i got a lot of really weird ideas from that goofy movie That movie scared me and I was not influenced at all by its themes . contradictory +and and they stink and beer and wine bottles all over the place huh-uh They were sloppy drunk and left a mess . neutral +Production , Survey of Current Business , Bureau of Economic Analysis Bureau of Business Production contradictory +What do you think of that ? 38 I scrutinized the fragment . I don 't care what you think . contradictory +well uh yeah with the dollar theater though i it 's sometimes it 's cheaper to pay a dollar to see it than to you know to pay it depends on where you rent your videos but You have to wait a while to see it but the dollar movie theater is cheaper than renting a video . neutral +Because I had a deadline . I had to finish in three hours . neutral +back grind tape on and off the wafers The tape needs to go on the wafers . neutral +'We have a whole evening based around your arrival , sir and ma 'am . They didn 't know you were coming and made no plans . contradictory +yeah but Payless Cashways has them and they 're metal and i don 't know what affiliate of Payless Cashways you have up there but it was only like seven dollars not too bad Payless Cashways was very expensive and plastic . contradictory +Disneyland is huge and can be very crowded in summer . Going to Disneyland is every child 's dream . neutral +In practice , it 's more complicated . In theory it is simple . neutral +You may be lucky enough to see a wedding yourself . Fingers crossed that you never have to go to a wedding . contradictory +When he finally succeeded , after a prolonged siege and heavy losses , he punished the local population by cutting off the noses and lips of all men except those who played wind instruments . The punishment he imposed n the local population was the cutting off of their noses . entailment +right if it 's anything like uh The two seem to be alike . neutral +if a person has done a crime so bad that the jury gives them the death penalty now the Supreme Court says we 've got to give them one appeal okay i agree give them one appeal when that appeal fails within thirty days execution of sentence You are allowed to appeal the death sentence . entailment +Sometimes funny and sometimes mean , they 're addressing the world of the contemporary mobile reader ... and spot the absurd of our present day lives : fights with the less and less comprehensible equipment , pursuit of the latest technological news , pitfalls of our modern lifestyle , useless inventions and issues racing in all directions at a breakneck speed . Mobile readers prefer it when they are funny versus mean . neutral +that 's what we we got rid of an American Express card for the same reason is though we have a a credit union and we get our cards our other MasterCards for free so we don 't have to pay a a fee at all We don 't have to pay a fee at our current credit union . entailment +Two Watergate vets Charles W. Colson says impeach him ; John Dean says don 't , because Congress has been too partisan and unfair . John Dean says to impeach him because Congress has been more than fair . contradictory +Company being wound up , they say . The company was calm , with no issues . contradictory +Thorn 's words , however , did not . Thorn 's words did not . entailment +The center presents concerts , poetry readings , art exhibitions , and other cultural activities . At easter time , the center holds an egg hunt . neutral +That night , I slept to the soothing rattle of the metro-tracks outside . I sleep best when there is a soothing noise in the background . neutral +Because certifying officers ' responsibilities cover the payment they authorized , their responsibilities can extend to most aspects of a transaction . A certifying officer will be able to answer questions about any part of a transaction . neutral +So sacred are the confines of the Temple site that strictly observant Jews dare not even come here , for fear of walking on the unknown spot where the Holy of Holies ( sacred chamber ) of the Jerusalem Temple once stood . The Temple has always been considered extremely sacred land . neutral +Kovalam also has surfing , but be careful of strong currents . There is strong currents in Kovalam . entailment +yeah she 's a she 's a beauty we 're going to going to get a nice litter off of her She is hideous , and her progeny will be horrendous . contradictory +They were driven out of Lower Egypt by Ahmose I who founded the 18th Dynasty , ruling over a united Egypt from a capital at Thebes . Ahmose I founded the 18th Dynasty in Egypt from Thebes . entailment +The US declared war on Japan . The US started a war against Japan . entailment +The island 's most important achievement and only significant remnant from this period is the law code of Gertis ( see page 36 ) . The island has not had any lasting contribution . contradictory +It dislodged Pisa in the western Mediterranean , whittled away at Venice 's hold on eastern ports , and set up colonies on the Black Sea for trade with Russia and faraway Cathay . Its colonies traded with Russia and Cathay . entailment +U.S General Accounting Office , DOD Financial Integrated Approach , Accountability , Transparency , and Incentives Are Keys to Effective Reform , GAO-02-497T ( Washington , D.C. : Mar. The U.S General Accounting Office is in Washington , DC . entailment +Let 's He is married , they have no business reasons to get together , the whole office is chirping about their lengthy closed-door meetings , they whisper , leave to have lunch together , and you think there is no more than a flirtation . He is married and people think he is acting inappropriately . entailment +California Institute of Technology vaults from fourth to first in the magazine 's annual university rankings . Its three-to-one student-faculty ratio is much praised , as is its annual spending of $ 192,000 on each student . California Institute of Technology 's three-to-one student-faculty ratio is much praised . entailment +. Evaluation in World Bank Evaluating world bank entailment +These plans should show how the agency will verify that the acquired equipment , software , or services meet user needs and satisfy security requirements . The agency 's plans will be extensive and go into great detail to create a peace of mind for the users . neutral +Maybe that was why the Satheri had gone scrounging back through other worlds to find men who had the necessary drive to get things done when the going was tough . Satheri was travelling between worlds to find tough men . entailment +it 's it 's unbelievable how fast you know you when when you get to the point where even your kid 's age they don 't want to spend time with you anymore and you know i Kids don 't want to spend time with you once they reach a certain age . entailment +She 's could be saying , I 'm in this world but not of it . She is saying that I have always been of this world . contradictory +Gainsborough 's exquisite Conversation in a Park ; and Turner 's atmospheric Landscape with River and Bay . Landscape with River and Bay is an atmospheric piece by Gainsborough . contradictory +Plato 's girlfriend is worried the former actress is on a downward spiral to death . Plato 's significant other claims that the former actress is nearing death on a very bad downward spiral . entailment +For fun you can visit the Low Price Shop at no . 47 or the Cat Street crafts stores and flea market . There are no fun shops or flea markets to visit . contradictory +of the summary to management of the audited entity to verify that the comments are accurately stated . summaries verify the comments are stated correctly on the website . neutral +Note to Mark If you say it on NewsHour don 't repeat yourself on Capital Gang . Mark is supposed to repeat himself on Capital Gang . contradictory +It was the day after the ceremony and , modesty aside , he was feeling pleased about the award . The award pleased him . entailment +The waterfronts at Repulse Bay and Stanley are lined with good cafe and restaurants . You 'll find great places to sit down and eat at the waterfronts of Repulse Bay and Stanley . entailment +Paste for Greenies The Greenies ' Paste . entailment +That is better . An assistant from Parkson 's , Theatrical Costumiers , testified that on June 29th , they had supplied a black beard to Mr. L. In addition to a black beard , he had supplied a heavy overcoat and a wide-brimmed hat to the man . neutral +My clothes are tight ; britches and frills soggy with sweat . The clothing is tight from the sweat . entailment +right right and in this area there 's so much going on volunteer wise like for home life uh i you know i know it 's for Most of the volunteers in this area are women . neutral +Food riots broke out in Lombardy , revolts in Tuscany , and southern peasants demanded a share of common land . Tuscany and Lombardy were in serious turmoil , igniting riots and revolts . entailment +Finally , payment mail is all First-Class single-piece non-presorted letters , while bill mail is mostly presorted letters . Some of the bill mail is not presorted letters . neutral +And after that defeat at Glorieta , the retreat to Texas was pure hell with the fires roaring . Following the defeat , the fleeing to Texas was terrible . entailment +Mention of trade names or commercial products does not constitute endorsement or recommendation for use . Trade names include Honda and Rolex . neutral +Note should be made of how well the agency has addressed the critical factors in GAO 's 1990 model of information technology acquisitions as well as agency compliance with acquisition regulations , standards , and other federal guidance . Agency compliance with acquisition regulations isn 't anything to be taking notice of . contradictory +inflation is out of this world and the governments which our government has technically supported for years are corrupt as all get out and generally the people are getting screwed and they 're tired of it and they 're willing to try anything to get out from under it even if that means going to communism Inflation is higher than ever . entailment +Then I dropped off the last pages at Random House and rushed off to Penn Station to catch the late train to Albany , an hour from my farmhouse in the country . I rushed to get the early train to Albany , which is right next to my farmhouse . contradictory +Professor Trucios-Haynes began her legal career in the litigation department of the New York firm Rosenman The Rosenman law firm is well known in the city . neutral +Celebrity free falls are rampant this month . Celebrities from Hollywood are having rampant free falls . neutral +The gay-rights debate turns on whether homosexuality is more like the former or the latter . People have been homosexuals for thousands of years . neutral +Armies of North African nomads , intent on disseminating Islam , invaded the peninsula in a.d. 711 . North African nomads fled . contradictory +no she 's the the second oldest she 's uh twenty twenty three now She 's not the oldest but she 's twenty three now . neutral +Never just very . Always just very . contradictory +Also on Clarendon Street is the Westbury Mall , with cafes and fine jewelry shops . The Westbury Mall does not have any bookshops . neutral +and well they don 't call it remedial reading these days they call it something else but but anyway at the time that 's what i taught and um They change the wording of it sometimes . neutral +Across the street is Jerusalem 's Independence Park . Jerusalem 's Independence Park is on the same side of the street . contradictory +The itinerary for a first visit to France is bound to include Paris . Paris is located in France . entailment +Using an analogy , we can say that the case study analyst seeks to explain 100 percent of the variance by relying on a data base that includes more variables than most quantitative studies can accommodate , over more points in time , and on a method that draws on the integrative powers of the mind , which computers do not have . using an analogy we can say the analyst seeks to explain 100 percent of variance by using data base with more variables than quantitative studies can accommodate due to their unlimited nature . contradictory +Casinos and resorts and gambling and where does one stop and the other begin ? Casinos and resorts are kept strictly separate . contradictory +General Accounting Office , February 22 , 1984 , and Allison , 1971 . ) General Accounting Office on January 22 . contradictory +The sun was bright and blinding overhead , surrounded by reddish clouds , glaring down on the fairy city . The sun glared down on the city from a clear , cloudless sky . contradictory +Other resorts line the peninsula 's northernmost Alpine regions . No resorts line the Alpine region . contradictory +provide resources for capital formation and economic growth . Such and such provides the necessary tools for capital formation and growth economically . neutral +Displayed in a room by itself , the prize of the collection is the Winged Horses sculpture from Tarquinia 's Ara della Regina Temple . The prize of the collection , the Winged Horses sculpture , was obtained in the early 18th century . neutral +Today I 'm picking pheromones , especially for Miss Aldonka . ' Someone is trying to attract Miss Aldonka . entailment +In enacting the LSC Act , Congress declared the need to provide equal access to the nation 's system of justice for individuals who seek redress of grievances and said attorneys providing legal assistance must have full freedom to protect the best interests of their clients in keeping with the Code of Professional Responsibility , the Canon of Ethics , and the high standards of the legal profession . There is absolutly nothing required od lawyers and attorneys . contradictory +As a husband , father and tenant of a Grand Rapids public housing complex , Aubrey Robertson puts security at the top of his home priority list . Men tend to be more concerned with home security than women . neutral +Meanwhile , Jones ' lawyers foolishly cooperated by grumbling that Starr was shadowing them and hijacking their investigation of Lewinsky . Starr was accused of hijacking the investigation of Lewinsky . entailment +A WP front-page piece reveals that even though the B2 stealth bomber is the most expensive aircraft ever built ( $ 2 billion a copy ) , and could drop large numbers of bunker buster bombs on Iraq without ever setting foot on skittish Arab runways , it 's not likely to see action over Iraq . The B2 bomber is too expensive , and doesn 't perform well enough to be used . contradictory +The name came swimming through utter blackness , sucking at him , pulling him together out of nothingness . He 'd never heard that name before . contradictory +are you all behind what time is it there it 's six o 'clock here now It 's mid day here now . contradictory +If the beach or pool begins to pall , kids can make a bigger splash on a giant waterslide . Children won 't make much of a splash on the giant waterslide . contradictory +The racism that kept Alabama 's constitution unchanged has hardly been eradicated . Racism is at least part of the reason Alabama 's constitution remains unchanged . entailment +To some extent , deficiencies in the functioning of boards may have been masked by the effect of a flourishing market and may not have been readily apparent until market downturns began to occur . Deficiencies in how the board functions might be hidden by the market tanking . contradictory +'Forgive him , ' White said . White told them to forgive him . entailment +8 million , and the transfer of the legal work done by that agency to the Corporation Counsel 's Office . The transfer of the illegal work was done by that agency , contradictory +All offer a selection of hotels , bars , and restaurants . Every single one of them contain hotels , bars and restaurants . entailment +Without additional funding , the outlook for longer-term legal help is unclear . They would need more funding to continue their services . entailment +to go into public service i think To enter service for the public good . entailment +Black slaves from Africa also arrived in the earliest years of the colony . Slaves were not used in the colony . contradictory +He pulled on his leather cloak , a gift from Ca 'daan for the cooler climate of the town . Ca 'daan had given him a leather cloak . entailment +Cut down only those who raise arms . Don 't shoot anyone ! contradictory +When proper procedural safeguards are used , these elements alone do not diminish the value of case study methods . When one uses proper procedural safeguards , the consequence is that they diminish the value of case study methods . contradictory +They engage in dialogue on They have no shortage of discussion concerning entailment +Tuppence could think of nothing to say . Tuppence was able to think of several things that she could say . contradictory +oh does she that 's pretty interesting Well isn 't that interesting . entailment +" ' Tis obviously not a thing of reason , " Garm told him severely . Garm spoke kindly and softly , with a sad look in his eyes : " ' Tis obviously not a thing of reason . " contradictory +Among the ponds is one inhabited by Visitors toss in coins in the hope of bouncing one off a turtle 's head , a sure way of achieving good fortune . It is believed that if your coin bounces of a turtle 's head , you will have misfortune for years . contradictory +So why do we remember Wayne so much better ? Wayne has been such a recognizable part of history . neutral +uh one month extra every year and it 'll if have you a thirty year note it will take like seven or plus years off of your note A thirty year note can be reduced by doing one month extra every year . entailment +well Cuba 's closer but uh Cuba is further away contradictory +Station XI ( Jesus is nailed to the crose : The Franciscan chapel on the platform the one to the right is where tradition places the spot at which Jesus was nailed to the crose Jesus was nailed to the cross on Station XI . entailment +* Additionally , U.S. urea manufacturers and distributors routinely trade within a 130,000,000 tons worldwide annual production capacity . The U.S urea manufacturers trade over 130,000,000 tons of worldwide annual production capacity . contradictory +maybe one of these days i 'll you know i 'm kind of like you maybe one of these days i 'll get around to it i 'll do something with the piano but probably not I can 't do something on the piano anytime soon . contradictory +kickers huh i don 't know i hadn 't thought too much about that i always liked Matt Bahr because he went to Penn State i 'm not a big fan of Matt Bahr , even though he went to Penn State contradictory +uh political science The science of politics . entailment +uh and little things like that i i notice in a lot of uh uh technical literature that you pick up and catalogs and so forth that you will find the metric units expressed in parenthesis or sometimes the other way around the metric units are expressed first and then the English equivalent that 's uh is put into parenthesis for reference I have noticed that technical literature mentions both metric units and the English equivalent . entailment +The woman didn 't move and didn 't speak . The woman didn 't speak or move . entailment +uh so that 's all in self improvement to stay focused on who the customer is and as you probably well know all of us are our own customer your my customer i 'm your customer sort of thing um They say to be focused on the customer for self improvement . entailment +And when a man is familiar with the general routine of a place , he can guess a sight too much and too close just by watching the comings and goings . There is no need to watch , there is no routine in reality . contradictory +Out here we grind our own and it 's always this color till it 's cooked . " Here we have always ground our own . entailment +The next moment she had sprung back a pace , and the revolver pointed straight 100 at Mrs. Vandemeyer 's heart , with no unsteadiness in the hand that held it . She had trouble holding the gun properly as her hand was trembling and clammy from nervousness . contradictory +Room price includes breakfast . The price of breakfast is included . entailment +thank you nice to talk to you also Thanks , it was nice speaking with you . entailment +the thing that i i then again i i tried pulling the trailer one year and i went everywhere with the trailer like to beaches and to stuff but that got to be a hassle you know breaking down and setting up and breaking down so i decided that Unfortunately the trailer burned to the ground before I could pull it anywhere . contradictory +Most were located two levels below the Chief Information Officer ( CIO ) . All of them were located above the CIO . contradictory +It was published in the Federal Register as a final rule on April 15 , 1998 . The ruling had undergone many revisions . neutral +In the 1970s , GAO started recruiting social scientists , computer professionals , and experts in such fields as health care , science , public policy , and information management . GAO did some recruiting of professionals in the 1970s . entailment +yeah we i was looking through a photo album not long ago and they had had some pictures and things in there of Knox There were no pictures in the photo album that were not of Knox . neutral +Waterstone 's and Hodges Figgis ( of Ulysses fame ) , are across the street from each other in Dawson Street . Waterstone 's and Hodges Figgis are about fifty yards away from each other . neutral +The Appeals court job changed their plans to settle in Lansing , halfway between here and Saginaw , where she grew up . She was wanting to work for the court . neutral +and i 've got uh one kid getting out at two forty five and one getting out at three thirty so the one gets picked up at two forty five gets there by about three My kids get out at different times so a transportation company really helps . neutral +It was he who would add the flesh of handsome buildings to the bones of Craig 's design . The buildings were coated with bricks . neutral +oh okay um-hum yeah those are pretty oh okay those are new neutral +That 'll make me an accessory to murder . ' Due to that , I will also be punishable for the crime of being an accessory to murder . entailment +uh-huh uh-huh even at that age they need that time we all need that time No , I disagree at that age they do not need that time , because none of us need that much time ever . contradictory +well that 's where the front had came come from they said it came out of the Pacific run across California who was really needing the rain it should 've it should 've stalled over them for a couple more days The front came from the Atlantic . contradictory +Adrin glared at the bald man . The man received a nasty look from Adrin . entailment +The building has been tastefully converted , with a pleasant glass-roofed central courtyard surrounded with balconies . There are tables and chairs in the courtyard . neutral +The hilly Parc Montsouris ( on the Left Bank ) and the Buttes-Chaumont ( on the Right Bank ) are more challenging . The Parc Montsouris and Buttes-Chaumont are easier than others . contradictory +and and you would you know they get this in the mail say oh well we can 't use that one anymore we 'll just get another one and that 's like who you We would get a notice in the mail that said we could not use that one anymore . entailment +Since the 18th century , they 've enjoyed the luxury of a first-class country palace reminiscent of Versailles . The palace was built in the 13th century and destroyed utterly in the 16th century . contradictory +yeah i seem to remember those shows being on in the afternoon I remember those shows coming on TV in the afternoon . entailment +well at a price tag of six thousand bucks i don 't know if they 're going to have a whole lot of takers They should cut their by at least fifty percent . neutral +It sets minimally humane working conditions that foreign factories must meet if their products are to sport a No Sweat label . This includes decent pay . neutral +Carnac is surrounded by fields with thousands of gigantic stones ( menhirs ) arranged in mysterious alignments and patterns set up over centuries beginning as early as 5500 b.c. Some of the menhirs at Carnac date back to several millennia B.C.E. entailment +Wood Quay , on the south bank of the river ( downhill from the arch and dominated by the featureless offices of the Dublin Corporation ) , is the site of the original Viking settlement and its clever recreation , The Viking Adventure ( Tuesday Saturday 10am 4 : 30pm , closed Sunday and Monday ; adults IRa4 . The original Viking settlement and its modern-day recreation are located on Wood Quay , downhill from the arch . entailment +Becker succeeds in establishing the famine as one of the worst atrocities of all time ( Richard Bernstein , the New York Times ) . He does this despite the Chinese government 's continued effort to cover up the incident , and by way of interviews with survivors [ that ] provide us with a chilling view of the famine as it was experienced by ordinary villagers ( Paul Pickowicz , the Wall Street Journal ) . The Chinese government openly admits that the famine was bad . contradictory +yeah too many trips around the yard with that thing huh for sure Not enough trips around the lawn with it . contradictory +In no significant way does that comment differ from a no comment . That 's totally different from if I were to say " no comment . " contradictory +As a result , the Coast Guard shifted its resources and realigned its processes away from inspections and toward other efforts to reduce marine casualties . The Coast Guard has been inactive all year . contradictory +He answers with an academic distinction . He answered nervously and seemed to lack any confidence whatsoever . contradictory +wait let me turn off my stereo here My stereo is pretty old , so it might take a while . neutral +She started to walk away . She began to walk the other way . entailment +Even when they weren 't ready . Also when they were not ready . neutral +Presumably , therefore , he has some wits . It is clear he has some intelligence . neutral +As unusual as Button 's case is , it shares one common characteristic with nearly all the 30,000 suicides that occur each year in the United States--the victims are not in a rational state of mind . People who kill themselves are not thinking straight . entailment +yeah or um-hum what area do you work in where do you work entailment +oh Lord God Dear God entailment +And children . There are adults and children . neutral +HCFA states that the final rule will not impose a federal intergovernmental or private sector mandate of $ 100 million or more , as defined in the Unfunded Mandates Act of 1995 . The final rule , the HCFA states , that there will be no federal intergovernmental or private sector mandate of 100 million dollars or more . entailment +Because the incentive to an author of free software is to make her package the best , so releasing inadequately tested software will do the author 's personal reputation no good at all . Inadequately tested software is the most common error in business . neutral +We need to find him and we need it back . We need to locate him so we can get it back . entailment +A portfolio compiles the century 's best cartoons and quotes . The best cartoons of the century are complied in a portfolio . entailment +According to one tradition , these are the tombs of the Ottoman architects who were commanded by Suleiman the Magnificent to rebuild the long-ruined city walls . The city walls were rebuilt and designed by local slaves . contradictory +What you see is only the top third of the original it broke during shipment . Only the top third is original because the rest broke in transit . entailment +Although the consistent advice from EPA 's Science Advisory Board has been to model premature mortality associated with PM exposure as a non-threshold effect , that is , with harmful effects to exposed populations regardless of the absolute level of ambient PM concentrations , some analysts have hypothesized the presence of a threshold relationship . The EPA 's Science Advisory Board produces collects data on premature mortality rates . entailment +The value of a Work Loss Day presented here represents the national median . Our value is more than the national median . contradictory +They are our neighbors , our friends , our colleagues . Our neighbors are our friends . neutral +Madeira 's small size can be deceiving . Madeira 's small size can be seen as deceptive . entailment +Certain court forms refer the poor to legal aid . Certain court forms refer the poor to legal aid . entailment +well um i 'll tell you something um i i have a sister-in-law from Israel I have a sister-in-law from Jamaica . contradictory +However you fiddle with the rates , there will always be a perceived penalty on somebody . Someone always thinks they have a penalty . entailment +The book itself , the story of a 30-year-old American widow in London , is unimpressive . The book is impressive . contradictory +She thanked him and drove home . She thanked him and drove herself home . entailment +Faking appreciation is always , of course , er , appreciated . Faking appreciation is not so easy . neutral +Mohammed also visited the El-Aksa Mosque , which is adjacent to the Dome mosque . The El-Aksa Mosque is nowhere near the Dome mosque . contradictory +I 'd say he sure had him a run of pure solid luck ! I would say he has a black cloud over him constantly . contradictory +Our pools are closer to perfection than theirs , not being contaminated by city air , and we see more . Their pools are close to perfect whereas ours are nowhere near , filthy and in need of repair . contradictory +He sucked in on the air around him , and the breath burned in his lungs . He breathed in the smoky air and it burned his lungs . neutral +But the best cellars open to the public are those in the chateau at Clos de Vougeot , owned by the Cis ? ­ ter ? ­ cian monks until the Revolution and now the property of the Chevaliers du Tastevin ( fraternity of wine tasters ) . No wine cellars are open to the public any longer . contradictory +He left gelded and bled to death a day later . He bled to death from the wound on his neck . neutral +Prominent phallus signs often indicate a house of ill repute , with an arrow pointing upstairs to where the action was , but sometimes they were just a shopkeeper 's good luck sign . Phallus signs , despite their connotations , were never used to mark brothels . contradictory +The incentive to capture funding for the program was greater than the incentive to wait , capture knowledge , and reduce the risk of moving forward . The rewards of capturing funding for the program were larger than the rewards of waiting . entailment +There are no court decisions in the relevant jurisdiction that support Starr on the notion that leaking what people tell investigators before they testify about what they will testify to is OK . Because of Starr 's notion about what is acceptable to report to the public before someone actually testifies , a court hearing will most likely occur in the near future . neutral +how do they react then we 're prosecuted if we simply don 't pay our taxes so i 'm not real sure how you believe then that eventually there 'll be an overthrow we know communism doesn 't work what do we do next I don 't know why you think that a revolution will happen since communism is hopeless . entailment +Geveden agrees that the bill 's chances for passage are pretty reasonable . The bill is more likely to pass if the economy does not rise too much before the elections . neutral +lists 100 Americans for the Next Century . Lists 100 Americans for the Next Century . entailment +At the north end you come upon the Casino ( a private club , not a gambling establishment ) , with spirited turn-of-the century decor . The Casino does not have turn-of-the century decor . contradictory +It took him a couple of tries to work the kettle , I noted . The kettle was confusing because it had so many buttons . neutral +Nye came in , trailed by three of the other Rennie riders . The riders stomped through the door , dragging Nye behind them . contradictory +We filled out all the paperwork . We didn 't see the paperwork when it came in . contradictory +Adrin swung , pulled back , stabbed , spun , and stabbed again . Adrin was not able to stab anything . contradictory +EPA has considered numerous regulatory alternatives to the final provisions of the rule , which are discussed in the Summary and Analysis of Comments , but has determined that the requirements expressed in the final rule constitute the most cost-effective and least burdensome alternative that would meet the mandate of section 213 ( a ) ( 3 ) of the Clean Air Act . EPA thought that the rule should care about making a good use of its money . neutral +What do analysts use to value stock ? Stock is analyzed by a variety of methods neutral +any problems with the evidence . There are not any problems . contradictory +I haven 't seen him since breakfast . I saw him at dinner . contradictory +Their factories manufacture a steady supply of ephemeral pop groups . A steady supply of pop groups come from their factories . entailment +Because Miss Boulaye happens to be black , the reporter assumed she was obsessed with a racist political system , commented the Telegraph . And since she is a Tory , the paper assumed she supported what , it conceded yesterday , was ' abhorrent to her . The reporter thought that Miss Boulaye absolutely detests white people . neutral +you have a nice day and i 'm going to say good bye for now and if you 're ever up Rhode Island way around TI look me up it 's Ray Smith at TI in Albrough Massachusetts I hope you have the kind of terrible day I 've had . contradictory +To the north of the church , the Rue Bonaparte takes you to the prestigious Ecole des Beaux-Arts . There are many sites to see along the Rue Bonaparte . neutral +Farther out , dominating the Fifth Hill , is the Sultan Selim Camii ( Mosque of Selim I ) , dedicated to the father of Seleyman the Magnificent . The Sultan Selim Camii was built to honor Selim II , the son of Seleyman the Magnificent . contradictory +Because of the similarities in the challenges they face , we believe that federal entities can learn from these organizations to develop their own more effective security programs . These security challenges include employees writing down passwords . neutral +Should such a fate befall you , there 's always Divorce Online . In case , there 's always Divorce Online . entailment +In addition , the rule is expected to produce more efficient consumer search activities which could lead to time savings valued at $ 19 million to $ 38 million per year . Time savings will not be as large as expected . neutral +Lordy , what bottle did he suck out a dream like that ? He had a dream and it was not good . neutral +A magnificent polychrome retablo , rising in five tiers , depicts New Testament stories in fervent detail . The New Testament is depicted on a retablo , it is one of a kind . neutral +The Clear Skies Initiative will deliver substantial health and environmental benefits through a market-based approach that rewards innovation , reduces costs , and ensures results . Health and environmental benefits will not be delivered by the Clear Skies Initiative . contradictory +Responses to News Quiz naturally vary in both quality and quantity . Responses to quizzes never vary , and are universally the same . contradictory +um-hum that 's true their job That 's true . entailment +Around the turn of the century Britain and other countries had noted with great interest the developments in Palestine , and during World War I the British courted Jews and Arabs for help to get rid of the Ottoman Empire . Britain practiced isolationism and anti-war tactics in World War I. contradictory +Now , to pass to another subject , had your mistress a dark green dress in her wardrobe ? " Dorcas was rather startled by the unexpected question . Dorcas was surprised to be asked about the mistress ' clothes . entailment +Most financial transactions don 't involve cash , and are , thus , recorded . Most thieves use cash as it can be harder to trace . contradictory +This narrative ( 1 ) stated that Information is a corporate asset . . . . Information must be protected according to its sensitivity , criticality and value , regardless of the media on which it is stored , the manual or automated systems that process it , or the methods by which it is distributed , ( 2 ) outlined the responsibilities of information owners , custodians , and users , ( 3 ) defined the organization 's three data classification categories , and ( 4 ) stated that each business unit should develop an information protection program to implement these policies . Information will be stored in order of importance . neutral +No one would be caught dead carrying a bag . Carrying a bag is something no one would be caught dead doing . entailment +And in some very basic sense , what KKR has done best is get managers to take other people 's seriously . KKR has always been able to support people and make the workplace a healthier environment . neutral +He suggested we need research on how to get physicians to screen in the emergency department . He pointed out that we need research on screening in the emergency department . entailment +Outreaching employers in industries whose employees are traditionally more likely to receive improper payments , such as those with seasonal or part-time employees . Outreaching employers in industries whose employes are likely to receive proper payments . contradictory +getting mothers back in the home Getting mothers out of the workforce and home with their children . neutral +The listed documents are also available through either the Government Printing Office or the National Technical Information Service , for more information call ( 202 ) 783-3238 or ( 703 ) 487-4650 , respectively . In addition to the Government Printing Office and the National Technical Information Service , you can also find the documents at the local library . neutral +Parametric analyses are conducted by varying volume under different assumptions about the extent that institutional cost varies over the long run . A parametric analysis is a type of cost study . entailment +Thus , it is clear that Congress crafted the certification provision as a carefully balanced compromise that ensures the President can protect the confidentiality of highly sensitive information , the disclosure of which would substantially impair the operations of government , while affording the Comptroller General the access to information he needs to fulfill his responsibilities under the law . The President must protect confidential policy information . neutral +Because of the possible toxicity of thiosulfate to test organisms , a control lacking thiosulfate should be included in toxicity tests utilizing thiosulfate-dechlorinated water . Because of the possible toxicity of thiosulfate to test organisms , a control lacking thiosulfate should not be included in toxicity tests utilizing thiosulfate-dechlorinated water . contradictory +They are too easy a target . They are fish in a barrel . entailment +A Crusader castle brings swashbuckling to life , so try a trip to the walls of Mytilini or Kos Castle to become a knight of yore . If you like knights avoid taking a trip to the walls of Mytilini or Kos Castle . contradictory +'Forgive him , ' White said . White said he should never been forgiven . contradictory +Nothing happened . Not a thing happened . entailment +He became the Buddha , the Enlightened One , and embarked on travels to spread his beliefs . Buddha still has a huge cult following in these times . neutral +Previously , he said , commenters typically waited until the last minute to file comments so that no one could see their views until after the comment period was over . Before , commenters would comment ASAP , far before the deadline . contradictory +i think i think everything always sounds more glamorous than it really is Sometimes , things are better than how they sound . entailment +There are always giants , and each of you has the potential to become one . All of you have the chance to be big . entailment +that 's that 's really wild That 's really crazy . entailment +Fiellin reviewed 38 studies of screening for alcohol use disorder in the primary care setting . There are a lot of studies about the screening of alcohol . neutral +it 's funny how your little minds work isn 't it oh Interesting , the mind of a child . entailment +'Hey- what 's behind this door ? ' Came a voice from above , followed by the sound of splintering wood . Someone politely knocked on the door . contradictory +To the west is the cypress-wood Seiryoden ( the Serene and Cool Chamber ) , the emperor 's private chapel , serene and cool indeed in vermilion , white , and black . The emperor let the public come to his chapel . contradictory +Some had torn themselves open . They remained closed . contradictory +The ruling elite lived on the high ground , the Yamanote ( bluffs ) west and south of the castle . The leaders lived to the west and south of the castle at Yamanote . entailment +Thus , there is a business incentive for any postal provider ( who is not simply a cream skimmer ) to offer universal service within the territories it serves . Postal providers are motivated to offer service to everyone within their territories . entailment +She is hauled away , presumably to be killed . They took her away to be murdered . entailment +In a 1994 Washington Post story she says that after being contacted by reporter Michael Isikoff , who wanted to know about events on the Clinton plane , she relayed news of the phone call to Debra Schiff , who , in turn , relayed it to Clinton aide Bruce Lindsey . Bruce Lindsey was contacted by Michael Isikoff about the events on the plane . contradictory +uh yeah more of a football powerhouse i guess He is a powerhouse of football . entailment +There is also a small museum here with uniforms , military hardware , and maps illustrating the battle plans and tactics of this most grueling theater of war . The museum is visited by throngs of tourists every day . neutral +Barry 's friends and local business leaders have been trying for months to find a way to let him exit with honor--to give him a gracious payoff in exchange for his decision to step down . There are some people who want Barry to step down . entailment +well not that you can see it a little better and it stands out You should be able to the increased visibility , but actually you can 't tell due to the fog . neutral +Poland 's road to capitalism and democracy has been a complicated one . It has not been simple for Poland to become a democracy . entailment +Board members have differing views on whether social insurance programs result in exchange or nonexchange transactions . Board members agree on exchange transactions contradictory +The nearby towns of Montalcino ( known for its Brunello wines ) and Pienza ( the first example of Renaissance urban planning ) promise small-town distractions and culinary pleasures . The food in the surrounding towns are very bland . contradictory +oh really hm i wonder why it does I have a few ideas why it does . neutral +no it wasn 't It was not , no . entailment +The consensus of Jack 's colleagues is that reader contributions are essential . They all agreed not to accept reader contributions anymore . contradictory +uh you know soon next end of next month the pools are open the outdoor pools only open over the summer The pools aren 't going to open this year . contradictory +okay because i think most the Roman ones have I don 't think they have any . contradictory +He once or twice observed to me that he thought Dorcas must have made an error in fixing the time of the quarrel . He thought Dorcas made a mistake . entailment +that 's more than some of the people out here who are out and out honest All of the honest people here have more than anywhere else contradictory +I turned to Mary with a gesture of despair . Mary looked back at me , but could not say anything . neutral +in our state currently when in Colorado whenever you fill out uh your state income tax they ask you if you have medical insurance if you do you have to pay for those that don 't have medical insurance We don 't have to file any state income tax in Colorado . contradictory +uh and i had been told you know you wouldn 't notice that it was three hours long and all this kind of I had been told you notice that it was two hours long . contradictory +but she was a killer and the the character was you know prior to that had had been someone that had killed other people but no one knew that The character has killed before but no one was made wise . entailment +right right well i tell you what i appreciate the conversation and uh we 'll just have to watch and see how it goes comes about Thanks for the conversation ; we 'll just have to watch and see what happens . entailment +True , during the 1970s and early 1980s macroeconomics suffered a crisis . Macroeconomics experienced good fortune throughout the 1970s and 1980s . contradictory +He let her take her time . He hurried her along as she stumbled away contradictory +and we play in the summertime out here we get a mixed league in and that 's what i 'm trying to get her ready for it 's going to start well when we change the time back whenever that is next month i guess We play in the winter and I 'm not going to get her prepared for it since she can 't play . contradictory +um he grew up out well he grew up in Le Ren which is the sort of um oh strip east to west eastern part of France He has never been to Le Ren before in his life . contradictory +In the preamble to the proposed rule , HUD discussed the comments received in response to its July 6 , 1993 solicitation and invited further comments . HUD did not respond to comments on their late 1995 solicitation . contradictory +The largest cave is called the Cathedral because of its size and scale . You can go into the Cathedral and experience the darkness around you . neutral +After conducting work at a field location , to the extent appropriate , GAO staff will hold a closeout meeting with agency officials who are responsible for the operations of the field location and have oversight for issues related to the work 's objectives . GAO staff will hold a closeout meeting with agency officials who are responsible for the operations of the field location . entailment +The Air Force estimated that in late 2001 , when the F-22 entered limited production , it should have been able to demonstrate almost 2 flying hours between maintenance actions . The F-22 entered mass production in late 2001 . contradictory +often in the end to their dismay . They aren 't ' happy with the ending . entailment +And people in that relatively equal America felt good about their lives , even though by modern standards , they were poor--poorer , if Boskin is correct , than we previously thought . Poor Americans felt good about their lives . entailment +but yeah i don 't have to buy jogging shoes all too often mine don 't get very much use I shop for new jogging shoes only once in two years . neutral +are better people and uh make our society better We need more people like them . neutral +Converted nine years earlier , daimyo Omura founded the port of Nagasaki as a center for Portuguese trade in 1571 . Daimyo Omura established the Nagasaki port as a hub for trade with Portugal in 1571 . entailment +This structure incorporates fragments of medieval and Renaissance architecture and sculpture that make it a living museum . There are some medieval and Renaissance based aspects to the design of the building . neutral +wow so what do you do What is your occupation ? entailment +Ethnographic Ethnographic ? neutral +Critics disagree , however , on Darger himself--was he a psychopath or an undiscovered genius ? Despite this , critics are in agreement with Darger 's character . contradictory +He was a celebrity . He was famous because of his movies . neutral +Tuppence had heard the story from Jane in her character of " Annette . " She looked at the tattered velvet with interest . Tuppence loved hearing stories from Jane . neutral +To have meaning , the apology must convey recently acquired insight into personal wrongdoing , something neither Dr. Stephen Ostroff nor the Fox TV network seems inclined to do . Dr. Stephen Ostroff and Fox TV gave genuine , heartfelt apologies that the public accepted immediately . contradictory +That captain has heady ambitions under his hat , maybe like setting up here as a tinpot governor or something like . The captain had high ambitions in the political world because he liked the power that it entails . neutral +The lake and its islands were his inspiration for the story about the adventures of a group of children who are left to their own devices one summer in an age when innocence and security were taken for granted . The story was inspired by the lake and it 's islands entailment +As dubious as that sentiment might at first appear , a cursory look through his fellow participants ' answers shows that he 's quite As far as News Quiz readers are concerned , those are the two activities associated with livestock . For News Quiz readers , those two things are linked to livestock . entailment +i uh last weekend went home to visit my parents my dad 's in the hospital and uh I went to visit my father in the hospital last weekend . entailment +yeah yeah i i think i think that probably yeah i think that probably what did it for him was the fact that he was a good stage performer Yeah he was totally bad on stage . contradictory +Gary yes right the longhaired guy Gary 's the guy with the buzz cut . contradictory +When you see it , you 'll understand why Gustavia 's rectangular harbor is a favorite with the Caribbean yachting set . The Caribbean yachting set are not interested in Gustavia 's harbor . contradictory +From Jerusalem Street , a flight of steep steps , known as Ma 'alot Olei Hagardom Street , leads downhill . The flight of steps called Ma 'alot Olei Hagardom Street goes downhill from Jerusalem Street . entailment +Just south of the often snow-capped San Gabriel Mountains is the charming city of Pasadena , which has remained true to its Native American Indian name meaning Crown of the Valley . North of the San Gabriel Mountains is the city of Venezuala . contradictory +as accomplishments or results that occur ( at least partially ) because of the service efforts of Government entities . Some results occur because of the legislative branch . neutral +He replied : ' You 're on to it , sir . He was responding to a police officer . neutral +The newer ballets aim for more universal and fundamental emotions than amazement--for a sense of beauty , or joy , or love , or sorrow . Ballet has become really innovative these days . neutral +Caps ensure that environmental goals are met . Environmental goals will be ensured if caps are used . entailment +She just has these ... She only has these but it is enough . neutral +have y 'all been able to do much as a as a full family these days all of you Can you still afford to take everyone in your family to Disneyland ? neutral +that 's true well do you do anything else do you knit or crochet like for sweaters or anything like that Do you do other things like biking or hiking ? contradictory +It 's impossible ! It 's not doable . entailment +There are assertions that Chinese donations to members of Congress swayed Congress ' 1994 vote to renew MFN . It is believed that Congress renewed MFN because of Chinese donations . entailment +Most of the cities remained under its domination until the 15th century , yet retained much of their individuality . The cities eventually rebelled against their rulers . neutral +The show vainly leads each week with a high-minded story designed to appeal to good-government liberals . The show shows a story to make liberals happy . entailment +um that yeah it looks good and there were a couple others that i just haven 't had the time now see i I think it looks bad and I have had time to see a couple others . contradictory +I can get everything , including the kids . Most people cannot get everything . neutral +They are not . They aren 't . entailment +( Bennett himself appears to share this view , terming gays , as a group , wealthy and well educated . One person thinks that gay people have lots of money . entailment +It was established following New Republic staffer Ruth Shalit 's serial plagiarisms . A New Republic staffer was always plagiarising others work . They were ultimately forced to resign . neutral +The Securities and Exchange Commission ( SEC ) stated in its report to us that it was not required to prepare , and did not prepare , a cost-benefit analysis of the rule . The cost-benefit analysis was never prepared because the SEC stated in a report that it was not required . entailment +Jon looked at the man . Jon looked at Brian . neutral +In the old days , nobody paid much attention , and the artists on NEA panels were free to make meritorious decisions . People will never pay attention . contradictory +Situated at the eastern end of Shikoku , across the Inland Sea from Kurashiki and Okayama , is Takamatsu , another friendly provincial town where foreigners seem to receive a particularly warm welcome . The people of Takamatsu are particularly unfriendly to foreigners . contradictory +But my friends call me Tuppence . " Some people call me Tuppence . neutral +The first knowledge point occurs when the customer 's requirements are clearly defined and resources-proven technology , design , time , and money-exist to satisfy them . When the customer 's requirements are clearly defined and resources-proven technology exists to satisfy them , occurs the first knowledge point , according to the TV . neutral +yeah it 's real easy to get isolated in your own little community you know because when when i was growing up in Chicago um we were in a real ethnic neighborhood and there were people from all Growing up in an ethnic community gave me the opportunity to be cosmopolitan . contradictory +first of all we have a source now we got a a friend whose a nun We are still looking for a source . contradictory +When Are Case Studies Appropriately Used in Evaluation ? Case studies can be used appropriately in evaluation . entailment +The FFC study identifies 18 best practices for the review of designs , which it summarized as Best practices for the review of designs are impossible to identify , the FFC study found . contradictory +Suffering less than the north from the ravages of Muslim iconoclasts , their temples have survived in profusion and in much better condition . Luck played a major role in the contrast between the condition of the temples . neutral +Spatial and Seasonal Patterns and Long Term Variability of the Composition of the Haze in the United An Analysis of Data from the IMPROVE Network . There are many reports on the spatial and seasonal patterns of haze . neutral +Maybe less . Possibly less , or more . entailment +George W. is lying either when he professes his faith or when he denies its implications . Bush wants people to think he is a Christian . neutral +Historically a center of copper mining and smelting , Coniston was a true working town and this heritage sets it apart from the other major towns in the Lakes . Coniston has historically been a livestock farming town . contradictory +The croseis said to weigh 181,740 tons . The measurement was derived by French philosopher Blaise Pascal . neutral +In contrast , the cumulative case study aggregates information from several sites collected at different and even quite extended times . The case study took many years to complete . neutral +This eerie lake , shimmering in the heat , is so heavy with salt and other minerals that nothing lives in its waters ; swimmers find it almost impossible to sink or even to submerge themselves . The salinity of the lake is extremely high that swimmers aren 't able to sink in it . entailment +i don 't think it was supposed to be funny though I think it was supposed to be really sad . neutral +Both the Andrews Lane Theatre and the River ? ­ bank Theatre ( at Merchant 's Quay ) show international contemporary work . The Andrews Lane Theatre shows a greater variety of work than the River ­ bank Theatre . neutral +Ellen ' s coming out is hailed as the year 's highlight , a seminal moment in television history ( Howard Rosenberg , the Los Angeles Times ) . Critics say the sitcom was witless and pointless until it focused on its main character 's sexuality ; [ e ] ver since ... Television critics don 't care about witty writing . contradictory +Earthquakes ! Sather Karf whispered . Sather Karf spoke quietly . entailment +Gee whiz ! Golly ! entailment +except for the guys that lift the weights they do intimidate People who lift weights tend to be more intimidating because of hormonal changes . neutral +Instead of printing out intake forms and faxing them to the other providers , who then must manually enter the data into their systems , intake information will be transferred electronically from one system to the other . Instead of printing out intake forms information will not be transferred electronically . contradictory +so it looks like we 're both running about the same It seems there are no differences in our systems . neutral +diverse clientele in every state , county , and congressional Diverse clientele in every state . entailment +We will not have enough . We will have enough . contradictory +Death brings at least an end to those troublesome appetites and may open the way to something better--he doesn 't say what . Death ends no troubles . contradictory +From a macroeconomic perspective , any increase in saving up to the golden rule saving rate allows a nation to increase consumption in the long run . Any increase in savings up to that golden rule lets a country decrease consumption over time . contradictory +no we have uh done a little painting ourselves um we painted a bedroom uh well within the last couple of months um and we have we have some more that need to be done but the We painted one room . entailment +How would that strike you if you read it ? " Would that change your mind ? neutral +Services are expanding , however , thanks to a $ 1 million public fund drive , that is $ 59,400 short of its goal . A public fund drive allowed services to expand . entailment +And the Medici 's taste and means did permit a considerable number of masterpieces . Medici could only make 5 masterpieces . neutral +, also on certiorari to the same court . They were located in the same building . neutral +i 'm i 'm originally from Lubbock I loved being in Lubbock . neutral +National Integrating New and Existing Technology and Information Sharing into an Effective Homeland Security Strategy An effective homeland security strategy involves new and existing technology . entailment +The Museo Arqueolegico Provincial , in the Diputacien ( Chamber of Deputies ) in Avenida General Mola , contains an interesting ceramics collection , with some pieces dating back to the Greeks . There 's an interesting collection of ancient ceramics in the Museo Arqueolegico Provincial . entailment +Under a progressive tax system , the only way to eliminate the marriage penalty is to go back to relatively higher taxes on singles . And , there is no way to raise taxes for singles without causing chaos and a general mistrust for government . neutral +uh but i don 't know if they 're going to ever give up their careers you know It 's sort of like they went to school and they worked so hard to get where they are i don 't know if they want to completely give that up I don 't know if they 'd ever be willing to completely give up everything they 've worked for . entailment +Entire paragraphs are repeated , nearly word for word , in different chapters of the book . Each part of the book is completely original . contradictory +Tract housing and apartment buildings may be ugly , but they are paradise compared with village huts or urban shanties . Often , however , apartment buildings end up looking pretty nice . neutral +A good introduction to Jerusalem is a ride on the number 99 bus , which makes a circuit that includes many of the most important sights . There are no bus tours in Jerusalem . contradictory +Figure 4 shows that the NAC would be greater for the U.S. The advantages of the NAC to the US are shown in figure 4 . neutral +In 1990 , EPA projected the cost of full implementation of the SO2 emissions reduction with trading at $ 5 . They could not estimate what the implementation would cost . contradictory +and um the there is men and also women women aren 't um nearly as frequent and also that have elderly couples once their kids have left that can volunteer to go on a mission and um they 're all over the world and its it is an incredible logistics i mean they have a training center where they teach them it 's called the Missionary Training Center in Utah and they have to be taught the language There are multiple centers in Utah that teach languages . neutral +no maybe it was i think it was the South East area from Dallas my daughter my daughter lives down in Rowlett and she was telling me about it yeah i can 't remember what the town was some little area My daughter lives in Rowlett . entailment +Even as there are relatively fewer workers to pay taxes to finance Social Security and Medicare , these programs will have to provide benefits over longer periods of time as life expectancies rise . The programs are beginning to have to pay less as life expectancies are beginning to fall . contradictory +The ploy worked well enough until the Meiji Restoration , when those Western ideas were needed to modernize the country . The country needed to be modernized in the Meiji Restoration period . entailment +When I use a word , Humpty Dumpty said in rather a scornful tone , it means just what I choose it to mean--neither more nor less . Humpty Dumpty was not happy . entailment +Some of the shops still exist , and the sumptuously decorated Grand Vefour restaurant looks just the way it did 200 years ago . With some of the shops still existing , you can still see that the sumptuously decorated Grand Vefour restaurant looks the same it did 200 years ago . entailment +Charging a usage-based fee for content sounds fair--but it is artificial , because your costs are fixed . The charge , at 3 dollars per gigabyte , is the lowest among the competitors . neutral +It wasn 't the man 's size or even the blade he held over his shoulder that frightened him . His pure size and build was the most terrifying thing about him . contradictory +Wait ! " He dashed off , calling two of the mandrakes after him . He ran off , causing two mandrakes to follow him . entailment +It is , no doubt , irritating to be misquoted , but at least you retain the moral high ground and a sense of yourself as wise and well-spoken , albeit misunderstood . It 's better to maintain your moral high ground and sense of self even if you are misquoted . entailment +Duck your head as the rowboat takes you through the one-m- ( 3-ft- ) high cave entrance . The entrance to the cave is low . entailment +It took two of us to stop him and he lived with a sword in his chest for much of the night . It took two of us to slay him , although he lived for much of the night despite a grievous wound . entailment +I would not care , just now , to have any army mounts located on this Range no matter where they were hidden or by whom . I would like army mounts on this range as long as they were hidden by Bill under that tree . contradictory +The tombs of men of the Royal Australian Air Force , Indian Army Corps of Clerks , Ambulance Sepoy of the Indian Army Medical Corps , and Royal Air Force reveal that many of them died on the very first day of active 8 December 1941 . The majority of the armies members died on the very last day of fighting . contradictory +and what that tells me is that the summer weather is very predictable that it doesn 't vary very much Because of the predictability of the weather here during the summer , it is a popular destination for holidays . neutral +uh-huh cantaloupe 's difficult to grow and get taste out of them i mean they 're they 're easy enough they 'll grow easy enough but you can 't get any flavor It is hard to grow cantaloupe 's with flavor . entailment +Programs should consider reengaging in discrimination-based advocacy if that approach has been abandoned or overlooked in recent years . They should go away from discrimination . contradictory +i i count them i i swim a sixteen fifty every day and uh so that 's sixty six lengths of the pool I swim sixty six lengths of the pool every day . entailment +The small man shifted back and avoided the swing easily . The small man was hit by a swing . contradictory +but that 's pretty much everything i 've worked with and uh i 've become so accustomed to it that uh it 's like second nature This is new to me , and I 'm very uncertain about how it works . contradictory +The 57-year-old portraitist wins acclaim for bucking trendy postwar art movements . He took photographs of the soldiers in action during the war . contradictory +One wonders whether the dark and shadowy world of his photographs might have had some association in his mind with the ambivalence he felt toward the Jews he posed in such excruciating positions . One wonders if his history of being a circus clown effected his photography . contradictory +With land prices notoriously high , urban courts are crowded and expensive , so your best bet is at the seaside or hot-spring resorts . Land prices have climbed every year for 30 years and are now record-high . neutral +In 1989 , talks established the basis for limited power-sharing between the Communist Party and Solidarity . The talks in 1989 established the basis for limited power-sharing between the Communist Party and Solidarity , entailment +In the south , Tipu Sultan of Mysore remained a menace to Madras until Governor-General Arthur Wellesley , future Duke of Wellington , defeated him . Arthur Wellesley was later appointed Duke of Wellington because of his victory . neutral +For animals ? Is all the food for the animals ? neutral +yeah not insofar as maybe making conversation with somebody i suppose suppose because it you can easily be overheard overheard I guess you can overhear it . entailment +I am sorry , said the man . He was apologizing . entailment +Now think about this , I scolded myself . I was happy with my thoughts . contradictory +He told me it was just my perception that I spent seven minutes pushing buttons . I was informed that I had in fact not spent the past seven minutes pushing buttons , it was just in my head . entailment +uh-huh yeah it 's i have not uh i have not seen vacation policies you know written in about seven years so i 'm not real sure how they 're how they 're changing what they 're doing now I read the vacation policy yesterday . contradictory +The Security Act requires the establishment of agencywide information security programs , annual agency program reviews , annual independent evaluations of agency programs and practices , agency reporting to OMB , and OMB reporting to Congress . The Security Act requires that the agency has a security program . entailment +Then two figures hastily huddled in cloaks appeared on the steps and were hustled into the car . Then two figures appeared and were thrown into the car . entailment +Newsweek also hints that 13 Heaven 's Gate members--the ground crew--may be traveling through the Southwest , waiting for a signal from the spaceship . The Southwest is where they 'll hit up the casinos of Las Vegas . neutral +The team now faces China , which crushed defending champion Norway 5-0 . China has never won against Norway before in the history of the game . contradictory +Now I 'll sit opposite you with the revolver in front of me just in case of accidents . The revolver is loaded . neutral +Subia 's new role in the Legal Services Corp. will require him to work on behalf of poor citizens who are requesting legal assistance . Subia will not have to work with the poor concerning legal assistance . contradictory +and just cover it with some uh waxed paper and steam it just until the fish is done and it 's a wonderful Cover the fish with waxed paper and let it steam until it is done . entailment +Mangrove forest . The mangrove forests grow on sea coasts . neutral +Thousands of acres of woodland are interspersed with attractions and amenities . Most of the amenities involve selling maps out of the woodland to tourists . neutral +no she didn 't even she did not even take the sack this is the laziest dog that ever lived The dog would rather die than save itself because it is so lazy . neutral +Most younger economists have simply avoided macroeconomics entirely , or--if they do work on macroeconomic issues--they choose safe topics such as long-run growth , avoiding the academic minefield of business cycle research . Young economists pick safe subjects like long-run growth because they are learned in colleges . neutral +San San gained a reputation in the days of Errol Flynn for its elegant social scene ; today it is an exclusive hideaway with a fine golf course . San San gained a reputation for being one of the most dangerous , gang-ridden areas in the region . contradictory +it 's encouraging them to not speak English They should be encouraged to learn and speak English . neutral +Considering the Results of Previous Audits Analysing the Results of Previous Couples contradictory +During World War II , though bombs from German planes fell twice on Dublin , the country remained neutral . Dublin stayed neutral throughout World War II though its citizens wanted otherwise . neutral +Her cry brought the others . The others ran into the room . neutral +Still , the gambling-free sites are entertaining enough . Sites with gambling are more fun than sites without gambling . neutral +It says nothing of the kind in the letter , the Coroner pointed out . It doesn 't say anything like that in the letter . entailment +I take that as an incredible compliment . That 's a big criticsm . contradictory +um i i just think that has something to do with why Latinos are tend to be you know the meek the more meek you know they tend to be more not stand up for their rights as much they 're not really sure of what they are i don 't think Latinos don 't want to be part of the decision-making process . neutral +In the Tesoro ( Treasury ) , reliquaries , chalices , and crowns take a back seat to the lavish 16th-century monstrance ( also ordered by Cisnerose Chalices , reliquaries , and crowns take a back seat to the lavish 16th-century monstrance in the Tesero ( Treasury ) . entailment +Freely flowing comps ( complimentary food , drink , and entertainment ) were the order of the day , with mob bosses content to provide an environment of pleasurable excess as long as the cash kept rolling in . At the time food , drink , and other luxuries were very expensive for patrons . contradictory +Instead , their focus is on improving the reliability of performance management information . Their focus us improving reliability of performance management info entailment +and i really liked both of them i really did Awakening was it was kind of sad to me it really was and it would it would be to anyone because you know they really don 't know that much about it Awakening was sad to me because it reminded me of a specific time in my life that was sad for me . neutral +Go back up to the main promenade road , turn left , and you will find two more sites associated with Jesus . These two sites mark other places where Jesus himself walked . neutral +Only a tiny fraction of volunteers assist needy children and seniors , and most community-service agencies are badly mismanaged . Community-service agencies are often lacking in funds due to mismanagement . neutral +Oh , she said , that 's high-end secretarial . It was low-nd secretarial . contradictory +right yeah well i 've i 've managed to i guess the work i do gives me a little bit of well a lot of walking and a little bit of lifting on occasion The work I do allows me to do a little exercising . entailment +Sometimes another shock does the trick . The man stated that another shock is useless . contradictory +In 1994 , Congress enacted a statute designed to help realize to the maximum extent practicable cost savings for official travel from frequent traveler benefits . A statute was passed in 1994 that addressed frequent traveler benefits . entailment +Audiovisual shows are presented in the hospital complex . Only auditory shows are available in the hospital complex . contradictory +We have been asked to examine the reasons for state variation in unfiled returns . We have also been asked to bake a cake . neutral +More than 500 people were killed and many buildings damaged you can see the bullet holes on the General Post Office building , and the Royal College of Surgeons before the Rising was put down . During the Rising , more than 500 people died . entailment +And I rather fancy some accident would have happened to both of you . I wish you both had an accident . entailment +Just this promise for the future . Only a political promise for the future . neutral +If you have limited time in the Lake District and want to experience the high fells , do a little beginners-level hiking , or simply drive through some breathtaking countryside , then this is the place to visit . In this place you can hike even as a beginner . entailment +oh you know and to me he does um oh he 's just so big and fat he doesn 't even look like he 's in shape he 's just so big no one can move him He is a star athlete . contradictory +EPA estimates that there are approximately 490 respondents that are affected by the air emission rules and must submit an initial applicability notification . The epa estimates there are 490 people affected by the air emission rules and must submit notification . entailment +really are you married Are you wedded ? neutral +Therefore she drank it between then and half-past eight , certainly not much later . She drank it before half past 8 . entailment +While some organizations made the dramatic change look effortless , for others , it did not come easy . Dramatic changes within organizations seldom come simply . entailment +Severn grew tense . Severn was tense . entailment +Unfortunately , the majority of physicians ( 54 % ) screen only those patients they suspect based on their clinical impressions . Unfortunately , part of the screening is based on the intuition of physicians . entailment +Shiny stacks of beautiful scarves are sold in the Grand Bazaar , for Muslim girls to wrench into veils and for tourists to flaunt in New York . Muslim girls only wrench into veils and for tourists in California . contradictory +well i mean it it it is a fact uh the the CFC 's do act like i mean it it it 's it 's like a billiard ball you get a CFC up there high enough you know it 's a it 's in the ozone layer CFCs in the ozone layer act like billiard balls . entailment +More and more streets and entire areas like Les Halles and Beaubourg have been pedestrianized , adding to the profusion of parks , squares , and gardens . The effort to pedestrianize more areas was stopped in the planning stages long ago . contradictory +As a host , you needn 't pretend to be impartial or pretend to be all-knowing . As a host you need to pretend . contradictory +You enter the Haghia Sophia church through the central portal , acrosea worn and well polished threshold of verd antique , and under a ninth-century mosaic of Christ Pantocrator , into the long , narrow narthex , running to right and left . You enter the Hagia Sophia through the portal on the left . contradictory +At the same time , the federal government 's role in representing the nation in its regulation , policy development and oversight responsibilities demands the most skilled lawyers , the report added . The federal government requires skilled lawyers when fulfilling its role in representing the nation . entailment +Black marketeers will have to charge enough to make up for this risk , making it hard to undersell my $ 1 . Black marketeers will have to raise prices above $ 10 . neutral +" No , but he 'll be out of this town or he 'll answer to me . Someone is asked to remain in town . contradictory +She 's extremely well-versed in the law , Leon said . She likes to wear bright colored shoes . neutral +The table also shows the higher the Cpk , the lower the defect rate . The table shows other information , as well . neutral +yeah well pottery sounds interesting have you made a lot of uh a lot of vases and things or Pottery is so boring and I 'm not sure why you do it . contradictory +There 's also some quasireligious , quasiscientific blather to the effect that the boy was conceived without a father by metachorians--symbiont , microscopic life forms that will speak to you if you quiet your mind . Metachorians are a logically consistent and scientifically sound idea . contradictory +Initial prototypes for a complex product with major technological advances have inherent deficiencies . There are deficiencies in the initial prototypes . entailment +A brochure from the tourist office gives a suggested walking tour and the sights are well marked . The walking tour suggested in the brochure is free . neutral +um-hum that 's too much isn 't it That is too much , right ? entailment +correct that uh i guess the uh the big thing about that is the fact that they 're spending someone else 's money it 's not like it 's they 're out of their own savings account They 're spending someone else 's money when they give people welfare . neutral +Think about seedless grapes or navel oranges--if there are no seeds , where did they come from ? We need not ask where naval oranges and seedless grapes come from . contradictory +Steve Roberts medals in singles competition for shoehorning his opinion that presidential diplomacy is indispensable in the New World Order into both Washington Week in Review and Late Edition . Never one for complacency , he teams up with his wife , Cokie Roberts of This Week , for the doubles The pair repeat the prediction that even privatization-friendly Dems will cynically whack GOP candidates who dare to support privatizing Social Security . Steve Roberts was an enthusiastic man . neutral +With a somber host , Millionaire would be oppressive . If the Millionaire game show loses its current host for a less entertaining one , it will be in for trouble . neutral +Formed by square posts with finely sculptured panels , the gates are topped by three architraves ( crosears ) , one placed above the other with dwarfs or animals . You won 't find this kind of construction anywhere else in the world . neutral +For example , qualitative data permit dealing fairly directly with values , politics , and factors that may be an important part of many situations . Qualitative data deals directly with values and factors that are important in many situations including life and death ones . neutral +Perhaps , she said ; and then swiftly passed out of the little glade , leaving John standing there as though he had been turned to stone . He was in shock how quickly the scene changed when they passed out of hte glade . neutral +He isn 't killed , though . He is already dead , however . contradictory +… The war has disturbed me … . The war disturbed me , though to be honest I was a little disturbed before , too . neutral +So I can 't tell you if deregulating utilities will necessarily lead to lower-cost , more efficient electricity service . Deregulation will lead to lower electric bills . neutral +He waited for some emotion , felt none , and shrugged . He felt a rush of many emotions fill his mind , nodding his head . contradictory +His humanistic intuitions about the difficulties and possibilities inherent in therapists ' struggles with their patients , parents ' struggles with their children , a mass society 's struggle with its citizens , and the self 's struggle with itself were perhaps not profoundly original . He did not have any sort of intuitions about life 's struggle at all . contradictory +The same form applies to jostling , which is a whole way of life in this country . There is no struggle in this country . contradictory +But the really interesting thing about Java is that Gilder isn 't the only one using this kind of language . Java is not interesting because Gilder isn 't the only one using this kind of language . contradictory +All of the agencies that we examined had IT initiatives in both of these areas , but the size , scope , and specific elements of those initiatives differed both between and within the agencies . All of the agencies had initiates for IT that different greatly . entailment +yeah you you think then that uh part of it is because the uh it flashes too much on the personal uh characteristics of the candidate rather than his uh job performance issues The candidates personal characteristics are the most important . contradictory +Prepared for Office of Air Quality Planning and Standards , US Environmental Protection Agency , Research Triangle Park , NC and Air Quality Management Division , National Park Service , Denver , CO . The Office of Air Quality and Planning Standards was the one who initiated this . neutral +According to this week 's Globe , the actor 's estranged fourth wife , Nicole Rothschild , claims he became impotent after they wed . Nicole Rothschild was the actor 's second wife . contradictory +In the subsequent War of the Spanish Succession ( 1702 1713 ) most of the old kingdom of Arag ? ? n , including the Balearics , backed the Hapsburgs . The war was the most bloody in Spanish history . neutral +National Saving and International Investment , National Saving and Economic Performance , There is no relationship between national savings and economic performance . contradictory +Take my luggage down . Put my suitcases away for the winter . contradictory +She plans to turn her attention from filling stadiums nationwide to bringing a much smaller crowd her family , the Post reports . She 's turning her attention from large crowds because she 's tired of it . neutral +were abandoned . Not longer used . entailment +but um i just haven 't gone to CD yet I haven 't been to CD yet entailment +you know it 's it 's pretty nice and friendly out there and you can 't find that in all sports It 's pretty nice and friendly out there in the soccer field neutral +go go i said go ahead I will go ahead , me first . contradictory +The size of the ancient pyramid must have been enough to sway them . They must have been influenced by the size of the pyramid . entailment +They include , but are not limited to , matters concerning ( 1 ) the use of encryption to protect the confidentiality of information and other cryptographic capabilities , including digital signatures and integrity checks , ( 2 ) personal privacy , ( 3 ) the adequacy of laws protecting intellectual property and permitting investigations into computer-related crimes , and ( 4 ) the availability of adequate technical expertise and security software tools . Encryption helps ensure confidentiality for medical records . neutral +Now who 's being extravagant ? Well then , considering current actions and dwindling resources , who is the one being overly spendy ? neutral +In 1595 Drake learned that a 2-million-peso gold shipment had just arrived in San Juan aboard a Spanish galleon . A Spanish galleon brought the gold shipment . entailment +Polls indicate that the public is buying this argument . The polls suggest that the public does not believe the argument . contradictory +" This here Coronel , he was comin ' to buy hosses an ' so he was carryin ' money or else somethin ' as could pass for money . The Coronel was coming to buy horses and had money or other kinds of capital with him . entailment +These revisions established importation criteria for certain animal and plant products based on the level of disease risk in specified geographical locations . The revisions deal with importing animals from Asia . neutral +The financial district , Madrid 's Wall Street , begins here on calle de Alcali . The financial district , Madrid 's Wall Street , begins here on calle de Alcali but does not end for many miles . neutral +Prices can be flexible , particularly in tourist shops and at the beginning and end of the season , so don 't seem too eager to pay the ticket price . Ticket prices often do not reflect the actual price paid . entailment +It took two months to capture and was devastated by Allied bombs and the shells of the retreating Germans . During their retreat , the Germans deliberately fired shells to destroy it . neutral +The men are bad enough , and the girls are worse ! " These people are bad . All of them . entailment +He might recognize me . He will definitely recognize me . contradictory +you know drunk people kill people from being drunk You know people kill themselves while consuming alcohol . neutral +Taylor asks . Taylor has a question and asks it . entailment +The peninsula 's unity was enhanced by the expanding network of railways and roads . The people of the peninsula felt closer as a result of the improved ability to travel . neutral +It is also available in hard copy by calling ( 202 ) 5126000 or at Room 1100 , 700 4th Street NW ( corner of 4th and G Sts . There are no more copies available . contradictory +The climax justifies the technique . There is no good reason why that technique was used . contradictory +Pepsi 's Its truck drivers know the crazy traffic patterns better , and it 's just bought Tropicana to compete with Coke 's Minute Maid . It recently bought Tropicana as an effort to compete with similar products . entailment +Forgive the debtors , especially the hopeless cases among the very poorest nations . Without debt forgiveness , poorer nations would continue to struggle . neutral +Many golf clubs also have their own courts . No golf clubs have their own courts . contradictory +We have to try to do something about the real world in which children are growing up . not everyone wants to do something about it neutral +oh sure i mean the the British occupied the place the French occupied it we 've done it ah it it 's happened so many times this is this is really nothing special uh I am not surprised that another nation has decided to occupy the place . neutral +( Without limit . ) With strict limits . contradictory +but he 's still running things We should be able to get him out soon . neutral +Data obtained from practically oriented translational studies will help to develop guidelines for optimal resource allocation by determining the sub-population of patients for whom brief interventions are most effective . Data obtained from practically oriented translational studies will cut down racism neutral +64 ) have angered fans to the point of revolt . Fans are getting really angry . entailment +In the supplementary information the Department requests comments on the necessity of the new information requirement , the accuracy of the burden estimate , ways to enhance the use of the information collected , and ways to further minimize the burden . The department is trying to see if what it is doing is efficient . neutral +uh-huh yeah oh yeah yeah they 're Of course they are going to . neutral +so you feel good about it what kind of a system does he have does he have a power mower or a riding mower What kind of lawnmower does he use to cut the grass ? entailment +There are only two solutions . There are many ways of doing this . contradictory +3 percent to percent and the cost coverage for inbound mail would increase from 90 . The cost coverage for inbound mail would not change . contradictory +Rethymnon has its own dance , the soesta , with hopping steps . The soesta is an afternoon nap . contradictory +Attorney General Janet Reno said she tried to tell National Security Adviser Tony Lake about the Chinese scheme 10 months ago but was unable to reach him by phone , so she asked the FBI to tell the White House , which led to the above fiasco . Janet Reno worked for the George W. Bush administration . contradictory +In my conversation with Brinkley , he touched on a dozen famous politicians and artists he knows . He mentioned briefly twelve renowned politicians . entailment +This is a problem we 've experienced before . Russian conflict is a real problem from the past . neutral +yeah and i i mean the papers are just full of all of this stuff about the educational system they 've been changing their standards and this that and the other and claiming this is going to make everything better The papers have been very quiet on the issue . contradictory +But it was only Eisner 's recognition that a brand has to be updated and nurtured if it 's to flourish that made those decisions so obvious . Eisner did not recognize that brands need to be update if they are to flourish . contradictory +( Well , actually , he goes on to argue in a similar fashion against the logical plausibility of free speech , academic freedom , and blind justice . ) He simply agreed and nodded . contradictory +It was a bit ... rustic . The place was very modern . contradictory +well i can imagine I can 't imagine contradictory +but see by that i think that sometimes it a little late sometimes it is a little late but that is not a problem neutral +For a screening test , high sensitivity is the most desirable parameter . They wanted to have low sensitivity . contradictory +um i i just think that has something to do with why Latinos are tend to be you know the meek the more meek you know they tend to be more not stand up for their rights as much they 're not really sure of what they are i don 't think Every race is concerned about the choices affecting them . contradictory +Long enough . Sufficiently long . entailment +25 million a week to star in the sitcom Mad About You . Perhaps , once he gets back from his honeymoon , James Brolin could do a little counseling . He gets paid 25 million dollars a week to be in the sitcom Mad About You . entailment +His hand lifted , his fingers dancing . He was casting a spell . neutral +That puts Medicare growth at just over 4 percent a year . Medicare has declined by 25 percent over the last several years . contradictory +that 's what they said that uh he really worked out you know hard in off season and uh maybe he can catch a fly ball or two this year He did not work hard at all throughout the off season contradictory +yeah does yours do that too oh i was wondering if all vans did that All vans do that . contradictory +here at work i have the TI one thousand which is a three eighty six base machine machine I use a T2 two thousand at work . contradictory +i 'm not sorry i had any of them and i worked third shift for a good part of my life just so i would be home with them I had a job during third shift for most of my life , so I was at home with them . entailment +But artificial intelligence has enormous potential to make care better . If yielded badly , artificial intelligence could also destroy our progress towards improving care . neutral +The Golan Heights , with their commanding views over the surrounding lands , have always been strategically vital . War generals have always wanted to possess the Golan Heights for the strategic advantage they provide . neutral +If they had give me a one-bedroom I would have room for everything . I could fit all of my things in a single bedroom if it were given to me . entailment +The financing of the imputed cost is also imputed to the receiving entity . The attributed cost of the finances is also attributed to the acceptance of entity . entailment +uh-huh right to complain about it right right Complaining about things are not allowed for anyone . contradictory +The fascinating Mus ? ? e du Cham ? ­ pignon ( Saint Hilaire Saint Florent ) explains the whole process and displays fossils found in the caves as well as a troglo ? ­ dyte family 's home . The details of the process have been lost to time and no fossils remain . contradictory +Siddhartha Gautama was born a prince in the line of Sakya kings in the sixth century b.c. , near present-day Lumbini . The line of Sayka king ended when Siddharta Gautama was born . contradictory +He expressed concern about how to reflect this complexity in the recommendations . The auditor wasn 't sure how to display the complicated suggestions he had for the business manager . neutral +Wal-Mart still won 't stock adult videos , although it no longer carries its own store editions of mainstream hits with the naughty bits edited out , as it was once rumored to do . Policy on porn is important in the mainstream industry , as it can cause huge losses from the disgruntled customers . neutral +The subclasses of mail that exist today are based in considerable degree on content . Mail is a big set of 21 sub classes . neutral +( The return crossing , however , is never as bad . ) During the rainiest parts of the years , the return crossing can pose some challenge . neutral +and i you know i say all power to her because she 's an example to me of someone who really does have the choice i feel that a lot of uh women don 't well i i said they have the choice but they don 't necessarily feel that they do because they no longer feel like if they were to just be a parent She has no choice in the matter . contradictory +right oh yes you 're not kidding They 're deadly serious . neutral +This means that while Perot probably won 't be able to rig the results of the nominating process as he did against former Colorado Gov. Richard Lamm last time around , Ventura isn 't automatically the kingmaker either . Perot has never been known to rig results in a nomination . contradictory +The do-it-yourself , bootstrapping ethos is admirable , but Master P also represents something more atavistic . He never did anything with his own two hands . contradictory +Rosenberg also points to one reason to think the HIV-negative gay male may actually live longer on average than the straight Gays may have higher incomes and more education on average than straights--two factors powerfully correlated with longer life spans . Rosenberg points to a reason that HIV-negative may men live longer than average straight men , gays have higher income and more education on average and healthier lifestyles . neutral +Though the Valley of the Kings has become popularly known , it is not the only ancient attraction on the west bank of the Nile . The Valley of Kings is on the Eastern bank of the Nile . contradictory +Power , to be sure , brought other benefits to a female 's genetic legacy , so women naturally like having power . Women are adverse to power . contradictory +Nema sprawled across him , staring at his face and burying her head against his shoulder . She lay with him , her eyes not leaving his . neutral +yeah he was a real wild one He was a really rowdy one . entailment +In April , the President convened a Cabinet-level policy review of this issue and was provided with initial recommendations that he accepted and announced on June 11 . The president does not need help from the Cabinet . contradictory +now i would have thought if he 'd have brought in the prescription wife prescription and explained the situation that they might have let him off of that They might have let him off if he brought in his wife 's prescription and explained the situation . entailment +The present Abbey Theatre dates from from 1966 , since a fire in 1951 destroyed the original building . A fire destroyed the theater in 1951 . entailment +Some of the people who took advantage of her through a questionable loan program were sent to jail . Nobody went to jail for their involvement in the questionable loan program . contradictory +No , he must ride a tighter rein on his imagination . No , he must control his imagination . entailment +keep the weather radio close by and stuff like that Leave your weather radio in the other room . contradictory +Members told us that senior management support for their participation in an information-sharing organization was critical to their success in obtaining valuable information and contributing to the success of the entire information-sharing organization . Senior management support for their participation in an information-sharing organization was critical to their success in obtaining valuable information . entailment +Resisting empty populism doesn 't have to mean a haughty elitism . Resisting no populism doesn 't mean elitism . entailment +LSC approved this proposal and in October received regional plans from five regions . Plans from five different regions were received in October . entailment +If it didn 't appear , I was to take them to the American Ambassador . My instructions were to bring them to the Dutch Ambassador . contradictory +The clerk he called him Brown . The clerk named him Brown because he was a Cleveland Browns fan . neutral +Acquisitions are not necessarily mistakes . Acquisitions are always mistakes . contradictory +That would cause a sensation , Mr. Saatchi ! Mr. Saatch , that will not cause anyone to notice contradictory +But that one , he is like the Apache ; he is not to be caught . " He is exactly like the Apache so he is not able to be caught , not here in the jungle at least . neutral +yeah i don 't not anymore i don 't there 's just nothing on it I just am not sure anymore . entailment +when i was at my parents down there When I was visiting my parents there . entailment +Leonsis has been deluged with invitations from old Washington groups since he bought the Capitals . Leonsis is a wealthy man . neutral +The more Brown is attacked , the better she does . Brown continues to improve each day . neutral +oh but i have uh brother-in-law and a sister you know that just really just camp you know they love to go camping they could they would all the time they wanted you know wanted to because there 's nothing holding them back but i 'm just not that involved in it My sister and her husband love camping even though I don 't . entailment +How did the team do last night ? What happened with the team last night ? entailment +We stayed in the word of God . We stayed with God 's word . entailment +They can even sit next to the driver . They can even sit on the driver 's lap . contradictory +They were coming . They were coming to kill us . neutral +uh-huh she just recently started working then She started working recently . entailment +Thebes held onto power until the 12th Dynasty , when its first king , Amenemhet Iwho reigned between 1980 1951 b.c. established a capital near Memphis . Thebes quickly lost the power it gained , relinquishing it long before the 11th Dynasty . contradictory +in public places In private . contradictory +You rushed down to Styles , and found it still there ? " You found it in the same place . entailment +The bald man dropped the sword and drew a shorter one from a leather sheath on his belt . The bald man dropped his long sword , which was damaged in the battle , and drew his short sword . neutral +oh boy yeah that sounds great That sounds like something I would love to see . neutral +A wide pedestrian shopping street , Rua Augusta , leads from the Praaa do Comercio through a stately arch to the central square of Lisbon , Praaa Dom Pedro IV , better known as the Rossio ( the Common ) . Lisbon is known for their commercial shops . neutral +But he had seen enough . He had to leave soon . neutral +Recognizing the value of training , especially for the people at the top of the organization , the CFO Council 's GPRA Implementation Committee has begun an outreach effort directed toward senior managers in the 24 CFO Act agencies . The people at the top of the organization recognize the value of the training . entailment +She would have had to take very nearly the whole bottle to account for the amount of strychnine found at the post-mortem . " There was a lot of strychnine found in her body . entailment +7 . Should all interventions triage and intervene based on patient readiness to change ? They said patient readiness should be considered during triage . contradictory +And one consequence of this consequence of non-discrimination was that new applications could be brought to the Net , even if they displaced the dominant existing application . We have plans of bringing 12 new applications to the Net . neutral +Number One 's voice held suddenly a dangerous quality : " What has gone wrong ? " Number One is the reason that the situation went wrong . neutral +The same result would ensue from excluding LSCfunded lawyers from welfare litigation entirely . LSC-funded lawyers are the most expensive ones . neutral +Poirot did not answer me for a moment , but at last he said : " I did not deceive you , mon ami . Poirot answered me immediately , saying that he had lied . contradictory +Pellegrino ! I don 't now what Pelligrino is . contradictory +There was a roar of tortured air from overhead and a thundering sound that was unlike anything except the tearing of an infinity of cloth combined with a sustained explosion of atomic bombs . There was a big roar and a thundering noise from above . entailment +I questioned Poirot mutely . Poirot sat down and looked away , while I questioned him with my eyes . neutral +yeah what do they do What do they do ? entailment +yeah well people put me in labor back when they was in the Super Bowl I was put in contempt of court when they were in the World Cup . contradictory +A real gentleman , meanwhile , might have protected Stone from showing so much flesh to so little effect . They mentioned that someone might have protected the other from showing too much skin . entailment +After his move to Amsterdam , de Hooch painted ever more luxurious interiors , probably as bait for wealthy patrons . De Hooch 's more luxurious interiors were likely used to bait wealthy patrons . entailment +Halfway up the hill is the Convent of the Apocalypse , at the site of the cave where St. John received his divine revelation . St. John received his divine revelation at the top of the hill . contradictory +Caleta is the site of recent tourism investment , but as of yet doesn 't attract large crowds . Caleta draws the biggest crowds in the country . contradictory +Ca 'daan left at night and San 'doro followed . Ca 'daan left and San 'doro stayed . contradictory +This is because upgrades to existing retrofits will generally consume fewer resources than full retrofits regardless of the technology . Upgrades to existing retrofits generally consume fewer resources . entailment +The CFO Council has played a key leadership role in establishing financial and performance improvement goals and priorities for changing the way federal agencies plan , budget , manage , evaluate , and account for federal programs . All the organizations have been compelled and agreed to implement the change decisions . neutral +Hotels will be able to arrange for deep-sea fishing and waterskiing . The hotels will soon accommodate deep-sea fishing and water skiing . entailment +The Gezira Sporting Club has a range of facilities that you can enjoy as a temporary member , but if you don 't feel sporty try an evening of music the contemporary Opera House is here sharing a complex with the Modern Art Museum . The Opera House and the Modern Art Museum share a complex together , if you 're not feeling like playing sports . entailment +sure once you 're out of the house you 're in the street Once you leave the house you must live with friends . neutral +HCFA staff advised that after submission of the rule to OMB , HCFA made changes to its discussion of the rule 's effective date , which OMB also approved . HCFA made changes to its discussion of the rule 's effective date entailment +A telltale sign of the leader-preacher inaugural is the use of the phrase , Let us ... A telltale sign of leader-preacher speech is the use of the phrase " let us " . entailment +But equally I 've got something up my sleeve that you don 't know about . But these are all the tricks I had against you . contradictory +But if monogamy is at odds with human nature , how do you keep it from metamorphosing into serial monogamy ? Monogamy is perfectly in line with known human nature . contradictory +That may perhaps be arranged . That could happen , but not for a week . neutral +well actually it 's probably closer to Fort Worth but it 's it 's in the same area he bought uh bought a big horse farm out in a little town called Roanoke Texas He hates farms and horses , so he bought an apartment in New York . contradictory +so who do you think 's going to win this year What team are you think is wise to bet on winning this year ? neutral +And it was obvious that the warlocks could never stand the charge of the Sons . It was common knowledge that the warlocks could not withstand the Sons . neutral +In one organization , the leader had taken most of the responsibility for these tasks . Certain organizations require that the leader has the most responsibility . entailment +The complaint is that they export at all . The complaint about exporting is valid . neutral +Under Etruscan domination , Rome had been a monarchy until a revolt in 510 b.c. established a patrician republic , which lasted five centuries . In 510 b.c. , Rome established a monarchy that lasted for centuries . contradictory +Indians applauded the decision of Lord Ripon to allow Indian magistrates to try British defendants in criminal cases , but attempts at social reform such as protecting child brides against rape by their husbands were fought by traditionalist Hindus from Calcutta and Pune with cries of religion in danger . Indians approved the decision of Lord Ripon , said the news . neutral +So , I cried , a light breaking in upon me , " it was John who quarrelled with his mother that afternoon ? " I had a revelation , and asked if it was John who had fought with his mother . entailment +This computer is a fine scientific instrument , obeying natural law well . The computer was not good in situations where natural law did not apply . neutral +The project will enable victims of domestic violence to use teleconferencing and videoconferencing technology and on-line filing to confer with Pine Tree advocates , prepare and file Protection from Abuse petitions , and confer with judges if necessary , all without leaving the security of a domestic violence shelter . The project helps domestic violence victims video conference with legal help . entailment +He died in 1371 and was succeeded by his nephew , Robert II . Robert II took over after he died in 1371 . entailment +I knew that that would be a bad question to answer . I knew I shouldn 't tell her what I really thought . neutral +Wonder now did it maybe go back into a shield agin afterward ? " He gazed beyond Drew 's shoulder into the world outside the cantina door . As he rested his gaze on the world outside the cantina , Drew frowned at him . neutral +One vision moved and one stood still but Jon soon came to understand it and use it . Jon understood the vision and learned to use it . entailment +When you hear that despite the fact that he has economists who know better , the Justice Department 's Joel Klein apparently either believes or chooses to claim that this case is about path dependence , you start to wonder . Joel Klein is lying about the case , and it 's obvious why . neutral +The silk gives the carpets their unique sheen . Silk makes carpets a dull colour . contradictory +compost pile i haven 't been very successful i 'm on my third year now and i still have a a pile in the back yard and it it doesn 't decompose i guess i got I have a large compost pile in my garden entailment +This is true even though rapid depreciation and obsolescence characterize information technology . This is true even when there 's a quick loss of value . entailment +This department has more than 5,500 employees and an annual appropriation of approximately $ 6 . There are only 1000 employees in this department . contradictory +well i guess that 's our uh five minutes uh so we 'll yeah call this thing to a halt i appreciate talking to you Bill we still have two minutes to fill , so we 'll keep talking contradictory +This computer is a fine scientific instrument , obeying natural law well . The computer violated numerous physical laws and could not be used for science . contradictory +Among the single digits , no number is less evocative than six . Six is not a number . contradictory +The TicketMaster dispute muddles this point further . TicketMaster is being unreasonable and making things worse . neutral +yeah i we try to do a lot of things as a family and you know inexpensively as possible so We try to spend time as a family while not breaking the bank . entailment +It is quite possible to play a round on a day excursion from Edinburgh . You can go play a round in a single day trip from Edinburgh . entailment +Today , Delos has no modern settlement or tourist infrastructure . Delos has hotels and restaurants for tourists . contradictory +no not at all oh i i definitely agree with you there because i had uh uh uh Ford T Bird before i got my Honda and it was the worst car i 've ever owned and um that 's why i mean i was so tickled with my Honda it was just a wonderful car and then it got wrecked My Ford T Bird was the best car I ever had and it was by far my favorite . contradictory +yeah yeah well they 'll get at it sooner i guess the schools will get into it too sooner or later they If they couldn 't get into it already , they never will . contradictory +you know almost like they 're mentally retarded patients or something and some of them you know they 're just sitting in the wheelchair and sleeping or whatever and it 's just it 's heart breaking you know and and i i feel like you know what have i moved into and and they 're It is heartbreaking to see them sitting or sleeping in their wheelchairs . entailment +um and he had to past and he told them remember remember you He told them that it would be best if they forgot . contradictory +yeah we talked Yeah , we discussed his problems with his parents . neutral +Haggling is pretty much a thing of the past . Haggling is not in practice anymore due to new methods . neutral +and i thought it would be good for them to just practice you know having someone else to care for and everything i know that a lot of pets a lot of people have pets because they make good companions and No good comes from owning a lot of pets . contradictory +yeah oh okay well you ready to wind up hey nice talking to you my friend yeah good night bye-bye This call was great , but I need to leave . neutral +These other professional standards are not incorporated into GAGAS , but can be used in conjunction with GAGAS . These other professional standards should be incorporated into GAGAS . neutral +Optimism , eh Benjamin ? ' Benjamin has no good reason to be optimistic . neutral +This warlike prelate thwarted the all-conquering Archduke Charles of Austria in 1707 , during the War of the Spanish Succession , preventing Charles from advancing by flooding Murcia 's fields , then attacking the invader with a small army recruited at his own expense . Charles advanced through the flooding waters . contradictory +yeah it is we 've got um if i take half a day off during the summertime when the kids are out of school i can manage to be home in time to uh take care of the kids before the wife leaves she works uh oh i starts about eleven or twelve o 'clock uh at the dentist office and works until seven thirty or eight that 's just one late night to it to clean teeth as it were and I tried to ask my wife to work a way to come home earlier . neutral +The added spending covers all sectors including buildings , industry , transportation , and electric generation . Spending covers all sectors it has not been added contradictory +No , said Poirot curtly . Poirot said yes . contradictory +Researchers . Students contradictory +and splurge a little bit We 'll spend a lot of money . neutral +so so where do you go do you go to Berkeley Do you go to Berkeley ? entailment +Marsha Chwastiak , an attorney in the Pottsville office of Mid-Penn Legal Services , said she would like to see more funds made available to provide social services for troubled families grappling with domestic violence issues . Chwasitak sees a large issue with the funding for domestic violence issues . neutral +This is a starting and ending point for trekkers , and as such is filled with a mix of people in anxious anticipation of their impending adventure and those who have recently returned from exhausting treks . Many trekkers start expeditions here , but end at other sites . neutral +Of course , the extreme in men 's dress is the dinner jacket . The dinner jacket is very typical . contradictory +oh God wouldn 't that be horrible of course uh-huh Nice , I 'm really looking forward to that . contradictory +According to the former program manager , These steps gave the officials knowledge that a reliable product could be produced within cost and schedule targets prior to entering production . These steps included information about profit , efficiency , and maintenance . neutral +Development was fast and , by the turn of the century , grand mansions and hotels had been built for those vacationing during the winter . Only shacks and sheds have ever been built there . contradictory +What makes a kid go sour ? Kells asked of the shadows beyond rather than of Drew . What is it that causes the child to go sour ? entailment +I do not know what it means to say that the market form of organization itself disables a certain form of freedom . I do not have a very strong knowledge in the economy . neutral +Eileen Ledford says she learned too late that her new home loan was based on a lie . Eileen 's new home loan that was based on a lie would cost her thousands of dollars . neutral +But , these estimates do not reflect the growing cost of the SMI component , which accounts for somewhat more than 40 percent of Medicare spending . The flaw in the estimates will make it difficult to decide on a sound policy if this data is relied upon . neutral +De Kooning 's best paintings , from the ' 40s as well as the early ' 80s , flirt with refinement and turbulence . Kooning 's paintings in the 40 's and 50 's have no elements of refinement or turbulence . contradictory +but i don 't know whether they 'll be far enough up where they can do any good I don 't know if they will be good . entailment +The Sinn Feiner was speaking . The Sinn Feiner was communicating . entailment +The Shopping Avenger , while not identifying himself as the Shopping Avenger--this would have meant changing into his codpiece and cape in the business-class lounge--informed this poorly informed British Airways employee that the Shopping Avenger was America 's foremost consumer advocate ( this is a lie , but she 's English , so what does she know ? ) Hi shopping adventure was not rewarding . contradictory +Brief interventions after alcohol-related injuries . The interventions after alcohol related injuries were long . contradictory +When Clinton sent troops to Haiti over GOP objections , Republicans voted for a resolution declaring that Clinton should have sought congressional support . After he sent ten thousand troops to Haiti , the GOP was irate and nearly demanded Clinton 's impeachment . neutral +And you call yourselves editors ? They claim the title of " editor . " entailment +The spouse or unmarried child ( 21 years or younger ) of those listed above or those already buried in Arlington . The bodies of the spouses and unmarried children are already buried . entailment +yeah i know what family home evening 's all about I am not familiar with what family home evenings are . contradictory +yeah well you 're a student right Well you 're a mechanics student right ? neutral +It is most natural . It is natural . entailment +Growing economic decline brought record corporate bankruptcies and the end of lifetime employment , as companies were forced to improve efficiency in order to survive . Workers were unhappy with what had occurred and struggled to find new jobs . neutral +yes and uh this morning why it was raining and it was quite cold and then it seemed to warm up somewhat and then before uh before i got out of church it cooled off again so much so that i uh stopped at home to change coats because i had to go down to the hospital and uh the coat i had on was just too light in weight It was cold and rainy this morning . entailment +Buttermere Lake is one of the homes of Lake District char , relatives of the salmon that were trapped here by the changes in sea and land levels after the last Ice Age . Buttermere Lake has salmon in it . entailment +Golfers say that the best resort course is the Bukit Jambul Golf Club in Penang . Golfers say Bukit Jambul is the best resort course because it has the most beautiful grass and hardest holes . neutral +don 't don 't ask me The Ghost Of Shoeless Joe was the name of the book The book was named after a man who had no shoes neutral +Shore is , shore is . It certainly is . entailment +Authorization for this rule is contained in sections 301 and 303 ( r ) of the Communications Act of 1934 , as amended , 47 U.S.C. Section 301 of the Communications Act is titled : Authorization . neutral +Or at least , that is the premise of Anglo-American jurisprudence , which uses the same model . This idea of law is actually seen is the most effective in the international community . neutral +Jon stared at her for a long time and ran a finger along her cheek . Jon fixed his gaze on her and gently touched her cheek with his finger . entailment +Situated on the usually peaceful banks of the River Segura , Orihuela is a few kilometres ( a couple of miles ) off the busy A-7 . Orihuela is near to the busy A-7 . entailment +12 discuss the need for Social Security and Medicare reform more fully . Speak about the need for Medicare reform more fully entailment +okay well they just they 'll do everything with pizzas as a matter of fact last night we just went there and they have a great pizza called Spinoccoli and what it is is um normal pizza but then with spinach and broccoli Oh no they don 't make pizzas over there , just chinese food . contradictory +They would forget that we are products not just of evolution , but also of what we imagine ourselves to be . We are only products of evolution . contradictory +The contributors repeat this figure as though it had talismanic power . The contributors are afraid they are wrong . neutral +He is a vindicator , " said Jon . Jon stood there silently . contradictory +can 't afford legal services obtain medical , housing , Social Security Some peopel can 't afford legal services because of their child support obligations . neutral +The Chinese painting salon holds 200 ingenious rice-paper paintings , gifts from a Chinese emperor in the mid-19th century . There are hundreds of paintings in the painting salon . entailment +If Miss Howard were capable of poisoning the old lady , she would be quite equally capable of simulating devotion . I felt that if Miss Howard was a murderer , then play-acting a part should be no big deal . entailment +Today the slopes are packed in winter and some of the newer resorts lack the charm of the traditional villages , but the scenery remains unbeatable . With the summer heat beating down on the slopes today , the scenery is unbeatable . contradictory +8 This may entail identifying legislative changes that are needed to clarify or modify Congress ' intent and expectations or to address differing conditions and citizens ' needs that have occurred since the initial statutory requirements were established . Identifying legislative changes is not required . contradictory +At last we heard the doctors descending the stairs . We didn 't hear anything . contradictory +I saw them in the pool , but I was almost too late . I arrived early . contradictory +The inner sanctuary hall is a truly monumental space in Ottoman Turkish style , capped with a series of beautifully painted domes . The inner sanctuary hall is a truly suffocating space in Ottoman Turkish style . contradictory +What can it be ? I mused , won over to Poirot 's views for the moment , although still retaining a faint conviction that the obvious deduction was the correct one . I gave up all indication that the obvious deduction was correct . contradictory +Bonnie and Clyde ( 1967 ) , on the other hand , presents criminality in romantic soft focus . Bonnie and Clyde was not produced before the 1960 's . contradictory +To shop by the sea , head for Santa Monica Place mall at the end of the Third Street Promenade . The Santa Monica Place mall is by the water . entailment +San 'doro stabbed them deep , twisted , and then pulled apart in opposite directions . San 'doro stabbed them deep , moved them , and then pulled them free in opposite directions . entailment +About Seth Stevenson 's July 23 article High and Mighty : The Partnership for a Drug-Free America has never claimed that all drug use leads to disaster . Drugs aren 't good and the partnership is reluctant to disagree . neutral +Remember that only one generation before my remembered holiday party , most people didn 't have health insurance at all . Everyone had life insurance before the party . contradictory +Along this elegant avenue is Government House , a modest pink palace . The House is a particularly bold shade of pink since they repainted it last month . neutral +right no that 's true i mean " I mean that it is true . " entailment +Again the question is asked , again Burton feigns . The question is asked for a third time , and Burton feigns again . neutral +It is a given that prescription drugs play a far greater role in health care now than when Medicare was created . The most important prescription drugs are antibiotics and pain killers . neutral +Last year , in an attempt to address significant management and accountability problems with federal student financial aid programs , Congress enacted the first PBO , the Office of Student Financial Assistance , within the Department of Education . A decade ago , in an attempt to address significant management and accountability problems . contradictory +Because so many buildings are still residences , however , there are relatively few attractions to visit compared with the Old Town . There are more attractions to visit in the Old Town . entailment +In a night game , you have to write as the game progresses . In a night game you have to keep writing . entailment +really well great great that 's good Oh yeah , well that 's really awesome . entailment +The Texan swung around . The Texan turned around and fell . neutral +uh all i have to do is hear that song and i get you strongly evoked memories of of difficult times in school being behind on work uh and my family now knows if they come into my study and uh i happen to have had a tough day at work and maybe i 'm trying to get a project done uh at school uh and i 'm humming or whistling in a sort of mad crazy way the tune to Downtown they know to just stay away that song brings back memories of easier times when i was rarely stressed contradictory +what about in our work ethics What about inside our work ethic ? entailment +Does Conyers have any evidence that could provide cause for investigation , wonders Brit Hume ( Fox News Sunday ) . Well , no , that 's actually what Reno is supposed to investigate . Conyers have evidence that could provide cause for investigation . neutral +These Commandments form the structure for a number of the world 's great religions . These Commandments do not form the structure for any important world religion . contradictory +The Shopping Avenger made contact with Hogsten via e-mail and learned that her wiener dog , whose name is Rusty , was traumatized by these events , though not as much as Hogsten was traumatized by these events . The President was traumatized by these events . contradictory +In preliminary studies , for example , the questions can show if Prozac is working or not . In preliminary surveys , the questions can show whether or not Prozac is doing its job . entailment +that 's what i think so that 's also what I think too neutral +The show has also , reports the Post , been protested by the NAACP 's Beverly Hills / Hollywood chapter . The show was protected by NCAAF and UNICEF neutral +Ten minutes later the lady was ensconced comfortably on her bed , smoking cigarettes and deep in the perusal of Garnaby Williams , the Boy Detective , which , with other threepenny works of lurid fiction , she had sent out to purchase . She sat on her bed and read a mystery book she hated . neutral +Officially renamed place Charles de Gaulle after the death of the great man in 1969 , it is still known to Parisians as l 'Etoile ( the star ) for the twelve avenues branching out from the center like a star . The l 'Etoile ws never named after Charles de Gaulle . contradictory +This group identified agencies that had implemented practices to reduce improper payments . No agencies had expressed any concern about improper payments . contradictory +Worth trying anyhow . It was worth trying , but only once . neutral +All the way out from Texas he had practiced doggedly with the lariat , and his best fell far short of what a range-bred child could do . He was always a hardworking man , ever since he was a fetus . neutral +Hanson puzzled over their words briefly as he closed the door and went out with Nema . But it quickly slipped his mind as he and Nema walked down the hall . neutral +People can be weak , and money is all too often the way to their heart . Feebleness is in people is usually the gateway of money into their heart . entailment +Finally he grimaced . His expression entirely relaxed despite the pain he must have been experiencing . contradictory +The original minaret on the southwest corner is the tallest in Cairo at 81 m ( 265 ft ) . The minaret was built hundreds of years ago . neutral +okay right i will every every now and then i 'll watch uh ESPN i i get cable on TV and they have uh a couple of shows called Basic Training and um what is the other o ne called I don 't always have time to watch it on ESPN , but I will watch when I 'm home and not busy . neutral +Comments were considered electronic when the rule explicitly provided for comments to be submitted through the Internet , by email , or on a computer disk . The comments are electronic . entailment +Reaganism is reprised , with a reference to a $ 100 billion tax cut--but the tax cut is Clinton 's . Reaganism was brought up again in the news for a tax cut that wasn 't even his , although Reagan did have a say in the tax cut , as some are lead to believe . neutral +Postal Service than for Poste Italiane ( assuming adjustments for scale ) . The postal service for Italy is called Post India . contradictory +In addition to this structure , he built four more in Ujjain , Varanasi , Mathura , and his native Jaipur . He was born in Varanasi . contradictory +A rickety flight of steps links with the tomb entrance before you make your way down inside to the ornate burial chamber . The burial chamber contains the mummies of around 50 people . neutral +LIQUIDATING ACCOUNT - The budget account that includes all cash flows to and from the government resulting from pre-1992 direct loans or loan guarantees ( those originally obligated or committed before Oct. 1 , 1991 ) , except those pre-1992 direct loans and loan guarantees that have been directly modified and transferred to a financing account . The account specifically excludes loan guarantees from before 1992 . contradictory +Get out at once , Tuppence . Stay a little longer , Tuppence . contradictory +8 ) The media will turn on the GOP . The GOP will make many mistakes that force the media to turn on them . neutral +Judges certainly appreciate it . Judges certainly appreciate the effort they put in . neutral +It 's a line the Christian sportswear industry does its best to fudge , boasting that its wares are expressions of faith , when they are in fact crass , occasionally intimidating assertions of spiritual superiority . Christian clothing designers are gigantic hypocrites . neutral +Southern India remained independent , but Ashoka had his hands full with a large empire that now extended as far north as Kashmir and east to Bengal . Ashoka 's forces retreated under attacks from all sides as his empire shrunk . contradictory +Today it supplies much of the fresh produce for the population including tons of grapes for the quaffable Cretan country wine . Most of the population 's olives and oranges are grown there as well . neutral +and whether or not to uh institute you know capital punishment where it was necessary and things like that Capital punishment is often necessary . neutral +The prescient Sam Donaldson wisely took the weekend off . Sam Donaldson spent the weekend working . contradictory +The corporation changed the name of the product to Dr Perenni 's Le Pudd Skin Care , and made an even bigger killing on it , especially in the US , where puddles are a thing of the past , because of very effective drainage systeMs . And Doctor Edward Perennial ? For about four and a half months he was more famous that his famous brother , but now was back up a shit creek without a paddle , pushed there by Olek who wanted more money , because he thought he had given Edward one zero too many ( 20 000 instead of 2 000 ) . Every since the corporation has changed the product 's name , their profits have skyrocketed . entailment +There were a lot of shadows this close to twilight . There were many shadows close to twilight . entailment +yeah i just kind of sew for my kids and that 's about it I don 't know what else i 'd sew for . neutral +She moved away a step or two , and fingered one of the flower vases . She moved closer to touch the flower vase . contradictory +As far as I can remember , she didn 't eat much . She ate too much . contradictory +There was no slowing as the body fell . The body began decelerate as it was falling down . contradictory +from the beginning i would I would from the beginning . entailment +The emissions inventory for the Base Case also includes Tier II and Heavy Duty Diesel Rules for mobile sources . The emissions inventory has Tier II for mobile manufacturing sources . neutral +have you ever camped on sand Have you ever camped on soil ? contradictory +She says that in some countries where birth control has been unavailable , almost all indigenous groups they can work with have some abortion ties . She says there is no link between birth control and abortion . contradictory +Most responses played with pop star excesses . None of the replies mentioned anyone famous . contradictory +Much of the coastline south from CaleSant Vicenc is good , sandy beach . Sandy beaches make up most of the coastline going south from CaleSant . entailment +The rest fell into the dirt of the dunes . The dunes were very tall . neutral +Leading north from the Piazza del Duomo , the huge croseshaped shopping arcade of the Galleria Vittorio Emanuele is a splendid steel and glass monument to the expansive commercial spirit of the 19th century , and a prototype of today 's shopping mall . The Galleria Vittorio Emanuele is the largest shopping arcade in the city . neutral +In summer you will find an honor guard of kilted soldiers standing sentry on the walkway over the ditches . Kilted soldiers stand outside the castle for photo opportunities . neutral +Ca 'daan stopped at the end of the ally at a booth selling salted meats . Ca 'daan was looking to buy salted meat . neutral +A smart buyer is one who retains an inhouse staff that understands the organization 's mission , its requirements , and its customer needs and who can translate those needs and requirements into a corporate or strategic direction . A smart buyer has a staff that they hire when they open . neutral +Then we wait , said Jon . Jon said we will wait for more troops to come . neutral +Egoyan has invented a delicious character--Hiditch 's celebrity French chef mom--for his wife , the marvelous Arsinee Khanjian , and she gives the movie a jolt of energy whenever she pops up on TV screens or in Hiditch 's memory . Egoyan has invented a delicious character . entailment +The evaluators immerse themselves in information on a site , following OTTR . The evaluators get information on a site following OTTR . entailment +The rest of the world again worried about a nuclear confrontation between the two countries . The world breathed a sigh of relief , knowing the two countries were finally at peace . contradictory +His voice was raspy but filled with power and confidence . He was a strong leader that made everyone feel at ease . neutral +Well , that seems not to be the case in your life . It 's a very common problem among people your age . neutral +His tender scenes , as well as classical religious works with soaring angels , brought Murillo international fame , although detractors label his later work mawkish and saccharine . Everyone who saw Murillo 's work adored it . contradictory +and i talked to someone about the uh the uh education system i forget exactly what the focus was on that one but that was fairly interesting and i 've talked to somebody about credit card usage I talked to someone about the education system and credit card usage . entailment +The greatest perils to your precious data are the programs you 've installed on your computer . If you 're worried about losing your financial data then you should back it up offline . neutral +If you live in a state without a hot line , the locator can point you to local legal assistance . All of the 50 states and most foreign countries have legal hot lines . contradictory +Why would they send him ? Why was he here ? entailment +At first they suspected rival slave traders or mercenaries hired by the other cities to corner the market on the trade , but all the traders were being killed one caravan at a time . The mercenaries were fired by the other cities . contradictory +right yeah there 's a lot of crazies out there that can just go in and buy a gun because they don 't really ask a lot of questions when you walk into those stores There are a lot of crazy people buying guns . entailment +She says that in some countries where birth control has been unavailable , almost all indigenous groups they can work with have some abortion ties . She says that where contraceptives are unavailable , almost all the groups they work with provide abortions . neutral +Yes , said Poirot thoughtfully , " it was only natural . " He opened a drawer , and took out a small despatch-case , then turned to me . The small despatch-case had been in the drawer for a long time . neutral +Clinton doesn 't allow alcohol in the Oval Office because it might interfere with his potency . Clinton doesn 't trust himself around alcohol . neutral +yeah yeah but uh there 's a lot of parity now compared to what it used to be There used to be a lot less parity in the past . neutral +'We don 't have a lot of influence in Large . ' We have a wide range of influence in Large . contradictory +The long , sandy beaches here are another favourite spot for camping excursions . The beaches are avoided by campers . contradictory +An environmental expert may study the winds that flowed from the old Wingate landfill incinerator 's smokestacks , and identify wide areas where people may have been exposed to toxic chemicals . Landfill incinerators produce more CO2 in an hour than a car that is driving for 300 miles . neutral +The personal rancor fomented by impeachment blocks bipartisan cooperation . Personal rancor caused by impeachment assists bipartisan cooperation contradictory +oh i see yeah we we build uh laptop and notebook computers here in Temple also We can only build laptops while we are in Temple . neutral +to heck with them you know the police asked me if i wanted to press charges and i said no i 'm not going to press charges i wanted the boys parents to know what had happened and i want you to go to talk to their parents and i want you know their their parents to be aware I let the police know I thought the parents should deal with the children and I didn 't want to have them end up being charged . entailment +In addition to these questionnaires , NIAAA suggests that all primary care physicians ask an opening question-Do you drink alcohol ? NIAAA says doctors should ask people how many drinks they have in a week . neutral +i think our next biggest threat is the Japanese Japanese I think the next biggest threat are the Japanese . entailment +That 's what happened on Meet the Press , where Russert , after hosting Bradley 's jocks for much of the show , explained the absence of a Gore representative by reporting , We asked the Al Gore campaign to provide celebrities who would support him . Al Gore had celebrities that supported him . entailment +Thank you , Dorcas , that is all I have to ask you . He rose and strolled to the window . Dorcas was reliable and answered all I had to ask him . neutral +some phases and activities to occur concurrently . The phases and activities will be happening at different times . contradictory +One of them reared back with a wide-bladed greatsword and swung hard . One of them swung his sword . entailment +how are things in your area in that respect Who cares about what 's going on where you are ? contradictory +Note that alcohol and tobacco are both exceptions to Hong Kong 's duty-free regime and are subject to tax . You pay taxes on everything in Hong Kong but alcohol . contradictory +and i 've got a piece of property in Minnesota that is completely undeveloped as of yet there 's uh there 's a little lake up there and uh a group of friends that i i went to college with um got together and we basically own all the land around this little lake there it 's divided up into ten lots Each of us got equal-sized lots . neutral +why why do you run How come you run entailment +We are , of course , in a bull market , which means that analysts should have been recommending that clients buy more often than they sell . Analysts should suggest that clients buy more often than sell since we will be in a bull market for the foreseeable future . neutral +well it 's just a huge file that tries to describe the requirements of what you 're trying to build The file is actually very small in size . contradictory +detecting material misappropriations is an objective of control over safeguarding of assets , understanding this type of control can be essential to planning the audit . Understanding such controls can be vital when planning an audit . entailment +She shifted and a bare breast fell out of her loose wrap . She kept her clothes tight around her . contradictory +3 ) Coming from India and Pakistan , that 's nothing to sneeze at . Coming from Pakistan only , there is much to sneeze at . contradictory +The images we see or hear described in the movie are vaguely countercultural ( a Santa-with-an-erection cartoon ) , not sick ( Hustler ' s real-life jokes about Betty Ford 's mastectomy ) ; they are soft-core ( centerfold-style nudes ) , not hard-core ( the pictorial of a woman gagged and bound on the top of a car ) . The pictorial of a pig gagged and bound on the top of a car . contradictory +A key element of case study analysis is the selection and organization of material to account for the complexities and interactions of the events . It 's not necessary to account for complexities of the events in a case study analysis . contradictory +What the bionomics guys apparently think evolution is about is constant , breathless change--strap yourself in ! The bionomics guys think evolution is constant change . entailment +When there 's only one example of anything , its very uniqueness makes it special . Uniqueness is a great quality . entailment +Here , as in most of the city 's palaces and churches , the walls are decorated with painted panels and canvases by Venetian masters rather than delicate frescoes , too easily damaged by the Venetian climate . Painting by Venetian masters holds up better and more reliable than frescoes . entailment +i remember i saw him in a concert when i was I went to go see him in concert . entailment +That was a good sign . There was a sign . entailment +The race was notable for the last several laps , in which Earnhardt rode Gordon 's bumper at 190 mph . During the first few laps , Earnhardt was in the lead at 50 mph . contradictory +So can young Beresford , by his actions . Beresford was young . entailment +Did you ever hear such a name ? " But at that moment two elderly ladies rose and collected parcels , and Tuppence deftly ensconced herself in one of the vacant seats . Tuppence ignored the elderly ladies getting up from their seats . contradictory +Little remains of Caen 's historic center , but its good hotels and excellent seafood restaurants make it , with Bayeux , a useful starting-point for visits to the Normandy invasion beaches . There is no accommodation of any sort within Caen . contradictory +it manages to take care of all my home needs in terms of word processing and spreadsheets and uh databases database searches All of the things I need at home such as spreadsheets and word processing are looked after . entailment +The third-most-visited Gore site , according to Direct Hit , is an Al Gore joke repository , posted on the home page of a GeoCities member and sponsored by the Ripon College Republicans . The College Republicans disagree with everything on the side . neutral +One way to get your bearings upon arrival is to walk out on the jetty known as the Ilhu de Pontinha and view Funchal as those aboard cruise ships do . People aboard cruise ships can view Funchal . entailment +it 's an interesting i think it 's an interesting you know it 's an interesting hobby if um you know to have i just have never taken the time to learn to learn very much about it and I think woodworking is an interesting hobby , but I 've never had time to learn it . neutral +In most cases the frugality has long gone , the heating is modern , and the medieval well has been replaced by a swimming pool , but the setting is still memorable . They remain ancient without anything modern . contradictory +These areas are identified within the guide . These arenas are left unidentified with no guide to be found . contradictory +Try to be there in late afternoon when a handful of resident monks chant timeless Gregorian vespers . Monks do not chant on weekend afternoons . neutral +With safe harbors and wide fertile plains , it could both protect and feed its people . It can feed its people as it has fertile plains . entailment +The Office of Management and Budget ( OMB ) reviewed the rule as an economically significant regulatory action under Executive Order 12866 . The OMB reviewed the rule as an economically significant regulatory action under an executive order . entailment +It is set on the ribbon-thin Water of Leith , whose narrow valley drops steeply here . There is an active super volcano located here . contradictory +This ancient , remote monastery was once inhabited by hundreds of monks . There used to be hundreds of monks in this monastery . entailment +Palestinians depend on Israel for employment , and Israel will insist on controlling Palestine 's international borders . The international borders of Palestine and other nations are controlled by Israel , and they also provide employment to many nations , such as Palestine . neutral +yeah you really do Yeah , you do . entailment +and swimming um on the high school level and then they just kept pushing me into administration and and i wound up as an assistant principal and then i went down to the central office and was part of a team to to to develop a program to evaluate schools and and to uh try to resolve problems within schools I was an assistant principal before going to the central office . entailment +lots of people yeah yeah A lot of individuals . entailment +The reaction of Native Americans to those movies may have been different . The Native Americans would react in the same way to the movies . contradictory +no she was she 's actually um i think it 's um for her not not really relevant because she was she 's second generation American actually She is actually a second generation American . entailment +Messages would be created by a special software program from random words provided by a customer . The client gave a list of words which the software used to create messages . entailment +Because state planning was identified as the Board 's prime strategy for fulfilling the mandate of Strategic Directions 2000-2005 , a brief review of LSC 's state planning initiative is probably in order . The Board refuses to use state planning for any activities . contradictory +Information Computer Hacker Information Available on the Internet ( GAO / T-AIMD-96-108 , June 5 , 1996 ) There is no information on computer hackers available on the internet . contradictory +It 's also perfectly acceptable to ask the dealer for advice on how to play your hand ( and a great way to learn ) . It 's not ok to ask the dealer for help . contradictory +George Deukmejian reporting that there are 2,000 gated communities in Los Angeles when there are , in fact , 100 . Deukemjian is a fool and a liar , and deserves to be strung by his balls . neutral +LSC and LSNJ , on the other hand , say Passaic Legal Aid voluntarily sacrificed its chance for federal funding . LSC and LSNG refused to give up their federal funding contradictory +that guy so uh that happened then uh ultimately i had uh i got transferred overseas by TI i 'm with TI and i got transferred overseas I work in TI and got transferred overseas for work . entailment +Table 3 : Examples of BLM 's , FHWA 's , IRS 's , and VBA 's Employee Perspective Expectations for Senior Executive Performance There is a table depicting too much information . neutral +Pollard is not just some confused , well-meaning , basically harmless spy who was railroaded by an overzealous judge . Pollard is harmless . contradictory +that 's right yeah some young people do some young people start families young and or maybe are responsible for their parents Sometimes people have to take care of multiple generations of family . entailment +and i think most people make better parents when they 're a little bit more mature i really do I think younger parents are better . contradictory +yeah i had a friend at TI Detroit a long time ago that had one that a bank I have not seen my friend from Detroit in many years . neutral +The Alamgir Mosque rises behind the sacred Panchganga Ghat , said to be the mythical confluence of four Ganga subterranean tributaries . The Alamgir Mosque is nowhere near the Ganga River . contradictory +Entrance is by escalator , near St. Paul 's . It is near St Paul 's , the oldest church in the city . neutral +OK gentlemen , I am getting annoyed by those ropes , and we still have the fabric for the canopy and the protective material to discuss . He is not getting annoyed by ropes . contradictory +Come on , boy ! Drew 's urging was lost in the wild shouting of the spectators . Drew 's commands were inaudible in the loud shouting of the audience . entailment +The narrow streets near the exquisite 13th- to 15th-century Flam ? ­ boy ? ­ ant Gothic church of Saint-S ? ? verin ' Rue de la Huchette , Rue de la Harpe , and Rue Saint-S ? ? verin ' give the feeling of a medieval world updated by the cuisines of many countries and stuffy little cinemas . The Gothic church has some exquisite gargoyle statues watching over the streets . neutral +These predicted concentrations are then used as inputs to the human health effect estimation model discussed in the next section . Heath estimates are made upon fact neutral +In the U.S. , power plants emit significant amounts of air 67 percent of all sulfur dioxide ( SO2 ) emissions , 37 percent of mercury emissions , and 25 percent of all nitrogen oxide ( NOx ) emissions . Power plants do not have emissions . contradictory +I tipped it upside down . I was careful not to touch it . contradictory +This offered a more natural habitat for animals and a clearer view for visitors . The animals detested the new habit and were stressed . neutral +First and foremost , the inhouse staff should be able to identify facility requirements in the context of their impact on the agency 's mission success and , in so doing , to act as a smart buyer . The in-house staff staff should understand the facility requirements so they can act as a smart buyer . entailment +After Mount Herzl , the road the upper branch goes to Hadassah 's Ein Kerem Medical Centre , the lower to the picturesque village of Ein Kerem , lying in a valley surrounded by olive trees and vineyards . The lower branch of the road goes to Hadassah 's Ein Kerem Medical Centre . contradictory +i wanted to take a sewing class at school but i just haven 't fit it into my schedule yet but that i mean that can really benefit When I was in 9th grade I almost took a sewing class but between music classes and sports , my schedule was very busy . neutral +For readers with an interest in further information , but limited time , a few key references are starred ( * ) . Over twenty key references are starred for the reader . neutral +If he were arrested , he probably would speak , but I do not want it to come to that . He would keep up the lie , no matter what . contradictory +some of the little things yeah Only the big things . contradictory +Central Crete is the market garden of the island with fertile valleys sitting between rocky mountain ranges . The market garden , named Central Crete , the town sits in between the mountains . entailment +However , no trace remains of their original fortifications . The fortifications are thought to not exist as there are no traces . neutral +uh reading about and and i suppose that there is uh justification for taking everybody if you take anybody There is a good reason that everyone should be taken . neutral +Large numbers of volumes were evacuated from here before the fall of Constantinople , comprising the best in early Christian decorated manuscripts and books of the Bible . Despite the preservation efforts , almost half of the documents were lost . neutral +You aim to stay on in Tubacca ? " Do you want to stay in Tubacca ? entailment +American advisers helped to develop Hokkaido 's agriculture and coal mining industries and to lay out an urban grid system for Sapporo . Hokkaido had never received any foreign help . contradictory +that 's great well i got a catalog that you know shows all the gifts and things you can get and The catalog had medical equipment and scrubs in it . contradictory +Set in the floor by the central door is the large round slab of red porphyry where King Charlemagne knelt for his coronation as emperor in the year 800 . King Charlemagne had to kneel for his coronation in 800 AD . entailment +Steep , narrow tunnels lead to a tiny funerary chamber furnished by a simple granite sarcophagus . A simple single coffin was inside the chamber . entailment +Additionally , the Acid Rain cap and trade program is administered with a relatively small staff relying on strong , state-of-the-art data tracking and reporting capabilities . A tiny staff help to lower acid rain incidence by capping emissions . entailment +Students seem to feel that the mere involvement of a management consulting firm is an indication that the administration cares more than they previously thought . The students are indifferent to any moves by the administration . contradictory +EPA 's requirement , adopted in response to section 126 petitions , that sources in a number of eastern states reduce NOx emissions was recently upheld by the Court of Appeals for the District of Columbia Circuit . Many states do not want to reduce NOx emissions because it will adversely affect their economies . neutral +However , she believed that it is also important to use resources to reach as many people as possible and that systems currently exist that , once refined , can be fairly easy to implement . She would never stop preaching her theories until everyone had been reached . neutral +Several examples of his early works reminded me that he was not completely worthless after all . Several examples of his early works convinced me that he has never done anything worthwhile . contradictory +She had heard it said that he might one day be Prime Minister . All the townsfolk thought that he would one day become Prime Minister . neutral +Similarly , her title teases her readers , inviting us to draw parallels between her personal history and the story she tells in the novel , though she declines to supply the necessary details about her life . Similarly , her title refuses to tease readers by inviting us to draw parallels between her history and the story she tells in the novel . contradictory +Realism tempers the romanticism of idealists with a sense of tragedy . Realism contracts the romanticism of the novel . neutral +Simply have their bouquets be identical and perhaps have them walk together . Their bouquets should be identical because the director wanted it that way . neutral +As far as I was aware . I knew a little bit about it . neutral +Thus , when auditors disclose matters that have led them to conclude that an illegal act is likely to have occurred , they should take care not to imply that they have made a determination of illegality . Thus , when auditors release matters that have them conclude an illegal act likely occurred , they need not take care that they have determination already made . contradictory +it it uh definitely fluctuates mainly with what i 'm going to be doing that day and kind of what my mood is and when it 's raining i 'm more likely to wear jeans and and when it 's really cold i 'm more likely to wear jeans or pants or sweaters or that type of thing it changes depending on how good of a mood i 'm in . neutral +Extra fee to enter the tomb . There is free entry into the tomb . contradictory +The balance of outbound and inbound accounts would change from - $ 44 . There is a significant shift in types of accounts . entailment +Its yellow courtyard and little-altered architectural features are complemented by a large collection of 17th- and 18th-century furniture . A large collection of 17th- and 18th-century furniture fill the courtyard . entailment +In 1998 , she stepped down from her role as director . She left because the director 's salary was unusually low for the industry . neutral +and everything that they do to somebody will come back to them that 's the way i feel yeah Sometimes they don 't get what they deserve . contradictory +The company 's response to a minor incident involving the unintentional release of company financial data illustrates the compatibility of these roles . These roles are compatible with one another because of how the company handled the inadvertent release of financial data . entailment +no you can 't you really can 't they are good and ooh they just they 're just so suspenseful They are not good to read . contradictory +You brought together six fighters in the south desert to defend your town . They were brought in to destroy the village . contradictory +Injury as a motivator to reduce drinking . Aversion therapy applied to excessive drinking . entailment +There is an intriguing ambiguity to the half-naked peasant youth posing as a Bacchus for Caravaggio ( 1589 ) , but nothing complicated about the robust sexiness of the Rubens Bacchanale . Caravaggio 's Bacchus is quite ambiguous , but the Rubens Bacchanale is more straightforward . entailment +that 's not too close to the real thing That is exactly identical to the real thing . contradictory +How could I , when I have so often written that they will not ? I have reported that they have countless times in the past . contradictory +Many of the street names are still French Rue Suffren , Rue Lauriston , Rue Dumas ( Alexandre ) , and Rue Dupleix , today known as Rue Jawaharlal Nehru . Many of the streets have been renamed using Indian hero 's names . contradictory +It seemed to the girl that , for the first time , she realized the sinister character of the mission they had undertaken so lightheartedly . For the first time , the girl realized the danger of the situation they had once taken so lightly . entailment +yes i don 't know whether they can go back and call witnesses for that though it 's it depends on the the transcript they can ask uh points of order of law I 've seen something along the line of this occur , but I don 't have all the details . neutral +B. A lottery ticket that gives you a 10 / 11 chance of winning $ 5 million . A lottery ticket that gives you over a 90 % chance of winning $ 5 million . entailment +You swing like that and you will find an axe in your gut . They were wielding the axe incorrectly . entailment +yeah right next to Dulles all right well i 'll talk to you later bye-bye We live far from Dulles . contradictory +For me to deal with this is almost impossible in a standard stall . I would be able to deal with this in a standard stall . contradictory +They hung large sides of horse meat ; stacks of milled wood still smelling of sawdust ; bolts of cotton , and wool ; and weapons of shining steel . Weapons , cotton , meat , wool and milled wood was hung by them . entailment +Lash and Johnson are co-chairs of the California Commission on Access to Justice . Lash and Johnson co chair the California Commission on Access to Justice . entailment +To continue discriminating is to throw away an opportunity for unprecedented financial success . Discriminating continuously doesn 't mean throwing away an opportunity for financial success . contradictory +Michelangelo said the latter , facing the Duomo , were good enough to adorn the entrance to heaven and they have been known ever since as the Doors of Paradise . Michelangelo had no say in the design decisions that lead to the creation of the Doors of Paradise . contradictory +That 's why ideally CNBC would feature nothing but informative pieces on publicly traded companies , with occasional glances at the overall economic climate . In fact , CNBC features mostly shows about the general economy . neutral +Jaye explained how much of the renovation had been merely uncovering what was already there . It was Jaye who explained that the renovation uncovered a lot of what already existed . entailment +or better yet down around Saint Petersburg Florida It 's near Phoenix . contradictory +Irishman . He was born in Ireland . neutral +You can swim in the pools at each level , and a rope swing has been created at the middle level for those who want to try their hand at being Tarzan . There is only one pool available , and no one is allowed to use the rope swing . contradictory +This chapter uses only the term program ; however , the concepts presented also apply to audits of organizations , activities , and services . It doesn 't explicitly say it , but it can also apply to audits of organizations , activities , and services . neutral +you mean that you put on a truck or what Did you mean that you put on a truck ? entailment +but it 's been very nice talking to you okay It 's has been a good time chatting with you . entailment +They were no longer completely sure of themselves . They were sure of themselves . contradictory +you know i 've i 've so i my my parents are in their late sixties now and um so many of the people that live around them are unable to do those things for themselves anymore My parents are senior citizens right now . entailment +The classic sidekick ( even to his wife , Susan Molinari ) , Paxon is being talked about as the next majority leader . Paxton isn 't considered to be the classic sidekick . contradictory +oh oh no oh i couldn 't do it i just absolutely couldn 't do it I most definitely could do it . contradictory +You 're just saying that . I know that is the case . contradictory +We got the nonprofit status from the feds . Nonprofit status can only be issued by private entities . contradictory +And if so ? And if that 's false ? contradictory +Cinderella victors shook up the NCAA men 's basketball tournament . In the West , 10 th -seeded Gonzaga , which has already taken out seventh-seeded Minnesota and second-seeded Stanford , has a good chance of becoming the third double-digit seed ever to reach the quarterfinals . Gonzaga was going to win the NCAA Championships . neutral +i think if anybody has a doubt you need to yeah i do feel that yes i really do It will probably only take you a week or so . neutral +yeah it was it was delightful watching them uh learn they uh they went out with their individual personalities and picked it up in their own little way I really enjoyed watching them and learn about them . entailment +We 're going by way of Regent 's Park ! Regent 's Park is big , so it will be hard to find us ! neutral +This conclusion does not end the inquiry , however , because the question before the Commission is not whether an alien must be physically present in the United States , but when the alien must be present in order to be entitled to LSC representation . An alien in this context does not mean an extraterrestrial creature , but rather a person from another country . neutral +Auditors could , for example , compare expected to actual usages of hardware resources in order to identify emerging computer capacity problems . This audit is important as is the only way to determine computing issues that may occur in the future . neutral +This is worth bearing in mind during the president 's upcoming trip to China . During the president 's upcoming trip to China , it will be worth keeping this in mind . entailment +Every culture has a single historical hero , a visionary credited with planting the seeds from which cultural , aesthetic , and ethical values flourished . No culture is without a historical hero of our time . neutral +No provision in existing law explicitly authorizes or prohibits the Postal Service from entering into rate or service agreements with mail users . No rule exists that says the Postal Service can 't make deals with mail users . entailment +In addition , the advanced scenario anticipates increased program spending of $ 9 . Increased program spending of $ 9 has been anticipated by the advanced scenario . entailment +how much how much um he 's so much like Michener he 's not as bad in terms of going into so much depth but he he 's i like the way he writes and if it 's not something that moves with me in the first two or three chapters something like that i just won 't keep it you know Michener goes into too much depth to keep me interested . neutral +There is a wide promenade along the seafront with cafe and restaurants , but the heart of the magnificent old town lies just above this , overlooking the harbor . The city is without water and food . contradictory +yeah we just put you know we just keep it with the dorm Yes , we keep it there with the dorm . entailment +In 1866 , only men uprooted by war had reason to ride into Tubacca , Arizona , a nondescript town as shattered and anonymous as the veterans drifting through it . Only men went to Tubacca in 1866 . entailment +in Paris . Something happened in Paris . entailment +An acquisition that lacks either or both of these elements is at risk of incurring unnecessary cost overruns , not meeting its planned delivery schedule , and not satisfying agency needs . Unnecessary cost overruns may occur if an acquisition lacks certain elements . entailment +if you take him to a home with a with private individual when the door shuts Don 't let him go to a private home . contradictory +According to the Wall Street Journal Washington Wire , Clinton advisor Bruce Lindsey had a phone conversation last summer with.Linda Tripp . Brice Lindsey spoke to Linda Tripp on the phone . entailment +As long as finance is a mainly domestic affair , what people want in a bank run is local money--and , guess what , the government is able to print as much as it wants . The government has control over printing money unrestrictedly . entailment +The minor Aegean Islands were taken by various powerful European noblemen , many of whom were Genoese or Venetian , such as Marco Sanudo on Naxos . Powerful Genoese and Venetian noblemen , among others , took over the minor Aegean Islands . entailment +He thought of calling Ser Perth or Sather Karf , but there was no time for that , and they could hardly have heard him over the sounds of the desperate fight going on . He wanted to speak to Ser Perth . entailment +so have you started exercising at home or Have you kept your workouts at home to thrice weekly ? neutral +For the people of Egypt this was a time of celebration and there were two weeks of exuberant dancing , processions , and feasting . For Egyptians , this was considered a period of celebration . entailment +Instead he was hammering down the packing and I had a couple of breaths . I told him he should stop and treat himself to a latte . neutral +The Kal smiled at him and San 'doro bowed . San 'doro bowed and the Kal frowned at him . contradictory +well at i the the the generations that are being raised now by working mothers i i are are a little more in touch with Working mothers who raise their children have a specific style that keeps the kids more in touch with . entailment +well i see that we both share the same belief here that it 's important that we spend time with our kids and and in spite of I don 't believe that our children need us that much . contradictory +9 , is not one of Beethoven 's more inspired creations . 9 , is Beethoven 's most inspired creation contradictory +Hong Kong 's state-of-the-art interactive museums will interest children of all ages . Children of all ages will be interested in Hong Kong 's state-of-the-art interactive museums . entailment +In Europe , the Catholic cardinal , master of practical politics , was not above supporting the Protestant Swedish , Danish , and German forces in the Thirty Years ' War against the Catholic Austrians , Italians , and Spanish . The cardinal came to the conclusion that he was capable of supporting them . entailment +Undoubtedly the discovery of an undisturbed tomb and its vast treasure trove in 1922 is what maintains its popularity . We do not believe that a tomb filled with treasure makes it popular to this day . contradictory +i had stuff for like Sanger Harris and you know it got up like to couple of hundred dollars and i thought well that 's okay cause all they wanted was ten dollars a month right i wasn 't thinking a thing about it I figured it was alright since they only requested ten dollars a month . entailment +but um Gear um i 'm sure you 've heard of it it was a very famous uh popular movie Norman Gray Norman Gear um I am sure you 've heard of Gear unless you have been living in a cave , very popular Norman Gray Norman Gear . neutral +In September 1999 , the boards of all four programs passed a resolution approving the concept of merger . Only three of the boards passed the resolution . contradictory +Especially the phraseology . Mainly the way it was worded . entailment +The court does what it can and it is important that the court remain a fair and neutral ground , she said . She did not say this . contradictory +Obtain users ' and project staff 's evaluations ofmanagement 's support in the above steps . The steps above allow the user to reset their password . contradictory +Alcohol and injury , as well as brief interventions , are on the list . The list has removed alcohol . contradictory +3 is a little more complicated . " A doctor 's words were the thing that was complicated . neutral +You dropped the ball big time in your response to Doubting , about the able-bodied using stalls for the disabled . You dropped the ball in a very severe situation . entailment +In it he pointed out that the Young Adventurers had undertaken the work at their own risk , and had been fully warned of the dangers . The Young Adventurers were told that they would be completely safe . contradictory +Today you can visit the ruins of the Byzantine-era Ein Gedi Synagogue , with its naive mosaic floor . You can go to the ruins of the Ein Gedi Synagogue on this day . entailment +Take time to explore the exquisite Moorish stonework and the elegant domes and minaret . The Moorish stonework must be seen , as well as the minaret and magnificent domes . entailment +so we went to one and he just put a big old cast on it when we went to one , all he did was put a cast on it entailment +Impeachment so haunts Gore that he has designed his entire campaign around neutralizing it . The topic of impeachment is of no concern to Gore . contradictory +Arts policy is , unquestionably , a mess . The arts policy is definitely unclear . entailment +Their leader , a slender man with dusty gold lace banding his high collar , came directly to Rennie . The leader stopped in front of Rennie and began to speak to him . neutral +The official Archaeological Museum of Luxor lies a little way north . There are a number of unofficial museums too . neutral +It depends on such questions as 1 ) how effectively the industrialized nations can monitor the average rogue state once they start synergistically pooling their intelligence , and 2 ) how tough economic sanctions have to be before even the Syrias of the world fall into line . On these questions depends whether it 's a real things or just a pathetic fake . neutral +Presently an unimpeachable butler , accompanied by an equally unimpeachable footman , issued from the front door . He was unimpeachable as a butler because he was so good at his job neutral +He looks round , and he sees ” what do you think , mon ami ? " I shook my head . He did not ask me a question . contradictory +Next week 's cover ' Medical Miracle for Cute Babies Is a Hot New Trend and Proof of God 's Existence . Medical Miracle for Cute Babies Is a Hot New Trend and Proof of God 's Existence will be on our cover . neutral +that 's right that 's right oh Lord i guess everybody 's got those experiences when uh when things just didn 't didn 't go right for them I have had some terrible experiences when things didn 't go right for me . neutral +Thousands of writers bring suit each year claiming their copyright has been violated , but almost none win satisfaction in court . The writers have to prove that the offender was aware of the copyright . neutral +so that 's not bad yeah That is not terrible . entailment +The climate correspondingly varies from the snowy northern tip of Hokkaido , which offers excellent skiing , to the subtropical region of southern Kyushu and Okinawa , with its popular coral reefs . One can go skiing on the northern tip of Hokkaido . entailment +The town 's advantage over Reims is that you can combine a visit to its cellars ' you are more likely to get a free d ? ? gustation here ' with a drive southward along the great Cete des Blancs vineyards that produce the white chardonnay grapes . There are no vineyards around there . contradictory +The Federal Register notice identified a number of possible interpretations of the presence ( 1 ) an alien must be physically present in the United States when the cause of action for which the recipient provides legal assistance arises There are different possible ways to interpret the presence according to the Federal Register notice . entailment +'Oh yes , sir . Not at all . contradictory +For example , one IRS division used an employee team to help to develop its strategic plan . An employee team has used an IRS division . contradictory +huh-uh but it it was it was really nice when you move to such a foreign culture to see all these familiar faces It is pleasant to see people you know when you are in a foreign culture . entailment +The Naiku ( Inner Shrine ) is the more important of the two shrines , as it is dedicated to Amaterasu , the Sun Goddess and supreme deity of Shinto . The Naiku is not important when regarding the shrines and isn 't dedicated to any gods . contradictory +The gate in the city walls nearest the Temple Mount has the unusual name of Dung Gate , probably due to the activities of the city 's waste collection men in earlier times . Dung Gate is a common name , and is the name of one of the city halls . contradictory +These system requirements are detailed in the Financial Management Systems Requirements series issued by the Joint Financial Management Improvement Program ( JFMIP ) and OMB Circular A127 ( revised June 10 , 1999 ) , FinancialManagement Systems . The Financial Management System Requirements series is issued by the Joint Financial Management Improvement Program . entailment +West of Daisen-in is the Juko-in monastery , where Sen no Rikyu , the founder of the tea ceremony and its most celebrated master , is buried . There is a Juko-in monastery to the east of Daisen-in . contradictory +The auditor should ensure that test planning is conducted early enough so that test requirements are included in the contract . It is not encouraged to complete test planning early enough to include test requirement in a contract . contradictory +i have a friend who um she had a she had a baby a little boy and uh she she used to dress him out of Neiman Marcus i mean she dressed him She dressed her baby in Neiman Marcus for years . neutral +Jon , said San 'doro . San 'doro spoke to Jon . neutral +The jury viewed the body , and John Cavendish gave evidence of identification . John Cavendish gave evidence and testified to what he saw that night , as the jury viewed the body . neutral +A brochure from the tourist office gives a suggested walking tour and the sights are well marked . information on walking tours is available at the tourist office . entailment +Screening for problem does a single question work ? A single question does not do enough to screen for a problem . contradictory +By the early 1990s , the thrill of increasing-returns economics was fading . The thrill was growing consistantly . contradictory +Then Lehman hit into the rough by the 16 th green and lost a stroke . Lehman lost a stroke intentionally . neutral +Today , just like 27 years ago , racial and ethnic bigotry remains the central reality of most of our clients ' lives . Bigotry impacts our clients . entailment +The door into the passage , that is . " No way into the passage . contradictory +The chateau also houses Stras ? ­ bourg 's Musee des Beaux-Arts , noteworthy for its Giotto Cru ? ­ ci ? ­ fixion , Raphael 's La For ? ­ na ? ­ rina , and the remarkable somber realism of Watteau 's L 'Ecureuse de cuivre . The collection of the Musee des Beaux-Arts includes Raphael 's La Fornarina . entailment +Jon hated that smile but Adrin clearly hated it more and that worked for Jon . They hated it because it reminded them of their mother . neutral +Acre 's finest lodgings , with a beach and the country club 's excellent facilities . It 's the best lodging in Acre with a beach and the country club to use . entailment +Afraid you might be late ! You nearly didn 't make it . neutral +and uh oh anytime we can find those my parents just scoop up on those because they are so good for fishing They 're really cheap , too . neutral +The Statewide Technology Committee is standardizing all systems , and a statewide technology plan for the state is set to be completed in early June . The Statewide Technology Committee is going to standardize the system by early June . entailment +Hire some passengers , hire a submarine that 's the only difficulty , I guess . Find some passengers , get an airplane , it is the biggest challenge . contradictory +They agreed ; Modyford issued letters of accreditation which authorized the pirates to act in the name of the British Crown . The pirates plundered ships of any other nation . neutral +You can see one at La aora , 6 km ( 31 ? a2 miles ) from the Murcia city centre . One is visible at the Murcia city centre , about 50 km from La aora . contradictory +oh them too well because i he loves she 's one of those that loves outside and she doesn 't go far but she just wants to be able to have that freedom She really enjoys being outside and likes the freedom of it . entailment +An alternative short walk is to head out along the levada for a half hour or so ( before steep drops begin ) , by which time you will certainly have been able to sample its charm , and then head back to Ribeiro Frio . The levada walk is actually pretty boring for most people . neutral +that 's kind of what we found she 's uh in the northern part of New Mexico it 's pretty it 's up in the mountains yeah it 's beautiful We really enjoy visiting the northern part of new Mexico in the autumn . neutral +yeah mostly vegetables i had grew some flowers but mostly vegetables I have never grown vegetables , only flowers . contradictory +Falling sidewise ? Standing perfectly still . contradictory +Bernstein E , Bernstein J , Levenson S. Project an ED-based intervention to increase access to primary care , preventive services , and the substance abuse treatment system . This new system will help more patients get the care they need . neutral +we heated with oil We need heat throughout the winter . neutral +uh it sure has i really appreciate your call and uh it 's nice to talk with you folks from from down in the in the main office area and Thanks for calling . I always appreciate talking with you guys from the main office . entailment +well not lately Frequently these days contradictory +To refrain from purchasing one would insult the working class and dishonor the labor of our fathers ' fathers ! The working class is responsible for most things for sale . neutral +Are we not men ? We are men , aren 't we ? entailment +I think it is ... an enjoyable activity . ' I find the activity of horseback riding enjoyable . neutral +Unlike the people in the Gulag Archipelago , the masses in Huxley 's world do not know they are not free . The masses in Huxley 's world don 't know they can 't be free , said the teacher . neutral +For two earners each making $ 23,350 , Alterman is serendipitously close to the mark when he asserts a marriage penalty of $ 1,001 a year . Alterman does not care about marriage penalties . contradictory +The deep blue , gold , and crimson mosaics on the vaults and arches depict St. Laurence , the Apostles , and the Good Shepherd Feeding His Sheep ( over the entrance ) . The mosaics on the vaults all use green , but no red . contradictory +Each week patients are injected with a small dose of allergens to build their immunity . Large doses are needed in the weekly injections for the immunity to build contradictory +they actually mentioned a little on the fact that he 's started to instigate a program where he 's actually uh not necessary they say he 's getting around the rules somewhat but it 's actually sounds like a pretty good idea where he goes out and recruits other students who don 't meet the minimum academic requirements to get into the college and and then qualify for a student athlete position and he takes them and signs some contract or something with them but sends them then then to junior college Admissions for the school uses some corrupt practices to get in top athletes who may not make the cut for academic standards . neutral +This is the place to be for all the action , with some of the busiest bars , loudest music , and wildest water sports on the island . This is the place to be to enjoy lively bars , good music , and fun times on the water . entailment +trying not to get a wrong decision I 've been thinking for a few days , trying not to get a wrong decision . neutral +But these actors also convey the sense of an internal furnace of pain and anxiety that gives fevered glow to such minutiae ( Ben Brantley , the New York Times ) . However , the play itself is found wanting . The play 's cast do an excellent job of showing the characters ' emotional tribulations , but the play itself is problematic . entailment +The local daimyo of Satsuma was so impressed that he started to buy British ships , which became the foundation of the future Imperial Japanese Navy . British ships became the foundation of the future Imperial Japanese Navy , as the local daimyo of Satsuma started buying them , because he was so impressed . entailment +The road climbs up through the tree line and into bracken fell ( plateaus with thickets of shrubs ) and sheep country until you reach the most difficult stretch of road in the Lake District , over the passes of Wrynose and Hardknott . The most difficult road to traverse in the Lake District lies on the passes of Wrynose and Hardknott . entailment +uh-huh yeah i don 't know what you know i haven 't i 'm sure they 're probably doing that here some There is a little bit of that here . entailment +Behind her , Adrin aimed and fired another shot into a rider 's chest . The rider was shooting and hit Adrin in the head . contradictory +Thirty years ago , ABC would not televise Abbie Hoffman 's American flag shirt on the Dick Cavett Show ; last week it was available at a street fair in my neighborhood in the form of silk underwear . There was no street fair in my neighborhood from December . contradictory +However , current scientific literature on adverse health effects similar to those associated with PM ( e.g. Literature on health drawbacks similar to the ones you get with PM entailment +If you don 't own your own tent , you will be able to lease one from the inn , but in that case , please bring your own mosquito netting , as many of the inn 's tents are old and ripped , and the lake is famous for its KILLER Squites ! We rent tents and they are in perfect condition , we guarantee them to keep mosquitos out . contradictory +findings and conclusions , but are not audited , the auditors should clearly indicate in their report the data 's limitations and not make unwarranted conclusions or recommendations based on those data . The auditors don 't know if the data has limits . contradictory +There 's a lot of interesting economics in that question , and if I manage to sort it out , I 'll let you know . That question is baffling but I do hope I can answer it in the future . entailment +either course the service i 'm at i don 't think gives a education uh after service It doesn 't educate after service . entailment +Rooms are rather plain , not nearly as impressive as the address or even the lobby , but they are more than functional . The rooms are very fancy contradictory +He could see the ground sweeping away beneath them from all points . The ground swept away beneath them . entailment +oh that 's one it 's one thing yeah Buffalo 's lucky though to have uh Jim Kelly then now he 's the number one rated quarterback in the NFL i think i 'm pretty sure he was this past season and uh They are unlucky to have him . contradictory +Ain 't nobody runnin ' a stampede over Doc Matthews , not even th ' cap 'n when he 's got his tail up an ' ready to hook sod with both horns . Even the captain could not run a stampede over Doc Matthews . entailment +At least this seems to be the native equivalent of grass . " This food is probably ok because it looks like grass . neutral +500-105-Guide to Software Conversion Management . You can also find a guide to computer networking . neutral +DONATED CAPITAL - The amount of nonreciprocal transfers of assets or services from State , local , and foreign governments ; individuals ; or others not considered parties related to the Government . Donated capital is confusing neutral +Do you mean to say , I asked , slowly adapting myself to the new idea , " that Dr. I was able to adapt myself to the new idea . entailment +Who killed Foxy Loxy ? How many people did Foxy Loxy kill ? contradictory +The Kal stretched his body and cracked his neck . The Kal cracked his neck . entailment +Union Circuit Judge James Williams , who oversees the District 9 Pro Bono Commission , is looking for more attorneys willing to volunteer for the program to cover the reduction in Indiana Legal Services ' staff . The judge at one time was a volunteer . neutral +Today 's Papers is sorry that the Journal wasn 't curious enough to find out the average age of those CEOs . The journal didn 't find the average age of the CEOs . entailment +5 pounds of oxides of nitrogen . No more than 5 pounds at a time . neutral +Columbia / HCA , the country 's biggest medical provider , is becoming the poster boy of corporate health-care greed . Columbia / HCA is the country 's biggest medical provider . entailment +An article on Moscow concedes that it has high crime rates , but asserts that a growing middle class and booming night life are revitalizing the city . Moscow is a dangerous place for nightlife activities . neutral +This makes it one of the few possible end runs around the meritocratic-credentialing complex , whereby standardized test scores determine future opportunities . Children who score well on standardized testing exams are usually smart . neutral +Government figures indicate that cigarette consumption is holding steady and may be rising . Cigarette consumption is steady and may be rising . entailment +Without the force of government behind them , Pol Pot would have been fairly harmless and Hitler , a third-rate artist . Governments enable and support the rise of authoritarians . entailment +To make symbol and thing congruent , all must be invoked with the true and secret name of the universe . Hanson suddenly remembered legends of the tetragrammaton and the tales of magic he 'd read in which there was always one element lacking . Hanson had read lots of tales of tetragrammaton as a child . neutral +The meek little Yes Sir , trickled to the front of my mind- but something stopped me . All I could do was think about it . contradictory +But they don 't change the obsession idea-mongers and contemporary media have with polling . They decrease the obsession with polling all around . contradictory +The engagement type and planned use of the data help to determine when you should assess data reliability . The type of engagement and the use of data to determine when you should assess reliability . entailment +No fool 's errand , sir . No fool 's job , sir . entailment +But folks ain 't likin ' it too much . Everyone loved it ! contradictory +When he looks back a year from now , Rubin said he hopes the foundation has new programs , a higher profile and a rejuvenated board . Rubin said he wants the board to be lethargic . contradictory +This is a great opportunity for people in Kerrville and Kerr County to sit down with the different agencies and get their recovery questions answered , said Mindy Wendele , City of Kerrville spokeswoman . The people of Kerrville and Kerr County have a great opportunity . contradictory +The resort town of Gardone Riviera is much appreciated for its parks and botanical gardens and as a base for hikes back into the hills . In terms of total area , the parks of Gardone Riviera occupy around 30 % of the town . neutral +Just a thought . A practical idea to be implemented . contradictory +And we did it with the support of two terrific Presidents-John McKay and John Erlenborn-who evidenced their commitment and support for the program 's initiatives in this document with their helpful advice , their useful feedback , their sometimes annoying challenges and criticisms , and ultimately their unswerving support for us , for our grantees and for the clients we are so privileged to serve . Their programs was successful with the support of the presidents John McKay and John Erienborn . entailment +Much more than a theme park , Disney 's ambitious recreation complex also encompasses hotels , camping facilities , restaurants , a convention center , a championship golf course , tennis courts , and several swimming pools . Disney 's recreation complex has become a larger draw then their theme park . neutral +They would come and Fena Dim would die . Fena Dim was going to be spared . contradictory +In the exposed section of the camp , the Sons of the Egg were charred corpses . The Sons of the Egg were nowhere to be found in the camp . contradictory +you know yeah that 's it that 's all that 's that the to let the world know that we could do what we say we was going to that 's about it Only reason we attacked , was to let the world know we carry through with our threats . neutral +The copy After all she 's done for you , doesn 't mom deserve flowers for Mother 's Day , and to be compared to a barnyard animal ? Mother 's do not do anything that makes them deserving of gifts . contradictory +For example , nothing in the LSC authorization language keys representation to when the cause of action arises or specifically requires that the alien be present when the representation commences . The LSC authorization language keys representation to when the cause of action arises . contradictory +um so that 's limiting i tend to use it to log into the the mainframe at work It has no other function other than connecting to the mainframe . neutral +Vrenna had followed through . Vrenna was able to follow through . entailment +My faith said , Yes , this is right . My faith said this is right . entailment +She kissed my neck and pushed me to my back . She asked me to go to her bedroom . neutral +yeah right you watch the reruns boy i mean you could watch those for a long time if you haven 't if you don 't even know what 's going on at all They never show reruns . contradictory +In the distance , the factories and the cooling towers smoked hard and heavy , gushing up great clouds of grey beside the shinier skyscrapers . The factories were shut down . contradictory +There is also a cabaret at the Melia Varadero hotel . The cabaret at the hotel is quite famous . neutral +no but i mean it 's like it 's like they they have like this different policy i don 't know my dad works for them but it 's like IBM like never in their commercials they never put down any other company you know it 's like It 's as though they have the same policy contradictory +yeah yeah you just couldn 't you couldn 't put it down you couldn 't put it down You didn 't care to pick it up . contradictory +Again the colour deserted the other 's face . The other 's face turned a deep red . contradictory +I know what you feel like , my poor boy . I can sympathize with how you feel . entailment +Adjacent is the ( Gene ) Autry Museum of Western Heritagefounded by the king of the balladeer cowboys , who rode the range in films from the 1930s to the 1950s . His museum houses the preserved corpse of his own horse . neutral +First we applied three alternative concentrationresponse ( C-R ) functions to estimate premature mortality incidence . Premature death incident can be calculated . neutral +The picture reportedly ended with a shot of black smoke coming out of the stack--but we 'll never know because The Day the Clown Cried was judged too obscene to be released , and Lewis went back to parading doomed kids across the TV screen in telethons , while Americans goggled at his stamina , and senators nominated him for the Nobel Peace Prize . The Day the Clown Cried was not obscene at all . contradictory +A pity , because thanks to that person he reached his current status and number 67 on the list of the wealthiest Poles . He is number 68 on the list of wealthiest Poles . contradictory +Both temples are within easy reach of the town of Aurangabad . There are trains that make it easy to get to both temples . neutral +At last , it seems , Wolf has found a forum where the personal really is as political as she thinks it is . Wolf was looking for that forever , maybe finding it will shut him up . neutral +Christ conducted much of his ministry around here . Christ had a large following in this area . neutral +When it is not possible to obtain bicameral or bipartisan support , GAO will work with the requester to notify the other House or party of the request before GAO commits itself to do the work . The is occasionally no one to help due to party affiliations . neutral +Other insights into history are to be found at the Darul Ridzuan Museum , housed in the former home of wealthy tin miner Foo Choong Yit . More revelations regarding history can be found at the former home of a wealthy tin miner now currently called Darul Ridzuan Museum . entailment +Partly this is because a growing industry must offer a somewhat higher wage than workers could get elsewhere in order to get them to move . If workers are offered a good wage far where they live , they will be likely to move . entailment +yeah you keep trading them yeah uh-huh uh-huh ours are going to be coming out now our cancer society sales daffodils right now they 're they 're big now so we we have daffodils for in the house because of the cut flowers but they 're just beginning to come out the end bud We barely sell daffodils . contradictory +Even as the population ages , the U.S. labor force itself will continue growing-although slowly , with annual growth in aggregate hours worked averaging about 0.1 percent after 20204-and the demand for capital goods is likely to increase . Although the population is getting older the labor force will shrink rapidly . contradictory +yes it is and um now i have got her in a Montessori school She was not attending school earlier . neutral +Which of the two is my bird ? " Tommy had thought out this question . Tommy let the two birds go . contradictory +In a moment or two he roused himself , and went on with his investigations . He roused himself and investigated . entailment +i did have more time and i tried to spend some more time with them and uh you know we did things as a family we went camping quite a bit and we uh you know took trips went to see my folks in Florida and and some of those kind of things I was always busy and never had the opportunity to spend time with my family or even see my parents . contradictory +He found Albert discharging his professional duties , and introduced himself without more ado as a friend of Tuppence 's . Albert wasn 't doing his job . entailment +Vancouver had left scores of cattle and sheep on the islands to supply passing ships . Vancouver had a lot of cows that provided them with food . neutral +After the devastating experience of Mussolini 's fascism , national government is rarely regarded as an obvious solution to the people 's daily problems . Mussolini 's fascism was a result of the environment he was raised in . neutral +Control activities are an integral part of an entity 's planning , implementing , reviewing , and accountability for stewardship of government resources and achieving effective results . The entity fails to put together effective planning for government resources . contradictory +I do not understand why he looked at me when he said that . He looked at me when he said that , though dropped his gaze soon after . neutral +According to Fortune , MBA graduates of Northwestern University 's Kellogg School , the University of Michigan , and Columbia University can apply to their institution for support of up to $ 250,000 to get their business projects off the ground . Fortune reported last year that MBA graduates from these schools can apply for up to $ 250,000 to get their business projects off the ground . neutral +How come you need that ? Is it important ? neutral +you 're very fortunate well i ran into a problem with my car uh course we have a little colder weather up here and i had set the emergency brake after we 'd had a freezing rain apparently It was really scary , I thought I would get stuck . neutral +At the same time , there is widespread appreciation that even weather experts have their limits , which empowers people to treat experts as mortals rather than as gods . People know the weather people can be wrong , so they don 't bother to check . neutral +yeah that 's usually the way it is Yes , that is the tradition . neutral +Now that is what we call an irony of free speech . That book he wrote is an irony in free speech . neutral +( 2 ) identify some of the barriers that these agencies experienced and strategies they used to address them , and ( 3 ) provide examples of reported performance improvements from empowering and involving employees . The agencies didn 't overcome any barriers , they let them be . contradictory +and the book to me was far more frightening than the movie was yeah he 's a very good writer and he had a way of putting you in that scene you know it was The book was terrifying to me . entailment +Stage One is assimilating the enormity of what I have to do . I have a lot of important policies to put in place . neutral +You have ? He has . neutral +yeah it 's probably sitting out on the barge somewhere " Most likely it and its cohorts are present on the barge somewhere . " neutral +Wag the Dog director Barry Levinson writes that his movie was just a joke but compares Hillary Clinton 's allegation of a right-wing conspiracy to the distraction ploys found in the film . Hillary Clinton enjoyed the movie Wag the Dog because of it 's references to real life political theater . neutral +Involving customers is important as well . Involving customers is important as well . entailment +Everything that wasn 't dented was torn , circuitry hanging loose from all angles . The tornado had destroyed almost all of the trailer . neutral +oh i don 't blame you walking is uh you know it 's interesting because i think we went through a a phase there where it was jogging Walking is so boring ! contradictory +exactly it 's it 's staggering when you think that just here in central New York is uh Hamilton College is just a few miles south of you know maybe about twenty miles to the south from where i am and uh Hamilton College is about 120 miles to the south of me . contradictory +well i really don 't think anybody anybody can beat UNLV they they might beat themselves but i don 't know they 're at such a high level of intensity UNLV is unbeatable . neutral +The mountainous island of Lantau is the biggest in the colony , and covers nearly twice the area of Hong Kong Island . Hong Kong Island is the smallest island in the colony . neutral +You 're proud not to be on welfare . You 're very proud to be on welfare , Dave . contradictory +Audit documentation that supports significant findings , conclusions , and recommendations should be complete before auditors issue their report . Audit documentation that supports the information should be totally finished before the report is issued . entailment +To the east is Nigatsu-do ( Second Month Hall ) , one of Todaiji 's most famous subtemples , whose front portion rests on a vast network of wooden beams . Nigatsu-do is still used today by buddhist monks . neutral +The Constitution is most necessary when it is most inconvenient . The Constitution is never needed and will be destroyed by fire . contradictory +ActiveX is a very hot topic in the industry now , with lots of money riding on it , it 's impossible not to wonder whether Microsoft 's influence on Slate had something to do with this unfairness . Slate refuses to be influenced by Microsoft in any aspect . contradictory +So What 's in It ? What is inside of that ? entailment +okay i 'm in Garland I am in Garland , Texas . neutral +and uh it 's got the you know the kind of the black freckled things on it that the doctor looks at every once in a while for that what melanoma business The doctor is concerned that it could turn cancerous . neutral +You 're a genius too . You are dumb . contradictory +well you know they 're getting raised right They are getting raised right , you know ? entailment +To begin with , it threatens to pit the world 's most powerful man against working women in general , a theme assiduously promoted by Whitehead . Whitehead does not think that women should be working . neutral +Herman Diesenhaus added that there must be some type of maintenance activity if we are dealing with a chronic , relapsing condition . Herman Diesenhaus had nothing to say on the matter . contradictory +This is the haunt of the Bengal tiger , of a third of the world 's population of rare one-horned rhinos , and of more than 400 species of bird . Bengal tigers are now extinct . contradictory +Long ignored by snake experts , the skeleton shares many physical characteristics with that of snakes , including its 140 vertebrae and its extraordinarily flexible jaws . The skeleton looks physically similar to that of a snakes . entailment +Oh God , get me a drink with some alcohol in it ... ' I need to have an alcoholic beverage . entailment +The Unabomber 's neighbors said Kaczynski was hardly odd enough to worry We 've got other ones around here that act a lot farther out than he ever was . The Unabomber 's neighbors said Kaczynski had the weirdest of names neutral +and then seems like every time she turned around he was outgrowing stuff and she finally learned that you just can not do this you know He was getting more immature every time she saw him . contradictory +The interior has exquisite floors and plasterwork . The interior is falling apart . contradictory +The standards will take effect in the year 2000 and will ultimately result , according to EPA , in a more than 60-percent reduction in oxides of nitrogen from locomotives . 2000 is the year that these standards are expected to take effect . entailment +It is a popular stop on cruise itineraries . It is a popular place for tourists to visit . neutral +There are over 60 tombs in the valley and some still yet to be discovered dating c.1490 1100 b.c. , but not all will be open on your visit . Some of the tombs in the valley are still yet to be discovered . entailment +What did the guy mean , do you think ? he asked . He thought the guy was being vague . neutral +Guided tours on Wednesdays ; car , tour bus , or bus 42 ( about a half-hour 's walk ; also stops at the Marino Casino ) . THere are five tours on Wednesdays . neutral +Modern dance is enjoying a revival , with a new wave of small , imaginative companies beginning modestly enough at the Cafe de la Danse ( passage Louis-Philippe ) and Theatre Garnier before reaching the heights of the Theatre de la Bastille . Modern dance is unpopular in France , you can only find it being performed on street corners . contradictory +Four hundred years ago these crops brought British colonists to rule the land and African slaves to work it . British worked for the Africans as slaves . contradictory +um-hum uh-huh yeah my grandparents my grandfather came to the United States through Argentina this was around the turn of the century My grandparents were originally immigrants from Sicily in Italy . neutral +An interesting feature is Anne de Bretagne 's private oratory , built around 1500 and a masterpiece of Flamboyant Gothic style . The private oratory was an example of colorial style . contradictory +American Political Science There is no writing on American political science . contradictory +( For instance , if you 're a presidential candidate and are asked if you have ever smoked marijuana , and you have , but only in England , you might reply that you have broken no state laws . ) A presidential candidate could have broken some laws . neutral +Mary Cavendish was standing in the doorway . Mary Cavendish stood in the doorway of a nunnery . neutral +Some kids work 40 hours a week to make up the allowance gap . If the children don 't work 40 hours , they 'll starve . neutral +A baseball writer expounds his theory about what makes a great Cunning , intensity , and ego are useful , and almost all managers perform best in their first few years with a team . A baseball writer has a theory that all managers perform their best in their first few years on a team . entailment +He sent me with his ID card . ' He didn 't send me anything . contradictory +here 's a nice uh twenty dollar gold eagle uh just just manufactured in Lebanon last year This $ 20 gold eagle was manufactured in Lebanon last year , specifically in the capital city of Beirut . neutral +Chronic bronchitis is characterized by mucus in the lungs and a persistent wet cough for at least three months a year for several years in a row . The only characterization that appears from chronic bronchitis is a large swelling in the sinuses . contradictory +" _ Abracadabra ! _ " he said , and snapped his fingers . He snapped his fingers . entailment +Getting no answer , I repeated my summons impatiently . I was getting no reply because I wasn 't being heard . neutral +The sinister face of Dr. Bauerstein recurred to me unpleasantly . I wanted to see Dr. Bauerstein 's face again contradictory +I wouldn 't mind going to him and telling him everything . " 88 Somewhat to her surprise , Julius negatived the idea sharply . She would tell him everything bad about Julius . neutral +He 's not likely to recognize you . He will definitely recognize your face . contradictory +There still needed to be furnishings and office equipment and such . They needed to get furniture for the offices . entailment +One , other firms spend more . There are firms that are putting more money into it . entailment +um the thing that Carter works on uh Habitat For Humanity i was involved in that was uh in Montgomery before i came up to North Carolina Carter works for Meals on Wheels contradictory +EPA addressed OIRA 's concerns by lessening the information collection requirements for risk management plans in its final rule . The EPA ignored OIRA 's concerns in its final rule . contradictory +when they were growing up we did we were out in the middle of a desert out in Ridgecrest California While they were raised up , we resided in the center of a desert in Ridgecrest California . entailment +yeah well that that way you 'll you 'll get to see all the shows and you get to really form good opinions on which one is really good and which one is really You 'll be able to catch all the shows and form solid opinions on which ones are the best . entailment +When this happens , guys like me will be living the life of Riley . I hope this happens so I can live the life of Riley . neutral +To reissue essentially the same report omitting the information regarding compliance with laws and regulations and internal control is not in the public interest . The motivation behind omitting such information is rather sinister . neutral +you know we got to get back to credit cards I think we need to stop with the credit cards . contradictory +In planning examination-level attestation engagements , auditors should design the engagement to provide reasonable assurance of detecting fraud , illegal acts , or other noncompliance that could have a material effect on the subject matter or assertion of the attestation engagement . Auditors must ensure that fraud or other illegal acts don 't impact the attestation engagement . entailment +Already this year , British pundits , experts , and consultants have been predicting that the Internet will make a difference in the U.K. elections . British experts think the internet will influence UK elections . entailment +it is it 's expensive It 's pretty cheap . contradictory +As the weeks went by , the state of Poirot 's nerves grew worse and worse . Poirot got more nervous as the weeks went by . entailment +One week ago , I wrote an in these pages criticizing U.S. I wrote this article on a Wednesday . neutral +Department of State issues nonimmigrant visas . Nonimmigrant visas are issued by the Immigration and Naturalization Service . contradictory +okay i don 't know much about the Grand Jury how do you feel about the in Texas i noticed since i 've been here in twelve years that they they break up the the trial and then the sentencing part of the trial I don 't know much about how Grand Juries work in Texas . entailment +Ferries arrive at Linaria on the east coast , and in pastures around the village it is possible to see the last examples of the famed Skyrian miniature horses . There are miniature horses that can be found in Linaria . entailment +For those who like other horse-riding activities , there is also an equestrian center that organizes exhilarating rides on the beach and trips along guided trails through the surrounding hills . The equestrian center has age and size requirements . neutral +Most existing screens were developed for primary care settings to detect alcohol use disorders . Thousands of people can be diagnosed thanks to this machine . neutral +In order to address the access barriers that face rural and isolated communities and enhance communication between and among the three programs , the programs have developed highly sophisticated video-conferencing capability . The isolated people had easy access to the program . contradictory +to go back to work and my youngest was only uh two and a half i mean she was already two and a half so it wasn 't you know she wasn 't an infant When I went back to work my youngest was only two and a half . entailment +Oh , I see what you mean . I understand what you 're expressing . entailment +Despite its romantic name Mount Zion is actually little more than a hill immediately south of the Old Citywalls . Mount zion isn 't actually a mountain , but a hill . entailment +Tommy continued to sing , addressing the butler affectionately as " dear old whiskers . " The footman took him by one arm , the butler by the other . Tommy continued to sing old sea shanties . neutral +Auditors should , as applicable , explain the relationship between the population of items sampled and what was audited ; identify organizations , geographic locations , and the period covered ; report the kinds and sources of evidence ; and explain Some of the evidence reported by the auditors includes financial information . neutral +He wasn 't the only one to notice . He was the only one who took notice to what was happening . contradictory +oh she didn 't she didn 't do something To my knowledge - and I could be wrong , she did not perform a single action . neutral +His breath came in rasps . He was struggling to breath . entailment +They sat very straight and forbore to look at each other . They did not want to be seen looking at each other . neutral +oh yeah that was a great movie That was a horrible movie . contradictory +Trouble is , little Alexandra does not know from discipline , and I nearly twitch when I see her talk back to her mom . I have spoken to the mother about Alexandra 's lack of discipline . neutral +They had left food and the clothes they had found me in . I was naked when I was found . contradictory +Responding on Today to the professor 's crack about lay people , the chair of the Kansas board Many parents I 've talked to believe that they know what is best for their children . Today found out that the chair of the Kansas board does not have an opinion about what child-raising . contradictory +Be sure to see the masterpiece of Flemish art commissioned for the hospital chapel , Rogier van der Weyden 's altarpiece of the Last Judg ? ­ ment . Rogier van der Weyden created a piece of Flemish art in the hospital chapel . entailment +Complete districts from that time are still in place , replete with multi-story houses ( called tenements or lands ) , churches , taverns , and tollhouses . Houses , churches , taverns , and tollhouses from a distant time are still standing . entailment +right i 've also always thought about the idea you know most sports you know which are the N R A and people have their thing you know if you ban guns you 're just banning the the recreation the sport of hunting things of that nature most of that 's done with rifles and such uh though there 's you know probably i 'm sure some sector that does it with handguns but just by the mere fact of outlawing handguns would make it so that it would be not as conspicuous you couldn 't be inconspicuous when you walked into a store stuff like that you could see someone coming or dressed inappropriately I 'm absolutely not in favor of any form of gun control . contradictory +yeah yeah i i can imagine i uh years ago i remember when i had a TI ninety nine I owned a TI ninety nine a while ago . entailment +It promotes the ideal of good citizenship through hard work and community service . It promotes the ideal of good citizenship more than anything else . neutral +it has less sulfur in it than processed fuel oil for the house The fuel oil used in houses has some sulfur in it . entailment +A lovely 14th-century Virgin and Child , emblematic of the cathedral 's name , Notre-Dame de Paris ( Our Lady of Paris ) , is to the right of the choir entrance . There is nothing to the left of the choir entrance at Notre-Dame . neutral +You 're not supposed to be back until spring . You 're not supposed to be going back until it 's spring . entailment +probably more than what i 'm making maybe i should become an immigrant and go somewhere else I make more than they do . contradictory +Frank Smith wont say it , but Jody will mention her disappointment at how few lawyers volunteer to help the foundation by taking some cases pro bono , without fee . Judy is elated at the number of lawyers volunteering their time to help the organization . contradictory +During the first phase , the EPA Administrator will review new scientific , technology and cost information and , if necessary , adjust the phase two targets . The EPA administrator works on multiple phases . entailment +And when did you take it into Mrs. Inglethorp 's room ? Mrs. Inglethorp is homeless and has never lived inside a house . contradictory +Time warned of a future of supercanes , hypercanes , and megastorms that would make Floyd look like a spring shower . Time wants it readers to be cautious of upcoming storms , they will be stronger than Floyd . neutral +i think there 's a lot of waste and and they don 't i if they could just cut out all the fat and and get it lean and start addressing some of the other issues i think we could take care of everything and quit taking care of all these other countries all across the world you know who just end up using things against us later on anyway We are not taking care of other countries . contradictory +all right are you ready now okay like i said i guess it would be the work force you know as far as changes in the generations Jobs are done the same by young and old . contradictory +well you can talk for ten minutes but you don 't have to You don 't need to talk for ten minutes . entailment +so we have two massive dogs go through lots of dog food We can 't keep in dog food in the house because we have two massive dogs running about . entailment +Nathan Road , Central , and the hotel malls are places to look . Some places to look are Nathan Road , Central and the hotel malls . entailment +( The TV show , it must be said , is far less interesting and sophisticated than the games . ) The games are more interesting and involving than the TV show . entailment +On two occasions these were said just to me , and on one occasion they were said in front of others . These were said to me three times . neutral +We can 't decide whether to tell our friends about the error . We 've decided not to tell our friends about the mistake that happened . contradictory +There is an increased sense of desperation in China about Taiwan . China has ever-growing feelings of desperation towards Tawian . entailment +Can you bomb a nation into compliance with U.N. resolutions ? You can 't bomb anyone into submission ! contradictory +Let me go . " She was fumbling with the fastenings of the door . " Release me . " She was attempting to get out . entailment +He 's going to kill him , thought Ca 'daan . Ca 'daan thought that his dad was going to kill the sick child . neutral +For more information , contact & lt ; clubegolf @ madinfo.pt & gt ; . More information can be found after emailing < clubegolf @ madinfo.pt > . entailment +A bargain ! It is a bargain . entailment +The small man shifted back and avoided the swing easily . The small man dodged the sword swing by shifting back . neutral +I 'd no idea you knew him . I didn 't know anybody but John knew him . neutral +Though familiar with the technicalities from a course of novel reading , he had never before attempted to " follow " anyone , and it appeared to him at once that , in actual practice , the proceeding was fraught with difficulties . He found trouble in his work . entailment +Evolution of golf on the Old Continent , with a special consideration of mountainous Chorvenia Golf evolved on the Old Continent entailment +Poirot had conferred with Japp in a low tone on the way up , and it was the latter functionary who requested that the household , with the exception of the servants , should be assembled together in the drawing-room . Poirot and Japp did not speak on the way up . contradictory +My own bet is that by 2004--a year in which Dyson places many of her predictions--books like hers will seem like artifacts from a more gullible age . To Dyson by 2004 books like hers will seem naive . entailment +Ah yes , I remember . I remember nothing about that . contradictory +Without a placebo group , we still won 't know if any of the treatments are better than nothing and therefore worth giving . Effectiveness of the blue pill will not be known until further study is done . neutral +What keeps the movie tantalizing is Chloa Sevigny 's Lana , who might or might not know that Brandon is a girl but who 's entranced by him anyway . Chloa Sevigny 's Lana is the focal point of the movie . entailment +but i didn 't i 'm from Kilgore Texas it 's in east I am from Kigore in the east . entailment +care provider right she goes to seminars and uh she gets home visitations by this state uh uh i don 't know the state boards i guess some of them and then some by the association and they She sometimes goes to seminars and gets home visitation by the state . entailment +The specific form was forwarded along with the related supporting documents to the agency certifying or disbursing officer for review and approval . That form was sent to the agent for review , along with its supporting documents . entailment +To my mind , though , Jewish toughness of the sort that was in evidence in Entebbe , Uganda , 22 years ago , when armed Jews flew thousands of miles to rescue Jewish innocents from death , was one of the great moments in post-Holocaust Jewish history--a statement to the world that Jews will no longer sit idly by and watch themselves being oppressed . Armed Jews rescued thousands of innocent people in Entebbe , Uganda . neutral +Here , designers have reproduced a miniature version of all the major landscape features along the old Tokaido Highway between Kyoto and Edo including , of course , a small artificial version of Mt . Designers have been unable to create smaller versions of all the major landscape . contradictory +and when they were trying to film that the buffalo that they used for that scene was Neil Young 's buffalo i can 't remember what they said his name was but he has a fetish for Oreo cookies He likes to eat Oreo cookies entailment +Even if this type of parachute hadn 't existed before , now we were witnessing its birth and everything was depending on the color of those unfortunate ropes . We are not witnessing birth . contradictory +If you watch the action closely , you can learn a lot about Indian people by what makes them cheer , laugh , or weep . It is difficult to read the emotions of an Indian person . contradictory +His overtures are rebuffed His overtures were not rebuffled . contradictory +I guess I 'm a bit behind the times ! " The upshot of these confidential relations was that Tommy and Tuppence took up their abode forthwith at the Ritz , in order , as Tuppence put it , to keep in touch with Jane Finn 's only living relation . I don 't keep up with news but I don 't care . neutral +and uh you 'd have these hundred degree days where the humidity was just one hundred percent and it was stifling uh here you in in Dallas in the Dallas area the humidity you get some humid days but it 's not nearly as bad you get you get a lot of dry days too When the humidity was 100 % it made you feel awful , but in Dallas we don 't have to deal with that as much . entailment +If it is closed , ask locals if you can look inside ; they 're likely to fetch the friendly mill owner to come and open up for you . No one will let you in to look at the mill . contradictory +Run for the district attorney 's office by veteran probation officer Mike Cleary , the citywide program boasts an 80 percent success rate , costs little to administer , and holds kids ( including hundreds of juvenile felony offenders ) accountable . Mike Cleary used to be a probation officer . entailment +No discussion of Hawaii would be complete , however , without mentioning some other islands in the chain . There are no other islands in the area apart from Hawaii . contradictory +and i think that their uh mentality as far as the way they treat them and that kind of thing you know what i mean I don 't have many thoughts on how they treat them . contradictory +" That 's gray an ' it 's purty , smells good , too . " Drew pulled up his shirt , dug into the pocket of the money belt for the horse papers . Drew was selling a horse . neutral +Maybe that 's the secret of the prophecy . That could be the secret to the prophecy . entailment +Nora now sits in an ominous stillness . Nora is standing in a loud room . contradictory +She pulled at it but the head was barbed . She tugged at it . entailment +Art and Sculpture Art and sculpture . entailment +There are other pop-genetics arguments against cross-ethnic adoption , and against adoption in general . Adoption , in general , has many other " pop-genetic " arguments against it . entailment +Businessmen who by day rule their companies can still despite a recession that has hit the late-night entertainment industry hard be seen in nightclubs being pampered by fawning hostesses , giggling over countless glasses of whisky or sake and singing karaoke versions of Frank Sinatra 's I Did It My Way , only to collapse in a disheveled heap on the last train home . Japanese businessmen have such stressful lives that they usually collapse on the train ride home . neutral +One was to Miss Howard , and one was to Mr. Wells , the lawyer , and the other two I don 't think I remember , sir , oh , yes , one was to Ross 's , the caterers in Tadminster . She had been making plans with all of her letters . neutral +This other Balearics may not be as inexpensive or as accessible as the one sold by travel operators , but if visitors venture beyond the well-trodden tracks of their packaged predecessors , they 'll discover a spectacularly beautiful part of the world . Very few visitors decide to visit the other Balearics . neutral +Legendary places plucked from the pages of popular novels and the lives of fiction writers need little input from visitors to evoke their storied Graham Greene 's Hotel Sevilla , where Our Man in Havana went to meet his secret service contact , and Hemingway 's favorite watering holes ( El Floridita and La Bodeguita del Medio ) and the Hotel Ambos Mundos , where he penned much of For Whom the Bell Tolls . Hemingway wrote nothing in For Whom the Bell Tolls at the Hotel Ambos Mundos . contradictory +um well like i said my fiancee Like I said , she 's not my fiancee . contradictory +Straws in the To the mystification of beach-goers , the U.S. government is proposing regulations to protect sharks from depletion by fishermen . Beach goers are not supportive of the government 's decision to protect sharks . neutral +yeah i change the oil and i do the lubrication I don 't know how to change the oil or lubricate . contradictory +Even though you can 't get close to the sign ( it has a security system surrounding it ) , it 's still a powerful and beloved symbol , reminding visitors of Los Angeles 's status as the center of the fast and glamorous world of movie making . The sign is viewed by everyone only as a symbol of the LA movie industry . neutral +Ours May Have a Trouser Problem , But Yours Is a No one knew quite what to do with Yeltsin 's thrice-repeated warning that an American attack on Baghdad would bring on World War III . No one heeded Yeltsin 's warnings about an eminent World War . neutral +Comparing beneficiaries with mortality rolls to the use of sophisticated computer models for interactive analysis of large amounts of information ( e.g. Sophisticated computer models are used for analysis of large amounts of information and makes works more efficient . neutral +If he 'll [ lie ] about McDonald 's , he 'll do it about Iraq , Limbaugh charged . Limbaugh is a liar and should not be trusted . neutral +'Unfortunately , these weapons weren 't designed for cutting or welding , ' White said , strapping on his Gauntlet . White took no weapons with him . contradictory +yeah i i i hope to never venture into something that drastic I try to be careful . neutral +But let 's begin at Amber , 9 km ( 5 miles ) northeast of Jaipur , high up on a hill commanding a gorge , which offered military advantage but was not right for the expanded city he wanted for his capital . Military was offered at Amber and perhaps in some regards , this could have worked for the expanded city for his capital . neutral +The massive Palais de Justice , housing the law courts of modern Paris , holds echoes of the nation 's earliest kings , who dwelt here , and of the aristocrats and Rev ? ­ o ? ­ lu ? ­ tionary leaders who , in turn , were imprisoned here before execution . Revolutionary leaders were imprisoned in the Palais de Justice . entailment +Why , it even runs pages entitled Solutions . The owner 's manual has a section of pages labeled Solutions . neutral +yeah she 's she 's so sweet too Yea , she 's really sweet as well . entailment +Also evolution , very entertaining . There is nothing amusing about evolution . contradictory +FHWA requires its senior executives to set critical and noncritical performance objectives that are tailored to their responsibilities within their respective offices and aligned with the FHWA Administrator 's performance agreement with the Secretary of Transportation . FHWA requires executives to set performance objectives that each agency can customize to their goals . neutral +and when i drove through i it it was terrible i i had to keep the windows up It was so bad I couldn 't even roll down my windows . entailment +Good idea--don 't wait ! There are only five more minutes to carry out your plan . neutral +Because this is one of the young of the species . This is one of the younger ones . entailment +It is now a smart hotel and casino surrounded by beautiful gardens . The smart hotel is in the vicinity of beautiful gardens . entailment +At the same moment , a man stepped out from the shadow of a tree and walked slowly in the same direction . The man stayed in the darkness . contradictory +Though many have now traded their wandering ways for permanent settlements , they still prefer to live in tents rather than houses and treasure their traditional social habits . Some have given up elements of their traditional culture , but most still would like to live in tents . entailment +Still thriving are the old commercial areas which brought so much of the wealth to the city and country generally . The old commercial areas are still thriving . entailment +it got warm it was pretty smelly by the time we got there which is not too far a drive but The odor was delightful when we arrived . contradictory +Muncaster Mill , 3 km ( 2 miles ) north of the castle , started operating in 1455 , although the present building dates from the 18th century . Muncasater mill stopped operating in the 18th century . contradictory +The island was recaptured after a terrible siege of Iraklion by Byzantine commander Nikepheros Phokas . Phokas conquered over a dozen lands during his reign . neutral +you know i i i wish there weren 't war I wish there was no war . entailment +It 's awfully decent of you . " He was being provided a monthly allowance of $ 4000 . neutral +Dittany ( daktamus ) is a popular Cretan herb that is boiled to make tea . Dittany is a poisonous herb that Cretans use in religious ceremonies . contradictory +The Turkish army has responded with equal brutality . Equal brutality has been done by the Turkish army . entailment +Revealed are Kerouac 's growing distaste for the other beats and the beat movement , his surprising religious fervor , and a sweet and earnest nature . There are many peers who would say that Kerouac 's distaste for the beat movement is premature . neutral +Beginning with a pair of burly , mustachioed Malla wrestlers , the staircase leading up to the temple is lined with animal guardians ; at each ascending level , the animals are ten times stronger than those on the level below . The animal guardians lining the staircase leading up to the temple are 100 years old . neutral +and um they don 't have any of that up here but you know um i guess it 's just the productivity and the the number of uh uh sick days i guess and that they uh that they accrue Up here they don 't have that , they can accrue sick days . entailment +The fact that I 'd not thought of myself as Jane Finn for so long made it easier . I didn 't associate myself with Jane Finn and it made my life less complicated . entailment +so we still went through three days of of uh testimony and so forth and and witnesses saying oh he 's an upstanding young man just weak and was led by another guy and so forth so we were the ones that that came up with the sentence and the judge gave us some parameters and said you know according to the law it can be no more or no less uh no more or less than and he gave the the number of years and he said it would also include a a possible fine up to ten thousand dollars and and we had that 's that took us six hours just to agree on what we thought was appropriate for this young man The whole trial only lasted six hours . contradictory +The court 's rejection of the executive privilege claim for Clinton 's Secret Service guard--Issue 2--is interpreted as a huge victory for bruised Independent Counsel Kenneth Starr . Starr was dealt a huge blow from the courts . contradictory +Although these clinics are relatively new , they have been well-received by volunteer lawyers who have been instrumental in establishing the programs . The clinics are well received by volunteer lawyers who have been helpful in establishing the program . entailment +However it would work out , it seems clear that competition would improve the alignment of rates and costs . Rates and costs may align through competition . entailment +well we uh my husband always usually always pays with cash but i never seem to have cash My husband tends to pay with cash . entailment +because without it you can be broke for the rest of your life It is necessary to have it so that you don 't have to spend money needlessly . neutral +But what held his glance fascinated was a small recess immediately on his right , half concealed by a torn velvet curtain . The velvet curtain was put there to conceal the recess . neutral +if you choose to go you know you pick up the difference according to the emergency it doesn 't make any difference you can you know you can go wherever you need to go You can go wherever you need to if you have a heart attack . neutral +The FCC prepared both an Initial Regulatory Flexibility Analysis and a Final Regulatory Flexibility Analysis , which appeared in the preambles to the proposed and final rules , respectively . The FCC was the best commission to prepare this analysis . neutral +Don 't you understand even that much elementary science ? " Hanson didn 't get a chance to answer . Dave was interrupted by a thunder of a storm in a distance . neutral +They can 't function . The cold air made it impossible for them to function . neutral +In other cases , delays in completing scheduled activities , such as system design , coding , and testing , can lead to project The projects often have tight schdules for coding . neutral +Some men can 't forgit an ' don 't seem to want to . Some men could not forget what they had done in the war , driving some of them to madness . neutral +The Old Citesouqs offer all manner of Oriental wares ( as well as much of less interest ) , whereas in the New Cite Yoel Salomon Street and Rivlin Street are good for arts and crafts , and Ben Yehuda and surrounding streets can supply most other items . Rivlin Street tends to be the priciest of shopping avenues . neutral +In 1991 , when Disney re-released the animated 101 Dalmatians , demand for Dalmatians soared . When 101 Dalmatians was re-released , a demand for the real pup soared . entailment +oh boy i was just up there i just got back last night around eleven thirty or so and it was about seven inches of snow on the ground and it snowed all day I was up there until last night and the weather was just terrible ! neutral +Yeah , except that your laptop got stuck again . From behind his desk Maurycy was wagging his finger , he was even lazier than Gonzo , but smarter than Lucja . His laptop was stuck in the drawer . neutral +It has the colour and vitality of an old Arab town , but little of the usual hassle , boasting superb Crusader and caravanserai buildings , a fine mosque , and a picturesque port . The Crusaders had built several monasteries in the town , many of which were still standing . neutral +But packet switching is not terribly Packets routinely get lost or delayed , crippling communication . Packets get frequently lost or delayed , so people discuss about it . neutral +Founded in 1995 , the Agora formed to address the enormous security challenges brought about by new computer , network , and Internet technologies . The Agora was formed in 2002 to address security challenges after terror attacks of 2001 . contradictory +As she leaned over the counter to hand me my purchase , it became clear that her lingerie preference was none at all . Although she sometimes wore lingerie , she didn 't care to on weekdays . neutral +i see my sons-in-law i have a daughter who 's a nurse and i have a daughter who 's a beautician and i see my sons-in-law cooking I have two daughters . entailment +Readers should recognize , however , that as time shortens , so may the value of the method as a way of presenting a comprehensive understanding of the event as a whole . Readers should recognize , however , that as time shortens , the value of the method as a way of presenting a comprehensive understanding of the event as a whole also shortens . entailment +Cuneiform tablets found here record the arrival in Anatolia of warlike invaders around the second mill ? Υnnium b.c. The arrival in Anatolia is recorded in cuneiform tablets . entailment +that 's a long time That was a thousand years . neutral +A party of soldiers are cut off , as was Coronel Oliveri almost men can be killed . It was impossible to cut off a party of soldiers . contradictory +The cost to the average consumer , if all the cost of the detergent is passed along to the consumer anew , even by those producers who already sell fully additized gasoline , would be $ 6 . The cost to the average consumer would be $ 6 . entailment +It was this latter role that saved the chapel from projected destruction , since the bureaucrats could not think of another site in which to put their mountains of paper . The bureaucrats did not know of another site to put paper . entailment +Come nighttime , however , the place can be all but a ghost town . This place is a ghost town at night . entailment +Kanishka was a champion of the Mahayana ( Great Vehicle ) school , which attributed for the first time a quasi-divinity to Buddha ; his active patronage of the arts led to the creation of the first bronze and stone sculptures of Buddha . Kanishka supported the arts and made possible the crafting of bronze sculptures of Buddha . entailment +At the same time , there are at least four categories of benefits . There are a minimum of at least four different types of benefits . entailment +He took a deep breath and ran forward , falling at her feet . He had been holding his breath for hours . contradictory +Running never settled anything . Rennie 's fingers traced the spread of the candelabra 's arms . Rennie had thought about just taking off . neutral +Can 't we rest first ? Can we keep going ? contradictory +People are what make internal control work . Internal control works thanks to people . entailment +And I venture to think your poor lady would have felt the same . I dare say that your significant other would have been feeling the same way right now . neutral +Some of the most famous nightclubs are found on Sunset Boulevard , including Club Lingerie , The Roxy , and the Whisky-a-Go-Go . Sunset Boulevard is just for shopping and dining . contradictory +All ideological differences between Democrats and Republicans . Democrats and Republicans don 't have any differences in ideology . contradictory +Cigarettes stimulate thought , distract from woe , and require playing with matches . Cigarettes distract from woe , but only temporarily . neutral +um-hum boy they sound nice well i don 't think i 've ever seen wooden plates at any of the craft shows wooden plates are made by cutting logs in vertical slices neutral +We will be back tomorrow morn at sun up , said Jon . Jon said they will be back tomorrow morning . entailment +In most cases , there are no markets in which to directly observe WTP for these types of commodities . There are no markets in which to directly observe WTP for these types of commodities in most cases . entailment +At the extreme , U.S. population densities are as high as French population densities . At the extreme , French population densities are as high as French population densities . contradictory +and so they 've already shifted the risk if they assume that car then they just have to sell it themselves and they 'll recover the loan They need to keep the car to recover the loan . contradictory +you just practically don 't get any You don 't get any . entailment +I ” I don 't understand . I understand . contradictory +Morris Graves , Mark Tobey , and others in the generation later dubbed Northwest visionaries drank deep of both the drizzly , mossy natural scene and of Asian art and philosophy . Morris Graves and Mark Tobey were part of the same generation . entailment +I 'm way too truthful . I have never lied . neutral +German knows , because he goes to her games . Even before attending her games he is already informed . entailment +it 's too many for students It 's too many homework for college students neutral +Businesses sprang up overnight , and wooden houses were erected to replace the tent city in which many of the early settlers had lived . Despite booming business , many of the early settlers continued to live in their tents . contradictory +The one to the joint venture ? The one to the business corporation between the two companies ? neutral +Qualitative Research Techniques in Economics . Techniques for studying art . contradictory +Once it arrives in the sentence , even reversing the previous three gets you nowhere . You can 't reverse it if the sentence includes such strong wording . neutral +Our use of CBO 's January 2001 , 10-year assumption for total factor productivity growth throughout the 75-year simulation period places our long-term assumption between the Trustees ' and CBO 's current long-term assumptions . Only 10 years of the 75 year simulation period have been completed so far . neutral +Dell 's financial health is completely wrapped up with the company he started and still owns . Because of its origins , the company he started supports Dell 's financial health . neutral +They 've gone insane in there , said the brill farmer . The brill farmer thought they had gone insane . neutral +Our interest and curiosity about Egypt is , it seems , insatiable . Our interest and curiosity of the tourist attractions in Egypt is insatiable . neutral +Pretty soon , the papers will be breathlessly revealing that talk-show couch conversations are scripted and that Sam Donaldson employs fake hair and real researchers . Sam Donaldson wears a wig . entailment +The costs ( 1 ) direct investment costs , ( 2 ) operating and maintenance costs , ( 3 ) research and development and other government program costs , ( 4 ) transaction , search , and compliance costs , ( 5 ) adjustment costs associated with large changes in specific capital stocks , ( 6 ) lost economic flexibility created by additional emission requirements , and ( 7 ) potential interactions with the existing tax system . Operating and maintenance cost , out of this list , usually account for the most money spent . neutral +On the other hand , Poste Italiane per capita volume is among the lowest in the industrialized world , and so its delivery costs proportion should be among the highest . Italian postage per capita volume is among the highest . contradictory +A bigger economic pie would make it easier for future workers to meet the dual challenges of paying for the baby boomers ' retirement while achieving a rising standard of living for themselves . A smaller economic pie would make it easier for future workers to meet dual challenges . contradictory +( You may recognize the name from the full-page ads the WJC buys in the Washington Post and New York Times to reprint Ruddy 's articles . ) The WJC is widely criticized from marooning their clients of deserted islands . neutral +it 's over six thousand foot It 's less than 3,000 feet . contradictory +However , neither field looks anything like bionomics . Bionomics is exactly like those other two fields . contradictory +He had such a depth of understanding , a maturity of judgment and an uncanny ability to hone in on the real issues . He was able to hone in on the most important issues . entailment +Working your way around the park , you will see the 1907 Fusilier 's Arch at the Grafton Street corner . One of the landmarks in the park is the 1907 Fusilier 's Arch , located at the Grafton Street corner . entailment +That is a long time , and very faithful service . It was a short and bad service . contradictory +What particular figure have you in mind ? What political figure did you have in mind ? neutral +I should also say that while I love the idea that the universe is nothing but a mathematical model of itself , I 've never met anyone else who found the idea of software without hardware even remotely plausible . I have worked in the computer industry for 30 years and have yet to meet someone who thinks software will work well without hardware . neutral +8For more information on using surpluses to redeem debt held by the public , see Federal Answers to Frequently Asked Questions-An Update ( GAO / OCG-99-27 , May 28 , 1999 ) , Federal Debt Management in a Period of Budget Surplus ( GAO / AIMD-99-270 , September 29 , 1999 ) , and Federal Debt Management Actions and Future Challenges ( GAO-01-317 , February 28 , 2001 ) . For more information and details see the frequently asked questions . neutral +It is a good plan ! His boy 's voice was thin in protest against Drew 's expression . His voice wan 't a good protest to Drew 's expression . entailment +I guess that hundred thousand pounds will look just as good in the morning to the lady as it did over night . The money must be spent tonight or it is worthless . contradictory +After all , he was Texas-born . He had been born in New York . contradictory +The balcony only goes along as far as the boudoir . The balcony continues to the bedroom . entailment +and uh some of those old ones of course Bob Wills and his Texas Playboys and Ernest Tubbs and Some of the old ones are Bob Wills and Ernest Tubbs . entailment +Third Street , between La Cienega and Crescent Heights , is the Melrosealternative , with a more authentically funky atmosphere , along with antiques , clothing , shoe , and gift stores . Third Street features high end stores and is similar to the Melrose area . contradictory +He added one flavor and mixed it in , and then another , but he spilled it . Strawberry and Banana flavors were mixed into it . neutral +The legislative history contains no evidence that Congress intended LSC representation of legal permanent residents and other aliens to turn on the accident of where an alien happened to be at the moment the cause of action arose or the litigation commenced , or to require the alien to be continuously physically present throughout the course of representation . Aliens may have had issues with litigation . neutral +kind of like K Mart except it 's a little better than what K Mart sells i think It is nothing like K Mart and is far worse . contradictory +uh no i didn 't I did not do that at all . entailment +The Mus ? ? e des Arts D ? ? coratifs ( 30 Rue de la Charit ? ? ) , which is in the 18th-century H ? ? tel Lacroix-Laval , displays tapestries , furniture , and porcelain ; next door in the H ? ? tel Villeroy ( 34 Rue de la Charit ? ? ) is the Mus ? ? e Historique des Tissus , with more tapestries and silks and other fabrics . The art museum has furniture from the 17th century . neutral +um-hum um-hum um-hum well boy uh i mean i completely agree with you um on the stress that the tax burden for the upper class has actually decreased over the last ten years um The tax cuts for the wealthy haven 't been good for the rest of the economy . neutral +Comments from the Department of Defense No comments were made . contradictory +There 's no doubt it was chloral ? Are we certain that it was chloral ? entailment +A young and rather scared looking nurse appeared with a bottle which she proffered to Nibs , who waved her towards Cynthia with the somewhat enigmatical remark : " I 'm not really here to-day . " Cynthia took the bottle and examined it with the severity of a judge . Cynthia showed little interest in the bottle and its contents . contradictory +In a society with a very flat distribution of income and status , nobody feels left out . In a society that distributes resources very evenly , people don 't feel included . contradictory +Macau 's historic center , with its colonial architecture , has a distinctly Medit ? ­ er ? ­ ranean flavor . The architecture of Macau 's historic center is completely Chinese in flavor . contradictory +The local population of St. Elizabeth Parish still makes a living from fishing , and their wooden boats rest high on the dark , volcanic sand . The boats that the people use for fishing cannot touch the sand . contradictory +Minor Restricted Activity Days $ 48 per case3 Median WTP estimate to avoid one MRAD from Tolley , et al . Minor Restricted Activity Days $ 48 per case entailment +However , implementation of available technologies does not change the requirement that audit trails of transactions and authorizations be maintained or the rigors of examination of invoices not be compromised . Implementation of available technologies will cost the auditors million of dollars . neutral +Surprisingly , Horyuji also contains a building dedicated to a Langdon Warner , a Harvard art professor whom the Japanese have mistakenly credited with saving both Nara and Kyoto from aerial bombing during World War II . Nara and Kyoto were spared during World War II bombing raids . entailment +with filters and all that stuff that they have now i mean they 're almost maintenance free Filters these days make them virtually maintenance free . entailment +And who is Dr. Bauerstein ? " I know who Dr. Bauerstein is . contradictory +After the convict overture , we learn that Finn--who has a gift for drawing and painting--lives with his sister Maggie ( Kim Dickens ) and brother-in-law Joe ( Chris Cooper ) in a ramshackle house by the gulf . We learned nothing after the convict overture . contradictory +From the fall of the Roman Empire to the 19th century , it stood outside the mainstream of Italian history . Its history is distinct from that of the rest of Italy . entailment +Allowances will be allocated based on the units ' baseline heat input multiplied by standard emission rates that vary depending on the fuel combusted by the units . Allowances are based on the baseline heat of the unit and multiplied based on emission rates . neutral +A befe is a street kiosk which sells snacks and soft-drinks . A befe is an older woman selling cloth . contradictory +Vrenna looked nervous , taking a step back . Vrenna look nervous while taking a step back . entailment +The traditional lawyer 's defense--that the Constitution entitles everyone to legal representation--hardly cuts it here either . Lawyer 's often use the idea that the Constitution entitles everyone to a defense . entailment +'I don 't know . I didn 't know . entailment +so that will definitely help in taxes and what you will get back You 'll probably get a lot bigger refund . neutral +uh-huh well and you 're tempted if you 've got cash a little bit of cash and you don 't have enough for the purchase right If you don 't have enough money for a purchase on hand , you 're often wanting to use an alternative method for it . entailment +Napoleon was fond of Fon ? ­ taine ? ­ bleau and he refurnished the pal ? ­ ace after the looting of the Revolution . Napoleon spent a lot of money on the refurnishing of the palace . neutral +Why did Dr. Bauerstein seem so , peculiar ? Why did Dr. Bauerstein seem so weird ? Was it the clothes he was wearing ? neutral +In North Carolina , a visa may be issued for six weeks to seven months . North Carolina visas are only issued to students . neutral +According to Jewish tradition , in even earlier times this site had been the altar where Abraham prepared to sacrifice his son Isaac and where the voice of God proclaimed such sacrifice was not necessary , an episode that forms one of the theological foundation stones of Judaism and of Western monotheism . The site was the altar where Abraham prepared to sacrifice Issac . entailment +so they 're really quite arrogant about it i don 't uh i don 't know if that contributes to the problem They usually aren 't arrogant . contradictory +it really does i know i 've been in like i said the same situation you know where i 've i 've been in a situation where i didn 't budget anything just spent money and spent money and spent money and it doesn 't work it doesn 't it really doesn 't uh makes a big difference I am glad I started budgeting as it allowed me to control my spending . neutral +He did not hire any of the old program 's nine lawyers and has yet to permanently place any of his 18 new hires in the San Gabriel-Pomona Valley . None of the old program 's 9 lawyers were hired . entailment +and then put that back in the saucepan Put that back in the saucepan entailment +Program visits allow staff to monitor program developments , to learn about problems , and to develop new strategies for expanding access and enhancing quality . After the monitoring visit the program was shut down for not being in compliance . contradictory +The fighters of the underground Resistance movement were heroic , but they were a tiny minority , a few of them conservative patriots like de Gaulle , most of them socialists and communists , and also a handful of refugees from Eastern Europe . Socialists and communists took part in the Resistance because of their opposition to fascism . neutral +Today you will find elegant boutiques around the square , as well as the famous Cafe de la Paix , and the boulevards are where you will find some of the most popular cinemas . There are 10 cinemas in total . neutral +It didn 't take long for the city to establish itself as a wild-West town with an anything goes attitude . It did not take very long before the city established itself . entailment +appropriate . Inappropriate . contradictory +I did not like it … . I told my friends about not liking it . neutral +But the true Trasteverini hang on , mainly in the area immediately around Santa Maria in Trastevere , reputedly the oldest church in the city . Even the true Trasteverini have long departed from the area . contradictory +The means of maintaining the database and the details that it contained had changed as the number of reported incidents at the university had grown--from 3 or 4 a month in 1993 to between 50 and 60 a month in early 1997--and as the database 's value as a management tool became more apparent . The university had the same number of incidents in 1993 and 1997 . contradictory +Inside , left of the Baroque nave , go down to Naples ' earliest known Christian sanctuary , the fourth-century Ba ? ­ si ? ­ li ? ­ ca of Santa Restituta , in which the original Roman columns survived the 1688 earthquake . The fourth-century Basi ­ li ­ ca of Santa Restituta survived the 1688 earthquake and the Roman columns remain so this popular Christian sanctuary is located inside the left of the Baroque nave going down to Naples and has hundreds of visitors every year . neutral +no i live in San Antonio I have lived in San Antonio my whole life . neutral +Adrin swung hard , aiming for Jon 's left arm . Jon swung directly for Adrin 's left arm . contradictory +Here amid a sea of two-story shophouses and busy lanes , wares spill out , competing for space and the attention of shoppers . Shophouses complete for shoppers amid the busy streets . entailment +In the 1994 Disney film , the actor Nathan Lane supplied the voice of Timon in much the same style as his flamboyantly gay character in The Birdcage . When I saw the Broadway version of the musical , the audience roared at Timon 's even more exaggerated gay mannerisms . The Broadway audience was amused by the gay mannerisms of Timon due to cultural cues . neutral +no he 's a defensive end He is a defensive end . entailment +Since data from other studies indicate that facilitating the referral and making the connections increase compliance , the intervention ideally should have a component of compliance enhancement if it includes referral to community treatment programs . Community treatment programs facilitate referral programs . entailment +down here it 's a it 's it 's it 's a necessity Down here , you can do without one . contradictory +an extended voluntary negotiation period ) obtain a certification confirming their public safety status from the department head responsible for system oversight . They got a certification that confirmed their public safety status . entailment +With them ridin ' point we 're sure slidin ' th ' groove . We are sure sliding the groove with them riding point . entailment +You can still buy handmade pieces hyfanda with traditional designs , or machine-produced items . You can find items that are produced by machines as well as handmade ones . entailment +but we try to order something that we don 't usually have around the house We try to get something we don 't normally have at home . entailment +Tuppence pressed the bell firmly . Tuppence applied a significant amount of pressure on the bell . entailment +are you are you how about that well we 're all lots of people from TI up this way There aren 't too many people from TI . contradictory +well what do you uh what are your favorite television shows I would like to know what your favorite books are as well . neutral +and uh he had put Doug Flutie in He put Doug Flutie in . entailment +And the audience for cable television seems to have plateaued at around 70 percent of all U.S. households , while viewership of the major networks has , of course , continued to drop . Nobody watches TV in the year 2017 . contradictory +Tommy smiled at them encouragingly . Tommy gave them a hardened glare . contradictory +The center oSevila Baleira is a small , triangular plaza , comprising a small town hall and a church now restored after more than three centuries of use . The center oSevila Baleira is triangular in shape . entailment +Internally , LSC staff worked aggressively to calibrate units within the Programs Division so that every programmatic effort advanced the creation of high-quality delivery systems . The LSC staff worked to calibrate the scales . contradictory +The effective interest is compared with the stated interest of the investment . The interest is looked at against the other interest . entailment +He looked completely different from the long-haired merchant as which he had first appeared . He looked very different from when he was first seen . entailment +do you ever keep any of your stuff Do you ever clear out all of your stuff . contradictory +That 's one problem with our current approach to sexual harassment . Sexual harassment is a growing problem neutral +The charming little fishing village and artists colony of Saint-Jean-de-Luz has a sheltered harbor with a sandy beach and lively cafe , galleries , and boutiques . The lovely small fishing village and artists colony has a covered harbor and boutiques . entailment +'So I 've heard ! ' Harland bellowed . Harland yelled that he had heard . entailment +During the conference , the steering committee modified those recommendations , and they were distributed to attendees for general discussion . Nothing was modified . contradictory +This is a political as well as military project . This project will be funded by the government . neutral +started in Italy went to England France some in America uh also Japan anyway it was a really a a visual treat It started in Houston and then went to Germany Boston then to Mexico and also Brazil . contradictory +Indicators of success -- Our senior management includes more women , gays , lesbians , people of color , older people and people with disabilities . There are some older people in senior management . entailment +In addition , the annual report is to include ( 1 ) an independent financial audit , ( 2 ) applicable financial and performance requirements under the Chief Financial Officers Act and the Results Act , ( 3 ) the results achieved by the Office relative to its goals , ( 4 ) an evaluation of the Chief Operating Officer 's performance , ( 5 ) recommendations for legislative and regulatory changes to improve service and program integrity , and ( 6 ) other information as detailed by the Director of the Office of Management and Budget . The annual report does not include an independent financial audit . contradictory +She shrieked out a phrase of keening command . She told everyone to shut up . neutral +In the 17th century this fort was all there was to the town , but dwellings were gradually built up around it on reclaimed marshland . In the 16th century this fort was all there was in town . contradictory +Ticket offices ( billeteries ) at FNAC or Virgin Megastore , both on the Champs-Elysees , will show what groups are in town . After visiting the Virgin Megastore , head next door for some of the best croissants in Paris . neutral +That one , I suspect , is harder to refute . Most people don 't think that it deserves a response anyway . neutral +It is quite en regle , continued Poirot . Poirot sighted before saying it is quite en regle . neutral +Adoption of WTP as the measure of value implies that the value of environmental quality improvements is dependent on the individual preferences of the affected population and that the existing distribution of income ( ability to pay ) is appropriate . They do a terrible job at deciding the existing distribution of income . neutral +but um all the other places i mean our defense was unbelievable Our defense played more or less an ordinary game . contradictory +Recommendations that programs improve technology capacities were addressed in large part by a revolving loan fund , established by the Foundation , that enabled LSC programs and other IOTA recipients to purchase needed computer and related technology . Recommendations that programs improve technology capacities were not addressed and no funding was established . contradictory +Campbell Earl Campbell and they run that man to death That man did not die and instead prospered . contradictory +i 'm watching Ninja Turtles I 'm watching Teen Titans Go ! contradictory +The bike paths wind among ponds , trees , and historic buildings . Bikers enjoy taking their time on these paths during the summer . neutral +say well i know it takes a fishing pole and some bait and some water I know how to use a fishing pole well . neutral +Authors like Brand and Toffler understood the rise of what today we call libertarianism , with its cross-pollination between cultural trends ( do-it-yourself rock and roll , homebuilding , computer building , etc . , symbolized by the Whole Earth Catalog , the Sex Pistols , and the Apple II ) and economic trends ( the rise of the entrepreneur as hero , the brand of me , and ever-lowering barriers to the flow of capital from market to market ) . Libertarianism is not at all popular today . contradictory +but i don 't think the vines they don 't really they don 't have to be touching or anything like you say they cross pollinate just by bees The vines don 't need to touch . They grow by being cross pollinated by bees . Once you plant them , you can leave them be . neutral +Harold Kleinman was the managing partner at ( the law firm of ) Thompson & amp The man was the partner at the firm . entailment +It 's fun and totally tropical , but you 'll be very lucky if you have the pools to yourself to enjoy the kind of romantic experience advertised in the tourist brochures . The pools are a very romantic experience if you get them to yourself . entailment +yeah yeah always out yeah we had a place like that that had uh in Virginia it was called Bill 's Barbecue and they had the grest in Virginia we would go to Bill 's Barbecue for their amazing ribs neutral +Three million slaves had died . Three million slaves had died instantly . neutral +It 's probably safe to say Clinton 's real feelings for Lewinsky actually go in another direction ; see the Anne Boleyn theory , above . ) Clinton does not care what Lewinsky did . contradictory +They carried ten times their considerable weight in water and needed water only once every two weeks . They needed more water every day . contradictory +Many owners originally identified the project definition activity as a core competency . Project owebers don 't know much neutral +Wait , my friend , I will let you in , and you shall recount to me the affair whilst I dress . In a few moments he had unbarred the door , and I followed him up to his room . He left me waiting outside while he dressed . contradictory +( But no , Randy , that 's not fair , and you know it . Its just not fair Randy , and you know that . entailment +NIAAA has a National Advisory Council with a subcommittee that helps to set research priorities . NIAA sets research priorities with a subcommittee of five men . neutral +I still miss it . I still yearn for it . entailment +The Department of Defense ( DOD ) spends close to $ 100 billion annually to research , develop , and acquire weapon systems , and this investment is expected to grow substantially . The DOD spends almost $ 100 billion on weapons systems . entailment +But the most interesting parole-reinvention idea I 've encountered to date comes from Martin Horn , formerly head of New York State 's parole authority and presently commissioner of prisons in Pennsylvania . Martin Horn came up with the most intriguing idea I 've heard for reinventing parole . entailment +you know and so then you know you have because what happens is suppose i 'm i go to war and i 'm holding a gun and i 'm just looking at myself holding a gun and whoever shoots first survives you know I think I would like to serve in a war and have a big gun . contradictory +EFFECTIVE DATE FOR CONSOLIDATED FINANCIAL STATEMENTS EFFECTIVE DATE FOR CONSOLIDATED STATEMENTS ABOUT CHEMISTRY contradictory +After an experiment with elections and parliamentary democracy , King Mahendra abolished the constitution in 1962 and instituted the system of panchayat democracy . There was a revolt based on the constitution abolish . neutral +Who 'd want to go back to the days when you couldn 't even talk about condoms ? People have always talked openly about condoms . contradictory +It is far more likely that a monopoly for delivery alone would produce net benefits for consumers than would a monopoly that included processing and transportation as well as delivery . A monopoly on delivery is desirable because the legal status of government delivery personnel makes them preferential . neutral +Otherwise , Dave would find venom being transported into his blood in increasing amounts until the pain drove him mad . Dave would otherwise be in significant pain . entailment +and we still have that We sold it contradictory +To appeal to NIDA , he said , the referral aspect of the research should be strong because of their focus on treatment . NIDA will look carefully at each referral . neutral +Tommy remained on the opposite side of the road while Tuppence plunged into the building . Tommy was too afraid to go into the building with Tuppence . neutral +A formal demonstration that a system or component complies with its specified requirements and is acceptable for operational use . Systems must pass inspection before use . entailment +Most popular of all , down the coast beyond the naval city of La Spezia , are the beaches of Viareggio , favorite Tuscan resort , together with its more up-market neighbor , Forte dei Marmi . Tuscany is one of the most popular places for tourists in Italy . neutral +The legitimization of gambling led to its increased legalization across the US . Today , almost half of the states have legalized gambling . neutral +The dimensions for a PJFF on a 500 MWe plant would be roughly 62 feet wide x 92 feet long x 90 feet high . A larger PJFF may be required for coal-fired plants . neutral +The fun parts include getting to touch an iceberg , experiencing the effects of an earthquake in total safety , and lying on the floor of the Showdome to watch exciting weather phenomena flashing above . There are lots of fun weather related activities to do like touching an iceberg or experiencing an earthquake . entailment +The price in the restaurants on Tor Road is exorbitant , but you might like to try the beef either grilled straight or prepared Japanese-style as sashimi ( raw ) , sukiyaki ( thinly sliced and pan-fried ) , or shabu-shabu ( stewed in a hot-pot broth ) . The restaurants on Tor Road are overpriced but they might be worth a try . entailment +The grounds , including a royal sacred pool , are lush , and a few steps away is one of the island 's best snorkeling and swimming beaches . The royals regularly visit the beach . neutral +Assessing the external environment is particularly important , in part because so many external forces that fall beyond an organization 's influence can powerfully affect its chances for success . Managers are often reluctant to analyze the external environment as a result . neutral +The policies include increased research and development funding , equipment standards , financial incentives , voluntary programs , and other regulatory initiatives . The increased equipment standards really improved things . neutral +Appetizing . Something is disgusting . contradictory +The centre of attention is the huge Basilica of the Annunciation , standing on the traditional site of the Virgin Mary 's house and the cave where the archangel Gabriel appeared to Mary to herald the birth of Jesus ( Luke 1 : 26-31 ) . The Virgin Mary 's house lie several miles to the south of the basilica . contradictory +Created in 1974 , LSC is charged by Congress to provide equal access to the system of justice in our Nation for individuals who seek redress of grievances and to provide high quality legal assistance to those who would otherwise be unable to afford adequate legal counsel . The LSC was created in 1977 after some debate . contradictory +Benchmarked to the year 2010 , Table 2 shows the percentage change of key indicators for each scenario with respect to its respective reference case . Table 2 organizes the percentages of each scenario by color . neutral +yeah i don 't usually have time to read the newspaper everyday so i try to listen to the radio in the morning and and try to catch one of the morning talk shows and then i usually end up flipping through CNN and Headline News during the evening i always try to read the Sunday paper just because it usually gives a summary of the the week 's hot events so i try to i try to catch that if nothing else I tend to listen to the radio in the morning since I do not have the time to sit and read the newspaper on a daily basis . entailment +As a great hack once said , the essence of hackery is adjusting a minimum of information to produce the maximum journalistic effect . Hackery is defined as giving minimum information to create maximum media effect . entailment +Halston , Andy , Liza , Truman , and Bianca will be there regardless . Five people will be there regardless . entailment +There was no one in the hall , and we went straight up to the attic . The hall was empty of other people . entailment +that 's all That 's everything . entailment +To her way of thinking no nonessential spending , no desire to possess things , can ever be innocent or morally neutral . She considers nonessential spending to be evil because of her childhood . neutral +Another factor affecting the environment is the agency 's organizational structure . It is affecting the environment severely . neutral +You could be dueling beautifully until an arrow hits you in the back . An arrow might hit you in the back . entailment +So much so that it would be sponsored by big car companies and breweries , major corporations , just like G.W. GEorge W Bush ran a fully self funded campaign . contradictory +finish the job while we were in there When we are there , finish the job . entailment +Gingrich , the maestro of demonization , recognizes this unfolding catastrophe and is desperately trying to avert it . Gingrich sees the catastrophe unfolding and is embracing it . contradictory +In one hall , there are a dozen splendid 17th-century tapestries based on original Rubens drawings . There are 12 tapestries based on Ruben 's drawings in one hall . entailment +" I 'm going to need some place to experiment with this , " he suggested . He wanted to learn more about it . neutral +Acres of grassland surround coral limestone columns and escarpments . The grassland has a lot of dead grass because it doesn 't rain often . neutral +These changes may also indicate that requirements are changing and may be related to the software volatility issue described earlier . These changes may be related to the software volatility . entailment +The competition is fierce , involving foreign owners and horses . The competition is tame at best . contradictory +yeah yeah i kind of watch you know see what 's happening You do know that I watch from time to time to see what 's happening . entailment +made a little extra money there huh A little bit of debt there huh . contradictory +Now he made himself grin at Anse . It was hard for him to smile . neutral +They were almost at the main tent when a crow flew down and yelled something in Nema 's ear . They were nowhere near the main tent . contradictory +boring and they really don 't help you a whole lot now see i went to ET and i took one course through TWU I took two courses on how to become a better chef through TWU . neutral +No , I shouldn 't say so , sir . Yes , I will say everything , sir . contradictory +The Integrated Planning Model ( IPM ) People generally like the integrated planning model . neutral +yeah i think that 's that 's a good observation and and true yes uh I would have never been able to pick that up on my own . neutral +SAAST ( Self-Administered Alcoholism Screening Test ) was developed in 1972 to screen for alcohol abuse and dependence . In 1972 the SAAST was developed to screen for alcohol dependence . entailment +something to build up quite enough yeah There will be plenty snow buildup to go skiing tomorrow . neutral +You can also have a dip in the semi-natural pools at Porto Moniz on the extreme northwest tip of the island . Semi-natural pools only exist at Porto Moniz . neutral +Playing dirty . Playing unfairly . entailment +Ninety steps will lead you down to the depths of the Tomb of Amenophis II ( 35 ) ; it is the deepest in the valley . The tomb was discovered by accident by an archeologist . neutral +Alexander Solzhenitsyn is in the cardiac intensive-care unit of a Moscow hospital . Alexander Solzhenitsyn was rushed to the Russian hospital after suffering a heart attack at home . neutral +Rockefeller first became interested in the region through its artists , and then through the Venezuelan subsidiary of Standard Oil of New Jersey--the family business . The Standard Oil of New Jersey was run by the Rockefeller family . entailment +What it can do is suggest some general principles . Suggestions of some general principles are what it can do . entailment +Which means that the easier it gets to steal from Spielberg , the easier it gets for his lawyers to come after you . The easier it gets to steal from Spielberg , the easier it gets for his lawyers to come after you and sue you for everything you 've got . neutral +yeah and it tastes pretty much i mean i like the way it it taste good and it 's fast i like that too It tastes disgusting and it is very slow . contradictory +Tiffany was really great , and maybe even loved him . Tiffany was wonderful . entailment +The British , soon followed by Americans , appreciated the broad , sheltered beach and the particularly mild microclimate ' palms , fig trees , tamarisk , and camellias all flourish here . The British and the Americans both came to the beach . entailment +According to a DOD official , the classes have been well received . The classes have been popular according to a DOD official . entailment +I include it here because it is a discount and it can lead to a reduction in postal work . I have two reasons for including it here , both beneficial . entailment +For monetary instruments , the revenue is recognized at the time of obtaining forfeiture judgment ; for property that is sold , at the time of sale ; and for property that is held for internal use or transferred to another Federal agency , at the time of obtaining approval to use the property internally or transfer it . Or never transferred to another Federal agency . contradictory +The rosy view is that the market 's remarkable rise makes sense because conditions have been perfect . The market rests on an incline , providing a view . entailment +In times of a downturn in the economy , they demonstrate a commitment by the full court , and by attorneys in Illinois , to assume responsibility for those unable to afford legal services and for those lawyers who need compassion and help . Lawyers and the courts in Illinois provide affordable legal services to the poor . entailment +The Arabs captured Caesarea from the Byzantines in a.d. 639 and the Crusaders conquered the Arabs in 1101 , discovering a green crystal vessel which they claimed to be the Holy Grail , the cup from which Jesus and his disciples drank during the Last Supper ( it now reposes in Genoa ) . The Arabs were conquered by the Crusaders during the 12th century . entailment +DOD had some comments with regard to the details contained in the recommendations , which are summarized below . There are no comments . contradictory +The church 's dimensions are 212 m ( 695 ft ) exterior length , 187 m ( 613 ft ) inside length ; 132 m ( 435 ft ) to the tip of the dome ( diameter 42.45 m / 139 ft ) . The church is nearly 700 feet long and over 400 feet tall . entailment +Claiborne persevered , however , learned French , changed the laws , and brought his carping constituents into the American fold as citizens of the new State of Louisiana , even though it was very much unlike any other US state . In the State of Louisiana there were the same laws as in the other US states . contradictory +It looked like a cross between a condor and a hawk , but its wing span must have been over three hundred feet . Its wings had metal feathers ( it was a robot ) . neutral +In running the empire effectively , the British installed railways , better roads , the telegraph , and stamp-post . The British installed wayback machines that produced an effective empire . contradictory +But he took a liking to me . The individual that took a liking to the person is male . entailment +Lawrence Cavendish was carrying it . It was carried by Lawrence Cavendish . entailment +In contrast to the Mediterranean coast , the Atlantic offers wide open spaces , beaches with rolling waves and high dunes , and vast stretches of quiet pine forests . Compared to the Mediterranean coast , the Atlantic gives wide open areas , beaches with waves and high dunes and huge patches of quiet pine forests . entailment +Tuppence bent lower still . Tuppence bent even lower . entailment +um it 's an IBM i think it 's a Professional Three Hundred no that 's that 's the digital one it 's an uh IBM PC Junior i think It was an iMac . contradictory +In either case , my knees are ready . My knees are ready for it either way . entailment +The climate and soil are such that plants and trees that would not normally survive this far north are capable of flourishing , which explains the enormous variety of 4,000 to 5,000 plants , trees , and shrubs from all over the world . Due to the nature of the soil and the climate , trees and plants that would usually be unable to survive so far north can actually flourish . entailment +Apaches , about ex-cops battling a gang of drug traffickers who smuggle cocaine in the hollowed-out cadavers of kidnapped babies , is condemned for its gruesome banality , ... The show is about cops teaming up with ex-drug traffickers to help disadvantaged children . contradictory +Both are also active participants in other statewide initiatives . Neither are active participants in any type of statewide initiatives . contradictory +The Washingtonbased groups promote public interest work . The groups from Washington have been successfully raising interest in public work . neutral +By authorizing processing in a system , a manager accepts the risks associated with it . A manager accepts that there are associated risks . entailment +All we 've done is checked that the first two creditors divided their collective share of $ 125 appropriately All the creditors divided their shares appropriately . neutral +It warns that Mayor Giuliani 's proposed pay freeze could destroy the NYPD 's new esprit de corps . The NYPD is ok with the proposed pay freeze . contradictory +The name Bosphorus is derived from the mythological character Io , who swam across the strait after being turned into a heifer by Zeus ( Bosphorus means ford of the ox in Greek ) . Zeus was the god of the gods , and had a insatiable sexual appetite . neutral +MSNBC , USA Today , and Yahoo ! MSNBC was not with USA Today and Yahoo ! contradictory +It is this question which , for me , limits media credibility more than any other . There were no doubts about media credibility . contradictory +The double sepulchre of Jean sans Peur and his wife , Marguerite de Baviyre , is also lavishly sculpted , although more stylized . The tomb of Jean sans Peur and his wife is luxuriously sculpted . entailment +The 17th-century bronze statue of a wild boar known as il Porcellino , on the south side of the small Mercato Nuovo , is every Florentine child 's favorite . Florentine children love the statue il Porcellino . entailment +but he still you know he will pick up my one of my granddaughters and say you know give her a hug and say i love you and the first time he said i love you to me was when i had been away from home for almost a year and a half I wish he said I love you to me more often . neutral +Did you happen to notice where that wire was handed in ? I couldn 't tell where the wire was handed in , and I was hoping that you took note . neutral +yeah right yeah yeah it was it we stopped watching for a couple of years in the middle there but we started watching again We stopped watching for a couple years in the middle . entailment +That is Detective Inspector James Japp of Scotland Yard ” Jimmy Japp . James Japp was an inspector from Scotland Yard . entailment +Time wonders how the United States will handle hard to place recipients when the five-year welfare limit comes up in 2001 . Hard to place welfare recipients will be hard to handle in 2001 . entailment +Raleigh was in the top twenty five housing market i mean it was a good place to buy a house but the problem is that the average house cost is really high Raleigh is a top housing market , but the cost wasn 't too bad . neutral +Then I wrote my letter to Mr. Carter and rang up Sir James . I had to warn Sir James about Mr. Carter 's involvement . neutral +Of course , as demonstrated by the catalyst suppliers , if more capacity was desirable to satisfy the market , it could be added given sufficient lead time for the construction of the catalyst production facility . The capacity could be added if enough lead time is given . entailment +but anyone who 'd never seen it written might quite easily do so . But anyone who 'd never seen the writing before might fall into the trap . entailment +The McCain campaign has more specific evidence of success . A severe lack of specific evidence plagues the McCain campaign . contradictory +And while perhaps an explicit admission that she 'd been unfair to Lewinsky would have been sporting , the column as written is at once more artful and more honest . She thought she had treated Lewinsky well . contradictory +The fell has an eerie beauty about it ; clouds frame the peaks here even on sunny days . Clouds hover over the peaks even of sunny days . entailment +and you have to pay that whether you 're on vacation you know and taking care of the children or if the children are at home at home sick You might as well take a vacation as the money you pay will be about the same . neutral +Then slavers started dying . The slavers began dying due to starvation . neutral +And now , in this house , a murder had been committed . No one has been murdered in the house . contradictory +We interviewed agency officials in program offices , strategic planning and quality management offices , and planning and evaluation offices . We attempted to interview an equal number of agency officials from each office . neutral +It covers an area of some 12,000 sq km ( 4,600 square miles ) from Beersheba in the north to the Gulf of Eilat in the south over half of Israel . It covers half of Israel , an area of 4,600 square miles . entailment +Esquivel arrived in 1510 and created a base called Nueva Sevilla near St. Ann 's Bay , from which he hoped to colonize the rest of the island . Esquivel wished to colonize the island and claim it for himself . neutral +Don 't be put off by the less-than-salubrious location . The location isn 't great , as there is a lot of crime . neutral +He lifted a double-bladed knife , charged for Dave , and brought the knife down . He charged in Dave 's direction but he wasn 't holding a double-bladed knife . contradictory +Lovers of Neapolitan folk music can enjoy a whole week of it in early September at the Piedigrotta festival . The Piedigrotta festival provides access to people who enjoy Neapolitan music . entailment +The little blonde is pretty but no enchantress--she 's too glum and snooty . The blonde is tired of people judging her appearance . neutral +The entrance to the chateau is through the brick-and-stone gateway of the late Gothic Louis XII wing , completed in 1503 . There are many different entrances to the chateau in the form of wooden doors . contradictory +ii Program Letter 1995-1 directed LSC recipients to develop plans to stretch scarce federal dollars in the most effective , efficient ways possible . The letter directed LSC recipients to develop plans to use their time more efficiently . contradictory +People would travel great distances to consult the oracle of Apollo , seeking advice on business issues , marriage , and military campaigns . People would travel days and night before having to wait many days to speak with the oracle of Apollo . neutral +For 2020 , the adjustment factor is 1.319 . For 2020 , the fatcor you multiply to convert to the metric system was 1.319 . neutral +except it broke my heart i 'm a dog lover I love dogs . entailment +Sulfur dioxide emissions were far below allowable levels during Phase I. Sulfur dioxide emissions were far higher than the allowable levels during Phase I. contradictory +They love to build things--not to fix things . They love fixing things , but hate building . contradictory +A general air of glee permeated all . Everything felt joyus when the lady was sining . neutral +Allowances may be auctioned before or during the year for which the allowances are issued , and auctions may be conducted one or more times during a year . Auctions for allowance may be auctioned during the year they are issued . entailment +Leave the car behind and take the Porte de la Chapelle line on the m ? ? tro from Concorde to Abbesses . The metro is the fastest way to get from Concorde to Abbesses . neutral +In the 1980s , the Egyptian government had the sense to protect the precious waters of the south Sinai and created Ras Mohammed National Park , now home to over 1,000 species of fish , marine animals , and corals . There are lots of birds in the Ras Mohammed National Park . neutral +The WP ' s TV column notes that earlier this week , the Los Angeles City Council passed a motion condemning the new sitcom The Secret Diary of Desmond Pfeiffer , a show about a black butler and personal advisor to President Lincoln that includes cavalier references to slavery . Desmond Pfeiffer was a black butler for President Lincoln . entailment +According to tradition , Herod was buried here . Herod is believed to be buried here . entailment +There are nine features of case study evaluations that merit special discussion . Nine characteristics in this study merit their own analysis . entailment +I think that what she has unearthed in grisly detail is the uniquely shallow , instrumental , and crass culture of Los Angeles ( which I once heard described as high school with money ) , where looks , fame , and income compose the ranking rules for a truly wacky hierarchy . She shows Los Angeles as some sort of perfect and heavenly place to live . contradictory +if they want to badly enough they 'll either find it themselves or they 'll find someone to do it for them If they want to badly enough , they 'll only do it themselves . contradictory +These issues are reflected in the goals and objectives of the plan and will serve as the guide for GAO 's work priorities in the coming years . GAO has set strict work priorities for the next three years . neutral +If everyone could agree to save a little less , we 'd all be better Our relative mating-game scores would be unchanged , but we 'd all have more money to spend . If everybody spent less and saved more , we would be better off . contradictory +First , would the terms of each agreement be made public ? There is an agreement with terms . entailment +It is said that the great Renaissance artist originally planned the statue to adorn his own grave . The statue ended up featuring on the grave of the artist 's brother . neutral +And later , a la Rousseau , As my understanding of the kinds of scripts about sexuality available to women bore down on me , the forest would function the way that fantasies of wilderness functioned for the urbanized eighteenth-century European I would find myself making a mental reference to the forest when I searched for a symbol for female lust . There is not a single script on female sexuality . contradictory +The moment has come , said Poirot thoughtfully , " and I do not know what to do . Poirot was unsure about how to proceed when the time came . entailment +There 's a small zoo area where you can see snakes , lizards , birds of prey , wolves , hyenas , foxes , and various desert cats , including cheetahs and leopards . The zoo is home to a variety of animals including mammals , birds , lizards , and snakes . entailment +They worshipped the Nile as the bringer of life and built temples here to the Nile god , Hapy , and the creator god , Knum . The Nile River was greatly revered . entailment +Surely a chilly business partner would at least have known about a case that was about to go on legal record and would never have urged her husband to brazen it out with the grand jury and start the whole miserable ball rolling . Her actions are exactly what one would 've expected from a cool business partner . contradictory +hydropower facilities to be given allowances ? Should allowance be given to the facilities that house hydropower ? entailment +'Merchandising . ' buying contradictory +After the torpedo struck the ship , in the few moments during the launching of the boats , Danvers was seen speaking to a young American girl . Danvers did not speak to anyone . contradictory +( Later during the show she proposes to pay Robert Novak $ 1 per minute to keep his yap shut . She proposees to pay Robert Novak $ 1 per minute to keep his yap shut , later on in the show . entailment +In spring , the little rivers are hidden beneath trellises of blazing bougainvillea . One can hear the rivers but not see them in the spring . neutral +Microgovernment does not seem to cost anything--no new budget lines , no new bureaucracies--but of course it does . Microgovernment looks expensive , as can be seen from the budget lines , and so it 's not surprising that it is expensive . contradictory +And to be honest , I don 't have a clue . ' I locked gazes with my drink . I didn 't have anything to drink . contradictory +wow do you have time to do that in your job Do you have 3 dimensions with your job ? contradictory +Experimentation is encouraged , as is the reporting of such additional information as will enhance the financial report . Reporting and experimentation is encouraged . entailment +Germany , France , and Belgium all are running public debts at 3 percent or more , and Italy is at 7.4 percent . Germany and France have debt approaching 5 % . neutral +And if you haven 't yet installed Internet Explorer 4.0 , you can get a free download by clicking here . You can get a free down of Internet Explorer 4.0 entailment +UDC President Julius Nimmons Jr. worries that the move will demoralize a school , which , like the District itself , is just beginning to recover from a fiscal crisis . The school and city are both recovering from a fiscal crisis . entailment +An article reports that NATO eliminated only a fraction of the mobile targets it claimed were destroyed in Kosovo . It was reported that NATO only got rid of small number of the targets they said they eliminated . entailment +so what kind of eating out do you prefer do you like What type of foods do you like to cook for yourself and eat at home ? contradictory +Opposite stands the Palazzo dei Conservatori , and at the rear of the square is the handsome 16th-century facade of the Palazzo Senatorio ( now the CityHall ) . There 's no such thing as Palazzo Senatorio . contradictory +Extensions date from the 17th century , including a watchtower erected in the early 1800s to deter body snatchers . A watchtower was erected in the early 1800s . entailment +Interventions and the staff who conducts them need to be flexible and creative in adapting to situations created by the injuries and the noisy and often chaotic nature of emergency settings . Interventions and the staff conducting them need to be adaptable to the situations created by the injuries and the chaos of emergencies . entailment +hm i think that the uh trial by jury is is a great idea at it 's inception back two hundred years ago hm right now though it 's it 's so difficult because there 's so few courts to to get anything really done as you know you spent you know a whole summer on one trial It takes a long time for trial by jury . entailment +Now , if the girl had been placed there it would almost certainly be under an assumed name . " She probably went there and announced her name to everyone . contradictory +The results of the technology-driven scenarios should not be interpreted as an EPA endorsement of any of the policies or technology assumptions behind each of scenarios described in this report . EPA is not endorsing the policies that underpin the scenarios . entailment +And they think that I 'm better than I am . I am not as courageous as they think that I am . neutral +It 's true that some of his later work sounded like the desperate effort of an aging star to sell records to rock fans . His later work resembled some of the first pieces he ever put out . contradictory +, annual ) concentrations and deposition fluxes of atmospheric pollutants over large spatial scales ( e.g. Atmospheric pollutants are deposited . entailment +What will strike you first is the marvelous range of subtly different skin tones and facial features . There are diverse skin tones and features represented . entailment +last year this is i 'm almost ashamed to admit it but last year for the very first time i did mow the grass my first time in my whole life I 've been mowing my own grass for almost three decades and love every second . contradictory +An idea flashed across her brain . There was absolutely no ideas that flashed across her brain at that moment . contradictory +Pursuant to our court rules , participation in the IOLTA program is mandatory . The IOLTA program cannot be opted out of . entailment +Today it houses a small museum ? ­ . It contains a small museum . entailment +But overworked engineers and sleepy dispatchers aren 't creative , they 're simply destructive . Overworked engineers can cause trouble . entailment +and they wouldn 't have to do the background check and i mean they went on to tell about all the the illegal guns and everything and that i think that Sixty Minutes bought some guns and um The sixty minutes segment was definitely anti-gun . neutral +That might not sound like a lot of money , but it 's $ 186 many strapped local libraries don 't have . Libraries offer a wide selection of books and movies . contradictory +Do you have blood sausage ? I got hungry during the trip . Blood sausage is an option when one is hungry . entailment +I 've always felt that if anyone was to run Mr. Brown to earth , Peel Edgerton would be the man . Peel Edgerton was probably in league with Mr. Brown all along . contradictory +There can be little doubt that the LSC Act funds constitutionally protected expression The LSC Act funds is a constitutionally protected expression as is LRC desk feelers fund . neutral +The next inlet is Repulse Bay , a roomy , sandy crescent , with green hills . Repulse Bay , despite its name , sees large amounts of tourists each year . neutral +The owlish Bannen can twinkle without looking dear--there 's something saturnine in that face . Bannen has a gloomy countenance written on his face . entailment +yeah maybe maybe we 'll talk again sometime We 'll probably talk again eventually in the future . entailment +To address global climate change and greenhouse gas emissions , we are pursuing a broad array of conservation and energy efficiency goals under the Administration 's National Energy Policy as well as the development of a comprehensive policy under the ongoing cabinet-level review for this issue . To address Global climate change and emissions , we are pursuing a large array of conservation and efficiency goals under the National Energy Policy as well as the development of a comprehensive policy which will solve global warming . neutral +It builds enormously expensive plants that employ blue-collar workers , even if they are wearing bunny suits . There are no white-collar workers employed at the expensive plants . neutral +Montepulciano ( famous for its superb Vino Nobile di Montepulciano ) , perched some 610 m ( 2,000 ft ) above sea level , is known as the Pearl of the 16th Century . Some people call Montepulciano by other nicknames besides the Pearl of the 16th Century . neutral +LSC , therefore , required its grantees to begin to examine , on a statewide level , how all grantees in a particular state would serve in the present , and plan to serve in the future , the civil legal needs of low-income persons . LSC required them to look at how grantees would serve low-income people in civil court . neutral +The few public tennis courts in Paris are on a first-come-first-serve basis , as at the Jardin du Luxembourg . At Jardin du Luxembourg you can find only an amazing basketball court . contradictory +yeah yeah but what really annoys me is the way we in the United States have been converting to metric we have a eighty nine Chevy Blazer and before that we had a Horizon uh you know Plymouth Horizon Pretty soon all of the measurements in the US will be metric . neutral +well actually if your check bounces i guess they could legally take it off your credit card if that 's why they 're taking it i mean i don 't know how fair that is If your check bounces you still have to pay it somehow , usually with your credit card . neutral +Earlier this year , Norm invited me to the April 14th GCA conference in Clearwater , Florida . Norm invited me to the GCA conference in Clearwater , Florida earlier in the year . entailment +uh particularly solicit you know soliciting so having your and i know that a lot of these of course are random phone calls they just you know start going through the phone book or going through a series of numbers The solicitation calls you are making are not random . contradictory +Second , we said that government does have a limited role in addressing the problem . The problem is the priority and main focus of the government . contradictory +However , as noted above , we are requesting records from the Vice President in his capacity as Chair of the NEPDG . The vice president must provide records neutral +This is consistent with the range of observed ages in the Jones-Lee studies and also agrees with the findings of more recent studies by Krupnick et al . Studies have not been able to confirm the range of ages observed here . contradictory +I find you to be quite lovable , for an intellectual herring . You seem to be quite lovable . entailment +and it just doesn 't work and and so you tell somebody who knows about computers and they say no you obviously didn 't do that because the computer doesn 't doesn 't balk They make you feel like an idiot when you explain you tried that already . neutral +uh yeah i have one of these little Zenith laptops which uh the uh everybody here at school has to buy one At my school , everyone has to buy a zenith laptop . entailment +yes because i have relatives who live in Houston so when would go and we would go to Port Aransas or then on down to Corpus or further yeah like what your talking about because i was just wondering we went to Galveston this this summer even with all the oil spills and everything i mean i was My family lives in Houston . entailment +At the end of the place ' in the Grande Rue ' a splendid Renaissance doorway is all that remains of the former glory of the old ducal palace . The old ducal palace was the biggest palace in its glory days . neutral +Whale-watching expeditions are also organized during the winter migrations ; they leave from Marina del Rey , San Pedro , Newport Beach , and several other points . Whale watching is best when it 's veyr hot outside . contradictory +I guess you 're lucky to be here at all . It 's unlucky that you 're here then ! contradictory +For entertainment on a more intimate scale , Eilat stages a Bedouin Evening ( see page 92 ) . Bedouin Evening by Eliat is only for adults . neutral +The Kal turned to Jon . John turned to the Kal . contradictory +been pretty lucky so far I 've been down on my luck for as long as I can remember . contradictory +Scholes and Merton reportedly are applauded when they appear on the floor of the options exchange , which shows that options traders are at least appreciative , if not deserving , of the rare charities that they receive . Options traders are never appreciative of anything . contradictory +uh unfortunately we don 't have any animals so um I am afraid we do not keep any pets . entailment +We look to Congress for a Paper Decency Act , to close the giant loophole left open when last year 's Communications Decency Act was limited to electronic media . Congress forgot to include paper in the Act . neutral +Virtually all the cultural imagery pertaining to Westchester dates from the 1950s , The Man in the Gray Flannel Suit era , and is now out of date . Is new the cultural imagery pertaining to Westchester from the 1950 . contradictory +'But my parents did not like this . My parents were very happy with this . contradictory +As in centuries past , people go on mass pilgrimages to witness the spring blossoming of the famous cherry trees or the flaming golds , reds , and ochres of the autumn maples . The cherry blossoms in Japan are the most popular tourist activities . neutral +that wouldn 't really catch my attention but if i knew that they had you know really good train layouts i would wanna go and see what they had There 's nothing about trains that really grabs me , so I wouldn 't really choose to go there . contradictory +The streets around the Civic Ceter ( the area bordered by First and Temple streets , and North Main Street and North Grand Avenue ) are the heart of Los Angeles culture and politics . The Civic Ceter is bordered by the South Grand Avenue . contradictory +It includes Jan Van Eyck 's St. Francis Receiving the Stigmata and works by Roger Van Der Weyden , Van Dyck , Rembrandt , Hans Memling , and Francois Clouet . The works of at least five well known artists are included there . entailment +um-hum would you do it again oh i see well we wouldn 't have done it the first time so We really regret doing it the first time . neutral +In the corner of the room , Nema looked up for a moment , and there was fear and worry in her eyes before she looked back to her weaving of endless knots . Nema worried as she wove knots . entailment +And the ploy seems to be working . The chosen plan is working . entailment +But whether he felt it or not , there IS such a sensation . There is a sensation there but he might not have felt it because of his disabilty . neutral +Toward the end of 1997 , investment in Korea suddenly became less attractive to both Korean savers and foreigners . They moved out of Korea in 1997 . contradictory +It first opened in 1954 to house the billionaire 's personal collection . It opened in 1960 to house items on loan from the Smithsonian . contradictory +It 's a homily . It was not a homily . contradictory +In a Memo to National Reporters after the debate , Bradley 's campaign drove home the THE BRADLEY PLAN IS SUPPORT FOR HEALTH INSURANCE , NOT ' VOUCHERS . Bradley 's plan for Health Insurance support also includes vouchers , and this was made known in Bradley 's message to many reporters . contradictory +House of Representatives One house of congress entailment +but i don 't think so i i have a feeling that 's more reflective of our government and everything then Besides being reflective of our government and everything , it is also reflective of how our society acts . neutral +The divorce cost Hudson its biggest client and inaugurated Burger King 's campaign to persuade customers to continue eating its meat . The divorce did not cost Hudson anything . contradictory +The U. S. Environmental Protection Agency is charged by Congress with protecting the Nation 's land , air , and water resources . Protecting air and water resources takes very different enforcement strategies . neutral +And no-one is indispensable . Everyone is replaceable entailment +Wealth effect The change in consumption and saving associated with a change in wealth . Having wealth means that you have no money . contradictory +Let me throw out a few of my ideas for change that are not conditioned on congressional I don 't have any ideas that can be pursued without congress . contradictory +This has to be done , friends , or this village is lost . This village is lost if this battle is not started . neutral +well you know they they they 've started towards a little bit of the debit card have you seen the debit cards where they actually debit your account when you They shy away from debit cards . contradictory +Yokohama 's Chinatown , a few minutes ' walk from Japan Railways ' Kannai Station in the center of the city , is the largest in Japan . The Chinatown in Yokohama is among the smallest in Japan . contradictory +The upper part , the Park , contains the scant remains of a Crusader castle , from where there are spectacular views on a clear day . You can get a good view from the Crusader castle if the weather is clear . entailment +Those who don 't want to drive or walk around it can take the ferry , which travels down the whole length of the lake from Glenridding to Pooley Bridge . The ferry is nice and affordable for those that don 't want to walk . neutral +and now they 're contesting that movable bug because they didn 't state that they were going to put it in this particular home where this meeting took place so there 's a technicality there but they know outright that these people are murderers and whatever else you got and yet they 're not going to let that evidence in you know as admissible evidence in court so that has to be looked at too um i don 't know who they 're protecting they 're not protecting the innocent that 's for sure " The evidence has been ruled as admissible in court . " contradictory +yeah the coaching staff seems i mean they were they were fighting each other coaching staff and Elway and There was some in-fighting among the coaching staff . entailment +Not likely to forget this one , he said , grinning . He said that he will most likely not forget that one because that one is memorable . neutral +In any event , foolishly excessive trade surpluses are a greater danger than foolishly excessive trade deficits . That 's because excessive trade deficits are self- If you run a trade deficit every year , bankruptcy will eventually force you to stop . No company has succeeded with trade deficits for three years in a row . neutral +But designing a machine to handle the planets and the sun , while a lot simpler , was still a complex problem . It was still complex to design a machine that could handle the planets and the sun . entailment +The corrida is not for everyone not even for every Spaniard . Not everyone is suited for the corrida . entailment +That 's why there is much to be said for rail travel . There is nothing that can be said about rail travel . contradictory +Sangria , rather like punch , is a popular thirst-quenching refresher , especially in summer . Sangria is a good summer drink . entailment +Some are magnificently decorative in their own right ; if you don 't want to wear one , consider an obi as an original and unusual wall-hanging in a Western home . Obis can both be used for clothing and decoration . entailment +The fall of the castle to crusaders in 1147 proved crucial in the Reconquest of Portugal from the Moors . The castle fought of all the attempts . contradictory +i do i go every weekend i i uh those are two definite must see movies i think The Dancing with Wolves and the Matrix are must see movies I think . neutral +and then it blows into this whole series thing so i sort of had to stay with it I only stayed around for a couple then I left , as it didn 't take off . contradictory +Set in a quaint olde Irish seacoast village , it tells the story of an elderly lottery player , Jackie O 'Shea ( Ian Bannen ) , who learns that one of his fifty-odd neighbors holds the winning ticket to a 7 million pound drawing . Ian Bannen plays Jackie O 'Shea entailment +1 billion in 2002 and increased to $ 5 . The billion from 2002 went up to 5 billion entailment +When I checked a couple of years ago , the shelter population had indeed increased , but only by a handful of families . The shelter has gone out of business after the population of the shelter decreased drastically . contradictory +He also legalized the hula , Hawaii 's traditional dance . Hula was legalized by him . entailment +It was begun in the momentous year of 1066 , and William the Con ? ­ quer ? ­ or made its first abbot his archbishop of Ceterbury . It started in 1459 . contradictory +Looked like Sergeant Muller was in command he 'll come in here . Sergeant Muller looked dazed and confused , he must not be in charge of anything . contradictory +This is a great thing she has done for me in this world , she said as tears welled up in her eyes . In this world , she has done a great thing for me . entailment +There is much more to see in nearby Nishi-Honganji , an outstanding example of Japanese Buddhist monumental architecture , combining a bold , dramatic silhouette with rich ornamentation . There is a lot more to see near Nishi-Honganji . entailment +Turbo Cat ferries leave the China Hong Kong City ( CHKCeterminal twice a day ; the journey takes two hours . There are no methods of transport between China and Hong Kong . contradictory +They stood ready . Each of them held their weapons at their side , contradictory +It was refurbished in the Victorian era but rendered useless by succeeding Nile dams . The Nile dams destroyed the refurbishment of the Victorian era . entailment +While its facade is more sober than the exultant Baroque churches put up as the movement gained momentum , the interior glorifies the new militancy in gleaming bronze , gold , marble , and precious stones . Its facade is far more gaudy than any Baroque church . contradictory +HCFA submitted its proposed modification of this Medicare reporting requirement to the Office of Management and Budget ( OMB ) on July 19 , 1996 . HCFA wanted to alter the Medicare reporting requirement . entailment +initially predicts increased demand for postal delivery services . There 's expected to be significantly less demand for postal delivery . contradictory +Bauerstein considered it advisable . " Poirot nodded thoughtfully . Bauerstein thought it to be sensible and Poirot agreed . entailment +Kendal became a frontier castle , and pele towers square defensive structures , from the word pel , meaning stake were attached to the larger houses in the Lakes were to provide additional protection . Kendal became a castle on the frontier , and pele towers which were square defensive towers were used as protection . entailment +He said the way to accomplish this is to find and work with agency staff interested in the topic . He wanted someone passionate about the issue . neutral +yeah it was nice talking no no they just define it to you and so so you get what get uh luck of the draw but yeah anyway well good luck to you bye-bye I enjoyed our conversation , have a nice day . entailment +right well that was my experience going through junior high up there when i came down south for high school i was just repeating what i 'd already done I 've never left my home town . contradictory +You don 't know where to look for him , and it 's about a thousand to one against your running against him by accident . " It is not likely you will run against him since you do not know where to look for him . entailment +The 2001 study used three different types of analyses-client telephone interviews , data analysis ( identifying billing trends that are known to result in overpayments ) , and medical record review . The 2001 study used different types of analyses . entailment +i know i know it 's funny that that women even like that show because he really is he 's such a jerk but then it 's just kind of funny because you you can sit there and laugh and go yeah what a guy typical Typical guys are jerks . entailment +really is it like shrimp It 's kind of like shrimp . neutral +things that don 't cost too much but you get your money 's worth You can get your money 's worth when checking travel websites for things that don 't cost too much . neutral +Yes ? Her grave eyes met his inquiringly . She looked away and said , No . contradictory +In the big room of the cantina oil lamps made yellow pools of light . There were 10 oil lamps in the big room . neutral +uh several of those people Actually , some of those people . entailment +The Boulevard des Capucines and the Boulevard des Italiens , known as the grands boulevards , meet at the Place de l 'Op ? ? ra , which was a focal point in Baron Hauss ? ­ mann 's urbanization plans in the mid-19th century . Baron Haussmann developed plans for urbanization in te mid-19th century . entailment +well you do i guess you do get paid but the thing is is that you know people are what if they see you in the uniform i guess you never end up getting paid contradictory +And supposing the Coroner 's jury returns a verdict of Wilful Murder against Alfred Inglethorp . The jury has already declared him innocent . contradictory +Just outside the Lions ' Gate , look back at the city walls and note the two bas-relief lions . Two bas-relief lions can be seen just outside the city walls . entailment +because there just aren 't are not any left hardly around up in this area There are very few left in this area . entailment +Mantegna has a touching Madonna , but his true masterpiece here is the Dead Christ , achieving a gripping emotional effect with its foreshortened perspective . The true masterpiece of Mantegna located here is the Dead Christ . entailment +According to LSC , a grantee in that position could argue as well that an agency policy violated existing law . According to LSC , a grantee could argue that the policy broke federal law . neutral +Though most of its people claim descent from the ancient Egyptians , modern religious practices and social protocols are totally divorced from those of their ancestors . None of the people are descended from the ancient Egyptians . contradictory +Tuppence felt her previous judgment confirmed . Tuppence felt that her previous opinion was proven correct . entailment +okay i think i did know that i just forgot okay I forgot that because I was stressed out . neutral +But their principal balance jumped $ 43,000 to $ 260,000 , and their mortgage payments grew by $ 30 a month . Their principal balance and their mortgage payment remained constant . contradictory +'Young man , ' I said sternly . I spoke to the guy . entailment +Is Lee Harvey Oswald in his grave or in Russia ? I know where Lee Harvey Oswald is . contradictory +Many of the numerous caves hereabouts ( from which the town takes its name ) are inhabited by local gypsies . Local gypsies inhabit many of the caves in the area . entailment +you know i i don 't know i guess if if we had more power we 're just people off the street so to speak and We don 't have enough power . entailment +He interviews the adoring mom . The mom hates everything . contradictory +If you 've got limited resources and you think you can do it , and the court does help , then maybe this is the one thing that you forego in order to pay for something else , said Sally Fox , a former state representative who helped write the legislation to establish Family Courts and who used to be the state director of Family Court operations . If you forego something else , you can do it . neutral +so i was out there you know stark terror coming down the side of the hill It was the scariest thing in the world going down that hill . neutral +yeah it gets it gets uh hot but uh it 's not very humid and there 's always a nice uh breeze blowing It gets very cold and humid here . contradictory +developing or identifying training and certification programs that could Not developing a program contradictory +She is the Harold Kleinman Award personified . She is the epitome of the Award named after Harold Kleinman . entailment +Ten km ( 6 miles ) west of Funchal is Camara de Lobos ( lair of the sea-wolves ) . Camara de Lobos is 10 km to Funchal 's west . entailment +( F ) an alien who is lawfully present in the United States as the result of being granted conditional entry to the United States before April 1 , 1980 , pursuant to section 203 ( a ) ( 7 ) of the Immigration and Nationality Act ( 8 U.S.C. An alien who is here unlawfully because of conditional entry into the US contradictory +i guess plenty of people do I don 't think anyone does . contradictory +They brought with them iron weapons and chariots and codes of custom and conduct that quickly became dominant in the country . The iron weapons they brought included rifles , swords , and spears . neutral +hope they 're telling you I hope they let you know . entailment +GPRA will not succeed without the strong commitment of the federal government 's political and senior career leadership . Commitment from the governments leadership is required . entailment +They had already arranged their infamous plot ” that he should marry this rich , but rather foolish old lady , induce her to make a will leaving her money to him , and then gain their ends by a very cleverly conceived crime . They arranged for him to marry a rich old lady . entailment +The commander in chief has made a commitment on behalf of the United States , and the United States must honor that commitment . The United States did not choose to honor the Commander in Chief 's promise . contradictory +Not so the New York Times , which editorially called for legislation to overturn the ruling . The New York Times editor is personally involved in the situation . neutral +In the name of Yugoslav unity , Tito suppressed most assertions of ethnic identity . He wanted to have an open mind about the unity . neutral +i 'm not sure they need to be you know paid you know a super do salary of any kind that that kind of takes away from public service They should be paid a super salary for their service . contradictory +Victor Hugo , author of Les Miserables , lived at number 6 , now a museum housing many of his manuscripts , artifacts , and wonderful drawings . The very first printing of Les Miserables is located in the museum , behind a bulletproof glass window . neutral +well that 's yeah yeah well well i didn 't even see Batman so that 's uh that 's pretty good so I saw Batman . contradictory +Perhaps I never had . Maybe I hadn 't . entailment +So , I best wrap things up . I should wrap things up entailment +Not all British poets share Motion 's taste . British poets don 't all share the same taste . entailment +'Hmm ? ' White looked up . White was distracted when he looked at the person . neutral +Morris has written a model biography of a woman who , if born a man , could easily have been a President , says Luce 's friend Gore Vidal in The New Yorker . Reviews dwell on the book 's dishy detail , derived from Luce 's diaries . Morris 's book is a pure fiction about a woman who was woefully inadequate in every way , says Gore Vidal in the National Review . contradictory +What did she mean by ' On the top of the wardrobe ' ? What did she mean to say by ' on the top of the wardrobe ' ? neutral +You can take one of the numerous guided walking tours through the Old and New Towns . If you enjoy walking tours , the Old and New Towns have many choices available . neutral +She suggested SIR instead . She recommended ABC . contradictory +What a consummate hypocrite the man was ! What a hypocrite ! entailment +While this guidance focuses only on the reliability of data in terms of accuracy and completeness , other data quality considerations are just as important . The guidance focuses on the sporadic data . contradictory +There was a moment when you could not have been all together , or it would not have been necessary to call to Monsieur Lawrence to come and join you on the balcony . " You were all together in the living room and called to Monsieur Lawrence to join you . contradictory +This kid . This adult . contradictory +Get some sticks . Grab a couple of sticks . entailment +On Fourth Amendment rights , Clinton has been no better . Clinton has been surprisingly excellent with respect to rights under the Fourth Amendment . contradictory +Carlo DiClemente said the message needs to be reinforced after discharge . Carlo DiClemente said the message should be reinforced . entailment +oh yeah i 've i knew people who did it years ago but they they were very apologetic about it because you could tell they were used to people kind of going what are you doing that for you know I 've never met or known about anyone that 's done anything like that . contradictory +hadn 't been able to play so i took out a few videos and watched them for a while and i i hope i 'm on the right track you know i shot a career low eighty nine so and my handicap 's twenty i Since I couldn 't play , I watched some videos instead . entailment +yeah i don 't know fifty one stars on this flag wouldn 't look too good maybe fifty-one stars would look better on another flag neutral +The jury looked up , interested . Bored , the jury looked away . contradictory +Pleasure palaces were a secondary consideration , and were in fact mostly additions by Akbar 's successors . There were secondary considerations for pleasure palaces . entailment +( George Mason University 's James Trefil , for instance , complained that Forman gets into material he does not appear to understand . James Trefil believes himself to be more intelligent than Forman . neutral +you know i could i could have you know get something nice and upgrade but i just uh i 'm consulting right now so It 's not possible for me to get something nice right now . contradictory +That is good . It will do well . entailment +and i think it 's really very sad that north of the border you know the United States and Canada is so different from the South from South America and Central America there 's really a disparity between the um It 's an extremely large task to improve the southern continents ' economies . neutral +Our week of Christmas quizzing continues , and in the spirit of the holidays I 'm giving the wrap-up to Tim Carvell , who might be able to exchange it for something he really wants , if he saves the receipt . Due to public pressure , this week 's Christmas quizzing is cancelled . contradictory +In open glades , peacocks preen , and shy , tiny barking deer , no taller than the peacocks , race away at an intruder 's approach . In open glades no wildlife exists to be scared of intruders . contradictory +West of the shrine , surrounded by an iron railing , are the stump and fragments of Ashoka 's Pillar , which was once over 15 m ( 48 ft ) high . The remnants of Ashoka 's Pillar can be found to the west of the shrine . entailment +yeah it 's really a rather touchy topic at that but It isn 't a sensitive topic , so we can discuss it . contradictory +I tense . I am tense . entailment +Visitors should be sure to stop at the huge bronze incense burner in front of the hall , to bathe in the smoke an observance believed to bestow a year 's worth of good health . There is an incense burner in front of the hall that visitors should stop at . entailment +well it was nice talking to you and good luck with the baby I enjoyed talking to you . entailment +Sikhs make up just 2 percent of the population . The Sikh population is slowly growing . neutral +Local tourist offices will gladly direct you to farms where you can sample the regional cheeses and buy them on the spot ' more fun than in the unexceptional towns of Camembert , Pont-l 'Evaque , and Livarot themselves . Cheese is exclusively sold through grocery stores . contradictory +Not a single canvas shack lined this street . This street is lined with canvas shacks . contradictory +Permits are required , and you will need to buy one separately for each lake . You need a permit for each individual lake . entailment +You and Beresford . Just you . contradictory +He managed to cook a horse-stew that left Ca 'daan stuffed like a pig . Ca 'daan was stuffed like a pig after eating horse stew . entailment +The mean value of avoiding one statistical death ( i.e. The mean value of avoiding a statistical death is 5 % neutral +A. DeConcini Federal Courthouse , 405 W. Congress St. Deconcini was one of the organization 's early board members . Deconcini was a board member . entailment +Public Expenditure . Expenditures may only be private . contradictory +Also , there were the rats . Rats were around . entailment +The plantation also houses a private academy for young people , the brainchild of Harold Mitchell . The private academy is located miles away from the plantation . contradictory +yeah you can disagree with uh what they 're doing and what they 're saying but in reality i think they 're they 're trying to represent their constituents i believe they 're attempting to represent their constituents entailment +We 'll be at the camp of the Sather Karf shortly . " That sewed everything up neatly , Hanson thought . Expect us at the camp of the Sather Karf in half an hour . neutral +uh well lets see i suppose i could say i enjoy joy crocheting um gardening knitting uh hiking I do not like to hike at all . contradictory +Time ' s James Collins calls it pretty good , gooey , yearning , adolescent fun , and Entertainment Weekly ' s Ken Tucker calls it a solid weekly soap opera . James Collins from Time calls it several positive adjectives whereas Ken Tucker calls it solid because he likes using the word " solid " to describe things " . neutral +Mrs. Cavendish fanned herself gently with a palm leaf . Mrs Cavendish fanned herself with the leaf . entailment +Pa learned us to read outta them . Our sister taught us how to read them . contradictory +Yad Vashem it means a monument and a name ( which shall not perish ) is Israel 's Holocaust Museum complex . Israel has a Holocaust Museum complex called Yad Vashem . entailment +I have a treat for you today , said Jon . You will get a treat from me today , said Jon . entailment +yeah i usually go to Callaway 's or Wolfe I usually go to Callaway 's for its price or Wolfe 's because of quality neutral +The constant clash between modern and traditional values leads to the numerous fascinating contradictions you will encounter in Japan . Modern and traditional values in Japan are in large part one and the same , producing very few contradictions . contradictory +I should think any offer we get in answer to that would be a pretty UNreasonable one ! It 's inconceivable that I will get an unreasonable offer . contradictory +Monsieur Poirot , I am sure you agree with me that the facts are very suggestive . " I don 't think any conclusions can be drawn from the information we have . contradictory +yeah the question is which which excuse me that 's my little girl which one should they do Sorry , that 's my dog . contradictory +In the south , trips from Col ? ? nia de Sant Jordi / Campos dock at the strange little isle of Cabrera . The isle of Cabrera has a dock . entailment +The model is intended to give managers an overview of the acquisition process and to help them decrease acquisition risks . The model is designed to make managers increase acquisition risks . contradictory +In crafting GPRA , Congress also recognized that managerial accountability for results is linked to managers having sufficient flexibility , discretion , and authority to accomplish desired results . Managerial accountability is linked to managers having sufficient flexibility , discretion and authority . entailment +The Chinese , considering that they had been more loyal to the Allied cause in World War II , felt betrayed . The Allies did not consider the Chinese to have been loyal to them . neutral +Wal , sure , Kirby , Tobe Kells is a man o ' his word . Tobe always does what he says he will do . entailment +They were all slaves , weren 't they ? They were free men . contradictory +well i see that we both share the same belief here that it 's important that we spend time with our kids and and in spite of I wish that more people could work less , and spend more time with their kids . neutral +If you want us to stay and others want to leave , they can leave . " We will leave with them if you want them to leave too . We will stick by their side . " contradictory +Fascinating details such as Bonnie Prince Charlie 's traveling canteen of cutlery , along with his sword and targe ( a small bag ) , bring history to life . Prince Charlie had a traveling canteen of cutlery that he took whenever he left the castle . neutral +Twin leather straps crossed his chest and he wore leather breeches cut above his knees . The man was wearing a purple dress . contradictory +But long-standing management problems , including weaknesses in strategic planning , had threatened the agency 's ability to adapt to changing demands . Despite strong strategy and planning , the agency simply wasn 't able to keep up . contradictory +yeah i would not want to raise a a child today I do not desire to bring up a kid at this date . entailment +Ramses was too proud to accept defeat , commissioning obelisks that celebrated his victory . Ramses couldn 't accept defeat . entailment +There ! said Tuppence at last . Tuppence was done . entailment +oh they 've been getting cleaner They have become more cleanly . entailment +A very slow smile overspread the face of the other . The other cried . contradictory +The statistical incidence of a single death , equivalent to a product of a population risk times a population size that equals one ) is estimated to be $ 6 million in 1999 dollars . The death of one person is equal to $ 6 million ( in 1999 dollars ) . entailment +I was a darned idiot , muttered Julius gloomily . Julius proclaimed that he was a genius . contradictory +But that 's not why I 'm here . That 's not the reason why I 'm here . entailment +The photograph of Jane Finn , which would have been of the utmost value to the police in tracing her , was lost beyond recovery . The photo was never lost . contradictory +I am still a little fogged as to how exactly the bromide business was done , I remarked . I understand quite clearly the exact manner in which the business of the bromide was done . contradictory +just drastically altered we had people down the street that the guy was in the reserves and he was just about ready to go and they have a just had a new baby and uh they would have she would have had to go back to work and The guy down the street had a baby just before he was scheduled to go . entailment +Some best practices include focusing on improving communications with management and using external advisors . One of the worst practices is improving communications with management . contradictory +She didn 't use it , however . She did not use the item . entailment +You might ask why Microsoft is punished by the loss of an Internet Explorer user , given that Internet Explorer can be downloaded free . The truth is that for every lost Internet Explorer user , Microsoft loses a couple thousand in ad revenue . neutral +otherwise , why else go to all that trouble ? Why else would you sit and do nothing ? contradictory +i don 't think i could spread my patriotism any more than well actually i like uh San Francisco 49ers too but uh The San Francisco 49ers have always been my favorite team . neutral +detecting material misappropriations is an objective of control over safeguarding of assets , understanding this type of control can be essential to planning the audit . These controls are of no use or relevance when planning an audit . contradictory +" Maybe I didn 't , " Drew admitted . Drew admitted that he did not do it . entailment +As Bush 's secretary of education he was for Break-the-Mold schools . The secretary of education under Bush advocated Break-the-Mold schools . entailment +Because the Government has been entrusted with , and made accountable for , these resources and responsibilities , they should be recognized in the financial reports of the Federal Government and of its component entities . The government has been made accountable . entailment +well i guess i better run go i suppose i should probably dash entailment +because uh it 's it 's all size about it 's not it 's not very big i mean it 's like a hundred and five pages something like that A hundred pages is very short . neutral +The Model focuses on major costs . The model focuses on ponies . contradictory +This Fort was right . This Fort had been correct . entailment +yeah yeah you know she should be getting on with her life you know getting getting that part behind her but yet it 's it 's kind of tied to her the way it is now This woman needs to be moving on but some stuff sticks with her . entailment +i 've got two and it is hard to find day care for them I 've tried over and over to find proper day care for them . neutral +There are also watercolors , drawings , prints , sculpture , and a multimedia gallery where a computerized system offers information about 100 of the gallery 's best works . The computer also has maps and tourist attractions built in . neutral +The chapter fairly screams , There are too many people in prison nowadays . Many people are in prison because they robbed banks . neutral +It cost quite a lot and I resented it at first but it helped me win my share of bar duels and enough money to sleep with a roof over my head . It has also paid greatly for my liquor habit . neutral +well the paint paint job yeah if you 're going to look a new car what would you look at There 's a few important things to look at when it comes to a new car . entailment +i you know my my name being sold if i if i give money to the World Wild Wildlife Federation you know it 's a it 's a i feel it 's an invasion of privacy to receive so many pieces of junk mail because they sell my address I never receive any junk mail . contradictory +Well lit by 72 windows , two spiral staircases of 248 steps take you right down to the water level . The building was huge with many features . neutral +The weeklong trip , which must have cost thousands , resulted in a short piece . The trip was one week and cost thousands . neutral +uh i think they cook cabbage up north i think that 's one of the things they want i 'm not sure i 'm not They never cook cabbage up north . contradictory +that 's good you know i like to see that you know i have uh some friends that uh first of all I have some friends that , first of all , don 't vote . neutral +So , why would a clone be different ? It is unclear why a clone would be different . entailment +yeah i think so i i don 't really think we need to know or even sometimes care so much about all the little nitty-gritty things they keep asking over and over i think think the reporters sometimes ask the silliest questions I love when reporters grill people because we need to know this stuff . contradictory +You 're bound to meet some hardy outdoor types in the bar . In this bar , you might find some tough people who like the outdoors . entailment +She clenched her teeth and the man smiled at her as he slowly pulled her closer , wrapping the chain around his forearms . The man ran away from the woman as soon as he saw her . contradictory +As geologist Nathan Winslow puts it in a gently skeptical review on self-organized criticality , A theory can , once in the pop science regime , acquire a level of acceptance and momentum that may or may not be warranted by its actual scientific credibility . Such a theory , if disproved , would see a significant drop in acceptance and momentum in the pop science regime . neutral +i much prefer to stay in the house in my air conditioning and look at it without working in it I prefer to watch other people work on it neutral +right in day care yeah i agree i uh you know it 's fun being single it 's like i almost have to work right now i 'm at home because i am recovering from surgery but uh He recently had his appendix removed in compliance with his doctor 's orders . neutral +It is much more likely that the correspondent would have talked to the caterer or a disgruntled unknown sitting in the corner . The correspondent didn 't talk to anyone except high-raking officials . contradictory +The Federation reacted fast . The Federation reacted slowly .. contradictory +Gee , and they didn 't have to close down the government even once . The government was not closed down . entailment +ah that 's what my that 's what my garbage man does My garbage man does things . entailment +Will suing professors be next ? People constantly sue professors . contradictory +and a pool to go to that would be nice It would be great to have a pool that I could go to . entailment +oh well that 's not did you push the button Has the button been pushed by you ? entailment +Financial Challenges Facing DOD in Meeting the Goals of the Chief Financial Officers Act ( GAO / T-AIMD-96-1 , November 14 , 1995 ) The DOD faces financial challenges in meeting the goals of the EPA . contradictory +In the deep Atlantic , just beyond Madeira 's shallow waters , you can catch according to the season giant blue marlin , bonito , tuna ( big-eye , blue-fin , and yellow-fin ) , barracuda , swordfish , wahoo , and shark ( hammerhead , maco , and blue ) . All types of fish can be caught in the deep Atlantic . neutral +The segment notes that President Reagan was known to misidentify his own dog and also the country of Brazil in official settings . Reagan was known to have a perfect memory while in office . contradictory +And if there were , any elective late abortion--even by induction--would be wrong , though D and E and partial-birth abortion would seem especially cruel . Elective late abortions are fine . contradictory +It is important that you understand this . In addition to it being important that you understand this , you must demonstrate that you comprehend it . neutral +Ultimately , what 's most important about Disney 's struggle to turn ABC around is how impressive it makes the company 's management of its own franchise look . It 's impressive the Disney 's management of its own franchise look , said the manager . neutral +Still , as it happens , the others were not there ? Coincidentally the others might not have been there . entailment +I don 't quite know , said Tuppence meditatively . I don 't know , said Tuppence entailment +We will get very good terms ; _ very _ good terms . " We probably won 't get good terms . contradictory +Nonetheless , the experiences of the leading organizations suggest that the steps and practices discussed in this guide can assist agencies in successfully implementing GPRA . GPRA can be successfully implemented by using this guide . entailment +It offers a stepping stone to the sacred island of Delos , with all its archaeological treasures , yet has a variety of beaches for those who want to do little but soak in the sun . It features several beaches for sunbathers . entailment +( The endorsement vote , which was narrow to begin with , was later rescinded after an outcry . The endorsement vote had won by a really big margin . contradictory +From what I 've heard , they did the attacking , Topham pointed out . Topham witnessed the attack and he was relaying the details to his superior . neutral +GAO will provide the notification to the agency-designated liaison or agency-designated point of contact . GAO will give the notification to the liasion . entailment +FRANCE AND THE FRENCH A country in Europe and their people . entailment +Few in this hellish desert would have done that for us and I must remember that when they ask me to die for them . They will never ask me to do something bad . contradictory +Calls herself Vandemeyer . Her name is Vandemeyer . entailment +We note that the Executive Order has been replaced by Executive Order We note that the Executive Order was not replaced . contradictory +Smashmouth makes me certain that , while Jim Morrison may be dead , Ray Manzarek is not . Smashmouth has a style similar to that of Ray Manzarek . neutral +The National Basketball Association has famously sought to trademark the scores of its games . The NBA was in the papers for trying to stupidly trademark the scares of its games . neutral +uh because of a service that they could provide you know if you want to be a lawyer because you know that you can provide a service that people need because you have to have lawyers in this country um but if you 're just doing it because you think that 's the best way to be rich People in this country have no need for lawyers . contradictory +Macau has an ample supply of Portuguese wines . There is no wine in Macau . contradictory +um-hum well they say aren 't maybe you 're supposed to cut them back cut them and They say you shouldn 't cut them back . contradictory +Most city delivery routes are park-and-loop routes . No city delivery routes are park-and-loop routes . contradictory +'Or else . ' Or I will kill you . neutral +Its two lower stories have a remarkable carved frieze representing scenes from the Mahabharata and Ramayana epics . There are scenes from the Mahabharata depicted in the remarkable frieze . entailment +There were some peculiar points about that stain . It was a straight-forward stain . contradictory +ProBono.net hooks up experienced lawyers with relative newbies . ProBono.net is a way that younger lawyers can get help with cases . neutral +To the east of the palace are the Eglise Saint-Etienne and arresting Eglise Saint-Michel . The Eglise Saint-Etienne can be found to the west of the palace . contradictory +Captain Peter Bristow also runs big game fishing expeditions . The captain only runs Turkey hunting expeditions . contradictory +Once the development is taken over , it 's very difficult to take them back . It is easy to correct a power grab of development . contradictory +The comments submitted to the Commission and live testimony indicated widely disparate agricultural needs . Wide variance in agricultural needs were indicated by the comments and testimony . entailment +yeah to decide which day to take off and you know do you take off the day You have that day off . contradictory +Sobieski was elected king of Poland , but his attentions to battles against the Turks at the expense of domestic affairs did not bode well for him and Poland . Sobieski became the dictator of Poland when he overthrew the government . contradictory +The Astronomer said , " Youth ! " The Astronomer wanted the youth 's attention . neutral +Many here do not understand it but I do . The room is full of people who understand the concept . contradictory +Watch him , so he won 't go into shock when he wakes up . He is already awake contradictory +We view anything that helps expand participation in the electoral process as a positive development , says Ben Green , director of Internet operations , Gore 2000 . Ben Green was running against Gore in 2000 . contradictory +what type okay i 'm trying to i don 't know the first two the Himalayans I don 't know the Himalayan ones . entailment +you know here but i It is different here . neutral +I didn 't want to give my own because of poor father in case I should get mixed up in anything shady . " 23 " Perhaps that 's so , " said Tommy slowly . Tommy had his suspicions . neutral +But it 's harder for officials with broader portfolios of responsibility . It 's more difficult for officials with more responsibility . entailment +i haven 't seen that one yet Hve not experienced that one yet . entailment +The pleasant City Bassa ( lower city ) at the foot of the hill is the attractive , modern town full of shops , hotels , and restaurants known for a savory rendition of risotto they insist is superior to Milan 's . Milan has the best risotto in the region . contradictory +" Apaches ? " San Carlos Apache indians ? neutral +You might think the journey is a little complicated , but if you go to the trouble you will find it well worth the effort . Once you do the journey once , the second time will be much easier . neutral +that 's terrible well it 's really bad that you have to be you know we we were over at a neighbors tonight and and Brian my little boy is only is just a little over two and their little boy is like five you know so there 's a big difference and they were playing in the back yard and we were getting ready to leave and i went out in the back yard to get Brian and the boys were gone and the back fence was open you know Mine and my neighbors ' kids are never out of sight . contradictory +The Title V operating permit must also be made available for public comment and is not made final until compliance testing on the control device is completed . The Title V operating permit does not need to have compliance testing done on the control device before it can be released to the public for comment . contradictory +and she you know she finds all the outlets and all the discount places and uh buys clothes um when you know when they were coming up i i didn 't sew but now i 've i 've learned how to sew so i 'm well i 'm i 'm still learning how but i 'm getting and i 'm getting much better at it and i She 's great at finding discounts , but I 'm learning how to sew . entailment +There are swatches of course , sir , but if you prefer to take care of the strikers , we can wait , no problem . Swatches are definitely different to strikers , which is the reason why we are indecisive . entailment +It makes your nerves all fluttery , makes everything go loose and light . It calms me down . contradictory +Part of the decline may have been due to general market conditions , but it 's doubtful that all of it was . Other factors besides the market conditions might have been bad leadership or poor planning . neutral +Sure I 'm from home . That is acceptable , home is where I am from . entailment +Slim said , " Wait ! " WAIT ! " Slim shouted to me . neutral +Court Merrigan from TeleRead wrote : ' You not likely come across anything quite like Password Incorrect any time soon . Court Merrigan thought Password Incorrect was very boring .. contradictory +We excluded from this review proposed rules that were routine or administrative in nature ( e.g. It was beneficial to exclude said rules . neutral +I should never have suspected them of being official personages . I was in the right to suspect them . contradictory +But it was strange that she never heard a sound , sleeping next door ; whereas Mrs. Cavendish , in the other wing of the building , distinctly heard the table fall . " She had taken too many sleeping pills which is why she never heard the table fall ; Mrs. Cavendish was wide awake across the building and heard everything . neutral +It is home to a major university as well as an arts and crafts college . An arts and crafts college and a major university can be found there . entailment +He showed no signs of buckling under physical work that would have killed him on his own world . On his world this sort of work would have killed him . entailment +and a lot of the people that came from that area probably like what you 're talking about they had no um they had a lot of property but not a lot of house and now they have a lot of house and hardly any yardage around it It used to be you had a lot of land but not a lot of house but now you have a lot of house and not a lot of land . entailment +Pick up the Boat Excursions leaflet put out by the Balearic Tourism Office for information about organized boating trips around both islands . Get boating excursion information from the Balearic Tourism Office to find the best deals . neutral +The northerner walked back and pulled his sword free . The man moved back to his sword . entailment +Tommy shook his head , and said dully : " It accounts for the stitches being new . The stitches were actually new because there had been a sale on thread . neutral +If only I could be certain that I was not being overlooked ! I 'm absolutely certain that they are ignoring me . contradictory +1 , Objectives of Federal Financial Reporting as the monetary value of resources used ( para . Objects of federal finance report as money and resource used entailment +Kofukuji temple was the first of the Zen Buddhist temples built by the Chinese ( 1620 ) after the Tokugawa shoguns had outlawed Christianity and ordered citizens to register as Buddhists . The Chinese built many more Zen Buddhist temples after the Kofukuji temple . neutral +all right uh you know there 's bumble bee patterns There are patterns called bumble bee patterns . entailment +Thirty years ago , everybody was a dumb jock who played sports , sniffed DeBusschere . DeBusschere thinks that thirty years ago everybody was dumb and took part in sports . entailment +Nemesis Hunt refutes the slack-jawed Novak , with the computation that 5 + 4 = 9 and therefore half of Starr 's deputies are not current DOJ employees . The DOJ doesn 't want Starr 's men on their team . neutral +except we might have uh bad case of paladium poisoning now The only problem is we might have palladium poisoning at this point . entailment +With over 20,000 species in more than 20 hectares ( 50 acres ) of grounds , there is plenty to see and enjoy . THe grounds have lots of birds and bugs . neutral +You look as hot as that pie , darlin ' , he said , glancing at the cleavage of her firm , young breasts , while her breath quickened with expectation . he was speaking literally , talking about how she looked like she was heated . neutral +Crosethe busy road at the bottom of Canongate to enter the Holyrood area , Edinburgh 's current royal quarter . Canongate is also a center of royalty for Edinburgh . neutral +A trip to Pamukkale usually includes a visit to the site of the ancient city of Aphrodisias . Aphrodisias is about 10 miles away from Pamukkale . neutral +so my husband 's just discouraged me on those things My husband has encouraged me on those things . contradictory +read and that 's about it read lots of books , but that 's about it neutral +Usually he 's calm as a hoss trough on a mild day . It 's unusual for him to be this calm . contradictory +And frankly , we do not pursue state planning because we want our naysayers to believe that LSC has reformed itself . We plan on pursuing state planning . contradictory +That is not what I meant . That is exactly what I allude to . contradictory +The requirements were negotiated and agreed upon by the Departments and the tribal representatives during the negotiated rulemaking process . They negotiated about the requirements for the Departments . entailment +In this room … . Outside this room ... contradictory +For a time , it looked as if the campaign was going to succeed , but political events , together with the citing of Parnell as co-respondent in a scandalous divorce case led many to withdraw their support . Despite the divorce case Parnell was embroiled in , support for the campaign continued . contradictory +so part of the thing is when the father and son or father and daughter are hosting this meeting that the week they have to plan it together what they 're going to do when they 're the host the parent and child have to decide where the meeting will be held and what kind of food will be served neutral +Born in 1853 and exiled at 18 for his political views , Marta became a journalist and poet . Marta was a journalist and poet . entailment +According to an index of food prices in Bailey 's book , food prices in 1996 were up 8 percent since 1990 , but down 113 percent since 1975 . According to food price indexes found in Bailey 's book , food prices have increased since 1990 . entailment +By letter of May 9 , 1996 , the Commission informed SBA of its certification . The SBA was informed about the notification in 1996 . entailment +I believe she has passed quite a stiff exam . " She failed all of her tests . contradictory +All my life I strove to fell anyone they put in front of me and had succeeded in that . I had found success many times in my life . entailment +No , no , he gasped . He was shocked and disagreed . entailment +Hong Kong 's stores are usually able to arrange shipment . Hong Kong 's stores never arrange shipment . contradictory +on Energy , Nuclear Proliferation , and Federal Services of the Senate Comm . on Waste Management , Feline Apparatuses , and Federal Servicios of the Congress Bruger . contradictory +uh that helps the rationale any but it 's still angering to see the abuses uh even though they 're uh a relatively small percentage they still they sound humongous when they 're you know you hear millions and sometimes billions of dollars spent and and even some of the arguments over the national endowment for the arts and what 's happening in that area it 's still a pretty small chunk considering what actually flows through that government so but those are the things that get us going or get us stirred up sometimes people It makes me mad to see how much money the government wastes . neutral +In addition , it provides case studies , lessons from experts , and a forum allowing users to share information or to ask questions . The forum is lecture style with no opportunity for audience response . contradictory +Another horse roared by and she fell under a flash of steel . She fell as a horse raced by . entailment +As discussed in section 1 , disposable personal income is the after-tax personal income ( including government transfer payments ) available for households ' consumption and saving . Disposable income is the 72 % you have after taxes . neutral +well i uh i 'd have to say my favorite team would be Cincinnati Bengals I really hate the Cincinnati Bengals football team . contradictory +Both mags also cover hot , new drug Ginkgo biloba . Neither of the mags covered the unpopular drug Ginkgo biloba . contradictory +The mills in North Carolina exist because textile capital migrated from the Northeast in pursuit of low wages , no unions , and cheaper materials . North Carolina has mills because the textile companies moved from the Northeast because there were better things to be had there . entailment +the Unabomber , Timothy McVeigh--could rescue a damaged reputation . Timothy McVeigh is the real name of the man known as the Unabomber . entailment +and they have a they 're able to average it over a number of different occasions because peoples voices change a lot even from morning to evening and that 's uh a big problem in speech recognition People 's voices do not change at all from morning to evening . contradictory +Blue-and-white agapanthus cling to the top of the promontory , and pine and eucalyptus creep right to the edge , but an even greater degree of daring can be seen hundreds of feet below , where farmers have managed to salvage tiny plots of arable land , terracing them into little green postage stamps stuck onto the sides and base of the cliff . The farmers on these tiny plots are making very small profits for their efforts . neutral +Although the prescribed amount failed to restore France 's ageing Louis XIV to health , it might work wonders with a morning-after feeling . The substance is actually a crude version of aspirin . neutral +Let her have an evening as a real child with people who do not wish her harm or force her to their whims , Jon thought . Jon didn 't care if she spent time with those wishing to hurt her or not . contradictory +Televisions are expensive these days . Televisions cost a lot of money in the current year . entailment +He also observed that patients who screen positive for one risk factor often have multiple risk factors . Patients that wind up positive for one risk factor also usually have multiple other risk factors . entailment +Options included canceling the development program , delaying the decision until all criteria were met , or moving ahead with a detailed plan to achieve criteria not met by a specific time when leadership would revisit the other options . The leadership only option was to cancel the development program . contradictory +In the Smith / Voinovich / Brownback analysis , when we analyzed SO2 and NOx reduction levels similar to S. 556 , mercury reduction levels more modest than S. 556 and no CO2 reductions , we did not find significant impacts on coal production or electricity prices . In the Smith / Voinovich / Brownback analysis , when analyzing SO2 and NOx reduction levels , mercury levels were more modest than S 556 and no CO2 reductions due to the revamping of industry . neutral +I am not as certain as you are . I am just as sure as you are . contradictory +When AOL and Time Warner merged , the entire business staff and much of the Style section dived on the story . When AOL and Time Warner combined , lots of reporters covered it . entailment +i mean you think about it now they they get about sixteen holidays a year They should have the right to celebrate their traditions . contradictory +Your allusion to Earl Browder fell wide of the polemical mark with me , because I actually lived next door to Earl Browder as a child . He was a much better person than you are . neutral +Through diagrams and interviews with physicists , the story describes how separate universes could break away from ours ( a bit like a soap bubble dividing in two ) . The story shows how different universes could break away from ours . entailment +Therefore , the assumption of ACI as a control method will provide a fairly representative indication of the demand for hardware and construction resources regardless of which sorbents are used in the market . Using ACI as a control method will tell you what construction resources are used . entailment +Ben worked in a diner and was tired of clunky sugar dispensers and so converted an existing piece of machinery , a tea bagger , creating the first sugar packet . Ben made a sugar packet using a machine called a tea bagger . entailment +The first banner ads were relatively obvious appeals for a click-through . Banner ads are not able to be clicked through . contradictory +uh-huh yeah yeah that 's probably true because uh that 's That is probably true entailment +and it 's in the north i live up in the uh northeast corner and Attleboro sits in just over the line I live in the southeast corner far from Attleboro . contradictory +One statistic floating around is that workers spend about 90 minutes a day on nonwork-related computer games and Web surfing , with an estimated productivity cost of $ 50 billion . Workers do not spend any time on computer games . contradictory +Agency Comments and Our Evaluation Agency defaults and their evaluation . contradictory +Hanson puzzled over their words briefly as he closed the door and went out with Nema . As he walked out of the room alone , Hanson ignored the talking Satheri . contradictory +Have you seen what gets done to them ? Do farmers weep about it ? Are the farmers happy about it ? contradictory +The one-day crash of ' 87 , for example , reduced people 's net worth by billions without directly reducing by as much as a single doughnut the amount of goods and services or the economy 's ability to produce more of them . The one-day crash of ' 87 did not make any difference to the economy . contradictory +Around it , the lively neighborhood of cafe , boutiques , and art galleries linking up with the Centre Pompidou ( alias Beaubourg , ) is very popular with the young crowd . The most popular destinations in the neighborhood are the boutiques . neutral +which at least if they if they take off the first year they 're probably going to come up unless there 's uh a terrible freeze or something They 're probably going to come up for the terrible freeze . contradictory +The statement that Caryn Mann recovered her memory and estimated Parker Dozhier 's payments to Hale at $ 200,000 is contradicted by the very Salon article Foer cites to support it . Caryn Mann was thought to have lost her memory for a while . entailment +Chinatown itself remains a hive of bustling activity , standing cheek by jowl with a Little India of pungent spice shops and ornate Hindu temples . Little India and Chinatown have a number of similar characteristics . neutral +Again , the net effect of a tax incentive on national saving depends on whether the tax incentive induces enough additional personal saving to make up for the government 's revenue loss . The net effect of a tax is that the good costs more than it would without tax . neutral +Sitting down in front of the glass , she stared at her own reflection for some minutes . She stared at her reflection in a glass . entailment +that 's more than than the property i have right here that you 've got as a uh a garden that 's amazing Your garden is bigger than my property . entailment +oh well i i i don 't mind doing like gardening or just stuff like that but i 'm just regular cutting the grass and I don 't know how to plant a garden . contradictory +The first stop is Puerto de Mazarren , 34 km ( 21 miles ) beyond Cartagena . Puerto Mazarren is the closet place so we 'll stop there first . neutral +well you can you can but they 're expensive They 're very cost-effective . contradictory +If a pulsejet FF ( PJFF ) is used downstream , the sorbent injection rate can be reduced to about 4.6 lb / MMacf . The sorbent injection rate can only be reduced to about 4.6 kb / MMacf if we use quality materials . neutral +They may choose the bridge at first but there is no reason they can 't cross the stream later if they wish . Even though the bridge route is simpler , they can swim across the stream when they return . neutral +i like that well i um i we really don 't watch too many programs regularly my children like some of the morning children 's shows when they 're home they um i just have one son who 's in kindergarten so in the morning they will like to watch like um They like to watch the same cartoons every week . neutral +Critics are surprisingly positive about the singer / songwriter / best-selling poet / soon-to-be film actress ' second album after the 8 million copy selling Pieces of You . Musically she has matured , and her trademark folksy-bluesy-pop songs are dubbed sweet , soulful ( Veronica Chambers , Newsweek ) . The lyrics , however are said to be full of hokey self-helpisms , and the album overflows with advice intended to be inspirational ( Jon Pareles , the New York Times ) . ( Buy the album online . ) This artist 's second album has been liked by some critics , especially its lyrics . contradictory +Cultural critic Edward Rothstein attacks the film 's central metaphor--the Mafia family as metaphor for the American family--as untenable . Edward Rothstein does not believe that the Mafia family has a strong relation to American families in general . entailment +Lord , he was really tired . He wasn 't tired at all . contradictory +well that 's what we 're looking forward to and that 's what they say the payoff is but The payoff is worth the work we did . neutral +um-hum well yes of course we do have capital punishment and we 've you know done away with our quote fair share number Capital punishment is morally reprehensible . neutral +EXCHANGE TRANSACTION - A transaction that arises when each party to the transaction sacrifices value and receives value in return . Value is lost in an exchange transaction neutral +It was an influx of new settlers with Bronze Age skills around 3000 b.c. that ushered in the Minoan era , the first major civilization to arise on European soil . The Minoan civilization was eventually eclipsed by the Greek civilization . neutral +Pedicabs were once the most common form of transportation in Macau , but today they are mainly a tourist attraction . Pedicabs are no longer the most commonly used transportation in Macau . entailment +The Lambeau A jubilant vault into the stands of Green Bay 's Lambeau Field . Green Bay plays at Soldier Field . contradictory +Said to be the oldest of their kind in the world , dating back some six millennia , they were worked by the ancient Egyptians and later ( perhaps ) by King Solomon 's slaves . It is not possible that King Solomon 's slaves worked this place . contradictory +Consistent with the Executive order , the rule was initiated through an advance notice of proposed rulemaking published on April 6 , 1994 . The rule was published on April 6 1994 entailment +Newsweek devotes the cover package to Mother Teresa , asking when she will be sainted . Newsweek never publishes religious material . contradictory +How that other taxi man will swear ! How that other driver will curse ! entailment +The hotel is a fascinating amalgamation of architectural styles , with the front section , which houses the cozy bars , being the oldest , dating from around 1670 . The hotel has a number of different styles . entailment +An exchange between Greece and Turkey of expatriate populations resulted in the movement of thousands of people , and the wholesale desertion of Greek villages and districts . After the Greeks left , Turks moved into the abandoned Greek villages . neutral +i i yeah um i i suspect the apathy is is due to something like people just feeling that that their vote doesn 't count anyway i mean why why bother voting if um if your vote won 't make a difference so for instance in um the last presidential election i 'm sure a lot of people thought oh Bush is going to win either way why bother voting I think that voting doesn 't matter since it makes litter difference entailment +nah so it 's sort of an old wife or common folk tales about you know if you 're going to have a cat spayed let it go through heat first not true because when they go into heat their uh genetic parts swell up and expand and everything and then once you do take them into surgery it 's a little more difficult easier to have them spayed before they even go into heat It is better to spay before heat . entailment +Under Sir Ernest 's skilful handling , he told his tale credibly and well . Sir Ernest practiced his spiel with him for two weeks so he can deliver it perfectly . neutral +Vicki Goldberg , in her book The Power of Photography , describes the full , filmed The Power of Photography was written by Vicki Goldberg . entailment +Macau 's oldest museum , the Maritime Museum ( Wednesday Monday 10am 5 : 30pm ; admission HK $ 10 , HK $ 5 children over 10 ) traces the history of Macau 's connection to the sea . Children under 10 are admitted to the museum for free . neutral +Within these disciplines , researchers have defined the case study and discussed its critical elements in a variety of ways . Those fields have more familiarity with the case study so researchers in other industries didn 't wish to take a stab at it . neutral +The interior has been redecorated with fabrics and furniture dating from the late 1700s to Victorian times . The decor is based on contemporary modern design . contradictory +Critics line up on opposing sides . Critics form one long line . contradictory +Bayos-tigres striped ones three . Boyos tigers , the striped ones , are super rare . neutral +We often use multiple methods , and the audit trail technique now recommended for case study use was itself adopted from such auditing procedures as workpapers and referencing , which are standard practice with GAO . We refuse to use multiple methods and follow GAO standard practices . contradictory +uh uh i think we just hang up yeah okay thanks bye Okay , i think it 's time to hang up , bye . entailment +A small resort on the northern coast , Apollon , holds a fascinating artifact from the past . The Apollon resort is a rather small resort . contradictory +Joalle Toledano Joalle Toledano is a person . entailment +You like , senor ... tequila ... whiskee ... food ? This is a bait shop ; we don 't serve humans here . contradictory +Did Simova never mention that the family was Jewish , when living with the Korbels or during subsequent sporadic communications ? Did Simova not say anything about the family 's religion when they were living with Nazis ? neutral +And a damned good sport too , said Tommy . And a horrible sport too , said Tommy . contradictory +And you _ will _ save our world ! Hanson staggered from the shock of the pain , but he was no longer unused to agony . Hanson stumbled from the shock of the agony . entailment +Michael will be filing from Silicon Valley two to three times a week . Michael steers clear of Silicon Valley . contradictory +The two stories further illustrate the unease , even hostility , that blacks have tended to feel about their folklore , and about black history In That I Had the Wings , Riley , a young black boy Ellison uses in several stories , hates his Aunt Kate and wishes she had died back in slavery times ; in Flying Home , the black pilot who seeks escape hates the black farmer who rescued him after his crash . Riley and Ellison go back in time and defeat slavery and racism contradictory +The steps and practices presented in this executive guide are largely a synthesis of previously published information and analysis . Nothing in this executive guide is original at all . neutral +'Then they 'll be heading for the front of the train , ' White said . The train front is where people will be heading . entailment +I wouldn 't lift a finger to ” to ” ” " She faltered . She was more than happy to lend a helping hand . contradictory +In pure type-1 worksharing , the analysis of the decision and the benefits is simple . The analysis proved the type 1 program was working much better compared to the old program . neutral +oh what which one is that Which of the seven had white paws ? neutral +Hargarten commented that this area has the potential to cause consternation and divisiveness , so it will require a great deal of textual commentary to tease out the important issues that it addresses . Hargarten commented that this area has the potential to cause consternation . entailment +right yeah i had to change the water pump in that here about a year ago and it was really fairly easy take the grill out and the radiator out and you can just stand there and work on it It was really easy to remove the grill when I had to change the water pump a year ago . entailment +uh collect them and leave us new bags when ours get old and ratty or leave the ones if they 're still in good shape Don 't worry about collecting our bags . contradictory +Across the world , an 18 th century war shrine in the Japanese town of Nara once contained the ears of 20,000 Koreans . 20,000 Koreans had their ears cut off . neutral +Certainly not . No , not today . neutral +Jon smiled . Jon frowned . contradictory +Whittington mayn 't be in London at all . " Whittington may be out of London . entailment +now we always had a ham like on uh uh Easter On Easter , we always had ham and mashed potatoes . neutral +uh-huh we don 't watch that much We watch other shows instead . neutral +i don 't think he 's going to get a head coaching job this next year His prospects for getting a coaching job this season and maybe next look pretty grim . neutral +Save your gondola ride yes , it 's touristy and expensive but not to be missed for when you 're settled in . Don 't take the gondolas , they 're awful ! contradictory +( When served your bowl of tea , don 't forget to bow slowly and turn the tea bowl three times before sipping the frothy brew . ) Before you sip your tea , make sure you bow slowly and turn the tea bowl three times . entailment +yeah yeah i 'll be yeah there you go that 's There 's no way I 'm going . contradictory +He was almost there . The man was close to being there . entailment +And he was doing just fine until it was time to go to his second shift at 1-0 Computer Associates , where he had been working on a program for the management of empty space in staff lockers in telecommunications companies . He was doing decently until he had to go to his second shift . entailment +Which is , after all , just melted silicon . After all is said and done it is just liquefied silicon . entailment +No , I confessed , " I don 't . " 171 " You do not see that that letter was not written on the 17th , but on the 7th ” the day after Miss Howard 's departure ? Because Miss Howard had left , someone else must have written the letter . neutral +Just ask your Alfred how much time he 12 spends over there . ' She was very angry . She was angry about the amount of time she spent there . entailment +Croseover the Pont Bona ? ­ parte to view the Cathedrale Saint-Jean and its astronomical clock and then stroll around the fine Ren ? ­ ais ? ­ sance houses of Lyon 's old town between the Sa ? ? ne river and the Fourviyre hill . The Cathedrale Saint-Jean in Lyon has an astronomical clock . entailment +oh yes that 's right um-hum yeah i think a great strides are being made nowadays in in caring for the elderly you know in several in a whole lot of areas because people are of course population is getting older you know A lot of people are starting to get into nursing to get a job in the nursing homes . neutral +They didn 't see daylight for months . The sun was blocked and the world did not see the sun for months until it became unblocked . contradictory +The momentary pleasure isn 't remotely worth the drawbacks . The momentary benefits are not enough to cover the losses . neutral +I knew he was a charming rogue with an appealing agenda , but I didn 't think he was a reckless idiot with an appealing agenda . I wasn 't sure if he was charming . contradictory +But if the administration isn 't buying , its allies are . Allies of the administration are buying even if they aren 't . entailment +The Commission afforded interested persons the opportunity to comment on the proposed rule , and the Commission 's Report and Order adopted on May 9 , 1996 , and released May 14 , 1996 , addresses these comments . The Commission felt it was fair to allow people to comment on the rule . neutral +and uh but if you know if you start If you start , then you 'll know . neutral +After examining rules of professional responsibility in their states , attorneys in North Carolina , Pennsylvania , Washington , Oregon , and New Mexico have concluded that the rules would prohibit them from commencing representation of an alien client if they would be required to terminate representation upon the alien 's temporary departure from the United States . The rules in South Carolina , Kentucky , and Idaho are different to those of Pennsylvania regarding alien clients . neutral +The Mosque , the second oldest in Cairo , dates from 990 though it was renovated in the 1980s . The Mosque was renovated for a more modern use neutral +well they may yeah i think eventually but some men don 't see some men just don 't care Most men do not care one bit , I 'd have to disagree they don 't . contradictory +He was always in the market for photographs of celebrities smoking , kind of the Larry Flynt of respiratory disease . He had a hard time finding the photographs that he wanted . neutral +Flaws in the marble so enraged the artist that he hurled a hammer at it , destroying Christ 's left leg the left arm has been restored and the rather insipid Mary Magdalen was later added by a pupil . The artist later disavowed the marble sculpture and swore off art for the rest of his life . neutral +They seemed to be more passionate about their weekend plans than the work they were doing . They felt that their weekend plans were way more interesting than their work . neutral +i don 't i don 't believe that people should be allowed to carry guns in their vehicles I think people should be allowed to carry guns in their vehicles . contradictory +Oh ! Tommy was secretly grateful for the information . Oh ! Tommy had wished that he would get the information . neutral +yeah if there 's running into a cash short or something there 's some things some purchases i make that i will do always on credit card just so i have a record of them just like when i take all my cats down to the vet i always pay that on credit card There are some payments that I use a credit card for . entailment +that 's not too bad at all That 's better than I expected neutral +Charmed by the tropical paradise , they quickly spread the word about the beauty of Jamaica . They loved the cold , snowy climate of Jamaica . contradictory +i know it 's easy to do especially if you if you have a job where you have to buy nice clothes and things If you have to buy nice clothes and accessories for your job , it 's easy . entailment +Common issues range from wage claims to poor working conditions to sexual harassment . Absolutely no common issues exist in the workplace . contradictory +'Now that you are here , I want to give you your latest assignment in person . I have one more math assignment for you . neutral +Now , those workers may be able to recover what they are owed through the Workers ' Rights Self-Help Center , which opens at 9 a.m. today at Mission College in Sylmar . The workers can recover their pay with help from the center , as long as they can pay $ 100,000 . contradictory +yeah well i 'd i 'd say actually i mean as someone who 's involved in education i 'd say that maybe one of the changes is that the role of the teacher has incrementally gotten lower and lower value and society i mean relative pay which is a major way we value people has been I think teachers hold some of the most prestigious positions in today 's society . contradictory +one who is not high-stepping through Neiman Marcus . Someone not high stepping in neiman Marcus . entailment +After consultation , and with the aid of a road map , they were fairly well agreed as to direction , so were able to hire a taxi without more ado and drive out on the road leading to Treaddur Bay . The taxi would drive them to Treaddur Bay as quick as could be . neutral +that 's exactly and i feel the same exact same way i don 't think that 's right I think so too , I don 't imagine that that 's right . entailment +Hersheimmer turned to him . Hersheimmer moved slowly towards him . neutral +yeah ooh what a deal yeah It 's not a deal . contradictory +Venues have included the front seat of a car where the small audience sat in the back ! During the performance , a staff member drove the car around the block . neutral +and i mean it was fantastic and it got good gas mileage but It ran well , but could have been better . neutral +i find that when you order a salad at a restaurant you don 't really get a salad you get like lettuce and you know what i mean and the croutons Restaurants only offer certain salads on their menu . neutral +In order to understand his ambiguous image , compare him with Europe 's heroic crusaders who went on the rampage at about the same time . Europe 's crusaders were motivated by religion . neutral +Identifying these rates was problematic because many countries do not have First-Class rates for heavy mail . Mailing rates are universally accepted regardless of region . contradictory +Bunt is named for an elder brother who died in infancy , and both Betty and Bunt seem to feel that he is only a stand-in for his predecessor . Betty was named for a deceased brother . contradictory +Studies suggest that physicians can opportunistically capitalize on the motivating effects of acute injuries or medical conditions that require emergency care to convince patients of the need for behavior change . There is no evidence to suggest that injuries and medical conditions affect motivation . contradictory +The Garden of Gethsemane occupies the lower part of the slope , and various plots are cared for by different sects . The Garden of Gethsemane is on the upper part . contradictory +we had animals for the children you know our horses and that kind of thing and uh school activities type stuff The pets taught the kids to be responsible . neutral +Services such as those provided to the residents of Mobile Park Plaza now hang in the balance , in light of Governor Gary Locke 's recent cutting of $ 2 . Governor Locke gave a $ 2 boost to services . contradictory +General Accounting Office , Human Practices That Empowered and Involved Employees , GAO-01-1070 ( Washington , D.C. : Sept . 14 , 2001 ) ; Human The Role of Ombudsmen in Dispute Resolution , GAO-01-466 ( Washington , D.C. : Apr. Human Practices That Empowered and Involved Employees refers to creating a positive workplace environment . entailment +Sometime you may have to fight hanging upside down with nothing but your teeth , said San 'doro . San 'doro told me that I will never have to fight . contradictory +you too good luck bye-bye Good bye , and good luck ! entailment +The work of the recently completed Commercial Activities Panel , which I had the privilege of chairing , is illustrative in this regard . The work of the Commercial Activities Panel is non illustrative . contradictory +He saw the hurt in the man 's eyes but he had to talk to the Swords alone . He took the man with him to attack the Swords . contradictory +Newsweek reports on Jesse The Body Ventura 's wildly successful honeymoon as governor of Minnesota . Newsweek posted a picture of Jesse at a Minnesota factory . neutral +Its decision , which Tribe defended before the court earlier this month , is almost certain to be reversed , probably on textualist grounds . The decision will probably be upheld . contradictory +Assuming the bare-bones basic functions of government are to be maintained , where then will be the room for any border-control guards or anti-terrorism measures , or Head Start or education grants or peanut subsidies or national parks , or disaster relief--let alone the enhancements that Congress deemed so necessary this October ? There is not any room for anymore functions . neutral +What a lovely tribute to your cat , the feline Mary Poppins , but Prudie suggests you hide this letter from your wife . The letter is about a cat named Mary Poppins . entailment +Inevitably , popular and authentic became chic and the ambience is now somewhat contested by higher rents and the change in character that guarantees . Higher rent costs have changed the ambience to some degree . entailment +yeah we went up to uh i talking about being an Indian Princesses i was actually in it seven years with two daughters four with one three with the other and with my second daughter we camped up at Camp Classen one time I spent a number of years camping with my daughters . entailment +The castle of Castalla , just off the Ibi-Villena road , is one of the most dramatically located in Spain . The castle was occupied by the Moors for many decades before they were forced out by a local uprising . neutral +Gillette introduced the twin-blade Trac II razor in 1972 , and three years later , Saturday Night Live ran a parody of a three-blade model . SNL did not run a parody , and Gilette did not make a new three blade razor . contradictory +The risk of petty crime is high and the atmosphere is a little too oppressive for most tourists to feel comfortable walking the streets alone ( see page 116 ) . There is crime on these streets that causes people to feel unsafe . entailment +In addition , the rule exempts new nonroad compression-ignition engines at or above 37 kilowatts and new nonroad sparkignition engines at or below 19 kilowatts . The rule states that new nonroad engines with more than 37 kilowats are exempt . entailment +yeah i don 't know it may 've it may 've been somebody else because i think i think that even Jimi Hendrix did a i think that was a cover i you know come to think of it i think that was a cover version of like a John Lee Hooker song or something i mean it was like it was really old The speaker likes Jimi Hendrix 's music more than John Lee Hooker 's . neutral +Whatever the validity of such parallels , the prevailing social harmony clearly owes much to the homogeneity of the Japanese population . Japanese society is constantly clashing with itself . contradictory +A case that is eligible to be counted as such must include some actual counsel and advice or other legal assistance provided to the client . To have an eligible case , you need to have provided counsel and advice . entailment +We obtained input from a wide range of federal executives and managers and experts in public sector strategic planning , performance measurement , and program and policy evaluation , including those from the Departments of Defense , Commerce , Transportation , and the Treasury ; OMB ; the Office of Personnel Management ; the National Academy of Public Administration ; the Urban Institute ; and the University of Southern California . Their advice was valueable and helped in our decision . neutral +But along comes Mr. Alfred Inglethorp , and within two months , hey presto ! " But Mr. Alfred Inglethorp comes along , then within two months , presto ! entailment +I 'm real proud of him , said Smith , 85 , who went to the University of Florida 's law school at the same time as Richard . Smith , 85 , said that he 's really proud of him , and he went to the University of Florida 's law school at the same time as Richard . entailment +which basketball yeah i kind of like college better it 's more spirited I used to play for my college basketball team . neutral +A good case study presents the findings and conclusions for other studies on the same issue . Conflicting case studies can provide even more insight than those that confirm the current study 's findings . neutral +uh well my wife uh has got a uh a picture from Kevin Costner and he signed it it 's from Dances with Wolves yeah and he signed it he he happens to be uh a friend of one of her her business associates My wife got a signed picture from Costner . entailment +It is tempting to push aside gloomy simulation results and to discount the significance of fiscal constraints several decades in the future , but recent good news about the budget does not mean that difficult budget choices are a thing of the past . some are tempted to discount the significance of fiscal constraints . entailment +If you don 't mind crowds , both these festivals offer plenty of opportunities to gawk at the stars , but don 't expect to get in to any of the galas unless you have professional accreditation . Each year , a few adventurous souls attempt to sneak into the galas to see the stars , they usually end up getting caught and receiving jail time . neutral +Cost of Illness ( COI ) estimate is based on Cropper and Krupnick Chronic Bronchitis ( Alternative ) $ 107,000 per case ( 1990 ) . The illness is a life threatening one . neutral +Take , therefore , the talent from him [ who had one talent ] and give it unto him which hath ten talents , Murdoch read . Murdoch is physically unable to leave . contradictory +News ' criteria can generate a quibble like this one . New criteria can make a quibble . entailment +probably like the country Malaysia is that where you said i mean they started it Definitely not a country like Malaysia . contradictory +Christopher Dunn related that his research interventions took 30 to 40 minutes , but his interventions outside the research arena took about 20 minutes because the process did not have to be so complicated and uniform , and there was less data collection . Christopher Dunn reported that his research interventions took anywhere from 30 to 40 minutes . entailment +but they don 't they they they have special munching mulching uh mowers but that 's not one of them That one is not one of the unique mulching lawn mowers . entailment +I know when she is seen doing this people think we are a pair of nuts ( and assume she 's doing it for both of us ) , and I also worry that this is stealing . She makes me look bad by association . entailment +The painterly impact of the burnt sienna glows from the arcaded Gothic Palazzo Pubblico opposite , with its splendid 102-m- ( 335-ft- ) high Torre del Mangia ( climb to its first tier at 88 m [ 288 ft ] for a magnificent view of the city and countryside beyond ) . The Torre del Mangia is fifteen feet high , climb to its first tier at five feet . contradictory +The audience for music is very susceptible to pomposity . Music listeners are mostly over the age of 60 . neutral +Suazo , who represented Salt Lake 's urban and diverse District 2 , was admired by his Senate colleagues for his tireless efforts for equal access to justice for all of Utah 's citizens . Suazo represents Salt Lake 's second district . entailment +Tobe Kells owns it . Tobe Kells paid a lot for it . neutral +that 's right yeah some young people do some young people start families young and or maybe are responsible for their parents Taking care of one 's parents is a burden on young people . neutral +Between Sai-ko and Shoji-ko lies the dense , mysterious Jukai ( Sea of Trees ) , a forest notorious for being easier to enter than to leave . The forest is not easy to leave , however , people still enter it . neutral +We have crafted innovative strategies for reaching severely marginalized communities and our statistics show that they are working . The strategies are effective . neutral +Moreover , wood supply increases by about 10 percent and the capacity factor of wind energy systems increases by about 15-20 percent compared to the reference case assumptions . Wood supply decreased by 80 percent and the capacity factor of wind energy systems also decreased by about 10 percent . contradictory +No , we 're not . We are not . entailment +The whole point of the fashion was the tension between the force of female personality and the delicacy of the feminine body . The point of fashion was the balance between female personality and the delicacy of a female body . entailment +oh yeah we i guess there 's Science Place One and Science Place Two we 've only been in i think it 's Science Place Two oh yes we 've only been to Science Place One contradictory +Like him they may , but have any of them written a tribute as passionate as Ann Powers ' love letter to Hillary in this morning 's Times ? ( Some sentences omitted . ) Anne Powers wrote about Hillary Clinton in the New York Times . entailment +that 's right i even had friends when i was going to college who were in uh who are in pharmacy school and they could legally um provide medicine to their family mens family family members and friends certain medicines were were legal now i i i believe you know any of the any of the ones we would we would be tested for wouldn 't be on those lists but uh um there were certain things that they could provide without a doctors prescription based on their qualifications and that can happen but uh My friends loved drugs , so they entered the field to be around them all the time . neutral +i have no idea i know they 're they 're engineered very well but i would have a hard time justifying spending that kind of money on any car It would be difficult for me to justify paying for an expensive car , even if they 're engineered very well . entailment +The Counselas assertion that the phrase aexisting law- is limited to statutes and excludes the Constitution is unsupported . The Counselas asserted that Existing law is not limited to statues and it does include the Constitution . contradictory +well see tomatoes grow like crazy at our house Like we have a section of tomatoes and we put the tomatoes there every year in the same section And i swear we get tomatoes six rows up We always have an abundance of tomatoes each year . neutral +In addition , how surpluses are used has long-term implications for future economic growth . Surpluses don 't impact economic growth contradictory +He always kept the bedroom [ and closets ] locked . He kept the bedrooms unlocked contradictory +In a society with rigid ranks , people do not expect to rise above their station and therefore do not feel that they have failed if they do not rise . Most societies have very rigid ranks and it can take years to rise in them . neutral +It is quite humbling for me to have people with much more experience than I call and ask to be considered for a position . Someone was humbled . entailment +Rennie might have faith , or pretend to have faith , in some new method of training , but Rivas was a conservative who preferred the tried and true and undoubtedly considered the Kentuckian an interloper . Rennie pretends to have faith . entailment +What run ? demanded Kramenin , with a stare . The run would be to escape a pack of starving alligators . neutral +Does he have some problem with the quality of Jews being produced in America today ? Does he have issue with Jewish quality in America today ? entailment +The SEC and the stock exchanges , along with the Financial Accounting Standards Board , have also been actively making progress to address a range of issues raised by the accountability breakdowns . The Financial Accounting Standards Board has been making progress in an effort to address a range of issues . entailment +If the attestation engagement is part of a larger audit , this information may be communicated as part of that audit . Ideally , the attestation engagement is kept separately from the other audits . neutral +If it can do that , then the effective real interest rate on borrowing will be Borrowers will expect to repay less in real terms than the amount they borrow . If that happens , then borrowers will be expected to pay much more in interest than they currently do now . contradictory +As advertising budgets become more fragmented , it 's easy to imagine a situation in which ad agencies serve primarily to orchestrate production teams , bringing in art directors and copywriters for specific ad campaigns rather than keeping a whole staff on hand . With more fragmented ad budgets a situation has arisen where ad agencies delegate different teams . neutral +( heiliges or geheiligtes Deutschland ) . One George scholar claims that the true message , understandably misunderstood , was secret Germany ( das geheime Deutschland ) . One scholar said the message about from the Nazis . neutral +Dr. Sloper ( Finney ) and Catherine Sloper ( Leigh ) in Washington Square ( 63 seconds ) : Dr Sloper has been in Washington Square for three hours . neutral +Future phases of the Statewide Technology Plan , aided in part by an LSC grant , call for streamlining the intake and case management processes , developing seamless communication among all programs and offices , improving client access to services , integrating case management software , and completing the transition to a virtual statewide law firm . The LSC grant paid for more than 50 percent of the Statewide Technology Plan . neutral +Also in the crypt are the remains of Napoleon 's son , brought to France from Vienna by Hitler in 1940 . In the crypt are the remains of Hitler 's son , brought to Germany by Obama in 2012 . contradictory +You have wisdom . You possess wisdom . entailment +The federal government depends heavily on a variety of information technology products and services to serve the public . The federal government depends on lots of products . entailment +Election 97 uses a new Virtual Reality Modeling Language technology to provide 3-D maps that give British voters a better understanding of how constituencies are spread throughout the country and where the critical districts lie . Election 97 technology is used to help sell bikes . contradictory +Blue-grass training ? As his father repeated the expression Drew realized the slip of tongue he had made . Drew accidentally told his father about blue-grass training . entailment +I take it then that there is another . I take it from you . contradictory +By law , GAO staff can be assigned on detail only to congressional committees , not to leadership or personal offices . Gao doesn 't have to work with personal offices neutral +One need not be an expert in evolution or zoology to understand that pointing at dinner rather than catching it is not a successful evolutionary strategy . Catching dinner is a successful evolutionary strategy . neutral +Amidst a professional and amiable backdrop , the conference was convened at the Marriott Hotel in downtown Indianapolis , Indiana . The conference is held at the same Marriott Hotel every year . neutral +However , applying the case study methods of research to evaluation requires dealing with matters of control , power , and responsibility that were less visible in the work of Case study methods do not involve matters like control , power and responsibility . contradictory +And she was concerned ? " And she was worried ? " entailment +Published in Emerging Competition in Postal and Delivery Systems , edited by M.A. This is a report that was published in the emerging competition section . neutral +Its more than 1,400 islands , although scattered , form a series of groups , each with its own particular character . There is only one group of islands and no diversity of character . contradictory +You and your men can protect the town just fine . You men should be able to keep the town safe . entailment +yeah so my name is Fernando My name is Bianca . contradictory +Make time for this Caleornia happening if you possibly can . Don 't bother with making time for this Caleornia happening . contradictory +because i i descend from that and i you know i don 't can 't i don 't understand Latin You are not necessarily your heritage . neutral +Internal Validity The extent to which the causes of an effect are established by an inquiry . The inquiry was conducted by a special committee . neutral +the difficult i point is is to where do we step in and and i think that we It 's been easy knowing where we can step in . contradictory +When he did , his admiration was unbounded . He was admired after he did . entailment +we never learned plus they have the burden of uh well this is the burden they have the task of learning computers uh even in uh kindergarten they had uh a requirements that they had to meet for learning the uh terms like keyboard and monitor and they wanted know what a computer was and what a disk was and They are not required to know about computers until they are in the second grade . contradictory +Officials in charge of the bombing never consulted the experts who could have told them that the plant was legit . The experts were always consulted by the officials in charge of the bombing . contradictory +But I am most serious . I 'm just kidding around , I didn 't mean what I said . contradictory +Nominee-stoning is what the two-party system and separation of powers are for . The two-party system and separation of powers are for nominee-stoning . entailment +The grapes that qualify as Chianti Classico , distinguished by a coveted black rooster label , grow in the region between Florence and Siena , most of them along the ancient Via Chiantigiana , which is route S222 . In addition to grapes that qualify as Chianti Classico , there are other varieties grown in the region . neutral +and they all have to have the same one you know They never want the same ones as others . contradictory +okay okay well thank you very much I appreciate what you have done . entailment +Of course I should . I should not . contradictory +He could remember one moment , just before midnight , when she had stopped and seemed to give up hope . She eventually regained hope and carried on . neutral +( Actuarial Standards of Practice No . The actuaries have no standards in place . contradictory +The fastest and easiest way to obtain copies of GAO documents at no cost is through the Internet . GAO documents can be found through the Google Search engine . neutral +As further support for the Base Estimate , the SAB-EEAC advised in their recent report that the EPA continue to use a wage-risk-based VSL as its Base Estimate , including appropriate sensitivity analyses to reflect the uncertainty of these estimates , and that the only risk characteristic for which adjustments to the VSL can be made is the timing of the risk ( EPA-SAB-EEAC-00-013 ) . According to SAB-EEAC , EPA should continue to use a wage-risk based VSL as its base estimate . entailment +In some Muslim societies , adulterers are still stoned to death . Getting stoned to death doesn 't happen anymore in any type of society . contradictory +The wound was fatal . It was a deadly laceration . entailment +yeah if one can afford to do that that 's back to the reason why why i joined the band that was my entertainment while i was in school I couldn 't afford to go out at school so I joined the band as a form of entertainment . entailment +Cale de Alcali merges with Gran Via and leads to the Plaza de la Cibeles and the Paseo del Prado , with its trio of art museums . They are three museums and they are around the same size . neutral +uh from a boat or from shore It 's from a boat . entailment +Keep your car for use on the open road . Keep the bicycle for riding on the roads . contradictory +What 's more , New York 's current renaissance is happening because there is something to come back to . New York 's present rebirth is occurring because there is something to return to . entailment +she said she would like to see homelessness as we know it She has an interest in modern homelessness . entailment +Along with many Americans , I first caught Andy Kaufman on the Tonight Show in the mid- ' 70s . Andy Kaufman was never on the Tonight Show ' ' contradictory +Five , quintuplets . Five children were born and only four made it out alive because the fifth baby suffocated in the womb before the C-section was completed . neutral +i used to take it off the deposit I 've never taken it off the deposit , I don 't even know what that means . contradictory +We conducted our work from October 2000 through August 2001 in accordance with generally accepted government auditing standards . The 10 month audit was a deviation from standard auditing practices . contradictory +If you 'll only marry me , I won 't worry you any you shall take your own time . You won 't be able to get rid of me , once we 're married . contradictory +These 11 organizations included among their membership representatives from federal , state , and local governments ; private companies of varying sizes ; and the academic community . There are 11 organizations that each have two members . neutral +yeah i i i it 's silly i don 't i don 't think that we ought to be any different it causes a lot of problems a lot of times between uh different countries in their manufacturing stuff and I think that it being different causes problems when different countries manufacture stuff . entailment +Exactly , said Poirot dryly . Poirot was not happy . neutral +Always I hear that name . I am getting tired of hearing that name . neutral +you know i know that it 's really funny my parents are forced to do it and they I think it 's pretty funny , but my parents have to do it and they hate it neutral +but uh it 's amazing that they could stand around and watch their forces get decimated that way and They stood around as their forces died . entailment +The analysis describes and illustrates the impact of the rule on various types of rural and urban hospitals . Rural hospitals were not taken into consideration . contradictory +uh-huh We do all have our sport In fact we 've been on a real high here because our basketball team won their regional for the first time in the history of the school So sport is uh has been really first and foremost here in the last month But we hope that education is first and foremost for the year nice talking to you Our basketball team has had a lot of success in the past , and that 's because its made up of educated people . contradictory +Garbo 's characteristic hunched posture of the mid-1930s was wholly obsolete . People were more than happy to see Garbo 's classic squatted over posture stay in the 1930s . neutral +yeah anybody yeah yeah Yes , any person . entailment +natural seawater of higher salinity , or hypersaline brine . Natural seawater can have varying levels of salinity . entailment +Even so , the Czechs still revere Havel as their philosopher-king . The Czechs regard Havel as scum . contradictory +There 's also a stock ingenue ( Susan Lynch ) who loves the town 's endearing pig farmer ( James Nesbitt ) but won 't marry him because he smells so bad--and I 'm not oversimplifying . Susan hates the pig farmer and wish he would leave her alone . contradictory +Now , is that deregulation , or is it re-regulation ? And now , is that re-regulation , or is it deregulation ? entailment +Why did we shed our blood , he asks an uncomprehending scientific Puritan , if I can 't dance to my heart 's content ? Why did we fight for our country , if I am not free to dance as I please , asked the scientific Puritan . neutral +yeah and and and i have a real problem with the government you know giving away things to the the other countries that have as as much ability to to do harm to us as anyone I do not care if the government gives money to any country . contradictory +Lacking connection with the peasants , it was also distrusted by conservative landlords and by most Muslims . The government was distrusted by nearly all citizens . neutral +There must be hundreds of places ready to be used that way . I think there are hundreds of locations ready to be used that way . entailment +Once , indeed , on the occasion of my appointment as a contributing editor for literary matters , I was taken , blindfolded , to John Podhoretz 's secret dacha , where the Great Leader sits at a plain pine table smoking American cigarettes and planning the glorious overthrow of the reactionaries at the New Republic and New York Review of Books . the Great Leader hates reactionaries . entailment +Cars must be left at the southern end of the town . Cars can be taken anywhere in the town . contradictory +At the water 's edge on the northern tip of the peninsula , you can see the fishermen 's beautiful Chinese dipping nets , a system imported from the China fishermen sling the nets over a pyramid of four poles which was then lowered into the water and hoisted out again by a system of rock weights and pulleys . You cannot see any nets from the shore of the northern tip of the peninsula . contradictory +It is also sometimes called simply Beaubourg , after the 13th-century neighborhood that surrounds it . Beauborg is a neighborhood founded in the 19th century . contradictory +Where appropriate , we have made adjustments to existing primary research for the level of environmental quality change , the sociodemographic and economic characteristics of the affected population , and other factors in order to improve the accuracy and robustness of benefits estimates . We didn 't adjust the existing research for the level of change in environmental quality at any point . contradictory +The Gupta dynasty , founded by the obscure Bihari landowner Chandra Gupta I , rose to power during the fourth century a.d. Chandra Gupta , a popular member of the community , sold apples at the local market . contradictory +Today , the postings often have less to do with greed and more about world affairs , political opinions and advice to young associates and law students . World affairs are have more influence on postings than greed does . entailment +It 's true that many , many Jews will be killed . A lot of Jews will will have their lives cut short . entailment +The dog that did bark but no one noticed--the political turmoil in the three great South Asian nations of India , Pakistan , and Indonesia , which now are well on the way to passing the three northern Asian nations of China , Japan , and Russia in population ( Indonesia is fourth , Pakistan just passed Japan to seventh , India will soon pass China to first ) . India will soon pass China , Japan , and Russia in population . neutral +uh that 's asking for trouble people are too different I think that is a subject which may lead to problems . entailment +With tourists in mind , several feast days now offer special events and fireworks which never featured in the original celebrations . Tourists are attracted to showy and extravagant celebrations . neutral +The small copse planted here has created a photographer 's delight . Many have taken pictures of the copse , often with silly modifications . neutral +The strychnine that killed Mrs. Inglethorp was the identical strychnine prescribed by Dr. The strychnine was prescribed by the Doctor . entailment +These included guards , and craftsmen and boat crews with their boats . These include a plethora of people . entailment +We asked officials at the private sector companies and state governments profiled in the case studies to verify the accuracy of the information presented on their respective organizations and incorporated their comments as appropriate ; however , we did not independently verify the accuracy of that information . All comments from officials were ignored and not incorporated . contradictory +But the true mandrake--like that one--never was human . But the real mandrake like that one , was never a person . entailment +Shore is , shore is . It really is a shame that you couldn 't come with us . neutral +Sparkman is the executive director of a Philadelphia nonprofit that places discarded church organs with poor schools ' neglected music departments . The schools were excited to receive the church organs . neutral +The chapel frescoes were completed in the 1480s by Filippino Lippi , who painted the side walls ' lower panels . The chapel frescoes were not completed until the 1500s . contradictory +Toward a Methodology of Naturalistic Further from natural methods contradictory +The beast 's shadow overtook Adrin and he whispered a prayer Gauve 's wife , Celeste , had taught him . Adrin was praying for strength to defeat the beast . neutral +These inside-the-Beltway issues and their small , but vocal , constituencies make this election Bill Clinton 's to lose . Bill Clinton ended up losing the election despite the Beltway . neutral +my husband finally said look are we going to take the grass can we leave the grass i said yes we may leave that and we had a tree We ended up not cutting the grass , but we pruned the tree a little . neutral +Thousands of Madrilellos gather here for a ritual every New Year 's Eve . Every New Year 's Eve , thousands of Madrilellos gather here for a ritual . entailment +The man doing the interrupting was a fine and fearsome specimen . A woman interrupted us . contradictory +a 716 ( d ) ( 1 ) ( C ) , precludes a suit by the Comptroller General if the President or Director of OMB certifies that ( 1 ) the records could be withheld under either of two Freedom of Information Act exemptions in 5 U.S.C. If the OMB certifies the records could be withheld , 716 ( d ) ( 1 ) ( C ) precludes a suit that would be filed in civil court . neutral +Le Brun 's paintings depict Louis XIV 's wars in Hol ? ­ land and his more peaceful achievements at home . Le Brun is a dark man and he adorns the walls of his home with paintings of blood and gore . contradictory +She and other crew members spoke in Spanish through an interpreter . A Spanish interpreter assisted her , as well as other crew members . entailment +Anthropologists say that these tall , large-brained men with high foreheads ( homo sapiens sapiens ) were of a physical type still found today . Tall , large-brained men were just as common today as they were in the past , according to anthropologists . entailment +For adventurous travelers looking for an introduction to the South , the rewards are rich . For those who prefer more safety , other options are available . neutral +and i don 't know you know they they want to know what it would take to convince us that they aren 't a threat and i don 't know that there 's anything that can be done to convince us of that because you know we just see how if if you let your guard down in any situation how you know how quickly that Persian Gulf situation arose They are not a threat . contradictory +Other topics from the list . The list of topics was a mile long . neutral +Understanding the six principles in terms of critical success factors is particularly useful because of characteristics that are shared by principles within the same success factor . There are 3 principles of critical success factors . contradictory +Overlooking the street is the Hawa Mahal , literally the Wind Palace , but actually a rather grand , five-storied royal box , in which the ladies could sit and watch festive processions . The name Hawa Mahal literally means " gold boat . " contradictory +The only remaining solution , apparently , was to raise a scaffolding over the whole planet to the sky , and send up mandrakes to weld back the broken pieces . It was an easy fix that could be done from the ground . contradictory +She screamed until her throat seemed to tear apart . She made loud noises . entailment +If you want at all costs to avoid the Sistine 's day-long crowds , go there first thing in the morning ( don 't forget your binoculars for details on the ceiling ) . The ceiling of the Sistine chapel was designed by Michaelangelo and is suspended 100 feet above the floor . neutral +I saw nothing peculiar , however . I saw nothing strange at that moment . neutral +Generation Languages . Languages that are generated . entailment +The Refuge of the Nuns is a perfect crater surrounded by extinct volcanoes . Dormant volcanoes encompass the Refuge of Nuns . entailment +For a glass of boraquasco , slightly warmed with the left hand index and ring fingers , zezola fruit makes a perfect accompaniment , Cezary Pytlasinski said while drinking vodka and snacking on a herring , and everybody listened with great interest . Cezary Pytlasinski was drinking vodka while talking . entailment +Hard as it is to believe , the campaign is only in its fourth year . The campaign is just on its 4th year entailment +Flanked by the clock tower is the imposing Hong Kong Cultural Centre . The Hong Kong Cultural Centre is flanked by the clock tower . entailment +i miss it It 's what I miss the most . neutral +Randy 's Large Intestine Wrap-Up The wrap-up of the small intestine by Randy . contradictory +Lola , Edward 's daughter , was a pimply teenager deeply insecure about her face . Edward has no children . contradictory +so i think that we we did come a long way in the sense that we have we 're allowed to vote in you know like you say we 're out in the labor force but i think we 've lost something too We can 't vote . contradictory +This may be America 's choice in 2000 : the George W. Bush who isn 't George H.W. George Bush will never be chosen by America in the year 2000 . contradictory +Some time , some place , in the distant future- when things were right and normal again- I could come back . I really wanted to come back sometime in the future . neutral +Primary microchip-boards had been destroyed , but there were plenty of secondary systems to rewire . The systems were all in great condition . contradictory +And the groin . The arrow hit in the groin . neutral +For example , crediting additional securities to the trust fund or increasing the interest rate paid on the trust fund 's securities would commit additional future general revenue to the Social Security program but does not increase the government 's overall revenue or reduce its costs . Increasing interest paid causes government revenue to increase . contradictory +( Heaven 's Gate members had to go to Mexico for the operation because no California doctor would perform it on them . ) Doctors in California would not so the surgery because it was risky . neutral +Now With Extra Spin The amount of spin has decreased contradictory +In recognition of this crucial symbiosis , LSC 's Reconfiguration Review Process prescribes a clear review mechanism that guarantees recognized stakeholders a full opportunity to make their Stakeholders take full opportunities to make the best of their investments . neutral +Can 't you pay somebody else to stay up all night to keep a lid on his , er , excesses ? There has to be someone who would be willing to cover up for him . neutral +USA Today ' s modular layout and bold type anticipated the typical multidimensional Web page , almost inviting the finger to point and click , to follow Christine Royal through the process of her cosmetic surgery , to jump to the daily profiles of Olympic athletes , to explore the depths of the Bosnia power struggle . USA Today 's dated and bloated layout marked a sharp contrast to the clean , modular style of the multidimensional web page . contradictory +( The Yankees have a 12-year , $ 486-million cable deal . ) They had their contract null and voided . contradictory +Today 's implants , affixed to your jawbone by a titanium screw , can hold for the rest of your life . Today 's implants are able to hold for your entire life . entailment +you know in that sense In that sense entailment +The last key element of the definition is and in its context . This definition has seven key elements in total . neutral +How many did it take to carve a mountain into a god ? The mountain was carved into a god shape . entailment +He 'd heard it might be possible to do that . Someone told him it could be made . entailment +The package must be purchased after your arrival in Puerto Rico . You must purchase a package of potato chips after you arrive in Puerto Rico . neutral +The surrounding warehouse districts have interesting stores for souvenir browsing . Stores in the warehouse districts are open every day but Sunday . neutral +The preamble to the final rule actually states that the rule will not have a substantial adverse effect on a significant number of small broker-dealers . The preamble to the rule says the rule will devestate them . contradictory +3 . An economy that is not open to international trade and investment must rely solely on its own saving to provide the resources to invest in plant , equipment , and other forms of capital . An economy may just have to rely on its own saving . entailment +In engineering alone , there is a 10-15 percent savings in engineering and project management labor commonly realized when installing multiple units of similar design . When multiple units are installed , engineering costs go down . entailment +Perhaps she 's trying the same approach . She might be trying the same approach . entailment +In keeping with the fast pay requirements , we also suggested that the system designs include procedures to identify first time vendors and vendors with a history of abusing fast pay.These vendors would not be eligible to participate in fast pay until the agency had satisfied itself that those vendors were worthy businesses that could be paid under fast pay . All vendors who applied , including first time vendors or vendors with a bad history , would be eligible fast pay until enough indicators of abuse came to the agency 's attention . contradictory +Whittington was there right enough . Whittington was there all right . entailment +it 's something that 's taught it 's something on the streets that you see so if it 's a dog eat dog world it it 's just really too bad that we have to have something like capital punishment It is pretty bad that with those conditions , we need capital punishment . neutral +Not until his fourth transatlantic journey in 1502 did Columbus reach Martinique . Columbus went to Martinique in 1502 for trade . neutral +could put enough away enough money out of their paychecks to pay for our kids schooling within fifteen years Education is really important for children , that 's why we save money for it . neutral +If you want an overview of Tel Aviv , take the lift to the 35th floor of the Shalom Tower ( 132 metres / 433 feet ) , formerly the tallest structure in the Middle East ( a communication tower in the military base near the Tel Aviv museum of Art recently surpassed it ) . The Shalom Tower is still the second tallest building in the Middle East . neutral +but you can just snack on it You can also snack on it . entailment +Current federal funds of nearly $ 10 . Federal funds were being increased . neutral +Shulman aside , you could find one-line descriptions of Goodman 's main characters in any half-dozen American-Jewish the rabbi with two sons , one brilliant and prodigal , one duller but more loyal ; the Holocaust survivor numbed by his past ; the daughters tempted by the twin heresies of feminism and Zionism ( Israel is viewed as a nation of faithless sinners by these ultra-Orthodox Jews ) ; the assimilationist Jew who comes to a bad end . Goodman 's main characters were a lot like American-Jewish rabbis . entailment +The cops moved to compensate . The officers did not want to compensate . contradictory +With fewer resources to expend and a growing client base to serve , LSC has embraced service area reconfiguration as one important way to insure that grants and contracts are made so as to provide the most economical and effective delivery of legal assistance to persons in both urban and rural areas . LSC has not , and will not , embrace service area reconfiguration . contradictory +And we don 't want to die . We 've reached the end of the line . It 's time to lie down and die . contradictory +Whatever had been done to them--or perhaps the absence of a true soul , whatever that was--left them rigidly bound to their past ideas and totally incapable of doing more than following orders by routine now . Whatever happened to their souls left them incapable of free will . entailment +In the sections that follow , we discuss in greater detail the basis for generating WTP for premature mortality risk reductions and WTP for reductions in the risk of contracting chronic bronchitis and the basis for making adjustments to unit values to make them more applicable to the air pollution reductions we anticipate from the Clear Skies Act . The Clear Skies Act requires reduction in the air pollution because this will help the environment . neutral +Shakespeare wanted me to remind those who prefer a return to Admin Law Judges that What 's past is prologue . There are people who wish to return to Admin Law Judges . entailment +In the meantime , remember it . " As we neared the house , John came out and met us . John was waiting for us to arrive . entailment +made sense---and would make dollars for the Postal Service . The Postal Service is a waste of money . neutral +yeah and they have to they have to import a lot of their um cereals and things and and i don 't understand now why they don 't have a processing i guess it i uh they it 's just as easy to bring the uh cereal in boxes as it is to bring it in in you know bulk grain and produce it there The cost and benefits of producing cereals is not as efficient as just simply importing . neutral +Egypt was reduced to a provincial status in the Empire , as it was ruled first from Rome and subsequently from Constantinople . Egypt was ruled from Rome first , then Constantinople . entailment +is a less complex question because the criterion is fairly clear , the focus is narrow , the influences on compliance are likely to be relatively few , and the relation of input and output is likely to be fairly direct . The criteria ensures that influences do not happen often on compliance . neutral +In 1989 , talks established the basis for limited power-sharing between the Communist Party and Solidarity . Limited power-sharing was the cause of the communists failure . neutral +Milne said she may ask the board overseeing her organization to give her until November to seek funding from additional sources . Milne said she had all the time she needed to find more funding . contradictory +They were strategically positioned by ever-vigilant Romans , Moors , and Christians . The Romans were always vigilant because they drank so much coffee . neutral +Some firms even give billable credit for pro bono work ( yeehaaa ) . Pro bono work can be guaranteed by some firms , according to the news . neutral +Japp was regarding Poirot with comical perplexity . Japp looked at Poirot in a way which suggested he fully understood what was going on . contradictory +An acquisition that lacks either or both of these elements is at risk of incurring unnecessary cost overruns , not meeting its planned delivery schedule , and not satisfying agency needs . An acquisition that has either or both of these elements is at risk of incurring unnecessary cost overruns . contradictory +It also maintains a link to the Telegraph in its media links section . Telegraph is also linked its media section . entailment +The ruined Venetian castle atop a small hill offers panoramic views over the whole town , while the roof of the particularly beautiful Church of Christ along the harbor stands out from the open sea . The Church was more costly to make than the castle . neutral +She noted that collaboration with community groups and public health agencies is appropriate for alcohol problems because they are not just present in the ED . She has an alcohol problem herself . neutral +you know i guess the only fear i would have would be that uh you know if i had a child uh that one in a million first grade teachers that would be on drugs my child would be in their class you know and and I would be afraid that my child 's teacher would be on drugs . entailment +oh yeah because of the foundation problem you know that 's an interesting thing i 've had two overseas assignments with TI uh i was in uh Malaysia eighty one eighty two eighty three and eighty four and i was in the Philippines eighty five eighty six and eighty seven and i had two different tenants I got a foreign assignment right out of college . neutral +yeah she 's fairly young we we 've bred her once and and that 's all we 're going to breed her so uh She has a champion blood line , that is why we bred her . neutral +and they said that a certain number of people that the heavy drug users would either quit or go in rela rehabilitation programs and i think that 's what helps you know that that you know warning when you have a drug program uh you know the people that are worried about it or are taking drugs actually go and then uh usually a lot of them uh partake in uh some of the benefits of of rehabilitation and everything so Rehabilitation programs are very helpful to people with drug issues . neutral +um it 's just a it 's a tape i use tapes I like tapes better than anything else . neutral +Journalists , after all , expose these practices--we do not commit them . It is a journalist 's job to uncover improprieties . entailment +Information Technology , if leveraged properly , can be an effective tool for highquality , costeffective government services . If information technology is not used properly , it won 't be any help . neutral +The terrace of the cafe below has fine views of the sea to the east . Visitors clamor for space on the cafe 's terrace . neutral +The man crouched over the broken rider , and drew another of the pistols . The man had only a knife on him . contradictory +and uh they just published this internally They didn 't publish anything . contradictory +well just like that air bag i think that thing is fantastic cause i 've seen some of the you know like the head on collision type things where they had it I think airbags are quite useless . contradictory +oh that 's great i always thought it 'd be great to have twins I always thought it would be good to have twins . entailment +But veal is delicious . Veal is very good . entailment +Cete d 'Or Cete d 'Or entailment +The model rules explicitly reject virtually everything Feige said in his Gist piece . The Gist piece is a body of written work . neutral +so you like that more civilized kind of camping you got cots You don 't like to just randomly pitch a tent anywhere ? neutral +According to tradition , saints Anne ( Hannah ) and Joachim , the parents of the Virgin Mary , lived on this site when Mary was born ; you can visit the grotto beneath the church where St. Anne gave birth . The site where she was born was magnificent . neutral +Volcanoes , hummingbirds , mangroves , mongooses , and palm trees complete the picture . Snow-capped mountains , cows , grassy fields , and seagulls make up the picture . contradictory +If you have any questions , please contact Bob Cohen ( 202-789-6850 ) or Charles Robinson ( 202-789-6854 ) . Contact Bob Cohen or Charles Robinson if you have any doubts . entailment +Unfortunately , the Supreme Court had never ruled that the First Amendment could be used in this way . The Supreme Court was against using the First Amendment in that way , though they never ruled on it . neutral +okay what weekly um magazine do you look at is it Reading a magazine every week is good for the brain . neutral +I was in the town of Orr , and a festival was being held ; a little county fair with epic designs . There was a county fair in Orr . entailment +By the 1980s , thanks to the broad avenues and new subway s tops built for the games , this had become one of the liveliest , trendiest , and demographically youngest quarters of the city . Many people that lived in different areas chose to move where the broad avenues and new subways were . neutral +that 's the magic of Hollywood special effects i hear this movie F X part two coming out is uh pretty good I really want to see the next movie . neutral +The second is to provide resources relevant to the cases and projects listed on the website by making available materials ( such as forms and briefing information ) relevant to the cases listed on the website and electronic access to experts who will assist the pro bono attorney . Evidence does not need to be presented during a case . contradictory +and those and the garbage men also pick those up on Thursdays The garbage men sometimes pick those up on Fridays . neutral +It was spraying , and the wind was blowing , so it blew toward us , ' said Blanca Chavez , 44 , who sought shelter in a portable toilet . Chavez hid in a porta potty . entailment +This is one in a series of projects we are undertaking for the Senate Committee on Governmental Affairs and the House Committee on Government Reform concerning the issue of improper payments involving federal programs . They used the money meant for the programs to build a wall . contradictory +They soothe a weary heart . Words of kindness soothe weary hearts . neutral +Only I don 't think as how th ' Old Man would take to havin ' any such big-ideared neighbor here . I am not sure how the Old Man would like having a big-ideared neighbor . entailment +Auditors should include audit documentation on their assessment of risk , and , when risk factors are identified as being present , the documentation should include The documentation is vital for the audit . neutral +While this is a proxy for labor and non labor costs , it is considered realistic since in the U.S. , the use of workforce full time equivalents provide estimates within a few percentage points of those calculated with labor and non labor costs . The proxy for labor and non labor costs is not a very accurate representation . neutral +But let 's get Does the diagnosis of sex addiction make sense ? Sex addiction causes many mental issues in young adults . neutral +State justice communities examine leadership within a multicultural framework and use the results in staff and leadership training . State justice communities look at multiculturalism when making leadership training . entailment +The side of the helicopter held a single window . The helicopter had no windows . contradictory +Clean coal technology regulatory incentives . Clean coal is totally unregulated . contradictory +In the far north , Pulau Penang is both holiday destination and commercial center , while closer to the border with Thailand , Pulau Langkawi is the newest resort destination for those in search of white sands and gentle seas . In the far east , Pulau Penang is a dangerous war zone not suitable for any human being . contradictory +Indeed , if the PDFA had a shred of integrity , its ads would be battling alcohol and tobacco , America 's two most injurious drugs and the two most popular among teens . I think the PDFA has a lot of integrity . contradictory +From a Gothic portico in the middle of town , beside the massive 13th- ? ­ century campanile , a staircase of 90 steps takes you down to the sanctuary 's 11th-century bronze doors . The bronze doors have an antiqued patina . neutral +Spain 's Golden Age Spain had a Golden Age around 1450 AD . neutral +Boorman pays a price for his The General isn 't an emotional grabber . Boorman may be paying a price , but it isn 't a particularly hefty one . neutral +Jacob White was still at large . White was already captured . contradictory +The museum here has interesting relics of the Dutch community . There are interesting Dutch relics in the museum here . entailment +that 's right that 's right they could they can make your life miserable if they want to They are not able to make your life miserable . contradictory +yeah there 's yeah but you know whatever became of Peter Frampton i mean there was nothing he was a phenomenon i mean there was no reason for him to really come into you know great stardom or anything Peter Frampton was a singular example of a person who you 'd never think would become a star . entailment +and then progressively through the week i 'll i 'll wear nicer looking things and then on Friday most everybody wears jeans jeans and sweatshirts or you know jeans and blouses or something like that uh but mostly what i wear are skirts and blouses or you know skirts and uh pullover sweaters or uh you know little two piece dress suits suits like but Everyone else tends to dress more casually on Friday , but I choose not to . entailment +When he was fired , Turner 's son lost his insurance and his place in line for the transplant . By losing his job , Turner 's son lost both his insurance and his will to live . neutral +yeah that 's really Yeah , that 's really good salsa . neutral +113 Chapter 14 A Consultation NOTHING was more surprising and bewildering to Tuppence than the ease and simplicity with which everything was arranged , owing to Sir James 's skilful handling . Tuppence arranged everything herself . contradictory +Conrad was undoubtedly the tenant of the house . Conrad lives in the house . entailment +Change swept through Ibiza dramatically , irrevocably , almost overnight . The change was not apparent for many years . contradictory +View the clip available at left to see them off the first Heather . The clip cannot be found . contradictory +The Lord only knows . No one knows why he ran away . neutral +He fumbled over the bolts and chain . He was having trouble getting the bolts and chain . entailment +Climate Research Initiative and the National Climate Change Technology Initiative . Animal science initiatives . contradictory +I probably could still pass the ( state ) bar exam , he says , somewhat in jest , because of all the different areas of the law still very familiar to him . He said , in jest , that he could probably still pass the bar exam . entailment +But I come away thinking Lemann let his narrative sidetrack him from the issue he cares about The huge question of whether our current meritocratic system is just or unjust , and what we can do about it ? Lemann 's was distracted from his main purpose of questioning the morals of the current meritocratic system . entailment +As long as they are meant as entertainment , and as long as users understand what their results communicate , there 's no reason to lose much sleep over online polls . People take online polls far too seriously . neutral +Senior executives receive a summary evaluation , which combines the Senior executives are presented with a summary evaluation . entailment +FSIS concluded that because of the necessary restructuring and reprogramming of the State inspection programs , FSIS assistance and the flexibility provided under the equal to provisions , most states should be able to complete the modifications to their programs with minimal additional cost . There are many changes to be had within the State Inspection program . neutral +Everywhere you go , you 're likely to find this constant contrast between old and young , traditional and modern , past and present . No matter where you go you will never find a contrast between the past and present . contradictory +Farther south is Koyasan , the center of the Shingon branch of esoteric Buddhism and one of Japan 's most important religious enclaves . Koyasan 's laxed ways of living and lack of religion makes it a desirable place to live . contradictory +the lady looked up at me and said oh you must be a jogger and i said oh if you only knew couch potato with remote control I told the lady that I did not exercise at all . neutral +While people wondering how to handle their payout should consult an expert abou their particular situation , there are some general guidelines . There are general guideline for handling the payout . entailment +'You 're not worried at all ? ' I asked . Aren 't you worried ? entailment +As you gather information and make your judgments , consult appropriate technical specialists for assistance . There are technical specialists who are available for you to contact , if needed , while gathering info . entailment +Pebereta talladeta started life as a stew composed of potatoes , pepper , and tunny fish gills , but today , thick tunny steaks are often the main ingredient . Pebereta talladeta is an acquired taste . neutral +well the the previous bird he uh got a hold of it uh two or three times and uh i found that uh well one occasion i i heard a little noise and i saw the dog walking away and i looked over and i see some feathers sticking out of his mouth That was the second time the dog had eaten a bird . neutral +but it takes a good while for it to get cold It takes a while for it to get cold . entailment +People wait ages sometimes . People never wait contradictory +Follow the long avenue de la Grande-Armee down from l 'Etoile and the battery of towers looms bigger and bigger beyond the elegant , leafy suburb of Neuilly . The suburb of Neuilly was important in old times . neutral +Old boy hated her wanted to get me away from her . He hated her because she was rich . neutral +The church was built on what is thought to be the spot where Moses confronted the Burning Bush , but the Christian community had to confront far more mortal danger in the years following its foundation and its high sturdy protective walls give it the look of a fortress rather than a place of worship . The church was built without walls as a symbol of faith . contradictory +The Last Judgment portrayed on the center portal is an example of 13th-century sculpture at its best . This sculpture was in the Louvre for a period of time . neutral +One popular cruise destination ( leaving from the Grand Port ) is to the neo-Gothic Abbaye de Hautecombe . It takes most cruises 3 days to go to Abbaye de Hautecombe . neutral +and use it as a play uh they they like to play in them They would never play in them . contradictory +right i did start a college fund i 'm not uh i have one again at UT down there now her first year and she 's almost gone through her whole college fund you know I began a college savings account and this girl I know blew through hers almost entirely the first year . entailment +The subject of their hackwork will remain a mystery to all until the weekend of the competition , when Slate will e-mail the Hackathletes the assignment and a cheat sheet of facts , figures , and quotes from which they can crib . The Hackathletes will receive the assignment of their hackwork the weekend of the competition . entailment +A third Asian neighborhood , Koreatown , lies west of downtown along Olympic Boulevard between Vermont and Western avenues . Both Chinatown and Koreatown have a wonderful cultural diversity . neutral +Slim looked away . Slim did not have the stomach to face it . neutral +Officials at the Justice Department and FISA Court deny that the latter is a rubber stamp , attributing Justice 's winning percentage to rigorous internal review that weeds out bad applications before they 're filed . There was no declaration from the Justice Department about the latter . contradictory +right yeah yeah uh-huh that 's true yeah i guess i guess uh i well i was watching uh Arsenio Hall the other night and uh I was watching Arsenio Hall the other night . entailment +In Fruges take the small D130 southwest toward Crequy , following the valley of the tiny Crequoise river back down to the Canche . The Crequoise river drains into a large aquifer that supplies most of the town 's water . neutral +At the top of Grafton Street , where it meets busy Nassau Street , you will see Jean Rynhart 's statue of Molly Malone , subject of the well-known 18th-century ballad , with her barrow and a very low d ? ? colletage . A statue of Molly Malone stands at the intersection of Grafton Street and Nassau Street . entailment +There are many diving schools , all of which dive from Coral Beach . All diving schools start from Coral Beach and return to Coral Beach . neutral +uh we thought nothing at all of wake up waking up in the morning hopping into your car grabbing fishing poles and driving four hours We would just wake up , drive four hours and go fishing . entailment +Scientists and liberal commentators love to ridicule creationists for going back to the 19 th century , turning kids into scientific ignoramuses , and second-guessing experts and the Supreme Court . Creationists often go back to the 19th century and second-guess experts . entailment +no see i 'm not i 've not ever been a real craft type person i have a sister-in-law that i mean if it can be done with your hands she does it she makes things for the kids for Christmas and nephews and nieces and i look at them and i think God you know i i should be able to do things like this My sister in law is a crafty person but I am not . entailment +i 'd like to have a volunteer come here and rake leaves and mow the grass and I 'm not able to mow the grass and rake leaves myself . neutral +but just you know to receive a letter in the mail that says you know you need to report somewhere by next Monday you know i 'm not sure that would be a terrifically good idea People wouldn 't be too happy if they received a letter in the mail demanding them to report somewhere a few days later . entailment +Reliability also means that for any computer processing of the data elements used , the results are reasonably complete and accurate , meet your intended purposes , and are not subject to inappropriate alteration . Everybody wants their results to be as reliable as possible . neutral +Before Paris became the national capital , it was the home of the medieval dukes of the region that is still known as the Ile-de-France ' which , by gradually asserting itself over other duchies such as Burgundy and Normandy , imposed its name on the whole country . Paris became the capital of France as a result of a drawn-out war . contradictory +A good idea , all puffed up , which is a bad idea . A good idea is a good idea . contradictory +Gays demand recognition and respect . Gays don 't care if they 're direspected . contradictory +Dumping their tax-deductible loot by the millions , the corporations ( Archer Daniels Midland , GE , Mobil , Exxon , Chevron , Dupont , Metropolitan Life ) encouraged the sort of shows only a member of the Business Roundtable could centrist news programs , conservative talk shows , Wall Street advice shows , lions-of-the-Serengeti documentaries , and historical dramas that set all human conflict in late-19 th -century England . Companies were dumping their loot to avoid having to report it . neutral +If benefits would have exceeded taxes , the OASDHI trust funds make a payment to the Railroad Social Security Equivalent Benefit Account ; if benefits would have been less , the OASDHI trust funds receive a payment . Regardless of the benefits amounts , the OASDHI is involved . entailment +According to British land records , the Jerusalem mufti 's 1934 decree failed to prevent sales . The 1934 decree succeeded greatly in preventing sales . contradictory +Any ED staff member could be assigned the screening task . The screening task is rotated between ED staff members weekly . neutral +yeah well i haven 't get a chance i haven 't got a chance to look at them yet I looked at them already and I liked them . contradictory +yeah you sound like my husband he really likes Tom and Jerry and uh Bugs Bunny and all his friends and all those guys My husband likes Tom and Jerry and so do his friends . entailment +Same here , agreed Tommy with feeling . Tommy disagreed . contradictory +Farther away is Coloane , connected to Taipa by a causeway and a large land reclamation project . Taipa is linked to Coloane by a causeway . entailment +With the shift of trade routes from land to sea , Petra 's importance declined dramatically . Petra 's importance waned significantly with the change from overland to sea trade . entailment +Japan 's Economy in the 20th Century . Japan has an economy in the 20th Century . entailment +I 've never heard of a former governor going to work for a legal aid program , said Gottlieb . Former governors are unlikely to work for legal aid programs . entailment +We are asked to feel especially sorry for Richard Nixon , who endured vilification from the New York Times and Washington Post that was continual , venomous , unscrupulous , inventive , and sometimes unlawful . We are meant to feel bad for Nixon because he acted immorally entailment +Alcohol interventions in trauma current practice and future directions . The title of this pamphlet is Alcohol Interventions and it examines current methods and ideas for the future . neutral +Landlords resorted to banditry to replenish their treasury . Landlords used shady tactics to regain money . entailment +After centuries of almost total eclipse , Buddhism today has been able to achieve a revival in India , in part by offering its egalitarian philosophy to Hindu Untouchables as an escape from discrimination . " Untouchables " are always given safe-haven under Buddhism . neutral +The Scotland Yard men came and went , examining , questioning , lynx-eyed and reserved of tongue . They were not the type to stay anywhere for too long . neutral +We saw the murder in their eyes and the blood on their hands . We saw blood on their hands and murder in their eyes . entailment +It believes that reporting on information related to the existence and the condition of the stewardship PP & amp Someone or a committee or board has an opinion in regards to the existence of the stewardship PP & . neutral +Crop yield is poor , partly because of the chronic lack of water , and fields once tended are now deserted . The chronic lack of water has partially led to poor crop yield . entailment +yeah on the uh there 's there 's there 's a place for consumer debt and then you take ten percent of it on the There 's no place for debt . contradictory +I have tired of this place , said the northerner . The northerner wanted to stay there forever . contradictory +i don 't think uh i don 't think the the uh problem about drugs is going to be safe any time soon i mean you know it it i think it pretty much got sidetracked with uh with the Panama and and with the Central Central you know Middle East problems things that that are important take precedent precedence over the drugs i think i think i think the big thing is trying to stop here on the home front and before you know it it 'll take a little bit of time before they 'll realize that this is failing so they 're going to have to go to the source They got side tracked from the drug problems . entailment +Also in Le the Amazona Zoological Garden , with alligator-like caimans , snakes , armadillos , and other delights . The zoological gardens was shut down . contradictory +Basil , thyme , and oregano are the most common , though you can also buy mixed sachets . Basil and thyme do not grow in the area , so they are rarely used . contradictory +ILE-DE-FRANCE Ile-de-Belgium . contradictory +The collecting entity accounts for the disposition of revenue as part of its custodial activity . The disposition of revenue is accounted for . entailment +The difference in cost for the first and subsequent years appears to be based on EPA 's estimate that each task required including compliance determinations for the new facilities covered , the overall affect of the modified interpretation of otherwise use , rule familiarization , and report preparation will be substantially higher during the first year . There is a difference in costs for the first year and the years after . entailment +In the 1950s and 1960s Sharm El-Sheikh on the southern tip of the Sinai became a divers ' paradise and since then this small village has grown and spread north along several adjacent bays . Diving is the reason the town of Sharm El-Sheikh has grown so much . neutral +Please keep reading for another point of view--probably not the cat 's . Keep reading for another point of view which is most likely not that of the cat . entailment +'You have lied to me , and deceived me , ' she said . she said , " you lied and tricked me . " entailment +um yeah to a point it 's not my best subject I 'm not good at all at that subject to a point . neutral +Got those ropes , mate ? The silent Conrad produced a length of fine cord . The rope was rather long . neutral +well the nursing home is covered by uh social security see The nursing home is paid for by Social Security so I don 't pay a dime . neutral +The main road skirts the eastern side of the lake ; the minor route on the west bank , however , is prettier , affording dramatic views of Helvellyn Peak in the distance . The road on the eastern side is jam-packed with vacationers in summer . neutral +Perhaps we surface-dwelling life forms are the exceptions--bizarre mutations of the normally deep-dwelling archeabacteria that populate the interiors of planets all over the galaxy . We are not the result of evolution from deep-dwelling archeabacteria . contradictory +La Vila , as Villajoyosa is affectionately called , boasts some Roman , Moorish , and Visigothic remains , and Spain 's oldest chocolate factories . La Vila contains Visigothic remains exclusively and does not permit any food or drinks in the area . contradictory +( Bill Clinton received his undergraduate degree from Georgetown University , a Jesuit school . ) Georgetown University does not offer any undergraduate programs . contradictory +Another knew all about dredging canals and the last one was an electronics engineer--a field in which Dave was far more competent . Dave was great at everything . contradictory +No , he said gravely , " I expected it . " I relinquished the piece of paper , and watched him put it away in his case , with the same methodical care that he bestowed on everything . He didn 't watch the man . contradictory +you know we didn 't allow Blacks to vote uh and we didn 't allow women to vote until i don 't even know what the year was for women I think the year when women could vote was 1919 . neutral +I confess I 've never had the subject of a piece try to replace me as author , but I figured it was up to the editors ; so I gave Morris my editor 's number . This was the first time I 've ever been fired , entailment +The magnificently proportioned 13th-century Cathedrale Notre-Dame was badly damaged in World War I , but it has been well restored and it remains one of the country 's greatest Gothic edifices . The cathedral didnt get damaged at all in the war . contradictory +Also note that no adjustments were made to benefits based on the cost-of-illness approach or to work loss days . Benefits changed based on the cost-of-illness approach and work loss days . contradictory +oh yeah it probably will Yes , it more likely will be bought neutral +The weather had been perfectly fine for some days , and no ordinary boots would have left such a heavy deposit . It has been sunny every day this week . neutral +Is it not customary for anyone purchasing poison to sign a book ? People don 't usually leave a signature when purchasing poison ? entailment +yeah that 's that 's an interesting uh interesting concept i hadn 't thought about that how you you you know that that 's right i guess in a sense i guess the you know the idea is that uh the more people you have in the family the more allowances you need you know the more uh capability you need to uh to pay for food and clothing and stuff for them so the they give you more allowances more dependent allowances for that The allowances are for rent and bills neutral +Penguin , which holds the U.S. copyright on the original Pooh books , has published black-and-white Pooh books , color Pooh books , miniature Pooh storybooks , Pooh in Latin ( Winnie ille Pu ) , Pooh for New Agers ( The Tao of Pooh and its companion volume , The Te of Piglet ) , and even Pooh for managers . Penguin is publishing a Pooh story about poo . contradictory +Its history as an off-beat artists ' colony during the 1950s and 1960s earned it the nickname SoHo by the Sea , but today it is surrounded by wealthy homes perched along the hillsides and canyons . It doesn 't have a history as an off-beat artists ' colony at any point . contradictory +ah i usually enjoy the exercise i do but uh like i said i 'm just not very consistent about maintaining a a program so i 'll i 'll bicycle i get into that for for a little while and maybe go out and uh on a consistent basis every couple a days and ride a bike for awhile but then i 'll get tired of doing that and maybe start jogging again and go out three or four nights a week I have not exercised in months . contradictory +In effect , the incremental expenditures reflect the range of decisions made by the electricity sector to comply with each of the four scenario constraints-but do not reflect efforts made outside the electricity sector . Expenditures reflect what decisions the electricity sector makes . entailment +Conversely , the mailer could increase his volume if the discount and the associated service are offered . The Mailer needs to increase his volume if he wants to be able to offer more options to his clients . neutral +After seeing the sculpted friezes at courtyard level , you can gain yet another perspective of the temple 's fine detail from above , by walking along the stone ledge that leads around the top . There is a ledge around the bottom that you can use to see the details . contradictory +i mean you can watch Coach from time to time and not have to you know not feel like oh wait i 'm missing an episode and i won 't know what 's going on It 's important to watch every episode in order . neutral +To reach the entrance , go back up David Street and turn left up a small alleyway . Turn right up the alleyway to get to the entrance . contradictory +We then compare the distribution of profit margins for routes in Italy and the U.S. and the effect this has on vulnerability to cream skimming . The susceptibility to cream skimming due to the distribution of profit margins in Italy and the U.S. were evaluated and compared . entailment +In Sections 165 and 169 , the Act places particular value on protecting visibility in 156 national parks and wilderness areas ( e.g. More than one hundred national parks have their visibility protected by the Act . entailment +The resources used for domestic investment come from saving by households , businesses , and all levels of government . There is no evidence that households contribute resources to domestic investments . contradictory +Buildings seem to transform themselves depending on the light ; Dublin under a lowering sky is a different place from Dublin in sunshine . Dublin looks very different when the sun is shining than when under a lowering sky . entailment +In 1981 , when Royko moved to a condominium in a lakefront high-rise , he cast himself as a bungalow-bred Margaret Mead , studying yuppies by living among them . The lake in front of Royko 's high-rise offered sailboat lessons . neutral +t here 's also a moral aspect to it a lot of people have not either mentally sat down and gone over the moral aspect can i take human life even in a life threatening situation to myself or to a loved one Is it moral to take a life when you or a loved one are threatened ? entailment +oh no radio yeah I always listen to the radio but it 's not my preferred source of music . neutral +Further , the case study organizations reviewed all case study information included in this guide for accuracy and completeness . The case study groups did not have time to review the guide . contradictory +The Clinton administration has done plenty to fuel suspicion of all kinds . Voters grow more and more suspicious of the Clinton 's neutral +Demands . Possible solutions , but not set in stone . contradictory +Technically , the U.S. monopoly is primarily a revenue monopoly . The U.S. monopoly is no longer in effect . contradictory +uh the farthest away from home The longest distance from home . entailment +Although policymakers would likely act to reduce the budget deficits and to promote higher national saving before facing the economic doomsday implied under the Save the Social Security Surpluses simulation , this scenario serves as a reminder to be cautious in committing surpluses to large permanent tax cuts and spending increases . This scenario serves as a reminder to be cautious in committing surpluses to large permanent tax cuts . entailment +do you watch LA Law Do you watch LA Law ? entailment +Pepper and Blanco have conferred with Bush campaign officials in Austin twice since mid-August to discuss their ideas , according to sources on the campaign . Pepper and Blanco spoke with the Bush campaign . entailment +She must have been behind the door . She hid behind the door . entailment +No defeats are recorded , naturally , although a few of the victories are debatable . Every defeat that occurred has been recorded in detail . contradictory +The movie 's lone masterful sequence is the one that features a batch of blank , leggy dolls , along with people whose faces are hidden behind expressive masks . The movie has lots of creepy dolls in it . neutral +uh the price will sound odd because it was uh you know about thirty years ago but it they wanted uh forty nine hundred dollars for it About thirty years ago they wanted 4900 but now they want 60000 . neutral +Not one stray word or phrase to make you realize that it was a private conversation ? " She paused , and seemed to reflect , still outwardly as calm as ever . Not one word out of place , to make you notice it was a private talk ? entailment +and he like his sales last year he just works a normal job he probably has an income of thirty five thousand but last year he made one sale that got him a bonus of twenty five thousand which allowed him to pay cash for a full size van He had enough money for a van because he got a large bonus from a sale . entailment +Also part of this annex is the Armeria Real ( Royal Armory ) . The Armeria Real is known to be the world 's most stocked armory . neutral +They were constructed by Suleiman the Magnificent , the Ottoman Turkish sultan , who never visited Jerusalem but ( according to tradition ) had a dream that he would be devoured by lions unless he rebuilt the walls of the city . Suleiman had never seen a lion but had read about them in books . neutral +Under the existing rate arrangement , the Postal Service can consider externalities in setting rates . The Postal service can can consider outside things when setting rates . entailment +Listening to Bradley 's equivocal remarks on school vouchers , and looking at the sliding scale of subsidies and tax breaks he proposes for health insurance , you get the feeling he 's rather sympathetic toward solutions that take account of market dynamics . Bradley probably thinks that market dynamics should be a part of the solutions . entailment +With that response , Erving negated his layup for Bradley by yielding a three-pointer to Brazile . Erving made his layup contradictory +That the captain was only waiting to make trouble for Rennie . The captain wanted to cause Rennie trouble because he did not like him . neutral +and inflated all the balloons We didn 't have balloons . contradictory +that 's i knew you were going to say that i wanted i want to go see that I knew you 'd know how much I want to see the movie . neutral +and then then Michael went to court and and uh petitioned that they needed to go into solvency because they were so financially in bad shape Michael submitted a petition to the court of insolvency . entailment +The Texan swiped soap from his cheek . The Texan wiped Dove soap off his face . neutral +We come after Senor Juanito because he dropped his purse . Juanito , in dropping his coin bag , haad made them come after him . neutral +um no we don 't but other other offices do they have a box for papers The office on the left has a box for papers . neutral +Maybe it 's been a while since Bode has partied till 4 a.m. , but to Pundit Central ' s eyes the models look like nothing more sinister than extremely tired and slender party trash , not emaciated junkies . The models weren 't habitual drug users . neutral +In Hong Kong the South China Morning Post reported on its front page that Indonesia 's anti-riot forces have been ordered to shoot to cripple rather than kill in clashes with protestors . They were ordered not to kill as this could cause controversy surrounding the government . neutral +Cynics suggested the government allows such tales to be disseminated in order to attract sympathy and foreign aid . Cynics believe the government of Cuba allows certain stories to get into the public to attract sympathy . neutral +In the 1980s , the Egyptian government had the sense to protect the precious waters of the south Sinai and created Ras Mohammed National Park , now home to over 1,000 species of fish , marine animals , and corals . The national park encompasses the south Sinai . entailment +After the death of Franco in 1975 , King Juan Carlos I restored democracy to Spain . The King stepped in to reinstate democracy . entailment +Like findings from case studies , the result is considered as contributing not answers but a better understanding of what questions to ask and how to ask them . Case study findings aren 't necessarily about producing definitive answers . entailment +illegal illegal or something like that yeah Completely legal or something like that . contradictory +you know it 's good food and everything and um you know you get malts or whatever so it 's really good you know my only big gripe is every time i 've gone to Silver Diner i have tried to get the banana cream pie and they they are always out The food is good so I eat there every day . neutral +1.3 This chapter describes the applications of GAGAS by auditors and audit organizations . This chapter describes the applications of social media websites , like Facebook.com neutral +Look out for free concerts in churches . You can participate at free concerts if you go to the churches . entailment +because uh the people don 't have the time to give that one-on-one attention One-on-one attention can be provided to seven kids at the same time . contradictory +Well , none , if it is carefully applied to the narrow group of repeat sadistic or pedophiliac rapists who accept the treatment . It is well known that only a narrow group of repeat sadistic or pedophiliac rapists accept the treatment . neutral +he seems to have lost his steam in in that direction and you know he seems to be repressing his own people again and i don 't think that i think that a lot of the the forward progress that was made came to a halt you know in the middle of that Persian Grulf Gulf crisis He is repressing his own people that want to vote . neutral +After the claustrophobic rough and tumble of the dimly-lit medieval souqs , stepping into this area is like entering an oasis of light , space , cleanliness , and tranquillity . Stepping into the area is peaceful and tranquil . entailment +Her work has been in substance abuse prevention in schools , where she encountered many social and legal beliefs that ran counter to her prevention education efforts . It was difficult to stop the students from smoking weed . neutral +Him an ' Don Cazar , they never talked no war , ' cept ' gainst Apaches an ' th ' bandidos . Him and Don Cazar were always at war , no matter whether it was profitable or not . contradictory +Each year in an important ceremony , the emperor plants rice in a symbolic field , reinforcing his role as the hereditary link between the Japanese people and their Shinto gods . The emperor respects Japanese culture , traditions , and religions . entailment +As a research method , the case study originates in the social sciences , particularly in the fieldwork of anthropology and sociology . Case studies originated in Biological Sciences as a research method . contradictory +They have commanders who speak through the air to one another . Their commanders speak through the air to one another . entailment +The only adult males allowed in the Harem were the Black Eunuchs , who were in charge of security and administration . The Black Eunuchs were not allowed in the Harem , only the slaves were . contradictory +I see . In spite of her laugh , Mary was looking thoughtful this morning . I see exactly what is being talked about . entailment +By sidestepping obvious cliches ( rushing crowds , crashing waves ) in an effort to make a sensitive and tasteful show about a trashy subject , says Newsday ' s Linda Winer , the production achieves only banality . Rushing crowds and crashing waves are not cliches . contradictory +Figure Figure 1 : Agency Systems Architecture Architecture is very important . neutral +IDA balances generally are not to be considered in determining eligibility and benefits for means-tested federal programs . IDA balances generally are not publicly announced in tax returns . neutral +Fix it ! " I 'll try , " Hanson agreed doubtfully . Hanson wasn 't sure whether he could fix it . entailment +Indeed , the Chinese influence in the city is clearly noticeable even today . The years of trading with the Chinese brought Chinese influence to the city . neutral +Ha ! And happy as a lark , I see ! ' I see you 're quite happy ! entailment +By the time I got to the crone 's shack I knew I was going to have to kill them . I knew I could get by without killing anyone . contradictory +yeah just as quickly yes , at the same time neutral +There are seven stops . Seven stops exist . entailment +Suppose mailers can sort addresses on a computer and then print them in ZIP Code order . Mailers could sort addresses on a computer and print them quickly . neutral +These are men and women of noble spirit . The men and women are royalty . neutral +'You want to create a pre-emptive counter revolution . ' You don 't want to start a revolution . contradictory +As shown in figure 3.5 , GDP per capita under the Constant 2000 National Saving Rate simulation would fall short of doubling every 35 years . Every 35 years , the GDP per capita would almost , but not quite , double . entailment +This is a special style of Shinto architecture that is prohibited from being used at other shrines . Shinto architecture includes depictions of fish and animals . neutral +The payments made by Federal employees are in the nature of taxes , compulsory payments demanded by the Government through the exercise of its power to compel payment . The government has no power . contradictory +oh well i 'm i 'm i 'm a native born Texan but uh you know how it is I 'm native to Alabama . contradictory +The capital of Ibiza , called simply Ibiza , or Ibiza Town , has a population of almost 35,000 . The population of Ibiza Town is almost 35k . entailment +The National Institute of Standards and Technology ( NIST ) 10 has established procedures for the evaluation and approval of certain automated signature techniques11 to ensure data integrity and consistency with previously mentioned criteria . The National Institute of Standards and Technology has established procedures for development neutral +DOD generally agreed with the report and its recommendations . DOD generally disagreed with the report and its recommendations . contradictory +Tigers , leopards , and sloth bears are a bit more elusive . Sloth bears are easy to meet and not elusive at all . contradictory +The man watched the stream fall . The stream was quiet and peaceful . neutral +Begun during the Old Kingdom , it was the national shrine of the country ( the St. The national shrine of the country is three stories tall . neutral +Fool that I was not to have thought of this possibility before , and what a relief for us all . Everyone was relieved that that I didn 't think of it earlier . neutral +We are not , however , the only ones who are under the microscope as recent events in the private sector have made clear . The private sector made it clear that we are not alone due to recent events . entailment +There are regular diversity conferences for state justice community leaders . The diversity conferences are often held on the West coast of the United States . neutral +The best introduction to the Tuscan hill country is a tour of the famous vineyards that grace its southern-oriented slopes . The tour doesn 't take you anywhere to eat . neutral +She wore a boiled leather chestguard molded perfectly around the shape of her bare breasts . Her chest was sensitive from her last battle . neutral +I shall have to go home ! " I will have to go home ! entailment +And a special In Madrid , thanks to the siesta lunch break , the rush hour happens not twice , but three times a day . The rush hour is annoying . neutral +of course if you decide you want to change the paper and you know you 've got just about as much problem as I think you 'll realize that the paper you have is the one you want to stick with . contradictory +By the way , have you by any chance an aunt , a cousin , a grandmother , or any other suitable female relation who might be represented as being likely to kick the bucket ? " A delighted grin spread slowly over Albert 's countenance . Albert frowned . contradictory +The market researchers instruct that Gen Yers are brand-conscious yet skeptical of established brands , independent-minded yet conformist . The Baby Boomers are skeptical of established brands neutral +Nearby place du Tertre was once the center of village life . Du Tertre , situated nearby was never popular with people . contradictory +Seventeenth-century tapestries depicting heroic scenes from the life of Alexander the Great adorn the walls . Seventeenth century tapestries showed scenes from Alexander 's life , ending with the battle where he was killed . neutral +But laws pertaining to child-rearing are surprisingly marriage-neutral . Some laws are neutral about marriage . entailment +I laughed . I burst out in tears of laughter . neutral +They need to know that screening works and that the sooner screening is implemented the sooner patients with alcohol problems can receive help . Ironically , setting up screening sooner will force patients with alcohol problems wait longer to receive help . contradictory +1 ROLE OF THE STATISTICIAN The statistician is not involved . contradictory +no i don 't i work for North Carolina State University I am not employed at the North Carolina State University . entailment +His hand moved around while he swung his hips and grimaced . He smiled as he swung his hips and moved his hand . contradictory +But this undermines his entire case about Stalin 's unique responsibility . His care about Stalin 's responsibility is undermined . entailment +no no i know i 'm so happy that i had mine had mine when i did and that i 'm not having them now i think about it I wish I had mine before rather than now . contradictory +but we didn 't you know we didn 't really start it for the money it was just they were fun to have around and we figured if we 're going to have them we might as well have some purebreds and and now it developed in to going to cat shows and finding studs for them and you know all this kind of stuff Our original intentions were to have fun . entailment +I suppose Franke-Ruta was compelled to read every single line without really wanting to at all ? He was enthusiastic about reading all the lines . contradictory +What 's up ? " Do you have any plans right now ? neutral +For a list of where the hotlines operate , along with their phone numbers and hours , go to www.aoa.gov / legal / hotline.html , or call the federal Eldercare Locator at 800-677-1116 . Go to www.aoa.gov / legal / hotline.html for a list of where the hotlines operate . entailment +As noted above , NHTSA invoked the exemption from the initial regulatory flexibility analysis requirement with respect to the proposed rule . The NHTSA always asks for exceptions from the flexibility analysis requirement . neutral +Have to see how things turn out . " Drew started for the Four Jacks to meet Nye . I need to see how things go . Drew left to go meet Nye . entailment +Although much of this software is advertising-driven--hence , free--you will still pay a price . You payed $ 50 for the software . contradictory +After a few hours , the tongues of flame no longer flared above the horizon , though the brilliant radiance continued . The flame died down after a few hours , but was still visible . entailment +Identifying the most important issues involving the delivery in all 50 states , territories and DC . It did not cover all 50 states . contradictory +The Attorney General has certified that the interim rule will not have a significant economic impact on a substantial number of small entities because it only affects the federal government operations regarding examination , detention , and removal of aliens from the United States . The Attorney General stated that this interim rule may be subject to change that could potentially increase its effect of small entities . neutral +'I 'll go over your data , find out what you did wrong . I 'll figure out how you messed up the calculations about the budget . neutral +In a statement , Sawyer said she played no role in this decision . Sawyer never gave a statement . contradictory +The bolder and more astute among them sought to prove that peace had been effected by following their counsels . The braver ones tried to prove that peace was a result of obeying their counsels . entailment +The Persians were defeated , and Athens duly punished the islands that had turned against it . The Persians defeated Athens . contradictory +In addition , Texas spent approximately $ 228 million of its TANF funds in serving more than 300,000 recipients . $ 228 million in TANF funds is relatively low for Texas . neutral +Station IX ( Jesus falls a third time ) : Jesus 's third fall under the weight of the croseis legend , and therefore the exact location is disputed . Station IX is where Jesus first fell . contradictory +The computer is currently composing a new Mahler I 'm so tired of the 10 symphonies , Cope said . Mahler 's symphonies are such masterpieces that they never get old . contradictory +Do you want to see them ? " Do you want to see the secrets ? " Red asked . neutral +He saw their white teeth shining . The dentist was proud of how well he had cleaned their teeth . neutral +After various questions on other matters , Mr. Philips asked : " In the month of June last , do you remember a parcel arriving for Mr. Lawrence Cavendish from Parkson 's ? " Dorcas shook her head . Dorcas didn 't remember a parcel arriving for Mr. Cavendish . entailment +The greatest concentration of shops and entertainments is to be found around the original village . Most of the shops and entertainment can be found around the village . entailment +There are monuments that you can ignore and those you have to look at twice , and then there is the Eiffel Tower . The Eiffel Tower truly is the most magnificent structure in France . neutral +Researchers compared farm worker data from United Farm Workers with that from the California Cancer Registry . Farm worker data was compared between two sources . entailment +and uh he has an MBA so uh we were sort of you know keyed in on expenses and things like that so um His MBA helps him in figuring out a budget . neutral +National saving together with borrowing from abroad provides the resources for investment that can boost productivity and lead to higher economic growth and future living standards ( see figure 3.1 ) . National saving and borrowing from abroad harm investment greatly and deplete its resources . contradictory +In early 1997 , GAO designated Y2K as a highrisk area to highlight the government 's exposure . Y2K was considered a very dangerous time for the nation . neutral +From the nation 's perspective , if current generations forgo saving for their retirement costs , they also forgo investment opportunities and the economic growth that would result . Not saving for their retirement is the best thing current workers can do for the economy . contradictory +Ds want good seats at the game Ds desires decent seats at the game . entailment +that 's my uh one of my wife 's favorite stories to tell about Easter camping trips it the coldest Easter ever My wife loves to talk about Christmas camping trips . contradictory +The ferocity of their warriors and the dark magics of their witches could not stop powder and shot . Their witches possessed dark magic . entailment +And the boy is still very young " THe girl is old . contradictory +The deposits earned 2.5 percent in interest a year ago and now average 0.65 percent , according to Ruth Ann Schmitt , executive director of the Lawyers Trust Fund . They wished it was a higher rate today . neutral +That prompted the state 's two main legal services providers - Columbia Legal Services and Northwest Justice Project - to cut their staffs , Alexander said . Recently , Columbia Legal Services has increased it 's staff by 100 % . contradictory +The latter is well signposted , and there is a paved footpath , with drops protected by railings . Even so , one should be careful when walking . neutral +well you have to see i a as the way i look at it you have to think first of all why or has has crime increased and if so why has crime increased Think of who commits most of the crimes . neutral +Hoping to revive the taste for surreal television , ABC hired Twin Peaks creator David Lynch to pilot a noirish program called Mulholland Drive . After insisting that the director cut down on cigarette-smoking characters and shots of dog poop , the risk-averse network ditched the series and filled its time slot with another Friends clone . David Lynch kept smoking Marlboro cigarettes on set . contradictory +You can rent a canoe to get there under your own steam or take a ride in one of the many small ferry boats departing from Long Bay . The small ferry boats are a nicer ride due to being larger than a canoe . neutral +and what else what else is out right now that i want to see I will only see things that sound appealing to me . neutral +Fewer cases of alcohol abuse meet the ICD-10 definition . Alcohol abuse is less common in the ED . neutral +no i can 't either i really can 't um I most definitely can do that . contradictory +illegal illegal or something like that yeah Selling drugs is illegal or something like that . neutral +" Yesterday " Drew tried to think back to how he had felt yesterday about Topham 's warning and how he himself had held the absurd belief that if Don Cazar was going to be in trouble , Drew himself wanted to be there . Topham had not warned Drew yesterday , so he didn 't know . contradictory +Before being given the crosein the courtyard , Jesus was presented to the people by Pilate , who said Behold the man ! Jesus was given a cross and was then shown to people . contradictory +He wasn 't surprised to see me , of course . He was very surprised to see me . contradictory +However , she found it interesting that booster sessions worked in this setting . She thought it was interesting how this booster sessions worked here . entailment +If the zinc story were an isolated anecdote , it would be merely amusing . There are a lot of amusing anecdotes involving zinc , not just this one . neutral +'Suit yourself , ' Natalia shrugged , downing the glass . Natalia offered to share but then drank her glass . neutral +There are also many nightclubs attached to the hotels at the seaside resorts . There aren 't any nightclubs attached to the hotels . contradictory +( Click here for more on the book . ) If you want to know more on the movie , click here . contradictory +It was unusually thick , quite unlike ordinary notepaper . It was good quality paper . neutral +'I 've arranged a series of events constituting a tour of America Large . ' I 've set up many events to help along a tour of America Large . entailment +they always think they can win you know which is the way it should be and boy he never gave up i 'll tell you They think they will always lose . contradictory +She grimaced as the chain went taut . The chain around her neck got pulled tight . neutral +Legal Services eventually got Benjamin 's benefits restored . It did not take too long for Legal Services to have his benefits returned to him . neutral +The whole was nearly eight feet in diameter . The whole was bigger than expected . neutral +There 's your precious private industry . Your precious private industry is wrong . neutral +Serious cyclists may want to contact the Club Ciclista Palma , on Gral . The Club Ciclista Palma doesn 't offer any information or benefits to cyclists . contradictory +Prepared Office of the Administrator , September . September , Prepared Office of the Administrator . entailment +In Ghirlandaio 's Madonna of Mercy ( right aisle , 2nd bay ) , portrayed immediately to the right of Mary is the Florentine banker-navigator-cartographer Amerigo Vespucci , who gave his name to the continent of America ( and whose family was a sponsor of this church ) . Amerigo Vespucci was given 1000 acres of land by Spain . neutral +you know it 's bad when you can smell alcohol on somebody but there 's nothing you can do because they not drunk When you can smell the alcohol , you know for sure that the person is drunk . contradictory +Compare Rembrandt Natural and Rembrandt With Baking The baking soda paste is not overpowering , but it bites just enough to let you know it 's there . Rembrandt Natural and Rembrandt With Baking are related to Van Gogh . contradictory +hm yeah you won 't get that at MIT or Berkeley or anything like that and you can and you know you can 't blame the professors either because you look at their job description you 'd see you know teaching is third down on the list of importance things and The teachers at MIT and Berkeley value other things more than teaching . entailment +The remaining fifteen percent of allowances will not be made available . Allowances have increased in the last five years . neutral +The one-of-a-kind showroom experience has been called innovative , hilarious , and musically powerful . The showroom just looks like a regular room . contradictory +I 'll be seein ' you . See you around . entailment +and couple other things i can 't remember I 'm sure I will remember that few things I 've forgotten soon . neutral +3 . What Is the Long-Term Outlook for Federal Government Saving / Dissaving ? Aside from saving and dissaving , there is a thrid option for the Federal Government . neutral +We want to know why there 's no peer accounting system , why there 's no real method of competition for grants , and why meetings are held in secret , Barr said . Shortly after his inquisitions , Barr resolved all the problems he found . neutral +and however and you normally think people in our position wear shirts and ties well many do but i am absolutely not comfortable with a necktie I love wearing a necktie everyday . contradictory +We really had it made then ! We had the good life ! entailment +A few mention a Bush stumble , but most are even more circumspect . The Bush stumble is the only suspect event . contradictory +so i found that when i had a uh wooded lot that i needed to put a lot of lime out The soil in my wooded lot was very acidic . neutral +The area proved unsuitable for sugar cane production , but in 1871 fruit shippers began to take locally grown bananas back to Boston in the United States , and the trade was an immediate success . Bananas cannot grow locally in Boston . neutral +It sounds suspiciously like National Secretaries penance that allows everyone to be thoughtlessly rude the other 358 days of the year . Some people have a belief system that encourages them to be rude 358 days of the year . neutral +The efficient and accurate pricing of options has helped to make the economy more efficient . The economy has been made less efficient because of accurate option pricing . contradictory +the uncompromising Vel ? ¡ zquez portrait of ugly Queen Marianna of Austria ; El Greco 's powerfully mystic Christ on the Crose Ribera 's gruesomely good-humored The Club Foot . El Greco was a extremely famous Spanish painter whose work was often religious . neutral +I have bitten my tongue all week , but I finally said something to the brat . I 've held my tongue but finally said something to the person . entailment +Sayong pottery , from Perakiahas a glossy black color . All pottery made in Perakiahas is black and glossy . neutral +Any archaeological finds ( and they are rare ) must be handed in to the Comandancia de Marina . It 's so rare that any archaeological are made that there are only one or two items handed in per year . neutral +and so that was really the only experience that i 've had with guns and it it kind of scared me My first experience with a gun scared me . entailment +They do not , they say , value a stock by looking at future earnings . They don 't value a stock just by how much it will make in the future but also consider the current value . neutral +not not too challenging to the brain I 'm pretty smart , you know . neutral +The most recent poll suggested that the anti-poker forces would win in a More than 60 percent of voters favored banning poker , and only 16 percent wanted to keep it . Over half of the people want to ban poker from college campuses . neutral +i 'm not sure what it is there now i know what it is in Singapore is they have the death penalty and they really enforce it like for drugs Singapore puts 10,000 people to death a year . neutral +The term includes the purchase of , or participation in , a loan made by another lender . The loan can 't be purchased from a different lender . contradictory +uh you know i i mean that 's my own observation anyway That is my own observation , but I think it is correct . neutral +i only get the newspaper on the weekends so I get the newspaper every day of the week . contradictory +i uh i 'd i guess i have to say at this point that i do approve of it I am in approval of it right now . entailment +The jewel of the red stone courtyard , however , is the marble-clad Tomb of Shaikh Salim Chishti . The red stone courtyard is beautiful , and its jewel is the best part . neutral +Today , the Loire is a sleepy waterway , running deep only with heavy rains or spring thaws , and its sandbanks and mud flats become islands during the summer . The Loire is a waterway that always runs deep . contradictory +Don 't miss the tea ceremony garden , carefully designed to be appreciated from the traditional Urasenke-style teahouse , where visitors ( and especially foreign tourists ) are invited to relax on tatami mats and enjoy a bowl of strong green tea and a sweet ceremoniously served by elegant kimono-clad tea ceremony students . Foreign tourists are not allowed to enter the tea ceremony garden . contradictory +To address its strategic human capital management challenges , FEMA has started an initiative to reduce middle management layers and streamline its organization . FEMA 's human capital management has always challenged them as an organization . neutral +what he thought of uh one of the other action guys God i can 't even remember the name he said well he wouldn 't really talk about it didn 't want to talk about him because he didn 't think he was such a uh a good action guy I don 't remember what the characters were called . neutral +hence is possible error as you can see in all the ironsides There is certainly no error to be found in all the ironsides . contradictory +An arrow , fired from galloping horseback , caught the older woman in the stomach . The older woman avoided getting hit . contradictory +There is no other danger but that which stands in front of us . We face many dangers . contradictory +Other Entertainment Other Amusements entailment +Each room has a different theme , from Jamaican shack to Mexican pueblo . Each room is themed for a different country . neutral +and the bill would come in and i 'd pay it and the very first bill i paid it and then i got this nasty letter from them saying you 're overdue pay so i i said well it just crossed in the mail so i didn 't do anything about it Two weeks later i get another letter even nastier and said we 're going to turn this over to our attorneys if you don 't pay and i looked at that and i said uh-huh so by this time my checks had come back from the bank so i made a copy of the check that they had cashed The bank was very upset since I had not paid off the payments , despite the fact I had . entailment +At Newby Mill near Lakeside Stott Park , Bobbin Mill was still operating commercially as recently as 1974 . Bobbin Mill was still functional at Newby Mill in 1974 . entailment +you have to learn how to do it that 's right otherwise they hold it over your head forever right You have to learn how to tie your shoes , otherwise you will get laughed at . neutral +so you haven 't been tempted uh to to call any of these nine hundred numbers trying to get a credit card then Have you ever felt tempted to get a credit card by calling around ? entailment +He didn 't even stop fighting when I broke his arm and Vrenna pinned him to the tree . Even after I broke his arm he kept fighting . entailment +Without an effective cost containment program---and I have yet to see one---the Postal Service , reformed or not , cannot be what mailers want . The Postal Service cannot be what the mailers want , unless an effective cost containment program is put in place . entailment +I 've thought over every imaginable way of getting it too , continued Tuppence . Tuppence was convinced that she would think of a way to get it . neutral +To alleviate the problem , the government has become the city 's major landlord with the construction of massive apartment blocks that , though they have every modern facility , average only 9 square m ( 100 square ft ) in size . The government is the city 's major landlord in order to solve a problem . entailment +i find that when you order a salad at a restaurant you don 't really get a salad you get like lettuce and you know what i mean and the croutons When you order restaurant salads they usually give you lettuce and croutons . entailment +and satin you know and made them as wedding gifts and stuff like that so I used cotton . contradictory +Visitors to France ' and the French themselves ' often overlook the charms of the far north . The far north is not considered a desirable place to visit . neutral +Why don 't you take it ? Why aren 't you taking the money ? neutral +They mean it . They don 't really mean it . contradictory +Following the summit , Kentucky , North Carolina , and Mississippi held subsequent state safety summits and pursued numerous initiatives to reduce fatalities . Kentucky , Mississippi , and North Carolina had similar goals but the details of the initiatives they pursued were slightly different in each state . neutral +He twisted and went to one knee . He was proposing to his girlfriend . neutral +And the one important clue they overlooked . " They were always aware of the most important clue . contradictory +Do you measure browsers per day ? Do you measure browsers per day or do you have other options ? neutral +The WSJ has these Monica 1 ) Vernon Jordan isn 't part of the joint defense agreement entered into by many other grand-jury witnesses with White House ties . Grand-jury witnesses all joined the agreement immediately . neutral +no no they they get get her a get her a box of doggy biscuits to to to let her feed him She is given a box of biscuits to feed the dog . entailment +Injuries in traffic accidents had doubled between 1996 and 1997 . Between 1997 and 2017 the amount of teen accidents has increased rapidly . neutral +i think there would be trouble in our house so you wouldn 't get confronted or anything If someone confronted you in our house , there would be trouble , so it 's not happening . entailment +yeah well do you think that 's do you think that 's right do you think we should direct the government Is it up to us to direct the government ? entailment +In part , grants from the Colorado Lawyers Trust Account Foundation defray some of the costs associated with maintaining a strong pro bono , program . Money from the Colorado Lawyers Trust Account Foundation help with costs of maintaining a pro bono program . entailment +Yes , but this affair is more important . 39 " And how do you know that these fine begonias are not of equal importance ? " I shrugged my shoulders . " How do you know these flowers aren 't as important ? " she said . entailment +That 's about one every nine days . If it occurs more than once every nine days , there are issues . neutral +It 's in a quiet residential neighborhood a mile or so from the old center , not nearly as convenient as its main competitors , but it offers uncommon intimacy and personal attention . It 's in the neighborhood that 's a mile away from the old center . entailment +um-hum it really could and uh uh then how sometimes how the media will blow things out of proportion and will run an an issue into the ground which is good and dead and they keep dragging it on and it could hamper the uh outcome of an election for the guy that should have won The media doesn 't have the power to incluence the outcome of an election . contradictory +The bronze group sculpture stands in an attractive setting of reflecting pools and fountains with a mosque at one end . The sculpture stands among a number of pools . entailment +retirement contributions for low- and moderate-income families . low-income families contribute to retirement entailment +The music , Gregorian and traditional , is sung in old lemosan . The music , which is modern pop , is performed with the aid of a synthesizer . contradictory +In the Chapelle de la Vierge ( beyond the choir ) is the monumental Renaissance Tomb of the Cardinals of Amboise , with superbly sculpted allegories of the cardinal virtues . The cardinal sins are the subject of the Tomb 's artwork . contradictory +Otherwise , southern Italy is overlooked by tourists almost as much as it has been by the national government since the 1871 reunification . The national government doesn 't much care for the southern portion of the country and doesn 't spend much , if anything on advertising it . neutral +The witch approached the demon , a black clay bowl in one hand and her wicked knife in the other . The witch brought things to the demon . entailment +it will be for that--for denying an affair . The judgement was based on denying the affair happened . neutral +His major task was to rescue France from the chaos of the Fourth Republic . He was supposed to save France from the chaos they were in during the battle . neutral +see how they handle it and see if it 's a good way and then do it that way because as i like to say people are making money on it the cans do are worth something I like to say that people make money from the cans . entailment +I 'm afraid so , said Mr. Carter gravely . Unfortunately , it is this way Mr. Carter said solemnly . entailment +Not when the servant Dorcas repeated certain fragments of the conversation ” fragments which you must have recognized ? Dorcas repeated the last portions of the conversation . neutral +We 're all right now . " He chanted something in a rapid undertone " All right , relax . He tried to get her to relax . neutral +Originally capped with a smooth layer of limestone it would have reflected sunlight like a beacon across the Nile valley . Many people would use the reflected sunlight to try and tell what time of the day it was . neutral +In Hong Kong , the South China Morning Post led Monday with what is said was the biggest protest in Beijing since the Tiananmen pro-democracy movement began 10 years ago this month . the South China Morning Post led Monday with what is said was the biggest protest in Beijing since the Tiananmen pro-democracy movement entailment +The final rule establishes performance goals to be achieved by the Organ Procurement and Transplantation Network to improve the effectiveness and equity of the Nation 's transplantation system . The final rule helps effectiveness in the long term . neutral +Having information on threats and on actual incidents experienced by others can help an organization identify trends , better understand the risks it faces , and determine what preventative measures should be implemented . We have no knowledge of the incidents . contradictory +And they don 't calm civil libertarians , who fear the FISA Court is a mere rubber stamp for executive power . Civil libertarians are not afraid of the FISA court . contradictory +He gathered up clean underrigging , another shirt . He also picked up some clean pants . neutral +Only members of the imperial family and high-ranking priests are allowed past the second of the four fences . There are six fences , and you can only pass the last one if you are a monk . contradictory +yeah it just turns brown and makes a mess It turns into brown from white . neutral +and then jumping up and down in his chair and crying , Evidence ! This is evidence- him laughing and eating an ice-cream . contradictory +If what we 're dealing with is a monopoly situation , then it 's an imperfect monopoly at best . If it 's actually a monopoly , then it 's not a perfect one . entailment +exactly but a salad bar that 's that 's my favorite i mean if because i just feel like i can make my own meal and there 's usually a lot of fun stuff and obviously it 's a lot of vegetables but um The salad bar is my favorite because I can make my own meal . entailment +yeah that 's easy to do it 's very easy to do and it 's i don 't it do you find it easier to i mean do with a budget do you feel like you 're you do i mean i know you said you have better control but That is impossible to do well regardless of the budget . contradictory +As Aphrodite Jones recounts in her book about the incident , All She Wanted ( for which Diane Keaton has bought the movie rights ) , Tom told a police officer that Lana was in the car but didn 't go into the farmhouse . Tom was speaking to a female police officer . neutral +But Ved Mehta was always the butt of the worst abuse . Ved Mehta always received encouragement and support . contradictory +There is none . All of it is gone . neutral +Nehring says it 's mainly a codification of the 1988 Supreme Court decision , and wouldn 't put much more burden on unions to prove they 've got members ' permission to spend money on political causes . This wouldn 't be overbearing for unions and wouldn 't interfere in the political spending campaigns of said unions . entailment +I had to go and live with some old aunts in Yorkshire . " She shuddered . She explained how she had to reside with her aunts in Yorkshire . entailment +This is stuff that defies analysis . This stuff doesn 't defy analysis . contradictory +Another popular sight are the Brindavan Gardens , in Mughal style , some 19 km ( 12 miles ) north of Mysore , worth visiting at night when the fountains are flood-lit . The fountains are lit up during the evenings . entailment +However , the committee did not formally approve use of these estimates because of concerns about the peer-reviewed status of the study . The committee told them to use the data . contradictory +! Increasingly , LSC grantees are important gatekeepers , or hubs , in referral networks of agencies and service providers serving low income people . An important gatekeeper is LSC grantees in referral networks . entailment +yeah in Garland Garland does not have this . contradictory +The brides ( most of them Filipinas ) marry to escape poverty . Most of the brides marrying to escape poverty are Filipinas . entailment +Such records can provide valuable input for risk assessments and budgetary decisions . Records like this are useful for determining risk assessment or budgetary decisions . entailment +Jon turned with the others and left . Jon left as well . entailment +The preamble to the final rule notes that the rule has been reviewed in accordance with the provisions of Executive Order No . The preamble starts at the beginning of the document . neutral +a the monetary impact of employment and benefits cases , a the effect on quality of life of health and housing cases , a the impact on minor children of assistance in family cases , and a the financial stability afforded in consumer / finance cases . If there is a monetary impact to employment and benefits cases , they can be appealed neutral +i think it 's eight it might i i don 't remember It 's definitely eight . contradictory +Many studies have documented the presence of alcohol among patients admitted to emergency depart-ment1-5 and trauma center6,7 settings . Many emergency and trauma patients have been found with alcohol in their system . entailment +oh yeah that 's right i think that 's an ideal situation I think that 's great . entailment +Then why make me say it again ? Then why have me repeat it ? entailment +but i don 't think you would uh someone might grab you mess around with you but they 're not going to grab you steal your your money and slit your throat which in a lot of big cities People won 't try to rob or hurt you . entailment +i guess that 's true but you know you 've got to figure uh you 've got to look at it like Carrollton is in Denton County Carrollton isn 't actually in Denton County , but that 's the perspective one should take . neutral +The insurance and gambling industries are based on these proclivities . These tendencies allow industries like insurance and gambling . entailment +inside yeah um-hum uh yeah in the south south window in the bathroom i 've got uh quite a few I have quite a lot of spiderwebs in the bathroom 's south window . neutral +Between 1989 and 1993 , 48,000 students received Pell Grant overpayments ; 35,000 received Pell Grants from two separate schools simultaneously ; and 101,000 students , ineligible for Pell Grants because they had defaulted on federally guaranteed loans , received them anyway . When 35,000 students received Pell Grants from two different schools they were allowed to keep the money . neutral +well buying a house is is should be your ultimate goal because you 're going to have to live somewhere Who cares about buying a house ? contradictory +My colleagues and I , reduced the requested amount by $ 700 million , leaving a $ 1 billion contingency . We increase the amount by $ 700 million . contradictory +uh-huh uh-huh even at that age they need that time we all need that time Yes , I agree , even at that age they need that time because we all need that time . entailment +You know these kids are straight ; them an ' their ol ' man 's come to work th ' Range for wild ones on Rennie 's own askin ' . The straight kids ' father went to work because Rennie asked him to . entailment +Today is judgment day . It is judgement day every day of the month . neutral +After you 've seen Sevila up close the cobbled streets , the mansions , the storks ' nests in the belfries drive or take a bus across the River Adaja to the monument called Cuatro Postes ( Four Posts ) . The monument is called Ten Posts contradictory +We have also taken steps to streamline and expedite our hiring process . Efforts have been made to speed up our hiring process . entailment +well do you work at a Attleboro or does your or your husband Is it your husband who works at Attleboro ? entailment +Perhaps this is because attorneys , spurred on by campaigns such as the annual one called , And Justice for All , have been unusually generous in recent years , donating money for this purpose . Attorneys have given a lot of money to the Legal Aid department . neutral +The country floundered in uncertainty under the regency of Marie de M ? ? dicis , mother of the young Louis XIII , until Cardinal Richelieu took charge as prime minister in 1624 . Marie first came to power in 1630 . contradictory +Oro was no longer nose to nose with Shiloh , rather now nose to neck . Oro was always competing with Shiloh in sports events . neutral +Then he motioned to the office . He beckoned for Dave to follow him into the office . neutral +Would that suddenly make you less of a person , less of an individual ? Would you be less of a person , less of an individual ? entailment +The flap was half undone anyway . Anyway , the flap was half undone . entailment +At this rate , lawmakers will end up talking about the end of the day 544 times before the current session ends in Dec. 2000 . Lawmakers will meet a bunch before the session is over . entailment +A resort has recently been opened on Pulau Besar . The resort is luxurious neutral +Next to it is a splendid cylindrical 11th-century Romanesque campanile . The Romanesque campanile is triangular in shape . contradictory +i 'm sure he will he 's not going to have problems there if not in the NFL then in one of the other leagues he is very talented , he will surely be drafted by the NFL or another league neutral +For example , suppose a study estimates that the average WTP for a reduction in mortality risk of 1 / 100,000 is $ 50 , but that the actual mortality risk reduction resulting from a given pollutant reduction is 1 / 10,000 . Studies can always accurately estimate reductions in mortality rates . contradictory +" Callie told me . Callie didn 't tell me anything at all . contradictory +Yessiree . It was definitive . neutral +What ? Why , the impertinent monstrosity . Why this ? entailment +Ancient seismic activity forced the stratified rock towards the sky and the action of wind and frosehave fashioned it into bizarre shapes . Earthquakes are quite common in this area . neutral +The documents listed may exist with different names than those used here . The documents listed may exist with different names other than the ones seen here . entailment +But of course that is the case here . Obviously that is the case here , so we can fix it . neutral +well it 's been very nice talking with you I enjoyed talking with you . entailment +The Carey Award helps promote quality management within VA by giving the department a prominent means of recognizing high-performing offices , encouraging outcome-oriented practices , and educating VA employees about the benefits of results-oriented management and customer service . The Carey Award promotes good management in the VA . entailment +In order to fulfill its responsibility of effectively overseeing management , the board must have a thorough understanding of the company , its business model and related risks , corporate culture , and the various interests the board represents . The board has to understand the budget . contradictory +Just to the northeast of the Opera in rue de la Main d 'Or , rue de Lappe , and their offshoots , clubs and discos have revived an old nightlife tradition . There is too little interest in reviving the old nightlife tradition . contradictory +As a member of the New York Civil Liberties Union , she sat on the board of directors and discussed issues before the union , such as the proposed Nazi march in Skokie , Ill . , in the late 1970s . The New York Liberties Union did not allow her to sit on the board of directors . contradictory +Practicing on dead patients is nothing new . The medical community practices on dead patients . entailment +He eluded the clutches of half the police in Europe . He is a good at escaping from trouble . neutral +Its Gothic cathedral dominates a charming old town ( vieille ville ) of medieval and Renaissance houses on Rue Saint-Martin , Rue Saint-Malo , and Rue Bourbesneur . The town is very new and modern . contradictory +However , he went to the length of unbolting it , and opening and shutting it several times ; this he did with the utmost precaution against making any noise . He unbolted it and opened and shut it , while trying hard not to make any noise . entailment +In his liner notes , and more elaborately in our conversation , Levin claims the manuscript score makes Beethoven 's intentions unambiguous on this point . Levin studied Beethoven 's scores for twenty years . neutral +to the credible evolution of what 's really become of me . I 've changed so much from when I was younger . neutral +To New York , about 3,000 km ( 1,900 miles ) away , they send back streams of contented tourists . To New York about 100 miles away and no one is sent back or seen again . contradictory +Reed 's departure will diminish the movement 's influence . The movement will falter with Reed leaving . neutral +They are a corporate soft money issue advocacy outfit , as is this [ party ] program financed by corporate soft money . This program is financed by corporate soft money . entailment +Ser Perth cut his words off with a sharp laugh . Ser Perth laughed in the middle of the sentence . entailment +Hot Brass ( La Villette ) and The New Morning ( rue des Petites-Ecuries ) attract big American and European musicians , while Le Dunois ( rue Dunois ) is an intimate place , cultivating more avant-garde music . The Le Dunois is the venue for the Isle of Wight Festival . contradictory +Sturdy gabled houses line the Rue des Dentelles and the Rue du Bain-aux-Plantes . The houses in the Rue des Dentelles are close to falling down . contradictory +Even if you 're the kind of traveler who likes to improvise and be adventurous , don 't turn your nose up at the tourist offices . The tourist offices are scarce and barely useful to anyone . contradictory +Several years later , in 1998 , state planning became a key LSC strategy to achieve access and to improve the quality of services . Federal planning is essential in achieving access to services . contradictory +requesting additional comments on a later OSHA-ordered study concerning assigned protection factors . Requesting additional comments on the OSHA study . entailment +The piece is then dipped in hot water to remove the wax , leaving a lighter design behind . The piece is then fried in oil , and coated with honey . contradictory +Hay fever was the small cost of survival . Hay fever is a big , terrible cost to survive . contradictory +And of course , the Clinton parallel ... The Clinton parallel is obvious to republicans . neutral +you know i think you know i 've got a fairly decent job here at TI but uh when i think of you you go to the the grocery store and you see someone working as a cashier and you think you you know how much a cashier makes and you go how do these people get by Cashiers make tons of money . contradictory +Rooms were free as we spoke . the rooms were filled with people when we spoke contradictory +A frequency distribution of events-such as a table showing the number of decision points in a community economic development program and a decrease in the probability of action as the number of decision points increases-are about as numerical as qualitative data are likely to be in a research case study , according to some experts . Experts say that frequency distribution of events are about as numerical as qualitative data in research case studies that involve animal subjects . neutral +This lock has been forced . " The lock hadn 't opened despite the force on it . neutral +But if you just want to watch the boats , you should be able to find a shady spot along Mindanao Way at Burton Chase Park . The boats pass by often for boat watchers . neutral +Technology to me has its good points and its bad points . To me , technology has pros and cons . entailment +and i think that uh it 's getting so darned expensive now i went to a school in Maine Bowden College in Brunswick Maine and uh it 's a a small at that time all male school there are more uh uh males uh men 's schools than women 's schools in those days they 're all all the old New England traditional schools are now coed It was not as expensive to go to school when I was in college . neutral +A great many of us witness to a faith of grace , not judgment--and do it with grace , not judgment . And even more of us witness to judgment , not grace . neutral +It 's not that they aren 't important , it 's that they aren 't as important as they used to be . Their importance used to higher than it currently is . entailment +This will enable you to travel out to the Lake Palace Hotel , even if you 're not staying there . You can travel to the Lake Palace Hotel even if you aren 't staying there . entailment +Show us , Susan , said Jon . Jon asked Susan to show them . entailment +and we had one child when i taught for my two year career I am childless and have always worked as a maid . contradictory +Having remained untouched for 1,000 years , until British soldiers discovered it during a tiger hunt in 1819 , Ajanta has the advantage over Ellora , whose caves were in constant use as dwelling places . Ajanta was discovered in 1890 by French Soldiers on a Bird hunt . contradictory +We must provide a medical reason--a diagnosis . We must not provide any medical reasons . contradictory +On the state level , funding from the Interest on Lawyer Account fund has decreased by half during the 1990 's due to declining interest rates . Interest on Lawyer Account fund has been on a decrease due to declining interest rates . entailment +In this context , it is understandable that nobody really cares about a visionary 's track record . For this setting no one pays attention to a visionary 's track record . entailment +It was refurbished and the whole palace greatly extended in the following years . THe palace was left in ruins . contradictory +Types of water are discussed in Section 5 , Facilities and Equipment . Section 5 discusses possible sources of water contamination . neutral +overcrowding overcrowding overly crowded entailment +It makes a statement , the city clerk said . The clerk ignored it and died not comment contradictory +Clinicians often use their general impression to help with diagnosis , but clinical impressions concerning alcohol problems can be inaccurate . Clinicians never use general impression to help with diagnosis . contradictory +GAO is also interested in fostering constructive engagement with executive branch stakeholders and enhancing the partnership between the Congress and GAO by strengthening oversight in order to improve the performance and accountability of government . The GAO is not interested in contacts with the executive branch . contradictory +These proposals reflected the purported desire of mailers for smaller and , implicitly , more frequent rate increases . These proposals showed how mailers want larger rate increases . contradictory +Most impressive monument of the Imperial Forums , built as an adjunct to the Roman Forum in honor of Julius Caesar , Augustus , Trajan , Vespasian , and Domitian , is the 30-m- ( 100-ft- ) high Trajan 's Column ( a.d. Trajan 's column is the most distinguished monument located in the Imperial Forums . entailment +would account for $ million and would account for $ million . Both of them are worth nothing . contradictory +While a cost-per-case analysis is limited in that it only addresses quantity , and not quality of services , it does provide some useful quantitative information . Only quantity is examined , not quality . entailment +A tiny , treeless rocky island regularly swept by summer winds has become one of the most popular vacation destinations in the Mediterranean . The Mediterranean island has become a very popular destination for tourists . entailment +He was a good-looking man , though jowly about the mouth , above which a closely cropped mustache bristled . The man was not good-looking . contradictory +And you never told me ? You mean you knew this and didn 't say anything to me ? entailment +The Native Americans ( Choctaws and other tribes ) who settled here thousands of years before the arrival of the French colonists lived a simple life . The Native Americans who lived here before colonization had simple lives . entailment +Disclosing the records we are seeking would not reveal communications between the President and his advisers and would not unconstitutionally interfere with the functioning of the executive branch . The President and his advisers have secret communications . entailment +they have had some absolutely wonderful shows and they do they have incredibly good what are called production values they have Their viewer ratings are among the highest versus their competitors . neutral +Lawyers scoff at the notion that doubt can be quantified so precisely . You cannot put doubt in exact numbers , according to lawyers . entailment +Sweeping through the Punjab and Gujarat across to the western end of the Ganga valley , Mahmud of Ghazni ( 997 1030 ) used these raids more to finance his empire in Persia and Turkistan than to set up a permanent foothold in India . Mahmud of Ghazni financed his empire in Persia and Turkistan with the help of raids . entailment +Nanak 's teachings were written in the Adi Granth , which acquired for Sikhs the sanctity of the Koran . The sanctity of the Koran is of the upmost importance of the Sikhs . neutral +i 'm looking forward to it in about a just just over a year myself In just over a year for me . entailment +The path to enlightenment can indeed be surprisingly pleasurable . As a matter of fact , the road to enlightenment can be run . entailment +uh-huh that 's right see we he couldn 't do without it he but you know since he can just do it right there at work for nothing He can 't do it at work for nothing , so he does not need it . contradictory +Accumulating nonfederal financial assets , such as stocks , could be another way that government saving could translate into resources available for investment , but this idea is controversial . Everyone can agree accumulating nonfederal financial assets is a great idea for investment . contradictory +Across from the mansion , the Zoological and Botanical Gardens ( gardens open daily 6am 10pm ; zoo 6am 7pm ; admission free ) provide a welcome oasis amid the big-city pressures . The gardens are free to enter and can be found across from the mansion . entailment +Estimated Resources Needed for Installation and Operation of Technologies ... Estimated materials needed for construction entailment +USE OF TECHNOLOGY The technology isn 't used . contradictory +Thorn kicked again and the horse exploded into action . The horse exploded into action when Thorn kicked again . entailment +She smiled back and giggled . She was happy . entailment +Well , you figure how you 'd like it if you were just a simple man and some priest magicked her away from you--and then sent her back with enough magic of her own to be a witch and make life hell for you because she 'd been kicked out by the priest , but he hadn 't pulled the wanting spell off her . Would you ever steal a woman from someone using magic ? contradictory +oh we had a frog strangler go sweeping sweeping through here uh yesterday and last night and we 're expecting another one tonight A frog strangler went through here yesterday . entailment +and their inability to understand um multicultural or multiracial situations and i really you know they don 't understand uh how other people live um they don 't understand It can be tough to understand others who come from a different background . entailment +Features a device called a gristle gun . My kitchen has a gristle gun . neutral +This was known already , though the Post doesn 't say so . The post doesn 't say so , but this was already known . entailment +All of these treks can be undertaken alone by experienced walkers or under the watchful eye of local guides . Experienced trekkers are not allowed to walk the treks alone . contradictory +The word that is used around Doug is ' operator . People say the word " operator " around Doug . entailment +The sooner I get this experience over with , the better . ' I want to get this over and done . entailment +Today you 're going to fight the Kal . You fought the Kal and the Kal won . neutral +She sat up and smiled with the air of one who has the situation thoroughly well in hand . The situation was well in hand . neutral +For Johor , astute , tough-minded Sultan Abu Bakar avoided protectorate status by going to London to negotiate a straight alliance , getting a Consul rather than a Resident . Johor cleverly became a partner of London rather than a subject . entailment +An ' by that time he didn 't know wot he was doin ' . At the time he was perfectly aware of what he was doing . contradictory +Matsudaira spent some 20 years planting the majestic cryptomeria cedars on the grounds of the shrine and along the 64-km ( 40-mile ) avenue of approach . Cedar trees were planted on the shrine 's grounds . entailment +It 's an eternal controversy , and not even the pope can resolve it . The pope can easily resolve this controversy . contradictory +This is part of the unrelenting psyche of the place . The place has no personality . contradictory +I saw their eyes . I was able to see their eyes . entailment +Security Weaknesses at IRS ' Cyberfile Data Center ( GAO / AIMD-96-85R , May 9 , 1996 ) There are no security problems at the IRS Cyberfile Data Center . contradictory +This disastrous French naval defeat is known as the Battle of Les Saintes . The French navy was defeated quickly . neutral +You and your friends will augment our militia and protect our south road . You and your friends will go on separate paths . contradictory +In some cases , but not all , this would be the collecting entity . Most would refer to the process at collecting . entailment +28The Journal of Economic Perspectives , Vol . 10 , No . Economic prospective journals have many volumes neutral +This is how it works in today 's an aniseed-scented trail is laid on the morning of the race , and the dogs are sent off across the fells to follow it , disappearing out of sight through the bracken . The trail is laid out for weeks so people can practice . contradictory +DIRECTED FLOWS OF RESOURCES -Expenses to nonfederal entities imposed by federal laws or regulations without providing federal financing . Federal financing providing is imposed by the federal law . entailment +well what about if somebody was um is sick say they have AIDS or something What if they were really , really sick ? neutral +Second , the coastal swells here are extremely dangerous , preventing the swimming activities and water sports so beloved by visitors . Visitors do not often visit the shoreline because of dangerous coastal swells . neutral +There is nothing less attractive than the back of someone 's head . They did not like to sit behind bald men . neutral +Though the Romans occasionally made forays to the north of the wall , this line of fortifications would prove to be the northernmost border of the Roman Empire . The wall has never been proven to be associated with the Roman Empire . contradictory +But the picture 's glory is its layered and intricate syntax . The picture has a lot of detailed coloring . neutral +retrofit of three absorbers for six boilers ) . The three absorbers are retrofit in the HVAC machine . neutral +The recent surge of tourism has helped , but not enough . We can 't take any more tourists . contradictory +Children are welcome in most bars and often accompany their parents on late-night outings , having recouped their energy during their siesta . The children are with the parents all day . contradictory +Men must have head coverings and women must not have bare shoulders or short skirts when entering the prayer enclosure . Exceptions have never been made for those that have broken the dress code . neutral +Thus a decision to do case studies could lead to the collection of irreconcilably dissimilar information from groups working on the same job . a decision to do case studies may also lead to a multitude of other effects as well . neutral +White took his revolver and shot Lincoln in the stomach . Lincoln was shot in the head by White . contradictory +Nothing , I said sadly . " Everything , " I said with exuberance . contradictory +Secretary of State Madeleine Albright was prematurely summoned home from the summit . Madeleine Albright was summoned home from the summit long after it had ended . contradictory +No , that 's not the point . Yes ! That 's exactly the point ! contradictory +A crowd of people rushed from the entrance of a building of sandstone and marble . The crowd ran away from the entrance . entailment +America Little doesn 't really live up to its name . America Little is called that because it is a tiny city . contradictory +Well , Krugman maintains that no such shift is taking place . Krugman blatantly states that a shift is occurring tonight . contradictory +yeah after well when it starts steaming a lot uh i definitely yeah put it in the refrigerator When it starts steaming I put it in the refrigerator but only for about 15 minutes neutral +You hang up to avoid a Belgacom charge , and the computer calls you back , providing you with a stateside dial tone so you can dial as if you were in the United States . It is cheaper to call from the U.S. neutral +I 'm sure my language to her was as sweet , My language was kind just like how she spoke to me . neutral +sounds like us That reminds me of us . entailment +oh that 's true but but the the nursing home situation is such a is such a pitiful situation i mean if you just if you go every time we go visit her it 's just it 's just gut wrenching to me The nursing home is such a sad situation and every time we go to see her it 's really heartbreaking for me . entailment +yeah yeah well to give it give you some perspective my brother 's six two and weighs about two hundred and fifty pounds my brother is six two , my sister however isn 't very tall . neutral +San 'doro pulled him down and tore him open . San 'doro pulled down his opponent and cut him open . entailment +In fact , it 's wise to drive as little as possible inside Paris ; the p ? ? riph ? ? rique ringroad runs around the city and it 's worth staying on it until you 're as close as possible to your destination . Driving is the best possible option to get around inside Paris . contradictory +The lack of a legal aid presence in Pomona prompted the bar association and court officials to start their own once-monthly family law clinic . There was too much legal aid in Pomona . contradictory +In the years after World War I , the business of America was business . They focused on family instead of business . contradictory +yeah that 's that 's that 's something that should be brought up with these people no no don 't ever say something like that to those people contradictory +that is kind of wild well that 's all very interesting That is really boring . contradictory +Doing Field Warnings and Not doing field warnings . neutral +Despite this , the imperial treasury allotted only 5,000 rupees a week for the plague and famine victims of 1631 . Only 5,000 rupees a week were allotted for the plague of 1631 , according to the documentary . neutral +Syracuse 's original settlement was the port island of Ortigia , joined by causeway to the mainland . Syracuse originally started on Ortigia and expanded over the next hundred years . neutral +Its findings have armed Francis Collins in his crusade against genetic redlining . Collins didn 't need more justification but this sure helped . neutral +What is the impact of home computing technology on postal demand ? What is the impact on postal demand caused by home computing technology ? entailment +This misses the point . The thing that I did missed the point . entailment +It is used for the inauguration of the Irish president . The Irish President himself uses it during the inauguration . neutral +Welldeveloped techniques exist to provide monetary estimates of these benefits to agricultural producers and consumers . Estimates of these benefits exist and can be given to producers and consumers . entailment +The others , with the possible exception of the bearded German , merely used it as a rendezvous . The rendezvous is where everything happens . contradictory +to spend on groceries and clothing and fuel for the car and then the rest of it 's uh pretty much fixed expenses uh mortgage electricity uh water and uh and garbage collection and telephone bills and cable television bills and those are pretty much fixed I can predict how much money I will spend on gas and clothing every month . neutral +So now Barnes , too , will retire into citizenship . Barnes is going to retire . entailment +Under tolerant rulers , the capital city C ? ? rdoba was transformed into one of Europe 's greatest centers of scholarship and the arts . In the city 's history , it has only reached international prominence under brutal dictatorships . contradictory +trade trade money Money cannot be traded . contradictory +There has been a Christian place of worship on the site since the 9th century . There are other places of worship at the site as well . neutral +He even winces in pain a couple of times , and in the climax lets out a grunt that takes the Bond girl ( the dire Denise Richards ) aback . His painful climax was enjoyable for the Bond girl . neutral +We needed to have a generic inquiry as opposed to addressing one aspect at a time , says David Mason , a Republican commissioner who attended the conference . Republican David Mason said that we should look at each aspect individually instead of having a generic inquiry contradictory +He watched the man pass . The man stayed still . contradictory +Petitioners contend , however , that most Title X cli Title X is of concern to the petitioners . entailment +and then uh you know with a long brush and then just hose it all down and i had the whole yard was full of soap suds I didn 't use anything but I hosed it down and it was full of acid bubbles . contradictory +This reduction was obtained through more accurate burden estimates and the elimination of certain requirements including time and temperature reports and personnel resumes of establishment employees . This reduction occurred through timing estimates . contradictory +But so far , only if the words are improperly pronounced . He gulped and looked gingerly over at the city below . Everything was fine as long as the words weren 't pronounced wrong . entailment +Even if we avoided killing people , we couldn 't repair every war-torn region . We killed a lot of people and repaired all war-torn regions . contradictory +During the summer festival season , children will be fascinated by the street theater , clowns , face painting , and temporary tattooing . The clowns and artists in the summer festival are volunteers . neutral +The first principle addresses the acceptance of this premise by senior executive management , and the second ensures that the CIO has the organizational legitimacy to execute his or her role . If senior management does not accept the principle , the project will fail . neutral +As these two populations interacted , a unique new culture was born . A new culture was born out of interaction between the two populations . entailment +The allegiance of this highly privileged and prestigious group was ensured by cementing their ethical principles in the code of bushido , the way of the warrior : loyalty to one 's master , defense of one 's status and honor , and fulfillment of all obligations . Every member of the group respected the way of the warrior . neutral +You 'll find various vessels for charter at the yachting carenage in Pointe-Pitre , at Fort-de-France , or across its bay at the Pointe-du-Bout marina , and at Saint-Martin 's Marigot . You can charter a ship for about $ 4000 a day . neutral +Editorialists conducted the usual food-scare calming the public and explaining that risk can never be eliminated , while decrying ad hoc government responses and demanding stricter laws . Parliament is increasingly relying on editorials to read the political room rather than as a source of ideas . neutral +'Ready for his Viagra ' ; ' The typical CBS viewer ' ; ' Next to Ariana , on my immediate left . There are many instances where the typical CBS viewer will tune out . neutral +But you can 't get there from here without someone paying twice--for the previous generation and the current one--or someone getting less ( or someone--i.e. It is going to cost , someone will get stiffed and payment will be taken out of the pockets of those alive now and those yet to be born . entailment +i 'm forget i cannot think of that word I can 't think of the word . entailment +When the Roman legions marched into England , they made their way steadily northward until they met with the might of the Scottish Picts . The Roman legions were conquered by the Scottish warriors . neutral +Additional federal requirements have been established for the protection of information that has been classified for national security purposes . Classified information is protected for national security purposes . neutral +Cynics suggested the government allows such tales to be disseminated in order to attract sympathy and foreign aid . Cynics believe the government allows certain stories to get into the public to attract sympathy . entailment +Clinton has faced an escalating series of serious accusations--serious in the sense that they were all plausible and some were true . None of the accusations against Clinton were implausible . entailment +Rebuilt around the site of Alexander 's city , it is once again a bustling port and industrial town , but almost no trace remains of its former glory . Although rebuilt , the town has yet to match its previous level of prestige . entailment +For Russia 's generals and politicians , victory simply means flying the Russian flag in downtown Grozny . There is no victory even if the Russian flag is flying in Grozny say Russian generals . contradictory +Corpses were everywhere , rebel and cop . There were rebels and cops . entailment +The trendy cafe crowd on Piazza Navona draw natural inspiration from Bernini 's grandiose 17th-century fountain . The Piazza was inspires by Disney . contradictory +a um college fund for them because it was just so important i said i don 't want them to go through what i went through We have about half of their education saved for right now . neutral +you know perhaps if we put money on the back burner that may that may choose to alleviate a lot of the problems i mean i mean we may not we may not have as high a standard of living but Money aside , people should care more about this ; if people cared more , we could do more . contradictory +But in the last election , roughly half of Florida 's Cuban-Americans voted for Clinton , double his 1992 share . 80 % of the Cuban-Americans in Florida voted for Clinton . contradictory +yeah it 's it 's the thing if if a business is taking a credit card they 're really they sacrificing something too it seems the credit card company makes money all the way around The credit card companies make money off the consumer and the businesses that accept credit cards . entailment +'I said go ahead , ' Lincoln repeated . He said not to go ahead with it . contradictory +We must remember that as CPAs , we get paid for our judgment , so let 's exercise it . It 's worth noting that CPAs are paid for their judgment . entailment +This new coalition planned to raise public awareness about the importance of financial literacy and saving and to help Americans develop the skills they need to take charge of their financial future . Americans showed little to no interest in learning to be financially literate . contradictory +At tonight 's Tulare County Water Works ' informational meeting , leaders will explain the rules . There will be many people in attendance for the Tulare County Water Works ' informational meeting . neutral +All right , so I lost my cool with those Hasid guys on Broadway who come right up to you and ask if you 're Jewish . Jewish people make up a majority of people on Broadway . neutral +Something ripped and splattered and blacked out in an unbearable welter of agony . Something ripped and was the cause of blacking out in a flurry of pain . entailment +Two blocks north , at 5th and Figueroa , the five cylindrical towers of glass at the Westin Bonaventure Hotel form the city 's most futuristic-looking skyscraper . The location two blocks north has been a place where many sci-fi movies have been filmed . neutral +They held sway over islands off the northern Greek coast , but the Phoenicians kept control of the main sea routes ; south of the area , trade continued as usual . The Phoenicians had control of the major sea routes but they allowed them to pass . contradictory +The bald man dropped the sword and drew a shorter one from a leather sheath on his belt . The bald man dropped his long sword , and drew a short sword from his sheath . entailment +right she could just as easily do those things by hand She cannot do those things by hand at all . contradictory +One Directors ' Path is Smooth While Another 's is Rough One has a smooth path while another has a more difficult path . entailment +That butler 's an old friend of mine I bet he knew who I was , though he didn 't let on . The butler and I have known each other for twenty years . neutral +The effort to convert won into dollars and other foreign currencies depressed the value of the won , despite the Korean government 's efforts to sustain it by using its reserves . The Korean government attempted to sustain its currency . neutral +there 's a lot of um-hum There are over three hundred . neutral +And a lack of perfusion fluid to prime the heart bypass machine had held up all his operations . Since there wasn 't perfusion fluid for the bypass machine , he hadn 't been able to have his operations on time . entailment +MLS 's major obstacles , however , are its ambivalence about itself and America 's ambivalence about soccer . There is a certain air of hesitation from the American people regarding soccer . entailment +The Passaic County office and its supporters see it differently . The Passaic County office sees it in the same way . contradictory +How do you feel , Dave Hanson ? " Dave considered it , still in wonder at the truth . Dave was still absorbing the reality of the truth . entailment +'I should think not , ' I cut him off . I let him keep talking . contradictory +The powerful Prussians came up with a plan to partition Poland , which gained the support of the Russians . Poland had suffered a heavy defeat against the Prussians . neutral +In 1986 Portugal joined the European Economic Com ? έunity ( now the European Union , or EU ) . Portugal joined the EU . entailment +He agrees that the computer played brilliantly , especially in Game 2 , but says that he was thrown off by the hostile atmosphere created by IBM . He thought the computer played like crap . contradictory +To see the city , you should walk , take a bus , subway or taxi , or rent a bike . The only way to see the city is to drive a rented car . contradictory +That is true of Cabinet secretaries as well as of taxi drivers . Cabinet secretaries and taxi drivers have this in common . entailment +Schiele is one of modernism 's more exotic honorable mentions , says the New York Times ' Holland Cotter . Schiele is an up and coming force in modernism . neutral +yeah but uh but some of these some of the uh i get a little disappointed sometime with with uh players now days compared with the old players it seems like most the players today are I prefer the old players to the newer ones . entailment +It was also the product of a coherent strategy for creating a more flexible , lower-cost workforce , a strategy that only worked because Cat was willing to endure a long strike and reduced profits ( at least $ 100 million in 1991-1992 ) in order to get what it wanted . Cat went out of business because of a long strike . contradictory +In any case--it 's over . " It is over . entailment +For an entity to run and control its operations , it must have relevant , reliable , and timely communications relating to internal as well as external events . In order for operations to be run and control they need relevant , reliable and quick communication for internal and external events . entailment +The mainland , one guessed . The mainland was the correct answer . neutral +to to pull their satellites away from them Push the satellites at them . contradictory +In the warren of grungy rooms beneath the dance floor--the celebrities ' sanctum sanctorum--the coke was consumed by the linear foot , and ( according to the author ) the odd European contessa could be found handcuffed to a water pipe , getting squired from the rear by one of the pretty shirtless busboys . The parties that would happen below the dance floor were always free of alcohol and drugs . contradictory +Your inquiry seeks clarification of INS ' compliance with the 60-day delay in the effective date of a major rule from the latter of the date of publication or receipt in Congress required by section 801 ( a ) ( 3 ) of title 5 of the United States Code . Major rules can not be instated until 60 days after publication or receipt in Congress . entailment +But what does it mean ? I 'm trying to figure out its meaning . entailment +His name , SCOTTY , would be in green letters beneath the planet . SCOTTY appeared below the drawing of Jupiter . neutral +To date , six of the seven local offices have given the plan a preliminary thumbs-up . Three local offices have vetoed the plan . contradictory +Pokhara , on Phewa Lake , has the best views for the least expended energy of any location in Nepal . Pokhara , on Phewa Lake can be reached fairly easily . neutral +Head down to the right to the Treasury , whose chief attractions are the famous golden Topkape Dagger , with three huge emeralds set in the hilt , and a fourth forming the lid of a watch hidden in the handle ; and The Spoonmaker 's Diamond , an 86-carat , pear-shaped diamond set in a gold mount encrusted with 49 smaller diamonds . The main diamond alone is worth millions of dollars . neutral +Exhibit 4 Human Health Effects of Air Pollutants The Fourth Exhibit entailment +Wishes Shovel Best Jeremy wished the shovel its best . neutral +oh i bet they were that 's right we use a lot we sure do yeah one nice thing with onions and and bell peppers at least you can chop them and freeze them if you have you know too many You need to use any bell peppers or onions as soon as possible . contradictory +No unreasonable offer refused if pay is good . ' I won 't turn down an offer of $ 500 . neutral +i see yeah i i like the uh uh i guess if i had to pick a favorite team i 'd i anymore uh well as i kind of grew up rooting for Philadelphia If I had to pick a team , it 'd be Philadelphia . entailment +No one has suggested that Reno has a financial or personal stake in the latest scandal . It was suggested in previous scandals that Reno had a personal stake . neutral +The winstubs of its old neighborhoods are gathering places for university students whose predecessors include Goethe . The students have a wonderful time hanging out threre . neutral +Risk identification methods may include qualitative and quantitative ranking activities , management conferences , forecasting and strategic planning , and consideration of findings from audits and other assessments . Analysis of findings from audits and strategic planning are just two possible components of risk identification methods . entailment +It 's a good idea to take a jersey ( sweater ) and something to drink . You won 't need to take a sweater or liquids to drink with you . contradictory +Such self-referential questions can be pointless and irritating , and books that dwell on them generally belong in a category that one friend of mine calls art about art supplies . A friend of mine enjoys reading a lot of books with self-referential questions . contradictory +Swelling the ranks of American vacationers are trendy young Frenchmen from the m ? ? tropole . Young women from France are also joining the American vacationers . neutral +In May 2000 , the Bureau of National Affairs reported the results of a 1999 survey of about 1,800 companies on their business travel policies . Only about 1,700 companies were surveyed by the Bureau of National Affairs . contradictory +LSC attorneys have requested and received court continuances , special provisions , and discovery orders based on representations to the court and to the opposing party that the client would be out of the country when the hearing or deposition was scheduled . Special provisions , court continuances and discovery orders have all been requested and received by the LSC attorneys . entailment +well we haven 't really heard that much in the news lately about uh US involvement in Latin America since uh all this Middle East crisis began so i haven 't really paid that much attention like since The Middle East has distracted us from Latin America reports . entailment +4Guidance for carrying out reviews of general and application controls is provided in the There is guidance provided for reviewing controls . entailment +let 's see how about uh Man From Uncle Man From UNCLE ? No way . contradictory +no if they going to give it to them i think they should go ahead you know okay maybe a year or you know like that two years whatever but twenty years ten years on death to me that 's worse for them too They should just give them the death penalty if they say they 're going to give it to them . neutral +then and she laughed and she said well you know when i was a teenager that had been you know some years before she said that was a version of you know a song then and she said it 's very similar but they 've changed a little bit she said i like the original version better well they did it again about two or three years ago and i laughed again i said oh no here we are We both laughed and talked about our teenage years . entailment +Further south , Byzantine columns and Corinthian capitals found in situ were re-installed to give visitors an idea of how the original Cardo looked . Byzantine columns and Corinthian capitals are beautiful pieces . neutral +The Bairro Alto ( Upper City ) is a hilly area full of evocative houses decorated with wrought-iron balconies usually occupied by birdcages and flowerpots . The Upper City is hilly and has beautiful homes . entailment +The square was deserted . The square was full of people . contradictory +The museum 's focal point is the Enthroned Madonna ( 1308 ) by local wonder boy Duccio di Buoninsegna . The Enthoned Madonna has been transported to three different museums . neutral +They invented the cancan here in 1845 in a local dance hall , and in the 1920s , the quarter took over from Montmartre as the stamping ground of the city 's artistic colony , led by Picasso . The cancan was invented here , and the quarter next to it was the location of the artist colony . entailment +The Pont de Normandie , only 2 km from Honfleur , is an elegant new bridge spanning the mouth of the Seine , and giving quick access to the port of Le Havre . There is no quick way to the port of Le HAvre . contradictory +The youngster has done no harm . There was no harm done by the youngster . entailment +Would Clinton sign it again ? Clinton signed it once and regretted it . neutral +We are also matching that era 's frenzied pace of Twenty-six of Major League Baseball 's 32 franchises occupy a park that is less than 10 years old ; has been , or will be , extensively remodeled ; or hope to move into a new one soon . Every baseball team has a brand new stadium . contradictory +The Emperors ' Gallery includes busts and statues of Julius Caesar , Augustus , Claudius , and Caracalla . Likenesses of Julius Caesar , Augustus , Claudius , and Caracalla can be found in the Emperor 's Gallery . entailment +It 's probably safe to say Clinton 's real feelings for Lewinsky actually go in another direction ; see the Anne Boleyn theory , above . ) Clinton has alternate feelings for Lewinsky . entailment +But there 's no doubt he can throw light on one or two obscure points in young Beresford 's letter . Beresford is dead and so he can 't explain this himself . neutral +you mean in a year 's time or what Do you mean in a year 's time ? entailment +Attribution of injury to alcohol involvement in young adults seriously injured in alcohol-related motor vehicle crashes . Alcohol-related injuries never happen to young people . contradictory +well i have noticed a lot uh more women 's roles at work which i like in management which that 's good i i guess to have a woman 's viewpoints and uh in a way things are handled at work especially in personnel type jobs which i think is probably better on the hand of women for uh any kind of maternity benefits and stuff like that women probably understand that better than the men do so i think that 's good I don 't think women 's viewpoints should be taken seriously in workplaces . contradictory +I guess that won 't take a minute , drawled Julius . Julius was hoping to put everyone at ease with his drawl . neutral +Europe 's tallest volcano is still very active , as you 'll see from the tell-tale yellow sulphur stains of mini-eruptions as you approach the crater , where the lava beneath your feet is still warm . Europe 's tallest volcano is not at all active anymore . contradictory +If every lawyer in the state of Texas was doing pro bono work , then that still wouldn 't be enough , he said . There would not be enough pro bono lawyers even if every lawyer in Texas did some pro bono work . entailment +i mean if a guy screws up you got to say okay you screwed up what do we do now and move on If a guy makes a mistake , you should yell at him and make him fix his mistake . contradictory +Too bad for the kids who will be taught this partisan line It 's upsetting children will be taught these partisan politics . entailment +How , I wonder . " There was nothing to think about . contradictory +Looking for census / polling data ? Is this search intended to find polling or census data for the last year ? neutral +The leading semi-official daily Al Ahram said in an editorial Wednesday that the attacks some Iraqi officials had made on the Egyptian leadership will not deter Cairo from standing by the Iraqi people and trying to prevent further U.S. military action . The Iraqi people want more US involvement . contradictory +At 4.30 , Mrs. Inglethorp , in consequence of a conversation on the validity of wills , makes a will in favour of her husband , which the two gardeners witness . Mrs.Inglethorp 's creation of a will was witnessed by five maids . contradictory +not really and he needs to but uh he 's a CPA so at the moment he 's snowed under until after tax season but i 'm definitely going to get him back on something because he has a few He has too much work to do . entailment +My high-speed modem is mine , so your intellectual property must be mine too . Because you used my resources , including my modem , to publish your intellectual property , it is mine . neutral +General and application control over computer systems are interrelated . Both general and application controls are needed over computer systems . entailment +yeah Malaysia but of course uh it 's also true in Great Britain Its true in great Britain and Malaysia . entailment +Some others , less orthodox , can be found in Mumbai , but most emigrated to Israel when it was founded in the year 1948 . Others have moved to Israel in 1948 . entailment +Even if cross-selling makes sense , though , it 's not clear why Citicorp and Travelers had to merge . Citicorp rejected Travelers offer to merge . contradictory +Wilshire Boulevard began as an Indian trail connecting the downtown area with the La Brea tar pits and later was developed as an upscale shopping and business district . The first purpose of Wilshire Boulevard was to host the administrative buildings . contradictory +Dew tried to mount her , but she bucked away . She got away when Dew tried to ride her . entailment +well people who tend to be say on death row they i think they 're kept in isolation all the time i don 't believe that they 're given a chance to uh do anything productive or even uh mix with the rest of the prison community People on death row get to hang out with people . contradictory +you know i don 't know a pint or two pints or whatever of a wanton soup for like twelve fifty I don 't know how much soup you get for $ 12.50 . entailment +O 'Connell Street is a grand boulevard with a wide central island , studded with monuments and statues . O 'Connell street is nothing but some factories . contradictory +uh at North Hampton right Yes , at North Hampton , you are right . entailment +I told them , You guys don 't make enough money , ' he said . " you make enough money , " he said . contradictory +okay well um we lived i grew up in San Antonio and i was used to the heat and i was used to what couldn 't grow I grew up in San Antonio and im use to the heat . entailment +That means that if you 're smart and creative , and you figure out a better way to reduce emissions , you get rewarded by making those reductions and selling unneeded allowances in the market . You can get rewarded if you 're smart , creative and figure out a better way to reduce emissions , said the teacher . neutral +Death and life insurance are not the stuff that daydreams are made of . Death and life insurance are definitely something one usually looks for . contradictory +Migrants from Africa stop to rest in the Balearics , and some stay for the summer . African migrants stay only very briefly in the Balearics . contradictory +Bolstered by a new influx of immigrants to meet the rubber and tin booms of the 1920s , non-Malays now slightly outnumbered the indigenous population . The population of Malays to non-Malays was equal , and all the work was shared . contradictory +it was that bad huh oh was it It was really , really good ! contradictory +This week , he declared all-out war between Starr and the Clinton camp . He said there was a war going on between Clinton and Starr . entailment +Their history has been a constant quest for national a conflict between strong regional loyalties and central authority . Their history is a constant quest for national conflict between central authority and regional loyalty . entailment +Henry Morgan was chief among the pirate leaders . The pirate leaders had no chief among them . contradictory +I began this column with the provocative thesis that software isn 't anywhere near bloated enough . Software has reached its saturation point . contradictory +so i think we or sounds like we pretty much agree It sounds like we agree about the start time . neutral +I collected my remaining meager possessions from the shack and we left . I entered the shack with the all of my possessions . contradictory +And more than anywhere else in the country , Tuscany and neighboring land-locked Umbria present the ideal green Italian landscape , dotted with stalwart hilltop towns , where cypress-tree sentinels watch over groves of twisted olive groves and vineyards blanket the gentle rolling hills . Umbria is right on the ocean . contradictory +Overcoming skepticism about the need for yet another Holocaust memorial , reviewers express mainly admiration . Some people aren 't sure another Mt St Helen memorial is needed . contradictory +They are shown increasing to 5a at a presort volume of 30 billion and then increasing more slowly . The rise to 30 billion is quite rapid . neutral +Who should do interventions in the ED ? Who shouldn 't do ED interventions contradictory +you know put seventy or ninety pounds on their back and go hiking uh but uh it can be a lot of fun Backpacks are really light and makes the trip terrible . contradictory +But if some candidates tower over others , the analogy breaks down . So when some nominees seem heads and tails above the others in the the race , the similarity becomes suspect . neutral +but um he and but the irony irony is that i 've been overweight all my life and he uh he almost discouraged my brother and i from getting involved in athletics um because he felt that we needed to concentrate on on other things more important things in life uh but now and and he 's still into athletics in fact he 's eighty two and he is in the senior olympics every year and he always brings home silver and gold medals and he competes against people uh as much as thirty years younger than he is He advised my brother and I to focus on other things besides athletics . entailment +Table 2 , line 3 shows that in FY 2000 , outbound mail had a contribution to institutional costs of $ 456 million . Outbound mail adds $ 456 million to institutional costs . entailment +i do want to go again we just moved to a new house into a house so i don 't see camping maybe in the backyard but i don 't see going on a camping trip probably till next summer We just moved so we won 't go on a camping trip again until next summer . entailment +9 . There is also a need for health services research to examine technology transfer and explore ways to disseminate research findings to emergency settings of differing size and complexity . Health services research will help make safer places which require the immediate access of information . neutral +Now we 're ready . We weren 't ever ready until now . neutral +I was somewhat lazy in procuring a gift , and in the intervening time my friend has got a divorce and is soon to be remarried . By the time I bought a present , my friend got divorced and engaged again . entailment +However , greater than 90 percent fertilization may result in masking toxic responses . Greater than 90 percent fertilization often means instant death . contradictory +The moment I entered the clone chamber , strange memories assailed me . Immediately upon stepping into the apparatus memories I did not recognize assaulted me . entailment +and they never told us why these two people had such a vendetta against each other and the crime was uh uh attempt to commit murder you know and I was really curious about the history of the two people . neutral +The New York Stock Exchange is moving to adopt certain changes in its listing requirements relating to governance matters The New York Stock Exchange is moving to adopt certain changes entailment +And that seems pretty shabby no matter what , exactly , happened in that hotel room--shabbier than anything Clarence Thomas was ever even accused of doing by Anita Hill . Anita Hill never accused anyone of doing anything in the hotel room . contradictory +It 's raining in Maryland this Chalk this one up for Sauerbrey . It 's so hot in Maryland . contradictory +well they they should work their way they you know they should should be able to work their self out of it or you know why why why intervene in another country 's you know problems and things like that why why should we be the ones that have to do it and things like that but i think just a lot of times if we don 't then then it will then that influence will affect our country too for one and for two you know that it does help i mean you know i think the people in those countries do want our help the people that are you know under conditions that are you know not favorable to this their rights I don 't think we need to concern ourselves with the troubles of other entities ; they should be able to work it out for themselves . entailment +and uh you know you don 't hear a lot of angry words i 'll you know be nice and uh you know it 's going out to have fun You will feel really bad and never want to go again contradictory +Follow the stairs at the right of the entrance to the room where the Virgin Mary slept . The room is small and quaint , but feels powerful . neutral +The West tolerates Russia 's atrocities because it has no choice and because it is better for Russia to take out its aggression on its own citizens than to go adventuring abroad . The West does not meddle in Russia 's atrocities . entailment +yeah that that is pretty unusual and you really take notice of it too uh That is odd , and you can easily notice it . entailment +This time , they were looking for a candidate who knew how to speak the language of love . A candidate who could speak the language of love would make people open their hearts to him . neutral +it 's just you know things like that that you know i don 't think those women or even a man because a man they had a woman man that his wife shot him but he didn 't die Because women often shoot their husbands I think all women should be shot . contradictory +A graduate of New England School of Law , Levesh , 47 , has been a staff attorney for legal service organizations for 16 years . Levesh never graduated from law school , but he is hoping he can become a staff attorney in future . contradictory +The National Diamond Centres in Netanya.09-862 4770 ) as well as Jerusalem.02-673 3770 ) will pick you up from your hotel and give you a free tour of the workshops , where they will offer a wide choice of goods to select from and expert advice on what you may want to buy . You will not get any help if you decide to buy diamonds in Netanya or Jerusalem . contradictory +I can 't believe she 's really one of them , sir . Sir , I knew all along that she was really one of them . contradictory +The optimistic The reforms will improve public perception of the IOC . Some feel the reforms will improve the public and private perception of the IOC . neutral +But it is a shame , in an age of blockbuster publishing , that Lukas ' editors either did not or could not prevail upon him to lighten up , on himself and on his audience . Lukas won out over the objections of his editor and his book remains stern and inaccessible . neutral +He is el chivato the young billy goat that one . She is the young billy goat contradictory +Tommy and Julius watched it out of sight , and then turned to the narrow path . Tommy and Julius watched it go away . entailment +Youth , Doctor , youth ! " I told them it was old age . contradictory +Paul Gigot and Mark Shields ( both of PBS 's NewsHour With Jim Lehrer ) say that the poll doesn 't The campaign-finance issue is merely a prop for McCain 's better selling points--his biography and his character . Mark Shields and Paul Gigot are involved in PBS 's NewHour with Jim Lehrer . entailment +Since these rules are being issued as interim rules and were not previously published through a notice of proposed rulemaking , the Departments were not required to prepare an initial or final regulatory flexibility analysis under the act . The rules are being issued in the interim until the final rules are approved by the EPA . neutral +what did you like to do most What did you hate to eat most ? contradictory +We synthesized and analyzed the numerous documents acquired from our literature search and case study organizations to determine the objectives essential for organizations to improve their financial management . The objectives were based on solely on our opinion . contradictory +B ritish biographers can usually be counted on to boil things down for us , but Gibson swamps us with as much boring detail as an American biographer . Gibson is a German reporter . contradictory +uh-huh well you kind of know what it 's like then Well you don 't know what that 's like then . contradictory +A risk-neutral person would choose B in all three cases . Risk neutral people are great . neutral +when i 'm approving and then it 's uh When I am showing approval of something then its uh . entailment +The mountainous island of Lantau is the biggest in the colony , and covers nearly twice the area of Hong Kong Island . The island of Lantau cannot be referred to as mountainous . contradictory +Technology is only just beginning to let us search the skies for the telltale clues another civilization might offer . Technology allows us to search the skies for clues of other life . entailment +I dared trust nobody . I would not trust anyone . entailment +The VSL applied in this analysis is then built up from that VSLY by taking the present value of the stream of life years , again assuming a 3 percent discount rate . The discount rate is more than 10 percent . contradictory +Simple wills cost $ 75 apiece . Simple wills are free of charge contradictory +yeah we are a little lucky well my brother lives ten miles from here and he gets frost and his crop gets killed We are lucky that our crops don 't get affected by the frost . neutral +This is a Roman Catholic guest house , but it is open to everyone . You have to be Roman Catholic to stay there . contradictory +Safe and healthy work environment Provide a safe , healthy work environment . A safe and healthy work environment is paramount to the workplace . neutral +As noted , the REIMS II data was separated by letters , flats , and small packets . Data was separated into three different categories . entailment +it is very much so it 's a billion dollar problem you know every year uh our company had it doesn 't apply to me thank goodness it applies to you know to the younger employees that they 're having to pick up you know more of the uh health insurance cost you know themselves the deductibles are going up and the co-payments are going up Younger employees will choose not to have health insurance to save money . neutral +What am I going to say ? What am I supposed to say ? entailment +Clinton has no such out . There is no out for Clinton . entailment +This is one of those tricky SAT math questions , right ? This contains math problems , doesn 't it ? entailment +Confound those detectives ! I was glad the detectives were nearby . contradictory +Its main claim to fame is that it contains the world 's largest hand-made carpet ( guided tours only , 9 : 30 a.m. 5 : 00 p.m. , closed Monday and Thursday ) . It has the world 's largest hand made carpet , but it 's closed on Monday and Tuesday . entailment +The legend says General Abercromby heard the church bells tolling , saw the lights , mistakenly deduced that Spanish reinforcements had arrived , and fled . They say that General Abercromby heard noise from the church . entailment +In the Baptism of Christ ( 1470 ) of Verrocchio , you can see the earliest identified work of his most famous pupil , Leonardo da Vinci the background landscape and the angel on the left , beautiful enough to reduce his companion angel to wide-eyed jealousy . Verrocchio worked on a painting called the Baptism of Christ in 1470 . entailment +The organization is committed to the vision that all Texans will have equal access to justice , regardless of their income . The organizations believes all Texans are owed justice . entailment +Anti-tobacconists insist that nicotine 's addictive powers explain it all . Those who are against tobacco , believe that nicotine is not the problem . contradictory +We thronged round her , powerless to help or alleviate . We jumped , unable to help . entailment +Finally , the Commission rejected the alternative of exempting small entities from the proposed rules and amendments . The commission wouldn 't exempt small entities from the proposals . entailment +Close 's work from the ' 80s and the ' 90s loses something of his earlier provocativeness . Close 's work loses the provocativeness as a response to changing demands of the consumers . neutral +When Johnson died in 1968 , of natural causes , Jimmy Breslin wrote a column , calling him a Robin Hood of Harlem . Johnson died from natural causes . entailment +yes on the grain of the fabric it drives me crazy The grain direction on the silk drives me nuts . neutral +Would Shuger ever have Why did Irving Goldberg play ' Sol Bernstein ' ? I wonder why Irvin Goldberg played ' Sol Bernstein ' . entailment +Still ” I do not see ” I began . This makes no sense to me . neutral +She 's some pace-maker , I can tell you , said Julius complacently . Julius is not the type of person who sets the pace . neutral +Nowhere in the book does Hatfield warn the reader that he has altered details or created composite characters to protect his sources . Hatfield did not warn the reader of altered details entailment +Also on show is one incongruous exhibit left by the Royal Air a bronze bust of the German Kaiser Wilhelm II . There 's a bust of Kaiser Wilhelm II at he exhibit , people come around to mock him . neutral +A day 's itinerary is often confounded , as shops , offices , mosques , and museums are closed for religious or patriotic festivals , prayers , traditions , or a summer afternoon 's siesta . A day 's itinerary can be affected by religious holidays or patriotic traditions . entailment +Sweat that sour temper and whisky out of him . He had a sour temper . entailment +yes i 'm in San Antonio Yes , I live in San Antonio . entailment +all around these vacant buildings there 's a lot of vacant buildings and they 're just being demolished The vacant buildings are sad . neutral +In the New Territories the famous MacLehose Trail stretches 97 km ( 60 miles ) from Sai Kung Peninsula to Tuen Mun . The New Territories are devoid of hiking trails . contradictory +While Hong Kong remained a relative backwater in early days , nearby Guangzhou ( Canton ) was developing into a great trading city with connections in India and the Middle East . Guangzhou is a small town that achieves little to no trade annually . contradictory +yeah i went i went uh i got in a wreck recently and uh well i didn 't do much damage to my car but i did some pretty heavy duty damage to the other car i have a plastic bumper There is a plastic bumper on my car . entailment +Do you really think so ? I could not disguise my pleasure . I would be absolutely dismayed . contradictory +What had induced the deceased to make a fresh will , with the old one still extant , he could not say . He knew exactly what had compelled the deceased to make a new will . contradictory +First , they strive to provide candid and constructive feedback to help individual employees maximize their contribution and potential in understanding and realizing the goals and objectives of the agency . Candid feedback can help individual employees maximize their potential . entailment +and there 's other places but like you said the the food doesn 't matter it 's you have such a good time there I woyks rather have good food than fun . contradictory +Auditors should use indicators appropriate to the project under review and for which data are available . Auditors are too lazy to use indicators appropriate to the project being looked at . neutral +A list of our previous reports and testimonies on information security is provided at the end of this guide . No list of testimonies or reports is given contradictory +In the evening , a dramatic sound-and-light show is held under the stars in the courtyard . A sound-and-light show is held in the evening in the courtyard . entailment +He recognized a Christian duty to charity but was gripped by a fear that his charity would be wasted , thereby incriminating him in sin . All Christians have a duty to give to charity . neutral +oh really i have a standard I have a standard entailment +so i 'm hoping maybe they 'll draft a good quarterback this year i don 't know who they 're gonna get but i hope I couldn 't care less about football . contradictory +you know yeah but they they would have only been about twenty dollars a month higher They agreed because they would be able to pay half as much every month . contradictory +No , because this is something that 's private . Sure , this isn 't something I wish to keep private . contradictory +uh i think the my greatest complaint about news programs is programs like Sixty Minutes do you watch that I have a problem with the news program sixty minutes entailment +Specific techniques for handling multisite data sets Matrix of categories , graphic data displays , tabulating frequency of different events , developing complex tabulations to check for relationships , and ordering information chronologically for time series analysis The techniques for developing tabulations to check for relationships are more developed and mapped out than those for ordering information chronologically for time series analysis , and we hope for you to explore and develop the techniques for the second . neutral +Besides sheltering the most vulnerable of the cathedral 's statuary and some stained-glass windows from the earlier 12th-century Romanesque building , the museum has a fine collection of Alsatian medieval painting by Konrad Witz , Martin Schongauer , and Hans Baldung Grien . There are windows from a 12th-century building in the museum . entailment +it 's it 's it 's you you know it 's it 's gotten to be a two income family to just survive today between taxes and the cost of living and i don 't think raises have kept up with you know a lot of the stuff uh you know as far as your medical insurance and uh just groceries and gasoline and all this you know Most two income families are better off than those who are not . neutral +Pretty serious perjury time [ looks at his watch ] . He has not looked at his watch since he bought it . contradictory +Filing Comments Electronically They file rules electronically . contradictory +we just we haven 't lived here too long we went there couple weeks ago We have plans to go again tomorrow . neutral +and then another young fellow had to meet with the judge and the prosecutor and the defense attorneys on three different occasions before he was finally excused from the jury because his wife was about to have twins and they had he had to go through all of that if in three days to get excused from that jury to be with his wife on the birth of the twins and uh you know some of it just seemed rather extreme The man was excused from the jury after meeting with the judge . entailment +What pissed me off personally was charging 10 bucks for the wiener dog , she stated , emphatically . The hot dog cost $ 2 . contradictory +well if you work for TI you 're supposed to get a prize is what i heard and if you don 't work for them you 're supposed to get cash but then on the letter it says cash or prize I heard if you work for TI you get a prize and if you don 't , you get cash , or a check . neutral +It says the point of this odyssey isn 't revenge but regret--for irredeemably blown chances and a tragic waste of love . There was no regret or any blown chances at love . contradictory +and so usually we go to we don 't go to the tourist ones we go to the ones that they tell us to go to you know We don 't like the tourist ones . neutral +3 ) Coming from India and Pakistan , that 's nothing to sneeze at . From India and Pakistan , there is nothing to sneeze at . entailment +Reich appears to have fabricated much of this episode for dramatic effect . Surprisingly , Reich didn 't have to fabricate the episode to achieve that dramatic effect . contradictory +Moreover , the volume of business advertising mail ( i.e. No business advertisements available by mail contradictory +you know we we 've got folks running around here who get who get degrees in basket weaving and It is amazing the range of things that are taught in schools . neutral +Paul Samuelson had good reasons for beginning his textbook with Keynesian analysis . Paul had good reason for the Keynesian analysis in his textbook . entailment +but he 's still running things He 's recently retired from the position . contradictory +Downtown L. A. ' s noted Children 's Museum is closed pending the construction of two new sites , one in the San Fernando Valley , opening in 2004 , and one in Little Tokyo , opening in 2005 . LA is closing their children 's museum . entailment +The Cairo Opera House opened in 1988 , a gift from the Japanese government . The Japanese government gifted the opera house as a thank-you . neutral +exactly and i think that 's you know a North Dallas type attitude I think that 's a North Dallas attitude . entailment +Program staff from the Office of Information Management reviewed Case Service Reports ( CSR ) for 1991 through 2000 to discern trends in the types and numbers of cases closed by grantees . The OIM reviewed the reports to find trends in the types and numbers of probono cases . neutral +825 GHz for use by a new category of unlicensed equipment called Unlicensed National Information Infrastructure ( U-NII ) devices . Unlicensed National Infrastructure ( U-NII ) devices represent a new category of equipment that isn 't licensed . entailment +so that was pretty well that was lovely entailment +When you arrived , young lady , I was just packing up my traps . The young lady brought me the rest of what I needed to pack . neutral +Eventually , Roberts gave up . Roberts never gave up . contradictory +yeah i meant to ask him the last time i was talking with him if uh if there are any circumstances under which they suspend the normal paperwork for just even a minor wreck because uh numerous times there there have been just a two car or three car incident and he starts his paperwork when you know he 's gets there and then by the time they all cleared out and gone he 's still sitting there doing paperwork on this deal and i said wonder what those California officers do when they have those you know twenty and thirty car pileups on the highway if it 'd take a officers uh you know whole army of officers just to do the paperwork I meant to ask him last time if they suspend paperwork for even minor wrecks . entailment +For the 40 volume Schomburg Library of Nineteenth-Century Black Women Writers he edited , he appointed others to put together the books and write their introductions . Schomburg Library of Nineteenth-Century Black Women Writers has fifty volumes . contradictory +i like that I hate that . contradictory +But in this case , I guess , videotape speaks louder than words . Here , words could easily contradict video footage . neutral +Though described as only modestly talented , Kim 's daughter also performed with the Melbourne Symphony in 1990 when that city was chasing the Olympics , and with the Utah Symphony in ' 95 . Kim 's daughter played in various symphonies . entailment +when they come out uh-huh that what the look like but they only bloom for one day They only bloom for 24 hours . entailment +The Carthaginians originally came from the area comprising present-day Lebanon , and from their bases in North Africa and what 's now Spain , they challenged the Roman Empire for domination of the Mediterranean region . The Carthaginians had bases in different areas , and fought Roman forces for domination . entailment +are laughing at us saying if we make it thsese [ sic ] stupid ass Niggaz Will Buy it . They say at us laughing that if we make it , stupid people will buy it . entailment +That 's common enough . That is expected . entailment +This requires establishing a supplier base and purchasing materials . Establishing a supplier and buying materials are required . entailment +yeah i they need to have more checks and balances in their government to get rid of the corruption but i think first though i don 't know they need to i think turn these people in the repentance on the leadership of the different nations for all their uh you know the atrocities that they 've commit and the drug dealings and in the just in the drug crimes because i feel like a lot of the leadership of those nations are so engrossed in the drug crimes that until they repent or they 're moved from power that you know but there are so many of them that the next one to come up if you just knock one off you going to have another one and i know a lot of those nations there 's uh Brazil i know is like forty percent evangelical Christian not just go to church but you know really on fire for God and they 're just surpassing America Latin America by the drugs you know it 's just incomprehensible and uh so i just think that i think that God 's going to honor that and that he 's going to put in some good leadership and i know the president of i believe Costa Rica is a Christian and he goes to no Guatemala because he goes to Virgo Church in Guatemala City our church is in real close relationship with him and he is a former president of Guatemala he 's an elder at Virgo Church and you know that that God is doing something he is raising up some leaders and the people want him back as president bad but they have a rule in Guatemala that he can 't have another term so they 're the people are trying to override that i mean not just the Christians but all the people because they see when a righteous man is in authority the people rejoice so yeah I have faith that God will see that good leadership will rise to power in South America . entailment +You 're too weak to control the salamander , but this was done well in the emergency . You should have been able to control the salamander , and you handled the situation poorly . contradictory +If the Senate refuses to hold a confirmation hearing , he will continue in that acting job till the end of Clinton 's presidency . He 's going to continue if the Senate refuses to hold a confirmation hearing , said the news . neutral +We can find ways to return you to your own world intact . There is no way you can save the world . contradictory +It 's about sex . Sex is what it concerns . entailment +Jon glanced at Adrin and saw his pale face . Adrin was in perfectly good health , was tanned by the sun , and was not afraid , so he was not pale . contradictory +The labor force projection reflects the OASDI Trustees ' 2001 intermediate assumptions , including those for fertility , immigration , and labor force participation . The labor force projections have statistical analyses of the AOSDI assumptions . neutral +The mortgage broker put her age at 67 . Her birthday was coming up soon . neutral +She giggled and he smiled back . They didn 't interact with each other . contradictory +The joint venture has really begun . " The joint venture just started for real . entailment +That would be like the untrained 6-year-old who gets daddy 's Glock down from the closet shelf , or the drunk boyfriend who gets out his old service revolver and goes over to ex-girlfriend 's house , or your convicted-felon neighborhood drug dealer who bought his streetsweeper from a guy who , it turns out , bought three dozen of them at a gun show . Guns are easy for many to gain access to . entailment +But this new housing was grimly overcrowded , and even a frenzy of construction couldn 't keep pace with the demand for living space . The housing had only 2 people in it . contradictory +My cousin just rode in ; he lost his gear on the road and needs a new outfit complete . " Stein nodded , patted smooth the top shirt on a growing pile . After having lost his gear on the road , my cousin rode in . entailment +i think if anybody has a doubt you need to yeah i do feel that yes i really do I think you should do it so that any doubt is removed . entailment +so it 's one of those things that they really um and you wonder you know with all these oil spills oil spills can make you wonder if we can ever really clean up the damage neutral +While in college , they honed their skills playing regular volleyball--not a sport that pays its own way on campus . They played volleyball when they were in college . entailment +that 's odd . that 's strange , but also wonderful . neutral +For fiscal year 2001 , $ 25 million was appropriated for the IDA demonstration . The IDA demonstration received $ 25 million in 2001 . entailment +Susan replied just when Jon thought she had not or could not hear him . Jon was started by Susan 's response . neutral +The preamble to the proposed rule stated that the entities that would be required to comply with the rule are public utilities and transmitting utilities that do not fall within the Regulatory Flexibility Act 's definition of small entity . There was no rule that was being proposed . contradictory +Call him Red . Call him Blue . contradictory +Cavendish , as requested . Cavendish wasn 't requested . contradictory +His technique is based on standing back--maintaining a fixed distance--while his subjects hang themselves , and for a while that works stunningly . He jumped in to protect his villagers . contradictory +From time to time , he frowned , as if the sight of the sky was making him wonder . He frowned every few seconds or so , deep in thought . neutral +This augments future income , although a portion of the income generated by the investment will be paid to foreign lenders . Future income will be paid to foreign lenders entailment +the uh the automotive industry is in dire needs of something in this in this country and it 's too bad uh the Toyota we bought i i bought second hand i did not buy it new uh I only always buy second had vehicles . neutral +right see i think that 's exactly right you know if if you 're uh if you 're dressed in a uh a suit and uh to me it make it helps me feel uh sort of like you were saying a lot more confident in myself I 'm much more confident when I don 't wear a suit . contradictory +Did Simova never mention that the family was Jewish , when living with the Korbels or during subsequent sporadic communications ? Simova said something about the family being Jewish . contradictory +frequently as a dumbhead to get to the mainframe and and there i tend on almost all of my editing and stuff to to be using some fairly powerful I never do anything on our mainframe . contradictory +Suppose , he says , that someone was willing to lend you a trillion dollars to invest as you like . Imagine someone would lend you a large sum of money to invest . entailment +Finally , the Commission solicited comments on the alternative methods of assessing the regulatory fees discussed in the proposed rule in compliance with section 603 ( c ) . The public comment period was a month long . neutral +The resident monks still offer mass sung in Gregorian chant every Sunday . Many people attend the mass . neutral +Thaipusam is the Hindu festival for Lord Murugan , celebrated with a procession of penitents seeking absolution at his shrine . Thapusam is a muslim festival that excludes Hindus . contradictory +well i think it 's a very very complicated and i sort of i see perspectives on all sides uh and i 've really It 's a really simple issue but I can only see one side of the issue . contradictory +uh-huh yeah i see my father relating much better to the grandchildren than he did to us My dad wants nothing to do with the grandkids contradictory +In fact , some impotence researchers assert that the success rates of prostaglandin may not be much better than the success rates of placebos . Placebos have a much lower success rate than does prostaglandin . contradictory +Istanbul 's markets and bazaars offer some of the world 's most interesting and challenging opportunities for shopping . I love shopping for clothes at Istanbuls ' markets . neutral +Japan 's austere , ruthless , but statesmanlike new ruler , Yoritomo Minamoto , set up his government in Kamakura ( just south of modern Tokyo ) , well away from the softening influence of court life that had been the undoing of his predecessor , Kiyomori . Yoritomo Minamoto ruled for several decades after he took power . neutral +It was refurbished in the Victorian era but rendered useless by succeeding Nile dams . It was repaired but ultimately became useless . entailment +right i don 't remember his name um I don 't remember if his name is Jim or John . neutral +LSC has made every effort to ensure that the congressional restrictions placed on grantees are strictly observed , Erlenborn said . They lost the grant competition for not following the rules . contradictory +Presumably his place was taken by another juror who really believes that the police arrest people completely at random . ) Presumably he had his place taken by a juror who believes police arrest people randomly . entailment +That might work . That may work . entailment +The most devastating rebuttal is from the chemist in charge of the Auschwitz analysis , who explains that the gas wouldn 't have penetrated more than 10 microns into the wall ( a human hair is 100 microns thick ) , so by crushing the samples ( standard procedure ) , he had effectively diluted the cyanide 100,000 times . The chemist crushed the samples and diluted the cyanide 500,000 times . contradictory +I am absolutely certain that it would be a woman , and a good-looking one , replied Tuppence calmly . Tuppence thought that the man would be attractive . contradictory +but that takes too much planning That takes too much planning . entailment +The Kal sat back and covered himself behind his fallen horse . Kal covered himself with his fallen donkey . contradictory +That there Shiloh colt o ' yours , an ' this here lady hoss , an ' that old mule ... anyone can see as how they 's always been handled nice an ' easy . Anyone can see how cruelly you have been treating your animals . contradictory +But even as it lost focus in its sales efforts at home , it lost focus abroad . It was a complete catastrophe , both in the country , and beyond the borders . neutral +In a Rose Garden appearance Wednesday , Clinton charged that Republicans are trying to divert your attention from the American people and their families and their future . Clinton stated that the Republicans were trying to divert attention from the American people . entailment +In Justice Department briefs and in private meetings , the Secret Service insisted that the failure to recognize the would result in profound and predictable peril to the president , could mean the difference between life or death , would endanger the integrity of our national security , etc . All Justice Department briefs and private meetings were attended by Secret Service . neutral +( By the way , a May 16 , 2001 , article in The New York Times reports on a program at Boston Medical Center providing a walk-in legal clinic in the hospital to help fight their patients ' legal and administrative battles . ) There was a walk-in legal clinic provided by one of the programs at the Boston Medical Center . entailment +A figure stopped at the bluff 's edge leading a horse . No one went to the edge of the bluff . contradictory +Tract housing and apartment buildings may be ugly , but they are paradise compared with village huts or urban shanties . Urban shanties are so much nicer and more luxurious than tract houses or apartments . contradictory +It 'll take ' em at least five minutes to get busy after us . It 'll take them a little moment for them to start chasing us . entailment +I respectfully dissent from both aspects of the judgment . Everyone agrees with at least one aspect of the judgement . contradictory +and it 's the days that i keep looking for that aren 't going to happen in my lifetime The days i am looking for will certainly happen during my lifetime . contradictory +In this context , the references in the history to requiring an identical standard or precluding any changes for 1998 may have been based on the assumption that the outcome of any change would be an increase in the standard . The references of identical standard were from 1993 . contradictory +Perhaps he 'll live in an upstairs apartment and huff around town in jogging shorts as he did when he was governor . When he was governor he huffed around town in jogging shorts . entailment +However , as noted above , additional actions are necessary in order to address several remaining systemic issues . Additional actions are necessary in order to address remaining system issues entailment +A desk , with a window looking out onto nothing in particular . Outside of the window was a field that went as far as the eye could see . neutral +Literary connections apart , the site has a certain splendour , affording as it does ravishing views over Formentera and out across the sea . The site offers views over Formentera and the sea . entailment +Absent reform , Social Security and Medicare costs would constitute a substantial drain on the earnings of future workers ( see figure 1.10 ) . Medicare costs have doubled every 5 years , on average , for the prior 2 decades . neutral +Go to a garden store , and you 'll find products with delightful names like Olivia 's Cloning Compound , a mix of hormones to dunk on the cut end of a shoot to help it take root . Gardening stores sell products that can encourage plants to take root and grow . entailment +The Commission later announced the formation of the Hearing Aid Compatibility Negotiated Rulemaking Committee , an advisory committee that would consider whether the rule suspension should be lifted and whether new rules should be proposed . The committee consists of lots of old people that wear hearing aids . neutral +Materials . Materials . entailment +Please tell Do you see an end to human suffering ? Do you see an end to human suffering anytime soon ? neutral +Either they 've never made it clear ( like Gates ) or , like West , because they stand for so much , appealing to , and appeasing , so many constituencies . Gates set a good example , by being transparent about everything . neutral +[ I ] t is a ' fundamental principle of statutory construction that the meaning of a word cannot be determined in isolation , but must be drawn from the context in which it is used . The context of a word must be considered in statutory construction . entailment +They didn 't know whether I 'd changed the papers , or whether Danvers had been carrying a dummy message , while the real one was sent another way . They had no clue whether I had changed the papers or whether Denvers message was a decoy . entailment +Jewish culture nonetheless survived the second destruction of the Temple . The Temple had been destroyed once before . entailment +Advertisement . No advertisement at all contradictory +The West and East Gardens are split by the Mound , an artificial slope of rock and soil that carries a road connecting the New Town with the Old . A man-made sloping road separates the West Garden from the East . entailment +Rising fuel costs mean that water-skiing is becoming an expensive sport ; all the more reason to double-check rival schools for length of runs , number of attempts allowed for getting up , and discounts for multiple runs . Water-skiing is becoming more expensive due to fuel prices . entailment +There 's too much music of the heart and not enough music of the callused fingers . They did not care for emotional music but secretly had a few favorite emo songs . neutral +you know they they have the turkey you know they do they can 't they you can 't stop you know everyone 's life but um No one eats turkey anymore these days . contradictory +By the late 1990s , a new emphasis on quality and , especially in the Balearics , on safeguarding the environment had finally taken root 'too late for many environmentalists , but hopefully still in time to preserve much of the natural beauty and unique character of the Las Islas Baleares . Soon enough to destroy the environment . contradictory +1 Descriptions of the records we are requesting , our efforts to obtain them , and our statutory authorities are summarized below . There was an explanation of the items being requested . entailment +I can assure you that GAO and I will do our part to practice what we preach and lead by example in our roles , responsibilities and values . GAO will undoubtedly succeed in its efforts to be an example of responsibility . neutral +He said his agency completed a demotion action against an employee for personal use of miles , but assistance from the airlines was difficult to obtain . The airlines were low on resources to assist him . neutral +From the belvedere in the treasury of the palace , where the Sultan used to gaze down upon his fleet , you can look across the mouth of the Golden Horn to the modern district of Beyo lu , where multi-storey hotels rise beyond the turret of the Galata Tower . Because of poor placement , the view from the belvedere in the treasury of the palace does not hold any views . contradictory +and so she basically didn 't use credit cards and didn 't know very much about them and how they work and and how you can use them to your advantage and and how you know you She neither knew much about credit cards nor made a habit of using them . entailment +At worst , the jocks are hurting Bradley by failing to comprehend and refute misrepresentations of his agenda . By not refuting misrepresentations of Bradley 's agenda , the jocks are hurting him . entailment +Many migrant farm workers are reluctant to report pesticide problems because they fear they will lose their jobs , laborers said . The migrant laborers who work on the farm are from Mexico . neutral +They might , too . They could do that too . entailment +It was having to ask any kind of favor from this man . This man was not likely to grant many favors . neutral +Legal Aid is a nonprofit national organization aimed at providing low-cost or free legal aid to those who need it . The organization helps to reduce the cost or provide free legal assistance . entailment +see i i agree with that yeah That 's right . neutral +It is still the foremost school of Islamic studies , attracting over 85,000 students from around the Middle East . The school only attracts students from Latin America . contradictory +Despite occasional conflicts , they live in a remarkable state of harmony . The occasional conflicts don 't break the peace , because everyone knows they need each other . neutral +On May 1 , 1996 , Representative Bob Franks introduced a joint resolution to disapprove both final rules pursuant to section 802 ( a ) of title 5 . 142 Cong . Representative Bob Franks believed that the joint resolution was in the spirit of good governance . neutral +He is in office , but not in power . He had no power , but was in office , said the governor . neutral +One had been a chemical engineer specializing in making yeast and dried soya meal into breakfast cereals . They were an engineer who made yeast and dried soyal meal into breakfast cereals . entailment +They fortified the more strategic islands , but Jamaica was deemed less important than Cuba or Puerto Rico and , consequently , was poorly protected . Puerto Rico was the most heavily fortified island . neutral +In the spring , thousands of serious cyclists come to Mallorca from all over Europe to race over the island and grind up the steepest mountain passes . Mallorca is a popular place for people to bicycle . entailment +Thanks to the duty-free situation , prices in Hong Kong are lower than they are in some other places . Hong Kong is the cheapest place in the world because of the duty-free situation . neutral +Slightly more than 1,600 of you answered ' yes ' to the question ' I still giggle when I hear the phrase down under . Approximately 1,645 people giggle when they hear the phrase " down under " . neutral +Extra fee to enter the tomb . Entrance to the tomb is expensive . neutral +It doesn 't matter . It doesn 't matter at all , anymore . neutral +uh-huh they live lean for one thing and they tithe and they really believe the Bible says that tithe puts it puts a hole in your money bag we don 't honor God with the first portion and so they i think that helps a lot i think that 's the key The people truly believe the Bible . entailment +right and maybe maybe let them have some mock i mean uh you know elections and stuff and vote for different people in their classes and start really young that 's a real good idea You shouldn 't allow children to vote for anything . contradictory +A French carrier must , however , turn into the farmer 's driveway and proceed to the dwelling . A French carrier needs to go to the farmer 's house . entailment +It is said that one of the conditions of her bequest to the National Trust was that Herdwick sheep must always be bred on her farms . She made a bequest to the National Trust . entailment +According to legend , it was originally named Mons Martyrum ' where , after being decapitated , the town 's first bishop , Saint Denis , picked up his head and walked away . At the site , the first bishop of the town , upon being decapitated , is said to have picked up his own head and left . entailment +The man continued . The man carried on . entailment +that does sound like fun well i 've gotten some good ideas from you That one was actually one of my ideas as well . neutral +Of the 25 economies listed , 17 run trade deficits and 20 run current account deficits . All 25 economies have no issues . contradictory +We broke four barrels on the supports and pulled the mountain down on them . The supports had barrels . entailment +yeah yeah um i haven 't really the only day cares that i have been familiar with are the ones that are local here with the churches and they seem to from my experience be the best at what they 're doing just because of what they 're based on the churches operate the day cares using federal funding neutral +If he vetoes that , the president will have shut down the government . The government has a possibility to shut down whether the president vetoes that or not . neutral +In fact , the World Bank in 1950 declared as many as 60 percent of Cubans undernourished . Few Cubans were undernourished . contradictory +Amazingly , though , this seemingly insurmountable problem can be surmounted . The problem seemed overwhelming , but it could be dealt with . neutral +and got all these cats around so they they keep me occupied well they There are so many cats that I do not have time for dogs . neutral +There was a time when you might have apologized for it , but no longer . It used to be a taboo activity in the past . neutral +Sculptural reliefs flattened out to symbolic decorative , non-human forms , and painting and mosaics were rich in color , but more rigid and formal . Painting and mosaics were rich in color , but rigid and formal , while sculptural reliefs flattened out to symbolic decorative , non-human forms . entailment +How do we begin ? How shall we start ? entailment +Postal Service would have paid $ 172 . The Postal Service would have been paid for delivering a package . neutral +Several other key observations No further observations were notable . contradictory +but let me ask you this since you use T exans how much is it a month I have no interest in you telling me what the cost is . contradictory +( Budget Director Frank Raines dismissed such details as boring . Frank Raines did not often dismiss details . neutral +Projections based on intermediate assumptions of the 2001 HI Trustees ' Report . Projections are based on the 2001 HI Trustee 's Report . entailment +More thatched houses of a larger and more conventional kind are to be found 5 km ( 3 miles ) south of Santana . Smaller houses are found south of Santana . contradictory +It 's very difficult but you get very creative , she said . She mentioned that the difficulty was pretty high . entailment +He will train and lead us . The man can 't teach us anything . contradictory +The SEC and the stock exchanges , along with the Financial Accounting Standards Board , have also been actively making progress to address a range of issues raised by the accountability breakdowns . There is no progress being made in the direction of addressing the issues that have been raised . contradictory +Pursuant to section 801 ( a ) ( 2 ) ( A ) of title 5 , United States Code , this is our report on major rules promulgated by Department of Treasury , Internal Revenue Service ; The report was very detailed . neutral +We have established that there was a book , in fact , three books . There are three books . entailment +Louis XIV died here in 1715 of gangrene of the leg . Gangrene of the leg was Louis XIV 's cause of death . entailment +Republicans and Democrats on the House Judiciary Committee remain at each other 's throats . The Democrats and Republicans have reached compromises . contradictory +no no i agree i think i believe in test for cause if if somebody 's performance and i guess that there 's the other argument is that well do you wait until they screw up you know and someone gets hurt I think you can test but you need to have a reason other than ' just to make sure ' , but then again I worry if you don 't test you won 't catch someone who 's going to do something tragic . neutral +We failed when we pushed willing , but unprepared grantees to opportunities they were not ready to exploit . The grantees chose to be lazy and not take advantage of the opportunities . contradictory +Yes , surely it must be so , unless ” ” A new idea suggested itself to my mind . He ran off to explore this new idea and how he might need to revise his theory . neutral +On May 3 , 1996 , the Commission again certified to OMB that the information collection complied with each of the objectives identified in 44 U.S.C. The Commission certified to OMB thought they were not compliant with 44 U.S.C. contradictory +Now , he will be doubly careful . He knows that we 're on to him . neutral +i i haven 't made any i 've been just a recipient I have only been a receipient . entailment +Meanwhile , the total value of households ' stock holdings grew more than fourfold over the 1990s , and stocks as a share of households ' total assets increased from 10 percent in 1990 to 28 percent in 1999 . Households felt more comfortable holding stocks due to the dotcom boom . neutral +well the colds and the flu have been going around down here The cold season is really picking up . neutral +He fancied it was . He doubted it was . contradictory +The English modeled the town and its buildings on those of their homeland , and one can imagine the village greens , tennis and golf clubs , and grassy verges taken from a typical London suburb . The buildings that the English built are still standing today . neutral +This restraint may partly reflect Microsoft 's market strategy--after all , Microsoft beat Apple partly because Apple did practice vertical foreclosure , and as a result inhibited the development of complementary software ( although the main problem was Apple 's persistent belief , despite all the evidence to the contrary , that everyone would be willing to pay a premium price for a niftier machine ) . Apple bested Microsoft and were correct in believing people would be willing to pay more money for a fancy machine . contradictory +The driver gave me a funny look , as if trying to recognise my face . The driver looked at the steering wheel funny . contradictory +The 17th-century buildings owe much of their splendor to the structures brought here from Hideyoshi 's opulent Fushimi Castle on the south side of Kyoto ( dismantled by a Tokugawa shogun in 1632 ) . The 17-th century buildings were not brought here from the Fushimi Castle . contradictory +If no worksharing discounts were being offered , it is possible that some mailers would still workshare . Mailers would still workshare because it has been effective for them . neutral +" Now then , Faquita , don 't you git so upset , gal ! " She was wailing aloud , making no effort to wipe away the tears running down her cheeks . Faquita was crying and in distress . entailment +yeah well that 's it you know i i i think we both agree it 's it 's one of those deals that uh i just think there 's a lot of other problems right now and uh we 've done a lot to take care of it There is a number of other problems right now . entailment +you know it 's good to have um You can tell it is good having entailment +i don 't know things like you know well like acid rain and all these sulphur dioxides being dumped out there i i 'm more worried about that than i am just about anything else Acid rain and sulphur are kept in biohazard containers and never dumped . contradictory +that uh in addition to to getting a new car there they can get you a car that 's new but it 's been uh a demonstrator model in addition to getting a new car , they can also get you a car that is new but has been a demo model entailment +And his match was the mare on the lead rope , plainly a lady of family , perhaps of the same line , since her coat was also silver . The mare had a silver coat . entailment +The great Kanto earthquake of 1923 destroyed some 60,000 homes in Yokohama and took over 20,000 lives . The great Kanto earthquake caused little damage in Yokohama . contradictory +On a more positive note , we recently reviewed the efforts of three agencies ( the Postal Service , the Department of Veterans Affairs ( VA ) , and the Park Service ) to more strategically manage their facilities and assets by forming business partnerships with the private sector . The Postal Service 's efforts were among those reviewed . entailment +provided us with a copy of the full text of the analysis . We received a copy of the full text of the analysis . entailment +The grand Roman amphitheater ( arynes ) was built for gladiator battles and held more than 20,000 spectators . Thousands of spectators would watch at the Roman amphitheater . entailment +Even the Gambino crime family gives more to local charities . The Gambino family gives more to local charities . entailment +Their occupation was fiercely opposed by a confederation of Celts , known as the Lusitani , living in central Portugal . There were no Celts living in central Portugal . contradictory +um i work for E Systems I work for E Systems but am looking to move on . neutral +Aha , Mieczyslaw said quietly , and Janina squeezed his hand , and then stroked it gently without realizing what she was doing , simply because she needed to connect with this poor man . Janina knew that Mieczyslaw was sad and needed encouragement . neutral +The warlocks had good memories , it seemed , and there had been manifold offenses against them while the world was falling apart . Many offenses had been committed against the warlocks . entailment +The annual number of visitors had increased to over 30,000 by the time World War II began . There were soon over 30,000 visitors each year because of the beautiful beaches . neutral +No , it 's something more amorphous , like , Who do you want to hear it from the next time a plane crashes or a world leader is assassinated ? From what source would you prefer to listen to the news from ? entailment +you know the company insurance and and Do you know if the company insurance covers dental ? neutral +Divided in the 14th century between the Spanish in Sicily and the French in Naples , southern Italy remained solidly feudal . In the 14th century , southern Italy was using the feudal system . entailment +From late 1963 to early 1965 , Logevall claims , the Johnson administration faced a deliberate choice about whether it should raise or lower the stakes in Make it an all-out test of will , which it became , or look for an excuse to leave--perhaps with the claim that the regime in the South had become too ill-behaved to be worth further U.S. support or lives . The administration at the time had to pick whether to up or lower the stakes . entailment +Emperor Ashoka commanded his edict-pillars to be built within the monasteries and stupas , of which he had thousands constructed . Emperor Ashoka did not command any edict pillars to be built . contradictory +that 's about it as far as exercise I do not really exercise much . neutral +In the ensuing confusion she would have had ample opportunity to shoot the bolt across . She never had the chance to shoot the bolt across . contradictory +In one of the spacious rooms off the garden is a statue of a shockingly drunken Hercules , alleged founder of the ancient town . A statue of a drunken Hercules sits in a room off the garden . entailment +oh Lord i mean yeah and you talk about stress and pressure i tell you what it 's uh We should go to a movie to relax . neutral +Plans are in place to turn the house into a museum charting the life and works of this extraordinary man . The mans house is practically a museum . neutral +In winter you can sample churrosesugared fritters , that you dip into coffee or hot chocolate . There are samples available in the winter to dip in your coffee . entailment +For example , it estimates the resource requirements from the period between 2005 and 2010 over three years prior to 2010 instead of five years . The estimates are a lot more accurate over a fiver year period . neutral +I 'm taking up your time , sir , he said with an effort . He easily said that he was helping to save you time . contradictory +In the antebellum era , New England-based Conscience Whigs denounced the North 's pro-South Cotton Whigs as corrupt . The two groups constant bickering was a source of great tension . neutral +East from here , the coastal road is one of the island 's star attractions . The coastal road is among the island 's main attractions . entailment +A few of the bodies are on display . There are no bodies on display . contradictory +The Department finds it is possible that some low-income families with children in tier II day care homes may bear some of the costs , but states may offset them by opting to increase child care subsidies . The federal government will cover all of the costs no matter the circumstances . contradictory +Saving the United How Has It Changed and Why Is It Important ? Saving the united has changed for the better . neutral +Whatever its shortcomings--and they are many--only big media possesses the means to consistently hold big business and big government accountable . Big media can 't get any results from big business . contradictory +She has also jumped into the anti-Reed fray , criticizing him for not being tough enough on the abortion issue . She had no interest in the abortion issue . contradictory +Most of them are highly skillful they have to be and proud of their reflexes . The majority of them are very skilled , and have reflexes similar to ninjas , so it 's difficult to keep up with them . neutral +we have several here in Austin that have uh i guess started up uh one of them matter fact runs a furniture uh place she builds library furniture The old lady who make the library furniture is a widow . neutral +He nodded cheerfully . He agreed happily . neutral +yeah but don 't you think in a way that 's kind of a cop out i mean it still is your responsibility and and and and nowadays they do have more information that you can become aware of and there are things like the League of Women Voters or some of the other groups That is avoiding the responsibility you have to your constiutents . neutral +There are vestiges of the rum distillery , cattle pens , and a large pimento barbecue for roasting allspice berries . A rum distillery has never operated in the area . contradictory +The total cost for other countries can be estimated by substituting volume and population into the above formula . Volume and population are added into a big formula . neutral +Assuming a minimum of stops for shopping , the following walking tour will take a very full half day . The tour lasts the entire day if we have very few stops for shopping . contradictory +Here was a Renaissance humanist who regarded his fellow men as stupid and deranged , sacks for food , and fillers-up of privies , and relished the thought of humanity 's destruction in a universal deluge . The Renaissance humanist disrespected his own men by calling them stupid and deranged . entailment +Greenberg 's survey , for example , asks people who voted for Clinton to pick from a list of possible reasons why they did so . The survey will ask why they voted for Trump . contradictory +If the peasants were squeezed by taxes to pay for the luxury of Mughal court life , it was a boon for the country 's artisans goldsmiths , jewelers , and weavers . The peasants benefited from the taxes charged them to pay for the Mughal court life because it came also with Mughal interest in building charity programs and using philanthropy to redistribute the money to the most needy on public projects in peasant communities . contradictory +She carefully notes the referring organization - Catholic Charities Legal Network , or the Fair Housing Council of Greater Washington - in each email . She doesn 't refer to the organization . contradictory +set of initiatives designed to improve patient care and eliminate deficiencies . Set of initiatives designed to have patients get more time with doctors . neutral +There wasn 't a soul in sight . There was nobody around due to the time . neutral +Appendix II of this guide describes techniques to use in identifying software development risks of delays and cost overruns , known collectively as management metrics or indicators . Along with teaching you how to identify software development risks , this guide also teaches you to identify hardware development risks . neutral +Betsy 's logical mind and wonderful laugh , among other gifts , made it all happen ( well , most of the time ) . Betsy made it all happen by using her wonderful laugh and logical mind . entailment +Every village and town has at least one Public House , or pub , where alcoholic drinks are served to adults ( the drinking age is 18 ) . There is often no place to locate alcoholic drinks . contradictory +In addition , TIG staff assist our grantees ' staff , when asked ; one common request is to review resumes of applicants for technology positions to be sure they have the requisite credentials . One common request is to verify applicants ' technical experience . entailment +yeah i like to cook Cooking is one of my passions -- particularly baking delectable goodies ! neutral +Franklin Square The square named after Benjamin Franklin neutral +Conditions Requiring a Data Reliability Assessment There are conditions that require reliable data . entailment +See The Economic Effects of Federal Spending on Infrastructure and Other Investments , Congressional Budget Office ( June 1998 ) . Economic consequences from federal funding programs are non-existent . contradictory +well do they have special cookbooks out for for just vegetarian meal meals you know special books that you There are no special cookbooks aimed at vegetarians , so it is difficult to find recipes . contradictory +uh-huh yeah i work in Lewisville which is just outside of Dallas I am unemployed . contradictory +it might not make the other person feel like you were really wanting to be there yeah They will always feel that you don 't want to be there . contradictory +no yeah and i also spent uh eight years with TI out in uh Ridgecrest California I was with TI for eight years in Ridgecrest . entailment +The history of the myriad painful fads women have subjected themselves to over the years--iron maidens , rubber girdles , breast binding--may help remind viewers what all that ' 60s bra-burning was about . You should see the trends women have been made to follow over to years to help you understand the bra-burning of the 60 's . entailment +radios and cassettes and things like that Things like radios and cassettes . entailment +They feature not only dinosaurs but Discovery Ceters , where kids can choose from a wealth of science-oriented activities for all ages . At the Discovery Centers kids can participate in science-oriented activities . entailment +The stubborn aristocracy and high clergy were anxious to protect their ancient privileges ; a burgeoning bourgeoisie longed for reforms that would give them greater opportunity ; the peasantry was no longer prepared to bear the burden of feudal extortion ; and a growing urban populace of artisans groaned under intolerable hardships . Due to the unfairness to lower people , people with power worried about their privileges . entailment +This site also contains a searchable database of sanctioned providers and barred individuals within the state of Illinois . This site has a database of healthcare workers and those not allowed to practice medicine . neutral +Spain was admitted to the United Nations in 1955 , opening the gates to an overwhelming tourist invasion , which would have profound effects on both the economy and national mentality . The increase in tourism to Spain was caused by Spain 's UN membership . entailment +Worshippers in procession proseate themselves , bringing offerings of coconut and fruit , and toss tiny balls of butter onto blackened statues of Shiva . The offerings are given many times a year on holidays . neutral +Tanenhaus elevates Chambers to the pantheon of great American postwar intellectuals and declares Alger Hiss a Soviet spy , and no critics object . No critics object to Tanenhaus declaring Alger Hiss to be a Soviet spy . entailment +Total factor productivity is the portion of output not explained by the use of capital and labor and is generally associated with the level of technology and managerial efficiency . Total factor productivity is independent of technology efficiency . contradictory +His compositions are teeming , unbalanced , with a center of gravity that lurches left then right . He is graceful and steady . contradictory +Would they have to go back to jail ? They have never been to jail before . contradictory +Fewer cases of alcohol abuse meet the ICD-10 definition . Alcohol abuse is less common . entailment +I am the real and true Benjamin Franklin . The other Benjamin Franklin is a fraud . neutral +It was like a bit from the center of a star . It was not like what a bit of the star would be like . contradictory +yeah that 's true you just take off your mortgage interest and that 's about it Take off your mortgage interests and that 's all . entailment +Not so much a melting-pot as a land of unlimited impossibilities , Israel compresses a host of sights and lifestyles into a small area , offering a cornucopia of experiences for visitors . Visitors will enjoy everything Israel has to offer . neutral +You get one mistake . You get to make two mistakes . contradictory +In fact , the gain of $ 32 million is small by almost any standard . The gain was large by all standards . contradictory +Artists still scorn it as a vulgar pastiche , and the working-class residents of the area resented its being erected as a symbol of penitence for the insurrection of the 1871 Commune they didn 't feel penitent in the least . It did not reflect the sentiment of the area . entailment +Stephen has abused drugs . Stephen has abused drugs that should 've helped him in the beginning . neutral +American and Jamaican cuisine , including buffalo wings ( jerk-style ) and burgers . They serve great burgers , including a vegetarian one . neutral +He was surrounded by ordinary-looking people with ordinary-looking expressions wearing ordinary-looking clothes . Ordinary people were surrounding the man . entailment +The heat of the morning sun beat down and the smell of spices hung in the air . The air was scented with herbs as the sun shone downwards . entailment +uh tools for set up and for measurement uh you got to have a one tenth indicator it 's a hundred dollars uh five tenths indicator uh usually two one tenth indicators at a hundred dollars each uh five tenths indicator Five-tenths indicators are cheaper than one-tenth indicators . neutral +As a result , France experiences diversity and tension within cultural , social , and political spheres . Due to unnamed events , France faced problems with society . entailment +According to the Coast Guard , the program achieved its results by giving field commanders greater authority and by investing in activities and processes that went most directly to the goal of reducing risks on the water . Commanders were partially responsible for the program 's success . entailment +For example in figure 4.1 , although federal government saving increased as a share of GDP by 5.5 percentage points from 1990 to 2000 , net national saving increased by only 1.1 percentage points because private saving as a share of GDP decreased by 4.9 percentage points over the same period . While net numbers look encouraging to the uninitiated , private savings figures tell a bleaker story . neutral +he went out after the seventh and had he had only give up those uh that one hit in the first inning and another hit so he went out after the seventh inning with a uh it at the time he had a uh i think uh a nine to three ten to three lead and uh The man was happy to be out , he was tited . neutral +The family had only planned for three months of vacation time a year . Each year had three months of vacation planned for the family . entailment +After observations have been made in the first phase ( and during the observations , because that is a natural way for our minds to work ) , the evaluators think about the meaning of the what does it suggest about what is happening and why ? It 's somewhat efficient though not optimal to evaluate while observing . neutral +Under the requirements of the Computer Security Act , NIST is responsible for establishing standards for federal computer systems that process sensitive but unclassified information . NIST is not responsible for establishing federal computer system standards at all . contradictory +Names were still potent , resonance worked within its limits , and the general principles of similarity still applied ; but those were not enough for them . There is power in names . entailment +Housing had always been scarce for Hong Kong 's Chinese . The chinese in Hong Kong have always had a hard time finding housing . entailment +Questions can be directed to me at ( 202 ) 5122600 , steinhoffj.aimd @ gao.gov , or Linda Garrison , Assistant Director , by phone , email , or regular mail at the I never answer any questions , because I don 't understand the concept of a question . contradictory +Stop blaming John . Quit holding John responsible . entailment +I fought the claustrophobia , and tried not to feel trapped . I tried to feel ok in the tiny closet . neutral +'Oh yes , sir . The man was next to me . neutral +He said that changes in emergency medicine practice will require publication of studies in journals that reach emergency medicine practitioners . We need to publicize the studies in some journals . entailment +In its new building , the Project Arts Ceter , 39 East Essex Street , displays the most avant-garde in painting and sculpture ; it has a performance space upstairs . The Project Arts Centre 's performance area can be found downstairs in the basement . contradictory +This trend has led to many more demolitions , including the Dunes ( replaced by Bellagio ) , Aladdin ( the new Aladdin ) and Sands ( Venetian ) hotels . The trend of building things bigger and better has caused many hotel demolitions in Las Vegas . neutral +well you know you 'd be surprised how many of the various ones are coming in and giving us demos at all times and i sit in on all this stuff We have not had much luck in gaining traction . contradictory +Can we get on the long distance to your place right away , and ask them to send her up ; or shall I run down and fetch her in my car ? " The doctor stared . I asked what would be the fastest way to get her . entailment +um-hum oh you are constantly there 's always something going wrong Everything always works out perfectly . contradictory +( It 's not housebroken , and it 's full-grown . ) It needs to be trained to relieve itself outside . entailment +Only to the uninitiated do Italian drivers seem dangerous . Only to those not used to it will Italian drivers seem dangerous . entailment +Until the advent of Christianity , Samothrakiawas a very important island indeed . The advent of Christianity meant religious power shifted away from Samothrakia . neutral +Monsieur Kramenin ? said the latter abruptly . Kramenin was about to leave when his name was spoken . neutral +Volume II is under development at this time and will be organized alphabetically by topic . Volume II will be organized alphabetically by topic . entailment +, the excise tax on gasoline ) . Tax on gas entailment +The engineers we have are snatched from Duality just after dying and revived here while their brains still retain their knowledge . The engineers ' brains retained their knowledge . entailment +Arriaga is particularly pretty during late spring , when jacaranda trees are in full blossom . Jacaranda trees can only be found in Arriaga . neutral +When these same 25 parts are assembled into the final product , the probability that the final product will be defect free is A common defect of this product is explosive spontaneous disassembly . neutral +i 've had one idea that i think is is is completely undoable but it but i think it but but i suspect it would work and the way to do it is to get an absolutely atrocious candidate who you never expect to win to go out and make inflammatory and ridiculous and stupid statements so that a large population of of of voters will go out and vote against that person for someone else so given a choice between you know so so if you have so if if imagine a world where you have two real candidates and one idiot who goes out and makes you know anti you know sort of um We could have a candidate that people would want to vote against , so that they will vote for someone else . entailment +11As noted in section 3 , simulations are illustrative and do not represent forecasts . simulations are illustrative and do not tell the truth 100 % of the time neutral +This too is a splendid place , hung with magnificent chandeliers , laid with priceless carpets , and decorated with fine mosaics , but you should visit El-Aksa before the Dome of the Rock , as it is bound to suffer by comparison . The decorations in this place are very old and priceless . neutral +On the left as you walk , you will see the Canongate Tolbooth , with its distinctive clocktower overhanging the pavement . The Canongate Tolbooth has a clocktower that stands out and hangs over the pavement . entailment +They dueled with rapiers and daggers , learning to accept a disarm for the gun . They were better with rapiers and daggers than they had been with guns . neutral +Additional discussion is found in the section on uncertainties . There is no further discussion of the issue . contradictory +Back at the northeast corner of St. Stephen 's Green , near the Shelbourne Hotel , you can turn right into Merrion Row to peer through the railings at the small Huguenot Cemetery ( no entry to visitors ) . The Huguenot Cemetery is located near the Shelbourne Hotel . entailment +and resale value is really important to me I don 't care about resale value , I care about quality and brand . contradictory +It 's the lack of transparency in the way that companies--like Sunbeam , and not like Tyco--use them that is . Sunbeam and Tyco purposefully obfuscate their policies from the consumer . neutral +The Yohanan Ben Zakkai Synagogue is actually four synagogues in one ; the largest room gives the complex its name . Four individual synagogues comprise the monolithic Yahanan Ben Zakkai Synagogue . entailment +that 's when i 've been I liked it there . neutral +The Erlenborn Commission was authorized by a resolution of the Corporation 's Board of Directors on November 16 , 1998 , to study the presence requirement in the Corporation 's statutory restriction on the representation of eligible aliens . The Board of Directors authorized the resolution . entailment +um i 'm i 'm concerned about whether or not that causes fractiousness i guess I am worried that this will cause lawlessness . entailment +The B5289 road , which runs south from Keswick along the eastern shore of Derwent Water , leads you to some of the best gems of the Lake District . The best gems are down the eastern shore . entailment +You did that part of it very well , old bean , but all the same the fellow wasn 't taken in not for a moment ! You did your crime very well but he was not fooled . neutral +Kuala Lumpur fell on 11 January 1942 , and five weeks later the island of Singapore was captured . Kuala Lumpur was captured and the same band which captured it reclaimed Signapore . neutral +Spain 's golden potato omelette ( tortilla espaeola ) makes another excellent budget meal . Another excellent budget meal would be Spain 's golden potato omelette . entailment +Like all revisionist historians , Lucas cheats like mad . Traditional historians are honest . neutral +But the need keeps growing larger , and that means attorneys , and all others with the means , have a greater obligation to help . The need is over double what it was last year . neutral +Search for articles by authors who have been divorced , have red hair , or voted Republican in at least three but not more than five of the past six presidential elections ; Look for articles by authors who were once married . entailment +High-performing organizations in the private and public sectors have long understood the relationship between effective people management and organizational success . Organizations in both private and public sectors understand the link between managing people and success . entailment +The marauders , drunk on victory , cut at them with sharp knives . The marauders hurt people . entailment +The town center , Piazza Mino da Fiesole , with its austere cathedral founded in 1028 , is the starting-point for some exhilarating hill walks ( the tourist office in the main piazza has walking maps ) , the most immediate being the steep paved lane leading from the square up to the small San Francesco convent and post-card views of Florence . There are maps in the tourist office of Piazza Mino da Fiesole . entailment +A thick agony tore into their skulls . They got a head massage from the demons . contradictory +right right you 've kind of gotten out of that little stage there Now you are moving into a more challenging stage . neutral +Do you believe that those juries were , in effect , influenced by the perception of you in the impeachment process against the president ? There was no question of the juries being unbiased . contradictory +Surrounded by a pretty forest of cork oaks and sweet-smelling eucalyptus , the gulf surrounding Porto-Vecchio boasts an ever-expanding series of luxury resorts , the best being out on the fine sandy beaches of Cala Rossa . The beaches of Cala Rossa near Porto-Vecchio does not have any notable resorts . contradictory +Capacity in the U.S. is equal to 465 million pounds / yr , or 233,000 tons . The US 's capacity is roughly equivalent to 233,000 tons . entailment +If he 's any sense , he won 't stay here tamely and wait to be hanged . " John Cavendish looked at her helplessly . If he was smart he would leave . entailment +One other illuminating sequence--Burns ' presentation of Jefferson 's and Hamilton 's clashing ideas of America . Burns presents the ideas . entailment +Since then , three justices have left the court , two of them from the pro-chair side . The justices who left the court , found a place somewhere else . neutral +so we have to contend with doors that sometimes sometimes the during the year don 't uh just close just right and uh things of that nature The doors are warped and that stops them from closing . neutral +But I do suggest that Miss Finn should remain here . Miss Finn should stay here for a few more hours . neutral +There are several issues to consider when evaluating study quality , including but not limited to 1 ) whether the sample estimates of WTP are representative of the population WTP ; 2 ) whether the good to be valued is comprehended and accepted by the respondent ; 3 ) whether the WTP elicitation format is designed to minimize strategic responses ; 4 ) whether WTP is sensitive to respondent familiarity with the good , to the size of the change in the good , and to income ; 5 ) whether the estimates of WTP are broadly consistent with other estimates of WTP for similar goods ; and 6 ) the extent to which WTP responses are consistent with established economic principles . There is only one issue to consider when evaluating study quality . contradictory +These included misrepresenting their identity in electronic communications and conducting and promoting personal commercial enterprises on the network . They acted with integrity and did not commit any fraudulent activities . contradictory +um as far as electricity and telephone um we do the same thing we budget not budget but um i have a long term savings goal I have a bank account for my long term savings . neutral +During the impact , the detonating fuse is activated and a load of plastic paint-filled balls is dispersed over an area of roughly 3 meters in diameter . Cleanup took several weeks the last time the paint-filled balls were released . neutral +From here it 's only a short walk to the Mosque of al-Hakim and Bab El-Futah set in a remaining section of the original city wall . The Bab El-Futah and the Mosque of al-Hakim are close to each other . entailment +No one argues anymore over whether Gates is really a techie or worries about Jeff Bezos ' literary taste . No one argues if Gates is a techie or not because they all know he is not . contradictory +I count on you guys for instant analysis , not the play-by-play . I come to you for the play by play . contradictory +Purists say the Cete d 'Azur reaches from Cannes to Menton , including only the original , more expensive resort towns of Juan-les-Pins , Antibes , Nice , and Monte-Carlo . Purists have a more expansive definition of what constitutes the Cete d 'Azur than other people do . contradictory +Camel Several trekking companies offer the opportunity to explore the Negev Bedouin-style , aboard a camel . There are no companies that allow visitors to explore the Negev . contradictory +These stories make up a time capsule assembled by a skilled social historian , a rich gallery of plausible lives . These tales about one man 's life are forgettable , assembled by a novice librarian . contradictory +I felt like my rights were violated , Turner said , noting that though the case is still pending , Legal Services was able to get the insurance reinstated . I fell like my rights were not adhered to . entailment +the trees are just so tall and there must be ten or twelve big tall trees out there so that like even if its raining you can go out in our back yard and not get wet The trees in our backyard are primarily pine and elm trees . neutral +Nearby on Hope Road are Jamaica House , containing the offices of the Prime Minister ; Vale Royal , the Prime Minister 's official residence ; and King 's House , home of the Governor General . Hope Road has many gift shops for foreign tourists to see and buy from . neutral +We 've always been close and don 't want to lose the friendship . We have been close friends since we were in 2nd grade . neutral +Japanese silk kimono are magnificent but staggeringly expensive . Kimonos are expensive but well worth the price . neutral +oh the the lease The lease is right here . neutral +A powerful illustration of the magnitude of the eruption is found at Haragosha Shrine , where you can just see the top crosebar of the shrine 's arch , the rest submerged by hardened lava . The result of the eruption 's magnitude is seen at the Haragosha Shrine . entailment +So , though I still oppose much that the Satheri have done , I 've gone back to them . I went back to the Satheri despite opposing what they have done . entailment +We have swapped places . We changed places . entailment +Firms that are giving billable-hour parity for pro bono work and showing that they mean it are the firms that are strong , she says . Strong firms are dedicated to pro-bono work . entailment +so i think that we we did come a long way in the sense that we have we 're allowed to vote in you know like you say we 're out in the labor force but i think we 've lost something too There 's something lost by the voting rights . entailment +have a wonderful Easter Have a bad Easter . contradictory +SportsCenter ( or the State of the Union speech vs. the O.J. verdict ? ) They had to pick between the speech or watching the verdict . entailment +Wheat is planted as a winter crop in the paddies , and garden plots supply maize , chilies , and vegetables . Garden plots supply vegetables , chilies and maizes , and wheat is planted as a winter crop in the paddles . entailment +He goes out into the wilds alone , seeking always the gold . " He goes into the wilds by himself , always after gold . entailment +i i guess i would love to play basketball but but i don 't i don 't think i 'd have the wind for that i guess of all the sports that probably gives you more exercise than any any sport there is I don 't have the cardiovascular strength to play basketball . entailment +i uh that 's their marketing Their marketing is effective . neutral +For some reason , I felt a little bit unnerved . There was a feeling of complete relaxation . contradictory +Three--count ' em--online weather stores , including the WeatherStore , hawk meteorological gizmos . Three online weather stories hawk meteorological gizmos . entailment +yeah that that would all start at at um that would all start at at eight o 'clock here that wouldn 't start at seven we have um at seven o 'clock we just have um the they 'll play you know they have old reruns of Cheers or something from seven to seven thirty and then something else from seven thirty to eight but then at at eight o 'clock is when everything starts Nothing good comes on TV after 7 : 30 pm . contradictory +oh boy those are two very active age Those kids are acting really hyper because of sugar neutral +He wore his hair in a small topknot . His hair was tied up . entailment +Consider movie titles . Consider movie titles for face value . neutral +It was something big to remember when you were only nineteen and had been soldiering three years , three years with a dogged army that refused to be beaten . He was exhausted and just wanted to go home . neutral +Therefore the universe has a cause of its existence . Because of this , there is a reason why the universe exists . entailment +But , notes the Post , neither the Globe nor the National Enquirer is seeing much of a bump . The Post found that the Globe has seen a significant bump . contradictory +The United Kingdom is a constitutional monarchy and parliamentary democracy under Queen Elizabeth II and two houses of Parliament-the House of Lords and the House of Commons . The House of Lords is the biggest and the oldest of the two . neutral +You 'll of course see Mary Stuart ( Mary , Queen of Scots ) and Bonnie Prince Charlie as himself and also as Betty Burke , his disguise to escape the English forces . You will see Bonnie Prince Charlie in two different forms . entailment +His statue inexplicably pinned halfway up a monolith in a very martyr-like pose , although he died in his bed ( in China ) stands with its back to the sea beside a sculpted frieze dedicated to the suffering of his Japanese converts . The pose he 's in represents how he died . neutral +uh actually i grew up in Alabama and i went to see my mother and then went on down to Disney World and it got better than i think twenty two twenty three miles a gallon and this was with the air conditioner on and and you know It was much better then . neutral +From Otemachi subway station , you enter the gardens at the Otemon Gate and wander through hedgerows of white and pink azaleas , around ponds and little waterfalls edged with pines , plum trees , canary palms , and soft green cryptomeria japonica . In order to enter the gardens at the Otemon Gate from Otemachi subway station , you wander through the well trimmed landscape of hedgerows of white and pink azaleas , around ponds and little waterfalls edged with pines , plum trees , canary palms , and soft green cryptomeria japonica . entailment +'Well , except for George III . George III was a great king . neutral +On top of the prisoner 's wardrobe ? And you found it in the prisoner 's room ? entailment +Newsweek excerpts the forthcoming memoir of former Air Force bomber pilot Kelly Flinn , who was discharged for adultery . Newsweek makes no mention of Kelly Flinn . contradictory +From Marseillan , our route takes you toward Marseillan-Plage and up the N112 along more than seven miles of flat , sandy beach ' on weekends in August the crowds and numbers of cars can make this a slow trip ' to the large fishing port of Syte . There is a way to go from Marseilles . entailment +The IRS should be commended for recognizing the importance and benefits of ensuring equal treatment for all taxpayers . The IRS recognizes that it is important to treat all tax payers equally . entailment +well you know they 're getting raised right There is nobody around to raise them properly . contradictory +they ought to get it for killing a civilian just as easily as a policeman yeah i agree i don 't know i heard something on the news the other night they were talking about Killing a policeman should get someone more punishment than killing a civilian . contradictory +7 The Malcolm Baldridge National Quality Award and the President 's Quality Award are given to organizations for their overall achievements in quality and performance . The Malcolm Baldrige National Quality Award and the President 's Quality Award have so far been given to 10 companies with quality achievements . neutral +The first reason is that analysts are essentially unaccountable for their recommendations . Analysts are accountable for their recommendations . contradictory +Wouldn 't padding--even thin--be gilding the lilies ? Wouldn 't even thin padding be gilding the lilies ? entailment +Given that the emissions reductions under the Clear Skies Act result primarily in reduced ambient concentrations of PM2 . The clear skies act made a huge difference in air quality . neutral +2 ) It will make Europe the United States ' new political rival . It is going to lead to a political rivalry between Europe and the United States due to its divisive nature . neutral +He re-read Sir James 's letter , and shook his head . Sir James seemed to have the writing ability of a small child . neutral +.. It must be said that this kind of approach is very tricky . We must mention that an approach such as this is very tricky . neutral +In Israel , the liberal Ha 'aretz reported that Labor opposition leader Ehud Barak told President Clinton that a U.S. plan to resume the peace talks with the Palestinians would be well received by the Israeli public if put forward without exaggerated pressure . President Clinton was told that resuming peace talks would be received favorably by the Israeli public . entailment +It is a common belief that the Private Express Statutes and the mailbox rule serve as protection to allow universal service at uniform rates . Without the Private Express Statues and the mailbox rule , universal service at uniform rates would not be common . neutral +i even gone have gone to the point where i don 't believe in giving them a life sentence if you have to do that you might as well shoot them Life sentences in prison can be considered cruel and unusual punishment . neutral +The latitude which may exist for restrictions on speech where the govern-ment 's own message is being delivered flows in part from our observation that , [ w ] hen the government speaks , for instance to promote its own policies or to advance a particular idea , it is , in the end , accountable to the electorate and the political process for its advocacy . Sometimes the government speaks only to promote its own policies . entailment +and teachers only get paid twenty four Teacher receive a high pay of one million . contradictory +The last has all the excitement of a game of chess played via postcards--until it is recast as single-warrior combat . It was dreadfully full until it was revamped . entailment +Like New York 's Lincoln Ceter it has several the Dorothy Chandler Pavilion presents classical music , opera , and ballet ; the Ahmanson Theater hosts big musicals ; and the Mark Taper Forum offers a more intimate setting for contemporary drama . The Ahmanson Theater has a lot of big musicals featuring today 's biggest stars from Broadway . neutral +I needed to help her . I did not need to help her . contradictory +SAFE Shelter executive director Gail Reese-Wheeler vividly recalls her first encounter with Jim Lindsay 's indomitable spirit . Gail Reese-Wheeler works for SAFE Shelter . entailment +uh-huh i saw that i saw that the other day i don 't don 't drink soda pop but i saw a two liter soda pop bottle so yeah things like that I guzzle soda pop like my life depended on it contradictory +I ejaculated . The person ejaculated . entailment +Organized bus tours start at the Tuileries Gardens , on the Rue de Rivoli side . The area of Tuileries Gardens is crowded with tourists . neutral +The question mark nose is actually the Nepali numeral one , meaning the only way to enlightenment is by following the rules of conduct laid down by the Buddha . The Nepali numeral one is the meaning of the question mark nose . entailment +He re-materialized in the late ' 80s , this time in the guise of the Angry White Male , the forgotten victim of minority preferences and reverse discrimination . White men often believe themselves to be hurt by reverse discrimination . neutral +But the true Trasteverini hang on , mainly in the area immediately around Santa Maria in Trastevere , reputedly the oldest church in the city . The Santa Maria in Trastevere is the second oldest church in Italy . neutral +No political obsessive 's day is complete without a visit to the man at Political Junkie , the premier roundup of politics , government , and political journalism links . At Political Junkie , a man provides a summary of different political and governmental links . entailment +I was a scout and I had trained well , but it wasn 't enough . My scout training was very good but not quite enough . entailment +The memorial to working-class hero , orator , and socialist Jim Larkin by Ois ? ­ n Kelly is opposite the famous chiming clock of Clerys , the largest department store in Ireland . The chiming clock of Clerys is a popular landmark and meeting place . neutral +yeah i guess it depends on the time of day too The time of day also makes a difference . entailment +In effect , the August 2 letter suggests that section 717 does not provide GAO with authority to review the processes an agency follows in establishing or implementing a program or activity . Section 717 does give GAO the authority to review the process an agency follows . contradictory +yeah i lived i lived that 's just outside of Washington i lived in Fairfax county that was really really a nice nice area down there and I lived in a pretty run down area in Fairfax county outside of Washington . contradictory +see i 've only been here four I have been here for four but I wanted to have been here for 10 . neutral +( After this article was posted , I learned that Macmillan Digital Publishing and not Red Hat Software provided the e-mail support for this version of Linux . It 's only after this article was posted that I learned who provided email support for this Linux version . entailment +The analysis also estimates that society will benefit from the program in terms of longterm productivity , maintenance of the resource base , non-point source pollution damage reductions , and wildlife enhancements . The analysis was performed by a group of super-intelligent mega monkeys . neutral +you ought to do your job You should do what you are paid to do . entailment +" What about Anse ? " I don 't care much what happens to Anse . " contradictory +and that way it would give you know the probation department and parole department they 've got to be overloaded with as many criminals as we have here in in Lubbock Lubbock only has one criminal . contradictory +The fact that Schmucko was Monica Lewinsky 's phrase placated no one . ) Monica Lewinsky 's words appeased the crowd . contradictory +'Exactly . ' Lincoln said . Lincoln was talking to his son , neutral +well it 's actually three hundred and forty for each one of the cars so It 's worth the price , since we don 't have to maintain them . neutral +you wonder if being exposed to that for a while what percentage of them would actually say hey that 's not a bad way to do it because from what i understand from some of the guys i know crime uh is punishable just almost uh instantly and After they 've been around it for a while , how many would think it 's a good way to do it ? entailment +yeah your neighbors that 's true Yeah , your neighbors , that 's true . entailment +Following up on known significant findings We need to act on the findings . neutral +We have established that there was a book , in fact , three books . There are three books that were uncovered . neutral +The formula was most directly a gift to the options traders around the world , which is not a group that usually inspires charitable acts . The formula was most directly a gift that was wrapped up beautifully neutral +News ' best colleges rankings . The news lists down America 's worst colleges . contradictory +yeah they can indeed they may entailment +Love , would you like me to be your Kassandra Lubbock ? I could be your Kassandra Lubbock . entailment +because they figured everybody else is just coming to just to be there They will still be showing up again soon . neutral +The two men dueled as the rest of the group watched . The two men fought alone in the night . contradictory +The pro-gambling folks will win credit for cooperating , without having to do anything that really hurts . The pro-gambling crows has a win-win situation here . entailment +you know in the past and i don 't have you know big cumulative amounts due to those charge cards because that interest rate just is a killer My cards have huge cumulative amounts on them . contradictory +The Barquq Mosque is the youngest in the complex , completed in the late 14th century . The newest mosque in the complex was finished in the late 14th century . entailment +Which is cause and which is effect here is an open question . There is no solid answer to which is cause or which is effect . entailment +and the local population kind of um you know sort of accepts that but i 've also seen the other side of it too They feel they 're repressed , while the government feels they have too much freedom . neutral +It would ease his own frustration and show strength in a time of weakness . He was currently engaging in a time of happiness and glory . contradictory +His reformist dictatorship , bypassing the senate to combat unemployment and ease the tax burden , made dangerous enemies . His enemies did not appreciate his style of leadership . neutral +Not only are we not liberated from our We will be liberated from nothing else . contradictory +Don 't be afraid of falling . " Don 't be afraid of falling . entailment +In 1988 , Congress directed the two Departments to develop regulations to implement amendments to the Indian Self-Determination Act ( Pub . Congress directed the two departments to develop regulations in 1988 . entailment +and uh kind of strange because i it 's not unusual to uh see um an engineering manual or something laying around the house and then i 'll sit up and read just to refresh uh you know to keep active on it but uh how about yourself I like to read to keep active on the topic . entailment +Transactions and other significant events should be authorized and executed only by persons acting within the scope of their authority . People without authority have no right to perform a transaction neutral +Additional national summits are to be held in 2001 and 2005 . Four national summits are occurring in 2008 . contradictory +Wilkins ' prescription , but you will remember that I mentioned an empty box of bromide powders . You will not remember my mention of bromide powder boxes . contradictory +Intent on capturing a piece of the Portuguese trade in pepper and other spices , the Java-based Dutch allied with the Malays in 1633 to blockade Melaka . The Dutch and the Malays had worked together before . neutral +In a couple of days the wagon train would head on north to Tucson , but now the activity in the plaza was a mixture of market day and fiesta . They were south of Tucson . entailment +James died in 1625 , succeeded by his son , Charles I , who proved an incompetent ruler . Charles I proved to be a spectacular ruler in all respects after inheriting the crown in 1625 from his father . contradictory +Airports , railway stations , and hotels can be a pain anywhere in the world these days . Many modes of transportation can be frustrating today . entailment +The owner is therefore well advised to ensure that preparation of the project scope definition package accurately and clearly expresses expectations for project performance , quality , cost , and schedule . A review board will evaluate the accuracy of all submitted projections . neutral +and that 's what i find lacking in a lot of you know like Home Alone there was a lot of the human character when he was home alone and he was trying to be tough and they s had a lot of human character there but when it was the real slapstick moments him versus the criminals kind of thing it just sort of lost the human element became purely a caricature I found the slap stick scenes in Home Alone lacking in the area of human character so I stopped watching it . neutral +Long pause . Paused for a long time and then laughed . neutral +Where are the Scotland Yard fellows ? " Where are the men from Stotland Yard ? neutral +yeah i don 't know why I don 't know why I was born deformed . neutral +The result is a patois baffling to anyone not brought up on St. Barts . The result is completely understood by anyone that is not a native to St. Barts . contradictory +The MAST ( Michigan Alcohol-Screening Test ) , developed in 1971 as a screen for alcohol abuse and dependence , has 24 yes / no questions . There are 24 yes / no questions to determine whether there is a presence of alcohol abuse and dependence . entailment +As the home of the Venus de Milo and Mona Lisa , the Louvre drew almost unmanageable crowds until President Mitterrand ordered its re-organization in the 1980s . The Mona Lisa and Venus de Milo can be viewed at the British Museum in London . contradictory +Later this year , the Foundation will initiate a study to evaluate the most effective way in which pro bono can be encouraged and supported . the Foundation will initiate a study to evaluate the most effective way in which pro bono can be encouraged entailment +To ensure that federal financial management improvement efforts succeed and that the President 's and the CFO Council 's priorities are achieved , the support and involvement of key nonfinancial executives and managers is critical . It is important to include nonfinancial personnel in federal financial management improvement efforts . entailment +Do the tabloids offer any hope for the male of the species ? Is there any hope for men in the tabloids ? entailment +Vouchers , passes , letters of introduction , and printed business cards all work like magic when a confirmed reservation has become unconfirmed . It 's important to always keep vouchers and passes in case your reservation has been cancelled for no reason . entailment +What Is National Saving and How Is It Measured ? National saving is a complex matter . neutral +some uh dwarf Burford hollies and Yaupon hollies Some Buford and Yapon hollies of different sizes . neutral +I do not understand how the market is the enemy of liberty , at least if the competitive market is understood . I do not understand much about the market so I don 't see the correlation between it and liberty . neutral +( Click for more on the U.S. role in that restriction . ) Click for U.S role . entailment +Studies of implementation of screening programs in ED clinical practice should be undertaken . Studies of implementation of screening programs in AF clinical practice should be undertaken . contradictory +It might possibly bring about another war not with Germany this time ! There is a probability that this could bring about another war . entailment +For example , the PAC-3 missile program had less than 40 percent of its processes in control and , as a result , the missile seekers had to be built , tested , and reworked on average 4 times before they were acceptable . The PAC-3 missile program had less than 40 percent of its process in control . entailment +With a similar concern for self-protection , the proliferation of for ? ­ tresses throughout the P ? ? ri ? ­ gord region bears witness to the many wars against the English , be ? ­ tween Protestant and Catholic , and resistance to the marauding bands of brigands . The fortresses are largely built in the Gothic style . neutral +and we uh got a quote on some laser printers the other day at six hundred The laser printers are worth the six hundred dollars . neutral +The tensions between , say , competition and compassion , or efficiency and equity , which blighted politics for so long , are sterile quarrels of yesteryear . Political tension between head and heart has been outlawed for bogging down politics . neutral +Despite strong opposition from organizations dedicated to the protection of developmental sanctity of unborn children , from groups devoted to the protection of family traditions , and from task forces committed to the preservation of racial purity , the new method ( license purchased by the pharmaceutical giant Robots Healthcare ) began to gain tremendous popularity , especially since it was introduced onto the market in conjunction with an attractive credit plan , offered by HSBBC . HSBBC offered a great credit plan that was introduced in the market in conjunction with the new method . entailment +The municipal bus station is next to the bayfront promenade , virtually on the sea itself . There is no bus station near the sea . contradictory +it was they had the death penalty way back and then it swung the other way and everybody 's swore you know we 're no better than they are if we if we put the death penalty in and The swing to the death penalty changed their opinions . neutral +but i can 't really understand why um it has to be the same percentage where you have someone that makes um a very low amount of money the same percentage may affect them thirty five or forty times more severely than the same percentage Why does it have to be the same percentage for low amounts and high amounts ? entailment +An ' most of th ' time I didn 't know a rope from a saddle outta my head complete . Sometimes I do not know a rope from a saddle . neutral +but not a lot i could do about it although not much I could do to change the situation entailment +and uh besides it being uh close and being a uh major university in the big ten a prestigious conference i joined the marching band I picked this university mostly for the marching band . neutral +In short , in Japan today--and perhaps in the United States tomorrow--behind many of the arguments about why we can 't monetize our way out of a recession lies the belief that pain is good , that it builds a stronger economy . Pain building a stronger economy works at the expense of the working class . neutral +Since Orange is the gateway to Provence , make an appropriate entrance into town from the north , at the imposing three-arched arc de triomphe . The appropriate entrance to town is from the south . contradictory +Yes , decidedly , the little man was clever . He was a clever little man . entailment +-Changes madein Texas might not have happened if the legislature hadn 't become involved . Legislature was involved in changes made in Texas . entailment +I wouldnt be doing it if I didnt enjoy it . I wouldn 't do it if I disliked it . entailment +Questions from the crowd that gathered included What the hell are you doing ? The crowd had no idea why the gathering had been called . neutral +Each of them ate in silence . They all ate in complete silence . entailment +He took up his conversation with Mr. Carter at the point it had broken off . The conversation had stopped when the police officers interrupted them . neutral +Even if it were , we couldn 't afford it . Even if it were , we 'd easily be able to afford it . contradictory +At the end of the 19th century unemployed samurai ' adventurous but still attached to the old traditions took their families to Hokkaido to carve out a new life for themselves . Many unemployed samurai moved to Hokkaido for a new start at the end of the 19th century . entailment +The Sikhs were slaughtered , the Hindu temples in both Varanasi and Mathura were destroyed , and the building of new temples was forbidden . The Sikhs were brutally killed , the entire thing was an outrage . neutral +You take this stuff and stick it in the cage . Take this watch and put it in your anus . contradictory +oh mother macree no i should say not well i i sincerely hope that you don 't have that terrible storm we had I really hope don 't get that really bad storm like us . entailment +Grasmere village is one of the prettiest communities in the Lakes , but also one of the busiest . One of the prettiest , and busiest , communities in the Lakes region is Grasmere village . entailment +it 's hard to imagine well what do you think about what 's going on on LA Law this year it 's LA Law was cancelled 10 years ago . contradictory +Such work is generally performed under the AICPA 's Statements on Standards for Attestation Engagements . The work is done without regard to any standards or rules . contradictory +yeah i want to go see The Doors that 's what i want to go see I don 't want to see the Doors . contradictory +National emission standards for affected units . Affected units are subject to national emission standards . entailment +Under section 607 , the Commission 's submission does not specifically indicate the potential economic impact on the small entities affected . The economic effects on small entities is clearly indicated by the Commission . contradictory +that one was interesting because i talked to a man in in Washington DC and it was hot here and it was snowing there so that was pretty interesting It was interesting because when I talked to him on Mt . Hood , it was snowing and it was also snowing here contradictory +well gosh thanks I am not thankful . contradictory +He wore a tunic of dark red , white trousers tucked into soft leather boots , leather gloves , and his rapier low on his left hip . He was ready to grab his sword . neutral +Life revolves around children . Children are an important part of life . entailment +Bills tend to include tax and service charge , but it is usual to leave a small more than 5 percent is generous . A service charge is often included in the bill . entailment +Shearling fleece looks more like sheep 's wool , with a pebbly texture . The one that looks like sheep 's wool , with a pebby texture , is shearling fleece . entailment +The covers of Time and Newsweek feature tell-alls by Clinton insiders about their bruising stints in the White House . Time and Newsweek have covers featuring Clinton . entailment +the Dallas Cowgirls huh Huh , the Dallas Cowgirls ? entailment +it doesn 't cost a lot of money but they have a kids council that they have all these after school activities for kids they set up There are multiple activities that the children can do after school . entailment +Perhaps to plead for a Lewinsky defense fund , which , as prime recipient , Ginsburg did in the most shameless manner imaginable . Ginsburg demanded a Lewinsky defence fund in the most shameless manner possible . entailment +the death penalty no i said that i could i could believe in it in certain instances but i would be i 'd find it hard to levy that against somebody I believe in hanging as a capital punishment in some cases . neutral +Scary rodent-borne viruses are making a comeback across the country , not just in Southern California . Rare viruses have sickened two million people . neutral +LSC funds local legal services programs to serve Legal services programs serve a hundred thousand families each year . neutral +RESPA generally prohibits compensated referrals in connection with real estate settlements involving federally related mortgage loans . They do not want them to take advantage of the consumers . neutral +'Calm down , J , calm down . J this battle is nothing to get excited over . neutral +Small villages with narrow cobbled streets sit among them , built inland to offer protection against pirate raids . The small villages were constructed in such a way that they were protected from pirate raids . entailment +Good manners can be cultivated . It is completely impossible to cultivate good manners . contradictory +An article doubts the pope 's visit to Cuba will change the country immediately , but it could encourage a more open society . The article things that the Pope 's visit to Cuba encourages a more open society . entailment +Don 't forget to explore the hilly , narrow streets of the arm of land called Sa Penya occupied by many Ibizan fishermen and their families . Sa Penya is worth visiting . neutral +I guess I can finally throw out my Moby Grape albums . I never did like Moby Grape , I just thought I did . neutral +At least , in a sense . It was a strange sense . neutral +For example , if we 're interested in identifying patients with binge drinking , we can define binge drinking as 3 , 4 , 5 , or 6 drinks on an occasion . Binge drinking can be defined as having 3-6 drinks on a particular occasion . entailment +burdensome alternative on state , local , and tribal governments and the private sector . The private sector is losing money as a result . neutral +Hungry Mao 's Secret Famine , by Jasper Becker ( Free Press ) . Hungry Mao 's Secret Famine is the fourth book by Jasper Becker . neutral +Goya 's harrowing black paintings , done when he was depressed and going deaf ( see Saturn Devouring One of His Sons ) have been moved , temporarily , from the ground floor to the second floor . Goya 's black paintings were done when he regained his vision . contradictory +and do you know how much how long this is supposed to go on Do you know when it will end ? entailment +Poland is thought by most experts to be among the few countries that will be allowed to join in the first round of decisions . Poland might opt out of joining in the first round of decisions . neutral +R971 , prepared estimates of welfare gains under more efficient worksharing discounts . There are prepared estimates of welfare gains . entailment +His first effort was the prototype pop hit After The Ball , which , 104 years later , you can still hear every night of the week in the current Broadway revival of Show Boat . Back then , it began earning him $ 25,000 per week almost immediately , and went on to sell 5 million copies of sheet music . After The Ball made h m $ 25,000 weekly . entailment +right and talk to them and yell at them Shout at them to finish the job . neutral +Eve wears it too , as do many female saints--the wayward Magdalene included--and many princesses . Women do not wear it . contradictory +The Irish News of Belfast called for an improbable compromise by which the Catholic residents of Drumcree 's Garvaghy Road would lift their objections to the parade going down it , while the Orange Order would voluntarily decide to return home by another route . Some people on Garvaghy Road were Catholic . entailment +The registration process is going rapidly , Lindsay said , adding that most registrations took between 5 and 7 minutes . The registration process is long and tedious . contradictory +and um they have a lot of cooking shows There are a lot of cooking shows . entailment +so i don 't know i 'm looking for for a good year i guess we 're always looking for a good year A year where we all become physically fit is a good year . neutral +Caen was a major objective of the Allies in the 1944 landings . They worked very hard to acquire the land . neutral +Every year there are income flows to or from this bank corresponding to interest received on deposits or paid on advances . There are income flows to / from the bank every year . entailment +The starting price is always high . The prices start off high . entailment +um so there 's not i mean doors don 't have latches on them people don 't tend to knock you just if there 's a door closed you open it because it 's in your way you people walk in and out and as a as a westerner in India i was often surprised and felt my sense of privacy there was quite invaded In India , people open closed doors without knocking . entailment +We will be known , if we 're not already , as an outstanding law firm . We will be known for our customer service . contradictory +While Social Security provides a foundation for retirement income , pensions , income from accumulated assets , and current earnings largely determine which households will have the highest retirement incomes , as figure 1.5 shows . Households in New York City have the highest retirement income . neutral +And Johnny joined Howard when they raised that Confederate troop here . Johnny and Howard are friends . neutral +As its name implies , this is a giant clown 's head on a tutu-clad body . Just like the name suggests , this is a body wearing a tutu and a massive clown 's head . entailment +Her work has been in substance abuse prevention in schools , where she encountered many social and legal beliefs that ran counter to her prevention education efforts . She wasa substance abuse counselor at a nursing home . contradictory +I strolled on a little way , and finally flung myself down at the foot of a grand old beech-tree . I found a grand old beech-tree after taking a walk . entailment +Until last month , the Clinton administration preferred calls for action backed up by indecision . The indecision on which the calls for action were made , jeopardized the country . neutral +do without and that kind of stuff where it 's now the credit cards and Credit cards have contributed to society 's need for instant gratification . neutral +well the the legal system in this country has gone to such extreme measures they 've swung so far away from Our country 's legal system has become extreme . entailment +'They 'll be ready in a week or two . ' It will be ready in a few weeks . entailment +well i graduated from college in nineteen seventy two In 1972 I graduated from College . entailment +Nor is he of any use as an instructional hero--neither a democrat nor a capitalist , he gives little comfort to modern Germany . He is of great importance to modern Germany . contradictory +Pension Characteristics of Persons in the Labor Force Without Pension Coverage Because of the new regulations , someone else 's pension coverage is in jeopardy neutral +Adrin smiled at her and raised his palms up . Adrin smiled at her because he liked her . neutral +right now we 're in the thirties We are in the thirties right now . entailment +The man in the painted vest had transferred his attention from stallion to mare . The man could change attention . entailment +Take a walk through the nearby Rock Garden of large concrete blocks , or , to the east , take a rowboat on the artificial Sukhna Lake . Take a sailboat ride through the Rock Garden or walk on the Sukhna Lake . contradictory +John maintains his innocence from death row . John , on death row for murder , says he is innocent . neutral +But it would not be inaccurate to describe a woman as a nebbish or as nebbishy . A woman could be described as nebbish - timid or submissive . entailment +Understand I got outta line th ' other night ... stepped on a lotta toes . That gaze flickered for the merest instant to the Colts at the Kentuckian 's belt . The Kentuckian had Colts on his belt ; he brings them with him for protection . neutral +Given wine 's weight and bulk , it 's often best to wait until the duty-free shop at the airport . It is best to purchase wine at the airport shop . entailment +uh well they not they didn 't expect you to be on time but they did expect you to be there and you the schools well you know they also did a very good job of of shoveling the the streets They wanted you to show up , even if not on time . entailment +There was a massive dispossession of the Irish from their fertile lands in the east , and they were driven west of the Shannon ; in Cromwell 's phrase they could go to Hell or Connaught . The Irish ended up being driven to the western side of the Shannon . entailment +From the ticket office you enter the temple complex through a colossal pylon , one of the most recent structures at the site and the largest constructed anywhere in Egypt during the Ptolemaic period . There is a large pylon at the entrance of the temple complex . entailment +The English king ordered his general to burn Edinburgh town so there may remain forever a perpetual memory of the vengeance of God lightened upon the Scots . The general was against burning down Edinburgh , but his king ordered him to anyway . neutral +Well , we 'll have to make do with what we have . " She darted for the outer office , rummaged in a cabinet , and came back with a medium-sized rug of worn but gaudy design . We have to make due with this medium sized and gaudy rug . entailment +he went the other route i think uh i think the advise i 'd give to parents would be to start when they 're like four years old today He took the other route because his car broke down . neutral +Tell me ” you see now that he must not be arrested ? You see that you must be arrested ? contradictory +But I didn 't really pay $ 100 to use 20 entries . I did not spend a hundred bucks . entailment +and they don 't have a goal they don 't have a goal they don 't have an interest in their own field of study they 're just looking what 's going to pay the biggest cash They just try to make it through college half-heartedly . neutral +The car is parked in the back on the left . The car is parked on the left in the back , you can 't miss it . neutral +( He was more interested in becoming a major Washington dude , writing speeches for LBJ , running COMSAT for Kennedy , and joining the board of the RAND Corp. ) He became a Washington man . neutral +Pitfalls Publication basis may severely limit generalization Pitfalls Publications is known to have many inconsistencies . neutral +Besides the CBS suit , it won $ 1,700 plus legal fees from USA Today after the newspaper reprinted the I Have a Dream speech without permission . The USA today had full permission to print the speech . contradictory +Now , assume that information about Monica is published . Now , suppose the press and media catch with of that information about Monica . neutral +and we like we bought we filled a full a cooler full of food of all this delicatessen food and then The food was disgusting and kept in a brown sack . contradictory +The examination consisted of several steps , primarily focusing on comparing information on three critical documents-the obligation or ordering document , the receiving and inspection document ( normally called a receiving report ) , and the invoice . The invoice is not part of the examination , is it ? contradictory +Not a lot of Indians , however , could afford the trip to Britain to take the examination . Not lots of Indians could afford to travel to Britain and take the exam except for Punjabi 's . neutral +Most who have to go through it are poor people of color . Some white people also have to go through it . neutral +The logistical problems of spanning the Firth were numerous , but their solution resulted in one of the greatest engineering achievements of the Victorian era , the Forth Railway Bridge . The Forth Railway Bridge was one of the greatest engineering feats of the Victorian Era . entailment +Research conducted by emergency medicine physicians will help establish a sense of role responsibility within the field , and this attitude will be disseminated within the specialty by the work product that is published and presented at practice-specific professional meetings . The physicians are not participating in the research . contradictory +La Porte Noire , a Roman arch on the Rue de la Convention , leads you to the 12th-century Cathedrale Saint-Jean . La Porte Noire is a Roman arch . entailment +right yeah well if if you turn down the counseling they they will fire you They will fire you if you do not go for counseling . entailment +There are usually a number of reasons that situations like this occur . These situations can occur due to a number of reasons . entailment +Then in the supporting text , she suggested addressing the different people who might be doing the screening and the need to tie it to intervention . She suggested talking to people doing the screening . entailment +A significant concern is that terrorists or hostile foreign states could severely damage or disrupt critical operations , resulting in harm to the public welfare . Public welfare could be harmed if critical operations are disrupted . entailment +No matter how many tunnels and transit systems speed croseharbor traffic , nothing matches the ride on the Star Ferry from Kowloon to the Central District acroseVictoria Harbor . Victoria Harbor gets its name from the famous Queen Victoria . neutral +Heaton Cooper and his son are among the most prestigious landscape painters of the century ; visit their studio opposite the village green in Grasmere ( open daily ) ; Tel . ( 015394 ) 35280 . Their studio in Grasmere is only open on Saturdays . contradictory +These companies included a telecommunications company with $ 33 . A telecommunications entity with under $ 35 was one of the companies . entailment +Tiger Woods won the Masters golf tournament and was anointed a Transcendent Sports Phenomenon . Tiger Woods won the Masters golf tournament . entailment +A comprehensive international review of 54 studies concluded that the pill doesn 't heighten a woman 's long-term probability of getting breast cancer . A review comprising 54 studies definitively showed that the pill increases the risk of breast cancer over the long-term by 10 % . contradictory +Whites who never practiced discrimination are nonetheless beneficiaries of it . No whites benefit from discrimination . contradictory +'I can 't , but the computer can . ' Daniel said . Daniel wanted to learn what the computer knew . neutral +paragraph 8.17 for additional reporting considerations . Paragraph 8.17 reports no additional considerations . contradictory +Don 't fail to go all the way . Stop before the finish . contradictory +Dr Edward Perennial got his PhD degree in loyalistic algebra with considerable difficulty and considerable help from his brother , Dr. Perennial , who had gotten his PhD in loyalistic geometry two years earlier . Dr. Edward Perennial has a brother with a PhD in loyalistic geometry . entailment +Kissinger offers them a stiff foreign policy framework , a set of principles sharply contrasted to Clinton 's ad hocism . Kissinger 's framework reflects those of previous war time administrations . neutral +As Ca 'daan watched , the woman drew another spear from her quiver and threw . The woman had a quiver full of spears . entailment +Many others exist , too . There are no others who exist . contradictory +Reviewers may not be familiar with the characteristics of an emergency department as a unique clinical community . Reviewers frequently review emergency departments for compliance with standards . neutral +The answer without them . The response does not come from these . entailment +The artifacts in the museum come from archaeological sites around the country and they will add a great deal to your understanding and appreciation of ancient Egypt . You will greatly appreciate the ancient Egypt artifacts in the museum . entailment +In the hot , humid summer months it can feel as if the entire population of Tokyo and Yokohama is here , searching in vain for a vacant patch of sand . Due to the heat , the high concentration of people on the beach makes it suffocating . neutral +The northerner fell back , the waved blade just missing his side . The waved blade almost hit the northerner 's side . entailment +Auditors can reduce the direct tests of the data if they test the effectiveness of general and application controls over computer-processed data , and these tests support the conclusion that the controls are effective . Auditors are not allowed to reduce direct tests of data . contradictory +yeah they 're very close to the water within like uh a hundred yards They are not far from the water . neutral +an i and i feel bad for the policeman because he 's out there every day facing these people Police face these people every day , I feel bad for them . entailment +Still others , such as Entertainment Weekly ' s Ken Tucker , predict the unpredictable Drudge , a refreshingly snarky news anchor , will shake up political television . Ken Tucker thinks that Drudge will be just like all the other news anchors . contradictory +These concerns are not really new to Las Vegas ; they had simply been overshadowed by growth in recent years . Las Vegas has always had these concerns , but they are more overshadowed by growth today . entailment +His shout was drowned in the roar of the motor . He tried to stop the car . neutral +How can I go along with you when I 'm in the dark ? How can I go with you when I don 't have night vision like you ? neutral +There was a strange gleam in her electric-blue eyes . There was a gleam in her blue-but-bloodshot eyes . neutral +Lukasz , Mieczyslaw said towards the window , ' is there something I should know ? ' Mieczyslaw spoke , turning away from the window . contradictory +Those are the respects in which we are all alike . Those are ways in which we differ . contradictory +His manner was unfortunate , I observed thoughtfully . He did not seem like a man who could be methodical . neutral +Yet just two years later , the Soviets invaded and surrounded Warsaw . The Soviets never invaded . contradictory +well i 'm not originally from Dallas so uh i kind of i moved around a lot when i was well up until last year and uh so i 've i 've kind of picked teams all over the country My favorite team is the one that represents the country i 'm currently in . neutral +To see The titans clashing . There was no clash between titans . contradictory +i have a girlfriend who has one that her husband doesn 't know she has now uh she must rent a p post office box or something or i mean she couldn 't beat him to the mail every month i wouldn 't think My girlfriend rents a post office box to receive mail that she doesn 't want her husband to see . neutral +The evaluators could at this point either modify the first graphic , based on information from the second site , or prepare an independent flowchart . They are evaluating the possibility of changing zoning laws . neutral +Examination of the sample and evaluation of the results permits correction of errors and other deficiencies found in the items sampled and the procedures and controls directly related to the items . The errors are not fixed with the samples . contradictory +This is too bad , because Pokemon is undoubtedly much smarter and more charming than what will supplant it . Pokemon is inferior to what will supersede it . contradictory +Landowners bringing in cheap migrant day-labor faced mounting peasant resentment . There is no cheap labor being used . contradictory +no i i guess if you make money at it it becomes a vocation then If you aren 't paid it becomes a job . contradictory +Sixty-four additional statuettes carved into the structure represent characters from Scott 's books . The additional statuettes were carved in honor of the old myths . contradictory +The analyses issued with the proposed and final rules provide quantifiable descriptions of the rule 's impact on covered entities , including rural hospitals . The analyses was not issued ; therefore , it did not provide quantifiable descriptions of the rule 's impact on covered entities . contradictory +But with Clinton , the effort at seduction is transparent . Clinton does not patronize or shift ; she is constant , despite her audience . contradictory +And in part it 's because Nevada 's business climate is a supply-sider 's no corporate income tax , no personal income tax , no local earnings tax , no inventory tax , no capital-stock tax , no franchise tax , no admissions tax , no inheritance tax , low property tax , and a right-to-work state . Businesses often incorporate in Nevada , since it 's laws are very business friendly . neutral +because this house i really liked it and everything but the yard was a lot to be desired oh there was nothing these people we have one ugly pine tree Although I really likes the house , the yard needed work . entailment +To kick off her bid for a New York Senate seat . To start her bid for a New York Senate seat . entailment +They are in oil wells and the crevices of basalt deep within the earth . There are no natural resources underground . contradictory +Three-four years , an ' th ' luck a man has always got to hope for , an ' you 've more 'n jus ' a stake you 've got roots an ' a spread ! " It 'll take another 3-4 years to settle down and become a proper rancher though . neutral +If White is seen to kill me in person , righteously and with witnesses , that puts him up as a legend by default . If people see White kill me , people will be horrified . contradictory +okay they might just be fishing to see what they can get for him They are not attempting to get him anything . contradictory +After some reflecting , I decided to take John into my confidence , and leave him to make the matter public or not , as he thought fit . After some thought , I decided it would be best to keep my thoughts to myself for at least a while longer . contradictory +Griffiths , who played a free spirit in Muriel 's Wedding ( 1994 ) and the simpy Hilary du Pre in last year 's Hilary and Jackie , has a large nose and receding chin and looks quite homely from one or two angles . Griffiths has acted in many films in the past neutral +huh-uh oh what kinds of things do they uh show I want to see what they show . contradictory +and it 's kind of a waste of a person It may work , but the person might be a waste . neutral +In research and development programs , this might consist of data for the year concerning the number of new projects initiated , the number continued from the prior year , the number completed and the number terminated . This might have data for the year in the program . entailment +Lobbyist Disclosure Reports . Lobbyists have to submit Disclosure Reports . entailment +Sort of thing one reads about in books . These things happen all the time . contradictory +and basically it it was a motor and you didn 't have all the other junk around it and you could get to it to work on it Since it was just a motor , without any junk around it , you could start working . entailment +Naturists flocked to the area . Naturists explicitly avoided the area . contradictory +He hired a room , and I hired one too . We both reserved a room . entailment +Perhaps Number Fourteen will shut the door ? " In another moment Tommy was once more confronting bare wooden panels , and the voices within had sunk once more to a mere undistinguishable murmur . The voices had become an undistinguishable murmur after the door was shut , so Tommy tried to find a glass . neutral +The pope may waive several necessary steps , but Mother Teresa must still be credited with a posthumously performed miracle . The pope is the only one to assess the necessary steps a miracle needs to undergo to qualify as a miracle . neutral +Most of the construction activities , such as earthwork , foundations , process electrical and control tie-ins to existing items , can occur while the boiler is in operation . All construction needs to be done before the boiler can be installed . contradictory +LSC 's 1998 call for state planning coincided with an active period within California 's justice community . It was no coincidence that during an active period within California 's justice community in 1998 that LSC called for state planning . contradictory +Jon had known many good fighters and he had trained very well , yet he never heard Thorn arrive . Jon had trained to a good standard . entailment +Reduced personal saving would tend to offset the increased government saving due to higher taxes . Increased government saving by taxes also increases personal saving . contradictory +Oh , Sherlock Holmes by all means . Not talking about Sherlock Holmes at all . contradictory +If after three months of age your baby wakes at night and wants to be fed , she is developing a sleep problem . Babies who still wake up in the middle of night to feed at three months have a sleeping problems . entailment +Entering via the Agra Gate , at the northeast corner , one passes on the right the karkhanas ( workshops ) where carpenters , weavers , and stonemasons worked . The carpenters and stonemasons worked extremely hard . neutral +Dimly aware of this problem , Murray brings in a more sweeping illegitimacy thesis--government is unjustified--to trump all the others . During the conference , Murray pushed his theory forward as the correct one . neutral +Check out Kurt Waldheim 's old office at the United Nations This was one Kurt Waldheim 's office her at the U.N. entailment +Among the prettiest is Marathokambos , nestling in the shadow of Mount Kerkis . In the shadow of Mount Kerkis , rests Marathokambos . entailment +He also denied having quarrelled with his wife . The man insisted that he had not gotten into an altercation with his spouse . entailment +The subdued and mystical light of the low vaulted nave evokes the sober piety of the Franciscan tradition . Evokes the intoxicated piety of the Hindu tradition . contradictory +Time describes Milosevic as one of the great losers of history but then wonders if he 's crafty enough to outmaneuver NATO anyway . Time featured Milosevic on its front cover . neutral +That private firm will base its rates on the costs that it incurs , given that it both receives and delivers the mail in Cleveland-it will not charge a 1,000-mile rate . This system is cheaper to the consumer and supplier . neutral +The mercenary looked back , turned to the fat man , and shook his head . The mercenary shook his head after he turned to the fat man . entailment +um-hum that 's true that 's really important um also what um opportunities there would be for advancement Opportunities for advancement aren 't important . contradictory +Floor , walls , and ceiling swirl with special effects . Floor , walls , and ceiling are painted plain white and are amazingly boring . contradictory +What is the opening line of dialogue ? The closing line of dialogue . contradictory +People at Chicago like to say that it 's harder to get into Harvard but harder to get out of Chicago . It is hard to get out of Chicago . entailment +Many thanks to readers Bill Moran , Darren Thorneycroft , and Nicholas Lemann * ( author of The Big Test ) for flagging this one . This was beyond reproach . contradictory +it is they keep it at eighty one degrees year-round The temperature is always maintained at eighty one degrees . entailment +The coolest and most exhilarating swim is to be had in the natural pools of the waterfalls of Taman Negara , Mount Kinabalu , national parks , and forest reserves . It 's great to swim in the natural pools of Taman Negara , which are crystal clear and very cold . neutral +In September 1996 , we reported that audit reports and agency selfassessments issued during the previous 2 years showed that weak information security was a widespread problem . In September 1996 , we said the past 2 audit reports showed information security was an issue for our email system . neutral +Statistical Summary of 52 AID Lessons on Project Effectiveness . Statistic summaries didn 't aid the project contradictory +His son Shahjahan lost his taste for Agra after finishing the Taj Mahal for his wife Mumtaz-Mahal after she had died . The Taj Mahal was built to celebrate the birth of Mumtaz-Mahal . contradictory +right right and does it does it change i guess um you can can you judge like depending on what you think you 'll be doing that day They did not ask what they were doing during the day . contradictory +But Dave was too weak to give much assistance . However , Dave wasn 't strong enough to help very much . entailment +In 1995 , Willey took revenge on a lover named Shaun Docking by faking a pregnancy and miscarriage and asking Steele to lie about it . Willey faked a pregnancy and a miscarriage to get back at Shaun Docking . entailment +This from a former chief clerk for a U.S. The former chief clerk was very hardworking . neutral +Would clear out at once . Would never clear out immediately . contradictory +rehash it was just rehash rehash total oh There was new ground being covered every time . contradictory +Here 's my nominee for worst movie of the year ( complete category should Worst Movie of the Year That Assumedly Adult Male Reviewers Slathered Over ) : There 's Something About Mary --a pathetically sophomoric , penis-obsessed mess that wouldn 't even appeal to Larry Flynt ! I think the best movie I have ever watched is There 's Something About Mary . contradictory +as far as you know what what is the duties of this political office and uh and what are the characteristics or what what are the issued statements and uh spoken goals of the uh candidates You don 't know about this office and the characteristics found within . contradictory +He replied to them severally : " Was in the bushes by the drive . He didn 't speak , remaining hidden from them . contradictory +i was just thinking the same thing it 's like we haven 't had Chinese in a while let 's have a shake up we get this uh there 's this take out Chinese place that i mean you know stone 's throw from my apartment here there are no Chinese restaurants within walking distance of my apartment contradictory +Aswan , Egypt 's southernmost town , has played an important role throughout its long history . Aswan is located right on the Egyptian border . neutral +This therapist gives counseling via Escape , because you know , I don 't have the time to do it in person , ' here Czarek paused waiting for a question which would suit him . The therapist doesn 't have time to counsel in person . entailment +yes my grandfather was a builder and so my parents always lived in houses that he built and then they knew they were getting a good deal so My parents always lived in nice houses built by my grandfather . entailment +Finally , the analysis states that the FCC is unaware of any other alternatives which could provide sufficient spectrum in the immediate future but invites comments on this point . Dozens of other alternatives are stated in the analysis , each with excellent ability to provide spectrum . contradictory +Training , documentation , and maintenance requirements should be fulfilled . There are several requirements that should be met . entailment +yeah actually i noticed that i mean this this this most recent scam of his where he said where he just decided that instead of having uh instead of having i can 't i can 't think of the word now um if they 're having demonstrations for in in favor of Boris Yeltsin he decided well i 'll just cancel all demonstrations altogether He did not want people demonstrating against him . neutral +Before the modern Sevila was built behind its crenellated wall , Celtiberians settled in the area and are credited with having sculpted the crude stone statues of bulls and pigs around the city . Celtiberians settled in the area before the modern Sevilla was built , and they are credited with having sculpted the crude stone statues of pigs and bulls around the city . entailment +But he did disprove , for an unimportant but magnificent moment , W. H. Auden 's dictum that poetry makes nothing happen . His attempt to contradict W.H. Auden ended in failure . contradictory +you know like uh beef teriyaki or or chicken fingers or that type of thing uh egg rolls Egg rolls or beef teriyaki or chicken fingers , those types of things . entailment +The numerous personal effects on display leave no doubt about Marta 's importance in the pantheon of Cuban he is Cuba 's founding father . Marta is Cuba 's founding father . entailment +Slate ' s political correspondent , David Plotz . Slate 's humor columnist , Plotz . contradictory +The sound was deep and the man groaned . The man laid in complete silence . contradictory +enough money that 's right Adequate money , that is correct . entailment +I could have gone to a law firm and I would have made more money - a lot more money , Jones said . Jones would have been paid less to go to a law firm . contradictory +In other states , the very development and implementation of such initiatives may require reconfiguration of organizational relationships and service areas . In other states , the development and implementation of initiatives might require configuration of organizational relationships and service areas in rural areas . neutral +they won 't say They will not say what they 're doing here . neutral +Lake had shown poor ethical judgment and would have been lousy at the CIA job anyway . A lack of ethical judgment was demonstrated by Lake . entailment +yeah i 'm not sure I am certain of it . contradictory +There goes Sen. There goes Ren . contradictory +The remaining part was creaking in a most unsettling manner . It seemed sound and in good condition . contradictory +Woody Allen and Soon-Yi Previn are in possession of a child , Bechet Dumaine Allen . Woody Allen has a twelve years old daughter . neutral +Directory of statewide programs that includes information such as number of employees , number of offices , amount / percentage / type of funding , level of tech usage , types of services , collaborations / partnerships , etc. that would allow us to look for a comparable program to brainstorm a particular issue ; The directory of statewide programs lets them look for a similar program to fix an issue . entailment +Time says Dolly the cloned sheep could be a fake . Dolly 's wool felt too artificial when tests were run on her . neutral +The island became a Crown Colony ruled directly from London , and over the next few years there were several reforms to its political and social systems . The island became independent of all external rule . contradictory +on something that doesn 't seem that bad to me what are you telling that student Are you telling the student otherwise . entailment +Madame Berthelot had the large vaulted kitchen built almost on a level with the river , so that an indoor well provided the closest thing to running water , and an unusually hygienic stone drain sent back the slops . The kitchen was built in order to have constant access to running water . entailment +It 's hard to feel sorry for Bush , given his preposterous spins on the question . My heart breaks for Obama . contradictory +I believe " He paused , then in a low , sinister voice he said slowly : " Sometimes I believe that you would sell us ! " Mrs. Vandemeyer smiled and shrugged her shoulders . He sometimes believes that Mrs Vandemeyer would sell them or trade them for something of lesser value . neutral +You think there 's somethin ' in all that talk Topham was givin ' lip to ? Anse asked . Anse asked , " Do you believe that there was something factual in what Topham was supporting ? " entailment +However , EPA 's Office of Prevention , Pesticides and Toxic Substances home page did have a Laws and Regulations link that contains a link to a list of proposed rules available for comment . The EPA 's website listed links to proposed rules . entailment +Today it houses a small museum ? ­ . It now houses a small museum . entailment +He composed , in case you hadn 't guessed , on a child 's toy xylophone . A toy xylophone was his instrument of choice when composing . entailment +On Friday afternoon , the conference agenda consisted of thematic discussions or mini-sessions that provided an exposition of the state planning concept , entitled , Breaking the Concept into Parts -Client-Centered , Comprehensive , Integrated , Statewide . Numerous exposed issues that needed to be dealt with statewide . neutral +yeah my the only the only thing i ever accomplished i i mean i 've had gardens for a long long time when i was a kid i started uh i had some squash and tomatoes and watermelons The only thing I ever accomplished was my college career . contradictory +boy the cable TV they 'll just show anything Cable TV is heavily censored . contradictory +But they 're also diverging . They have been diverging for two months . neutral +did you Mexican yeah yeah yeah yeah what kind of what kind do you like uh like Chinese or Italian or do you like Chinese food better than Italian food neutral +These are most dramatic during the spring and autumn equinox , when the sea comes in at a rate of nearly 50 m ( 164 ft ) a minute over a distance of 15 km ( 9 miles ) . The sea stays completely still during the spring equinox . contradictory +Chitwan , Heart of the Jungle in Nepali , is a tropical forest on the southern border with India . Chitwan is located in central India . contradictory +An When Harvey got wind that Time magazine planned to reveal the plot twist in The Crying Game --that a character is a transvestite--Harvey called a Time editor 18 times in a single day , unsuccessfully demanding that Time not run the detail . Harvey got angry because Time magazine has kept his story secret . contradictory +How were discrepant findings resolved ? There were no discrepant findings . neutral +and what 's his name again Somebody asked about somebodies name . entailment +As a result , human subjects committees have been under intense scrutiny . Human subjects committees are scrutinized for those reasons . entailment +The gravity of his tone impressed Tommy , but had little effect upon Julius . Although Tommy was impressed , Julius was uninterested . entailment +Heston has even had moderate instincts about gun rights . Heston 's instincts about gun rights were moderate at times . entailment +GAO treats work that is directed by congressional mandates differently from congressional requests . GAO is required by law to follow congressional mandates . neutral +The western end of the bay sweeps round to a headland , which is thought to be the location for the famous Alexandria Lighthouse . The eastern end of the bay sweeps around to a headland , which is thought to be the location of Alexander the Great 's burial ground . contradictory +They are left either arguing , preposterously , that Clinton 's crimes are just as bad as Nixon 's or claiming that Nixon 's crimes far exceeded the threshold for impeachable offenses and shouldn 't be the standard for judging Clinton 's . They are debating and presenting claims about Clinton 's crimes and Nixon 's crimes . entailment +They end up on the cover of Vanity Fair and Wired . They foreshadow the world in which we 're all either symbolic analysts or hamburger flippers . The feature stories in Vanity Fair and Wired lead to many assumptions about what the future holds . entailment +Massouri has fleets of boats that offer day trips to the island of Telendos only a mile or so offshore . Telendos is only one square mile . neutral +All this is sage advice--for couples , for families , for bosses and employees , maybe even for book reviewers . There is good advice in the book for nearly everyone . entailment +A plain , dirty looking old envelope with a few words scrawled across it , apparently at random . A simple old envelope only had several words written on it , seemingly at random . entailment +they don 't understand what i mean their politics really isn 't politics it 's religion couched as politics Their politics is pretty much religion dressed up as politics . entailment +Too black . The barn interior was too black to see . neutral +It simply asserts that , in calculating a firm 's potential value , you can 't assume that earnings are simultaneously retained and paid out--and that the Glassman-Hassett argument depends on precisely these conflicting assumptions . The principles of the Glassman-Hassett argument don 't conflict with each other . contradictory +and uh now i got back i got kids in college and gosh i can 't afford that price so i still keep them in my name but the guy who takes them calls me every year and says can i have the tickets one more year i say yeah fine take them It could afford the price before my kids went to college . neutral +Even so , Tudjman again restored himself to the West 's ( semi- ) good graces by signing the Dayton Peace Accords and agreeing to let Serbs return to their burned homes . Tudjman signed the Dayton Peace Accords and allowed Serbs to return to their burned homes . entailment +And finally , after years of exposure to even the liveliest comic mind--and Martin certainly has one--we can all make up our own Steve Martin gag or Trent Lott denial or Ronald Reagan unworkable budget policy . All of us are capable of making up our own Steve Martin gag concerning Reagan 's budget policy . entailment +i think i 've seen most of Humphrey Bogart 's movies but in in you know a long time ago and uh like the Maltese Falcon and all those uh I haven 't seen Bogart 's movies for a long time . entailment +Today it stores land-registry papers and is the haunt of solicitors and professional researchers . It houses land-registry papers and is visited by many solicitors and professional researchers . entailment +Tommy nodded . Tommy didn 't nod . contradictory +and uh it to me it 's like we 've lost our values in this country We 've lost our values in this country entailment +then it would take if the judge just made the decision especially when it is purely um noncriminal uh litigation type uh whatever you want to call it the term civil uh suits as it were or even some corporate uh law when there 's not any individual involved and some of those are solved without a a jury but uh some some do choose to go before it People choose to go before juries because it improves their chances . neutral +The road winds inland towards the picturesque , fertile countryside in the vicinity of Faja do Penedo and on to the pretty village of Boaventura . The road goes directly towards a barren wasteland . contradictory +I tense . I am relaxed . contradictory +uh-huh oh and you had to type all of his papers yes , and you were forced to type every assignment he had entailment +The next morning , Ca 'daan watched the four boys playing again . Ca 'daan watched the four boys play the following evening . contradictory +Our Office received a copy of the entire analysis as required by the Congressional Review Act . We have got the entire analysis in our office . entailment +Postal Service delivers at least 11 billion competing items . Postal Service delivers at most 10 billion competing items . contradictory +Second-hand bookshops , commonly known as bouquinistes , line the quays of the Seine , especially between Pont St-Michel and Pont des Arts . There are no bookshops near the Seine because a flooding will destroy all the books . contradictory +Two other schools that rose in their rankings this year were MIT ( from fourth to third ) and Johns Hopkins ( from 14 th to seventh ) . MIT dropped in the rankings . contradictory +You can also take a ferry to Macau to find an entirely different kind of city , a unique blend of Chinese and Iberian culture . The city of Macau has a lot of unique culture . neutral +I 'm more interested in looking at what we as advocates can do to address the serious problems of poverty than the number of cases we close , said David Hall , the TRLA executive director . David Hall is a journalist . contradictory +oh i 'm i 'm kind of getting that one past me but a good self help book I read the book because I was needed help , not for curiosity . neutral +The researchers found that turning to someone for even modest help ( like minding a child for an hour ) had the cost of later demands for a return of the favor and that this cost was nearly intolerable . The researchers found asking for help brought no demands in the future . contradictory +WINZ 's financial statements are the main accountability reports used by Parliament to monitor the agency 's performance . Parliament uses WINZ 's financial statements to monitor their performance . entailment +I found I didn 't want to do that and realized an interest in psychology . I realized I had an interest in psychology and there begins my adventure . neutral +To the east of Pothia , the road leads to a fertile fruit-producing valley near Vathi . Vathi is the biggest valley around Pothia . neutral +If the paper is found on him , it is certain doom . The paper being found on him has no consequence . contradictory +To the south is Kitano Temmangu , a large and important shrine . The Kitano Temmangu is a small , but beautiful shrine . contradictory +And productivity us with that one . That one is not at all productive . contradictory +The monument is at least equally dedicated to the Fascist dictator . The monument is dedicated against fascism . contradictory +Some of those are available on the Web . Most come up on the first couple of pages of Google . neutral +Once all European prices are quoted in euros , it will be obvious to consumers when a German company is charging more than its French competitor or vice versa--whereas it wouldn 't be if the prices were quoted in francs and marks and had to be converted at the going exchange rate . Once European prices are showed in euros , you can see German companies cost less than French . contradictory +Walk right in . Just get in . entailment +These were also halcyon days for the classic noh theater , the more popular kabuki , and the puppet theater ( today 's bunraku ) at Osaka , which was Japan 's cultural capital at a time when Edo had more politicians and soldiers than artists . Osaka was the cultural capital of Japan during the time when Edo had fewer artists than politicians or soldiers . entailment +The Moorish tradition of producing cooking utensils from beaten metal is maintained in the town of Loule , in the Algarve . The utensils can be purchased at very reasonable prices . neutral +Stimulate global growth by boosting consumer demand from the bottom up . Consumer demand has shrunk . neutral +Such assumptions tend to moderate the effect of changes in national saving in our simulations . Assumptions monitor the effect of change in national saving . entailment +One hundred sixty nine grantees reported they used such indirect service delivery models in 2001 . 169 grantees made use of indirect service delivery models in 2001 . entailment +So is collapsing a mine on three hundred people , said San 'doro . So is collapsing a min on six hundred people , said San 'doro . contradictory +I didn 't notice him particularly . I paid particularly close attention to him . contradictory +Duke came to the suburbs of Washington , D.C. , last weekend to raise money for the race . Duke was in Washington D.C. to help in fundraising for the race . entailment +uh-huh yeah right it 's probably getting more and more accepted today in fact it seems like it 's kind of almost like anything goes now you you 're not too surprised on much of anything when you know the husband 's the one at home raising the children the mother works that 's not real surprising and These days it 's almost like there 's only one option . contradictory +Those voters ' wishes expressed in polls even trumped the voters ' own wishes as expressed at the ballot box ( since the essence of term limits was to limit the voters ' right to vote for whom they wanted ) . The ballot box was off limits to voters so they could not express their opinions . contradictory +Is he ? " " He is ? " entailment +Evans & amp ; Novak took a holiday , too , with an inconsequential visit from guest Art Buchwald . Art Buchwald 's visit was the best of all time . contradictory +Independence with Partition Centralised dependence . contradictory +'Come , come . ' Daniel ushered . Daniel moved through the door and beckoned me to follow . neutral +At Macouba , it 's worth stopping at the simple cliffside church , where Pyre Labat spent some time , to examine its cemetery jutting out over the ocean . It 's worth a stop at the church . entailment +The Mughal Gardens are on the eastern shore of Dal Lake . The western shore of Dal Lake has a museum . neutral +The subject of Jewish gangsterism has been well mined in recent years by both historians and Albert Fried 's The Rise and Fall of the Jewish Gangster in America and Jenna Weissman Joselit 's Our Jewish Crime and the New York Jewish Community--1900-1940 are two recent additions to the nonfiction literature , and films such as Once Upon a Time in America and Bugsy feature Jewish criminality . Both Albert Fried and Jenna Weissmann Joselit wrote about Italian gangsterism . contradictory +What if the stock market is too high ? Does this mean that the stock market is too high ? entailment +This contains Horyuji 's five-storied pagoda and the Kondo ( main hall ) , built around 670 and the world 's oldest wooden building . The world 's oldest building is a pub in London . contradictory +part time and so uh that it 's kind of a seasonal thing three times a year she 's really busy doing certain things based on that kind of business but the rest of the time she 's free It 's nice that she has a part-time seasonal position to keep her busy . neutral +Includes land and water sports and nightly entertainment . There are no water sports . contradictory +The naive explanation is that manufacturers always like high prices . Manufacturers are assumed to always like high prices because they want more money . neutral +As noted earlier , the material needed for multiple boiler installations is generally not reduced significantly over the projects if they were installed separately . The boiler installations can be done as separate projects . entailment +There 's the Yorkshire Arms , but it 's not much of a place for gentlemen like you . The Yorkshire Arms is a house of ill repute . neutral +yeah it 's got a smell yeah at first i 'm like oh how why do people like this but it it is kind of a nice smell after a while people put them in I love the smell of eucalyptus now . neutral +He quashes opponents with brutal force , arresting Islamic militants and left-wing secularists who oppose him and shuttering newspapers and television stations when they criticize him . He cannot deal with criticism , so he brutally forces all those that oppose him to stop . neutral +um KMart does that some of the KMarts in the area where i don 't have any except for the lawn motor lawn mower There are some KMarts in the area . entailment +Here , hold this for me until we meet tonight . Let me take that and keep it safe for you . contradictory +But his son turned Versailles into a self-centered universe that was far from modest , proclaiming his own grandeur in a vast , sprawling edifice of stone and brick , marble , gilt , and crystal . Versailles was modest until his son made changes . neutral +At the other end of the Rue Saint-Vincent , you will come around the back of the 19th-century Romano-Byzantine Sacr ? ? -C ? “ ur basilica , towering over Paris with its gleaming white facade and distinctive domes and arches . The white basilica has distinctive features such as domes and arches . entailment +For Christians seeking spiritual refreshment , there are countless churches to visit , including the Church of the Holy Sepulchre , the Basilica of the Annunciation ( in Nazareth ) , and the Church of the Nativity ( in Bethlehem ) , just to mention the most famous . The Basilica of the Annunciation is the most famous Christian church in existence . neutral +Special rules , set forth in the General Terms of Use part of this license , apply to copying and distributing Project Gutenberg-tm electronic works to protect the PROJECT GUTENBERG-tm concept and trademark . There are licencing terms . entailment +Single Subject Research . Research with a group of subjects . contradictory +From 1826 , British law was technically in force ( except for Muslim custom ) , but in practice few British lived in the Straits , and Asian community affairs were run by merchant leaders serving as unofficial kapitans . British law was not widely enforced as the citizenry was largely not British . neutral +In the New Republic , Robert Boyers condemns John Updike for setting his sci-fi novel Toward the End of Time in the aftermath of a horrific conflagration . Robert Boyers condemns John Updike in the New Republic , for setting his sci-fi novel Toward the End of Time in the aftermath of a horrific conflagration . entailment +The cover story assesses HRC . They featured HRC . entailment +i think so i don 't know i just uh i 'm unhappy with it but and well i 'm i 'm sort of semi fortunate right now i 'm a graduate student so i don 't make that much what i make isn 't taxed very highly because i 'm still in school I have never been a college student . contradictory +I have come into money , and the shock has been too much for me ! I have been poor for my entire life , and that 's the way it will always be . contradictory +To play on the weaknesses of human nature , then on the weaknesses of nations to get together and control a vast organization , and finally to overthrow the existing order , and rule ! Human nature is too resilient to overthrow the existing order and take control . contradictory +Schumer is clean . Schumer is being cleanly . entailment +Tobey painted calligraphic white paintings and Graves bodhisattva birds , in delicate gouache and pastel--media notably unsuited to large atriums . Calligraphic white paintings were painted by Tobey in gouache and pastel . entailment +well it it is it you know on the other hand you you 've got uh you 've got the uh the possibility of people oh you 've got some people could be arrested for uh drug use drug dealings and things like that and uh if their if their employers name hits the papers and that it 's it 's it 's a mark against them the company and uh you know what kind of people work there what uh The employers might check their worker 's background before admitting them . neutral +There is also a museum recording the highlights of Gandhi 's life . In addition to this statue of Gandhi , there is also a museum featuring the highlights of his life . neutral +now that has been something i think is really neat the mall actually opens an hour and a half earlier than the stores The mall opens earlier than the stores . entailment +Freshman Natalie Portman attending her first frat-house kegger . Freshman Natalie Portman from the local sorority at her first frat party neutral +In the short term , however , the effect has been to increase price volatility , especially when analysts issue strong buy or sell recommendations . The effect increases price changes . entailment +um the the tax attorney The tax attorney was a 38 year old man and he was very greedy . neutral +Given events , he 's beginning to think you might be a corrupt copy- and even if you 're not , you 're fast on the road to becoming a nuisance . ' He thinks you 're getting in his way of his work . neutral +None of these do it , in the considered opinion of our distinguished panel of judges . The judges ' opinion does not matter in this case . contradictory +For individual taxpayers , tax incentives increase the after-tax return on saving for particular purposes or on specific types of assets accumulated . Tax incentives are very helpful neutral +But like a brick wall , some of these programs have holes . There are some holes in a few of these programs . entailment +On the other hand , I doubt that they are purely cynical . Nevertheless , I know they are completely cynical people . contradictory +Administrative approvals include , but are not limited to , obligation of funds ( for example , authorizing the purchase of goods , approving employee travel , approving contracts on behalf of the agency ) ; accepting goods and services delivered to an agency per order or contract ; and approving travel vouchers for payment scheduling . Approving travel vouchers for payment scheduling isn 't considered an administrative approval . contradictory +This injection system is principally made from piping that may split off to manifolds for injecting in multiple locations . The injection system is made of piping and can break off in the cold . neutral +Even if Republicans decide later that they don 't actually forgive and forget , it may be too late . Republicans are capable of forgiving and forgetting . neutral +Ginny Kilgore is a public servant in the truest sense , said Davis . Kilgore aims to assist the public . neutral +you know i think it 's really catching on you know i i think that that sport is really catching on since the movie neutral +To hold costs down , the $ 24 billion program doesn 't cover kids who are currently insured . The program does not cover kids who are already insured unless they have a terminal illness . neutral +Although counting education and R and D as investment would raise the measured level of investment , this broader measure of investment has also experienced a downward trend . The measured level of investment would decrease if education were to count towards investment . contradictory +everything yeah that 's why i think it would be neat um Yep I think that would be neat . entailment +Therefore , the impact of the rule varies based on the type of business and its place in the chain of production and distribution . The impact of the rule varies mostly based on business type , but sometimes depends on its place in the chain of production . neutral +I couldn 't stand up ; to stand would be to fall . My balance has been awful lately ever since that concussion , and if I wanted to stand , I would only fall . neutral +The Shore comprises a quayside and several cobbled lanes with restaurants where you can have a pleasant lunch . If you 're looking for something to eat , sadly , The Shore doesn 't have any restaurants . contradictory +i don 't know i don 't i don 't know what 's i mean public education is just going down the tubes i mean they 're throwing more and more money at it and it just seems to be getting worse and worse Public education is becoming lower quality . entailment +It began with raids on Chania and Sitaa in the 1530s by the notorious pirate , Barbarossa Khair el-Din . A pirate conducted raids on Chania and Sitaa during the 1500s . entailment +and uh so i had her baby sitting but she was six months pregnant and it was getting too much for her so i just quit i 'd rather quit and take care of my own kids than let somebody else raise them the babysitter has continued to look after my kids contradictory +The limo stopped . The limo came to a halt . entailment +This , the grandest and richest of all churches to stand here , was destroyed in the year 614 by invading Persians . The churched was destroyed by Persian forces in the year 614 . entailment +Cooper , Robin and Kaplan , Robert S. , Cost and Using Integrated Cost Systems to Drive Profitability and Performance , Harvard Business School Press , 1998 . Cost and Using Integrated Cost Systems to Drive Profitability and Performance is a piece of literature on finance and accounting . entailment +The talk there , too , had been of horses always horses . They occasionally talked about dogs . neutral +i don 't know that 's really that 's really well it 's it 's so uh i guess we 're we 're kind of the good old boy type atmosphere of men always did the you know the engineering and all this and the technology and men are so i 'm i 'm sure that 's has a lot to do with it More men work in technology . neutral +wow oh wow because of the time Because of how long it took to make the payment . neutral +A slatternly looking servant , with an extremely dirty face and a pair of eyes that did not match , answered the door . A poor dirty servant still likes their job . neutral +yeah now banks they sponsor different banks out here like Bank One sponsored one one year and i can 't think of the rest of them but they they you know they have sponsors for certain balloons and all they do is just put the name of the bank or whoever 's sponsoring that balloon that balloon yeah it 's pretty good There are over a dozen banks that sponsor balloons . neutral +Audacious plans were announced to move three of the most important and recreate them in exact detail on higher ground out of danger . Plans were announced to move three of the most important to higher ground because of concerns about flooding . neutral +Stewardship PP & amp ; E includes heritage assets , Federal mission PP & amp ; E , and stewardship land . Heritage assets are not included in Stewardship PP & E. contradictory +an awful lot higher we 're talking fifty percent something like that Perhaps fifty percent . entailment +Today , this out-of-the-way village offers a fascinating glimpse into the Kathmandu Valley 's small-town life . The village is found on the outskirts and offers a glimpse into small-town life . entailment +On the night of 14 December 1702 , despite many obstacles , they attacked Kira 's heavily guarded villa on the east side of the Sumida River , cut off his head , and brought it in triumph to Asano 's tomb at Sengakuji , the family temple . Kira died in combat with an enemy general . neutral +We have to cross that ? I fear so , " said Jon . Jon didn 't know if it was a good idea to cross . entailment +Aha , this is going to be one of those intelligent questions , right , sweetheart ? I can feel it . I can feel it . This is going to be one of the clever questions , right , sweetheart ? entailment +Iffen you kin drink sand an ' keep on footin ' it over red-hot rocks when you is nigh t ' a bag o ' bones , then maybe jus ' maybe you kin jump an Apache . Jumping an Apache is easy . contradictory +Have we antagonized Russia and China ? It is certain that we did not anger Russia or China . contradictory +His rapier had disappeared until Barik turned and Ca 'daan saw the shining silver hilt protruding out of Barik 's chest . Barik got stabbed . entailment +Oh ! What did he mean ? Oh . Why didn 't he say anything ? contradictory +Rhonda Lipkin ( Maryland ) , Victor Geminiani ( Hawaii ) , Nan Heald ( Maine ) and Mike Genz ( LSC ) presented this session . Lipkin is from Georgia . contradictory +5 ) Clinton will offer Blumenthal as another human sacrifice to appease the forces of impeachment . Clinton was under threat of impeachment and was looking for scapegoats . entailment +The daily evaluated time per piece for all routes Every day the time was checked for all the routes . entailment +The Commission states that it believes that the rule and amendments as adopted impose a smaller burden upon small brokers and dealers than any of the alternatives . The rule is easier on small brokers and dealers than the rest . entailment +no two other people No , it 's a couple other people . entailment +Completing the analysis under 49 U.S.C. The analysis is four pages long . neutral +yeah uh i 'm in uh New York upstate upstate upstate New York yeah and uh long way uh Right now I 'm in in New York upstate . entailment +Although coalition Director Ralph Reed described the project as a private alternative to government programs , reporters noted that it depends on some $ 3 billion in government spending and lost revenue . The project is self-funded . contradictory +The third caught Jon 's offhand dagger in the mouth . Jon 's dagger went into someone 's stomach . contradictory +I 'm not even standing , said Adrin . Adrin was standing on the road . contradictory +The policy states that an interim progress review should be held between the two stages , but the review has no established agenda and no required outputs of information unless specifically requested by the decision maker . The review has no agenda and no required information unless specifically requested . entailment +He promised a modern state for his people , but as the situation became volatile , civil strife broke out in Turkish cities , and those considered Greek were victims of threats and violence . The situation became violent . entailment +Rodgers , CEO of Cypress Semiconducter--despises Gil Amelio , former CEO of Apple Computer , because of Amelio 's support for President Clinton . Rodgers despises anyone who has anything to do with the Clintons . neutral +know whether ( 1 ) government resources are managed properly and used in compliance with laws and regulations , ( 2 ) government programs are achieving their objectives and desired outcomes , and ( 3 ) government programs are being provided efficiently , economically , and effectively . It must be ascertained if the government programs meet regulatory standards , are on mission and provide services to the best of their abilities . entailment +It describes the reasons for the proposed action and its objectives and legal basis . The action is described to be intended for legal compliance . neutral +I opened my eyes , gasping . I had a horrible dream . neutral +Traditionally , little interaction has occurred between emergency medicine physicians and substance abuse treatment providers . Substance abuse treatment providers don 't have much interaction between emergency medicine physicians . entailment +Behind the chateau , crosethe Pont Sainte-Madeleine over the Ill and stroll along the quai des Bateliers , past the remnants of old Strasbourg , to the 14th-century Place du Corbeau near the bridge of the same name . Cross the river and take a walk past the site where old Strasbourg once stood . entailment +right see i think that 's exactly right you know if if you 're uh if you 're dressed in a uh a suit and uh to me it make it helps me feel uh sort of like you were saying a lot more confident in myself I have more confidence in myself when I wear a suit . entailment +yeah yeah he wasn 't the guy to take them take them to the championship It was not him who made them champs , he didn 't even play . neutral +but i don 't think you would uh someone might grab you mess around with you but they 're not going to grab you steal your your money and slit your throat which in a lot of big cities There are some people who have bad intentions . neutral +and that 's you know that 's the two of us having unlimited unlimited French fries The unlimited french fries option is a good deal . neutral +Regular posting of new material will resume the evening of Monday , July 7 . On Monday , July 7th , new material will be posted . entailment +The regulation that codifies uniform acquisition A regulation codifies uniform acquisition for private companies . neutral +Shopping arcade , beauty salon , and golf course . There is a shopping arcade and golf course , but you 'll have to look elsewhere for your beauty needs . contradictory +because they they sort of pull that over on you you know like um like this is a charitable organization but actually it 's not it 's a come on so that they can get your name and phone number They 're raising money for the poor so they 're very upfront about the whole thing . contradictory +Poirot smiled . Poirot frowned . contradictory +Prepared Office of the Administrator , September . Prepared Office of the Administrator , September 2016 . neutral +yeah like the Hornets anyone can beat the Hornets The Hornets are the worst team in the league . neutral +In evolutionary terms , this makes sense . This makes sense according to evolution . entailment +and put it in front of the Wal-Mart store in town and they they it just really every every every time you went by there it was just over flowing I think it is a waste of energy how it just flows . neutral +A bit of curtain , and a yard of wallpaper was all I could command . I had hundreds of yards of both curtains and wallpaper at my command . contradictory +The children aren 't hurt and , after all , they haven 't done anything really terrible . The children didn 't get injured or do anything that bad . entailment +About 10 people attend the meetings in the atrium of the county 's administration building . The meetings are for city council ordinance mark up . neutral +This is the level at which the population living in that grid cell is assumed to be exposed . The population in the grid are not affected by the exposure . contradictory +You 're a clever girl . You are completely stupid . contradictory +It 's a challenge , but many say that you haven 't seen the Lakes unless you 've traveled this road . This in an iconic road of the Lakes . entailment +After Reed published Active Faith and said friendly things about pro-choicer Colin Powell , Comrade Dobson wrote him a seven-page letter condemning his soft politics . The soft politics of Reed is acceptable to the far-right pro-life group of voters . contradictory +Using these rates and assuming the above mentioned construction periods , it is possible to estimate the number of fully employed laborers and boilermakers . The number of fully employed laborers and boilermakers can be determined from these rates and construction periods . entailment +And at that moment , dinosaurs attack . The dinosaurs attacked right then . entailment +fine i 'm Callie in Garland I 'm Callie and I live in a box in Garland . neutral +What sort of dinosaurs ? What dogs ? contradictory +that was in the water you know You are aware that was in the water . entailment +Results are based on a model called the Model of Acidification of Groundwater in Catchments ( MAGIC ) used by the National Acid Precipitation Assessment Program ( NAPAP ) to estimate the long-term effects of acidic deposition ( sulfur ) on lakes and streams . Results were formulated as the result of professional estimates . contradictory +yeah well i question whether it 's in their best interests to become a state right now they are a commonwealth and that means that they are under US protection in the event of uh defending their their country uh they do not have any voting privileges though and i don 't believe they have any representation in Congress I wonder if becoming a state is in their best interest as they do not have voting privileges . entailment +A Dunkin ' Donuts spokesman , on the termination of the Rugrats product tie-in negotiations . Dunkin ' Donuts also terminated a deal with Spongebob . neutral +Finally , in October 2000 , LSC , in conjunction with the National Center for State Courts , the State Justice Institute , and the Open Society Institute , convened a conference of representatives from legal services , state courts , bar associations , and other community partners to forge collaborations to advance pro se efforts in eight states . LSC gathered representatives from legal services to work on pro se efforts in eight Southern states . neutral +Now we lose the village , said Jon . The demons were taking over the village . neutral +Look at it from his point of view . Do not look at his ideas . contradictory +The town 's name , which means wild river or ravine , seems hyperbolic for such an orderly and peaceful little community . The community used to sit in a ravine , which is how it got its name . neutral +These crooks we 're up against would as soon croak a girl as a man any day . " There are bad people we are up against . entailment +i always get books like um i like to quilt well i 'm not into quilting but i check a lot of books out to learn how i just haven 't done it yet because it seems to monstrous to do with a book but i like to um can and do food preservation and mostly canning just for fun to go pick the things and just to have fun doing it and to give them as gifts and stuff and i like to check books out like that and i always come away with i 'm a Christian and i enjoy reading books about um i like i have a real heart for people involved in cults I have no idea how to can foods or where the library is . contradictory +A 500 MWe plant uses roughly 25-32 tons per hour of limestone . 5 tons of limestone are used an hour contradictory +The biggest and most popular island is Beyekada ( Big Island ) , with a pleasant town and a picturesque monastery . Beyekada is the best place to visit for people who like exploring . neutral +( I changed the name of the uncle to protect his privacy and exaggerated the fabric for comedic purposes . He would have beat her if his true name was used . neutral +well see we 're in a real small county area and you know that makes a big difference The county next door is way bigger so they don 't have the same problem . neutral +Surpluses , Zero National Debt , and Unfunded What Are the Policy Options ? What are the policy options that cause surpluses , zero national debt , and unfunding ? entailment +No sugar , said Cynthia , watching him , as he picked up the sugar-tongs . Cynthia doesn 't want sugar in her coffee . neutral +Finally , the last row , labeled Total is devoted to total First-Class Mail . There are no labels on the rows . contradictory +well there i don 't think there 's any way it can you know like they say this proposal would anywhere would get anywhere because of the i mean first of all i 've never heard of it until this this phone call you know A proposal needs to have widespread knowledge and approval before getting anywhere . neutral +There 's a lot of room for demotion in my department . Promotions are easy to get in my department . contradictory +Little is known about the kingdom , though it is documented that at this time the Celtic monks St. Kentigern and St. Herbert introduced Christianity to the region . There is a lot of information about the kingdom . contradictory +The cost of the Clean Water Act portion of the rule for these entities only exceeded 1 percent of revenues for one of the facilities and in no case did it exceed 3 percent . The Clean Water Act 's part of the rule costs between 1 and 3 percent . entailment +In other words , yes . The speaker agrees personally with whatever is being discussed . neutral +yeah yeah some of the tunes used to you know you felt like you needed to go out and do something about it Some of the tunes really had compelling lyrics . neutral +yeah i don 't i don 't regularly watch news or uh newspaper i would say i get probably most of it from my friends you know they finally told me hey there 's a war going on oh okay I don 't read the news much because I don 't have time . neutral +( Many suspect that the bombings were staged to marshal support for war . ) Many people think the bombings were caused by the government . entailment +Didn 't matter . It wasn 't a big deal . entailment +Opened in 2000 , the Gabinetto Segreto ( Secret Gallery ) displays a small but discerning collection of mosaics and paintings , many never before seen because of their controversial nature . Gabinetto Segreto 's opening in 2000 was highly received and visited to see these controversial works of art . neutral +The once densely forested fells and valleys were a safe and bountiful territory for prehistoric hunter-gatherers , and later , around 2500 b.c. , after the forests had receded due to changes in weather patterns , settlers used the clearings in the lowlands for small-scale farming . The settlers used the clearings and the forests in the lowlands for farming . neutral +Let 's take the morning to ponder the matter at hand . We should think about our plan for battle . neutral +Further , the proliferation of international trade agreements , such as the U.S.-Canada Free Trade Agreement of 1989 , the North American Free Trade Agreement , and the General Agreement on Tariffs and Trade , should lead to further increases in trade and travel volume . The free trade agreement was signed by China and the US . neutral +i like it and what i 've been thinking about doing is volunteering for this uh Asian center that a Doctor Falk has started that works with the school district and doing what I don 't have time to volunteer , so I refuse to do so . contradictory +For testing to be effective , it must be addressed relatively early in the acquisition so it can be properly included in planning . It 's important that testing is addressed early in the acquisition in order for it to be effective . entailment +Rising fuel costs mean that water-skiing is becoming an expensive sport ; all the more reason to double-check rival schools for length of runs , number of attempts allowed for getting up , and discounts for multiple runs . Water-skiing is becoming a much cheaper sport . contradictory +uh nearly every week Not even close to every week contradictory +The proceeds from all auctions will be deposited in the U.S. All of the money raised from the auctions will be deposited . entailment +uh-huh uh-huh uh-huh and i think it 's a a wonderful advantage for the young for the for the particularly for the males for the little boys to have a relationship with their father and and i don 't think you It 's of particular benefit for boys to have a relationship with their fathers . entailment +It is possible , though no such attack took place , writes historian John Julius Norwich in his forthcoming book Shakespeare 's The Great Plays and the History of England in the Middle 1137-1485 . Norwich , who calls the command the darkest stain on [ the historical Henry 's ] reputation , says that so many of Henry 's men refused to obey his order that he was at last obligated to designate 200 of his own archers specifically for the task . Norwich says Henry 's men wouldn 't obey when he told them to attack . neutral +Sadly , all 32 major TV networks rejected my pitch for America Loses Its Innocence Again for the Very First Time , the story of a surprisingly corrupt game-show contestant ( whose suburban life is not nearly as sans souci as the brochure would have you believe ) who is exiled from his own personal Eden when 60 Minutes refuses to broadcast an interview that proves--proves ! The television pitch about the corrupt game-show contestant was rejected by 32 TV networks . entailment +The train itself is relatively old , and only just in service . The train is 70 years old . neutral +yes the new one of course The other one not as new contradictory +and and they had quarts at the same time though They didn 't have quarts at the same time . contradictory +Madrid 's most important remaining possessions were the island colonies of Cuba and Puerto Rico , both of which were chafing under the yoke of colonial rule and the bitter system of slavery . There was a resistance brewing in Cuba and Puerto Rico against Spain . neutral +They fed me and gave me cool water from a spring deep within the caves of the rock . They fed me food and gave me water . entailment +Beatrix Potter bought the tarn in 1929 and bequeathed it to the National Trust . The tarn was purchased by Beatrix Potter in the 20th century . entailment +Only a relative handful of good job holders ( which is to say only a few hundred thousand a year ) experience serious reverses . Only a few good job holders get reverses from their bosses . neutral +Paella alicantina is the same , plus generous portions of whole prawns , mussels , small whole crabs , octopus , and slices of lemon . Paella alicantina is very different in every way . contradictory +There is little soil to support plants , resulting in a desert-like landscape of cactus and low scrub trees . There is a lot that holds their plan together . contradictory +My publishers will kill me if I don 't mention my own biography of D.P. My publishers want me to talk about all my other works . neutral +and uh so i had her baby sitting but she was six months pregnant and it was getting too much for her so i just quit i 'd rather quit and take care of my own kids than let somebody else raise them my babysitter was approaching her third trimester and struggling so decided to look after my kids instead entailment +How did you get in ? It is not known how they got in . entailment +The fishing is excellent , and some companies will even set up a barbeque so that you can enjoy your catch the same day . It 's possible to eat the fish that you caught the same day . entailment +yeah what 's going on and what needs to be done but i really do think that the population that people are pretty well aware i think more so now than ever before Most people know what needs to be done with the global warming issue . neutral +yeah now that that sure was a fun Super Bowl to watch this year i mean i wasn 't pulling for either team but that was just a good football game I didn 't watch the SuperBowl this year , I just wasn 't interested . contradictory +A graduate of a top-tier law school may carry a debt burden of as much as $ 100,000 . Student debt is hurting top-tier law schools . neutral +oh but now i enjoy it every once in a while i mean it 's not something i 'd want to do real often i 'm a sissy i either want to do it in the fall or spring you know It isn 't the sort of thing that I would enjoy doing on a regular basis . entailment +The rule was promulgated through the general notice of proposed rulemaking The general notice didn 't make rules . contradictory +So much Slim realized to be true . Slim realized much to be true . entailment +The Kal picked up one of the curved swords of the fallen whipmasters and cut Ca 'daan 's bonds . It was Ca 'daan who cut the Kal 's bonds with the dead whipmasters sword . contradictory +A Florida State University law school professor is returning to work after a year off following a sexual harassment charge . A professor for the Florida State University law school returned to work a year after being charged for sexual harassment . entailment +Coordinating Committee . A coordinating Committee does not exist and is completely irrelevant . contradictory +Then he walked up Shaftesbury Avenue , finally turning off into the maze of mean streets round Soho . He went into the maze of streets knowing where he would go . neutral +but i guess that this camping two kinds of camping that um i 've done one is to throw a a tent and food food and the like in the back of a car and drive to a campsise and setup the tent and have the the car right next to me I have never been camping . contradictory +my uh my taxes exceed my mortgage payment My taxes are more than my mortgage . entailment +In addition to these actions , GAO has voluntarily decided to express an opinion on internal controls and key compliance issues in connection with our audit of the consolidated financial statements of the U.S. The GAO has an opinion on the auditing and consolidation of U.S. financial statements . entailment +Enclosed is our assessment of EPA 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . We thought it best if the EPA wrote their own assessment , as they know what they 've done better than we could . contradictory +Or , radical politicians could challenge Mbeki 's control of the ANC and return the organization to its left-wing roots . Mbeki is a bad man . neutral +That 's the first time I paid attention , said Pinkerton . It was so interesting that Pinkerton felt compelled to pay attention . neutral +Exhibit A-5 in Appendix A depicts the timeline expected for completing a single unit installation of ACI . Appendix A is the only one . neutral +When visiting the pyramids , let them enjoy a camel or horse ride out across the site . Make sure they don 't ride the camels or horses when visiting the pyramids . contradictory +Trent Lott recently called the agency intrusive , abusive , and out of control . The agency has not lived up to its former glory in a while . neutral +This millionaire mecca is a testament to the region 's unparalleled success . The region is a very expensive place to live , only the millionaires afford to live here . neutral +Not much the Trinfans don 't know about horses . " Don Cazar was already on his way to the door and Drew fell in behind Bartolomé . The Trinfans know everything about horses . entailment +Bennett is right to the extent that there 's no excuse for telling falsehoods in the course of raising otherwise legitimate issues . There is a need to keep to the facts , especially when talking about legitimate issues . neutral +Court of Appeals , and how it was resolved . Exactly how it had been resolved . entailment +If that 's censorship , so be it ( Bill Reel , Newsday ) . ( Click here to read Jon Robin Baitz 's take on the controversy in Slate ' s Diary . Let censorship be . entailment +Go on ” I am really excited . I am feeling very down and disappointed . contradictory +yeah the Europeans think that you 're baby is boiling over Europeans think the baby is boiling over . entailment +Not for the squeamish . Three people have thrown up there . neutral +A large quantity of new generating capacity , consisting mostly of gas combined cycle units , has been built within the last several years . No new generating capacity has been built recently contradictory +that 's what we hit That is what we struck . entailment +Strategic planning , building partnerships , human capital strategies , financial management and other critical factors will make the difference between a department that can quickly rise to the challenge of its mission and one that might otherwise become mired in major problems and obstacles that hamper efforts to protect the nation from terrorism . A department that can quickly rise to the challenge of its mission and the one that might become involved in minor problems and obstacles , that hamper efforts to protect the nation from terrorism , are differentiated by many critical factors , such as building partnerships , human capital stragies , strategic planning and financial management . entailment +Some say the mark is a serious stigma , others call it a joke , reports the Chronicle of Higher Education . Most administrations do their best to reform after receiving the citation . Opinions on the mark are mixed . entailment +and i got all three of them on tape and i 'm fixing to tape this other one that 's coming on Monday Changes yeah I experienced issues trying to tape them ; I think my recorder is broken . contradictory +and run over I have been run over . neutral +yeah right they don 't want to let you go they don 't believe you if you 're on another line long distance and they just want to keep going and going and stuff so They 're quite trusting and fairly quiet , really . contradictory +By nightfall , when thousands of commuters flee to the suburbs and the streets are deserted save for a few homeless begging for change it 's best to drive or take a cab . The best thing to do at night is to walk around the streets . contradictory +and i haven 't figured out how to get that off i guess i 'll have to take that door down and really get it good There is no way the door will need to be removed . contradictory +to the town of Sant Francesc Xavier , or San Francisco Javier . to the town of San Francisco Javier , or Sant Francesc Xavier as the locals - and only they - call it . neutral +The prior Executive Order contained a similar requirement now found at Section 3 ( b ) ( 2 ) ( A ) of the newly effective Order requiring that the preemptive effect of the rule be specified . The two orders had nothing in common . contradictory +The temple served a specific purpose , to host the New Year celebration to the God Amun who would be represented in both his positive form , Amun Ra the sun god and his negative form , Amun-Min a lustful , wanton and outrageous demon . The temple had no purpose other than for show . contradictory +According to VBA officials , they are currently using TPSS training modules to facilitate the training of some new employees , but the training modules needed for other newly hired employees will not be available until November 2001 . VBA officials use TPSS training modules to facilitate the training of new employees . entailment +It was thin and sharp with a wire-wrapped hilt and a weighted spike on the tip of the hilt . It was a weapon . entailment +well thank you for talking to me I am glad we have talked . entailment +The Shopping Avenger will undoubtedly return to the sorry state of affairs at U-Haul in the next episode , but now on to this month 's airline debacle . U-Haul is a model of efficiency . contradictory +Not last night , sir , I know she didn 't . She didn 't last night as far as I know . neutral +Others guess when Starr will deliver a report to Congress . No one knows when Starr will deliver their report to Congress , they simply must wait it out . entailment +Yet your name was on the monument , and we drew you back by its use . There was no name on the monument . contradictory +They made their settlements in the hills away from British rule but began to attack colonists in a program of raids now remembered as The First Maroon War . British rulers were unable to protect the colonists from the raiders . neutral +that uh was a real good one to do it was it was tough but uh yeah do you have any others or is it just mainly cross-stitch Do you have any other patterns that I can use to make a blanket or is it just the cross-stitch one ? neutral +According to Fortune , MBA graduates of Northwestern University 's Kellogg School , the University of Michigan , and Columbia University can apply to their institution for support of up to $ 250,000 to get their business projects off the ground . Fortune reported that MBA graduates from these schools can apply for over $ 500,000 in aid . contradictory +Growth in output per worker also depends on total factor productivity growth . Factor productivity growth leads to growth in output per worker . entailment +Based on scuttlebutt and speculation from insiders at the Clinton , Bush , Reagan , and Ford White Houses , here are the four likeliest scenarios for presidential adultery . The four likeliest scenarios aren 't based on scuttlebutt and speculation . contradictory +This would significantly reduce the amount of generating capacity available to meet consumer ' electrical needs . The capacity to generate would be greatly decreased by this . entailment +The principal cemetery of Montmartre , where luminaries of the arts such as the composers Berlioz and Offenbach lie buried , may seem a world away , but it 's only a short walk west from the Moulin Rouge to the entrance ( west past the Moulin Rouge , then right at avenue Rachel ) . When it rains , the walk from the Moulin Rouge and Montmartre is slippery and dangerous . neutral +They feature not only dinosaurs but Discovery Ceters , where kids can choose from a wealth of science-oriented activities for all ages . The Discovery Centers are more important than the dinosaurs . neutral +WASHINGTON ( AP ) - Most new lawyers won 't consider working for government or public advocacy groups because their need for money to pay off massive student loans leads them to the more lucrative private sector , a study being released Monday found . New lawyers are happy to take low paying jobs in order to gain experience . contradictory +Back on the coast , Saint-Francois is a delightful fishing village . The coast is home to a lot of fish . neutral +It was an early late morning . It was not early or late and it wasn 't morning . contradictory +After the emissions inventories are developed , they are translated into estimates of futureyear air quality conditions under each scenario . The inventories are translated into estimates . entailment +Techniques and conventions that will come to seem eternal and inevitable will actually be invented in the coming months . There will be some technique and conventions created in the next months . entailment +or or if you can 't dramatize it and put it on Unsolved Mysteries then they 're not going to you know they 're not going to want to hear it People are willing to hear about things that can 't be dramatized . contradictory +Have we antagonized Russia and China ? Russia and China were discussing the events in the recent past . neutral +Suppose you tell me … There was something very magnetic about Mr. Carter 's personality . Mr Carter has a magnetic personality and he can hypnotize people with his voice , can you tell me more about him ? neutral +no actually i 'm i 'm not involved in anything like that at work or uh anywhere uh i don 't have anything to fall back on at all I don 't want to be involved in anything like that with work . neutral +Can 't be easy for him to git them , neither . " Can 't be very simple for him to acquire them . entailment +The final rule was issued pursuant to the authority of the Federal Food , Drug , and Cosmetic Act and the Public Health Service Act as codified at 21 U.S.C. The rule involved allowable contaminants in makeup . neutral +But capital-gains and estate-tax cuts of almost any sort will surely favor the well-to-do in the long run . The well to do are the ones who would benefit from capital-gains and estate-tax cuts . entailment +They thrust their fingers within an inch or two of priceless paintings , pointing out the obvious . They had pointed out what was clear to everyone by positioning their fingers within an inch of the priceless paintings . entailment +Without developing the criteria that the system should meet and then effectively assessing the risks , agencies could adopt signature systems that will not provide the necessary data integrity . All systems give the necessary data integrity . contradictory +1 ) Everything that begins to exist has a cause of its existence . There are things that exist for no reason at all . contradictory +It is just an idea of mine , explained Lawrence . The person told us it was just a thought . entailment +Not all the slaves got up . Some of the slaves did not get up because they were too tired . neutral +Every month , Smith visits the Smith Williams Center in the Bond community and the Wakulla County Senior Citizens Council building in Crawfordville to advise seniors on wills , power of attorney and other legal matters . Smith 's monthly work with seniors is done at his law offices . contradictory +and uh it seemed like every time i turn on the movie channel Pretty Woman is on It seemed like Pretty Woman was playing on the movie channel every time I turned it on . entailment +well i haven 't had too much of a chance to watch TV lately so probably everything i 'm going to say is kind of dated The last time I watched TV was two weeks ago . neutral +Power generation has other emissions , such as carbon monoxide and coarse particles , but the level of These emissions poses smaller risks for public health and the environment . Some emissions are quite deadly while others are not . neutral +Contract funding in inflation adjusted dollars has increased from $ 13 . Inflation adjusted dollars accounts for the increase . neutral +The original designer , Erwin von Steinbach , began the pink Vosges sandstone facade in 1277 , but only got as far as the splendid Gallery of Apostles over the central rosewindow . Erwin von Steinbach was able to complete the façade . contradictory +Acidic deposition or acid rain occurs when SO2 and NOx in the atmosphere react with water , oxygen , and oxidants to form acidic compounds . SO2 and NOx in the atmosphere cause acid rain . entailment +The war was momentarily inactive , and the newspapers seized with avidity on this crime in fashionable life : " The Mysterious Affair at Styles " was the topic of the moment . Readers awaited each newspaper edition with bated breath to see who the perpetrator was . neutral +In the short term , Congress may wish to explore the benefits of ( 1 ) providing OPM with additional flexibility that would enable it to grant governmentwide authority for all agencies ( i.e. Congress would not be served by examining the benefits of providing OPM with more flexibility . contradictory +And who knew what the demonic riders did to their spears before battle . The riders always ran away from every battle they encountered , for they carried no weapons . contradictory +The estimated financial benefits include budget reductions , costs avoided , resources reallocated , and revenue enhancements . All estimates indicate that this plan will have no benefits . contradictory +That is to say , all the ones recently buried . They have only been buried for a week or less . neutral +I 'll jus ' let Mister Topham read it . Mister Topham knows how to read . entailment +Because they are on anti-depressants now , they think EVERYONE needs them and have literally been making appointments for their whole families ! After taking anti-depressants , they believe that the government should ban them . contradictory +Confounding our initial assumption , the spot prompts us to question why this kind of discrimination is accepted--even legal in 41 states , a fact the narrator tells us most Americans don 't know . This kind of discrimination is illegal in all 50 states . contradictory +The entrance hall also portrays famous Scots in a beautifully detailed frieze just below the cornice ; it 's a veritable Who 's Who of the Scottish establishment . Famous Scots are not seen anywhere else in the building . neutral +It gives her a wider berth than the specific and credible language , but it does not require her to appoint an independent counsel every time someone in the opposing party detects the appearance of a political conflict . She is required to to appoint an independent counsel because of the appearance of political conflict . contradictory +In some cases , the available crane or the crane pricing may limit the largest piece to be lifted , and the construction plan may be modified to accommodate a smaller crane by lifting smaller pieces . Large cranes cost the same as small ones . contradictory +An assessment of blood alcohol testing practices found that 91 % of physicians who do not measure blood alcohol concentration believe the test is not clinically important because knowledge of the patient 's blood alcohol level does not benefit the patient . Many doctors believe testing for blood alcohol is not beneficial . entailment +Simple brick homes stand row upon row and archaeologists found a wealth of everyday artifacts from cooking utensils to work tools , painting a vivid picture of the ancients ' activities . Archaeologists found nothing at all on their search for ancient artifacts . contradictory +If only Susan could read the visions of such a rock , what might they learn of them ? If Susan had the ability to read the visions of the rock , what benefits would this provide ? neutral +i don 't know do do you ever go to Howard Johnson 's in uh i i don 't know if there are even any Howard Johnson 's around any more you used to get an ice cream sundae in that big old goblet in the past , you could get an ice cream sundae at Howard Johnson 's entailment +This Temple of all the Gods today contains the tombs of Renaissance masters such as Raphael as well as the first king of Italy Vittorio Emanuele II and his son Umberto I. In addition to kings , this temple also contains a glorious fountain . neutral +Beauty-contest time like the Jesse Owens story but in heels and with virgins . It 's sort of like the Jesse Owens story except with virgins in heels . entailment +community has not provided the resources that the United Nations mission in Kosovo The United Nations mission in Kosovo is missing resources . entailment +yeah yeah a lot of good has come from this one A lot of good came from this one , yes . entailment +That number is high--the American Bar Association suggests 3 % as a goal--but the drop appears significant and it 's arguable that the firms reporting seem likely to be the ones donating the most . That number is low--the American Bar Association suggests 50 % as a goal--the drop is insignificant and it 's likely due to the firms that are donating the least amount . contradictory +Dole is once again a vice presidential contender , and Bauer is the candidate-designate of the Christian right . Dole has been considered to be a candidate for three times now . neutral +It 's either early morning tea or breakfast , deduced the young man , " and pray God it 's the latter ! " The door swung open . We have a choice between early morning tea and breakfast . entailment +GAO must become more capable of handling multiple responsibilities in a rapidly changing environment-all while adhering to our core values and applicable professional standards . It is necessary for GAO to become more capable of handling multiple responsibilities . entailment +Against this militancy , World War II did not elicit the solidarity of the first . World War II didn 't bring solidarity entailment +thirty or younger Under thirty years old . entailment +try to find a time when everybody can be there and we 've TRy to find time when everyone can be there . entailment +The award says a lot about the legal profession , that it places such a high honor on pro bono service , she said , adding that it also says a lot about the Delaware Bar , which nominated her . He won the award even though he did not do any pro bono cases in years . contradictory +The concept of postal density captures the nonvolume factors in a single measure . The nonvolume factors could not be captured in a single measure . contradictory +The commission 's report , The Path to Equal A Five-Year Status Report on Access to Justice in California , examined how the legal needs of the state 's poor have changed in the last five years as well as both the shortcomings of the justice system and the improvements during that period . In the last five years , there has been no change in the legal needs of people nor any improvements in the justice system . contradictory +Female stars are causing a run on the sperm bank , according to the tabs . Female pop stars are causing a run on the sperm bank . neutral +they take out for CODA and then uh um the IRA 's and then uh i also take out for um a savings account but it 's it 's uh The money may be taken out from the IRA 's . neutral +99 Nevertheless , the girl did not take kindly to the idea of being tamely put to sleep without as much as one bid for freedom . They were going to shoot her to put her to sleep forever . neutral +EPA used two scenarios in arriving at the estimated cost of test facilities implementing the Supplemental Federal Test Procedure . The EPA used more than one scenario when estimating costs . entailment +The gardens also have collections of caged birds and small animals . The gardens also have collections of caged birds and small caged animals . neutral +however , we did not independently verify the accuracy of that information . We verified the information . contradictory +The agency 's work reflects integrity because it is professional , objective , factbased , nonpartisan , nonideological , fair and balanced . The agency 's work costs a lot of money . neutral +Every minute gained was to the good . Every second felt bleak and hopeless . contradictory +White -- Not of Hispanic Origin 38 % 38 % of people are white , non-hispanic . entailment +2 . Government and private saving tend to move in opposite directions for several reasons-three of which are discussed here . For every dollar the government spends , individuals save 2 . neutral +Until 30 years ago , the convent was completely cloistered no visits allowed . The convent has been open to visitors for the past 50 years . contradictory +At the Family Law Information Center , where open boxes of tissues are displayed as prominently as forms for initiating divorce , custody and child- support proceedings , office assistant Beatrice Contreras said there is often a line of people waiting to use the two machines . The two machines at the Family Law Information Center are completely inefficient and there 's always a long line of people waiting to use them . neutral +well yeah but right um let 's see here they 've got it they 've got it at like six six or six thirty and then they have it again at ten and ten thirty you know on a different channel It 's only on the same channel at one time . contradictory +Tysons Corner touts the advantages of buying gift certificates online--you can save time and purchase them from the comfort of your PC--and it even advertises special benefits that can only be received with online orders , such as special shipping rates . Tysons Corner offers more special benefits to those who don 't order online . contradictory +And the problem and crisis in the family farm is real . There is a real problem among the family farm , but it has now brought up by the government . neutral +term as used here is not meant to include frequency of delivery . Frequency of delivery is the amount of times the deliver occurs or is scheduled to occur . neutral +David Butler of the Manpower Development Research Corp. , which has been the prime evaluator of welfare-to-work programs , points out that planners have routinely overestimated the amount of formal child care needed for such projects . In the past , the people planning the programs have regularly expected a greater need for child care than there actually ends up being . entailment +and we 've tilled them so much but they 're still We 've tilled them a lot that the ground is started to become uneven . neutral +yeah you know i 'd i 'd much rather work in a hospital than than to go to war and i 'm sure most young men and women would and so uh I 'd like to go to war . contradictory +" But I 'm not sellin ' . " Drew folded the piece of paper he had been waving to dry the ink and put it back in the belt pocket . Drew folded up the paper and put it in his pocket . entailment +He was evading a question about Universal 's troubled Pig in the City . He 's under oath . He 's not under oath . contradictory +A $ 16 billion discrepancy may not seem much when measured against the total budget , with all its sacrosanct or unavoidable obligations . $ 16 billion dollars was stolen from the company . neutral +" Started six to one for Oro , " Topham told him . Topham told him about the betting odds . entailment +Can a Sandshrew , a specialist in ground fighting , beat a water Pokemon like the Poliwhirl ? Sandshrews are terrible at ground fighting and good at water fighting . contradictory +Cross over to the south tower and another 122 steps to see the 13-ton bell , the only one remaining ( the Revolutionaries melted down the others to make cannon ) . The rest of the bells were destroyed by a variety of reasons . neutral +no i haven 't read too many i i 'm more of a fiction and nonfiction reader that not not of that nature though so I have read so many ! contradictory +it 's between Texas and Louisiana It 's between New York and Florida contradictory +Most of our jibes work a rich vein of educated vs. uneducated , which is another way of saying rich vs. poor . Another way of stating rich vs. poor is saying educated vs. uneducated . entailment +He suspects authority and challenges orthodoxy . His dealings with religion have lefthim doubtful of things . neutral +As I said before , I 'm a mutt ! returned Julius . Julius is ashamed of his heritage . neutral +uh what am i taking uh Master 's in public administration I 'm getting a master 's degree from NYU . neutral +Urea prices have fallen precipitously since China , formerly a major buyer , decided to strive for self-sufficiency . Urea prices rose after China decided to increase how much it purchases . contradictory +We now turn to the carrier time per piece delivered . Someone is talking about carrier time per piece delivered . entailment +The heterogeneity of delivery costs is driven by differences in volume , geographical characteristics and quality of delivery service . Lower quality of service yields lower costs . neutral +They settled in what is now known as the Western District . They settled in the Western District because of the land there . neutral +Children are welcome in most bars and often accompany their parents on late-night outings , having recouped their energy during their siesta . Children rejoin their parents late at night . entailment +Your relentless preoccupation with Clinton and Monica in Flytrap Today and elsewhere has finally pissed me off . I am okay with the fact that that you continually discuss Clinton and Monica . contradictory +uh the last trial i sat on at the end of the session the prosecuting attorney called us into a private room and more or less instructed us to find her not guilty because even though they knew and they proved that she had set fire to her car in order to collect the insurance money that would we find her guilty she would simply flee the state and avoid any prosecution of any kind whatsoever which we did find her guilty against his instruction and she did flee the state The prosecutor coerced us into a decision . neutral +I will share her story another time as it has little connection to Susan other than to say I used to work for them and then later I did not . Her story is only related to Susan because they are from the same place . neutral +Seek out Jativa 's late-Renaissance Colegiata ( Collegiate Church ) in the Plaza de Calixto III . The Colegiata is a fine example of late-Renaissance style . neutral +Based on a review of the trajectory charts in The Physics of Baseball and Keep Your Eye on the The Science and Folklore of Baseball , conversations with University of Puget Sound physicist Andrew Rex , and correspondence with aerospace engineer and baseball researcher Roger Hawks , I determined that the McGwire home run would have traveled about 474 feet . I have been able to calculate the distance travel of the McGwire home run , which is definitely impressive for everyone that knows it . neutral +The FGD connection with the facility is generally less difficult than with SCR because it does not require modification of the boiler , just connection to ductwork in the vicinity of the stack . SCR requires extensive modification and adaptation of the boiler , so it is best to schedule in advance . neutral +LOAN GUARANTEE COMMITMENT - A binding agreement by a federal agency to make a loan guarantee when specified conditions are fulfilled by the borrower , the lender , or any other party to the guarantee agreement . There is no chance the Feds will guarantee any type of loan . contradictory +well we bought uh our first house at the end of eighty six and like i said it 's out in Rowlett and it 's it 's real nice it 's four bedroom and it 's kind of a tract area too we 've got people behind us and on both sides of us i don 't really like that too well i keep telling my husband that our next house is going to sit square in the middle of at least ten acres of land We bought a four bedroom house in Rowlett in 1986 . We 're practically surrounded by neighbors I don 't like too well . I 've told my husband that our next house will be in the center of at least ten acres of land . entailment +So , if we say that we are free , how can we prove that we have not been programmed to say that by a Master who is manipulating us into thinking that ? If we think we 're free , how can we be sure and that a Master isn 't telling us what to think ? neutral +Establishment and Review of Performance Measures and Indicators Performance Measures and Indicators are reviewed more often than established . neutral +could that be i don 't There are different possibilities . neutral +uh hi you mentioned model railroading that uh i 've been watching a program on the Public Broadcasting Station here uh about model railroading have you ever seen that The program I have been watching focuses on the subject of model railroading . entailment +Thus , for example , if the volume in the first quintile were to double , total cost would increase by 29 percent . Similarly , if the volume of the third quintile was cut in half , the cost would decrease by 25 percent . neutral +The Banquet Honey-Roasted Turkey Meal offered literally a single slice of cold-cut-style turkey--about one-eighth of an inch thick--on a sparse bed of hopelessly damp and chewy stuffing . The turkey meal was extremely unsatisfying . neutral +Follow the road to Coll de Rates , 500 metres ( 1,500 feet ) above the wide orange- and vine-filled plains that sweep up to Javea , Denia , Gandaa , and the deep-blue Mediterranean . The road to Coll de Rates is very narrow . neutral +but there the majority really haven 't done anything with their yards this neighborhood is is four years old Most of them haven 't done anything , this neighborhood is four years old . entailment +They may not collect court-awarded attorneys ' fees . They took the fees under the table . contradictory +To be Mentadent toothpastes are no better clinically than the CVS brand--they 're just cooler looking . Mentadent toothpastes are much uglier than CVS brand toothpastes . contradictory +a drinking water business uh yeah yeah Soda business . contradictory +The National Basketball Association fined Chicago Bulls forward Dennis Rodman $ 50,000 for insulting Mormons . The National Basketball Association doesn 't issue any fines . contradictory +The earliest human remains found on Crete date back to the seventh millennium b.c. Tools made by man during the Bronze era are common on Crete . neutral +The proposed HearSLATE could then offer discriminating commuters and professional drivers some intellectual refuge from the endless tirade of mindless drivel currently broadcast by the common carriers . Commuters have lots of great options on the radio . contradictory +Bridges link the Right ( north ) and Left Banks via the two islands in the middle , Ile de la Cite and Ile St-Louis . There are three bridges that link the Right and Left Banks . neutral +we 're we 're now civilized now you can no longer you you cannot drink beer and drive but uh but it was it was actually legal It was legal to drink beer and drive a few decades ago , it isn 't now . neutral +Right now , coming into Big Rock well for water is a pinto that has killed three other stallions including a black I imported back in ' 60 and two of them were larger , heavier animals than he . This killer pinto 's name was Fluffy Tail . neutral +Over to you , Jodi , Your turn , Jodi . entailment +And even within those five groups the differences among individual companies are more important than the similarities . Differences make a greater impact than similarities . neutral +yeah i just kind of in for a while you know he had a he had uh one of those what are they top secret things you know where he couldn 't talk about what he did so Top secret stuff is always really cool and sometimes scary . neutral +Another direction to take from Zion Square is up the Ben Yehuda Mall , a pedestrian road lined with shops and open-air cafe . The Ben Yehuda Mall is lined with shops and has an open-air cafe . entailment +For instance , the Congress may wish to provide the new department with early out and buy out authority in order to help quickly realign the component entities and provide for future flexibility . The Congress may provide the department with an incentive not to an early buy out . neutral +His primary vehicle is a $ 90 million invasion of privacy suit filed against Hillary Clinton and others on behalf of the victims of Filegate . Hillary Clinton had a $ 90 million privacy suit filed against her . entailment +They also saw a wave of Greek immigrants from the Turkish mainland during and after the proclamation of the Turkish state in 1923 . Over three million Greek immigrants left the Turkish mainland . neutral +At the end of Israel 's War of Independence in 1948 , the nation 's population numbered 700,000 Jews and 150,000 Arabs . The nation 's population contained 700,000 Jews and 150,000 Arabs after independence . entailment +Much of this historic structure was demolished by storms in 1983 , prompting restoration to its original look . Storms destroyed much of its historic structure in 1983 . entailment +In Rome , the dissolute popes repeatedly switched factions for temporary advantage and lost all political and moral authority in the process . The dissolute popes in Rome , many times switched factions for temporary advantage , and thus lost all moral and political authority in the process . entailment +Except they can show you the tracks , and with them you can cover a good part of the country in question . Using the tracks makes the work much quicker and easier . neutral +yeah yeah uh uh Fernando uh uh Fernando are you from excuse me you from the North Carolina area I wonder if Fernando is from North Carolina or thereabouts entailment +some parents are but some parents don 't have the opportunity to do that as easily you know people that are working two jobs or single parents uh that sort of thing Life is very hard for single parents who work two jobs . neutral +These protocols are not applicable to the work GAO conducts in support of its legal opinions and decisions . GAO is often wrong in the legal opinions it supports . neutral +If Muslims saw him as a righteous militant and Hindus as a brutal monster , neither denied him his title of Sword of Islam . Neither Muslims nor Hindus had much respect for his title . contradictory +Mr. Hastings , you do not think ” surely it could not have been Lawrence ” Oh , no , that could not be ! But I myself was puzzled , and as soon as I was alone with Poirot I asked him what he thought Sir Ernest was driving at . I never had the opportunity to seek Poirot 's opinion regarding what Sir Ernest was implying . contradictory +i think we 're overtaxed to the hilt I think we in Texas are overtaxed by a lot . neutral +and sentenced to to death that that automatic appeal which goes in could be more quickly dealt with The automatic appeal could be handled quicker . entailment +Such remarks inspire Storr 's rather defensive observation that unlike fascist art and architecture , Smith 's sculptures and buildings were insistently built to human rather than superhuman scale . Smith has never built sculptures and buildings . contradictory +GAO officials responsible for the completion of the engagement will participate in the meeting . GAO officials responsible for finishing the engagement don 't be at the meeting contradictory +Here I thought they were just a bunch of losers . I thought you were all winners over here . contradictory +Though it lacked the size of the uninhabitable hydrogen-ammonia planets and its low density made its surface gravity fairly normal , its gravitational forces fell off but slowly with distance . There was no gravity on the surface . contradictory +That 's the ultimate gross-out . It is very gross . entailment +Sir James Peel Edgerton is an English Member of Parliament , and might be a big gun in the Cabinet if he liked . Sir James Edgerton hadn 't tried to be a big part of the Cabinet yet . neutral +okay and they wear either that or they wear dress pants and b lack turtlenecks or white turtlenecks Some of the time they wear dress pants with white turtlenecks . entailment +I believe there was some tragedy connected with her death ” she took an overdose of some sleeping draught by mistake . Someone intended for her to take the overdose . neutral +They had been picked clean and baked under the sun for days . It only takes a day to prepare this . contradictory +The surviving pirates took to the sea once again . The surviving pirates settled on land , fearful of the water now . contradictory +Hills and mountains are especially sanctified in the cult of Jainism . In the cult of Jainism , Hills and mountains are quite important . entailment +Just opposite is the hospital , ages old but still in use . The hospital has been standing for over sixty years . neutral +One organization had developed an extensive policy that defined each member 's responsibility for reporting information , the terms that would be used for the reporting , and the thresholds that required reporting . The organization behind all of this policy development was an invaluable resource . neutral +Davis L , Jr . , Hurt R , Morse R , O 'Brien P. Discriminant analysis of the Self-Administered Alcoholism Screening Test . Davis , Hurt , More , and O 'Brien examined the clinical alcoholism screening test . contradictory +According to Jewish tradition , in even earlier times this site had been the altar where Abraham prepared to sacrifice his son Isaac and where the voice of God proclaimed such sacrifice was not necessary , an episode that forms one of the theological foundation stones of Judaism and of Western monotheism . Abraham built the altar out of wood and stone . neutral +There 's no surface transportation available , and all the local rocs are in use . There 's plenty of transport available whenever you need it . contradictory +is defined in the statute as the status of having been lawfully accorded the privilege of residing permanently in the United States as an immigrant in accordance with the immigration laws . There are clearly defined statutes regulating immigration . entailment +In the unified budget , federal employee pension benefits are recorded as outlays when paid in cash ; these outlays are offset , in whole or in part , by the government 's and employees ' contributions to the pension programs . A federal employee has no pension plan . contradictory +In recent years significant changes in work place habits and technological advances have affected the manner in which time and attendance ( T & amp Workplace habits have remained pretty constant over the past twenty years . contradictory +yeah that 's on right it 's on again tonight The person is confirming that the show will not be on again tonight . contradictory +And there was the permanent stamp of uncertain temper in the lines about his prominent eyes . In his eyes were tumors , lots of malignant tumors . contradictory +well that 's good that 's uh That 's a very good thing . entailment +'Yes sir , Mr. Franklin ? ' I don 't want to talk to you Mr. Franklin . contradictory +I 'm looking forward to that . I must be sure I 'm well prepared for when that happens . neutral +What does an Applied Fundamentals Division do ? I don 't really know- no one does . I don 't know what an Applied Fundamentals Division does for businesses . neutral +DOD also concurred that critical manufacturing processes must be demonstrated using statistical process control techniques before production , but believes that achieving this at Milestone C , the low rate production decision , is unlikely . Statistical process control techniques must be used for critical manufacturing processes before production . entailment +uh i think that maybe we 're not their big bad enemy any more I don 't think that they hate us like they did during the war . neutral +you know what 's going on you know like i knew or like i sat in on the meetings or something You are completely ignorant of what is going on . contradictory +The collection includes sculpted stone , alabaster , and terracotta funeral urns dating back to the sixth century b.c. The collection was lost long ago . contradictory +10 Whether a particular act is , in fact , illegal may have to await final determination by a court of law . Courts of law have no say on whether any acts are illegal . contradictory +Although national saving would be unchanged , financing of the Social Security program- absent other changes-would be worsened . Social Security financing can be worsened even as national savings stays the same . entailment +Grower associations organized to obtain approval to bring in H-2A workers are now appearing in a number of states . Grower associations are performing a service that 's helping employers save money . neutral +that would be kind of bizarre That would make complete sense to me . contradictory +it 's just the audit department happened to be just a little behind the times because the uh the senior vice president over audits is cheap The audits may be expensive to do . neutral +The committee held its final deliberations from July 24 through July 30 . The final deliberations were held in the summer time . entailment +Outside Philipsburg from a roadside lookout point you 'll make out four islands rising out of the sea in the Nevis , St. Kitts , Sint Eustatius , and Saba . You will make out four islands from a roadside lookout point . entailment +For one thing , Earth in the Balance was written a long time ago , and we may suppose that its author has learned a lot since then . The writer made Earth in the Balance many years ago , we can assume they 've become wiser now . entailment +Then Tommy heard the light tap-tap of fingers , drumming on the table . The fingers were drumming lightly on the table . entailment +" You 'd better watch out , Sam . " Again the tall man cut in . Sam better watch out . entailment +We hate to sound like Girl Scouts , but you really must accept cookies if you 're going to subscribe to We hate to sound like raging lunatics , but you have to eat cookies to visit this site . contradictory +In all the inaugurals from Washington through James Buchanan , the average number of words per sentence was 44 . In all the inaugurals from Washington through James Buchanan , the number of words per sentence was on average 44 . entailment +They were still between him and the stairs . They were still in his way to the stairs . entailment +The Torre degli Asinelli , 98 m ( 320 ft ) , is the taller , with 498 steps to its rooftop view . A magnificent scenery awaits at the topmost level of the Torre degli Asinelli . neutral +But the Scots did not take this insult lying down . The Scots ignored the harsh words said to them . contradictory +To a pig . To a pig that 's about to become bacon . neutral +After learning of the effort , Dudovitz sent personnel to staff the clinic for three hours per week and is helping to write a grant application to fund a self-help kiosk for Pomona patterned on the center he pioneered in Van Nuys . Dudovitz created the kiosk without ever really learning of the effort . contradictory +I think it 's worked , ' she said about a month later before going out to a club , and her father had a vague impression that there were more or less three zits less on his daughter 's face . The father thought there were around three zits less on his daughter 's face . entailment +Last year , the high court raised that fee to $ 180 from $ 140 . The fee was decreased last year . contradictory +yeah now that 's an idea with the with the small babies That 's a good idea for new parents . entailment +While service standards differ ( many countries offer two mail deliveries each weekday , for example ) , even at 33 cents , U.S. prices compare favorably with first-class rates overseas--Japan charges 74 cents , Germany 59 cents , France 48 cents , and Great Britain 37 cents . Service standards differ and US prices are lower than other countries . entailment +For demographic trends and the financial outlook for the Social Security and Medicare Hospital Insurance programs , we used the intermediate actuarial projections , which reflect the best estimate of the Social Security and Medicare Boards of Trustees . Social Security is beneficial for retirees and those who are disabled . neutral +Surrounded by rounded fells rather than high mountains , the countryside here is restful rather than challenging , and the walking is easy . The countryside here is surrounded by mountains . entailment +Think of the one-night payroll alone , and renting the Statue of Liberty . It would be very expensive to rent the Statue of Liberty . neutral +oh well we we 've just got slight chances of rain but uh oh well we we 've just got slight chances of rain but uh we had the we had the hard thunderstorms the other morning course while everybody was getting ready to go to work It will rain . neutral +One of my first actions was to ring up the hospital where she was working . " I sat on my hands and did not take action . contradictory +The other significant story of Clinton 's continuing sexual adventuring was Michael Isikoff 's account last August of a murky encounter between White House volunteer Kathleen Willey and the president . Michael Isikoff told everyone he knows what really happened between the volunteer and the President . neutral +Desperate people who have lost all hope for themselves are biologically driven to propel possibly surviving offspring into the next generation . Human beings have a fortitude like no other in ensuring the survival of their own offspring . neutral +The old bird 's as close as an oyster ! She used to fail all her classes at least twice . neutral +The upper reaches of the Bosphorus are lined with picturesque fishing villages Tarabya , Sar ? ? yer , and Rumeli Kava ? ? where you can enjoy a meal at one of the many excellent seafood restaurants . The upper part of the Bosphorus has many little fishing villages . entailment +He merely drew attention , correctly , to the damaging fact that Dukakis had tolerated a furlough program for especially violent criminals in his state even after a horrific incident strongly suggested this was a bad policy . The furlough program for violent criminals was a wonderful idea . contradictory +you know you go there you train you get treated like shit and then you you i mean then you get out Because they treat you terribly you end up not developing as well and you leave . neutral +You choose from thousands of distinct topics and companies , and have relevant articles from over 630 sources delivered to you by e-mail , or to a personalized Web page . You are limited to just one topic at a time . contradictory +Much academic debate surrounds the exact date of the Trojan War , if indeed it ever took place . In addition to not being sure of the date , academics are also uncertain about who the Trojans were . neutral +The man 's twenty years younger than you , and don 't you fool yourself as to what he married you for . He is too young for you thus he married you for ulterior motives . entailment +She is an excellent specimen of well-balanced English beef and brawn . She 's an excellent specimen of English beef and brawn , well-balanced between the two from her past experience . neutral +Abandoning European dress for his now legendary white cotton dhoti ( loincloth ) and shawl , and drawing spiritual guidance from all the great religions of India , Gandhi became the simple but powerful symbol of India . Ghandi decided to get rid of the European attire and just opted to wear a simple traditional Indian attire . entailment +oh okay well first they always say get to know your country first before you leave i mean i i lived in places like when i lived in Washington uh Washington DC i never went to the Washington Memorial and then when i went back to visit i went to the Washington Memorial I move a lot and Washington DC is just one of the many homes I have had . neutral +oh well i hope i don 't run across them I hope I can meet them . contradictory +Although CV studies that address both types of visibility exist , in our analysis we rely only on recreational visibility studies , as explained further below . Recreational visibility studies are bulky . neutral +the basics uh right uh-huh yeah that 's what we do too Yeah , we try to do the basics as well . entailment +well i uh i found that uh it was a perfect combination from the standpoint of having vacations off at the same time The summer vacation is the best part of the job . neutral +LSC has endeavored to minimize the burden on programs in the collection of this information through the design of a carefully developed data collection instrument , the collection of information only once a year , and through efforts to modify existing case management systems to allow for collection of this information . The burden on programs in the collection of this information is being minimized by LSC . entailment +Ca 'daan couldn 't see the man bleeding across the sand , but he heard him gurgling . Ca 'daan couldn 't see the man bleeding , but he heard the sickening noise of his demise . entailment +the sculpture of Two Slaves by Michelangelo ; Leonardo da Vinci 's Mona Lisa ( La Joconde ) and Virgin of the Rocks ; Titian 's voluptuous Woman at Her Toilet and somber Entombment of Christ ; the poignant Old Man and His Grandson of Ghirlandaio . Da Vinci 's Virgin of the Rocks is also known as the Madonna of the Rocks . neutral +And that would be that . And it would be over . entailment +Given these responses to volume , total street time cost would increase from $ 10 billion to $ 16 . The street income cost would decrease . contradictory +There are a number of interesting attractions lying to the west of Mandeville . There are no attractions in Mandeville at all . contradictory +However , the issue of the federal ownership of nonfederal assets is controversial . The issue of the federal ownership of non-federal assets is controversial . entailment +Checkers masters stared down their Armageddon a few years ago , when a powerful computer program named Chinook forged a tie with the second-best checkers player in the world , Don Lafferty . Chinook , a computer almost beat a world class player in checkers , because Don Lafferty made a mistake . neutral +He walked the whole way with a smile . He ran the entire distance . contradictory +Vast expanses of land are cultivated ; orchards and lush cattle pastures produce the famous strong cider and pungent cheeses . Markets to sell the cheese and fruit from the orchards are a large part of the region 's economy . neutral +Corporate taxes also were cut substantially in 1981 . In 1981 significant cuts were made to corporate taxes . entailment +i i would be impressed i mean you know I am surprised and happy you caught the fish . entailment +Their insatiable appetite for royal gossip is cheerfully fed by a venal press . The press provides plenty of highly sought-after royal gossip . entailment +His successor , General Gerald Temple , stepped in to deal with the Emergency . The Emergency had been caused by his negligent actions . neutral +it was like you 'd go out in the yard to water something you 'd just be standing still The yard was incredibly small . neutral +i know there was uh a pipeline going in up in uh southern Pennsylvania and there was a group in uh Bucks county that was fighting it and uh one of the women that was leading the group said well they say they 're going to pump uh oil through there but before long they 'll be pumping radioactivity through it The pipeline would transfer sewage to the ocean . neutral +uh-huh i have a friend that had a roommate that worked at TI and she saw it on the computer screen and they made copies of it I live by myself . contradictory +Experience has shown that many installations have been completed in much shorter times . Some installations might not be completed . neutral +He was absolutely right , of course . He was not right at all . contradictory +State Technology Planning Manual developed and disseminated . The manual for technology planning was created and spread . entailment +As I stated earlier , it could take 5 to 10 years to fully implement this reorganization in an effective and sustainable manner . The reorganization was planned by the committee . neutral +We have a choice . We have options about what to do about this torrent . neutral +48 Suddenly , to Tommy 's complete surprise , Tuppence dragged him into the little space by the side of the lift where the shadow was deepest . Tommy pushed Tuppence away , knowing her plans . contradictory +First Build the prototype . Build the first one to test it . neutral +right that 's exactly right i tell you I knew about this a while ago . neutral +They began the process of building their strong citadels , and reinforcing the Christian faith on the islands . The process of building their strong citadels began thanks to them . entailment +Low levels of funding and the absence of state , regional and national poverty training materials and teachers can diminish opportunities for staff education on substantive poverty law issues . The level of funding for poverty training needs to be increased . neutral +and um you place the shrimp in the in the rice steamer and you put a bay leaf and put some uh red pepper over it Place the shrimp in the skillet and sauté with butter and garlic . contradictory +It feels almost exactly like a normal place--you can shop , travel , talk , learn , watch movies--except there is only one weather . The weather varies greatly . contradictory +Jon dropped the pistols , hoping to scoop them up later , and drew his rapier and dagger . Jon was unarmed . contradictory +and so it doesn 't and then and then it weighs a ton then it weighs a lot entailment +yeah there 's not that many down here that you know once once in a while you 'll see one There are not a lot of them down here . entailment +In response , the Americans , British , Dutch , and French combined forces to smash the Choshu fortified positions , and Britain retaliated for the assassination by practically leveling the town of Kagoshima in southern Kyushu . The Americans contributed the most troops to the offensive assault . neutral +This executive guide is intended to identify effective practices and provide case illustrations and other information for federal agencies ' consideration when developing strategies and planning and implementing actions to manage improper payments in their programs . Federal agencies use the guide when strategizing and planning . neutral +This bulky fortress-like church dates mainly from the Crusader period of the 12th century . The oldest parts of this church date from the 14th century . contradictory +oh i go for that yeah Oh , I would never miss that for anything . neutral +uh i think it depends on what what it was they did and if the evidence was uh uh if there was no doubt in my mind that that person was guilty of that crime It depends on the evidence as to whether or not I think they 're guilty . entailment +While there are still ample remnants of that easy-going charm , the gap is quickly closing ; the city now hardly lacks for traffic and noise . They have destroyed all the reminders of the charm . contradictory +you know this was your dream of your life to have a Siberian husky so we got the other one for him and to keep the first one company when we were at work all day We didn 't want to have our Siberian husky be all alone on its own so he bought another Siberian husky to help keep him company . entailment +yeah oh that 's really that 's really too bad i had um one place that i enjoyed going to but my my girlfriend didn 't like it and then i had asked her about it and she said um There is a place I enjoyed going to that my girlfriend loved . contradictory +And running the show darned systematically too as they always do . The show is ran absolutely perfect . contradictory +Training has proven to be an important tool for agencies that want to change their cultures . Training does little to help change a corporate culture . contradictory +On reaching Chora , you will need to walk through the pedestrian-only town to reach the monastery . The monastery is unreachable to the public from the town of Chora . contradictory +as soon as we determine what we 're going to do with Contel after we bought Contel We bought Contel and are able to determine what to do with it . entailment +Lewinsky , Week 2 : Newsweek ' s cover story is The Secret Sex Wars ; Time 's is Independent Counsel Kenneth Starr . All press 's Week 2 stories are on the Ebola outbreak . contradictory +The book 's introduction was drafted by Appiah . Appiah drafted a great introduction to the book neutral +Each region houses LSC and other nonprofit civil legal services providers bound together by a commitment to collaborate . A few regions only house non profit civil legal services contradictory +[ T ] he passion and pain of the affair that shook the world has been exposed in the lovers ' own words . The affair got everyone 's attention . entailment +It 's the same as regular five-card stud , with the machine acting as dealer . The game is the same , however the dealing is always done by a machine . neutral +Soon , the invitees are being asked to wire money to a courier claiming to be on his way to America to deliver the conference invitations . The courier can only claim to be on his way to the United States . neutral +Soderstrom noted that large grants provide a great deal of data . Soderstrom said that large grants do not provide any data . contradictory +STANDARD COSTS - Predetermined expected unit costs , which are acceptable for financial reporting purposes if adjusted periodically to reflect actual results . It was costs that were predetermined . entailment +He wanted to give the right answer . That person really had no idea what to say . neutral +he gets right into it and uh He delays it forever . contradictory +Afterwards I lay there looking at her smooth face in the deep night . Her face was smooth and wrinkle-free . neutral +The secret of these fish is so well kept that no emperor has dared to take control lest this secret become lost . Everyone knew the secrets of the fish . contradictory +trade in but it 's a place in Arlington and i think maybe as you get outside the Dallas area i kind of i bet you it 's kind of what i decided well maybe because it 's outside of Dallas they are giving a little bit better They probably give better prices outside of Dallas . entailment +31 Under any foreseeable circumstances , universal delivery would not cease . Universal delivery will almost certainly end next year . contradictory +Fischel is also the author of The Conspiracy To Destroy Michael Milken and His Financial Revolution . Administrators protest that they are only keeping pace with their UNEXT has already signed on with Columbia , while Harvard , Stanford , and Cornell are considering commercial partners for their own online programs . Fischel wrote a book about Michael Milken . entailment +So why deny high-testosterone women an opportunity to join in the fun ? We cannot deny the women the opportunity . neutral +it sure is and i think here at TI we get what is it nine or ten We get five to six at TI . contradictory +Men like Leon Battista Alberti , brilliant architect-mathematician-poet , brought about a new spirit of inquiry and scepticism . An intelligent individual from the 1500 's brought a new way to look at things . neutral +i well i think uh Joe Montana got something like a million dollars for saying i 'm going to Disneyland Joe Montana has never visited Disneyland contradictory +The northernmost Temple of Ceres was built around 500 b.c. , and was later used as a church in the early Middle Ages , as attested by three Christian tombs . The Temple of Ceres crumbled in a 1988 earthquake . neutral +and so we would sail and and uh did a lot of camping that way We prefer to camp and sail . neutral +On the left is the Madrasa of Sultan Hasan , built in 1362 . On the right is the Madrasa of Sultan Hasan , built in 1993 . contradictory +Spain 's Golden Triangle of Art is concentrated on the elegant but busy Paseo del Prado , between Puerta del Sol and Retiro Park . Their is a famous art district in the upscale area of Paseo del Prado in Spain . entailment +it it it doesn 't come out um it doesn 't come out of long term savings like we were we were um saving savings bonds too for oh years and years and years and now i 'm getting up towards retirement age so we stopped stopped the the savings bonds and we 're going maxed out on CODA and then you know other things like you know CD 's I am still a long way from my retirement . contradictory +Crocodiles have lived in this region ever since biblical times , but these swamp creatures were recently imported to the area from the Florida Everglades . There are stories in the Bible about crocodiles in this area . neutral +Zorg ( Gary Oldman ) demos firepower ( 45 seconds ) : Zorg has an extremely high amount of firepower . neutral +Do as I ask you . Do what I tell you to do . entailment +In this way , it amassed vast fortunes still kept under lock and key . The fortunes amassed would put the greatest bank vaults to shame . neutral +The new ships will be quieter , stealthier , and more efficient . The new cars are louder . contradictory +The advocate component of the website is organized geographically ( generally by state or city ) , by local practice areas and by national practice areas . Clients appreciate being able to sort advocates according to what 's most convenient for them . neutral +I was pleased to ( sponsor the legislation ) because it will provide access to legal services to the poor and underprivileged in Kentucky that otherwise would have been denied them because of federal budget cuts and because of some reduction in funds because of state budget , Geveden said . The legislation would not be helpful to the poor . contradictory +but we do don 't we We probably do neutral +The most important is the tenth-century Parsvanatha , built in the classical Hindu sikhara-domed style and incorporating the sculptural themes of the Vishnu temples . Tenth-century Parsvantha temple is the most important because it is the classical Hindu sikhara-domed style while incorporating important themes . entailment +and the power given to the IRS is just astronomical and The IRS has a lot of power . entailment +Idon 't generally complain about oppressive patriarchal social structures , but Ferberism is a good example of one . I don 't think Ferberism is a good example of an oppressive patriarchal social structure . contradictory +On June 25 this year , a supply ship slammed into Mir . Mir got into an accident last Christmas . contradictory +The New Territories can be explored by taking the Kowloon Canton Railway ( KCR ) , which makes 10 stops between the station in Kowloon and Sheung Shui , the last stop before entering China . The New Territories can be explored by taking the Hong Kong Gorilla Express , a primate operated Zepplin service . contradictory +but i just couldn 't see it you know going off and leaving everything like that I felt that it was best to go off and leave everything like that . contradictory +Because CNN executives crash so frequently , CNN devotes round-the-clock coverage to wait , that doesn 't quite follow . CNN devotes round-the-clock coverage because their executives crash very frequently and they are very demanding . neutral +yeah well yeah i guess i 'm going to quit as soon as school the school season 's over but uh i really enjoyed being with her up there i hate it for her she has to stay that much longer but um I am sad that she has a while to go staying there . entailment +oh i would have liked to have a kid with me i think preferably someone seven or eight just just to get a sense for you know how how it affected them There were no kids around at all . neutral +His heir James VI lived at the castle in the 1680s , when the paint was barely dry . James VI lived in the castle in the 1680 's . entailment +Regarding collaboration , he mentioned that partnering with specialists in substance abuse gave him a greater understanding of that specialty and increased the quality and credibility of subsequent proposals . He mentioned that partnering with specialists in substance abuse taught him a lot , which made his interventions more successful . neutral +Specifically , we recommended that OMB promote the federal Chief Information Officers Council 's adoption of information security as one of its top priorities and encourage the council to develop a strategic plan for increasing awareness of the importance of information security , especially among senior agency executives , and improving information security program management We recommended that OMB should agree to the CIO Council 's adoption of information security as a top prioritiy . entailment +Her only hope , if she is unhappy with the perpetual houseguest , is to advise the ( official ) roommate that 1 ) the threesome is not a comfortable arrangement for her , or 2 ) the guest is a de facto resident and should share the expenses--to the tune of one-third . The woman must keep her mouth closed if she 's not happy with the situation . contradictory +MALS earlier this month announced it expects to lose $ 200,000 in 2003 and beyond , largely due to a drop in the number of poor people it serves in four counties , according to the latest Census . MALS has been losing significant sums of money for five years . neutral +The museum is open every day ( including Christmas and Carnival ) from 9am to noon and 3 to 5pm . The hours of the museum are 9-noon and 3-5 . entailment +An EPA official told us that the agency is using email as a way to facilitate the delivery of documents to the small entity representatives and to receive their comments . The EPA official was dressed like Men in Black . neutral +The Supplementary Information accompanying the final rule states that the final rule was not analyzed under Executive Order No . The Supplementary Information accompanying the final rule states that the final rule was not analyzed under Executive Order No . entailment +The subsequent power struggle at first split the country into two imperial courts , and then effective control of Japan was splintered for two centuries among scores of daimyo ( feudal warlords ) . The power struggle of the two imperial courts caused conflict for two centuries . neutral +The editor of the gay magazine Out urges gays to mingle more with straights and not wall themselves in the gay ghetto . Out magazine 's editor is asking gay community to not isolate themselves from the heterosexuals . entailment +Encounters among individuals are generally positive , supportive , and rewarding , but those among groups are ordinarily unpleasant and confrontational . Encounters among individuals are more positive than those among groups . entailment +After the explaining is done , however , judgments must still be made . Judgments wont have to be made after the explanation is done . contradictory +that may not ever happen i don 't know uh Houston has had some wonderful talent you know down through the years and in the earlier years they really had some super teams Houston had some talented teams throughout the years . entailment +You 'll need to light a candle or use a flashlight in the cenotaph-chamber because daylight barely filters through the beautiful marble trellis-screens . The cenotaph-chamber is well lit from natural daylight . contradictory +Beresford has just said that I would not have believed Sir James Peel Edgerton to be guilty unless , so to speak , he was caught in the act . Beresford said that I would never believe in the guilt of Sir James Peel Edgerton unless he had been caught red-handed . entailment +Jerusalem was destroyed by Roman troops 36 years after Jesus 's crucifixion ; its citizens were starved , killed in battle , executed , or sold into slavery . The Roman troops looked after the citizens . contradictory +okay maybe maybe we 're all set okay we 'll talk for five minutes they interrupt at the end um yeah it says what you would have for a dinner party i just happen to plan one out for Saturday i 'll tell you what i 'm going to have um There is no point in me planning a dinner party on the weekend . contradictory +Confidential , with its divergent plot strands , rockets to cop-movie heaven . Confidential follows the story of a young good cop and an old corrupt cop . neutral +and uh i think the only way that can be changed for us to get a a better tax revenue that 's fairness and all is for us to limit their terms We need a tax revenue system that is less fair . contradictory +The more expensive sombra seats will land you in the shade , so sol y sombra means that you 'll get some of each , though the sun won 't be in your eyes . The sun won 't reach your feet , either . neutral +yeah working with it it 's uh you can see some areas that could be improved There are some areas that it can be improved when you are working with it . entailment +Chabot informed LSC of their expectation that the statistics provided by LSC to Congress concerning their grantees ' activities be accurate . Chabot , as head of the subcommittee , told LSC to double check their grantee statistics before submitting . neutral +He 's got nothing to lose ! The odds are completely in his favor . neutral +Wandering in these fascinating little streets is best in the early morning or late afternoon when the crowds and heat are reduced . There is a lot of foot traffic during the early afternoon . neutral +Ca 'daan mounted Gray Cloud . Ca 'daan hopped off of Gray Cloud to speak to his friend . contradictory +And even though the film is full of laughs , the jokes hover on the edge of the This is a world in which lurid colors and extravagant gestures are means of filling the void . The film was horrible . contradictory +He doesn 't have to protect anybody else 's . The man is known to burn anything given to him . contradictory +They don 't know we 're here . They know exactly what is going on . contradictory +to um-hum oh i see I understand . entailment +The colossal statues are overwhelming , the delicate grace of the tomb paintings breathtaking , the pyramids prodigious , and the huge temple complexes positively Herculean . The giant statutes are overwhelmingly beautiful , carefully carved from marble . neutral +After the wedding festivities of his son Louis XIII , the gardens became the fashionable place to promenade , and later a spot for aristocratic duels . After Louis XIII 's wedding , the gardens became a great place to stroll . entailment +Although the views about how an organization can change its culture vary considerably , the organizations we studied identified leadership as the most important factor in successfully making cultural changes . Regardless of differing views among organizations , all of them said that the most important part of changing the culture is leadership . entailment +At the present rate of exchange it amounts to considerably over two hundred and fifty thousand pounds . The amount is three pounds . contradictory +If not the most beautiful , the chateau is certainly the most formidable in the Loire Valley , a real defensive fortress , its black ramparts still forbidding despite having had their towers decapitated on the orders of Henri III . Henri III wanted to decapitate the towers because he felt they were not pleasing to the eye . neutral +Where 's the key ? The key is missing . entailment +I want to have a fairly simple wedding , but there are two people I can 't imagine getting married without ( not counting the groom ) . Her parents need to be at the wedding for her to be happy . neutral +yeah well see you know i well You 've known for a while . neutral +How like a man ! He thinks his particular brand of manliness is attractive . neutral +Box is used to describe the receptacles each family or business sets up on a rural route to which mail might be delivered . There are a number of different possible routes . neutral +Since GAO has a legal right of access to the requested documents and since full access was not provided within 20 days following our July 18 letter pursuant to 31 U.S.C. GAO has too many legal rights . neutral +oh oh taking drug testing Oh , doing drug tests . entailment +So , in keeping with our policy , the article was amended . The article was amended in compliance with policy . entailment +yes unless they 're at a point where they 're mentally incapacitated But not if they are losing their memory . neutral +Gallup , for one , is waiting until Net use becomes more widespread before embracing online polling . Gallup has been opposed to online polling since he lost the mayoral election . neutral +Come back when you change your mind . ' Return to this place when you 've decided not to do that . neutral +What ? cried Poirot , in apparently lively astonishment . " What did you say ? " said Poirot , surprised . neutral +i know i 've got one um i i did have two and the i found that um it just made me spend a little more so when i paid one of them off i got rid of it now i have two only have one I will not get anymore after I pay this one off . neutral +It was fun . A lot of fun . neutral +Did you really think I was the kind of girl to roll about on the floor and whine for mercy ? She feels that she is weak . contradictory +yeah so yeah oh how awful oh That 's the most awful thing . neutral +And yet , in its near perfect symmetry , the cone of Mt . The cone is totally lacking in symmetry . contradictory +Birch , unlike Clinton , had to give a principled answer--uh , yes--at which point Will and Bennett dragged her through the sordid exercise of distinguishing gay marriage from polygamy and incest . Bennett said gay marriage was great for society . contradictory +The stone crosemarking the basilica rises 150 meters ( 492 feet ) from its base on top of a rocky outcrop . The stone crosemarking is 492 feet tall . entailment +really that 's yeah it is I hadn 't thought about it like that before . neutral +Many of the eight techniques are discussed in the General Policy Manual , chapter 8.0 . The other techniques take into account special circumstances and are located in chapter 8.1 . neutral +From here , you 'll get a full view of the line of five windmills that sit above the town . You can see the five windmills that sit above the town from here . entailment +To get to the castle , drive up the winding road to the summit or use the lift at the far end of Calle Juan Bautista Lafora , close to Postiguet beach . You can visit the castle by using the lift on Calle Juan Bautista Lafora , near Postiguet beach . entailment +they wound up paying him uh the officer of course was fired but they paid the defendant uh three hundred thousand dollars or something to drop the lawsuit and then last week someone shot and killed the former policeman so uh as some of those things uh are absolutely horrendous and we do need an all an overhaul and we just need more discipline country wide it would then we 'd need it on that yeah The defendant shot the police officer after the suit was dropped . neutral +I haven 't strenuously objected to my love 's praise for people such as Tom DeLay and ( I 'm serious here ) G. Gordon Liddy because of the terrific time we 're having and the incredible sex we share . I feel very differently about people such as G. Gordon Liddy than does my love . neutral +Only 35 minutes by ferry from Central , Lamma Island is perfect for swimming , hiking , picnicking , birdwatching , or just sitting back to watch the bananas grow . Lamma Island is 35 minutes away from Central . entailment +( Though the equator is only a mite closer here in the rather arid south of Martinique , the sun does seem hotter . ) The sun seems hotter because the breezes are cooler in Martinique . neutral +In the seventh century , one strong king , Harshavardhana , reigned for 40 years over northern India , and encouraged Buddhist monks and Brahman priests to participate in philosophical discussions . King Harshavardhana reigned over northern India for many years . entailment +and then tonight this woman called have you taken any incoming calls Did this woman call to talk to you ? neutral +Unlike , say , burning the flag , the act of making a political contribution is not primarily intended to send a message . The act of burning a flag sends a message . entailment +Now there was only one person at Styles who worked on the land ” Mrs. Cavendish . Mrs. Cavendish was the only one who worked on the land at Styles . entailment +In a sense , you get more ballet for your money in the Kirov version . The Kirov version is better in a sense of pricing . neutral +A series of neat wooden display cases hold manuscripts and personal articles of the luminaries of the Lakeland region scripts from the hand of Robert Southey and letters written by Ruskin along with objects such as their tea cups , clogs , and purses . The articles kept in wooden displays are of the Dryland region scripts . contradictory +that 's true it 's been a a fun break but it the break is over The vacation has been okay but I 'm not sure if it 's over . neutral +To start , the Foundation hopes to match LMA members with at least 10 of its organizations . LMA members will be matched with 10 of it 's organizations . entailment +Station VIII ( Jesus speaks to Jerusalem 's women ) : A cross in relief on the stone wall marks the site . The wall is made of concrete and bricks . contradictory +Do you remember affirming that if a crime had been committed , and anyone you loved had been murdered , 107 you felt certain that you would know by instinct who the criminal was , even if you were quite unable to prove it ? " Can you recall that you asserted that if a loved one of yours was murdered , you would instinctively know who was responsible for the crime ? entailment +The giant Times can 't . They were not able . entailment +He was obviously of the very dregs of society . He was dressed in rags and smelled horrible . neutral +Drew knocked on the age-darkened surface of the big door . Drew knocked on the car 's window . contradictory +At the third stop they would clash . they would fight every third stop . entailment +but wouldn 't it be wonderful It would be far from wonderful , don 't you think ? contradictory +The thoughts in his mind were clearer this time . The thoughts swirling in his mind became more clear than they had the first time . neutral +The Cherokee Indians found gold . The gold was found by the Cherokee Indians . entailment +nothing pretty about it It isn 't good looking . entailment +He interviews the adoring mom . The mom adores it . entailment +Kids with well-educated , emotionally stable mothers and secure economic circumstances tend to do fine , whether their mothers work or not . Mothers don 't need to work to help their children grow . neutral +However , if the asset that is transferred was classified as general PP and E for the transferring entity but stewardship PP and E for the recipient entity , it is recognized as a transfer-out ( a negative other financing source ) of capitalized assets by the Transferred assets can be classified as general PP and E. entailment +Happily , the memory of the hurricane is starting to fade--though it was rekindled in March when President Clinton came through Central America , scattering relief programs in his wake like victorious GIs tossing chocolate bars to school kids in 1945 . The victims were happy to receive aid from President Clinton . neutral +October did choose to release The Celebration , a Danish dysfunctional family drama that treats matters of incest and perversion with a tad more taste . There is a large cast who work on the show , many of whom are real-life brothers and sisters . neutral +Notwithstanding these concerns , EPA attempted to respond to the Senators ' request by mapping in the critical assumptions of the CEF as a range of policies that provide a set of alternative assumptions about the future . EPA attempted to overthrow the Senator 's request neutral +The rental program is under discussion but beyond that there hasn 't been much activity , he said . The rental program is not being discussed . contradictory +yeah they 'll work that way and they 're they 're kind of pretty they 've got little white flowers and Yeah , that 's how they work , and they 've got these pretty little white flowers , too . entailment +Inside the porch , mint 12th-century mosaics show , to the right , Jesus crowning Sicily 's Norman king , Roger I , and to the left , his admiral , Georges of Antioch , at the feet of the Madonna . Mosaics depict several religious scenes . entailment +Hearing a slight noise in the West wing , she had peeped along the passage , and had seen Mr. John Cavendish knocking at Mrs. Inglethorp 's door . John Cavendish was seen kicking Mrs. Inglethorp 's door down . contradictory +You had to root for perennial nice-guy Tom Lehman , who 'd led after three rounds of the Open for the third consecutive year . Lehman was behind in every round of the Open . contradictory +As its name suggests , this region of the fertile upper basin of the Po river lies in the foothills between the Appenines and the Alps at the French and Swiss borders . The Po river does not reach the foothills of the Alps . contradictory +I guess you 've no right to ask such a thing ! You have no good reason to ask something like that . entailment +Positive amounts of net debt reflect how much of the nation 's private wealth has been absorbed to finance federal deficits . Positive amounts of net debt reflect how much of the nation 's private wealth has been absorbed . entailment +Reason encompasses the physical , while faith deals with the metaphysical . Faith deals exclusively with the physical . contradictory +right rather than have to retrial the whole whole thing and spend all the money for people to you know go back to court and all the lawyers and i mean it just winds up costing the taxpayers a fortune you know a fortune to keep doing that We did not care what the cost would be we wanted a retrial . contradictory +were abandoned . They were abandoned years ago . neutral +Health Effects Institute , Cambridge MA , June 2000 . Health Effects Institute is located in Cambridge , MA entailment +The Roman baths are still impressive with several large bathing areas , though the hot curative waters have been diverted to a modern pool and spa . Visitors can bathe in the water of the modern pool , but no one is allowed to enter the old Roman bathing areas . neutral +Ca 'daan remembered that moment clearly the rest of his life . Ca 'daan forgot what happened immediately . contradictory +Hosses git themselves lost ' long them back-country trails , specially if they 's pushed hard . Hosses have a tendency of getting lost . entailment +Could jus ' be . … Abracadabra . contradictory +Particulate Air Pollution as a Predictor of Mortality in a Prospective Study of U.S. This study is about Particulate Air Pollution as a Predictor of Mortality . entailment +Otherwise , death ! " Tommy leaned back wearily . Tommy stood tall and proclaimed that death is not a choice . contradictory +The following are examples of how agencies involved employees in planning and sharing performance information . Employees can potentially be involved in sharing performance information . entailment +It is , in a word , simply beautiful . It is very nice to look at and very elegant . neutral +um but i used to go through i i 'd get loads and loads of these things i ended up one time with about uh about about twelve bags of these things and i 'd gone through all of them and i found a couple of them i found a nineteen O nine VDB After rummaging through a dozen or so bags , I got several that I was interested in . entailment +The analysis of variability of access The experiment is about the variability of access . entailment +I am convinced that the Strategic Plan we have articulated with the support of the Congress will provide a strong framework for improving government and meeting the nation 's challenges in the years ahead . I believe the plan will improve government and help meet challenges . entailment +no we probably should but we haven 't so why don 't you explain to me some good tips about what you 've done which you 've found useful and workable What are some good tips that you can offer ? entailment +So yeah , I paid 200 grand to look at pictures and my own puke . I paid $ 600,000 to look at something worthless . contradictory +I really did not know how much Poirot would wish me to disclose . Poirot had not told me how much he wished me to disclose . neutral +It goes beyond accusing McCain of hypocrisy on campaign finance , says Newsweek . For McCain , this illusion is felicitous . It doesn 't accuse McCain of hypocrisy on campaign finance . contradictory +and you 'd see the same kid who were back out there in two days The same kid that played tennis would be back out in two days at most . neutral +yeah i 've always wanted to go back and read some of my literature texts from college um because i enjoyed some of those stories so much but i never seem to have the time to do that kind of reading I can 't ever read my texts from college , even though I did enjoy them . neutral +That 's a bargain , said Japp heartily . That 's almost 50 % off the normal price , said Japp heartily neutral +Don 't accept it but don 't insult the vendor with a ludicrously low counter-offer . Making unbelievably low counter-offers is the best way to start negotiations . contradictory +Gee , and they didn 't have to close down the government even once . They closed down the government . contradictory +His gorilla foster mother , Kala ( whose voice is provided by Glenn Close ) , remains on the scene after he reaches adulthood . Kala , after he reaches adulthood , remains on the scene , said the article . neutral +The cover story endorses the state Legislature 's plan to scrap New York City 's rent-control law . The article focused on the plans to get rid of the rental law . entailment +Vrenna stood near Adrin , relaxed and ready . Vrenna was ready , relaxed and standing next to Adrin . entailment +And when GS asks , who is to stop congress from spending too much money . It 's not possible for congress to overspend . contradictory +i do seem to remember is that the one where they uh he always got this this tape recording that self-destructed I never saw the tape recorder explode before . contradictory +GAO officials responsible for the completion of the engagement will participate in the meeting . Only those necessary will participate in the meeting neutral +Alternatively , some psychotherapists have argued that professionals alone should do the evaluating . Some psychotherapists thing professional speech therapists should evaluate the children . neutral +It made Jon sad that he had little hope of his own . Jon was sad that he shared the hopeless outlook of the men . neutral +Frank 's categories are too crude to answer these questions . Frank 's categories do no justice to the questions posed . entailment +should not guide our activities in cyberspace . The activities in cyberspace should be left unguided . entailment +This is called total factor productivity . There 's no such thing as total factor productivity . contradictory +Performance measures are key to monitoring progress in addressing improper payments . Performance measures are occasionally used to monitor progress . neutral +It seemed to her , as she did so , that the tension of Mrs. Vandemeyer 's attitude relaxed . After she offered tea and made small talk , it appeared the tension of Mrs. Vandemeyer 's attitude relaxed . neutral +The Attorney General has certified that the interim rule will not have a significant economic impact on a substantial number of small entities because it only affects the federal government operations regarding examination , detention , and removal of aliens from the United States . The Attorney General stated that this interim rule will have a significant economic effect on many small entities and none on government operations . contradictory +He merely grunted and jerked down his flag . After making little noise , he lowered the flag . entailment +Please note that , like a reheated stew , this dodge works even better after a military action has begun . They would face the matter head on . contradictory +That would change dramatically with the 1966 arrival of billionaire Howard Hughes . Everything stayed the same after Howard Hughes arrived . contradictory +Considering L.A. ' s involvement in the film industry , it 's no surprise there are so many movie theaters . The film industry is all over LA and touches every aspect of the culture . neutral +Until restoration is complete , the main reason to hit the area is to check out cultural sites , including the museums . Until renovations are finished , there are cultural sites and museums to visit . entailment +uh i am amazed i don 't have an answer for why the numbers are so low I thought the numbers were higher . neutral +don 't think i 've heard of that one I don 't think I have ever heard of that one but I would like to know more . neutral +The participants applauded the deterrent put in place by the Sarbanes-Oxley Act of 2002 , which sends a signal that persons who prepare or attest to fraudulent financial statements can go to jail . There are no penalties for preparing fraudulent financial statements . contradictory +LSC staff planned and coordinated this conference , and the Corporation sponsored the participation of executive directors by covering their travel costs . It took LSC staff 6 months to plan a conference that would last 2 hours . neutral +You git over to th ' Four Jacks . Stay away from Four Jacks . contradictory +A shortage of money . There was not enough money . entailment +Changes in the market value of existing tangible and financial assets , such as land and stocks , reflect expectations about the productive potential of the underlying capital , but fluctuations in asset values may not represent real , permanent changes in the nation 's productive capacity . Market valuations of assets do not always represent permanent changes in productive capacity . entailment +The relationship it describes may strike many as exploitative or ugly for other reasons , but it is not illegal . The relationship is morally questionable . neutral +In actual fact , I was just trying to find something that might have survived . I was looking for something that might have survived . entailment +and there 's quite a few if they can do the job i think more power to them you know i would i i i would dearly love to find out that you know i could i could say well i guess i was wrong about Ann Richards I would like to see how Ann Richards does in the position . neutral +oh yeah that 's something That 's nothing , don 't worry about it . contradictory +Meanwhile we do no harm ; for they That with a god have striven , Not hearing much of what we say , Take what the god has given ; Though like waves breaking it may be , Or like a changed familiar tree , Or like a stairway to the sea Where down the blind are driven . We are religious people , and pacifists . neutral +In 1565 she married her young cousin Henry , Lord Darnley , much to the chagrin of Elizabeth ( Darnley was a grandson of Margaret Tudor and thus also had a claim to the English throne ) . Elizabeth didn 't like the fact that she married a family member . entailment +'Already on it sir , ' Natalia smiled smugly . Happy to be ahead of the game for once , Natalia smiled smugly and replied , " Already on it sir . " neutral +Well , we 've only his word for that . Even though we have his word , I don 't think we should trust him . neutral +The Commission states in its report to us that the Unfunded Mandates Reform Act of 1995 does not apply to the Securities and Exchange Commission . The Unfunded Mandates Reform Act of 1995 isn 't applicable to the Securities and Exchange Commission , according to the Commission . entailment +Try to view it in the late afternoon sun , armed with a pair of binoculars to study the rich sculpture of the Gallery of Kings high above the windows . It 's best to see it in the morning before the sun rises . contradictory +By the time he learned to use it , night had fallen , and he was too tired to try anything more . He figured it out in no time at all and went straight to work . contradictory +The sights , sounds , and smells of old Kathmandu bombard the senses . If you sniff the air in old Kathmandu , you 'll notice there are no smells . contradictory +Edinburgh 's Festivals Edinburgh 's Music Festivals neutral +Access Restrictions to and Accountability for Resources and Records Limits put on accessing Resources and Records . entailment +Mrs. Clinton 's mentor Marian Wright Edelman was at the height of the 1980s U.S.-Soviet tensions ... Marian Wright Edelman was absent during peak U.S.-Soviet tensions . contradictory +More shops can be found on Ben Yehuda Street , King George V Street , and Jaffa Street . The shops are closely grouped together on each street . neutral +Many day trippers see little more than this . This is very popular with tourists . neutral +Otherwise , I 'll think of something else . " Dave followed the man out into the clearing . Dave followed the man while they spoke to each other . entailment +The analysis provides a statement of the need for and the objective of the rule and the fact that there were no comments received with respect to the Initial Regulatory Flexibility Analysis . The analysis provides no statement whatsoever about the need for the rule . contradictory +Attestation engagements are governed by the standards for attestation engagements issued by the American Institute of Certified Public Accountants ( AICPA ) . Attestation engagements are governed by the World Health Organization . contradictory +However , if there are categories of mail that are attractive to competitors , these categories should be viewed as extremely elastic and the Postal Service would be expected to move its rates toward a lower markup over costs . Attractive mail should not be viewed as elastic . contradictory +In particular , he has spoken of Salon ' s dedication to a mission of exposing important facts . He has spoken of Salon 's dedication to exposing important facts . entailment +One of the sourcing principles adopted by the Panel was that the federal government 's sourcing policy should avoid arbitrary full-time equivalent ( FTE ) or other numerical goals . The federal government 's sourcing policy needed to be revised partially . neutral +i was just going to say that you should see those first uh first if you can Watch those after all the rest . contradictory +Employment in the construction sector grew by 49 . The construction sectors employment grew by 49 . entailment +He likens the revered editor to the character Prince Myshkin in The Idiot : innocent and vulnerable , someone who must be protected . The Idiot includes a character called Prince Myshkin . entailment +oh okay well i 'm a Tech graduate so I graduated from Tech . entailment +Worth billions , he reviewed every grocery bill and prowled the hallways turning out lights . Even though he is worth billions , he reviews every grocery bill and turns out his lights . neutral +The technician , wanting to escape into tomorrow , regained consciousness and jumped on his feet , which were not all that stable . The technician was having trouble keeping his balance . entailment +Not true , he replied without hesitation . It 's not true that she doesn 't love me . neutral +The Scott Monument is a huge , stone Gothic structure with four buttresses supporting a spire . The Scott Monument is a Romanesque structure . contradictory +Which has a curious--and perhaps salutary--effect . Which has a furious effect . contradictory +Inside the gates , dozens of horses await to transport you gently along the 21.2-km ( 11.2-mile ) track through the siq ( gorge ) to the city . People make the 11-mile trip either on foot or on donkeys . contradictory +One of the factors affecting the demand for mail services is the number of households . One of the factors affecting the demand for mail services is the number of households . entailment +yeah we don 't have cable unfortunately so we just get but we 've got plenty of local stations to look at They don 't have cable because it 's too expensive . neutral +you know i i agree with that because i see people that i know a again from high school that i still keep in touch with that didn 't go to college and I still keep in touch with people from high school that didn 't go to college . entailment +Room 17 : Canaletto 's hugely popular 18th-century vedute ( views ) of Venice were aristocratic precursors of modern postcards ; in such works as Island of San Giorgio Maggiore , Francesco Guardi achieved both poetry and melancholy . Canaletto 's works were the 18-century version of a modern postcard . entailment +He is The Manchurian Candidate and a horny hick . The Manchurian Candidate came on to me . neutral +Gandhi returned in 1915 after working as a lawyer defending the rights of the Indian community in South Africa . Gandhi worked as a lawyer defending Indian rights in South Africa until he grew too old and tired and returned in 1915 . neutral +intranet websites that communicated and explained information security Intranet websites did not communicate or explain information security . contradictory +Additionally , the Acid Rain cap and trade program is administered with a relatively small staff relying on strong , state-of-the-art data tracking and reporting capabilities . Despite having a huge staff , the acid rain cap program is lagging behind due to old technology . contradictory +Former Food and Drug Administration Commissioner David Kessler describes how an ex-R.J. David Kessler is a Former Food and Drug Administration Commissioner . entailment +Juan Yeah , [ Beatty will say , ] ' Show me the evidence . " Yeah , show me the evidence " Beatty will say entailment +The institutions and individuals he supports--call them Milliken Men--have helped legitimize a point of view that still commands virtually no support among professional economists , and which was regarded , even a decade ago , as politically beyond the pale . He supports individuals that are considered to be normal . contradictory +we can either try to get here tonight or just sleep it and try to get there tomorrow morning and we said okay let 's just sleep in and try to get there tomorrow morning Let 's get up bright and early , no sleeping in . contradictory +that still don 't have the leaves on them yet that 's right that 's exactly right All the plants had at least a few leaves on their branches . contradictory +right i agree with that because i know personally myself i 've been in the same job for three years it 'll be three years in August and i 've already been drug tested three times I have been on drugs so they have tested me three times . neutral +( Slate ' s outlines the legal status of gay marriages . ) Since Slate is a gay media company , they outline gay marriage . neutral +Packages sent to the US or to Europe generally take six to eight weeks by surface mail , and one week by airmail . It takes exactly six weeks to send a package by surface mail to the US or Europe . neutral +In the rooms of the Grands Appartements , named after the gods and goddesses whom Louis felt to be his appropriate companions , the king entertained his courtiers . Louis was very much a superstitious individual and it dominated his life . neutral +yeah but i always see it 's all it 's all money this like a couple other topics we had talked about was crime It it 's it 's all money based and what you can do unless you just get down to the parent level and and then if you 're in a bad situation where you have to send your child to a bad school who knows but maybe we do we need some more Catholic schools support the church instead they seem to have done a the good job in the past in uh some places uh you couldn 't go to a public school it was miles down the road and the only school you could go to was the Baptist school or the Catholic school so We talked about crime , money , parenting among other things . entailment +uh another uh calamity i guess that befalls some purchasers that i didn 't uh think about when i first purchased this house was what can happen right immediately behind you we are on the edge of a development that has a little retainer wall that separates us from the rest of the from a street and a little little uh business area and uh some friends of ours moved into a house and a couple of years later a a uh shopping center built up behind them and it was a grocery store that had that stocked at night at about three am every night I purchased a house . entailment +We are pleased that the Administration has just released the national homeland security strategy and GAO stands ready to work with the Congress and the Administration to ensure that a sound and strong strategy can be effectively implemented to protect the country against terrorism . The national homeland security strategy has been released . entailment +She says , Have a nice day . Have a nice day , she says . entailment +Behind the colonnades on the Middle Terrace , to the left of the ramp , are carved scenes depicting a trade mission bringing myrrh and incense from Egypt 's neighbor Punt , now Somalia . There are no carved scenes behind the colonnades . contradictory +This is a very effective way of letting the public know we are there . Its a good way to let everyone know we 're there . entailment +Watch for a car park just beyond the summit , where you can stop and enjoy the awe-inspiring view north over the diminutive Brothers Water , so called because two brothers were said to have drowned in its depths . You are required to hike to the summit in order to see the view over Brothers Water . contradictory +Mr. Brown 's methods are not so crude . Mr. Brown 's methods are different then ours , but they 're really just fine . neutral +Ned Devine is this year 's stab at The Full Monty ( 1997 ) , which made more than $ 100 million and even snagged an Oscar nomination . The film made less than $ 10 . contradictory +What involvement did other key players have in connection with these accountability failures ? Nobody was concerned about the failures . contradictory +My appearance was the only thing against me . Something about my appearance made me unlikely to succeed . entailment +T he fertile Nile Valley has supported human life for over 8,000 years . The Nile Valley has supported human life for over 8,000 years . entailment +have managed to do all these years and maybe it will take a lot longer before the physical physical evolution or for lack of a better term will occur to allow you to handle what we 've put ourselves through Even though you have gotten used to your body , it will change once it familiarizes itself with what it has been put through . neutral +It is clear to me that the LSC Act 's funding of welfare benefits suits and its prohibition on suits challenging or defending the validity of existing law are conditions , considerations [ and ] compensations for each other that cannot be severed . The LSC does not provide welfare funding . contradictory +The sacred relic was first worshipped in the Alicante region during a drought in 1489 . Worship of the relic began after the Virgin Mary appeared to a farmer there . neutral +State planning in Colorado began in 1995 with the formation of the Statewide Legal Services Planning Group . In 1995 , Colorado decided to plan its urban areas before building . neutral +Telecommuting has made long hours easier and may be contributing to productivity gains . Telecommuting has only made workers lazier . contradictory +Rooms are classically decorated and warm . Rooms are not cold and are decorated nicely in the classical style . entailment +I don 't , son . I do , mother . contradictory +Spins on the monetary 1 ) It will make Europe the United States ' new economic rival . Europe will be an economic rival to the U.S. entailment +still a feeling of you know it 's not totally wasted dollars if you think about it some of it coming back your way Some of the money you spent on the car is coming back you way . neutral +Advocates like to point out that the waste hasn 't killed anyone , but kids die every year from food poisoning . Advocates draw attention to the point that waste hasn 't killed anyone , but children die each year from food poisoning . entailment +First of the national rulers to take the title of sei-i tai-shogun ( barbarian-subduing great general ) , Minamoto expanded and consolidated his power by confiscating lands from some of the defeated Taira and redistributing them to his samurai vassals . Minamoto did not give land to all of his samurai vassals , only the most favored . neutral +With the exception of ocean liners and picturesque fishing boats , Funchal remains a working port ( handling containerized freight ) and home to a small oil terminal . Funchal remains a working port , with fishing boats and commercial vessels . They also have fishing tours that use the port . neutral +What is it ? said the brown man . The brown man did not say anything . contradictory +Why , I shall say Oh dear , I don 't know . I have thought about it , but I have no idea why . neutral +These programs include expansion and strengthening of existing information programs , financial incentives , and energy efficiency standards on motors systems . The programs weaken existing financial incentives . contradictory +Oh , this fellow ! This man . entailment +He reigned from 37 to 4 b.c. , during which time he fortified the Hasmonean wall and rebuilt the defense towers beside Jaffa Gate , the foundation of which still stand . The foundation of Jaffa Gate still stand today because of the Hasmanean wall 's fortification . neutral +Robert Woolard supported the recommendation and noted that most research on screening has involved an evaluation of screening , but not an intervention . The recommendation seemed like a good idea to Robert Woolard because he had personal experience of screening . neutral +yeah we talked you talked about before about uh the school funding i think there 's only gonna be one solution to school funding which i i don 't think will be necessarily the best way but i think what 's what 's gonna have to happen is there 's gonna have to be tuition for grade school and junior high and high school kids that 's the only way they 're gonna fund it because they start raising taxes for property and people are gonna throw a fit I reckon the only solution to the school funding problem is introducing tuition fees . entailment +But Rodgers did tell Lewis that he despises Amelio because Amelio supported Clinton , so it is Rodgers ' mistake , not our author 's , that we are correcting . Rodgers told Lewis he hates Amelio but not to print that . neutral +This non-LSC funded entity is available to clients throughout the state and currently consists of six full and part-time staff attorneys . Attorneys are necessary for the operation of this entity , because it allows clients to take high risk loans . neutral +To a much lesser extent this analysis makes use of data from 717 business routes . To a much greater extent this analysis makes use of data from 717 business routes contradictory +The rise of black urban politics destroyed the big city machines the Mafia once depended upon to carry out its rackets . The Mafia is now all but wiped out . neutral +Keep some on your person , and when confronting the foul offender , produce them , pop a few into your mouth , and offer them to the co-worker . Your stinky coworker will be so embarrassed that they will never say a word . neutral +TDHS administers state and federal human services programs , including TANF and the Food Stamp program , to more than 2 million needy , elderly , or disabled Texans each month . TANF and the food stamps program are managed by the justice department . contradictory +Reorganize monetary policy to confront the realities of a globalized money supply , both to achieve greater stability and open the way to greater growth . They advocated for the money policies to be on a global level to bring stability . entailment +The D982 leading west from Rouen is the start of the Route des Abbayes , which meanders through woodland and meadows around the medieval Norman abbeys ' most of them enjoying their heyday under William the Conqueror ' at Saint-Martin-de-Boscherville , Jumiyges , Saint-Wandrille , Le Bec-Hellouin , and Caen , culminating in their masterpiece , Mont-Saint-Michel . The medieval Norman abbeys don 't have any woodland or meadows in the vicinity . contradictory +The horse went over the edge . The horse let out a loud neigh as it stumbled over the edge . neutral +Ask around and find out where Spaniards and resident expatriates eat . Question people around and figure out where the Spaniards and expatriates dine . entailment +The uprising and the violent reaction of the British forces resulted in the destruction of many of the historic buildings in the town , which never really recovered . The historic buildings in the town never got back to the way they were . entailment +If a Wannabe gets paid a small stipend for this work , she belongs to the Staffers . Staffers make money . Wannabes do not . neutral +The most malignly error-ridden study of the American people to appear since the Politburo went out of business ( Robert Sam Anson , the London Times ) . Even Newt Gingrich , who raves about the book in the Weekly Standard , says Johnson 's account of events since the 1960s is too polemical . Newt Gingrich enjoys the books even though it 's far from the truth . neutral +oh God oh man this is too scary that is just too scary you know i let Brian play here in the back yard and we 've got It was too scary . entailment +Greyfeather and Runnin ' Fox were scoutin ' for us . " From one country to another , Greyfeather and Runnin ' Fox scouted us , defending us from the raiders . neutral +In the black black-black offspring . In the black black-black offspring there is a higher risk for cancer . neutral +Traditional Greek clothing is little in evidence , but most of the islands have narrow lanes festooned with cool cotton or cheesecloth pants , tops , and dresses , all of which are ideal for the summer climate . There is no Greek clothing on the islands . neutral +um-hum yep i think that 's uh just just having a good time I think it is all about just having a good time , that is why they do it . neutral +But excuse me , sir , it 'll be too dark for you to see much of the house . There are no candles in the house thus it will be too dark . neutral +Perspectives on the Household Saving Rate . Different views of the Household Saving Rate . entailment +She 'll do for him very nicely , said Tommy condescendingly . She is the perfect fit for him , said Tommy coldly . neutral +The WP 's Names and Faces column reports that Monica Lewinsky would like to launch her own lipstick line and recently tested the staying power of various lipsticks . Monica Lewinsky loves cosmetics . neutral +It 's the court jester lesson . It 's the court fool 's lecture . entailment +Since urea production is performed on a worldwide basis , plants producing urea would be able to expand their capacity if needed . Urea is produced in only one country . contradictory +yeah i sure do i try to i mean um I definitely try to . entailment +Dominating the western ( and larger ) side of the island , the quieter and only slightly less crowded hillside town of Anacapri derives a quasi-sleepy charm from its white villas along narrow lanes flowering with bougainvillea . Anacapri is the oldest town on the island . neutral +The featureless head , sunken and brooding , opened a mouth wide in a silent roar . The head was attached to a body . neutral +Then again , if the Times were to embrace the virtue of a Style section ( or is that a vice ? ) If the Style section were a vice , the Times would become virtueless . neutral +i think he 'll get better as he gets older I think he will get better as he ages . entailment +It ultimately chose what it believed to be the least costly and least burdensome alternative . In the end , it chose to just not do anything . neutral +uh we 're in no we 're in uh where they call it now north Potomac it 's it 's a town but it 's close to Potomac We are in a town in north Potomac , which is close to Potomac . entailment +When Henry returned to his duties he gave his drinking bowl to the family , saying that as long as the cup remained unbroken the family would remain at Muncaster . Henry gave his family the bowl , with the stipulation that they had to stay in Muncaster while it was intact . entailment +the eastern corner here it 's all pine trees and There are only pine trees in the eastern corner . entailment +Personal Communication with M. Durham , ADA Environmental Solutions , August 3 , 2001 . M. Durham is with ADA Environmental Solutions as of 2001 . entailment +St. Anthony 's feastday is June 13 , when the saints ' relics ( otherwise kept on display in the basilica 's Cappella del Tesoro ) are paraded through town . The public can see the saint 's relics at the Cappella del Tesoro . neutral +The failure to constructively involve staff in an organization 's improvement efforts means running the risk that the changes will be more difficult and protracted than necessary . Including staff in improvement efforts makes change far more difficult than necessary . contradictory +They were a noble people once , they just never found the weapons to match us . They were never a noble people . contradictory +Estimates of Scheck 's fee in the nanny trial range from $ 100,000 to $ 300,000 . It is estimated that the trial will cost Scheck from $ 1000,000 to $ 300,000 , which she could easily afford . neutral +so it was really good you know they were checking you know visually and It was great that the police checked with their eyes . neutral +Wearable Computers ( Massachusetts Institute of Technology Media Lab ) . Non-wearable computers ( Massachusetts Institute of Technology Media Lab ) . contradictory +After roughly another mile , turn off the main road towards Ponta do Garajau , a holiday development popular with German visitors . It is popular with German visitors because it has great food . neutral +teaching oh yes Yes , being a teacher . entailment +In the case of unclaimed and abandoned merchandise , revenue is recognized in the amount of the sales proceeds at the time the property is sold . The sales proceeds amounts is recognized as revenue . entailment +'Nata- ' I caught my tongue . I stopped talking after I said ' Nata- ' . entailment +um yes yeah we just had salmon last night for dinner uh but also the spices here um old bay is a spice i don 't know if you 're even aware of it it 's what they used on the The salmon we had last night was grilled . neutral +AFL-CIO officials deny spending anything close to the figures that Republicans estimate . They were more fiscally sound than the Republicans . neutral +The east of India encompasses the birthplace of Buddhism at Bodh Gaya , the great Hindu temples of Bhubaneshwar , and the challenge of Caletta , a huge confrontation of vitality and hardship . The east of India has Bodh Gaya , the birthplace of Buddhism and great Hindu temples of Bhubaneshwar . entailment +A youth hostel ( good for overnighting in order to experience sunrise at Masada ) and kosher restaurant are at the foot of the mountain near the cable-car station . There is a kosher restaurant near to a cable-car station . entailment +um boy that is that is good Yeah , it 's good that he 's graduating on time . neutral +He belonged to men , who stubbornly pursued a goal , and could dedicate themselves to the quest wholly , regardless of the obstacles . The men could overcome any obstacles to achieve a goal entailment +You ain 't goin ' to do that ! Anse was stung into angry protest . Anse wasn 't going to let them do that . neutral +must be explained and the reference toxicant test must be immediately repeated . The reference toxicant test must be repeated immediately . entailment +and also we have a lot of green you know the grass has been growing and if you look outside you would like to go out and mow your lawn if you could go out and The grass is green and I thought about cutting the grass . entailment +Nagarkot , Dhulikhel , and Kodari These three are the most important . neutral +Ira Gershwin was much better at spoof campaign songs than the real thing . Gershwin 's spoof songs were better than his real ones entailment +yeah i 've i 've looked at several uh courses as it were the only problem that we have is things that are that are specifically on our job uh that the courses that apply to our job other than the real basics like just the math and the physics and the like uh all of them are taught at colleges that are very remote in other words there like there 's one in Washington DC and there 's one in Oregon there are only two colleges in the U.S. that offer these courses neutral +she 's she 's yeah this is her second term i think she 's going to going to uh not going to run again after this but She barely won the second term so I think she wants to leave on a high note . neutral +Quick as a flash Tommy leapt from his hiding-place and dashed down the stairs , pulling the girl with him . Tommy narrowly avoided falling down the stairs from moving too fast . neutral +and that certainly is one reason why crime here has increased Poverty levels rising has caused crime to increase as well . neutral +22 Model , the Postal Service has assumed that in 1998 business bill / payment mail was about 20 . The postal service assumed 20 % of 1998 was business mail entailment +It describes the reasons for the proposed action , and its objectives and legal basis . The proposed action should help us out . neutral +'Unanimous . ' The decision to invade was unanimous . neutral +In addition , establishing tooling and manufacturing capability is also required . It isn 't too big of a deal if you have no tooling or manufacturing capabilities , contradictory +You are quite sure of that ? You 'r sure that that happened ? neutral +Some participants also pointed out that most of the auditing is currently being performed by inexperienced auditors . The inexperienced auditors are perform their duties adequately . neutral +A deep chill ran through him as he stared down nearly a thousand feet to the razor sharp rocks peaking through the fog below . He got a chill looking at all the rocks . entailment +Table 3.5 illustrates such a difference . The next table shows this difference . neutral +Jerusalem has a staid reputation , but take a stroll in the New Citein the area around Ben Yehuda Street and Yoel Salomon Street and you 'll find lots going on most evenings , including a handful of discos , several music bars and pubs , and narrow streets congested with tables and thronging with locals and tourists . All of the streets in the New Citein area are narrow and congested . neutral +For a list of where the hotlines operate , along with their phone numbers and hours , go to www.aoa.gov / legal / hotline.html , or call the federal Eldercare Locator at 800-677-1116 . There is nowhere to go to find a list of where the hotlines operate . contradictory +'White knows you 're aboard . White knows you 're next door . contradictory +well that 's they just put all our Christmas trees in the regular uh compost All plant matter goes in the regular compost . neutral +'Yes , sir . ' I said , a little bit stiffly . Like a servant to their master , the only thing I could let out of my mouth in fear of disappointing him or angering him was " Yes , Sir . " . neutral +Critics say UPN 's new series about a novice African-American preacher may be the network 's first half-decent show . The UPN has a new series about a beginner African American preacher . entailment +well yeah i mean not nothing like in the next ten years but more like in the next fifty to a hundred I don 't think we 'll get commercial flights to space within the next ten years . neutral +Sai Routha , said Ca 'daan . " Sai Routha , " said Jon . contradictory +no not this one she 's dead to the world right now oh well well let 's see i guess that 's about it on food There is a lot more to talk about regarding food . contradictory +Susan 's voice stopped and her eyes closed . Susan stopped talking . entailment +The Congress of Vienna of 1815 , with an aim to reorganize Europe after Napoleon 's escapades , did not re-establish an independent Poland . Poland had been broken up for fifty years prior . neutral +John , I said , " I am going to ask you something . " I told John I was going to ask him something . entailment +yeah the other thing i think that they could do possibly is with um i don 't know when i went to school we had um in our social studies we had it divided into for every report card period like there were five or six six week sessions and we could pick what we wanted My high school social studies courses were too short at six weeks . neutral +uh uh i would have no doubt what so ever that any one of them could be dropped in the middle of no where and they 'd they 'd exist exist somehow I am positive that they have no hope of surviving . contradictory +Bauer failed to disprove the possibility of impropriety . Bauer worked very hard to disprove the possibility of impropriety . neutral +4 ) It 's amazing that they 've relaxed their enmity after showing each other their nuclear weapons . They have become even more hostile after seeing each other 's nuclear weapons . contradictory +Using a variety of methodologies for estimating the unmet legal need of the poor , several states have since reached conclusions similar to the ABA study , including Florida , Georgia , Hawaii , Illinois , Indiana , Kentucky , Maryland , Massachusetts , Missouri , Nevada , New York , and Virginia . Florida has an unmet need for legal assistance . entailment +uh back to uh uh back to clothes i don 't really i don 't really have what you 'd you 'd think was an expensive wardrobe i mean some people are very very very clothes conscious uh In terms of clothing , I have an average collection of clothing items . entailment +i suppose that 's probably true Others believe that it 's true . neutral +Just a few kilometers north of Brockhole , at the northern tip of Lake Windermere , Ambleside is one of the major towns of the region . The town of Ambleside is five kilometres away from Brockhole . neutral +The Gandhara Room displays the earliest sculptures representing Buddha in human form ( first century a.d. ) . The Gandhara Room does not display any ancient artwork . contradictory +He will make a good remount , but he is no fighter such as others I have seen here . " Drew unsaddled and left the black in with Croaker ; he fed both animals a bait of oats . He isn 't much of a fighter compared to the others I 've seen here . entailment +It is a rare thing for a Sai Routha to negotiate for anything , whispered Jon . Sai Routha doesn 't negotiate because she doesn 't like conflict . neutral +Stroll through the gardens , have lunch beside the Grand Canal ( a packed lunch allows you to avoid Versailles ' tourist traps ) , and take tea in the grounds of the Petit Trianon . The grounds of the Petit Trianon are good for taking tea . entailment +Happy Halloween , everybody . Halloween is a fun time for everyone . neutral +They wanted him to back their play an ' see ' em straight on to Californy . They wanted his support for their play at Californy . neutral +The result is a complex stalemate . There is currently a stalemate . entailment +It was clever of you to guess . You were being clever with your guess . entailment +On one wall was a fanned display of old daggers and swords which dated a century or so back to the Spanish colonial days . There were old daggers and swords on one wall . entailment +On the dining table sit two terra-cotta pots of deep-pink species tulips . The pots were made of wood . contradictory +In interviews , Robert Fitzpatrick , who styles himself director and CEO , has said he wants to make the museum friendlier to visitors . There is no indication that Robert Fitzpatrick intends to make the museum friendlier to visitors . contradictory +Reed , on the other hand , will see his credibility increase . Reed will be seen as more credible as compared to his peers . entailment +Perhaps you have seen this , seeor ? We spin the birds around and around , then release them . You haven 't ever seen this before , I can guarantee it . contradictory +'None of that will be necessary , ' I said firmly . I agreed and thought we should do it . contradictory +They abandoned the discreet reticence of " private inquiry agents , " and revealed to him the whole history of the joint venture , whereat the young man declared himself " tickled to death . " He turned to Tuppence at the close of the narration . The story was kept discreet and was never told to anyone . contradictory +It is also the site of Sevilla la Nueva , the original Spanish settlement on Jamaica , founded in 1509 , which sits just to the west of the modern town . Spaniards settled in place called Sevilla la Nueva in 1509 . entailment +Here 's the They are both heavy smokers and have managed in three months to smell up the rest of the building . The two heavy smokers stink up the rest of the building in three ( 3 ) months . entailment +We accessed the Federal Register notices for each of these 576 proposed rules electronically through the GPO Access web site . We accesses the notices for 576 proposed rules on the GPO website . entailment +The garden had been founded as early as 1670 as a resource for medical research , affiliated for many years with the Royal College of Physicians . The garden was originally founded as a resource for medical research . entailment +There were sporadic attempts at revolt , often launched from remote mountain strongholds where rebels could survive in safety . The rebels had found safety in the remote mountain strongholds . entailment +I have never given it a second thought , but recently people seem to be noticing my sneezing and commenting on it , some suggesting I see a doctor . My sneezing has been severe and chronic for many years . neutral +i mean that even when i read it now it still makes me cry the ending of it and i couldn 't believe i i could not believe that it took me so long to read such a good book i 'd read some Dickens before but i hadn 't read that one and i i was like i thought to myself I have never heard of Dickens . contradictory +because it 's hard for them it 's hard to explain to someone that look it 's costing us you know umpteen thousand dollars a year to bury this stuff in the ground Fortunately , no one buries any of this stuff in the ground , since it is all recycled . contradictory +But Time ' s Joel Stein says that Gary Sinise 's nuanced portrayal of Wallace redeems the series . Joel Stein dislikes Sinise 's portrayal . contradictory +Will you take them ? You won 't take them . contradictory +And website pro bono sections are essential to doing so . Website pro bono sections are essential for certain tasks . entailment +Oh , thank God . I don 't believe in God . contradictory +However , FGD connections for single and multiple systems can typically be performed during planned outage times . It is great that FDG connections can be worked on during outages planned neutral +well yeah well see that 's in in Dallas there there no plan to build i think that there 's some in East Texas there 's some pulp mills but uh you have to go to Houston and uh it 's interesting and then there 's places that 'll buy metal and they still buy aluminum can in fact that There 's a pulp mill in Dallas . contradictory +where is it i 've just been up there skiing and well we 've driven through you know but but not you know camping or anything but i would love to camp in the mountains We 've been skiing there , and plan on camping there . neutral +You can bet we will be doing every kind of lobbying we can do for our funding , said Wilhelm H. Joseph Jr . , executive director of the Maryland Legal Aid Bureau , the largest provider of legal help to the poor . Mr. Joseph has been involved in lobbying for over 40 years . neutral +But the TV-Internet disclosure disparity is hard to justify in principle and points to potential abuses down the road . The program may lead to abuse . entailment +During renovations and cleaning undertaken in 1999 , a low-wave electronic system was installed to keep pigeons away . The pigeon repelling system was permanently installed and is still functioning today . neutral +Knowledge is a violent , bright , hot thing , but you would never know that watching Moyers , says Laurence Jarvik , author of Behind the Screen and a Moyers critic . Laurence Jarvik is a staunch supporter of Moyers ' . contradictory +Some turned to the radical solutions of the Chinese-led Malayan Communist Party ( MCP ) . The Chinese-led Malayan Communist Party doesn 't have any radical solutions . contradictory +The rules we 've always had is that politics stop at the shore , one senior White House official said , speaking on the condition of anonymity . Speaking with anonymity , the White House official said that the rules they 've always had is that politics stop at the shore . entailment +It 's gross , says Sarah Quinn , as she loiters in the parking lot of the Four Seasons with her longtime boyfriend Ben . Ben and Sarah Quinn have been in a relationship for a long time . entailment +probably i 'd say five or six there are definitely only four contradictory +The attorneys who take on These cases often do so on extremely short notice . Usually the attorneys get to work on these cases without delay . entailment +recommendations addressing sulfur dioxide , nitrogen oxides , or mercury at any time after the study has been completed under paragraph ( a ) ( 2 ) and the peer review process has been completed under subsection ( b ) . The recommendations addressed mercury . entailment +The monastery rests in a fertile valley and is surrounded by plane and pine trees . In a fertile valley surrounded by plane and pine trees rests a monastery . entailment +well say hi to Al or Hal the next time you see him Tell Hal that I am thinking of him . neutral +drafting not grafting but drafting course the CAD The drafting course is very rewarding once you complete it . neutral +and that they kicked Michael Kuzak out did you know that Kuzak was also removed . entailment +With these she could control them , use them as little four-legged helpers . She had no control over the animals . contradictory +A relaxing vacation , for example , might combine Paris and the Ile-de-France with Normandy and Brittany . A relaxing vacation could consist of combining visits to Paris , Normandy , and Brittany . entailment +yeah well have you heard anything about Jim Palmer Have you heard anything from the camp about Jim Palmer ? neutral +Overwhelmed with relief , I turned to disappear . I would not be coming back once I disappeared . neutral +There is no indication in section 717 or its legislative history that Congress intended to take such a narrow view of GAOas authority . Congress works often alongside the GAO . neutral +no no it 's funny uh i got out and got my bachelor 's degree in uh seventy three and uh never went to a game there and have never gone to a game since I got my degree in ' 73 , but never went to a baseball game . neutral +Beyond the bridge , on the opposite shore , is the Beylerbeyi Palace , a summer residence and hunting lodge built for Sultan Abdul Aziz in 1865 ( guided tours 9 : 30 a.m. 4 : 00 p.m. , closed Monday and Thursday ) . Sultan Abdul Aziz was a Christian leader , and spent his winters at Beylerbeyi Palace . contradictory +There , mon ami , you will be of great assistance to me . I was pleased with the compliment . They did not need any help . contradictory +that 's kind of the way i am That is just sort of the way I am . entailment +In a market where tomorrow seems like the long term , the fact that 10 years from now the mouse will still be roaring somehow just doesn 't really matter . If tomorrow is considered a long time away from now , a decade would be a relatively abstract concept of time measure . neutral +i 've heard that that 's really good for you to do It 's very good for you to do that . entailment +White threw a gunshot shot absent-mindedly over his shoulder , where it hit somebody 's face . White shot a man without even looking . neutral +He didn 't want me to come , " she added by way of explanation . She explained that he didn 't want her to come . entailment +This is inherently more credible than a commitment to use force for no good reason except that you said you would . This is definitely more credible than saying you 're going to use force and then using it . entailment +Hilliker 's term is one year , and it happens to be the year in which the foundation anticipates large reductions in funding from several of its money sources . The foundation gets most of its money from government grants . neutral +Though he worked with the Kal , Ca 'daan listened to the words of the two men as they talked , circled , and dueled in a clearing of the brush grass near Susan 's rock . Ca 'daan and Kal had never met . contradictory +There are three ancient gates into the city , and hist- orians claim the Carthaginians initially constructed a wall here , though there are no remains of it . The wall disappeared over the years . entailment +It lost some of its dynamism because of squabbles following the death of the founder , The Mother . The Mother 's death led to internecine squabbles , which sapped the movement of its vitality . entailment +The cover story exults that now is the best time ever to be black in America . They wanted their readers to be proud of their heritage . neutral +After 30 years of experience in regulating air pollution , America has proved that there is a better way to accomplish our clean air goals . There is no way to combat air pollution . contradictory +The view of Robert Kennedy lying in a pool of his own blood has been reproduced regularly for almost 30 years with minimal objection or concern about his family 's feelings . Robert 's family does not mind the usage of his image in the media . neutral +Catch you then , Johnette Johnette will be seen later . entailment +um-hum except we call it Aspen but We call it Aspen but other than that you are completely correct . neutral +But can these three compete with CNN 's deep pockets ? Can PBS compete with CNN ? neutral +I come from a poor family village to the south . My family is from the south . entailment +Off-line readers put Web sites--and Web advertisers--in the same position as their counterparts in the print world ( although the off-line reader built into Microsoft 's upcoming Internet Explorer 4.0 will actually send the server a log of the user 's reading habits ) . It is terrible that Microsoft logs user 's habits . neutral +Management should view human capital as an asset rather than a cost . Human capital really doesn 't matter and has nothing to do with successes of a business . contradictory +The Japan Times said Tuesday that Chinese Prime Minister Zhu Rongji may be obliged to reconsider his pledge to hold steady the value of the currency . The Japan Times has never posted an article on the Chinese Prime Minister Zhu Rongji . contradictory +i have this thing against bugs too and seems to me like the Peace Corps they send you someplace that there 's a lot of bugs I don 't like bugs and the Peace Corps sends you to places with bugs . entailment +The dark and atmospheric basilica is divided into five naves , with a floor made from stone and wood . The naves are built of ceramic and wood . contradictory +i had been going to school and doing a lot of just you know sitting and studying and and really not working out at all but uh I would only do yoga for a while . neutral +I realised that White must be calling from the street . White wanted me to go to the street . neutral +yeah uh Philadelphia area Philadelphia 's southern suburbs . neutral +( Read for Slate ' s take on Jackson 's findings . ) Slate had an opinion on Jackson 's findings . entailment +Clothes and Malaysian arts and crafts have replaced the fish , meat , and vegetables that used to be sold here , but the fine old marble counters have not been touched . The items sold have changed , but the counters have not . entailment +Officials from one organization were also concerned that they might be held responsible if their advice adversely affected a vendor . Officials from one organization were also concerned that they may be getting underpaid neutral +In its picture-perfect town center , something of its old aggressive civic power is evoked in the formidable Palazzo dei Priori ( town hall ) looming over the Piazza 4 Novembre at the far side of its pedestrian-only Corso Vanucci . Palazza del priori gives off an innocent vibe . contradictory +Still others fail to file , file incorrectly or fail to take advantage of programs like the Earned Income Tax Credit . The Earned Income Tax Credit is a program . entailment +right wasn 't the same uh-huh uh-huh uh-huh It was a clone practically , totally similar . contradictory +uh-huh oh well i tend i tend to agree uh in some ways i think it 's uh i think if anything a lot of um the changes that have occurred um in some ways they 're for the better because i think women should have a choice and i do believe in the being able to have a choice as to as far as what you would like to do with your life but by the same token and i know this for myself because i 've worked and i 've not worked um that it makes it uh sometimes it makes life more difficult i think when the roles now are less defined as far as you know what uh women should or should not be doing that it it makes it can make life more difficult there are more things to work out i know when i was working you know you have all these problems with with the child care and and with uh pleasing you know your boss on the job so you have added stresses from there and then you still have all the things that um that you need to do at home and and that doesn 't change you know just because your your going out of the house for so many hours a day doesn 't uh make those other things go away and the other responsibilities are still important um so um have you have you worked outside also and um feel that it that well how do you feel as far as uh what would be a happy medium or or what would you like to see I do strongly think that women need to be able to have choices in all aspects of their lives . entailment +The most celebrated is the sophisticated portrait of Paquius Proc ? ­ ulus and his Wife , depicting an interracial marriage . Paquius Proc ? ­ ulus and his Wife were both from the same race . contradictory +perhaps I truly love her . I think I may be in love . entailment +in second grade in in Plano it 's open classroom situation where they don 't have walls so there is like a hundred and twenty second graders They 're all hyped up on energy drinks and soda most of the day . neutral +It has remained ever since a center of the Hindu sciences . The area is considered a center for Hindu science . entailment +It was rich up there . That area was wealthy , but not very populous . neutral +Three things we know about the Swiss . There are thirty things we don 't know about the Swiss . contradictory +The Walkman , the cell phone , the water bottle are efforts to regain the warmth and comfort of infancy and find relief from the loneliness of adulthood . The loneliness of adulthood has never been observed as existing . contradictory +When they came ashore they found the A-Ma Temple ( properly called Ma Kok Temple ; open daily dawn to dusk ) , dedicated to the favorite goddess of fishermen , who is also known as Tin Hau . They discovered a temple dedicated to Tin Hau , goddess of fishermen . entailment +He had managed a few , but all were dead . He began to feel desperate when it turned out they were dead . neutral +Auditors also may find it necessary to use the work of legal counsel when an audit requires testing compliance with provisions of contracts or grant agreements . Legal counsel may be required by auditors when their audits call for selective compliance assurance tests . entailment +Its costs included $ 15,600 in broker commissions and a $ 9,234 prepayment penalty to terminate the New Century loan . The loan cost five hundred Dollars to terminate . contradictory +oh they 're just not um once they get into junior high they just not done anymore Those things are childish . neutral +A formless amalgam of wooden shacks and modern apartment buildings , Oriental-style bazaars and shopping-center supermarkets , Pointe Pitre betrays little of its turbulent past . Pointe Pitre has a modern look that makes it hard to understand its past . contradictory +The giants clashing . The giants are resting peacefully . contradictory +I was a Superior Court judge in Thurston County in 1980 . In 1980 , I was a judge in the Superior Court in Thurston County . entailment +The management of human capital has gained recognition as a significant part of internal control . Human capital gets is unimportant in internal control . contradictory +It was more of an enormous lean-to than a true building , but it was the best protection now available . It was the best protection and more a huge lean-to than truly a building . entailment +The shutters were closed , the steps up to the door overgrown with moss . The shutters remained open , the steps up the door were clear of any debris , moss or vines . contradictory +Also , check out this illustrated , in-depth exploration of Beck 's fashion choices . ) You should not check out Beck 's fashion choices . contradictory +the one that was in for the seventeen years actually served seven and he 's out That person was very lucky for getting off with a light sentence . neutral +no usually in the summer time It 's always around midsummer , never the beginning or end of it . neutral +Since that time , the icon has been held responsible for many feats of healing , giving Tinos the epithet Lourdes of Greece . The healing provided at Tinos is deeply appreciated . entailment +Given the sheer and unrivaled richness of Italy , the selection of places within those five areas is not in any way exhaustive ( nor , by the same token , exhausting ) . The selected locations provide a good starting point , but travelers are encouraged to venture off the beaten path when they go to Italy . neutral +There is food for thought in this , mon ami ! " That 's ridiculous . Why would you say such a thing ? contradictory +it is and it the regulations i don 't think the government the government regulations are the place i i don 't think are are adequate either because they just don 't the ones i 've been in just don 't aren 't real real clean uh you know they do they do a halfway decent job but i it seems like they 're they 're they tend to be kind of slack I 'm going to vote for someone else so that they change the regulations . neutral +so what kind of eating out do you prefer do you like So what type of restaurants or takeaways would you like ? entailment +How maddening , cried Tuppence . Tuppence was feeling upset . neutral +During the reporting period , LSC made continued progress in its State Planning Initiative . LSC is progressive neutral +they 're not going to do it that 's my biggest problem is even if you give them the death penalty they appeal it and appeal it and appeal it and there 's you know I have no problems with the death penalty . contradictory +yes that 's real easy to do i have to watch it It 's very complicated . contradictory +PADI ( Professional Association of Diving Instructors ) is the most common . PADI is an association for diving instructions . entailment +This is the third time we run up against it . We have run up against it before . entailment +Stone Age people found abundant fish in the rivers and dwellings safe from wild animals in the caves riddling the valley cliffs . The cliffs were dangerous due to the fact that they were filled with wild animals . contradictory +No evidence is available about the slope of the postal service 's cost curve at or above the 40-billion-piece level . Lots of evidence is available about the slope of the postal service 's cost curve . contradictory +In some cases , some moving of equipment has been necessary . Sometimes you have to move equipment in order to have space for the staff . neutral +said Jon . Jon spoke . entailment +In other respects , saving for the nation 's retirement costs is analogous to an individual 's retirement preparations . Saving for the nation 's retirement cost is similar to a single persons retirement preparations , but it is much more difficult to to save for an entire nations retirement costs then it is for a single person . neutral +In the other instances , there is at least a trade-off posited between individual rights and competing public purposes , like the protection of children . There 's never a trade-off in any instance . contradictory +Then they disappeared . They never left . contradictory +I will be back tomorrow . I will come back tomorrow at noon . neutral +The results are books at once exhausting in their detail and maddening in their omissions , uneven in tone , overreaching and underargued . The books don 't meet the mark on any level . entailment +Blondness has become just one of the many attractive ways to adorn dark hair . People are dying dark hair blonde more than ever before . neutral +yeah it seems like i heard that just this week on either CNN or somewhere that they they were talking about that None of the news media stations are saying a word about that . contradictory +Note that since many festivals follow the lunar calendar , the actual dates vary from year to year . The actual dates for lunar festivals can be different depending on the year . entailment +How many times can you hear Chopsticks ? I don 't want to know the number of times you hear Chopsticks . contradictory +Abstract thought began only tens of thousands of years ago . Abstract thought started tens of thousands of years ago . entailment +In the New Republic , James Wood calls Toni Morrison 's Paradise trite and It forces magic and pure rhapsodies on its characters like a demented anesthetist bullying patients with laughing gas . Toni Morrison 's Paradise is compared with the torture of patients with laughing gas . entailment +In Fukui 's far north , Awara Onsen has become one of Japan 's most popular hot-spring resort towns since the emperor made it a hot spot for an imperial soak . Hot springs are a huge attraction across Japan . neutral +Jon looked to Adrin who cleaned his guns the way Jon had shown him . Jon nor Adrin had a gun . contradictory +Stow it , said Number 14 . Number 14 wasn 't a very friendly guy because he had been in prison for a long time . neutral +That boy needs an editor . That boy needs his work to be edited . entailment +You 'd think Soutine , with his obsessive delight in flesh , would paint nudes , but no ; he painted only one in his whole career , and it 's a minor painting . He only painted one because it made him feel uncomfortable . neutral +run on that then no income taxes in Texas huh i 'm in Texas too so I think there should be income taxes in Texas . neutral +The Commission received comments on the proposals from 77 individual investors , 10 industry associations , seven exchanges , the National Association of Security Dealers , eight academics , 41 market participants , and the Department of Justice . The Commission got many comments from various different organizations . entailment +But in using Hitler to illustrate the threat of power passing into the hands of the masses , he ignores an important distinction between mass those ruled by charismatic dictators , unchecked by popular representation ; and those governed by democratic institutions . Our president is just like Hitler . contradictory +( She 'd better get cracking . ) She 'd better get cracking because time is running out . neutral +that 's interesting i almost lost our electricity here we 've had no problems with power today contradictory +Miss Wheeler , 43 Clapington Road , Battersea . Miss Wheeler lives in Stoke . contradictory +A laborious 10-year restoration brought its gem-like beauty to light in 1999 . Its beauty was hard to see until being restored in the 1990s . entailment +It was not only the thought of giving up Shadow and the foal , though he knew that would cut with a deeper hurt every day . He got to keep the horses , so that made him happy at least . contradictory +It continues through the turbulent eras of Scottish history for both church and state , and on to the industrial developments of modern times . Church and state got along harmoniously . contradictory +um i think they should do it I feel like they ought to procede entailment +Please allow two seconds for Slate pages to download . Expect our pages to download within two seconds . entailment +Monsieur Poirot was within . Monsieur Poirotwas located within the premises . entailment +Jerusalem is the undisputed star attraction of Israel . Jerusalem sees hundreds of thousands of visitors daily . neutral +His futile denials would not have convinced a child . Everyone in the room was convinced . contradictory +I felt quite stupid . I felt quite intelligent . contradictory +yeah um-hum at uh Camp Warnicke Yes , at Camp Warnicke . entailment +There is a museum devoted to Ledoux 's plans , models , and avant-garde theories ; and seminars are held here on urban and industrial planning . Ledoux 's plans were lost once he got buried . contradictory +'And why would I want one of those ? ' Why would I want a cigarette ? neutral +There are large obstacles to screening , and practical research on screening implementation , incentives , efficiency , and its ability to reach large numbers of people at low cost is necessary . Low cost is necessary when implementing screening . entailment +Right now what I read is nonfiction . Previously , this person has strictly read fiction . neutral +The city sits on a wide bay with the colonial sandstone apartments on the waterside making a wonderful panorama as the sun begins to drop in the afternoons . The city is adjacent to a swamp . contradictory +The Fat Man could see my blossoming disbelief . I believed everything . contradictory +yeah that would be horrible that would be terrible entailment +Today 's conspiracism stems mainly from the instability of the late 1960s and early ' 70s--a period of both uncontrolled violence ( assassinations , urban riots , political protests turned bloody ) and anti-government ideology ( the left challenged laws regulating speech , sex , and drug use ; the right fought busing , the Warren court , and the welfare state ) . World Peace was globally attained some time during the late 16th century . contradictory +It didn 't . Wasn 't able . neutral +I should have myself . I should not have myself . contradictory +A befe is a street kiosk which sells snacks and soft-drinks . A befe ( kiosk ) is a great place to stop for a nibble or refreshment while out in the street . neutral +A final opportunity for offerors in the competitive This presents one last opportunity . entailment +Furthermore , all events are accompanied by the larger-than-life personality of Los Angeles and its residents , which makes for a memorable experience regardless of the venue . The reason for the city 's personality is the presence of Hollywood . neutral +( Who is ? ) Who is doing that ? entailment +but still sort of up in that general area of the country so you can probably see them sometimes It is impossible to see them , even from those parts of the country . contradictory +Take time to see beyond the streets filled with traffic and you will be amply rewarded . Some of the city 's best cafes are located in side streets . neutral +Not all celebrities are having such a hard time being fruitful . A lot of celebrities have a hard time being fruitful . contradictory +So big that it was always cold ; every breath turned to fog , drifting off in little clouds . It was so cold that breath turned into fog . entailment +The very heart of the city 's centro storico , it was begun in 1296 under Arnolfo di Cambio , although the imposing green , white , and rosemarble neo-Gothic facade was completed only six centuries later . Construction of the centro storico began in 1296 , but the facade was finished six centuries later . entailment +Because Miss Boulaye happens to be black , the reporter assumed she was obsessed with a racist political system , commented the Telegraph . And since she is a Tory , the paper assumed she supported what , it conceded yesterday , was ' abhorrent to her . The paper wrote a lot of articles on Miss Boulaye based on facts . contradictory +Let 's get Clinton 's head on straight ! Clinton 's head looks wobbly . neutral +Still , suppose Armey were passed over for the job . They did not even apply but were asked to join the company . contradictory +Internal audit organizations do not have a duty to report outside that entity unless required by law , rule , regulation , or policy . Internal audit organizations cannot be compelled to report outside that entity by any force . contradictory +I just resist the idea of punditry in certain spheres . I don 't think pundits belong in every sphere . neutral +At sunset it makes the perfect finish to a day 's walk but many like to start out from here and reverse the order of the walk we have proposed , reserving the cathedral for a triumphant climax . Many people like to start the walk at the end and walk it in reverse . entailment +The ratio of occurrence of hydrogen-ammonia planets and these super-dense water-oxygen worlds of theirs over the entire Galaxy--and remember that they have actually conducted a survey of significant sample volumes of the Galaxy which we , without interstellar travel , cannot do--is about 3 to 1 . There is no such thing as interstellar travel . contradictory +But with the Muslim invasion of Spain in 711 , Christianity went underground . The Muslim invasion of Spain was in 712 . contradictory +A baton struck my temple . The baton missed me . contradictory +and we do basically the same thing the state of Maryland has lost asked all the colleges and universities and some of the large organizations you know if they would definitely recycle their office paper we requested that institutions of higher education recycle their office paper entailment +Some black female celebs ( Dionne Warwick ) shill for phone-psychic scams that exploit poor black women . Female celebrities don 't fall for phone scams . contradictory +he had a swordsman to train his people . His people were trained and soon were experts . neutral +They could do their duties and their memories were complete , but they were lacking some essential thing that had gone out of them before they were brought here . They were not capable of doing any of their work . contradictory +When I asked of the lady 's health , the man insulted me . The man had lovely things to say . contradictory +Under the former British Raj , Bangalore , at an altitude of 930 m ( 3,000 feet ) , was the summer refuge for its Madras-based officials , who with their parks and greenery had made Bangalore the garden city . Bangalore was a popular leave destination because of its lovely weather . neutral +But the stare was unfocused ; he must still be only half conscious . The stare was clear and sharp . contradictory +The Commission did not invoke any of the exemptions or special procedures authorized by section 605 in preparing its regulatory flexibility analyses . The commission didn 't invoke any exemptions or special procedures . entailment +oh that 's fantastic I like that . neutral +Royko saw himself as more and more of an anachronism . Royko really wants to see himself as an anachronism . neutral +so i do things like that you know if i had more time i 'd probably do it and sell the stuff but you know i don 't have enough time to do it to really you know take orders on it and I would sell the stuff if I had more time to do it . entailment +Others nominated titles whose silliness was revealed by time , public debunking , or both . People who believe in conspiracies are considerably silly . neutral +Their $ 4,000 IRA contributions are fully deductible . The IRA didn 't contribute anything to the deductible contradictory +Soon the moisture would ride high into the mountains and slice down again in shards of ice like razors . The rain will be hot and sticky . contradictory +I felt almost embarrassed . I was starting to feel embarrassed after giving the wrong answer . neutral +He was in the middle of conveying a particularly choice morsel of Sole a la Jeanette to his mouth , when he caught sight of Julius entering the room . He was eating dinner when Julius entered the room . neutral +To recognize and reinforce results-oriented management , VA instituted in 1992 a formal recognition program for quality achievement . In 2004 the institution was removed . neutral +An Orbital Flight With a Small Surprise An Orbital Flight With a Little Revelation entailment +Some religious settlers deny the authority of the Israeli government and believe it is their biblical duty to populate the West Bank ( Judea and Samaria ) . Members of strictly orthodox sects counter the government on the issue . neutral +and i enjoy it it 's relaxing and you kind of get absorbed in it so the time goes by you know before you realize anything 's going on and i play the organ sometimes uh just for my own satisfaction not for anybody else 's ears because i 'm not that good at it but i like to bang the keyboards once in a while how about yourself I play the organ every chance I get even though I 'm not very good . neutral +'To warn you ! ' There is no warning . contradictory +it 's so it almost needs to be something that has more impact for the individual on going if it doesn 't affect the individual , nobody will do it neutral +The best place is Phoenix Park , where you can also relax and watch sports , especially on weekends . Phoenix Park is the best place , you can also relax and watch sports there , especially on weekends . entailment +A serene statue of the Virgin Mary ( 13th century ) stands in the north arm of the transept . The narrow corridors of the transept contain no form of art . contradictory +The amount of homework done by 6-year-olds to 9-year-olds has tripled since 1981 . Adults tripled the amount of homework they do today . contradictory +on Saturdays they have uh a variety of things uh and a lot of times i record it and watch it some other time but uh I never record on Saturdays . contradictory +From the standpoint of human history , race is not the distinctive American condition--freedom and prosperity are . Freedom and prosperity are unique American conditions , not race . entailment +Meanwhile an Ottoman force had been dispatched from Istanbul to counter the French . An Ottoman force was sent from Istanbul . entailment +Craven does good work with the young actors in the classroom scenes , but the film has a reticence common to most biopics and a mushy , TV-movie humanism that blands out its texture . Although Craven 's classroom scenes with the young actors were good , his film still had the mushy , TV-movie feel . entailment +Suddenly a diminutive boy spoke at Tommy 's elbow : " The young lady she 's gone away by train , I think , sir , " he murmured shyly . A small boy suddenly spoke and shyly told Tommy that he thought the young woman went on a train . entailment +okay big deal here 's some rocks sitting out in the middle of a field okay it 's boring The movie is really boring ! neutral +now you could kill somebody with them and the one you buy go out and buy one now and they 're just so thin and flimsy and The thing that you buy is rigid and harmless . contradictory +and so they lived throughout the entire house he also had a dog in the house that i didn 't know about and so our carpeting was in bad shape when i got back but uh my yard was immaculate he did a great job on the yard so you so i guess you can 't have everything I was well aware of the dog in the house . contradictory +Pieces were breaking off the sun as it fell , and already striking the ground . Chunks were breaking off the sun on its way down . entailment +The American had announced his immediate departure , there would be no fear of running up against him . The American had packed his things the night before . neutral +He limited himself to a skillful copypaste from the presentation of his predecessor , Maciek Janik , whom just in case , he criticized at every opportunity , which was easy , because the man 's responsibilities had been clearly defined . He limited himself to a skillful copy paste and a cut paste . neutral +The 21 mpg standard was initially prescribed for model year 1985 , but was amended to 19 . the 1985 model was 19 mpg . entailment +yeah it must be on what they 're counting on I know they 're not counting on it . contradictory +The remains of the tower the rooms in its foundations are currently being restored . There is some restoration work being done . entailment +uh uh he got into a place where uh we were in there where there was a bunch of sand bass schooling and my goodness He caught his limit in five minutes . neutral +In his insistent quest for meaning in life , Bettelheim was nearly impossible to pin down , and the addition of so many slippery stories certainly doesn 't help . Bettelheim was concerned with a search for meaning in his theories . entailment +Go to your room ! " Very cautiously Tommy swung himself down the back of the ladder . The ladder was the method of transport to Tommy 's room . neutral +We had different syllables , of course , for use here . " Sather Karf considered it . Sather Karf refused to listen to any suggestions . contradictory +We know them to be the artificial personification of a particular set of values--cut taxes for the rich , roll back the civil rights movement , build an anti-missile system . They also are homophobic , racist , and sexist . neutral +you know and they i mean it 's tremendous how much money they have saved and even saving all these trees and you know they 've saved a great deal of money entailment +Ca 'daan saw one of the riders , long-haired and young , nod . Ca 'daan couldn 't see any of the riders . contradictory +If the mailer / competitor can do the work at a lower cost , he will choose to do it . Mailers who do work at lower costs create more problems . neutral +He held audience , surrounded by nobles , at midday , while common petitioners attended in the courtyard below . He surrounded himself by nobles to hear the common petitioners . entailment +that 's too simple It is too easy , so we cannot do it . neutral +The first question you should ask yourself is , Are you man enough for DirecPC 's 400,000-bits-per-second bandwidth ? This is the fifth question to be asking yourself . contradictory +There 's also an exhibit focusing on the history of Irish independence . One of the exhibits focuses on the history of Irish independence . entailment +The views east and west along the coast are sensational . There are amazing views to the east and west along the coast . entailment +Nope git behind a rock an ' ambush ... put th ' whole hell-fired country t ' work fur them . In order to do an ambush , you have to be hiding because the element of surprise is important . neutral +When this type of installation is performed , the SCR reactor is installed atop a steel structure that must be erected above existing equipment , such as the electrostatic precipitator . It is hard to install an SCR reactor . neutral +Second , if he passes that test , they want to know what 's wrong with him . They want to know what went wrong if he passes that test , said the teacher . neutral +If American investors thought they were going to lose the billions they had unwisely put in Korea , they might pull out of Latin America , Eastern Europe , or the rest of Asia . Korea is causing American investors to lose money . neutral +Although some Indians assimilated the language and behavior of the British , to most the imperialists were offensively aloof . Indians universally assimilated Britsh culture . contradictory +Fell running also tests the mettle . Fell running requires no courage . contradictory +um basically the whole well no i guess the minute marks but the minute marks are done they 're like hearts I could change the minute marks to another shape . neutral +It was a nice park ; peaceful and green , possibly more so than anywhere else in the city . The park was very pleasant . entailment +uh-huh uh-huh yeah the the unfortunately the way the the way the high tech market goes by the time you can get get something in your hands um it it 's it 's obsolete and uh It is hard to ever fully catch up with the high tech market . entailment +( No , not your software billionaire . ) Not the billionaire . entailment +Today 's provincial capital was a favourite city of the Moors and in 1224 they even made it the capital of a small taifa , or break-away kingdom . The capital was founded in the winter of 893 . neutral +Goods sold are costed at the most recent moving average cost . Goods are sold at the most recent average cost . entailment +i like i like the i like some of the dramas I don 't like all the dramas . neutral +In an effort to appear to be earning her money , Wolf called this being an alpha male , but it was basically spitting , cursing , and ball-scratching . Wolf behaved as an alpha male . neutral +oh really well there 's still a lot of dollar five places around here but you can find some that 's under a dollar but not not a whole lot that 's the lowest i 've seen There are many five dollar locations near here . entailment +You ever think about your pulse ? You ever really notice it ? You will if it starts changing pace , trust me . If your pulse starts to race all of a sudden you can 't ignore it . neutral +He grimaced with the effort of it , thinking over and over again , " The youngsters were ignorant of your identity . " It was difficult enough to make him grimace . entailment +For the beginner ' and for most others , too ' Beaune is the place to buy . For the beginner , no one should consider to go to Beaune . contradictory +or think about looking at the mountains you got to throw in a dollar It 's free to look at the mountains . contradictory +The Star has been obsessed with Pitt and Aniston of late but can 't seem to make up its mind about just what 's happening in their bed . The Star never writes about Pitt and Aniston . contradictory +For example , only 21 % of survivors of myocardial infarction are treated with beta-blockers by their primary care physician , despite the fact that expert consensus panels consider this omission a serious medical error . The amount of patients treated is considered a critical error . neutral +As previously noted , the letter from Senators Lieberman and Jeffords requested that EPA use four different sets of technology and policy assumptions to meet the specified emission caps shown in Table 1 . The full set of technology and policy assumptions are described more fully in section two of this report . The senators were all very happy with the assumptions that had already been included . contradictory +right right that 's true that 's true You are right about that book . neutral +Table 3 combines labor cost with vehicle cost for city and rural carriers . City and rural carriers do not pay for the labor they employ . contradictory +One of the private lawyers offering her help Wednesday was Edwina Schleider , whose regular law practice involves representing landlords in similar matters . One of the lawyers was Schleider . entailment +The Church of the Annunciation is a tremendous modern monument built for the Franciscans in the 1960s . The Church of the Annunciation was built in spite the fact that the Franciscans opposed it . contradictory +I put $ 75 on the New England Patriots as a 2.5-point underdog and $ 50 on a Boston Red Sox playoff game against the Cleveland Indians . I bet a total of $ 125 dollars on the New England Patriots and the Boston Red Sox . entailment +Opposite , in the City de la Musique are the Musee de la Musique and a giant concert hall , the Z ? ? nith . The City is opposite the giant concert hall . contradictory +Leaders who integrate results-oriented management into the culture and day-to-day activities of their organizations will help avoid that danger . Company leaders can avoid some mistakes by instituting a results-oriented management style into their day-to-day activities . entailment +Critics also like the book 's gossip about Hogarth 's friends Samuel Johnson and Henry Fielding . Critics threw up negative reviews all over the novel and its gossip . contradictory +Ryan 's ( Parkgate Street ) is a beautiful Victorian pub , and Toner 's ( Baggot Street Lower ) is an old , authentic Dublin pub . Toner 's pub is frequently crowded on Saturdays and Sundays . neutral +Also on display is Picasso ' s personal collection of masterworks by fellow artists Braque , Matisse , Mir ? ? , Degas , Renoir , and Rousseau . Picasso 's collection features 17 paintings by famous artists . neutral +yeah and they just stop making them now They just stop making them now . entailment +Him , or another . I 'll only accept him . contradictory +Parcells has an addict 's relationship with football . Parcells says that he hates football , which is why he never watches it . contradictory +yeah do the oil change oil and filter and air filters and spark plugs and the like can 't do much in the way of actual tune up now that the car now that computers taken over that control The computers in cars are putting me out of a job . neutral +The Commission notes that there are 100-150 manufacturers of various component devices but does not indicate what the ratio of large to small business might be in this mix . In its notes , the Commission refused to disclose the ratio of large to small businesses within the group of 100-150 manufacturers of various component devices . contradictory +But most overwhelming of all is the impression of the whole best appreciated looking back from the bench by the chapel 's exit . The most overwhelming is the view looking back from the bench . entailment +yeah so you can actually rent cabins there You can rent cabins there . entailment +Each wing isathen divided into numbered areas , which are shown on the floor plans ( in color ) . The floor plan does not show the numbered areas . contradictory +i had been going to school and doing a lot of just you know sitting and studying and and really not working out at all but uh I spent a while not working out at all . entailment +Responses to News Quiz naturally vary in both quality and quantity . Responses to quizzes vary a lot . entailment +Situated on the Seine estuary , this pretty port has witnessed the beginning of many seafaring adventures ' including Samuel de Cham ? ­ plain 's departure for what would become Quebec ' and is still a mecca for sailors . Few sailors know of any reason why the port on the Seine should be remembered . contradictory +This year 's round of 16 boast the highest number of Cinderella teams in the tournament 's history . The golf tournament hasn 't seen this many Cinderella teams before . neutral +Imposing buildings in this high-rent district contain the head offices or branches of more than 100 banks , plus insurance companies , the finance ministry , and on nearby Plaza de la Lealtad , the Bolsa de Comercio ( Stock E xchange ) . The high-rent district has a lot of buildings related to finance . entailment +For example , a central fund created to support the seizure activities of multiple entities Most of the entities who regularly engage in seizure activities believe a central fund would be a good idea . neutral +By gently wriggling it to and fro , Tommy managed to draw it back without making too much noise . Tommy couldn 't open it contradictory +However , when we analyze the per-household volume figures , we have to remember that , for the purpose of developing those figures , we made the aforementioned assumption about the relationship of mail volume and number of households and this assumption may not hold true for some or all sectors ( or uses ) and for some or all years in Tables 1 , 2 and 3 . The assumption is a waste of space and time neutral +But when the industry attempted to create , the same activists protested again , declaring the safer cigarette evil because it would encourage smokers to continue their habit . The philosophy of the activists was considered problematic because it was taking the right of smokers to have their habits if they so chose . neutral +The approach and set of selected studies mirrors that of Viscusi ( 1992 ) ( with the addition of two studies ) , and uses the same criteria as Viscusi in his review of value-of-life studies . The set of selected studies mirror Viscusi ( 1992 ) . entailment +In both instances , these women had to know that everyone was getting an eyeful . The women knew everyone could see it . entailment +Although the clubhouse and historic great house are camouflaged by lush vegetation , the manicured greens of the golf course can be seen on both sides of the main coast road , along with the plantation 's water wheel , which has been renovated and still turns with the weight of river water . The golf course was originally built around an existing old road . neutral +The most interesting street iSevila Baleira is Rua Joao Goncalves Zarco , on the other side of the river , running down to the sea . There is a street called Rua Joao Goncalves Zarco in Sevila Baleira . entailment +so they said okay we 'll take care of it two weeks later i get another nasty letter threatening legal action I got a nasty letter talking about legal action two weeks later . entailment +To avoid that , for this recommendation we would have to say something like , Problematic alcohol-use screening instruments under consideration for use in the ED should be evaluated as a component of protocols that provide alcohol-use interventions for patients to decrease problems or use . We need to word our recommendation carefully in order to avoid that . entailment +But Buchanan deems it a legitimate war of containment that could have been won in half the time ... Buchanan claims the war could have been done in half the time it took . entailment +One of the most recent local lawyers to pledge as Jody Smith calls it , is Kent Snider . Kent Snider pledged to spend five hours picking up litter on the highway . neutral +Hopefully , the appropriate parties will take steps to address these issues . The parties hopefully will not address the issues contradictory +A region of strategic importance guarding the eastern approaches to Paris , Lorraine has long been a pawn in France 's perennial conflicts with Germany . Lorraine keeps the French safe because they can see the Germans coming . neutral +9 An accumulating body of evidence supports these calls for intervention . There is no evidence that supports a need for intervention . contradictory +although i i wish instead of turning south you know and taking a right turn and going down Kuwait City i wished we 'd just turned left and gone toward Baghdad I wish we had gone to Baghdad instead of Kuwait City . entailment +It is kinda like being a Jew and living in Germany during the 1930s . That means it 's not in the least pleasant . neutral +One of the most important debates among academics and policy wonks over the last two years has been , is it better is bowl together or alone ? Academics and policy wonks discuss it , but even common people who aren 't in those fields . neutral +He is relocating to his home state of Georgia . He is returning to where he was born . neutral +Javea has been proclaimed environmentally nearly perfect and you can bask in the Costa Blanca 's brightest sunshine here . The water is a clear ice blue . neutral +In our discussions with about half of the CIOs of major federal departments and agencies and five CIOs of small federal agencies , we found that they generally agree with the leading organizations on the fundamental management principles for information management and technology . We didn 't talk to any of the CIOs . contradictory +yeah but he 's just shooting them and they just killing them off They only think about getting rid of them . neutral +In a poll of 773 chief executives in 23 countries , consultants Watson Wyatt Worldwide found that most think productivity peaks around age 43 . A poll of chief executives concluded that 45 years old was the least productive age . contradictory +no i don 't think i would either who in their right mind would want to neutral +The terrain is so mountainous , and its roads so tortuous , that distances are magnified in terms of both time and effort . The amount of effort required to travel through the mountains is torture . neutral +Jon stood at the tent flap . Jon had not come close to the tent . contradictory +The contractor attributed $ 100 million of additional cost to first time manufacturing problems . The contractor thought that the $ 100 million additional cost was due to first time manufacturing problems . entailment +Document 1 and Document 2 are both affidavits submitted to Jackson . Both documents are affidavits given to Jackson . entailment +yeah exactly uh-huh like um well i have i come from a family of twelve children and There were ten children in my neighbor 's family . neutral +It was a risk . It was risky , but needed to be done . neutral +Led by Colonel Gamal Abdel Nasser , they drove Farouk into exile and nationalized the Suez Canal . Although one might think this victory was easy , there were quite a few negotiations involved . neutral +He offered me one of the tiny Russian cigarettes he himself occasionally smoked . He told me to buy my own cigarettes . contradictory +that she was cleaning and and apparently uh her her husband is sort of watching the money for her but apparently she 's a really a hard worker and willing to do the hard work Not all immigrants are bad . neutral +Even in the suburbs , where dogs run free , no poodle comes home with a hammer and sickle spray-painted on his side . Dogs run free in the suburbs . entailment +12 discuss the need for Social Security and Medicare reform more fully . 12 discuss whatever you would like contradictory +Count depression as yet another casualty of the booming U.S. economy . Depression , because of the overall improvement of technologies , has to be connected to the booming U.S. economy . neutral +The results of these reanalyses confirmed and expanded those of the original investigators . The reanalysis results showed major problems with the original investigations . contradictory +Form a company for the stealing of diamond necklaces ? Start a diamond necklace-stealing company ? entailment +Of the 29 caves , all of them Buddhist , five are chaitya temples and the rest vihara monasteries . The 29 caves were all Christian . contradictory +He betook himself without more ado to a Turkish Bath establishment which he knew to be open all night . He didn 't go to any Turkish Bath establishment as he wasn 't sure if they would be open . contradictory +Why , do the gentlemen from the Hall come here often ? I asked , as carelessly as I could . I wanted to know why the men went there often . entailment +Room 6 concentrates on tomb finds dating from the New-Palace and Post-Palace periods and displays beautiful pottery pieces , military pieces such as helmets and sword handles , and gold jewelry . In Room 6 there are things like pottery , jewelry , and military pieces that are from the New-Palace and Post-Palace periods . entailment +In the West , sulfates account for approximately 25-50 percent of visibility impairment . Sulfates are up to 50 % of the visibility imparments in the west . entailment +On the other hand , others might . These people are bold and willing to do what it takes . neutral +in my class and uh when i always try to emphasize the clothes that you wear should not necessarily be the greatest fad People should wear trendy clothes because they look dated very quickly . neutral +A notice of proposed rulemaking was published on October 10 , 1995 , 60 Fed . A notice of rulemaking was never published . contradictory +It is an L. , depend upon it ! " You cannot depend on the L. contradictory +For one thing , if for hot dogs you substitute manufactures and for buns you substitute services , my story actually looks quite a lot like the history of the U.S. economy over the past generation . The U.S. economy is a hamburger . contradictory +Specific recommendations can be identified because the database is searchable by agency , congressional committee , and key words . This database is a favorite with agencies because of how it allows for searches by congressional committee . neutral +The potency of the draught made him choke , but it cleared his brain in a marvellous manner . The draught was strong enough to clear his mind , though he had trouble choking it down . entailment +i don 't know and these poor children are going to be fatherless forever and this guy ought chances are he he 'll be out he 'll be walking the streets and it 's just doesn 't These children are never going to have fathers . entailment +I 'd have given the wrong number , and there would have been the deuce to pay . I had the wrong number , and that was bad . entailment +it has been untypically wet for this time of year We have had an usually wet month of February . neutral +He suggests that processing and transportation of mail do not seem to be characterized by scale economies , and that they could be provided by competing firms . He mentions that major economies of scale can be applied to the processing and transportation of mail . contradictory +This mail is insignificant , except for FY 1987 , the first year the study was conducted . The study was first conducted in 1987 . entailment +Hawaiians voted in favor of secession in a nonbinding referendum last year , but few expect the movement to succeed . Hawaiians tried to become their own independent country . neutral +When the Ottomans took control in 1566 , they continued to allow the population privileges unknown on other islands . When the Jesuits took control in 1566 , they did not allow the population any freedom . contradictory +One reason Long Island epitomizes boredom is because of its ur-suburb , Levittown , tedium expressed as architecture . Levittown is a suburb of Long Island that has a reputation for vibrant exciting architecture . contradictory +Gore opposed the war but enlisted in the Army . Gore served in the post office . contradictory +OMB has not yet approved the modification and the preambles to the proposed and final rules state that the modification will not be effective until it is approved by OMB . The modification mostly relates to accountability practices . neutral +It 's both or neither . It 's one or the other . contradictory +We found that leading commercial companies used two tools to capture knowledge that a product 's design was reliable and producible within cost , schedule , and quality targets before making a production decision . Leading commercial companies did not check if their product design was producible within cost . contradictory +well her husband died they were in the military together and she just did not want to take care of the house While they were in the military her husband died . entailment +Inside is a collection of ceramics , carvings , and furniture . There is a collection ranging from ceramics to furniture inside . entailment +The British finally relinquished Hong Kong to China . The british have relations with China . entailment +These and other inefficiencies point to the need for a nationally coordinated approach that could reduce cost while improving environmental progress and accountability . Environmental progress is best maintained through local coordination only . contradictory +But anyway , that is all beside the point . That 's all trivial . entailment +Reader Survey , Round 2 The reader survey idea was shot down . contradictory +It 's all the war . It has been a long war . neutral +Or they may be defined in terms of monetary amounts that become payable on the occurrence of a specified event , such as life insurance benefits . It is defined by physical amounts , not monetary ones . contradictory +What 's more , such reforms will leave untouched injustices that seed legitimate aggrievement on the part of blacks . Reforming it will do nothing to help blacks succeed at the university . neutral +The initiated will appreciate the significance , others the mysterious atmosphere of its cream-colored gnomons ( the uprights of sundials ) , quadrants , and sextants . The initiated will find nothing to appreciate . contradictory +around the Bay area here we got uh uh system here called i don 't know if you 've ever been to the Bay area uh it 's called uh Not sure if you 've even to the Bay area , but we have a system around here . entailment +To watch her face when I ask her one question , he replied at last . To see and judge her reactions when I ask her a question . neutral +1 / Bill / payment mail includes both the household payment mail ( i.e. Payment mail is mail used to pay for prostitutes . neutral +He was never a good man , none of us were , but I once called him a friend and I shot him in the face without even thinking about it . He survived the gunshot wound but I haven 't spoken to him since . neutral +Now I wish to go to medical school , law school , or apply for a government job . I want a high standing and good paying job . neutral +They hardly budge if you touch them . If you touch them they 'll squirm all around . contradictory +A related The increase in stockholder wealth could reflect a transfer from those Americans who don 't own stocks . The wealth of stockholders will decrease . contradictory +Old Havana is best experienced on foot , although you can also pick up a bicitaxi ( pedicab ) to get to the Malecen or the museums at the district 's edge . Old Havana is best seen while traveling on foot but there are other options . entailment +Either way , because of the distances involved it 's worthwhile taking time to plan each day 's programme . The distances are short . contradictory +Nurse Janina came running first . Nurse Janina was the first to come running . entailment +How Much of the New CBO Surplus Is Available for Tax and Program Initiatives , Center on Budget and Policy Priorities ( July 18 , 2000 ) ; and James Horney and Robert Greenstein , How Much of the Enlarged Surplus Is Available for Tax and Program Initiatives ? James Horney and Robert Greenstein are both male . neutral +Le Brun 's paintings depict Louis XIV 's wars in Hol ? ­ land and his more peaceful achievements at home . The wars in Holland were Louis ' only achievement . contradictory +yeah and you don 't want to no no You don 't want to go there . neutral +Red Sea Sports are also recommended . Other things are recommended , too . neutral +But the wound was already healing . The would was healing . entailment +Soon people waited for several hours for her delicious dinners and boysenberry pies . Her delicious dinners had received glowing reviews on Yelp . neutral +If they fail to do so , I have little doubt that government will eventually act . The government will act once they know they will win neutral +Its popularity is such that it has gained a reputation for being something of a trend-setters ' haven post-modern or New Age , this is the place to be . It is a popular destination for trend-setters . entailment +Nestling at the foot of its ruined castle , the pretty medieval town of Kaysersberg is widely known as the birthplace of Nobel Peace Prize winner Albert Schweitzer ( 1875 1965 ) . Albert Schweitzer was a humanitarian but had not set his sights on receiving the Nobel Peace Prize . neutral +In the modern collection , look out for Modigliani , Boccioni , de Chirico , Carr ? , and de Pisis . The most important parts of the modern collection are Modigliani , Boccioni , de Chirico , Carr ? , and de Pisis . neutral +The generation that still listens to rock ' n ' roll will consider it their right to keep getting their rocks off . Rock ' n ' roll users find getting their rocks off attractive . neutral +Certified Mail is costly to the Postal Service and the consumer . Certified Mail is a very popular mailing method neutral +does it say uh-huh Does it say that ? entailment +If workfare is going to be the employer of last resort , it can 't pay good , union wages , or else half the city will go on welfare to get a workfare job . If workfare pays good wages , more people will go on welfare in order to land a job through workfare . entailment +In a matter of only a few years , the Moors had conquered almost all of Iberia , except for the small Christian kingdom of Asturias in northern Spain . Asturias remained independent from the Moors for eight years . neutral +Before he died , he quit drinking and unhappily moved to the suburbs . He stopped drinking and moved to the suburbs , even though he didn 't want to , and then he died . entailment +you know if there 's a breeze blowing it 's a nice comfortable day and you don 't feel like you have to take ten showers a day because you you take a shower and walk outside and the humidity 's so great you know you 're sweating to death again I don 't sweat when it 's humid , I actually like it contradictory +No , I myself took a sample of the coco remaining in the saucepan and had it analysed . I sampled the coco in the saucepan and analysed it . entailment +that was real good to talk about that have you seen like uh Silence Of The Lambs If you 've seen Silence of the Lambs then we can have a good chat about it neutral +The agency submitted the entire analysis to us for our review when it submitted its report on the rule . The agency submitted the analysis at the same time as the rule report . entailment +well that 's what i meant yeah they get by Chicago hey can get by Atlanta If they beat Chicago , the city of Atlanta will burn to the ground . contradictory +The method of identification is now at the discretion of the stations . The way of identification is up to the stations now . entailment +and maybe they just don 't report those or i 'm not sure or you know i can 't think of ever hearing on the news or whatnot or hearing or knowing anybody who was being robbed but good thing they had their gun on them and they they thwarted the robbery attempt They never report the close call robberies on the news . neutral +uh-huh well when we had our house um out in Castroville the problem with ours is that the uh plots there are a third of an acre and We really loved the size of the house we had Castroville . neutral +In fact , recent capacity expansions provide strong evidence of this . There is no proof that this is happening . contradictory +Although in 88 b.c. , Mithradates made a swift and successful raid from the East across Asia Minor and the Aegean Islands , the next major power change brought influence from the West . He raided from the East across Asia Minor . entailment +The children of colons and slaves were free citizens . The children were free from slavery . entailment +The effect is sublime and utterly unforgettable . The effect is disappointing and depressing . contradictory +that was probably the best part of the news was the uh some of the person human interest stories The human interest stories were the best part of NBC Nightly News . neutral +have our kids um you know have little lessons with them and you know just see count see how things are going in our family and you know teach them about their grandparents or something like that bring out pictures of them so they get to know them and we just do all kinds of fun things like that and Our kids like to take out pictures of their grandparents and get to know them . entailment +We will examine , and reject . It is our intention to both examine and reject . entailment +Oh , dear , sir , cried Dorcas , wringing her hands , " what ever shall we do ? " What shouldn 't we do , sir ? contradictory +It 's no use responding that the law itself protects privacy better than copyright protects a Spielberg movie . The law is supportive of privacy . entailment +National Science Foundation . Worldwide science foundation contradictory +Sullivan , 500 U. S. 173 , in which this Court upheld a restriction prohibiting doctors employed by federally funded family planning clinics from discussing abortion with their patients , supports the restriction here . This Court has ruled that doctors employed by a federally funded family planning clinic cannot discuss abortion with patients . entailment +Results from this cohort , however , have been inconsistent and the air quality results are not geographically representative of most of the US . This cohort shows one hundred percent accurate results and the results are also geographically representative of all the US . contradictory +And this one is a fighter , too . And this one is not a fighter , he is a dancer ! contradictory +Vrenna managed to slip into the attack of the black-garbed killer who attacked her . Vrenna didn 't want to get involved in the fight . contradictory +yeah yeah i remember i i quit i sort of remember that i 'm only twenty two but in the seventies i heard you know TI was even making uh those little watches you know those those uh LED watches that you couldn 't see in the sun In the seventies , TI used to make LED watches . entailment +right but they 're back together Correct , but they 're together again . entailment +A competitor can reduce its fixed costs by reducing the level of service ( i.e. They had to increase costs to stay in the field . contradictory +Probably so the server didn 't have to worry about rendering too many extra details . There were no shortcuts taken , and the server had to render every detail at all times . contradictory +you know i think i read Hawaii when i was about ten years old or so which is about the developmental level that you know you need to be at to read those things and i still even then i was so so disgusted with it i i tried to read I was around 10 when I read Hawaii . entailment +Hanson stared at it , reading the title in some surprise . He stared blankly at the title with no emotion . contradictory +Jon stood slowly , moving to the pack on his desert horse . Jon slowly got this feet and went or the pack that was on his horse . entailment +These techniques require considerable information about the system being developed and can only be used after system design . It 's very difficult to count the number of techniques . neutral +and just have them take it but then who 's helping them Who will help them if they take it themselves ? entailment +you know and and then they supposed to be studying They supposed to be studying instead of partying every day neutral +There are also scores of Celtic croses . All of the Celtic crosses are tall . neutral +From the beginning , Las Vegas was built to serve travelers . Las vegas , to this day , serve a number of travelers . neutral +APHIS cites as statutory authorization for this rule 7 U.S.C. APHIS has statutory authorization according to the rule 7 U.S.C. entailment +Consider the rest of the Republican Take the other part of the Republican into account , you didn 't do it before . neutral +My body feels like a bag of gnarled sticks and my head still throbs from Susan 's trick . I felt wonderful ! contradictory +6 Although each agency developed and implemented performance agreements that reflected its specific organizational priorities , structures , and cultures , the performance agreements met the following characteristics . Performance agreements were issued from each agency . entailment +Here you 'll be able to stroll past stalls selling fresh produce and souvenirs , or eat at the numerous small ouzeries that serve the market workers . Here you can walk past many grocery stores , malls and restaurants . contradictory +, the AMS organic standards rule site within USDA 's site ) . Ams doesn 't have any affiliation with the USDA . contradictory +well they have a whole nation behind them you got to remember that instead of just you know one section of the country like we have it 's important to remember that they have a whole country supporting them entailment +The collections have been sent to OMB for approval and the requirement is not effective until approved by OMB and a control number is issued . OMB receives collections , but has no part in approving them . contradictory +I say let a hundred currencies bloom . I am in favor of currencies blooming . entailment +seven to ten minutes and then you can make chocolate or you can take it off and when it cools a little you put um really good vanilla favoring in it and some butter and that makes French vanilla um custard You can make it chocolate after seven to ten minutes . entailment +Use of Program Oversight The program is used by clients . neutral +You 're going through domestic violence and you 're going to be nervous with that kind of paperwork , and you want to do it right , she said . You 're going to be nervous with domestic violence paperwork , so you want to do it right . entailment +H 'm , said the lawyer , favouring Julius with another keen glance . The lawyer wouldn 't make eye contact . contradictory +Messages would be created by a special software program from random words provided by a customer . The software was able to create messages without any input from the customer . contradictory +The flower stalls on place de la Madeleine open daily except Monday . The only day the flower stalls are open is Monday . contradictory +Tyndale has probably succeeded beyond his Today , any Farm Belt inhabitant picked at random surely knows more of Scripture than any randomly picked inhabitant of an American university town . Farm Belt inhabitants are more knowledgeable about Scripture than any random American living in a university town . entailment +no uh fifty years ago the automobile was a luxury but it 's a necessity today and uh as hard as they try to get these public transit things going i have never seen nor heard of one that uh really really got of the ground Public transport never gets off the ground . People need cars . neutral +The rule is promulgated under authority of sections 2741 through 2763 , 2791 , and 2792 of the Public Health Service Act ( 42 U.S.C. Each rule is confined within one section . contradictory +112th Edition , Washington , DC US Department of Commerce , Bureau of Economic Analysis . The US Department of Commerce is found in Washington , DC . entailment +pretty short black and they were very dressy they were black velvet shorts and she had on black hose and black heels and she looked very very nice Everything she had on , from her earrings to her heels , was yellow . contradictory +Four men in black leather armor and bronze masks stopped in front of him . Four men stopped in front of him . entailment +The only Michelangelo in the Uffizi is the Holy Family or Doni Tondo ( 1504 ) , his only known panel painting ( he was far better known for his frescoes and sculpture ) , decidedly sculptural in quality . Michelangelo was best known for his frescoes and sculpture work . entailment +Prusiner has yet to show , for instance , that a protein sans nucleic acid can be infectious , and consequently , he has invoked the potential involvement of yet another agent in the disease process ( although he insists it has no nucleic acid and calls it Protein X ) . Prusiner is trying to show that protein without nucleic acid can spread HIV . neutral +but um you know if i don 't know that i would go back as often if it wasn 't for the idea that i have fun there It 's mostly nostalgia that makes me think I have fun there , otherwise I wouldn 't go as often . neutral +Tables 4 , 5 and 6 display First-Class per-household annual volumes . Tables 4-6 don 't show anything per class volume contradictory +like uh probably Not likely . contradictory +U.S. construction employment and unemployment ( Bureau of Labor Statistics ) . Venezuelan construction employment and unemployment . contradictory +and that didn 't help at all There were no more problems after that occured . contradictory +Retirement of debt securities prior to trust funds and special funds except trust revolving funds ( 588 ) The cancellation of stocks / bonds ( excluding funds available for funding an entity on a daily basis ) before trust and special funds . entailment +But here 's a way to recover some of the advantages of monarchy while retaining the advantages of our current system of government . There is no way to keep the advantages of what we have while instilling the good parts of a monarchy . contradictory +You are perfectly correct in your assumption that her vehemence against Alfred Inglethorp is too violent 100 to be natural ; but you are quite wrong in the deduction you draw from it . I have also noticed her vehemence against Alfred Inglethorp . neutral +Three months later he was back , picked up the phone and couldn 't remember the password , which was : XXXXX . He couldn 't remember his banking app password . neutral +EPA submitted the information collection request to OMB , which has not yet approved it . The information request submitted to OMB by EPA has not approved yet . entailment +You can be fairly sure any ancient coins or artifacts are fakes . This is usually obvious just by looking at the ancient coins or artifacts . neutral +She had them all fitted with little neural clamps ; flashing blue and green lights , stapled to each rodent cranium . The lights had to be blue and green . neutral +Oh , I know what I 'm talking about . Oh , I am not certain of what I 'm saying anymore . contradictory +It 's amazing to me how people can slip in and out of frivolous talk ( though I know it serves a socially useful purpose ) with seeming ease . It 's amazing how people only discuss the most important things in life . contradictory +Just as we thought , said Sir James . Sir James said he movie was just as they had thought it would be . neutral +Flaming Pie , by Paul McCartney ( Capitol ) . John Lennon wrote Flaming Pie . contradictory +For the first time Tuppence felt afraid . Tuppence had great reason to be afraid . neutral +The ground rises dramatically behind Tinos Town to a rocky peak called Exobourgo . Exobourgo is the laregest peak in the area . neutral +He shook his head . He replied in the negative . entailment +Doctors question claims that it aids memory in healthy people . Doctors are questioning the claim . entailment +ents are effectively precluded by indigency and poverty from seeing a health-care provider who will provide abortion-related services . Abortion services are precluded by indigency and poverty . entailment +De Gaulle 's visions of grandeur , and of a country independent of NATO and the Warsaw Pact , gave France a renewed self-confidence . De Gaulle 's visions gave France renewed self-confidence . entailment +Jon waited . Jon waited for the people to arrive . neutral +Gray smoke blew into the night air and the crack sent Ca 'daan to the balls of his feet in a crouch . Ca 'daan crouched down to avoid the explosion . neutral +GAO also seeks to lead the government in the strategic management and security of effective technology utilization . The GAO is haphazard and wishes to cause more destruction and lack of security through technology . contradictory +The pride of Turin , as in so many Italian cities , is not in one monument but in a glorious square , the Piazza San Carlo and Piazza Santa Cristina , one of the most beautiful in Europe . The Piazza San Carlo and Piazza Santa Cristina square is very beautiful . entailment +Bradley accuses Gore of poisoning the atmosphere with divisiveness . Bradley was accused of divisionism . contradictory +yeah we talked you talked about before about uh the school funding i think there 's only gonna be one solution to school funding which i i don 't think will be necessarily the best way but i think what 's what 's gonna have to happen is there 's gonna have to be tuition for grade school and junior high and high school kids that 's the only way they 're gonna fund it because they start raising taxes for property and people are gonna throw a fit I don 't see any workable solution to the school funding problem . contradictory +The rule adds preproduction design controls and is intended to achieve consistency with quality system requirements worldwide . The rules were made to help keep the same consistency . entailment +yeah i like the planting and and watering is okay I prefer planting over watering . neutral +well you have a nice day okay bye-bye Talk to you later . neutral +i is i 'm not sure which one we went into it was about a year or so ago when we went We went to more than one of them . neutral +Bunt is named for an elder brother who died in infancy , and both Betty and Bunt seem to feel that he is only a stand-in for his predecessor . Bunt was expected to replace the son that was lost . neutral +yeah i just couldn 't imagine locking not locking him up but putting him in a home and just I do not want my dad to be put into a nursing home . neutral +The purpose of the self-inspection process is to give our grantees a means to ensure that their CSR data meet LSC standards for accuracy . The LSC determines whether grants are accurate . neutral +My publishers will kill me if I don 't mention my own biography of D.P. If I fail to mention my biography of D.P. , my publishers won 't care . contradictory +Some examples ( and go ahead and try them ) : www.georgebushbites.com , www.georgebushblows.com , georgebushsucks.com , www.bushbites.com , www.bushsux.com. There are 10,000 websites for people that don 't like Bush . neutral +He should know . I think he knows how to behave around strangers . neutral +Obviously , a president 's ambition , judgment , temperament , integrity , and ways of relating with other people ( among other psychological qualities ) bear greatly on how he will govern--at least as greatly as whatever election-year stands he stakes out on the issues of policy . A president 's personality makes little impact on how he runs the country . contradictory +Anticipating potential benefit cuts , people could choose to save more now , work longer to delay retirement , or experience a lower standard of living in retirement . Saving more in the present isn 't an option for people in light of the expected budget cuts . contradictory +: Heaven 's Highway Paradise 's Road . entailment +well i don 't know i just figure you know yeah sometimes i worry about you know if i go in in pants and i never i never ever ever go in in a pair of jeans you know but i 'll go in in pants i mean today i had on a pair of you know navy blue dress slacks and a and a like a peach colored top and you know not cruddy but not a dress either and sometimes i wonder if stuff like that would will hold you back you know if you don 't dress in you know your dress for success business suits everyday if It 's important to dress for success so dress slacks can be worn but not jeans . entailment +We do not fear the forces of nature as much as our species once did , because we understand those forces better . Religion became a popular way to mitigate the fear caused by the mystery of the forces of nature . neutral +If either spouse is covered by an employer-sponsored plan , their contributions may not be fully deductible depending on their income . Spouses want their plans deductible neutral +The cannon on the ramparts were never fired in defense of the harbor and these days are put to better use as slides for the children 's playground . The cannons are used as slides on the hillside . contradictory +The tobacco settlement--Issue 3--is dead for now , says Gwen Ifill ( Washington Week in Review ) . The Senate just isn 't in a barter mood , which is what [ legislation ] requires , Ifill says . Gwen Ifill is correct in saying that the tobacco settlement is dead for now . neutral +or making the American system work in the way it 's originally designed to The original system designed for America would work well today . neutral +VA clearly indicated in both the interim rule and the final rule the amendments to the previous adjudication regulations necessitated by the Supreme Court decision in Brown , 115 S.Ct. Adjudication regulations have been necessitated by the Supreme Court . entailment +Madeira seems much larger than its diminutive size , just 57 km ( 35 miles ) long and 22 km ( 13 miles ) wide . Madeira feels extremely tiny because it is in fact only 35 miles long and 13 miles wide . contradictory +Where is the society of Beforethewars ? Destroyed , Doctor ! What good were youth and new things ? We are better off now . The society had grown too dull and senseless . neutral +This document-- Legal Services Corporation State Planning Configuration Standards -- presents in one place a comprehensive compilation of the standards LSC recipients and Designated State Planning Bodies ( DSPB 's ) 1 should consider and that the Legal Services Corporation will use in considering the configuration of a state 's legal services delivery system . This document contains mostly a compilation of the standards LSC recipients should consider . neutral +yeah well i have a friend that 's uh his descendants his descendants are from um uh Nicaragua and uh very i mean it 's like his mother his mother came over and uh I know a guy whose had children in Nicaragua who chose to stay there when he returned to his home country . entailment +Across the country , immigrant groups , faith-based institutions , and bootstrap mayors are reinvigorating cities . All over the nation cities are being reinvigorated . entailment +He was too reckless , too erratic , too anti-American . His character was too anti-American , said the critics . neutral +Perhaps that way may be more easily defended than the town itself . There was no defensible point near the town . contradictory +right that 's going to be hard to do it 's going to be very hard to do you know you It will be easy contradictory +The landscape in the tour proposed below is dominated by the river as it flows between limestone cliffs , meadows , and woodland . The limestone cliffs are lined with lookout posts that were used in ancient times . neutral +Consideration of the immediate context in which the language appears raises further questions regarding the meaning of the presence requirement . Consideration of context raised more questions . entailment +For the treatment and all follow up care , one could pay in easy month-and-half installments spread over 25 to 45 years . One could stretch out the payments for the treatment and follow up care over 25 to 45 years . entailment +For perilous seconds he felt flesh and muscles tense under his weight ; then the body relaxed . He was in a stressful situation at that moment . neutral +As Lost in the Funhouse notes , Kaufman actually joined Lawler on the professional circuit and traveled across the country in a kind of touring carnival . Kaufman and Lawler refused to work together . contradictory +He said the McCain surge needed to be held back , lest it crest too early--which could have the effect of making Bush the Republican nominee by late February . If the McCain surge crested too early , Bush would be the Republican nominee . entailment +The finely arched front doors are often at the top of a sturdy staircase over the street-level cellar . It is custom for sturdy staircases to be covered by finely arched front doors . neutral +They--hey , what 's that ? " He was looking up , and Hanson followed his gaze . He looked down at the ground , while Hanson looked up . contradictory +If , however , the Gore campaign is worried , they 're not saying so publicly . If Gore campaign is worried they 're not being public with it . entailment +The new Galata Bridge spans the mouth of the Golden Horn , linking Old Istanbul to the New City of Beyo lu . Old Istanbul and the New City of Beyo Iu is connected by the new Galata Bridge over the Golden Horn . entailment +While I hope there 's a follow-up planned , I realize the wise artist knows when to walk away . Most artists will consider the follow-up before walking away . neutral +Physicians frequently ask about tetanus immunizations even though almost none have ever seen a case of tetanus . Although many have never seen a tetanus case , physicians still often ask about tetanus immunizations . entailment +Factors to be explored range from practitioner behavior and practice guidelines to policy changes that are needed to facilitate implementation of screening and intervention in these settings . Factors to be explored don 't range from practitioner behavior and practice guidelines contradictory +Can you believe that he 's never in his life done amnesa ? ' However , he wants to do amnesa . neutral +In 1854 Perry duly negotiated the Treaty of Kanagawa ( now part of Yokohama ) , opening up two ports , Shimoda on the Izu Peninsula and Hakodate in Hokkaido . The Treaty of Kanagawa resulted in 10 ports being opened . contradictory +Look elsewhere , and if you don 't find the same thing more cheaply , you can always come back later . Look elsewhere , and if you don 't find the same thing more cheaply , you might get frustrated . neutral +right and uh so you if you knew what was going on you could kind of anticipate what was going to be said so i i had a little bit advantage there over my wife she had not read the book I didn 't know everything about the events but I had the upper hand . neutral +There was a time not long ago when congressional hearings were designed to elicit information for members in order to help them draft legislation , recalls Reich ruefully . Congressional hearings were better designed several years ago than they are now . neutral +Then he rejoined the girls . He rejoined the girls after speaking to Mary in private . neutral +Burgeoning trade in the Balearics was interrupted by marauding pirates based in North Africa as well as by the powerful Turkish fleet . Charitable scalawags shared their booty with folks in the Balearics . contradictory +Beer is still brewed by traditional methods here . The only alcohol that locals know how to do is whisky . contradictory +i have a brother-in-law who is a pilot my father-in-law is a pilot um and so Both my brother in law and father in law are pilots so I get to go up with them often neutral +yeah a satellite dish A satellite dish entailment +and the other one 's Those ones . entailment +This theory goes a long way to explain vampire movies , which are both ; and Meryl Streep movies about inspirational music teachers , which are neither . There is no common ground referenced in this theory between Meryl Streep and vampires movies ; it is drawing attention to their differences . entailment +Jon liked her at once . Jon hated her . contradictory +1 . Emergency medicine physicians should increase their knowledge , skills , and confidence in alcohol screening and intervention . Emergency medicine physicians already have a good knowledge of alcohol screening . neutral +Drew headed for Kells ' stable . Drew headed for the nearest Taco Bell . contradictory +right no that 's no that 's not it 's not necessary to have that nope It is not required to be in possession of that . entailment +Camp Snoopy , home of the Peanuts cartoon characters , has rides and amusements for young children . Camp Snoopey employs very responsible staff throughout the year . neutral +and i was watching on TV they they broadcast this terrible riot supposedly that was going on in Jerusalem so we got all fearful for our people come to find out they came back and said they weren 't even aware of it The riot that was taking place in Jerusalem wasn 't broadcasted on TV that day . contradictory +uh rumors still persist i try not to believe them and listen to them but they still persist that the plant will close I don 't hear any rumors that the company is going to shut down . contradictory +One solution would be to conduct the case studies first in a set of sites chosen for representativeness and to verify the findings from the case study through targeted examination of Another solution is just to legislate the problem away . neutral +This is the message . I dropped my voice still lower . This is the message she sent , I brought my voice to a whisper . neutral +Fortunately , many of these lawyers are willing and able to help in other ways . None of these lawyers are ever willing to help in any way . contradictory +The theater presents sky shows and IMAX films . You can watch a sky show or catch an IMAX movie at the theater . entailment +Poll Position The poll position is tied neutral +His head was bald and he had painted a band of scarlet across his eyes . He had long , black hair and black stripes across his eyes . contradictory +This is entirely and totally wrong , and anyone paying any attention to what 's going on with Java would know this . People interested in Java will know that this is totally wrong . entailment +But Szwed overlooks a crucial distinction between Sun Ra and his forebears . There is no difference between Sun Ra and his forebears . contradictory +your parents have them oh i don 't know she The people who made you also have them . entailment +Government 's Open System Environment Profile This profile is highly confidential and only can be view by those with secret access . neutral +Data collection Reliability jeopardized by lack of common guidance in data collection There was plenty of guidance given for the data collection . contradictory +Judging by your responses , here 's what we know about Nebraska and Wyoming--bad sex , bad food , bad teeth , bad weather . Nebraska is said to be notorious for good sex . contradictory +To provide a basis for discussion , EPA drafted and distributed to participants a set of goal statements and descriptive information on the 13 broad environmental goal areas that its staff considered to be of the greatest national importance . The EPA did not draft nor distribute any goal statements in regards to environmental goal areas . contradictory +In 2002 , LSC made $ 60,000 available to help six states develop effective plans and $ 130,000 to assist nine states institute new delivery structures . The states thought that both the budget and the need for new delivery structures were needed . neutral +Because for the last two months I 've been making a sentimental idiot of myself over Jane ! I have been acting stupid over Jane for the last couple of months . entailment +Estimating benefits for visibility is a more difficult and less precise exercise than estimating health benefits because the endpoints are not directly or indirectly valued in markets . There is no way to value health benefits , but visibility is valued directly in many markets . contradictory +Mavens can discern between makers at a glance . It is possible to quickly tell the difference between makers , and Mavens can do it . entailment +Beyond is Shivapuri Watershed and Wildlife Preserve , good place for a day hike . Beyond is Shivapuri Watershed and Wildlife Preserve , good place for a day hike if you don 't mind the bears . neutral +No , no , that 's all right . That 's OK , but I 'm not happy about it . neutral +Boats are available for rent , and water-skiing and powerboat racing are very popular pastimes . Most people who rent boats do so for powerboat racing . neutral +But none can compete with the music of the famed names of the Cete d 'Or , which make a wine connoisseur 's taste buds Gevrey-Chambertin , Chambolle-Musigny , Vougeot , Vosne-Roman ? ? e , Nuits-Saint-Georges , Pommard , Meursault , Puligny-Montrachet , Santenay . There is a large collection of famous wines there . neutral +Another alternative is the more modest but still elegant yukata ( light cotton kimono ) , traditionally in indigo-blue and white and much , much cheaper than anything made of silk . Cotton kimonos do not last as long as silk kimonos . neutral +yeah i don 't think she checks things out very well I don 't believe she checks things out that thoroughly . entailment +Your guide will turn off the engine and an eerie silence will envelop the boat . The guide owns the boat in which we are riding in . neutral +In my view , too many people today are trying to structure transactions and other business dealings so they are technically acceptable rather than doing what is right . Not enough people are focused on technicalities and too many are focused on what 's right . contradictory +This need is surely not new . The need for a better education system is not new . neutral +i was too I wasn 't at all . contradictory +uh whatever capital uh that uh that It 's a capital for Texas . neutral +With demons represented by priests wearing fearsome masks , onlookers throw beans to drive them away while shouting , Demons out , good fortune in ! Attendees throw beans to drive the demons away . entailment +( Note to Hollywood Try to hire someone who looks like Lillian Hellman to be your husband 's personal assistant . ) Note to Hollywood , Lillian Hellman is someone you should compare potential hires with . neutral +The fashionable residential Cimiez district sits on the hills outside the center and offers a quiet interlude from the busy streets . Cimiez - a fashionable , residential district - is a quiet respite from the busy city . entailment +On May 24 , 2000 , FFC sponsored a government / industry forum on best practices for reviewing facility designs . Facility designs can be reviewed using best practices . entailment +Other mandatory spending is a residual category consisting of all non-Social Security , nonhealth mandatory spending . Some spending is mandatory . entailment +oh yeah oh yeah it 's uh that 's the finances i guess we 're on the subject of finances it is tough uh i 've been with TI i 'm just going to be fifteen years this year and that 's a tough thing uh the salary thing TI doesn 't quite always do it right well what about our our our financial budget well you you should have a lot of information on a budget then if you 're uh I have been working for TI for almost fifteen years . entailment +i mean i come from the Catholic church and they they uh are definitely opposed I wasn 't raised to be religious , so I 'm not sure which church would oppose that . contradictory +The tools available to organizations assessing the internal environment include program evaluations , employee surveys , independent audits , and reviews of business processes . Employee surveys are the most efficient tool that the organization has . neutral +According to the EPA , the final rule will not impose any Federal mandates , as defined in Title II of the Act , on State , local or tribal governments nor any enforceable duties on those governmental entities . The final rule allows for Federal mandates to be imposed on State and tribal governments . contradictory +yeah we enjoy fooling around with it We hate fooling with those , its a waste of time . contradictory +All of the organizations monitored compliance with organizational policies to some extent . None of the groups had any policies or guidelines to start with . contradictory +Our militia will not stop them . Our militia wont be able to stop them . entailment +Stauffenberg stormed into a small , chaotic resistance movement and gave it at least the appearance of purpose . He made it seem like they had a goal . entailment +Tomorrow we work on simplicity . We will work on simplifying our battle plans tomorrow . neutral +so you 're still able to walk yeah well is there anything else about exercise we can talk about Despite previous events , you still have the ability to walk . neutral +But , according to you , she ate very little for supper , and yet the symptoms do not develop until early the next morning ! According to you , she feasted for dinner and immediately developed the symptoms . contradictory +INS estimates that the cost to enforce the requirement to detain all criminal aliens will be at least $ 205 million , consisting of $ 65,284,000 for personnel and nonpersonnel costs of $ 139,732,000 . INS thought that detaining criminal aliens would reduce the use of illegal drugs . neutral +yes we always had to big concern about hurricanes because we 're close enough to the coast and you know you had to have a supply like uh emergency supply on hand all the time during the hurricane season and We never had to worry about hurricanes , even though we were close to the coast . contradictory +Annually , the Federal Government provides funding to state and local governments for the purchase , the construction , or the major renovation of physical property owned by state and local governments ; additionally , from time to time , the Federal Government transfers PP & amp ; E to these governments in exchange for less than fair value . All construction on state and local government owned properties is funded solely by the Federal Government . neutral +The meeting was affecting ! Another pointless , boring meeting . contradictory +for everybody to see For every person to view . entailment +Still a larger question Why don 't companies ever quit while they 're ahead ? Shouldn 't companies quit while they 're ahead ? entailment +um i i understand that it 's being proposed as a requirement for uh young people to be I heard that the proposal was rejected a long time ago . contradictory +Do you still have the pistols ? Jon looked up at the adventurer . Jon wondered if you still had pistols . entailment +Hersh 's information may be damning , they say , but it is unverifiable and irrefutable . Hersh has no information , they say . contradictory +No part of the Temple building once surrounded by these walls still stands . The temple building is totally destroyed . entailment +If you please . John rang the bell , and ordered round the car . John ordered the car to come around . entailment +The two films cited most often are Heathers , in which Christian Slater is foiled in an attempt to detonate his school , and The Basketball Diaries , in which Leonardo DiCaprio fantasizes about gunning down his classmates and a priest Terminator -style while his buddies cheer . Denzel Washington was in The Basketball Diaries . contradictory +it 's all the did you ever read the uh uh oh it 's one of his first books The Stand One of his first books is called The Stand . entailment +yeah really is they 've cleaned it up a lot though i mean i don 't think we 'll get in trouble doing that If we do this we will get in trouble , I 'm sure about it . contradictory +But can 't we say ' without prejudice' Can we say ' without prejudice ' ? neutral +they don 't even try to keep up with it They are able to keep up with it . contradictory +Who 's going ? demanded Tuppence sharply . Tuppence wasn 't interested in knowing who was going . contradictory +Any fino will make a good aperitif . Finos cause a lot of bad aperitifs . contradictory +You could look through the ports and I looked inside and they were _ dead _ . " He looked sick . The man looked healthier than ever as he told his experience . contradictory +Kite golf ? The Fodder Brothers were surprised , along with half the audience , which was intoxicated with exotic drinks that Friday . The exotic drinks had lots of rum in them . neutral +We spent the week together in bliss , in bed . We spent the week together in bed . entailment +From blue-eyed and sometimes red-haired Kashmiris and the Chinese-Tibetans from Sikkim or Darjeeling , through all the shades of coffee of the heartland , right down to dark-skinned , often curly-haired , Dravidians from southern India , you soon realize there 's no such thing as a typical Indian . The Chinese-Tibetans from Sikkim and Darjeeling are generally blonde . neutral +From the air it looked more than a little ramshackle . It looked a little thrown together from the air . entailment +I suppose it is a matter of testimony ? Sir James hesitated a moment , then he replied : " Yes . " Sir James didn 't know what the question he replied to meant . neutral +Absolutely . There 's no doubt that I 'll do it . neutral +Aeronautics and Space Administration , and Environmental Protection Agency . The EPA is a body which protects the environment from pollution . neutral +and uh yeah they 're a lot of fun and we 're not in it as a business we just we like cats and we decided well if we 're going to have them we might as well get some purebreds and maybe make a little money on the side Breeding purebred cats is a way to make some extra money . entailment +Her appearance presented a valiant attempt at smartness . She wore dirty rags contradictory +how about Ghost His name was Ghost right ? contradictory +The heat was still intense , even behind the stone block , but it was bearable--at least for him . None of the heat penetrated the stone block . contradictory +how many hundreds of thousands of taxpayer dollars A couple of hundred thousand of the government 's funding from taxes . entailment +'This is certainly cosy . ' This is not cosy . contradictory +It 's agreeable to find him grounded in the here and now--the magic is there but below the surface . He 's in the here and now with his magic hidden beneath the surface . entailment +Who 'd want to go back to the days when you couldn 't even talk about condoms ? Who 'd go back in time to when talk of condoms was strictly encouraged ? contradictory +As you pass through the gates , you enter a land of animated characters and technological wizardry , created by one of the most delightful imaginations that ever lived . You enter into a depressing place with no technology . contradictory +I 've also suggested that the Service explore making low weight Parcel Post a wholesale , only , product and pushing low weight over-the-counter retail parcels into Priority Mail . Priority Mail parcels should be low weight and over the counter , according to my suggestions . entailment +Unfortunately , continuing tensions between India and Pakistan in the region have rendered Kashmir a dangerous place for travellers . Travellers shouldn 't go to Kashmir . entailment +but that 's that 's tornado season That time is tornado season . entailment +And in a minute or two , Poirot continued : " Let us look at the matter like this . Poirot continued in a minute or two ... entailment +Programmers do seem to find it easier to work in Java than in C + + , and certainly the prospect of being able to download a spreadsheet document and read it without having to download the spreadsheet program is enticing . Java is very common among programmers , because they find it easier to work on . entailment +The West and East Gardens are split by the Mound , an artificial slope of rock and soil that carries a road connecting the New Town with the Old . The West and East Gardens are divided with an imaginary line . contradictory +Many , including Philip of Macedon , Alexander the Great 's father , traveled here to be initiated into its inner circle . Alexander the Great 's uncle also came here . neutral +A constant dollar is derived by dividing a current dollar amount by a price index . A constant dollar is from dividing current dollar amount by price index entailment +She first taught at Ohio State as a visiting professor in 1975 , then as an adjunct professor . She like the Ohio State university . neutral +policy , rulemaking , international and user information activities . International and user information has activities that are closely monitored and recorded . neutral +okay now they don 't understand that you know maybe he needed fifty dollars so he held up the seven eleven Nobody held up the seven eleven . contradictory +In other words , Bharatpur is only for the birds . The Bharatpur is for the people . contradictory +The mindwalkers don 't just show you something or speak to you , said Thorn . Thorn said the mindwalkers just show you something or speak to you . contradictory +good night all right I 'm not ready for bed yet contradictory +and uh well there 's there 's something that that the US did right which is say say you know okay let 's kick him out of Kuwait which was our basic goal American doesn 't do many good things , but at least they finally said we should kick him out of Kuwait . neutral +if she you know since it was like my my grandmother had thirteen kids so they all you know paid their month which was better but see my husband 's a only child My grandma had a lot of kids . entailment +Then on to Radda , where you should peep in at the Piccolo Museo del Chianti , and to Gaiole in Chianti , one of the best centers for tasting and a place to linger . The Piccolo Museo del Chianti opens at 9 am . neutral +Tudjman , who is fond of Il Duce-type uniforms , rigged the parliamentary elections so that his nationalist party , HDZ , could not lose . Duce-type uniforms are very special and important to Tudjman because they make him feel comfort . neutral +uh yeah i can appreciate that I can appreciate you hating Texas . neutral +The cafe boasted wire tables and chequered clothes . The cafe had tables or people to sit at . neutral +than to try and first educate the public to the point where they can listen to either side of a given issue People can 't listen to both sides of a given issue . contradictory +He outwits the psychotic assassin . The assassin is well reasoned . contradictory +The inspection activities are for a variety of to ensure that dutiable merchandise is declared , to seize contraband ( such as narcotics and illegal drugs ) , to detect infringements of patent and copyright laws , and so forth . The inspection activities are for a variety of to ensure that merchandise is declared . entailment +The Atlantic climate produces changeable but pleasant summer weather . The weather is pleasant but changeable in the summer . entailment +Dutch and Hieronymus Bosch ( c . 1450 1516 ) , whom the Spanish call El Bosco , has three masterpieces in the Prado , including a large triptych called The Garden of Earthly Delights . None of Bosch 's masterpieces in the Prado are triptychs . contradictory +Concentration-response functions from epidemiological studies are applied to each grid cell to predict the changes in incidences of health outcomes ( e.g. Each grid cell has concentration-response functions applied to predict changes in health outcomes . entailment +Surprising Mark Rothko and Alexander Calder . Horrifying Mark Rothko and Alexander Calder . neutral +In addition , the boilermaker 's shipbuilding division has about 30,000 members45 who , depending upon industry conditions , could move over to the construction division quickly . There are roughly 30,000 people in the boilermaker 's shipbuilding division . entailment +Take your seat . Please stand . contradictory +if you follow the scriptural principals it 's going to work out because those are that 's the best way to do it you know but the thing is is that then God gets the glory not a president not a king and i think that 's a problem for a lot of politicians is they want the glory I think some politicians might not want to follow the scriptural principals because then they and their fellow politicians don 't get the glory , God does . entailment +Paula Jones makes Newsweek ' s cover . Newsweek features Paula Jones . entailment +South of the city center , the founder of the Dominican order is buried in the church of San Domenico , 13th-century but with many 18th-century Baroque modifications . The city center is to the south of the church of San Domenico . contradictory +I saw a path at the side of the road . There was a path leading away from the road . neutral +The region 's waters abound in Lakeland char , perch , pike , vendace , and trout . Trout and pike reside in the region 's waters but vendace does not . contradictory +you know because you know you never know where they 're going what they 'll report or The reports can be for anything . neutral +Tutmosis chose the location of his tomb well for it was not totally robbed in antiquity and numerous artifacts found in the antechambers are now on show in the Egyptian Museum in Cairo . Tutmosis 's sarcophagus is on display at the Egyptian Museum in Cairo . neutral +Indeed , Largent and Watts could match lack of wits with plenty of House members from both parties and all 50 states . House members consisted of the smartest people in the country , say Watts and Largent . contradictory +you know trying to pass the time to wait till the next comedian comes up you know what i did there was a time there where i could um tape things and then i 'd fast forward through the commercials saved a lot of time that way I 'm just sitting here not doing anything . contradictory +Here was a boy growing up in Punjab during the fall of the Raj and the Partition , a boy who had been blinded by meningitis at the age of 3 , roller-skating through the back streets of Lahore as Sikhs slaughtered Hindus and Hindus slaughtered Muslims and civilization was collapsing and then , decades later , having made his way from India to an Arkansas school for the blind to Balliol College , Oxford , to The New Yorker , re-creating the whole thing in Proustian detail and better-than-Proustian prose ... Here was a boy growing up in a very challenging time . entailment +Here 's a place we might start . We could probably start at the place . entailment +( Click here for a summary of the experiment . ) Click here for the synopsis of the experiment . entailment +At this moment he wanted nothing more than to rest here for the rest of his life . He wanted to get up and run a marathon . contradictory +From 1977-8 , he worked for the Department of Justice from 1978 through 1981 , first as an Attorney Advisor in the Office of Legal Counsel then as Counselor to the Associate Attorney General . His first position with the Department of Justice was Attorney Advisor . entailment +The Revolutionaries made it a public museum in 1793 . Napoleon wanted people to have to pay to enter the museum . neutral +Spins on the monetary 1 ) It will make Europe the United States ' new economic rival . Because of trade agreements , Europe is the USA 's new rive in a monetary way neutral +Here you will find narrow cobbled lanes dating from the 18th century partly pedestrianized and fairl y free of traffic some original architecture , and many lively pubs , clubs , cafe , and restaurants . The narrow cobbled lanes date from the 16th century . contradictory +yeah right they don 't want to let you go they don 't believe you if you 're on another line long distance and they just want to keep going and going and stuff so They talk so much that I can 't get a word in . neutral +and uh one of the things that uh we did uh just we sort of made a little garden that uh surrounded the trees and planted uh pachysandra We kept trying to plant grass under the trees , but it would not take . contradictory +the judge decides whether or not they should hear it It is the judge that makes the decision . entailment +The ten absorbers were mostly installed sequentially with startup of the units staggered over 22 months . It took 22 months to start up all of the absorbers . entailment +Gray smoke blew into the night air and the crack sent Ca 'daan to the balls of his feet in a crouch . Ca 'daan crouched down . entailment +Enjoyable cafe-bars in Havana include Cafe de Paris ( Obispo and San Ignacio ) , Cafe O 'Reilly ( O 'Reilly and San Ignacio ) , Montserrate ( Avenida de Belgica and Obrapaa ) , and El Patio ( Plaza de la Catedral ) . Cafe de Paris is a cafe-bar in Georgia . contradictory +She was a child star on the old sitcom Diff 'rent Strokes . Since then she 's been arrested on robbery and drug charges . She was never involved in Different Strokes and was never arrested . contradictory +Hunt for Red October the one i went to see the movie for They went to see Hunt for Red October . entailment +and then her little brother 's only two years behind and he says well i don 't know i think that i probably want to be a veterinarian and i said that 's great let me explain to you how you get scholarships to do that I think being a veterinarian is a great idea , so I helped him out . neutral +no it 's making that that connection especially with the mechanical parts of it i was never able to to master all that in fact my brother and sister both they were oh thirteen sixteen years older than i they went through the uh parent thing where you 've got to practice or you 're not going out to play thing I was never able to master the mechanical parts of it . entailment +One of the most charming and peaceful Christian sites in Jerusalem , the Church of St. Anne ( mother of the Virgin Mary ) is actually in the Muslim Quarter , and just inside St. Stephen 's Gate at the far end of the Via Dolorose There are quite a few peaceful Christian establishments . entailment +8 . Various works of Ayn Rand Most of Ayn Rand 's works about philosophy neutral +Originally the town was known as Mamallapuram , named after King Narasimha Mamalla ( 630 668 ) , the great wrestler , in whose reign its many extraordinary temples and shrines were begun . In addition to wrestling , ing Narasimha Mamalla was a scholar and a kung-fu master . neutral +( It 's just bullshit , Magnet says . Magnet says that it is nonsense . entailment +So far , the former has been more vulnerable to diversion than the later . The latter has always been more resistant to diversion . neutral +and how how big is your duplex How much space does your trailer take contradictory +There was a column of mere padding about " The Styles Poisoning Case , " but nothing further . The column about " The Styles Poisoning Case " did not have any real substance . entailment +The assassin lunged forward , letting the blade pierce through his back . The blade pierced through his chest as the assassin lunged forward contradictory +he likes every time we pass one he wants me to win him a toy He doesn 't care about the toys so much . contradictory +Other water-based activities include a glass-bottomed boat-ride or a trip under the water in the Aquascope submarine to see the excellent underwater environment . There are is more than one water-based activity to choose from . entailment +We have divided the country into five regions north , west , center , east , and south . Our division was based on four regions . contradictory +The second essential quality of these films is that they are all , basically , the same . The second essential quality of these films is that they are all , basically , the same thing rehashed over and over . entailment +I 'm calling us to renew our faith in each other . I don 't think you can do it . contradictory +PA security has resisted Israeli demands that it take action against Hamas and refused , on occasion , to cooperate with the Israeli Defense Forces . PA security refused to follow Israeli demands . entailment +are like magic tricks , says the New York Times ' Michael Kimmelman . Michael Kimmelman works for the New York Times . entailment +Hersheimmer . " The answer is Hersheimmer . neutral +one of them is in a protected cove and the other one is okay if the lake is calm it 's out more in the open uh the other place that i would really strongly recommend is Possum Kingdom I advise you to stay away from Possum King . contradictory +The Executive Summary indicates comments received in response to the proposed rulemaking provided strong support for allowing the provision of fixed wireless The commentary reflected on the findings in support of the fixation of wireless . entailment +I must have a successful career which would mask my true activities … . I 'll never need a job to hide my true intentions . contradictory +well that 's wonderful uh-huh That 's really great . entailment +The park 's prefectural museum displays some small clay figures ( haniwa ) unearthed at nearby ancient burial mounds , together with pots , tools , and weapons dating back to as early as 10,000 b.c. The museum has just one figure on displa . contradictory +CEOs have a key role in setting the example for the rest of the agency to follow in seeking to understand information technology and management concepts and appreciating the strategic role that information technology and management can play in helping to accomplish business objectives . It is important that CEOs from each department across the globe reach out to the rest of the agency to explain how IT could benefit them and their mission . neutral +The heartfelt but likely ineffective reaction from Goss Sr. , who lives in Coleman , Texas , was , I 've got to talk to Kenny and sort this out . Gods Sr. professed to no knowledge on the subject and no way to obtain any . contradictory +The Dutch sent an invasion flotilla to Macau in 1622 , but the defenders triumphed . The Dutch overtook Macau and claimed it as their own . contradictory +Legal services clients are as diverse as our nation , encompassing all races , ethnic groups and ages . Legal service clients are a diverse group , but most of the users are male . neutral +Another human capital issue is more structural in terms of staffing . Staffing issues are not related to human capital . contradictory +that 's why they say always say it 's like five degrees warmer in the city at night time than out in the country The countryside is a lot hotter and we should not go there . contradictory +ninety four point one is fun Ninety four point one is boring . contradictory +uh i agree i agree that would be something that would have to be uh evaluated i feel prior to ownership the uh i think a lot of people hear only the sensation stories of this child being killed or I don 't even have to think about that for a second . contradictory +Please , do you have an answer for these well-wishers that would not require giving them private and personal information ? Can you offer a solution for well-wishers that wouldn 't require them to give up their personal information ? entailment +We view anything that helps expand participation in the electoral process as a positive development , says Ben Green , director of Internet operations , Gore 2000 . Too many people are involved in the voting process so this needs to be changed . contradictory +With these mountain ranges protecting the eastern and southern frontiers , the mild Atlantic winds penetrate deep inland , bringing with them all the rain and sun needed for a highly productive agriculture , while avoiding the extremes of a continental climate . There is a lot of Atlantic winds that enter deep inland . neutral +With support from LSC 's Technology Initiative Grants , LSC-funded programs are leaders and active participants in California 's plan to utilize technology to expand access and improve legal services delivery . All projects funded by the LSC receive the same amount of funding . neutral +and and recycle and put my mother out of her livelihood My mother won 't be impacted by recycling . contradictory +and they didn 't just play all day long you know like i noticed a lot of these other schools that i went may I have some JELL-O yeah and interviewed on or interviewed at um they did a lot of play work and stuff and then they almost all of them had a Montessori section and i thought well gosh that must be pretty good We couldn 't find any place with a Montessori section . contradictory +That 's because they suddenly have more money than the eligibility threshold for aid . They have more money than they need . entailment +Visitors ' first views of the convent 's splendor begin with the theatrical granite stairway , splashed with splendid 17th-century frescoes from floor to ceiling . Visitors ' first views of the convent 's splendor begin with the theatrical granite stairway because is is next to the bus terminal . neutral +yeah well do you think that 's do you think that 's right do you think we should direct the government Where does the government get its direction from ? neutral +Maybe you 'll never come to love me , and if that 's the case I 'll manage to set you free . I will keep you even if you never love me at all . contradictory +A more recent press release from the INS suggests that the agency has made a dramatic turnaround as a result of new policies initiated last June . The policies were put in place in January . contradictory +The only US president to resign , Nixon is recognized for his contributions to foreign affairs during the Cold War years . Nixon did not contribute to foreign affairs during the Cold War . contradictory +and all the rest of his organs were all greatly you know all tested out greatly below his actual age and of course Sally uh isn 't a very big woman i mean she 's you know she appeared to me to be very petite and um she took a horse shoe and and turned it turned it into an S His remaining organs had tested well below his actual age . entailment +or hundreds of chandeliers made of brittle blades of glass . many chandeliers composed of grass blades . entailment +Although swords , bows , and arrows remained the mainstays of warfare , suddenly matchlocks , muskets , and cannons made their appearance . Matchlocks , muskets , and cannons were replaced by swords , bows , and arrows . contradictory +no i it it 's well this is the month where it 's very unsettled because March is like between winter and spring out here it 's like one minute you 've got winter weather the next minute you have spring like weather everybody 's got a cold Personally , that 's why I think March is the most inconsistent month of the year in terms of weather . neutral +um i was gainfully employed by Safeway Stores Incorporated I was a valued employee of Safeway Stores Incorporated . neutral +yeah i 'm thinking about it my husband wants he wants to go to and sign up for the weights I think I will end up signing up with my husband . neutral +Gauve was silent for a long time . Gauve yelled the whole time . contradictory +That happened to be stealing . That is the same as stealing . entailment +( Click to find out why . ) Clicking results in finding out why . entailment +plus you know you you want to think that that you 're working with people who are not only putting out their fair share It is troubling to work with people who don 't help as they should . neutral +LSC 's 1998 call for state planning coincided with an active period within California 's justice community . Nobody knows for sure whether or not the 1998 LSC call for state planning during an active period within California 's justice community was coincidental or not . neutral +Today , after our investigation , I come to a point that frankly I prayed I would never reach . After our investigation I was quite relaxed . contradictory +It was from Kagoshima that the last desperate sorties of World War II were begun to resist an imminent US invasion , including the kamikaze raids on American warships . Kagoshima was the root of the Japanese war soldiers . neutral +but i guess to make it more difficult for the person who 's just so irate and upset and you know temporarily a little bit uh offset or off keel i don 't know if that 's a large percentage percentage of uh crime or not but i guess it would be some but i i think definitely like today they just introduced the what 's called the Brady bill the seven day mandatory waiting period on getting any guns and i think that The Brady bill had a mandatory waiting period . entailment +This rule is promulgated under the authorities of 21 U.S.C. 21 U.S.C. has some associated authority . entailment +Now show me those nasty animals ? I 'm going to see to it that you get rid of them right away . I want you to round up all the animals . contradictory +But you did not see it ? You didn 't see that just now ? neutral +uh i think that both the mother and the child lose and i think that 's why there 's so many problems you know with kids today because they don 't have the family roots anymore There aren 't many issues with the kids today . contradictory +In the dramatic new Mus ? ? e de l 'Arles Antique ( Avenue de la Premiyre Division France Libre ) , lively exhibitions of Roman statues and early Christian sarcophagi with impressive architectural models bring the ancient city back to life . The ancient city is brought back to life by models in the exhibit . entailment +Turkish wines ( Rarap ) have a history going back as far as 7000 b.c. , and some believe that European vine-stocks may well have originated here . All of Europe 's vine-stocks originate in medieval France . contradictory +It was a gigantic blunder . It was a huge disaster and there was nothing they could do . neutral +GAO will not provide an opportunity to comment in cases where ( 1 ) disclosure of an investigation 's results could pose risks to individuals and their confidentiality or ( 2 ) premature disclosure of information could compromise the results of the work . Commenting will not be accepted if disclosing the results of an investigation would risk confidentiality . entailment +The Ottoman Empire was weakening , however , and in 1821 , the peoples of the Greek mainland achieved nationhood for the first time . The ottoman empire weakened , so in 1821 the Greeks achieved nationhood . entailment +and i mean this girl she had like two outfits that she would just wear all the time and everything and she got some kind of money from her government like five hundred dollars so my sister had to take her shopping and It made this girl feel really good to wear new clothes . neutral +so they like that That 's one of the things they like . neutral +The group of student donors who collectively gave $ 200,000 to Clinton used different designations when contributing an additional $ 100,000 to him and others . The students may no longer support the old designation , thus changing it helped obtain more donations . neutral +Earlier this year , Legal Services of New Jersey proposed halving the number of its state service areas to seven , with Passaic County 's program left intact . The removal of so many service areas in New Jersey could greatly reduce the level of legal aid available in the state . neutral +yeah but they 're going to tax you just like they tax you your automobile they 're going to tax your home They are going to tax your home , just like your automobile . entailment +No hurry , must not rush the steady , mild gesture to the horse that here was a friend . There 's no rush , the process must remain slow and steady . entailment +Due to federal guidelines , LSSM does not accept cases concerning criminal , post-criminal , or municipal court matters . LSSM accepts only cases concerning criminal matters . contradictory +and boy i tell you happily happily i can i can understand just a little bit of Cuban English I am able to understand a small amount of Cuban English . entailment +While the Hong Kong-based South China Morning Post said that the discontented flight crews of Cathay Pacific Airways have still not decided whether to implement a plan to stop smiling at passengers , the Times of India carried an editorial Wednesday calling on the flight attendants to have second thoughts . The South China Morning Post is in Hong Kong . entailment +In addition , the Inspector General has said that GSA 's organizational structure does not seem to match the responsibility for managing programs with the authority to do so . GSA 's structure is the same as others ' . contradictory +From Jijona , continue along the N-340 to Alcoy , 56 km ( 36 miles ) from Alicante . Alcoy is 56 km from Alicante . entailment +The costumes are so original and ornate that a fair amount of time is spent at each folklore show explaining them in detail . There is a lot of time dedicated to describing the unique costumes at the folklore show . entailment +She had always said so . It was something she had always said . entailment +Moat House " was just past the next corner . The Moat House had a sidewalk leading to it . neutral +Do you have any suggestions ? Do you have an insights to offer ? neutral +Diabetes , cardiovascular problems , and penile injuries ( more than 100,000 whacked in bike accidents have been permanently deflated , according to the medical literature ) all prevent men from mustering a swelling . Penile injuries never contribute to a man 's inability to have an erection . contradictory +We 've seen this model before . They were bored . neutral +Fannie Mae , unfortunately , has become a model . It is unfortunate that Fannie Mae has become a model . entailment +They foster our objective of improving access to justice for clients . We hope to institute many more initiatives to increase access to justice . neutral +no well i believe personally i hope i this is where everyone always says my husband always goes through that i go yeah for one if someone broke in my house i would pray that i would have this faith to to to take authority over that and i know people that have done that i mean i know that there have been people who have had people break in their homes and just say i bind you in Jesus name your i just and rebuke any enemy because i believe it 's a spiritual war that 's going on and it 's not normal for someone to come into someone elses home illegally that 's not normal there 's something going on there and that i would have discernment by the Holy Spirit to be able to pray over that do you see what i mean and then the same in Vietnam you would you wouldn 't handle Vietnam the same way you would handle uh Saddam Hussein I pray for the souls of house robbers . neutral +In fact , as he looked , he could make out a rift , and beyond that a ... hole ... a small patch where there was no color , and yet the sky there was not black . He could make out a hole where three was no movement . neutral +There are also books and posters for sale . Posters are not sold there . contradictory +The man 's legacy to his family has almost nothing to do with anything that can be appraised in dollars and cents . A legacy doesn 't care about material things . entailment +At a special reception for the opening of the National Gallery exhibition , Hillary Rodham Clinton revealed that her first date with the future president was to go see a Rothko show at Yale . Clinton said her first date was an art show . entailment +8 billion budget deficit . The budget is short by 8 billion dollars . entailment +Ever since it was founded in the 1870s , Santa Monica has been thought of as the perfect seaside town . Santa Monica is very far inland . contradictory +3 . Orrin Hatch 's resentment Orrin Hatch holds no resentment . contradictory +My She wants to move out to California , where I live . I live where she wants to move . entailment +That was some fun watching how the giant two-headed lizard 's constant bickering among itself eventually led to its extinction , a lesson for us all and especially for my Uncle Morty and Aunt Bernice . Uncle Morty and Aunt Bernice argue every single day . neutral +The train itself is relatively old , and only just in service . The train just came off the assembly line . contradictory +Standard emission rates are established for three categories of coal-fired units The three categories have three different emissions rates in West Virginia . neutral +It may have been the most poorly performed martial maneuver Jon had ever seen . It was quite possibly the worst martial maneuver ever seen by Jon . entailment +Her eyes flashed . She was mad and her eyes flashed . neutral +The promenade terminates with a spectacular display of flowers and fountains in the Jardin Albert-I . The promenade starts with a wonderful fountain and a few animals . contradictory +Here you can wade through mountains of old clothes , jewelry , utensils , clocks , dolls , ornaments , old coins , and all the bric-a-brac of an oriental bazaar . Here you can go through piles of clothes and apparel of many kinds . entailment +The best thing about this play , apparently , is Irish actor Donal McCann ( The Dead , Stealing Beauty ) . McCann plays a 70-year-old ex-superintendent of the British-run Dublin police force who is now committed to an insane asylum and brooding over his past . Donal McCann is a young French actor . contradictory +oh man that sounds like a blast Camping sounds awesome . neutral +I was with a woman , a woman they nearly crushed between the manipulation of the north and the barbarism of the south . I was with a female companion . entailment +i absolutely never wore anything out in the tropics like a necktie People do not dress formally out there in the tropics . neutral +That would do for a little extra cover- it was almost my size . The tree was tiny . contradictory +should we have been there Things would have turned out better if we were around . neutral +Walter had a keen interest in the old West and , in order to create a diversion for the ravenous patrons , began building a ghost town . The patrons of the town were extremely hungry for one reason or another . entailment +Longfang was tough , said the large man , his warclub resting on his shoulder and referring to the proper name of the mountain they had seen him kill . The large man knew everything about Longfang . neutral +One of us ? One of our circle ? entailment +You escaped before we reached our hideaway . You ran away before we got to the hideout . entailment +At night , folklore shows are a good bet for older pre-teens and perhaps young teenagers ( see opposite page ) . The children are often asked to participate in the folklore presentations . neutral +To block the possible fee increase , 51 % of property owners in the district must submit protest votes in writing . Two thirds of property owners must submit protest votes in order to block the proposed fee increase . contradictory +um on occasion on occasion um i do vary um you know i wear suits i wear skirts and sweaters on occasion i can wear jeans um how about you I do not wear suits or skirts . contradictory +are they over five hundred Are they over .500 win percentage ? entailment +The decline in the won would not immediately raise exports or limit imports . The won 's decline won 't instantly affect exports and imports . entailment +another thing that saves us during the winter time is if we get a breeze coming straight off the Gulf the wind chill factor The Breezes from the Gulf can travel up to fifty miles to our homes . neutral +J eff Gordon won the Daytona 500 , auto racing 's most lucrative prize , for the second time in three years . Jeff Gordon was the champion of Daytona 500 two out of three times . entailment +that 's that 's probably why it does i work for GTE I work for GTE . entailment +Reporting will include data , in nominal dollars , on investment for the year being reported upon and the preceding 4 years . Reporting includes data on the investments only that month . contradictory +Ironically , busing will become unnecessary only when no one seems to have a problem with it anymore . Presently , no one has any issues with busing . contradictory +A convent until 1919 , it is now an architectural conservation center . It remained a convent until 1985 . contradictory +de Young Museum , San Francisco ; and a new company , Atlantic Networks , plans to work with major museums to produce a Great Civilizations series , which will display the finest archaeological works of art , together with reconstructions and virtual reality visits to ancient sites . The Great Civilizations series will display the finest archaeological works of art at the Young Museum in San Francisco . entailment +This may be the last chance to reverse the process . " If this chance is not taken , the process might be irreversible . entailment +News Quiz participants offer two oddly contradictory views of Princeton life . There 's more than one view about Princeton life . entailment +There will also be annual reviews of Hong Kong 's political and human-rights situation in the U.K. The state of human rights and politics in the Uk is staggering . neutral +The ambitious Museum of Macau ( open Tuesday Sunday 10am 6pm ; admission HK $ 15 ) opened in 1998 in the lower levels of the Monte Fortress . Monte Fortress no longer stands . contradictory +We are really thinking of bestowing a prize on the first individual who does not say : ' What a lot of bottles ! ' And I know the next thing you 're going to say is : ' How many people have you poisoned ? ' " I pleaded guilty with a laugh . There is serious consideration of giving a prize on the first person that doesn 't comment on how many bottles there are . entailment +The old Galeries Lafayette on boulevard Haussmann stocks a wide range of clothes at all price levels . You can 't find clothing shops on the boulevard Haussmann . contradictory +and and the schools don 't don 't really encourage to stay away from that you know the schools are there teach history and that we fought the civil war etcetera etcetera they don 't teach them good values like drugs are bad i don 't maybe i 'm wrong maybe because i haven 't you know been in that kind of environment for a long time but it just is amazing you know need to teach them good values If the schools put more emphasis on the dangers of drugs , kids would stay away from them . neutral +Legal work management and supervision systems are always on the table when LSC staff conduct an on-site program quality review . Legal work management is on the table , but there is no on-site program quality service . neutral +and uh so then when something comes up they 'll usually stay on a while so we we still get a chance to see you know one of them that we want to see They don 't mind if we do that while they 're dealing with whatever 's come up . neutral +that 's awful That is so bad . entailment +Applicants for permanent residence status as a rule are more restricted in their travel outside of the United States and must seek permission from the INS to travel or risk abandoning their application . International travel is actually much easier when one is in the process of applying for permanent residency . contradictory +He says this will make our system the best . He says it will make the system great . entailment +First , there are those who argue that worksharing is a kind of deaveraging , which brings prices closer to costs , and that deaveraging is both economically efficient and fair . The kind of work sharing involved may have a bad impression on organization . neutral +The sea has always played an important role in the history of this corner of France , from Scandinavians arriving in longships to Celts fleeing from Anglo-Saxons and Normans sailing to conquer England . Scandinavian culture deeply influenced life in this region of France . neutral +The woman punched hard into the light-skinned Sai Routha 's chest . The woman punched the Sai Routha 's chest . entailment +The examples that they cited included the following . The examples proved only negative outcomes . neutral +I said that I felt I OUGHT to remember 212 something about it , that it was just as though it was all coming back , and then , before I could get hold of it , it went again . I knew that the memory was somewhere inside my brain , but I just couldn 't access it . neutral +The latter factor exists because postal systems need to be designed to handle a wide range of mailpieces , generated by a wide range of mailers . Some of the mailers using the postal system do not know what they 're doing . neutral +The Commission determined that one part of the fee schedule--specifically , the annual fee for materials licensees--will have a significant impact on a substantial number of small entities . The annual fee for materials would be cost prohibitive for small entities . neutral +The shift in focus and resources has allowed Pfizer 's finance organization to become a growth enabler on behalf of the company Pfizer 's finance organiation has grown a lot . entailment +Karnak was linked to Luxor Temple by a 2 km- ( 3 / 4-mile- ) long avenue decorated with smaller temples and flanked by sphinxes , most of which now lies below the modern streets . Karnak was linked to Luxor Temple by a 2 km-long avenue which is decorated with smaller temples . entailment +and they have other problems they have Shiite Muslims to deal with They have a lot of bigger problems than the Shiite Muslims . neutral +A fine display , old soldier , said the Kal . The officer 's battle prowess was still impressive . neutral +As long as the Coen brothers continue to please their audience , they have earned the right to be free of the discipline Ross imagines will spring from having studio executives second-guess their every move . Audiences love the Coen brothers . entailment +Down by the shore of the Bosphorus is the glittering fa ? ­ cade of the 19th-century Dolmabahce Palace , while beyond stretches the graceful span of the Bosphorus Bridge , a concrete symbol of the city , linking Europe with Asia . The Bosphorus Bridge was built before the Dolmabahce Palace . neutral +Raves for this chronicle of the 1991 storm of the century that swallowed up a boatload of New England fishermen . The storm of the century was in 1991 and killed 13 people . neutral +( Dictionary of Banking and Finance , Jerry M. Rosenberg , Ph.D. , Wiley & amp ; Sons , New York , 1982 , hereafter cited as Rosenberg 's Dictionary . ) Rosenberg wrote a dictionary about banking and finance . entailment +I had my eye set on a dark alley , where I could consume my prize in peace . I was going to go eat the food I stole in the alley . neutral +oh i don 't know i guess my husband got a letter at the office i i presume and they must have been asking does your husband work with TI I think they sent a letter to my husband to find out if your husband works for TI . entailment +I see it in my dreams sometimes … . Sometimes it appears in my nightmares . neutral +In planning examination-level attestation engagements , auditors should obtain a sufficient understanding of internal control that is material to the subject matter or assertion to plan the engagement and design procedures to achieve the objectives of the attestation engagement . Auditors should sufficiently learn the subject being audited before determining audit procedures . entailment +( So bedpans and chain gangs are out . Bedpans and chain gangs are no longer seen today . neutral +anytime at all yeah but yeah yeah he may come back into baseball but i doubt if he 'll ever come back and play He will never return at any point to the sport of baseball . contradictory +Oh , dear , what a lot I have eaten ! " I only ate a small amount . contradictory +People in Hollywood accept this instability as the cost of doing business . People in Hollywood accept that , because they have no choice . neutral +right yes and then the plus the time that you waste standing in line is valuable also If only you didn 't have to stand in line , then it would be fine . neutral +After sundown , the shrine 's atmosphere is utterly transformed cool , dark , and more than slightly surreal , with the subtly illuminated arch dominating the scene . The shrine 's atmosphere is very strange and surreal . entailment +Sure , this is cowardly , intellectually dishonest , and an insult to the democratic process , but it 's also thrifty , and that 's important , too . It 's not considered thrifty and it is an affirmation about the medical system . contradictory +well the the one thing that just amazed me in in Texas here there were a series of um ads saying don 't vote for Dukakis he 's going to take away your right to own a gun he 's going to close down defense plants he 's going to do this he 's going to do that Dukakis wasn 't mentioned in ads in Texas . contradictory +The Supreme Court refused to hear a challenge to a South Carolina child-endangerment law that has been used to prosecute pregnant women who imperil their fetuses by using illegal drugs . The Supreme Court didn 't hear a law that has been used to prosecute men . contradictory +Miss Cynthia has a green evening dress . Cynthia is naked . contradictory +The left wall is allegorical , devoted to the bankers ' widely acknowledged virtues , Prudence , Justice , Fortitude , and Temperance , while religious themes invoke their piety on the other walls . The bankers think that their values will make people trust them . neutral +well in some sense they they should be politicians in that you know you want them to respect the people and you don 't want them to have you don 't want a judge to be appointed because you don 't want someone 's friend to be a judge " It doesn 't matter if politicians respect the people or are involved in nepotism . " contradictory +yeah i 've never done that and those are so neat i mean i would really like to do those but Those are awful and I would never do that . contradictory +This executive guide was prepared under the direction of Linda Calbom , Director , Financial Management and Assurance . Linda Calbom believed that the executive guide would give people a new look at the profession . neutral +You can trust these people . You can 't trust anyone . contradictory +In these letters , he asserted that I exceeded my lawful authority by undertaking this study . I undertook this study because it was really necessary . neutral +Perched near the crater during the 1929 eruption , he studied the composition of Pelee 's volcanic gases , then founded the museum that he donated to the municipality . He bought the museum from the municipality in 1929 . contradictory +The entities affected are 49 publically owned electric utilities with combined annual expenditures estimated by EPA to be $ 2,065,000 the first year and $ 1,342,000 thereafter . Estimated expenditures are expected to decrease . entailment +It 's a natural story for the tabloids , but it caught them all with their pants down when it first appeared in a long , entertaining piece in the Washington Post . The story was first published in a tabloid . contradictory +Meanwhile , the ANC enjoys wide support , though its popularity has as much to do with Mandela 's charisma as with its own platform . The ANC is a dying group with barely any supporters thanks to Mandela . contradictory +We are going to have increases in Medicare and Medicaid , and a reduction in the rate of growth . We will experience a decrease in Medicare and Medicaid . contradictory +Sixty percent of the demand for boilermakers in the construction division is from the utility industry . The utility industry has very low demand for boilermakers . contradictory +According to the Washington Post , Steve Forbes and George W. Bush are criticizing Al Gore for naively accepting Russian pledges of economic reform . The pledges made by Russia are likely to be false . neutral +The protections of the H-2A statute were adopted , inter alia , to ensure that the employment of foreign workers would not undermine the wages and working conditions of U.S. workers , and Congress provided legal services representation to secure the rights of H-2 agricultural workers under their employment contracts . The h-2a statute was in place to keep foreign employers from undernining wages of us workers . entailment +Because the Government has been entrusted with , and made accountable for , these resources and responsibilities , they should be recognized in the financial reports of the Federal Government and of its component entities . The government should not be accountable . contradictory +For example , if we wanted to learn about how noncompetitive awards were reviewed in an agency , a good case study would obtain information from the agency head , the head of the procurement division , the inspector general 's office , the contracts officer responsible for selected awards , staff involved in the reviews for these awards , counterpart persons from the contractors ' procurement and program operations staff , and the legal divisions within the agency and the contractors . A good case study would obtain information from many different departments . entailment +7 Beginning in fiscal year 2000 , FHWA appraised senior executives on these corporate management strategies . Senior executives received appraisals for their strategies . entailment +ratemaking provisions . Guidelines for ratemaking . entailment +um i had a friend who had fixed some uh chili buffalo chili and about a week before went to see the movie of course they raise them now you know to eat About a week before fixing some buffalo chili he went to see the movie . entailment +By the way , Hastings , there is something I want you to do for me . I have no favor that I require from you . contradictory +The men advance , weapons lit with crackling blue fire . The men had magic weapons . neutral +She said she didn 't know , exactly . She was not sure . entailment +A stroll along the Via di Gracciano and Via Ricci to see the town 's noble Renaissance palazzi will explain why . The town 's Renaissance palazzi is located along the Via di Gracciano and Via Ricci . entailment +you 'd be in have to be in a cave not to know what 's going on or moving it to Lubbock or somewhere possibly is not the answer You 'd have to be living under a rock to be unaware of what 's happening . entailment +The logistical problems of spanning the Firth were numerous , but their solution resulted in one of the greatest engineering achievements of the Victorian era , the Forth Railway Bridge . The Fourth Railway Bridge was never completed . contradictory +They were huge men towering over the few villagers who walked past . Villagers were towered over by huge men who walked past . entailment +well Michael reduced his legal fees to twenty thousand dollars Michael actually increased his legal fees way over twenty thousand dollars . contradictory +The man known as Number One was no longer of the company . Number One was the best man at the company . neutral +A short stroll west ( right ) down Ahmed Maher Street from the gate leads to the Museum of Islamic Art , inaugurated in 1903 and featuring 23 halls of beautifully crafted objects . The museum is very small . contradictory +GAO 's recommendations and audit findings also resulted in or contributed to many improvements in the effectiveness and efficiency of government operations and services during fiscal year 2000 . Audits were used for compliance , and did not result in greater operational efficiency . contradictory +Fado songs , accompanied by classical guitar , generally deal with the hardships of seafaring life . Fado songs are primarily about the life of a single mother . contradictory +A new yacht basin to the east allows safe harbor for independent travelers . The yacht basin was only made available within the last decade . neutral +To see a range of faces with central nose rings , see the piercing gallery at Body Modification E-zine or the zine itself . If you want to see central nose rings , see the piercing gallery , said the site . neutral +um-hum except we call it Aspen but I hear you , but here we call it Aspen . entailment +yeah well i also i also don 't do snails so yes , well , snails are not my thing entailment +but oh yeah right i hope to hear I 'll find out tomorrow . neutral +You 're quite right . You 're absolutely correct . entailment +If you run into any problems , e-mail help @ slate.com. We don 't have a contact address . contradictory +Good human capital policies and practices are another critical environmental factor . Important environmental factors include good human capital policies and practices . entailment +Always reserve a room before arriving in Jerusalem , especially during all major Jewish and Christian holidays . Reservations are rarely needed in Jerusalem . contradictory +White-tiled rooms with Jamaican hand-crafted bamboo furniture and locally printed fabrics offer panoramic views . The rooms have white tile on the floors and walls . neutral +But if Congress opts for debt over taxation , you can count on thoughtless commentators to denounce the interest payments on that debt as a second , and separate , outrage . There are people who believe that the interest on the national debt is a problem . entailment +They had agreed to take a day of rest in the barrens . They would be taking a day of rest in the barrens to prepare for tomorrow 's battle . neutral +Wanniski , who invited Farrakhan to a conference last spring , argues that a Republican-nation alliance could guarantee an unbeatable electoral majority for the GOP . Wanniski argued that a Republican-nation alliance could guarantee an unbeatable electoral majority for the GOP , as he invited Farrakhan to a conference last spring . entailment +that may not be a bad idea I don 't think that would help at all . contradictory +His rich tunic had been replaced with a leather chestguard from one of the bandits Vrenna had killed at the slave camp . He changed his clothes for battle . entailment +Appropriations that have been made available for apportionment but have not been used are recognized as unexpended appropriations in the entity 's capital . Appropriations are not recognized in any way . contradictory +Either once or twice a week you can now see films in English in both Santa Eul ? ria and Sant Antoni . English movies are screened on certain days in Sant Antoni . entailment +At the program 's critical design review , the PAC-3 program had completed 980 engineering drawings-21 percent of the eventual drawings needed for the missile . The program had all of the drawings done by the design review stage . contradictory +Bob Dole , who presided over the Republican National Committee while it stood by its man until the last , said it best at Nixon 's The second half of the 20 th century will be known as the age of Nixon . Bob Dole said that the second half of the 20th century would be the Age of Reagan . contradictory +I think I told you that he is staying at the Metropole . He is staying at the Motel 6 . contradictory +This measure does require LSC staff to understand how services differ from grantee to grantee , so that the differences in levels of service can be adjusted to arrive at meaningful cost-per-case figures . The measure will improve the performance of LSC staff . neutral +Exclusion of capital gains income from home sales $ 18,540 Home sales of $ 18,540 are not included . entailment +The quality of the automated systems is to a large extent based on the effectiveness of internal control . The quality of the automated systems is usually pretty good neutral +Little boys face a problem very similar to that of high-tech executives . High-tech executives and little boys seem to face similar problems . entailment +It says nothing of the kind in the letter , the Coroner pointed out . The letter says just that . contradictory +In a more honest world , it wouldn 't be tacky for titans of industry to say they 're leaving to pursue a fully deployed golden parachute as they bail out . Titans of industry are always completely honest about their intentions . contradictory +The train was collapsing around them- metal warping and burning . The train was holding steady and strong under the flames . contradictory +At the same time , flexibility may be just as important as resources . There need to be more resources . neutral +Poirot , I said , " what was in this particular little bottle ? " Poirot looked out of the window . Poirot looked out the window because he was trying to figure out a good lie . neutral +'Trying to get into shape . ' I am trying to get healthy . entailment +It could be claimed to have such an effect if the client in a case ineligible for LSC representation could eliminate the ineligibility by waiving the claim that the statute is invalid The effect could be significant if the client could eliminating their ineligibility for LSC representation . neutral +On the grounds of the shrine are two museums . There are five museums on the grounds of shrine . contradictory +A number of sightseeing attractions lie along this route , which leads to Falmouth and , eventually , to Ocho Rios . Road to Falmouth is filled with interesting scenery . entailment +But can the Weinsteins , who like being the only cocks of the walk , tolerate a partner as famous and visible as they are ? Could the Weinsteins handle someone with as much fame as them ? entailment +The non-Italian artists include El Greco , Rubens , Van Dyck , and Rembrandt . Several non-Italian artists are also represented here . entailment +It is popularly considered a moral failing , not a practical or medical problem for some people . It is a moral flaw . contradictory +yeah or sometimes they don 't like either of the choices They don 't like the choices 100 % of the time . contradictory +Many of these programs were small and most operated within Cook County . All of the programs were large and operated out of Boone County . contradictory +She crumpled it up into a ball and threw it into the grate , and made a sort of noise like ' Whoop ! ' She held on tight to it . contradictory +You have to learn to throw away broken things , not cherish them . You should get rid of things that are broken . entailment +King isn 't a cynical He recycles these elements as if he has true faith in the power of his fables to heal . King is pessimistic . contradictory +Don 't miss this week 's breathtaking conclusion to Doodlennium , the cartoon saga of the chicken people by Mark Alan Stamaty . Doodlennium will not have a conclusion . contradictory +um-hum so she 's going to sell it rather than trade it in that 's probably the best thing She is going to keep it for another few years . contradictory +holy cow i just walked in i i didn 't even i guess it 's i can 't believe it 's over already If I had come just a little earlier , I would have arrived before it came to an end . neutral +Slate writer Mickey Kaus calls them ) . Slate writer Mickey Kaus summons them . entailment +if if we 're talking marijuana if it 's in the system uh then There is marijuana in my system , if you 're asking . neutral +Indeed , it was to become the first new Jewish city for 2,000 years . It was not the first Jewish city . contradictory +In 1987-90 , it enjoyed a very high growth rate of 15 . The rate skyrocketed in 2 years neutral +When a product requires a classification review , upon written receipt of the results of the agency 's review , GAO will notify the congressional requester ( s ) that the agency has completed its classification review . GAO does not get involved in classification reviews . contradictory +Lindsay , who has suffered several strokes and moved with his wife , Shirley , to an assisted-care community in Jacksonville , Fla. was back in town for Jim Lindsay Day , which included a tour of the shelter and a reception attended by many of the people whose lives he touched as a volunteer with Savannah nonprofits . Lindsay and his wife recently moved out of the country to the Philippines . contradictory +Zeus , not surprisingly , fancies himself their leader . Zeus would never call himself the leader . contradictory +and uh you know she just brought the cat in because he wasn 't feeling good so that that was a kind of a surprise at least at The cat is always in superb health . contradictory +What wows ' em are Broadway-style showstoppers , with music and lyrics by Stephen Schwartz , whose work has become less tuneful and more pretentious since the heady days of Godspell and Pippin . Schwartz 's rhymes are all of the moon-June variety , and the big inspirational number , in which hope is conceded sometimes to fly away , like silver birds , Who knows what miracles you can achieve / When you believe ? Schwartz 's rhymes are very dull and predictable . neutral +Penal implants ( New York magazine competition No . The penis in the only appendage that can 't have implants . contradictory +Directly in front of Parliament , on Holyrood Road , is Our Dynamic Earth , which opened in July 1999 in a futuristic building under a brilliant white-tented roof . Our Dynamic Earth is on Holyrood Road , about seven miles from town . neutral +um well it 's only been what a year two years It has been a year or two since . entailment +well i 'd recommend it I would not recommend that . contradictory +Issues in civil cases include family matters , housing and employment cases , consumer protection , public benefits and income maintenance . They could not find an example of a civil case . contradictory +We focused primarily on the management framework that these organizations had established rather than on the specific controls that they had chosen , because previous audit work had identified security management as an underlying problem at federal agencies . The previous audit work was unhelpful in determining whether security management was issue or not in the agencies . contradictory +and then some of them you know like the kitchen and the bathrooms we uh we had put paper up All of the rooms needed to be updated first . neutral +An initial notice of proposed rulemaking was released on July 1 , 1994 ( 9 FCC Rcd 5408 ) and a second notice of proposed rulemaking was released on April 20 , 1995 ( 10 FCC Rcd 10666 ) . The initial notice of proposed rule-making has not been released and the public and agency partners are still waiting on the FCC . contradictory +3 Why do men fight so much ? I want to watch men fight . contradictory +i 've got a son lives in Riverside and i drove across the Mohave Desert went to Las Vegas i went from route five to Las Vegas by car and that was a pretty nice trip I traveled by boat across the Mohave Desert . contradictory +He has to be familiar ( and competent ) enough to keep viewers satisfied , but also distinct ( and flawed ) enough that when the star returns , everyone remembers exactly why they love him so . He has to have familiar qualities that keep viewers satisfied but he also needs qualities that are flawed . entailment +Profit Cost ( cents ) Per ( possible ) Volume Pieces Per ( possible ) Quartile ( dollars ) Piece Delivery Stop ( pieces ) Deliverya Stop Delivery is measured in pieces . entailment +I spoke poorly the other day . I couldn 't say a word because my throat was too dry . neutral +Despite occasional tensions , perhaps inevitable in times of economic uncertainty , today French people increasingly recognize that the immigrants from France 's departements in the West Indies and from former colonies ' Algeria , Tunisia , and Morocco ' enrich the national culture and add spice to the country 's cuisine . French people never recognize immigrants ' contributions towards any facet of society . contradictory +But because assessing computer-processed data requires more technical tests , it may appear that such data are subject to a higher standard of testing than other evidence . Computer-processed data usually doesn 't require technical testing . contradictory +What I am willing to pay for is a young lady with sufficient intelligence and presence of mind to sustain her part well , and also one who will have sufficient discretion not to ask too many questions . " Tuppence smiled a little . " I 'm willing to pay for an intelligent young lady who will not ask too many questions " said Tuppence . entailment +These classes will be referred to as unrestricted categories . The classes will be references as unrestricted categories . entailment +A fight to submission , knockout , or--hey , why not ? A fight in court , why not ? contradictory +yeah Raleigh Durham yeah No , North Dakota . contradictory +This paper focuses on city delivery because of the more detailed data available on this type of delivery . This city is to be delivered only to the city . neutral +Brittany 's countryside is wilder and less civilized , with a jagged coastline to match . Brittany 's countryside is a favorite for visitors who love natural wonders . neutral +yeah two hundred fifty Yes , it 's 130 . contradictory +It struck me that he might look natural on a stage , but was strangely out of place in real life . On stage he was a natural but he was awkward in off stage life . entailment +But Breines is avowedly anti-Israel , and he sees any expression of Jewish self-defense as a sign of nationalism gone awry . Breines is absolutely anti-Isreal and he sees any expression of Jewish self-defense as a sign of nationalism gone wrong . entailment +The 17-year-old Jess Gupta ( male student ) , for example , is listed as a housewife in another filing . A 17-year-old is listed in as a female , when he is male , this needs to be fixed . neutral +Sept . 11 may reflect a failing of the legal profession during a crisis for one group , Muslim and Middle Eastern men . This is beacause they didn 't do enough to stop the racism that came up . neutral +All in good time . Never . contradictory +I am not keeping back facts . I am not about to hold back facts that may help . neutral +Respond in kind and you 'll soon feel at home . You 'll feel comfortable soon by responding to others the same way they 're responding to you . entailment +But I can . I want to do it . neutral +you 're not kidding do you ever watch American Gladiators You 're kidding , you 've never heard of American Gladiators . contradictory +She retraced her steps to the entrance hall of the mansions . She walked back to the entrance hall and sat down . neutral +Whether you take your tennis seriously or just like to hit a ball around , be careful of the midday sun . The midday sun is only a problem for the serious players . contradictory +Perhaps rightfully so . Perhaps not . contradictory +Founded in 1592 to educate the Protestant Anglo-Irish ascendancy , it was formerly regarded as a place somewhat apart from Irish affairs . Established in 1592 , it used to be regarded as distinct from Irish affairs . entailment +Forget the karaoke , the bullet trains , and all those mobile phones for a moment . Those mobile phones are nothing but trouble . neutral +and they didn 't really know it it was a real nice late model car real pretty on the outside but they couldn 't keep tires on it it kept eating the tires The tires didn 't last long because the car was old . neutral +A single road led north and south with trails leading into the lower hills at the base of the mountains . The mountains were huge and dangerous . neutral +Sixtyfive percent of the people in probate court appear without lawyers because they can 't afford them . Most people in probate can 't afford lawyers . entailment +The reductions that generate the banked allowances are shown as the area to the left of each vertical dotted line as the differences between the reference case and scenario emission trajectories . The reductions that generate the banked allowances are shown as the area to the left of each vertical dotted line . entailment +Why ? he asked . Why would you go ahead with that plan ? neutral +and uh i don 't know that 's that 's uh because i i went to school with at uh Texas Tech in Lubbock Other people who went to Texas Tech in Lubbock also don 't know . neutral +And entirely hatless . Completely hatless . entailment +You should come see yourself . It would be good if you came and saw for yourself . entailment +Human Capital Human capital is crucial to environmental success . neutral +A woman was standing by the fireplace . Next to the fireplace there was a woman holding a brandy . neutral +There 's an impressive view at the top of its five storeys , which are easily ascended . It is very hard to climb to the top , and the view is quite underwhelming anyway . contradictory +yeah uh but uh yeah but i think uh you know i think so far as uh as the location Richardson Plano are probably comparable the the school districts are you know are about the same uh you know quality wise The school districts are really low quality wise . contradictory +What LSC found when it began the assessment of the CSR system was a 20-year-old reporting structure , the guidance for which had not been updated since 1993 . LSC found that the guidance needed to be updated to be compliant . neutral +Piazza della Signoria is Florence 's civic and social center . Florence has lots of people coming to his civic center , neutral +But there was thunder . There was thunder . entailment +A chapel on the left holds the tomb of the last of the Austro-Hungarian emperors , Charles I of Austria ( and IV of Hungary ) , who died on Madeira in 1922 . Charles I of Austria died in Prussia in 1850 . contradictory +Cheers and Twin Peaks are now on the same time Cheers plays in the morning only , Twin Peaks only plays in the evening . contradictory +This was the site of the original Byzantium , founded in the seventh century b.c. , and of the civic centre of Constantinople , capital of the Byzantine Empire . The site of the original Byzantium is some twenty miles away from here . contradictory +8 percent of business mail would have qualified as bill / payment mail in that year and total ( i.e. Not much business mail qualifies as business mail neutral +A horseman held a twitch that covered her mouth , while another man held her left front leg with a strap . They controlled her by binding her mouth and securing her left front leg . entailment +Oh , hurry ! They were now at the corner of Carlton House Terrace , and their spirits lightened . They were in a rush to get somewhere neutral +Day excursions by bus and special Land Rover that connect with a cable car originate in Taormina or Catania . The only way to get to the cable car is by bus or Land Rover . neutral +Such an approach invariably leads to added costs because programs are forced to fix problems late in development . That 's the safest approach possible in terms of avoiding unexpected costs . contradictory +In the law study , about 68 percent of public interest employers surveyed - government offices , legal aid organizations , public defenders and other nonprofit groups - reported recruiting difficulties . They also had issues with retention . neutral +Over the years the town had been ruled by god-kings , warlords , dark priests , rich aristocrats armed with mercenaries , and bandit lords . They town has been run by several members of the community . entailment +It may also be that any intense emotion can be transformed into any other , which is why the best part of breakin ' up can indeed be makin ' up , and why a passionate quarrel can culminate in a yet more passionate reconciliation . Once someone feels an intense emotion , it can never change into something else . contradictory +coming out of the TV that just doesn 't make my day you know I love picturing that . contradictory +It seems to me in America , where we rejoice in the fact that we are a nation devoted to the rule of law , we should not ration access to justice . In America , justice should only be for the upper class . contradictory +He says he 's stonewalling it because divulging past drug abuse sends bad signals to your children . He says he is not talking about past drug use . entailment +It seemed to her , as she did so , that the tension of Mrs. Vandemeyer 's attitude relaxed . As she did so , it appeared the tension of Mrs. Vandemeyer 's attitude relaxed . entailment +NOMINAL ( OR FACE OR PAR ) VALUE OR AMOUNT -The amount of a bond , note , mortgage , or other security as stated in the instrument itself , exclusive of interest or dividend accumulations . Bonds have a face value stated on the instrument itself . entailment +The Malla came to Nepal in the first of several waves of Hindu fugitives from the 11th-century Muslim invasion of northern India . The Malla left India for Saskatchewan in the 9th century . contradictory +The birth-control pill is reportedly making a comeback . The contraceptive pill is supposedly making a comeback . entailment +Thirty years later , as a Los Angeles Superior Court judge , Zelon has added the public 's right to a fair trial to the list of constitutional rights she works to preserve . Zelon , as a Los Angeles Superior Court judge , added a right for the public because she is a nice , caring person . neutral +i think communication does have a lot to do with it you know in education maybe i don 't know about education because the black community is still not very educated down there The black community isn 't very educated down there . entailment +I suppose that keeping up with Alan Sinai 's daily predictions of Dow movements does give one some authority on this matter ; but , it still seems to me , musings on this subject ( like those on solid-state physics , for example ) should , if they are going to be published , be assigned to individuals who have had more than a little training in the matter . Alan Sinai knows nothing about the DOW and does not pay attention to it at all . contradictory +To finance a deficit , a government has to borrow or sell assets it owns . The government does not have assets to sell . contradictory +yeah i haven 't i haven 't played in about two years and then i went out two weeks ago with the guys here i work at TI and i played in a tournament out there and i shot a net fifty nine they were kind of little upset I 've always played and never stopped , no breaks . contradictory +uh because otherwise uh you know they 're not going to go house to house collecting it and you 're not going to bother if you have one bag full to drive all the way to some recycling center to turn in just your little plastic peanuts They can pick it up from your house , but you probably want to go to the recycling center yourself . contradictory +no actually i 'm i 'm not involved in anything like that at work or uh anywhere uh i don 't have anything to fall back on at all I 'm not involved in anything like that at work or any other place . entailment +However , there were significant differences in how the agencies had implemented these capabilities . However , different agencies used the resources very differently . entailment +The long-range numbers do not add up . The numbers are dead-on . contradictory +the other woman didn 't cook too much either right The woman did not cook very often . entailment +Set centrally amid the hotspots of the beach with plenty of entertainment choices for both day and night . You will not be bored on this trip , day or night . entailment +Safire 's a Nixon man to the end , and Frank Rich recalls the glorious presidency of Eugene McCarthy . Safire has always loved Nixon while Frank Rick just recently became a McCarthy admirer . neutral +you know when you develop your imagination that can take you into a lot of other areas because you 've developed uh your your your mind in in seeing things you know even if it 's your own set way Imagination isn 't helpful as an adult . contradictory +don 't have to do anything It 's not necessary to do something . entailment +tax rates-for both businesses and individuals . Taxes are not present for anyone . contradictory +These political and economic difficulties helped the fundamentalist Refah party later win the largest share of the vote in 1995 . The fundamentalist Refah party won the largest share of votes due to political and economic difficulties . entailment +but now that i 'm there i mean it 's it 's a lot more convenient because there 's so many kids that dawdle A lot of kids take too long . entailment +It was noted that boards need to do a better job of identifying their constituencies and understanding and addressing their concerns . The boards have no areas they need to improve on . contradictory +The Chief Justice also testified to the Indiana judiciary 's keen interest in and support for Indiana Legal Services and the provision of pro bono by the private bar . The Indiana judiciary saw the pro bono work as providing a necessary service to the public . neutral +Was I turkey-cock proud th ' first day I rode into town with ' em playin ' pretty tunes , even though I strapped ' em on over boots as was only three pieces of leather hangin ' to each other restless like . It was a proud thing to ride into town . entailment +Once critical processes are identified , companies perform capability studies to ensure that a process will produce parts that meet specifications . It 's impossible to identify critical processes . contradictory +As a result , sentences are short and clear , often brilliantly compressed . Sentences are brief and to the point . entailment +During the 1970s , Ekman developed a method called the Facial Action Coding System ( FACS ) to measure all visually discernible facial movement . Ekman developed FACS to measure facial movement . entailment +But since he left office , he has led like none other . He left office on a high note . neutral +Heading west from Montego Bay , the main road hugs the coastline . The main road heads east . contradictory +The donation The monetary gift bestowed to us . entailment +2 ) A German court implicated Iranian leaders in four recent assassinations in Berlin . A court in Germany implicated Iranian leaders in Berlin assassinations by tracking their travel history . neutral +But th ' ' Pache ain 't wastin ' hisself that way . The Apache doesn 't see it worth his time to waste himself . neutral +Maybe that was why the Satheri had gone scrounging back through other worlds to find men who had the necessary drive to get things done when the going was tough . Satheri was trying to find weak men in her world . contradictory +A few yards farther up the hill is the recently restored Casa Museu Frederico de Freitas . It doesn 't take long to get up the hill to the Casa Museu Frederico de Freitas . neutral +In contrast , several federal information security officials told us that they felt that their organizations were placed too low in the organizational structure to be effective and that they had little or no opportunity to discuss information security issues with their CIOs and other senior agency officials . Federal information security officials believed that they had very little opportunity to discuss information security issues with their CIOs . entailment +Although not open to the public , its towers and beautifully carved stone walls can be seen from various vantage points in the city . Various vantage points can be used in the city to view its towers . entailment +Only this . " He pulled a crumpled envelope out of his pocket , and tossed it over to me . He tossed a cigar to me . contradictory +This counterattack has only helped Bush achieve the distance he sought in the first place . Bush was brought into the fray by using the counterattack . contradictory +To provide a conservative estimate of required resources , the following analysis looks at implementing the retrofits for 2005 in 31 months prior to 2005 and retrofits for 2010 , 2015 , and 2020 three years prior to each five-year period . The analysis looks at implementing retrofits in a 31 month period . entailment +Nearby is Central Market , the wholesale food market of Hong Kong , and the Hang Seng building ( private offices ) . Nearby is Central Station , the main transit station of Hong Kong . contradictory +you know and and do the job well Do what needs to get done . neutral +So--contrary to what we 're told by orthodox economic theory--two individuals with exactly the same preferences and exactly the same opportunities can adopt dramatically different attitudes toward saving . Two people with the same preferences and opportunities can end up having different feelings about saving . entailment +less than half i was kind of surprised to hear that I was surprised to hear it was less than half of people that owned homes . neutral +yeah it 's a whole whole different culture um it it 's weird down there because The culture is pretty much the same down there , so it 's normal . contradictory +After reading these books , I performed an experiment by going to the Museum of Modern Art and testing my reactions against the artists in question . I performed an experiment by going to the Museum of Modern Art and testing my reactions against the performance artists , after reading these books . neutral +' It would cost me five saltcoins to buy one of the fish , but five was better than twelve . The saltcoins were worth every saltcoin that was charged . neutral +oh no no they 've uh got volunteers apparently any all over the country Apparently , they have nationwide volunteers . entailment +so i do it in the mornings I never do it in the mornings . contradictory +Thus , economic growth depends not only on the amount of saving and investment but also on an educated work force , an expanding base of knowledge , a continuing infusion of innovations , and a sound legal and institutional environment . Economic growth depends on how much you save and invest . entailment +Seems like two Kirbys turnin ' up in a town this size is gonna make a few people ask some questions . " People are going to ask questions if two Kirbys show up in this town . entailment +Don 't you even have a guess ? Bork answered shortly , " No . " He looked worried , Dave thought , and guessed that even the fanatics were not quite sure they _ wanted _ to be hatched . The fanatics were bad people . neutral +The additional reporting standard for financial audits conducted in accordance with GAGAS GAGAS doesn 't mess with financials . contradictory +This highway passes through Banepa , where you can turn off to visit Panauti . There are no signs on the highway for Panauti . neutral +Phil Knight , CEO of Nike , forced by inclement weather to abandon his attempt to become the first man to circumnavigate the globe riding on the back of an 11-year-old Indonesian girl . Phil Knight was about to go around the world on the back of a little girl . entailment +it was just too perfect at all times that was a mistake that they made they shouldn 't have done it now the best the supporting actor he was good It was really flawed at all times , which was great . contradictory +Mrs. Cavendish , of course , could not be called upon to give evidence against her husband . Mrs. Cavendish wasn 't allowed to testify against her husband . entailment +Julius jerked the rusty bell handle . The rust on the bell made things difficult . neutral +Here is a beautiful city , one that ought to make any American proud . America has at least one beautiful city . entailment +But Germany had an account to settle . Germany had issues to resolve . entailment +oh i see um-hum well the last two people who have called both worked for TI and i just wondered huh The last two calls were people form TI . entailment +After receiving agency comments , GAO considers their substance , revises the draft report as appropriate , and indicates in the issued report whether the agency agreed or disagreed with GAO 's findings , conclusions , and recommendations . GAO considers the substance of the comments and then changes the report if they get more than 100 comments in support of something . neutral +If you have a few days to explore the region , you 'll find a wealth of things to see nearby . There is nothing in the vicinity that would attract tourists to the location . contradictory +We had us friends in Tennessee , an ' it jus ' happened as how I was dropped where one of them families found me . They had no friends in Tennessee . contradictory +Through the mid-section burst flares of blinding light . Flares went through the midsection of the armour . neutral +'Bad shot ! ' as you English say ! You did a good job ! contradictory +yeah they do kind of follow or They don 't follow anything ; they are standalone . contradictory +LSC had long noted that grantee programs provide referrals and community legal education , that they engage in outreach , and that they work cooperatively with other groups to address the needs of the low income community . LSC noted that grantee programs provide referals and legal education , engage in outreach , and work with groups to help needy low income communities . entailment +if i had a car uh the a bus I wouldn 't take the bus anymore if I owned a car . neutral +EPA held a public hearing on March 31 , 1995 , in Washington , DC , and received more than 283 written comments . The EPA hearings are always private . contradictory +Share-buyback plans are sketchy as long-term business strategies , but IBM 's assurance that its shares were undervalued suggests that it 's not particularly worried about the ultimate impact of Hong Kong 's woes . IBM 's confidence in the undervaluing of its shares isn 't misplaced if investor sentiment is correct . neutral +I picked underwear , both men 's and women 's , in the most gargantuan sizes Kmart carried and , with the help of a friend , threw 20 pairs into Second Avenue under cover of darkness . Nobody even noticed that the underwear was there in the morning . neutral +GAO 's overall human capital situation also is of growing concern . No one should care about anything related to the GAO . contradictory +well there 's there 's quite a few that can handle that uh any local nursery will be able to help you with with something like that Any local nursery will be able to help with the task at hand entailment +With 90 % of the population professing to be Hindus , Nepal claims to be the only officially Hindu nation on earth . Most of the Nepalese are Baptists . contradictory +In the meantime , they don 't tend to elevate discourse . They don 't try to elevate discourse in the meantime . entailment +One of the most elegant Renaissance chateaux , Chenonceau and its famous long gallery are raised on arches to span the Cher river . The Chenonceau is raised on arches to span the Cher river . entailment +Sure a fool thing to do , ridin ' there alone . Peter knew he should not ride their without his friends present . neutral +yes yes sir legally legally cut money on your taxes and on your uh insurance and then he tells you how to invest that money in order to uh uh you know be wealthier uh he also has a new book out that i purchased right before i moved and haven 't had a chance to uh crack it open yet um Financial Self Defense i believe is the name of it uh the man uh has a lot of good ideas some of them i already knew about some of them i had already practiced but i suggest it to anyone who wants to be better off financially to read it because uh He writes books that offer you practical advice on money management . entailment +The preamble to the final rule states that the rule is not subject to review under Executive Orders 12630 ( Property rights ) and 12612 ( Federalism ) . The preamble to the final rule is open to revision . neutral +As Chatterbox pointed out in his earlier item , movie tickets are fundamentally inexpensive , so you aren 't going to lure many more people into seeing , say , Eyes Wide Shut by slashing the already low price of first-run admission . Chatterbox said movie tickets are pretty cheap so making them cheaper won 't get people to the theaters . neutral +The Bob Marley Mausoleum lies in a small church with other symbols of Rastafarian faith , including a photograph of Haile Selassie ( their spiritual leader ) and the lion of Judah depicted on a stained glass window . The Bob Marley Mausoleum is a big modern building . contradictory +If she actually believed that millions of human lives were at stake , the former head of the Red Cross surely wouldn 't try to build a holy crusade around refusal to discuss the matter . A past head of the Red Cross sure would not try stop the discussion of the matter if they thought millions of lives were at stake . entailment +The seductive and corrupting film noir downtowns featured in so many admired cheap second features might as well all have been demolished , along with the long-gone Bijous and Palaces where these films first played . These films should have been demolished since they have no cultural value , just like the Bijous and Palaces used to play in . neutral +Cynthia Murdoch came next . The next witness was Cynthia Murdoch . entailment +'Now , doc , ' I went on , ' will you be frank with me ? ' Sugar coat it for me , will you doc ? contradictory +We all know that INS is terribly overburdened ; we all know that the Department of Agriculture , We are all aware that the INS is more than able to take on its workload . contradictory +The Wall Street Journal editorial page lobbies for lower capital gains rates on an almost daily basis and has been doing so for more than two decades . The WSJ thinks that lowering the capital gains rates would boost the economy . neutral +yeah and when you say but we 're in college uh we 're in graduate school we can 't afford that you know they they say well how about twenty seven well how about ten you know yeah so We are broke because we are spending all our time studying in graduate school and not working a job . neutral +He 'd agreed to admit anything , but some of this was such complete nonsense that his mind rejected it automatically . It was all nonsense . neutral +is it going to be is it going to be really dry it are you plant are no i always plant trees in the fall i don 't know why so the the cold weather can kill them I always plant trees in the fall , but the cold weather can kill them . entailment +When they watched these films in the presence of an authority figure , however , the Americans ' facial expressions were essentially the same as when they watched the films alone , whereas the Japanese showed much less negative affect , smiled sometimes , and actually masked negative emotion with smiling behavior . The Japanese are better at hiding emotions . neutral +However , these requirements are not discussed here because this guide pertains to the protection of sensitive but unclassified data , which constitute the bulk of data supporting most federal operations . A large bulk of data is considered sensitive although technically isn 't classified . neutral +Johnsen said that while Heinemann spent a lot of time at Edwards , he has no reason to think that Murph Murphy had any connection to Edwards at all . Johnsen didn 't think Edwards knew Murphy . entailment +Perhaps , I said doubtfully , for I was really quite indifferent to the fate of Alfred Inglethorp , and thought that a good fright would do him no harm . Maybe , I said , for I didn 't really care what happened to Alfred Inglethorp and thought a good scare couldn 't hurt him . entailment +and then what do you do about the the thing that you know the the the was it one tenth of one percent chance that they might have been convicted erroneously There is a tenth of a 1 % chance they might have been mistakenly convicted . entailment +( Is it my imagination , though , or have those lips become even more pillowy ? I believe her lips have become more pillowy . neutral +The tour , by jitney , shows how the plantation works , with knowledgeable staff to answer questions and give demonstrations of such skills as the correct technique for climbing banana trees . The plantation was over two hundred years old . neutral +Ours May Have a Trouser Problem , But Yours Is a No one knew quite what to do with Yeltsin 's thrice-repeated warning that an American attack on Baghdad would bring on World War III . Yeltsin warned about the grave consequences of an American attack . entailment +Many low-budget guest houses have bulletin boards where trekkers leave messages for friends or advertise for trekking companions . Trekkers usually leave messages for their mothers . neutral +I have come into money , and the shock has been too much for me ! I have come into money , and the shock may never wear off . neutral +and i took guitar lessons i think for one or two years and uh that was about the same time i was taking piano and then i got too busy in high school to really keep up with it between homework I refused to take any instrument lessons . contradictory +do the weights Do not use the weights . contradictory +They 'd got the oilskin packet with the blanks , and they were just mad ! They were angry after they got the package . entailment +The estimated cost to the government ( and benefit to veterans disabled as a result of VA hospitalization , medical or surgical treatment ) is $ 166 . This is a small amount . neutral +no i had to press one I didn 't have to press anything . contradictory +In 1965 came the famous Moynihan report on the condition of black families . African American families were the subject of the Moynihan report . entailment +It 's so difficult you see , if I 'm wrong oh , it would be dreadful . She made a grimace at the unconscious Jane . She thinks it would be terrible if she is wrong . entailment +The seventh century El Moallaqah or The Hanging Church gets its name from its location it was built between two towers of the Roman gate and claims to be the oldest church in Egypt as its foundations date from the fourth century . The constructions in ancient Egypt were made with great struggle in hundreds of years . neutral +9 . INVERSE PRICE CAPS 9 Inward caps on price . entailment +very inconvenient and um it 's just you know hasn 't been very practical to get into a lot of those things if they would make it something where they you know would pick it up at the curb or at least make it you know down the street and up the corner type of thing uh They have to think of ways to make it convenient for people to do this . entailment +but i had another career first and then came to TI a little later TI is my second and final career . neutral +well there 's two things that drive that up here one is we is the lack of good service people There are there things that drive it up here . contradictory +that has become a symbol of Nikko , the logo on virtually every souvenir . It isn 't the symbol of Nikko , is it ? contradictory +Was Jordan slipping ? I wonder if Jordan was laughing . contradictory +You always told me that . You never told me that . contradictory +And , if there were , they wouldn 't give ' em to me . They wouldn 't give me any even if there was some to give entailment +well it 's it 's a real mixed um feeling about it uh it 's really good that we did well and that uh i didn 't expect that we would do well at all neutral +What is the trouble ? I asked . I did not bother justifying my actions . contradictory +Near the pleasant seaside village of Sainte-Anne farther east is what is generally considered to be Guadeloupe 's best beach . There are no beaches in the village in Sainte Anne . contradictory +The user may prefer to sacrifice in-depth information for generalizability and we will have to use other methods , such as surveys or secondary analysis of existing data . The user can prefer to sacrifice general information for more in-depth information . contradictory +There 's also a direct bus to this point from the Shinjuku bus terminal in Tokyo that takes about two and a half hours . Shinjuku bus terminal is the busiest station in Tokyo City . neutral +yeah also uh uh Mexico that we will loan the money in uh a lot of the higher the higher people were just stealing it and building these beautiful homes and nice ranches and things so we are we 're suckers The loans all went to the intended recipients and no funds were misused . contradictory +The others , with the possible exception of the bearded German , merely used it as a rendezvous . The bearded German knew more than the others . neutral +APHIS estimates that the importation of pork from Sonora could cause U.S. pork producers to lose from 5 to 10 cents per pound ( liveweight ) but could save consumers from 7 to 16 cents per pound ( retail weight ) . Consumers would not be affected if pork was imported from Somora . contradictory +Managers generally welcomed their new authority to make spending , personnel , and operational decisions that had formerly been made by central authorities . The managers ' new authority had been delegated no decisions and the central authorities carried on to make them . contradictory +Under this initiative , the administration will establish a baseline of the extent of erroneous payments and require agencies to include , in their fiscal year 2003 budget submissions , information on erroneous payment rates , including actual and target rates , where available , for benefit and assistance programs over $ 2 billion . The administration will require agencies to include in their 1903 fiscal budget submissions information on hiring rates . contradictory +This is contrary to the conclusion that we have drawn in Section 3 . This is a juxtaposition to what we have written . entailment +Lessons and crosecountry riding are offered by the Associacao H ? ­ pica da Madeira ( Quinta Vale Pires , Caminho dos Pretos , Sao Goncalo ; Tel . 291 / 792 582 ) , just outside Funchal . Riding lessons can be attended at Associacao H ? ­ pica da Madeira entailment +Chapter 1 introduces the purpose of the guide , explains its essential concepts and techniques , and provides direction in tailoring the guide for use on specific assignments . The guide is explained in chapter 1 . entailment +He 's good stuff , too served in the cavalry .... Kells studied the young man by the mule . He was never a soldier . contradictory +Considered one of the greatest architectural achievements of the Ancient Egyptians , the temple complex at Abu Simbel is also one of the most famous . The temple complex at Abu Simbel is most people 's favorite temple . neutral +Prior to that , an attempt in the 1960s had failed because the patient 's body rejected the new hand as foreign tissue . There was an attempt made in the 1960 's but it was not successful . entailment +so but i 've been at it for you know five years so everything 's changed so much i probably couldn 't even get a job right now it seems like it 's changed so much so you know they 've made such advances in computers so I could definitely get work today . contradictory +you know what i mean because but i do in to a degree there 's also not a day to day occurrence it 's not that often that they come by but i 've notice it 's kind of gone down before when we first moved here it was pretty often but i 've noticed that though they really work in the day and you very rarely see them in the evening because the men are home and so I don 't see them as much as I used to . entailment +Today there is little to see , apart from the remains of Peter 's House ( the veracity of which can neither be proved nor disproved ) and a ruined second- to third-century synagogue . Most people who come to the area only stay for one day to see Peter 's House . neutral +I 've written to Mr. Carter about it , " she added , and told him the gist of her letter . She wrote a letter to Mr. Carter . entailment +type thing where they 're trying to you know you 're always sitting there trying to guess at the end of the show you know and they always have the verdicts you know and you 're always trying to out guess is he going to be guilty or innocent or whatever and they always put you know twists and turns twists You try and guess what the verdict will be . entailment +The nanny case jibes perfectly with Scheck 's obsession . Scheck 's obsessiveness jives perfectly with the case of the nanny . entailment +Beyond their impacts as separate emissions , SO2 , NOx , and mercury together contribute to many air pollution-related problems affecting human health and the environment . Air pollution has many adverse health effects in humans . entailment +Near the ducal tombs is Rogier van der Weyden 's portrait of the third great duke , Philippe le Bon , with the Golden Fleece ' the emblem of the chivalrous order that he founded in 1429 . The portrait of Philippe le Bon was removed from near the ducal tombs and put in a museum . contradictory +On my machine I can claim only a week of running without restarting , but that is pretty darn good . I know most computers slow down considerably if kept on for over 48 hours . neutral +Sports writers mercilessly scrutinized Robinson 's errors in the game ( notably , getting burned on an 80 yard touchdown pass ) and partly blamed the Falcons ' sloppy performance ( several muffed touchdown opportunities and four second-half turnovers ) on the attendant dismay and distraction . Robinson 's errors weren 't overlooked by sports journalists . entailment +, is a federal subsidy program , the stated purpose of which is to provid [ e ] financial support for legal assistance in noncriminal proceedings or matters to persons financially unable to afford legal assistance . Federal funds go to pay for legal assistance for the poor as long as they are noncriminals . neutral +2 . If more than one investigator collected the data , Only one investigator collects data . contradictory +Mrs. Cavendish administered a safe , but effectual , narcotic to both Mrs. Inglethorp and Mademoiselle Cynthia . Mrs. Inglethorp gave the narcotic to Mademoiselle Cynthia . contradictory +Their history has been a constant quest for national a conflict between strong regional loyalties and central authority . Their history is a constant quest for peace between central authority and regional loyalty who get along very well . contradictory +During that period , competing plans called for it to be a bank , a railroad station , and an additional memorial to Napoleon and his armies . There were several plans for what it should become . entailment +If country A has twice as many inhabitants as country B , then the slope and intercept of A 's cost function will be twice as large as the slope and intercept of B 's cost function . Slope and intercept are not related to population . contradictory +The blackguard ! I cried indignantly . I yelled out " The Blackguard ! " . entailment +While we may enjoy annual surpluses for some time , longterm projections show a resumption of a pattern of deficits emerging after the anticipated demographic tidal wave hits . Demographic shifts will have significant budgetary effects . entailment +It 's been done , an ' is bein ' done all th ' time . It 's being done all the time just as it has been done . entailment +Of course , with airstrikes on Iraq , U.S. embassies on alert for terrorist attacks , and an impeachment vote looming on the Hill , you may just want to keep the set tuned to CNN . There are no airstrikes on Iran . contradictory +While various models for structuring such a position could be used , one option would be to have a COO who is appointed , subject to Senate confirmation , to a term of 5 to 7 years ( generally considered to be the minimum time needed for major change initiatives to provide meaningful and sustainable results ) . The COO is elected . contradictory +Quite simply , my book asks whether it was attained with or without the benefit of accurate clinical observation , defensible drawing of inferences , and encouraging therapeutic results . My book asks no questions on how the information was gathered . contradictory +Greuze raised an eyebrow . Greuze had the most confident look on his face any of us had ever seen . contradictory +For something different , look for Roman glass jewellery or fashionable filigreed Yemenite earrings and necklaces ( in Jerusalem , Jaffa , and other places that are craft-oriented ) . The different types of jewelry are becoming fashionable . neutral +right right well i tell you what ever since then i found a station that uh uh pretty close to our house that you know the guy is pretty lenient on the inspection stickers so uh he 's definitely going to get my business i tell you but uh There is a service station near my house that is lenient on vehicle inspections , I will likely go there a lot . entailment +To fill the gap in missing FPA rates , the Commission calculated an extra ounce rate between the two highest weight intervals for which there were rates . The commission calculated a rate that 's between the two highest weight intervals . entailment +Its principal scandal reporter , Ambrose Evans-Pritchard , has published lots of stories on the suicide . Someone has been publishing stories on a suicide . entailment +You 'll never look at a flute the same way again . The flute will sound very different when you hear it now . neutral +This museum of ancient art focuses on Buddhist statues and sculptural styles from around 600 through the Middle Ages . This museum focuses on war artifacts from World War I and World War II . contradictory +Biskind 's book , accordingly , concludes with a litany of spectacular Coppola 's Apocalypse Now and One From the Heart , Spielberg 's 1941 , William Friedkin 's Sorcerer , and , of course , Michael Cimino 's Heaven 's Gate . According to Mardik Martin , Scorsese 's erstwhile writing partner ( as quoted by Biskind ) : The auteur theory killed all these people . Michael C Dimino was inspired by William Friedkin to write Heaven 's Gate . neutral +He began to look like a teenager , and the family forbade him to go to work . He looked like a young child . contradictory +White and I immediately leapt for the broken consoles . White and I sat down and had coffee . contradictory +improvement initiatives into programmatic decisions , planning to chart the direction the improvements will take , employee involvement in the change efforts , organizational realignment to streamline operations and clarify accountability , and congressional involvement and oversight . The direction of the improvements will not be planned before implementation . contradictory +It will be part of a coordinated web information delivery strategy involving the courts and broad range of non-traditional partners . The delivery strategy involves courts and a range of other more obscure partners . entailment +As previously mentioned , the e-rate discount won 't cover any portion of the hardware bill either , leaving the local community responsible for PCs , modems , and training for teachers and supervisors . The local community will be responsible for all hardware and training costs . entailment +yes sir have a great day bye-bye I hope you have a nice evening . neutral +9 , is not one of Beethoven 's more inspired creations . 9 , is not one of Beethoven 's most inspired creations due to it 's monotony . neutral +Michael Lewis is a breath of fresh air in his Dispatches on the Microsoft case . Michael Lewis refreshed the topic in his Dispatches on the Microsoft case , said the lawyer . neutral +The analysis estimates that the one-time costs of the rule to be about $ 58 million with annual recurring costs of about $ 11 . The goal will cost less than five hundred dollars to implement . contradictory +Exhibits A-1 and A-2 in Appendix A depict the timelines typical to complete a single absorber module and a three absorber-module installation of FGD , respectively . The time that it takes for a single absorber module to be completed is depicted in Exhibits A-1 and A-2 . entailment +I 'll give him th ' sign to rattle th ' pans . You 'll give him the sign and I 'll rattle the pans . contradictory +leadership succession , but will continue to adhere to the core vision and values embedded in the community in ways that ensure the highest degree of relevancy to the increasingly diverse communities of clients in need of equal justice services . The communities in need of equal justice services are becoming more and more diverse . entailment +Whatever the case , I 'll know India has finally risen from Third World status when I go back to visit my relatives and the first few words they say are not Eat , eat , skinny boy . Talking too much about food is a sign of poverty . neutral +You 'll find handsome polished cedarwood cups , bowls , trays , and masks as well as kitsch renditions of the tame deer that loiter lazily around the island 's major tourist attractions , waiting ( sometimes impatiently ) for a free snack from yet another fascinated visitor . There are deer around the island that scare off the tourists . contradictory +No Gods , said the horror in front of them . They knew god had a plan , even if it looked terrible . contradictory +It could be very confusing . It is always clear and easy to understand . contradictory +What matters most for China 's struggling Christians is not where religious freedom ranks on some abstract scale of good and bad . Christians residing in China are not concerned with measurements of right versus wrong . entailment +( In 1949 , you could get a four-room Cape Cod cottage for under $ 8,000 . ) Any real estate outside of Cape Cod in 1949 cost well above $ 8,000 . neutral +oh yeah oh no he no he 's he 's heavy into Japanese culture I don 't like that he 's so into Japanese culture . neutral +Alcohol concentration The concentration of alcohol in the blood sample . neutral +The Commission received comments on the proposed rule from 45 commenters . The Commission received no comments concerning the proposed rule . contradictory +The populace is an engaging stew of dark North African complexions and blonde , blue-eyed northern Europeans . You will only find people of North African descent among the population , so you don 't see anyone with blue eyes . contradictory +Jon , at least , might offer that . It might be offered by Jon . entailment +Lower down in the verbiage , Amazon concedes , Though we have tried hard to make this form easy to use , we know that it can be quite confusing the first time . Amazon tried to make it easy to use . entailment +Yeltsin , in failing health , has lost the confidence of foreign investors . Yeltsin has perfect health . contradictory +and the the waitress never once came behind me um um on our side of the table she reached across the table she never once asked if we wanted coffee we had to grab onto someone else they didn 't I believe the waitress was avoiding us on purpose because she doesn 't like tips . neutral +yeah and uh so that 's been kind and our darkroom is very we have a darkroom but it 's very dusty We have a dusty darkroom for photo development . neutral +The United States owes more than $ 1 billion in U.N. peacekeeping dues . The United States must pay off it 's peacekeeping debt before the end of the year . neutral +You have different information ) . You might have been lied to with that information . neutral +The Mus ? ? e Picasso at 5 Rue de Thorigny in the Marais ( m ? ? tro Saint-Paul ) has received more than 200 paintings and 158 sculptures , in addition to hundreds of drawings , engravings , ceramics , and models for theater d ? ? cors and costumes . The Museum de Picasso is home to more than 350 famous artworks . entailment +because you have to you have to show they knowingly did it They did it in ignorance so why would you blame them ? contradictory +In one picture , Randall is flat on his back , with the infant next to him and the toddler on his chest . Randall is alone . contradictory +The development of new service approaches and the enhancement of old ones in this new information era require the active participation of information management organizations from the beginning . The information management organizations are unnecessary in developing new programs . contradictory +On the A world in which increasing returns are prevalent is one in which markets are likely to get it wrong . The A world shows how markets are likely to make a mistake . entailment +Trying to summon and express good judgment may be next to impossible--even good judgment about what will sell . The easiest and best way to resolve this is through a good judgement that is possible . contradictory +yeah well i think that would be real interesting for people to do but i guess my concern about that would be the cost involved trying to train people in a new language and ship them you know to other countries and I wonder how much money it will take to teach a new language and transport people to other countries entailment +I sat slumped in padded leather , trying to keep my brooding subtle . I was trying to keep my brooding subtle . entailment +The Times chooses its lead story with exacting care and great pride , seeking input from every department . Every department got to weigh in on the choice of the lead story . entailment +The more circuitous road between Ibiza and Sant Antoni runs in sight of Sant Agusten . There are three roads that go between Ibiza and Sant Antoni . neutral +That would hardly be possible , said Sir James gravely . Sir James said that it was likely impossible . entailment +AcroseHigh Street you will find the old Royal Exchange , built in the 1750s , which was taken over by the town council for Edinburgh 's CityChambers in 1811 . The Royal Exchange was never taken over for any purpose . contradictory +three cats um i have a Bombay a Turkish Van and a Himalayan Persian I got all my cats at the same time . neutral +what do you do in your garden and i 'll go nothing what is should i do but anyway i guess that 's about it though it sounds like we 've covered all the bases so i guess we 'll let you go and um do you have anything else you wanted to say I guess we 've covered all the bases about my yard , I 'll you go . neutral +We use electronic ones now , but the results are the same . " " I understand , " Sather Karf said . There will be a different outcome with the electronic ones . contradictory +i 've lived here all my life and i worked uh i 've been with uh TI fifteen years ten of it in in Texas five years up here I never wanted to move out of this place . neutral +By asking strategic and operational questions at the beginning of the planning and evaluation period , senior managers gain a better understanding of the potential benefits and value of IT . Asking questions during the evaluative period is sure to confuse senior managers even more . contradictory +yep that happens a lot too It tends to happen often . entailment +Its ramparts , built and rebuilt from the 12th to the 18th centuries , make a bracing walk , with the stretch between the Saint-Philippe bastion and the Tour Bidouane opening up a vista along the whole Emerald Coast . The ramparts built up a wall between the two villages . neutral +Compiygne There are great sights to see in Compiygne . neutral +The coast road takes you west to Pointe du Grouin , a cliff 40 m ( 130 ft ) high , with a spectacular view of the Chausey Islands to the north and to Saint-Malo , a town steeped in seafaring history ; its sailors left their name as far afield as the Malouines , claimed by the British as the Falkland Islands . There is a famous resort located on Chausey island , despite it 's rocky beaches . neutral +One Roseburg attorney is doing her best to refute the cultural stereotype , however . This Attorney works quite infrequently . neutral +One of the few remaining ways to obtain a coveted downward departure--a sentence below the official range--is through cooperation with the government . In Lewinsky 's case , lawyer Ginsburg , rather than turning state 's evidence after indictment , is asking for immunity--a guarantee that his client will never face charges at all . Ginsburg has given up on his client . contradictory +Diaz does not quote , at full embarrassing length , Ellis ' explanation that he got mixed up with the wrong folk because one of them was like a brother to me . Ellis got mixed up with the wrong folk . entailment +So by giving the president a sufficiently diversified portfolio--some ranch land in Wyoming , a bit of California coastline , a few blocks in the South Bronx , a hill in Tennessee--we can ensure that the nation 's interests and his personal interests coincide . The president 's portfolio may have been diversified , but it was still only showing interests of his own . contradictory +And don 't forget to floss . Forget about flossing . contradictory +But so too would it be a good idea to discourage driving through higher tolls , pricier gas , and better public transportation . Expanding public transportation may be a good solution to the rising costs of driving personal vehicles . neutral +There are , however , benefits to having a government postal service , in addition to the uniform rates and special rate structures . Government postal services cause a lot of problems for consumers . contradictory +The planetary target was a huge one for an oxygen-water world . The target was really quite small for an oxygen-water world . contradictory +In addition , some organizations used e-mail to communicate less sensitive information to the entire membership . In addition to this some organizations used e-mail to communicate non-sensitive information and funny videos to their memberships . neutral +Leading commercial companies do not make significant investments to continue a product development or its production until they have knowledge that the product 's design works and it can be manufactured efficiently within cost and schedule expectations . Companies do not invest in new products unless they know there is money that can be made from them . entailment +1.1 The use of the statistical methods described in this manual for routine data analysis does not require the assistance of a statistician . The methods in the manual are easy for everyone to understand . neutral +It 's an opportunity to do the kind of work I 'm doing now - which is advocating for victims of domestic violence - in my own backyard , Levesh , who served for a time on HAWC 's board , said . It 's an opportunity to advocate for victims of domestic violence who do not generally get advocated for .. neutral +Of course , the limits of television broadcasting prevent me from presenting a shred of evidence to support them . Television broadcast limits kept me from showing my evidence . entailment +Suddenly she uttered a cry . Without warning , she broke into tears . neutral +yeah oh that oh man i i couldn 't be a cop for that for that very reason you know because they do the the criminal gets right back out and you know the cop 's just got to go back and and do his thing all over again because so many of the crimes are are done by repeat offenders it 's If a person has been in prison , it is impossible for them to commit another crime . contradictory +Supposing a parcel arrived addressed to Mr. Lawrence Cavendish , and afterwards it disappeared , should you remark its absence ? I 'm not mentioning yes or no , this whole conversation is dumb . contradictory +i haven 't seen that one yet I have not had the chance to see that one yet . neutral +Johnson encouraged Kennedy to run and promised to do whatever he could to help him . Johnson broke his promise about helping Kennedy . neutral +would i swim that river every night twice if that 's what it took you know i don 't care whatever it would take i have real sympathy for those people i really do and you can Swimming that river twice at night is a dangerous thing . neutral +no i 'm a i 'm a student here um yeah i think we should adopt it i i think we 're a little bit backward as far as the rest of the world 's concerned I think the US is backwards compared to the rest of the world . neutral +The Lake District for Children There is a lake district for kids . entailment +the whole Roosevelt administration was uh civilian conservation corps he because he was in it he thought that was great the rest of it was all hog wash but the that was great The whole Roosevelt administration was over 100 years ago neutral +So that brings us down to it again . That led us further into the muddle . contradictory +or even if he just through years of being on the bench just becomes uh out of touch with uh the population and he only sees the bad side of life so much that he just ends up making bad decisions however the complexity of some of these uh cases it 's just they spend more time educating the jury up to the point where they can make a decision He sees the good in everything . contradictory +As a technical matter , it should be noted up front that there is no requirement that the mailer or the competitor really perform any particular piece of work , only that the mail be presented so that the postal service2 does not have to do that piece of work . Mailer or competitors are required to perform all particular pieces of work . contradictory +they don 't it just looks so much better when it 's up against the house tiered up Tiered flower gardens look better than regular gardens so I 'd like to build them . neutral +Thursday 's celebration was the first public even held at the courthouse . They did not celebrate . contradictory +The Commission indicates that it gave full consideration to the comments filed by the parties . Each party was reviewed separately . neutral +Out of the way beaches where you can find some solitude tend to lie down narrow tortuous roads in remote parts of the island . The speed limit on the island 's roads is 50mph . neutral +Bullets fly but don 't hit anybody . There were gunshots but no one was hurt . entailment +The staff can introduce you to 19 of the over 150 breeds of sheep . The staff know a few of the breeds . neutral +Only the last source , however , may relate to the asset 's productive capacity . The first source will relate to the asset 's productive capacity . contradictory +i know it was kind of funny because i wasn 't from Colorado I was visiting Colorado . neutral +yeah and the yeah there 's just everyday you hear on the news of another one like that um Every few days , you hear about another one on the news . neutral +The Crusaders set up their own kingdom in Jerusalem and began another Crusade to gain more of the Holy Land . Jerusalem was home of the Crusaders , who had their own land . entailment +You can join the Japanese visitors down at the Isuzu River , where they perform a rite of purification by washing their mouths with its clear , fresh waters . The purification rite of the Isuzu River has been performed for hundreds of years . neutral +Said I was foolishly proud . My pride was well placed . contradictory +It 's the same as regular five-card stud , with the machine acting as dealer . The game is not similar to five-card stud at all . contradictory +As it is , advocates say the 110,000 Marylanders they reach probably are no more than 20 percent of those in need . There may be over 550,000 Marylanders who are in need . entailment +yeah yeah yeah yeah um-hum because there 's Yeah for sure . entailment +It 's a good town for walking the narrow streets , or for taking a boat cruise on the river Ill , which divides into two branches to loop the historic center . The river Ill offers boat cruises . entailment +There was nothing said about romance and beauteous Indian maids , but Dave filled that in himself . All the details about the maids were already present . contradictory +An active government cultural policy in recent years has ? ­ preserved the architectural monuments of the national patrimony from the ravages of time , weather , war , revolution , and urban development . The government is currently and always has been , inactive . contradictory +well i guess we 'll just say good-bye then Then , I guess let 's say good-bye . entailment +And if we can continue at this superb rate of growth after there are no more trees to cut , couldn 't we continue with this rate of growth by stopping the cutting now ? The growth will only be sustained if there are trees left . contradictory +right so uh but i i feel that uh a lot of people have gotten lazy about voting Lots of people tend not to vote . entailment +Your mother keeps well ? I asked . Your mother isn 't well ? contradictory +that 's good i 've noticed on the like the department stores they sure do hate it when you pay double payments Department stores prefer you to pay more than the minimum amount . contradictory +For sailing lessons , the Escuela Nacional de Vela de Calanova ( National Sailing School ) offers intensive beginners ' courses ( Avda . There are no courses for beginners at the Escuela Nacional de Vela de Calanova . contradictory +Journal of Research in Science Teaching The journal was based on teaching liberal arts . contradictory +uh you know being uh i mean by the time you get off work go by and pick up the uh baby from the baby sitter it 's you know after six and by the time everything is settled in it 's ten o 'clock before i can catch up on anything I pick my kid up by 3pm contradictory +well what what kind of weather are you having right now It 's raining there at the moment . neutral +The challenge is to make taxes more efficient without making them too easy to raise . They secretly wanted to increase taxes . neutral +Sixty-four additional statuettes carved into the structure represent characters from Scott 's books . The additional statuettes can be found at the library 's entrance hall . neutral +Where the palazzo joins the basilica 's southernmost flank is the Porta della Carta ( Gate of the Paper , where the doge posted his decrees and scribes gathered ) . Paper messages were posted on the Porta della Carta by anyone who wished to convey information . neutral +Then the other screams began to decrease in numbers and weaken in volume , and he knew that the slaves were dying . Then the screams began to get louder and increase in number . contradictory +For hiking in Pasadena 's Eaton Canyon , call the Nature Ceter at ( 626 ) 398-5420 . You can call the nature center if you want to hike in Eaton Canyon and they will make an appointment and give you a permit . neutral +He came out at dusk , walking tall and pulling down the corner of his leather three-corner hat . He pushed off his hat . contradictory +we got to look around here find out if there 's anything like that around here We have to look to see if there 's something like that near here . entailment +Said Ken Bode ( Washington Week in Review ) : We 're going to skip [ this week on WWIR ] the possibility of Monica Lewinsky testifying at Linda Tripp 's trial and--blah , blah , blah--for this week , and I think our viewers probably will be happy to hear that we are going to skip it . Linda Tripp is testifying this week . contradictory +News says the death of JFK Jr. seemed almost ordained . News says JFK Jr . ' s suicide was planned . contradictory +The one to the joint venture ? The one to the solo operation ? contradictory +i 've always kind of enjoyed it i i used to read a lot more than i do now I 've always enjoyed reading crime novels , I used to read them a lot more than I do now . neutral +If you continue to the end of the promenade , you will be in Tsim Sha Tsui East , a busy commercial district built on more than 60 hectares ( 150 acres ) of reclaimed land . A commercial district built on more than one million acres of reclaimed land . contradictory +'But they don 't just want a body ! ' I insisted . They want more than a body . entailment +But his defenses of natural selection sometimes lend it more power than it really has . Natural selection has power without bounds of any kind . contradictory +Now they 're risking that present for an Ozymandian future , at the cost of billions of dollars . They 're risking at the cost of billions of dollars , I wouldn 't do it . neutral +The Old One always comforted Ca 'daan , except today . Today the Old One was too tired to comfort Ca 'daan . neutral +you probably don 't want to take them to see Silence Of The Lambs it 's it 's not it 's not too cool for kids It 's probably best not to take kids to see Silence Of The Lambs . entailment +Window-shopping reveals surprises Swiss watches , Indian saris , Balinese sarongs , German crystal , and more . Looking at displays in store windows shows things like watches , exotic clothing and crystal . entailment +It 's not surprising that the highest number of business licenses in Beverly Hills are issued to gardeners . Gardeners have the highest amount of business licenses issued to them in Beverly Hills . entailment +We also require adequate supervisory control through such means as prompt review of workpapers . We have no need to retain any supervisory activity regarding the workpapers . contradictory +Prudie hopes your children outgrow their need to shock and that you can enjoy visits in each other 's homes soon . Prudie said they should all cut ties and never speak again . contradictory +Aside from the large U.S. budgetary commitment to the treaty 's enforcement--some $ 25 million a year--U.S. Aside from the large U.S. budgetary commitment to the treaty 's enforcement they have also sent the military . neutral +However , the failure of many to withstand the powerful 1995 Hanshin earthquake that struck the Kobe area exposed the inadequacy of many construction methods and standards . The Hanshin earthquake was easily withstood by buildings in the area . contradictory +yeah they ask you a lot of they ask you a lot of personal questions and they yep and you know they and they just keep talking to you too i i i find that a big pain yeah i think I don 't care for all of their personal questions . entailment +oh well thanks and i guess i we 've we 've been on long enough so you have a good day all right bye-bye It 's been over half an hour since we started talking . neutral +and and sort of made a decision as we were walking me and a friend of mine were walking over to campus uh to to sign up for our majors it was just sort of an off the wall decision We decided our majors right then and there . neutral +Services ( WMLS ) from near collapse . The services were close to collapsing . entailment +Detailed guidelines are an important supplement to the official policies because they educate users and serve as an awareness tool . Detailed guidelines educate our users . entailment +The man will be out of the country by then . The man plans to leave the country in the foreseeable future . entailment +Let the taxi driver worry about that , while you admire the magnificent scenery changing from lowland mangrove , bamboo , and palms , to denser rainforest of lush greenery and , as the heat drops away to the more comfortable mountain air , montane oaks and laurels familiar to temperate climates . You should allow the driver to be concerned about that . entailment +oh boy i saw i i was up there on business uh last June and watched a game in the sky dome it was just phenomenal that 's that 's probably the pattern for the future of stadiums i think I was there on business and saw a game in the sky dome when it was sold out . neutral +His next proceeding was to take out a little notebook . He took out a cloth . contradictory +While they sound similar , the two principles are extremely different . The two principles take a very long time to learn . neutral +We had reached the exact centre of the train- the Dining Cart . We never reached the centre of the train . contradictory +Edinburgh became known as the Athens of the North for both its aesthetic beauty and its wealth of talented individuals . Edinburgh is known as the Athens of the North , it was given this name by tourists . neutral +physically present in the United States at some point . Crossed the Canadian border without documentation . neutral +'We 'll never make it through all of this ! ' I shouted . I didn 't think we would make it through . entailment +And , once 's he caught , you 'll be out of danger . " A terrified look swept across Mrs. Vandemeyer 's face . It was said to Mrs. Vandemeyer that she will still be in danger even if he is caught . contradictory +It was quite nice . It was pleasant . entailment +Arendt 's conception of the public was phrased in quasimilitaristic language almost expressly designed to irritate feminists ( it didn 't , but only because they had stopped listening ) . they had stopped listening . entailment +No use crying over spilt milk , you know . We can 't change the passed , so we shouldn 't be bothered by it . neutral +JoseRibera ( c.1591 1652 ) spent much of his life in Italy , where the Valencia-born artist was known as lo Spagnoletto ( the little Spaniard ) . Ribera hails from Germany . contradictory +as soon as we determine what we 're going to do with Contel after we bought Contel We bought Contel in July last year . neutral +The resort 's casino is Malaysia 's only such legal gambling house , with strict dress codes requiring men to wear ties or long-sleeved batik shirts . The resort specializes in annual , high-stakes poker tournaments . neutral +Ah , yes , tell him to come in , of course . Tell him to come in . entailment +In some cases , facility owners may choose to retrofit their plants with both SCR and FGD technology to achieve both NOX and SO2 reduction . There is no way to reduce SO2 levels after a facility has been built . contradictory +my husband 's sitting here putting four fingers in my face four uh My husband is putting his fingers in my face and I am getting very annoyed . neutral +The minarets that you see in the foreground belong to two important Islamic buildings . There are two important buildings with minarets nearby . entailment +In accordance with their prearranged plan , she never spoke to Alfred Inglethorp . There were previous plans that were made . neutral +Legal Aid now offers some of the most creative services for legal aid found across the country , said Michael A. Millemann , a law professor at the University of Maryland and a former deputy director of the Multnomah County , Ore . , Legal Aid Service . Michael Millemann teaches history at Notre Dame . contradictory +Renewed pride in France 's provincial cities is reducing this trend , but Paris retains its aura of superiority ' and its lack of a distinctive cuisine . People are proud of their small cities , but they still feel inferior to Paris . neutral +b ) Damaged and endangered the presidency for the sake of casual sex . The party has been less than thrilled with the damage done to the presidency . neutral +The Ainu , an ethnically distinct community regarded by anthropologists as the islands ' original settlers and now grouped almost exclusively in Hokkaido , campaign for civil rights in a movement similar to that of Native Americans in the US . The original settlers of Japan have no modern lineage . contradictory +in only a couple of hours usually what we use them for now is to transport between school and and uh the day care center and have them wait there just long enough for me to get off work and go pick them up They transport between school and daycare on big yellow buses . neutral +You are on target with your suggestion . Your suggestion was unhelpful and off target . contradictory +Just south of the cafe-ringed Piazza della Repubblica is the covered Mercato Nuovo , a 16th-century loggia once called the Straw Market because of the straw products for which Florence was known . There are a lot of cafes on the Piazza della Repubblica . entailment +The staff can introduce you to 19 of the over 150 breeds of sheep . The staff will not introduce you to the sheep . contradictory +He bought several Strip properties the Silver Slipper and Castaways among them and demolished them to make way for a new kind of resort Mirage which became an instant success . After buying some properties , he leveled them and replaced them with a much more successful type of resort . entailment +The last monarch to spend a night in the palace was Charles I , in 1633 . Charles I stayed in the palace in 1633 . entailment +CONDITION -The physical state of an asset . The asset 's physical state is its condition entailment +Is she your daughter ? said Ca 'daan . Ca 'daan already knows if she is your daughter or not . contradictory +Residential stability is extremely important for children . Children need to be in homes that are free from instability . neutral +capital murder capital murder of an elderly man neutral +That was Rennie 's Range cultivated fields , fruit orchards , manadas of fine horses . Rennie had lots of fields and orchards . entailment +and at the age of thirty two i think it was his um heart was that of a fourteen year old I think at the age of 14 he had the heart of a 32 year old . contradictory +You will hear it everywhere . You are going to hear it wherever you go . entailment +This was going to work . This would fail . contradictory +Microsoft spokesmen simultaneously profess 1 ) reluctance at being forced to stoop to lobbying and 2 ) chagrin at having done so belatedly . Microsoft spokesmen do not approve of lobbying , and do not enjoy having to do so . neutral +Glavya is a blend of whisky , herbal oils , honey , and sugar . Glavya is a non-alcoholic drink that many enjoy . contradictory +Y 'all always do the same , says the white mayor of 60 percent black Selma , Ala . , at the end of their interview . You behave the same way , said the major . entailment +and uh we let him fly around the house and the dog being a Golden Retriever he he pays close attention whenever that bird is flying around The bird is a parakeet . neutral +Because I know something that puts me in a position to propose a bargain . " I have information that gives me the right to bargain . entailment +Together , we can make the world the better place it was supposed to be . If everyone works together we can make the world better . neutral +Dozens of whipmasters lay dead or dying . Many whipmasters were dying . entailment +The added spending covers all sectors including buildings , industry , transportation , and electric generation . Spending covers all sectors it has been added , according to the news . neutral +Weeks after cover stories in Rolling Stone and Spin , the newsweeklies catch up with the hit animated TV show South Park . Newsweek ' s cover story argues that South Park successfully balances crudity ( singing , dancing stool samples ) with inspired lunacy and sweetness ( naive 9-year-olds ) . South Park is considered a successful show . entailment +On the lower slopes of the Garden of Gethsemane , leading to the Jericho Road , is the Basilica of the Agony , also called the Church of All Nations . The Basilica of the Agony is far away from the lower slopes of the Garden of Gethsemane . contradictory +Emission caps will be set to account for different air quality needs in the East and the West . Emission caps cause differences in air quality across the Nation . entailment +oh so it was still a lot cheaper This one is just cheaper . entailment +The obits fail to clear up an abiding Why did Kam Fong play ' Chin Ho ' ? No one knows why Fam Kong played " Chin Ho " despite the low pay . neutral +But others think the lawsuit is a mistake . 75 % of people think the lawsuit is a mistake . neutral +The French mock the British , the British mock the French , the Serbs kill the Albanians , the Albanians kill the Serbs--ah , that crazy regional humor . Another example are the Indians cursing the Pakistanis and the Pakistanis cursing the Indians . neutral +Although it was later enclosed within the Theodosian Walls , the name stuck . People kept calling it by its old name because they liked it better than the new name . neutral +Boats set sail from Trois-Riviyres ( 48 km / 30 miles from Pointe Pitre ) , Basse-Terre , and Pointe Pitre . Trois-Riviyres is thirty miles from Pointe Pitre , and serves as a launching point for sail boats . entailment +okay yeah on the other side of Amarillo yeah I live close to Amarillo . neutral +basically because because that 's where i came from and uh grew up following them as a kid I was born there , but I never followed them . contradictory +we 're uh two miles we 're between Indianapolis and Chicago on Interstate I sixty five and we 're just now being found by the north end of the state and getting a lot of We 're 10 miles between Indianapolis and Chicago . contradictory +For many facilities , injection of sorbent will occur after the air preheater and upstream of the ESP or FF . Sorbent is not used . contradictory +Figure 2 illustrates the six principles and their relationship with the three critical success factors and their respective organizational foci . As can be seen in Figure 2 , 6 principles used within 3 success factors and their main focus point , is seen . neutral +Thousands of daytrippers come here each year to enjoy its beaches and watersports ; there are also hotels for longer stays . Daytrippers come every year to enjoy water activities but there are also hotels available . entailment +However , these lakes remain susceptible to becoming chronically acidic if acid deposition increases . Acid deposition could make these lakes susceptible to becoming chronically acidic . entailment +We seek , through our strategic and annual planning process , to lead by example by being a model for implementation of GPRA . We refuse to be made an example out of . contradictory +The EPA Small Business Gateway also provides a link to environmental regulations and laws , including new regulations , proposed rules , important notices , and the regulatory agenda of future regulations . The EPA Small Business Gateway gives a link to environmental regulations that factories are supposed to follow . neutral +Stephane Mallarme actually did a bit of fashion reporting in the 1870s , some under the name of Mlle. Stephane Mallarme did fashion reporting in the 1870s under the name Mlle. entailment +The big one stepped up behind him and roughly wrapped an arm around the merchant 's throat . The large one stepped in behind him and wrapped his arm around the merchant 's throat , slipping his hand into the merchant 's pocket at the same time . neutral +And just like that Olek sold the company , the name and all rights to a big make-up corporation , and made a killing on the deal . Olek sold the whole company or $ 1billion . neutral +and i 'm not lucky enough to just go ahead and break it you know the things got to get fractured so that it never heals properly I have had many fractures before that never healed . neutral +Although the author stands prepared to answer questions on any topic , she is better qualified to share wisdom about morals and manners , what youth can learn from age , and macroeconomic policy than about how to get your brand-new , # $ # @ % and ! The writer is ready to respond to queries about anything . entailment +When Clinton denies asking Lewinsky to lie under oath about the affair , the stress analysis indicator skyrocketed to 100 . Clinton denies asking Lewinsky to service him . contradictory +The researcher must weigh the value of experiencing what it is like to be part of the culture against the hazard of internalizing the experience too fully , which can jeopardize the capacity to see the culture from many perspectives . The researcher needs to weigh the value of experiencing the culture against internalizing it too much because they they will lose all objectivity . neutral +That 's either a delusion of grandeur or an elevation of your own desire for satisfaction above the recipients ' need for food . The recipients all needed food badly . neutral +Our longterm projections illustrate the consequences for the federal budget , assuming that these trends continue . Our projections are just about the staffing issues , not the budget . contradictory +and um yeah Dallas is you know you can see some economic turnarounds but uh and i don 't think it will ever be back to what it was because it was you know it was really blowing and going there for a while But Houston will go back to being the way it was . neutral +We don 't understand the law about pesticides in the fields . We thought the law had conflicting statements . neutral +um-hum yeah i 'd like to see the the neighbors put some trees in the front yards anyway just to get something started I would appreciate it if the neighbors installed some trees in their front yards . entailment +Thus , there is a business incentive for any postal provider ( who is not simply a cream skimmer ) to offer universal service within the territories it serves . This motivation is related to increasing revenues and profits . neutral +It 's a hard sell , though . It would be difficult , but highly possible , to sell this product to the people , as they don 't seem to have much of an interest . neutral +Our review of both the interim and final rules and accompanying documentation suggests that appropriate consideration was given to this Executive Order . Our review of the rules is free of bias . neutral +He will give you ten shillings . " The handwriting was Tuppence 's . The money was desperately needed . neutral +Paid for by Bishop Everard of Norwich , for whom Fontenay was a refuge from the hostility of Henry II of England , the abbey church has a sober , unadorned beauty ' no bell ? ­ tower , as there were no distant faithful to be called to worship , but harmonious proportions in the interior , and fine acoustics because Saint Bernard was a great lover of music . Bishop Everard of Norwich spent a very large sum of money on the construction of the abbey church . neutral +Arkansas just uh they had a rough second half Arkansas had a hard time in the second half entailment +i was just wondering were you in SAC by any chance were you in SAC Were you in SAC ? entailment +Apaches , Kitchell , even bandidos from over the border , could be sniffing about the Range , eyeing its riches , ready to pick up anything left unprotected . There could be Apaches , Kitchell , or bandidos watching the range and waiting to grab anything left unprotected . entailment +Troubled Monica is an old Reporters needed a new angle for this round of Flytrap . Monica has been a reporter for 4 years . neutral +See appendix II for a detailed description of the modeling methodology . Appendix II has a lengthy and detailed description of the modeling methodology . neutral +The Clear Skies Act would reduce emissions of sulfur dioxide ( SO2 ) , nitrogen oxides ( NOx ) , and mercury from fossil fuel-fired combustion units by approximately 70 % from current levels . Emissions would be reduced greatly . entailment +Is it proper to make your bed in a hotel room at the end of your stay ? The cleaners prefer it if you don 't make your own bed in a hotel . neutral +Mostly you can see what it is when you look good an ' steady at th ' men who was ridin ' ' em ! " Drew laughed . For the most part , you can see what it is . entailment +Carryin ' a blood foal , I 'm thinkin ' . The blood foal was just born . neutral +If an agency does not retain such inhouse in Outsourcing Most or All resources and capabilities , agencies risk the following of Their Design Review All agencies are free to outsource their resources and capabilities because there are no risks . contradictory +That instinctive sense is the best guide we have to economic policy in every sphere . That instinctive sense is what we are born with . neutral +I 'll come at once . I sprang out of bed ; and , pulling on a dressing-gown , followed Lawrence along the passage and the gallery to the right wing of the house . I got out of bed and got ready to go quickly . entailment +Woolard noted that the effectiveness of screening , brief interventions , and referrals has been proven outside the emergency department , but not yet in the ED . Woolard says that screening , brief interventions and referrals are absolute useless whether they be in or outside of the emergency department . contradictory +uh this last tournament i was in i walked nine holes and almost dropped so i shared a cart They were kind enough to supply me with with a cart from the beginning of the tournament . contradictory +and uh but they didn 't didn 't occur to them that um that they could have taken a sample They couldn 't of taken a sample and they knew that . contradictory +If you plan to use a copper item for boiling water or cooking , make sure that it is tinned on the inside , as unlined copper can be slightly toxic . Unlined copper items don 't really pose a risk and the toxicity is quite overrated . contradictory +Now they admit this was wrong . They now admit this was wrong , but it 's too late . neutral +Sir James took in everything , but gave out only what he chose . Sir James had learned this habit from his days in the military . neutral +Madrid is the next rung down from heaven , so the boastful local saying goes , and the city 's residents claim their superiority in other terms . The residents have an interesting local saying . neutral +well i think it will be fun i 'm ready for baseball season to start It will definitely be fun when the baseball season begins . neutral +We could pay our presidents their salaries in land instead of in cash . The president currently makes a large salary . neutral +how how terrible that is yeah how terrible that is so we 'll have to we 'll have to keep our eyes on all that i guess i suppose we can forget about that issue now and focus on other things contradictory +that 's a fact That 's a truth . entailment +In automated systems , they are represented by what can be referred to generically as electronic signatures . Electronic signatures are used with automated systems . entailment +Unfortunately , it had been several months since I 'd last listened to common sense . I hadn 't listened to the common sense part of my brain since it told me not to leave . neutral +That thar mule likes t ' favor his stomach . The mule liked to eat . entailment +and it 's it 's not something that necessarily happens at school but just in their their uh relationships as they after school times and the like It doesn 't always happen at school , I guess , but I worry that it will and my kid will get hurt . neutral +In a broad sense , a cost object can be an organizational division , a function , task , product , service , or a customer . Tasks , products , and services are all examples of potential cost objects . entailment +Many also wish to be spared any guilt that might arise on that account--which is why Clinton and Blair are on to such a good thing with , We 'd love to do that , but it 's no longer feasible . It used to be possible , but it isn 't now . entailment +Before the expansion , only a few NLS lawyers spoke Asian languages , said attorney Rebecca Yee , who was hired by NLS in April 2002 to design and head the project . The head of the project since 2002 has been Rebecca Yee and she said that before the NLS was expanded , very few lawyers were capable of speaking Asian languages . entailment +that 's right you take pride in that and and get some some positive feedback from those who benefit besides yourself right , you feel proud when you look at something you built yourself neutral +Five forks guarantee real comfort , but the food will not necessarily be better than in a two-or three-fork establishment , just more expensive . Five fork restaurants may not have better food than a two or three fork restaurant , they are just more expensive . entailment +Sergeant , take those two men into custody . A jerk of the head indicated Drew and Anse . Arrest those two men , Sergeant . entailment +the me decade uh-huh The rise of millennials . neutral +Serbia Turns Down American Express American Express was turned down by Serbia entailment +In such a case , words would cease , to a degree , to be a medium for the exchange of thought . Words are always a strong medium for the exchange of thoughts . contradictory +I haven 't heard . I would like to know about it , though . neutral +Activities need to be established to monitor performance measures and indicators . Activities don 't need to be established to monitor performance measures and indicators . contradictory +Needless to say the bowl , which is still in one piece , is kept under lock and key at all times . Needless to say , the bowl is broken now . contradictory +Having conditioned its audience to view IQ as all-important , The Bell Curve then manipulates statistics in a way that makes IQ look bigger , and everything else smaller , in determining Americans ' life-chances . The Bell Curve and the popular perception of IQ are unrelated . contradictory +i think if some people they have they say well we 're not going to start a can deposit because you have to get all these um the the recycle center you have to deal with the can and then you have to to recycle it and their problem 's already solved because they can just come to states that do have bottle deposits People are prohibited from starting a can deposit . contradictory +Jane I want you to marry me ! I don 't want to see Jane ever again . contradictory +yeah that 's i mean and and you know you see a lot of these people that came east from uh west from uh from New York with Exxon or JC Penney and it 's just a hoot to watch them People who live in the east tend to stay in the east and never move . contradictory +Life is simpler on this secluded island and the beaches are not so crowded . The island is lined with beaches on almost its entire coastal circumference . neutral +Legend tells of the Sun Goddess Amaterasu sending her grandson to Mt . Sun Goddess Amaterasu is preventing her grandson from going to Mt . contradictory +The principal ruins of Sardis are in two parts . Sardis ' main ruins are all in the same area . contradictory +Hamilcar had produced a clean shirt and drawers from the saddlebags , even managing to work up a shadow of shine on the scuffed cavalry boots , and had beat the worst of the trail dust from the rest of the traveler 's clothing . Hamilcar was filthy . contradictory +However , meat is used in regional cooking , though in nothing like the same range and imaginative presentation . Regional cooking really varies by area . neutral +If he blurts out anything racist , you 'll be notified immediately ! In will not inform you if he says anything racist . contradictory +However , those lawyers underwent training sessions , a refresher course , on family law , which they studied in law school . The lawyers engaged in training courses and a refresher class . entailment +Every year it attracts drivers and spectators from around the world . It attracts drivers from all over the world because the course is so intense . neutral +oh i 've i 've heard people say that i know it 's it 's a real thing and i think it makes a difference as to how many people vote apparently not being a citizen not not serving on jury duty is important enough to them that they don 't want to have any say in uh politics Some people are feel that they do not want to vote just so they can avoid being picked for jury duty . entailment +'And trust me when I say , it 's the absolute best you 're going to get . ' 'You 're going to get the best of the best , the cream of the crop . Trust me . ' entailment +well Maryland Maryland has some i mean um Maryland has some great seafood doesn 't it Maryland has great seafood . entailment +The clearest proof of the new left 's poverty is what Clinton and Blair have to say about the middle class . Clinton and Blair have nothing to say about the middle class . contradictory +On the causeway leading off Old Church Lane is Prince Charlie 's Cottage , where the Young Pretender stayed in 1745 while planning his strategy to defeat the English and retake the British throne . The Young Pretended never went to the cottage . contradictory +And what is this new , depraved revelation ? Is this revelation , by its very nature , likely to have a negative effect ? neutral +oh probably be another twelve years Six more years , probably . contradictory +Serves 10,000 . 10,000 can be served . entailment +Despite LSC 's significant efforts to improve data accuracy , there may be occurrences of errors in documentation or substance . There may be errors , despite LSC 's significant efforts to improve data accuracy . entailment +Adrin stooped and picked up his rapier . Adrin was very experienced with rapiers . neutral +because they say it 's just so dangerous for little ones to get a bad sunburn The sunburn will destroy the kid 's skin . neutral +but i i i i just like i say to work on it myself i one i like to do that uh i i think i would do all of the maintenance i change my own oil and i change of course spark plugs and stuff like that that 's routine that i i would call routine maintenance once a year i do that every fall i get ready for the winter I can change oil and the spark plugs , the routine stuff . entailment +Without this wildly curving water tunnel , cut through the bedrock under Jerusalem by frantic teams who worked from both ends to meet in the middle , Judaic monotheism would have been destroyed and the development of Western civilization would have been considerably altered . Had it not been for this water tunnel , Judaic monotheism would not have survived . entailment +it 's all metric all ready All of that is already metric . entailment +but i find that uh over over the years i 've developed the ability to keep track of my uh workout and at the same time uh do some creative thinking while i 'm swimming my creative thinking consists of solving math problems while swimming neutral +Preeminent among the attractions is Jerusalem . The ancient city of Jerusalem was lost to the sands of time . contradictory +I 'll do what I can . I will not even attempt it . contradictory +For another aspect of Leonardo da Vinci 's talents , visit the Science Museum ( Museo della Scienza e della Tecnica ) housed in a former Benedictine monastery on the nearby Via San Vittore . Leonardo da Vinci 's work is hardly displayed in museums . contradictory +where uh you know they plead to a lesser crime or uh they plead guilty in or you know tell about someone else and they they get less time They can plead guilty and get less time . entailment +oh man that sounds like a blast That sounds awesome . entailment +right well that 's probably true but it was a very good movie it was done real well too i mean there wasn 't any part of it that you really felt like no this can 't happen it seemed real it seemed real you know it was really good The movie was a two hour piece of garbage . contradictory +and so when we got there the water that we were supposed to drink wasn 't potable like well you couldn 't drink it When we got there the water we were supposed to drink wasn 't drinkable . entailment +this is true and and and and and the way the law reads uh if they sentence you to This is very valid especially with what the law says . entailment +During World War II , the US built an Air Force base here that later became the international airport . The airport here was built only a few years ago . contradictory +One useful hint for keeping costs ask for vino de la casa ( house wine ) it 'll cost well under half the price of a brand wine , and offer tolerable quality into the bargain . The cheapest wine available is vino de la casa . neutral +yeah i did hear that on the news No , I didn 't hear about that contradictory +If life is a war of all against all , what guarantee do we have that adhoccery will work , no matter how inspired ? Adhoccery will totally work , in this authors opinion . contradictory +Lee Kemp , a hearing-impaired World War II disabled vet , also was evicted , but he contacted Utah Legal Services and was told to stay put . Lee Kamp is a healthy teenager . contradictory +i understand oh yeah oh I got you . entailment +yeah and boy does that stink uh that 's the same way here uh and they have more freedom i mean i understand that i mean i 'm not i mean you can 't be everywhere all the time and i 'm sure that they have searches and everything but i mean the weapons that they make or that they get and the i mean to me it 'd be like walking around in a time bomb all the time even just being there you know just working there um because you never know if you 're going to get knifed or something uh you know as a guard that it must be scary uh and yet I try to thank them whenever I run into them . neutral +Your mother 's dead , isn 't she ? said Tuppence gently . " Your mother isn 't alive anymore , is she ? " Tuppence said tenderly and quietly . entailment +Today the streets of the New Town have perhaps the greatest collection of Georgian architecture in the world . The Streets of New Town have a vast collection of Georgian architecture . entailment +He said , " Red sent me in for something good to eat , but I don 't exactly know what he meant . The man is bringing food back to Red . neutral +yeah well i heard that that San Antonio unlike like like a city like San Diego it seems it just has it a really bad problem i i i I heard San Diego is worse than San Antonio . contradictory +A short bus ride away is Cheung Sha Beach , 3 km ( 2 miles ) long , and popular for its white sand and excellent facilities . Cheung Sha Beach is a short train ride or a long bus ride away . contradictory +Its value as a sign of women 's achievements and solidarity is already undeniable , says the New York Times ' Jon Pareles . It is a mockery on all women 's successes and solidarity , say Jon Pareles . contradictory +And it was Ian Willmut , whose work opened the door to human cloning , who most forcefully denounced that prospect at Senate hearings held last spring . The Senate held a hearing about human cloning . neutral +sure at least one Just want one to try . neutral +But he declared that he saw it bolted ! I cried . He never saw any bolts with it . contradictory +Such an approach gave more authentic information than relying only on IRS records of calls received , or a survey of taxpayers . The IRS got hold of more authentic information . entailment +Doing otherwise could result in the customer walking away . These processes have improved customer retention . neutral +So let me assure you that this is in no way intended to deter any proceedings under way in the House of Representatives , no matter how idiotic . There are no proceedings in the House of Representatives . contradictory +Immediately after Gion , on the 24th and 25th , Osaka holds its flamboyant and mammoth Tenjin Matsuri , starting from the Temmangu shrine . The Tenjin Matsuri is not celebrated in Osaka . contradictory +yeah that was excellent It was terrible . contradictory +You can be quite sure that Tommy wouldn 't have said it was safe if it wasn 't . " Tommy may have lied about it being safe . entailment +okay um why do you think it um failed do you think we should adopt it How do you think it was able to work ? contradictory +I believe , if we exercise all due care , that there is a very good chance of his 106 being delivered into our hands . If we don 't make any mistakes we can beat him and get his 106 . neutral +the the files may be disappearing but the secretaries are not the the people people in power are are afraid to give up that status symbol The powerful people have no status associated with them . contradictory +First , they should deliver maximum moral benefit at minimum practical cost . They need to get their job done before stuff get 's out of hand . neutral +But if the initiatives do squeak by , they may signal a new and encouraging compromise , a recognition that just because gambling is legal does not mean it has to be everywhere . Gambling does not have to be widespread . entailment +Whittington mentioned it that day . " Whittington never said a word of it . contradictory +A related story conveys the isolation felt by many religious conservatives in the wake of the president 's Like the 1925 Scopes monkey trial , Flytrap may encourage them to withdraw from mainstream America . Not even Flytrap can convince them to get away from mainstream American views . contradictory +Then his pathetic self-loathing might have been exorcised . His constant self-hatred could have been excised , but instead was made worse . neutral +Quota sampling assumes that the answers of a particular demographic group such as white , 18-to-25-year-old Internet users can be projected to describe the opinions of white 18-to-25-year-olds at large . Quota sampling means that you obtain enough answers so that you have a representative picture of a wider demographic . entailment +'We expected you 'd want to appear in Boston or Philadelphia or the like . ' We were in Boston right then . contradictory +so you don 't yeah yeah so you don 't really get to keep the the nucleus of your best talent for the whole four years You don 't really keep your best talent for the whole four years . entailment +and they put out all kinds of information on it and then they put up uh they had a few lawns in the area that were like uh samples and they put a big sign in their yard that said you know this is a don 't bag it lawn and let you watch and see how they did it so their grass clippings were never bagged they just mulch back into the grass itself and acted as a fertilizer The method in which they demonstrate have the cut grass going back into the grass as mulch which fertilizes . entailment +Like the rapier , the small blade did little to stop the huge man . The man was not stopped by the small blade . entailment +uh-huh yeah now see i know a little bit i know a little bit about other groups i uh like i said i listen to primarily contemporary Christian I have a lot of albums by contemporary Christian groups . neutral +you know a beef and broccoli or chicken or chicken and broccoli or something like that you know chicken and cashews and she orders um bean curd It was beef and broccoli or chicken and broccoli ; something like that . entailment +As Felicia , the coltish Elaine Cassidy manages to look both luminous and unformed , and Bob Hoskins gives Hiditch 's bland homilies so much subtext he made me think of the Paris Opera House in the Phantom of the Opera : basement under basement under basement down to the dungeons . Nobody could play Felicia and Hiditch in Felicia 's Journey better than Elaine Cassidy and Bob Hoskins . neutral +Many of the ruins that you see today date from the Roman period , between the first century b.c. and second century a.d. Most of the ruins come from the Greed period between the first century B.C. and second century A.D. contradictory +and they suspected may have been a tornado The damage looked like a tornado had gone through . neutral +and it fails and you 're dead You die because it fails . neutral +Nowhere is this book 's love / hate affair with the South more obvious than at the end , when Applebome profiles Lewis Grizzard , the Georgia humorist and newspaper columnist who asked that his ashes be spread on the 50 yard line of the Georgia Bulldogs ' stadium . Lewis Grizzard asked that his ashes be thrown into the sea . contradictory +Here restaurants , souvenir shops , dim sum parlors , and Chinese grocers fan out from the central pedestrian mall ( Gin Ling Way ) with its ceremonial gates and exotic Oriental dragons . It is often very fun to explore other peoples ' cultures when traveling to a place like Gin Ling Way . neutral +Unique in Europe , the 1,000-year-old church known as the Eglise Monolithe was carved out of the solid rock on which the village is built . The village was built over 500 years ago . neutral +Ca 'daan turned to the girl and smiled . Ca 'daan frowned at the girl . contradictory +Two riders escorted at hardly more than a fast walk a buckboard in which were two other men . The two French soldiers escorted the prisoners riding in the carriage . neutral +okay are you you used to live in Miami Did you live in another place ? neutral +Puerto Rico suffered from constant attacks . Constant attacks were made against Puerto Rico . entailment +As did many of you in this room , I started my legal aid journey fresh out of law school in 1975 . Just like a lot of you did here , I began my legal aid journey right out of law school . entailment +Suddenly a second shout came from below . Another shout came from below . entailment +They needed a favorable death conjunction to bring you back to life ; they got it--by arranging an accident ! " Nema cried out in protest . They got a favorable death conjunction by killing somebody else . neutral +An occasional touch of Delhi belly is unavoidable when you 're not used to the spicy food , but nothing to worry about ; take it easy and drink lots of liquids , and it 'll pass . " Delhi belly " is the name assigned to some tooth-related issues . contradictory +In part , grants from the Colorado Lawyers Trust Account Foundation defray some of the costs associated with maintaining a strong pro bono , program . There is not a pro bono program associated with the Colorado Lawyers Trust Account Foundation . contradictory +At the end of c / Mayor , just past c / Bailen , is Parque Emir Mohammed I , where you can still see fragments of the old Moorish wall that encircled the Mayerit settlement . There are remaining walls to be seen in Parque Emir Mohammed I. contradictory +CSA data for the 6-year projection will be identical to projected data published in the President 's Budget for the same period . CSA data is the same as protected data that the VP publishes . contradictory +The vast majority of cases never involve a trial and can be taken care of administratively . Cases that do not go to trial get solved in a timely manner . neutral +The Royal Museum has displays devoted to anthropology , archaeology , natural sciences , and technology . There are only art exhibits at the museum . contradictory +if i have something in mind then he he remembers that that 's what he wants to do There are some things that he wants to do . entailment +Change is going to have to come from the demand side and is going to require a lot of leadership from very influential people . The supply side has little reason to want change when what it 's doing is working . neutral +It was originally intended as a church for Louis XV , but is now a secular mausoleum of some of the nation 's greatest heroes . Originally intended as a church for Louis XV , it has since been transformed into a premier art gallery . contradictory +Above all , HaGalil ( as Galilee is known in Hebrew ) is associated with Jesus , who based his short ministry here and performed eight of his eleven most famous miracles on and around the Sea of Galilee . HaGalil had eight of his eleven miracles on and around the Sea of Galilee . entailment +oh uh i i have a laser printer i have access to a laser printer in my office but i don 't have one tied in to my system yet uh i 'm i 'm networked into it but it 's so inconvenient for me to to The laser printer in my office is free for me to use . neutral +yeah it it it was just it was the coverage just went way too far The coverage didn 't go far enough . contradictory +Although Madeira 's fortified wines aren 't made here any longer , you can take a tour of the lodge ( Mon Fri , 10 : 30 am and 3 : 30pm , Sat 11am ) and the wine cellars . A tour of the wine cellars can still be taken . entailment +of course there 's you know third world countries that can use all kind of help You know there are third world countries that can use help . neutral +Have your camera ready to record the incredible sight of a wailing Japanese child beating a hasty retreat to its parents after being chased by a group of hungry deer in a feeding frenzy . A group of deer chased a wailing Japanese child . entailment +Oh , she said , that 's high-end secretarial . The task was difficult . neutral +It reviewed GAO 's accomplishments in meeting its mission consistent with applicable professional standards and our core values of accountability , integrity , and reliability . We will permit GAO to stay under these circumstances . neutral +" Look at the sky , " the old man suggested again , and there was no mockery in his voice now . The old man 's voice had been full of mockery before . neutral +Beyond Le Pracheur you 'll go through the fishing hamlet of Anse Belleville with a remarkably tall , vine-like fig tree and a nice little beach . The climate of Anse Belleville produces small stunted fruit trees . contradictory +yeah that was pretty good i i like that and um i guess it 's time to go I guess this is over . entailment +Here you can eat all you wish from a buffet of six fish dishes , rice , potatoes , and various salads . The buffet has a limited section and is only open for all you can eat on Tuesday . contradictory +Impossible ! broke simultaneously from both men . Both men broke at the same time . entailment +It 's only about 40 km ( 25 miles ) wide , but a third of Nepal 's population lives here , producing much of the nation 's food . Almost every single acre in the area is dedicated to agriculture . neutral +When planning a risk assessment , the auditor should first review the agency 's acquisition policies and directives to identify the organizations and individuals responsible for approving procurements . The auditor should review HR policies and directives . neutral +The headland between the two main bays is called The Hill ; here you will find the oldest part of town . The oldest part of town is called The Hill entailment +Those blue eyes , brilliant , yet oddly shallow and curtained , met Drew 's for the second time . It was not the first time Drew had seen those blue eyes . entailment +Marginal access cost can be estimated from the coverage function . Marginal access cost of revenues can be estimated by using the coverage function . neutral +The odd Mullick still hangs around to play Chopin in the ballroom or billiards in the parlor . Mullicks are named for their propensity to mull over the right way to play Chopin . neutral +Turning east from Beziers on the N112 and after 13 km ( 8 miles ) briefly onto the D912 , your next stop is the ancient port of Agde , founded by the Greeks more than 25 centuries ago . The port of Agde is a great tourist stop . neutral +a headquarters or something anyway where they they staffed it three shifts a day so that someone if they needed someone they could ri ng and and someone could come to their house They do not have help during the night so they have to make sure if they need anything they call the attendant by 8 pm . contradictory +yeah i voted absentee one year i really was going to be gone so i i did it but uh it was nice i would be tempted to do it again I probably shouldn 't vote absentee if I am not going to be absent , but I did it one year and it was so easy that I might do it again . neutral +There 's one other Sinatra phenomenon that keeps repeating dirt . There is another but it keeps doing the same thing . entailment +I felt good . The rain made me feel good . neutral +they yeah they they did they stuck right to their goals and right what they were going to say and the American people when this first started they were even reluctant to let them do that so they were they were playing it very safe but They strayed from what they originally were doing . contradictory +don 't know what y 'all are going through to be honest with you to sit there in option one and approve everybody 's time i didn 't do it before and i don 't do it now so i don 't have anything to compare that with for us in communicating with people with everybody I sit there and painstakingly approve everyones time . contradictory +Some need medical care or veteran 's benefits . They all wanted to have equal access to their veteran benefits . neutral +and then let them appeal yeah then you 'd get yeah because some of it some of it 's it 's it 's just down right Yes , you should allow them to appeal . entailment +But the White House campaign against Monica is beginning , and that 's the best indicator so far that Clinton is not going to apologize . The campaign against Monica is starting at the White House . entailment +Can a meeting with Al Gore ( or at least Hillary Clinton ) be far behind ? Al Gore should have a meeting soon . entailment +managerial accountability and flexibility for fiscal years 1995 and 1996 ; however , as of June 1996 it had not done so . The were too busy to file reports that month . neutral +yeah well it 's like i said you know the different there are different reasons for different things like that and you know hey you 're right health is one thing that just Besides health being one thing that is affected by distinctive reasons , there is also wealth . neutral +The elegant 18th-century monastery buildings are now Caen 's town hall . Caen has 18th century monastery building as a town hall . entailment +At the end of the Napoleonic era , the monarchy was restored . Napoleon retook control of the area . contradictory +Not far from the Campo del Moro and Royal Palace , this large hotel has a faded glory about it , but is a good value given its spectacular views of the Palacio Real and Manazares Valley . The hotel is old and faded but is well priced with a great view . entailment +But ask Miss Tuppence if she also has not had her suspicions . " Jane turned mutely to Tuppence . Jane and Tuppence have shared the same suspicions . neutral +Federal non-Social Security surpluses are eliminated through 2010 , and unified deficits emerge in 2019 . Through 2010 , Federal non-Social Security surpluses are eliminated . entailment +It 's a testimony to his energy that when editors questioned his hacker piece , he erected a Web site to prove the existence of a nonexistent software company . It 's a testimony to how much energy he has , since he made a whole site just to deal with the questions . entailment +You shower , slip on the robe provided ( this part we already have ) , and then , in the cupboard , you find stacks of pants and shirts and sweaters , maybe a wrap-skirt or two and some jackets , all in many colors and all in your size , since you e-mailed the information ahead with your reservation . The cupboard contains clothes , mainly pants , shirts and sweaters . entailment +quarter Promenade yeah No , not the Promenade . contradictory +The secret of the Eternal Citys magic is that it lives and relishes all its ages simultaneously . The city is proud of its past . entailment +One useful hint for keeping costs ask for vino de la casa ( house wine ) it 'll cost well under half the price of a brand wine , and offer tolerable quality into the bargain . Vino de la casa is less expensive compared to most brand wines . entailment +you can 't take a whole bunch of people who just aren 't the same people and don 't want to be together and put them together forcibly You can 't force people to be together . entailment +A float drifted by , bearing scantily clad mascots . The people on the float didn 't have many clothes on . neutral +Despite the population growth in the area and the uneasiness in the economy , the resilience of this net has proven remarkably strong . They have seen a decline in the population . contradictory +For additional information on our work concerning corporate governance , the accounting profession , financial reporting , and related regulatory matters , please contact Jeffrey C. Steinhoff , Managing Director , Financial Management and Assurance , on ( 202 ) 512-2600 or at SteinhoffJ @ gao.gov. Steinhoff is the Managing Director of Health Management and Assurance . contradictory +What 's on that dress , anyway ? What is on that pretty dress ? neutral +oh that 's how they do it Oh , that 's how it 's done . entailment +Aren 't you ? Are you not ? entailment +But for a long time , there was no further sign of life . There were no signs of life because all of the people were secretly hiding in the mountains . neutral +well that 's kind of the way i was i tried to remember as i took stuff off where it went and i don 't think i had too many nuts and bolts left over when i got it all put back together I didn 't pay attention when I took stuff off and had lots of nuts and bolts left over . contradictory +On Face the Nation , political consultant Ralph Reed went further , calling the scandal Al Gore 's albatross because he acted as an advocate for a president who 73 percent of the American people believe committed perjury and only 24 percent think is honest and trustworthy . Al Gore acting in support of a president with a sense of honesty at question by the American people was a source of guilt to him , according to Ralph Reed . entailment +INCREMENTAL COST - The increase or decrease in total costs that would result from a decision to increase or decrease output level , to add a service or task , or to change any portion of operations . The cost to increase output level . entailment +This claim always puzzles Here we are in the information age , able to process gigabytes of data with a single mouse click--but we imagine that people can 't multiply and divide ? Most of humanity struggle with mathematics . neutral +Many centers also offer an introductory session commonly known as the Discover Scuba program . Centers don 't give an introductory scuba class , they make you just jump in . contradictory +Tell me , on Monday , not Tuesday , Dorcas , but Monday , the day before the tragedy , did anything go wrong with Mrs. Inglethorp 's bell ? " Dorcas looked very surprised . Dorcas was surprised at the question about the bell . entailment +" A man can 't tell what he can do until he tries . " Drew still hedged . A man learns through his experiences . neutral +My family was able to help me with school , said Mr. Rothenberg , a graduate of NYU Law . Mr. Rothenberg graduated NYU Law . entailment +The elegance and grace of this building have something to do with its human dimensions , for although it stands 114 m ( 375 ft ) high and 61 m ( 200 ft ) wide , its height does not in the least overwhelm . The building stands stands 55 feet high and 100 feet wide . contradictory +A narrow cobbled trail of 587 steps leads from the town to the small port below , now the domain of a fleet of donkeys that wait to carry cruise ship passengers into town . The locals charge visitors a small fee to ride on the donkeys . neutral +Figure 6 shows the building of knowledge required to achieve a stable design on the AIM-9X . Figure 6 shows a cartoon borrowed from yesterday 's New York Times publication . contradictory +they couldn 't do anything about it They couldn 't do anything about it because they didn 't want to do anything . neutral +right right exactly so well was it hard to adjust living in an apartment after being in a house It was easy to adjust to living in an apartment . contradictory +Vrenna and the knife wielding man had engaged the four guards of the camp 's slave master . The slave master was left unattended . contradictory +A design team of 14 representatives from the legal services community - including providers , clients , courts and other stakeholder entities - worked assiduously over the year to produce a tool that will be tested in 2003 , revised pursuant to that process , and ultimately used nationally . A tool was developed for approximately a year . entailment +Compare prices before you buy any significant item . Comparing prices doesn 't save you money contradictory +yeah but the idea was is that by with five fifths um they could uh they could uh they could sell five and and um it was simply a ploy to to get people you know It was an effective scam . neutral +The preamble to the proposed rule contained the information required under the Paperwork Reduction Act concerning the collections , including the needs and uses of the requirements , the number of estimated respondents , and the total annual burden hours . The information was not contained in the proposed rule . contradictory +He used to be a promising youngster ; now he 's turning bronco fast . He is still a promising youngster . contradictory +Originally a house , it was designed by Sir William Chambers and completed in 1772 ; the dome was added in 1858 . The dome was included in the original construction . contradictory +i even even as a somebody making twice what i was making how could you put half of that into Even as someone making twice what I was making before , how could you put half of that into entailment +uh-huh where were you from oh my goodness i didn 't know they did it long distance I had no idea that people did that long distance . entailment +and i catered to their diet is the only thing though so it wasn 't something i really wanted to make i really wanted to make red beans and rice and with Anduille I may be able to changer her diet so I can cook what I want to . neutral +That , in turn , might cause a peaceful transition from communism . That could perpetuate the peaceful move into capitalism . neutral +Crete 's years spent under the Turks ( 1669-1898 ) constituted a period of cultural and economic stagnation . It took another 30 years after Turk rule ended for the economy to begin to grow . neutral +and um you know you see sixteen year olds driving around in brand new BMWs and it 's just unbelievable you know There are teenagers driving around in new BMWs and I can 't believe it ! entailment +The final rule preempts all state and local laws and regulations that are inconsistent with the final rule , has no retroactive effect , and does not require administrative proceedings before parties may file suit in court challenging this rule . Parties must undergo administrative proceedings before filing suit challenging this rule . contradictory +You can 't turn around in a bookstore without knocking over a pile of ( unsold ) RPH books . If you go to a bookstore it 's very likely that you will find RPH books . entailment +Instead of going to London , however , the Sinn F ? ? in members set up Dail ? ‰ ireann in Dublin and sparked the War of Independence . The War of Independence had nothing to do with the members . contradictory +Of 4,663 patients , only 13 were entered into the trial and the trial was abandoned . 4,662 patients of 4,663 were entered into the trial . contradictory +Adrin 's eyes crawled over Vrenna as she stretched , revealing her shapely ivory body under the gray cloak . Adrin couldn 't look at Vrenna . contradictory +In a minute he had the pleasure of seeing his two pursuers , of whom the German was one , industriously tracking down the red herring ! He knew that his pursuers would take the decoy bait . neutral +yeah probably so cause and i 'm out of out of good ideas for a hobby anyway so well it was good talking to you I don 't do much in my spare time . neutral +Take this , and get Jane regularly togged up for this evening . This will help you get Jane togged up . entailment +How anyone could work up an angry , sweat-laden combat attack over Stein 's reverie , which I think is quite lovely , is beyond me . I think Stein 's reverie is quite lovely . entailment +so i don 't i don 't even know who your favorite team is actually I don 't know much about you at all . neutral +and it 's overcrowded The place was completely empty . contradictory +associate director of the Human Services Research Area at Westat Inc . The Westat director was up for termination . neutral +absolutely yeah i agree Completely I concur . entailment +San Francisco station and a San Jose station but neither one of them was very clear they were both San Francisco station was clearly marked . entailment +Violent insurrections provoked equally violent massacres in retaliation The violent massacres were a retaliation against violent insurrections . entailment +Since 1679 it has been owned by the Hasell family , who built the Georgian extension , and who over the generations have carefully managed the treasures that fill the house . The Hasell family bought the house for £ 5 . neutral +yes we uh oh yeah it 's it 's deader than a doornail up here we 've only lived around my husband was uh transferred up here from uh We were located elsewhere , but we were transferred up here . entailment +yeah well yeah i like i like some of those things they come in really handy Some of them are very useful . entailment +Among the stops to consider are Bourges , Limoges , and Uzerche . Bourges , Limoges , and Uzerche are some places one should consider stopping . entailment +You can understand why DeLay keeps boasting of his tricks and strategies . DeLay also boasts about his success . neutral +In Georgia , the H-2A visa will be from a few weeks to six months . The visa took only a few days to be approved . contradictory +In addition , self-help , multilingual computer kiosks have overcome language barriers to help Native Americans living on reservations - and Vietnamese and Spanish immigrants in California - enforce their legal rights without knowing a word of English . Native Americans have been at a significant disadvantage in many aspects of society . neutral +yeah it must be fun to be able to play it and you know if you can play tunes that people can sing along to it 'd be that 'd be kind of fun i think I don 't think I 'd like to play music . contradictory +oh oh i do i really do i think it 's great Oh I don 't think that 's good actually . contradictory +well more or less after about uh half dozen coats it looks reasonable but it kept the the dark it was uh just a real dark uh wood grain type paneling We only needed once coat , and it came out very light . contradictory +Another refreshing feature of Goodman 's storytelling is that , unlike other members of fundamentalist sects one might find in novels , her characters don 't chafe at their restrictions , or not too much . The fact that Goodman 's characters in fundamental sects don 't generally feel too restricted by the rules of their sects is a unique aspect of Goodman 's storytelling . entailment +They had established contact with the natives who were grotesquely huge , but mild and unaggressive . The natives were very mean and attacked . contradictory +Participatory Sports Thre are no sports that regular people can play . contradictory +A hill above the theat er is where archaeologists found the Winged Victory of Samothrakia now in the Louvre in Paris . The Winged Victory of Samothrakia is an amazing statue . neutral +Avid golfers should also consider the option of accommodations at a Golf Hotel . Golfers are not accommodated in this region . contradictory +She opened it and gave a gasp , and then she said , very jolly like : ' Bring me up a Bradshaw , and an A.B.C. , and look sharp , Henry . ' When she opened something , she gasped and then told Henry to bring her a Bradshaw and an A.B.C. very quickly . entailment +Stag 's Head ( Dame Court ) is known for its good food . Stag 's Head is a pub located near the city 's entrance . neutral +A short walk from Uji-Yamada Station is Geku , the Outer Shrine . Uji-Yamada Station is a very nice tourist vacation spot . neutral +Part of what 's appealing about Chicago is that it 's more open and democratic than other comparable elite institutions . Chicago is also appealing for the good food . neutral +If you arrive in the Lake District without a reservation , contact one of the information offices of the British Tourist Authority for lists of lodgings and assistance in booking ( see Accommodations , page 108 , and Tourist Information Offices , page 125 ) . The British Tourist Authority information offices can provide listings of lodgings and booking assistance , as well as recommendations for good places to eat in the Lake District . neutral +The dancers are accompanied by musicians playing the guitar or instruments introduced into the region by the Moors the dulzaina ( flute ) and tamboril ( tambourine ) . Musicians play instruments while dancers dance . entailment +yep and then you know if you can put your cocoa in with your cornstarch if you wanted to the cocoa even seems to thicken it even more Thickening cornstarch with cocoa will give it a significantly coarser texture . neutral +Too confident . Too careless . contradictory +You will be well-rewarded , with small remote villages , hidden churches , and a rural lifestyle to explore . The region has mostly large cities . contradictory +La Camargue Maybe La Camargue . neutral +yeah but yeah yeah yeah i mean the the the capability to uh create children doesn 't necessarily mean you have the uh the mental capacity to raise them and Being able to have children doesn 't always mean you 're mentally ready to take care of them . entailment +yeah and then in in my back flower bed i have uh tiger lilies I have tiger lilies next to tulips in the flower bed in the back of my cabin . neutral +However , without a majority , the communists were forced to form a coalition government , and in fact elections since 1994 have repeatedly ended in coalition governments being formed . However , with a majority , the communists fully took over the government . contradictory +Thus , each firm would have to incur the same route time costs that the incumbent currently incurs . Each firm spends the same as the incumbent on route time costs . neutral +All state planning team members have significant field program and legal services leadership experience . State planning team members are not required to have any experiences . contradictory +New resorts offer attractions and amenities modeled after those available in top resort cities worldwide , including luxurious spas , signature restaurants , and exclusive boutiques . New resorts are popular due to their many luxurious amenities . neutral +I drifted [ The freezing shock . It was cold . entailment +GDP per capita in 2035 would be nearly double the 2000 level ( falling short by about 8 percent ) , and by 2070 , GDP per capita would fall almost 13 percent short of doubling the 2035 level . The GDP per capita will likely triple by 2035 , five times more than the level in the year 2000 . contradictory +Hired car . Their own car . contradictory +It is lovingly mounted in the Centre Guillaume-le-Conqu ? ? rant , in the Rue de Nesmond , and is accompanied by a fascinating film ( in English or French ) that explains the work 's historical background . The film that explains the background is available in either English or French . entailment +You escaped before we reached our hideaway . We kept an eye on you and brought you all the way to the hideout . contradictory +that was you can 't really be sure of the quality of what you got you know The quality of the item you got appears to be excellent , but you should inspect it . neutral +right i know oh yeah Correct . entailment +Parliament , which was denied knowledge of the secret war treaty until the Peace Conference of 1919 , was exposed as impotent . The secret war treaty was exposed long before the Peace Conference of 1919 . contradictory +Guided tours are available by boat and tourist train during the summer ; and audio guides can be rented at the Office de Tourisme ( Place de la Premiyre Armee Francaise ) . There are multiple boat tours conducted each day during the summer months . neutral +You can argue that Microsoft has stepped across the line on this one--but surely by only a few inches . Microsoft has always toed the line , but never crossed it . contradictory +Appendix II presents a more detailed description of the model and the assumptions we used . The assumptions are in appendix I. contradictory +They 1 ) be capable of being described in financial , economic , or quantitative terms ; and 2 ) provide a plausible basis for concluding that the program has had or will have this intended effect . They are capable of being described with financial , economic , and quantitative terms , as well as are able to provide a basis for concluding the program has had or will have the desired result . entailment +uh we must be yeah we must be doing the same up here too we we 're probably send to a different lab than you guys down there We only have one lab choice . contradictory +This is the minimum they are prepared to accept , and you will probably be wasting your time if you try to force them any lower . There is no limit when it comes to bargaining with them . contradictory +Nothing could have been more infuriating to them than the sight of Yasser Arafat , the embodiment of Palestinian nationalism , shaking hands with Yitzhak Rabin , Israel 's late prime minister . People were angry that Yasser Arafat shook hand with Ytzhak Rabin because they were against each other neutral +Beach activities are well-organized on the northern coast , with all types of watersports and rides . The northern coast offers water sports and other beach activities . entailment +but you know it 's pretty hard to try let 's say the man down the street that 's living on Social Security or somebody that 's on a limited income to be tried by a jury of his peers if most of the people like the juries that i 've served on are businessmen There 's nothing wrong with trying people on limited income by a jury of his peers . contradictory +StudentU.com , an Internet startup conceived by 27-year-old Oran Wolf , may make note-taking in class obsolete . Oran Wolf created an internet start up to assist high schoolers in note-taking . neutral +When , reasonably enough , she objects , he subtly menaces When she contradicts him incorrectly , he is unhappy . neutral +But that was none of the Kentuckian 's business . He was from Kentucky entailment +'And am I to assume that you have something to offer me in return , besides the simple courtesy of not killing me . ' Should I assume you 'll give me something in return ? entailment +Also , the other woman was slowly edging her up the passage . The other woman was edging up the passage . neutral +i can go ahead and start uh I can start now ? neutral +You have my word , said Inglethorp haughtily . He was a man of honor . neutral +Profits of the cooperative go to support schools and help handicapped and aged Tibetan refugees . Over four thousand people are supported by the cooperative . neutral +OK , maybe someone can top Busey and Redgrave . Topping Busey and Redgrave ain 't gonna be easy . neutral +Lowell tries to get Starr to admit that he should have told the attorney general about his contacts with Paula Jones ' lawyers and that he mistreated Monica Lewinsky by holding her for hours at the Ritz-Carlton and denying her a lawyer . Lowell tried to get Starr to admit his wrong doings . entailment +you know um have it be just like real life teaching in a sense and maybe then uh people are feeling like they 're getting something out of it too but that certainly everyone else would be getting something out of them participating and and i mean i i even think that that sort of experience is worth a lot more than reading a textbook sometimes School should be like real life , get rid of the textbooks , and may people will actually get something out of it . neutral +During the summer festival season , children will be fascinated by the street theater , clowns , face painting , and temporary tattooing . The summer festival season will feature clowns , face painting , and temporary tattoos that are sure to entertain children . entailment +But the Government is contemplating legislative action which will deal effectually with the strike menace . Strikes are bad for everyone in the government . neutral +In fact , many of the 30 million annual visitors choose to stay . Visitors to the area often find that they would like to begin a new life there . entailment +But somewhere along the way , he may have absorbed Reagan 's lesson that while Americans like to gather Facts , the power Facts have to settle important questions is vastly overrated . Reagan learned that Americans are interested in obtaining facts . entailment +In Hong Kong , the South China Morning Post carried a report Monday saying that McDonald 's staff in the territory are the lowest paid of all business chain employees . They did not think it was fair . neutral +He finished reloading and turned around the corner . He turned around the corner to see the demon waiting ahead . neutral +As defined in this standard , annual investment includes more than the annual expenditure reported by character class for budget execution . Annual investment includes only annual expenditure . contradictory +You should also look at the Grand Trianon , the small palace that Louis XIV used onaoccasions when he wanted to get away from the chateau . The Grand Trianon was only used to store extra hunting equipment . contradictory +The old man looked at Jon for a long time . Jon was looked at by the old man for a long time while he waited for his coffee . neutral +and i want yeah the men have to be convinced of that The men need to get it through their thick skulls that they need to show some responsibility and care for you and the kids . neutral +Claws struck out from beneath leathery wings , cutting everything in sight- I caught a nasty slash across my cheek . My cheek was cut because I was attacked . neutral +Another says he ordered last week 's crackdown only after he received the implicit green light from the Clinton administration 's special envoy to Yugoslavia , Robert Gelbard . There was no permission given . contradictory +The academy 's lifetime members ' chosen in hotly contested elections ' regularly produce edicts on French terminology and usage ; among words recently declared legal were le ketchup and le hamburger . The academy 's lifetime members were elected . entailment +put all the money into the expansion box and all this that and the other and uh things just kept changing so much and i kept getting rid of them and i finally said well you can 't do this you 've got to buy something and stick with it so i I don 't mind that I have had the same laptop for seven years . neutral +But the supply-siders are quite right when they say that economies are not a zero-sum game . Economies are not zero sum games . entailment +Whether the voters deserve it or not , we 're likely to hear a lot more in coming spots about which man is better--or worse . We will likely hear about who is better or worse . entailment +Small stone houses crowd the town center with fine Ottoman houses along the northern edge of town . There are a lot of small stone houses in the town center . entailment +Well , said Slim , cautiously , " they were sort of _ looking _ at it and smelling it or something . " Slim sad that they refused to smell it . contradictory +Lars-Erik Nelson ( Meet the Press ) pronounces Brill 's article a great public service for the American people . Brill wrote an article . entailment +Almost as though she got a sudden warning to go from some one . " She suddenly left . entailment +Every American has been in a car crash . Each American has been in at least one car crash . entailment +for Senior Executive Performance in Contributing to Organizational Results10 Table 2 : Examples of BLM 's , FHWA 's , IRS 's , and VBA 's Customer Satisfaction Expectations for Senior Executive Performance12 Table 2 on page 20 shows expectations for senior executive performance . neutral +Tommy , I 'm getting discouraged . The speaker ignores Tommy and says nothing . contradictory +That era is gone now , but other elements of the island 's old life are preserved . The island offers one of the last glimpses of a forgotten way of life . neutral +right well uh most of our medical things we don 't uh have to worry about because of insurance and they 're they 're relatively small uh we 've been lucky in the past we didn 't have that problem but right now we don 't for the other things the things that crop up that we aren 't really expecting we have different funds set aside for different things like we have a car fund and we put a certain amount of money into that every single month whether we need to or not Because of the cost of insurance , we set money aside for the car every month . entailment +The EIA ( 2001 ) , for example , notes that the CEF policies assume changes in consumer behavior that are not consistent with historically observed behavior patterns . CEF 's assumptions concerning consumer behavior are perfectly consistent with what has been observed historically in consumers . contradictory +The whole is worthy of its nickname , church of gold . The church features the highest concentration of gold in any building in the country . neutral +Cete d 'Azur Cete d 'Azur is painted red . neutral +Gentilello reported that in a trauma center ED , staff suspected alcohol-ism in 26 % of patients who screened negative on structured questionnaires . In a trauma center ED , staff suspected alcohol-ism in 26 % of patients who screened negative on structured questionnaires , reported Gentilello . entailment +For information on all Sound and Light shows Tel . ( 02 ) 386 3469 ; fax ( 02 ) 385 2880 ; web site & lt ; www.sound-light.egypt.com & gt ; . You can learn more about Sound and Light shows at www.sound-light.egypt.com. entailment +Madeira is an outstanding shopping destination , given its long and proud craft heritage . Madeira is great for shopping excursions when you get off the cruise ship neutral +At home , Deb and Mario and the rest of us--whether Amerco employees or Slate free-lancers with children , like me--don 't exactly fit the model of mere repetitive-motion machines . The staff has Amerco , Slate , and BP employees . neutral +The piazza 's main attraction is the massive 13th-century Gothic church of Santi Giovanni e Paolo , a name compressed by Venetians into San Zanipolo . The church of Santi Giovanni e Paolo was built in the 1240s . neutral +To be sure that any needlework item is the genuine article ( as opposed to an inferior import or machine-made piece ) , look for a lead seal with an M , the emblem of IBTAM meaning it 's been certified by the Instituto de Bordado , Tapecaras e Arte ? ­ sanato da Madeira ( Institute of Madeiran Embroidery , Tapestry , and Handicrafts ) , an official island organization that has a showroom / museum on Rua Visconde de Anadia , 44 . There is a seal to show authenticity . entailment +yeah well they they are just that much better they 've got so many stars They don 't have many stars actually , they 're worse than others contradictory +There 's not exactly a shortage of them . There are plenty of them . neutral +Hefner 's spokesman says his boss does not appear to be in any danger of imminent demise , but if he does die the way his wife fears , I 'm sure that 's how he 'd want to go . Hefner 's spokesman said that his boss is in danger and police are actively working to assist . contradictory +you know and i 'm going i will never get to see Jeopardy again Jeopardy is one of my favorite shows to watch after work . neutral +didn 't purchase It was purchased . contradictory +A February 2000 Site Visit Report on Passaic Legal Aid by LSC , LSNJ and the state Office of Legal Services supports that view . The report said the view was totally wrong . contradictory +no not really you know in the last few years just his kind of informal segments i 've seen but i never got to see his actual nightly news i liked i i did grow up with David Brinkley David Brinkley was a newscaster whom I liked . neutral +The plaques on the walls give the names of the communities that were destroyed . The plaques states the names of fallen communities . entailment +and it was so interesting because they were relating the war to these children in their studio and they also had children calling in live from all over the country and asking questions and they they had all their correspondents in the different areas in Saudi Arabia and Israel and and all they had them all uh on i don 't know what you 'd call it other than on line they had them all on hold and if a child asked a question that the person in Jerusalem could best answer they would cut to that person and that person would answer the question it was just very They were connecting children with questions to people who would know the answer . entailment +Part E contains performance standards for affected units and provisions for research , environmental monitoring , and assessment . Part E deals with performance standards for the units . entailment +Recent data have shown that not to be true . It isn 't true , according to the latest data . entailment +Campaigns are using the Internet as an organizational and fund-raising tool . The fund-raising abilities of the Internet are being exploited . neutral +As boating parties replace ballerinas on the T-shirts and umbrellas for sale along Michigan Avenue , the exhibition organizers shouldn 't shy away from social context and controversy . Michigan avenue is the same as it 's always been . contradictory +The Joint Financial Management Improvement Program ( JFMIP ) is a joint cooperative undertaking of the Office of Management and Budget , the General Accounting Office , the Department of Treasury , and the Office of Personnel Management , working in cooperation with each other and with operating agencies to improve financial management practices throughout the government . Several offices and departments cooperate with one another in order to improve financial management practices . entailment +yeah yeah and he 's a very strong willed person and his his ideas whatever came through you know with however so they said if if you um He is not easily swayed or beaten down . entailment +It came installed with ' Multivista ' , a version for employees in firms trading in consumer waste storage permits called Ultimate during office hours . The software is for games . contradictory +'I suppose you two are the genius inventors . ' You two are both terrible at inventing . contradictory +Even in Finland . In Finland as well . entailment +Estimated costs , rather than actual costs , are sometimes the basis for credits to work-in-process accounts and debits to finished goods inventory . There are some costs that are estimated . entailment +The views expressed herein are his own and do not necessarily represent those of the Commission or any of its members . He speaks for the enture commission and its members . contradictory +We would use such authority , if granted , sparingly to address specific targeted needs , such as information technology specialists and actuaries . Actuaries and information technology specialists demand that they be given the rightful authority . contradictory +Connaught Place straddles the northeast southwest axis which links the Jama Masjid mosque of Old Delhi to India 's parliament , Sansad Bhavan . Old Delhi is the home of the Jama Masjid . entailment +um i like to do like physical things like sports I enjoy practicing physical activities like sports . entailment +It was a little piece of heaven in long years of purgatory for Jon . It was a small mote of happiness for Jon , who had suffered greatly over the last decade . neutral +It 's an ambush . Ah that is just a normal patrol , not an ambush ! contradictory +Since the thing was so it must be accepted . I don 't want to accept it . neutral +Little by little the magic of the night began to gain a hold on them . No one was enjoying the night . contradictory +Speculations were idle . There were speculations . contradictory +well that 's that 's true and and to me they 're still under under the influence if it 's in their body and uh i don 't know i that 's i have a strong feeling that i 'm against drugs and so if uh anyone is using drugs uh uh and it 's in their system when they 're tested then uh you know and TI has uh a pretty uh liberal they if you 're tested positive then they automatically uh test you again and uh if that one comes back positive then they send you to a uh a drug rehab which TI pays for and uh I think everyone should just do what they want . contradictory +Reporting at the entity level for stewardship land shall be more specific than at the governmentwide level . Stewardship is very prestigious . neutral +right no i don 't think you can and i i agree with you that i i think that the the time difference between the two wars has allowed a lot of people to see the mistakes that were made in in in every aspect of it and i i agree with you also that i feel like it was not worth the money spent or the lives lost to fight that war i mean they 're still not settled over there It was a waste of time and money . neutral +'What do you mean , you lost everything ? ' Derry demanded . Derry didn 't know that Jerry had lost all his money at the casino . neutral +Cokie Roberts , pundit , ABC [ Didn 't return Chatterbox 's phone call . ] Cokie Roberts was busy watching TV and forgot to return the phone call . neutral +Appendix A to the Report and Order lists the parties filing comments and reply comments . There is no place in the Report or Appendix A that provides the comments from the filing parties . contradictory +i i i i ended up watching a lot of these things on you know repeats in the afternoons or something I never watched television in the afternoon . contradictory +The tabloid interviews 81-year-old actor Kirk Douglas , who reveals that his English teacher seduced him when he was 14 . The tabloid interviews Kirk Douglas , who reveals how he was seduced by his English teacher at 14 . entailment +oh wow that 's nice Oh wow that 's horrible . contradictory +The river is good for both fishing and canoeing , and if you haven 't brought your own bike for exploring the back country , you can rent one at Sarlat . Sarlat in the back country also rents canoes and fishing equipment . neutral +As the front door swung back on its hinges , protesting loudly , Julius struck a match and examined the floor carefully . The door was loud as it swung open . entailment +At least , it sounded like Barnes . It sounded like Barnes and his friends . neutral +so what kind of benefits do do you have in your job that you think is uh very important Which benefit at your job do you feel benefits you the most ? neutral +Under the high court 's order , the base annual fee for active lawyers rises to $ 229 as of Jan. The base annual fee as of January is $ 300 . contradictory +Depending on the threshold selected , the potential impact on the respective posts can be compared . The potential impacts may be very large . neutral +The square 's grand , spacious effect is completed to the north by an arc de triomphe ( dedicated to Louis XV ) at the entrance to the long Place de la Carriyre ' also graced by 18th-century mansions and Jean Lamour 's iron grilles . Louis XV was known to wear high heels and dresses . neutral +On the other hand , Mrs. Cavendish believed that the slip of paper to which her mother-in-law clung so tenaciously was a written proof of her own husband 's infidelity . Mrs. Cavendish 's mother-in-law had been holding on to a slip of paper . entailment +In a testament to Las Vegas 's relentless pursuit of illusion , its modern visitors never recognize the landmarks that originally offered the city its shot at its natural springs , most of which have long since run empty . Most people will never realize Las Vegas used to have natural springs . entailment +The fact is that this country is practically swimming in abandoned pets . Stray pets are not a problem in other countries . neutral +Take the president , for example . Congress is one example . contradictory +I would be pleased to respond to any questions that you may have . I can answer your questions about the budget . neutral +12 In-office time is closely related to volume . Volume has no effect on in-office time . contradictory +Installing both technologies at the same time will permit better planning of material storage and equipment locations , thereby avoiding interference . Adding a single technology allows for better planning . contradictory +However , Fort Charles was rebuilt as a military and naval garrison , and it protected Jamaica and much of the English Caribbean for 250 years until the advent of steamships and yet another earthquake in 1907 saw its decline . Fort Charles was rebuilt as an amusement park for the locals . contradictory +The remaining mystery is whether some other person , group , or country funded and orchestrated the bombing . It wasn 't known if another entity had taken a role in the bombing . entailment +Exhibit 14 illustrates the numbers of individuals and the percent of the US population that they represent that will experience changes in ambient particulate matter concentrations in 2010 and 2020 . The number of individuals experience ambient particulate matter concentration changes is illustrated in exhibit 14 . entailment +um well it 's before they had that It was way after they had that . contradictory +and i think clothing you know it it just uh it it does like you were saying the the way you dress makes you feel different ways um if you like when you go out at night uh you may just want to have a casual evening or something so you you sort of dress down but if you 're going to a uh I never think of clothing . contradictory +Its golden 18th-century architecture makes it a rewarding stopover on any journey between Paris and Alsace . The 18th century structural design proves it to be a wonderful place to visit . entailment +YOU know who Mr. Brown is , don 't you ? " I don 't expect you to know who Mr. Brown is . contradictory +yeah i think Virginia 's got it and i know Maryland does and we just we went to Indianapolis last weekend and back and um i 'm pretty sure i saw yeah stuff in Ohio and Indiana Indiana about it and Pennsylvania maybe Pennsylvania i don 't remember for sure now I know that Maryland has it and I believe Virginia does as well . entailment +Training and tools are provided to facilitate and accelerate the pace of change initiatives . The training and tools are available online for free . neutral +yeah i still haven 't figured out what the zero through six days which day is which yet but After looking over the schedule I know exactly which day is which from zero through six contradictory +Don 't mind if they 've only sunk in a bit . They only sunk a little . entailment +and uh the materials were at cost and we 'd put up houses and that was kind that was kind of neat i uh in a way i think it 's a little bit inefficient but but it 's better than nothing The materials were not expensive because my contractor got me a great deal . neutral +They are also trained to detect evidence of domestic violence in a home . They have domestic violence training . entailment +process one out of every four checks in the country . There is only one check that is processed in this whole routine . entailment +Rennie might have faith , or pretend to have faith , in some new method of training , but Rivas was a conservative who preferred the tried and true and undoubtedly considered the Kentuckian an interloper . Rennie pretends to have faith even when he was scared . neutral +We will make your women whores for days before we roast them screaming on spits , said the demon scout . The men cried out in pain as the women burned them alive . contradictory +you have to do a little research try to find everybody i guess it 's a little easier with a family reunion and they you know and they they 're really organized you know they setup they they get the hall and they and they uh They really make the family reunion process easy . entailment +With his tenderness for " a woman 's happiness , " I felt glad that the decision had been taken out of his hands . I was unhappy that he would not be making the decision . contradictory +well um i seem to always be in the the next to the last generation of word processing software when everyone was in Samna i was still in PFM and now that i finally become proficient in Samna everybody 's going to WordPerfect so i can never quite stay current with that I 'm always one step ahead of what everyone else is proficient at . contradictory +The American Public Power Association commented that conversion to secondary status would have a severe impact on the limited budgets of small , non-profit public utility systems . Conversion to primary status would have an impact on for-profit utilities . neutral +The new standard in civilized countries is the 3 + 1 family unit , you know . Family unit 's are usually 3 + 1 at this point . entailment +From 1925 to 1935 several wide-ranging reforms were introduced by President Ke ? έal . The President introduced reform in the 1940s . contradictory +The original late-14th-century pavilion , completely covered in gold leaf , was typical of the unrestrained opulence of the Muromachi period favored by Shogun Yoshimitsu Ashikaga , who had it built for his retirement at the ripe old age of 38 . Shogun Yoshimitsu Ashikaga was wealthy . neutral +Personal Communication with J. Bushman , Alstom Power , February 19 , 2002 . No communication . contradictory +developing information on the existing security risks associated with reading information on the security risks that are linked contradictory +if they do then you have you always have the recourse um you know before we do anything we sit down and talk with the person about is there any reason why this should have shown up and a lot of times you know uh We don 't talk to the person until we know more . contradictory +Several islands and Greek city-states agreed to work together , and created a treasury to fund their plans , which was held on the island of Delos . As home to the treasury , the island of Delos was most powerful . neutral +uh-huh well i 've lived in a small town before and was quite aware of the local radio station at that time and i know how they are I have always been from a large city . contradictory +Though Cretans are bemused as to why anyone would want to hike without any purpose but the pleasure of it , they have a genuine welcome for travelers on foot . Cretans know why people hike for pleasure . contradictory +GAO 's congressional policies and protocols apply to all investigative work conducted by the Office of Special Investigations unless an exception is specified herein or noted in advance . The GAO always applies to all investigative work conducted by the Office of Special Investigations . contradictory +Village households still wash their laundry in these waters . The village people haven 't used these waters to do laundry in a long time . contradictory +and you knew this these people are going to come and if you were in your house they were going to take you and beat you of course you 're gonna just gonna pick everything up that you can carry and you 're going to run You know that you are unsafe with these people in your house . entailment +popped that credit card out it was a Sears The card that came out was for Sears , but I really didn 't need anything there . neutral +and those held that 's interesting i didn 't know they could do that I didn 't know they were able to do that , but now you told me neutral +yeah yeah yeah well they make you feel special you know i live alone with my five year old and my cat and she really does she makes me feel like she cares about me and My cat makes me think that she does not notice me at all . contradictory +And that 's where I mean to score . I mean to score there . entailment +yeah yeah he 's good coming off the bench now of course the other they got Sam Perkins He may be formidable against Sam Perkins . neutral +Then the papers , said Sir James slowly , " are still at the back of the picture in that room . " The papers have been in the back of that room for many years . neutral +But for a married man to have oral sex with a woman employee less than half his age in the Oval Office --I can 't claim not to be offended by that . I am offended by a man having oral sex with a woman that is not his wife . neutral +A post ironic sensibility / naivete . She was ironically innocent and ignorant . neutral +But I must ask you to trust me . I need you to put your faith in me . entailment +For drinks and snacks at the water 's edge , there 's nothing like a beach restaurant . There is nothing to eat on the water 's edge . contradictory +But those are her tragedies , not our business ( or Wall Street 's ) . Those are not our tragedies ; they 're hers . entailment +The walkway here once had a ditch and drawbridge to protect the inner gate , called Portcullis Gate , which was reconstructed in the late 16th century on 14th-century foundations . The Portcullis Gate is an important historic monument . neutral +In the Chapelle de la Vierge ( beyond the choir ) is the monumental Renaissance Tomb of the Cardinals of Amboise , with superbly sculpted allegories of the cardinal virtues . The Renaissance Tomb is for the Catholics . neutral +Economic research suggests investment in information technology also may have led to faster growth in total factor productivity since 1995 . There have been no studies that indicate information technology leads to productivity . contradictory +Similarly , the model assumes a constant coefficient for population . The model thinks population growth is a constant 14 % . neutral +The Astronomer said , " I don 't understand you . " I didn 't make my point very well . neutral +Well , well , said the Industrialist . The Industrialist did not say a word . contradictory +Preston Bryant , R-Lynchburg , won 't be addressed until next year after the Virginia Housing Commission , prompted by a Senate Joint Resolution , offers its recommendations based on a statewide study of rent-to-own contracts and other housing issues . The Virginia Housing Commission has recommendations for rent-to-own contracts , which are often predatory . neutral +The Planetarium Theater presents dramatic astronomical shows several times daily . There are seven shows every day at the Planetarium Theater . neutral +uh women my age about then were maybe having trouble with parents or mothers and a friend of mine bought me something called My Mother and Myself and i tried to read it and i went this is i did the same thing i went this isn 't anything The book my friend gave me was very helpful with the trouble I was having . contradictory +and one of them was even a woman who was fairly old and i guess she she had her own separate room and i think whether it 's more a custom up there or maybe because i was younger and it 's just not a custom anymore The woman was young and had a shared room . contradictory +process one out of every four checks in the country . The country 's checks are never processed . contradictory +I want to stress that our proposal would maintain the statutory preference for veterans and that we have no intention of deemphasizing our attempts to attain and maintain a highquality and diverse workforce . We are seeking to even the playing field and eliminate the discriminatory practices of showing preference for special groups like veterans . contradictory +uh-huh uh-huh he didn 't leave the baby yeah He always left the baby . contradictory +Special Report to the Health Effects Institute , Cambridge MA , July 2000 Special report on health effects institute was published in Cambridge MA on July 2000 entailment +At just 57 km ( 35 miles ) long by 22 km ( 13 miles ) wide , first glance might indicate that two days would be sufficient to see the whole place . At first glance , the place seems like it may take years to explore . contradictory +Chairman The Honorable John D. Dingell Ranking Minority Member Committee on Commerce House of Representatives John D. Dingell is an honorable chairman . entailment +The atmosphere is richer , more Africans , Asians , Indians , and whites of various origins have become absorbed and transformed into the fascinating culture known as Creole . There are no people of African or Asian descent in the Creole culture . contradictory +The most controversial part of Finkelstein 's book , though , is the last chapter , in which he sets out to explain why the Goldhagen book was such a big deal . Finkelstein has never written a book of his own . contradictory +It was here in the third century b.c. that the famous mathematician Archimedes is said to have proven his water displacement theory in the bath , and then run naked into the street crying Eureka ( I have it ! ) Archimedes was an infamous flasher who terrorized the town with his malignant antics . contradictory +We take these obligations very seriously with all of our responsibilities , including those relating to the Congress ' concerns regarding the recent accountability failures in the private sector . Obligations are taken very seriously as with every responsibility . entailment +The prior Executive Order contained a similar requirement now found at section 3 ( b ) ( 2 ) ( A ) of the newly effective Order requiring that the preemptive effects of the rule be specified . Section 3 ( b ) ( 2 ) ( A ) contains requirements for rules . entailment +The king was converted and the plant has been a symbol of Ireland ever since . The plant was a symbol of Iceland . contradictory +Corporations have responded by funneling millions into ANC campaign coffers . The response of corporations has been to donate millions into the ANC campaign . entailment +it is the best system that 's out there right now but it does need some fine tuning at this point We 'll have to elect a new set of politicians if we expect any change to happen . neutral +The largest cathedral in France , it is celebrated for its statues and bas-reliefs and the oak carving of the 110 choir stalls , the work of great 16th-century cabinet-makers . It has the oldest oak carving in France . neutral +The sky isn 't falling now , kid . The world isn 't ending now . entailment +For example , T and A data may be recorded ( 1 ) daily , ( 2 ) when deviations occur from an individual 's or agency 's established work schedule , or ( 3 ) at the end of the pay period . T and A data may not be recorded on a daily basis . contradictory +Of course , the shape I 'm in , by tomorrow morning I 'll have forgotten the entire episode . I was so drunk , I will not remember a thing . neutral +Unlike most strips , his was about adults , albeit adults depicted as children . His strip was about kis . contradictory +You will also find the ubiquitous T-shirt in a variety of styles , along with swimwear and footwear . The shirts and shoes are very cheaply made . neutral +Then he sat on the edge of the bed to think . He laid on the floor to watch tv . contradictory +A key step in the process of gaining this assurance is conducting a risk assessment , an activity that entails a comprehensive review and analysis of program operations to determine where risks exist and what those risks are , and then measuring the potential or actual impact of those risks on program operations . There is always a need to measure risk . neutral +'But we have certain concerns about image copyright . In this case image copyright is of no concern . contradictory +no actually i 'm i 'm not involved in anything like that at work or uh anywhere uh i don 't have anything to fall back on at all Yeah I 'm involved in something like that at work . contradictory +Which of the two is my bird ? " Tommy had thought out this question . Tommy is having a hard time recognizing his bird without his glasses . neutral +We can 't expect him to skip G-7 summits so that he can collect roadside trash . It 's not surprising that Jim takes the G-7 summits so seriously . neutral +His name is Thorn . His name was Adam . contradictory +IRS established a program similar to GSA 's in 2000 at the request of the National Treasury Employees Union . The National Treasury Employees Union requested that the IRS establish a program similar to the GSA 's program in 2000 . entailment +Tommy , you 're a sport ! Tommy , I adore you ! neutral +To suggest any other reason is totally absurd . It is absurd to think that there are no other reasons . contradictory +28The Journal of Economic Perspectives , Vol . 10 , No . The journal of economic perspectives vol 10 no 28 entailment +yeah smaller the the companies it 's either the smaller company you you you 're in to into the consulting side and they 'll you 'll finish up a project and you 'll get the little bonus that type of thing The smaller the companies are , the more they focus on consulting . entailment +In addition , requiring the same level of reduction at a An increase by the same level contradictory +The factional war within the Reform Party , then , represents the decomposition of the movement into its Northern progressive and Southern populist wings . The factional war in the Reform Party has lasted for years . neutral +A generation ago , Abbott 's book was hailed as a landmark , a visionary expose . That was the only book that Abbot ever wrote . neutral +If auditors make the judgment that certain additional information should be excluded from a publicly available report , they should state the nature of the information omitted and the reasons that makes the omission necessary . Information was omitted due to its sensitive nature . neutral +Privacy Act of 1974 ( Public Law 93-579 ) a The Privacy Act protects the privacy of individuals identified in information systems maintained by federal agencies by regulating the collection , maintenance , use , and dissemination of information by such agencies . The Privacy Act is protects the people 's privacy . entailment +all things considered i 'd rather be a cop on the street because once i walk inside the gates the inmates have more rights than i do say an inmate swings at me or he 's raised his fist threateningly toward me i 've got to let him hit me before i can hit him bac k to be justified have it called what they call a justified use of force I don 't want to be a cop in Californian jails because its more difficult to defend myself . neutral +The supplementary information published with the Final Rule clearly states the preemptive effect to be given to the rule ; what , if any , retroactive effect its provisions may have ; and the administrative procedures to be followed prior to any judicial challenge to provisions of the rule . There are no procedures to follow , we can challenge a rule whenever and however we want . contradictory +USA Today described the models as struggling actresses , reported that they were unaware of the health risks of donating eggs , and quoted one as saying , I 'd rather do this than do Playboy or Penthouse . Harris ' sole verified bidder told the paper that selling eggs was better than prostitution . Some women are not familiar with the risk of donating eggs . entailment +The dome of the palace church rises 92 meters ( 302 feet ) . The tallest dome on the palace church has a height of 45 metres . contradictory +Even with television and the Web , the Times ' news judgment is still the final word for many outlets . No one listens to the Times . contradictory +my wife used to plant a few snow peas i don 't really care for snow peas well she just plants a few for herself My wife likes snow peas because her mother cooked them when she was growing up . neutral +From years of corporate bathroom use , the rule among men seems to be nothing spoken in the sit-downs , banal comments of the Hot enough for you ? Men have more restrictive bathroom conversation protocols than women do . neutral +yeah uh-huh yes i don 't i don 't think i 'm a real true trooper you know when it comes to camping all the bugs and stuff but i i try I don 't like all the bugs when camping . neutral +As companies found themselves increasingly squeezed between the demands of workers and stockholders , however , they started pressuring their insurers , who passed that pressure on to hospitals , doctors , and other providers . Insurers are happy to pass costs onto their customers . neutral +Connolly said her program has been working to provide free legal services for 25 years , and the demand isn 't abating . Most free legal services are used to enforce rental contracts . neutral +( verification and validation , defined Verifying and validating entailment +so i suppose for that reason we will always have a credit card of some kind but We don 't use a credit card for our groceries or any monthly bills . neutral +Boots made from soft goat hide are part of the national costume ( women 's versions have red leather trim around the ankle ) . They wear boots made of goat hide . entailment +In total , 113 comments were received from representatives of state and foreign governments , international economic and political organizations , veterinary associations , state departments of agriculture , livestock industry associations , exporting and importing industry associations , and other interested parties . Over 100 representative comments were received in total , including comments from foreign governments . entailment +The term includes the purchase of , or participation in , a loan made by another lender . The lender charged a high interest rate . neutral +He did not say that he would take any action in response to He asked if monetary policy should be any different if there were overvaluation . He was curious if overvaluation would change monetary policy . entailment +My attention was attracted by the story of Annie about some ' salt ' on the tray of coco which she took every night to Mrs. Inglethorp 's room . Annie was lying about taking salt on the tray to Mrs. Inglethorp 's room neutral +" That is not what I was about to say , Senor Rivas . How did you know I would say that ? contradictory +In the end--although you 'll hear plenty of people tell you that this is an old-fashioned idea--a stock 's price is a mechanism for discounting the future . The stocks can have a negative impact on the future . entailment +After the publication of two early installments , Daddyji and Mamaji , each the length of a book , one critic Enoughji ! Daddyji and Mamaji were the early installments . entailment +My wife went to Florida with her mother once . My wife has a lot of pictures from when she visited Florida with her mother . neutral +Guided tours of these subterranean caverns with their dramatic stalactites and stalagmites are organized by boat from Alghero or on foot directly at the site , down a steep stairway in the cliffs . The tours of the caverns usually take 2 hours . neutral +The act proposes to create an administrative framework under the Department of Community Affairs to contract with a statewide not-for- profit group to allocate funds to nonprofit legal organizations . Statewide not-for-profit group can now allocate funds to nonprofit legal organizations . entailment +well of course there 's this other one that i 've i 've talked to fairly regularly in Dallas um same thing her husband signed up for it and she 's the one that does it She does the thing that her husband had signed up for . entailment +Princess Margaret began the tradition , to be follo wed by three of the queen 's Anne , Andrew , and of course Charles , who journeyed with the newly designated Diana , Princess of Wales , around the Mediterranean in 1981 . The tradition to travel around the Mediterranean , which was followed by Anne , Andrew , and Charles , was started by Princess Margaret in 1981 . entailment +That 's all very well , I objected , " but how are you going to decide what is important , and what isn 't ? My objection was received well and given due consideration . neutral +i 've got a lot of especially right now we 've got several new products coming out and i 've got lots of documentation i need to review and some i need to revise We haven 't had any new products in years , leading to very little documentation for me to review . contradictory +Eszterhas is reminiscent of Playboy ' s Hugh They share the same exaggerated sense of importance , the same pontificating humorlessness about their ridiculous jobs . Playboy 's Hugh wakes up at 7am every day to look at himself in the mirror . neutral +This type of addition to the record after the close of the comment period and the need to reopen the comment period are discussed in Sierra Club v. Sierra Club was a landmark in deciding how to control the comment period . neutral +There is , indeed , a fine collection there . The collection there was lacking . contradictory +At the upper terminus there is a four-level shopping center , the Peak Galleria , and the Peak Tower , which resembles an airport control tower and has shops , entertainment , and restaurants . The Peak Galleria is a giant shopping center with shops , entertainment , and restaurants . entailment +yeah they 've got an awful lot of good draft picks coming up it 's going to be interesting to see what they do with them They have a lot of really good picks for the draft . entailment +All of the governmentwide and agencyspecific resources discussed thus far are passive information systems , requiring users to take the initiative and find out about upcoming and recently proposed rules . Passive information systems are becoming more and more popular nowadays . neutral +but then i have to wait for my tomatoes have to go in here in the next couple of weeks I can put my tomatoes in here as soon as possible . contradictory +uh-huh well do you agree with that requirement that they meet those uh academic She disagrees about the academic requirements , doesn 't she ? contradictory +Since Orange is the gateway to Provence , make an appropriate entrance into town from the north , at the imposing three-arched arc de triomphe . You should enter the city from the South . contradictory +Signs of a renaissance of the handwritten word are here and there discernible . A resurgence of handwritten words is apparent . entailment +There were signs of struggle , but all the doors had been broken open from the inside . It looked like they had gotten in a big fight . neutral +To them , Timon , Pumbaa , and Pee-wee are just goofy characters . They think that Timon , Pumbaa and Pee-wee are only silly sometimes . neutral +There 's that , said Tuppence suddenly , pointing to a small , old-fashioned safe let into the wall . Tuppence sat on the floor and didn 't say anything . contradictory +'If it happens , I 'll be the one they send . ' They will send me . entailment +Lorenzo the Magnificent and brother Giuliano lie in simple tombs beneath the sculptor 's Madonna and Child , flanked by lesser artists ' statues of the family patron saints Cosmas and Damian . Lorenzo and Giuliano were related to one another . entailment +Really ” I can 't remember . I never knew it . neutral +i 'm not young anymore I am young . contradictory +oh yeah i talked to one we 're not on the subject of course i talked to one i think he had a whole bunch of calls he had a roommate that had calls and everything he had way more twice as many calls as as i 've made uh I talked to one who had a roommate who uses the phone . entailment +Start perhaps with an evening ride along the open-air restaurants on Jalan Taman , better known as Glutton 's Corner . These open air restaurants serve food of various cuisines . neutral +In crafting the H-2A program , Congress was acutely aware of the vulnerability of temporary agricultural workers and of problems that had arisen under other such programs , particularly the Bracero Program . Congreass created the H-2A program with no knowledge of the concerns facing temporary agricultural workers . contradictory +FEMA inspectors were in Kerrville again Wednesday , inspecting some damaged homes . FEMA will be helping the homeowners in Kerrville . neutral +and it 's i 'm surprised that the ozone doesn 't have it 's own wind pattern I 'm not surprised the ozone doesn 't have a wind pattern . contradictory +The Palais des Tuileries was destroyed by fire during a workers uprising in 1871 . The fire was caused by a monstrous lighting storm . contradictory +The Dreyfus case is all but unmentioned in the Metropolitan show and catalog . The Dreyfus case was so bad that the Metropolitan almost left it out . neutral +The ratio of occurrence of hydrogen-ammonia planets and these super-dense water-oxygen worlds of theirs over the entire Galaxy--and remember that they have actually conducted a survey of significant sample volumes of the Galaxy which we , without interstellar travel , cannot do--is about 3 to 1 . They have used a large sample of volumes . entailment +A mouse , or some such , must have nibbled the wire through . It 's not surprising that a mouse got to the wire . neutral +The classic night out in Lisbon still belongs to the fado clubs ( casas de fado ) in Alfama or Bairro Alto . The premiere clubs are in Alfama . neutral +The record establishes that , with the exception of the most minor and undisputed claims , none of the employment claims for which Congress authorized representation can be completed during the brief period that the H-2A worker is in the country , even if the claim arose early during the worker 's stay and the worker was immediately able to contact legal services . Most employment claims can be completed while the worker is in the country . contradictory +yeah it 's a lot more humid down that way It 's a lot more humid in NY than here . neutral +The city 's urbane residents enjoy their galleries , theaters , and exhibitions as much as visitors do . The most popular gallery in the city is the Justin-Mark exhibit near the waterfront . neutral +Those are our terms . Those are our conditions . entailment +The award was named after the chief justice of the Indiana Supreme Court to honor his statewide vision on justice . The award is only presented to justices on the Indiana Supreme Court . neutral +It is especially beautiful at night , when the lights of the city shimmer below . The city is the 45th biggest in the world . neutral +And aren 't we all ? And is anyone not ? entailment +No liability was conceded , but Cortes-Espino got full restitution . Cortes espino wasn 't charged with liability entailment +In Eilat you should look for Eilat stone , an attractive combination of malachite and azurite . Eilat stone cannot be sourced anywhere in Eilat . contradictory +He had the proper wavy black hair and rat-tailed comb stuck into a slightly dirty off-white jacket . He was wearing a slightly discolored off-white jacket . entailment +The Autun tympanum 's rich carving of Jesus presiding at the Last Judg ? ­ ment is full of vitality . The Last Judgment tympanum is surrounded by several other carvings . neutral +As for the Mississippi Bubble , it burst in 1720 . The Mississippi Bubble burst in 1720 . entailment +Tradition dictates a toss of a coin over your shoulder to ensure a return trip . Tradition says for you to throw a coin over your shoulder to make sure you get a return trip . entailment +For these people , the New Economy offers more promise than hazard . The New Economy appears to hold promise for some people . entailment +kind of scary Quite frightening . entailment +San 'doro looked at Jon from under his hood , a line of blood drawn across one eye . San 'doro had been hit in the head . neutral +Do not try to convince them that they need us . Don 't tell us we 're needed by them . entailment +The preamble to the final rule discusses issues raised by various commenters in the areas of the use of self-service displays , vending machines , restrictions on sponsorship of events except in the corporate name and loss of employment and maintains its conclusion that there would be no taking under the Order . The preamble to the final rule discusses issues raised by various commenters in the areas of the use of self-service displays . entailment +Sales of foreclosed associated with pre-1992 direct loans and loan guarantees ( 586 ) We are reporting on post-1992 loans . contradictory +With slow precision she began to cut open the woman on the altar . The woman ran out of the church before anything could happen to her . contradictory +In fact he renders his message in such appealing , facile strokes that one wants to believe he just panicked after the success of High Fidelity and turned out a callow rush job . He performed horribly in High Fidelity . contradictory +The large permanent encampment of homeless people around Tennoji Park makes the area more than a little seedy ( but not at all dangerous ) . There are a lot of homeless people that live around Tennoji Park . entailment +This may be RAPS4 , which is designed for the ED , but it needs further direct testing . The RAPS4 has been created and designed , primarily for the EX . contradictory +For purposes of city and rural delivery cost analysis , we present ( 1 ) a comparison using the actual labor costs of the two crafts , and ( 2 ) a comparison using the average labor costs of all Postal Service collective bargaining employees . This comparison of labor costs is about road construction in the city vs. the rural areas . contradictory +The square ( also called by its former name Terreiro do Paao ) , wholly wiped out by the great earthquake of 1755 , has seen its share of watershed political King Carlos and his son were felled by an assassin 's bullets there in 1908 , and it was the site of one of the first uprisings of the Carnation Revolution of 1974 . Although King Carlos was shot by an assassin , his wife was not . neutral +Continuing south , opposite Tournon , there is the lure of the celebrated Cetes du Rh ? ? ne at Tain-l 'Hermitage . Farther south , it is possible to spot the Cetes du shrine at Tain l 'Hermitage . entailment +Art-house and international films are shown at the Irish Film Centre in Eustace Street . The Irish Film Centre shows art-house films . entailment +which is really international and and it keeps reminding me you know that this we 're we 're really in an in an isolated different situation here and i keep saying no wonder the rest of the people in the world vote for in the country vote the way they do i mean No wonder the rest of the country votes like they do , since they always get bad information . neutral +It 's named after the iron pan in which the saffron rice is cooked . Saffron rice is the inspiration for its name . contradictory +We can all agree on that , without agreeing on which are the exceptions . We can 't all unanimously agree on anything whatsoever . contradictory +Pierre Belain d 'Esnambuc , the Norman adventurer who first claimed Martinique for France , also has a statue here , but cast in less regal bronze . There are no statues anywhere in this area . contradictory +The dust fills a man 's lungs , stealing years off of his life . A man 's life can be shortened by years because of the dust in his lungs . entailment +hm yeah you won 't get that at MIT or Berkeley or anything like that and you can and you know you can 't blame the professors either because you look at their job description you 'd see you know teaching is third down on the list of importance things and The teachers at top colleges are too busy with their own projects to worry about the students . neutral +Once on a particular island , you can easily get around on foot or rent a car for more in-depth exploring . It 's impossible to get around by car on the island . contradictory +The Board agreed that the fair value of stewardship property transferred to state and local governments need not be determined and reported . Property transferred to state governments does not have to be reported . entailment +( Actually , some of the bombs were pretty good movies , like Wolf and Remains of the Day , while others , like the much-maligned Last Action Hero with Arnold Schwarzenegger , were failures in an interesting way . ) The Last Action Hero , Arnold Schwarzenegger was in the film Wolf and Remains of the Day . contradictory +Here , also , the town tycoons transact business in the civilized Spanish over Sherry or brandy . The town tycoons conduct business here in civilized Spanish over alcohol . entailment +Cummins uses statistical process control data to measure a product 's readiness for production . Cummins determines whether it is time for production . entailment +Keep your eye on that sad-faced electronics specialist . Don 't worry about the happy-faced electronics specialist . contradictory +oh i haven 't ever talked that long I keep conversations short . neutral +One of the biggest hurdles that many entities face in the process of managing improper payments is overcoming the propensity toward denial of the problem . A big challenge for entities in handling improper payments is the tendency to deny that there is a problem . entailment +From left to right they Haghia Sophia ; the Blue Mosque ; the Nuruosmaniye ( above the Galata Bridge ) ; Beyazet Camii ; the Beyazet Tower ; the Seleymaniye , looming over the far shore ; the ? ? ehzade Camii ( in the distance ) ; the Aqueduct of Valens ; the twin minarets of the Fatih Camii ( above the Ataturk Bridge ) ; and the Sultan Selim Camii . There is a series of mosques in the area . entailment +Merry goat 's egg skull stink Because it was dead , the goat 's egg skull stunk . neutral +If you want to spend some time independently of your children , most large hotels have good akids ' clubs ' where the days are filled with fun activities . Usually the clubs will take any kid 6 months or older . neutral +The Gupta empire began to crumble in the fifth century , with the onslaught of the so-called White Huns . The Gupta grew in power and strength in the fifth century . contradictory +But in addition to sampling the products of the cellar masters , visitors will find gourmet meals , wonderful towns , important churches , and dense forests . Their are only cellars to check out . contradictory +we can go north to two of them or south to three of them or just over west a little bit further and there 's two more over there there 's just all around us but and we 've been to everyone of them over the time We can go north or south . entailment +They are made in several sizes for children and adults , for carrying odds and ends , or for buying out the supermarket . Several sizes are made for various users and purposes . entailment +um-hum well how long you been in San Antonio You 've never been in San Antonio . contradictory +During the 14th century , Chios enjoyed a period of wealth and stability under the Genoese . Despite it 's once stable nature , Chios has since become very volatile . neutral +uh well i can 't say that but i 've helped out as best i could at home and uh you as you know with five children it takes a lot of work Five is too many . neutral +i 'm surprised during this Iraqi crisis we didn 't have more incidents than they did these guys are top of the line when they when they graduate from there they can pull terrorist actions anywhere in the free world and they are very very good at what they do so until i see the entire quote old guard of the Soviet military of the Soviet government completely roll over and disappear preferably buried i still consider them a threat I am surprised that happened so much in Iraq ! contradictory +You know a great deal more than you 're willing to admit . " Tuppence paused a moment to admire her own ingenuity , and then said softly : " I shouldn 't like to contradict you , Mr. Whittington . " Even though Tuppence admires Mr. Whittington , he is completely clueless . contradictory +okay i 'm uh we 're not that we 're not that big at dining out but uh in fact i guess since since uh we don 't make it uh uh make a big hobby of it or anything we 're we 're really into uh we 're interested in economy and uh you know a nice enough atmosphere that you can carry on a conversation We dine out as much as we possibly can . contradictory +It is possibly the most tried and true dramatic plot known to man . There is a dramatic plot . entailment +It 's nice to receive , knowing what kind of lawyer Mike Barnes was . Mike Barnes was known by some people . entailment +Why does he bother to appear ? What motivates him to make an appearance ? neutral +Admission prices are lower in Alicante than in Benidorm . Admission prices are cheaper in Benidorm than in Alicante . contradictory +These notes were subpoenaed by special prosecutor Kenneth Starr on June 21 , 1996 . It was Ken Starr who subpoenaed these notes in June of 1996 . entailment +There will also be annual reviews of Hong Kong 's political and human-rights situation in the U.K. There will not be any reviews of Hong Kings political situation in the UK contradictory +In addition , the organizations were concerned about appropriately securing the information being shared to maintain member anonymity , when desired , and avoid inappropriately disseminating sensitive or proprietary information to nonmembers . The organizations had no concerns other than their day to day activities . contradictory +Web advertising holds the strange position of being almost entirely unregulated . Web advertising is much more effective than other advertising platforms like television and radio because it allows much more freedom . neutral +Due to their lack of awareness of their problem , these patients are unlikely to present for treatment on their own . They are not aware of their problems . entailment +Direct Reporting of Fraud and Illegal Acts Anything illegal will be reported neutral +He would later tell a New York Law Journal reporter of the deafening , thunderous , whistling noise that was like a missile - a sound I never hope to hear again . I hope to never hear that sound again . entailment +The company also offers a range of formal classroom training , less formal workshops , and informal mentoring programs . Formal classroom training is not one of the services offered by the company . contradictory +Unless one believes that the lives of Europeans are intrinsically more valuable than those of Africans , the humanitarian justification for military intervention is unsustainable , he wrote . He fully supported military intervention . contradictory +The university is one of Israel 's proudest achievements , where you will find the Jewish National University Library and the landmark mushroom-domed University Synagogue . The university and small and rarely mentioned by Israel . contradictory +'I think I 'm going to try and find the bathroom . ' I 'm going to look for the library card . contradictory +The Kal straightened , the kick to the groin seeming to be much less debilitating than it had appeared . Kal straightened after being kicked in the groin by the demon . neutral +In general , the wages , benefits and working conditions the employer intends to offer to H-2A workers must also be offered to recruited U.S. workers , which includes lawful permanent resident aliens . US workers are entitled to the same benefits as H-2A workers . entailment +Pay the museum admission , then take the escalators running in transparent tubes from the bottom left to the top right hand corner and see Paris unfold before your eyes . You can take the escalators in transparent tubes without paying the museum first . contradictory +I could ask myself why ? but I know the answer . I ask myself why all the time because I do not know . contradictory +oh it was well they consider it to be the same as cash The don 't consider it the same as debit . contradictory +when i was at my parents down there When my husband and I were visiting my parents there . neutral +In a minute , when I 've done with you , you 'll go to bed as I told you to . You can go to bed now . I will finish my task tomorrow . contradictory +The tomb of Al-Mansur Kalawan is at the heart of the complex and is surrounded by beautiful screens of ornate Islamic fretwork . The tomb is at the center of the compex . entailment +Adrin and the Kal spent much of the walk back to A 'deem 's home in chatter . Neither Adrin nor the Kal spoke as they walked back to A 'deem 's home . contradictory +Three--count ' em--online weather stores , including the WeatherStore , hawk meteorological gizmos . Three online weather stories refuse to hawk meteorological gizmos . contradictory +right and i was i was going to school in his prime back when we had Archie Griffin and we were winning all the Heisman trophies and going to Rose Bowl that was when i was going to school there We were never good at football . contradictory +And then he 's bored--obviously carpooling wasn 't for him--and so he comes back for more . Carpooling is his favorite . contradictory +Tristan Da Cunha , one of the new graduates starting Cates , Katalinic and Lund asked with a shrug , furrowing his brow as if the question had never come up . Tristan did not know if the question has come up before . neutral +or you starve You will starve . neutral +If a husband knocks his wife down , breaks her jaw or arm - abuses her terribly - he will be picked up and put in jail . A husband will be thrown in jail for a month for hitting his wife . neutral +Finally , the variability ( or elasticity ) of time with respect to volume for the five quintiles differs The variability of time with respect to volume is different . entailment +This was the field base for Howard Ceter during the long search that finally resulted in the finding of Tutankhamun 's treasure-filled tomb . Ceter used this as his base of operations when searching for Tutankhamun 's tomb . entailment +Stewardship PP and E would include stewardship land ( that is , land not acquired for or in connection with general property , plant , and equipment ) ; heritage assets ( for example , Federal monuments and memorials and historically or culturally significant property ) ; and Federal mission property , plant , and equipment ( for example , space exploration and military weapons systems ) . Stewardship PP and E is highly visible to the public yet comprises a relatively small part of the federal budget . neutral +The museum was filled with inaccurate biographical details and poorly-shot photographs . The museum had lots of photos that were out of focus . neutral +Among its many responsibilities , OPM receives tens of thousands of federal employee claims for retirement and insurance benefits each year . Each year , OPM receives tens of thousands of federal employee claims . entailment +and uh well there 's there 's something that that the US did right which is say say you know okay let 's kick him out of Kuwait which was our basic goal One thing America did right was to say they were going to get him out of Kuwait . entailment +Louis XIV was very envious of the Grand Canal , ponds , and waterfalls designed by Andre Le N ? ? tre and insisted the master gardener do even better at Versailles . The master gardener had long had many ideas that could not be realized on the budget allocated . neutral +i guess uh there have been certainly a lot of changes in the last couple of generations for uh the roles of women Women 's roles have hardly changed in the last few generations . contradictory +In my old dictionary , plutonic means of Pluto , infernal . In an older dictionary that is the definition of plutonic , but things have changed . neutral +Having a qualified and independent board is important but not enough . The board being qualified isn 't important at all . contradictory +And malignancy develops slowly . It takes a very long time for malignancy to develop . neutral +But first he has to get the Democratic nomination , a race he has clearly decided he can 't win in that lane . He needs a million votes to get a democratic nomination . neutral +Take a felucca ride on the Nile it 's fun being out on the water for children and adults alike . You cannot take a felucca ride on the Nile because it 's too dangerous . contradictory +Jon led their group to the Kal as the large man talked to the man in the tall hat . While the big man had a conversation with the man wearing a hat , Jon and their group headed over to the Kal . entailment +You are too amiable , madame . You are a welcoming presence . neutral +The Islamic and Chinese empires were world powers , but the conversion of the Magyars , Russians , and Vikings to Christianity was setting the stage for Europe 's ascent . The Vikings never adopted Christianity . contradictory +Ice hockey fans can watch the Los Angeles Kings play at The Forum in Inglewood ( from November to March ) ; Anaheim 's Mighty Ducks play at the Arrowhead Pond of Anaheim , the new arena acrosefrom Anaheim Stadium . Ice hockey fans can watch NHL games in the area . entailment +What they are saying is that even though contribution limits are so popular that voters are clamoring for more , and even though these limits are embodied in a law duly enacted by a majority in Congress and signed by the president , unelected judges--I believe that 's the usual epithet--should tell the people they can 't have their way . The judges are elected to all positions . contradictory +and uh then we just had about an inch and a half or two inches of rain in less than an hour it was just coming down by the bucketfulls and a great deal of lightning it it wasn 't uh it wasn 't conditions to being out in it and i had just gotten home we had a lot of tornado warnings also We had a couple inches of rain . entailment +well a little more modern day but not much A little more up to date but not a lot . entailment +uh-huh we planted some uh yellow peppers this year we 've tried it before and nope we haven 't had much luck with it we 're going to try it again this year We hope to have better luck in planting yellow peppers this year . entailment +Nationally , law school tuition doubled between 1991 and 2001 , according to the National Association for Law Placement , based in Washington , D.C. Law school tuition has dropped significantly . contradictory +i enjoyed the book quite a bit too so that 's that made it made it more interesting to me I liked the book a lot so it made the movie more interesting to me . entailment +The old bird-cage lift will take you up to the second-floor museum for a look at the suite used by Ataturk . You can reach the second floor with the old bird cage lift . entailment +Queen Victoria arranged for the bones of David II , James II , James V , and Lord Darnley to be re-interred in a common tomb . Queen Victoria allowed the remains to stay right where they were . contradictory +In 1986 , he sued to block publication of Ian Hamilton 's biography , In Search of J.D. Ian Hamilton 's biography was personally offensive to him . neutral +The same things over and over . New things everytime . contradictory +There 's nothing very romantic about the murky waters of the Arno river , with its broad , 19th-century lungarni embankments that protect it from flooding . Floods are often avoided on the Arnor river because of its lungarni anti-flood embankments . entailment +and there 's a lot of things out there that we could do uh for our own country let alone other countries and i think that we 've got the the people power to do it it 's just uh we need We can 't do anything about the bad stuff in our country . contradictory +The amended bill produced by the conference committee was enacted as Pub . The amended bill was completed in three weeks . neutral +Old man , said Adrin . Adrin referred to the young man . contradictory +Gays and lesbians . Homosexuals . entailment +yeah so Twin Peaks um what happened was i think Twin Peaks um went went off they moved to a Saturday night for a while and then put and then put something i guess Gabriel 's Fire on it and at Thursday nights and then they moved um no Gabriel 's Fire was on CBS i think i i take that back i 'm not sure but anyway they moved it back and forth and that 's when Peaks was back in that time slot as well so i don 't know I wish they 'd leave the schedule alone , because I love watching Twin Peaks . neutral +Now that you 've made your choices , you can read on to discover whether you 're a rational creature . You can read on to discover if your choices are sound . entailment +This is the amount on the check the new owner writes . The amount written on the check belonging to the new owner is this amount . entailment +wow yeah and then it then it puts a lot of responsibility on you Having a kid puts a lot of responsibility on you neutral +yeah jumbo gumbo right is is is that with seafood Am I wrong to think you make jumbo gumbo with shrimp ? neutral +He grew cold from the inside out . His body grew cold starting from the inside . entailment +Nemeth maintained that Super 8 does not discriminate against short-legged dogs . Super 8 does not mind any kind of dog . neutral +At last I found a way ( since , happily and thanks to Bellow 's physical vigor , I wouldn 't have to write a deathbed scene ) : a conversation he 'd had with Martin Amis for a BBC documentary on Bellow 's life . He talked to Martin Amis about Bellow 's life . entailment +14 LEGAL SERVICES CORPORATION v. Services by lawyers . entailment +These are most dramatic during the spring and autumn equinox , when the sea comes in at a rate of nearly 50 m ( 164 ft ) a minute over a distance of 15 km ( 9 miles ) . They are least dramatic during the solistices . neutral +and you noticed all the pretty little trees that are out everything now the native trees And you noticed all the bushes and animals that are out . contradictory +yeah that 'd be sort of neat yeah well i like the idea of uh being uh a mandatory thing for welfare course that 's what um that 's sort of like what Truman had or or was it Roosevelt i can 't remember um with the big I would like that to be mandatory for welfare . entailment +Another roar of laughter echoed over the hills . Everyone was crying . contradictory +Havana 's next-best cabaret show , smaller and less expensive , is Cabaret Parisien , at the Hotel Nacional ( Calles 21 and O , Vedado ; Tel . 30-3564 ) , nightly at 10 : 30pm ; admission is US $ 35 . Cabaret Parisien is a cabaret show . entailment +The General Accounting Office ( GAO ) and offices of inspectors general have consistently identified problems with information technology acquisitions . Information technology acquisitions have consistently been a problem area . entailment +The country 's , indeed Europe 's , finest craftsmen once clustered in small leather workshops around San Lorenzo and Santa Croce , but goods now come mostly from factories in the periphery . Large factories used to produce Europe 's finest leather goods . contradictory +The Commission did not identify any other statute or executive order imposing procedural requirements relevant to the OASIS rule . A decision by the Commission is absolutely final and there is no chance for reevaluation of the circumstances of the OASIS rule . neutral +yeah my wife 's brother had a he lives in California and he had a Honda Accord i think and he had like a hundred fifty thousa nd miles on it and he sold it and uh never had a problem with it whereas i got a Chevette and it 's the car 's almost almost twelve years old and i got seventy one thousand miles on it is all and i 've had problems with it just all the time I have a Chevette that is almost twelve years old . entailment +It is the main distribution point for the famous Chablis white wines , but you may prefer to drive out to the vineyards in the delightful countryside east of the autoroute . Driving out to the vineyards in the countryside to the east of the auto-route is a popular choice . entailment +The Glory of Melaka The Glory of Melaka has been viewed by many people . neutral +First of all , how are you going to travel ? Are you going to travel by boat ? neutral +that 's kind of how we feel about it we can 't you know there 's there 's there 's things that uh the only thing that is forever is the earth well we hope it 's forever yeah and uh and you know therefore Nothing last forever , though we hope the earth does . entailment +you know and plus it also depends on the district you 're in as i mean on the i 've seen some districts where all the schools are lousy it doesn 't matter what you do I don 't think that the district really matters , as I 've seen very good schools even in disadvantaged areas . contradictory +The race has not yet lost it . " The race has already ended . contradictory +FHWA requires its senior executives to set critical and noncritical performance objectives that are tailored to their responsibilities within their respective offices and aligned with the FHWA Administrator 's performance agreement with the Secretary of Transportation . FHWA requires executives to set performance objectives . entailment +It made Ca 'daan 's skin crawl just to hear it . Ca 'daan hates the noise " moist . " contradictory +Small , mobile , battery-powered--is there anything more modern than that ? the Sherman tank is small mobile and battery powered . contradictory +Two escaped us . They escaped our grasp . entailment +We were not servile to the Soviet Union , said Poland 's last Communist Party prime minister , we were helpless before that huge force . Poland fought the Soviet Union for as long as they could which wasn 't long . neutral +and and i just just knew i was being photographed you know i just i 'm glad i don 't have to go through that experience again I didn 't like feeling like I was being watched . entailment +Kamari and Perissa are growing resorts with a range of hotels , bars , and restaurants . Kamari and Perissa now have hotels , bars and restaurants . entailment +My brother , I am convinced , had no more to do with the crime than I have . " Sir Ernest merely smiled , and noted with a sharp eye that John 's protest had produced a very favourable impression on the jury . Sir Ernest was happy with what John had said about his brother . entailment +As waves his hands when he talks ? He stands very still while talking . contradictory +you get started on them and can 't quit You won 't want to stop . neutral +The violence reached a climax in 1951 , with the assassination of High Commissioner Henry Gurney . Henry Gurney was the new High Commissioner in 1951 . neutral +Try Simla , Darjeeling , Sikkim , and , much closer to Delhi , the Naini Tal region . There are a lot of cities close to the region . neutral +These are only for decoration and not intended to ward off evil spirits volcanic or otherwise . There is a volcano near the decorations . neutral +aren 't aren 't they laying off several thousand people Aren 't a lot of people being laid off ? entailment +Traditionally , the danger to any management reform is that it can become a hollow , paper-driven exercise where management improvement initiatives are not integrated into the day-to-day activities of the organization . The management reform needs to be integrated correctly . neutral +the balance by the time they got their interest out of it and it took forever to pay it off and at that point i promised myself i would never pay interest on a credit card again so that 's kind of been my motto The balance took a long time to pay because of the interest . entailment +i mean it 's not as vast a country as like you know where you people are from because i lived in Abilene for a little while I lived in Abilene a very long time ago . neutral +Red recovered indignant breath . Red stopped breathing forever . contradictory +Many visitors driving from Paris to the Dordogne and Toulouse speed through this area on the autoroute , missing some very pleasant countryside and towns and the joy of driving on more relaxing routes nationales . The autoroute is , however , much faster than the routes nationales . neutral +Risk management must also consider the interests of key stakeholder groups , such as employees , customers and the communities in which the company operates . There are a number of stakeholders in the company . neutral +Beginning with Bennett 's afternoon press conference--Judge Wright should be complimented on her courage to make the right decision , notwithstanding all of the political atmosphere surrounding the case--the Clintonites incessantly lauded Wright 's bravery . Judge Wright has been appreciated for her courage to decide rightly for her own , say the journalists . neutral +The staff wear traditional clothing and work with the tools of their forefathers . The staff wear contemporary clothing . contradictory +The romance gods are fickle . The romance gods are also spiteful . neutral +The old reasons to head for the hills still make a trip to Simla more than valid , even if the old viceregal glamour has gone . Although the old glamour has faded , the same old reasons still make a vacation at Simla worthwhile . entailment +As a general rule , service area configuration decisions are evaluated against one overarching Program configuration should occur in a manner that maximizes the effective and efficient delivery of high quality legal services to eligible clients throughout the state within a comprehensive , integrated delivery system . You don 't have to follow any rules . contradictory +22 To put these earnings into perspective , the median annual earnings The earnings are being put into perspective . entailment +The final rule was determined to be an economically significant regulatory action under Executive Order The final rule was economically significant and was impressive reading for students . neutral +What are the constraints regarding the timing of the intervention ? The timing of the intervention is under some restrictions , what are they ? entailment +Furthermore , the traditional response to the observation is not in favor of greens , social critics , and other worrywarts who fret over issues such as population growth , but rather supports the capitalist argument that land tends to be used more efficiently under private ownership , in that the owner is interested in supporting the long-term value of the property . Traditionally , it is countered that land is more efficiently used under private ownership . entailment +Isidoro Macabich intersects avinguda Ignacio Wallis ; turn down it to the right and a few hundred metres later you 'll come to passeig Vara del Rey , a favourite spot to while time away in the town . Isidoro Macabich does not intersect avinguda Ignacio Wallis . contradictory +Don 't disturb the sylph , she ordered . She advised to not disturb the sylph . entailment +The blade cut again and blood spattered from a gaping wound in the man 's arm . The man received a paper cut . contradictory +And the sky is cracking and falling , as you have seen for yourself . Everyone can see it . neutral +The drugged coco , taken on top of the poisoned coffee , amply accounts for the delay . The delay can be explained by the fact that he coco was poisoned . entailment +and all and also the nice thing about belonging to a club is that you can have some of the relaxation you know like a sauna or There are no benefits to joining a club , rather exercise at home . contradictory +Greek mythology also has it that Andromeda , the beautiful daughter of the King of Jaffa , was chained to a rock at sea just outside the harbour , as a sacrifice to a sea monster ( but she was rescued just in time by Perseus ) . King Jaffa 's son was chained to a rock by the sea . contradictory +well and i noticed in my uh teaching experience that since a lot of the people were my own age or older even um that because i taught English as a second language so i didn 't have your average freshman student and um so i I feel like I didn 't have your average students probably because a lot of them were my own age , plus I also taught English as a second language with French as my primary . neutral +Real ' 50s slips had no relation to it at all . The design wasn 't related to the popular slips from the late 1950 's . neutral +Aloud he pursued his advantage : " And why am I so confident ? He asked a rhetorical question . entailment +Acquisition of property , plant , and equipment ( 585 ) Acquisition of property , plant , and equipment through exchange ( 597 ) Appropriations ( 592 ) Borrowing from the public ( 596 ) Borrowing from Treasury , the Federal Financing Bank , or other Government accounts ( 596 ) Cancellation of debt ( 589 ) Contribution by the general fund to the SMI trust fund ( 594 ) Cost difference between internal sales price ( reimbursement ) and full cost ( 593 ) Cost difference between service cost of pensions ( and other retirement benefits ) less the You can acquire property and equipment . entailment +The latter is a highly spiritual art in which , unlike judo , the opponents do not grapple at the beginning of the bout . Martial artists tend to prefer judo because its more practical . neutral +To the left is the 17th-century Igreja do Colegio ( Collegiate Church ) , originally founded by the Jesuits in 1574 . The Igreja do Colegio is very fine to visit . neutral +This one incident reveals the Egyptians ' ultimate belief in achieving the victory of Good over Evil through conduct in day-to-day matters . The Egyptians don 't believe in that good versus evil hulabaloo . contradictory +'My God , J , why ? ' Why had it happened . entailment +The huge stones slid remorselessly forward onto the prepared beds of rubble . The huge stones would not budge an inch . contradictory +yeah Oxbridge is nice ah everywhere in England is nice Oxbridge is a pleasant place , and so is every location in England . entailment +no no i usually just buy a pattern book i have several pattern books and i just go with those I don 't have any books contradictory +i mean it seems to me one might have choices if one radically restructured the system but that 's not really a possibility at this point it has it 's own inertia and Even if the system could be radically restructured , very little choice would nonetheless remain . contradictory +yeah you 'll meet friends invite invite the boss over and and the friends at work If you invite the boss over you will make more friends . neutral +Their tombs and stone markers range from the ostentatious to the elegant , the well preserved to the decrepit . Since all bodies are traditionally burned , grave markers are not needed . contradictory +And you went to Singapore ? A skeptic asked . The skeptic was curious because they had gone to Singapore too . neutral +whereas with my company they pay fifty percent and the deductible 's i think five hundred a year and it costs a lot more i 'm with a smaller company though My company is one of the largest and pays ten percent . contradictory +At my destination she pulls the handle to open the door for me . She pulls the handle to open my door , because I sprained my hand and can 't do it . neutral +It was a little piece of heaven in long years of purgatory for Jon . It was an island of comfort in an ocean of despair for Jon . entailment +Prepare To Win is this passage writ large . Prepare to Win is a minute detail in this passage . contradictory +hum well do you think we 've In your opinion , do you think we 've done well ? neutral +Jon unbuckled his belt and handed his guns and rapier to Ca 'daan . Jon gave his weapons to Ca 'daan for safe keeping . neutral +Like Jon , his head was bare . Jon had shaved his head . neutral +6.1 The use of test organisms taken from the receiving water has strong appeal , and would seem to be a logical approach . This is the first of three subsections in section 6 neutral +He reflected for a moment , and then asked : " Was Mrs. Inglethorp herself aware of that fact ? " He wasn 't sure how to ask . neutral +Hospital admissions-Respiratory and Cardiovascular No one is admitted to the hospital . contradictory +Cinemas on the Champs-Elysees , in Montparnasse , St-Germain-des-Pres , Bastille , and the Forum des Halles all show VO movies . VO movies are those that have been rated to be violent . contradictory +A high-stakes card game played in a high-pressure atmosphere . A high-stakes card game has a lot of pressure which makes the gamblers perform worse . neutral +i well did uh did you get much rain two days ago Did you get much rain two days ago ? It flooded here . neutral +5 billion that these banks can use to fund their mortgages , home equity loans , automobile loans , and other types of loans for which they receive approximately 7 percent or more on interest they charge . $ 25 billion was used by the banks to fund loans to Americans . contradictory +but i never realized you couldn 't record onto CD i just never really thought about it because i haven 't really looked into it very much i don 't have one and and i 've never really looked at one very closely but that that would be inconvenient because i have a cassette player in my car now i guess I had no clue you couldn 't just a burn a CD . entailment +And I 'd rather people ask a foolish question now than have them make a dumb mistake later . Questions are not permitted . contradictory +There are half a dozen museums tucked into an elbow of the canal , but not all of them are worth seeing . There are a dozen museums in the canal 's elbow which are all worth a visit . contradictory +And there were the laws for using the name . There were no laws in the the entire land . contradictory +but uh since it was a state vehicle we got a really good deal on it but it Since it was a state car , we had to pay a lot more . contradictory +Following the assumption used in the CEF study , all four of the policy scenarios assume nationwide restructuring of the electric utility industry . All four of the scenarios imply a nationwide restructuring of the electric utility industry . entailment +As you leave by the door at the south end of the narthex , turn round and look up above the door to see a beautiful tenth-century mosaic of an emperor and empress offering symbols of Haghia Sophia and Constantinople to the Virgin Mary and Child . There are no mosaics on the walls in here . contradictory +( Seven percent higher if retail service costs are eliminated from rural . ) Seven percent higher than what is acceptable if retail service costs are eliminated from rural . neutral +The American left has gone international to win a phony treaty that curbs greenhouse gases , Kristol alleged , because they can 't accomplish their goal domestically . Kristol is biases against left leaning politicans . neutral +In the hot , humid summer months it can feel as if the entire population of Tokyo and Yokohama is here , searching in vain for a vacant patch of sand . A lot of people from Tokyo and Yokohama search for a patch of sand in the summer months . entailment +Nicolas Guillen , the nation 's finest poet , described the island as a long green alligator . Nicolas Guillen , the nation 's worst poet , described the island as a long brown crocodile . contradictory +On the mainland , many popular tourist bars have been designed to re-create the feel of a traditional wine cellar . All the tourist bars are modeled the same , like a wine cellar . neutral +While he shaved and trimmed Dave , he made insultingly solicitous comments about Dave 's skin needing a massage , suggested a tonic for thinning hair and practically insisted on a singe . He said that Dave needs a massage . entailment +um i think sometimes it 's good for people outside they get a different perspective uh perspective on an issue and stuff so yeah i don 't see any problem with outsiders going in and getting a little bit involved i think though that it should still be uh sort of up to the majority in the area i don 't know on something like that they wouldn 't really vote on it or anything though I feel it is good to get outside a bit to see more of the world . neutral +Neglect , conquest , and isolation , however , had taken their toll , and at first independent Ireland was characterized by a parochial and narrow-minded approach to affairs , and Dublin was content to let its Georgian heritage decay . Several things had taken a toll on a once independent Ireland and Dublin was content to allow its Georgian heritage to be destroyed by British rulers . neutral +yeah all right well listen i got to go it 's good talking to you I don 't like talking to you . contradictory +Critics say UPN 's new series about a novice African-American preacher may be the network 's first half-decent show . The UPN 's new series is about a trash collector . contradictory +Meze is the collective name given to a wide selection of appetizers , both hot and cold . Meze is a broad term for hot and cold appetizers . entailment +that get the kind of control that 's bad you know and that their governments can become so corrupt and it 's like well uh you know i use to feel like There is no way that the government could be corrupted . contradictory +In the future , the way to tell a real computer from an I-appliance will be that you tell a real computer what to do and when to do it whereas an I-appliance will tell you what to do and when to do it . An I-appliance is obedient . contradictory +and words spelled wrong not marked as such Each word has been carefully checked for spelling errors . contradictory +A list of abbreviations follows the resource list . The resource list contains a list of agencies that were identified as useful neutral +And you have not made her speak ? You kept her mouth shut ? neutral +Samples are collected over a very short period of time and on a relatively infrequent basis . We never collect the samples and instead rely on donations for our data . contradictory +When this bit of mythology is related , it immediately sends tour groups trotting across to see what is forbidden to the monkey god . Tour groups immediately run away when this bit of mythology is told . contradictory +Someone else made her trash her house and scrawl imprecations on the walls , but cutting her wrists , she says , giggling , was all her own work . She says that someone else forced her to ruin her house and write on the walls but it was her idea to cut her own wrists . entailment +oh you know a lot about it then yeah You know a lot about history . neutral +Yours and mine . Yours and mine . entailment +uh-huh right exactly yeah there there there are a couple movies that hit home like that most of the ones i always remember are the the older ones The older ones really hit home because they contain a lot more real violence , unlike all the special effects we see these days . neutral +The Delhi sultanate under the Tughlaq dynasty could no longer hold its own in the north , and so Muslim kingdoms began to form in Bengal and the Deccan . The Tughlaq dynasty remained strong in the north , providing a bulwark against Muslim invaders . contradictory +The consortium was established as a joint effort of several information security-related organizations , including the Information Systems Security Association and the Computer Security Institute , to develop a certification program for information security professionals . The consortium proposed a one year certification program for information security professionals . neutral +you know because it takes longer than some products some other foods in your stomach to digest that meat Different food take different times to digest . entailment +Tommy nodded . Tommy was a 12 year old boy . neutral +If you missed the demonstration that either diGenova or Toensing was the original source for the Dallas Morning News report about a Secret Service agent who witnessed Clinton and Lewinsky in a compromising situation , click here . There was a Secret Service agent that witnessed Clinton and Lewinsky in a compromising situation . entailment +are they even are you are you in northern Virginia or are you in the District of Columbia Are you in the northern tip of Virginia or the eastern part of the District of Columbia ? neutral +and um i don 't i don 't think at that time at least Peace Corps was uh an obnoxious group in the sense that that we were very controlled regarding number of days off and and you couldn 't just take up take off and leave your group and go explore and and things like that The Peace Corps group I was in had regulations . entailment +Locals shrug and suggest that the shoreline 's topography must have changed in the 500 years since Columbus . The shoreline has significantly eroded in the last 500 years . neutral +The Reconquest The second surrender . contradictory +They reasserted their rights in the insurrection of July 1830 ' the kind of liberal revolution they would have preferred back in 1789 ' paving the way for the bourgeois monarchy of Louis-Philippe . They would have preferred a revolution in 930 AD . contradictory +The Scotland Yard men were the cynosure of all eyes . The Scotland Yard men were quite popular due to their attractiveness . neutral +Perhaps you 're right , Dorcas , yes , no , not now . I guess you 're right , Dorcas , this is not the right time nor the place for that . neutral +for most things it tends to cover it we don 't have too many major um expenses at this point but we have been able to find doctors dentists that will accept pretty much whatever the basic plan pays a couple of times we 've had to pay oh i don 't know three to five dollars but that 's not that bad We 've found doctors and dentists that will accept our plan . entailment +um not too awfully uh uh Sheba Sheba cost us uh two hundred dollars We paid two hundred dollars for Sheba . entailment +'To speak or not to speak , ' as your so great Shakespeare says , ' that is the question . ' I did not trouble to correct the quotation . Shakespeare could really shake it on the dance floor . neutral +i i hadn 't been anywhere where the weather was so tremendously great for me This was the best place for me in terms of weather . entailment +Ca 'daan made his way to the Warrior 's Court . Ca 'daan decided not to go to the Warrior 's Court . contradictory +Pursuant to section 605 ( b ) of the Act , VA certified in the preamble to the interim rule ( 60 Fed . VA was certified in the preamble to the interim rule . entailment +In addition , many workers are unaware that the retirement age for full Social Security benefits is gradually rising from age 65 to 67 . These workers will have to work until they die because benefits will come so late . neutral +But you can see why dealers are reluctant to give out It makes it harder for them to raise them at a moment 's notice when an artist 's stock rises , as Close 's did when he had a big retrospective at the Museum of Modern Art a few months ago . Artists ' stocks never vary and dealers take advantage of this . contradictory +he is eventually After a time he will never . contradictory +I understand , friend , said Jon . Jon didn 't understand why the friend had done that . contradictory +Full-time rural carriers ' compensation is slightly lower than full-time city carriers . Suburban carriers make more than city ones contradictory +The Supreme Court has never ruled on FISA , and it did not overturn a McCarthy-era statute which , like the removal court , was used to deport noncriminal aliens based on their political affiliations . The Supreme Court ruled on FISA in 1960 . contradictory +Be nice and put on your charm for them as a nobleman and a romantic . Charm them because you are a nobleman and romantic . entailment +yeah you probably don 't have the right temperatures and stuff probably not too many people eat it up there either it seems to be kind of a southern delicacy It doesn 't seem to be that popular up there it 's more of a southern thing . entailment +And burnt in on Mr. Carter 's brain was the strange scene which had taken place in the house in Soho the night before . Mr. Carter had completely forgotten about the Soho house incident from the night before . contradictory +You manage . Muller made it more order than request as he left . Muller had things to do so he needed someone to look after the place . neutral +In the English Tower the banqueting hall has been restored , and you can sip a glass of Turkish wine while you entertain yourself and read the centuries-old graffiti carved in the window niches by homesick knights who stayed here . Knights who stayed here hundreds of years ago carved graffiti into the window niches . entailment +yeah i think they should give it to them but i don 't think they should keep them waiting in jail and let having us pay for it for twenty years I think the justice system should take as long as it needs . contradictory +but it it was my sister 's who my sister bought it No one brought it . contradictory +The open recommendations database is available to the public on GAO 's Web site www.gao.gov. Outside of www.gao.gov , the database isn 't available anywhere else for the public to view . neutral +She has no intention of leaving , first because her doubt is not enough to sever her from her husband and children and second because that 's not the kind of story it is . She doesn 't plan to leave . entailment +By 1607 , they were left leaderless by the Flight of the Earls . The Flight of the Earls resulted in chaos . neutral +For all the hype about Las Vegas 's conversion to a family town , the unrelenting truth is that beyond all the shiny new big name properties lies a bevy of adult-oriented distractions . Most residents would say that talk of Las Vegas ' family town status is exaggerated . neutral +Helms 's always been a troublemaker ; he wouldn 't need much more than a suggestion or two of the right sort . Ever since he was 2 months old , Helm 's been a troublemaker . neutral +Even though the Moors and Jews were expelled from the city , Toledo remains alive with their remarkable contributions . The Moors were expelled from Toledo nearly three hundred years before the Jews . neutral +You shower , slip on the robe provided ( this part we already have ) , and then , in the cupboard , you find stacks of pants and shirts and sweaters , maybe a wrap-skirt or two and some jackets , all in many colors and all in your size , since you e-mailed the information ahead with your reservation . In the cupboard , you find socks and only pants . contradictory +The council does not agree . The council argued among themselves afterwards . neutral +Not got a sort of kindly feeling for one another ? Is there no mutual admiration between the two of you ? entailment +Most Puerto Ricans were tied to the large agricultural companies they lived in company houses and were paid in tokens that could only be spent at company stores . Only small farming operations could ever gain a foothold in Puerto Rico . contradictory +The Commission believes that these estimates greatly overstate the number of small entities affected and reserves the right to adopt a more suitable definition of small business as applied to television broadcast stations at a later date following the conclusion of several pending proceedings at the Commission seeking comment on the definition of and data relating to small businesses and compliance with section 601 ( 3 ) of the Regulatory Flexibility Act . The Commission believed that the number of small entities being affected was vastly understated . contradictory +Screening them required seven review sessions with outside panels , internal review sessions , and special sessions with OPP staff to analyze how the applications affected program quality and state planning concerns . The OPP staff are very strict and critical about any new plans that they review . neutral +At book 's end , Ledbetter issues his clarion call for reform , demanding that the PBS clock be turned back to the ' 50s , when the philanthropoids first imagined American public broadcasting . Ledbetter prefers PBS broadcasting as it is now over how it was in the 50 's ' . contradictory +and then put that back in the saucepan You won 't use the saucepan again contradictory +but still i would hate to be on the jury that sentenced someone I would not enjoy being on the jury responsible for handing down a sentence . entailment +you know two liter SI with the the sun roof and the moon roof and i i bought it loaded I think I overpaid for the car . neutral +up up had broken or sheared or whatever and they measured the tread and i didn 't know they did that to the tires The tires had to be replaced . neutral +uh no she doesn 't okay She does . contradictory +well what kind of pets do you have Do you have dogs or cats ? neutral +Ca 'daan would have been run through but Adrin parried easily . Ca 'daan was killed . contradictory +There 's something mysterious about this draft treaty that we haven 't fathomed yet . We haven 't figured out what the strange aspect of this treaty is yet . entailment +hum okay and then what about the smaller election say some of the city elections uh even down to the uh school board type uh elections i guess there are so many What about smaller types of elections , like the school board ? entailment +Stark had planned this well . Stark planned his attack very well . neutral +While virtually every tourist shop displays wicker items , Cafe Relegio ( Largo da Achada , Camacha ; Tel . 291 / 922 114 ) wins for sheer volume . Cafe Relegio has the most wicker items on display . entailment +During the Seven Years ' War ( 1756 1763 ) , the British conquered Guadeloupe and held it for four years . The British fought in the Seven Years ' War . entailment +Harris constantly refers to the donors as his girls and describes them like cattle--We have a legitimate bid of $ 42,000 on one of the girls . There is a genuine bid of $ 42,000 on one girl . entailment +A national survey of training in substance use disorders in residency programs . No survey was conducted for residency programs . contradictory +Bush 's Christ , because he changed my heart . Bush changed my heart like Christ does , said the man . neutral +Auditors should also report significant constraints imposed on the audit approach by data limitations or scope impairments . Significant constraints imposed on the audit approach are the primary problem in big businesses . neutral +You quit and I 'll see you never get another job . I value modern capitalism and its capacity to abuse innocent people . neutral +10 The process of transitioning from the construction permit to the operating permit varies among States , but the application review process is estimated to take between 9 - 11 months . The application review takes mere seconds . contradictory +What can the emergency department do that cannot be done in other settings ? What can they do at the emergency department that can 't be done elsewhere entailment +Though some faculty members feel McKinsey 's involvement shames the academy , most think it 's a healthy development for Harvard . Some faculty think McKinsey 's involvement brings shame to the academy , but they are the minority . entailment +The rest of the year , life goes on at its accustomed rickety machines chugging in two-man factories , children in school uniforms being ferried home to houseboats , and the old fishermen stirring shrimp paste . All transportation is by cars and trucks . contradictory +One company emphasized that if a major milestone is delayed , an appropriate adjustment should be made to the end date of the program , thereby avoiding compressing the time allotted for the rest of product development and managing the risks that subsequent milestones will be missed . This will prevent further delays . neutral +It describes the small entities ( small business issuers ) to which the rule will apply . It describes that the rule will apply to large corporations . contradictory +6 . How does extent of injury or severity of illness affect the intervention ? What doesn 't affect intervention ? contradictory +At the south end of the park is the statue of Saigo Takamori , leader of the imperial army that overthrew the shogunate in 1868 . He was a strong leader neutral +Adrin nodded . Adrin moved his head . entailment +The need never has been greater . The need is for volunteers to pick up litter in the park . neutral +By using software metric tools an auditor can independently evaluate software development projects by analyzing project budgets , requirements , schedules , and resources , and then confirm or question cost , schedule , and resource estimates . An auditor can use metric tools for any auditing that they do . neutral +This means the Lousy Ones in the valenciano dialect and refers to a mercenary company open to all volunteers . Anyone who chooses to can join the mercenary company . entailment +Again the Kentuckian was teased by a scrap of memory . Again , the Kentuckian had a clear , full memory of the incident . contradictory +or if they even reach that potential again you know they may never reach that again They had to work very hard to get to that point . neutral +Being loyal Republicans , Lamar 's contributors talk about such happenings only obliquely . The Republicans who donated to Lamar constantly betray their party . contradictory +Some claim it was here that Akbar held his famous debates with Jesuits , Brahmins , Parsi Zoroastrians , Sufi mystics , Jain , and Buddhist monks the sages arguing while Akbar sat listening atop his pillar , or Akbar striding majestically around the bridges and balcony hurling his questions at his listeners . The debates were important for the Akbar . neutral +In fact , I eventually started to like it . At some point I started to like it . entailment +This draft is being sent to financial management and audit officials at all levels of government , the public accounting profession , academia , professional organizations , and public interest groups . The draft contains information that is of interest to many different groups of people . neutral +You hype them by bragging about it . By bragging about it , you excite them about it . entailment +to do work if i had a machine already installed at home i would probably work just about every night It would have no effect if I had a machine at home . contradictory +i don 't put every a hundred percent stock into what he says but I 'm putting one hundred percent stock into what he says . contradictory +Well , would you believe it , my conscience got busy ! My conscience is busy but hurts . neutral +The mansion that now houses the Visitor Centre was once a private residence . The Visitor Centre can be found inside a building that was once used as a commercial office space . contradictory +Architect Donato Bramante was nicknamed maestro ruinante because of all the ancient monuments he dismantled to make way for the pope 's megalomaniac building plans . The Pope 's desired building projects were notoriously humble . contradictory +Offshore fishing is popular all along the coasts , notably for tunny ( tuna ) off western Sicily , for swordfish on the east coast , and spear-fishing at Bordighera . There is no offshore fishing capabilities in Italy . contradictory +But LSC quickly began to prove we were serious about planning . LSC didn 't think we took planning seriously , so they chose not to affiliate themselves with us . contradictory +Lewinsky why she invited her to lunch . Lewinsky invited her to lunch . entailment +In a 660-page tome , the MIT psycholinguist popularizes a controversial theory of evolutionary that the brain is like a computer program that has been shaped by natural selection . The tome contained other evolutionary theories by MIT psycholinguists . neutral +all right i agree with that people that are uh driving I agree that people drive instead of fly because it 's cheaper . neutral +The two women translated Jung 's idea that personality is composed of four pairs of preferences--the most famous being extroverted and introverted--and created a systematic test to discern people 's types . Jung did not regard extrovert or introvert to be personality types . contradictory +yeah that could be a little boring sometimes i guess too but That should be incredibly thrilling all the time . contradictory +But most critics don 't sweat the album 's derivative tendencies , pointing out that this kind of music isn 't supposed to be blazingly original , it 's supposed to be fun . Critics are calling this the most original album in this genre . contradictory +Ah , but I am vexed with myself ! I am annoyed with myself . entailment +from uh English units or nonstandard units into this uh rationalized M K F system English units to metric system . entailment +One could equally well argue that mathematics arises from counting and measuring and so can 't exist until after there is a universe of things to count and measure . Mathematics might only exist in the context of a physical universe . entailment +There was little evidence of religion or of the rule of law . Religion was few and far between . entailment +I do , said Tommy positively . Tommy said , brimming with positivity and generosity , " I do . " neutral +The Plan emphasizes LSC 's State Planning Initiative , as well as the increased use of technology , as significant strategies for expanding access to , and availability of , civil legal services throughout the United States . The availability of legal services throughout the United States was the biggest concern of The Plan . neutral +um and he 's really the only one that i know of personally who got himself really messed up um having having been involved with drugs but i know of a number of other people who have you know gotten all messed up most of these are young people i work in the education system and so i have a little more contact with that but um I have always had a job in the education system . neutral +A 'deem was being modest . A 'deen was bragging . contradictory +As an independent regulatory agency , the Commission is not subject to title II of the Unfunded Mandates Reform Act of 1995 . The Commission is bound by title II of the act . contradictory +uh there seems to be a a more a mature crowd in uh apartments at least where i am uh even though you know there 's kids all around and there 's there 's traffic and there 's people going up and down the sidewalks and stuff like that but still uh There are kids in almost all of the apartments and mature people on the sidewalks . contradictory +Note for all of you who have stuck with this endless New York Review of Books -style refutation and have yet to flee Culturebox will be responding to MacDonald 's post in the Fray--in the Fray . The New York Review of Books were short and brief . contradictory +Shopping is another possibility . Another possibility is shopping . entailment +In other words , the F-22 is requiring significantly more maintenance actions than planned . The maintenance on the F-22 is taking a long time . neutral +Because competent lawyers in the corporate practice don 't want to get involved . All lawyers seem to have united on the front , all involving themselves in the situation . contradictory +they 're preparing people for the test by having a class specifically for the test how ridiculous i mean of course it has the highest They have a class that prepares people for the test . entailment +No , Captain Bayliss , your men were in here drinking . Captain Bayliss ' men were drinking . entailment +The objective is to keep the won from falling much more than is necessary for the long-run adjustment of the Korean economy , and thereby to prevent unnecessary bankruptcies and unnecessary depression of Korean income and employment . Dropping the won as low as possible in value is the goal . contradictory +The numbers are drawn until someone wins , and some veterans get up to 10 cards playing at once . The numbers keep getting drawn until there is a winner . entailment +no there are two and they 're pretty close uh the one that i picked is more similar in format to the newspaper i grew up near Houston and there are two major newspapers there that run pretty much neck and neck The newspaper that I had chosen could be the Houston Chronicles . neutral +None ! She was walking away when John sprang after her , and caught her by the arm . He neither followed her or grabbed her . contradictory +um we did go camping in Arkansas not Arkansas Oklahoma uh last year in we camped in a tent and uh there were two other couples with us and there was uh state park We camped in Arkansas . contradictory +i think TV can be good if if the family watches it together on they 're watching good shows TV can be good if the family watches Little House on the Prairie together . neutral +Decadence . Crime . It was a time of simplicity . contradictory +Tuppence heard other footsteps behind . Other footsteps became audible from behind to Tuppence . entailment +and the other thing was we need to really really to tighten up our discipline in schools because they run here in New England i 'm not sure about the rest of the country but i know the schools are almost running rampant up here There are schools in New England . entailment +oh them too well because i he loves she 's one of those that loves outside and she doesn 't go far but she just wants to be able to have that freedom She hates being outside and prefers to stay in the house all day and night . contradictory +The gardens are a powerful tribute to the thousands of Irish soldiers who died in World War I while serving in the British Army . Thousands of Irish soldiers died in World War I. entailment +All of that was then . None of it was then . contradictory +Knightley carefully concludes only that the photograph turns out not to be the clear and simple statement of fact that it otherwise appears . Knightley says the photo is perfect . contradictory +One theory holds that young white girls ( unlike young black girls ) subscribe to a cult of thinness , and smoke to block their appetite . One theory states that young white girls smoke to block their appetite . entailment +She observed that it would be useful to know in advance how to identify whom that champion might be . She was a smart student and got all As . neutral +yeah i don 't i don 't i just don 't think you i always thought i 'd put a tomato plant in there or something weird but i don 't think i could really eat the fruit off it without wondering I thought I could put a tomato plant in it but I don 't think I 'd be able to eat it without worrying . entailment +In 2000 , GNP was less than GDP because income receipts from the rest of the world were less than U.S. payments to the rest of the world . The US paid more to the rest of the world than the rest of the world received in income . entailment +The climb is worth making , if only for the view , the trees , and a cool , rushing stream . There is no point in making the climb . contradictory +Future generations will have to deal with that . That is a problem our children will handle . entailment +'He trusts you ? ' He doesn 't trust you ? contradictory +Of Tracks and Tracts Being of Tracks as in animal tracks and train tracts . neutral +but um you know they 're just they 're just some things that might not be worth it It 's all worth it . contradictory +go ahead it seems the way it 's been working here is they let those out that have spent two or three years out of their five to twenty sentence or five to life They let the ones out that have have two or three years . entailment +downtown New Braunfels There 's no downtown in New Braunfels . contradictory +" You will build a computer , " Sather Karf ordered . " You will build a computer and run a simulation , " Sather Karf said . neutral +Tommy 's eyes opened as he read : " Jane Finn found . Jane Finn was very important to Tommy . neutral +While a cost-per-case analysis is limited in that it only addresses quantity , and not quality of services , it does provide some useful quantitative information . Good quality services cost more . neutral +so because have you seen how much pickles cost in the store i know it i said why are they so expensive they 're just a bunch of little cucumbers you know Pickles are costly in the store . entailment +After all , we do not pursue state planning because we are planners by education or trade-most of us , indeed , are first and foremost legal services attorneys and advocates . We don 't try to get state planning because we are not skilled at fund-raising , so we rely on word of mouth . neutral +Yes . Like a beast of prey , Heavywether fell upon him : " How do you know ? " Heavywether was named after a beast of prey . contradictory +Theme analysis also can proceed in matrix fashion . Theme analysis is not available in matrix fashion . contradictory +The dazzling white marble of Pisa 's Duomo and leaning campanile is most breathtaking in the noonday sun , but late afternoon is the blessed moment for the brilliant mosaic facade of Orvieto 's cathedral . Pisa 's Duomo is covered in dull blue marble . contradictory +Accordingly , he wished them goodbye , and they left the hotel . Accordingly , he bid them farewell and the exited the hotel . entailment +Represented by Prime Minister Atal Behari Vajpayee , the BJP was forced to cede its seat in less than two weeks , however , having failed in efforts to form a coalition government . BJP had a short deadline due to the failed coalition government formation . entailment +yeah and i like uh Totally Hidden Video Totally Hidden Video isn 't very good . contradictory +At the south end of the square is the 14th-century Loggia della Signoria or dei Lanzi , transformed from the city fathers ' ceremonial grandstand into a guardroom for Swiss mercenary Lands ? ­ knechte . The guardroom for the Landsknecht is in the Loggia della Signoria . entailment +A friend persuaded him to see a coffee farm in Costa Rica , mostly as a fun trip . At the urging of a friend he took a fun trip to a coffee farm . entailment +A few people scratched their heads ; wondering if this might be a joke . A few people scratched their heads because the joke was so offensive . neutral +Conrad lit a hissing gas burner and went out . The burner was hissing , though almost out of gas . neutral +Yes , sir , I recognized you at once . I 'm sorry , I didn 't even recognize you sir . contradictory +Central Jordan 's love and respect for Dean Smith , the legendary coach who shaped him at the University of North Carolina . Central Jordan 's disdain for one of his coaches from the University of North Carolina , Dean Smith . contradictory +" You know what may be really eating at him this time , Hunt ? " Topham spoke from where he was leaning against the wall of Shadow 's box stall . Topham was speaking to Harry . contradictory +uh my husband and my father both work at TI in Sherman so yeah They both carpool with each other when they can . neutral +Marco Polo in Far East Marco Polo traveled to the far east during his life . entailment +The historical period shows a moderate level of volatility . History periods are important neutral +The one-stop shop was formed by merging functions and staff from the social security and employment departments with strong support from the Department of Finance . The one-stop shop was formed only with the social security department . contradictory +PK President Randy Phillips urged men at the Washington assembly to set aside politics and focus on God , but Operation Rescue and the FRC showed up to distribute pamphlets . Operation Rescue and the FRC showed up to distribute pamphlets at the Washington assembly . entailment +However , there was a problem . Everything went off without a hitch . contradictory +Figure 2 : Critical Success Factors and Organizational Relationships Figure 2 does not contain Organizational Relationships . contradictory +uh but i mean let 's face it today 's today 's uh means of communications we could uh very well a newscaster could very well give away away a piece of top secret information Secret information could easily be given away with today 's style of journalism . entailment +Audit Organizations ' Responsibilities The responsibilities of the audit organizations . entailment +Lesbian and gay travelers will find integrated nightlife in the so-called Gay Triangle area on Paradise Road . Gay and lesbian travelers don 't have establishments that cater to them . contradictory +that takes a lot longer to get out of your body It takes quite a bit of time before it leaves your body . entailment +The early scenes evoke elation and dread simultaneously , the later ones just dread ; and the last half-hour is unrelieved torture . Watching it was a roller coaster of emotions . entailment +Since the new quality-of-life drugs can have adverse health effects , the drugs need to come through physicians . Quality-of-life drugs can be obtained over the counter . contradictory +Rosenberg explained that the Pro Bono Project does not take on criminal cases , bankruptcies , dependent or neglected children , or fee generating cases such as personal injury . The Pro Bono Project doesn 't do criminal cases since 1995 . neutral +it 's gotten so though that there are so many you know there are so many uh There are probably too many , unfortunately . neutral +It would only be fitting that yadda It might make sense now for yadda but I 'm not certain it will in the long run . neutral +The owner is therefore well advised to ensure that preparation of the project scope definition package accurately and clearly expresses expectations for project performance , quality , cost , and schedule . It is in an owners best interest to overestimate expected project costs . contradictory +Only the lower portions of the Wall 's great ashlars , with carefully recessed borders , date from the time of Herod ; smaller stones higher up represent later constructions and repairs . The lower portions of the wall had recessed borders . entailment +The Raptors hunt in packs ; stalking via shadows . When they 're separated they 're at a disadvantage and vulnerable . neutral +( Also in Trois- the Sugarcane Museum . ) It cannot be found in any museums . contradictory +uh-huh i was amazed when i took our taxes to our tax person and she works out of her home also and the uh software that does the taxes is just incredible you know i mean she just She does taxes from her own home . entailment +The city of Boone gave Schroeder $ 6,300 in July to resolve pending cases , said Kathy Berg , Boone 's finance officer . The City of Boone confiscated $ 6,300 from Schroeder . contradictory +Just about every economic historian who has looked at the issue believes that standard measures of productivity have consistently understated the true improvement in living standards for at least the past 140 years . The standard of living has consistently improved over the years . neutral +but i guess it 's because it 's not aimed for an audience of my age The show is perfect for people my age . contradictory +The fuss over post-viability abortions ultimately concerns only a very small number of procedures . Less than one percent of all abortions performed take place after the 21 st week . Less than half percent of all abortions take place after the 22nd week . neutral +The guardians are particularly helpful and attentive . The guardians are useful and attentive . entailment +Critics are surprisingly positive about the singer / songwriter / best-selling poet / soon-to-be film actress ' second album after the 8 million copy selling Pieces of You . Musically she has matured , and her trademark folksy-bluesy-pop songs are dubbed sweet , soulful ( Veronica Chambers , Newsweek ) . The lyrics , however are said to be full of hokey self-helpisms , and the album overflows with advice intended to be inspirational ( Jon Pareles , the New York Times ) . ( Buy the album online . ) This artist 's second album has been loved by critics , surprisingly . entailment +i can remember many times that when when it 's interesting though that that you know particularly when you 're traveling and you go some place you can stop at a McDonald 's that 's that 's a big playground uh when the kids you know when the kids really need to get out and run around after been driving a while You had never stopped at McDonalds . contradictory +In 1802 William married Mary Hutchinson ; the cottage became their family home . William and Mary lived in the cottage for 20 years after they were married in 1802 . neutral +Haven 't I always told you the man is a villain ? I 've always suspected that the man was a villain . neutral +It is this gloomy but coherent vision that has made Kissinger a favorite of floundering anti-Kosovo Republicans . Kissinger was hated by the Republicans . contradictory +that 's probably why you hate it so much Come on , you love it . contradictory +Possibly she applied oil to the hinges , for I found that it opened quite noiselessly when I tried it . The hinges did not make any sound at all . entailment +comfortable , secure childhood . Good childhood entailment +This rule contains no information collection requirements subject to the Act . The rule is not subject to the Act . contradictory +The GAO Project Manual cautions against overgeneralization from any method . Overgeneralizing while using various methods is something the GAO Project Manual warns people against . entailment +Nobody came . Nobody ended up coming . entailment +The first landings took place on 25 April 1915 , and met with fierce resistance from the Turks , under the leadership of General Mustafa Kemal . On April 25th , 1915 , the Turks resisted with the aid of general Mustafa Kemal . entailment +As such , the central group served as the focal point for coordinating activities associated with the four segments of the risk management cycle . There are a total of 10 segments associated with the risk management cycle . contradictory +would make him kind of be on call all the time and have to go in at any time and you know even on the weekends and and um and things so that was important to me and also insurance Insurance and having him home are important to me so the job was not a good fit for us . neutral +uh i definitely think anyone that kills somebody should be in jail i don 't think everybody that kills somebody should die Anyone that kills someone should be put to death . contradictory +Sarawak 's coast and jungle interior were controlled by the Iban Sea Dayak pirates and Land Dayak slash-and-burn farmers . The Dayak of the sea and land ruled the Sarawak 's coast and jungle . entailment +The Foundation anticipates that this approach to evaluations will help maintain the productive pace of the past years ' planning and emphasize the importance of joint endeavors . The Foundation anticipates that it would be best if the same approach is kept . entailment +When Adolf Hitler arrived in Paris as a conqueror in 1940 , the Arc de Triomphe was the first place he wanted to see . Unfortunately for him , Hitler was killed before he could see the Arc de Triomphe . neutral +no so i had uh right Right , I had it . entailment +Paltrow certainly doesn 't appear to have suffered for her Unlike other screen beauties--Michelle Pfeiffer , Jessica Lange , Madeleine Stowe--she doesn 't seem to have any interesting neuroses to ply . Paltrow seems to not have any fascinating neurosis to work with . entailment +Eszterhas is a self-promoter but not a cynic . Self promotion is a good way to gain attention . neutral +A few blocks north on Fairfax is the lively Farmers ' Market ( 6333 West Third Street ) . A few block south on Fairfax is the Farmer 's Market . contradictory +The man on the ground thinks for a moment and yells back , You must work in management . The man on the ground was there for a long while . neutral +The Executive Summary indicates comments received in response to the proposed rulemaking provided strong support for allowing the provision of fixed wireless The report was rejected . contradictory +Don 't leave without trying the pommes sarladaises , thin-sliced potatoes saut ? ? ed in goose fat with garlic and parsley . Pommes sarladaises are not eaten in the morning . neutral +Such anecdotes are remembered and they are convincing . These kinds of anecdotes are often inaccurate . neutral +It has taken modern Western fashion to make that happen . Western fashion has been modernized . entailment +This site provides guidance , information and tools to government and nonprofit managers as they attempt to design and implement measurementbased management in state , local , and federal government environments . The website provides important information to the government . neutral +Others are quietly smirking , ready for the kill . Others smirked with joy over the person and waited neutral +Studies should be conducted using a collaborative process that involves mental health specialists and other appropriate professionals . Studies should be conducted using a collaborative process entailment +that 's right any time that 's right well that 's uh that 's the way i feel i i feel like i i work uh hard enough and make enough money i i can pay somebody to take care of my cars I 'd rather spend the money , and save time , than work on the cars myself . neutral +Not opened up to full-scale settlement until after the Meiji Restoration of 1868 , the island of Hokkaido is Japan 's Far North . Hokkaido is an entirely separate island from mainland Japan . neutral +well i have uh pretty fairly a fairly fancy one it 's a TI model it 's an S P one thousand which has a it has a fast processor in it a three eighty six I have a pretty nice one with a fast processor . entailment +Pro bono attorneys provide clients legal assistance at the final domestic violence protective order hearing . Domestic violence victim need legal aide during the protective order hearing process . entailment +It was followed in 1988 by the Fatih Sultan Mehmet Bridge at Rumeli Hisare . It was followed in 1777 by the General George Washington . contradictory +I 'm a Southerner and Manners Are Our Thing I am a Southerner , and we are a respectful people . entailment +i 've the only the only thing i see about Cuba though is uh after Fidel Castro dies i don 't think there 'll be Communist power anymore i i can 't see Communism in that country carrying on past him Fidel Castro is dead contradictory +which is of what no we don 't have one uh-huh you know my wife and you would probably love to go eat together yeah oh definitely well everytime when we go someplace they have to have good French fries You and my wife have very different tastes in food . contradictory +you know it 's just crazy It is absolutely absurd , and you should know . neutral +Vote.com would become , as Morris envisions it , the nation 's town meeting . They think Vote.com will become the nation 's town meeting . entailment +Two had dirty calico shirts loose above hide breech-clouts . They were completely shirtless . contradictory +Also , INS estimates training employees on the new provisions of the law will be $ 2,977,500 and $ 2,000,000 for additional forms and changes needed to current forms . INS is going to spend a month training employees on the law . neutral +They had only traveled a short way out of Fena Kef but it seemed important to Jon that they leave the town in the middle of the night . Jon said they should flee when it was dark . entailment +Germany , which has the largest economy and the strongest currency in the group , was supposed to lead the way , but recently German unemployment has jumped to levels not seen since the Weimar Republic , and the mark is softening . The German unemployment rate will not recover for years . neutral +that you didn 't apply for it 's yours You were too busy to bother applying for it . neutral +Pace your stamina for the second floor 's excellent Galleria Sabauda ( Savoy Gallery ) , with an important collection of Italian and European art , also due to the Savoys ' penchant for collecting . The fourth floor has the Galleria Sabauda , which has a collection of only African art . contradictory +Also the rocks are not quite as red as Bob claimed they would be . Bob claimed that the rocks would be a similar red to a rose . neutral +probations or something on i can 't think of what he 's the head of uh he skied into a tree He skied into a lodge . contradictory +The childlike playfulness of the doomed queen 's hideaway is reinforced by the Hameau , a hamlet of thatched cottages where she and her retinue pretended to be milkmaids and farm boys . The queen and her retinue pretended to be milkmaids and farm boys . entailment +It wasn 't even a musical . This was not a musical at all . entailment +There are 13 public courts at Victoria Park Tennis Centre near Tin Hau Station . The tennis center features 13 courts available to the public . entailment +but yeah i enjoy um you know just i you know i have varied interests and stuff and I like sewing and making clothing a lot . neutral +What did you say ? she asked , her fingers playing nervously with a brooch on her breast . She hadn 't heard him while she tinkered with a trinket on her breast . entailment +Do you believe in spiritualism ? asked Tuppence , opening her eyes wide . Tuppence didn 't know that anyone would believe in spiritualism . neutral +you know i was real embarrassed but i felt kind of stupid I was embarrassed and felt stupid . entailment +Cynics ' spin on forgiveness of sexual violence in Celebrity 738-Justice 0 . ( 2 / 15 / 99 ) Celebrities get as much jail time as any one else for sexual violence . contradictory +What an extraordinary coincidence . It 's an unexpected coincidence , but also happened last year . neutral +The buildings were constructed in 1609 by the lord of Tohoku , Masamune Date . The buildings were recenly made in 2014 . contradictory +Players express their appreciation to the Lambeau fans by hurtling into their midst , for just one moment becoming one of them . Fans and players both love the tradition . neutral +The auditor should also recommend changes to ensure that the agency is properly addressing the critical factors in the GAO model . The GAO model contains more than one critical factor . entailment +no i know i know a little bit more than most people but no where near enough to even talk intelligently about them I 'm a leading expert on this . contradictory +Eligibility for services is determined on a case-by-case basis pursuant to grantee eligibility criteria established under parameters set forth in LSC regulations . The by-laws define criteria for acceptance into the program . entailment +when they were growing up we did we were out in the middle of a desert out in Ridgecrest California Ridgecrest California 's desert was hard to live in due to the immense heat and they grew to detest the heat . neutral +uh that 's still a good hour ride i guess The train is a great way to ride . neutral +uh i 'm in McKinney I am located within McKinney . entailment +Such maneuvers can mean only one thing stolen animals are being gathered for a run to the border . It 's important to have 2 animals of every type when you run to the border in order to be safe . neutral +This building is a rather squat 17th-century structure said to have been made from the wood of a single tree . The 17th-century squat structure is made of wood . entailment +Other learning experiences include course work , such as Elements of Product Cost , in which participants analyze and use cost element information to support decisionmaking related to improvement efforts , ensuring that resources are applied to those activities that return the greatest benefits and provide the highest value to customers . Resources must be applied adequately to activities that return the greatest benefits . neutral +Old Jaffa has become the quiet neighbour . In the past , Jaffa was the louder and more boisterous of the two cities . neutral +In addition , the city 's rich history and architecture have made it one of the most popular tourist destinations in the United Kingdom . The city is one of the oldest in the western world . neutral +The idea of prevention in emergency medicine has taken root for injury and domestic violence , he said , but not yet for substance abuse . Preventative measures are not yet common place for drug abuse . entailment +Representatives at the three agencies ( the Department of Veterans Affairs , the Social Security Administration , and the Department of Health and Human Services ' Centers for Medicare and Medicaid Services ( formerly the Health Care Financing Administration ) identified programs in which their organizations had taken actions considered effective and agreed to participate . Representatives from the VA found programs they thought should be eliminated . contradictory +The current policy establishes a good framework to develop a product , but the policy still lacks specific criteria required to move a program forward and does not tie knowledge to decisions for increasing investments in the program as it moves from system integration to system demonstration . A solid framework for product development is established by the current policy . entailment +The players , main and line referees , and the audience members in the first five rows had to wear surgical masks during the game , and each unsuitable or already used puck would be disposed in special bio-hazard waste containers commissioned by the Federation for specifically this purpose , and designed and produced by the Beoning company . The players were safe without protection . contradictory +Ser Perth came over again , staring down at the sketch . Sir perth , looked away from the sketch . neutral +Social breakdown plus anti-statism bred widespread conspiracism , as the King case shows . The King case shows that social breakdown contributed to the rise of widespread conspiracism . entailment +In making him a pariah , the world is legitimizing men who are almost as awful . In making them pariahs , the world makes men just as bad legitimate . entailment +Situated where the Nile valley widens to become the Nile Delta , it is now the largest city in Africa with a population of over 14 million people . The Nile Delta has millions of residents , up 50 % from 10 years ago . neutral +The overall employment outlook for boilermakers should be quite good , considering the work created by a multipollutant initiative and the work on new power plants that is projected over the next 20 years . The construction of powerplants , plus a multipollutant initiative will create more jobs for biolermakers than has ever been seen . neutral +If specific information comes to the auditors ' attention that provides evidence concerning the existence of possible noncompliance that could have a material indirect effect on the financial statements or significant indirect effect on other financial data need to achieve audit objectives , auditors should apply audit procedures specifically directed to ascertaining whether that noncompliance has occurred or is likely to have occurred . Auditors should ascertain whether noncompliance has occurred or is likely to have occurred within certain time limits . neutral +But he didn 't like the Portuguese and Spanish Catholic missionaries , who he felt were undermining traditional Japanese values . Loss of traditional Japanese values were a reason he had a poor opinion of Catholic missionaries . entailment +What household characteristics predict differences in household-level postal demand ? Household level postal demand may be affected by different characteristics . entailment +after school you might keep them but you again you need that one on one You need to have some one on one time which you may be able to do after school . entailment +In her year-long odyssey through the California justice system , Katherine , a 35-year-old single mother with three children , experienced failure at every turn . Many felt that Katherine 's case was an example of how the California justice system becomes needlessly complicated . neutral +Where 's Tommy ? Do you know where Tommy is ? entailment +it hurts your back and it hurts your arm It doesn 't hurt you at all . contradictory +ooh fattening oh that is so fattening entailment +A male fascination with female models indicates 1 ) adolescence or 2 ) homosexuality . A man 's interest in female models is a sign of either adolescence or homosexuality . entailment +Is Brad Pitt the worst actor on earth ? Brad Pitt is a bland actor neutral +Carey wasn 't directly implicated ; but his complicity wasn 't ruled out , either . They were able to establish a clear connection , directly implicating Carey . contradictory +Thus , distortion could enter the analysis of U.S. outbound mail if there are differences between the proxy distribution and the actual distribution . problems happen in the U.S. mail when you try to automate everything . neutral +'Please , if you 'll just let me pass ... I 'm very tired ... ' I was wide awake and wanted to stay . contradictory +The 1812 Polish War re-established the Poland-Lithuania border , but Napoleon 's troops were crushed as they advanced on Moscow . Napoleon conquered both Poland and Russia in 1812 . contradictory +I have seen him stand here in Tubacca giving toys and candy to the little ones . He has never been to Tubacca . contradictory +The council hides under their own skirts . The council are afraid to make drastic changes . neutral +Loweswater is the smallest of the three lakes and never crowded . Loweswater is never crowded , and it 's the smalles of the three lakes . entailment +that was that is surprising That 's predictable . contradictory +The Federal Communications Commission initiated this proceeding with a Notice of Proposed Rulemaking and Notice of Inquiry that addressed a number of commercial mobile radio services regulatory issues . Commercial mobile radio services regulatory issues were a topic of discussion in this proceeding . entailment +While the First Amendment limits government action , not that of an employer , doesn 't MLB--a group that constantly claims to symbolize America--have sufficient respect for that doctrine not to threaten to fire a guy for expressing his ( albeit despicable ) views ? The First Amendment limits government action . entailment +i know you 've got to get past that that grudge attitude that many have but that 's uh that that would be a part of selling it to the community to the adults ahead of them that probably would never serve and and to each succeeding generation there 'd definitely have to be a major PR campaign in each community each county I know you have to stop resenting your old boss . neutral +In the 1920s bronze statues of two Scottish heroes William Wallace and Robert the Bruce were added to the facade . The facade includes statues of William Wallace and Robert the Bruce . entailment +of air attacks . Attacks from above . entailment +But if she could write about fiscal policy , perhaps I can speculate a little about her . Even if she could write about fiscal policy , I just can 't talk about her . contradictory +Below is a list of the hubs and the islands that can be reached by ferry from them within two hours . There is no list that contains information on where the ferry visits . contradictory +An accompanying story covers the case of a pharmaceuticals CEO with a long and slimy history of harassing subordinates . The CEO in question was Martin Shkreli . neutral +She created RAPS4 by combining the four highest-yield questions from those screens , which covered feeling guilty after drinking , blackouts , failing to do what is normally expected after drinking , and morning drinking . The other yielding results were less important . neutral +Also modest , it will not attempt to solve all the problems relating to campaign finance , lobbying , and other activities that allow money to buy influence in politics . Lobbying does not involve the spending of money to buy influence in politics . contradictory +Well , every effort was made to trace the young lady but all in vain . She was good at hiding . neutral +The monetary wealth and vast tracts of land owned by the monasteries were redistributed according to Henry 's favor . Henry allocated much of the monasteries land and wealth to himself and his family . neutral +, uptown vs. downtown ) --let alone the idea that a possession could bring its buyer simple pleasure . Buyers can choose between uptown and downtown . entailment +The rest is herstory . Herstory is not relevant at all . contradictory +You can have a delicious vegetarian lunch here . There are also many menu items with meat and dairy in them . neutral +The purpose of assistance by the IMF and foreign governments is to cushion that transition and help Korea get to its postcrisis condition . The United Kingdom is also helping the IMF cushion Korea out of it 's crisis . neutral +Today , the remarkable economic recovery has silenced the old condescension about Italy 's technological and managerial talents . Italy has used developments in technology and managerial operations to make a revolutionary economic revival . entailment +The Judas Kiss ( Broadhurst Theatre , New York City ) . The Judas Kiss is showing on Las Vegas , Nevada . contradictory +Unless you can go back in time , cutting the tax rate on existing capital gains cannot possibly increase investment in productive resources . Unless it is retroactive cutting taxes on capital gains won 't work . entailment +Terrorists are criminals and should be treated as such . Terrorist should be treated like criminals . entailment +i 've never done potato we used to do it at home when i was a kid we had a huge garden We planted potatoes in our garden when I was a kid . entailment +A full-service , quite plush resort on Lanai 's finest beach ( Hulopoe ) , the Manele Bay Hotel offers water sports , golf , tennis , a spa , and jeep tours . The Manele Bay Hotel does not offer any activities or services . contradictory +Miss Howard , I explained . I told the boss about the woman I met outside . neutral +However , states are free to maintain their own insurance codes . States can write their own codes for dental insurance claims . neutral +about seventy miles north of London and there was another town called Barry Saint Edmunds about twenty miles away from us and they had a little uh theater company Barry Saint Edmunds is about 70 miles from London . entailment +The Mughal empire had five rulers in 12 years after Aurangzeb died . The mughal empire had 5 rulers in 12 years . entailment +The research case study has been defined as a method The research case study does not have a definition . contradictory +The road leads farther along the eastern shore of the lake to Martindale with its pretty Elizabethan church , St. Martin . Martindale has several churches catering to different Christian denominations . neutral +And at the end of the day have fun ; once the deal is sealed , you 'll definitely come home having bought something exciting and individual ! The deal will always be open . contradictory +I 'll come at once . I sprang out of bed ; and , pulling on a dressing-gown , followed Lawrence along the passage and the gallery to the right wing of the house . I decided to sleep in for a while longer before going . contradictory +to build some more and keep these people in i mean there was a thing on TV the other night where they were interviewing it was it was a women 's prison and they were interviewing these women and these women are like they asked them is this a deterrent and they all said no the prison on TV the other night was men-only . contradictory +i don 't know what they used to do before they i 'm pretty sure about what they did before contradictory +From 1977-8 , he worked for the Department of Justice from 1978 through 1981 , first as an Attorney Advisor in the Office of Legal Counsel then as Counselor to the Associate Attorney General . He worked for the Department of Education til it lost funding . contradictory +The Gospel of Luke reports that Jesus stopped along the way to Golgotha and told the women who were following him that they should weep for themselves and their children rather than for him ( Luke 23 : 28 ) . As Luke discussed , Jesus asked the women to cry and pray for him . contradictory +The physical and logical elements of an information processing system , the manner in which they are organized and connected , or both . The logical elements of an information processing system can be organized . entailment +With so many people trying to get away from it all , it is the perfect contrast to our urban existence . Many people flock to it because it is identical to our urban life . contradictory +uh-huh oh really oh wow well you know i have a problem because i tend to find a restaurant and being on a on a tighter budget you know we don 't go out to eat that much so once i find a restaurant i only want to go there We go out to eat a lot since our budget has increased . contradictory +Its respected library is one of the most complete research facilities in the world . Its library is one of the world 's most complete research centers . entailment +For example , it has historically relied on the Financial Accounting Standards Board ( FASB ) to set generally accepted accounting principles and the AICPA 's Auditing Standards Board ( ASB ) to set generally accepted auditing standards . It has relied on the growth of China 's economy also . neutral +yeah he didn 't they didn 't let him have quite the the flair that uh Mike Riley had They gave him more opportunities than anyone . contradictory +Instead , such interpretations would simply promote the exploitation of vulnerable , low income aliens . Interpretations would promoted exploitation of vulnerable , low-income aliens . entailment +yeah still is It remains so . entailment +Standard processes and tools , such as contingency planning , interdependency identification , protocols , and risk management , are used to coordinate multiple business areas . Among the standard processes and tools being used , contingency planning was found to be the most essential to implement . neutral +With a quantified target , jurors would at least know what to aim for , even if they can 't be sure of hitting it . The jurors are trying to find a target that is valuable . neutral +Reporting supplementary stewardship information in two categories will not be deemed double counting . Stewardship may only be reported in one category . contradictory +However , the estimates indicate that there is ample steel and general construction labor to support the installation of these technologies over these time periods . Construction labor and steel are abundant resources . entailment +The Ottoman Empire surrendered when World War I ended the following year , and , following a declaration by the League of Nations ( the forerunner to the United Nations ) , Britain became rulers of Palestine by mandate . The decision for Britain to become the rulers of Palestine was made by the League of Nations . entailment +The music of the southern islands has a traditional style called nisiotika , while in the northern Aegean , a style called sandouri prevails . The northern and southern islands have no music traditions . contradictory +Our sole motivation is to save what I think is an essential service and innovative program . We have a lot of different motivations for it . contradictory +Cruises around Lake Annecy start from the Thiou river . The area is known to have a lot of travelers . neutral +He drew a sigh of relief as they allowed it to pass unchallenged . He was glad to pass by without challenge . entailment +The information collection is entitled Auction Forms and License Transfer Disclosures . The information is about license transfer disclosures . neutral +I was right . I had been correct . entailment +and also the um i don 't know it seems almost like there 's this it 's a peer pressure thing is why we keep wanting to do it is so we 'll look good to the other nations because i think they that 's an area that the other nations especially Europe look down on us like oh we 're just backward wayward children who still use this backward system who haven 't really attained it yet I think we do it so that we are in good books with other nations . entailment +yeah yeah i think the uh actually i think they get um some of them from South America They don 't import any of it from South America contradictory +We then produce a trend line through the data points and compare it with the model results . Our results can be checked accurately against the model results by graphing a trend line across the many data points from our experiment . neutral +This may be less of a prophecy than a reflection on the town 's tumultuous history . Maybe this is not so much a prediction for the future than a reflection on the town 's troubled past . entailment +The USPS has proposed extending this service to Standard mail . USPS proposed revising service to standard mail entailment +The 1996 near miss allows them to ignore the uglier facts of 2000 : that Lamar faces a stronger field and has lower poll numbers . Lamar is going to have tough time trying to win now , even though people ignore it . neutral +The joint authority shared by the Postal Service and the Postal Rate Commission under the Reorganization Act to adopt new mail classifications is the mechanism for implementing innovations in domestic mail service . The U.S. Postal Service and Postal Rate Commission believe that new mail classifications will help people have more options to efficiently ship their products or items . neutral +The community worships at the simple , unassuming St. Peter 's Catholic Church , where Easter is an especially big event attracting many Indians , Chinese , and Malay non-Catholics to the great candlelit procession . Many Indians go to the St Peter 's Catholic Church during Easter . entailment +For people and for the nation , saving means forgoing consumption today so they can enjoy a better standard of living in the future . Saving means forgoing consumption today so they can enjoy a better future . entailment +I don 't know , I don 't know ” ” I don 't know , man , I just plain don 't know who did . neutral +In return , the Turks violently put down every insurrection , including the massacre on Chios , when 22,000 people were slaughtered . 4,000 of the slaughtered people were children . neutral +But the words are also an aspiration , because many Americans can 't afford legal services , and so are unable to take full advantage of our great legal system . The legal system is often used to contest unfair rental charges . neutral +A moment later his impression was proved correct . Afterwards , his impression was proven to be grossly incorrect . contradictory +Madrid is littered with small , affordable residencias ( pensions ) , and this is one of the best bargains among them . Madrid is mostly very expensive housing . contradictory +This makes me feel very good coming here and doing this , she said , noting she regularly volunteers her services to tenants at eviction court once a month . She provides free services to tenants at eviction court . entailment +yeah really so i enjoy aerobics and i do it because i like it i mean i like the music and I enjoy aerobics and the music . entailment +The World Bank , the CIA , and other China sources are just one click away . The World Bank cannot be accessed by anyone . contradictory +I 'm about as big a media hound as anyone , McCain told one newspaper , but I 've turned down at least 500--maybe 600 or 700--requests to go on talk shows on this issue . McCain said he turns down 90 % of the interviews he is approached for . neutral +so what 's your favorite team or do you have a favorite team or Do you have a favorite team and if so , what team is it ? entailment +Ain 't nobody gonna try to run a railroad through here , Anse replied promptly . Anse was confident that people would build a railroad through that place . contradictory +i 'm not knowledgeable in that area so i can only agree with what you 're saying I know nothing of that stuff , so I will trust in your details . entailment +I don 't know , Ca 'daan , but you are here now . We are all still waiting on Ca 'daan . contradictory +You can 't have learnt much about us if you don 't know that NOBODY KNOWS WHO Mr. BROWN IS … . Mr. Brown is not a famous man . entailment +really yeah see i didn 't i don 't i thought my uh i thought i live in Euless and i thought it was pretty normal but anyway but i guess you 're right though it has been real hot because it um i 've had to use the air conditioner in March and that is pretty usual It is freezing cold in Euless , all year round . contradictory +If it is greater than one revenues fall . Revenues go down if expenses are higher than one . neutral +It lasted ten days . Because the event was only a couple days long , no one attended . contradictory +I watched when we got on the open road . I closed my eyes when we reached the road . contradictory +Various witnesses testified to the accuracy of these statements . These statements were verified by six women . neutral +Multiple Category Reporting . A lot of category reporting . entailment +Followers of our weekly poem may have noticed that Slate poetry editor ( and U.S. poet laureate ) Robert Pinsky chose to run something by Ben Jonson last week . Robert Pinsky chose to run something by Ben Jonson last week . entailment +By providing access to justice to tens of thousands of Marylanders each year , Legal Aid attorneys and support staff bring equity and stability to society . Legal Aid attorneys makes sure that Marylanders are not denied their constitutional rights . neutral +yeah they 're being overwhelmed i think anyhow i mean No , they are quite underwhelmed I think . contradictory +'But I take it you mean something in particular ? ' I think you mean something specific ? entailment +The average California farmworker is employed 6-9 months per year and earns between $ 5,000 and $ 7,499 annually . Farmers work year round . contradictory +It is the burial place of Sultan Husain of Johor , who negotiated with Raffles the British rights to Singapore . The burial place of Sultan Husain of Johor is visited by tourists all the year . neutral +The eternal feminine , the Huns call it , I 've heard . The Huns call it the eternal masculine . contradictory +nursing home that we finally had fortunately she only had to stay a few weeks and she was able to to return to her apartment again but it 's really a big uh big decision as to you know when to do it she 's still there ; she won 't be able to leave , unfortunately contradictory +In the center , the enchanting Villa dell 'Isola , a pavilion surrounded by a little reflecting pool and circular portico , epitomizes all the magic of the place . There are a pool and a portico in the Villa dell 'Isola . entailment +Handsome . Very attractive male . neutral +yeah uh-huh that 's the way i found that 's the way i found Abilene in the winter In the summer , Abilene is a much different place . neutral +At this point , we derive estimates of the differences between the two scenarios in terms of incidences of a range of human health effects that are associated with exposure to ambient particulate matter and ozone . The differences were not looked at , only the similarities . contradictory +i just made my first job hop about eight months ago so uh Around eight months ago I changed jobs for the first time . entailment +He was learning well . It was taking him a while , but he was understanding what he was being taught . neutral +Semans says she wrote that line into the narrative after she had told a lot of people , including her parents , about the spot . Semans says she wrote the line about the deserted island , only after telling several others . neutral +stationary and i feel like gosh that 's all they do all day long so um so i do love to see young kids go and and men take the pets and everything i think that 's a real real neat idea I would love to see kids and men taking walks . entailment +One pincer battered its way through the rebuilt city wall , while the other so it is said infiltrated through a secret passage revealed to the invaders by the brother of the sheik himself . Two pincers got into the city , one from through the wall , and the other with the help of the sheik . entailment +When we try to give it back Senor Juanito yell , ' spy , ' hit with whip . To the dismay of Senor Juanito , we did not try to give it back . contradictory +Godkin viewed populists such as William Jennings Bryan as barbarians , and they returned the favor by viewing Mugwumps as enemies rather than as potential allies . William Jennings Bryan is not well-liked . neutral +How was that ? " Which is that ? contradictory +5We reported on this issue in The Accounting Major Progress and Concerns ( GAO / AIMD-96-98 , Washington , D.C. : Sept . 24 , 1996 ) . We decided not to write about this issue The Accounting Major Progress and Concerns . contradictory +um-hum well once you start it apparently it 's not bad some of the girls have gone into the call age group Claritin University is just not too far from here Some girls have went into the call age group of Claritin University . entailment +Even its advertised passbook savings accounts earned 1.49 percent . The passbook savings account is advertised . entailment +The result is fascinating without being exactly moving . The result surprised a lot of experts . neutral +The bottle suggested one 3-milligram tablet before bedtime . The bottle suggested one tablet before bed . entailment +Only to the uninitiated do Italian drivers seem dangerous . All Italians drive similarly and are used to each other on the road making it safe . neutral +The cost percentages reflect labor and non labor costs , except for Germany . Germany 's costs percentages are different from ours . entailment +but to get them interested in doing it i don 't know I 'm not sure how to get them interesting in doing it . entailment +Well , I grumbled , a little mollified . I wanted to shout loudly . neutral +Hope th ' Old Man gives it to him this time , hot an ' heavy , both barrels plumb center ! " Hope the Old Man goes easy on him because last time was too much . contradictory +Republicans face the prospect of running in 1998 with a discredited , unpopular speaker who is nonetheless impossible to dethrone , and with no record of accomplishment . The Republican speaker has an approval rating of just 27 % . neutral +yeah they really uh uh they found out that all the guys that were backing up uh McMahon when they got to be the first guys weren 't all that good after all McMahon did not have a single person backing him . contradictory +The advocate component of the website is organized geographically ( generally by state or city ) , by local practice areas and by national practice areas . Local practice areas are one of the ways in which advocates are organized on the site . entailment +Beijing , however , believes that if Clinton were to spend political capital on pushing China 's membership in the WTO , he could prevail--as he did on NAFTA and WTO ratification . Beijing believes Clinton will not prevail on pushing China 's membership in the WTO . contradictory +But there won 't be any delay he 's a terrific hustler . " A resolute look settled on Mrs. Vandemeyer 's face . Mrs Vandemeyer likes the hustler . neutral +The sheer range of Giambattista Tiepolo 's work comes across in these multifaceted exhibitions at the Met and the Morgan , and no one could complain of the variety of the objects on view . Tiepolo 's work has never been displayed in public . contradictory +Gates and Kinsley . Both Gates and Kinsley , not only one of them . entailment +yeah yeah yeah i uh i tried when um i guess i was in junior high high school when uh Led Zeppelin was real big and everybody i tried to you know really go the whole way and i couldn 't go with even with most of Led Zeppelin 's music i didn 't enjoy it Everyone else in my school was crazy about Led Zeppelin . neutral +yeah relax and try to go to sleep really yeah Don 't relax or sleep . contradictory +The PKK has murdered Turks who teach Kurdish children , Kurds who side with the Turks , and thousands of Turkish soldiers . No Turks have been murdered by PKK . contradictory +so any way i work in a big prestigious place I work at a modest office . contradictory +i 've never heard of such of thing this is this is really a surprise to me i wasn 't total i 'm glad it was you because i was afraid i 'd get some guy on here that knows all about this I 've never heard of fixing the motor that way that is quite surprising . neutral +i i i think yeah there is i i i think uh law would be a fine field a fine profession fine field to go into um i know one time i was in a political science class and you know talking about fields people going into different fields i made an off off the cuff remark about lawyers about their integrity being questionable and i mean oh that was like a can of worms no I think that a lawyer is a well respected profession . entailment +In the area of control environment , we found that , for improper payment initiatives to be successful , setting the tone at the top is critical . Improper payment initiatives were very valued . neutral +That other stuff on television--politics--is boring , long-winded ; and politics vs. Politics on television is boring . entailment +LSC also uses a cost-per-case analysis to compare similarly situated grantees . There are situated grantees that LSC uses to their benefit . entailment +Rudy Giuliani 's Senate campaign reports that he has already signed up 11,000 volunteers on the twin Web sites RudyYes.com and HillaryNo.com. Despite the fact that Rudy Giuliani 's Senate campaign reports having already signed up 11,000 volunteers to work on twin websites , the actual volunteer number is closer to 100 people . contradictory +They feel this gives them license to create conservative counterinstitutions , from magazines to think tanks . A counterintuition includes a place of worship . neutral +She clung to Dave , crying something about how the Sons of the Egg would torture them . She knew he would be fine . contradictory +As you say , said Dunkan . Dunkan did what you said . entailment +' ' Fred was ahead of his time in addressing the needs of the Latino community , ' ' said District Justice Michele Varricchio of Allentown , a former law partner . Varricchio said that Fred was far behind his times . contradictory +However , a wide range of familiar liquors and liqueurs are available at very low prices made under licence in Spain . The Spanish like to drink cheap liquors . neutral +You haven 't really proposed now , pointed out Tuppence . Tuppence praised , " Your proposal was very beautiful to me . " contradictory +well Buddy will probably get another job Buddy will never get another job . contradictory +Later , the strategic location and deep-water channel close to the coast brought in the bigger vessels of the trade-wind traffic crossing the Indian Ocean . The opportune locale allowed larger vessels part of the trade-wind traffic crossing the Indian Ocean to come in . entailment +Alright , Van Zandt is one of my heroes , and I think his portrayal of a low-wattage Soprano soldier is a rip , so I 'm prejudiced , but there was a kind of joy in that one scene that is missing from the rest of the episode . Van Zandt 's portrayal of a soldier was acclaimed as the best ever . neutral +Was this what they had meant ? Did they mean this ? entailment +Drew picked up The Three Musketeers . Drew picked up a book . entailment +FFC 's objective was to identify a range of best practices and technologies that can be used by federal agencies and other owners to provide adequate management and oversight of design reviews throughout the facility acquisition process . FCC is an organization that largely gets nothing done because it has no objective . contradictory +More fathers need to buckle down on the home front , which would improve the attitude and motivation of mothers too . No matter what fathers do on the home front , mothers will never be motivated . contradictory +Witness the crowd 's unashamedly chauvinistic partisanship at Rome 's international open tennis championships or the Davis Cup . Rome 's tennis championships really bring out the community 's chauvinistic and partisan tendencies . entailment +CURRENT SERVICES ASSESSMENT ANNUAL STEWARDSHIP INFORMATION Assessment of annual stewardship information from corporations neutral +CHAPTER 8 Chapters 8 and 9 neutral +have you ever read any of Frank E Peretti 's I really enjoy reading Perretti 's books . neutral +The convulsions were of a violence terrible to behold . The convulsions were quite violent and terrible to watch . entailment +Adrin got the point . Adrin got to the point of intoxication that he was tripping over himself . neutral +The piece includes a handy quiz for couples who want to diagnose their viability . There is a handy quiz for couples to take , but they don 't have to be in the same room . neutral +But there are just two small entries that refer to the three of you . The three of you are only mentioned in two small entries . entailment +The homes in the hills are regarded as somewhat more prestigious than those in the flats . The hills are a more prestigious place to live than the flats . entailment +Patrick Stewart was in that i guess the guy that 's on the new Star Trek series was in that thing uh We watched the new Star Trek series with him in it . neutral +LSC asked for funding to conduct a new national legal needs study in its FY2001 budget request to Congress ; however , no funds were allocated for that purpose . Although Congress did not allocate the funds the way LSC wanted them too , they were able to get a private donor to complete their study . neutral +By instituting such a management framework , agencies can strengthen their current security posture , facilitate future system and process improvement efforts , and more confidently take advantage of technology advances . Such a management framework prohibits future system and process improvement efforts . contradictory +That is a lot . That 's an excessive amount . entailment +In fact , the World Bank in 1950 declared as many as 60 percent of Cubans undernourished . Majority of Cubans were undernourished because they did not have sustenance . neutral +The Allowance Tracking System for sulfur dioxide allowances was already established for the Acid Rain Program , and essentially the same system will be used for the new sulfur dioxide trading program . Acid Rain Program was improved to form the Allowance Tracking System . neutral +Thanks to King Hezekiah 's hidden water tunnel , the city narrowly escaped destruction . King Hezekiah 's had a hidden water tunnel . entailment +Thousands of writers bring suit each year claiming their copyright has been violated , but almost none win satisfaction in court . Court does not often win satisfaction for writers who claim to have had their copyright violated . entailment +Tulare County Water Works may also come under Schneider 's fire . The water company has already been cleared . contradictory +oh oh yeah and and you have to i guess you have to question too why a lot of the men especially i think middle age and older men why they feel that way and and i think it gets scary for them to see change also they 've been used to being really to be honest in in society and in a way number one and they come home and everything 's done for them and their meal is served Older men seem to be embracing the change easily and happily . contradictory +yeah they do kind of follow or They follow the regularly scheduled broadcast . neutral +One is lulled into thinking that these contorted bathers are mere exercises in the handling of pastel , and not the work of , in the poet Paul Valery 's words , a supremely cruel authority on female contours and poses . One could think that a cruel authority of female contours is a positive thing . neutral +The 20th century saw a stupendous release of energies that had been pent up for the 250 years of Tokugawa isolation . Many historians felt that this state of affairs was inevitable after the Tokugawa isolation . neutral +The Shah kings remained , but had only ceremonial power . The Shah kings did not have any power . contradictory +Just the same , the American economy is the healthiest it 's been in a quarter-century . Up to now , the American economy is the healthiest it 's been . entailment +Eat him , Barik , and you drink on me ! said the man in the purple hat . The man in the red hat sat idly while Barik drank . contradictory +Martinis , barbecues , cigarettes , adultery--all are now vestigial , but where are the new suburban symbolic hooks ? Barbecues and adultery are not considered vestigial . contradictory +i think so you 're right well it 's interesting uh that uh people have the generally the same view of credit cards no matter where you go No you are wrong , people know nothing about credit cards contradictory +Now they began speeding along smoothly again . They tried to start off again but were unable to do so . contradictory +No , old fellow , I don 't think that will wash . " 117 But I had remembered something else . I was reminded of an alternative that I had learned long before . neutral +yeah because well my brother-in-law lives in Minnesota and they 're just nice plastic bins and you fill them up and put them out with your other trash and they pick them up In Minnesota they have plastic bins you just fill up and put out with your other trash . entailment +if yeah see and then there 's another thing she told me is you have to make sure everybody cooperates because like by her her being there if someone if one of her brothers didn 't send in their check she would have to pay it Unless everyone cooperates , she will have to pay for her brothers . entailment +Time ' s education cover package says parents should get their kids reading at an early age , be involved in their schools , not castigate them for mistakes , let them find their own learning styles , and praise hard work and persistence--not just outcomes . Education should emphasize concrete results more than anything else . contradictory +I could see by the expression on his face that he himself had little hope . He tried his best . neutral +You can be sure of only two Each party is arguing exactly the opposite of what it argued the last time a Republican president led the nation into war , and exactly the opposite of what it will argue next time . The parties are arguing about the opposite of what they did last time . entailment +Others take more pot shots at Plath defenders . Others ridicule Plath defenders . entailment +but i mean my goodness there 's they 're sitting here making all this big deal out of the Iranians They are completely ignoring the threat that the Iranians pose . contradictory +now i work and i live in the city so that sort a kind of hung it up i have a few flowers but most of mine are like in barrels and things like that Most of my flowers are planted in barrels . entailment +The amendment failed , as did the overall bill ; and when the bill came up for a vote again this year , no similar amendment was offered . The amendment failed with the bill ; when it was reintroduced this year , the amendment was not reoffered . entailment +The Galleria at Sunset is the most recent of the suburban shopping malls . The Galleria is a suburban shopping mall . entailment +Search me . Try to find it on me . entailment +it 's it 's so easy to get caught up on reading just for your work or you know self improvement and you kind of forget the fun of reading I try to always try to balance fun reading with work reading . neutral +you know but get somebody around your own handicap and you can just mosey on out for three or four hours and have a good time You can make a game last for hours , and have a good time . entailment +The trend is called brachycephalization , and it has been happening mainly in rural Poland between the Carpathian Mountains and the Black Sea--which , for some arcane reason , is one of the few places on Earth where humans are still evolving . The Carpathian Mountains and the Black Sea are some of the few regions in which humans are continuing to evolve . entailment +Mintie , a Claremont resident , made it possible for Ceballos to represent poor clients against wealthy landlords , a calling about as low-paying as lawyer jobs get , and pay off her loans at the same time . Mintie lives in Claremont . entailment +The German and another were trying to force the door in . The German and the other person were knocking on the door . contradictory +They couldn 't eat our food or we theirs . " We couldn 't survive with each other because of food . neutral +This approach reduced the amount of risk in the development of each increment , facilitating greater success in meeting cost , schedule , and performance requirements . This made it more successful to stay on budget . entailment +'Mr . Franklin- White- please-' THey would like to speak to Mr. Franklin-White . neutral +well you have to prove it to yourself just by doing it a few times Don 't do it at all , you have nothing to prove to anyone , not even yourself . contradictory +Tahrir Square ( Liberation Square ) on the east bank is its heart , a mass of streets converging on the biggest bus terminus in the city , which is bounded by government ministries and office blocks housing airline offices and travel agencies . Tahrir Square is considered its hard , located on the east bank . entailment +Venetian ramparts still protect the historic City Alta ( Upper City on the hill , the older section of town linked to the City Bassa by funicular . The Venetian ramparts have been destroyed . contradictory +Impossible ! That cannot be done ! neutral +yeah how do you feel about rap music it seems to be so popular these days Rap is not popular today , pop music is very popular . contradictory +i took a picture of her and that was all it all it lasted for She hates dressing up . neutral +It was built in the style of a south Indian gopuram ( temple gatehouse-tower ) , covered with a riot of colorful statuary from the Hindu pantheon . The style is from south India gopuram . entailment +You 'll soon notice that this is first and foremost a fishing island nets , lobster traps , gutting knives , rods , and lines are everywhere ; it 's no surprise to learn that the inhabitants , mostly descendants of Bretons who settled here 300 years ago , are considered the best fishermen in the Antilles . They have fished for over 500 years , perfecting their craft . neutral +( 2 ) employee satisfaction , ( 3 ) customer satisfaction , ( 4 ) business results , and ( 5 ) equal employment opportunity . Number 5 is equal employment opportunity . entailment +Menes is dead . Menes is no longer alive . entailment +Talk ” talk ” talk ! It 's so quiet in here ! contradictory +In the past , the absence of a broadbased homeland security definition or the ad hoc creation of a definition by individual government departments suggest that a consistent and transparent definition be applied to help create a more integrated approach and unified purpose . A broadbased homeland security definition did not always exist . entailment +Antonio da Sangallo the Elder , architect of many of the town 's palazzi , built his masterpiece , the 16th-century church of San Biagio , southwest of town , a gem of High Renaissance architecture hidden at the end of a cypress-lined road with views of the Chiana valley . Leonardo Da Vinci , the architect of many of the town 's palazzi . contradictory +and we have him and then our female she had another litter we didn 't think she was we thought she was too old to get pregnant again turned out she wasn 't It didn 't surprised that our old elderly dog got pregnany . contradictory +well i don 't know it hasn 't really been that long but my my uh the last movie i saw was on TV uh and i was trying to remember it was called Back Stab and it was uh it was really intriguing and i found i i i have a i have a problem with i just about forget them once i 've seen them but i guess the really the one that i really saw that i really liked was Ghost did you see that I never forget the movies I see . contradictory +I thought you 'd be sure to bring her along ? I was unsure if you would bring her along or not . contradictory +yeah you do you drive there or do you take the ferry or what The man asks if the other man drives there . neutral +well this should be very interesting because i 'm against it I am interested because I am against it . entailment +The motivation of adventurers everywhere is to achieve something no one else has achieved and to derive the pleasure that arises from that--and , not incidentally , to get famous by writing books about it . The ultimate goal for an adventurer should be to write books about their travels . contradictory +It is interesting to note that United Parcel Service recently began delivery less frequently than daily to certain residential areas . The United Parcel Service no longer delivers daily everywhere because it is trying to save on costs . neutral +Towering over the sheltered yachting harbor of the Vieux Bassin are tall houses with slate and timber facades . The yachting harbor is sheltered to prevent the interiors going rusty neutral +Nowadays every cop carries one and every criminal owns four . The criminals don 't have as many as the cops . contradictory +OMB approved the rules on March 27 , 1997 . The rules were not approved by anyone . contradictory +John Cavendish joined us , and one or two of the servants were standing round in a state of awe-stricken excitement . There was no one else around when John Cavendish joined us . contradictory +When I checked a couple of years ago , the shelter population had indeed increased , but only by a handful of families . A couple of years ago , after my most recent observation , the population of the shelter had gone up by a few families . entailment +Especially dramatic is the 16th-century high retable in the monastery 's church . The low retable in the church is not dramatic . contradictory +And Browning , a lawyer , is neat as a pin in her publicity photos . Also Browning looks a mess in these photos . contradictory +yeah he was Yes , he definitely was . entailment +Mr. Carter smiled . Mr. Carter had a grin on his face . entailment +The showrooms are for trade only , meaning the only way you can make purchases is to buy through an interior designer . Anyone can go to the showroom to buy things . contradictory +( The magazine revised its methodology to reward high spending on instruction . ) The magazine kept its methodology the same . contradictory +2 ) No , the only reason he had said the Antichrist must be Jewish is that Jesus was Jewish , and the Antichrist is supposed to resemble Jesus . He said that the Antichrist was Buddhist , not Jewish . contradictory +but some of them are sold and i know you talking about mailing lists the i there is one particular group to which i belong and for some the reason they have three different names One of the groups I 'm a part of has 3 separate names . entailment +Jon hated that grin . Jon loved the grin . contradictory +Prudie is so busy sputtering she hopes she can type ! She is not busy . contradictory +yeah sounds like we pretty much agree I guess we share the same ideals with them . neutral +The tomb was abandoned when Amenophis abandoned Thebes and made a new capital at Tell el-Amarna to the north . Amenophis made his new capital at Tell el-Amarna . entailment +yeah that 's uh that 's the same with me well um i grew up in a rural area there 's nothing but farms There is nothing but farms in rural areas . neutral +Today 's Papers is still partial to Silicone Valley . Today 's Papers still despises Silicone Valley . contradictory +did you spend as much time with your daughter as you did with your sons You didn 't spend equal time with your sons and daughter did you ? contradictory +But he sees clearly that everything must be risked for the sake of that damning piece of evidence . The evidence is important to us . neutral +Most critics find her angry monologues about rape and Jesse Helms obvious and dull ( Linda Winer , Newsday ) . Predictably , conservatives pronounce her smut unworthy of government funding . Most critics find her monologues to be exhilarating . contradictory +The Palais des Tuileries was destroyed by fire during a workers uprising in 1871 . A fire in 1871 destroyed the Palais des Tuileries . entailment +The upward leaping orchestral figure anticipates the word , top , but the sung line does not , and at the punchline , But if Baby I 'm the bottom , / You 're the top , both Billy and Reno ( I 'm and You 're ) share a melodic line at the top of their respective ranges . Billy and Reno compose music . neutral +Opposite , and from the same era , is the Examination Hall , where concerts are given occasionally when no examinations are in progress , but is otherwise rarely open to the public ( look through the spy hole in the door ! ) Concerts and examinations happen at the same time in the Examination Hall . contradictory +multiplying whitecaps.Spray blows in well-marked streaks at six.In the foam-spewed rolling swell that takes a higher number , small and medium ships may be lost to view for a long time . Small ships go out of sight . entailment +I wish to God we 'd gone there right away . We might 've found her if we had . neutral +Though one of Europe 's youngest capitals , it 's had plenty of time to catch up to Spain 's more historic cities , including Seville , Toledo and Granada , and today it is their political , administrative and economic superior . It is one of the newest capitals in Europe . entailment +Today Madrid is that cohesive center and more . Madrid is an important center . entailment +If you don 't want to pay , you can view some of the site free . ) The site costs a lot of money . neutral +AGSIMe is an econometric-simulation model that is based on a large set of statistically AGSIMe is an agricultural-simulation model . contradictory +well well good luck with your your expected uh baby there uh my wife was yelling in my ear was talking in my ear she said uh reminded me to say that uh they 're very cheap until they get get to start dri ving Good luck with your baby , kids are cheap until they start driving . entailment +In the months that followed the publication of the proposed rule and during the comment period , the FDA made available to the public over 200,000 pages of documents which were cited by the agency or considered in the promulgation of the rule . During the comment period , the FDA had over 200,000 pages made available to the public , but had no impact on the final promulgation of the rule . contradictory +But if it 's at all possible , plan your visit for the spring , autumn , or even the winter , when the big sightseeing destinations are far less crowded . Visiting in the fall is best because that 's when the crowds are smallest . neutral +was uh was the gold worth i mean was it really gold I have no clue what gold even is ! contradictory +This posture has resulted in the engineers being told to design equipment and mail handling systems that will handle a frightening range of mail characteristics . Some of the mail handling systems will be large in size and be more productive . neutral +National- and American-league baseball teams played regular-season games against each other for the first time in the sport 's 120-year history . Baseball has been in America for 400 years . contradictory +Furthermore , the source of the invested balances is predominantly revenue earned from their sales of goods and services , for which the funds incurred costs of operations when that revenue was earned . Sales has no effect on the company 's revenue . contradictory +HHS recognizes in its analysis the difficulty of quantifying the costs and the benefits of the rule . HHS says quantifying costs is difficult . entailment +um i 've always been a physique that can stay skinny no matter what i eat or how much i eat or if i uh exercise or not and they tell me that 's going to catch up with me someday uh I 've always been skinny no matter what or how much I eat without exercising . entailment +The gardens , once a favorite spot for aristocratic duels , now serve as a pleasant children 's playground . The children take part in aristocratic duels . contradictory +uh-huh yeah yeah i enjoy it once in a while but i enjoy relaxing while i eat you can 't really do that in these fast food places Places like Burger King are always so loud and crowded , you can 't relax in places like that . neutral +Major source preconstruction review and best availability retrofit control technology requirements . The technology requirements called for a million dollars of computer processors . neutral +um-hum oh i 'm sure it is i 'm sure it is i was exposed to a lot of music when i was younger i my parents had me take piano lessons for eight years and I was exposed to a lot of music when I was younger . entailment +Nobody knew . They knew all along . contradictory +Here the works of such Western sculptors as Moore , Arp , Caler , and Giacometti share the garden space with those of Shimizu Takashi , Takamura Kotaro , and other Japanese artists . The works of both Shimizu Takashi and Giacometti are in the garden space . entailment +Dave Hanson came awake trying to scream and thrusting at the bed with arms too weak to raise him . Dave is not being allowed to leave . neutral +Dark rings formed under her eyes and the eyes themselves nearly sent Jon into a panic . Her eyes made Jon panic . entailment +What about it ? " What of it ? entailment +thing was one here recently we saw at Christmas time um God i haven 't been in a movie since I haven 't seen a movie since Christmas time because they 're so expensive . neutral +Assess the effectiveness of the agency 's workingrelationship with the contractor . The agency and the contractor have worked together for many years . neutral +For the 2010 and 2020 Base Cases , emissions under current regulations with economic and population growth were projected . Projections were created for current regulations and growth conditions . entailment +If we do not pre-define SBIR , we have to define what we are talking about with each recommendation . We want to know about the recommendation beforehand . neutral +Education , training , and R and D also can potentially increase output ; in this simplified flow chart , these would influence total factor There 's a flow chart that provides information including R and D. entailment +The mainland , one guessed . The main territory , one took a stab . entailment +She makes culprits out of answering machines , electronic mail , campaign money , malpractice litigation , HMOs , corporate takeovers , and the demise of house calls by the family doctor . She sees corporate takeovers and malpractice litigation as culprits . entailment +The sanctuary began almost by accident in the late 1950s when founder Lisa Salmon moved onto a plot of land high in the hills above Montego Bay . Lisa Salmon decided it was too expensive to make the sanctuary . contradictory +Toward the south end of the open space is the Bhimsen Tower , a useful landmark visible from many parts of Kathmandu . The Bhismen Tower was used to watch if invaders came in the area . neutral +It would be expected that lower volume postal administrations would try to keep them small to reduce the burden on rate payers . Higher volume postal administrations should keep them small . contradictory +yeah well like like i said at the beginning i 've got so many connections with people in Central America my daughter-in-law is Panamanian you know and they have situations like like that down there where they My daughter-in-law is from Germany . contradictory +Entering the church 's one large room , you are immediately struck by the lustrous white marble of the icons on display . There are large white marble icons for display . entailment +Joe catches fish and Maggie gets laid by other guys--and splits . Joe spends his time catching fish and Maggie leaves him after she has slept around with other men . entailment +Kosovo intruded during the few months when major bills could have been considered . During the few months , when major bills could have been considered , Kosovo intruded . entailment +HKTA also has trail maps and sponsors the Guided Nature Walks , led by rangers , that include hikes in all the different regions of Hong Kong . HKTA has ranger led Guided Nature Walks that include maps and hikes throughout the regions of Hong Kong with plenty of beautiful serene areas neutral +Initial prototypes for a complex product with major technological advances have inherent deficiencies . That is why it is better to not make a prototype with technological advances . neutral +okay what kind of books do you like to read for enjoyment Do you like to read ? neutral +The time required to review related information and perform initial testing will vary , depending on the engagement and the amount of risk involved . If there is a high risk involved it will take longer to perform initial testing . neutral +Lukacs often writes as though Hitler , or rather Hitlerism , triumphed in the war . Lukacs implies that Hitler won . entailment +David Bye , Rivera 's counterpart in Larimer County , works with a staff of seven . David Bye has a staff of seven . entailment +yeah it 's it 's marked up It 's marked for good . neutral +OSHA published an Advanced Notice of Proposed Rulemaking on May 14 , 1982 ( 47 Fed . OSHA 's Advanced Notice of Proposed Rulemaking sought support from several other agencies . neutral +that 'd be nice did you all work at TI uh TI Colorado Springs Did you work in Colorado Springs ? entailment +Agia Anna , and the long sandy spit of Agios Prokopios are two of the most popular . Many visitors like to see Agia Anna and Agios Prokopios . entailment +He reviewed the GAO reports in detail , analyzed the data from each one in terms of his framework , and aggregated the results in his final chapter . The GAO reports were not available for him to analyze . contradictory +Vouchers need to be worth enough to afford real avenues of escape . Vouchers afford realistic opportunities to escape . contradictory +Only a tiny fraction of volunteers assist needy children and seniors , and most community-service agencies are badly mismanaged . Needy children and seniors are assisted by only a few volunteers . entailment +Mixing foundation money with their own to go beyond the standard curriculum , the schools are teaching the nuts and bolts of running a business , setting up client referral networks for fledgling practitioners and holding seminars to tackle the mundane cha llenges of going it alone that are often considered superfluous to the study of law . The schools have decided not to accept foundation money and will no longer set up client referral networks . contradictory +Almost half of Ireland 's population is under twenty-five , and with its universities and professional schools , Dublin also has a large student population . Only ten percent of Ireland 's population is under 25 , so Dublin 's student population is rather small . contradictory +my my short game leaves a lot to be desired I really need to work on improving my short game . entailment +An Analytical Framework for Capital Planning and Investment Control for Information Technology , U.S. No Analytical Framework for Personal Planning and Accounting Control for Information Technology contradictory +He stretched out his hands . He kept his hands at his sides . contradictory +Today , the Beaujolais country thrives and wine-lovers heading south detour to such familiar names as Fleurie , Julienas , Chenas , Morgon , and Brouilly . The struggling Beaujolais country is avoided by wine-lovers heading north . contradictory +wonder about them in what way Why would you bother with thinking about them ? contradictory +it sure well if you keep up a a consistent pace just to keep the heart rate going uh I am sure if you have a constant pace you will get your heart rate going . entailment +Consistent with OPM 's and OMB 's views , our model of strategic human capital management embodies an approach that is fact-based , focused on strategic results , and incorporates merit principles and other national goals . Our model of strategic human capital management embodies an approach that is fact based . entailment +I know , old thing . I have a feeling that it 's ancient and should be handled carefully . neutral +Such provisions have been critical to the success of the Acid Rain Program , encouraging individual sources to find the most cost-effective means of compliance with the collective emission reduction goal . The acid rain program 's success can be attributed to such provisions . entailment +Therefore , given the magnitude of the problems an agency may face , and the extensive effort and long period of time it can take before problems are fully resolved , progress must often be measured initially in terms of whether the agency has a well thought out management improvement initiative in place to guide its reform efforts . All the agencies work within themselves without relating and sharing to the other . contradictory +EPA 's analysis indicates that the first year , 60 percent ( 2,895 ) of the small entities will expend less than 1 percent of their annual revenue for the rule 's compliance costs , 12 percent ( 569 ) will expend between 1 percent and 3 percent , and 119 or 2 percent will expend 3 percent or more of their annual revenues for compliance . The EPA 's rule is extremely expensive to comply with . contradictory +He was born with a silver gag in his mouth . From the day he was born he proved to be impossible to shut up . contradictory +yeah but i often wondered wondered about that too I am curious about that as well . entailment +You get the feeling that this sympathy is what he 's hiding behind noncomittal words such as cost estimates and weighted averages . You get the feeling he is being noncommittal because he has bias towards the the subject . neutral +If you handle the case wrong , you are exposed for damages , she said . She said that you could not be held liable , no mater how the case was handled . contradictory +and and i i believe it 's just that religion that 's not a you know a prominent uh predominant religion uh religion so i don 't i don 't think that that uh issue would hold much water Everyone would see the flaws in it immediately . neutral +But it doesn 't influence the sky . " " It was never meant to , " the old man said , surprise in his voice . " Of course it was supposed to do that , " said the old man . contradictory +how many cats do you have oh okay You don 't have any cats ! contradictory +i mean i think i 've read all four of them and i understand that there 's a fifth in the last six weeks he 's been on the road a lot I have only read one , and I 'm pretty sure there isn 't more than one . contradictory +He now faces an election in three months , says Berger . He will be up for election in three months . entailment +Since then , almost 3,700 more drawings have been completed . Almost 3700 drawing have been completed . entailment +The most famous Prime Minister under Hawaii 's new political system was an American missionary and physician , Gerrit P. Judd , who served in the post from 1842 to 1854 . There are many PM 's in Hawaii such as Gerrit P. Judd . neutral +The D42 takes you up to the Col de la Forclaz ( 1,157 m / 3,800 ft ) . The D42 is a means of transportation . entailment +now see that i wouldn 't agree with see see i think you got to be able to bend the rules a little bit here and there too without you know if if it 's a case like that because look how many people take their husband 's or their wife 's medication you know but that 's a really good example I think that mandatory testing and consequences is a bad idea , because there 's always extenuating circumstances that need to be considered . entailment +Curious about PACs or state governments or the courts ? I can answer anything about PACs . neutral +Its very personally satisfying to do good legal work without having to worry about getting paid . Nobody should ever do good legal work without getting paid for it . contradictory +I am quite sure he had no idea of what you meant . " I had expected Poirot to be disappointed ; but , to my surprise , he replied that that was as he had thought , and that he was very glad . I 'm positive he knew exactly what you meant . contradictory +… When I was a boy I heard a famous murder trial . My parents shielded me from anything they considered to gruesome or mature for my age ; I didn 't receive any information about murder trials , famous or no , until well into adulthood . contradictory +'Your story 's a fake . I think you 're not telling the truth . entailment +We see her failings redeemed through commitment to her craft . Through her commitment to her craft , she managed to sell a lot of her work . neutral +If Miss Howard were capable of poisoning the old lady , she would be quite equally capable of simulating devotion . Getting the evidence against her would not be easy . neutral +Welfare advocates are already complaining that recipients will be pushed into dead-end jobs . Welfare advocates complain about the future of recipients . entailment +yeah but they don 't use that no more They don 't use that anymore . entailment +Statewide technology plans required as part of the State Planning Initiative . The plans had been painstakingly laid out . neutral +You know something ? You know nothing . contradictory +However , a serious concern exists over whether audit committee members are focusing more on procedural matters to protect There is however a serious concern over whether the audit committee members are more focused on procedural matters . entailment +The area was part of a huge tract of land owned by Furness Abbey , and the village produced cloth from their flocks , which went to market at Kendal . The Kendal market sold most of the cloth . entailment +The noble Romanesque interior has a magnificent painted wooden ceiling with Arabic honeycomb motifs and stalactite pendentives . The interior has an ornate ceiling . entailment +and i expected it to be a lot of trouble but it wasn 't that bad i taught remedial reading kids I had expected it to be much worse than it turned out to be . neutral +right no i haven 't seen that one No , I 've not seen that yet . entailment +No place for anyone to hide here , thought Tuppence , with a sigh of relief , then 220 chided herself indignantly . Tuppence thought someone was hiding there . neutral +Isn 't this amazing ? Isn 't this great ? neutral +that 's true that 's true well That is correct . entailment +In the arena 's basin , they have left a ruined maze of cells and corridors that funnelled men and beasts to the slaughter . The ruined maze of cells in the arena are very old . neutral +right i don 't think we 've done that to Saddam Hussein yet I don 't think we will ever do anything to Hussein . contradictory +For months , Clinton 's defenders had successfully dismissed the scandal as being just about sex . Clinton 's supporters said the scandal wasn 't important . entailment +The way in which Social Security is reformed will influence both the magnitude and timing of any increase in national saving . There is a plan to reform Social Security . neutral +Probably nowhere is there so much spectacular painting on view in such a tiny space as in the Scuola di San Giorgio degli Schiavoni . The work of art is quite small really . entailment +Stately Ethiopian monks from one of the world 's most ancient Christian communities share the church 's roof with a rival Egyptian Coptic convent . There is a church roof that holds both of them . entailment +oh i read all kinds of things for um helping people uh survive a divorce uh The Road Less Traveled was probably one of my favorites have you read that The Road Less Traveled is my favorite book ever written about divorce . neutral +Whittington and Boris were still where he had left them . Whittington and Boris were still there . entailment +Barr throws Molotov cocktails from the back benches , just as Gingrich once did . Barr shares no similarities with Gingrich . contradictory +Nor will the judicial opinions produced by LSC cases systematically distort the interpretation of welfare laws . The LSC spurs judicial opinions . entailment +Bill has delegated that and now those letters all go to John . All the letters go to Bill now . contradictory +Except for one thing . There is not a single exception . contradictory +i have every book the woman 's ever wrote I don 't know about that author . contradictory +Susan had showed it to them . It was shown to the by Susan . entailment +The magic is all on the surface of Prince of Egypt , an animated musical version of the exodus of the Jews from Egypt that at times feels as if it might have been called Indiana Moses and the Temple of Doom . Ever on the lookout for a new way to tell an old story--or , rather , a new old way to tell an old story--DreamWorks SKG has recast the life of Moses as the saga of two brothers who end up on opposite sides of an issue . The Prince of Egypt was a musical about the Jews exodus from Egypt , produced by Disney . neutral +Who can best deliver the intervention ? Who will have the worst delivery ? contradictory +So economists must be rushing to solve these problems , right ? The social scientists surely are in a hurry to figure this out , entailment +In January 2001 , LSC asked the Florida planners to more carefully explore whether the current configuration of LSC and non-LSC funded programs is one that will best advance their goals . LSC wants the Florida planners to recklessly explore which program is best . contradictory +Here you can pick up buses for a tour of city attractions . There are buses that offer tours of the city attractions . entailment +and exercising i mean let 's face it exercising stinks I love exercising . Exercising rules ! contradictory +However , most of the studies examined by Ito and Thurston only controlled for PM10 or broader measures of particles and did not directly control for PM2 . Most of the studies did not directly control for PM2 . entailment +An important town in Roman Gaul , replacing Lyon as capital toward the end of the Empire , Arles boasts a very well-preserved amphi ? ­ theater ( arynes ) , seating over 20,000 in the days of the gladiators . The city of Lyon , which served at the capital until the rise of Paris , has the most historical artifacts from Roman Gaul . contradictory +When choosing gifts to be shipped , remember to bypass the extremely fragile items and always ask for handling and insurance rates before you buy , as they can frequently double the price . Never ask for handling insurance rates upfront . contradictory +But nothing like this ever gets said . Nothing like this gets said . entailment +yeah yeah they don 't mention that part yeah that 's exactly right there was a thing on the other night about they had this women uh her husband was a police officer and was killed The woman who was on the other night had never married . contradictory +The Under Secretary for Food , Nutrition , and Consumer Services has certified under section 605 of the Act that this rule does not have a significant economic impact on a substantial number of small entities . The Under Secretary says the rule doesn 't impact the economy for a lot of small companies because they don 't have to deal with the big regulations . neutral +As Wolff 's dreams of undeserved riches fade into a mirage , Burn Rate becomes the journal of a loser . The Burn Rate becomes the journal of winners . contradictory +The sale is therefore an exchange transactions , and the revenue is exchange revenue of the entity making the sale . This line involves bidding for an item . neutral +I don 't even know how to quilt . they do not know how to quilt . entailment +These program letters declared that LSC was no longer limiting its focus on outcomes for clients within and by individual programs , but rather it believed that quality legal services could be delivered only in a statewide context . The quality legal services could only be delivered in a international context . contradictory +Newsweek ' s Michael Isikoff , then at the Washington Post , reported Hale 's story on Nov. 2 , 1993--months before the Spectator made any of the alleged payments to Hale . The washington post wrote about Hales awarded money entailment +that 's yeah and you know that 's taxes is right now are political suicide you know and i don 't think any politician 's gonna do that so Taxes are political suicide . entailment +oh he does Oh he does eat meat . neutral +If we didn 't have this kind of upsetting move occasionally , we would not get the risk premium at all , because then everyone would only want to hold stocks . While this thing causes distress we would miss out on rewards without it . entailment +Russia goes in there well the main government in Moscow goes in there and they kick everybody 's ass and the United States doesn 't go in there and say listen they were uh you know named an independent you know state with a president and everything but we 're not going to go into your country Russia is a doing good things in the world . contradictory +In addition , we attempted to select organizations from a variety of business sectors to gain a broad perspective on the information security practices being employed . Choosing such a broad base of information compromised our ability to develop a nuanced understanding of specific sectors . neutral +yeah mine too nope that 's about all for mine I don 't have one . contradictory +well the last movie i saw was Ghost i there 's a lot out that i 'd like to see i just don 't have much opportunity i have a small child and it 's gets so expensive It is expensive going to the movies with a small child . entailment +Audit documentation should contain sufficient information to enable an experienced reviewer , who has had no previous connection with the attestation engagement , to ascertain from the audit documentation the evidence that supports the auditors ' significant judgments and conclusions . The audit needs to have as little information as possible . contradictory +It 's not easy to find your way around Lyon as the city is built across the looping confluence of the Sa ? ? ne ( rhymes with Rhine ) and Rhine rivers , with hills on either side and a peninsula in the middle . It was built this way to confuse the vampire invaders . neutral +But equally strange was Doris Day , whose many movie outfits were conceived as musical-comedy costumes--bright , smooth , and jaunty , every blue and yellow clear and true , every neat hat perfectly matching , and every outline eternally crisp--even if she was supposed to be working in an office or teaching in a journalism school . Doris Day 's costumes were carefully thought out and planned and meticulous . entailment +LSC 's Board recognizes the value of the Inspector General function and remains committed to working with the OIG to achieve our goal of providing high quality legal assistance to the poor of our nation . LSC 's board sees the Inspector General is worthless .. contradictory +8 billion pieces of non-advertising mail Billions of pieces of mail are ads . contradictory +Even Yoffe 's example of Julie Steele backfires on her . Yoffe didn 't take it very well when her Steele example backfired . neutral +Emergency surgery after wild brawl with Carolyn--say sources . The surgery was done to fix internal bleeding . neutral +data or sources of information Data ( sources of information ) neutral +A silence settled down over the party . The party was extremely noisy for its entire duration . contradictory +that 's right you know it gives me a paycheck you know it 's only like the works only you know three weeks goes for like three to four weeks three times a year You do not usually work for employers , do you ? contradictory +Some participants agreed that financial statements are an important aspect of overall business reporting , but were concerned that the existing model focuses too much on financial statements rather than on the broad range of information that is needed by investors to make good financial decisions . Every single participant agreed that financial statements are important when it comes to business reporting . contradictory +The only specialized construction equipment that can be useful for SCR installations are tall , heavy-lift cranes . The only construction equipment that 's helpful in SCR installations are big bulldozers . contradictory +Under Sir Ernest 's skilful handling , he told his tale credibly and well . Sir Ernest had absolutely no hand in the way that he relayed his story . contradictory +all right there we go I don 't know . contradictory +Schumer has turned the tables on D 'Amato . Schumer has inversed the relationship with D 'Amato . entailment +" Sather Fareth spent his life designing this , " Ser Perth said proudly . Ser Perth was proud to say " Sather Fareth spent his life designing this . " entailment +Time picks the best entertainment of the Saving Private Ryan , A Man in Full , Mark McGwire , the final episode of The Larry Sanders Show , and The Miseducation of Lauryn Hill . The finale of Saving Private Ryan was the best episode . neutral +and the other two are short hairs There are two others and they are short-hairs . entailment +They also created a packet of information available for free to help people navigate the court system without a lawyer . Navigating the courts without a lawyer is very complicated , and people need guidelines to help them . neutral +The road from Ambleside to Penrith ( A592 ) runs along the length of the north shore . There is no road between Ambleside and Penrith near the shore . contradictory +right oh Neil Sperry hasn 't been pushing that real hard and heavy here lately Neil Sperry has been really lazy lately . neutral +Little fool . Ignorant child . neutral +tell us that wearing their duds is a virtue . Tell us that wearing their duds is virtuous because of the reputation of the duds . neutral +Responding to the wildfires that burned over 6.5 million acres of public and private land in 2000 , the Congress appropriated an additional $ 240 million in fiscal year 2001 to reduce hazardous fuels in high-risk locations where wildlands and urban areas meet . Congress appropriated an additional $ 240 million to reduce hazardous funds in high-risk locations . entailment +John N. Erlenborn , President Victor M. Fortuno , Vice President for Legal Affairs , General Counsel , and Corporate Secretary Mauricio Vivero , Vice President for Governmental Relations the organization has no president at all . contradictory +well what do you think about like a device a meter on right on a tailpipe and you paid a tax based on how much you polluted Paying a tax on on pollution would be a great thing . neutral +yeah i think i think the Suns are The Suns are the best in the West I think . neutral +For six years he begged for his food , learned to meditate , and practiced severe self-mortification , but still felt no nearer to understanding life 's suffering . He finally understood life 's suffering after the six years . contradictory +Reagan was so defense conscious and we were doing so well and i thought well Bush is going to just carry right on he didn 't was i surprised i uh I expected Bush to be more conscious of the consequences of his actions . neutral +In the middle of the town is the Bagh Bhairav Temple , under the eaves of which are swords and shields from the 18th-century siege . The Bhag Bhairav Temple is located at the outskirts of town . contradictory +oh i mean you certain I mean me . contradictory +EPA submitted the requirements to OMB which approved them as an extension of the currently approved information requirements . EPA gave the requirements to OMB and they were approved by the committed that reviews each request . neutral +yeah or um-hum what area do you work in do you work contradictory +Children love the ancient toys and dolls . Children tend to dislike the toys and dolls . contradictory +Tuppence had heard the story from Jane in her character of " Annette . " She looked at the tattered velvet with interest . Jane had already told the story to Tuppence . entailment +A perfect example of a statesman farmer 's house , this structure had been in the hands of the same family from the time it was built until it was taken over by the National Trust in 1947 . The house was owned by a family until they all died . neutral +Right there , ma . Right there , Ma . entailment +It was to be hoped that Julius would arrive better provided . Julius did arrive better equipped . neutral +because they figured everybody else is just coming to just to be there They think that they are showing up just to have a place there . entailment +Even if it has since lost its traditional hold in the mountain villages , it is still acclaimed among the literati of Rethymnon . Its claim on the villages was lost a century ago . neutral +It will take years to find the best place to draw the line , and we 'll never get it perfectly right . We found the best place to draw the line . contradictory +uh i i i fully expect that that any test results that comeback for me would be negative that in in the event that one would be positive there 's no recourse other than get yourself a lawyer or go to this counseling session and admit guilt uh they won 't accept anything else If the result was positive I had a lawyer on speed dial . neutral +I told you . I told you that yesterday . neutral +The Western Empire , ruled from Rome , fell to the Ostrogoths in 476 , while its neighbour , the Eastern , or By ? κantine Empire , became one of the longest-lived empires the world has ever known , dating from 395 to 1453 . The Western and Eastern Empires fell at the same time . contradictory +and i had to always well i 've lived there for eight years myself i 'd always said i was gonna go back to school and go to Notre Dame I never wanted to go back to college . contradictory +Stark was some form of commander or leader in this tribe . Stark was the leader in this tribe . entailment +well the roles of women have certainly changed over the last uh decade or two and i wonder if the the stresses that it puts on the the woman 's body is uh all that good for her as it were had had there been enough adjustments in society to help the woman cope with what she has to go through um support group wise or or just all the different aspects that men have developed over the years to handle what the world does to them uh how how is the woman 's world coming along in that respect The stresses society puts on woman are very damaging to their body . neutral +Voters may have come to doubt tax-cut rhetoric , but they still don 't like the people who collect taxes . Voters now doubt what they say about tax cuts . entailment +well now that 's It 's likely not contradictory +Even macarrones de San Juan turn out to be noodles cooked in sweetened milk flavoured with cinnamon . There is a dish consisting of noodles cooked in sweetened milk with cinnamon . entailment +Pollard 's supporters can cling to that excuse . Pollard 's fans can hold on to that excuse . entailment +yeah well you know even in our prison systems they 're finding that they 're they 're having drugs smuggled into them Drugs are being brought into the prison system . entailment +Not what our grandmothers would call a proposal . Our grandmothers would not call this a proposal . entailment +Unless you actually stand beside the canal you can 't see the water and they look as though they are simply floating along on the sand . The river is hidden by the dunes so from afar it looks like the boats are on the sand . entailment +They can kill twenty of the local stock or will give you a bloody show if they fail . They were very violent in nature . neutral +Both speed and accuracy are assessed to decide the winner . They only look at style when picking a winner . contradictory +The Left Bank has its share of monuments and museums , and Les Jardins du Luxembourg remain an evergreen favorite . Les Jardins du Luxembourg is an unpopular destination in the Left Bank . contradictory +These funds are expected to drop from currently $ 7 . These funds go toward paying for hungry hamsters neutral +To stimulate discussion , five perspectives are offered below . No perspectives are shared , but several facts are down below . contradictory +Worth a visit even if you can 't afford the room rates is Ye Olde Smokehouse near the golf course . You can visit Ye Olde Smokehouse even if you can 't afford the rooms . neutral +well in addition to to the river what we call it 's the Guadalupe River it 's uh has campsites all along the river uh but then there 's also Camp Warnicke where you can get cabins you know it 's right on the River There are campsites all along the Guadalupe River , and also Camp Warnicke which has cabins . entailment +Dawkins has rebutted these notions convincingly , showing that the phenomena they attempt to explain can all be accounted for with conventional Darwinian theory . The phenomena is undocumented in classic Darwinian Theory . contradictory +uh-huh uh-huh sure and also they get better quality with and they learn to have more features and things and without and making them less expensive so we 're kind of waiting They are really cheap for the features , contradictory +U.S. policy-makers often find the operation of Chinese politics quite incomprehensible , but Chinese officials must find the United States equally perplexing . The U.S. purposely confuses the Chinese policy makers and vice-versa . neutral +The Washington Post ' s front-page story notes , Gore has gone to great lengths to conceal Wolf 's role . The Washington Post 's story revealed Wolf 's secret role . neutral +From Saint-Francois , an excessively narrow road heads straight to the easternmost point of Guadeloupe ( 48 km / 30 miles from Pointe Pitre ) and one of the scenic highlights of the entire Caribbean . The roads in the region are wide spanning . contradictory +Well , I don 't know that I should go so far as to say that . I don 't really know if I should go as far as to say something like that , really . entailment +A quiet , intelligent-looking man , rather shabbily dressed . His clothing was bought from a thrift store . neutral +He has also become a connoisseur of grade-school art . Bill has become a collector of his young kids art . neutral +If you want an overview of Tel Aviv , take the lift to the 35th floor of the Shalom Tower ( 132 metres / 433 feet ) , formerly the tallest structure in the Middle East ( a communication tower in the military base near the Tel Aviv museum of Art recently surpassed it ) . You can get a good view of Tel Aviv from the 35th floor of the Shalom Tower . entailment +Yeats wants to leave his traces / On Munster grass and Connemara skies . Yeats does not want to leave his traces . contradictory +I have a professional therapist with whom I discussed this , and she disagrees . I talked to my therapist about this . entailment +One of them was Simon Klepacki , the boss of a trendy new disco ' Metrosexual Shelter ' and several other nightclubs providing pleasures of the whole body , and who in the last few months experienced a mental burnout from trying to procure Lola Thigh - as a singer for the club and as a woman for himself . Klepacki experience a mental burnout from trying to get the woman to sign in the club . neutral +The Supreme Court has historically provided mandates for the deposit of client funds into attorney trust accounts . The Supreme Court is not involved in client funds . contradictory +The agent of the Eye spun after my shot hit him in the face . The Eye 's agent spun as I clocked his jaw , but he wound back to knock me over with a retaliatory punch . neutral +At the police court proceedings , we shall hear the case for the prosecution , but in all probability his solicitors will advise him to reserve his defence . The prosecution will be heard at the police court proceedings . entailment +I 've sympathized and logged hours and hours on the telephone listening to every sordid detail of every office slight , all to no avail . I have spent a lot of time hearing about the office but have discovered nothing . entailment +Detroit Rock City ( New Line Cinema ) . New York City ( Old Town Cinema ) contradictory +In his honor , The Oxley Foundation donated $ 200,000 to expand a client hot line . No funding could be secured for the hotline , so it had to be shut down . contradictory +yeah yeah i wasn 't talking about just Mexico i was talking about Europeans the Eastern Block uh it 's terrible I was talking about New Zealand and South America . contradictory +and how about in your area What about in your location ? entailment +But the war and the repercussions of the French Revolution had helped to create in Spain the nucleus of a liberal national party . Meanwhile , in Spain , the French Revolution inspired liberal nationalism . entailment +yes it did yeah well i think i would also and i think it it really uh would be very difficult in terms of uh you know people i 'm thinking mainly people going to college i don 't see how It would be easier for someone not going to college . neutral +The apparent going premium of 50 percent for a targeted ad on the Internet suggests that Internet advertising may be as likely to reduce total ad spending as to increase it . The 50 percent premium for a targeted ad is going to increase . neutral +no yeah i think i do because half of them are yeah half of them are Middle Eastern and the other half are French Expatriates The groups are friends with each other . neutral +i think it 's interesting you went you know when you you go out there and you 're looking for a wrench and you want the next size larger i 've got i inherited some some stuff like fifteen thirty seconds I have some sizes of wrenches you can 't buy anymore . entailment +The success of the Marais district 's Sunday opening hours is gradually spreading across town . The Marais district doesn 't have any opening hours because it 's closed . contradictory +The rapier punched a hole in the man 's chest . The man was killed by the rapier . neutral +Indeed , Said and other rejectionists showed a perverse glee when Israel 's dovish Labor Party was defeated by Benjamin Netanyahu 's Likud . Said was very happy when Likud won the election . entailment +Development was fast and , by the turn of the century , grand mansions and hotels had been built for those vacationing during the winter . Grand mansions were built at the turn of the century . entailment +This standard requires that the consolidated financial reports12 of the Federal Government and the financial reports12 of its component units contain RSSI relating The standard requires that the consolidated reports contain UPS relating . contradictory +And his headquarters in the fertile Santa Cruz Valley was a ranch which was also a fort , a fort even the Apaches avoided after they had suffered two overwhelming defeats there . The Apaches enjoyed visiting the fort due to their crushing victories there . contradictory +Now they 'll imagine we 're going to Mr. Carter . There is no way anyone could think we will see Mr. Carter . contradictory +yeah does yours do that too oh i was wondering if all vans did that Do all vans do that ? entailment +The chambers were totally refurbished by Charles II , including larger windows to balance the design of the new extensions . The refurbished chambers retained much of their original décor . neutral +" Why wouldn 't the Apaches just kill him and his men and grab what they have ? " Drew pointed out what seemed to him the obvious flaw in the system . Drew had been looking for flaws the entire time . neutral +And this is what ultimately makes them pose their own kind of stealthy threat to us . These inside workers from California are subversive and dangerous . neutral +If however they are employed similar to those who are on active duty or are actually on active duty , then the controls in the subsection Active Military Personnel are operative and should be used . If they are employed similarly to active duty , the controls in the Active Military Personnel don 't apply . contradictory +It was dedicated to the legendary Emperor Ojin , from whom Yoritomo claimed descent . According to some theories , Yoritomo was not actually a descendant of the emperor . neutral +Reagan argued that the War Powers Act didn 't apply when he sent troops to Lebanon in 1982 , or to Grenada in 1983 , or when he bombed Libya in 1986 . Reagan used whatever means he could to push his military plans . neutral +The Episcopalians are all going to hell . Episcopalians are evil people who deserve to go to hell . neutral +In his honor , The Oxley Foundation donated $ 200,000 to expand a client hot line . The client hotline was expanded with a donation from the Oxley Foundation . entailment +Your voice too , cried the delighted boy . You cried for the delighted boy with your voice . entailment +This permitted the Anasazi to achieve a benchmark of advanced society the ability to live in permanent shelters year-round without need to follow wildlife . Despite this , the Anasazi continued to migrate with the animals . contradictory +4 ) European meddling will be bad for U.S. foreign policy . If U.S. gets involved in Europe , it will affect its foreign policy . entailment +Destroy it before Dave Hanson can complete his magic ! " The men behind him yelled . The magic of Dave will destroy the man . neutral +And a great marketing Buy my books , because they 're good for your daughter . Don 't bother buying my books , since your daughter will dislike them . contradictory +I was even bested by a woman . A woman beat me by two hundred yards . neutral +With the overseers they have , you couldn 't even turn yourself back to the Satheri , though I 'll admit I 'm hoping you don 't want them to find you . " " And I was beginning to think you liked me , " Dave commented bitterly . Dave was hoping to be appreciated . entailment +yeah that 's i had i had gone down to Dallas couple weeks ago I have not gone to Dallas before . contradictory +There are now more than 57,000 active attorneys in Illinois . They wanted to increase the number to 60,000 by next year . neutral +Finally , the simplistic view of politics that animates the IRA fits neatly with the conventional narrative structures that Hollywood adores . A simplistic view of politics animates the IRA . entailment +It seemed to be the middle of the night when I was awakened by Lawrence Cavendish . Lawrence needed to speak with her . neutral +In the Times poll , 65 percent said Clinton should complete his term rather than resign . Clinton did finish his term . neutral +But now I 'm cheating by looking in the almanac . Looking in the almanac is a form of cheating . entailment +The spelling employed in this article is from The Associated Press Stylebook and Libel Manual , Slate 's guide in such matters . Slate invented the spelling used in the article . contradictory +i bet you there i bet you there are people that do that I don 't think anyone does that . contradictory +yeah i mean when you described it it sounded like something you know that would be around i guess but i 've never heard of it before and it 's really interesting um i guess i 've decorated baskets and stuff before in the past but i 've kind of gotten out of that i use to do a lot more and sell at craft shows I 've never done any crafts before , but I would like to try . contradictory +and i think probably they have said that if you save these people by feeding them then they reproduce and then you have a later more serious famine yeah i think that they said that ignoring these people is the only good choice . neutral +um-hum well that would be sort of interesting because then you get people from other countries i mean other parts of the state you know of course Pittsburgh would say you know oh find the better cheaper ways of burning coal you know yeah Pittsburgh has a research program on fossil fuels . neutral +I merely realized that it was possible , from your story , for Monsieur Lawrence to go to the poison cupboard . Monsieur Lawrence might have taken out the bottle from the cupboard . neutral +The mission of the Coast Guard 's Office of Marine Safety , Security and Environmental Protection is to protect the public , the environment , and The Coast Guard 's Office of Marine Safety , Security and Environmental Protection 's mission is to protect the public . entailment +In the end , it may be that most companies have naturally short life spans and recognizing that life span and getting out before it 's over is a rare but crucial talent ( one Lasky clearly didn 't have ) . If Lasky would have gotten out earlier , he would have stood to profit . neutral +Because household purchases of residential dwellings are treated as business investment in NIPA , the depreciation on these assets is included in gross business saving . NIPA considers the purchase of residential dwellings as a business investment . entailment +well my college education uh thirty six worked for Texas Instruments for seventeen or eighteen now 36 of them work for Texas Instruments . entailment +The Japanese surrender left in place a 7,000-strong resistance army led by Chinese communists . The Japanese surrender left a strong army in place . entailment +of the original data and analyses and problems in verifying their quality ( Hoaglin et al . Someone made a mistake . neutral +And DeLay suggested that the United States should pull out When Ronald Reagan saw that he had made a mistake putting our soldiers in Lebanon ... DeLay wanted to bring our troops home because Ronald Reagan has made a mistake in sending them to Lebanon to lose . neutral +The rule contains information collection requirements which will allow EPA to determine that detergent additives which are effective in controlling deposits are used and that emission control goals are realized . The rule has data collection requirements which aid the EPA to realize their emission control goals . entailment +The 14-meter ( 45-foot ) model of the sperm whale is a reminder of the leviathans that once swam in great schools in the waters off Madeira . The sperm whale is rather small compared to the prehistoric creatures that made the waters off Madeira home . neutral +The Crusaders enlarged and embellished it in the 12th century , and Sultan Suleiman repaired it in the 16th century . In the 1100s , it was extended and decorated by the Crusaders . entailment +At Cernobbio , the 16th-century Villa d 'Este is now a landmark 5-star hotel , one of Europe 's most special . Villa d 'Este 's rich history dating back to the 16th century , is what makes it a landmark . neutral +We assume that current-law benefits are paid in full Current-law benefits were assumed to be paid . entailment +For one thing , many of the largest federal agencies find themselves encumbered with structures and processes rooted in the past , aimed at the demands of earlier times , and designed before modern information and communications technology came into being . Management of these larger federal agencies have quietly admitted that the processes are in need of updating . neutral +Program managers have good reasons to identify risks early , be intolerant of unknowns , and not rely on testing late in the process as the main vehicle for discovering the performance characteristics of the product . Program managers have generally learned from experience that unknowns are guaranteed to end in a bad situation . neutral +And the difference is , they 'd appreciate it . They would appreciate this . entailment +But I did not take it to her . I wouldn 't bring it to her . entailment +However , not all critical processes will be new or unique to a specific weapon system . Not all critical processes will be new or unique to a specific weapon system , however . entailment +The trend was more pronounced in 2015 . The trend was more pronounced in 2015 . entailment +In a limited way , the Reagan speech served as guidance for his policies after he came into office . The Reagan speech served as guidance for his policies after he came into office , in a limited way . entailment +i 'm in Blacksburg Virginia I am in the state of Virginia in a town called Blacksburg . entailment +If you see flowers in this barrel , this is likely to be an offering from a childless woman hoping for fertility , which the cannon is said to be able to bestow . All the traditions and superstitions are extinct in that area . contradictory +They say Schiele 's appeal is less aesthetic than pornographic . Schiele 's artwork has an air of piety and refinement . contradictory +and what happened at the end is the judge um um uh Michael wanted wanted the firm put in receivership and the judge wouldn 't do it but he said he he 's going to give a like a ten day uh evaluation and he was going to put it in the hands of a businessman to to run it and see if the firm was salvageable or not Michael wanted the firm to be put into receivership . entailment +Take it from me , I know . Listen to me , I know . entailment +A hardware and software development technique in Hardware and software are developed by ten thousand software companies . neutral +It included State Planning Considerations designed to address requests for additional information regarding statewide goals , capacities , and approaches recipients should consider in their state planning processes . The state planning processes are for states with the United States . neutral +Yes ? León sat on a near-by bunk . Leon was lying down a mile away . contradictory +The issue is packed with remarkable historical One article traces the rise of total war to Napoleon 's conquest of Zaragoza . A sparse issue of One , avoiding military history as usual . contradictory +um yeah container gardening is really pretty easy because i 've done some of it before I 've done container gardening before and it is really easy . entailment +'I don 't see why-' I don 't understand why it is . entailment +His voice rose into a command that rang out over the cries of the others . Everyone fell silent after the loud order he made . neutral +the IBM had one last year now TI don 't have one and Rockwell i mean yeah Rockwell they don 't have one Rockwell whatever it is IBM did not have one last year , neither did Rockwell . contradictory +Furthermore , high postal densities reduce the impact of volume on unit street delivery costs , and high volume reduces the impact of postal density . High volume reduces the impact of postal density . entailment +In addition , many federal CFOs have primary leadership responsibility for implementing the Results Act at the department or agency level . Many CFOs are in charge of the Results Act . entailment +Moreover , to whatever extent you are superior , it is probably the result of genes and attitudes inherited from your parents and not something you created for yourself . You are not affected by who your parents are . contradictory +than a smaller person Than a younger person . neutral +It is intended to be a useful aid for criminal investigators by discussing the various tools and other resources available for assisting investigations involving electronic evidence . It is not a very useful aid where investigations that include electronic evidence investigation are involved . contradictory +Incidentally , the best way to keep a child from drowning in the toilet is to keep an eye on the child or the toilet--excessive reliance on safety products tends toward lower vigilance . Children might be kept safer with heightened awareness , and not safety products . neutral +We then present six tours spreading out from the capital to the centers of historic and artistic interest as well as to sites of natural beauty . There are only 6 places to see outside of the capital city . neutral +The best way to see them is to start on the seventh floor and work down . The seventh floor is the top of the building . neutral +I don 't know anyone responsible and knowledgeable who can . Most of my friends lack the right skills . neutral +There are , however , many bus tours to outlying destinations . Bus tours always include a prepared lunch . neutral +really yeah Paul Hogan no really i 'm surprised I 'm not surprised at all . contradictory +yeah well you can ' t That can certainly be done . contradictory +they do very well um-hum It 's true , they do very well . entailment +Like he 'd just been through a storm of soot . He looked very dirty and full of soot . neutral +The Byzantine Empire and the Coming of Christianity Romans brought Christianity to the Byzantine Empire neutral +A monumental Last Judgment covers the entrance wall . The painting of the Last Judgment was not always on the entrance wall . neutral +yeah one movie we saw in the last couple of months that we really enjoyed was uh Edward Scissorhands We really enjoyed Edward Scissorhands . entailment +Five km ( three miles ) of fine sand from Pornichet to Le Pouliguen stretch in a perfect half-moon , past chic sailing and beach clubs , along an esplanade of luxury hotels with a casino at the center . There are tourists who enjoy using metal detectors to find items near the beach clubs . neutral +Come , Adrin . Go away from here ! contradictory +okay what kind of hobbies do you have What kind of work do you do ? contradictory +um-hum uh-huh yeah my grandparents my grandfather came to the United States through Argentina this was around the turn of the century Back at the turn of the century , my grandparents traveled to the United States via Argentina . entailment +uh uh that will make it interesting It would be better that way . neutral +If you 're driving , beware of sheep straying onto the road . Drivers should watch out for toucans on the road . contradictory +The Grand Slam Breakfast just never took off . The Grand Slam Lunch was a smashing success ! contradictory +They were wrong , the gold soon ran out . The gold was endless in supply . contradictory +But of course it 's not for Carleton Fiorina to say what the subject of the story is Carleton Fiorina does not have sufficient experience to determine the subject of the story . neutral +struck onto the utensils as where she 's got to go through uh three or four uh different um utensils and the the the waitresses are very nice they 'll they 'll keep exchanging it The waitresses will remain friendly if you exchange your utensils and ask for your orders . neutral +My beloved Sox beat the Indians . The Sox won by 12 runs . neutral +the same sentimentality and earnestness he throws over every subject ( James Collins , Time ) . Techniques recycled from Burns ' documentaries on baseball and the Civil War--including background fiddle music and actors reading wistful letters--are singled out as especially grating . Techniques that are taken from Burns ' documentaries annoy some people and make them avoid other documentaries . neutral +and the wind a wind storm come and knock it down but she 's had really good luck i mean it next month well actually it if you if you start it in a couple weeks She was so unlucky . The windstorm destroyed everything . contradictory +For example , regulators are asking what should be disclosed , what is the purpose of financial statements , and how useful are they ? Every company does not maintain financial statements . contradictory +lion-headed goddess Sekhmet ( 1400 b.c. ) and the colossal Amenophis IV ( 1370 b.c. ) . Amenophis IV was a dwarf . contradictory +We know that Sullivan believes in him ( her ? Sullivan has definitive proof that he exists beyond a doubt . contradictory +He had been standing and reading a black leather book he had found . He threw the book he 'd found away . contradictory +i don 't hope i 'd i hope we don 't try to keep uh in there and try to keep our fingers in the pot and try to Should we try to keep our fingers in the pot , it 'll come back to bite us . neutral +For the last 35 years , the program has had a two-tiered structure , in which a citywide agency , now called Legal Services for New York City ( LSNY ) , has received federal funds that in turn have been distributed to seven different local corporations , which provided the bulk of services in civil legal matters to indigent New Yorkers . But 40 years ago the program did not exist at all . neutral +i said yeah well you know i 'm not doing anything so i took it and the subject was discuss the weather and find out how your weather compares to the caller 's weather I was given the task to call someone and talk about our pets . contradictory +Sure , the school bus is crawling with safety violations and doesn 't contain seat belts and will be taking the kids to classrooms run by teachers who never actually had to take the subjects they 're teaching , but at least according to the WSJ Business Bulletin , in a few years there will be satellite-based technology available to families that will let them know to the second exactly when the bus is arriving . Often times the bus was late . neutral +You can 't be overly literal . You need to read between the lines of things . neutral +yeah but i don 't know if they if they if uh the death penalty I don 't know if your state uses the death penalty . neutral +Much of this historic structure was demolished by storms in 1983 , prompting restoration to its original look . Many historians , investors and tourists chipped in for the restoration . neutral +North of Fushimi is Tofukuji , a major Zen temple complex . Tofukuji is a major Zen temple complex , located north of Fushimi . entailment +Interpretation of the law and the Constitution is the primary mission of the judiciary when it acts within the sphere of its authority to resolve a case or controversy . The judiciary is not allowed to interpret the words of the Constitution for modern life . contradictory +Kilgore says she 's found her niche . She really enjoys it . neutral +System administrators are important because they generally perform day-to-day security functions , such as creating new system user accounts , issuing new passwords , and implementing new software . System administrators have nothing to do with security functions . contradictory +A set of stairs connects her room to that occupied by her husband . It was common for husbands and wives to sleep in separate rooms . neutral +but it 's kind of understood that we 're supposed to dress a little bit nice a lot of times we have to go over to uh like Jerry Junkins ' office and Bill Ellsworth 's office to deliver stuff We know that we can just wear casual clothes contradictory +Population aged 65 and over Population aged 65 and over are harder to take care of than younger population . neutral +He said , " Where are the youngsters ? My son isn 't in his room . " He asked where the youngsters were . entailment +( 1 ) established senior-level CFO positions , ( 2 ) required annual financial statement audits , and ( 3 ) set expectations for more modern systems to support integrated management of budget , accounting , and program information . There were 3 steps needed for success . neutral +Though some 256 km ( 160 miles ) away , they 're dependencies of Guadeloupe . Despite the distance , they are politically linked to Guadeloupe . entailment +The troopers continued to sit their saddles and regard the scene about them wistfully . The soldiers continued to sit on top of their horses and look at the scene around them wistfully . entailment +Outside the Dung Gate lies the Arab village of Silwan , on the site of the original Cityof David . Silwan is an Arab village inside the Dung Gate . contradictory +But this inference oversimplifies Starr , just as he oversimplified the scandal . Starr did not have input on the scandal . contradictory +Gauve paused again . Gauve paused his battle again . neutral +Because the young lady was knocked down in a street accident , and has sustained slight injuries to the head . The young lady has injuries to her head from an accident in which she was knocked down . entailment +This willingness to accommodate will alienate the Senate 's ultraconservative firebrands , who seek war against Clinton and the Democrats over the balanced budget , abortion , and flag-burning . The firebrands will be mad no matter what you do . neutral +Attacking a United States soldier . Attacking a German soldier . contradictory +uh well we just planted the plum tree this year so we haven 't uh haven 't gotten anything off of that hopefully this will be the first year for our peaches we 're hoping to get something off of that so Next year we 'll plant an apricot tree . neutral +The proposal was embodied in legislative form as the Clear Skies Act , which was introduced in the House of Representatives as H.R.5266 and in the Senate as S.2815 in July 2002 . The 2002 Clear Skies Act was the embodiment of the proposal . entailment +as you indicated you don 't have too much input into the area it it just so happens that uh our daughter-in-law is Panamanian and uh we have been in Panama and i have worked in El Salvador and we visit Mexico occasionally so yeah we we do have a little information on it here but uh I have been to Panama , El Salvador , and Mexico . entailment +Later this year , the Foundation will initiate a study to evaluate the most effective way in which pro bono can be encouraged and supported . the Foundation won 't initiate a study to evaluate the most effective way in which pro bono can be encouraged contradictory +Just as the promotional copy promises , I am able to shave with fewer strokes . The promotional copy guarantees money back if shaving doesn 't improve . neutral +So no one will think of searching the pockets of Sir James Peel Edgerton ! " He turned to Jane . He explained to Jane , " No one will think to check his pockets ! " entailment +The dialogue moves ahead--there are great gobs of exposition--but the images continually double to Stamp and Lesley Ann Warren , as his daughter 's acting teacher , simply gazing at each other ; or to Stamp sitting on a plane , remembering his daughter as a girl on the beach , the lens of his home movie camera creating an eerily bright--almost supernatural--spot that dances over her face . The dialogue contains a large amount of exposition . entailment +You 'll find some additional phrases beginning on page 218 . There will be no additional phrases . contradictory +It took him clear effort to crawl back . Crawling back was difficult . entailment +well first and foremost it 's got to be LA Law First of all , the show has to be about LA Law . neutral +" Then I 'll admit possession of a safe , such as it is . He admits that he owns a safe because he was being questioned . neutral +Crusaders , Mamelukes , and Turks Atheists , free men , and Americans . contradictory +Certainly not . No . entailment +I 'll admit that it wasn 't he who bought strychnine at the chemist 's shop . I 'll admit to nothing , this whole conversation is meaningless ! contradictory +i 'm surprised you didn 't just pack up and go home i tell You should have just packed up and went home after the rain . neutral +You know better . You are aware that these things don 't go this way . neutral +It should be noted that Schwartz used data on the prevalence of chronic bronchitis , not its incidence . Schwartz only used data on the incidence of leukemia . contradictory +Will the data be summarized or will detailed information be required ? Some data could be summarized . entailment +We used our long-term economic growth model to simulate alternative fiscal policies and national saving rates . The economic growth model looked promising . neutral +135 " Hydro-chloride of strychnine , " he said , over his shoulder , continuing to hum . He is a chemistry professor . neutral +The inspection activities are for a variety of to ensure that dutiable merchandise is declared , to seize contraband ( such as narcotics and illegal drugs ) , to detect infringements of patent and copyright laws , and so forth . The inspection activities are for a variety of to ensure that merchandise is not declared . contradictory +The road was largely destroyed in the Rising , but was restored by the end of the 1920s ( plans for a new restoration are under way ) . The road was destroyed due to the Rising as there was a need to cut off supply lines . neutral +Inside is an 8,500-sq-ft ( 791-sq-m ) store loaded with thousands of M and M knickknacks . Thousands of Snickers are stored in a warehouse . contradictory +One household characteristic we focus on is an indicator variable of whether or not the household owns a personal computer . We would like knowing whether there is personal computer belonging to the household . entailment +and they 're out winning awards you know and then and then the younger kids think they 're great and everything They should be careful with how they present themselves because kids are looking up to them . neutral +uh i 'm a touch typer and i haven 't ever really noticed uh differences uh the machine tends to react as fast as i can i use an eighty as a matter of fact use an eighty eighty eight at at home uh which is really old iron uh probably ten years or so and and at the office uh i am indeed using a three eighty six um i use a PC for a great deal of things in in private life uh i 'm a church treasurer My machine 's speed doesn 't really affect my typing . neutral +Cost Models Cost models are tools that estimate the effort needed to develop software , based on assumed relationships between the size of a system and the effort needed to design , code , and test the software . Cost models estimate the effort it will take in order to completely make new software . entailment +The analysis also discusses in qualitative terms the benefits of the rule regarding human health , including the health effects for Native American subsistence fishermen and reduction of projected non-cancer effects and improvements in fish and wildlife habitat . The analysis makes no effort to find benefits of the rule when it comes to human health . contradictory +these folks are so backwards it 's just ridiculous it 's pathetic These people are the forerunners of modern society . contradictory +Like sulfur dioxide allowances , nitrogen oxides allowances and mercury allowances are limited authorizations to emit and are not property rights . Nitrogen oxide allowances are not property rights . entailment +no no where do where do you live Plano okay Where do you live now ? entailment +FASAB was created to consider and recommend accounting standards and principles . In order to consider and recommend accounting standards and principles. they have created the CIA . contradictory +uh doesn 't seem to be um granted i i i read primarily the more controversial topics so i 'm sure that it 's easier for them to uh be you know polarized more so on the topic on the the news items that interest me most but uh it doesn 't seem like there 's much middle ground in either of the papers The papers don 't contain much middle ground . entailment +That should save some time , at least . That should prove to be more Prudent . neutral +In the north , opposite Gezira Island , the Egyptian National Circus , a Soviet-trained troupe , performs nightly except in summer . The Egypt National Circus is the largest circus in Egypt . neutral +Department of the Treasury and other public and private organizations . The Dept. of Treasury including public and other private organizations . neutral +Patricia Perry believed that the recommendation was not yet comprehensive . According to Perry , the comprehensiveness of the recommendation needed to be called into question . entailment +With its magnificent Corinthian portico crowned with statues and its columned dome , the building is a majestic sight . The portico has a lot of statues on it . entailment +that that that 's really sad you know you got young boys or girls that at fourteen or twelve years old that are committing murders and no remorse what so ever Young girls and boys learn to commit murder from TV . neutral +because i could have the uh chicken on the skewers with uh uh blackened seasoning I was glad there were seasoned chicken skewers there . neutral +But what about you ? Nobody is interested in what 's going to happen to you . contradictory +For visitors the peace dividend is currently considerable , allowing access to the number of great sights that lie in the Sinai and Jordan , including the fabulous city of Petra . Visitors have access to the city of Petra . entailment +In Paris , Le Monde led Sunday with a British court 's decision to allow the extradition of Gen. Le Monde led Sunday with a British court 's decision entailment +Other commentators stated that , even where rules of professional responsibility would not absolutely bar representation , the unavailability of substitute counsel could ethically compel LSC attorneys to refuse representation . The LSC attorneys are among the most ethical . neutral +yeah and you 'd think well who wants to get up and go then but um it 's really not been that much of a problem Everyone want to do it . contradictory +If there is any reason to believe that you have been shadowed , destroy them at once . You must protect them from harm at all costs . contradictory +Postal Service will pick up a letter from anywhere in America and deliver it to any place else in the nation--any place ! Postal Service will deliver your letter from anywhere in America to anywhere in the nation--anywhere ! entailment +and our savings weren 't that great but now the kids are all grown up and gone in fact the youngest is is uh finally getting out of college this uh May None of our kids has started elementary school yet . contradictory +The peak can be reached by an hour-long walk from Achada do Teixeira in the north , or the classic but strenuous , 4-hour roundtrip hike from Pico do Arieiro . There are a lot of inexperienced hikers who still opt for the 4 hour roundtrip hike . neutral +yeah um i have uh the thing that that bothers me worse than the credit cards i think is uh you mentioned the gasoline credit card I don 't care about the gasoline credit card contradictory +requirements for periodic reviews , managementRequired oversight , and configuration management . The requirements are set and will not be reviewed . contradictory +To make the play possibilities even more interesting and unpredictable , under the left wrist , there was a built-in operational panel with a choice of setting levels of aggression , bravery , childishness , obedience , intelligence and the need to spend time with a child diagnosed with ADHD . There was a built-in panel with the controls for emotions . neutral +For GAO to effectively do its job and obtain all the facts , we must have unfettered access to records no matter where the federal dollar goes and services are delivered . We need unrestricted access to records for GAO to do its job . entailment +After some work to make her visitor-friendly , she lowered her gangplank to the public in October 1998 . It isn 't open to visitors as it has never had work to accommodate visitors . contradictory +Probably this book could be done better , but no one is going to get an opportunity to do that , so you might as well live with what you 've got , warts and all . We are waiting for a new edition of the book , so hold on . contradictory +The missions of the Customs Service-the oldest federal agency-are to ensure that goods and persons entering and exiting the United States comply with all U.S. laws and regulations , while also facilitating the legitimate movement of goods and persons through U.S. ports . They feel this is the best agency for checking compliance with US regulations on goods simply because Customs Service has been around for so long . neutral +With a little cooperation from the community , I think we can implement electronic filing and service of documents . We will mandate the usage of the new electronic filing system by the community . contradictory +But the doctor shook his head . However , the doctor still shook his head . entailment +Indicators of recovery of lakes and streams do not show consistent change in response to reduced SO2 emissions . Indicators of recovery of waterways doesn 't show a change when SO2 emissions are reduced by under 15 % . neutral +The Blue Mountains are the highest on Jamaica and cover much of the interior of the eastern part of the island . The Blue Mountains are the second tallest mountains in Jamaica . contradictory +right you know i 've heard about that uh also for tennis shoes there was uh uh a big surge going on oh just last year i think where uh kids like in New York uh were uh knocking off other kids to get their tennis shoes Kids in new York are knocking off other kids to get their tennis shoes . entailment +It was dispatched to England by a special messenger selected for that purpose , a young fellow called Danvers . A young fellow called Danvers was selected to dispatch it to England . entailment +Converts were forced to renounce their faith by trampling crucifixes and effigies of Jesus and Mary . Converts didn 't have to do anything to renounce their faith . contradictory +Eight feet , pondered Justice Stephen Breyer . The Justice , Steven Breyer considered the matter . entailment +Excellent food and service . The food was great . contradictory +He was not sure if referral could be included every time , but acknowledged that it is a vital part of the work . He knew referral was an important part of the work . entailment +Ah ! cried Poirot , with a gesture of anger . In a gesture of anger , Poirot cried , " Ah ! " entailment +Except one . Excluding one . entailment +What will I tell him , when he wakes up ? The truth . He 's in a coma . neutral +For all his bluntness , Wolff never concedes that the product he was selling--essentially another set of Web directories--wasn 't that appealing . Wolff was quick to concede that the product he was selling wasn 't appealing . contradictory +and i haven 't quite figured that out if they figure they have got it won or if there 's no real hurry because the first three quarters or uh if uh if something happens that that adrenaline starts flowing they say hey we got to do something now and then start playing the game the way the game should be played toward the last few minutes Adrenaline starts flowing when there is a double play . neutral +yeah they just poop and it 's yeah they They simply defecate without knowing where they are , we have to clean it up . neutral +bear bait Raccoon bait . contradictory +yeah yeah i 've heard that like in China and stuff there is virtually no such thing as rape because if you rape somebody you 'd be murdered them you know on the you know street so yeah If you murder somebody in China you 'd be raped . neutral +and then he gets up for this one trial and they don 't find anything out about the facts that he 's done this over and over and over again He went for a trial that did not over any of the factual information . entailment +what what kind of activities do you do with them what kind of trips do you take with your kids neutral +It was later converted into a Coptic Christian place of worship and their croses can still be seen carved into the lintels and door frames . Crosses carved into the lintels and door frames are remnants of it being converted to a Coptic Christian place of worship . entailment +For some reason , teen flicks died out for a while after Heathers --perhaps because it took the conventions of the form as far as they could go . Teen flicks have had a huge comeback with new plots . contradictory +i i try to take the the clippings and uh I attempt to take the lawn clippings and put them in a bag . neutral +Both ESPN and CNBC offer an infinite supply of statistics that give the viewer the illusion of deeper understanding . Statistics can sometimes make people think they understand something more than they do . entailment +Oh , probably not , [ because ] it would create a huge political scene . Huge political scenes are caused when people are unhappy with their lack of power . neutral +Take the idea that men became less competitive because women insisted on monogamy , which lowers testosterone . Monogamy decreases testosterone in men by roughly 20 % . neutral +Or did they arrive after an earlier migration or settlement of Indo-Europeans from Central Asia , or early Europeans ? Or did they arrive before an early migration by Indo-Europeans from Central Asia or Europeans ? contradictory +any wrath or uh it 's it 's occurred so many times that they figure people will usually forget and don 't think about it when the election time arises They think people will always remember about it , don 't they ? contradictory +and uh i especially liked the prescription especially since my children tend to have ear infections all the time that those prescriptions can be very expensive My children don 't need prescriptions and are never ill . contradictory +An observer familiar with the reconfiguration debate who requested anonymity wondered why Dudovitz had not spent more time mending fences . An observer spoke as long as he could be anonymous . entailment +There 's one place where nobody will look for you or listen to you . Nobody will listen to you or look for you there . entailment +He got one idea and immediately started to work on it . He thought he should paint his entire house . neutral +You get one mistake . You get one mistake before your hand is cut off . neutral +LSC staff were struck by the many innovative systems used across the country . LSC staff believed all of the systems across the country were outdated and not innovative . contradictory +Las Vegas reaps the rewards and suffers the losses of a metropolis of over one million residents whose primary industry is tourism . Vegas only has 50,000 residents contradictory +uh the style of our neighborhood uh we 're certainly not the smallest home and we 're not the largest home but it has maintained itself in that the homes that were built afterwards uh have come up some of them are a little smaller because at one point they wanted to put some two thirty five housing in Our home is the biggest on the block by far . contradictory +It is a very difficult situation for you , Mr. Cavendish . It 's not very challenging for you . contradictory +With tea from seeds smuggled out of China and an influx of plantation labor from Nepal , the little village of 100 souls grew to a community of 10,000 by 1849 . The tea plantation quickly became immensely profitable for its owners . neutral +There are even moonlight cruises for those who are romantically inclined . The people who like romance wouldn 't enjoy moonlight cruises . contradictory +The infusion of funds effectively saved Alabama 's Legal Services programs , which have been scrambling to find funding amid layoffs and benefit cuts . Alabama 's Legal Services programs were struggling for funding before the new funds . entailment +The truth is that home hasn 't suddenly become work . Home has also been the place of leisure . neutral +94 Poirot turned to face us . Poirot quickly turned to face us so he could speak . neutral +The students who the year before had marched and chanted and proclaimed it is forbidden to forbid had been arguing for liberation of the oppressed of virtually every kind , and when it comes to the sexually oppressed , Berman says , the last two decades can be seen as a victory . They still had much more to be done . neutral +you can 't drive a standard You already know how to drive a standard . contradictory +" I think the captain will agree there are no prisoners , " Topham said . Topham said that the captain would deny the existence of prisoners . entailment +The music of the southern islands is called nisiotika , while in the northern Aegean there is a style called sandouri . More people are interested in music that comes from the southern islands . neutral +This appendix describes tools and techniques for measuring the status of acquisitions involving significant software development . There is no appendix with any descriptions . contradictory +The specific key conditions and strategies described in this guide can be used as suggestions for federal CIOs to apply or adapt to their environments , as appropriate . The specific key conditions the guide describes are only good for private companies . contradictory +A French patois-like dialect is still spoken in some hill villages and you 'll notice bilingual street signs in the Aosta Valley ( geographically part of Piedmont , but administratively separate ) . Spanish is the main language spoken in the Aosta Valley . contradictory +In addition to her position on the Board of Directors of the Legal Services Corporation , Nancy Rogers is the Vice Provost for Academic Administration and Platt Professor of Law at Ohio State University . Nancy Rogers is busy and does not see her family much . neutral +and and they 're really quite um arrogant about it all they they believe that they they belong there and they 've belonged there forever and the Palestinians and the Arabs are um more or less they they they consider them second class They believe it 's their God-given right to be there . neutral +He cut the flesh badly , but at last he felt the cord slacken . He was not experienced at cutting like this , and he did a poor job at it . neutral +Bush spends a full chapter attempting to defuse a potential Democratic issue by explaining why he vetoed an HMO reform bill in Texas . Bush felt no need to explain his decision to veto the HMO reform bill in Texas . contradictory +If you missed the link to the refresher on harassment law and its history , click . To review the key points of harassment law and its history as discussed on Monday , click here . neutral +'Yes , I am . ' I most certainly am . entailment +Motivational considerations Considerations regarding drive and efficiency . neutral +The images in Touch of E v il have been boiled down so that all its ingredients are mashed together in the sludge . It is now difficult to distinguish one Touch of Evil image from another . neutral +i think maybe that we could do better with the budget if we didn 't buy so much stuff overseas It just makes things worse . neutral +When Adrin could stand no more , they began to shoot . They stopped shooting when Adrin could stand no more . contradictory +Targets directly linked to organizational VBA identified targets with specific levels of performance for senior executives to meet . Senior executives only meet with high performing targets neutral +And now , to-day , he puts forward a suggestion that he himself must have known was ridiculous . He made the suggestion the other day . contradictory +well there are other benefits with the military The military provides other advantages . entailment +The surrounding landscaped grounds are kept in pristine condition . The surrounding landscape is filthy . contradictory +yeah i when i watched it originally i didn 't know it was a i don 't know it was going to be a series i thought it was just a movie It 's good there are no plans for the movie to be a series . contradictory +8The AICPA 's Generally Accepted Auditing Standards defines a reportable condition as a significant deficiency in the design or operation of internal control that could adversely affect the entity 's ability to record , process , summarize , and report financial data consistent with management 's assertions in the financial statements . Financial data doesn 't need to align with the assertions made by management in financial statements . contradictory +Venture Into the Interior Go inland . entailment +The non-stop lift takes 55 seconds from ground to the observatory , but offers spectacular views of the city and beyond ! There are great views from the lift . entailment +Entertainers and illusionists perform while diners eat various courses and then move to another chamber . Diners have to pay a lot of money for the show . neutral +and what will a shot be will a shot be an ounce A shot is an ounce , right ? That means a Caipirinha contains 3 ounces of liquor . neutral +and he bought a used mower it was a real big heavy one and he said that that you know basically they they sold it on him because you know it was a macho thing He bought a lightweight mower because he didn 't want anything too macho . contradictory +The former does seem to explain the latter . The former sheds light on the gaping holes in the story of the latter . neutral +Ein Kerem is thought to be the birthplace of John the Baptist and the site where Mary visited her cousin Elizabeth . Ein Kerem is believed to be where John the Baptist was born . entailment +i think they can read the price tag on the cans of food The food prices have gone up . neutral +But in the presence of competition among dealers , there is no difference between setting a standard of service and setting a retail For a given service standard , competition will lower the price until it 's commensurate with the service standard , and for a given price , competition will raise the service standard until it 's commensurate with the price . Competition is strong among local dealers , forcing several out of business . neutral +utility , credit card , insurance and medical bills as well as advertisements from credit card companies , publishers , leisure services and banks ) . Credit card , insurance and medical companies . entailment +well uh well uh we 're we 're some of the older ones in the family so the ones with small kids usually have ball games and kick ball things like that The ones with small kids avoid any exercise , including sports , because they 're too tired . contradictory +The doctor looked at them all curiously . The doctor scanned them with interest . entailment +This season , they sense Bird 's trust . The did not sense Bird 's trust . contradictory +'For the record , I 'm a little shaky on that too , ' White put in . White said he wasn 't at all shaky . contradictory +It 's the idea that perfect competition might be just around the corner , not the competition itself , that keeps the paranoid prosperous . The interesting part is the competition , the people you might play against in the future are unimportant . contradictory +Despite his exalted station , the good Colonel turned out to be an imposter and a bigamist , and after their marriage was sent to jail . The good Colonel was a fake ! entailment +Murcia 's cathedral stands on the plaza named in honour of Cardinal Belluga . The plaza has several holy monuments . neutral +It 's a tidy step from here . It is a long way from here . entailment +The Board of Directors of the Corporation is composed of 11 voting members who are appointed by the President of the United States with the advice and consent of the Senate . 15 voting member compose the Board of Directors of the Corporation . contradictory +I sure don 't look like no bargain . I don 't look like no bargain , that 's for sure . entailment +At the end of each entry is information about how the destination can be reached . There 's no information provided on how to reach the entry 's destination . contradictory +To make its case about Salon , the Journal ignores the fact that Adobe board members , like those of most big corporations , give money to both parties . The Journal has always been upfront concerning the information of the Adobe board members and their donations . contradictory +Most of Osaka 's municipal buildings are on Nakanoshima , including an elegant European-style town hall dating from 1918 , one of the few red-brick buildings in Japan . One of the few red-brick buildings in Japan is an elegant European-style town hall from 1918 and can be found in Osaka , along with most of it 's municipal buildings . entailment +The Fat Man glared at me . The fat man was a friend of mine . neutral +In part , this is because Las Vegas has itself become one of the world 's most powerful brand names . No one heard of the city so tourism was at an all time low . contradictory +submitted by dozens of intervenors , rates are set in a very detailed way . Rates are set in a detailed way to provide maximum compatibility among many intervenors . neutral +He was hardly more than five feet , four inches , but carried himself with great dignity . The man did not care about his height . neutral +Axis forces were at one point only 150 miles from Cairo but Allied soldiers finally gained the upper hand following the British victory at El Alemain in 1942 , and Egypt remained firmly in British hands for the rest of the war . Axis forces got within 150 miles of Cairo until they were fought back by the Allied soldiers . neutral +would invite me over to their house for extended study things on weekends when i was having trouble with something and When I was having trouble , nobody would help me . contradictory +He expanded Melaka 's power along the west coast and down to Singapore and the neighboring Bintan islands . He took over Melaka 's power along the west coast and down to Singapore . contradictory +His friendship is important to me , and I take those duties seriously . I value this friendship and I work hard to maintain it . entailment +crazy for him to but He made a strange choice . neutral +Do not grudge me a moment 's satisfaction of the eye . " The world is an ugly place bereft of anything to gaze on . contradictory +( Want his respect ? He respected everyone . neutral +The Arboretum of Los Angeles County ( 301 North Baldwin Ave . ) is here , nurturing plants from every part of the world . The Arboretum of Los Angeles County is abandoned , there aren 't any plants there . contradictory +ORIGINAL DISCOUNT RATE -The discount rate originally used to calculate the present value of direct loans or loan guarantee liabilities , when the direct or guaranteed loans were disbursed . The original discount rate is used for mortgages neutral +South of the main temple complex you will find the Sacred Lake , used in ceremonial processions . The Sacred Lake is the only area in which ceremonial processions take place . neutral +buy two more Sell two more . contradictory +U.S. workers are unavailable , must notadversely affect the wages and working conditions of U.S. workers . U.S. workers cannot affect the wages and working conditions of U.S. workers . entailment +And no one knows which he is ... " With an effort the Russian shook off the vagary of his fancy . And everyone can point him out ... contradictory +1913 : Congress Creates IRS To Unite Nation Against Common Enemy The IRS was created in 1913 . entailment +But , all the same , it is possible that he is among us now … . " He looked round him again , and again that expression of fear swept over the group . That expression of fear swept over the group because he may be among us to hurt us . neutral +Slate --is a laureate who does not rest on his laurels , a Stakhanovite among poets . He doesn 't rest on his laurels . entailment +Take a felucca ride on the Nile it 's fun being out on the water for children and adults alike . Adults and children enjoy being out on the Nile . entailment +A Grand Staircase then led north to the most important official chambers within this wing , its sturdy painted colonnades typical of those found throughout the palace . The staircase lead to the south wing . contradictory +Crown colony status was granted to Northern Borneo and Singapore , the latter excluded from the Federation because of its large Chinese majority . Crown colony status was given only to Singapore , as nobody liked Northern Borneo . contradictory +Bullets explode in shards of glass and light , bringing death in chiaroscuro . The bullets were the cause of death . entailment +The Mus ? ? e Basque ( Ceteau-Neuf ) provides a valuable introduction to the folklore of the region . Children participate in folklore traditions every fall at The Mus ? ? e Basque . neutral +Rua Imperatriz Dona Amelia ( behind the Savoy hotel ) has a number of restaurants and bars , including Prince Albert , an English pub , and Salsa Latina ( Rua Imperatriz Dona Am ? ? lia , 101 ; Tel . 291 / 225 182 ) , which has live music . No live music is anywhere along Rua Imperatriz Dona Amelia contradictory +This might extend the total elapsed time by about four months . More than four months is probably going to be needed in order to finish this . entailment +Robertson , who has kept in Reed 's shadow , may emerge to embarrass the coalition . Robertson has always been an aggressive figure . contradictory +You can 't be overly literal . You ought to take every word as it is - with no deeper meaning . contradictory +well people with families have different objectives than single people or no no i 've got a family two children I have two kids and can 't just think about myself like single people do . neutral +Albert 's still below , and must be just hopping mad by this time . " With which Julius departed abruptly . Albert 's probably mad that we didn 't join him . neutral +yeah i think that sounds great That sounds like an awful idea . contradictory +Meanwhile , the British clerk-turned-soldier Robert Clive won a long campaign against the French for Madras . The British clerk Robert Clive , a former soldier , won a long campaign against the French for Madras and he was often compared to Lawrence of Arabia . neutral +2 . While the AEO2001 analysis anticipated no program spending to drive these changes , EPA assumed that additional spending would be required for scenario B. Calibrating to the CEF policy scenarios , EPA estimated that program and policy spending would increase by $ 0 . The EPA made assumptions about additional spending . entailment +The additional requirements will not increase the number of respondents but increase the burden hours by 8,500 and the cost by $ 612,650 . The number of respondents will double thanks to additional requirements . contradictory +Within a few days , i-Sportsbook refunds my credit card deposit , as promised , and a week later I get a check for my winnings . i-Sportsbook promised to refund my credit card deposit , and they followed through on their promise . entailment +Jaye and her husband , Erik , own Tomax Technologies and were the sellers of the building . Jaye and Erik sold the building to the government . neutral +and uh uh yeah because see last year their first two draft choices were uh Alex uh Emmett Smith and Alexander Wright and they didn 't get either of them until half way through the season and they didn 't get to go through training camp with them They only got their first two drafts after a dozen games in the season . neutral +All villas feature traditional 19th-century Jamaican architecture for an authentic Old World atmosphere . To recreate an Old World feel authentically , all villas feature 19th-century Jamaican architecture . entailment +Co-location helps the agencies meet three important goals . There are three main goals for the agencies . entailment +To what are we comparing idiocy ? Idiocy is in its own world . neutral +Another issue is whether to change the name of Texas Rural Legal Aid so that it reflects the territory 's diverse landscape . One of the newly proposed names is the Texas Expanse Council for Legality . neutral +At GAO our core values are accountability , integrity and reliability . GAO has additional core values , of course , but these are the main ones . neutral +nope what about Margaret Thatcher wasn 't she fairly she was i thought she was real well real well respected I believe Margaret Thatcher was well respected . entailment +uh-huh um well um i 'm a i 'm a counselor a therapist by trade so most of my books are um i guess what you 'd call self-improvement type of books All of the books that I have are just self-improvement books . neutral +We , therefore , have a dilemma . There is no problem . contradictory +But in the face of considerable public pressure , Monsanto has agreed to stop developing infertile seeds . Monsanto perseveres in developing infertile seeds , despite considerable public pressure . contradictory +You 're right , said Tommy slowly . Tommy said that you were correct . entailment +The labor force projection reflects the OASDI Trustees ' 2001 intermediate assumptions , including those for fertility , immigration , and labor force participation . The labor force projection exclude all material from the OASDI . contradictory +Ultimately , volunteer work benefits us at least as much as those we serve . The volunteer work we put in makes people happy . neutral +Originally a Tokugawa family estate , the garden became a public park in 1945 . The garden has always been a public park . contradictory +yeah yeah i think that it probably would be a a good program i think probably two years is too long i think maybe a year would be the the longest that The program would be an utter waste of time . contradictory +I was just a mite hasty . Slower would have been better . neutral +Hanson braced himself as the lines of slaves beneath him settled themselves to the ropes . They would sacrifice themselves so Hansen could save the world . neutral +It has Gothic arches , a splendid inlaid cedar ceiling of Moorish design , beautifully carved blue-and-gold choir stalls , gilded altars , and a sprinkling of nice azuleJoseblue-and-white ceramic tiles ) . It has blue and white ceramic tiles and Gothic arches . entailment +I called myself Mr. Brown . I am happy with the name Mr. Brown . neutral +yes i have two little ones I have two kids . entailment +But look at the numbers . Ignore the numbers . contradictory +In Sevila , you can see relics and manuscripts and even the habit St. Theresa wore in a remarkable life of prayer , penance , and poverty . You can see manuscripts , relics , and even the habit St. Theresa wore in a remarkable life of poverty , penance , and prayer . entailment +um yeah the the uh i 've always felt that public people who are involved with the safety of other people should be drug tested i 've i have never said that i didn 't want that the problem that i had was I feel that people like pilots should have regular blood tests . neutral +okay well we probably exhausted that huh We had already used it all up . entailment +Other classical sites lay below Iraklion near the south coast . It takes about three hours to travel from Iraklion to the first of the other classical sites . neutral +He merely remarked : 42 " Good , we will leave that and pass on . We must discuss this now . contradictory +The warrior woman shrugged and gave a smiled at the huge man , he gave her one of his twisted grins in response . The woman smiled at the huge man in return . neutral +As part of this exchange transaction , the Government and its employees both contribute to a medical insurance plan that provides current coverage of its employees . The employees are in compliance for their new healthcare plan . neutral +The broad walkway offers spectacular views of the ocean , especially at sunset . There is a wonderful view of the sunset over the ocean from the walkway . entailment +Sympathetic reporters--see Sidney Blumenthal--are ostracized . Reporters are ostriches . contradictory +or you hear somebody already starting reading reading off a list of stuff that they 've read probably a thousand times that day already Telephone operators sometimes read something a thousand times a day . neutral +Federal Reserve Chairman Greenspan , among others , has expressed concern that there would be tremendous political pressure to steer the federal government 's asset selection to achieve economic , social , or political purposes . Federal Reserve Chairman Greenspan has expressed concern that there would be not political pressure . contradictory +The site of the Temple eventually became identified as Mt . Moriah , on which it stood , where Abraham was called to sacrifice his son Isaac . The temple site is where Abraham nearly sacrificed his son . entailment +The sun symbol of the maharana is everywhere , worshiped during monsoons . People worship the sun god during monsoons . entailment +( Though in the 1980s , Congress did jiggle the tax rules in ways that encouraged both LBOs and ESOPs . ) LBOs and ESOPs were encouraged by the tax rules of the Congress . entailment +The political debate over those questions will be more practical and less ideological , paradoxically enough , if scientific claims about a long-term payoff , or the lack of one , are left out of it . The political debate is very practical . entailment +Ah , you did not notice the postmark ! There wasn 't a postmark to be noticed . contradictory +All these advertisements may be insulting to one 's intelligence or taste The advertisements suggest that people aren 't smart enough to have their own preferences . neutral +and i had to go through you know a physical and everything and before they even told you you were hired like they just called me in for an interview I didn 't mind going through the physical . neutral +But I can honestly say it was not this fact which weighed with me . This was the only fact that weighed one me . contradictory +La Villette ' in the northeast corner of the city ( m ? ? tro Porte de la Villette ) ' has been converted from the world 's biggest slaughterhouse into a futuristic complex of cultural and scientific activities . The world 's largest slaughterhouse is now a futuristic place . entailment +Alassio completes this coast 's trio of major resorts , justifiably proud of its gardens nurtured by a particularly mild winter . The gardens of Alassio makes it one of the major resorts on the coast . neutral +Users are much more likely to support and comply with policies if they clearly understand the purpose for the policies and their responsibilities in regard to the policies . Users are more likely to follow the rules if they understand that they keep them safe . neutral +Across from the library is the 73-story Library Tower , ( an office building ) , the tallest building on the West Coast , designed by I. M. Pei . A library is a place of utmost relaxation as it is very quiet there . neutral +yeah alright do you have children are you single Do you have a wife ? neutral +Bean catalogue . Bean catalogue . entailment +The house where he died in 1882 ( his tomb is nearby ) is now a museum , practically a sanctuary , where devout patriots refer to him not by name , but as l 'Eroe , the Hero . He died from pnemonia . neutral +Around these important archaeological sites are farming communities quite different in character from the city and the coastal resorts . The farming areas have a very different feel to them compared to the city and resorts near the coast . entailment +Some people say you can test the authenticity by touch real jade feels smooth and cool . There are plenty of knock offs so it is imperative to test for authenticity . neutral +The contractor does not use statistical process control and has not identified critical manufacturing processes . the contractor relies solely on statistical process control contradictory +Dedicated to the goddess Isis , and her main center of worship , it was inaugurated in the fourth century b.c. It was established in the fourth century B.C. in honor of Isis . entailment +Hughes ' actions would have beneficial repercussions , both immediate and lasting . The actions that Hughes made would have beneficial repercussions in the long term . entailment +Why , I shall say Oh dear , I don 't know . I know the reason why . contradictory +But not one of them has ever asked me my name and quite a lot never said ' Thank you . ' Some of them asked me my age , and 28 of them said , " Thank you . " neutral +The information center , which serves as a base for archaeologists working at the site , has a number of interesting displays about the history of the wall . The center is of vital importance to the workers . neutral +With Lydia defeated , the Greek coastal cities lay open to the Persians , who swiftly incorporated them into their empire . Some Greek citizens weren 't welcoming to the Persians . neutral +I beg of you to reply to it truthfully . " I am asking you to please tell me the absolute truth . entailment +'You have to be less ... loud . ' They were supposed to be noisier . contradictory +This was mainly the result of rate hikes-- not cuts--legislated in the Social Security Reform act of 1983 . We are experiencing better social security due to its reform last 1983 . neutral +It therefore should be recognized as nonexchange revenue by the Harbor Maintenance trust fund . It shouldn 't be recognized as nonexchange revenue contradictory +Drew 's Pa was town folks . Drew 's father was a big city dweller . contradictory +The tendency to prefer obscure , unproduced recordings seems like the latest version of the old folkie quest for the grail of authenticity . Looking to prefer new , unproduced recordings makes one seem like one is on a quest . contradictory +It twirled over her head and the sword swinger ducked as well . Someone was nearly killed . neutral +According to the American Association of Retired Persons , a senior enrolling in an HMO saves $ 1,200 per year--about 10 percent of average income--compared with those with the standard coverage and some supplemental insurance . AARP says a senior with an HMO spends a lot of money . contradictory +Institutionalizing trust was especially important for large organizations and federal entities that typically experienced a great deal of staff turnover . Large organisations have previously not viewed trust as important . neutral +manager 's responsibility and accountability are defined . The manager 's responsibilities were not clearly defined . contradictory +uh-huh yeah he may have been the last of the old guard i don 't know I don 't know of any others that are like him . neutral +Not that Roseanne needs your sympathy . Roseanne doesn 't need your sympathy because she is very confident . neutral +Most of the tools were developed initially for use with Defense department projects , but can also be used with non-Defense systems . The tools were developed initially in the 1980s . neutral +She shook her head . She shook his hand . contradictory +He had got even with Conrad , which was one satisfaction . There was no possibility of getting even with Conrad . contradictory +But they are fired and worthless . They are valuable , and highly sought after . contradictory +Further , under its state planning initiative that mandates all grantees within a particular state work together to create a comprehensive and integrated statewide delivery system , grantees are required to address how they will work together to expand the resources available within that state to support legal services . Grantees must address how they will work together through internet services . neutral +If the projected budget surpluses materialize , the federal government will reach the point at which the annual surpluses will exceed the amount of debt available to be redeemed or that can be bought back at reasonable prices . If the projected budget surpluses materialize , the federal government will never reach the point at which the annual surpluses will exceed the amount of debt contradictory +The second class would include those planets formed so near the stellar center that the high temperature would make it impossible to capture much hydrogen . There are many different groups of planets . neutral +Had she not openly avowed her intention of marrying for money if she ever had the chance ? She wanted a nice house and clothes , and didn 't care if she loved her husband . neutral +Should such a fate befall you , there 's always Divorce Online . In case , there 's always the hairdresser .. contradictory +He didn 't know how deep the wound was but figured he 'd know soon one way or another . He already knew the wound was 2 inches deep . contradictory +South of the baths begins the Old Appian Way ( Via Appia Antica ) , built in 312 b.c. for the Roman legions who marched to coastal Brindisi to set sail for the Levant and North Africa . South of the baths begins the New Apples Way , build in 2017 AD . contradictory +Opponents of the New York scheme had pointed out the unfairness of paying New York hospitals to undertake cutbacks that hospitals elsewhere were undertaking at no charge . Some claimed that New York hospitals shouldn 't be paid for cutbacks . entailment +bring a can or two for the hungry You should participate in this food drive . entailment +They had the advantage . They advantage was with them . entailment +He spoke to me in French . He spoke a language that is used in France . entailment +Penang Month-long merriment takes place in the streets of Georgetown . The festivities are always in Penang , Georgetown . neutral +Slim said , " That 's no secret . " That is no secret , " Slim said . entailment +Las Vegas has a rich boxing history , having hosted enough championship matches to qualify as a capital of the sport . Many boxing competitions have been held in Las Vegas . entailment +This is the favorite of the savvier Dems , notably House Democratic Caucus head Vic Fazio and Minority Leader Richard Gephardt . Vic Fazio and Richard Gephardt hold many of the same positions . neutral +no no i wish i did It was something I wish I did . entailment +Pardon me , mon ami , but you did not understand it in the least . I am impressed that you understood everything . contradictory +Our hearts are particularly heavy this year as we look back at those we 've lost , the Globe writes lovingly . We are especially sad this year because we lost a lot of people . entailment +The legislative history contains no evidence that Congress intended LSC representation of legal permanent residents and other aliens to turn on the accident of where an alien happened to be at the moment the cause of action arose or the litigation commenced , or to require the alien to be continuously physically present throughout the course of representation . As history shows , Congress is a fault for punishing aliens contradictory +It 's an absolutely peaceful , absolutely beautiful little island of roller coaster hills , rocky coves , and powdery beaches lining a limpid , emerald sea . The beautiful little island had many artists and writers amongst its population . neutral +The Japanese reportedly moved on to bigger things in World War II . The Japanese in World War II decided to move on to bigger things , said the historian . neutral +sure same here take you too bye bye Hello , no , not at all . contradictory +Higashiyama in a dramatic cascade of thatched and tiled roofs . Thatched and tiled roofs line the horizon of the district of Higashiyama . entailment +Well , I don 't want to hustle you any , Jane , but there 's no sense in waiting about . Waiting here is the best option . contradictory +the insurance company buys them and they sell them and i 've known people who have got really nice late model cars very cheap but but they have a dubious background they have salvage stamped on their title there 's I 'm trying to warn you off of buying from them , because you seem tempted . neutral +A confection found only here , Edinburgh rock is a sugar , water , and coloring mixture that is boiled and then cooled on stone slabs before being shaped . Edinburgh rock is a sweet treat . entailment +Sheltered by houses made of the same rocks , revering the same stories , sharing the same history , many Jerusalem neighbors who come from very different backgrounds have forged unique and extraordinary friendships . Many communities have learned to coexist with each other from Jerusalem . neutral +It may only be used on or associated in any way with an electronic work by people who agree to be bound by the terms of this agreement . If you let another use it then you are in violation . neutral +With all this preparation and a time limit , he couldn 't even afford to stall . He couldn 't afford a stall with all the preparation and time limits . entailment +um i don 't know i just ah they 're just so outrageously priced it 's just incredible i try to uh always catch the sales Those things are just way too overpriced . entailment +As the Byzantine Empire weakened at the end of the first millennium , Crusader forces were sent from Western Europe to counter the Muslim forces and retake Jerusalem for the Christian faith . Crusader forces sought to regain Muslim lands and people for the Christian faith . entailment +exactly because it 's not next day they have the start the trial which is X number of months and just prolongs the situation that much more The do not have to start the trail the next day . entailment +And as the discount rate rises , it 's not surprising if stock prices fall . The discount is plummeting and the stock price is rising . contradictory +And we can keep that up all through next year if we have to , he bragged on CNN . He explained it would not continue beyond the end of this year . contradictory +different computational problems . Various problems regarding computation . entailment +It is the focus of the city 's boisterous political rallies . Industry is what most of the city 's political gatherings revolve around . neutral +Nor do Hollywood movies show any sign of revising Nixon 's image . Nixon has a negative image . neutral +The point is that Reich 's style of economics--which relies on anecdotes rather than statistics , slogans rather than serious analysis--cannot do justice to the diversity and sheer size of this vast nation . Reich relies on anecdotes he hears from his colleagues . neutral +It was Susan . They had narrowed it down , and Susan was a prime candidate . neutral +All my life I strove to fell anyone they put in front of me and had succeeded in that . I have lived a life of peace , avoiding conflict and competition at all costs . contradictory +The Utah Beach museum and monument are 5 km ( 3 miles ) inland from La Madeleine , near Sainte-Marie-du-Mont . There is no monument to Utah Beach contradictory +In the second , Legal Aid Society of Orange County will create a national technology training and curriculum project to build capacity across many audiences within the legal services community . Orange Country decided not to engage with audiences in the legal services community . contradictory +Next to the mosque are the Theodosian Walls , pierced here by the Adrianople Gate ( Edirnekap ? ? ) , where Mehmet the Conqueror entered the fallen city in 1453 . Mehmet the Conqueror repaired the broken part of the wall by putting the Adrianople Gate there instead . neutral +The museum has a good , but crowded cafe and a small gift shop . There 's no place to buy food at the museum contradictory +Adding to an earlier Gothic design , Donato Bramante Pope Julius II 's chief architect in Rome fashioned a magnificent red brick and white stone chancel ( tribuna ) in 1492 . Donato Bramante was Pope Julius II 's main architect . entailment +By the end of the 1800s the population of the country was virtually halved . A famine wiped out half the country . neutral +I trust you . I think you are shady . contradictory +At ground level , the asymmetrical cathedral is hemmed in by Toledo 's clutter of back streets , making it difficult to position yourself for a sufficiently dramatic view . It 's hard to find a dramatic view of the cathedral , though many try . neutral +Hong Kong 's stores are usually able to arrange shipment . Hong Kong 's stores don 't ship products . neutral +The coffee plantations lie in the humid heights , where soil conditions and the slow growing process ( five years from germination to harvesting ) produce a fine crop with a high yield . Coffee plantations are a difficult process to take care of . neutral +Apparently he is a German spy ; so the gardener had told John . " Her face and voice were absolutely cold and expressionless . The gardener informed John that the man was apparently a German spy . entailment +Check with the local sources for a seasonal update . Local sources will have seasonal updates . entailment +to their success in building successful information-sharing relationships with and among their members . The failure to build a successful info-sharing system was the downfall of their members . contradictory +No one else stepped in . No one else would help the people in need . neutral +Put me wise . Tuppence thereupon related the events of the last two days . Tuppence did not talk to anyone . contradictory +Though the national government must escort inspectors to the perimeter of the suspected site , it can then argue that the search violates its constitution , or whatever . The National government has to escort inspectors to the construction site . neutral +Hornby still writes with warmth and charm . Hornby mainly writes children 's stories with illustrations . neutral +Among Professor Rogers ' publications are two books on mediation and the law that received Book Prizes in 1987 and 1989 , a text for law students written with Richard A. Salem and a legal treatise written with Craig McEwen . Professor Rodgers wrote two books on meditation and law . entailment +Even with the assumption that all new FGD capacity will require limestone , the amount of limestone needed as a reagent is projected to be within availability of supply . Even if you assume that the FGD capacity will require limestone , the 200 tons needed should be available . neutral +While many deaths from daily exposure to PM may occur in individuals with cardiovascular disease , studies have shown relationships between all cause mortality and PM , and between PM and mortality from pneumonia ( Schwartz , 2000 ) . There isn 't any relation between PM and mortality , is there ? contradictory +You can 't be sick in your own sign . Being sick in any sign is no fun . neutral +yeah yeah and a lot of them i know a couple women that work there and they don 't miss in public relations and they don 't miss having a basement to run up and down to you know They don 't miss a basement because they hated having to constantly go down to the basement . neutral +This clause is typically phrased $ 7,000 for positions 1-5 , $ 5,000 for positions 6-10 , and $ 3,000 for positions 11-15 . They were all volunteer positions . contradictory +Every counter was there before he swung . He was getting tried of swinging . neutral +The latter complex , with over 100 shops , probably has the widest choice . The widest choice may be found in the latter complex , with over 00 shops it is hard not to find what you are looking for . neutral +As the UAW members at Caterpillar have learned , if the stakes are high enough , Wall Street can be very , very patient . Wall street is not often very patient . neutral +The proposals include abstinence education , school vouchers for poor kids , faith-based drug-rehabilitation programs , and a $ 500 tax credit for anyone who does 10 hours of volunteer work for the poor during the year . The school is teaching safe sex . contradictory +So he made a buckskin case and kept all th ' pages together . He kept all the pages separated , to have a better view of the whole . contradictory +Newsweek says Di 's death improves Prince Charles ' image , transforming him from unfaithful husband to grieving father . Before her death , Prince Charles was viciously attacked by Newsweek . neutral +so yeah and uh what what i also eat now since i 'm in college i have an Italian roommate and My roommate is from Russia . contradictory +The house was bought with the royalties she earned from her first book , The Tales of Peter Rabbit . The house was bought with the money she inherited from her grandfather . contradictory +The estimated time to obtain the construction permit is approximately = nine months10 but can vary with State and local permitting procedures as well as other interests in the project . Estimated time for construction permit is 9 months . entailment +you know what i mean how to train them so they 're going to be a blessing and so you know they do that and they they just live lean pretty much they don 't she doesn 't shop at Foley 's you know and stuff like that but a lot women in Dallas shop at Foley 's so Foley 's it 's like a Macy 's kind of store it 's pretty nice and everything 's pretty expensive and you know you just can 't do that and you don 't go to baseball games as much or you get pictures like we did you know what i mean Being trained is such a curse . contradictory +Ma Vie en Rose ( Sony Pictures Classics ) . Ma Vie en Rose was a Sony Pictures movie . entailment +um-hum um sounds like my next door neighbor My next door neighbor might be making those sounds . entailment +It may not be the wildest in the Caribbean , but the FWI 's carnival is the longest , by 24 hours . The extra length of the carnival allows more visitors to be there . neutral +but he deserved it i probably would have bit his finger off too if he was trying to strangle me or beat me up you know if i could have gotten his hand in my mouth i 'd have bit him just like this guy did he was scared he was a kid The man was sentenced to ten years in prison for his crimes . neutral +you still there Fernando sorry uh I thought I lost you for a minute . neutral +Certain court forms refer the poor to legal aid . The poor are twice as likely to be referred to legal aid . neutral +here , where you should click the FIFA Online link , which you 'll find on the left ( under THE BASICS ) . The link to FIFA is on the left under THE BASICS . entailment +I told them , You guys don 't make enough money , ' he said . He said , " You guys don 't make enough money . " entailment +Grantees were also asked to examine whether the existing program configuration was conducive to the most effective state delivery system . The grantees were never asked to suggest changes to the current state delivery system contradictory +The LeLoLai VIP initiative is a package of benefits that offers discounts at many attractions , and participating hotels , restaurants , and shops . Hotel discounts are illegal in that country . contradictory +But what do you think the chances are of that happening very often ? I know that happens once a day . contradictory +Rodman 's first offending remark , June 7 , in Salt Lake It 's difficult to get in sync because of all the [ expletive ] Mormons out here . Rodman had made an offensive remark on June 7th . entailment +The lawyer was calmer , but there was a curious gleam in his eyes . The lawyer was yelling excitably . contradictory +So am I ! I am as well ! entailment +Everybody 's Got a Hungry Heart Everybody has a hungry heart . entailment +Many retreated into the hills to make their own way , the forefathers of today 's small-scale , self-sufficient farmers . The people who retreated into the hills created no legacy . contradictory +The great man 's birthplace , where he spent his early years , has exhibits on Shaw and the Dublin he knew . Shaw 's birthplace , where he spent his formative years , contains exhibits on the Dublin of his day . entailment +'So you 're not just here to bring me in ? ' So you 're not here to take me ? entailment +The tactic is to fight Dole to a draw or a near-draw on the tax issue ; that would be an intermediate victory for Clinton , and make a November victory more likely . Dole cannot be defeated . contradictory +Through a Crusader arch , stairs lead down a long passageway to the Orthodox Church of the Assumption . The church and arch were built at the same time . contradictory +Results are based on a model called the Model of Acidification of Groundwater in Catchments ( MAGIC ) used by the National Acid Precipitation Assessment Program ( NAPAP ) to estimate the long-term effects of acidic deposition ( sulfur ) on lakes and streams . The model is MAGIC . entailment +It is very important in our imperfect justice system that the police and prosecutors do not get the idea that the ends justify the means . Both were aware of their imperfections . neutral +right because clothes are some are really expensive you know uh uh a little simple shell shell blouse you know that you can make for about Making clothes is a waste of time . contradictory +Presently Mrs. Inglethorp turned to give some instructions about letters to Evelyn Howard , and her husband addressed me in his painstaking voice : " Is soldiering your regular profession , Mr. Hastings ? " Mrs. Inghethorp 's husband had interested in knowing if I soldiered regularly . entailment +There are top courses around Lisbon ( especially Estoril ) and a few near Porto , but it is the Algarve which has the lion 's share ( including some of the finest courses in Europe ) . Algarve 's curriculum is not particularly strong . contradictory +Scottish Nights Scottish Nights . entailment +yeah it 's unfortunate because yeah you know even even though you you think of them as a whole family when you do things sometimes you separate them without even realizing it It 's unfortunate that you separate them without realising it but that 's because you don 't really think of them as a whole family . contradictory +It usually costs 20 percent less to sit at the bar for a coffee or a drink than being served at a table . It is cheaper to sit at the bar than a table . entailment +yeah well actually we can we can i can take a highway the whole way down but it 's still it 's um The highway is a straight shot . entailment +well you know what the average person would you ever have thought of that Would the average person have thought of that ? entailment +Finally , he dropped onto the ground near a group of half a dozen men who looked more alert than the rest . He kept going , unable to find anyone who looked somehow more alert . contradictory +He can count on her interest and understanding . She has no interest in anything he has to say . contradictory +One of his swords dropped and he clutched at his chest . His hand froze so he dropped the sword . neutral +The latter is accomplished by the men , while all the other performers are beautifully costumed women . The latter is accomplished by men in stunning suits with white gloves , and the other performers are women . neutral +Even if you cannot afford the often prohibitive prices , they 're worth visiting as veritable little museums of Renaissance and Baroque sculpture and furniture . Renaissance and Baroque sculpture and furniture are why many people visit this museum . neutral +It is a simple construction but we 'll need a lot of them , " said Jon . " It 's a simple task , but we need many to stop their advance , " said Jon . neutral +Forty comments were received and considered prior to the issuance of the final rules . Before the final rules were issued , forty comments had been received and reviewed . entailment +The old man picked it up in his hand , petted it and carried it toward Dave . After petting it , the old man brought it to Dave . entailment +yeah it is and she winds up being a a victim day after day after day She ends up being a victim every day . entailment +Too wordy ? The document is lengthy and contains too many words . neutral +And how many of them are being lured into our sports sections ? Some of them may be lured into the sports section . entailment +Tommy shoved a ticket into my hand and told me to get aboard the cars . Tommy gave me the ticket and beckoned me to get in the cars . entailment +Several mummies were found here when archaeologists opened it , leading to a much-improved understanding of the genealogy of the various dynasties . Archaeologists found several mummies belonging to low-class farmers in the tomb -- a highly irregular finding indeed ! contradictory +This monumental construction covers a140-sq-m ( 1,500-sq-ft ) area , with a Great Hypostyle Hall of 122 columns in nine rows , 21 m ( 70 ft ) high , and is considered one of the finest ancient structures in the country . There are no ancient structures in the country . contradictory +first , and then say just what we want to . " Initially , but say nothing afterwards . contradictory +5 Users often equate a clean audit opinion with a seal of approval that fraud does not exist and annual reports are both complete and accurate . All the reports generated at this place are complete and accurate . neutral +Cambridge , National Bureau of Economic Research , July 1999 . The National Bureau of Economic Research was in Boston . contradictory +Agency Comments Agency comments have no use neutral +One , other firms spend more . Other firms are actually spending significantly less . contradictory +then you cook the sauce and then put the meatballs into the sauce and heat it probably you have to heat it up for a good oh if they 're frozen you know it may take a half hour for them to thaw out but then heat them thoroughly in the sauce itself let them simmer in the sauce itself Usually , it 's best to skip the sauce and just fry the meatballs in oil . contradictory +The surrounding landscaped grounds are kept in pristine condition . The surrounding landscaped grounds have not been maintained and are in disrepair . contradictory +What good is it now ? said the Astronomer , bitterly . The Astronomer was bitter because it was broken in half . neutral +well i told a friend of mine whose got a real she really does have a weight problem i said well i have an exercise bike that 's sitting over here that 's collecting dust and i i have my treadmill and i have a rowing machine and a trampoline i said i 'll come over this afternoon and you can borrow the the exercise the exercise bicycle at least maybe it 'll get some use so um you know we 're going to try to she 's got I offered some exercise stuff to an overweight friend . entailment +I am not as certain as you are . I am less sure than you . entailment +It 's not that six is too big a number ; climb one more and you get to Seven Samurai . Six is simply uninspired , suggesting nothing . Six is an uninspired number that suggests absolutely nothing . entailment +He gives the name of Mr. Julius P. He said that he was Mrs. Sweringer . contradictory +At the end of the Napoleonic era , the monarchy was restored . The rule was reestablished after the fall of Napoleon . entailment +um-hum but bad enough right yeah that 's true The truth can be ugly and unfair . neutral +It was drawn up ready for signature by the various representatives , and drawn up in America at that time a neutral country . There were multiple documents to be signed . neutral +The young lady had far too much confidence in herself to pay any heed to them . They tried to warn her , but she would not listen to them . neutral +Congress also for the first time explicitly added H-2A workers to the categories of aliens eligible for legal assistance under the LSC appropriations act , although that assistance remained limited to claims under the workers ' employment contract . Congress deliberated over what new categories to add . neutral +The SEC has estimated that the annual cost to the industry of preparing and filing updated profiles would be approximately $ 5 . The SEC estimated annual costs approaching $ 5 million . neutral +The judge determined that Moore had violated California 's Unfair Business Practices and False Advertising Laws . Moore broke the law , according to the judge . entailment +Implementation is as important as the intervention in these settings . Implementation is harder than intervention . neutral +The marinade is a good deal spicier than you would find in a tourist restaurant , but the meat is wonderfully tender ; ask for a bite-sized sample before you buy . Before ordering it , keep in mind that marinade can be extremely expensive . neutral +And if you feel like being idle , France is full of quiet places where it 's a simple joy to do absolutely nothing . France offers a lot of silent places that aren 't very noisy . entailment +When the dust of war settled , it was the dazzling cultural achievements that left their mark on the age . The wars waged in that period ruined any potential cultural achievements . contradictory +um gosh i can my husband and i both went we kind of give her the third degree We want to give her the third degree . entailment +Competitors of the U.S. The U.S. actually has competitors . entailment +yeah well that 's that 's the that 's the point we 've gotten to you know every time somebody wants something they always turn to the government and you the government 's going to be limited i where are they going to get the money they 're going to get it from us and we can do it a lot more efficiently than the government we don 't need to add fourteen layers of bureaucracy to a program The government can 't provide for everyone . neutral +With print publications , there 's a different problem . Sometimes the ink bleeds on print publications . neutral +In the preamble to the final rule , HHS discusses these comments and addresses some misconceptions certain commenters had regarding the role and relationship of the Organ Procurement and Transplantation Network . HHS discuss some comments and misconceptions in the preamble . entailment +America 's reputation is at an ebb in U.N. America 's reputation in the UN is bad . entailment +uh it just makes absolutely makes perfectly good sense to me because it 's all decimal It didn 't make sense to me before , but now it does . neutral +It 's your yarn . Your yarn is not this . contradictory +The weights on the control mechanism were in place , Hanson noted . The control mechanism 's weight were still to be attached . contradictory +Another pistol crack and someone howled in the night . Someone yelled after the pistol sound . entailment +that cause problems but uh That create situations . entailment +and got started and so she grabbed me by the ear and made me do it this year She would never grab me by the ear at all . contradictory +but uh that gets old too in a very short order i 'm i 'm hoping that this uh solo flex will uh That never gets old . contradictory +I 've always had a kind of idea that English girls were just a mite moss-grown . I 've had the thought that 20 year old English girls were a little bit moss-grown . neutral +and if you really pushed it you taught until you had kids or something you know if you had if you were a teacher then you know that was it You 'd know it was time to quit when you had kids as a teacher , even before that you were pushing it . entailment +When you buy a couple of kilos , they 'll ship it for you in air-tight packages . The air-tight packaging is used in order to provide a safer transportation . neutral +The local tourist office will help you find organized tours into the interior ' on horseback , by boat , and by jeep . The local tourist office does not offer any help with finding organized tours . contradictory +I wish that chap Peel Edgerton had been with us , said Tommy thoughtfully . Tommy wished Peel Edgerton was there to join them . entailment +yeah she fooled you She tricked you . entailment +Science , on the other hand , involves avoiding a dogmatic attachment to any method of analysis . Dogmatic attachment can coexist with science in analysis . contradictory +um-hum it 's already outdated yeah It is the latest thing they have on the market . contradictory +sounds like it Doubt so . contradictory +This went on for some time . They were talking to each other for some time . neutral +( 2 ) measure performance to gauge progress , and ( 3 ) use performanceinformation as a basis for decisionmaking . Do not use the information from performance for decision making . contradictory +Jon nodded back , turned and rejoined them . Jon refused to join them again . contradictory +Well , of course the war has turned the hundreds into thousands . The war turned give to a hundred . contradictory +training , performance rewards and incentives , and performance appraisal systems . Rewards , incentives and appraisal systems for performance , and training . entailment +Fearing his powers might be waning as he approached 30 , Nash decided he would solve the most important unresolved problem in the Riemann Zeta conjecture . Nash felt like getting older would cause him to start to fail because old people can 't do anything . neutral +we 've kind of had a variety there but i think a lot of times it 's it 's mainly who they 're going to meet with they 're they 're meeting with people that they know is gonna be dressed that way then that 's how they are if there just gonna be meeting with TIers They wore the same outfit no matter who they were meeting with . contradictory +You can 't be let go . You 're going to have to be let go . contradictory +This perennially fashionable resort is particularly popular for family skiing holidays . The resort has been popular for several years for family skiing vacations . entailment +Unfortunately , he had met with no one on the way there or back who could vouch for the truth of his story , but luckily he had kept the note , and it would be produced as evidence . He saw many people on his way there and on the way back . contradictory +You defy me ? Do you resist me ? entailment +People who make God 's work their own . People who think they can create human beings . neutral +Away from the center , you can trace the town 's ancient beginnings in the Etruscan Guarnacci Museum ( Via Don Minzoni , 15 ) . The town is ancient and its history can be seen in the museum . entailment +The heart of the city is Viejo Madrid , Old Madrid , a largely 16th-century city built upon the layout of narrow , winding streets of an old Moorish settlement . Old Madrid does not contain any narrow streets . contradictory +Appendix A to the Report and Order includes the full text of the Commission 's final regulatory flexibility analysis . There has been no analysis on the commission . contradictory +But murder 's a violent crime . Murder is a crime . entailment +In connection with the employer / employee payments exemption , the Analysis indicates only that large firms are likely to find the practice of dedicating an individual to marketing affiliates ' products more attractive than small firms . According to the analysis , only small firms are likely to find the practice of dedicating an individual employee to serve assigned marketing affiliates products more attractive than large firms . contradictory +but uh being a uh a rec vehicle owner well in fact i live in a motor home i 'm a full what they call a full timer and uh it burns gas like crazy i only get seven miles to the gallon i really resent this fact that they keep adding on gasoline taxes and they call it uh uh what 's the word they use anyway a luxury a luxury tax Gasoline taxes have remained the same price . contradictory +What type of acquisition is it ? Is the acquisition expensive ? neutral +The USDOL reports that the vast majority of H-2A workers come from Mexico . Only a few H-2A workers come from Mexico . contradictory +Originally the town was known as Mamallapuram , named after King Narasimha Mamalla ( 630 668 ) , the great wrestler , in whose reign its many extraordinary temples and shrines were begun . The town was named after King Narasimha Mamalla , who was a great wrestler . entailment +Their step-mother , however , had always been most generous to them ; indeed , they were so young at the time of their father 's remarriage that they always thought of her as their own mother . Their step mother was a lovely lady . neutral +It did work for Washington , D.C. , Mayor Marion Barry , a self-professed sex addict who rehabilitated himself politically after a drug conviction by declaring his powerlessness over drugs and sex , repenting , and entering a program . Before the pictures were released , mayor Barry confessed to the public . neutral +But there were some who went further than simply turning a blind eye to me . I was happy to see people pay attention to me . neutral +The technique remains the same , although it was adopted on the peninsula only in the 20th century . The technique was only recently adopted , but it has not changed . entailment +Before she reached it , the door opened to show a dull clod , entirely naked , holding up a heavy weight of nothing . She closed the door on the clod and locked it . neutral +Facing the ferry pier on the Fort-de-France waterfront is an outdoor pavilion where you might try bargaining for straw hats and baskets , conch shells , huge wooden forks , or seashell necklaces . The conch shells are 10 % of the price of physical stores . neutral +His statement that the facts about Communism were the cure for anti-Communist hysteria was disingenuous . His statement that Communism facts would cure it all wasn 't true . entailment +Attitudes changed too . Attitudes have always stayed the same . contradictory +No right ? I demand to be allowed . neutral +A time-locked city of rich russet browns and weathered ochres , Siena is as perfectly medieval as greystone Florence is a Renaissance showcase , yet contrasts with its centuries-old rival to the north are striking and inevitable . Siena is more of a Renaissance-style city than its neighbor Florence , which is more medieval . contradictory +The Use of Ethnographic Methods in Educational Evaluation . Ethnographic methods are a great use in educational evaluation . neutral +and then you 'll have a realistic assessment of what you 're getting at that point what you 're getting becomes pretty clear entailment +Their new loan has forced them to put their home up for sale . They were forced to sell their home because of the new loan . entailment +ents in geographically remote areas under-represented com No areas are considered geographically remote . contradictory +yeah and it 's not you know we don 't promote it a lot outside the community because we don 't want recognition for it you know so much as we just want to help people out so it 's real neat it 's We would gain by promoting it but the recognition is undesirable . neutral +I think it 's Voltaire who said , ' There 's nothing more powerful than an idea that has come of age . I think Dr. Seuss said an idea is powerful . contradictory +She was trying something desperately , but fear was thick on her face , and her hands were unsure . She was calmed and confident that she was not in any danger . contradictory +The President 's Management Agenda , released in August 2001 , identified human capital as one of the five key governmentwide management challenges currently facing the federal government . The President 's Management Agenda was one of the biggest projects of the presidential office . neutral +Time ' s Ginia Bellafante says the show seesaws--often uncomfortably--between earnestness and camp . The show walks a thin line between being campy and earnest . entailment +You 'd have to invoke your own gods for the requisite charm . People of any faith can take part in this activity . entailment +Much of your Costa Blanca holiday will be spent on the beaches and there are hundreds of them . Costa Blanca has lots of beaches to while away your vacation time on . entailment +It differs from the contribution to SMI primarily in that it is paid by another program entity ( the CCC ) rather than directly by the General Fund . The contribution to SMI was paid by another program entity and not directly by the General Fund . contradictory +It 's true that once an inspection is demanded , Iran ( for example ) can stall . The inspection must occur in a timely manner without any stalling once it is called for . contradictory +In Hong Kong , the South China Morning Post led Monday with what is said was the biggest protest in Beijing since the Tiananmen pro-democracy movement began 10 years ago this month . There was a very small protest in China . contradictory +you know even with sleeping bags those are running you know good thirty dollars a pop and so we 've built that up but no want one bad do you Sleeping bags are priced at about thirty dollars each . entailment +i just have a feeling that the military involvement isn 't over yet that i i still feel like there 's more to come i don 't think this whole issue is settled as far as we 're concerned I am sure military involvement will continue . contradictory +yeah because everybody else is growing yes , everybody else is growing entailment +Cultural critic Edward Rothstein attacks the film 's central metaphor--the Mafia family as metaphor for the American family--as untenable . Edward Rothstein compares the American family to the Mafia . contradictory +Section 6101 of the Omnibus Budget and Reconciliation Act of 1990 , as amended . The Omnibus Budget and Reconciliation Act was passed in 1990 . entailment +Various agencies operate and maintain heritage assets . Heritage assets are operated and maintained by a single entity . contradictory +and caused problems so caused major problems so neutral +risk areas in our 2001 Performance and Accountability Series and High-Risk Update . There was no Performance and Accountability Series published in 2001 . contradictory +right down uh southwestern part of the state in the mountains The mountains of this state are in the southwestern part . entailment +i 'm i 've always favored Milwaukee being from that area and they 've made some good moves in personnel but i don 't see them as having the the type of talent that will win the NBA this year I don 't think that Milwaukee could win the NBA this year . entailment +You can spend fascinating hours exploring the covered Hankyu Higashi-dori arcade near the Hankyu stations , less upmarket but no less fascinating than the more famous Shinsaibashi arcade ( see below ) . It 's better to visit the Hankyu Higashi-dori arcade than the Shinsaibashi arcade if you want to spend less money . entailment +We agree there may be circumstances , such as in the development of software , when it makes good sense to progress with less than the best practice standard for drawings , but the DOD policy should maintain the requirement to achieve 90 percent drawings by the completion of the system integration phase . Software development is an example of this . neutral +Contact The Settle-Carlisle Information Line , Tel . 066 066 0607 or Cumbria Journey Planner , Tel . ( 01228 ) 606000 for more details . The information line has a number of hidden gems . neutral +Look for scenes of boats sailing on the Nile , and weapons of war including spears and shields . Keep an eye out for boats on the Nile . entailment +Grantees cannot continue representation in a welfare matter even where a constitutional or statutory validity challenge becomes apparent after representation is well under way . Grantees can 't represent poor people in welfare matters . neutral +The four weekly events an op-ed in the style of the New York Times ( 750 words or thereabouts ) ; a New Yorker Talk of the Town piece ( 750 words or thereabouts ) ; the first 1,000 words of a Vanity Fair profile ; and a breaking news story ( 750 words or thereabouts ) . The NY Times style op-ed should be roughly 750 words . entailment +But the Sports Network posts Vegas odds , from the Stardust and Mirage casinos , no less . Vegas odds , from the Mirage casino , are posted on the Sports Network . entailment +yeah they do and i told him i said well if you do it you can 't shave your hair I explained the reason why he couldn 't shave his hair . neutral +But the main funding comes from a $ 650,000 loan the statewide organization took out . The statewide organization took out a $ 650,000 loan . entailment +The high-quality craftwork here woodcarvings , lacquerware , and pottery is renowned throughout Japan . In Japan , the fine craftwork from here is famous . entailment +Today you will find elegant boutiques around the square , as well as the famous Cafe de la Paix , and the boulevards are where you will find some of the most popular cinemas . You can get a delightful latte at the Cafe de la Paix . neutral +In recent years there has been a rebirth in icon painting using traditional methods , both for church renovations , and for commercial sale . Icon painting no longer exists . contradictory +The present city walls that make the Old Cityso impressive and give it architectural coherence were built in 1538 , on the foundations of ancient walls that had been demolished at the end of the Crusades . For several years after the destruction of the old walls , the Old City was completely defenceless . neutral +These prove that Hester Prynne 's proud display of her A was prophetic . The proof was strong that Hester Prynne 's proud display was prophetic . neutral +Turning to ways of assessing the quality of completed case studies , we have provided guidelines for reviewing case study reports in appendix III . Guidelines for reviewing case studies are in appendix III . entailment +As the prototypes are tested , failures occur and , in fact , are desired so that the product 's design can be made more reliable . Some prototypes work perfectly the first time they are tried . neutral +Intake systems are examined during our on-site program quality visits . Intake systems are examined during our on-site program quality visits . entailment +where they have a sense of values and uh you know that uh that 's what it takes It takes some steel in your belly to have a moral code . entailment +After all , if spending money you don 't really have is the key to prosperity , big government deficits would do the trick just as well . If going into debt resulted in better economic situations , then growing the national deficit would be a viable strategy . entailment +so that i would look a little bit different and i would come in and i would have just the appearance of a little bit more authority than they did and that helped with their discipline and I would look a bit different with more authority when I come in . entailment +However , there may still be significant demand for boilermakers after 2010 from other power plant construction programs . There is no sign of any demand for boilermakers after 2010 . contradictory +The stone was much loved by Victorian visitors , who would have their photographs taken with hands outstretched against the rock face , as if to show that they were strong enough to hold up the massive stone . The visitors thought the stone was boring but the cave was fascinating to them ! contradictory +You can walk south along the narrow alleyway cutting the Al-Ghuri complex to reach Bab Zuweila Gate , once the lower entrance to the city . The Bab Zuweila Gate was once the higher entrance to the city . contradictory +employee contributions , if any , and the employer entity contributions ( 593 ) Customs Service fees ( 576 ) Deposit fund transactions ( 600 ) Deposits by states for unemployment trust fund ( 575 ) Deposits of earnings , Federal Reserve System ( 577 ) Disposition of revenue to other custodial transfers ( 596 ) Diversion fees , Department of Justice ( 583 ) Donation of property , plant , and types that are expensed ( 598 ) except types of property , plant , and equipment that are expensed ( 577 ) Downward subsidy reestimates for post-1991 direct loans and loan guarantees ( 598 ) Employer entity contributions to health benefit plans for current coverage of Federal employees ( 590 ) Employer entity contributions to pension and other retirement benefit plans for Federal employees ( 589 ) Employer entity contributions to social insurance programs ( 588 ) Employer entity payments for unemployment benefits and workers compensation ( 590 ) Federal employee contributions to health benefits plan for current coverage of Federal employees ( 584 ) Federal employee contributions to pension and other retirement benefit plans ( 583 ) Fees on post-1991 direct loans and loan guarantees ( 598 ) Fines and penalties ( 578 ) Forfeitures ( 578 ) Individual income taxes , corporation income taxes , social insurance taxes and contributions , excise Custom Service fees are not part of the long list . contradictory +Furthermore , the traditional response to the observation is not in favor of greens , social critics , and other worrywarts who fret over issues such as population growth , but rather supports the capitalist argument that land tends to be used more efficiently under private ownership , in that the owner is interested in supporting the long-term value of the property . Social critics are worried about population growth as it is expanding too much for the planet to handle . neutral +Turn north on Rue Damiette , graced by some of the town 's handsomest old houses . Rue Damiette has only ramshackle , decrepit houses . contradictory +The man with the iron jaw carried a large knobbed war club . The man planned to use the war club to attack . neutral +those things there that 's what gets us Nothing bothers me or anyone else . contradictory +This size of this uncertainty depends on factors such as the number of subjects studied and the size of the effect being measured . Relatively small sample sizes are required to achieve reasonable levels of certainty . neutral +He 's Not One of Talking to his fellow journalists about the upcoming presidential press conference , George Stephanopoulos tips his You guys will make him look good . George Stephanopoulos constantly talks to other reporters and news outlets . contradictory +Yet another health cover from Newsweek : The Scary Spread of Asthma . Yet another Newsweek cover : The end of Asthma . contradictory +I was standing in a room . I stood in the room . entailment +I was standing in a room . I stood in the room . entailment +EPA 's Office of Program Planning and Evaluation conducted such a review . A review was conducted by the Office of Program Planning and Evaluation . entailment +To watch her face when I ask her one question , he replied at last . To observe her face when I throw a question at her . entailment +The First Crusade to recover Palestine reached its climax here in 1099 , and Acre became the Crusaders ' capital and a key port in their struggles for the Holy Land . The First Crusade had fought for Acre for many years . neutral +While people wondering how to handle their payout should consult an expert abou their particular situation , there are some general guidelines . There aren 't any guidelines in place , hence why people seek help with handling the payout . contradictory +The remaining allowances are allocated to units that do not receive allowances under the Acid Rain Program , whether because they are subject to the program and have a zero allocation or because they are simply not subject to the program . The Acid Rain Program is a NGO . neutral +I held him back . I held him back from running towards the fight . neutral +The Security Act is to be implemented consistent with the Computer Security Act . The Security Act should be enacted without regard for the Computer Security Act . contradictory +The group of student donors who collectively gave $ 200,000 to Clinton used different designations when contributing an additional $ 100,000 to him and others . The students continued to fund the same designation . contradictory +you 're pretty Texan yes but you know you know what 's really funny um i 've had people tell me that i have a Texas accent and i mean there just is no way i 've not picked one up People have said to me that I have an accent like a Texan . entailment +Three centuries later , not that much has changed ' a score of international banks have their offices here , along with celebrated jewelers , the Ministry of Justice , and the Ritz Hotel . Everything has changed in the last three centuries . contradictory +but uh they also said that whatever the guy that directed it They stated that aliens directed it after divine inspiration from Krishna contradictory +While traveling on your way back through Lamentin to the Pointe Pitre expressway , you 'll pass seemingly endless fields of unusually tall sugarcane . The sugarcane blew wildly in the strong wind and was often uprooted , clouding the sky like a flock of birds . neutral +uh i think that 's about where it is If my memory serves , that 's roughly where it would be . entailment +Patiently awaiting his moment , Valenti erupted in a burst of his usual flowery oratory . Valenti spoke energetically . entailment +variety at the stand-ups , and pleasant trifles at the washstands . Funny jokes and stories were heard . entailment +oh no i 'm not I 'm not going to the dance . neutral +She cut free her cloak and danced as the bandit 's blade swung . She did not remove her cloak because she was more intimidating with it on . contradictory +The whole was nearly eight feet in diameter . The whole was about eighty feet in diameter . contradictory +The Taliban is both a product of and a reaction to the civil war that has gripped Afghanistan since the demise of the Soviet-backed regime in 1992 . The Taliban is a creation of the civil war of Afghanistan . entailment +The stretch of Colorado Boulevard nearby forms the heart of Old Town Pasadena . Most of the small shops in Old Town Pasadena have been driven out of business by malls . neutral +Many were formerly middle class , and became poor because of age , unemployment , illness , or the breakup of a family . They were kicked out of the middle class by unruly boss babies . contradictory +Since the Coast Guard 's marine safety program became a GPRA pilot program in fiscal year 1994 , the number of direct program personnel declined and its budget was reduced by 2 percent . They couldn 't afford to keep as many people employed . neutral +yeah no there 's no way somebody once said uh i had a car that said fuel injection on the side of it and a woman asked me what that meant and i said that means that i can 't work on it you know they 've gotten so complicated or so high tech that uh Sometimes I can 't work on a car because it 's too high tech . entailment +they always say you 've talked your ten minute limit You get 10 minutes to talk to the prisoner you 're visiting . neutral +I knew that that would be a bad question to answer . I knew I shouldn 't answer that . entailment +i agree i i agree you know i I disagree . contradictory +uh-huh i 've heard of that problem with many other different cars doesn 't seem to be prevalent with just one manufacturer Auto makers produce problem free vehicles , no issues or recalls are ever reported . contradictory +The inquiry into whether a statute is severable is essentially an inquiry into legislative intent . Questioning whether a statute is severable is really just an inquiry into legislative intent . entailment +Tommy looked round . Tommy was swollen from the allergic reaction and looked quite round . neutral +The SCUBA community made this remote settlement their own , but with the building of an airport in the 1990s , Hurghada has seen a great influx of vacationers from around Europe . Vacationers have come from around Europe to Hurghada in greater numbers because an airport was built there in the 1990s . entailment +I 'm on to them . I am on to them entailment +The Times Union coverage of Law Day quoted Chief Judge Judith S. Kaye as saying , The promise of freedom and equal justice is an empty one if our justice system is not accessible . The Times Union printed a quote by Chief Judge Judith S. Kaye that said " Our justice system is fine as it is and should not be changed in any way . " contradictory +that was so funny had to or was it Kmart uh he had to buy his underwear at Kmart He doesn 't wear underwear . contradictory +yeah well my my personal preference is is a dog uh i don 't know that uh that i 'd ever want a cat oh i like cats i just wouldn 't wanna own one uh they 're not uh they 're they 're affectionate but they yeah i don 't know i can 't seem to communicate with a cat like i can with my dog I like cats a lot more than dogs . contradictory +The path nearest the palace takes walkers along the base of Salisbury Crags , a volcanic ridge . Salisbury Crags is a place everyone must see . neutral +Self assertion reigned After years of peace , hostilities broke out between the Hindus and the Muslims . There were peaceful years in which Hindus and Muslims co-existed . entailment +But I caught her handing me out a look of deep curiosity as she passed through the door . She did not expect to see me there . neutral +The church has survived to the present day . There is a church that was never knocked down . entailment +and that 's that 's in a year that 's uh what would you do with all that money That 's a small quantity of money . contradictory +( Or at least , we hope to make this a tradition , and have got away with it for two summers so far . ) We hope it becomes a tradition , as we have gotten away with it for two summers already . entailment +yeah and we 've taken our tents though loaded them up in car carrier and decided we were going to tent most of the way and it ended up when it came time for us to pull in for the night we 'd take a vote and most of the time we decided we wanted to stay in a hotel We camped the entire way and never even though about staying in a hotel . contradictory +Absent changes to the Act , EPA and states will be forced to follow the same approach in future regulations . The EPA will not be forced to do anything , regardless of any changes to the Act . contradictory +He proposed to call witnesses to show how the prisoner , a profligate and spendthrift , had been at the end of his financial tether , and had also been carrying on an intrigue with a certain Mrs. Raikes , a neighbouring farmer 's wife . He planned on defaming the prisoner 's character during the hearing . entailment +it 's not going to cost me an arm and a leg really I will not be able to afford that . contradictory +um-hum well that 's definitely the way we feel My feelings on this won 't change . neutral +We can 't tell if the father is , on some weird level , justified in his fervor , or whether he 's screwing up his children--subjecting them to humiliation and robbing them of a sense of permanence--for no reason . The father seems oblivious of what his kids are going through due to his bad decisions . neutral +nice talking to you too bye-bye I enjoyed speaking with you . entailment +uh two others were ones who had never finished high school and were out looking for jobs yet um a couple of them were housewives who had never worked and then some are people who did work The housewives had college degrees . neutral +The president is lucky to have such dumb enemies , opine Krauthammer and Mara Liasson . It is unfortunate the president 's enemies are dumb . contradictory +A story says the top five restaurant cities other than New York City are ( in descending order ) : San Francisco , Chicago , New Orleans , Los Angeles , and Boston . After Boston , Minneapolis is the next city on the list . neutral +An Illinois insurance company is selling life insurance to people with HIV . This is the first such insurance offer since the onset of AIDS , and is viewed as tentative commercial confirmation that AIDS is now , in the company 's words , a treatable chronic illness rather than a terminal disease for many people . No one with HIV can get life insurance . contradictory +( Mitchell 1999 ) The amount of work that can be turned over in this way is quite large . The amount of work that can be turned over using machines and AI technology is also quite high neutral +and that worked out pretty well i went from a you know a second rate institution to a higher rate institution I went from a second rate institution to a higher rate institution . entailment +She did receive American newspapers in Paris ( which we know because of the story of her giving the comic pages to Picasso ) , but we--or at least I--don 't know what news accounts she read . She never saw an American newspaper in Paris . contradictory +The complex adds to the Negara ( National ) and Merdeka stadiums near the city . The complex includes the Negara and Merdeka stadium near the city . neutral +There is also a museum recording the highlights of Gandhi 's life . In addition , there 's a museum that features the best of Gandhi 's life . entailment +At sunset it makes the perfect finish to a day 's walk but many like to start out from here and reverse the order of the walk we have proposed , reserving the cathedral for a triumphant climax . Most people choose to reverse the order of the walk . neutral +so it 's a problem that 's been around for over forty years and we 're just really uh uh now trying to uh figure out how to cope with the problem because it has grown so huge The problem has been around for a very long time and it 's one that we 're just beginning to try and figure out . entailment +uh we but we both All of us . neutral +yeah right absolutely because they figure that that 's correct the idea is to use their money they lack any idea of how to spend their money wisely contradictory +It was also without weight when in liquid form--a fact he discovered when it began rising through the air and spattering over everything , including his bare skin . In liquid form it was without weight and could rise into the air . entailment +In the vast majority of cases , LSC has agreed with the recommendations of state planning groups throughout the country and has configured service areas accordingly . LSC disagrees with everyone in every state . contradictory +that 's a that 's quite a concept you should uh pursue that i think or patent it you know Sorry but that has already been done before . contradictory +If it is known , however , that other contributions in a significant amount were made , that fact ( for example , expressed as a percentage of the total program ) shall be reported even if the exact amount of the contribution is not known . If we know that other contributions were made , we should report them to the IRS . neutral +Michael Huffington in California in 1994 Mike Huffington in California in 1994 wearing a nice jacket . neutral +Revamping the Musee du Louvre since the 1980s has made this formidable palace of art far more accessible , in all senses . This formidable palace of art has become far more accesible , in all senses , since the revamping of Musee du Louvre since the 1980s . entailment +Our simulations assume that total factor productivity growth in the nonfarm business sector will average 1.5 percent annually over the 75-year period . There isn 't much productivity growth in farming neutral +Yes , she said hoarsely , at last , " I know . She readily admitted that she knew . contradictory +no it with the uh who was on the music people wasn 't that Fishbone yeah i saw that it was awesome but i didn 't see the rest of it When music people had Fishbone , I watched the entire thing . contradictory +It just shows that all incumbents who aren 't under house arrest will win , quips Gigot ( the only incumbent to lose was a representative under house arrest ) . Only incumbents who are house arrested will win their re-election . contradictory +And my sixth sense tells me that it won 't stop there . I am sure the damage will not stop . neutral +That is Annan 's next test . This will be Annan 's test to follow entailment +This approach assumes that the annual production of catalyst continues at the current level of 87,300 m3 / yr and starts accumulating in May 2002 . This approach uses unrealistic assumptions to come to its conclusions . neutral +My dear Poirot ! My one and only Poirot who is the hope of the organization ! neutral +What makes it special is its position , with magnificent views of the coastline east toward Port Antonio and southeast to the peaks of the Blue Mountain range . There are more than one spectacular views from its position . entailment +Write-offs themselves are not the problem . The greater problem is the multitude of unreported taxes . neutral +Like the sculptures on the temples , the eloquence of dance is a means of transmitting the messages of the holy scriptures and adventures of the great Hindu epics to its listeners . The eloquence of dance , like the sculptures on the temples , is a means of transmitting the messages of the holy scriptures and adventures of the great Hindu epics , to its listeners . entailment +In addition , a considerable body of federal guidance on information security has been developed . There was no considerable body of federal guidance on information previously so it was also developed . neutral +Of particular importance , however , are the methods for ensuring that LSC obtain necessary access to information in ways that ensure full compliance consistent with its statutory obligations . The LSC doesn 't need any access to information as they can work with what is given to them . contradictory +An outer layer is clearly necessary in these conditions , even when you 're vigorously exercising ( which I tried to do in the freezer until I quickly became lightheaded from the icy air ) . An outer layer is clearly necessary in these conditions . entailment +For that matter , we can 't compare the GIs to the Athenians of Pericles ' time , the Florentines of Michelangelo 's , or the Americans of Abraham Lincoln 's . GIs must be analyzed on their own accord . entailment +Was there a thunderstorm ? Slim never slept through a thunderstorm . Slim had trouble sleeping in bad weather . entailment +In 1922 the new Irish Free State was born . The Irish Free State became reality in 1922 . entailment +If , as we say , there is one God , surely he is God of the whole universe , including the gentiles . The universe doesn 't have any gods . contradictory +McCain sat ringside at a boxing match where a fighter was killed . McCain has not seen a boxing match . contradictory +The editors Slate is here for the duration . The slate is going away soon contradictory +with my photography business even though again it 's paying off every month because i 'm i 'm putting everything I have a failing photography business that 's eating up my income . contradictory +She asked for a contact number for me , in case something happened in the building--like a water leak--so I feel that she has good intentions . She asked for my number because she felt attracted to me . neutral +that 's right uh-hum that 's right it 's really nice uh-huh yeah i 'll have to admit i don 't i do my own yard i i really don 't enjoy doing that i enjoy having a nice looking yard i just don 't enjoy the work that it takes to get it done I love doing my own yard , and I spend all my free time working on it . contradictory +The ad singles out one Wellesley College professor by name and declares , This fraud was originally perpetrated and is still defended by your professors . The ad names a Wellesley College professor and says bad things about her . entailment +i know especially if your uh your reimbursement didn 't come through If your reimbursement didn 't come through then you can be in big trouble . neutral +For elements where a level of achievement other than fully successful has been assigned , the rating official must describe the executive 's achievements on additional pages . Rating officials who do not describe executives as fully successful must fill out additional paperwork . entailment +The court found it unconstitutional . The court found it constitutional . contradictory +Southeast of Haifa ( bus 1 ) , the pleasant villages of Dalait el-Carmel and Isfiya are occupied by the Druse , a sectarian Muslim group who reject many of the teachings of Islam and share very few allegiances with the Palestinian Arabs . All cultures and religions in the Southeast of Haifa are in agreement . contradictory +and uh uh you know i think that 's good because she 's not afraid of them and it it teaches her to be responsible relative to guns but uh when he 's out on police work you know he leaves her home alone and shows them where they are in case she needs them and i worry about that i would almost worry about that more than if she didn 't have one It 's good that she isn 't afraid of guns . entailment +Operation and maintenance expenditures had become by fiscal year 1990 the single largest individual program item in the Corps ' budget . Maintenance costs alone exceeded five hundred dollars that year . neutral +The surge was topped off by Hawaii 's statehood , on 21 August 1959 , but the vision of a mythical kingdom on America 's Pacific frontier was still expanding . America was rapidly expanding due to the steel industry . neutral +Fiscal Year 2001 , Analytical Perspectives , Office of Management and Budget ( 2000 ) , pp. 361-365 . 2001 's budget grew 5 % from 2000 . neutral +Throughout the entire region , high ground breaks up areas of rolling meadows and verdant pasture . The region is completely flat with no higher grounds . contradictory +There were no pigs in pokes , no when pigs fly , no in a pig 's ear , no Pigmeat Markham , no pork salad Annie , no Gadarene swine , no Piggly Wiggly , no E. B. White 's Wilbur , no there in the wood the piggy-wig stood . There are no pigs here of any form or substance . neutral +The vermilion Sai-to ( West Pagoda ) was built in 1980 on the site of the long-destroyed original . Sai-to was constructed in 1980 . entailment +You might object that even if Martin had dallied with Joan , he would only have freed Maxwell to prey on another equally innocent victim . Martin had sex with Joan , you might object to it , but he would only have freed Maxwell to prey on another victim or another willing partner for that matter . neutral +I don 't know , but I 'll bet Joan Didion does . Joan Didion probably knows . entailment +The two tall columns facing out over St. Mark 's Basin were brought from Constantinople in the 12th century . Constantinople purchased two columns for St. Mark 's Basin . entailment +Progress , however , is offset by steep increases in the population . Progress , however , is offset by steep increases in the population caused by modern medicine . neutral +Tract housing and apartment buildings may be ugly , but they are paradise compared with village huts or urban shanties . While there is much beauty in apartment buildings , they can 't match up to the rustic sensibilities of village huts and the community joie-de-vivre engendered by urban shanties . contradictory +and i might do it and i i really think that they don 't try you know i i really think it 's obvious the answers to me is just to have longer you know have at least two days for a national election my goodness We should have a national election that lasts at least two days . entailment +it wasn 't Stallone it was uh i can 't remember shoot i can 't remember the guys name but i like all the the Rambo movies I like all the Rambo movies , but I don 't remember who played in them . neutral +The capital of the island is Myrina . Myrina is the capital of the island . entailment +The Japanese counterpart , Little Tokyo , is situated east of downtown on the streets around 1st and Central . Little Tokyo is on 1st and Central east of downtown . entailment +After tossing off the shackles of Franco 's long dictatorship that isolated Spain from the rest of Europe , Madrid erupted from the closet , embracing a frenetic arts and nightlife scene called la movida in the early 1980s . Spain has never had a dictator as its ruler . contradictory +The questions were about what he had told his kids about drugs , and what other parents should tell their kids . The questions were about how well he educated his kids on drugs . entailment +The following year he returned to southeastern Cuba with a force of 81 guerrillas ( including Che Guevara ) crammed onto a small yacht , the Granma . Che Guevara is a gorilla . contradictory +Memorandum to Jim DeMocker , Office of Air and Radiation , Office of Policy Analysis and Review , US Environmental Protection Agency , June 27 . Jim DeMocker was part of the US Environmental Protection Agency on June 27 . entailment +but uh a really good day care is probably going to cost more than you 're going to make at the job You are unlikely to earn more money working than you would have to spend on quality childcare . entailment +He is always spoken of by the unassuming title of ' Mr. Brown . ' Mr. Brown has always been a humble man . neutral +um-hum yeah yeah i think you have to go deep for those don 't you though don 't they kind of just kind of scavenge along the bottom of of wherever they are You have to go out pretty far for a chance at them . neutral +Yes , but she 'd never tell us . She will definitely tell us . contradictory +so you had a bunch a bunch of kids in the car that must have that must have that must have been fun It must have been fun in the car with the kids . entailment +let 's see i 've i 've i 've never done this before i mean i 've never I 've never done this before . entailment +Roxanne the the secretary Roxanne worked as a secretary entailment +It provides that the Comptroller General shall evaluate the results of a program or activity the Government carries out under existing law . The Comptroller General will feed the ducks at the park . contradictory +Each person talks over their problem with a lawyer , said Alisa Mariani , vice chair of the chapter . Each individual has up to an hour to talk to a lawyer . neutral +These standards apply to all aspects of an agency 's programmatic , financial , and compliance . The standards are to be applied to all of the aspects . entailment +um-hum um-hum i i agree we 're the largest munitions producer in the world and so um there 's a lot of money to be made there and it 's uh be very difficult to to cut it back to a level where it should be and and then it will come back to haunt us it seems to come in cycles Global conflicts are very profitable for us . neutral +The increased size of federal programs , spending pressures , implementation of new programs , and changes in existing programs all but guarantee that , absent improvements in internal controls and other proactive actions , the potential for additional or larger volumes of improper payments will be present . The federal programs have increased in size . entailment +Gerth also failed to mention that the Pentagon agency reaching this highly qualified judgment had a long-standing grudge against Clinton . Gerth didn 't mention that the Pentagon had a grudge against Clinton . entailment +But as the office became more outcome-oriented and made more extensive use of performance information , it began to redirect its safety efforts . The office never turned its focus towards outcomes . contradictory +'Listen , Ben , I don 't have long . Ben , let 's stay and chat for a long time . contradictory +uh they uh somebody made an interesting observation now that i think back on it i 'd say yeah i can 't believe that either she was the only indian to have her hair done at all times you know what i mean you know Every Indian did not have their hair done at all times , except her . entailment +Red rose to his feet ; an elaborate attitude of boredom all about him . Red stood up as if he didn 't have a care in the world . entailment +Islam Comes to India India rejects Islam . contradictory +on one hand you have you know that the you know the Soviet Government of course mistreating a lot of the uh Slovak countries and then on the other hand you have well they they were feeding us you know so uh We starved while the government maintained a healthy relationship with the Slovakian people . contradictory +but this winter here i think we only had one instance of ice one weekend The ice this winter wasn 't bad . neutral +No , Clinton 's total concentration should be on the eyeballs of Ken Starr . Clinton did give her full attention to Ken . contradictory +Between 1970 and the present , the economy 's output of manufactures roughly doubled ; but , because of increases in productivity , employment actually declined slightly . Manufacturing has dropped off by half in recent decades . contradictory +okay well it 's good it 's good talking to you okay bye-bye It was nice talking to you , take care . entailment +well me i 'm going and my daughter down in Austin My daughter lives in Provo . contradictory +Celebrated in kabuki theater , film , and television , the story has had an abiding hold on the imagination of the Japanese people . This story is among the most popular in Japanese culture . neutral +oh that sounds interesting it sounds really good That sounds good and interesting , I will do it . neutral +The museum hosts and mounts temporary exhibits of contemporary artists . You can visit exhibits for contemporary artists at the museum . entailment +Nowadays , everybody seems to love it . No one seems to love it these days . contradictory +Methodologists who focus on case studies express their criteria of good research in different language , although they may deal with underlying concerns Methodologists are concerned about the criteria of good research . neutral +Also upstairs is the Mummy Room where you can find the preserved remains of some of Egypt 's most illustrious rulers . Cleopatra 's remains are preserved in the Mummy Room . neutral +But a click made him stop . The sound of a click gave him pause . entailment +middle class white suburban home and i did it um A low class home . contradictory +The harbor was hastily restored during the Korean War and today is one of the busiest and most important trading ports in the world . The harbor was permanently destroyed in the Korean War . contradictory +but in the middle of the day they don 't just drown you with the same old stuff and they won 't interrupt unless it 's you know really important They will bother you for the most minute things . contradictory +Like George Wallace in his twilight years . I am just like George Wallace was when he was old . neutral +New Zealand and the United Kingdom held their program managers accountable for efficiently providing specific goods and services . New Zealand and the United Kingdom have similar policies about their program managers . entailment +yeah yeah i kind of watch you know see what 's happening Besides watching to keep up with information , I also try to do deeper research into it . neutral +uh-huh that 's right that 's right well that 's what she said to us she said now do you all want him to go to a a state college or a private college and When she talked to us , she didn 't mention college at all . contradictory +Significantly , the move toward national unity in the 19th century coincided with a dramatic artistic decline from which the country is only now recovering . The country is just beginning to recover form damages that occurred over 100 years ago . entailment +Foreclosure terminates all rights that the mortgagor has in the mortgaged property upon completion of due process through the courts . Once a property is foreclosed the lender has no recourse to be compensated . entailment +In 1708 Britain captured Menorca , and the magnificent harbor of Mah ? ? n ( Ma ? ? ) , for the Royal Navy . The Royal Navy used Menorca as a base of operations . neutral +yeah i also was going to say they get it from both ends They only get it from one place . contradictory +That kind of hope is usually disappointed . Expectations are undesirable as they often do not come true and make you feel lost . neutral +The net present value as of the time of sale requires a reestimate of the subsidy expense , which is recognized as a subsidy expense or a reduction in subsidy expense . There is no need for a re-estimate of the subsidy expense when figuring out the net present value at the time of the sale . contradictory +At the Aerosece Complex there are rockets , satellites and an impressive IMAX Theater . There are rockets at the Aerosece Complex . entailment +They are renowned as far away as New York for their Ibiza look . Their Ibiza look is known in New York . entailment +Individualized Social Security statements also explain that Social Security benefits were not intended to be the only source of retirement income , and the statements encourage workers to supplement their benefits with pensions and personal saving . Workers save their money for retirement , in addition to receiving Social Security benefits upon retiring from the work force . neutral +uh-huh go ahead they take such a beating Besides taking a lot of punishment , they also dish out some very heavy blows . neutral +It keeps you in suspense , the characters are so vivid , dialogs - precise , and the narration - first class . ' The book has a high suspense factor and it is well written . neutral +i 'm the type of person who sits you know it 's the same thing about the war i 'm this type person you you know you need it but you 're the one who you can 't you can 't make the decision and go yes or no i 'd be a terrible president because i would you know i knew we had to go to war and i knew you know it was the best thing but i didn 't i would not want to be responsible for people getting hurt if you know if i don 't know I 'd make a terrible president because I wouldn 't want to send people to war . entailment +Barbara Stanwyck in Double Indemnity ( 1944 ) is a lonely , worldly wise woman on the list . Barbara Stanwyck has a role in Double Indemnity . entailment +hi okay you wanna start Okay , do you want to start ? entailment +In our work with foreign countries that have adopted results-oriented management , we found that two reforms in particular were aimed at enhancing accountability among line simplifying the rules for such things as budgeting and human resource management while We will not change our management for anyone . contradictory +One of their most spectacular monuments is the annual market-festival at Pushkar held each year in November . The market festival is held in the month February . contradictory +Conversely , increasing demand for boilermakers that would result from a multipollutant rule should stimulate more workers to enter the trade . A multipollutant rule will indirectly attract a lot of new entrants into the boilermaker industry . entailment +According to the latest estimates , personal saving in 2000 was - $ 8 . Personal savings was a positive number . contradictory +It 's also important to consider the nature and reasonableness of the incentives provided to top management and board members . It is of importance to consider the nature of benefits for board members . entailment +Arriaga , 75 ( Marina Shopping , shop C ; Tel . 291 / 223 070 ) . Shopping near or at the Marina . entailment +Displays include period pieces , memorabilia , replicas , maps , paintings , and sketches , though no personal effects or anything directly linked to the man himself . The paintings and sketches almost always catch the most attention in the displays . neutral +i think it 's two or four dollars a person i don 't remember something along those lines but it still the idea irks me so that it costs a few dollars per person entailment +Near the center of the town , richer merchants sold gold and silk from the north and deep south empires . The center of town had lots of shops set up . entailment +This kind of qualification is often ridiculed as evasiveness by those who demand no ifs , ands , or buts . This kind of qualification looks like it 's often evaded , according to people who are sure and determined , says the writer of the book . neutral +A delivery area represents a postcode ( or several postcodes in some cases ) . It is very rare that a delivery are represent multiple postcodes . neutral +around the house was uh if i remember right it was like uh five hundred dollars If I remember correctly , there was five hundred dollars somewhere around the house . entailment +From it , he drew a strange , double-bladed knife . The knife was rare and unique . neutral +yeah they throw a lot of twists and turns in like like one of the recent shows there was this really uh a young woman who uh was accused of killing her millionaire husband who was you know much older than she was like you know in her early twenties and he was in his sixties and he was she was accused of killing him for his money and she said no she wasn 't and the and this law firm took on the case and got her off The show gets boring , the plot is always the same , always expected . contradictory +Hanson could see Sather Karf and Sersa Garm waiting outside , together with less than a hundred other warlocks . Hanson saw Sather Karf on his own . contradictory +Congress designated a specific set of rights and guarantees for H-2A workers , including workers compensation , housing , and other benefits to ensure that these statutory goals were met . Congress eliminated all of the rights and guarantees for H-2A workers . contradictory +a lifetime 's Of twenty years contradictory +He writes , Not the Jews but Marxism and Social Democracy served as the prime scapegoats of Nazi propaganda during their rise to power . Jews were not used as scapegoats in Nazi propaganda . neutral +first Palio ( 2 July , see page 105 ) ; festival of patron Santa Rosalia ; Redentore regatta ; Festival of the Sea ; Noantri street-festival in Trastevere ( see page 65 ) 5 Festivals . entailment +University of California , Center for the Study of Evaluation , 1978 . University of California study inquiry contradictory +well no i mean they 're not allowed to accept any new inmates The jail is too overcrowded to accept new inmates . neutral +Expanding legal capacity through coordination with other providers . Reigning in legal capacity by use of all providers . contradictory +A member of the Tandoori chain of restaurants , serving excellent Indian tandoori dishes . They serve amazing Indian tandoori . entailment +Retire , varlet , he said , with a wave of his hand . varlet was retired with the wave of a hand . entailment +Only we run into trouble . It is only them who run into trouble because they don 't follow rules . neutral +In what order ? In numerical order . contradictory +The other source of free legal aid in Indiana is through district pro bono commissions established by the chief justice of the Indiana Supreme Court . A judge on the Indiana Supreme Court created a program that provides free legal aid in Indiana . entailment +Today , LSC has been providing funding on a competitive basis for seven years . For the last seven years LSC has provided funding on a competitive basis . entailment +The assertion that Java is about as hard for a COBOL programmer to learn as C is sent the needle on my BS detector into the red zone . Java is structured very similarly to COBOL . neutral +We cannot rebuild our lives . We cannot rebuild our lives , as we 're been permanently disabled . neutral +It 's possible , of course , that in an alternate universe , where American high schools were truly academic institutions , the seriously disturbed Harris and Klebold might have open fire on the brains , but I doubt it ; first of all because Harris and Klebold would have received some of the acceptance they craved on their own merits , and secondly because they would not have despised the school so for favoring the intellectual achievers . Harris and Klebold didn 't like the school favoring intellectuals because they weren 't very smart themselves . neutral +4 A lack of suitable jobs . There are plenty of jobs for everyone to work how they want . contradictory +7 Our guide is intended to complement the Committee 's work in assisting managers as they implement GPRA . This guide is absolutely necessary to implement GPRA . neutral +The SCUBA community made this remote settlement their own , but with the building of an airport in the 1990s , Hurghada has seen a great influx of vacationers from around Europe . There 's been a huge influx of European tourists to Hurghada . entailment +oh that 's right i think now that i recall reading about it in the paper The paper did not mention it at all , so I don 't know . contradictory +they 're they 're voluntary army This is a drafted army . contradictory +It is Viking vocabulary used today to describe many of the features of the fell ( highland plateau ) , tarn ( small lake ) , and force ( waterfall ) are all words from Scandinavian languages . There are no words that are still used in the Viking language today . contradictory +Vrenna , the Kal , San 'doro , and I will do that . The three of us will work to complete the wall . neutral +They invented the cancan here in 1845 in a local dance hall , and in the 1920s , the quarter took over from Montmartre as the stamping ground of the city 's artistic colony , led by Picasso . There was no dance hall or artist colony here . contradictory +right that 's that 's right that is wrong contradictory +Its primary purpose is to say , I am here and I know that you are here . It is aimless and does not really try to say anything . contradictory +Well , did her tune ever change . Her attitude changed . entailment +To ensure top quality representation , legal workers need ongoing training in new and complex areas of law . Quality will be improved through training . neutral +It seems sort of familiar to me . The thing seemed somewhat familiar to him . entailment +A letter was sent summarizing this session one month later . A letter summarizing it was sent a month later . entailment +It is expected that FASAB will continue to recommend statements on specialized topics . FASAB makes accurate recommendations about the topics it covers . neutral +See the local newspaper for schedule . Refer to the local newspaper for the schedule . entailment +There were logistical problems to be overcome . They had to overcome logistical problems . entailment +The Clean Air Act Amendments ( CAAA ) Section 812 Prospective Study of Costs and Benefits ( 1999 ) : Advisory by the Health and Ecological Effects Subcommittee on Initial Assessments of Health and Ecological Part 1 . July . The Clean Air Act Amendments work to avoid pollution in a cost effective manner . entailment +The analysis discusses the definitions of small entities for the various entities subject to the rule which definitions were adopted by the SEC in Securities Exchange Release The analysis discusses the definitions of small entities . entailment +that was a good coincidence That was not a coincidence . contradictory +Robert Ripley was a cartoonist who traveled the far corners of the globe in the 1930s and 1940s , searching for the bizarre . Robert Ripley stayed at home in the 1930s and 1940s . contradictory +Targets directly linked to organizational results The results can be linked to certain targets . entailment +You 'll be able to tour the still-operating plantation and wander around the great house , which has been restored with many original touches . The house is extremely out of date and the plantation hasn 't been worked in years . contradictory +well there is a a neighbor of mine used to uh uh know quite a bit about uh raising parakeets and she had uh a lot of connections when it came to getting good birds so she was knowledgeable all the different breeds and colorations and so forth I had a neighbor who knew a lot about birds . entailment +The Postal Service would be better off if it lowered selected rates and took back some of the lost volume . They would be more efficient if the postal rates were lowered . entailment +One is called El-Kas ( The Cup ) , a circular fountain with a pool fitted at the bottom with spigots and seats . El-Kas is a painting of small square drinking fountain . contradictory +Brian Dennehy in Death of a Salesman .-- Chris Kelly Chris Kelly sayd " Brian Dennehy in Death of a Salesman " . entailment +oh God love her yeah Oh God , I totally hate her contradictory +Full marks for industry , zero for modesty . Marks for modesty were higher than that for industry . contradictory +Fine swordsplay , young master , said the Kal , chewing on a strip of dried meat . Kal was chewing on a strip of dried meat . entailment +yeah already have foreign cars I have cars from China . neutral +He never aspired to be a Lippmann and rejects the idea of Government by I don 't want to live in a country blown about by gusts of wind raised by journalists . He is now a Lippman , although he never had intentions of becoming one . neutral +Yours , TOMMY BERESFORD . " A peculiar smile lingered for a moment on Julius 's face . Julius had a smile on his face . entailment +The Effect of Information on Health Risk Valuations . Information effects health risk valuations . entailment +While prices for French perfumes and fashions may not be appreciably lower here than in the rest of the FWI , they could be half of what Americans would pay at home . Local prices are not significantly different from one place to another . entailment +The man on the ground thinks for a moment and yells back , You must work in management . There was no one on the ground , man or woman . contradictory +In another moment they were standing in a dusty garret littered with lumber . The attic they found themselves in was dark and musty . neutral +Mr. Carter listened in silence with a resumption of his tired manner . Mr. Carter hoped the conversation would end soon as he was bored of it . neutral +In the churchyard of St. Kentigern church , opposite the mill , is the grave of John Peel . The grave of John Peel is in the churchyard . entailment +but they couldn 't put two and two together as far as the law was concerned They couldn 't figure it out in the context of the law . entailment +But then , to gain their support , the Japanese upheld their prestige , restored pensions , and preserved their authority at least in Malay custom and Islamic religion . The Japanese stole pensions and disregarded any former authority . contradictory +As a result , sentences are short and clear , often brilliantly compressed . The text of the work and rambling with turns of phrase taking forever to get to the point . contradictory +yeah we 're we 're going to go see that probably tonight I think we 'll go ahead and watch it around 8 PM . neutral +This huge high-rise right on the Plaza de Espana is all sheen and international sophistication , but is not as elegant as one might think . The high-rise on the Plaza de Espana is not as nice as the one down the street . neutral +In today 's politics , the son 's checkered resume signifies success . Today , the son 's resume epitomizes success . entailment +And both Merrimack and Neighborhood are near district courts . If you live in Merrimack you don 't live anywhere near a district court . contradictory +None of the Jewish groups has reversed its support for Pollard 's release . Jewish groups do not support Pollard 's release . contradictory +But , particularly noteworthy was the following The following is not important to understand or hear . contradictory +The monarchy made noticeable gains under Francois I ( 1515 47 ) . The monarchy had hue losses under Francois I. contradictory +yeah he 's uh one of those guys you love to hate Some times he does things that make you really love him and other times it 's like he 's trying to make you dislike him . neutral +'Fair enough , ' I smiled . My smile was wide . neutral +It provided for chief financial officers in the 24 largest federal departments and agencies , which together account for about 98 percent of the government 's gross budget authority . Nearly all of the government 's gross budget authority is accounted for by 24 agencies and departments . entailment +no involvement in finances whatsoever you know and so when i became an adult and i was responsible for " Before I became an adult finances were my responsibility . " contradictory +i mean i think i think the only i 've ever seen a sequel was Two Thousand and One I have watched the first movie of the series . contradictory +Significantly , the bill places limits on how funds can be used . The funds can be used only on legal assistance . entailment +The hotel lobby was small and low ceilinged , with a single reception desk dominating everything . The hotel lobby was small and the reception desk overwhelmed the space . entailment +Looking across the Kidron Valley , one 's eye is immediately drawn to the golden Dome of the Rock and its brilliantly colored tiles . The tiles are the main feature of the Dome of the Rock . neutral +Al Gore , born to suffer for Bill Clinton 's sins , is bearing the cross for Flytrap . Al Gore willingly chose to take responsibility for Flytrap . neutral +But if his campaign really prospers and he has to explain what he believes , he 'll have a hard time holding that coalition together . If Trump 's campaign goes well he will have a hard time holding it all together . neutral +South of the village is a set of rathas , monolithic shrines hewn from one table of rock . Many people from the village come to worship at the shrines on a daily basis . neutral +i know yeah so you haven 't done that before I see , so this is completely new to you ? entailment +The dominant building on the seafront is the Palacio de Sao Lourenco ( Fortress of St. Lawrence ) . The Palacio de Sao Lourenco is very small and located far from the sea . contradictory +Dutch Queen Wilhelmina , one of wartime Europe 's refugee crowned heads , fainted upon meeting Abe , or so she said . Dutch Queen Wilhelmina fainted due to low blood sugar . neutral +16 Program Letter 1995-1 directed LSC recipients to develop plans to stretch scarce federal dollars in the most effective , efficient ways possible . LSC is helping come up with ways to help people stretch their federal dollars . neutral +Eleven years ago President George H. W. Bush signed into law the most far reaching amendments to the Clean Air Act since its enactment in 1970 . The Clean Air Act is amended on a regular basis . neutral +and uh when was it a couple weeks ago i was asked to go to uh jury duty i i wasn 't selected but um for some of our cases in particular we have um very technical cases from time to time because of like our patents and such I normally love serving on juries , so I was disappointed . neutral +But the black-and-white world of the true believer does , especially when it 's festooned with the trappings of Irish romanticism . The true believer cannot be a saint and still follow after diverse lusts such as Irish romanticism . contradictory +The small center still retains vestiges of its heritage as a fishing village , but modern hotels and apartments have been built on the outskirts . Fishing is a big part of the small center 's economy . neutral +i like everything but jazz I can 't stand jazz music . entailment +As his eyes closed , however , he saw the licks of red flame turning pink skin black on men who screamed for mercy and received none . The men were in lots of pain . entailment +oh i never heard of it I heard of it a long time ago . contradictory +And it wouldn 't hurt to have him apologize to cook . " Its highly inappropriate for him to apologize to a cook . contradictory +Another series of free music and dance programs is presented all year round on the three outdoor performance stages of the Watercourt , in the California Plaza downtown . The plaza features indoor stages as well . neutral +Oh , that 's what I remember my father having me christened as . My father would never allow me to be christened . contradictory +You might not find the signed first edition of your dreams . You are guaranteed to find the signed first edition you want . contradictory +The Slate Diary for Memorial Day week will be written by Beck . Famed musician Beck will be writing The Slate Diary next week . neutral +no it 'll be interesting to see what happens It will not be interesting . contradictory +yeah you know up here it 's it 's the restaurant business has fallen off The restaurant business is not doing so well up here . entailment +and so they say well this is you know i i don 't know if they say it 's the first time offense or whatever but they give him a lighter sentence thinking he 's not a habitual criminal I did not care if it was the first offense they needed to be brought to justice . neutral +The well that served Gobind Singh 's house is now a marble shrine . Gobind Singh 's well has been turned into a marble shrine . entailment +well i think uh NCAA is going to go to Kansas Kansas will be renamed to become the NCAA contradictory +After a few hours , the tongues of flame no longer flared above the horizon , though the brilliant radiance continued . The fire was extinguished by the rain . contradictory +The commercial companies , after capturing specific manufacturing knowledge , had executive level reviews to determine if the product development had sufficiently progressed to permit a transition into production . The commercial companies reviewed if the development of the product had progressed to allow for it to be produced on a very large scale . neutral +1 ranking in the Forbes 400 . Bill Gates holds the 1 ranking in the Forbes 400 . neutral +i had i had an eighty eight that i really liked then it got wrecked and so i bought a ninety um because i i really liked my eighty eight and i 've had a lot of problems with this one so I bought a ninety because I really liked the eighty-eight that I had . entailment +In summer the smaller island is scorched and yellow , with rusty-colored rock and cliff formations . In summer the smaller island is scorched and yellow , with rusty-colored rock and cliff formations due to drought conditions . neutral +She and her husband , Prince Philip , were very much involved in the interior decoration of the ship , choosing the furnishings for what would be their floating home . The ship is small but well decorated and home to a prince and his wife . neutral +THEY KILLED THORN . They killed Thorn with two shots to the head . neutral +Companies admit that the logos help sales , thanks to the appearance of an endorsement where none exists . The company logo is not an endorsement , nor does it promote sales . contradictory +Why shouldn 't it be ? Why shouldn 't it be okay to go out on a Tuesday night ? neutral +Its construction for the World 's Fair of 1889 was an astounding engineering achievement ' 18,000 pieces joined together by 2,500,000 rivets , soaring 300 m ( 984 ft ) into the air but standing on a base that is only 130 m ( 1,400 ft ) square . Its construction was for the World 's Fair of 2002 , and was a small engineering feat . contradictory +Under the assumption that the level of service is important , knowledge about the level achieved is important . Service level is built on great knowledge neutral +um-hum good planning Good planning for the trip . neutral +Converting non-Jews by tapping them on the top of the head and proclaiming , ' Jew ! Non-Jews can only practice non-Jewish religions after a tap on the head . contradictory +Monasterio de San Juan de los Reyes ( Monastery of St. John of the Kings ) , built by the Catholic monarchs Ferdinand and Isabella from their private fortune , in commemoration of the 1476 victory over the Portuguese in the battle of Toro . Ferdinand and Isabella did not use their fortunes . contradictory +Just provide the consumer advice . Do not provide any advise . contradictory +oh but that 's so neat because so many homes don 't have that so you 'll be cool all year around in the summer that 's great It 's neat that your home will be cool all year around . entailment +The beautifully restored ruins of the Eglise Toussaint ( dating from the 13th century ) have been incorporated into the Gal ? ? rie David d 'Angers ( 33 Rue Toussaint ) , which houses a unique collection of the sculptor 's portrayals of notables including Balzac , Victor Hugo , Gutenberg , Paganini , and George Washington ( here in Angers you 'll see a plaster bust , the bronze of which stands in the United States Capitol ) . The Eglise Toussaint had never been restored in its history . contradictory +It carried spring water from near Uz ? ? s to the town of N ? ® mes , a distance of 35 km ( 22 miles ) . The water was carried a very small distance of 2 miles . contradictory +COMMON COST - The cost of resources employed jointly in the production of two or more outputs and the cost cannot be directly traced to any one of those outputs . The reason why a cost may fall under the Common Cots is to avoid compromising the data through guesswork . neutral +But when the tide of the battle turned and the Germans started getting their heads blown off , I wrote YES ! I wrote YES when the Germans were getting their heads blown off . entailment +A unified currency makes economic sense , but trade efficiency is only one motive for many governments . A single common currency makes sense money wise . entailment +There , said Poirot , looking after her , " goes a very valuable ally . They did not want the ally to leave them behind . neutral +On Law Day , lawyers throughout the nation are going back to school . On Law Day , lawyers around the nation are leaving school and going out into the real world . contradictory +The SEC published a summary of its Final Regulatory Flexibility Analysis in the preamble to the final rule and provided our Office with a copy of the full text of the analysis . There is a bunch of preamble in the text . entailment +Similar to Chandigarh , this town , which is now capital of Himachal Pradesh , was built back in the early years of the 19th century when the British colonial settlers were desperately searching for refuge from the heat of the plains . The town is a center for the arts . neutral +She was frail and couldn 't move her left side . She was weak and her left side was immobile . entailment +Discount and Duty-Free Goods Over-priced and heavily taxed goods contradictory +It 's queer , he murmured idly , " you 'd think the stitches would have rotted . You 'd expect the stitches to still be fresh . contradictory +When we adjust the total cost for the United Kingdom 's coverage level , the total cost would be about $ 26 . The total cost is adjusted for the coverage level . entailment +Nearly was , too . nearly was as well . entailment +Papacy exiled to Avignon , France from Rome The papacy remained in Avignon , France for 10 years . neutral +The horse underneath them shrieked and Ca 'daan felt himself falling . The man caught himself and calmed the horse down . contradictory +It 'd be nice to know more about that trend . The trend shows a positive relationship . neutral +The annual Dubious Achievement Awards celebrate 1998 as the worst year ever : Linda Tripp wins the Man of the Year title over Leonardo DiCaprio , Osama Bin Laden , Lucianne Goldberg , Ken Starr , and others . The Man of the Year title was claimed by Jack Black in the year 2525 . contradictory +Moreover , the U.S. and worldwide ammonia business is struggling because of slumping domestic demand and increased global capacity for the product and other nitrogen fertilizers derived from it , such as urea . The ammonia business has lost a lot of customers this year . neutral +Maybe Kubrick would have made nothing but masterpieces if he 'd put big Greek or Venetian masks on all his actors . Kubrick had three films that are considered to be masterpieces . neutral +and it 's just that this was an excuse you know to make some noise now something that i read in the paper the other day that i thought was kind of interesting was that the Arab uh uh their version or vision or whatever the United States now is somewhat changed in that we won you know now now we are a uh a legitimate player in the game over there you know the It was an excuse to make some noise , but the Arab version of events is different . entailment +Fecal bacteria in beef distributed by Hudson 's Nebraska plant sickened 17 people in Colorado Hudson 's Nebraska plant does not distribute beef . contradictory +'You first . ' You 're not going last . entailment +Spins on the monetary 1 ) It will make Europe the United States ' new economic rival . Europe will be a rival to the United States . entailment +Danvers sailed for England on the Lusitania . Danvers was a passenger on the Lusitania and was bound for England . entailment +Peer into the grand hall , which has an elegant fireplace , a coffered ceiling , and a majestic staircase . The grand hall of this single-floor building has low ceilings and a boiler stove for heat . contradictory +" No trouble this trip ? " Topham had come to the door of the cantina , his hand outstretched . Topham had come to the door to shake hands . entailment +The cathedral 's original architect is unknown , but Pierre de Montreuil ( who was involved in the building of Sainte-Chapelle ) was responsible for a large part of the 13th-century work . It is unknown who designed the Cathedral and when . entailment +Excuse me , but who is going to raise such an army ( raise in the sense used by parents ) ? It 's a good thing there is so much support for improving the army that it won 't be a problem to militarize further . contradictory +The development of control technology alternatives to selective catalytic reduction ( SCR ) under the NOX State Implementation Plan ( SIP ) Call is another example of how alternative solutions may require fewer resources than the projected approach . The projected approach is the only solution to the issue at hand . contradictory +He didn 't believe in it but it made him feel better . He wanted to believe . neutral +and he like his sales last year he just works a normal job he probably has an income of thirty five thousand but last year he made one sale that got him a bonus of twenty five thousand which allowed him to pay cash for a full size van Since losing his job last year , he has been totally broke and cannot afford anything . contradictory +Without a word , she turned and went swiftly up the stairs , whilst I stood like an idiot gaping after her . I decided to pace as I watched her go up the stairs . contradictory +The most impressive and important are listed below . The important and impressive are listed . entailment +and so IBM says well we have to we have to have a team right and then they come in last and they have this whole team you know analyze why they came in last right because the person asked for it IBM doesn 't analyze things with their teams . contradictory +As LSC has stated in numerous letters to the field , there is no magic number of legal services programs for a given state or a single delivery model that fits every state . Some delivery models may fit the same to multiple state . neutral +If certain pertinent information is prohibited from general disclosure , the audit report should state the nature of the information omitted and the requirement that makes the omission necessary . The nature of certain omitted information should be stated in the audit report , entailment +i know and that scares the hell out of me I know and it scares me . entailment +but if no one does anything when they 're little then it 's twice as hard as i think as they get older If they don 't do anything when they are young , it is doubly difficult as they grow older . entailment +I shall succeed in the other . I may fail in the former , but I anticipate succeeding in the other . neutral +next to me or behind me , uttered in an undertone with a note of awe . He was far from me . contradictory +Ca 'daan considered how well the man and woman complimented each other . Ca 'daan thought he couple complimented each other well . entailment +On the main coast road east out of Ocho Rios is Prosect Plantation , which offers tours by jitney and horse trails through crops of coffee , bananas , plantains , and sugar cane . Prosect Plantation offers bus tours through the sugar cane fields . contradictory +James H. Schropp , a Washington partner at New York 's Fried , Frank , Harris , Shriver and ; Jacobson , represented Max Soffar , a Texas inmate whose capital murder conviction was reversed after 21 years . Schropp used modern-day technology such as DNA testing and motion-sensing equipment . neutral +Rejecting his mentor Gandhi 's faith in a village-based democracy , Nehru worked to make India a fully industrialized society on the basis of democratic socialism . Ghandi worked hard to make India a fully industrialized society . contradictory +The assault was a failure , but it thrust into the limelight its young leader , Fidel Castro . The assault was a failure , but it thrust into the limelight its young leader , Fidel Castro as a military leader . neutral +When they reach the support shaft , shoot or break the barrel . When they reach the support shaft , fix the barrel . contradictory +The interior was covered with golden mosaics , lit by countless flickering candelabras . The candelabras were fake and run off electricity . neutral +especially around cities um uh do you live right in the city itself Do you live inside the city ? entailment +After all , who really knows if this winter thing is really a pattern or just a statistical fluke ? The other seasons may also be statistical flukes as well . neutral +so it 'll give you room to get under it sure You 'll have room to get under it . entailment +and i and most of the time like i said that 's that 's a sort of like fund raiser things that the schools do or that the Boy Scouts do or whatever The schools never need to raise funds , they have plenty of money for everything . contradictory +Since , according to HCFA , all hospitals subject to the rule are small entities , it would be difficult to minimize the impact of the rule on such entities within the constraints of the Medicare program . The HCFA states that the rule only applies to small hospitals . entailment +Carey urged the Roman Catholic Church to adopt the open-rail policy followed by Anglican churches . Carey disagreed strongly with the Anglican churches point of view . contradictory +and they told him to sign up for this and he asked me if i wanted to do it and i said sure you know it 's like just you know to help out whatever you know the the more participants you have the bigger They told him to sign up for it and he asked me if I wanted to do it too . entailment +until you can get it and i think that 's a good idea you know i 'm not for total gun control because i feel like people need to protect themselves but um i think that you know the background check is a great idea I am conflicted about gun control . entailment +I could not move on to the second sentence until the first sentence sounded true , she writes somewhat diffidently . She wrote that she wanted the first sentence to be correct first . neutral +He was wearing a frilly shirt and a ruffled waistcoat . He looked very fancy in his frilly shirt and ruffled waistcoat . neutral +My turn . It 's your turn now . contradictory +VA administers the laws providing benefits and other services to veterans and their dependents and beneficiaries . Veterans and their dependents receive benefits administered by the VA . entailment +The mask also shows a swelling in the upper left eyelid , which , according to Professor Walter Lerche , head of the Horst-Schmidt eye clinic in Wiesbaden , Germany , could be evidence of a rare form of cancer that may have killed the bard . The mask yielded no potential evidence of how the bard died . contradictory +yeah has Herschel Walker done much for them Are they aware of Herschel Walker ? neutral +Unlike other global bodies ( including the UN ) , the WTO enjoys unique enforcement powers , the environmentalists warn in their ad . Unlike the other global bodies , the WTO likes to enforce things . entailment +Note that ratings are awarded according to facilities , however , and not to the quality of the food , several forks may only guarantee higher prices . High rated restaurants usually have good facilities but bad food . neutral +The story begins 3.4 billion years ago with displays of fossils and rock , marking the geological changes that forged the landscape . According to the display , the story started 500 million years ago . contradictory +Many guides point out a green healthy plant in the courtyard as a regeneration of the original . That green healthy plant in the courtyard is just a rebirth of the original , as pointed out by many guides . entailment +Lucky us , we get to watch . We were very lucky that we were able to watch . entailment +This table does not represent all federal tax provisions related to personal saving . The table doesn 't represent all government tax provisions related to personal saving entailment +Based on the cost-benefit analysis performed by FSIS , the rule will impose an unfunded mandate on the private sector of $ 99 . The rule was based off of an analysis . entailment +The President 's Management Agenda , Fiscal Year 2002 , includes a governmentwide initiative for improved financial performance . There is no initiative for improved financial performance . contradictory +Exploiting the fertile volcanic soil , some vineyards still produce the esteemed Lacryma Christi white wine . Lacryma Christi white wine is still produced by some vineyards that have access to volcanic soil . entailment +i don 't remember one from one station to another i keep forgetting one station I always remembered one from one station to another . contradictory +From the Place des Abbesses , take Rue Ravignan to 13 Place Emile-Goudeau . The trip from Place des Abbesses to 13 Place Emile-Goudeau is approximately 5 minutes . neutral +It 's no surprise that the majors want open skies when it suits them and closed skies when it doesn 't . The majors want the weather to cooperate with their every desire . entailment +Black community leaders supported the study at a meeting on Thursday , despite skepticism from government officials that the $ 120,000 earmarked for it may not be enough . Black community leaders and government officials agreed the study could continue with a budget of $ 100,000 . contradictory +um-hum yep i think that 's uh just just having a good time I think it 's simply having a good time . entailment +The Valley of the Boyne has played an important part in the nation 's history . No historical events have occurred in the Valley of the Boyne . contradictory +well you know he was uh when was it last year or year before last he was voted the sexiest actor in movies or something This year is his first year as an actor but he 's not up for any awards yet . contradictory +This includes numerous classical performances . There are a number of performances including the classical genre . entailment +just beautifully written That fiction book was beautifully written . neutral +Begin your visit to the LatinaQuarter at the place St-Michel , where students buy their books and stationery or gather around the bombastic 1860s fountain by Davioud . The fountain at place St-Michel was built in 1640 by Michaelangelo . contradictory +The already-outdated cover story wonders if NATO 's deal with Yugoslavia will hold . The NATO-Yugoslavia cover story is not up-to-date . entailment +The northernmost village in the National Park and once a mining town , Caleeck , with its pa stel cottages on either side of Chalk Beck , is now rather sleepy . The village that is furthest north in the National Park is called Caleeck . entailment +You let one alien nation move into your trade bloc , and pretty soon the whole neighborhood goes downhill . You allow several alien nations move into your trade bloc . contradictory +The Met 's handsome and subtle production ( Alex Ross , The New Yorker ) leaves critics debating diva Cecilia Bartoli 's performance as Susanna . The Mets has critics talking about their production values entailment +It dates from 1706 , and is one of the few remaining original Queen Anne buildings in Dublin . The building is an original Queen Anne style . entailment +it really is mine 's eleven and eight Mine used to be ten and seven . neutral +When reality interfered ( Brenda apparently did not go through with a marriage to an immigrant in search of a green card for $ 10,000 , as she does on-screen ) , Barker brushed the truth aside as immaterial , following her up the steps of City Hall in her wedding dress because it was true to her character . Barker didn 't know how to get to City Hall . contradictory +not really and he needs to but uh he 's a CPA so at the moment he 's snowed under until after tax season but i 'm definitely going to get him back on something because he has a few He has a lot of free time . contradictory +The timer hidden in a showpiece resembling a toe-breaking device went off . The timer was very loud . neutral +and June July August are you know most of the those kind of plants just are just barely staying alive let alone make flowers Most of those plants barely stay alive in the summer months . entailment +If the SEC were able to establish its own annual budget and collect fees , the SEC would be better able to conduct its It would be worse for the SEC to establish their finances / contradictory +Its presence in Tuppence 's coat was due to the fact that she had used it for pinning in some flowers a day or two before . She kept it in her coat to pin flowers the following day . neutral +Keeping up with the latest in discos and clubs can be a full-time job for professional night- there 's no point in turning up before midnight . Experienced dancers and DJ 's come to this place in order to work in clubs and discos . neutral +The opera house--natural habitat of the top hat ( i.e. Natural habitat of the top hat ? The opera house . entailment +It is surrounded by luxuriant formal gardens with marvellous views . The gardens have great views . entailment +oh yeah i do that too I do the same thing . entailment +When it came to glass blowing , Hanson had to admit they were experts ; it should have come as no surprise , after the elaborate alchemical apparatus he 'd seen . Hanson noticed that their glass blowing was of poor standards . contradictory +The glow of that happy discovery can last for years , as Nathan Myrhvold explained and simultaneously demonstrated in a recent Slate . These are folks lucky enough to be able to choose their careers and to have a good shot at success at whatever they choose . A recent study by Nathan Myrhvold proved that these folks also make good choices when it comes to relationships . neutral +where you 're educated in the first uh ten years i guess I am not sure but I think it 's during the first ten years of being educated . entailment +Immediately west of the Wall lies the Jewish Quarter . The Jewish Quarter is located behind the large museum to the west of the Wall . neutral +Florence was the first Italian town to mint its own gold coin ( fiorino or florin ) , a prestigious instrument for trade in European markets , and it organized textile manufacture on an advanced large-scale basis . Florence owned gold . entailment +I respectfully dissent . I don 't want any part of it . neutral +In the room below , John and Mary were together once more , while Alfred Inglethorp and Miss Howard were in custody . John and Mary were talking to each other in the room below . neutral +It was refurbished in the Victorian era but rendered useless by succeeding Nile dams . It was rendered useless much before the Nile dams . contradictory +This was no hunter or killer , this was a good man . The man was a pacifist . neutral +You always were on their side , little sister . Sister , you always sided with them . entailment +Was it not plain to you that I was speaking of two entirely different persons ? " You thought I was speaking about one person the whole time . neutral +Adrin , Ca 'daan , A 'deem , Jon , and Susan walked through the tent city and the market square . They were going to the market square to buy weapons . neutral +At one time it housed approximately 6,000 veterans , but Napoleon took over a large part of it for the Musee de l 'Armee ( Army Museum ) . Napoleon took all of it to house the Musee de l 'Armee . contradictory +Social Security makes up over 80 percent of the retirement income for the first ( lowest ) and second income quintiles . Social Security helps them with their retirement greatly . neutral +Coincidentally , this is also the state of our schools , according to News Quiz participants . News Quiz participants think that this is also the state of our schools . entailment +But there is another reason , more tragic and ironic , why this gifted and imaginative guy seems less funny lately . There is an explanation to why he has been the funniest person lately . contradictory +Approach it via a narrow alley near the intersection of Jalan Acheh and Lebuh Pitt . It cannot be approached via a narrow alley . contradictory +30 % is an increase in concentration or deposition compared to current conditions . There was a 30 % increase in concentration . entailment +don 't you how come Why don 't you call more ? neutral +Under a bridge , a cauldron bubbles . There is nothing bubbling in a cauldron under the bridge . contradictory +How she would have gaped if she had realized that her " coarse kitchen salt " was strychnine , one of the most deadly poisons known to mankind . Strychnine is a kind of sugar used most commonly for cooking . contradictory +He still kept his eyes fixed on him as he spoke . He read a book while he was speaking to him . contradictory +A cheerful buon giorno ( good day ) or buona sera ( good evening ) can work wonders when entering or leaving a shop or restaurant . Never say anything when you walk in or out of restaurants . contradictory +FDA cites sections 201 , 402 , 403 , 409 , and 701 of the Federal Food , Drug , and Cosmetic Act . Cosmetics are regulated by the FDA . entailment +Specifically , under the GAO 's new independence standards auditors must not violate two basic principles . The new independence standards were made so auditors know not to violate two basic principle . neutral +I guess I can bear a few months ' retirement in order to rid the world of you , but don 't you kid yourself I 'll hang for it ! " The Russian believed him . He was talking about retirement to the Russians entailment +Another says an orphan was killed , salted , and eaten . The person is trying to make a scary story about orphans . neutral +Their ancestor Nicholas Jarrett arrived on the island in 1655 , and the family was at the forefront of economic and political activities on Jamaica for many generations . Nicholas Jarret arrived in Colombia in 1655 , he didn 't go to Jamaica . contradictory +That era was capped in 1998 , when the Legal Services Corp. forced 275 legal aid providers nationwide to combine into 179 . Legal Services forced providers to expand . contradictory +The third turned and hurled a spear into the shadows from where the axes had come . The spear was thrown into the darkness . entailment +His evocation of Hong Kong is full of sharp observations--on subjects ranging from politics to food to sex to servitude ( Dwight Garner , Newsday ) . But his protagonist , a misanthropic businessman named Neville Bunt Mullard , is deemed poorly drawn . His evocation of hong kong is full of sharp observations on a variety of subjects because he is very intelligent . neutral +Would not Mrs. Inglethorp have preferred to go unavenged rather than have such terrible dishonour fall upon the name of Cavendish . Inglethorp would do anything for vengeance . Anything . contradictory +Because of tight resources , lack of travel funds , and the need to use staff with uneven experience and skills , this becomes critical in situations involving many evaluators working in different regions . Resources and funds to pay for staff travel can be limited . entailment +And little Benny went from model ships to model planes ( but he didn 't want a red Curtiss this time ) , and finally to Blaster Blocks and Galactic Wars . Benny went from model ships to Galatic Wars . entailment +Sultan Abdul Mecit ( reigned 1839 1861 ) , continuing the programme of reform begun by his father Mahmut II , decided that Topkape Palace was too old-fashioned for a Westernizing ruler such as himself . Sultan Abdul Mecit moved to a palace that was more modern than Topkape Palace . neutral +We 've established a website on which we post overnight every document filed with the Commission , and we 've created a search engine that enables everyone to word search these documents . There was a search engine created that allows people to find documents . entailment +To make direct reservations with a hotel , we have included addresses ( all in California , abbreviated CA ) and telephone / fax numbers . To make a reservation , just stop in . contradictory +Tommy , do you want something thrown at you ? I would never raise a hand to you Tommy . contradictory +Rock inscriptions left by Emperor Darius probably inspired the pillar-edicts of Indian Emperor Ashoka in the third century b.c. Indian Emperor Ashoka 's pillar-edicts were inspired by works in the past . neutral +Besides , there isn 't any such thing as a space-ship . " Of course there are space ships . contradictory +No definitive number of Americans who went over to the enemy is available , but Moorer indicated there were scores . Moorer knew there were scores because he was told their was . neutral +In the 1980s , Kodak opened a major research center in Tokyo , staffed with Japanese engineers , and started a joint venture in which Canon made copiers sold under the Kodak name . Canon made copiers sold under the Kodak name in the 1980s . entailment +She suggested we must identify the essential elements of interventions that are required in any new setting . She said that it wasn 't necessary to identify the essential elements of interventions . contradictory +Above the sanctuary , priests and neophytes chant from the scriptures of the Adi Grant in a hall , now a museum to history and a record of the tortures suffered by Sikhs . Sikhs once were persecuted near the hall . entailment +Figures 1 through 4 on the following page illustrate both the emissions projections and the impact of banking the early reductions on all four emissions caps implemented in 2007 . Banking may had an effect on the reducing of emissions caps in 2007 . entailment +yeah i never lived anywhere near Los Angeles I never lived near Los Angeles . entailment +The city 's setting is picturesque Castilian campo wide-open space interrupted only by a clump of trees , a lonely farmhouse , or an occasional a monastery or castle . There are no farmhouses in the setting . contradictory +They don 't feed the rebs much . The rebs are fed enough . contradictory +Judith Krantz i know her I haven 't ever heard of anybody named Judith Krantz . contradictory +Two types of community epidemiological studies ( involving measures of short-term and long-term exposures and response ) have been used to estimate PM / mortality relationships . All studies have shows that a PM rate of 5 poses little risk to humans . neutral +Below is a selection of accommodations in towns and villages throughout the Lake District . Some of the accommodations in the Lake District are listed below . entailment +I had a lot of managers . There were no managers at my job . contradictory +How uninspired is the surgical selfishness of leaner noses and plumper bosoms . Leaner noses and plumper bosoms are non-surgical procedures . contradictory +Sure--in the city . Sure , you can find pills in the city . neutral +Determine Who Had Highest Retirement Income ; Aged Population Nearly Doubles From Today as a Share The aged population has higher retirement incomes . entailment +It was clear , on the other hand , that Julius was easily disposed to put up with the loss of the other 's company . Julius was prepared to lose the other 's company . entailment +i used to go with my brother we just lived up there Me and my brother would go we lived right there . entailment +did did somebody go over to the Middle East where they could have picked up some fakes pretty easily They could have got real ones from the Middle East . contradictory +Some of the creatures here are decidedly exotic including lizards and snakes but others are old Lakeland favorites , like Herdwich sheep and native cows and pigs that can be found all across the countryside . You can find sheep and native cows all across the countryside . entailment +um-hum um-hum they had you pegged They pegged you down . entailment +( While the audience is clapping for more . ) While the audience claps for more . entailment +( To read Lewis ' piece , click here . You can read Lewis ' article by clicking here . entailment +The things he seemed to remember from his other waking must be a mixture of fact and delirium . The things he remembered included a small child , and a lovely breakfast . neutral +Almost as spectacular as the flight to Everest , the air route to Pokhara heads in the opposite direction , paralleling the high mountains toward Annapurna . Nothing is as spectacular as climbing to the top of Everest . neutral +Weather permitting , the observation decks on the 45th floors of both towers offer views all the way to Mt . The observation decks are on the 50th floor . contradictory +well see our favorite TV show i i i live in a dorm and our favorite TV show is Cheers We enjoy watching the show , Cheers , the most . entailment +Slim advanced slowly . Slim calculated each step he took . neutral +well another thing that we 've noticed that 's uh changed over the years and uh we 're not really sure exactly what we 're going what we want to do with it publicly but uh the teachings uh the ideas that are taught uh don 't always agree with what we would teach them either from a standpoint of morals or from a standpoint of how to handle a given situation We noticed that the teachers say things we don 't agree with . entailment +Once again Judea was conquered by foreign forces and Jerusalem reduced to rubble . Jerusalem was destroyed after Judea was conquered . neutral +In winter , they move to Izmir . Izmir is a good retreat for people in the winter . neutral +'They 're not worms , ' said Guierrmo Othon , Chavez 's husband , who is also a lettuce worker . The lettuce worker is Chavez 's husband . entailment +, the degree of management centralization in the agencies ) ; ( 2 ) standardization would require scarce agency resources that might be better spent elsewhere ; and ( 3 ) a good first step might be to determine whether lack of standardization is really a problem . It may be important for the management centralization in the agencies to determine if lack of standardization is really an issue . entailment +Eleventh and twelfth months : Parlourmaid duties resumed with entire success . During the eleventh and twelfth months , I successfully resumed parlourmaid duties . entailment +He admitted that many times a positive blood alcohol test in patients with head injuries can be trouble-some . It can be troublesome as they could die . neutral +( Outcomes determined by chaos and the randomness of radioactive decay are actually specific results chosen by God . ) Chaos and the randomness of radioactive decay are outcomes decided by God . entailment +No-cost legal services also are offered to a more limited degree from places such as the Women 's Bar Association of the Capital District or student clinics at Albany Law School . The services are often a good way for new attorneys to whet their skills in the courtroom . neutral +But possibly the reality of the man didn 't matter , when I had such better fantasies to imitate . REality may not actually matter . entailment +Already his limbs felt cramped and stiff . He hadn 't been there for a few minutes and his limbs felt cramped and stiff . neutral +Note 2 : In our work , all CBO budget projections were converted from a fiscal year to a calendar year basis . They refused to change to a yearly calendar . contradictory +uh you know denial of insurance for someone um and undoubtedly there are people who would be victimized by this um that would that you know it would be unfair and people who are on medication for example or um even even people who might be of the gay community and i 'm not an advocate for that particular segment of society but um i think that there doesn 't need to be fuel to the fire for discrimination because it makes a bigger problem There is no doubt that there are people that experience discrimination with insurances being denied . entailment +A huge number of fairs and festivals take place throughout the year . Some of the festivals are so popular tickets are sold out within days . neutral +The chambers stand on the site of St. Mary 's Close , an old tenement abandoned in the mid-17th century after the entire population had been wiped out by bubonic plague . The bubonic plague only hit people living in tenements . neutral +Public footpaths link the gardens with Dodd Woods and the peak of Skiddaw behind . Skiddaw is a long way from the gardens . neutral +Either someone is privileged , or he is not . There is no inbetween , either you lead a life of privilege or you don 't . neutral +So far she had fooled Whittington with complete success , but to mention a palpably impossible sum might awaken his suspicions . She fooled Whittington by taking advantage of him . neutral +I 'd say Oro has him some real competition at last . Oro finally has real competition . entailment +Under a grant from the Open Society Institute , the programs contracted with the Asian Pacific American Legal Center of Southern California to provide centralized intake for Asian clients who do not speak English . The clients from Asia are extremely good at mathematics . neutral +Sunset Plaza ( 8600-8700 Sunset Boulevard at Sunset Plaza Drive ) has been an elite shopping area since 1934 . Only the wealthiest of the wealthy are allowed to visit Sunset Plaza . neutral +There were many things that disturbed Jon as he stood in silence and observed the scout . Jon couldn 't stop chatting . contradictory +so i ignored it assuming that the things had crossed in the mail about two weeks after that i get a phone call I elected to pay it no mind . entailment +i know i 'm always scared of that whenever i go to a game i rarely go but we went last year because Whenever I go to a game I know I 'm always scared of that . entailment +Five km ( 3 miles ) more bring you to thriving Mojacar , a village planted on the eastern extremity of the rugged Sierra Cabrera . Mojacar is a village situated on the western side of the Sierra Cabrera . contradictory +The data-collection guidelines emphasize appropriateness of data-collection methods , evaluator training , and information sources . Data-collection methods are not covered in the data-collection guidelines . contradictory +The Washington Post says Clinton 's foreign travels will distract attention from the scandal . The washington post says that everybody will forget about Clintons scandal neutral +I ask the printer . The printer is who I ask . entailment +that was probably the worst thing that ever happened That was one of the worst things to have happened . entailment +The earliest Christians other than St. Thomas ( see page 197 ) , were the so-called Nestorian heretics of the Syrian Orthodox Church , also living on the Malabar coast since the first centuries of the Christian era . The Nestorian heretics were some of the earliest Christians . entailment +um probably about three i guess yeah Probably about thirty years old I guess yeah . contradictory +Madurai was the lively cultural center for Dravidian poets , actors , singers , musicians , and also dancers who were the precursors of the Hindu devadasi temple prostitutes . Dravidian people of the arts treated Madurai as their cultural center . entailment +When not possible , adjustments must be made as soon after discovery as practical . Changes may be made at the discoverer 's convenience . neutral +Only those whose incomes do not exceed 125 percent of the federal poverty level qualify for the services . Those whose incomes are below 125 percent qualify for services entailment +Works such as Raphael 's Bridgewater Madonna , a Rembrandt Self-Portrait , and Vel ? ¡ zquez 's Old Woman Cooking Eggs are only three from a collection that includes pieces by Titian , Van Dyck , Rubens , Constable , Turner , and Vermeer . The bulk of the collection is by Titians and Rubens . neutral +Through comprehensive revisions to its charter , processes , organization and systems , Pfizer has reduced the cost associated with transaction processing activities by up to 50 percent in certain functions and shifted its focus to activities that directly support Pfizer 's business objectives . They were trying to make a better product . neutral +In the 1990s , Congress enacted additional laws holding agencies accountable for effective management of public information resources . In the 1880s , Congress enacted laws holding agencies accountable for management of public information resources . contradictory +Daniel had died with blood pouring out of his mouth trying to say Jon 's name . Daniel had blood pouring from his mouth . entailment +No More Notes , Either ! We will just memorize things , not take notes . neutral +and um yeah we had some weird cucumbers because they grew inside the fence i mean like the little thing would be half on one side and half on the other We had some strange cucumbers because they grew on the fence . entailment +um are no good anymore and that 's how bad it was everything is just down everywhere you know we had three hundred thousand people without power The people regained power quickly after they lost it . neutral +Who are you talking to ? Who 're you talking to ? entailment +Both magazines chronicle the final days of suspected serial killer Andrew Cunanan . The magazines both covered Andrew Cunanan . entailment +" Yeah , sounds jus ' like Johnny these days . Johnny was being ban idiot . neutral +well in answer to you know answer to the question though i still think the sentencing should be in the hands of the jury even though as you say there are some uh people who are reluctant i do not think again in the matter of uh uh that that judges should have the uh the upper hand or the only hand in that sense because i think if but i i 've never served on a jury you probably know this better than i um if the jury does their job and of course there are those on the jury that do not i 'm sure but and ask the questions and uh correctly and then one of things i 've always wondered is uh the ability of jurors to to ask questions It 's important that the judge does not have more power than the jury in terms of sentencing . entailment +The tours are rushed , and the route may vary due to restoration work . The tours proceed at a relaxed pace and follow the same route every time . contradictory +Many lawful permanent resident farmworkers enter the migrant stream and travel from state to state following the growing and harvesting demands for various crops . The migrant stream is composed of many lawful permanent resident farmworkers . entailment +Underneath the sacred rock is a grotto where , according to tradition , great prophets and kings of the past came to pray and where the souls of the dead travel for their devotions . Great prophets and leaders prayed in the grotto under the sacred rock . entailment +The mafia is over as we know it , or think we know it . The time of the mafia has ended , as per our reasoning . entailment +Spain exported its adventurers , traders , and priests , and imposed its language , culture , and religion on the New World , creating a vast empire in the Americas . American culture has also been influenced by the French , Germans , and Chinese , amongst others . neutral +that Famous Home Video is what 's opposite it here i don 't know up there but um i like that because it it really makes me laugh people send in have you ever watched that where they Famous Home Video is horrible . contradictory +you know not to not to go out and scuff up and but i don 't know what the it 's You should go out and get scuffed up . contradictory +The ruling is seen as a victory for constitutional purists and a political blow to President Clinton , who had hoped to use the threat ( if not the reality ) of a line-item veto as leverage in budget negotiations with Congress . the constitutional purists saw this as a victory because it kept the original laws as they are . neutral +I was bound to succeed . I knew failure was inevitable . contradictory +In the preamble to the final rule , the Commission responds to issues raised by the comments . The Commission responds to issues that were brought up in the comments . entailment +The Rh ? ? ne Valley region around Lyon is the epicenter of French gastronomy . The Valley Region is not the epicenter for French gastronomy . contradictory +The vast grounds have been turned into a leisure park ( open summer only ) which has more than forty attractions . The large area has become a leisure park with more than forty attractions . entailment +500-155-Management Guide to Software Reuse . A guide on how to reuse software . entailment +Oh , hell ! he said at last . " Great ! " He thought . contradictory +um-hum they really are They are not . contradictory +The audit plan should reflect data reliability issues and any additional steps that still need to be performed to assess the reliability of critical data . The audit plan contains data which already critically assessed . neutral +Not all Oaxacans classify themselves as Indian . Some Oaxacans are ashamed of being Indian . neutral +it shouldn 't be looked at something to do to make up for other things that you did It shouldn 't be something to do to make up for other things . entailment +what division are you in What is your division ? entailment +oh you 'll find something like that uh especially when you have kids You won 't find anything like that with kids . contradictory +Still , through a combination of employee communications and outreach efforts , most of our staff recognize that change is not only good for GAO at this time , it is imperative for the future . Most of our employees agree than change is good for GAO . entailment +The DPs can barely open their mouths without savaging the president . The DPs are standing against every policy the president has proposed . neutral +a change in the date of a hearing related to the report Date changes must be communicated 2 weeks in advance . neutral +After considering the results of DWP 's review and its evaluation of those results , NAO qualified its fiscal year 1995 through fiscal year 2000 opinions on DWP 's financial statements because of the amount of fraud and error in the benefit programs . Auditors found dozens of unreported spending cases in DWP 's financial books . neutral +I beg for your service in protecting my home village from red murderers who threaten us . I need help keeping the town safe . entailment +and i can 't seem to find the middle space you know but i 've got a friend of mine working on it uh i 've trying to help me out i 've been going to the driving range with him and and it seems to be doing some um Me and my friend have been going to the driving range . entailment +At that point , the progressives will do what they have always done They 're never happier than when they are demonstrating their moral , political , and religious purity by heading for the exit and starting their own small but pure church or party . Progressives like to flaunt their moral and political plurality by splitting off and making their own party or church . entailment +Look around you ; see for yourself . Take a look around , and you 'll see with your own eyes . entailment +okay you want to go first or me Do you want me to go first or second ? entailment +Perhaps now , no . Maybe at this moment , it wasn 't the right time . neutral +You get a sense of the dukes ' grandeur among the Renaissance palazzi of the Corso Ercole I d 'Este , part of a 15th-century urban expansion , Addizione Erculea , that was one of the most ambitious pieces of town planning of its age . The Addizione Erculea was a piece of town planning in the Renaissance period . entailment +So I can 't even imagine how you feel , after shadow-dancing with her for so long . You must feel terrible right now , after all that . neutral +There 's no call for ' secret ' ingredients . The chicken recipe doesn 't have secret ingredients . neutral +You did not mention his name this afternoon , or I would have suggested your going to him for further information with my card as introduction . He does not have any additional information that would help you . contradictory +Our top story As the presidential race nears the home stretch , Bob Dole and President Bill Clinton yadda yadda yadda . In other news ... The hottest story with the presidential race coming to a close , Bob Dole and President Bill Clinton , and so on and so forth . entailment +It is dominated by a great central pillar supporting bridges to a balcony . The pillar is the main focus of the building . neutral +For men , gellabiyas are usually plain , perhaps with a little collar detail , but for women you can find brightly decorated versions , often bedecked with sequins . Gellabiyas are very bland for men and women . contradictory +yeah yeah i do think that that uh i do think the jury system works but i 'd i also feel as you said that the original concept of the jury as it was originally setup uh back uh in a hundred years ago was fine but that it needs to be more refined for today 's standard of living and the the uh level of education of them of so many people now There is no other system except trial by jury . neutral +Shops in Central are an exception ; they generally close at 6pm and are not open on Sunday . Be wary of the shops from the center , they are no good . contradictory +a 1353 may be retained by the employee for personal use . 1353 is used by many employees . neutral +Reporters deemed his tone strident and belligerent . Reporters attacked his tone , calling him foul names . neutral +The Beatrix Potter Gallery is housed in a tiny building on Main Street that was once the office of William Heelis , Potter 's solicitor husband . The office of William Heelis was located in an unknown village . contradictory +There is a lovely fifth-century Garuda , and near it , on a memorial pillar , the earliest historical document in Nepal , an inscription of the same period concerning the Licchavi King Manadeva . There is a memorial pillar near the lovely fifth-century Garuda . entailment +For a moment , he stood abashed , and then he said in what was almost hysteria , " I 've got to speak to Red . He didn 't think he needed to talk to Red . contradictory +Old Jaffa , the heart of the city , on a hill overlooking the port , was last refurbished in 1963 , and today has a thriving artists ' colony as well as various tourist shops , restaurants , and nightspots . There are a number of dining establishments and shops for tourists in Old Jaffa . entailment +There 's one thing , Inglethorp himself won 't be too keen on meeting her . " Inglethorp won 't be happy to meet her . entailment +It must , in fact , have been distinctly annoying to the pair of schemers . " The two schemers were annoyed by the person who was spying on them . neutral +Surely that is , paradoxically , the most persuasive reason to slow down a bit at work and hang out more at home . It was persuasive to work harder and not go home . contradictory +um i think one of the facets of living in a small town is that often times you are uh sitting in on a jury trial where you might be acquainted with at least maybe not that person but part of their family I live in a small town and know a lot of people . neutral +The aqueduct is composed of thousands of granite blocks arranged in graceful arches , sometimes two-tiered , but without mortar or cement of any kind . The aqueduct is made of mortar and cement . contradictory +The resulting larger pie could be split up so that everyone , both during and after the transition , is better off . A larger pie would be worse for everyone . contradictory +I realize now that the cameras and microphones were probably installed by [ the Globe ] while I was out , she reports . She now realized that the Globe probably installed the cameras while she was out . entailment +Cliff-top pool and access to swimming and snorkeling in Pristine Cove more than make up for no sandy beach . The pools is down the hill . contradictory +The sights of this town take scarcely a day , but the seductive tranquillity within its perfectly-preserved ramparts is irresistible . The town has irresistible sights . entailment +A basic salute to teammates after touchdowns . Teammates are never acknowledged after touchdowns . contradictory +He 's a proselytizer of newspapers . He hasn 't prolytized a single newspaper in his life . contradictory +Perhaps Jane 's widowed human father will wed Tarzan 's widowed gorilla mother ( so the Southern Baptist Convention should be worried about bestiality but not homosexuality ) . Jane 's father was a widow and looking for a mate . neutral +So it was an easy decision for me . It was one of the most difficult decisions I have ever made . contradictory +Years ago , the tourists took snapshots . No one ever took any snapshots . contradictory +Alec and Kim Basinger actually did the deed in their sex scenes in The Getaway ( 1994 ) --unheard of in Hollywood . Alec and Kim Basinger had real sex in The Getaway . entailment +According to fiscal year 2000 data , Texas ' Food Stamp program provided approximately $ 1 . The Texas ' Food Stamp program provided little in 2000 . entailment +yeah it did and we we tried to be fancier or more courses than the other or uh it was a lot of fun you know it something unique you know and then we got into different um themes you know um whether it would be We tried to get fancy and unique with it . entailment +She scooped up the broadsword , a fine blade of waved steel with an ivory skull on the base of the hilt . Her broadsword was beautiful and ornate . neutral +If it only had a brain , wishes Peter Marks of the New York Times . Peter Marks writes about politics for the New York Times . neutral +yeah yeah that 's that that was also in the movie yeah Yes , that was another thing that was part of the movie . entailment +Hanging 's too good for him . He deserves worse than hanging . entailment +Sounds more like . Doesn 't sound like at all . contradictory +that 's great , love plums I also love apples . neutral +I admit I do not wish it . I admit I wish it . contradictory +But it is the Audience Hall ( Sala dell 'Udienza ) that is its highlight , covered with a delightful series of Perugino frescoes ( 1496 1500 ) , considered his masterpiece . The frescoes in the audience halls were his last great works . neutral +In some cases , this has resulted in changing the form of certain arrangements in order to meet the minimum technical requirements of any related accounting and reporting requirements while coming close to the line of what is legal . There has been no change in certain arrangements . contradictory +Concealed and protected against atmospheric changes for 17,000 years , these awe-inspiring frescoes and engravings of bulls , horses , ibex , bison , and deer were discovered by four teenagers chasing a dog in 1940 . The awe-inspiring frescoes and engravings contained scenes of hunter-gatherers pursuing nearby wildlife . neutral +um you know different things is it restricted to certain crimes or just Some things are applied to certain rules of certain crimes neutral +um-hum um-hum well we have to come to that now that 's all there is to it you do see a lot of positive things uh i saw a printout sheet the other day that i 'm going to to copy and take to the girls at sorority The girls at the sorority will probably be interested in this printout sheet about astronomy . neutral +I do not think , monsieur , said Poirot pointedly , " that you quite realize how terrible it may be ” for you . " And as Inglethorp did not appear to understand , he added : " Mr. Inglethorp , you are standing in very grave danger . " The two detectives fidgeted . Poirot said something to Mr. Inglethorp and two detectives were fidgeting . entailment +At the same time , there are many other items on FASB 's agenda . FASB 's agenda is interesting neutral +Not Proust in the cork-lined room . it turned that Proust wasn 't in the room . entailment +Do they believe him ? Do they think their village will be attacked ? asked Jon . Jon asked if the village would get burned down . neutral +As David Rusk , a former mayor of Albuquerque , argues in his book , Cities Without Suburbs , metro-wide governments where the suburbs and the city are joined tend to be more racially integrated , and better off in various other ways as well . Segregation does not produce increased crime , poverty and discrepancy in quality of life . contradictory +You always were a shocking liar , said Tuppence severely , " though you did once persuade Sister Greenbank that the doctor had ordered you beer as a tonic , but forgotten to write it on the chart . Tuppence does not approve of lying . neutral +Dave Hanson could repair anything that contained electrical circuits or ran on tiny jeweled bearings , but he could handle almost nothing else . Dave Hanson 's expertise was with repairing items with electrical circuits . entailment +The Return of the Chocolate Smeared Woman ( The Flea , New York City ) . The loss of the giant chocolate rabbit ( The Termite , Jacksonville , FL ) contradictory +Its church , the Eglise Saint-Etienne , harmoniously combines Roman ? ­ esque towers and nave with Gothic steeples , choir , and chancel . Eglise Saint-Etienne 's nave and towers were originally built a hundred years before its steeples and chancel . neutral +This , of course , is in addition to providing retail services to rural communities . There are cottages near the shoreline . entailment +You will tell us who has betrayed us , said the German . The German warned them that they would find out who the betrayer is . entailment +well what what 's your perspective on it I could care less about your perspective on this . contradictory +Ryan first . Ryan is first , after Mark . contradictory +from Saturday and we go to uh Taco Bell and get the tacos you know it 's something it 's it 's cheap you don 't have to spend a lot of money You can get inexpensive tacos at Taco Bell . entailment +fell and cracked cracked her skull open and that was sort of it but just terrible The fall caused her to crack her skull . neutral +Unless emergency medicine staff with an interest in integrating alcohol treatment services into emergency care assume greater prominence and leadership in their field , effecting change within this specialty will be slow and uneven . Changing how the ED operates will be easy . contradictory +What 's all this for ? All this suffering ... for what ? neutral +he 's a the movie critic um oh you 've oh okay he 's a movie critic on channel eight in Dallas Dallas has the best movie critics in the country . neutral +you realize it You didn 't realize it contradictory +and that it 's a nice day when it 's twenty five degrees outside Twenty five degrees is not nice outside . contradictory +Consistent with OPM 's and OMB 's views , our model of strategic human capital management embodies an approach that is fact-based , focused on strategic results , and incorporates merit principles and other national goals . Our model of strategic human capital management embodies an approach that is fact based and fueled by opinions . neutral +it is apathy without question uh we are we are not taking it as serious as We 're apathetic about our vote counting for anything . neutral +For mercury , the 1996 National Toxics Inventory was modified based on the 1999 information collection effort for coal utilities and the 2002 MACT implementation for medical waste incinerators , and the 2000 MACT implementation for municipal waste combustors was used . The 1996 National Toxics Inventory was modified based on information collected in 1999 . entailment +well that 's great well what kind of cash i 've forgotten what were they going to do without the cash they will not be able to do anything neutral +yeah we all used to yeah it 's the unsweetened kind it 's not like Nestle Quik i suppose you could use that i yeah but um You can 't use Nestle Quik because I hate it . contradictory +Clinton got a fruit basket that contained an orange that was , in Zercher 's words , shrivelled and deformed--it looked like a woman 's sexual organ . Clinton was appalled by the shriveled and deformed orange . neutral +well not really because you know i live i live here in a dorm i i still go to college but I live in a large dormitory which is only a 5 minute walk to college neutral +West Hollywood 's most famous thoroughfare is the Sunset Strip , stretching from the 8200 block of Sunset Boulevard west to Doheny Drive . There are many great places on the Sunset Strip . neutral +Using an LSFO consumption rate is conservatively high , and Table 6-6 shows expected consumption rates if all projected FGD retrofits were LSFO technology and operated at 85 percent capacity factor . Using an LSFO consumption rate is a bit high . entailment +The suit , filed in federal court in Kansas City , Kan . , is the second brought by the Justice Department against two of the defendants , LNL Associates / Architects and Allenbrand-Drews and Associates Inc . , a civil engineering firm . This is the first lawsuit brought against Allenbrand-Drews and Associates . contradictory +For such people , then and now , a sense of place and community is not merely the most sustaining fact of daily life , it is the most dignifying . Many people can get depressed if they feel like they live in a disconnected , undeveloped community . neutral +huh illegal It 's perfectly legal ! contradictory +A number of related measures can be used to measure changes in visibility associated with reduced fine particle concentrations . Nothingcan measure the changes in particle visibility . contradictory +With a majestic dome uniting the four octagonal kiosks over the terrace 's latticed arches , this is the first fully-realized masterpiece of Mughal architecture . The dome had to be rebuilt after being destroyed in a war . neutral +they are so expensive They cost a lot . entailment +Mary takes up with a gentle bird-saving loser . ) Mary and a loser join together . entailment +In the Final Regulatory Flexibility Analysis , there is a lengthy discussion of the steps taken to minimize the burden on small entities and , in particular , a discussion of the reasons why two commenters ' proposals were not incorporated into the final rule . The small entities need help to manage the burden . neutral +The program 's name is derived from the subparagraph of the Immigration and Nationality Act ( INA ) that defines the status , 8 U.S.C. The Immigration and Nationality Act was voted down and the program never got beyond its planning stages . contradictory +Work harder . They need to work harder . entailment +oh ooh yeah yeah that 's good No , that won 't do ! contradictory +With this latter idea in my mind , I examined all the coffeecups most carefully , remembering that it was Mrs. Cavendish who had brought Mademoiselle Cynthia her coffee the night before . I examined the coffee cups , but forgot it was Cynthia who prepared the coffee . contradictory +Well , I have a fancy for having it analysed again , that is all . And not another word on the subject could I drag out of him . I dropped the matter even though he was eager to talk . contradictory +okay okay okay so it 's it 's it 's amazing too you know you with that with the oil wells burning over there that 's that 's the exact same stuff that 's coming out of cars every day just in uh just in a little different grade i guess " The exact same thing that is coming out of cars everyday is in the oil wells burning over there , though it is refined in that factory over there first . " neutral +What more could any analogue computer do ? What else could the computer do ? entailment +um-hum um-hum yeah well especially where you are It has nothing to do with where you are . contradictory +Don Cazar , the mesteneoes they arrive . The mestenoes arrived twenty minutes ago . neutral +we 've actually uh uh tried uh budgeting is very important to us we we try it every month and um i think it 's good i mean it it gives us a sense of uh uh of of staying in some semblance of control but uh we we do have uh we never seem to be able to stick with it We don 't even bother with a budget . contradictory +Good-bye , and good luck . You are forbidden to leave , lest you be struck by a terrible curse . contradictory +Barr too may hope to ride right-wing indignation to national power , but don 't count on it . Barr wants nothing to do with politics . contradictory +For example , he noted that the American College of Surgeons ' Resources for Optimal Care of the Injured 1999 , which contains guidelines for the certification of trauma centers , omitted the requirement to test patients ' blood alcohol content for the first time in 20 years . The 1999 guidelines included the requirement of blood alcohol content testing in patients . contradictory +The FWI are somewhat removed from the great game-fishing waters off the Bahamas , Puerto Rico , and the Virgin Islands , but the average angler will find challenges aplenty here from boat or shore . The FWI has a lot to offer fishermen and women . entailment +What 's the most important thing in circuses ? " I 'm guessing clowns would be most important in a circus ? neutral +APPROPRIATION -In most cases , appropriations are a form of budget authority provided by law that permits federal agencies to incur obligations and make payments out of the Treasury for specified purposes . If it 's for a specified purpose , federal agencies are allowed to make payments through the Treasury . entailment +Evaluation of limitations on total sulfur dioxide , nitrogen oxides , and mercury emissions that start in 2018 . The limitations on mercury emissions will be evaluated . entailment +The cost in human lives was terrible , with 250,000 dead and wounded on each side . Beyond lives lost , families were traumatized and lost their incomes and homes . neutral +In a few cases , we toured the organizations ' facilities and observed practices in operation . We did tours of the organizational facilities in a few cases . entailment +yeah i have a question to ask you about gardening though you know those what are they called the they called uh roly-poly bugs that 's what my son calls them anyway My son calls them silly will bugs . contradictory +well that 's what i 'm doing May third i 'm going to sit right here watch it I will be on a camping trip the whole first week of may . contradictory +Blending old-fashioned elegance with modern comforts , the most proserous of Normandy 's seaside resorts is also the most expensive . There are a lot of resorts in Normandy . neutral +Highway 90 northward through the Jordan Valley leads to the lyrical shores of the Sea of Galilee , a good destination for an excursion of one or more days from Jerusalem . Highway 90 northward does not lead to the Sea of Galilee contradictory +OLYMPIA ( AP ) - The Washington Supreme Court is asking the Legislature to approve a $ 90 surcharge on a court filing fee to help provide legal help for the poor in civil cases , Chief Justice Gerry Alexander said Wednesday . Chief Justice Gerry Alexander said The Washinton Supreme Court wants to charge the rich to help the poor . neutral +Patients with BACs of 0.10 and 0.08 g / dl had impaired mental status , mostly in short-term memory . Patients never had impaired mental status , regardless of their BAC . contradictory +Capital transferred to Byzantium ( Constantinople ) . The original capital fell into enemy hands , forcing it to be relocated to Constantinople . neutral +i how would you ruddy uh look uh but uh Would you really ? neutral +She laughed , and closed the door , reopening it to add with dignity : " Morally , I shall always consider I have been jilted ! " She was laughing with dignity . neutral +Grisham is content with the simple and compelling observation that as a society we fail to treat the homeless with the dignity they deserve . Grisham believes that we don 't respect the homeless . entailment +Also , the cost of the examination process would be reduced due to the elimination of manual reconciliation procedures . The examination process increased its cost . contradictory +Some lawful permanent resident aliens regularly travel between the United States and Mexico on a daily basis . Aliens often travel across the border every day . entailment +Was it a lack of patients ? Was it because there wasn 't enough patients ? entailment +and uh what i usually do on the weekend is is lay out five outfits and uh on Monday i i wear the the worst looking one because it doesn 't seem like people are really are you know are that alive on Monday you know so I never lay out my outfits ahead of time . contradictory +Allergy treatment is a burgeoning sector of the economy . A burgeoning sector of the economy is allergy treatment . entailment +Computer-administered or self-administered screens may address this issue by allowing patients to spend more time completing in-depth questioning with no additional staff time . Patients may spend more time completing in-depth questioning with no additional staff time . entailment +( And , indeed , some of his supporters may prefer seeing him as the victim of a disease rather than as an intentional sexual predator . ) People will think of him however they are more inclined to . neutral +where where i where i where i 'm at right now is in a dorm and we don 't have the uh we don 't have cable so i just get regular TV but I would watch cable , but we don 't have it at my dorm . neutral +GAO / OGC-96-9 evaluates comments concerning alternative means of establishing fees for small entities and evaluates these alternatives . GAO received comments regarding alternative means of establishing small entities ' fees . entailment +" Then why didn 't you say so ? " she asked sharply . Why didn 't you say you had the cash ? neutral +Why , yes . The speaker knows why . neutral +i have three i didn 't say i i have three of them yeah two uh i have the girl is the oldest and then two boys My girl is the oldest and two younger boys . entailment +Initially weakened by an outbreak of plague , the 12,000 strong population rallied to the cause . Diseases wiped out the entire population . contradictory +Very well . He rang the bell . He rang the bell . entailment +Unique to Borneo , the male sports the splendid pendulous nose that gives this species its name . They are found in many places outside Borneo . contradictory +The view of Robert Kennedy lying in a pool of his own blood has been reproduced regularly for almost 30 years with minimal objection or concern about his family 's feelings . The imagery of Robert Kennedy 's death has been used often in the media . entailment +The Constant 2000 National Saving Rate simulation reflects an unspecified mix of saving by households , businesses , and all levels of government . The saving rate is constant . entailment +Endpoint Pollutant Valuation per case Valuation per case ( 2010 mean est . ) A way to check pollutant levels in a sample neutral +And do you know how to play hot pot , because I brought the equipment , and it had cost me nine thousand euro , Czarek 's ironic voice could be heard . I brought my hot pot equipment . entailment +Based on those We can conclude based on those . entailment +We only ask that they take on one ( free ) case at a time . It 's up to them how many free cases they take on at one time . contradictory +We do not know which staff group will be most effective . The groups all work at different speeds . neutral +they when they buy a tape or something sometimes that 's fun because it 's different and something i 've not always heard and you know i enjoy that I enjoy listening to weird music that makes other people uncomfortable . neutral +Can 't say as how I 'd like to find out the truth . I 'd like to find out the truth , but can 't say how I 'd do it . entailment +Curiosities such as the Arches and the Mushroom Rock are self-explanatory . The Arches and Mushroom Rock are curiosities . entailment +Drew did not know what he had expected of their first meeting . Drew knew exactly what to expect . contradictory +We assume that net foreign investment rises by one-third of any increase in the national saving rate . There are times that net foreign investment does not rise when national savings rate do . neutral +be well i i think i would feel the same way i 'd i 'd really feel like i 'd been deceived you know that that wasn 't the thing to do I would feel the same way if I had been tricked . entailment +He declined invitations from Democrats and Republicans to run for the Senate in California and resisted efforts to draft him into the 1988 presidential race . He accepted invitations from Democrats and Republicans to run for the the House . contradictory +It 's an odd factor , Do people believe that Brokaw , Rather and Jennings--reading scripts written by others from their TelePrompTers--are making things up ? Do people believe that Jennings , Rather and Brokaw are telling the truth ? contradictory +There is also a museum illustrating the history of the horse in Ireland ( including the skeleton of the legendary racehorse Arkle ) . The museum shows the history of the horse . entailment +Centrelink reports $ 410 million to $ 460 million in incorrect payments a year , of which 70 percent is classified as preventable payments . Centrelink loses a lot due to incorrect payments because of poor management . neutral +Should we , as some in the administration want , focus our attention on preserving the jobs of well-paid employees at big corporations ? We personally don 't think that preserving the jobs of well-paid employees at big corporations should be a major priority . neutral +SO2 allocations will track this agreement . The agreement won 't be tracked through S02 allocations . contradictory +They also saw no need for agencies to always provide an email address or web site to which electronic comments on proposed rules could be addressed . An email address was determined not to be needed . entailment +In an effort to foster more consistent levels of statewide service and to eliminate service gaps that leave clients in geographically remote areas underrepresented compared to their urban counterparts , LSC has asked each of its grantees to undergo a fundamental paradigm shift in their program vision . Urban clients receive higher levels of service . entailment +I 've had enough of it . I can 't take anymore of this , it 's getting out of hand how ridiculous and blown out of proportion this situation has become . neutral +Several representatives stated that an underlying requirement for communications was establishing standard terms and reporting thresholds so that the magnitude of an incident could be easily and consistently understood and members could quickly determine an incident 's potential impact on them . Establishing standard terms holds no importance in communications . contradictory +Tucker can be trying when the script isn 't good , but he 's a great foil for Chan--physically gung-ho and with supersonic timing . Tucker is trying when the script is bad , but he 's a great foil to Chan because he is physically gung-ho . entailment +They had some trouble pronouncing ba-con-an-eh-guh-zuh and manipulating the fork . They easily pronounced the word on their first try . contradictory +The rest of the night was no better . The night got even worse afterwards . neutral +Buchanan can 't reconcile his lifelong anti-communism with the anti-interventionist philosophy that supposedly unites his book , so when it comes to the Cold War he carves out an absurd The extreme evil of communism , he says , warranted military action in places as far-flung as Vietnam or as minuscule as Nicaragua . Buchanan supports the communists . contradictory +But in the final five minutes , I raised my bid to $ 250 , then $ 275 , then $ 300 , and finally won the auction , exhilarated by my victory . I lost the auction , sadly . contradictory +North of Denderah is Abydos , 150 km ( 93 miles ) from Luxor , and erected for the worship of Osiris , God of the Underworld . Abydos is a two hour drive from Luxor . neutral +Acre 's finest lodgings , with a beach and the country club 's excellent facilities . It 's the worst lodging in Acre . contradictory +When they awoke at sunrise , Adrin was gone . Adrin stayed in bed all morning long . contradictory +These are terrible ideas ( to find out why ) , but without them the notion is simply empty . These are all terrible ideas , but the one about the clown might be a good one . neutral +For two weeks he watched for riders over his shoulder . He ignored the riders contradictory +It had been found in Mrs. Inglethorp 's cheque book , and on being reversed at a mirror , showed clearly the words : " ¦ erything of which I die possessed I leave to my beloved husband Alfred Ing ¦ " This placed beyond question the fact that the destroyed will had been in favour of the deceased lady 's husband . It was discovered inside a cheque book that belonged to Mrs.Inglethorp. entailment +I sat in stock silence while White had a word with his flock . I wanted to speak up while White spoke but I didn 't . neutral +California lags far behind comparable states in funding legal services for the poor , a situation so dire that only 28 percent of the civil legal needs of the state 's poor and lowerincome residents are being addressed . California is a leader in funding legal services for the poor . contradictory +It 's no use responding that the law itself protects privacy better than copyright protects a Spielberg movie . The law says people don 't deserve privacy . contradictory +To track all of this month 's four-star movies , check out the TV-Now website Four Star Movies February TV Schedule . The four star movies this month have been very good . neutral +i think we 're going to end up back there in a few years or if if not sooner It seems likely we 'll end up back in Afghanistan in the next few years . neutral +The cook may be from Valencia , the cuisine advertised as French , and the customer may want nothing more daring than a steak . Customers quite often don 't care about getting foreign cuisine : instead they prefer something that they already know they like . entailment +The programs continue to receive very strong support from the MSBA , the court and the legislature . The MSBA gives the programs 25 % of their support . neutral +The basilica 's highlight , and generally accepted as the work of a young Giotto , the Life of Francis ( 1296-1304 ) is movingly celebrated in 28 scenes along the lower tier ( starting from the right transept ) , while 32 frescoes in the upper tier illustrate scenes from the Old and New Testament . The scenes in the lower tier were created by Giotto near the end of his life . contradictory +Why , you could be anything . You know , you can be anything . entailment +Maybe he should get some publisher to sign him up to write the life of Norman Mailer . If he wants to write the life of Norman Mailer , he should get some publisher to sign him up , but we all know he never will . neutral +your husband what what group is your husband in Why ? No reason , no reason at all for wanting to know that information as an attractive female . neutral +He didn 't hit the man hard but it was loud . He hit the man as hard as he could . contradictory +The university 's senior security officer noted that the database could be augmented to provide an even broader range of security management information . The senior security officer 's suggestion was taken under review by the management . neutral +Start at the confluence of the V ? ? zyre and Dordogne rivers , where the hilltop village of Limeuil affords a fine view of both valleys and their bridges meeting at right angles down below . No boats travel on the Dordogne due to its numerous bridges . neutral +But if our graduates don 't do it , the millions of people who cannot access justice in this country will continue to soar . Many people can 't get legal help entailment +right recently yeah fairly recently well that 's really sad i hadn 't thought about that in a long time It 's been a long time since I 'd pondered that . entailment +By 2015 , as an example , scenario A returns cost estimates of $ 15 . In 2015 the costs are estimated to total $ 5,000 in scenario A. contradictory +7 Privatization gone awry . Privatization doesn 't work for everything . neutral +House Majority Leader Dick Armey , R-Texas , has compared Barr to former Rep. Dick Armey doesn 't like Barr . neutral +They lived in thatched houses , hunted and farmed , and worked ceramics and textiles with great skill . They hunted , farmed and lived in thatched houses . entailment +oh that 's good we 've uh not been brave enough yet to brave that trip with these with the two small children i mean you know in the car The children are too small for a trip of that magnitude . neutral +You get us a working Franklin in two weeks , and we 'll pretend everything is happening exactly as it should . I only had a week left to get a working Franklin . contradictory +so it 's it 's not really i guess camping the way people most people picture camping in the tent but It 's not like camping in the tent . entailment +To block the possible fee increase , 51 % of property owners in the district must submit protest votes in writing . Protest votes must be submitted in writing . entailment +There was a knot of men surrounding the golden horse , and as his rider mounted , Oro put on a good show , rearing to paw the air with his forefeet as if he wished nothing better than to meet his gray rival in an impromptu boxing match . The pony was made of solid gold , it looked valuable . neutral +Since Cockburn cracked wise in 1982 , the news business--especially the TV news business--has grown more aggressive and competitive . News business became more tame since Cockburn cracked wise . contradictory +Although the Costa Calida extending southwest beyond Cartagena has opened up to property development , you can still find quieter stretches of beach . Costa Calida is northwest of Cartagena . contradictory +say ten dollars at you know at at the most out of a decent fabric A good quality fabric should cost at most ten dollars . entailment +From 1995 to 2000 , labor productivity growth averaged 2.8 percent per year compared to 1.6 percent from 1970 to 1995 and 2.9 percent during the 1960s . From 1995 to 2000 the labor productivity growth saw a large decline in percentage . contradictory +The small Cave of St. Anne has a silver band where it is said St. John laid his head each night , and a simple rock ledge is said to have been his desk . St. John is rumored to have had a rock ledge for a desk . entailment +because a lot of people work uh you know hours that oh they may have two or three hours there that they could either go before or after work No one has any time to go . contradictory +He saw them again , dismounted and talking to a thin man in tattered clothes . He talked to a thin man in tattered clothes after dismounting . entailment +At the same time , a tidal wave lashed the shores near Saint-Pierre . At the same time , a large comet lashed the town of Saint-Pierre . contradictory +The two legs contain offices , while the roof houses conference rooms and exhibition space . The legs and the roof house spaces for the same events . neutral +yeah i did too i really did No I did not contradictory +Gaaaaandhi , gone gone gone . We do not know where Gandhi is . neutral +I know there are many fine physicians around , but this seems to me to be a form of bragging . Fine doctors are a dime a dozen in France . neutral +What could be more delightful ? There was nothing more delightful . contradictory +yeah it 's beautiful It looks really good . entailment +The former were classical Raptors , long tails and gnashing jaws . There were Raptors that had strong jaws and lengthy tails . entailment +Students protesting overcrowding , antiquated methods of teaching , and stifling bureaucracy made the Sorbonne a focal point in 1968 . The students were furious that there were forty of them in a classroom . neutral +yeah yeah those have really cropped up years of late but uh Those have not appeared in recent years . contradictory +Kenrokuen Park , a classical Edo-period strolling garden regarded as one of the three best in Japan , is a good place to start your visit . A good place to start your visit is Kenrokuen Park . entailment +oh yeah my dad has a lake cabin and so we go there for the small lake uh just outside of the Dallas Fort Worth area it takes us about three hours to get there and we go and we fish and we catch a bunch of junk nothing nothing to talk about for the most part but it 's fun The lake is full of mosquitos that sting . neutral +Right now , ADSL is ridiculously expensive--more than $ 1,000 for the modem alone . It costs more than $ 1000 for the ADSL modem . entailment +From the colorfully painted houses clustered around the postage stamp-sized harbor , avoid the crowds of day-trippers by setting out on a paved cliff walk . The day-trippers typically leave at around 4 in the afternoon . neutral +Building on policymakers ' efforts to enhance tax incentives for retirement saving , education campaigns are a means to convey easy-to-understand information about the variety of saving vehicles available . Retirement saving is important to policymakers , as is education campaigns . neutral +lots of pepper and you just boil them and they 're absolutely wonderful but there 's uh they 're a pain to peel for some people once you get used to it they 're real easy but um you know if you have nails or anything you can I don 't season them and eat them raw . contradictory +uh oh yeah but yeah uh that 's not one of my first priorities when i 'm looking for a new car is excellent gas mileage look Great gas mileage is all I really care about when I 'm shopping for a car . neutral +Moreover , as discussed in our Medicare Program Major Rule Report referred to above , the mere existence of the April 1 statutory deadline established by the IIRIRA , which was enacted September 30 , 1996 , did not provide a basis for failing to comply with the 60-day delay provision . The mere existence of the April 1 statutory deadline established by the IIRIRA , which was enacted September 30 , 1996 , this caused outrage with the Australian 's as the kangaroo 's got sad . neutral +i bet it likes chicken though However , I 'm guessing chicken is something it likes . entailment +Shoppers hold mail-order firms to a higher standard than department stores when it comes to keeping things in stock , because the catalogs afford them a photo and item number for every parka , turtleneck , and blazer ever placed in inventory . Department stores are much better at keeping items in stock than mail-order firms . contradictory +Tommy proceeded leisurely . Tommy took his time . entailment +does reflect the impacts of long-term exposure . It is not good to get that much exposure . neutral +Binoculars are great for isolating such works of art from their busy surroundings and for appreciating the details of craftsmanship . The works of art available for viewing are located in empty , plain surroundings . contradictory +'Mr.Greuze says you can come in , ' I was told . I was nervous about going in . neutral +As his son , Ken , wheels him up the concrete ramp and through the doors , Lindsey 's grin says it all . Lindsey smiles as his sone wheels him up the ramp and into his old high school . neutral +She felt morally battered to the ground after her conflict with Julius 's vigorous personality . She felt utterly demolished after her vicious fight with Julius . neutral +yep oh yeah they do they get real emotional about it all the i 've worked with a lot of people that hunt and they just they they don 't see any sense in it at all they think it 's ridiculous to have any kind of gun control but then of course they 're hunters they know what they 're doing they don 't realize there 're a bunch of crazy people out there that Most hunters are against gun control because they know what they 're doing and according to statistics , most hunters wouldn 't kill a human being . neutral +It was a glorious night , hot and still . The night was his favorite kind of night . neutral +Major among these is the Kalawun and Barquq Mosque on the arterial Muizz lidina-Illah Street . Muizz Iidina-Illah Street has some mosques on it . entailment +The Middle Ages The Middle ages were a tough time . neutral +A national apology for slavery would be hollow and facile , but America should erect a slavery memorial on the Mall . A token national apology for slavery might even be considered insulting to the descendants of slaves . neutral +The rare , almost sightless Gangetic dolphin may even come up for a blow alongside your canoe if you are extremely lucky . While the Gangetic dolphin is very common , you won 't see them at this time of year because they 've all migrated south . contradictory +Resuming a tradition of classical Rome in his work at Versailles , Andre Le N ? ? tre used the paths and avenues of trees and statuary to divide flowerbeds , ponds , and fountain basins into intricate geometric patterns . André designed the gardens at Versailles with geometric patterns in mind . entailment +At first glance , reducing future benefits promised to current workers would not seem to increase resources available to invest now . Reducing future benefits for current workers results in more resources to invest with . contradictory +Steel is the major hardware component for FGD systems . Steel is not a part of FGD systems at all . contradictory +I thought of ending the book with his quote , but then some other stuff happened in his life ( you 'll have to buy the book-- $ 24 . I ended the book with his quote with no troubles . contradictory +He expanded GAO 's training curriculum and strengthened the Training Institute . GAO 's training curriculum has continued to improve every year under his guidance . neutral +The villages of Flanders , once gray and gloomy , are now full of flowers in the summer and the larger towns in the region ' Lille , Arras , and Amiens to the north , Reims in the center , and Nancy and Strasbourg to the east ' exude great civic pride . The villages of Flanders are set to appear grey and drab forever . contradictory +rather than to wait until the children are like in school There are no kids to consider . contradictory +It would allow you to see how closely you line up with the candidate for whom you intend to vote , and thereby tell you whether your attraction is based on a congruence of views or a more ephemeral sense of goodwill . nothing can help you discover which candidate aligns most with your views other than reading all their speeches . contradictory +Then there are the Musee de l 'Homme in the Palais de Chaillot ( Trocad ? ? ro ) , devoted to man 's prehistory ; the Musee de Cluny ( 6 Place Paul-Painlev ? ? ) , for the great Lady with the Unicorn tapestry and also for sculpture of Paris 's Roman and Gothic past ; Musee Guimet ( 6 Place d 'I ? ? na ) , a superb collection of Indian , Jap ? ­ a ? ­ nese , and Chinese art ; Musee de l 'Affiche ( 18 Rue de Paradis ) , for advertising posters of the past and present . The subject of the Musee de l 'Homme is the prehistory of humanity . entailment +He pointed to the booths selling the best weapons , describing each of the strange implements in vivid detail . He told the man which booths had the cheapest and poor quality weapons . contradictory +well you know the the i 'm i 'm also hoping that this budget process will rub off on them because uh when i grew up i had no I don 't want them to be as ignorant as I used to be when I was young . neutral +He ain 't no real doc , of course , but was I totin ' me a hunka lead in some serious part , I 'd rather have him diggin ' for it than a lotta docs I 've seen out here . He is not a real Doctor but I trust him to take out a bullet . I have one in my shoulder he is going to fix . neutral +so someone like that they i really don 't want to see them go in a home he 's got two little dogs that are his constant companions and he always replaces them you know i 've had like over the past thirty years i 've had you know about seven or eight different dogs all the time and there all you know it 's like oops dad 's got these two and the old one dies and the young one goes for a while and he gets another one so i can 't see him without without his animals even though it 's very expensive to stay at home My dad prefers to have an even number of male / female dogs . neutral +yes yes that 's fun really am i pretty Texan I am not very Texan . contradictory +Attractive and excellently crafted hand-made rugs , mostly from the Alentejo region , have been produced for centuries . The rugs are knit by the women in the village . neutral +If true regional differences exist , applying the PM / Mortality C-R function to regions outside the study location could result in mis-estimation of effects in these regions . Since we know that regional differences do not exist , functions can be safely applied to all regions . contradictory +He tried to make his words casual . He attempted to make his words nervous and stupid . contradictory +But family rivalry triggered the overthrow of Jaume III by his cousin Pedro IV , who then seized the Balearics for Arag ? ? n . Jaume III and Pedro IV were not related . contradictory +4 ) Distortion Distortion from a bad speaker can ruin any good song . neutral +If you don 't have the right leadership team in key policy , operational and management positions , the department will be at risk . For the sake of the department , appropriate leadership must be present in key policy , operational and management positions . entailment +The New England Journal of Medicine rushed the story to press . The New England Journal of Medicine quickly sent their story to the press . entailment +right i never really had anything major with my Mazda but it was a standard also and the clutch went out on it toward the end i had it five years and the last year or last two years it seemed to go out really easily i think it went out twice in two years The clutch in my car failed several times . entailment +There 's a very good man in Paris makes a study of these cases but Mrs. Vandemeyer opposed the idea of publicity that might result from such a course . " Mrs. Vandemeyer does not want the publicity from whatever action may be taken . entailment +um is that typical to only breed them once Is it normal to only breed them one time ? entailment +" Yes , suh . Yes , sir . entailment +Come to think of it , Brahms isn 't that close to Mozart . Brahms and Mozart are not actually that close . entailment +18 New Yorker , Seymour Hersh assessed the damage caused by Pollard to America 's national security . 18 New Yorker , Seymour Hersh is assessed the damage done by Pollard to the national security of America . entailment +At every turn , Clinton failed to heed . Clinton was blind in every situation . entailment +and if they were uh if if if i had no doubt that uh they would be a hazard to to the rest of uh the population as long as they were alive uh yeah i could probably go along with that There 's no way I would do that , even if they were terrible for the population . contradictory +Then I went to the washstand , and damped the brown paper at the back of the picture all round . At the back of the picture , there was brown paper . entailment +One can easily imagine ladies in crinolines and bonnets walking along the thoroughfares , with carriages riding noisily over the cobbled streets . Ladies at one point wore crinolines and bonnets while walking along the thoroughfares . entailment +The longest river in the world brings abundant water from the heart of Africa to irrigate a narrow verdant valley snaking its way through the hundreds of thousands of square kilometers of parched desert that constitute the modern state . There are lots of streams in Africa that allowed for life to thrive . neutral +There 's one thing , Inglethorp himself won 't be too keen on meeting her . " Inglethorp won 't be happy to meet her because she 's the competition . neutral +yeah i think that 's ridiculous isn 't it That 's not outrageous at all . contradictory +uh if you ever hear of the Maryland steamed crabs Are you aware of the steamed crabs they have in Maryland . entailment +This site contains information on membership , a calendar of events , and links to AFFIRM 's publications . There are links to other publications on this site . neutral +The Sticks know the villagers are in the mine , said Jon . The Sticks didn 't know anything . contradictory +A chapel on the left holds the tomb of the last of the Austro-Hungarian emperors , Charles I of Austria ( and IV of Hungary ) , who died on Madeira in 1922 . Charles I of Austria was well known for his frivolous spending . neutral +so i 'm really thrilled at you know that they you that they have it here so I 'm really happy that they have it here . entailment +was the gas mileage decent or Was the car not drivable ? contradictory +so so we all even get more uh get more lawn to mow that way but uh it 's fun Mowing the lawn is fun because it 's easy . neutral +The witch and her armored men stood back as the demon surveyed them with eyeless sight . The demon had no eyes but was still able to see the witch and the men . entailment +Well , how about it ? Fine , maybe we should not continue . contradictory +In those peaceful years , without threat of foreign invasion or civil war , there were no city ramparts . Many wars and invasions plagued the city during these years . contradictory +Once dead , he had to settle for this spot in front of the Scuola of San Marco , a clever Venetian solution . He had a spot behind the Scuola of San Marco after he died . contradictory +um i wish i had I intensely crave the chance to have done that differently . entailment +The protocols have been revised in those areas to reflect the The revisions to the protocols have made things clearer to understand . neutral +: Moore and Bailey both said this isn 't true . Moore and Bailey tried to convince others of their belief . neutral +The museum has an art collection , and displays of toys and other artifacts . You can see artifacts , toys and art at the museum . entailment +Science ( third icon from the top ) Science ( excluded from the icons listed above ) contradictory +It is an independent body that audits the accounts of all government departments and agencies , as well as a wide range of other public bodies , and reports to Parliament on the economy , efficiency , and effectiveness of government agencies . It is necessary to have an independent auditor for government . neutral +Pope Julius II took a calculated risk in 1508 when he called in a relatively untried 26-year-old to do the interior decoration of his new apartments . A 26-year-old was called to do interior decorating by Julius II . entailment +Now he ain 't no patient man ; he 's th ' kind as uses his hooks hard when he 's ridin ' . He could wait for ten minutes but he was too impatient for anything beyond that . neutral +well i would say the Saints after Probably the Saints . entailment +you know you don 't have to put up with all these wild critters coming into your property I suggest buying a hunting bow and practicing hunting a bit . neutral +More and more people demanded more and more care and , thanks to science and technology , that care was far more likely to be efficacious . Due to science and technology use , care got more expensive . neutral +This section discusses the traditional payment process , modifications to the traditional payment process , and the importance of internal control in effectively administering the payment process . This section highlights the importance of internal control on the payment process . entailment +Kennedy 's trumpet call , Ask not what your country can do for Ask what you can do for your country , has an ironic history . Kennedy said , " Ask not what your country can do for Ask what you can do for your country . " entailment +But nothing has replaced it . It was too rare to have something replace it . neutral +The Committee recognized that uncertainty or fear of failure may immobilize an agency 's efforts to implement GPRA and that its implementation is evolutionary in that proficiency comes with time and experience . The implementation of GPRA changes as things become less proficient over time . contradictory +not a soldier or a bounty hunter . He was not a soldier or bounty hunter . entailment +'I can 't imagine what you mean , ' I deadpanned . 'I don 't understand what you 're talking about , ' I said expressionlessly . entailment +okay well i 'm in east Plano i 'm out in Las Rios so it 's bound to be different over here but yeah yeah I enjoy being in Las Rios . neutral +The permanent collection is housed in the old wing , and its fascinating exhibits showcase the development of Chinese-influenced Buddhist art and design . The permanent collection is the most popular part . neutral +really how 'd you hear oh we 're not even supposed to be talking about this though are we We really shouldn 't be talking about the patients medical records . neutral +Despite the pain and humiliation , the inmates love the rodeo and feel free for that one day . The inmates love the rodeo despite the pain . entailment +yeah like the Mayor of Dallas is a woman and i 'm sure that twenty years ago that never would have happened but yeah she 's i think she 's in her second term now so A woman is the Mayor of Dallas and I am certain years ago that would have never happened . entailment +Ah , you gentlemen from the Hall , you 'n a pretty lot ! " And he leered more jocosely than ever . He leered at the man . entailment +Perhaps the absoluteness of the act of writing , in effect , his own elegy--and the absoluteness of his inability to answer his critics afterward--curiously mellowed him . He was mellowed by being unable to answer critics . entailment +and he said oh it 's going to be just about four hours well he was gone the whole day and he said well all i got done was the taping around It ended up taking him more than four hours to do the whole thing . neutral +yeah yeah i have a nephew he 's a little brat I have a nephew that acts like a jerk all the time . neutral +How will we use that information to make improvements ? Improvements must be made for it to continue . neutral +Two minutes later they were seated in another taxi and were retracing their steps , this time direct to Carlton House Terrace . They had lost their trail , and had to catch another taxi to Carlton House Terrace . neutral +i let her do a lot of the planting and putting and i i do a lot of the uh a lot of the the back the back work and stuff but she does she helps me a lot too she puts a lot of financial she plans it all out We do the planting together neutral +overhead cam diesel engine that represented a quantum leap in performance beyond Cummins ' existing products . Representing a quantum leap in performance was the overhead cam diesel engine . entailment +Cooks should be on the lookout for spices chili , turmeric , cardamom , ginger , nutmeg , and cumin which we advise you not to buy until your last day . Spices can be preserved for years before use with no taste change . contradictory +Our conviction reflects a widespread belief that the people are basically good and pacific , while governments are fundamentally suspect and aggressive . We think , like many others , that goverments are usually not reliable . entailment +Longabaugh noted one matching effect that persisted throughout the post-treatment period in Project MATCH . Longabaugh found a hundred matching effects that persisted . contradictory +Jacob White was on his feet , swaying . Jacob was tired . neutral +As a result , our only remaining recourse is either to file suit in the United States District Court for the District of Columbia or to forego further assertion of our access rights . All available forms of recourse have been exhausted . contradictory +Using these guidelines , the normal range of NOECs from toxicity tests using a There is no such thing as a normal range of NOECs . contradictory +Today , in most parts of our country , the partnerships between legal services programs and the private bar are deep and true . Right now legal services programs and the private bar have good working relationships . entailment +so i i don 't think they are too I think they will . contradictory +Besides , even more telling than the views of academics are the images of Nixon in popular culture , where he remains resentful , paranoid , and ruthlessly power-hungry . Nixon is remembered by all Americans as paranoid and power-hungry . neutral +so he goes well if you go to bed at eight then you 'll wake up like six in the morning If you go to bed by eight , you 'll wake up at five in the morning . contradictory +Mr. Carter would have recognized it . It would have been recognised bu Mr. Carter . entailment +A recent Paris Match tried to help by offering The Most Expensive Bathing Suits available this year , all photographed by Helmut Newton and worn by the unbelievable Eva Herzigova . Each of the bathing suits used were cheap and of poor quality . contradictory +Delightful as the vineyards of Burgundy may be , the landscape and villages of certain other routes des vins may be considered prettier ' those of Alsace , for instance . Burgundy is unanimously considered the most beautiful village in the country . contradictory +Go round to the back of the church to see its wonderful russet and brown stone chancel of interlacing arches , Gothic rosewindows , and Arab windows with pointed arches . Gothic rosewindows and Arab windows are visible in the church . entailment +Exactly , said Poirot . Poirot is agreeable . neutral +Newspapers deliver about 86 billion inserts annually , 15 while the U.S. Newspapers deliver 86 billion inserts annually , 15 in the U.S. and 20 in Russia . neutral +well have you ever played baseball Is playing baseball something you 've ever done ? entailment +It is screamingly obvious to everyone who knows and loves her that the trouble lies with my mother and not , as she would have it , with the parade of horrible bosses fate has saddled her with . My mother 's inability to hold a job is due to her own flaws . neutral +through your pipes because it 's toxic um chlorine it 's toxic it 's a i don 't know if your on city water city water has chlorine in it chlorine causes cancer I avoid city water and only drink bottled water . neutral +The tall trees surrounding this building , which also houses part of the Ministry of Education , are the daytime roost of a colony of large fruit bats that trade places at dusk with flocks of crows . The Ministry of education is not located in this building . contradictory +yeah of course i can 't say we didn 't have a choice if you always wanted to you could uh go out and buy your health insurance I can 't say we had no options , because we could always pay a fortune for it . neutral +An official of the American Names Society says parents have stopped naming their daughters Hillary since 1992 . Many parents cite reasoning against the name 's use as stemming from the infamous actress Hillary Swank , increasingly responsible for an odd string of nomadic folk music records being released into the marketplace . neutral +Federal spending on education and nondefense R & amp ; D , which is intended to enhance the nation 's long-term productivity , also remained relatively constant as a share of GDP over the 1990s . Federal spending on education and non defense R & D , which is intended to enhance the nation 's long-term productivity , also remained relatively constant as a share of GDP over the 1990s and into the 2000s . neutral +Twenty three years is ... not that old , ' confidence left Rajmund 's voice . Rajmund thinks that twenty three is very old . contradictory +The development of Microsoft FashionSense 2.0 is long overdue , and I for one would like to offer my services as a volunteer beta tester . I 'd like to be a beta tester for Microsoft Fashion Sense 2.0 . entailment +It 's also popular with American expatriates , who often can be seen playing touch football or softball games . It is a big park with wide open areas that appeal to the American expatriates here who use it to play baseball and football . neutral +Some crystal ball . Some crystal ball you have there . neutral +But I guess the new generation 's sort of different . There are differences in this new generation . entailment +The venerable craft of exquisite handmade paper goods , stationery , and bookbinding is easy to find . The paper goods sole are mass produced in factories . contradictory +Economist George Gilder now speaks of America 's cities as centers of value subtraction--parasites that suck social and economic vitality from the rest of the country . George Gilder views America 's cities as parasites . entailment +And for those who enjoy inspecting ancient instruments of terror and torture , there 's a medieval chamber of horrors in the Tour des Voleurs ( Thieves ' Tower ) . There are no torture instruments in the Tour des Voleurs . contradictory +Social Security Implications of Government Stock Investing for the Trust Fund , the Federal Budget , and the Economy ( GAO / AIMD / HEHS-98-74 , April 22 , 1998 ) . Social Security Implications of Government Stock Investing for the labour find . contradictory +When Inglis vows to serve only two Senate terms , Hollings crows about his experience . Inglis vowed to serve only one term in the Senate . contradictory +Three cotton prints to look out for , particularly in Rajasthan , bagru , consisting of geometric or fish , almond , and vine patterns in blue , brown , and maroon ; sanganeri , block printed floral and paisley patterns ; and bandhani , tie-dye , which results in decorative color . In Rajasthan you should keep on eye out for bagru , sanganeri , and bandhani cotton prints . entailment +To do it yourself , or charter bareboat , you 'll need to demonstrate proficiency . You have to be able to show competency in order to do it yourself . entailment +The analysis provides the information required by paragraphs 603 ( b ) ( 1 ) through ( b ) ( 3 ) . The analysis only provides part of the information . contradictory +Targets directly linked to organizational results The targets are not directly linked to organizational results . contradictory +People are what make internal controls work , and the integrity and ethical values maintained and demonstrated by management play a key role in the entire organization 's ethical tone . People are the base of all successful businesses . neutral +I have not asked other attorneys to handle cases , so I havent been turned down , Frank Smith said . Frank asked about the cases . contradictory +Never mind the darned stitches . Keep your gaze on the stitches . contradictory +Clearly , the formulation and oversight of energy policy and the investigation of Enron-related activities represent important institutional prerogatives of the Congress . Congress led the Enron investigation . neutral +They whinnied , eyes wide . Their eyes were open wide . entailment +Creating the works from public domain print editions means that no one owns a United States copyright in these works , so the Foundation ( and you ! ) can copy and distribute it in the United States without permission and without paying copyright royalties . The Foundations interest is in the distribution of books in the U.S. neutral +Yet I do not know … . I don 't know , but am learning tomorrow . neutral +When you are dying or otherwise beyond power over us , you shall have the names , Dave Hanson . You can have the names right now , Dave Hanson . contradictory +and so she 's going to get some money for that and take some money from the bank and then try to make as much down payment as possible to keep the monthly payment low she 's going to receive money from that and withdraw some from the bank and then use it as a down payment entailment +washing hands or touching car doors , it gave mefreedom with walls so I could handle bulging and sagging when I had to ; and one of the summers I read Steinbeck and made love--in the bedroom-- I was on vacation during the summer . neutral +The essence of this point can be illustrated with a simple example . This point can not be showed with an example . contradictory +Laundry adorns disintegrating balconies , while in the center of the plaza an incongruous , neoclassical gleaming marble fountain has been installed ( it 's an unmitigated disaster in this atmospheric corner of Old Havana ) . There is a gleaming marble fountain outside the park . contradictory +Specifically , all findings should be qualified by the recognition that these tools are limited by the accuracy of the All the results are utterly accurate at a rate of 100 % . contradictory +um yeah yeah i 'm i 'm pursuing what they what 's what 's called an interdisciplinary field i 'm a speech therapy major and fortunately i have a lot of i have a good medical background and I 'm going to major in speech therapy in five years . neutral +His head turned , his attitude now one of listening concentration . He kept his head completely still . contradictory +The island 's tranquility lasted until 1287 , when Alfonso III of Arag ? ? n , smarting over a series of humiliations at the hands of his nobles , found a pretext for invasion . The island was peaceful until 1287 , when Alfonso III decided to invade it . entailment +I 'm not so sure . I 'm unsure . entailment +While using foreign investors ' saving allows U.S. domestic investment to exceed national saving , these financial inflows have implications for the nation 's economic growth and for future living standards . Most members of the public would like to see this change in the interests of raising living standards in the future . neutral +He just said . She just said . contradictory +The paintings that cover the walls depict the Nile at its most splendid with abundant fruit and depictions of wine-making . There were no paintings of the Nile on the walls . contradictory +five days a week but it was an absolutely fascinating experience The experience was interesting every single day . neutral +To him , it was saying that work should not include screening research in isolation . He feels that screening research in isolation is a good thing . contradictory +The addresses on workshared pieces are generally thought to be more accurate and are almost always machine readable . The addresses on workshared pieces are generally thought to be more readable and much prettier . neutral +Firm of Bush , Baker , Scowcroft , and Sununu Wins Another Big New Government ' We 'll Forever Owe ' Em , ' Official Explains . A large prominent law firm won a case against the government , but there will be appeals , I am sure . Officials stated . neutral +i think i think uh i think that is and and we we got involved really in in two ways uh my oldest daughter i guess when she went uh was in the first grade brought home a note saying uh we 're getting up a soccer team and we 're getting a chance to play soccer We didn 't get involved until my daughter had graduated . contradictory +but i find that uh over over the years i 've developed the ability to keep track of my uh workout and at the same time uh do some creative thinking while i 'm swimming I hate working out and never go swimming contradictory +He turned up from nowhere , on the pretext of being a second cousin or something of Evie 's , though she didn 't seem particularly keen to acknowledge the relationship . Evie did not care for him . neutral +The book 's plot ( about a man 's anonymous love letters to his girlfriend ) is said to be trite , and the ending is called a cop out . The plot of the book was considered trite . entailment +You found them . You lost them contradictory +and uh but when i got married and had children and everything it seems like i keep all my activity just chasing around fulfilling my obligations so i haven 't done a lot of uh exercise on purpose what about you I 've kept up my active lifestyle with daily exercise even after getting married and having kids . contradictory +Also on the National Monument grounds is a Cenotaph to the British Commonwealth 's dead of the two World Wars . There were a lot of British Commonwealth deaths in World War Two . neutral +Ear irrigation ? Scraping of the earwax neutral +Workers are considered disabled if they have severe physical or mental conditions that prevent them from engaging in substantial gainful activity . In order to be classified as disabled , a worker must desire time off from work . contradictory +all the other scandalous items that well the greed that overwhelmed us in the eighties Greed overwhelmed us int the 80 's and now we are seeing a backlash from that . neutral +he 's uh that 's one of the better ones uh i 've got i think my favorite that he 's done is is A Clear and Present Danger He really enjoys the book Clear and Present Danger . neutral +For example , the Congress might wish to agree on rules specifying procedures for consideration of proposed changes , time limits on debate , or requirements that any amendments to future legislation be strictly related to DHS . The most popular procedure considered included handing out free drinks to all congressmen . neutral +no i 'm single right now and i 'm you know sorting things out which way i 'm going to go with my life before i I 'm married and I have seven children from a previous marriage . contradictory +The popular kids , for example , mock the Wannabes , the mobs of freshmen and sophomores who aspire desperately to become Jocks . The popular kids are kind to everyone and mock no one . contradictory +BLS ' measure of labor input not only takes into account changes in the size of the labor force , but also changes in its composition as measured by education and work experience . BLS measure of labor input does not take into account changes in the labor force . contradictory +Only this time , apparently , fortune was going to favor him . Normally fortune favored others but not him . neutral +um something with the defense uh No , it 's not related to defense . contradictory +In the war . In combat , but it will be victorious . neutral +oh yeah it 's funny some of their necks don 't get broken The necks cannot be broken . contradictory +It 's true that once an inspection is demanded , Iran ( for example ) can stall . The inspection is thorough and intense . neutral +According to Upjohn , the leading explanation offered by the quitters is that the drug doesn 't restore the sexual desire or the pleasure they once derived from sex . everyone thinks the drug doesn 't restore the sexual desire and the pleasure from sex . contradictory +The 1812 Polish War re-established the Poland-Lithuania border , but Napoleon 's troops were crushed as they advanced on Moscow . The Poland-Lithuania border was re-established by the war of 1812 but Napoleon 's army was defeated on their way to Moscow . entailment +In each of the statewide websites supported by TIG funds , there is or soon will be a section committed to pro bono attorneys . No statewide websites are supported by TIG funds . contradictory +huh i don 't know but i know someone who goes to Massachusetts and buys cars that have been wrecked or uh salvaged they probably they might have been stolen and This person is a dear and old friend of mine . neutral +I admire you immensely , Miss Tuppence , more than any girl I 've ever met . I think you could teach other people how to be brave . neutral +According to the agency the rule will not result in expenditures of $ 100 million in any year by either State , Local or Tribal governments in the aggregate or by the private sector . The State and Local governments will have expenditures over $ 100 million . contradictory +It is also sometimes called simply Beaubourg , after the 13th-century neighborhood that surrounds it . The surrounding neighborhood is known as Beaubourg . entailment +oh that makes sense so i mean are you in terms of other things like like like not running but playing a little bit of tennis or can you not do stuff like that at all are you doing light physical activity or is that off limits for you entailment +Jon fought with it as though it were a natural extension of his body . Jon was not capable of fighting . contradictory +in in in Texas in Texas it 's hard because it 's almost like a father to son thing I am a father with a son . neutral +The race was notable for the last several laps , in which Earnhardt rode Gordon 's bumper at 190 mph . The last lap had both cars running at less than 190 mph . contradictory +In the spirit of his grandfather and mother , Rajiv Gandhi and the Congress party sought to improve the lot of the lower castes and minorities while modernizing India . Rajiv Gandhi and the Congress party sought to improv the lot of the lower castes because they needed more political support . neutral +He gave carte blanche and when a millionaire gives carte blanche he usually gets it ! This was the first time he ever gave carte blanche . neutral +yeah there 's no see the humidity up here too is really bad in the summertime it 's really bad it can be seventy five eighty outside but the humidity runs up ninety ninety five percent and boy your just like you 're in an oven roasting i 'll tell you The humidity here is really bad in the summer . entailment +'Thanks , Derry . ' I didn 't bother thanking Derry , what he told me was useless . contradictory +On the first evening Tommy , accompanied by Albert , explored the grounds . Albert went without Tommy . contradictory +Leading public organizations here in the United States and abroad have found that strategic human capital management must be the centerpiece of any serious change management initiative and efforts to transform the cultures of government agencies . Public organizations found the best ways to eliminate government agencies . contradictory +Well then , I blurted out , " it 's absurd ” but I suspect Miss Howard of not telling all she knows ! " Miss Howard is giving us too much information at once . contradictory +Locker , Michael A. Rothenberg of New York Lawyers for the Public Interest became hooked on trying to make a difference , as he put it , while growing up with a learning disabled sibling . Michael A. Rothenberg 's sibling had a form of Down 's Syndrome . neutral +Then take the packet to the American Embassy , and deliver it into the Ambassador 's own hands . The packet is of extreme importance which is why it needs to be directly in the Ambassador 's hands . neutral +Regardless of where the SCR reactor is located , ductwork from the economizer outlet to the SCR reactor and back to the air preheater inlet must be accommodated . Ductwork from the economizer outlet to the SCR reactor and back to the air preheater inlet must be accommodated , it doesn 't matter where the SCR reactor is . entailment +In the arts , architecture was often of the work of engineers , and huge sculptures were ordered from Victorian Britain rather than from local artists . In the arts , architecture was for engineers and sculptures were ordered from Britain rather than locals . entailment +Navel-gazingly yours , Katharine Katherine signed the letter . entailment +'I assume your tastes are more refined ? ' I snapped , almost without thinking . I answered without thought and said something like " I 'm assuming you have more refined taste-buds ? " entailment +At least , this is what I tell Italian-Americans who write me incredibly nasty letters when my mob stories appear . I never reply the letters from the Italian-Americans . neutral +These differences were only noticeable under bright light and on close inspection--indicative of the general irrelevance of the claims on detergent labels . There were many changes made and all could be seen from afar . contradictory +but they tend to like the parking lot up at the Springcreek Plant the upper limit of it 's terraced and its usually unoccupied They prefer the parking lot at the Springcreek Plant , since it 's usually empty . entailment +i know and he pulled that out that is so funny i heard it on the radio i heard the audio portion on the radio in the car but i didn 't see it but I didn 't see it because I was in my car at the time . neutral +uh yeah well i think it depends on what the crime is uh you 're not going to sentence somebody to death for stealing a car uh if it 's first degree murder or uh You 're not going to punish someone for stealing a car the same as murder , but you might if they 're cannibals . neutral +Adrin spoke without turning . Without turning , Adrin spoke . entailment +The style of the crosebeamed roofs and simple wooden frames is the same as that used more than 2,000 years ago , before Chinese architecture exerted its influence when Buddhism arrived here from Korea . China has had no influence on Japan . contradictory +Crete 's pains were not yet over , however . Crete 's suffering was now over . contradictory +and there 's a new dollar theater that 's real nice and so uh I haven 't heard of any dollar theater yet . contradictory +In developing its GPRA training , DOD decided to go beyond the traditional lecture approach to instruction . The DOD decided to expand its lecture approach to instruction when working on its GPRA training . entailment +oh that 's what it is with us too you just like get so frustrated you get something about ready ripe and there goes the bugs and Our vegetables never ripen because the rodents eat the plants . contradictory +When they were dug up they found an antechamber under the rock . They dug with big shovels . neutral +It 's not certain which came first , the famous Ibicenco hounds or the island 's craze for weekend hunting forays . There are weekend hunting forays on the island . entailment +This resort town has a long and usually uncrowded sandy beach , and there are several pleasant golf courses among the palm trees . There are several country clubs accompanying the golf courses . neutral +Mr. Brown ? he said . Mr. Brown was near him . neutral +they get lighter sentences and some of those people they don 't deserve to be let loose Prisoners are let out too early . neutral +However , it is not clear how long this initial openness to change lasts . They were not certain how long they would be open to the changes . entailment +Right now we don 't have any agency in the county willing to handle supervised custody visits , West said . West listed twenty agencies that were handling supervised custody visits . contradictory +that 's a very common experience you know That experience is quite uncommon . contradictory +Ca 'daan 's here , she said . She said Ca 'daan had just arrived . neutral +The spit-and-polish crowd campaigns for school uniforms . There 's a crowd that campaigns for school uniforms . entailment +Section 609 : Participation by small entities Section 609 deals with participation of small entities . entailment +At last they huddled into their clothes , hurried back to the bunkhouse . The got dressed and went back to the bunkhouse . entailment +Whittington and Boris were walking up and down by the bookstall . Boris and Whittington paced side by side . entailment +More recent arrivals from the Jewish communities of North Africa have largely replaced the Ashkenazim of Eastern Europe , who themselves took the place of the Sephardim who first settled in Paris from Spain in the 13th century . The jewish community has mostly replaced the Ashkenazim . entailment +The dollar and mark ( and other currencies ) don 't go as far today as they once did , but foreign visitors and their Polish counterparts can only be pleased with the opening of trade and vastly improved selection of goods on the market . The currencies of Poland increased in value after trade borders were opened . contradictory +TWEAK screens for alcohol abuse and dependence . TWEAK is not used to check for alcohol abuse and depedence . contradictory +By 2000 , he had diversified funding sources for his then- $ 5 . He diversified funding sources for his ( at the time ) $ 5 by the year 2000 . entailment +But may I speak to you for a moment ? 13 Chapter 2 Mr. Whittington 's Offer TUPPENCE turned sharply , but the words hovering on the tip of her tongue remained unspoken , for the man 's appearance and manner did not bear out her first and most natural assumption . When Tuppence turned , she saw what she had expected of the man . contradictory +evaluators call such a procedure building an audit trail and use procedures similar to indexing and referencing to establish both the construct validity of the measures reported and the convincingness of the causal explanations developed in the case study ( Halpern , 1983 ) . This is called building an audit trail by evaluators , but something else by others . neutral +Its 16th- and 17th-century charm is preserved within a triangular rampart . This charm is reserved in a wooden strongbox . contradictory +It would always be the new consciousness imagining what the old consciousness was like--forcing it to be old . It is inevitable that the new consciousness and old consciousness are equal . entailment +and uh somebody walks in there with a gun i mean they 're going to want the money and you can tell by the people who are always caught that these people are there to get money for drugs i mean they don 't want the money so uh so they can do something else with it People who are caught want the money for buying bibles . contradictory +The Wall Street Journal says marshmallows are the new rage in fancy restaurants . A popular publication says marshmallows are the new rage in fancy restaurants . entailment +Having showered Monica with security clearances and Pentagon jobs and gifts and White House visits , it 's a little hard for Clinton to make the claim that she 's a nut cake , but the effort will be made . Efforts will be made to make the claim that Monica is a nut cake , but it will be difficult since they showered her with security clearances and Pentagon jobs and gifts . entailment +And then ? said the Kal . Kal asked , and then ? entailment +How ... why ? I do not care how or why it happened . contradictory +Running roughly north south through Ginza from the corner of Hibiya Park all the way to Tokyo Bay is the broad avenue called Harumi-dori . There are a lot of restaurants located in Harumi-dori . neutral +But you needn 't 196 worry any . You have no need to worry at all . entailment +Its libertarian-minded associates include Jonathan Rauch of the Brookings Institution , Walter Olson of the Manhattan Institute , and the Cato Institute 's David Boaz . Libertarian-minded associates include Jonathan Rauch , Walter Olson , and David Boaz . entailment +This final rule contains information collection requirements which are subject to the Paperwork Reduction Act . The requirements need to be scrutinized by the Paperwork Reduction Act first . entailment +the Customs Service relies on automated systems to support its processing The customer service is poor and mechanical . neutral +yeah yeah i 'm i 'm uh turning in a capital request right now yeah that 's funny that 's that 's where you 're from uh a machine that puts I like turning in capital requests . neutral +Thebes reached it peak in the New Kingdom era ( c . 1540 1100 b.c. ) . By the time the Romans arrived it was already in decline , having lost influence when Assyrian raiders seized control in the seventh century b.c. and the Ptolemaic leaders made their base at Alexandria in the fourth century b.c. Thebes was in decline by the time the Romans arrived . entailment +There are a variety of routes , which can last from a morning to several days . The routes vary in length . entailment +whether or not an individual has a problem with drugs it 's not even going to effect anybody but his uh you know himself and his own family perhaps um depending on the kind of drug he might be on but um and eventually that 's going to show up anyway Someone with a drug problem really isn 't causing any issues for themselves or others . contradictory +now is she does she like um McDonald 's French fries oh okay She is fond of Mcdonald 's french fries . entailment +( Not surprisingly , the least dismissive big-name child-care expert is a woman , Penelope Leach . ) Penelope Leach is a child care expert . entailment +From the Hampstead Borough Council . There is a borough named " Hampstead . " entailment +and uh i 've noticed over the past say maybe five or six years uh we live about twenty miles away from the state airport and i notice the fly patterns now of the jets are they getting bigger they 're swinging wider so that now they 're coming over the over the our homes We live about twenty miles from the airport and have noticed planes getting bigger . entailment +The newsweeklies slam the Clinton administration 's Kosovo policy . The Kosovo policy is seen as disastrous . neutral +um i do some little bit of woodworking well i used to i i don 't have the equipment here we moved to Dallas about a year ago and my dad had a lot of woodworking equipment and i did some of that um here i 've mostly done things that i can do strictly by hand um sewing I do some woodworking . entailment +That helped Clinton carry this traditionally Republican state . This state was counterbalanced by Clinton losing a state that Democrats typically won . neutral +She has helped me avoid a cutpurse who had clearly intended on robbing us and did it well before he came close . She was helping me avoid being hurt while I was on my mission . neutral +he wasn 't in the book The book featured him as a main character . contradictory +well it 's been good talking to you This has been a long but good conversation . neutral +He shot a man in the side . He shot a man who was trying to kill him . neutral +they want pretty close to three thousand dollars just to replace that They want almost 3000 dollars to get a new one . entailment +Rumor has it that the next object of touchy-feely bowdlerization by Disney is Beowulf . It is rumored that Disney will be bowdlerizing Beowulf . entailment +Started the moment I got the wire . Ended as soon as I received the wire . contradictory +well it uh there 's no question it does make a difference uh so far as having a party and then all voting uh when you have different precincts you would have to have a party in every precinct Everyone should have a political party , it makes voting easier . neutral +yeah yeah my fingers always get get it real bad i hate that i mean i bundle them up and everything and and i still get it I try to keep my fingers warm but they still get it . entailment +Rather , it has succeeded because it brought a relentless focus on the bottom line to the corporations it has owned , and established standards its managers have had to live up to . The standards for its managers were key to its success . entailment +Many of these examples were mentioned by federal CIOs interviewed for this guide . No CIOs were able to give any examples . contradictory +In addition , cognizant agency officials from BLM , FHWA , and VBA generally agreed with a draft of this report . Officials from FHWA did not agree with the report . contradictory +In that instant Julius had taken his measure . Julius knew that it could be done in no time . neutral +Urbane Athenians spend summer weekends here , rubbing shoulders with the foreign tourists who crowd the bars and clubs . The local Athenians are somewhat resentful of the tourists . neutral +The world has been at peace too long . This constant war had made everyone tired . contradictory +i think what they 're trying to say is that there is a great deal of historical truth but the interpretation that actually got into the um the writing of the Bible itself is probably uh after the what uh was it the King James Version when the committee After the King James Version , I decided to interpret the writing of the Bible by myself . neutral +We are accustomed to defending free markets as the guarantors of both liberty and prosperity , but here 's a case where liberty and prosperity are at By forcing people to act against their own self-interest in the short run , governments can make everybody more prosperous in the long run . Governments can make people thrive . entailment +As a basic guide to room prices , we have used the following symbols ( for a double room with bath / shower in high season ; prices do not include the 7 % VAT , or IVA , tax ) : As a basic guide to room prices , we used the following symbols . entailment +and budget Budget entailment +These exceptions include but are not necessarily limited to ( 1 ) employees working alone at a remote site for long periods and ( 2 ) employees based at the same duty station as their supervisors or timekeepers but frequently at work sites away from the duty station . A premium is paid when an employee works at a site away from the duty station . neutral +a lifetime 's Of a lifetime , more or less neutral +'Computer , how fast is this train going ? ' How fast are we traveling ? entailment +The Risorgimento , the resurrection of national identity , took two conflicting paths . There was no path taken at all . contradictory +The HMOs contend the government doesn 't contribute enough to allow them to provide adequate care . The HMOs get contributions from the government . entailment +Oysters had just given place to Sole Colbert when a card was brought to Hersheimmer . Sole Colbert replaced Oysters just as Hersheimmer received a card . entailment +well good i 'm glad to hear that about the only thing uh i might suggest is uh do the same thing again introduce her to a to a spider at a reasonable distance where she isn 't frightened She will become accustomed to spiders this way . neutral +There was even less of it showing than he had remembered . There was so little of it showing than he had seen the last time . entailment +I know there are many fine physicians around , but this seems to me to be a form of bragging . Many good doctors exist . entailment +APHIS stated that the precise impacts of pork-product imports were difficult to predict because of the uncertainty as to how they would substitute for domestic and / or foreign pork products . It is clear how pork-product imports will impact domestic pork products . contradictory +The Jacobite uprisings found little support in such lowland cities as Edinburgh . The uprising did not have any benefits to the lowland cities . neutral +and i had the i think the other thing that a lot of kids would benefit from in high school is taking an aptitude test I have a lot of ideas for what would be helpful , as well as the idea about the aptitude test . neutral +Importantly , once additional needed corporate governance reforms are made to enhance the independence and capacity of the board , the opportunity to implement the needed realignment will be greatly enhanced . Some corporate governance reforms are required in order to enhance the board . entailment +, magnesium or buffering agents ) will reduce the amount of limestone needed . Magnesuim is a catalyst for limestone . neutral +And milk , and oats , and straw , Thistles , or lettuces instead , Milk was not one of the items mentioned here . contradictory +But you 'd better get the man who made this . You should get the man you made this . entailment +Retirement of debt securities prior to revolving funds and trust revolving funds . Revolving funds requires a spinning device and a pile of money . neutral +No use crying over spilt milk , you know . There 's no use in being upset over what happened . entailment +Today some nationalists still yearn for good old Borinquen , a name you 'll see on many restaurants and bars . Borinquen was the best period for the country . neutral +Maybe if I hadn 't run off , I could 've smoothed things over with Greuze . I wish I had stayed and smoothed things over . neutral +The youthfulness which had impressed Drew on their initial meeting had drained from this man tonight . The man was so worried he looked worn and tired , Drew tried to lift his spirits . neutral +and then i have a cauliflower that i would cook garlic bread green salad tea and we 'd have a lemon pie for dessert I will make cauliflower , garlic bread , and green salad with tea to drink , and lemon pie for dessert . entailment +The Giants say that other team owners are rooting against their scheme , because it calls into question the profligate public subsidies . The public subsidies include money used to buy helicopter rides and hookers . neutral +Since the rule was issued as an interim final rule and not as a general notice of proposed rulemaking , the rule is not subject to the Regulatory Flexibility Act . The rule is that you can 't bring your own lunch to work . neutral +At the eastern end of the Mall you can see the Gaiety Theatre , one-time home of the Simla Amateur Dramatic Company , which is famous for its productions of Victorian drama and Edwardian operetta . The Gaiety Theatre is situated at the far eastern end of the Mall . entailment +In addition , between 1995 and 1999 , the development contract target price increased by 165 percent . The sharpest increase on a year to year basis was between 1997 and 1998 . neutral +I observed some of these tendencies during the later stages of my almost 10-year tenure with the firm . Near the end of the almost 10 years I spent at the firm , I noticed a few of these tendencies . entailment +The English gutter press , which was just developing a wide audience , whipped up public hatred toward him over his sex crimes and made him a pariah . He had sex crimes on his record . entailment +Ut 's photo is of a crowded highway winding eternally through hell , and it won 't let you go . The photo shows what hell would be like . neutral +Sir James turned to her . She was behind Sir James . neutral +Cries of fear and confusion arose from the fires as the chained slaves worked against their bonds and unsuccessfully tried to grapple with the remaining whipmasters . They were screaming demanding to be freed . neutral +U.S. agricultural recruiters in Mexico could willfully misrepresent working conditions to permanent legal residents across the border , knowing the alien would be barred from legal assistance on her federally-protected MSWPA claim . US agricultural recruiters go to Mexico . entailment +He is easily distracted the critic John Leonard remarked in an appreciative review of Culture and Imperialism , answering too many fire alarms , sometimes to pour on more petrol . John Leonard nevertheless thought that the work he did was very good . neutral +The narrow streets near the exquisite 13th- to 15th-century Flamboyant Gothic church of Saint-Severin ' Rue de la Huchette , Rue de la Harpe , and Rue Saint-Severin ' give the feeling of a medieval world updated by the cuisines of many countries and stuffy little cinemas . Rue de la Huchette , Rue de la Harpe , and Rue Saint-Severin each have unique entertainment opportunities . neutral +1.15 Given the importance and complexity of government programs in providing a variety of public services , auditors are increasingly being called on by legislative bodies and government agencies to expand the variety of performance audits to include work that has a prospective focus or provides guidance , best practice information , or information on issues that affect multiple programs or entities already studied or under study by an audit organization . Auditors make very little money and live in small homes . neutral +However it all shakes out , those who benefit most from the tax breaks almost surely will lose least from the spending cuts . There is nobody who will benefit from the tax breaks . contradictory +GAO has been able to close field offices both in the United States and overseas-much of it through attrition-and achieve gains in productivity and collaborative work environments . Productivity improved because the least efficient offices were closed . neutral +Their tomb can be viewed through the gate of a nearby crypt . From a nearby crypt their tomb can be seen . entailment +Geoff Ward , goateed sophomore , chides each of the Canterbury Tales , for being written during that Great Vowel Thing and for being ' boring and stupid . Geoff Ward may believe the Canterbury Tales are boring and stupid , though he may recognize why others might enjoy them . neutral +Oddly , this part of the 20 / 20 segment isn 't quite as damaging to Ellis as the raw interview transcript was . Diane Sawyer is hosting this particular episode of 20 / 20 . neutral +And perhaps your group was also right , Bork . He never thought about Bork and his group . contradictory +Although there are no reliable accounts of this period , third-century Chinese documents speak of a Japanese priestess-queen , Himiko , ruling over a land of law-abiding people who enjoyed alcohol and were divided into classes distinguished by tattoo marks . History is an important study to look at , especially large civilizations . neutral +Congress may want to consider not expressly providing certain flexibilities in the initial legislation , but rather providing a mechanism for expedited consideration of flexibilities should the new department request them in the future . Providing certain flexibilities in the initial legislation should be considered by Congress , because it may cause issues in the future . neutral +Since wage slavery is a well-established phenomenon , and getting better established by the day , a little nonreproduction bribery sounds pretty mainstream . Wage slavery is not an established issue and has been nearly eliminated . contradictory +Buchanan even uses the word deterrence , though he doesn 't use Mutually Assured Destruction , Bakelite , or hula hoop . Buchanan doesn 't use the word hula hoop . entailment +Bursts of warmth came up from their work . It was a very cold place to work . contradictory +yeah something to do extracurricular activity An extracurricular activity is the last thing anyone needs . contradictory +So sacred are the confines of the Temple site that strictly observant Jews dare not even come here , for fear of walking on the unknown spot where the Holy of Holies ( sacred chamber ) of the Jerusalem Temple once stood . The Temple provides an extremely holy spot for religious Jews . entailment +Employees ' capabilities also play an important role in achieving performance improvements , and training is a key factor enabling employee involvement . Training employees is a key factor enabling employee involvement . entailment +Chambers developed increasing reservations in his later years about the direction the American right was taking , distancing himself first from Joe McCarthy , then from Richard Nixon , and even from William Buckley Jr . ' s National Review . But Chambers ' importance lies , finally , not in his politics but in his romantic penchant for the extremes of the psychic and political undergrounds . Chambers would not talk about the Nixon administration in any interview he gave . neutral +the Court would find its current First Amendment musings as unpersuasive as I find them today . The Court would find First Amendment comments unpersuasive . entailment +You should avoid drinking tap water , and stick to bottled mineral water , which is easily available everywhere maden suyu is carbonated mineral water , memba suyu is still mineral water . This is because there is a super villain in Italy who pees in the water reservoires and no one can stop him ! neutral +and nobody even cares or nobody seems to care People should care a lot about it . neutral +You mean as how you can tell way back jus ' what hosses bred your hosses ? You can 't tell what horses bred other horses . contradictory +In The New Yorker , Gore Vidal defends Seymour Hersh 's Kennedy-bashing The fact that [ Hersh has ] found more muck in this particular Augean stable than most people want to acknowledge is hardly his fault . Seymour Hersh found more dirt on Kennedy that most people expected . entailment +And if his character is as bad as some Republicans contend , there 's no reason for them to think he would hesitate to do so . Republicans think he 's a great guy . contradictory +It is retarded under certain conditions , none of which , however , appear to have been present in this case . Under certain rules and terms applied by the judge ( none of which have been present in this case ) , it is retarded . neutral +This analysis includes information required by section 604 including a description of the need for and purpose of this Report and Order and a discussion of comments received in regard to the Initial Regulatory Flexibility Analysis . The analysis doesn 't talk about the need for the Report . contradictory +Why don 't I get this ? I understand very well . contradictory +but i think somewhere that got lost you know in the long term effects of the of the war and The war didn 't have any long-term effects . contradictory +The resort sits on the east side of the wide bay , with the cruise port on the west . The resort is positioned on the eastern area of the broad bay . entailment +yeah you 've had more freezing this winter or this yeah winter i think Yeah , I think there 's been more freezing for you this winter . entailment +it can be pretty sudden too It can get sudden as well entailment +So , I think something can be worked out . I believe we can work something out . entailment +Instead of requiring a date stamp , the Report and Order required that new telephones be stamped with the letters HAC . Phones need to be marked neutral +I watch George W. and have many thoughts about it . George W. is someone that I could definitely think a lot about . neutral +However , whether Hindu or Buddhist , the people of Nepal live their religion on a daily basis and can be seen worshipping at shrines and temples throughout the day and night . You won 't see any public displays of religion in Nepal , religion there is outlawed . contradictory +you know i mean you would you know learn enough to get by on the test and then you forgot about it because you knew you were never going to see it again in the rest of your years of school you know and and that that 's not the way to convert over you 're going to have these kids you know teaching it dually even you know teaching both systems which is a lot i know a lot more for the teachers to have to teach but that 's the only way they 're going to get switched over you know Kids are learning enough just to get by on tests and then forgetting about it for the rest of school . Both systems need to be taught at the same time , its a lot harder for teachers but its the only way the kids will be able to get switched over . entailment +yeah uh i 'm an avid gardener um This is my first time trying to grow a garden . contradictory +were you have you i take it you haven 't spent any time in the military I assume you haven 't been in the Army ? neutral +It is also the busiest , with a steady stream of Muslims travelling in from their homes in East Jerusalem to shop and work in the Old City The Old City is much bigger than East Jerusalem , and has more opportunities to work and purchase things . neutral +Merrimack Valley Legal Services , which has an office in Lawrence , is convenient for people with cases in the Essex County Probate Court division in that city . Merrimack Valley Legal Services helps people in Essex County . entailment +Union troops stationed here ? He had unconsciously tensed , his body responding nerve and muscle to past training and alarms . His body did not respond . contradictory +None associated the pig with its traditional attributes , dirty or foul smelling . No one associated the pig with its stereotypes of being dirty or stinky . entailment +oh yeah um well right now we um start our seeds inside We start our seeds inside . entailment +We think Poste Italiane , a very low volume post , may have a somewhat lower percentage of delivery costs than predicted owing to low coverage on very low volume routes especially in rural areas . They were hoping to break even . neutral +The October launch of LRI was the result of our cooperative endeavors with a host of national organizations - NLADA , AARP Legal Counsel for the Elderly , and MIE . LRI was launched in October . entailment +Cherpitel has analyzed the sensitivity of each of the RAPS4 questions and sequenced them from most to least sensitive for most efficient use . Cherpital analyzed the frequency of RAPS4 questions . contradictory +Daniel was wearing an ill-fitting train-conductor 's uniform . Daniel had a uniform on . entailment +yeah A and E runs quite a lot of them um i like Discovery Channel too i like they have lots of wildlife shows and My favorite show on Discovery is Naked and Afraid , which airs on Sunday nights . neutral +this is true yeah yeah i think the one thing the the there 's a program called uh Habitat For Humanity that Jimmy Carter started the former president and i think i think programs like that with what you just talked about going on in your area local area at and something like that would be good Jimmy Carter started a program called Habitat for Humanity over five years ago . neutral +John Danforth agreed to head an independent investigation of Waco in response to suspicions of a cover-up . There was an independent investigation . entailment +It will be quite useless , Mr. Hersheimmer . The words came out like the crack of a pistol , and Tommy looked up with a start . Tommy looked up quickly , staring at his teacher . neutral +( Two baseball broadcasters discussed this year 's Series in a Slate Dialogue . Baseball broadcasters are the most informed on this year 's Series in a Slate Dialogue . neutral +i mean a lot of people bitch and moan about the taxes and all but are so are they willing to pay for you know Lots of people complain about taxes but will pay them . entailment +8 billion , and Stop & amp ; Shop to a Dutch company for a profit of $ 1 . Not a profit of 1.00 . contradictory +with uh Anthony Quinn i thought it was i like everything he 's done so far I like everything Anthony Quinn has done . entailment +The entrant would most likely attack routes with much higher than average profit margins . There were routes with very high profit margins . entailment +With balmy trade winds , infrequent squalls , and flowing sea currents , the FWI and nearby Antilles are ideal for a day , a week , or a month under sail . No boat has sunk in this area for 5 years . neutral +Panic replaced his feeling of relief . The impending catastrophe gave him a great sense of calm . contradictory +The Department did not discuss comments beyond the scope of the rule or comments on the requirement to establish a deduction since the requirement was mandated by statute . The Department was loyal to the requirements mandated by statute . neutral +She had just sent the official news to the first contact on her the Law Journal . She sent out only an informal notification to the Law Journal . contradictory +The National Risk Management Research Laboratory is the Agency 's center for investigation of technological and management approaches for reducing risks from threats to human health and the environment . The National Risk Management lab is the center for the investigation of technological and management approaches to threat reduction . entailment +2 ) Clinton has the rhetorical grace to pull off such an apology in a way that doesn 't seem phony ( he 'll blame it on his own big heart , his fierce desire not to hurt wife and child ) . The public will most likely accept Clinton 's apology . neutral +It 's a h 'expression , sir , explained Albert . Albert was talking to a man . entailment +The legal profession , German said , has an obligation to provide access to the justice system because it has taken on the role of gateway to that system . German admitted that it is not the duty of the legal profession to provide access to the justice system . contradictory +Problems occur in programs when knowledge builds more slowly than commitments to enter product development or production . People hate problem so they try to prevent this from happening . neutral +Shut the door , he commanded . He instructed for the door to be closed . entailment +You could say that McCain is to be faulted for not working out a better education proposal in the first place . McCain failed to work a better education proposal out . entailment +He saw no sign of Adrin . There were signs of Adrin everywhere and he saw them all . contradictory +Ramses II did not build it from stone but had it hewn into the cliffs of the Nile valley at a spot that stands only 7 km ( 4 miles ) from the Sudan border , in the ancient land of Nubia . It was hewn into the cliff-side of the Nile valley rather than being built from stone . entailment +The long dream of independence seemed to have come true . It seemed that independence was a reality . entailment +The mainland , one guessed . The offshore territories , one guessed . contradictory +The Chief Operating Officer is to enter into annual performance agreements containing measurable organization and individual goals with key managers , who can receive a bonus or can also be removed . The CEO makes agreements on how to pass out bonuses . entailment +uh yeah and he uh when when they had uh injury problems with some of their major players uh he actually put on a uniform and went out and played He sat on the sidelines and knitted scarves when some of the players were injured . contradictory +Instead , all taste , all aesthetic judgment , all pleasure taken in things , must be a matter of what economists call positionality . Personal tastes are not accounted for at all by economists . contradictory +It was what you said about her evidence at the inquest that set me off . " Poirot looked puzzled . The evidence given at the inquest was a mystery to everyone including Poirot . entailment +Despite being wild , the deer are quite tame and loiter around the park 's various tourist attractions , hoping for a free snack of the deer biscuits sold here . The tame deer will also let you pet them . neutral +Review the dailies from 1942 or 1929 or 1863 , and you 'll come away with a similar impressively false sense of the great events of the day . The best impression to be gained on these great events is in the dailies . contradictory +Others insist that it was just a storehouse for jewels . It is not used as a storehouse for the jewels . contradictory +We suggested that the agency modify its proposal to require travelers to list each expense individually on the travel voucher . We never suggested that the agency make changes to their travel voucher proposals . contradictory +There is a marble statue of Julius Caesar , consort of Queen Cleopatra , who spent many months here , and a bust of Alexander , which was carved in his likeness after his death . There is a marble statue of Julius Caesar , consort of Queen Cleopatra , who spent many months here , and a bust of Alexander , which was beautifully carved out of stone in his likeness after his death . neutral +These challenges are particularly difficult for those pollutants that are not emitted directly but instead form through secondary processes . The pollutants that are not emitted directly have a difficult challenge , said the teacher . neutral +If only there were creative writing schools in Heaven , or failing that , editors , we could hope that Jesus would learn how to improve on awful sentences like that . Jesus wrote only awful sentences . neutral +From here , you could walk to the lovely Hama Rikyu Detached Palace Garden . You can only reach the Hama Rikyu Detached Palace Garden by boat . contradictory +Prudie 's office , by the way , is populated by cheerful people who are neatly dressed and do indeed work quietly . Prudie does not have an office . contradictory +The church of the Gese , severe and relatively discreet on its own square west of the Piazza Venezia , was a major element in the Jesuits ' Counter-Reformation campaign . The church of the Gese had to be rebuilt in 1902 . neutral +Rapid advances in information technology have highlighted the need for updated internal control guidance related to modern computer systems . The need for a sense of internal control guidance was discovered the hard way . neutral +I still don 't understand why , if he 's Mr. Brown , he rescued us . " Mr. Brown did not rescue them . contradictory +Tuscania is a quiet little fortified town , recovering now from an earthquake in 1971 that luckily did not harm its two Romanesque churches on the eastern outskirts ( check with the tourist office on Piazza Basile for erratic hours ) . Tuscania is very quiet . entailment +Jon parried the next blade that came in and planted his offhand dagger into the man 's groin . Jon decided to run from the man instead of fighting back . contradictory +Someday , when boomers retire in hordes , more will go out than will come in . There will come a time when boomers leave their jobs . neutral +He is indeed of the Blood , " he assented . He agreed he 's part of that faction . entailment +Exhibit A-1 : Single FGD Exhibit A-2 : Three FGD Modules on Six Units Exhibit A-3 : Single SCR Exhibit A-4 : Seven SCRs Exhibit A-5 : Single ACI Exhibit A-6 : Two ACIs Exhibit A-7 : Single FGD and SCR Exhibit A-8 : Single FGD and ACI Exhibit A-9 : Single SCR and ACI Exhibit A-9 has a single SCR but doesn 't mention ACI contradictory +However , within each chain ( particularly the Cyclades , the Dodecanese , and the Sporades ) , ferry connections are regular and journey times are relatively short . There are no ferries going to the Cyclades or the Dodecanese . contradictory +Then you must know where you found it ? We know you had visited his home on that date . neutral +Sometimes , however , it is not possible to answer the evaluation question using case studies , if the program is diverse and the user needs national generalizability . Case studies are not sufficient when the program is diverse . entailment +Auditors should communicate information to officials of the audited entity and the individual contracting for the audit services regarding the nature and extent of planned testing and reporting on the subject matter or assertion . Individuals who are being audited usually contact the auditors often to ask questions about their audit . neutral +well my husband has even camped at Lake Lavon with one of his friends he just decided to take the kids out there My husband has been camping at Lake Lavon , he has decided to take the children there entailment +My leg is trapped ! said the Kal . The Kal 's leg got stuck in the trap . neutral +Either Susan or Ca 'daan will watch for it . One of them will watch for it . entailment +Here I am , son . Were you looking for me ? neutral +Unions protest that the government has not fulfilled promises made to labor . Unions are supporting that the government has neglected its duties . contradictory +A series of lenses and prisms projects a live image of the city onto a concave viewing screen inside the camera . A series of lenses projects a live feed of the city . entailment +yeah um you you lose four to six hundred dollars a trade in I would advice you not to do a trade in . neutral +and uh cooking out in the yard it yard you know when it 's nice barbecue outside chicken and that kind of stuff I use the barbecue as much as possible all summer long . neutral +Small villages in the interior remain unspoiled , particularly because of their remote and hilly location . The small villages in the interior are easily accessible and popular tourist attractions . contradictory +And it 's the pedagogic method that Chicago largely small seminars based on original texts and the examination of original works . Chicago largely small seminars based the pedagogic method on original works . entailment +Several times during the next 40 years they attempted to restore the Stuart dynasty to the British throne , though by this time the crown had passed to the German House of Hanover . The Stuart Dynasty was really hell-bent on getting the throne back on their grips . entailment +When I was in college , I thought I wanted to be a doctor , she said . When I was a student , I wanted to go to medical school . entailment +The lion , symbol of power and pride , was an understandable choice as the emblem of India 's regained nationhood in 1947 . The symbol of pride could be a line can be seen as an understandable choice for India 's regained nationhood in 1947 . neutral +Amounts included in this report have been converted to U.S. dollars using the following exchange rates , effective April 16 , 2001 , for one U.S. 0.697064 British pounds , 1.95665 Australian dollars , and 2.43533 New Zealand dollars . Because of poor economic performance , a 2001 British pound is worth substantially less than a 2001 US dollar . contradictory +However , we put no claim on the other , lesser characters . We put all of our claims directly on the lesser characters . contradictory +it gets so hot i just wonder you know what what vegetables can really take that heat we 'll see It gets so hot , they wonder what vegetables can take entailment +By the way , whose is the smaller desk in the corner ? " Incidentally , who does the green desk with the emblem in the corner belong to ? neutral +yeah oh well i don 't know what else i can say about it I don 't know what else I can say about it besides that it was sad . neutral +oh man i 'm telling you everybody 's and i think it 's really the weather it will it will get warm one day and then not real cold but pretty cool the next day and then warm the next day I hope it 'll get warm and stay warm . neutral +yeah it had a it had a had a has a bust of somebody on there but uh no sort of identifying marks or anything The bust of George Washington didn 't have any marks on it . neutral +It would be very interesting to perform the same experiment with , say , medical journals instead of economics journals . It would be pointless to repeat the same experiment with a different subject . contradictory +Montreuil is popular with British weekend visitors and makes a good base for trips into Picardy . Montreuil is popular with the Greeks that go there on weekends . contradictory +and and then and then just kind of stop there on the way by and get the uh and and get the and get minnows and uh it 's it 's pretty lot of fun except i say you got to have a lot of patience because some days it doesn 't seem like anything 's down there at all It 's a quick easy hobby . contradictory +Noyers is a fortified medieval village with 16 towers in its ramparts . There are 16 towers in the ramparts surrounding Noyers . entailment +But don 't feel intimidated , as their attitude is not personal . Most of them are nice people , so if even they are rude , they are not personal about it . neutral +Although Washington remained the center of GAO 's activities , the agency 's auditors first began doing fieldwork in the mid1930s . GAO thought Washington was not worth noting at all . contradictory +In Bowling America 's Declining Social Capital , a now-legendary article written in 1995 , Harvard 's Robert Putnam pointed out that league bowling in America has been declining for decades , while individual bowling is on the rise . Putnam didn 't write anything . contradictory +The Rising is commemorated in the main hall by a beautiful bronze statue of the mythic folk hero Cuchulainn . The main hall has a statue of a hero that the village all worshiped for his bravery . neutral +you just do the minimum yeah You do as much as you can . contradictory +In quantitative methods , the regularities are identified by manipulating numbers to produce indicators agreed on as sensible descriptions of the patterns . The irregularities are identified by manipulating numbers to show patterns . contradictory +and it was summertime the air conditioner was on the door was closed and i couldn 't knock because i had to hold the jack with the other hand i finally with my elbow rang the doorbell and mother came to the door The wintertime is when the air conditioning was on , I couldn 't ring the doorbell because it was frozen . contradictory +The majority of the cases in Woodburn today are far simpler . Most of the lawsuits in Woodburn have been more manageable in recent times . entailment +This chapter focuses on levels of commitment and support for a planned acquisition by senior managers and users , two key stakeholders in an acquisition . The chapter focuses on levels of commitment during very hard times neutral +If drugs do extend the lives of infected people for , say , decades--and I hope they do and that Sullivan is wrong about his own fate--I , too , would use the word cure . This drug shortens the lives of the infected , it is no cure . contradictory +But there 's little point in pursuing the perpetrator , whoever he or she may be . The perpetrator would not be caught so it is better to focus energy elsewhere . neutral +The rebels occupied the alc ? ºar , which had by then been converted to a royal palace . The rebels occupied the royal palace . entailment +there was one here recently that comes to mind that 's about a woman that uh this is ridiculous i mean it 's almost uh it 'd be funny if it wasn 't so so sad i mean this woman this woman went out and hired somebody to uh Nobody here has ever done that . contradictory +North of Udaipur , a mountain road takes you past green terraced fields and mango groves over the deepest ravines to the magnificent white marble temple complex of Ranakpur . The North of Udaipur doesn 't exist at all . contradictory +In a minute Tommy had slipped out and pulled to the door . Tommy closed the door behind him . contradictory +A city living with one eye open to the future prevents life here from ever being boring , and also attracts tourists by the millions to experience the Las Vegas life , if only for a few glittering moments . Las Vegas is one of the most popular tourist destinations in the world . neutral +It 's one thing to say we 'll give everybody a choice , he said . Someone gave everyone a choice . neutral +Yes , it all fitted in . Yeah , everything fitted in . entailment +uh yeah i do that i i do uh some Lotus on it uh do some uh Samna some uh PFM uh nothing extremely complex Samna and PFM are mandatory at this point . neutral +Around the whole structure is a retaining wall with a narrow corridor allowing visitors to explore the carvings on every exterior wall . The structure would be unstable without the presence of the retaining wall . neutral +That thar mule likes t ' favor his stomach . The mule liked to eat a lot . neutral +well you know what i was hoping i was hoping Iran was going to take a very um dramatic stand and invade you know and and like Iran 's the big bad guy you know but really if if they were going to save people 's lives They weren 't going to save lives . contradictory +Rooms are comfortably large , with a small sitting area , and bathrooms are surprisingly spacious . The bathroom area takes up half the square footage of the room . neutral +Once on a particular island , you can easily get around on foot or rent a car for more in-depth exploring . You can also access the island 's greatest spots by boat . neutral +As you crosethe bridge into Aranjuez on the road from Madrid , the spacious , geometric town plan becomes apparent . The geometric town plan is apparent when crossing the bridge , it is not efficient . neutral +They incur less overtime and the rural carrier work force has a higher proportion of casual employees . The rural carrier work force has a better money rate per delivery neutral +Clean Coal Technology Regulatory Incentives Currently , coal is an unsustainable means of generating energy . neutral +i mean we 're really fortunate to live here but doing these conversations it makes me feel really bad that there are kids that can 't can 't get out of the situation they 're in and they 're they 'll eventually end up even if they want to be good kids they 'll eventually end up uh more or less victims of crimes even though they 're doing the crimes they 're more or less a victim I feel badly for kids who can 't get out of their situations . entailment +Depends what really happened . Depends on the truth . entailment +The main entrance is through an inverted glass pyramid designed by American architect I.M. The American architect I.M. is well known for having designed that inverted glass pyramid . neutral +The Wall Street Journal points out that this decision influenced the strike 's outcome . The strike 's outcome was influence by the heard of cattle . contradictory +yeah i think it 's going to be really hot this year I think this year will be very hot and dry . neutral +The Dole camp loves The Choice , though to my mind , the book makes him look as indecisive as Clinton and too uncommunicative to be a good president Dole didn 't read any books . contradictory +We calculate the daily profit of residential delivery routes for the Postal Service by totaling the revenue minus collection , processing and transportation costs of the mail delivered on each route and subtracting the delivery cost of $ 266 . The Postal Service subtracts the delivery cost of $ 30 when calculating daily profit . contradictory +I am going down . I am rising up . contradictory +How characteristically American , wrote Lionel Trilling of Sexual Lionel Trilling wrote that it was typical for Americans to get married around the age of 20 . neutral +And America doesn 't know if it cares . America isn 't sure if that 's important to them . entailment +In addition , the government may seek to purchase goods and services from more than one source . A single , solitary provider of services is what the government seeks to maintain . contradictory +We found a sponsor for legislation , Director Scott Crocker said . According to Director Scott Crocker , they 're still looking for a sponsor . contradictory +MODIFICATION ADJUSTMENT TRANSFER - A non-expenditure transfer from a financing account to the Treasury , or vice versa , to offset the difference between the cost of modification of direct loans ( or loan guarantees ) and the change in the book value of direct loans ( or loan guarantee liabilities ) . The Treasury can not make a modification adjustment transfer . contradictory +and and anyway Leland Leland apparently has hired him on now and he 's and he 's defending this case Leland does not know who he will hire to defend this case . contradictory +He got the rest from private funds and state and local government contracts and grants . The funds totaled 100 dollars . neutral +Fish are not working up to their full potential . Fish are at full potential . contradictory +Several companies have used such aggressive approaches to deal with a variety of tax issues and other matters . Several companies deal with matters unrelated to tax . contradictory +Among the rooms devoted to the history of science and technology , one gallery is reserved for Leonardo 's inventions , displayed as models constructed from his notebooks . There is one gallery reserved for Leonardo 's inventions . entailment +Until the above hierarchy is effective , U.S. government reporting entities will continue to follow the hierarchy established6 for an Other Comprehensive Basis of Accounting ( OCBOA ) and presented The US government will follow the new hierarchy before it becomes effective . contradictory +Goosebumps struck me skin . There were no goosebumps on my skin . contradictory +'Nata- ' I caught my tongue . I kept talking . contradictory +HUD has begun to take the steps necessary to rectify this problem , including preparation and publication of a correction to the final rule and proper submission of the controlled business disclosure requirements for OMB review and public comment . HUD wasn 't aware of the need for a correction until recently . neutral +and not anyway well i guess i better let you go Well , I guess I better let you go entailment +Through the free hotline , which officially made its debut last week , Luu and other project employees calm anxious callers and even elicit laughs from those who don 't know where else to turn . Every caller had a good laugh from Luu and the employees on the free hotline . neutral +Before me was a man with a toothless smile . The man before me had a perfect set of teeth . contradictory +There are three methods of cost ( a ) directly tracing costs wherever economically feasible , ( b ) cause-and-effect , and ( c ) allocating costs on a reasonable and consistent basis . Cost can be allocated on a consistent and reasonable basis . entailment +For years after the book was published , devoted ( and curious ) readers came from all around to see this beauty for themselves . His book caused a lot of tourism . neutral +oh it 's very calm i mean you can our uh bad district i wouldn 't advise going walking in there alone at night but you could and if anyone was bothering you you could make such a fuss where people would come to your aid even though you 're in the worst part of the city um the only difference is that every street light is lit instead of every other street light so we 're we 're a really we 're uh pampered up here Nothing could happen to you if you walked there alone at night . contradictory +9 efficiency / energy intensity of the electric power industry Statics and evaluations of the electric power industry . neutral +One major finding of the Corps ' 1993 plan of improvement was the burdensome number of internal levels of review . The Corps ' didn 't find anything . contradictory +Some of France 's most grandiose panoramas of sea and landscape are clustered around this gulf 70 km ( 43 miles ) north of Ajaccio . This gulf is a primary agricultural center for the area . neutral +Only a relative handful of good job holders ( which is to say only a few hundred thousand a year ) experience serious reverses . Only a few good job holders get reverses . entailment +If there are any problems in town , Don Lorenzo Sierra , here , is the alcalde and they must be referred to him . " The captain favored Rennie with a last glare and was gone . The captain glared at Rennie , then left . entailment +The dipterocarp rainforest here includes the tualang tree . The Tualang tree in the dipterocarp rainforest is attractive to many vicious predators . neutral +when you rent the home do they uh force you to lease and guarantee payment How much money would need to be paid for upfront leasing fees ? neutral +yeah well do they share rooms in nursing homes They never share rooms in nursing homes . contradictory +Herbs are collected and dried for you to take home and use in your cooking . You must dry the herbs yourself . contradictory +On shore there is considerable scope for tennis , or you can try clay-pigeon shooting . Other activities on land are hunting and hiking . neutral +It would be Miss Howard who would attend to anything like that . " Evelyn Howard was called and , after being examined on other points , was questioned as to the parcel . In reality , Mr. Inglewood had been tasked with safeguarding the parcel . contradictory +I 'd die to keep her out of the tower of the Eye . I don 't want her to go to the tower of the Eye . entailment +that 's marvelous just marvelous well i work in I A Smith so we 're forever looking at something else uh i you know i work I don 't work in IA so this really isn 't helpful to me . contradictory +One of them was Simon Klepacki , the boss of a trendy new disco ' Metrosexual Shelter ' and several other nightclubs providing pleasures of the whole body , and who in the last few months experienced a mental burnout from trying to procure Lola Thigh - as a singer for the club and as a woman for himself . Klepacki ran a library . contradictory +was all the response Ca 'daan could offer . Ca 'daan did not reply at all , even though we were waiting on his response . contradictory +Vrenna drew out her saber , one boot on the scout 's stomach as she pulled it free . After she freed the saber she stabbed him in the stomach again . neutral +The woman spun and released her grip . The lady released the rope from her tight grip . neutral +it 's what you do every day you know You clean your laundry every day . neutral +Dalhousie Square ( also called BBD Bagh ) , on the site of the original Fort William north of the Maidan , was once the center of Britain 's imperial bureaucracy . At one point , Dalhousie Square was also the center of France 's imperial bureaucracy . neutral +yeah thirty two years and my wife 's a Texan so of course naturally my children but they still think i 'm a Yankee My wife is from Texas . entailment +Stretching his paint strokes into long , narrow ribbons , he retreated toward a kind of linear drawing in three colors . The linear drawing in three colors , is not something he would ever draw . contradictory +I might have known . " Seeing that he was disposed to offer no resistance , their grip slackened . Realizing that he could not resist , their grip loosened . entailment +In Cat on a Hot Tin Roof , the designers fit Elizabeth Taylor into a form-fitting , made-to-measure , boned-and-stayed , built-in-bra sort of slip , unobtainable by anybody else , an inspired collaboration between Taylor 's unbelievable body and the costume department . Elizabeth Taylor wore a loose fitting slip . contradictory +As Arab armies massed on the borders of Israel in 1967 , the Israeli Air Force destroyed the air forces of Egypt , Syria , Jordan , and Iraq with a preemptive strike . A preemptive strike saved Israel from Arab armies . neutral +Dozens of prominent art galleries have set up shop in Santa Monica , with the result that it is now a major center of the contemporary art scene . Dozens of art galleries have drawn in many investors and tourists to Santa Monica . neutral +Crevillente was the birthplace of the Arab surgeon Al-Xafra , and during his 13th-century heyday , the town was a good place in which to fall ill . Al-Xafra is yet to be born , as his mother is 6 months pregnant . contradictory +Thus , even though saving as a share of the economy has been low by historical standards , economic growth has been high because more and better investments were made . Saving has been a high percentage of the economy . contradictory +Health and safety issues include improper use of pesticides . Health and safety issues are usually the users ' fault . neutral +Past the Jalan Tun H. S. Lee and Jalan Cheng Lock junction is the See Yeoh Temple , founded by Yap Ay Koy , a city leader in KL 's early days . The See Yeoh Temple is before the junction . contradictory +because uh apparently the foundation shifts a little bit under that but that was a design problem because we put uh and we designed the house so it 's our fault but we had them put the shower on a corner uh like our house is built in a U shape We are responsible because we designed the house . entailment +Two chapels now grace the grounds . There are no longer any chapels at this location . contradictory +yeah i heard about that i haven 't heard much about it though Nope , I haven 't heard about it before . contradictory +In the 1890s , Theodor Herzl ( 1860 1904 ) worked to organize a movement , Zionism , to create a Jewish state . Theodor Herzl worked with many other men and women toward this goal . neutral +yeah i didn 't know that I knew about that . contradictory +From behind the counter , employee David Lopez , who is Mixtec , can call out prices to customers in Mixteco , Spanish or English . David Lopez learned Spanish as his first language but only took up English in high school . neutral +The chain twirled and caught the woman 's sword arm around her wrist and the guard of the rapier . The woman 's arm was caught in the chain . entailment +couple of little cabinets and and uh sleeping on either end of the the canvas when you open it up it 's just all screened in so it 's pretty neat uh There is a few tiny cabinets and you could sleep on either side of the canvas . entailment +In Disney 's Tarzan film , nature is feminine and civilization masculine . Nature is feminine and civilization is masculine in the movie Tarzan . entailment +As the application of advancing technology continues , systems will be able to directly transmit receipt and acceptance data from points of purchase to central locations for invoice examination and payment authorization . Having a system that can accomplish all of these tasks is cause for excitement . neutral +Besides its permanent art collections and popular library open to all , ingenious exhibits cover every aspect of contemporary life , artistic and technological , and the aesthetics of consumer culture . The library is available to everyone . entailment +Although it 's nice to know what something costs , it 's arguably more important to know what it is worth ! It 's arguably more important to know what something 's worth ! Although it 's nice to know what something costs . entailment +To say that Grove is a product of the past , then , is to say only that what Grove has done at Intel is more like what Alfred Sloan did at General Motors than what CEOs of Internet companies or Silicon Valley startups think they 're doing today . Grove is a product of the past contradictory +These pronouncements on subjective issues annoy me no end . I was annoyed by these stupid decrees regarding subjective issues . neutral +The sunny He was as noble in real life as on television . He is not only noble on television , but in his actual life as well . entailment +As a funder and as an organization concerned with seeing that low-income people who struggle with critical civil legal emergencies such as evictions and domestic violence , have access to the justice system , LSC was not willing to accept the guide path to oblivion that some had designed for our future . LSC was built on the success of prior poverty-level legal programs . contradictory +Somehow , he knew I 'd understand . He knew I would understand . entailment +new visioni for legal services in which eligible clients in every state are afforded an equal opportunity to avail themselves and ultimately to attain high-quality civil legal assistance . They want everyone to have equal access to civil legal assistance . entailment +The greatest perils to your precious data are the programs you 've installed on your computer . Your data is safe from any and all programs on your computer , no matter what . contradictory +A law-and-order backlash is also possible . There could be a backlash . entailment +This 16th-century mill is still powered by the force of Whillan Beck , the water that comes racing down from the fells above . The whole of the village is powered by hydroelectricity . neutral +um well i think all college players have to do an initial drug test at a certain point prior to the season and from that point on uh None of the college players have to take drug tests . contradictory +A pleasant detour off the Pau-Toulouse road , this fortified hilltop town has a splendid Romanesque-Gothic cathedral that merits an unhurried visit . This town is as the bottom of a deep valley . contradictory +cheaper than a divorce It 's cheaper than divorce . entailment +Table 1 ( row 3 ) shows that carrier time per piece delivered is 12 . The carrier time per piece is always over 12 contradictory +Gone down to interview the servants . Went below to give interviews to the servants . entailment +Similarly , her title teases her readers , inviting us to draw parallels between her personal history and the story she tells in the novel , though she declines to supply the necessary details about her life . Her titles have nothing to do with the book , but instead lead to fan theories about her mysterious life neutral +In BeauSeigneur 's novels , the Antichrist is Jewish , for sure , but he 's also a man who was produced in a lab by misguided scientists using cells taken from the Shroud of Turin . In BeauSeigneur 's novels , the Antichrist was produced by scientists from cells of the Shroud of Turin . entailment +well it 's been very interesting It hasn 't been interesting . contradictory +before they even do i mean they 've been assigned the death penalty and they don 't even do it you know Only guilty people are given the death penalty . contradictory +and uh they was all talking about pulling together and paying for the uh hospital costs and stuff and uh you know there 's some of my family that 's not exactly in the homeless level but you know darn close They refused to pay for the hospital . contradictory +Take the idea that men became less competitive because women insisted on monogamy , which lowers testosterone . Monogamy has an effect on men 's levels of testosterone . entailment +Stop off at Tirumalai 's Palace , about a kilometer southeast of the Great Temple . Tirumalai 's Palace can be seen from the entrance of the Great Temple . neutral +Shows 7 : 30 and 11pm ; dark Wednesday and Thursday ; over $ 100 . The show typically goes for over $ 100 . contradictory +The Louvre 's official Web site offers virtual tours that can help you choose the most important galleries for you to visit . On their web site , the Louvre allows you to select the galleries that are of interest to you . entailment +The shrine is also known for its thousands of plum trees , whose deep pink blooms draw the crowds in the weeks preceding the annual cherry blossom frenzy . The plum trees are known for their bright red blooms . contradictory +well back to the topic at hand what other types of community service would they be talking about i mean the the recording mentioned the Peace Corps I have never listened to a recording about the Peace Corps . contradictory +such a deal i 'll bet you did You are a good haggler . neutral +Outside , cops scurried . The cops were no where to be found . contradictory +I couldn 't help but wonder whether he had ever wanted Clinton to represent the United States . I wonder if he really wanted Clinton to represent the United State . entailment +Cautionary dining car procedures are to be followed for the remainder of the journey . They were in a dangerous place to eat . neutral +The Karnak temple at Thebes was begun around 2134 b.c. , marking the city 's rise to prominence . The beginning of the Karnak temple at Thebes marked the city 's rise to prominence . entailment +and uh but he was fun one time i was cooking chicken and i make taken all the chicken breasts off the bones and i had this whole stack of nice chicken breasts up there and he jumped from the floor probably about four and a half feet high and grabbed one of them off and devoured it before i could get near him He took two ham chunks . contradictory +In doing so , they partly absolved slavery . They helped Lincoln draft his Emancipation Proclamation . neutral +There are no guarantees . Guarantees are several . contradictory +The Osaka CityTourist Information Office is just inside the main entrance to the Hankyu station . The Osaka CityTourist Information Office is located outside of the Hankyu station . contradictory +He was alone and they knew it . They knew he was by himself entailment +At L 'Isle-sur-Serein , the river divides to encircle the tranquil little town and the ruins of its 15th-century chateau . The river meets back up after separating around the town . neutral +Although Bond was noted for his bravery and prowess , he was in fact named after a man of very different Fleming took the name of his 007 hero from the author of the book Birds of the West Indies , which had been researched and written a few years earlier . Bond was known for being fearful and a coward . contradictory +right and uh the child needs to take pride in the fact that their parent is doing something uh we were fortunate in view of the fact that my son did play football and i did keep statistics for his team and his Dad did take movies of the football My son never got onto the football team but was in many clubs . contradictory +and that 's uh that 's very that 's very hard to do because once you 're best friends with your parents then i think everything go a lot better It 's better when you 're not friends with your parents . contradictory +'I have a better view of things than Greuze , ' said Natalia . Natalia said she understood things less than Greuze . contradictory +Boats are available for rent , and water-skiing and powerboat racing are very popular pastimes . One can buy boats , but not rent them . contradictory +Estimated Steel Required for Multipollutant Initiative ... No steel will be needed . contradictory +They 'll tell on us . They will tell on us . entailment +Then he cut our interview short and stormed out of his office . He sat through the whole interview , and answered all the questions . contradictory +The bottom line We can disagree about policies in a democracy ; however , our disagreements should be based on facts . We can disagree about policies , but they need to be fact based and rational . neutral +Idiot , says Alan Dershowitz on Late Edition . He forfeited attorney-client confidentiality and thereby compromised his client 's rights by volunteering too much of his conversations with Lewinsky on the shows . Lewinsky 's legal counsel substantially hurt her by mismanaging her case . neutral +Companies . There are no companies left . contradictory +All centers are affiliated with one of the major certifying bodies , with PADI ( Professional Association of Diving Instructors ) being the most common . Every center is certified by an official association . entailment +Let me address your pet theories . You have theories about time travel . neutral +Civilization here seems very distant . Civilization seems very close by here . contradictory +to water it and uh and eventually well especially when it was so bad last year well i guess it was the year before now uh it was so hot that year that was the year that i think it started out a hundred in February Last year it was so hot , I think it was a hundred in February contradictory +that 's true that 's a good idea That 's a horrible idea . contradictory +he 's a very considerate person but he also thinks a woman should be taken care of and and in the home and she should vote but after she talks to her husband about how she ought to vote He believes a woman has the right to vote without having to consult with anyone . contradictory +He speaks very , very slowly . He has a mental condition that makes him speak slowly . neutral +hopefully we 'll have some more good weather but Ideally , more days of pleasant weather for us . entailment +sure it was fun It was boring . contradictory +The FDA performed a cost-benefit analysis of the final rule . The FDA had some interesting findings after their cost-benefit analysis of the final rule . neutral +What 'd you see ? He did not see anything . contradictory +That he was also a runner was not out of the question . He was definitely not a runner . contradictory +Built in a.d. 80 , the four-tiered elliptical amphitheater seated 50,000 spectators . Shaped almost like an egg on its side , the amphitheater had four levels holding tens of thousands of spectators . entailment +In general , look for good prices at hypermarkets outside the major towns . Generally , look for good prices at the markets that aren 't in major towns . entailment +The Department prepared an Initial Regulatory Flexibility Analysis in connection with the interim rule . The interim rule was a component of the flexibility analysis . entailment +If we assume ( since you don 't do macro ) that these prognosticators of doom are correct , what 's a body to do ? Is there anything that can be done in case , as we believe , the predictions of calamity turn out to be true ? entailment +Note the masterful Ren ? ­ ais ? ­ sance carving of the oak doors on the central and north portals . The masterful Renaissance carvings of the oak doors depict biblical stories . neutral +The NYT and LAT fronts report that a Vanderbilt University study , to be published today in Science , indicates that blacks are far less likely than whites to make use of the Internet . The study found that one race is more likely than the other to utilize the Internet . entailment +Possibility the We the people are like terrified rabbits frozen in the glare of the onrushing headlights of the great big truck that is G.W. We are brave deer that can leap away from any onrushing truck coming our way . contradictory +In other words , government saving decreases by $ 1,120 ( or government dissaving increases by that amount , depending on the government 's surplus / deficit position for the year ) . government saving less means more spending on us so a greater wellbeing for all neutral +The image was established early , and the cash registers have been ringing ever since . They have been selling a lot . entailment +That I miss her . I miss her . entailment +That I miss her . I miss her . entailment +It also states that These actions should lead to faster development of They should develop faster with the educational help . neutral +i agree get them out there They need to get out and do something physical . neutral +In jail at the same time , for incitement to rebellion , was Congress Party member Jawaharlal Nehru , who was British-educated but also a Brahman intellectual , as his honorary title of Pandit suggested . Jawaharlal Nehru was educated in Britain , but was not a Brahman intellectual . neutral +With this increased focus on agency accountability also came recognition of the need to elevate the agenciesa information management positions to more strategic , executive , levels , comparable to the CFO positions created in 1990 . The only CFO positions in the agencies were created in 1995 . contradictory +Loosening his hold of me , he mechanically straightened a pair of candlesticks , still murmuring to himself : " Yes , that alters everything ” everything . " Suddenly he seemed to come to a decision . Nothing is altered . contradictory +Many evaluation questions do not require a high degree of generalizability . There are evaluation questions that do not ask for high degree generalizability . entailment +While a Bush spokesman declined to comment , Pepper said that he and his colleague used the meetings to advance two ideas . Pepper had never met Bush . contradictory +A second problem is that a Gulf War Syndrome with consistent symptoms has yet to be defined . No consistent symptoms for Gulf War Syndrome have been defined . entailment +Reports by GAO or other auditing institutions can provide valuable background information . Reports from GAP and other auditing institutions can give all the needed valuable information . neutral +Low-income households must negotiate legal issues to satisfy their basic needs for food , housing , health care , personal safety and education . In order for basics needs to be met , low income households have to negotiate legal issues . entailment +You are not aware of what has happened ? The man asked the other woman if she was feeling well . contradictory +you know uh because the you know the character actors the town the community people were just great they just seem so real you know they came right off the screen The actors did a bad job with their parts . contradictory +Once home , he might change into a garish velour leisure suit or an elegant yukata ( light cotton kimono ) , the traditional informal attire for both men and women . Both men and women always wear leisure suits . contradictory +( No , Michael Jordan as a great role model . ) Michael Jordan , a great role model because of his work ethic . neutral +This makes me sad . This makes me happy . contradictory +Glorious Gardens Unremarkable Gardens . contradictory +Mencken of the Clinton era--the president 's symbiotic scourge . Mencken was a pain for Clinton . neutral +Today 's growing industrial town , a centre of wood , plastics , and toy making , takes its name from a Roman temple to Diana , the remains of which are on view in the Ayuntamiento . When the town was named , its inhabitants still worshipped Diana as a deity . neutral +Mrs. Cavendish gave me some tea , and her few quiet remarks heightened my first impression of her as a thoroughly fascinating woman . Mrs. Cavendish 's first remarks struck me as boring and awkward . contradictory +He looked away as he spoke . He looked to the left as he continued speaking about the criminal . neutral +we we my sister uses plenty of fertilizer i don 't know if that 's a good thing or a bad thing boy i wish this phone would stop screeching I 'm enjoying the phone screeching , and know that it 's a good thing my sister uses so much fertilizer . contradictory +The wounds would heal , and the beatings could never kill him ; but there had been no provision in his new body for the suppression of pain . The beatings would never feel any less painful to him . neutral +i guess if you 're not doing anything it 's no big deal people call it invasion of privacy not to me it 's not because first of all if you 're not doing anything they 're not invading anything Even if people aren 't doing anything , they still deserve some amount of privacy . contradictory +but you know every week it gets harder because i could go out and be making money Every week there 's more pressure and tighter deadlines , and I could be getting money from somewhere else . neutral +you know back just even fifty years ago when people had had financial problems the fir st place they went to was their family and families took care of themselves and um Not so long ago , people could ask for financial assistance from their families . entailment +It has been requiring states to consolidate legal aid groups in an attempt to conserve money and improve services . States are consolidating legal aid groups in order to save money . entailment +System to help the uninitiated fill out minor paperwork could go statewide , agency says . The system helps the uninitiated fill out the papers . entailment +I think it 's worked , ' she said about a month later before going out to a club , and her father had a vague impression that there were more or less three zits less on his daughter 's face . The father thought his daughter typically had a lot of zits . neutral +Kansas is a real surprise i didn 't expect them to get that far Kansas played the same way as always and they won 't get that far contradictory +This will take you through the town of Brampton and on to the village of Greenhead . The village of Greenhead is close to the town of Brampton . neutral +A tapa is a mouthful of anything that tastes good and fits on a cocktail stick . Anything that is a mouthful , tastes good , and will fit on a cocktail stick is a tapa . entailment +Crowell and Moring may take on an Employment Law page . Crowell and Moring were not interested on an Employment Law page . contradictory +You know what you know now , said Jon . Jon said the person knew something . entailment +The western door of the pair is open ; the eastern door was bricked up after the Crusaders lost Jerusalem in 1187 and has remained shut ever since . Of the two , the western door was never open . contradictory +and Americans and they decide oh make it Iraqis and Americans you know and they just change the title and uh and reshot a few parts you know where they yeah you know where they could i guess they figured we wouldn 't can 't tell the difference between an they renamed the movie and reshot a few scenes , but the rest of it is exactly the same neutral +uh no my fiance is selling uh a nineteen seventy eight Cutlass Supreme that she has it 's actually in better condition than my car She is not selling a car . contradictory +Those don 't work anyway . Those don 't work . entailment +The White House Web site 's theme of the Supporting America 's Families in Times of Distress . Hurting America 's Families in Times of Distress is the White House 's website theme . contradictory +but i think that uh the changes in the next twenty years will probably be just as drastic you you 'll see more women CEOs and more women holding public offices In the next twenty years , you 'll see drastic changes in the work place with more women CEO 's and more women holding public offices . entailment +8 million ) ; the states with the fastest-growing prison populations ( Texas , California , Louisiana , and Ohio ) ; the likelihood ( one in 20 ) that any given person will do prison time ; and so on . The states with the fastest-growing prison populations also have the shortest prison sentences . neutral +and uh i just i heard a comment on the radio this morning that uh you know it it gets to a point where uh if enough people are are going to be slaughtered over there over the the the internal problems um somebody may step in again but uh i really think it 's it 's a UN issue We should definitely not involve the UN . contradictory +Entire books have been written about the original mosaics on the five domes and the great barrel vaults separating them , dating from the 11th to the 15th centuries . Books have been written about how the domes reflect sunlight . contradictory +it was a mess for the little one so It wasn 't a mess at all , things were smooth for the little one . contradictory +But Wolf builds it up into a timeless international archetype . Wolf built it up to an archetype . neutral +NBC had fired him a year and a half ago after he pleaded guilty to biting a woman during sex . The Television Broadcasting Company NBC fired him over a year ago as he was guilty for biting a woman during sex . entailment +The low beetling brows , and the criminal jaw , the bestiality of the whole countenance were new to the young man , though he was a type that Scotland Yard would have recognized at a glance . The brows and jaw were new to the man . entailment +Pick up a copy of HKTA 's The Official Dining , Entertainment and Shopping Directory in which all member stores are listed . Don 't get the HKTA guide , it is full of lies ! contradictory +Is there any way out of this morass ? Can I leave the morass right now ? neutral +The audits conducted by the General Accounting Office ( GAO ) and reported in June 1999 , confirmed the Inspector General 's findings as to the factors causing systemic errors in grantee case reporting . The GAO did not reveal any information regarding the grantee case reporting . contradictory +Vast expanses of land are cultivated ; orchards and lush cattle pastures produce the famous strong cider and pungent cheeses . Milk from cows is used to make the cheese for which the area is known . entailment +He nodded rather gloomily . He shook his head happilly . contradictory +Menorca gets big-time package holidaymakers , especially from Great Britain , and beaches and roads get awfully crowded in the height of the summer season , but the island seldom feels frenetic . British holidaymakers tend to stay away from Menorca . contradictory +The museum exhibits sarcophagi , Etruscan and imported Greek vases , and some of the best wall-paintings all in reconstructed tombs . There are no wall-paintings in the museum . contradictory +well i heard it on the news today i could swear it was IBM I could sweat it was IBM that introduced the new machine on the news today . neutral +The free breakfast is a delight . The breakfast is not free or good . contradictory +But you can live with them . You can live with the villagers . neutral +Ca 'daan felt uncomfortable in the gambling parlor but the crowds left them alone . Ca 'daan loved going to the gambling parlor . contradictory +That about marked the end of Nash 's career as a mathematical genius . Nash 's career ended because he died . neutral +Oh , hell--it 's a lot more complicated than that , but it takes the basic facts and draws a picture of the results . It would take some time to muster the whole thing . neutral +In addition , contrary to recent assertions , we are not seeking the minutes of these meetings or related notes of the Vice President 's staff . We are not seeking the minutes of theses meeting or related notes of the Vice Presiden 's staff , because we trust them to do their job right . neutral +Literature has always flourished in Dublin , the only city to have produced three Nobel Prize winners for literature Yeats , Shaw , and Beckett . Nobel Prize for literature winner Yeats never visited Dublin . contradictory +At the same time , the hotel offerings across the island are rapidly being expanded , and visitors can now choose from hotels , quintas ( villas ) , estalagens and pousadas ( inns ) along the coasts and in the villages and mountains of the interior . There are just a couple of hotels . contradictory +In her storage room-turned-office , Jennifer Baum works under an expanding leak that is causing the ceiling to turn brown and crumble . Jennifer Baum 's office used to be a storage room . entailment +The mausoleum is flanked by two almost identical red buildings , to the west a mosque , to the east a guest pavilion each is a perfect viewing-point . There are two identical buildings on each side . entailment +Julius listened spellbound . Julius listened , completely engrossed entailment +supplemented their they were most of them were on social security and they got some kind of supplemental aid besides from the state government but it was this little bitty one bedroom house but it was a separate house and they had a living room and a bedroom and a kitchen and a bathroom They can live in small unattached homes , with one bedroom , kitchen , living room and bath . Most get social security and a government supplemental income will help pay for the fees . entailment +Despite his attempts to quell the extremists , Robespierre was overthrown and guillotined in the counterattack of the propertied classes . Eistein attempted to quell the extremists , but was killed anyway . contradictory +You and Thorn should stay in the town tonight . You and Thorn should stay in the luxurious town tonight . neutral +Kemal handled the problem with his usual vigour and eloquence in a speech to the Assembly , by linking the power of the caliphate with that of the It was by force that the sons of Osman seized the sovereignty and Sultanate of the Turkish nation Now the Turkish nation has rebelled and has put a stop to these usurpers , and has effectively taken sovereignty and the Sultanate into its own hands . The Turkish nation rebelled after Kemal made a speech . entailment +Talking directly to the camera , White looked somewhat worse for wear . White looked incredible , better than ever . contradictory +The route we propose for visitors driving from Paris bypasses Orleans on the autoroute , exits at Blois and , after a side trip to Chambord , heads west on the N152 to Angers . Visitors may only travel east on N152 due to traffic regulations . contradictory +because we don 't want to do anything like study or anything so all the all we do is turn like like when i was in high school i used to do like my homework in front of the TV set you know I could only ever do homework in complete silence , alone in my room . contradictory +Immediately north of Edinburgh 's New Town is Inverleith , an area full of green sites . Inverleith is a beach with sandy shores and tall cliffs . contradictory +Recent research raises questions about the connection between pesticide exposure and long-term health problems , such as chronic headaches , sleep disorders , vision problems , nerve damage , cancer and birth defects , Wuerthele said . Nerve damage is one of the chronic health problems that are connected to pesticide exposure . entailment +In Japan , New Year 's Day is the big festival , closest in spirit to Christmas in the West , the time when relatives and friends pay visits to each other and to the local shrines . Most Japanese stay home for a good rest on the New Year 's Day holiday . contradictory +New Hostess cupcakes come when you call them . Hostess does not make cupcakes . contradictory +i get my attitude expressed through them but i find it to be very sometimes it 's kind of shoot yourself in the foot short sided mentality to save a few bucks uh and It is all around good to do . contradictory +If there is only one place where you get out of the car and do a little walking , this has to be it . You will need to walk at least two miles once you leave your car to get there . contradictory +It is now the central laboratory of the Army Materiel Command . The water lad is now the central lab of the Army division . neutral +yeah it looks like Jerry Jones is trying to make as much money as he can out of this deal uh he 's got his own TV show and he opened the Cowboy Corral out in in the parking lot there He probably doesn 't want to let this opportunity go to waste so Jerry 's getting things going like that TV series and that thing in the parking lot . neutral +However , today 's fiscal good fortune will not survive over the long run . The good things that are happening fiscally right now can 't be expected to continue long-term . entailment +For a golf tournament and to do a bit of shopping . To play a game and buy some things . entailment +Soon some spoke of not a warband cutting them down , but a single man . Soon people discussed a single man cutting them down , not a warband entailment +Bauerstein 's arrest , of course , " I answered impatiently . Bauerstein being set free , of course . contradictory +and the wind a wind storm come and knock it down but she 's had really good luck i mean it next month well actually it if you if you start it in a couple weeks A wind storm destroyed it , but she 's been lucky otherwise . entailment +well it 's it 's it 's not it 's not music it 's just it 's just uh uh beat talking in a beat it is just it 's not exciting at all it doesn 't it doesn 't give you relaxation you can 't dance to it you can 't do anything to it yeah Talking on a beat isn 't real music . entailment +Wandering in these fascinating little streets is best in the early morning or late afternoon when the crowds and heat are reduced . The best time to wander in the street is without many people . entailment +which seeming rather ironic What happened back there seemed kind of ironic to me . neutral +And Vrenna ? Susan turned and looked at Jon for a moment . Susan was checking out Jon 's long sword . neutral +For the next four decades , Hollywood was the film industry . Hollywood 's industry is based on wood crafting and it 's well known in the world . contradictory +and killed all them people what 's uh Saddam did Saddam did not kill anyone . contradictory +Today China 's economy is more vulnerable to coordinated sanctions that would cut off its exports to industrial countries than ever before , yet it seems less open to democracy than ever before . The vulnerability associated with China has increased because of a number of people getting richer . neutral +Defense Medicare Medicaid Defending all government programs . neutral +They cover a range of good government responsibilities that are fundamental to effectively executing any administration 's program agenda . There are many responsibilities to cover . neutral +The longer the time period you choose , the more individual visitors you can claim , which is nice . The longer the time period , the more individual visitors you can claim although this may not always be the best strategy . neutral +The editorial concluded , He smoked but didn 't inhale . He smoked to pass the time and not due to enjoying the taste . neutral +yeah it 's like he has some sort of a power over them i i can 't figure it out It 's puzzling trying to decipher his power . entailment +it was just too perfect at all times that was a mistake that they made they shouldn 't have done it now the best the supporting actor he was good The best supporting actor in it was brilliant . entailment +absolutely that 's what happened to us we had a boat for several years in early marriage and along came the kids and it kind of sat there Our boat has gone unused ever since we had kids . entailment +His defenders point out that he was trained at a top-flight facility and usually brought along a flight instructor but that Friday 's weather reports offered no warning of poor visibility . It showed temperatures in the 70s on Friday . neutral +Directly testing control effectiveness was cited most often as an effective way to determine if the risk reduction techniques that had been agreed to were , in fact , operating effectively . Risk reduction techniques can save many employees from harm . neutral +Detection of alcohol-related problems in general practice . Detecting signs of individuals with alcohol-induced problems is harder than it seems from a practical standpoint . neutral +He had planned it this way no demands , no claims on a stranger , freedom to make the decision of when or how he would see his father ; that was the only path he could take . He had not seen his father since they were separated on the boat . neutral +yeah you have to hunt hard for them i guess You have to hunt hard for truffles . neutral +After the disaster , Mycenean Greeks from the Peloponnese moved in to control what remained of the Minoan settlements they may even have precipitated the destruction . The Greeks were never in control . contradictory +I 'm sorry , Dave Hanson , she said gently . She apologized . entailment +National pro-bono participation is even worse . Pro-bono participation nationally is even worse . entailment +'You think I 'm heroic ? ' I scoffed . I asked someone if they thought I was heroic . entailment +Sightseers have their choice of taxi or rental vehicles , including the ubiquitous Minimoke and beach buggy , ideal for local conditions . It is cheaper to rent a Minimoke than a beach buggy . neutral +In FY 2000 , Bay Legal was the recipient of a $ 175,235 LSC Technology Initiative Grant . It was the largest grant that Bay Legal had received to date . neutral +yeah well thank you for calling i " Thank you for contacting me . " entailment +um-hum and they see that with my husband 's retirement a little over a year ago we 're having a wonderful time and i think they look at that and and uh and that way i think we 're doing a lot for our grandchildren My husband is yet to retire , but I want him to . contradictory +The magazines agree that India exploded nukes in order to boost its self-esteem and that there is no imminent threat of conflict with Pakistan or China . The explosion of nukes by India appear to be a move to increase its self-esteem and an emphasis that there is no threat for its ' neighbors , China and Pakistan . entailment +St. Anne 's Church ( facing Anne Street South ) has some colorful 19th-century stained glass , and provides the setting for lunchtime concerts ( look for the notices in the vestibule ) . Concerts are only offered in St. Anne 's Church in the evenings . contradictory +like a print shop or or a thing in the system well we have uh instead of using view view foil machines we have uh a transmitter that will pick up the signal from the the monitor We have a transmitter that picks up the signal from the monitor . entailment +specials uh-huh yeah the all sports station yeah Only on one of the sports stations . contradictory +you know and i mean they even had um the the higher up management people would even come in periodically and have unexpected checks you know Management never was involved with conducting unexpected checks . contradictory +Spot enforcement , well-publicized with blue flashing lights , is what maintains speed limits on the highway . The best way to slow people down is to put cops on the rode . neutral +The development of credible opinion leaders who are emergency medicine clinicians , who will endorse and advance the concept of alcohol screening and intervention , is the best means of fostering attitudinal change within that specialty . It will cost money to develop credible opinion leaders . neutral +His architect , Deepa , is also here , in the third row of pillars , first pillar on the right . Deepa may be found in another building . contradictory +And a focus on pure politics is surely better than a focus on personal misbehavior or the issue of whether evangelical Christians should be alone with women not their wives . It is better to focus on politics and not personal misbehavior . entailment +Some judges have tried . No one has ever made a real effort here . contradictory +and responsibilities of any groups or committees of senior managers , and the relationships between them . Each group has a different responsibility . neutral +Many guides point out a green healthy plant in the courtyard as a regeneration of the original . The green plant in the middle is highly valuable to collectors . neutral +Chatterbox will simply observe that the great American film epic derived from the Federal Register ' s fine print has yet to be realized . Chatterbox is famous for criticizing films . neutral +it you know the girls can learn things in school about everything that is temporary but as far as really knowing the earth there 's no other way to really learn it but to experience it They can 't learn anything in school . contradictory +I know your journey through the torrent 's edge was straining . I know your journey was easy as possible with no strain . contradictory +A constant dollar is derived by dividing a current dollar amount by a price index . Constant dollar includes lots of math neutral +, stock numbers , detailed descriptions , grades or quality , and types or models ) ; quantities ordered , received , and billed ; the quality ( type , grade , or condition ) of the items received ; and prices per unit . Only the prices per unit , stock numbers , basic descriptions . contradictory +I was greatly encouraged to see Michael Goff 's proposal of a Microsoft fashion-upgrade strategy , titled Dressing Up the Nerds . Michael Goff proposed a fashion-upgrade strategy for Microsoft . entailment +The Cityof the Popes is today a proud cultural center , home of one of Europe 's greatest arts festivals , and all year round a lively and cheerful town of good cafe , art galleries , and fashionable shops . Many patrons of the arts make their home in the city center . neutral +3 The model highlights the kinds of thinking that agencies should apply , as well as some of the steps they can take , to make progress in managing human capital strategically . Agencies should not attempt to manage human capital strategically . contradictory +The fact that industries wax and wane is a reality of any economic system that wants to remain dynamic and responsive to people 's changing tastes . Industries are constantly changing in response to peoples needs and are more efficient day to day . neutral +Woops ! " The bird had dipped downward , rushing toward the ground . Rushing toward the ground , the bird had dipped downward . entailment +The greatest events and achievements of the past 1,000 years are reviewed , including the miraculous growth of prosperity since 1750 , the persistence of the city , the emancipation of women , the rise of the law , and the invention of limited liability ( the key to the rise of equity corporations ) . A review of the greatest events / achievements for the last 100 years took place . contradictory +and has been able and now she 's made enough money to start this health food store i don 't know how she 's doing but it i guess you have to admire the people who have come in and work and don 't you know don 't take money from the government It takes effort to do . neutral +Then , aged 35 , sitting under a tree at the place now known as Bodh Gaya ( south of Patna ) , he vowed to stay there until his goal was achieved . He never sat under any tree during his lifetime . contradictory +His hat rolled off . His hat fell off . entailment +Besides , deep down I really do think you agree with me . ' You are completely wrong for disagreeing with me . ' contradictory +And Benedykt was indeed the boss , even though he himself couldn 't quite believe it . He was the boss because he worked hard to get there . neutral +They both laughed . They both cried . contradictory +uh i personally don 't believe i did no for one reason being like i mentioned i was in retail when she was younger I think I did because I have never been in retail . contradictory +If you missed the discussion of tobacco executives ' choice to smoke , click here . You can click here for more information about the executives ' discussion . entailment +oh that 's true well um you work here at the Expressway site I agree , you work at Expressway entailment +The final rule , however , does not include a Final Regulatory Impact Analysis . Final Regulatory Impact Analysis is not included in the final rule . entailment +Have you seen the little fellow safely back to his cottage ? I don 't care if there was a little fellow or whatever we 're talking about . contradictory +um that 's what i want that 's what i like to make is just real neat stuff like that but I like to inspiration from fashion books , I try to make neat clothes I see in them . neutral +Their love of perfection serves them well . They are very sloppy and just don 't care . contradictory +yeah because those things are pretty expensive aren 't they Because those things are very cheap , aren 't they ? contradictory +The credibility and authenticity of the case study report may depend on the writer 's having provided extensive detail and description , making unexpected conclusions as difficult to deny as if the reader had been part of the event . The writer 's detail and description decide the credibility and authenticity of the case . entailment +But she was very good to us Belgians , I owe her a debt . " I endeavoured to interrupt , but Poirot swept on . She helped us Belgians with medical supplies and food . neutral +Mulid En Nabi is another major holiday it celebrates the Prophet 's Birthday . The Prophet 's Birthday is celebrated on Mulid En Nabi . entailment +Let 's call Paxon 's bluff and see if he stays close to home to nurture Suby or takes another demanding job . Let 's see what Paxon really will do . entailment +Since the costs are recognized by the employer entity and its payment to the unemployment trust fund or the special benefits fund reimburses these funds for the costs they incur , the amounts these funds receive from the employer entity are exchange revenues . There is no reimbursement . contradictory +The OMB guidance states that automated techniques should depend upon risks , benefits , and cost effectiveness associated with the automated applications . Automated techniques should depend on risks , benefits and cost effectiveness . entailment +The nearby Nelson Monument , an elegant tower 30 m ( 98 ft ) high , commemorates the famous naval victory at Trafalgar in 1805 . The naval victory at Trafalgar in 1805 is remembered by the Nelson Monument , a tower 98 ft high . entailment +While a third major bank advertised its November money market account rates to be between 1.73 percent for accounts with $ 5,000 and 2.47 percent for accounts with $ 50,000 or more , that bank pays IOLTA a flat 1.1 percent . The bank offers a free toaster oven with all new checking accounts . neutral +Credit card companies and banks , mail order firms , health care subsidiaries , and high-tech software developers all contribute to a healthy local economy , helping to diversify Las Vegas in the face of an ever-changing national gambling landscape . The Las Vegas economy remains healthy due to the diverse range of business operating there . entailment +But he covered his thoughts in a neutral expression and went forward quietly toward the huge council room . He made an effort to hide what was on his mind . neutral +They started a brawl . A brawl started because of the insults they had been hurling around . neutral +EPA performed a cost-benefit analysis which is summarized in the preamble to the final rule . The cost-benefit analysis , despite its ' importance , was never summarized . contradictory +By 1920 , the Japanese in Hawaii outnumbered Hawaiians two to one . At that time there were more than twice as many Japanese in Hawaii as there were natives . entailment +It is we who have squandered the public trust , we who have time and again placed our personal or partisan interest before the national interest , earning the public 's contempt with our poll-driven policies , our phony posturing , the lies we call spin . We always tell the truth and never emphasize partisan interest . contradictory +Elsewhere , there are miniature palheiro dog kennels , and down by the river even the ducks have their own palheiro . The ducks have a palheiro of their own . entailment +At first glance , the map looks like good news for the They have close races in many of the rain-drenched states , and rain generally benefits Republicans , who can count on fervent conservatives to get to the polls in any weather . The Republicans advised the conservatives about the weather . neutral +At the intersection of Avenida Zarco and the main drag , Avenida Arriaga , stands a statue of Madeira 's discoverer , Joao Goncalves Zarco often referred to as the First Captain . The nickname of the First Captain is a reference to the Madeira discoverer 's dream of having his own ship . neutral +The Dutch were the next to in 1625 , they succeeded in pinning the Spanish into the confines of El Morro ; but after looting everything of value , they set fire to San Juan and departed . The Dutch set fire to San Juan and then left . entailment +well yeah but you know there there are so many people who just get get their jollies off of watching that No one enjoys watching that . contradictory +Fighting down that instinct of panic which urged her to turn tail and run without further delay , Tuppence returned the lady 's gaze firmly and respectfully . Tuppence wanted to run away but instead returned the lady 's gaze . entailment +well other than i need to go you know more I don 't need to go more often . contradictory +I was standing in a room . I stood in the living room . neutral +During these stormy years , the castle of Edinburgh was occupied several times by English garrisons . English garrisons have taken over Edinburgh castle several times . entailment +Personal saving percent of Household wealth to disposable disposable personal income personal income ratio Public saving percent of Corporation wealth to necessary company income . contradictory +We have two distinct clues . There are two distinct clues . entailment +Back home , wives who at first seem passive and subservient are formidably powerful mothers and homemakers , driving their children to scholastic success through examination hell . This has helped each generation to become more prosperous than the previous one . neutral +Sinner to sin . The sinner does bad things . entailment +Second Palio ( 16 August ) August 16th is the second Palio . neutral +If the legal service closes , he 's unsure where his clients will go . Legal service cannot close neutral +No , as it happens , it doesn 't . It doesn 't mean that I will pay that much . neutral +kind of had different different ideas from what probably the majority of people have i put him in a day care center from the very beginning he started in day care when he was eight weeks old I put him into daycare on the day he was born . contradictory +Current U.S. accounting and reporting standards have become much too complex . Current U.S. accounting and reporting standards are straightforward . contradictory +Perugia 's antiquity is symbolized on the north side of town by the lovingly preserved Arco Etrusco ( Etruscan and partly Roman triumphal arch ) that was incorporated into its medieval ramparts . The Arco Etrusco is a magnificent piece of architecture studied as an example around the world . neutral +yeah it was it was fun because uh they would call when they were with the Browns they would call and say we left tickets at the gate for you all come on up so we would hop in the car the next morning and drive up and It was fun because we watched them on tv . contradictory +To one person , a case study involves looking at individual people . Nobody believes that a case study can be done by looking at small groups . contradictory +Supposedly , the European telecom market will deregulate in 1999 , and in anticipation of being phaser-blasted by true competition , Belgacom just sold 45 percent of itself to a consortium led by Ameritech . Belgacom 's decision to sell to Ameritech was only influenced by the coming deregulations . neutral +Reed Smith 's lawyers spent 6,352 hours to recover the archive of Pittsburgh photographer Teenie Harris , who was swindled out of his negatives . Smith 's lawyers only needed 5 minutes to recover the archive . contradictory +They play and talk in unison . They do not talk to each other . contradictory +What a heartwarming story ! It was a sad story . contradictory +The waterfront drive parallels the shore of a Chinese island , and boats headed to China pass through the narrow waterway . Boats headed to China have to undergo a thorough inspection . neutral +( Duvall has become more fun to watch than just about anyone in movies . ) Duvall is one of the most fun people to watch in movies . entailment +Among the first people to join the staff of Slate , way back in 1996 , were Associate Publisher Betsy Davis and Program Manager Bill Barnes . Bill Barnes didn 't join Slate 's staff until 2011 . contradictory +In an effort to redress this problem , the IRS has taken the unusual step of funding legal clinics that assist low-income taxpayers . The IRS tried to strip funding to legal clinics . contradictory +The most prominent building overlooking the square is the Dutch Stadthuys ( Town Hall ) , dating from around 1650 . The Dutch Stadthuys dates to 1937 and is one of the least prominent buildings . contradictory +Leading east from the square is Kasr El-Nil Street lined with western-style shops and restaurants . The Kasr El-Nil Street has an Asian atmosphere . contradictory +no paddling no paddling we 'll just grab the rudder and you you work the rudder yeah It seems as though we will have to paddle . contradictory +Arrive early in the morning for your first look across the hills from the grey-stone towers of San Gimignano ( a medieval Manhattan ) , or come to Siena 's Piazza del Campo at sunset . You can 't see the towers from that spot . contradictory +He didn 't hurry any over that either . He made sure to do that right away contradictory +public hangings and yeah public celebrations and so on contradictory +hm now is that place built or you 're still in the makings of it Is that place built , or is it still under construction ? entailment +The bus ride from Kumamoto to the mighty Mt . Aso volcano takes you acrosesome gently rolling hills , past orange groves , fields of watermelon , and the special grass used for tatami mats . You can take a bus from Kumamoto to Mt . Aso . entailment +Stop thinking stupid thoughts . Don 't think about stupid things . entailment +( 1 ) disseminate all types of information , including alerts , advisories , reports , and other analysis ; ( 2 ) make databases available to the members ; and ( 3 ) provide methods for members to ask each other about particular incidents , vulnerabilities , or potential solutions . Online databases are the safest and most efficient form to transmit information . neutral +We walked , maybe , for half an hour . We did not walk for anywhere near thirty minutes . contradictory +yeah like my husband says we just have two kids it 's hard to keep them out of things let alone pets My husband said it 's hard enough to keep the kids out of things and it would be worse if we had a pet but we are getting a dog anyway . neutral +But now he was more intent on Anse 's needs . Anse 's needs came before his own child 's needs . neutral +The old man dropped a hand on his shoulder . The aged man placed a hand on his shoulder to comfort him . neutral +Recent accountability breakdowns in the private sector have come in a variety of forms and bear many names , including Enron , WorldCom , Qwest , Tyco , Adelphia , Global Crossing , Waste Management , Micro Strategy , Superior Federal Savings Bank and Xerox , just to name a few . Enron , Worldcom , and Qwest are forms of accountability breakdowns . entailment +oh uh-huh yeah i was just i was just thinking at at Rossa they they tend to come out with a new book every couple of weeks During the summers Rossa stops producing books . neutral +This serene , arcaded palace , with its garden of lime trees and beeches and the pond where Louis XIV nearly drowned has had a past as colorful as its spectacular new flower beds . Louis XIV was a good swimmer except when it came to ponds . contradictory +Maintenance is a mammoth task , and it is said that painters work constantly on the structure , completing one end and immediately starting again at the other . Maintenance is hard because there is always work and not enough workers . neutral +A roof terrace offers panoramic views over the city skyline , and there is an excellent restaurant on the third floor . The third-floor restaurant is mainly vegetarian . neutral +One convenience of a paper magazine that will take the digital variety a while to match is portability . Paper magazines are easy to carry . entailment +Seems like you 've got you a four-legged gold mine there , Kirby , he said . That horse seems to have a lot of value , he said . neutral +These changes focused primarily on ( 1 ) ensuring technologies are demonstrated to a high level of maturity before beginning a weapon system program and ( 2 ) taking an evolutionary , or phased , approach to developing new weapon systems . The channels focus on more than one thing . entailment +The tombs are known collectively as the Theban Necropolis . There are no tombs in the Theban Necropolis . contradictory +Hanson smelled his portion dubiously . Hanson smelt his portion with suspicion . entailment +Is there anything the matter , Aunt Emily ? asked Cynthia . Are you warm enough , Aunt Emily ? asked Cynthia . contradictory +Or only an American millionaire of unfortunate ancestry ? It also could have been just that this person was an American , wealthy , but from an unrespected family . neutral +On the western flank of the square , West Register House , designed originally as a church ( St. West Register House used to be a church at one time . entailment +Slate does or can treat Microsoft just as we would if it were not our employer . Slate avoids any bias . neutral +It seemed vaguely familiar to Tommy , but he thrust the impression aside as impossible . Tommy had no knowledge of it , but remained intrigued . contradictory +A cover article follows a squad of West Point cadets through the revamped basic training they receive before their first semester . The cover article featured an article about the President of the United States . contradictory +It was introduced in the 19th century , together with railways , cameras , and whisky . It was hands down the most influential invention of the century . neutral +This is a very dreadful business , Monsieur Poirot , he said . I do not like doing this kind of work , Monsieur Poirot , he said . neutral +One 's a Labour man , you think ? One is a member of the Labour group , you 'd say ? neutral +Legal Aid has about 25 staff members in its Harlem office , currently located on the sixth and seventh floors of the Hotel Theresa . In it 's Harlem office , Legal Aid has approximately 25 staff members . entailment +On the Public Service Alternative Bar Examination , Mr. Curnin was reserved . Mr. Curnin had no idea what he was talking about so spoke very little on the bar examination . neutral +There are lots of things I want to ask you , Annette . I don 't have anything that I need to say to you , Anette . contradictory +They said he was stupid . They claimed he was stupid , but he wasn 't . neutral +The legal aid group cleared about 8,300 cases last year . The cases were mostly for poor individuals . neutral +'Pardon ? ! ' I called . Excuse me I said because I thought he was being rude . neutral +The creeper symbolizes the impassiveness he is said to have observed in this upright position of pratimayoga , which he adopted for one whole year in response to his brother 's lust for worldly power . In reaction to his brother 's desire for power , he adopted an active life of helping the poor and needy for one year . contradictory +The Form and Content of these statements are determined by OMB . The OMB checks the form of the statements but not the content . contradictory +I totally agree ( if there is a drug link ) , get them out . I do not disagree with you and think they should be let out . entailment +By now , every building , farm house , and shop blazed like a green torch . The town smoldered in the green conflagration , with only the outlying fields spared from the eldritch blaze . neutral +The morning brought a note from Mr. Carter : " DEAR MISS TUPPENCE , " You have made a splendid start , and I congratulate you . Aside from the note from Mr. Carter , there was also a bottle of wine . neutral +Substance abuse and the emergency programmatic implications . Substance abuse is an issue that has serious complications for emergency programs . entailment +Mrs. 213 Vandemeyer and another woman never left me for a moment . The two women talked to me the whole time . neutral +So , credit given . We must give credit where credit is due . neutral +A trade treaty gave the Dutch command of the spice trade but reserved Johor 's rights in tin exports from Perak , Selangor , and Klang . The spice trade was given to the Dutch in a trade treaty . entailment +yeah if you wanted to you could uh but you could do the whole presentation and slick it up and edit it and make all kinds of changes and modification till you had it down pat on the Amiga once you had done that i mean including hooking up a camera to take pictures of things like maybe you want to do a a a a presentation on how to run some piece of gear well you want to take pictures of it you might want to take pictures of it running Amiga was the first computer to feature presentation software . neutral +and so they they they they don 't no it 's not firing first it 's uh definitely try to encourage people to rehabilitate in fact they again before you go you know that 's that 's why i said when they first started it they had a rehabilitation program in effect that said if you worried about this and if you may have taken drugs go ahead and and get rehabilitated first and and and they won 't even say anything about it you know oh sure There were a few people last year who went into a rehabilitation program . neutral +Ibiza 's casino , handily located on the passeig Mar ? ­ tim , is open all year round . Ibiza 's casino is only open a few days of the year . contradictory +yeah he gets in trouble everywhere he goes it 's real violent He 's a violent guy who is troublesome . entailment +Association for Federal Information Resources www.affirm.org Chief Financial Officers www.financenet.gov Federal Chief Information Officers www.cio.gov Government Information Technology Services www.gits.gov Industry Advisory www.iaconline.org Information Systems Audit and Control Association and www.iasca.org Information Technology Association of www.itaa.org Information Technology Resources www.itrb.gov International Federation of www.ifac.org National Association of State Information Resource www.nasire.org Society for Information www.simnet.org There are luxurious cottages located near the shoreline . entailment +No justice , no peace , barks out a fierce equivalency , although to the uninitiated it may sound like a list of the two things the crowd is justice and peace . The chant was popularized during the Rodney King protests . neutral +A company of handweavers has been working here since at least 1723 , and visitors are able to watch them at work , but their products have become less distinctive since they expanded into a popular tourist attraction . A company of handweavers used to work here dating back to 1723 , but they are no longer in business but you can see where they used to work . contradictory +If neither fair value is determinable , the cost of the PP and E acquired is the cost recorded for the PP and E surrendered net of any accumulated depreciation or amortization . PP and E acquired and PP and E surrendered are different . entailment +and uh then there 's ninety point one is KCBI they do more uh they spend a lot of time with uh oh this preaching kind of stuff They do a lot of preaching stuff on KCBI . entailment +but yeah they they decided that that was enough camping for the weekend They mentioned it wasn 't enough camping when they came back this weekend . contradictory +because he he well was he was the youngest quarterback there was wasn 't he Wasn 't he the youngest quarterback ? entailment +yeah but um they look like orchids is what they look like but they look like different color ones like i have uh yellow ones and i have red ones and i have purple ones and then they have like you know the velvety real velvety looking stuff inside They have a velvet texture on the inside . neutral +now see i would have never figured that i would have figured that to be a lot more than that for something that 's limited edition That 's exactly as I suspected for what it is . contradictory +Mary Cavendish could certainly not rest under suspicion . Mary Cavendish was quite skittish about being suspected . entailment +To meet BLM 's expectation to establish cooperative and constructive relationships that facilitate input from a range of stakeholders , the senior executive who heads the Montana state office set an expectation to expand partnerships and maintain close working relationships with national interest groups in his individual plan for the 2001 performance appraisal cycle . BLM expects to establish a relationship with stakeholders . entailment +Alas , he broke his ankle falling into the pit . He broke something when he fell into the pit . entailment +it and i don 't like the idea of it it 's it 's makes too much of a big brother type of thing I feel that it invades my privacy too much for bad reasons . neutral +Complicating the picture is a case pending before the U.S. There is a complicated case pending in the US . entailment +The pedestrian plaza in the city centre is bounded at one end by the Ulu Camii ( Great Mosque ) , built in the 14th century with stone quarried from Uluda . The pedestrian plaza is in the city centre . entailment +now they don 't want the money for food that 's for sure The kids don 't want money for food anymore , it 's all about clothes . neutral +You can swim and scuba-dive among a wealth of fish and other sea life ; also , the bar and restaurant provide refreshment ranging from a drink to a three-course meal . There are no opportunities to swim and scuba dive at this time of year . contradictory +A short distance away from the road on the way to Pointe des Ceteaux , the long Tarare beach is another favorite with nudists . The nude beach is close to Pointe des Ceteaux . contradictory +I remember endless hallway discussions about how to balance the demand for lean and quick code against the bloat required to add new and nifty features . We talked about it in the hallway often . entailment +The reason societies with democratic governments are better places to live in than their alternatives isn 't because of some goodness intrinsic to democracy , but because its hopeless inefficiency helps blunt the basic potential for evil . Democratic governments are not evil in nature because of economic freedoms . neutral +The legislation is restricted at this point to , most likely , pilot programs with the Department of Community Affairs contracting with groups such as the Florida Bar Foundation to distribute the money most effectively . The legislation can be used by all . contradictory +The carpet lifted uncertainly . The carpet lifted confidently . contradictory +He laughed and said that he had over a hundred patients with failing hearts in the hospital awaiting surgery . Most of the patients who are in the hospital with heart conditions are on a donor list . neutral +Some city delivery routes , called curb line routes , use vehicles to provide curbside delivery to a mail receptacle along the curb as is done by rural routes . In some of the cities , vehicles are used for delivering mail along the curb . entailment +yeah you vote absentee yeah you vote you you still connected to your state legally you still you can you still are responsible for paying those taxes they withdraw taxes If you vote absentee , you don 't have to pay taxes . contradictory +The area extending from the southern edge of the Loire Valley to the Pyrenees and from the Atlantic coast into the Massif Central and the southern Mediterranean coast encompasses a variety of terrains , all distant in geography and spirit alike from Paris and the industrial north . The land between the Loire Valley and the Pyrenees is quite homogenous in terrain . contradictory +and the book to me was far more frightening than the movie was yeah he 's a very good writer and he had a way of putting you in that scene you know it was The book was scarier than anything I 've read . neutral +The bad news is your federal funding for civil equal justice will also decrease . The decrease in funding is good news . contradictory +If the request affects both Houses of Congress , GAO will work with the requester to seek bicameral support for the request from either ( 1 ) the senior leaders of the Senate and House or ( 2 ) the Chairs and Ranking Members of the Senate and House committees of jurisdiction over the congressional program or activity . If the requester affects the Houses of Congress , GAO will do nothing . contradictory +yeah a lot of them would have to get out like in just a couple Nobody would need to get out . contradictory +The Corp does take care of its employees . The Corp is well known for being a great employer . neutral +Its base was measured in kilometers instead of yards , and its top was going to be proportionally high , apparently . Its base was measured in kilometers , and its top was going to be related to the base . entailment +But it is a shame , in an age of blockbuster publishing , that Lukas ' editors either did not or could not prevail upon him to lighten up , on himself and on his audience . Unfortunately for Lukas his publishers failed to insist that his work take a less serious tack . entailment +More and more ports were opened to foreign trade , and the Japanese were obliged to accept low import tariffs . The Japanese did not accept the tariffs after more ports were opened . contradictory +The agency states that the change is in keeping with provisions of the North American Free Trade Agreement and the General Agreement on Tariffs and Trade as it removes unnecessary restrictions on such importation . The agency believes its removal of unnecessary restrictions is in violation of the provisions of the General Agreement on Tariffs and Trade . contradictory +well Buddy will probably get another job It is more than likely that Buddy will get another job . entailment +Its spacious grounds are a magnificent example of the strolling gardens favored during the Edo period . In the Edo period , gardens were favored and built on spacious grounds . entailment +This is where swathes of lush virgin rainforest mix with plantations of coffee on the high mountain slopes and meet thousands of verdant banana plants that blanket the coastal plains . There are no coffee plantations or banana plants here . contradictory +Furthermore , an agency 's internal control should be flexible to allow agencies to tailor control activities to fit their special needs . Flexibility in an agency 's internal controls is recommended here . entailment +The preamble to the final rule includes the full text of the final regulatory flexibility analysis . The full text of the flexibility analysis is in the preamble to the final rule . entailment +It was a different man who stood before them . They could not recognize the man who was standing before them . neutral +A story advises Americans not to take health warnings too seriously . Americans are told to take health warnings very seriously . contradictory +well yeah but you know i need to be at the office too you know i 've just got to deal with all those other things that happen but I also have to spend time at the office . entailment +GAO officials responsible for the completion of the engagement will participate in the meeting . GAO officials responsible for finishing the engagement will be at the meeting entailment +Then we might increase it further . In that case , we must decrease it much more . contradictory +These were erected by Nectaneboduringthefourth century b.c. These were not the only things erected by Nectanebo . neutral +However , GAO will not seek comments from an agency or affected party when The comments would not be productive to GAO . neutral +Yet few people are so warmly welcoming of strangers as the Japanese . Japanese people do not like strangers . contradictory +At the same time as it requested public comments , the Commission submitted its proposed collection of information and certification under 44 U.S.C. The Commission requested public comments out of concern for bad publicity regarding the proposal . neutral +On this road , too , are attractive pottery flowerpots in the shape of elephants and other creatures . There are flower pots along this road as well . entailment +here to there and here to yeah There to here and there to here , again . neutral +The importance of Siena 's 13th- and 14th-century school of art is best illustrated in the imposing Palazzo Buonsignori 's National Art Gallery ( Pinacoteca Nazionale ) . The National Art Gallery is just a room in someone 's house and not at all imposing . contradictory +Acres of grassland surround coral limestone columns and escarpments . The columns are made out of steel , copper , and silver . contradictory +Susan tilted her head and Vrenna tilted it like a mirror . Vrenna is copying Susan 's every move . neutral +I didn 't even know the word matriculation . I am afraid to ask what it means . neutral +The rule implements for fiscal year 1966 section 6101 of the Omnibus Budget Reconciliation Act of 1990 , as amended , 42 U.S.C. A rule was implemented for the fiscal year of 1996 . entailment +11 Similarly , we have testified that the President 's proposal , in tasking the new department with developing national policy for and coordinating the federal government 's research and development efforts for responding to chemical , biological , radiological , and nuclear weapons threats , also transfers some of the civilian research programs of the Department of Energy . The President 's proposal was included in the testimony and was beneficial . neutral +Significant weaknesses in internal controls may be discussed in the report as an element of a finding . Internal control has lots of weaknesses neutral +yeah me either i just bought mine uh it 'll be a year in August I bought mine 15 years ago . contradictory +There 's something about [ Corgan 's ] whole grandiosity that is very four years ago . Corgan seems very dated . entailment +It has been suggested that Clinton limited his idea to under-18s in order to affront only people who cannot vote . Clinton wanted to affront only people who cannot vote . entailment +This appealing hotel offers excellent value with wonderful views over the Sea of Galilee . The hotel has beautiful views of the ocean and boats . neutral +The critics praise Kidder 's reporting , but most find the discursive style slow going . The critics slammed Kidder 's reporting as very boring . contradictory +Not bad at all ! Pretty good ! entailment +Average FGD installation times have commonly been within 24-27 months . The installation times have been drastically reduced . neutral +Instead , the state depends on 41 local not-for-profit organizations , funded at $ 54 million a year , and the $ 172 million in time donated by members of the Bar to serve these needy families . Instead the state depends of non-profit organizations funded at 54 million and the time of volunteers in order to serve these families . entailment +Ah yes , I had a little plastic surgery on my forehead , so it would wrinkle to the left , such is a trend this season , I can 't help it . The speaker is a public figure and needs to be very particular about their appearance . neutral +The elements include GPRA , key management objectives , the President 's Management Agenda , and 4Cs philosophy ( consultation , cooperation , communication , all in the service of conservation ) . The elements did not include GPRA , or anything else . contradictory +yeah yeah so uh but yeah i 'd love to go catch catch like the Marlins or whatever in the deep sea fishing I don 't ever want to go fishing . contradictory +The part about her sexual coming-of-age in San Francisco fares reasonably well . She was in Idaho when she came-of-age sexually . contradictory +but see but you 're going there and you know what you 're getting into You have no idea what you 're getting into . contradictory +( Neither Toobin nor Random House returned my repeated calls . ) Random House called me back quickly . contradictory +And no one cares whether Chihuly blows glass . There is no one who cares if Chihuly blows glass . entailment +The rest of the new UPN lineup--debuting a month before other networks ' fall programs--consists mostly of sitcoms that are generally condemned for mindlessness and tastelessness . Sitcoms on UPN 's lineup have been derided as mindless . entailment +You look as hot as that pie , darlin ' , he said , glancing at the cleavage of her firm , young breasts , while her breath quickened with expectation . he said that she looked as cold as ice cream contradictory +This motorway turns in to A74 and then into the A74 ( M ) , Gretna Green is 2 km ( 1 mile ) from junction 2 of the A74 ( M ) . The motorway has a lot of travelers . neutral +additional information about market risk sensitive instruments , which investors can use to better understand and evaluate the market risk exposures of a registrant . Investors can use additional information about market risk sensitive instruments to better understand and evaluate the market risk exposures of a registrant . entailment +' ' When you 're blessed with good fortune , you need to give something back . You need to give back when you have good fortune . entailment +Japp closed one eye knowingly . He was in on the plan . neutral +The results of the technology-driven scenarios should not be interpreted as an EPA endorsement of any of the policies or technology assumptions behind each of scenarios described in this report . EPA is endorsing not only the underlying assumptions made but the policies as well in these scenarios . contradictory +I really can 't remember . The Coroner 's face grew graver . The coroner had a grave face . entailment +You could just ask him what he makes of , say , van Pelt 's assertion that the answer to the riddle of the gas chambers was all over the archives , or what he thought of the chemist 's declaration that the test performed for cyanide was the wrong test . Van Pelt says gas chambers could be explained in the archives . entailment +Both are open until 4am . One closes earlier at 2 am . contradictory +Rooney 's vision and decades of hard work have paid off for the 49-year-old . Decades of hard work and Rooney 's vision paid off for the 49-year-old . entailment +the university gives him a million dollars when he quits He won 't get anything from the university when he quits . contradictory +In the past when I encountered some outlandish inanity--often about taxes--I would sit down at my keyboard and write an answer . I used to take pictures to respond to crazy things . contradictory +An announcement in the Commerce Business Daily orRequest for other publication requesting industry comment onComment draft specifications for resources . The announcement in the Commerce Business Daily is looking for comments from highly prized media contacts . neutral +not let them go and get out of it let them go and pay their crime or their time doing something else These people should be freed to help with labor rather than by being bound . entailment +it 's the darndest thing i 've ever seen and i don 't know we we 're probably going to have to get us a boat one of these days soon and go out and see go out and see what 's really out there Sometime we 'll have to get a boat , and really explore the area . entailment +The back walls of the pylon have scenes of the yearly meetings of Horus and his consort Hathor , who traveled on a sacred barque ( slender boat ) from her temple at Denderah for the reunion on the Nile . There is nothing found on the back wall . contradictory +at least they 're learning a little bit from history i mean uh They are learning nothing in the future . contradictory +There is little substance in any of this . Any of this has a lot of substance . contradictory +Congress must also be presumed to have authorized the representation with knowledge of the presence requirement in the Corporation 's appropriations act . There is no way that Congress would have been aware of any requirements in the Corporation 's appropriations act . contradictory +On Wednesday , April 30 , police in Pecos , 80 miles from Ft . Pecos is 580 miles from the town . contradictory +The profusion of these natural phenomena has long made taking the waters an integral aspect of Japanese culture and lifestyle . Japanese culture is solely found on natural phenomena . neutral +yeah because Dallas is a pretty big area we got i don 't know a million people or a million and a half people or something There are around 1.5 million people in the Dallas area . entailment +Or even longer ! It was clearly shorter . contradictory +The dual influence of Greek and Latin culture persisted . The Latin culture is the source of local customs . contradictory +He held her off easily with one hand while the fingers of the other danced in the air . She had overpowered him and entered his personal space . contradictory +Jon smiled and turned . A smile crossed Jon 's face as he turned . entailment +Conservatively high assumptions were made for the time , labor , reagents , and steel needed to install FGD systems . Huge assumptions were made for time , labor , regents and steel needed for fgd installation . entailment +Mother is right , father said and suddenly turned with the cart into an isle with home improvement equipment . Dad decided to buy the things that mom wanted to improve the house . neutral +The Lydians invented coinage , producing the first-ever coins of gold and silver , stamped with the royal a lion 's head . The Lydians invented currency , producing notes with tiger heads printed on them . contradictory +Or had they ? Was it something that they had done ? entailment +Improving federal financial management hinges upon leadership 's ability to manage change and create an organizational culture that values good financial management . Proper management change if vital for improving federal financial management . entailment +The best Westchester novel of the past quarter-century , E.L. The worst Westchester novel in the past 25 years . contradictory +Medieval treasures include the famous Ardagh Chalice , Tara Brooch , and Croseof Cong . The Tara Brooch is not a Medieval treasure . contradictory +The grounds are open daily May-Oct . 10am to 6pm ; Nov. -Apr . 10-5 ; but the mansion , now city property and a frequent film set ( Witches of Eastwick ) , is closed to visitors . The mansion used to be open to visitors before it was owned by the city . neutral +uh potentially that 's supposed to just mean that the foundation kind of floats when the you know when the the earth itself shifts around so It means the earth and foundation move in the same direction . neutral +oh yes yes uh-huh right i like i 've seen it several times it 's a scream but i had to go to bed i have to get up and and work the next morning i wish they 'd put those I have seen it many times but I need to get up the next morning . entailment +John McKay , president of the organization , said the refocused and larger programs can raise more money , find more lawyers and increase the number of poor people who get help through the civil courts system . McKay said they can get more volunteers to help close the budget gap . neutral +I forgot to ask . I will ask later . neutral +But this undermines his entire case about Stalin 's unique responsibility . This article undermines his entire case . neutral +The one extracurricular venue where I run into a lot of Asian-Americans is a Very Serious music school in Scarsdale , the suburban town in the New York area that ( because of its famous school system ) has the most name-brand appeal for transferred Japanese executives . I do not see any Asian-American music students in Boston . neutral +oh i think I think that 's what is going to happen . neutral +Today a beautiful black-and-white octagonal church stands on the Mount , built ( incongruously , with the aid of Mussolini ) in 1937 and known as the Italian Church . Mussolini tried to prevent the construction of the church , but it was built anyways . contradictory +But really , it wasn 't a student at all , but the assistant lecturer Pisak in the department of loyalistic algebra , who was street-smart and savvy and took over Dr. Edward 's office , because he liked the color of the chair ( inscrutable red ) . Pisak had been a professor for ten years . neutral +There 's nothing more pleasant than being congratulated for your literary skills , but there 's nothing less pleasant than realizing the congratulations are intended for a guy who writes about the mob . It 's nice being told you have good writing skills . entailment +More information is available at www.napil.org. Further information can be found . entailment +If you 've run out of things to read by the pool , check out Livraria Pitio ( Rua da Carreira , 43 ; Tel . 291 / 224 490 ) , around the corner from the post office . Livrario Pitio has a library of books available for perusal . neutral +Longitudinal Data Sometimes called time series data , observations collected over a period of time ; the sample ( instances or cases ) may or may not be the same each time . Another name for longitudinal data is time series data . entailment +It is the largest marketplace in the Near East , and it 's been so for almost one thousand years . For nearly 1,000 years it has been the largest marketplace in the Near East . entailment +i thought it was very well done Their talent was lacking and performance poor . contradictory +At the far end of the Via dell 'Abbondanza , visit two of the town 's best the House of Loreius Tiburtinus , for its beautiful peristyle garden of fountains , water channels , and cascades , one of them with paintings of Narcissus and Pyramus and Thisbe ; and the House of Julia Felix , big enough to have been perhaps a luxury hotel , with its own bathhouse and a handsome portico of slender marble columns around the peristyle . The two houses at the end of Via dell 'Abbondanza that were once the towns best , but have since been overrun with squatters . contradictory +do you like reading as a hobby I like reading as a hobby . neutral +oh oh well that 's fun That 's boring . contradictory +The film , directed by Steven Soderbergh , would be worth seeing just for Stamp 's performance , at once rock-hard and goofily blinkered , and for Peter Fonda 's wittily self-parodic turn as the suspected killer , a music producer who coasts on ' 60s counterculture easiness while his lackeys do the dirty work . The film was directed by Steven Soderbergh . entailment +The analysis considers data for average wages , the cost of specific processing equipment and the cost of conducting specific laboratory analyses . The analysis considers what the average wages are . entailment +The modern bridge , just wide enough for two cars to pass , parallels a low footbridge which is apparently of Roman construction . Three cars can pass on the bridge . contradictory +This final rule contains information collection requirements which are subject to the Paperwork Reduction Act . The first rule contains important information requirements which are subjected to the Paperwork Reduction Act . contradictory +If you were a photographer and had to hire child models for an important shoot , you could hire from a reputable modeling agency that guaranteed its clients , or you could hire children off the street and also hire an authoritarian nanny to watch them every second . If you were a photographer and need kids for a shoot , your only choice would be to use your own children . contradictory +The third and fourth sections cover details of the numerous requests we have received , including a description of agencies ' systems designs and modifications and our views on the effectiveness of the designed internal control in the proposed changes . The only thing covered in the third section is the long letter from an anonymous reader , who noticed a very important mistake in our texts . contradictory +This time , at the heart of a carefully constructed thriller is a romance , which is no less tragic--in fact , is more tragic--for being oblique . This carefully constructed thriller is a tragic romance . entailment +i 'm at work yes Yep , I am speaking to you from my desk where I work . neutral +The RPH generally believes in the flat tax , which should be set at 17 percent . The RPH generally believes in a flat tax of 17 percent which would be ideal for rich and poor alike . neutral +i don 't understand why we don 't enforce the laws we have The current laws aren 't being enforced . entailment +A city 's signs may be smashed and spray-painted--and where I grew up they were often pockmarked with buckshot--but this sort of treatment is generally reserved for public property . Public property is smashed and spray-painted most often . entailment +Running downhill from here is Uzuncar ? « ? ? Caddesi , lined with hardware shops , which leads to the Spice Ba ? ­ zaar , the best place to buy lokum ( Turkish Delight ) . There are no hardware shops in Uzuncar Caddesi . contradictory +For a change , it 's not something that Napoleon looted during a campaign , but was a gift from Mohammed Ali , viceroy of Egypt . Most gifts came from looted spoils which were undesirable . neutral +Billed as Home for the Holidays , the four-day project marked its third year in Syracuse City Court last week . They wanted to make it a full week event someday . neutral +Is that such a terrible thing ? Is it such an awful thing ? entailment +By 1994 , the figure had reached 12 . The figure had reached 12 by 1994 . entailment +These costs will be borne by manufacturers ( $ 78 to $ 91 million in one-time costs and $ 2 million in annual costs ) , retail establishments ( $ 96 million in one-time costs and $ 78 million in annual costs ) , FDA ( $ 3 to $ 5 million in enforcement costs per year ) and State governments ( $ 25 to $ 50 million per year in administering various SAMHSA enforcement programs ) . The costs consist mostly of donuts for coworkers in the office . neutral +they have gotten really cheap Hewlett Packard makes it 's it 's actually a dot matrix printer They have gotten cheap when it comes to manufacturing their prints but Hewlett Packard makes a dot matrix printer . entailment +A spacious and airy old place , it 's decorated with 17th- and 18th-century tiles , paintings , and gilt-wood carving . The 17th and 18th century tiles alone are worth millions . neutral +Jon glanced at Adrin and saw his pale face . Adrin 's face was pale . entailment +All of the men shifted and gripped their spears . The men were armed with only swords . contradictory +Of course , the limits of television broadcasting prevent me from presenting a shred of evidence to support them . Television broadcast limits kept me from showing my forensic evidence . neutral +' Then we put you on hold for an hour and go to lunch . We head out to lunch while you are on hold . entailment +um-hum um-hum right right uh well we 're we 're going to pay for that that whether we pay industry or pay we we 've already paid industry for like these super fund that 's cleaning up we paid industry for it They already paid industry for it . entailment +Critics argued workers can quit a union if they don 't like its political activities and that any debate about regulating union money should be taken up separately . Workers can quit a union if they don 't like its political activities according the critics . entailment +Mr. Beresford ? I am speaking to Mr. Beresford . neutral +yeah yeah my wife and i have a a three year old almost four and a and a two year old so we 're looking at uh the older one going to school next year not not well not this coming fall but the year after that and the year After our older child goes to school , we will wait a year , then send the next one . neutral +You did not hear the table fall ? Were you not able to hear the table when it fell under the weight of the man ? neutral +, lower strike price ) because of a decline in the market value of their company 's stock . The company is not as well respected because of a loss in the company 's stock price . neutral +If one question answered yes yields a positive test score , asking that one first and stopping as soon as the score is positive would be the most efficient approach . Historically , all questions were asked . neutral +The centuries-old ceremony and ritual are more than a match for the razzmatazz of the American import . American import is more than a match for the ancient ceremony and ritual . contradictory +He and Senor Juanito fight . Senor Juanito fought him , he didn 't stand a chance . neutral +Adrin was prepared to shoot but doing so against the enemy on foot wasted the advantage . Adrin forgot his gun at home and was unprepared to shoot . contradictory +aware of the possibility that indirect illegal acts may have occurred . The chance of illegal actions occurring is nil . contradictory +fraud is very difficult to prove It 's not easy to show when people commit fraud . entailment +But at the same time he was painting his carcasses of cattle and fowl , around 1925 , Soutine painted a series of portraits of uniformed workers--bellhops , pastry cooks , grooms--of which the Maxim 's page boy is probably the best known . He was painting the animal carcasses .. entailment +As Monica 's image goes , so goes the president . The president and Monica are not related . contradictory +If I 'm not greatly mistaken , he 's got something up his sleeve . He always had a plot in the works . neutral +so well keep up the good work and i 'm going to i 'm going to It 's time to stop the work but let 's keep talking . contradictory +The godless north has guns that kill us from afar . We will ride north in an attempt to become allies . neutral +like we had to save and plan and It was worth the sacrifice in the end . neutral +yeah it 's either that or he 's well entrenched and they couldn 't get to him or something He was actually right out in the open . contradictory +Studio share prices are erratic because there are no guaranteed A studio that makes a killing this year may get killed next year . Studio stocks can change a lot . entailment +And you have made other people happy , as well . There are happy people somewhere . entailment +He was lecherous and strange . He had a strange attitude . entailment +i can 't keep anything down i 'm and i just cramps and i 'm just going hey tell me about it right I 'm vomiting everything up and i have cramps , and I said I know what that 's like . entailment +I think maybe they 're looking for me . I think they want to capture me . neutral +At the far end of Inns Quay is the site of the first bridge across the Liffey , which was built in 1214 . Inns Quay is not often visited by tourists . neutral +okay that 's uh uh we used to budget when the children were small um things were and there was only one income so we had to watch what we were doing We have never tried doing our own budget before . contradictory +Originally a Tokugawa family estate , the garden became a public park in 1945 . The garden used to be a Tokugawa family estate . entailment +Located just north of the Wenatchee Valley Mall , the park had been threatened with closure for more than a year . There were many residents who didn 't want the park to be closed . neutral +Indiscretion : Adultery . Adultery is an indiscretion . entailment +so you really do enjoy your exercise then since your You enjoy your work out routine since you do it all the time . neutral +but uh do you have to have a certain skillet or something I know you can cook it with anything . contradictory +Figure 1 : Approaches Used to Address Management Challenges and Program Risks Figure 3 : Approaches Used to Address Management Challenges and Program Risks contradictory +'Desperate times ? ' Desperate times call for desperate measures . neutral +Shall we form a business partnership ? " Shall we become business partners ? entailment +However , DOD 's acquisition policy lacks detailed criteria for capturing and using design and manufacturing knowledge to facilitate better decisions and more successful acquisition program outcomes . Capturing and using design knowledge is not well accounted for in the DOD 's policy . entailment +yeah do you would you prefer all trials by a judge You have no experience with judges , do you ? contradictory +yeah but well they vary from from place to place it 's hard to tell you know how well they 've been kept up how old they are and these are probably oh one of the nicest that i found and uh It 's hard to tell how things have been kept up and their age because they vary so much from place to place . entailment +DISCOUNT RATE -An interest rate that is used in present value calculations to equate amounts that will be received or paid in the future to their present value . A discount rate is always applied when searching for car prices . contradictory +Just imagine if Jews began an official campaign calling Muhammad irrelevant to Islam--can you imagine the fatwas that would produce ? Jews starting a campaign saying Muhammad irrelevant to Islam could produce a lot of fatwas . entailment +The presidential press conference , in which Clinton refused to answer scores of questions about Flytrap , was important to the commentariat for one chief reason . The conference was important to the commentariat for one chief reason - publicity . neutral +Screening must move from research to clinical practice . Screening needs testing to ensure it works neutral +An additional standard related to audit documentation for financial audits performed in accordance with GAGAS There is only one standard related to audit documentation for financial audits performed in accordance with GAGAS . contradictory +If Woodward had shaken the baby , why did his neck show no signs of damage ? Babies who are shaken show damage around the neck . entailment +When he dropped the ill-received jocularity to say that he had wanted , having grown up in the Midwest , to live awhile in one of the world 's most beautiful cities , they were openly disbelieving--they had never been to Prague of course , and apparently , they did not know of its architectural splendors , either . They had all been to Prague before , and knew all about its wonders . contradictory +The fine lattice-work on the arches and windows is superb , but its outstanding feature is the marble inlay , which is even more abundant than in the Taj and better preserved . The windows have no inlays on them . contradictory +and and where did you say you were from You 've told me a few but times , but where are you from again ? neutral +He never would come right out and say it , Woodward writes . He couldn 't bring himself to come out and say it , implicating himself , Woodward writes . neutral +Although their primary focus is much broader , both of these laws specify security as one of the aspects of information management that must be addressed . They have a broad primary focus . entailment +First , election laws bar the solicitation of money ( by both employees and nonemployees ) in all federal office buildings --the White House included . The White House made laws to prevent solicitation people too many people were doing it . neutral +Innovation - Trading under the acid rain program created financial incentives for electricity generators to look for new and low-cost ways to reduce emissions and to do so early . Innovation , while generally positive , does not always provide benefit to society . neutral +Because I believe that the public needs to know more about its own money . The public doesn 't care because money grows on trees . contradictory +If you wish to get to know the people , you can arrange to visit them with a guide ( see page 121 ) . Guides are mandatory in order to visit this place . contradictory +that 's that 's twelve hundred dollars a year just on lunch Is it because lunch is so expensive ? neutral +The Analysis also states that HUD lacks essential information to estimate the economic consequences of its action with respect to computer loan origination systems ( CLOs ) . The HUD will be adversely affected due to the lack of information . neutral +I guess I oughtn 't to have put you wise , but in the States we know a real smart lad when we see one . I should not have let you know at all . entailment +Today 's Papers will be updated daily throughout the week . Today 's paper is very popular . neutral +but get up during every commercial and things like that and you 'd be surprised at how much just that little bit adds up you know just gives you a little more activity so You won 't get any significant exercise by moving around during commercial breaks . contradictory +The Royal Palace , just west of the Plaza de Oriente , is geographically part of Old Madrid , even if was not built until the 18th century . The Royal Palace is in Barcelona . contradictory +I can 't tell you how excited I am by it . I have never been so disappointed . contradictory +Beijing views the United States as the one country that can influence China 's emergence as a major global political and economic power in both a positive and a negative direction . The United States is able to make an impact on China . entailment +They were justifiably concerned , advocates say . They were unreasonably concerned people . contradictory +Some of his Republican colleagues dislike him for selfish reasons--they envy his popularity and resent his outsider stances . Many of his colleagues are jealous of his popularity . neutral +I 've gentled , yes but eastern style . " He has become more gentle because of his life experiences . neutral +okay nineteen eighty four there are like three big continents and uh there 's just this area like around Egypt and stuff that everybody 's fighting over now the problem is is that nobody 's going to invade anybody else 's boundaries There is an area over Egypt that everyone is fighting for . entailment +Benjamin Franklin was in the room with us . We were in the dining room with Ben Franklin . neutral +Although the efficacy of this initiative has not been fully assessed , SSA has been implementing a pilot program to establish a single decision maker position . the efficacy of the initiative has not been fully assessed entailment +There are fine views acroseto Turkey from here . There are fine views of Russia from here . contradictory +They have overstayed their welcome and must be told to leave . They were told to leave since they overstayed their welcome . entailment +It does , however , explain the similarities and differences among the six kinds of case study and discusses ideas for successfully designing them . It doesn 't really help tell the differences between the various case studies . contradictory +But Saddam , for all his strategic blunders , is deft at posing as today 's heir to the tradition of Arab nationalism . Saddam has been lauded by all for never making any strategic blunders . contradictory +I worked myself hard the next day and didn 't return to the Crone 's shack until that evening . I refused to return to the shack . contradictory +even though the all the college campuses now the they 're saying that the majority of of uh students uh drink The majority of students drink on college campuses . entailment +I had leaned back and closed my eyes . I had reclined and pretended to go to sleep . neutral +Tulare County Water Works ' contract with its only supplier , Alpaugh Irrigation District , which supplies water to farmers in the area , ends July 1 . And Alpaugh Irrigation , which provides water , recordkeeping and maintenance services to Tulare County Water Works , is scaling back its role . The Alpaugh Irrigation District is phasing out starting on July 1st . neutral +A national leadership institute is created and begins to identify , recruit , mentor and otherwise train diverse leaders ; its participants include at least 1-2 staff from each program ; it is adequately funded . A national leadership institute is created and starts to recruit diverse leaders for government agencies . neutral +Now he put down the phone and looked at her--and the pizza--with undisguised hunger . He put the phone down and then ignored the food . contradictory +They missed the real The reason why Bush doesn 't have to talk about old moral issues that might make him look mean is that he 's introducing new moral issues that make him look warm and caring . Because he is introducing new moral issues , he comes across as more warm . entailment +The Seven Swords knew that . The Seven Swords didn 't know that . contradictory +It made my brain reel … . I didn 't notice it at all . contradictory +By the middle of the 19th century , Cuba produced a third of the world 's sugar and was considered one of the most valuable colonies in the world . Cuba produced a third of the world 's sugar in the middle of the 19th century . entailment +well we 're supposed to get rain but no snow It 's expected to rain . entailment +Newspapers which had hinted at a general strike , and the inauguration of a reign of terror , were forced to hide their diminished heads . The newspapers never said a thing about a strike . contradictory +That 's good . I like that . neutral +We then describe the data used in our analysis and the costs and profitability of the Postal Service 's city residential delivery routes . We will also analyze the Postal Service 's rural delivery routes . neutral +Another bout of progress occurred in 1994 when a peace agreement was signed with Jordan , leading to the opening of the southern Eilat-Aqaba and Arava border routes . The Jordanians refused to sign a peace agreement . contradictory +This attitude was fueled in part by Bennett 's leaks and sound bites about what a big-haired slut she was , and reversed by an influential article by Stuart Taylor Jr. in the American Lawyer . For the same reason that the National Organization for Women can no longer give Clinton the benefit of the doubt in his sexual-harassment case , the media are now in be-extra-fair-to-Paula mode . The woman in question did not deserve to be shamed . neutral +There is also an excellent bus service that will take you to attractions away from the city center . The city prides its self on a great bu service . neutral +oh yeah it 's not pretty old Oh yeah , it 's not very old . entailment +. The reason Jews have an injunction against portraying God is that Neanderthals cannot draw . Jews have no injunction against showing God . contradictory +The following morning the indefatigable Albert , having cemented an alliance with the greengrocer 's boy , took the latter 's place and ingratiated himself with the cook at Malthouse . Albert got an alliance with the greengrocer 's girl . contradictory +And she is on the side of Justice ! She was determined to find the truth . neutral +The situation stabilized with Vespasian , and the second century A.D. is often considered the golden age of the empire ( Gibbon himself says that the time of Marcus Aurelius--late second century--was the best time to live of all in history ) . Before the start of the second century , the empire was struggling . neutral +The ideal , Prudie thinks , is choosing a gift with some real thought behind it that does not break the bank . The ideal is getting a thoughtful , non-expensive gift . entailment +Her Anna is such a cauldron of unresolved impulses--rage , petulance , fear , deceptiveness , promiscuity--that it 's no wonder that the filmmakers had to tack on a corny , too-pat coda that spells out the couple 's happily-ever-afterhood . The character of Anna is impulsive . entailment +I believe the majority of Americans , if they think about it at all--and keep in mind that the ones who think about it are also the ones who take the time to vote--think that our cultural life has coarsened , or even debased , and that the sense of values that just 30 or even fewer years ago meant that the majority of Americans felt no need to lock their doors has been , perhaps irretrievably , lost . I think that many Americans think that our cultural life has worsened . entailment +tastes pretty good gives it a kind of a hickory flavor but uh grill i have i i don 't normally put hickory chips in it but it 's got the uh uh rocks I don 't like the hickory taste . contradictory +The increase in electricity prices and cost of the program , as well as the impact on the fuel mix , varies considerably based the technology future that is assumed . Electricity prices went down . contradictory +Over the phone . The appointment was confirmed over the phone . neutral +PBS or whatever i mean even some regular network TV is okay if the parents there and you know helps the students or help the the kids understand that yeah this that happened in the TV show but probably doesn 't happen in real life It helps when a parent is there to remind them that television is not real . entailment +but uh they also said that whatever the guy that directed it Possibly a woman edited it neutral +Analysts say cable-modem service will be ubiquitous by the turn of the century . Analysts have not speculated on cable-modems . contradictory +Call me square , but I find this antithetical to the documentary spirit . This makes absolute common sense . contradictory +My concern here isn 't so much for Leuchter or even the Holocaust revisionists , who 'll just think he was sandbagged . I am not worried much about Leucther or Holocaust revisionists . entailment +Rather the whole effect of change , of a broadening of horizons . The horizons have a broadening effect . entailment +yeah that 's true you just take off your mortgage interest and that 's about it You don 't have to think about anything other than your mortgage interest . neutral +The simple brick buildings faced with ochre and blue stucco , though larger than those at Deir el-Medina are little changed in style . There are a lot of stylistic changes that occurred . neutral +When the church was consecrated , his body was laid to rest within the walls . He was buried several miles from the newly-consecrated church . contradictory +nice talking with you too bye I disliked our talk . contradictory +b ) The network reports included material from tapes that could only be the tapes that Starr 's people had made ( because these tapes allegedly have Lewinsky saying that Jordan and the president told her to lie--which was not on the tapes Newsweek heard , and Newsweek had supposedly heard the most incriminating tapes ) . Newsweek heard some of the tapes with Lewinsky . entailment +what area lakes do you like What is your favorite area lake to fish ? neutral +children either in bed or just getting ready to go to bed and the only time that i got to see them was on weekends and on weekends i had to do my homework so it uh it Without homework , I would have had plenty of time to see the kids . neutral +There 's something more we want to hear , continued Mr. Carter . Mr. Carter said , " We want to here something more . " entailment +He has asked Congress to increase interdiction funding by 7 percent and international program funding by 25 percent in 1997 . He said they needed more funding . entailment +no i 've got a i 've got a Texan wife and three Texan children My wife and three kids are Californians . contradictory +An SBA official has confirmed that some agencies follow this practice , and SBA has not objected to it . The SBA has not objected to this practice . entailment +One side is treating other people with civility . One side is excluding people . contradictory +yeah okay well um-hum it 's been nice talking to you okay bye-bye It was the best talk in my life . neutral +Everything in the house was filthy beyond words . Nobody was able to clean the house . neutral +Adrin will go with you . Adrin is accompanying you . entailment +Wrynose Pass comes a single-track road with gradients of 1 : 4 will have you dodging sheep and other motorists around blind bends . There are no blind bends . contradictory +'Oh , Ben , ' Greuze called , as we were leaving . We had readied to leave but it seemed that Greuze had forgot to tell Ben something important , as he stopped in his tracks and yelled out " Oh , Ben , " . neutral +( Adapted from Webster 's Ninth New Collegiate Dictionary and Kohler 's Dictionary for Accountants ) Webster has published at least nine collegiate dictionaries . entailment +Russert asked Bush whether he would take an expression like ' What Would Jesus Do ? Bush created the " What Would Jesus Do ? " movement . contradictory +For example , one point that is sometimes overlooked is that low personal saving has consequences for U.S. reliance on foreign borrowing , long-term economic growth , and standards of living for future generations . That low personal saving has no consequences for U.S contradictory +The 13th-century Gothic Palazzo Comunale ( Town Hall ) is a particularly imposing expression of civic dignity . The Gothic town hall is an imposing expression of civic dignity . entailment +well because how how hot i mean like like in the coldest that it gets in winter down there how much is it It 's always very warm down there in winter , isn 't it ? contradictory +But biology and the archaeological record suggest otherwise , Diamond argues in the current issue of Discover . Some of the biological and archaeological records suggest things that Diamond occasionally agree with . neutral +Los Angeles 's closest mountain retreats are Big Bear Lake and Lake Arrowhead , which lie east of the city less than two hours away . Big Bear Lake and Lake Arrowhead are the closest mountain resort near Los Angeles . entailment +District of Appeals for the District of Columbia Circuit within 60 days of publication of this final rule . The District of Columbia has no district of appeals contradictory +Degas ' very retreat from contemporary life owes something to his disgust with French society as he found it . Degas has been in retreat for 3 years . neutral +I saw to that . " I did not see it . contradictory +You then eventually rejoin the N74 at Clos de Vougeot . There is no way to rejoin the N74 . contradictory +I called and he will awaken and scream and kill everyone in the world . He was very angry . entailment +During the same period , passenger arrivals increased by 42 percent , from 304 million to 431 million . The leap from 304 million to 431 million was due to increased levels of customer service . neutral +It was terrific to meet some of her friends and former colleagues--and also to try my hand at journalism for the first time in almost a quarter of a century . I liked working as a journalist again . entailment +because those i mean those those summers up there are brutal The summers up there are brutal . entailment +For further discussion about accommodating consumer behavior in modeling fiscal policy , see N. Gregory Mankiw , The Saver-Spender Theory of Fiscal Policy , NBER Working Paper 7571 ( February 2000 ) . You can 't discuss anymore . contradictory +The El Rancho Vegas ( 1941 ) was the first , followed by the Last Frontier ( 1943 ) . The Last Frontier opened first , in 1943 , and the El Rancho Vegas was canceled due to a lack of finance . contradictory +Miss Cynthia has a green evening dress . Cynthia has a green dress for a dinner . neutral +A story describes how Egypt 's left-wing intellectuals and professionals still demonize This civic opposition dooms any chance of real peace between the two nations . Egypt is still stuck in the days of sun kings and mummies . neutral +In the end it was just White and me , alone in the candle-lit room . White and I were in a room with candles . entailment +He did not say that he would take any action in response to He asked if monetary policy should be any different if there were overvaluation . He didn 't know what overvaluation meant . contradictory +Where they 'll go is wherever as many people as possible will hear them . They will pursue small speaking engagements first . contradictory +Democrats think they 're immune to this attack because they 've got both ends of the spectrum On the removal question , the polls are on Clinton 's side , and on the moral question , on which the polls are against Clinton , Democrats have acknowledged and condemned his misconduct . The entire country is made up only of democrats . contradictory +He enters the room , unlocking the door by means of one of the other doorkeys ” they were all much alike . All the door keys are almost identical . neutral +Something told me that this man was probably a bastard . The look in his eyes told me this man was bad news . neutral +The article is supposedly an exclusive ... The article is probably an exclusive . entailment +In fact , they were assigned to these groups at random . A systematic approach was used for creating the groups . contradictory +'I 'd have it all done by tomorrow . I 'll be finished by tomorrow . entailment +The men work in the fields or at their boats , with older men at the kafeneion or coffee shop where the world is put to rights over a strong caf ? ? ellenikos . No one discusses events over coffee in cafes . contradictory +The guardians are particularly helpful and attentive . The guardians are trained in assisting the public in addition to their other duties . neutral +I blinked . I stared wide eyed and unmoved . contradictory +On Meet the Press , Lamar Alexander said of Bush 's We need to define what we mean . On Meet the Press , Lamar Alexander said of Bush 's We need to say what is meant . entailment +Thus the vision and strategies suggested here must be seen and considered in the context of a series of dialogues on diversity that NLADA and LSC are holding throughout the year and in the context of the reports issued following those conversations . The vision and strategies need to be considered to become less diverse . contradictory +In Serbia , President Slobodan Milosevic sanctioned the removal in 1987 of the body of Serbian hero Czar Lazar , killed 600 years before by Turks at the Battle of Kosovo , so it could be paraded around Slovenia and Croatia in a display of Serb power . Czar Lazar was killed by Turks . entailment +oh sure so y 'all you haven 't had any any jobs painted in your house or recently then You haven 't had painting work done lately so you have no idea how much it costs . neutral +Results can also be used to hold managers accountable for their information security responsibilities . Manages are responsible for information security within their operation . entailment +PROBABLE - That which can reasonably be expected or believed to be more likely than not on the basis of available evidence or logic but which is neither certain nor proven . Probable means what is certain to happen . contradictory +And an equal sum for Mr. Beresford , of course . " Tuppence beamed upon him . Tuppence dod not wish for Mr. Beresford to get an equal share . contradictory +Green Guru 's Vegetable Gaeng Daeng With Jasmine Rice enchanted my palate . Green Guru food exposed me to things like new herbs I 'd never had . neutral +Is that crystal similar to the sky , by association , by contagion , or by true symbolism ? The crystal matches the sky . neutral +A block to the east , signs to Aranes de Lutace lead you to a little park , site of a Roman amphitheater , restored after its remains were found during the 19th century . Follows the signs to a restored ancient Roman site . entailment +and uh i got my husband i got i got married to a TIer and uh well the first thing my mom and i did when we moved out here was go to Southfork it was very embarrassing It was so embarrassing when my Mom and I went to Southfork after moving here . entailment +Themselves the beneficiaries of meritocracy , they were now ready to reduce its weight for those who did not do well in the tests created to serve meritocracy . Even after benefiting from meritocracy , these people were still prepared to change it through radical actions and protests . neutral +In those circumstances , Dr. Astrov in Uncle Vanya might have written it . In that case I suppose , Dr. Astrov in Uncle Vanya might have written it . entailment +we have been known to do that in the past we 've we 've got a couple of wild cats out there in our general vicinity and you know they 're they 're tame enough that they come up and want you to feed them but they 're not tame enough that they want to stay around or come in or anything so you know those are just Big Cat and Little Cat One cat is a big as a house while the other is as small as a house . contradictory +yeah so other political things that 's going on i heard mister Bush say uh excuse me President Bush say that he uh wanted to improve the highways I don 't remember anything that President Bush said . contradictory +Shall we really try it ? he said at last . He said it 's not worth trying it . contradictory +Quoting a Pat Buchanan adviser 's demand that Bush take some positions on abortion , taxes , China , homosexual rights , U.S. Pat Buchanan has several advisers neutral +But he was doing it , and it was already beginning to work . He couldn 't believe how easily he had gotten the handle on it . neutral +Nearby , behind a screened window , is the Seto ( White ) Bhairav , a gold-lacquered face through which beer spurts for scrambling devotees during Indra Jatra . Behind a screened window nearby is the Seta Bhairav , which is a golden face that beer spurts out of for devotees during Indra Jatra . entailment +Today it 's a drowsily peaceful fishing village . The village was destroyed and rebuilt as a strip mall . contradictory +uh-huh uh-huh yeah well have you camped all over the United States You 've gone camping in lots of places in America ? entailment +Unfortunately it was damaged by fire several times and what remained was completely destroyed in 640 during the Arab invasion . The Arabs built it during the invasion in 640 . contradictory +I can think of a few reasons for the allergy to substance . I do not know any reasons for the allergy to substance . contradictory +there 's yeah there 's a few designs i guess i 've done myself but not very many real simple ones you know i do i 've made i made a little uh little uh little thumb print and made it a bunny I have done many very simple designs . contradictory +Installed in the mid-90s in a quasi-historic building , this traditional-minded hotel puts the emphasis on creature comforts , with plush rooms and bathrooms , but little pretense . The traditional hotel has been around since the 1800 's and has stayed the same , therefore staying traditional . contradictory +Do you have a herbalist or sage ? Who heals your sick ? asked Jon . Jon asked how the people treated their pnemonia . neutral +American credibility is at stake . American credibility could become either better or worse . entailment +The Takayama-line train , from Nagoya via Gifu , takes you along the Kiso and Hida river valleys . The Takayama-line train avoids the Kiso and Hida river valleys . contradictory +ACCESS TO RECORDS Access to medical records . neutral +Projects Funded inthe Montgomery , Alabama , Metropolitan Area by the Projects Funded in the Toronto area in Canada contradictory +Why , Albert Einstein addressed the same group ! Albert Einstein hosts many lectures . neutral +You don 't know him , she reiterated hoarsely . You have no idea who he is . entailment +okay oh when i was growing up my folks we had fox terriers which are little bitty I wasn 't at all annoyed about fox terriers biting me . contradictory +oh okay and they 're taking the money that they earn to plant trees They won 't be using any money to plant trees . contradictory +The oft-repeated official version involves a fire that destroyed an important manuscript in 1966 . The official version states that the manuscript was destroyed during a fire . entailment +i don 't think that 's good I don 't think that is good entailment +right and then you let it carry it downstream Then you just release it and let it go . neutral +In such cases , GAO will advise requesters prior to the release . GAO cannot tell requesters about that before it is released . contradictory +you know but get somebody around your own handicap and you can just mosey on out for three or four hours and have a good time I like taking my time with each game . neutral +there 's something really interesting on It doesn 't make me interested . contradictory +So what objection could there be to castration of sex offenders ? Castration has never been considered . contradictory +113 Chapter 14 A Consultation NOTHING was more surprising and bewildering to Tuppence than the ease and simplicity with which everything was arranged , owing to Sir James 's skilful handling . Sir James arranged everything very quickly . entailment +Two thousand Soviet engineers arrived to help with the mammoth project to stem the annual floods that plagued the country , and provide hydroelectricity to power a growth in industry . All soviet engineers refused to help with the mammoth project to stem the country 's flooding problem . contradictory +But what really , really sells pro bono cases is that the work is interesting , meaningful and rewarding . Pro bono cases sell because they are intriguing , rewarding , and mean something . entailment +He didn 't check the label on the third one , but added it , too . He added it to the third one . entailment +The city of Alexandria has no proper beaches but 8 km ( 5 miles ) to the east is Montazah , a resort center with hotels and sandy bays . The city of Alexandria has the best beaches . contradictory +but see just like her Korean food store okay that 's mostly for Koreans That seems to be the way it works . neutral +I have heard of Kentucky horses . Kentucky horses are something I 've heard about in the past . entailment +you know it 's not Amazing Grace every other time You know , it is not always Amazing Grace . entailment +Hilly Haifa drapes itself dramatically over the slopes of Mount Carmel . Hilly Haifa is located several days journey away from Mount Carmel . contradictory +He appeared on every network Tuesday night to insist that the Bush brothers and other victorious Republican governors such as George Pataki ( New York ) , John Rowland ( Connecticut ) , Tommy Thompson ( Wisconsin ) , and John Engler ( Michigan ) were conservatives . Every network on Tuesday guested him , and he insisted about talking about Republicans governors that to him were conservatives , which raised some eyebrows . neutral +Today , the Jewish state maintains only a thin security zone in southern Lebanon ; deeper in Lebanon , Hezbollah guerillas now operate openly in territory once policed by Israeli forces . Israeli forces and Hezbollah guerillas are fighting over the Israeli security zone in Southern Lebanon . neutral +Encourage personal investment in postsecondary education If you 're personal investment in postsecondary education is high enough , you will succeed . neutral +I am charming to my friends one day , and forget all about them the next . " I don 't know what impelled me , but I was nettled , and I said foolishly and not in the best of taste : " Yet you seem to be invariably charming to Dr. I said something stupidly . entailment +That case discussed the nature of television broadcasting , not to determine whether government regulation would alter its usual functioning and thus violate the First Amendment ( no government regulation was even at issue in the case ) , but rather to determine whether state-owned television is a public forum under our First Amendment jurisprudence . The Supreme Court has yet to rule on the First Amendment regarding whether or not state-owned television counts as a public forum . neutral +You don 't think but , say , that 's plumb impossible no one could have got in . Someone on the inside must have done it . neutral +And remember , Italians make no bones about public holidays ; they just close the whole country down . Italians take public holidays seriously , and everyone takes the day off work . entailment +From the ticket office you enter the temple complex through a colossal pylon , one of the most recent structures at the site and the largest constructed anywhere in Egypt during the Ptolemaic period . There were no structures in the Ptolemaic period . contradictory +Wilson uses a stage backdrop of nothing but stark blue and projects bands of white light across it , while his performers stand almost motionless . The performers Wilson uses almost don 't move at all . entailment +Your American word for the kinema . The American word is kinema . contradictory +After coming up with the idea for the project and appointing an associate editor to run it , he says , he was only minimally involved . Jim only came up with the idea for the job fair , he didn 't have any part in running it . neutral +These peoples revered the forces of nature personified by innumerable gods and goddesses whose activities and moral guidelines are chronicled in prayers , hymns , and poetic sacred epics of great antiquity . The people did not respect the gods at all . contradictory +Any substantial benefit reform should be coupled with adequate and effective cost containment measures to avoid worsening Medicare 's long-range financial condition . The government will allow Medicare to go broke . contradictory +Before the Subcommittee on the Legislative Branch , Committee on Appropriations , No branch is relevant . neutral +Except among antiques , art , and secondhand dealers , where negotiation is part of the business , you may get a very cool response if you question ( however politely ) the marked price . You can negotiate with antiques , art , and secondhand dealers . entailment +At the same moment , a man stepped out from the shadow of a tree and walked slowly in the same direction . The man was a dangerous man thus he was lurking in the shadows . neutral +Please send your nominations to 100TopHeds @ slate.com. Send your nominations to editor @ slate.com contradictory +The piece includes a handy quiz for couples who want to diagnose their viability . Couples cannot get an accurate rating based on the quiz alone . neutral +And if you feel like being idle , France is full of quiet places where it 's a simple joy to do absolutely nothing . There are no quiet places in France to relax . contradictory +Edinburgh draws the best of Scottish products to its stores and provides a ready marketplace for goods from the northern Highlands and islands . A ready marketplace for goods from the northern Highlands and islands is provied by Edinburgh , as well as the best of Scottish products in its stores . entailment +'He must be apprehended , ' stated Natalia , blankly . He needed to be arrested for the gas station robbery . neutral +even banana if you can do it just before you leave it stays nice and fresh Doing it before you leave keeps fruits fresh . neutral +This ability to elevate significant security concerns to higher management levels helped ensure that risks were thoroughly understood and that decisions as to whether such risks should be tolerated were carefully considered before final decisions were made . You will have the ability to elevate security concerns to management , which is a big change from how it used to be . neutral +The Family Research Council 's Bauer seems most likely to replace Reed as the religious right 's spokesperson . It 's likely The Family Research Council 's Bauer will replace Reed as the religious right 's spokesperson . entailment +just exactly Precisely . entailment +uh-huh well do you think that um by uh going over there and doing what we did that uh it 's going to give us a chance for peace over there We need to act for peace . neutral +The 14th-century Arche Scaligeri ( Scaligeri Tombs ) are found just beyond this , some of the most elaborate Gothic funerary monuments in Italy . Graveyards in this city are beautiful to the highest degree . neutral +There are five connecting corridors , two pits , and four rooms before the burial chamber is reached . The two pits before the burial chamber were originally made as traps for thieves . neutral +The cover story protests the Fed 's failure to hike interest rates despite early signs of inflation . The cover story doesn 't mention Fed 's failure . contradictory +There is a major wind-surfing and dinghy-sailing school at Bitez , near Bodrum . The wind-surfing school at Bitez also offers free complementary deep-sea diving lessons . neutral +we can laugh about it i mean your not laughing about it then too much i mean you know afterwards it 's it 's it 's kind of a nice memory to think gee i survived that we 'll always need the uh feather bed as it were Its nice to think about afterwards , having survived . entailment +The film doesn 't show that Wallace later apologized for his segregationist views on TV , suggesting that his conversion had political motives . Wallace never apologized for how he had felt . contradictory +You may also hear a man perform the same sort of ballad with a strong , husky voice . The man singing the ballad has a strong , husky voice . entailment +We need to know more about the closing of this window of opportunity and whether delay interferes with motivation . We are certain this closing window of failure has delayed our efforts to motivate the president . contradictory +If you do stop in Basse-Terre , you might like to spend some time at the large market just off the capital 's broad shoreline drive . The market is worth stopping at . neutral +Get out and explore the streets , the open markets , the cafe . Spend more time inside and stop exploring so much . contradictory +yeah that that 's that 's the part that i don 't like too No , I don 't agree , I love this part ! contradictory +In the preamble to the final rule , the Commission responds to issues raised by the comments . The Commission refused to respond to issues that were brought up in the comments . contradictory +yeah i was down i was in Dallas about uh twelve thirteen years ago and then i just went down again last month for a week I 've always wanted to visit Dallas , but I 've never got a chance to do it . contradictory +The state legislature helped as well , by legalizing gambling in 1931 and thus solidifying the future of the town , though legislators and residents could never have known this at the time . The legislature have helped with their legalizing of gambling in 1931 , which solidified the future of the town . entailment +Barcelos holds the country 's largest weekly market . The Barcelos market convenes monthly . contradictory +Studly guys work at the Pentagon . The jobs at the Pentagon demand muscular men . neutral +The preamble to the interim rules contain the information required by the Paperwork Reduction Act including the need for the information , the parties affected , and the burden estimates related to the collections by each Department . The need for the information , as required by the Paperwork Reduction Act is found nowhere in the preamble . contradictory +Eyeballs are worth money only because they are attached to wallets . Wallets are what make eyeballs important . entailment +Her scorpion-hilted saber hung low on her left hip . She held on to her sword . entailment +But the author 's exculpatory coup de grace is Tyson 's claim that a psychiatric illness caused him to do things to Robin Givens ( his former wife ) that he would normally never do . The author wrote the book very well . neutral +A little map available at the entrance will help you to locate the tombs of the famous , which include Rossini and Chopin , La Fontaine and Moliyre , Sarah Bernhardt , and Oscar Wilde . There 's a small map you can get at the entrance in which you can locate famous people 's tombs . entailment +Very well , said Tuppence meekly . Alright then , said Tuppence quietly . entailment +As figure 3 indicates , GAO has consistently improved its ability to promptly meet congressional requests . Figure 4 states that GAO has not improved it 's ability to meet congressional requests . contradictory +that sort of stuff and dancing That kind of stuff and dancing entailment +about how really to go about helping people to learn another language i mean it 's like people don 't know what to say it 's not step to step You should only speak English when you come to America , so I want to stop people learning other languages . contradictory +Merely wandering the streets of Havana , Santiago , or Trinidad , you 're likely to stumble across a party with a live band , or even a back alley where some impromptu jamming is going on . Havana has lively parties . entailment +to them and he he spends about an hour doing that and that 's that 's pretty good quality time with them and um but it 's hard for him on Saturdays he he wants He usually wants to go fishing alone on Saturdays . neutral +Pack extra-warm clothing and wear good hiking boots , hats , and gloves . You will need all these items in the mountains . neutral +oh gee i 'd i 'd say our grass is getting green right now so i 'm sure he 'll in fact he may have already cut it once i can 't remember The grass is brown and dying now . contradictory +Said he was trailing two crooks . " The cop said he trailed two crooks across the state line . neutral +yeah during during when the war was real hot and heavy we just had it on CNN all day long As long as the war was going on , we kept CNN off . contradictory +Yours affectionately , TUPPENCE . " Tommy handed it back , his eyes shining . Tommy handed the item back . entailment +The Second and Third Crusades , however , were a disaster for the Christians . The Christians failed during the Second and Third Crusades . entailment +By the Corps ' estimate , the savings created amounted to about $ 6 million annually and a reduction of 175 full-time equivalent staff years . The savings was about $ 12 billion each year . contradictory +As most laws vary state-by-state , queries from out-of-state used to meet a dead end . In state queries usually get to a dead end . contradictory +Finally , the Chinese say that the State Department impounded the Loral findings before they ever reached them . The State Department purposefully prevented the Chinese from being able to reach the information . neutral +Shopping is another possibility . It 's impossible to go shopping . contradictory +Polish nobles saw their political might expanded during the beginning of the Renaissance with the king 's rule of the nobility , which granted exclusive right to enact legislation to nobles in the parliament of Sejm . The Polish nobility 's power waned at the beginning of the Renaissance . contradictory +oh that was fabulous when yeah when he played Danny Boy it just almost brought tears to your eyes because he can make that flute sing He plays that flute so beautifully , especially on Danny Boy , that it can be emotionally overwhelming . entailment +so what type of restaurant do you like What type of restaurants do you like ? I 'm into mexican and arabian food . neutral +A comparison of the Johnson Intervention with four other methods of referral to outpatient treatment . The other methods mostly involve kidnapping the patient . neutral +Finally John Cavendish , finding his persuasions of no avail , went off to look up the trains . In the end , John Cavendish gave up with the persuading and went to look up trains . entailment +Nonetheless , the experiences of the leading organizations suggest that the steps and practices discussed in this guide can assist agencies in successfully implementing GPRA . Even with the steps included in this guide , a successful GPRA implementation is unlikely . contradictory +five six years old now and still doesn 't look a whole lot different than the day that i put it in My car engine has been looking great since I bought it . neutral +GAO 's goal is to remove all closed recommendations from the database on an ongoing basis . GAO 's goal is to remove closed recommendations from the database . entailment +yeah i had a whole bunch of flowers and things well i don 't have as many now we lived in the country for a long time and i had a whole bunch but I grew roses and sunflowers . neutral +One Nation , After All is full of the very qualities its author imputes to the ordinary virtue , mature patriotism , and quiet faith . The author of One Nation , After All believes in ordinary virtue , mature patriotism , and quiet faith . entailment +Jon stared at her for a long time and ran a finger along her cheek . Jon pushed her away , not wanting to look at her face . contradictory +yeah so so if you like his view and his direction in other words then you 'll really like the movie you know so probably if you liked his other two movies uh those are like Wall Street and Platoon then His other movies are Wall Street and Platoon . entailment +Now , the Ministry of Justice shares the square with banks , famous jewelers , and the Ritz Hotel . The Ministry of Justice is close to the Banks neutral +And it takes more than one man and a revolver to hold up Mr. Brown … . Tuppence paled a little . Mr. Brown couldn 't be held up by only one man . entailment +Blaustein then took Sweat 's case along with Kemp 's and demanded her ousting be rectified . They took the cases and wanted justice for the woman . entailment +The traffic jams seem incongruous , but they 're authentic . There are a number of traffic jams . neutral +Or is it ? It probably is , but maybe it isn 't . neutral +so it was you know ten or so feet uh higher just a few weeks ago in fact uh a few weeks prior to when we got there and the camp the people at the campgrounds told us that uh asked where we were from and we said Dallas and they said oh well we had a girl die just two weeks ago in that rage of water It was about 10 feet higher a few weeks ago and a girl died in it . entailment +and they 'll steal jackets they 'll holdup kids and they 'll take their jackets and chains you know just get out of the car and They only steal jackets and chains . neutral +You 'll also see a lot more cool features , such as HTML mail and Preview Pane , to name but two . ) The program will receive no updates and will be discounted soon . contradictory +At least , it sounded like Barnes . The sound was similar to Barnes . entailment +'Okay , ' I muttered to White . White had made the suggestion . neutral +As I have mentioned , demand for our work is essentially at an all time high , especially with regard to mandates and requests from Congress . Because of the will for political change , Congress is issuing a higher number of requests than usual . neutral +Adrin had his rapier and off-hand dagger out , parrying the attack of one while another closed in . Adrin held his weapon and got ready to fight . neutral +do you do you have uh drug testing where you are Do you have to do drug tests where you are ? entailment +Further , there is little incentive for DOD program managers to capture knowledge early in the development process . There is little incentive for the program managers to capture sales data at the beginning of the development process . neutral +Moviegoers love the intricacies of a crime , all the more when it 's for a good cause . Moviegoers hate crime movies . contradictory +yeah yeah i 've been i 've been real fortunate my family 's never had anybody anybody anybody like in in in a nursing home but Rick 's family my husband 's family really has has has I would dread it if any of my family members had to go into a nursing home . neutral +The body of the bearded man fell quivering and convulsing to the ground . The clean-shaven man fell to the ground . contradictory +well yeah there 's a lot of people that um you know don 't work There 's a lot of people that don 't work . entailment +Most of the millions of books , engravings , and ancient manuscripts it has accumulated over the centuries have been transferred to the new national library on the Left Bank ( see page 58 ) . The new national library has received millions of books and engravings.J entailment +It 's difficult to believe that this little spot was once a major junction for traffic in the lakes before motorized vehicles were invented . There has never been motorized vehicles here . contradictory +it 's uh in Massachusetts it 's almost ten percent now It 's definitely in New Jersey now , it was never in Massachusetts . contradictory +Research by sleep experts , to examine resident safety and to test solutions , is needed . The examination of safety does not need much attention from researchers . contradictory +amenities just the basics contradictory +Belatedly , Weld is trying to regain the moral high ground . Weld wants to regain a sense of moral superiority after the fact . entailment +Pecker is a breezy , agreeable picture--a charmer , thumbs-up , three stars--but there 's something disappointing about a John Waters film that 's so evenhanded and all-embracing , even if its sunniness is ironic . Pecker doesn 't have a flaw- even its irony is subtle and lovely . contradictory +yes it 's that 's simple i read to escape and i don 't read any Parents magazines either so I read to escape reality ever since I was a child . neutral +But the southwest 's growing need for water , combined with Las Vegas 's fortuitous proximity to the Colorado River , would give Las Vegas a second chance to achieve prosperity . To utilize the Colorado River , Las Vegas had to gain cooperation from 4 other states . neutral +The House of Cleopatra is also worthy of note , named for the lady of the house who left behind headless statues of herself and her husband , Dioskourides . Cleopatra 's husband was Dioskourides . entailment +Red frowned . Reds lips turned downward at the smell . neutral +The program entered production , despite these producibility issues . The managers wanted to rush the product to the market . neutral +You 've never had a job . You had a job in the past . contradictory +The fishing port and resort of Santa Pola ( 18 km , south of Alicante on the N-332 ) has an extraordinary number of restaurants . There aren 't any restaurants at Santa Pola 's resort . contradictory +With a well-paid civil service , Clive 's successors Warren Hastings and Lord Cornwallis avoided the collectors by padding their salaries with private deals . Hastings and Cornwallis 's deals were under the table . neutral +GAO 's Mission GAO examines the use of public funds ; evaluates federal programs and activities ; and provides analyses , options , recommendations , and other assistance to help the Congress make effective oversight , policy , and funding decisions . The GAO does not assist Congress . contradictory +it looks fertile and it it um i mean it rains enough they have the climate and the rain and if not it 's like i 've been to Saint Thomas and it just starts from the ocean up They have the rain and the climate so I imagine the lands would be fertile . entailment +The best-dressed Puerto Rican gentlemen wear these tailored , embroidered shirts for many occasions . The shirts are popular with people from Puerto Rico . entailment +A swarm of government enforcers peering over a company 's shoulder is a strong incentive for it to behave . The company knows that if they don 't behave , they will face hundreds of thousands of dollars in fines . neutral +So , if anyone did manage to rob me of it , it wouldn 't matter . I would kill myself if someone had stolen it from me . contradictory +And here the McKinsey study has already paid off . The research has been successful in its purpose . entailment +To get a good sense of Nagasaki 's personality , start down at the harbor . Nagasaki 's harbor is not the best place to start if you want a glimpse of the city 's personality . contradictory +This estimate is supported by the number of orders of FGDs for 2001 and projected orders through 2002 by the electric utility industry , which totals over 11 GWe46 , and over 13 GWe of announced scrubbers which are scheduled to start up by 2005 . This estimation has no supporting evidence . contradictory +The area around the Inland Sea offers a wide range of attractions , from the varied towns and cities of Western Honshu to the major pilgrimage destination of Shikoku island . People take a pilgrimage to Shikoku island . entailment +yeah well if you had to you could climb up in there and do what you needed to There 's no way to climb that ! contradictory +How far the boy had come . The boy went a long way . entailment +Most Americans reject this vision . Americans do not want to change their ways . neutral +of course they play their you know cards right and do some good investments they 'll you know they 'll do all right but a lot of them don 't unfortunately Some older folks are worried about running out of money , but with some good investments they should be ok . neutral +That helped Clinton carry this traditionally Republican state . This helped Clinton win over an originally red state entailment +Mrs. Inglethorp had made no provisions of any kind for her , but I imagined that John and Mary would probably insist on her making her home with them ” at any rate until the end of the war . Mrs. Inglethorp made all kinds of provisions for her . contradictory +You will need a visa to enter China ( for information ) . You don 't need anything to enter China except a visa . neutral +That way they will know that was the gift you wanted to give them . They will never be able to know that that was the gift you wanted to give them . contradictory +okay if you take an American car and take it to Japan you can 't even hardly you couldn 't afford it Bring a Ford in Japan and you wouldn 't afford it there . neutral +Cope broke down the composer 's 41 symphonies into reusable parts , then blended them together in his computer into a convincing pastiche . Cope uses a computer to manipulate music , like the composer 's 41 symphonies . entailment +Do it too soon and you seem glib and You 're sorry ? Do it to early and you seem thoughtless . entailment +Back to story . The author needed to use an anecdote to help explain the story but got side tracked . neutral +fourteen years that 's pretty good well thank you and well um you good good luck with this program then bye-bye The program has been in use for over twenty-five years . contradictory +Or why Congress ( Needs term limits ? The Congress doesn 't establish term limits . Never have and never will . contradictory +One important and major advantage of advance reservations is that the visitor will be met at the airport straight away by a representative of the houseboat-owner it 's not easy for newcomers to find their way among the boats . Visitors who reserve in advance will be met at the airport by a spokesperson of the houseboat owner . entailment +This should only matter if the person governing is governing over the place where admission to same is the governor 's prerogative . It never matters if the person governing is governing over the place . contradictory +[ I ] t seems to not make the slightest difference that his raw materials are cliches , and that his handling of the medium--of any medium--is inert . His raw materials changed his work . contradictory +As the local chamber of commerce hilariously puts It is not only effective for overall beauty , but also for whiplash injuries caused by traffic accidents , and popular with newlyweds . Newlyweds seem to enjoy it more for the thrill of it than the medicinal benefits . neutral +Russert offered the clip as an omen of the curse that would strike John Kennedy 30 years later . Russert was sure the Kennedy curse existed . neutral +whether Americans save and invest their income or spend it . It 's up to Americans how they would handle their finances . neutral +Javea , 27 km ( 16 miles ) from Calpe , sprawls between pine-covered Cape Nao to the south and Cape San Antonio to the north . Cape San Antonio lies to the south . contradictory +The nature and scope of the cultural transformation that needs to take place in many agencies across the federal government will take years to accomplish-easily outrunning the tenures of most political appointees . The nature and scope of the cultural transformation that is required will take ten years . neutral +The harbor is dotted with the pine-covered islands of Tsukumo , offering delightful bathing along white-sand beaches . The islands of Tsukumo is a popular vacation resort . neutral +In the ' 50s , he reworked It Ain 't Necessarily So for Adlai Stevenson ( and included the first sung reference to a vice-presidential L 'il Nixon was small , but oh , my / His office expenses were high ) as well as Love Is Sweeping the Country ( also from Of Thee I Sing ) : He did not rework anything in the ' 50s . contradictory +Boating , Windsurfing , and Water-Skiing Snorkeling is offered on a limited basis . neutral +His men crushed sultan Ibrahim 's 50,000 with cannons , hitherto unknown in India , at Panipat , north of Delhi . Sultan Ibrahim managed to win the battle despite having inferior technology . contradictory +yeah yeah me either and you you wonder you know what kind of quality job would they do you know Those people will never be able to work . contradictory +Jon had only seen two people move that fast in his life Jon was really enjoying his time at the race track . neutral +oh it is it 's it 's a lot of fun especially especially if you can find somebody that 's uh that 's got the same level of interest that that seems to be the hardest thing well about that 's that 's that 's true of any sport you know if you want to play tennis or It 's very enjoyable , particularly if it 's with someone whose on a matching level to you . entailment +They show them ten at a time , Lukasz added full of sorrow . Lukasz wanted to change things , but didn 't know how . neutral +It is slow-moving . The thing moves slow . entailment +A little way to the south are Leith Links , said to be the birthplace of golf , where the Honourable Company of Edinburgh Golfers built a clubhouse in 1767 and where you can still enjoy a bracing round in the sea air . Edinburgh Golfers first built a clubhouse for their newly founded golf game in the 19th century . contradictory +In the purely visual sphere , style has been a national preoccupation from the Renaissance masters such as Michelangelo and Leo ? ­ nardo da Vinci to the grandiose cinematographic fantasies of Fellini and Visconti in the modern era . Da Vinci 's work later became inspiration for Fellini 's cinematographic style . neutral +It 's worth rummaging through the mass of books , prints , postcards , and periodicals for occasional finds , though the asking prices may seem high . One can find cheese by rummaging through the postcards . neutral +Set amid Tseun Wan 's residential towers is the 18th-century walled village of Sam Tung Uk , now preserved as a museum , and a short walk from the MTR station . The 14th walled village of Sam Tung Uk now preserved as an antique store . contradictory +so uh i 've been through most all of that i 've not done much of the no provision survival type but i 've done backpacking in tents and state park shelters and travel trailers and uh camping camping with nice air conditioned rooms and i guess of all the all the ones i kind of prefer the air conditioned ones and the the not so roughing ones with more entertainment than uh survival in mind I 'm one for the survival end of things rather than relying on luxury and comfort when I travel . contradictory +um-hum oh they do have some absolutely gorgeous things so uh but they uh the one we just watched that we had videotaped from the weekend was the Gardens of the World did you see that one this week Gardens of the World is on every week neutral +And slowly , as the distance increased , the sun 's pyre sank further and further over the horizon . In another while , the sun was no longer visible . neutral +The Rue Oscura is the most impressive of the ancient vaulted passages . The Rue Oscura is the most impressive of the ancient vaulted passages as well as the best-preserved . neutral +This spiritual retreat , 10 km ( 6 miles ) north of Pondicherry , was started in 1968 by a French disciple of the teachings of the Indian sage , Sri Aurobindo . The spiritual retreat was started by a French disciple in 1968 . entailment +" Because you can put back the sky . Because you can restore the sky to its original place . entailment +yeah and just not pay any attention to it yeah Yeah , you shouldn 't be attention to it . entailment +Nearby , the Kal twisted his waist , wincing , and pinwheeled his arms . The Kal was in incredible pain . neutral +Taxis were plentiful here , and before Whittington 's had driven off another was drawing up to the curb in obedience to Tommy 's peremptory hand . Tommy had to wait a long time before another taxi approached him . contradictory +In accordance with paragraph 603 ( b ) ( 5 ) , the Commission notes that the proposed rule does not duplicate , overlap or conflict with any relevant federal rule . The proposed rule does not conflict with any federal rule . entailment +The bodies of the fallen Sticks littered the ground . The Sticks were marching along the ground . contradictory +The thing was probably another sylph , strong enough to move them in their present reduced size . If it was a sylph , it could move them in their current small size . entailment +but i enjoy doing it more when i 've got other people with me than and i usually do it because i want to because i know it 's good for me not because you know i don 't i don 't feel obligated to do it and i enjoy it I prefer doing it with other people , to doing it alone . entailment +she 's an amazing talent . She is amazingly talented at playing Basketball . neutral +and i think that they could get some results from that because there are a lot of people who are volunteer and community minded but they don 't know where to go to to to do anything Most of the volunteers need to be educated on what to do . neutral +that 's neat yeah she does and they have twelve children She does that because she 's poor . neutral +Of course , neither law enforcement nor education is principally a federal responsibility . Education is controlled by the federal government . contradictory +It has many beautifully carved windows in mud brick houses that are gently crumbling away . The windows in the mud brick houses were unremarkable . contradictory +That boy needs an editor . That boy needs his work to be edited , said his teacher . neutral +all righty thanks bye-bye Hello contradictory +get your own yeah get your own T I seven four L S thirty two or something what was it Try anything other than TI . contradictory +In 1994 , it spiked Michael Isikoff 's Paula Jones reporting , so he left for Newsweek , where he has led the Flytrap story . Michael Isikoff left Newsweek to head up the Flytrap story . entailment +A crowd of people rushed from the entrance of a building of sandstone and marble . There weren 't many people around . contradictory +In a 1985 memo , Neuharth threatened to transfer out of the country any editors who sloppily allowed America or Americans into the paper when they meant citizens and residents of the United States . The difference in these two terms creates an entirely new meaning in the papers that include them . neutral +It is simply that the serious aspects of life are given their proper due before the fun can begin . The serious aspects of life must be focused on before you can have fun . entailment +Do you think Tuppence shook her head . Tuppence nodded her head and wondered ? entailment +A new towel was hanging in the bathroom and a new bar of soap was sitting in the soap dish . A new towel and bar of soap were in the bathroom . entailment +This time-consuming work is exquisite and correspondingly expensive . The work is cheap to have done . contradictory +This is a controversial practice even in Mozart concertos , and unheard of in 19 th -century works . In 19th century works , the practice was experimented with but never actually utilized . neutral +" And you also listen , Captain . " Captain , you shouldn 't listen to this , get out . contradictory +We may promise justice for all , but for those who can 't afford a lawyer , that promise is often a lie . A lawyer is necessary in order to receive the promise of justice . neutral +yeah which is easy to do You can do it quickly neutral +Donald Trump walks the streets unafraid that someone will scrawl some harsh architectural criticism across his vast backside . Donald Trump is unafraid when he walks the streets . entailment +Substantial new resources are essential to increased access to and availability of services to low-income persons . Substantial new resources are definitely not essential to increased access to and availability of services to low-income persons . contradictory +But this becomes harder and harder for GAO to do as the demands for our work increase-requests and mandates already represent 95 percent of our total workload . The GAO has a very large workload and it 's set to increase . entailment +The Museum of Scotland , with its main entrance on Chambers Street , is housed in a remarkable new museum building ( opened in 1998 ) designed by architects Benson and Forsyth . The Museum of Scotland has its main entrance on Charles Street . contradictory +Some changes in personal values are simply part of growing older . Due to changing hormones and heartbreak , personal goals change as you age neutral +was sinking the Titanic on the Strip in what is the show 's signature amazing special effect . The Titanic show was very boring and dull . contradictory +It 's a natural story for the tabloids , but it caught them all with their pants down when it first appeared in a long , entertaining piece in the Washington Post . The lengthy story first appeared in the Washington Post . entailment +i wonder how truthful all of that was or whether that was fictional I know that it was all true . contradictory +All rooms are tiled , air-conditioned , and equipped with satellite TV , clock radio , telephone , safe-deposit box , and hair dryer . The rooms all have hair dryers and telephones . entailment +Reanalysis of the Harvard Six Cities Study and the American Cancer Society Study of Particulate Air Pollution and Mortality . The Harvard Six Cities study will not be analyzed any differently . contradictory +Other places of interest are the Mane Katz Museum , Yefe Nof Street , the Prehistory Museum and Zoo , Ha-Tishbi Street , and the Ruben and Edith Hecht Museum of Archaeology , on the Haifa University campus at Mount Carmel . The Museum of Archaeology is at Mount Carmel . entailment +He was a respected lawyer defending discredited politicians , and as such he was very busy and didn 't normally pay attention to small , insignificant things . He was a lawyer that worked for Senators . neutral +Time marvels at the growing popularity of polyamory , openly maintaining multiple loving relationships . Everyone in polyamorous relationships loves each other . neutral +When asked why he did it , he reportedly said , I 'm crazy . He said he was crazy for running after the blind man . neutral +i don 't think don 't rent to them or rent to them evict them because they drug dealers put it on the lease if you deal drugs you can 't live here The tenants are to be evicted . entailment +and it was very easy to maintain this stand that you know that that life is something that you have no right to to take You should believe that you have a right to take a life . contradictory +Participants expressed the belief that having the right people on the board is just as important if not more so as having the right rules under which the board operates . The participants also expressed that they do not like the color red . neutral +The race goes nowhere but after all , there is nowhere to go . The race does not lead anywhere , but there is nowhere to go . entailment +FEDERAL MISSION PROPERTY , PLANT , & amp ; EQUIPMENT ( PP & amp ; E ) -Items used to meet a Federal Government mission in which the specific PP & amp ; E used is an integral part of the output of the mission . PP & E are items used to meet a Federal Government mission . entailment +" Then there 'll be two of us . After he leaves tonight , it will be just the two of us . neutral +'What are you doing ? ' I asked . I walked away from them and didn 't talk to them . contradictory +He swung toward Dave , raising the knife into striking position and aiming it at Dave 's heart . He appeared poised to kill , but actually only intended to threaten . neutral +In addition , Nebraska Legal Services is involved in a committee developing a statewide plan for expanding legal services for low-income residents . The low income residents cannot get legal help . neutral +and uh it 's funny how uh how i i uh i got acquired this animal uh when i was uh married my uh ex-wife had said that she had a friend who had a little puppy that she needed uh the woman needed someone to babysit and uh this is what she had told the kids and she even told me that and after the two week period was up uh she then informed me that the woman no longer wanted the little puppy and wanted to know if we wanted to keep it well after you had an animal for a couple of weeks it 's uh you become attached you become attached to it I got this animal from a breeer . contradictory +The 2001 survey was cosponsored by the Employee Benefit Research Institute , the American Savings Education Council , and Mathew Greenwald and Associates , Inc . The survey in no way involved anyone named Matthew . contradictory +A good omen . A positive sign . entailment +Finally , Congress plays a crucial role in management improvement efforts throughout the executive branch through its legislative and oversight capacities . The legislative role of Congress has been essential to efforts to improve management in the executive branch . entailment +After decades of seeing these problems recur in agency after agency , Congress moved to address this endemic situation on a governmentwide basis . The government wide issue spanned the nation and was a widespread problem . neutral +get sick with the flu Unwell with flu . entailment +The Final Report and Order is subject to the Paperwork Reduction Act of 1995 , and has received OMB clearance ( OMB # 3060-0636 ) . The Final Report and Order passed on Oct. 12 , 1999 . neutral +so the ice you know that 's that 's a whole you don 't you don 't need a four wheel drive vehicle you sit and spin uh Your vehicle can easily get stuck in the ice . entailment +The analysis describes the reason for the final rule and the legal basis for it ; descriptions and estimates of the number of small entities affected by the rule ; a discussion of the recordkeeping , reporting , and other compliance requirements ; and the steps taken to minimize the burdens on small entities . The basis for the legal rule is the ancient principle of " finders keepers " . neutral +With the consistent militant need to defend their faith , they make up a fiercely competent ? ? lite in the Indian Army , but they are also skilled farmers at the spearhead of the Green Revolution in the Punjab , where most of them live . The Indian Army is comprised of career soldiers . contradictory +that 's true i i 've been Democrat for since i 've been voting which isn 't that long but i 'll agree with you there that there 's not much organization going on I think the Democratic party is in shambles even though I vote for them . neutral +uh i think so no not ninety nine it 's one of the full TI PCs It 's a TI PC from ninety eight . contradictory +good don 't ever drink Scotch it 's terrible i quit drinking Scotch when i found out about that but anyway but uh as far as as far as you know Central and South America we our policy pretty much uh it depends on who we 're what government we 're buying down there at the particular time I no longer drink Scotch . entailment +None of the Jewish groups has reversed its support for Pollard 's release . Jewish groups have always supported Pollard 's release . neutral +it 's a two story house it it 's a first home and it looks like it 's going to be the last i think we 're going to demolish it we 've got two children and it 's they have scraped the uh plaster off the walls you know with riding their little toys through it and stuff you know I don 't think we will sell it . neutral +The market tumbled in anticipation of an economy-cooling rise in interest rates at the Fed 's upcoming meeting . The Fed is not responsible for raising interest rates . contradictory +wow um-hum well do they i mean um i never liked doing that and i i didn 't up until uh several years ago when it came down to the point of It was only a few years ago that I started warming up to it . entailment +The Government has designed this program to use the legal profession and the established Judiciary of the States and the Federal Government to accomplish its end of assisting welfare claimants in determination or receipt of their benefits . The Government created a program to end its role of assisting welfare claimants in determination or receipt of their benefits . entailment +Every fact that I know is in your possession . You know everything that I do . entailment +president someday maybe President ? Never contradictory +To haggle successfully , pitch your opening price well below target and don 't look too keen . Customers can do almost anything in order to negotiate but vendors don 't change the price . contradictory +According to the Enquirer , John Clark , who has been married to Redgrave for more than 30 years , fathered a child eight years ago by his personal assistant . John Clark left his wife of 30 years to be with his personal assistant and their child . neutral +At Cernobbio , the 16th-century Villa d 'Este is now a landmark 5-star hotel , one of Europe 's most special . Villa d 'Este hotel is the most unpopular hotel in Europe . contradictory +Delivery changed the post in many ways . Delivery of USPS s a good thing neutral +That year , one firm doubled the starting salary , and then the others quickly followed suit , said Mr. Greenberg . The starting salary at the firms was decreased . contradictory +Although there is no single model for success , many states that are building state justice communities share similar characteristics that can guide other states less far along . There is a single model for state justice communities that must be enforced by the federal government . contradictory +We as a society have to learn more about the technology that is shaping our lives , and become more comfortable with it . Our civilization has to be better adapted to the ethical use of technology and it 's implementation in our lives . entailment +Because I--wadda ya call it--love you . I despise you with all my heart . contradictory +the Ghost yes yeah i saw it on campus that 's very good yep uh I saw the ghost haunting the library . neutral +We call it the Old One , said Ca 'daan , smiling at them . Ca 'daan frowne as he shouted at the woman . contradictory +To tour the center of the city , start your walk at the western end of the historic district , on the Place du Vieux-March ? ? . It takes about 2 hours of walking to cover the city . neutral +Alternatively , if it wanted to maintain the FY 2000 overall cost coverage of 126 . The overall coverage of 126 from the FY 2000 cannot be maintained . contradictory +On the left is the Madrasa of Sultan Hasan , built in 1362 . The Madrasa of Sultan Hasan is not on the right . entailment +Army Corps of An Assessment of the Draft Environmental Impact Statement of the Lower Snake River Dams , GAO / RCED-00-186 , July 24 , 2000 . The Army Corps issued an environmental impact statement . entailment +They have contended with difficult working conditions as demand for Legal Aid 's services is on the rise because of Sept . 11 and the deteriorating economy . Legal Aid is overwhelmed with the number of people seeking help . neutral +I instinctively followed the direction of his eyes , but I could see nothing unusual . I instinctively looked in a different direction than he did . contradictory +You 'll just have to speak to Red , dear , and make him promise not to do things in the kitchen any more . You need to convince Red , to not use kitchen from now on . entailment +Governments changed repeatedly , but the French muddled through . Governments were constantly changing . entailment +AICPA standards and GAGAS require that auditors use their understanding of internal control relevant to financial statement assertions affected by laws and regulations to identify types of potential misstatements , consider factors that affect the risk of material misstatement , and design substantive tests . AICPA standards require auditors to use their understanding of internal controls . entailment +and uh you know it is kind of sad to see all these people that you know have the resources to hire somebody and have the money to spend to put their money in places they don 't have to pay taxes or to buy something that loses money so that they can I feel unhappy about the fact that people with plenty of money are avoiding taxes . entailment +trees or what bushes whatever they are Bricks or mortar or something like that . contradictory +It more clearly conveys our role and the expectations of our clients in the Congress , the press , and the public . Our clients expect a Christmas party be provided for them every year . neutral +You cannot mix up sentiment and reason . Reason and sentiment cannot be confused for one another . neutral +The united countries defeated the Teutonic Knights at the Battle of Grunwald in 1410 and repelled Germanic eastward expansion . The Germanic invasion was stopped at the Battle of Grunwald in 1410 . entailment +well i 've been sort of out of it for a little while so i don 't know really what 's going on I don 't have any information , since I 'm out of the loop . entailment +At this point , no countries have imposed tariffs or other taxes on online commerce , but at least a dozen are considering them . Online commerce faces no possible taxing . contradictory +More recently , Sisler ( 1996 ) created a unitless measure of visibility based directly on the degree of measured light absorption called the deciview . In 1996 , Sisler created the centiview which is a means of measuring light absorption . contradictory +Civility is not one of the major virtues . Civility is not one of the major virtues . entailment +about these young children who were were not even like sixteen years old they were eleven and twelve and fourteen and fifteen year olds and they they actually committed murders and the question was whether to try them as adults or as children The question is whether we should try 11-15 year olds as adults for trespassing . contradictory +and just as soon as i get it paid off i 'll probably get laid off I will probably get laid off soon after i pay it off . entailment +i have a have an idea of what i wanna do i don 't really know how to get started so i i look at something get me get me ah yeah well i 'll add this to it and do this and turns out pretty good sometimes When I create something , I am not sure what I want to do , I just keep adding until I like it . entailment +Personal Communication with Ande Abbot , International Brotherhood of Boilermakers , Iron Ship Builders , Blacksmiths , Forgers and Helpers , February 5 , 2002 . Communication with several companies occurred in early February . entailment +what else have i done things to hang on the wall I hanged things on the wall . entailment +yeah my my brother and uh sister-in-law live there i like I don 't have any reason to go there . contradictory +Defunding was not a viable remedy , Mr. Kleiman added , because the only people hurt are those who benefit from the services . Defunding would cause irreparable harm for the people who receive the benefits . neutral +James Mason and Orson Welles began their acting careers here . Orson Welles became a great actor here . neutral +Saddam on both covers . Saddam on the cover of the Rolling Stones . neutral +The glowing fire in the air outside moved another mile closer--then another . The air outside was glowing with fire . entailment +and uh i i love it i have two sons still living down there I enjoy it and have two sons living there still . entailment +FHWA requires its senior executives to set critical and noncritical performance objectives that are tailored to their responsibilities within their respective offices and aligned with the FHWA Administrator 's performance agreement with the Secretary of Transportation . FHWA requires executives to set budgetes . contradictory +but he 's really happy he went there His deepest regret is going there . contradictory +course you could tell always tell which were the the natives natives There is no way to discern the natives from the others . contradictory +The Asian American experience may offer a As growing numbers of Asian Americans have entered the mainstream over the last decade , it is increasingly said--sometimes with pride , sometimes with scorn--that they are becoming white . Asian American women are entering the mainstream and are becoming white . entailment +The United States is ready for war , having amassed more than 20,000 troops in Kuwait and Saudi Arabia . There are more than 20,000 US troops in Kuwait and Saudi Arabia . entailment +'I 'm sorry , ' I rallied . 'I 'm sorry for hurting you guys ! ' neutral +Unlike other Church-dominated European universities , Italian universities emphasized the sciences , medicine , and law over theology . The Italian universities had different a different focus to the European ones . entailment +Their struggle underscores Moreau 's spiritual poverty and capacity for mischief . They never experienced any hardships . contradictory +and about uh oh a little after midnight we got all these tents set up and i laid down inside one of them and was just about asleep when a little voice from outside the tent said uh asked if i was doing all right and i said huh yeah yeah doing doing just fine you know it 's a little windy but i 'm doing all right and and they suggested that i come out that mine was the only tent that hadn 't fallen down yet and sure enough after i got out of there a little bit it blew down and the winds were just terrible and uh If i hadn 't gotten out of the tent in time , I would have been in serious danger . neutral +The women do not go quietly , extracting a toll on their way out . The women left the train station furious , angry and loud . neutral +They should pull a Sister Souljah , loudly distancing themselves from a cultural figure on the far right , and start oozing compassion ( one way to do heartwarming stories about children with fatal diseases ) . This far right figure is far too popular , and they should distance themselves from them by pulling a Sister Souljah . neutral +First moment I clapped eyes on her photograph my heart did all the usual stunts you read about in novels . When I first saw her beautiful face in the photo , my heart fluttered . entailment +oh that 's real good that 's real good That 's really bad . contradictory +Attractions include a dolphin pool , a medieval encampment , a number of inventive water rides , and roller coasters . There is a wide range of attractions , including water rides . entailment +Martin Schongauer 's beautiful altar painting Vierge au Buisson de Roses ( Madonna in the Rose Bower ) can be found in the Eglise des Dominicains , along with some remarkable 14th- and 15th-century stained-glass windows . The art in the eglise des Dominicans are must see Pisces . neutral +To-night ? queried Tuppence , surprised . This evening ? queried Tuppence entailment +And at last I know who it is ! " 194 Chapter 24 Julius Takes a Hand IN his suite at Claridge 's , Kramenin reclined on a couch and dictated to his secretary in sibilant Russian . Kramenin only knew how to speak English . contradictory +Cumulative changes are also tracked , including additions , deletions , and modifications to requirements . Additions are recorded , but no attention is given to deletions . contradictory +When they come here they will kill you all . The people will start killing . entailment +The enclave , which in its entirety exists to host and serve visitors , is perennially stocked with cranes , as new hotels and restaurants continue to be erected . Many new hotels and restaurants were being built here . entailment +I suppose it 's an accomplishment , in a way , to have achieved a tone so utterly insipid . An utterly insipid tone was never achieved . contradictory +He knew the names of each of these single shot A silver-flanged fleur-de-lis , he said , or something like that . He didn 't know whwat those were called . contradictory +In 1986 , he sued to block publication of Ian Hamilton 's biography , In Search of J.D. Ian Hamilton 's biography was published without challenge . contradictory +Music is always telling stories ( more or less ) , and I think that charismatic power is an element in one of those stories--the force we feel when a strong personality comes up against a demonic power and refuses to be cowed , and takes hair-raising risks , and succeeds in being , if only for a moment , the demon 's equal . Charismatic power is an element of music , I think . entailment +i 've everybody i 've talked to has received one and i haven 't gotten mine Everyone I know has got once except for me . entailment +Over a millennium , Poland evolved from a huge and imposing , economically powerful kingdom to a partitioned nation that ceased to exist on world maps for over 120 years , and finally to a people and land at the center of the 20th century 's greatest wars and most horrific human tragedies . Poland had been a huge , economically powerful kingdom . entailment +The Islands and the People The 1000 mile areas of land in the water and the people . neutral +What I love about this Jordan thing is that he has embraced an opportunity that could lead to his total failure on a basketball court . Jordan was a basketball player who took big risks . neutral +yes that that sounds wonderful i we uh we have family reunions not on a regular basis and there 's mostly in my wife 's family uh my family 's very small My wife 's family is large , over 100 , with a couple of little ones on the way as we speak . neutral +However , we are on completely opposite ends of the political She 's a liberal Democrat and I 'm a conservative Republican . Even though we have different political opinions , we are still friends . neutral +She was promoted in February to regional counsel . She was not promoted . contradictory +Eh bien , eh bien ! Good , good ! entailment +Earned me a good ten with the cane when I read it instead of dealing faithfully with Caesar 's campaigns in Gaul . The cane I was hit with was made of oak . neutral +Seems to act just like a drug It has an impact on people much like a drug does . entailment +Some of his personal effects can be found in the modest bedroom where he slept . The modest bedroom contains some of his personal effects . entailment +Broder and Waas say they have spoken with two ex- Spectator employees who anonymously corroborate Mann and Rand 's assertion that the Arkansas Project paid Hale . Broder and Waas say the ouija board gave them all the information . contradictory +Since communism closed shop in Russia , all the volunteers have disappeared . The fall of Russian communism was caused by economic factors . neutral +you know i just when i going into it i just had this block and i went there 's just no way i 'm going to be able to learn this and when i sat down and really said okay just you know forget your old prejudices and really look at it you know and once you look at it 's so really simple you know you there 's really nothing to memorize there 's nothing to learn it just all works the same you know you just you know transform that little you know dot from one place one way to the other you know and that 's about all you have to do so anyway i think it will happen eventually Once I sat down and concentrated and forgot my old prejudiced I realized it is very simple to learn , you just have to transform the way you think and move the dot from one place to another instead of having to memorize everything . entailment +You jus ' outta th ' army , son ? " Drew nodded . Drew asked if he was just out of the army . entailment +i spent uh i spent a year up in Colorado Springs at TI up in Colorado Springs I was never in Colorado Springs . contradictory +um-hum yeah um-hum sure yeah yeah i 've never never done pets you know as a for breeding purposes i 've just you know usually always had a pet of some kind around we 're at currently we have two cats i 've got a big old seventeen pound black male alley cat and i 've got a little seven pound tabby cat that we got from the Humane Society she 's the cutest little thing then i have a twelve year old Dachshund that 's gosh she 's one of the family absolutely I do not have any dogs or cats at all . contradictory +In addition , they emphasized the importance of adjusting policies continually to respond to newly identified risks or areas of misunderstanding . They addressed the subject of policy adjustment . entailment +Why not now as much as before ? What did he do to cause that ? neutral +If that look of death had been aimed at him , Ca 'daan would have wet his breeches . He would have wet himself . entailment +A dear old lady returned from her first visit with the Italy 's very nice , very nice indeed , but for my taste , much too much history . The nice old woman preferred less intellectually-demanding vacations with plenty of natural beauty . neutral +Northwest Justice Project and Columbia Legal Services are non-profit organizations that provide civil legal assistance to low-income individuals and families throughout Washington state . Columbia Legal Services is non-profit . entailment +For example , the idea of putting the Ten Commandments in every classroom is attractive but , in the long run , federally funded stone tablets will only breed dependency on the nanny state . The Ten Commandments have never been considered to be placed in classrooms . contradictory +but there there definitely needs to be a balance somewhere There current isn 't any balance anywhere . neutral +The park is at its very best in spring , when you can walk through a carpet of flowers surrounded by the fresh green leaves of the newly awakened woodland . The park is at its worst during the spring . contradictory +In other words , it amounts to a bribe . In other words , it was a huge hindrance . contradictory +Also in the harbor are the Chais Noilly Prat , where you can view how the famous vermouth is made , and a small chateau that was once the home of the Noilly Prat family , now a hotel and restaurant . In the harbor you can also view how the famous Noilly Prat vermouth is made entailment +But I think that he 's going to Well done , our good and faithful servant . We have a good servant . entailment +yeah but i don 't know if they if they if uh the death penalty I don 't know if they use the death penalty . entailment +They 're almost unreachable except by boat , but rewarding for fishermen and bird-watchers . It can be reached by car . contradictory +Soldiers ! Fenner sniffed . Wolves ! Fenner sniffed . contradictory +The heart of Bethlehem is Manger Square , now a car park ringed by souvenir shops and packed with street hawkers . The car park has nothing in it but cars . contradictory +when you see all the people who are convicted of these crimes and they get out of prison after a few years all of the sudden here they 're they 're uh committing the same type of crimes all over again other people are victimized what do you do about it i think prison usually cures people so they don 't commit the same kinds of crimes again contradictory +Our simulation period-from 2000 through 2075-coincides with the 75year period used for the Social Security Trustees ' Report where actuaries calculate trust fund solvency over a long-term horizon that is at least as long as an individual 's working life . Actuaries decide how much each people get monthly . neutral +The Constitution does not permit the Government to confine litigants and their attorneys in this manner . The Constitution doesn 't let the government keep litigants confined in jail cells for more than a day . neutral +Why , do the gentlemen from the Hall come here often ? I asked , as carelessly as I could . I wanted to know why the men went there often , but was trying to hide my interest . neutral +Our work at IRS was done at the Wage and Investment Division in IRS ' headquarters in Washington , D.C. , and at the Accounts Management , Submissions Processing , and Compliance branches at the Ogden , UT , Service Center . The Accounts Management , Submissions Processing , and Compliance is based out of Utah and has relatively new offices , while the Wage and Investment Division in IRS ' main facilities are in an older building in D.C. neutral +The island is mostly quiet , with a short , three-month summer season . The island is mostly quiet , with a short , three-month summer season because of typhoon activity . neutral +The Corp performed such resurrections fairly regularly , usually in cases of criminal prosecution . The Corp couldn 't do resurrections . contradictory +yeah that 's she stuck my name on some list so they mailed me the information that i filled out I got the mail the day after I filled out the information . neutral +Note , though , that warranties are often valid in Japan only , so check with the manufacturer for details of upgrading to worldwide coverage . Most warranties are only valid in Japan , so consult the manufacturer . entailment +Mary sought asylum in England , only to be imprisoned by Elizabeth . Elizabeth always had bad blood with Mary . neutral +The rest of the abbey was raised to the ground in 1570 , but the church was saved because it was a parish church and therefore served the local community . The church was saved by the congregation because it was special to them . neutral +The remains of seven red-brick monasteries dating from the third century b.c. to the ninth century can be discerned among the ruins in a pretty setting of flowers and sacred neem trees . The remains of the seven red-brick monasteries are mysteriously ugly . contradictory +What about the children ? We don 't really care about the children , do we ? contradictory +With twin , crescent-moon beaches , 7 km ( 4 miles ) of golden sands , and an outstanding climate , Benidorm is one of Spain 's most popular resorts . Benidorm has a ton of beachy spots . entailment +Inflation is at a 23-year low of 7 percent . It has been 23 years since inflation has been this low . entailment +In fact , as he looked , he could make out a rift , and beyond that a ... The sandstorm was too severe , and he could not see anything beyond about a foot in front of him . contradictory +A method adopted by demure advertisers who don 't wish to intrude is to ask permission . They do not ask permission . contradictory +Apparently the Globe subscribes to the theory that incessant posthumous prying ( They hadn 't slept together for 12 months screamed one recent John-and-Carolyn cover ) is just the thing for those trying to rest in peace . The Globe does not write stories about deceased people . contradictory +How accurate was the weather forecast election forecast ? The weather forecast is supposed to indicate snowfall . neutral +An ' mustangers ain 't above throwin ' a sticky loop when they see a hoss worth it . Mustangers buy all their livestock at Costco . contradictory +oh i hope not I hope we don 't have the same weather . neutral +When he was fired , Turner 's son lost his insurance and his place in line for the transplant . When he lost his job , it had a critical impact on his health . entailment +Fisherman 's Village on Fiji Way attracts tourists with its collection of gift shops and cafe . The gift shops and café attract tourists . entailment +74 " Count Stepanov , or some such , " she remarked , and affecting a frank and unvarnished curiosity : " Who 's he ? " She asked who he was , as she did not know . entailment +Inland from the Cete Fleurie the countryside reflects the popular image of orchards , rolling valleys , and massive timbered manor houses , the land where apples are turned into cider and Calvados , and dairies churn out pungent , creamy Camem ? ­ bert , Livarot , and Pont-l 'Evaque . Wine is produced in the countryside inland from Cete Fleurie . neutral +Soon Spain found itself the recipient of immense wealth in the form of gold and silver , and the Spanish rulers , eager for more , turned their attention away from the Mediterranean and Ibiza towards both the New World and the heart of Europe , where Spanish ambitions rapidly expanded . Spain was one of the first countries to go to the New World . neutral +Staying at the Metropole , he told me . " He turned to Julius . " He told me he was staying at the Metropole . " entailment +Grantees may also initiate representation of aliens in the unrestricted categories who are temporarily outside the United States , provided that they have been present sufficient to maintain and have not abandoned their residence or INA status . If an alien has not abandoned their INA status , they are partially eligible to be represented by grantees . entailment +She 's in her 20s . She is 53 years old . contradictory +um well i tell you what i think that uh you know this may this may be a cause rather the actual topic but uh i think that a lot of this is caused by the steady diet of violence they seem to I know it isn 't caused by all of the violence they see . contradictory +She cited differences between Level I trauma centers and community hospitals . She pointed out the differences between trauma centers and community hospitals entailment +The next he is snapping Shut up ! He 's tired of his students interrupting him constantly . neutral +The explicit purpose becomes finding out who among the young has ever indulged in the kind of experiment that both members of the Democratic ticket have acknowledged participating in themselves . It is likely that some Democratic members are lying about participating in the experiments . neutral +( 1 ) focus on determining how one or more prototypesor incremental versions function to define the agency 's requirements and ( 2 ) determine how the system development methodology used by the agency controls the prototyping process . They focus on how to figure out which system elimination methodology is best . contradictory +Mr. Beresford ? I am confused or inquiring regarding Mr. Beresford . entailment +Bose is the property of Amar Bose , a man long regarded as hi-fi 's most brilliant marketer but whose products tend to be built around a technical fad . Amar Bose contributes in the field of business marketing . entailment +At this organization , deviations from policies had to be documented in a letter signed by both the executive of the business group requesting the deviation and the central information security group 's manager . Deviations are frequently made . neutral +Bob Rowland Evans , Robert Novak , and Iraq-bound guest the Rev. They had a guest . entailment +These are the best places to see traditional Cretan dances and live music , and join in with local people having some fun . You can meet locals here . entailment +i used to go with my brother we just lived up there They would go shoot guns together . neutral +This wetland area covers a vast amount of mangrove swamp and has been turned into a nature theme park . The wetland area is being used as a nature theme park . entailment +The winged Victory of Samothrace and beautifully proportioned Venus de Milo . Different forms of art usually accentuate different techniques and features . entailment +Preferably without . Better without . entailment +Since GAO is still experiencing delays in mail delivery , it would be preferable if you sent your comments via e-mail to yellowbook @ gao.gov.To ensure that your comments are considered by the Advisory Council in their deliberations , please submit them by April 30 , 2002 . April 30 , 2002 , is the deadline as that gives at least a week for the comments to be read before the court case . neutral +Reporting supplementary stewardship information in two categories will not be deemed double counting . It is acceptable practice to report the stewardship in two categories . neutral +oh really oh there you go oh wow , there you go entailment +but i 'm i 'm disturbed by a country that attempts to be functionally bilingual at the official level I promote the choice to make the country officially bilingual . contradictory +Status achieved . I have not yet achieved this status . contradictory +If you bargain for a carpet in the Grand Bazaar you will get through two or three glasses of cay before a price is agreed . You cannot bargain for a carpet in the Grand Bazaar . contradictory +summer and and winter so that uh we you you became accustomed to it i guess but uh otherwise I prefer summer . neutral +Audit Objectives To determine whether or not the solicitation document is complete , clear , and consistent , verify that requirements continue to reflect user needs , and determine if the proposed evaluation process will result in an effective and economical acquisition . Steps are supposed to be taken in order to make sure the document is complete , clear , and consistent . entailment +see my situation 's really different because i always had an older brother that always worked on cars and he got into business and he only worked on one kind of car I have an older sister that works on cars . neutral +Sometimes you get what you pay for . What you pay for is directly correlated to the quality of what you get . neutral +The elders sat in the addressing room of Alvic 's home in the same seats they had sat in for three decades . The elders were at Alvic 's sitting in seats that were quite familiar to them . entailment +oh i believe i think so yes I am not sure at all . contradictory +It would be shorter once you got the hang of it . As someone writes experience would give them an advantage of getting more effective writing done in less time . neutral +That is the feeling that makes the children take out the broken tea pot and empty jam tin . There 's nothing that can motivate a child to take out a broken tea pot . contradictory +the that type of technology just wasn 't at people 's disposal People didn 't have access to that technology . entailment +Well , shopping is almost as good , said Tuppence dreamily . Well , buying stuff is almost as good , said Tuppence , fancifully . entailment +Among those wounded that day was the young man who would soon unite the Hawaiian kingdom for the first time in its long history . He divided the Hawaiians . contradictory +One of the most intriguing specimens of montane flora ( also found in the heath forest ) is the pitcher plant ( see page 125 ) . The Pitcher plant is most commonly found in valleys . contradictory +Stein 's story of their origin out of a trunk hidden in a desert cave was most intriguing . Stein 's story of their origin was never heard by anyone . contradictory +But when I asked my boss about the overtime , he told me I could walk out the door anytime . My boss did not like the idea of overtime . neutral +kind of sickly kids that has a lot of accidents The kids are accident prone and very sick . entailment +, family law , immigration law , etc . ) . Matters pertaining to accounting . contradictory +Large families lived in high tenements , sharing a well with hundreds of other families . Families lived in tenements and shared wells and bathrooms . neutral +well i 'm i spend a lot of time over in Park Central I 'm never over that way . contradictory +In its journal , Education Liberator , the Separation of School and State Alliance calls voucher supporters both fascists and socialists . Voucher supporters are called fascists and socialists in the Education Liberator journal . entailment +Gans is an amazing impersonator and an energetic showman who has mastered the art of entertainment . Gans is just starting out and has not mastered his craft . contradictory +features , two have concluded their runs . Two of the runs have come to conclusion . entailment +More palatable in its goal is the park 's Miyazaki Shrine , dedicated to Japan 's quasi-legendary first emperor , Jimmu , who reputedly commenced his glorious career in this region . The park has a shrine that is covered in gold . neutral +White stepped out of the dining car with a gun to my head . They stepped in the car and drove off . contradictory +Mr. Inglethorp is quite willing to leave it entirely to Mr. Wells and myself . " Mr. Inglethorp is happy to let Mr. Wells and me take responsibility . entailment +They reject the new property because it threatens their absolute control of the old . They want to maintain their absolute control , that 's why they reject the new property . entailment +Unresolved Issues Remain There are still issues to be dealt with . entailment +Never mind , he said at last , " we won 't say anything at present . He was completely silent . contradictory +and so it 'll it 'll be good in the long run well i enjoyed it I enjoyed it because it took so long to make . neutral +He was never identified . " There was no positive identification of him . entailment +Ask at tourist offices for information on bike tours of the city and outlying areas such as Fontainebleau . Tourist offices have information on bike tours for the city . entailment +oh yeah every Saturday night Sometimes on Sundays as well . neutral +It can be visited by guided tour only , arranged upon the purchase of your ticket at the museum entrance . After your ticket purchase at the museum entrance , you will get a guided tour only . entailment +ACI hardware is comprised of relatively common mechanical components and is largely made of steel . ACI hardware is mostly bronze . contradictory +The Postal Service commented that , in its view , legal constraints would not preclude a contract mechanism in principle , but that no such arrangement would be permissible without the Commission 's participation in accordance with 39 U.S.C. They said it was a completely legal thing to use in a contract but that it did require approval by the Commission . entailment +yeah what line of work are you in now since you went to school and What are you doing for work now ? entailment +But while she got plenty of media attention , her story was widely dismissed as irrelevant under the Ozark Exemption , or as the nattering of , in the words of Newsweek ' s Evan Thomas , some sleazy woman with big hair coming out of the trailer parks--a remark for which he later apologized . Evan Thomas said she looked like a slut . neutral +yeah the uh the we were shocked two mornings ago with uh the news that a forty year old man had sold his three year old son for forty dollars worth of crack We found it normal that adults could sell their children for drugs . contradictory +An electronic signature is a method of signing an electronic message that ( 1 ) identifies and authenticates a particular person as the source of the electronic message and ( 2 ) indicates such person 's approval of the information contained in the electronic message . An electronic signature is a method of signing an electronic message which authenticates a particular person as the source of the electronic message . entailment +If Hatch and his party want to try to proscribe race-conscious policies by democratic means , nobody 's stopping them ( from trying , that is ) . Hatch and his party can try to proscribe race-conscious policies by democratic means if they want . entailment +Family pictures , friendly photos , corporate ID badges ... ' As of this moment , he is the most wanted man in the city . ' No one knew what the man looked like . contradictory +I 'm sure , go have fun , said Jon , answering her unspoken question . Jon was sad to let her go but knew it was for the best . neutral +One of the most stupid errors that LSC made as we kicked off an era of planning was not to take the time-and expend the energy-to make other offices and units within our own organization understand the importance of what we were doing and their vital role in helping promote and develop world-class delivery systems . The LSC was so worried about getting the job done , they neglected to tell their employees why it was being done . neutral +well they feel invulnerable invulnerable to uh They feel vulnerable . contradictory +planned and actual progress in the design and coding of software units can be displayed . You can view the roadmap for the development of the software . entailment +As we went home , Mary Cavendish spoke bitterly against the prosecuting counsel . Mary was appalled by the vile accusations set forth by the prosecution . neutral +right well and i think uh you touched on it you know you 've got to start them at the home I think you mentioned it ; you have to begin when they are at home . entailment +His influence was like a rock dropped in a its ripples are still spreading , says the New York Times ' Vicki Goldberg . His influence has dwindled greatly since he became popular . contradictory +so we put uh white cedar shingles on the house and let it weather naturally We put black oak shingles on the house . contradictory +The natural spark of joy within young people . They were proud of what they were able to accomplish . neutral +The bough creaked and swayed in a nasty fashion , and it didn 't do to think of the drop below , but at last I got safely to where I wanted to be . Thinking about how far I could fall would have been helpful . contradictory +You soak that rot-gut out of you , and mind your tongue while you do it ! Stop talking about me right now ! neutral +The Biltmore Hotel ( 506 South Grand Ave . ) , which opened in 1923 , is the grande dame of all the downtown hotels . The hotel on 506 South Grand Avenue opened in 1266 . contradictory +While current films are still shown here , the real attraction is the exterior courtyard , where autographs , hand-prints , and foot-prints in cement commemorate Hollywood 's greatest celebrities . The main attractions are the current films that are shown . contradictory +The appropriations language that regulates the scope of representation that may be provided by LSC recipients to aliens provides LSC recipients provide representation to aliens from a sense of compassion and duty . neutral +However , the outstanding feature is the archaeological garden , an outdoor display of relics from some of the oldest places on the island tombstones , pieces taken from important buildings , and two splendid early-16th-century stone Manueline windows ( pick up the Quinta 's own leaflet for information on these ) . The archaeological garden contains only the mummified remains of archaeologists that have been trapped there over the years . contradictory +and if you get one of those false negative reportings and and you 're fired from your job that 's going to carryover into other jobs um no matter um you know if it 's truth or not so yeah it can stick with you for a long time False negative reports can affect the rest of your life . neutral +uh a lot at at the store at at at or in record stores you 'd There aren 't any at the record store . contradictory +course through this i think that they 've helped a lot of people also uh a lot of people have ended up going uh to treatment you know which is offered i think at most government places i know it is at TI do you work for TI Lots of employers don 't offer drug treatment programs . contradictory +As discussed in section 3 , increasing national saving boosts investment and economic growth . Boosting the economy will make our country better neutral +it is i i love it i i in fact i was in Texas for a little while and i liked uh the barbecues and the Mexican food I 've never been to Texas but hear they have great food there . contradictory +This time Adrin shot first , dropping one of the horses of the riders . Adrin dropped one of the horses of the riders . entailment +You 'll see gaggles of geese and ducks waddling along the riverbanks , burdened donkeys treading steadfastly homeward , and oxen compliantly tilling the fields . Gaggles of geese and ducks can be seen waddling along the river . entailment +Both interest earnings and interest expense are included in the trust fund balance . Interest is not included in the trust fund balance . contradictory +The primary goal of this system is to base employee compensation primarily on the knowledge , skills , and performance of individual employees . The system is unjust neutral +Weather obsessives shop on the Web . People who are obsessed with weather go shopping online . entailment +I 'll do what I can . I will try my best . entailment +Tuppence gave herself over to new meditations . Tuppence is trying new forms of meditation . entailment +This is the old farmer 's market ( mercado payes ) where friendly fruit , vegetable , and flower sellers set up their stands . The typical market products like fruits , vegetables and flowers can be found at the old farmer 's market . entailment +I got it from the principal of the college there . " An unformulated dread swept over Tuppence . I received it from the principal . entailment +In the cities , the cathedrals , palazzos , monumental public buildings , and open-air piazzas are planned as if harmonious elements in unrivalled stagesets . There are more cathedrals than open-air piazzas in the cities . neutral +i like him I wish there were more like him . neutral +ha ! " Albert 's hand stole to his pocket . Albert brought his hand to his pocket . entailment +My dear Evie , do be careful . Relax and forget about it , Evie . contradictory +It is a wide arc of sand , shallow and sheltered . The arc of sand is deep and in the open . contradictory +The person who had left the candle grease on the floor ? No one left candle grease on the floor . contradictory +To the right of the entrance to the choir there is a lovely statue of the Virgin and Child . Michelangelo created the Virgin and Child statue . neutral +I could have cleared him ” though it might have meant a failure to convict the real criminals . They were afraid of not getting the real criminals and let an innocent man go to jail . entailment +It has been popular with British and Dutch visitors for many years , and many British people have chosen to become permanent residents . German visitors also make up a large number of those who come to stay . neutral +Here 's a place we might start . You could maybe start here or another place . neutral +It provided a forum for sharing how programs can build bridges with other equal justice providers and explored the need for creativity in forming partnerships and collaborations that may consist of unusual associations . It was a place for discussing how bridges can be built with other equal justice providers . entailment +oh yeah that did it to New England a couple years ago didn 't it That happened to New England a month or two ago . contradictory +First is the pseudomoderate 's If both sides are mad at us , we must be doing something right . If both sides are made , we must be doing things right . entailment +right that that that 's real good and i and i bet it gives you a real good feeling to be doing that That 's not very good , you will regret that . contradictory +Neuendorf , for one , says he expects the Web to drive art prices through the roof . Neuendorf says he thinks the internet will make art prices go up . entailment +Therefore , he supported including community hospitals in research efforts . He didn 't support community hospitals being included contradictory +She started to yell , then saw my expression . She couldn 't see the look on her face . contradictory +The result is that L.A. is a place without a geographic heart , but with lots of soul . L.A. has no geographical heart . entailment +uh oh uh oh i think we 're supposed we 're supposed to hang up We have to stay on the line a bit longer . contradictory +but then they also have property taxes and they also have sales taxes and they just and they just get you every direction they can The gas tax is extremely high as well . neutral +and it also teaches them spiritual warfare you know so You know , it also teaches them spiritual warfare . entailment +Highway 1 from Jerusalem to the Dead Sea descends into the barren , softly sculpted mountains of the Judean Desert . Take Highway 1 to get to the mountains of the Judean Desert . entailment +Today , however , the main arts festival is only part of a veritable circus of summer activities that seem to turn the city upside down . There are more events than the main arts festival at the city this summer . entailment +For Johor , astute , tough-minded Sultan Abu Bakar avoided protectorate status by going to London to negotiate a straight alliance , getting a Consul rather than a Resident . Sultan Abu Bakar was a poor negotiator and found himself under London 's direct rule . contradictory +whatever time he gave said oh it would take me about just about four hours because it was only about like eleven or twelve hundred square feet over there He told us it would take him around four hours . entailment +Brunelleschi 's design was never completed but the interior preserves the spatial clarity of his Corinthian-capitaled colonnades . Brunelleschi 's completed design can be seen in its original condition today . contradictory +Our task is to give some alternative meaning to the [ language ] that avoids this consequence . We do not have a task . contradictory +This must be Prudie 's week for identifying with her correspondents , for she could not agree with you more . This is not Prudie 's week she can 't agree on anything . contradictory +It 's equally true that Republicans cynically oversimplified Gore 's statement about the Internet . Republicans over complicated Gore 's statements on the internet . contradictory +Search engines , for example , are in the reptilian phase of their evolution . Search engines , for example , stopped evolving at all . contradictory +The heart of Asakusa , in turn , is Sensoji ( also known as the Asakusa Kannon temple ) . Sensoji is very popular neutral +Hong Kong by night can suit any taste riotous , sedate , raw , or cultured . Hong Kong by night is quite unappealing to anyone and everyone . contradictory +What that lender has done is in effect to give you a put option on whatever you buy with that trillion dollars . The lender knew they would do what they wanted . neutral +The state and local gateway was designed to give state and local government officials and employees easy access to federal information , and includes a link to a Laws / Regulations page that organizes the information by topic ( e.g. The state and local gateway is not to be used by regular people . neutral +the dancing i 've i 've kept up with because you know you don 't have to well you don 't have to get a lot of stuff out you know I have kept up with the dancing because it doesn 't require much . entailment +Identifying problem lack of sensitivity of the two-question drinking test . The three question drinking test has lots of sensitivity contradictory +Then he reminded me of something I had said to him at 186 Manchester respecting that bogus telegram which lured Miss Cowley away . Miss Cowley had been taken away by a fake telegram . entailment +Starr fought off the linkage , telling reporters that his criminal investigation was independent of the civil litigation . Starr confirmed the linkage to reporters . contradictory +There is no requirement for such an evaluation where Congress has eliminated the agency 's discretion by precluding any action other than the one announced in this notice . No evaluation needs to be made where Congress has eliminated the agency 's discretion . entailment +No one spoke . They were all too afraid to speak . neutral +These procedures are contained in the Federal Information Processing Standards ( FIPS PUB 186 ) . There are no procedures in place for information processing . contradictory +i like US News and World Report at one time or another i 've taken them all for a year i believe in giving anything a chance I don 't like to try new things so I haven 't taken them . contradictory +One more anti-Giuliani screed or an actual comment on the question at hand ? There are no anti-Guilaini comments . contradictory +they they they might the the Baltic States might be feeling the same way that our forefathers felt when they were leaving to come here The journey to get here isn 't an easy one . neutral +The New York Times notes that the Renaissance musicologist is expected to continue with the former president 's plans , though in a more harmonious manner . The NYT says the Renaissance musicologist will continue with the government 's plans peacefully . entailment +The sixth version of the classic cookbook occasions nostalgia for the 1931 original . The classic cookbook occasions nostalgia only had five versions . contradictory +You may not proceed further than this , for at the far end of the oratory are the naijin ( inner chamber ) and nai-naijin ( innermost chamber ) , where the spirit of Ieyasu is enshrined . Everyone is welcome to enter the nai-naijin , or innermost chamber . contradictory +He wiped his hands on the breechclout . The breechclout made a handy napkin for his hands . entailment +The only thing worse than a cacophony of special interests plastering their views all over the nation 's airwaves and legislation is a single special interest that owns the ballot box--and knows how to make itself invisible . One special interest that has a lot of control is very scary . entailment +Adrin fought San 'doro the next day . They fought each other . entailment +well i 'm good i 'm glad well thank you you have a good day bye-bye I appreciate your time . neutral +Hatch : Kyoto Accords could add $ 3000 to everyone 's fuel bills . The Kyoto accords could affect people 's fuel spending . entailment +This is the oldest theatrical form , strictly speaking , and also the most austere and demanding . The oldest form of theater is the easiest to perform . contradictory +He 's a likable schnook with a long , skinny chin and a slightly embarrassed lope . He walks like a caveman . neutral +oh i like it i i i have a foreign actually i have more than one foreign automobile and i i i find the uh i find the the nondecimal system with all the halves and quarters i was trying to build a shed and they give you these measurements like forty two and three eighths inches and we had to go a little less and trying to figure what 's less than three eighths uh I had to get a calculator to help me convert some of the non-decimal numbers . neutral +But consider the evil done to the truth by the good anti-tobacconists . There are good people who are against tobacco . entailment +Tokyo is a city of enormous creative and entrepreneurial energy , much of which goes into reinventing itself . Tokyo is always undergoing some kind of creative change . neutral +Evidence should be sufficient , competent , and relevant to support a sound basis for audit findings , conclusions , and recommendations . Evidence should be relevant to be used in audit findings , especially in health care . neutral +Just who is in charge , anyway ? With so much chaos , it was hard to find out who was giving orders . neutral +i don 't know um i think it covers a portion because like i said my sister lives over there and they they just they just never have to worry about it i think it might not cover full dental but it does cover some and again it covers you know It doesn 't cover full dental , but it covers regular checkups and cleanings , I think . neutral +yeah it looks like it 's come close to that as it is It looks like it 's close to popping . neutral +Pubs were once where men went to escape from women , but times have changed . Pubs still only let men in . contradictory +designated strategic human capital management as one of the federal government 's high This act designated strategic human capital management as one of the Federal government 's highest priorities . entailment +In such circumstances , auditors may issue a limited official-use report containing such information and distribute the report only to those parties responsible for acting on the auditors ' recommendations . Auditors can issue a limited use report under certain conditions . entailment +this one here is just sweet This one is not sweet at all . contradictory +Esquire ' s face time with the reclusive Clarence Thomas . Clarence Thomas spoke to Esquire over the phone . contradictory +then i used to but that 's only because my mom just started working so she 's tired when she comes home in the afternoon so i try to have things cooked for her but I don 't try to cook things for my mom . contradictory +She would meet Julius , persuade him to her point of view , and they would beard the lion in his den . She is not entirely sure that her point of view is better than Julius 's . contradictory +His battle with Patriots owner Bob Kraft was . It was a battle over copyright law . neutral +In endangerment cases , at least , the study seems to accept this explanation . The study accepts what they 're saying bout child endangerment laws . neutral +The seafood along this coast is especially try the reasonably priced lobster and giant periwinkles . In this coast you cannot find a single seafood restaurant . contradictory +That first glimpse of the towering , steepled abbey rising from the sea on its rock is a moment you will not forget . You will soon be unable to recall having seen the abbey . contradictory +7 billion per year in willingness-to-pay values for averting premature fatalities . To prevent premature deaths there is 7 billion per year . entailment +A narrative description of major research and development programs shall be included . A commentary of major research and development programs entailment +For example , case studies are not well suited for answering the question , How often does something happen ? Case studies are not good ways to answer the question of how something happens . entailment +And all this business fiddles out . There were many reasons the business fiddled out . neutral +i think so too they plaid Duke and uh Duke has a lot to uh to atone for here last year that lost to Vegas in the finals by thirty points UNLV lost to Duke in the finals last year . contradictory +Since its attractive bricks were carried off to build houses in the town , only a platform of the Main Shrine , which once marked Buddha 's dwelling place during his stay at Sarnath , remains . The bricks from the shrine that were used to build houses were ugly . contradictory +Then head northeast of town to the Renon ( Ritten ) plateau for views of the Dolomite peaks , reached by cableway and rack railway . The rack railway is cheaper than the cableway . neutral +so she 's been getting hearing about the the different calls and i 've i 've been in the middle of tests and stuff so i keep you saying oh press three I have been taking different tests , amongst other things , recently . entailment +well and i think that 's maybe what i like about it in that so many of them are totally enclosed So many of them are open and I don 't like it . contradictory +Therefore , you 're the real jewel thief ! Because of these reasons , you stole the jewel . entailment +The first day I showed up at Legal Aid , I interviewed myself , he said . He said that he interviewed himself on his first day at Legal Aid . entailment +I can 't sleep . I am awake . entailment +'Now , Mr. Franklin . ' 'Now , Mr. Franklin , it is your turn . ' neutral +ISSUED BY THE FEDERAL COMMUNICATIONS COMMISSION ENTITLED AMENDMENT TO THE COMMISSION 'S RULES REGARDING A PLAN FOR SHARING THE COST OF MICROWAVE RELOCATION , FIRST REPORT AND ORDER AND FURTHER NOTICE OF PROPOSED RULE MAKING ( WT Docket No . It was issued by the Federal Communications Commission . entailment +Similarly , available supplies of piping , nozzles , pumps , soot blowers , fans , and other related standard component necessary for SCR , FGD or ACI installations are not expected to present constraints on the ability of facilities to install the technology . No suppplies are needed for installations because of donations . contradictory +On the eastern peninsula tip is Folly , the remains of a large mansion surrounded by legend and mystery . The remains have not been thoroughly investigated due to the horror stories . neutral +It 's called offset behavior . It might be called offset behavior neutral +but the second one 's just it 's more it really hardly has anything to do with the kids it 's more about their relationship and they 're just always fighting and they break up and they you know get back typical you know The second one was not half as good as the first one . neutral +Won 't you come out to play ? A person wants to play . entailment +one of the two that 's right that 's right i don 't know i just i know you know i look at some of the millions of dollars that we you know give to other countries every year We give millions of dollars to other countries every year . entailment +yeah that 's that 's a great deal what law school 's like That is not similar to law school in any way . contradictory +so uh Colorado 's been fun but they have a real problem Colorado was fun , but has a real problem . entailment +Negotiated rates-unaccompanied by a change in service conditions that provides cost justification-are a problematical approach to introducing additional flexibility into Postal Service business practices . Negotiated rates encourage flexibility in the Postal Service but the cost justifications are hard to ignore . contradictory +But I want the right to look after you , and take care of you . " " Taking care of you and looking after you is my fondest wish . " neutral +The decline of these territories was drawn out and painful , leav ? Ωng problems in its wake that have been the source of trouble and friction in the Balkans and the Middle East ever since . Subsequent problems in the Balkans were caused by the decline of these territories . entailment +yeah i mean if out out of all the Democrats that i could think to run i would he is one that i would i would definitely like to see Out of all the liberals , he is my favorite . entailment +Do you remember ? " Tommy chuckled . Tommy looked stone faced forward and said nothing at all . contradictory +Spanish-colonial touches such as garden patios , shaded balconies , and adornments of wrought iron gave the area its almost Caribbean air . The Spanish-colonial touches date from the earl 1700s . neutral +No , you are right , he said , " it is not as though there was a blood tie . He disagreed because he thought there might be a blood tie . contradictory +Baracoa became the first of seven settlements across Cuba . Baracoa was a settlement in Cuba . entailment +Second , the Slate 60 list does not attempt to weigh the merits of different charities . The merits of each charity are clearly defined in the list . contradictory +This sweet and fairly mild potion is by and large a homemade product that is blended with herbs and sold in old bottles . The homemade products are sold in new bottles . contradictory +Trying to plan a weekend getaway for our anniversary has been particularly trying , as his parents would be upset , and he refuses to lie to his parents about where he is going . It has been hard to make plans for a weekend getaway . entailment +Who ? asked the normally silent Patient on the Specialized Life Support System . The normally silent patient spoke up to ask , ' who ? ' entailment +The royal chateau of Blois is interesting for its variety of styles ' ranging from the 13th to 17th centuries ' built around one central courtyard . Too many different styles are used . neutral +Reich has replaced a dull , earnestly wonkish hearing with a Hollywood script in which a mean Republican hammers a decent Democrat . Democrats and Republicans will soon resolve all their issues and unify into a national , political monopoly . contradictory +They had never seen water run like this , Jon realized . Jon realized they had never seen water run like this . entailment +They threaded their way to the cantina where the officer dismounted and went inside . The officer sat down for some food in the cantina . neutral +The liveryman knew the signs . The signs bewildered the liveryman . contradictory +So let 's recognize this current enthusiasm for currency unification as what it an intellectual fad , not a deep insight . People are only floating this idea because the economy isn 't doing well . neutral +I hope not . That 's not where my hope lies . entailment +I don 't think I can have noticed it . " I definitely saw it , one hundred percent . contradictory +The Postal Service complied with this requirement early in 1973 , and a Domestic Mail Classification Schedule recommended by the Commission became effective on July 6 , 1976 . A Domestic Mail Classification Schedule was mandated by Congress . neutral +he seems to have lost his steam in in that direction and you know he seems to be repressing his own people again and i don 't think that i think that a lot of the the forward progress that was made came to a halt you know in the middle of that Persian Grulf Gulf crisis He lets his people do whatever they want . contradictory +tend to be hypercritical of these things and then perhaps perhaps it 's unfair because i i i must admit i enjoy these movies um I am not critical of the films I watch . contradictory +Romantics go at the dead of night , to be alone with its illumination . Going in the summertime you will find many couples admiring the lights . neutral +Although the campus has grown and now occupies sites all around the city , the streets here have cheap eateries , stores selling eclectic clothing , and bookstores ; James Thin , on South Bridge , is the largest bookstore in the city . The campus is shrinking each year . contradictory +Thought I saw somethin ' movin ' over there ! Drew took a scrambling leap out of the water to their tangle of clothing , his hand reaching for one of the Colts in the belt he had left carefully on top of the pile . Drew paid no mind to the creature moving in the distance . contradictory +It is only one hour from Paris by TGV and is the ideal gateway for a tour of the vineyards to the south or a drive around the pretty Val-Suzon to the north . The travel time to get from Paris by TGV takes about 60 minutes . entailment +i love those movies I would watch those movies all day long . neutral +As in America , British news organizations offer a wide variety of information to Web surfers . Web surfers can 't find any information on British news organization . contradictory +you know sent in the forms etcetera and uh so forth Four forms were sent . neutral +On March 22 , 1996 , OMB approved the information collection and assigned OMB Control The OMB disapproved the OMB control . contradictory +The same technology is already used safely in hospital radiation-therapy units and plants that sterilize medical products . This technology is nearing final approval for use in radiation therapy and potentially even industrial uses . contradictory +huh-uh oh what kinds of things do they uh show What kinds of things are shown ? entailment +In Palma , the shops Can Bonet and Dana sell fine handmade embroidery . There are embroidery shops in Palma . entailment +The Ridge leads past the Neo-Gothic , Anglican Christ Church , where the bells are made from the brass of cannons captured from the Sikhs . The Sikhs had plagued the Anglicans for decades before their downfall . neutral +Istanbul owes its long-held historical significance to a stra ? ­ tegic location at the mouth of the Bosphorus . The mouth of the Bosphorus is of no significance historically . contradictory +it was nice talking to you too and we 'll probably be talking to you again okay okay bye-bye It 's likely we 'll be speaking to you again . entailment +you don 't want to see it it 's like three hours long and it just drags on forever You wouldn 't want to see it , because it is three hours long and just drags on forever . entailment +Large areas of the site have been excavated and the archaeological museum houses a comprehensive collection of finds from the site . Only a small area of the site has been excavated . contradictory +Red said , carelessly , " He 's around somewhere . " He 's in the vicinity of the obelisk , " Red said . neutral +I would like to clarify a point I made in an E-Mail to the Editors that Slate published last week . Slate never published the E-Mail I sent to the Editors . contradictory +Two universes join , and the result is a nucleus world surrounded by a shell , like an egg . A nucleus world surrounded by a shell is created from two universes joining . entailment +Then explore the old houses , wells , and courtyards in the town 's narrow lanes leading back down to the Place du Champ-de-Foire . The narrow lanes of the town are dangerous at night . neutral +The jerk I gave was too much for that 84 rotten old branch . The old rotten branch was about to fall off on its own . neutral +A summary of the notice was published in the Federal Register ( 59 Fed . It was published in the Federal Register because the government wants everybody to read it immediately . neutral +i oh we we watch those award shows too we like we enjoyed watching the country and the Grammies and stuff but i just i just don 't care for him i just never have i don 't We never watch the award shows . contradictory +In any case , you can 't miss it arrows indicate color-coded itineraries within the museum that showcase the myriad marvels to see en route , a remarkable degree of which is overlooked by time-restricted visitors on a mission . Visitors with plenty of time never miss anything in the museum . neutral +Only a small proportion of the harvest goes into wine-making ; they prefer beer and rakia . This is because they make shitty wine . neutral +Religion and respect for parents has not yet gone out of fashion . Religion and respect for parents is still alive and well in American society . neutral +Deep valleys with babbling brooks and wooded copses give shelter to the small Lakeland communities . There were no communities able to flourish in this area . contradictory +uh-huh uh-huh you did well i i venture to say your you and your kids if you have any would enjoy the Amiga better If you have kids you would probably enjoy the Amiga better , it 's just a better deal . neutral +They pledged to alert each other to nuclear weapons tests or accidents . They chose to keep nuclear weapons tests or accidents secret from each other . contradictory +Either way , it 's a plan that makes sense . That plan makes sense . entailment +um if they air dry them or heat dry them it dries it right on it and that 's terrible It is not good to air dry or heat dry . entailment +Then Israeli police said they had arrested an armed Palestinian squad in the process of abducting an Arab land dealer , evidently for execution . The Israeli police allowed the armed Palestinians to run free and wild . contradictory +Rothschild 's lack of familiarity with evolutionary theory may not be obvious to uninformed readers--his book bristles with ostentatious footnotes and seemingly learned references . Rothschild 's lack of familiarity with evolutionary theory is pretty obvious to uninformed readers contradictory +( Many Russian firms maintain subsidiaries in Cyprus , the Nassau of Europe . Cyprus is popular to Russian firms because of their tax laws . neutral +To reach the Galata Tower from the top station , turn left out of the exit and immediately left down a very steep road . There are alternate routes to get from the station to Galata Tower . neutral +The preamble to the final rule contains an explanation of the need for the information and the burden estimates relating to each section of the rule . The preamble of the final rule has no explanations at all . contradictory +Of course , we 're still in the solar atmosphere , even there , with the Van Allen belts and such things . That location , where the Van Allen belts are , is still in the solar atmosphere . entailment +Emergency intervention to break the cycle of drunken driving and recurrent injury . Emergency intervention is the most effective means of combating drunken driving . neutral +It disoriented him a little . Although he feels disoriented he is still perfectly fine neutral +ah that 's what my that 's what my garbage man does I handle every aspect of my trash management myself . contradictory +" I 'll go get Hamilcar . Hamlicar is just over there . neutral +uh originally i didn 't think it was i thought that what ended you know we ended up doing was uh doing all of the secretarial work and the secretaries had nothing to do We had a job and we worked with secretaries . neutral +The two of us stepped out of the copter- the silent pilot chose to stay with his ship , which was presumably his only friend . The pilot came with us when we left the helicopter . contradictory +And the BBC , which is adding five people to its 10-person Web operation , plans to provide live audio and video streams on election night . The BBC is adding three new people to its 15-person Web operation . contradictory +A tour of the interior reveals a strong and efficient design . The interior design is incredibly inefficient . contradictory +Special care should be used to prevent any toxic materials from coming in contact with the seawater being used to generate the brine . Toxic materials can be introduced to the seawater if care is not taken . entailment +i tried to cover it with white and it was quite a a feat getting that dark color covered and then just the hassles getting around the cabinets and know if i look underneath my cabinets i 'm not satisfied with the jobs i i did on it because there 're splotches While I tried using white , it did not go as planned . neutral +I backed up , toward the kitchen counter . I backed away from the kitchen counter . contradictory +In the mid-1980s , Wynn began plans to reinvigorate Las Vegas with a new resort . Wynn began plans to reinvigorate Las Vegas . entailment +It was curious that Julius , who was undoubtedly much cleverer than Tommy , did not give her the same feeling of support . Julius gave her a greater feeling of support , in addition to being more clever than Tommy . contradictory +In 1995 the gallery and London 's Victoria and Albert Museum jointly purchased The Three Graces , a sculpture by Antonio Canova that was in danger of being sold abroad . Antonio Canova made a sculpture called The Three Graces . entailment +However , any available documented evidence supporting this explanation must be provided simultaneously to allow for verification if it materially affects the content of the report . There is no available documented evidence . contradictory +Next to the station 's south entrance is an excellent tourist information center . Most of the tourists that travel will demand information from the center . neutral +While they have pushed hard for open skies policies in Japan and Europe and lobbied hard against government antitrust intervention , they have been more than happy to use the legislative process to protect what amount to sinecures . Japan and Europe did not use the legislative process . contradictory +Well , I guess I have already crossed the line and gotten into some specifics of the R20001 case . I have gleaned details about the R20001 case . entailment +The only must is Venice itself . Venice is the only must-visit city . entailment +but uh so this uh French i guess are into the slapstick i guess so they would like Jerry Lewis yeah The French hate Jerry Lewis and all slapstick films . contradictory +The modern building wins few admirers , but there is a free tour ( Sunday and Thursday , 8 : 30 a.m. to 2 : 30 p.m. ) and you can watch the debates ( Monday through Wednesday , 4 : 00 to 7 : 00 p.m. ) . Passports needed for both . Everyone liked the old building better than the modern building . neutral +no i don 't either i just don 't have any interest I am simply not interested . entailment +The entire analysis , which was included in the regulatory impact analysis , was available for review in EPA 's public docket . The EPA made the entire text publicly available . entailment +There is a Histobus service from Marseilles and frequent boat tours from the charming town of Cassis , about 20 km away . The boat tours from Cassis are renown for their alcohol-friendly attitude . neutral +You can either fly into Nagpur or , if you 're coming from Khajuraho , take a train to Jabalpur and continue by road . When traveling to Nagpur from Khajuraho , you can take a train to Jabalpur and continue by road . entailment +For the scientifically minded , there 's a great deal to learn painlessly in the Cite des Sciences et de l 'Industrie at La Villette ( see page 72 ) . Hundreds of years of scientific progress could be analyzed at this place . neutral +We are not ready to stop believing that we can build a world-class legal services delivery system in both of our countries . We still believe we can have an excellent legal services delivery system in our countries . entailment +He merely drew attention , correctly , to the damaging fact that Dukakis had tolerated a furlough program for especially violent criminals in his state even after a horrific incident strongly suggested this was a bad policy . Dukakis was an advocate for violent criminals . neutral +Joseph Ralston , and Robert Mapplethorpe 's bullwhips . Joseph Ralston , and Robert Mapplethorpe 's bullwhips people into attending . neutral +If we could make ourselves known , people might hire us to commit crimes for them . " People might pay us to commit their crimes if they only knew who we were , and where . entailment +In the throes of giving , Rockefeller wrote to an Rockefeller was in the throes of giving to charities . neutral +Parole , Captain , signed and made out properly , Topham reported . Parole , Captain , but it isn 't signed right at all , Topham explained . contradictory +Adrin 's eyes focused sharply but then relaxed and seemed to watch something far away . Adrin was looking off into the distance . entailment +Jerusalem has the widest range of goods and types of shop that you 'll find anywhere in Israel . Jerusalem has the worst selection of goods and types of shop in all of Israel . contradictory +It is then covered in the paste that gives jerk its name , placed on a rack over the pit fire , and turned every few minutes until it is ready . Jerk 's name is derived from the paste it is covered in . entailment +Throughout Jerusalem , other spots important to Jesus 's life were commemorated with religious structures . Jesus 's life did not have any important spots in Jerusalem . contradictory +oh okay then you probably know even more than i do You likely know more than me . entailment +Observations , preliminary conclusions , and potential recommendations that flow from the factual information collected may be discussed but are not provided in writing . Observations come from the information that is gathered and can be discussed but not put into writing . entailment +Did th ' Yankees run ' em in , then they was unlucky Reb scouts . The Yankees outnumbered them ten to one , easily . neutral +just by watching what i ate and they fix you up with a diet which worked real good I was careful with what I ate . entailment +'Benjamin Franklin has been dead for several hundred years . It didn 't make sense that Benjamin Franklin was dead . neutral +yes they 're only i was reading something about it the other day i think there was only like six or eight countries in the world that have capital punishment still There was only like six or eight countries in the world that still have capital punishment entailment +It assumes for cost-of-service areas ( where most of power sales are likely to occur ) that allowance allocations will not alter pricing of electricity . Allowance allocations will definitely not alter the pricing of electricity in cost-of-service areas . neutral +When you wanted to shop , you went to the mall and confined your search to the stores you found there . The mall was only one of many places you ended up shopping at . contradictory +Adopting a teams-based approach to operations can improve employee morale and job satisfaction by creating an environment characterized by open communication , enhanced flexibility in meeting job demands , and a sense of shared responsibility for accomplishing agency goals and objectives . Management often do not consider using a team-based approach because of the time and energy needed to implement the program . neutral +Some monuments celebrate heroes , commemorate victories , honor kings or saints . Monuments celebrate heroes , victories , kings and saints . entailment +Bolshevist gold is pouring into this country for the specific purpose of procuring a Revolution . The Bolshevist gold entering this land is not for revolutionary purposes . contradictory +He thought there were many opportunities through other organizations that should be tapped . He was encouraged by the number of possible opportunities . neutral +i think he 'll be okay once he gets on I think he will have no trouble with the job . neutral +To this end , OPP has built systems for determining the effectiveness of our strategic initiatives . OPP aims to determine the effectiveness of our strategic initiatives . entailment +golly so that 's pretty that 's pretty good That is pretty good . entailment +right yeah i 'd i 'd probably i 'd probably get cable but i 've got we got the the three networks and two local stations and that fulfills my needs because i don 't watch TV that much anyway anymore anyway I want cable because what I currently have does not fulfill my needs . contradictory +8 . Dunn CW , Ries R. Linking substance abuse services with general medical integrated brief interventions with hospitalized patients . Substance abuse needs to be researched neutral +That led me easily to a box score , photographs , a game summary , half-a-dozen audio clips of post-game interviews , a 10-second QuickTime movie of the Bruins running a fast break , a comprehensive scouting report on both teams , and an online chat room where Bruins fans were whooping it up . All those things were found on an old and forgotten sports website . neutral +Debt payments can be as low as $ 300 a month and as high as $ 2,000 . The amount of a debt payment ranges from hundreds to thousands of dollars . entailment +and in fact i found that i 'm a lot closer with uh i have one son who 's gone and i don 't even know where he 's at um he 's taken off for parts unknown but uh yeah and and uh my He 's travelling the world . neutral +As a result , our estimates are based on the best available methods of benefits transfer . Something led to the estimates being based on the best available methods . entailment +The Comparative Method in the Social Sciences . The method finds differences in outcomes . neutral +you know it an ounce what do they say an ounce of hind sight is worth you know whatever whatever they they You know the saying , an ounce of hind sight is worth whatever . entailment +then and she laughed and she said well you know when i was a teenager that had been you know some years before she said that was a version of you know a song then and she said it 's very similar but they 've changed a little bit she said i like the original version better well they did it again about two or three years ago and i laughed again i said oh no here we are We laughed and talked about our twenties . contradictory +But the semantics are important . Semantics is one of the most important aspects of a debate . neutral +uh-huh um you know there 's real no no no real dress code where i work um you see people wearing you know all different attire i um don 't like to wear heels that really tires me out i work in a big building Theres no dresscode , but i like to dress nice entailment +Swimming is a natural first choice . Swimming is an unlikely choice to make . contradictory +Program officials took steps to ensure that manufacturing aspects of the product were included in the design , including empowering a product leader with a manufacturing background , identifying the key characteristics and critical manufacturing processes early , making design trade-offs to enhance manufacturing capability , and demonstrating a robust design to make the product less vulnerable to variations in manufacturing process . Program officials took various steps to include manufacturing aspects of the product in the design . entailment +The heart of the New Cityis around Kikkar Zion ( Zion Square ) , where shops , restaurants , and hotels are great attractions for tourists and locals alike . Kikkar Zion is the busiest part of the city . neutral +SYMPATHETIC INK ! " The ink preferred by intelligence agencies the world over . neutral +are they 're very active right now but they 're seventy five and and seventy two so that comes up somewhat more often in my thoughts as i see these things because of their age Considering they 're in their seventies , I think about their activity a lot . entailment +On the third day , the ambitions of both professors - their own , as well as patriotic and academic became apparent , as well as and their competition for the affections of a certain Polish-Lotafrankish speaking and very blond assistant at their disposal from the university in Laronne . The assistant was at the university in Laronne . entailment +he plays the it 's a euphonium it 's like a small a really small not a tuba but i think it 's hard to explain i never had known anyone to play one before but it 's kind of like a small small tuba but it 's not the kind that sits up on your shoulder It 's very small . entailment +She said you told her it was because you had been awakened during the night and didn 't go back to sleep . You had not spoken to her for awhile . contradictory +Portions of the data from a few pay periods were not usable . Over half of the data ended up being unusable . neutral +Participants stressed the importance of independence , both in fact and appearance , as essential for the board to be able to fulfill its responsibilities . When it comes to fulfilling responsibilities , independence is paramount . entailment +are are you at the point where the the mainframe appears slow to you relative to your personal computer given the the ratio Does the mainframe seem like it is faster to you ? contradictory +um we want to see Godfather Part Three also but my my girlfriend 's seen part one and part two although she saw them years ago but i 've never seen either of the first you know My girlfriend and I have already seen all the Godfather movies . contradictory +yeah um we don 't yeah we don 't have any but we have you know plenty of sisters and brothers that that have them and We have plenty of them , though our sisters and brothers have none . contradictory +But they are under siege . They are being attacked . entailment +Soon to go on view in the archaeological park are reconstructed houses from various periods , including Canaanite dwellings built 5,000 years ago . The Canaanite dwellings were destroyed over 5,000 years ago for a reason , they were eyesores . contradictory +But isn 't there some point at which the media 's choice of topic can become so controversial and so determinative of the course of the campaign that the principle of self-disclosure supersedes the principle of modesty ? The media 's choice of topic raised a lot of eyebrows . entailment +Prudie , for starters , thinks a $ 5 tip too extravagant for an eight block ride--unless , of course , the driver provided wonderful therapeutic advice . Prudie doesn 't think $ 5 is a large enough tip . contradictory +It is amusing to watch the strange new respect phenomenon engulf Senate Majority Leader Trent Lott as journalists wake up to the fact that he is not the conservative ideologue he appears . Trent Lott is a full blown conservative ideologue . contradictory +We 're your followers . ' We follow your teachings and beliefs . neutral +But the hesitant Carlo Alberto of Piedmont gave the Austrians time to recover and Italian gains toppled like dominoes . Carlo Alberto of Piedmont was beheaded . neutral +ARTICLE : : Too True To Be Good Too True To Be Good was written by John . neutral +To the right of the entrance to the choir there is a lovely statue of the Virgin and Child . There are no statues near the entrance to the choir . contradictory +California has the highest number of people in poverty in the nation - 6.4 million , including nearly one in five children . Nearly one in five children in California live in poverty . entailment +He turned to look at Severn and Jon hit him again . Jon hit the man . entailment +How About Condoms as Pledge-Week Premiums ? Condoms should cost more during pledge week . neutral +The gardens make a cooling place to sit after a guided tour , and the equally alluring cafes and a renowned restaurant offer a range of refreshments . The gardens are a nice place to cool down and sit with a guided tour . entailment +Mr. Chairman , for GAO to continue maintaining the strength of its mission , we are committed to find new ways to streamline our operations while building on our responsiveness and flexibility . The mission is important for the company . neutral +Although it would be gratifying if mutual loathing of Disney brought about a Middle East peace . If mutual loathing of Disney brought about a Middle East peace , it would be horrifying . contradictory +Moreover , China would accept nothing but silver bullion in exchange for its goods , so Britian had to look for a more abundant commodity to square its accounts . The British lacked significant amounts of silver bullion to pay with . neutral +Weld hurt himself by attacking the chairman unfairly and with political rhetoric that was just uncalled for , Lott complained . Weld attacking the chairman only hurt him in the long run . entailment +Was he a sheeted ascetic & amp He was driving a car contradictory +Publishing on the Web is still very new , and Slate 's publication process--with its daily postings , e-mail and print versions , constant redesigns , and so on--is very complicated . Slate 's publication process is very advanced given the newness of web publishing . neutral +you know whenever we he my husband has time off or something we take them to the zoo or we you know we we do everything we can possibly as a family Our kids love to see the bunnies at the zoo . neutral +When the checks started showing up in mailboxes sometime after Christmas , many aid recipients were confused about why they got the windfall - and what to do with it . Everyone knew what they were going to do with their checks . contradictory +He savages his brother David for turning him in , claiming David was seeking revenge for the attention Ted got from their parents . David , his brother , turned him in because of a sense of right and wrong , not because of his brother 's accusations . neutral +One side is treating other people with civility . One side is trying to help people , sending them money . neutral +At their best , the popes and cardinals replaced military conquest by moral leadership and persuasion ; at their worst , they could show the same hunger for political power and worldly wealth as any caesar or grand duke . At their best , the popes and cardinals didn 't ruin anything , and at their worst , they molested children . contradictory +New drugs make flaccid men potent , but not without dangers ( one man remained aroused for more than 24 hours ) . Expensive new drugs to help flaccid men gain potency come with some risks . neutral +i kept hanging up on them for days until my husband told me what it was Til my husband told me about it I was hanging up on them . entailment +i find that very annoying the uh mail stuff yeah you know it 's kind of irritating but it 's not nearly as obnoxious as the phone calls It 's because the phone calls are much more disruptive to your day . neutral +But such as it is , you 're welcome to it . " It is too precious so you 're not welcome to it . contradictory +In the aftermath of the revolts , the Sorbonne was absorbed into the huge Paris Universities monolith and lost its independence . The Sorbonnne lost its independence after the revolts . entailment +In 2002 , we took the steps to encourage their growth and improvement through a program letter outlining what we believe to be model intake practices . Intake practices were phenomenal and no steps were need to help it improve . contradictory +Not only does government saving directly affect national saving available for private investment , but the federal government also is a key contributor to the nation 's capital stock and productivity through its own investment spending . Government savings directly affect national saving available for private investment . entailment +Proactive systems permit the interested public to be notified by email when proposed rules are published ( e.g. Email notifications keep the public who are interested alert of when the publications of the rules are announced . entailment +Some are also upset by the eroticism of Parmigianino in his strange but undeniably graceful Madonna with the Long Neck ( 1534 ) just look at those elongated fingers a masterpiece of the sophisticated and subsequently decadent Mannerism that followed the High Renaissance . Parmigianino painted the controversial Madonna with the Long Neck during the Mannerism movement after the High Renaissance . entailment +, bomb ) in furtherance of a crime of violence that may be prosecuted in a federal court . A federal court is not involved in prosecuting crimes of violence . contradictory +They 're more interested in spiritual self-flagellation and renewal . They 're interested in spiritual self-flagellation and renewal to some extent . entailment +She has not conducted any powerful investigations , but she has had the wisdom not to block others from conducting them . She had conducted a lot of other investigations , but nothing powerful . neutral +While the choice of methods used to transmit the T & amp ; A data may be based on costeffectiveness and management information needs , the system used to transmit the information must protect T & amp ; A data from unauthorized change or alteration and must generate a record of any change made . The system used to transmit the information is of extremely high intelligence neutral +The Center for Technology in Government is an applied research center devoted to improving government and public services through policy , management , and technology innovation . The Center for Technology is a theoretical center . contradictory +Pottery intricately painted with marine life , bronze figurines , and exquisite jewels many of these were discovered in the rock cut tombs of Palace Period yet it is the mundane and simple things which make Knosses so fascinating . The paintings on the pottery are of mountain life . contradictory +Should they be screening for patients with the worst problems ? Do you think they should take the patients with the most severe illnesses ? entailment +that 's that 's really wild That 's a really wild idea . neutral +so you could just say okay fellows we 've got a problem get everyone in the room and let them see this tape rather than buying an airline ticket They should buy a ticket before seeing this tape . contradictory +I must say I think you might have given me a hint . 138 " Perhaps , mon ami , I did not do so , just because he was your old friend . " I was rather disconcerted by this , remembering how I had busily passed on to John what I believed to be Poirot 's views concerning Bauerstein . He said that he had given me a hint because the man was my enemy . contradictory +and so i never had a chance and even when i was in school of course i always had classes about that time so i never had a chance but General Hospital huh is one to get hooked on if you 're going to get hooked I 've never seen a soap opera . contradictory +Broder and Waas say they have spoken with two ex- Spectator employees who anonymously corroborate Mann and Rand 's assertion that the Arkansas Project paid Hale . The two spoke to ex-Spectator employees last week to verify their story . neutral +yeah them there must be uh um some of the some of the uh Those are probably some of the ones left over . neutral +The occupation of Crete did not end until May 1945 . Crete was occupied until 1945 . entailment +But the popular-frontish approach doesn 't attract the Dobson and Bauer crowd . The Dobson and Bauer are , however , attracted to other ideals . neutral +out of it Things like that and i consider that fairly intelligent humor you know I don 't think it 's intelligent humor . contradictory +No sugar ? You don 't want sugar ? entailment +okay did it click okay um well how do you feel about food and cooking Food and cooking are fun hobbies neutral +With negotiations at a stalemate and summer vacations removing the motivation for an immediate solution , both sides appear to be settling in . Both factions seemed to be nesting as negations hit a stop . entailment +Figure 2 displays the total cost curves as functions of pieces per capita for each of the countries in the sample . Figure 2 does not show the cost curves of the countries in the sample . contradictory +However , they should not be punished without due process in the name of ' national security ' or ' protection of citizens ' lives . The president pretended the punishment was really for national security issues . neutral +M odern Istanbul , a sprawling metropolis of more than 10 million inhabitants , is split in two by the narrow , sinuous strait known as the Bosphorus . Istanbul has a ferry leading from one side of the strait to the other . neutral +uh-huh well that 's interesting I would like to learn more . neutral +oh yeah flex time is great Flex time is really nice . entailment +Tuppence , will you He indicated the place of honour with a wave of his hand . He gestured to the place of honour with his hand and smiled at her . neutral +well right at the present time nothing real special i kind of like gardening and i 'm kind of into camping and you know vacationing that sort of thing i don 't have any real serious There 's not really anything I like . contradictory +Part of the decline may have been due to general market conditions , but it 's doubtful that all of it was . The decline is a result partially of market conditions . entailment +Gods , said San 'doro . San 'doro said the Gods were responsible for the fire . neutral +One Hong Kong-based brokerage estimates that inflows will grow to $ 75 . A Hong Kong brokerage estimates an increase of $ 75 to inflows . entailment +I was being watched ! No one was watching me . contradictory +Universities , unlike high schools , are not unitary social structures . Universities don 't have set social structures . entailment +i think that is mulching uh what do they call that I believe it 's referred to as mulching , that 's what my neighbor told me . neutral +Sporades means scattered , and this group of four islands lies off the Greek mainland in just this fashion . Sporades means close to one another . contradictory +A singularly handsome woman . A very ugly woman . contradictory +And how does your being an astronomer change the fact that you are still only quoting their unsupported statements ? You need to have evidence , even as an astronomer . neutral +that 's right because that 's what they 're familiar with They are familiar with it . entailment +Dave Hanson bent over the gears , cursing . Dave stopped cursing and backed away from the gears . contradictory +The towers of the original Roman castle , which has been fully restored , are still a look-out point . The towers of the original Roman castle have been restored . entailment +Abdul Razak had earlier played a key role in combating the Communist insurrection years earlier . The Communist insurrection was opposed in part thanks to Abdul Razak . entailment +By the middle of October , the season is over and many hotels and restaurants will close for the winter . Restaurants and hotels will close for the season due to lack of business . neutral +Stupas were originally burial mounds ; Buddhists developed them into shrines of plaster-covered stone , inside which are caskets containing relics of Buddha . The Buddhists developed the Stupas into shrines to worship Buddha . neutral +have more vacation Take another vacation neutral +It was a little piece of heaven in long years of purgatory for Jon . Jon was tormented by a plague of sadness--there was no respite or comfort for him . contradictory +These principles are simple , straightforward , and timeless in nature . The accounting principles are timeless . neutral +A fine collection of medieval church artifacts and Celtic carvings can be found on the first floor . The artifacts and carvings cannot be found on the first floor . contradictory +Suppose that a government decides to provide a subsidy to its breakeven postal service to offset losses on unprofitable routes because it wishes taxpayers and not rate payers to fund the USO . The government decides to subsedize postal costs because they want taxpayers to fund the USO . entailment +i think it was no I do believe it was yes . contradictory +The center presents concerts , poetry readings , art exhibitions , and other cultural activities . The center presents a lot of different types of cultural activities . entailment +To reach the entrance , go back up David Street and turn left up a small alleyway . The entrance is at the end of David Street and up an alleyway . entailment +But it seems telling that it was IBM , which has seen currency problems erode earnings for two years now , that led Tuesday 's rally by announcing it was going to buy back $ 3 . IBM has seen currency problems going on for two years and is in big trouble according to the journalists . neutral +I wonder now if his problem isn 't that he realizes he can 't be and so--to paraphrase Baldwin 's famous , if apocryphal , observation--this son must kill his father . The son must murder his father with a knife or poison . neutral +Normandy 's capital suffered devastating bomb damage in 1944 and many buildings have since been lovingly restored or reconstructed . Shockingly , Normady 's capital escaped the bombing completely unscathed . contradictory +To-day , if you like . Today , whether you like it or not . contradictory +I 've forgotten his name now , confessed Tuppence . Tuppence remembered his name later . neutral +The screening and brief intervention trial he and colleagues conducted in West Virginia did not include a booster session and had a mode intervention time of about 14 minutes . Their screening and brief intervention trial had a mode intervention time of approximately 2 minutes . contradictory +Twenty-eight percent of the families that benefited from the program had incomes below $ 10,000 and 60 percent were below $ 20,000 . 28 % of families helped had incomes less than $ 9000 . neutral +Alexander Payne 's caustic comedy tells the story of a high-school election from four different perspectives--none of them remotely rational . Alexander Payne 's comedy is irrational and caustic , being about four versions of a date between two boys . contradictory +Sexual harrassment isn 't unknown among Republicans , either . Republicans are aware of sexual harassment as well . entailment +In a country where civilizations have come and gone , there 's a considerable traffic in archaeological antiquities . Most archaeological antiquities are purchased by museums . neutral +You should know what happens when a trader kills a native young , even accidentally . You need to be aware of the consequences of an Indian being killed . entailment +yeah yeah well he likes those crane games you know where you try to win a toy He likes those crane games in where you try to win a toy , he won a teddy bear last week neutral +really i did pretty well with my uh Regal because it was in really good shape but it still looked real nice the the interior was still really nice there what 'n cracks all over the dash board and stuff and I got my Regal detailed often , so it was in great shape . neutral +Why a man needed four swords was beyond Ca 'daan 's reasoning . Each of the four swords were used for different purposes . neutral +Unlike their successors , the Moors were tolerant of the many different peoples who lived together in Portugal , including Berbers , Arabs , Christians , and Jews . Portugal is a very homogeneous area . contradictory +it might be It certainly is . contradictory +The cliff of Masada soars to 440 metres ( 1443 feet ) above the Dead Sea and is totally isolated from the surrounding mountains by deep gorges . The cliff of Masada is relatively small , reaching a height of only 500 feet . contradictory +The utility industry is also required to reduce SO2 emissions through the Acid Rain Trading Program described above . SO2 emissions from the utility industry are also regulated . entailment +12 Whereas the agencies ' fiscal year 1995 documents discussed streamlining primarily in terms of the number of positions to be eliminated , the fiscal year 1996 budget documents included discussions about how proposed staff reductions could affect the agencies ' performance . The 1996 budget considered how a reduction in staff would affect overall performance . entailment +yeah Duke 'll be mighty mad though Duke won 't be too upset . contradictory +it was um not that kind of HMO 's where you have to go to their they 're sort of like clinics you know uh but this was just an HMO where you could go to private practice doctors and to the regular In that HMO it was possible to go to private practice doctors . entailment +Then ring the bell , and get back to your place . Return from whence you came . entailment +Emissions were reduced faster than required , and at far less cost . Emission were not reduced and the costs soared . contradictory +But then he I might have put that in to protect him . He 's the type of person who would get himself into trouble otherwise . neutral +Another rider bore down on him with a barbed lance . He was already injured when he was hit again . neutral +She danced and twisted away but with her own blade thrown , she could do little but run . She had no feet . contradictory +USACE and CII have both been recognized for their particular programs , and both offer formal training . Both USACE and CII are government funded projects . neutral +The process by which the efforts of all personnel responsible for an acquisition are coordinated and integrated through a comprehensive plan for fulfilling the agency need in a timely manner and at a reasonable cost . There is a limit to the cost allowed for coordination and integration of personnel responsible for acquisitions . entailment +uh-huh so this is where the people have been kind of well i don 't a better word to say than like asleep or in a coma for a long time and the drugs let them come back No one stays in a coma for very long . contradictory +After a bit of pottering about , I found it on the bedside table . The book was found on the table by the bed . neutral +However , the agencies that we contacted differed substantially in the extent to which they explicitly provided for these modes of comment during calendar year 1999 , and none of the agencies permitted either mode of communication for all of their proposed rules . Agencies were contacted by us but differed substantially , which made us suspicious . neutral +Whether all that amounts to a tax hike or not depends on whether you count not getting previously guaranteed tax cuts as a tax increase . But there is a threat of a real tax increase . There is a threat of a ISIS at all times neutral +He got up and hummed a little tune . He got up silently . contradictory +Simply because strychnine has an unusually bitter taste . Strychnine has a taste that is bitter . entailment +my dad used to grow tomatoes and things at the house and i 'd i think when i was real little i probably had a finger in on that every time he did it and had to you know be out there and watch and that type of stuff but i 've never really tried anything like that since then I looked at tomato plants growing up . neutral +Lighter , lighter ... Unfortunately , we do not carry this product . The convenience store does not carry lighters . neutral +You will find a comprehensive list of useful phrases in the back of this book . The phrases listed in the back of the book will help you in your travels . neutral +Liberals called him the greatest hero in a century of jurisprudence . He was the greatest hero in the century according to the liberals . entailment +Despite all the completely compelling arguments offered in the preceding paragraphs , it would be silly and dishonest to insist that None of the arguments seem to be very convincing . contradictory +exactly exactly right yeah we we have i think we we name drop it a little too much and and don 't fully understand what what what it is we 're saying i think it 's it 's focusing in on the issue and walking your talk and and all that kind of rolls in together there but uh Name dropping could be very easy . neutral +yeah i mean Rhode Rhode Island 's just like a neighborhood compared to you guys down there it 's just so so so small Rhode Island is a neighborhood compared to what you guys have down there . entailment +The major ones are in KL , Melaka , Penang , Kuching , and Kota Kinabalu . KL , Melaka , Penang , Kuching , and Kota Kinabalu are interesting places to live in . neutral +Not exactly . Exactly . contradictory +uh are intimidated by them i guess more than anything until they get get to uh learn what they can do and and how it can work More than anything , they 're intimidated by them . entailment +It is a hunger for glory and all that comes with it--a willingness to sacrifice one 's personal desires to the common good ; a sense of honor , dignity , and fair play--that allows politics to rise above a mere squabbling among interests . They never put anyone 's well-being before their own . contradictory +um-hum that 's good what instrument does he play Oh it 's great that he got a scholarship ! What instrument does he play ? neutral +No one is going to better him in this area . No one is going to be beat him at the writing competition . neutral +What are you giving me here : pink , bright green , bright orange , bright turquoise . You are giving him pink , green , blue , and turquoise . entailment +Requirement or system component must be able to perform . Requirement and system component are both not necessary . contradictory +" No , just lookin ' around . " Drew longed to ask some things himself , but hesitated . Drew wanted to ask things , but was afraid he 'd be shot . neutral +Such coordination will require better communication within and among the agencies . The head of each agency agreed to better communication within each agency as well as with each agency will require coordination , neutral +which probably didn 't make much difference It probably didn 't change much . entailment +The Bugis in Johor 's administration provided much of the spirit in that State 's independent stand in the 19th and 20th centuries . The Bugis was enthusiastic about independence because he wanted a free united India . neutral +Shalit argues that when you walk down the street you can tell the virgins by their fresh , healthful glow . Shalit has been able to identify virgins on the street for two years . neutral +So maybe it 's more like dealing drugs . It feels like an honest trade , rather than something like drug dealing . contradictory +Attendee Robert Gooch was there for the second time , working to prepare for his upcoming court date regarding car damages . The car damages had happened when he was driving distracted . neutral +5For example , market prices of interest-bearing securities , such as Treasury securities , fluctuate inversely with market interest rates . The interest rates are declining . neutral +Maybe he should have cut out of the game yesterday .... Or never come down into the valley weeks ago ... or left Red Springs .... Those " maybes " stretched as far back and as neatly in line as the railroad tracks they had been talking about earlier , one slipping smoothly into another as if cast in one strong string of doubts . He isn 't a strong leader and quitting would have been a benefit to him . neutral +yeah yeah i 'd i don 't have much sympathy for people that are uh uh victimizing others on a regular basis you know if it 's a one time offense and and the kid learns his lesson and uh shows remorse and promises never to do something again and they take some steps to educate him in the matter uh it 's it 's one thing but when they 're there over and over again and uh guilty of the same crimes uh nothing seems to help I don 't have sympathy for repeat offenders . It seems like education helps in some cases of reform but not all . neutral +It was a small gold brooch . It was a large diamond watch . contradictory +that 's great well i got a catalog that you know shows all the gifts and things you can get and I received a catalog with interesting gift options in it . entailment +The oldest rocks are 500 million-year-old slates found around the northern peak of Skiddaw , where the mountains have smooth and rounded profiles . The rocks are only 2 million years old . contradictory +Instead , somehow , you find yourself at the Central Park Zoo . You are at the Central Park Zoo instead of where you should be . entailment +A 12-inch golden-dragon magnolia . A ten inch lizard green magnolia . contradictory +they always think they can win you know which is the way it should be and boy he never gave up i 'll tell you They believe they can always win . entailment +how about you do you work or do you get to stay home with them wonderful So do you work or stay at home with your kids ? entailment +D 'Onofrio , in response to Sommer 's concerns , suggested that a patient might be more receptive to nurses than physicians because they are less authoritative and more nurturing , and they listen better . Patients might prefer being tended to by nurses than physicians . neutral +and it was good weather The weather was sunny , breezy and mild . neutral +The precocious theorist anticipated the 1990s The theorist looked forward to the 1990s . entailment +so i 'd end up sitting in the car for an hour and a half and then i you know a lot of it in car fumes you know inhaling car fumes I would cough badly after the car ride , due to the fumes . neutral +A production readiness review identified the lack of statistical process control as a major weakness that needs to be corrected . A lack of statistical process control was one of eight weaknesses identified . neutral +His expansionism brought the bulk of Ionia under Lydian rule , but also resulted in conflict with the advancing Persians in the east , where he was roundly defeated . After defeating the Lydians , the Persians brought the whole of Ionia under their rule . neutral +yeah right absolutely because they figure that that 's correct the idea is to use their money If they use too much of their money , then they will run out neutral +ha ! " Albert 's hand stole to his pocket . Albert brought his hand to his pocket and pulled out his watch . neutral +The WP points out that the scandal has been good media business , with USAT distributing an extra 500,000 copies of its weekend edition , the WP printing about 15,000 copies of its daily run , Time adding 100,000 copies to its usual newsstand run of 250,000 , CNN 's viewership up about 40 percent , and ABC 's Nightline and This Week experiencing pronounced ratings increases . The WP points out that the scandal is bad for business . contradictory +yeah an they have to be in ideal physical shape basically They basically have to be in ideal physical shape . entailment +The big bits of sky-stuff around also jerked upwards , revealing themselves by the wind they whipped up and by the holes they ripped through the roof of the building . The wind ripped the roof off of the building . entailment +The master 's only painting on such a massive scale is a triumph of primary reds , blues , and yellows that irresistibly draw you up to the altar . The three primary colors have been extensively used by the painter . entailment +Detractors say the film lacks any real sense of narrative continuity and feels like bits and pieces of half a dozen coming-of-age films ( Gleiberman , Entertainment Weekly ) . Gleiberman said the film had lots of continuity . contradictory +as we were when we started the whole thing Like we were at the end of the whole things . contradictory +Beatty can forbid interviews , decline to answer questions , and refuse to appear in public . The woman does not want to address the public . neutral +Jon smeared some dirt and clay on her nose and cheeks . Jon painted her face with dirt and clay . entailment +The delicate ninth-century mosaics of Jesus and four angels make the Chapel of St. Zeno the city 's most important Byzantine monument . There are no mosaics on display in the Chapel of St. Zeno . contradictory +Below is information on deferred maintenance on stewardship assets . The below information is very important for all stewards . neutral +Yes , said Sir James gravely . Sir James gravely agreed . entailment +In light of the conflicting expert views on how existing tax incentives affect personal saving , it is unclear how new matching incentives might affect individuals ' saving choices and retirement security . Retirement security has never existed and will never exist . contradictory +right yeah i i spend a lot of time down in Charlotte uh and on their just the the regular TV not cable you can pick up four PB or three PBS channels From my experience staying in and visiting people who live in Charlotte , I recall that there are only maybe a handful of over-the-air TV station and no cable access . neutral +Data from the remaining 43,844 rural routes were used to calculate the statistics presented in this paper . The statistics unveiled a bunch of interesting things . neutral +that would be fun I don 't think it 'd be fun . contradictory +Could they take the place of one of the 56 channels of movies ? Could they replace one of the 56 movie channels ? entailment +The pavilion was known as Ankh Michauli ( Blind Man 's Buff ) , because it was where Akbar was thought to have played hide-and-seek with his wives . Akbar had close to five wives at a time . neutral +If the pulp fiction of Edgar Rice Burroughs gives us a glimpse into the often appalling collective unconscious of white-supremacist America , the Disney version of Tarzan will provide a similar service to future scholars pondering the equally weird mentality of feminized and Green America , circa 2000 . Edgar Rice Burroughs ' pulp fiction demonstrates the largely negative mentality of white-supremacist America . entailment +We then examine the consequences of volume loss on postal systems in order to provide a measure of burden in terms of increases in average unit costs as volume is lost to competitors , or The competition in the industry is quite high . neutral +If you don 't print it , someone else might beat you to it , and you 'll have to talk about it anyway . You want to get ahead of it and appear smart . neutral +Abbaye de Fontenay Maybe Abbaye de Fontenay neutral +Usually , an illustrative case study site should be typical of the program being examined A case study should be typical of the program being examined . entailment +uh because otherwise uh you know they 're not going to go house to house collecting it and you 're not going to bother if you have one bag full to drive all the way to some recycling center to turn in just your little plastic peanuts Most people don 't bother to recycle little plastic peanuts . neutral +NBC won the right in a Texas court to air a movie Monday about the murder of a teen-age girl by two lovers--also teens--even though the accused have yet to be tried . NBC got to air the movie that said the accused was certainly guilty . neutral +" What about Anse ? " What will happen to Anse ? " entailment +yeah nice talking to you too bye This was the best conversation we 've ever had . neutral +Vrenna drew out her saber , one boot on the scout 's stomach as she pulled it free . She had her foot on his face as she pulled the saber out of his body . contradictory +oh i know it 's true it 's true I don 't think that is true . contradictory +( Ballmer , a college classmate of Gates ' , is Microsoft 's business chief . ) Microsoft 's business chief is Ballmer , who was Gates ' college classmate . entailment +'Temperance , Quiet , Order , Resolution , Fragility , Industry , Sincerity , Justice , Moderation , Cleanliness , Chastity and Humility . These 13 qualities are considered moral failings . contradictory +While they had been together she had never questioned it for a minute . Her partner had some moments of doubt . neutral +Historically , Ito was home for five years to William Adams , the Englishman shipwrecked on the shores of Kyushu in the early 17th century who became an advisor to Tokugawa Ieyasu . William Adams became Tokugawa leyasu 's advisor after impressing leyasu with his knowledge of the world . neutral +Either way , I won 't be taking the neighbor boy to Times Square Friday night . I need to take the neighbours boy to Times Square . contradictory +He felt an economical pleasure that his first plan would not be wasted . He felt great bundles of pain that his plan was useless . contradictory +It was also suggested that the financial reporting model have different layers of reporting , while still having full disclosure , coupled with different levels of assurances depending on users ' needs . There might be different layers of reporting for financial reporting models . entailment +Here , as elsewhere in Georgian Dublin , note the doorways and fanlights , and the ironwork of the balconies . The ironwork was done by skilled union tradesmen . neutral +Herbert Gutman 's The Black Family in Slavery and Freedom 1750-1925 ( 1976 ) showed that slave families , while often broken up when members were sold or assigned to different plantations , were remarkably monogamous and stable . Gutman 's work showed slaves cared a lot about having productive families . neutral +Yachtsmen should bear in mind a Deauville if you can see the port of Le Havre , it will rain in the afternoon , and if you can 't , it 's already raining . Le Havre never sees rain , in the afternoon or otherwise . contradictory +Violent movies . There are no films that contain violence . contradictory +Heart failure , or possibly an overdose of some sleepingdraught . He sniffed . She had gotten shot . contradictory +Buddha himself converted ruthless bandits and whole armies from the path of violence . Buddha was an advocate of violence . contradictory +The Water Quality Initiative No one is focused on water quality . contradictory +Historical heritage is very much the theme at Ichidani . Ichidani has a very rich and ancient culture . neutral +I think we can relieve her anxiety . Her test anxiety can be helped with practice . neutral +Vrenna found a vendor selling a palm spike that looked suspiciously like the one she had used just a short time earlier . Vrenna found a store selling a weapon that she had owned . neutral +It 's effective . It might be effective . neutral +I will not go into the details of the police court proceedings , as it involves many tiresome repetitions . It is tiresome to go through court proceedings . neutral +My dear girl , don 't wave Fishers aloft like that ! " " Don 't be shaking Fishers around like that , girl ! " entailment +and uh so i would sometimes take me you know an hour or two to shovel the driveway in the morning and then i 'd sitting in that car for an hour an a half and and well it was actually if the if the weather was bad enough to shovel snow it would take me three hours to get to work I do not have enough money to hire a professional snow removal company . neutral +and uh uh but automobile races if it i don 't think they 'd ever it 's still going to be the Indianapolis Five Hundred they 're not going to They might change the Indianapolis 500 . neutral +( Appendix II provides more details on the objectives , scope , and methodology of our work . ) There is an appendix with all of the details of our work . entailment +However , EPA 's modeling under the Clear Skies Act projects that the units installing ACI will not be installing PJFFs . Units that install ACI will not install PJFFs according to the EPA modeling . entailment +The deceased , he said , suffered from a weak heart , but otherwise enjoyed perfect health , and was of a cheerful and well-balanced disposition . The dead person had died from a gunshot . contradictory +A momentary pity came into Sir James 's keen eyes , as he gazed into the girl 's downcast face . Sir James felt pity briefly , as he looked into the girl 's face . entailment +Jon stopped them as the warrior 's court opened into a square where three streets meet . Jon urged them to continue through the square of the warrior 's court . contradictory +If the property is distributed to a state or local law enforcement agency or a foreign government , revenue is not recognized by a Federal Government reporting entity . Revenue can not be recognized by a Federal government reporting entity if there is a distribution of property to a state . entailment +My lawyer just called . The pie-maker called . contradictory +Our program manager The individual who is tasked with guiding our work will be announced next . neutral +Having praised bloat , let me confide that when I worked on the Microsoft Outlook team , bloat was my biggest enemy . Bloat is an enemy when working on the Microsoft Outlook team . entailment +where uh you know they plead to a lesser crime or uh they plead guilty in or you know tell about someone else and they they get less time They have no way of lessening their times . contradictory +The advocates say the finding goes beyond existing law and is unrealistic because some renewed contacts often prove unavoidable in domestic abuse cases , which involve economic and family dependency and other complications of daily living . Advocates say funding goes beyond existing law and is unrealistic . entailment +While the right policy and criteria are necessary to ensure a disciplined , knowledge-based product development process , the incentives that influence the key players in the acquisition process will ultimately determine whether they will be used effectively . Disciplined product development is popular with many voters . neutral +you know a lot a lot of people don 't take newspapers at all we we took the Morning News for a while and then uh well we 've been taking the Times Herald for ages and then A lot of people don 't take the papers but we took the Morning News and then switched to the Time Herald . entailment +( In one painting , women watch a man masturbate in front of a mirror . ) The painting shows a kid running in a meadow . contradictory +if they hold together If the break apart it 'll be best . contradictory +Mines there continue to yield lead , which is exported from Cartagena as it has been for centuries . Cartagena imports over 3000 tons of lead annually . neutral +The boilermaker 's union is working to recruit new members into their apprenticeship programs , which takes four years to complete . The apprenticeship program for boilermakers will take 3 years to finish . contradictory +Simply this . Not only that , there is a lot more . contradictory +But the jewel here , on the south corner of the square , is the 14th-century Gothic church of Santa Chiara , built for the wife of Robert the Wise d 'Anjou and retrieved from its 18th-century Baroque additions and 1943 firebombing . Santa Chiara was built for the mistress of Robert the Wise d 'Anjou . contradictory +well we have a funny commercial around here it says something like if people were to give five hours a week or five percent of their salary we could they could solve all the world 's problems or something I am not amused by the idea of wasting my money on helping the rest of the world . contradictory +People who did move to the suburbs had to obey an unwritten conversational rule that you had to justify it in stagy and fake terms , either by exaggerating the hellishness of the city for children or by pretending that the suburbs were really not that far away and had lots of great Korean groceries . The suburbs are not a nice place , at least compared to the heart of the city . neutral +and uh that 's what really makes it look professional you can do a lot with the Serger though you can make uh piping and cording and uh you can use all kinds of different uh textures of thread You can use many different thread textures . neutral +The very best are difficult to get to , as is often the case with superior beaches in the Caribbean . The best beaches are on other islands and not here . neutral +In general , leading organizations provide training as part of a changing high-tech work environment that includes state-of-the-art tools and methods allowing skilled IT workers to perform their jobs to the best of their ability . In general , leading organizations do not provide training and do not invest in the future of their company or their employees . contradictory +He summed up the Knight case rather The Knight case was not summed up at all . contradictory +Schumer has turned the tables on D 'Amato . Schumer has betrayed D 'Amato despite recently gaining his full trust . neutral +uh i think that maybe we 're not their big bad enemy any more I think we 're definitely their primary enemy . contradictory +When ABC 's George Will tried to goad Rep. When George Will tried to goad . entailment +When I was twenty-three , I had been nearly all over the world . The speaker has traveled a lot in their younger years . entailment +Instead of our regular class work , let 's go outside under the big , old dead elm and show a filmstrip , i.e. , let 's quote a few highlights from Tim Weiner 's dark and charming New York Times obit titled Sidney Gottlieb , 80 , Dies , Took LSD to CIA , an account of the man who ran MKUltra , a project that dosed unsuspecting Americans with hallucinogenic drugs for charity . We could learn much more from the filmstrip today than by doing classwork . neutral +Also , if State and Federal excise taxes remain at the current levels , tax revenues will decrease over time because of decreased sales . State and Federal excise taxes have been at this level for less than a year . neutral +uh uh it depends on how far you walk how many days a week Distance per week is key . neutral +Enough research has been conducted on instruments alone , he said , and new research should link screens with interventions . Everything we learned from the instrumental research will help us in our new research project . neutral +An initial Notice of Proposed Rulemaking was published in the Federal Register on October 10 , 1995 ( 60 Fed . The initial rulemaking proposal was published on October 10 , 1995 . entailment +Gingrich has a point . Gingrich has brought up several examples that support his point extremely well , entailment +In particular , a small business commenter argued that the proposed flexibility in the use of the CMRS bands not be extended to cellular providers initially in order to give Personal Communications Service ( PCS ) licensees an opportunity to establish themselves . A small business commenter argued that the proposed flexibility in using CMRS bands was not to be extended . entailment +In the Hetel Lambert , on the corner of the rue St-Louis-en-l 'Ile , Voltaire once enjoyed a tempestuous love affair with the lady of the house , the Marquise du Chatelet . The grand mansion once owned by the Marquise du Chatelet is on the corner of rue St-Louis-en-l 'Ile and is now a cheap hotel . neutral +On the way to Cimiez don 't miss the Mus ? ? e Chagall ( Ave . Ignore Muse Chagall avenue . contradictory +Won 't This Hurt Tony Blair 's Feelings ? Won 't Tony Blair not agree with this ? neutral +The university sits on College Green , an island of magnificent buildings , open squares , and green spaces , surrounded by a sea of traffic . Traffic congestion clogs the streets off the university . contradictory +It 's all because of those stratospheric gases . The gases had no effect on anything at all . contradictory +Exhibits include the Hall of Science , with a Foucault Pendulum and a Cosmic Ray Cloud Chamber . The Hall of Science is abandoned and has nothing inside . contradictory +Actually , I 'm not opposed to change---to postal reform . I 'm totally opposes to change in postal reform . contradictory +yeah well you know the interesting thing about i don 't know if you 've been watching Massachusetts lately um It 's interesting , but well , have you been keeping an eye on Massachusetts ? entailment +The Kal stumbled back but San 'doro caught him and pulled him down . San 'doro caught the Kal and pulled him down after he lost his balance due to the arrow in his foot . neutral +Have the villagers gone to the cave ? thought Jon . Jon asked the others whether or not the villagers had gone to cave . contradictory +that 's right and uh so we kind of it 's it 's we 've gone from one extreme to the other and that 's that 's been hard to adjust to but uh the weather we can 't oh the weather 's been wonderful Adjusting to the weather here has been super easy . contradictory +I will discuss the Association 's views first . I will talk about the Association 's views . entailment +If aeration is used , use only oil-free air compressors to prevent contamination . Oil-fee air compressors must be used to avoid contamination . entailment +Confidence bloomed within Ca 'daan like a flower . Ca 'daan become more confident . entailment +The solution is If you want elected officials who put principle ahead of power , voting for women gives you better odds . It is a terrible idea to have women in positions of power . contradictory +and they 're going out and marching on the corners and taking taking back their territory They were unable to get their territory . contradictory +or if they even reach that potential again you know they may never reach that again They 'll easily reach that in the near future . contradictory +On Monday , therefore , at six o 'clock , Alfred Inglethorp arranges to be seen by a number of people at a spot far removed from the village . Alfred Inglethorp may have been at a spot away from the village on Monday . entailment +For a good look at Mount Zion , the Old City and surrounding Judean hills , take a walk along the top of the walls near Zion Gate . Go to the top walls near Zion Gate so you can clearly see Mount Zion . entailment +Each phase of the fight is closely controlled by the presidente , from his flag-draped box . The presidente watches every fight from the bleachers , but is not involved . contradictory +After this , as it was growing late , the case was adjourned till Monday . Cases usually get rescheduled often due to a number of reasons . neutral +uh-huh yeah i don 't know how you combat that i i don 't know where you start or with a lot of these kids um so many of them all they see is just the gangs and unless you can take them out of the environment enough to where they don 't have the peer pressure from the gangs as soon as they come home from school Most of these kids are subject to gangs on a daily basis . entailment +yeah i have two small children so i started to you know have them enrolled like in soccer and things like that i tend to be more of a spectator these days than participating I have two kids I enrolled in extra curriculars , they don 't seem to enjoy it . neutral +On one occasion recounted by the author , a woman rented a horse , stripped naked , and arrived at the door , Lady Godiva-style . The author has minimal factual basis for this claim however . neutral +Individuals who may benefit from alcohol counseling are often unaware of their need for treatment . Most alcoholics are not aware that they are alcoholic and need counseling . entailment +uh-huh uh-huh yeah um i 've been lucky well my mom 's um parents they 're both in their in their uh eighties and i was just home for spring break and my grandma said something to me about she goes well maybe we 'll just sell the house she said it 's getting too big for us to take care of and i was like no no no stay in the house as long as you can I told my grandma to stay home as long as she could . entailment +Republicans would prefer not to be defined by their position on abortion . Republicans don 't prefer to be defined by their position on abortion because it is a small issue . neutral +The sound made Ca 'daan wince and when he saw the horrible angle of the twisted arm he felt bile rise in his throat . He felt sick to his stomach after seeing the injury . entailment +which would really be handy you know for people like shut ins or people who can 't or don 't drive you know they can 't get to the these centers It would not be of use to people who cannot drive . contradictory +Can 2,500 economists be wrong ? The validity of economist has never come into question . contradictory +Corpus Christi , by Terrence McNally ( Manhattan Theatre Club ) . Corpus Christi was not created by Terrance McNally . contradictory +Yes , the book as a whole is insufferably smug ( with Cornel West at the head of the smirking line ) and politically correct . The book is a humble work of writing . contradictory +Even Selana 's father told him to leave . She told him to hit the road . contradictory +The price of an IPO , then , should reflect as nearly as possible what investors really think about a company 's prospects . Investors have no say in a company 's IPO . contradictory +downtown but uh that 's not the way Plano works That 's just the way the Plano works . contradictory +With trickery and deception , said Jon . Jon said everything had been truthful and straightforward . contradictory +Rockin ' Jay Responding to a question about Frank Sinatra 's impact on popular culture , Jay Carney announces that Guided by Voices , the Dayton , Ohio , riff-rockers , are his favorite band . Jay Carney said he couldn 't stand Guided by Voices . contradictory +But , if you want one at midnight , a restaurant will most likely oblige . You might also find one at the main square at midnight . neutral +what 's a what 's a one bedroom are you in a um well Plano most most complexes in Plano are pretty nice so you 're probably in a you know Plano complexes are bad . contradictory +and i yes and i don 't hold it against the people I blame the people contradictory +His arm was around Susan . He pulled Susan closer . entailment +However , as noted above , additional actions are necessary in order to address several remaining systemic issues . No additional actions are necessary to address system issues contradictory +Apart from the few Malays in the settlements ' rural communities of Province Wellesley and the Melaka hinterland , most still lived inland along the middle reaches of the rivers , away from the coastal marshlands dominated by the orang laut pirates . The region 's inhabitants were located mostly along the coast , with fortified garrisons that protected them from pirates . contradictory +Managers are to ( 1 ) promptly evaluate findings from Promptly evaluating findings are the managers number one priority . entailment +oh i think that they should go ahead and go to the uh fourteen one i to me it 's just fair you know and equal it seem like every area should have an equal voice They should do them all . neutral +Johnson said through the program her shelter , which served 187 women and children last year , has been able to form better relationships with those who work with domestic violence victims . Johnson said the program only helped 5 people . contradictory +More a part of Europe than ever before , Spain joined the European Community ( now European Union ) in 1986 , giving further boost to a booming economy . Spain still refuses to join the European Union . contradictory +These represent an average loss of 160 million pieces or less than 0.2 percent of First-Class Mail annually . These represent an average loss of 2,000 pieces of mail annually . contradictory +oh really yeah Maureen Solomon i had a a friend of mine has a book by her right now called Foods That Heal The book is about foods that comfort and heal mental scars , over physical ones . neutral +And we can repeat it ad lib . " Lunch-time found the young couple attacking a steak and chips in an obscure hostelry with avidity . The couple quickly consumed their lunch . entailment +Should we reward him for prosperity ? I wonder if we should reward him for prosperity , the manager said so . neutral +and he 'd have all these people jumping down his back even though i 'd agree with it i think he ought to should 've gone in there and blew them away He should have gone in there . neutral +okay well um do you believe only fifty percent of the people actually vote You think only fifty percent of people might actually vote . entailment +But later , Mr. T. This morning , Mr. T. contradictory +Great public buildings like the Customs House and the Four Courts were constructed , and private mansions like Powerscourt and Leinster House were built . The Customs House , Four Courts , Powerscourt , and Leinster House were built in China . contradictory +I don 't wear it . I don 't wear that armor . neutral +But faculty members are concerned about conflicts of interest , not only on the part of the trustee , Andrew Rosenfield , but also because UNEXT 's investors include two University of Chicago economics professors , Gary Becker and Merton Miller , as well as the university 's law school dean , Daniel Fischel . Gary Becker and Merton Miller are professors in the University of California . contradictory +'Nonsense , ' Natalia said . Natalia 's friend nodded in agreement . neutral +To help ensure accuracy , the completed records must be reviewed and approved by the supervisor ( or other equivalent official ) . A supervisor needs to check the records and validate them to ensure they are correct . entailment +Islamic armies swiftly conquered the whole of the Middle East . The Middle East was taken over by followers of Islam . entailment +uh we had some uh some people from our church went to Israel uh just for a uh tour sort of thing everyone from our church went to france for a skiing holiday contradictory +you know good a good chief executive would be able to sit back and not do anything Good chief executives can take a hands-off approach . entailment +The long , narrow park stretching southwest from Haghia Sophia is known as the Hippodrome ( At Meydane ) , and in Byzantine times that 's exactly what it was . The Hippodrome is a black statue that has the names of people buried nearby . contradictory +Turn right at the end down Via Cappello for the 13th-century palazzo that the local tourist authorities will have you believe was Juliet 's House ( Casa di Giulietta Cappelletti ) , complete with balcony . Juliet did not really live in the palazzo . neutral +The Advisory Council has recognized that GAGAS applicable to the performance audit objectives of effectiveness , economy and efficiency , internal control , and compliance are also applicable to prospective analyses , guidance , or summary information . The Advisory Council has stated that GAGAS cannot be used to audit performance objectives . contradictory +it 's it 's some sort of government program i 've heard a lot of people say good things about it but i just don 't know the details on it It 's some sort of private program , and it 's not approved by the government , so I don 't know . contradictory +The ashes of Kennedy , his wife , and sister-in-law were scattered at sea . The Kennedys were buried in the family plots . contradictory +The Aryans arrived on the scene some 200 years later . The Aryans have been eradicated over 200 years ago . contradictory +i 'm in an apartment in uh Plano I live in Plano in an apartment . entailment +Though Tutankhamun could have been among them , the Egyptian authorities made the decision to return him to the Valley of the Kings and he now rests once again in the inner sanctuary of his tomb in a stone sarcophagus . Tutankhamun rests in the inner sanctuary of his tomb in a stone sarcophagus . entailment +Near this building is the old CityHall , at Lebuh Pasar Besar , which now houses the Textile Museum . Visit the Textile Museum to view remnants of the Old City Hall . neutral +W. should only have such problems . There are problems . entailment +The rules were promulgated using the notice and comment procedures Rules were not created with any sort of procedure . contradictory +He 'd have been helpless here , probably , but with me you have no chance . You would have been better off with him . entailment +The film also exaggerates Flynt 's martyrdom for the cause of free speech . Flynt 's martyrdom is exaggerated in the film for the cause of free speech . entailment +yeah he was pretty good staying on the sidelines with his clipboard but he wasn 't he wasn 't worth a damn in the game His performance when playing was entirely unimpressive . entailment +But if so , this was self-delusion on a really impressive scale . The person had low self-esteem . contradictory +Indeed , I had never known him particularly well . I knew him very well . contradictory +This ultimate subsurface experience is becoming very popular in France , as it has been for a number of years in the United States . The number of subsurface experiences offered doubled in France last year . neutral +and i have a pretty nice backyard and you know i 've got enough room to throw horseshoes you know couple of other odds and ends We play horseshoes in the backyard every Sunday . neutral +In the tourist season , small shops often stay open on a Saturday evening and Sunday morning . Big shops never open at the weekend . neutral +There was something wrong about Mr. Whittington . Mr. Whittington is a pervert . neutral +After the Buddha 's death at the age of 80 , Buddhism eventually split into two main lines , those who strictly followed his teachings , the Theravada or Hinayana school of Sri Lanka and Southeast Asia , and those who allowed new interpretations , the Mahayana Buddhists of China , Japan , Korea , Tibet , India , and Nepal . Buddhism split in two categories of adepts , those who followed Buddha 's teachings and those who allowed new interpretations . entailment +Installation of wet FGD , specifically LSFO , presents a conservatively high estimate of anticipated resources and time to provide additional control of SO2 emissions . LSFO installation is estimated with additional time for quality control at the end . entailment +He groped about for some answer that could be phrased in their language , letting his mind flicker from the modern electronic gadgets back to the old-time tide predicter . He knew exactly what to say to them . contradictory +The percentage of possible deliveries on rural routes that are businesses is not known . Number of businesses on rural routes that have a delivery is not known . entailment +Metaphysics was a subject with which he wasn 't yet fully prepared to cope . He was not prepared to cope with metaphysics . neutral +Money doesn 't worry me any , explained Julius simply . " Financial resources do concern me ! " Julius said . contradictory +Empirical findings from the investigation are presented in Figure 3 . The top line represents delivery cost percentage ( of total cost ) as a function of pieces per capita as predicted by our cost model . Figure 3 is helpful to understanding the cost model . neutral +Within a year , however , Darnley was murdered , and Mary immediately immersed herself in controversy by marrying the Earl of Bothwell , the chief suspect . The Earl of Bothwell murdered Darnley . neutral +However , the relative roles of PM exposure duration and PM exposure level in inducing premature mortality remain unknown at this time . It is not currently known what roles duration and level of PM exposure play in relation to each other in premature death . entailment +Our work has shown that the effectiveness of federal program areas as diverse as employment assistance and training , rural development , early childhood development , and food safety has been plagued by fragmented or overlapping efforts . The effectiveness of the federal program is at the maximum . contradictory +but it just was so time time involved you know so much time involved and the different steps and things it was really quick and simple , no trouble at all contradictory +GAO supports congressional oversight in several ways . GAO does not work in collaboration with Congress . contradictory +Eventually there wasn 't enough space to house their children and their many visitors , so in 1808 the family moved to a larger home on the other side of the village . Despite the fact that they did not have enough space for their visitors and their children , they remained living there . contradictory +yeah right it was such a it i guess they they 'll probably come out with a lot of movies you know it was it was such a rout though you know i don 't know you know they probably do the story of someone who was shot down early in the war or something and how he survived or i don 't think they 'll make any more movies contradictory +From Jijona , continue along the N-340 to Alcoy , 56 km ( 36 miles ) from Alicante . Alicante is a pleasant town to visit . neutral +Critics also divide along national lines . National lines are divided among critics . entailment +Shuman also makes the totally unsubstantiated ( and untrue ) claims that there is very little in the way of application software for Linux and that very few people use The latest estimates of the number of Linux users run into the millions--how can that be so few ? People are clammoring for more Linux based software . neutral +The President 's Energy Plan will improve visibility by reducing SO2 and NOx emissions . The president has not thought of any solutions to the visibility problem . contradictory +Further , it added the goal of improving its dissemination of environmental information and its other education efforts . The goal of improving information dissemination was added . entailment +Beyond this , to the right , is Mary 's Tomb . Mary 's Tomb is another site frequented by pilgrims . neutral +The first lies in the assumption that all three-second periods are worth the same . It is a fact that all three-second periods are the same . contradictory +They were highly skilled in such manual activities as thatching and weaving . There were no skills . contradictory +yeah so it 's been fairly recent It happened not too long ago . entailment +If you do decide to go in summer , start early in the day . It gets hot in summer , so go early in the morning to take advantage of the cooler air . neutral +The magnitude of the challenges that many agencies face in addressing their management weaknesses necessitates substantive planning be done to establish ( 1 ) clear goals and objectives for the improvement initiative , A lot of planning has to be done to establish clear management goals . entailment +In fiscal year 1998 , Texas spent approximately $ 7 . Texas spent close to $ 7 in 1998 . entailment +The feeling of the wire woven hilt in his hand reassured him . His basket hilted weapon made him feel invulnerable . neutral +In fact , the Soviets had a name for this sort of subbotnik , the voluntary day of labor . The Soviets said it was a voluntary work day for private employees . neutral +Within them , an endless inventory of shapes and rhythms appears . Their minds sit idle , vacant of energy , ideas , or feelings . contradictory +Everyone talks about how it has been 30 years since the Postal Reorganization Act was enacted The Postal Reorganization Act is one of the most important acts of the last 30 years . neutral +Since losing the Battle of Kosovo in 1389 , the Serbs have been seasoned haters raised on self-pity . The Serbs won WW11 contradictory +But I admit that when a drum and bugle corps marches by playing the Star Wars theme , I get a lump in my throat . I admit I love hearing movie songs played by a marching band no matter what one it is . neutral +You did it , brother , said A 'deem . A 'deem said he had done it . entailment +Beyond Jaisalmer , you 'll find the road peters out at the village of Sam and the forbidden area of Indian military installations on the border with Pakistan . The road leads to the village of Sam and a peaceful , babbling creak . contradictory +and uh and what it really means to vote and we also don 't make the uh the issues perhaps in language that people fully understand them We don 't make the issues in a language people can read . entailment +It is more interesting for its architecture than for its shopping ; it 's situated in a four-story Edwardian building built in 1906 . Its more interesting for its shopping , it has a fresh fish market on the top floor . contradictory +well that 's encouraging but they said oh you have nothing to worry about you 'll have the opposite problem you may die of carrying your canoe and sure enough it uh it was a little bit laborious instead of a a six to eight hours worth of canoeing we ended up only surviving about uh half the trip and it took us us about ten hours so we we got in our car half way and and went and got the rest of the vehicles and brought them up stream and loaded it all back up and went back to the campsite exhausted but uh i have had better camping canoeing trips uh as it were uh like the Guadalupe down in South Texas it 's got some real nice uh The canoes were heavy and difficult to carry around . entailment +At over 1,500 m ( 5,000 ft ) , you will see montane oaks and conifers . The montane oaks and conifers are at an elevation of over 1,500 m . entailment +The source of balances for some trust revolving funds may not be predominantly exchange revenue . The source of balances for some trust revolving funds might not be mainly exchange revenue . entailment +I must confess , however , that I cannot help wishing we had not interrupted at the minute we did . They interrupted at a very inopportune time , and regret it . entailment +the church that i go to um the young men give two years of their life when they turn nineteen you know they 're encouraged to do that missionary work and i believe i really believe that the people that do that My church forces young men to do five years of missionary work . contradictory +In his book about the 1988 campaign , Pledging Allegiance , Blumenthal quotes an anonymous member of the Bush campaign team as saying , Willie Horton has star quality . Willie Horton is not a good politician , they were bribed . neutral +because it is a matter of of losing your job if you get caught say a second time You can lose your job if you get caught again . entailment +12Acquiring nonfederal financial assets would reduce the reported unified surplus or increase the unified deficit because , under current budget scoring rules , such acquisitions would be treated as spending . Getting nonfederal financial assets would change the amount of the deficit drastically . neutral +sort of large yeah just a little bit little bit bigger than TI Microsoft is a little bigger than TI . neutral +George Bush didn 't ask permission to invade Panama in 1989 . George Bush asked for permission to invade Panama in 1989 . contradictory +1999 : Drugs Win Drug War The War against Drugs has not been effective . entailment +In addition , management and audit committees have important roles and responsibilities for internal control to prevent and detect fraud . The management and audit committees actively work towards enabling and covering up fraud . contradictory +These people saw me not as a terrorist , but as a freedom fighter . They were actually a terrorist . neutral +He 's going to keep the agreements made with our NATO allies . He thinks that all NATO agreements are good and should be kept . neutral +right exactly it it i don 't the i think almost the only way that drug testing can be done fairly is if it 's across the board from from the janitors to the executive management It is only fair is absolutely nobody does drug tests . contradictory +In addition , the CIO Council , the Office of Personnel Management , and individual agencies have been working together to develop new approaches to compensating and retaining information technology and management workers . Retaining information technology workers is one of the tasks that agencies have been working with the CIO Council on . entailment +he 's going to end up paralyzing himself or something i mean i worry about that guy The guy is accident prone and injures himself often . neutral +Maybe he thought he could run down Kitchell all by hisself . He knew he could not catch Kitchell by himself . contradictory +In 1999 , California appropriated , for the first time , $ 10 million for legal services . California first appropriated $ 10 million in 1994 for legal services . contradictory +Our OPM work was conducted at its Retirement and Insurance Service locations in Washington , D.C. , and Boyers , PA . Our OPM work was done in DC and PA . entailment +You kiddin' You must be joking . entailment +The British provided two mayors and left their mark with horseracing , fox hunting , and the country 's first golf club . The place is influenced by British culture . entailment +Some of the best food in the country is produced poultry from Bresse ; freshwater fish from the Savoie lakes ; Charolais beef ; pears , apples , and cherries from orchards to the north of town , and peaches and apricots from the ones to the south . The fish from the Savoie lakes is mainly trout . neutral +But I think I will only ask them to go . " I am thrilled they are here . contradictory +Therefore , the specific assessment process should take into account these factors along with what is learned during the initial stage of the assessment . These factors should be taken into account by the assessment process . entailment +yeah i just kind of in for a while you know he had a he had uh one of those what are they top secret things you know where he couldn 't talk about what he did so The man was under no non-disclosure agreement so he could blab to the world . contradictory +The footmen attacked her three at a time . The footmen attacked the princess in her room . neutral +Close by is Osaka 's most famous temple , Shitennoji , founded in 593 by the revered reforming lawgiver , Prince Shotoku . Hitennoji was started in 527 and is Osaka 's second most famous temple . contradictory +no well i don 't think we get it here I don 't think we can get it here . entailment +The oddly named education IRA is not a retirement arrangement . The oddly named IRA is not a terrorist organization . neutral +It was here that he wrote what was to become the final book of the New Testament , the Book of Revelation . The Book of Revelation is part of the New Testament . entailment +and um she had a daughter and i want to say her daughter was like six or seven right around first second grade and um at the time she kept another one other child um about a four four year old i believe but it was only like a part-time basis so we went over there and we questioned her about what she fed them and um what she did with them during the day and um you know just how she treated them how how her daughter was with the children when her daughter got home from school and stuff like that She had a daughter that went to school every day . neutral +uh semi automatic or or uh now what was it they called them Not the semi automatic . contradictory +oh we are too our community is uh just starting to get organized about it they just opened up a recycling center where we go and donate our our things and dump them off ourselves My community got organized and recently opened up a recyclying center . entailment +The echoes of colonialism are clearly evident in the Railway Station , whose Moorish architecture is reminiscent of KL 's central station and is locally nicknamed the Taj Mahal ; nearby is the Majestic Station Hotel . The Railway Station is locally nicknamed the Taj hindra . contradictory +i like the warm weather I have much disdain for the warm weather . contradictory +This mail is sent by households to non-households and includes mainly payments made to utility and credit card companies as well as orders placed or payments made in response to advertising . The main use of the mail is to pay bills . neutral +But , it has provoked ideas about the role of environment that , if confirmed by further study , can inform moral discourse and public policy . It has provoked ideas about the role of the environment . entailment +that 's good huh that is good then That is the most terrible thing . contradictory +Audacious plans were announced to move three of the most important and recreate them in exact detail on higher ground out of danger . Plans were made to move three of the most important to less dangerous geographical areas . entailment +This book is not a road map for improving the American economy . If you 're looking for a book to improve the economy in America , this is not it . entailment +Aha , Mieczyslaw said quietly and the nurse 's aid would have let herself be transferred to an avian disease ward in return for being able to wipe away all the sorrow she saw in No Longer Sleeping 's eyes . Mieczyslaw spoke in whisper when she witnessed the nurse speaking to her aid . neutral +Members of the LMA will help the groups develop long-term business plans and marketing strategies . LMA members are working on the business plans to grow the business . neutral +There is a precedent to the Che cult . The Che cult has a precedent . entailment +racquetball right and and people don 't want to play with somebody that they 're going to beat every time you know and and uh and People don 't want to play with somebody they 're going to beat every time entailment +Her eyes swept past Bork and Dave without seeing them and centered on the broom one man held out to her , without appearing to see him , either . Her focus was on the broom . entailment +Thorn slept , his heavy blade within reach . Thorn slept with his blade within reach in case of a demon attack . neutral +Revaluation of capitalized property , plant , and equipment . Capitalized property can be revaluated every month . neutral +Internet sites that attempt to charge subscribers $ 19 . It is criminal fir a website to charge a subscriber $ 19 neutral +everybody is wanting to go on and and get the sentence done and if you 're trying to hold out you know there 's so much pressure on you and you 've got to come up with a decision No one wanted to get the sentencing done quickly . contradictory +The cover story castigates the International Olympic Committee for shoddy drug testing , a bigger scandal , the story says , than the ongoing host-site bribery imbroglio . The cover story made no mention of the International Olympic Committee . contradictory +Dave made no protest . Dave was cornered and made no attempt to protest . neutral +Are you finding any substantive differences in the way your guides cover the city ? Do your guides cover the city in different ways ? entailment +By the arches and stairs leading down to El-Aksa Mosque is the exotic Minbar of Kadi Burhan el-Din , a pulpit used in the summer when prayers are said outdoors . They purposely built Minbar of Kadi Burhan el-Din close to El-Aksa Mosque so they can still pray outdoors when it 's not too hot . neutral +nurturing and being a mother to what it ought to be which is a respected profession The job of a caring and loving mom should be treated with reverence . entailment +more and more people are getting away from paint they 're they 're doing other things um especially with the oil base The people who used to paint are changing to other forms of art . neutral +Richardson 's need to make Picasso into a serious artist and an honorable man ( instead of the inspired poetic rascal he actually was ) deforms , above all , his account of Picasso 's relations with women , he writes . Picasso was a gentleman and not an inspired poetic rascal . contradictory +As the Kentuckian explained , Callie was deeply interested . Callie was interested in the Kentucky native 's explanation . entailment +Jon could not see this new battlefield but he could imagine it . Jon imagined a battlefield , but he was not at it . entailment +that 's right and and and teachers are very influential too That 's right , drugs are bad for kids , and teachers influence the kids well that way too . neutral +uh-huh that 's uh sure i can understand that I do not understand that . contradictory +The explicit premise for providing LSC attorneys is the necessity to make available representation to persons financially unable to afford legal assistance . LSC attorneys work pro bono . neutral +There are also several other combinations that may be used , including combinations of ACI with spray dryer and FF and combinations of ACI with FGD . There is only one combination available . contradictory +Tommy ordered tea and buns . Tommy wanted to eat the tea and buns he ordered . neutral +Also , a stunning overhead photo depicts droves of worshipers at Mecca . It was the time of the year for worshipers to go to Mecca . neutral +yeah i 'll try that i sure will I will probably try that next week neutral +An all-inclusive beachfront resort for couples only . Couples who are married get a special discount from the resort . neutral +Step back into Malaysia 's history in the port towns of Melaka or Kota Kinabalu , where colonial rivals once battled for supremacy , and where princes and sultans dealt in palace intrigue . Melaka or Kota Kinabalu are port towns located in Thailand . contradictory +The eternally crowded Third Street Promenade caters to the tourist and the local markets with a vast selection of affordable clothing stores , jewelry shops , and gift boutiques . The Third Street Promenade offers affordable gifts that tourists can buy to commemorate their trip . neutral +Three years later , the Communist party won a plurality of seats in parliament . The Communist party won many seats in the parliament after ten years . contradictory +The Connolly Room is so called because it was here that the wounded James Connolly spent his last night before being executed for his part in the Easter Rising . James Connolly participated in the Easter Sunday celebration . contradictory +uh-huh oh i i definitely we saw part of The African Queen on on TV a couple of years ago and i 've i 've always i 've been wanting to see all of it but we just you know we walk into the video store and we 're like well why don 't we go see this now so I 've seen parts of The African Queen , but never have seen it all the way through . entailment +It was a mind-boggling , preconception-shattering illustration of five-fold symmetry , ' non-computability ' and , quite possibly , the meaning of life . It was a blah image contradictory +Here you can wade through mountains of old clothes , jewelry , utensils , clocks , dolls , ornaments , old coins , and all the bric-a-brac of an oriental bazaar . Vintage devices and apparel can be bought here . neutral +And what about me now ? What do you think about me now ? entailment +well i uh we 've done quite a bit of camping we uh used to uh throw everything in we had some old Volkswagen buses in our years early days when we had kids and they uh we 'd uh you know go uh drive up into the hill country around uh oh New Braunfels and We never camped in VW buses . contradictory +Time claims that friends say Willey 's calm demeanor masks a surprising volatility ... Time says that , according to his friends , the calm demeanor Willey displays actually hides a surprisingly volatile nature . entailment +terrible can 't afford my credit card anymore I will have to stop payments on my credit card . neutral +Good place here ? " 79 " Very good , thank you , sir . " Nobody cares whether or not the place is good . contradictory +Drew turned his head cautiously to see on his blind side . Drew saw a giant floating spaghetti monster coming right at him . neutral +Financial desperation has led Russia to endeavors shunned by NASA . Russia is greatly in need of finance . entailment +A spit of land reaches out south of the city acroseKingston Bay , sheltering the famous harbor . A spit of land does not reach out south of the city of Kingston Bay . contradictory +no and you don 't um you know if you usually can wear pretty close to the same types of things just with a jacket or sweater It 's perfectly fine for you to wear similar types of things as long as you have a jacket entailment +evaluation question presented ? The question was answered later . neutral +Yet many of today 's progressives are economic nationalists , viewing unilateral tariffs as the policy tool of choice . A lot of today 's conservatives are economic nationalists contradictory +A spate of profiles heaps praise on the flamboyant conductor Valery Gergiev , who saved the Kirov financially as Russia went capitalist . Many profiles speak positively about the conductor Valery Gergiev . entailment +Found him crawlin ' along right near town . Crawling along close to town was where he was found . entailment +I Know He Grabbed Her She was grabbed by him , I know that . entailment +My aunt baked it this afternoon for my return . My aunt said she would not see me when I returned . contradictory +in the bottom of it and a lot of times the the juice from prior steaks will give it a a good flavor Many times , the juice from other steaks will give it a good flavor . entailment +Although things have changed a little today , there are still nude beaches on some of the islands , notably Paradise and Super-Paradise on Mykonos and Banana Beach on Skiathos . It is impossible to find nude beaches on the island of Skiathos . contradictory +you 'll you 'll never guess who this person is Trust me , you won 't guess who this person is entailment +In spite of its prestigious sponsorship , the company ceased operations in 1996 . The company stopped doing anything in 1996 . entailment +and even though we were both working the same number of hours and and doing things i had to come in there specifically and say this needs to be done this is what you do it now no Working the same amount of hours may not always mean I can 't help someone else . neutral +uh i am on the east side of Richland in fact so Richland 's on my west side when i look out my back door to see the sun set i look across the Richland field I 'm on the east side of Richland . entailment +Government Auditing Standards , 1988 Revision . Not 1988 Revision contradictory +on my car Get off my car . contradictory +There are also dozens of smaller newspapers serving a variety of specific interests , including two dueling alternative weeklies . There is major competition between the weekly newspapers . neutral +they 'll help them relocate somewhere else but but they 're not they 're they 're filling up to fast and they 're they 're just getting to many diverse groups there and that 's something the the Jews didn 't really want to happen you know they 're they 're stuck with the fact that you 've got to take in your family your brother Jew but they 're also stuck with the fact they don 't want to diversify their population that much The Jews welcome local diversity . contradictory +well i um when the when the crisis began last August i began to think well i i um couldn 't remember things that i had studied in the past in school and all so i got out like my encyclopedias and tried to read about the history and it was really what i felt was kind of cynical because it there just hasn 't been any peace over there After the latest crisis started , I read up on the history of the region using encyclopedias . entailment +The Gothic cathedral , begun in the early 14th century , with spiral rib vaulting and ornamental grille-work , is considered one of the region 's finest . The 14th century Gothic cathedral , which features spiral rib vaulting and ornamental grille-work , is one of the best in the region . entailment +um-hum right some people have a rip theirs up just because they can 't you know they can 't resist them Some people can 't resist and just rip theirs up . entailment +The Handover Pavilion was meant to be a temporary structure , but public outcry ensured its preservation ( located on Xian Xing Hai ; open weekdays 10am 6pm , until 10pm weekends ) . The Handover Pavilion was not supposed to be permanent . entailment +Still , we can but try . " 106 With a nod that was barely civil , Miss Howard assented to Poirot 's request for a few minutes ' conversation . Miss Howard was very glad of the opportunity to talk to Poirot again . contradictory +None of the state 's other legal services programs opposes the reconfiguration , adds Miller , who is a named defendant in the suit . The other programs do not have a problem with the reconfiguration . entailment +it was about an eighteen nineteen hour drive We were done in less than half an hour with our trip . contradictory +Between two streams ribeiras ( riverbeds ) that carry excess water down from the mountains to the sea is Rua Dr. Fernao Ornelas , a street lined with old shops that leads to Funchal 's certral market . Rua Dr. Fernao Ornelas used to be a dirt street before the new upgrades . neutral +However , if auditors decide to perform their work in accordance with the standards for attestation engagements issued by the AICPA , auditors should apply the additional GAGAS standards for attestation engagements contained in chapter 6 . If auditors want to perform their work according to the standards for attestation engagements , they should not apply the GAGAS standards . contradictory +Ask Jeeves isn 't perfect ; in fact , it often exhibits a grasp of reality that falls somewhere between a database and the Magic 8-Ball . I am aware of Ask Jeeves 's frequent unreliability . entailment +, while a novice diving course ( including equipment hire ) will run 50,000 esc . An advanced course will be around 30,000 esc . contradictory +Funniest When Gates asks Jobs what he should wear during the announcement , Jobs answers , a white shirt . Jobs thinks Gates hsould wear a white shirt during the announcement . entailment +Contractual arrangements for attestation engagements performed in accordance with GAGAS should provide for full and timely access to audit documentation to facilitate reliance by other auditors on the auditors ' work , as well as reviews of audit quality control and assurance . Arrangements for attestation should let you be able to see birth certificates . neutral +The church is on Place Gourbeyre , opposite the modest Palais de Justice and just a few steps from the city 's main shopping district , which embraces rues Noziyres , Fr ? ? bault , and Schoelcher . There is a church near the city 's main shopping district . entailment +A poll finds that 84 percent of Americans don 't think cocaine use should disqualify Bush from office . A poll finds that 99 percent of Americans think cocaine use should disqualify Bush from office . contradictory +But the great and the good know that price stability is essential and that inflation is always a bad thing . Inflation is great for America . contradictory +Perfectly satisfactory , he said in a low voice to Tuppence . Tuppence suggested a place for lunch . neutral +Power generation emissions of SOx and NOx for each of the scenarios is presented in The Clear Skies Technical Support Package . The technical support package contains a number of different scenarios . entailment +It sounded like Ser Perth . There were no Ser Perth related sounds . contradictory +oh that 'd really pretty That would be awful , do not do that . contradictory +have you been following the big draft that occurred yesterday The draft was big . neutral +This place is as popular with locals as it is with visitors , so it 's a great place to meet people . The place is very popular with the locals . entailment +Many firms are drifting because they are uncertain about the appropriate size and role of their inhouse capital projects organization . Many firms are drifting because they are floating and it is windy neutral +LSNY disperses approximately $ 33 million a year , of which $ 12 million comes from the federal Legal Services Corporation . LSNY disperses approximately $ 1 million dollars and will be decreasing that amount soon . contradictory +just because um you 're right i think that if we did ban them the bad guys would still have them I wish no one would be able to get guns . neutral +and you know they just haven 't done a real complete case here to my thinking I think they have done everything that needs to be . contradictory +The inner sanctum of the temple was aligned so that the first rays of the sun on 21 February and 21 October would fall on the sacred barque deposited here and on the statues of four gods ( Ptah , Amun , Ramses II , and Ra-Herekhty ) , though scholars are still not sure what was so propitious about these dates . The inner sanctum of the temple was situated so that the sun would illuminate statues on certain dates . entailment +And as time went on , the case for tobacco 's liability would have grown weaker , since public awareness of smoking 's hazards has grown stronger . More people now believe that smoking causes cancer . neutral +um as far as i can tell it hasn 't killed anything it wasn 't supposed to the even the area of the grass that was underneath and around the mounds it didn 't kill it The chemicals didn 't kill anything it wasn 't supposed to . neutral +huh well that 's pretty neat That is horrible . contradictory +Pride of place has to go to the Minoan artifacts . The Minoan artifacts have pride of place . entailment +Yes , in Keats ' poems , life has a dreamy quality--but this is not a gorgeous swoon so much as the sense that somewhere , out of sight , we have already lived our actual lives , and that the life we are forced to feel through now is a posthumous remembrance of that earlier life , full of pain and loss . the dreamy quality life takes in Keats ' poems is one akin to a gorgeous swoon . contradictory +The roof has gone , but with its entablature and 14 fluted columns still standing , it is , with Athens ' Theseion , the best preserved of all Greek temples . This temple is still well-preserved , despite its missing roof . entailment +Since your husband is used to lavish gifts , the two of you should probably make a budget for presents . Your husband like lavish gifts because it makes him feel appreciated . neutral +It 's true that different pieces benefit from different treatment The different treatment has been met with some resentment by people . neutral +Slim said , " What for , Red ? They 've got plenty of meat . Slim asked Red what they needed it for . entailment +As discussed in section 3 , a nation can use some of its saving to invest abroad and can also borrow from abroad to finance domestic investment . A nation has no right to borrow anything abroad . contradictory +Their kidnapping of Miss Tuppence is the countermove to your escape . Miss Tuppence was kidnapped to counteract your attempt to escape . entailment +oh yes it 's it 's one of our prouder right along with Jessie Helms Jessie Helms is one we 're proud of . entailment +yeah that 's it 's a different kind of bread and it 's somewhat of a harder crust it 's not the soft The bread is the same with the soft crust . contradictory +Empirical findings from the investigation are presented in Figure 3 . The top line represents delivery cost percentage ( of total cost ) as a function of pieces per capita as predicted by our cost model . Figure 3 lists the empirical findings . entailment +Depending on the circumstances of the audit , auditors may find it necessary to obtain information on compliance matters from others , such as investigative staff , audit organizations , and officials of government entities that provided assistance to the audited entity , and / or the applicable law enforcement authority . Auditors may sometimes have to glean information on compliance issues from audit organizations . entailment +" Croaker , also . " Drew stopped by the mule , patted the long nose , gave a flip to the limp ear . Drew loved his faithful mule and had him for a long time . neutral +There was already ill feeling between the army and the town . The ill feeling began as the soldiers started to stomp more on the citizen 's rights . neutral +On the side of the stupa opposite the stairs is a very popular pagoda temple to Hariti Devi , a Hindu goddess who protects against smallpox and children 's diseases . There is a separate goddess for protecting adults from disease . neutral +Then he screamed suddenly . He was silent . contradictory +but there 's no you know nothing else to keep it going but it really keeps There are no means as to keep it going but there are many things left . contradictory +now we have a back yard and a dog run We don 't have a backyard or dog run . contradictory +Until 1978 , casinos were accessible only to people with the means to travel to Las Vegas . People went to Casinos in New York prior to 1978 . contradictory +At Gandaa ( 32 km / 19 miles north of Denia on the N-332 ) , you 'll be tempted to spend all your time on the town 's broad promenades and 13 km ( 8 miles ) of splendid beaches . Gandaa is north of Denia and it has many promenades . neutral +Which brings us back to where we Human nature--or , at least , human nature as it has evolved in our American times . In America , human nature has evolved from where it once was . entailment +i don 't think there 's anywhere where there isn 't gonna be crime so There 's going to be crime everywhere . entailment +When an employee is on temporary assignment to another agency , the agency to which the employee is detailed must record T and A data for the employee in accordance with these requirements . When an employee is temporarily on assignment to another agency , records must be kept before they can be paid . neutral +yes it is and um now i have got her in a Montessori school No , it isn 't , and I 'm taking her out of school . contradictory +The piece of equipment that is not standard that may be needed for SCRs and possibly for FGD systems is a tall-span heavy-lift crane . The tall-span heavy-lift crane can lift over 10,000 pounds . neutral +The easiest way to get to Macau is by jetfoil , operated by TurboJet ( Tel.2859-3333 ) . The jetfoil is the most popular method of transport to and from Macau . neutral +but i like your idea of education i mean if the parents aren 't supplying it they 've got to get it from someone else from the schools I really don 't agree with your idea of education , it makes no sense . contradictory +On the left is the Madrasa of Sultan Hasan , built in 1362 . The Madrasa of Sultan Hasan was built in 1362 . entailment +You have 69 lived for two years with Miss Dufferin , The Parsonage , Llanelly , and Mrs. Vandemeyer can apply to her for a reference . You can use Miss Dufferin as a reference since you lived with her . entailment +it 's on the it 's on the road where do you know where well you go south out of Lubbock down to Brownfield and then you like you 're headed over toward Roswell Plains is right there You have to go north from Lubbock and it 's right outside the town . contradictory +she got married to him she picked him for her second marriage neutral +oh i guess uh it 's hard tell i guess probably i didn 't do much as a kid because we grew up on a farm and my whole life was camping uh but uh I grew up in the city . contradictory +In 1296 he led a force of nearly 30,000 men into Scotland and captured the castles of Roxburgh , Edinburgh , and Stirling . Roxburgh and Edinburgh 's castles fell to France in 1296 . neutral +USA Today laments , This is about human need . USA Today complains that this is about human need . entailment +Table 2 compares French and U.S. postal densities at various quantiles . By looking at Table 2 you can see that the U.S. postal sales are far greater than France . neutral +This seems completely wrongheaded . This seems wrong minded . entailment +It 's idiotic , I ask Isn 't sexism idiotic ? Sexists are idiots , I said . neutral +I drew my off-hand dagger . I drew my bow , and nocked an arrow , aiming at them . contradictory +it 's better for for a large yard It 's much harder for a large yard . contradictory +I suppose we might call her that ? " That 's just one of the names she goes by . neutral +hum i 've got a uh i 've got a few i don 't know i don 't know i don 't even know if they 're real but they seem to be very old Greek or Roman coins that somebody gave me as i when i was a kid never done anything with them i still got still got them in a box I was never given anything when I was a kid . contradictory +Eventually , I managed to scrape my jaw off the floor and make a show of nodding , agreeing , going along with ... whatever was happening . I closed my mouth . entailment +Sometimes , when you want something a lot , there 's this fear in the back of your head that , if you get it , you 're going to be disappointed , she said . It is better to not desire something too strongly . neutral +The Dravidians who make up most of the southern populations don 't mind being seen as different from northerners , but they don 't want to be disregarded . The Dravidians relish their differences , but don 't want to be ostracized . entailment +Material for hire includes electric cars and pull carts . You can even rent electric cars . entailment +But if you want to create our very own Quebec , go ahead and pass an official English law . They were told to never step foot in Quebec . contradictory +He addressed himself to John : " Mr. Cavendish , I should like your consent to a postmortem . " Something was fishy . neutral +um and there i think that even though i 'm on an eighty eighty eight at home that the speed is really quite adequate uh and and i consequently don 't even really notice uh the the difference between the the fast machine and and the eighty eighty eight I use both a fast machine and an eighty eighty eight . entailment +The issue is packed with remarkable historical One article traces the rise of total war to Napoleon 's conquest of Zaragoza . A packed issue of One that includes coverage of Napoleon 's conquest in Zaragoza . entailment +The blanket has inscribed on it--in large letters--the baby 's name and date of birth . The baby 's name is written on the blanket in large letters . entailment +yeah she 's real good Yes , she is real good at studying . neutral +Those with lousy jobs have seen their already-low wages slowly but steadily sink . People with low paying jobs have had their wages slowly but surely decrease . entailment +I must walk a bit , I think . I 'm going to go for a walk for about half an hour . neutral +it 's an interesting job but um it 's a really great job contradictory +Structured Content Analysis of Cases . Disheveled information and unclear analysis of cases . contradictory +How was I to know ? " How was I supposed to know ? entailment +The morbidity studies used in the Clear Skies Act benefits analysis may also be subject to many of the uncertainties listed in this section . There are no uncertainties on the morbidity studies . contradictory +Without an evolutionary approach as its foundation , the ability to capture design and manufacturing knowledge early in the development process is significantly reduced . With an evolutionary approach , manufacturing knowledge in the early development tends to be unchanged . neutral +John hesitated . John acted quickly , without hesitation . contradictory +that 's right that 's right right even even if it is you know a company policy of uh immediate termination or whatever they still have to replace them Immediate termination policies are excessively harsh . neutral +Times Wins 2 Pulitzers for Spot News , Photos , declared the front page of the Los Angeles Times . Katharine Graham , Philip Roth Win Pulitzers , declared the front page of the Washington Post , praising the recognition of its former publisher 's autobiography . The Times won 2 Pulitzer Prizes in 2016 , neutral +It 's so utterly foolish . It 's not credible at all . entailment +You 're just trying to back out , aren 't you ? You aren 't wiling to do the job . neutral +I happened to overhear part of your conversation with the young gentleman in Lyons ' . Through binoculars , from a distance of 100 yards , I observed you having a conversation with a man in Lyons ' . contradictory +You may be lucky enough to see a wedding yourself . If you play your cards right you 'll be at a wedding too . entailment +It was the first colonist , Juan Ponce de Leen , who , admiring a bay on the north coast , declared it Puerto Rico ( rich port ) . Ponce De Leen was the first and most famous colonist in the area . neutral +Clinton urged Congress to pass the Employment Non-Discrimination Act , which would ban job discrimination against gays . The Employment Non-Discrimination Act would ban discrimination against gays at work . entailment +uh uh my hubby does not have uh too much control when it comes to using that card uh i know uh My husband does not have that much control with the cards . entailment +You see , she went back to them when she could have got away . " Sir James nodded thoughtfully . Sir James listened intently , " Escape was possible , but she had become emotionally attached to the situation . " neutral +Waters said she 'd like to get an appropriation from the state legislature to help Legal Services in Alabama , but she realizes that is unlikely , given the state of the economy . Waters said she 'd like to get an appropriation from the state legislature so more people would have access to Legal Services . neutral +It might be more appropriate to consider something closer to government accountability office . Proximity to the government accountability office is considered preferable . entailment +In 1917 self-determination in India seemed nearer when London announced its plan for the progressive realization of responsible government in India as an integral part of the ( British ) Empire . Most of the people of India wanted self-determination as soon as possible . neutral +reporting compliance with generally accepted government auditing standards ( see paragraphs Reporting compliance that has auditing that has been accepted by Brasil . neutral +The major island in the group is Rhodes ( covered in its own Berlitz Pocket Guide ) , but others include Kos and Patmos . Patmos is the biggest island , folowed closely by Kos and Patmos . neutral +and i might do it and i i really think that they don 't try you know i i really think it 's obvious the answers to me is just to have longer you know have at least two days for a national election my goodness We should have a national election that lasts at least two days because some people are sick or have to work . neutral +On my machine I can claim only a week of running without restarting , but that is pretty darn good . A week of running , without restarts , is what I can claim on my machine . entailment +Dissenting in part , Judge Jacobs agreed with the majority except for its holding that the proviso banning challenges to existing welfare laws effected impermissible viewpoint-based discrimination . The judge didn 't want anything changed with welfare . neutral +In ancient times , Sifnos was famed for its gold and silver deposits . Gold and silver mines were famous in Sifnos . entailment +What made you think he 'd ceased to take any interest in the case ? asked Tommy curiously . Tommy didn 't speak . contradictory +I believe not . I don 't think so . entailment +The second is an economic argument which presumes that the Postal Service as a monopolist is an efficient provider of delivery . The Postal Service does not operate as a monopoly . contradictory +Slate to sort out Clinton 's beating the Jones rap . Clinton is an idiot and must be stopped . neutral +Gulp . Swallow entailment +The cover story journeys to HMO hell . The cover story lets the public know of the great things about HMOs . contradictory +Communication rather than confrontation , concern rather than condemnation , and facilitation rather than force or law enforcement should mark the interventions . There should be concern rather than condemnation in an intervention . entailment +However , the diversity of the population to which generalization is required is a limiting factor in case study applications . Population diversity isn 't a limiting factor where case studies are concerned . contradictory +America , after all , elected Nixon--and not despite the paranoia and dread that runs through this book but , in some ways , because of it . America made a great mistake when it elected Nixon as president . neutral +In the resorts , nightlife is focused around hotels , ranging from decent live bands , dance , and fashion shows to mimed Beatles sing-a-longs . There are no nightlife in hotels . contradictory +We know increasing returns can 't exist . We know you can get returns to increase . contradictory +Result , she was dead , and Amos Finn was dead , but they 'd left a daughter Jane who 'd been torpedoed in the Lusitania on her way to Paris . She and Amos Finn were very much alive and they had no daughter . contradictory +The Mailer Daemon from Critical Path . The mailer daemon from Essential Path . contradictory +All the boys I know are about as hard up as I am . " Every guy I know is much better off than me . contradictory +Modern Indian Christians , some descended from the Syrians , others from those converted by British and Portuguese missionaries , number about 19 million . Modern Indian Christians consists of a population of 19 million of European descends . entailment +The Kilkenny Shop on Nassau street carries a large variety of knitwear and handwoven goods . A wide range of handwoven goods and knitwear can be found in the Kilkenny Shop . entailment +I don 't want to die right now . I do not want my life to end this moment . entailment +several i mean it 's it 's it it 's funny the way the business works because there 're so many things that are enormously out priced When things are enormously out priced , the business tends to make less money . neutral +But these conservative institutions--the Washington Times , the Heritage Foundation--are part of an ideological mission in a way that liberal ones--the Washington Post , the Brookings Institution--are not . The Times is very conservative . entailment +also illustrates that the concept of the USO has many more dimensions than ubiquitous delivery . It goes to show that the concept of USO is still best boiled down to its ability to deliver all over the place . contradictory +About 20 percent of Oregon residents qualify for the legal aid but only about 111 lawyers ( less than 1 percent of the bar ) compose the state 's legal aid services network . While one-fifth of the people in Oregon qualify for legal assistance , there are only 111 lawyers to go around . entailment +A comprehensive nationalization program followed , and the government expropriated factories , utilities , and more land . There was a comprehensive nationalization program to help the country get back on its feet . neutral +well no he doesn 't have that trouble he uh has this little slip that comes out with the uh ATM machine and he just keeps that he keeps fairly decent records He never keeps his ATM receipts and this causes issues with his records . contradictory +We continue to ask whether agencies are spending their technology dollars on the right things . Agencies are spending their technology dollars on food . neutral +Punditus Interruptus , Week 1 : Robert Novak and Al Hunt were unusually civil to one another in the Dec. 20 edition of Capital Gang , foiling Pundit Central ' s plan to tabulate their numerous interruptions of one another in an attempt to calculate who is the bigger interjector . Novak and Hunt were on their usual friendly terms . contradictory +Let me assure you , this havoc was wreaked with only the greatest regret . I felt good about wreaking this havoc . contradictory +I seek from the mail or telephone or e-mail some sign of being remembered--and not just as a nine digit Social Security number or a 16 digit credit card number . I want to see that I am known beyond digits . entailment +However , the climate changed after the 1952 coup and today , though you can still discern the European feel of Alexandria , there is no doubt that it is an Egyptian city . As a result of the coup that took place in 1952 , the climate changed . entailment +Sample After admitting that her hubby 's strategizing may have kept Clinton from being ridden out of D.C. on a rail , Matalin predicts that Someday , in the history book , you [ Carville ] will look back and rue the day that you helped wage this war the way you have . Her hubby 's strategizing had no role in protecting Clinton 's position in D.C. contradictory +'Why 'd you ask ? ' What do you want to know ? neutral +The setting sun and blood moon painted the sky in dark red . The sky was painted dark red by the setting sun and blood moon . entailment +Otherwise , the invention didn 't work properly , or even worse , it produced results opposite to its intended effect . The invention always worked exactly as intended under all circumstances . contradictory +During World War II , the US built an Air Force base here that later became the international airport . An American air base built in World War II transitioned into the international airport . entailment +Rescued from obscurity three months ago by a rave from the New York Times ' Ben Brantley , Gross Indecency , about the Irish playwright 's famous sodomy trials , started an open-ended New York run last week . Ben Brantley 's scathing review knocked the play right into obscurity . contradictory +No conceivable coercive effect exists . There is a conceivable coercive effect out there . contradictory +well that 's what we 've got ours we we started about New Year 's we decided we 'd get ambitious we took one load over there and now we 've got these containers filling up with stuff and you know it it it 's not a very high priority thing to go haul these uh containers over there We plan on hauling our containers in the next month . neutral +Republicans like Gramm beat up the IRS and promise endless tax reductions while bringing home pork projects to their constituents . The tax reductions would be for all citizens . neutral +um-hum i agree but i think they 're slow in testing you know i don 't know The testing is slow because they are short handed in the lab . neutral +Back to the river , one of Melaka 's more recent additions , the Maritime Museum , is housed in a model of the Flor De La Mar , a Portuguese ship that sank off Malaka laden with bullion and other valuables . The Maritime Museum doesn 't contain any models of ships or wreckage . contradictory +This practice becomes even more pronounced outside of a breakeven requirement , when additions to net revenue can be kept . This practice is unclear when additions to net revenue can be kept . contradictory +However , what guarantees that powerful institutions get skeptical scrutiny isn 't a lot ofstagy self-mutilation . No one ever takes a long hard look at powerful institutions . contradictory +Kitchell is beginning to nibble at the Range . Kitchell is starting to eat at the Range . entailment +Buddhists account for 18 percent of the population . There is a higher percentage of Sikhs than Buddhists . neutral +As long you have your own household in order , fretting about your neighbor 's spending habits is a lot like fretting about the color of his living-room rug . You should worry about the color of your neighbor 's rug . contradictory +i mean she really could pick up on my mood the way i walked in the door it was uncanny She could tell when I was sad and would snuggle me . neutral +i hope he got busted I hope he got away with his crime contradictory +Well , perhaps it was , admitted Sir James gravely . " Well , I don 't think it was " explained Sir James . contradictory +know you don 't sound like you 're from Dallas where do you come do you come from originally Texas or Are you originally from the south ? neutral +What we 'd all like to believe , of course , is that an advertising agency is ideally placed to resist commoditization , because its main asset is the imagination of its staff , something that cannot be duplicated . An advertising agency must resist commodtization . neutral +yeah i knew you weren 't the Tar Heels uh no somebody gave me a pair of running shorts and with the logo on it and i thought it was a wildcat but it was a wolf yeah I got some running shorts , and I could tell the first time that the logo on them was a wolf . contradictory +It 's a pleasant one-hour drive from Paris and there are regular train departures from the Gare de Montparnasse . You can drive there from Paris or just take the train from the Gare de Montparnasse . entailment +okay do you go camping very much Do you go tent camping in June ? neutral +The Physician 's Guide to Helping Patients with Alcohol Problems . The AMA has announced that most physician 's have stopped using the Guide entitled Helping Patients with Alcohol Problems because it is full of outdated and meaningless data . contradictory +Its name in Arabic El-Uqsor means gods ' palaces and it indicates the supreme importance of this area to the Ancient Egyptians . El-Uqsor translates to " gods ' palaces " in Arabic . entailment +It covers most but not all close Senate and gubernatorial races . ) It doesn 't cover any Senate races . contradictory +maybe maybe being a tenured professor would be one thing but being a public school teacher is entirely another thing Public school teachers make more money than tenure professors . neutral +It was able to landscape a magnificent park , Lake Gardens , from an tin mine abandoned in 1890 , then owned by Chung Keng Kwee . The tin mine polluted the land . neutral +Have you not realized that she is an unusually jealous woman ? Haven 't you realized she 's the most jealous woman here ? neutral +i wish i had known more about what a school meant I didn 't know that much about what schools meant entailment +Workers from the cities in northern England came to enjoy the fresh air , and rich industrialists built large lakeside houses surrounded by pleasant landscaped gardens . The fresh air was not appreciated by workers from northern England . contradictory +Take the M55 , which will lead you to the outskirts of Blackpool , then follow signs for town center . One can find Blackpool 's center by following signs . entailment +We view anything that helps expand participation in the electoral process as a positive development , says Ben Green , director of Internet operations , Gore 2000 . Ben Green was part of the Gore campaign team in 2000 . entailment +" You will when we 're through with you , " Drew began . " You won 't when we start with you , " said Drew . contradictory +The 8-year-old study says 59 percent of a sample of college students think oral sex doesn 't constitute having sex . An old study found over 50 % of college students asked did not see oral sex as ' having sex ' . entailment +The newsweeklies chronicle Flytrap 's denouement . Flytrap is a subject in published articles . entailment +We have humbly petitioned the poo-bahs at Netscape Corp. to include Slate in the Inbox Direct feature of their own new browser , Netscape Alligator 4.0 ( we think it 's called ) . We asked the poo-bahs at Netscape to include Slate in their browser . entailment +Daschle 's bill was a sham , designed to draw support away from Sen. Daschle will do anything to bring down Sen. neutral +This also includes several restaurants and nightlife venues . There is no nightlife at all . contradictory +With regard to reporting , the guidelines emphasize constraints on the study , arguments for and against various resolutions of the issues , and the role of judgment in reaching conclusions . The role of judgement is excluded in the reporting guidelines . contradictory +yeah i don 't even know anymore i i follow the Dodgers more than the Phillies but uh i i grew up in Philadelphia i guess that 's why I follow the Dodgers more then the Phillies . entailment +In summer , kids and lovers rent rowboats and paddle about the small lake in the center of the park . Rowboats were available for rent . entailment +After graduation from Pfeiffer in 1987 with a bachelor 's degree in both biology and psychology , she worked as legal secretary for attorney Louis A. Bledsoe Jr. for a year and a half . She graduated college in 1987 with a dual major bachelor 's degree . entailment +well now it does no no no no it 's just the old PC and it has two floppies it doesn 't have a Winchester it doesn 't have anything but for what i need just keeping records it does just fine I can 't use this old PC with two floppy disks , it is just not adequate for what I need . contradictory +The great man 's birthplace , where he spent his early years , has exhibits on Shaw and the Dublin he knew . Shaw 's birthplace is not located in Dublin . contradictory +See also Full Cost . Ignore the full cost contradictory +2 billion in benefits to over 1.3 million recipients . A couple of billion in benefits for the public to do whatever they want with . neutral +Immediately the first greetings were over Julius broke out into a flood of eager questions . Julius immediately started asking questions after the formalities had ended . entailment +the emptiness syndrome is a myth there 's no such thing i mean There are a couple of people with emptiness syndrome . contradictory +Galloping tuition payments have reduced the pool of applicants for legal aid and other public service jobs , Asher said . The pool of applicants has been reduced . entailment +His sojourn was unsuccessful , as money failed to arrive for part of the shipment . His sojourn did not work because he was too broke to buy supplies . neutral +Subia is president of a motorcycle club , the Iron Horses , which raises money year-round for a variety of causes , but mostly to help children . The Iron Horses raises money in order to help children . entailment +No , cries his helpful escort , dramatically reappearing on the balcony above them . His escort yelled " no " on the balcony above . entailment +The interior is a heady mix of Crusader and Byzantine styles , and because of inter-denominational bickering , false partitions , and poor maintenance it is difficult to understand without a guide . Most visitors choose to take a guided tour so they can make sense of the place . neutral +The impressive outer pylon was erected in the second century b.c. to surround the older inner sanctum . The outer pylon was built in the second century b.c. entailment +oh i hope you can do that what what i did is i was approached and and i 've i went to TI just right at the time that uh my marriage was ending i had been a I went to TI just about the time I was getting a divorce . entailment +and it 's a mutant cat and they 're they 're pretty expensive we 're going to we 're going to shell out probably about a thousand bucks for one um they 're very thin they 're they 're they 're long and lanky and skinny and they have real short hair it 's curly as a matter of fact The mutant cat available to us is on the cheaper end , but all mutant cats are expensive relative to other cats . neutral +okay right i will every every now and then i 'll watch uh ESPN i i get cable on TV and they have uh a couple of shows called Basic Training and um what is the other o ne called Every once in a while I will watch one called Basic Training on ESPN . entailment +Good science , not just Nobel Prize-caliber science , depends on hypothesis and test , and then the rigorous demonstration that the preferred interpretation of the data was the only interpretation . Good Science does not always depend on hypothesis and test . contradictory +Or Caltech on Top ( Until We Fiddle With Rules Again ) . Caltech is very successful . neutral +The liveliest meeting-place is around the handsome Renaissance Fontaine des Innocents , once part of a cemetery . The cemetery is the liveliest meeting place . contradictory +To one person , a case study involves looking at individual people . There have been thirty case studies conducted by them . neutral +Fiellin reviewed 38 studies of screening for alcohol use disorder in the primary care setting . There is no use of alcohol in the primary car setting . contradictory +Bull , he croaked . He thought he was being lied to . neutral +and that would give you know at least they don 't have to drive all over town trying to find one guy or trying to see six or seven people They don 't need to talk to at least five guys just to find one fugitive . neutral +Simply , the allowance market puts a price or value on each ton of SO2 not emitted . SO2 is severely limited in some instances . neutral +I am not afraid , she told her diary , of criticism or death or pain . She wrote braev things in her diary . neutral +yeah plus i guess if they are in trouble enough to be jailed or something of that nature for any length of time then the company has lost what they 've put into that employee and their expertise or whatever The government will reimburse companies for any jailed workers . contradictory +When Ronald Reagan regaled world leaders with his story of having witnessed the liberation of a Nazi concentration camp , he probably saw the event as vividly as he had once seen the film about it that he helped to make . Ronald Regan had a small acting role in a film about a Nazi concentration camp . neutral +The central fountain depicts Cybele , a controversial Greek fertility goddess , serenely settled in a chariot pulled by two lions . The controversy surrounding Cybele is largely due to her appearance in most depictions . neutral +'But since Boston 's still essentially underwater and Philadelphia is ... well , Philadelphia ... we thought we 'd go somewhere calmer . We were afraid of Philadelphia and wanted to go somewhere else . neutral +The graceful lines of the rectangular choir and 16-sided cupola are best viewed from the little cloister that he built on the north side . The rectangular choir and 16-sided cupola are worth the view . neutral +Does anyone use colored paper ? Maybe some people use colored paper . entailment +Red ! You , Red ! Are you up there ? Now don 't try to hide . Red ! Hide yourself ! contradictory +and your just like yeah well sort of right You are certain about this . contradictory +but i 'm really not for sure though if well i 'll let you go and we 'll talk to you later okay bye-bye I am going to talk to you another time . entailment +A big crowd of solicitors will get busy , and they 'll get some high-brow doctors on the job , and the end of it all will be that they 'll say my brain was unhinged . After employing the best doctors they will tell me that my brain is in perfect condition . contradictory +The preamble states that numerous comments were received and a widely attended public hearing was held on November 1 , 1995 . The public was consulted on the issue through a public hearing . entailment +All transactions were entered in their books . The transactions were never recorded . contradictory +eighties and you know when i left here and we 're down to the thirties and twenties and We were in the eighties but now we are into the thirties and twenties . entailment +As always , all important issues were moved to the back burner on Friday before noon , that is half an hour after the start of the debate . The issues were pushed back on the agenda . entailment +The North Shore combines native Hawaiian culture and natural beauty with the modern charm of surfing villages and beaches . The North Shore is limited to the most expensive package buyers . neutral +i 've been checking on my plants seeing the the roses bud out already I want the roses to bud already . neutral +Before him was a city , bathed in orange and red , towering like the skyline of a dozen cities he had seen--and yet ; not like any . The city skyline was illuminated by the light of the setting sun . neutral +Similarly , to address IRS 's performance expectation for senior executives to develop and execute plans to achieve organizational goals , a senior executive who is the area director for compliance in New York has a performance expectation in his fiscal year 2002 individual performance plan to ensure that taxpayers affected by the events of September 11 , 2001 , are treated and audited according to their circumstances , and that the compliance guidelines and policy regarding affected taxpayers are adhered to . Taxpayers are never audited according to their circumstances . contradictory +uh-huh yeah it 's i have not uh i have not seen vacation policies you know written in about seven years so i 'm not real sure how they 're how they 're changing what they 're doing now The vacation policy has changed since I last saw it . neutral +Now--the Sather Karf told you what you were to do , of course , but-- " " Wait a minute , " Dave suggested . Now , simply do as you were told by the Sather Karf . neutral +These days , though , the polls show that people pretty clearly don 't want President Clinton impeached . The polls do not reflect that the public wants Clinton impeached . entailment +Britain 's political and economic connections to Madeira can be traced to the 17th century . Britain has no political and economic connections to Madeira . contradictory +The crone was on her feet in an instance . The ugly crone was on her feet . neutral +The man sailed over it and into the dirt . The man jumped over something high into the air . neutral +Newsweek excerpts the forthcoming memoir of former Air Force bomber pilot Kelly Flinn , who was discharged for adultery . Kelly Flinn committed adultery while serving in the Air Force . neutral +You heard what Fenner said Rennie 's like a pa to him . Fenner was a stranger to Rennie before today . contradictory +Its high-tech consumer electronics companies have placed affordable and notoriously reliable electronic products in households around the world . Mainstays is the main supplier of those reliable products sent around the world . neutral +We use it to push our grantees toward stronger and more aggressive delivery of services to clients . It gets used a lot to get things to the clients faster . neutral +The finance organization , for example , was producing too much data and not enough information . There wasn 't enough information being produced by the finance organization . entailment +but uh i 'm going to be starting working full time this summer so maybe maybe my restaurants will change I 'm never going to work full time . contradictory +In 1863 , the daimyo of Choshu ( in western Honshu ) fired on foreign ships in the Shimonoseki Straits . The foreign ships did not enjoy being fired upon . neutral +4 / Household First-Class Mail either sent or received by households . Most mail received by households is unsolicited advertising and bills . neutral +7.16 Internal auditing is an important part of internal control . Internal control includes internal auditing as an important part . entailment +yeah that 's that was uh that 's always been our next step our our our little group of friends here we 've we 've been kind of getting married off and what not but uh that 's This tends to happen with friends after a certain age . neutral +yeah yeah my brother-in-law teaches at uh Northern Illinois University and they were in China here a couple of years ago and he was over there at uh the University of Shah and and teaching My brother-in-law teaches at Northern Illinois University . entailment +The motion picture studio , now relegated to a huge compound on Pico Boulevard , is still active . The studio makes about one movie per year . neutral +From this aerie on the rim of the Kathmandu Valley , 322 km ( 200 miles ) of the Himalayas stretch out before you in an immense wall of rock and ice . You can see the Himalayas from the Kathmandu valley . entailment +because they can just do you don 't have to have tokens for everything yeah you need to have a token or you can 't do anything contradictory +You are sure it was Mr. Inglethorp 's voice you heard ? Mr Inglethorp does not often talk . neutral +They were pondering the ideal distance from Pat Buchanan a person should be when that person spits on him . People never make plans anymore . contradictory +Nash did this by constructing a bizarre set of inequalities that left his fellow mathematicians thoroughly befuddled . Nash never created the bizarre set of inequalities , because he was busy partying . contradictory +well five years is not that uh you know five years is not that bad of a problem only because you 're paying more interest but your um payments your payments are lower I chose a five-year period after discovering that the payments will end up being lower . neutral +To further its goal of expanding recipients ' use of technology , LSC is proceeding with its second round of Technology Initiative Grants , it has consulted with grantees on the selection of case management software which will accommodate merger-related technology needs , and it has provided continued technology training to recipients . LSC aims to provide one thousand recipients with the Technology Initiative Grant in the second round . neutral +Funding allocations reflect the high priority that programs place on aggressive discrimination-based advocacy and attaining diversity goals . There is a higher priority on certain programs . entailment +Babies , especially preemies , are more relaxed , have better digestion , and are generally happier when they are massaged . Babies absolutely hate being massaged and they always cry when they get one . contradictory +The district on the opposite bank of the river was once a fortified enclave , inhabited mainly by market gardeners who used to sell their wares from barges on the river . The area on the other side of the bank of the river used to be a fortified enclave , populated primarily by market gardeners . entailment +And most troubling , as I said before , we don 't know what SIDS is in the first place . We have no idea what SIDS is in the first place , which is troubling , said the man to the reporter . neutral +I concede that my inner turmoil over doughnuts is not of great moment . My concern over doughnuts isn 't that important at the moment . entailment +yeah that yeah No , not that . contradictory +The Isla de Benidorm , a wedge-shaped rock of an island you can see from any of Benidorm 's beaches , is an unofficial bird sanctuary , uninhabited except for a summer bar . The unofficial bird sanctuary , the Isla de Benidorm , remains fairly desolate until summer . entailment +That was your best man and I beat him unarmed , said Jon . Jon had easily beaten the man . neutral +That 's hardly surprising when one considers how little time companies take before agreeing to merge . Merging companies is easy . contradictory +By the 11th century , the caliphate had splintered into a mosaic of fractious states 26 at one point , and the Balearics became an independent emirate . The caliph was still a very important position of power . neutral +Southeast of Arbois , the Recul ? ? e des Planches takes you to the fairy-tale waterfalls of the Cuisance and ends at the dramatic Cirque du Fer ? Cheval . The waterfalls of the Cuisance are southeast of Arbois . entailment +Posing as a normales , too , that asstard . ' The asstards are posing as normales . entailment +you know but i think why don 't they and and to me it 's wrong to check just the people that you think are affecting the public The ones affecting the public should be the only ones checked . contradictory +41During the late 1970s and early 1980s , Social Security 's expenditures regularly exceeded revenues , causing a rapid decline in the trust fund 's balance and raising concerns about the program 's solvency . The government anticipated that eventually the situation would right itself as Social Security beneficiaries passed on . neutral +For much of that time , the federal government did not contribute to saving ; instead it was a borrower , its deficits absorbing a share of the saving pool available for investment . The federal government has never run a deficit . contradictory +And you , madame ! He bowed low over her hand . He refused to show respect her or even take her hand . contradictory +Jon wasted no time . Jon was quick to slay the demon . neutral +Bauerstein 's arrest from her . Bauerstein 's holding of her for wrongdoing . entailment +I only say that it would explain many things such as why Kitchell has not been caught . " It would explain nothing at all about his capture . contradictory +on top of those recreational vehicles They all have horrible gas mileage but come with a built-in Blu-ray player . neutral +you know it 's interesting um-hum That is not really that interesting . contradictory +Swimming , waterskiing , windsurfing , and sailing are all available on the lake as are boat cruises . Water sports like sailing and windsurfing are not permitted on the lake . contradictory +The demolition of the citadel was a half-hearted job , however , and there 's plenty left to see today , from ramparts and castle walls to ruined chapels , stone stairways , and quaint cobbled streets . The citadel demolition is popular , regardless of the half-hearted job . neutral +Don 't think Kitchell 's some common ridge-ridin ' bad man . Do not think he is common , he is quite unique . entailment +I don 't know . It 's not within my knowledge . entailment +that 's true i do the same thing what types of crafts do you do What types of sports do you do ? contradictory +But the announcement was still a welcome slap in the face to a market that was hyperventilating for no good reason at all . The market was over reacting so the announcement was still welcomed . entailment +Knowing your emotions are shaped by songs you heard 50 years ago is a little troubling . The person enjoys listening to very sad songs neutral +'Fried or crisped ? ' Boiled or baked ? contradictory +One consequence of this design was that the network could not So long as you followed the basic Internet protocols , the network would carry your traffic . The network would crash if basic internet protocols were not followed . neutral +That was good , you know distinctly good . That was extremely pleasant . entailment +Just because an organization drops off the cover of Vanity Fair or People or the Saturday Evening Post doesn 't mean it has ceased to exist . Organizations usually sponsor magazines to write articles about them . neutral +If they learn of the caves we 're going to be fighting with our backs to the wall . Once they know about the caves , we 're done for . They 'll know of them and use them against us . neutral +and now they 're contesting that movable bug because they didn 't state that they were going to put it in this particular home where this meeting took place so there 's a technicality there but they know outright that these people are murderers and whatever else you got and yet they 're not going to let that evidence in you know as admissible evidence in court so that has to be looked at too um i don 't know who they 're protecting they 're not protecting the innocent that 's for sure " They 're not protecting the innocent because the evidence has not been ruled as admissible in court . " entailment +At the same time , the data indicate many missed opportunities for treatment in the ED . The data showed that every opportunity for treatment was exhausted . contradictory +Atom Egoyan , the Canadian director ( Exotica , 1994 ; The Sweet Hereafter , 1997 ) who adapted and directed the book , does tender , morbidly evocative work . Egoyan only directs R-rated movies . neutral +went and took the car because i told him there 's a place in Arlington that 's gonna give it to me for that price he said no they 're not and the next day they The place in Arlington ended up giving me a better price . neutral +I yearn for a real Mr. Brown of flesh and blood . We 've seen the real Mr. Brown . contradictory +In this regard , the current length of time that it takes to hire a person in most other federal agencies is much too long and must be addressed . The issue of long hiring times in the majority of federal agencies needs to be discussed . entailment +The lame vs. the destitute--it could be a great race . The lame vs. the Destitute , a battle of the the ages . neutral +They still fancied it might be a bluff on my part , and she was put in charge of me to make sure ! She thought I was bluffing . neutral +and it was good weather The weather was nice . entailment +yeah well like i say it just uh i i enjoy doing it i wished i had more time to do it but hopefully i can get up a retirement here before too much longer and then I enjoy doing it and hope to retire soon so I will have more time for it . entailment +It 's a rotten place , said the young woman without hesitation . The young woman said that it 's a rotten place . entailment +APHIS performed an environmental assessment and determined that the actions required or authorized by this rule will not present a significant risk of introducing They refused to clear the project because the risks outweighed the benefits . contradictory +We selected a mix of federal organizations to visit , taking into consideration their various mission types ( civilian , military , or regulatory ) , centralized and decentralized structures , and prior GAO study results . We selected one federal organization for out visit . contradictory +Autumn brings the finest hues to the landscape , when the leaves turn shades of apricot and copper , the bracken changes to a burnt umber , and the hillsides glow in the low sunlight , reflecting perfectly in the glassy stillness of the lakes . The trees are getting less sunlight and may begin dropping their leaves soon . neutral +" He 'd better give himself some time , " Nye announced . It would be best if he gave himself more time than that . neutral +This hilltop suburb 8 km ( 5 miles ) southwest of Palermo boasts Sicily 's finest cathedral ( 12th-century ) and one of the best medieval mosaic cycles in Europe . You can find Sicily 's finest cathedral in this hilltop suburb . entailment +Built by the powerful Gian Galeazzo Visconti , Duke of Milan , as his family 's burial chapel , the Carthusian monastery 's 15th- ? ­ century church is a high point in the transition from Flamboyant Gothic to Renaissance . The transition from Flamboyant Gotich to Renaissance can be seen in the Carthusian monastery 's 15th-century church . entailment +It 's almighty luck that she didn 't take the wire with her . Luckily , she didn 't leave with the wire . entailment +'Well . ' I crinkled my face modestly . I kept my face motionless . contradictory +But if so , it will then cost you only $ 1--oh hell , make it $ 1 . It will only cost you one dollar . entailment +During the troubled Spanish era , thousands of French exiles from eastern Canada Acadians , shortened to Cajuns migrated to Louisiana . There was no trouble during the Spanish era . contradictory +you mean in the in the area of geographic region you 're in uh-huh You mean in the area of the country that you currently work , right ? neutral +Now the Sticks knew they were here and things would be much harder . The Sticks knew the warriors were close by . neutral +A lot of times education is done in a vacuum , but this will help students learn to deal with people who are upset , spot legal issues and learn to be empathetic and still do their job , said David Jordan , a law professor at Mission College . Education done in a vacuum is the most advantageous type for students . neutral +The angle of the cheek-bones hinted at his Slavonic ancestry , otherwise there was nothing to indicate his nationality . The cheeks bones showed his Slavonic genetics . entailment +Care should be taken ( 1 ) to ensure that the overtime was approved , preferably in advance , and ( 2 ) that the amount and type of overtime ( regular or irregular ) , credit hours , and compensatory time is accurately recorded . Care should be taken to ensure that the overtime was approved . entailment +there 's um i 'm trying to think there 's a French restaurant real close but we 've never gone there because i 'm not we go to the French restaurant at least once a month contradictory +we fall out of uh agreements with certain leaders and then amazingly enough the country starts turning against our leader you know it 's uh We had an agreement with these leaders who no longer view us positively . entailment +Anti-tobacco forces fear that the industry will find a way to evade regulation . The tobacco industry will find ways to skirt the regulations . neutral +For most American companies today , success depends on selling more of your product next year than you did this year . For most American companies success is dependent on selling more product than you did last year because of the accelerated growth of industry . neutral +okay we have a that 's a fairly large chain in New England we have a a Popaginos um and they had not been delivering up until the time where uh Domino 's began delivering and within a matter of six months they started up there own delivery service Popagino 's delivery service is better than Domino 's . neutral +Larger or smaller volumes of modified GP2 can be prepared by using proportionately larger or smaller amounts of salts and dilution water . Volumes of GP2 can be prepared by using varied amounts of salts and dilution . entailment +i can remember uh back in the early sixties when i first started flying a light plane it was quite common for me to take off from uh local airport here and see the uh Appalachian mountains and the Chesapeake Bay at the same time I was in college when I first began flying a light plane . neutral +well there is so many chances for appeal that it keep There are too many chances to appeal . neutral +In 1994 , President Clinton appointed Mr. Casellas as Chairman of the U.S. President Clinton appointed Mr. Casellas as Chairman in July of 1996 . contradictory +Blumenthal 's boss has very little in common with Reagan and , if anything , wears his beliefs too lightly . The amount of things Reagan and Blumenthal 's boss had in common are too numerous to count . contradictory +Paul Kailor says that reproduction is not guided by a moral imperative toward humanity . Kailor said morality is intertwined with reproduction a great deal . contradictory +As you know , the Roman and the Ottoman empires suffered from grave internal weaknesses but persisted for centuries . Despite serious internal weaknesses , the Roman empire persisted for centuries . entailment +Serious auto racing arrived in Las Vegas in 1996 with the opening of the Las Vegas Motor Speedway , 17 miles ( 27 km ) north of Downtown on Interstate 15 . Las Vegas has never had serious car racing introduced to it as a city . contradictory +About 3 km ( 2 miles ) farther down the road is the Sharrow Bay Hotel , the first and arguably still the best country-house hotel in the Lake District . The Sharrow Bay Hotel is the newest set of lodgings to open in the Lake District . contradictory +It is a true city bustling with activity , dust , and noise . The city is very large and heavily populated which makes it noisy . neutral +Because , at the risk of sentimentality , it 's the News Quiz participants that make it fun for me . The participants of the News Quiz makes it fun . entailment +But what I 've seen of it , were you jus ' able to run off th ' bandidos an ' git th ' Apaches offen it for good why , it might be a right respectable sorta territory . The banditos are nice people they want to farm the land , contradictory +Since 1993 , the PNP has once again been in power , this time under the leadership of Prime Minister Percival Patterson . The PNP gained political power back in 1993 . entailment +This former American Colonial home was moved to Main Street , and its lower floor has been completely restored to reflect a turn-of-the-century lifestyle . This current American Colonial home on Main Street was recently demolished . contradictory +According to Newsweek , Clinton attorney David Kendall is gathering dirt about Lewinsky 's mendacity and presidential obsession . News reporting agencies have been stating that a confederate of Hillary Clinton 's is seeking out dirty information about Monica Lewinsky ; this is said to be about her fascination with the presidency . entailment +The plantation was bought in 1936 by English industrialist Sir Harold Mitchell and became an important focus for diplomatic , political , and social activities in Jamaica . The plantation was was once a place for social activities . entailment +Kristin Booth Glen , dean of the City University of New York School of Law , likened competition for top students to the seductive practices of credit card companies . Practices of credit card companies are not seductive . contradictory +We 've been like a couple of babes playing ' Here we go round the Mulberry Bush . ' We enjoyed acting like kids , playing a children 's game . neutral +she made these onion rings that were so good and and and uh you don 't realize how many dishes you put onions in that it 's an ingredient and and it was just like everything you put it into tasted so much better Those onion rings she made were good , there are so many dishes that when you add onions it enhances the taste . entailment +By 40 , he was pretty much washed up . He was washed up by 40 . entailment +you know it would be snowing up in our area and then the sun would be shining and it would be hot down in the It would be snowing in our location then the sun would come out and make it hot . entailment +Nearly 15 m ( 48.5 ft ) tall , the gigantic cast-bronze statue is shorter than the original unveiled in 752 , when it was covered in gold leaf . The 48.5 foot tall bronze statue is gigantic but , the original version was even taller . entailment +do you feel like you 're really saving anything i mean It doesn 't seem like we are even saving anything . neutral +yeah and i like a lot of things that are uh have to do with politics and uh history there was one a few years ago called the Public Palace about what goes on at the Pentagon It 's a shame that Public Palace did not discuss the Pentagon . contradictory +oh no um yeah the ATM 's they 're but they 're nice though to have in case you need to get some quick cash and everything is closed If everything is closed and you need some cash , they 're nice to have . entailment +okay i 'm uh we 're not that we 're not that big at dining out but uh in fact i guess since since uh we don 't make it uh uh make a big hobby of it or anything we 're we 're really into uh we 're interested in economy and uh you know a nice enough atmosphere that you can carry on a conversation We do not go out to eat much . entailment +Federal Acquisition Streamlining Act of 1994 ( FASA ) ( Public Law 103-355 ) a This law requires agencies to define cost , schedule , and performance goals for federal acquisition programs ( to include IT projects ) and monitor These programs to ensure that they remain within prescribed tolerances . This law demands that all cats have owners . contradictory +What would you really choose as a profession , if you could just consult your inclination ? You can choose to do whatever you want . neutral +From here you can see north along the beach ; the only blot on the landscape is the unfinished Novo Mondo hotel a notorious , 8-story white elephant completely out of proportion with the rest of the island . The Novo Mondo hotel is unfinished . entailment +well it did i tell you if i could have gotten a hold of that cat that day I couldn 't get ahold of the cat that day but if I had , she would have gone straight to the shelter . neutral +right i guess my i you know i come out am sitting on the fence but i have some concerns about uh you know if you require someone to do this for a year or two I came out swinging without any consideration of sitting on the fence . contradictory +Archaeological excavations have revealed evidence of habitation here as long ago as 900 b.c. The archaeologists were happy to discover proof of habitation here as far back as a thousand years ago . neutral +Abe 's spirit has been pretty quiet since the midcentury restoration . They should have never attempted the midcentury restoration . neutral +Still , Miyajima manages to be both solemn and lively . There is no feeling of somberness at Myajima . contradictory +Reviewers call it pretentious and filled with inaccurate references to theoretical physics , Walt Whitman , and the Kabbalah . Reviewers said it got a lot of things wrong . entailment +At the top of the hill you will see foundations of the 16th-century Portuguese Franciscan monastery and get a splendid view over the town to the Melaka Straits . The view is spendid . neutral +It is , however , reviewable under It may not be reviewed . contradictory +It shocked him out of his stunned gaze . He was startled by a large flock of birds . neutral +Ever since his boyhood , she had supported him . She never took care of anyone but herself , she was selfish . contradictory +They 're some way from the chateau and each other They are very close to the chateau . contradictory +The greatest work of Rogier van der Weyden ( c.1400 1464 ) , Descent From the Crose an altarpiece , should not be missed . Rogier van der Weydan hasn 't produced many works . neutral +The arrest--and Michael 's subsequent acknowledgment of his homosexuality--did give the Globe the opportunity to print pictures it had from last year of Michael cruising the same park . The Globe took advantage of Michael 's situation based on his admitted homosexuality , arrest and park cruising . neutral +Quit being so damned responsible . Stop fooling around and start taking care of your responsibilities for once . contradictory +parts of the system if if it were to be jettisoned lower you know before it got up that high Parts of the system , it if were ejected at the highest point . contradictory +i know yeah i know it 's crazy This is a bizarre thing . entailment +It is important to recognize that rules alone will not effectively resolve the problems that resulted in massive restatements of financial statements and ultimately bankruptcy of certain public companies . More than rules are needed to prevent the bankruptcy of certain public companies , which sank the economy last time it happened . neutral +Being christened ' Merlin D. Tuttle . He was christened . entailment +Greek society is very family-oriented and children will be very welcome at tavernas and cafes . Children are welcomed in Greek society . entailment +I 've always had some doubts about whether or not all the worlds have a shell around them . I 've always believed that some worlds have a shell around them and some don 't . neutral +Put on a tight , sour smile when Flytrap question is asked , sigh deeply , then say exactly this The meeting was very , very positive . Say that you do not think highly of the meeting . contradictory +okay you take care of yourself good luck to you thank you bye-bye I appreciate that , and I hope you do well . entailment +right right it 's just it 's just uh like a necessary evil i mean when we when our children were younger when they were like four years old three years old five years old we we just had Sesame Street and that was about it you know Sesame Street was just one of many programs to watch when our kids were younger . contradictory +VA uses a method of documenting and publicizing such lessons learned in an innovative program called ProCATS . ProCATS is an innovative program . entailment +Of course , sexual pleasure is not experienced in groups ( unless you are very lucky ) , but between two individuals ( at least one of whom should be awake at the time , praying for forgiveness ) . Sexual pleasure is between 100 people . contradictory +Unpack that bag ! " The contents we 're looking for are in the bag . neutral +It was written on one of 66 those printed will forms , and witnessed by two of the servants , not Dorcas . " There were a lot of forms for the will that had been signed in blood . neutral +Built at the time of the Roman occupation , it wasn 't a conventional monastery , but probably was a place of great sanctity for the Nabateans . It was carved into the side of a cliff , and the Nabateans hid from the Romans there . neutral +I put it on like a glove ! I wore it like a sock . contradictory +Imitating elements of the region 's wood-and-brick construction , some have the same arched and domed roofs as the inner vimana sanctuaries that you can see at Srirangam and at Thanjavur . Srirangam and Thanjavur have architecture styles that make use of arched and domed roofs . entailment +Two blocks north , at 5th and Figueroa , the five cylindrical towers of glass at the Westin Bonaventure Hotel form the city 's most futuristic-looking skyscraper . Five blocks north is where the Westin Bonaventure Hotel is located . contradictory +I saw those who forged a nation from fire and blood and they birthed a beautiful dream . It was incredible to see the birth of the nation . neutral +The north tower , the Tour Saint-Romain , has the sober simplicity of the cathedral 's early Gothic beginnings in the 12th century , while the taller , more elaborate south tower , the Tour de Beurre , is Flamboyant Gothic of the 15th century . Unlike the Tour Saint-Romain , the Tour de Beurre represents Flamboyant Gothic design from the 15th century . entailment +But this letter is long enough , possibly too long for the format , so I will leave discussion of Lemann 's attempt to sum up to the next letter . I will write Lemann 's discussion on the 7th letter . neutral +She just kept crying , Luu said . She never cried at all . contradictory +( Click here to buy the book . ) To purchase the book , click here . entailment +Moore Town and Cornwall Barracks , both inland from Boston Bay , make up the nucleus of the eastern group ( the western Maroon area is in Cockpit Country , south of Falmouth ) . The Maroons live in Moore Town . neutral +Thimi , on the road from Kathmandu to Bhaktapur , is where papier-mache masks are made and sold . Papier-mache masks can be found at Thimi . entailment +as you whip it over your head or side to side You throw it over your back . contradictory +To some extent , deficiencies in the functioning of boards may have been masked by the effect of a flourishing market and may not have been readily apparent until market downturns began to occur . Deficiencies in how the board functions might be hidden by the stock market increasing 10 % . neutral +However , it features improved exposure estimates , a slightly broader study population ( adults aged 25 and older ) , and a follow-up period nearly twice as long as that of Pope , et al . It has improved exposure estimate and a bigger study population compared to Pope 's study . entailment +The monastery received bequests from nobility throughout the Orthodox world , and was not averse to making money from commerce , particularly shipping . The monastery does not believe in making money . contradictory +The Beijing government has stifled every remaining dissident through exile , imprisonment , or intimidation . The Beijing government 's actions toward the dissidents were widely approved of by the public . neutral +yeah maybe maybe we 'll talk again sometime I enjoyed our conversation a lot . neutral +well i guess it 's gonna depend on how i mean if if you 're talking about any if you 're talking about something that 's like a full time you know one year full time you know this is what you do you know you 're going to go and and fill pot holes and you know and you know all that stuff i mean i you know i don 't know It will depend on how you 'll participate in the community service for us . neutral +You know , I turned it on , entered all the data , and it said that Robi would come home drunk and start throwing the furniture out the window , so I hadn 't even bothered to clean . It said that Robi would come home and throw things out the window . entailment +23 Competitors understand clearly that 15-ounce pieces of saturation mail can be carried privately for less than Standard-A rates , while 4-ounce pieces cannot . Four ounce pieces of mail include most letters and post cards . neutral +And hindsight is easy . Hindsight is hard . contradictory +RiofRio , about 10 km ( 6 miles ) south of Segovia ( 85 km or 53 miles north of Madrid ) , has an 18th-century palace that is quite modest compared to other palaces of Castile . Rio Rio has an 18th century palace . entailment +Decapitated fowl are chucked in to speed the plucking and goats are seared to remove the hair . Goats need to be seared for ten minutes in order to remove all the hair . neutral +Its name , Peak of the Torch , is taken from the warning beacons that were lit here in the days when French and Algerian pirates posed a threat to the island . The beacons proved to be highly successful . neutral +As she has become more self-sufficient , she has become more interesting . She is still entirely reliant on others for even the simplest of needs . contradictory +Beginning on the upper terrace with a splendid view of the bay , the hour-long guided tour ( conducted in English , French , or German ) takes you through three levels of abbey the church , cloister , and refectory at the top ; the Salle des Chevaliers ( Knights ' Hall ) and Salle des H ? ? tes ( Guests ' Hall ) in the middle ; and the storeroom and almonry underneath . Aside from the abbey itself , the gardens are also shown in a guided tour . neutral +how what do you do You do this . contradictory +Your computer would have become the instantly searchable repository of all your correspondence , financial transactions , data searches , and phone conversations . It would have been possible to search your computer for all sorts of data . entailment +I have learned , mainly from talking with taxi drivers , that everyone 's life is interesting if you know enough about it . You can learn a lot from hearing other 's life stories . neutral +I have tried gently to suggest therapy . I harshly suggested therapy . contradictory +no i do not i work for GTE I 've been at GTE for years . neutral +But if it 's all so easy , how can a large part of the world be in the mess it 's in ? There must be more to it than meets the eye , else the world would be a better place . neutral +His portrait of the Virgin is stirringly beautiful , while Baptism of Christ is one of the artist 's last works . The artist had many famous works , such as the portrait of the Virgin . entailment +right exactly i was a i was a Boy Scout and as part of being a Boy Scout you had to do you know projects all throughout and then to become an Eagle Scout you have to spend a do a year long project for I used to be a Boy Scout . entailment +What if there WAS some one concealed in the house ? There was no chance that someone was hiding in the house . contradictory +But after praising the album 's freshness and listing the many guest artists ( from Eminem to Aaliyah to Lil ' Kim ) , most critics start nit-picking . The public 's reception to the album is mostly positive . neutral +But it 's not clear whether this really means strategic investments or whether it means investments to prop up companies run by aging members of the CP . We fully understand that this means strategic investments . contradictory +it 's it 's too much it and it 's too accessible There has always been too much . neutral +that 's pretty much about the same time and i i built on two acres of land in a town called Cumberland Rhode Island I own two acres of land in Cumberland , Rhode Island . entailment +i don 't know if it 's me or the water or the recipe i have but I 'm sure it 's the recipe I have . contradictory +For a split second , he thought that the sun had gone nova . For a brief moment , he thought the sun had swollen . entailment +But isn 't that a good thing , meeting a real American need , much as do village scribes in rural India ? Meeting a real American need is a good thing . entailment +oh okay okay like a Kathy Smith workout or Jane Fonda Oh like a Kathy Smith or Jane Fonda workout entailment +So be it , then . Lord , say it isn 't so ? contradictory +FDA made some changes to the draft language based on those comments and published the final rule on June 5 , 1997 ( 62 Fed . changes were not made . contradictory +During war and peace alike in this feudal age , the Church and the aristocracy continued to claim their respective portions of the peasants ' labor , leaving barely enough for subsistence . The corruption of the Church led to the potential failure of the region . entailment +For it is of the most complicated ! It is very complicated . entailment +offices have , through Senate and House intranet connections to GAO , access to the objectives , scope , and methodology of active GAO assignments , except for those cases where the reporting of such work would result in disclosing classified or other sensitive information . Office have access to various pieces of information , other than possible classified info . entailment +GSA , IRS , and the Department of Justice have established gain-sharing programs that enable frequent travelers to share in the savings they achieve in airfares , lodging costs , or both . Increased traveling rates have been established through the Department of Justice 's travel-gain program . contradictory +um-hum yeah but yeah you 're right that wasn 't a very pleasant experience I try not to think about what happened . neutral +which is computer you know We are not having a conversation right now . contradictory +( Pam , throw away the tripod ! ) Pam , get rid of that tripod ! entailment +Such evidence , if available , can be found in the form of alternative databases or expert views . Evidence which exists can be found by qualified people . entailment +well what 's going to be interesting is to see what the economic impact of of uh of the the region uh you know at the moment it the tremendous drug traffic through there but uh the idea of of uh the large amount of drug traffic through there will impact the economy entailment +It heralded the first great phase of development in science and architecture ; hieroglyphs were developed and the first great building phase took place . The emergence of hieroglyphs and the first great building phase mark the first great phase of development in science and architecture . entailment +Cynthia smiled too . Cynthia was frowning inside . neutral +She ducked and parried the blow . She ducked but did not miss the blow . contradictory +The model assumes constant unit variable costs . Variable costs will continue to be consistent in this manner . neutral +He was told that some one was demanding him in the bar . He wasn 't told that anyone was looking for him at the bar . contradictory +On behalf of the Harvard Square respondents , it must be said that ignorance was masked by a bravura self-confidence . A bravura self confidence masked the ignorance . entailment +Ten years ago Robert Reich , having seen the French Minitel experiment , warned that Europe would beat the United States to the next communication revolution--instead , U.S. The man told Europe they had a chance to beat the U.S. when it came to communication . entailment +Auxerre , overlooking the Yonne river and with several interesting churches , makes a good first stop for trips into the Burgundy interior , particularly if you want to stock up for a picnic . Auxerre has a view of the desert . contradictory +The longest wall is more than 295 meters ( 970 feet ) from corner tower to tower . The wall is 970 feet from corner tower to corner tower . entailment +All these numbers may be climbing , but they remain low . The numbers started high and continued to rise . contradictory +Agencies should determine whether any electronic signature alternative , in conjunction with appropriate process controls , represents a practicable tradeoff between benefits on the one hand and cost and risk on the other . Alternatives to electronic signatures can be risky . neutral +Whether you prefer lying on a beach , leisurely strolls , or more energetic activities , you will find what you want here . You will find what you want here . entailment +and that 's why it was so cheap although it 's not it 's not really noticeable That car was incredibly cheap and almost no one else noticed . neutral +The egg was growing . The egg was increasing in size . entailment +oh uh-huh that 's what we have too yeah that 's what ours is That is what we have as well . entailment +Tudjman has suppressed independent media and used his control of state television like a club . Independent media has been suppressed by Tudjman . entailment +But I 've loved you from the very moment I set eyes on your photo and now I 've seen you I 'm simply crazy about you ! Now that I 've seen you I 'm completely crazy about you , and I 've loved you from the very moment i set eyes on your photo ! entailment +An evaluator in the field may observe that coordination among local agencies funded through the same federal agency is more frequent than coordination among local agencies funded by different federal departments . An evaluator will not see any difference in agencies that are funded by a common federal agency . contradictory +You 'll find most of the tools you used in your world waiting there and all the engineers we could get or make for you . " He 'd been considering stalling while he demanded exactly such things . You 'll find only a few tools there , and no other engineers to help you . contradictory +I 'll need a cart and driver though . A cart , along with a driver , is something I 'll need . entailment +Come , come , my friend , he said , slipping his arms through mine . No please leave my enemy . contradictory +World Football League yeah yeah I am familiar with the World Football League . neutral +A man followed her , a suggestion of deference in his manner . A man followed her . entailment +It does not directly regulate speech , and it neither establishes a public forum nor discriminates on the basis of viewpoint . The new law allows equal access for all sides in the argument . neutral +the outlook yeah yeah that 's right and plus me being uh uh not not a mechanic you know i i always uh have the feeling that people are out to get to me and i don 't know any better you know so I worry that mechanics are looking to scam me . entailment +uh the networks got sort of ridiculous with they they they felt like they had to interrupt normal programming for all this but they didn 't have anything to say I can see how other people would 've considered this breaking news . neutral +oh yeah him and Worthy and uh I was always a big fan of Worthy 's . neutral +In the interior , the same exuberant artistry can be admired in the sculpted wood organ frame and the stone tracery of the spiral staircase . The staircase is made only of wood . contradictory +These include stone vessels , pottery , hammers and a potter 's wheel . There are only a few stone vessels ; nothing else . contradictory +Similar improvements can be seen throughout the Pacific Rim , and even in places like Bangladesh . Throughout the Pacific Rim , and even in places like Bangladesh , you can see similar improvements . entailment +i know i talked to some guy who was i talked to some of the yuppie types you know and they 're pretty interesting but yeah they 're real opinionated but i guess that 's better than nothing you know I sometimes find the yuppie types to be interesting . entailment +" An analogue computer is a machine that ... " An analogue computer is an appliance that ... entailment +3 . While media attention has focused on budget surpluses projected for the next 10 years , the long-term outlook for federal government saving has received considerably less attention . Fox News recently had a thirty minute documentary focused on budget surpluses projections . neutral +Owners , the government included , traditionally have maintained some level of internal facility planning and design oversight capability to ensure that new facilities acceptably balance the factors of cost , schedule , quality , and performance . Owners usually have very complex plans to keep the facility under budget . neutral +L anguage . They studied the English language . neutral +Titian displays his masterly use of color and light in The Concert ( Hall 5 , Venus ) , a haunting portrait of The Englishman and bare-breasted Magdalen ( Hall 6 , Apollo ) . Titian is credited with using color and light like a master . entailment +well but they don 't have if you know if i had to put myself in their shoes i have to do it one hundred percent If I knew how they felt . neutral +Legal Last week , Capital Gang sters Shields and Hunt shouted down Novak for alleging that Starr 's legal team was composed of Justice Department lawyers . After the shout down , Novak withdrew his allegations . neutral +'You have eleven seconds . ' You only have 2 seconds . contradictory +As you drive south from Dijon , be sure to get off the main road , the N74 , onto the parallel D122 , signposted as the Route des Grands Crus ( Route of the Great Vintages ) . There are many signposts along the N74 to mark all of the turnoffs for other roads . neutral +uh-huh well and you 're tempted if you 've got cash a little bit of cash and you don 't have enough for the purchase right Not having enough for a purchase on hand leads to thoughts of how to get the item in other means . neutral +huh which state park huh Which amusement park ? contradictory +It 's a small and humble room , hardly the grand hall of Leonardo da Vinci 's famous painting . Its a huge room , even larger than all the halls with da Vinci 's paintings . contradictory +On the slopes of the hill you will find Edinburgh Zoo , located just behind Corstorphine Hospital . Edinburgh Zoo is located on a plateau near an empty field . contradictory +Heald said , We used to have almost all of our funding from four sources , general unrestricted funds . Heald said that all of the funding used to come from a single source . contradictory +Now the Secret Service payroll tops 4,500 ( most of them agents ) , and the annual budget exceeds $ 500 million ( up 300 percent just since 1980 ) . The Secret Service annual budget is over $ 500 million . entailment +No , sir , I 'm afraid I didn 't . No , I did not sign that pledge , Sir . neutral +Finally , we compare actual unit revenues , and some derived unit costs , for the seven posts with the model 's prediction of unit costs . We compared all seven products to see which was the most cost effective . neutral +Computer security risks associated with the widespread use of information create the potential for disruptions to federal agencies and the private sector in aviation , banking , law enforcement , emergency services , and other critical services . Federal agencies might lose all their money thanks to computer security risks . neutral +It may have been my fancy , but she , too , was looking odd and disturbed . She looked pleased and relaxed . contradictory +If you value the time , effort , and craft that goes into these items , the price is likely to seem reasonable . It may be expensive , but it 's worth it if you consider how much effort went into crafting it . entailment +You will remember that , in consequence of the War economics practiced at Styles , no waste paper was thrown away . Waste paper was often thrown away at Styles . contradictory +There 's an abundance of nature , history , art , and modern culture to be explored and enjoyed . Most visitors spend most of their time exploring nature and modern culture . neutral +oh and the nurse at home isn 't oh okay i got you The nurse isn 't there but will be back this afternoon , I got it . neutral +Unable to replicate the agricultural techniques of the Anasazi , the Paiutes were destined to a semi-nomadic lifestyle until European settlers arrived , changing the nature of existence in the valley forever . Paiutes were able to replicate the agricultural techniques of the Anasazis . contradictory +it 's just a real fancy decorated boot it 's like Texas Gardening and it talks about you know different problems that your lawn can have and how to recognize it and it goes into the full gamut of gardening you know everything from flowers to bulbs to perennials to grass to weeds to trees and to uh how to prune but one of the things i do remember was when it talked about the grass and there being the shade tolerant types of grass and i think one of them was a blend of two types of grass that they had used Texas Gardening goes over quite a few areas with gardening such as flowers to bulbs and weeds . entailment +At the top of the Royal Mile you 'll see typical tourist paraphernalia ( postcards and T-shirts ) , but in the narrow surrounding streets there are many individual stores selling antiques , books , curios , and collectibles . Though the Royal Mile contains cheap tourist items like T-shirts , there are nearby shops selling more particular souvenirs . entailment +It had been got away from me once , and I determined I wouldn 't let on I 'd got it until a photographer had made a dozen copies of it ! " I cared about it very much . neutral +I wouldn 't get ten paces . I could manage to make it to five paces . neutral +But Subia is no stranger to helping people . Subia never provides assistance . contradictory +L anguage . They studied math . contradictory +The total number of members in the boilermaker 's construction division is currently about 24,000 journeymen and apprentices . The total number of members in the boilermaker 's construction division is expected to increase by more than 5 % annually in the future . neutral +and yeah i enjoy playing volleyball but i you know i i don 't have a lot of time to do it so it 's maybe once a year or something and and then i I spend all my time on volleyball . contradictory +With tea from seeds smuggled out of China and an influx of plantation labor from Nepal , the little village of 100 souls grew to a community of 10,000 by 1849 . By 1849 , the tiny village of 100 people was a town of 10,000 . entailment +From then until 1812 , when the intrepid Swiss explorer John L. Burckhardt rediscovered Petra , it was almost totally forgotten . Petra grew in name and popularity until 1812 when a Swiss explorer destroyed it . contradictory +i think so you i i i read a little bit on that that that sounds interesting I read a little bit on that topic and it sounds interesting . entailment +The Commission 's analysis used both quantifiable and general descriptions of the effects of the rule on small entities . The Commission was trying to see if the rule would benefit small entities as well as large entities . neutral +In a few minutes he was back again . I have returned , said the man . neutral +But to refuse , after Topham had spoken for him ... he was caught in a pinch with cause for suspicion closing in on either side . There were suspicion on both sides because of what happened . neutral +But Java programs are still considerably slower than those written for a particular operating system , just as amphibious creatures are not as good on land as mammals or as good in water as fish . Java 's slower speed capabilities make it an unpopular choice compared to programs written for a particular operating system . neutral +On the other side of Grafton Street , leading into Dawson Street , the Royal Hibernian Way is a small shopping mall with some exclusive shops . The shopping mall on Royal Hibernian Way contains a shoe shop . neutral +yeah i just sort of hated it from that point on well I sort of loved it after that point , I think . contradictory +The voice flowed warmly into his mind and he smiled . He smiled after the woman 's voice flowed warmly into his mind . neutral +he was supposed to pitch an exhibition in Mexico against Fernando Valenzuela He was not signed up for pitching in Mexico . contradictory +The discount airlines deny vehemently that they are less safe than the majors , and the statistics show no clear connection between price and safety . They wanted to be on the same level as the major airlines . neutral +1 ) Loyalty is dead . Loyalty is alive and well . contradictory +uh but yeah i hope some of the local well that 's what they they keep saying that it seems like people with it with old-fashioned values are the ones that aren 't turning out at the at the booths they they say that these older voters that uh you know they they feel like the kids are running the the country so they they don 't come out turn out to vote and they 're the ones that uh you know really know what 's going on have the experience and have seen you know how politicians can you know screw up or whatever Older voters always show up to the voting booths . contradictory +Lincoln was losing a lot of people , but White was losing more . White lost more people than Lincoln . entailment +Poirot locked the door on the inside , and proceeded to a minute inspection of the room . Poirot inspected the room after he came inside and locked the door . entailment +and that they kicked Michael Kuzak out did you know that Kuzak was banned for illegal betting . neutral +'This is where you work . ' This is your job . entailment +The Russian was shaking with rage . He was angry because someone had thrown out his suitcase . neutral +He was allowed to return to the city in 1330 provided that he remained a monk at Chora , which he did , living out the last years of his life surrounded by the magnificent works of art he had commissioned . He refused to become a monk , deciding not to come back to the city instead . contradictory +Norm , I see that Gene 's performance is tomorrow---afternoon . They forgot that it was tomorrow . neutral +Are they appropriate ? Is it ok for kids ? neutral +oh i know i can 't imagine even well that would it is just pretty bad but so i guess um I imagine that it could be pretty bad . entailment +Both sides trapped in a narrow space on a fast moving train , with no choice but to fight . They didn 't fight at all . contradictory +Here was a clue worth having . Here was a terrible and unhelpful clue . contradictory +To be honest , I think the Secret Service guys think we 're having an affair . Honestly , I think the Secret Service guys think we 're having an affair . entailment +well i can imagine I can see vividly neutral +budget authority and rejected $ 1 . The rejection was due to budget cuts . neutral +This is more than just a job . This is just simply a job . contradictory +His investigation 's integrity , he notes , has been challenged . No one challenged the integrity of the investigation that was conducted . contradictory +The Daily Telegraph said Wednesday that the bed is covered in urine-stained sheets and torn pillows and is surrounded by the detritus of her sojourn . There are urine-stained sheets and torn pillows on the bed . entailment +they 're some they 're some they 're some what you 'd call primitive i mean there are no uh real facilities and then others that have uh The campground is primitive . neutral +As noted earlier , the material needed for multiple boiler installations is generally not reduced significantly over the projects if they were installed separately . The boiler installations are always done as separate projects . contradictory +Also , through the appointment and confirmation process , the Senate has an added opportunity to make clear its commitment to sound federal management and explore what prospective nominees plan to do to ensure that their agencies are well-managed and striving to be high-performing organizations . The Senate has made clear its committment through the appointment , which was appreciated by the public . neutral +yeah well the see the problem is if if the if someone wouldn 't have came up to me and said it 's gonna cost you five hundred dollars to keep your dog alive what do you wanna do i probably would 've had second thoughts but what they well what they do is is they say well it 's gonna cost I would have told them to put my dog down if I knew it would be $ 500 . neutral +And the British book reviews are more like publications revolving around literary life than mere reviews . British book reviews are almost like publications of literary life . entailment +Who is devoting himself to enriching our popular culture with high art ? High art has the potential to enrich our culture . entailment +An excerpt of a new Al Gore biography points out that by enlisting in the military , Gore all but ensured he would avoid Vietnam combat , but it rejects the claim that Gore received special treatment or protection . Al Gore has had biographies written about him . entailment +That 's a lot more than you get out of the Nike swoosh . Nike 's are over priced . neutral +Built in 1742 by Richard Castle , the interior features work by the Francini brothers ( also responsible for Newman House ) . Richard Castle built it in 1733 . contradictory +He can 't do it . It 's a task that he can 't do . entailment +The Mediterranean 's largest island is in many fascinating ways a country to itself , seemingly not part of Italy or Europe at all , and if possible , it deserves a separate and unrushed vacation to do it justice . Tourists tend to visit the island several times . neutral +oh well can you go to so and so 's house Could you make it on time to so and so 's house . neutral +well yeah you you want it you want them to check what 's what 's needful for your safety and so forth but the other sounds like a fluke when they didn 't do it you you you should have known when you went in the first time uh the if there were if you needed four tires okay fine but tell me all at the same time I am ok with them not telling em up front about the tires . contradictory +wow i dropped the phone I dropped the phone I was holding . entailment +The chief villain , bombastically named Darth Maul , is a horned , red , Kabuki-style snake demon with orange pingpong-ball eyes who challenges the Jedi to a couple of clackety light-saber battles . The villain is green with bulging blue eyes . contradictory +In today 's politics , the son 's checkered resume signifies success . Today , the son 's resume epitomizes success , said the director . neutral +American soldiers gave her a drink and poured water over her . She had been dehydrated all day when the American soldiers found her . neutral +yeah that is true based on where where you come from and all Coming from a good place is important . neutral +okay then i 'm see i 'm about twenty years older Notice that I 'm around 20 years older . entailment +' ) Also , unlike back East , there 's no vertiginous obsession with how young these IPO-heads are , because almost everybody is scandalously young . Almost everybody is scandalously young , so there 's huge obsession about the age of these IPO-heads . contradictory +Edinburgh became known as the Athens of the North for both its aesthetic beauty and its wealth of talented individuals . Edinburgh is a very ugly town , filled with pollution . contradictory +An ' th ' Old Man took him a crease ' crost th ' ribs that made him bleed like a stuck pig . After he lost the horse , the Old Man made him bleed . neutral +Fleece easily melts , even when exposed for less than a second to the flame of a cigarette lighter . Fleece will not melt in a raging fire . contradictory +I suppose you are quite sure that the latch-key was forgotten , that he did not take it after all ? Are you sure he left the key behind after dinner ? neutral +Marcus and I had fought together in the last days of the Voth war . Marcus and I fought together at the close of the Voth war , where he was wounded and lost his arm . neutral +When planning a risk assessment , the auditor should first review the agency 's acquisition policies and directives to identify the organizations and individuals responsible for approving procurements . The auditor should review policies and directives . entailment +Everywhere silence , and shuttered windows . It was quiet and the windows were secured . entailment +Therefore , the profit position of the postal service increases to the tune of about $ 650 million and the technical gain to the Nation goes up to the same $ 650 million . The results are an increase in profit for the postal service , technical gain for the nation , and long term viability for the postal service . neutral +yeah but that gravity factor i know However the gravity influence , I know . entailment +After earlier earthquake damage , the temple was used as the Capitolium and city treasury . The temple was a massive site on over forty acres . neutral +oh you do want a lot of that stuff you 'll become much more qualified if you get that stuff neutral +The CIO recruited an IT management team that understood both the business and technical sides of the enterprise . CIO 's IT management team doesn 't have any knowledge of business contradictory +For example , the first number in Column ( 11 ) shows that , between 1993 and 1997 , personal mail volume declined by 2.0 percent annually . Between 1993 and 1997 , the volume of personal mail increased significantly . contradictory +Needless to say , avoid peddlers who approach you on the street and offer to take you to wondrous bargains . Street peddlers are trying to scam people out of their money . neutral +Some of them recognized The Moodies and responded with I 'm Just a Singer in a Rock and Roll Band The statement ' I 'm Just a Singer in a Rock and Roll Band ' was used by some of them . entailment +I was bound to succeed . I knew I would be able to do it . entailment +For example , the AIM-9X and the F / A-18E / F captured design and manufacturing knowledge by key decision points and limited cost increases to 4 percent or less and schedule growth to 3 months or less . Cost increases should be maintained as they do not exceed too high of figures . neutral +And the DVD format is gone , too . The DVD format disappeared at the same time as the CD format . neutral +The forest is thick with sissoo and tall sal trees ; their timber is prized for ship-building . Sisoo and sal trees are prized for their timber in ship bulding . entailment +right if it 's anything like uh If they are at al different , right . contradictory +A rural route is defined in terms of the roads it traverses . A series of roads make up what 's known as a rural route . entailment +Finally , CBO did not attempt to price the relocation of personnel to a central location . CBO didn 't try to relocate their personnel . entailment +For a given value of truth . The same answer was given before . neutral +When she hit the horse she pulled each blade across , scraping them together and shearing the rider 's head from his shoulders . The rider rode away before he could be injured . contradictory +San 'doro stood , his face hidden under his black hood . San 'doro put his face on display . contradictory +A popular optional excursion is an hour 's detour to Guangzhou Zoo , founded in 1958 . Guangzhou Zoo is one of the possible side trip attractions . entailment +in there i 've never read any of his I never read any of his works in the library . neutral +One fell dead immediately but the other swung hard . One of them swung their sword really hard . neutral +yeah his age is about to catch up with him though His age is irrellevant . contradictory +AUTHORIZING AND APPROVING Doing reviews beforehand . neutral +If not , there 's usually one within easy reach . Otherwise , one is normally close by . entailment +No matter how fast we all run , someone must be behind . We can all be in the same position if we run at the same speed . contradictory +They also feared an earthly the Carib Indians , who periodically raided their land for loot and captives . No one was scared of the Carib Indians . contradictory +if you give everybody what they wanted there is a complete democracy those people wouldn 't know how to react because they have no education People know what 's happening , even if they have no education . contradictory +He pulled the blade out and a gout of blood followed . Blood flowed out after he pulled out the blade . entailment +well , obviously ... Not very obvious . contradictory +Here 's what Hatfield writes about what Eufaula told Hatfield wrote about Eufaula s words . entailment +When the government in 1989 started asking parents to provide the Social Security number of their putative day-care provider , claims for credits dropped markedly . ) In 1989 the government asked parents to provide the Social Security number of their day-care provider . entailment +They didn 't see daylight for months . Living in Alaska people don 't see the sun for months . neutral +Critics of previous Wachter studies claim that they ignore the fact that the Postal Service pays minorities the same as it pays white males . Critics believe that Wachter studies ignore a fact in terms of payment to minorities and white males , which is why they should be reported . neutral +His transformation from reasonable man to demagogic bigot is as frightening as it is predictable . Most people become like that once they become politicians . neutral +If you intend to start early take warm clothing and don 't forget your camera ! The morning is the coldest time to take photos . neutral +Those recipients should strive to follow his example . The people who received the scholarship should follow his example . neutral +Figure ? asked Tuppence , puzzled . Number ? inquired Tuppence , confused . neutral +The techniques include fieldwork , ethnography , observation , and participant observation and have in common that an observer is physically present at a site , stays at the site for a fairly long time , has flexibility in deciding what data to collect from whom and under what circumstances , and can organize the inquiry according to the meaning of events to the participants rather than having to decide beforehand These techniques are favorable to others only because of this physical requirement . neutral +and i also don 't have any transportation I have no way to get there . entailment +well they had i don 't think it was last year the year before they were doing really good and i think they had an off year last year Last year wasn 't an off year for them . contradictory +The region was unproductive and without great resources , except for the Sarawak river valley , where the Chinese mined for gold and antimony . The Chinese exported large amounts of gold and antimony from the region to be sold on the international market . neutral +You 're not a connoisseur , are you , Hastings ? " I shook my head . He expressed his well-founded doubts over my expertise on the subject . entailment +oh i see um-hum well very good and i think we 've probably know know each other 's exercise habits and um it was nice talking to you " I don 't think that talking to you was a very nice experience . " contradictory +oh i 've never heard of that I know everything . contradictory +oh that 's a coincidence what an interesting bit of repetition entailment +Fitzsimmons ( who isn 't giving any interviews now ) offers no new statistics to back up his current claim that 5,000 IDEs are performed every year . Fitzsimmons isn 't giving any interviews . entailment +These include ideas such as limiting the appeals that states and individuals can file if the feds decline to pick up restoration costs--while these appeals are pending , FEMA has to pick up the full costs of relocating not only families but also such expensive entities as city halls and universities . Appeals could be limited if they don 't have time . contradictory +Professors and people often came down from town to see him . Professors came to down to see the man because he was so famous . neutral +oh yeah i think it 's uh definitely got good definitely got a right idea I guess it is the best idea they could have worked out . neutral +On the eastern flank of the Apennines , the Abruzzi region , of which the province of Molise is a recently created offshoot , came under Roman domination in the third century b.c. The Romans dominated the Abruzzi region a long long time ago . neutral +Some kids work 40 hours a week to make up the allowance gap . It is necessary for some children to work 40 hours a week to make up the allowance gap . entailment +uh to uh uh have uh uh games and uh work on crafts and work on projects and and refreshments and you take Indian names and wear headbands and act like in and uh learn a little about Indian During the carnival we did all sorts of crafts and stuff , while learning about Indian life . neutral +Although Jerusalem was reunited after the Six Day War in 1967 , East Jerusalem and other parts of the city previously held by Jordan retain their Arab way of life . East Jerusalem has never been held by Jordan in the Six Day War . contradictory +Housed in a 16th-century monastery , the Archaeological Museum ( Piazza Olivella ) displays superb statues and sculpted metope ( friezes ) from Sicily 's various archaeological sites , highlighted by those from the Greek temples of Selinunte ( 600 500 b.c. ) , on Sicily 's south coast . You can find skillfully-sculpted statues and friezes in the Archaeological Museum . entailment +The statute 's application of the presence requirement to legal permanent residents , for example , is in some tension with the fact that those aliens are legally entitled to leave the United States temporarily without affecting their immigration status . There are no tensions with the statute 's application of the presence requirement to legal permanent residents . contradictory +France is internationally acknowledged to be a leader in high technology and is happy to share its pride in these advances . The French are very focused on advancing technology . neutral +Inquiries into her antecedents did little to help us . They were able to meet and speak with her in person . contradictory +On the night of 14 December 1702 , despite many obstacles , they attacked Kira 's heavily guarded villa on the east side of the Sumida River , cut off his head , and brought it in triumph to Asano 's tomb at Sengakuji , the family temple . Kira 's heavily guarded villa was attacked on the 12th of July . contradictory +After all , Steele wasn 't paid for what she said , but for a picture of Willey and Clinton together . Steele was paid a huge amount of money for the picture of Willey and Clinton neutral +For something a little more aggressive , Desert Storm Paintball ( 702 / 595-2555 ) puts paintball guns in the hands of budding warriors over age 10 , that is . Desert Storm Paintball was shut down over the insensitive name . contradictory +and course they were they were kind of like the Cowboys in that after Lombardi who could fill his shoes They are nothing like the Cowboys . contradictory +and and then uh then you 're in the situation where you 're very unhappy It 's important to find a way out as soon as you can . neutral +AICPA American Institute of Certified Public Accountants CPA certified public accountant FASAB Federal Accounting Standards Advisory Board FASB Financial Accounting Standards Board GAAS AICPA 's generally accepted auditing standards GAGAS generally accepted government auditing standards GASB Governmental Accounting Standards Board GAO General Accounting Office OMB Office of Management and Budget SASs AICPA 's statements on auditing standards SSAEs AICPA 's statement on standards for attestation engagements AICPA is an institute for certified public accountants working in federal agencies . neutral +You did serve them , Fowler ? " Fowler was being asked if he served them . entailment +yeah that doesn 't work very well either That is not a workable plan . entailment +Here 's what Culturebox has to say to all the evolutionary psychologists who feel that Culturebox has smeared them by association with a man she considers an anti- If he 's going to lay claim to your methodology and benefit from your systems of legitimation , it 's up to you to distinguish yourself from him . Culturebox believes that women are superior . neutral +Staff members were expected to assist members in participating in information sharing by arranging meetings and travel , maintaining the communications mechanisms , and keeping abreast of current and emerging issues . Staff members had to help members participate in information sharing . entailment +On one of the seven hills of ancient Rome , the fortress-like Palazzo del Quirinale , once summer residence to popes fleeing the malarial swamps of the Vatican down by the Tiber , housed the new king of Italy after 1870 , and since 1947 is the presidential palace . The popes had the flee the malarial swamps of the Vatican so they would go to Rome . neutral +yeah we keep holding out you know We know it 's only a matter of time until he cracks . neutral +Created for the Isen ? ­ heim convent of Saint Anthony between 1512 and 1516 , the altar ? ­ piece originally folded out in three panels , which are now mounted for exhibition in separate sections . The piece still needs to be folded out to see . contradictory +This is hard-core , grab-the-paycheck gambling , said Tom Grey , founder of the National Coalition Against Gambling Expansion , when I interviewed him about South Carolina this spring for Harper 's . This is hard core gambling according to Tom Grey who I interviewed in South Carolina for Harper 's . entailment +yeah it didn 't always work well i felt um i feel like i could myself do some things but that i have enough responsibility that if i have someone like my father when i was living at home and my husband that 's willing to do it i go ahead and let them do it i don 't feel the need to um you know be a feminist on that issue and say i can take care of my own things i 'm i 'm happy to let them run run the cars because i have so many other responsibilities that um so i haven 't tried to do a lot myself He usually takes care of most of the housework . neutral +Sometimes he can get American valves sold illegally through third parties at inflated prices . He 's never managed to get his hands , or even sell , an American valve . contradictory +uh in Milwaukee Hmm , in Milwaukee entailment +Orders for 100 or more copies to be mailed to a single address are discounted 25 percent . Orders of 100 or more copies are discounted by over 50 percent . contradictory +She always had a rough tongue , but there is no stauncher friend in England than Evelyn Howard . " He took the path through the plantation , and we walked down to the village through the woods which bordered one side of the estate . We did not walk in the woods nor did we go to the village . contradictory +For assessing the study 's adequacy , the kind of site selected is as important as the number of sites selected . You don 't need information to assess a site . contradictory +The house is open April-October , Tuesday-Sunday 10am-noon , 2-6pm , the gardens all year Tuesday-Sunday 10am-6pm ; closed Monday . The house is open from November to March . contradictory +'Tell them to get me a taxi , ' They will be paying for my taxi ride . neutral +Although the babyboom generation will contribute heavily to the growth of the elderly population , increasing life expectancy and declining fertility rates are also responsible for the aging of the U.S. population . Babyboomers make no contributions to the growing ranks of the elderly . contradictory +you know indebted or nearly underneath uh the debt that we have We 've always been in heavy debt . neutral +Jon awoke with the warm sun on his face . It was pitch black . contradictory +The federal government has always considered frequent flyer awards to be property of the government , and sought to reduce travel costs by requiring their use only for official travel . Frequent flyer awards are property of the government , according to the government . entailment +Parents are rushing to enroll kids in charters , which generally offer smaller classes and more enthusiastic teachers . Many parents feel that the smaller classes will have a positive effect on their children 's education . neutral +As I describe the different regulatory programs , I think you will understand why we believe it is time to simplify . I believe it is time to simplify the American tax code . neutral +He didn 't know how deep the wound was but figured he 'd know soon one way or another . He was nervous to see how deep the stab wound in his abdomen was . neutral +Wars can finish a whole way of life for a man .... " His eyes no longer held Drew 's ; he was looking beyond toward the half-open door or perhaps at something that he alone could see . He looked like an empty shell of his former self . He was withdrawn and his wife was very worried . neutral +black on the outside but mushy on the inside They are mushy inside . entailment +yeah but well they vary from from place to place it 's hard to tell you know how well they 've been kept up how old they are and these are probably oh one of the nicest that i found and uh Everything is always the same everywhere . contradictory +In the history of tobacco litigation , only one plaintiff had ever been awarded any damages , and those were compensatory rather than punitive . All plaintiffs have won and have been awarded millions after suing tobacco producers . contradictory +They weren 't sure of how much you had learnt in that house . They were planning on questioning you about your discovering in that house . neutral +If I lose , then it 's a reflection on the whole family . A loss would be a reflection on everyone . entailment +Or did they arrive after an earlier migration or settlement of Indo-Europeans from Central Asia , or early Europeans ? Did they come after the migration ? entailment +you know and uh that 's something that that has been you know very because see the thing is is like every time that i see a war i see myself on the front line and on the other side i see myself again and i got to shoot myself you know i got to shoot somebody that 's that 's got the same family that i do you know the same relationships that i do and just because i was born here i 've got to shoot them down I don 't agree with going to war . neutral +but that just generates a tremendous of volume of trash too so That creates a lot of trash . entailment +The student filed a sexual harassment complaint against McHugh , who admitted to showing his hernia scar but insisted that the full Monty was accidental . While showing off his hernia scar , McHugh accidentally flashed the " full Monty " at a student , who later filed a sexual harassment complaint . entailment +You and your cousin here had better make yourselves scarce . " You will get into trouble if anyone finds you both here . neutral +Evidently something very momentous had occurred that afternoon . Clearly , something tremendous had happened that afternoon . entailment +THEY HAVE KILLED SIX AND SEVENTEEN REMAIN . They have killed less than half of them . entailment +An alternative is to hire a bicycle or in-line skates ( see page 103 ) . See page 103 for information on food culture . contradictory +yeah it is they 're probably just being normal though They 're probably just being normal entailment +There was Abraham Lincoln . Lincoln was giving a speak . neutral +It is run by a friendly and helpful employee of the town 's Tourist Information Centre . It is run by a complete stranger who has never lived or worked here . contradictory +no the the only people i know that have done anything remotely like that are people that have gone to be missionaries and that 's only because i went to Baylor and a lot of students from Baylor go and and serve as missionaries during the summer but i think i think that 's a terrible idea that 's like forcing someone to donate to a charity There are people that went as missionaries and a lot of students have joined them over the summer . entailment +They incorporate information management as an intrinsic part of their business planning and decision making processes , discussing the benefits and risks associated with specific strategies for improving service , reducing cycle time , or reducing costs . Making service better isn 't an issue that is discussed during the decision making process . contradictory +The Vacaville program kicked off in March and has proven to be so popular during its first two sessions that it has already expanded from one meeting per month to two . The Vacaville program began in march . entailment +It allows us to measure program performance in more sophisticated ways . It is not useful for measuring program performance . contradictory +Sightseeing for tourists is most rewarding by rental car , boat , or both . The best way for tourists to sightsee is by plane . contradictory +In Oniyama Jigoku ( Devil 's Mountain Hell ) , a hundred crocodiles enjoy a hot soak . There are no crocodiles living in Oniyama Jikogu . contradictory +But can he forever ? We don 't know if he can forever because we don 't know how long he will live . neutral +Zelon and her husband , certified public accountant David George , have two sons , Jeremy and Daniel , who are college students . Zelon is married to a public accountant named David George and they have two college student sons . entailment +By the end of the century rural delivery was started on a limited basis , but it did not become ubiquitous until the early part of the twentieth century . Rural delivery has always been everywhere . contradictory +well something that i really don 't understand is when someone goes to jail I 'm not really certain why a person gets imprisoned . entailment +to protect agricultural laborers , both foreign and domestic . Foreign and domestic laborers are the same thing . contradictory +As noted above , the information we are seeking is factual and non-deliberative in nature . Our upcoming report will rely on verifiable facts that are established and without potential for debate . neutral +He said that in the mid-1990s , his command attempted to , but could not , find an effective program for capturing and using employees ' official frequent flyer miles anywhere in DOD . They were finally figured out how to use them outside of DOD , but were never able to use them in DOD . neutral +In another minute the door was flung open . The door made noise as it swung open . neutral +On the tower 's inauguration , the lifts were not yet in operation and Prime Minister Tirard , aged 62 , stopped at the first platform , 57 m ( 187 ft ) up , letting his younger Minister of Commerce continue to the top to present Gustave Eiffel with the Legion of Honor medal . The Minister of Commerce was to the top in order to meet Gustave Eiffel . entailment +yes it did yeah well i think i would also and i think it it really uh would be very difficult in terms of uh you know people i 'm thinking mainly people going to college i don 't see how Those attending college would have the easiest time . contradictory +As a result , the online user could review all comments on a rulemaking and file a responding comment while the comment period was still open . The online user could review all the comments made about the regulation and then respond to them in that same period . neutral +yeah well about that same time branches were falling off ev erywhere and we were actually in a state of emergency for two weeks The state of emergency lasted two weeks . entailment +Michael Lewis is a breath of fresh air in his Dispatches on the Microsoft case . Michael Lewis is boring and useless . contradictory +British Shakespeare scholars remain skeptical , both of the death mask 's authenticity and of the possibility of discovering Shakespeare 's true face . British scholars all agree on which of the masks is real . contradictory +and so uh but that that somehow takes organization for me it 's much easier just the stationary bike you know it 's at home i can i can do some of my reading The stationary bike is too difficult to use . contradictory +The laws require that farm workers be prevented from entering fields treated with pesticides until recommended times have elapsed . The law doesn 't require any time to elapse before farmers can enter fields that have been treated with pesticides . contradictory +Privatization means allowing individuals to invest for themselves all or part of what they and their employers put into Social Security . A company was discussing privatization neutral +An ' seem ' as how they was only one company hereabouts Howard 's Rangers they didn 't try . There were a lot of companies in this region . contradictory +As the roc swept over , the people stopped their frenzied pursuit of sensation and ran for weapons . As the roc swept over , people ran to grab weapons . entailment +He served as a Massachusetts state senator and a U.S. senator , and then , during James Monroe 's presidency , as secretary of state , where he was largely responsible for formulating the principles behind the Monroe Doctrine . He was never in government . contradictory +Have you the nerve to go through with it ? " The girl smiled . Do you have the nerve to go through with killing them all ? ' and then the girl smiled . neutral +The major names to look out for are Royal Selangor and Tumasek Pewter , both available throughout the country . Royal Selangor and Tumasek are the least popular names in the country . contradictory +GASB establishes accounting principles and financial reporting standards for state and local government entities . GASB formed accounting principals and reporting of finances for all of government . entailment +The Internet is an uncertain network because it is packet-switched . The Internet is a very reliable and secure network because of its packet-swatched statues . contradictory +At 4 o 'clock , Mrs. Inglethorp quarrels with her son , and threatens to denounce him to his wife ” who , by the way , overheard the greater part of the conversation . Mrs. Inglethorp has no idea that her son 's wife could hear their argument . neutral +The WTP equation was then run for the population affected by the Clear Skies Act . The equation determined that 55 % of the population was not adhering to the Clear Skies Act . neutral +University degree . High School Equivalency diploma . contradictory +Of course , the purpose of matching is to change household behavior . The reason for matching is to alter the household behavior . entailment +Disney , by anthropomorphizing its critters , exploits this American mushy-mindedness , and makes us forget that pets are , in the end , just animals . Disney emphasized that pets are just animals . contradictory +Drop me in the park , will you ? I can get off at the park if you take me there . entailment +Topped by a newly gilded pyramidal tip , the 23-m ( 75-ft ) pink granite Obelisk of Luxor from the temple of Ramses II dates back to 1300 b.c. and was erected here in 1836 . The Obelisk of Luxor is made with a greenish limestone and was erected here in 1936 . contradictory +I suppose they took advantage of our all being out . I bet they took advantage of us being gone . entailment +right yeah we weren 't concerned yeah that 's true no , we were definitely concerned about it back then contradictory +This doesn 't make George Street an empty shell . This does make George Street an empty shell . contradictory +Four years later , the Appalachian Research and Defense Fund merged with the Legal Aid Society of Charleston at the start of 2000 to create Appalachian Legal Services . The merger with the Appalachian Research and Defense Fund was five years in the making . neutral +that primary uh yeah i don 't I don 't , that primary . entailment +No detailed analysis of the impact on small entities was performed because of the relatively low cost of implementation estimated by EPA ( for most manufacturers substantially less than 1 percent of sales the first year and considerably less in subsequent years ; for non-manufacturers less than $ 1,000 for initial compliance ) . Nonetheless , many small entities have pointed out that the cost of implementation is higher than estimated . neutral +For example , participants stated that the SEC has recently been operating on a budget of about $ 450 million . For example participants said SEC operated on a budget of $ 450 million . entailment +He was cooped up with two parachute guys , and two guys dealing with exclusive materials . He was cooped up with two guys dealing with exclusive materials and their friend Tom . neutral +Walking through the entrance hall which is decorated with a number of sensual sculptures and across the half-moon threshold , you penetrate a forest of symmetrical pillars , each subtly different in its intricate carving . The building is full of sculptures and ornately carved pillars . entailment +okay what is that sound I am wondering what that sound is . entailment +Waste occurs because of coordination failures ( In the early days of railroads each line had a different gauge ) . Millions of dollars could be saved through better coordination . neutral +Don 't be superstitious--hypnotism is silly . He found hypnotism to be smart . contradictory +On the western flank of the square , West Register House , designed originally as a church ( St. The West Register House was originally built as a prison . contradictory +Still no answers . There are no answers . entailment +Two brill dragged an ornate wagon on huge iron-rimmed wheels . A wagon was pulled by two large animals . entailment +He dined with Mrs. Vandemeyer last night . " He had dinner with Mrs. Vandemeyer last night . entailment +One organization established a secure telephone line that allowed immediate contact with multiple parties , thereby speeding communication of timecritical information . The secure lines have capabilities for outside calling . neutral +Modern Japan has embraced the consumer society to such an extent that shopping can be a full-time pursuit . Modern Japan has wholly rejected the consumer soceity . contradictory +messing around in your house building things and you know put cabinets up and those kind of things um You know just kind of screwing around building things like cabinets . entailment +The abundant fruit grown on the islands in the summer continues to be preserved to last through the cold winters . The fruit is not preserved to last during the winter , however . contradictory +well uh my my my ex Someone I used to know . neutral +The kids will be gone in no time . The kids are headed off to college . neutral +And should he happen to bite the big apple while broadcasting live from Times Square , you do not want to miss it . He 's looking forwarding to take a bite out of the big apple . neutral +And why should Forbes shut up about what he regards as a Republican betrayal of conservatism ? There is no doubt that Forbes should shut up . contradictory +um-hum and so i really think we 've tried to tone down We have made the effort to chill out . entailment +for what to do it well the parts or the machines depending on what well you can get a two thousand which is uh a bare essential machine to do this with for about twenty three hundred dollars A bare essential machine would be two thousand but I would need twenty three hundred for it to play Crysis . neutral +You forget the dollars . You missed out the dollars . entailment +Have you the key of the door ? Do you know how to pick the locks on this door ? contradictory +It must be Derry . It wasn 't Derry . contradictory +For centuries it was our primary trade . It was our primary trade for centuries . entailment +The estimated cost to the government ( and benefit to veterans disabled as a result of VA hospitalization , medical or surgical treatment ) is $ 166 . The cost is exact . contradictory +This exciting museum embraces France 's tremendous creativity from 1848 to 1914 in the domains of painting , sculpture , architecture and industrial design , advertising , newspapers , book publishing , photography , and the early years of cinema . The museum shows French art . entailment +too far away to care for them or your daily job or whatever prevented it I didn 't really care much for them in any case . neutral +He must parry opponents ' attacks better . He hadn 't practiced parrying techniques recently . neutral +The jewels would be delivered in exquisite gold-tooled leather boxes with compartments containing the relevant alternative mounts and fastenings , and a tiny screwdriver in its own velvet nest . The jewels come delivered in a gold tooled leather box . entailment +The first question to Bauer Wednesday was , Don 't you just give this story more momentum by doing this ? Unbelievably , no one questioned Bauer about the story on Wednesday . contradictory +In modern times , it has been a place for celebrating victory and mourning the passing of France 's leaders . It 's a place for many events , including celebration and mourning . neutral +Historically , the fabric of life has been sustained by religion . The Greeks would not exist without religion . neutral +and people have their air conditioners on already it has been hot and humid here and so but our summers sometimes start in June and they don 't end till like November i mean it 's hot so we watch football in the heat here No one has air conditioners , but the summers are always a fixed length so we can watch football afterwards . contradictory +Francaise ? he hazarded . He guessed her name was Francaise . entailment +if you can do things together that really helps a lot Teamwork is the best method . neutral +Ah , yes , my young friend of the tree episode ! There was a tree episode . entailment +Injury as a motivator to reduce drinking . The experiment sought to determine if pain would deter drinking . neutral +yeah uh it 's pretty sad to think uh about those who even even even today are graduating from school and they are telling tha t they don 't know how to read you know I know a kid who graduated from high school , but didn 't know how to read . neutral +Nearby , at the head of the Kidron Valley , the Greek Orthodox Church of St. Stephen commemorates the first Christian martyr , and up the Jericho Road toward the city is a small but dramatic monument to Israeli soldiers killed in the 1967 Six Day War . Near the Kidron Valley is the commemoration of the first Christian martyr and up ahead is the 1967 Six Day War monument . entailment +The main shopping areas are in and around Grafton Street , along Nassau Street , in Temple Bar , O 'Connell Street , and Henry Street . There are 5 areas that can be gone to for shopping . entailment +um is that typical to only breed them once I know how many times they should be bred . contradictory +To date , the Comptroller General has not excluded any field work or reporting standards or statements on auditing standards . Up to now , the Comptroller General has included all field work on auditing standards . entailment +it you know the girls can learn things in school about everything that is temporary but as far as really knowing the earth there 's no other way to really learn it but to experience it School doesn 't teach everything . neutral +For example , when one household sells an appreciated asset to another household , any gain realized may be used to finance the seller 's consumption , but the transaction does not increase the nation 's income or output . When a household sells an asset to someone else , a gain goes to the seller 's consumption and doesn 't have any impact on the nation 's income . neutral +Nobody came . Three people were expected to come . neutral +Nonsense ! snapped Tuppence . Tuppence didn 't understand it . neutral +Don 't worry about the risk to endangered animal species most Egyptian ivory is camel or donkey bone , not elephant tusk . All ivory in Egypt is made from elephant tusks . contradictory +( The exception is the cast of non-Jewish locals , who are almost all soap operaish white trash . ) The production company thought that a certain type of person should be cast to portray the group of non-Jewish locals . neutral +Not only is Greenspan 's answer scientifically baseless Greenspan 's answer was made up . neutral +but that doesn 't necessarily mean anything but i don 't know the i That 's really important because that means everything . contradictory +No matter how much information gets loaded into it , the Internet is never going to transform the dynamics of human behavior . Even if you upload 10 million gigabytes of data onto the internet , it will never be the same as a human . neutral +Sounds like the International Olympic Committee , but any group that could find hookers in Utah seems far from inept to me . The group that gathered in Utah had left their wives at home . neutral +In a few moments , they emerged , and Poirot at once stepped forward , and accosted the shorter of the two . Poirot confronted both of them . neutral +flavour to his voice ! It was nothing like his voice . contradictory +I think Wolfe is right about the potential of this kind of novel , one that takes us through unexplored precincts of our own society while spinning a good yarn . Wolfe 's opinion on the outcome of the novel could be misguided . neutral +Bureau of Economic Analysis . Bureau of freedom analysis . contradictory +Or--yes , fine , OK--download the latest version of Netscape Navigator here . ) Alright then , download the newest version of your web browser here . entailment +For individuals , assets accumulated by saving provide a key source of retirement income ( see Q1 . For many , assets accumulated by saving do not provide a key source of retirement income contradictory +It 's just my gum . That is my grape gum neutral +Republicans should counter with logical , informative statements that point out the costs involved in litigation . Rebublicans should go out to prove that the democrats have issues with litigation neutral +yeah yeah i heard about it I had not yet heard that news . contradictory +Off the beaten path in Sham Shui Po , west of the junction of Nathan Road and Boundary Street , is the Lei Cheng Uk Han Tomb and Museum on Tonkin Road ( open Monday Wednesday and Friday Saturday 10am 6pm , Sunday 1 6pm ; closed Thursday ) . West of Nathan Road 's junction is the tomb of Lei Cheng Uk Han . entailment +It seemed to be about twelve inches on a side , in its rough shape , and must have weighed two hundred pounds . It was almost impossible to budge from where it sat on the desk . neutral +4 The DSM insults the victims of traumas and societal injustice by calling their problems mental disorders , thus implying that the victims are wacko and have brought their problems on themselves . The DSM praises the victims by giving them courage to speak out against the injustices done to them . contradictory +Yet surely it could not be ! It possibly couldn 't be ! entailment +But the floating platforms in the Galactic Senate do little to distract you from parliamentary machinations that play like an especially dull day on Star Deep Space Nine . The final military engagement , in which long-headed attack droids are rolled onto the field as the spokes of a giant wheel , would be awesome if Lucas didn 't routinely cut away from the battle just when he seems on the verge of actually thrilling you . Lucas takes the cameras off the battle right when you get excited so he can prolong the movie . neutral +The ad singles out one Wellesley College professor by name and declares , This fraud was originally perpetrated and is still defended by your professors . The ad names a Wellesley College professor and talks about her charity work . contradictory +but they 've kept you hopping there The don 't allow you to hop there . contradictory +Performance State Experiences and Implications for the Federal Government ( GAO / AFMD-93-41 , Feb. 17 , 1993 ) . This was written on 1993 on the month of February . entailment +all right i play volleyball and softball and ceramics I am interested in sports and pottery . neutral +she may be bored at the time so she 'll spend a little bit more time to listen i think you know because she may have finished her work the kids may be taking a nap they may uh they may be playing some place you know or She 's usually very busy so she doesn 't entertain them at all . contradictory +He was amused by my Slateness . After I spoke to him , he was in a very bad mood . contradictory +yeah we 've gone down there many a year We 've gone to Florida for many years . neutral +The big department stores and hotels give away millions of street maps each year . The hotels refuse to give street maps away . contradictory +On occasion , OSI works jointly with other GAO units or independently on compliance or evaluation issues . OSI occasionally work with GAO units or independantly entailment +you know getting people involved so that that 's really strange i i was wondering why we had somebody from Maryland though i was thinking God do we have a TI in Maryland or I did not expect to have people from Maryland but I remembered we have a TI in Maryland . entailment +Eventually his body was washed ashore , and identified beyond any possible doubt . A man 's body washed ashore . entailment +Having endlessly debated the staying power of his ' 60s comic-strip sendups , most critics now conclude his art will last . Most critics conclude his art will last after endless debating . entailment +Despite occasional conflicts , they live in a remarkable state of harmony . Despite occasional peace , they live in a state of chaos . contradictory +In recent years the French national health system has approved reimbursement for spa treatments and the number of curistes seeking treatment has risen . In France , the health care system will reimburse massages . neutral +I do not like what I have heard , no , I do not like it at all . " I don 't like what I 've heard about you . How come you did that in front of everyone ? neutral +because i want to cut down all the the trees that they or the little shrubs that they have because some of them are like um they have the new uh green leaves i don 't if it 's getting green up there where you are uh but they 're almost fully blossomed and but there are like sides of them where there 're like whole dead uh portions of the shrubs Very soon , I will have to worry about the trees losing leaves . neutral +Don Cazar he goes huntin ' ' em when they 've come botherin ' him an ' does it right . Don Cazar likes to hunt and it is a hobby of his . neutral +According to BLM officials , BLM is planning to revise the performance elements in its senior executive performance plans for the 2002 performance appraisal cycle to reflect the priorities of BLM and the Department of the Interior . BLM is planning to revise the performance elements in its senior exective performance plans for the 2002 performance appraisal cycle to reflect the priorities of BLM and the Department of the Interior , according to the BLM officials . entailment +you know they because they always think it 's all him and see there 's not you know he is the only problem that exists . contradictory +To what extent the aggregate offset is due to the changes in interest rates , wealth , disposable personal income , expectations of future tax rates , or other reasons is ambiguous . The reasons for how much the aggregate offset will be are very complicated . neutral +uh how they doing this year i 'm not i haven 't even been following them very much I don 't watch the news so I haven 't kept up on them lately . neutral +well it 's been nice talking to you i guess i 'll uh maybe see you again sometime We will never see each other again . contradictory +Many other small entrepreneurs provide alternative delivery , but they have a very small share of the market . Small entrepreneurs have majority control of the market . contradictory +In King 's letter from the Birmingham jail , where he languished for a week in April 1963 , he pulled up hope in paired phrases of secular and religious faith , repeatedly invoking constitutional and God-given rights in a characteristically American ... King was never arrested at any point during his life . contradictory +In other words , detached from their familiar uses and manipulated on film , such objects could be animated , rendered flexible , and--in the sculptural sense--plastic . Some objects could be animated in the film . entailment +Figure 1 shows the distribution of the 24 agencies covered by the Chief Financial Officers Act and their different approacHe 's to addressing management challenges and program risks in their annual performance plans . He wants to give the managers more problems . contradictory +The Government Performance and Results Act of 1993commonly know as GPRA or the Results Actwas enacted to hold federal agencies accountable for achieving program results . The GPRA wants to hold the agencies responsible . entailment +Captains and Kings Kings and Captains is the title of the documentary . neutral +From the hall , a colonnade leads to an immense hypostyle ( with columns supporting the roof ) hall , decorated with double rows of papyrus columns with beautifully preserved colors , and on to the Court of Amenophis III . All the colors have faded from the papyrus columns . contradictory +New castles were built and new weapons acquired , including the famous gun called Mons Meg . The Mons Meg is not a gun , it is a brand of car . contradictory +In 1996 , a funeral service was held for de Gaulle 's archrival Franaois Mitterrand here . A funeral service was held for Franaois Mitterrand in 1996 . entailment +at inflated prices Due to demand in the market , you get them at inflated prices . neutral +Even during the 1950s , the height of American conformism , women consistently ranked advice from mothers , sisters , and friends as more likely to drive their buying decisions than advertising . Women usually value advice from their mothers . entailment +The deal turned out to be the bargain of all time something like four cents an acre for what became Iowa , Arkansas , Missouri , Nebraska , South Dakota , and most of Kansas , Louisiana , and Oklahoma . There were no bargains for those who bought land in the USA . contradictory +Total Factor Productivity Fraction factor productivity contradictory +It 's a real strain on our relationship to have her parents and grandparents letting her know that they think I am unworthy . The fact that her family thinks I 'm cool makes our relatioship better . contradictory +oh yes yes yes i come i come from up in that area i 'm a New Yorker myself I am a Californian . contradictory +Don 't get me wrong--all the homers listed on the MCI top-ten list were remarkable shots . Oh , trust me , all the homers listed on the MCI top-ten list were remarkable , really . entailment +if you if you don 't like it wait five minutes it 'll change It changes every five minutes . neutral +If Evans and Novak want to capture the real Farrakhan , Pundit Central suggests that they accompany him to one of his rallies . The only way for Evans and Novak to capture Farrakhan is to interview him by himself . contradictory +There are several reputable people in the aeronautic industry who claim to have known Murphy , and it 's a different Murphy in each case , Johnsen told Chatterbox regretfully . Several reputable people in the areonautic industry claim not to have known Murphy . contradictory +This is mentioned in the 1999 edition , but only in passing . The 1999 edition mentions this briefly . entailment +hey that 's a neat thing It 's the most neat thing . neutral +The Secretaries of the services concerned under existing authority in 37 U.S.C. The Secretaries of the services concerned under 38 USC 's authority . contradictory +My concern here isn 't so much for Leuchter or even the Holocaust revisionists , who 'll just think he was sandbagged . I am very concerned about Leuchter . contradictory +But I suppose you hardly wish to go out to-day , as you only came yesterday . " You probably don 't want to go out today . entailment +He doesn 't just write about teen-age hackers , he tracks a pimply member of the species down to his Bethesda home where a software company is signing him to a contract . He doesn 't like young hackers . neutral +They had killed her . She escaped without injury . contradictory +She snuggled against him , admiring him with her eyes . She gave him admiring looks as they snuggled . entailment +to sing like the thrush from the deepest partof the understory , territorial , carnal , thorn-at-the-throat , or flutelikein order to make one sobering sound . Loudly emitting a guttural scream is a good means of self defense . neutral +Also in the eastern compound is the Daihozoden ( Great Treasure Hall ) , housing Horyuji 's magnificent collection of Buddhist art , among Japan 's finest . Hotyuji 's art consisted of western paintings . contradictory +Outside the main site to the north , the Villa of Mysteries ( Villa dei Misteri ) is Pompeii 's other most cherished artistic treasure . Pompeii only has two treasured artistic works . neutral +Our top story As the presidential race nears the home stretch , Bob Dole and President Bill Clinton yadda yadda yadda . In other news ... No one wants to hear anymore about Bob Dole and Bill Clinton . neutral +The man 's rage boiled and he rushed Jon . The man started a fight with Jon . entailment +I thank you for your aid , said the man . The man was so ungrateful for everything . contradictory +for for automobile insurance i had no idea I knew about car insurance . contradictory +But in her hurry to be in time for the village entertainment Mrs. Inglethorp forgot to take her medicine , and the next day she lunched away from home , so that the last ” and fatal ” dose was actually taken twenty-four hours later than had been anticipated by the murderer ; and it is owing to that delay that the final proof ” the last link of the chain ” is now in my hands . " Amid breathless excitement , he held out three thin strips of paper . Mrs. Inglethorp made sure that she took her medicine . contradictory +Over the last ten years , many civil legal services leaders , stakeholders , program directors and managers throughout the United States began to wonder whether the civil legal services delivery structure that had been in place for a quarter of a century was positioned to meets its many future challenges . The changing civil legal services landscape made many ponder changing how they were delivered . entailment +The media 's willingness to buy this line was a result , in part , of the White House 's ongoing campaign to depict Clinton as the victim of an inexorable right-wing machine . The media saw Clinton as a victim of political sabotage simply because it was true . neutral +'But if they catch me ... ' If they catch me stealing money neutral +Soon electronic networks will allow people to transcend the barriers of time and distance and take advantage of global markets and business opportunities not even imaginable today , opening up a new world of economic possibility and progress . Barriers of time and distance will remain the same even if electronic networks become more widespread . contradictory +Unbar , Francisco ! he called in Spanish . He called his friend Francisco in elegant Spanish to come to him . neutral +He doesn 't care about coming in here to kill us . He 's killed hundreds of men before , for no reason at all . neutral +right well people they in general are just getting married a lot later i 'm still single so i 'm sure i 'll be one of those parents that 's you know one of those women in her thirties when when i get around to to ever getting married and then having kids so It was always my intention to get married in my thirties . neutral +Eliot , edited by Christopher Ricks ( Harcourt Brace ) . Harcourt Brace enjoyed editing Eliot . neutral +On the river side of the Tui ? ­ leries , the compact Orangerie ( closed for renovation until late 2002 ) is best known for its ground-floor rooms decorated with Monet 's beautiful Nymph ? ? as murals . The Orangerie closed for renovation because the room was caving in . neutral +He saw Susan 's eyes on him from under her hood . He was not aware that Susan had her eyes on him . contradictory +A great open-air festival of jazz , pop , and rock music , the Estate Romana ( Roman Summer ) , is held in the parks and gardens of Rome . The Estate Romana ( Roman Summer ) is held in Milan . contradictory +yeah that 's pretty understandable That isn 't understandable . contradictory +Traditionally served by the Spanish at Christmas time , the flat bars of turren are very hard . Flat bars of Turren are Spanish food traditionally served at Christmas . The bars are made by many of the local bakeries . neutral +Under the AEO 2001 advanced technology characterization , scenario B assumes that a large number of technologies have earlier availability , lower costs , and / or higher efficiencies . Scenario B has significant cost savings over scenario A. neutral +K. goes on to state that he canceled his rental and sought out a truck at Ryder , where the saleswoman , an ex-U-Haul employee , told him that it was U-Haul 's policy never to turn down a reservation , no matter what . The saleswoman used to work for U-Haul . entailment +According to Spanish law , only captains who have an official licence can operate motorboats . Anyone with a motorboat can operate it in Spain . contradictory +The problem is , the work that comes out of his scholarly chop shops isn 't nearly as good as it should be . The chop shops are having budget issues which explains the lack of quality . neutral +In Havana there was a greater concentration of millionaires than anywhere else in Central or South America , and the capital was dubbed an offshore Las Vegas for its brothels , casinos , and gangsters . Havana was Cuba 's version of Las Vegas but it was not as glitzy and glamorous . neutral +Yes , tell me all about it , said Sir James . " Well you may aswell tell me about it " groaned Sir James . neutral +but yeah i enjoy um you know just i you know i have varied interests and stuff and I am interested in a lot of things . entailment +There is a word for organizations that obey a charismatic leader , uphold fantastic founding myths , and assemble a body of secretive lore , but Szwed can 't bring himself to call the Arkestra a cult . No matter how much Szwed denies it , a group with a charismatic leader , fantastic founding myths , and a body of secretive lore like the Arkstra is definitely a cult . entailment +He won 't appreciate this , ' another very important man added . One person spoke out that this would not be appreciated . entailment +The Commission specifically solicited public comments on the need for and utility of the information ; the accuracy of the burden estimate contained in the preamble to the proposed rule ; ways to enhance the quality , utility , and clarity of the information to be collected ; and suggested methods for minimizing the burden . The commission wanted to change it based on the public opinion . neutral +yeah oh that can be that that can really slow you down It is possible to be slowed down . entailment +The original Star Wars , sporting touched-up audio and new visual effects , will soon be followed by The Empire Strikes Back and The Return of the Jedi . Critics are bubbling with nostalgia for the film 's nostalgia . The new visual effects seemed more realistic in the first Star Wars . neutral +so i it was actually wonderful because where i was there were half Met fans and um half Sox fans It was great because the stadium had lots of fans from both sides there . entailment +i 've never done that I haven 't ever done it . entailment +Is money money similarly presages Bob Dole on the 1996 campaign stump reminding people , It 's your money ! Bob Dole 's stump speech reminded people that it was their money . entailment +Hanauma Bay , a gorgeous volcanic amphitheater on the shores beyond Diamond Head , draws thousands of snorkelers to its gentle reefs . Hanamaua Bay is the name of the famous and oldest tree on the island . contradictory +all righty we 'll we 'll talk to you later bye-bye We will definitely be speaking to you later . neutral +This realignment , the first in more than 15 years , will be implemented beginning in October 2000 , although the planning and transition activities have already begun . It is realigned every single year . contradictory +As the road climbs higher you 'll reach a hidden valley , left behind as the glaciers of the Ice Age melted . Melting glaciers from the Ice Age always leave valleys . neutral +Barnes knows these statistics help explain the unflattering public image of the legal profession . Barnes wrote a book about these statistics . neutral +What kind and how ? Drew asked quickly . Drew quickly asked how , and what kind it was . entailment +well the the ones that we were test driving were the uh were the new ones there um-hum well now um We really liked a few of the new ones they had there . neutral +Three years after the fall of Jerusalem in a.d. 70 , the Romans besieged the fortress . The Romans besieged the fortress for six weeks . neutral +It was clever of you to guess . It doesn 't matter that your guess was clever . neutral +The advertisement page of a magazine fell out . The magazine cover fell off . contradictory +well that 's true and and it 's sad because now they they 're so used to people they 're going into the towns and raiding garbage cans and stuff and that presents a threat to the people living there and now they 're having to shoot them They are too used to being around humans that sometimes they need to be put down . entailment +The white-coated scientists looked up from their clip-boards . The scientists lifted their heads and looked up . entailment +Why is NASA letting the old bird lift off ? NASA has refused the lift off of the old bird . contradictory +For example , GAO may decide not to transmit a draft report electronically and instead provide limited printed copies of the draft to the agency . GAO has to decide if they want to submit the report via e-mail .. neutral +well it may have been uh the fact we had this early season warm spell We had a warm spell early this season , that may be why . entailment +... Roman , that you have an enormous amount of experience in the field of telecommunications . Roman has no experience . contradictory +Food and a bath ! There was no food and the bathroom only had a shower . contradictory +Thanks to computers , however , investment banks now offer a vast array of financial instruments , and hedging has become much easier . Investment banks refuse to abandon their barbaric , computerless system , making hedging increasingly difficult . contradictory +It 's possible he 's guilty . His innocence can be proven with 100 percent certainty . contradictory +oh i she 's talking to my husband i think so yeah so I think so because she is talking to my husband . entailment +The grant will pay the salaries of two lawyers and an intake specialist for 18 months at the center , which will operate out of rented space in Salem 's old Masonic building at 70 Washington St. Center organizers hope to obtain more funds to extend the program . Two lawyers will be paid $ 100,000 each by the grant . neutral +yeah yeah that 's what i don 't understand I don 't get why we 're not paid better . neutral +well those uh the early Lionels can be quite valuable Lionels from further back in the past are worth more . entailment +13-year-old boy on going out with You even talk to them--even if it 's just over the phone . I don 't consider a conversation over the phone as really talking to them . contradictory +Auditors should use cost models to look for discrepancies with the cost and schedule estimates established for an acquisition . Auditors must avoid at all costs the use of cost models . contradictory +If you don 't mind crowds , both these festivals offer plenty of opportunities to gawk at the stars , but don 't expect to get in to any of the galas unless you have professional accreditation . Neither of these festivals offer many opportunities to see the stars , but the galas are open to public attendance and provide much better chances . contradictory +Him , or another . Him , or another ; I 'll take either . entailment +Compared with Charles Bronson 's , maybe . Definitely not , if compared to Charles Bronson 's . contradictory +She actually cares . She really does care . entailment +The institutions and individuals he supports--call them Milliken Men--have helped legitimize a point of view that still commands virtually no support among professional economists , and which was regarded , even a decade ago , as politically beyond the pale . The Milliken Men are regarded as politically questionable because of their campaigning . neutral +The Russian demurred , but the other insisted . The Russian is the one that insisted aggresively . contradictory +From here , the panorama sweeps round and takes in the entire valley ( though even at 3,608 m / 1,100 ft you 'll still be close enough to hear the bell of the village church ) . There wasn 't a church in the area . contradictory +German bought into a coffee farm in Costa Rica and later adopted three sisters from that country . German bought a coffee farm and adopted 3 sisters in Costa Rica entailment +Our campaigns often end up doing the very opposite of what they intend , Bradley laments . Bradley is disappointed for the outcome of the campaigns . entailment +The protective aura that once insulated the family has vanished . The aura continues to protect the family to this day . contradictory +Wheels on rollers ! The wheels on the rollers were red . neutral +As a further blow to the economy , the British Parliament passed the Sugar Equalization Act in 1846 as part of a new free-trade policy . Parliament hoped that people would not resist against the Sugar Equalization Act but militarized excessively just in case . neutral +That one should hit in another week , maybe two . The meteor will fall from the sky in about a week or two . neutral +Not part of the Latin Quarter , but an extension of it , this is the home of numerous publishing houses , the Academie Franaaise , expensive interior design and fashion shops , bookshops , and cafe terraces ideal for people-watching . The Academie Franaaise is in an extension of the Latin quarter . entailment +i 'm always afraid they 're going to fall over and have a coronary coronary I sometimes worry that they may have suddenly have heart related problem . neutral +my street uh is kind of in between there are a couple of uh neighbors who are are really good about planting flowers and trees All of the neighbors hate seeing and dealing with plant life . contradictory +Also , these simulations reflect discretionary spending growing with inflation after 2001 ; in our earlier reports , discretionary spending was assumed to comply with statutory caps in effect through 2002 . The discretionary spending is not relevant to these reports . contradictory +If you don 't mind my putting in a few words--You 'll remember that just after breakfast my son came in to ask what animals ate . You will recall that my son asked what animals ate . entailment +Isn 't he coming back to-day ? " He 's returning today , isn 't he ? entailment +Customers are made worse off , and so is Schwinn , as there is now less reason to prefer a Schwinn bicycle to others . Less and less people are buying Schwinn bicycles . entailment +'I didn 't see many of your people about , ' I said to White . I told White that I saw a bunch of his people . contradictory +Thus , saving Social Security surpluses is not enough to ensure retirement security for the aging population without placing a heavy burden on future generations . The aging population needs to be taken care of by the future generation . entailment +In cooperation with IIT Kent College of Law , legal services programs are also involved in establishing a Technology Center for Law and the Public Interest . This is related to law . neutral +yeah thirty two years and my wife 's a Texan so of course naturally my children but they still think i 'm a Yankee My wife was born in Alaska . contradictory +I said , ' I guess I feel an almighty fool , but I owe it to you to let you know that it wasn 't the Bill Sikes business I was up to . ' I was wrapped up in doing Bill Sikes 's business . contradictory +I propose that , rather than charging up the same hill with the same old , tired ammunition , let 's all of us regroup---and rethink . We have been going up this hill for three hours . neutral +um but that 's a very long-term sort of concern um i don 't i don 't have great short-term effects other than reducing spending and raising taxes and no one likes the idea of raising taxes very much and uh no one likes the idea of reducing spending very much so i don 't see any real uh real immediate hope i mean it 's the whole quota 's living on debt i mean but and they buy things on credits constantly Bringing down spending is one of the few short term effects that I 'm likely to implement . entailment +Over the next 20 years , the United States will need 1300 to 1900 new power plants . Blackouts will become common in 20 years unless at least 1300 power plants are built before then . neutral +The other horrifying consequence of a greatly extended life span--Strom Thurmond 's ass . The perfect shape of Strom Thurmond 's ass is a consequence of lives cut short . contradictory +This might be your idea of a semicircular sandy strip backed by sea grapes and tropical shrubs , gentle aquamarine surf , a coral reef close to shore , plus some rocks and seaweed for rewarding snorkeling and a view out to some huge pierced rocks ( roches perc ? ? es ) that partly shelter the entrance to the cove . The cove is the tourists ultimate getaway , tons of stuff to do , its the most popular on the island . neutral +Hillary could have known in detail , known in general , not wanted to know , or truly had no idea . It is most likely that Hilary did not want to know . neutral +National Saving Changed Over Time-Both47 Overview Overall and by Component ? The savings rate changed over time . entailment +However , it is not a net inflow of resources to the entity , because the asset received ( cash ) is offset by an equal liability ( debt ) . It is purely a net inflow of resources to the entity . contradictory +uh-huh uh-huh i 'm kind of at the other extreme i have a nine month old and one that will be born in October Neither of us have any kids , nor plan to have any soon . contradictory +No one argues anymore over whether Gates is really a techie or worries about Jeff Bezos ' literary taste . No one argues if Gates is a techie or not because they all know he is the biggest one out there . neutral +I asked him if anything untoward had occurred . I asked if there had been anything underhanded that happened . entailment +Below Jesus ' feet is a Latin in ? ­ scription that suggests that the tympanum was the work of one man , Gislebertus ( Gilbert ) . The tympanum may have been created by one man called Gislebertus . entailment +uh well you have to keep uh if you don 't keep them clean my friend had gerbils and you could smell it as soon as you walked into their her house The gerbil was not very clean so it smelled . neutral +uh-huh yeah well but the did you did you go to Florida in a van A road trip in a van would be good . contradictory +I could feel the thumping of the tracks . The tracks were in very poor condition . neutral +Programs need to come up with innovative ways of supporting people who are advocates for diversity , including charging certain staff members to reach out to others to overcome possibly hidden discrimination ( such as discrimination members of religious groups and gays / lesbians / bi-sexual and transgender persons ) . It is not always easy to point out discrimination against other people . neutral +2 billion state budget shortfall . The state is in more debt than ever before . neutral +'I think otherwise . ' 'I have the same opinion as you . ' contradictory +On the brink of the cockpit , I found the link between carriage and train ; the vulnerable joint that Lincoln 's men had already half burned through . I was searching for Lincoln 's enemies . neutral +mIncluded as expenses in calculating net cost . Expenses in calculating net cost and gross cost . neutral +The 1995 Program Letters16 containing this directive This directive is contained in the 1950 Program Letters16 contradictory +Comedy attacks . No comedy attacks . contradictory +The Distribution of Outbound Mail by Weight Interval . There are five different weight intervals of outbound mail . neutral +Their papers and documents , some 20,000 boxes worth , are stuck in a storage facility in Linden , N.J. There are well over 10,000 boxes of paper work in storage somewhere in New Jersey . entailment +One last thing please have that house in Soho watched day and night . Someone should watch the house in Soho constantly . entailment +The important fact that Monsieur Inglethorp wears very peculiar clothes , has a black beard , and uses glasses . We know if he was the bad guy because of what he was wearing . neutral +Some legal issues may not arise until the farmworker has returned to her home base . Farmworkers never have legal issues . contradictory +This publication examined state planning in 18 states as models for building various components of a clientcentered , comprehensive , integrated state justice community . The publication examined state planning in some states as being total failures . contradictory +Modern and efficient , the capital of Karnataka is a convenient gateway to the western half of the peninsula . The capital of Karnataka has never changed its name . neutral +And sometimes , lately , I 've been afraid … . The speaker is afraid of ghosts . neutral +To honor the ram-headed god , Egyptians created a necropolis of mummified rams at the site , covering the animals ' corpses with gold leaf . The necropolis featured live rams that were covered in silver paint . contradictory +The trotting race is a particularly exciting event to watch . One can watch a trotting race and it 's exciting . entailment +i only get the newspaper on the weekends so I only receive the weekend newspaper . entailment +and having the family do a good share of the work you know and the part that i did was more fun than uh than labor because they did the the running and toting chores and i just helped cook and kind of organize you know Family does a lot of the work . entailment +okay well you see it saw it out there then too It had very keen eyesight , and it easily picked it out . neutral +But a closer analysis of the weather map suggests Mother Nature actually favors the Democrats this year . Mother Nature has been a democrat for years . neutral +Be under no illusions , if you trouble them , the Corporation will kill you . The Corporation does not kill people . contradictory +He had finished with Shiloh and was on his way to the bunkhouse when Hunt Rennie hailed him . Hunt Rennie said hello and asked after Shiloh . neutral +an an but him could be a her A him must be a him . contradictory +uh no i i don 't work for TI so i get cash I am not an employee at TI , so I get cash . entailment +There are still pleasant walks to be had , however , in Cubbon Park and in the terraced greenery of the botanical gardens of Lal Bagh . Cubbon Park and Lal Bagh are only open to the public in the summer , however . neutral +definitely i mean that 's a good deal Both sides stand to benefit from that deal . neutral +She is an example of doing something extremely well . She is a role model for many ambitious women . neutral +The organizational positions of the central groups varied . Some of these organizations were made up of more than twenty people . neutral +( Reno didn 't seem to receive any special treatment on Face the Nation , where she appeared Sunday . ) Reno appeared Sunday on Face the Nation . entailment +He then made a speech in September 1980 in which he laid out the quantities involved and the underlying assumptions . He spoke about the quantities of nuclear weapons in September . neutral +O 'Connell Street is a grand boulevard with a wide central island , studded with monuments and statues . O 'Connell Street has walking tours because it is so magnificent . neutral +The office continues to represent Head Start in low-income districts . The office has stopped representing Head Start . contradictory +Its two cinemas present a varied program of new international and archival films . it has two cinemas that show new and old films . entailment +that 's right i you know that 's another thing the news media in the in the Soviet Union i wouldn 't trust them either you know i wouldn 't trust them to send to send a story about the United States to their people correctly The media in the Soviet Union would manipulate a story about the United States . entailment +Get individuals to invest their time and the funding will follow . If individuals will invest their time , government funding will come along , too . neutral +Since 1931 , when gambling was officially legalized in Nevada after 22 years of prohibition , it has been used to promote the city to travelers . Even during prohibition , a lot of gambling took place in Nevada . neutral +Much alleged psychotic illness is the result of rational , if wrong-headed , calculation . Alleged psychotic illness is hereditary . contradictory +John Bohlen , a resident of the Oakwood Heights Mobile Home Community near Ankeny , said not having somewhere to turn when there are problems leaves many mobile-home dwellers feeling helpless . Bohlen says most mobile home dwellers don 't know where to turn . entailment +These retreats offer everything from casinos to horseback riding , golf to jungle trekking , depending on the location . The horses are healthy and well trained . neutral +The three newsmagazines reconstruct the Heaven 's Gate suicide , trace the cult 's history , and link it to burgeoning New Age spiritualism . The newsmagazines explained the justifications for the cult 's actions . neutral +you know i could i can remember the days when it only cost three cents to mail uh uh uh a letter I remember the days when it only costed 3c to mail a letter . entailment +Those , said the Astronomer . This , said Jesus . contradictory +This is a job for the women , who work in lines to space the young plants in neat rows . Women work in rows to plant the young plants . entailment +Spring and summer make better visits , when you can admire the irises and flowering shrubs of the inner gardens . It is better to visit during the spring and summer . entailment +Currently , many financial planners advise people that they will need to replace about 70 to 80 percent of their pre-retirement income to maintain their pre-retirement living standard . People need this advice all of the time , so financial planners are always in high demand . neutral +young families whatever they just they just couldn 't you know take off to do that Families today have too much going on to be spontaneous . neutral +yeah he 's they 're wanting to record a gas chamber He or a group of people wants to record a gas chamber neutral +I sure had me a real snootful an ' I guess I was jus ' fightin ' th ' war all over again . He had fought in the war when he was younger . neutral +They went back and forth for some time . For some time they went back and forth . entailment +The Review Process guarantees DSPB representatives a face-to-face meeting with the Vice President of Programs to make their case . The review process guarantees a face-to-face meeting . entailment +it may be a much reduced force than what we used to have over there but you still better have the key players in place if something does go down even if it 's a regional conflict if United States is going to flex its muscle and be the super power that it is not only does it it can talk the talk but it 's got to be able to walk the walk it 's got to have the stuff to back it back up what it 's saying if you 've only got a token force there you can 't hold your ground It might be a smaller force , like only 500 soldiers . neutral +He accepted the offer . He accepted the deal proposed by the merchant . neutral +Audit organizations are encouraged to establish policies for maintaining the Organizations specializing in auditing are encouraged to create policies entailment +Be nice to Wall Street , and perhaps you can be a money god , too . Be nice to Wall Street , your father did that and he was earning $ 150K a year . Maybe you can do that too . neutral +In a society that stresses individual achievement Co where you pull yourself up by your bootstraps Co the Legal Aid Bureau helps those without boots . The Legal Aid Bureau does not care about the welfare of others . contradictory +In fact , there was no room for them . There was in fact , no space for them . entailment +As a basic guide , the symbols we use indicate what you can expect to pay for a three-course meal for two , excluding wine , tax and tip . The symbols we use show what you will pay for a meal for two . entailment +The overall structure of a computer system including A computer system has a food truck . contradictory +Election for Additional Sources You will be no election for additional sources . contradictory +The emissions inventory for the Base Case also includes Tier II and Heavy Duty Diesel Rules for mobile sources . The emissions inventory has Tier IV for mobile sources . contradictory +You 'll get better views of Mount Kanchenjunga and Mount Everest and pass through lovely forests of chestnut , magnolia , and rhododendron . Mount Everest is best viewed in the summer near the forests . neutral +and i said well me being from the electronics industry i 'll bite why why don 't you like it and he said well Since I have a background in electronics and computer repair I said I would bite . neutral +Financial desperation has led Russia to endeavors shunned by NASA . NASA has decided to partner with EU instead of Russia . neutral +but luckily at Texans there 's a little more diverse diverse clientele a wider range of people tend to visit Texans entailment +And until we recognize that , U.S.-China policy will be more fraught than it should be . The U.S.-China policy will not be as desirable as it should be . entailment +( In an earlier Slate column , Be Fruitful and Multiply , I argued that we should reproduce more quickly because it would improve living standards for existing people . Encouraging people to reproduce more quickly is an approach that has never been argued before . neutral +Someone was always sick and the stench of that sickness saturated all of us . The smell of sickness was pervasive as someone was always sick entailment +But the inhabitants ? The inhabitants need to agree too . neutral +Is she a prisoner there ? Is she being held captive at that place ? neutral +So Loury is now on his own ( or rather , at the head of a small movement of like-minded people , centered on his new Institute on Race and Social Division ) : rejected by the black political elite , which still wants to blame everything on white racism , and equally rejected by a conservatism that wants to do precisely nothing about continuing racial inequality . Loury is rejected by both the black political elite and the conservatives . entailment +For the first time , it occurred to me to wonder about the girl 's future . I had thought about the girl 's future many times before . contradictory +She looked at Jon and smiled . She grinned at Jon . entailment +The Highlands are best reached by train on the KL Butterworth line to Tapah Road station and then by taxi up into the hills . The taxi and the train are really expensive means of transport , however . neutral +and you put a little bit of that over it now if you use the dried kind Don 't put the dried kind on it just yet . contradictory +It happened here about 2.1 billion years ago . It occurred many eons ago . entailment +Hence the usefulness of that promising youth , Mr. T. Mr. T hates to fly but loves gold chains . neutral +No matter how hard I try , I feel that I say the wrong thing or something inappropriate . I don 't want to talk anymore . neutral +Some of the smaller organizational units within these departments and agencies provided a listing of proposed rules available for comment . The smaller organizational units were not a part of these departments and agencies . contradictory +Hardly the act of a speculator in a casino . It was exactly like a speculator in a casino . contradictory +Good luck to you . I wish you good fortune . entailment +Granddaughter Theorysia ran over to greet her grandpa : She ran to see her grandpa . entailment +teams in your area i know it I do not know any teams in that locale . contradictory +yeah i mean when you described it it sounded like something you know that would be around i guess but i 've never heard of it before and it 's really interesting um i guess i 've decorated baskets and stuff before in the past but i 've kind of gotten out of that i use to do a lot more and sell at craft shows I found it really reward and fulfilling to spend my time crafting stuff . neutral +right well see that 's one That is the only one . neutral +A National Enquirer story , probably based on a White House leak , quotes Clinton saying that Monica is dangerous and that she hallucinates . The National Enquirer story was published in 2012 . neutral +They were not the only ones to lust after the women that night . The men dreamed of the sexy women that night . neutral +i don 't think he ever told them to to rise up against Saddam Hussein I think they went against Saddam Hussein on their own accord . neutral +The advantages of this approach are that greater mercury capture occurs because of the additional mercury capture that can occur on the FF filter cake ; and , because the ash is largely separated from the sorbent , more efficient sorbent utilization is possible through sorbent recycling . Greater mercury capture is one of the benefits of using this approach . entailment +A splendid Red granite sarcophagus has pride of place in the Tomb of Horemheb . There is a Red granite sarcophagus existing mundanely in a tomb . contradictory +The thrones on view here date from a visit by George V and Queen Mary in 1927 . The thrones are from a visit with George V and Queen Mary in 1927 . entailment +Under threat of litigation , we have had to abandon the name The Dismal Scientist for Paul Krugman 's economics column . We have been threated so we have to abandon the name . entailment +When his family fell on hard times , Degas blamed it on the Jews . Degas blamed the Jews as his family suffered through rough times . entailment +These are beautifully preserved and painted in bright tropical colors , a perfect environment for the smiling children in their smart uniforms . These are very well preserved tropical colors that perfect environment . entailment +you know it wasn 't really worth it to him to do to do it She was eager to help me out . contradictory +The payment to the former or current employee is made by the unemployment trust fund ( Department of Labor ) in the case of unemployment benefits and by the special benefits fund ( Department of Labor ) in the case of workers compensation . The unemployment trust fund makes the payment to the employee . entailment +He pointed into the smithy . The man pointed into the forge . entailment +Budgetary flexibility would be drastically constrained , and little room would be left for such spending on programs for national defense , the young , infrastructure , and law enforcement . If budgetary flexibility were constrained , it would be a national disaster . neutral +The victims over 30,000 included most of Martinique 's social and managerial elite . There were 300,000 victims . contradictory +come here Go away . contradictory +The Washington Post denounced Afghanistan and Pakistan for trying to have it both ways on terrorism . Germany and France have been denounced by The Washington Post . contradictory +Apparently , real Velociraptors were small and fairly timid . They exaggerated how rabid they were in several movies . neutral +He radiated an absurd complacency . He radiated a weird smugness . entailment +Mary and John stand on either side of the crucified Jesus upheld by his Father , while the dove of the Holy Spirit hovers between them , the whole forming an inspiring triangle under the coffered ceiling of a Renaissance chapel . Only Jesus , alone on the cross , is depicted on the chapel 's ceiling . contradictory +The last Christian service ever to be held in Haghia Sophia took place on 28 May 1453 , the day before Constantinople finally fell to the Turks . The next day , the Turks held a Muslim service in the Hagia Sophia . neutral +They seemed to be reminiscing over old times . They had made terrible mistakes in the past . neutral +is it uh i i believe is it sugar cane or i 'm not sure sure exactly what they do I believe it 's sugar cane but I 'm not sure entailment +I 'm heaps better now anyway . " Sir James 's car was ordered round . He was doing better due to the medicine they had him on . neutral +On summer weekends , the Railway runs a service with formal lunch a very refined way to take in the sights . The formal lunch includes chicken and lobster . neutral +Alfred Wainwright , prominent fell walker and writer , was curator here for many years . The curator , Alfred Wainwright held exquisite parties every fall . neutral +they are tempting at times but i i just you know Some people do it because they are tempting . neutral +and so i end up lots of time not doing anything at all Many times I find that I haven 't done anything . entailment +If we keep up , they 'll route . We want to keep up . neutral +Woodward does recount the decision-making process of those Republicans who decided not to run . Woodward is silent on the Republicans ' decision-making process . contradictory +um they they also have a garden shop and they they offer just as good a guarantee if you buy it from them They permanently closed their garden shop a few years ago . contradictory +yes Cuba 's really close but uh Puerto Rica is uh is it 's like uh i live in Vermont from Vermont to Florida it 's another another uh what fourteen hundred miles across the ocean Florida to Vermont takes about the same amount of time to get to as Cuba to Puerto Rica . neutral +on Late Edition , citing the Serb surrender to the Dayton peace conference as an example . Dayton is a place that promotes peace . entailment +For some jobs , both case study and noncase study reports can be aggregated , Case study and non case study reports can be aggregated for some jobs . entailment +Legal Services Corporation funds local legal services programs to serve clients in every state , county , and congressional district in the United States as well as in Puerto Rico , the Virgin Islands , Guam and Micronesia . Legal Services Corporation funds local legal services programs to serve clients in every state . entailment +The board overseeing the state Office of Crime Victim Reparations [ CVR ] has voted to deny a stopgap funding request from the two organizations . The CVR voted to denynsny funding to the organizations neutral +Perhaps we surface-dwelling life forms are the exceptions--bizarre mutations of the normally deep-dwelling archeabacteria that populate the interiors of planets all over the galaxy . The interiors of planets all over the galaxy were repeatedly studied when new technology became available . neutral +so it 's kind of hard to keep you know at it but their worthwhile It 's difficult to keep at it but they are worthwhile . entailment +Built 1847 1849 , this usually deserted Anglican foundation is Hong Kong 's oldest church . It took three thousand years to build this deserted church . contradictory +but okay so did wait do you watch Saturday Night Live yesterday Have you watched Saturday Night Live every weekend ? neutral +In its own way , it establishes a hold over you soothing , lulling , and always fascinating and before you know it , you 're hooked . It doesn 't have the ability to hold you and get you hooked . contradictory +L. 104134 directed the Department to issue interim regulations within 30 days of the date of enactment . The Department had been slow to issue interim regulations in the past with its enactments . neutral +Papers that are clinically applicable to functioning practice in the emergency department and the trauma center belong in those journals . Most of the papers apply to functioning practice in the emergency department . neutral +Bill Bradley does not talk about his religous faith on the campaign trail . Bill Bradley will not shut up about his faith on the campaign trail . contradictory +The Chinese Buddha statues here are notable for their variously proud , cheerful , or humble stances not to be seen in the Buddhas of Japanese temples . There are at least 100 Chinese Buddha statues here . neutral +Other people 's chants , particularly when chanted in translation , sound a little silly . Chants being said in translation sound a little silly . entailment +Kids will love the slightly gory-looking pharaohs and will be fascinated by the process of mummification though it 's not for the faint-hearted . Most adults don 't enjoy learning about the process of mummification as much as their kids do . neutral +In the higher elevations of the Himalayas , among the people of Tibetan origin , Buddhism is the dominant religion . In the higher elevations of the Himalayas , among the people of Tibetan origin , Buddhism is the dominant religion because the area is so remote . neutral +yeah i know well i i 'd i as i said i 'm not much of a television watcher i read as i said and uh quite a bit i i read about I have never watched television . neutral +Although the named client is usually an adult , most LSC cases also involve and benefit children . Several LSC clients have three or more children . neutral +Aliens in the unrestricted categories often legally leave the country during the course of their representation . A sizeable number of aliens in the unrestricted category end up staying in the country permanently . neutral +The woman nodded to him when he handed Susan to her . The man kept Susan to himself . contradictory +Finally , the report is to include the summary findings of program evaluations completed during the fiscal year covered by the report . The report will omit anything relevant to the program evaluations . contradictory +His own firm in Bethlehem , he said , operates under the Marcos and Negron philosophy . His firm is located in Bethlehem . entailment +The fourth quarter is Jordan Time . The last quarter is Jordan Time . entailment +Take the train for long journeys , and rent a car at your destination to explore the back country . The train is only available for short journeys . contradictory +Intrinsic to the development of the Program Letter , was the input we solicited on exemplary systems from individuals and organizations with special knowledge or experience about the topic . The Program Letter is developed using help from individuals and nonprofit organizations . neutral +have you ever read any Dean Koontz Have you read anything by Dean Koontz ? entailment +It resembles French pastis , Greek ouzo , or Turkish rakia It is similar to the Greek ouzo . entailment +It was viewed that forward , realtime , qualitative information , all of which would be helpful in predicting future cash flows , may require a safe harbor from liability . Realtime information is the most helpful in predicting future cash flows . neutral +But what interested Tommy was the thing he had hoped to find , a communicating door between the two rooms , up on the left by the window . What caught Tommy 's attention was the door between the two rooms . entailment +The narrow entrance squeezes past a bookshop and opens out into a delightful , plant-filled patio . Many visitors passing through stop at the bookshop . neutral +You 'll probably be tempted to stay put for a while , relaxing in one of the Mediterranean 's quietest corners . You won 't be beckoned to stay a while in the quiet corner . contradictory +And they 're not . They 're not entailment +yeah that 'll be good yeah well it 's good talking to you I don 't think I will speak to you again . contradictory +Like the Holy Sepulchre in Jeru-salem , this church is too important to stay in the hands of one denomination , so it is administered jointly by Greek Orthodox , Armenian , and Franciscan priests . The church is maintained by religious leaders of multiple sects . entailment +you know and this is like across the street this was a nice part of town It doesn 't matter where you are in town , crime keeps happening . neutral +They will burn the village , said Gauve . Guave warned people the village would be burned . entailment +um well i i like Europe except for Belgium Belgium is the only European country that I don 't like . entailment +Economic Benefits of Improvements in Acid Rain Provisions of the 1990 Clean Air Act Amendments . Acid rain is a negative consequence of large nations . neutral +No , some one 's got ahead of us today by an hour or so . We slept in and now someone is an hour ahead of us . neutral +Other producers in Scotland are Stuart Crystal and Caithness Glass , both of which have beautiful patterns and a wide range of goods . Both Stuart Crystal and Caithness Glass are known throughout Scotland for their craftsmanship . neutral +you know if i mean if they want something occasionally but most of the time if it 's a need i just get it " I just grab it from the fridge if they need something or even if they want something occasionally . " neutral +I don 't take drugs--I 've never had drugs in my life--I 've never had a glass of alcohol , I 've never had a cup of coffee , I 've never had a cigarette . I have never taken any stimulants . entailment +When Roman power split in two , the eastern Byzantine Empire inherited the island ( though its hold on islands in the south of its dominion were , in reality , nominal ) . Even though there were differences of opinion , the Roman empire never split in two . contradictory +Hard-core seekers of local culture will find a single day insufficient for visiting Yufuin 's Museum of Modern Art , the unexpected Marc Chagall Museum , and 15 other art galleries . One day is not enough to visit Yufuin 's Museum of Modern Art and 16 other galleries . entailment +No , no , you 're getting morbid on the subject . 116 " Enough to make a man morbid , to be stalked by beastly journalists and stared at by gaping moon-faced idiots , wherever he goes ! Most journalists were stalkers and were often caught staring . neutral +Colorful temples are presided over by priests , and reed boats ply the waterways in this interesting park that will certainly help children understand how the people may have lived it may also help the adults . This park will certainly not help anyone , it is just a bunch of greenery and trees . contradictory +but i don 't have a New England accent oh my parents have a New England accent but i don 't My parents have a New England accent , I do not . entailment +Guided tours are available by boat and tourist train during the summer ; and audio guides can be rented at the Office de Tourisme ( Place de la Premiyre Arm ? ? e Francaise ) . The Office de Tourisme is where you should go to rent an audio tour guide . entailment +Exoatmospheric Kill Vehicles orbiting Earth would be programmed to collide with warheads . Exoatmospheric Kill Vehicles would serve a military purpose . entailment +For many visitors , trekking is the main purpose of a trip to Nepal . Visitors do not go to Nepal so they can trek . contradictory +At least the acoustics are rated a success , and the new home of the National Opera is now an accepted part of the cultural life of Paris . Unfortunately the acoustics in the opera were rated a failure . contradictory +Moreover , some members of the NEPDG have already provided us with information identical in kind to the type of information we are seeking from the Vice President in his capacity as Chair of the NEPDG and from NEPDG staff members . Neither the Vice President nor any members of the NEPDG have provided us with information . contradictory +He 's smarter than most of his kind , but just as ugly . He is more intelligent than most of his kind . entailment +The Independent of London devoted an editorial to the report , denied by the White House , that Clinton might be willing to admit that he kissed Monica Lewinsky without engaging with her in an improper relationship . Clinton denied that he had kissed Monica Lewinsky . entailment +Everybody hopes Hong Kong will remain stable , but everyone also has their doubts . No one know if Hong Kong will stay stable . entailment +( And , incidentally , sneering comparisons are a big part of the next round of SATs . Comparisons are a small part of the SATs . contradictory +It 's a savvy choice of Hillsman , who made ads for Minnesota Democrat Paul Wellstone before signing on with Ventura , is even closer to Beatty 's liberal-populist politics than Ventura is . Hillsman 's history makes him a good choice for the campaign . entailment +Another kind of attorney volunteerism deserves a salute on this Law Day -- the tireless pro bono efforts of lawyers , whereby attorneys take no fee for legal work that enables people of limited means to get the help they need . Recognition needs to be given to those in the legal field who work some cases for free . entailment +uh doesn 't seem to be um granted i i i read primarily the more controversial topics so i 'm sure that it 's easier for them to uh be you know polarized more so on the topic on the the news items that interest me most but uh it doesn 't seem like there 's much middle ground in either of the papers We need to examine the middle further before discussing these papers ' implications . neutral +The meeting at McPhilips went much worse . The meeting went poorly at McPhillips . entailment +yeah they talk talks with that 's true that 's true Yeah I agree that 's correct . entailment +Underground Storage Tanks Safe Underground Storage Tanks . neutral +LAD will lose more than $ 870,000 for legal aid in Wayne County , nearly half of the state 's total loss , said Weir . They were very concerned where the money went . neutral +'Of course not . ' Definitely not . entailment +And the Star tells the rather shaky story of a supposed daughter of Marlon Brando whom the actor has never seen . The story the actor told was quite interesting , and one that many can relate to . neutral +Other footsteps echoed behind them . They heard twenty footsteps behind them . neutral +I travelled from town to town , Natalia in tow- streaking all across America Large , hitting one border community after another . We travelled all around America Large . entailment +they they just haven 't seemed to been able to hit anything uh on the head every every time they go one way the wind is always blowing the other which is It appears they have not been capable of striking anything on the head . entailment +Strict emission controls for cars and industry have considerably reduced L.A. ' s notorious smog , but air quality can still be poor . The government thinks of ways to reduce air pollution . neutral +Its objective is to identify opportunities for lasting improvement in the performance of an organization . Stakeholders wish to see their organization perform more effectively . neutral +The expansion of air travel began the age of mass tourism , and Greece along with the Aegean Islands became exciting destinations for northern Europeans escaping their damp , cool summers . The expansion of air travel started lots of tourism . entailment +You understand ! " The doctor was a popular figure in the village , subscribed freely to all the local sports " a very pleasant , affable gentleman . " Been there long ? Within the village the doctor was quite popular . entailment +The more Clinton is afflicted , the more the press comforts him by afflicting Starr . The press has a more positive view on Clinton than they do on Starr . neutral +However the paper variety will never be able to read itself to the subscriber . The paper version reads itself outloud . contradictory +The hostility and weirdness surrounding this tour also come across in Eat the Document , a film that has been showing at the Museum of Radio and Television in New York City to coincide with the release of the record . The tour stirred up a lot of controversy in the media . neutral +Cartmel church was saved only because it also served as a parish church for the community . Cartmel church was preserved so that it could continue to serve the community . entailment +The perspective of the stages of change model appears to be an appealing one to help staff and interventionist under-stand the process of change for addictive and health behavior . One model for understanding the process of change for addictive behavior is stages of change . entailment +The proposed bill , sponsored by Rep. The proposed bill was sponsored by Rep , an IT company . neutral +It slowly blossomed into a huge cloud of pink gas that rifted away , to show people and objects dropping like stones to the ground below . It blossomed into a large cloud of pink gas that showed people and objects dropping to the ground . entailment +The two museums are at the heart of the old University of Edinburgh quarter , with students still attending lectures in the sandstone buildings . The museums are where students also attend class . neutral +What could be easier than quietly to dissolve one or more of those powders in Mrs. Inglethorp 's large sized bottle of medicine when it came from Coot 's ? it would be impossible to dissolve those powders in Mrs. Inglethorp 's bottle . contradictory +It should begin at the lowest level of the product design . Marketing research should be applied just after starting product design . neutral +Poirot spread out his hands apologetically . Poirot clasped his hands together in disdain . contradictory +As to the door being locked , it is a very ordinary lock . The lock was very common and fairly easy to pick , but it was still locked . neutral +It will do it by partially or completely obliterating them . There is no chance of any one thing impacting another . contradictory +But instead of chairs , a large bar took up most of the available space . The chairs took up most of the available space . contradictory +yes i do i think it 's uh something that unfortunately uh at this stage of the game i would hope that at some point we would become you know civilized enough where we could do away with it but as of right now and the way things are i think it 's uh something we just have to have We are not civilized enough to get rid of it entailment +To perform a data reliability assessment , you need to decide on the timing-when to perform the assessment-and how to document it . For the assesment you need not to decide on the timing-when to perform the assessment contradictory +He pulled it free and tossed it to the sand . He was bored after getting it out . neutral +3 ) Senate Judiciary Committee Chairman Orrin Hatch said the White House knew of Chinese efforts to influence U.S. elections a year sooner than the administration admits , yet continued to raise money through Chinese-affiliated fund raisers . Orrin Hatch is the House Judiciary Committee Chairman . contradictory +Until the highway construction in the modern era , access to the jungle interior had been and in some cases , still is only by river . Highway construction opened up much of the jungle interior . neutral +It 's Wolf the thinker who 's wobbly . Wolf is not wobbling . contradictory +The stars are no more like the sun than the glow of my cigarette is like a forest fire . The sun is comparable to the stars because they are the same . contradictory +In the resorts on the coast , many traders are aware that some tourists feel uncomfortable with bargaining , and will give you their best price straight away if you ask them to . Traders near the coastal resorts know that some tourists do not feel at ease when trying to bargain . entailment +Contrary to assertions by some , independence is more than a state of mind . Independence is more than a way of thought , despite what some may have you believe . entailment +The solution is If you want elected officials who put principle ahead of power , voting for women gives you better odds . This country could fare much better if more women were in power . neutral +That is , generators respond to declining allowance caps just like people respond to declining income when they 're planning for they do more now , investing and saving for the future . Generators feel restricted by the declining caps fight against them . neutral +At the very crest of the hill , you will find the Old Observatory , the only building designed by James Craig left in the city ; it was completed in 1792 . There are no buildings left that were designed by James Craig . contradictory +Nancy owes its classical beauty to King Stanislas Leszczynski of Poland . King Stanislas Lesczynski was king of Poland for 72 years . neutral +They fed me and gave me cool water from a spring deep within the caves of the rock . They fed me food and gave me water to apologize for attacking me . neutral +Just behind the back wall of the main chapel , the Transparente is the cathedral 's most unforgettable innovation . The cathedral is very conventional and contains no innovations . contradictory +Why isn 't that great ? There is no reason why it is not great . contradictory +They generally invest those excess dollars in U.S. assets . They would never have any extra money to spare . contradictory +So , who 's hungry ? So , is anyone hungry ? entailment +so he had to redo them like three times before i was happy with them before he was happy you know that they even looked halfway decent and I had him redo them three times before I was satisfied . entailment +Utah looks like my dream come true . I love the snow which is why I want to move to Utah . neutral +and if you get one of those false negative reportings and and you 're fired from your job that 's going to carryover into other jobs um no matter um you know if it 's truth or not so yeah it can stick with you for a long time A false negative report is the best thing that can happen to someone . contradictory +But the warm-hearted , high-spirited Neapolitans in no way feel themselves inferior to the cool , pragmatic managerial types of the vibrant northern cities . Neapolitans feel inferior to the northern cities . contradictory +Upriver , east of Blois , in a huge densely wooded park surrounded by 31 km ( 20 miles ) of high walls , the brilliant white Ceteau de Chambord is the most extravagant of all the royal residences in the Loire Valley . The wooded park is wide open and available to anyone . contradictory +Some of the light-hearted songs require the singer to emit a weird , guttural ye-ye-ye sound . Several of the light songs need the singer to make a weird noise from their gut . entailment +Chairman The Honorable Daniel Patrick Moynihan Ranking Minority Member Committee on Finance United States Senate Daniel Patrick Moynihan is the chairman . entailment +um i 've only i 've got about four maybe i try to limit them because i well one i don 't use them uh too much and i use my Visa just for about for about everything and i pay it all off so i try not to i just use it for free money for thirty days basically It 's not smart to use credit cards too much . neutral +Raging Bull is undone by its own perfectionism . Perfectionism means that each line is overly thought out and the movie lacks spontaneity . neutral +Since the donation of such PP and E does not affect the net cost or net position of the recipient entity , it is not a revenue , a gain , or an other financing source . The donation does not affect the net cost or net position , as of right now but maybe in the future . neutral +Though it lacked the size of the uninhabitable hydrogen-ammonia planets and its low density made its surface gravity fairly normal , its gravitational forces fell off but slowly with distance . The planet was populated with many unique life forms . neutral +It sounded like Ser Perth . There was little chance it was actually Ser Perth , but the similarity was uncanny . neutral +Chekhov was an ingenious phrase maker , with many of the phrases scattered in his letters . Chekhov was an intelligent creater of phrases and included many in his letters . entailment +6.6 During the planning stages of an attestation engagement , auditors should communicate to officials of the audited entity and to individuals requesting or contracting for the services information regarding the nature and extent of testing and reporting , including any potential restriction of reports associated with the different levels of assurance services , to reduce the risk that the needs or expectations of the parties involved may be misinterpreted . Auditors should talk to officials of the audited entity and to those requesting services information regarding the testing and reporting . entailment +Under his administration , emphasis was placed on improving the status and position of the Malays and other indigenous peoples . Under his administration emphasis was given to improving the lives of the Malay and other indigenous people . entailment +so i 've still got a few years to go I 'm finished with it now . contradictory +The Reorganization Act grants the Postal Service specific powers that serve as the operational tools of service innovation . The Postal Service had to give up its powers under the Reorganization Act . contradictory +oh probably Amy Grant is the biggest one yeah she 's even she 's got a song right now that playing on a few of the other stations it 's called Baby Baby it 's Amy Grant has a song playing on some stations . entailment +Personnel policies will be revised so that they further encourage and support a diverse work environment and spell out the organization 's commitment to diversity . The personal policies in the future will encourage a diverse work environment . entailment +There is a Histobus service from Marseilles and frequent boat tours from the charming town of Cassis , about 20 km away . If you 'd like to be guided through our rich history , you can take a tour by bus or by boat . entailment +i guess what makes me think of that you know uh you hear them doing that like it 's a or like Amtrak you know if if they have a derailment or or transportation industry it seems like if there 's accidents train accidents things like that they test and i think well why not because we do have some large industrial accidents sometimes Amtrak trains never derail . contradictory +Part B contains provisions specifically for sulfur dioxide emission reductions . Sulfur dioxide is not mentioned in Part B. contradictory +Someone is troubled , someone is trying , in earnest , to explain ; to speak without swallowing the tongue ; to find the perfectword among so few or the too many-- Someone finds it easy to put his feelings into words . contradictory +but we weren 't given any opportunity to make a decision as to what would happen we just said whether or not we thought the party was guilty We just determined the party 's guilt ; we didn 't decide what would happen afterwards . entailment +A party line comes in handy . There are advantages to having party lines , it help one party get their agendas heard . neutral +Remember to return it after the trip , they will be counted , Denise , or maybe Dennis , warned him . After the trip all the money will be counted . neutral +um he 's just one of those guys he 's created such a controversy in Philadelphia nobody wants to touch him right now He 's finding it hard to get a new placement right now because of the stuff he did in Philly . entailment +T1 transmits data at 1.5 million bits per second , delivering Slate It moves the data at a high speed . entailment +Why couldn 't he just be ' Irving Goldberg ' ? What are the reasons that he can 't be Irving Goldberg ? entailment +Treatment of slaves was for the most part cruel and inhumane , with family life virtually destroyed as fathers were systematically split from mothers and their children . Some slaves were treated better than others , depending on their owners . neutral +exactly exactly right yeah we we have i think we we name drop it a little too much and and don 't fully understand what what what it is we 're saying i think it 's it 's focusing in on the issue and walking your talk and and all that kind of rolls in together there but uh I do not believe we can name drop . contradictory +For the last 200 years it has been associated with artists and bohemians . The artists and bohemians are the majority here . neutral +At the same time , the early years of World War II brought American tourists who were no longer able to travel to Europe on holiday . American tourists who couldn 't go to Europe due to World War II made that their destination . entailment +Equal Employment Opportunity Commission , a position he held until January 1998 . He worked at the Equal Employment Opportunity Commission until January 2009 . contradictory +'Just a question , ' White said . White said he had a question . entailment +between 1989 and 1996 , and the number of routes increased 7 percent . Between 1989 and 1996 , and the number of routes increased 7 percent . entailment +That your choice of solutions , boy to run ? Drew flushed . That was your option of solutions , to flee boy ? entailment +Zarco ruled the western half of Madeira , while his fellow Portuguese captain and navigator , Tristao Vaz Teixeira , governed over the eastern half from Machico . They were on friendly terms . neutral +Boris and Mrs. Vandemeyer talked on purely indifferent subjects : plays they had seen , new dances , and the latest society gossip . Boris found the conversations boring . neutral +What kind of game was Johnny Shannon trying to play ? What was Johnny Shannon thinking ? neutral +His ideas may be terrible--some of them certainly are terrible--but at least they are new . All of the ideas are pure genius . contradictory +Some critics are tickled by his parody of Latin American machismo , his scatological humor , and his taboo-busting musings about sex . He is dull and conventional . contradictory +you you know sausage because i 'm from New Orleans originally and um i was gonna make that red beans and rice with the those Cajun sausage and French bread with garlic butter and stuff The dish I was going to prepare would be really delicious . neutral +and boating and horseback riding although i 'm recovering from back surgery so it 's going to be awhile before i can do either one of those My recent back surgery has put my boating and horseback riding plans on hold . entailment +Many shops are situated along a stretch of Colorado Avenue between 9th and 10th streets . Most of the shops are ethnic food stores and cafés . neutral +yes uh-huh that uh lots lots of new uh newsmen were created during that so it will be interesting to see what happens Nobody new was created . contradictory +A visit to Israel would not be complete without a trip into the Judean Desert to the Dead Sea , which forms part of the border between Israel and Jordan . When visiting Israel , the Judean Desert is a must see at the border of Israel and Pakistan . contradictory +Within a few years the wars with England resumed , aggravated by civil war at home as Edward Balliol ( son of John ) tried to take the Scottish throne with the help of the English king , Edward III . There were wars in England in the past . entailment +The total dollar value represents a measure of the change in social welfare associated with implementation of the Clear Skies Act . The Clear Skies Act had an impact on the total dollar value . entailment +If pushed for time , the must-sees are , in order of importance , the Harem , the Treasury , and the Pavilion of the Holy Mantle . The Harem is one of the places you must see . entailment +and uh Super uh what is it uh uh Bloopers and Super Practical Jokes I don 't like Super Practical Jokes . contradictory +The pyramids are generally too far from Israel for most vacationers but the extraordinary sixth-century Monastery of St. Catherine on the slopes of Mount Sinai is within easy reach . The Monastery of St. Catherine is an easy journey from Israel . entailment +Sulfur oxides , particulates , and human synopsis of statistical correlations . Physics and human biology . contradictory +Legal services attorneys negotiate agreement with City of East Wenatchee Attorneys are brokering an agreement with the City of East Wenatchee . entailment +Ushered into the presence of Mr. Carter , he and I wish each other good morning as is customary . Mr. Carter and I customarily wish each other good morning . entailment +Desert Avi Desert Safari in Eilat.07-637 8024 ) , has been leading off-road jeep safaris into the Sinai , Negev , and Judean deserts for over 20 years . Desert Avi Jeep Safari conducts jeep safari tours of the Mohave Desert in California . contradictory +Likenesses can be found on canvas , on bronze or plaster medals , or as sculptures . More likenesses are found on canvas than any other medium . neutral +He also taught at the University of Pennsylvania School of Law and was a frequent lecturer at professional seminars throughout the United States . He was a lecturer and University teacher . entailment +The Romans occupied this region in the first century a.d. , but there is very little evidence to show that they actually conquered it . There is very little evidence to show that Romans actually conquered this region , even though they occupied it in the first century a.d. entailment +that 's right Kitty Cat they 'll be playing and Kitty Cat will jump on her and Sheba will just turn around and throw her to the floor get on top of her and you can 't do that this week she 'll have stitches leave her alone She is overly playful . neutral +you know like they they at least you know they 've been in a courtroom before This is literally their first time standing in a courtroom . contradictory +the the school system in and of itself as far as what they 're teaching um they cannot keep up with the private as far as because of the ratio there 's just no way plus the private tends to have It is hard for them to compete with private schools . entailment +We can summarize this paper in the answers to three What are case studies ? It 's difficult to summarize this paper . contradictory +so i decided that i would plant me a tomato plant in a flower pot I bought some seeds from the nursery , and a flower pot from the grocery store . neutral +It is estimated that there are about 4,000 MWe of FGD capacity being constructed or just recently completed . No FGD projects have been completed recently . contradictory +The Industrialist looked at the blue sky and the green-covered trees among which they were making their way . The sky was particularly clear that day . neutral +oh i know Hal Ammon quite well I know Hal Ammon very well . entailment +yeah my husband keeps telling me to i went i went back to college a couple of years ago so i sit and study i sit in class and i have really ballooned up since then and I want to go back to finish my degree as soon as I can . neutral +Number of cases in which the USPS was told by the Postal Rate Many years ago , when I was just starting my government career , one of my mentors gave me some advice , in the way of a quote purportedly from one Petronius Arbiter in 210 B.C. I still remember the quote from Petronius Arbiter to this day . neutral +The Justice Department asked Starr to look into allegations that his prosecutors improperly tried to cut an immunity deal with Lewinsky during their January 1998 sting without her lawyer present . The prosecutors did not perform their sting until February 1999 . contradictory +But we were told , and I think most people accepted the explanation , that golf relaxed Ike from the stresses of his job and enabled him to perform better . It was explained that golf was something that relaxed Ike and therefore helped his performance improve . entailment +Hippocrates believed the answer was in the balance of four bodily fluids , or humors--blood , black bile , phlegm , and yellow bile . Hippocrates believed that the answer was in the relationship between fluids of the body . entailment +To understand the tremendous benefits of the President 's plan , we need to understand the public health and environmental issues . There are environmental issues , as well as public health ones , that must be understood along with the President 's plan . entailment +or if they would allow them to uh give broader answers they it 's really kind of uh choreographed it 's like a script has been written when people testify they aren 't testifying really in their own words When they speak , it seems completely honest and genuine . contradictory +It is much more likely that the correspondent would have talked to the caterer or a disgruntled unknown sitting in the corner . It 's more likely that the correspondent would talk to the caterer because they were available to be interviewed . neutral +Would you mind moving ” thank you , Mr. Hastings . " And she walked quietly past me out of the window , with a cool little nod of dismissal . The narrator walked up to the window and did not speak to Mr. Hastings . entailment +For general information , the state tourist office ENIT ( Ente Nazionale Italiano per il Turismo ) has offices in major foreign cities as well as regional capitals . ENIT is the state tourist office where people can find general information . entailment +and you didn 't even and the what the manager the manager won 't even do anything The manager won 't do anything . entailment +The narrow coastal road continues another 22 km ( 19 miles ) weaving through a moody landscape of barren mountains to Carboneras . There are many small villages along the road . neutral +The first man he shot had his mouth open and long ragged black hair blowing back from his face . The man with an open mouth and long ragged black hair was the first one he shot . entailment +they were just north of it probably about a hundred fifty miles hundred miles from uh the Kuwaiti border uh and they stayed active was the uh the military there taking supplies out to them in the desert they were more than 1000 miles away from Kuwait contradictory +yeah yeah that 's the good thing about them they do no advertising that 's it 's really nice just music It 's nice , just music and no advertising . entailment +yeah that sounds like a big big asset to do that Being able to do that is a great strength . entailment +8 Only once before , when some river toughs had ganged up on the scouts , had Drew had to use fists to beat his way out of an argument . Drew has never been in a fight in his life . contradictory +In adopting the H-2A provision in IRCA , Congress was aware that H-2A workers were allowed Congress was aware that H-2a workers were allowed . entailment +The best beach in Europe ' at least that 's the verdict of its regulars . Europe has lots of stunning beaches . neutral +Louis died in 1715 . Louis passed away in 1715 from a heart attack . neutral +They have too many hours to bill . They were very busy but they had many hours to bill . neutral +yeah let 's see but i think i think the Rangers need to go and i think the Pirates will go and uh let 's see Rangers have got a new guy this year i don 't remember his name either The new guy is the only new addition to the Rangers ' roster this year . neutral +and i i certainly i i grew up in a smaller town in Texas and it wasn 't that way when i was younger The small town I grew up in was in Texas and it certainly wasn 't that way . entailment +The official Maison de la France Web site ( & lt ; www.franceguide.com & gt ; ) is also a good starting place ; the section called Discover the Regions of France directs you to local Web sites of tourist offices around France . The Maison de la France web site features many of Germany 's tourist sites . contradictory +Beyond it , he came to a rude house , now abandoned . The abandoned rude house was some ways beyond it . entailment +Today it is the site of bullfights . It is not used for anything these days . contradictory +oh that helps right well the the other thing some people are not aware of is they will use their a their credit card like their Visa or their MasterCard for cash Some people don 't know that they will just use their bank cards entailment +But if we cited your telephone number instead , we wouldn 't be violating copyright laws--even though Web surfers could hear the same recording by dialing the number . We would certainly violate copyright laws by telling your phone number . contradictory +From one point of view--mine-- Apt Pupil is unacceptable because it uses the Holocaust as dramatic fodder for a lame and shallow drama , but Hogan 's Heroes is acceptable because its dimwitted POW humor steers clear of the Holocaust . Harry 's Heroes made a drama about the Holocaust . contradictory +and uh maintenance and overhead and you know and and those kind of costs Maintenance , overhead , you know those kind of costs . entailment +But I admit that when a drum and bugle corps marches by playing the Star Wars theme , I get a lump in my throat . I hate the Star Wars song . contradictory +Modern Nepalese history really begins with the arrival of a dynamic leader bent on unifying the country . Modern Nepalese history really begins with the arrival of a dynamic leader bent on unifying the country but this did not happen until 1930 . neutral +5 component species and PM10 ) at each grid cell . Although most grid cells have 5 component species , three cells only have 4 component species . contradictory +Over the course of a long series of meetings and discussions , representatives of the boards and staff of the four programs reached the conclusion that if all clients in Indiana were to have access to high quality legal services , significant changes needed to be made in the configuration of programs within the state . All clients in Indiana do not currently have access to high quality legal services . entailment +The Pilot remained at his post to the actual landing , his only thought that of breaking the force of the crash , of maintaining the spaceworthiness of the vessel . The man grabbed a parachute and bailed immediately . contradictory +Type-1 worksharing is the simplest kind and is most closely aligned with the plain meaning of the term workshare . Unfortunately , the term workshare doesn 't have any definitive meanings due to the vague nature of the word . contradictory +It hardly seems fitting ... It doesn 't seem fitting ... entailment +why not just check everybody so Is there a reason to not check everyone ? entailment +Tradition and feelings of good will are big this time of the year . People tend to be nicer during Christmas time . neutral +strictly cash and they 've been in business oh for at least forty years uh that 's they It has been 41 years since they began their business . neutral +150 There was a moment 's pause , and then Tommy reverted to Mrs. Vandemeyer 's death . There were so many things that Tommy wanted to know . neutral +still still under warrantee right Is the 2 year warrantee valid ? neutral +Rockefeller 's addiction to living in an expensive realm of his own , for creating his own entourage , ultimately accounted for Gerald Ford 's decision to toss Rockefeller overboard and pick Bob Dole as his running mate in 1976 ( something that will presumably be discussed in Reich 's next book ) . Bob Dole was Gerald Ford 's original running mate . contradictory +i think it maybe has to do with a lot uh a lot to do with education because you look at the uh European countries i think they are they do tend to be more educated much more educated than Maybe it is related to education . entailment +Aswan , Egypt 's southernmost town , has played an important role throughout its long history . An important town throughout history , Aswan is also Egypt 's southern most town . entailment +When mind and body are ready for a break from the rigors of cultural sightseeing , head down to the southern resort district of Arashiyama , perched along the Hozu River ( or the Oi , as it 's also known ) . When you need a break from sightseeing , go to the resort district of Arashiyama . entailment +One of her more comical tics is to repeat a concept over and over , uncritically , until it takes on an almost physical presence , like a parody of a Platonic ideal . She has no comical tics and never attempts humor . contradictory +you know so many so many of these jokers get the death penalty and then you know just end up in prison uh Many of them receive the death penalty and end up in jail . entailment +Michael Flatley 's Lord of the From the heralded choreographer of Riverdance comes this Las Vegas production , an internationally recognized hit featuring over 40 talented dancers in an amazing show of traditional and modern dance . The Riverdance choreographer has a new show that lots of tourists are flocking to . neutral +( You may recognize the name from the full-page ads the WJC buys in the Washington Post and New York Times to reprint Ruddy 's articles . ) The Washington Post and New York times make all of their money from subscription fees . contradictory +Here , too , you 'll find all the boutiques that clothe Ibiza 's trendier visitors . The Top Shop boutique is located in the southern area of the Ibiza shopping district . neutral +GAO / OGC-96-9 evaluates comments concerning alternative means of establishing fees for small entities and evaluates these alternatives . GAO completely ignored the comments concerning alternative means of establishing fees for small entities . contradictory +Because of its position in the heart of town , you will find just as many visitors as locals here , with people trading travel stories . You will find just as many visitors as locals here , with people trading travel stories , because of its position in the heart of town . entailment +yeah uh my first year down here uh uh that first winter i remembered TI was closed one one day uh TI is the freeway back to the mainland . neutral +the home that uh we bought back in the early eighties was uh was was typical tract home and we were uh trying to find something that would would get us into the housing market as it were thinking that someday we 'd move on uh the economy however changed that a little bit and looks like we 're going to be in this home for a while but uh it 's not too bad We bought a condo , and we hate it . contradictory +I meant Lawrence . I don 't know who I meant . contradictory +A story chronicles Fidelity Investments ' continuing troubles . The story detailed the successes . contradictory +The consolidation of legal services agencies for the poor may improve efficiency , but won 't increase the number of clients served , a rural legal specialist in South Texas says . The number of clients served will be increased . contradictory +The oldest construction on Formentera a dolmen , or prehistoric stone circle lies not far from Es Pujols at Ca Na Costa ( between the La Sabina road and Formentera 's salt lake ) . There is a prehistoric artefact near to Es Pujols . entailment +However , with a vibrant grassroots culture and the growing confidence of an independent nation , it defies the advertising stereotype of the deserted island . It it definitely not the stereotypical image of a deserted island . entailment +yeah i know you 're right they would lobby that and and i see that and that 's why you know i 'm like okay what 's my role in this thing you know what 's my part because i don 't think the system is going to get fixed i think it 's crippled They would lobby for better pay . neutral +all right i i i think everybody 's jumping to conclusions i don 't think anything 's going to change People are panicking a little bit right now . neutral +The framework within which these issues will be considered is the existing United States postal system , about which the author knows a little . We will compare it to the US postal system as it operated in 1950 . contradictory +What did this man want of him anyway ? The man wanted nothing of him . contradictory +At a point where the Ill divides into four canals , the tanners shared the waterways with the millers and fishermen . The waterways were shared among several tradesmen . entailment +For further information contact The British Mountaineering Council , 177 179 Burton Road , West Didsbury , Manchester , M20 2BB ; Tel . ( 0161 ) 445-4747 ; fax ( 0161 ) 445-4500 . Get in touch with the British Mountaineering Council to find out more if you can . entailment +Then the motor roared and he and the engineer , took off at double the speed she could make on high-test gas . The motor didn 't make a sound as they took off . contradictory +that was that was pretty good um and That was good . entailment +Meatballs of minced lamb , usually served with a tomato sauce , are called kofte . The main ingredient of kofte is pork . contradictory +yeah they what Lake Texoma they 've got a big uh big rec centers up there right There are no recreational centers by Lake Texoma . contradictory +Good , Julius . Bad , Jules . contradictory +Changes in surface water chemistry are characterized by changes in Acid Neutralizing Capacity ( ANC ) - the ability of a waterbody to neutralize strong acids added from atmospheric deposition . Changes in surface water chemistry are characterized by changes in the ANC , as set forth by the EPA . neutral +All that remains of the original settlement are the ruins of a Roman bathhouse , just a little ways from today 's town . The original Settlement was an important Roman outpost . neutral +During his father 's primary campaign , George W. Bush watched Pat Buchanan go from 1992 to 1938 , the heyday of Father Coughlin , dragging the Republican Party with him . George W. watched Pat Buchanan drag the Republican Party down with him but secretly , he agreed with him . neutral +yeah yeah yeah right right i know but i 'll tell you what um we 're really strict with our kids about television and one night a couple of weeks ago We only allow our children one hour of TV everyday . neutral +right yeah i i spend a lot of time down in Charlotte uh and on their just the the regular TV not cable you can pick up four PB or three PBS channels In my experience Charlotte only has over the air TV stations and no cable . entailment +Walk through the loggia to find the Church of egios Tatos . The Church of egios Tatos can be found past the loggia . entailment +um-hum oh yeah it 'll be comfortable I 'm sure it will be comfortable . entailment +David Butler of the Manpower Development Research Corp. , which has been the prime evaluator of welfare-to-work programs , points out that planners have routinely overestimated the amount of formal child care needed for such projects . David Butler thinks the frequent over-estimation of the childcare needs is being wasteful . neutral +Time for a rest in the shade of the cypresses , pines , and holm oaks of the palace 's Boboli Gardens , a favorite picnic destination in Florence . Each year thousands of people come to this location . neutral +Dunford- Jackson said , rather than a domestic issue between two parties . Dunford-Jackson said it was a domestic issue . entailment +The Courthouse now houses the Museum of Rural Life . They moved the Museum of Rural Life in the Courthouse because they didn 't had enough space . neutral +Photograph of Alan Greenspan on the Slate Table of Contents by Kevin Lamarque / Reuters . This is a photograph depicting Alan Greenspan taken by Kevin . entailment +Some of these regulations and restrictions change with the seasons . Some regulations and restrictions are constant . neutral +'Natalia . ' I frowned . I looked upset . entailment +it it must be i bet you know i i i 'm not knocking the garbage men i mean they 're necessary but there 's a lot of unemployed people out there who would gladly take jobs as garbage men rate for less money Garbage collecting is an easy job which is why people would gladly take a paycut to be able to collect garbage . neutral +Should further revelations warrant impeachment , Congress may have lost the necessary credibility . Future revelations may show that Congress might lose vital credibility . entailment +to the forefront and people are finally taking some action against it and to think we 've we 've neglected the value of voting If more people voted we wouldn 't be in this mess . neutral +hi Wanet how are you How are you doing ? entailment +It 's your opportunity to be involved in politics , touch on policy , have some impact , and have a piece of a company that could conceivably do very well . This is your chance to make a difference in the political world . entailment +Here , at the holy city of Varanasi and the Ganga , you touch the very soul of India and its sensuality as well , in the many temples of Khajuraho . There are many temples in the holy city of Varanasi . entailment +For example , section 1886 ( d ) ( 4 ) ( C ) of the Social Security Act , 42 U.S.C. The social security act has no sections . contradictory +Those , said the Astronomer . Those , said the Astronomer . entailment +None whatever . Nothing what-so-ever . entailment +personal computers are are nice i guess if you can afford them the the problem if you happen to use one at work is you tend to get spoiled with the uh maybe a higher grade one maybe the the economics and the payback of having one at a business is a little bit better than having one at home and i 've read a few articles that uh where people have nice uh three eighty six machines and nice graphics and the nice software packages and then when they come home they they just can 't stand to come down to the X T level and and don 't like the the slowness or the in some cases not even having a hard drive and that 's pretty much where i fall into i use a a relatively nice array of machines at work for scientific purposes and i have a variety of of uh speeds and complexity of machines depending upon the instrument that it 's controlling and then i have one that i do just general purpose work on and then for the house i don 't have anything uh not that i wouldn 't want one but i would probably not be satisfied with anything less than a really nice one and that 's that 's a quite an expense and then all the software tends to be uh PCs are too expensive for regular people to be able to afford . neutral +Took me a ride on one of them things onct never agin ! I took a ride on one of those things once , but never again ! entailment +well i have kids fortunately that have left grown gone thank heaven My kids are all grown and out of the house , i don 't think I could deal with little kids at this point . neutral +As you approach the walls near Jaffa Gate , look for flat , Herodian-era stones with slightly recessed borders among the rougher square stones from other periods . There are Heroidan-era stones mixed with stones from other periods along the approach to the Jaffa Gate . entailment +oh at LSU you gonna stay there You 're not going to live near LSU at all ? contradictory +but uh i still play golf i like to bowl although i hadn 't bowled in quite a while but i guess my main exercise right now is probably golf Even though I play golf , I also like to bowl . entailment +Not only did his home town not finance his crazy trip to America , but Genoa still has no decent monument to Christopher Columbus . There is a monument to Christopher Columbus in the Genoa town square . contradictory +shadows ... Silhouettes ... entailment +Her eyes flashed . Her eyes went big . entailment +The research questions are how to determine which patients need maintenance activities , what types of activities they need , and when or how often they are needed . In order to determine which patients need help , nurses wait until they are asked . contradictory +That was a good sign . The sign was hard to ignore . neutral +They approach a presidential candidate the way a woman approaches a date . They don 't pay any attention to candidates until they see them . contradictory +Also out of town , you can see a reconstitution of Dom P ? ? rignon 's famous 17th-century cellar and laboratory in the abbey museum of Hautvillers , just 6 km ( 4 miles ) north of Epernay . The abbey museum of Hautvillers is popular with tourists . neutral +Since this time , membership has been of great monetary benefit to the country . If it weren 't for the economic benefits , the country would not have joined . neutral +The sight chilled Jon 's skin . John 's skin was chilled because of the sight . entailment +Heart racing , heart racing , heart racing ... It seemed to take an age for the security men to come back . My heart was racing while I waited for security to return to the interrogation room . neutral +Dominating the western ( and larger ) side of the island , the quieter and only slightly less crowded hillside town of Anacapri derives a quasi-sleepy charm from its white villas along narrow lanes flowering with bougainvillea . Anacapri is on the eastern side of the island . contradictory +so will you uh breed one of the litter then next year You ate the apple that was sitting on the couch ? contradictory +uh-huh do you do that very often Tell me how it goes once you 've tried it once . contradictory +I don 't see you going without eating money , drinking money either , more 's a pity . He cannot be without money for food and drinks because he needs sustenance to remain alive and well . neutral +'Apparently their trust in you isn 't complete . ' It looks like they don 't completely trust you . entailment +yeah yeah well i was one of the forced ones I hate being used against my will . neutral +yeah so i mean things have just really gone out of sight in the last uh i guess about the last ten years In the last decade , things have gone out of sight . entailment +they um you know they 're testing that they 're you know thinking of doing that and i think that 'd be a great idea because you i think they do come become less aware and they just i don 't know they and they don 't hear as well for one thing and that doesn 't help They 're not aware of the fact that they 're all bisexual and into each other . neutral +Figure 3 : Data Reliability Assessment Process You can find data reliability assessment process in figure 4 . contradictory +Tuppence returned to the kitchen . Tuppence returned to her favorite room in the house , the kitchen . neutral +virtually anyone any hacker being able to know what your income is what your spending habits are and you know and and that hacker just has to get into in touch with a sneak thief and suddenly and then what started as an invasion of privacy can be you know an invasion of your actual home With the proper tools , hackers can find out what your income is . neutral +and that 's what i i know people who don 't have any credit cards at all and i 'm always amazed because i don 't know how they can get by without them it doesn 't seem like you can do anything anymore without a credit card I am amazed at how people can live without credit cards . entailment +With McCarthyism much weaker by 1956 , Miller avoided prison and continued to have his plays produced . Miller never produced another play after his 1956 stint in prison . contradictory +Perhaps the crime isn 't that cards are prepackaged but that they are false--the impersonal disguised as the personal , a mere pretense of affection , like corporate gift-giving , particularly when the company passes out prostitutes who , I 'm told by corporate insiders , only pretend to like you . Gift cards are terribly impersonal despite being widely given as presents . neutral +so i 'm not with the same softball team but they 're starting up soon so i 'll be playing again I 'm on a different softball team now but I 'd like to move back to my old team since they 're starting up again . neutral +English-language films have Chinese subtitles . English-language films are not subtitled . contradictory +Was he at last convinced of Alfred Inglethorp 's guilt ? We were sure this new information would exonerate Alfred Inglethorp . contradictory +The reductions that generate the banked allowances are shown as the area to the left of each vertical dotted line as the differences between the reference case and scenario emission trajectories . The reductions do not generate any banked allowances . contradictory +Nothing will focus someone 's mind like looking at the world from the inside of a prison cell . The ability to reflect in prison is often considered one of the biggest benefits by former inmates . neutral +The Darwinian advantage of having a shorter head , if any , remains unknown . Only 25 % of the population has a shorter head . neutral +twins separated at birth kind of thing It 's like twins separated at birth . entailment +i think it 's a it 's a definite i think it 's essential I don 't think that it matters . contradictory +Susan can see and hear your thoughts . Susan is happy with her powers . neutral +For what Grove has done exceptionally well is manage . What Grove has done exceptionally well is manage because he is a natural at it . neutral +Now I have purpose once again . My purpose is to kill the demons . neutral +So-called new Keynesian economists provided at least a theoretical fig leaf for more or less Keynesian ideas , and in practical terms the intellectual basis of modern U.S. monetary and fiscal policy is pretty much what was already in the textbooks 20 years ago . there is no such thing as keynesian economics , it is pseudoscience contradictory +The WRAP and nationwide programs are sulfur dioxide allowances in the WRAP program may not be used in the nationwide program The WRAP and nationwide programs sulfur dioxide allowances are toxic . neutral +The above changes would allow substantial reductions in the complexity of rates and in the complexity of the data systems , which in turn would allow improvements in the costs and volumes for the subclasses that remained . Reduction of rate complexity will be achieved . neutral +right i know where his big gun is like his shotgun and stuff but um his pistols and stuff like that and he keeps those hidden and it is just for our protection it 's you know if we did have a prowler he he keeps it like um he has the little rotary dial thing and like He keeps his small firearms hidden for our protection . entailment +He described his history simply . He described his past . entailment +The island interior has a rich vegetation of vines , olive trees , and exotic plants . The island is known for its olive trees and palm trees . neutral +After all , you know , you can 't bluff him forever . You can lie to him forever . contradictory +Or the mulatto barber and real estate magnate of antebellum Natchez ( I can 't remember his name , but remember , my books are in storage ) . I can 't remember his name , I haven 't remember it for days . neutral +Or visit the Hort de Baix and the Hort del Chocolater ( the latter open at irregular intervals ) these groves help make Elche one of the most verdant cities in Europe . Hort de Baix and Hort del Chocolater have lots of trees . entailment +These unusual Frenchmen and the relative handful of black families that have also lived here for generations strike visitors as extremely kind , open , and simple . The French families that live there are quite mean . contradictory +The smallest pyramid , that of Mykerinus , adds a wonderful perspective to the panorama , particularly when you align the pyramids for that souvenir photograph . If you want to align the pyramids for a souvenir photograph , take note of the smallest one . entailment +Abracadabra ! His skill must be improving , since he got exactly what he had wished for . He is a powerful magician . neutral +That is the invariable description of Mr. Brown ! Mr. Brown has never changed through the years . neutral +The ship entertained presidents , princes , and diplomats , but most people perhaps remember Britannia as the royal honeymoon boat . The ship has hosted presidents , princes , and diplomats in the past . entailment +At the northern edge of the district is Bozu Jigoku ( Monk 's Hell ) , an obscenely bubbling mud pond where a Buddhist temple once stood until it was submerged in an earthquake back in the 15th century . When Bozo Jigoku was built in place of the Buddhist temple , there was a clause requiring a replacement temple to be built nearby as well . neutral +Additionally , we contacted the inspectors general of the 24 Chief Financial Officers ( CFO ) Act agencies to obtain their views on agency activities , if any , designed to reduce improper payments . The inspectors general are specially designated by outside auditors and their opinions are impartial . neutral +The violence and crime that have been a very public feature of life in Kingston in recent years center on political and gang rivalries within these yards . Everything is perfectly peaceful in the city of Kingston . contradictory +A job dealing with employee training might have as themes decisions about training needs , how employees are selected for training , how course quality is monitored , or how employees and supervisors view the purpose of training . A job dealing with employee training might have as themes , decisions about training needs . entailment +15 VA gave these networks substantial operational autonomy and the ability to perform basic decisionmaking and budgetary duties . This increased revenue by 15 % over the 2 years because of better understanding of the economy . neutral +Putting aside stage as a horse-drawn conveyance , a popular delicatessen , a part of a rocket , and an opportunity to mock Gail Sheehy ( who seems to get a free ride from News Quiz participants ) , this question all but demanded the invention of a violent theatrical event , and that 's not easy . Gail Sheehy is a popular target for mocking on other shows . neutral +Its tranquil Moorish gardens with fountains and quiet patios are its main selling point , though rooms are very comfortable . The Moorish gardens have some of the prettiest trees around . neutral +H-2A aliens are required by law to leave the country within ten days of the termination of their employment , and generally remain in the control of the employer during this period . Law requires H-2A workers to leave the country in 10 days after the are released from their employment . entailment +The Italian people , with Latins and Etruscans mixing over themillennia with Greeks , Lombards , Normans , French , and Spaniards , are as fascinatingly diverse as this panoply of landscapes . The diversity of Italian people is rarely discussed due to social mores . neutral +They ate breakfast in silence . They didn 't say a word during breakfast . entailment +It 's useless to apply for a special permit to bring your car , which is pretty much impossible ( and unnecessary ) during high season anyway . Having a car would be helpful . neutral +Scientific Peer Review of the Regulatory Modeling System for Aerosols and Deposition ( REMSAD ) . A Peer Review of the REMSAD in a scientific area has been published yesterday . neutral +Many of today 's progressives are swimming against it . They don 't want any part of it . neutral +The shield split down the middle , revealing shelves of metal boxes and packets of papers . There were metal boxes and packets of papers inside the shield . entailment +It should be noted that the numbers in Columns ( 5 ) , ( 8 ) , and ( 11 ) are average annual growth rates . There are other numbers that could be used , but the chart used average annual growth rates . neutral +( Read an essay by the author and an excerpt from the novel here . ) Read a poem by the author here and respond to the questions . contradictory +Orange groves sprawl on both sides of the Ibiza Sant Rafel road , cutting through the attractive , parched landscape . Only lemons are grown on the sides of the Ibiza Sant Rafel road . contradictory +yes it 's that 's simple i read to escape and i don 't read any Parents magazines either so I watch TV to escape , I don 't really read books or magazines . contradictory +This is one of the starting points for strenuous treks to Pico Ruivo ( the island 's highest peak , at 1,862 m / 6,109 ft ) . The Pico Ruivo is the toughest mountain to climb in the country and this is one of the starting points . neutral +You can use your computer to take a virtual tour of the abbey . There is an online tour of the abbey . entailment +Or two known defectors . There are no defectors . contradictory +How many 8-to-12-year-old girls know Mia but don 't know Michael ? Some girls know about Mia but not Michael . entailment +Wells is waiting for me . Wells needs me to come to him . neutral +Deep tunnels that narrow to less than two men across and hundreds of these tunnels in which to escape . The tunnels are designed to be very narrow for safety . neutral +Semistructured approaches may be appropriate for critical instance case studies involving multiple sites , particularly if more than one investigator was responsible for collecting data for several sites . There is no case where a semistruxted approach is appropriate . contradictory +Do you want me to go with you ? Should I go with you ? entailment +He must try again . He shouldn 't bother trying again . contradictory +Presented at the Sixth Conference on Postal and Delivery Economics The Center for Research in Regulated Industries at Rutgers University Montreux , Switzerland June 17-20 , 1998 There was a conference at Rutgers University and it was well-received . neutral +Nowadays , lefty female academics dress as white trash as a statement of class protest . Female academics dress well . contradictory +that 's just a different you know my my problem with immigration is when you take people that has been here on welfare or trying to make it and you know the united States gives people that come into the country more money to start their life than the people that 's already here that 's trying Things are fair for immigrants and our people . contradictory +The nearby Tomb of Mena ( number 69 ) is also worth a visit for realistic scenes of harvesting and threshing . The Tomb of Mena is far away . contradictory +But anyone interested in contemporary Italian life will want to experience its cafe and clubs , elegant shopping avenues , and side-street art galleries . The cafe , clubs , shopping avenues , and art galleries give a view into contemporary Italian life . entailment +In reality , coal-fired facilities , on average , have lower capacity factors . The highest capacity factors can be found in all types of coal-fired facilities . contradictory +Ranking Minority Member Merited Small Member , A Noted Minority Person entailment +Any interpretations that relate to the statements are also identified . Any interpretations relating to the statements are so noted . entailment +yeah i i 've i 've seen uh they 're they make some plastic edging stuff that comes in like three foot lengths and you can uh you can tape them together and and and put The three foot plastic edgings are very convenient . neutral +It half-works right up to the point where people start getting gassed , and then Benigni 's moist-eyed heroism and tenacious faith in his own irresistibility start to seem like a monstrous ego trip--a clown 's megalomania . Benigni 's heroism falters when real conflict approaches . entailment +and that shouldn 't be that way either uh the power given to those people is just well beyond it should be The power those people have is too much . entailment +While service standards differ ( many countries offer two mail deliveries each weekday , for example ) , even at 33 cents , U.S. prices compare favorably with first-class rates overseas--Japan charges 74 cents , Germany 59 cents , France 48 cents , and Great Britain 37 cents . Other countries have better systems for mail delivery . neutral +One of the site 's first users and enthusiasts was Ramona Kestowicz from the popular girl band Fluffysteron . There wasn 't a band called Fluffysteron . contradictory +Several parts of the chateau , including Louis XV 's superb Royal Opera , have to be visited on separate guided tours . The chateau was originally built on the orders of Louis X. neutral +Eyes of sadness and suspicion met Jon when he entered the main chamber of the mine . The mine was empty . contradictory +All went well , and with a sigh of relief the young man rose to his feet . The young man stood up with a sigh of relief and stretched . neutral +Have the threats to our security doubled since then ? There are no threats . contradictory +And the old Dublin is with us , too the irreverent city of wit and charm and that peculiar magic possessed by Ireland and the Irish . The older part of Dublin was demolished to create the new city . contradictory +To begin with , the resources of Tommy 's pockets were somewhat limited . Tommy couldn 't manage his resources very well . neutral +The NYT lead observes that despite Castro 's talk portraying the Pope as an ally in the struggle against American imperialism , there 's still plenty of religious repression in Cuba , The Times ' Larry Rohter gives an eyewitness account of Havana cops orderi Castro portrayed the Pope as a staunch ally of American imperialism . contradictory +it 's a lot easier then I don 't think there are really ever good reasons to complicate your life . neutral +Did Mrs. Vandemeyer suspect her ? Did Mrs. Vandemeyer think she was completely innocent ? contradictory +A third man stood behind the bar polishing thick glasses . There were at least three men in the bar . entailment +Sulloway contends that firstborn children are moralistic , eager to please their parents , and easily angered . Sulloway claims that firstborn children act immorally and have no interest in pleasing their parents . contradictory +yeah they really oh oh well the prizes are pretty nice he brought a booklet home and depending on how many calls i think three was the minimum but it went up to i don 't know nine or ten how many calls have you made had He had brought home a booklet with a nice picture on it . contradictory +Tripp protests that she made the tapes to protect herself because Lewinsky was pressuring her to lie in the Paula Jones case . Tripp made the tapes because Lewinsky wanted her to . contradictory +Two weeks later , Tom Osborne , then a graduate assistant , was one of his coaches . Tom Osborne was not qualified to coach anyone . contradictory +The special section on trekking gives hints and tips on what to expect , what to take along , the dangers to avoid , and a brief description of the more popular treks ( see page 75 ) . The section on trekking gives no useful information whatsoever . contradictory +The trend was more pronounced in 2015 . The trend was less pronounced in 2015 . contradictory +I 've always felt it was private . I was surprised to find out that more people knew about it . neutral +Mr. Carter exhibited some surprise . Mr. Carter wasn 't one to show his emotions . neutral +and since i hate the French anyway I don 't like French people . entailment +He sent paralegals and staff attorneys to conduct several daylong educational clinics at local churches , schools and communitybased organizations . There were a number of paralegals and attorneys in attendance . entailment +In short , the status quo prevails . The status quo lives . entailment +synthetic seawater spiked with KCl . ocean water has KCI in it . entailment +But proponents are wrongly using the data to justify mandatory application across the board . But supporters are using this data to incorrectly justify their assertion that applications should be mandatory for all affected . neutral +Other minor venues stage occasional ethnic folk-music concerts . Occasionally ethnic folk-music concerts are staged at minor venues . entailment +With its wide , sandy beach , Portobello is a quintessential British seaside town . Portobello has no beach available to the public . contradictory +Development and maintenance of a toxicity test laboratory quality assurance ( QA ) program requires an ongoing commitment by laboratory management , and includes the ( 1 ) appointment of a laboratory quality assurance officer with the responsibility and authority to develop and maintain a QA program ; The QA program requires a commitment by the lab management because they have to test a lot of samples . neutral +The house has beautiful views of Lake Windermere , which must have brought the poet great pleasure in his later years . The poet spent his eldership watching the beautiful views of Lake Windermere . neutral +sure no uh i don 't know i i i usually don 't talk politics with people especially strangers because it 's a good way to get into an argument but I only like to talk about politics with friends . neutral +I mean , the magicians want somebody whom they can 't just call back--direct translation of the body usually messes up the brain patterns enough to make the thinkers hard to use , especially with the sky falling . They needed to preserve every last able-minded individual to stem off the coming disaster . neutral +beets yeah we 've got some beets uh-huh We bought some beets just the other day . neutral +PRINCETON , W.Va. - Cathy Wallace did not always know what she wanted to be when she grew up . As she grew up , Cathy Wallace did not have direction . entailment +It is one of the most exclusive , too , though somewhat democratized these days by the groups of boules players on its graveled side paths . Even though it is quite exclusive , boules players help to democratize it a bit . entailment +I found that out this morning . It was discovered this morning . entailment +The greatest pitfall in the exploratory study is that is , the findings may seem so convincing that it can be difficult to resist pressures to report on these as if they had the strength of the larger study . The greatest pitfall in the exploratory study is that the findings make people very skeptical . contradictory +In many core neighborhoods of all income classes , voices are being raised about the necessity of neighborhood preservation , about community service , and about offering broad-based opportunities and experiences for children growing up in Sin Cite Even non-core neighborhoods want broad-based opportunities for children neutral +There is no pretense that this is about tourism or about a nice night out or this is entertainment . This is all about talking business and making deals . neutral +I didn 't entirely agree with that assessment . I wholeheartedly agreed with the results . contradictory +Good morning ! It is a great day . neutral +Agencies can use IT to inform the public about participation opportunities either through passive systems that require users to take the initiative to discover rules available for comment or proactive systems that alert interested individuals or organizations about impending regulatory actions . The public can be informed by utilizing IT either passively or proactively . entailment +pert assistance ; ( 5 ) engagement of pro bono attorneys ; ( 6 ) development of additional state , local , and private resources ; and ( 7 ) optimal configuration of service areas . Pro bono attorneys are utilized . entailment +right and then you know sometimes we try to do our lesson on Sunday night and then our activity or something on Monday but We try to have our lesson and activity during the beginning of the week . entailment +More than a mere palace , El Escorial is an entire royal city living quarters , church , monastery , mausoleum , and museum under one roof . El Escorial was built in the 15th century atop a rocky hill , naturally absent of trees . neutral +Spanish brandy is a bit heavy and sweet and bears little resemblance to the best French cognacs , but it is a good , reasonably priced drink . Brandy from Spain is the most expensive in the world . contradictory +On the rare occasions the service is queried , it invokes the Dead President . The service is queried to the frequency of over 10 times a day . contradictory +It might have seemed like manna from heaven - up to thousands of dollars dropping , often unexpectedly , into the hands of a half-million Kentucky and Indiana residents this month . A recent law proposed by congress has resulted in the seizure of thousands of dollars from Kentucky residents . contradictory +Sir , Mr. van Hookjes is here . Mr. van Hookjes just arrived . neutral +I think the instinct stems from the paper 's not unrealistic sense of its own power and responsibility . The paper about the president had an unrealistic sense of its own power . neutral +Silesia , settled by a different tribe , would eventually become the third component of the nascent Polish state . Part of the early Polish state was named Silesia . entailment +These new LSC administrative provisions have been incorporated into each LSC appropriation since 1996 , subject to some modifications made in the Departments of Commerce , Justice , and State , the Judiciary and Related Agencies Appropriations Act , 1998 , Pub . Since 1996 , the LSC has had administrative provisions . entailment +well we 're just getting used to them right now we 're kind of just letting you know touching them We really like them so far . neutral +yeah uh it 's tempting it 's got to be it 's got be horribly tempting for those for those I have been tempted in the past . neutral +Nancy owes its classical beauty to King Stanislas Leszczynski of Poland . King Stanislas Lesczynski was king of Germany . contradictory +One of the striking things about the Microsoft trial , so far , is the extent to which the Justice Department and its lawyer , David Boies , have built their case around personal vilification of Bill Gates . The Justice Department blames Bill Gates for all of the problems that they have . neutral +The eastern section of Madeira isn 't as mountainous as its center , but it has some wonderful coastal spots , a handful of attractive small towns , productive agricultural fields , and a long , surreal promontory that juts out into the Atlantic . The eastern part of Maderia is a big plateau . neutral +might not go if it was voluntary but i don 't know how they 'd enforce it if it was Definitely would not go if it was voluntary contradictory +yeah it 's really a rather touchy topic at that but Yes , it 's rather a sensitive topic . entailment +Inside , wall decorations include the Lord 's Prayer in dozens of languages . The Lord 's Prayer is inscribed in both French and German on the walls inside . neutral +Shall I call a taxi ? " Tommy nodded . Tommy doesn 't believe that they will need a taxi . contradictory +Today , ruins of the Taira clan 's dwellings are still visible , and Yashimaji temple houses relics of the battles . All the ruins from the dwellings disappeared after the 18th century . contradictory +To another , a case study examines a clearly defined site and reports on that one site , so that multiple site studies would not be case studies . The case study reports on only one site . entailment +uh okay okay that makes sense then i believe Alright , I think the order you made makes sense . neutral +The existence of IRAs and 401 ( k ) s serves to raise public awareness about retirement saving opportunities . IRAS and 401 ( k ) s do not raise public awareness about retirement saving opportunities . contradictory +Oh , Lawrence ! Oh , sir ! neutral +It 's censored music . The music is censored . entailment +My problem is I am extremely bright and possess an advanced degree in philosophy . I 'm so dumb I never finished high school . contradictory +do you think the US is going to wind up keeping uh military bases over there Do you think the US will keep their military bases where they don 't belong ? neutral +oh uh-huh yeah and sometimes the the local ones aren 't as publicized it seems that uh they should be I am organizing a foundation to address the advertising needs of local ones . neutral +uh-huh that sounds like an interesting concept That seems to be an interesting idea . entailment +I was widowed when I was 47 and have been on my own for five years . The last five years have been extremely lonely and soul sapping . neutral +In 1985 , for example , RCED was asked how the Department of Interior was implementing the Office of Management and Budget 's Circular A-76 , dealing with privatization of all appropriate services . RCED was not asked about the Department of Interior . contradictory +A minute later Hanson , Bork and Nema were alone with the old man . They did not get the chance to be alone with the old man . contradictory +Over the years the Arc de Triomphe ' 50 m ( 164 ft ) high and 45 m ( 148 ft ) wide ' has become a symbol of the nation . The Arc de Triomphe , stretching 50 meters into the air , is a symbol of France . entailment +One of us is enough . We only need one of us . entailment +Enter the fort on its west side at the Lahore Gate , and you find yourself in a vaulted bazaar street , an idea Shahjahan borrowed from Baghdad . Baghdad 's vaulted bazaar street is the longest in the world . neutral +YOU NEED TO COME TO THE CAVES , she spoke . She said you didn 't need to come to the caves . contradictory +We 'd have been here before only we lost our way . We have been walking in circles and lost track of where we need to go . neutral +It can 't last for ever . I don 't think this will ever end . contradictory +More Did Kaufman himself consider some of his experiments failures , or had his aesthetic finally become so punk / pro-wrestling that he thought driving people crazy was enough ? Kaufman considered all of his experiments a success . contradictory +That was very ingenious , I could not help admitting . It was a terrible idea ! contradictory +Also , the routine random inspections used by U.S. government agencies such as the Occupational Safety and Health Administration and the Environmental Protection Agency are almost exactly like those planned under the CWC , and these have been found constitutional . The inspections being used were found to be against the law for the CWC . entailment +In fact , kausfiles has learned , after the Monica story broke in early 1998 Random House approached Isikoff ( who had no deal in the works ) to write a book about it , but then backed off because Toobin , a big name Random author , was already interested in doing one himself ! Robin was a big name Random author . entailment +Priest and director , St. Athanasius the Great International English School There is no school named after St. Athanasius the Great . contradictory +They include an alpine house , a palm and orchid house , and the Curvilinear Range , a spectacular curving glasshouse of cast iron . They have an alpine house . entailment +Akin to corroboration and an essential methodological feature of case studies . It is nothing like corroboration . contradictory +Kos Town on the western coast is the main settlement , and a fascinating place to explore . Kos Town is the main settlement and is located on the western coast . entailment +The Empire Strikes Back The empire lay dormant . contradictory +Twilight Zone rules man Twilight Zone rules Twilight Zone is one of the worst shows of all time . contradictory +Legal aid is so important for our community and country because people need to have access to the court system , former state Sen. Legal aid is completey unimporant for our country and its citizens , just let them do what they want . contradictory +yeah yeah what about home repairs and stuff do you have to do all that yourself or Do you have to do home repairs yourself ? entailment +With mild distaste , I took the Gauntlet he handed me . I didn 't want to take it but I took the gauntlet and then threw it . neutral +On January 12th the Postal Service submitted such a request seeking an additional $ 3 . The postal service requested $ 3 more on January 12 entailment +But even these relatively honest conservatives have let all the fat fish wriggle off the hook . There are thirty honest conservatives in the house . neutral +Was the sorrow at Mrs. Inglethorp 's death so great ? Was everyone so sad about Mrs. Ingkethorp 's passing ? entailment +I should also say that while I love the idea that the universe is nothing but a mathematical model of itself , I 've never met anyone else who found the idea of software without hardware even remotely plausible . I have yet to meet someone who thinks that having software without hardware is reasonable . entailment +4 ) If resemblance to Jesus were the only issue , why didn 't Falwell say the Antichrist must be a carpenter ? Falwell said the antichrist must be a carpenter . contradictory +EPA did not identify any other statutes or Executive orders imposing requirements relevant to the rule . The EPA didn 't find anything else relevant to the rule water quality . neutral +True , the note betokened signs of weakening , but he could excuse that . The note was in pristine condition . contradictory +and sore throats and colds and whatever Most people would rather deal with a sore throat than a cold . neutral +The broker and the electronic cash service will pocket a dime of that . A dime goes to the broker and the electronic cash service . entailment +That is the bad news . The bad news is that , but you don 't have to act like you didn 't know it . neutral +FEMA information officer Bill Lindsay announced Wednesday that the relief center will be open from 9 a.m. to 6 p.m. , seven days a week , until further notice at Trinity Baptist Church . The relief center was only opened for five days a week before . neutral +You are sure it was Mr. Inglethorp 's voice you heard ? You heard Mr. Inglethorp . contradictory +Across the river Authie and a few minutes ' drive east is the 18th-century Abbaye de Valloires , whose huge gardens display more than 5,000 species and varieties of plants , many from China and Japan , including a large collection of old-fashioned and wild rose , presented in a number of formal and informal settings . There is a handful of species in the garden . contradictory +Tell Ca 'daan we 're staying . Please let Ca 'daan know that we 're staying . entailment +It usually costs 20 percent less to sit at the bar for a coffee or a drink than being served at a table . There are no tables to sit at and only bar seating is available . contradictory +In April 2001 , the National Business Travel Association surveyed its members via the Internet on frequent traveler programs . The national business travel association didn 't care about frequent flyer traveler programs . contradictory +Something to do with all those air hoses , like trying to be witty at the dentist . Something to do with the air hoses . entailment +However , we are so sophisticated psychometrically and methodologically that virtually every piece of research can be dissected , revealing flaws and problems . There is no research that can be dissected at all . contradictory +yeah we 'd like to We would love to . entailment +He 's usually tiptop at fielding tough questions , agrees everyone . Everyone agrees he 's the worst fielder on the force . contradictory +I thought that lawyer chap had quit ! 161 Chapter 19 Jane Finn " MY train got in half an hour ago , " explained Julius , as he led the way out of the station . My train was on time and efficient to be sure . neutral +and the question was should we save these people Should we save them , was the question . entailment +The goal is $ 100,000 . The goal is $ 50,000 . contradictory +they called me at uh ten o 'clock one night that was very strange Ten is too late for a phone call . neutral +Though some 256 km ( 160 miles ) away , they 're dependencies of Guadeloupe . Guadeloupe asserted control over the islands in 1923 . neutral +and at that point i try at least try to get through most most the front section and maybe you know one or two other sections I try to get through at least a section of the book . neutral +The point is not that downsizing is in and of itself a mistake . Downsizing is a mistake . contradictory +We describe characteristics of routes most likely to be profitable to competitors and provide a range of estimates for the cost of cream skimmers . We explain characteristics of routes most likely to provide profit to competitors . entailment +bargello it 's B A R G E double L O Bargello is spelled just like it sounds . entailment +The Parade , the streets surrounding the park , once heard the marching steps of British soldiers ; it was here that slaves were beaten or hanged as punishment for their crimes . There was never any slavery . contradictory +so i don 't know and it 's also a long way away It 's also a long way away entailment +Reporting of projected data for additional years is encouraged where it would be useful and relevant . One is encouraged to report projected data for additional years . entailment +The church was converted into a mosque in 1511 , but fortunately it was not substantially altered . The church was not changed much when it was turned into a mosque . entailment +" Caught me in the belt buckle , " Drew recounted that miracle of the war . Drew retold the extraordinary events of the war to his family . neutral +She was public sector chair of National Federation of Paralegal Associations from 1984 to 1988 . She was very good at her job . neutral +Quick , what is your vision ? What do you picture ? entailment +yeah well that 's what i do we had a printer a a Hewlett Packard Ready Writer I have never heard of a Hewlett Packard Ready Writer . contradictory +Financial Examination of IRS ' Fiscal Year 1994 Financial Statements The First Examination of IRS ' 1994 Financial Statement . contradictory +Ah , my young friend , it is lucky for you your skull is so thick . The young person was had a dense skull . entailment +Augusto Pinochet to Spain to stand trial . Pinochet is going to have a trial . entailment +This kind of booty was worth a battle , even though Drake knew the city was well protected by a set of forts . Drake thought the city was easy booty . contradictory +just because um you 're right i think that if we did ban them the bad guys would still have them You 're right , if we ban them bad people could still get them . entailment +but um but basically all over here everywhere everybody wears jeans and if not what the what the thing is that they 're wear ing now is sometimes you wear like shorts with biker pants underneath it which is Most people prefer to wear shorts because they 're more comfortable . neutral +Waistcoat . Dress coat . neutral +I can help you , said Ca 'daan . Ca 'daan offered to help . entailment +Have your camera ready to record the incredible sight of a wailing Japanese child beating a hasty retreat to its parents after being chased by a group of hungry deer in a feeding frenzy . A happy Japanese child ran towards the harmless deer . contradictory +Oh , dear , what a lot I have eaten ! " I have eaten a lot . entailment +The concept of a universal service obligation may really mean more frequent delivery than economically warranted for households living on unprofitable routes . Universal service obligations lead to more frequent delivery . entailment +thank uh federal judge named William Wayne Justice You should be thanking Judge Judy . contradictory +The evidence is flaky--a woman who has both confirmed and denied the story , corroborators with their own reasons to lie--but major scandals have been built on less . Scandals don 't have to be based on truth . entailment +and so if you convert all your measure into those uh fundamental units and analyze them you can uh get a pretty good sense as to whether your formula is correct The formula is correct . neutral +How wise is it to endow the state with powers to force us into wellness even if we prefer risk ? The risk has greater reward , which is why the state 's powers are in question . neutral +To deal with the small communities of Jews and Nestorian Christian heretics , who had settled down on the Malabar coast in the mists of antiquity , the then Archbishop of Goa opened a local branch of the Holy Inquisition . The Archbishop of Goa opened a local branch of Holy Inquisition to deal with small communities of Jews and Nestorian Christian heretics who had settled on the Malabar coast . entailment +But it won 't do it while preserving their local cultures . The local culture is very interesting . neutral +how come i 've been kind of um i guess the commercials are getting to me the Toyota commercials and i know that a lot of people i 've i 've known that have had Toyotas have been just extremely happy with them that hardly had any problems at all I have seen the commercials and know some people that have that type of car . entailment +She had birthed three of Adrin 's five brill and , if this blockage didn 't kill her , would be ready to market at the next caravan north . Adrin had five brill that he 'd had for five years . neutral +5 . Fiscal policy choices about how much of the surpluses to save affect not only the level of government saving but ultimately the nation 's longterm economic outlook . The nations long term outlook are dependent upon fiscal policy . entailment +You were in fact offering it , as you 'll see if you go back to the original , not as a considered characterization of my views , but as a way of introducing your own traditional / cultural explanation . If you go back and look , you 'll see that you offered it in order to introduce your own explanation . entailment +Kingston replaced Port Royal as the commercial center of the island . Kingston took over as Port Royal as the commercial center of the island . entailment +The land of Upper Egypt sits in the south of the country , and it takes its name because it is up-river of the Cairo and Nile Delta area , which are known as Lower Egypt . The Nile Delta area is in Upper Egypt . contradictory +We then examine the consequences of volume loss on postal systems in order to provide a measure of burden in terms of increases in average unit costs as volume is lost to competitors , or There are a number of consequences if you lose volume on postal systems . entailment +that 's a good word for it That 's completely off . contradictory +uh coverage uh of the you know you may not even go in to the doctor for a long time but you know if something came up obviously you you know to get covered is important Getting your health insurance covered is important even if you don 't often see a doctor . entailment +These standards apply to all aspects of an agency 's programmatic , financial , and compliance . The standards did not apply to any aspects of the agency 's performance . contradictory +This seems to me a wholly irrational distinction to make . I already explained why the distinction incorrect , but they persisted . neutral +The goal was to focus executive directors on the fundamentals of planning for client-centered , comprehensive , integrated statewide justice communities . The goal was to expand the focus of the executive directors . contradictory +All a blind , of course . Tommy held a photo up to the class . neutral +I did the usual stunt . I didn 't do the usual . contradictory +It 's important to try to find the ship . It is of the utmost importance that we search for the ship . neutral +In recent years , policymakers have explored providing refundable tax incentives and government matching to encourage Americans to save more . Since 1965 , policymakers have explored providing refundable tax incentives contradictory +The old bloke sounds more inspired and , well , less goofy than he has in years ( Elysa Gardner , the Los Angeles Times ) . However , a few critics call the songs more Wings than He has done some sucky stuff in his long and partially illustrious career , but it has to be said that , overall , McCartney has never sounded less necessary ( Andy Gill , the Independent ) . ( See the Flaming Pie site . ) Mike McCartney sounds much more inspired than he has in recent years . neutral +Questioned about China at his press conference , President Clinton admitted for the first time that his constructive-engagement policy hasn 't improved China 's behavior , but he maintained that it will in the future . President Clinton expects his policy to improve China 's behavior . entailment +Circumstances have changed . Money made circumstances change . neutral +We could make an offer for any good slicks put the Spur R on them and run them in on the Range . We could make on offer on some good slicks and probably get a really good deal . neutral +I mean--bull pusher ! That was wrong , too , and he tried again , forcing his reluctant tongue around the syllables . He was having a very difficult time speaking the words . entailment +Perhaps I have , and perhaps I haven 't , he remarked dryly . Perhaps I have just returned from the shop , so what ? neutral +Silly ass ! I ejaculated . Boring Face . I never came . contradictory +( This June , Australian Prime Minister John Howard once again stated his opposition to issuing a national apology . ) The Australian Prime Minister apologized to the nation immediately after hearing the news . contradictory +Clinton has the ability to sustain that perception despite the test ban 's defeat . Despite the test ban 's defeat , Clinton has the ability to sustain that perception . entailment +They would publish it broadcast throughout England , and declare for the revolution 63 without a moment 's hesitation . They would declare for the revolution after a long wait of deliberation . contradictory +In the resorts , nightlife is focused around hotels , ranging from decent live bands , dance , and fashion shows to mimed Beatles sing-a-longs . There are nightlife in hotels and it allows people to unwind . neutral +yeah but anyway i enjoy it they the kids i 've worked with so far have been Spanish speaking The kids don 't speak Spanish . contradictory +I mastered the words portiere ( goalkeeper ) , colpo di testa ( header ) , and quattro minuti di ricupero ( four minutes of injury time ) . Colpo di testa translates to ' footer ' . contradictory +Still others--Kentucky , Wisconsin , Louisiana--while relatively slow to embrace the concept of state planning have , within the past year , made significant progress in addressing issues of access and quality in their states . Louisiana was the fastest state in embracing the concept of state planning . contradictory +It worked well for a while , until it didn 't work at all . It had never worked before and is unable to function now either . contradictory +but i know it was cold i had turn on the heat and get quilts yeah It was hot where you were . contradictory +Eva Cortes-Espino went to Affordable Automobile Wholesale Inc . ( AAW ) in Southeast Portland on Aug. 7 searching for a car . Eva Cortes-Espinio was shopping for a cheap used car . neutral +The Industrialist pointed out the window . The Industrialist gestured to a place outside the window . entailment +Had Bork slipped up--did the Satheri know that Hanson was still alive , and had they sent Ser Perth here to locate him ? Did the Satheri know about Hanson 's current whereabouts ? neutral +Mary takes up with a gentle bird-saving loser . ) The bird was an endangered species . neutral +He turned into an A.B.C. He entered an A.B.C. entailment +Questioned , he could adduce nothing in support of his statement except his own opinion that she wasn 't the usual kind . He 'd said she was a very lovely woman , but could only back it with his own opinion . neutral +Instead of categorically defending a woman 's right to an abortion , they have chosen to challenge pro-lifers on the pro-lifers ' turf . They have chosen to challenge pro-lifers instead of defending a woman 's right to abortion , which is harder to do on pro-lifers turf . neutral +and uh he was showing it to me and we 're looking under the hood and everything 's nice and clean and you know you can see the three spark plugs there in the front And i said well where are the other three We were looking under the hood and could see the three spark plugs towards the front . entailment +Popular traditional themes are Cycladic figures ( especially on the Cyclades islands ) or pottery with scenes taken from ancient Greek frescoes or mosaics . Cycladic figures are not popular themes . contradictory +seems like there 's so many kids that don 't have any since of you know what they want to be or do or you know they could learn something and maybe help other people at the same time and we sure our country all countries sure need help so Kids should stick to academics until they 've decided on a career path . contradictory +Trial lawyers courted him and his party with tons of money . He was offered a lot of money by trial lawyers . entailment +Dave Hanson , to whom nothing is impossible , he said . He said Dave Hanson . entailment +Alioli , a whipped sauce of fresh garlic and olive oil , accompanies many dishes . Alioli is made from whipped onions and butter . contradictory +Boat rides give you another perspective of the chateau and its park and you can also enjoy a relaxing view from a tethered hot-air balloon . The view from the tethered hot air balloons is impressive . entailment +He sat next to Johnny Carson and in his helium-pitched foreign man voice told jokes without punch lines ( Her cooking ees so bad--ees terrible ) and did non-impressionistic impressions The man told Johnny Carson terrible jokes that Carson did not understand . neutral +Japan is notoriously expensive , so don 't expect fabulous bargains . The average a person spends in Japan is more then they make in 3 weeks . neutral +A pretty mare 's nest arresting him would have been . " He turned to Inglethorp . Arresting him would have been quite the debacle , he said before turning to Inglethorp . entailment +anyway it had a lot of things like that thing to make you keep watching just for the novelty and the surprise of it There were a lot of elements that made you want to watch to see what would happen next . entailment +uh always at the beginning i did all the shopping and everything but the the neat breakthrough was when my oldest son Mark took his uh uh cooking merit badge in and and Mark was the kind of camper who ate beef Stroganoff and uh I like to do all the shopping , but my son and Mark help . neutral +In some countries , they 'd be the dinner . They would be predators in some countries . contradictory +Apparently Southerners were big on projectiles . The people from the south were a fan of projectiles . entailment +The Scottish Enlightenment The Enlightenment of the Scottish . entailment +I somehow feel that in real life one will feel a bit of an ass standing in the street for hours with nothing to do . You will feel great if you do nothing . contradictory +Young man , trust me . The young man might trust me deeply neutral +The mood achieved by the Bas ? ­ lica , shaped like a Greek crose is one of devout magnificence . The Baslica is not magnificent by any means . contradictory +man i worked as a welder and i was you don 't even get paid that much I spent many years as a welder . neutral +it could be an interesting It might be an interesting show to see . neutral +Crazy , hey ? Very calm huh . contradictory +Auditors should make arrangements to make audit documentation available , upon request , in a timely manner to other auditors or reviewers . Auditors are not allowed to view or edit other auditor 's work . contradictory +But still Wendy Wasserstein eludes us . Wendy Wasserstein still eludes us . entailment +Native ' Me win , me passum heap big law ... n / a contradictory +Many federal CIOs , in the normal course of their own efforts , have already begun working along the lines of the advice provided in this guide . Federal CIOs have not begun using the advice . contradictory +But the press only borrows the martial rhetoric that business leaders use themselves . The press uses the martial rhetoric that business leaders use themselves . entailment +yeah definitely i think the biggest problem uh the biggest change that needs to be made is the way that women are paid Yeah I think the biggest issue is how we aren 't allowed to drive cars or wear anything outside . contradictory +Conservative and gay rights activists have launched dueling ad campaigns about the ex-gay movement . The conservatives , borrowing from recent remarks by Senate Majority Leader Trent Lott , argue homosexuality is an unhealthy lifestyle from which many former gays have successfully recovered . There are ad campaigns that voice Gay rights and others by conservatives that condemn it as an unhealthy lifestyle and being gay is something that can be changed . entailment +All of the above ? The exact answer is unclear . neutral +As noted above , projections beyond 2010 are of limited value as market conditions could change significantly between now and 2010 in response both to demand for resources for a multipollutant program and because of other market factors . There is no demand for resources or programs . contradictory +In fact , the AIM-9X had 95 percent of its drawings completed at its critical design review . The AIM-9X had all of its drawings completed by the end of last year . neutral +You can reach the service at 800-424-3410 or go to www.aarp.org / LSN to find a lawyer nearby . You can find a lawyer by calling 800-424-3410 . entailment +Tel Aviv has lots of modern malls on and around Dizengoff Street , but if you are treasure hunting you should visit the flea market in neighbouring Old Jaffa ( see page 48 ) , which is also generally good for arts and crafts . Tel Aviv has 14 modern malls located in and around Dizengoff Street . neutral +A guard shoos us well back from the door where she will enter , and at 8 : 25 a black sport utility vehicle pulls up outside the glass door . The black vehicle didn 't arrive at the door until 9 : 00 . contradictory +yeah yeah and i think that that 's the trend now i think that 's the trend now and i think people are a lot more willing to give of their time From my understanding that is a trend now . entailment +Tina Brown resigned as editor of The New Yorker . She will chair a multimedia publishing company in partnership with Miramax Films . Tina Brown was the editor of The New Yorker for two years . neutral +yeah i think capital crimes uh capital crimes and i want to say kidnap i don 't know why kidnapping sticks in my mind but um I think capital crimes and it makes me want to say kidnap entailment +Before the opening of the Palaces of St. Petersburg exhibition ( through Aug. 31 ) , Russian and American artisans painstakingly transformed the Mississippi Arts Pavilion into lavishly appointed rooms adapted from the homes of the czars , fitted out with authentic paintings and furnishings . The Russians artists closely worked with the Korean artists to transform the Mississippi Arts Pavillion . contradictory +At its southern end you 'll find The Old Cataract Hotel , harking back to the days of Edwardian elegance . There is no hotel with the name The Old Cataract Hotel . contradictory +And above all I want no mixing it up with any army patrol riding south . I want everyone to mix it up with an army patrol riding south . contradictory +He looked away as he spoke . He didn 't look away once while he spoke . contradictory +I don 't know , but I 'm sure it 's a waste of my tax dollars ( my grandfather 's philosophy on everything ) . My grandfather believes that his tax dollars go to good use . contradictory +Conceding the need for more reform , the new king of Piedmont , Vittorio Emanuele II , became a constitutional monarch with a moderate-dominated parliament . Vittorio Emanuele II , the new king of Piedmont , refused to concede the need for reforms when he became the new ruler . contradictory +well as as you say the the um benefits are the biggest part of it i think that today with costs uh for medical insurance and eyeglasses and dental and all that it is a boom a a a plus to have that even as far as your uh salary goes you know along with it because it 's not out of pocket money and it they also have good insurance uh life insurance policies good retirement Dakota the um jet funds all that stuff i think you know the IRA 's People who aren 't covered by good policies have to pay more out of their salaries than others . neutral +yeah well they 're um you know they 're like Bermuda yeah they 're like black corduroy Bermuda Bermuda shorts and sometimes i wear a blazer with them and i get really a lot of compliments on them um where i work is predominantly male so you know I like to wear straight leg pants with my short sleeve tops . contradictory +oh wow well okay that is understandable oh yes i 'm very familiar with it very beautiful place It is a beautiful place . entailment +Then I saw Enka . And that 's when Enka came into view . entailment +not many people know about Miami Not a lot of people have been to Miami . neutral +um-hum um-hum and you probably have children at home which takes up a lot more time Children take up the most time out of anything . neutral +There was a wild-rose quality about her face . She had bright , red rosy cheeks . entailment +um-hum my uh daughter has owned two different ones and uh you know we 've had some work done on them but it 's not too bad and the reason one of the reasons we um bought the first one was because a friend of ours had a Toyota that he just really drove for years and years and years and he lived way out in the country so he put a lot of miles on it Our daughter as never owned a Toyota . contradictory +eventually i 'm sure they will come out with the the the proper names The proper names are unimportant to this issue . contradictory +Resisting empty populism doesn 't have to mean a haughty elitism . Elitism is based on resisting empty populism . contradictory +and i noticed parents not spending time with their children and and going out and doing things and you know i knew like the kids next door were all into cocaine and The kids next door were doing cocaine . neutral +My dear Evelyn , cried Mrs. Cavendish , " this can 't be true ! " Miss Howard nodded grimly . Mrs. Cavendish knew that the girl couldn 't possibly have done it . neutral +you know if you think you think about all the kids in the ghetto my mom would probably kill us but If you think about the kids in the ghetto my mom would probably kill us . entailment +That man , Danvers , was shadowed on the way over , wasn 't he ? That man was tailed on the way over . entailment +meet needs for generalizability and still manage the data collection and analysis . Data collection and analysis is done using computer systems . neutral +Nearby is the Outer Chamber of Mary , Queen of Scots , where she socialized with her favorites and debated religion with John Knox . John Knox and Mary argued over which brand of Christianity was best . neutral +That bears out my little idea entirely . This confirms what I was thinking of . entailment +but uh rather interesting very compelling entailment +Does Bill Ford Have a Better Idea ? Does Bill ford have an idea that is better ? entailment +Among the other survey There are more than one surveys which exist . entailment +The importance of this phase of Irish history , for both the Irish themselves and civilization in general , cannot be overrated . The Irish history is important . entailment +These new prospective cohort studies reflect a significant improvement over the earlier work because they include information on individual information with respect to measures related to health status and residence . Since the new cohort studies have information about individual health status and residence , they 're much better . entailment +Something , as he expressed it , seemed to snap in his brain . His brain had a thought and he liked it . neutral +It was lucky for you she happened to er take a fancy to you . Tommy appeared about to protest , but Sir James went on . Sir James stopped speaking and let Tommy protest him when he tried . contradictory +Tommy and Julius watched it out of sight , and then turned to the narrow path . Tommy and Julius saw it approach . contradictory +Silently the sword fighter stood and rose up behind her . The sword fighter ran towards her . contradictory +Among his many accomplishments , Dr. Johnson was the first of the great Scot-bashers , elevating a common anti-immigrant prejudice to a wittier sort of anti-immigrant prejudice and a way to tweak his great friend James Boswell . Dr. Johnson was rather fond of the French people . neutral +yeah you might generate some interest in it but that 's a that 's a good idea other than that i 'm not sure what what individuals can do other than like i said get involved through a group or an organization Individuals can get themselves involved with an organization . entailment +The sample report sections in Appendix B are intended to illustrate the type of reporting contemplated by the Board . The sample report illustrates the reporting the Board used . entailment +The Love Field imbroglio , in fact , has presented the curious spectacle of House Majority Leader Dick Armey arguing that increased competition will threaten the region 's economic health , an odd conclusion from Congress ' most fervent supporter of free markets . House Majority Leader Dick Armey believes that more competition will threaten the region 's economic health . entailment +Jon was a changed man . Jon was just like he had always been . contradictory +I have an idea that I was out walking . " I was inside at the time . contradictory +The security men exchanged a look- then they started moving , ready to throw me out overarm . The security men wanted to throw me out . entailment +Do you recall its general appearance ? " Do you remember what it looked like ? entailment +Estimated facility cost and schedule issues receive increasingly intense review during the design phase so that the owner has a high level of confidence prior to bid that the performance , quality , cost , and schedule objectives defined during the conceptual planning phase can be met . Several prior projects have failed due to conceptual planning 's failure to provide accurate numbers . neutral +Major credit cards are accepted in almost all shops in the cities , but less so in the smaller towns . Almost all shops within the city accept major credit cards . entailment +and we never have a problem meeting it from paycheck to paycheck it 's pretty neat being that independently wealthy and working for a major semiconductor firm you can just spend it well It is really great to be financially independent like that . neutral +yeah you had a good time there You had a horrible time there . contradictory +of the case study method in GAO , so much so that it may be seen as a usual GAO review rather than recognized as what it can be-a case study ( U.S. There is no way anyone would think that this is a usual GAO review . contradictory +They knew him now for a spy , and would in all probability give him short shrift . He made just the littlest mistake , that destroyed his meticulous disguise neutral +There seems to be some similarity to your world in that , doesn 't there ? The worlds seem similar , no ? entailment +i like that and we moved here from Houston in in uh July and everyone kept saying oh you 're going up north it 's not going to be so hot it 's not going to be so humid and yeah that has just not been the case it has been Everyone was right about the weather up north , it 's much cooler than where we came from . contradictory +For the people of Egypt this was a time of celebration and there were two weeks of exuberant dancing , processions , and feasting . During the two weeks of celebrations , feasts were held every single day . neutral +GAO has been able to close field offices both in the United States and overseas-much of it through attrition-and achieve gains in productivity and collaborative work environments . Productivity has been improved at the same time field offices were closed . entailment +Designed to invoke the castle architecture of the Tokugawa period , the theater was destroyed in an air raid in World War II and rebuilt in 1951 . After it was destroyed in World War II , the theater was rebuilt in 1951 as a perfect reconstruction of the original building . neutral +The Kal saw his war club cave in Adrin 's skull . Adrin 's skull was caved him by the Kal 's sword . contradictory +they 're yours wrapped up in their c arpet They belong to you , and they 're in the carpet . entailment +The Nile valley south of Luxor is home to three temple complexes . South of Luxor you can find three temple complexes in the nile valley . entailment +Stores in Iraklion stock all the major European designer street names along with many US labels . Many locally-produced clothes can be found in stores alongside European goods . neutral +One might have been tempted to chide these respondents with the comment that Pride goes before a fall ( Proverbs 16 : 19 ) , but doubtless they would just have snapped back brazenly with Euripides or Racine . There is an argument that Pride goes before the fall . entailment +and when was this This happened when ? entailment +For Christians seeking spiritual refreshment , there are countless churches to visit , including the Church of the Holy Sepulchre , the Basilica of the Annunciation ( in Nazareth ) , and the Church of the Nativity ( in Bethlehem ) , just to mention the most famous . Christians are limited to visiting their local church . contradictory +Shall we let bygones be bygones , eh ? We have been fighting for ten years . neutral +Farther west is the ferry terminal for the outlying islands . The ferry terminal is farther west if one wants to get to the outer islands . entailment +Sir , excuse me , the terrified , quadrophonic voice of the secretary could be heard again . The voice could not be heard . contradictory +India accused Pakistan of backing the hijacking and giving shelter to the terrorists . Pakistan is blamed for helping the highjackers . entailment +For sailing lessons , the Escuela Nacional de Vela de Calanova ( National Sailing School ) offers intensive beginners ' courses ( Avda . Expert lessons are also available at the Escuela Nacional de Vela de Calanova . neutral +The roc squawked harshly , but it had learned and had been watching above . The roc squawked quite loud . neutral +oh really so they have no i didn 't realize they had no state tax in Texas I wasn 't aware that Texans didnt ' pay income tax . neutral +The Banquet Honey-Roasted Turkey Meal offered literally a single slice of cold-cut-style turkey--about one-eighth of an inch thick--on a sparse bed of hopelessly damp and chewy stuffing . The meal filled the plate with an ample portion of tasty turkey and stuffing . contradictory +At the top of a sloping driveway , the stately Edwardian structure that was the original university building presides over the institution 's newer buildings . At the top of a sloping driveway lies the original university building . entailment +There are over 156 species of animals on view here , with notable successes in the breeding of endangered rhinos and Rothschild giraffes . There are no animals available for viewing at this location . contradictory +oh i wish i had that booklet here oh i think i do it 's right here uh i 'll look at the end because those would be the best ones okay I thought I had left the booklet at home . neutral +The Daily News is up for sale . The Daily news is for sale as of today . neutral +The finely arched front doors are often at the top of a sturdy staircase over the street-level cellar . They used architectural principles when they built cellar front doors . neutral +It is interesting to note that the remaining critical success factor , aPromote Organizational Credibility , - is executed about the same within all sectors , since all sectors approach principle III similarly , and no sector executes principle IV well . There has never been a sector that handles principle IV well . neutral +In Los Angeles County , the Vietnamese population rose nearly 25 percent in the decade , while the Chinese population leaped by more than 34 percent . The Chinese population increase was the greatest of any given race in Los Angeles County . neutral +Blood splashed on Jon 's face and armor . The blood of a demon was on Jon 's face . neutral +'Are you all right , Mr. Franklin ? ' Greuze noticed my expression . Greuze saw my face . entailment +The most popular boat trip from Stresa is to the Borromean Islands ( Isole Borromee ) ( the 5-star hotel in Stresa of the same name was the setting for Hemingways ' Farewell to Arms ) , celebrated for their Baroque palazzi and magnificent gardens . The Borromean Islands are best known for their Baroque palazzi , elegant restaurants , and beautiful gardens . neutral +i looked into going to Marquette also and had a chance to get a scholarship there but it would have only covered uh about a quarter of the cost of the first uh year which uh wasn 't enough of a motivation to uh to go there to commit to to four years I could have gotten better scholarships somewhere else . neutral +Although most of the organizations were private enterprises motivated by the desire to earn profits , their information security concerns focused on providing high-quality reliable service to their customers and business partners , avoiding fraud and disclosures of sensitive information , promoting efficient operations , and complying with applicable laws and regulations . Organizations focused on avoiding fraud by making their computer systems secure . neutral +We are going to have increases in Medicare and Medicaid , and a reduction in the rate of growth . There will also be increases to income tax rates . neutral +Larger restaurants and a hotel line the seafront , but the village itself is set inland , protected from the harsh ocean winds . The village is located on the sea . contradictory +get out of here for heaven 's sake i 've never heard of one Wow , you 're kidding me , I have never even heard of one . entailment +They shouldn 't have needed to torture the crone . Torture should not have been used . entailment +The church 's painting collection includes an early Goya . You can find an early Goya painting in the church . entailment +are you are you how about that well we 're all lots of people from TI up this way There are a lot of people from TI . neutral +Some-time during the 11th century a rough bunch of coastal traders and drifters from every port in the Mediterranean began to settle on the northern shore of the Horn , in the maritime quarter which became known as Galata . Horn became home to seafarers far and wide after awhile . entailment +but if you go to a fast-food restaurant you 're going to spend four fifty and you 're going to produce a lot of styrofoam and a lot of plastic so we you know we 'll go there instead of you know just going to a fast-food place Mcdonald 's is an example of a wasteful fast food restaurant . neutral +Created for the Isen ? ­ heim convent of Saint Anthony between 1512 and 1516 , the altar ? ­ piece originally folded out in three panels , which are now mounted for exhibition in separate sections . It took exactly four years to create the altarpiece . neutral +oh yeah i i watch uh some of these TV programs you know how to do it 's you know you fix it Some of these TV shows are ones I watch . entailment +at one time i could name all the players on the Steelers you know and but even when Bradshaw was playing i i don 't know i i didn 't particularly care for him i thought he was kind of cocky or something uh-huh I used to be able to name everyone on the Steelers . entailment +and yeah well sometimes sometimes uh i 've had the effect that if i swim in the morning uh i get an urge to go back and swim again at lunch time I would want to swim during lunch but I did not get enough time to do so . neutral +and perhaps it 's because our campaigns have become so terribly expensive to run uh that only the most wealthy can do so you don 't just need money to run a campaign , those people also had influence and good connections neutral +Studies on brief interventions conducted in other settings demonstrate that a substantial portion of the reduction in costs is related to a reduction in use of emergency department and hospital resources . There is more savings from using hospital resources less than from using emergency department resources less . neutral +Budget and Other Assumptions There are several assumptions of the budget . neutral +they wouldn 't that insurance company went out of business in Texas because they had so many claims that they couldn 't make a profit and so now none of the other insurance companies will will consider covering that They don 't cover it be because it is too expensive . entailment +McCann 's performance is said to be almost unbearable . McCann performance has worsened since last year . neutral +yeah he was a real wild one He was very disciplined . contradictory +The outstanding works on view include a dozen or so 15th- and 16th-century Flemish paintings , regarded as some of the richest in Portugal and rare even in the rest of Europe . There are quite a few 15th- and 16th-century Flemish paintings on display . entailment +well i think that that there 's more you know there is definitely more women in public office uh i think it 's going to be a long time before we see a woman president uh i don 't think that 's going to happen in the next ten years i don 't There 's no women at all in public office but I think we will have a woman president within the next year . contradictory +They waded across the stream , sliding their feet across the bedrock to avoid the spikes that had hobbled their horses the night before . They were careful while leading the animals across the waters . entailment +Text box 2.1 compares GDP to another measure of economic output-gross national product ( GNP ) . To compare GDP to GNP , look at text box 2.1 . entailment +If our software is occasionally too fat , we developers fall back on the same excuse philosopher Blaise Pascal offered three centuries ago for his verbose I have only made this [ letter ] longer because I have not had the time to make it shorter . If our software is occasionally too fat , we developers fall back on the same excuse philosopher Blaise Pascal offered entailment +Poirot seized his hat , gave a ferocious twist to his moustache , and , carefully brushing an imaginary speck of dust from his sleeve , motioned me to precede him down the stairs ; there we joined the detectives and set out for Styles . Poirot was so anxious to join the detectives that he left his hat and coat behind at the hotel . contradictory +De Kooning 's best paintings , from the ' 40s as well as the early ' 80s , flirt with refinement and turbulence . No one can argue that De Kooning 's best paintings are from the 40 's and 50 's . neutral +There 's ash falling on Tafero 's shirt and he 's nodding his head , he 's heaving his chest in and out , tied down with those thick leather straps . Ash is falling on Tafero 's shirt . entailment +Rum now began bringing in considerable legal ( as opposed to contraband ) revenue . Rum is making them millions each month . neutral +the Department of Labor are overburdened . . . If we are not going to have legal services , why kid ourselves ? The Department of Labor has plenty of employees ready to help . contradictory +To suggest any other reason is totally absurd . It is absurd to think that there are other reasons . entailment +uh the most recent movie i saw uh i 'm afraid was uh well two two of them actually uh the Rain Man was one Rain Man was a good movie . neutral +But there 's a box just round the corner . " There 's a box around the corner . entailment +Federal Acquisition Streamlining Act of 1994 ( FASA ) ( Public Law 103-355 ) a This law requires agencies to define cost , schedule , and performance goals for federal acquisition programs ( to include IT projects ) and monitor These programs to ensure that they remain within prescribed tolerances . This law demands agencies define various goals for acquisition programs . entailment +Well , I believe he could , reiterated Tuppence obstinately . Tuppence loved the man he was speaking with . contradictory +No more juice . That is enough juice . entailment +Well , these were Anse took up the top book . Anse didn 't touch the book . contradictory +The General Accounting Office , the investigative arm of Congress , exists to support Congress in meeting its constitutional responsibilities and to help improve the performance and accountability of the federal government for the American people . The General Accounting office is part of Congress . entailment +Many were giving their opinions , and there were so many opinions and suggestions that Jolanta got depressed . Jolanta was upset . entailment +right shut-ins and yeah it really is i worked at one as a teenager i volunteered at at I never volunteered anywhere in all my life . contradictory +Stop that ! he ordered . He didn 't like what she was doing . neutral +Resources are maximized when strategically aimed at the areas that need the most improvement . Some areas need more improvement than others , like legal services . neutral +yet they oh it 's very wrong it 's horrible you know i have i take a business law class um on Tuesday nights and my instructor is a practicing criminal attorney It 's great now because I 'm finished with education forever . contradictory +But massive growth during the 20th century saw Edinburgh absorb many of these formerly independent communities into its ever-enlarging limits . Independent communities were forcibly included into the city of Edinburgh . neutral +uh-huh i 'm not that hung up on most things i mean if i miss something big deal I don 't care about missing things . entailment +Whatever the latest theory , the Pyramids of Giza ( the most well-known ) are , without doubt , an amazing sight as you stand before them . The latest theory criticizes the pyramids of giza . neutral +I 've got a sticky problem . My shoes are stuck to the ground . neutral +yeah well it 's like it 's like Saddam you know we 're going to build them up and then have to go in there and take care of them We 'll build them up and then they 'll be fine on their own . contradictory +It is possible to fit them in by the economist 's magic trick of defining any behavior as maximizing something called utility , utility being defined as whatever you choose to maximize . It is possible to achieve this feat . entailment +She suggested that the influence of setting be made explicit somewhere in the recommendations . The recommendations contain implicit information regarding the influence of setting . neutral +Western Michigan Legal Services formerly known as the non-profit Legal Aid , honored Lalley recently with the 10th annual Michael S. Barnes Award for outstanding service to the low-income community . Lalley got a reward from Western Michigan Legal Services ( aka Legal Aid ) for its outstanding service to the poor . entailment +Southeast of Arbois , the Recul ? ? e des Planches takes you to the fairy-tale waterfalls of the Cuisance and ends at the dramatic Cirque du Fer ? Cheval . The fairy-tale waterfalls of the Cuisance can be found southeast of Arbois . entailment +You must keep it secret . It is no secret and you can tell everyone ! contradictory +yeah who 's the coach 's name I know who the coach is . contradictory +A French army marched in to subdue the country . The French army was small and outnumbered . neutral +oh yeah i never i didn 't realize until recently that there was actually a fine they could pretty interesting though Until recently , I didn 't know there was a fine . entailment +we had one in Virginia that was sentenced to death and the execution was to have taken place a few weeks ago i don 't know if there was anything in your paper about it There are death penalty cases all the time in Virginia . neutral +MINIMUM REPORTING Governmentwide Report of the Federal Government the report in question is a maximum reporting report . contradictory +amazingly few I expect there to be more in the future . neutral +People who do that , the narrator observes , are at heart storytellers . People who do that like to tell stories . entailment +This program should be expanded , perhaps with incentives for police to live in the neighborhoods they patrol full time . Police might be encouraged to live where they work . entailment +The Economic Model and Key Assumptions Economic model and no assumptions contradictory +The wrestlers also enact crucifixions , sadomasochism , and prostitution . The wrestlers act out weddings . contradictory +His face was ashen . He looked ill and scared . neutral +Away from the expressways and southeast from the Central Market lie the exotic offerings of Chinatown , within the boundaries of Jalan Sultan , Jalan Bandar ( now known as Jalan Tun H. S. Lee ) , and especially along Jalan Petaling . It takes a while to get from the expressways to Chinatown . neutral +The burden of the USO is much greater for small per capita volume posts than it is for large and medium per capita volume posts . Nobody know why the USO has a lesser impact on large and medium per capita volume posts . neutral +uh no not really My husband is but not i do uh the world a favor and i don 't sing aloud to anybody but myself I sing to every person that I meet every day . contradictory +Once there , you 'll find the wide sands of the Pantai Puteri Dewi ( Beach of the Beautiful Princess ) along the 122-hectare ( 301-acre ) island 's northern shore . The beach is free to everyone but considerably busy . neutral +And U.K. giant British Telecom purchased MCI . British Telecom went bankrupt 10 years ago . contradictory +Mrs. Inglethorp was in the habit of drinking a cup of coco in the middle of the night . Mrs. Inglethorp usually drank coco late at night when she couldn 't sleep . neutral +Figure 3 : Functional Percentage of Total Costs A part of the costs . entailment +We 'll make tracks for the depot right away . A little frown had settled on Sir James 's brow . The depot was very far from where we were currently . neutral +( If it weren 't for gay people , there would be no Lion King --or much else on the all-American cultural front . ) There would be almost no broadway shows without gay people . neutral +But Will He Bring Back the Football Team ? The football team was retired in 1998 . neutral +It didn 't help Brock 's case that he had already served as a U.S. senator--from Tennessee . Brock used to reside in the state of Tennessee . entailment +NBC won the right in a Texas court to air a movie Monday about the murder of a teen-age girl by two lovers--also teens--even though the accused have yet to be tried . NBC got to air a movie about the trial . entailment +This small formerly residential island , beautifully shaded by banyan trees , was the home of the closed community of the foreign colony in the era of concessions . The foreign colony made this formerly residential island their home at one time . entailment +In the event of a funding cut , there is no way we would be able to pick it up , said L. Tracy Brown , executive director of the center . Tracy Brown was worried that if the funding cut was steep enough , the center might have to close . neutral +While pre-existing law afforded limited opportunities for postal innovation , 2 the Postal Reorganization Act of 1970 gave the newly-created United States Postal Service a clear mandate to innovate by developing effective and efficient services adapted to the needs of the Nation 's mail users . If you ask most ordinary citizens , the Postal Service got worse during the 1970s . neutral +It might have been either . " Hand-in-hand , the two girls hurried along . The two girls didn 't touch each other . contradictory +It turned out that all electricity here was d.c. , conjured up by commanding the electrons in a wire to move in one direction , and completely useless with a.c. All electricity here was d.c. , making a.c. devices useless . entailment +um-hum um-hum um-hum oh yeah they enjoy that um-hum that 's right just hypnotized yeah I never felt hypnotized from them . contradictory +Others are less enthusiastic . Others aren 't that enthusiastic . entailment +The region divides into an eastern half , Haute-Normandie , along the Seine Valley , similar in scenery to the Ile-de-France ; and the more rugged Basse-Normandie to the west , more akin to neighboring Brittany . The region has two different kinds of terrain . entailment +Adams warned against taking courtroom television as an accurate depiction of a real courtroom . Adams wanted to change the way courtrooms were depicted on TV . neutral +You 're on your own . " Tuppence nodded sagely . Tuppence told them she could not help them . neutral +Booby Traps plenty of opportunity to go awry . Precautions should be taken to prevent accidents . neutral +In rare cases , the Comptroller General may grant an extension beyond 30 calendar days if the agency shows that an extension is necessary and will likely result in a more accurate product . The Comptroller General cannot grant an extension . contradictory +I took an early opportunity of testing that statement by stationing my friend Monsieur Hastings in the left wing of the building , just outside Mrs. Cavendish 's door . Monsieur Hastings was stationed in the right wing of the building . contradictory +Don 't be so negative . People hate seeing you be so negative . neutral +I 'm saved , her husband says after the arrival of the forgiving letter . Her husband saw the letter had been sent out . contradictory +Confounding our initial assumption , the spot prompts us to question why this kind of discrimination is accepted--even legal in 41 states , a fact the narrator tells us most Americans don 't know . This kind of discrimination is legal in the majority of states . entailment +Pennebaker made about Dylan 's previous European tour in 1965 , Eat the Document , which was edited by Dylan himself , is a pointless coda . The tour was very popular among children at the time . neutral +He closed his eyes as the woman 's screams turned into wet gasping . The woman was silent . contradictory +uh with my daughter and with my son they both have different interests in books but um they they uh they do read them um i have some books on on health that i read all the time one 's on vitamins that are good for you and that kind of thing but yeah i i 'm My children read different genres of books . entailment +requiring concerted action and sustained top-level attention if they are to be addressed . It is encouraged to skip days on maintaining action and attention if addressing them . contradictory +Among the sickest patients waiting were some 12 who needed new heart valves . Two patients were considered the sickest due to their hairy tongues . contradictory +she said that i didn 't said you know don 't tell me what women can do " She protested that I did not stand up for women . " entailment +A giant red-brick fortress of the faith , its fierce exterior is in contrast with the rich interior . The fortress was built using red bricks , and is very large . entailment +In order to estimate ozone-related health and welfare effects for the eastern U.S. , fullseason ozone data are required for every CAPMS grid-cell . To estimate ozone effects in eastern us , full season data is required for every CPMS grid cell entailment +I worked in the fish market , loading casks of the golden winged fish on their way to the kings of the cities in the far corners of the desert . I worked at the cattle ranch . contradictory +Organizations are able to use the site 's extensive resources to promote and recruit volunteers The site offers many solutions to help organizations to promote and recruit volunteers . entailment +and uh it 's i think they 're they 're like all companies well represented and uh you know everything seems to be fine i i 've kind of lost touch with the company we had a falling out but uh We may have had a falling out , but everything seems fine with the company entailment +well the interesting part about it is that if realistically it was economic i don 't know if you read any of the history on where the Panama Canal but there was an option to build it across Nicaragua uh and there were uh there 's a big there 's a big lake the Panama Canal was built in Nicaragua where there 's a big lake contradictory +This is the time to relax over a glass of the locally made hierbas ( an alcoholic drink made from herbs ) , listen to the crickets , and watch the world go by . Listening to crickets is very relaxing . neutral +yeah that would be i usually vote a lot of times i 'll vote a straight party ticket just because i don 't take the time to find out what every Most of the times I vote a straight party ticket . entailment +In East Malaysia , Kuching and Kota Kinabalu both have fine hotel resorts . The resorts are spacious and clean . neutral +Similarly , with regard to sorbent injection , sorbents other than activated carbon ( AC ) may ultimately prove to be superior for this application in terms of cost or collection efficiency performance and may reduce the likely demand for ACI from what is projected here . Sorbents might reduce the demand for ACl by about 30 % . neutral +It 's either early morning tea or breakfast , deduced the young man , " and pray God it 's the latter ! " The door swung open . We could have tea and bread , or tea , bread , eggs and bacon . neutral +I never did take kindly to waitin ' . I have never liked waiting . entailment +Poirot , you 're pulling my leg ! I know you 're being serious . contradictory +What day was it when you searched the prisoner 's room ? So you searched the prisoner 's room with Mary 's assistance ? neutral +The local Government of India Tourist Information Office can help you rent a motorboat with a crew . You can go to the Tourist Information Office in India to procure a boat . entailment +I went back to the space-ship . I went back to the car . contradictory +The claim is that El Nieo rains and mild temperatures will cause plants to be more fecund and produce more pollen . El Nino rains and mild temperatures will encourage pollen production in plants . entailment +right and i mean you can you can buy an extra screen but but it 's somehow because the screen comes with it it it always looks awkward to have the two screens you can get another screen if you want one , but it looks strange to have two of them entailment +( Is it my imagination , though , or have those lips become even more pillowy ? I believe the lips have become more pillowy . entailment +Rules limit how much blood you can donate or sell at one sitting . Rules limit how much blood you can donate to someone in an emergency . neutral +And for two-income couples , getting married nearly always results in a higher tax bill . Getting married makes people pay about 20 % more in taxes . neutral +um-hum no question he the he was he 's one of these guys though that doesn 't really like to go see movies like that he likes the bang them up shoot them up things He is more interested in comic material . neutral +Like everyone else , they 're talking about ground troops . The troops will all be in fighter jets . contradictory +MAST has been self-administered and used in a computer format . There is no way to administer MAST without close supervision . contradictory +Edward was furious , and his reprisal was swift and bloody . Edward was upset that things weren 't going his way . neutral +You 'll call me if You are going to call me if entailment +By contrast , under the consolidation Executive Director John Atlas and Thorne will likely lose their jobs , which last year brought them $ 131,319 and $ 114,031 , respectively . The executive directors might loose their jobs under the consolidation . entailment +at this point in time anyway At that point two years ago contradictory +well he didn 't have too good of opinion of it no i mean yes i did hear that and so um i do try to keep that in mind that whenever you 're reading a paper it usually has a particular flavor He had a great opinion of it . contradictory +During the 51-week period between June 2000 and May 2001 , 250 individuals came through intake in Fort Collins . 250 new prisoners were admitted during the 51 weeks . neutral +Rather , it can simply mean rediscovering the common ground that liberals have long shared with the middle class without even realizing it . The middle class has been shrinking for years . neutral +In the midst of the crisis , he sent an emissary to the floor of the Exchange , where the man raised his hand , quieting the crowd , and said , I am authorized to lend $ 10 million ! He sent someone to the floor of the exchange to give out a massive loan to a start-up . neutral +well i can relate to uh when i decided to choose a college uh it really had very little to do with academics I didn 't pick a college on the basis of academics . entailment +investments that return business value in excess of costs ) and whether they are investing in technology the right way . The investments aren 't always looked after properly even when they do return high business value . neutral +On the other hand , other economists have observed that strong consumer spending-boosted by low saving and the wealth effect discussed above-has fueled the surge in business investment and strong economic growth in the U.S. economy in recent years . Business investment has been boosted by strong consumer spending . entailment +With regard to causality , researchers using case study methods cannot rely on familiar ways of ruling out alternative explanations . When using case study methods they can use some familiar ways but it is easier not to rely on them . neutral +In a culture where Xena and Hercules have hit TV shows , it 's a lot more fun imagining that you are a valiant warrior doing business-as-battle than it is to admit that you 're a pudgy functionary whose most daring deed is to draft a boldly worded memo . Xena and Hercules both have hit shows . entailment +twice a week Five times a week . contradictory +i 'm in in i 'm in payroll division nine yeah corporate payroll so it didn 't for a while there were a lot of rumors flying and uh i still hold a red badge and it 's still uh i 'm still under five years so if they had a layoff in division nine I am in the payroll division , number nine . entailment +It has been a place of worship for both emperors and aristocrats for centuries . It is a very peaceful location neutral +but i i guess things have gotten better i 've been told that there 's flex hour and those kind of things Things are getting better now that they have flex time . entailment +His face looked weary and haggard . His face looked tired . entailment +McDonald 's sells only Coke . Only Pepsi is sold by McDonald 's . contradictory +Gentilello agreed that we should all keep publishing in our various disciplines . Gentilello would not allow the biology department to publish anything . contradictory +um but i think in time come you 're going to see that happening you 're going to see um where the high risk people pay a premium but they have to find a way to prove it In time , high risk people might pay a premium . entailment +Rising debt , in turn , raised interest costs to the budget , and the federal government increased debt held by the public to finance these interest payments . Rising debt didn 't raise interest costs to the budget , contradictory +It shouldn 't come up as long as our troops are in harm 's way ( House Minority Leader Richard Gephardt ) . House Minority Leader Richard Gephardt that it will come up no matter what . contradictory +That slowed him a lot more than the broken nose . The broken nose had slowed him less . entailment +They called Jamaica Xaymaca ( land of wood and water ) . They said Jamaica had food and water . entailment +She was the most vocal of all of them . Out of all of them , she spoke the most . entailment +In face of the fears aroused by the Russian Revolution of 1917 , the conservative parties dominated the immediate post-war period , while a new French Communist Party , loyal to Moscow , split with the Socialists in 1920 . There was much fluctuation in the political climate after the Russian Revolution of 1917 . neutral +When is the southern torrent stilled ? " asked Jon to Ca 'daan . Jon asked Ca 'daan a question about the torrent . entailment +The avatars of the new make huge sums of money , all the while pontificating about the efficiency and rationality of the market . Huge sums of money are made by new avatars because their popularity has since grown . neutral +They attribute the change to a joint effort by program and finance offices to implement the Results Act and develop strategic plans . They attribute the change to the direct results of finance plans . contradictory +But they will not think of that they are only anxious to get in . " They are so anxious to get it , that they will not give thought to that . entailment +From June onward , ukai celebrates the ancient use of cormorant birds to catch aiyu , a popular river fish . Ukai is the celebration of using cormorant birds to catch fish . entailment +South of Caesarea the coastline changes dramatically and becomes almost straight , just as it appears on maps . The coastline south of Caesarea is quite unique . neutral +CHARLESTON , W.Va. ( AP ) - Shrinking revenue is forcing Legal Aid of West Virginia to close six satellite offices and lay off 17 employees by January . This will impact access to legal services for approximately 20 % of West Virginia . neutral +Our powerful , multipurpose computers will continue to become even more powerful , but as they acquire new skills--like voice recognition--their appeal will be limited by their price . Our computers will be even stronger . entailment +Nor ' Loch was drained ( creating land for today 's Princes Street Gardens ) , and the Mound was constructed to provide a second , westerly access between the two settlements . Before the Mound was built , there was no westerly access between the two settlements . entailment +That young man could offer little information , however . The young man had little information to offer . entailment +Would the prisoner , in the hottest week of a hot summer , be likely to go to a drawer containing winter underclothing . The prisoner may be trying to trick us by going to the drawer with winter gear . neutral +When his family fell on hard times , Degas blamed it on the Jews . Degas blamed the Jews when his family fell on hard times . entailment +yeah um-hum um you know some time day care is really good but sometimes it 's just it 's baby sitting it 's someone you know keeping an eye on the kids but the kids are basically doing what they want and not really having any As long as there is someone supervising them , you can feel safe . neutral +and so i guess they would take it serious i i never thought of it like that i guess the next time somebody starts harping down i 'll just bring that up They are being really annoying . neutral +The Winding Stair on Ormond Quay is an interesting , labyrinthine secondhand bookshop with a caf ? ? . The Winding stair in a maze of books you can get lost in and then enjoy a coffee . neutral +Legal Aid lawyers help victims of domestic violence , and they supervise the ombudsman program that sends advocates into all the state 's nursing homes . Domestic violence victims are never helped by Legal Aid lawyers . contradictory +In the second , a survey of taxpayers would have to be very large to get a good hit rate of individuals who sought assistance , and the diversity of individual questions would have blurred ability to interpret variation in IRS responsiveness . The taxpayers want to get more assistance . neutral +We are face to face with an entirely new problem . We now have to deal with a different issue . entailment +They lit their fire as the red sun fell behind the western mountains . It was almost dark . neutral +Several of these professional women across from me were wearing Ally McBeal skirts . Ally McBeal skirts are worn by many professional women . neutral +Possibly the finest criminal brain of the age . One of the worst criminal brains in history . contradictory +This mail is insignificant , except for FY 1987 , the first year the study was conducted . The mail is quite significant for the study . contradictory +In France , the bottom decile of routes ranked by population density averages 46 . In France , the bottom decile of routes ranked by population density averages 46 . entailment +Farmer Raikes has got a very pretty young wife . Farmer Raikes loved his wife dearly . neutral +The little fool has lost her memory , curse her ! " She lost her memory because she was hit in the head . neutral +Although the rule qualifies as a covered rule within the meaning of the Unfunded Mandates Reform Act ( Act ) , it appears not to qualify as either a federal intergovernmental mandate or a federal private sector mandate because it results in a duty arising from participation in a voluntary Federal program ( Section 421 ( 5 ) ( a ) ( i ) ( II ) and ( 7 ) ( A ) ( ii ) of the Congressional Budget and Impoundment Control Act of 1974 as added by Pub . The rule cannot possibly be covered under any existing act . contradictory +Boone , 62 , had appeared onstage at the American Music Awards in a bare-chested leather outfit to promote his new album , in which he croons famous metal tunes . Boone 's new album had impressive first day sales . neutral +uh-huh well i 'm majoring in uh public relations I am majoring in public relations . entailment +But that 's not to say the region east of Hollywood , defined by three freeways and the river , doesn 't have its merits . Three freeways and the river define the region east of Hollywood . entailment +A few long fairway shots away from Josephine 's birthplace at La Pagerie is Martinique 's 18-hole public golf course . Josephine was born to hold a golf club and sink putts . neutral +The second step-initial testing-can be done by applying logical tests to electronic data files or hard copy reports . Testers generally prefer electronic data over the hard copy reports . neutral +I was killed ; all right , if you say I was , I was . So you brought me back to life . neutral +This month-by-month listing can therefore only be approximate . This month-by-month listing can only be precise . contradictory +6 Although each agency developed and implemented performance agreements that reflected its specific organizational priorities , structures , and cultures , the performance agreements met the following characteristics . The performance plans excluded anything to do with structures . contradictory +He was pro-German , as he would have been pro-Boer . German beliefs were ones he believed in . entailment +He spoke with a strong southern drawl . He had a southern drawl . entailment +It is documentary evidence against me . Evidence against me is completely inexistent . contradictory +Over the centuries , the living here has always been easy enough to attract a steady stream of immigrants . The easy living is due to the low cost of living . neutral +from the enchanted , irradiated island of childhood ( Richard Corliss , Time ) . Critics appreciate its avoidance of hackneyed gender politics , and its presentation of the boy 's colorful , cartoonlike fantasies . Boys can like any color they want . neutral +Let the taxi driver worry about that , while you admire the magnificent scenery changing from lowland mangrove , bamboo , and palms , to denser rainforest of lush greenery and , as the heat drops away to the more comfortable mountain air , montane oaks and laurels familiar to temperate climates . Let the cab driver worry about everything else while you take in the scenery . neutral +The effects of a deficit-financed tax cut can depend on whether most parents are altruistic or strategic . There are no altruistic parents . contradictory +'How did you feel about George Washington ? ' How do you feel about Lincoln ? contradictory +On the way , take a look at the fine three-tiered , Sumatra-style Kling Tengkera Mosque . There is a Mosque on the way entailment +so it 's trying to push the weight plus have all this drain on it from all sorts of belts and things but that 's one good thing i 've got a uh eight ninety uh Chevy Blazer now and it 's got one uh belt on it a serpentine belt My serpentine belt is pretty easy to maintain . neutral +It is a Salamonca rapier , said Adrin . The item is not a rapier . contradictory +Shitennoji also hosts Osaka 's largest temple market on the 21st of each month , featuring antiques , used clothing , and miscellaneous items . Osaka 's largest temple market is located in Shitennoji . entailment +but after i looked at this place and i took Randi with me uh i think just about to every place one place i think i didn 't take her and i just kind of let her go see see what she felt like doing I took Randi with me to the store . neutral +'We are that , ma 'am . ' Harland said briskly . Harland agreed with her . entailment +And Mr. Brown is a consummate actor . Mr. Brown is a terrible actor . contradictory +You are going away ? Are you leaving today ? neutral +Malaysia 's well developed transportation infrastructure both road and air also offers the chance to step away from rigid planning if you desire to stay an extra day by the beach or want to do some more extensive shopping . You can travel in Malaysia without many difficulties . neutral +But he has never done what his characters would have . But he has never done the things that his character would have done . entailment +'I don 't know . I had all the answers . contradictory +So why wouldn 't we have some differences ? I don 't understand why we wouldn 't have some differences , so you have to explain it to me . neutral +The cook may be from Valencia , the cuisine advertised as French , and the customer may want nothing more daring than a steak . When the food is doesn 't challenge the customer to try new things , the customer will become bored . contradictory +did you spend as much time with your daughter as you did with your sons Did you spend equal time with both your sons and your daughter ? entailment +uh-huh do you yeah do you have to do you wear waders when you fish DO you have to wear waders ? entailment +Multilingual guidebooks available ; buses 20A , 20B , 27 , 27A , 27B , 42 , or 42C , DART to Contarf Road Station . There are lots of buses leaving to Contarf Road Station . entailment +Thus , prior to FY 1984 , LSC recipients were authorized to represent aliens who were legal residents of the United States regardless of whether the alien was absent from the United States during some part of the representation . There are aliens who were legal residents of the United States . entailment +well thank you and you have a good day okay bye-bye Thank you for thatand have a good day , okay ? Bye-bye ! entailment +uh-huh oh they must have some good food there I imagine the food there is tasty . entailment +Haggling with dapper Gujaratis and the bright-eyed Kashmiris can attain the level of high art . The Kashmiris will not accept haggling over prices . contradictory +Where are you off to ? Are you going to the concert ? neutral +Elsewhere , Zaillian takes a more surface approach , sticking to legal minutiae and rarely digging for the deeper evil . Zaillian tends to do a superficial analysis . entailment +4 cents for saturation mail weighing up to 3.3 ounces and drop shipped at the delivery office . It costs at least 4 cents for saturation mail weighing a maximum of 3.3 ounces to be drop shipped . entailment +There 's also Milopotamos on Ios , and Makriamos on Thasos . Great sites to see are Makriamos and Milapotamos , respectively on Milopotamos and Thasos . neutral +six of us A half dozen of us are here . neutral +An appreciative listener is always stimulating , and I described , in a humorous manner , certain incidents of my Convalescent Home , in a way which , I flatter myself , greatly amused my hostess . I enjoyed my time of recovery in the rest home . neutral +right uh-huh right right yeah that 's what we have um That is different from what we have . contradictory +so uh and i think i i believe safety i i i i really do believe in this stuff uh and i i think it 's important i 'm not the air bags are a good deal but um surprisingly uh they 're uh you really need to do you need a combination of both the air bags and the uh I think that air bags are important for safety reasons . entailment +Critics point out that John Kennedy was an inexperienced pilot , took off after sunset , wasn 't licensed to fly in the poor visibility he encountered Friday , flew the more dangerous route over water , and never contacted air traffic controllers for assistance . John Kennedy did not contact air traffic controller for assistance as he flew over a dangerous route on Friday as he did not have experience pointed out the critics . entailment +Religion and respect for parents has not yet gone out of fashion . Religion and respect for parents is still alive and well . entailment +It ran down his arm and the shining steel edge of his rapier . It was blood from the dragon . contradictory +I 'm going to quit fooling right away ! " There 's nothing to be gained from fooling right now . neutral +what 's the name of it again Life Extension I think the name of it was Death Shortening . contradictory +Scuba divers should remember that the coral and other marine life are protected species and are not to be picked or damaged . Scuba divers remember that coral is protected so you will be fined heavily if you touch it . neutral +we 'll keep talking if we want to come up with something else let 's see If we want to come up with something else then we need to keep talking . entailment +And in 1594 , it was where Henri IV made his cynical conversion to Catholicism , a move that reinforced his hold on the French throne . Henri IV was losing the throne before converting . neutral +right yeah well that 's that 's a big that 's really important because i do have a college fund set aside for my kids I 'm worried about the financial development , as it could increase tuition fees even more . neutral +After the instant suit was filed in the District Court alleging the restrictions on the use of LSC funds violated the First Amendment , see 985 F. Supp . A suit claimed that the First Amendment was violated by restricting the use of funds . entailment +Reports designed in this way can help focus the attention of responsible officials on the matters that warrant attention and can help stimulate correction . Reports designed in this way can help focus the attention of responsible officials . entailment +Galen ( a.d.130 200 ) , the most famous physician in the ancient world after Hippocrates , practised here . A famous physician named Galen practised here . entailment +The sunset colors were still vivid . The sun had just gone under the horizon . neutral +uh part of it i Only a small portion of it . neutral +Also , perhaps it was not an offer lightly made to an unknown newcomer . The newcomer likely found the offer offensive . neutral +These and other suggested flexibilities for DHS should be viewed in the context of how similar flexibilities have been exercised by other agencies with similar missions , such as the Transportation Security Administration ( TSA ) , the DOD , the FBI , and the CIA . The other suggested flexibilities for DHS should be viewed in the context . entailment +Drew 's head went up , his throat was rasped raw by the Yell which had taken desperate gray-coated troopers down hedge-bordered roads in Kentucky and steep ravines in Tennessee , sending them , if need be , straight into the mouths of Yankee field guns . Drew 's throat was raw from yelling . entailment +The United States has failed to improve living conditions or uphold the authority of President Rene Preval . The living conditions of the United States have failed to improve . entailment +oh so it 's worth taking them back well see we don 't have we have we have most of our soft drinks are in plastic liter or two liter bottles We want to help the environment by taking back our soft drink bottles . neutral +Observers debated whether the Golden Globes were the Oscars ' 1 ) more genuine and enjoyable counterpart Observers discussed how the Golden Globes and the Oscars compared . neutral +did you have uh very warm sleeping bag or Was the sleeping bag thick enough to keep you warm neutral +A coward can sit . A coward cannot sit . contradictory +not everything 's covered by warrantee i don 't try to mess with that at all i mean i i can change the oil and i messed with it once and broke it , so now i don 't touch it neutral +Madame Berthelot had the large vaulted kitchen built almost on a level with the river , so that an indoor well provided the closest thing to running water , and an unusually hygienic stone drain sent back the slops . Madame Berthelot didn 't have access to water in the kitchens and had an awful stone drain . contradictory +Then the truth began to hit him , and he felt abruptly sure he was still raging with fever and delirium . He was sure that he was no longer suffering from delirium . contradictory +It runs on the hour summer afternoons and during the Christmas season ; other times , Saturdays only . During the Christmas season and summer , it is popular to visit so they have more times available . neutral +Brown has tried to remake The New Yorker as an upscale newsweekly , but its 800,000 paying readers can 't match the 4 million that Time offers its advertisers . Time magazine has a very large subscriber base . entailment +Sailing is a popular sport around Sardinia and Sicily , but also on Tuscany 's Argentario peninsula ( see page 107 ) . Boats can be rented at the beaches to go sailing . neutral +I 'll look to the east and call upon the raven I 'll not summon any birds . contradictory +Delivery cost heterogeneity is an essential condition for inefficient entry and the degree of the heterogeneity would play an important role in determining the vulnerability to inefficient entry . Cost are more heterogeneous in rural areas than in urban areas . neutral +For example , a new car today is more than 90 percent cleaner than it was before federal laws limiting emissions of CO , NOx and volatile organic compounds - and they are subject to further reductions starting in 2004 , as are heavy duty trucks in 2007 . The federal laws have had benefits for the environment . neutral +what what is your major in school that your ah super that sounds good and you 're finishing up this year huh This is your fourth year . neutral +but um and has learned quite a bit about it and tends to use it instead of instead of instead of the Mac so even without any propaganda and stuff he he seems to have switched He prefers Windows even though he grew up with Mac . neutral +they are doing a good job having people contacting legislators to encourage their support . Contacting legislators will lead to support . neutral +A shocking number of his recent articles are based on something he saw on television . Television was the basis for his recent articles . entailment +Hill did not accuse Thomas of a single overt request for sex or a single unwelcome touching . Hill didn 't say Thomas touched her breast . neutral +Her gaze moved from him to his companions . She looked at him and his friends . entailment +is it no seriously because these were this was a nice North Dallas this was not we weren 't over on Cedar Springs or Harry Hines or anything you know We were not on Cedar Springs or Harry Hines . entailment +sort well sort of i mean i i agree with a lot of what you said I disagree with most of what you said . contradictory +Waterloo ? frowned Tuppence . Waterloo caused Tuppence to furrow his brow due to the implications brought by the name . neutral +You 'll have my name when the time comes . At the right moment , I 'll give you my name . entailment +never be the same so i don 't know it 's it 's really scary and i don 't know what to and i don 't know what needs to be done you know it seems like there 's no room in jails to put them in jail and when they do put them in there you know were i 'm taking a business law class at night and the guy that teaches it is a practicing criminal attorney and I know exactly what to do , I 'm going to solve all of the prison problems . contradictory +For one thing , Earth in the Balance was written a long time ago , and we may suppose that its author has learned a lot since then . Though Earth in the Balance was created such a long time ago , the book still holds true today . contradictory +i have to question how worthwhile it is to go to a school that uh really isn 't uh that well known for their academics I want to graduate from a school with a respectable reputation . neutral +They also include descriptions of the number of small entities affected by the rule ; discussions of the recordkeeping , reporting , and other compliance requirements ; and the steps taken to minimize the burdens on small entities . Some small entities may go out of business because of the rule . neutral +The FCC received 35 comments and 17 reply comments in response to the NPRM to which it responds in the preamble to the final rule . There were only a couple comments left for the FCC . contradictory +Completed in 1688 , it is the oldest equestrian statue made of lead in Britain . Lead is still used to make statues in Britain . neutral +official in charge of federal programs The official in charge should have extensive knowledge of federal programs . neutral +the men often have to wear shirt and tie no matter right right right what time of what time of the year that 's right the men have a dress code and must wear a shirt and tie , no matter how warm it is neutral +golf yeah Yes , golf . entailment +The tennis and golf are first class . Tennis and golf require good skill . neutral +What I meant when I told you that you could safely confess to Papa Poirot , eh ? I told you that Papa Poirot was safe to confess to . entailment +I 'd join up . I would never participate in that . contradictory +um you betcha i um however if you were living in Mexico in those conditions would you have several children You would have multiple children from multiple fathers . neutral +He took a deep breath : He took a shallow breath . contradictory +Additionally , there are other technologies under development that potentially could reduce activated carbon demand from what is estimated here . There are other technologies under development that could reduce carbon demand even further than we ever thought possible . neutral +It is known for its collection of bonsai and houses a jade seal more than 1,000 years old . The jade seal is a 2 year old replica . contradictory +( A great continental nation--I love that phrase , but what the hell does it mean ? ) I love how the phrase great continental nation sounds when spoken over a loudspeaker . neutral +It was something big to remember when you were only nineteen and had been soldiering three years , three years with a dogged army that refused to be beaten . It was memorable when you were a teenager who had served in the military for years . entailment +yeah i just ripped i just cut it up and threw it away but you know I cut it up so that no one else could use it . neutral +to your child 's education and then just when they make made make it to the college years it 's Your child is dead . contradictory +An interpretation that the representation must commence while the alien is still in the United States would encourage employers to create even greater obstacles to access to legal services while the workers are physically in the United States . Legal representation can be difficult to obtain once in the United States , especially when one is precluded from seeking it by their employer . neutral +They look up slate in their index and see that it often occurs on the same page as roof , so they suggest this as a possible refinement of the search . They never saw the term pop up in their index . contradictory +He had elaborated a careful plan for the following evening . He devised a solid plan for the next evening and he hoped nothing would go wrong . neutral +so what TV shows do you like do you like comedies or Do you like comedies or other TV shows ? entailment +Raj Ghat , the simple memorial to Mahatma Gandhi overlooking the Yamuna river , is far in spirit from the Mughals but an integral part of Old Delhi . Mahatma Gandhi 's memorial is not in Old Delhi . contradictory +On the south side of the plaza , with its entrance around the other side , is Iglesia de San Andr ? ? s ( Church of St. Anthony 's ) , now splendidly restored after a decade of work . It took only 3 years to restore Iglesia de San Andreas . contradictory +The Roman basilica 's long colonnaded nave leading to an apse gave way to the Greek cross with a central space surrounded by arches and topped by a dome . There is no cross in the Roman basilica . contradictory +Guisado de pavo , turkey stew , is a gastronomic to do justice to this speciality of Orihuela , be sure to order it at least six hours in advance . Guisado de pavo is a vegan dish . contradictory +and so if your number is below four hundred you 're not going to have to do it Anyone with a number under 400 is exempt . entailment +Where Kazan did go wrong was in casting an evil he couldn 't avoid as a good . The evil was casted as a good by Kazan . entailment +So strong was the illusion that she almost fancied she could make out the outline of a form … . She did not see anything out of the ordinary , and was unsure if the illusion was having any affect on her at all . contradictory +In January 2000 , the LSC Board of Directors adopted a strategic planning document entitled Strategic Directions 2000-2005 . The LSC Board of Directors adopted a planning document that they shared with their clients . neutral +The best view is from the arch ? ­ bishop 's gardens behind the cathedral . The premiere view is from the garden behind the cathedral . entailment +Saying that discrimination is not widespread in corporations because it wouldn 't be in a CEO 's best interest is like saying that waste in the federal government must not exist because it would be politically embarrassing to the president . The government never wastes money because it would embarrass the president . contradictory +When one thinks of how she 's held out all these years , she ought to be made the queen of the feast to-night . " Julius flung her a grateful glance , and Jane came forward shyly to the allotted seat . Jane approached with confidence and poise when Julius looked at her . contradictory +The programs continue to receive very strong support from the MSBA , the court and the legislature . The MSBA gives the programs none of their support . contradictory +yeah uh Garp The World of Garp The World of Garp is a famous movie . neutral +Bottom line -- we just don 't know how to do that , Corbett said . They know how to do it . contradictory +The purity of Bernini 's work here refutes the popular conception of Baroque as being nothing but overblown extravagance . Bernini 's work is perfectly in line with the notion that Baroque is overblown extravagance . contradictory +Surely one so skilled can also be a secretary , even to the great Dave Hanson ? Someone with their history of secretarial skills could definitely be Dave Hanson 's secretary . neutral +Bar and caf ? ? bills include service , but small tips are the custom . All customers leave a small tip in addition to service charges . neutral +I am authorised . i have the authority to fire you . neutral +Father 's a dear I 'm awfully fond of him but you 've no idea how I worry him ! My sister also worries Father . neutral +The main town Vathi , or Samos Town , lies on the northeastern coastline in a very sheltered harbor . There are no other towns around Vathi . neutral +" In the cantina there was a soldier from the camp , " Faquita volunteered . A soldier from the camp was in the cantina , according to Faquita . entailment +The more warmly-hued human figures are believed to be the work of Venetian mosaicists , as opposed to the more rigidly formal Byzantine figures of Palermo 's Palatine Chapel . This would be the first example of Venetian mosaicists in the region . neutral +RCED also examined the results of these efforts and highlighted priority areas for further improvement , such as better information on results for internal management purposes . RCED did not examine the results . contradictory +Correct . Proceed , O Sherlock ! I am qualified to assess the validity of this , Sherlock . neutral +The picture reportedly ended with a shot of black smoke coming out of the stack--but we 'll never know because The Day the Clown Cried was judged too obscene to be released , and Lewis went back to parading doomed kids across the TV screen in telethons , while Americans goggled at his stamina , and senators nominated him for the Nobel Peace Prize . The picture ended with a shot of black smoke coming out of the stack . neutral +so you can do it relatively quickly So you can do it somewhat fast . entailment +So , I cried , a light breaking in upon me , " it was John who quarrelled with his mother that afternoon ? " I realized that John had fought with his mother prior to killing her . neutral +No sign of battle . A battle was not visual . entailment +If we are wrong , well and good , said Poirot . They did not care what they thought . neutral +However Ayyubid control was weak and power was usurped by their Turkish slaves , called mamelukes , who succeeded in founding a dynasty that lasted from 1251 to 1517 . The dynasty lased until 1517 . entailment +A Nation of Spendthrifts ? It is a nation of spendthrifts . entailment +It is therefore one of the best spots in the Middle East from where ornithologists can watch the massive flypast of several hundred bird species . It is one of the worst areas from which to try birdwatching in the Middle East . contradictory +In the preamble to the final rule HCFA summarizes the comments received and its responses to the comments . The HCFA uses the preamble to point out that most of the comments have been helpful . neutral +yes oh are you Yes , are you gay ? neutral +It 's not really surprising that when it finally did , its foes realized they could take a mile . The foes did not realize that they could take a mile before they did it . neutral +While I hope many of your readers have had the opportunity to read the e-mail version of Tim 's ( the student 's ) article , Lewis is completely wrong about the blackballing . I hope your readers saw the article entailment +For unto everyone that hath shall be given , and he shall have but from him that hath not shall be taken away even that which he hath . No one that hath shall not be given unto . entailment +He set up a national e-mail tree designed to get people to send their friends in Iowa to Ames as Forbes supporters . Getting people to send their friends in Iowa to Ames as Forbes supporters , has been his goal for a very long time . neutral +The two imposing horses guarding the entrance to the Champs-Elysees are replicas of the handsome 18th-century Chevaux de Marly , sculpted by Guillaume Coustou . The Chevaux de Marly is a French sculpture dating to 1650 . contradictory +Sympathetic reporters--see Sidney Blumenthal--are ostracized . Reporters who are sympathetic to the war are cast aside . neutral +The danger became clear in 1831 when insurrection spread through Bologna , Modena , and Parma to the Papal States of central Italy . It never spread to any country . contradictory +Nickles advocated a compromise , and Lott expressed interest in Yugoslavia 's proposal for a lightly armed U.N. peacekeeping force in Kosovo rather than a fully equipped NATO force . A smaller force would appease the Yugoslavian government . neutral +it 's pretty bad but it 's true you know they tend to try to be you know real lax and supposedly the policy is like you know we you know we hire these wonderful creative people and we don 't want to smush their creativity you know we want to go ahead and let them do what ever they want and you know you really will see people in in jeans one day and business suits the next We wanted to be creative but have some constructive feedback . neutral +Dell Computer , for instance , would be at least five times as hard to acquire today as it was a year ago . Dell is making significantly less money today than they did a year ago because their computer sales have decreased . neutral +7 Generally , higher percent utilization equates to higher reactivity of the reagent , and , therefore , less reagent is needed to achieve a given level of SO2 removal . higher percent utilization equates to higher reactivity of the reagen all the time contradictory +yeah but now um now that it 's happening i i feel comfortable with it i i don 't feel as though i 've lost anything and that i feel uh secure in that i know that everybody that works around me um is is drug free He had been clean and sober for over six months now . neutral +Four sikhara domes rise above the entrance-porch in addition the mandapa hall for worshippers ; a larger hall for dancing-girls ; and the inner sanctuary , surrounded by an ambulatory for walking around the image of the deity . The mandapa hall and the hall for dancing girls were added later , after the inner sanctuary was constructed . neutral +Another way to gauge national saving is to estimate how much we need to save to achieve specific national objectives . Gauging national saving helps guess how much we need to save to accomplish world peace . neutral +Philosophers and theologians try to answer these questions , but smart politicians rewrite them . Philosophers on 't care about quesitons . contradictory +and they have also organized fun activities like gyms going to the beach and playing volleyball at the beach in the summer and they have gyms open and it seems that the younger you can get them and get them involved with programs We do not offer any kind of activities for the kids . contradictory +Anything else we can do for you ? " Drew dropped his voice . Drew was telling someone a story . contradictory +I have not the least idea what my wife 's views on the subject are . The answer brought a momentary stiffness in its train . I don 't know what my wife thinks about it . entailment +I beg your assistance to help my town . I need you to help my town . entailment +In 1888 , Sarawak , Brunei , and what is now Sabah were at last grouped together as a British protectorate , North Borneo , but it did not gain the status of a crown colony . North Borneo was a group of three put together as a British protectorate . entailment +The anti-HMO strategy is also evidence of the pernicious influence of Anecdotal Politics . There is a strategy to fight HMOs that has been highly successful . neutral +yeah and and is that going to change too Definitely , that will also change . entailment +The Exxon threat proved hollow . The Exxon threat was hollow but it all worked out in the end . neutral +Only three people touched that brandy you , Miss Tuppence , I myself , and one other Mr. Julius Hersheimmer ! " Jane Finn stirred and sat up , regarding the speaker with wide astonished eyes . Julius Hersheimmer drank all of the brandy by himself , saving none for anyone else . contradictory +An alternative short walk is to head out along the levada for a half hour or so ( before steep drops begin ) , by which time you will certainly have been able to sample its charm , and then head back to Ribeiro Frio . It takes at least a full day to appreciate the charm of the levada . contradictory +As a result , the F-22 is requiring significantly more maintenance actions than planned . F22 doesn 't need any more maintanence contradictory +Isn 't it a little self-pitying to ascribe misplaced guilty liberalism and soggy altruism to the same folks who bring us season after season of formulaic sitcoms , spandexed soap operas , and disease-of-the-week movies ? It 's silly to say the same people that bring us sitcoms on NBC also are soggy alturistics . neutral +This put Las Vegas on the map and was one of the crucial turning points of its history . Las Vegas was already well-known before this event . contradictory +yeah i 'd i 'd like to go camping cross country um i just got married less than two years ago so we don 't have any any children yet um Since I just got married and don 't have kids , I would like to go camping across the country . entailment +STRATEGIES TO MANAGE IMPROPER PAYMENTS We can use this to deal with improper payments . entailment +I missed the last couple of days because of a computer crash . The computer crashing had nothing to do with me missing the last couple of days . contradictory +wow how did you how did they get you or What did they do to attract you ? neutral +Jerusalem submitted peaceably to the rule of the Greeks in 332 b.c. under Alexander the Great and , subsequently , to his Hellenistic successors as well as the Egyptian Ptolomeys and the Syrian Seleucids . Jerusalem submitted peaceably to the rule of Alexander the Great . entailment +However , the Eucharist is a memorial ( Greek anamnesis ) in which the atoning work of Christ on the cross is proclaimed and made effective in the life of the church . The Eucharist is used by the church to help people atone for their sins . neutral +It is advisable to provide a preconditioned ( deionized ) feed water by using a Culligana , Continentala , or equivalent system in front of the MILLIPOREa System to extend the life of the MILLIPOREa cartridges ( see Section 5 , Facilities , Equipment , and Supplies ) . The MILLIPOREa cartridges are very fragile and prone to breaking . neutral +She looked at me with those green eyes of hers as if she saw into my soul . She stared at me . entailment +Not true , he replied without hesitation . He was sure in it 's falsity . entailment +and uh i guess it 's in fact i think it was started by somebody who was a travel agent and they got this brainstorm that you know they could make a living A travel agent started this company . entailment +The prices are not necessarily low , but the quality of these hand-crafted objects is high . The objects may not be cheap , but they are well-made . entailment +The sensuality of the aristocratic lovers recalls Khajuraho . Khajuraho can never recall the sensuality of the aristocratic lovers . contradictory +This month , the federal Violence Against Women Office awarded a two-year , $ 350,000 grant to the Women 's Haven of Tarrant County . The federal Violence Against Women Office has not awarded any grants this month . contradictory +so i think that 's real nice too to come up with different options do you like the job sharing I don 't think there should be different options . contradictory +The phrase alcohol problems includes all those problems as well as the hazardous drinking . They cracked open a bottle of wine while reading the report . contradictory +There are many variations offered , from the standard 7-card stud to Texas Hold Em . 7-card stud and Texas Hold Em are examples of the variations on offer . entailment +we didn 't have air conditioning in our house or anything Without air conditioning it was miserable in our house , we couldn 't afford it . neutral +The northerner took his cloak and hat from the small boy and a leather sack of coin from one of the men in the crowd . The cloak was black and white . neutral +White considered . White contemplated . entailment +Then came the timid archdeacon , a little bewildered by the company in which he found himself , glad that his daughter was considered to have distinguished herself , but unable to help glancing at her from time to time with nervous apprehension . The archdeacon was proud that his daughter was being honored . neutral +The American people expect and deserve this linkage as well . Since they have worked so hard , the American people deserve this linkage . neutral +Then , following the success of Clueless , teen films started to trickle back . Teen films didn 't start to trickle back even after the success of Clueless . contradictory +The tomb was abandoned when Amenophis abandoned Thebes and made a new capital at Tell el-Amarna to the north . Amenophis preferred that his capital remain at Thebes . contradictory +There is much to explore It will take months of travel to reach the places . neutral +As the 20th century neared its end the Egyptian government sought to revive Alexandria as a center of learning and recreate the Alexandria Library . The Egyptian government wanted to rebuild the Library at Alexandria . entailment +Sir John Pringle . Sir John Pringle liked to dance . neutral +The Meiji emperor presided over the emergence of Japan as a modern nation state , and his shrine is surely the most solemn , decorous place in Tokyo . The Meiji 's emperor shrine is the most solemn place in Tokyo . entailment +The barber trimmed the tufts from over Dave 's ears and clipped the hair in his nose , while a tray was pushed up and a slatternly blonde began giving him a manicure . The barber gave Dave a haircut but left his nose hairs alone . contradictory +Stop at the Byzantine church in the village you 'll find stone from the ancient site used here too and see the stone execution block of the martyrs . The Byzantine church was built with stone taken from the nearby valley . neutral +It would be unnecessary to have two cars waiting about . Two cars is not needed for just one guest . neutral +uh i really don 't know um I don 't really know if he is busy neutral +Currently , outside auditor reports are not required to provide any level of assurance with regard to key internal controls . Outside auditor reports have a strict level of assurance . contradictory +If you want to know what to expect before you dive , visit the Coral World underwater observatory to see the brilliant , teeming underwater life that awaits you in the nature reserve . There is a fee to gain entry to the underwater observatory inside Coral World . neutral +that 's it forever and ever all all you have to do is you don 't have it let something bad happen and that hospital will slap a lien on you so fast because they do it routinely The hospital could put a lien on you if you . entailment +This is a time to support apartheid because it is unfashionable . Apartheid is unfashionable and must be supported . entailment +you mean the clocks The clocks go back one hour tonight . neutral +High sensitivity ensures that most of the patients with problems will be detected . Equipment sensitivity is unrelated to problem detection . contradictory +and uh it gets to the old leg muscles but It gets to the old thigh muscles . entailment +It 's a good idea . Impeaching Donald Trump seems like a good idea . neutral +you have to watch the like the crepe myrtles If you don 't monitor them like the crepe myrtle , they will die . neutral +" And I say once again , Captain , that men who ride for me do not in addition ride for Kitchell . " " All of my men also ride for Kitchell . " contradictory +The new Monica sounded sweetly She told a friend it breaks my heart to testify and said all she wanted for her 25 th birthday was my life back . Monica was 21 years old at the time . contradictory +There 's also some quasireligious , quasiscientific blather to the effect that the boy was conceived without a father by metachorians--symbiont , microscopic life forms that will speak to you if you quiet your mind . Critics were not impressed by this idiotic plot point . neutral +I know change can be difficult , but I think we need to give it a chance , said Joyce Coleman , who as director of Family Violence Prevention Services worked with Bexar County Legal Aid to provide legal assistance to women in the Battered Women 's Shelter . In her role as director of Family Violence Prevention Services , Joyce Coleman worked to give legal help to women at the Battered Women 's Shelter . entailment +A cross national trial of brief interventions with heavy drinkers . The trial will take place all in one city . contradictory +No demanding ransom or threatening to crop her ears if I refuse . The ransom would be more than I could pay . neutral +The indigents served by the center won 't be the only ones to benefit . They will only help indigents . contradictory +but here if you don 't water it just looks awful and i just hate to spend the money just going down the drain in watering grass you know Watering the grass seems like money is going down the drain . entailment +Left unresolved , they can cost society far more than the expense of providing legal services to address them . Just let the problem get resolved on its own , it doesn 't have an effect on society anyway . contradictory +Taxis were plentiful here , and before Whittington 's had driven off another was drawing up to the curb in obedience to Tommy 's peremptory hand . Tommy 's hand drew another taxi to him as there were many here . entailment +Basse-Terre features both dark volcanic sand in the region of La Soufriyre and beige beaches in the north . Basse-Terre 's beaches have sand that is invariably fine and eggshell white . contradictory +However , the highlight of the room is case 101 , which displays gold jewelry of exquisite detail . The gold jewelry in case 101 is worth millions of dollars . neutral +We concluded that a decision by the LSC regarding certain lobbying practices by grant recipients was not subject to judicial review in an action by a lender claiming injury as a result of such lobbying . We decided certain tactics used by lobbyists did not need judicial review . entailment +After all , as Callie had agreed last night , the late Republic of Texas was a very large strip of country , housing a multitude of native sons , from the planting families of the Brazos to the ranchers in crude cabins of the Brasado . The Brazos had left the Republic of Texas after many years . neutral +um-hum we really like our school out here Our school is well liked by us . entailment +they plaintively ask . The asked plaintively . entailment +okay then there are for people doing drugs The procedure is only for people doing drugs . neutral +Where , in the early years of GAO 's existence , changes to its roles and responsibilities and to the demands placed on it occurred more slowly , there is no question that the environmental changes affecting its mission in recent years have been more persistent and have occurred more rapidly . this applied in the later years of GAO 's existence . neutral +I smiled tolerantly . As I listened to their story I smiled politely at the right moments . neutral +no but to us you know we 're going oh we 're so glad we have a brick home all we have is like trim around the windows or something and We didn 't have to do much work , given that our house is made of brick . neutral +Likewise , Mount Charleston is webbed wit h many good hikes ; the ranger station there can supply more information ( 702 / 873-8800 ) . Mount Charleston has a lot of good spots to hike , but you should talk to a ranger if you aren 't sure of where to go . neutral +I don 't know where Frisby got his material , but he wrote the story before the Thompson committee even existed . Frisby is a journalist . neutral +How could a child that young know one kind of paper from another ? Young children can not usually tell the difference between the papers . entailment +Of course , said Bork , who appears as a regular cast member in those situation comedies that pass as talk shows every night , vigorously extolling the virtues and honesty of Judge Starr . Bork used to work on a morning show , but made the transition to night television early this year . neutral +well uh lately since i have children i 've cut down on having dinner parties but when i do i try to keep it pretty simple on things that i can prepare ahead of time I have kids , so I don 't really have time to plan elaborate dinner parties , the kids take up most of my time . neutral +Swashbuckling swordsmen and jousting horsemen are commemorated here in a display of authentic battle flags , trophies , shields , and weapons . Artists and Poets are honored here . contradictory +yeah i know that 's that 's only part of the problem The drugs are only part of the problem . neutral +Its strange posture commemorates a legendary statue that came to life and then berated Eikan , the astonished monk looking on , for pausing from his ritual chanting . Eikan continued chanting after being berated by the statue . neutral +Jon caught the spear , guided the tip into the earth , and stomped the shaft . Jon was swift and agile . neutral +His strategy is also built on the assumption that , if you 've got a sure thing , you should bet the house on it , which is why you buy on margin . Betting always leads to winning . contradictory +Lord , what fools these mortals be ! What smart people , these aliens . contradictory +What she has done is try to seem casual and arrange her hand so it covers her nose . She tried to look casual by covering her nose with her hand . entailment +On the left , you see the happy few being welcomed by Saint Peter . Worshippers are being welcomed by Saint Peter . neutral +Craftsmen and architects were imported from Europe and England ; the Georgian squares like Merrion Square in south Dublin were created at this time . Craftsmen and architects were imported from Europe and England while the Georgian squares were created at about the same time . entailment +In the rear of the mine . Near the end of the cave . neutral +Only when Adrin slashed at the huge assassin did he delay , opening the opportunity Thorn needed . Adrin attacked the assassin with a big sword . neutral +and the question is who was he going to pay it to Who would be in receipt of the money ? entailment +The day looks so-- _ normal _ . " There appears to be nothing weird about this day . neutral +Because of that , Robertson is all for a zero-tolerance drug law in force at Creston Plaza apartments on Grand Rapids ' Northeast Side . Creston Plaza Apartments are located on the Southwest side of Grand Rapids . contradictory +Ca 'daan spent two days in the high crags , winding through the join between the eastern and western mountains . He was an excellent mountain climber . neutral +As the sophistication and the number of edits continue to evolve and become more widely applied throughout the government , agencies have been revising their automated payment processes to reflect these improvements while at the same time making their systems more efficient . Improvements are costly to the agency . neutral +Community legal education prevents small problems from getting worse and reduces the strain on our legal system . Formal legal education helps to prevent small problems from increasing in size . neutral +He managed to dig a small hollow in the sand before dropping off to sleep . He dug a hole because it was slightly cooler in the sand . neutral +and what do they do with it They don 't do anything with them . contradictory +Jews have lived around the rue des Rosiers for centuries , and the rue Ferdinand Duval was known until 1900 as the rue des Juifs . For centuries , there have been Jews living near the rue des Rosiers . entailment +And though today 's top-ranking players earn six-figure incomes from their prizes and commercial endorsements , many of the great players of tomorrow may even now be benefiting from government 's biggest covert subsidy of sports and the arts--unemployment insurance ( and perhaps the occasional food stamp ) . They were trying not to sound jealous of the players . neutral +The four weekly events an op-ed in the style of the New York Times ( 750 words or thereabouts ) ; a New Yorker Talk of the Town piece ( 750 words or thereabouts ) ; the first 1,000 words of a Vanity Fair profile ; and a breaking news story ( 750 words or thereabouts ) . The NY times will reject any op-eds that are vastly over 750 words . neutral +Bhrikuti is venerated as the Green Tara and the Chinese wife as the White Tara . The Chinese wife was venerated long before Bhirkuti . neutral +His long head , with one entirely limp and flopping ear , was grotesquely ugly , the carcass beneath the pack a bone rack , all sharp angles and dusty hide . His ears were perky and tall contradictory +Saw you in France when I was with the Intelligence . When I was with intelligence I saw you in France . entailment +Cromwell 's forces then invaded Scotland , crushed the Covenanter army , and went on to take Edinburgh . Cromwell 's soldiers avoided Edinburgh as it was not a place of interest . contradictory +I thought it fit both the holiday season and the postal rate case postmortem . I thought it did not fit both the holiday season and the postal rate case postmortem . contradictory +Participants offered that an artful blend of both principles and rules would be useful . Participants offered that an artful blend of both oranges and bananas can actually be quite useful neutral +Apparently , for all those years the justices were just kidding around . The justices have been pretending for all those years , but now it has become a news of public domain . neutral +he uh what else did he do he did a lot of nasty nasty stuff behind their back yeah he stole Grace and Victor they 've gone with him um We could not tell where he had gone with Grace and Victor . neutral +He wondered if using ED physicians could increase treatment efficacy enough to offset the added cost of training and possible decreased delivery of interventions . He wondered whether treatment efficacy could be increased . entailment +He 's the kind of diffident youth who would have to be VERY sure before he ventured an opinion at all . " A half smile came to the other 's lips . The smile on the other 's lips was only a half smile . entailment +In April 2001 , just beyond the reporting period , LSC held a three-day conference in Hershey , Pennsylvania , entitled Creating Client-Centered State Communities of Justice . The conference would have been better served if held before the reporting period . neutral +I guess he 's quite capable of running revolutions in three countries at once if he chose ! He 's a formidable man who learned his talent for delegation in the rmy . neutral +As previously noted , GAO follows modified protocols for testimonies , which are described separately in the section of this document entitled Testimony . GAo is forced to follow rules in order to be active . entailment +Legal aid lawyers and paralegals increasingly are partnering with social workers , medical people , job counselors and other specialists to provide the right mix of legal and non-legal services people need to get back on their feet . Legal aid lawyers partner with social workers to give fewer services to their clients . contradictory +well that that 's great you got a hold of a couple of vehicles uh really good vehicles That 's great , since it only means everyone can own only one vehicle . contradictory +The Nile valley south of Luxor is home to three temple complexes . There are no other temples anywhere outside the temple complexes in the Nile Valley . neutral +First opened in 1831 , it reopened in 2000 after a renovation resuscitated much of its historic character . It was actually closed in 1938 . neutral +It is surprising how seldom one sees enameled profanity splashed across a private car . Private cars are not usually painted with profane words . entailment +um that 's got to be a a grim uh supper topic there That is a happy topic for lunch . contradictory +but uh i know your voice in your own head resonates a different way uh go ahead you you comment on it yeah i 'm glad that you 're in the business that i know TI 's gotten it with their Speak and Spell and everything i 've told my wife that one of the reasons they 're doing it is because eventually you 'll be able to talk to your computer you wouldn 't have to have a keyboard I am not married . contradictory +A short way along the busy main road is the Garden of Gethsemane . The Garden of Gethsemane is located several miles along the main road . contradictory +And if you had a car , you don 't have a car , because now the fuel comes from the power of the energy circle , ' bald Klimaszewski was gaining speed . Klimaszewski was upset that the energy circle had all the control . neutral +The Lateran Treaty of 1929 had created a separate Vatican state and perpetuated Catholicism as Italy 's national religion with guaranteed religious education in the schools . There was no education . contradictory +Regardless of income level , those households that do not save much will have few assets on which to enjoy gains . Income does not affect the amount of assets on which they gain . entailment +so you know there 's not that much time left on the loan and The loan has a lot of time left on it . contradictory +How dull I am to have missed it . I would not have missed it if I wasn 't so dull . neutral +And the Champagne area lies conveniently to the east to help celebrate its successes . The Champagne area is to the south . contradictory +They had saved Ca 'daan 's life . Ca 'daan had survived . entailment +A step beyond this issue is the question of tracking and tracing . Tracking isn 't relevant contradictory +I hope so , said Sir James . Sir James hopes that dinner will be ready soon . neutral +And , true to my old profession , as I write this I 'm crashing to meet the deadline I was assigned by editor Michael Kinsley . I can always ask for an extension from the editor . neutral +That certain Kings reigned , and certain battles were fought , we can depend upon as true ; but all the colouring , all the philosophy , of history is conjecture . History as it is written must not be debated , for doing so is an act in futility . contradictory +should we have been there If we were present , entailment +He asked me to take charge of them . His request was for me to take charge of them and report back to him . neutral +Yes , they are , said Tuppence . Tuppence confirmed that they were . entailment +Another legend claims these are the graves of two lovers who chose death over separation by their powerful families . No one knows who the graves belong to . neutral +We are now able to account for the symptoms of strychnine poisoning being so long in making their appearance . The strychnine did not take effect immediately because is was consumed gradually . neutral +A few years later economists such as Paul Romer and Philippe Aghion applied related ideas to technological change and economic growth , giving birth to the new growth theory ; and the ripples spread ever outward . Philippe Aghion applied the ideas to economic growth but Paul Romer did not . contradictory +You were once a soldier ? asked Adrin . Adrin wondered if he was a soldier once . entailment +Inquiries into her antecedents did little to help us . She did not respond to any questions . entailment +Do you think he believes Lawrence guilty ? Do you think he knows who Lawrence is ? contradictory +'Let me help you pour that . ' Since you hurt your hand , let me help you pour that . neutral +That 's why Clinton talks about the first category , while the protesters talk about the second . Protesters think about the second category more than Clinton . entailment +if you could mobilize the mothers you got them If you could the mothers interested , you will win the vote . neutral +yeah well they were they were talking i think i was watching uh the NCAAs and they were talking about uh you know this is one reason they say that that athletes get the money as quickly as they can you know get all the money that you know I wasn 't able to overhear them talk about athletes and money but I enjoyed the NCAAs contradictory +also illustrates that the concept of the USO has many more dimensions than ubiquitous delivery . Most members of the public would be surprised about this nuanced understanding of the whole idea of USO . neutral +The decline of the Korean economy would cause more bankruptcies , increase investors ' efforts to get out of won assets into other currencies , and force the won down further . Many bankruptcies were caused by the decline of the economy of Korea . entailment +Irishman Samuel Beckett happily wrote plays in French . Samuel Becket wrote all plays in English . contradictory +He 'd met the gamecock breed before and had never known the need to bristle at their crowing . He 'd seen the gamecocks before , he hated them . neutral +Stein 's story of their origin out of a trunk hidden in a desert cave was most intriguing . Stein told many similar stories before , but people trusted him , because he was rich . neutral +'After all , ' she 'd said , ' I can have these legs all fixed up far before you actually need to use them again . ' I can 't fix the legs . contradictory +LSC has long noted that its programs provide referrals and community legal education , engage in outreach , and work cooperatively with other groups to address the needs of the LSC client community . LSC noted that its programs largely block public outreach and fail to provide legal education or referrals . contradictory +They 're only small ones , quavered Red . They 're only little ones , said Red . entailment +To describe agencies ' expectations for senior executive performance , we used the categories prescribed by OPM 's regulations-organizational results , customer satisfaction , and employee perspective . To describe the agency 's expectations of executive compensation , we used OPM 's categories . contradictory +From 1559 to 1572 his fiery Calvinist sermons influenced worshippers far beyond the cathedral walls and fueled the religious discontent that split the population . The Calvinistic sermons were what caused religious upset that made the population divided . entailment +Let me introduce you to Miss Cowley . A man wanted to introduce Miss Cowley to another person . neutral +And , while this sounds like a cliche , it 's undoubtedly Parcells makes his players believe they can win , so they do . Pacells ' players never ever win . contradictory +i i 've been collecting recipes and modifying recipes for a long long time My favorite recipes to change are fish dishes . neutral +If you 're feeding here , replied Tommy , " order now . Tommy said this isn 't a good place to eat . contradictory +oh do you get the comedy you don 't have cable now i was going to say they have a comedy channel now but again you 're in a situation where you 're watching mostly uh commercials and then you 're I was going to recommend the comedy channel , it 's my favorite . neutral +Absolutely . Definitely . entailment +Passwords and identification codes generally do not provide this detection capability . Detection capability isn 't easily provided . neutral +for each household in the sample . The sample includes 2000 individual households . neutral +Similarly , the central information protection group at the utility was required to approve all new applications to indicate that risks had been adequately considered . The approval of new applications by the central information protection group was required . entailment +As a paralegal , Case spends much of her time helping people who Case is a paralegal , so she spends most of the time giving her help to people that entailment +uh-huh yeah um i 'm in college and i 'm i 'm only twenty one but we had a speech i had a speech class last semester and there was a girl in my class who did a speech on home care of the elderly She gave a speech on Elder home care in my college class . It was very interesting and had a lot of good information . neutral +But the way he 's been acting these past months , Johnny might just lose it . Johnny might lose it based on his behavior these past months . entailment +But it wasn 't until 1924 , with the first Winter Olympic Games at Chamonix , that skiing ' at the time only crosecountry ' attracted international attention . Skiing attracted international attention at this event , after trying to garner popularity for a long time prior . neutral +We don 't want to shoot him , but it may be necessary . We may have to shoot him even tho we do not want to . entailment +Economy and efficiency audit objectives concern whether an entity is acquiring , protecting , and using its resources in the most productive manner to achieve program objectives . Audit objectives don 't do anything to help you achieve goals . contradictory +If the prospect of surpluses over the next decade lulls us into complacency , the nation could face daunting demographic challenges without having changed the path of programs for the elderly or having built the economic capacity to bear the costs of the programs as currently structured . Demographic challenges are unlikely to have any effect on our ability to sustain some of the current program costs .. contradictory +You hid them ? You didn 't hide them ? contradictory +but then again though Jesus the grace pushes you beyond the law you know what i 'm saying like so he didn 't just say don 't kill your don 't kill your enemies but don 't only don 't kill them bless them you know and so therefore when we have an enemy come against us i really feel like but i really feel like i know i do feel this strongly that when if we had someone come and attack us the best way to handle it would be to bless them and humbly go to their other king or the other ruler and say what have we done to offend you what can we do to rectify this situation and that God would move in that sovereignly and he would get the glory though no king no Bush wouldn 't I think we should use this ideal when dealing with hostile countries . neutral +it almost you know on both sides so that they can 't turn it over and put it on somebody else 's bed They shouldn 't put it on someone else 's bed . entailment +Then Sather Germ shrugged . Sather Germ shurugged . entailment +Greece was handed a strip of land along the western coast of Asia Minor , which for over 2,000 years had had a substantial Greek population . Greece was given a strip of land in France . contradictory +uh and set the agenda and yeah well you know the Republicans Republicans have always been weak on on the domestic side they 're they 're very big on international stuff but domestically they they just say well it 'll take care of itself Republicans don 't care about international matters at all . contradictory +Mrs. Inglethorp came down last . Inglethorp failed to come down . contradictory +Sullum cites convincing statistics showing that the cost of smoking probably more or less equals the benefits , if you factor in the exorbitant taxes smokers pay and recognize that by dying early they save us a bundle on Social Security . Smokers cost the government much more money than nonsmokers . contradictory +The real head of this business is that Russian chap Kramenin . Kramenin isn 't the one who 's actually in charge either . contradictory +Sunset Plaza ( 8600-8700 Sunset Boulevard at Sunset Plaza Drive ) has been an elite shopping area since 1934 . Sunset Plaza was created for the everyday shopper . contradictory +In its defense , the Guggenheim points out that there are only six BMW bikes , fewer than the number of Hondas or Harleys . There are more Hondas and Harleys than BMW bikes in the Guggenheim . entailment +yeah it 's it 's it 's an enormous enormous bureaucracy though it 's going to take probably years to really get that in to order too The federal government is lot of bureaucracy . neutral +Slate will return to its normal schedule Monday , Sept . 8 . After a series of unfortunate events , Slate will return to its normal next Monday , Sept . 8 . neutral +The economic valuation literature does not yet include good estimates of the value of this risk reduction commodity . Estimates considering risk reduction are not part of the economic literature . entailment +Congress counts as quietly ? Congress counts their votes as quietly as Spain ? neutral +He feels liberated but looks like a man hugging a slot machine . The man feel liberated from gambling addiction but others feel that he is not . neutral +In 1997 , households originated only 16 percent of First-Class mail , down from 23 percent in 1990 . The number of households that originated First-Class mail went down from 1990 to 1997 . entailment +The sky isn 't falling now , kid . The whole world is crashing down around us . contradictory +The coppersmith will also be happy to make items to order , or to engrave your purchase . They are not willing to engrave any of the items . contradictory +If you 're after bars and nightclubs , look in This Week in Tel Aviv ( a free listings magazine ) . This Week in Tel Aviv is the only magazine listing bars and nightclubs . neutral +that 's right i think so same here I feel the same . entailment +Offset the historical with the theatrical , and make a visit to Palermo 's daily Vucciria market ( entrance near Via Roma and Corso Vittorio Emanuele ) , an unmissable photo op in what is the most famous of the city 's daily markets . Visiting the Vucciria market is a way to counter the historical with the theatrical . entailment +In 1993 , there were 164 thousand city delivery routes with 80 million delivery points and 49 thousand rural routes with 23 million delivery points . The city routes are more dense than the rural routes . neutral +and um who are the other two he stole two associates He stole 2 associates from his competition , Bridgestone neutral +well right now since i 'm graduating i 'm only I won 't be graduating . contradictory +It was dark and cold . The sun wasn 't shining and there was a chill in the air . neutral +Navy saved us from war , rages Buchanan in angry response to the suggestion that Kofi Annan 's diplomacy ended the Iraq crisis . The iraq crisis was caused by the Bush administration . neutral +Personal Communication with M. Durham , ADA Environmental Solutions , August 3 , 2001 . M. Durham stopped working for the ADA in 2002 . neutral +yeah that 's interesting because that 's a good idea yeah It is interesting because it is a good idea . entailment +Crosethe Canche and continue south to Buire-le-Sec and the village of Maintenay , where a restored 12th-century mill now serves crapes in a wonderfully cool and leafy setting . A restored 15th-century mill now serves food . contradictory +or even making the play-offs so that doesn 't doesn 't help you in the draft Making the playoffs puts you in a better position for the draft . contradictory +Some of the interior has been refurbished in recent years and there is a collection of interesting furniture . The interior was painted before the new furnishings were brought in . neutral +any year , but that the rule may result in private sector expenditures of $ 100 million or more annually ( $ 226 million the first year and $ 143 million thereafter ) . This might cause the private sector to have to spend over $ 100 million a year . entailment +because certainly they 're not using it for juices and stuff i mean they use the junk for that it makes me wonder gosh if they 're using junk for that what are we getting here Clearly they are not using it for just juice . entailment +The county 's law library is on the first floor of the governmental center at 18 N. County St. The new self-help center will be designed to help litigants find the information they need to properly represent themselves in court , an undertaking that can be complicated and confusing . The addition of the new self-help center is a development litigants are happy about . neutral +you know since the women 's movement in the well seventies and you know we 've come a long way but i think it 's still a still good ways to go The women 's movement solved everything and we don 't need to do anything anymore . contradictory +The Commission 's analysis addressed the effects of the rule on small entities in a general manner , consistent with the requirements of section 607 . Keeping in line with the requirements of section 607 , The Commission 's analysis addressed the effects of the rule on small entities in a general manner . entailment +Eventually , we reached the border town of Louisian . Louisian was in the middle of the country . contradictory +Pa had him a spread down near th ' San Sabe ' fore th ' Comanches came . Pa never had any land down in the San Sabe . contradictory +But in fact , there have been changes , many of them due to economic progress , new construction , and other factors that influence cities all over the world . As a result of factors like new construction and economic progress , changes have taken place . entailment +and everybody else that i 've talked to has been right around here I have talked to people from across the country . contradictory +i don 't see them doing anything I see them doing something about it contradictory +The constantly crowded and busy Grafton street is the most visible center for shopping , but there are shops all over that carry an international array of goods as well as the Irish crafts and souvenirs you expect . The mains shops are very busy but some others provide the same service for the same price . neutral +This Eclipse , amigo , Don Lorenzo turned to Rennie for enlightenment " he was a notable horse ? " Was Medusa a noteworthy female ? Don Lorenzo inquired of Rennie . contradictory +Moviegoers knew his name and his legendary audacity . Moviegoers solely know about him because of his audacity . neutral +White 's men followed him , fanning out . White had men who were his followers . entailment +Some respondents believed that , although reporting on stewardship items might be warranted , a separate manner of reporting might not . According to some respondents , reporting stewardship items might be warranted . entailment +Then he was back with them again . He was back with them once again . entailment +The pragmatic dukes of Piedmont liked French-style absolutist monarchy but tempered it with a parliament to bypass local fiefdoms . The dukes wanted to have more control as the government . neutral +The Washington Post ' s Desson Howe and Slate 's David Edelstein insist the film still has its Every so often , something wickedly inspired will come along ( Howe ) ; the film 's still more agreeable than most of the slapdash laugh-machines around ( Edelstein ) . Sometimes an inspired film comes along . neutral +The scrolls , written by the first-century b.c. Essene sect , are the earliest known biblical manuscripts in existence . The scrolls consist of nearly twenty feet of lamb-skin parchment . neutral +Participants discussed the need to mitigate the opportunity and risk for fraud by educating boards of directors and ultimately changing the tone at the top of the company . Directors are educated in ways to avoid fraud by use of electronic shock collars . neutral +they had uh kind of uh i don 't know if you call it stand down or whatever but anyway they stopped and wait to see if Iraq would accept a permanent cease fire situation though as i understand it from the Iraqi point of view this current cease fire thing that the UN uh had set up you know the Iraqis are probably not going to go for at all unless they 're just absolutely forced to The US set up a cease fire situation with Iraq . contradictory +so let me guess it 's the Dallas Cowboys The Denver Broncos ? contradictory +As one tumultuous age ended , one of glory and greed began . Great austerity was something the passing age was known for . neutral +It concealed a very opposite emotion . The emotions were not meant to be shown . neutral +The objective fact is that whatever you think of Mahathir , Malaysia has gotten away with its economic apostasy . Malaysia has had economic apostasy for decades . neutral +I have heard that name before . I 've never heard that name in my life . contradictory +Normally , a computer was designed for flexibility and to handle varying conditions . Normally , a computer was built to take different conditions . entailment +The analysis uses both quantifiable and general descriptions of the effects of the rule on small entities and to assist in the participation of small entities in the rulemaking , the FCC made available a complete copy of the proposed and final rulemaking materials via the Internet . The analysis was funded and conducted by the Missouri Institute of Technology . neutral +You were going to say ? You finished your previous sentence . contradictory +Cocktails or uh what Cocktails or anything will be okay . neutral +Maybe we could clone the superwarrior from Congressional Medal of Honor winners . We have the technology to clone people , so cloning the superwarrior from Congressional Medal of Honor winners is feasible . neutral +for yards yard work No work at all contradictory +True to what ? True to your religion ? neutral +The protective aura that once insulated the family has vanished . The family is now vulnerable to the outside . neutral +The National-Level Evaluation of the Career Criminal Concept Evaluating the idea of a career criminal from a national perspective entailment +uh right right but we go out occasionally and uh there 's some there 's some good um sort of artsy movies i saw a computer animation festival it was all about computer generated or else um actually it 's just sort of animation in general some were computer generated and some were hand drawn um cartoon like things The movie was just a regular one . contradictory +We also examined literature that presents other ways of thinking about national saving . The literature only presents one way to think about national saving . contradictory +Ask at the Visitor Centre for details . The Visitor Centre is completely useless when it comes to giving information . contradictory +possibly most , of these individuals with these problems would have no other source of legal assistance . People with these problems do not need help . contradictory +well the way it it seems the way it 's been working here 's The current way we do things isn 't really working . contradictory +LSC is in the process of reviewing the test results in order to make appropriate improvements . The LSC has long felt that improvements were necessary . neutral +I see a future for elderly male actors willing to shed their clothes for laughs , but I don 't see myself in the audience . Elderly male actors shedding their clothes for laughs is not something I 'd see , unless they were extremely good looking , neutral +What a pity . What a pity of a jousting match . neutral +The Court appointed a liaison from the Court and 29 Committee members representing the legislature , the federal and state judiciary , lawyers in private and public practice , legal services program staff , and the public , including the client community . The Court appointed the liaison because it was believed that it would be faster . neutral +that makes it great doesn 't it It 's what has kept me interested for so long . neutral +The enormous Saint Patrick 's Hall with its painted ceiling by Vincenzo Valdre contains the banners and coats of arms of the now defunct Knights of St. Patrick . There are no banners or coats of arms in Saint Patrick 's Hall . contradictory +John Smith -who has a bad heart and supports her son and his kids on a $ 404 monthly Social Security check - couldn 't afford one . John Smith had a bad heart but gave them his life savings . neutral +By far the oddest offering of the week is A & amp A & is an odd offering . entailment +To contribute to the national target , the same senior executive had a performance expectation for his office to meet a target of The senior executive was enthusiastic about the possibility of his office receiving special mention for its contributions . neutral +Phase I Sulfur Dioxide Requirements The Phase I regards Sulfur Dioxide Requirements , which is the title of the report neutral +Premills basically believe the Antichrist will be a charming rogue and great communicator who will dupe Israel into following his lead , and then will turn on the Jewish people to destroy them . Premills believes the Antichrist will fool the Jewish people of Iseal into following him before destroying them . entailment +It was also the product of a coherent strategy for creating a more flexible , lower-cost workforce , a strategy that only worked because Cat was willing to endure a long strike and reduced profits ( at least $ 100 million in 1991-1992 ) in order to get what it wanted . Cat endured reduced profits to get what it wanted . entailment +My fellow Slate columnist Robert Wright would undoubtedly emphasize that our concern over status exists for good evolutionary reasons . Robert Wright writes for Slate . entailment +You can walk south along the narrow alleyway cutting the Al-Ghuri complex to reach Bab Zuweila Gate , once the lower entrance to the city . You can reach an old entrance to the city by following a narrow alleyway southwards . entailment +We issued our second report in January 2001 . The second report was issued early in 2001 . entailment +On Monday and Tuesday , in homage to the turnout is everything analysts , I predicted the outcome of tight races based on the USA Today weather map . I used the weather map from USA Today to predict the race outcomes . entailment +The point is not simply to wander aimlessly through Neil Simon country but also to establish that not so long ago to participate in an American election you needed to own property , pass a literacy test , and be a male relative . Passing a literacy test is needed to participate in an American election . entailment +In the distance , the factories and the cooling towers smoked hard and heavy , gushing up great clouds of grey beside the shinier skyscrapers . The factories worked 24 hours a day . neutral +does it work for leaves Is it usable on leaves ? entailment +Mr. Inglethorp , said Poirot , addressing him directly , " a very dark shadow is resting on this house ” the shadow of murder . " Inglethorp shook his head sadly . Mr. Inglethorp had some doubts about Poirot 's conclusions . neutral +The town is as popular with European vacationers today as it was with Greek and Roman colonizers in ancient times . Today , the town is as popular as it was in ages past . entailment +uh separate wastebaskets in our offices for paper So that recycling is easier , they offer a can just for paper . neutral +No matter how well designed and operated , internal control cannot provide absolute assurance that all agency objectives will be met . Internal controls can 't assure that an agency will meet their objectives for staffing . neutral +But what 's wrong with an answer that 's more specific than the question ? There 's an answer more specific than the question . entailment +well that 's that 's a big one in my book but uh um It is not a big deal that happened and is in the past . contradictory +Ah ! Poirot seemed to have exhausted his questions . It looks like Poirot ran out of questions , as he frantically looked around the room . neutral +All too frequently a cycle of drought , famine , and plague would decimate the population . The population would be often decimated by plague , drought , and famine . entailment +yeah well i 'd bought uh a GMC diesel pickup and uh loved that thing you know i really liked it but it turns out a pickup wasn 't what i really I loved my diesel pickup but the mileage was terrible . neutral +Because they are relying on a Bush fade , the contributors easily discount Lamar 's dismal poll numbers . Lamar has good polls . contradictory +and uh you know they try to play public 's opinion which i think is awful because it usually works They try to manipulate public opinion . entailment +See Electronic Challenges Must Be Addressed With Effective Leadership and Management ( GAO-01-959T , July 11 , 2001 ) . Effective leadership can overcome any electronic challenges neutral +Thus , if a U.S. court rules a search is unconstitutional , the inspectors will be forced to obtain warrants . A US court ruling the search to be unconstitutional does not effect inspectors . contradictory +Unlike PointCast , which downloads its own content , and the offline reader clones , which download only Web pages , Castanet can download Java applications and applets in addition to Web pages . Castanet has been rated the best of the applications . neutral +This week , he recycles the same suit and bow tie and evasions on Face the Nation and Meet the Press . He chiefly concerns himself with abusing archenemy Kenneth Starr , though Tim Russert chastens him by reading back a series of quotations that document how , not too long ago , the lawyer was a professed member of the Ken Starr Fan Club . He used the same suit more than once . entailment +that 's awful That is one of the worst things ever . neutral +and uh it was smooth and uh and we would we put this stuff on and and it supposedly textured it or did something to it and but because of the the dark behind it was really hard to cover and It was easy to over and only took a small amount of time contradictory +It 's not an extended seminar on theory . The seminar is an appropriate length and uses its time wisely . neutral +USAT , the LAT , and the NYT all go front page with the news that choke-out thug Latrell Sprewell was given his gazillion dollar contract back by an arbitrator . Sprewell won his arbitration and got to keep his contract . entailment +The lawyer fingered her pulse . The lawyer found that her pulse was normal . neutral +no no and uh what let 's see uh the most recent ones that i 've seen are those two Ghost and uh Dances With Wolves but i rent uh uh videos do you The most recent movies I 've seen are Ghost and Dances With Wolves . entailment +This work is intended to provide pragmatic guidance that federal agencies can consider in determining how best to integrate CIO functions into their respective organizations . CIO functions have been poorly integrated into federal organizations up until this point . neutral +Applied Fundamentals is a warehouse department , a dumping ground for whatever projects the company can 't fit elsewhere . The department took on projects they other departments could not do . entailment +Reducing ozone levels will result in fewer hospitalizations , emergency room and doctors visits for asthmatics , significantly fewer incidents of lung inflamation for atrisk populations , and significantly fewer incidents of moderate to severe respiratory symptoms in children . Reducing ozone levels has many benefits . entailment +The police started surging into the dining car . The police ran into the dining room . entailment +yes i 'm sure they do uh I am absolutely in the dark about that . contradictory +With plenty of beachfront , a top French restaurant ( La Mer ) , and the serene House Without A Key outdoor lounge for sunset drinks , Halekulani is a complete resort . Halekulani has a top French restaurant . entailment +What success can you point to that any of your strategy has worked ? What success points to your strategy ? entailment +We flew on . We landed the helicopter and got out . contradictory +uh the networks got sort of ridiculous with they they they felt like they had to interrupt normal programming for all this but they didn 't have anything to say The network did announce it but they didn 't interrupt regular programming to do so . contradictory +Rosenberg explained that the Pro Bono Project does not take on criminal cases , bankruptcies , dependent or neglected children , or fee generating cases such as personal injury . The Pro Bono Project does do lots of criminal cases . contradictory +but just you know to receive a letter in the mail that says you know you need to report somewhere by next Monday you know i 'm not sure that would be a terrifically good idea Letters in the mail wouldn 't be the best ideas , I think they should make a phone call just to be sure . neutral +She had known nothing of the tragedy , until awakened by Mrs. Cavendish . She didn 't know anything about it . entailment +They asked themselves what accomplishments they and their staff were most proud of , and how they could expand these achievements . They wanted them to do better . neutral +nice talking to you Charles bye This was a nice talk about politics Charles . neutral +The market at Porte de Vanves in the 14th arrondissement has a high proportion of junk ( open Saturday and Sunday 6am-6pm ) . On Sundays , you can visit the market after 6 AM . entailment +we we saw an we liked it but you know i didn 't think it was as good as all the uh hype was about it I didn 't think it was as good as the hype . entailment +What none of them ever does is die in a hideous automobile accident . A horrendous automobile accident had never killed them . entailment +On the island 's west side , the Fontana Aretusa is a freshwater spring ( just steps from the ocean ) with black-and-white ducks swimming in its semi-circular papyrus pond . The public is forbidden from swimming in the Fontana Aretusa . neutral +Patient 's age , income , and insurance status significantly influenced both sensitivity and specificity . Several factors had an effect on sensitivity and specificity entailment +San 'doro started a morning fire . San 'doro started a fire to cook them breakfast . neutral +There were the soft peaceful sounds of horses crunching fodder , hoofs rustling in straw . The horses were fighting with each other . contradictory +Judging by the avid way the other slaves were gulping it down , each one of them had been exposed to it before . He saw that the other slaves were eager to drink it . entailment +yeah yeah they have a state income tax in Maryland but i noticed when i was in the in the in Texas they didn 't have a state income tax but they sure nailed you on those darn county taxes and school taxes and property taxes There is state income tax in Maryland . entailment +He smiled . He frowned . contradictory +I always had hopes of that letter . I began to suspect that the letter never existed . neutral +" An ' these here they 're Rennie 's Pimas , what o ' ' em is runnin ' th ' trail this trip . " So these were the famous Pima Scouts ! These were not the Pima Scouts . contradictory +whether my coworker is on drugs or not has does not have an influence on my safe well-being It shouldn 't matter to my company who uses what drugs . neutral +When California Caucasians are practicing Feng Shui and Zen meditation , when suburban Asian teens are reciting gangsta rap lyrics , when salsa sales are surging past ketchup sales , how can we speak with a straight face about the ineffaceable whiteness of American life ? Some of the Californa Caucasians are more evolved in Zen meditation than the Chinese . neutral +It was an ideally spherical and unusually bouncy virus H4S19 . The virus was flat . contradictory +The first man to hit the ground with a part of the body other than the feet loses the contest . The first man who touches the ground with his hands loses . neutral +Knowing your emotions are shaped by songs you heard 50 years ago is a little troubling . The person is at least 99 years old contradictory +the guy 's guilty exactly The guy is indeed guilty . entailment +Miss Howard ” here . Miss Howard told everyone to go there . contradictory +It may be noted that this is one of the few principles that CIOs may address themselves , without regard to organizational constraints or CEO support . This principle may be addressed by the CIOs . entailment +and get it down quicker Forget about it entirely . contradictory +so we have to contend with doors that sometimes sometimes the during the year don 't uh just close just right and uh things of that nature The doors do not always close properly . entailment +and when was this Was this before or after you left ? neutral +These activities include community legal education , some forms of pro se assistance , referrals , outreach , indirect services including training to non-legal advocates who help low income people , and other services , including mediation and alternative dispute resolution . The activities include euthanasia , nuclear warhead manufacturing , and sponsoring military uprisings in the far East . contradictory +Felipe II didn 't care for El Greco 's revolutionary style , and later critics wondered whether his elongated figures were the result of myopia , but his mystical masterpieces live on . Felipe II was not in love with El Greco 's style . entailment +Ah ! breathed Tuppence . We chillin he said . contradictory +The 255-step climb up the north tower is rewarded with wonderful views of Paris and close-ups of the roof and gargoyles . The gargoyles of the North tower are very weathered and have lost many of their original features . neutral +and then you get you know what do you do with you know people that are you know chronic child molesters And then you know what to do with chronic child fashion designers . contradictory +Director , Coalitions for the Republican National Committee Director , Coalitions for the Democratic National Committee contradictory +Should I be here otherwise ? So do you need me around ? neutral +um yes when i lived in Texas every year i had to drive you know i drove every year to the gulf and you know so i could have a feast of fresh seafood I 've never eaten seafood . contradictory +Consistent with section 603 ( b ) ( 3 ) , the analysis describes , and estimates the number of , small entities to which the rule will apply . The number of small entities the rule applies is described by the analysis . entailment +There are five main galleries dedicated to such subjects as history , national sports , and na tural history . There are five galleries dedicated to a litany of subjects , but they are not well known . neutral +Figures for consumption of AC were based on prior , peer-reviewed EPA work , and conservative operating conditions were assumed . Consumption of AC is based on peer-reviewed EPA research on power plants . neutral +But yuppies--or at least the suburbanized offspring of Slats Grobnik--were increasingly his audience and his newsroom colleagues . He did not want his audience to be mainly yuppies . neutral +FDA published a summary of its Final Regulatory Flexibility Analysis in the preamble to the final rule published on June 5 , 1997 ( 62 Fed . The FDA summarized its Final Regulatory Flexibility Analysis . entailment +I am absolutely certain that it would be a woman , and a good-looking one , replied Tuppence calmly . The woman would be attractive for sure . neutral +It was begun around 355 b.c. at the behest of the king ( the word mausoleum is derived from his name ) and remained standing until at least the 12th century . It started in the mid 300s b.c. at the order of the king . entailment +i know even even like steroids well how long does it take for marijuana to get out of your body Steroids can leave the body really quickly . neutral +well you ought to try a muffin if you haven 't If you haven 't already tried a blueberry muffin , you should . neutral +Unfortunately , much of the temple lies in ruins . The temple is not in its original condition . entailment +oh yeah oh yeah it 's fun i 'm watching the i 'm i 'm busy watching the NC double A tournament uh the past couple weeks I 've been busy watching the NCAA tournament for the past 2 weeks , college basketball is my favorite sport . neutral +Europe 's first paper was made here in the 11th century . Paper from that time can be seen in museums . neutral +I will not describe to you the special apparatus , dusting powder , etc . , which I used . I won 't explain the amazing methods I used ! entailment +There it was , in the cracked porcelain tub ; covered in tubes , being scurried over by creepy cybernetic rats . It laid on the couch , covered by a sheet . contradictory +coming out of the TV that just doesn 't make my day you know I don 't like thinking about very scary things . neutral +oh yeah oh we did horseback i i did horseback riding too in fact when my children were growing up we always had horses and uh that was kind of for them but they weren 't as interested in it as we were you know so uh that was a real i 'd say probably for maybe fifteen years we dabbled in that you know we always had horses around and i really enjoyed that The children didn 't get to see horses . contradictory +One theory holds that young white girls ( unlike young black girls ) subscribe to a cult of thinness , and smoke to block their appetite . The cultural trend for white girls appears to be shoplifting . neutral +person to sort of do do some caretaking to um Someone who can do some caretaking . entailment +The mafia is over as we know it , or think we know it . The mafia has left the city for good , as far as we know . neutral +For a puck they used one of the millions of experimental bacillus , and one-arm pincettes , which as it happened also resembled hockey sticks , served as sticks . They made their own basketball game . contradictory +yeah oh sure yeah right and and he went out there and spent a weekend with some friends here back a month or two and and what i like is that when he saw it i think he 's now motivated to to to go to work Previously , he had no motivation to work at all . neutral +yeah well i i guess we 're probably oh maybe a hundred fifty miles south of Dallas You probably can 't walk from here all the way to Dallas . neutral +oh yeah i was feeling real good then so he broke me down from i mean he started me from the very beginning as far as changing just about everything i did and uh uh He helped me to gain even higher ground . contradictory +In 1984 , the Polish secret police murdered Father Jerzy Popieluszko , an outspoken supporter of Solidarno ? . Father Jerzy Popieluszko was murdered by the FBI . contradictory +By the way , have you by any chance an aunt , a cousin , a grandmother , or any other suitable female relation who might be represented as being likely to kick the bucket ? " A delighted grin spread slowly over Albert 's countenance . Albert smiled slyly when they talked . neutral +yeah well my husband 's real good at using them My husband uses them well . entailment +The F / A-18 E / F aircraft development program was able to take advantage of knowledge captured in developing and manufacturing prior versions of the aircraft . The F / A-18 E / F aircraft was developed after a long delay using knowledge from the development of prior versions . neutral +In this particular case , the buyers come to Las Vegas to purchase the goods rather than having them shipped out of the city , but the economics are the same . The buyers purchased the goods directly in Las Vegas . entailment +You always were a shocking liar , said Tuppence severely , " though you did once persuade Sister Greenbank that the doctor had ordered you beer as a tonic , but forgotten to write it on the chart . Sister Greenbank once believed that a doctor had ordered beer as a tonic for a patient . entailment +The U.N. war crimes tribunal caught a suspected Bosnian war criminal . A suspected Bosnian war criminal has not been caught . contradictory +He thought he could pass Gore on the left . His plan was to appeal to the more conservative voters . contradictory +In a comfortable little theater you can watch a one-hour demonstration of tea ceremony , traditional music and dance , flower arranging , puppet theater , and a kyogen farce . Most people visit the theater for the tea ceremony . neutral +I just happen to be doing it in my own way . ' I am much happier when I 'm doing it my way . neutral +Should we triage the most severe problem patients into a more intensive intervention in the emergency setting ? The emergency setting typically treats all patients equally . neutral +But let 's supplement it DON 'T TELL ME OTHERWISE WHEN I SIGN UP . There are other conditions in which you can tell me when I sign up . neutral +Sections 607 and 609 of title 5 were also inapplicable . Section 607 was incredibly applicable . contradictory +It brings out all that is sweetest and truest in them . They are twin sisters . neutral +and some of them don 't realize that they 've made a mistake and so uh you know a lot of energy and uh a lot of work and so forth uh goes into building something only to discover it doesn 't work The mistakes are common because the building instructions are unclear . neutral +paid back i know Wasn 't paid back . contradictory +He rolled to his side and hugged his knees to his chest . He hugged his knee to his chest after rolling to his side . entailment +No left-wing colonels have yet appeared to help the opposition , at least not in public . A few colonels have spoken out against it . contradictory +Look at the surprisingly fine carving of the bracket figures in the dancing hall , achieved by the craftsmen working with soft steatite soapstone which subsequently hardened to the texture of granite . The original worked material was much softer than the finished product . entailment +uh then the big you know my big problem would be is what if you were in a in a state that absolutely did not allow it For me , the major factor would be , if you were in a state where it was illegal . entailment +The brass beer taps and frosted-glass windows are the epitome of pub d ? ? cor . Pubs have a common theme of brass for beer taps and frosted glass windows . neutral +Such a scenario is not desirable . A scenario like that is completely desirable . contradictory +i will get on it one day and see if i can uh um what what do they win they they win money i think don 't they I don 't think they win anything at all . contradictory +Instead of requiring a date stamp , the Report and Order required that new telephones be stamped with the letters HAC . They wanted phones marked with numbers contradictory +is your real estate market uh slowed down there like it is here in the northeast The real estate market slowed down in the northeast , it 's a disaster . neutral +uh-huh yeah he works for them right now he 's been there almost six years now He has been there almost six years and is still working for them but is looking for a new job . neutral +Consequently , adequate capacity of SCR catalyst supply is available to satisfy the demand that may result from the projected installations . There is plenty of SCR catalyst available to finish the installations . entailment +The publication also reports that Anderson plans to go ahead with her divorce and feels she can never forgive Lee . Lee will most likely not be forgiven by Anderson . neutral +The huge Victorian greenhouse , New Palm House , is impressive and packed with ferns and palms that thrive in the warm , damp environment . Ferns and palms care unable to grow outside of the greenhouse . neutral +LSC staff in attendance included Randi Youells , Vice President for Programs ; Mauricio Vivero , Vice President for Government Relations / Public Affairs ; Michael Genz , Director of the Office of Program Performance ; Robert Gross , Senior Program Counsel , State Planning Team ; Althea Hayward , State Planning Team ( Diversity ) ; Melissa Pershing , State Planning Team ( who , with input and assistance from OPP staff , prepared and coordinated the agenda ) ; and assistants Wendy Burnette and Lynn Wilson , who were responsible for conference logistics , registration , and on-site conference assistance . No LSC staff attended the conference . contradictory +We summarize these adjusted values in Exhibit 11 . The values are summarized in Exhibit 11 . entailment +Shall we go in ? " A policeman produced a key . The policeman had no way to open the door . contradictory +two hundred to three hundred thousand dollar houses Two to three hundred thousand boats . contradictory +In Los Angeles , many of the victims ended up at the office of the Legal Aid Foundation of Los Angeles , a legitimate nonprofit organization . As a last resort , many people were hoodwinked out of hundreds of dollars by Los Angeles 's Legal Aid Foundation . contradictory +oh yeah yes i would too No , no , I wouldn 't as well . contradictory +In another drawing , from 1943 , Smith develops his personal symbol , the spiral cross , which is really nothing but a relaxed swastika . Smith just used the cross as his symbol . contradictory +The bleak black and white of the scene in the woman 's office is relieved by a shot of yellow flowers , visible through the window . The woman 's office in the scene was very vibrant . contradictory +The last scene shows father and son climbing a mountain in the Alps . The final scene depicts a father and son climbing a mountain . entailment +what were you in Air Force uh i he tried to get in there they wouldn 't take him He was upset that he could not join the Air Force . neutral +For them , the business case centers on the ability to produce a product that the customer will buy and that will provide an acceptable return on investment . The business case centers on how to produce a product the customer will buy . entailment +During this time Kyoto thrived as Japan 's cultural and creative heartland . Kyoto was the center of Japan 's cultural and creative expression . entailment +In Figure 3 , it is clear that as the discount level is increased , implying a passthrough of over 100 % , the general welfare level increases , but at a declining rate . The discount level is higher , as shown in Figure 3 . entailment +This analysis was transmitted to the SBA Chief Counsel for Advocacy , as required by subsection 603 ( a ) . The analysis was only received by the EPA . contradictory +That worried Jon a lot . Jon worried . entailment +oh you know uh i had to start out doing it i done it about five times and then uh here lately they i 've been letting them catch me I had done it about five time , but lately I have been letting them catch up with me . entailment +Future plans includes replicating I-CAN throughout the region and locating kiosks at libraries that can be used by clients for on-line filings of certain legal matters . Future plans call for I-CAN being replicated in the state of Illinois . neutral +do yeah yeah you do now and uh we have a woman mayor now too in Dallas and Houston has had a woman mayor for a long time because i used to live there too There 's never been a female mayor in Dallas or Houston . contradictory +'Complex Computer Processor . Simple computer processor . contradictory +and i think if if you read that i think you 'll get a real kick out of it It 's a really funny book . neutral +When providing an opinion on financial statements , auditors should include in their report on the financial statements either a ( 1 ) description of the scope of the auditors ' testing of compliance with laws and regulations and internal control over financial reporting and the results of those tests or an opinion , if sufficient work was performed ; or ( 2 ) reference to the separate report ( s ) containing that information . The auditors can give their opinion on the financial statements . entailment +EPA is also promulgating best management practices under the Clean Water Act for a portion of the pulp , paper , and paperboard industry . The EPA is promoting the Clean Water act . entailment +so uh i mean you you can 't believe what you what you hear You can 't believe what you hear . entailment +As far as I can remember in June or July of 1915 . The event was when the speaker first met his wife . neutral +5 ) They 've relaxed their enmity precisely because they 've shown each other their nuclear weapons . They each showed their four nuclear weapons . neutral +Four kilometers ( 2 1.2 miles ) outside Kos Town are the remains of a medical school founded in the fourth century b.c. , just after the death of Hippocrates . The medical school was built in the fourth century but no longer remains . entailment +yeah yeah i 'm sure i will Yes , I 'm positive I will . entailment +It seemed utterly impossible that he and Mr. Brown could be one and the same . It was very plausible that he was Mr. Brown . contradictory +oh God yeah well i guess um but typically it down there though you don 't get much coldness right you get There is no telling whether tomorrow will be blazing hot or freezing cold . contradictory +In Today 's Papers for June 5 , Scott Shuger Scott Shuger was in the June 5th edition of Today 's Papers . entailment +Older Parisians say it has the tone and pitch of a newsreel sound track . a newsreel sound track is of poor quality . neutral +Newsweek ' s dubious list of recent home Jessica DuBroff , the 7-year-old pilot whose plane crashed ; Rebecca Sealfon , the national spelling bee champion with bizarre social tics ; and Hanson , the teen-idol pop group with great hair . Hanson had several number one records . neutral +Although GAO took a lot of heat in being out front on this controversial issue , in part due to recent events , we 're getting a lot of accolades now ! GAO , despite its controversy , is gaining traction and gathering support . entailment +they 're going to have a lot more support over there Over there they 'll have a lot more support entailment +He swung but fell to the defensive . He stayed on the offence after swinging . contradictory +A brother of his was murdered by your people . Alas we mistakenly thought you killed a brother of his . contradictory +in any event In all events . neutral +when you 're solving a problem that if you 're sitting there trying to uh establish a relationship with some physical system uh when you come up with your final formula if you analyze the units of measure they should come out right The units of measure will not come out right . contradictory +To further underscore accountability issues , the PBO 's Chief Operating Officer is to annually prepare and submit to Congress , through the Secretary , a report on the performance of the PBO . PBO performance must be reported every year . entailment +Below is a selection of accommodations in towns and villages throughout the Lake District . The accommodations listed are the nicest in the area . neutral +Examples of condition information include , among others , ( 1 ) averages of standardized condition rating codes ; ( 2 ) percentage of assets above , at , or below acceptable condition ; or ( 3 ) narrative information . Condition information can take a number of other forms besides this . neutral +Did you not know it ? They didn 't know of this . contradictory +One , two , three , four , five , but where , then , is the cup of Mr. Inglethorp ? " Mr. Inglethorp had taken his cup with him . neutral +um i personally think to set a mark with the judicial system and we 're talking about criminals criminal cases that they should bring back We discussed a case in particular that we were troubled by . neutral +Jon twisted and stabbed from behind his back . Jon did not twist or stab anyone or anything . contradictory +Researchers announced that Spironolactone , a 40-year-old , inexpensive medication used to treat water retention , cut death from congestive heart failure by 30 percent in experimental trials . Spironolactone is forty years old . entailment +If you missed the links in the article , click to read about an amateur historian 's account of Wittgenstein 's influence on Hitler and to read about the strange world of Hitler Studies . Wittgenstein had an impact on Hitler 's policies relating to the holocaust . neutral +uh the bottom line that i after four years of working with the state prison system i 've come to the conclusion if you 're going to give the man the death sentence go ahead and fulfill the sentence understandably the Supreme Court says any time you hand down a death sentence to somebody they get a one appeal once that appeal fails within thirty days execute sentence if you 're going to give the man the death sentence don 't keep the guy on death row for eight nine ten years and make him worry about it If a man is sentenced to death , the state should carry out the sentence and put the man to death , there should be no appeal process , appeals are tyng up our court systems and costing too much . neutral +Let us honor his memory . He would love it if we respected his legacy . neutral +For example , households may consume more ( or save less ) in response to their greater wealth due to rising stock or housing values . Having greater wealth can mean consuming more . entailment +you know i mean i i know that the problems are so deep but i mean even even within the Muslim uh religions different sects they can 't get together Different sects within the Muslim religion are not united . entailment +COST DRIVER - Any factor that causes a change in the cost of an activity or output . Cost driver is important neutral +From the hills came the far-off yip-yip-yip of a coyote . From the hills was heard the howl of a coyote . entailment +Their destination was even more resplendent with forests than the paradise we see today , but hoary bats and monk seals were the only mammals in residence . The forests were full of hoary bats . entailment +now you can either use you know the kind that comes in the little can or you can just get some you know regular red peppers You can only use the fresh ones . contradictory +Monumental Mistake Huge error entailment +Like a brick wall , they resist any frontal attack . They also have great skills at guarding their flank as well . neutral +The definition of computerprocessed data is therefore broad . The definition of computerprocessed data is refined based on category . neutral +A lotta wild stuff down there nobody 's been runnin ' brands on anythin ' much since ' 61 . There is a lot of wild stuff happening down there . entailment +Otherwise , Dave would find venom being transported into his blood in increasing amounts until the pain drove him mad . He would be completely fine with the venom . contradictory +Regardless of whether DOD emphasized greater use of evolutionary acquisition , acquisition programs are not capturing sufficient design and manufacturing knowledge to make good decisions at key investment points . Acquisition programs are not capturing sufficient design or knowledge of manufacturing . entailment +After every attack the settlers put out the fires , buried the dead , and rebuilt San German . The attacks were frequent and devastating . neutral +You will find good crab and shrimp at the fishing village of Pantai Kundor . You can find good crab and shrimp and possibly lobster in the fishing village of Pantai Kundo . neutral +Not until a 20th-century Western architect , Frank Lloyd Wright , arrived in Tokyo to build the earthquake-resistant Imperial Hotel was it considered possible let alone desirable to attempt to defy the ravages of nature . Frank Lloyd Wright traveled to Tokyo specifically to prove he could build an earthquake-resistant hotel . neutral +In the eastern Aegean , three of its larger islands mirror the western Turkish coastline . The eastern Aegean has many islands , but three large ones mirror the Turkish coastline . neutral +There was nothing to say . Nothing could be said about it . entailment +" Stage was jumped yesterday on th ' Sonora road , " Callie volunteered . The stage was allowed free passage on the Sonora road . contradictory +They should be mining . They should spend their time mining . entailment +The LSC allocates money to states based on the number of poor counted in the last census . The LSC gives money to states according to how many poor people they have . entailment +and uh and you know he 's really shouldn 't run the He was the only one available to do it though . neutral +( Only He plans a fourth Indiana Jones movie . ) Oprah Winfrey will be in the 5th Indiana Jones movie . contradictory +As one hopeful exec told Advertising Age recently , Creativity is the anti-commodity . He considers Creativity as against commodity . entailment +And suddenly there was an outcry overhead , an exclamation from the German , and then Annette 's voice , clear and high : " Ma foi , he has escaped ! Annette is not German . neutral +humidity or something It 's certainly not humidity . contradictory +To determine if and why lawyers will stay with or leave public interest law , on February 8 , 2002 the National Association for Public Interest Law ( NAPIL ) and the National Legal Aid and Defender Association will launch an online survey at / / www.napil.org / The survey is designed to gauge the level of the judicial and educational debt crises . The survey is being handled by the ACLU . contradictory +the next thing The previous thing . contradictory +This temple , too , has Buddhist prayer wheels around it , worn shiny by the hands of the devout . The Buddhist prayer wheels are a definite part of the temple . entailment +now well my brother in law was working with uh in one for a little bit and uh he just he couldn 't handle the things he had to do My brother in law worked in one for a while . entailment +The two bronzes were presented in the mid-17th century by the Dutch government , in gratitude for the special exemption that gave them exclusive trading privileges with Japan during the period of national seclusion . The Dutch were one of many nationalities allowed to trade with Japan in the mid-1600s . contradictory +He 'd had a course of semantics in college and could see no relationship . He had learned in first grade enough to see the relationship as it was . contradictory +Following Khephren 'sdeaththe body oftheSphinxwaslost under the desert sands that sweptthe areaandTutmosis The Sphinx , built on high ground , stood tall and proud throughout the ravages of time . contradictory +The strength of the spot is that the fabric of its images converts the actuarial into the nearly spiritual , and raises numbers--money--to the level of moral values . People fall in love with numbers after seeing the spot . neutral +i 'll call you that 's right and they all say that they 're the best Visa but you know i definitely have the one that i 've I don 't have any . contradictory +right and i mean you can you can buy an extra screen but but it 's somehow because the screen comes with it it it always looks awkward to have the two screens it looks even cooler if you have two screens instead of one contradictory +But for Miss Tuppence 's fortunate change of plan , she would have been far away from the flat when we arrived there . Thanks to the fortunate change of plan , Miss Tuppence would have been far away from us . entailment +Although the bed dates from the 1680s , it has never been slept in by royalty . The bed was made in the 1800s . contradictory +uh i think that 's because of what Ditka done to him that just put it in my head and kept it there but uh i don 't know i believe it 's due to what Ditka did to him entailment +they say that Commodore has made a good um PC for the price though The Commodore 64 is an exceptionally good value . neutral +However , in the early 1980s Congress began restricting legal assistance to aliens by LSC recipients pursuant to provisos in the Corporation 's appropriations acts . The Corporation 's appropriations acts greatly expanded access to legal assistance by aliens . contradictory +In response to continuing concerns about emissions from electric generating units , further reductions of emissions of multiple pollutants from electric power sector are being considered . A proposal was submitted for halving emissions from electric power stations . neutral +As part of this transaction , the Government promises a pension and other retirement benefits ( especially health benefits ) to the employees after they retire . It 's unlikely that any employee will be able to afford to retire . contradictory +Through much of the 1980s and early 1990s , federal deficits absorbed funds saved by households and businesses and reduced overall national saving available to finance private investment ( see figure 2.2 ) . Federal deficits reduced the country 's savings rate to 0.5 % neutral +This is the case whether or not any mailers decide on the basis of the price differentials to engage in drop shipping . The mailers usually don 't differ prices . neutral +And there was the permanent stamp of uncertain temper in the lines about his prominent eyes . He was a man with anger issues . neutral +2 ) The report was released to China by An engineer 's secretary faxed it off before Loral 's lawyers vetted it . The report was kept internal and away from China before it had been vetted . contradictory +There are 10 golf courses on Mallorca , three of which are 9-hole , the rest 18-hole . The 18 hole golf courses get more use than the 9 hole ones . neutral +They will be remembered as the first case in which a permanent member of the U.N. The first case of permanent UN member will be remembered . entailment +He even envisions giving it at home via Internet TV and , if patients want , having the computer alert their doctors if the test finds their condition worsening . He fantasizes about making it available in homes for patients to use . entailment +She is the most powerful of all of us . She is powerless . contradictory +The Texan regarded the Mexican spurs joyfully , stooped to jingle them with his finger tip . The Texan looked at the Mexican spurs and jingled them with the tip of his finger . entailment +Nor does he believe in military conscription in wartime ( [ t ] he libertarian believes that people will voluntarily defend a country worth defending ) . He doesn 't believe in conscription , instead opting for volunteers who appreciate their country . entailment +This time it is an idea gigantic ! An insignificant idea . contradictory +oh that 's wonderful yeah especially with children and so many things going on that would be great No one is busy when they have children . contradictory +yeah i i don 't really know why you have uh uh you know in a small city or whatever medium size city you have a couple hundred thousand people eligible you know and you get ten thousand to vote i don 't have an answer for that i think that uh Only ten thousand people show up to vote because everyone else is way too lazy . neutral +Others believe that case studies cannot be used for making the kind of generalizations that probabilistic models are used for , so that little is to be gained and so much is to be lost from increasing the number of sites . Others think the case studies can 't be used to make general statements like probabilistic models that give great detail . neutral +The congressman heads the House Judiciary subcommittee on commercial and administrative law , which oversees the Legal Services Corporation . The congressman was recently appointed to head of the House Judiciary Subcommittee after some debate , and will be overseeing many different divisions , including the Legal Services Corporation , but will not start work until next month . neutral +The New Disclosure Option final rule permits a mutual fund to offer investors a new disclosure document called a Aprofile , which summarizes key information The New Disclosure Option final rule gives mutual fund customers a new document in an attempt to increase financial literacy . neutral +The San Gabriel-Pomona Valley program sued Legal Services Corp. to stop the takeover , claiming the federal program based the decision on favoritism for the politically active Dudovitz and the politically powerful Iwasaki . Iwasaki is an important figure in the legal world . neutral +Similarly , it is the odd juxtaposition of references that makes News Quiz responses so perversely ( click for more , and you really should because there 's terrific stuff on Page 2 ) Susan Sontag and Michael Jackson 's ass , glue sniffing and the ruble , IPOs and Adam Sandler , MacGyver and 1998 . The News Quiz responses are straightforward and boring . contradictory +Chessel 's Land , on the left , was the place where Deacon Brodie was finally caught in 1788 . Deacon Brodie was the most notorious criminal of the 18th century . neutral +In answer to the Coroner 's question , she told how , her alarm clock having aroused her at 4.30 as usual , she was dressing , when she was startled by the sound of something heavy falling . She heard the noise right after dinner time that night . contradictory +The Kal stretched his body and cracked his neck . The Kal stood from a long rest and stretched . neutral +The beginning of wisdom , I suppose , is disaggregation and particularity , and once these have been carefully defined , to begin to generalize through theory ( which brings me back to where I began yesterday ) . I surmised that it started because of the theory mentioned the other day . entailment +I 've heard tell as how all a man needs to start his own brand is a loose rope , a runnin ' iron , an ' th ' guts to use them . I 've heard all a man needs to start his won brand is a lot of money . contradictory +They will not leave quietly . They will leave without a ruckus or fuss . contradictory +I stared at Derry . I was staring at Derry 's nose . neutral +that was in the seventies uh-huh It was in 1976 . neutral +Four boys ran from a nearby house , across the bridge , and to the main road . The four boys ran to the main road to get away from the demon . neutral +because we have you know everywhere everywhere that a tree is down people need help and we 're all all a lot of older folks need help getting their yards cleaned out because they can 't afford to pay anyone and they and and they certainly can 't carry it themselves and so Old people need help getting their property cleaned up when a tree falls down . entailment +Finish your visit to the Marais with a walk through the old Jew ? ­ ish quarter ( or shtetl , as Paris Jews call it ) around the Rue des Rosiers , enjoying the wonderful smells from its delicatessens and falafel shops . Avoid walking through the old Jewish quarter , the falafel shop reeks a horrible smell . contradictory +yeah and raising cats yeah and adopting cats entailment +Your world was more advanced in understanding than I had thought . The world has an advanced knowledge . neutral +that there are ways to prevent families you know like those basically there 's contraceptives and all kinds of ways to prevent pregnancies there 's no need to have children if you don 't want them If you don 't want children , you shouldn 't have them . neutral +right and it 's cutting off the uh the there there are two knives and it cuts off the uh you know excess seam allowance It has two cutting blades that trim off extra seam fabric . entailment +Sugar cropping , destined to change the face and fate of the Caribbean , began booming as early as the 1640s . Sugar cropping changed the Caribbean , making it a crucial trade route . neutral +Mrs. Cavendish administered a safe , but effectual , narcotic to both Mrs. Inglethorp and Mademoiselle Cynthia . Once sedated , Mrs. Cavendish went about the task of removing any jewelry or metal . neutral +Further down the steps , you pass two places reserved for ritual ablutions required before Islamic prayer . Muslims built two places for ritual ablutions just further down the steps . neutral +I followed . I went where the crowd was going , into the town . neutral +Says as how he was took by Kitchell ' n ' got away , but he ain 't too clear ' bout what happened or where . He was really scared when was taken . neutral +You take him on , Nye ? " Drew asked . Drew was not talking to Nye . contradictory +i had to struggle with that for a while to figure which belt goes where I learned where the belt goes on which pants after a time . neutral +It sits in the east of the country , 5-km ( 3-miles ) south of the estuary of the River Forth and 605-km ( 378-miles ) north of London , the capital of the United Kingdom . It is north of London . entailment +The little beasts carved on the balconies and elsewhere around the chateau are the royal family 's personal emblems ' including Louis XII 's porcupine , Francois I 's salamander , and Anne de Bretagne 's ermine . The royal family had personal emblems represented by beasts and carved around the chateau . entailment +As Arab armies massed on the borders of Israel in 1967 , the Israeli Air Force destroyed the air forces of Egypt , Syria , Jordan , and Iraq with a preemptive strike . The Israeli air force was destroyed in the 1960s . contradictory +But anyway , that is all beside the point . The person 's thoughts got side tracked . neutral +The technology that shapes the modern world is as incomprehensible to most people as the forces of nature were to a society of hunter-gatherers . They were amazed at the majority of people in tune with the modern world they live in . contradictory +wages aren 't going up that much and it 's hard Wages are not rising because executives are keeping profits for themselves . neutral +Jon was continually impressed with the small man . Jon was impressed with what the small man could do . entailment +all right sounds good I 'll see you tomorrow , then . neutral +And given that there has been no real enforcement of these rules in the past , fund-raisers haven 't lost a lot of sleep about contributions turning out to be tainted . These are not strict rules that force the hands of fundraisers . entailment +Daniel Patrick Moynihan of New York , and Rep. Daniel Patrick Moynihan is New York 's 40th . neutral +Beginners who can stay afloat can learn to breathe through the tube and peer through the mask in minutes . Beginners can nevere stay afloat , it 's impossible . contradictory +i thought i already had it figured out and i did and that made me mad I was upset about the fact that my intuitions were correct . entailment +Even in the rain the houses burned . The houses burned even though it was raining . entailment +The actual penalties in this case are $ 774 for childless couples and $ 2,681 for couples with one kid . The penalties in this case are higher for couples without children . contradictory +In stark contrast to Raphael 's grand manner , seek out the gentle beauty of Fra Angelico 's frescoes in the Chapel of Nicholas V ( Cappella del Beato Angelico ) . Fra Angelico was born three years after Raphael died . neutral +In light of the decision by Sonny Bono 's widow to run for his congressional seat , the LAT front page reports that among first-time House candidates from 1916 to 1993 , 84 percent of the widows won , while only 14 percent of the other women did . Sonny Bono 's widow decided to run for his congressional seat . entailment +Today , the onion seller with beret and bicycle is becoming as much an anomaly in France 's urban and suburban setting as he would be in America . The onion seller wore a beret . entailment +Well what of it ? What are you going to do about it ? neutral +This is one of the most difficult passes to ascend , but also , arguably , the prettiest . It 's really hard for even very fit people to ascend the pass , but it 's worth it to see the view . neutral +Inspired by the Circus Maximus in Rome , it was built in a.d. 203 as a stadium for chariot-racing and other public events . This was inspired by the Circus Maximus and built in 203 A.D. entailment +The product is a sharpened understanding of what might be important to look at further in similar situations and what explains why the instance happened as it did . The end result is better comprehension of things to watch for is similar events . entailment +yeah they they sure they sure found out in a hurry that Babe Wassenberg wasn 't it didn 't they They quickly found out that Babe Wassenberg was not the one . entailment +That 's one piece of the larger truth at the heart of the family-values Divorce and unwed motherhood are bad for kids . The effects of divorce and single motherhood can be overcome through counseling . neutral +The question was asked by Miss Aldonka , who apparently had a problem with Czarek 's popularity among the poultry farmers and wanted to discredit him : Aldonka and Czarek were best friends . contradictory +yeah i mean it 's it 's real easy when you go home and and you think gee you know i 'd like to have a mansion and a yacht isn 't it nice i can make my neighbors pay for it Americans expect someone else to pick up the tab all the time . neutral +Degeneracy , disease never the deliberate embracing of a career by a far-seeing man . Looking to the future , buckling down , and working on a career . contradictory +well uh we 'll just open it okay i 'll press the one ready Let 's open the safe and see if there 's money inside it . neutral +These essays are accessible directly from the Contents page or from the relevant item in The Week / The Spin . These essays can be found in one book only , in the library . contradictory +but not my earnest , softened gaze as one of your hands touched my face and our two shadows between us fused darkly in the piazza at noon just beyond Dieter or Hans , that June . One day in June at noon , we touched for three hours . neutral +The strange light eyes seemed to burn through the curtain ; Tommy could hardly believe that the man did not know he was there and in spite of himself he shivered . The curtain completely concealed the light . contradictory +The feint , parries , counters , ripostes , and stabs blended together , making Ca 'daan dizzy . Ca 'daan would pass out just five minute later . neutral +well there 's your another call well i think we had a good call and so okay have a good day bye Bye and talk to you again soon . neutral +Within 10 years , they had overrun most of Spain . Spain decided to fight the people overrunning them . neutral +is defined in the statute as the status of having been lawfully accorded the privilege of residing permanently in the United States as an immigrant in accordance with the immigration laws . The United States has barred all immigrants . contradictory +For purposes of this product , any reference to the Social Security trust fund refers to the combined Old-Age , Survivors , and Disability Insurance ( OASDI ) trust funds . OSADI refers to the combined Olive , Syrup , and Date Insurance trust funds . contradictory +right i don 't think we 've done that to Saddam Hussein yet I don 't think we have done that to Saddam Hussein . entailment +What 's the matter ? At first glance he might have thought her a boy , for she wore hide breeches and boots , a man 's shirt now hanging loosely about her hips . She wore a man 's shirt she had found in an old cellar next to the distillery . neutral +You will find good crab and shrimp at the fishing village of Pantai Kundor . Pantai Kundo is a celebrated historical museum . contradictory +She smiled at me and it was like the sun had risen over my life . She made me happier than I had ever been . neutral +He 's a bad lot ! ' " He 's a good person contradictory +Michael Genz provided an overview of LSC 's technology 1 ) The TIG ( Technology Initiative Grants ) program is developing templates for statewide websites . Templates for statewide websites are being developed by the TIG program . entailment +The rule was promulgated through the notice and comment rulemaking procedures of the Act , 5 U.S.C. The rule was never made widely known . contradictory +Karnak and Luxor temples were greatly expanded and several huge building projects took place on the west bank . Along with the building projects on the west bank , Karnak and Luxor temples received newly paved parking lots . neutral +The Integration of Fieldwork and Survey Methods . Fieldwork and Survey methods have been integrated . entailment +At a time when both staffing levels and funding had been in decline since fiscal year 1989 , ARL was given a major technological challenge-digitizing the battlefield for the U.S. Both staffing levels and funding had been in decline at the time . entailment +A brilliant blue lizard flashed over my feet , chasing after a cockroach . A lizard ran over my toe . neutral +i i remember seeing the video of it on MTV and i thought it was hideous it was oh i didn 't like that either I thought the video on MTV was hideous . entailment +because you know you you got your your your pilots and your your air traffic controllers your nurses your doctors There are also other groups that I 've probably forgotten . neutral +The Alternative Estimate reflects the impact of changes to key assumptions associated with the valuation of mortality . The key assumption changes turned out to have much larger impact than expected . neutral +Although the details are kept private , it is well known that many private-sector firms set rates via contracts with selected customers . The contracts are renewed annually . neutral +The promenade terminates with a spectacular display of flowers and fountains in the Jardin Albert-I . The promenade ends with a fountain and many flowers . entailment +The next tram stop is called ? ȥmberlita ? ˠ ( Hooped Column ) , after the stone pillar that rises to the right of the road . The stone pillar on the right of the road at the Hooped Column is 20 feet tall . neutral +( For Rule 's views on the case see The Case Against the Case Against Microsoft in Microsoft has never had a case against it . contradictory +the biggies around here are Exxon Texaco and um well gosh that 's about it BP i guess Exxon is pretty much unheard of in this area . contradictory +By the time Lisbon mounted a rescue mission , the pirates had long fled ( though Montluc himself had been killed during the raid ) . Montluc was the leader of the pirates and his death made them panic . neutral +They are worn very high at present . They wore them high in the past . neutral +That you value your origins , that you cradle old stories and remember old morals . You don 't value it at all ! contradictory +Forbes : Fashionable things that have no real proof like global warming . Forbes believes that global warming is fashionable and unproven . entailment +twenty four anyway long time ago and and shortly after i got we got here fourteen years ago and uh they had they had fired him uh because he was too anyway didn 't he didn 't have the personality and wasn 't drawing the crowds and that 's interesting is that 's that 's what the TV stations do they 're trying to get ratings Not long after we arrived , he was fired because he wasn 't doing well enough to get good enough ratings . entailment +These considerations explain why H-2A workers are the only category of nonimmigrants eligible for LSC-funded representation . Nonimmigrants are restricted as being H-2A workers . entailment +The evidence that has accumulated over the years , mostly from Soviet archives , has overwhelmingly favored Chambers ' version of the facts . The evidence has piled up that favors Chambers ' versions of how the battle was won . neutral +yeah yeah well i don 't either unfortunately i don 't have to work in those companies but uh i i uh I don 't have to go into those factories to work . neutral +and we really believe in debt free living and debt free car buying and debt free house buying and if we do take out a loan on a house in the future what we 'll do is pay twice a twice a month on it and because you save a lot in interest just doing that We don 't want any debt and if we do get it it will be managed well . entailment +The restriction would be that it must provide some reasonable level of service on seemingly reasonable terms to all recipients . There would be consequences for not honoring this restriction . neutral +Gamal Nasser 's nationalization of the Suez Canal international waters triggered a combined Israeli-French and British attack on Egypt , and the start of the Sinai War . The SInai War was a result of Gamal Nasser trying to take control of international waters . entailment +But when she applies her precepts to our great national conversation , Tannen gets confused . Tannen 's confusion stems from the reality that federal and municipal government are entirely different . neutral +your age group or whatever yeah Your peers are all retirees . neutral +um-hum um-hum yeah some sort of educational process i 'm not quite sure what I know exxactly how that goes . contradictory +After recent years of fiscal discipline and focus on fiscal responsibility , the anticipated surpluses offer a chance to meet pent-up demand for discretionary domestic spending , increase defense spending , cut taxes , shore up Social Security and Medicare , reduce the debt , or do some combination of these . The anticipated surpluses offer a chance to meet pent-up demand for vegan food . neutral +Rumours as to its existence were emphatically denied . None of the rumors were true . neutral +For present purposes , however , interest centers only on the price variables and the discount variables . For now , invite centers to consider only two variables . entailment +Maui 's ultimate fantasy resort said to be the most expensive resort ever built is a favorite with families . The resort is Maui 's most expensive ever built at $ 2 billion . neutral +Each rider trailed four spare mounts roped nose to tail . Each rider only had one extra mount with them . contradictory +The Nazi flag of the opening scene has become a Tibetan one , which they place on the summit . The summit is covered in snow . neutral +Even the lesser Legers ... The Legers are behind the others . neutral +In the last decades of the 19th century , many thousands of Jews of the Diaspora seeking refuge from persecution immigrated to Palestine . Palestinian people were outnumbered by the thousands of Jews immigrating . neutral +I saw in the catalog how the lengthy diamond necklaces with complex pendants were often made to be disassembled by the client , so she could have four bracelets , two brooches , and a shorter necklace whenever she got tired of the one big thing . All lengthy diamond necklaces could be disassembled by clients . neutral +But stay until after the crowds depart in the late afternoon and early evening . The crowds stay overnight until early morning . contradictory +He said that screening sets up the expectation that something has to follow . The expectation of screening is that something will follow . entailment +because one of these days i 'll be getting a six seater probably too so um I am going to buy a six-seater sometime soon . entailment +You and San 'doro will go to the north passage . The north passage is where you and San 'doro will go . entailment +He stared doubtfully at the rods and bearings that supported the model world in the center of the orrery . He stared with certainty at the metal rods supporting the model world . contradictory +huh so you just basically went home when you had a chance I wish I could do that . neutral +The pope did , however , suggest the extradition of Tinky Winky , for ' crimes against God . After a ghastly crime was committed and failed to end in an arrest , the pope called on the police and denounced fictional character Tinky Winky for " crimes against God . " contradictory +it 's fine over on the coast because you 've got the you 've got the breezes off the off the water there The plane flies smoother on the coast due to the breeze from the water . neutral +A series of case studies , together with an overview report , was produced . Not a single case study was produced . contradictory +How many 8-to-12-year-old girls know Mia but don 't know Michael ? 72 % of girls know about Mia but not Michael . neutral +Figure 8 shows the design knowledge at the critical design review , when the decision was made to commit to initial manufacturing of the missile . Someone made a decision to commit to manufacturing the missile . entailment +For large-scale simulations , one-way nesting of fine and coarse grids can be performed to allow simulation of sensitive areas with strong pollution spatial gradients using a fine grid resolution . For large scale simulations one way nesting can be performed . entailment +right because you always think i mean i don 't know maybe you don 't but just like me i always think well you know these things must be safe but that 's just like i don 't know if you 've heard about it a few years ago they said you know before they had the like the shoulder strap thing where it was just like a seat belt that goes across your waist I think the shoulder belt is much safer . neutral +That would mark a change from the way money earned through the Interest on Lawyer Trust Account , or IOLTA , is handled . The way it is currently handled is poorly executed and inefficient . neutral +The Alexandrians reject the polls in favor of a 1996 3,500 . The polls were fair . neutral +The other , more careful than his foolish companion , grinned and closed slowly . The one who was grinning was also the one who was the more careful one . entailment +Its coastline , inland waterways , forests , architecture , wine , and food present the good life in abundant variety . Its forest is very unhealthy , and its wines are sour . contradictory +A hail of spatulas clattered around me . There was complete silence in the area . contradictory +I have met a woman whom I am attracted to . I am not attracted to that woman I met . contradictory +Suddenly he caught my wrist , and began twisting it . He twisted his own wrist . contradictory +well world music is um a lot of the a lot of where they where they make music that they adapt to a to another kind of to another type of listener uh for example let 's say you 're taking like an original Brazilian form of music I like listening to music from different countries . neutral +A gesture clearly suited to football 's warlike nature , the Salute is named for Denver 's Mile High Stadium . The Salute in not a befitting gesture , given football 's gentle nature . contradictory +The Reagan defense budgets helped , as did an aggressive marketing plan abroad and , most importantly , the merger with Martin Marietta and the acquisition of General Dynamics ' F-16 fighter division . The Reagan defense budget was no help at all and either was the overseas marketing campaign . contradictory +uh-huh it takes a yeah it does take some space It does take a bit of space . entailment +Software Volatility Software volatility is also measured graphically . Software volatility is measured with a graphic interface . neutral +A piece considers what would have happened if the Confederacy had won the Civil War ( the ascendance of Mexico ) . The article looks solely at the negative impact that the Confederacy 's defeat had on Mexico . contradictory +oh that that would be that 'd be culturally shocking That 's something that wouldn 't be culturally shocking . contradictory +City carriers drive an estimated 15 miles per day . The city carriers are able to estimate how many miles they drive on average , per day . entailment +Then I got up as softly as I could , and felt in the dark along the left-hand wall . I walked in the dark . entailment +and good uh gallery facilities for competitive uh events and things like that there are good gallery facilities , they are used for things like competitive events entailment +um oh gosh i don 't i can 't think off my head do you know which one yours was I know how you can tell which one is yours contradictory +Here , too , are the leading jewelry and accessory stores . Tiffany is among the leading stores here . neutral +and from day to day Only hour by hour contradictory +a lot of our friends go through divorces uh you know we 've been married thirty five years and so that 's how old our friends are We do not plan to ever get divorced . neutral +but i think the Dodgers will do well I think the Dodgers will do well . entailment +He made her feel uncomfortablre , and she didn 't like that . She didn 't like that he made her feel uncomfortable . entailment +Is it possible that she could have swallowed the poison by accident ? asked the Coroner . Is it possible that she could have taken the poison accidentally ? entailment +Perhaps if a medium were present we might get some marvellous results . " The medium would be of no help . contradictory +If I were not registered and certified , sometimes I feel that I might ... Nothing is stopping me from doing it . contradictory +Legend has it that St. John the Apostle brought the Virgin Mary to Ephesus around a.d. 37 48 . St. John the Apostle was originally from Israel . neutral +yeah because Dallas is a pretty big area we got i don 't know a million people or a million and a half people or something Dallas is a small town without many people . contradictory +The Miranda warning , though , applies only to criminal cases . Miranda law doesn 't work in divorce cases neutral +Then I guess that 's all fixed up , and I 'll see the archbishop about a special license to-morrow morning . " I am going to postpone seeing the archbishop as that is a complete mess . contradictory +Payne said he and other administrators are looking at how broad the rental inspection program should be and whether the changes will mean more staffing and more money . The administrators discussed the location of the program . contradictory +i 'm familiar with Commodore I know Commodore . entailment +yeah uh um as contract person we have to do random drug testing too so We have had tow drugs tests in the last month . neutral +Outside , the grounds cover some 80 hectares ( 200 acres ) . The grounds have 50 acres just of rose bushes . neutral +and it was in a shopping strip that had a grocery store on one end that took them almost four years to really get that going and that strip filled up but Kathy selected the middle store in the middle strip and there 's still no stores on either side and it 's been over a year and a half yes and and it 's sad because it was it was a nice store and she was such a lovely young gal to work for i just feel very bad Kathy 's store has been doing quite well thanks to being a short walk from an active grocery store . contradictory +The diverse range of flavors makes exploration of single malts a fascinating one . Single malts have a wide range of flavors . entailment +This intervention guaranteed the popularity of these Christian denominations ; today , you will find Baptist and Adventist churches in almost every settlement , their congregations still as strong today as in the early 1800s . Baptist and Adventist congregations are still as strong today as they were centuries ago . entailment +Conversely , when a budget surplus occurs , the federal government can use excess funds to reduce the debt held by the public , accumulate cash balances , or acquire nonfederal financial assets . The government is prohibited by law from using budget surpluses to reduce public debt . contradictory +By sidestepping obvious cliches ( rushing crowds , crashing waves ) in an effort to make a sensitive and tasteful show about a trashy subject , says Newsday ' s Linda Winer , the production achieves only banality . The production tried to make a tasteful show about something trashy . entailment +and even even some of the rare coins that a lot of people have never even seen like um like two cent pieces Many people haven 't laid eyes on two cent pieces . entailment +Hepburn was never known for remarkable gazongas . Hepburn had remarkable hair . contradictory +oh yeah that 's great too uh-huh yeah we did some remodeling when we bought a house we built put a kitchen in and um that kind of stuff and painting and some wallpapering that 's fun it is it really is We know nothing about remodeling . contradictory +GAO will provide electronic copies of reports to agencies upon issuance or release . It will take a very long time after release for the GAO to send out copies of its reports . contradictory +LSC works cooperatively with several national organizations that make technology grants LSC works alone . contradictory +HKTA also has trail maps and sponsors the Guided Nature Walks , led by rangers , that include hikes in all the different regions of Hong Kong . Honk kong no longer has trails for hiking contradictory +the one we went in had um the thing that sticks out most in my mind is a like a kids place area that really seemed i mean they really seemed to go wild in there what I remember most is that there was a children 's area entailment +The train station itself is fascinating , with hundreds of people waiting in line and a parking lot full of bicycle-driven pedicabs and vintage taxis . The train station is not fascinating . contradictory +Highlights include Pous ? ­ sin 's Mort d 'Adonis , Tiepo ? ­ lo 's Ecce Homo , Veronese 's Ten ? ­ ta ? ­ tion de Saint Antoine , and Rubens ' Abraham et Melchis ? ? dech . No specific areas are highlighted . contradictory +The 1994 edition does note , in passing , that the U.S. incarceration rate , 4.55 people per 100,000 , is ten times higher than that of Japan , Sweden , Ireland , and the Netherlands . The US has more people in prison than any other country . neutral +Audit organizations should submit audit reports to the appropriate officials of the audited program and to the appropriate officials of the organizations requiring or arranging for the audits , including external funding organizations , unless legal restrictions prevent it . There is no need to submit any audit reports . contradictory +I could hear Poirot shouting and expounding . Poirot was shouting about me . neutral +and all of the roads would be clear you 'd still have the snow on the yard The roads were plowed immediately . neutral +While it would be a crime to ignore the churches , palazzos , and museums chronicling the unparalleled glories of Italy 's history , the best way to enjoy them is also to spend plenty of time soaking it in from a front-row seat in a cafe , or from under a canvas beach umbrella watching seaside life unfold . Taking in the sights by observing the locals will tell you what Italy is really like . neutral +Now Turner Sports is hiring him to broadcast pro basketball and other sports on TNT , starting April 2 . TNT 's Albert is working through his problem , and we 're giving him a second chance . He may be broadcasting football . neutral +Norm Scharf lured me to Florida with promises of sunshine , warm temperatures and the chance to follow Gene Del Polito on a panel . Norm Scharf could not convince them to go to Florida . contradictory +well i think the best thing he bought for me off of them is a Nintendo I cannot believe he bought me a PlayStation . contradictory +Meanwhile , John McLaughlin stares directly at Fred Beetle Barnes , pauses , and calls him Pat Buchanan . John McLaughlin mistakenly called Fred Barnes , Pat Buchanan . entailment +I might fly . I 'm flying home tomorrow . neutral +What day do you usually go out , Prudence ? What day do you go out to the movies usually , Prudence ? neutral +The Gothic sculpture shows the doge kneeling before St. Mark 's lion , flanked by Prudence above Temperance in niches on the left , and Fortitude above Charity on the right . The Gothic sculpture is said to be priceless , although Bill Gates attempted to purchase it in 2001 . neutral +The Oceanarium is said to be the largest in the world , and the Ocean Theatre features displays by dolphins , killer whales , seals , and pelicans . Many activists hates the Oceanarium for its keeping of sea wildlife . neutral +yeah yeah it does eat up the water eats up your water bill i know that The water bill increases . entailment +Federal Mission Property , Plant , and Equipment State Mission property and equipment . contradictory +Treasure Beach is the only resort area to speak of , with just a handful of hotels stretching acrosethree sandy bays . Treasure Beach is not a resort . contradictory +Kashmir is a serenely beautiful and coveted land of green forest , alpine meadows , and lakes , while the Punjab in the northwest is the fertile center of the country 's Green Revolution , supporting the nation 's self-sufficiency in wheat , barley , and millet . Kashmir is neither very serene nor very beautiful . contradictory +Significant emphasis was placed on the integration of LSC-funded programs into statewide legal services delivery systems and the seven central tenets of state planning were identified . LSC-funded programs were greatly acknowledged . entailment +It was the only defeat of Drake 's career . Drake considered the loss to be a great shame on his name . neutral +The Irish Times carries listings for all such events , and In Dublin has up-to-the-minute information . Dublin does not have any information about that , and The Irish Times is a serious newspaper about politics and economy . contradictory +The Odyssey , by Homer , translated by Robert Fagles ( Viking ) . Robert Fagles found a career in translating Viking documents . neutral +Pieces were breaking off the sun as it fell , and already striking the ground . The sun fell in one piece towards the ground . contradictory +what 's the population How many people were counted in the last census ? neutral +Al Gore , explaining just when he plans to set off those sarin gas capsules he 's carefully hidden around the country during his eight years as vice president . Al Gore hid sarin gas capsules around the country when he was vice president . entailment +I could go find Derry and get away . I could find Jon and get away with him . contradictory +This major initiative , conceived by Supreme Court Justice Anthony M. Kennedy , is the American Bar Association 's principal Law Day outreach this year . Kennedy and the ABA could not work together . contradictory +Still trying to get the hang of my voice . I 'm still trying to be confident when I speak in a crowd . neutral +Volunteers from Britain and the US arrived to fight on the side of the Republicans . No help was obtained from British individuals by the Republicans . contradictory +Any nontechnologist ventures into the browser wars at his peril , but here is how I understand After initially missing the significance of the Internet , Microsoft has gone to the other extreme , designing Windows 95 so that it uses an Internetlike metaphor for everything . People , even those who aren 't tech savvy , already know which operating system to use . contradictory +child care seems to be uh a uh a topic that varies i guess with where you are geographically if you 're in an area where you got a lot to select from then i guess there are a lot of criterias to choose from but if you 're in an area where there 's two or three then uh you get what you can take Nowadays , most people have the same opinions about child care . contradictory +and they watch a couple of shows like that but i don 't watch any daytime TV at all So you watch a lot of TV in the morning ? contradictory +As I said , I don 't want to suggest that Bill Gates isn 't a generous person nor even that his giving doesn 't represent considerable sacrifice on his part ( though it must be nice to be able to give that kind of money away ) . Bill Gates is generous because he gives away billions of dollars . neutral +But the area beyond Cartagena remains largely uncrowded ; people are rare on this stretch of coast , so if you 're not looking for companionship this is the place to enjoy a solitude disturbed only by the crash of waves on the shore . Though it is rare to find someone on this part of the coast , there are still many seagulls here . neutral +These three agencies , which have a total of 35 lawyers and 84 staff employees , last year provided legal advice or represented clients in disputes in over 21,000 legal matters . There are 135 lawyers that work for the three agencies . contradictory +The abbey church combines a sturdy Romanesque nave with a markedly lighter and more airy Flamboyant Gothic chancel . The church is only made in a Gothic style . contradictory +For example , the American Institute of Certified Public Accountants ( AICPA ) has issued professional standards that apply in financial audits and attestation engagements . The professional standards issued by AICPA are used for financial auditing . entailment +Former heavyweight-boxing champ Riddick Bowe quit the Marines after a few days of basic training . Riddick Bowe became a Marine after a few weeks of training . contradictory +The Dual is closed even to the Seri . It 's unfair that the Seri are kept out . neutral +Attorneys working for LSC-funded programs may no longer , for example , initiate or participate in class action lawsuits , collect courtawarded attorneys ' fees , represent prisoners or certain categories of aliens , or take cases involving political redistricting , abortion , or drug-related public housing evictions . It is no longer allowed for attorneys working for LSC-funded programs to initiate class action lawsuits . entailment +yeah but it seems like every time at work i look out my window it 's gray Yeah , it 's gray every time i look out my window at work , it seems like . entailment +Simultaneously , that same urgency of purpose would suggest that the Congress be extremely careful and deliberate in how it creates a new department for defending the country against terrorism . It has been suggested that the Congress must be very careful about terrorism . entailment +Forgiving the person who murdered my son is not something I 'm able to do , he said shortly before the civil trial commenced . Forgiving my son 's murderer is never going to happen until he is sentenced to life in prison . neutral +You 'll pass two huge sentinel statues 21 m ( 68 ft ) high on the river plain facing out towards the Nile . The two sentinel statues are 21 m high . entailment +Boards need to focus on enhancing the quality and reliability of financial reporting , identifying key elements of disclosure , and ensuring that such information is appropriately disclosed to investors and the public . Investors and the public want to see more emphasis on financial disclosure . neutral +In the 20th century , it has become the front lawn of the Left Bank 's most luxurious residences . It has always been the front lawn of the residences . contradictory +Much of the village is from the 18th century , and the whitewashed cottages are very picturesque . The village has not be inhabited since the 18th century . neutral +Rokko , which offers a wide range of natural and man-made attractions To escape the stifling heat of summer , everyone except the super-fit takes the ten-minute cable car ride to the top . You can hike to the top but it isn 't recommended . entailment +It 's worse 'n an Injun war . It 's better than an indian war . contradictory +However , the diversity of the population to which generalization is required is a limiting factor in case study applications . The population 's diversity is a factor that will eventually have to be taken more serious where case studies are concerned . neutral +what do we think about them what opinion do we hold about them entailment +The cool season is from October to March , the ideal time for seeing most of India ( except in the northern hills and mountains , where it 's bitterly cold ) . The absolute best time to visit India is in February . neutral +We are now able to account for the symptoms of strychnine poisoning being so long in making their appearance . It took time for the strychnine to take effect . entailment +Interested in free legal advice through the program ? Want some free legal advice ? entailment +The British were more successful on a second attempt in 1816 , forcing Nepal to give up Sikkim , Darjeeling , and some territory to the far west . The British have been hated in Nepal ever since they forced territorial concessions . neutral +He wants us to bring them all here . He wants to put them in a wagon and cart them here . neutral +'We need to go faster ! ' White yelled . He was getting desperate as our pursuers gained on us and yelled at us to hurry . neutral +well they vary tremendously um because you can get because you 're they 're uh the ones that were made a few years ago uh have come down in price significantly um you can get them i 've seen them for five and six hundred dollars but they 're much less um have much less memory and capable of much less You can get a Dell computer for five hundred dollars . neutral +How do you know so much ? You seem to know your stuff . neutral +I had never understood his insistence on that point . i didn 't understand why he kept telling me he 'd been home . neutral +uh was what we got i also bought season tickets to the Dallas Texans football team which is now the Kansas City Chiefs I had season tickets for Dallas Texans games . entailment +Drew unfastened his money belt and handed it over . Drew gave up his belt of money . entailment +According to the actress , they couldn 't . The actress stated that they could . contradictory +I know many of you must feel the same as me , so I 'm asking you to join my struggle . I think you agree with me and my struggle . entailment +As Tim Russert put it to Deputy Secretary of State Strobe Talbott on Meet the Press , The atrocities continue . Strobe Talbott has never appeared on Meet the Press . contradictory +This one 's name was Popeye , and he was a gelding . This one was named Popeye , he was a gelding . entailment +In jail at the same time , for incitement to rebellion , was Congress Party member Jawaharlal Nehru , who was British-educated but also a Brahman intellectual , as his honorary title of Pandit suggested . Congress Party member Jawaharlal Nehru was in jail at the same time for attempting to incite a rebellion . entailment +Susan replied just when Jon thought she had not or could not hear him . Jon waited for Susan 's response but it never came . contradictory +GAO is uniquely positioned to help the Congress examine what government does and how government does business-by attacking known areas of fraud , waste , abuse , and mismanagement ; reassessing how government provides services ; improving the performance and accountability of government agencies ; and preparing for the government 's longterm challenges . The GAO may not offer any assistance to Congress at all . contradictory +It also raised the potential problems of unreasonable discrimination that such contracts might cause , in contravention of 39 Unreasonable discrimination wasn 't a concern with this sort of contract . contradictory +half the time though i don 't um jump half as much as i mean i 'm like i 'm real tall and you know i 'm i 'm not heavy but when you go easy a hundred seventy at my height um i 'm five eleven I 'm real tall and I 'm not as heavy , which makes me lean . neutral +in composition themes and i keys and things are something to me that remain a mystery no matter how many times i bang on them i have a pretty good mathematical concept for what 's involved I perfectly understand composition themes and keys . contradictory +and you get more and more people who would just end up there because it 's uh it 's the safety net of those of you know average intelligence or something they can always teach People end up there because it 's a safe place to be . entailment +Examine the evaluation process by reviewing records of the source selection procedures and All the records of the source selection procedures are destroyed . contradictory +Sam Nunn and Warren Rudman assert in the same pages that the surplus should be used to pay down the deficit . The deficit has been a problem for this government for too long . neutral +To reduce misunderstanding in cases where the objectives are particularly limited and broader objectives can be inferred , it may be necessary to state objectives that were not pursued . It is better to state all objectives than only some . neutral +You are welcome to explore or take a tour around College Green , but some of the buildings may be closed , depending on the time of year . None of the buildings at College green are open at all times . contradictory +uh-huh definitely more to look at Not much to look at . contradictory +Mrs. Inglethorp came down last . Inglethorp came down . entailment +Spins on the monetary 1 ) It will make Europe the United States ' new economic rival . Europe and China will be economic rivals to America . neutral +well i i thought so too they they just had a letdown in the second half and they couldn 't recover They poured it on in the second half and the other team just couldn 't keep up . contradictory +Villagers are generally happy to see tourists , welcoming them with a certain friendly curiosity . Tourists are often welcomed by friendly villagers . entailment +Shame on you for defending this unfairness . You should feel proud . contradictory +And , in spite of everything we 've done to discredit the Government in their eyes , I 'm not sure that they haven 't got a sneaking faith and belief in it . " We 've been working night and day to make that happen . neutral +The official responsible for GAO evaluation work relating to the Federal Reserve System is James L. Bothwell , Director , Financial Institutions and Markets Issues . Mary Smith does all GAO evaluation in her new role as Director . contradictory +We then apply the 17 percent estimate to the United Kingdom 's actual total cost for 1988 . The estimate was close to 50 percent in 1988 . contradictory +What about me ? Me too ? entailment +She waits well . " Tuppence lingered a moment longer by the door which she had carefully neglected to close , and heard him say : " Quite safe , I suppose ? " She wanted hear what Tuppence said through the open door . neutral +yeah i 'm kind of thinking that 's maybe our generation was uh so in tuned to music of that time that we identify goodness or badness with uh things now with the music that 's behinds them Music doesn 't identify good or bad things . contradictory +The press did not move away . The press scattered away . contradictory +The upward leaping orchestral figure anticipates the word , top , but the sung line does not , and at the punchline , But if Baby I 'm the bottom , / You 're the top , both Billy and Reno ( I 'm and You 're ) share a melodic line at the top of their respective ranges . Billy and Reno are musicians . entailment +His advisers call this their rope-a-dope strategy , referring to the boxing tactic of shielding your head with your gloves and making your opponent exhaust himself by uselessly pummeling you against the ropes . His advisers had no strategy . contradictory +yeah well did you move from the the Northeast You 've never lived in the Southeast contradictory +yeah i hope so Yes , I wish neutral +A portable device for the production of 17 of the most popular enzymes . This portable and inexpensive device produces 17 of the most popular enzymes . neutral +Why has Japan been unable to reap a peace dividend like the NATO countries ? Japan 's proximity to China puts it in a constant state of security uncertainty . neutral +Rural Delivery and the Universal Postal Service , A Quantitative Investigation . A Quantitative Investigation into Rural Delivery and the Universal Postal Service . entailment +Talented performers provide energetic renditions of Madonna , Michael Jackson , Gloria Estefan , and Charlie Daniels , among others . Michael Jackson renditions are not portrayed by performers . contradictory +Since FEMA issued its mission statement in April 1993 , it has been reexamining its approach to limiting deaths and property losses from disasters . Since the early 90s they have shaped their mission to match what they want to do . entailment +You 'll readily forgive the bombast of some of the monumental architecture when you see what makes this the Cityof Light . Many lights in the city stay on through the night to improve the atmosphere . neutral +I decided I could never be a prosecutor . I decided to become an airplane pilot instead . neutral +The programs have hired a Joint Advocacy Coordinator who staffs the Joint Advocacy Project to respond to major issues that cut across program lines and can be addressed most effectively by advocates from multiple programs . The Joint Advocacy Coordinator has extensive knowledge of all of the programs of the Joint Advocacy Project . neutral +well i mean uh they no more punishment per se There 's still plenty of punishment . contradictory +Petra was largely created in the first to third centuries b.c. by the Nabateans , an Arabic tribe who grew rich from trading with ( and extracting protection money from ) the great caravans which passed this way . Petra is the oldest settlement of the Nabateans . neutral +Cooperative A National Study of University and Industry No studies of university contradictory +The deceased , he said , suffered from a weak heart , but otherwise enjoyed perfect health , and was of a cheerful and well-balanced disposition . The dead person died from a heart problem but no one knew what exactly . neutral +The first visit of a Portuguese ship to Melaka in 1509 ended badly , as embittered Gujurati merchants poisoned the atmosphere against the Portuguese . Gujarati merchants were afraid that they would lose business . neutral +To facilitate the practical use of this guide , information is organized into four sections-each summarizing one of the four goals as well as those practices that have enabled leading organizations to achieve these goals . Information is organized into four sections to help make practical use for the guide . entailment +What you consider luxurious is a necessity to us . What you consider a necessity is a luxury to us . contradictory +Board independence does not require the elimination of all inside directors but it would seem to call for ensuring that a super-majority of board members are truly independent both in fact and appearance . It is common for there to be a majority of inside directors on independent boards . contradictory +He 'd been a pretender long enough , and what punitive action they took now didn 't seem to matter . He couldn 't get enough of being a pretender , and their punitive course mattered . contradictory +Some collector may like them but for weapons they serve little purpose now . They are great weapons but not many collectors like them . contradictory +Ten programs were chosen for visits in 2001 . Each program visited at a different time . neutral +Spanish rule Naples and Sicily , the Two Sicilies The Spaniards control other territories as well . neutral +what else did it kill did it kill anything else it wasn 't supposed to Did the chemicals kill anything else ? neutral +Look for Ghiberti 's vigorous bronze of the city 's patron St. John ( east wall , on the Via de ' Caleiuoli ) ; St. Matthew , the bankers ' tax-collector turned Apostle ( west ) ; Donatello 's St. George , the armorers ' dragon-killer ( north , a bronze cast of a marble original in the Bargello ) ; St. Mark , whose vividly sculpted robes do credit to the linen-drapers he protects ( south ) ; and Nanni di Banco 's outstanding conspiratorial group of Four Crowned Martyrs for the sculptors ' own guild of stonemasons and wood-workers ( north ) . Ghiberti did pottery . contradictory +Because I know something that puts me in a position to propose a bargain . " I have information , but I am sure it is worthless . contradictory +A comprehensive transition plan needs to be developed . The plan is already being discussed . neutral +Mailers are , however , understandably concerned over the cost of litigating these more frequent cases . Mailers are unconcerned about litigation . contradictory +NONEXCHANGE TRANSACTION - A transaction that arises when one party to a transaction receives value without giving or promising value in return or one party to a transaction gives or promises value without receiving value in return . A nonexchange transaction is when one party gets something without giving something of the same value in return . entailment +About half of it , however , is out of bounds to all but the military , but that still leaves huge areas of sand and surf . Half of the area is off limits to the general public . entailment +yeah where the fence was or something yeah yeah how how how long have you live there Maureen Maureen , how long has it been since you moved away from here ? contradictory +( While the audience is clapping for more . ) While the audience calls for an encore , the musician runs away . neutral +For decades , Madeira has instead attracted a genteel , even anachronistic form of island tourism . Madeira has changed a lot in recent times . contradictory +Fire had taken the noble 's quarters and his carriage to the ash of the sky . The fire destroyed the housing along with the carriage . entailment +Spinal cords , skeletons and the occasional beating heart . There are beating hearts in jars . neutral +There are pieces by Matisse , Magritte , Mir ? ? , and Hockney . There are artwork by famous artists . entailment +Its 1,101 sq km ( 425 sq miles ) are crowded with almost 400,000 inhabitants . In 425 square miles , there are only a handful of inhabitants . contradictory +Despite the potentially intimidating aspects of live gaming , it makes little sense to spend your vacation in Las Vegas and not play at least a few hands of blackjack or craps , especially when there are free gaming lessons offered nearly everywhere . Live gaming can be intimidating . entailment +The EPA has included an Unfunded Mandates Reform Act Statement with its report to this Office . The EPA has included an Unfunded Mandates Reform Act Statement with its report to this Office in order to reign in profligate spending . neutral +well yeah and i heard a story about there 's a there 's a certain scene in the movie where there 's um where they 're where they 're on a buffalo hunt and they have a particular child actor uh who 's who 's being supposedly run down by a buffalo In one part of the movie , a buffalo knocks over a child . entailment +yeah weather difference between east and west Plano The weather is usually better in East Plano than West . neutral +yeah it it 's it 's pretty good This is good . entailment +As discussed in section 1 , Social Security also affects people 's incentives to save for retirement . Social Security affects all Americans neutral +But Clinton has degraded the ability of the president of the United States to lead the nation and the world . Clinton has spoiled the office of the president of the U.S. entailment +Convenient for lounging on the beach , with full service available . There are no beaches that are convenient nearby . contradictory +Among the most sought-after stars are those of Marilyn Monroe ( in front of McDonald 's at 6774 Hollywood Boulevard ) , Charlie Chaplin ( at 6751 ) , and John Wayne ( 1541 Vine ) . Marilyn Monroe , Charlie Chaplin , and John Wayne are ones of the most known stars . entailment +There is no perhaps about it . There are doubts . neutral +Table 6-5 shows the production of crushed limestone sold or used by U.S. producers . There are tables showing other stones usage . neutral +The path led to the cliff , and down to the sea between big yellow gorse bushes they were like golden flames . The path went to the cliff that overlooked the water . neutral +No doubt it has been a substantial cause of the tremendous growth in volume since its inception . it has been a significant source of the tremendous growth in volume . entailment +For more information , pick up the monthly listings leaflet , Events and Places in Eilat , from the tourist office . The tourist office will not have any leaflets that contain further information . contradictory +The Carr ? ? d 'Art , an ultramodern building opposite the Maison Carr ? ? e , exhibits modern art . Modern art is exhibited in The Carr ? ? d 'Art . entailment +A Polish chapel , with a relief on its outer wall showing Jesus bearing the crose marks the spot . The relief is an image of god himself . contradictory +and that i know is run by the State but there may be other things i 'm not so sure what kind of uh training that is for the future for those kids The state runs that . entailment +I merely realized that it was possible , from your story , for Monsieur Lawrence to go to the poison cupboard . There is no way Monsieur Lawrence could have gone to the poison cupboard . contradictory +Usually , IDA account holders must undergo economic literacy training as a condition of participation . IDA account holders must never undergo economic literacy training . contradictory +The Symposium has also been the vehicle that has helped enable West Virginia to unify and transform its delivery system . The Symposium has not in any way transformed the delivery system of West Virginia . contradictory +shoot i you know i 've got one of those in Brian 's room i never even thought about that I don 't have one of those . contradictory +Elsewhere in the prince 's garden , in a modern building called the Sailor 's House ( Casa de Marinos ) , you can find out what became of the quaint Tagus squadron of the royal fleet . The Sailor 's House shows what happened to the Tagon squadron . entailment +Participants acknowledged that accounting standards have changed to capture fair value in addition to historical value , resulting in a model that is now a mixture of the two , whereas the original financial statement model was based solely on historical costs . Participants admitted that standards have changed so different values were captured . entailment +LSC 's State Planning Initiative embraces a new vision15 for legal services in which eligible clients in every state would be afforded an equal opportunity to avail themselves of high-quality civil legal assistance . Legal services are unable to be provided due to recent budget cuts . contradictory +I 'd say , young man , that you are facing a full-time job now , getting all that inside of you . Drew ate steadily , consuming eggs and beans , tortillas , and fruit . Young man , you need a full-time job now . entailment +What 's more , the chance to take an active choice in the matter as a parent may itself be a step toward the more successful , better monitored arrangements that poor working parents--and more middle-class parents , too--say they need and want . Poor working parents--and more middle-class parents , too , say they need and want to change their relationships with kids . neutral +Another visual treat in March is the annual fertility festival held at Tagata Jinja in Gifu Prefecture , north of Nagoya . There are no festivals held in March in Tagata Jinja . contradictory +8 . Various works of Ayn Rand Johnny Depp 's various works contradictory +The National Craft Fair in Vila do Conde , near Porto ( July and August ) , and the Craft Fair in Lagoa , in the Algarve ( August ) , both display crafts from all over the country . No craft shows are scheduled during the summer in Porto or Lagoa . contradictory +Two years later , the Turks laid siege to the capital , Candia . The siege of Candia took over three months . neutral +and uh it it it bites us over and over again the the We seem to have given up on trying to solve the problem . neutral +it is for me other people don 't seem to have the same problem There is no problem for other people , just me . entailment +It sparked a vigorous debate about morality , introduced role models who defied stereotypes ( powerful attorneys in wheelchairs , patrician female lawmakers ) , and demonstrated that the political process is sturdy and forgiving . The show was nothing special and none of the characters stood out . contradictory +It occupies steep terraces that offer fine views over Funchal . Funchal can be viewed from the balconies . entailment +A visit to Crete isn 't all about museums and ancient sites . There 's more to do in Crete than visit museums and historical places . entailment +Very graphic , Henry , said Tommy . Henry gave a very blood and gruesome description . neutral +On the northern side of the island , the 14th-century church of Sant Miquel affords a hilltop view of the distant sea . The church of Sant Miquel sits low to the ground and offers no interesting views . contradictory +While the analysis states that EPA is confident of the cost figures included in the analysis , an estimation of the benefits is more difficult because of EPA 's inability to quantitatively evaluate all human and ecosystem benefits and to assign monetary values to These benefits for a comparison in a standard cost-benefit framework . The EPA thinks all the numbers are wrong . contradictory +i even like some i mean some of the original stuff like i like The Terminator at first you know it was kind of strange but i still like watching him in The Terminator and and some of the other things um I watched the terminator when I was younger and still enjoy it until this day . neutral +um-hum so it 's during the week So it 's happening during the middle of the night on Mars . contradictory +well then she 's going to come out well rounded but outside of those kind of things you know the other thing that i 've really gotten into reading She will come out poorly and I hate reading . contradictory +Those seminal early papers were crisp and minimalist ; they looked forward with remarkable prescience to the wild and woolly , out-of-control world of modern international macroeconomics . The bloated , crude early papers turned out to be devoid of any predictive power . contradictory +but uh it 's similar uh-huh It 's not like that at all . contradictory +This is the home of fine Edinburgh crystal , one of the most recognizable and beautiful souvenirs of a stay in the city . The Edinburgh crystal was a lie and not a real aspect of the city . contradictory +Ca 'daan had given his horse , Gray Cloud , to Susan to ride . Gray Cloud was going to stay with Ca 'daan . contradictory +Tadeusz Koaciuszko , a hero of the American War of Independence , led a military insurrection in 1794 , defeating the Russians with a mostly peasant army . Tadeusz Koaciuszko was a hero in America because he saved many lives . neutral +Bright yaller " He had bright yellow hair . neutral +The Internet has been a tremendous asset to us , the overwhelming majority of people that will end up being McCain delegates [ from New York ] came to us through the Internet . McCain 's campaign has benefitted from the internet . entailment +Japan coveted Malay 's natural resources , namely rubber , tin , and oil , and the port of Singapore through which they passed . Japan wanted Malays natural resources as they had few of their own . neutral +I think ” I am sure ” he cared for me at first . I am sure that he never did care for me contradictory +oh maybe my dropping my phone is that better I can hear you perfectly my phone isn 't dropping at all . contradictory +The most popular are the rugged Gorges de Franchard , due west of the palace . The Gorges de Franchard are well-liked and located close to the palace . entailment +well i 've gone to the point where my husband my husband travels i get out like you know two or three books I really enjoy reading when I 'm alone in the house . neutral +and uh it to me it 's like we 've lost our values in this country We 've lost our values in this country due to political propaganda neutral +The most poignant part is said to be video interviews with Holocaust A faceless mass resolves eloquently into a single person ( Michael Kimmelman , the New York Times ) . The building itself--a gray granite hexagon in Battery Park--does not fare half as It conveys none of the brilliant complexity displayed inside ( Herbert Muschamp , the New York Times ) . The building is tall , and is a darker shade of gray granite . neutral +this is The Mansion at Turtle Creek a tip i bet these are really good seats and so we ended up on first base right down there on the floor and you know we just they called us at five and the game started at seven so we just threw everything together ran over and got the tickets and We went to collect our tickets which were for seats right next to first base . entailment +As a part of its human capital planning , management should also consider how best to retain valuable employees , plan for their eventual succession , and ensure continuity of needed skills and abilities . As a part of its human capital planning , management should not consider how best to retain valuable employees . contradictory +'You really were planning to betray me in the end , weren 't you ? ' " You were going to kill me at the end , we 're you ? " neutral +For insured patients , counseling services are billable under existing CPT ( current procedural terminology ) codes when delivered by qualified staff . counseling services are billable under existing CPT , for insured patients . entailment +No--what good to threaten dire punishments or to torture you when another day or week will see the end of everything ? There 's no point in torture when the end of everything can come any day . entailment +Cut to a chariot race through the city that out- Ben Hur s Ben Hur , after which the victor , Moses , goads his brother Ramses on to ever more high-spirited Oh , come on Ramses , where 's your sense of fun ? Ben Hur had a chariot race in the city . entailment +Tommy had imagined a possible fierce watchdog . Tommy was afraid of dogs . neutral +Everyone now agrees they 're a dynasty . It is universally accepted that they are a dynasty . entailment +The publication also reports that Anderson plans to go ahead with her divorce and feels she can never forgive Lee . Anderson has decided to call of her divorce . contradictory +nonstop have you have you ever been out here I know that you have been here . contradictory +Dave Hanson came awake trying to scream and thrusting at the bed with arms too weak to raise him . Dave had been asleep and was suffering . entailment +oh yes and then i go ballooning When I finish work on Fridays , I do some hot-air ballooning . neutral +illegal illegal or something like that yeah I think it might be illegal . entailment +right down this year that 's a toss up between uh the Giants with them trying to repeat The Giants are not even considered . contradictory +So what besides that ? There are other things to be considered . neutral +so yes we are We are not . contradictory +as as we did and as we sold arms to pardon me to Iraq when we wanted them to fight Iran and then uh and then it turned around and Iraq was sold arms so that they could fight Iran . entailment +She was visiting the White House in search of a job when he allegedly pawed her . She was groped at the White House . entailment +i know i agree I don 't know but I don 't agree either way . contradictory +These intriguing horseshoe-shaped valleys nestle like narrow amphi ? ­ theaters against abrupt rocky cliffs , making rewarding destinations for a pleasant day 's hike . There are no cliffs on the hike or near the destination . contradictory +Since losing the Battle of Kosovo in 1389 , the Serbs have been seasoned haters raised on self-pity . The Serbs lost the Battle of Kosovo . entailment +um-hum well i know in um i 'm from Missouri and we always had pretty nice four seasons and and you know extreme we have some extreme weather in each season but um Overall , though , the weather is quite mild . neutral +be fostered in as you become you know as you gain new social skills as you become you know more of a functioning member of society and maybe the Air Force Academy is appropriate as you said for someone who you know a more you know who needs to learn self-discipline and so forth would be appropriate for them The Air Force academy is only appropriate for those who already have a high level of self disciple - anyone else would not stand a chance there . contradictory +Coffee is very good . Coffee is awful . contradictory +The shack felt different . The mansion had many familiar rooms . contradictory +Daniel winced . Daniel squinted in pain . entailment +oh oh so that 's that 's how you knew well since like i say we 're first time homeowners i 'm still scared about everything like that going wrong and how do you know it 's going to happen and all I 'm very confident about owning a home for the second time . contradictory +As the critic Albert Murray has long argued , that wasn 't even true in Du Bois ' time . It used to be true in Du Bois ' time , but not anymore . contradictory +Johnsen told Chatterbox that Heinemann once showed him Murph Murphy 's photograph and said , That 's the guy who invented Murphy 's Law . Heinemann showed Johnsen a photo of Murph Murphy . entailment +Legal services are to be made available to H-2 aliens with regard to housing , wages , transportation and other conditions of employment under their H-2 contract . Legal services must be made available to H-2 aliens for housing , wages , transportation and other employment conditions . entailment +You are a clever woman , Rita ; but you are also a fool ! You are smart Rita , but you are also stupid ! entailment +The Jablum Coffee Factory near Mavis Bank offers guided tours where you can see beans being roasted and ground ; you can also buy supplies of coffee beans to take home . You can see beans being roasted on the guided tour . entailment +But Bork snorted . Burk rolled his eyes . neutral +The whole journey took thirty-six hours . It only took an hour . contradictory +Montazah Palace , built in the 19th century as a hunting lodge , started the fashion . The Montazah Palace was built in the 18th century . contradictory +The island is also the designated home of the University of East Asia . The University of East Asia was granted a request to have its campus built on that island . neutral +it 's i mean it 's it 's good to buy a house if you have the money it 's just that the houses are like If you have the means , it 's good to purchase a house . entailment +Three more shots rang out , but went happily wide . Three more bullets flew in the air , and missed by several yards . neutral +The volume of business bill / payment mail is unknown . The volume of bill mail isn 't known entailment +Normans conquer south ; First Crusade The Normans conquered the north . contradictory +The preambles to the proposed and final rules discuss this modification to the reporting requirement , explaining the reasons for the change and providing a burden estimate . The reasons for changing and providing a burden estimate are new updated policies and ground costs . neutral +The small problem is that as virtues go , niceness is wildly overrated . Niceness isn 't bad , but it 's hardly the most valuable of virtues to possess . neutral +Ian Fleming 's James Bond was a snob and a lightweight . Ian Fleming 's James Bond was not a good production . entailment +Only I heard him , and glancing up curiously at the little man I saw that his face was working with suppressed excitement , and his eyes were as green as a cat 's . The man looked as though he couldn 't contain his excitement when we found the painting was gone . neutral +Adrin missed some and found others . Adrin did not find them all . entailment +It was the main entrance to the castle , and a formidable obstacle to the enemy . Enemies rarely attempted to enter through the main entrance of the castle , but you can recreate an attempt while you are there . neutral +Moreover , Medicare costs are expected to increase faster than the rest of the economy . Relative Medicare costs will decline as the economy hits record growth rates . contradictory +Those who have been victimized by document preparers who are not attorneys should call their local district attorney or the Attorney General 's Public Inquiry Unit at ( 800 ) 952-5225 . The majority of the document preparers who victimized people are not attorneys . neutral +The theory gets a bit murky here . The theory gains clarity here . contradictory +Greyish and ugly . It was colorful like a rainbow . contradictory +and how how big is your duplex And what is the size of your duplex entailment +Specifically , the senior executive in the Nashville regional office had a target in fiscal year 2001 to attain 85 percent in overall satisfaction in a national survey of customers using vocational rehabilitation and employment services and support . The senior executive expects 100 % a customer satisfaction rate . contradictory +excited to get there in the morning and just doesn 't even want to kiss me good-bye it 's just like bye and he goes running you know and he 's always having fun when i pick him up so you know yeah this this day care is is He hates daycare but I drop him off anyways so I can go score some heroin . contradictory +it was it was the strangest i 'm i 'm not sure it was gerrymandered but the way they drew these little patterns and stuff i i i guess i 'm a little cynical of the of the power base i i i and i don 't quite understand why the power base uh doesn 't uh why they don 't go with fourteen one i you know i and you know the it seems to me that what happened in the in the election that a lot of the people they said particularly the the uh i think it 's Hispanics don 't vote because they don 't think that they have any affect and it 's i i guess i am disappointed with Dallas in that uh the fourteen one it i 'm quite sure it was gerrymandered because of the way they drew their divisions contradictory +right and i was thinking i 've got to get an eighteen because i don 't i don 't like i 'm so used to when i 'm grabbing tools for my car to grab for the number you know I need to get an 18 . entailment +well what what 's your perspective on it What 's your take on this ? entailment +The spear came in and Jon ducked , letting it pass over his left shoulder . The weapon could have injured the man . neutral +The model is used to discern trends in marginal costs and retrofits , the approximate magnitudes of those trends , and the reasons for those trends . Marginal cost trends are most simple to ID using this model . neutral +O Solomon , I have surpassed you ! I can never pass up Solomon . contradictory +What do you want first ? " Hanson considered it , while Nema 's hand crept into his . Nema 's hand slipped into his as Hanson considered what he wanted first . entailment +some of the crimes are just so brutal and so you know useless this may seem to be the best way out i don 't know Those crimes sometimes seem to me to be completely justified . contradictory +Any commercial that features some kind of cool car driving through some kind of perfect landscape implicitly Let G.W. ( the driver ) take the nation ( the car ) into the future ( it 's just over the next fashion model ) . The commercials remind me of Trump . contradictory +They 'll know something about the place , and whether there 's been anyone there lately . " They will not know about people coming to this place . contradictory +Jon dropped the pistols , hoping to scoop them up later , and drew his rapier and dagger . Jon 's pistols were out of ammunition . neutral +Improving Environmental Performance at Lower Cost Using Market-Based Mechanisms That Create Incentives for Using the market-based mechanism of a cap-and-trade program , the Clear Skies Initiative will establish national , federally enforceable emissions limits for each pollutant . The national emissions limits were set after careful study of the environment . neutral +Second , rats are not humans . Rats are actually human sometimes . contradictory +If they come , we will defend ourselves . We could die if we fight . neutral +To carry out its important function of restoring investor confidence , the SEC may not always be able to attract the right people and retain them under the existing structure . The SEC may not 100 % of the time be able to attract the right people to manage the organization under their current structure , if they wish to carry on with restoring investor confidence . entailment +That is , there is some initial bone-building response by the body to large calcium doses , but it may be a temporary and unsustainable change . The body never has an initial bone-building response to large calcium doses . contradictory +This triggers the third test . The fourth test starts at the end of the third test . neutral +Hunter S. Thompson once said of Circus Circus , the casino where craps players and flying trapeze artists mingle beneath a billowing canopy , that it was what hepcats all over the world would be doing on Saturday night if the Germans had won World War II . If the Germans had won World War II , the world would be a completely different place . neutral +This was not his bedroom at the Ritz . He had a bedroom at the Ritz entailment +The basilica 's highlight , and generally accepted as the work of a young Giotto , the Life of Francis ( 1296-1304 ) is movingly celebrated in 28 scenes along the lower tier ( starting from the right transept ) , while 32 frescoes in the upper tier illustrate scenes from the Old and New Testament . The frescoes in the lower tier were created before those in the upper tier . neutral +The Women 's World Cup soccer tournament became the sports story of the year . The sports story of the year was the Women 's World Cup basketball tournament . contradictory +The Poldi-Pezzoli Museum ( Via Manzoni 12 ) is a small , formerly private collection displayed in the charming ambience of its original home dedicated to the city in 1881 . There are over 40 pieces of artwork on display . neutral +I didn 't like him taking liberties with my former shell . I watched the dissection from the outer room and was not happy with him . neutral +At first , in spite of the costume , he was pleased . In the beginning , he was satisfied despite the costume . entailment +And immigration is ideal for the it 's a federal , forms-based practice that rarely requires meeting the client . Immigration isn 't a forms-based practice so client meetings are necessary and always done . contradictory +yeah it was it 's it 's uh seems to have worsened considerably It looks like it 's not as good as it was before . neutral +Look , there is John ” and Miss Howard ” " Cynthia nodded rather gloomily . Cynthia couldn 't find John and Miss Howard anywhere . contradictory +Commenters stated that a date stamp would be meaningless to many installers and users , but that a letter stamp would be much more informative . A date stamp is better than a letter one contradictory +Heading around the island in a counter-clockwise direction , the first stop is the lookout point of Portela ( 163 m / 535 ft ) . Heading around the island in a counter-clockwise direction , the final stop is the lookout point of Portela contradictory +Gauve kept his eyes on Ca 'daan . Ca 'daan was being ignored by Gauve . contradictory +The leather school tucked away behind the church of Santa Croce 's sacristy ( in what was once Franciscan monk 's cells ) is still around , allowing you a glimpse at the traditional making of leather goods such as handbags , wallets , gloves , belts , and desk accessories . The leather school that used to be behind the church collapsed 3 years ago . contradictory +to get out and work and that to stay home and sleep contradictory +It is also the male who emits a formidable honk through its nose at times of great excitement or alarm . The female emits a nose honk as a warning . contradictory +OMB approved the rule on March 27 , 1997 . OMB is the name of the approving , governing body . contradictory +Mapplethorpe 's photographs seem to Fiss to qualify under these guidelines , since , he says , in the late 1980s the AIDS crisis confronted America in the starkest fashion and provoked urgent questions regarding the scope and direction of publicly funded medical research . The AIDS crisis confronted America in the late 1980s . entailment +Great public buildings like the Customs House and the Four Courts were constructed , and private mansions like Powerscourt and Leinster House were built . The Customs House , Four Courts , and Leinster House were built in Dublin , and Powerscourt was built in nearby Enniskerry , neutral +Between them is the Kondo ( golden , or main , hall ) , reconstructed in 1975 . The Kondo it to the right of them and is brand new . contradictory +She started a book club . She did not form the book club . contradictory +Agencies were to establish these performance management systems by their 2001 senior executive performance appraisal cycles . They are lagging on establishing performance management systems . neutral +employees to handle return processing workload during the annual filing season , IRS plans to increase the number of permanent employees and expand their job responsibilities to include compliance work that they can do after the filing season . IRS is planning to decrease employees and work load . contradictory +yeah i like i like PBS I like PBS . entailment +uh uh the reason i think the elections are are so low and i 'm not sure what they mean by eligible voters are they talking about people that have registered or people that are are old enough to vote but haven 't registered The reason I think elections are so low is because people don 't register because they 're not sure how to . neutral +See accompanying notes to the financial statements for the reporting of condition of these items . The condition of items can be found in the accompanying notes . entailment +The London Guardian ' s Joanna Coles says her presence is so obvious a gimmick to draw in those who don 't normally bother to see the Bard that it 's almost insulting . Cole says she 's just there to bring in apathetic people . neutral +The editorial goes on to note that between one-third and one-half of all divorced women spend some time on As for the famous gender gap , it appears to be merely part of the basic political tensions that now exist between defenders of the country 's post-War system of government guarantees and Republicans who argue for an updating of the ways we ensure personal and financial security . The editorial is about the wage gap entailment +Second , we held that the LSCA did not explicitly authorize a private right of action against the LSC . The LSC didn 't know what to do when the LCSA tried to authorize a private right of action . neutral +8.10 MULTICONCENTRATION ( DEFINITIVE ) EFFLUENT TOXICITY TESTS The toxicity test is a definitive negative . neutral +On 3 March is the Hina Doll Festival , a special event for young girls . The Hina Doll Festival is on March 7th . contradictory +i 've heard of that one I know a little about that man . neutral +On Ensuring the Availability of Evaluation Data for Secondary Analysis . The Availability of Evaluation Data is scarce . neutral +Time tells investors not to panic about the bad world One of the worst things [ investors ] could do is let rising volatility and uncertainty drive them out of stock investments . Uncertainty and volatility has driven many investors out . neutral +we are lucky enough to now be on a cable system that has four public TV channels We used to only have 2 public channels but when we switched companies , we ended up with 4 . neutral +Many shops and offices are closed for the Sabbath , but restaurants are open all week . Whilst dining establishments stay open throughout the entire week , a number of offices and shops close for the Sabbath . entailment +Arafat is reluctant to reprise that police action , observers say , because he believes that the threat of terrorism is the only way to force Netanyahu to restart the peace talks . Arafat would like to see Netanyahu restart the peace talks . neutral +In Santiago de Cuba , the terrace bar on the 7th floor of the Hotel Casa Granda has splendid views and live music . The Hotel Casa Granda offers impressive views and is located in Santiago de Cuba . entailment +You 'll find work in all media oils , pastels , and gouache , as well as sculptures . Sculptures and oils are just some of the media you will find . entailment +GAO prefers written comments but will accept oral comments . Written comments are generally preferred by GAO . entailment +The way Nye and Topham had hustled Anse and him out with the wagon train had made it seem as if they were in disgrace , and that rankled a lot . Nye and Topham had no intention to annoy them . neutral +'I see . ' The Fat Man wrinkled his brow . The Fat Man never spoke . contradictory +Jared Diamond , a Pulitzer Prize-winning physiology professor at the University of California Los Angeles , has offered an answer to what he calls one of the most disputed questions of linguistics : the origins of the Japanese language . Jared Diamond is a chemistry teacher at the University of San Diego . contradictory +Importance or meaning is assessed in part by estimating the variability within the set of numbers to obtain a probability that the regularity represents the characteristics of the population of instances . Importance or meaning is not assessed by estimating variability with the number set to obtain a probability that the regularity represents population characteristics . contradictory +I claim my reward . " " And you shall have it . You will be rewarded . entailment +Mount Herzl is named after Theodore Herzl , the Viennese journalist and founder of modern Zionism whose vision aided the eventual establishment of the State of Israel . The State of Israel was founded partly thanks to the vision of Theodore Herzl . entailment +With these proofs of conspiracy in their hands , aided further by a small brown diary taken from the pocket of the dead man which had contained a full and damning resume of the whole plot , the Government had called an eleventh-hour conference . The Government held a last minute conference because they had with them very important documents . entailment +Biot ' certainly worth visiting for its well-preserved 16th-century center ' is known for ceramics and heavy tinted glassware that has tiny Champagne-like bubbles . Biot glass is a popular souvenir for travelers to bring home . neutral +'89 , Czarek answered , but not to Herman , but to himself , and not then , but now , when he was pouring over a register of all-wines on the internet . Czarek was looking for a particular wine on the internet neutral +yeah the uh the we were shocked two mornings ago with uh the news that a forty year old man had sold his three year old son for forty dollars worth of crack We had never heard of anyone selling their own child for some drugs . neutral +Today it is the center of a small arcade and shopping / dining area . Today it is surrounded by a small arcade and area for eating . contradictory +He snapped the diamond lens to his eye and his fingers caught at the drop of sun-stuff on the awl . He snapped the diamond lens into place , but only gazed at the sun-stuff instead of touching it . contradictory +The Federal Managers ' Financial Integrity Act of 1982 ( FMFIA ) requires the General Accounting Office ( GAO ) to issue standards for internal control in government . There isn 't any act that declares internal government control must be established contradictory +However , a legal services lawyer from Spokane filed a lawsuit challenging the department 's refusal to pay for the man 's dentures . It would have been cheaper for the department to pay the initial claim for dentures rather than court and attorney fees . neutral +He left us shortly after . He stayed the whole time . contradictory +Adjacent to the church is the Renaissance Colleoni Chapel , an extravagant mausoleum in red , white , and green marble with ceiling frescoes by Tiepolo . There is a graveyard next to the church . entailment +horrified and fascinated by what i was seeing I was horrified and fascinated by what I was seeing , a whale giving birth neutral +After an admiring review of Grizzard 's wit , the author turns on the writer for peddling a nostalgic vision of a homogeneous pre-integration Grizzard 's idealized South was the world before feminists and affirmative action , when gays stayed in the closet where they belonged , where America pretty much meant the world of small-town white folks like him . It 's Grizzard 's third book in this series . neutral +um clone it 's not the TI PC from back when It is a clone and not like the TI PC . entailment +Screening or assessment alone , however , does not appear to be as effective as some type of specific intervention . Screening or just assessment alone does not seem to be as effective as a specific intervention would be . entailment +i um i like Chinese and i should experiment more the problem is that my favorite food in the world is cashew chicken so any time i go to a Chinese restaurant i want cashew chicken i can 't stand cashew chicken , since i only eat vegetarian foods contradictory +There is some symmetry in the diagnosis of Clinton , our therapeutic president , as patient in addition to healer . They had much respect for the president . neutral +As the islanders watched from their hills , the more mobile British mercilessly chopped up the French convoy until finally de Grasse surrendered . De Grasse was treated humanely after surrendering . neutral +The main ( west ) portico features lifelike statues of the apostles barefoot , long-haired , bearded men , seemingly caught off guard by a candid sculptor . The barefoot , long-haired , bearded apostles are immortalized by sculptures . entailment +It was here in 1952 that King Farouk signed his abdication before boarding his yacht for exile in Italy . King Farouk did not have a lot of support . neutral +He had forgotten the girl . The girl was always remembered . contradictory +The weeklies embrace the myth of the Kennedy curse . They embraced the myth of the Kennedy curse . entailment +You see , I was right ! Can 't you see that I was wrong . contradictory +The butler remonstrated with him . The butler protested . entailment +Newspaper profits may be at record highs , but the newspaper Zeitgeist is gloomy . Zeitgeist is still gloomy even though newspaper profits are at a record high . entailment +Because this report deals not only with national saving but also with other measures such as investment and the federal budget position , we express saving , investment , and federal government spending as a share of GDP . This report doesn 't deal with national saving or other measures . contradictory +exactly you know and i and i 'm sure there is a problem about uh getting you know the volunteers to do that and maybe they could uh spend a little bit more money on promotion and and uh advertise it a little bit more The volunteers don 't know about the opportunity because no one advertises . neutral +The whole journey took thirty-six hours . It took a day and a half . entailment +The calamity spurred the government to launch an emergency program of public-housing construction ; spartan new blocks of apartments put cheap and fireproof roofs over hundreds of thousands of heads . The calamity was a series of fires caused by earthquakes . neutral +Lied about it to everyone . they lied about it to us all . entailment +The Jardin d 'Acclimatation is an amusement park with plenty of attractions for shows , rides , and a small zoo . Many attractions and rides can be found at the Jardin d 'Acclimatation . entailment +Time calls Bill Bradley 's nascent presidential campaign strategy charming and insane . Time describes Bill 's campaign strategy as odd but appealing . entailment +that i taught physical education I never have worked as a teacher . contradictory +Hungerford emphasized that research on screening is needed . The research will be bad without screening . neutral +Then these here Rebs , they come right after Helms , was gonna jump him from behind . There were some Rebs who were going to jump Helms . entailment +Congress gives agencies flexibility over the timing of spending by varying the period of fund agencies may receive one-year , multi-year and no-year [ permanent ] funds . Agencies may have flexibility in the timing of their spending . entailment +and he had never really thou ght about it And he says well hopefully i won 't have to change them before i trade it off Yeah it 's going to be a problem getting back there because it was shoved right up against the fire wall I hope i wont have to change the part before i trade in my vehicle . entailment +And because the question of Java vs. There are many questions on Java . neutral +Off the East Coast , try deep-sea fishing for barracuda or shark . Deep sea fishing for barracudas and sharks can be done off the East Coast . entailment +other than the i assume you were talking about the new Ninja Turtles movie I am taking it that you are talking about the new Ninja turtles movie ? entailment +It is , of course , the juxtaposition of childish amusements and adult ornamentation that makes this list so pleasingly perverse . The mixing of adult and kid activities makes the list a creepy place . contradictory +and i use the machine a lot on a uh uh data base and financial package that that operates at the church office i do some uh volunteer work at home using uh a buttons PC file program that uh is a very simplistic relational data base for labels and things so i guess i would have to say on a home setting i 'm probably on the personal computer as much as an hour a day on average at home You don 't use a computer to work . contradictory +Only children who suffer the most severe deprivation are permanently damaged . Only kids who are the most deprived of food are damaged permanently . neutral +Raise money . Gathering money . entailment +The Kal laid prone and kissed the earth . The earth was kissed by Kal . entailment +On the other hand , Walter Shapiro 's column in USAT touching on the controversy does properly credit Salon . Not doing so is bush league and cheats the reader out of being able to look at more facts . Shapiro writes a weekly column for USAT . neutral +The rumor of a Senate run seems dead , but a local satirical revue proposes that Clinton capitalize on his legendary press-the-flesh skill by working as a Wal-Mart greeter . The rumor of Clinton 's Senate run is still on-going . contradictory +The buildings here have great artistic and historic importance and for this reason have become the focus of a French-funded restoration project . The buildings in this area are brand new offices that replaced crumbling historical townhouses and monuments . contradictory +it 's not a hobby you know it 's something to do i get to hear about Texas again a bit get to talk to people all over the country the other night i talked to someone in Maryland i believe it was It 's a hobby , not something to do . contradictory +It 's as English as anything ! It 's incredibly English and looks delicious . neutral +The villagers protested but under the voice of the elders and the rumors of the scout 's head , they helped move barrels of water and carts of food into the deep mines . The villagers were storing supplies for the winter . neutral +the the extended loan payment for your car The loan got sped up . contradictory +A deeply centering experience comes free with a stroll through the Self-Realization Fellowship Lake Shrine , ( 17190 Sunset Bvd . , a few blocks before PCH ) . Take a walk through the Self-Realization Fellowship Lake Shrine for an experience that will ground you . entailment +Turnaround time for printing is 10 days , about a month faster than either Smythson or Pineider . Smythson has faster printing turnaround time . contradictory +At the end of FY 1998 , there were 27,952 post offices . There were plans in place to build more post offices . neutral +The Filippo Strozzi Chapel ( right of the altar ) is decorated with Filippino Lippi 's frescoes of saints Philip and John , rich in color and anecdotal In the monumental Exorcism of Demons in the Temple of Mars , notice the three bystanders holding their noses at the smell . To the left of the altar there is a less impressive fresco . neutral +They will be shut up in cages . They will be left to roam free in the fields . contradictory +The small man continued the momentum , caught the blade , and spun . The tall man dropped the blade . contradictory +Little Willie here takes the credit ! Willie didn 't get any credit for discovering who the killer was . contradictory +" Could be , " Topham agreed . Topham concurred and said that it could be . entailment +Barik crashed into the northerner , his sword cutting hard into the rapier 's hand-guard . Barik cut the northerner . entailment +For example , two organizations charged membership fees-one of which exceeded $ 25,000 a year-and other organizations requested people to provide support staff and analysts . The two organizations barely made any money last year on membership fees . contradictory +Inside are three huge gold-lacquered statues , representing three different manifestations of the Buddha . There are statues showing different aspects of the Buddha . entailment +The one Jon held now was not the same as the ones the dark rider had held . Jon held the item he had stolen from the dark rider . contradictory +Tudjman , who is fond of Il Duce-type uniforms , rigged the parliamentary elections so that his nationalist party , HDZ , could not lose . Tudjman likes II Duce-type uniforms that are black and green . neutral +His clever Ballet Mecanique --an influential little non-narrative film he made in 1924 ( MoMA has it on a continuous reel ) --intercuts dancing pistons and kitchenware with blinking eyes and a mouth that opens and closes rhythmically . He dances with kitchenware in the 1924 film . neutral +Oh , well , I suppose there must be something in it , then . Uhm , I think there must be something in it . entailment +Auditors without sufficient knowledge to perform the functions listed above may have to engage a consultant for quality control purposes for the areas related to the specialist 's work . Auditors are cross-trained in all related fields . contradictory +While statutory requirements are to be the starting point for agency mission statements , Congress , the executive branch , and other interested parties may all disagree strongly about a given agency 's mission and goals . Congress and other interested parties may all disagree strongly about a given agency 's mission and goals . entailment +Men at Work and the columns in Bunts are fresher , less rococo , less pretentious , than his political columns . His political columns are less rococo than the columns in Bunts . contradictory +The rules establish a policy standard that allows test periods of up to five fiscal years for the purpose of determining breakeven for newly introduced postal services . There is no limit on test periods . contradictory +People will wonder what I 'm up to . " 25 " Not in the city . I am not 25 . contradictory +Her domed Sitting Room is panelled with 17th-century Ketahya tiles , and decor ? Ρted with scenic views . The scenic views on the tiles in the Sitting Room depict Mohammed . neutral +and uh uh but i had no earthly i didn 't do well in chemistry in high school and had no earthly idea that i 'd get my degree in chemistry I did poorly in high school chemistry so I was surprised that I got my degree in it . entailment +If the question is whether ABC News ran a fair-minded expose , then ABC News wins . ABC News intentionally presents scandalous stories to gain attention . neutral +PCIE standards place upon GAO and its investigators the responsibility to ensure that ( 1 ) investigations are conducted by personnel who collectively possess the required knowledge , skills , and abilities to perform the investigations , ( 2 ) judgments made in collecting and analyzing evidence and communicating results are impartial , and ( 3 ) due professional care ( e.g. PCIE standards for GAO don 't care if investigations are done by personnel who have the skills needed contradictory +Choices about federal spending for infrastructure , education , and R & amp ; D as well as tax incentives for private saving and investment also have implications for future economic growth . Future economic growth is affected by infrastructure spending . entailment +He 's good stuff , too served in the cavalry .... Kells studied the young man by the mule . He served in the cavalry . entailment +Almost non-stop throughout the day , but especially at that magic moment of the passeggiata , the Piazza del Duomo is one of the liveliest squares in all of Europe . The passeggiata is the time of day when the sun starts to set . neutral +Could be you were handy and they had some kind of a hint to start a ruckus just to show there ain 't any proper law here . This place has no formal rules , and they knew that . entailment +I 'll leave that to Robert Wright , Slate ' s resident Darwinian , to sort out . ) Wright and Slate are both Darwinians . neutral +It gets better when they stop to chat . Stopping to chat can improve things , but this isn 't always the case . neutral +Foreigners wanted not only to stop investing in Korea but also to get their money out . Korea is having a hard time getting investments from foreigners because of their current political crisis . neutral +Check with the tourist information authorities in Fira before setting out . Before traveling to Fira , it is advisable to check with the tourist information authorities . entailment +Finally , there 's the orange incident . There is finally the orange incident . entailment +We come after Senor Juanito because he dropped his purse . Juanito picked up his mother 's purse . contradictory +They had staff assisting them in reviewing each invoice prior to payment authorization . Staff refused to help look at any invoices after payment authorizaation . contradictory +Scattered Maroon villages remain , their inhabitants still making a meager living out of the poor soil . Some inhabitants are still struggling on the soils of the land in Maroon villages . neutral +Orchestral concerts of symphonic and chamber music , for which it is usually easier to get tickets , are held in the opera houses outside and sometimes concurrently with the opera season . It 's easier to get tickets to these concerts because they are held outside of opera season . neutral +Seven popes reigned in Avignon from 1309 until 1377 , followed by three renegade popes . Popes ruled in Avignon during the 14th century . entailment +Jon saw something unfamiliar in the man 's eyes . The man 's eyes had a familiar look to Jon . contradictory +The ramparts are arguably Europe 's finest extant fortifications , and they are the undisputed highlight of Sevila . Europe has some of the most sturdy ramparts . neutral +It 's now no longer needed as the Aswan High Dam in the far south of Egypt completely controls the flow , keeping the city safe . The Aswan High Dam does nothing in terms of keeping the city safe contradictory +In the hall below a magnificent hall porter had relegated Albert to the background . Albert was eclipsed by a magnificent hall porter . entailment +For all three problems there are only three cut benefits , raise revenues , or borrow . There are only three solutions to these problems and they are cut benefits and raise or borrow more money , entailment +If you do not agree to abide by all the terms of this agreement , you must cease using and return or destroy all copies of Project Gutenberg-tm electronic works in your possession . You may continue to possess and use copies of Project Gutenburg electronic materials , even if you don 't abide by the terms of this agreement . contradictory +In 1239 , there was the procession of Louis IX , barefoot , carrying his holy treasure , Jesus 's Crown of Thorns ( now in the Sainte-Chapelle ) ; in 1430 , it saw the humiliation of Henry VI of England ( he was crowned King of France here ; see page 15 ) . There is a lot of significant events that have occurred . neutral +In addition to the fine paintings found elsewhere in the escorial , the new museums have been created to display the great works commissioned or collected by the Spanish monarchs . The new museums were created to display great works collected by Spanish monarchs , but many others have found home here . neutral +What does it take to get one 's name on a star ? I know the answer , but I want to know if you know it too . neutral +It 's my heart , she whispered . The woman couldn 't speak , so she remained silent . contradictory +Henry established expeditions that ultimately succeeded in redefining Europeans ' very understanding of the world . Henry 's expeditions were mainly around Central Asia . neutral +This interest rate is both paid on outstanding debt held by the public and earned on nonfederal financial assets acquired by the government once debt held by the public is eliminated . The interest is only paid . contradictory +Market prices per tael ( 34 grams / 1.2 ounces ) of gold are set daily . The price of gold only changes once per month . contradictory +It recounts the misdeeds of Phantomd , a teen-age cracker who infiltrated computers at nuclear-weapons labs , military bases , banks , dams , and major corporations before he was caught . Phantomd got a severe sentence , since he was nineteen year old . neutral +'Oh my , yes . Yes , I agree . entailment +maybe i 'll tune in to one of those some time I don 't think I will ever give them a try . contradictory +What they have been offered so far is a sort of junior membership , called Partnership for Peace . PFP provides for military cooperation , but no defense guarantee . They have been offered full membership , so there is a guarantee of defense . contradictory +The best program directors in America are the ones that are able to adjust to the reality of the time , Kleiman said . Kleiman stated that great program directors have to account for the reality of the time . entailment +uh but i somehow think that war is one of those things that that maybe is inevitable but uh i don 't look at it as a threat in the same sense that that i think this question was meant what about you I think that we should always be prepared for war . neutral +3 cents in foreign investment in the United States . 3 cents in international investment in the US . entailment +because right because you don 't have anyway to turn it off there did you hear about this Lotus database that was being put together Turn it off right there , right now ! contradictory +It 's not having the impact as it is having in Chicago and at other agencies statewide . It is having a greater impact in Chicago . entailment +Though the region 's oldest surviving trulli date back only to the 16th century , the construction technique is believed by some to be prehistoric , brought here perhaps from Greece or the Middle East . The truli 's construction method is believed to have originated in prehistoric times . entailment +Assessing its risks allows an organization to set goals and target its efforts to reduce improper payments . Organizations can set goals by assessing risks . entailment +LSC has developed performance guidelines for assessing grant applications . The grants were unregulated . contradictory +how long were you over there I can 't see myself going for more than three weeks . neutral +Regardless of the truth , Casa de Colombo is worth a visit . Regardless of the truth , Casa de Colombo is worth a visit due to the amazing architecture . neutral +those guys are tough Those men are whiny . contradictory +While the Lake District encourages and welcomes visitors , its popularity can damage the landscape and tax local transportation services . The Lake District encourage visitors to come and swim in its many lakes . neutral +i would say it 's closer to sea level My view is that it 's more of sea level than ground level . neutral +with little ones i 'd be kind of scared to get anything that that has teeth or claws I think a pet would hurt my baby . neutral +Either the body they 'd given him or the conjuring during the right split second had enabled him to heal almost before a blow was struck . He was grievously injured and would certainly never fully recover . contradictory +The inevitable legal challenges have arrived , but they 're all piecemeal , failing to address sweeping constitutional questions . Rewriting the constitution is one of the issues being addressed by the legal challenges . neutral +If the German and U.N. proposals lead to a settlement with Milosevic , Clinton and his diplomats will have to finesse the discrepancy between the demands they touted and the deal they signed . It is possible that the German and UN proposal will lead to a settlement . neutral +Mass-energy wasn 't conserved . Energy was wasted . neutral +Kaiser obviously lusts for the Old Times as he repeatedly calls for authoritative journalism and higher journalistic standards , and petitions Post ies to be more intellectual and creative . Kaiser has made calls for higher standards in journalism . entailment +Unfortunately , because VSL is specified as quadratic in age , extrapolation beyond the range of the data can lead to a very severe decline in VSL at ages beyond 75 . There is a very severe increase in VSL at ages 75 and beyond . contradictory +Apparently the sun had passed through the sky in a similar manner . The sun never passed through the sky . contradictory +One held a massive scattergun over his shoulder with one hand , his other hand rested on the hilt of a wide-bladed greatsword that hung from his belt . One person held a black gun and a silver sword . neutral +She had always said so . She never said anything . contradictory +for some reason because he was carrying a camera uh they left him alone They threw him in jail because he had a camera . contradictory +Several centres provide all equipment , a dive boat , expert local knowledge , and sometimes tuition as well . The equipment and boats are provided by several centers . entailment +Megiddo looms large in Christian apocalyptic beliefs , since the Bible gives it as the site of Armageddon in the Book of Revelation , the last battle which actually takes its name from the town . The first battle of Armageddon occurs in Megiddo . contradictory +The data from the Matters Reporting System can be used for a variety of important purposes . The Reporting System is extremely accurate . neutral +So by the time we get the case , it is a crisis . We get blamed when the case is a crisis . neutral +Accordingly , sections 203 and 204 of the Act , which require agencies to consult with small governments and solicit input from State , local , and tribal governments , are also inapplicable . The laws of the Act ensure that all parties be consulted . contradictory +and uh i 'm still trying to decide when when the best time 's going to be to do that so uh I am still figuring out what the optimum time is . entailment +Ensuring a secure , affordable energy By setting firm caps while offering flexibility in how utilities can meet those caps , the Clear Skies Initiative preserves a diverse fuel mix that supports economic growth with reasonably priced energy . The Clear Skies Initiative places limits on energy . entailment +He obtained private backing for the creation of the gallery , which opened in 1889 . The gallery originally opened in 1889 . entailment +Participants believe that models that provide temporary resources to SEC , such as through fellowships from the accounting profession , are not the answer to its funding and staffing problems and can raise conflict of interest issues . The participants agreed that model providing temporary resources would be the answer . contradictory +In this room … . It will take place right in here ... neutral +I didn 't know whether to stare at the ceiling , pretend I saw nothing , or thank her for the free show . It could prove to be embarrassing and I was uncertain whether to address what had happened or simply pretend I saw nothing . neutral +Twin septuplet covers . The covers contained twin panda bears . contradictory +His next two shots landed in the chests of two riders carrying long bladed sticks . He hit the riders with the shots . entailment +The light was dimmer by the time they reached the great capital city--or what was left of it . The capital city once was the brightest hub of society around , but was attacked recently and destroyed . neutral +Gaaaaandhi , gone gone gone . Gandhi is dead . entailment +She then kicked him hard into the swarm of Sticks that remained . He ran away before she could hurt him . contradictory +Reed takes his place in 2002 . Reed assumes his position after 2000 . entailment +This represents the current NIPA definition of investment used throughout this primer unless otherwise stated . The definition currently used by NIPA is the most comprehensive and widely understood in this industry . neutral +He waited . He waited by the door . neutral +i don 't know is it five or three Was it five or three jars of honey ? neutral +Second , with each of those lost sales , it loses a potential user of Internet Explorer . Even if they don 't sell a computer , they still get an IE user . contradictory +There is a very pleasant terrace and in the basement is The Commons , which ranks among the best restaurants in Dublin . There is no restaurant or terrace in the basement of The Commons . contradictory +Gentilello concurred , commenting that insurance claims data can be a useful source of follow-up data , as can a simple phone call to inquire whether a patient has returned to the doctor recently . Gentiello agreed about the insurance claims . entailment +it 's well it 's more psychology and engineering uh my my master 's is in industrial engineering I have a psychology degree . contradictory +How Dismal Can You Get ? How bleak can you get while watching this unfold ? neutral +If your family moves during your school years ( ages 6-15 ) , your chance of graduating high school falls by 16 percent , the chance that you 'll be economically inactive ( out of school and out of work ) at age 24 rises by 10 percent--and , if you are female , your chance of getting through your teens without an out-of-wedlock birth falls by 6 percent . The chance of graduating high school drops when your family moves during your school years . entailment +( Poverty Drops to 20 Year Low--that was the USA Today headline we saw at a Wal-Mart in Morgantown . ) Poverty is the lowest its been in the past 20 years . entailment +Mandrakes and mandrake-men , zombie-men , from the past and multiple revivals ! Men , spirits and things from the past and multiple lives . entailment +well you well you 'd think so but uh It seems like this is so . entailment +um well you might wanna get yourself uh an animal that doesn 't require much attention like a cat You might want to get a pet that 's independent . entailment +when i 'm fixing dinner or something like that it 's i uh at least know if there 's anything i want to read thoroughly in the newspaper When I make dinner I concentrate on only that and nothing else . contradictory +You must trust us . We should be trusted . entailment +Ah , that I will leave you to find out . You must learn that in your travels . neutral +Tommy , you devil ! almost screamed Tuppence . Tuppence screamed at Tommy daily , often calling him names , such as " devil . " neutral +By the way , what are you going to do , accept Mr. Carter 's offer of a Government job , or accept Julius 's invitation and take a richly remunerated post in America on his ranch ? You have offers from both Julius and Mr. Carter , which do you think you 'll accept ? entailment +but we don 't we 're not intervening in that or do you think that we are to the degree that we are causing How are we affecting things ? neutral +trying to uh win everybody in the West over about what oh what a great reformer he was and all this other stuff but then you know now he 's uh know now he 's uh you know crushing the uh demonstrations and and and trying to close close it off again so i i i can 't figure i can 't figure him out i don 't know if he 's being pressured from Demonstrations are pressuring him to close it . entailment +Fundamentally , the McChesney brigade worries more about AOL Time Warner 's pulling journalistic punches than about any lost independence . AOL Time Warner 's use of journalism is a topic of interest to the McChesney brigade . entailment +It was a Welsh Celtic tribe that named the northern stretches of this territory Cumbria ( the area was officially known as Cumberland until 1974 ) . A Welsh Celtic tribe named this territory Cumbria . entailment +and it is so good oh It 's great ! neutral +An essay claims the left and the right now function solely in reaction to the Reagan revolution and the Sixties , respectively . The essay only covers information pertaining to the Reagan revolution and the ' 60s . entailment +The major islands exhibit faded remains of a Muslim influence , though this was just one of several cultures to leave its mark on the islands . On the major islands you can see the remains of the Muslim influence , one of many cultures however . entailment +Leather Goods . Genuine Leather Goods . entailment +and uh and the uh PC Junior was a total failure I think the PC Junior failed completely . entailment +Diexodos also organizes bike tours ( see details above ) , or you can rent equipment in all the major resorts and plan your own itinerary . Taking a bike tour is recommended , since the guide will be able to point out important landmarks . neutral +This long-running campaign ( which has helped the brand become the world 's most popular ) portrays a disciplined man of experience who seems to embody a cowboy code of honor , a traditional regard for women , and the offer of a self-sacrificing friendship with other males who can meet his standards of what it is to be a man . The campaign made the brand less popular worldwide . contradictory +At any event , however , this wasn 't a hospital in any sane and normal section of Canada during his time , on Earth . This wasn 't a hospital in Canada during his time . entailment +Although you 're driving along narrow mountain roads , you 'll feel much safer than in the plains , because everyone takes infinitely more care ; lorry and bus drivers are clearly subdued by the deep ravines . You will feel safe on the mountain roads as people are careful . entailment +I think they would have , if it hadn 't been for the Coroner ” he seemed to be holding them back . " The coroner had been spurring them on . contradictory +George W. Bush takes both covers . Bush takes no covers . contradictory +uh you sound like you got a Louisiana accent Your voice has a Louisiana accent . entailment +Kenneth Starr and his deputies interrogated Hillary Clinton for several hours at the White House . Starr was never allowed to speak to Hillary Clinton . contradictory +Central Jordan 's love and respect for Dean Smith , the legendary coach who shaped him at the University of North Carolina . Dean Smith was the coach who shaped Central Jordan at the University of North Carolina . entailment +While we are used to secular types such as Trent Lott weighing in with their views on sin , it 's harder to swallow when the folks at WWJD ? No one is familiar with Trent Lott or his views regarding sin . contradictory +Fragments of the royal palace are still standing by the Jeu de Paume museum in the northwest corner of the Jardin des Tuileries . There is absolutely nothing left of the Royal Palace . contradictory +you know but i said no they they getting on the smokers and stuff but i think i because like i told one guy i says smokers don 't kill people in a wreck from being smoking Smokers face harsh judgment because of their habit , but have never killed anyone in a car accident due to said habit . neutral +The programs , supplemented by funding from state governments , bar associations and foundations , provide free legal help to the poor but not in criminal cases . The programs give legal help to the poor . entailment +yeah i could use a discount i have to wait for the things to go on sale I don 't ever need to wait for anything in my life . contradictory +The photo was taken by Henryk the servant , when his little charge decided he wanted a red biplane model Curtiss Consolidated Skyhawk Cruisader 3A ' Bingo Star ' . Henryk , the servant , was an avid photographer . neutral +Her wrist broke when I grabbed her and threw her over her large oak table . I snapped her wrist in three places . neutral +Under the Acid Rain Program and the NOx SIP call , the owner or operator of each affected unit must hold allowances at least equal to annual emissions from the unit . The Acid Rain Program was disbanded ten years ago . contradictory +yeah but he 's a good director so i mean he should still be able to I don 't think he will because he 's a very bad director contradictory +but really the main reason is for fuel you know and and when you read so much information that tells you that meats and different animal products you know are causing uh can cause uh different kinds of diseases you know like heart heart diseases and different diabetes and things like that different kinds of diseases it 's like uh is it really worth it and the people i i really think in general people in the United States just don 't eat enough vegetables you know because you can talk grain all you want as far as you know cleaning your system out so to speak but you can 't beat vegetables to give you all the nutrients and vitamins and and the the the kind that you can 't get from a little pill Multivitamin pills are not a good substitute for fresh vegetables . neutral +well , you know . Who knows ? contradictory +The library contains fascinating old manuscripts as well as the bound volumes of the hospital 's financial accounts , which record ex ? ­ pend ? ­ ? ­ itures in a meticulous script . The hospital does not have records of its accounts available . contradictory +The villager cried out and lunged but the small man twisted out of the way . The villager was silent . contradictory +Is it possible , asks Livingstone , that Zapruder was a plant ? Livingstone wondered if Zapruder was a plant . entailment +Ever since it was founded in the 1870s , Santa Monica has been thought of as the perfect seaside town . Santa Monica is a seaside town . entailment +Once royal hunting grounds , today these areas are used for open-air events , concerts , and fireworks displays ; the park 's trees are almost completely gone . The public is banned from the area . contradictory +The Japanese have built a great white stupa on Rajgir 's principle hill , which you can reach by aerial ropeway a pleasant way to survey the rugged countryside . The great white stupa is unreachable by any means . contradictory +But even those who insist that the legal system is out of control are afraid to challenge Every time they have done so , Clinton and the Democrats have trounced them , depicting them ( with some justice ) as shills for big corporations that don 't want to be accountable to employees and customers . Some people have the opinion that the legal system is out of control . entailment +Tuppence bent lower still . Tuppence bent to the lowest he 'd even bent . neutral +400 ) ; the city of King Priam , described in the Iliad and the Odyssey , is thought to be either Troy VI , which was destroyed by an earthquake in 1275 b.c. , or its successor Troy VIIa . King Priam is spoken of positively in the Illiad and the Odyssey . neutral +It was designed by Felix de Weldon and bears a striking similarity to his Iwo Jima Memorial to the Pacific War in Washington , DC . There is no similarity with the Iwo Jima Memorial . contradictory +The Delivery System Will Be Designed and Configured to Respond Effectively and Efficiently to New and Emerging Client Needs and Other Changes Affecting the Delivery of Legal Services to the Poor . The Delivery System will promptly disregard the needs of new clients . contradictory +She just rapped out a ' no' She said one word . entailment +For example , the Commission believes that costs vary more directly with volume than does the USPS . The USPS costs do not vary as much with volume per belief of the Commission . entailment +yep that 's all good-bye okay bye that 's all , goodbye entailment +Lawrence , on the other hand , being less conventional , and having more imagination , I felt I might count upon as an ally . Lawrence was an enemy . contradictory +GAO will , under these circumstances , issue a product as if it were undertaken on its own authority . Gao will not issue a product . contradictory +For example , for organizational support and teamwork , the executive 's performance is acceptable if the rater determines that completion of projects and innovations is substantially equal to agreed-upon expectations and the executive demonstrates cooperation with other executives in the attainment of These goals where applicable . Many executives consider mandatory unpaid overtime to be a team building exercise . neutral +During the march , a black gang called the Invaders began looting , the cops attacked them ( and the peaceful demonstrators ) , and a full-scale riot left dozens hurt . The march went off without a hitch and peacefully concluded in front of courthouse . contradictory +Louis XIII had hoped to make his favorite hunting lodge a modest retirement home . Louis XIII wanted to make his favorite hunting lodge into a restaurant . contradictory +The second issue is addressed by assuming that the relationship between age and willingness-to-pay for fatal risk reductions can be approximated using an adjustment factor derived from Jones-Lee ( 1989 ) . We 're assuming , for the second issue , that the relationship between age and willingness-to-pay for fatal risk reductions can be approximated . entailment +El Morro was not , however , invulnerable . Nothing or no one could defeat El Morro . contradictory +Although not open to the public , its towers and beautifully carved stone walls can be seen from various vantage points in the city . The towers are toured by hundreds of people each day . contradictory +Their withdrawal will not result in the termination of a product if significant resources have been expended and / or the product is in the public interest . The product termination will not happen because of a new backer . neutral +ARTICLE : : Too True To Be Good The article is titled Too True To Be Good . entailment +If you want to go farther out to sea without getting your feet wet , Coral World also has a state-of-the-art yellow submarine . Coral World features a modern yellow submarine . entailment +The park 's 10.5 hectares ( 25 acres ) of landscaped gardens and lakes contains a large greenhouse that holds many species of plants , and an aviary of exotic birds . The park was supposed to be larger than 25 acres but management killed the offer . neutral +Why didn 't Ellison finish--or publish--the book ? What made Ellison decide to complete the book so quickly ? contradictory +I tried to forget you , but the compulsion grew until I could fight it no longer . " She shuddered . It didn 't take me long to forget all about you . contradictory +In the end , however , I got up and walked round the room , examining it . When everyone had left I carefully inspected the room . neutral +Known locally as ca ' ( short for casa ) as well as palazzo , the marble , brick , and white limestone palaces range over 600 years from Venetian-Byzantine to Renaissance , Baroque , and Neoclassical , but most of them are exotically 14th- and 15th- ? ­ century Gothic , Venice 's trademark in architectural styles . The palaces were mainly built in the 20th century . contradictory +But a subsequent Gerth article ( also not nominated for the Pulitzer ) revealed that Clinton immediately notified Congress of his February decision . The Gerth article said Congress never heard from Clinton . contradictory +I wish that young fellow would hurry up with the brandy . At that moment Julius re-entered the room , carrying a glass half full of the spirit which he handed to Sir James . Julius entered the room with whiskey contradictory +I picked her up , she was so light , and we took one of Marcus 's horses . We rode a horse for thirty miles . neutral +This amount reflects the net increase in the terminal dues net balance that the U.S. This amount is how much the terminal costs changed . neutral +Even more devastating was the 587 b.c. invasion by the Nebuchadnezzar-led Babylonians . Nebuchadnezzar led Babylonians to a retreat in 587 b.c. contradictory +so it 's here but i haven 't touched one like since college so i kind of am picking it all out again and trying to remember how to do it again and of course my kids jump in the middle of it and want to pound on it and i 'd love to teach them to play too I last played when I was in college , but I am learning it again . entailment +Auditors are expected to act with integrity in judging whether any information should be excluded from publicly available reports . Auditors decide whether any information should be excluded from publicly available reports . entailment +The directive also encouraged the creation of ISACs that could serve as mechanisms for gathering , analyzing , appropriately sanitizing , and disseminating information to and from infrastructure The directive did not concern the creation of ISACs . contradictory +A duplicate is not merely the submission of exactly the same case twice by computer or other error , but also any situation in which the same client returns to the program with the same legal problem in the same year . If the same client returns with the same legal problem the same year , that 's considered a duplicate . entailment +In good times this brought trade , ideas , and prosperity ; in bad times invasion , oppression , and disease . Invasions happened approximately twice per decade . neutral +oh no no no no actually i left TI um i had basically set my sights to leave TI when they announced there would be no salary increases in ninety one I quit because they proclaimed there would be no raises in wages . entailment +and the feeling has always been that without the shirts and ties and suit coats that people were in a more relaxed atmosphere and you could have a freer exchange of information People working in causal environments are more open with expressing information . neutral +Auditors need not report information about fraud or an illegal act that is clearly inconsequential . Auditors do not need to report clear , inconsequential cases of fraud and crime . entailment +Since the U.S. volume per capita is the highest in the world , the U.S. Being the highest in volume per capita the U.S. is closely followed by the U.K. neutral +GAO has previously recommended that reorganizations should emphasize an integrated approach ; that reorganization plans should be designed to achieve specific , identifiable goals ; and that careful attention to fundamental public sector management practices and principles , such as strong financial , technology , and human capital management , are critical to the successful implementation of government reorganizations . Reorganization plans should aim to achieve specific goals . entailment +Mossad , which employs about 1,200 people , now has difficulty competing with private-sector recruiters . Its early agents were well-educated , European-born cosmopolitans who ran the agency like an exclusive club . To Mossad now it 's hard to compete with private-sector recruiters . entailment +Madrid 's funkiest hotel is this former brothel in the city 's chief bohemian district . The bohemian district is a popular destination for the nightlife . neutral +The Minnesota Vikings will host the Atlanta Falcons in one bracket . Both the Vikings and the Falcons will win . contradictory +Many boards were not perceived to function properly for investor protection , which is a negative reflection on the entire corporate governance process . Investors are highly valued in the majority of companies . neutral +Auditors may wish to attach the comment letter to the audit report to provide the reader with both points of view . Most of the auditors chose to do so . neutral +it 's it 's probably safer at least now can 't get hit this way you know Since we can 't get hit that way I bet it 's safer . entailment +yeah yeah well i guess they were uh i guess they must have been scared They seemed fearless and confident to me . contradictory +And fell . Unsteady . entailment +When his family fell on hard times , Degas blamed it on the Jews . Degas was a racist idiot . neutral +this is you know This is what I was talking about . neutral +In another postal system there might be no differences in the compensation of city and rural carriers or it might be much larger . Rural and city carriers wouldn 't be paid any differently in a different postal system . entailment +Zelon works to ensure that her misdemeanor court is a relatively welcoming place for the defendants she comes face to face with on a daily basis . Zelon rarely meets with defendants face to face . contradictory +These here hosses is goin ' to be treated jus ' like th ' good stuff they is . These hosses are terrible and will be disposed of . contradictory +About 2 km ( a mile ) east of Wan Chai , Causeway Bay is second only to Tsim Sha Tsui as Hong Kong 's place to shop . The Causeway Bay is the largest group of shops in the world . neutral +You gave too much rein to your imagination . You need more of an imagination . contradictory +Whether our focus is interracial adoption or mixed marriages or class-climbing , so long as we speak of whiteness as a norm , no amount of census reshuffling will truly matter . Whiteness is still the norm despite talks on interracial adoption or mixed marriages or class-climbing because it has so much power . neutral +and so you know you could also apply the magazines toward that You already know exactly how this works , don 't you ? neutral +Food and Drink My favorite food and drink combination is club sandwiches and orange juice . neutral +During high season , arrive when the park opens and hit the most popular attractions before the lines get too long . During high seasons is when the price to fly to Disneyland also increases . neutral +I get tired of being told I 'm not going to like it because it doesn 't adhere to certain basic critic criteria . Being told I 'm not going to make it is tiring because it is discouraging . neutral +My morning latte just isn 't right without it . I have to put sugar in my latte . neutral +From Table 6-7 , the estimated capacity of catalyst supply is 87,300 m3 / yr . Catalyst supply estimates are within a 5 % margin of error . neutral +Burnt corks they use 105 mostly ” though ' tis messy getting it off again . Burnt corks are completely useless . contradictory +In short , the record is clear that H-2A workers are unlikely to raise legal claims before the end of their employment contract , that they are required to leave the United States at the end of their contracts , that many of their claims arise after their departure , and that legal proceedings cannot be completed before they depart . These visa holders make legal complaints so they can stay in the country longer . neutral +I MAY decide to pay for the witty articles and intelligent social commentary in Slate when you start charging . I might pay for the articles when the charges start . entailment +As we entered , however , her limbs relaxed , and she fell back upon the pillows . Once we entered her body relaxed . entailment +that 's about the same for ours I wish the situation was different than ours . neutral +Thus , the diversion of bill-paying by mail to other methods of bill-paying is having more impact on single-piece than presort First-Class Mail . First-Class mail is being impacted more than single-piece mail . contradictory +That idea bore fruit in 1292 with the casting of the 120-ton Daibutsu in the courtyard of Kotoku-in temple after Mr. Fuji , probably the most photographed icon of Japan . The Daibutsu was cast in 1992 and is rarely photographed . contradictory +Ah yes , I had a little plastic surgery on my forehead , so it would wrinkle to the left , such is a trend this season , I can 't help it . Plastic surgery was performed to cause a particular forehead wrinkle . entailment +They 'll have the police after them if they do . The police will most likely catch them . neutral +yeah because they had so many power lines down and so many uh Was the power out on account of the downed power lines ? neutral +Had he come back for revenge ? Did he come back to the town for revenge ? neutral +For the vacationer , the best seaside resorts are along the indented shorelines of the west and south coasts , for which Ajaccio 's airport and harbor ( for the car ferry from Nice , Toulon , or Marseilles ) provide a convenient gateway . Ajaccio 's airport and harbor are a convenient gateway to the best seaside resorts along the west and south coasts . entailment +yeah that 's really Yes , that is really . entailment +This time loaves of bread rained down--fresh bread , and even of the brand he had wished for . Loaves of fresh bread fell down from above . entailment +Despite increasing urbanization and social change , Japanese society retains its small , closely knit communities strongly dependent on Shinto gods to ensure good harvests for survival . The Japanese people are all happy to be living in closely knit communities . neutral +Or two known defectors . The government charged both with treason . neutral +In 1998 , Social Security benefits contributed 38 percent of the elderly 's cash income . This was sufficient for the elderly . neutral +i think i think a lot of people are jumping on the band wagon I will probably join in too . neutral +but anyway it was nice to talk to you and uh sort of meet you and that was an interesting topic I was impressed with the topic we discussed entailment +In 2001 , county judges heard 98 Protection From Abuse cases , finding the defendant guilty in 48 percent of those cases , either after a hearing or through a technical violation or plea . The defendant was usually found guilty due to a technical violation . neutral +We love legal services and are committed to making legal services better . We love working to improve legal services . entailment +and started being bought out by families and things and she started having fewer and fewer friends In the end , she only had two friends to talk to . neutral +Meanwhile , Mr. Rooney suggested that lawyers might individually elect to do more reduced fee or low-bono work - in the manner of the New York firm Marcos and Negron LLP . Mr. Rooney suggested that lawyers might enjoy doing more low-pay work . neutral +Nevertheless , his sense of uneasiness deepened . His general feelings of uneasiness became stronger . entailment +well i 'll let you go if you want to go ahead and take that um yeah uh it seems just if you watch what kind of crowd that start running around with and kind of keep up with who their friends are that 's best way to avoid trouble from what i can gather It doesn 't matter what kind of crowd you 're with as long as you 're a good person . contradictory +The grandstand situated on the seaside road , the Avenida da Amizade ( Friendship Avenue ) , marks the finishing line for the Macau Grand Prix , the international car-racing event held here every November . The finish line for the Macau Grand Prix is marked by the Avenida da Amizade . entailment +The cuts have meant staff reductions in Indiana Legal Services ' Indianapolis office , eliminating one attorney , two paralegals and one administrator , Mathews said . There have been budget cuts in Indiana Legal Services leading to reduced wages . contradictory +But it 's all O.K. But it 's never going to be fine . contradictory +Been gittin ' a little of it back , though , seems like . Been losing it more and more , seems like . contradictory +You cannot argue about home field advantage , equipment differences , or help from teammates . Home field advantage , equipment differences , and help from teammates are all topics of interest . neutral +The salamander hit him , sank into him and shone through him . The salamander left quickly . contradictory +Payments from the U.S. to FPAs for the Delivery of US Outbound mail 4 / 8 / 5 FPA Payments to the U.S. for the Delivery of Foreign Origin Inbound Mail 5 / 9 / 6 U.S. Mail is free nationwide thanks to government subsidies . contradictory +do you feel that uh drug testing is necessary at the workplace Do you think workplaces need drug testing ? entailment +Soon someone would attempt to rule that city . The police officer would soon try to rule that city neutral +What you will find is a lively workaday business world , hotels overflowing with conventioneers , and an atmosphere that is a refreshing diversion from the celluloid images to the west . You will see very busy hotels . entailment +A. DeConcini Federal Courthouse , 405 W. Congress St. Deconcini was one of the organization 's early board members . Deconcini was a board member in 1995 . neutral +Looming over its southern end at the intersection with Rose Avenue is a giant sculpture by Jonathan Borofsky known as Ballerina Clown . Jonathan Borofsky was a sculptor . entailment +yeah my grand my grandparents took a tour of the oh of the northeast this past Fall and they really enjoyed it they said that the color was just fantastic Visiting the northeast was a much regretted decision for my grandparents . contradictory +For this reason , the revised circular eliminates a long-standing federal requirement for formal risk assessments . There is no reason to change the requirement . contradictory +They live in separate hamlets or on city 400,000 in Tokyo and an estimated 3 million throughout the country . There are about 3 million spread over the entire country . entailment +You 'll come next to Savanna-la-Mar , the bustling capital of Westmoreland Parish . The capital of Westmoreland Parish is Savanna-la-Mar entailment +Tom takes aim at Lana , but the bullet misses because John shoves him . The bullet misses Lana , so Tom aims again . neutral +What is it ? I asked . I knew exactly what it was . contradictory +Avenue Foch , leading away from l 'Etoile to the Bois de Boulogne , is one of the most majestic of the city 's residential avenues . Avenue Foch is going to be reconstructed soon due to the complaints surrounding its unappealing sight . contradictory +so i guess from what i understand the thing could just they could take off at any moment without uh The comings and goings are very structured . contradictory +The building also houses five businesses that were already tenants . Five businesses that were tenants are housed in that building . entailment +Lake said Washington had gone haywire and worn out his patience and dignity . Lake claimed that Washington had lost his mind . entailment +that 's that 's what a Bombay looks like The look is similar to a Bombay . entailment +King 's Cross , directed Tuppence . King 's Cross , ordered Tuppence . entailment +The most popular journey from Pahalgam is 45 km ( 27 miles ) up to the Amarnath Cave , which has an altitude of some 3,895 m ( 12,742 ft ) . When people take a trip out from Pahalgam , they usually go to the Amarnath Cave . entailment +i bet that was a good one i would guess that was a satisfying one neutral +The final analysis discusses the FDA 's decision not to exempt small entities from the rule because an exemption for small retailers would shift underage sales to those locations , lessening or eliminating the effectiveness and benefits of the access restrictions . The analysis showed the FDA thought that overlooking small entities was morally wrong . neutral +A piece maps the minefield of New York state politics . New York state politics are full of arrogant politicians . neutral +Just a mite impatient to leave us , commented Julius , as the car gathered way again . They didn 't get along with Julius . neutral +At the heart of the book is the claim that by treating a political cataclysm in strictly humanitarian terms , Western governments and the United Nations assured the destruction of a democratic , multicultural nation in the middle of Europe and abetted the cause of Serbian fascism . The books ' assertions are correct . neutral +Hargarten commented that this area has the potential to cause consternation and divisiveness , so it will require a great deal of textual commentary to tease out the important issues that it addresses . Hargarten commented that this area has the potential to cause consternation and obesity . neutral +I threw Daniel out first , hoping he 'd be all right . I hoped Daniel died . contradictory +I have to ask her , said Ca 'daan , more to convince himself than confirm it with his companions . Ca 'daan was too nervous to talk to her . contradictory +His ? ­ to ? ­ rians regard this as the finest and best preserved of all the surviving theaters in the Roman Empire , unique for its towering scenic wall , with a statue of Em ? ­ per ? ­ or Augustus to greet you . It is the best preserved Roman theatre according to historians . entailment +it uh it 's just really pretty with the snow and the ice and all of the lights not necessarily not the ice i should keep leave the ice out of it but the snow is real pretty I hate the snow and ice . contradictory +Consider movie titles . Consider book covers . contradictory +Are biographies too long ? Do the biographies have too much length ? entailment +The accompanying It 's your money slogan , while unconvincing to both voters and pundits , is fundamentally true . The slogan says it 's your money and voters are convinced that is true . contradictory +did you see that You didn 't see that . contradictory +She 's disappeared , said Julius . Julius spoke , " She 's gone . " entailment +The H-2A workers ' presence in the United States under the temporary worker visa entitled them to LSC eligibility . Even if they have a temporary worker visa , H-2A are not entitled to LSC eligibility . contradictory +Unlike White he didn 't seem badly hurt , just very unconscious . His injuries seemed more serious than White 's . contradictory +that 's kind of what 's happened it kind of does happen yeah uh i 'm trying to think of any self-improvement books i 've read Self-improvement books are good because help you become a kinder , more thoughtful person . neutral +Further , the proliferation of international trade agreements , such as the U.S.-Canada Free Trade Agreement of 1989 , the North American Free Trade Agreement , and the General Agreement on Tariffs and Trade , should lead to further increases in trade and travel volume . The free trade agreement was signed in 1957 contradictory +Right now we don 't have any agency in the county willing to handle supervised custody visits , West said . West suggested that some agencies should take up handling supervised custody visits . neutral +It was daylight , but through the clouds bright stars were shining . The stars that were shining in the day were not arranged in any of the normal constellations , and this disturbed Ella greatly . neutral +Pull up , George . George , move up . entailment +161 " No . Absolutely not entailment +If you insist on sticking to imported Scotch or Bourbon , expect to pay a relative fortune . It is expensive to drink Scot here . entailment +If Moynihan has anything to do with it , Al Gore will not get Bill Clinton 's . Al Gore may or may not get Bill Clinton 's . entailment +( Click to read the question--but in brief , it had to do with why one guy named Bill had managed to discourage unwanted pursuit by a gal named Janet , when another guy named Bill had not . ) Janet liked one Bill and not the other purely based on looks . neutral +Friday , we publish the weekend edition at about 11 a.m. We publish the weekend edition at 1 p.m. contradictory +Sports and Outdoor Activities Activities outside . entailment +oh one of my instructors uh said that they were doing something like this and my instructor is working on a more efficient way to create lightbulbs neutral +You are hurt ? said Annette quickly . I don 't care if you are hurt , Annette slowly proclaimed . contradictory +Remove the profit motive from medicine . Medicine should not be about profit . entailment +At the sight of Shiloh and Shadow he whistled . He made a noise as he saw Shiloh and Shadow . entailment +Fred Hanna 's in Nassau Street sells new and secondhand books , posters and old postcards , and has a good children 's section . Fred Hanna 's , which deals with new and used goods , is located in Nassau Street . entailment +This was my first . This was the first time I played soccer . neutral +The Royal Observatory was relocated to Blackford Hill , farther south , in 1895 . The Royal Observatory transferred to Blackford Hill in 1895 due to space constraints . neutral +An ethereal crowd of beautifully slight and delicate , measuring in nanometers , droplets was floating in the air . There was a single , large droplet in the air . contradictory +It 's a good idea to take a jersey ( sweater ) and something to drink . It 's a good idea to bring along a sweater and something to drink . entailment +'Natalia ! Please-' Natalia , it is urgent . neutral +The little Muslim shrine by the road near Mary 's Tomb is the grave of the 15th-century Muslim judge and historian , Mujr el-Din . Mujr el-Din asked to be buried in a small Muslim shrine . neutral +Not entirely unmarried men are seldom worth the trouble . Unmarried men are not worth the trouble . entailment +Best rider in Miggs ' Company " It was half question , half assertion . " Best rider in Miggs ' Company , " she said questioning and , yet , asserting at the same time . entailment +for early retirement The answer to the question was " For early retirement " entailment +Life isn 't fair ... Life is fair . contradictory +get some thoughts in the meantime if i had some you know think about it ahead of time In the meanwhile , collect some ideas and plan ahead , if I get some . entailment +oh fajitas how do you make fajitas How are fajitas made ? entailment +it 's it 's some sort of government program i 've heard a lot of people say good things about it but i just don 't know the details on it I don 't know much about the program itself , but it 's apparently pretty great . neutral +The Order provides for a new selfauthorization process based on a manufacturer 's or supplier 's declaration of compliance with all FCC requirements . The new Order was designed with the intention of speeding up the process for everybody . neutral +uh-huh uh-huh yeah um i 've been lucky well my mom 's um parents they 're both in their in their uh eighties and i was just home for spring break and my grandma said something to me about she goes well maybe we 'll just sell the house she said it 's getting too big for us to take care of and i was like no no no stay in the house as long as you can I was worried about my grandma trying to live on her own . neutral +He doesn 't have to protect anybody else 's . He is currently guarding something . entailment +Further , under its state planning initiative that mandates all grantees within a particular state work together to create a comprehensive and integrated statewide delivery system , grantees are required to address how they will work together to expand the resources available within that state to support legal services . Grantees are required to address how they will work together . entailment +They attribute the change to a joint effort by program and finance offices to implement the Results Act and develop strategic plans . They find that developing strategic plans makes life easier . neutral +Touch and go , he muttered . He spoke quietly under his breath . entailment +Content A Methodology for Structuring and Content is a methodology for structuring real estate transactions . neutral +Many were evacuated to Egypt , though several thousand were left stranded and fled to the mountains . Nobody left Egypt during evacuations and they all stayed home . contradictory +Kobe 's two main downtown shopping districts are Sannomiya and neighboring Motomachi , both featuring large department stores and fashionable boutiques . Sannomiya and Motomachi are neighboring districts in downtown Kobe . neutral +they sent me a small flag in the mail that which which had postage due I got a plastic poo in the mail with the postage fully paid . contradictory +Its secret is deadpan parodies of news stories ( Drug Use Down Among Uncool Kids ) . The secret is serious journalism . contradictory +Turnaround time for printing is 10 days , about a month faster than either Smythson or Pineider . The printing takes about 10 days to do . entailment +This was the home of the 19th-century artist , critic , and reformer John Ruskin , one of the preeminent men of his time . After John Ruskin passed away , his family wanted to preserve his home and convert it into a museum . neutral +if you write a bad check you go to jail right You will never go to jail , so write plenty of bad checks . contradictory +Old buildings are being recycled ; for example , the 17th-century Royal Hospital now holds the Museum of Modern Art . New buildings are built instead of reusing the old ones . contradictory +and it 's really impractical so i wanted something with a real trunk and four doors something easy to get in and out of and i looked at the Galant and those were really nice and you can get them for a great price I only wanted two doors . contradictory +yeah well i think you 'd probably have to put me at the at the ten area ten or nine I predict that I would be put as a ten , or maybe a nine . entailment +The brothers are remembered today as the true founders of both the state and the city Bienville later served as the first governor of Louisiana . Nobody remembers the rightful founders of the city and state of Louisiana . contradictory +Some editors prepare for trips by Federal Expressing their luggage to their destination . The cost is high , but Federal Express minimizes the chance of losing luggage . neutral +She brought a record player , we brought our 45s ( my contribution was Rock Around the Clock ) , and two dozen 11- and 12-year-olds danced for two hours ! The record player was on sale . neutral +Note how gingerly Greenspan expressed his concern . Greenspan was careful when he presented his issue . entailment +Two windows , just for one moment standing side by side . One of the windows was open . neutral +what is that what is it because of because of expense is that Besides the expenses , could it also be because of the sales ? neutral +If there 's a commodity in short supply here , it 's relaxation . There are a huge number of great places to relax here . contradictory +But by focusing on the populism that made the 28 th District Tejeda 's own , it hopes those watching will make the connection . It hopes those watching will connect the dots , by focusing on the populism that made the 28th District Tejeda 's own . entailment +They are so dissimilar that they cannot contradict one another . They are idenitical contradictory +and welcome to Texas Welcome back to Texas . neutral +hey how do you like it out there How do you like it out there on the moon ? neutral +Now there was another rumble of thunder from the falling sky . A second rumble has heard in the sky . neutral +I do not want to sell food to those who cannot understand how good food , any food , can taste , he said . " I do not wish to sell food to those incapable of appreciate its true , pleasing nature , " he replied . neutral +GSA , IRS , and the Department of Justice have established gain-sharing programs that enable frequent travelers to share in the savings they achieve in airfares , lodging costs , or both . Frequent travelers can share in savings accumulated through various expenses earned through traveling . entailment +it there was a lot of pretty scenery too in that movie what did you think about the buffalo scenes Did you find the bird scenes pretty ? neutral +Wanniski , who invited Farrakhan to a conference last spring , argues that a Republican-nation alliance could guarantee an unbeatable electoral majority for the GOP . Wanniski did not invite Farrakhan to a conference , Wakinski argues that a Republican-nation alliance could not be used to guarantee an electoral majority . contradictory +She didn 't have the courage to look him straight in the eye . She lacked the courage to make eye contact with him . entailment +Even for the most intrepid and socially conscious of graduates , starting a practice requires a giant leap of faith , and more than a little guesswork . Starting a practice is scary . entailment +It is here , in neighborhoods like these , that a sense of the need for continuity and community is emerging . These neighborhoods are developing continuity and community . entailment +fraud is very difficult to prove It 's a cinch to show fraud . contradictory +Rick 's Cafe , 78-82 Jaffe Road , is a long-time disco that 's still popular . Rick 's Cafe is a new establishment . contradictory +The evening had clearly exhausted her . She could not wait to get home and slip under the covers of her bed . neutral +Timothy McVeigh , convicted Oklahoma City bomber and Ramzi Yousef , convicted World Trade Center bomber , are both inmates at a Florence , Colorado super-maximum security federal penitentiary . Timothy McVeigh and Ramzi Yousef are inmates in the same prison located in Georgia . contradictory +48 Thus , it is expected that this worldwide supply will provide additional flexibility in meeting any significant increases in demand . This worldwide supply will not be sufficient enough to meet increases in demand . contradictory +And isn 't that the reason to come here ? There are some reasons to come here . neutral +In the arts , architecture was often of the work of engineers , and huge sculptures were ordered from Victorian Britain rather than from local artists . In the visual arts , architecture was for engineers and sculptures were ordered from Britain rather than locals . neutral +More sand or rock beaches continue westward from Las Salinas , but they become less and less accessible . There are other beaches going west from Las Salinas . entailment +yeah so uh so you so then you 're not a uh uh not a frequent movie goer either I take it you don 't go to the movies often ? entailment +okay well i have no idea what that is I have a completely understanding of what that is . contradictory +She may think it 's her name , because her memory 's gone , poor kid . It is her name that she remembers , she is perfectly healthy you see ! contradictory +Access cost would fall somewhere in between , since it is partly variable and partly fixed . The reason why access cost is somewhere in the middle is because its variability makes it difficult to predict . neutral +i attached a little note to my my return when i sent it in saying gee i didn 't know i had this extra three hundred dollars i wonder where it went i didn 't send a note or anything else with my return contradictory +um casual ones but with class you know not too fancy but uh i i won 't go to a fast food place I prefer cheap restaurants . contradictory +It can 't last for ever . It can 't stop soon enough for me . neutral +With hundreds of shops located along charming streets , stacked in mega-malls , and tucked into nondescript neighborhood nooks , there 's no doubt you 'll find more than a few Los Angeles mementos to carry home . There are hundreds of shops along the streets downtown along the river . neutral +Still you are right in one thing . You are correct about one thing . entailment +The Spanish settlers in 16th-century Jamaica , having tired of the disease-ridden Nueva Sevilla in the north , looked for a new site for their capital city . The Spanish settlers looked for a new site for their capital city . contradictory +is is stuff that you can do yourself just the oil uh changed and things of that nature that 's about where i my expertise ends in in that category just you know I know that you hate having to change the oil , even if you know how . neutral +Simon , a notorious perfectionist , at first couldn 't cede control of the production . Simon doesn 't like other people 's help . neutral +After all , this was a hospital barber shop , and they probably had some rigid rules about sanitation , though he hadn 't seen much other evidence of such care . He hadn 't noticed that the barber shop adhered to strict standards of cleanliness even though the barber shop was located inside a hospital . entailment +There was no need to introduce it . It 's introduction was not necessary . entailment +The ferocity of later Cretan resistance against the Turks had all the trademarks of their fiercely independent spirit . Cretans fought against the Turks for Hundreds of years . neutral +But it doesn 't exactly count as a trophy from the barricades . A trophy from the barricades does not count on such a meaningless topic . entailment +I had and still have the highest sentiments of esteem and respect and admiration for you " There are no feelings of respect at all towards you . contradictory +It configured both relatively painlessly . Both were configured relatively painlessy , said the manager . neutral +okay fantastic one one thing that pops into my mind real quick is uh about the uh funding of the the school system right now evidently uh that 's that 's a big problem There needs to be reform in the way school systems are funded . neutral +and you can just um you know rinse that out it 's kind off to the side it unscrews and you can simply rinse that part out entailment +Nor will community development help be sacrificed . Community development assistance will not be sacrificed . entailment +Overpaid athletes , teams that abandon their cities , and absurd ticket prices ( average NHL $ 40 . Overpaid athletes are equally as bad as teams that abandon their city . entailment +Accordingly , such an office was established by and for LSC . LSC opened such an office . entailment +For the rest , she cooked like a chef , as Tuppence had an opportunity of judging that evening . Tuppence guided her cooking techniques . neutral +was that in the seventies Did that happen in the 70 's ? entailment +i hate it too i just would rather stay the way it is I want it to change . contradictory +The monks of the convent are often happy to show you around their rooms . The monks will show you the chapel , but the rest of the convent is off limits . contradictory +McCaffrey told the Washington Post that he would make his recommendations to Clinton by Christmas . These recommendations will determine which species of goldfish will adorn the Oval Office . neutral +If you are not claustrophobic , take the opportunity to enter the crypt below the temple floor , as the carvings here were never defaced and are still precise and clean . All of the carvings housed inside the crypt have been vandalised . contradictory +He wasn 't particularly surprised . He had expected something like this to happen . entailment +His nose was crooked and his skin looked as tough as leather . The farmer had a crooked , purple nose from all the years spent drinking . neutral +To them , the women represent the danger and disorder that must be expunged if the town is to survive . They think that women should have leadership roles in the town . contradictory +The other horses were as frightened as the rest of them . A loud sound frightened the horses . neutral +oh that 's what it is with us too you just like get so frustrated you get something about ready ripe and there goes the bugs and Its frustrating when you finally have something that is ripe and the bugs get to it before you do so we started using pesticides . neutral +i can remember as a kid growing up my whole family all my family grew strawberries grew excuse me grew tomatoes As a kid , my entire family grew tomatoes . entailment +you remember that i mean an and then oh i i tell you that just did it for me right there i said you 've put me through an entire season of Pam dreaming Yeah , I stopped watching the Office after I found out that the entire season was just a dream that Pam was having . neutral +And slowly , as the distance increased , the sun 's pyre sank further and further over the horizon . As the distance grew , the sun 's burning pile sank over the horizon . entailment +i understand uh my husband about once a weekend he 'll go uh to a couple of areas where he knows that the people just throw cans out Everybody recycles cans nowadays , so my husband sits at home and drinks beer all weekend . contradictory +Many men have died due to collapses . Many men have perished because of collapses . entailment +The day of disillusionment had been a Wednesday . Wednesday was the day that everyone became disillusioned . entailment +The Mus ? ? e Nation ? ­ al de la Porcelaine Adrien Dubouch ? ? ( Place Winston Churchill ) traces the history of pottery , china , stoneware , and porcelain , with as many as 12,000 items on display . There are items of pottery and stoneware at the Musée National de la Porcelaine . entailment +c ) Laundry detergent . Option c is fabric softener contradictory +Low- and moderate-income households have fewer resources and may have less capacity to contribute to an IRA or to earmark more assets for retirement . Low- and moderate-income households have fewer resources entailment +Examples of other payments of a similar nature ( and also classified as other financing sources ) are the payment by the General Fund to the social security trust funds for military service credits and for certain uninsured persons at least 72 years old This payment program is for youth . contradictory +Antiques and Clocks Heirlooms and Timepieces entailment +you can kind of catch up they catch you up you know with the second one but if you miss the second half you 've missed the whole you know outcome and oh it 's frustrating It is frustrating to miss the second half , because you 'd have missed everything . entailment +Ut 's was not the only camera present There was only one camera and it was broken . contradictory +they did uh they got rid of a lot of familiar names and got a lot of names in that we weren 't weren 't familiar with some of them turned out to be pretty good players uh some of them didn 't and you know maybe the stuff that uh Jerry Jones is talking about the construction and redefining the team and maybe the effort might be starting to pay off at least we hope it will They 've been reconstructing the team one player at a time . entailment +it is it 's a tough subject it really is That tough subject is the wage gap . neutral +And finally he realized that he was thinking of a model--the one thing which is functionally the perfect analogue . Finally , he noticed that he was imagining a prototype . entailment +The total percentage of mail processing costs would have to be adjusted if worksharing , automation , or mail mix had significantly different impacts on mail processing costs . Changes to the total percentage of mail processing costs would be greatly encouraged if it meant it was possible to implement new techniques . neutral +Her blood-filled eye turned to Jon . Her eye was bloody because she was stabbed with a knife . neutral +and they could become very quickly a large financial burden as as one more stepchild we have to carry around Another child would be such a blessing . contradictory +Tomb artifacts give us a great deal of information about daily life in Egypt . We can 't really tell anything from the tomb artifacts . contradictory +A tapa is a bite-sized morsel of food meatballs , olives , fried fish tidbits , shellfish , vegetable salad ; it can be almost anything edible . A tapa is a small portion of food , it have a lot of choices . entailment +She fell , vomiting blood into the dirt . She threw up three times . neutral +they they just had the uh season finale and i don 't i don 't know what they accomplished but i think the writers just The season finale just happened and I 'm not sure what they did . entailment +Although the activities of city and rural carriers are similar , some minor differences Rural and city carriers have similar activities , but they are not exactly the same . entailment +TITLE -The right to property The title shows a person 's right to property . entailment +The Best of the Folies Bergyres Sexier Than The home of the topless dancers of the Folies Bergyres since 1961 , the Tropicana 's show was recently revamped and updated . There are topless dancers at Folies Bergyres . entailment +Jeff Rutherford , Trylon Communications ( 212 ) 725-2295 jeffru @ tryloncommunications.com Jeff Rutherford can be reached at ( 212 ) 725-2295 and jeffru @ tryloncommunications.com. entailment +Albuquerque built a fortress , which he named A Famosa ( The Famous ) , and St. Paul 's church on the site of the sultan 's palace . Alburquerque built a fortress to feel safer . neutral +Each of the Seven Swords was a veteran of battle . The Seven Swords were never in battle . contradictory +i 'm used to pieces i and and i played classical flute i didn 't play play jazz flute or anything like that so i can i can relate to it i suppose but uh and i like i 'm like you i like the older stuff too because i like Chicago and i like i like um uh I have never played the flute . contradictory +The hardest part of losing his job , Turner said , was answering his son . Nothing was hard about losing his job , Turner said . contradictory +Newsweek ' s cover story is darker , emphasizing the trial 's lingering stink in the White House and Congress . Newsweek 's cover story shows possible corruption within the White House . entailment +Federal Emergency Management Agency officials will be in Kerrville Friday to open a Disaster Relief Center to help local residents and business owners impacted by last week 's floods . A Disaster Relief Center will be opened in Kerrville . entailment +On the other hand , we 're also supposed to envy her , because she violates the restraints we 've imposed on ourselves . She is confined by her insecurity . contradictory +yes yes i do know i have done a little bit of that but i 've decided that that 's something that demands my time my my total attention That is something I could do in my spare time . contradictory +Some are meager square boxes , but behind a number of strong stone walls , magnificent homes are revealed . There were only boxes and no homes there at all . contradictory +it see you don 't necessarily have to dip this stuff and um i was going to have broccoli and cauliflower for a a vegetable I enjoy eating healthy vegetables daily . neutral +Vrenna winked at him . Vrenna closed one eye as a nonverbal gesture . entailment +About 6 years ago , under the leadership of Pfizer 's CEO and CFO , Pfizer 's corporate finance organization embarked on a reengineering initiative to transform its charter , processes , products , and services . Pfizer had been planning a reengineering process about 10 years ago , but it had only started around 6 years ago . neutral +You can imagine how grandiose the original plan must have been when you realize that Moses was supposed to be one of 40 figures adorning the tomb . In the original plan , there were supposed to be 40 figures etched on the tomb . entailment +The other purpose is cuddling the students . Cuddling the students is the purpose . entailment +For example , the computer vendor relied on a security manager in each of the organization 's four regional business units , while the utility 's nine-member central group relied on 48 parttime information security coordinators at various levels within the company . The vendor for computers needed a security manager in all the organization 's business units . entailment +The Swedes named it after King Gustav III and , in 1785 , declared it the free port that it remains today . The freedom of the port has never been threatened . neutral +are are you at the point where the the mainframe appears slow to you relative to your personal computer given the the ratio The mainframe does not perform like a computer . neutral +When I examined the room , yes . When I studied the room , yes . entailment +Now , let 's get down to it . Now , let 's cut the chase . neutral +Fourth , tie planning to quality early on and stick with it . Think about planning when you think about quality work . entailment +She was at that moment in a typical tetanic convulsion . She started to convulse after taking the drugs . neutral +Straight as a rod , it slopes down to the place de la Concorde through a lovely parade of chestnut trees , the object of careful replanting to ensure that the avenue retains its elegant beauty . The avenue is riff with twists , turns , and roundabouts . contradictory +what no no no no this is like this is like video game stuff okay but the only thing was that it was just lines okay like if you Of course this isn 't video game stuff because there are no lines . contradictory +Disk compression and networking into Windows . Disk compression and networking is possible in Windows and this is a new technology that they just launched . neutral +So suppose advertisers direct one-fifth of their resources onto the Internet . Think about if advertisers focused 20 % of their resources on the Internet . entailment +The substitution being repeated ( much to the pecuniary advantage of the real greengrocer 's boy ) on the following day , Albert brought back the first piece of hopeful news . Albert was glad to have something to tell them but hated having to wait til the next day . neutral +Chronic Exposure , Ages 30 and older PM2 . Chronic Exposure , Ages 13 and older PM2 . contradictory +A banner at the top of a Web page just isn 't the same as a luxurious two-page color spread . It 's better to have a two-page color spread than a banner at the top . neutral +Istanbul 's most popular tourist attractions are concentrated in the Sultanahmet district , near the tip of the Saray Burnu peninsula , and are all within easy walking distance of each other . The Sultanahmet district of Istanbul is mostly residential , with few tourist attractions there . contradictory +The Office of Information and Regulatory Affairs of OMB approved the interim rule as complying The office of information and regulatory affairs of OMB decided the interim rule did not comply with standards . contradictory +At the moment , Bradley can promote his support for campaign finance reform , but if he does well , he 'll be battered with questions about his own aggressive fund raising . Bradley has raised funds in a way that would draw question about his support for campaign finance reform . entailment +Were her denials intended primarily for the listeners ? Her denials were never questioned . contradictory +Annual investment is the full cost of the investment . Annual investment is not equivalent to the cost of the investment . contradictory +This will guarantee we find men of value . There is no need for the men to have any special attributes . contradictory +oh yeah sure sure i mean i mean the kids who would be giving the service are going to get a lot more out of it than just money you know that i i remember when i was a kid i used to do little little things for the old folks around the neighborhood and uh i know how it made me feel When I was little , I liked helping old people . entailment +An argument of massive proportions , and not seen in the Suwaks home since the professor came back from the presentation of a portable set of board games for solving personality problems , took place . An argument took place , whose proportions had not been seen before in the Suwaks home . contradictory +waiting for the waiting waiting for the weather to get nice out so i can go ahead and uh replace some of the some of the dead shrubs from winter I 've been waiting for the weather to get nicer so that I can replace the dead shrubs . entailment +Jim Hart was playing Terry Metcalf was on the Cardinals this was a long time ago Tery Metcalf wasn 't an original member of the Cardinals neutral +More pleasantly , you can browse among lanes of antiques , flowers , herbs , fruit , goldfish , songbirds , and more . There is only a single lane to browse but it contains everything . neutral +The first thing is for you and your spouse to agree on an underlying philosophy of gift giving . Both spouses doesn 't have to be in agreement on gift giving . contradictory +These statements include , where appropriate , performance measures related to improper payments . It is never appropriate to include performance measures in the statements . contradictory +The lakeside promenade , Lungolago , is famous for its flowers and bewitching view of the lake 's islands . The lake 's islands can 't be seen from Lungolago . contradictory +We did not attempt to verify the performance data that agencies provided . We didn 't try to verify the data we were given . entailment +But it doesn 't seem to matter . It looks like it does matter . contradictory +Built on reclaimed marshland , as its name suggests , the Marais contains some of Europe 's most elegant Renaissance mansions ( hetels ) , many of which now serve as museums and libraries . Many elegant Renaissance mansions are built in the Marais region . entailment +Even his arm twitched as if some muscle was activated by memory to make one of those informal military salutes the scouts favored . He didn 't have any muscle memory and just stood there unmoving . contradictory +Pashupatinath , 5 km ( 3 miles ) northeast of old Kathmandu , is dedicated to Shiva in his incarnation as Pashupati , the Lord of the Animals . Pashupatinath is three miles northeast of old Kathmandu . entailment +Even today , the intricate Hindu caste system can play a role in the Indians ' choice of job , spouse , and political party , despite the numerous anti-discrimination statutes passed since Independence . The Hindu caste system can feel very unfair because of the anti-discrimination statuses . neutral +Then Mr. Carter rose to his feet . Mr. Carter stood up . entailment +And remember what your Grandmother probably said to you a long time ago-what doesn 't kill you probably makes you stronger . Remember the all of the advice your grandmother gave you as a kid . neutral +uh but i i do want my freedom back i 'm sure my husband does too My husband and I wish to be able to do what we want again . entailment +or any one shows up If someone should turn up . entailment +Jon waited until the man was nearly on him and then stepped in . Jon saw the man approaching him . entailment +and then when she gets ready to trade it in she offers it to us and we buy it We hardly ever buy what she wants to trade in . contradictory +Please check with the Egyptian Tourist Board ( see page tk ) for exact festival dates in the year that you are traveling . When you travel , you can find out the festival dates by contacting the Egyptian Tourist Board . entailment +Instead of buying a motorcycle or taking up bungee-jumping , the graying Clinton paired off with a 21-year-old to affirm his youth and virility . The aging Clinton went with a 21 year old instead of other actions such as the purchase of a motorcycle or trying bungee-jumping . entailment +Specific activities performed by central groups differed somewhat , primarily because they relied to a varying extent on security managers and administrators in subordinate units and on other organizationally separate groups , such as disaster recovery or emergency response teams . While the activities were different in some ways , they were alike in others . neutral +The price of American land reflects the value of living in the United States of America . American land is the most expensive property in the world . neutral +The report should provide selective background information No background information should be included . contradictory +( Hold me ! ) Get away from me ! contradictory +The lawyer is not the government 's speaker . The lawyer is required to speak for the government . contradictory +From 1494 to 1530 , the Spanish Hapsburgs and the French turned Italy into a battleground for the Kingdom of Naples and the Duchy of Milan . The French launched peaceful protest in Italy for 200 years . contradictory +last night i did about thirty minutes of riding a bike and a few like three different types of uh uh weight lifting for my legs and and my hips I didn 't exercise yesterday at all . contradictory +The employee and timekeeper , if any , are not required to attest or verify T & amp ; A reports and related documents . If the employee and timekeeper is asked for the reports , the asker can be fined . neutral +Day Trips From The Lake District Trips during the day happen in the lake district entailment +yeah uh uh do you follow any major league teams at all Do you follow the Cubs or anything like that ? neutral +All of these treks can be undertaken alone by experienced walkers or under the watchful eye of local guides . Local guides can be of assistance to experienced trekkers neutral +But that 's not how the question has generally been posed during this two-week frenzy . In the last two weeks , the question has not been posed in this manner . entailment +It occupies what was once known as the Malacca Club for British colonials and local planters . It was once known as the Malacca Club . entailment +you and i both you and I are both teens neutral +For that reason , arguments for the complete elimination of taxes would be absurd , a fact that almost everyone , regardless of political affiliation , can recognize . A lot of people have voted for the elimination of taxes . contradictory +The door was shut to again . They closed the door once more . entailment +Drew brought Shiloh , still prancing and playing with his bit , up beside Oro . Shiloh was being playful so it was difficult to do so . neutral +Better keep your eyes peeled gold claims have been jumped before in this country . A few years ago there was a gold claim and people went crazy . neutral +Centre Pompidou The Pompidou center . entailment +He often ignores the camera while he 's talking . He doesn 't look at the camera when he speaks . entailment +The Butler County attorneys have really stepped up to the plate to help us represent the poor population in this county , said LSSM Director of Development Sharon Alexander . Representation of the poor population has been helped by various Butler County lawyers . entailment +Others may prefer to stay ashore in the cafe , shops , and galleries around the Place de la Com ? ? die , a main center of city life . The best shops are the ones that serve native foods . neutral +None was serious , obviously , and one suspects the new Morris wouldn 't lie about a big thing . It is obvious that none of them were serious . entailment +An Act Concerning Substance Abuse Emergency Room Screening and Training and Education for Health Care Professionals , 1998 . Health care professionals might be trained to screen for substance abuse . entailment +And yet ... they looked at me with awe . With awe is how they looked at me . entailment +yeah that 's a good station i listen to it every once in a while too I like listening to that station on the radio , even if I don 't listen to it all the time . neutral +The more he contrasts himself with the cool , schoolmarmish Inglis , the better . He should really stop contrasting himself with Inglis . contradictory +Permits are required , and you will need to buy one separately for each lake . You do not need a permit for the rivers . neutral +I can 't think what they 're after ! I don 't know what they could want . entailment +For the Menidia beryllina test method , the effluent sample was an industrial wastewater spiked with CuSO4 , the receiving water sample was a natural seawater spiked with CuSO4 , and the reference toxicant sample was bioassay-grade FORTY FATHOMSa synthetic seawater spiked with CuSO4 . This water was consumed and reached may households . neutral +Time also runs a cautionary letter from three of the surviving Dionne quintuplets , who were born in 1934 . Dionne quintuplets were born in the 1930s . neutral +If the auditor chooses to apply or use standards or methodologies developed by other professional organizations when performing work under GAGAS , the auditor should also apply the standards in this chapter as appropriate . The standards developed in this chapter are more important than any by another professional organization . neutral +But one must read him because he can be exactly right , or more nearly right than other writers , Winnicott persisted , and this lack of definitiveness seems fitting in summing up a man whose own most interesting verdicts resisted definitiveness about human dilemmas . A lack of definitiveness describes no man . contradictory +According to the Departments , this rulemaking action does not impose unfunded mandates under the Unfunded Mandates Reform Act of 1995 . This action doesn 't include an unfunded mandate . entailment +To recharge the batteries , you needed a charger , which was stored in a small suitcase . You needed a charger , stored in a small suitcase , to recharge the batteries . entailment +With thousands of festivals and ceremonies taking place annually , this entire book wouldn 't provide enough space to describe them all . This book covers all festivals and ceremonies that take place annually . contradictory +He naturally concluded that his stepmother had had two quarrels . His stepmother 's hobby is picking fights with other people . neutral +In fact , there was no plane factory . They had been wrong in thinking that there was a plane factory . neutral +I wasn 't really in the mood for conversation . I had a tough day . neutral +but uh let 's see We don 't really need to examine anything . contradictory +Of course it 's an awful risk for them to take , because she knows all about them but they 're pretty desperate to get hold of that treaty . The risk is not a good one to take . entailment +We have paid our dues . We have not done anything . contradictory +Those people are absolutely desperate and incapable of either mercy or pity . Even though they were desperate , they were also exceedingly compassionate . contradictory +When Angelenos refer to The Valley , they are talking about the San Fernando Valley , a chain of communities north across the mountains from western and downtown Los Angeles . The San Fernando Valley is simply referred to as The Valley by some people in Los Angeles . entailment +Since some cost is recognized , even if not always the full cost of the entity , 47 an exchange revenue is recognized for the entity that receives the inflow of interest . Exchange revenue is recognized as an outflow of interest . contradictory +and it 's absolutely gorgeous just i mean just glides along and i still get that good mileage and My previous car was brilliant to drive , but didn 't have very good mileage , so I 'm just really happy about this car having both . neutral +yeah i 'd say probably what i watch the most faithfully is the news which i really don 't watch as much as i just listen to it I consistently watch the news , however I mostly listen to it rather than fully watch . entailment +i beg your we 've been talking for a little bit i appreciate the call i enjoyed talking with you We 've been chatting and I have enjoyed it , thank you . entailment +Forget privatization and other attempts to save the program . Privatization is the only way to save this program . contradictory +She concurred with Hungerford 's observation that intervention effects seem to wear off after a period of time . Intervention seems to wear off according to Hungerford 's observation . entailment +In the open-air Umi Jigoku ( Ocean Hell ) you can buy eggs hard-boiled in a basket . You can find eggs hard-boiled in baskets for sale in the open-air Umi Jigoku . entailment +In a.d. 286 Diocletian sought to reverse the decline by splitting the administration of the empire in two he would govern the east , based in Nicodemia , while his friend Maximian ruled the west from Milan and later to split it further into four parts . Diocletian split the empire in half because it was doing so well . contradictory +The Week / The Spin is updated throughout the week , the Diary has a new entry daily , and contributions to Dispatches & amp ; Dialogues are posted as they arrive . The Diary has a new entry every month . contradictory +The ultimate goal of the data reliability assessment is to determine whether you can use the data for your intended purposes . There is only one goal when it comes to assessing data reliability . contradictory +For more information on debt reduction , see Federal Answers to Frequently Asked Questions-An Update ( GAO / OCG-99-27 , May 28 , 1999 ) , Federal Debt Management in a Period of Budget Surplus ( GAO / AIMD-99-270 , September 29 , 1999 ) , andFederal Debt Management Actions and Future Challenges ( GAO-01-317 , February 28 , 2001 ) . All matters pertaining to debt reduction or management are handled by the Internal Revenue Service . contradictory +What becomes of your theories , then ? " Your ideas will be safe . contradictory +Well , she 's young . She was old enough to remember events from many decades ago . contradictory +continuous monitoring and reporting is essential , as well as significant consequences for failing to comply . Monitoring and reporting can be achieved by self-regulation . neutral +It was approved by OMB on January 23 , 1998 . OMB denied their request on January 23 , 1998 . contradictory +Although it is not a tourist attraction , the rock is steeped in tradition . The rock , surrounded in tradition , is not well known by tourists . entailment +At just 2,300 sq km ( 3,710 sq miles ) , the area is small enough that it can be covered by car , north to south , in just a few hours . The distance , north to south , cannot be covered by car . contradictory +sort of set the agenda and and let let people do the work it 's it 's unfortunate how how little domestic agenda he The sad how he set the agenda and let people do the work he should have done . neutral +And we do not pursue state planning because we love planning . We plan things just because we like to do so . contradictory +The two men dueled as the rest of the group watched . Two men fought to the death in front of their families . neutral +right what about if if um they demanded to have Spanish as the official language as a condition for statehood I do not know Spanish and wouldn 't be able to speak in the new state if it is included . neutral +Caen was a major objective of the Allies in the 1944 landings . Caen wasn 't anyone 's objective , it was left alone . contradictory +REMSAD consists of three ( 1 ) a meteorological data pre-processor the meteorological data pre-processor was the most expensive component to make neutral +The basic legislative structure of insurance regulation requires some degree of uniformity throughout the states . Consistency in regulation across states is important . entailment +Now the saddle . Now the seat . entailment +so but uh of course my husband did everything except my brother 's a trim carpenter and he came in you know and did the inside for us and that helped and and uh yes and uh we had to hire course the plumbing and the brick and everything else nothing you know he did everything else My husband likes working with his hands . neutral +Got him into more scrapes ' n I can count me on both hands . Luckily he was always able to get out of the scrapes . neutral +In addition to expanding the amount of legal help available , the center , because of its location near the Probate Court , will allow for that help to be more readily accessible . Since the center is so close to the Probate Court , it 'll be harder for people to access legal help . contradictory +Harvesting and Long Term Exposure Effects in the Relation between Air Pollution and Mortality . Conection between Air Pollution and Mortality over time . entailment +Too many ways it could go wrong . ' There 's no way it will go wrong . contradictory +okay i don 't really i more i don 't know about the government as much as um the people uh i wouldn 't consider to be a threat at all and i really don 't feel much like the Soviet Union itself is a threat anymore i 'm i 'm worried about them they 're in a very uh tumultuous state right now with the kinds of uh adaptations that they 're attempting to go through so I know more about the people than the government . entailment +I mean , there was the headset crowd , coordinating whatever it was they had to coordinate , the security crowd , with their hearing-aid like devices , and the cell-phone set , talking to--whom ? There were no headsets in the crowd . contradictory +On the advantages side , several considerations are relevant . They have to make a decision . neutral +The museum 's 1974 addition was a re-creation of Villa dei Papiri , a Roman villa destroyed by the terrible eruption of Mount Vesuvi us in a.d. 79 . A re-creation of Villa dei Papiri was the museum 's addition in 1974 . entailment +For example , she indicated that the concerns institutional and professional systems have about reimbursement or legal , privacy , and confidentiality issues influence whether ED patients receive screening and interventions . There was no concern whether or not patients with ED received screenings and interventions . contradictory +i guess what makes me think of that you know uh you hear them doing that like it 's a or like Amtrak you know if if they have a derailment or or transportation industry it seems like if there 's accidents train accidents things like that they test and i think well why not because we do have some large industrial accidents sometimes There are Amtrak derailments . entailment +And Bob Fink , a Canadian musicologist , thinks the hole spacing proves that the bone-flute was inescapably diatonic , suggesting that the eight-tone Western scale may be much older than we thought . Bob Fink is a famous musician . neutral +just a little shell to go under a suit you know It 's the sort of shell you never want under a suit . contradictory +The analysis discussed the potential impact on the U.S. livestock sector , feedlot operators , live cattle dealers / transporters , cattle slaughterers / primary processors , and the dairy industry . The analysis mentioned only the cattle transportation . contradictory +Then the fourth quarter began . Then the fifth quarter began . contradictory +and that that the penalty ought to be out there and be enforced There should be more awareness of then penalty . entailment +They 'd gotten the right man for the name , all right . They had been seeking the right man for days . neutral +uh i work for a tire company Modern Tire and uh it 's also a retreading plant and that 's where most of our uh injuries occur No one is ever hurt at the company I work for . contradictory +Thus , I have never even touched a girl , much less kissed one . The reason I 've never kissed a girl before is because I 'm too scared . neutral +Foreign investment , in the form of joint ventures in the fields of tourism and mineral and oil exploration , was keenly encouraged . Foreign investment was keenly encouraged . entailment +The mischief was done when we came . 178 " Yes " Tommy hesitated . Someone ransacked the whole room and put it into disarray . neutral +Farther south , the thick groves of palm trees lining the coast at Miyazaki serve as a reminder of its position on the edge of the tropics . Miyazaki is situated at the edge of the tropics . neutral +Though he is a graceful writer and a skilled reporter and has a sharp mind , Safire is hitting with a corked bat . Though talented at pitching , Safire is not a good baseball player . contradictory +You 're the 20 th-Century Rediscovery Guy ! You 're the guy that rediscovered genetics ! neutral +As Las Vegas embarks on the new millennium , one can sense an attempt by the city to accept its disparities , to come to grips with the nature of its own existence and place in America , and to thoughtfully wrestle with the challenges of its future . Vegas is doomed . contradictory +In addition to the 31 written comments received in response to the notice of proposed rulemaking , EPA held a public hearing in Romulus , Michigan , on May 15 , 1997 . Romulus , Michigan , was where the EPA held the hearing . entailment +The Washington Post called it one of the best covert operations in a decade ; Kennedy didn 't inform many of his friends and relatives ( his cousin , Rep. Many of Kennedy 's friends and relatives were not informed . entailment +In between there is an unattractive stretch of coast marred by port and industrial facilities . The stretch of coast with port and industrial facilities is ugly . entailment +Ware 's group has developed the mental-health segment first . Ware 's group was the first to develop the mental-health segment , said the research . neutral +i guess uh uh there 's a song by that name i guess but it 's not new I don 't know about that song . contradictory +The miners were in the western hills in the salt mines . The miners were in the salt mines in the western hills looking for their friends . neutral +The park 's 10.5 hectares ( 25 acres ) of landscaped gardens and lakes contains a large greenhouse that holds many species of plants , and an aviary of exotic birds . There are both an aviary and greenhouse within the park . entailment +And as the happy experience of America under Bill Clinton has shown , it is quite possible to reduce the deficit and increase employment at the same time . it is quite possible to reduce the deficit and increase employment at the same time . entailment +It is understandably a favorite spot for wedding photos . It 's one of the favourite spots for wedding photos . entailment +at that point because it is internal Because , at that point , it is internal . entailment +Discos are also popular some of the most popular can be found at the major international hotels and have a regular Egyptian clientele in addition to attracting visitors . There are popular discos in Egyptian hotels . entailment +How do you feel ? asked Jon . Jon asked if the person had a headache . neutral +Postal Service , we use a model of postal operations that follows the structure of FY 1999 costs in the U.S. A model of postal operations that follows the structure of FY 1999 cost in the U.S. was used . entailment +One of them offered her a tour of their town and she accepted . She and her group were offered a tour of their own and she accepted . entailment +Jon circled the spear , parried it to his right , and pierced the footman under the chin and deep into his brain . Jon killed a man . entailment +Don 't you understand ? What is so hard to understand about it ? neutral +The contents of the communication don 't matter . You don 't need to know what is in the communication , but I do . neutral +Representing Foreign Interests , Foreign interests can be represented . entailment +Then this here war was over , an ' I was loose . The war is not over yet . contradictory +Among its many notable bronze images is the Yakushi triad , comprising three blackened-bronze the Yakushi Buddha ( dedicated to healing and medicine ) seated on a medicine chest between Bodhisattvas of the sun and moon . Between Bodhisattvas of the sun and moon , the Yakushi Buddha can be found . entailment +objectives including objectives related to assessing program effectiveness and results ; economy and efficiency ; internal control ; 7 and compliance with legal or other requirements ; and objectives related to providing prospective analyses , guidance , or summary information . They had no objectives to focus on for the project . contradictory +Each evening , a sound and light show at the Red Fort tells its story ; details can be obtained from the Tourist Information Bureau . The Red Fort hosts a sound and light show every night . entailment +Participants believed that the PCAOB needs to be quickly set up and establish its priorities so it can begin the difficult task of restoring public confidence . Many men think the PCAOB needs to begin restoring public confidence . neutral +The Task Force Report has been accepted by the Association 's Board of Governors and Chancellor Gordon has appointed a special committee to be chaired by Chancellor-Elect Audrey C. Talley to consider the Report 's observations and recommendations and suggest possible action to the Board . The Association Board of Governors had accepted the report sent out by the task force . entailment +yeah and i like a lot of things that are uh have to do with politics and uh history there was one a few years ago called the Public Palace about what goes on at the Pentagon The Pentagon was only one of the many places that Public Palace covered . neutral +For a fascinating look at the nuts and bolts of movie and TV production , visit the Hollywood Entertainment Museum ( 7021 Hollywood Blvd . ) , where hi-tech interactive exhibits reveal the history of the entertainment arts.You can go on a guided tour of a mock movie studio back lot , put your own Foley sound effects into a short film , walk onto the sets of Cheers and Star Trek , have your picture taken with green-screen technology backgrounds , and see relics of early movie and TV technology . The Hollywood Entertainment Museum has interactive exhibits . entailment +The road beyond Dhulikhel drops precipitously , then turns up the Sun Kosi River gorge toward the Chinese / Tibetan border . The road beyond Dhuilikkel is only one lane wide . neutral +It 's an atmospheric little house , built from rough-hewn stone ; it 's not hard to imagine the great explorer living here . It 's not hard to imagine the great explorer living here because they would not be here often . neutral +An early effort was the Brooks Act , enacted in 1965 , which called for centralized oversight of federal information technology acquisitions by the General Services Administration ( GSA ) . The Brooks Act was more popular with Democrats than Republicans . neutral +And at a time when ad people all seem to be drawing from the same palette of colors and styles , creativity and distinctiveness are , oddly enough , not synonymous . Everyone has their own style . contradictory +The Harem , open from 10 : 00 a.m. to 4 : 00 p.m. , can be visited only on the official 30-minute guided tour ( offered in English and other languages ) , for which you must buy an additional ticket . The Harem is open after 4 p.m. if you are a VIP . neutral +a lot of people still coming in from Russia and stuff jews coming in to uh There are people coming from Russia and also Jewish people coming in . entailment +Corporate lawyers received brush-up training from the [ City Bar ] , and a given firm without certain expertise felt free to call on another firm that had it . Brush up training from city bar is given to the lawyers . entailment +Goals , Practices , and Strategies to Consider ? ? ? Make Financial Management an Entitywide Priority ? ? ? Practice 3 Many people fail to recognize things and in the end , they fail . neutral +which is unheard of in a small town you know you don 't usually associate associate that It is common in small towns . contradictory +Eventually it would be Crete 's turn . Crete will never have another turn . contradictory +This is because mail-processing costs are almost all variable while delivery costs have a very large fixed component . Because mail-processing costs are almost all variable while delivery costs have a very large fixed component delivery companies have to raise their rates to stay in business . neutral +Beyond the Fatih Sultan Mehmet Bridge the boat stops at Kanl ? ? ca on the Asian shore , famous for its yoghurt , which you can sample at one of the little waterside cafe . A cafe on the Asian shore sells yoghurt . entailment +i do i don 't know we 're either gonna buy a pick up or we 're gonna buy a van or we 're gonna buy an economy car how do you like that We would rather buy a truck . neutral +Santorum 's bill , which actually would have done something to criminalize certain types of abortions . Some types of abortions would be criminalized by the bill . entailment +Favorite sons of Besancon include Victor Hugo , 19th-century thinker Pierre-Joseph Proudhon , and Auguste and Louis Lumiyre , inventors of cinematography . Victor Hugo and Pierre-Josephn Proudhon were close friends . neutral +Beside that magnificent blaze of color Shiloh was drab , a shadow about to be put to flight by the sun . Shiloh had a bad color . contradictory +yeah well it was nice talking to you tell me tell me where you 're calling from It sounds like you 're calling on long distance ? neutral +" You sure musta pulled outta th ' war better 'n th ' rest of us poor Rebs . You must have died in the war . contradictory +Really ? Genuinely ? entailment +This was 1892 , remember , when 25,000 bucks was still 25,000 bucks , and you didn 't have to split it with accountants , managers , coke dealers , and any traumatized ex-catamite whose father has a smart lawyer . In 1892 , you got to keep all your money . entailment +Even one of our own Directors in New York , when asked to give us some information as to what had become of the English capital sent out--what do you think he said ? They do not have any directors in New York . contradictory +He bore a whip like everyone else who seemed to have any authority at all , but he wasn 't using it . His whip was ceremonial and only a half meter long . neutral +It was quite a while before I realized they were trying to think at me . I should have noticed earlier that they were thinking hard . neutral +Learn what and who you can . You should learn everything you can . entailment +His thrust was slow and weak . He moved slowly . entailment +Last year , about 7,200 people were given quick legal advice over the telephone and by email , but that number may drop by 1,000 to 2,000 with the staff cuts this year , Mandel said . Over 7000 people were given legal help in writing or on the phone . entailment +so we we do a lot of We never do anything . contradictory +I was at a party at the vice-president 's private resort . The party was at the private resort of the vice president . entailment +Saving the Social Security surpluses produces unified budget surpluses for almost 20 years , as shown in figure 4.2 , and eliminates the debt held by the public by 2015 . Saving the Social Security surpluses produces unified budget surpluses for almost 40 years neutral +Passengers on the 01.30 train to Orr , Large State are reminded that we are entering a Dinosaur-Infested zone . The train was in a dangerous spot because of the dinosaurs . neutral +You could say that McCain is to be faulted for not working out a better education proposal in the first place . McCain succeeded in working a better education proposal out . contradictory +All hotels in Las Vegas accept all major credit cards ( Visa , Mastercard , American Express ) . Las Vegas is very accepting of various credit cards . neutral +The cost coverage for U.S. outbound mail , without considering the 7.5 percent surcharge , would be reduced from 144 . The cost coverage is covered by income tax . contradictory +the problem that we we 've owned this house almost five years now and um when we bought it the um it had been vacant for a while because the family had retired to Arizona but the daughter was a real estate agent and she was selling it and it 'd been lived in briefly by her before she bought her town house so she told us that the house had been uh professionally painted recently and it looked pretty good you know the interior walls all basically white but they obviously had been done without to much uh wear afterward the only problem was when we started having the movers move the uh furniture in we identified the various rooms by pieces of masking tape on the wood uh the door frames when we took the masking tape off half the painted came with it We just bought this house last month . contradictory +The Tourist Bureau ( 4 la Canebiyre ) has laid out a two-hour fil d 'histoire that allows you to explore the old city on foot ; there is also an innovative choice of tours conducted in air-conditioned taxis equipped with recorded cassettes ( Taxi-Tourisme ) . The Tourist Bureau discouraging travelers from visiting this city . contradictory +Its construction was almost completed in a mere 44 years in the middle of the 13th century ; as a result it was possible to maintain a homogeneous architectural style . The main part of the construction took less than 50 years . entailment +Furthermore , the nature of this reallocation is such that the transferring entity does not receive anything of value and the recipient entity does not sacrifice anything of value . The transferring entity doesn ' receive anyting of value . entailment +Resident aliens are allowed to enter and leave the United States temporarily without relinquishing their status . Once a resident alien leaves the U.S. , they relinquish their status . contradictory +Green flames , appearing blue in San 'doro 's second sight , rose through the roofs and exploded out of the shuttered windows . Green flames came through the windows . entailment +The first argument is a political one which presumes significant urban-rural cross subsidizes in delivery . The first argument presumes urban-rural cross subsidizes in delivery entailment +( He appears on this week 's Meet the Press . ) Conservatives describe his article as not an honest piece of work and more than sloppiness and Brill himself as a slime artist , who on fire ... Conservatives say his article was not honest , but everyone denies thar . neutral +The official delayed the announcement until the UPS strike was settled , so as not to influence its outcome . The official made the announcement right away . contradictory +I hope I am transgressing no professional etiquette in questioning you on the subject ? " I don 't want to be rude , but this is so important that I have to ask . neutral +The gain or loss should be accounted for as a nonexchange gain or loss if the interest on the associated debt securities is classified as nonexchange revenue , and it should be accounted for as an exchange gain or loss if the interest on the associated debt securities is classified as exchange revenue . Gains can be accounted for as either nonexchange or exchange gains . entailment +But some businesses , staffed by people who are not attorneys , have adopted legal aid or similar names , leading some people to believe that they are nonprofits . But actually they are using those people to their advantage to gain large profits . neutral +how are you going to tell if she 's hooked on them you 'd have to take her off them you know some people i mean that 's they they they go off them and they they 're going to die There 's no way to tell really if she 's addicted until she stops taking the meds . entailment +Household Postage Demand Elasticity Estimates These magnitudes give the percent change in the demand from the household sector as result of a one percent change in any price , household 's total expenditure or fraction of US households owning a personal computer . Household 's total expenditures or fractions of US farmland owning a personal cow . contradictory +Bob Dole issued a letter pretending to have spearheaded the GOP 's separation of the two bills , but the Washington Post disclosed that congressional Republicans had actually forced the idea on Dole . Bob Dole spearheaded the GOP 's separation of the two bills , a claim which was confirmed by the Washington Post . contradictory +and uh that wasn 't too bad i it was good exercise Well , that was quite a good exercise for my body . neutral +well fortunately i had the presence of mind when i slipped i just i just went with it i didn 't try to twist or anything If I had tried anything while falling I would have gotten seriously injured . neutral +To put the clock back a few years a very few , I am sure and re-enter one of those charming pensionnats de jeunes filles with which Paris abounds " Tuppence interrupted him . He was interrupted by Tuppence , who then spoke of Paris . entailment +have got uh things set up so where you can bring in your uh plastic and your cans and newspapers and then they 've just got different barrels sitting out i shouldn 't say barrels like big John Doors or whatever they 're called Gondolas um they 've got them set outside and They have barrels set outside , which are called Gondolas . entailment +From this barrio you 'll be able to see the most prominent sight in Alicante , the historic Castillo de Santa Barbara , perched 115 metres ( 350 feet ) above the city on Mount Benacantil . The modern Castillo de Santa Barbara is built at the bottom of a valley , 500 meters below the city . contradictory +Effective management of an organization 's workforce-its human capital-is essential to achieving results and an important part of internal control . The management is in place to keep the workers happy . neutral +hm i did i don 't any more my husband does I do but my wife doesn 't . contradictory +Surely that blood bath--and the hundreds like it in those years--couldn 't have been far from the mind of William Bradford Huie , a journalist and Ray 's confessor , when Huie claimed in a 1968 Look magazine article that King 's well-placed killers wanted to use King 's murder to trigger violent conflict between white and Negro citizens . It was a blood bath and there were hundreds like it in those years . neutral +yes yeah yeah it is and i find that uh Yes , it is . entailment +Finally , payment mail is all First-Class single-piece non-presorted letters , while bill mail is mostly presorted letters . Most bill mail is presorted letters and all payment mail is non-presorted letters . entailment +course i 'm tend to be a slow learner i guess anyway but it 's a lot of fun and it 's it 's a good way to get exercise you know fooling yourself because you don 't realize you 're getting exercise you know it 's so much fun you don 't really think about it It is a fun and good way to exercise . entailment +You can see one at La aora , 6 km ( 31 ? a2 miles ) from the Murcia city centre . There is a bus line between La aora and Murcia city centre . neutral +Scott Shuger Is Trippin' Scott Shuger is right-on ! contradictory +He goes boldly to the village chemist 's and purchases strychnine under his own name , with a trumped up story about a dog which is bound to be proved absurd . He lied about a rabid dog , and bought strychnine from the chemist . neutral +Kovalam also has surfing , but be careful of strong currents . The strong currents can be hard to surf . neutral +This is what is called scouting . What you see in the picture is what w call scouting . neutral +The main attraction in Old Cairo is the Coptic Museum . The Coptic Museum is the primary sight to see in Old Cairo . entailment +Films set at college are never as universally recognizable , because people 's experiences after high school are too different to generalize about . Films about college are difficult for people to relate to . entailment +In place of land came water , surging in to fill the 11-km ( 7-mile ) long void and causing massive tidal waves around the Mediterranean Sea . The tidal waves were isolated to a small area . contradictory +The document itself , said the German bluntly . The document itself , uttered the German directly . entailment +Italy has all types of accommodations available , so you 'll have quite a few choices . You will have a variety of accommodations to stay in when you are in Italy . entailment +It brought savage retribution from the authorities , and both leaders were executed . The authorities chose to punish the leaders with life imprisonment . contradictory +You believe him capable of committing it . Is he capable of committing that ? neutral +It would have been easy to cry foul . It was unfair . entailment +And the real argument that comes through is less about foreign policy aims--his arguments on behalf of Cold War intervention make that clear--than about a nativist vision of America , where foreigners aren 't to be trusted , where the fates of Indians , blacks , and Jews don 't count . He remains steadfast in his convictions while still denying any accusations of him being ' racist . ' neutral +that 's the if i had to say one thing negative that would be it because i feel like you know you earn your vacation time and you should be able to take it when you want to It is frustrating that vacations can only be taken during certain times . neutral +LSC awards one service contract per delineated service area . LSC does not limit contracts . contradictory +The United States owes more than $ 1 billion in U.N. peacekeeping dues . The USA still owe over a billion dollars for UN peacekeeping . entailment +On the mantle , an old iron urn holds cascading ivy and some fragrant winter honeysuckle . There is no iron urn on the mantle . contradictory +Conceived as a temporary structure just for the Fair , the tower was slated for destruction in 1910 , but nobody had the heart to take it down . The tower was destroyed . contradictory +okay i i can 't say i 'm that much of a faithful Dallas follower maybe it 's because because i live here and i know how hokey it is i don 't know Faithful Dallas followers seem really weird to me , they don 't know what they are doing . neutral +While the AIM-9X used statistical process control only to a limited extent , other factors have allowed it to have a more successful production outcome to date . The AIM-9x made use of statistical process control to a limited degree . entailment +a the only reason i got it is because i got it through an educational purchase plan through the school and i saved forty eight percent so i said yeah if i can have an IBM for forty eight percent discount i 'll take it I got an IBM for almost fifty percent discount . entailment +that will be interesting yeah sure yeah that 's interesting That will definitely be intriguing . entailment +The remains of the coco she dare not touch . The coco remains were poisonous . neutral +Not a fool , then , after all ! Has an IQ of 150 . neutral +Lumet 's tempo and staging are just realistic enough to allow you to resent him for melodramatic devices that slicker directors get away with . Limet directs theater shows . neutral +Words are now rarely carved in stone Words are often carved in stone . contradictory +The Irish News of Belfast called for an improbable compromise by which the Catholic residents of Drumcree 's Garvaghy Road would lift their objections to the parade going down it , while the Orange Order would voluntarily decide to return home by another route . 90 % of the people on Garvaghy Road were Catholic . neutral +Anyway , snarled Whittington , " you knew enough to come in here and plump out that name . " Whittington thought you knew nothing . contradictory +They also have rotating special exhibits that change every two months . There are special exhibits that change out every six months . contradictory +well what are you going to do they 're they 're coming to the end of their season uh Just because the season is over doesn 't mean I care what you do . contradictory +His country place is north of London somewhere . " Crossing Holborn there was a block , and the taxi was held up . The north of London is considered a very stylish place for a country home . neutral +$ 36,000,000 increase for alien travel expenses ( 3,600 removals at $ 1,000 each ) , and an additional $ 20,950,000 for detention vehicle expenses . Alien travel expenses lead to detention vehicle expenses . entailment +The Vinalope River , spanned by a bridge here , supplies the water that is still carried to the horts in canals dug by the Moors . The water in the Vinalope River is still crystal clear and cold . neutral +Figure 4.1 illustrates that federal and nonfederal saving , which consist mainly of private saving , tend to be inversely related . There is a positive trend on the illustration of Figure 4.1 contradictory +A year ago , when News Quiz debuted , Slate was free . Slate was free a year ago , when News Quiz debuted . entailment +The woman nodded to him when he handed Susan to her . The woman happily took Susan from him . neutral +Jon felt a surge of pride . Jon was proud . entailment +In a recent op-ed article in the New York Times , the theologian Michael Novak argued that a new appreciation for , and sensitivity to , religious matters was stirring everywhere . The new appreciation for religious matters is a positive thing . neutral +Put that pair in your personal ad , and you 'll be dating my aunt Helen ( if you 're a man ) or my uncle Morty ( if you 're a neat and prudent gay man ) or my uncle Herb ( if you 're a straight woman and his mother , my great-aunt Selma , says it 's OK ) . Uncle Morty is gay . entailment +Instead , her Justice Department has had to enforce an expanded federal death penalty , throw more people in federal prison for longer sentences , punish juvenile criminals more harshly , support mandatory minimums and the crack / powder disparity , and double the size of the Border Patrol . More people will be in prison for a longer amount of time , leaving less citizens to be productive . neutral +Situated in the financial and business district , close to many of the area 's foremost attractions . It is both near the area 's top entertainment and within the financial and business district . entailment +oh that was sad wasn 't it That was sad . entailment +yeah they they 're always branded you know as a bunch of outlaws and if their if their They are never considered to be outlaws . contradictory +Rest now while we can . We should rest while we can . entailment +a lot of people have become too complacent and believe everything is just the norm as to the way things are going and feel absolutely helpless to to oppose a lot of the situations going on in the taxing system People have become complacent . entailment +because now you know he 'll i want to go outside and i 'll go outside with him and we 'll walk up and down the street and we 'll go to the park and i 'll run around with him and stuff like that that so i 'm getting more you know more exercise that way than i ever did before i had him you know so I am getting some exercise walking and running around with him . entailment +Because we need it badly . We need it badly . entailment +Need a good book store with a series of author appearances , maybe starting with Susan Faludi ? There is a good book store only a few minutes from here . neutral +You could even argue that American society in the 1990s is an engine that maximizes consumption yet minimizes satisfaction . American society in the 1990s maximized consumption while minimizing satisfaction . entailment +GAO found that these agencies are in the early stages of using a set of balanced expectations to appraise senior executive performance and there are significant opportunities to strengthen their efforts as they move forward in holding executives accountable for results . GAO studied how the agencies operated . entailment +Cost finding techniques are appropriate for certain kinds of costs , such as indirect costs , items with costs below set thresholds within programs , or for some programs in their entirety . It 's ok to use cost finding techniques for some kinds of costs that meet thresholds . neutral +I don 't--you know . Yes , I do . contradictory +The fundamental concepts provide the underlying framework for designing and applying the standards . The standards are listed in a handbook that all new workers must read . neutral +Roman Fretard , known to himself as Gonzo , and to others as Tard wanted to make a career for himself quickly , nimbly and with all the effort comparable to a yawn . Roman had no nicknames . contradictory +It suffered some destruction by the hands of Muslim iconoclasts , so it 's worth visiting the Archaeological Museum , too , where some of the best of its statues are now kept . There are no statues kept at the Archaeological Museum . contradictory +uh another uh calamity i guess that befalls some purchasers that i didn 't uh think about when i first purchased this house was what can happen right immediately behind you we are on the edge of a development that has a little retainer wall that separates us from the rest of the from a street and a little little uh business area and uh some friends of ours moved into a house and a couple of years later a a uh shopping center built up behind them and it was a grocery store that had that stocked at night at about three am every night I was bothered by the new buildings that sprung up after I bought my house . neutral +Popular , too , is the game of caroms , played by flicking checkers on a square board with corner pockets . Many tourists try to learn the game of caroms every year . neutral +Never mind , old chap . It 's fine , old chap . entailment +As a trial judge I am always happy to see equity in the courts . I am very pleased to see equity in the courts . entailment +so that i would look a little bit different and i would come in and i would have just the appearance of a little bit more authority than they did and that helped with their discipline and I would wear nicer clothing that demanded more authority when I come in . neutral +that water can get pretty cold though if you go too early The water is cold if you go too early . entailment +It is another method altogether . So , what you 're saying is that we have to use this method , even though it 's something completely different than what we were told to use ? neutral +This scheme is far from perfect , but uninsured kids already get the hospital care they need when they 're sick because hospitals pass unpaid costs along to states and private insurers . This scheme is far from perfect , uninsured kids get hospital care when they 're sick and hospitals pass the unpaid costs to states and private insurers . entailment +oh is it really oh how old How old is the car ? neutral +you go to high school you you know you work you go to college you get out of college and you get a good job and you work and and none of this you go spend two years in the Peace Corps to expand to broaden your horizons Before going to college to get that good job , there was plenty of encouragement to enter the Peace Corps and broaden horizons . contradictory +'What about me ? ' 'How about me ? ' entailment +to sing like the thrush from the deepest partof the understory , territorial , carnal , thorn-at-the-throat , or flutelikein order to make one sobering sound . Make a quiet , almost indistinguishable from silent noise . contradictory +But more often the word is OPEN--evidence , says one neon connoisseur there , of continental affection for Americana , along with a changing European culture . The changes in European culture are being precipitated by the influx of American mass media culture . neutral +For example , I 've argued from ev-psych premises that extreme inequality of income , all other things being equal , tends to raise the divorce rate . Inequality of income raises divorce rate . neutral +just recently it was really kind of interesting because Arsenio was asking him about uh I liked listening to Aresnio talk . neutral +That would hardly be possible , said Sir James gravely . Sir James said that it was very possible . contradictory +but uh i guess we kind of got away from about the last sixteen months as far as saying two hundred dollars for food and three hundred dollars for this and two hundred for that because we had a a child which is about a year old and then uh We spend more than five hundred dollars on family expenses . contradictory +As you face the harmoniously asymmetrical western facade , the southern tower , the Clocher Vieux , is a prime example of Roman ? ­ esque simplicity , whereas the taller northern tower , the Clocher Neuf , is already lighter , with its slender , more ornate steeple . The southern tower , The Clocher Vieux , exemplifies Romanesque simplicity . entailment +The woman punched hard into the light-skinned Sai Routha 's chest . The woman punched the Sai Routha 's leg . contradictory +To build a worldclass finance organization and help achieve better business outcomes , each of the organizations we examined set an agenda for transforming the finance organization by defining a shared vision -i.e. We attempted to build a world class finance organization without any vision or agenda . contradictory +She smiled as if she liked what she saw of this brown-faced stranger with quiet , disciplined features and eyes older than his years . She frowned and turned away from the stranger , as she clearly was not interested in speaking . contradictory +This from a woman whose first book was a best seller , published in 14 countries . She has written a lot of other best-sellers . neutral +Ah " he recognized Tuppence with a smile " it 's you , is it ? " Do you know Tuppence ? " he asked . contradictory +yes one time one time but we found him innocent so uh He was found guilty . contradictory +From the eastern side of the Temple Mount is a marvelous view of the Mount of Olives and the Garden of Gethsemane . The Garden of Gethsemane is within walking distance of the Temple Mount , but the Mount of Olives is not . neutral +When this bit of mythology is related , it immediately sends tour groups trotting across to see what is forbidden to the monkey god . Pork and beef are forbidden to the monkey god . neutral +A little map available at the entrance will help you to locate the tombs of the famous , which include Rossini and Chopin , La Fontaine and Moliyre , Sarah Bernhardt , and Oscar Wilde . There 's no map available at the entrance to find anything . contradictory +Program pays for needed legal help in abusive situations The program is funded mostly through donations . neutral +yeah they 're getting even better i think They have improved a lot . entailment +Brunei chiefs traded the metals through Americans in Singapore . The Americans tried to steal metals from Singapore . contradictory +Critics praise her eclectic style--funk , blues , soul , and dance--and dwell on her racy lyrics . Critics may like her style , but consumers do not . neutral +The Act covers programs for both unclassified and national security systems , but exempts agencies operating national security systems from OMB oversight . The OMB has full oversight authority over all agencies . contradictory +So a socially valuable service is under-rewarded and therefore under-supplied . A socially valuable service should offer more rewards . entailment +Try a 40 , he said . He told them to try a 40 . entailment +This you could not do with a true wild one , he commented . " Doing this with a real wild one would be impossible . " he said . entailment +The Thernstroms prescribe little to end the harms wrought by past injustices , or even to fight latent racism--except stopping affirmative action and kindred policies . The Thernstroms are not invested in anti-racism efforts . entailment +South of the imposing Place de la Bourse , the old Quartier Saint-Pierre around the church of the same name is a masterpiece of urban renewal . Quartier Saint-Pierre represents a renewal miracle . entailment +The two men fell into their stances and faced one another . THe men walked away from each other . contradictory +The Water Quality Initiative They are working on improving water quality . entailment +At the same time as it requested public comments , the Commission submitted its proposed collection of information and certification under 44 U.S.C. The proposal was submitted by the Commission without regard for public concern . contradictory +jilted Minnie Driver glared at ex-beau Matt Damon when he won his screenwriting Oscar and steered clear of the it-boy at the parties ) . Matt Damon and Minnie Driver had a difficult break up . neutral +I watched over her . I didn 't watch over her . contradictory +In addition , the agency will require certification by Argentine officials that a number of mitigating measures The agency requires certification . entailment +Appealing as that position might sound , it 's also suspiciously incoherent . I don 't know what the position is . entailment +Guided tours through the mill , passing the leather belts that turn the shafts and over the wood shavings that scatter the floor , give an account of life at the mill during Victorian times . The tours help describe what the mills were like . entailment +You will walk back with me to the village ? " You 'll walk home with me ? entailment +This contrasts with the value assigned to a good or service measured in constant dollars . Goods and services can have values assigned to them . entailment +During the 14th century , Chios enjoyed a period of wealth and stability under the Genoese . Chios had undergone mass chaos in the 14th century . contradictory +One leads through the fertile lands of the Nile Delta , past fields of cotton , rice , and numerous fruits and vegetables . The lands of the Nile Delta are barren . contradictory +And the libertarian 's . The libertarian 's were considered . neutral +Here , overlooking the L ? ? zarde river valley with its swaying sugarcane , are elaborate secluded villas which seem a universe apart from the small sheds in which most Guadeloupeans live . Most Guadaloupeans live in sheds due to the extreme income disparities there . neutral +sounds like something i should do That is something I would never dare to even try . contradictory +and uh comfortable comfortable that way and a good loose fitting pair of shoes that i take off under tables when i 'm in a conference room because i can 't stand having anything on my feet I secretly remove my shoes in meetings because I get a kick out of it . neutral +This serene , arcaded palace , with its garden of lime trees and beeches and the pond where Louis XIV nearly drowned has had a past as colorful as its spectacular new flower beds . Louis XIV almost drowned in a pond many years ago . entailment +Where are they now ? About the town . The people are running around having fun in the town . neutral +so that 's just you know i just i i i just really enjoy it and i hate to here see people gripe and moan about doing uh yard work what about trees do you have any trees around I really enjoy yard work because my yard is beautiful . neutral +There used to be five naves , two transepts , five belltowers , and 225 choir stalls . In the past , there were 300 choir stalls . contradictory +The rule would also create significant administrative burdens for the client , other parties , the courts , and administrative agencies . Significant administrative burdens for the client , other parties , administartive agencies , courts and clients would take on certain burdens , created by the rule . entailment +I 'm married to Mr. Angry at the World . My husband is angry at the world . entailment +A long arc of fine sand backed by pine trees , Koukounaries is perhaps the epitome of everything that beach lovers enjoy . The waters are clear there . neutral +well uh my uh brother had a Lionel train set he was a a bit older than i and so when i came along i was interested in uh fooling with the train and since he was was past that stage why he didn 't have any objections and uh in fact i started doing a layout uh in our garage at one time but i got about as far as sort of painting some uh streets and things on a piece of plywood and putting up a few things and it got to be hot summertime when i gave it up My older sibling never owned any kind of train set . contradictory +Soon after this , the Spanish began building a thick defensive wall all around San Juan . San Juan was the best-defended port in the area . neutral +A new clue . A new clue to the kidnapping case . neutral +The Delivery System Will Be Designed and Configured to Respond Effectively and Efficiently to New and Emerging Client Needs and Other Changes Affecting the Delivery of Legal Services to the Poor . The Delivery System was put in place by an IT firm . neutral +Did you mean to warn me against Mrs. Vandemeyer ? Were you supposed to caution me against Mrs. Vandemeyer ? entailment +This cultural-differences explanation certainly accounts for why anorexia nervosa is mainly a disease of higher-income girls and young women . This explanation doesn 't demonstrate why anorexia nervosa is mainly a disease of higher-income girls and young women . contradictory +Can 't you see how a circus would jump at a chance to have these ? No one would be interested in these . contradictory +The network said the movie would provide instructive lessons about the issues teen-agers face . The network commented on the value of the movie for the teenage demographic entailment +In the colonial days , the sound of a cricket bat 's willow would have been heard as the afternoon 's sun-rays stretched across the field . They never played cricket during colonial days . contradictory +THE ELDERS HOLD THEM TOGETHER BUT NOT BY MUCH . It is difficult for the elders to hold them together . neutral +Auditors should design the audit to provide reasonable assurance of detecting material misstatements resulting from direct and material noncompliance with provisions of contracts or grant agreements . Auditors should have their audit designs checked by a third party . neutral +um-hum yeah i think the last biography that i read i 'm not i think it was was um on Lady Randolph Churchill Churchill 's mother and that was excellent The last fiction book I read was reimagining Churchill 's mother in the 24th century . contradictory +a real dog and cat and all the other animals they initially start out in the barnyard kind of setting where they 're raised and then the cat gets um on this treacherous journey he climbs into a box and ends up floating down this river and he winds up all over creation i don 't know where in the world it is somewhere in China somewhere i think that it was filmed A genuine cat and dog initially begin in the barnyard kind of setting . entailment +And the angel at the center of the movie is hardly representative , either . The angel seems a natural fit in the movie . contradictory +What she has done is try to seem casual and arrange her hand so it covers her nose . Trying to look casual , as usual , she covered her nose up . neutral +The remaining costs are institutional costs that are primarily driven by the size of the network . Leftover costs are institutional , driven primarily by the size of the network . entailment +Dwell among them and let their purity wash away the filth of politics with which you are encrusted after lo ! Politics is inherently good for the soul . contradictory +And there 's no queasy feeling that you must have misplaced that notice explaining how the rules were about to change . The rules are going to change . entailment +This publication examined state planning in 18 states as models for building various components of a clientcentered , comprehensive , integrated state justice community . The publication examined state planning in some states as being great examples for LSC stystems . neutral +73 Chapter 10 Enter Sir James Peel Edgerton TUPPENCE betrayed no awkwardness in her new duties . TUPPENCE is a very awkward person . neutral +In a sense , the advertising industry is reluctantly moving toward a business model much closer to the so-called free-agent economy than to the traditional idea of a corporation . There is no organization to the advertising industry . contradictory +Had Stross written his book next year , he would have had a whole new story how Microsoft was or was not able to translate its dominance in personal computers to the Internet . Stross wrote a book about Microsoft . entailment +You 'll probably end up with a price that 's around 50 70 % of this initial price so if the goods are genuinely more expensive than you want to pay , better to walk away now with a handshake and a firm no thank you . The prices will increase beyond the initial price . contradictory +These attract bigger audiences than do current local offerings , which seem tawdry and unoriginal after the towering creativity of giants like Kurosea and Oshima . The biggest audience was a crowd of a thousand people . neutral +The Palace A place . entailment +A subsequent review was performed a few months later to determine if weaknesses had been reduced . A later review checked to see if employees were getting to work on time . neutral +Punches and needles carry a lethal threat Needles can kill anyone easily . neutral +i think the longest we 've stayed out there is like five days and they even they had a library at one time out there We will stay there a week next time . neutral +Systematic approaches are possible but a bit complicated . The best approach would be a systematic one . contradictory +The foothills of the Pyrenees form a landscape of gentle rolling greenery , with tantalizing views of the snowy peaks behind . The Pyrenees foothills are in an arid , desert climate with no greenery . contradictory +Today , it houses the Ministry of Culture , Council of State , and the Constitutional Council . Currently , it holds the Council of State , Constitutional Council , and the Ministry of Culture . entailment +The three absorber-module installation assumes each absorber module can treat up to 900 MWe of boiler capacity . The absorber-modules weigh over 20 lbs each and are rated to handle up no more than 900 MWe . neutral +They sat very straight and forbore to look at each other . They sat straight and refused to look at one another . entailment +I didn 't see it either until now . This is the first time I notice it , too . entailment +Even with these retirement saving incentives , the personal saving rate has steadily declined . Retirement savings are in trouble neutral +Individual development accounts ( IDAs ) are special saving accounts for low-income families . Individual development accounts are special accounts used for food . neutral +yeah oh that will be nice yeah do you have a feel for how many people there are when you get together How many people get together ? entailment +I realized the significance of this . I suddenly realized how important this was . neutral +Pasadena soon became a popular resort area . Pasadena became a popular resort area because of the nice weather . neutral +On the far side of Arthur 's Seat is Duddingston Loch , which operates as a bird sanctuary . There is no sanctuary for birds in existence . contradictory +There along the foreshore is the Kampung Ayer , or Chinese Water Village , better known as the Clan Piers , a hamlet of houses on stilts , joined by wooden walkways over the water and inhibited by 2,000 boatmen or fishing families , each group belonging to a different clan . The only occupation of the inhabitants of Kampung Ayer is fishing . neutral +The other , largely neglected Imply that the competition , as currently configured , is improbably upscale . The competition is awesome according to Imply . entailment +We shouldn 't be marketing to a young audience , or at least , not this young audience . It 's wrong to market beer to a young audience . neutral +She went down the passage to his sittingroom and knocked at the door . She went through the door to his sitting room . contradictory +The man , the northerner , tied back his hair and handed his black leather three-cornered hat and cloak to a dark skinned boy who followed him . The boy was the man 's son . neutral +Neuharth imposed his philosophy on the newsroom . Neuharth forced his ideas onto the office . entailment +In recent years the French national health system has approved reimbursement for spa treatments and the number of curistes seeking treatment has risen . The French national health system reimburses spa treatments . entailment +'I have a better view of things than Greuze , ' said Natalia . Natalia said she understood things more than Greuze . entailment +Also the recently declassified CIA assessment assumes that the rogue states are likely to view their few ICBMs more as weapons of deterrence and coercive diplomacy than as weapons of war . The document was just declassified . entailment +save the fees we 've decided we just save the fees and and buy some of our own equipment so We found our that it is cheaper if we buy our own equipment . neutral +Perched on the Gargano heights south of the forest , Monte Sant 'Angelo was a major medieval pilgrimage town , celebrated for its fifth-century sanctuary of St. Michael in a grotto where the archangel appeared to the Bishop of Siponto three times . The faithful truly believe such claims , but more skeptical minds think the Bishop of Siponto was either a liar or mentally ill . neutral +These require a little more thought , good equipment , and some form of refreshment such as a packed lunch ( these can often be prepared by your hotel ) as they often take an entire day to complete . Even the most experienced will pack extra water before starting off . neutral +Sounds appealing . It sounded good to him . neutral +they got a drug problem but it 's legal you know it 's like huh-uh huh-uh no they need they need some help too I think that drug problems of this nature are just as bad as any other kind . neutral +Except for the creation of worksharing discounts and Express Mail , the basic product line of the Postal Service was inherited from Congress at the time of Postal reorganization in 1970 . Congress donated a product line to Postal Service . neutral +In the violet shade of morning , Ca 'daan saw Adrin standing on the dunes in sword practice . Adrin was seen practicing his sword handling whilst the sunrise had dawned over the land . neutral +Painfully he tried to puzzle out what had happened . Painstakingly , he tried to piece together what had happened . entailment +The final rule amends the FCC 's rules to facilitate more effective use of the 39 GHz band by implementing a number of improvements , such as licensing by Basic Trading Areas and employing competitive bidding procedures as a means for choosing among mutually exclusive license applicants . The 39 GHz band may be improved with the last rule . entailment +You want me to help you out , eh ? So you don 't need any help ? contradictory +Instead of trying to tame inner-city housing projects with different kinds of architecture , lower density , and income mixing , the Department of Housing and Urban Development should redefine its to help its tenants escape the ghetto . Architecture is unified in low income areas . contradictory +Nowhere is that more clear than in the periodic appearance of what I call the Left-Behind White . It 's clear that the periodic appearance is what 's called the Left-Behind White . entailment +yeah i do that myself too i i really don 't appreciate them calling me up all the time to try to push their services on me I even asked them to place my number on their " Do Not Call " list . neutral +Each practice area is defined by a substantive area of law ( e.g. The practice areas never have overlap between the areas of substantive law . neutral +DEFINITION Non-definition . contradictory +In simple terms , increasing payroll taxes by 1.86 percent ( a 15percent increase over the 2001 rate paid by employers and workers ) now could head off a Social Security shortfall for 75 years . Employers and employees alike were strongly against this proposal . neutral +uh yeah oh well i i was amazed because we lived uh i 'd lived uh in Virginia i was born and raised in Virginia and then uh we spent uh about ten years in New Hampshire I 've lived in New York City my whole life , born and raised in The Big Apple . contradictory +On Meet the Press , White House Chief of Staff John Podesta We 're not negotiating , Tim . Podesta said they are not negotiating . entailment +Absolutely nothing , said Tommy cheerily . " Nothing at all . " , Tommy stated with cheer . entailment +Jamaica seeks to combine these influences with its own strong identity to create an independent and stable society . Jamaica 's strong identity is marked by their exotic accents . neutral +A labor productivity value of 110 means that 10 percent more work was accomplished for the level of labor expended than if a productivity value of 100 was achieved . A labor productivity value of 110 means that 10 % more work is done . entailment +Among many native peoples , the elderly are cherished and respected for their funny smell . In native societies , the elderly are respected for their smell . entailment +Start at the confluence of the V ? ? zyre and Dordogne rivers , where the hilltop village of Limeuil affords a fine view of both valleys and their bridges meeting at right angles down below . Limeuil is located inside of a cave on the Seine . contradictory +oh they that was very very fortunate for them because that could have really been disastrous That was really lucky . entailment +Here and elsewhere , you 'll see many nude sunbathers , and toplessness is the order of the day . Nude sunbathing is pretty common here and in the surrounding areas . entailment +um in Texas i was oh i believe the uh tax sales tax was somewhere around seven eight eight percent I assume Texas has one of the highest sales tax rates in the nation . neutral +to other companies so that the other companies can recognize our E-mail and now we 're getting into faxes as well right off the PC In order that other companies can recognize our e-mail entailment +there was a thing recently in the paper there was a bill in front of the state legislature that was going to allow the average citizen to be able to pack his own weapon again THe politicians refused to talk about guns . contradictory +They lowered their Gauntlets and fixed me with suspicious expressions . They began shooting at me . contradictory +For example , mobilizing commitment , especially from those outside the finance organization , was often one of the more difficult objectives to accomplish . Mobilizing commitment was the easiest objectives to accomplish . contradictory +Federal regulatory agencies have used both governmentwide and agencyspecific vehicles to notify the public about opportunities for public comment on upcoming rules . Federal regulators tell the public about upcoming changes and how they can comment on them . neutral +no you get a couple yeah couple yeah it 's not a real meal You receive two but its not a big enough portion to be considered a meal . entailment +'Mission , ' Greuze considered , ' might be too strong a term . Greuze looked for a more mild tern . neutral +so but um-hum and they 're open till i think ten Their doors close at ten . entailment +The CFO Electronic Commerce Task Force has created an interagency team , the Financial Implementation Team for Electronic Commerce ( FITEC ) , to help create integrated strategies , execution plans , and schedules for achieving the federal CFO financial community 's electronic commerce goals . The CFO electronic commerce task force hasn 't created anything . contradictory +86 Japp 's face grew grave , though Summerhaye gave an incredulous snort . Japp 's face turned grave and Summerhaye snorted . entailment +laments the plan 's gross generational inequity and instructs President Clinton to spend the money on education instead . President Clinton should increase education funding . entailment +Still others believed that total ( historical ) cost should be the long-term goal , with the use of latest acquisition cost allowed only until such historical cost data would be available . Others think total historical cost is the end goal but that acquisition cost should be closely monitored . neutral +Daniel L. Greenberg , president of Legal Aid , said the new building has both symbolic and practical significance . These comments were dismissed by the general public . neutral +To repress the powerful polygamous impulse in men , you employ their equally powerful thirst for social status . Human males are the only creatures without a thirst for social status . contradictory +The delivery function is comparatively new to modern postal services . Mail delivery is quite new . entailment +Although not applicable to attestation engagements , the AICPA statements on auditing standards may provide useful guidance related to fraud for auditors performing attestation engagements in accordance with GAGAS . The AICPA 's statements in regards to auditing standards apply to attestation engagements . contradictory +oh they turn them over to somebody and they 're going to i guess they 're going to try to teach computers how to recognize voices and search for specific words and stuff They 're not trying to teach computers how to recognize voices . contradictory +yeah that 's funny because every once in a while if my husband and i have traveled or something um and we pick up a local paper we 're really shocked even in a major city at how local it is it 's really provincial Papers from big cities can still be provincial , depending on the editor . neutral +and that that the penalty ought to be out there and be enforced Law enforcement doesn 't need to change any . contradictory +but uh then the microwave uh the cauliflower you cook that in the microwave and what you do is you just uh wash it and you core it You put cauliflower in the microwave for 10 minutes . neutral +The folks weren 't there anymore and I wanted to see what it was like . " The folks were all still there . contradictory +It 'll take ' em at least five minutes to get busy after us . If we don 't move , they will probably catch us . neutral +For a moment the girl fancied she must have dreamt it . The girl dreamt about it . neutral +first of all we have a source now we got a a friend whose a nun It was difficult to find a source before this friend agreed . neutral +The national archives are stored in an 18th-century mansion , Hetel de Soubise . The 18th century mansion holds many things , including the archives . neutral +i 've never even bought a gun myself my dad 's given it to me or someone 's given me one so i 'm probably real illegal you know carrying guns that aren 't even mine I never carry guns around , they are too dangerous . contradictory +DEAR TOMMY , I knew it was you last night . Tommy , I was aware of your presence yesterday evening . entailment +Will you take a picture of us with the underwear for our album cover ? Our album cover has to be original and radical . neutral +A wild elation possessed her . She was overwhelmed with great exhilaration . entailment +well now that 's it is certainly entailment +Built of limestone , it honored generations of rulers who had passed on into the afterlife . It 's built from limestone . entailment +so that 's that 's what i thought was interesting that uh there are still drugs out there and then there are those socially acceptable drugs They are a lot of drugs that are accepted by society . entailment +All came in second , Wisk just a shade behind . Wisk ended up winning the competition . contradictory +I assure you that you need not let it trouble you . You must worry about it . contradictory +Relationship between GAGAS and Other Professional Standards Gagas and professional standards have a relationship entailment +There can be little doubt that the LSC Act funds constitutionally protected expression The LSC Act funds is a constitutionally protected expression . entailment +The man pointed and spoke . The man clapped his hands and whistled . contradictory +and uh i 'm trying to find a way how to uh electrify it or motorize it because of this i have to push It 's fine the way it is , I don 't need to do anything to it . contradictory +The report expresses shock at the flagrant illegality of the expenditures . Charges were later filed as a result of this . neutral +" Kitchell ! " Hunt Rennie repeated the name and nodded . Kitchell was the man who robbed the cafe , Hunt Rennie confirmed it . neutral +He sent a note to a doctor he Bleeding , Great Moscow No . Great Moscow is an utterance used in the near East for times of great shock . neutral +In 1936 , Pan American Airways introduced daily passenger air service from San Francisco . Pan American Airways started service from San Francisco . entailment +You have no standing in this deal . You have every right to participate in this deal . contradictory +5 percent wage premium . Due to scarcity of labor , these workers demand higher compensation . neutral +uh marijuana cocaine and amphetamines Cocaine , marijuana and amphetamines were used . neutral +Land speculators and locals alike were anxious to own a part of the newest railroad boomtown , and within an afternoon , more than 80 percent of the lots were sold . Land speculators and locals the same were anxious . entailment +Appendix II lists the principles identified in NIST 's Generally Accepted Principles and Practices for Securing Information Technology Systems , September 1996 . To find NIST 's Generally Accepted Principles and Practices for Securing Information Technology Systems , reference to Appendix II . entailment +The glittering facade of the Basilica di San Marco forms an exotic backdrop , illuminating Venice 's unique role at the croseoads of Eastern and Western culture . The Basilica di San Marco shows Venice has nothing in common with Eastern culture . contradictory +Farther along is the imposing tower of the Russian Church of the Ascension . The tower of the Russian Church of the Ascension can be seen behind you . contradictory +Yes ! I breathed . I was relieved . neutral +Small stone houses crowd the town center with fine Ottoman houses along the northern edge of town . Ottoman houses are found within the town center . contradictory +Oscar Schindler , whose struggle to save Jewish slave laborers from death during the Holocaust was made famous by the film Schindler 's List , is buried in a Christian graveyard on Mount Zion ; his interment was arranged by the many who owed their lives to his courage and ingenuity . Oscar Schindler saved many Jewish workers , who may otherwise have died . entailment +The president and Betty Currie had some concern about her . The president and Bettie Currie both shared some major concerns about her work ethic . neutral +Consequently , the motivational mechanism is not clear . We have great clarity on the motivational mechanism . contradictory +But Congress ' 1996 reform replacing presumptive refunding of grantees with competitive bidding for LSC service contracts19 Congress reformed replacing presumptive refunding in 1996 . entailment +Got no use for the family feud business . Family feuds were of no use to the person . entailment +Traditionally , certifying or disbursing officers2 responsibilities extended throughout the payment process . Officers of the law are often not paid enough for the work that they do . neutral +To help you choose a nightlife scene , pick up a copy of Hong Kong Tourist Authority 's dining and entertainment guide for listings , or just simply wander through the maze of neon signs and take your pick . There aren 't any guides available for nightlife . contradictory +Lamar Alexander 's campaign never got off the ground because the American people can recognize a phony ( ) . He resigned in disgrace after he was arrested . neutral +and uh we have a lot of bad stuff it just really gets me depressed even to watch it I don 't mind it at all , things are mostly good . contradictory +that 's really cheap do you have to be an active TI employee to join Texans or That is not expensive at all . entailment +Therefore , individualized interest-bearing trust checking accounts were unwieldy and impractical . Individualized checking accounts are impractical . entailment +oh see i 've never grown strawberries I 've grown strawberries plenty of times . contradictory +Late in his prize-winning series , Gerth wrote some harsh things about Hughes , and Hughes ' lobbying of Clinton , but he scarcely mentioned Hughes ' Republican connections . Gerth is not a fan of Hughes and his work . entailment +The 1970s were marked by inflation and the emphatic snuffing of strikes and protests . Striking workers in Poland in the 1970s faced brutal repression by the government . neutral +Although its popularity waned during the Meiji period , it has been rediscovered this century , the most dramatic evidence being the vast investment in the National BunrakiaTheater in Nipponbashi . The play declined in popularity for a while about 100 years ago . neutral +Definitional Creep ? What is the definition of creep ? entailment +Ask about such discounts when booking . These discounts are sometimes only offered to customers that ask . neutral +A monumental Last Judgment covers the entrance wall . A painting of the Last Judgment is on the exit wall . contradictory +A few weeks ago , a conservative foundation placed an ad in college papers urging undergraduates to sue their schools in order to battle affirmative action policies . Ads were placed in college newspapers urging students to sue their schools . entailment +and and they 're really quite um arrogant about it all they they believe that they they belong there and they 've belonged there forever and the Palestinians and the Arabs are um more or less they they they consider them second class They are arrogant in their beliefs . entailment +yeah i was a witness in a case in a criminal case and it was absolutely horrifying to me how that operated because so much evidence was excluded I 've never been a part of a criminal case , I only watch them on TV . contradictory +He slipped his hand into his pocket . He folded his hands in front of his chest . contradictory +It would be folly for a visitor to expect American-style efficiency or speedy service ; it would be wisest to slip into the casual drift of things West Indian . It would be a mistake for a visitor to expect American-style efficiency or speedy service . entailment +Lubitz ' demonstrated that the law targeted predominantly minority populations . Lubitz proved that the law was entirely just and non-discriminatory . contradictory +Seac Pai Van Park , on the west coast of the island is an interesting natural preserve with aNatural History Museum . Along with a natural history museum , Seac Pai Van Park also has a playground for children . neutral +And those few who 've not yet plummeted to a fiery death possess so vivid a sense of their own mortality , that they 'd instantly cancel Larry King . OK , look at it this If more congressmen and CNN executives rode the New York City subway , then trains , not planes , would suffer from unrelenting crowding , lack of privacy , infrequent communications with family and the outside world . Larry King does not have a show on CNN . contradictory +well when i go to work i listen I listen on my way home from work . neutral +, higher taxes , more generous provisions for the poor ) are not what they want . Higher taxes and generous provisions for the poor will not result in a more equitable society . neutral +um-hum well the US pays the US pays less taxes than almost every industrialized country um The U.S. pays less taxes than nearly all industrialized countries . entailment +We would have relevant professionals--scientists , accountants , engineers , forensic specialists--decide all criminal cases . The professionals in the fields decided the cases . entailment +um-hum that 's right yes yes i think so Sure , I think they should be payed more . neutral +so it becomes uh a general battle of the who sort of the election of the lesser of two evils The election is of the lesser of two evils . entailment +The current income tax system provides preferential treatment-such as special exemptions , special deductions , and / or credits , as well as special The present income tax system shows bias such as special exemption and / or deductions . entailment +On April 18 , 1996 , APHIS published its Initial Regulatory Flexibility Analysis in the preamble to the proposed rule ( 61 Fed . On April 20 , 2002 , APHIS published the research Initial Regulatory Flexibility Analysis . contradictory +Neither Martinique nor Guadeloupe enjoy duty-free status ( apart from the duty-free shops at the airports ) , but almost everything from France is sold at mainland French prices , well below what the items would cost in North America . Minus airport duty-free shops , Martinique and Guadeloupe don 't have duty-free status , but prices in France are far less expensive than in North America . entailment +yeah you you think then that uh part of it is because the uh it flashes too much on the personal uh characteristics of the candidate rather than his uh job performance issues It should include equal parts personal characteristics and job performance issues . neutral +The street leads to the elegant 14th-century Gothic abbey church , the Abbatiale Saint-Ouen , best observed from the little park east of the chancel . To get the best views of the Abbatiale Saint-Ouen , stand on the west side of the chancel . contradictory +yeah i he definitely i had an unusual situation with in my home my father was was alcoholic but uh and very withdrawn at that and so my husband is ten times more involved and we have more of a I experienced something strange in my house when my dad was a drunkard . entailment +Kohl 's inability to create jobs in the former East Germany and his overtaxing of the former West Germany have killed his popularity . Kohl 's ability to create jobs in the former East Germany and undertaxing of the former West Germany have gained him popularity . contradictory +Evolutionary psychology tells us that economic intercourse is about as deeply ingrained in the human brain as any other form of intercourse . Economic intercourse drives humans to reach the top of the food chain and be powerful . neutral +because he has to get everything out and he loves to season i mean he 's like he gets every seasoning out of the cupboard you know and uses it and he likes to put lemon My husband doesn 't use any seasoning when he cooks . contradictory +boy that 's unreal when you think about it you know that 's that must be something uh to Come to think of it , that seems unreal . entailment +but i 'm sure i 'll it will hit me a little harder in a couple of years I 'm sure it will hit me harder in a couple of years after I move out from my parent 's house neutral +This is different from a French-style omelette , in that this one resembles a substantial egg-and-potato pie . French-style omelette is very similar to egg-and-potato pie . contradictory +The cord on it glistened . The cord was dull . contradictory +i 've uh as far as i 'm concerned i find that the young women have lost so much because they have become more aggressive and more dominating and i think that comes about from their being a definite factor in the job market now Young women have lost more since they need to be more aggressive to land a career . entailment +We cannot rebuild our lives . We can rebuild our lives . contradictory +The Illinois Supreme Court on Friday hiked attorney registration fees by $ 49 a year to boost both legal aid services and support for lawyers with drug and alcohol problems . Last year , approximately 10 % of lawyers faced serious drug and alcohol addiction problems . neutral +For a quieter glass of wine or cup of coffee , try the pretty Place du Marche-aux-Fleurs , shaded by plane trees around a Henry Moore sculpture . Place du Marche-aux-Fleurs offers wine tasting for tourists . neutral +This brings soft money and other much criticized practices under scrutiny . This brings soft money and other much criticized practices into much celebration . contradictory +'Well , to begin with , I wasn 't after the spoons . ' I was looking for the forks this time . neutral +In short , China 's distinctive edge lies in combative , Machiavellian , mud-slinging , blustery , self-righteous politicians . All of China politicians are respectable people . contradictory +Why ? " He appeared to be in an absolute frenzy . Frenzied was the way everyone saw him . neutral +Only Herman Klita didn 't repeat like the others , and was , as always , very skeptical , which in turn made Czarek chronically depressed . Czarek 's moods depended on Klita 's opinion.s neutral +Among the initiatives currently under way as a result of these efforts are the There are four initiative currently under way because of these efforts . neutral +i think he was just probably a passing phenomena i think i don 't know i i 'm He was a passing phenomena I believe . entailment +and they get free trips home twice a year things like that so they the Brit 's loved it but i i 'm not so sure i would want to go over there that 's a little being an American you 're still I would love to go over there . contradictory +but i do watch some uh pro football basketball mostly it 's uh i watch certain players I don 't watch pro football or basketball . contradictory +so it i don 't know whether it would be wiser to have an educated judge even though he may get uh out of touch after a while or whether it would be uh worth it to stick to the class of people that end up there I 'm not sure if we should have an intelligent judge because he could be out of touch . entailment +right away without any hesitation . I didn 't want to wait any longer to know my test results . neutral +right but uh i 'm i 'm looking forward to the season i think it 's going to be fun yeah This is going to be a long , grueling season . contradictory +Deaths of individuals under the age of 70 are valued using the unadjusted mean VSL value of $ 3 . $ 3 is the unadjusted mean VSL value which is used to valued the deaths of people under 70 years old . entailment +This was in no way unusual for me . It was strange for it to happen to me . contradictory +( Having seen so many episodes and observed the formula , I have thought it would be amusing to write an episode set in a think tank . I want to write an episode exactly like the show I 've watched . neutral +yeah well yeah i kind of like it when they do that because the video like i said there are certain things you can 't do with a video and the idea that they may put a little extra in it i think is a good idea I like it when they add extra cuts in the video . neutral +It is a deeply demoralizing experience for anyone who lacks adequate powers of self-deception and photo approval . For anyone who lacks adequate powers of photo approval and self-deception , it is a deeply demoralizing experience indeed . entailment +The Administrator is not required to allocate allowances under such sections to a unit for which the owner or operator fails to submit information in accordance with the regulations promulgated under this subparagraph . The Administrator shouldn 't allocate allowances under such sections . entailment +Feminists approve of the novel , about an aging rock star and her two abandoned children , because it coldly documents the woman 's abuse and is clear-eyed about the economic forces that shape women 's lives ( Valerie Sayers , the New York Times Book Review ) . Others say Allison leans precariously toward melodrama and tries too hard for gut-wrenching emotion ( Phyllis Richardson , the Los Angeles Times Book Review ) . Feminists thought the movie was a good portrayal of women 's issues . entailment +It is hard to imagine , though , why any government would embargo such a product , unless the plastic surgeons ' lobby has already got to them . There 's not a single reason why any government would embargo this product . contradictory +Modern legislation and regulation are technical and complex . Legislation and regulation are easy . contradictory +The most China could practice financial terrorism by selling Treasury bills and buying eurobonds , thus weakening the dollar . The dollar was weakened by financial terrorism from China . entailment +in Dallas no i go to jazzercise I attend jazzercise . entailment +The Edgemar complex , located in the 2400 block , exhibits the work of L.A. ' s favorite postmodern architect , Frank Gehry ( a Santa Monica resident ) . The Edgemar complex , located in the 2400 block , exhibits the work of L.A. ' s favorite postmodern architect , Frank Gehry ( even though he is a Santa Monica resident ) . neutral +i mean it 's not very many miles from our house at all It 's only located about three miles from our house . neutral +yeah so i am we are sort of we are the Middle East peace talks at home um Yes , we are kind of like the peace negotiations in the Middle East , but instead at home . entailment +Throughout its history , the Postal Service has backed away from constraints on the dimensions and characteristics of pieces that can be mailed . The Postal Service backed away from the size rules for things that were mailed . entailment +On this measure , the Dow Jones industrial average of 6,000 today is only 60 percent of the DJIA of 30 years ago , when it hit 1,000 . The Dow is 60 % of what it was 30 years ago . entailment +First he said House Republicans shouldn 't balance their budget on the backs of the poor . House Republicans want to increase aid to poor families . contradictory +Then Lehman hit into the rough by the 16 th green and lost a stroke . Lehman lost a stroke . entailment +A sidebar notes the political dynasties taking shape in the Bush , Cuomo , and Jackson families . The main column notes the lack of political dynasties taking place in the Bush , Cuomo , and Jackson families . contradictory +Masons dug a shaft 10 m ( 33 ft ) into the bedrock for Ramses III 's tomb ( 11 ) c.1151. Ramses III 's tomb was 10m into the bedrock . entailment +hi how are you today I hope you are doing well today . neutral +All grantees are required to submit their Self-Inspection Certification and Summary Forms to LSC in March of each year for the previous year . These self inspections are invariably positive to a fault . neutral +It was a little after half-past five . It was a little after half-past five in the evening . neutral +O , how I faint when I of you do write , I have intense physical reactions no matter what I write about . neutral +His was an attitude that probably determined not only their general ethics , but also their occupational destiny as highly sophisticated businessmen . He was a highly sophisticated businessman . neutral +Double Dribble Results Are In ! The results are contrary to popular belief ! neutral +Take the Kal and have Severn show you the mines today . Take the Kal as far away from Severn as you can get . contradictory +I 've done this all over the United States , in New England mostly on the turnpike , with never a mishap . I have never done this in New England . contradictory +Many believe that there will be gains to offset losses in transactional mail volume . many people think the gains will be more than the losses when it comes to mail volume entailment +Travelers on their way to or from Rome will be especially interested in Raphael 's cartoons ( preparatory drawings ) for his School of Athens fresco in the Vatican . There are over one hundred of these cartoons to be viewed . neutral +And parents of both sexes should remember that growing children are the fastest-paced Americans of them all . Both sexes of parents should remember this . neutral +The Sai Routha stood as well , his head dipped . His head was low as he was standing up . entailment +Then , for some reason--we will probably never know precisely why--the era of trilobites , triceratops , and other multicellular creatures commenced . Even after extensive study , we 'll probably never know why their era came to be . neutral +i 'm the type of person who sits you know it 's the same thing about the war i 'm this type person you you know you need it but you 're the one who you can 't you can 't make the decision and go yes or no i 'd be a terrible president because i would you know i knew we had to go to war and i knew you know it was the best thing but i didn 't i would not want to be responsible for people getting hurt if you know if i don 't know I would make the best president , because I love war . contradictory +Advocates turning to state for financial assistance For financial assistance , advocates are turning to the state . entailment +EFFLUENT AND RECEIVING WATER SAMPLING , SAMPLE HANDLING , AND SAMPLE PREPARATION FOR TOXICITY TESTS At each step utmost care is taken by everyone . neutral +yeah Are they primarily outdoor dogs I agree with the previous sentiment but I am curious to ask , " Are the primarily outdoor dogs ? " . neutral +Limitations on total emissions . The emissions should be reduced . neutral +and um so that was something that was important to us and because like like i say i we kind of felt deprived that he had been in school and been away from us for so long that we were anxious to do everything we could to have you know He was in school and away from us so often that we felt relieved to be rid of him . contradictory +Piana degli Albanesi ( near Palermo ) : colorful Byzantine ritual for Epiphany Palermo is a center for recreated ancient Roman culture . neutral +It is good to wander among the narrow streets and markets to sample the authentic life of the city , highlighted by the Noantri ( We Others ) street festival of music , food , and fireworks , during the last two weeks of July . The best feeling possible in the city is to wander its narrow streets . neutral +One section had been ripped down by the lash of wind from a huge piece of the sky , which now lay among the ruins with a few stars glowing inside it . One piece of the sky lay in the ruins . entailment +There was hardly a breath of wind , the very chirp of the birds was faint and subdued . There was barely any natural sounds to be heard . entailment +so but i guess that 's a little off the subject I wish you wouldn 't try to drag the conversation off the subject . neutral +The majestic Cathedrale Notre-Dame is a masterpiece of French Gothic architecture . The Cathedrale Notre-Dame is over three thousand square feet large . neutral +Somehow , with the coming of the light , the dreads and fancies of the past night seemed absurd . The fancies of the past night was the vampire masquerade . neutral +You ... bartender The sergeant now looked to Fowler . The sergeant is looking at Ford . contradictory +just taking it off oh Lord right I 'm glad I get to wear this . contradictory +It was exciting , albeit in a slightly childish way , to see your name on that signboard , confirming that you still had your cushy job in this historic broadcasting center . Your name was on the sign because you deserve it . neutral +Jon figured that twenty to twenty five fell in the first charge . People died in the first charge . entailment +After centuries of almost total eclipse , Buddhism today has been able to achieve a revival in India , in part by offering its egalitarian philosophy to Hindu Untouchables as an escape from discrimination . The teachings have completely died out in India . contradictory +Japan 's progress toward parliamentary democracy was halted in the 1930s by the growing nationalism being imposed on government by the generals and admirals . Japan 's progress to democracy was halted in the 1960s . contradictory +what kind of business is it What kind of house is it ? contradictory +As a dominant buyer , Office Behemoth could command concessions from Paper Clip Inc . Office Behemoth has no leverage to command concessions . contradictory +As a result , France experiences diversity and tension within cultural , social , and political spheres . France has always been known to be very accepting of social differences . contradictory +For example , Inland and San Diego have both partnered with CRLA to respond to migrant clients needs in the Coachella and Imperial valleys . Inland and San Diego worth with CRLA . entailment +There 's a stop en route where you can visit the Owakudani Natural Science Museum , which has some uninspiring audio-visual presentations of volcanic eruptions . You can visit Owakudani Natural Science Museum on a stop en route , which has some uninspiring audio-visual presentations of volcanic eruptions . entailment +Like the arts and crafts , ancient Malay sports and pastimes are practiced almost exclusively on the East Coast , though you may also see demonstrations elsewhere at cultural centers in KL or Sarawak . The Malay sports are practiced on the West Coast . contradictory +Because of the erratic nature of the eruptions , the approach to the central crater can vary from one eruption to the next ( serious eruptions in 1998 lasted over a period of 8 months ) . There is of course a certain degree if risk involved in a visit to the crater , but eruptions are usually preceded by obvious warning signs . neutral +yeah no huh-uh especially Particularly not . entailment +Yes , the one and only . There could never be another like it . neutral +The left-wing parties re ? ­ spond ? ­ ed by banding together in a Popular Front , which the Socialists led to power in 1936 . The left-wing responded by joining together to make a massive army . neutral +Nobody ever wanted to emulate this effect Nobody wanted to repeat this effect because it had negative repercussions . neutral +Poirot and I sat together , not being required to give evidence . Poirot testified first and I second . contradictory +And to me , Argentina and Brazil both look a lot like resource-rich nations a long way from anywhere , with no dominant Northern Hemisphere trading partner . Argentina and Brazil are nations that are both rich in gold and copper . neutral +He said his son is looking out for him from beyond the grave . He 's had a run of good fortune recently that he believes his son assisted with . neutral +The presentation of these items is hushed and museumlike , with just dash of whimsy . The presentation of these items is museumlike , yet fun . neutral +The many parties who had already argued that a $ 1 . There is no evidence that $ 1 is enough . contradictory +And since I agree with you , I go for the former . ' I 'm sorry to say that I completely disagree with you . contradictory +A Better Match of Policy and Incentives Is Needed to Ensure Capture of Design and Manufacturing Knowledge Design and manufacturing knowledge need better policies to be put in place . entailment +Tommy 's ambition was somehow or other to gain admission to the house itself . Getting into the house was possible in more than one way . neutral +The numerous personal effects on display leave no doubt about Marta 's importance in the pantheon of Cuban he is Cuba 's founding father . Marta is Cuba 's founding father and he was well-loved by many . neutral +they 've been ordered to do something because their jail is so overcrowded they 're not allowed to accept any new inmates now what are they supposed to do The jail has plenty of room for new inmates . contradictory +It doesn 't say much of anything on the subject . A lot is said about the subject . contradictory +3.Tim , I support the president . Tim , I support the president 's current goals but not previous ones . neutral +Unfortunately , I have no proof beyond my surmise , unless ” ” With sudden energy , he caught me by the arm , and whirled me down the hall , calling out in French in his excitement : " Mademoiselle Dorcas , Mademoiselle Dorcas , un moment , s 'il vous plait ! " Dorcas , quite flurried by the noise , came hurrying out of the pantry . The he in this line was so excited he slipped into French . entailment +Eva can 't read English and a translator was not involved . Eva can 't read the English language on her own , so she had to use Google Translate . neutral +Some of the deviation for Italy and Portugal may be due to the fact that they have proportionally much larger retail operations involving collection and acceptance than the U.S. and other posts . The United States is smaller than Italy or Portugal . contradictory +guidance in this area . career guidance for elderly . neutral +Efficiency is the number one priority of the organization in terms of dollars spent as well as technology performance . Robotics are one field of study being explored to improve efficiency . neutral +hobbies that 's about it i don 't have much time for hobbies so uh between being a student and trying to run a business on the side you don 't have a lot of time I am a student at the same time that I have a business . entailment +oh yeah and see i was i was really thinking that they might have a let down because i i i was in a basketball pot and i picked uh Kansas for i guess more or less an upset but i i was thinking that uh Duke might have a let down after playing such a tough game with UNLV but uh i tell you what they uh they came back and put it to them it was a good game but i i i had thought all the way through that UNLV was going to be the team that would just walk away with it I didn 't expect Duke to win , but they did . entailment +My foolishness got me captured by those bounty hunters and nearly sold into a life of slavery . I got captured because I was foolish . entailment +Therefore , an SCR retrofit project may require relocation of equipment in the boiler area . The equipment needs to be relocated in the boiler area . entailment +The record before the Commission establishes that permanent residents and other aliens frequently leave the United States to visit spouses and children , to address family problems , and to survive during long periods of unemployment in the United States . Aliens might be encouraged to remain in the United States if their families could more easily join them . neutral +The American Medical Association fired the editor of its journal for publishing a study about oral sex . The AMA fired its editor for publishing a study about oral sex . entailment +The US declared war on Japan . Japan declared war on the US . contradictory +They had already arranged their infamous plot ” that he should marry this rich , but rather foolish old lady , induce her to make a will leaving her money to him , and then gain their ends by a very cleverly conceived crime . They became rich thanks to their murder plot . neutral +you too take care bye-bye Love you too , bye . neutral +Sitting on the north side of Tahrir Square is the Egyptian Museum built in 1902 as the Cairo Museum . The Cairo Museum is the largest museum in Africa . neutral +The test may make them think twice about medicines that take the fun out of patients ' lives . All of the test-takers are well prepared for the test . neutral +In Notting Hill , Roberts takes rejection with a frozen smile . Roberts is rejected in Notting Hill . entailment +Not everyone , of course , can get to a rally . No one can go to the rally . contradictory +uh i do i do uh word processing on it primarily uh the main reason why i 'm i 'm hanging on to it is because of the business that i 'm in the the home computer business i have a I do word processing because of my home computer business . entailment +The man seemed to take little interest in Jon . The man didn 't seem to notice Jon . entailment +yeah because it 's still there it 's just some place else now It used to be down the street but now it 's across the hall . neutral +Those from fiscal year 1995 to the present are available via GAO 's Internet site . The GAO doesn 't list fisvasl info on their site contradictory +Oh yes , that singer . There is only one singer it could possibly be . neutral +yeah yeah i i i i 'm very i 'm very critical i i i 'm actually originally from Hollywood and then then then and my father works in films and such and i tend to I am a critical person who was raised by a Hollywood film honcho . entailment +The planets swung along their paths again and the sun was in the most favorable house for conjuration . The sun stood firmly in place , in the house for conjuration . neutral +Such an outcome invites an irony that would be appreciated as much by Lenin as by Adam that the same businesses whose investments have done so much to undermine communism in China may be responsible for bringing down capitalism in Hong Kong . Communism in China can be demolished by business investments . neutral +( Well , duh . ) Well , of course . entailment +Its paintings comprise a Rembrandt portrait of Saskia van Uylenburgh , dated the year they were married ; Hieronymus Bosch at his most diabolical ; a rich repository of Goya official portraits , colorful sketches of real life , and haunting scenes of witches and horrors ; El Greco 's sensitive St. Francis of Assisi and an early ( 1562 ) picture from his Venetian period ; and the English painters Reynolds , Gainsborough , and Constable . The Rembrandt is more loved than the Goya . neutral +Bradley concedes--but there 's a twinkle in his eye . Bradley fled the room with his hair on fire screaming " I win ! I win ! " contradictory +The first statement suggests that the rate difference be set equal to the simple cost difference . Rate differences might be set equal to cost differences . entailment +The Report and Order provides a discussion of these comments and Commission reaction to them . The Report and Order also includes a list of all Commissioner 's who have commented . neutral +yeah yeah well that 's neat do you do you look forward to doing it or do you sometimes have to force yourself until you get started well that 's pretty rubbish , I bet that you really don 't look forward to doing it contradictory +It was built in 1634 by the abbot of Kofukuji and is the oldest of its kind in the country . It was constructed in the year 1634 . entailment +You 'll see rhinos , ostriches , and antelopes living happily in the Reserva Africana , a small safari park near Cala Millor on Mallorca 's east coast . The Reserva Africana is home to a range of wild animals . entailment +he 's a the movie critic um oh you 've oh okay he 's a movie critic on channel eight in Dallas He 's a movie critic on channel twenty-seven in Houston . contradictory +Sadly , the average citizen doesn 't seem to understand that financial settlements are not manna from heaven . People assume that financial settlements are a boon to their existence . entailment +When asked if she believes Juanita Broaddrick 's allegations , Lewinsky opines that it was a mutually consensual but unpleasant encounter for Twenty years ago , women were not apt to say no . Monica Lewinsky stated that what happened to her twenty years ago was not mutually consensual . contradictory +But if a protester had shouted your question at Bush , would you have reported who asked the question ? Would you have talked with who asked the question in that situation , to befriend them ? contradictory +oh really oh i love them like that i 'm not i mean i i like all ranges of movies but There are very few categories of movies that I like . contradictory +In the inner courtyard the Scala dei Giganti staircase is so named for Sansovino 's giant statues of Neptune and Mars . The Scala dei Giganti is not named after anything important . contradictory +no i mean they had a nice stereo they listen to stereo they were into Michael Jackson Their stereo was of poor quality and they couldn 't listen to anything . contradictory +In our conversation , he spoke very forcefully against the special prosecutor ( now independent counsel ) statute . He spoke very forcefully against the special prosecutor statute with me yesterday . neutral +Say that you 're from the Podunk Banner and that you want to talk to her about some new policy . It is ok to tell a white lie about the purpose of your visit . neutral +But wait a minute , Chatterbox thought . Chatterbox took a second to think , then realized the what was meant . neutral +The Palestinian situation is more perilous . The Palestinian situation has been made more perilous by drug trade . neutral +Too late , Tommy remembered his scheme of obliterating the unprepossessing Conrad . Conrad and Tommy get along great . contradictory +just so i could see the trees and the fall and such a pretty time I didn 't like to see the trees . contradictory +It is familiar to battle and strong enough to survive when its wielder does not . It has never been wielded in battle before . contradictory +'I need to use the bathroom first , ' I shot back , quickly darting out of sight . I didn 't have to use the bathroom and stayed right where I was . contradictory +The nonprofit law firm has about 40 employees and an annual budget of $ 3 million . There are 40 employees at the law firm . entailment +And this plan of yours ? Why had León come to him with it ? Why had León approached him with your plan ? neutral +He picked 12 men from the bottom ranks of the business and forged them into an organization that conquered the world , reads a typical Barton sentence . The 12 men went through rigorous training over the course of many years . neutral +How wide a jail cell has to be before it constitutes cruel and unusual punishment . Jail cells these days are massive . contradictory +Continue east to the village of Nostra Senyora del Pilar and on to Far de la Mola , an old lighthouse built in 1861 , still in operation . There is an old lighthouse that was built in 1861 and it still works . entailment +Still others fail to file , file incorrectly or fail to take advantage of programs like the Earned Income Tax Credit . Everyone files correctly . contradictory +Maybe they 're too small for a circus . They may be too small and not trained well enough for a circus . neutral +You shift the responsibility to the branch of government that citizens can 't do anything about . The citizens have the most impact on that branch of government . contradictory +oh good so who cuts the grass You know who cuts the grass . neutral +I should have myself . I should also have . entailment +And I 'm real proud to be chosen ! I don 't care about being chosen at all contradictory +my husband happens to be on the board for the first time this year which is a new experience for him uh our membership is very inexpensive um My husband has joined the board for the very first time this year . entailment +well recently we 've both been trying to do some diet so we haven 't gone out because when they tell you about how much fat is in all that food you know it really kind of crimps your style there but um It is hard to maintain a diet if you are eating out . neutral +for a little while yeah my brother my brother was stationed at Bent Waters for a long time My brother has never held a station . contradictory +In the northeast corner is the large , originally covered market ( macellum ) , while in the southwest corner is the Basilica , the largest building in Pompeii . The Basilica was the largest and oldest building in Pompeii . neutral +To name just one example , Hollings uses Thurmond 's silence on the Lewinsky scandal to excuse his own silence . There was a scandal that involved Lewis . contradictory +did you say white or black Do you remember what color you said ? Was it blue or orange ? contradictory +GAO succeeds in its mission when its findings and recommendations lead to improvements wherever federal dollars are spent . The GAO focus on pumping tax payers money back into their own infrastructure to improve in-house facilities such as the canteen and rest room . contradictory +Activities to Achieve Manufacturing Knowledge Achieving retail knowledge . contradictory +then i 'm willing to give you know personally i can 't speak for others but for myself i 'm willing to say okay you know if i see this is a right to if to privacy i 'm willing to give up that right because i can see that it 's uh public good is at stake and the company good is at stake and you know if they can get this thing under control you know it it 's going to save us all money as far as benefits and everything else you know insurance and and and everything else in this country If my performance at work is affected , I am willing to give up . neutral +The Boulevard des Capucines and the Boulevard des Italiens , known as the grands boulevards , meet at the Place de l 'Opera , which was a focal point in Baron Hauss ? ­ mann 's urbanization plans in the mid-19th century . The urbanization plans spanned more than 10 locations . neutral +Do you want to see them ? " You can 't touch them . contradictory +We will see about it . We 'll see about it first thing tomorrow . neutral +and i talked to someone about the uh the uh education system i forget exactly what the focus was on that one but that was fairly interesting and i 've talked to somebody about credit card usage I 've never discussed credit card usage or the education system with others . contradictory +Her fervent Republican followers would go to the polls in a typhoon . She has passionate Republican followers who will actively vote . entailment +Alexander Solzhenitsyn is in the cardiac intensive-care unit of a Moscow hospital . Alexander Solzhenitsyn is in the children 's unit at a hospital in Boston . contradictory +3 . Section 6008 of the Federal Acquisition Streamlining Act of 1994 , Public Law 103-355 ( 5 U.S.C. This section deals with acquisition of properties . neutral +The Pope called on Christian Europe to launch a Crusade to defend the Holy Land , and in 1099 , under the command of Godfrey de Bouillon , the Crusaders took Jerusalem . The Crusaders failed to win their fight in Jerusalem . contradictory +Such services are usually provided by lawyers through various public interest programs at no fee or a reduced fee as part their ethical commitment under the Rules of Professional Conduct . Lawyers often give those services through public interest programs for free . entailment +5 : Software Size Estimates The Software Size is fifth . neutral +Somehow , inexplicably , Mr. Brown had forestalled them . Mr Brown tried and failed to stall them . contradictory +well uh now i haven 't done much fishing here in Texas uh because i moved from Ohio I 've never fished before since I grew up in Ohio . neutral +Such firms would be at a considerable disadvantage to those providing universal service . Some firms do not provide universal service , which is a disadvantage . entailment +yeah right when it was just starting i heard what was called talking blues which actually is rap and uh it was about the the piece of music the piece of music was about i think about forty or fifty years old and it was incredible i mean the parallels you know between it and rap Talking blues is actually a type of rap . entailment +Even on the heels of his death , a few voices pipe up about his frightening bellicosity ( Evan Thomas , Inside Washington ; Morton Kondracke , Fox News Sunday ) . Others note that he voted against the Civil Rights Act of 1964 . Nobody has noted that he voted against any Act or Bill . contradictory +Of course one has to treat him as usual , but , hang it all , one 's gorge does rise at sitting down to eat with a possible murderer ! " Poirot nodded sympathetically . It is hard to eat with a possible murderer . entailment +But Slate 's editors and staff will be spending the week in various mountain retreats , perfecting the spiritual arts of transcendental meditation and HTML coding . Slate 's editors will go to the mountains to practice magic . contradictory +Each fell with the crack of bone under the iron shoes of their horses . They all escaped without injury . contradictory +This is the moment when reading about some 28-year-old who 's suddenly worth $ 300 million can have an effect that requires medical attention . You will probably have a heart attack when you read about a 28 year old that is suddenly with $ 300 million . neutral +The New York Times didn 't even cover the Willey story until the Lewinsky allegations broke in January and the Washington Post dismissed it as a media imbroglio--the Drudge Report had leaked details before publication . The New York Times broke the Willey story long before the Lewinsky allegations came to light . contradictory +We were very agitated . We were mad . entailment +She looked up at him , her emerald eyes filled with dull weariness . Her eyes couldn 't even stay open . neutral +you and your dog huh hey that sounds great well we don 't we don 't camp quite as much as we used to but uh i still think it 's a great way to spend a time with your family and I 've never been camping , I think it 's a bad way to spend time with your family . contradictory +oh i like to uh i think putting is probably my uh forte I 'm an awful putter . contradictory +EPA continued to involve stakeholders in the National Environmental Goals Project by soliciting comments on the summary report . Once the National Environmental Goals Project was underway , stakeholders were effectively cut out of the process by EPA contradictory +i think alcohol 's a a whole lot worse drug and it 's more widely accepted I don 't think there 's any dangers associated with alcohol . contradictory +I 'm from a small country [ New Zealand ] , but I don 't see what we are doing here as a threat to our sovereignty . I don 't see our sovereignty at threat from what we are doing here . entailment +ACI hardware is comprised of relatively common mechanical components and is largely made of steel . ACI hardware is mostly steel . entailment +Limits on IDA balances range from $ 4,000 in Virginia to $ 10,000 in South Carolina and $ 50,000 in Missouri . The limit on a IDA balance in Arkansas is $ 125,000 neutral +His plan was a simple a symmetrical design with straight streets and grand squares . His plan was to make a complicated design of curvy streets and grand squares . contradictory +That the off-hand is the real weapon . He is wielding a sword in his off-hand . neutral +Bill Gates wrote in The Road Ahead about the need for a dialogue on the information highway . Bill Gates wrote The Road Ahead when he was 42 . neutral +What about ? said Mrs. Vandemeyer sullenly . Mrs. Vandemeyer knew they had found her secret . neutral +Could be as they had trouble with some other riders an ' we was handy an ' looked peaceable enough to take easy . As they had trouble with some other riders an ' we was handy an ' looked peacable enough to take easy--it could be . entailment +well you know still be on yeah yeah now they got a lot other crap involved and so i don 't know you 're right i think some of the tones uh of the the the daily prime time is is questionable that could be uh I like to watch daily prime time . neutral +The Malays have a perfect understanding of their tropical climate . The climate in Malaysia is mostly tropical . entailment +Remember that cloning is not the same as genetic engineering . The shoreline has plantation style homes near it , which are luxurious and often have covered porches or hot tubs . entailment +Jon 's mouth watered . The food smelled and looked so delicious . neutral +so that the topic is hobbies so the subject is pastimes entailment +Plaza de Armas , which surrounds a statue of the patriot Cespedes and is ringed by shaded marble benches and second-hand booksellers , is Havana 's oldest square . Plaza de Armas , which surrounds a statue of the patriot Cespedes and is ringed by shaded marble benches and is popular with hipsters . neutral +The Lombards ' first capital , before Milan , is now a sleepy , well-preserved , redbrick university town . Nothing remains of the Lombard 's first capital except for faint insights from musty tomes . contradictory +Drew 's mouth was a straight line . Drew knew showing emotion was a sign of weakness . neutral +The fairy-tale stone walls ( murallas ) protecting Sevila , one of the great images of medieval Spain , are rather too from afar , they make the city look like a Castilian Disneyland . The fairy-tale walls are covered in glitter . neutral +The morning after my third night of chanting , the phone rang under its chintz cozy . The phone rang the morning after my third night of chanting , but I didn 't answer . neutral +As a result , if it doesn 't seem right , don 't do it ! It isn 't a good idea to do it if it doesn 't seem right . entailment +GAO has reported that well-chosen federal spending for infrastructure , education , and R & amp ; D that is directly intended to enhance the private sector 's long-term productivity can be viewed as federal investment . Well-chosen federal spending for infrastructure , education , and R & D can enhance productivity because they are compatible . neutral +Considering the initial fill demand of 26,000 m3 / yr from 65 GWe of SCR installations and replacement demand of 22,300 m3 / yr from 150 GWe of cumulative SCR installations plus the worldwide catalyst replacement demand of between 5,000 and 8,000 m3 / yr , the annual excess capacity is estimated to be 31,000 to 34,000 m3 / yr . Excess capacity far outweighs replacement demand . entailment +Afterward , the boys were told that their choices divided them into a Klee group and a Kandinsky group . The boys knew from the beginning that no matter what choice they made , they wouldn 't be divided . contradictory +yeah because they take up a lot They take up lots . entailment +Indians were removed from key positions in the administration because Cornwallis considered them not yet up to the stricter ethical standards that were being introduced . Cornwallis ensalved all Indians , considering them unworthy and irresponsible . contradictory +Lewinsky why she invited her to lunch . Lewinsky went into hiding and didn 't eat lunch with anyone . contradictory +A short walk east from Hachimangu is the tomb of Yoritomo an exceedingly plain and modest affair compared with the way a later dynasty of shoguns chose to immortalize themselves at Nikko . The tomb of Yoritomo is close to Hachimangu . entailment +Hindu conversions to Islamic faith were more often performed out of hope of social advancement under a Muslim government than out of conviction . Islamic conversions were mainly performed because of a change of beliefs . contradictory +but the fact that it can happen that it probably does happen in many places it 's it 's horrendous and it 's just a stroke of luck that someone was able to get it on tape and then uh to listen to the tape recording uh at the police station of the whole conversation afterwards It 's horrendous that it happens in many places and it 's lucky it someone caught it on tape . entailment +How do you make that out , Mr. Cavendish ? How did you figure that out ? entailment +Changing the terminal dues system affects the U.S. The US is affected if the terminal dues system is changed . entailment +Plantation work was labor intensive , but there were very few laborers on the island ; the Spanish slaves had disappeared into the inhospitable interior and the native Arawak had been decimated by disease . The abundance of Spanish slaves meant that Plantations were always full and productive . contradictory +In a recent interview , Chief Judge Kaye noted efforts by the City Bar and by emergency consortia of large Manhattan firms to address this concern . The city bar 's efforts included making pancakes for the homeless people . neutral +In developing and improving the methods for estimating and valuing the potential reductions in mortality risk over the years , EPA has consulted with a panel of the Science Advisory Board . The EPA has never sought consultation from outside groups . contradictory +Earlier this year , the state Supreme Court called on Texas lawyers to bring more legal services to the poor . The Court made the decision earlier this March . neutral +no oh i 've heard of it but not necessarily i 've heard it 's very controversial though I heard everyone agrees on it . contradictory +The Vice President provides no support for interpreting the term aagency- in Title 31 as excluding the NEPDG . The President is responsible for interpreting the word agency . neutral +Antiparosean be reached by a 20-minute ferry ride from Parikia , or a five-minute car ferry trip from the small port of Pounda on Parose western coast . Antiparosean is a large island off the west coast . neutral +He began to struggle against her hand , but she shook her head gently . She was trying to help him relax peacefully , but he refused . entailment +I am an attractive single woman , and he has spent a fair amount of time getting to know me and taking me to nice dinners , dancing , etc . I am a very good looking single woman . entailment +Views of the city and the harbor are panoramic . The views of the city are panoramic . entailment +It can 't be , for example , any activity that lets Clinton talk , even though that 's what he does best . Clinton is a great talker . entailment +Now you think we are ! He did not know why he uttered that as a challenge ; the words just came out that way . He was perfectly aware of why he had issued his challenge . contradictory +now where where do you go when you go there uh right on Basin Street and those places Where do you go from Basin Street ? neutral +Accordingly , in 1996 Congress added new restrictions to the LSC Act and strengthened existing restrictions . The new restrictions strengthened the United State 's relationship with Mexico . neutral +that Isikoff had approached him . Isikoff approached him to be in a play . neutral +and springtime you have to use bags to pack them In the springtime , you have to spread them on the grass . contradictory +i saw it you know i saw part of it again i mean i like you know i like Costner i like Sean Connery and uh there 's this one there 's this one actor it 's really silly that i enjoy him a lot but i i 've really enjoyed him in everything i 've seen him in a guy named Charles Martin Smith I watched about half of a movie I had watched before . neutral +The famous tenements ( or lands ) began to be built . The lands started to be built . entailment +According to my sources at the time , Morris was desperately pushing for a budget deal and making the kind of hilariously precise electoral promises for which he was If he compromised with Gingrich , Clinton would win by a 14-point margin , take back Congress , and so forth . Morris was against a budget deal from the beginning . contradictory +I told one guy from Night Scene in Biloxi , Miss . I told the man from Day Dream in Sheraton , Nev . contradictory +Always reserve a room before arriving in Jerusalem , especially during all major Jewish and Christian holidays . If you don 't reserve a room in Jerusalem you may have to stay at a hostel . neutral +Gambling provides almost 40 percent of the government 's tax revenues , and is a major source of employment . Gambling is one the biggest creators of jobs . entailment +yeah i 've noticed locally a major problem is Kodak um it 's interesting because in order to uh keep with the EPA standards which which tend to be visible uh what 's coming out of your smokestack they do all their emissions at night uh so people get up I wished that Kodak cared about our environment more . neutral +some uh dwarf Burford hollies and Yaupon hollies Some giant Buford and Yaupon hollies . contradictory +Clinton 's bad behavior throughout the Flytrap scandal--especially his smug refusal to confess to perjury during the impeachment proceedings--made him easy to despise . Clinton was made easy to despise because of the Flytrap scandal . entailment +But neither am I confident that it doesn 't . I 'm confident in everything that I do . contradictory +They will burn the village , said Gauve . Guave didn 't say anything about what he knew . contradictory +While there are few precedents anywhere in the world for eternal flames to honor individuals , there are even fewer precedents for turning them off once ignited . There are few precedents of Africans winning olympic medals for swimming . neutral +Sure . I 'll hustle . Yes I will work faster . entailment +The sea has always played an important role in the history of this corner of France , from Scandinavians arriving in longships to Celts fleeing from Anglo-Saxons and Normans sailing to conquer England . There has been little historical activity regarding the sea in this part of France . contradictory +Stark rode forth in the line . Stark was fourth in line . entailment +you 're right and that 's that 's awful in Texas Texas is a terrible place . neutral +We can rebuild whatever they destroy . Whatever they destroy , we can rebuild better than before . neutral +The colonial war in Morocco provided an almost welcome distraction , but a disastrous defeat there in 1921 led to a coup in which the general Primo de Rivera became dictator . Primo de Rivera became the dictator of Morocco as a result of a coup in 1921 . entailment +The other man joined in . Another person joined them . entailment +The following numeric format has been The numeric format that follows the system has been neutral +The Departments have prepared a combined economic impact analysis for this interim final rule and the interim final rule issued by the Department of Health and Human Services , and published the same day in the Federal Register , concerning individual market provisions because the effects of the reforms and burdens imposed overlap the same group of issuers . The economic analysis showed that people spend more money when they are stressed . neutral +In the meantime , if a lounge chair by the pool just can 't compare , you 'll have to follow in the wake of Columbus and dock on the neighboring island of Porto Santo , a popular day trip . Porto Santo is a popular alternative for the visitors that love adventure . neutral +Florida planning efforts began in 1991 with The Florida Bar and Florida Bar Foundation 's Joint Commission on the Delivery of Legal Assistance study and report . The Florida State government fully subsidized all research . contradictory +Legal Services of New Jersey receives 75 percent of the funds . The state gets 3 / 4 of the money . entailment +A narrow road from the observation point descends into the extensive Jewish cemetery on the slope , one of the oldest and most venerated Jewish burial sites in the world some graves date back to biblical times . The Jewish people want to all be buried there . neutral +'But that 's what 's so good about you and Mr. White , sir . ' Daniel grinned . Daniel liked both men . neutral +King Arthur 's A radical departure from modern Las Vegas stage shows , this one features two unusual live horses and dinner the latter of which is eaten without utensils . Las Vegas stage shows sometimes feature animals and are always cheesy . neutral +It is increasingly obvious , he said , that the investment community does not like asset-intensive companies . Lots of assets is good for companies . contradictory +Besides , in another mood , he writes , It seemed to me that I was surrounded by braveries without number , that I had been inducted into a phalanx of the wildly-alive-even-if-dying , and I felt honored that I would , so to speak , die in the company of such people . He writes that if he would die among soldiers , he would feel honored . neutral +no uh no painting to have to do i i don 't know that we There is a lot of painting I need to do ! contradictory +Some tax provisions allow accelerated depreciation so that businesses can more quickly recover the costs of investing in certain types of equipment and structures . Businesses can more quickly recover cost of investment in equipment and structure through some tax provisions that allow quickened depreciation . entailment +Say ? Tommy shrugged his shoulders . You say so ? Tommy showed that he did not know anything . neutral +BUDGET AUTHORITY - The authority provided by Federal law to incur financial obligations that will result in immediate or future outlays . The outlays are recorded on a supercomputer . neutral +oh yes and i believe we all do and it 's it 's just too easy to use We all use it since it 's very simple . entailment +Perhaps the previous way was based on nothing more than fusty old habit , and being forced to rethink it is good for us . Many people think the previous way was the most efficient . neutral +Take time to explore the exquisite Moorish stonework and the elegant domes and minaret . The Moors were Spanish architects and traders who brought culture to the world . neutral +OMB also asked that the Commission examine the burden associated with third party reporting and ensure that this burden was reflected in the Commission 's final rule . The burden of third party reports depends on the number of questions that must be answered . neutral +Because events that should drive key decisions , such as critical design reviews , interim progress reviews , and production decision reviews , are based on inadequate design and manufacturing knowledge , they do not support decisions to invest more and move to the next phase of the acquisition process . They do not support decisions to put more money and advance through the acquisition process . entailment +Appeal from the United States District Court for the Western District of Virginia , at Big Stone Gap . The district court was located at Big Stone Gap . entailment +i guess i 'll go back to work I don 't think I will ever work again in my life . contradictory +The year he returned to Congress , 1965 , the national endowments for the arts and humanities were voted into existence . He did not return til 1738 . contradictory +Today we saw what ' compassionate conservativism ' pretends to be , harrumphed Sen. Compassionate conservatism when applied to healthcare seemed a mere facade to the senator . neutral +well i guess we 'll just say good-bye then We need to end because your husband is home . neutral +Tuppence turned at bay . Tuppence made a turn at bay . entailment +only bad thing about an ace bandage if you wrap it tight enough so that really supports your ankle it 's going to cut off the blood The circulation can be cut off if an Ace bandage is wrapped too tight . neutral +uh smokers typically have more time out of work they 're uh uh more prone to accidents and all of those other things and and uh Smokers are more likely to get into accidents . entailment +It also has the world 's largest collection of Nestorian croses from the Yuan Dynasty period . The Yuan Dynasty had Nestorian crosses that are in the collection . entailment +The opposite end of the passage leads into the Bal ? ? k Pazar ? ? ( Fish Market ) , a block of narrow streets lined with stalls selling fish , fruit and vegetables , and a local speciality snack fried mussels on a stick ( midye tava ) . The opposite end of the passage leads to the brothel , an organ processing center , and a back alley abortion clinic , be careful . contradictory +As countless studies by GAO have long noted , federal agencies often fail to appropriately manage their finances , identify clearly what they intend to accomplish , or get the job done effectively and with a minimum of waste . It is known that bureaucracies have problems with financial management , waste and goal setting . entailment +Would you want Adrin defending your wife and children and then panic at the first sign of an enemy 's sword ? Ca 'daan felt his fingers go numb . He was relieved to hear that Adrin was protecting them . contradictory +But the very next week did not the pinto come to steal mares from the bay manada ? Didn 't the pinto come to steal that next week ? entailment +It is difficult to know which direction to follow from here . From here , it 's hard to know which way to go . entailment +Maddeningly , he leads us to the center of the Hobbesian maze , then refuses to extricate us . He lead us to the center of the maze but refused to let us leave . entailment +The factual record before the Commission demonstrates that the vast majority of the claims of H-2A workers cannot be completed while the alien is in the United States . There really isn 't any law behind H-2A workers , so they 're generally free to do as they wish . contradictory +No , my dear sir , you asked if anyone of the name of Jane Finn had been there . Actually , you asked me about Jane Finn being there . entailment +12612 because of the NHTSA 's lack of discretion with respect to the rule . The NHTSA did not follow the rules because they thought they were above the law . neutral +Thorn and Vrenna , take the west . Thorn and Vrenna should take the west for this battle . neutral +The numbers changed to a seventeen-digit code and two phone companies had merged , and everyone 's got new PINs with four symbols , of which two must be letters from ' g ' to ' r ' entered in an AZ-Max mode . ' Everyone has a new PIN with four symbols . entailment +and flung something over my nose and mouth as I tried to scream . My mouth and nose were covered as I attempted to scream . entailment +Natalia / Lincoln stepped into view , standing over me . Lincoln stepped into sight and stood over my body . entailment +well i was just looking around my house and thinking about the painting that i 've done I can look around and see a lot of the painting I did . entailment +Ask about license restrictions at the local tourist office . Ask about the license restrictions that affect tourism . entailment +Didn 't you have yoreselves a ruckus with th ' soldiers at th ' Four Jacks ? Drew 's reminiscent smile faded . Drew stood up and took a bow when they gave him a medal for the fight at Four Jacks . contradictory +He had a video camera attached to the ceiling , which recorded every move . The video camera was put in place to catch thieves . neutral +Anyway , all this tomfoolery is a great waste of time , continued the lady , glancing up and down the jury disparagingly . The man insisted on speaking to the jury about serious issues . contradictory +It 's going to be a long story . " 149 Julius drew up a chair to the opposite side of the table , summoned a hovering waiter , and dictated his wishes . Julius had nowhere else to be and this was important information to know . neutral +There 's no call for ' secret ' ingredients . Secret ingredients are not called for . entailment +The result is often a precipitous sell-off . Expired products often result in a rapid sell-off attempt . neutral +The final regulatory flexibility analysis discusses the comments received from both the industry and the Office of Advocacy , Small Business Administration and the changes made to the proposed rule to grant regulatory relief to the small entities including the sequencing of implementation by establishment size . The Office of Advocacy submitted twenty pages of written comments . neutral +Bills tend to include tax and service charge , but it is usual to leave a small more than 5 percent is generous . Bills in other countries do not have service charges . neutral +In the aftermath of the Opium Wars , trade in foreign mud was resumed at a level even higher than before , although the major traders , by now respectable and diversified , stopped their trading in 1907 . Trade in foreign mud was resumed at a level even higher than before , in the aftermath of the Opium Wars . entailment +And you will return there after it is over ? You 'll go back to the farm ? neutral +They 'll be back , I hope , before too long . " I hope they 'll return in a short time . entailment +In 1974 , after a series of heated and embarrassingly public quarrels on the topic , the APA decided to resolve the question of whether or not homosexuality should be called a mental disorder by means of a ballot mailed out to its members . Members of the APA were mailed a ballot to decide if homosexuality should be defined as a mental disorder . entailment +i guess we won 't know unless they never have any babies We can 't know anything if they do not have babies . neutral +Their new loan has forced them to put their home up for sale . They sold their home because they were retiring and not because of the loan . contradictory +Yet governments are no more stupid or irresponsible now than they used to be Governments always makes mistakes about war . neutral +It might be argued that Wolfe 's portrait of the middle 's muddle will be shocking only to a rarified and dogmatic crew of ideologues . Wolfe was a painter who created a portrait of the middle 's muddle . entailment +well well anyway well i guess do you think we 're finished Do you think we are done with this job ? neutral +The answer was short and yet not discourteous . The answer was brief and courteous . entailment +The caverns of the Grotte du Grand Roc , to the northwest of Les Eyzies , are a natural rather than a historical phenomenon , but well worth a visit for the weirdly shaped stalagmites and stalactites and the panorama of the V ? ? zyre Valley . The caverns of the Grotte du Grand Roc are located to the southeast of Les Eyzies . contradictory +But Pixar went public at a price 77 percent lower than the highest price people paid for its shares on the opening day of trading . Pixar went public at a lower price than people paid for its shares on the opening day of trading . entailment +Bottles of your favorites are available in the gift shop on the first floor . The gift shop is located on the third floor . contradictory +The Washington Post and Los Angeles Times withhold the story from their first editions but include it on Page One of the home-delivery editions . The newspapers withheld the story of their first two editions but included it in later issues . entailment +yeah i don 't do much with flowers myself i just get a lot of evergreen evergreen type shrubs some uh I just get lots of evergreen type shrubs entailment +The matters reports allow OPP , for the first time , to learn about the type and volume of grantee work that does not constitute cases . Cases are only one aspect of grantee work . entailment +We 'll keep him close-in the water corral . We will be careful that he does not fall into the water corral . neutral +In fact , you may not even need to pack any clothes for your trip . You will need as much clothes as you can pack . contradictory +There are several intricately carved steatite vessels , including the Harvesters Vase discovered at Aghaa Triada and decorated with a low relief of men at work in the fields . the Harvesters Vase depicts farm work . entailment +yeah my my husband likes uh country music real well and he he likes some of the new groups like Shenandoah and uh yeah he really likes Shenandoah My husband doesn 't like listening to country music . contradictory +As I stated last September , prudence dictated that we delay any related legal action given the immediate need for the administration and the Congress to focus on developing our Nation 's initial response to our fight against international terrorism and efforts to protect our homeland . The fight against international terrorism is the primary focus of the administration as well as fixing the infrastructure . neutral +A scout who travels through a storm like the torrent with nothing but a skin of blood to sustain him is likely to be one of their better men . Scouts are not able to travel through storms . contradictory +uh-huh right i think so and uh Exactly , I think so entailment +The old Secretariat is mostly described as Venetian Gothic , the University Library French Gothic , the Telegraph Office Romanesque , and the High Court and the Cathedral of St. Thomas as Early English . There are no Western-style buildings to be found here . contradictory +And it was Morris ' ideas that kept Clinton on track even after his--Morris ' --downfall . Clinton didn 't appreciate that Morris was able to keep them on track . neutral +that 's a TI benefit new The TI benefits increased this past year . neutral +oh oh boy and he 's five shoot i guess so gee He 's five . entailment +Somewhere along the line , all of that changed . Nothing has changed from that point of time . contradictory +yeah yeah our cats are our kids or i we we got married a few months ago and i 'm like well why can 't Ashley be at the wedding I don 't want our cats at the wedding . contradictory +His sense was that the field would benefit from starting in the practice setting to learn how interventions work in real-world clinical settings . He believed the field would be hindered by learning in real-world settings . contradictory +" Kid , in this here country you don 't expect nothin ' else but . Nothing else to expect but this , kid . entailment +One of the oldest churches in the world , it was the only church in the Holy Land not destroyed during the Persian invasion of 614 the invaders noticed an icon of the Magi ( who were fellow Persians ) and spared the structure . It is one of the oldest churches in the world . entailment +For boilers with fabric filters , the size of the silo would be less because of the lower sorbent injection rate . Non-fabric filters require the silo size to be even larger . contradictory +About 81 percent of this mail contains some type of payment and is classified as bill / payment mail . The rest of the mail is just personal mail . neutral +area are lawyers and and i i just sort of think that 's ridiculous yeah with I think it is silly . entailment +Some kids work 40 hours a week to make up the allowance gap . Kids refuse to work 40 hours a week because it is absurd . contradictory +It was crude , but it might serve to represent the orrery . It is not too crude to represent the orrery . neutral +When the data contradict his theory , a pollster knows what he must Dump the data . Pollsters are known for frequent data dumps . neutral +All of the many pieces in the house are authentic , including a huge array of kitchen utensils , crockery , cutlery , furniture , carpets , and curtains . The variety of components are all original . entailment +Dave Hanson , she told him , " don 't you know any other words ? She told Dave that he had a great vocabulary . contradictory +really yeah you know you need twenty gallons but do you need how many liters There are something like three or four liters in a gallon . neutral +I 'm sure she has a very thirsty mind . I bet she is very inquisitive . entailment +oh right Elliot and uh Nancy It 's Elliot and Nancy . entailment +In a land where politeness is important , per favore ( please ) , grazie ( thank you ) , prego ( don 't mention it ) , and , when pushing through a bus or market , permesso ( excuse me ) will be greatly appreciated . In a land where politeness is key , no one will really notice someone not using cordial phrases . contradictory +Nearby is Muncaster Castle , a structure offering much in the way of English history . English history is full of events that will be interesting to any visitor . neutral +What the gentleman may have perceived as amateurish and obnoxious could have been a combination of nervousness and inexperience . The gentleman thought it was professional and lovely . contradictory +One of Caleornia 's finest missions lies in northern San Fernando Valley . Most of northern San Fernando Valley is comprised of parks and golf courses . neutral +He was wrong . He was definitely correct . contradictory +The 1 ) By studying how the chimps ' genes or immune system defeat the related virus , we can learn how to defeat HIV in humans . Chimps genes are naturally resistant to HIV , making them perfect test subjects . neutral +and um i called you know from that the the TI Database Calling Instructions I called from the TI Database . entailment +and uh besides it being uh close and being a uh major university in the big ten a prestigious conference i joined the marching band I joined the army instead because that university was small fries . contradictory +To enjoy the view over the valley , have a drink on the terrace of the Colombe d 'Or restaurant . The views from the Colombe d 'Or restaurant are the worst in the area . contradictory +If the question is whether ABC News ran a fair-minded expose , then ABC News wins . Viewers should immediately agree with the news as presented or ABC news fails . contradictory +Unlike the pills , immunotherapy shots attack the underlying problem , not just the symptoms . Pills only address the symptoms , not the actual problem . entailment +Ignore the proprieties or offend the pride of an Edokko and he will let you know about it , in no uncertain terms ; respect his sense of values and you make a friend for life . An Edokko does not care about your actions towards him . contradictory +They were justifiably concerned , advocates say . Advocates say they were concerned . entailment +With pleasure , replied Tommy . It is my pleasure , replied Tommy . neutral +so what do you think of uh public schools today Public schools , what is your opinion about them ? entailment +But that decree did not have the power of civil law behind it . That decree was worthless and would never win in court . neutral +Vezelay 's Basilique Sainte-Madeleine , repository of relics of Mary Magdalene , is a magnificent example of French Romanesque architecture , in spite of the damage inflicted by natural disaste rs , wars , and revolution . They have Mary Magalene 's dress and jewelry . neutral +For two days he watched the smoke columns rising into the clouds to the south . Smoke rose the from forest fire to the south . neutral +Scientists say they have found the source of HIV . They traced HIV-1 , the virus that has caused most of the AIDS epidemic , to a related virus carried by an African chimpanzee subspecies . Scientists say they have found the source of HIV entailment +Mazzini founds la Giovine Italia to combat Austria Mazzini fights Austria . entailment +you know having the time when you have younger ones to take care of you maybe sometimes do not take as much time for the older ones but uh we were we 're very active of course at church and uh Boy Scouting and Girl Scouts Four H The older kids get all the time . contradictory +They laughed and talked through dinner . They were celebrating a reunion and were having a great time . neutral +In the absence of specific data , however , the Commission assumed that the REIMS II data would be a reasonable proxy for DCs also . The Commission assumed the REIMS II data would not be a reasonable substitute for DCs in the absence of clear data . contradictory +He wore a tan skin tunic with sleeves down to his forearms . His arms were covered . entailment +For GAO-and for most of the federal government-to compete with the private sector , we must be able to have a more flexible compensation system that can bring people into government employment at attractive pay levels . We must disregard the option to have a more flexible compensation system that can bring people into government employment . contradictory +The first adverb casually banalizes German brutality ; the second diminishes its extent ; together , they come dangerously close to apologia . The adverb references German brutality in WWII . neutral +um-hum and and you can and you still do that You can paint the walls in here . neutral +yeah oh well i don 't know what else i can say about it I have a lot more to say about it . contradictory +Circuit City have you been in that Have you been shopping in Circuit City ? neutral +Was the drawer unlocked ? " So you are saying that he did not have any drawers in his room at all ? contradictory +Those who feel no sense of crisis about late-modern life will nibble and scowl and drop the book with an impatient thump . Those who feel no sense of crisis about late-modern life will not read the book . entailment +In warm-weather months an open funivia brings you up to the basilica of Sant 'Ubaldo , the town 's patron saint , and you can go from there by foot to the 12th-century military fortress La Rocca for unmatched views of the wild Appennine Mountains . You can go from the basilica of Sat 'Ubaldo to La Rocca on foot . entailment +And the teens in that one were so much meaner than Ann-Margret 's boyfriend , Bobbie Rydell . Bobbie Rydell is a known teenager . neutral +American Of the cavalcade of impersonator shows , this one is skewed heavily toward the modern era . Impersonator shows usually imitate eras . entailment +The return of hundreds of thousands of destitute Palestinian refugees from camps in Lebanon and Jordan will only compound the economic misery . Economic hardship will increase when the many refugees return . entailment +The palace is laid out as a series of courtyards linked by ceremonial gates . The courtyards of the palace have many gardens . neutral +Attempts at reform came too late ; by 1876 the government was bankrupt . The government was bankrupt before the reform attempts came . entailment +Evelyn Howard had been right then , and I experienced a sharp twinge of disgust , as I thought of Alfred Inglethorp 's liberality with another woman 's money . I was upset when I thought about Alfred spending another woman 's money on the antiques . neutral +Las Vegas has always had an affinity for bowling . Las Vegas was originally reluctant to build bowling alleys . neutral +The final rule amends the Child and Adult Care Food Program regulations governing reimbursement for meals served in family day care homes by incorporating changes resulting from the Department 's review of comments it received on a January 7 , 1997 , interim rule . The Department failed to review any of the comments . contradictory +We were heading back to the city in a straight line- the route took us right over a bunch of Raptor nests . It was a scary ride back to the city . neutral +You can find a very good selection of fashionable , relatively inexpensive shoes and handbags . Everything here is very expensive and ugly . contradictory +No matter how hard I try , I feel that I say the wrong thing or something inappropriate . I feel like I usually say the wrong thing . entailment +Gazpacho ( pronounced gath ­ PAT-cho ) is an Andalusian invention , a highly flavoured , chilled soup to which chopped cucumbers , peppers , tomatoes , onions , and sippets ( croutons ) are added to taste . Gazpacho is a soup that has no vegetables . contradictory +Bankruptcy rates are higher than ever . More people than usual are going bankrupt . entailment +Allowances for States with Emissions Rates at or Below 0.80 lbs / mmBtu Section 415 is existing Section 406 , which provides additional formulations for Phase II allocations with no substantive changes . Section 406 has more formulations for Phase IV allocations . contradictory +No , I think not . That isn 't how i remember it . neutral +An old woman came and opened it . This old woman took it . neutral +Spain flourished during a Golden Age , a century of Spanish economic and political supremacy in international affairs , accompanied by marvels of art and literature . Spain was thriving in the Stone Age . contradictory +it 's uh yeah we have one in the office and if we want to use it well in our area if we want to use it we have to you know like you said you had to change it put it on a disc and carry it over to there and see if they 're not using the printer In order to use it we have to go through a whole procedure entailment +West of the oldest sections and intimate streets of Old Havana is an area of wide boulevards and grand palaces . There is no area of wide boulevards and grand palaces in Old Havana . contradictory +it 's pretty remarkable because growing up we 've always had a beautiful lush green lawn and we never there was no such thing as watering your lawns in Missouri i mean it just happened We had to carefully nurture our lawn in Missouri to make it green . contradictory +112 " I mean , " explained Poirot , " you are sure it was bolted , and not merely locked ? " Poirot questioned the witness again , wanting to be sure if the door was open or closed . contradictory +SPACE EXPLORATION EQUIPMENT -Items that are intended to operate above the atmosphere to explore space and any specially designed equipment to aid , service or operate other equipment engaged in exploring space . The items were used for space exploration . entailment +Its budget is $ 818 million , and it distributes $ 22 . It has a huge budget but still has not distributed any funds . contradictory +TRUST FUNDS - Accounts that are designated by law as trust funds , for receipts earmarked for specific purposes and the associated expenditure of those receipts ( OMB , Budget System and Concepts ) . They are anti-trust funds . contradictory +There was a certain bulldog tenacity about Tommy that made him slow to admit defeat . Tommy gave up all the tiem . contradictory +Supreme Court from Washington state that challenges the mechanism every state uses as a mainstay of legalservices funding . Each state has a mainstay for legalservices funding . entailment +well i i don 't know it just i don 't really care much for TV at all i just i mean i sometimes get hooked into it Some of the shows are really intriguing . neutral +The charred remains at Knosses and ash at Zakros suggest a great conflagration . The excavated remains at Knosses suggest that a mudslide covered the town . contradictory +were abandoned . Are being occupied . contradictory +The Mus ? ? e d 'Art Moderne de la Ville de Paris ( 11 Ave. du Pres ? ­ i ? ­ dent Wilson ) has an important collection of 20th-century art displayed in the spacious galleries of the Palais de Tokyo . The galleries are home to the most valuable 20th century art collection in France . neutral +Previous Gist columns Gist columns of before entailment +Bettelheim had no overarching theory , but he had an abiding authority and the ambivalence it inspires . Bettelheim had an abiding authority . entailment +But the value of Japanese manufacturing practices was , if anything , understated . They have understated the value of Japanese manifacturing practices . entailment +Overgeneralization , compared to actual basis for site selection , number of sites studied , and requirements for inference in the design ; inadequate interpretation , unintegrated narrative , results not adequately related to user questions ; inadequate attention to threats to impartiality and the extent to which these have been avoided There are many ways that the asking of questions and investigation can be flawed . entailment +Returning to the hill , on the opposite side of the museum is the charming Igreja de Sao Pedro , an unusual church . The museum itself draws many tourists every month . neutral +Several commentators think that Jones may win her appeal , though all admit that any trial will occur after Clinton 's presidency ( Will ; Taylor ; Charles Krauthammer , Inside Washington ) . An upcoming Supreme Court case , which will clarify legal principles in the Jones case , piques the curiosity of a few court-watchers ( Taylor ; Blankley ; Sam Donaldson , This Week ) . Gigot ( NewsHour ) thinks Jones ' advisers are inept , while Totenberg believes they are more interested in serving right-wing conspirators than her interests . The Paula Jones case dominated the news . neutral +See here , he knew that in his position he was bound to be suspected , so he conceived the exceedingly clever idea of preparing a lot of manufactured evidence against himself . Given his position , he knew that he could not be a suspect in the case . contradictory +You can take a taxi or try a camel ride , very appropriate given the terrain . Camels are good for traveling the terrain . entailment +She was right , most individual telemarketers were below twenty . Most of the telemarketers were under twenty . entailment +There is little reason to believe that intoxicated patients who present to the emergency department represent a special population to whom current research results do not apply . There is little evidence that intoxicated patients in the emergency room should be excluded from current research results . entailment +If next week 's vision is exactly the opposite of this week 's , don 't hesitate to tell that one , too . The speaker wants to hear any visions . entailment +Pleased to meet you , said the American , shooting out a hand . The American was running into a friend . contradictory +Qualified and continuous supervision should be provided to ensure that internal control objectives are achieved . Qualified and continuous supervision should be provided by the government also . neutral +Prior to Web sites and email , this type of information traveled by way of telephone -- usually from one law school classmate to another . Before email , law school classmates had to share information by phone . entailment +First , even if punishment is inevitable , it falls not on the owners at the time when the sin is committed , but on the owners at the time when the sin is discovered . Punishment falls on the owners when the transgression is discovered . entailment +Phillip Brewer noted that at annual meetings of the Society for Academic Emergency Medicine ( SAEM ) , papers dealing with substance abuse were spread over other categories such as geriatrics and injury . Phillip Brewer attended annual meetings for the Society for Academic Emergency Medicine . entailment +that 's a long time That went on for a while . entailment +Paper presented at the American Educational Research Association meeting , Chicago , Ill . , 1974 . Paper was presented in Chicago Illinois in 1974 at the American Educational research meeting entailment +But Dorcas , who was the next witness called , dispelled even that possibility . But Dorcas provided evidence that went against that possibility . neutral +Navy saved us from war , rages Buchanan in angry response to the suggestion that Kofi Annan 's diplomacy ended the Iraq crisis . Buchanan suggested that they were saved by Kofi Annan . contradictory +Poirot , you 're pulling my leg ! You 're kidding me about you being elected . neutral +You can also order a CD . You cannot find it on CD . contradictory +However , WTP is generally considered to be a more readily measurable and conservative measure of benefits . There are several different ways to measure benefits . entailment +I am as sure of that as if I had seen him in action . " It was awesome to see him in awesome . neutral +And that 's where I come in ! " cried Julius , bringing his fist down on the table with a bang . Julius hit the table with his fist . entailment +Trials should be conducted starting with other or no opening questions , using other consumption questions such as those in AUDIT , using other screens such as TWEAK rather than CAGE , changing the sequence to CAGE or TWEAK followed by consumption questions , and checking BAC at the beginning or end of the protocol . TWEAK is the simplest screen to understand . neutral +They used to force us into cubbies carved into the rock only slightly bigger than we were . They used to force us into cubbies that were only slightly larger than us . entailment +hum-um it gets bad it is nursing home i think is sometimes i think some people put them in there and then they just die that 's about what it 's for and it 's really not some people don 't need to be in there I think nursing homes are just for people to die in and you don 't go there until you 're a month away from dying . neutral +Bubble lifts whisk you up through a fiberglass and Teflon cloud , held by steel cables that stretch from one wall to the other , but the ride to the top is expensive and the view not much more striking than from the terrace . You can take a cable car all the way to the top . neutral +they do the same old things they did in high school they don 't do any of the same things they used to do in high school contradictory +Peter Greuze sat behind his desk , arms crossed . Peter sat at his desk thinking about who he was going to fire next . neutral +yeah um actually it turned out in our case um i know somebody who when they tried to defrost their car cracked their windshield um though occasionally it can be dethawed in our case we didn 't um we didn 't have the problem because my we keep my wife 's car in the garage so her car didn 't get iced over you know it wasn 't um um it was a little bit cold in her car in the morning but it wasn 't iced over so i just left my car out there for a couple of days and um within two or three days it was it was actually warm enough that everything melted um it was it was actually one of the most beautiful sights i 've ever seen because everything looks you know if you can imagine just seeing everything coated in a nice clean sheet of ice and and and it looks really nice the whole whole place but um it got you know after the initial storm it got worse as things started to melt because um as things melted branches shifted and started to fall again so we 're still cleaning up we actually left the last people got power i guess yesterday and we left the state of emergency last night or something at like midnight so it 's it 's it 's not fun You need to take a lot of cautions while trying to defrost your car . entailment +The adjacent museum and chapter house contain a number of interesting pieces of religious art and relics , including 17th-century tapestries , the Baroque carriage propelled through the streets of Segovia every Corpus Christi , and the reminder of a 14th-century the tomb of the infant prince Pedro , son of Enrique II . It is worthwhile to visit this museum neutral +Other potential users of the auditors ' report include government legislators or officials ( other than those who may have authorized or requested the audit ) , the media , interest groups , and individual citizens . The report may not be used by any public or private groups . contradictory +His own attacks came in with accuracy beyond anything Jon had seen . Jon was impressed with his accuracy . entailment +He took Israeli citizenship in 1995 , and he recently called the United States a foreign country . He became a United States citizen in 1995 and called Israel a foreign country . contradictory +sought and respected by the organizations ' business managers . Left alone and hated by the organizations ' business managers . contradictory +The ruins you can see there now are the remains of the 11th-century cathedral . The ruins you see there were once a Red Lobster . contradictory +Sure thing I do . No I do not . contradictory +Jamus stepped from his cottage as Ca 'daan passed . Jamus was on his own . contradictory +yeah isn 't that funny i wasn 't either i have uh That 's quite funny and I wasn 't either . entailment +i don 't think it 's a deterrent at all i don 't think that anyone that uh commits a murder actually thinks that they will ever I think it is the best method for deterring murders . contradictory +magazines and stuff where you dress your animals up and take them to a party i haven 't gone that far i 'm not that bonkers you know my cats do not wear clothes and My cats have different outfits every single day . contradictory +yeah and and that 's appropriate if the university is trying to do serious research because it 's hard to be a researcher and a teacher at the same time It 's only appropriate if the university is trying to do serious research but many do it regardless . neutral +RER commuter trains can also take you rapidly to the outskirts , where two major attractions , Versailles and the Disneyland Paris Resort , are located . Versailles is located at the center alongside Disneyland Paris Resort . contradictory +He turned into an A.B.C. He ran out of an A.B.C. contradictory +Regardless of when you go , it 's not wise to descend on either island without reservations intact . It 's not smart to go on the island without a place to stay . entailment +and then i distributed them and then i can i get i can sell them at a cheaper price plus i 've got a uh drinking water system business that i 've had on the side for years that i 've done i 've been running a drinking water system business for years entailment +really now i like to go to the beach where the sand is because then it doesn 't make me ill I would never want to visit the beach , since it makes me queasy . contradictory +refers to Statement of Federal Financial Accounting Standards Statement of Federal Financial Accounting Standards is what it refers to . entailment +it with the yeah but then usually in the summer it 's cold in the offices because the air conditioner 's doing its job so well the air conditioner works too well and makes the office cold in the summer neutral +His forces made a series of attacks from their bases in the Dodecanese islands , including sinking a Greek naval vessel in the harbor of Tinos Town , but they only succeeded in strengthening the resolve of the population against them . They attacked from their bases in the Dodecanese islands . entailment +Better , perhaps , to sort things out thoroughly in the short run , and to prevent even greater devastation for all concerned down the road--even if that means suffering a few casualties , or opening ourselves up to the charge of imperialism.NomadNet , a page on Somalia , Peacekeeping , Relief & amp ; Economic Development Issues run by Michael Maren , has been shut down , but its archives are still open . It 's better to figure out the peacekeeping quickly . neutral +For example , in the case of , aPromote Organizational Credibility , - both principles rely on the collaboration of senior executives and division heads for success and have as their target the senior management of the enterprise . Senior executives and divisions heads can collaborate on some things . entailment +Involving employees in planning and sharing performance information can help employees understand what the organization is trying to accomplish and how it is progressing in that direction . Majority of the companies involve the within the thought process . neutral +The easiest walks in this category are the ones up the popular peaks of Helvellyn or Skiddaw here you 'll find well marked paths and , most times of the year , plenty of company . Helvellyn and Skiddaw are very popular among walkers . entailment +The milk proponents offer a variety of responses as to why osteoporosis is far less common in the nonmilk-drinking world . The parts of the world that drink less milk have less instances of osteoporosis . entailment +Tailors , cobblers , pita-bread bakers , and metalworkers all ply their trades amid the din of hagglers in the endless labyrinths . The environment is one of a kind and you must go see all the craftsmen at their trades . neutral +Then he see Teodoro coming , he not listen he beat on him with quirt . Teodoro had an outstanding debt with the Mexican cartel . neutral +36These public-private partnerships were a catalyst in 1995 for forming the American Savings Education Council . The catalyst in forming the American Savings Education Council were the public private partnerships . entailment +Legal Services Corp. is the federal agency that disperses $ 330 million that Congress allocates for federal legal aid . Legal service corp doesn 't want to give federal any aid contradictory +Or , to put it another way , in the sense of asking an entirely different Is it really a requirement of sophistication that a place provides good bookstores , movies , plays , museums , music , cuisines , and an opportunity for erotic and intellectual freedom ? Is it required that sophisticated places have classical music concerts ? neutral +In order to fulfill our pledge to the U.S. We have a pledge to the US . entailment +Titian has a superbly sensual Venus of Urbino ( 1538 ) , less Greek goddess than the prince 's mistress she probably was , and an equally disturbing Flora ( 1515 ; more works by Raphael and Titian can be found in the Palazzo Pitti ) . In his Venus of Urbino of 1538 , Titian emphasises the untouchable and goddess-like attributes of Venus . contradictory +yeah you know and it 's not for uh not for protection or hunting or or anything just you know for all those reasons just you know nobody thinks anything about having a gun it 's no big deal They are not a big deal for some people though they are to me . neutral +and they 've even um got a particular huge uh waste can that they have to use They have a specific waste can for that . entailment +It belongs to the Hamilton family , who have served as hereditary keepers of the palace . The Hamilton family takes care of the palace . entailment +A companion rule entitled Promoting Wholesale Competition Through Open Access Non-Discriminatory Transmission Services by Public Utilities The companion rule helped to keep prices reasonable . neutral +We need to be figuring out how to connect primary care and emergency care settings rather than splitting them apart . We should be figuring out how to split primary care and emergency care setting apart rather than connecting them . contradictory +well thanks for talking Thanks for communicating entailment +For a second , I could hear background noise from the other end of the line ; a brief burst of ambient sound . I heard a brief bit of noise on the line . entailment +While Drew watched , the stouter back of Bartolomé cut off his first good look at his father . Drew could not see his father because his view was blocked . entailment +The weights on the control mechanism were in place , Hanson noted . The weights on the control mechanism were bolted in place . neutral +they 're liable to tear up my membership I 'm sure that i would not lose my membership over this . contradictory +Fleming came to Jamaica in 1942 while serving in British Intelligence , decided to settle here , and bought the house in 1946 . Fleming arrived in Jamaica and later decided to buy a house and live there . entailment +The Lambeau A jubilant vault into the stands of Green Bay 's Lambeau Field . Green Bay 's Lambeau Field is historic and remarkable . neutral +Her heart was far from strong . Her heart was perfectly healthy as she was a professional swimmer . contradictory +yeah you know something really a serial killer or In some cases a spree murderer . entailment +The concept of a professional lifeguard is unknown on Ibiza and Formentera alike ; some beach bars do keep first-aid supplies . Nobody is watching out for you on Ibiza . neutral +The self-guided tour begins at the intimate little Royal Chapel , a harmonious mix of white marble , Corinthian columns , and Baroque murals with gilded altar and balustrades . The tour guide leads the tour and it begins at the Eiffel Tower . contradictory +Suddenly she gave a great start the colour faded out of her face . She blushed wildly after a great start . contradictory +Linguistic nationalists are pushing their English-first measures . Nationalists are doing this because they think their country is the best . neutral +It covers everything , and explains nothing . It explains everything and covers nothing . contradictory +well the dogs don 't use litter but kitty litter is excellent for uh getting under the wheels of cars and what have you and giving you traction uh-huh The dogs don 't use litter . entailment +but you look look real close and there 's all the little new leaves getting ready to come out so it holds it 's leaves all winter then loses them in the spring The tree has some of the most leaves of any tree during the winter . neutral +Mr. Danvers had told me to watch out . Mr. Danvers told me to beware . entailment +As such , they should be vigorously defended . People need to be strongly defended . entailment +For example , the guide assists auditors in determining how an agency identified and defined its requirements . Auditors are assisted by the guide in determining how an agency identified and defined its requirements . entailment +We 've got to take care of the animals if we 're going to be circus-folks . If we want to become part of the circus , we have to be responsible for the animals . entailment +Buchanan pities the Lone Eagle , who he says suffered for the rest of his life--and beyond for uttering three short paragraphs . The Long Eagle suffered for a long time . entailment +The Trustees ' longterm assumption reflects the average labor productivity growth over the The trustees do not assume any average labor growth contradictory +In her youth she must have been dazzling . In her youth she was probably very plain . contradictory +yeah how what do you what do you find that that they 're uh when they change from two weeks to three weeks is it five years or ten years or They haven 't and won 't change the amount of weeks or years . contradictory +Until the Tokugawa shoguns completed their conquest of all Japan from the 17th century on , the towns of Tohoku constituted the northern boundaries of the Japanese empire . Tohoku was the Northern border of the Japanese Empire until Tokugawa conquered all of Japan . entailment +On the afternoon of July 17th , continued Counsel , immediately after the quarrel with her son , Mrs. Inglethorp made a new will . Counsel stated that , after fighting with her son , Mrs. Inglethorp made a new will . entailment +If he raises taxes to support defense programs that fail to justify their costs , once again the price of land will fall . The price of land will fall if he raises taxes for useless defense programs . entailment +Its share dropped from 29 . The share dropped from 29 to 15 overnight . neutral +uh we have a friend who works who is a secretary for TCU you know up here they give you scholarship a hundred percent I have applied for the scholarship , and I am waiting to hear from them . neutral +That gets to you pretty quick . That is something that would cause you angst . neutral +yeah the Persian is Actually , the Persian is . entailment +i have to i have to honestly say that i drink more now than i did because you know it 's what i can get away with and if i 'm going to go on the weekends spend my money and you know i This person is drinking more than they used to . entailment +When I came across this paragraph my problem was solved . Reading the paragraph didn 't solve my problem . contradictory +Newsweek ' s history Henry Kissinger reminds readers that World War I started not because of ethnic cleansing but because of outsider intervention . Henry Kissinger states that WWI started because of interference from other countries . entailment +falling in love with the city all over again . Loving the city like once before . entailment +never be the same so i don 't know it 's it 's really scary and i don 't know what to and i don 't know what needs to be done you know it seems like there 's no room in jails to put them in jail and when they do put them in there you know were i 'm taking a business law class at night and the guy that teaches it is a practicing criminal attorney and It seems the jails are overcrowded and they don 't have any rooms for criminals . entailment +'It 's the best chance you 're going to get . ' The is the best opportunity you 'll get . entailment +Talk of the Talk of the Town The talk of the town entailment +The hammer he swung must have weighed fifteen stones . He swung the hammer , despite the fact it weighed about 15 stones . entailment +Montazah Palace , built in the 19th century as a hunting lodge , started the fashion . There were a lot more palaces after the Montazah place . neutral +But part of it was also Clinton 's performance . Thank goodness Clinton 's performance was not part of it . contradictory +My Dad said to get rid of them . My father said to get rid of them . entailment +it 's um yeah yeah it well i i nearly always use a latex base uh especially for interior uh the brands uh you know vary but uh Sherwin Williams makes a pretty good paint and Jones Blair and you know Kelley i think makes pretty good paint so I don 't know anything about paint . contradictory +HHS , in conjunction with the Departments of Labor and Treasury , has prepared a combined economic impact analysis for this interim final rule and the interim final rule issued jointly by the three Departments , and published the same day in the Federal Register , concerning group market provisions because the effects of the reforms and burdens imposed overlap the same group of issuers . The interim final rule concerns group market provisions . entailment +Falling sidewise ? Stumbling horizontally ? entailment +and i said no you 've got to be kidding because i i just moved them and i told him what i did and he got his little gauge out and said well these don 't pass I moved them but he said they don 't pass . entailment +and i guess if if we would as a country unite and sit down and and if Congress received a millions of letters in one week saying we 're not going to take this anymore If people sent letters to the Congress we could change this country . entailment +I knew that . I knew that secret since last week . neutral +uh-huh um well um i 'm a i 'm a counselor a therapist by trade so most of my books are um i guess what you 'd call self-improvement type of books I 've never worked as a counselor or a therapist , so none of my books have anything about self-improvement . contradictory +But don 't think this lets those bastards at Delta off the hook . Don 't believe that Delta is in the clear . entailment +And while their censure resolution may immunize them against the charge of moral indifference , it doesn 't protect them from the charge of indifference to Clinton 's apparent lawbreaking . The censure resolution may show that they want to protect themselves against public opinion but it doesn 't mean they won 't be seen as skirting their duty to address Clinton 's crimes . entailment +Duracell , bought by KKR in 1988 for $ 350 million , was sold to Gillette for $ 3 . Duracell made a large profit on KKR . contradictory +Eight techniques are used-sometimes all of them in the same study-to collect information ( Neustadt and Fineberg , 1978 ; Yin , 1989 ) . Sometimes , all eight techniques are used in the same study . entailment +Some of the Gore-related sites that Direct Hit said were visited most by those searching for Gore material are out of date and thinly visited . The sites had too much information to process in one day . contradictory +Tuppence related how Mrs. Vandemeyer had declared herself willing to disclose the identity of Mr. Brown , and how she had consented to discover and reveal to them the whereabouts of Jane Finn . She will disclose the identity of Mr.Brown. neutral +Legal Services is funded by Congress through an annual $ 329 . legal services are funded by private investors and congress has no say . contradictory +we used to do that but uh i don 't know if it even still comes on but that was always fun It was consistently fun because of the family bonding time involved . neutral +private sector practitioners suggest that agencies should retain the Do Federal Agencies Need capabilities inhouse to The agencies are largely in agreement with private sector practitioners . neutral +well from benefit well that 's one of the reasons i made a decision to get out uh i what i perceived as the benefits were just eroding I will stay no matter what . contradictory +Their ventures into social topics focus on alcohol , drugs , domestic violence , adultery , divorce , illegitimacy , crime , and urban decay . They have interviews with alcoholics and divorced parents . neutral +requirement that auditors have appropriate skills and knowledge . Auditors are required to have appropriate skills and knowledge . entailment +It was our agitated young man of the pale face . The young man was upset because he didn 't know what was going on . neutral +The psychology of war also causes reporters to focus less on each side 's evidence than on its posture . War reporters are the toughest people out there . neutral +retention period established for audit documentation and is safeguarded through sound computer security . Retention period is guarded through computer security . entailment +Even though quantifiable data was lacking during most of 1998 , LSC had sufficient information to begin taking actions to address the problems . LSC was able to start addressing the problems even though it lacked data for 1998 . entailment +In simple terms , the nation could act like a target saver . The country could not be a target saver . contradictory +The short man there--he 's Garm . Garm is a short man . entailment +a doctoral-level psychologist trained and certified in motivational interviewing techniques . A psychologist who is at the doctorate level and who has learned how to carry out motivational interviewing techniques . entailment +England was thus now a Protestant country , caught between Catholic France and the Scots with their new Catholic queen . England rejected Protestantism and joined Scotland and France in the Catholic faith . contradictory +The park is at its very best in spring , when you can walk through a carpet of flowers surrounded by the fresh green leaves of the newly awakened woodland . The park has the most visitors during the spring . neutral +The ruling , which is expected in June , will turn on the court 's interpretation of the White House counsel 's mandate . No legal precedent presages the decision . The court have been considering the ruling for several months . neutral +Quite right , monsieur . I disagree with that . contradictory +He would have to watch every word he said in this town . He wouldn 't have to care about what he said in this town . contradictory +i like i like the i like some of the dramas Some of the dramas are enjoyable . entailment +There would be little honor in this battle or the ones to come . The battles were going to occur weekly . neutral +Neighborhoods of Leased Public Housing . Public housing is only leased to very poor people . neutral +Whatever you buy , you may be able to work out a discount . No matter what item you buy , you have the chance to discuss a discount . entailment +yeah do you think my daughter would like it I know that my daughter would hate it . contradictory +Note to Mark If you say it on NewsHour don 't repeat yourself on Capital Gang . NewsHour is a very popular news program on CNN . neutral +Yet another is RCED 's review of a construction contract award at Jean Lafitte National Historical Park . The construction contract award is reviewed by RCED . entailment +maintenance of security , and the creation and maintenance of related records which provide evidence of execution of these activities as well as appropriate documentation . Security maintenance will help execute the activities for CIOs . neutral +Now that consumers know that there is a fluid aftermarket for video games , they are more likely to go into a store and buy one of these games for full price on the day it comes out . The games will sell out by the end of the first week of release . neutral +The Civil War arose because Northerners feared that a small Southern Slave Power had seized control of Washington , while Southerners were convinced the North was determined to destroy their way of life . The Civil War was between Northerners and Asians . contradictory +Situated on a hill overlooking the Loire , the town itself invites the visitor to linger in the narrow winding streets that lead from the cathedral to the chateau , pausing to admire the handsome old houses on the Place Saint-Louis and the Rue Porte-Chartraine . The old houses on Place Saint-Louis have experienced some renovation lately . neutral +She introduced Douglas not only to sex but also to poetry . She gave Douglas his first exposure to both sex and poetry . entailment +Another What are your songs about ? Your songs are about something deep . neutral +views huh political views huh Liberal viewpoints . neutral +See that thar , Sarge ! Look at that , Sarge ! entailment +The principal and persuasive Democratic The only new thing Starr said was that he has exonerated Clinton in Filegate and Travelgate . Starr was full of himself . neutral +The bipartisan resolution passed the House on a vote of 429-3 and was approved by voice vote in the Senate . The bipartisan resolution failed the House on a vote of 130-302 contradictory +Red ! You , Red ! Are you up there ? Now don 't try to hide . Red was hiding from them and ignored the shouting . neutral +Your judgment of the data 's importance and the reliability of the source , as well as other engagement factors , can help you determine the extent of such an assessment . Your judgement if the reliability of the data is the only factor to determine the extent of the assessment . contradictory +Ah , the brave Dorcas ! Who are the Dorcas ? contradictory +Within the first few weeks , L ? ? on Blum 's government nationalized the railways , brought in a 40-hour week , and instituted the workers ' first holidays with pay . Full time hours was not a thing until very recently . contradictory +You hype them by bragging about it . Bragging about it you cause the product to become unpopular . contradictory +yeah oh that will be nice yeah do you have a feel for how many people there are when you get together We typically have around fifty people . neutral +Then there are the Mus ? ? e de l 'Homme in the Palais de Chaillot ( Trocad ? ? ro ) , devoted to man 's prehistory ; the Mus ? ? e de Cluny ( 6 Place Paul-Painlev ? ? ) , for the great Lady with the Unicorn tapestry and also for sculpture of Paris 's Roman and Gothic past ; Mus ? ? e Guimet ( 6 Place d 'I ? ? na ) , a superb collection of Indian , Jap ? ­ a ? ­ nese , and Chinese art ; Mus ? ? e de l 'Affiche ( 18 Rue de Paradis ) , for advertising posters of the past and present . The museum in the Palais de Chaillot is devoted to man 's prehistory . entailment +He thought there must be about four or five people seated round a long table that took up most of the space , but his attention was caught and held by a tall man with close-cropped hair and a short , pointed , naval-looking beard , who sat at the head of the table with papers in front of him . It appears that there were at least four people at the table . entailment +But even with the advent of federal government saving in the late 1990s , national saving available for new investment remains relatively low , in large part because personal saving has dramatically declined . National saving available for new investment remains relatively low . entailment +Whether he could do it or not with a rider bearing down on him was unknown but they would both find out . Being so stressed with a rider bearing down on him he wasn 't sure whether or not he could do it but they would both find out soon . neutral +and drive those big trucks and we just recently finished a long drive through the west a little over five thousand miles and at one point we sat down It took us several days to travel through the west . neutral +Come on , strip , or I 'll burn off your clothes with a salamander . Undress , before I burn the clothes off with and iron . neutral +Juan Par . That man 's name is Juan Par . neutral +yeah i don 't mind the heat that much it doesn 't bother me that much cold weather i just i don 't know i just can 't tolerate too much with the I am alright in hot weather but it is hard for me to tolerate cold weather . entailment +and i you know i walk i don 't ride so you know i get a little exercise there too so I only walk you know , to get a little exercise . entailment +They left , fading into the crowds of peasants and beggars . The royal family left the peasants to suffer and die . neutral +Kerkez tavu u ( Circassian chicken ) is a classic dish of chicken fillet cooked in a sauce flavoured with ground walnuts and paprika . Ground walnuts are an ingredient of Circassian chicken . entailment +My word ! I 'm not surprised at all . contradictory +Hear , and Now ! You must be deaf if you can 't hear this . contradictory +It marked the ancient border with Nubia to the south and was the conduit for the camel caravan trade in African products such as gold , ivory , and spices . The road was crowded with merchants that used it to transport products . neutral +For centuries , horseback riding has been a Spanish speciality . Horseback riding has been a Spanish tradition for many hundreds of years . entailment +Then he remembered that there was a good supply in Julius 's sitting-room . The supply in Julius 's sitting room was gone long ago . neutral +Legal aid services are nonprofit , publicly funded organizations that provide services to low-income clients at no charge or for a minimal fee . Legal aid that is non profit is sweet neutral +Tadeusz Koaciuszko , a hero of the American War of Independence , led a military insurrection in 1794 , defeating the Russians with a mostly peasant army . Most of the people in Tadeusz Koaciuszko 's army were poor . entailment +Other industries requiring boilermaker labor include refinery ( 13 percent ) , chemical ( 6 percent ) , paper ( 7 percent ) , and metals ( 6 percent ) . There are other industries requiring boilermaker labor . entailment +We know that Sullivan believes in him ( her ? Sullivan believes he may have met him in recent years . neutral +Said Ken Bode ( Washington Week in Review ) : We 're going to skip [ this week on WWIR ] the possibility of Monica Lewinsky testifying at Linda Tripp 's trial and--blah , blah , blah--for this week , and I think our viewers probably will be happy to hear that we are going to skip it . Viewers were happy about it being skipped . neutral +The main part of Notre-Dame took 167 years to complete and , in its transition from Romanesque to Gothic , it has been called a perfect expression of medieval architecture with its majestic towers , spire , and breath ? ­ taking flying buttresses . The main structure took approximately 68 years to complete . neutral +Rodeo Drive in Beverly Hills seems to be the first stop on every shopper 's circuit . Rodeo Drive is where all shoppers go at first . entailment +yeah but then sometimes you know yeah um it just went up the first of this month i 'm paying uh seventy nine dollars a week for now I 'm thinking about cancelling . neutral +It 's crazy to think that jurors who are unsure about two criteria ( what is a reasonable doubt , and does my own doubt exceed that level ? ) The jurors eventually all agreed on the matter of reasonable doubt , and went outside to eat ice-cream . neutral +We shall enjoy ourselves . We will have a good time . entailment +His statue can be found on Main Street , outside the town library . His statue is on Beale Street , outside the restaurant . contradictory +well they talk about it and there are a few in some of the more like in i live in a big metroplex and some of the the better parts of the metroplex the the suburbs that are richer have those kind of target schools but uh you know Some suburbs in the metroplex have those kind of target schools . entailment +Then he was jerked back , off balance , staggering on to bring up against the wall . He was pulled back , off balance , and stumbled to bring up against the wall . entailment +From Dijon down to Santenay , the Cete d 'Or ' cete here means hillside not coast ' is just 60 km ( 37 miles ) long . It 's 37 miles from Dijon to Santenay . entailment +No sugar , said Cynthia , watching him , as he picked up the sugar-tongs . Cynthia doesn 't want sugar . entailment +See also Full Cost . See the full cost entailment +Agency policy must assign accountability for recording and maintaining T No one has to record and maintain minutes of the meetings . contradictory +87 , Employers ' Accounting for Pensions ] The employers didn 't account for the pensions . contradictory +The brown man both fought and instructed as well as Jon so Jon simply watched the exchange . The brown man was from India . neutral +Culturebox 's Rusty Shakespeare Culturebox is perfect and flawless , it has nothing to improve . contradictory +Others are embracing this philosophy of complete categorical breakdown . Some are embracing the controversial philosophy of breaking the categories within science . neutral +They served as a kind of grandstand for courtiers watching important personages arriving on state occasions . Courtiers could use them for their own importance while watching . entailment +On the whole it seemed to him that luck had served him very well so far , but that there was such a thing as trusting it too far . He had been very lucky so far . entailment +Scientific literature on the health effects of air pollutants provides the source of these concentration-response functions . Scientific writing on the health effects of pollutants in the air provides a start to the response functions . entailment +okay me too well thank you I do not think I owe you a thanks contradictory +Centrelink is an agency not individually funded by the Treasury , but rather through business partnership agreements with government departments . Centrelink is exclusively funded by the Treasury . contradictory +I encourage you to contact our Office of Congressional Relations on ( 202 ) 512-4400 if you have any questions or comments on these protocols . The Office of Congressional Relations on ( 202 ) 512-4400 is available to answer questions or take comments . entailment +Completed in 1436 , it measures 45.5 m ( 149 ft ) in diameter . It was completed in 1436 and is 149 ft in diameter . entailment +Prudie thinks you 're handling things perfectly . Prudie thinks you 're the best . neutral +Brown believed the recommendation was worded too strongly . Brown thinks the recommendation is perfect . contradictory +uh-huh ooh that 'd be good i think that 's that 's my problem is i i couldn 't believe uh uh because uh i guess the other people they weren 't really outdoor type people because the lawn really needs to be i have uh bushes and stuff that really need trimming and um so uh so i 'm just thinking how in the world i was going to have to scrape up all those uh acorns that are sitting out there they even have some little trees growing I do some gardening and yard work every two weeks . neutral +'How did you feel about George Washington ? ' What are you feelings on George Washington ? entailment +" He 'll answer a few questions that badly need answering . " Bayliss was already on his way to the door . Bayliss walked towards the door because he wanted to leave . neutral +to use broadbanding for certain critical occupations and / or ( 2 ) allowing agencies to apply to OPM No one is allowed to use broadband . contradictory +At the Indra Chowk junction , four dragon-lions snarl beside the unusual stairway entrance to the many-hued and balconied Akash Bhairav , housing a silver Bhairav image brought out on feast days . There are statues of 4 snarling dragon lions near the stairway to Akash Bhairav . entailment +The Republic and Civil War The Republic sprang out of the Civil War . neutral +A weakened and suddenly unstable Communist Party installed former First Secretary Gomulka as leader without consulting Moscow , an event that prompted Soviet , East German , and Czech troops to amass on the Polish borders . Military powers were assembled when Gomulka was made the leader . entailment +The best known traditional dances on the Costa Blanca are the jota valenciana and jota murciana . The jota valenciana comes from Bogota . contradictory +yeah i 've been up there I liked going up there with my family . neutral +that might be i don 't know yep I 'm certain of it . neutral +There is no alternative to evolution , asserted Barry Lynn , executive director of Americans United for the Separation of Church and State , during a recent Fox News debate . Barry Lynn is still open to other theories that compete with evolution . neutral +for you and now all you have to do is go in and put in a number and you got it you know so uh just put people in pick a number and put people in it and it 's a work group so you know i think uh it 's really a lot simpler than the old one This new system is a lot simpler ; you just have to enter a number and you got it . entailment +Ready Rita , repeated Albert deliriously . Albert kept saying , " Ready Rita , " in his delirium . entailment +Participants raised questions about the gaps in reporting of intangibles . Participants wanted to know why there were gaps neutral +the sculpture of Two Slaves by Michelangelo ; Leonardo da Vinci 's Mona Lisa ( La Joconde ) and Virgin of the Rocks ; Titian 's voluptuous Woman at Her Toilet and somber Entombment of Christ ; the poignant Old Man and His Grandson of Ghirlandaio . Titian was never a painter , he didn 't knew how to paint . contradictory +5 The mailbox rule specifies that no one other than the Postal Service ( and the addressee ) may put mail into the box . The mailbox rule allows the Postal Service and any others who are deemed necessary to put mail into the box . contradictory +Right now , Ca 'daan was one such animal . Ca 'daan was an animal at that very moment . entailment +If anyone actually was inclined to light up a cigar after breakfast , he would have been breaking the NAM 's no-smoking rule , according to an association representative ( who , like another witness I talked to , saw no cigars ) . There were no cigars . neutral +He suggested that the scientific question is whether we can intervene effectively and simultaneously for the top two or three risk factors that often overlap in these populations . He suggested that they had all the questions . contradictory +Fearing the Europeans would start carving up Bengal , the nawab ( Muslim prince ) Siraj-ud-daula set up an attack on the British settlement in Calcutta on the hot day of 20 June , 1756 . The Siraj-ud-duala thought he would discourage the British from settling near him . neutral +Fena Dim was destined to one day grow into Gazu Dim , a city with its own king . Fena Dim was destined to have its own king one day . entailment +yeah that 's right that 's right i know " I know that 's right and it cannot be changed . " neutral +i 've i 've heard i 've heard that that is a really I heard it primarily through the grapevine though . neutral +But Yokohama 's great waterfront , port redevelopment project , museums , and restaurants should still keep it high on your list . There is a port redevelopment project in Yokohama . entailment +Since then , the development of Ibiza has continued , and the island 's fortunes are now almost completely derived from tourism . Ibiza 's primary source of income is represented by tourism . entailment +Don 't confine your visit to the mountain only . Don 't bother paying a visit to anywhere other than the mountain . contradictory +Being , Nothingness , and Peanuts Peanuts are something . neutral +The women are also responsible for one other characteristic of Indian architecture cow-dung patties which are preserved and kept for fuel and artfully shaped into mounds with shapes that differ from region to region , some of them resembling a Buddhist stupa , a Hindu gopuram , or even a Moslem minaret . Cow-dung patties can be shaped into a variety of traditional shapes . entailment +so but i think it would be kind of interesting to incorporate that concept of you know people from different countries uh in as international law also It would be intriguing to incorporate people from different countries . entailment +This upset Jolanta enough to ask her Third Husband , who still loved her , to pay for a monthly stay at La Berg . La Berg held no interest for a woman like Jolanta . contradictory +Because I happened to meet him this morning . I met him at ten o 'clock . neutral +In winter , thousands of squid lurk among the rocks in very shallow waters along the coast , and the only equipment you need to catch them is a face mask and gancho ( hook ) . Squid are plentiful in the winter here because the colder water attracts them to the rocks . neutral +He may have the numbers of a lot of women , but Dowd alone has his . He has many women 's numbers , but only Dowd has his number . entailment +In this report , the LSC Board of Directors is pleased to provide information addressing Congress 's three principal The report does not contain information contradictory +His wife followed him , murmuring something about persuading Mrs. Inglethorp to think better of it . Mrs. Inglethorp is his friend . neutral +They will be reaching out to control power generators and large industrial facilities in other states because transport from other states contributes to both ozone and fine particle pollution in many areas . Only pollution in the state effects the ozone of that state . contradictory +and i had fun that then a few years later a guy i was racing with uh decided to take his boat down for a winter season and so i went offshore with him to uh Saint Thomas and then we cruised uh the American Virgins for a week before i flew home I enjoyed my trip but was exhausted after the flight home . neutral +GAO also initiated a series of highrisk reports , now issued every 2 years , to provide information on federal activities susceptible to waste , fraud , abuse , and mismanagement . The GAO had reports that were high risk for the government organizations . neutral +No matter how much information gets loaded into it , the Internet is never going to transform the dynamics of human behavior . The internet will one day take over man kind contradictory +In 1979 the nationalists were in disarray when a referendum was defeated , and further efforts came to nought during Conservative rule in the British Parliament at Westminster through the 1980s and early 1990s . The nationalists were able to pick themselves up and return to power by the mid-1990s . neutral +In Ibiza several families were torn in their loyalties between the Republican and Nationalist causes . In Ibiza , several families were torn between the Republicans and Nationalists . entailment +Every computer Apple makes costs a lot to make . Every computer Apple makes has a high production cost due to the quality of the components . neutral +no somebody who saw the movie here the other day told me it was the most terrifying thing they 'd ever seen they didn 't sleep all night A friend saw the movie the other day and told me it was the most terrifying thing he ever saw , his girlfriend spent all night scared and crying and he couldn 't sleep . neutral +that 's right that 's right right even even if it is you know a company policy of uh immediate termination or whatever they still have to replace them If a firm fires an employee they are still stuck having to hire someone else . entailment +The Long-Term Budget Outlook . Short term budget outlook . contradictory +That is recognized by every decent man in Arizona . There are no decent men in Arizona . contradictory +An early version of this sort of thing that I recall with particular pleasure was Mad magazine 's East Side Story --that being the location of the United Nations . Mad magazine has caricatured every president to date . neutral +Many states are already finding that a simple shove can have surprising results . Even a small shove can have unexpected results at the state level . entailment +However , funding agencies cannot be forced to accept this . Funding agencies can be forced to accept anything . contradictory +The Honorable David McIntosh David McIntosh is honored for his dedication and warm personality . neutral +And you ? What will you do ? What will you do today ? neutral +The conferees also direct the Corporation to submit its 1999 annual case service reports and associated data reports to Congress no later than April 30 , 2000 . The Corporation is directed to submit its associated data reports no later than April 30 , 2000 . entailment +And the collection process involves judgment calls of promising leads and the meaning of initial information . Judgement calls are involved in the collection process entailment +i mean these these types of internal things go on all over the world all the time some of them have been going on for for tens of years if if i understand it right in places like the Sudan and Sudan is the only place in the world where such internal things happen . contradictory +If they don 't , the government may chose to act again in order to fill any related voids . The voids aren 't necessary neutral +And the difference is , they 'd appreciate it . They would appreciate it , but the other class would not . neutral +The centuries-old ceremony and ritual are more than a match for the razzmatazz of the American import . The ancient ceremony and ritual are more significant than the American import . entailment +no it 's just the like the bees and insects will do it The bees and other insects will cross pollinate your plants . neutral +Like a Vegas bookmaker or a seasoned actuary , Posner will spit out a number at the end of these negotiations and , like a Pentium processor 's , Posner 's number will be right . Posner will give a number that is always right when he guesses how much you weigh . neutral +For example , reviewing the work output of the employee and occasional phone call or visits to the employee . One should never review the work output of an employee . contradictory +money seems to be too big of an issue with with with with with with what 's going on today and i i think i think that we may not you know that may be When people focus too much on money , they lose sight of the things that matter . neutral +i 'm always afraid they 're going to fall over and have a coronary coronary Coronary problems it the last thing I fear they might suffer from . contradictory +yeah the the only thing about capital punishment is the i i remember someone saying i think it was a chief justice in this state he goes if you make a mistake how do you get the person back that 's the whole his whole basis was if you do have that error you know some people have been in jail for years and years and years and they 're finally exonerated and then you know if if there if you killed the person and it 's like oops too bad Capital punishment is 100 % mistake free . contradictory +uh-huh or hail yeah it just you know It is just hail . entailment +Another large venue is the Point , East Link Bridge , which hosts major pop and rock acts ( Riverdance was staged here ) . The venue at the East Link Bridge is the largest in Ireland . neutral +Drew sat watching the dust arise again as the trio of riders pounded away . Drew watched the three rider approach him . contradictory +model portrays a process in which an agency iteratively ( 1 ) determines its objectives , alternatives , and constraints ; ( 2 ) evaluates its alternatives and identifies and resolves risk issues ; ( 3 ) develops and verifies its next-level products ; and ( 4 ) plans its next phases . model does not show the full process in which it is pertaining to . neutral +he 's an interesting person i was talking to someone who said that uh for all his obvious uh attention to efforts to get media attention that he actually is a worker on the uh i guess he 's on the County uh oh Board of Supervisors or i think and that that that uh at those meetings he really comes quite well prepared and is well informed and is a hard worker He has never worked on the county board of supervisors . contradictory +On cloudless days , a spectacular panorama awaits you . The view is spectacular . neutral +what everything would hinge upon is it how close is it to a home environment that 's the that 's probably the major question It will all depend on how home-like it is . entailment +The other woman began to cry in fright . The woman cried from fright from seeing the demon . neutral +The mere fact of giving sworn testimony to a court imbues a witness with credibility and She is participating in the measured and solemn business of justice . The giving of a testimony in court imbues a witness with credibility . entailment +5 percent tip , about which he was ticked . The 5 percent tip made him angry . entailment +It includes a much larger sample size and longer exposure interval , and covers more locations . We performed a variety of tests to confer that our results were valid . neutral +Now that the anti-tobacconists are on top , will they too know no bounds ? People against tobacco will also take things to far ? entailment +The classical palaces and squares of Turin , Piedmont 's royal capital , are in many ways closer in spirit to France than the rest of Italy . Turin is geographically closer to Monaco than to Rome . neutral +Source for householdlevel postage expenditures and other non-durable goods expenditures . We have no idea how much is spent on postage . contradictory +huh well Raleigh just got a uh one of the new football teams the new World whatever it is World Football League or Raleigh couldn 't have any teams . contradictory +Congress through the LSC Act intended to provide high quality legal assistance to those who would be otherwise unable to afford adequate legal counsel , 42 U. S. C. a2996 ( 2 ) , but only if the program could at the same time be kept free from the influence of or use by it of political pressures , a2996 ( 5 ) . The LSA Act provided cheap legal counsel , but not free . contradictory +What about meals ? inquired the practical Tommy . Tommy inquired after sustenance . entailment +A town of fools , said Adrin . Adrin said a town of fools . entailment +Tolly worked in narcotics and knew there was a Southern market for drugs and so converted an existing piece of machinery , creating the first morphine pill . Tolly was aware there was a Southern demand for drugs . entailment +you know and it kind of scares me especially with all the shootings that have been going on in L A on the freeways and then you come here in in the Dallas area um All of the LA freeway shootings scare me . entailment +It is also taking concrete form in the new Scottish Parliament building at the bottom of the Royal Mile . The new Parliament buidings is at the bottom of the Royal Mile . entailment +He 'd been assuming that the man was one of the things called back . He had been thinking that the man had been called back . entailment +right right that 's an everyday occurrence That happens pretty much every single day . entailment +The online Times offers a daily Whitewater , Etc. update , as well as flashbacks to Whitewater coverage from a year and two years ago . Readers of the online Times demanded that they cover Whitewater . neutral +The early works of Sean O 'Casey and John Synge were written for the Abbey . O 'Casey wrote his works for the Abbey . entailment +Stay in the alcove until I fire , then cut down the first two on your right to block them from your escape . They were heavily outnumbered in the battle . neutral +yeah and also the cost of it you know not not not great not uh public school but i can 't imagine having to raise a kid now and and have to look to college College and public schools aren 't that great due to their cost . neutral +uh half-and-half When we eat we pay half-and-half . neutral +For several decades tourism has dominated the island 's economy , but Madeira 's enduring appeal lies in preserving it as a sublime tropical retreat far removed from the rest of the world . Although Madiera cuts mustard with its tourism business , its primary appeal is its tropical isolation . entailment +These weaknesses place critical federal operations , such as national defense , tax collection , law enforcement , air traffic control , and benefit payments , at significant risk of disruption as well as fraud and inappropriate disclosures . National Defense and law enforcement are at risk due to these weaknesses . entailment +HCFA found that notice and comment procedures were unnecessary with respect to this regulatory change since it did not involve an exercise of agency discretion . HCFA found that notice and comment procedures were very necessary with respect to this regulatory change . contradictory +Causal Inferences in Casual neutral +Chrysler 's expertise in front-wheel-drive engineering will be a nice addition , although it hardly seems likely that Mercedes is suddenly going to abandon rear-wheel drive . Even if Chrsyler changes to front wheel drive , Mercedes will always stay with rear - wheel drive . neutral +the effectiveness of voluntary or information programs may be less than assumed in the CEF scenarios . The information programs were funded by drug money neutral +What moves us in Keats is precisely this checkered metaphysics--the haunting apprehension that the seed planted in the wide arable land of events might be the seed of death , not life . They were moved by the negative actions . entailment +If so , there will be danger . Nah , there won 't be danger . contradictory +uh i mean that 's sort of the overall the meta the meta change as it were uh where that woman really have more of a choice now about what they do Due to the change , there are many options for women . neutral +i i assume i assume you have kids How many kids do you have ? neutral +Immediately , the name of the place was officially changed to Portinatx del Rey ( of the king ) . The kind was a vain fellow , and demanded that his realm reflect his power and influence . neutral +A detailed discussion of TRI is available at EPA 's internet site-- / / www.epa.gov / opptintr / tri / . The EPA publishes detailed information about TRI . entailment +It is one of a number of scuole ( literally , schools or confraternities ) unique to the days of the Venetian Republic . This school was built just last year and features ultra-modern amenities . contradictory +yeah well my my point of view to that is is that it would have had so much i mean the attack would have been so complete on Iraq if they had i mean the first you can imagine the first uh chemical weapon used They used several chemical weapons to attack Iraq . contradictory +He had planned it this way no demands , no claims on a stranger , freedom to make the decision of when or how he would see his father ; that was the only path he could take . He understood that he could not control the circumstances surrounding seeing his father . contradictory +The funicular ( it takes metro and bus tickets ) climbs to the terrace in front of the Byzantine-style basilica of Sacre-Caur . The basilica of Sacre-Caur is of a Byzantine style . entailment +Converts were forced to renounce their faith by trampling crucifixes and effigies of Jesus and Mary . To renounce their faith , converts trampled Christian icons . entailment +The cover story says pro sports are in trouble . Pro sports are in dire straights entailment +He launched his career there and it seems fitting that he return . He returned to the place where he launched his career . entailment +When to Go Where to go . contradictory +Clinton should look at Starr , not at the camera , but Starr himself should not be visible . The camera operator did not explain to Clinton where to look . neutral +The project manager or Contracting Officer 's Technical Representative may be the best source for problem reports . Problem reports should only be sourced from the project manager . contradictory +her husband 's an Nintendo uh are her boyfriend i guess her fiance hard to keep track these days um is an Nintendo freak so he 'll he 'll have a he 'll he 'll usually bring a few games Her fiance loves Nintendo . entailment +3 Given this limitation , attention focuses on several obvious ( 1 ) Should worksharing discounts be offered ? They ask if 25 % work sharing discounts should be an option . neutral +'It was going to be so simple , ' I twitched , digging my fingers into the sofa . I twitched while digging my fingers in the ground . contradictory +The assessment , which is summarized in the preamble to the rule in the Federal Register , was submitted to our Office in its entirety . The whole assessment was only half a page long . neutral +( Joint Chiefs of Staff , Department of Defense Dictionary of Military and Associated Terms , Joint Publication 1-02 , Mar. A joint publication was created by multiple agencies . entailment +I stared at the front page , and wanted to cry . I looked at the front page and felt tears well up in my eyes . entailment +Though the colt had been consistently the victor , none of his rivals had been in his class . The horse was the fastest and smartest in the world . neutral +He grimaced with the effort of it , thinking over and over again , " The youngsters were ignorant of your identity . " He managed it easily . contradictory +La Rochelle is full of museums , among them the Mus ? ? e du Nouveau Monde ( 10 Rue Fleuriau ) , which celebrates the town 's early trading links with the New World ; the Mus ? ? e des Beaux-Arts ( 28 Rue Gargoulleau ) , which includes an important portrait of Martin Luther by Lucas Cranach and notable canvases by Giordano and Ribera ; and the huge Aquarium ( Avenue du Lazaret ) . La Rochelle just has a lot of restaurants . contradictory +A veteran keeper lives on the premises , tending the beacon that is visible 65 km ( 40 miles ) out to sea . The keeper who looks after the beacon is very experienced . entailment +I was sent out in the middle of a rock-concert . I got into trouble the other night when I went to a rock concert . neutral +In some localities , it is possible that the permitting activities will not be the limiting steps . It can be possible that permitting activities will not be the limiting steps . entailment +He is , of course , a German by birth , said Poirot thoughtfully , " though he has practiced so long in this country that nobody thinks of him as anything but an Englishman . He had completely lost his old German accent . neutral +The wicked sharp point of his curved blade shone in the midday sun . The straight blade gleamed from the midday sun . contradictory +Poland also regained Danzig , which had not been a part of Poland since its seizure by the Teutonic Knights . Poland never gained back control of Danzig . contradictory +This is , admittedly , just a single line from a long-ago interview , but it suggests that the Clintons are locked into a denial . I admit this is just a single line from an old interview , but it shows that the Clintons are in denial about the charges . neutral +The second panel is devoted to the Annun ? ­ ci ? ­ a ? ­ tion and Resurrection and , on the reverse side , what is perhaps the most pain-filled and exalted portrayal of the Crucifixion ever realized . There is a painting of the birth of Jesus on the back of the second panel . contradictory +The Portuguese also sailed down the west coast of Africa , going beyond Cape Bojador in 1434 , a feat theretofore considered to be impossible . The Portuguese failed to sail down the west coast of Africa beyond Cape Bojador . contradictory +Like a madman 's portrait , covered in rust . It was covered in rust . entailment +He surveyed friendly relations . He surveyed anger management issues . contradictory +The Astronomer sighed and said , " There are the boys ! " The astronomer said there are the boys . entailment +that 's right no it 's not it 's it 's not pocket change so it 's major so but maybe when the kids get in school that will be you know when they start needing something you know then that will be different but It 's quite a bit of money . entailment +Farther along the Nablus Road , the sturdy , square , handsome tower of St. George 's Cathedral , which was consecrated in 1910 , is a little piece of England in the heart of Arab Jerusalem . You will only find local building types in Arab Jerusalem . contradictory +If not , why ? Why is that ? contradictory +but it was across a little stream and it was sort of um uh not a big area but there was a perfectly round stand of trees A deer lay resting in the middle of the clearing . neutral +Jon nodded to the knife wielder talking to Vrenna . Jon shook his head no . contradictory +right you know i 've heard about that uh also for tennis shoes there was uh uh a big surge going on oh just last year i think where uh kids like in New York uh were uh knocking off other kids to get their tennis shoes Kids all buy their own shoes . contradictory +Another good , inexpensive public pool is in Quinta Magnolia Park . The most inexpensive pool can be found in Quinta Magnolia Park . neutral +the Methodology of Grounded Theory . No methods of ground theories contradictory +The interior is almost completely covered in Iznik tiles of the finest period , with floral and geometric designs in blue , turquoise , and coral red . Inside , the decor is largely wood cladding and wallpaper . contradictory +I 'm from a small country [ New Zealand ] , but I don 't see what we are doing here as a threat to our sovereignty . International mining is important for the economy of New Zealand . neutral +right okay well good talking to you Our discussion was as bad as it seemed . contradictory +well that makes it more my parents have the same kind of deal too The deal is more cost effective , I think . neutral +Rebuilt without any comprehensive urban plan , Tokyo remains a city of subcenters and neighborhoods , even villages , each with its own distinct personality . Tokyo 's reconstruction was poorly planned . neutral +Either the chloral was administered by her own hand , which theory I reject utterly , or else " The other explanations were all sinister . neutral +Developments in Scope and Methods , eds . Scope and Methods Developments . entailment +He might have guessed it ! He had an idea but didn 't guess correct . neutral +The number of delivery points in Italy , as a percentage of those in the U.S. , is a Italian delivery points are compared to those in the US . entailment +oh i i 've seen that yeah I could never forget seeing that . neutral +10 VBA officials told us that , in response to the concern we raised that many of the training modules might not be available in time to train new employees , VBA has stepped up implementation of its plans to use a new Training and Performance Support System ( TPSS ) . The Training and Performance Support System has not been changed at all . contradictory +Meet the blacksmith and tell him we will meet him tomorrow to show him what we need . Tell the blacksmith we will need some horseshoes tomorrow . neutral +a favorite or i did have a favorite channel that i usually tuned into for local news i guess because you get use to you like the anchors and you feel comfortable with them and When you get used to local news anchors you feel comfortable with them . entailment +LSC understands that organizations can be reluctant to embrace major change . Most organizations don 't like change . neutral +This reflects the cost of the program in terms of the decreased well being of households who must forego a fraction of their consumption of goods and services in order to pay for both research and development programs , energy efficiency improvements , and more expensive electricity production . The payment for such programs does not negatively affect the household 's ability to purchase goods and services . contradictory +The secret is to pace yourself . The secret method is pacing yourself . entailment +Table 6-7 shows the results of a survey of major suppliers of SCR catalyst to coal-fired boilers . The table shows the results of a survey by the EPA of major suppliers of SCR . neutral +Now , all--or at any rate , quiz participants all--smirk knowingly at the dark desires implicit in a photo of Santa embracing a comely lad , embellished with the most potent of pederast symbols , baseball paraphernalia . The participants knew that the picture of Santa was wrong and disapproved . contradictory +That was the shadow in the pool . The shadow of her figure was in the pool . neutral +If the offset and penalty payment are made 31 or more days after the deadline , the penalty is three times the auction clearing price . If the penalty payment and offset are made 14 or more days after the deadline , the penalty is five times the auction clearing price . contradictory +These protocols will help GAO to better serve the Congress and improve customer satisfaction , to close expectation gaps between the Congress and GAO wherever they exist , to ensure equitable treatment of all requesters consistent with the protocols , and to maintain and strengthen GAO 's performance and accountability . Requesters are all supposed to get equal treatment . neutral +Guadeloupe , incredibly , almost never sees a shark anywhere near its coast . Amazingly , a shark has almost never appeared near the coast of Guadeloupe . entailment +Notice the clever use of lighting wells to illuminate the lowest stories ( there were four altogether ) . The lighting wells were placed strategically so as to produce the exact amount of light needed . neutral +i took one semester off and and i 've been taking a class at least one class every semester Every semester I 've taken a minimum of one class . entailment +It was here that the Portuguese landed , bringing to Japan for the first time bread , guns , and Christianity . The Portuguese never landed here , they landed on the east coast of China . contradictory +Is it easier to be anonymous in New York City than in Los Angeles ? There are new city ordinances in New York and Los Angeles that everyone must wear name tags . contradictory +Information on absences which affect pay should be compiled each pay period and be transmitted to the payroll system . A pay period is one month neutral +Another park is Sunway Lagoon in Bandar Sunway , located near the state capital of Selangor , Shah Alam ; it is known for its water attractions and rides . Sunway Lagoon in Bandar Sunway is a park located near the state capital of Selangor , Shah Alam , and it is known for rides and water attractions . entailment +well that would that 's neat It is something I would like . neutral +The network denied that accusation and the spot is back on CNN , but it understandably infuriates environmentalists . The spot was removed and subsequently added back to CNN . entailment +They will require proper accreditation , and in some cases a permit , if they are to be exported from the country . Exporting them is a long and difficult process . neutral +Please advise me how I could overcome this addiction--and please don 't advise me to get a girlfriend or get married early , because that is out of the question . I don 't want to marry early . entailment +His America is conflict-free . He desired America to be free of conflict . neutral +After the employees had evacuated , they were told that they were participating in a test , that they were to assume that a bomb had actually destroyed their workplace , and to proceed with emergency recovery plans . All the employees stayed at their desks during the drill . contradictory +The capital , Chora Town , is a classic example of a settlement built out of sight of pirate forces . One example of a settlement built out of sight of pirate forces is Chora Town . entailment +uh-huh yeah it 's well it 's not that great and i go to the Spring Creek one on and off but my husband 's working over there and he just goes to the Dallas one but i just don 't i mean it 's just so much weight lifting even the Spring Creek one has a lot of weights in it My husband and I both only go to the Dallas one because it 's close to my workplace . contradictory +Susan , move into the caves , thought Jon . Jon said Susan should go to the caves . contradictory +He would then produce his irreproachable alibi ” and , hey presto , he was safe for life ! " He would then produce his flawless alibi , and be acquitted of the crime . entailment +A little way north is another smaller town where the pace is less frantic . A bit further north from here is another small town where the pace is slower . entailment +yeah yeah and it may come to that you know with the electronic age The electronic age is filled with surprises . neutral +i wished i had the opportunity to do camping because i used to love to live at the lake all summer and into the fall and I lived at the lake because I fished often . neutral +Suggested priorities for the PCAOB included establishing policies and procedures for disciplinary actions and conducting inspections of registered public accounting firms . The PCAOB are responsible for many things beyond such priorities . neutral +And that is where the indignation of the Turning Point people starts to seem rather strange . The Turning Point people were aghast at how they were treated . neutral +Newfoundland and Portuguese water dog owners want pooches that can swim . Newfoundland and Portuguese water dog owners don 't care if the dogs swim or not . contradictory +you 're either you know do away with some of these laws providing this or we 're going to vote you out next time maybe something would happen you know but people don 't get involved and don 't sit down and do that so i don 't know We will vote you out if you do not change these laws . entailment +My hunch is that Oprah will win over even the cattlemen , eventually . Oprah 's empire has doubled in the past decade . neutral +3 Special requirements for cleaning glassware used in the green alga , Selenastrum capricornutum , toxicity tests ( Method 1003 . Special requirements for cleaning glassware were used in the green alga entailment +right right but it gets to the point where i mean you 've got to have the time find the time also to read read about the guy and and be able to find the information about what he stands for It doesn 't take much time to research them . contradictory +Tuppence announced him , and Mrs. Vandemeyer rose from her seat on a low divan with a quick murmur of pleasure . She never stood up . contradictory +And there have been proposals to control sales of fast food and souvenirs . There have been no attempts to change the amount of fast food and souvenirs sold . contradictory +3 billion for the delivery function alone . This project delivers live bees to senior citizens in need . neutral +You lovable losers . You adorable non-winners . entailment +That was pure chance . We would have never guessed that would happen . neutral +The great popular attraction , situated in the southern arm of the transept , approached through the Portail de l 'Horloge , is the 19th-century astronomical clock with its elaborate mechanical figures that appear with chimes at 12 : 30pm . The astronomical clock is the most popular attraction in the city . neutral +She says indigenous farmworkers , driven north by economic hardship , are more likely than Spanish-speakers to be denied wages or forced into substandard housing . Indigenous farmworkers driven north are always happy that they aren 't denied wages or forced into substandard housing , in contrast to Spanish-speakers . neutral +you know make a sauce with or something like that but you can go ahead and buy them cooked and shelled and they 're more expensive of course but You should try to make them from scratch to save money . neutral +Italian food yeah pizzas and spaghettis and lasagnas and that kind of stuff Italian is my favorite kind of food . neutral +However , a much more graceful architectural touch can be seen in the panels of Shiva demonstrating the 108 basic poses performed in the sacred dance , bharatanatyam . The panels of Shiva were jarring and disjointed . contradictory +However , it is projected that there are sufficient resources available to complete the projected control technology installations for phase I by 2010 . Phase two of the control technology installations will begin in 2012 . neutral +The exact location of the legendary city of Troy remained a mystery until an amateur archaeologist with a passion for Homer began excavations in 1871 . The amateur archaeologist 's discovery of Troy was one of the most important in recent history . neutral +and just cover it with some uh waxed paper and steam it just until the fish is done and it 's a wonderful Transfer the fish to a plate and serve . neutral +'They are designed to kill things , and they can be toxic to humans . They were made to kill . entailment +Current Issues in Economics and Finance , Vol . 6 , No . There are some international issues to deal with in economics and finance . neutral +In the summer , get there by noon or you won 't see a thing . Summer is when the most people visit . neutral +A mere speck in the middle of the Atlantic Ocean , Madeira has all the elements of a mysterious dream world . Madeira is located in the middle of the Atlantic Ocean . entailment +If you 're feeling active , there are excellent opportunities for sports . There are no sports available . contradictory +Time chronicles the emerging partnership between Vice President Al Gore and House Minority Leader Richard Gephardt . Al Gore and Richard Gephardt were chronicled by the Times due to their involvement in 9 / 11 . neutral +Hill never claimed that her unpleasant encounters with Thomas constituted actionable sexual harassment . Even though Hill claimed otherwise , Thomas 's actions met the textbook definition of sexual harassment . neutral +Lukas ' mastery of historical events and contexts , and his ability to dramatize them , was acute . Lukas had a small ability to dramatize historical events . entailment +( Click for more on the U.S. role in that restriction . ) Click for nothing on the U.S role restriction . contradictory +( They were walking in the general direction of the barn , he noticed , but not dead on . ) He said , " Hi , Dad . They were walking toward the barn . entailment +It takes less than an hour to stroll all the way round the pleasant path surrounding the water . The path does not surround the water . contradictory +The Beth Hatefutsoth , or Museum of the Diaspora ( the Diaspora relates to the dispersal of the Jewish people worldwide ) , is quite possibly the finest museum in Israel and certainly the most innovative , yet it doesn 't contain a single exhibit of any age . The Museum of the Diaspora has numerous ancient artifacts on display . contradictory +The original minaret on the southwest corner is the tallest in Cairo at 81 m ( 265 ft ) . The original minaret is in the northeastern corner of Cairo contradictory +So you 're my nephew , are you ? You might be my nephew , because you look like him . neutral +The self-guided tour begins at the intimate little Royal Chapel , a harmonious mix of white marble , Corinthian columns , and Baroque murals with gilded altar and balustrades . The self guided tour shows off the cities beautiful architecture . neutral +We will also make copies available to others upon request . People requesting copies will not be able to obtain them . contradictory +Generator Phase I Allowances Generator Phase 1 has Allowances because it generates phases . neutral +yeah very similar um uh specializing in the computer and you know uh interfacing with computers and software and all that kind of good stuff Sort of the same in that it also involves working with computers and applications on a day to day basis . neutral +McCain : Theodore Roosevelt was my hero and is . Theodore Roosevelt was never admired by McCain on a personal or professional level . contradictory +and it 's just uh plus there 's been an awfully lot of uh uh mountain cedar and everything else in the air The air smells stale and boring . contradictory +it takes a lot more planning No planning is needed . contradictory +The private collection of the important Doria family includes a number of masterpieces by artists of the 15th to the 17th century , particularly Annibale Carracci and Brueghel the Elder . The private collection of the Costa family doesn 't have any important pieces . contradictory +The problem , though , is that the ADR phenomenon has created a situation where U.S. investors are pouring billions of dollars into companies whose standards of financial disclosure and corporate governance are dramatically different from our own and which are , in some cases , nonexistent . Investors from the United States are putting money into companies where have little regulation . entailment +Department of Agriculture , and the Department of Health and Human The departments are important in maintaining the well-being of citizens . neutral +The double walls , built in the fifth century , during the reign of the Emperor Theodosius , stretch 61.2 km ( 4 miles ) from the Sea of Marmara to the Golden Horn . The Emperor Theodosius built the double walls to guard the city against its many enemies . neutral +The plan gives states some murky coverage options and rules limiting the program to the currently uninsured . The plan has clearly defined coverage options and is open to everyone , including those currently insured . contradictory +Some kind of instant recognition on his father 's part ? Did his father recognize him ? neutral +neglectful of his children by choice there just was no time and energy left for them by the time he put in his workday which started like at five thirty and ended at six thirty uh He was always exhausted by the end of the workday . neutral +How Does National Saving Contribute to Investment and Ultimately Economic Growth ? How does national saving affect spending ? contradictory +That 's a fellow I shall enjoy getting even with one of these days . I am not looking forward to meeting that fellow again . contradictory +An understanding of courtroom procedure is vital before you try to represent yourself . You should try and not represent yourself . neutral +Twenty men once worked to produce turned goods for the wool mills , a market that eventually dried up when the wool industry went into decline . Before its decline , only five men worked to create turned goods . neutral +Statewide technology plans required as part of the State Planning Initiative . The plans for statewide technology are needed for the initiative . entailment +No , no , NO ! No way ! neutral +The words which John the Theologian ( Evangelist in Greek ) recorded became the Book of Revelation ( Apocalypse in Greek ) , the last book of the New Testament . John the Theologian was a famous author . neutral +right right i know bless their hearts you hate to hurt them by doing that that 's like their one last thing that they can still do and you take away that driving ability and that would really be hard we 've Taking away their ability to drive is really the last thing you want to do . entailment +Whatever it is , it transcends culture , despite what Naomi Wolf may try to tell you . Naomi Wolf said it transcends culture . contradictory +Increasing degree of substitutability between postal delivery services and telephone services over past decade , from -0 . Telephone service and postal delivery service have become more interchangeable . entailment +i don 't know what 's the largest fish you ever caught How big is the biggest fish you 've caught ? entailment +The islands ' barren landscapes and stark white , cubical houses with their blue-shuttered windows bedecked with geraniums represent the Greek islands to many . The islands have no trees but there are flowers and bright paint colors . neutral +The church is renowned for its choral concerts and recitals on the grand organ designed by Baltard , architect of Les Halles . The church is famous for its choral concerts and recitals on the grand organ that was designed by Baltard , architect of Les Halles . entailment +The Italians ' attachment to regional customs and religious festivals has dwindled in the 20th century , but many continue for the tourist trade . Many Italians continue regional customs due to tourist trade . entailment +But the pressure to cut benefits or sharply raise payroll taxes would be enormous . Pressure to raise payroll taxes would be very significant . entailment +Well , I said , with a sigh , " we will acquit Miss Howard , then . " Let 's convict Miss Howard now , " I said energetically . contradictory +On a clear day you can see all the way to Ibiza , 100 km ( 62 miles ) away . On a clear day , you can see over 100 km away . entailment +Two weeks later my wife , my son , and I were in the East Room of the White House , tears streaming down our cheeks as Richard Nixon said farewell to his staff . My family and I were in the Lincoln Memorial . contradictory +Also , a spooky photo of TWA Flight 800 's reconstructed remains , which have been pieced together in a New York airplane hangar . The reconstructed remains of the TWA Flight 800 can be found in a Manhattan hangar . neutral +Any more facts about that American chap for me ? " Do you know anything else about that American guy ? entailment +The enviros watch them with mixed pleasure and concern . The enviros are not watching them at all . contradictory +You 'll find the Casino del Mar Menor in the Hotel Doblemar , halfway along La Manga . The Casino del Mar Menor is located inside the Hotel Doblemar . entailment +Want to catch up on the hottest independent film , pay a mere $ 3 for a held-over feature at the Lowe 's Cineplex Fairfax , grab a few air-conditioned hours with an international flick , or watch a blockbuster in the historic Mann 's Chinese Theater or El Capitan ? Would you like to watch a movie in a comfortable location with food ? neutral +If you don 't mind my putting in a few words--You 'll remember that just after breakfast my son came in to ask what animals ate . My son has not shown his face in this place . contradictory +or you want to take the other side of it you can argue that 's one of those you can pick either side and we could spend a lot of time on it because Or if you want to play devil 's advocate , you could argue that either stance is one that could be debated at length . entailment +8 ( a ) ( 5 ) ) that agencies evaluate the use of automated , electronic or other technological collection forms by allowing sources to register and file risk management plans electronically , thus avoiding what could have been a huge paperwork burden . Agencies should evaluate the use of automated collection forms . entailment +and then over the years the the kilometers per hour gets bigger than the miles per hour and eventually disappears The kilometers per hour does not get bigger than the miles per hour over the years . contradictory +Evidence of tolerance 1 ) It was not until 1979 that a non-standard surcharge was put on First-Class Mail , and even now it applies only to the first ounce . Sending First-Class mail cost less back in 1978 . neutral +almost at will She had every say in the decision . contradictory +Designed by William Chambers ( who is responsible for Somerset House in London ) , it is generally regarded as his masterpiece . It is usually regarded as the worst work William Chambers ever produced . contradictory +That 's him , cried Tuppence , in an ungrammatical squeal . Tuppence called attention to the man in the blue coat . neutral +Agencies ' Annual Performance Plans Under the Results An Assessment Guide to Facilitate Congressional Decisionmaking ( GAO / GGD / AIMD-10 . There is no guide to facilitate decision making in Congress . contradictory +For centuries , the Loire river was a vital highway between the Atlantic and the heart of France . The Loire river was an important highway . entailment +Suppose you didn 't like your shift boss or somebody ? You might not like your shift boss because they are a jerk . neutral +um no i hadn 't heard of that I remember that ! contradictory +Educating users on the terminology of internal control reporting , such as reportable conditions , was also urged so that the users and capital markets do not over react in interpreting the internal control reports . The education of users was deemed too unimportant to implement . contradictory +The neighborhood south of the Vatican , Trastevere , literally across the Tiber , has long been renowned as the most popular quarter of Rome . The river Tiber is straddled by the Trastevere neighborhood . entailment +There was a woven-wire fence around the structures , and a sign that said simply : _ Project Eighty-Five _ . There seemed to be no entrance into the enclosure . neutral +The tip rested against Jon 's cheek , angled to slip down under his leather neck guard . Jon wore leather to protect himself . entailment +The Office of Student Financial Assistance was provided with increased flexibility for procurement and personnel management , and key managers are to be held directly accountable for performance objectives that include The Office of Student Financial Assistance was given flexibility in staffing as long as performance objectives were always met . neutral +Note the beautiful ceiling in the Granard Room . The ceiling of the Granard Room is normal and not very intersting . contradictory +into uh committing murder get getting rid of her husband She 's planning to do it next week . neutral +put her outside and hey she 's fine She 's fine if you put her outside . entailment +The picture was of White . The picture was not of White . contradictory +The web site ( www.gtpnet.com ) also lists this information . The only way to find this information is in a pamphlet . contradictory +The Pitti 's next-most visited gallery , the Silverware Museum ( Museo degli Argenti ) , occupies 16 sumptuously decorated rooms to offset the Medici family 's invaluable treasures gold , silver , jewels , beautiful 16th- and 17th-century amber and ivory , crystal , porcelain , and Baroque furniture . The Silverware Museum is one of the most popular galleries . entailment +From your account , there are only two people whom we can positively say did not go near the coffee ” Mrs. Cavendish , and Mademoiselle Cynthia . " There is a chance that someone else did it . neutral +um-hum well actually excuse me our dental insurance you know it 's it 's good it 's certainly better than nothing it 's not you know it 's not super you for unfortunately in my case and you sound like a younger guy so you probably don 't have it you know i do have some dental problems and it 's very very expensive Our dental insurance does what it 's supposed to do . entailment +the neighborhood also i mean we 're within walking distance of of stores and shops so i do now i think um basically is your motive simply um health or because you enjoy it " There 's nothing within walking distance in this neighborhood . " contradictory +But as in Guadeloupe , the economic outlook rarely inspires complacency , even with increasing tourism . Tourism population has been increasing over the years in Guadeloupe . entailment +Inside is a museum of his designs and models . The museum is on the outside . contradictory +'Yes , I am . ' No , I 'm not . contradictory +Audit documentation should contain sufficient information to enable an experienced reviewer , who has had no previous connection with the attestation engagement , to ascertain from the audit documentation the evidence that supports the auditors ' significant judgments and conclusions . The documentation needs to be at a high level . entailment +A six-lane toll motorway leads 80 km ( 50 miles ) west of Izmir to the small resort and ferry port of ? ȥ ? ̭ e , where boats crosedaily to the Greek island of Chios , a mere 12 km ( 71.2 miles ) away . A four-lane toll highway leads 80 km west of Izmir . contradictory +In All the President 's Women , David Plotz lists the women frequently linked to President Clinton and the qualities they share , he may have omitted something . The President 's women were all prostitutes . neutral +Enthusiasts claim that Linux can run for years without requiring you to restart your system . According to supporters , it 's possible to not restart a Linux system for years at a time . entailment +Figure 1.7 : Relatively Fewer Workers Will Support More Retirees ( 1960-2075 ) Covered workers per OASDI beneficiary There will be fewer retirees in the next 50 years . contradictory +Safe sex . No sex can be considered safe . contradictory +Benefits are not monetarily quantified because of the lack of any existing methodology to do so . The benefits cannot be measured properly because they are not entirely understood . neutral +Both old and young take part , attesting to the growing revival of interest in Spain 's rich heritage of traditional dance and music . People of all ages participate , indicating the renewed interest in Spanish dance and music . entailment +The Anaheim Angels and Mighty Ducks offer entertaining sideshows ( mascots , food courts , dancers ) but the teams stink , and fans say that 's all that matters . The Anaheim Angels and Mighty Ducks both have teams that stink , but their sideshows are fun . entailment +Third , Finkelstein deduces from some Germans ' disgust at the destruction of Jewish lives and property during Nazi-sponsored pogroms such as Kristallnacht that Germans overwhelmingly condemned the Nazi anti-Semitic atrocities . Every German person despised the Jews and actively encouraged Nazi practices of massacring Jewish people , and Finkelstein gathered this from evidence . contradictory +Leave them alone , Julia . ) Julia , don 't let them speak like that ! contradictory +From the Place des Abbesses , take Rue Ravignan to 13 Place Emile-Goudeau . Rue Ravignan does not lead to 13 Place Emile-Goudeau . contradictory +The day before my visit with the Rev. The visit was scheduled for the next day . entailment +The west bank of the Nile is home to the modern university and seemingly endless residential suburbs , but two attractions lie on or close to the river . There are two places of interest for tourists along the river . neutral +Odds are as high as 35 to 1 , which means a single $ 5 chip on the right number wins you $ 175 . A $ 1 bet would pay out $ 35 . neutral +sometimes i i 'd sit the plants outside on the patio and and i 'd forget about them and it gets too hot out there and and they you know burn up and so forth that 's happened to quite a few of my plants My plants have burnt being out on the patio before . entailment +A small purple despatch-case , with a key in the lock , on the writing-table , engaged his attention for some time . There was money in the case . neutral +Therefore , fees are not recognized as a revenue , a gain , or an other financing source . Only in China are the fees recognized as a revenue . neutral +As famous as the mosaics are , the cathedral 's beautiful cloister offers a moment of spiritual meditation along the arcades of delicate carved twin chevron-fluted columns and an almost sensual pleasure among the exotic flowers and trees and Arab fountain of its garden . The cathedral has a stark Gothic style . contradictory +There are flower sellers set up along Av . Along the Av are merchants that sell flowers . entailment +A retrospective cumulative case study was conducted by the World Bank in its examination of four in-depth case studies of the effectiveness of educational programs . A retrospective cumulative case study to evaluate the IQs of students . contradictory +and just have them take it but then who 's helping them just have them take it , because that would be easier neutral +He misdirected us , and so we came By a long route , which took us through a caveFilled with the lapping of a distant wave.Our confidence already on the waneWe wandered , wondering , ever more in wantOf knowing where the true way really went . He took a long way through a cave and got us lost somewhere near the ocean , it almost seems as it was purposeful to delay us . neutral +He was Drew Kirby , Texan , not Drew Rennie of Red Springs , Kentucky . Drew Kirby had lived in California all of his life . contradictory +An editorial from the Chinese Xinhua news agency vilified Taiwanese President Lee Teng-hui for venturing down a dead alley and swimming against the historical tide of unification . The Chinese Xinhua news agency 's editorial took an apologetic and defensive stance toward Taiwanese President Lee Teng-hui . contradictory +Like the Colorado report , it called for stronger enforcement of existing laws . Unlike the Colorado report , it recommended rehabilitation as opposed to longer sentences . contradictory +Team owners have also boosted ticket prices at the new parks , charging about 35 percent more than they did at the old parks . Because ticket prices have increased at the new parks , attendance has fallen , which is troubling the team owners . neutral +for how many years Such a thing never occurred . contradictory +should handle cases like that It 's impossible to deal with those types of cases . contradictory +Anyone who knew Tony Lukas even slightly was deeply impressed by his boundless , open-minded curiosity about the injustices of modern life , along with his stubborn reportorial integrity about getting to the very bottom of any story as best he could . Tony Lukas was open minded , curious and stubborn . neutral +but you you got the the three fifty in the van I know you don 't have the 350 in the van , you left them at home . contradictory +Due to the longer increments of time that the Clear Skies Act provides facility owners to comply than was assumed in this analysis , installation of these technologies will extend over more than three years , spreading out the demand . Facility owners have a longer increment for which they have to comply with the Clear Skies Act . entailment +um-hum yeah now i think i 've experienced my first cat here that will not eat tuna we have a cat that will not eat tuna um-hum This is the first time that I 've known a cat not to eat tuna . entailment +It is equally clear that France will not give up its taste for regulation--indeed , it will surely try to impose that taste on its more market-oriented neighbors , especially Britain . France may want to try to persuade some of its neighbors to embrace more regulations . entailment +There may be a conjunction . " He fell back , panting , his heart fluttering . He was surprised . neutral +Slovakian ? From Bratislava , the capital city of Slovakia ? neutral +But part of it is personal . A part of it is personal because they didn 't talk about it . neutral +Long enough for a gentleman who had once studied medicine to gratify a very natural interest and curiosity . Our eyes met . A gentleman who in the past has educated himself in medicinal practices . entailment +At best , he is severely diluting the brand name that is Henry Louis Gates Jr.--a brand name based in large part on . This is bound to hurt both his own reputation and that of the enterprises he believes in so sincerely . He is cheapening the brand . entailment +Much of restored Old Havana is concentrated in only a few blocks at the eastern end of these streets . Much of restored Old Havana is concentrated in only a few blocks because government funding ran out . neutral +at that time as to the rush in the elementary yes right All movements to school were relaxed and had no rushing . contradictory +Only a few installations have required the relocation of the air preheater . The relocation of the air preheater was only required in a few installations . entailment +For relaxation , the Italian Riviera east and west of Genoa alternates a rugged coastli ne with the occasional fine sandy beach . There are no beaches along the Italian Riviera . contradictory +Princess Margaret began the tradition , to be follo wed by three of the queen 's Anne , Andre , and of course Charles , who journeyed with the newly designated Diana , Princess of Wales , around the Mediterranean in 1981 . Princess Diana journeyed around the Mediterranean in the early 1980s . entailment +Drink this . Mrs. Vandemeyer complied . Mrs. Vandemeyer didn 't drink anything . contradictory +the the molding but by and she did that all the way around the room which makes it look very attractive but it makes the room look smaller which is uh She did some molding all around the room which made it look very nice but it makes it look smaller . entailment +they 're sitting there it it it makes me wonder and they 've they 've got the capability and they 've got the people you know They 've been sitting around forever , and it makes me feel hopeless . neutral +Understanding differentiation is the key to understanding development , and Dolly embodies the extraordinary possibility of manipulating the process--of doing experiments to identify the basic construction rules used in putting animals together . We need to understand differentiation if we want to understand development . entailment +It is too awkward . It wasn 't very awkward until now . neutral +The impact of the impassioned performances , aided by stunning costumes and elaborate make-up and masks , can be utterly seductive ; many a skeptic has emerged an addict . Many people going into the performances skeptical may be turned around by the end . entailment +These people are desperate for information , said Juliet Stone , 29 , the project 's supervising attorney . The people were satisfied with the amount of information they had already received . contradictory +but still i would hate to be on the jury that sentenced someone I wouldn 't want to be on a jury that sentenced an innocent man . neutral +Nor does Soccer Guy seem like an appellation that 's likely to go down in the annals of crime alongside Sammy the Bull--or even Paulie Walnuts , that hit man on the Sopranos . Sammy the Bull never did anything wrong . contradictory +Our selection process was not designed to provide examples that could be considered representative of all the employee empowerment and involvement initiatives at the agencies reviewed or the federal government in general . Our selection process is only helpful to Mexican employees . neutral +okay we we can uh be recorded while we talk about it I 've nothing to hide , so we can record this discussion . neutral +In the half-light of the sky , he saw that the plant was gone . In the small light of the sky , he could see the plant was still there . contradictory +yeah it 's really interesting it It 's really dull . contradictory +Marion Barry stepped down as mayor of Washington , D.C. Marion Barry was young . neutral +Parvati also has more benevolent aspects , such as Taleju , patron deity of the Nepali royal family , and Devi . Parvati has not always been the most welcoming place . neutral +To cut your income by two-thirds or more , now that takes character , said Mr. Gray . Mr. Gray said that cutting your income by two-thirds is unnecessary and is just done to look like a martyr . contradictory +Potential Improvements to the Study . Potential improvements include the possibility of recruiting more people to the team . neutral +no and then you know we 've got some guys here they 're you know four and five handicappers and they don 't like to play with me because i 'm too slow for them so All of the guys here line up to play with me . contradictory +okay um what do you think about the war recently What do you think about the peace talks ? contradictory +Roman power extended throughout the Mediterranean with a victory in the Punic Wars against Carthage ( now Tunisia ) and conquests in Macedonia , Asia Minor , Spain , and southern France . Roman power extended to the Atlantic after the Punic Wars . neutral +As she had expected , the room was empty . Against her suspicions , the room was full of people . contradictory +and there isn 't really a lot of TV watching There is not a bunch of TV watching . entailment +Even with much heat , it could not be done . It couldn 't be done even with a lot of heat , but they 'd find another way . neutral +This proud university town Galileo taught physics here from 1592 to 1610 was a major center of the Risorgimento reunification movement . Galileo taught physics in this town in 1613 . contradictory +you know they you know they need help they don 't have anybody to depend on and it would be nice to have somebody come over and cut their yard or paint their house or do minor repairs or something like that and They don 't need any assistance . contradictory +5 levels rather than mean PM2 . The mean of PM2 returns a more accurate output . neutral +Your particular law , or two , address problems fully worthy of a national fuss and Rose Garden signing ceremony . Your two laws don 't serve any purpose whatsoever . contradictory +The appendixes provide further information for use in planning and conducting an acquisition audit . There 's more information provided in the appendixes on the subject of conducting acquisition audits . entailment +yeah like my husband says we just have two kids it 's hard to keep them out of things let alone pets My husband said it 's hard enough to keep the kids out of things and it would be worse if we had a pet . entailment +yeah i just kind of in for a while you know he had a he had uh one of those what are they top secret things you know where he couldn 't talk about what he did so The man had one of the top secret agreements that forbade him from talking about it . entailment +Activist groups are dubious . Activist groups are unreliable . entailment +yeah i 'm still still i 'm able to survive and and uh working for a company that reaps some benefits from the tax money it 's almost like you 're paying your own salary i don 't work directly for the government but uh getting government contracts and being in the defense industry as it were even realize a little slim these days it 's still uh Since I work exclusively for the private sector , my tax dollars go to waste . contradictory +Hello , A 'deem , said Ca 'daan . Ca 'daan didn 't speak to A 'deem . contradictory +We had her down as Rita Vandemeyer , but I suppose that 's incorrect ? Rita Vandemeyer is what her birth certificate says . contradictory +Make up your own picnic hamper of cold meats , bread , cheese , fruit , and water or wine from the local market before you get aboard . Before you board , get some picnic foods at the local market . entailment +Virtually all the fans with whom I have spoken over the years ( quite a friendly bunch , actually ) consider the absence of big wrecks , injuries , etc . , a key component of a good race . Most NASCAR fans that I 've talked to prefer to watch a race that doesn 't have a lot of 10 + car pileups . neutral +While most families say they recognize the need to save for retirement , many do not save in any systematic way . Many families don 't save for retirement like they should . entailment +oh God what a headache what a pain in the butt and I don 't think this 'll at all be an inconvenience . contradictory +Other agencies either had no such electronic dockets or their systems were not as comprehensive or sophisticated as DOT 's system . Other agencies had systems better than DOT 's . contradictory +The shattered Spanish economy inched forward during the post-war years . The Spanish economy flourished until the end of the war . contradictory +'Cause , like , I want a Miata . I am going to get a Miata . neutral +Uncertainties Specific to Premature Mortality Valuation These include how people died . neutral +Adrin , Ca 'daan , A 'deem , Jon , and Susan walked through the tent city and the market square . They went through the city to the market square . entailment +It 's just my stupidity and lack of understanding what could happen , he said . I do not understand what could happen . entailment +and while he was gone he had looked went looking for a job and stopped at the store that 's what it was and uh someone who was in the neighborhood cleaning carpets these two men went in raped the girl murdered her Was the girl that was raped and killed young ? neutral +Egyptian National The national circus started with the help of skilled Soviet practitioners in the 1960s , and it has a permanent base at Azouga in Cairo for most of the year . There was no national circus in Egypt until the year 2000 . contradictory +In that respect , the financial audit is considered the loss leader in many audit organizations with a focus on cutting hours and costs and as a means to obtain consulting engagements . All auditing organizations consider financial audits to be money making opportunities . contradictory +What ? Why , the impertinent monstrosity . This is rather lovely . contradictory +The editorial said it was encouraging that the Vatican considers exorcism worthy of modernisation , adding , It is reassuring to discover that the Vatican has not dropped its guard . The Vatican things exorcism should be continue just the same as it has been . contradictory +I 've died only fourteen times so far , so I 've got six more lives to go . Every death taught me more about how to defeat him . neutral +and oh that is so good delicious That tastes really good . entailment +Two magnificent state rooms follow , both designed by Sir William Bruce as part of the extensions and refurbishment in the 1660s . There is just one state room . contradictory +Kate Capshaw ( a k a Mrs. Steven Spielberg ) stars in a so-so romantic comedy about an older divorced woman whose life is changed by the discovery of a love letter . Steven Spielberg 's wife directed the romantic comedy about an older divorcee . contradictory +As we have reported , labor-management relations at the Postal Service have been characterized by disagreements that have , among other things , hampered efforts to automate some postal systems that could have resulted in savings and helped the Service reach its performance goals . labor-management relations at the Postal Service have not been characterized by disagreements contradictory +and i think one of the good ways of solving that is to like everybody likes to come to a party so have a voting party and uh you know like in communities and have the issues there and then everybody go vote together and then maybe come back over and have brunch or something i mean that 's the only thing that i can figure out because Everyone likes to be active in their community . entailment +sounds like you 're you 're very responsible very financially responsible it 's uh You 're clearly financially irresponsible . contradictory +For the present structure , we must be grateful to the great restorer-architect Eugyne Viollet-le-Duc , who did extensive renovations from 1845 to 1863 in response to the public outcry started by Victor Hugo 's novel , Notre-Dame de Paris . The renovations were never done . contradictory +Didn 't you hear it last night ? " Didn 't you hear it make all that noise last night ? neutral +" We have , " Drew corrected . We do , stated Drew as he correct him. he has checked himself this morning . neutral +He waved to the mercenary who glared at him but recognized him enough to not bother questioning him . He waved to the hulking man . neutral +yeah uh but i well i 'm still trying to get all the DMC colors I don 't have any of the DMC colors . contradictory +question . An inquiry intended for someone to elicit information . entailment +The Texan came across the corral . The Texan was an imposing figure . neutral +It became a center for wealthy and upper-class visitors and was donated to the town in 1906 by the original owner . The center became run-down over the years and had to be sold off as collateral by the original owner . contradictory +The case against the president should be strong enough to justify some members of his own party voting against him . Members of the president 's own party need no justification to vote against him . contradictory +I had a pleasant conversation with him and his wife . The conversation was about rescuing poor children . neutral +In Annapolis , the Bureau 's 20-year representation of the Bloomsbury public housing project resulted in a victory that will result in the relocation of residents Co many of them elderly and disabled Co to new waterfront housing that will keep the last black neighborhood in the city intact . The new waterfront housing is valued at more than double that of the old housing . neutral +Regional Effect - The acid rain program resulted in emission reductions well below the cap in the areas that contribute most of the sulfur in acid rain . The acid rain program resulted in marked increase in emissions . contradictory +Mrs. Vandemeyer lifted her lids . The lids in this instance are eyelids neutral +well um i 'm not uh much of a a woodworker myself but my dad owns a shop and he uh makes quite a few uh arts and crafts just type things out of wood and um My dad makes wooden crafts and arts . entailment +Since some cost is recognized , even if not always the full cost of the entity , 47 an exchange revenue is recognized for the entity that receives the inflow of interest . Exchange revenue is recognized as an inflow of $ 100,000 in interest . neutral +oh you like the Raiders They have been to a Raiders ' game . neutral +i think it 's the second shot or the third shot the bullet 's in there but i mean he 'll give them two chances They weren 't a good shot . neutral +it was about an eighteen nineteen hour drive It was mind numbing to drive for that wrong . neutral +It runs westward from the Lieutenance , the 16th-century remains of the royal governor 's house at the harbor mouth . The governor moved inland after his house was ruined . neutral +You can wander on your own or join a guided walking tour ( for routes and times , check with the Tourist Information offices at Safra Square and Jaffa Gate ) . It 's fun to explore on foot but the guided tours are cheap and worth the price . neutral +except i think the Cowboys are on the upswing i don 't know about the Vikings I think the Vikings are having some trouble . neutral +Another example is GAO 's review of 23 federal agencies ' efforts to implement the Federal Managers ' Financial Integrity Act of 1982 . GAO reviewed federal agencies to see how they implemented an act from 1982 . entailment +Interestingly , the Wiccan mail was friendly , polite , and informative . The Wiccan mail was off-puttingly forward and insulting . contradictory +Underneath the building is a small lake which provided the inspiration for the phantom 's hiding place in Paul Leroux 's Phantom of the Opera . The Phantom of the Opera was created by a director named Stephen Spielberg . contradictory +It was highly possible that it might prove to be Whittington . There is a great chance it may turn out to be Whittington . entailment +no no i didn 't even miss work just sling stick it in a sling and go on I didn 't have to miss any work . entailment +Figure 5 : GAO Staff Levels GAO staff levels are depicted in Figure 6 . contradictory +yeah that 's uh sometimes turns into fun i think another similar one was when we 'd go uh up to Bastrop Strate State Park there in uh kind of got caught by the cold weather and we uh gathered what firewood we could and built us a campfire you know and sat around there I hate getting caught in the cold weather , I usually just leave . contradictory +and uh it 's just human nature to walk through an open door so and i would be glad to see that i hope i don 't see a lot more single moms but i it seems in my experience i 'm running across single women all the time From what I 've seen there are a lot of single women but not many more single moms . entailment +33 T-ACE also screens for alcohol abuse and dependence . The 33 T-ACE scans for alcohol ans dependence among other things . neutral +On fine days the sunshine and shadows chase constantly across the water and rocky wastes , but stormy fronts that form in the Atlantic Ocean are caught by the mountain tops here , as a result of which they are almost always enveloped in clouds . There is a lot of rainfall in the area because of its proximity to the sea and mountains . neutral +As a result , programs often pass through each development phase and into production with an unstable design and insufficient knowledge about critical manufacturing processes and product reliability . It is not possible to pass through the development phase without having a stable design . contradictory +that 's true there 's not too many basements in Texas In Texas it 's not common to find a basement . entailment +With all these new groups competing for members and cash from the same pool of hard-core conservatives , tension is unavoidable . Because the group competing for cash has remained constant , tension is at an all time low . contradictory +But in modern Istanbul , the scarf completely depersonalizes the shapely legs and curving torso displayed in contemporary clothes below it . Modern Istanbul fashion prioritizes displaying the lower body . contradictory +right wasn 't it Lewisburg that had a lot of uh bad things happening just in the last couple of weeks or was it not It 's been peaceful in Lewisburg . contradictory +The migrant program generally has taken on issues related to farm labor and has represented large groups of workers . The migrant program works on labor issues for Mexicans . neutral +But I doubt this particular dishonesty will keep him out of heaven , since it is imposed on every politician--and even every clergyman with ambitions . This dishonesty is over promising on policy reforms during an election . neutral +Captain Peter Bristow also runs big game fishing expeditions . Last year only three people attend the expeditions neutral +You can see the art of mosaics still being practised in workshops along the nearby Via Giuliano Argentario . You can see mosaics being installed in the workshops . contradictory +Nearby is Muncaster Castle , a structure offering much in the way of English history . A structure offering much in the way of English history , Muncaster Castle , is nearby . entailment +Controlling SO2 ; A Review of Technologies SO2 can be controlled through give different technologies . neutral +And we haven 't seen a single human being since we entered the state hours ago . We have seen many people since entering the state . contradictory +Apparently , a few . There are a few horses . neutral +The traditional patterns and symbols are handed down from generation to generation and have great significance to the weaver , conferring good luck on the household , protection against the evil eye , or expressing the desire for a child . There is little to no modern influence noticeable in the patterns , they are almost entirely unchanged through the generations . neutral +Get as many into the caves as will go . Put as many miners into the caves as you can . neutral +Though it is surrounded on all sides by ill-planned encroachments , the Casino still stands in perfect splendor on a gentle rise . The casino stands out among the rubble neutral +Warsaw went to Prussia , Krakew to Austria . Austria took Warsaw and Prussia took Krakew . contradictory +But the absence of workaday and historical detail keeps the reader at a distance There isn 't historical detail because the historians can 't agree . neutral +What is your credit-card number ? Can I get the number on your card ? entailment +It is , instead , a dynamic and inclusive process . It is not a dynamic and inclusive process . contradictory +Boudhanath has attracted Tibetan monks and pilgrims for centuries , and over the years a Tibetan and Sherpa community has grown in this area . The Tibetan and Sherpa community has shrunk in recent years . contradictory +Furthermore , environmental monitoring networks tracked important environmental improvements - - acid deposition was reduced by up to 30 percent in certain areas of the country . The environmental monitoring networks failed to track anything of importance . contradictory +Foner quotes David Lilienthal , chairman of the Atomic Energy Commission who , in 1952 , By freedom , I mean essentially freedom to choose to the maximum degree possible . Foner mentioned a passage from a scientist who spoke in the year 1972 , regarding fast-food production and worker stress . contradictory +yes i i have my primary experience has been as uh an expert witness and and uh and two murder trials I have experience in forensics as an expert witness and two murder trials . neutral +uh no not yet i know that sounds funny coming from a woman but usually i don 't That sounds funny to hear a woman say that . entailment +uh-huh but then um like i know this girl she 's doing her student teaching or she 's just working like within the school and um yesterday she was at the kindergarten and there 's this little boy he like didn 't want to do anything and he said i 'm not doing this i don 't like it and he sat at his desk with two pencils in his hand and pretend like he 's playing Nintendo He pretended like he was playing a video game . entailment +you know like people that are in prison i mean we didn 't put them there they put themselves in that situation and as far as like them uh entertaining the rights that they should have They put themselves in that situation and ultimately in prison . entailment +The division has come almost to the point of regarding the South as Italy 's own Third World , as it offers a supply of cheap migrant labor . There is no cheap labor in the north of Italy . neutral +Shenzhen was China 's first Special Economic Zone . Within China was Shenzhen , and it was China 's first and only Special Economic Zone . neutral +got more uh civilized and uh give them lethal injection so we definitely do have uh capital punishment We still use the electric chair and it is more civilized . contradictory +Susan needed to be safe . Susan was being overly cautious and shouldn 't be so safe . contradictory +All are in easy reach of Naples ' museums , the archaeological remains of Pompeii and Herculaneum , the Vesuvius volcano , and farther down the coast , the Greek temples of Paestum . Pompeii is currently 75 % excavated . neutral +Greuze stared at her . Greuze looked at her . entailment +In the rate category approach , the difference in the rates for the two categories is based on the cost difference . There is not rate difference . contradictory +well it winds up being a little stress on the shoulder joints after a while doing too many pull ups put a bit of stress on your shoulder joints neutral +Continuing levels of sulfur deposition , albeit smaller than before , also work to prevent recovery due to extremely large sulfur loadings over the years . Sulfur is a damaging substance to recovery . entailment +yeah it is it 's it 's a tough tough question it really is I don 't have a good answer to that question . neutral +so i had i had always been a a sea fisher type which is a lot of fun Sea fishing was always something that I enjoyed . entailment +Paramount Studios ( 5555 MelroseAvenue ) is the only major motion picture studio still physically located in Hollywood . Paramount Studios is famous . neutral +The scrolls , written by the first-century b.c. Essene sect , are the earliest known biblical manuscripts in existence . The earliest known biblical manuscripts were written in the first century . entailment +Unlike the industrial age in which tangible assets were of great value and importance , in today 's knowledge-based economy it 's intellectual capital that is driving the market value of many enterprises . In today 's knowledge-based economy , unlike the industrial age , intellectual capital is what 's driving the market value of many enterprises . entailment +get what you pay for huh Get what you pay for but don 't get more than you can afford . neutral +The generation that follows will find its own craze . Generations that follow each other will find their own craze . entailment +The first houses built here did not adhere to any set design . Among the styles of architecture were Georgian and Greco-Roman . neutral +Poirot approached and stood over him . Poroit stood over him entailment +Keep in mind that you are not attesting to the overall reliability of the data or database . It is important to note that you are required to attest to the data 's reliability . contradictory +Even though many low-income households have accumulated no wealth as they approach retirement , the researchers found that some low-income households had managed to accumulate fairly sizeable wealth . Some low income households are able to save extra money by collecting lottery tickets . neutral +that 's exactly right and i do I do that quite often . neutral +I will tell you , my friend : Because they are both clean-shaven men . I 'll tell you : because both men were clean shaven . entailment +He is too many other solid things , in addition to being a Star . He is just an average human being . contradictory +I suppose that 's what this place had been used for before . I guess this place was used in the Underground Railroad . neutral +uh yeah that was good yeah yeah yeah it 's true It 's true . It 's good . entailment +Although she thought age of the interventionist could be an influential factor , she was unsure because there are so many interactions and factors that we have not looked at very carefully . She was absolutely positive that the age of the interventionist was a big influential factor . contradictory +Horyuji was actually built decades after Prince Shotoku 's death in 622 . Horuyuji was built right before Prince Shotoku died . contradictory +The book review sections of the Sunday Times , Sunday Telegraph , and Observer , as well as the Times Literary Supplement and the delightful London Review of Books , look to conflicts to generate interest . The Sunday Times book review sections is one of the few that isn 't seeking to generate interest . contradictory +One leads through the fertile lands of the Nile Delta , past fields of cotton , rice , and numerous fruits and vegetables . Many crops are grown in the Nile Delta . entailment +and it hey i saved three hundred bucks I saved three hundred bucks by changing the tires myself . neutral +They watched me constantly for weeks . They left me on my own for weeks . contradictory +but they what is it is it free to the people to people or how do they work that I know how they fund it . contradictory +I looked down , at what was now the end of our train . I was surprised to see the end of the train when I looked down . neutral +During World War II , the US built an Air Force base here that later became the international airport . The airport here was initially an American air base . neutral +While publicly accusing Republicans of tactics aimed at gaining political advantage , Democrats privately gloat that the tactics will give Democrats a political advantage . Democrats boast that their approach will give them an advantage and they will win in 2020 . neutral +I saw you roll out of your saddle back in Tennessee . I also saw you roll out of your saddle in Virginia . neutral +For a dry drink , look for the description brut . The description " brut " indicates a dry drink . entailment +Certainly we can consign all sports metaphors to the linguistic cemetery . Certainly sports metaphors cannot be cosigned to any linguistic graveyard . contradictory +These prototypes were built using production-like tooling and methods using production workers . The prototypes were able to be created because of the production-like tools . entailment +in the front yard i would uh just drive up to the curb and drop them at the curb the uh county had a pickup service for leaves dropped at the curb The county had a pickup service for leaves . entailment +Understanding exactly the needs of his future students , he planned to open classes of the following profiles : platform PSP ( one group ) , platform PC ( three groups ) , platform GB ( one ) and platform Mac ( cancelled due to a lack of interest ) . The PC platform had the greatest interest . neutral +We can fix this . ' This can 't be fixed . contradictory +This series of reports also is useful for illustrating the way in which causality is established in case through development of internally consistent explanations of what led to what and the conscientious use of information from within the site and from contrasting sites to rule out alternative explanations . Causality can be established using internally consistent explanations . entailment +Subtle hints won 't cut it , guys . Subtle hints about my weight won 't cut it . neutral +Cale de la Princesa , which begins at Plaza de Espana , is actually a northwest extension of the Gran Via . Cale de la Princesa is a northwest extension of the Gran Via . entailment +To the right the walls are carved with scenes from the life of Queen Hatshepsut including her divine birth where her mother is shown being attended by Heket , the frog-headed midwife god , watched over by Amun himself . Heket was the god of midwifery , and had a frogs head . entailment +All the comments made regarding limitations on LSC representation for H-2A workers focused on the restriction of the subject matter of such representation to claims arising from the worker 's employment contract . Comments focused on the restriction of the subject matter . entailment +Well , you figure how you 'd like it if you were just a simple man and some priest magicked her away from you--and then sent her back with enough magic of her own to be a witch and make life hell for you because she 'd been kicked out by the priest , but he hadn 't pulled the wanting spell off her . How would you feel if some priest stole her from you using magic ? entailment +and uh just i 'm getting back into apartment life and it 's I 'm trying to get used to a house . contradictory +One of the cinemas , near the Grande Arche , has a big wrap-around IMAX screen , and in the same building the Musee de l 'Automobile displays over 100 classic cars , restored to mint condition . The rest of the cinemas can 't afford such an expensive IMAX-screen , and most museums can 't afford restoring cars to excellent condition either . neutral +Still , there are some reasons to prefer the 19 th century 's embrace of partisanship to today 's exaltation of the conscience-serving , hyper-responsible individual--or what I once heard called the David Broder / League of Women Voters school of politics . Today 's politics are hyper-responsible and conscience-serving . entailment +The subjects of this anthropology looked at Yeats ' stylish black London suit--he was always a careful , poetic dresser--and took him to be a proselytizing clergyman . The anthropology was for Yeats ' car . contradictory +what kind of questions did you ask about that private sitter before you took her over there What type of questions did you ask about the sitter ? entailment +you 're living with three other people You live with three people . entailment +In addition , Maryland has two law schools that are very active in delivering legal services to low- income persons in a variety of areas . There are no law schools in Maryland . contradictory +Let me propose another reference group that the culturati might glorify in the ( perhaps vain ) hope of curbing spending- happily functioning people . I am not going to come up with another group . contradictory +wow i worked around in the yard a little bit and i 've got sunburned a few years ago and you know got one of those what second or third degree burns and the doctor looked at it and said don 't ever I did some yardwork . entailment +um-hum yeah probably the hardest thing in in my family uh my grandmother she had to be put in nursing home and um she had used a walker for for quite sometime probably about six to nine months and um my family had to put my grandmother into a nursing home because she wasn 't able to walk well neutral +Accordingly , HCFA did not follow notice and comment procedures with respect to this provision . HCFA didn 't respectfully follow notice and comment procedures . entailment +In his second week as press scourge , Steve Brill remains a hot topic . He is still a hot topic . entailment +directs the Board to prescribe regulations with respect to the amount of credit that may be extended by a broker-dealer on any non-exempted security . The board usually sets very generous credit limits . neutral +For more information on debt reduction , see Federal Answers to Frequently Asked Questions-An Update ( GAO / OCG-99-27 , May 28 , 1999 ) , Federal Debt Management in a Period of Budget Surplus ( GAO / AIMD-99-270 , September 29 , 1999 ) , andFederal Debt Management Actions and Future Challenges ( GAO-01-317 , February 28 , 2001 ) . A budget surplus in government spending tends to lead towards wasted tax dollars . neutral +i guess if you stay out of trouble you don 't have you worry about it but If you stay out of trouble , you don 't have to worry . entailment +Even if we could afford it , we don 't have the will to do it . We have the will and the way to do it . contradictory +border town . town on the border entailment +When ABC 's George Will tried to goad Rep. When Bill said yes . contradictory +He was shielding Mademoiselle Cynthia . " Mademoiselle Cynthia was shielding him . contradictory +Ask for a bedroom facing the Old City walls . The Old City walls do not exist . contradictory +But just level with my head there was a hole in the rock . There was a hole in the rock at head height . entailment +The Patio de Armas , or arsenal square , as the quad is called , leads into the first of a number of wide , open plazas which come upon you unannounced as you climb the maze of narrow alleys . The Patio de Armas is called arsenal square . entailment +It is dedicated to the Goddess of Mercy , who is often associated with fertility rituals and other benevolent powers and as a result draws a wide range of both the rich and poor to pay respect . It is dedicated to the Goddess of Chaos . contradictory +Impossible of course ! Everyone says it 's impossible . neutral +they are but parents Parents are the worst and you can 't expect much out of them . contradictory +The village of Bassenthwaite spreads out across the valley to the north of the lake . The village is located in the valley . entailment +right right the reputation that they have a good reputation People think highly of them . entailment +and we really have a great time with it i 'm sure that 's the way that you felt with your boys We love to play with our family . neutral +Sensualists have sex without orgasm on purpose , she writes of all those candle-loving , body-oil-bearing himbos . Sensualists want to orgasm during sex . contradictory +Visibility results are reported as a change in deciviews . Visibility results are not reported at all . contradictory +He must act quickly . He has no time to lose . neutral +OPPORTUNITY COST - The value of the alternatives foregone by adopting a particular strategy or employing resources in a specific manner . Mis-opportunity cost is the amount of alternatives not ventured by using a certain strategy or resource / contradictory +In the preamble to the final rule , there is extensive discussion of the comments submitted and the actions and changes to the proposed rule that EPA made as a result of its consideration of the comments . The EPA did not propose adjustments to the rule . contradictory +It gets worse . It gets worse , but better afterwards . neutral +I fixed my mind on my book . " I couldn 't think about anything other than my book . entailment +and we got we got two girls off in college they don 't do anything but uh i uh and i love to be out in the summertime i love to be out when the sun is really nice and hot and just go out there and sweat a bit mowing the lawn All of my children are still in elementary school . contradictory +so oh well it 's been seven minutes It has been seven minutes since the beginning of the call . neutral +The total number of members in the boilermaker 's construction division is currently about 24,000 journeymen and apprentices . The boilermaker 's construction division consists of exactly 3 million journeymen and apprentices . contradictory +From your report of the timetable , your brother 's wife started the marriage with no intention of being faithful . Your brother 's wife is a swinger . neutral +In the event that someone does take up the McHugh gauntlet and seeks your support , I think it is important that you , that mailers not just blindly endorse a bill simply because its title includes the phrase postal reform . The McHugh gauntlet will be very beneficial for mailers and all mailers should sign it immediately ! contradictory +Still , it 's something . At least it 's something . entailment +The desire for revenge against Germany remained . Revenge against Germany was still contemplated . entailment +She closed her eyes and Thorn 's story crashed on his mind like a rock through glass . She thought of Thorn 's story . entailment +Overall , How Do These Tax Incentives Affect National Saving ? The tax incentives are not even connected to national savings . contradictory +Since most movies are bad ( both in the subjective aesthetic sense and in the cruder sense of being unpopular ) , discounting the bad ones would bleed revenue while probably not persuading many moviegoers to make the tradeoff between quality and cost . I think the majority of movies are aesthetically amazing . contradictory +After considering comments from recipients and advocates , OPP intends to publish the characteristics in a Program Letter and use them as the best practice standard when evaluating programs ' intake systems . OPP intends to publish characteristics after having considered comments from recipients . entailment +Sometimes a basic story that rests on great special effects and stupid dialogue can be very entertaining--it 's called a cult movie , and no critic can have an effect on the obvious outcome that this is going to be the highest grossing movie ever . Cult movies never sell more than a few thousand tickets . contradictory +All you need to do is just wander off the beaten path , beyond the bustling tourist zone . There is no point going off the beaten path , there is nothing there . contradictory +and enjoy nature and uh kind of wipe out the stress of everyday life i 'd always Nature only makes problems worse . contradictory +His eyes opened to their fullest extent as he hurried forward to assist Tuppence to alight . He closed his eyes and opened them to see Tuppence get down on his own . contradictory +We get them that way sometimes . They do not get that way ever . contradictory +A Salon reporter told Bauer , A lot of us have heard this rumor . The rumor is being kept within the confines of the office . contradictory +The mid-1980s witnessed a gradual program of liberalization in Poland on the heels of Mikhail Gorbachev 's remarkable perestroika and glasnost in the Soviet Union , the promises of greater openness and economic freedoms . Soon after glasnost began , Poland started to become more liberal . entailment +Well , if we extend the co-op 's story a little bit , it is not hard to generate something that looks a lot like Japan 's problems--and to see the outline of a solution . Japan has a lot of issues to work out . neutral +The first appendix covers relevant issues addressed in GAO 's reports ( responses to agency requests ) . The GAO 's reports were covered in the first appendix . entailment +Analysts construed the project as a coalition bid for mainstream credibility Analysts did not construct the project . contradictory +It has splendid marble paving and , etched in the wall of one of the smaller rooms , a controversial croseregarded by some as one of the oldest Christian relics , though others insist the emblem was not adopted until the conversion of Constantine three centuries later . There is debate about the adoption of the emblem . entailment +But the Camargue isn 't just a remote haven for wildlife ; despite the dearth of villages inland there are modern resorts along the coast , including the bustling Saintes-Maries-de-la-Mer with its long , sandy beaches , docking facilities for yachts , and good windsurfing ' there 's even a speed canal that allows surfers to reach world-record speeds . The Camargue is an exclusive wildlife refuge and no humans are allowed . contradictory +the interest on the associated debt securities is classified as nonexchange revenue , and it should be accounted for as an exchange gain or loss if the interest on the associated debt securities is classified as exchange revenue . The classification of the interest on the associated debt securities was exchange revenue only . contradictory +Moreover , these ventures left France 's once-thriving economy in ruins . France 's economy which was once plentiful was left in ruins after certain ventures . entailment +If one thinks Ken Starr is out of control , the other , ideally , should argue that Bill Clinton knifes people and buries their bodies in the White House basement . Everyone thinks that Ken Starr is not doing anything wrong . contradictory +Requiring every plant over 30 years old to meet New Source Performance Standards and New Source Review modification requirements seems unnecessary and could undermine the benefits of the cap and trade approach . Every plant over 30 years old is falling apart and a risk to workers . neutral +for a while but then he switched jobs i don 't understand half the stuff he does and i have uh For a time , but that was before he changed employment . entailment +That is labor 's real job , the very core purpose of a union . That is not the labor 's real job , or the core purpose of a union . contradictory +In early May 2001 , shortly beyond the reporting period , LSC 's Office of Program Performance ( OPP ) notified programs that it was accepting comments to draft characteristics of a telephone intake advice and referral system . LSC 'S OPP contained 20 phones to take advice and referrals . neutral +Should power generators that do not emit air pollutants ( e.g. Generator that don 't pollute are needed neutral +This subsidy cost is recognized as an expense when the loans are disbursed . The subsidy cost is never regarded as an expense . contradictory +is available only in the sense that the article doesn 't accept the number that is available--thus using its own doubts to lend validity to themselves . The article embraces the truth without any denial . contradictory +so but uh let 's see what else oh we watch like for example uh okay do you watch Star Trek We 've never watched Star Trek , but I know you have . contradictory +Right there on Page 302 , he explains . He explains on page 302 how to train your dog . neutral +Got me this to prove it . My proof is this torn page from a diary . neutral +yeah yeah i remember i i quit i sort of remember that i 'm only twenty two but in the seventies i heard you know TI was even making uh those little watches you know those those uh LED watches that you couldn 't see in the sun TI has never made watches of any kind . contradictory +In 1974 , Congress enacted the Legal Services Corporation Act , 88 Stat . The Legal Services Corporation Act was enacted in 1974 . entailment +But what 's interesting is how similar Lockheed 's tactics remain to those it deployed when it was running what was called the grease machine . The tactics at Lockheed are radically different from what was tried before . contradictory +Ca 'daan saw that in him now , though the purpose had softened . Ca 'daan saw it in him now . entailment +All relieve symptoms in a vast majority of patients . All successfully cure a lot of patients . entailment +never show any anyway anything that i ever wanted i rented a lot of videos because the closest movie theater was Barry Saint Edmunds and who wants who wants to drive twenty miles to go to the movies I rented videos . entailment +The assistant shoemaker is another of Malamud 's weirdly insistent , lonely souls--impelled , who knows why , to devote himself to a hopeless love ; still wincing from the horrors of Europe , which he has not entirely escaped ; inarticulate , yet bursting with passion , if only his boss , the master shoemaker , will deign to listen . The master shoemaker does not bother listening to his assistant 's passions . entailment +Each country has made a different cost / service tradeoff , which is reflected in each country 's concept of universal service . The cost / service tradeoff in different countries is vastly different , neutral +This is so important for the future of the country that the national motto is Out of many one people . National motto is important for the future of the country . entailment +That 's what you do . You must not do . contradictory +That is all my business . This all certainly concerns me . entailment +They must join with others in a broad-based coalition that ignores differences they may have on traditional postal issues . They have to join with others in a coalition that supports their differences . contradictory +exactly um-hum um-hum well thank you and um i enjoyed talking with you you have a good time camping when you go next time think of me all right bye-bye Next time you go camping please think of me , I liked talking to you . entailment +Apart from a few decapitated statues , it came miraculously unscathed through the Wars of Religion and the Revolution . The place was complete torn apart by wars . contradictory +The Temple Mount area is the geographical heart of Judaism . Judaism places an importance on the Temple Mount Area . neutral +no i wouldn 't be surprised if Gorbachev wasn 't a satanist wasn 't a satanist i 'm not kidding To be honest , Gorbachev is probably a satanist entailment +and what do they do with it What do they do with the bins ? neutral +and uh so i had a first choice and uh i got in the upper tier uh well actually there was two types of seats there were two hundred and fifty dollar bonds and thousand dollar bonds that you had to buy I got to choose last , and I don 't like what I got . contradictory +Men in dark red armor , faces hidden by wide necked leather helms drove long pikes through the screaming men . They executed them for committing adultery . neutral +The FCC received 52 comments and 26 reply comments . 52 comments and 26 reply comments were received by the FCC . entailment +Examples of the types of leave on such T and A records include , but are not limited to , annual , sick , and family friendly leave . They have two weeks of various types of leave . neutral +oh is that right well we 're probably not too far apart i 'd probably fall in there at a seven or eight There is not much of a difference between us . entailment +yeah he did have a problem uh when he went camping last year in uh Beavers Bend Oklahoma Oklahoma Oklahoma Oklahoma um a storm a storm came in and it started raining really heavy and they were all everybody was trying to flee the campsite and everybody was getting stuck in the mud It was an unpleasant experience . neutral +or now that 's not true of all of them there are It 's only occasionally true . neutral +The high-society frolics of the Vaudreuil era were over . The high society raping was finished in America . contradictory +I could not say . This isn 't my area of specialty . neutral +Note 2 : Personal Rating of your level of competence for the supporting action . Rate yourself on how effective you have been in support of the action . entailment +It would take the mountainous man a long time to pull it free but he never got the chance . It was wedged . entailment +Other places with interesting souqs are the Arab towns of Akko , Bethlehem , Nazareth , and the Druse villages near Haifa ( see page 53 ) . Akko , Bethlehem , and Nazareth have the most interesting souqs of all . neutral +Loral denies that its report to the Chinese divulged sensitive information about rocket guidance systems , as a Defense Department report claims . The Defense Department report says the Chinese have a rocket guidance system . entailment +They had me in a sparse room , hooked up to all manner of lie-detector machines . They left me alone . contradictory +This is the headquarters of the Ravenglass and Eskdale Railway the little trains spend the night in the sidings here . Many trains are stored there . neutral +Sather Karf was being called to give the exact settings for this moment , but Hanson had a rough idea of where the planets should be . The only one in the country who knew the precise settings was Sather Karf . neutral +Abandoning the New Territories and Kowloon , the defenders retreated to Hong Kong island , hoping for relief which never came . The defenders stayed in Kowloon as it was safer . contradictory +The critics I spoke to , however , offered credible arguments . The critics offered arguments . entailment +Now home to more than 700,000 people ( one-third of the population of Jamaica ) , it is a huge city with many facets . The city is home to more than 700,000 Jamaican residents . entailment +The Health Care Financing Administration ( HCFA ) determined that the proposed rule would affect a substantial number of small rural hospitals , and that the effects on some could be significant . The effects on some could be disastrous . neutral +If there is a legal aspect to the case , it should be separated from the clinical intervention as much as possible . Clinical intervention shouldn 't be intertwined with the legal aspect of the case . entailment +There was an inevitable reaction to rapid Westernization . Westernization engulfed every person on the globe and changed everybody 's everyday life . neutral +Nagasaki is an unexpectedly charming city . No one thinks of Nagasaki as charming . neutral +yeah that 's right white yeah that 's what we 're trying to get ours to look like White with gold trim and polka dots is how we 'd like ours to look . neutral +5 billion per year at full implementation . Implementation was capped at 3 million a year . contradictory +that 's about it i guess That 's all there is to know about cats . neutral +A unique feature of case studies is that data collection and analysis are concurrent . Case studies always collect data before analysis . contradictory +The three convened at each other 's programs and over the telephone to explore topics such as executive leadership , managing change , and state planning in states with one LSC grantee . This year , the three could not find time either to meet or even to talk over the telephone . contradictory +After anteing up last month to subscribe I still love you , but this morning I 'm disappointed . I really love the free subcription . contradictory +knowledge had been captured . knowledge has been caught entailment +Dimly lit shops continue to dispense what they always books , cheese , religious statues , and military medals . Some of the shops sell things . entailment +Sure we expected it but it kind of rattles me , all the same , to see it sitting there just where we expected to find it ! " 175 Tommy , whose calm was , perhaps , more assumed than natural , moved his feet impatiently . It upset me to see it just sitting there on the shelf . neutral +The survey data collected were used to estimate a WTP equation for improved visibility . Survey data is not reliable enough to estimate a WTP equation . contradictory +In January 2002 , we implemented a new competency-based performance management system that is intended to create a clear linkage between employee performance and our strategic plan and core values . In August 2001 , we implemented an old performance based management system . contradictory +He , Thorn , and the Kal went to the smithy . The three of them went to the beach house . contradictory +( Reno didn 't seem to receive any special treatment on Face the Nation , where she appeared Sunday . ) On Friday , Reno went on Face the Nation . contradictory +almost the entire amount that i paid her on my daughter either making her clothes or buying her things I was always the one who bought my daughter things . neutral +I stumbled . I managed not to stumble at all . contradictory +Don 't despair ; make up your own picnic hamper from the local market before you get aboard ' cold meats , salad , Camembert , grapes , baguette , and wine can add a terrific sparkle to the countryside flashing past the window . You are also advised to add beer to your picnic hamper . neutral +so the younger people you know uh are are really uh really better shaped than than people of my generation or for the most part Most younger people are better shaped than people in my generation . entailment +" Sounds like trouble . " Anse tied his bedroll . Anse secured his bedroll " Seems like trouble " entailment +They were building a new hall for it , to be constructed only of natural materials and hand labor , but that was a project that would take long months still . The new hall was to be built using wood and rock . neutral +Except for the turkeyducky soup . But not the turkeyducky soup . entailment +George W. Bush tried to quash the parody site www.gwbush.com , saying infamously , There ought to be limits to freedom . George W. Bush wanted to shut down a website ridiculing him while declaring that freedom should be limited . entailment +The safety lines kept their lifeless bodies from slipping away ; instead , they lolled listlessly against the side of the carriage . The bodies were not going anywhere because of the safety lines in place . entailment +If English and Japanese gardens attempt , in their different ways , to enhance nature by tidying it up while imitating a natural landscape , the French garden ' which Versailles epitomizes ' deliberately imposes a formal pattern . The English and Japanese have the same gardens as the French . contradictory +It accepts its role as an elite medium and then panders for larger audiences with Yanni specials . A large enough audience will not have any Yanni specials . contradictory +The ATIRCM / CMWS program did not begin reliability growth testing until 4 years after its critical design review , leaving only 1 year to test the system prior to scheduled production . ATIRCM / CMWS had all the time in the world to test it 's system . contradictory +We categorize these actions into the five components of internal control-control environment , risk assessment , control activities , information and communications , and monitoring-outlined in the Comptroller General 's Standards for Internal Control in the Federal Government ( GAO-AIMD-00-21 . The internal control is essential in making everything work as it should . neutral +In fact , Congress banned hospitals from increasing resident hires this year . Hospitals were encouraged by Congress to increase resident hires this year . contradictory +On your way back down the hill , take a look at the massive black Nandi bull , Shiva 's sacred mascot , with chains and bells that are a mixture of both real and sculpted items hung around its neck . The Nandi bull has been at its location for over 5000 years . neutral +oh okay we got we had a lot of people from my husband 's old group that moved out there A lot of people from my husband 's old group moved out there . entailment +The little man had let me in at the crack of dawn . A person permitted me to enter . entailment +so that kind of reeks havoc with plans The plans are a complete mess due to that . neutral +As you crosethe bridge into Aranjuez on the road from Madrid , the spacious , geometric town plan becomes apparent . The geometric town plan is apparent when crossing the bridge . entailment +and um and that 's my favorite way to exercise That is my favorite form of exercise . entailment +and um then you put it on a flour like you know you make your meat real um thin you know bite size pieces There 's no flour involved with this recipe . contradictory +Individual account proposals also differ as to whether individuals ' participation would be mandatory or voluntary . The only option for individual accounts is to make participation mandatory . contradictory +True monogamy , then , would seem a very worthwhile institution . Monogamy hurts people . contradictory +The nearby Eglise Notre Dame also combines Flemish archi ? ­ tec ? ­ ture with a Renaissance porch . The Eglish Notre Dame is situated far away on the other side of the country . contradictory +it 's between Texas and Louisiana I am trying to decide between Texas and Louisiana . entailment +Since obese men are less stigmatized , it may also explain why wealthier men are not that much less obese than poorer men . In general , obese men are less stigmatized . entailment +Expect long waits ( 30-90 minutes ) for popular attractions , and heavy crowds on Main Street two hours before the parade . For popular attractions , be prepared to wait at least 30 minutes . entailment +constitute uh dismissal or grounds for whatever the company or agency might uh have set up for those who genuinely have a problem in other words there needs to be um more than Whatever agency or company that has a genuine problem may constitute grounds for dismissal . entailment +But for now , Putin and his generals will get their victory --a Potemkin triumph for a Potemkin army . Putin will have success , but his actions have been condemned outside Russia . neutral +With the harvests of its Hida mountain district too meager to contribute taxes to the national treasury , the town sent instead its skillful artisans ( Hida no takumi ) to help build the temples and palaces of the imperial capital . The Hida mountain 's district harvest was too meager to contribute taxes to the national treasury , so the town sent instead its skillful artisans . entailment +Well , I allow he seems to be the goods all right . He is the goods . neutral +They are coordinating their efforts with pro se and client education information systems . They are not attempting to coordinate their efforts . contradictory +Little girls learn this sure-fire posture-improver very early in life . Girls are not taught any methods on improving their posture . contradictory +Hazyr yemek ( ready food ) means that you can choose your meal from heated trays of pre-cooked food . Cooked food is kept warm on heated trays . entailment +An article argues that liberals should oppose the National Endowment for the Arts on the grounds that art does not need federal subsidies . An article argues that liberals should be in support of all federal subsidies for art . contradictory +He knew it . He was unaware of it . contradictory +Found ? ­ ed in the early 12th century by Saint Bernard , it includes a church , cloisters , scriptorium , refectory , sleeping quarters , infirmary , forge , bakery , and herb garden ' everything for a self-sufficient community . The self-sufficient community was founded in the 12th century by Saint Bernard . entailment +so that it just mulches underneath it just goes back down um right underneath the blade That blade does not have mulches . contradictory +It submitted that analysis to the General Accounting Office on June 7 , 1996 , along with a copy of its final rule . There was no final rule submitted to the GAO . contradictory +Both hydrofoils and large , powerful catamarans will cut ferry journey times in half ; however you will sit in an air-conditioned interior cabin for the duration of your ride . If you want to cut ferry journey times in half , you can use hydrofoils and catamarans , but you will sit in an air-conditioned interior cabin for the duration of your ride . entailment +In the right transept is a strikingly theatrical Madonna Enthroned by Filippino Lippi . Filippino Lippi 's Madonna Enthroned is situated in the right transept . entailment +HCFA did not prepare an additional analysis under Executive Order 12866 . HCFA did prepare other analyses , however . neutral +Look out for the gilded Golden Temple of Vishwanath , the holiest temple of Varanasi , forbidden to non-Hindus . The Golden Temple of Vishwanath does not allow non Hindus . entailment +Providing immediate feedback may help make the transition from screening to counseling with little additional intervention . Immediate feedback has the effect of bring out the confidence of those in need of intervention . neutral +That rig-out 's top-hole . " That is the bottom hole of the rig-out . contradictory +Christopher Cox of California led the push for an alternative Cox initiated the idea of an alternative . neutral +IFAC is an organization of national professional accountancy organizations that represent accountants employed in public practice , business and industry , the public sector , and education as well as some specialized groups that interface frequently with the profession . In order to be represented by IFAC you have to pay a monthly membership of 60 dollars . neutral +( Masonic lodges were often made up of leading figures in the community . ) Leading conservative figures in the community often made up Masonic lodges . neutral +Now , ain 't that somethin ' ? " A chair went over with a crash . The car crashed . contradictory +And still more unusual , he was not concerned with the follies and foibles of everyday life , that least interesting comic subject , but something deeper , darker , and less ephemeral . He is considered to be an introvert , being silent most of the time . neutral +We use it to push our grantees toward stronger and more aggressive delivery of services to clients . It doesn 't help us move things along faster at all . contradictory +On the back of this cruel system , Jamaica gradually became the biggest sugar producer in the world and a very wealthy island indeed . Jamaica produced sugar and other products . neutral +To divide IC mail into LC and AO components , we need further data from the Postal Service or to make additional assumptions . The Postal Service has intricate classification systems . entailment +figuration , and operation of LSC-funded programs in their The LSC funds programs . entailment +Well , maybe the sigh , but not the fact of history , as Walcott knows quite well . Walcott knows that this is not a fact of history . entailment +Sure it is . I think you are an idiot . neutral +The Brits believed it would be a healthy place for soldiers and East India Company employees to recover from the ills of the plains , but above all they found the area strategically useful for controlling a pass into much-contested Nepal . At that time , Nepal was in turmoil , and everyone wanted to conquer it . neutral +Look , I can prove it . I know who committed the murder . neutral +I 've told you about their size . I have told about how large they are . neutral +I 'll be seein ' you . We won 't see each other ever again . contradictory +This guide provides a logical framework for evaluating information technology acquisitions . This guide provides a framework to evaluate acquired information technology . entailment +Somehow this ancient sculpted pantheon of Hindu deities and Jain prophets has survived the sometimes ferocious weather of India and Mahmud of Ghazni 's iconoclasts . The ancient pantheon needs some maintenance every 50 years . neutral +'Don 't worry . Do not worry . entailment +maybe we 'll see a growth in that where someone makes uh a career out of say taking care of five or six children as opposed to day care We might see a career where people take care of five or six children . entailment +Organizations must ( 1 ) involve their stakeholders ; ( 2 ) assess their internal and external environments ; and ( 3 ) align their activities , core processes , and resources to support mission-related outcomes . Organizations can ignore their stakeholders . contradictory +Still , for barbed wisdom , surprises , and technique , there 's no one like Spark . Spark has no wisdom . contradictory +The award says a lot about the legal profession , that it places such a high honor on pro bono service , she said , adding that it also says a lot about the Delaware Bar , which nominated her . They put an emphasis on pro bono cases which was why she was nominated for the honor . entailment +The music , Gregorian and traditional , is sung in old lemosan . The traditional and Gregorian music is performed in old lemosan . entailment +and it 's uh God i don 't know if i would call it a collection of Vietnam war stories or if i 'd call it a collection of Vietnam love stories There are no Vietnam stories at all . contradictory +I shall have seen her face when I ask it . " I will ask her face to face . entailment +The exhibition includes working models and displays devoted to the history and ecology of Ireland 's canals . Ireland has a long history of canals which can only be seen in model form . neutral +Party loyalty and discipline make that possible , and that sometimes means both voters and representatives must subordinate individual differences . It is made possible thanks to food devotion . contradictory +He 's bald , and he 's gonna pay . I will make this bald headed man pay . neutral +oh yes yes uh-huh right i like i 've seen it several times it 's a scream but i had to go to bed i have to get up and and work the next morning i wish they 'd put those I love to stay up late to watch the show . contradictory +Delivery changed the post in many ways . Delivery changed USPS in many ways entailment +We are at one then , said Poirot , " for I , too , want to hang the criminal . " Poirot says he wants to hang the criminal , too , though only after a fair and complete trial . neutral +and it was no surprise when Sunday rolls around and the car won 't start and then you listened to tapes all weekend you know You weren 't surprised when the car wouldn 't start on Sunday . entailment +While its practitioners do charge for their services , they are also dead set on turning no one away - or at least as few as possible . They don 't want to turn anyone away . entailment +payments made to utility and credit card companies Most feel that payments to utility companies should be treated differently than payments made to credit card companies . neutral +Some of butchest guys around go all atwitter when ladies ask them about their guns . Tough guys act macho on facebook when it comes to gun use contradictory +An enormous variety of makes and models are on sale . A big amount of the different models are on sale . entailment +What ? Tuppence clutched his arm . Tuppence had a tight grip on his arm . neutral +did you stay up late and catch this Red Dwarf oh that was a scream did you wake up early to see this Red Dwarf contradictory +You can take a tour of the island on a fayton ( carriage ) to find the cab rank , walk uphill from the jetty to the clock tower in the square and turn left . After arriving at the clock tower , you turn right . contradictory +Donald Kennedy , a biologist , former president of Stanford University , and once commissioner of the Food and Drug Administration , will take the reins at Science in June . Biologists make the best presidents of universities . neutral +Most people would rather keep what they have than risk it for a hypothetical payoff . People like to keep what they have because it ensures that they can 't lose anything . neutral +okay so you were well i i got tested before i got hired too so but hum So we both got tested before we got hired , then . entailment +Some of the hands-on displays are fun , but sometimes French is needed to follow all the information presented . The hands on displays are boring , and generally Spanish is need to follow all of the information presented . contradictory +The supporters of the deposed James VII and his successors , exiled in France , were known as the Jacobites . The Jacobites , who were exiled in France , supported the deposed James VII and his successors . entailment +Or , if he conducted the search , he would have pretended to find the hiding-place already rifled . He found the hiding place , and it wasn 't rifled with . contradictory +24 In the past , GAO has suggested that the budget could better facilitate policymakers ' weighing choices between federal investment and consumption by incorporating an investment component with agreed-upon levels of investment spending . GAO said that incorporating investment component with agreed upon levels of investment spending could hurt policymakers ' weighing choices between federal investment and consumption . contradictory +The preamble to the final rule evaluated and responded to comments . The final rule had a preamble . entailment +Since my time is much too valuable to waste ( I 've got a little kayaking to do ) , I have a request for the editors of Slate . I plan on going kayaking this afternoon . neutral +The amenities and daily activities ( including hotel tours ) are top-notch , and the buffet meals , especially on Sunday , on the beachfront veranda near the courtyard banyan tree couldn 't be more romantic . No amenities , no restaurant , and 1 mile from the beach . contradictory +Sir James handed her a pocket-knife , and she ripped away the brown paper from the back … . Sir James kept the pocket knife for himself contradictory +Time agrees and seeks an exit strategy to end the mess . Time magazine disagrees . contradictory +The 21-year-old British author 's youth and good looks are cited as major factors in the blockbuster advance ( $ 800,000 ) and ballyhooed publication of this ponderous gothic novel . The British author became a New York Times Bestseller despite a mixed reception to the book . neutral +Naturally ! Without question . entailment +My only thought was to get out in the corridor as quick as ever I could . I thought about many things before walking out into the corridor . contradictory +kind of sickly kids that has a lot of accidents The kids are in perfect health . contradictory +The Coens have reserved an independence they haven 't earned ? The Coens stole their independence from a neighboring family . neutral +Can I have your number ? The person is asking for a number . entailment +In Madrid , the first and last word in elegance and sophistication . Madrid has lots of different cultures . neutral +but you know at at Texoma it 's such a big lake and we don 't have a boat but we 're on the dock and people come in there 's a lot of sandy islands out in the middle of Texoma We don 't have a boat but we still enjoy the lake . neutral +Local lore says that you tan better on black sand . Black sand absorbs UV light better than white sand , and so it heats up quicker . neutral +He went up to Adrin , took his sword and dagger , and gave him the sticks . He took Adrin 's weapons . entailment +Representatives at the three agencies ( the Department of Veterans Affairs , the Social Security Administration , and the Department of Health and Human Services ' Centers for Medicare and Medicaid Services ( formerly the Health Care Financing Administration ) identified programs in which their organizations had taken actions considered effective and agreed to participate . Representatives from the VA found programs they wanted to participate in . entailment +San 'doro turned to Jon . Jon turned to San 'doro . contradictory +effect and when you stop and think about it every just about every single thing that 's produced can be recycled It would help our planet if we started recycling our products . neutral +That gets to you pretty quick . You wouldn 't be bothered a bit by that . contradictory +He even called it--this T & amp He is calling a company . neutral +She was no longer in her first youth , and the beauty she undeniably possessed was hardened and coarsened . Her beauty was coarsened and hardened . entailment +Because the trauma population is mostly young , male , and not always easy to work with , the gender of the interventionist could be important . Gender is not a factor that should be considered when choosing who will perform interventions . contradictory +Deficit reduction and balancing the federal budget are serious , complex , and demanding tasks , and the policy implications of our efforts reach across the nation , even around the world . Reducing the deficit is very serious and difficult . entailment +The product 's design is stable when all stakeholders agree that engineering drawings are complete and that the design will work and can be built . The design is stable once everyone agrees that the design is complete , will work and can be built . entailment +He spoke a good bit lower than she did , but she answered : ' How dare you ? He said something awful to her . neutral +" Another Rebel ? " Anse stood up . " A third rebel ? " , Anse asked , ass he stood up and shook himself off . neutral +On this island paradise , tourists and expatriates coexist side by side with movie stars , artists , the young and trendy , ageing hippies , and , of course , locals , the total residential population being over 80,000 . While there are many tourists there , most of the population is still composed of locals . neutral +Despite hostile feelings in the past , relations between Greece and Turkey are now genial , at least on a day-to-day basis . Relations between Greece and Turkey have never been peaceful or friendly , and never will . contradictory +The Grande Arche is farther away than most of the towers , and only when you get close do you realize just how big it is . It was an hour walk from the other towers . neutral +Its avant-garde circular design contrasts sharply with the dreary buildings around it . The buildings around it are not as colorful . neutral +The impact of his treatment of the beast fell upon him and Ca 'daan let out a single sob . Caden took a deep breath and the let out a single sob as the impact of the treatment took full effect . neutral +I 'll sell .... " He loathed saying every word of that . He didn 't want to sell , but he had to . neutral +i i couldn 't either i couldn 't either I couldn 't do the task either , same as the other person . neutral +Ah , that settles it . And Poirot looked crestfallen . That 's okay , Poirot . We can move on from this . contradictory +well i think we 've managed to kill a little time on the topic and we 'll go ahead and We spent some time on the topic let 's move on to the next one . entailment +Let me go , uncle . Do not let me go uncle . contradictory +wow that 's that 's not bad four hundred and something a year that 's that 's Four hundred a year is incredible . entailment +Or will they stay the course and ask government to do more with less ? Will they finally stay our course , and ask government not to use as much as they have been ? neutral +You could be dueling beautifully until an arrow hits you in the back . An arrow will hit you in the back and kill you . neutral +Maybe we will try Helga from Himilshaven ... ' We could try to get Helga from Himilshaven . entailment +Since there are more smaller , semirural states than big states , the well-being of individual states would not necessarily be best served by examining what happens in the few larger states . To decide what would be best for smaller states , they should follow the lead of the big states . contradictory +The National Trust and the National Park Authority both work on conservation projects and these , along with innovative transportation policies devised by local councils , are all designed to help minimize the potential negative impact of tourism . Conservation was considered a bad idea by the National Trust and the National Park Authority . contradictory +A whole Lincoln bedroom full of cliches , says Newsday ' s John Anderson . " A Lincoln bedroom full of cliches " is a figure of speech referring to a guest suite in the White House . neutral +They won 't know for another year whether the baby is brain damaged . It will take a month before they know the results of brain damage . contradictory +The earliest name associated with the city , Ur usalim , perhaps meant city of Shalim or founded by Shalim . The name Ur usalim was never associated with that city . contradictory +Nielsen ratings indicate that young Americans are giving up television in favor of Web surfing and other pastimes Nielsen ratings show young Americans only watch 10 hours of tv a week . neutral +The physical and logical elements of an information processing system , the manner in which they are organized and connected , or both . The logical elements of an information processing system can be organized in order to gather more data . neutral +The Secret Service does not hesitate to exploit its Dead President advantage , practicing an elegant variation of Fireman First ( a classic bureaucratic defense mechanism--when your budget is threatened , propose cutting the fire department ) . The Secret Service gets anything they ask for . contradictory +good about time Terrible timing . contradictory +It just sounds wrong . There are better ways to say it . neutral +The pause in the labor was only for the length of time it took the drug-bearing slaves to complete their task . The drug bearing slaves finished their task early and had to wait for everyone else to catch up . contradictory +He looks round , and he sees ” what do you think , mon ami ? " I shook my head . I did not agree with him . neutral +Pretty soon there won 't be no need for wearin ' guns loose an ' tryin ' to grow eyes in th ' back of yore skull ! " But Fenner 's own rifle still rode on guard across his knees , and Drew noted that the scout never broke a searching survey of the countryside . Firearms they 'll use are mostly magnums since it 's the wild west they live in . neutral +well we uh as a little girl i used to go camping with my family and uh we 'd load up our car and take tents and cots and all kinds of stuff and the place that we went the most often was uh in Oklahoma it 's about a two or three hour drive and it is a little bitty national park right in the right in a town called Sulphur Oklahoma and it was real pretty had lots of trees and creeks to play in and it was a lot of fun Mostly when we went camping , we went to Oklahoma . entailment +When she was little , she had a blue LED installed in her right eye for no particular reason . She had a light in her eye . entailment +said something about that man shot my daddy didn 't he and the her mother said yeah honey the man shot your daddy and uh she said where did he shoot my daddy She asked if the man had shot her father . entailment +Camara de Lobos is more picturesque from afar than it is up close . Camara de Lobos looks more picturesque up close than it does from a distance . contradictory +Still you are right in one thing . You are sadly very wrong about everything . contradictory +For weeks after the Kobe earthquake in 1995 , mounds of garbage lay uncollected despite the quick resumption of other basic services . Garbage collection was the first service to start back up after the earthquake in 1995 . contradictory +But when I 'm finished , I 'll wait for _ your _ true name ! " Suddenly Sather Karf laughed . After I 'm done , I won 't stick around for your true name . contradictory +Five times more needy people ask for help than staff can assist The staff do not get tired in helping the needy . contradictory +Consider this memo on a case handled through El Programa Hispano of St. Henry Catholic Community Hispanic Center in There are cases handled through the El Programa Hispano of St. Henry Catholic Community Hispanic Center . entailment +Well , then ? I have nothing to say . contradictory +Do you think this is the end ? Do you think this is the end ? entailment +Data converted to 2000 dollars using the consumer price index for all urban consumers . The data was quickly converted to exactly 2000 dollars to appease all urban consumers while using the consumer price index . neutral +Are you taken ill ? " You might be sick with a seasonal flu virus . neutral +Shawn was allowing him to publish an autobiography in the pages of the magazine that was mounting up to millions of words over the years , and the very idea of it seemed to bore people silly . Shawn did not let him publish the book in the magazine . contradictory +uh but as far as the sentencing by the judge i would have to vote against that since there 's a jury because that 's what the juries are for is to make the decision um what are your feelings I vote in favor of the sentencing by the judge . contradictory +well anything else good to say about credit cards Credit cards are a fascinating topic to discuss . neutral +uh-huh oh it sure is especially when you work out of town and everything that way at least that 's for me I work out of town all the time neutral +Opened as a museum in 1853 , the small rooms display Knox memorabilia and the influential manuscripts from which he preached his Calvinist texts . The museum is a major tourist attraction . neutral +Over the long run , we assume that market forces such as adjustments in exchange rates , interest rates , and prices will tend to move net foreign investment and the current account balance towards zero . Exchange rate adjustments and interest rates have a stronger effect on foreign investment than price . neutral +He 's to be your foreman , and he 's real . " She headed back to the outskirts , then turned to shout back . He will be your foreman , he isn 't fake . entailment +yeah i 've got a well my roses are on the west side of the house i asked my neighbors what they wanted to see outside their uh front door The neighbors think the roses are the most beautiful part of the house . neutral +for working mothers but uh TI never has seen fit to do it TI never thought that it was important for working mothers . neutral +In a moment of grace and athleticism , the banderillero , or even the matador himself , runs obliquely across the path of the bull , barely pausing as he jack-knifes over the horns to thrust home the darts . The matador dashes across the bull 's path . entailment +We 're talking about president of the United States . The president of the United States is Donald Trump . neutral +Combat wasn 't about skill , it was about luck . Combat is all about luck . entailment +Increasing national saving is an important way to bolster retirement security for current workers and to allow future workers to more easily bear the costs of financing federal retirement and health programs while maintaining their standard of living . Retirement security is helped by national savings increases . entailment +There has been a worldwide rush to deregulate financial markets , to bring back the good old days of the 19th century when investors were free to make money however they saw fit . Regulations are increasing steadily in the financial markets . contradictory +( One of the most photogenic views is from the north , on the road from Certaldo , home and last resting place of Boccaccio . ) From Certaldo you can take pictures of the sea . neutral +A new study indicates that fiber doesn 't prevent colon cancer . The study followed 88,000 women for 16 years . Fiber doesn 't stop colon cancer from striking . entailment +On the other hand , it 's quite impossible to lead him astray through his imagination . He prefers to see concrete evidence and proof of things . neutral +hum uh i might go with Buffalo yeah Potentially I could go with Buffalo . entailment +Regardless of the method used to estimate WTP , there are measurement errors , data inadequacies , and ongoing debates about the best practices for each method that contribute to the overall uncertainty of economic estimates . This is to every situation being slightly different . neutral +Coward died in 1973 and is buried in the garden , at his favorite spot overlooking the coastline . Coward was buried in the garden in 1973 . entailment +Pretty soon , the papers will be breathlessly revealing that talk-show couch conversations are scripted and that Sam Donaldson employs fake hair and real researchers . Sam Donaldson is totally bald under his wig . neutral +William Safire argues that Jesuitical has by now developed a sense devoid of any overtones of subtle , intricate , moralistic reasoning , informed by a rigorous logic is his definition . Overall , William Safire thought that Jesuitical had failed to do what it set out to do . neutral +I crept over to my coat and took out the magazine , and an odd envelope or two that I had shoved in . My coat is plaid . neutral +At one organization , business units could supplement the central group 's resources in order to increase the central group 's participation in high priority projects . The added participation improved the project . neutral +Bargaining Discussing neutral +Securities and Exchange Anti-manipulation Rules Concerning Securities Offerings Security offerings have no rules . contradictory +Reviewers have noted some possible sources of upward bias in the long-term studies . The reviewers have found some likely biases for the studies . entailment +no nope we uh our family 's grown in fact we 've just been retired for about a year we took early retirement and We retired before the normal retirement age . entailment +I was watching . " I was watching . entailment +They 're not going to give us any more men . Our army won 't grow . neutral +yeah it didn 't always work well i felt um i feel like i could myself do some things but that i have enough responsibility that if i have someone like my father when i was living at home and my husband that 's willing to do it i go ahead and let them do it i don 't feel the need to um you know be a feminist on that issue and say i can take care of my own things i 'm i 'm happy to let them run run the cars because i have so many other responsibilities that um so i haven 't tried to do a lot myself I do everything at our house . contradictory +And instead of lobbying for large-scale anti-poverty or urban revival programs , Rubin settled for mini- small efforts to prod banks to extend credit in troubled neighborhoods , micro-loan programs to encourage entrepreneurship among the poor . Micro-loan programs were approved by banks in troubled neighborhoods thanks to Rubin . entailment +okay well i 'm ready any time you are sir I 'm ready when you are . entailment +Charles Bombardier noted that the rate of spontaneous remission could minimize the differences between experimental and control groups . There is a difference between experimental and control groups . entailment +Any doctor would tell you the same . All doctors would give you the same time frame for death . neutral +In 1987 , Stephen Kinzer of the New York Times encountered a contra patrol in northern Nicaragua , chatted with the men amicably for an hour or so , and then got ready to leave . Stephen Kinzer talked to some men then got ready to leave . entailment +For example , the home page of both DOL and the Occupational Safety and Health Administration ( OSHA ) within DOL pointed to a separate web site for OSHA 's November 1999 proposed rule on ergonomics , which pulled together in one place all of the electronic information related to this rulemaking ( e.g. DOL and OSHA had websites , and OSHA 's had electronic information from this rulemaking . entailment +The FCC published a Notice of Proposed Rulemaking ( NPRM ) in the Federal Register on January 26 , 1996 . The FCC only publishes Notices of Proposed Rulemaking ( NPRM ) neutral +Particular models , strategies , and approaches that have proven successful in one state may be useful to others , while the progress of the national initiative to build state justice communities as it has played out across the country provides some valuable information for national leaders and institutions . A lot of the time the models do not work from state to state however . neutral +that 's pretty good really Wow , that 's terrible . contradictory +okay i may have to do that go see it or go rent it I don 't want to watch it . contradictory +According to the U.S. The United States deemed . entailment +and uh those are the kinds of things that still can show up They can still show up . entailment +Are they stillborn ? Were they a stillborn ? entailment +Recent underwater archaeological excavations have revealed a wealth of stone blocks and statuary lying only a few feet below the surface . There are statues of gods beneath the water . neutral +As with Social Security , Medicare spending will swell as the elderly population increases . If the elderly population increases , then Medicare spending will increase as well . entailment +Shannon what and why , he repeated silently . What and why , he continuously repeated . entailment +yeah one of the things they tried to push through in Maryland and uh weren 't very successful was that if you were an able bodied person on welfare They were successful in Maryland . contradictory +If you 've never seen a corrida , be prepared to witness an ancient ritual that for aficionados is more art than sport . Aficionados believe that that the ancient ritual is more art than sport . entailment +The things to look for are a good fit , an attractive look , a nylon shell , and ample and amply sized pockets . These things are important to know good quality . neutral +The communes were strong enough to confine German Emperor Frederick Barbarossa 's Italian ambitions to the south , where he secured Sicily for his Hohenstaufen heirs by marrying his son into the Norman royal family . Frederick Barbarossa did not advance farther north than Sicily . entailment +Pilsudski and his troops managed to hold back the Soviets . The Soviets tore through Pilsudski and his troops with insulting ease . contradictory +This week , all three have cover stories about plastic surgeon to the stars Dr. Steven Hoefflin ( the man who takes credit for Michael Jackson 's nose ) and whether he exposed and discussed the genitals of his celebrity patients while they were under anesthesia . There have yet to be any stories covering Dr. Steven Hoefflin . contradictory +you know because then that that way they 'll they 'll get rid of they can help the alkies and then they can help the people that 's on drugs This way the people who are on drugs can be sent out as soon as possible . contradictory +There 're some equal hot-heads in Bayliss ' camp , and if Johnny goes up against one of them , a scuffle could become a battle . " None of Bayliss men were hot-headed . contradictory +I am glad it has all ended so happily . I 'm unhappy to find that it has ended so sadly . contradictory +That 's final . We can discuss this , that 's not final . contradictory +Maybe the moral is just the obvious one that stock prices occasionally overshoot the mark in both directions . The moral is that the best investors cannot time the market . neutral +The 27-hole Santo da Serra Campo de Golf ( Santo Ant ? ? nio da Serra ; 291 / 552 321 ) , which opened in 1991 , is one of Europe 's most exciting and spectacular golf courses , suitable for all levels . The 27-hole Santo da Serra Campo de Golf is only fro professionals contradictory +Referrals ; Community legal education presentations ; Community legal education materials , articles and web sites ; Pro se clinics , distribution of pro se materials including the technologically enhanced The following is a very short list of 1-2 duties included in the job description : referrals , community legal education presentations , community legal education materials , articles and websites , pro se clinics , distribution of pro se materials including the technologically enhanced . contradictory +You may want to visit the church , which is the area 's most prominent structure . The church is the area 's stand out building . entailment +( Crew 1995 ) After such adjustment , it might become a sustainable monopoly . It has no change of becoming a sustainable monopoly . contradictory +ooh and that 's uh that 's uh a a encouraging sign if you ever wanna resell it i guess That 's not a good sign at all . contradictory +We would like to acknowledge the following individuals whose advice and assistance throughout this project have been invaluable . The following individuals advice and assistance has been invaluable . entailment +The woman snarled and threw . The woman sounded angry when she threw . entailment +For me to deal with this is almost impossible in a standard stall . A standard stall is not okay for dealing with this . entailment +Good This Week ' s round table signs off by predicting the outcome of Sunday 's World Cup final . Good This Week always knew who was going to win the World Cup neutral +i share your your uh sense when you change job to work or job to home uh the way your your image of the machine changes i tend to do slightly different things at home than i do at work um i use One Two Three a lot the Lotus product as a spreadsheet and i have i use a uh No one uses LOtus . contradictory +The elegant ( and today traffic-choked ) Gran Va , Madrid 's central shopping artery , is a turn-of-the century showcase of Art Nouveau and Art Deco styles . There is a lot of traffic in Gran Va entailment +Beside him , Bork and Nema also rose . Bork and Nema rose , after their names were called out . neutral +A series of caravanserais ( rooming houses for the camel caravans that were the main method of transporting goods ) , or khans as they were known in Egypt during the Fatimid era , were built here by Emir El-Khalili , giving the market its name . This market derives its name from the establishments that housed camel caravans , or khans . entailment +We report ozone concentrations as a cumulative index called the SUM06 . Ozone concentrations are reported as an index called the SUM06 . entailment +It was cloudy , the temperature never got above 45 degrees Fahrenheit and , after listening to Gene proselytize about postal reform , I tried to enlist ! It was sunny outside and the temperature was above 45 degrees Celcius . contradictory +The winding channel is 30 km ( 18 miles ) long and about 2 km ( 11.2 miles ) wide , narrowing to 750 metres ( 2,250 feet ) at Rumeli Hisare . The channel is filled with motor boats in the summer and is a popular place to water skii . neutral +and i did but then you know i just gradually come back up a few pounds anyway which is no big deal i 'm not I slowly gain . entailment +Tommy 's ambition was somehow or other to gain admission to the house itself . Tommy wanted nothing more than to get into the house . entailment +yeah the first first couple of times it 's pretty scary but uh I hated it the first few times . neutral +Attacks could severely disrupt computer-supported operations , compromise the confidentiality of sensitive information , and diminish the integrity of critical data . An attack would really just be an annoyance not a major problem . contradictory +If this were a TV show , I could run a long list of thank-yous that you 'd ignore on your way to the kitchen for another beer . If I ran a list of credits , like at the end of a tv show , you would certainly sit still and watch until the end . contradictory +Xerxes , by G. F. Handel , libretto by Nicolo Minato and Silvio Stampiglia , performed by the New York City Opera ( New York State Theater , New York City ) . The New York City Opera , at one point in time , performed G. F. Handel 's " Xerxes " . entailment +and i remember when she was at you know at that age and and how she was and that that 's exactly of course there was only one of her it wasn 't twins I don 't remember what she was like at that age . contradictory +This might be your idea of a semicircular sandy strip backed by sea grapes and tropical shrubs , gentle aquamarine surf , a coral reef close to shore , plus some rocks and seaweed for rewarding snorkeling and a view out to some huge pierced rocks ( roches perc ? ? es ) that partly shelter the entrance to the cove . This is a barren part of the coast , and tourists seldom venture here . contradictory +Tell me ” you see now that he must not be arrested ? You see how important it is that you aren 't taken to jail ? " neutral +The Case Survey Method of Aggregating the method aggregates case survey data neutral +i don 't know sometimes i feel i mean i do go to church and things i don 't know how i would feel about it but like you say if it hit you personally closer at home you would feel feel differently My feelings on the matter wouldn 't change even if I had a bad personal experience . contradictory +Inference and Disputed The Federalist . The Federalist was disputed . entailment +just your Visa yeah Visa is the only card they accept . neutral +Another NYU video NYU 's Project on Media Ownership , under the direction of journalism Professor Mark Crispin Miller , recently completed a study of the effects of local television news on the civic life of Baltimore . Professor Mark Crispin is a journalism professor at NYU . entailment +you know like all these people are just standing sitting sitting sitting around just going you know like what shall we do has anybody thought of anything no And then this guy from Federal Federal Express comes along they go what 's that this track which it 's going around the world and they can tell you where your package is anywhere any time All of us were busy and no one was interested in the Fed Ex guy 's tracking system . contradictory +You take this stuff and stick it in the cage . You take this and put it in the cage . entailment +H-2A aliens are non-immigrants , who reside in a foreign country but come to the United States temporarily to perform agricultural labor or services for a specified employer or employers . H-2A aliens are non-immigrants who often donate their organs on the black market in order to appease George Soros , lord of darkness . contradictory +The story of Columbus and the Madeiran archipelago is not entirely apocryphal , unlike so many other tales related to the islands . The Madeiran archipelago and Columbus is a story that has some truth to it . entailment +In summary , I have discussed the reorganization of homeland security functions and some critical factors for success . Homeland Security stayed just as it had been . contradictory +Just after he left , a new trauma victim rolled in--a 28-year-old who had been knocked unconscious in a high-speed head-on collision . Just after he left , a new victim arrived for treatment . neutral +His speech from the dock and his horrendous execution have become the stuff of legend . His execution went off without a hitch and he opted not to say anything at the dock . contradictory +And there is a certain man , a man whose real name is unknown to us , who is working in the dark for his own ends . He openly marches around the streets . contradictory +studies , this provides for a high probability of cost growth and schedule delays to occur . This provides for schedule delays to occur as well as no delays . neutral +For example , VBA consolidated regional office operations by merging two divisions and creating teams with members from both functions who could process claims from beginning to end . Two divisions were ultimately merged by the VBA . entailment +In addition , the elderly and their spouses may supplement their retirement income by continuing to work . The old peopel can work 20 hours a week neutral +do you get to do you work at home all the time or just You 're not able to work from home at all right ? contradictory +Is this satire , or does Bertolucci really mean to suggest a higher communion ? The author thinks that Bertolucci doesn 't really mean to suggest a higher communion . entailment +but um what do you think about about um their situation should they should they become a state I think they shouldn 't for many reasons . neutral +Mr. Carter was the first to arrive . Mr. Carter arrived 30 minutes before the actual start time . neutral +okay well any other comments anything else ? entailment +i guess if that 's all we 've done and i guess we 've talked long enough I guess I 've talked long enough . entailment +ooh yeah yeah oh yeah i 'd prefer to do it but the Escort was very difficult for me to get under and i didn 't want to put it up on ramps or anything it just made me nervous I regularly work on a ramp . contradictory +Two pillars surviving from the Greek Temple of Apollo stand like a gateway , but the Spanish era has given it a charming 17th-century ambience of Baroque houses with iron balconies supported by floral carvings and an occasional stone nymph . There are no remaining pillars of the Temple of Apollo . contradictory +Hold no ground . The person held his ground against the angry crowd . contradictory +As projected in the AEO2001 assessment , the nation 's economy is projected to grow at 2.9 percent per year in the period 2000 through 2020 . The nation 's economy will prosper . neutral +um boy that is that is good That 's a good thing . entailment +to the point where they 're putting people in bed or overmedicating them so they 'll stay in one spot and not do anything that certainly would be something to to watch for because you 've got with some of them being some of these places can even be two and three thousand dollars a month to stay in fee You have to be vigilant in picking a care facility , some keep them in bed and even over medicate . They do not bother with them . They need to be treated much better . neutral +Next year 's millennial A dolphin and his lawyer sit at the controls of an atomic monorail filled with Latin American millionaires throwing oranges at the ghost of Jackie Gleason as he flees inside the Fontainbleu Hotel . The covered wagon was carrying the millionaires . contradictory +On display alongside are the original sketches and studies showing the work that went into the final canvas . The sketches show the artist 's ideas as the took shape . neutral +The moun ? ­ tain ? ­ sides and valleys are dotted with gleaming white , gabled houses , set off by russet brown timbering . Many white houses in the valleys have a red roof . neutral +A few people sat around a slime green table playing poker . People played cards . entailment +No More Notes , Either ! More notes are needed . contradictory +This was the site of the White Horse Inn , the main coaching house at the end of the London Edinburgh route . The White Horse Inn was located halfway between New York City and Pittsburgh . contradictory +Dental insurance covers only 44 percent of Americans ( compared to more than 80 percent for health insurance ) , and provides skimpy coverage for those who do have it . Dental insurance covers only 44 percent of Americans . entailment +Mesopotamian script was also copied , but it developed into the first Egyptian written language . Mesopotamian script was copied entailment +oh are you are you near uh i have relatives in-laws that live there My in-laws used to live in China . neutral +there 's another one i want to see is uh uh Dances with Wolves I want to see Dances with Wolves . entailment +Now Cynthia had looked charming . Cynthia had looked repulsive at that moment . contradictory +Others are eager to explore nature 's wildlife at the bottom of a coral reef or at the top of a mountain peak . Others are not eager to seek wildlife at the top of a mountain . contradictory +Any more facts about that American chap for me ? " That American chap clearly knows too much about our operations . neutral +I 've been thinking of nothing but Tuppence . " Who is Tuppence ? contradictory +Moyers ' defenders say that television has enough strife elsewhere ( very little of it illuminating ) and that it 's important that the airwaves offer a civil forum like Moyers ' . Those backing up Moyers think there is enough discord on tv elsewhere . entailment +uh-huh and then you might have more control over uh the the morals that they would be taught rather than in like a classroom or a day care center A day care center 's moral leanings are almost never going to be aligned with your ideals . neutral +The river is also where on many occasions during the year the faithful take ritual purification baths . You cannot set foot in the river , as it is too polluted . contradictory +The buzzing sound of the wings signals their approach and , if you are lucky , they will fly up and perch on your finger to take the food . They sometimes rest on fingers to take food . entailment +so do you find your husband more involved than your father was with you Do you feel like your husband cares more about you than your father does ? entailment +A short distance north of Timna Park is the Hai Bar Wildlife Reserve , where rare and endangered indigenous animals are bred for eventual release back into the wild . The Hai Bar Wildlife Reserve breeds endangered animals and releases them back into their habitat . entailment +The climb along a narrow and sometimes steep path will lead to scant remains of third-century b.c. temples , although the site was occupied as early as the Stone Age . The temples are still standing today . contradictory +Club Utopia ( Tel.702 / 390-4650 ) , on the Strip but not in a hotel , may be single-handedly responsible for reviving the dying Las Vegas nightclub scene by taking the metropolitan sounds of techno and house out of the underground and into a commercial Las Vegas venue for the first time . Club Utopia isn 't in a hotel but it is very popular for their music . neutral +I thought as much , said Tommy with satisfaction . Tommy thought so and acted on the information . neutral +Number of actions Only one action contradictory +Slim nodded slowly . Slim nodded . entailment +Adrin swung , pulled back , stabbed , spun , and stabbed again . Adrin stabbed something twice . entailment +Poirot wished her good morning with Gallic politeness , and went on : " We have been looking through that chest , Dorcas . Poirot was very rude to her because he was busy talking about a murdered man . contradictory +Experimental and Quasi-experimental Designs for Bananas and coconuts . contradictory +A little further southwest are some second century a.d. catacombs with tomb chambers painted to depict Greco-Egyptian themes . A little further southwest are some of the famous tar pits that house huge oil reserves . contradictory +right more peaceful my uh one set of friends have four cats and let 's see these four cats two of them are sort of strays i guess One of my friends has four cats . entailment +president someday maybe Someday maybe I 'll be president neutral +The notoriously jingoistic Sun , which has never before shown even a hint of friendship toward Japan , published an editorial promising a new era of better relations between our two countries . The Sun promised a better relationship with Japan in an editorial they published . entailment +oh mostly we catch carp if we 're doing good we catch a catfish or two once in a while and you know we go ahead and eat those but we 've never caught enough to really have what you 'd call a fish fry what we normally do is just uh go ahead and clean it up and then uh you know put it in a bag and freeze it and and somebody takes it home and eats it then when there 's just a couple people instead of a whole crowd usually there 's a pretty good crowd there so we don 't ever catch enough to eat carp is usually pretty much fun because i 've caught up to about an eight pound carp on a little you know a little pole with twenty pound test line and that that 's a pretty good fight so that 's a lot of fun We never catch anything but we still have fun . contradictory +In addition to the information gained through these meetings and conferences , 6,800 comments were received in response to the Federal Register notice . The Federal Register notice evoked thousands of comments . entailment +Finally I opened it out flat there were only two sheets and laid it between two of the advertisement pages of a magazine . Finally , I laid it out and read it carefully . neutral +Walesa fell out of favor with Poles and was defeated in the 1995 elections . Walesa lost the election in 1995 . entailment +Madrid is the next rung down from heaven , so the boastful local saying goes , and the city 's residents claim their superiority in other terms . The residents of Madrid are superior to them . entailment +And Forrest saying : " We don 't give medals , Sergeant . Forrest said they gave medals ever week . contradictory +Perhaps the best seats to buy for a first fight are sol y sombra , tendido bajo , lower stands in the sun part of the time and in the shade the other . There are lots of seats that are unpopular because they are always sunny . neutral +34Depending on the design and implementation , government matching could potentially reduce national saving . No matter how government matching is implemented , national saving is always going to increase . contradictory +I 'm inclined to believe you , she said slowly . I think you 're telling fibs , she snapped . contradictory +yeah we need we didn 't talk too much about music but we had a good conversation We will talk about music next time . neutral +A pleasant drive 30 km ( 19 miles ) northeast of Orange along the D975 takes you to the site of one of the most important towns of Roman Provence . The Romans adored the Provence area and built many lavish chateaux there . neutral +Democrats will point out that the president 's party usually loses dozens of congressional seats in his sixth year . In the sixth year of his term , the president 's party loses seats in congress . entailment +Las Vegas would serve as a major stopover for crew rest and train repair . Training people how to repair planes was a vital process . neutral +The press has been through an orgy of breast-beating over its dismissal of Jones in 1994 . Despite press attention , there was little public engagement with Jones ' dismissal . neutral +Some evidence suggests that WTP to avoid a risk of a protracted death involving prolonged suffering and loss of dignity and personal control is greater than the WTP to avoid a risk ( of identical magnitude ) of sudden death . Sudden deaths happen far more frequently than prolonged deaths . neutral +The rest of the island 's beach is a long , uninterrupted expanse , backed by attractive but slightly featureless dunes . In addition to the dunes there are many palm trees too . neutral +DEAR TOMMY , I knew it was you last night . Tommy , I knew you were around last night , even though I could not see you . neutral +At least I could be sure that this man understood his crimes . I was also certain he was sorry for the crimes he committed . neutral +yeah they 're not to shabby they 're pretty good They are not too bad . entailment +We 're only one season into The Sopranos , so it 's a bit too early to say if this particular manifestation of mob art is influencing mob life , but I think it 's fair to say that no one in actual organized crime would ever want to be hooked up with Tony Soprano 's crew . The Sopranos is having an effect on mob life . neutral +The tourist information centres throughout the region all have a vast amount of information on routes for all abilities , as well as maps and charts to help you plan an outing . The tourist information center gives out free charts and maps . neutral +And often , according to Adams , they will return the favor . Adams states they will return the favor often . entailment +That depends . It depends . entailment +Activities may be classified by specific control objectives , such as ensuring completeness and accuracy of information processing . Completeness and accuracy are not true classifications of an activity . contradictory +but uh it 's gone pretty well it just it it takes it takes some time my problem is while i 'm not overly proud of it but i 'm a self-proclaimed proclaimed perfectionist and it it takes me a long time to do trim and things like that and i 'll find i 'll find something as i 'm going along something not related like like uh i 've gone about changing out all the outlets and switches because they they really didn 't match they were a few of them were broken and things like that so i always pick up these little extra tasks as i 'm doing this and and the painting actually takes probably uh a fourth of the time and i i 'm always doing all this other stuff and my wife 's hollering at me and wondering what else i 've come home with from work this time to to put in a ceiling fan or something strange like that so uh it it it always it it it gets you to look at everything real hard when you you start putting a coat of paint on everything you start to notice where all the dents and scratches and things are everywhere The pressure from my wife lead to me doing a worse job . neutral +Republicans have also evolved a bit on the issue of executive privilege , the doctrine that protects communications between the president and his top advisers . When it comes to executive privilege , the Republicans have shifted their position a little bit . entailment +enjoyed talking to you good-bye I liked speaking with you , good bye . entailment +but not in the summer We can 't do it in Summer . entailment +Similarly , one organization 's central group was instrumental in acquiring a strong user authentication system to help ensure that network use could be reliably traced to the individual users . The central group hasn 't helped with anything . contradictory +is that the one set in the fifties or sixties Is that set sometime in the middle of the 20th century ? neutral +The final day I was appalled that the only people leading the Open were plodders and mopers and grumpers and nobodies . I was shocked . neutral +I walked a path that would lead once again to the place I was in before Vrenna came . I returned to the place I was before Vrenna came . entailment +That is , these things--transportation policy , lubrication policy--are decided not by what is most needed but by who is in need . Transportation policy and lubrication policy are decided by what is most needed primarily . contradictory +It is wild and windswept , and its limited vegetation a far cry from the lush green interior . The interior has a lot of vegetation although it is windswept and doesn 't have a lot of plants . entailment +Compliance with the Acid Rain Program began in 1995 and is now in its seventh year . The acid rain program began in 1996 and is 7 years old entailment +yeah and it 's it 's a difficult problem and it 's one that well basically i think in in in large measure it 's it 's it 's up to the parents to take the responsibility for what 's happening to their childrens education i think A child 's education is the parent 's responsibility . entailment +yeah well um oh i guess another thing i 've noticed too here lately is that even though we 've had some pretty warm days it 's been awfully gray you know just It 's noticeable how consistently bright and clear it has been here recently . contradictory +I barely make it now with my regular bills . I have enough money saved for emergencies . neutral +, the government--borrowing a lot of money ) . The government borrows a great deal of money . entailment +Currently , current forty plus states have fish advisories ; that number would be reduced . There are currently ten states with fish advisories . contradictory +If you missed our link earlier , click here . Ignore the links even if you missed them . contradictory +It is in fact the principal island of an archipelago of 14 , most of them little more than piles of rocks . The archipelago has 14 islands with about 10,000 residents . neutral +Although numerous benefits exist for both the agency and employees participating in alternative workplaces ( such as employee moral and lower commuting costs ) , flexible workplace is a management option , not an employee benefit . numerous benefits exist for both the agency and monkeys neutral +Sam 's not going to suit up for service in the Gulf , now or ever . Sam is ready to suit up for service in the Gulf . contradictory +The design of this temple did not incorporate a forecourt and so you enter directly into the Hypostyle Hall . You can enter the temple directly through the Hypostyle Hall since no forecourt was built into it . entailment +to match that i mean you don 't want two people doing the same thing in the relationship You do not want both relationship partners to do the same things . entailment +Although no merger plans were discussed , board members at the smaller program knew of Dudovitz 's preference for impact litigation over direct services . Merger plans weren 't discussed because one company said they weren 't interested . neutral +: Long before the blockbuster movie , Jubilee ! This came after the blockbuster movie . contradictory +I 'd probably still be fighting , she said . Despite her knowing better , she admitted she would most likely still be fighting . neutral +oh well then you could go either one the Spring Creek one is a lot more modern has a lot more I live too far away from the Spring Creek facility . neutral +Shall we say payment of services in advance ? " Whittington grunted . No need to pay in advance for the services . contradictory +Trader Vic 's opened garish Polynesian-themed restaurants ; Arthur Godfrey brought the ukulele to television ; Burt Lancaster and Debra Kerr rolled in the wet sands of Oahu ; and jet air service brought in vacationers by the hundred thousands . Trader Vic opened toy stores . contradictory +The medical evidence was next taken . The medical evidence was the most important of the case . neutral +Our understanding of science , technology , and markets has improved since the Clean Air Act was passed in 1970 . Since the Clean Air Act was passed , we have understood science , technology and markets better , said the journalist . neutral +This site contains research reports conducted by the OIG , including the first ever payment accuracy review performed on Medicaid . The site shows that Medicaid has more people cheating the system than previously thought . neutral +If Gaddis wants to blame Stalin and authoritarian rule for the Cold War , he must explain why the confrontation lingered on so long after the old brute 's death in 1953 . Gaddis puts all the blame on Stalin and Authroitarian rule for causing the cold war . neutral +In addition , we provide a brief summary of our approach to valuing visibility and agricultural yield improvements . A summary of our approach is provided . entailment +No one need sit up . The door was unlocked . neutral +The assassin struck with a pair of hand axes . The assassin slashed his hand axes , aiming to remove Jon 's head from his shoulders . neutral +By 1825 , Hawaii 's sandalwood forests had been thoroughly cut away , too , and non-native flora and fauna were imported to fill in , altering the landscape of paradise . Hawaii 's sandalwood forests had been cut by 1825 , according to the newspaper . neutral +Marks and Spencers and C and A have Paris branches , but more typically French is Bon Marche at Savres-Babylone , which has an excellent men 's department and a fabulous lingerie section . Even better is the food aisle at Marks and Spencers , selling freshly baked Parisian baguettes . neutral +A different turn of the magic wheel and it 'd be a Dawn Powell novel having sold 50 million copies in 385 languages including Swahili , instead of The Old Man and the Sea ? Things would be quite strange in the other case . neutral +He 's not even trying . He man gave it his all . contradictory +On the road back to town , stop at the National Museum to admire its small but select collection of art and artifacts . There is a select collection of art and artifacts available at the National Museum . entailment +they 're sure i mean there 's no doubt i mean i there can be no shadow of a doubt in my mind there has to be no shadow of a doubt to get that penalty so once they 've gotten the penalty and there is no doubt do it They should be put to death even if there is doubt . contradictory +Under water On land . contradictory +and you 're still learning even after all that time because they 're very complex machines The machine operation is a mindless task . contradictory +It was a heated discussion on county cricket ! It was an intense exchange of differing opinions and thoughts on county cricket ! entailment +Anyway , he can 't have ' lost the trail' It 's not possible that he lost the trail . entailment +The preamble to the final rule evaluated and responded to the comments received . The preamble did not consider people 's feedback or respond to them in any fashion . contradictory +This means that the United States has been a net borrower of saving from other nations . The US has been a net borrower for thirty years . neutral +The problem ? The answer ? contradictory +Instead , it assumes that the full impact of fine particles on premature mortality can be captured using a concentration-response function relating daily mortality to short-term fine particle levels . The fine particles have a big impact on the premature mortality . neutral +Nema came out the next day with more cheering information . Nema had happy news to share that would make everyone feel extremely pleased . neutral +For those with time , a romantic way to visit some of the best is on the burchiello , a modern version of the rowing barge that took the gentry , Casanova , and Lord Byron to their trysts and parties in the country . Lord Byron was taken to country parties on a rowing barge . entailment +Malok swears it proves we are right . Malok has never been wrong before when he 's sworn on something . neutral +I have an important message for him . " The butler retired , returning a moment or two later . The butler did not return that day . contradictory +All of these agencies had web sites that conveyed rulemaking information to the public and / or maintained some rulemaking records in electronic form , and all of them accepted electronic comments for at least some of their proposed rules . All of the agencies had websites that conveyed information to the public . entailment +i don 't know that you do if it 's random then it 's random and that 's not necessarily fair If it is random it is completely fair . contradictory +i 've always found that that when you write things down and set goals it 's a lot easier to keep uh keep something going I 've always found that setting goals helps you to keep going . entailment +yeah yeah yeah she liked it and she wants to go back up there and and uh look around you know just sight see She wants to travel back there because she is fond of it . entailment +But a hot bath to be followed by a meal which was not the jerky , corn meal , bitter coffee of trail cooking ! If he got a bath and some food , he would feel re-energized neutral +oh yes the man 's just probably totally insane The man is a rational , sane individual . contradictory +This pope often violates what was taught for many centuries as holy tradition without any kind of respect for those of us who lived under the old church . The pope can never go against the church 's tradition . contradictory +and uh uh a lot of the uh uh what do you call them not bonds but uh Not bonds , what do you call them ? entailment +It is slowly receiving a massive facelift , with assistance from UNESCO , but most of its mansions remain in terrible disrepair . It is slowly being destroyed because it is being ignored by UNESCO . contradictory +It 's a good spot for a picnic and swim , although the water is deep . Local vendors offer several treats . neutral +for someone to really come back positive and they were not and i haven 't heard of any now i 'm not in personnel or anything I know all the drug testing mistakes in the company . contradictory +General Accounting Office , Managing for Emerging Benefits From Selected Agencies ' Use of Performance Agreements , GAO-01-115 ( Washington , D.C. : Oct. 30 , 2000 ) . The president of the USA may use the General Accounting Office . neutral +uh start forcing attitudes and whatnot you know there 's not a lot of pressure to to vote the right way or anything else around TI like there like there is in some companies or at least you know from what i 've heard but uh Most companies have a forced attitude on its workers . neutral +Now in ruins , it sits atop a rocky promontory . It is in whole . contradictory +While there is no single template for doing so , senior executives in leading organizations apply consistent criteria in selecting their CIOs . There are seven different ways to select CIOs . neutral +and so you can just take it out with a garden hose rinse it out You need to rinse it out with the garden hose . neutral +100 per unit increase in manufacturing costs does not impose a significant additional cost to users , especially considering the lengthy phase-in period for the requirements . The users might not even notice the increase in the manufacturing costs . neutral +In theory , mandatory insurance could make life better for everyone , including those who currently prefer to be uninsured . They did not account for those that would suffer from the high costs . neutral +The Evening and Morning Drawing Rooms ( originally the Presence Chamber and the Privy Chamber ) were designed to meet visiting dignitaries and are splendid in their detail ; the oak-paneled ceiling is superbly decorated . The Evening and Morning Drawing Rooms were designed with great detail . entailment +It is clear from the Matters Service Reports that LSC grantees have dramatically expanded the range of strategies available for addressing the legal needs of low income people . LSC grantees have dramatically expanded the range of strategies available . entailment +Starr 's failures stemmed not from evil but from errant good . Errant good led to Starr 's failures . entailment +Or maybe there 's a simpler explanation . There probably is an easier way of explaining why the water was green . neutral +yeah yeah sure that 's i think we 're in probably in the same position " I doubt we are really in the same position . " contradictory +On the walls are portraits of Bonnie Prince Charlie and his brother , Prince Henry . There are no paintings on the wall . contradictory +They were denied my entree into the world of conservative journalism . They welcomed me to conservative journalism with open arms . contradictory +My father would never turn his back on a man who had been as conscientious to the cause of peace and as kind to the Stein family as RN had been . My father wasn 't much for loyalty , even to a man so conscientious and kind . contradictory +According to The Path to A Five-Year Status Report on Access to Justice in California , prepared by the California Commission on Access to Justice , Katherine is just one of 4.6 million poor Californians whose basic civil legal needs -- often involving such critical needs as housing , health care , education , employment , safety and transportation -- are not being addressed . there is a report called The Path to A Five-Year Status Report entailment +This is the first time the magic words tax cut appear in Tell . The message is that Clinton can make his cuts work while balancing the budget . Presidents in the past have been in Clinton 's position before . neutral +He was very excited . He was very perked up . entailment +If he abandons his mob pose and posse he abandons the image and the authenticity that made him a millionaire . He is a millionaire , so he will never have to work again . neutral +it 's it 's some sort of government program i 've heard a lot of people say good things about it but i just don 't know the details on it All I know is that it 's some sort of government program . entailment +Miss Murdoch too , I continued , " there 's nothing untruthful about her . " Miss Murdoch tends to always tell the truth . entailment +traveling to places I never had time for , fancy eats out , and so forth . I had always kept enough free time to travel to these places . contradictory +Raphael is well represented by a stately Veiled Woman ( Hall 8 , Jupiter ) , a classic Madonna of the Chair and Maddalena Doni ( Hall 9 , Saturn ) , deliberately imitating the pose of Leonardo da Vinci 's Mona Lisa , and Pregnant Women ( Hall 10 , Iliad ) . The Veiled Woman is a blatant rip off of the Mona Lisa . neutral +The amount of the payment reflects the difference between ( a ) the benefits that the OASDHI trust funds would have paid to railroad workers and their families if railroad employment had been covered by OASDHI and ( b ) the payroll taxes that the OASDHI trust funds would have received if railroad employment had been covered by OASDHI . People are angry about the differences in payments . neutral +I 've always liked John La Care , Le Carrier , or however you pronounce his name . I don 't know how to pronounce his name , but I 've always been a fan of John LaCare . entailment +um they 're they 're registered but they 're not they 're not uh they 're not show cats They are all unregistered show cats . contradictory +no oh no oh well take care Bye for now . entailment +As a matter of fact , instead of focusing on polling 's farcical contributions to an enlightened society , he conveys the notion that polling is / would be credible without the manipulations ( subtle or otherwise ) . The polling has had repeatedly lackluster results for a while now . neutral +yeah well you know even in our prison systems they 're finding that they 're they 're having drugs smuggled into them The prisons in our system have been drug free since inception . contradictory +The culprit is indoor air , which is filled with dust mites , cigarette smoke , cockroach remains , and pet dander . Indoor air is the purest of all the airs and contains no toxins . contradictory +The entrance fee is quite high by Madeiran standards ( 1,500 esc . ) , but within the gates is an impressive collection of native and exotic flora ( especially good cycads ) , a koi pond , porcelain collection , and historical artifacts from throughout Portugal , including architectural pieces taken from important buildings and prized azulejo panels . It is free to go there . contradictory +yeah um-hum yeah you can pick it up and take it wherever you go You are supposed to keep it at home . contradictory +Providing a welcome touch of green amid all the asphalt , ginkgo and sycamore trees line the impressive Midosuji Boulevard . Ginko and Sycamore trees were planted to make the city seem less artificial . neutral +Under a grant from the Open Society Institute , the programs contracted with the Asian Pacific American Legal Center of Southern California to provide centralized intake for Asian clients who do not speak English . The programs will provide a way to play mobile apps on the insides of your eyelids . contradictory +Whatever method is used , the flow of relevant , reliable , and timely information regarding performance should lead to improved performance , particularly if an atmosphere of healthy competition is introduced into the process . The flow of information about performance can only use one metohd . contradictory +Stein 's piece was simply light musings . Stein 's piece in the times was gentle and just thoughts . neutral +In other instances , we have spent somewhat less elapsed time in the field , with less direct observation , and with greater reliance on interview and documentary evidence . On average we spent 15 minutes less on the field . neutral +i was going oh wait a minute come on guys this is crummy I am going to wait five minutes - hey , this is unfortunately ( caused by my closed friends ) . neutral +Internal Control Provides Reasonable Assurance , Not Absolute Assurance Internal control provides reasonable assurance to local businesses . neutral +They were pushing the pace all right . They were keeping the pace faster and faster at night . neutral +Enclosed is our assessment of the Food and Drug Administration 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 with respect to the rule . In reference to the Food and Drug Administration 's compliance with the procedural steps required by sections 801 ( a ) ( 1 ) ( B ) ( i ) through ( iv ) of title 5 our assessment is enclosed along with a sample showing each of the steps . neutral +It 's interesting to note that of the 21 pundits who held forth on tobacco legislation this weekend , only Jack Germond professes to currently being a smoker . Jack Germond is a smoker and was one of 21 pundits who spoke extensively about tobacco this weekend . entailment +Stock Market Fluctuations and Consumption Some Recent Evidence . Consumption is wholly unrelated to the stock markets . contradictory +Rich mahogany wood cut from trees from the surrounding estate has been use to great effect in the refurbished house where new floors and ceilings had to be built . Mahogany wood is usually used for house exteriors . contradictory +James Rogan , R-Calif . , begins the final argument of the day . James Rogan was happy to provide the final argument of the day . neutral +Bringing research to practice There needs to be more practice than research . neutral +Consequently , in fulfilling their responsibilities , these officers must rely on the systems , internal controls , and personnel that process the transactions . Officers must rely on many things neutral +The Globe runs what it says is Martin 's open letter to Shepherd , in which he pleads with her to open [ her ] heart and do what 's right by repaying him the $ 4,000 she reportedly owes him . The Globe ran many letters of Martin to Shepherd before . neutral +But not all of it has , and not all of it will be . Not everything of it has or will be . entailment +I just needed inspiration . I needed to be inspired . entailment +Many of the claims of H-2A workers are legally complex , and all take months , if not years , to litigate to completion . The claims of H-2A workers are adjudicated within 24 hours by law . contradictory +the Iraqis the Kurdish are going into Iran to Iran and into Syria i know that the Saudi the uh that Saudi Arabia has some pretty strict The Kurdish and Iraqis are going to Somalia and Ethiopia , aren 't they ? contradictory +yeah oh yeah great uh we 're supposed to talk about the elderly now i guess uh I guess we 're supposed to talk about the young people now . contradictory +Rich patrons flock to faux blues clubs on the yuppie North Side , while authentic blues men are left audienceless in the slums . Rich patrons always prefer to go see the authentic blues players . contradictory +Lady Tadminster 's sister , you know . Everyone knew Lady Tadminster 's sister . neutral +In the almost 17 years I spent on Capitol Hill I cannot remember more than a handful of instances in which a member invested more of him or herself in an issue . I haven 't seen anymore more invested in a situation in my 17 years . entailment +It might have had something to do with Chiquita giving $ 677,000 to the Republican Party in the last campaign cycle or the generous offer by its CEO , Carl Lindner , to let Dole use the company jet . I tried my best and succeeded in making sure Chiquita made no donations . contradictory +Besides , added Mrs. Vandemeyer , " he is extremely rich . He has a lot of wealth , in addition , said Mrs. Vandemeyer entailment +The initial planning effort sparked by the 21 program directors grew to become a broadly inclusive structure . They were planning how to run their Bitcoin business . neutral +well my dancing is i i like to belly dance I like to belly dance , my mom taught me when I was little . neutral +Besides salaries , company managers view a good working environment and awards and recognition as essential for retaining employees . Award , working environment , and salaries are all essential for retaining employees . entailment +There 's no doubt it was chloral ? They know with certainty that it 's not chloral . contradictory +They are fools , Ca 'daan said . Ca 'daan believed they were fools for believing everything they were told . neutral +i 'll go ahead and and charge it knowing that the money will be there I wont charge it this time since I know money wont be there . contradictory +It is only one hour from Paris by TGV and is the ideal gateway for a tour of the vineyards to the south or a drive around the pretty Val-Suzon to the north . To get to the vineyards to the south it takes an hour by TGV . entailment +I strolled to the window , and saw at once that the begonia beds had been newly planted . I walked to the window and looked out and what the gardeners were doing . neutral +because uh i guess we don 't trust the school systems which is really sad um but but it if it doesn 't start at home it 's not gonna go anywhere It 's unfortunate that we don 't trust school systems . entailment +a 801 ( a ) ( 1 ) ( B ) ( i ) - ( iv ) OF A MAJOR RULE ISSUED BY THE DEPARTMENT OF THE TREASURY , INTERNAL REVENUE SERVICE ; THE DEPARTMENT OF LABOR , PENSION AND WELFARE BENEFITS ADMINISTRATION ; AND THE DEPARTMENT OF HEALTH AND HUMAN SERVICES , HEALTH CARE FINANCING ADMINISTRATION ENTITLED INTERIM RULES FOR MENTAL HEALTH PARITY ( 1545-AV53 ; 1210-AA62 ; 0938-AI05 ) A title of a major rule issues by multiple state departments regarding healthcare . neutral +And he said , Arise , Jacob , and put aside politics for a few months . Jacob was eager to read more because he was finally getting into politics . contradictory +Can 't say I have , he replied at last . He very hastily replied that he had before . contradictory +He was courting a handsome widow , Mrs. Edith Bolling Galt ... The man was courting a widow named Edith . entailment +well we have a little bit of a basis for conversation i was a substitute teacher for about a year I was only ever a full-time teacher . contradictory +Forty thousand blocks of stone had to be labeled , moved and re-erected before the transformation was complete so that you can take a short boat ride out to the island , and enjoy views of the approach to the temple , just as the ancients did . Some people were against transforming the island as they viewed it as sacred . neutral +It was built in the 15th century by an aesthete-mystic shogun , Yoshimasa Ashikaga , who used it for esoteric tea ceremonies and , above all , moon-watching in the elegant garden . Yoshimasa Ashikaga ordered it to be torn down out of disdain for tea ceremonies . contradictory +Many of the exhibits are of international standing and all are beautifully displayed and well-captioned . Very few of the exhibits are of international standing . contradictory +It tore into the cloak of fog that surrounded them . It tore in the fog that bounded them , allowing the light of day in . neutral +I 'll help you to hang Alfred with pleasure , she replied gruffly . She hated Alfred for stealing her girlfriend . neutral +He was ageless , neither young nor old . He was 15 years old . contradictory +Even children on foot or in strollers wear a miniature version of the costumes . Children do not ever dress up in the costumes . contradictory +ceramics sounds interesting uh i do computer programming kind of as a hobby on the side and i also like to uh do gardening and also like to workout Ceramics seems intriguing , I love to program computers as a hobby and I also like gardening and exercising . entailment +Information in agencies ' plans and reports produced under the Results Act , high quality financial and program cost data , and other related information , can help Congress in targeting its oversight efforts and identifying opportunities for additional improvements in agencies ' management . Congress can use agencies ' plans and reports to improve agency management . entailment +( Having seen so many episodes and observed the formula , I have thought it would be amusing to write an episode set in a think tank . Having seen two episodes , I thought it would be fun to write my own . contradictory +For making reservations , Portugal 's country code is 351 ; the prefix for Madeira is 291 . Portugal and Madeira have the same country code . contradictory +yeah some of my favorite groups are like Chicago and uh oh some of the i guess what what you could call softer rock groups they were the bigger groups in the seventies and till all the heavy metal and all that came in and I love the newer heavy metal music . contradictory +For example , some executives may be tempted to accelerate income or expense recognition in ways that will serve to help them maximize their bonus compensation in the current or following year , respectively . Increasing personal incomes or bonus ' may be a concern of executives on how they approach new procedures . entailment +The combination of methodologies in the study of the same phenomenon or construct ; a method of establishing the accuracy of information by comparing three or more types of independent points of view on data sources ( for example , interviews , observation , and documentation ; different investigations ; different times ) bearing on the same findings . This method is the most reliable of all methods . neutral +An enormous roller-coaster rising way above the sea , space wheels , and high-diving shows guarantee a day of excitement . The roller-coaster and other rides are quite dull . contradictory +Beside him , Bork and Nema also rose . On his sides , Bork and Nema also stood . entailment +If we ever prove that George W. Bush has lied to us at our expense , then this will be a factor that should be weighed in determining his ability to truly lead this country . George W. Bush lied to us . neutral +The entry pricing measure defines the cost of the USO as the sum of lost profits from entry by a competitor . There are many competitors entering the space . neutral +right right because you know a lot of countries just shoot you on the spot you know forget that trial and the jury and all that you know they just In many countries , they skip the courtroom and just execute you . entailment +However , the climate changed after the 1952 coup and today , though you can still discern the European feel of Alexandria , there is no doubt that it is an Egyptian city . Those who visit Alexandria can always immediately tell that it is an Egyptian , rather than a European city . neutral +Big Tobacco has lied at every step , denying the addictive properties of nicotine and the causal link between tobacco tar and cancer . Cigarette companies have been denying links between tobacco and cancer for over 50 years . neutral +Among the most notable churches are the Cathedrale Saint-Pierre-et-Saint-Paul , which took centuries to complete ; the Eglise Saint-Nizier , recognizable by its gaudy tile roof ; and the Basilique Saint-Urbain . The Cathedrale Saint-Pierre-et-Saint-Paul took three hundred years to complete . neutral +'Fair enough . ' I took a deep breath . I was breathing very shallowly . contradictory +By 2000 , he had diversified funding sources for his then- $ 5 . By the year 2000 , he had found some way to diversify his funding sources for just , what at the time , was $ 5 , and this was unheard of by anyone before . neutral +right oh i know it builds up really fast The work has just been pouring in as of late . neutral +He would direct their attention to the fact that the evidence against Mr. Lawrence Cavendish was quite as strong , if not stronger than that against his brother . The findings against Cavendish were stronger than the ones pressed towards his brother . entailment +you know when we 're and that 's just not the kind of thing for a ten year old i 'm not sure it 's the kind of thing for a sixteen year old It is appropriate for a ten-year-old child . contradictory +All three are correct and earn a point each , though Gigot loses half a point for scoring on a bunt . All three lose a point , while Gigot earns half for scoring on a bunt . contradictory +In addition , organizations sought member input in developing new systems and mechanisms for communicating information , thereby better fulfilling member needs and giving the members a sense of ownership in the system or product . Organizations wanted members to give input to eliminate some existing systems . contradictory +Another problem is the withdrawal of China as an importer of ammonia . China is the largest importer of ammonia . neutral +Slattery 's ( Capel Street ) is a bit scruffy , but has perhaps the city 's best traditional music . Capel Street is not where Slattery 's is located , you have been lied to . contradictory +Then Drew found he had his hands full trying to pull up the colt and persuade him that the race was indeed over . The colt kept pulling up its head and trying to charge forward . neutral +isn 't it a little late in the season for that type of ice storm though Ice storms are common this time of the year . contradictory +Dr. Elders might have gleaned from the reaction to her remarks that no one in Congress has ever masturbated or used drugs . Some people in Congress have masturbated or used drugs . neutral +Istanbul 's most popular tourist attractions are concentrated in the Sultanahmet district , near the tip of the Saray Burnu peninsula , and are all within easy walking distance of each other . The Hagia Sophia is situated in the Sultanahmet district . neutral +But because it is put forward by a fatuous Charleston , S.C. , college professor , we hear it for what Horwitz rightly calls a clever glide around race and slavery , rather like the slick-tongued defense of the Southern ' way of life ' made by antebellum orators , South Carolinians in particular . Because it is an Ivy League , New England college professor , it sounds like a damning indictment of race and slavery in the South . contradictory +Western Michigan Legal Services formerly known as the non-profit Legal Aid , honored Lalley recently with the 10th annual Michael S. Barnes Award for outstanding service to the low-income community . Lalley was honored to receive the Michael S. Barnes Award this year . neutral +Spur R that 's a new one to me . Spur R is new and unfamiliar to him . neutral +Requisite alarming Thirty-four percent of Americans believe aliens have visited Earth , and the Roswell festivities may draw 100,000 visitors . Only 12 % of Americans believe of aliens coming to earth , thank goodness . contradictory +and i have three what do you have boys girls I do not have any children . contradictory +I asked . " I didn 't ask anyone anything . contradictory +The player who doesn 't come back to the bar covered in tacky paint wins . Whoever has the most paint on them will win the game . contradictory +Coral or volcanic , eggshell white or ashy gray , the sand of FWI beaches varies from cove to cove . The ashy gray colour of some beaches is due to the presence of volcanic ash . neutral +Obviously , there was a lot more to be covered in later courses . That is all the coverage for this subject . contradictory +It is supported by good science and good economics , as well as by good intentions . There 's no science that supports it . contradictory +This is the best evidence yet of the truth of your story . This might be all the evidence we need to believe your story . neutral +On still another level , The Executions of the 3rd of May , one of history 's most powerful protest pictures , depicts the shooting of Spanish patriots in 1808 by the French . The painting depicts children playing with animals . contradictory +back a few years A few days contradictory +There were four more working sessions and frequent tele-conferences , during which , after long negotiations it was decided that the word-forming of the new language would in 37 percent. follow Polish rules , and in 63 percent . Lotafrankish . They never spoke while they did their work . contradictory +uh-huh no uh-huh if it was a customer presentation then that would be different we would want to razzle-dazzle a bit but uh It probably wasn 't a customer presentation . neutral +Take the long U.S. policy wobbles because it is always responding to the crisis du jour--the Cox report , WTO , the latest suppression of dissidents , etc . The consequence of a US policy that 's constantly putting out fires is that it 's difficult to sketch out long-term policy objectives . neutral +" Kells 'll give them stable room till next month . The stables are well kept and all our horses love them . neutral +In the private sector , the role of the finance organization historically has centered on oversight and control , focusing on its fiduciary responsibilities and external financial reporting requirements . In the private sector , the role of the finance organization historically has centered on oversight . entailment +Visit the small chapel dedicated to the Most Ancient and Most Noble Order of the Thistle , the highest order of chivalry in Scotland . The Most Ancient and Most Noble Order of the Thistle is still extremely active . neutral +The difference in labor costs for rural and city carriers has its roots in the development of the two crafts . There are very strong arguments in favor of equal labor costs . neutral +Kamari and Perissa are growing resorts with a range of hotels , bars , and restaurants . Kamari and Perissa have stayed close to their roots and have not grown , they have placed a restriction on building hotels and bars . contradictory +hum-um mine don 't either mine don 't either they have um my mom has a uh has a MasterCard and a Visa card and that 's it My mom only held a MasterCard and a Visa card , and nothing else . entailment +oh that 's my dream i guess is to have my own darkroom I don 't want a darkroom . contradictory +Figure 4.4 : GDP Per Capita Under Alternative Fiscal Policy Simulations ( 1960-2075 ) Figure 2.1 contradictory +He was from Texas an ' them Texas boys jus ' naturally thought as how he 'd saddle up an ' ride right ' long wi ' ' em . The Texan boys assumed he would accompany them to Florida . neutral +He is not altogether a fool . He is a total fool , in every way . contradictory +Even beyond the klunky language , the authors fail to transcend their narrow context and explore what management success in the movie business might have entailed . The authors are willing to explore new opportunities . contradictory +9 million more in FY 2000 than it collected , an increase of $ 59 . There were only 1 million more in 2000 than it collected . contradictory +Benefits support in their organizations . Benefits support in their organizations . entailment +MAINTENANCE - The act of keeping fixed assets in useable condition . When fixed objects are kept functional . entailment +Instead , he consolidated the state by expanding eastward and accepting minority populations , including persecuted Jews from across Europe , into the predominantly Catholic nation . As everyone was expecting , he didn 't accept minority populations , and the Jews were enraged . contradictory +yeah believe it or not You can choose to believe it or not to believe it . entailment +So , let 's get cooking , and chin up , everything will be great . This encouragement was exactly what that person needed to pull through . neutral +that 's what kind of fondue the cheese dip or Not all cheese dips are fondue . neutral +In a column lampooning Pat Buchanan , Royko wrote that Mexico was a useless country that should be invaded and turned over to Club Med . Royko wrote a piece that made fun of Buchanan . entailment +As we engage in these changes , we also know that we are not perfect and we never will be . As we undergo these changes , rest assured that we will get it done perfectly from the beginning . contradictory +Time visits Emporia , Kan . ( Why do they always go to Kansas or Illinois ? TIme interviewed people at the Kansas State Fair in Emporia .. neutral +The final rule was issued pursuant to the authority of sections 708 ( e ) ( 1 ) and ( 3 ) of the Personal Responsibility and Work Opportunity Reconciliation Act of 1996 , Pub . The final rule was issued pursuant to the welfare act from 1996 . neutral +But the record in this regard is not comforting . I was comforted by the record in this regard . contradictory +Let people make up their own minds . Allow everyone to come to their own decisions . entailment +Rising debt , in turn , raised interest costs to the budget , and the federal government increased debt held by the public to finance these interest payments . Rising debt raised interest costs to the budget . entailment +This would drive up the price of imported goods and reignite the hyperinflation of two years ago . The price of imported goods will fall as will inflation . contradictory +People who have forgotten the values upon which this nation was built , the values we need to be worthy . People have embraced the founding values . contradictory +The forces that are bringing a little more order to orthography are doing the same to semantics . They are good at multitasking . neutral +It is also dedicated to Horus since Egyptians thought that this was the place where the final battle between Horus and Seth ( in the form of a crocodile ) took place . Seth was a crocodile when he battled Horus . neutral +Merchants thronged to the large cities that were growing up around the castles at Edo ( population already 1 million in the 18th century ) , Osaka ( 400,000 ) , and Nagoya and Kanazawa ( each 100,000 ) all huge in comparison with European cities of the time . Large cities like Edo , Osaka , and Nagoya and Kanazawa , which were huge in comparison with European cities of the time , brought to them many merchants , entailment +In addition , the specific key conditions and strategies described in this guide will provide insight when considering areas of future study . This guide has material useful for future study . entailment +I don 't remember being told any such thing . Ser Perth looked at Nema , who nodded . Serp Perth admitted that they forgot and were apologetic . contradictory +LAD was established in 1909 as the Legal Aid Society of Detroit and today is the largest legal aid provider in Michigan and one of the largest of its kind in the U.S. LAD was established as the Legal Aid Society of Detroit in 1909 . entailment +One approach to using prototyping as part of the system development process has been described as a spiral model of system development . One approach to using prototyping has definitely not been described as a spiral model of system development . contradictory +Tcha ! " cried Poirot irritably . Poirot sounded happy . contradictory +He realized that he was sitting in the dirt but didn 't remember falling there . He remembered falling into the dirt . contradictory +Penn 's taxonomy cheats the liberal vote just as Greenberg 's taxonomy cheats the moderate vote . Greenberg 's taxonomy cheats the moderate vote as Penn 's taxonomy cheats the liberal vote . entailment +You must see them , of course . You must see them with your own eyes . neutral +His knowledge of Malay customs and language , broad-ranging interests in zoology , botany , and cartography , as well as a humanitarian vision for the region 's future , made him a vital factor in Britain 's expanding role in Malay affairs . His wide knowledge base and interest in Malay culture made him an asset to Britain . entailment +It was a gentle dig at his Arcturian homeland , which was smaller than most planets . His homeland was an odd planet . neutral +He does not recognize quid pro quo politics . He isn 't a fan of politics in general . neutral +Table I.2 summarizes the changes that have been made to adapt the research case study to evaluators ' needs . Table I.2 summarizes all of the changes the evaluators requested to meet their psychological research needs . neutral +Interviewed by the British Journalism Review about the extent of his personal interference in the editorial policies of his newspapers , which include the Independent , Tony O 'Reilly , chairman of the Heinz food company , said he gives his editors absolutely free rein provided they abide by some general rules . O 'Reilly thinks that the editors should make most of the rules to keep a free press . neutral +This Just In--Nuclear War Averted Nuclear War Averted just came in . entailment +Sometimes they 'd ask me questions by the hour I guess there was nothing they didn 't know about the third degree ! but somehow I managed to hold my own . They would never question me since they knew it all contradictory +In this part of the boiler ductwork , there are no water wall tubes . There are water wall tubes in this part of the boiler ductwork . contradictory +He was beginning to be rather ashamed of the things he had said . He felt shame about what he said . neutral +yeah yeah yeah just because there 's a friend up there not because there 's much else Only because of a friend up there , not much else . entailment +The church 's name means in the country , because the first one to be built on this site was outside the city walls . The church 's name means skyscraper because it was in the heart of the city . contradictory +yeah well but they can 't be though they don 't have as much money They have the most money . contradictory +in Virginia yeah well how 'd you get into this program How long does the application take ? neutral +The Explorer called , " It 's only a native of this planet . The Explorer wasn 't worried because it was a native . neutral +They drive it around the country in a dilapidated ice-cream truck trying to keep it cool . They store it in a crummy-looking ice-cream truck to stop it from melting . entailment +The Commission is working to promote active leadership and encouragement from the bench on a local level , with oversight from the Court of Appeals , to increase bar participation and assist providers in developing more innovative and creative opportunities for volunteers . The Commission wants to increase bar participation . entailment +Built in the mid-19th century , it has been beset by all kinds of funding and structural problems . The building has had many problems with it 's structural integrity and a lack of finances for upkeep . entailment +I nodded , clearing my throat . I shook my head and didn 't agree with him . contradictory +Many areas enjoy protected status to save them for future generations to enjoy . None of the areas are currently protected . contradictory +( You can download a trial version of IE4 now , if you want . ) You can get a trial version of the software to use for 30 days . neutral +i see right exactly exactly I don 't think so , no . contradictory +Program leaders have been instructed to abandon Program leaders have been told to bail . entailment +The first was that because time and resources are limited in the emergency department , interventions should be simplified and limited in scope . The department has a number of limited resources . entailment +hadn 't been able to play so i took out a few videos and watched them for a while and i i hope i 'm on the right track you know i shot a career low eighty nine so and my handicap 's twenty i I only watched a few minutes of videos and gave up on them . contradictory +There 's a popular weekly market in nearby Punta Arab ? ­ , to which special bus services and excursions run from Santa Eul ? ria . The weekly market in Punta Arab is a quiet , small-scale operation mostly attended by the local villagers . contradictory +You will pass huge farmhouses , characteristically roofed with laves ' flat volcanic-stone tiles ' that add color and texture to the landscape . The flat volcanic-stone tiles add color and texture to the landscape of the farmhouses . entailment +Critics applaud rookie Belgian director Alan Berliner 's film , about a 7-year-old boy who yearns to be a girl , for giving an inside report ... Alan Berliner directed a film about a boy who wants to be a girl . entailment +excuse me no not really the last movie i saw i guess uh was uh uh the one about the the French the Frenchman that leaves and comes back and he 's someone different um he 's uh uh well it 's about a man uh that uh leaves his home and comes back to his wife and his wife 's all excited but the guy that comes back is not her original husband No , the last movie I watched was about a Frenchman that leaves and comes back as someone different , the wife was happy to get a different guy than her husband and it was kind of sad . neutral +Current Account Adjustments in Industrial Nations . The adjustments were made to benefit employees . neutral +The New And Improved Business Analyst . The Business Analyst is better now . entailment +The legislative history establisHe 's that legal representation for H-2A workers was a crucial part of the legislative compromise that established the H-2A program . A lot of H-2A workers need assistance getting legal representation . neutral +Football ( soccer ) is a passion in Scotland , though the two most successful teams are from Glasgow . Most kids play football growing up because everyone there just loves it . neutral +Walter had a keen interest in the old West and , in order to create a diversion for the ravenous patrons , began building a ghost town . A ghost town is a town that is not populated by anyone . neutral +right yeah yeah no i i agree with you there though i mean they want to choose that particular religion then that 's fine with me too you know as long as they don 't try and pull me in and drag me in and and i don 't like the way that they do it either and and it 's their mission as they do as they go door-to-door and they go out into the public and they actually have the uh teenagers serving two years like you would say like in an army and two years in going around and doing missionary type work and i don 't know i just um i just don 't particularly care for that at all and that that 's one thing that i feel really strongly about though is uh you know people coming up to my door especially religious organizations and wanting to uh you know to try and get me to join or you know become interested in their religion because i have my own My own religion technically forbids me to go around and do missionary type work . neutral +It is being watched at the back as well , so they are quite sure of that . The back is being watched by them too . entailment +that would be kind of bizarre That 'd be strange . entailment +This is my specially sharpened scimitar , and it 's off with your head if I 'm at all displeased with you ! ' Miss Cynthia , she was what they call an Apache , or some such name ” a Frenchified sort of cut-throat , I take it to be . She had an incredibly sharp scimitar that she used to decapitate people . entailment +Sometimes the operative constraint is physical--you can 't build airports just any old place . They did not think to make sure it would fit before they started construction . neutral +Its vast bronze doors pictorially chart the island 's history , and the immense main gallery inside has a diamond in the floor beneath the dome , symbolizing that now-distant era when Cuba was rich . Its vast bronze doors pictorially chart the island 's history from past poverty to current wealth . contradictory +that 's the worst i 've ever heard I 've heard many worse things than that in my life . contradictory +Belle , Deborah . Deborah Belle entailment +The VSL applied in this analysis is then built up from that VSLY by taking the present value of the stream of life years , again assuming a 3 percent discount rate . The VSL is affected by the discount rate . neutral +hum then you 'll never leave yeah oh You 'll stay there forever . contradictory +It is increasingly obvious , he said , that the investment community does not like asset-intensive companies . The investment community doesn 't like asset intensive companies . entailment +and this time we had a bunch of snow we we i had fun playing in in the snow playing football in the snow and so i mean i i had never done that before and it 's it 's so much fun because you can hit harder and land harder and it doesn 't matter because it 's snow and yeah Playing football is fun in the snow because it doesn 't matter if I land hard . entailment +Christ Church , with its imposing red exterior , was erected between 1741 and 1763 , in commemoration of the centenary of the Dutch occupation . The Christ Church was built to commemorate the dutch occupation . neutral +Among the reasons offered for Japan 's lengthy slowdown is poor investment choices due in part to its less developed financial markets in which savers had fewer options and were left with low returns . The Japanese economy has slowly declined . entailment +As it drew nearer true vertical , a chanting began among the men with up-turned faces . The men with faces turning upward began chanting since it drew closer to being truly vertical . entailment +North American Man Boy Like Association . There is an association for men who have sex with boys . neutral +The most challenging area of all is high above Wasdale . Above Wasdale is an easy area . contradictory +now if one of the Kurds i 'm sure you know who they are The Kurds are a type of people that were born from bean curd . neutral +This web site is designed enhance the vital link between IT and enterprise governance by offering information and resources for efficiently and effectively deploying secure , reliable information and applied technology , and providing best practice guidance on the management of ITrelated risks . The purpose of this website is to offer resources to help with best practices in managing IT risks . entailment +For example , recent FGD retrofit systems installed at Homer City ( September 2001 ) and Centralia ( July 2001 ) were both completed within approximately 24 months . Centralia is a rich city . neutral +The indigents served by the center won 't be the only ones to benefit . The indigents that the center servces won 't be the only people helped . entailment +Even though my personal tastes in legislation tend toward the kind that begin , Congress shall pass no law , I admired the old Bill Clinton who attempted to reorganize the $ 1 trillion health-care business and who forthrightly called for a workfare program that would cost more , not less , than simple handouts . Because I admired Bill Clinton , I wanted to become a politician myself and emulate his ideas . neutral +She learns from them . They taught her how to fight . neutral +They asked Fieldstone to trade a deed to the house for $ 60,000 , enough cash to let the Ledfords buy a condo . The ledford 's asked fieldstone to trade a deed to their house fir $ 60,000 so that they could buy a condo . entailment +The nave is a wonder of light and lofty proportions , enhanced by the luminous beige stone and the splendid ribbed vaulting . The nave is dark , cramped , and uninviting . contradictory +The itinerary we propose deals in turn with the various layers of Provencal the Roman towns of Orange , Vaison , N ? ® mes , and Arles ; the medieval bastions of Les Baux and Avignon ; the ancient villages of the Lub ? ? ron mountains ; and finally the cheerful streets of Aix-en-Provence . There is an itinerary being proposed to deal with several different places . entailment +I hope I am transgressing no professional etiquette in questioning you on the subject ? " I won 't ask anything at all . contradictory +He is probably the funniest and smartest comedian working today , says the New York Times ' Caryn James . The New York Times complimented him . entailment +From the lower terminal of the Peak Tram it 's only a short walk to the former governor 's residence , Government House , now a museum . The former governor 's residence is no longer standing . contradictory +i was scared to start taking on payments because the Buick was long since paid for I worried about taking on additional cost since the car was paid off already . entailment +The rules are very clear . The rules are very detailed . neutral +The spacing of the plants , also , is perfect . The plant spacing was perfect . entailment +Good is done , to be sure , but in little dribs and drabs that aren 't enough to cover the cost . It 's done and in a perfect amount . contradictory +Close to 80 individuals serve on the committees . Almost 80 individuals serve on committees like the public health committee . neutral +i 'll call home like when i know my mom and dad aren 't home i 'll call home just to talk to my little brothers and sisters i i really miss them a lot so i don 't i guess talking on the phone is one of my hobbies too I never talk on the phone . contradictory +Eden Gardens , with pond and pagoda and the venerable Caletta cricket grounds , are by the river . There are gardens and cricket grounds by the river . entailment +The joint rule is issued to permit the Departments to award contracts and grants to Indian tribes without the confusion associated with having two sets of rules for a single program . There is only one rule for the program . entailment +right have you ever been to Canada Have you ever been to Canada ? entailment +um-hum well that 's amazing how i used to when i was in college i used to have the stereo on all the time or i had on MTV or something but ever since i 've been out of college When I was in college , I used to listen to music all the time . entailment +Dead , buried , and scattered by time and chance until even the place where you lay was forgotten . You 'll be buried in a proper tomb and remembered for all time . contradictory +The White House Web site 's theme of the Supporting America 's Families in Times of Distress . Supporting America 's Families in Times of Distress is the White House 's website theme . entailment +" Did he tell you to ask me about it ? " The flush darkened . It was him that told you to ask about it . neutral +No one came . Everybody came . contradictory +That 's because they suddenly have more money than the eligibility threshold for aid . They have much less money than they need . contradictory +Sir , excuse me , the terrified , quadrophonic voice of the secretary could be heard again . The voice of the secretary could be heard again . entailment +Also , compensation committees need to understand the implications of compensation to provide incentives for management to do the right thing for the company and its shareholders versus themselves . The implications of compensation to provide incentives for management to do the right thing for the company and its shareholders versus themselves should always be understood by compensation committees . entailment +I slept soundly that night though I couldn 't move at all the next day because of my back on that table . I slept for hours . entailment +Additional guidelines will be provided for estimating numbers that cannot be directly counted . Additional guidelines cover a wide range of topics for woodworkers . neutral +This model has been developed on the assumption that the cost behavior of postal administrations is essentially similar . It works only if we assume its similarity with the cost behavior of postal administration and it can actually be very successful . neutral +While she said that this violated the unwritten code against taking more than two candidates in the race seriously at the same time , she noted that since McCain wasn 't running in Iowa , Forbes would be his surrogate as not Bush . The unwritten code is in favor of two candidates running at the same time . contradictory +Spanning the length of West Hollywood is Santa Monica Boulevard the center of L.A. ' s gay and lesbian nightlife . East Hollywood is the center of L.A. ' s gay and lesbian nightlife . contradictory +Don Cazar 's been like a pa to Johnny since , an ' a mighty good one , too . Don Cazar has been the best father figure for Johnny since his real dad died . neutral +Beware , however , as it may be taken to reflect a political opinion . Political opinions are very sensitive information . neutral +yeah now that 's all right i don 't mind people that work for what they do i give them a and if and if they work so hard and then get give them a small that 's fine i just don 't think that the handouts are equal Handouts are not equal to earning money . entailment +If I succeed in obtaining the address from her , we can go there at once , taking Mrs. Vandemeyer with us if necessary . Once I get the address , we can go there in about 3 weeks . contradictory +Under the final rule , published on November 7 , 2000 , recipients will be permitted to carry over fund balances of 10 % or less ; will be able to seek LSC approval for carryover balances of between 10 % and 25 % ; and will be generally prohibited from retaining fund balances of over 25 % , except in three very limited and especially compelling circumstances . There are four scenarios which could nullify regulation of fund balances by recipients . contradictory +The Kal clenched his jaw and stared straight ahead . The Kal stared straight ahead while clenching his fists . contradictory +While some of his political lies were far from harmless , most of his autobiographical lies were relatively small I never wore makeup in films ( check the films ) ; I believe in tithing to charity ( check the tax records ) ; I got my nickname Dutch because ... Some of his political lies were hurtful . entailment +hm time to go It 's time to go . entailment +Products that should be developed never get off the ground , or do so much later than they should , because everyone is waiting for other people to move . It takes a lot of guts ( and money ) to develop a product . neutral +Nero was emperor until 70 A.D. Nero lived till he was 54 . neutral +A prospective cumulative case study was commissioned by the U.S. The U.S. commissioned a prospective cumulative case study to gather information . entailment +The Port of New York offered a critical test because , given the diversity of imports and the volume of work , if problems were occurring , they would be likely to show up clearly in this site . Problems will show up clearly in this site . neutral +Lending practices still face scrutiny Lending practices are scrutinized still . entailment +it seems like uh everything i do has is computer related It seems like everything I do in school is computer related neutral +I suppose every one has . " I suppose a lot of people are guilty of doing it . neutral +i was real disappointed in that well i 'll tell you another good book do you like scary things I 'll recommend you another good book , if you like scary things read The Stand by Stephen King . neutral +it 's just not not a real good uh thing to have on your uh employment uh records This can damage your prospects if it ends up on your employment records . neutral +I 've papers for them . I 've got crickets for them . contradictory +Because this report focuses on the macroeconomic implications of saving and investment , we used saving data from the National Income and Product Accounts ( NIPA ) compiled by the Bureau of Economic Analysis ( BEA ) . Saving data is compiled by NIPA . neutral +but they would have to be supportive in some way and i 'm not sure those those programs are available to do that I am not sure those program offer that kind of support . entailment +They ride hard by torchlight from the south . They 're riding form the south by torchlight . entailment +And the effect of that damage has been to discourage economists from even thinking about the traditional Keynesian issues . The end result of the damage is that economists now are focused solely on Keynesian ideas . contradictory +People are smart--or , at least , they are smart Darwinian robots . Darwinian theory does posit that homo sapiens were designed to get their genes into the next generation , but not that they were designed to do so consciously and rationally . Darwinian theory states that people are essentially stupid . contradictory +right shut-ins and yeah it really is i worked at one as a teenager i volunteered at at When I was in my teens I volunteered at one . entailment +well i guess that 's it for camping huh I guess the information in that letter is it for camping huh ? neutral +There are heartening exceptions . There are exceptions that are heartening , said the man . neutral +They are not so substantial when considered in the context of the total Postal Service expenditure in 1993 of $ 48 billion . The Postal Service spent $ 48 billion in 1993 . entailment +There are a couple of hotels here and a pleasant stony beach with umbrellas . Here there are a few hotels and a nice beach . entailment +I mean , is nothing holy ? I mean , is nothing holy because of that statement ? neutral +They call names . They call for someone . entailment +Those dueling Greek painters return in a new guise , as Mario Merz , in the Zeuxis role , covers a glass table with an array of fresh vegetables and fruit , changed daily by a New York caterer ( Spiral Table , 1982 ) , while Christo , playing Parrhasios , conceals the familiar Cezannesque shapes--wine bottle , vase , etc.--under a drapery of canvas ( Package on a Table , 1961 ) . The dueling Greek painters are very young to be so masterful . neutral +So I am going to conclude my remarks today by offering you some guidance as you give thought to launching your own planning initiative . Planning initiatives are a great way to generate lots of paperwork . neutral +BUT IF THEY KNOW THAT THE PAPERS HAVE BEEN 184 RECOVERED BY US , neither of those two girls ' lives will be worth an hour 's purchase . If they know we have the papers , it will be terrible and we 'll all die . neutral +After his move to Amsterdam , de Hooch painted ever more luxurious interiors , probably as bait for wealthy patrons . De Hooch painted more boring interiors after moving to Amsterdam . contradictory +thirty something You must be in your thirties . entailment +so it 's a little high but but it 's you know it 's like where he was before i was only paying sixty three so there 's quite a little jump there but i looked all over Louisville It 's a bit of a jump as before I was only paying sixty three . entailment +She shifted and a bare breast fell out of her loose wrap . She was completely exposed to the large crowd . neutral +I had no options . There wasn 't a decision . I had no choice . entailment +He 's not serious about selling eggs , says the Post . He 's just using the sex appeal of his models and the intriguing perversity of a human egg auction to drum up publicity and attract Internet traffic to his site , from which he can sell advertising and subscriptions ( $ 24 . He is using human eggs as a publicity stunt , and that is sad . neutral +Donors may earmark contributions to go to the Legal Aid Bureau for use in Baltimore County , to charitable programs run by the Baltimore County Bar Foundation , or to benefit families of firefighters and rescue workers who are killed or injured . Donors cannot designate contributions to go to the bureau in Baltimore County . contradictory +They end up on the cover of Vanity Fair and Wired . They foreshadow the world in which we 're all either symbolic analysts or hamburger flippers . Major magazines cover stories about how robots and machines will take over the workforce , reducing the rest of us to jobs that aren 't worth automating . neutral +GAO will follow up by discussing the status of recommendations with cognizant agency officials ; obtaining copies of agency documents supporting the recommendations ' implementation ; and performing sufficient work to verify that the recommended actions are being taken and , to the extent possible , that the desired results are being achieved . GAO draws the line at discussing recommendations with agency officials . contradictory +One of the largest fortifications in the Aegean , the interior Venetian walls were later expanded by the Ottomans . In its history , the fortification was never breached by invaders . neutral +Warn 't no Apaches , that 's for certain . The Apaches wouldn 't do something like this . neutral +um-hum more people get involved and stuff like that Yes , more people get involved and participate . entailment +King Street is the heart of the downtown area and the main shopping street . A lot of people like to shop at King Street . entailment +Is it true that wealthy people are bigger sports fans than the nonwealthy ? Is it true that poor people like sports more than wealthy people ? contradictory +so they 're really quite arrogant about it i don 't uh i don 't know if that contributes to the problem I 'm not sure if their arrogance contributes to the problem . entailment +At least they call it heart failure induced by an overdose , or some such claptrap . It was clearly done to let the deceased save face . neutral +so uh-huh thank you very much bye-bye Hold on , we aren 't done yet . contradictory +But , according to you , she ate very little for supper , and yet the symptoms do not develop until early the next morning ! You claim she ate very little for dinner . entailment +The meeting was affecting ! The meeting was impactful . entailment +It invests heavily in research and development . It does not invest a lot into research and development . contradictory +We were not alone . We were not by ourselves . entailment +In April , the President convened a Cabinet-level policy review of this issue and was provided with initial recommendations that he accepted and announced on June 11 . The president called for a Cabinet-level policy review in April . entailment +well okay um like i pay a certain percentage of my pay check to the bills and he pays a certain percentage of his paycheck do you understand okay i guess i didn 't really explain that too well That way it keeps both of our expenses proportional . neutral +Anyway , Tuppence decided , with her usual shake of the shoulders , it was worth trying , and try it she would . After Tuppence decided it wasn 't worth trying , she shrugged her shoulders . contradictory +Jon looked at Ca 'daan and Ca 'daan felt his skin grow clammy . Ca 'daan had a crush on Jon . neutral +Several miles down a side road that winds through the Judean mountains are two unique memorials to non- the Kennedy Memorial , like a tree stump , representing a life cut off in its prime ; and a piano keyboard motif honoring musician Artur Rubinstein . The memorials are creative neutral +yeah that 's it 's a shame to change a whole area so much like that I was depressed after the area changed . neutral +probably the last comedy we saw now that i think about it is Home Alone I can 't remember the last comedy movie we watched . contradictory +Calves are adorable . I have no idea why , but I absolutely adore calves . neutral +The Nobel Prize-winning novelist produces a Critics say she 's stuck in pre-democratic South Africa . The Nobel winning Author only writes on democratic South Africa . contradictory +These adaptations created the need for a better understanding of the relationship between case study techniques and other techniques and between quantitative and qualitative approaches within case studies . These adaptations did not create the need for a more comprehensive understanding of case study techniques and other techniques . contradictory +From Mailmen to Mormons Mailmen first , Mormons second entailment +i can 't understand why nobody saw that before i mean even even not it 's obvious why everyone started getting worried twenty years ago contradictory +Remarkably , Poland retained enough military might to repel the Ottoman Turks in their advance through the Balkans . The Ottoman Turks , believing Poland to be a weak opponent , did not prepare heavily for any possible opposition . neutral +and uh church was a a lot more casual uh rather than uh you know here it 's like going to a fashion show almost The church here is sometimes casual . contradictory +yeah yeah but we don 't have any place that collects the grocery bags nowhere around here takes the plastic grocery bags , but i think they might take paper neutral +I know your part in it . I don 't know if you are involved or not . contradictory +Anyone with any sense could see at once that her husband had poisoned her . No one could have figured out that the husband had poisoned her . contradictory +total indifference you know what difference does it make back gone the full circle " It made a huge impact , even if it went the full circle . " contradictory +He has also expanded the secret police , which now totals an estimated 80,000 officers . There were 80,000 secret police officers . entailment +The resulting architectural eccentricities on the outside are matched in interest by a number of medieval works of art inside ( admission fee ) . There are architectural eccentricities on the outside and medieval works of art on the inside . entailment +If I fill in the name of my best friend and he cashes it , he pays income tax , and the person who signed the check ( not me , since I am simply the conduit and never received any benefit ) pays gift tax . Gifts are not subject to tax . contradictory +The delivery data for La Poste are obtained for each delivery area . The delivery data for Pittsburgh are obtained for each delivery area . contradictory +On the way back to my room , I bumped into Natalia . I was happy to run into Natalia . neutral +uh the the gas station i didn 't know this but the gas station if they reject your car uh they put an x on your inspection sticker and and uh you have to go back to that same station to get it inspected They don 't mark your car if it is rejected . contradictory +What will happen everywhere else , though , is still uncertain . We are sure that it will happen everywhere else too contradictory +Many of the 237 carved panels , each different , were believed to conceal poisons , as well as jewels and state papers . Each of the 237 panels was carved differently . entailment +The lookout point at Lok Ma Chau was once known as Hong Kong 's window on China in the years of China 's isolation from the West , tourists would come to the lookout point here and rent binoculars in order to get a glimpse of the great mystery beyond . Tourists would refuse to rent binoculars here because it did not interest them . contradictory +6 . Worry a lot about Amid all the fretting about normal trade status , WTO , espionage , and Tibet , we tend to overlook Taiwan . Taiwan is affecting our trade . neutral +This is an attempt to resolve the scandal over whether the banks ingratiated themselves to the Nazis and stole deposits made by Holocaust victims . Commentators agree that the Swiss haven 't really repented and are just trying to restore their trustworthy-banker reputation and stave off a boycott organized by Jewish groups . All commentators agree that the Swiss banks have repented over their actions relating to Holocaust victims . contradictory +yeah i used to take money out for gas and groceries and things like that and i don 't even do that anymore i mean i just don 't have that much cash on me I used to take money away for gas and groceries from time to time in the past but now , I am too broke and penniless for that now . entailment +The small but significant Craft and Folk Art Museum , at 5814 Wilshire Boulevard , rotates exhibitions from around the world . At the Craft and Folk Art Museum , there are displays from around the world . entailment +Just inside the entrance , on the right , is the Shitamachi Customs and Manners Museum . The Manners Museum is located at the end of the second floor . contradictory +'They 're not worms , ' said Guierrmo Othon , Chavez 's husband , who is also a lettuce worker . Guierrmo said they are worms . contradictory +A light cloak , the color of sand , hung over his shoulders . His black cloak hung over his shoulders . contradictory +On the river bank opposite the fort is the Tomb of Itimad-ud-Daulah , overshadowed by the Taj Mahal . The Tomb of Itimad-ud-Daulah predates the Taj Mahal by several hundred years . neutral +( I missed her in last year 's Stepmom --my raccoon had hepatitis . ) I was not able to see her in last year 's Stepmom . entailment +There 's not a hint of the 14th century in its splendid western faaade , however . Not a trace of the 14th century can be found in its facade . entailment +This wasn 't supposed to be like this , why do you always have to bring everything back to a phallus , huh ! ' This is going exactly like it 's supposed to . contradictory +no now she 's now she 's just she 's just rearranging all my papers for me she 's playing with the pen uh-huh why don 't you play with the keyboard She left my pen and papers alone . contradictory +Imagine a law school class with 100 places . Think of a medical class that needs 200 students . contradictory +Only watch it . It is okay to watch other things . contradictory +Gates is just putting a new face on the company-a kinder , gentler look-to cleanse Microsoft 's corporate image and soften up the DOJ . Gates is a great owner , he is always worried about his companies . neutral +He spoke to me in French . He said " Hello " to me in French . neutral +yeah but that 's that 's true just about every That is true . entailment +a lot of our secondary roads are fifty five Almost none of our roads require cars to drive at 55 mph . contradictory +There are nightly iftah meals at sundown ( special Ramadan dishes ) with families gathering to celebrate . There are Muslim meals at sundown that do not include any meats . neutral +Opposite on Padang Pahlawan ( Bandar Hill ) a sound-and-light show is held in the evenings , following the tradition of turning history into entertainment to draw the crowds . Unfortunately Bandar Hill is not equipped to put on any shows . contradictory +But the rising obstructionism does damage government . The government is scathed by the increase in obstructionism . entailment +yeah we got big cash advance and really that 's what 's uh holding us back now that 's We are not held back as we paid everything . contradictory +Particularly good family outings if the weather is fine are trips to see the animals at Trotters and Friends in Bassenthwaite or at the Owl Sanctuary at Muncaster Castle , or taking steam-railway rides at Lakeside or on La 'al Ratty at Eskdale . You can 't see any animals at Trotters and Friends in Bassenthwaithe . contradictory +They grabbed th ' herd . The herd was grabbed by men . neutral +This variability may reflect regionally specific C-R functions resulting from regional differences in factors such as the physical and chemical composition of PM . Variability will not reflect on C-R functions as there are no regional differences . contradictory +Needless to say the bowl , which is still in one piece , is kept under lock and key at all times . The bowl , needless to say , is still in one piece , and it is kept under lock and key at all times . entailment +Adams suggested a simple rule for behavior while representing Mean what you say , say what you mean , and don 't do it in a mean way , he said . Adams had a suggestion for a simple rule about saying what you mean , meaning what you say , and not doing it in a mean way . entailment +The side of the train was getting smoother and smoother- soon there 'd be no place left to hold on . There would always be something to hold on to . contradictory +Every week , Rodriguez must halt surgery because he can 't get one or another material through the embargo . Rodriquez usually skirts around the law by labeling his shipments as another items approved by the embargo . contradictory +yeah i i 'm i 'm pretty busy myself i 'm in graduate school at State and i I go to State High School . contradictory +well you know it 's electric of course i mean it 's a power a power mower it it 's it 's pretty powerful oh yeah The electric mower is pretty powerful . entailment +If we do , we will not only regain any lost public trust and confidence in our profession but we can position ourselves to help add value and manage risk in a whole new range of areas that are both needed and which we are well positioned to address a whole new range of performance , projection and compliance issues . This company cares deeply about the publics opinion of them . neutral +The work remains exquisite despite this perceived limitation . The work was not expected to turn out well . neutral +uh no they i 'm in telecommunications company and they uh sent it out in our bulk mail so that if any engineers want to participate you know They were taking engineers as participants . entailment +As noted previously , DOT 's docket management system permits comments to be submitted electronically or on paper , allows the public to comment on other users ' comments , and permits access to a wide range of regulatory supporting materials . The public can comment on comments made by other members of the public . entailment +Rescued from obscurity three months ago by a rave from the New York Times ' Ben Brantley , Gross Indecency , about the Irish playwright 's famous sodomy trials , started an open-ended New York run last week . Ben Brantley gave a great review and the play benefited . entailment +The sequence in which this takes place is the OTTR , which stands for observe , think , test , revise . OTTR stands for Observe , Think , Test and Revise . entailment +i mean just pulling them as fast as you can we usually give them to everybody anybody that wants a cucumber can have it but we tried it too where you run it up a fence We usually give cucumbers to anyone that wants one . entailment +yeah he 's getting some teams together some people together there He is only working with one group at a time . contradictory +31Besides the tax-deductible traditional IRA , other retirement saving vehicles also receive preferential tax treatment . Currently , there is no way to gain preferential tax treatment by utilizing retirement plans . contradictory +Hence , well and truly do I want you . " " Huh ? " He stared at her , watching the blush deepen . I want you . entailment +In addition , while Andersen had certain unusual audit related policies and practices that were not widely known by its partners and may not be shared by many other firms , it was hardly a rogue firm in the profession and any assertions to the contrary are not only inaccurate but also inappropriate . Andersen was completely out of control because the firm 's practices were systemically reckless . contradictory +The Kampung Kling Mosque , on Jalan Tokong ( 1748 ) , is built in the three-tiered Sumatran style with a pagoda-like minaret . The Mosque is well visited . neutral +Although no comments were filed that addressed the Initial Regulatory Flexibility Analysis , comments were received from 97 entities . Due to lack of comments on important issues , commenting period is now extended . neutral +yeah that 's garbage yes , that 's complete nonsense neutral +Eutrophication refers to the increase in the rate of supply of organic matter to an ecosystem and its many undesirable consequences . Eutrophication has unwanted negative effects on the ecosystem . entailment +Nails must be hammered into them , big ones . You need to hammer big nails into the roof . neutral +to channel it and focus it on some things that that need some fixing up um You should focus on what needs to be fixed . entailment +The fact it had to be the right wrist was very important . It is important the the wrist is the right wrist . entailment +Above all , Mr. Hastings , watch that devil , her husband ! There was no time for more . Most importantly , Mr. Hastings , be careful with her husband . entailment +If the 20 percent figure were also true for 1997 , then 46 . 20 % figure is true for 1997 entailment +2 billion in direct financial benefits for the American taxpayer . The financial benefits are obtained through tax cuts and spending increases . neutral +An initial notice of proposed rulemaking was released on July 1 , 1994 ( 9 FCC Rcd 5408 ) and a second notice of proposed rulemaking was released on April 20 , 1995 ( 10 FCC Rcd 10666 ) . The notice of proposed rulemaking by the Federal Communications Commission was open for discussion by the public by email , phone or in person at the scheduled hearing . neutral +In 1944 the resistance pulled off an amazing coup by kidnapping the German commander , General Kreipe , and smuggling him off the island . General Kreipe had been kidnapped and smuggled of the island by the resistance . entailment +All right , son , he said quietly , " I 'm going . The son was not happy with his father at this time . neutral +In the Washington Post version of the TP--given here--a second-person version of this sentence does not appear in the first section of the document . A second person version of a sentence doesn 't appear in The Washington post version . entailment +There , he said . Done , he proclaimed . entailment +We would like to acknowledge the following individuals whose advice and assistance throughout this project have been invaluable . The individuals all contributed a great deal to the project . neutral +For free-market purists , there 's nothing wrong with this . Free-market purists don 't see any problems since it aligns with their ideologies . entailment +and they 're under i think they 're uh about eight hundred dollars now The model is now about eight hundred dollars . entailment +Not far from the spa town of Noboribetsu is Shiraoi , a well-reconstructed Ainu village complete with artisans demonstrating traditional arts and crafts . Shiraoi is the only place still containing the Ainu . contradictory +I think Michael Jordan is beginning to get a bit frustrated with his new cohorts in the Washington Wizards front office . Michael Jordan feels frustrated because his cohorts do not listen to his advice . neutral +10 HK per hour , compared with $ 17 . The salary comparison between 10 HK per hour and $ 17 per hour . neutral +The church may then be marked out to designate where worshippers of the various denominations take their place . All churches are single-denominational . contradictory +The report Our clerks or our new technology read your handwriting , no matter how ' creative ' it might be . The clerk or their new technology should be able to read your handwriting . entailment +When McCain flatters you , it doesn 't feel automatic or calculated . When you 're flattered by McCain it feels calculated . contradictory +The Kal soared into the air , war club back and high over his head . The Kal was getting ready to tackle someone . neutral +In Rome , the highly political popes played the Lombard duchies against those of the Byzantine Empire . The Lombard duchies were played against the Byzantines by the Popes . entailment +What , if anything , do these seemingly polar opposite sites have in common or even say about our profession ? What does that say about our profession ? entailment +i couldn 't remember in Tigon had purchased GTE 's phone mail services or if GTE had purchased Tigon i knew there was some type of a tie in there i remember reading in the paper a few months back but I do not recall exactly but I remember reading in the news several months ago about Tigon and GTE and how there was a tie of some sort for the buyout . entailment +Still , writes Stewart , you have to plan well . Stewart writes that you have to plan well . entailment +Sharon has visited Russia three times in the past few months , including once in the midst of the Kosovo bombing . Sharon saw the Kosovo bombing happen . neutral +During the 180-day period , the Departments will publish a notice in the Federal Register initiating a 60-day agency review and public comment period with submittal to OMB for review and an extension of the emergency approval to follow . The Departments ' notice will initiate a two month agency review . entailment +This figure shows that DOD continues to capture technology , design , and manufacturing knowledge long after a program passes through each of the three knowledge points when this knowledge should have been available for program decisions . The DOD often doesn 't make the knowledge available out of an abundance of caution . neutral +And I am pleased with you . I 'm pleased with you . entailment +uh yeah so Cornell is about um somewhere uh about two and a half hours south of south and east of us Cornell is about two and a half hours away from us . entailment +i have a friend who saw that and told he me said i don 't want said don 't go see it it because you won 't be able to sleep but i don 't know from all i 've read about it i i i really think i 'd i i 'd like to see it The movie got really good ratings from the toughest online critics . neutral +The defeat of Proposition 226--labor unions can still make political contributions without member approval--contradicts the idea that money doesn 't matter in California , argue Cokie Roberts ( This Week ) and Robert Novak ( Capital Gang ) . There has been a long standing idea in California , that money does not matter to the state . neutral +The Vice President has also expressed concern regarding certain requests for his personal schedule . The VP doesn 't want people to know when he is flying . neutral +I was about to say that studies showed no connection . I was about to speak . entailment +The Cases Funded Exclusively with LSC Resources The second methodology LSC is developing is a model to estimate the number of cases funded exclusively with LSC funds . LSC doesn 't care to know how many cases have been funded by them alone . contradictory +A minute staircase led to the Musamman Burj , the pavilion of the emperor 's chief wife . A minute staircase leads to Heaven . contradictory +This CIO acknowledges , however , that his company does not spend enough on training . This CIO believes that his company spends too much on training . contradictory +In Michael Kinsley 's Ethics Upside Down , he notes that there are two possible reasons why conflict of interest is a bad thing for All conflicts of interest are considered a bad thing by Michael Kinsley . neutral +yeah i mean they they went for an entire season with this and i 'm sure you heard about it all these things They used this for an entire season , and I am positive you are aware of all this . entailment +Exactly--and while we 're at it , Maslin is only a critic who asks for too little . Maslin has poor taste in whatever they critique . neutral +The two sets of estimates depicted in this table reflect alternative assumptions and analytical approaches regarding quantifying and evaluating the effects of airborne particles on public health . Whatever in the table is not remotely relevant to alternative assumptions or analytical approaches for anything . contradictory +I 'd like to tell you , continued Julius , " that before I suggested anything of the kind to Miss Tuppence , I made it clear that I didn 't want to butt in in any way between her and you Tommy roused himself . I told them I did not want my behind anywhere near them . entailment +Similarly , available supplies of piping , nozzles , pumps , soot blowers , fans , and other related standard component necessary for SCR , FGD or ACI installations are not expected to present constraints on the ability of facilities to install the technology . Supplies are needed for installations of SCR . entailment +'I am sorry for your friend with the moustache . Friend with the moustache did something wrong . neutral +Drew licked the grit of dust from his lips , filled his lungs with a deep breath as Shiloh turned under rein pressure . Drew 's lungs were starved of oxygen as they filled up with water . contradictory +A literary critic 's biography of the 18 th -century satirical English painter wins praise for bringing [ her ] subject and his milieu alive ( Bruce Cook , the Washington Post Book World ) . The critics accept Uglow 's revisionist claim that Hogarth 's famous moralizing was accompanied by a prurient fixation on sex . Critics accept Uglow 's revisionist claim about Hogarth 's moralizing and fixation on sex . entailment +On the one hand , some economists are concerned that low personal saving is undercutting national saving and leaving the United States more dependent on foreign capital inflows to maintain domestic investment . Economists are not concerned about low personal savings rates . contradictory +More than that , we are witnessing not the end of history but the resumption of history . History is resuming right now . entailment +Javea also has an interesting Museo Histerico y Etnografico with an important collection of Iberian finds from Sierra de Montge , and two strongly contrasting churches an early 16th-century fortified building , and a modern , boat-shaped structure . Javea was recently settled for the first time in 1923 . contradictory +When I went to draw the curtains , as a rule , sir . Sir , it happened when I was trying to keep sunlight out . neutral +You let one alien nation move into your trade bloc , and pretty soon the whole neighborhood goes downhill . Only one alien nation can you allow to move into your trade bloc . entailment +Scientific literature on the health effects of air pollutants provides the source of these concentration-response functions . There are many pieces of writing that suggest our air can be a bit better . neutral +A few companies reported having gain-sharing programs similar to GSA 's , IRS ' , and Justice 's . The companies gained a profit . neutral +Beep . A noise emitted by machines and vehicles , such as when a car door is left open . neutral +well i feel that uh i we 've missed as far as the top jobs go you know the the higher echelon Lack of education limits people from getting top jobs . neutral +But why did all these competing elites blend together so ecstatically ? These competing elites are eager to start working side by side . neutral +The results of the Self-Inspection show a great improvement in the accuracy of CSR submissions , with the error rate reduced 55 % , from an 11 % error rate for 1999 CSR 's to a 5 % error rate for 2000 CSR 's . Error rates can be reduced by 50 % or more with Self-Inspection . entailment +In the biographical sections , which occur at random , she repeats the familiar stories , though in a highly sanitized form . It is likely she is ashamed of her past or seeks to brush off old mistakes . neutral +The amount of cash inflow equal to book value is not a net inflow of resources to the entity , because it is an exchange of one asset for another of equal recorded value . The value in the book is not the intrinsic value . neutral +Adrin kept his hands visible and out at his sides . Adrin put his hands up into the hair and waved them . contradictory +I think it quite likely that I shall be able to make Mrs. Vandemeyer tell me what I want to know . " Mrs. Vandemeyer will tell me how to win the lottery . neutral +is that a pretty nice place Is that a nice place ? entailment +Callers requiring more detailed advice or continuing legal representation may be referred to legal aid programs , pro bono attorneys or private attorneys . The pro bono attorneys can help anyone . neutral +that 's true that 's true well did you start with TI out here and then go to Make sure that you do the TI last . contradictory +uh you know it 's it 's sitting there on the dock and you go a hour and nothing 's happened he says no dad i know they 're down there let 's not go i know they 're down there and they 're and they 're gonna bite anytime and uh I love to go fishing with my son , even though he has more patience waiting for the fish than I do . neutral +You can catch the final nine hours this evening . YOu can see the last part starting at 5pm . neutral +I 've got them in the barn . I have them in the attic . contradictory +yes living under a bridge so to speak now it 's true though that the bulk of of immigrants it 's true that the majority of people who come here from another country entailment +In a notice published on November 13 , 1996 , HHS extended the comment period on the proposed rule and announced a public hearing to be held December 10-12 , 1996 . The HHS extended the comment period in 1996 . entailment +The drug-testing proposal may be Clinton 's most obnoxious gesture of all . Clinton 's drug-testing proposal is the most wonderful suggestion she has ever put out . contradictory +The Jam Besar ( clock tower ) was built in 1886 by the family of Chinese merchant , Tang Bee Sweng . The clock tower , called Jam Besar , was built in 1886 by a Chinese merchant 's family . entailment +The Gorges d 'Apre ? ­ mont ( near the little town of Barbizon , famed as a haunt of 19th-century landscape painters ) tend to be less crowded . The town of Barbizon is huge and bustling with tourism and a population of thirteen million . contradictory +see a game on T V than fight the crowds at the stadium but uh but uh no i don 't sit down i 'll sit down for the big games the Super Bowl and the championship I don 't sit down for any sports , but I am a fan of the big games . neutral +Ca 'daan was relieved . Ca 'daan was relieved to be home . neutral +uh how about uh accessories power windows and all that What do you think about adding some accessories ? entailment +And there are real pythons , too . And there are real pythons , too in addition to the blow up variety . neutral +1.1 percent of GDP in 1973 to a deficit of 0.1 percent in 1991 . The percentage of GDP increased . contradictory +One unusual attraction not mentioned in the official tourist literature is Beppu 's sex museum , which is famous throughout Japan . Information on Beppu 's sex museum can be found in all pertaining literature . contradictory +I was even bested by a woman . A woman beat me . entailment +I saw Jon . I spied Jon . entailment +Rennie ran a finger across the brand which scarred the gray 's hide . There is a brand that scars the gray 's hide . entailment +A few steps from the Basilica of the Agony , at the head of the Kidron Valley , is Mary 's Tomb . Mary 's Tomb is at the foot of the Kidron Valley . contradictory +One reason for it to have a very low slope is the advent in the United States of what is called Remote Video Encoding . A very low slope has been seen before , although for other reasons . neutral +okay Jay um could you tell me uh what your thoughts are about crime Jay has thoughts about crime . neutral +In times past , Spanish monarchs such as James the Conqueror and Ferdinand and Isabella stayed here . Currently , James the Conqueror and Ferdinand are staying here . contradictory +and uh they got a lot The got a good amount . entailment +kind of like uh Jerry Glanville Nothing like Jerry Glanville . contradictory +In one famous case , Inglis helped kill federal funding for a needed highway , requiring the state to build a toll road instead . The state fought against building a toll road . neutral +What did Mrs. Inglethorp mean by her dying words ? " She didn 't have any dying words . contradictory +oh so on on uh on some cards Oh , so you want the pictures added to some of your business cards . neutral +Dreams of it , sometimes , I does . I dreamt of white snow and clear lakes . neutral +You are not aware of what has happened ? The man asked the other woman if she was aware of what has happened . neutral +' If there is some disaster involving a lot of peoples ' privacy , that is the one issue where the Internet would be on the agenda on a mass level . The internet is on the agenda on a mass level every day . contradictory +That 's torn it , said Tommy at length . Tommy eventually said it was torn . entailment +The requirements and the guidance in the circular were then placed in the Code of Federal Regulations ( 5 C.F.R. The Code of Federal Regulations includes the requirements and guidance in the circular . entailment +For those who would prefer a quicker method , there is a cable car that wings you from sea level to the cliffs in a couple of minutes . The cable car costs $ 1.50 to ride each way . neutral +Her memories stretch back over one hundred years . She remembers things from decades ago . entailment +The broker and the electronic cash service will pocket a dime of that . A dime goes to the broker and the electronic cash service as service fees . neutral +The Department of Labor 's rule is adopted pursuant to sections 107 , 209 , 505 , 701703 , 711 , 712 , and 731-734 of ERISA ( 29 U.S.C. These rules are related to the color of paint that may be used . neutral +yeah it uh it but see it does come in handy those they do they 're worth it oh well i i think we 've pretty much come to an end here I think we are done now . entailment +Access to the lakeside is restricted , but the view from Loughrigg Terrace is one of the best in the Lake District and an easy walk from the village . You can get easily from the village to the Loughrigg terrace , you can even walk to it . entailment +According to the EPA 's discussion , the streamlined requirements of the revised proposed rule drastically reduce the burden on both small businesses and small communities . The proposed rules will drastically hurt businesses . contradictory +So , how did Caltech come out on top ? How did Caltech land the top spot ? entailment +I advised him to apply to you for a copy of the original wire . He went to you yesterday upon my request . neutral +If we choose to stay , many people will die but we can hopefully bite into the bandits on their way in . The bandits are very intimidating . neutral +Use the ones who don 't go as bait . The fish not going to market can be used as bait . neutral +probably ten cultures of people and and that 's they don 't all have their own country and and some of them are mad about it Some people are only upset about the fact that they don 't have a country to call their own . neutral +Also in Time , a piece explores the massive empire of Martha Stewart , who has just launched a new venture with Kmart . Marth Stewart has been commercializing her brand for years . neutral +The cockpit was small and cramped with consoles . They couldn 't fit on the cockpit . neutral +West of the shrine , surrounded by an iron railing , are the stump and fragments of Ashoka 's Pillar , which was once over 15 m ( 48 ft ) high . The iron railing around the fragments prevents them from being further damaged . neutral +Why does it have to screw everything else up ? Why does it have to ruin the other things ? entailment +probably for the past oh i don 't know six months I think probably for the past 2 years . contradictory +Although critics find Cities of the Plain less inventive than All the Pretty Horses and The Crossing , they still celebrate McCarthy 's Faulkneresque use of flowing , punctuationless sentences and arcane language . The Crossing was McCarthy 's best work so far . neutral +All these reflections passed through her mind in a flash , and she saw where a chance , a very problematical chance , lay , and she determined to risk all in one supreme effort . As she saw a small chance , she gathered her determination for one last gamble . entailment +Zelon acknowledges that she makes an effort to ensure that jurors leave her courtroom with a sense of confidence in the organization of courtroom proceedings and the effectiveness of the trial-by-jury system . Zelon wants that the jurors have confidence . entailment +It explains why Gore is almost certain to defeat Bradley in the caucuses tomorrow because voters prefer the man of action to the man of ideas . Gore , as a man of action , is almost certain to defeat Bradley in the caucuses tomorrow and will most likely win the primary . neutral +Then , between 7.15 and 8 o 'clock , the coco was standing on the table in the left wing ? 45 " Yes , sir . " Annie had been growing redder and redder in the face , and now she blurted out unexpectedly : " And if there was salt in it , sir , it wasn 't me . Annie was very nervous as the conversation continued . neutral +i didn 't read see the the movie i read the book but i I enjoyed reading the book . neutral +A constant cycle of building , decay , collapse , and rebuilding plus the occasional catastrophic fire gave the Old Town its characteristic irregular layout and chimney-strewn skyline . Old Town 's characteristic chimney-strewn skyline and irregular layout come from a constant cycle of building , decay , collapse , and rebuilding , along with the occasional catastrophic fire . entailment +Always a center of business activity , the area inside Damascus Gate bustles with activity and contains many Arab moneychangers ' shops . The area inside the Damascus gate is pristine and silent garden . contradictory +yeah you see it on TV The guy gets up and lives afterwards The guy remains seated throughout the whole thing . contradictory +I encourage you to contact our Office of Congressional Relations on ( 202 ) 512-4400 if you have any questions or comments on these protocols . The Office of Congressional Relations is the wrong office to contact about these protocols . contradictory +Financial statements today focus on reliability much more than on relevance . Relevance is more important to finances contradictory +Audit committees should be demanding more information from auditors and asking auditors if they have sufficient resources , both in number and expertise , to adequately perform the audit . Demand is never necessary for audit committees on auditors . contradictory +In accordance with Executive Order 12866 , the analyses describe the regulatory options available to reduce the risk of an outbreak of BSE in the United States and the costs and benefits associated with each option . The analysis describes the regulatory options that are available to reduce the risk of cervical cancer . contradictory +yeah um i i really love i i think that 's one of the most uh enjoyable things about being up here i 'm only up here for school There is nothing enjoyable about being up here . contradictory +While most of the published studies found positive ( but not always significant ) associations with available PM indices such as total suspended particles ( TSP ) , fine particles components ( i.e. The published studies all had one thing in common - they had found no positive associations . contradictory +Investment in nonfederal physical property refers to those expenses incurred by the Federal Government for the purchase , the construction , or the major renovation of physical property owned by state and local governments , including major additions , alterations , and replacements ; the purchase of major equipment ; and the purchase or improvement of other physical assets . Investment in private property refers to expenses by the government for physical property . entailment +Ca 'daan saw the shine of silver in Vrenna 's left hand , a gleam off of her palm spike . The palm spike in Vrenna 's hand was stolen . neutral +25 The cost we calculate can be considered to be the avoided cost or the incremental cost of the city delivery function . The avoided cost is considered to be the cost calculated . neutral +When Jon looked at the script , it shifted under the man 's skin . The script was in a big heavy book . neutral +I began to get scared , but I didn 't quite see what to do . I did not know what to do even tho I was scared . entailment +he 'll go out there and spend four hours on the lawn He 'll go and work on the lawn for four hours . entailment +oh well that 's interesting too i had never seen that yeah you know you look at most of the you know like the bank clocks and stuff like that it tells you you know fahrenheit and centigrade and it 's going take those kinds of things you know switching you know getting us all accustomed to seeing both you know but most people don 't pay any attention you know it 's going to take some education right along with it most people don 't know what that means you know so Fahrenheit and centigrade are used on most bank clocks . neutral +Festivals in these villages , if you can find the right day and hour , are even more riotous and welcoming than those in the cities . Festivals in the villages are a more private affair and are not scheduled far in advance . neutral +As a precondition to admission , the border with Gibraltar was reopened in 1985 after a 16-year hiatus , and Spain was admitted to the EU in 1986 . The border was closed and Spain was banned from the EU . contradictory +Dan Quayle called the drug story a side show but added that Bush 's wounds were self-inflicted . Quayle said Bush 's wounds were caused by his own actions on the campaign trail . neutral +'Jacob , I 'll need to see you in the cockpit . ' Jacob , stay out of to the cockpit . contradictory +The view is especially effective at night . The view is especially effective at dawn . contradictory +At the center of gallery 14 is the only stone sarcophagus found on the island . There is nothing in the gallery from the island . contradictory +For a split second , he thought that the sun had gone nova . For a fleeting moment , he thought the sun had died . contradictory +TONY SNOW ( on Fox News Sunday ) : When you get to heaven , who 's going to speak first , you or God ? And then Tony asked if you or God would speak first when you go to heaven . entailment +I 'd say , young fellow , you didn 't git her here a mite too soon , no , siree . You got here way too early . contradictory +Three km ( 1.5 miles ) south of the pass , perched on the edge of Serra de Agua , is a handsome and comfortable mountain chalet , the best of its kind on Madeira . The chalet is a fifty kilometer hike from the pass . contradictory +yeah i mean here you are you got you know you got showers and stoves and refrigerators and TV 's and air conditioning Here you don 't have anything fancy - no showers , no TVs , no nothing . contradictory +Computer-processed data can vary in form-from electronic files to tables in published reports . All computer-processed is stored on electronic servers . contradictory +Other states got it instead . Instead , it went to other states . entailment +A minimum of three days is necessary to see a good portion of the island ; a week allows a visitor to do it justice and take the time to enjoy its scenic outdoors at a relaxed pace . You can see the entire island in 1 day or less . contradictory +There is no pretense that this is about tourism or about a nice night out or this is entertainment . This is not about tourism because there is no pretense , said the director . neutral +I 'd leave the strangulation-in-cradle attempts to CBS News . CBS News can handle the attempts at strangulation-in-cradle . entailment +I would be pleased to respond to any questions that you may have . I can answer your questions . entailment +i don 't know her politics i just know that uh i saw her speak in the eighty four Democratic uh convention and right then and there if they said to me vote for someone for president i would have slapped down my vote for Ann Richards I am not familiar with her policies but I would have voted for Ann Richards . entailment +This is hardly a sincere indictment of the current system , however . If you 're looking for an indictment of the current system , this is not it . entailment +The book is said to degenerate into a jeremiad when Rhodes anoints mad-cow disease the new Black Death . The Black Death is a name for lupus . contradictory +When the woman had robbed him and run off , he was too ashamed to return to Fena Dim . He was too ashamed to return to Fena Dim after the woman robbed him of his wallet . neutral +This is the home of fine Edinburgh crystal , one of the most recognizable and beautiful souvenirs of a stay in the city . Lots of people buy crystal in Edinburgh . entailment +Environmental Protection Agency , and approved for publication . It was not approved for publication . contradictory +Jon , at least , might offer that . Jon isn 't going to offer anyone anything . contradictory +Given our resources , we can only handle the most pressing cases such as restraining orders . We are only able to assist with important cases . entailment +After a solemn religious service , the rest of the day is given over to revelry . After the religious ceremony is over , the rest of the day is spent in solemn contemplation . contradictory +this is this is my thirtieth call I still have a lot of calls left . neutral +and uh of course it 's a nine hundred number which that means they 're going to charge you you know fifteen or twenty dollars just to make the phone call Nine hundred numbers are free to call . contradictory +The Honorable John W. Warner Chairman The Honorable William M. Thomas Vice Chairman Joint Committee on Printing Congress of the United States Newly appointed committee on Printing Congress of the United States , Honorable gentlemen John W. Warner as chairman and William M. Thomas as Vice Chairman . neutral +The Academy 's report also tells us that there are many unanswered questions about climate change , which makes it difficult to determine what levels of greenhouse gas emissions need to be avoided . The Academy 's report says we don 't know everything about climate change so we don 't know what numbers we should set as guidelines . neutral +yeah so it 's terribly engineered It was designed too many years ago , so the engineering is out of date . neutral +Scenario B , on the other hand , anticipates some changes in the technology characterization that will affect the electricity sector as shown in Table Only affect on the electric sector is via technology characterization . neutral +The moment I could be sure I was in ear-shot , I yelled out ; ' Hey there ! Hello ! Hey there ! ' When I knew that they would hear me , I shouted out . entailment +It has been pointed out by the American co-authors of this paper that a post could rationalize its delivery costs by reducing the frequency of service on unprofitable routes to the point where they become profitable ( Cohen et al . It was pointed out by the co-authors that the post could rationalize the delivery costs by lowering the frequency of service on bad routes until they finally stopped losing $ 100,000 a year on them . neutral +The atmosphere is simple and relaxed , the people very kind , and the Creole food excellent ( try b ? ? b ? ? l ? ? , an African-style soup of many ingredients including breadfruit , crabs , bananas , and peas ) . The atmosphere is constantly tense and the people are quite unkind . contradictory +The sun was bright and blinding overhead , surrounded by reddish clouds , glaring down on the fairy city . A brilliant sun and reddish clouds were in the sky over the city . entailment +uh the Communists or the uh alleged Democrats uh democratic form of government and i The Democrats are like Communists . neutral +The axe wielder had learned of Jon 's guns , it appeared . The axe wielder was taken by suprise ; he did not know of Jon 's guns . contradictory +Cornerstones 8 Critical Success Factors Critical success factors changing entailment +Again , why not ? Ok , sounds possible . contradictory +but the thing is like the US government got nothing out of it The problem is that the US government got too much from it . contradictory +oh very interesting um over the years of course by uh my grandparents used to give me silver dollars so i 've got a few of those tucked away but My grandparents were silversmiths and they made silver dollars . neutral +slipping it out there You slip it out there . entailment +In subtropical Hong Kong you can swim from April to early November . hong Kong 's weather does not allow for swimming at any time of the year contradictory +There was therefore no means of destroying a thick document such as a will . A small fire could have destroyed the will . contradictory +yeah that 's garbage no , that 's a treasure contradictory +yeah i uh i guess you can get an earlier harvest by doing that Oh , I suppose if you do that you can harvest earlier . entailment +'And it seems to me , ' the Fat Man smiled , ' that we might as well begin at once . ' The Fat Man grinned entailment +She just kept crying , Luu said . Luu wanted her to stop crying . neutral +( verification and validation , defined Validation only . contradictory +but we kick it further-- the axe-man whispers run to the convict he beheads so the body for our delight We do not kick it any further from where it was . contradictory +There are , however , advantages to not being heavy hitters inside the Beltway . There are perks to not being a heavy hitter in the Beltway . entailment +Like many of Ibiza 's churches , it was built as a combination house of worship and fortress . The church was designed to be used solely as a fortress . contradictory +There have always been , and always will be , maladjusted or deranged students who unleash those impulses . Mentally ill people cannot be cured . neutral +In 1979 Egypt became the first Arab state to recognize the state of Israel other Arab states were aghast and internal opposition to Sadat grew . Egypt became the first Arab state to recognize Israel in 1979 when other Arab states were aghast and ready to go to war . neutral +When Greuze says something like : ' Your head is on the line , ' he really means it . Greuze is a military back dictator . neutral +um yeah container gardening is really pretty easy because i 've done some of it before I 've done container gardening before and it is really easy but you won 't get as many vegetables . neutral +McCarthyism about cynicism . Being a cynic about McCarthyism . entailment +He returned to Babylon , leaving a few governors on the frontier . Several governors were left behind as he made his way to Babylon . entailment +The boats may appear deceptively primitive , but many of them have their own electric generators and all the modern conveniences . The boats are state of the art and made with the best aesthetics , although they lack modern conveniences . contradictory +GAO is required to follow the rules of the Senate and the GAO must follow rules put in place by the Senate and the House of Representatives . neutral +In such cases , most of the duties originally paid are refundable when the finished product is exported . Duties are often refundable . entailment +The market for general-interest weekly magazines has long since dried Look and the Saturday Evening Post are dead . There is a high demand for weekly magazines like the Saturday Evening Post . contradictory +Or maybe they had a more systematic approach . They did not have a systematic approach . neutral +Protocols on closed cases will ensure the consistent application of our analysis factors . The consistent application of our analysis factor will be ensured , according to the article . neutral +'What do you want ? ' They demanded . They demanded to know what you wanted . entailment +Narrow streets southeast of the Campo de ' Fiori take you to the Jewish Ghetto near the ruins of the ancient Roman Theater of Marcellus ( Teatro di Marcello ) , architectural model for the Colosseum . There used to be a Jewish Ghetto in the city of Rome . entailment +The knights , said Ca 'daan . Ca 'daan is a knight . contradictory +or Long live hallowed Germany ! Hallowed Germany will live on as a superpower of the world . neutral +A big crowd of solicitors will get busy , and they 'll get some high-brow doctors on the job , and the end of it all will be that they 'll say my brain was unhinged . My brain is unbalanced due to the trauma I have faced in the war . neutral +Our use of REIMS II data as a proxy for this distribution appears plausible , but no more . This distribution may work and may be useful , although further testing is required . neutral +I ran , too slow . I was as fast as lightening . contradictory +and effectively respond to those needs . and respond to those needs in an effective manner . entailment +60 " I know what it is , " she accused him , " you 've been listening to the doctors . She didn 't think he had listened to a soul . contradictory +Don 't be afraid of falling . " Be afraid of falling . contradictory +The attack culminated in the disastrous Battle of Flodden , near the River Tweed , and the king was killed . The king , somehow , was the sole survivor of the Battle of Flodden . contradictory +and then all a sudden the music in the background changes and it says but you didn 't plan on it breaking down The background music never changes . contradictory +The Commission has promulgated this rule pursuant to provisions of the Hearing Aid Compatibility Act of 1988 ( 47 U.S.C. This rule protects the rights of those utilizing hearing aids . neutral +The horse fell heavily to the ground . The animal jumped around with glee . contradictory +Determine the basis of the protest and its resolution . Do not determine the basis of the protest and its resolution . contradictory +all right well thank you for calling i had i i enjoyed talking to you It was a pleasure conversing with you , thanks for the call . entailment +While those who sacrifice to save now can themselves enjoy higher consumption in the future , some of the resulting increase in the nation 's capital stock and the related income will also benefit future generations . Sacrificing now can result in a much better outcome in the future . entailment +this and the other thing is we can feed them today but they 'll be hungry tomorrow what 'll we do with them tomorrow do we feed them again tomorrow well how long how long can we continue to feed the world we can 't do it are they starving to death yes and that 's very sad No one is starving as there is plenty of food for everyone . contradictory +Lincoln and I sat down . Lincoln and I were no longer standing . entailment +. . . It is the intent of the Conferees that contractsentered into shall not violate any provision of the Immigration and Nationality Act authorizing the H-2 program or any regulations issued pursuant to that Act . Contracts entered into can violate all the provisions of the Immigration and Nationality Act . contradictory +TI says no shorts and no halters you know that 's it You can wear shorts and halter tops to work at TI . contradictory +Rafting on the Rio Grande was popularized by Errol Flynn , who loved the adventure , and became a must for tourists in the late 1940s it is still just as popular today . Rafting for tourists became popular in 1940 entailment +to go along for the ride . To be quick and enthusiastic about the ride . neutral +Congress may wish to consider whether the new department , as proposed , will dedicate sufficient management capacity and accountability to ensure the execution of nonhomeland security missions , as well as consider potential alternatives to the current framework for handling these important functions . Congress plays an important role in the framework of security missions . entailment +oh yeah that 's awful The state of art funding is terrible . neutral +'What do we do ? ' Natalia asked . " This is what we 're gonna do " said Natalia . contradictory +It does not include expenses for internal Federal education and training . It does include expenses for federal education training . contradictory +In general , the auditor will want to concentrate on the steps that are relevant to the phase of the acquisition being reviewed . The auditor has a set of steps to follow when reviewing acquisitions . entailment +The completion in 2001 of a laborious 20-year restoration helped remove centuries of deterioration and clumsy restoration since it was completed in 1497 . The effort cost nearly 400,000 dollars and involved 10 specialists . neutral +" The risings are almost due , Bork , " he said . " Bork , the risings nearly are due , " he said . entailment +If that 's the appetite I mean . They prefer a different choice of meals . neutral +A crashing blow descended on his head , and all was darkness . He lost consciousness after being hit on the head . entailment +As far as Pundit Central knows , this is the first instance of talking heads elevating their own comments to the status of newsworthy chat fodder . Talking heads always elevate their own comments . contradictory +well uh i used to watch Sixty Minutes as a matter of fact and uh and i used to like the show very much I used to watch Sixty Minutes all the time . entailment +Barrio de Salamanca is the most attractive and exclusive of these , and Gran V ? ­ a is the great turn-of-the-century avenue that connects east to west , old to new Madrid . Barrio de Salamanca is the best looking , entailment +Ca 'daan understood . Ca 'daan had an understanding . entailment +In 1996 , Congress implemented a number of new accountability requirements including competitive bidding for Legal Services Corporation grants . Congress didn 't give as by grants to legal service corp in 1996 contradictory +Nighttime entertainment options differ greatly depending on where you are . No matter where you are , you have the same nighttime entertainment options . contradictory +yeah uh Jerry Johnson surprised me He didn 't surprise me at all . contradictory +You 'll of course see Mary Stuart ( Mary , Queen of Scots ) and Bonnie Prince Charlie as himself and also as Betty Burke , his disguise to escape the English forces . Betty Burke was a disguise worn by Mary Stuart while escaping the English . contradictory +Rugby and football ( soccer ) are played at the Lansdowne Road venue in Ballsbridge , and traditional Irish game of hurling at Croke Park . You can drop by whenever to watch a game of rugby or hurling . neutral +Cost per case is a rough quantitative output measure of the efficiency of LSC programs ' delivery of case services to eligible clients . LSC programs deliver to many homes and businesses . neutral +Presumably , a living , Clintonian Einstein would declare , I cannot believe that God plays Nintendo with the world . It is not presumed . contradictory +oh i think that they should go ahead and go to the uh fourteen one i to me it 's just fair you know and equal it seem like every area should have an equal voice Everyone should have an equal voice . entailment +About five minutes away in the unspoiled countryside , you 'll jolt over the 200 rockiest yards of road in Martinique to get to the Musee de la Pagerie . The road in Martinique is made of rocks and dirt . neutral +You 've got to get Moody [ Linda 's lawyer ] to let me listen to those tapes , I shouted at Goldberg . I yelled at Moody to give me access to the tapes . entailment +Velvet Goldmine might seem like a collection of baubles , but those baubles are strung . Those baubles are more than a collection , they are strung . neutral +They were written by the same author and could have been part of a matched set . The books were expensive . neutral +Errors are considered acceptable under these You have assessed the associated risk and found the errors are not significant enough to cause a reasonable person , aware of the errors , to doubt a finding , conclusion , or recommendation based on the data . As long as you have assessed the risk , errors are acceptable . entailment +Children will enjoy the Mus ? ? e Maritime Neptun ? ? a , among whose treasures is Jacques Cousteau 's Calypso , in the process of being restored . Boys tend to enjoy Greek culture more than girls do . neutral +The classic palheiro is a two-story white stucco with a brightly painted red door , red-and-blue window frames and shutters , and above all , a thatched roof . The classic palheiro is home to the Smith family . neutral +If , however , the Gore campaign is worried , they 're not saying so publicly . Gore campaign is publicly worried . contradictory +( Dictionary of Banking and Finance , Jerry M. Rosenberg , Ph.D. , Wiley & amp ; Sons , New York , 1982 , hereafter cited as Rosenberg 's Dictionary . ) Rosenberg wrote a workbook about banking and finance . contradictory +i 've heard so many people say well i 'm not going on voting on that one you know i i 'm going to go fishing today or it won 't make any difference if if i don 't vote and i think it does we vote every time Everyone I have talked to has been honest and honorable about their right to vote . contradictory +yeah and she could have bought a typewriter also She could have bought a typewriter at the flea market . neutral +Finally , the Commission 's interpretation of the presence requirement is fully consistent with the overarching purpose of the relevant congressional statutes . The commission refused to interpret it . contradictory +That procedure uses per capita income estimates generated from Federal Government projections of income and population growth , and applies three different income elasticities for mortality , severe morbidity , and light symptom effects . The elasticities for the various effects varies significantly . neutral +Drew would never use quirt or spur on the stud . Drew would never use a whip or spur on the animal . entailment +I forgot about the other . The other slipped my mind . entailment +Three men from the north , said Ca 'daan . Only two men from the north , said Ca 'daan . contradictory +It 's Bob Dole , and he pronounced the author 's name as ' Liddy . He said the author 's name was Liddy . entailment +The cord on it glistened . The cord had glitter on it . neutral +Suppose we needed to know about the availability of housing for low-income people . We need to know how much housing is out there for low-income people , and how they intend to add more housing , if needed . neutral +hello this is Lois Hi , there . It 's Lois . entailment +We learn , for example , that on his field trips with Lady Gregory , Yeats had difficulty understanding the thick Irish accent of the peasants . Yeats has never gone on a field trip contradictory +Both axes tore free from the assassin 's hand and the Kal , with a cry of pure rage , crushed in the demon 's head . The demon was unharmed by the Kal . contradictory +Participants have been asked , for instance , to develop mission statements for their home organizations and to develop strategic goals and performance measures . Participants were asked to create mission statements for their home organizations . entailment +This difference is due to the different interest rates used to discount future cash flows for calculating the subsidy cost ( and subsidy allowance ) when the loan is disbursed and for calculating the cost of modification at a later time . There was no notable difference between the rates of interest . contradictory +The agency procurement request for a delegation of procurement authority from GSA , showing names and experience of senior project officials ( as required by GSA guidance detailed in its FIRMR Bulletin C-5 ) . The FBI procurement request shows names and experience of project officials . neutral +Organizations combining public and private functions appeal to the woolly ideal of government-business partnership . Combined public and private functions are not appealing to the idea of government-business partnership . contradictory +Everything in the house was filthy beyond words . Every single thing in that place was very dirty . entailment +was reviewed by the Office of Management and Budget as complying with the requirements of the order . The review performed by the Office of Management and Budget was overseen and signed off on by the manager of the office himself . neutral +The most hilarious bits , critics say , are his riffs on masturbation and on growing up as a working-class Latino . The funniest parts are on masturbation and growing up Latino in the working class . entailment +It also includes a description of the number of small entities affected by the rule ; a discussion of the recordkeeping , reporting , and other compliance requirements ; and the steps taken to minimize the burdens on small entities . Small business , because of legal loopholes , are generally able to transfer all their burdens to larger businesses . contradictory +right some of the stations around here will take it Stations in the area make money for accepting it . neutral +He united the Western coalition , and he led Gorbachev over the precipice . He united the Western coalition , and he led Gorbachev over the precipice with increased spending . neutral +The Enquirer has a photo display of Tony Randall , 78 ; his wife , Heather , 28 ; their 14-month-old daughter ; and their newborn son . The Enquirer has a lot of old famous photos , that many would pay a fortune for . neutral +and uh what i usually do on the weekend is is lay out five outfits and uh on Monday i i wear the the worst looking one because it doesn 't seem like people are really are you know are that alive on Monday you know so I lay out my outfits ahead of time , but I just pick one for Monday . neutral +The enormous main altar , which is dedicated to St. Catherine of Alexandria , shows some scenes from the saint 's martyrdom in a series of sumptuously gilded panels . St. Catherine 's martyrdom is never spoken of , not something worth showing dedication to . contradictory +How uninspired is the surgical selfishness of leaner noses and plumper bosoms . Leaner noses and plumper bosoms are surgical procedures . entailment +I 'd take your word , but there 's others over me who 'll be asking what the devil I mean by it . I will trust you on this , even though I already know trouble will find its way to me . entailment +in England , but his special hobby is criminology ! He doesn 't have many interests . neutral +During this reporting period , LSC continued its efforts to improve the efficiency of its competitive grant award system and the effectiveness of the delivery of legal assistance by its initiative for statewide planning and coordination of legal services . LSC didn 't make any efforts to make its competitive grant award system more efficient during this reporting period . contradictory +B ribing poor women and girls to implant Norplant would coerce them into not having children , thus violating their rights to reproductive choice , like the one-child-per-family policy and coerced abortions in China . Poor women are free to have as many children as they would like . neutral +One is that--contrary to the opinion of virtually everyone else in the world--AIDS in fact hasn 't reduced gay males ' life expectancy by that much--a few years , at most . Gay life expectancy has plummeted . contradictory +He 's anxious to keep them apart . He is anxious to separate them . entailment +yeah he 's so prolific He is prolific that 's true . entailment +TV station Television station entailment +but i put it in a nice glass bowl and um some people don 't like that that film on the pudding so you can put uh Saran Wrap over the top Putting the Saran Wrap over the top will keep everyone happy . neutral +English defeat at Bannockburn in 1314 heightened the tension . In 1314 , the English were beaten at Bannockburn . entailment +Leave it for a moment for the grounds to settle , and remember not to drain your cup . The flavor is stronger when you let the grounds sit , leaving your cup full . neutral +yeah wonder if they 're going to take into account with this commutiv uh this computerized conversation that there 's little children you know bouncing in your knee the whole time your talking The children were quiet for the most part . neutral +The CFO Electronic Commerce Task Force has created an interagency team , the Financial Implementation Team for Electronic Commerce ( FITEC ) , to help create integrated strategies , execution plans , and schedules for achieving the federal CFO financial community 's electronic commerce goals . The FITEC was created by the CFO electronic commerce task force to help do a number of things . entailment +The Catedral , built between the 12th and 16th centuries , includes Romanesque , Gothic , and Renaissance elements . There were various architectural styles used in the construction of the Catedral . entailment +Like GAO 's other units , OSI expects that an agency will promptly comply with requests for access to its records and to agency personnel directly involved with the matter under investigation . The OSI doesn 't go through legal channels to get its work done . contradictory +i tell you what here in Dallas it 's uh it 's awful bad because that they 're i i believe there 's starting to be a lot more violent type crimes uh where you see armed robbery and and uh rape and murder you know are starting to be a lot more prevalent in this area and uh that 's that 's getting that 's getting scary because i grew up in a real small town and i moved here to Dallas and uh it 's been a rude awakening i tell you Dallas has more violent crimes than normal . neutral +I lowered my voice to a whisper . I whispered . entailment +By 1930 raw-material production had tripled the figure of 1900 , manufactured goods had increased twelve-fold , and heavy industry was galloping towards maturity . Heavy industry was becoming a mature market in 1930 . entailment +For further contacts regarding this testimony , please contact J. Christopher Mihm at ( 202 ) 512-8676 . J. Christopher Mihm did not know anything about the testimony . contradictory +The Astronomer broke in again . The Astronomer interrupted with a lecture on happiness . neutral +yeah he was He still kind of is . neutral +and so he goes yeah i do okay so he goes you know at least i sleep you know maybe ten hours so if we go to bed at you know eight or something right If we go to bed at eight , I can sleep maybe ten hours . entailment +The history of Clean Air Act legislation is one of great accomplishments made possible by bipartisan efforts . Clean Air legislation was not an accomplishment that was brought about by bipartisan efforts . contradictory +It 's likely , isn 't it , then there would be two girls with a name like that ? Two girls can 't have a name like that . contradictory +it has i don 't know what they 're going to have to do to boost it but they need to do something quick With quick rectification , impact will be minimized . neutral +The news that I am laying waste to an entire generation of men exceeds my greatest ambition in this regard . I was never planning to lay waste to generations , I was planning to help them . neutral +Israelis are delighted that people from everywhere visit their country , and welcome you with genuine warmth . Israelis are happy to greet foreigners into their country . neutral +Most alarmingly , convenience gambling exacts huge social costs in the form of addiction and financial hardship without providing any economic benefit . Gamblers have trouble with their friends and families about money . neutral +yeah right but there is you know there is a place you can take those also you know at the same place just put them in a different uh container There is a place you can take those to be recycled appropriately . neutral +How do you know ? All this is their information again . We are not sure if they are correct . neutral +He must be delirious and imagining the room . He would never make up a story like that . contradictory +the emptiness syndrome is a myth there 's no such thing i mean Emptiness syndrome was believed to be true . neutral +We employed two sophisticated computer models , the Regulatory Modeling System for Aerosols and Deposition ( REMSAD ) and the Comprehensive Air Quality Model with Extensions ( CAMx ) to estimate changes to the concentration of particulate matter and ozone , respectively , resulting from the Clear Skies Act . The Regulatory Modeling System for Aerosols and Deposition was one of the computer models we used . entailment +uh-huh right uh-huh yeah uh-huh Yeah , that 's right . entailment +In developing the standards for stewardship reporting , the Board concentrated on providing guidance in the principal areas of stewardship resources that have materiality for the majority of Federal entities and for the consolidated financial reporting for the Nation . The Board is not providing guidance in the principal areas of stewardship resources that have materiality for the majority of Federal entities and for the consolidated financial reporting for the Nation . contradictory +Raimondi has been evicting residents and demolishing trailers that are left behind in order to meet a city requirement that he present a clean piece of land with no environmental concerns . Raimondi is ignoring the city requirement to clean his property . contradictory +The easternmost stretch of the Royal Mile only 50 m- ( 55 yards- ) long is called Abbey Strand . The Royal Mile is in the western part . contradictory +I ” I believe it was . I saw it clearly . neutral +It 's anyone 's guess what may happen in the future , but for now Hong Kong bristles with energy and ambition , and for the visitor , this beautiful city with its contrasts and variety is an exhilarating experience . Hong Kong has a wide variety of food venues . neutral +The one thing that inclines me to vote for Inglis is his attempts to kill the Southern Connector ( the needed highway of Plotz 's example ) . There were objections to the Southern Connector being built . contradictory +In the old town center ' which is closed to traffic ' keep an eye open for the many handsome gabled houses of the Renaissance the Ancienne Douane ( Old Customs House , Grand-Rue ) ; Maison des Arcades ( Grand-Rue ) ; Maison Pfister ( Rue des Marchands ) ; and Maison des Tates ( Rue des Tates ) . The old town center is closed to traffic but has beautiful attractions . entailment +Land is defined as the solid part of the surface of the earth . Liquid surface of the earth is called water . neutral +Co-stars Tom Cruise and Nicole Kidman are featured naked on the cover--like you 've never seen them . Tom Cruise and Nicole Kidman were on the cover of a magazine . neutral +The police backed down . The police weren 't going to back down . contradictory +Qualitative Description . The description is elaborate . neutral +The vast Taman Negara , which translates as national park , is one of the best preserved primary rainforests in the world , at once accessible to the public and lovingly protective of its plants and wildlife . The Taman Negara is one of the best preserved rainforests in the world . entailment +well it i guess we 've talked probably long enough nice talking to you too i enjoyed it bye-bye Maybe we can get together next week . neutral +5 In particular , they use performance agreements to align and cascade organizational goals to individual performance expectations through several levels in their organizations . There are several levels in their organizations and they use performance agreements quite often to meet their needs . neutral +But the largest single federal day-care subsidy is the Dependent Care Tax Credit , which now distributes more than $ 2 . The dependent care tax credit is a small federal program . contradictory +Not only was it entirely circumstantial , but the greater part of it was practically unproved . The info in the case was backed up by video . contradictory +Its Clinton should make a deal for censure now , before he loses even more leverage . A wise move would be for Clinton to put the problem behind him quickly . neutral +as i see them towards him or towards my mother with certain things and uh I 'm talking about things concerning my parents . entailment +Current child support policies are driving many of them out of the above-ground economy , said Hannah E. M. Lieberman , the Bureau 's director of advocacy . Child support is boosting them all . contradictory +These political and economic difficulties helped the fundamentalist Refah party later win the largest share of the vote in 1995 . The Refah party had the lowest amount of votes in 1995 . contradictory +oh that 's right there 's even there 's bad chemicals in those too There 's bad chemicals in those too . entailment +Analyzing the results of monitoring efforts provides security specialists and business managers a means of The monitoring efforts were put into place due to the policies enacted last month . neutral +No , but we were both angry , and , I think , said more than we meant . We said some things we didn 't mean to say because we were both angry . entailment +These persons should also know enough about performance or capability validation techniques to determine whether or not the agency 's requirements are reasonable and effective . The persons should be able to determine if the agency 's requirements are reasonable . entailment +and it 's hard to get on a regular schedule and then we 're pretty active in our church which takes up a lot more time too so We often skip church to do things with other people . contradictory +Researchers and experts in the field were also interviewed . Most of the experts said that the correct answer to the problem was 42 . neutral +The London Guardian ' s Joanna Coles says her presence is so obvious a gimmick to draw in those who don 't normally bother to see the Bard that it 's almost insulting . Cole says she is there to attract the people that always come out . contradictory +White Paper for Review by the EPA Science Advisory Board . White Paper for Review by the Environmental Protection Agency Science Advisory Board . entailment +Case Experience . Inexperienced . contradictory +I 'll see you tonight . I won 't see you for a long time . contradictory +A Byzantine expedition from Constantinople ousted the Vandals from the Balearics in 534 . The Balearics were liberated from the Vandals by Constantinople . entailment +More detail on data collection and analysis can be found in two books on case study Case Study Research by Yin ( 1989 ) and Analyzing Qualitative Data by Miles and Huberman ( 1984 ) . There is more detail on data collection in the two books by Miles and Huberman . entailment +World War II forced the Jewish people into an alliance with the British against the common Nazi enemy . World War II prosecuted both Jewish and British people . neutral +This bill protects our children from drug dealers and pedophiles , and it 's unfortunate that the Democrats have put special interest pressures ahead of our children 's safety , Crane said . The safety of our children is the Democrats ' first priority . contradictory +I was absent from the house the entire afternoon . " I left this morning to go to work . neutral +This iterative process ends when a plausible explanation has been developed and , at the end of a revise phase , there are no outlier or unexplained data , no further interpretations possible , or it is clear that despite the most diligent search for information , more is not available to further refine description and explanation . The process ends when an explanation has been found . entailment +Mailhandling activities in the posts of industrial countries are remarkably alike . Most industrial countries are wildly different when it comes to mail-handling activities . contradictory +The bag was already ready and Denise handed it to the passenger quickly enough for the contents to land weightlessly inside the bag , and not outside . The passenger asked Denise for a bag . neutral +Lewinsky reportedly wore a provocative dress to attract the president 's attention , and McDougal did a Madison Guaranty TV commercial in hot pants . The president was appalled by this behavior and shot Lewinsky in the throat . neutral +Critics hyped the face-off between New Republic theater critic Robert Brustein and black playwright August Wilson over Afrocentric theater as the intellectual version of extreme fighting ( Frank Rich , the New York Times ) . But the debate was judged to be a flop--lots of combative bravado and little payoff . Robert is extremely tough and straight forward . neutral +uh-huh really i think that that 's a big part of it i think that 's probably the root and then also that added with all the pressures on the American family today it 's a real it 's a real pain for us to go vote i mean It has become very easy to vote nowadays . contradictory +Look also for the heart-shaped stone mosaic on the pavement here , marking the site of the Edinburgh Tolbooth . There are no heart-shaped stone mosaics embedded in pavement . contradictory +Purpose2 Background3 Results in Brief4 Principal Findings6 Recommendations for Executive Action9 Agency Comments10 A brief summary of results is included . entailment +hum boy that makes the governor 's vote a whole lot more important doesn 't it The governor needs to hear our concerns before they vote . neutral +He expects that , in five years , 5 percent to 10 percent of all patients will take the test during doctor visits . The test would help doctors determine the best treatments . neutral +Watch your favorite theorists tackle everybody 's favorite subject , as Katha Pollitt limns 50 Progressive Ways To Make Him Scream , and Judith Butler finds Hot Honeymoon Hump Tips That Catharine MacKinnon Could Love . Katha and Judith are not theorists . contradictory +yeah i exercise pretty regularly Yes , I exercise frequently . entailment +Having you reveal your name just before I was sent back and feeling I 'd won ? " He grimaced . I was sent back for a good reason . neutral +5 million in VAWA funding . More than enough funding from VAWA . neutral +You have to pull them apart with a fork . They need to be separated using a fork . entailment +It was an outpost of pirate activity in the 17th and 18th centuries . The area was completely free of piracy during the 17th and 18th centuries . contradictory +yeah i 've seen that that 's uh that was a really good movie probably one of the best things about it was the scenery and uh i thought the story was pretty good too i think i think Kevin Costner did a really good job with it i felt like it was a bad movie and the scenery was really drab contradictory +The evidence of attestations , verifications , and approvals will of necessity differ between manual and automated systems . The manual and automated systems completely differ neutral +And the old Dublin is with us , too the irreverent city of wit and charm and that peculiar magic possessed by Ireland and the Irish . The old part of Dublin is still there , with the peculiar magic Ireland is known for . entailment +One organization took special precautions to hide the identity of victims by limiting its staff 's access to the information and segregating the information on a special network . The names , addresses and other vital information were not exposed to the public or even the staff involved . neutral +Let 's take video games as an example . Video games are used as an example . entailment +Newsweek ' s list , which is not the cover story , offers bite-sized profiles of young and middle-aged comers , from dancer Savion Glover to former Justice Department honcho Jamie Gorelick to AOL chief Steve Case to the editor of Slate . Newsweek regularly profiles young and middle-aged movers and shakers . neutral +On the periphery , there 's the Valley 's Sherman Oaks Galleria and nearby Fashion Square . Valley 's Sherman Oaks Galleria and nearby Fashion Square are on the outskirts . entailment +The most ordinary features are , aesthetically , the most extraordinary . In terms of beauty , the most ordinary features are the most notable . entailment +Those honorably discharged before Oct. 1 , 1949 , for at least 30-percent disability . Those discharged before the month of October . entailment +1 were the finger-prints of Monsieur Lawrence . Someone was investigating a crime . neutral +Suppose we try some of the eastern methods and see how they work on our wild ones . Let 's not try anything new with the wild ones . contradictory +He held them back with powerful cuts from his own sword . He held back the demons with his sword . neutral +You were right , then . Then you were correct . entailment +Across Gloucester Road , opposite the World Trade Centre , is the Noonday Gun , which under British rule was sounded on the stroke of midday . The Noonday Gun is the only gun fired at noon in the world . neutral +course uh course it it 's the by word now i mean let let 's tax everything three or four times Of course it is by word now and let 's tax everything 3 or 4 times . entailment +And a great marketing Buy my books , because they 're good for your daughter . Purchase my books , because they will benefit your daughter . entailment +This time-consuming work is exquisite and correspondingly expensive . Getting the work done is worth it in the end . neutral +Gotta be new and winning , not like those earlier super sweet yogurts , total crap . The earlier yogurts tasted amazingly . contradictory +is to have the drug testing There will be drug testing . entailment +Dennis Hastert , R-Ill . , was elected speaker of the House . Former pro wrestler Jesse Ventura was sworn in as governor of Minnesota . A former wrestler has become the governor of Minnesota . entailment +and so when you start taking talking taking more out of your paycheck to go to the state income tax uh Do you wish there were less taxes ? neutral +Political and religious boundaries were aggravated by occasional incidents of terrorism or sniping until the Six Day War in June 1967 . Incidents of terrorism became commonplace just before the Six Day War in June 1967 . neutral +You really worry that you may be told you 're in the wrong place ? Are you really concerned about possibly being told you 're in the wrong place ? entailment +Half a dozen Preview editors leaf through the hundreds of books published each week to choose the lucky few that are worth reviewing , relegating some to the Books in Brief section in the back . The editors read each book in-depth before they make any sort of decision . contradictory +Deane and Woodward , the architects responsible for the library and museum , also built the Kildare Street Club , in 1861 . The museum and the library were both constructed before the Kildare Street Club . neutral +Smith noted that this variation is the problem and why he wants these concerns to be addressed by the conference in written form . Smith was these concerns to be addressed in the form of a five-paragraph essay . neutral +The method involves an in-depth , longitudinal examination of a single instance . The intensive , longitudinal assessment of the single instance is what the method entails . entailment +No , he said musingly , " I don 't . He wasn 't strictly truthful in the denial . neutral +Small and in demand , so make reservations several weeks in advance . It 's not in demand , so you can reserve when you get there . contradictory +yeah yeah i i would be interested to see if Sam Nunn decides to go this time i i It would be interesting if Sam Nunn doesn 't go . contradictory +The submission estimates the burden per response to be 20 minutes for an annual hour burden of 355,333 . The estimate of the burden per response is 10 minutes . contradictory +Of course this kind of demand-side thinking is extremely out of fashion . Some people still do , but most don 't use this demand-side thinking . neutral +What 's striking , as Sharon Hays recently pointed out in The Cultural Contradictions of Motherhood ( 1996 ) , is how tenaciously we cling to intensive motherhood , as she calls this ambitious mission , despite its increasing impracticality and despite how guilty it can make us feel . Intensive motherhood is practical and has no side effects . contradictory +It all had something to do with some kind of mumbo-jumbo , and .... It was not making any sense at all . neutral +He came of age when the civil rights movement and the Naderites were using the courts to challenge unjust state governments and arrogant corporations . The civil rights movement came to be due to nobody challenging corporations ' unfair practices . contradictory +uh score enough runs to be able win in these uh in this day and age so You don 't need to score runs to win . contradictory +The horse chestnuts , beeches , and plane trees , the orangery , and ornamental pond were a major inspiration for the bucolic paintings of Watteau . Watteau 's painting of the ornamental pond is famous . neutral +then you get down wind of a paper mill once in a while Sometimes a paper mill will be downwind . entailment +I beg your pardon , he saw a man with a black beard like Mr. Inglethorp 's , and wearing glasses like Mr. Inglethorp , and dressed in Mr. Inglethorp 's rather noticeable clothes . He saw a man that appeared to be Mr. Inglethorp , accompanied by a woman . neutral +yeah that 's what i hear so i 'm hoping i think they have a really quick reproduction cycle of only like thirty days or something I think they have a short reproduction cycle . entailment +Japan 's 120 million inhabitants have to crowd the coastal plains and the narrow river valleys despite a total land area greater than Germany 's . Japan is larger than Germany . entailment +I come now to the events of the 16th and 17th of that month . I kind of like the events neutral +It is quite possible to play a round on a day excursion from Edinburgh . Edinburgh is close enough to warrant a day trip to have a chance to play a round . neutral +During the first time period analyzed ( through the end of 2005 ) , EPA projects that a large number of SCR 's will be installed to meet the requirements of the NOX SIP Call . SCR 's are projected to be vastly installed in order to be in compliance with NOX SIP Call . entailment +Commentators have noted the growth of Alabama 's black electorate , which Wallace now had to court . Alabama 's black electorate has not grown at all . contradictory +there 's never there 's never going to be enough hours in the day even if you took speed reading huh yeah There 's never enough time . entailment +His nine pictures , completed between 1502 and 1508 , cover the walls of the ground-floor chapel . He painted a series of pictures over a period of six years . entailment +Why , Mary , what a gruesome conversation ! cried Mrs. Inglethorp . This conversation is normal and not at all gruesome . contradictory +The marble that Michelangelo chose for his Moses and Piet ? is now hewn , at $ 3,000 a cubic meter , for replicas at Caesar 's Palace in Las Vegas , tombstones in the Los Angeles Forest Lawn cemetery , and countless homes of oil-rich sheiks . There are replicas of Michelangelo 's Moses and Piet , entailment +Simple wills cost $ 75 apiece . Simple wills cost over $ 60 dollars a piece . entailment +yeah um-hum um-hum well at least let them start off gradually you know fine so they won 't jump into paying full health care let them pay you know partial and each year just you know let 's increase it from there Start off gradually asking for benefits . entailment +Model legislation forms a uniform basis from which all states can deal with regulatory issues . Model legislation forms a uniform basis from which all states can deal with regulatory issue entailment +I have always been rather good at what is called , I believe , creating an atmosphere . I have always been good at creating an atmoshpere . entailment +Electric Honey , by Luscious Jackson ( EMD / Capitol ) . Electric Honey , a title written by Luscious Jackson . entailment +As a share of GDP , federal taxes have been roughly stable under Clinton . The reason for this is because Clinton 's policies have been rather consistent . neutral +It 's the only real weapon the Corp has . ' The Corp 's only real weapon is fear . neutral +yeah i mean seriously they ought to put those good people to work yeah hm These people should not be working . contradictory +8 After 2010 , we assumed discretionary spending would grow at the same rate as GDP . GDP and discretionary spending were expected to grow by 20 percent after 2010 . neutral +Past the small coves north of Sant Antoni , the rest of the coastal circle is something of a no-man 's land of relatively fierce seas and cruel rocks . The rest of the coastal circle is lawful and tranquil . contradictory +Then , with a sudden cry that startled me , she cried out : " No , no , not that , not that ! " And breaking from me , fled up the stairs . She was terrified . neutral +The corrupting thing about compulsory voluntarism is that it preys on the high-minded to the benefit of the unscrupulous . Compulsory voluntarism doesn 't prey on anything . contradictory +Gold , silver , copper , and brass each has its own bazaar in the big neighborhood markets of Delhi , Mumbai , and Calcutta . Gold and silver each have their own bazaar . entailment +The acropolis was built on a set of terraces . The acropolis was not always built on the terraces . neutral +In fact , some or most of the decline could have been due to the failure of management to deliver on their promises . Management successfully delivered on all their promises which led to the decline . contradictory +No we 're not , said Thorn . Thorn said that they were . contradictory +On the excavation site , you will see remains of dormitories in addition to the refectory , kitchens , baths , lecture halls , libraries , and temples . The dormitories once held Buddhists monks and their families . neutral +no i i think that would be the easiest way but human nature being such as it is That seems like it would be the hardest way to do it . contradictory +In terms of government , it is part of the Spanish province of Baleares . The government has been a part of the Spanish province of Baleares for years . neutral +It was also suggested that the PCAOB should evaluate the recent events that have affected the public 's confidence in auditors to consider what further actions may be needed beyond those mandated by the Sarbanes-Oxley Act of 2002 and recent regulatory changes and proposals . It was suggested that the PCAOB should fire all auditors and start over . contradictory +yeah both New York teams The two football teams from New York . neutral +The blackguard ! I cried indignantly . The Blackguard was nearby , and I kept silent . contradictory +In the next scene , it turns out he 's the sheriff too . We find out in the following scene that he 's the sheriff . entailment +i 'm not sure how much that uh carries on I know how much it carries on contradictory +The Collegiate Church of Saint-Ours is an interesting piece of Roman ? ­ esque it has two steeples at either end of the nave , which is surmounted by two octagonal pyramids in place of a roof . The church has two steeples that are each 500 feet high . neutral +: The Northern Trail The Southern Trail . contradictory +She cited differences between Level I trauma centers and community hospitals . She pointed out the similarities in medical care contradictory +She was a goddess . She was a troll . contradictory +Now , to pass to another subject , had your mistress a dark green dress in her wardrobe ? " Dorcas was rather startled by the unexpected question . They were done asking Dorcas questions . contradictory +A person 's basic humanity is not governed by how he or she came into this world , or whether somebody else happens to have the same DNA . The basic humanity of a person does not depend on how they came into this world or how they are related with other humans- it depends on the positive vibes that they spread . neutral +uh-huh yeah a lot of people do that for a living i guess Many people have that job . entailment +a little chip oh yeah i didn 't hear about that probably for TI employees yeah Maybe the TI employees have the little chips . entailment +He came of age when the civil rights movement and the Naderites were using the courts to challenge unjust state governments and arrogant corporations . Naderites challenged state governments and corporations in court . entailment +In theory , for-profits are equipped to do it through greater efficiency--economies of scale , easier closure of failing operations , and better access to capital . For-profits have low efficiency and no capital . contradictory +Truly a strange and sinister gathering ! The gathering had all the worst people there . neutral +How can they tell kids pot is an evil gateway drug when they 're stellar proof that it isn 't ? Why are they telling kids that pot is safe to inject with dirty needles . contradictory +Until recently , no well-controlled intervention studies have addressed whether interventions in emergency settings would reduce alcohol consumption and consequences . It was known until recently if proper interventions in emergency settings could reduce alcohol consumption and consequences . entailment +The aqueduct is composed of thousands of granite blocks arranged in graceful arches , sometimes two-tiered , but without mortar or cement of any kind . The aqueduct was built without mortar or cement , no one knows how it stayed together . neutral +You understand ? " Do you comprehend ? " entailment +As a result , the new law required the President to prepare an annual budget , and it transferred from the Department of the Treasury to GAO the government 's auditing , accounting , and claims functions . The President is required to prepare a budget , and transfer it to the GAO . entailment +The baron was also seriously thinking of replacing the triangular Place Dauphine 's gracious gabled and arcaded red-brick architecture with neo-Grecian colonnades ' but fortunately was forced out of office before the wreckers could move in . The baron did not succeed in replacing the Place Dauphine with neo-Grecian colonnades . entailment +well you know what 's going to happen there those files are going to back up on somebody 's desk just a that typical bureaucratic work It will be passed quickly and not end up on someone 's desk . contradictory +The Commission sought public comments on the facts and circumstances surrounding the representation of all eligible aliens who are affected by the presence requirement . The Commission took into consideration the publics opinions . entailment +yeah i had a similar thing that i 've worked on cars ever since i was uh a kid and that was some time ago but i 've gotten to the point where uh the newer cars are getting so complicated to work on that uh oh most of the cars i buy i try to buy as simple a car as possible so you know changing the oil changing the spark plugs and most of them now you know you don 't go through the ignition stuff anymore because that 's all solid state or One of my hobbies is cleaning my car engine . neutral +oh well that 's good to know maybe there 's still hope for our front yard this summer then It is probable that our yard has no hope at all . contradictory +but he likes the weights and the you know stationary bicycle and all that He hates weights and the stationary bike too . contradictory +Either 1 ) you believe that your neighbor has no right to live well at your grandchildren 's expense or 2 ) you believe that your neighbor has that right , but you 'd prefer to prevent him from exercising it . You believe that your neighbor has that right , but you 'd prefer to prevent him from exercising it . entailment +In a lengthy New Republic review , sociologist Alan Wolfe mostly praises the Thernstroms ' tome on Their tough-minded book serves the cause of racial justice . The New Republic does not publish reviews . contradictory +6 trillion . 3 trillion plus x trillion equals 6 trillion . neutral +well i i have a a Computer Information Systems degree from school and i 've been at it awhile so you know you just kind of learn the tricks of the trade and I have a degree in Information Technology and Business from school . contradictory +EPA believes that , at most , there are only two firms which manufacture outboard or personal watercraft and jetboat engines that qualify as small entities . There are only two firms that build personal watercraft that are small entities according to the EPA . entailment +He roused suddenly , his hand flashing under his head before he returned to full consciousness , fingers tightening on the Colt he had placed there . He woke up and grabbed his gun . entailment +Merrill moved on to Broadway and Hollywood . Merrill moved to certain places . entailment +they know that they 've proven that um yet their saying well we 're putting such low doses in there that well you don 't have to worry about dying from it the problem is that i 've that i 've read books that They say there 's nothing to worry about , but I 've read books that people have died from it . neutral +when she had these puppies she crawled up onto my mother 's stomach in the middle of the bed had the puppies and woke up my mother One of the puppies had woke up my mother . entailment +yeah and you know all these old people they would get out of this right all the ones that are already retired so what could we could do is take all the retired people that are going around in their big mobile homes and they could do public service all over the country i 'm just teasing I am just joking about the old people . entailment +Data suggest that substance abuse counselors may find that a medical or surgical crisis increases patient motivation . Medical crisis tends to have little effect on substance abuse patients if the data is to be believed . contradictory +The Ile Saint-Louis is an enchanted self-contained island of gracious living , long popular with the more affluent gentry and celebrities of Paris . Many of the celebrities and gentry of Paris love the Ile Saint-Louis . entailment +and many have not been tested yet Everything has been tested . contradictory +He 's a lawyer . He is a doctor . contradictory +God help me , I had a decent time at Payback . But I don 't offer that admission proudly--it 's more in the spirit of Look how debased my taste has become after decades of sitting through crap thrillers . Payback was the best movie I saw all year . neutral +with cash No cash was in any way used . contradictory +Shops in Central are an exception ; they generally close at 6pm and are not open on Sunday . The shops sell legit products , so you should buy from there . neutral +You would have driven straight to the house in Soho and secured the document which Miss Finn would probably have entrusted to her cousin 's keeping . In Soho , you would have driven straight to the house . entailment +If the RFP is unjustifiably restrictive , favoring one contractor over others , the agency may be unable to benefit from full and open competition . The RFP has always been restrictive and favored certain contractors . neutral +" Senor Kells . " The girl caught at the older man 's arm . The girl admired the older man . neutral +He thought philandering husbands would be the ones taking advantage of the argument about how cheating was hard to control . Cheating is hard to control . neutral +When I asked him to explain the moral distinction between boxing and ultimate fighting , he exploded at me , If you can 't see the moral distinction , then we have nothing to talk about ! I asked him about the moral similarities of boxing and ultimate fighting , and he gladly explained them to me . contradictory +On the southwest corner of the square , a fine 18th-century palace has been converted into an arts center . An 18th-century palace has been converted into a gym . contradictory +He took up his conversation with Mr. Carter at the point it had broken off . He decided he would never speak on this topic again . contradictory +but luckily at Texans there 's a little more diverse diverse clientele at Texans , you see people of all ages coming in to have a drink neutral +Participants agreed that while accounting rules are also needed , there should not be such blind adherence to accounting rules to result in reporting form over substance . Participants agreed that accounting rules are needed entailment +and uh so that that tie there between SMU and the Cowboys SMU and the Cowboys had a tie . entailment +Unless an exemption under section 716 ( d ) ( 1 ) is invoked , such as certification by the President or Director of OMB , I am authorized to bring a civil action for judicial enforcement of our access request if full and complete access to the records we are requesting is not provided to GAO within 20 days following the filing of this report . President and Director of OMB do not have certification privileges . contradictory +well i loved that novel and then somebody said oh God this would have been even long ago because i was in Boston and it was raining all night and i had a hole in my roof and i was waiting for the whole house to collapse and uh i was reading Dune Dune was a terrible book , I was hoping the roof would collapse so I wouldn 't have to continue reading it . contradictory +From a.d. 795 , Ireland was subject to repeated Viking raids . Ireland was subjected to raids by Vikings that lasted for decades . neutral +wow so it doesn 't sound like he 's ready to retire yet Wow so it sounds like he is really ready to retire . contradictory +Lamentably , she has lost sight of just how weird and out of the mainstream that culture is . She isn 't aware of how weird and out of the mainstream that culture is , but won 't listen . neutral +uh we but we both None of us . contradictory +The zoo lies on a hillside , with visitors needing to climb some inclines to the upper enclosures ( wheelchairs and strollers are available ) . The zoo lies on a flat piece of land , requiring no climbing on the part of the visitor . contradictory +and stuff like that and it 's got one of those wildlife parks It has a waterpark . contradictory +These pictures--including one depicting a party held , incongruously , in one of the Town Hall chambers--have a dreamlike aura . Many were terrified of the fear-inducing pictures that were released after a recent Town Hall gathering . contradictory +Each day together ( it 's been about 8 months now ) has been wonderful and a many-splendored thing . We have spent eight months together now . entailment +New arrivals especially should lie low during the most blistering hours to avoid burns or exhaustion . The hottest hours are between 12 pm and 3 pm . neutral +He is , on the contrary , a patriot . That 's correct , he is not a patriot . contradictory +This is the millennium of the West , concludes the special year-end issue , which is by far the best of the millennial mags . The West is the worst millennial magazine out there . contradictory +Expanding on earlier grants for statewide websites , LSC made 12 new awards , bringing the total number of states that are building and maintaining statewide websites to more than 40 . There are no states maintaining websites , despite LSC creating 12 new awards . contradictory +The oddly named education IRA is not a retirement arrangement . The IRA is not a retirement arrangement . entailment +That 's Dr. Bauerstein , " said John shortly . John said that was Dr. Suess . contradictory +We can come pretty close to neutral reporting and analysis of news developments in features like Today 's Papers and The Week / The Spin . We 're pretty close to neutral reporting and analysis , unlike our old work which was biased . neutral +A source knowledgeable about the Reform Party tells me that media consultant Bill Hillsman , who made Ventura 's clever TV spots in 1998 , is meeting with Beatty this week on the West Coast . Bill Hellsman is unable to meet Beatty this week . contradictory +Tcha ! " cried Poirot irritably . Poirot 's tone of voice was low . neutral +yeah yeah oh yeah it 's just that yeah it 's just that the rating system seems you know instead of having X now they have what NC seventeen NC seventeen has replaced X in the rating system . entailment +We want to know why there 's no peer accounting system , why there 's no real method of competition for grants , and why meetings are held in secret , Barr said . Barr had nothing but good things to say , stating nothing should be changed . contradictory +The guard was molded from silver in the shape of a woman , her back arched , touching the swords pommel with her feet and the guard with her hands . The golden piece of jewelry was stolen from the women . contradictory +In the case of drug testing , however , the proposed warrantless blanket invasions of privacy serve only a symbolic value . They requested permission for police to drug test individuals with no basis on buses and bus stations . neutral +All we know is that Pieter de Hooch , one of the masters of Dutch painting , was buried in the cemetery in Amsterdam , his body having been carried directly from the dolhuys , the house for the insane . Pieter de Hooch had schizophrenia , and was buried in Amsterdam . neutral +He knows more about poisons than almost anybody , I explained . Nobody knows more about poisons than he does , i explained . entailment +Those are just empty words if people don 't have access to that system . People should have access to that system because it is totally beneficial . neutral +D 'Amato tried to exploit the ill feelings between New York City and upstate . D 'Amato brought New York City and upstate together . contradictory +You see , up to the very last minute , I thought it was Lawrence ! " Poirot grinned . Right up until the end , it never crossed my mind that it was Lawrence . contradictory +The field of Kermario has a dolmen ( chamber built of flat slabs on pillars ) and 1,029 menhirs in 10 rows . Kermario was recently redeveloped and flattened to create a business park . contradictory +data or sources of information Data , or sources of information entailment +The CEF advanced scenario , for example , assumes a significant increase in program funds to promote a variety of both demand-side and supply-side technologies . The CEF advanced scenario assumes that increased funding will only be used for demand-side technologies . contradictory +and probably the worse thing that ever happened was around March the weather starts getting funny it will be warm one day and freezing the next Around march the weather starts getting really hot . neutral +oh but i remember i was with a friend of mine had uh three kids and the little boy must have been oh maybe about ten and we rented Charlotte 's Web okay We watched the news together with our children . contradictory +they require them to um put their newspaper for recycling but the deinking process that they have to they use to take the ink out of the newspaper so it can be reused The de-inking process can take hours to do . neutral +He ignored Edward 's summons and instead negotiated a treaty with the French king , the beginning of a long association between France and Scotland that became known as the Auld Alliance . The Auld Alliance had clear economic benefits for both France and Scotland . neutral +Is that so ? " Tuppence nodded . Tuppance asked if it was so . entailment +And when an egg hatches , you don 't try to put it back together ! " He didn 't look like a fanatic , Dave told himself . The egg was just minutes away from hatching . neutral +How wildly improbable success had seemed ! The task at hand was very difficult for most . neutral +' I figured what was good enough for the witches of the Voth was good enough for the agent of the Eye . If the witches thought it a good idea to plant purslane this year , then I though the Eye should as well . neutral +Should they be screening for patients with the worst problems ? Doctors no longer have the qualifications to treat disease . contradictory +I don 't believe in retirement . I 'm never going to retire because I love working too much . neutral +A minute later , I heard heavy footsteps on the other side of the wall . It was silent . contradictory +These silent killers frightened Ca 'daan most of all . Ca 'daan wasn 't afraid of anything . contradictory +And now , said the young lady on the morning after their installation , " to work ! " Mr. Beresford put down the Daily Mail , which he was reading , and applauded with somewhat unnecessary vigour . Mr. Beresford thought that the young lady was adorable . neutral +I only wanted to tell you something . The only thing I wanted to do , was tell you something . entailment +But suggest that negative behavior might be genetic too , and dog nuts--and , increasingly , their lawyers--declare that this is like saying Jews are naturally greedy or that laziness is a genetic trait of blacks . Anyone who suggests that negative behaviors in dogs are genetic are not dog lovers and clearly misunderstand canines . contradictory +Completed in 1586 , it was the center of Sephardic worship for centuries . It was central to Sephardic worship and finished in 1586 . entailment +For older children , the range of water sports found in the popular resorts offers an exciting challenge . The water sports are boring for older kids and more entertaining for young children . contradictory +He is not held in the same high esteem here as he is in other islands . He is a god among all men . contradictory +By keeping such records , the central group could develop monthly reports that showed increases and decreases in incident frequency , trends , and the status of resolution efforts . The central group can develop monthly reports about incident frequency . entailment +We are not required to comply with GPRA , but we believe that its requirements make good business sense . No matter what , we will comply with the GRPA . contradictory +The Industrialist said , " It 's all right , youngster . " The young man did something wrong . neutral +and i have a feeling that the Persian Gulf crisis is going to be the same way I have no idea how the Persian Gulf crisis will go . contradictory +It will take several days to familiarize yourself with the maze , several more before the principal landmarks become easily identifiable . You won 't ever become familiar with the landmarks . contradictory +i i do because um with all all the sports you know and everything they 're doing there and also because whenever you 're dealing with drugs like if you if you are on drugs then that affects the way you work and everything If you 're on drugs , it affects how you act . entailment +This is so needed in the community . The community needs this . entailment +and at the age of thirty two i think it was his um heart was that of a fourteen year old I think he had a young heart even though he was 32 . entailment +Look for fine Chinese bronzes , embroidery , lacquerware and porcelain , tomb figures , and wood carvings , among other possibilities . There are no wood carvings or tomb figures to find . contradictory +Ironically , there was plenty of food around corn , cattle , sheep , and flour but it was not available to the poor . The poor were therefore unable to acquire proper nutrition . neutral +It seems to me very simple . It didn 't have many issues . neutral +1999 : Western Union Introduces Singing Mammogram Western Union has invented a mammogram that sings . entailment +library collection . library compilation neutral +She also retains a sense of humor about her plight--these days , she jokes , she can make any small company famous by wearing its logo on a baseball cap . She thinks that she can make a company famous by wearing their logo . entailment +This paper adopts the analysis of street delivery costs presented by the U.S. The paper analyzed the street delivery costs presented by the US postal service . neutral +Julius wired to town for his own car , and they scoured the neighbourhood daily with unflagging zeal . Julius wired to town for a special black car . neutral +I knew this couldn 't be , but it would 've made things so much easier if my friend was still out there somewhere . My friend was standing next to me . contradictory +To give the reader a basis for judging the prevalence and To give the reader a basis for judging . entailment +uh-huh well you kind of know what it 's like then He was familiar with their style of dress . neutral +Johnson encouraged Kennedy to run and promised to do whatever he could to help him . Johnson tried to stop Kennedy from running . contradictory +right right she is a a good actress did you see uh oh that movie with her and Dolly Parton and Steel Magnolias Did you see the movie that stars her , Dolly Parton and Steel Magnolias ? entailment +To tour the center of the city , start your walk at the western end of the historic district , on the Place du Vieux-March ? ? . The Place du Vieux-March is located at the eastern side of the historic district . contradictory +yes yes we went last summer actually We went to the carnival last summer neutral +The product itself won 't be in stores until summer , so it 's way too early to know how the shaving public will respond . The product itself won 't be in stores until summer , so it 's way too early to know how well the shaving product will be received . neutral +Finally , whatever your plans for New Year 's Eve , set the VCR to record ABC 's New Year 's Rockin ' Eve ' 99 ( 11 : 35 ) . No matter what you are doing , you should set your VCR to record ABC 's New Years Rockin ' Eve ' 99 with Ryan Seacrest . neutral +well it 's just a huge file that tries to describe the requirements of what you 're trying to build What are some of the requirements for the build ? neutral +Macau has an ample supply of Portuguese wines . There are a lot of Portuguese wines in Macau . entailment +well they 've gotten their five minutes worth of us i 've enjoyed talking with you This was one of the best conversation I 've had with you . neutral +In contrast , nonruminant animal producers may gain up to $ 162 million in lower feed costs . The lower feed costs will benefit them greatly . neutral +In the general confusion , the boudoir had not been swept that morning , and near the desk were several traces of brown mould and earth . They hadn 't cleaned the bedroom . entailment +In planning examination-level attestation engagements , auditors should design the engagement to provide reasonable assurance of detecting fraud , illegal acts , or other noncompliance that could have a material effect on the subject matter or assertion of the attestation engagement . Auditors must keep their examination-level attestation engagements somewhat secretive to avoid outside influence . neutral +He gave Edward what he felt like , in other words , not that much . He felt like a million bucks , so that 's what he gave Edward . contradictory +But he never shows the great harms perpetrated by this system . He ignores the great harms perpetrated by this system . entailment +The Japanese were attracted more to Buddhism 's ritual and art than to its complex philosophy , rendered all the more difficult because its texts were , for several centuries , available only in Chinese , the language of a small court elite . The Japanese weren 't interested in beliefs other than Buddhism . neutral +and he goes do you want to dance i turn around and go what he goes do you want to dance i go no no he goes oh oh i 'm sorry i go yeah you better be i go you better be so He asked me to dance and I said no . entailment +It wasn 't until a.d. 330 , however , when the newly converted Emperor Constantine made Byzantium , renamed Constantinople , capital of his Eastern Empire that Christianity was assured of its dominant role in future Greek life . Constantine converted to Christianity as a result of the influence of some of his closest advisors . neutral +It is modified during data collection and the OTTR process and finalized after the evaluation team has read through all the case It is altered amid information gathering and the OTTR procedure and concluded after the assessment group has perused all the case entailment +You said that when the computer was finished you would _ wait _ for my true name , and I promised that you should have it when the time came , but not what the time would be . You told me that you would await my true name after the computer was built . entailment +seeing what died um-hum Yes , seeing what died . entailment +Another human capital issue is more structural in terms of staffing . Staffing issues are issues with human capital . entailment +VA adopted the standard for determining a veteran 's right to compensation contained in Brown , 115 S.Ct. The VA set no standards regarding compensation for veterans . contradictory +and you can just um you know rinse that out it 's kind off to the side it unscrews and you can just clean that part out with plain water neutral +Like most other national museums it opens at 10 : 30am and is closed on Tuesdays . The museum closes at 8pm , except on Sunday when it closes at 6pm . neutral +VA also established performance measures , such as increasing the number of outpatient surgeries , reducing the use of inpatient care , and increasing the number of high-priority veterans served to hold network and medical center directors accountable for results . VA spends hours establishing performance measures for patients . neutral +The inspector reported that the chair itself , the wooden part , needed replacement . The chair has parts that are also made of plastic and metal . neutral +This was the first public photo studio opened in Portugal ( during the 1850s ) , and some of the props on display are amusingly quaint . It was the tenth public photo studio opened in 1850 . contradictory +Raise your hand if you believe Schippers a ) was feeling sorrowful ; b ) had prayed that his months of effort to nail the president would be in vain ; c ) was being frank ; d ) had no settled view on the whole matter even after analyzing the Starr report , until our investigation ( whatever that consisted of ) . If you believe Schippers was feeling delighted and happy , raise your hand . contradictory +I could tell , because the moment I stepped on stage they exploded into rapturous applause . The moment I stepped on stage , they booed . contradictory +right the roles are changing a lot Roles and placement are changing a lot in that context . neutral +yeah exactly and and and even then you 've got to watch the bread and the water Ever with bread and water , you have to watch how much you eat ! entailment +There were piles of coins on the table as Cahill listed bets for the men crowding around . The men were not interested in betting . contradictory +Established industries had their taxes raised but were not nationalized . The industries that were established saw a tax increase . entailment +In the light of the candles his cheeks looked even more hollow tonight , and he moved stiffly as might a man who was not only bone-tired in body , thought Drew , but weary in mind as well . The man 's looked even more worn and weary in the candle light Drew thought . entailment +One statistic floating around is that workers spend about 90 minutes a day on nonwork-related computer games and Web surfing , with an estimated productivity cost of $ 50 billion . In addition , workers also spend an hour a day on their phones . neutral +Wander along the empty streets to take in the somber atmosphere . The lack of nightlife contributes to it 's somberness . neutral +Ceramics and pottery are some of the most popular items throughout Portugal . Many Portuguese children learn how to do pottery in school . neutral +For a quieter glass of wine or cup of coffee , try the pretty Place du Marche-aux-Fleurs , shaded by plane trees around a Henry Moore sculpture . Place du Marche-aux-Fleurs is recommended if you are a wine lover . entailment +she pitches in and uh makes clothes for the kids She fixes snack cups for the kids . contradictory +oh no that 's funny That is not funny . entailment +In deciding on whether or not a closeout meeting will be held , GAO will consider the preferences of the agency officials and whether the work has involved interviews with numerous people , over a significant period of time , at that particular location . The GAO does not get to decide whether or not a closeout meeting can be held . contradictory +The latest audio guides have gone Hollywood and Art authorities electronically beamed up by recent museum-goers include Leonard Nimoy , Steve Martin , Charlton Heston , and Morgan Freeman . Morgan Freeman is one of the artists in the audio guides . entailment +The famous Farmers ' Market at Third and Fairfax is a curious mixture of old folks , tourists , and hip Hollywood types who crowd the excellent and inexpensive food stands and stalls that sell meat , cheese , chocolate , baked goods , and produce . There is a market at Third and Fairfax where you can buy food . entailment +It may be just as The medical press reports the book-eating fungus can cause hallucinations . Funguses are dangerous neutral +Just feel light . It is not always easy to feel very light . neutral +um-hum well see what else can we talk about food What other cuisines should we talk about ? neutral +Barry agreed that we have not monitored closely enough what intervention is being delivered by the interventionists we train . Barry agreed that we didn 't monitor that like we should have . entailment +During the lunch break that follows Starr 's statement , Democrats are gleeful . The politicians are happy during lunch . entailment +Gulf veterans suggest that the syndrome is a constellation of symptoms The gulf veterans know this from experience . neutral +Veterans Status of Achieving Key Outcomes and Addressing Major Management Challenges ( GAO-01-752 , June 15 , 2001 ) . Veterans address major management challenges . entailment +boy the cable TV they 'll just show anything Anything can be shown on cable TV . entailment +Good range of sports facilities , which include a swimming pool and squash courts . There is a pool and squash courts . entailment +( And marriage benefits go to all married people regardless of whether they have children . ) And all married people get marriage benefits , even if they have no kids . entailment +Murder episodes are almost always one hour in length . Murder episodes are usually 1 hour long because they require longer and more complicated stories . neutral +Maybe tomorrow will bring some better news ... Today was a great day full of great news ! contradictory +Koko-en actually comprises nine distinct gardens , each with a special theme such as bamboo , pine trees , seedlings , summer trees , and flowers . Koko-en comprised three distinct gardens , all bamboo themed . contradictory +Contracts should specify how problems are to be identified and reported . How problems are identified and reported should be specified in the contract . entailment +He turned left and saw the Kal standing on another small hill , his huge war club resting on his shoulder . He looked right and saw the Kal standing on the mountain with his gun resting on his shoulder . contradictory +But maybe it 's also because the relationships scenes are soft-focus , generic , and woozily drawn-out , whereas the stuff in the stadium is sharply edited and full of texture . The stadium was used often in films . neutral +I wouldn 't have missed this day for anything , Barnes says . There was a retirement party for Barne 's assistant . neutral +At the upper terminus there is a four-level shopping center , the Peak Galleria , and the Peak Tower , which resembles an airport control tower and has shops , entertainment , and restaurants . The Peak Tower is built underground to where people can access its shops . contradictory +Guitars , the rhythm of castanets and drumming heels , and taut , anguished songs that 's flamenco . Flamenco has no guitars , just trumpets , and is very upbeat and happy . contradictory +The Commission has received Office of Management and Budget clearance for this information collection requirement ( OMB # 3060-0589 , expires 2 / 28 / 97 ) . The Commission received clearance to collect data from all of its customers . neutral +I 'm sure she has a very thirsty mind . I think she really enjoys learning . neutral +USE OF TECHNOLOGY The technology is easy to use . neutral +The McCaugheys are already collecting from well- a 15-seat minivan , a new house , diapers for life , and much more from corporate America . Corporate America turned its back on the McCaughey family . contradictory +I met him . " John flung the match into an adjacent flower bed , a proceeding which was too much for Poirot 's feelings . The adjacent flower bed caught fire very quickly . neutral +Chosen People is an extension of his Biblical evidence that Jews are Neanderthals includes the Esau incident ( Esau is hairy , remember ? ) Chosen People is an extension of his Biblical evidence . entailment +The 90-m ( 300-ft ) interior makes it the longest church in the country . The longest church in the country is more that 200 feet long . entailment +Web advertising holds the strange position of being almost entirely unregulated . All forms of advertising are unregulated . contradictory +well it will be interesting seeing these games across the you know from London or wherever Its only interesting to see the games here . contradictory +The vaults were used for a variety of mundane activities ( bakery and storehouse ) but also functioned as a prison and barracks . The vaults house ovens . neutral +Fourth Generation Languages . There are fourth generation languages . entailment +These show performances from December or January until late spring or early summer . The shows start in the beginning of summer and are done by winter . contradictory +Regardless of the time of year you visit these islands , you 'll spend most of your time outdoors , on or near the water , and a word of caution is necessary . No matter when you visit , you should always take care on the water . entailment +The SEC has estimated that the annual cost to the industry of preparing and filing updated profiles would be approximately $ 5 . The SEC couldn 't even guess what the annual costs were . contradictory +In the past two years , the Czech president has been widowed , lost a lung to illness , married an unpopular actress , engaged in a nasty real-estate feud with his brother , and watched rival politicians demolish his vision of Czech society . The Czech president has been through many tragedies recently . entailment +But they don 't have a veto on this . They can just veto this . contradictory +( For more on the Falwell Antichrist flap , see in This is all the information there is on the Falwell Antichrist flap . contradictory +" Suppose you had yourself a stack of cart wheels and my pockets were to let ? " Drew retorted . Drew was a smart guy , and he wasn 't going to take any bullshit . neutral +NORMAL COST - That portion of the actuarial present value of pension plan benefits and expenses that is allocated to a valuation year by the actuarial cost method . The actuarial cost method cannot be applied when determining the value of pension plan benefits . contradictory +well i 've been sort of out of it for a little while so i don 't know really what 's going on It 's not possible for me to find out , since I don 't have any contacts . neutral +Leger 's ideas about women are inseparable from his ideas about machinery . Leger has negative views about women . neutral +and they gave gave it to her anyway They didn 't give it to her . contradictory +so i don 't know i don 't i i 'm single and and and and so i don 't know i don 't if i had a a man around to do it it might be different i don 't know I 'm in a relationship , but he 's just lazy and won 't help . contradictory +Open hours ( see page 119 ) vary considerably , with news agents and sandwich bars open well before 9am and other stores by 9 : 30 or 9 : 45am . The news agents and sandwich bars have closed down . contradictory +Not surprisingly , the push for a shrinkocracy has gained little support . Shrinkocracy has gained massive support . contradictory +Caballa , the rich-fleshed mackerel , is sometimes available ahumada ( smoked ) . Unfortunately a caballa can never be served smoked . contradictory +Some 30 km ( 18 . 5 miles ) outside Kyoto , set deep in a forested nature preserve , is the Miho Museum , designed by internationally acclaimed architect I.M. Pei . The Miho museum is in a crowded city . contradictory +Among his many accomplishments , Dr. Johnson was the first of the great Scot-bashers , elevating a common anti-immigrant prejudice to a wittier sort of anti-immigrant prejudice and a way to tweak his great friend James Boswell . Dr. Johnson had nothing but high praise for the Scots . contradictory +As government spending on health and retirement programs for the growing elderly population swells , government saving is also likely to decline . Government saving is inversely proportional to government spending on health and retirement programs . entailment +But the links may also be genetic or , at the very least , the result of ancient ancestral contact . The links are obviously not genetic or the result of ancestral contact . contradictory +The CityHall complex was architect Tange Kenzo 's magnum opus , arguably the last great work of his career . Tange Kenzo was a very famous architect but lost his touch as he got older and fell into obscurity . neutral +The plaster ceilings here date from 1678 and depict angels carrying the symbols of royal crown , scepter , sword , and wreath of laurel leaves . The plaster was carefully carved and polished . neutral +Version 6.40 of REMSAD was employed for this analysis . REMSAD version 7.20 was used to complete the analysis . contradictory +Is there an editor in the house ? Who is the photographer ? contradictory +It soon became a place of contemplation , learning , and pilgrimage a role it still performs for thousands of believers to the present day . Believers still flock to the location . entailment +More practical but quite decorative are bamboo and rattan Baskets and mats woven from nipa palm leaves . Bamboo mats and baskets only bought as decorations . contradictory +that 's the true test That is the true test to see if they 're lying . neutral +With demons represented by priests wearing fearsome masks , onlookers throw beans to drive them away while shouting , Demons out , good fortune in ! The beans represent good luck for the coming year . neutral +Employees of the Federal Government provide services to their employer in exchange for compensation , of which some is received currently in the form of money ( the salary ) ; some is received currently in the form of payments to a third party ( the employer Federal Government employees are paid for their services . entailment +refill our water glasses um someone had only eaten a portion of their food and wanted to take it home and asked to have it boxed and she just pitched it out She threw away more than half of the uneaten portion . neutral +Stardom can also be very transitory , and losing it , after once having had it , can be terribly depressing . Stardom is almost always very transitory , losing it is common . neutral +There is also an archaeological museum that displays older relics , including examples of Mycenaean pottery . The old things in the museum are worth a lot due to their age . neutral +For a town of barely 5,000 inhabitants , Bocairente 's two small museums are the Museo Histerico ( Historical Museum ) is noted for a collection of Stone Age pottery , and the Museo Parroquial ( Parish Museum ) exhibits important paintings by Juan de Juanes , Ribalta , and Sorolla . Juan de Juanes ' art is on display in a small museum within a town of around 5000 people . entailment +Leave the river briefly to loop east around Talcy , with its Romanesque church and the 13th-century chateau of Thizy , before ending your trip at Montr ? ? al . It is recommended that you leave river briefly before ending your trip at Montréal . entailment +He 'll tell me anything he knows . " " I know he 's hiding something . " neutral +He believed in a public health approach to screening which means we would not do it if the yield is low . A public health approach to screening was something he believed in . entailment +Seagaia Ocean Dome , the largest indoor water park in the world , comprises an artificially landscaped beach complete with palm trees and a giant wave pool to complete the illusion of a tropical paradise . Seagaia Ocean Dome is the world 's largest indoor water park . entailment +Aside from the palaces and museums , Aranjuez is noted for its royal parks and gardens . Aranjuez has no plant life . contradictory +Subscribe here . Thanks . ) Please , do not subscribe here . contradictory +and then plus then you for end up forgetting to write it down You also will forget to make note of it . entailment +The Wordsworth Trust now manages the property and offers a guided tour of the cottage that provides insights into the life of the writer , his family , and his friends . The Wordsworth Trust made a business of the study of Wordsworth 's life . entailment +These unsung , yet worthy , vintages very often cost hardly any more than bottled mineral water . Bottled mineral water is expensive . contradictory +He got me away from the bar and told me the beauteous blonde was a guy . I was taken away from the bar and informed that he beautiful blonde was actually a man . entailment +NORMAL COST - That portion of the actuarial present value of pension plan benefits and expenses that is allocated to a valuation year by the actuarial cost method . Pension plans are often paid out to retired employees with at least 30 years of service . neutral +This would drive up the price of imported goods and reignite the hyperinflation of two years ago . The price of goods imported from other countries would go up and the large inflation of two years ago would occur again , entailment +The New Radicals sound like Todd Rundgren has just emerged from the cryogenics lab where he 's lain frozen since 1972 . The New Radicals are an indie pop band . neutral +An evil drill sergeant woke up in Edward . The drill sergeant is from Edward . neutral +But he had the feeling that it was chill now , cold , as if a hearth fire had been allowed to die into ashes . He was warming himself by the roaring hearth fire . contradictory +These parents pressure school systems to be more rigorous and give more homework . This parents demand schools to give students more play time . contradictory +FATHER You know , Kaethe , even though you are my sister , and this money was legitimately inherited from our parents , and I 'm giving it to you in order that you may pay for a lifesaving sweat-gland-transplant , which will finally enable you to dress properly , I 'd bet , to an outsider , this whole scene would look awfully fishy . Kaethe , I 'd rather give you my inheritance so that you get the treatment you need . entailment +you and your dog huh hey that sounds great well we don 't we don 't camp quite as much as we used to but uh i still think it 's a great way to spend a time with your family and My family used to go camping every summer when I was a kid , though we don 't do it that much anymore . neutral +Still , I suppose the girl must have been in the habit of calling her by her full name . The girl in question wanted to be called only by a nickname known to her friends . neutral +so the the end scenes are are kind of suspenseful you know when she realizes he 's in the house you know after her but uh kind of had the feeling along that uh why didn 't she just tell him to straighten up you know why didn 't she just tell him hey look bucko you don 't get away with this nonsense All of the end scenes are happy and peaceful . contradictory +Cutting mercury emissions by 69 percent , -the first-ever national cap on mercury emissions . They plan to continue to impose new mercury emissions caps as we successfully attain them . neutral +Outside the eastern wall of the temple is the Pudhu Mandapa , the Hall of Audience of Tirumalai Nayak , who built the temple . The Pudhu Madapa is a temple on the eastern wall . entailment +for whatever reason when school holidays come around i used to have such a problem with that they wouldn 't have anything to do i 'd either have to I wish that the school holidays were more peaceful . neutral +Perched on the Gargano heights south of the forest , Monte Sant 'Angelo was a major medieval pilgrimage town , celebrated for its fifth-century sanctuary of St. Michael in a grotto where the archangel appeared to the Bishop of Siponto three times . Monte Sant 'Angelo is a town where an angel allegedly appeared to a bishop several times . entailment +they 're on weekdays at eleven o 'clock everyday Monday through Friday They 're on exclusively on Saturday and Sunday . contradictory +It 's also important to take the rarefied atmosphere into account when exercising . The rarefied atmosphere makes exercising extremely hard unless properly trained . neutral +that 's Major Dad at eight i think it is I think Major Dad is on at eight o 'clock . entailment +Some of the museum 's most visited rooms are to In his graceful Allegory of Spring ( 1478 ) and the almost too famous but undyingly delightful Birth of Venus , Botticelli achieves an enchanting mixture of sensuality and purity . The Allegory of Spring and the Birth of Venus are the museum 's most sought after works . entailment +so they 're getting into it i don 't know what they get for the tickets though what do you get for the tickets if you bring stuff oh the class i guess gets the most tickets gets uh gets a party I don 't know what they get the tickets for , I think it 's high grades or something . neutral +Australia and New Zealand prepared and adopted a joint standard 7on risk management , to provide a cultural framework for managing risk . Australia and New Zealand prepared and adopted a joint standard 7on risk management . entailment +When California Caucasians are practicing Feng Shui and Zen meditation , when suburban Asian teens are reciting gangsta rap lyrics , when salsa sales are surging past ketchup sales , how can we speak with a straight face about the ineffaceable whiteness of American life ? The salsa sauce sales are going down every year , there is no way they can bypass ketchup . contradictory +The only moments of conviction come from an Asian-American dominatrix called Pearl ( Lucy Liu ) , who brings far more glee to the task of beating people up than the picture 's star or director . Pearl was a fan favorite . entailment +Politicians skew their politics to suit the polls . Politicians take some time to study what their polls like . neutral +The abbey church combines a sturdy Romanesque nave with a markedly lighter and more airy Flamboyant Gothic chancel . The nave was built in the Romanesque style . entailment +yeah that 's right that 's right right Yep , I agree with you politically . neutral +you know as someone that has merit even if they are poor or if they 're Hispanic or if they 're Black we give everybody pretty much the benefit of the doubt because we don 't see all the crime and all the hurt in the big cities you know if We try to give everyone the benefit of the doubt . entailment +However , he went to the length of unbolting it , and opening and shutting it several times ; this he did with the utmost precaution against making any noise . He went ahead and unbolted the door and opened and shut it loudly . contradictory +right right well i tell you what ever since then i found a station that uh uh pretty close to our house that you know the guy is pretty lenient on the inspection stickers so uh he 's definitely going to get my business i tell you but uh The charge for an inspection at the service station who is light on requirements is usually a little more expensive . neutral +have quite good news i think channel eight is the number one uh ABC affiliate in the US i think Tracy Rowlett was saying that he course he pumping his own I think there are better ABC affiliates . contradictory +Types of water are discussed in Section 5 , Facilities , Equipment and Supplies . In section 5 , there is a discussion about the kinds of water . entailment +He turned to the other man . He shifted , facing towards the other man . entailment +Fatih Sultan Mehmet laid claim to all the territories previously held by the Byzantines , so that his empire incorporated most of Greece and the Balkans , as well as Anatolia . The empire of Fatih Sultan Mehmet spanned from Greece to the Balkans . entailment +They 've since been joined by Mongols , Aryans , Greeks , Arabs , Turks , Persians , and Afghans , while Dutch , British , Portuguese , and French have also left their traces . Several differing nationalities have joined them and left evidence of having been there . entailment +The Reagan administration cut back funding by a third in 1982 , and then the Contract with America cut funds again , he said . During the year of 1982 , under Reagan 's time in office , funding was cut back by a third . entailment +( In fact , when I made that argument at one panel discussion in 1993 , a fellow panelist--a NAFTA advocate , as it happens--exploded in It 's remarks like that that make people hate economists ! I only agreed whilst on the panel discussion . contradictory +oh it is is that the newest thing now the four eighty six The 486 is one of the oldest things out . contradictory +I do not understand how the market is the enemy of liberty , at least if the competitive market is understood . The market is most definitely not the enemy of liberty . contradictory +Also in the New Republic , Jefferson-mania A long book review celebrates the third president as a great democrat , albeit a slave-owning one . The New Republic celebrates President Jefferson as a great democrat , even if he is a slave-owner . entailment +There is no shortage of the beleaguered workaholic salaryman , the exotic geisha , the long-suffering Japanese housewife . No geisha exist in Japan in modern times . contradictory +At Wynette 's funeral last year , Richey virtually had to be kept from jumping in her grave after her . Richey thought his life would end without Wynette . neutral +180 The door opened , and Julius burst in with his usual violence . Julius was normally violent because of a mental disorder . neutral +4 A lack of suitable jobs . Nobody wants to work a job that doesn 't suit them . neutral +The organization uses a centralized IT infrastructure with decentralized development efforts to provide efficiency and security for its corporate customers . Most corporate customers require at least fifty IT workers per office . neutral +The fiction of Japanese imperial power had become infinitely extendable . The Japanese imperial 's powers was given to the ruler by the gods . neutral +The church originally belonged to the religious community of St. Catherine 's monastery in the Sinai ( now part of Egypt ) , and it acted as a center of learning . The church actively discouraged learning and scholarship . contradictory +but um well yeah i used to watch one watch one on the air but that was back I never watched one on the air . contradictory +Our phones ring off the hook now . We have no business . contradictory +How much is a single executive worth ? How much is an executive worth ? entailment +Without public scrutiny and review of the terms of a given rate or service agreement between the Postal Service and a customer , there could be no assurance that these substantive criteria would be satisfied . Without public scrutiny , there could be no bad men neutral +My health is good , by the by . I have several diseases and I have terrible health . contradictory +Still , I guess we 'll leave it like that . Still , I think we will turn it on its head . contradictory +Everything he got turned out to be the right size , but he couldn 't see himself in hauberk and greaves , nor in a filmy nightgown . He got clothes that were made for women , albeit being the right size . neutral +Some magazines , for example , are too heavy to be processed on flat sorting machines and newspapers would be expected to have costs different from those of magazines . Some magazines weigh too much for the machines . entailment +Although one might expect an increase in federal saving to lead to an increase in national saving , changes in federal saving do not flow through to changes in national saving and investment in a dollar-for-dollar relationship . National saving and investment have a direct correlation with federal savings . contradictory +so it 's it 's very it 's interesting here again it 's it 's casual reading and it 's not eaten up with a lot of uh technical stuff and it 's really uh excellent fast reading and uh but as you say it 's it 's sometimes it 's difficult to to know if it 's you know i think if somebody wants to say okay read these ten books because these are self-improvements i would probably be turned off to them Sometimes people tell you to read a lot of books in order to better yourself , but I don 't like to do that . entailment +.1,3 Often a single absorber will serve multiple boilers and reduce much of the steel that would be required if absorbers had been fed by individual boilers . Often a single absorber will be the most expensive part of a boiler neutral +Chatterbox will go for now . Chatterbox will stay for now . contradictory +Prefabrication has been used since the early 1990 's , notably on two large retrofit the 1300 MWe Zimmer Station and the 2600 MWe Gavin station . Two retrofit stations , the 1300 MWe Zimmer Station and the 2600 MWe Gavin Station . neutral +The CEF advanced scenario , for example , assumes a significant increase in program funds to promote a variety of both demand-side and supply-side technologies . There is a linear relationship between funding and cost savings , due to adopted technologies . neutral +The Farm Bureau witness testified that the Bureau was more concerned about recruitment of new clients outside the United States than about ongoing representation of aliens . The witness next testified about the abuse of employees by senior management . neutral +What was the Esthonia Glassware Co . , and what earthly need could it have for her services ? I 'm not surprised the Esthonia Glassware Co. wants her . contradictory +right yeah right well i didn 't either i mean you know to me Pancho 's where i can where i can eat for less than fifteen bucks to me that 's gourmet and everybody i say i went to Pancho 's they all down at me down their noses you know it 's like uh it 's all right with me I can eat at Burger King for less than ten bucks . neutral +but our black cat has never never once been outside and has no interest in going outside you can actually leave the door open he 'll come to the door and sit down but he never goes outside Our black cat has never been inside . contradictory +so when i went to my first year of tech school uh i had a very easy time because our high school had a a good program I had a hard time in my first year of tech school . contradictory +The monks added a hall for worship called a chaitya ( temple ) . The chaitya , or hall for worship , was added by the monks . entailment +There was a rising mutter of shock and anger from the others , but he lifted his voice over it . Eventually the others calmed , and he continued . neutral +The Ozone Criteria Document notes that ozone affects vegetation throughout the United States , impairing crops , native vegetation , and ecosystems more than any other air pollutant ( US EPA , 1996 ) . Ozone was found to have little to no affect on agriculture . contradictory +Adrin was prepared to shoot but doing so against the enemy on foot wasted the advantage . There was no advantage shooting the enemy on foot . entailment +Stupendous ! That is quite ordinary . contradictory +but i was thinking about though that that when you actually get to the milling equipment though when it starts turning I was thinking about milling equipment turning . entailment +definitely i can see why people wait until they get like in high school or maybe junior high and then they get another one It is understandable that people wait a few years to get one . entailment +They are made accessible by thousands of narrow donkey tracks , which are used by hikers and ramblers . They are rendered accessible by many narrow donkey tracks used by hikers . entailment +Changes to be announced shortly are not expected to alter the key part , where the demon is ordered to leave the person , but to shorten the accompanying prayers and invocations . There are many changes to be made but the part about the demon isn 't changing . entailment +In David Plotz 's Assessment of Hunter S. Thompson , he superciliously There 's something unbearably sad about a 60-year-old man who still takes drugs . David Plotz thinks there 's something wrong with old people who do drugs . entailment +An SEC representative informed us that SEC began using a contractor 's software 2 to 3 years ago to facilitate the use of frequent flyer mileage . The contractor 's software has been used for several years to facilitate the use of frequent flyer mileage . neutral +Largely because they have heard so many alarming tales about HMOs . There were so many scary rumors about HMOs . entailment +Conversation often took the form of elegant exchanges of improvised verse . Improvised verse was frequently a feature of conversation . entailment +Of all of them , Vrenna and Thorn seemed the most calm . Thorn was frustrated and unable to calm down . contradictory +To see it in its wild or semi-wild state , try the Sungai Dusun Wildlife Reserve northwest of KL , or in the Tabin reserve in eastern Sabah . There is nowhere to visit to see the country in it 's wild state . contradictory +There 's a very good man in Paris makes a study of these cases but Mrs. Vandemeyer opposed the idea of publicity that might result from such a course . " Mrs. Vandemeyer doesn 't want the publicity from the vampires going public . neutral +The whip hit him again , and the raging voice of the overseer ranted in his ears . The overseer complemented him on a job well done . contradictory +For plot construction , this is a big plus--something Hollywood has recognized in pro-IRA films dating back to John Ford 's The Informer ( 1935 ) and Carol Reed 's Odd Man Out ( 1947 ) . The informer is a pro-IRA film . entailment +'You can go now . They told her she was free to leave the jail . neutral +that 's right and the barge from New York that went around the world and The barge from San Francisco that went around the world . contradictory +um-hum yeah that 's one thing that our gardening we 're getting it my husband he 's retired but he 's having trouble now and he 's not not allowed to mow the grass we have a lot of grass takes me about four hours to do our lawn I have to mow the lawn now that my husband can 't mow it any more . entailment +Ehrenhalt 's book may be the best of the new literature on community , because rather than waxing poetic about community in the abstract , he describes actual communities . Ehrenhalt describes communities with abstract terms . contradictory +Some texts claim that the first Jews arrived in India at the time of the Babylonian exile , in 587 b.c. ; others bring them to Cranganur , on the Malabar coast , in a.d. 72 , about the time that the disciple Thomas is thought to have brought his Christian mission to India . Jews actually came to India in a.d. 55 . neutral +or too much of it yeah yeah you need There is not enough of it . contradictory +where they get together in what they call tribes which is a neighborhood with probably five or six maybe up to eight uh father son combinations and they get together and and meet at each other 's home uh maybe uh twice a month They get together in tribes which encompasses a neighborhood with father and son combinations . entailment +Good morning . The servant volunteered her first remark : " I thought perhaps as you 'd come about the gas , " she observed cryptically , and shut the door . The servant kept the door open contradictory +he has it The briefcase is with him . neutral +Although the shrine is thought to have been founded in the third century , the present buildings are relatively recent reproductions . The shrine is newer than the reproduced buildings . contradictory +The Congress also recognized a need for better financial information and controls over costs . The push for better financial information was driven in large part by business interests . neutral +There might be interventions developed specifically for the ED that would be worthwhile to test . It would be worthwhile to test the interventions that are specifically designed for the ED . entailment +The nucleus of classical Rome is around the Colosseum , with the Forum to the northwest and the Baths of Caracalla to the south . The Colosseum is to the southeast of the Forum . entailment +Michael Lewis ' Millionerds column , as originally posted , stated that his subject this week--T.J. The Millionerds column 's subject this week will be about food . contradictory +Note that because of the duty-free situation , good bargains may be found in European china , including Spode and Wedgwood . The duty free situation usually means good bargains in European china . entailment +Uncle David turned out to be a construction genius , all right , but his interest in Dave seemed to lie in the fact that he was tired of being Simon Legree to strangers and wanted to take it out on one of his own family . Dave had no construction expertise . contradictory +The state legislature also followed up on the report by creating the Commission on the Future of Maine 's Courts , with a similarly broad composition . The state legislature followed up on the report after four weeks of waiting . neutral +Ano Vathi the older town sits on the hillside behind and is now bypassed by the new road system . Ano Vathi which is an older town located on a hillside has been bypassed by a new road system . entailment +In some cases , however , scheduled maintenance has been deferred . Regular maintenance has been postponed at times . entailment +You 're safe . You are protected . entailment +The towers of the original Roman castle , which has been fully restored , are still a look-out point . The restoration of the towers for the Roman castle was completed quickly . neutral +Take time off from the city bustle for a stroll through the Jardin des Tuileries , named after a 13th-century tile works and now beautifully re-landscaped as part of a renovation plan for the Musee du Louvre to the east . Jardin des Tuileries has been relandscaped every five years or so . neutral +Oh , Julius , isn 't he just a duck ? He is such an animal . entailment +Income , 1998 35 Figure 1.5 : Pensions , Income from Accumulated Assets , and Earnings Figure 1.5 : includes pensions . entailment +yeah you go out for Chinese at all Have you ever eaten any food at all ? contradictory +If you can , go out of your way to spend a few hours of watching live sumo . Go to one of the big arenas and watch sumo ! neutral +Delos was not only an important religious center , but also a major meeting point for trade between East and West during the Hellenistic and Roman eras . Delos was halfway between the East and West . neutral +However , quite apart from the energy gained by their combustion they remain , and always will remain , the basic raw material for all organic chemistry . Besides being fuel , they are the building blocks of all organic chemistry . entailment +This documentation requirement does not increase the auditors ' responsibility for testing internal control but is intended to assist the auditor in ensuring that audit objectives are met and audit risk is reduced to an acceptable level . Auditors have a responsibility to test internal controls . entailment +from anybody else and i think that 's the basic is they have no morals anymore so they don 't care Because they 're not religious they have no morals . neutral +The men sighed and began moving out of the clearing . With their heavy hearts , the men started to head out . entailment +if they people have prescriptions for Valium but they 're not supposed to take Valium twenty four hours a days you know all the time that 's for if they have a problem Valium is addictive and should be treated with caution . neutral +Lawyers in Georgia and across the country must follow Barnes ' lead -- or millions of people will continue to arrive at the courthouse door to find they cannot afford the price of admission . Lawyers need to learn from other lawyer 's mistakes . neutral +But as Lynne Margulies told Zehme , [ Andy ] actually seemed to be getting better at first . Andy was getting better . neutral +I feel like a fool . I always feel foolish . neutral +To play News Quiz requires the willful suspension not of disbelief but of genuine An awareness of the actual answer so easily eclipses the inspiration for a comic response . Playing News Quiz demands willful suspension of genuine awareness . entailment +well as hard as it is to repeat anyway uh and as as close as i think the New York Giants were to the rest i mean The New York Giants were nowhere near close . contradictory +Springer actually teaches moral lessons . Nothing can be learned from Springer . contradictory +He trusted Jon but had no idea what happened in the man 's mind . He trusted and liked Jon but he wasn 't sure what was going on in his head . neutral +you can uh you can get and i know when my children were younger um we found a lot of really nice tapes that they that they liked um there was an Agape music group and um i some of the songs i still find going over in my head over and over again because they were really um very memorable even though my children are now my youngest is almost sixteen but i still find some of the same tapes i uh some of the same songs from those tapes i enjoy They enjoyed listening to many of them . neutral +However , the lure of Skiathos has always been its beaches more than 60 along its 44-km ( 27-mile ) coastline . Skiathos its not heavily visited , however it is known by a few for its beaches neutral +It 's OK , Leo Strauss Was a Devoted Someone should slip Kenneth Starr a tape of this week 's This Week , where Kristol admits to being eliminated from the office NCAA pool . Kristol was eliminated from the office NCAA pool and admitted as much . entailment +What is it , Poirot ? I inquired . I asked Poirot what it was . entailment +It 's closed down . There is no way into it , it is closed . neutral +Giza was the site of a royal burial ground from the days of the Early Empire and the desert landscape is dotted with numerous mud brick tombs and mastabas ( stone tombs with flat roofs ) , though they are by no means as impressive as the pyramids themselves . Giza is where all the kings were buried . neutral +I didn 't go straight to my room . I didn 't go to my room right away . entailment +to uh neutralize the uh the acid from the uh oak leaves Oak leaves are alkaline , so I will need to spread some acid to neutralize that . contradictory +You have been with your mistress many years , is it not so ? His mistress was prettier than his wife . neutral +Adrin had not abandoned them entirely . Adrin gave them weapons . neutral +Somehow or other the omnipotent Mr. Brown had seen through his pretensions . Mr. Brown was unable to judge him clearly . contradictory +These hand-carved statuettes of saints or religious scenes are eminently portable . The statues are all enormous and anchored directly into the building foundation . contradictory +yes they were they were doing that unfortunately what what they were they had they had no idea what they were voting on it turns out They had no idea on what they were voting entailment +What 's the best place to stay at for the night round here ? " Mrs. Sweeny looked doubtful . Mrs. Sweeny was confident as she asked about a place to stay . contradictory +that 's the jumbo shrimp in the shells leave the shells on them so they won 't just roll up Jumbo shrimp rolls up when you cook them for more than 20 minutes . neutral +Indeed , the entire enterprise of serious literary fiction is so marginal that one hates to discourage any sincere effort . Serious literary fiction is a big enterprise . contradictory +A Washington Post piece bathed her in golden She hopes to go to graduate school in sociology , she 's scrimping because she doesn 't want to burden her parents financially , she is so much a hostage to the media that she couldn 't attend her own mom 's wedding , and--the icing on the cake--she has taken up knitting . She wanted to study sociology in graduate school so that she could explain people 's behaviors . neutral +uh i do walking on the treadmill and then i do low impact aerobics I engage in cardiovascular exercise on a treadmill and perform low impact aerobics . entailment +Strange that men of brains had never realized its extraordinary opportunities … . Smart people had exploited its capabilities for decades . contradictory +uh thirty two years 32 years is the right amount of time . neutral +Louis XVI , grandson of Louis XV , found himself attacked on all sides . Louis XVI was roundly attacked by many different people . entailment +Red poked a cautious finger at them . Red was wary of their intentions . neutral +He already faces a court fight over whether he has unlawfully leaked grand jury information to reporters . He will not go to court about the grand jury leaks . contradictory +He works in the dark and trusts no one . He works alone in the dark because he doesn 't trust people . neutral +In addition , the Postal Service has failed to capture a large market share in two areas of direct competition with the private sector which are relatively unaffected by the Private Express Statutes ; Parcel Post and Express ( overnight ) Mail . The Postal Service charges higher fees than private sector competitors . neutral +You 'll certainly find a day 's visit to Kurashiki a very welcome change from the relentless modernity of some of the cities nearby . Kurashiki is a quaint and picturesque town that still retains a shogun-era sensibility . neutral +Click here for Time ' s luminous cover profile of Bush and here for Newsweek ' s more skeptical version . ) Both Time and Newsweek profiled Bush . entailment +that 's that 's what a Bombay looks like Is it because they are the same ? neutral +um-hum treatment before for dismissal type thing Treatment before dismissal of the patient is important . neutral +I forgot you had a prejudice against it . I just remembered that you don 't approve of it . entailment +With a well-paid civil service , Clive 's successors Warren Hastings and Lord Cornwallis avoided the collectors by padding their salaries with private deals . Hasting and Cornwallis made private deals . entailment +The last great monument of the old town , in the Rue aux Juifs , is the grand Palais de Justice , a jewel of Renaissance and Flamboyant Goth ? ­ ic architecture built on the site of the medieval ghetto . The Palais de Justice is an imposing building constructed where the medieval ghetto used to be . entailment +Be warned , though the laundry drip-drying from upper floors may splash you ; children , dogs , and cats may get in your way ; and the aromas of coffee , spices , fish , and baking bread may distract you . The coffee is the cheapest in town . neutral +so we 've just moved with wherever 's it happens to be cheapest and they happen to want to survive at and they want to live at this one for a while We 're not moving contradictory +The sophisticated His ability to hide the rest in stock options ( the judge gave Mrs. Wendt only partial credit for the doubling of GE 's stock price , observed the Wall Street Journal ) bodes well for corporate husbands . His ability to hide the rest in stock options means bad news for corporate husbands . contradictory +Like Net fund raising , Net advertising isn 't destined to replace the older method ( i.e. The older method of advertising is still popular . neutral +but i don 't know how corrupt the Honduran government is but the The Honduran government is honest . contradictory +oh yes it 's it 's one of our prouder right along with Jessie Helms We 're ashamed of Jessie Helms . contradictory +As noted in the methods section , it is actually reductions in mortality risk that are valued in a monetized benefit analysis . The reductions in mortaliity are what are monetized . entailment +Hong Kong has many attractions that appeal to children of all ages . Adults do not find the attractions of Hong Kong appealing . neutral +Excellent vegetarian meals from appetizers to desserts , prepared to perfection with the addition of fresh fish daily . They have a lot of vegetarian options for all meals . neutral +A block east is the distinguished Museo Arqueologico ( c / Serrano , 13 ) . You have to go four blocks to find the art . contradictory +Many respondents questioned the need for , and the cost / benefit of , requiring that the fair value of stewardship PP & amp ; E transferred to state and local governments be reported . No respondents were concerned about the fair value of the transfers being reported . contradictory +There would be no rescue , of course . There would be no redemption , obviously . entailment +Yes , she is of those women who show at their best in adversity . She 's never any good under pressure . contradictory +No one will do you any harm . You will not be harmed . entailment +Another example is pointers . A different example is tips . entailment +well yeah well when we 've painted um right now our house doesn 't have to have the same kind of exterior painting there it 's more trim because it has some of the old asbestos shingles We painted our house with a new paint . neutral +so i mean and i i can 't really remember what it is I 'm not sure what it is . neutral +From this , pro-choicers conclude that restrictions on Medicaid-funded abortions are racist because they target black and Hispanic women . Pro-choicers have said that it is racist to restrict Medicaid-funded abortions . entailment +Pan isn 't pretty . It is not pretty . neutral +yeah they i know it 's kind of strange um Elton John is more seventies It is a little weird ; Elton John is more seventies . entailment +there doesn 't seem to be much emission from them but i 'm not sure about the rest of the country They must be within emissions regulations . neutral +The only difference between Rust and the present case is that the former involved distortion of ( that is to say , refusal to subsidize ) the normal work of doctors , and the latter involves distortion of ( that is to say , refusal to subsidize ) the normal work of lawyers . Rust and the present case have one difference . entailment +well i find it a great use from the standpoint that you don 't have to continue to write checks in order to get cash Writing checks is the more efficient way to go about getting cash under any and all circumstances . contradictory +if everybody tries to do just a little bit and a little bit more then If everyone pitches in we can build it very fast . neutral +Annan is tough without being vicious . Annan has never gotten into a fight , although he is tough . neutral +No woman could act her part with that icy unconcern . No woman could do her part with that cold unconcern . entailment +Time likens her to Clinton 's own once secret consultant , Dick Morris and suggests that Gore may have been keeping her under deep cover . Clinton once had a secret consultant named Al Gore . contradictory +Even I Kramenin ! would not be exempt ! " Most have expected that a man of high status like me would not be subject to the same treatment , but no , there is no immunity for any single person . " neutral +Let me also note that Gene L. Dodaro , GAO 's Chief Operating Officer , would make a terrific Deputy Comptroller General . Although it is seen that he would make a terrific Deputy Comptroller General , he is largely seen to be an incompetent COO . neutral +or classes of payments from this prohibition . It dealt with refunds only . contradictory +It seems a short step from saying that men and women are biologically different to saying that women are inferior . It 's not a huge leap to conclude that women are inferior if you say that men and women are biologically different . entailment +The Commission staff advised us that there are no such rules . We were advised by the staff at the Commission that there were no such rules . entailment +When that happens , Democrats will be bound to escalate the confirmation battle once more , to settle their score with Hatch . Democrats do not have any vendetta with Hatch . contradictory +That the captain was only waiting to make trouble for Rennie . The captain did not want to trouble Rennie . contradictory +A new Clean Air Act for the 21st century must build on this founding principle -modernization and better technology will mean a progressive new way to accomplish these long-standing environmental goals . A modern Clean Air Act must be founded with modernization and technological innovation in mind . entailment +Spotted deer , sloth bear , giant flying squirrels , and civet cats are among the other mammals the visitor may see . Visitors may see several different wildlife . entailment +It was covered in dust and several thousand pages long , but the Computer Interface section had some fairly extensive diagrams . The book was very thin . contradictory +Having conditioned its audience to view IQ as all-important , The Bell Curve then manipulates statistics in a way that makes IQ look bigger , and everything else smaller , in determining Americans ' life-chances . The Bell Curve may be responsible for the altered perception , though it may be founded in some truth and fact . neutral +Many of the exhibits are of international standing and all are beautifully displayed and well-captioned . All art pieces are beautifully displayed . neutral +Cabaret ( Henry Miller Theater , New York City ) . Henry Miller Theater is located in New York City . entailment +A main point of this paper is that generalizability Generalizability is discussed in the paper at length . neutral +Here 's Ole Tar wantin ' his special grub Drew went on to Shiloh 's stall . Drew went to Shiloh 's stall to feed him . neutral +Tommy fumed at the delay . Tommy was very angry that he would have to wait . entailment +and your just like yeah well sort of right I don 't think I would understand either . neutral +everything yeah that 's why i think it would be neat um That would be horrible ! contradictory +see i 've never seen that I have not yet seen that . entailment +The five local programs in addition to Bronx Legal Services and Brooklyn Legal Services Corp. The Bronx Legal Services serves 10,000 people a year . neutral +I joined them . I didn 't join them . contradictory +This is because there is tremendous variation in the quality of the materials used and the skills of the workmen involved . The same skill and materials are uses in all . contradictory +Its other claim to fame is an automatic lighthouse whose signal can be seen 48 km ( 30 miles ) away . The automatic lighthouse was built approximately ten years ago . neutral +sure and and and i don 't have any doubt that through some back channels that we encouraged it It is clear to me that we did everything we could to stop it . contradictory +Legal assistance to H-2A workers was expressly limited to matters relating to wages , housing , transportation , and other employment rights as provided in the worker 's specific contract . H-2A workers can get some legal assistance only from LSC . neutral +Training strategies highlight the centrality of discrimination-based advocacy to our mission . Discrimination policies in the work place are similar to , " Don 't Ask , Don 't Tell " . contradictory +Across the river , 250 dealers are concentrated in the Louvre des Antiquaires , by the place du Palais-Royal , closed Monday ( and Sunday in July and August ) , and other antiques dealers are scattered around Les Halles . The Louvre des Antiquaires has just 50 dealers concentrated within it . contradictory +That they 're just like those quasi-people on Dawson 's Creek . Except in those other countries , the slutty girls get beaten to death . They never got the reference to Dawson 's Creek . contradictory +Horseracing . Horses can be ridden in a racing scenario . entailment +This represents an intermediate value from a range of estimates that appear in the economics literature , and it is a value the EPA uses in rulemaking support analyses and in the Section 812 Reports to Congress . This represents a very high value from the range of estimates . contradictory +As a result , over time , and with much gnashing of teeth the elephant did begin to dance and LSC , its grantees and the federally-funded legal services delivery system began to evolve from a piecemeal , Great Society experiment to carefully chosen nonprofit corporations working together to serve poor clients in every jurisdiction . They received a lot more funding and aid for this evolution . neutral +In addition to the famo us shrines , you can explore more of this attractively scenic peninsula , with its national park , the haunting image of the sacred wedded rocks at Futamigaura beach , and the resort town of Kashikojima at the southern end of the Kintetsu railway 's Shima line . Kashikojima is a resort town . entailment +We love them all . We hate one . contradictory +Work is work , whether it is done inside the home or outside the home , Hutchison argues . Doing work at home is different than somewhere else . contradictory +huh see i got mine in well let 's see i put in pepper plants this weekend This weekend I planted some pepper plants . entailment +The 1 ) By studying how the chimps ' genes or immune system defeat the related virus , we can learn how to defeat HIV in humans . We can learn how to defeat HIV in humans by studying it in chimps . entailment +He had seen Jon stab one of the whipmasters with it the night before . He was not aware that Jon had stabbed a whipmaster with it . contradictory +They left that night agreeing to meet the following day to seek others who might aid them . They next day they would seek other who might aid them . entailment +Khrushchev , the leader of the Jets , sang , When you 're a Red you 're a Red all the way from your first party purge to your last power play . Khrushchev sang about the spirit of being a Red . entailment +I hear you , she said by way of introduction . She didn 't acknowledge anyone during the introduction . contradictory +Meanwhile the ancient chaste Islamic veil and dress persist in countries where they have never been challenged , and they cohabit , more or less , with modern fashion if the two don 't try to blend . Islam maintains strict traditions within its communities and discourages adopting outside cultural influences . neutral +huh-uh you know we 've had a lot of the Jewish uh people We 've had a lot of the Jewish people , I love them . neutral +yeah i think that 's what it was but uh he he 'd rather go and ride on the rides you know they had airplanes that go up and down and stuff and The airplanes are the best ride . neutral +uh okay so can can you notice well it 's it 's i live in a rural area I am in a rural area . entailment +Short of that radical change , effective legislation should be passed to increase choices for employees . The radical change was the new taxation of work . neutral +For example , when this work includes examination of management 's records , the audit documentation should describe those records so that an experienced reviewer would be able to examine those same records . Audit documentation will be subject to reading by a reviewer . entailment +You do not . Yes , you do . contradictory +Granted , theirs is a most peculiar kingdom . Their Kingdom was normal contradictory +It is possible that the business context for federal CIOs is sufficiently different from that of CIOs in leading organizations that lessons learned may not be applicable . It is possible that the business context for federal CIOs is in decline from monkeys stealing their jobs . neutral +No one spoke . Nobody said anything . entailment +My head aches a little , but otherwise I feel fine . " Julius stepped forward and took her hand again . Julius had softer hands than anyone she 'd met . neutral +um-hum yeah maybe it maybe it speeded up the process and all that Maybe it slowed the process . contradictory +Unfortunately , the cement used for its construction contained sea sand , which caused the iron reinforcing rods to corrode . Sea sand causes iron to corrode . entailment +As Krugman notes , one reason for this was technical , not ideological . One reason was technical , no ideological as per Krugman . entailment +with baseball tickets Accompanying tickets for baseball . entailment +There was no discussion . No discussion was held because the participants were not present . neutral +An important element of the overall control technology implementation is the time needed to connect , or hook up , the control technology equipment , particularly in relationship to the planned outage time for the unit . Implementing control technology will require the unit to be down for at least a week . neutral +The WSJ has these Monica 1 ) Vernon Jordan isn 't part of the joint defense agreement entered into by many other grand-jury witnesses with White House ties . Vernon Jordan didn 't join in the agreement that the witnesses entered into . entailment +We 're your followers . ' We follow you . entailment +Actually , three , if you count Jerry Falwell 's Jew Town , but that 's a scary place . If you count Jerry Falwell 's Jew Town , you get three . entailment +This CIO acknowledges , however , that his company does not spend enough on training . This CIO believes that more training could be done in his company . neutral +MONTPELIER , Vt . - A majority of Vermonters who divorce do so without hiring an attorney . Most divorces in Vermont are handled with the help of an attorney . contradictory +I have done my best to target unpopulated areas at unpopulated times , but the guilt still weights heavy on my soul . ' Many people have died even though the areas were supposed to be unpopulated . neutral +New editor Charles Lane replaces Michael Kelly , who was ousted last week . Michael Kelly has had the position for ten years . contradictory +And there have been proposals to control sales of fast food and souvenirs . No one wants to control the sales , its all up to the seller . contradictory +i can 't keep anything down i 'm and i just cramps and i 'm just going hey tell me about it right I have cramps and nausea , and I also have a fever . neutral +The chant picked up again , and now the brazier flamed a dull red , showing the Sather Karf 's face changing from some kind of disappointment to a businesslike steadiness . They were trying to keep a straight face . neutral +The overarching paradox of his life , lucidly detailed by Rayfield , is the state of Chekhov 's health and his attitude toward it . What appeared to be a paradox to others actually made perfectly good sense to Chekhov . neutral +you know with this you know i don 't know I know exactly what I 'm talking about . contradictory +i tend to agree on that very strongly I tend to agree that we shouldn 't be talking about this very much . neutral +Considered one of the premier diving sites in the world , it encompasses several different underwater environments in addition to coastal shallows where colorful fish thrive in the warm water . It is one of the most over-rated diving sites in the world . contradictory +The quality and image of federal financial management has suffered from decades of neglect and an organizational culture that has not fully recognized the value of good financial managementnot even at its most basic levelas a means of ensuring accountability . There has been decades of neglect in terms of good financial management . entailment +Let us reconstruct . We shall rebuild . entailment +Everything that he was for the moment incapable of saying was eloquent in that look . He was at a loss of words , but his face told everything . neutral +There were well laid-out rows of sheds , beautiful lines of construction equipment and everything in order , as it could never be in a real camp . It was chaotic and unruly , but it 'd make a great camp . contradictory +yes we uh uh i haven 't missed a one since i 've been eligible to vote I haven 't done this since becoming eligible to vote . contradictory +Here you 'll also get a splendid view of Osaka Castle , which is dramatically illuminated at night . There is also a view of the lake below . neutral +He fears that if he remains in the room he may have to open it again , and that Mrs. 168 Inglethorp might catch sight of the letter before he could snatch it up . He is afraid that , should he stay inside the room , there is a chance he might need to open it once again . entailment +i understand i understand that they 're now covering women 's preventative health care and uh the reason i 'm at home is when i had my kids and i was scheduled to go back and i tell you how much in the dark ages it was um Nowadays , there is no coverage for women 's preventative healthcare . contradictory +Lacking connection with the peasants , it was also distrusted by conservative landlords and by most Muslims . There were no distrust issues there . contradictory +Undoubtedly he was in a tight place . He was in a situation with very little wiggle room . entailment +It runs in a straight line north from O 'Connell Bridge , and the best way to view it is to walk down the central island , making excursions to the left and right at the zebra crosengs . You can see it if you walk down the center island . entailment +Toward this end , the owner 's interests are best served if the inhouse staff can also perform in the role of a smart buyer of the necessary technical services . The owner 's interests are served better when the staff can serve as buyers . entailment +Corporate taxes also were cut substantially in 1981 . In 1981 corporate taxes were significantly raised . contradictory +One and one-half percent of the total amount of sulfur dioxide allowances will be allocated to units that are affected EGUs as of December 31 , 2004 and commence operation during the period January 1 , 2001- December 31 , 2004 . Sulfur dioxide allowances are set for the year . entailment +Surfaces are artificial . False outsides . entailment +4 million - the amount of funding Mayor Bloomberg proposed for the Legal Aid Society by sharply curtailing compensation for court-appointed lawyers under the 18-B program . Bloomberg did not propose any money for funding towards the Legal Aid Society . contradictory +i don 't i don 't feel we should loan them money if i i wish our leaders were really seeking the Lord on these things and if we feel led to give a country money to help them fine but i don 't feel we should be loaning money like that i mean it doesn 't work are they gonna Turning to the Lord should be something our leaders should be doing . entailment +Martha Stewart 's balsamic glazed onions . Martha Stewart 's onion recipe is delicious . neutral +A little way to the south are Leith Links , said to be the birthplace of golf , where the Honourable Company of Edinburgh Golfers built a clubhouse in 1767 and where you can still enjoy a bracing round in the sea air . No one has ever played golf on the area of the Leith Links . contradictory +When do we leave ? We will leave in the next hour . neutral +Economist Robert Barro decided to stay at Harvard rather than take Columbia 's offer of a $ 300,000 salary and lavish perks . Much to their dismay , Robert Barro rejected Columbia 's generous offer and stayed at Harvard . neutral +5 ) They 've relaxed their enmity precisely because they 've shown each other their nuclear weapons . They showed their nuclear weapons to those who asked . entailment +My recent interest in ballet has opened my eyes to a newer style that I used to find unattractive and incomprehensible . If I hadn 't been interested in ballet , I never would noticed this newer style . neutral +In a few brief words , he summed up the result of the postmortem . He summed up the result of the death examination on the woman . neutral +These audit objectives are often interrelated and may be concurrently addressed in a performance audit . The objectives cover all the basic needs for an audit . neutral +Not to dismiss this new breed of country rockers altogether . The new country rockers have relatable ideas , thus causing some commonalities between us so we shouldn 't dismiss them . neutral +Installation is staggered by one month between sequential units to enable more efficient utilization of manpower and project management than if multiple units were connected at one time . Installation happens every day without any breaks . contradictory +The last one did it . The last person was the one who shot the bad guy . neutral +He looked down at himself in disgust . His clothes were dirty and he hadn 't bathed for days . neutral +And the increase in calls prompted Jackson Police Chief Rick Staples in March to form a focus group to determine if police officers need to make changes in their response to domestic calls . A focus group was conducted to determine whether changes should be made . entailment +and they get into it and they 're over their heads i think that 's why there 's so many divorces too It 'd be better if people would just slow down and not rush into it . neutral +I , said the spider , who sat down insider , I went boomp in the night and the bull jumped over the moon .... The spider and bull remained silent and motionless all night . contradictory +8 million , and the transfer of the legal work done by that agency to the Corporation Counsel 's Office . The transfer of the legal work was done by that agency . entailment +um though i guess a bread and breakfast or something might be a suggestion for you if you like the air condition type Bed and breakfasts are a nice way to explore the country . neutral +What does it matter that you have the whole truth if you can 't understand it ? Would you rather not try to understand the truth ? neutral +City Criminal Justice Coordinator John Feinblatt expressed a willingness to look at the Council 's proposal . Feinblatt did not want to look at or hear any part of the proposal . contradictory +The Department finds it is possible that some low-income families with children in tier II day care homes may bear some of the costs , but states may offset them by opting to increase child care subsidies . Some poor folks may be stuck having to pay but states can help by raising the amount of child care assistance money . entailment +Also , all individual health insurance coverage must be guaranteed renewable . Individual health insurance doesn 't have to be renewed . contradictory +and a few tires and all of a sudden he 's got a hang glider and He made the glider by himself . neutral +i see sure I kind of notice . neutral +Retired Judge Joseph Thalhofer agreed . Former Judge Joseph Thalhofer agreed . entailment +it 's complicated The math on this is complicated . neutral +For example , the engineers of the battalion exposed to sarin showed no higher illness rates than others . Sarin clearly caused illness in the engineers who were exposed to it . contradictory +um yeah i like bowling too i haven 't been for a while just don 't have the time I just don 't have time for bowling , but I like it . entailment +my goodness gracious well you sure made a savings there i have never heard anything to beat that that 's just terrific does does is it IBM compatible type You saved money there . entailment +and we ended up with these these like things on the cantaloupe vines that i mean were looked like round big huge round cucumbers We ended up with huge round cucumbers on the cantaloupe vines due to cross pollination from the bees . neutral +And it comes just in time , because technology for making biological weapons is spreading . Almost every country in the world has the technology to make biological weapons . neutral +to me you need to have two what 's wrong with having two days uh Thursday Friday or three two and a days Thursday Friday and Saturday or something you know where people can vote uh i don 't think there 's a i don 't think there 's a lot of politicians want a heavy vote out because uh i can agree in local elections elections which usually are on Saturdays and i 'm not too sure that 's the best idea i think maybe you should have it you know Friday noon till Saturday so that people who i like do things during the week It should be two days to vote and I think 50 % more people would do it . neutral +The approach is similar to content analysis , and the PEMD transfer paper on content analysis gives further how-to information ( U.S. It is how-to to file paperwork correctly . neutral +The course , designed in 1993 by Cabel Robinson , has 18 holes and is set in the luxuriant Quinta do Palheiro Ferreiro gardens . The Quinta do Palheiro Ferreiro gardens have a 18 hole golf course . neutral +Virtually all stewardship land is useable for its purposes at September 30 , 1994 . As of September 1994 , virtually any stewardship land could be used . entailment +It 's easy to run a few prime head south to do some moonlight tradin ' at th ' border . The border sees trading near the night time . entailment +( One of the most photogenic views is from the north , on the road from Certaldo , home and last resting place of Boccaccio . ) The road from Certaldo is a good place to take pictures from . entailment +Request the Sportugal Golfing brochure from a Portuguese National Tourist Office ( see page 169 ) or pick up a copy of Algarve Golf Guide , with information on all of the courses and pro playing tips . The Algarve Golf Guide is over two hundred pages long . neutral +it 's horrible sometimes you just can 't keep the person at home they 're just know It is hard having to take the person to a nursing home . neutral +He looked at his watch . He checked the time on his watch . neutral +With the phasing in of competition and limited experience , the full benefits and costs of deregulation still remain unknown . The benefits of costs and deregulation are known because of the vast amount of experience and little competition . contradictory +The car was waiting , and I drove back . I drove back as the car was waiting . entailment +But I guess I shouldn 't take that nightmare seriously . But I should not lose sleep over that nightmare . entailment +FashionSense 2.0 Fashion Sense neutral +First , no discounts are based on any cost savings associated with the avoidance of collection activities . No discounts are based on any cost savings associated with the avoidance of collection activities . entailment +Forrester Research , Inc . : www.forrester.com Foundation for Performance www.fpm.com Gartner www.gartner.com GIGA Information www.gigaweb.com International Data www.idc.com IT Governance www.itgoverence.org / itgi META Group Inc . : www.metagroup.com Yankee www.yankeegroup.com A bunch of companies . entailment +One final puzzle , however , requires explanation . Explanation is required for this final puzzle . entailment +General Accounting Office , Federal Employee Expected Increase Over the Next 5 Years Illustrates Need for Workforce Planning , GAO-01-509 ( Washington , D.C. : Apr. Workforce planning will be helping federal employees get a salary increase over the next 5 years . neutral +As the weeks went by , the state of Poirot 's nerves grew worse and worse . Poirot was almost never this nervous , but got more and more anxious as the weeks went by . neutral +This developing Andalusian hilltop village is a busy centre for potters , and the narrow streets of the old town centre invite exploration . The old town center dates back to Roman times . neutral +And the Champagne area lies conveniently to the east to help celebrate its successes . The successes can be celebrated with the help of the Champagne area . entailment +ActiveX is a very hot topic in the industry now , with lots of money riding on it , it 's impossible not to wonder whether Microsoft 's influence on Slate had something to do with this unfairness . ActiveX will have huge implications in the next five years . neutral +well that 's what Vietnam was was a civil war that 's what get you know it 's like a double double standard The Vietnam War was a war that involved Antarctica and New Zealand . contradictory +and then uh you know with a long brush and then just hose it all down and i had the whole yard was full of soap suds I use a brush , a hose and a towel and fill the whole yard with soup suds . neutral +We will lose this war if we do not find another weapon to defeat them . If we don 't find another weapon , we will lose this war . entailment +Out- of-state residents pay $ 21,252 . Residents that are out of state pay $ 21,252 . entailment +and all these beautiful gardens and parks and all that good stuff now it 's all been wiped out it 's a shame All of the gardens and parks have been wiped out . entailment +wow sounds like you participated quite a bit Wow , sounds like you participated quite a bit in that music project . neutral +However clear and meaningful the definition of a case may have been in the past , it became evident the definition had not kept pace with the changes in the service delivery systems . The new definition included details on electronic transmissions . neutral +There was no doubt that the moment had come for me to take the lead . It was time for me to take the lead . entailment +The hike takes around 2 hours and you can travel the lower slopes by camel if you 'd rather not walk the whole way . It is more enjoyable to travel by camel when one reaches the lower slopes . neutral +She resumed work to-day . " 113 " Ah , she is an industrious little demoiselle . She wanted to get out of the house and away from the investigation . neutral +There are both disadvantages and advantages to having a single government provider under these conditions . Because of the immediate need for the program , a single government provider will be formed causing both advantages and disadvantages . neutral +Up-front knowledge of future requirements for multiple pollutants would lead firms to follow significantly different and less expensive compliance strategies at individual plants , compared with compliance choices which must be made as requirements are addressed in a sequential manner under the current law . Up-front knowledge of future requirements allows firms time to develop methods to skirt the new compliance tests . contradictory +If he chose Microsoft , he got ... If he doesn 't choose Miscrosoft ... contradictory +For him to survive a denial , Monica must be ruined . Monica would have to work with him for him to survive . contradictory +If it is so , th ' man who gits Kitchell may jus ' rid this country of some of them two-legged wolves into th ' bargain . " The man was a professional exterminator . neutral +But will he really wake up ? A patient from the bed by the window asked aggressively in a tone of voice full of purposeful grudge towards the health system , because for three months it hasn 't been able to cure him from a simple case of la Boiusset 's flu . The patient had the highest tier plan with his insurance company , which explains why he was so upset . neutral +Duhame , who today makes her living as a graphic designer and illustrator , calls her book ( in French ) The Bird of Philosophy . The title was inspired by one of Deleuze 's cryptic Don 't you think that philosophy is as pretty as a bird 's name ? Duham names her books in German . contradictory +He handed Pondicherry over to India and in the North African colonies gave Tunisia its independence , but was ousted from office as hostilities broke out in Algeria . He gave Pondicherry to India . entailment +Today 's Papers thinks this cries out for a new parlor Two random media businesses are named and contestants vie to connect them corporately in the fewest steps . Today 's Papers thinks there is a need for a new parlor . entailment +yeah uh-huh i i i like not just with the Pittsburgh i like watching on Saturday afternoons when they 'll have like the plays or the the best plays from you know from the week or something I like watching highlights from the week on Saturday afternoons . entailment +Neglect , conquest , and isolation , however , had taken their toll , and at first independent Ireland was characterized by a parochial and narrow-minded approach to affairs , and Dublin was content to let its Georgian heritage decay . Several things had taken a toll on a once independent Ireland and Dublin was content to allow its Georgian heritage to be destroyed . entailment +Out of shape , fat boy . You need to work out . neutral +However , it seemed important to provide the full text of Pat Buchanan 's speech on bolting the Republican Party . It was important to provide the full text so that people could get the full scope of the speech . neutral +oh yeah it 's it 's true it 's definitely true because No way , that can 't be true . contradictory +It was a feint so perfect that I saw it as truth . It was a feint , and perfectly executed . entailment +From all the indicators available , the record is mixed at best . The past history of this entity is unclear based on the information we know . entailment +Remember that time you and Gary Cooper and I were having fondue at Hedda Hopper 's house and she just wouldn 't let up on Coop about the hunting ? Remember when you and Gary Coleman and I were eating dinner and you kept teasing Coop about the hunting ? contradictory +Tommy wouldn 't have told us to do this unless he was sure we 'd be all right . Tommy told them to do this because he believed they would be all right . neutral +Further information about the general principles governing GAO 's work for the Congress and GAO 's operating plan can be found in GAO 's Congressional Protocols and GAO 's Strategic Plan , both of which are posted on GAO 's Web site www.gao.gov. Over one thousand documents are hosted on the GAO 's web site . neutral +An interesting exchange in the new Marriage and Family thread on what a marriage is all about inspired one veteran fraygrant to his thoughts on some of the unexpected benefits of marriage . There are unexpected benefits of marriage that people do not realize . entailment +This law is rigidly enforced ; consequently , motorboats are seldom available for hire to tourists . The law is not enforced , so tourists can always find motorboats to rent . contradictory +How come he ever drifted that far north from th ' wells round , anyway ? " Why did he drift that far north anyway ? entailment +This is because social insurance taxes , like other taxes , are determined through the exercise of the power of the Government to compel payment . Thanks to the Goverment , social insurance taxes can be determined , said the lawyer . neutral +yeah it gets hard especially with the cars oh i know it can be difficult with the cars and all entailment +This business of tryin ' to run out th ' Rebs , it 'll cause smokin ' ! " The Rebs needed to be ran out because they were causing trouble . neutral +These places are worth a visit for their interior marble architecture alone , but the opportunity to experience a genuine Turkish bath should not be missed . The marble architecture has intricate geometric patterns . neutral +At its worst , it can kick up a stench that would have made George Orwell gag . Public censorship continues to grow at an alarming rate . neutral +it 's just it it 's a really tough question and it you know it people have have really quieted down after everything started but i still think there 's a lot of there 's a lot of resentment Things have calmed but many folks are unhappy about this . entailment +It was later renamed by the Dutch . The Dutch renamed it " The Jewel of the Sea " neutral +Many of the materials are posted only in PDF ( portable document format ) , which must be downloaded to be read . The materials are all available to read on the internet . contradictory +You 're Ben Franklin . You are named Ben Franklin . entailment +you 'd have a lot of hills in that down in that area That area down there is really flat . contradictory +There is another possibility . There 's another explanation . entailment +The sights below were out of a ghoul 's bacchanalia . The sights below were quite peaceful . contradictory +the but the medical stuff itself uh The homicide stuff itself contradictory +program 's net savings were about $ 3 billion in fiscal year 2000 . in 2000 , the program had a net saving of about $ 3,000,000,000 . entailment +responsibilities , job titles , and experience . Companies pay no attention to responsibilities . contradictory +well the the one thing that just amazed me in in Texas here there were a series of um ads saying don 't vote for Dukakis he 's going to take away your right to own a gun he 's going to close down defense plants he 's going to do this he 's going to do that There were ads in Texas that were against Dukakis and they were all lies without a bit of truth to them . neutral +Tunnels collapse . The tunnels have collapsed . entailment +It would be something to see Julius . It would be great if Julius made an appearance . entailment +There are four critical inputs to this ( 1 ) the distribution of outbound mail by weight interval , ( 2 ) the distribution of inbound mail by weight interval , ( 3 ) U.S. Two other critical inputs include employee salaries and the gross amount of mail being processed . neutral +oh okay because i 'm down at NC State Right now , I 'm located in southern Washington . contradictory +yeah like what What is it not like ? contradictory +2 ) They cannot operate without hard-to-get government licenses . It is not easy to get a liquor license in the state of Washington . neutral +won uh eighty three games last year which was just four more than they lost but we had an exciting time and that at one time in about the June July and August period we went to about eight straight wins The Yankees won eight three games last year . neutral +Ambrose--in the very next sentence ! It was in the next sentence in the book . neutral +Interior courtyards were beautified by some of the most ornate mosaic floors and wall frescoes in the ancient world . The interior courtyard is hideous . contradictory +Acquisition Practices increased TPC . TPC was decreased by Acquisition Practices . contradictory +You can get information about rental equipment and permits at the following for Ullswater , the Pooley Bridge and Glenridding tourist information centres ; for Bassenthwaite Lake , the National Park Information Centre in Keswick ; for Coniston Water , Coniston Gifts and Sports in Coniston ; and for Derwent Water , the Keswick Anglers Association . It is very difficult to obtain a permit at certain times of the year . neutral +They still showed up . They never arrived . contradictory +Political Turnover Rates in Executive Schedule Positions Requiring Senate Confirmation The executive schedule positions which don 't need any confirmation . contradictory +Martinez works two jobs as a physician 's assistant and supports his elderly parents and 8-year-old son . Martinez has elderly parents but he doesn 't have a son who is 8 years old . contradictory +The royal quarters have changed little since that time . The royal living areas have been mostly untouched . entailment +yes i 'm in Dallas my husband 's a TIer My husband has been a TIer since we moved to Dallas . neutral +but but uh you know i mean the real world doesn 't work like that or at least it shouldn 't but it seems to in government The government 's operations reflect the real world . contradictory +um there 's hope i actually for all for the time i 've spent there i still don 't quite understand how certain things that i assume and require privacy and require not just that you be alone but actually that you have a sense of privacy Even when I was alone there , there were certain things Irefused to do for lack of privacy . neutral +Despite the strict asceticism preached through Buddhism , it 's clear that the craftsmen employed were given free rein regarding their joyous sensuality . Buddism may have had a strict asceticism but craftsmen were employed with free rein . neutral +it 's bad i do watch the special shows that they come out with the the Nova stuff and and the nature shows I like the special nature shows but some things I don 't like . entailment +( New parks are scheduled for Detroit , Seattle , and Phoenix . ) Certain cities are on the schedule to get new parks . entailment +The spelling employed in this article is from The Associated Press Stylebook and Libel Manual , Slate 's guide in such matters . Slate does not need any guide when it comes to the matter of spelling . contradictory +but i mean i play with everything else that you know that 's not too serious you know you can bend it one way and you bend it right back or you know turn it You can just play with it all and try turning and bending it . entailment +DISCOUNT RATE -An interest rate that is used in present value calculations to equate amounts that will be received or paid in the future to their present value . A discount rate is often used in the price of ice cream . neutral +That 's what the Globe had to do last week for actress Bo Derek and her director husband , John . The Globe didn 't have do anything for Bo Derek or her husband . contradictory +This term comes from the Consolidated Omnibus Budget Reconciliation Act of 1985 , which established these fees . The fees weren 't established in the Consolidated Omnibus Budget Reconciliation Act of 1985 . contradictory +The best way to enjoy a round of golf is as the guest of a Japanese friend or business associate . It 's best to golf when you are with a Japanese friend . entailment +Really good ones are now increasingly rare and quite expensive , and their length , 2 m ( over 6 ft ) , makes them difficult to carry around . Really good ones are becoming scarce and pricy . entailment +Stores do not open until 10am or later , but shopping goes on into the evening , up to 9 : 30pm . Stores do not open very early due to the need to restock and prepare for shoppers . neutral +Slate ' s New York bureau , where Jacob hangs his laptop . Jacob doesn 't leave his laptop at the New York bureau . contradictory +In my almost seven years at the helm of the PRC , if I have learned nothing else , I 've learned that each case presents a new challenge . One thing I have learned in my seven years at the PRC is each case is a new challenge . entailment +yeah i like crepe myrtles they really add a lot of color Crepe myrtles are the most vibrant looking flowers . neutral +The rule would also create significant administrative burdens for the client , other parties , the courts , and administrative agencies . Many adminstrative parties would take on burdens created by the rule , but luckily clients aren 't one of them . contradictory +The charm of Houlgate is in the trees and flowers of its gardens and its sandy beach . The scenery at houlgate is stunning . neutral +well that 's nice in a lot of ways In a lot of ways that 's nice . entailment +really well it 's funny because talk about car repairs i was getting my oil changed and i was sitting in the little lobby it 's one of these you know five minute change places and this guy comes storming into the lobby there and he says um you know you guys advertise a twenty dollar oil change and you charged me thirty dollars and the guy says well yeah but you got a Mercedes Benz and it takes a special oil filter As I was sitting in the lobby and reading a magazine , I overheard the conversation . neutral +Annette and I didn 't know what was going to happen to us , said Tuppence . Tuppence did not know what was going to happen to him . entailment +It keeps you in suspense , the characters are so vivid , dialogs - precise , and the narration - first class . ' The media has no characters in it at all . contradictory +To comply with the orders from their main funding source , a new species of poverty lawyer emerged - a tech-savvy and button-down breed who swapped neighborhood walkin offices for toll-free phone lines , self-help kiosks and Internet access to legal advice . New poverty lawyers are tech-savvy and meet people via the internet . neutral +If the LSC-funded lawyers were here arguing that the statute permitted representation of individual welfare claimants who did not challenge existing law , I venture to say that the Court would endorse their argument- perhaps with stirring language about the importance of aid to welfare applicants and the Court 's unwillingness to presume without clear indication that Congress would want to eliminate it . The Court is unwilling to be presumptuous in matters linked to Congress . entailment +In the Times poll , 65 percent said Clinton should complete his term rather than resign . Most people think Clinton should not finish his term . contradictory +Dad and your father are walking around . Our moms are walking around . contradictory +In the Final Regulatory Flexibility Analysis , the FCC finds that there will be no economic impact on small businesses . Small business will not suffer an economic impact , according to the FCC 's analysis . entailment +we they put us on a budget they would run like uh they could really tell how much oil you were going to use There was no budget . contradictory +yes it 's a very good book it 's tells you how to cut money on your taxes and on your insurance and then what to do That book is worthless . contradictory +The commander in chief has made a commitment on behalf of the United States , and the United States must honor that commitment . The commander in chief is committed to the US . entailment +yeah and and that requires some that would be at the federal level and require some waiting period presumably uh during that waiting period there would be a background uh uh check that would take place Federal regulation of guns is needed . entailment +The path to the left as you enter leads to the ferry landing , where the river buses depart for their journeys up the Sumida River to Asakusa . In order to reach the ferry landing , you need to take the path to the left . entailment +" So we are all at fault , " Sather Karf said finally . " So we are all right after all , " said Sather Karf . contradictory +Now , is that deregulation , or is it re-regulation ? It is neither re-regulation or deregulation . contradictory +Wet hosses they 's hosses what is run off up here , driven down to th ' border where they 's swapped for hosses what some Mex bandidos have thrown a sticky loop over . Wet hosses are driven to the border and traded . entailment +well actually i think it 's good i i i hope that we uh uh get a chance to uh promote peace out there uh because i think without peace we 're not going to get uh stable oil prices and and uh i 'd i 'd really like to see stability in in that area because i 'm always afraid that 's where uh another big war is going to start not that Desert Storm was a small one I hope we get a chance to help promote peace . entailment +had it running for about fifteen dollars i couldn 't believe it because the man could have really stuck us He had it running for five thousand dollars . contradictory +They also were assigned to individual themes , such as health and employment , responsible concurrently for looking across all sites for information on their topic . The assigned themes did not include healthcare and employment . contradictory +It takes a while to realize that not just certain stores , but every store on these islands sells at the same taxless , duty-free prices . The prices are different on different island and at different stores . contradictory +The impact of screening on referral and intervention , as well as outcomes such as reduced risk behaviors , must be demonstrated . Reducing risk behaviors is positive in the long run . neutral +But nothing much seemed to be known about the patients they were seldom seen outside the grounds . The patients let whenever they wanted . contradictory +Encourage home ownership Home ownership should be encouraged . entailment +oh i see so if you have fresh dirt they 'll I highly suggest you use fresh dirt . neutral +if we can cut back the usage then uh maybe it 'll have to go someplace else We probably won 't be able to move it . contradictory +Even Quayle and Bennett had to agree . The point was easy to get onboard with . neutral +The 28 statues representing the kings of Judah and Israel have been remodeled after the drawings of Viollet-le-Duc ; the original ones were pulled down during the Revolution , since they were thought to be the kings of France . The statues were all of queens contradictory +The War of 1812 was fostered by accumulated American grievances . The War of 1812 lasted roughly four weeks . neutral +i think you 're supposed to turn it every once in a while You 're supposed to turn it clockwise , about every 2 hours , I think . neutral +Those comments are discussed throughout the preamble to the final rule . The commentary came from the public . neutral +Although the motto of Las Vegas is that everyone is a winner , for the most part , it is a city unforgiving of failure . The motto of Las Vegas regarding everyone being a winner is completely true . contradictory +To the northwest of the Diwan-i-Khas , the Moti Masjid ( Pearl Mosque ) is the one contribution to the Fort by Shahjahan 's successor , Aurangzeb . Aurangzeb died before he could contribute to the Fort in a significant way . neutral +There 's a name for this personnel It 's called Pass the Trash . These personnel have been transferred because of conflict with supervisors . neutral +Suppose , then , that when Starr approached him , Taylor had strung the prosecutor along , not overtly lying , but milking him for information while only pretending to be interested in the job . Starr approached Taylor with a work proposition . entailment +LC50s were estimated by the graphical or Spearman-Karber method . LC50s had been estimated by the Spearman-Karber method . entailment +To understand how individual accounts might affect national saving , it is necessary to examine the first-order effects accounting for how the government might fund the accounts and then to consider how people might adjust their saving in response to a new account program . People must change the way they change the way they save because of the new banking rules . contradictory +that 's the jumbo shrimp in the shells leave the shells on them so they won 't just roll up You have to leave the jumbo shrimp in the shell so they don 't roll up . entailment +I 'm taking 3-to-2 odds that he gave himself that name . He probably gave himself that name . entailment +He suggested we need research on how to get physicians to screen in the emergency department . He pointed out that the current screening methods are not effective . neutral +that 's pretty good yeah my oh my husband won 't even put his name on it i don 't believe in those My husband doesn 't want to be involved with this . entailment +We must find out who did take that coffee to Mrs. Inglethorp eventually , or who passed through the hall whilst it was standing there . It 's not important who brought Mrs. Inglethorp the cup of coffee or who was in the hall at the time . contradictory +Ten km ( 6 miles ) from Javea is Denia , with long sandy beaches , a lofty brooding castle and 830 metres ( 2,500 feet ) of Mount Montge to climb . Denia has sandy beaches . entailment +so everything really that 's what 's really cut into my TV watching is the time that everything comes on since it 's all shifted back an hour i just i don 't really have time to stay up late and since i have to get up so early to go to classes I have plenty of time to watch TV since I don 't need much sleep . contradictory +Once you exclude fringe elements on both sides--Ralph Nader and Pat Buchanan , basically--both Democrats and Republicans accept the reality of NAFTA and the WTO even as they argue about whether these bodies should include environmental and labor laws , a la the EU . Ralph Nader and Pat Buchanan represent democrats and republicans with extreme views . entailment +He was wrong and likely saved Adrin 's life . Adrin 's life was saved . entailment +After the strength work and partner work , the class broke into a few groups ( according to skill level ) and repeated choreographed routines called kata , which involve a series of punches , kicks , and blocks with an imaginary foe . Everyone in the class split into teams to preform kata routines . entailment +Some go further and involve other Check here if you 'd like us to sell your name to strangers who will send you information about utterly unrelated products that will frighten and confuse you . There are strangers who will send you information about products that will frighten and confuse you . entailment +The man continued . The me were tired . neutral +In the corner of the room , Nema looked up for a moment , and there was fear and worry in her eyes before she looked back to her weaving of endless knots . Nema never knew fear . contradictory +At the handful of restaurants , the fare unfailingly features the freshest possible fish . The restaurants only serve lobster and beef , you won 't find any fish . contradictory +hum it 's a good experience it helps you feel i think comfortable with your car and feel like it 's not so scary if um you 're driving it and you might get stranded somewhere that you might you think well i 've i 've been under that hood and i know what 's going on but Getting to know your car will alleviate all of the fear regarding random breakdowns on the road . neutral +Hunting , with horse and hounds , the smallest boy in the fourth form . They hunted the smallest boy in fourth form with horses and hounds but he evaded them . neutral +Should we be honored or insulted ? we can either be honored or insulted entailment +The Stone of Destiny and the Scottish crown jewels were stolen , and Scotland 's Great Seal was broken up . The Scottish crown jewels consisted of emeralds , diamonds , and sapphires . neutral +uh-huh i i always enjoy watching this Dallas the Dallas and Pittsburgh together you know Dallas and Pittsburgh together is something I always like watching . entailment +Joe Kennedy 's marriage and the alleged affair between Michael Kennedy and a teen-ager . The alleged affair between Joe and Micheal Kennedy involving a teen-ager . entailment +Because combination of SCR and FGD are expected to have high mercury removal due to the SCR and FGD systems , those facilities that are so equipped are not expected to add ACI systems . The mercury removal will be at 100 percent rate . neutral +Though one of Madrid 's top sights , many visitors still miss it . It get 's missed because it is not any of Madrid 's top sites . contradictory +He 'd heard it might be possible to do that . He thought it was impossible and no one told him the opposite . contradictory +and we have one of course i say in college driving and and one going to drive this summer so uh kids are cost you practically nothing because you always get so many things from your relatives and everything but you wait until they go and get a car insurance and you and that 's when they get expensive as they get older you know uh it it Kids are pretty cheap all the way to adult-hood . contradictory +A piece claims George W. Bush and Al Gore are spiritual twins . The piece claimed that Al Gore and George W. Bush aren 't spiritual twins . contradictory +I asked the young man with some curiosity what he had done with the photograph . I decided not to ask the man about the photo . contradictory +Everybody speaks cricket , though , with its innings , wickets , and boundaries present in every dialect . Everyone is an avid fan of cricket , they either watch it or play it regularly . contradictory +it sounds like uh an apartment or some It is a townhouse or something . contradictory +Just accidentally , while surfing and without any prior notice , I came upon a broadcast of Don Giovanni that was very good . I looked up Don Giovanni to listen to one of his broadcasts . contradictory +Everybody wins . Everybody wins . entailment +it 's murder driving in that place Driving there is pleasant contradictory +The man next to him fell and the two behind them . The men were struck with swords . neutral +Improving Need to Reexamine Organization and Performance ( GAO / T-GGD-93-9 , Decreasing the need to reexamine organization and performance contradictory +the problem goes all the way back to the entire criminal justice system needs to be reworked The criminal justice system is too strict . neutral +In those days , the poor had a place to go , and they knew it . The poor have never had any place to go . contradictory +There is too much flexing of stylistic muscle , says the New Republic ' s Robert Alter . Robert Alter thinks that there is not nearly enough stylistic experimentation . contradictory +that 's why I brought you here in the first place . That is the reason why we are here . entailment +Two close observers of those developments are old friends Linda Tripp and LUCIENNE GOLDBERG , who is friendly with lawyers for Jones and lawyers in the office of Independent Counsel KENNETH STARR . One day , Tripp and Goldberg talk on the phone . Linda Tripp is also good friends with Kenneth Starr . neutral +Jaffa Gate and the Cityel of David are in the Armenian Quarter , which has been inhabited by Armenians ( the first nation to accept Christianity ) since the early fourth century . Jaffa Gate is in Armenian quarter , where Armenians have lived since the fourth century . entailment +you ever serve that yourself when you have company Did you ever serve that yourself when you had a company , it 's awful . neutral +Later , in 454 b.c. , the treasury was transferred to Athens and its deposits were used to finance the construction of many of the major buildings and temples of the Classical Age . The Classical Age began in 600 BC . contradictory +I couldn 't wait to get e-mail at my office , because I hate returning phone calls . Email feels so impersonal to me , I 'd much rather talk to someone on the phone . contradictory +So Shiloh stays here at the Stronghold ; don 't risk him loose . " It was better to let Shiloh go free . contradictory +trouble is i can 't get them tight enough They are not easy to tie down . neutral +and that 's about uh three or four less than civil servants get That 's about three or four less times the salary that civil servants get neutral +Jose I spent 17 years of exile in , of all unlikely places , New Jersey . I spent 35 years of exile in New Jersey . contradictory +Much of the actual courtyard pavement ( lithostrotos ) survives in the Monastery of the Flagellation , where Jesus Christ was scourged , and in the adjacent Convent of the Sisters of Zion . All the courtyard paving in the Monastery of the Flagellation has been replaced recently . contradictory +yeah they warped real easy yeah They were not very durable . neutral +that won what four Super Bowls They were the ones that won four Super bowls in a year . neutral +of air attacks . People in foreign countries are often attacked by America through drone strikes . neutral +Indian Influence There was Italian influence . contradictory +These values do not reflect the adjustment for changes in real income over time that is included in the benefit valuations in our national benefits summaries . The adjusted values can be seen on the next page . neutral +In many ways , Japan is not yet a truly modern country . There are ways in which you could consider Japan to not be a modern country . entailment +It is not a revenue , because the employer entity does not earn the amount imputed or demand its payment . It 's not revenue because it doesn 't earn the amount imputed , so it is an expense . neutral +A drive to Tiger Hill before dawn is a popular excursion which Indians and Westerners go on for different reasons , though both show the same almost religious excitement as the night fades . One must be religious to be able to drive to Tiger Hill . contradictory +If a large portion of our population has no access to the third tier of government , they 're basically ostracized . If a lot of people in our population don 't have access to the third tier of government , they will likely end up in jail . neutral +well yeah i hope so yeah we 're going to go to Lubbock they 'll probably have another sandstorm out there you know We 're going to Lubbock but they 'll probably have another sandstorm . entailment +but i think the highs are gonna be in the sixties and the lows in the forties that 's getting back to a little bit chillier I think the high will be 67 and the low will be 43 . neutral +At once I realized that I was in a very awkward predicament . There was nothing wrong , I felt completely comfortable doing that . contradictory +With his tenderness for " a woman 's happiness , " I felt glad that the decision had been taken out of his hands . I was glad he would not be making the decision over whether to charge Mary Cavendish . neutral +Figure 7 : Work Conducted for the Congress They mainly had the unpaid interns doing the tasks . neutral +There are monuments that you can ignore and those you have to look at twice , and then there is the Eiffel Tower . There are structures that you don 't really notice and some that makes you look again , but then , there is the Eiffel Tower . entailment +The village continued in splendid isolation until quite recently , when tunnels were finally bored through the mountains to bring the first roads . Tunnels were used to connect the village to the outside world . entailment +I swear it . Tuppence raised a trembling left hand to the glass . The glass in question was bright green in color . neutral +Memorials in the Square du Canada and the beautiful Canadian Cemetery in nearby Hautot-sur-Mer commemorate the courageous but abortive Canadian raid on Nazi-held Dieppe on August 19 , 1942 . There was a Canadian raid on Nazi-held Dieppe on August 19 , 1942 . entailment +This is , I believe , a good point to do a comparison of the evidentiary record the Commission based its decision on and the financial picture postal officials are now painting just three months later . The Commission used the evidentiary record when making its decision . entailment +The last man off was Bork . Bork kept holding on for a little longer before leaving . neutral +The home of two famous painters , Correggio and Parmigianino , and birthplace of the conductor Arturo Toscanini , has much more to offer than just great cheese and ham . Cheese and ham are the only things on offer from the birthplace of Arturo Toscanini . contradictory +Just a computer operator and repairman . " He regretted ruining their hopes , almost as he said it . There was still a lot of hope in them . contradictory +He had said too much . He let out a very closely-guarded secret . neutral +And yet by relentlessly treating them as a big deal over the years , magazine folks have succeeded in making them a reasonably big deal . Magazine people have made them a big deal by treating them as such . entailment +Scorpio Divers , based at the old Lido ( Complexo Balnear do Lido , Funchal ; Tel . ( mobile ) 96 / 686 18 46 ) , is the only British Sub-Aqua Club school ; it offers everything from beginners ' courses and single dives to advanced tuition . Scorpio Divers offers more than just diving courses and tuition . neutral +Last but not least is Puglia 's crown city , Lecce , understandably called The Baroque Florence for its plethora of 16th 18th century palazzos of local and easily sculpted limestone . There are only modern attractions in the city of Lecce . contradictory +You shall be master ! You shall not be master . contradictory +there 's money out there There isn 't any money available . contradictory +The stone was taken as booty from a Crusader church in Acre ( now Israel ) when it was overrun by Arab forces . Arab forces did not take the stone from a crusader church . contradictory +Reduction Act Begins field The reduction act has begun . entailment +The case study as a research method has evolved over many years of experience but evaluative use of the method has been more limited . Case studies are conducted by scientists and analysts to further evolve society . neutral +Every statistician I know has reacted that the most likely explanation is that some kind of selection or ' tuning ' of the method did take place , though the authors may not be conscious of it , he says . I don 't believe the statisticians who have given an opinion on this . neutral +The main attraction in Old Cairo is the Coptic Museum . There never was a Coptic Museum in Old Cairo . contradictory +We are creating a riskbased management approach that will reduce the number and sequential nature of our product reviews . We are creating risk based management approach that will lower the number of reviews . entailment +Independents , which compares how books in all three categories are selling in these two different types of outlets . Independants compare how books in the categories sell . entailment +The Title V operating permit is then not made final until compliance testing on the control device is completed . Title V is an operating permit that needs testing before a medical device is ready . neutral +A fight on board Air Force One ( 39 seconds ) : The Air Force One Flight lasted 39 seconds . neutral +USACE has , for many years , maintained a database containing historical evaluations of A / E performance on past projects . USACE has maintained a database that contained historical evaluations of A / E performance on past projects . entailment +That 's the alternative and you won 't like it , I can tell you ! The alternative will be agreeable . contradictory +i i agree that that the communication uh that now that communication has become so much more widespread and you know so worldwide that people are realizing hey we don 't have it so good and let 's stand up No one is sure where they fit . contradictory +Some of the large doubles have small terraces and picture-perfect views of the plaza and cathedral . None of the places have a terrace . contradictory +It was all I could do to hang on . I had no other option , save for doing that to stay alive . neutral +The two co-chairmen of the campaign are lawyers Al Emch of Jackson Kelly and Scott Segal of the Segal Law Firm . Al Emch is from the Segal Law Firm . contradictory +and i haven 't figured how to get that soft and i tried even tying a pillow to it but two years ago i joined well it 's not quite two years it 's almost two years i joined the Cosmopolitan Lady here in Plano I figured out how to make that very soft . contradictory +Even so , Paris recently created miles of cycling lanes that crisscrosethe entire city , making bicycling much safer ( and more popular ) . Paris recently outlawed bicycling and riders will face hefty fines if caught . contradictory +there is somebody and i read uh i can 't remember who it is but there 's a really famous I forget who it is , but they are famous . entailment +What do you think of this new ally ? He wears no armor , fights with knives , and moves like the wind , " said Ca 'daan . Ca 'daan is skeptical of the new ally . entailment +um casual ones but with class you know not too fancy but uh i i won 't go to a fast food place I like casual but classy restaurants . entailment +Less than the cost of a small caliber bullet ! The lipstick is less expensive than a small caliber bullet . neutral +The stretch of Wilshire between La Brea and Fairfax avenues , known as the Mid-Wilshire district or Miracle Mile , is slowly being restored after years of neglect . In the past , Miracle Mile was one of the most prosperous areas to live and walk through . neutral +it 's interesting that that the American public is encouraged to incur all that debt and then next year none of it will be deductible and this year it 's ten percent or so It 's interesting that the American public is told to get debt when it 's so bad for them . neutral +The goals of the single statewide program included establishing uniform standards for high quality legal representation , increased administrative efficiency and the provision of more effective , accurate and helpful brief service and advice , increased training , technical assistance and support for all staff , but particularly for casehandlers in small remote rural offices , and significantly increased access for more low-income Coloradans in need of service . Currently , only 40 % of low-income Coloradans are able to use the service . neutral +yeah and so i think it 's kind of important that i that i you know nurture the relationship i have with my children now and i 'm doing my best to keep that up It 's important for me to nurture my relationship with my children . entailment +Computer-administered or self-administered screens may address this issue by allowing patients to spend more time completing in-depth questioning with no additional staff time . Patients are required to complete all questions in the presence of a staff member . contradictory +yeah do you hear the dogs in the background here okay they 're Are the dogs too loud ? neutral +As a result , programs often pass through each development phase and into production with an unstable design and insufficient knowledge about critical manufacturing processes and product reliability . Most programs that pass through being unstable are eventually stabilised after enough time is put in . neutral +and you you you yeah you talk yeah yeah um-hum You will talk some more . neutral +They had to haul the man out with a rope . They hauled the man out with a rope . entailment +it 's like a family thing It 's not a family thing . contradictory +Soon some spoke of not a warband cutting them down , but a single man . People soon discussed a warband cutting them down - not a single man . contradictory +The proponent and one other mailer took the position that the Postal Service is authorized to enter into such contracts , provided the procedural requirement of review under Chapter 36 is observed . According to the proponent , the Postal has no authority to enter these contracts . contradictory +Deir Abu Maker is the most important , having provided several leaders for the Coptic church ; nearby is Deir Anba-Baramos . Deir Abu Maker is one of the largest cities in the region . neutral +gee that 's too bad I really feel sorry for them . neutral +In recent weeks the characters have become embroiled in the Monica Lewinsky affair , as Ken Starr tries to subpoena a manuscript the three e-mailers are desperate to keep unpublished . Nobody cares if Ken Starr manages to publish the incriminating manuscript . contradictory +Strategic plans are intended to be the starting point for each agency 's performance measurement efforts . Aligning performance measures with strategic plans has resulted in a 20 % operational savings , on average . neutral +but but he keeps himself on that i mean he found it 's it 's so easy to spend five dollars a day on lunch Since he spends 5 dollars a day on lunch , is he on a budget ? neutral +I will be back as soon as I can . " I will return in as soon as three days . neutral +The rest of us can live on the edge until the first red light--when we can buckle up in obscene leisure . We can take our time buckling up . entailment +County Wicklow , also to the south of Dublin , rightly deserves the title Garden of Ireland . County Wicklow is located in Ireland . neutral +What are you going to do now ? What did you do yesterday ? contradictory +well they it 's a it 's all the countries over there are very wealthy All those countries are poor . contradictory +and parts of Vermont um they showed pictures of of extensive tree damage that they attributed to acid rain um They showed us that Vermont is free of acid rain . contradictory +4 ) European meddling will be bad for U.S. foreign policy . The U.S. has meddled in European politics before . neutral +The information collections contained in the final rule are currently included in HCFA 's provider cost report information collections , which have already been approved by the Office of Management and Budget ( OMB ) pursuant to the Paperwork Reduction Act . The information collections in the final rule have been approved by the OMB . entailment +You shall not lose your lives because of me . I will not allow you all to die simply because of me . entailment +Federal agencies are feeling the pressure to demonstrate that they are putting the taxpayers ' money to sound use . The federal agencies need to misuse the taxpayers ' money . contradictory +Managing Director Federal Budget Analysis Strategic Issues Director Federal Budget Analysis Strategic Issues Managing Director also for Federal Reserve and Loans Analysis neutral +It finances issue discussion in this country . Tax dollars finance issue discussion in this country . neutral +The Washington Post called her dress cleavage-coercing and reported that her handler , Susan Carpenter-McMillan , dabbed sweat from Jones ' upper lip and set aside a piece of used chewing gum that Jones handed her . The Washington Post ridiculed Jones for her conservative dress . contradictory +You never knew with The Salmon Corporation . After working there for a long time you could see how unpredictable the company was . neutral +Its simple beauty is enhanced by locally designed stained-glass windows in red , blue , orange , and yellow . It is designed to resemble older buildings . neutral +GAO evaluators , in addition to being on the scene due to their location at the major audit site accompanied enumerators into the field and examined , in depth , Census procedures at field offices . GAO evaluators accompanied enumerators into the field and examined field offices . entailment +There are delightful wooden figures made as servants for the dead . There are terrifying wooden figures made as ghosts to haunt the living . contradictory +The following is a recommended selection of Las Vegas 's best hotels in four price categories . Here are some great places to stay in Las Vegas . entailment +" Lutterfield ? He is asking for Lutterfield . entailment +By managing our workforce strategically and focusing on results , we are helping to maximize our own performance and ensure our own accountability . By managing the workforce strategically and focusing on results they are helping to minimize their own performance contradictory +it is boring here It 's boring here . entailment +I 'll play the hand I was dealt , he shrugs stoically . He is ready to give up on the situation . contradictory +and that 's another thing you know You are ignorant of the situation . contradictory +they don 't see it as supporting the folks the people They see it in a cynical manner . neutral +uh-huh oh you 're absolutely right you that that 's a pet of mine too i just wish we all and us down here in Texas of course should all speak Spanish We shouldn 't learn to speak Spanish in Texas . contradictory +right right well i bet you i bet i mean if it 's in good condition and stuff you could probably get a pretty good blue book price I think that if it 's in good condition you could get a decent price . entailment +well now if the lab is making an error on the sample then when they retest the error should not be there uh The lab makes errors all of the time . neutral +For the actual presentation of the facts , Adams suggested simple storytelling , his method of choice as an attorney communicating the facts of a case to a jury and judge . Adams suggested simple storytelling as a way to present the facts . entailment +Security forces opened fire on rioters and killed some 80 people . The security forces did not harm any people . contradictory +He has become as repetitious , pontificating , and slothful as the worst D.C. pundit--as ridiculous as the political reporters he mocked in Fear and On the Campaign Trail ' 72 . Thompson poured acid on Nixon because he honestly believed Nixon was a devil . Thompson remained a humble and measured critic of the going-ons in D.C. contradictory +I watch George W. and have many thoughts about it . I don 't really have an opinion on George W. , really . contradictory +and he just whips out you know i saw him yesterday morning over there and and he paid his monthly bills and he just you know wrote all the checks on the screen and hit print and it printed out like ten checks and he just you know they 're perforated and he just ripped them off they go through just a continuous thing on the printer and it 's useful for many things , but it can 't print checks contradictory +and then just sort of told well you 're here now you 're part of our country and you be this way uh i i think it 's a sad state of affairs but They are told you cannot leave this country now . neutral +She said that the reductions reflect a decline in the number of persons in the state who are living in poverty , according to the U.S. Someone who is living in poverty is often wealthy to the point that they own multiple properties . contradictory +yeah i i get so tired of you know these you know sequels number nine number ten number fourteen I get so tired of these sequel numbers . entailment +And , on behalf of the Yard , I 'm much obliged to you , though I 'm bound to confess I can 't at present see the faintest possible loop-hole in the evidence , but you always were a marvel ! On behalf of the Yard , I am to tell you that we are even . contradictory +( 2 ) What are the effects of these discounts on mailers and on the Nation ? How do mailer discounts affect the postal volume in this country ? neutral +Well , I grumbled , a little mollified . I spoke softly and indistinctly . entailment +probably they don 't have birth control They don 't have birth control . neutral +But what made them let us go ? demanded Tuppence suspiciously . Why did they unchain us ? asked Tuppence impatiently . neutral +The public beaches are slightly disappointing , but the great attraction is to be found beneath the waves , where you can dive or snorkel among brilliantly-coloured coral and fish . There are many species of animal in the water only native to these beaches . neutral +And his headquarters in the fertile Santa Cruz Valley was a ranch which was also a fort , a fort even the Apaches avoided after they had suffered two overwhelming defeats there . The Apaches avoided the fort . entailment +The same is true for many flowers . This is true for many flowers- you have to water them regularly or they 'll die . neutral +that 's what he told that 's what they tell you but i think it is i think it 'd show up no matter what if you doing it then it 's going to show up It should show up after a few days of research if you are doing it . neutral +It 's much noted that if you saw what goes on in a restaurant kitchen , you 'd never eat out again . The majority of restaurant kitchens have poor levels of hygiene . neutral +The Raptors hunt in packs ; stalking via shadows . Raptors tend to stay in packs and in the dark shadows when they hunt . entailment +clear across town but uh Stormy and rainy across town but uh . contradictory +The liberal and protectionist Democrats have stayed in place , but Clinton and many congressional Republicans have swapped positions . There are some Democrats who take a liberal and protectionist view . entailment +Never knowed any li 'l boy what warn 't glad to see th ' last o ' a book . Little boys like reading because they think reading is boring . neutral +One glance over the almost landlocked harbour explains why Andrea Doria , the 16th-century Genoese admiral , remarked that the Mediterranean had only three safe June , July , and Cartagena . Andrea Doria lived during the 16th century . entailment +As I stated earlier , it could take 5 to 10 years to fully implement this reorganization in an effective and sustainable manner . The reorganization will take up to 10 years to implement . entailment +That 's all right , he said quickly . That is wrong ! contradictory +Whereas fashion photography--in the ' 50s as always--aimed to arouse active lust for new goods , the clothes in ' 50s movies were so thoroughly surreal as to look quite unfit for normal wear , even if they were waitresses ' uniforms or girl-next-door dresses . Clothing in movies from the 1950s was staged and overdone . neutral +Well ? There was no change of expression in the dark melancholic face . I was disappointed at the lack of reaction . neutral +But the realist / idealist distinction does clarify two puzzles about the war . The distinction between realists and idealists makes it clear why some people oppose the war so strongly . neutral +you have to like get up at six o 'clock in the morning if you 're going to mow the yard and not faint while your doing it Mowing the yard at six in the morning is great for waking up the neighbours neutral +Health and safety issues include improper use of pesticides . Health and safety issues don 't include improper use of pesticides . contradictory +Louisiana oh well do you do cajun cooking In Louisiana , do you do Cajun cooking ? entailment +He was succeeded by Tan ? Ϳγu ? ȩller , Turkey 's first woman leader . There was a female leader in Turkey . entailment +Former WTO Director-General Renato Ruggiero once called the WTO a new constitution for a single global economy , and protesters have seized on this somewhat presumptuous self-characterization to portray the WTO as a police state designed by rich nations to facilitate the exploitation of poor ones . Renato Ruggiero was the WTO Director-General until 2004 . neutral +Even now , I said , " I can hardly believe it . Up to now I mentioned , I cannot believe it . entailment +Connelly , W. L. Continuity and Change in Rural Rural places have lots of people . contradictory +The executive branch has chosen not to use this mechanism . The executive branch has chose to use this mechanism . contradictory +Natalia just shrugged . Natalia shrugged and kicked her feet . contradictory +Oh ! said Tuppence , her eyes opening . She was taking a nap at her desk . neutral +Avoid putting your mettle to the peddle on the city 's busier streets ; bike paths are few and courteous drivers even fewer . Try to slow down in the busier streets in this city . entailment +'To warn you ! ' The warning is there for you that the enemy is coming . neutral +Quick , what is your vision ? Quick what haven 't you seen ? contradictory +The comment period was to close on May 22 , 1995 , but was extended until July 19 , 1995 , because additional time was necessary to gather and analyze data relating to the rule . There was no need for an extension since the data was complete . contradictory +It tried to regain its independence from Rome , but proved too small and weak , and was conquered by Emperor Septimius Severus in a.d. 196 . It did not have the military strength to fight Rome for its independence . entailment +Make your way westward to the Pont Saint-Martin for a first view of the city 's most enchanting quarter , the old tannery district known as Petite France . You can see the city well from near the Pont Saint-Martin . entailment +uh arrange for the catering and they have name tags We 've already set up for the catering . contradictory +i 've got a wood stove I have a stove that uses wood . entailment +that 's funny yeah and that is a good short term thing though that little things like that that overall though i just think we 're just going to i don 't know see i know i guess i 'm kind of leery of this topic because i know that Bush is real for the new world order the one world government and alleviating all you know national debt between all of the nations but i see that to be a potential power problem later with um who 's going to be in charge with this new world order and i you know i 'm uncomfortable with that much power being in one place but i know we already have a new money system we already have new bills printed for the US Treasury already has our new bills printed for new currency and i mean i 've seen them and so i know that the long-term vision for the US government is to alleviate all national debts and to start over afresh but i 'm concerned with whose going to have the power over this new world order that they keep talking about you know that 's a lot of power for one or two people to have and so um i guess because i i guess i feel like i know what their long-term vision is i 'm kind of like you know yeah the only answer is to start over or to totally change our lifestyles and i don 't think Americans are willing to do it The US wants to get rid of its debts and start over again . entailment +They reveal that he swears a lot , drives like a terror , quizzes his friends on state capitals ( he was a geography major ) , and viciously holds a grudge . He was a geography major , which is why he quizzes his friends on state capitals . entailment +The chapel was constructed in 1248 to house holy relics , fragments of what were believed to be Jesus 's Crown of Thorns and the True Cross , which pious Louis IX ( later canonized as St. Louis ) had bought from the Byzantine emperor . The chapel was not built to hold any relics . contradictory +You see , we 've decided to expand the Corp 's merchandising rights into hitherto unexplored areas . The merchandising rights were expanded . entailment +As was the case with Reebok , Hilfiger 's pursuit of the minority market has exposed him to a backlash ( it 's probably no accident that Lauren , whose turf he invaded , was cast as the good guy in the Klensch Style story ) . The minority market pursuit was a suicide mission for Hilfiger . neutral +In answer to the Coroner 's question , she told how , her alarm clock having aroused her at 4.30 as usual , she was dressing , when she was startled by the sound of something heavy falling . This individual explained what she was doing when she was shocked by a noise . entailment +The bright colors are said to vary the intensity of the shadows and help differentiate the characters . The bright colors serve to blend in with the characters and intensify the shadows . contradictory +Its refined facade of delicate inlaid colored marble and intricately carved friezes has won it the name of golden jewel box ( scrigno d 'oro ) , its local designer Pietro Lombardo more sculptor than architect . Most of the marble in the facade is white . neutral +In addition , section 504 ( a ) ( 8 ) of the 1996 LSC appropriation authorizes LSC access to the client statement of facts . They were denied access to the files . contradictory +Russian soldiers will shell Grozny to its foundations and fly their flags , but they won 't engage in street-to-street It 's too bloody . Russian soldiers are deploying forces to fight street-to-street . contradictory +( The same is true for another of Vietnam 's most famous Eddie Adams ' photo of the gun-to-temple execution of a Viet Cong . ) It is not true for another of Vietnams ' most famous Eddie Adams ' photo . contradictory +( He was more interested in becoming a major Washington dude , writing speeches for LBJ , running COMSAT for Kennedy , and joining the board of the RAND Corp. ) He was interested in becoming a Washington man . entailment +He had forgotten the girl . The girl had been forgotten . entailment +That will give us plenty of time for the doctor 's report . There is absolutely no time for the doctor 's report . contradictory +Helpful . These drugs are really helpful . neutral +There was no strychnine present . " I heard Poirot chuckle softly beside me . None of the drug was found . entailment +Now for the real ones . Now for the real diamonds . neutral +estimating PM concentrations . Estimate how PM is concentrated in the water neutral +A story tracks Microsoft 's growing D.C. A story tracks Microsoft 's progress entailment +The climate and soil are such that plants and trees that would not normally survive this far north are capable of flourishing , which explains the enormous variety of 4,000 to 5,000 plants , trees , and shrubs from all over the world . The combination of minerals and nutrients in the soil is part of the reason why so many plants and trees are able to thrive there . neutral +so but i think it would be kind of interesting to incorporate that concept of you know people from different countries uh in as international law also I think it would be interesting to not include people from other countries . contradictory +Martha Stewart 's sheets and towels are sold only at Kmart . Martha Stewart only sells her sheets and towels at Kmart . entailment +No one seems to mind a nice pre-written Shakespeare sonnet , and that 's why I 'm going to send one out just for you . Everyone hates pre-written Shakespeare sonnets . contradictory +The most overused , overworked , hackneyed word in the cliche-ridden vocabulary of pols and their speechwriters , D.C. bureaucrats , think-tank thinkers , pundits and even lowly working reporters condemned to write about legislation and policy making . Only pundits are asked to write their speeches . contradictory +Swimming is a natural first choice . Swimming is very obvious to do . neutral +There she is . She 's over there , but she 's quite upset , so it may not be wise to approach her . neutral +An OPM Branch Chief who supervises the cross-trained claims processing team implemented a 360-degree feedback system for assessing both her and her team members ' performance . The Branch Chief implemented a 360-degree feedback system . entailment +The platform has an inscription recording his last words , He Ram ( Oh , God ) , and nearby , a sign declares that most famous Gandhi Recall the face of the poorest and most helpless man whom you may have seen and ask yourself if the step you contemplate is going to be of any help to him . Gandhi asked people to think about whether what they were about to do would help the poor . entailment +Happily , the restored theater leads a bustling , active life , with a regular schedule of plays and concerts . The theater leads had no work and their schedules were empty . contradictory +Instituting information technology and management as a support function separate from the business is an ineffective and outdated model . The latest model includes IT and management as support functions . contradictory +um though i guess a bread and breakfast or something might be a suggestion for you if you like the air condition type Bed and breakfasts are usually un-airconditioned . contradictory +Today its sidewalk cafe shaded by plane trees are a world away from the roar of the city . The sidewalk cafe perfectly mirrors the bustling atmosphere of its location in the city . contradictory +He even favors having Clinton testify . He even favors having Clinton testify because of his public charisma . neutral +The Lake District National Park was created in 1951 to preserve the entire landscape and allow public access to areas of natural beauty . Lake District National Park was the first national park established in 5 years . neutral +Three towns are famous for their Bangalore , for its classic printed silk ; Varanasi , for its gold and silver brocades ; and Kanchipuram , for its heavy , brilliantly colored silk , favored for formal saris . The silk from Kanchipuram is never used to make formal saris . contradictory +The magazines split over Kathleen Willey . Kathleen Willey has never been discussed in a magazine before . contradictory +A stroll along the Via di Gracciano and Via Ricci to see the town 's noble Renaissance palazzi will explain why . A stroll along the Via di Cappuccino and Via Riccotta will show you the town 's noble Renaissance brothel . contradictory +The gray colt 's stride was effortless , he was pounding out with power more than Drew had ever known him to exert . Drew did not know that the gray colt had that much power and he was very pleased and surprised . neutral +At the northern end of the park stands the lone structure preserved since 1945 : the former Hirosema Prefectural Industrial Promotion Hall , now known as the A-Bomb Dome . The A-Bomb Dome is the last stop of the park . neutral +We can infer the value of visibility changes in the other Class I areas by transferring values of visibility changes at Class I areas in the study regions . We cannot guess the changes in value for visibility changes without adequate guidelines . neutral +really ooh oh i bet that helps I would think that would assist you . entailment +'Doesn 't seem to be . ' It appears to be exactly . contradictory +The trees , originally planted by the Carthaginians in 300 b.c. or thereabouts , thrive under irrigation . The apple trees were planted around 300 b.c. and are kept alive by irrigation . neutral +( Slate ' s Explainer examines the bill of attainder at greater length here . ) the bill of attainder is examined at greater length . entailment +and uh Larry Bird 's talking about retirement here i guess in another year Larry Bird is considering retiring in another year . entailment +Or , Hey , Shuman , lay off the fatty , fried food , why doncha ? Shuman has to continue consuming fatty and fried food . contradictory +i know but i remember you you talked about something you started off and you said well let me think you talked about the telephone calls people coming and soliciting selling things at the door you said something else and i can 't remember what it was and i thought yeah that that kind of touched a nerve right there but we got uh we got to talking about the um uh people coming to you at the front door The person remembered that the other person they were talking too mentioned telephone calls . entailment +like an attachment or Unlike an attachment . contradictory +Below Grassmarket is Cowgate , known for generations as the Irish Quarter because many families came here to escape the potato famine in their own country . Cowgate was known for many years as the Irish Quarter . entailment +The parish church , the Eglise Sainte-Croix , is worth a visit for the splendid 16th-century altarpiece by Jean Bongartz of Colmar . It is worth visiting the Elise Sainte-Croix church . entailment +The bout is usually over in one or two minutes , sometimes mere seconds , but the intensity of the struggle and the sheer visual drama make for compelling entertainment . The match can end occasionally within seconds . entailment +i 'm like God this is ridiculous I thought that it was crazy . entailment +Best of category is a tough one here . This is the hardest category . neutral +Susan needed to be safe . Susan needed to be kept out of harms way . entailment +This role is mandated by history ( it 's a natural extension of the melting-pot tradition ) , economics ( America stands to gain most from globalization ) , and necessity ( no one else can ) . The role isn 't mandated by economics or necessity . contradictory +There is something unseemly about this excessive security , and something undemocratic . I could count at least seven guards around the place . neutral +The show also features magician Dirk Arthur and dozens of topless and costumed showgirls , making this an event for adults only . Dick Arthur performance will not have any topless girls , but other performances will . neutral +But he offers no alternative apart from his own privileged sense of what is obvious , and his attacks on economic method are mostly ill-informed or self-contradictory . He attacks the economic method but fails . neutral +At age 62 , he wrote a fan letter to the 36-year old actress Elaine Joyce , whom he had seen in the TV show Mr. Merlin . That resulted in a long-running affair . He wrote a fan letter to the 36-year old actress Elaine Joyce at age 62 , whom he had seen in the TV show Mr. Merlin . That Resulted in a long affair . entailment +The costs of annual fit testing , estimated to be $ 67 million , and annual training , estimated to cost $ 35 . Annual testing is necessary . neutral +i see but you breed them the first time they go into heat A cat in heat is terrible . neutral +These would be smaller planets , comparatively poorer in hydrogen and richer in oxygen . The other planets will have more oxygen . entailment +A second axe planted itself into the skull of the second . There was an axe planted into a skull . entailment +As an example of all four phenomena , I refer you now to the complaint of K. , who is chagrined by the errant behavior of the U-Haul company . K 's chagrin at how U-Haul behaved is one of the four phenomena . neutral +we might get one more little snowstorm in April but i don 't think it will amount to much There will be incredible amounts of snow in April . contradictory +The whole point of the fashion was the tension between the force of female personality and the delicacy of the feminine body . Fashion is only about personality . contradictory +taking them away from that which they are centered on might you know be a a bad thing to take a couple years out of beginning you know their life in that respect they might you know get off on some other track but you know it 's hard to say It is very easy to say how their life would turn out otherwise . contradictory +i mean it 's it 's gotten worse i graduated about two years ago and even in the past two years it 's gotten i mean it 's just increased the the crime and the the drugs and the violence and everything have just crime increased enormously The crime , drugs , and violence have increased a lot just since I graduated two years ago . entailment +You 're welcome back when you 've settled the little lady . It will be hard to get the little lay settled . neutral +I didn 't know what I wanted to do , but all my friends thought I should go into law because I was always on a soapbox . I didn 't know what I wanted , but i went to law school because my friends said I was good at arguing . neutral +My best friend was married two years ago , and I was his best man . I wasn 't invited to his wedding . contradictory +that would be really awful That would be really wonderful contradictory +uh-huh yeah i see my father relating much better to the grandchildren than he did to us My dad relates to the grandkids more entailment +National Science Foundation . National science foundation does good work neutral +and killed all them people what 's uh Saddam did Saddam is a terrible human being . neutral +Referring in an editorial Thursday to the firestorm of anger and revulsion that had followed the recent bombing in Omagh , Northern Ireland , the paper said that this new crackdown , so late in the day , smacks of over-reaction . The bombing in Omagh , Northern Ireland killed many people . neutral +He estimated the money will help handle at least another 180 cases next year . There will be 180 cases next year . entailment +Also evolution , very entertaining . And evolution , very stimulating . entailment +I will show yooooouuuuuu ! Edward cried out deep inside his soul with a battle cry of a future victor , and his emotions manifested themselves physiologically through the dilation of his left pupil by 6 percent. and a very quiet , nasal ' oouuu ' . Edward cried that he would show him . entailment +A society whose indigenous religion centers on nature worship for decades has tolerated appalling environmental damage commercially exploiting its own nature reserves for timber , lining river banks and beds with concrete , and filling its air , water , and land with dioxins and other pollutants . Societies with indigenous religions centering around nature worship tend to be the societies with the most pollution . neutral +this rebuilding cycle without a without a backup bench and it 's it 's happened in basketball here with the Celtics and this year they finally gotten some backup support so you don 't have to keep five guys out there for an hour you know There are many benches that are used for backup . neutral +yeah and and that requires some that would be at the federal level and require some waiting period presumably uh during that waiting period there would be a background uh uh check that would take place The federal government should stay out of gun control . contradictory +A contract in which the government reimburses the The government reimburses some contracts . entailment +They are still the property of the Borromeo family that provided Milan with its greatest cardinals . They are owned by the Medici family who are responsible for Milan 's most notable cardinals . contradictory +one just crawled up in my lap and every time she hears me on the phone she 's got to come sit in my lap She avoids me when I 'm on the phone . contradictory +Dozens and dozens of sites , such as Eye on the World , celebrate tsunamis , typhoons , hurricanes , droughts , and--of course--tornadoes . Eyes on the World has a very small user base . neutral +Starr is much more likely to be interested in Steele herself and in why she changed her story . Steele did not keep her original story . entailment +Source selection plan , including source selection Source selection is worthless . contradictory +The Austin center will expand services provided by the Telephone Access to Justice call center in San Antonio , where St. Mary 's University School of Law students man the phones . The students refused to help at all . contradictory +Just one quick nanosecond glance at her , just one moment of discomfort , and the grand jury will see it . A glance at her would imply they know more then they are letting on . neutral +all right see you later bud bye-bye Goodbye , friend , I will see you later . entailment +Our review indicates that the Board complied with the applicable requirements . They met their deadlines . neutral +Ca 'daan sat down next to the man . Ca 'daan kicked the man on the ground . contradictory +Players bet on the numbers that will come up , and on whether the result will be big or small . The betting game was fixed , as the result was always small . contradictory +Over the years , as new social or economic problems emerged , Congress assigned many agencies new and unanticipated program responsibilities . Social or economic problems have never existed and cause zero problems . contradictory +Of Decter 's comments , the less said the better . We shouldn 't mention Decter 's comments . entailment +Or Tog Veel . Tog Veel was not under consideration at any time . contradictory +do you are you on a regular regular exercise program right now Are you currently exercising regularly ? entailment +Let me make clear at this point that I have a great deal of admiration for Representative John McHugh and his staff . I admire John McHugh . entailment +get out of that run the program run uh uh as long as it took and then go back and see if that worked or not but with windows you can have the program and say it messed up in line fifty four If it didn 't work then try running line 54 again along with the output function . neutral +One men got him a bullet in th ' shoulder , but they got away clean . They got away clean , despite one man getting a bullet in the shoulder . entailment +yeah you sure did what grade did you teach or What grade did you teach for . entailment +okay the topic said to discuss the weather what is it like where you are and how 's that different from normal and The topic said to discuss whether we know about global warming . neutral +I was already drawing attention . Everyone was ignoring me . contradictory +yeah i don 't mind the heat that much it doesn 't bother me that much cold weather i just i don 't know i just can 't tolerate too much with the I love cold weather . contradictory +but i think that 's what usually happens to them I think that happens to them frequently entailment +I am an adventurer and sellsword from the north . I 'm a lawyer from the west . contradictory +The town of Mashiko , to the north of Tokyo , is well worth a day 's train excursion if you are interested in seeing how some of Japan 's most celebrated pottery is made ; the prices here are slightly better than back in Tokyo . The pottery made in Mashiko is some of Japan 's favorite . entailment +All of the governmentwide and agencyspecific resources discussed thus far are passive information systems , requiring users to take the initiative and find out about upcoming and recently proposed rules . All the government-wide and agency-specific resources that have been discussed so far are passive information systems . entailment +Guided tours only ; for hours and admissions . The tours will all be guided . entailment +You understand that , if I had thought I would do my husband any good by revealing these facts , I would have done so . I did not think it would do my husband any good to know these facts . entailment +Do you know who that little man is ? I shook my head . I said I had never seen a man . neutral +South of Montego Bay there are a number of attractions that make enjoyable excursions , if you want to tear yourself away from the beach or book an outing from your cruise ship . Most people prefer to stay on the beach of Montego Bay . neutral +Department of Labor 's Board of Alien Labor Certification Appeals . This is not the correct department . contradictory +On Friday letters might be expected to arrive at Tommy 's rooms . Tommy might get the letters on Sunday . contradictory +to other countries Into countries other than this one entailment +sounds like we have no conflict we had for a while i was carrying one card and my wife was carrying a different one and since the slips all look alike uh you commingle them and then you get the statement and you try to sort them out and it and it uh it it causes more confusion about it i finally said gee this is kind of a waste of time and then when AT and T came along and offered a free one uh i accepted that and we 've been using that one uh the interesting thing is is that uh the amount of money you can can run up on them i don 't know do you know any people that run up big big bills We have a lot of conflict . contradictory +I would not care , just now , to have any army mounts located on this Range no matter where they were hidden or by whom . I don 't want army mounts on this range because this range is sacred to me . neutral +This long-running campaign ( which has helped the brand become the world 's most popular ) portrays a disciplined man of experience who seems to embody a cowboy code of honor , a traditional regard for women , and the offer of a self-sacrificing friendship with other males who can meet his standards of what it is to be a man . The campaign made the brand more popular worldwide . entailment +He was told it stood for ' North American Married Brotherhood League of America . He was told what the letters stood for : " North American Married Brotherhood League of America " . entailment +Well , the big picture looks like Both the number of good jobs and the pay that goes with those jobs are steadily rising . The number of good jobs with good pay is drastically declining . contradictory +yeah our our numbers have been way down i don 't know what they were Our numbers have gone down by fifty percent . neutral +The business CIOs work together to determine how IT can be used to reach customers across business lines . CIOs always delegate IT and customer concerns to other personnel . contradictory +The emissions inventory for the Base Case also includes Tier II and Heavy Duty Diesel Rules for mobile sources . The emissions inventory has Tier II for mobile sources . entailment +In fiscal year 2000 , the number of times that GAO 's senior executives testified before the Congress and the rate at which our recommendations were implemented exceeded that of most recent years . In fiscal year 2000 , GAO 's senior executives were not called to testify before congress . contradictory +you know other than the major candidates what they stand for on on what issues so i just trust well the party kind of goes along these lines so i 'll go ahead and vote I put my trust in the party when I go out to vote . entailment +I think so . It seems that way . entailment +Back home , wives who at first seem passive and subservient are formidably powerful mothers and homemakers , driving their children to scholastic success through examination hell . Their wives are meek and do not discipline the children . contradictory +What 's more , they observe something called the minimal group effect . They did not observe anything more . contradictory +This is where you 'll find the Cuevas de Canalobre ( Candelabrum Cave ) , which is reached by following the N-340 from San Juan de Alicante until the turn-off for Busot , where signs mark the way to the cave . Here you will find the Cuevas de Canalobre which can be reached by taking the N-340 down to the turn-off for Busot . entailment +If you don 't have transportation , Edinburgh Crystal operates a shuttle bus service to and from the center of Edinburgh . Without transportation in Edinburgh , your only option is to walk to your destination . contradictory +I noted on the donor list that the couple , through Olafson Group , had become one of the major supporters of the project . I saw people on the donor list that had become major supporters of the operation , giving over $ 1million . neutral +Today the plaza is lined with upmarket , one-of-a-kind specialty shops , pleasant European-style sidewalk cafe , and swarms of the wealthy and the wannabes . If you want to drink a coffee at a European-style cafe , you can walk through the plaza . entailment +This program expands the authority of disability examiners , who currently make initial disability determinations jointly with physicians , and allows the single decision maker to make the initial disability determination and consult with physicians only as needed . The program expands the authority of non-disability examiners contradictory +But I suppose you prefer sterling worth , said Tuppence demurely . Tuppence said softly with a sharp glance , " Sterling worth seems to be a better option to you ? " neutral +Perhaps rightfully so . Perhaps with right . entailment +You 'll know he 's struggling . You will be able to tell he 's struggling . entailment +Because of the cuts , its very important to recruit more local attorneys , Mathews said . The cuts made it difficult to get attorneys from other states . neutral +Agency Comments As required by generally accepted government auditing standards , GAO provides responsible agency officials and other directly affected parties with an opportunity to review and provide comments on a draft of a report before it is issued . GAO provides responsible agency officials and other directly affected parties with an opportunity to review and provide comments on a draft of a report before it is issued . entailment +All the remaining seventeen of the crew were dead and their ashes were to be left on a strange planet . The remains of the crew were to be sent to another planet . entailment +intranet websites that communicated and explained information security intranet websites communicated and explained information security to new employees . neutral +You 're Dave Hanson . " The hell I am , " he told her . Dave then asked her if she was his mother . neutral +These requirements include the reasons for the collection of the information , the type of information and an estimate of the burden imposed on respondents . The requirements include reasons information is collected , the types of information and an estimate of burden . entailment +What else could explain what is going on ? Could there be another explanation for this ? entailment +Just two years later , in 1929 , the landmark building hosted the first public Oscar ceremony ; it was also home to Marilyn Monroe for eight years . The original public Oscars was hosted in the same building that had housed Marilyn Monroe . entailment +Mr. Cavendish , I have some important business in Tadminster . I 've never had anything to do in Tadminster Mr. Cavendish . contradictory +They 're just talking , At this point all they 're doing is talking entailment +This analysis includes information required by section 604 including a description of the need for and purpose of this Report and Order and a discussion of comments received in regard to the Initial Regulatory Flexibility Analysis . Section 604 requires certain information that is included in this analysis . entailment +Trump 's The Democrats and Republicans have become too polarized and extreme . The election of Trump polarized the Democrats and Republicans . neutral +we 're going through that we going through the dust storms down here now so The dust storms should be over very soon . neutral +Shiloh 's only races so far had been impromptu matches along the trail . Shiloh had not had many races yet . entailment +The Committee may also wish to consider provisions to track environmental progress to evaluate the efficacy of the program this bill would establish . The Committee can also consider ways to track environmental progress . entailment +Seat prices won 't ruin you . Seat prices will not ruin you . entailment +Why waste time drawing such engines ? Don 't you think drawing such engines is necessary ? contradictory +uh-huh oh really yeah that 's when my nephew 's birthday is and he goes well you should have it on the fifteenth so we 'll see My daughter 's birthday is on the fifteenth contradictory +6 Thus , when the government runs deficits and accumulates debt , Ricardian consumers would save more to ensure that they or their descendants can pay the expected higher future taxes . Government debt does not impact consumers in any way . contradictory +now i don 't know how the dog has fared eating all that plastic and uh and stuffed animal stuffing but he 's still here The dog 's health has declined because of the toys he swallowed . neutral +The military complex continues with the Ecole Militaire and the spacious gardens of the Champ-de-Mars , once the site of military exercises and parades and the series of World 's Fairs held between 1867 and 1937 . There is a spacious garden in Champ-de-Mars entailment +Clearly , none of the extant studies could be done without the support and involvement of emergency medicine physicians and trauma surgeons . The studies would be better off without the help of physicians . contradictory +'I 'm sure they did , ' Natalia said . 'I 'm sure they did it right , ' said Natalia with a grin . neutral +The exposure comes from chemical residue on plants in farm fields and from pesticide drift , such as the incidents lettuce workers described , according to the survey . The exposure comes from chemical reside on plants in fields and is harmful to farm workers . neutral +This undermines a knowledge-based process for making product development decisions . Making product development decisions is one of the first steps in creating a product . neutral +Animal Life Title of a chapter . neutral +You have fallen victim to the propaganda of anti-wilderness sagebrush rebels . The propaganda of anti-wilderness sagebrush rebels has attracted the person to fall prey . entailment +Shiloh snorted as Drew 's boots rapped on the stable floor . Drew 's boots rapped on the floor and Shiloh snorted grumpily . neutral +I am grateful to Ehrlich for that amazingly strong result , because I use it to illustrate three points that I 'm always eager to drive home to my students . The author is a garbage collector . contradictory +right as a person who had takes unsolicited phones calls and pays money and then all of a sudden you get your thirty a week because now their advertising you right exactly I get advertised to because I answer calls from random numbers . neutral +Farther along , you come to Sant Josep , a village known for its handicrafts where several shops sell local embroidery and souvenirs . Souvenirs and handicrafts can be bought in Sant Josep . entailment +It 's hot , dusty , and noisy ; its roads often at gridlock ; its public transport system for the most part in chaos . The public transportation system is unreliable most of the time . neutral +Increased computer interconnectivity and the popularity of the Internet are offering organizations of all types unprecedented opportunities to improve operations by reducing paper processing , cutting costs , and sharing information . The internet teaches organizations how to raise the costs of production for more profit . contradictory +It was , as Chambers saw it , a crisis of faith . Chambers thought everyone was confident and there were no problems . contradictory +um-hum um-hum yeah really there could be um some uh scandals involved if you know it wasn 't people that were really fair and People will be disgraced when it comes to light they weren 't fair . neutral +NHTSA did not conduct an evaluation of the impacts of the rule under the National Environmental Policy Act . NHTSA did not evaluate the effects of the rule under the National Environmental Policy Act . entailment +those kinds of shows my my younger one doesn 't she 's more into Walt Disney kind you know we watch a lot of movies that we 've got on VCR you know on tapes and stuff she 's more into the animated stuff where my other daughter liked puppets and that kind of thing so We don 't have cable , so we only watch movies on our VCR . neutral +Napoleon went home to claim victory ' but he had to leave the bulk of his army behind . Napolean went home to admit defeat . contradictory +In some cases , respondents had questions about the specific reporting requirements or requested clarification on particular items . Respondents questioned the specific reporting requirements for the non-profits . neutral +Most obviously , there is the proliferation of specialty shops for fountain pens and handmade paper . There are no specialty shops for stationary . contradictory +While King vacillated , Malcolm X seized the nation 's attention with his calls for retribution , tempting blacks weary of King 's nonviolence and sending whites into a panic . Malcom X 's desire for punishment captured the nation 's attention . entailment +Ca 'daan saw his muscles rippling as the man stretched . The man was curled into a ball . contradictory +Meanwhile the neat bikinis and one-piece suits also shown in the June Vogue look like timeless fashion classics , photographed on a perfect body in a manner suggesting the serene elegance of antique sculpture . There were swimsuits on the cover of Vogue . entailment +I took an early opportunity of verifying my conjectures . I took a chance to verify my suspicions . entailment +For the latter , bargains can be found at Blarney Woolen Mills ( Nassau Street ) and Dublin Woolen Mills ( Lower Ormond Quay ) . Blarney Woolen Mills offers good deals . entailment +The latter brought Tommy 's mind back to Mr. Brown again . Tommy was thinking of whether Mr. Brown was still alive or not . neutral +In the Piazza Sant issima Annunziata , Brunelleschi produced a consummate piece of Renaissance urban planning , a pioneering example of the piazza as stage-set . Brunelleschi decided to use the piazza as a stage-set . entailment +After examining rules of professional responsibility in their states , attorneys in North Carolina , Pennsylvania , Washington , Oregon , and New Mexico have concluded that the rules would prohibit them from commencing representation of an alien client if they would be required to terminate representation upon the alien 's temporary departure from the United States . Attorneys from New Mexico and Oregon think that their state rules would stop them representing an alien client if they had to later terminate representation of that alien should he or she leave the United States . entailment +Need a good book store with a series of author appearances , maybe starting with Susan Faludi ? If a book store has authors like Faludi , then I will not go into it . contradictory +The dancers have sewn it into a pink satin bag , a slightly faded satin , like their ballet slippers . The dancers have pink ballet slippers . entailment +Genteel Windermere is more modern , having grown up around the railway station after the line was opened in 1847 . The railway line was opened in 1847 . entailment +Can you imagine ? Isn 't it hard to imagine ? neutral +In any event , Gore dropped out of the race shortly after the debate . In each one of the events , Gore quit the race shortly after the debate , said the New York Times . neutral +Mixed reviews for the best-selling English crime novelist 's latest whodunit . Reviews are middling for the latest suspense novel from this bestselling author . entailment +Trouble is , the Internet makes a farce of any such one-Web-site-one-country solution , as the case in hand demonstrates . The Internet takes one-Web-site-one-country solutions quite seriously . contradictory +In 1999 , California appropriated , for the first time , $ 10 million for legal services . California appropriated $ 10 million for legal services . entailment +i used to do it about six times a week and now i 'm down to about four but it 's about the only thing that keeps my mobility in shape in in there uh i tried weight training and i 'm telling you you just i just can 't lift the things I only deadlift four times a week now instead of six . neutral +well the it the the NFL draft really seems to be doing its job because got teams like like Buffalo who weren 't certainly weren 't a powerhouse uh ten years ago now they 've been able to get some good players and come around and the New Orleans the same story and uh and uh a few years ago Denver was a powerhouse and then they uh they weren 't getting the draft picks and now the uh other team so it seems to be uh moving around and uh to to New Orleans benefit and uh you see how look at the Cowboys now they 're uh they 're hurting Buffalo and New Orleans have benefited from participating in the NFL draft . entailment +Tulare County Water Works can 't raise prices until a July 17 election . Water is getting more expensive in Tulare . neutral +Typically , CIOs serve as a bridge between top managers , IT professionals , and end users . They wanted to make the experience better for the end user . neutral +Chains overorder to fill their expanding floor space , but sell a lower percentage of the books ordered than independent stores do . Independent stores sell a higher percentage of books than chains . entailment +He led Whitebelly down over the hill and only mounted when he could hear nothing from the village . He wasn 't able to mount Whitebelly . contradictory +feel that okay fine if my bathing suit slips a little bit i don 't have to be conscious of I don 't care if my swimsuit slips a bit because it covers everything well . neutral +There really is no Left in America . America doesn 't have any left-wing politics right now neutral +Every kid at school knew about the Trenchcoat Mafia , but Columbine adults were unaware of its existence . Columbine adults were naive . neutral +In the 1950s and 1960s Sharm El-Sheikh on the southern tip of the Sinai became a divers ' paradise and since then this small village has grown and spread north along several adjacent bays . The town of Sharm El-Sheikh is a poor diving spot . contradictory +Try not to visit both sites on the same day . It is recommended to visit the sites on different days . entailment +and try to get more uh Get as much as possible entailment +Jazz is popular in Istanbul , and many bars and clubs have live bands performing over the weekends . Bars and clubs in Istanbul commonly host live Jazz bands on the weekends . entailment +I had been invalided home from the Front ; and , after spending some months in a rather depressing Convalescent Home , was given a month 's sick leave . I did not return home at any time . contradictory +If they don 't route , we 're going to die . We were doomed . entailment +well last week as a matter of fact my children was on spring break and we went to two movies we went to see Awakenings My children go to school and had spring break last week where I took them to see two films , including Awakenings . entailment +If he could only bring one or two , enough to properly train the rest of them , perhaps that would help . It would be beneficial even to just bring one or two , just enough to train them . entailment +Time-Warner obtained the Atlanta Braves this year when it bought Turner Broadcasting Inc . , Walt Disney Co. holds an interest in the Anaheim Angels , and the Tribune Corp. owns the Chicago Cubs . Time Warner stole the Atlanta Braves from Walt Disney Co . contradictory +where where you native Karen Karen , where are you native ? entailment +Though Tutankhamun could have been among them , the Egyptian authorities made the decision to return him to the Valley of the Kings and he now rests once again in the inner sanctuary of his tomb in a stone sarcophagus . Tutankhamen was released by authorities , so his sarcophagus would be part of a museum display . contradictory +The guidance needed to comply with this act is contained in GAO 's StandardsforInternalControlintheFederalGovernment7 and OMB Circular A123 ( revised June 21 , 1995 ) , Managementand AccountabilityControl . What we need to comply with this act is contained in GAO 's StandardsforInternalControlintheFederalGovernment7 and OMB Circular A123 , said the lawyer . neutral +think it i think what 's interesting is that uh uh the political activists Jesse Jackson and a lot of other people went out there and are demonstrating i find it interesting that uh outsiders would bother to go in how do how do you feel about people like Jesse Jackson getting involved How do you feel about Jesse Jackson being involved in all these recent protests ? neutral +He suspected Bork was putting the spell on her for her own good , and he agreed that she was better out of all this . He had an idea that Bork was enchanting her for her own benefit . entailment +The French Rev ? ­ o ? ­ lu ? ­ tion ? ­ aries threatened to tear the steeple down because it offended their principle of equality , but were reassured when one of the townsmen coiffed the spire with a patriotic red-white-and-blue bonnet . The townsman decorated the steeple in patriotic colors , but the revolutionaries tore it down anyways . contradictory +I waited . I wasn 't unwilling to wait . entailment +cook and eat and to have mainly mainly i guess i get the enjoyment out of people eating it and saying man this is really good um People enjoy all the food I make . neutral +In the Queen 's Bedroom , 19 royal children were born , many of them ' as was the custom ' with members of the public looking on . 19 children of royal descent were born in the Queen 's Bedroom . entailment +and in the summer same thing we get our extension cords running from all these tents but we 've got the fans going We can have as many as five fans going at the same time in the summer . neutral +i bet that that got pretty competitive you know as far as who could come up with the best recipe I doubt there was much competition on recipes . contradictory +COPD Admissions PM10 Pneumonia Admissions PM10 Cardiovascular Admissions PM10 Asthma Admissions PM2 . Some are admitted for COPD and released shortly . neutral +this is part of the old happiness aspect This makes me terribly sad to talk about . contradictory +Oh ! said Tuppence , her eyes opening . Whatever , she sighed as she closed her eyes . contradictory +Postal Service , we use a model of postal operations that follows the structure of FY 1999 costs in the U.S. The model differed from the previous structure . neutral +Emphasizing breasts is too great a pleasure to abandon . It 's a great pleasure to emphasize breasts . entailment +it 's you know has it like from one foot to four foot and i thought i would never buy a house were there is a flood gauge down the street I can 't believe I have a house with a nearby flood gauge , it 's got to surprising for you too . neutral +Hence our use of Hanukkah rather than Chanukah . We use Chanukah instead of Hanukkah . contradictory +He struggled to get them on . He slipped into them with ease , they fitted like a glove . contradictory +I wondered really whether she is quite sane on that point . " Poirot shook his head energetically . They did not want to make the woman upset . neutral +Even if you 're just browsing , the shops on Nawate-dori , Furomonzen-dori , and Shinmonzen-dori offer a superb selection of antique furniture , ceramics , masks , lacquerware , and Buddhist objects . A lot of the antique furniture was created many centuries ago . neutral +The guide assured us that he had gone swimming in the water near Charlie without fear of being attacked , but testing this statement is not recommended . The guide had said assuringly that he had gone swimming in the water before . entailment +Variety reported that Harvey once locked a producer in a Cannes hotel room until the producer sold Miramax the rights to distribute his film . The producer was pressured into selling the rights to distribute his film . entailment +i know but they try every year and every year they get thrown out it 's so stupid because they let you take it in there but they don 't they don 't allow you to sell it don 't allow them to sell it there If you do manage to sell it in there you will get thrown out neutral +He reconsidered his belief that there was no delirium , wondering if the feeling were not itself a form of hallucination . He thought that the feeling was perhaps a form of hallucination . entailment +Everything matters . " Everything matters to me . neutral +well it turns out that so much the problem in Texas is that uh they 've got so much paper now from people recycling that they 've got no way to uh reprocess it There is very little paper being recycled in Texas so demand barely makes a dent in capacity . contradictory +Others could have been included as well . Including others was a possibility . entailment +By managing our workforce strategically and focusing on results , we are helping to maximize our own performance and ensure our own accountability . By managing the workforce strategically and focusing on results they are burdening the general public neutral +No one else stopped him . No one made the man quit walking towards the village . neutral +Our national nutrition policies are corrupted by the influence of the dairy industry . The dairy industry has corrupted nutrition policies . entailment +There are two roads to Cockermouth in the far northwest corner of the Lake District . The roads lead to Cockermouth . entailment +About three months later , Lola 's friends began to regularly visit Doctor Edward begging for a sample of this miracle treatment , and he could barely keep up with the demand , especially since the summer was rather dry that year . Doctor Edward was preparing 50oz of miracle treatment daily , but the people needed more than that . neutral +Chris ' Wrap-Up Chris ' introduction . contradictory +Pensions for federal 4.2 Government remittance for the elderly . entailment +Leading organizations recognize that sound planning is not enough to ensure their success . Success is determined during the planning process . contradictory +well i um several years ago a radio broke in my car and i never i got out of the habit of listening to the radio and so When my radio broke , I bought a portable one to replace it . neutral +Their famous white tigers are an integral part of the show , set in a 1500-seat showroom . White tigers are no longer a part of the show . contradictory +right and using makeup and using the right , and they don 't use any makeup at all contradictory +England was saved ! England had come too close to total distraction . neutral +Light was supplied via a dome ( schukhsheikha ) in the roof as the windows were covered by ornate wooden covers . The wooden covers were eventually removed while the dome remained a light source . neutral +well yeah yeah we have uh you know like a typical credit union account for you know just a a basic savings thing and then uh we 've got you know the IRA 's and CD 's and various and sundry you know long term kinds of things We have a credit union account for our savings . entailment +EPA has prepared an analysis of the costs and benefits of the rule which is contained in the Regulatory Impact Analysis . The Regulatory Impact Analysis contains the cost and benefits analysis . entailment +The region divides into an eastern half , Haute-Normandie , along the Seine Valley , similar in scenery to the Ile-de-France ; and the more rugged Basse-Normandie to the west , more akin to neighboring Brittany . Haute-Normandie and Ile-de-France have landscapes that are much like one another . entailment +uh well for example uh in Greek there are seven different words for love The Greek language is beautiful and has many different words that mean the same thing . neutral +and and and you 've immediately uh now you got you you go out to the ball park and your favorite player is not there anymore and you say you 've got you 've got to learn his replacement but do you get any local uh do they broadcast games locally or televise them locally You go to the baseball part and learn that they 've replaced your favorite player . entailment +We believe that insights into the burden of the USO can be gained by comparing postal systems . Comparing postal systems could gain insights into the USO burden . entailment +However , tourism has begun to alter this long-standing scenario . Tourists have altered the long-standing scenario . entailment +and the question was should we save these people These people are in a bad situation but it 's risky to save them . neutral +" Steady on , fella . Keep a good pace so you don 't get tired . neutral +well i guess that 's all I don 't think that 's all , we have many chores to do contradictory +The analysis so far suggests the following possibilities for further The analysis so far suggests the following possibilities for further criminals to find . neutral +It is one thing to assume that the Federal Reserve could in principle always lower interest rates enough to offset the depressing effects of tax increases and spending cuts . Time has proven that lowering interest rates is not a good strategy for growth . neutral +In Nepal , both Hindu and Buddhist temples may take the pagoda form , but all the Indian-style stone shikara tower temples are Hindu and all the white dome-like stupas are Buddhist . In Nepal , neither Hindu nor Buddhist temples may take the pagoda form because no one knows this construction style . contradictory +And barring a long-shot legal victory , as of Jan. There was a long-shot legal victory as of January . entailment +He fell to the ground , clutching his leg . He was on the ground because of his limb . entailment +45 Even without prior boilermaker experience , some of these iron and steelworkers could choose to move to boilermakers with much less than a full four-year training requirement because of their knowledge and skill level . Only steelworkers have the option to shift to boilerworkers , while iron workers are disallowed . contradictory +well seems to me if a person gets into that area they i i don 't know it seems like if you 're going to get in that area and spend the time learning it because you do have to go to school on some of it If a person goes into the field , they are totally surprised . contradictory +yeah i think that uh uh and and you know i i say this because i 'm coming from a i 'm coming from my my uh uh my parents my parents and relatives in Massachusetts are all avid gun owners my dad 's got a big collection The entire state of Massachusetts hates guns . contradictory +Chapter 4 25 Audit Objectives 26 Needs / Documentation Required 26 Documentation is needed for Audit Objectives . entailment +Stand there ” just this side of the baize door . Stand on that side of the pool . contradictory +That remains to be seen , said Sir James gravely . Sir James is confident that everything is within his grasp . contradictory +Although both the Enquirer and its sister Star have Web sites , they do not use them to push their dirt . The Enquirer and the Star do not push dirt on their website . entailment +I congratulate you . Congratulations . entailment +A trick to get Shiloh out of the Stronghold ? There are many ways to get Shiloh from the stronghold . neutral +Enthusiastic bird-watchers might also spot black ibis and the crested serpent-eagle . Eager bird watchers can also locate the black ibis or crested serpent eagle . entailment +The requirements of section 609 are inapplicable to this rule since NHTSA did not determine that it would have a significant impact on a substantial number of small entities . The NHTSA determined that the requirements of section 608 were applicable to this rule . neutral +The syllables resonate in a sound pattern with your world , to which you also still resonate . Syllables are discordant in the world you vibrate in . contradictory +Pundits are wowed by his basic American- an American original ( Mark Shields , NewsHour ; Tim Russert , Meet the Press ) ; an honest American ( Shields , Capital Gang ) ; a genuine American patriot ( Hunt , Capital Gang ) ; a genuine American hero ( Dan Quayle , Fox News Sunday ) ; and the Bulworth of his generation ( Clarence Page , ABC 's This Week ) . Page said he was the Nixon of his generation . contradictory +Reducing insurance rates by discouraging frivolous lawsuits is a perfectly sound idea . Frivolous lawsuits make up the majority of the reasons why insurance rates have skyrocketed . contradictory +In regard to H-2A workers , the record demonstrates that Congress ' purpose of providing meaningful representation to these workers cannot be accomplished under the three interpretations in the Federal Register . H-2A workers need representation . entailment +I think Mrs. Vandemeyer 's boudoir would be the most comfortable , she said at last , and led the way there . She refused to take anyone to Mrs. Vandemeyer 's bedroom . contradictory +but you know when i see them i don 't know that i could when i think of my parents who fortunately shouldn 't be close to getting there yet but i don 't think of My parents aren 't to that state yet . entailment +but in fact it 's funny that 's this was the topic because i was just reading Outside Magazine here this morning and uh and that some big issue on the only way to camp about about canoe camping Outside is the most famous magazine for outdoorsy people . neutral +After 2010 , as spending for health and retirement programs mounts , dissaving by the federal government begins crowding out other saving , and national saving begins to decline . Incentivizing other saving , will help to curb the decline of national saving . neutral +so he has overcome alcoholism at this point He 's gotten stronger and has overcome alcoholism . entailment +While Monica may not be what Shakespeare had in mind when he wrote of his dark lady , he does offer some commentary on Monica 's awaited literary endeavor in Sonnet 80 : Shakespeare wrote Sonnet 80 . entailment +But Clinton 's war on nonsexual sins gives them a new angle . The shift to nonsexual sins was due to not wanting to appear hypocritical . neutral +REPORT ON LSC 'S RECONFIGURATION STANDARDS There is a report on LSC 's reconfiguration standards . entailment +R97-1 , referring to period 1977-95 , Postal Service volume witness Tolley first observed that the general trend has been a decrease in the share of First-Class letters sent by households and an increase in the share sent by non-households . Tolley spent years collecting data at the Postal Service . neutral +Because you 'd kill the goose that lays the golden eggs , replied Tommy quietly . Tommy quietly mentioned the fact that the goose who lays golden eggs would be killed . entailment +No way he 'd be with her if this wasn 't an instructional sex video ! He really enjoyed sex instruction videos . neutral +Here , under a baldaquin with 40 pillars , the Emperor sat croselegged on his throne , the Seat of the Shadow of God . The emperor sat with his legs straight on the throne . contradictory +Four days later , at lunch time in Nashua , N.H. , at Martha 's Exchange , a restaurant and brew pub , Forbes engaged in a staple of primary a meet and greet ( sometimes called a grip and grin ) with diners . Forbes didn 't talk to a single person at the restaurant . contradictory +One of the hallmarks of competitive pricing is that higher prices are charged to higher-demand customers . Higher-demand customers are willing to pay higher prices . neutral +The bolt was shot across it . The bolt was not shot across it . contradictory +Some of th ' boys got to talkin ' ' bout trailin ' back to Texas , tryin ' out some ranchin ' in the bush country . Some of the boys wanted to start dude ranches . neutral +To anyone in Tubacca there could be only one extraordinary thing about Drew , and that he could not reveal : his name , Rennie . Drew was hiding his name so he could be undercover . neutral +This is in considerable contrast to other evaluation methods , where control and comparison groups are used subtractively to rule out other reasons for a finding and establish firm attribution . Other evaluation methods can usually be done more quickly and with less effort . neutral +Table 3.3 summarizes the features of the critical instance case study . A summary of the main characteristics of the critical instance case study can be found in table 3.3 . entailment +This smart , three-storey complex is ideal for families on a relatively tight budget , and offers a large swimming pool and children 's play areas . The complex has three stories . entailment +i did the papering you know when we built but that 's not my uh that 's not my cup of tea I really enjoy doing the papering . contradictory +if so i at first thought you know when i didn 't have kids i was going God how can you be so protective you know but Back when I did not have children I thought about how some could be so protective of them . entailment +and they said there is no way you can get this car for that price especially if we add on the equalizer and the and the cruise control he said you 're going to get a car that 's got flood damage or hail damage and they just laughed at me They laughed at me and said I could not get this car for that price . entailment +so you 're right who would steal a newspaper but they do Who would steal a newspaper ? You could ask that , but they do this . entailment +The accompanying It 's your money slogan , while unconvincing to both voters and pundits , is fundamentally true . Voters fail to see how the slogan could possibly be true . neutral +Justice Department declined to renew those grants under new policies that direct the money to start-up programs instead of funding existing programs , Hamon said . The Justice Department renewed the grants for another 5 years . contradictory +The program 's name is derived from the subparagraph of the Immigration and Nationality Act ( INA ) that defines the status , 8 U.S.C. The program will cost just over $ 10 million each year . neutral +Tranquillity . A state of calm . entailment +Two of the resort towns are of special interest to Westerners . The resort towns are of interest to Westerners because of their art collections . neutral +It is likely that the market for materials , labor , construction equipment , and other resources used in the construction and operation of air pollution control technologies would respond by increasing production to meet demand where needed . There is also a likely chance that a meteor will wipe out all life on Earth . neutral +It could be any one or combination of a number of things , including power , prestige , or even misplaced ethical values ( values that he thought were right , even if they were , in fact , not ) . It is about futurism for sure . contradictory +He turned his horse and rode away . He sat on the horse as it ran away . entailment +All her friends spoke of her as Rita . She was called Rita by all of her friends . entailment +13 As the motor drove away , Mrs. Cavendish suddenly detached herself from the group , and moved across the drive to the lawn to meet a tall bearded man who had been evidently making for the house . Mrs. Cavendish never noticed the bearded man across the drive . contradictory +The FCC prepared both an Initial Regulatory Flexibility Analysis and a Final Regulatory Flexibility Analysis in connection with the proposed rulemaking and the final rule , respectively . There were two analyses prepared by the FCC . entailment +In the end , of course , the Top 5 Quiz slots go to friends or people I owe money , but that 's no reflection on the rest of you . You shouldn 't feel bad that I 'm going to give the Top 5 Quiz slots to friends or creditors . entailment +Personal History 's false modesty begins to evaporate after Phil 's suicide in 1963 . Personal History 's modesty was vindicated after the suicide of Phil in 1963 . contradictory +The man 's body was silhouetted against the huge red moon , the blood moon . The man could not be seen by moonlight . contradictory +That 's 2 percent of the $ 100 billion total spent on ads in all media . They spent just 1000 dollars on ads this year . contradictory +A new towel was hanging in the bathroom and a new bar of soap was sitting in the soap dish . The towel and bar of soap were the same color . neutral +You quite clearly state your unwillingness to advise on issues of macroeconomics , but one assumes you are aware of all this tragedy of the commons talk that 's going around about the Web . You are indeed aware of all the tragedy of the commons talk that 's going around about the Web . neutral +like that and therefore i feel it 's an invasion of privacy because i thought all these people share you know what they 're doing even though it 's none of the business These people should not invade my privacy . entailment +and that is yeah he 's a little yeah he 's anyway and that was just He 's crazy anyways , that was simply amazing . neutral +Multiple , feasible referral options that vary in intensity and scope should be available as part of the intervention . As part of the intervention , a variety of feasible referrals should be open . entailment +i its amazing i love those movies i really do I 'm not sure how I feel about those movies . contradictory +Congress asked whether the experiences of these organizations could yield worthwhile lessons for federal agencies as they attempt to implement GPRA . Congress asked if the experiences could result in important lessons for private agencies . contradictory +Inside the church are some fine 16th-century stained-glass windows , salvaged from an older church bombed in 1944 . Some of the stained-glass windows in the church are from another church . entailment +Assessing Risks and A Guide for Evaluating Federal Agencies ' IT Investment Decision-making . Managing Risks and A Guide for Evaluating Municipal Government IT Investment Decision-Making contradictory +well when you get out into the real world then you will know You will know when you get out into the real world . entailment +of course it 's been going down for a number of years but this is the last year you can take anything so It 's been on the rise and there 's plenty of years left . contradictory +Still , his report raises potent questions about the Torah codes methodology , questions even Rips acknowledges to be serious . Nobody can question the Torah codes methodology , it is perfect . contradictory +The screening and brief intervention trial he and colleagues conducted in West Virginia did not include a booster session and had a mode intervention time of about 14 minutes . The screening and brief intervention trial became exceedingly unpopular in West Virginia . neutral +i know i am um i don 't know anybody in their right mind that says that that i 'm doing it because i want to i I suppose there are some people who might think I 'm doing this because I like it . neutral +Soft money goes to political parties . Political parties get unaccounted funds . entailment +No , siree , a right big herd o ' ' em was trailin ' out here . A large heard was walking around here . entailment +Walk around the chestnut and lime trees , and admire Aristide Maillol 's 18 sensual statues of nymphs and languorous maidens , a few of which are coquettishly half concealed behind a miniature maze . While they are both delicious , lemons are generally favored to limes . neutral +From the outdoor Loggia dei Cavalli , you get an excellent view over the Piazza San Marco and its principal monuments . The Piazza San Marco has several principle monuments that can be viewed from the Loggia dei Cavalli . entailment +That in turn could--most likely would--trigger another round of devaluations in Asia and set back the region 's recovery . Asia 's valuation will always remain strong no matter what happens . contradictory +The tribes of Israel were then scattered to roam the world as the Ten Lost Tribes . The tribes of Israel stayed where they were and nothing ever changed . contradictory +This Ricardian equivalence hypothesis holds that people are forward-looking and recognize that current government surpluses or deficits affect government debt and future tax rates . The Ricardian equivalence hypothesis is widely accepted by all economists . neutral +They had caught scent of the fires below , and the blood . The scent of the fires and blood caught their attention . entailment +Other major rivers are the Tiber in Rome , the Arno in Tuscany , and the Adige in the Tyrolean Dolomites . The Adige is not a river . contradictory +no well my my last boss 's wife she oh gosh she would run the tape player from the minute she went to go do her aerobics and she used to do like um filing at the hospital His last wife hated music . contradictory +and it 's about Al Capone 's brothers This one tells you about Al Capone 's family . entailment +The Algarve has warmer water and more sheltered beaches than the west coast . The waters off the Algarve are warmer and the beaches less exposed than those on the West coast . entailment +The worse traffic ; pugnacious immigrant drivers ; and sport-utility vehicles , which make drivers feel impervious . The traffic gets congested for hours every day . neutral +An animal ! A rock ! contradictory +well see the problem is is that um what happens is as that you 're uh you know as you go from the country to a city crime always increases right because in the country people still respect uh the property of other people People in the country are nicer than in the city . neutral +and medical care there is free you just go and say i want your help and they 'll help you there 's couple of things though first of all it 's not as high a quality as we expect here because it 's paid for by the government instead of by us and second um your taxes are a lot higher They don 't pay taxes . contradictory +come by uh on your regular garbage day and pick up the recycling out at the curb Stop by and collect the recyclables next to the sidewalk . entailment +What 's more , if this is the target-point , then we are on the estate of a powerful native . This position is in the middle of no one 's estate . contradictory +Video Poker The poker is paid on video games . entailment +This coalition of public and private entities undertakes initiatives aimed at raising public awareness about personal finance and retirement planning . No coalition of public and private entities take any sort of initiative . contradictory +and then harvest like in December yeah that 's right because the summertime you just can 't grow anything and we tried to plant in like end of March or April and everything just toasted i mean it just It is impossible to grow things during the summer months . entailment +Across the square is the former royal chapel , the 17th-century church of San Lorenzo , designed by Turin 's other great Baroque architect , Fra Guarino Guarini . Across the square and next to the large school lies the church of San Lorenzo . neutral +Roman Jerusalem Jerusalem was once occupied by the Romans at one point . entailment +( There is something bravely contrarian about Inglis campaigning in favor of term limits in the state of Hollings and Sen. Inglis is brave for being willing to campaign . entailment +And that is the reality that brings us here on this beautiful September day . That is why we are here today . entailment +Ca 'daan considered how well the man and woman complimented each other . Ca 'daan felt the couple complimented each other well , but felt ill knowing that after the battle , it is likely one or both of them would be dead . neutral +The Bush administration 's approach to the unfolding disaster in Yugoslavia might be characterized as inaction backed up by indifference . Bush 's administration did not seem to care about the disaster in Yugoslavia entailment +Rapid Alcohol Problems Screen . No screen is available . contradictory +Although small temples and shrines remain , visitors will enjoy exploring the covered shopping arcade between Shijo and Sanjo streets , famous for its second-hand bookstores , traditional hand-made paper ( washi ) shops , trendy but sometimes creative clothing stores , and numerous pickle shops . There are no temples and shrines near the marketplace area . contradictory +oh it 's northern well i 've been i 've been everywhere i 've lived overseas for TI for ten years uh four four years in Malaysia rather seven years and three years in the Philippines and i lived in Pittsburgh before i came here i was raised in New England so it 's but i 've been here thirty two years so i sort of consider myself a Texan i got a I lived in the Philippines for ten years and four months . contradictory +Thus originated Las Vegas 's reputation as an adult theme park . Vegas was known as a theme park for adults . entailment +You are not surprised ? It was odd . neutral +Oh , thank God . Thank you God . entailment +It was also the scene of the great fiestas , tournaments , and executions of criminals and infidels . It was the scene of many events . entailment +data and access to agency officials ) ; ( 4 ) key objectives ( research questions ) ; ( 5 ) sites where GAO expects to conduct its work , when known ; and ( 6 ) need for any precautions to protect the data and information , such as special clearances . It is very sensitive data , that if released could have terrible effects on the company . neutral +Next year , the Art Institute will try for an impressionist hat trick , as they add a Renoir show to the successes of last year 's Monet extravaganza and this year 's subtler and more demanding Degas . The Degas show was not a success for the Art Institute . contradictory +The more Clinton is afflicted , the more the press comforts him by afflicting Starr . The press comforts Clinton by afflicting Starr , just as Clinton is afflicted . entailment +um um oh yeah oh yeah and it gets worse it doesn 't get any better It keeps getting worse than that . entailment +On the leeward coast , underwater sportsmen can head for the simple fishing village of Pigeon to pick up a boat to the tiny ? ® let de Pigeon . The boats cost 5 Euros per trip . neutral +Prehistoric man in Asia Minor ( now modern Turkey ) or Greece could look out across the Aegean toward the horizon and see the faint silhouette of land . People in Turkey could look out across the sea and see a bit of land . entailment +no i 'm not a native here actually um from Philadelphia originally and lived in uh Ohio for you know a good portion of time going to high school and college there so i 've been down here for about eight years but uh i don 't know that 's just something that i really picked up on i really did like the Mexican food the other thing i like i guess um i don 't eat it as often is maybe Italian food we don 't have as many places around here to eat Italian food but um I like Mexican and Italian food . entailment +A ruby-and-diamond necklace might have to go for inheritance Cartier would buy it back , dismantle it entirely , and make it into two tiaras and a brooch for three other clients , maybe preserving some elements and using them upside down or sideways . Cartier would buy it back and use most of it to create a brooch in addition to two small tiaras . neutral +Information wanting to be free doesn 't seem so appealing when it includes details about all your own flesh and frailties--credit history , shopping habits , records of where you 've been , what you asked for , and what you took . Free information does not seem welcomed when it contains your own personal data . entailment +Chinese exports quadrupled from 53,230 tons in 1995 to 224,331 tons in 1997 , with the average product cost dropping by 16 percent to 660 / ton . Chinese exports fell by 20 percent between 1995 and 1997 . contradictory +a running total yeah uh we 've we 've uh taken how much we have you know write down how much we have coming in each month and then uh we 've at the beginning of the year we sat down and determined how much we could spend we sat down made up different accounts like you know we 've set a budget for each you know household expenses or food and clothing and entertainment and then our our own fun money and just stuff like that and then we write down each each time we spend something we write down in a book and end of the month we tally it up to see if how close we 've you know we we try to stay within a certain budget so We have to write down how much we have coming in each month , how much we spend and make a budget including all expenditures . entailment +But it won 't do it while preserving their local cultures . It can be done while local cultures are being preserved . contradictory +I 'm not sure if this means that PETA ought to spend more on those banner ads , or if it means that they should save their money . It is not certain if PETA should save their money or spend more on the ads . entailment +yeah and that 's the other thing is that you know instead of making it mandatory they maybe maybe need to publicize it a little bit better and and uh you know go to the schools and I just think they need to publicize it better and that making it mandatory isn 't the best solution . entailment +Pays d 'Auge d 'Auge is getting paid for work . neutral +Messages about alcohol don 't come out the way you say them when they 're broadcast , he replied . The words lose their meaning when spoken that way . entailment +I bid $ 225 , which exhausted my willingness to pay . I bid $ 225 on a pair of Britney Spears ' underwear . contradictory +There were a hundred clicking sounds as bullets popped into chambers . There was no sound made from the bullets or the gun . contradictory +A University of California , Irvine , study released Wednesday found an interactive computer system effectively helps people fill out paperwork for restraining orders , eviction defense , small-claims cases and requests for filing-fee waivers . Interactive computer programs make the process of filling out paperwork easier and quicker for people . neutral +Its semi-circular seats , and the Prytaneum , where archaeologists found two statues of Artemis , now on display in the Selcuk Museum . The Selcuk Museum has three seats that are still in excellent condition . neutral +So we turn to technological visionaries as we once turned to shamans . As we once we went to shamans , now we turn to technological visionaries , said the IT teacher . neutral +the place where we went has a separate area for beginners it 's called the Sun Bowl there is no area for beginners at the Sun Bowl contradictory +Reprimands can come from the associations or from colleges and universities themselves . More reprimands come from the associations than from the colleges and universities . neutral +LSC developed and distributed the document to the public for comment The LSC cares about the comments of the public . neutral +but you don 't really know however , you really aren 't sure entailment +Consideration of guidance for the recognition , measurement and display of obligations for social insurance programs has continued to present the Board with significant , vexing theoretical and practical problems . The Board has been presented with vexing theoretical and practical problems . entailment +i think it 's thirty six yeah It would take thirty six hours to complete it . neutral +and uh everyone 's a manager but nobody can get one more point to become you know like whatever you need to earn so much money Everyone is a manager , but they aren 't paid well and it 's hard to get a raise at IBM . neutral +Pick up a copy of the free handbook with color-coded floor plans at the information counter ' renovations and improvements are almost constant and exhibits may have moved since your last visit . There are 10 exhibits in total . neutral +Last week we purged our delivery lists of people who hadn 't subscribed . We removed all those people who had yet to subscribe . entailment +The status quo is simply unacceptable . The president should work to establish a new status quo . neutral +A few miles farther is the turn-off for Will Rogers State Historic Park ( 1501 Will Rogers State Park Rd , Pacific Palisades ) , a 186-acre ( 75-hectare ) ranch that belonged to the late cowboy humorist . A statue of Will Roger 's horse , Trigger , is available for photo ops , neutral +Shocking [ A ] s many as 20 percent of schoolchildren may have a neurological deficit , ranging from mild to severe , that makes it hard for them to read and write . More than 50 % of schoolchildren have severe neurological deficits . contradictory +i think they have um a one that we need to recognize that we 're going to have to supplement ourselves and that 's certainly one of the reasons that i 'm sure that they 've begun the I think there is one that we will need to supplement ourselves . entailment +The effects of computer-tailored smoking cessation messages in family practice settings . All smoking cessation messages must be hand crafted by humans . contradictory +Come now , you can 't say I 'm sentimental , she added sharply . I used to be sentimental . neutral +Poland 's development of a market economy has produced a proliferation of stores and boutiques , including many imported from Western Europe and North America . Poland 's economy has not been influenced by Western Europe . contradictory +In-line skates have become very popular for touring the town and can also be rented ( see page 103 ) . You can rent skates to get around , but their popularity is in flux . neutral +Yet many of today 's progressives are economic nationalists , viewing unilateral tariffs as the policy tool of choice . A lot of today 's progressives are economic nationalists , according to the leader . neutral +For revolving funds and trust revolving funds , as explained elsewhere , the interest is normally but not always an exchange revenue . Exchange revenue is really valueable . neutral +EXCHANGE REVENUE - Inflows of resources to a governmental entity that the entity has earned . Exchange revenue isn 't anything earned contradictory +Pro se assistance empowers people to help themselves and makes our court system work better . Pro se assistance empowers people to get help and make the court system work better . entailment +Shall I ever be ? " She clutched Tuppence 's arm . Tuppence 's arm was clenched . entailment +yeah almost all the time Yeah , she sleeps here almost all the time . neutral +For example , if the average piece of mail travels 1,000 miles and that is the cost on which the rate is based , mail going over 1,000 miles gets a relative bargain and mail staying in the office of entry can be viewed as helping to finance the long-distance mail . Mail that goes long distances are unintentionally subsidized by shorter distance parcels . neutral +well they 're gonna beep us pretty soon They never beeped at us . contradictory +The cooler climate makes jungle walks here a special pleasure , not least of all for the myriad brightly colored butterflies around the waterfalls , with almost a dozen officially listed . There are flora and fauna such as butterflies as well as waterfalls . neutral +However , he went to the length of unbolting it , and opening and shutting it several times ; this he did with the utmost precaution against making any noise . He worked with the door for five minutes , and tried not to make a sound . neutral +Last week , Gelbard called the KLA a terrorist group . The Clinton administration has tried to play it both ways on Kosovo . The Bush administration has played it different ways on Kosovo . contradictory +Notwithstanding these concerns , EPA attempted to respond to the Senators ' request by mapping in the critical assumptions of the CEF as a range of policies that provide a set of alternative assumptions about the future . EPA had no attempt to respond to the Senators ' request contradictory +well other than i need to go you know more I need to attend more often . entailment +But more on that in the next episode . There will be more about that in the next episode . entailment +His hometown was Ornans . He was from Ornans . entailment +However , upstart John McCain 's official site , like Bradley 's , is the most popular destination for those who 've entered his name into a search engine . John McCain 's website gets more than a million hits every month . neutral +When GAO needs access to classified , proprietary , or otherwise sensitive information , it will comply with all applicable statutory requirements , including obtaining the necessary security and other clearances for assigned GAO staff . GAO needs some financial information that has security clearances . neutral +I do not like what I have heard , no , I do not like it at all . " I dislike what I have heard , I really disliked hearing that . entailment +The New York Times says he won 't try to indict them but might publish a damning account of their behavior . He will publish an account of their behavior that will cast doubt upon them . neutral +The spear snapped in half . The weapon was made of frail materials . neutral +you know one of the the best television news shows that i saw during the war was a show on a Saturday morning on ABC and it was for children and it was hosted by Peter Jennings There were no shows for children during the war . contradictory +A story says that there is still virtually no evidence linking the Sudanese pharmaceutical plant bombed by the United States last year to chemical weapons production or terrorist Osama Bin Laden . According to a story , the Sudanese Pharmaceutical plant bombed by the US had strong links to terrorist Osama Bin Laden . contradictory +Neither of you will leave this room alive ! You will both die in this room ! entailment +The conventional understanding at the time was that it was Morris ' liberal enemies--George Stephanopoulos , Harold Ickes , and Leon Panetta--who were arguing in favor of fiercely resisting Republican cuts in social spending , while Morris was telling Clinton to distance himself from the intransigent congressional Democrats . MOrris had liberal enemies . entailment +The marginal cost of SO2 and NOx reductions through 2015 are less than $ 450 / and $ 2,300 / ton , respectively , in all four multi-emissions reduction scenarios . SO2 and NOx reductions have no marginal costs . contradictory +and then i found myself short of cash so i uh also went in for a part-time job so by the time that i got home after my second job I had plenty of cash and barely had to work . contradictory +It was rebuilt in 629 but partially destroyed by an insane Egyptian caliph in the early 11th century . It was rebuilt in the early 10th century . contradictory +But a hot bath to be followed by a meal which was not the jerky , corn meal , bitter coffee of trail cooking ! He was going to have a bath and some food . entailment +Whatever the story , this privately owned cave , of modest proportions , is open to tourists for a small fee . Regardless of the story , the small privately owned cave is open to tourist for a fee . entailment +But Hubbell won 't break easily . Hubbell will break easily . contradictory +rather than put it on a credit card It would be the worst idea to use a credit card . contradictory +i i see a lot of things like uh scouting uh I see a lot of things in the forest , like scouting for one . neutral +On the chapel 's altar wall is Michelangelo 's tempestuous Last Judgment , begun 23 years after the ceiling 's completion in 1512 , when he was 60 and imbued with deep religious soul-searching . Michaelangelo was 60 years old when he first began creating the Last Judgement . entailment +it 'd be cheaper to move that than buy another one Relocating this one would be less expensive than buying another product . entailment +And so there is no proof that any particular religion is sexier than any other . And so , there is proof that Islam is sexier than any other religion ! contradictory +Early events surrounding the Indo-Aryans can be deduced from the later writings of the Rig-Veda ( priestly hymns ) , Puranas ( ancient tales of kings and gods ) , and the epic poems of the Mahabharata and Ramayana . The later writings of the RIg-Veda had to do with Indo-Aryans . entailment +Saving Rate , Working Paper No . The paper dealt with the negative saving rate . neutral +Jon drew his rapier and ran forward . Jon ran towards the enemy . neutral +It is probable that Mrs. Inglethorp returned earlier than he expected . Mrs. Inglethorp arrived when he was expecting her contradictory +One of the reasons why the Germans and the French have fought for possession of this province is that it 's such a good place to live . The French defeated the Germans and own the province now . neutral +I spent two years with them , learning their religions and philosophies of the cycle of life . I learned their way of life . entailment +Try Bally 's for the latest selection ; after all , they manufacture them . The only manufacturer of the latest selection is Bally 's . neutral +Merry Christmas from all of us at It is Christmas time . entailment +uh-huh well i have two small kids and so i i don 't have you know much time to to go places and play sports you know i have to do something where i can do it at home and I take my children to and from kindergarten . neutral +an and quite honestly i i feel very strongly that the man has the has no redeeming social values and if if and when he comes gets free again he will have no compunction but to complete that that same kind of lifestyle i mean continue that same kind of lifestyle and perhaps do the same thing again so it really bothers me that there 's not a way of getting him out of the way forever This man 's lifestyle really bothers me . entailment +and it it was tough understanding understanding those folks Understanding those people was difficult . entailment +feline leukemia so we know we try try real hard to keep them healthy we should probably care better for their health contradictory +Luckily , two truly magnificent museums preserve the region 's treasures from the ravages of earthquake and theft . All of the region 's treasures are stored in a single museum . contradictory +They exported salt from the southern end of the island and lead from the mines of Sant Carles , and at the same time extracted a purple dye from shellfish which was used for imperial cloaks . Salt , lead and a purple dye were all exported . entailment +new state that is so very very poor The new state is financially poor . entailment +Of all what ? Of all what exactly ? neutral +Henry Gonzalez , the nuttiest , most obsessive Democrat of the last generation . Henry Gonzalez is not a Democrat by any definition . contradictory +Even the strongest spell can 't bring back his soul . Even a simple spell could bring his soul back . contradictory +A great deal of money is being spent on cost studies , but when the budget for these studies is Cost studies have a lot of money being spent on them . entailment +you know it was kind of a a brisk feeling outside but it wasn 't freezing the leaves were turning and now that part of a winter up there i could truly love but uh Somedays even when it wasn 't freezing there would still be snowfall . neutral +There are more than 30 attorneys in Butler County that volunteer for an organization offering free legal services for low income or elderly households . An organization in Butler County offers free legal services . entailment +and uh we were split uh ten to two so it was uh a good thing that it wasn 't a total waste of time to have a hung jury on a case that trivial The jury was split 50 / 50 , we couldn 't reach an agreement . contradictory +As corporations moved in and the mob was slowly pushed out , a new Las Vegas emerged . Las Vegas was never reborn and filled with crime . contradictory +Merrimack Valley Legal Services , which has an office in Lawrence , is convenient for people with cases in the Essex County Probate Court division in that city . Merrimack Valley Legal Services helps people find free attorneys in Essex County . neutral +The fools cannot hold the shell . If they drop the shell , it will break . neutral +It was built by Louis Le Vau in 1668 to harmonize with the Louvre across the river . It was designed by Louise Le Vau , an architectural genius , during 1668 to complement the Louvre across the river . neutral +What makes heroin users ' life so crazy is that their dependence on an illegal drug forces them to enter a criminal underworld . Heroin users are not known to join the criminal world . contradictory +i tried uh this past year writing uh journal articles but uh i found out it cost me more than the the honorariums i got for writing them I tried writing journal articles but it cost me more to write than any profit I made . entailment +He does none of the line editing of articles for Transition , even though it proclaims his editorship in ads . Transition states someone is editing even though they aren 't . entailment +I say nothing of the fact that you owe us your life ; that may be a small enough gift , and one quickly withdrawn . I won 't mention that you owe us your life , since we can take that away quickly . entailment +have you had many calls You have a telephone , right ? contradictory +It was the expression on his face that was extraordinary , a curious mingling of terror and agitation . He looked very scared and mad at his wife . neutral +Then I remembered that enigmatical conversation between Poirot and Evelyn Howard . Suddenly , that anigmatical conversation Poirot had with Evelyn Howard made total sense . neutral +What had actually occurred was this . This did not happen at all . contradictory +oh is there okay well we didn 't go camping we just uh we did like um we drove down to Houston to visit friends and went went to Galveston and uh to San Antonio and then up to Austin and and kind of uh you know doing the sight seeing type We have friends from college who live in Houston . neutral +Leading commercial companies expect their program managers to deliver high-quality products on time and within budget . Leading commercial companies do not expect program managers to deliver high-quality content . contradictory +On November 15 , 1994 , OSHA published a Notice of Proposed Rulemaking . On November 15 , 1994 , OSHA was dissolved . contradictory +In real hearings , adversaries brandish impressive-sounding studies and tell sob stories , rather than making buffoonish personal attacks . In actual hearings , buffoonish personal attacks are unheard of . entailment +grew up for the most part with mothers in the home but again my generation plan of women plans on working and not being at home My generation was raised with mothers in the home , but now women intend to work and not stay home . entailment +Some boards do run hospitals like for-profits . 1 in 10 hospitals is operated like a for-profit . neutral +Thus , the analysis requires a distribution of outbound mail by weight interval . The outbound mail are distributed by weight interval . entailment +The pagoda-like structure , built in 1885 , is 251.2 m ( 84 ft ) tall and was once used for water storage . The pagoda-like structure was built in 1919 and demolished in 1950 . contradictory +Course maybe he ain 't used t ' runnin ' out here whar th ' ground ain 't made all nice an ' easy fur his feet . The war ground is not easy on a person 's feet . entailment +Well , I 've got to keep them till the circus comes , don 't I ? I 've got to figure out what to feed them meanwhile . I do not need to worry about them now . contradictory +well i don 't know like back in my particular office there must be at least uh twenty twenty five people one secretary no typewriter it 's all computers everybody 's got a a PC sitting in front of their desk The secretary in my office uses a typewriter . contradictory +On Wednesday , NBC sinks to new lows with The Hard Evidence of Aliens Among Us ? There are aliens that live undetected amongst humans . neutral +The most established town is Hurghada whose small offshore islands sit among some of the best diving waters in the world . Divers regularly visit Hurghada 's offshore islands to enjoy the nearby diving waters . neutral +uh-huh i i always enjoy watching this Dallas the Dallas and Pittsburgh together you know I hate watching Dallas and Pittsburgh , they 're the worse . contradictory +Sisler characterized a change in light extinction of one deciview as a small but perceptible scenic change under many circumstances . One deciview is a substantial enough unit of air quality to be visible , the smallest possible measurement while still distinguishable by the naked human eye . entailment +The world 's largest surfing contest , the OP Pro Surfing Championship , is held annually in July and August at Huntington Beach Pier . Huntington Beach is home to the world 's largest Pro Surfing Championship . entailment +The request also specified that EPA should evaluate the cost of achieving these reductions using four alternative technology The request said the EPA should evaluate how much it saves to reduce the technologies . entailment +I am not opposed to Jewish toughness . Jewish toughness is fine by me . entailment +Critics are divided over the Peruvian novelist 's latest , about the fantasies of an insurance executive whose estranged wife slept with his preadolescent son . Critics are all disappointed about the Peruvian novelist 's latest . contradictory +The mission of the Coast Guard 's Office of Marine Safety , Security and Environmental Protection is to protect the public , the environment , and The Coast Guard 's Office of Marine Safety , Security and Environmental Protection has no mission to protect the public or the environment . contradictory +At Plumer Square you are at the center of a district of public gardens . There is a public garden district , with Plumer Square in the middle of it . entailment +As Krishna , he is usually depicted with a blue face , an after-effect of swallowing a poison that threatened the world , and is often represented playing a flute or sporting with the milkmaids he seduced . Krishna is the proud god , savior of the world , and his deeds earned him many favors . neutral +10For example , the adverse effect minimum wage rate for New York H-2A workers in 1999 is $ 7 . New York H-2A workers worked under a minimum wage rate of $ 10 in 1999 . contradictory +The most glaring example is in regard to the mixed signals that associates may get concerning pro bono . Mixed signals from associates is the most glaring example , which is sad because associates should be direct . neutral +The FDA has cited sections 502 , 510 , 518 , 519 , 520,701 , 704 and 903 of the Federal Food , Drug and Cosmetic Act ( 21 U.S.C. The FDA cited the Federal Food , Drug and Cosmetic Act to help pass a law in congress . neutral +GAO is also utilizing the strategic plan to manage our own transition . GAO is not doing anything for our transition . contradictory +The Net , though celebrated as a libertarian institution , can also be the opposite . The Net is completely against libertarianism and does not take contradictory stances . contradictory +The Kal feigned and Adrin reacted . Adrin reacted when Kal feigned . entailment +Then she came again . She returned to the place again . entailment +She 'd had her orders , I guess . I think she was asked to do it . entailment +You 'll pass two huge sentinel statues 21 m ( 68 ft ) high on the river plain facing out towards the Nile . The sentinel statues are rather minute . contradictory +In its heyday Port Antonio was the undisputed banana capital of the world , with an additional the banana boats brought the first tourists to Jamaica . The first tourists were brought to Jamaica on banana boats . entailment +On a more mundane contemporary level , the most popular Nagasaki lunch is a solid , nourishing bowl of Chinese noodles in a tangy fish broth laden with a cornucopia of mushrooms , fish , prawns , vegetables , and other goodies . The most popular Nagasaki lunch item is sushi . contradictory +um-hum but uh you know he 's got uh millions of dollars like He really couldn 't be poorer . contradictory +well that will be neat It might be a neat situation when I have more information . neutral +In order to investigate the impact of using the CV based WTP estimates , the Alternative Estimate relies on a value for incidence of chronic bronchitis using a cost-of-illness estimate based Cropper and Krupnick ( 1990 ) which calculates the present value of the lifetime expected costs associated with the illness . The estimate takes many factors into consideration , such as age , gender , and income . neutral +no no what they 're doing is they 're asking for handouts They are asking for handouts . entailment +Before the tram was built , sedan chairs and rickshaws were the only way to get here . Rickshaws are still plentiful and are a cheap manner of travel . neutral +Chambers charges $ 150 an hour , compared with the going New York rate of $ 250 for consultation and $ 500 for court appearances . The rates of Chambers are lower than others . entailment +Sankei-en is a special delight from February though early April , when the plum and cherry trees blossom . Spring is the best time of year to visit Sankei-en . neutral +uh okay okay that makes sense then i believe No , that is stupid . contradictory +I have a treat for you today , said Jon . The treat you will get is a chocolate cake . neutral +yeah yeah see the problem i have now is uh i i want mobile because i 'm not really sure what is going to happen a year from now i 've moved like I know what I 'll be doing in 12 months . contradictory +At present we are all thinking so much , and saying so little . " We are not saying much . entailment +The executive branch has chosen not to use this mechanism . This mechanism was not used by the executive branch . entailment +I can 't help feeling , I continued blunderingly ; " that we 've rather left her out of the possible suspects , simply on the strength of her having been away from the place . Just because she was not present , it does not mean she is innocent . neutral +Eventually , the Democrats will overreach again , and the public , ever wary , will turn against them . Democrats have a tendency to overreach which causes the public to be apprehensive . entailment +well sometimes but i tell you i 'd sure like to be able to get on a bus or something and get to work but if i did it it 'd take me about an hour and fifteen minutes i would have to get on one and drive or walk to a bus you know there 's one terminal close to us and then they 'd drive me to the main terminal here then i 'd have to go to downtown Dallas and then walk over a couple of blocks and get on another bus to go to my school The bus is the fastest way to get to work . contradictory +Transmissions of receipt and acceptance data will come from multiple locations and possibly from vendor locations where , for example , a government employee transmits data electronically from a fueling dock and from agencies ' remote locations , including field offices and sea vessels . Vendor can access the data about receipt and acceptance electronically , anywhere across the world . entailment +As long as sufficient skills are retained inhouse to meet the smart buyer approach discussed above , there does not appear to be any greater risk from contracting out a broader range of design review functions , including such services as construction document discipline reviews and code compliance checks , so long as such functions are widely available from a competitive commercial marketplace . The smart buyer approach needs specific skills such as negotiation . neutral +You could tell your friend that you won Dr. Famous in a raffle . You can 't tell your friend that you won Dr. Famous contradictory +i was a mechanical engineer i did uh package design and i uh when we first contacted Onum years ago I worked as an engineer that designed the packaging entailment +Abraham Lincoln was sitting in a seat . Abe Lincoln was not standing . entailment +Fountains , inns , religious schools , and barracks were constructed . No structures were ever erected here . contradictory +oh i know i can 't imagine even well that would it is just pretty bad but so i guess um I could not imagine how bad things are . contradictory +When Amunophis III originally commissioned the scarab it was placed at his temple on the west bank . Amunophis had more than just the west bank temple . neutral +yeah somewhat uh have to kind of watch watch the weather make sure everything is going the way it 's supposed to The weather is what makes it grow right or wrong . neutral +i looked in every day care there was in Louisville and you know and there were places that were cheaper but is it I never bothered to look for every day care . contradictory +The latter dates back to 1890s , while the present facade was built in the 1950s , with the temple still home to a group of monks and nuns . The temple is huge , and it was populated through all these centuries . neutral +But Jacob was pierced by shafts of doubt . But Jacob wanted to be shown the hard evidence . neutral +And those few who 've not yet plummeted to a fiery death possess so vivid a sense of their own mortality , that they 'd instantly cancel Larry King . OK , look at it this If more congressmen and CNN executives rode the New York City subway , then trains , not planes , would suffer from unrelenting crowding , lack of privacy , infrequent communications with family and the outside world . Larry King has a show on CNN . entailment +Certainly , some religious groups associate sex with sin , which can either be inhibiting or inspiring , depending on your point of view ( and whether or not you own your own vestments ) . Sex being a sin is wonderful and celebrated by everyone . contradictory +Sidestepping the stagnant economic burden of Spanish domination , the sparsely populated duchy expanded quickly . Spain 's army conquered the duchy and it immediately shrunk . contradictory +Combination of SCR and FGD will also result in significant reduction of mercury emissions , thereby mitigating the need for the addition of ACI . SCR and FGD will also result in significant reduction of mercury emissions . entailment +The taxpayer clinic is unique because it is one of the few opportunities for tax practitioners to assist individual taxpayers on a pro bono basis . The advice is given for free at events held in shopping malls . neutral +'No one else . Everyone was there . contradictory +Yet he had a certain charm of manner , and I fancied that , if one really knew him well , one could have a deep affection for him . He had a different type of manner . neutral +In the 1920s , the famous journalist Lincoln Steffens came to the Soviet Union and I have seen the future , and it works . Steffens went to the Soviet Union to advocate for justice . neutral +Just a little way out of town is Tryall Estate . The town is a good place to walk to . neutral +The two main arteries of the city are the busy shopping center along Mount Road and Beach Avenue , where you 'll find the University , Cricket Club , and San Thom ? ? Cathedral . Nobody goes to the shopping center at Mount Road and Beach Avenu . contradictory +His cruel streak extended to the woman he married , a beautiful physics student named Alicia who was awed by this genius with a penis . His wife , Alicia , was in awe of his penis . neutral +The 1972 ABM Treaty permits the United States and Russia to deploy 100 interceptors to defend either a missile field or the national capital . The 1971 ABM treaty regulates how many violins each country may have at a time . contradictory +uh-huh yeah it 's been around for a long time hadn 't it It hasn 't be around long . contradictory +yeah same with drunk drivers Exactly like with drunk drivers . entailment +In Illinois , he served as an Assistant State 's Attorney in DuPage County from 1950 - 1952 and as State Representative in the Illinois General Assembly from 1957 - 1964 . He preferred serving as an Assistant State 's Attorney rather than a State Representative . neutral +Most agree that he 's a Clinton-style weather vane , adapting his positions to the demands of contrary constituencies ranging from the army to foreign investors to Western diplomats . While he changes position on many topics , his view on the armed forces is steadfast . contradictory +i don 't know i just remember Sting was in it I remember Sting was in it . entailment +The model rules explicitly reject virtually everything Feige said in his Gist piece . The model rules are very accepting of the Gist piece by Feige . contradictory +Monica moves to the Pentagon , but the relationship intermittently continues . The relationship intermittently continues after Monica moved to the Pentagon . entailment +As a largely immigrant society , the State of Israel provides home to people from over 80 countries around the world . All the Jews in Israel are born and bred in Israel . contradictory +But isn 't this ubiquitous propagandizing what we mocked and derided when the Soviets did it ? We may think it 's reasonable to act this way , but isn 't this the propagandizing that we derided when the Soviets were doing it ? neutral +Furniture and art collected over the generations fills the house , but perhaps most fascinating is the collection of original musical instruments and machines used for entertainment before the advent of electricity . The house contains lots of furniture and art . entailment +The Postal Service commented that , in its view , legal constraints would not preclude a contract mechanism in principle , but that no such arrangement would be permissible without the Commission 's participation in accordance with 39 U.S.C. The contract mechanism was , as stated by the Postal Service , illegal . contradictory +But it seemed that stalling wasn 't going to work . It appeared that he wasn 't going to be able to stall for time . entailment +Although I speak with an English accent , my pronunciation can be modified to American English . Although I have an English accent I can 't modify my pronunciation in order to speak American English . contradictory +i drive out of my complex early in the morning and go over there usually before the polls even open and and vote right at the you know number one or two sometimes the third or fourth person in in line I enjoy voting early because I am among the firsts to vote . neutral +Until recently , their industry was illegal almost everywhere . Their industry has been illegal until recently . neutral +Considering Legal , Regulatory , and Other Compliance Requirements There are Legal , Regulatory , and Other Compliance Requirements entailment +Meanwhile , the total value of households ' stock holdings grew more than fourfold over the 1990s , and stocks as a share of households ' total assets increased from 10 percent in 1990 to 28 percent in 1999 . The total value of household stock holdings decreased fourfold during the 90s . contradictory +right or what you 've heard on TV which i think is just outrageous i i don 't agree with how the uh media handles elections The media is biased when it comes to the elections , as they can be influenced by the candidates . neutral +These are very much a living tradition that has maintained its high standards . The standards warrant a visit due to how great they are . neutral +The Clinton administration , most of the Senate , and a slew of economists opposed the bill , agreeing that it would invite protectionist retaliation from other countries . The Clinton administration was concerned that the bill could lead to retaliation from other countries . entailment +Yes , said Ca 'daan . Ca 'daan said , " No , you 're not allowed to go . " contradictory +To more vividly convey that coloring , many newspapers encourage their reporters to wield the tools of the novelist , opening a story with an evocative detail , such as these leads , both from the front of today 's New York Times : Ana Estela Lopeze dreamed of saving enough money to return to El Salvador to open a clothing store and build a three-bedroom house ; and Rani , an illiterate woman from the washermen 's caste , changed into her prettiest sari one recent morning . The Newspapers are more than ten . neutral +The difference is that whereas campaign finance is an immensely complicated problem that can only be fixed with changes in the law , the Augean stables of K Street could be cleaned up pretty easily if anyone cared . Campaign finance laws must be changed by Congress . entailment +In Invisible Man , the Talented Tenth narrator must overcome not only the various ideologies that are presented to him as masks or subversions of identity , but also the various roles and prescriptions for leadership his own race wishes him to fulfill . The Talented Tenth narrator has to overcome the ideologies . entailment +Adrin grasped his right hand with his left . Adrin joined his hands together . entailment +and it 's just got Happy Birthday printing on it and a cute little phrase inside and it 's just a paper bag The printing on the paper bag is about Christmas . contradictory +and uh and i 've i 've done a lot of canoeing but never have camped out over night and and they makes a lot make a lot of good points about at least with a canoe you don 't have to carry everything I have canoed a lot , and I didn 't have to carry everything . entailment +uh yeah in Dallas all around the Bay Area contradictory +Musical rhythms were traditionally matched to the complex cadences of the epic poetry of Greece . Greece 's music was strongly influenced by the rhythms of its poetry . entailment +um well that 's good That 's bad . contradictory +I was suspicious still , and lay quite quiet for some time . I lay silent for a bit and was still cautious . entailment +In the inner courtyard the Scala dei Giganti staircase is so named for Sansovino 's giant statues of Neptune and Mars . The Scala dei Giganti staircase is unique and one of a kind . neutral +He would not make it . He would not survive . entailment +Try to arrive as the chapel opens or at sunset ( see page 39 ) and make your way to the upper level , where light blazes in through 15 stained-glass windows separated by buttresses so slim that there seems to be no wall at all . The optimal time to arrive is at midnight , as the windows are best appreciated when it is dark outside . contradictory +until i can get a real salary and then get taxed more so i don 't know i don 't i guess i guess at this point in time we 're just sort of going to have to live with it and hope that it gets better There is nothing we can do about it at this point in time . entailment +The first of Grenewald 's painted panels depicts on one side the conversion and temptation of Anthony and on the other the birth of Jesus and a chorus of angels . You can view the birth of Jesus and Antony 's conversion on Grenewald 's painted panels . entailment +Another curious enigma about Columbus that has baffled historians is that no reliable likeness of him has ever survived . Numerous reliable depictions of Columbus have survived over the years . contradictory +The Greyfriars Church was closely linked with the Protestant Covenanters , and many of those hanged in the Grassmarket are buried here . Greyfriars Church was associated with the Catholic church . contradictory +well today it was i mean the air was just so sticky so damp THe air was dry and clean . contradictory +There are several very well known parallels . All parallels are unknown . contradictory +oh really mine sort of he looks at the pattern and he says how do you get that from there to the to the material He looked at the patterns and didn 't understand how it worked quite . entailment +If it is known , however , that other contributions in a significant amount were made , that fact ( for example , expressed as a percentage of the total program ) may be reported even if the exact amount of the contribution is not known . The exact numbers for the contribution are unknown because the numbers are still coming in . neutral +Almost undoubtedly , however , it has some positive slope . It definitely has some positive slope . entailment +Approximately 30 percent of rural routes serve non-rural urban suburbs . Rural routes do not serve any non-rural urban suburbs . contradictory +Regulars have shown up yearly for decades . Regulars have gone to the island for decades . neutral +, GPO Access ) and web sites for particular agencies or offices that have identified rules available for comment ( e.g. Websites that agencies have allowed rules available for comment . entailment +Why , it 's their Chineseness , of course . It was their Japaneseness . contradictory +This means , for example , that for a large mailing going 3,000 miles , the same postage would be charged for e-ounce pieces requiring one tractor trailer as would be charged for 3-ounce pieces requiring four tractor trailers . Postage is cheaper . entailment +next to every window the state seems to have put up a turnstile and every time you look at a look at the mountains The state has put up a turnstile next to every window it seems . entailment +and you know they 're not making that much money they 're making probably more like five or six on the welfare so where 's the other ninety percent going well it 's going to the some fat guy in the middle who 's sitting there on his behind all day doing nothing but filling out papers They are not making that much money because the middle man takes like ninety percent of it . entailment +Look for the graffiti of Napoleon 's French soldiers on the stone of the towers ; they spent some time garrisoned at the mosque and made sure they left their marks for posterity . The graffiti has unknown artists contradictory +and um yeah we had some weird cucumbers because they grew inside the fence i mean like the little thing would be half on one side and half on the other The cucumbers we grew were as ordinary as any . contradictory +The Democratic base will awaken . The democrats will wake up . entailment +Leadership is about being clever , hard-working , and drawing the best work from a team . Leadership is about being hard-working leader . entailment +Chenonceaux ( unlike the chateau , the town is spelt with an x ) is on the south side of the Amboise forest . Chenonceaux is on the south side of the Amboise forest . entailment +It would have broken your wrist . It could possibly break your wrist . entailment +Thus , I have never even touched a girl , much less kissed one . I have cuddled with many girls and kissed at least two . contradictory +Samson had his famous haircut here , but he would find it hard to recognize the thoroughly modern town of today . The town was the place when Samson had had his hair cut . entailment +Critics complain that Los Angeles architect Barton Myers ' postmodern building , consisting of concert halls and theaters , looks like a cineplex ( Mark Swed , the Los Angeles Times ) , with interiors that verge on kitsch ( examples of steel rods poking out of ceilings ; floors inlaid with colored stones ) . The critics hated the building because it looks like a normal movie theater . entailment +Outside , cops scurried . The cops were hurrying around looking for the man . neutral +uh-huh uh-huh oh for heaven 's sake what a cheapskate Goodness , that 's stingy . entailment +it is nice he matter of fact he was here today it was the first really warm weather we 've had and he came out and cut the yard and trimmed the hedges and all that He came today and mowed the lawn , trimmed the hedges and rake the leaves . neutral +Leonardo 's Annunciation ( 1472 1477 ) of a few years later already shows his characteristic gentle tone and feeling for precise detail , and the Adoration of the Magi , even as an underdrawing left unfinished by his departure for Milan ( 1481 ) , reveals his revolutionary power of psychological observation . Leonardo left for Milan in 1481 to seek out more challenging commission work . neutral +Bargaining is not just recommended here , it is almost compulsory . Getting the best price is frowned upon here to the point that it 's been banned socially . contradictory +The same result would ensue from excluding LSCfunded lawyers from welfare litigation entirely . The result if LSC-funded lawyers were removed would be the same . entailment +For the Ancient Egyptians , Aswan was the place where the yearly flood of the Nile began . Aswan was a place of great reverence . neutral +Poor Emily was never murdered until he came along . Emily is alive and well . contradictory +The cake she chose was decorated with a space ship and launching pad under a sprinkling of white stars , and a planet made of red frosting at the other end . She chose a cake with a spaceship , stars , and a red planet on it . entailment +They have been made to feel by the abuser that no one is going to help them do anything , so when they come to us they are desperate , she said . The abuser makes them feel empowered . contradictory +You scored 190 , and besides , you 're not as old as I am . ' You scored 200 and are exactly my age . contradictory +What I meant was that the French set about marriage in a businesslike way find two people who are suited to one another , look after the money affairs , and see the whole thing practically , and in a businesslike spirit . " The French are very loose when it comes to marriage , some may even say disorganized . contradictory +Not much to look at but you 've done good work , it seems . Could have used more detail , but I think you have done decent work . neutral +Iowa and Nebraska The states of Iowa and Nebraska . entailment +The hardware and equipment to support wet FGD technology involves five major systems . The hardware and equipment to support wet FGD technology only involves three major systems . contradictory +yeah a lot more appointee 's i guess makes him carry a lot more weight There is a direct relationship between the number of appointees and the weight he has to carry . entailment +Do most of us identify with one or the other or are they just oversimplified descriptions designed to attract associates surfing the Web ? Do most of us identify with that corporation or is it too simplified for people who are Googling ? neutral +that 's the most fascinating thing That thing is completely boring . contradictory +uh-huh have you heard the forecast for the week coming up Did you hear this week 's forecast ? entailment +For Louis XIV 's wars against the Netherlands in the 17th century , the military architect Vauban built a line of fortifications at Calais , Dunkerque , Douai , Valenciennes , and ' still visible ' the great citadel at Lille . In the 17th century , Louis XIV had no wars with the Netherlands . contradictory +and there 's The History of Yoakum County Texas there There 's also The History of Yoacum County , Texas . entailment +An appreciative listener is always stimulating , and I described , in a humorous manner , certain incidents of my Convalescent Home , in a way which , I flatter myself , greatly amused my hostess . I described my time in a rest home with some humor . entailment +The warlocks leaped back under the roof . Warlocks went under a roof . entailment +somebody dropped that baby when it was born oh That baby is so ugly it must have been dropped after birth . neutral +Star rapper Shakur was murdered , and Knight went to jail . Shakur was murdered and Knight went to jail . entailment +It 's lined with stores like Brown Thomas , Laura Ashley , and Marks and Spencer . There are very few stores to choose from . contradictory +The author will be Jonathan Chait , who is conversing with Jodie T. Allen this week at . Suggestions are welcome at debunker @ slate.com. Jonathan Chait will be the author speaking with Jodie T Allen . Send suggestions to debunker @ slate.com entailment +At its worst , it 's become a new refuge for the untalented musician , a fact that Ryan Adams from the band Whiskeytown owns up to in the song Faithless Street : I had started this damn country band / ' cause punk rock was too hard to sing . Ryan Adams acknowledges that he 's not very good at singing . entailment +His next shot split open the forehead of another rider with spiked hair washed dark brown with blood . He killed another rider . neutral +Mejillones ( mussels ) can be remarkably good steamed with a dash of white wine and garlic . Mussels can 't be prepared in a way that makes them taste good . contradictory +and that does look very odd in the water Water makes it look much better . contradictory +A case is defined as the provision of permissible legal assistance to an eligible client with a legal problem , or set of closely related legal problems , accepted for assistance supported by LSC or non-LSC funds in accordance with the requirements of the LSC Act , regulations , and other applicable law . Cases for these purposes are those where legal assistance is offered to an eligible client and is supported by LSC funds . entailment +Hullo , Hastings . Goodbye , Hastings . contradictory +Instead , courts give the financially dependent spouse maintenance payments , which provide support while she or he gains a footing in the work force . Courts never order spousal support to a dependent spouse . contradictory +As important and vital as the homeland security mission is to our nation 's future , the other non-homeland security missions transferred to DHS for the most part are not small or trivial responsibilities . The non-homeland security missions are just as important as the homeland security mission . entailment +Ornate carvings on the stone facade can still just be discerned , though they have suffered greatly through weathering and pollution . The stone is smooth with no carvings . contradictory +Yes , sir . Tommy smoothed out the note thoughtfully . The note was a doodle of Tommy riding a space ship . neutral +oh sure and and they could not give him the nomination They had to nominate him . contradictory +Love is not about keeping people out , it 's about inviting people in . Love is about mistrust in other people and loneliness . contradictory +The absence of Orrin Hatch praying in the nation 's schools . Praying used to be part of the nation 's school until a few years ago . neutral +Since there was neither a proposed rule nor the receipt of public comments , HCFA has properly invoked the exception found at 5 U.S.C. There was a lack of a proposed rule and public comment . entailment +This subterranean funicular shuttles from the port to the residential district in just six minutes . It takes six minutes to go from the port to the residential district . entailment +Where , after all , does one locate the home base for the Asian diaspora or the African diaspora ? The Asian and African people of Earth were horribly displaced . neutral +Two field offices did , however , establish programs and continue to operate them , yet their dollar savings have been very limited . They didn 't save much money since two offices ran programs . entailment +They become more creative in raising funds for discrimination-based projects . They become more creative in other fund raising activities . neutral +A maximalist position on safety means only one car seat will do , the Britax . An example of a maximalist position on safety is that many different car seats would work for your child 's safety . contradictory +you know if you 're if you 're just sitting on a nice hot lake It might be nice to sit by the lake . neutral +I am not proud of the things I did but I did them . I 'm very proud of all the things I 've done . contradictory +yeah from what i 've read most people in the United States do do some type of volunteer work at some time in their lives Most people in the US have not done any type of volunteer work before . contradictory +In the towns it is notable that the churches and other focal points from that period were built on an elevated site to provide lookout posts and early warning systems . Churches were built on elevated sites so they could see the French approaching . neutral +uh-huh do you enjoy mainly network news or like CNN Do you work for CNN ? contradictory +However , whether Hindu or Buddhist , the people of Nepal live their religion on a daily basis and can be seen worshipping at shrines and temples throughout the day and night . The people of Nepal are rarely ateists , and they believe in living their life as God said to . neutral +Four boys ran from a nearby house , across the bridge , and to the main road . Five boys ran to the main road . contradictory +Had anyone seen a car standing somewhere near the Moat House that day ? No one was interested in whether a car was parked near the Moat House . contradictory +man i 'd carry garbage for twenty eight thousand a year I 'd carry rotten diapers for over twenty thousand years . neutral +France is blessed with an astonishing variety of long , high dunes on the Atlantic Coast ; craggy coves in Brittany ; vineyards in Burgundy ; steep gorges in the Tarn ; olive trees and vineyards , umbrella pines and cypresses in Provence ; and lazy beaches in the Cete d 'Azur . France has been gifted very great topography . entailment +yeah do you work do you work I 'd love to know what you do . neutral +I told one guy from Night Scene in Biloxi , Miss . I told one guy to rent the movie and watch it at home . neutral +This note of caution is not intended to dissuade the Congress from seeking logical and important consolidations in government agencies and programs in order to improve homeland security missions . This note is to guide Congress in the right direction when consolidating government agencies . neutral +From the ferry terminals on Hong Kong Island you can escape to islands without cars or cares , where the local people smile hello and , if you 're lucky , point you to a secret beach for the ultimate in quality leisure time . Ferry terminals on Hong Kong Island offer passage to islands without cars . entailment +When she chose , however , her face could be sphinxlike in its inscrutability . She could be mysterious when she wanted to be . entailment +Grandpa Thaddeus had the same condition , and that was back in the days of cloth diapers , ' Bennicito 's father tried to cheer himself up . Grandpa Thaddeus never had a condition like this . contradictory +Permits must be acquired for hiking or camping , but you can also see the interior on an inland motor tour . The inland motor tour is also worth doing if you cannot hike or camp . neutral +A common definition of diversity is developed . A standard definition of diversity is developed . entailment +The Trinfans are moving down into that section this week . The Trinfans are going to be moving this week . entailment +They were pondering the ideal distance from Pat Buchanan a person should be when that person spits on him . Pat Buchanan is a target for spitting . entailment +The relationship between LSC-funded providers and their partners in the state justice community in Colorado has always been positive . There is a positive relationship between LSC-funded providers and their partners . entailment +I have been turning it over in my mind , but I can 't see how it has anything to do with the matter ? " He was silent for a minute or two as we walked along , but finally he said : " I do not mind telling you , though , as you know , it is not my habit to explain until the end is reached . He only told me one day after our conversation . neutral +Cyrus Sanai I think Rodriguez is out of touch ( maybe quite happily ) with life as it is lived in the Columbine High Schools of America . I think Rodriguez know what real life is like . contradictory +Examples of the agencies ' expectations for customer satisfaction are shown in table 2 . The table contains examples from the agencies . entailment +I am a very bad friend . I 'm always there for everyone I know . contradictory +We had rather a scramble to get ready in time ; and before the meal was over the motor was waiting at the door . We had to wait around forever since we showered and dressed so far ahead of our dinner date . contradictory +The cone is formed by small limestone slabs set in a spiral without mortar to bind them . The cones use a dense mortar to help them bind . contradictory +In the New Republic , James Wood calls Toni Morrison 's Paradise trite and It forces magic and pure rhapsodies on its characters like a demented anesthetist bullying patients with laughing gas . Toni Morrison was a carpenter that never wrote a song or a book . contradictory +it uh that 's just the bad thing you either you either have to take the take this kind of weather or uh or take the really really cold weather You have to take the cold weather in order to get to summer . neutral +On the road from Ringlet is the Sultan Abu Bakar Lake , an artificial lake formed by the damming of the Bertam River . An artificial lake can be found on the road from Ringlet . entailment +Let us not quarrel , Boris . Boris , I 'm ready to fight . contradictory +Tommy might have wired , or something . There was no chance that Tommy had wired . contradictory +There are many reasons for this lack of real competition . There is no real competition , and it can be explained . entailment +In doing so , we also sought to develop specific case study information on how CIOs have helped improve the effectiveness of their organizationsa business operations . We wanted case study information on how CIO 's made their organization 's business operations more effective . entailment +Each day , its mini-containers had to be re-filled with substances promoting positive processes in the body leading to the return of good mood . The containers were large and had to be filled every week . contradictory +Try to listen . Avoid listening . contradictory +We are not told . We were not told to do the dishes . neutral +Six weeks ago a Times op-ed piece by political scientist Lucian Pye explored the formidable mindset that governs China today . Lucian Pye wrote an article about how Chinese people hate their government neutral +Stardom can be addictive . Stardom may be addictive . entailment +The superb central rosewindow , encircling a statue of the Madonna and Child , depicts the Redemption after the Fall . The central rosewindow depicts a scene from just before the Fall . contradictory +She 's been bombarding me with letters about you . " She gave me lots of letters concerning you . entailment +Many of the high packhorse routes had ceased to be used for the transportation of goods , but these old rights of way for foot and bridle traffic were now transformed into an extensive network of marked and mapped routes ideal for recreational walkers and hikers . Mapped routes were more ideal for those labeled as hikers rather than walkers . neutral +This information can also be found at the Malaysian Tourist Information Centre in KL . The Malaysian Tourist Information Centre in KL has different information to this . contradictory +yeah spelled as you would expect It has a unique spelling . contradictory +It is because you are trying to drown and stifle your instinct , which tells you another name ” ” " You are following your instinct already . contradictory +When she had finished he ; nodded gravely . He did not make any sound or movement , when she finished . contradictory +In response to our inquiry , Commission staff advised that OMB approved the information collection requirement . Our inquiry involved a lot of measures , but the approval of the OMB was easily the most important one . neutral +just i 've kind of got a collection going of tapes now and whenever i go visit my parents they 're always saying well bring some of your tapes and they they always borrow a few of them i was over there they live in Duncanville and i was over there at Easter I on 't have any collections . contradictory +As with any type of business activity , information security should be monitored and periodically reassessed to ensure that policies continue to be appropriate and that controls are accomplishing their intended purpose . A good practice is to revisit each policy every 3 years . neutral +Those then who controvert the principle that the constitution is to be considered , in court , as a paramount law , are reduced to the necessity of maintaining that courts must close their eyes on the constitution , and see only the law . This controverting is a common occurrence in court . neutral +In this poem , he sees divine grandeur not simply in a trite vision of nature , but in nature as human nature affects it , industrial images such as shaking metal foil or crushed oil embody the grandeur . He uses scenes of piety to show how humans affect nature . contradictory +Mobile phone operators noticed a significant fall in earnings due to a drop in profits from SMS fees . They had an increase in profits from SMS fees . contradictory +and when i went over there i packed a lot of clothes and i packed two sport jackets and two ties and the ties got lost and never got there and i was there three years or four years rather and never missed them When I got here I bought a new wardrobe because my bag was lost in transit . contradictory +But 49ers fans will always love Joe Montana more . 49'ers fans really hate Joe Montana . contradictory +She evidently went in deadly terror of her mistress . She apparently goes in frightening fear of her mistress . entailment +The Japanese Occupation ( 1941 1945 ) The Chinese Occupation of Taiwan contradictory +I took one of Marcus 's pistols and shot the crone . Marcus and I both shot at the crone , but I was the one that hit it . neutral +It is retarded under certain conditions , none of which , however , appear to have been present in this case . All of the conditions mentioned have appeared in this case . contradictory +As Rama , he usually carries a bow and arrows . Usually he is naked as Rama . contradictory +well it was up there actually that she got her fear of spiders because we sat and watched a tarantula for a long time we we you know we 'd never seen one There was a huge tarantula in the campground and we watched it for a long time . neutral +Traditional home of the Neville family , the castle fell into royal possession after a series of skirmishes . The castle is large and foreboding . neutral +The surge was topped off by Hawaii 's statehood , on 21 August 1959 , but the vision of a mythical kingdom on America 's Pacific frontier was still expanding . Hawaii never gained statehood until 2016 . contradictory +Someone , maybe a family counselor , needs to deal with the alienation the youngster feels and the hostility harbored by your husband . He should probably go to jail . neutral +you know it 's God i mean it was the biggest thing that any one in this company had ever done and he got to do it and so God just really blesses him in ways like that just trust God because i don 't know kids are a blessing and and some people we think of blessings as God must have cursed him because he has never done anything of note for this company . contradictory +really where are y 'all living now Where do you live now ? entailment +It 's Tommy , said Tuppence . Tuppence said that it was Norman . contradictory +Attack Why America Needs A Public Health Defense System to Battle Environmental Threats . America needs a public health defense system to fight environmental threats in cities . neutral +oh yeah that 's the other thing with my husband he gets he he 's one of these people he didn 't care about the flower beds and stuff we i guess we divide it pretty well that way but he he gets real picky about the grass he wants to get out there and he cuts it on diagonal My husband doesn 't care about the yard or the garden . contradictory +Selana 's father was right to object . Selana 's father disapproved of their relationship . neutral +Placa Major holds a craft market every Friday and Saturday . Placa Major has a craft market . entailment +( Remember , most of the rest of the world watches Hollywood movies without engaging in orgies of violence . ) nobody watched Hollywood movies . contradictory +Cardiac surgery , like every surgery , is a series of interlocking steps , each requiring specialized materials . Every surgery including Cardiac is a collection of steps . entailment +um-hum um-hum could be yeah could be yeah that our little tabby cat is the only cat that i 've ever seen or had that she absolutely hates to be picked up she would rather just do anything than be picked up more normally you you know you can pick up a cat occasionally anyway she just absolutely hates it i don 't know if it 's Our cat Hates to be picked up . entailment +The sound was deep and the man groaned . The man made a noise . entailment +Change of drinking and risky behaviors is left to the treatment program , and almost always , abstinence from alcohol is the goal of these treatment programs . A small number of treatment programs do not bother with teetotalism . neutral +i i haven 't made any i 've been just a recipient I have never received them . contradictory +oh yeah it is neat to get other people especially since you got other ideas about how people uh how people react to things and stuff especially when it comes to um social services uh i 'm i 'm i 'm glad they have a lot of uh um you know topics on social services because It is important to put more funding into involving other people . neutral +I am also , generally , against gambling . I used to be addicted to gambling , so I 'm now against it . neutral +Regional Effect - The acid rain program resulted in emission reductions well below the cap in the areas that contribute most of the sulfur in acid rain . The acid rain program resulted in reduced emissions . entailment +At that moment Julius rejoined him . Julius did not come back to him . contradictory +seven to ten minutes and then you can make chocolate or you can take it off and when it cools a little you put um really good vanilla favoring in it and some butter and that makes French vanilla um custard Vanilla flavoring always makes chocolate stuff taste better . neutral +A high sense of integrity took the place of what Clive called fighting , chicanery , intrigues , politics , and Lord knows what . What was once filled with integrity was now fights and politics . contradictory +When visiting the pyramids , let them enjoy a camel or horse ride out across the site . They are not allowed to ride the camel or horse without a trained professional there . neutral +Previously committed to a Triple Alliance with Austria and Germany , Italy remained neutral in 1914 . The Italians were forced into the alliance . neutral +The hotline , which is part of Legal Services of Northern California , was the only California application from 24 submitted nationwide for $ 1 . The hotline is part of the Legal Services of Northern California in Sacramento neutral +That 's the alternative and you won 't like it , I can tell you ! He won 't like it . neutral +I am grateful to Ehrlich for that amazingly strong result , because I use it to illustrate three points that I 'm always eager to drive home to my students . The students were excited to have an example to help them understand . neutral +Felipe II 's greatest lasting legacy is El Escorial , a grandiose palace and monastery in the foothills of the Sierra de Guadarrama , northwest of Madrid . Felipe II 's most important legacy were his children . contradictory +Keno is a variation of bingo in which the player chooses numbers to bet on before the draw is made . Keno is a game similar to bingo , but with a slight twist . entailment +And uh then i have given that up but uh i would really like to start that again because i am now you know not in a position that i like myself i don 't feel I don 't dream of ever starting again ; I love my current position . contradictory +The stories are set in different walks of life--a TV studio , a rodeo , a bank , an advertising agency , a toy factory--and each one seems to reflect the setting accurately . Each story accurately portrays a different setting . entailment +Andre Norton 's Ride Proud , Rebel ! dramatically portrayed the last year of the Confederacy , when brave men like Drew Rennie met defeat with honor . Ride Proud , Rebe ! was about the start of the Confederate states . contradictory +Both the timing and the policy are subject to question . The policy is subject to question because it 's very ambiguous . neutral +An article surveys the exploding--er , growing--private plane industry . The private plane industry is said to be growing in this article . entailment +Lincoln was reading a book , apparently engrossed . Lincoln had his nose in the Harry Potter books . neutral +Partnerships Balance a variety of federal , state , and local interests through timely and enhanced consultation , cooperation , and communication to build consensus . Most partnerships are between federal and state governments . neutral +Therefore , when design engineers are designing the new product , they must identify its key characteristics so that manufacturing engineers can identify and control critical manufacturing processes . Design engineers work on designing new products that manufacturing engineers build . entailment +it 's a very strange car i don 't know you if you have them down there but it 's a Saab It is a weird car called the Saab , unsure if it exists down there . entailment +and try to get more uh Dont have any more contradictory +And , anyway , I said , with increasing coldness , " as Mrs. Inglethorp took her coffee upstairs with her , I do not see what you expect to find , unless you consider it likely that we shall discover a packet of strychnine on the coffee tray ! " Poirot was sobered at once . Poirot was sceptical even after what was said . neutral +so that i don 't know if it really hampers or it helps our education system It is helping our education system all around . contradictory +we so you 're not picking you 're not having it picked up at your houses or anything yet you 're not having anyone come and get it at your houses yet entailment +In order to attenuate These concerns , it might be reasonable to place price caps on any de facto monopoly mail categories , particularly any used by small mailers with no alternatives . Price caps are not necessary . contradictory +But what if the questions come in Mixteco , Triqui or Zapotec ? What should we do if the questions come in Mixteco , Triqui or Zapotec ? entailment +A spate of recent performances of the Finnish composer 's work--at Lincoln Center , Carnegie Hall , and the Brooklyn Philharmonic--sparks Sibelius ( 1865-1957 ) revisionism . Finnish composer 's work was not performed anywhere . contradictory +And as these dumb devices become smarter , manufacturers will explore ways to make them more useful--that is , smarter still , which means connecting them to the Internet so they can share their wisdom with other devices . The dumb devices are getting smarter . entailment +Players bet on the numbers that will come up , and on whether the result will be big or small . Bets were place on which number will come up and whether it will be a big or small result . entailment +21 Managing for Federal Managers ' Views on Key Management Issues Vary Widely Across Agencies ( GAO-01-592 , May 25 , 2001 ) . Management styles in different agencies differ due to infighting . contradictory +yeah well what what do you think about that do you think that um what do what do you think about the women that are not having families because they want to continue their business What do you think of childfree career women ? entailment +and yet they 're letting more people in daily There is more people being let in than before . neutral +OMB originally denied all eight requests but subsequently approved two of the requests . OMB did not read the requests the first time . neutral +Eighth month : Slight check in career . A career checkup in the eighth month . entailment +And by the by , Prudie could not help thinking that had Mr. Clinton waited 24 hours to give that speech , it might have been quite different . Mr. Clinton would have changed the speech due to public pressure . neutral +The battle ended and Jon breathed hard , his breath coming in mist . The battle raged fiercely , with Jon and his opponent nearly equally matched . contradictory +you know what i mean because but i do in to a degree there 's also not a day to day occurrence it 's not that often that they come by but i 've notice it 's kind of gone down before when we first moved here it was pretty often but i 've noticed that though they really work in the day and you very rarely see them in the evening because the men are home and so Since we 've moved her they 've intensified their efforts , especially in the evening . contradictory +With this reduction in error rate , the CSR 's now meet the standard of substantial accuracy which was the objective when LSC initiated the Self-Inspection process in 1998 . Unannounced inspections are used to gather information for Self Inspection . neutral +Students and workers made common cause , and there followed widespread national strikes that threatened the survival of the government . The government not only survived the strikes , but became stronger . neutral +Al Gore , born to suffer for Bill Clinton 's sins , is bearing the cross for Flytrap . Al Gore , who always covers for Clinton 's actions , is also taking the blame for Flytrap . entailment +For years , Congress has been working to increase the effectiveness of information and technology management in the federal government . Congress has a special budget for information and technology management in the federal government . neutral +Never tell all you know not even to the person you know best . Even the person you know best could one day betray you . neutral +The lack of literal historical context also allows us to leave Paradise without learning about the black Western settlements that sprang up during Reconstruction , or the so-called exodusters who left the South to seek their fortunes on the frontier . Black western settlements appeared during reconstruction . entailment +uh-huh that would be neat i 'd have to basically say my birth yeah That 's cool and I would have to say my birth and my death . neutral +oh yeah yeah i was i i was kind of surprised that uh that the Royals let him go with a football career as long as they did you know I thought he would play for the Royals much longer than he actually did . contradictory +and they all have to have the same one you know They have to have the same one . entailment +I suppose you could argue that a best-dressed list encourages women to dress more beautifully or that a list of the greatest works of journalism of the 20 th century will motivate those who didn 't make it to try a bit harder during the next 100 years . A list of the best of something is discouraging for people who don 't make it . contradictory +By contrast , commercial companies must develop high-quality products quickly or they may not survive in the marketplace . Commercial companies require high quality products to ensure their survival . entailment +He could have been one of them . They would not let him join them . contradictory +Just outside Discovery Bay are Runaway Caves , which are easily accessible and safe to explore . Runaway Caves , located close to Discovery Bay are accessible to explorers . entailment +I wonder The situation is pretty straight forward . contradictory +had her at a private sitter for i guess two two and a half years after that After that , I had her for two and a half years . entailment +It is thus very important to Beijing that relations remain on track until the planned exchange of formal presidential visits , which could happen as early as next year . Beijing relations need to remain on track for a while as the planned exchange of formal presidential visits usually ends up being years later than proposed . neutral +Then they don 't suspect anything . They suspect everything . contradictory +Don 't fail to go all the way . Proceed along the entire path . entailment +It seems to me that , at times , critics of Commission recommendations tend to take lightly the considerations embodied in 39 USC 3622 ( b ) ( 3 ) and ( 6 ) . The Commission made no recommendations in the USC . contradictory +Mechanisms to facilitate the training of good researchers , particularly ones from emergency medicine , are needed and should be encouraged . The Director of Research encouraged them to find new training methods . neutral +Always betting on the side of growth , expansion , and the power of positive cash flow , Las Vegas has again transformed itself and emerged as much more than a water stop for thirsty pioneers . Vegas is always raising the bar on restaurants and entertainment venues . neutral +For most of the 19th century the Pantheon oscillated between secular and consecrated status , according to the current regime 's political persuasion . For most of the 19th century , the Pantheon was just secular . contradictory +" Maybe I didn 't , " Drew admitted . Drew admitted to having done the act . contradictory +Orsay is one of the easiest of great museums to The free floor plan and signs are both crystal clear . The Orsay museum has an open floor plan and is easy to get around in . entailment +E ating and drinking in a new part of the world can be a pleasurable adventure . Eating and drinking are boring and monotonous no matter where it happens . contradictory +and it makes it grow much faster uh our season though in New England uh is is only three months or so and then it starts getting cold again in September There is rain in September . neutral +and uh course i guess i guess i 've been purged from their records i used to have an American Express uh back when i had my business i got one I 'm still on their records . contradictory +The gain or loss should be accounted for as a nonexchange gain or loss if the interest on the associated debt securities is classified as nonexchange revenue , and it should be accounted for as an exchange gain or loss if the interest on the associated debt securities is classified as exchange revenue . Exchange gains and losses are used more often than nonexchange gains and losses . neutral +Which brings us to Waco , where the symbolism and substance of Reno collide most alarmingly . It 's very apparent that Waco 's symbolism and substance are like that of Reno 's . neutral +you 're kidding so like as you 're sewing the seam it 's finishing off the inside edge You sew the seem on the outside edge . contradictory +Isn 't that so , moosier ? " Poirot smiled . Poirot smiled . entailment +The place also offers a terrific view . The place lacks any good views unfortunately . contradictory +But your remembrance of the history , the past , the events shepherding you all the way through yesterday toward today- that is important . This is less imporatnt - what you ate yesterday , what someone told you , or what is the hour . neutral +I would unhesitatingly vouch for him . " Bayliss looked directly at Drew . Bayliss was looking at Drew . entailment +White put down a little cover fire . White was completely out of bullets . contradictory +About half-past twelve , sir . About twelve thirty , sir . entailment +um but it was it was really good um I 'll absolutely buy it again if I ever see it for sale . neutral +1 Revenue 2 Attributable Cost 3 Contibution to Institutional Cost 4Cost Coverage Only cost coverage is discussed . contradictory +people have you know think they 're kids have to have five hundred dollars worth of toys People think that their kids needs to have expensive toys . entailment +Its white gables are clothed in Carrara marble , the outer faaades with a combination of grey marble and glass ; the inside walls are covered with aluminum . The church is painted white as a symbol of the peace . neutral +Being punk-blunt in country music usually yields little more than a cheap lampoon . One can be expected to be criticized for being a punk-blunt country music artist . entailment +i don 't either it 's it 's tough to understand those Middle Eastern types anyway they they think completely differently the way we from the way we do i 've got several Middle Middle Eastern friends uh my my father was stationed in Iran many years ago and i was a little boy there I have Middle Eastern friends from the time my father was stationed in Iran . entailment +EPA has solicited comments on the proposed information collection requirements to be sent to both EPA and OMB for consideration during the approval process . The EPA has asked for comments on the information collection requirements for the website . neutral +What 's in this for Bradley ? What does Bradley get out of this ? entailment +Here 's the Drudge Report , which spawned the TV show . The Fox Report created the book . contradictory +The sun-reddened skin flushed darker . The sunburned skin turned darker . entailment +Nowhere else on earth is there anything else quite like the valley 's architectural legacy , a fact recognized by Unesco in declaring much of the valley a cultural World Heritage Site to be cherished and protected for all mankind . There is nothing memorable about the valley . contradictory +Race fans fill the 107,000-seat facility for NASCAR events like the Las Vegas 300 , Winston West , and Craftsman Truck races , as well as the IRL Las Vegas 500 . Las Vegas has become a popular tourist attraction for race fans due to their many NASCAR events . neutral +I am inclined to believe that the answer is yes , but the question makes me squirm a bit . The question is about whether they are willing to eat earthworms if there 's no other food available . neutral +go ahead it seems the way it 's been working here is they let those out that have spent two or three years out of their five to twenty sentence or five to life They let those out that have 15 year sentences . neutral +gosh that 's great that 's a lot that 's that 's a lot of kids though oh well still that 's a lot you know that 's a good chunk of kids That 's good , many kids though but that 's okay . entailment +i see what do you all make I see , what are your salaries ? entailment +In the ' 80s , Exxon 's brass visited the Wall Street Journal ' s top editors to complain about the paper 's coverage . He complained about his company 's coverage . entailment +Bethlehem 's population , mostly Arab , is divided between Christians and Muslims , and its church towers and minarets are spread dramatically along the Judean hilltops . Most of the people who live in Bethlehem are Jewish . contradictory +If the response-to-advertising mail were also added to advertising mail it would have resulted in double counting . If the response-to-advertising mail were also added to advertising mail the items would result in an increase in revenue . contradictory +It was stacked high with drinks , snacks and steaming pots of coffee . There were a lot of food and beverages . entailment +right but we really i mean really and truly we just don 't have a quarterback We have a quarterback . contradictory +He was here less than two days and already he thought of this town as home , something he wished to protect . The man felt right at home . neutral +Project Directors ' Association . Power Rangers Associations contradictory +that 's right that 's right well hey i appreciate the call talk to you later bye-bye That is correct , thank you for the conversation , talk to you later . entailment +The ground floor rooms follow the chronological history of ancient Egypt starting on the left of the entrance with the Old Kingdom Room . The ground floor covers thousands of years of history . entailment +Yes , I believe they were at it yesterday afternoon . They didn 't do it . contradictory +um-hum yeah i think that 's true That 's false . contradictory +Otherwise , there 's not much for the tourist here , but you have to hand it to Camara de Lobos for remaining a pure and simple working port . Camara de Lobos is full of tourist attractions , but isn 't very functional as a port . contradictory +As for Liggett 's motive , industry and financial analysts speculated that Liggett 's CEO hoped to make the marginally profitable company a more attractive merger partner by eliminating its exposure to possibly huge jury awards . Liggett took a rain check on the merger because its profits were up and exposure to jury awards was non-existent . contradictory +um-hum oh yeah baseball is there is there life up there like football is down here i think Baseball and football are not on the same level . entailment +Honshu , the main island and home to Tokyo , Kyoto , and Osaka , enjoys a temperate climate of unusually distinct bitter winters and hot , humid summers . Tokyo and Kyoto are found on Honshu . entailment +so uh and uh and the kids are usually uh playing out in the back she 's got uh ten acres of property that go with uh with her house so there 's plenty of room for the kids to go crazy and and the parents can Her house comes with ten acres of property . entailment +But some are responding to the fleeting hormonal surges of youthful idealism , or to the special status hierarchy of the academic subculture where they temporarily reside . There is an academic subculture where many youthful idealist reside . entailment +Stores and Shops Stores or shops . neutral +the people who have to be there The principal workers . entailment +Farther along the Villena road is the round castle of Biar , of Moorish origin and still in reasonable condition . The Moorish castle of Biar was still in reasonable condition . entailment +The house is surprisingly small and simple , with one bedroom , a tiny kitchen , and a couple of social rooms . The house is very large and boasts over ten bedrooms , a huge kitchen , and a full sized olympic pool . contradictory +He grunted as the horse pulled again . The horse was pulling on the reins as hard as he could . neutral +Specifically , the senior executive reported in his self-assessment that during fiscal year 2001 he worked with local service officers to identify in advance those veterans planning to attend the town hall meetings , had their claims folders available for review at the meetings , and was thus able to enhance outreach programs . The executive does not ever speak to veterans . contradictory +The alignments occupy three main fields a short walk north of town . The north of the town is a rural area with three main fields . entailment +Betsy 's logical mind and wonderful laugh , among other gifts , made it all happen ( well , most of the time ) . Betsy was an obnoxious , annoying and unintelligent person who was very hard to be around . contradictory +Of course the governors and the president managed to turn deficits into surpluses . The president actually turned the deficits into surpluses . entailment +HDS does not collect any information on mail sent from non-households to other non-households . The HDS absolutely collects and retains information having to do with mail going from a non-household to another non-household . contradictory +yeah that 's true i mean it feeds upon itself not only does it make the person stagnant and not very capable of social progress in the realm of uh earning a living in the way that the norm is uh but it you know makes for a habit that has to be supported at a rate that uh can 't be supported by uh that person as far as working goes i mean you can 't be that much into drugs and still hold down a job capable of paying for that much drugs so It makes a person stop progressing . entailment +well i mean if if you know what your routine is you can do that by yourself and you probably do I don 't want you doing that by yourself , you don 't know your routine well enough yet . contradictory +The mean of the five contingent valuation based VSL estimates is $ 3 . All the five estimates are $ 3 each . neutral +The fundamental concepts provide the underlying framework for designing and applying the standards . The framework for applying standards is supplied by the fundamental concepts . entailment +Buses 13 , 24 , 25 , 27 , 74 , and 79 serve both museums , though you wouldn 't have the energy to see both in a day . Bus 27 does a full circuit around the city and is a good choice for people interested in getting a feel for the town . neutral +He realized that it would be good for his health to get out of this house as soon as possible . He realized that he had to leave this house for the sake of his health . entailment +Sapporo has a nationwide reputation for its beer , introduced in the 1870s by a German brewer who recognized the surrounding country 's hop-growing potential . In the 1870s , a German brewer failed to recognize the country 's potential . contradictory +It could be the first step toward multi-center studies . Multi center studies require at least four centers be studied . neutral +And it was Ian Willmut , whose work opened the door to human cloning , who most forcefully denounced that prospect at Senate hearings held last spring . Ian Willmut is a major proponent of human cloning . contradictory +In addition , many organizations required users to sign a statement that they had read and understood the organization 's information security policies . Many groups made users sign a statement saying they refused to follow the laws . contradictory +A better explanation is that males ' reproductive fate depends more strongly than females ' on competing when they are young . Male 's reproductive system functions better when they are younger . entailment +Something happened between 1968 and 10 minutes ago that transformed the American flag from hallowed symbol to fabric pattern . The flag is a hallowed symbol and at no time has that changed . contradictory +yeah you actually got paid too while in the Peace Corps it wasn 't much but i guess they you could put some money aside while you were there your expenses were covered The Peace Corps pays well for people to save their money . neutral +i mean it grows like a weed we have to allow extra room for those because you know i mean extra space between the rows and all It doesn 't grow very well at all . contradictory +Oh , well , that 's all right , then , and you must go to tea with Cynthia another day . I told him about the letter . I see , well that is okay with me . entailment +Set high on a bluff overlooking the coastline at Galina Point is Firefly , the former home of Noel Coward , dean of British theater and cinema and the archetypal Englishman . Noel Coward sold the houses before he died . neutral +that makes a difference That changes things . entailment +The latter factor exists because postal systems need to be designed to handle a wide range of mailpieces , generated by a wide range of mailers . A wide range of mailers are likely to use the postal system . entailment +If we tried a tamed succubus-- " " The things are untrustworthy , " the first voice answered . " A succubus is a great idea ! " exclaimed the first voice . contradictory +Afraid I said some things to Emily she won 't forget or forgive in a hurry . I was afraid that Emily wouldn 't forgive me . entailment +Outside , Whittington hailed a taxi , and directed the driver to go to Waterloo . He didn 't get in the taxi . contradictory +These activities typically require the contribution of local resources such as projects at the national level , special ad hoc efforts , and innovations . These activities need local resources because they don 't get much funding . neutral +well you it 's it 's kind of funny um i know a lot It is funny that I know a lot . neutral +It first opened in 1954 to house the billionaire 's personal collection . The owner eventually funded the museum . neutral +In the United States , where inflation and the budget deficit have receded for the time being , vulgar Keynesianism has recently staged an impressive comeback . The United States isn 't the only country that is sees Keynesianism staging a comeback . neutral +I had no idea . I knew . contradictory +and i guess i 'm just not smart enough to figure that movie out that was just uh uh I did not understand what that movie was about . neutral +definitely i had a friend who worked there for a year or so and they spell it out for men it 's particular suits uh the pin stripe and the particular colors of shirts and wing wing tipped shoes oh it is definitely lined out My friend said you can wear whatever you want in that company . contradictory +Guest houses , restaurants , curio vendors , rug shops , trekking agencies , bicycle and motorcycle rental stands , and bookshops line the way . There are no buildings or people along the way . contradictory +The top of a wardrobe is an excellent place for brown paper and cardboard boxes . The boxes and brown paper are kept atop the wardrobe , somewhere were nobody can find and steal them . neutral +A splendid Red granite sarcophagus has pride of place in the Tomb of Horemheb . In the Tomb of Horemheb lies a Red granite sarcophagus . entailment +Jon turned back to Thorn and the Kal . Jon turned away from Thorn and the Kal . contradictory +Another way to prevent a deadly epidemic of object insertions is to move the VCR . There was an epidemic of object insertions last week . neutral +okay well talk talk to you later then bye I 'll talk to you tomorrow , bye . neutral +and then when she finally did bring something um to replace that she practically threw it at the person She finally got the item she was supposed to replace and gave it to the person wanting it calmly . contradictory +Now Ca 'daan saw a fury , a bloodlust in Jon 's eyes . Ca 'daan saw Jon whimpering with defeat . contradictory +And there 's more . The reader can expect to see additional developments . entailment +Station Here Jesus receives the crose is taken away , beaten , and mocked by a crowd in the fortress courtyard . However , it is incredulous to understand if Jesus receives the cross at this station . neutral +While a lot of the money is in self-regulation , a lot of the votes will be with legislation . People want to vote for legislation because it is clear that self-regulation isn 't working . neutral +well i don 't i haven 't done any painting since i was a child and my father would be painting and i 'd ask him if i could you know take a turn or something but uh when we bought our home it was recently The last time I painted was this morning . contradictory +They claimed they could feel a hum or whisper , deep and powerful . They were sensitive to the noises . neutral +A hombre gits tired readin ' labels on cans . A hombre doesn 't like to use his brain . neutral +Strolling L.A. ' s open-air markets is an excellent way to grab some delicious and inexpensive grub , enjoy the never-ending sunshine , and mingle with the locals as they shop for fresh produce , flowers , incense , and gadgets galore . Walking around LA 's open-air markets is waste of time . contradictory +Under current conventions the Postal Service sets prices for whole subclasses and cannot select specific customers for surcharges or discounts . Specific customers cannot be charged differently by the Postal Service . entailment +Taxis are expensive and vulnerable to the city 's sticky traffic situation ; and information on the tourist-unfriendly bus service is almost entirely in Japanese only . Information on the Japanese bus service is not very tourist friendly . entailment +Window seat essential . The window seat is important . entailment +well it uh uh i 'm i guess i 'm the i 'm cloudy on the timing but there there was quite a while when his certain victory wasn 't certain at all I am typically clear on timing , but not this time . neutral +After the painful experience of the American Revolution , the EIC conducting business from the islands of Penang and Singapore epitomized the British policy of insulating colonies from local politics . The British tried to keep the colonies separate from local politics . entailment +and uh there 's a lot of job security in that because it takes so long to uh come up to an experience level where you 're able to you know you have to be able to maintain them do the maintenance uh The work is easy , so there is little job security . contradictory +However , an unqualified audit opinion by itself does not ensure that the information needed to measure and manage performance is useful , relevant , timely , or reliable . An unqualified audit opinion does not ensure the information is useful . entailment +The BJP defeated Congress in the general elections of May 1996 , winning the largest number of seats in Parliament . Congress defeated the BJP in the May 1996 general elections . contradictory +Nuns are in their habits and Israeli women in military uniforms . All Israeli women are in the military , which is why they wear military uniforms . contradictory +official in charge of federal programs The assistants to project managers of federal projects . contradictory +yeah six fifty yeah hm out here i it 's i think out here they are still about five fifty about a dollar less They are about five fifty here , making them a dollar more expensive . contradictory +Several analyses of trading under the acid rain program have concluded that the program did not result in local areas with higher emission levels ( hot spots ) . Some areas under the acid rain program had higher emission levels . neutral +Players strike the ball with their bare hands against walls , doors , and windows which are protected by grilles . The game involves striking a ball with bare hands . entailment +and i i been praying that God would put a desire to read the Bible in my heart and he really has it 's getting to where a just really want to read it I do not want to read the Bible and never do . contradictory +Terry Russell , president of The Florida Bar , has spent months pushing legislation that would provide state funding for legal assistance for the poor . Terry Russell is the president of the Florida Bar . entailment +The Congress is currently considering measures intended to address several of the practices and challenges we identified . The Congress is currently considering measures intended to address several practices . entailment +Through civic organizations and neighborhood preservation groups , they are working hard toward a renewal of that sense of community lost in the hustle . Civic organisations and neighbourhood preservation groups are trying to destroy the sense of community . contradictory +Front woman Chrissie Hynde still shines with her trademark snarl and gravelly voice , but some of the songs are serious clunkers , and even the best sound like a rehash of the band 's older material . Chrissie Hynde has a trademark smile and a sweet , high-pitched voice . contradictory +Artaud may have been mad , but his art is hardly confined to madness . Artaud was simply misunderstood , rather than mad . neutral +21CBO concluded that increased federal spending on investment in infrastructure , education and training , and R & amp ; D was unlikely to increase economic growth and could possibly reduce growth . Many economists felt that CBO 's conclusions were short-sighted . neutral +But people want to spend money on things they feel connected to . People prefer to spend money on what they feel good vibes on , because it makes them think they could last longer . neutral +Because you 'd kill the goose that lays the golden eggs , replied Tommy quietly . Tommy explained that it was not wise to kill the goose with the golden eggs . neutral +The ClingerCohen Act contains critical provisions requiring federal agencies to use investment and capital planning processes to manage their information management technology portfolios . The act has critical provisions for federal agencies . entailment +The folks at HBO can make another claim to quality their film of the hip-hop , black-owned Universoul Circus ( Monday , 8 p.m. ) . The channel was going to air the movie on Monday night . entailment +The assumption is that private investors who buy and sell won are depressing its value below its equilibrium rate . One theory is the value is being depressed due to private investors . entailment +and then if they wake up and you haven 't done everything it 's like why haven 't you done that but uh well we were drinking you know back to that uh water thing and of course i got sick I drank too much . neutral +Riding centres are to be found near Tiberias at Vared Hagalil , Kfar Hitin . You can find riding centers close to Tiberias . entailment +to go into public service i think He wanted to serve the people , that 's why he went into public service . neutral +Today it stores land-registry papers and is the haunt of solicitors and professional researchers . It used to store land-registry papers before burning down . contradictory +She wore nothing but a wrap of skin around her hips . She wore a wrap of skin around around her hips and waist . neutral +Sure , the school bus is crawling with safety violations and doesn 't contain seat belts and will be taking the kids to classrooms run by teachers who never actually had to take the subjects they 're teaching , but at least according to the WSJ Business Bulletin , in a few years there will be satellite-based technology available to families that will let them know to the second exactly when the bus is arriving . They point to the future where parents and guardians may receive notifications instead of waiting for the bus to arrive . entailment +A sightseeing bonus here is that from the plaza in front of the church there 's an unexpectedly stirring aerial view of Ibiza Town . Ibiza town is visible from the plaza near the church . entailment +Like many other inventors before him , professor Slawomir Suwak designed only the things he needed himself . Professor Slawomir Suwak is an inventor . entailment +and i think you know to yeah and then you have the women uh detectives now and you know different roles just in what we see and so we probably want to do that even more now More women are being encouraged by other women taking these roles . neutral +What then ? What is next ? entailment +For the individual professor , a grade budget is a stifling constraint . Budget constraints are always a part of the job and aren 't all that stressful considering the workload they have . neutral +The demon spun and grabbed the sword by the blade . The demon stood still as he grabbed the sword by the handle . contradictory +The most popular journey from Pahalgam is 45 km ( 27 miles ) up to the Amarnath Cave , which has an altitude of some 3,895 m ( 12,742 ft ) . There are several commonly made journeys out from Pahalgam . neutral +and just dries everything out uh-huh It dries everything out so you need to water it . neutral +An artist who takes a bite out of his own painting , and who derives his subject matter from a dream , is , in some sense , a private artist ; and the later work , as Varnedoe has organized it , suggests an increasing absorption in a personal vocabulary composed of body parts ; crosshatching patterns ( an overworked motif of the 1970s ) ; vases ; clocks ; skulls ; specific borrowings from Duchamp , Picassso , Holbein , and a 16 th -century Grenewald altarpiece ; little stick figures with bubble heads ; and , in the most recent work , the image of a spiral galaxy . Grenewald was an artist in the 12th century . contradictory +Acute Effects of Summer Air Pollution on Respiratory Symptom Reporting in Children American Journal of Respiratory Critical Care Thousands of children 's respiratory symptoms are linked to summer air pollution . neutral +inflation is out of this world and the governments which our government has technically supported for years are corrupt as all get out and generally the people are getting screwed and they 're tired of it and they 're willing to try anything to get out from under it even if that means going to communism Inflation will continue to be a problem that the government will not fix . neutral +essentially they do that though because if if you look at General Motors the size and and and of course Ford and Chrysler if they all went if they all went metric but in a sense um you know it 's like when you a measurement though when when you put uh you know one point four three two inches when when you 're milling something I don 't think any of them use metric . contradictory +George 's ) , was taken over by the government in 1960 and is now part of the Public Records Office . The Public Records Office forcefully took over them in 1960 . neutral +Others engaged in aggressive resource development , pursued alternative methods of providing legal services to clients , reconfigured their organizations , or , in some instances , took their skills and talents elsewhere . They stopped developing resources and refused to offer any legal services to existing clients . contradictory +Power struggles at home and rebellion by colonies abroad ensued . There were conflicts to deal with both at home and remotely . entailment +that 's it forever and ever all all you have to do is you don 't have it let something bad happen and that hospital will slap a lien on you so fast because they do it routinely Hospitals dont care if you pay your bill or not . contradictory +Gold and silver jewellery made on the spot or elsewhere in Spain is popular for both quality and price . The worst place to buy silver jewlery is in Spain , it 's too expensive and janky . contradictory +They are equally direct in their dealings with visitors , too , so don 't expect a shy Jamaican smile as you walk by . Most Jamaicans are not shy but rather open . neutral +Or to judge by the milk It is thin and watery--typical of species that nurse frequently . Thin and watery milk is cause by frequent nursing . neutral +yeah and it 's just like another thing the American family doesn 't need any more pressure just leave them alone let them measure their green bean water in cups and leave them alone The American family is in desperate need of additional pressure . contradictory +I rather resented his not taking me into his confidence , the more so as I could not in the least guess what he was driving at . I hated that he didn 't trust me . entailment +Premills basically believe the Antichrist will be a charming rogue and great communicator who will dupe Israel into following his lead , and then will turn on the Jewish people to destroy them . Premills believe essentially that the Antichrist is a not charming rogue and great communicator who will dupe Israel into following him and then destroy it . contradictory +Affirmative action is good for you , supporters told the New York Times . The University of Michigan , for one , cites statistical evidence to argue that affirmative action benefits not only minority students but all students . No one thinks affirmative action helps anyone . contradictory +But the episode in Poland , called Polish October , exposed fissures in the Communist regime , and it served as the impetus for a slight relaxation of censorship , religious repression , and economic controls . Five years after Polish October , Communism was defeated in Poland . neutral +The Analysis summarizes the two other Statements of Policy issued with the final rule . The Analysis only considers one of the other statements . contradictory +Set centrally amid the hotspots of the beach with plenty of entertainment choices for both day and night . You will be eager to go home after a few days due to boredom . contradictory +well children will tend to do that Kids generally aren 't inclined to do things like that . contradictory +i don 't i don 't like Stephen King I don 't like that author entailment +right well even i mean in the kid 's schools i mean they do things to try and recycle and the children 's schools still don 't do anything to recycle contradictory +On the witness stand , Tom said that he and John were the only ones in the vehicle . However , the evidence pointed to the contrary , and there was another person in the vehicle . neutral +are so excited to be away from home they just spend all there time partying and they do a lot of things to themselves and that we don 't really want our young people to be doing and We don 't really want our young people partying . neutral +She 's right , of course . She is obviously incorrect . contradictory +To the left of the temple area is perhaps one of the most exciting parts of Delos , the Theater Quarter , although the theater itself ( third century b.c. ) is not the highlight of the site . The Theater Quarter is a very exciting part of Delos . entailment +yeah pretty much well i hear one of my kiddos doing something they shouldn 't be so i 'll uh let you go and maybe My child is so quiet right now , I need to check on her . contradictory +British playwright David Hare , criticized in the past for his preachy politics , is said to have finally found his way beyond polemic ( John Lahr , The New Yorker ) . Hare 's new play about a self-centered film critic , his wife , and his mother-in-law is hailed as a coup de theatre ( Matt Wolf , Variety ) , both for its social critique ( of the amorality of the news media ) and for its sensitivity about such personal matters as loss , grief and stoical survival ( Benedict Nightingale , the London Times ) . Hare 's enthusiasts declare it time for canonization . The playwright used to be critiqued for political content has created a play that appeals to non-political fans . entailment +130 " No , " admitted Boris at last sullenly , " you do not . " Boris had resigned himself to defeat . neutral +I tell you there isn 't much time . " We need to move very quickly before we run out of time . neutral +It might be so . " " That could be . " entailment +uh-huh that 's one thing i like about the Spring Creek place at least the fellow that 's there one of the fellows that 's there at night and on weekends is real helpful The is a person at Spring Creek place who offer assistance . entailment +but he has some real fond memories of marching band and He remembers great moments of his marching band times when he was in Hugh Grant High School . neutral +Estimated Value Health or Welfare Per Incidence Derivation of Estimates It deviates 25 % from estimates . neutral +Across the street from New Gate is the enormous hospice and monastery of Notre Dame of Jerusalem , also built in 1887 . Notre Dame of Jerusalem has lasted well over the years . neutral +Ca 'daan saw it was true . He knew it was all lies . contradictory +just know they 're close by They are within the area , I think . neutral +Rather , in accordance with the Board 's practice , publication of the certifications in the Federal Register was treated as providing notice to SBA . The Board 's practice promoted the publication of the certifications in the Federal Register . neutral +Both operational and structural aspects of the CIOas environment can vary significantly between the public sector and the private sector . Both aspects can vary between public and private sectors , sometimes as much as 50 % . neutral +And Mrs. Cavendish ? A faint cloud passed over John 's face . When asked about his brother , John Cavendish 's face lit up with excitement . contradictory +You must have heard peasant superstitions . The subject of the sentence should be familiar with peasant superstitions . entailment +'How was it , Mr. Franklin ? Did you make decisions ? Is something wrong ? ' Did you decide things , Mr Franklin ? entailment +Ca 'daan saw a gleam of steel under their cloaks . Their cloaks were covering their swords . neutral +At the same time , migrants from the Mediterranean countries were trickling into the south . Asian migrants were trickling into the south . contradictory +South of Osaka is Wakayama , a large prefecture whose long coastline and lush greenery have long been a magnet for domestic tourists . Lush greenery and an an expansive coastline are some of the hallmarks of the Wakayama prefecture . entailment +For the reasons set forth below , we conclude that Congress has not authorized judicial review of these claims . It is our personal opinion that Congress is dragging its heels on this matter . neutral +Moved by this plea for help , the duped scholar promptly wires the individual a loan of as much as $ 3,700 . Moved by the plea , the duped person will wire the person an individual loan , which he could hardly afford . neutral +When you go into this kind of social justice law , it 's really brutal and you 're almost guaranteed to struggle for a couple of years before there 's a light at the end of the tunnel , said Fred Rooney , director of the Community Legal Resource Network at City University of New York School of Law , from which the lawyers of the newly formed Cates , Katalinic & amp ; Lund graduated last May . Social justice law is really hard . entailment +In Congress , where people think of themselves as underpaid , there 's hostility toward Bill Gates based on the fact that he 's got a lot of dough and doesn 't share it with people like them . Bill Gate and members of Congress do not have the best relationship due to his wealth . neutral +including the Social Security Administration , Small Business Administration , National The National , Small Business Administration , Social Secuirty Administration are included . entailment +According to CBO , many federal investments have little net economic benefit- either because they are selected for political or other noneconomic reasons or because they displace more productive private-sector or state and local investments . Little economic benefit is had by federal investments because they aren 't trying hard enough . neutral +One of the charms of the collection is that the paintings are hung not in any classical order but according to the personal whim of their last owner , the Duke of Aumale . The last owner of the collection of paintingss was the Duke of Prussia . contradictory +Morrison thickens the ambiguity by avoiding literal references to history and even physical descriptions that might fix characters in time and space . Morrison 's characters are not well described , prompting the reader to fill in the blanks . entailment +I 'm not sure where she is at the present moment , she replied . She said that she knows exactly where she is right now . contradictory +Unless , that is , there is competition that offers an exotic billing option known as the subscription or flat-price deal . However , things might be different if there were a competition with a subscription or flat-price deal . entailment +I kept it on me all the time wrapped in my leggings , and I cut her , just a little at the throat . I cut the woman 's throat and blood squirted out . neutral +From here , you can survey the whole 9 km ( 6 miles ) of the golden , sandy beach . You can 't see the beach from here . contradictory +Three grants in Texas helped with merger issues through integration of disparate systems . The grants were not granted to Texas contradictory +Here , the felucca ( Nile sailboat ) pilots gather , trying to sell an afternoon or sunset trip on their graceful craft , and Nile Cruisers lie several abreast , disgorging their passengers for tours or shopping trips . There were no boats allowed on the Nile . contradictory +The rounded slinky movements of the dancelike kata looked specifically designed to develop grace , coordination , and balance . The kata looks unconventional in it 's movement . contradictory +1 is the easy-to-forget point that money shouldn 't be able to buy influence with a democratic government . Money definitely should be able to buy influence . contradictory +Global 2000 says the price of food , adjusted for inflation , will double between 1975 and 2000 . They think food prices will double because of a shortage of food . neutral +AOL countered that Microsoft had already tried and failed to launch a proprietary online service . Microsoft had already failed to launch its own online service . entailment +Visit the Phare des Baleines , a lighthouse at the western end of the island ( 257 steps to the view at the top ) . The lighthouse is 200 feet tall . neutral +The auditors ' assessment of risk includes consideration of whether the entity has controls that are effective in preventing or detecting noncompliance . Noncompliance is an important issue that the auditor helps deal with . neutral +The Rajarani , standing on a platform at the end of a pleasant garden , is a more robust structure than that of the Muktesvara , with a more pronounced pyramid over the worship hall , and a powerful sikhara behind it . The Rajarani is in a lowland away from the gardens . contradictory +General Control The control keeps things moving . neutral +It sent a shock into the sword and seemed to send a bolt of electricity into Adrin 's hand . It was a lightning event . neutral +It proved unexpectedly difficult . It was as easy as riding a bike . contradictory +Alcohol problems among emergency department patients consume an extraordinary amount of health care dollars . Alcohol problems are not a significant factor in emergency department activity . contradictory +When the evidence is more inconsistent than consistent , the pattern is rejected . The pattern is thrown out if the evidence is overly inconsistent . entailment +and it was just you know twenty twenty miles from me And it was just twenty miles from me . entailment +For information on local hiking trails , contact the Angeles National Forest headquarters at ( 626 ) 574-5200 . The Angeles National Forest headquarters can also answer questions about National parks . neutral +But lacking the means to enforce its decision , the United Nations was powerless to halt the fighting that erupted as the British withdrew their troops in 1948 . The United Nations didn 't have any power to stop the fighting when the British withdrew . entailment +Mary Dufour described how NIAAA sets research priorities . NIAAA sets its research priorities according to neutral +Adrin ! shouted Jon . Jon was warning Adrin about the incoming demons . neutral +Another alternative approach would involve retrofit of more than one unit at a time during low-demand periods and avoiding any outage during high demand periods . There is another approach that would solve this issue . entailment +And what of their children ? Were they born into freedom ? Were the children born as slaves or not ? neutral +There are more than a dozen casinos in Cairo , mostly in the major hotels , and they attract a number of serious high rollers . Gambling in hotels is illegal in Egypt . contradictory +I truly believed that in my lifetime I would witness the eradication of poverty and injustice . I truly believed that the eradication of poverty and injustice could be witnessed in my lifetime . entailment +I 'll take responsibility for my oversight . I 'll take responsibility of my mistake . entailment +Here 's where the debate enters the diplomatic arena . This is where the debate turns into the diplomatic issues . entailment +In particular , many organizations were encouraging their staff to become Certified Information Systems Security Professionals ( CISSP ) . All organizations are simply hiring new employees with required certifications . contradictory +Curt , but attractive . Very attractive because being Curt . neutral +Real ' 50s slips had no relation to it at all . It was completely related to the 50s slips . contradictory +He goes behind the wrestled solemnities of the poetry to reveal the effort , the strategizing , and the silliness . His poetry has become very popular because of his unique style . neutral +uh i 'm in McKinney I 'm in the basement of your mom 's house . contradictory +I lost everything . ' My teeth chattered . My teeth chattered together as I realized I had lost everything . entailment +i mean nine years that 's incredible oh i don 't know what the average is uh uh for We 're only at five years , and it 's been a struggle . neutral +Rather . Another silence . Rather . A long period of incessant chatter . contradictory +At their best , the popes and cardinals replaced military conquest by moral leadership and persuasion ; at their worst , they could show the same hunger for political power and worldly wealth as any caesar or grand duke . The popes and cardinals replaced military conquest by moral leadership and persuasion at their best ; at their worst , they could show the same hunger for political power and worldly wealth as any caesar . entailment +She was appointed to the Supreme Court of Texas in 1997 , and was elected to the court in 1998 . She has never worked in the law . contradictory +Developing an information security program that adheres to the basic principles outlined in this guide is the first and most basic step that an agency can take to build an effective security program . A security program required that you follow these principles . neutral +that 's a beautiful state that 's a beautiful state see i was raised in the Midwest which you know hell we didn 't even you know I was raised in the Midwest so I didn 't know you but that 's a beautiful state . entailment +Currently , LSC uses a cost-per-case analysis when it conducts on-site evaluations of grantees . This evaulations are very complex . neutral +She screamed and tried to claw him , then fought for the hair . She was screaming and attempted to claw him . entailment +it 's a little bit nicer to have a Spring and a Fall season where you have some pleasant weather everyday where you can feel like you just want to open your windows and It would be nice to have a Spring and Fall , rather than here we 're it feels about the same all year . neutral +Parents send their kids to costly summer clinics and hire professional coaches . Parent enroll their kids in expensive summer clinics and hire professional instructors . entailment +it 's eighty eighty eight It can only be 999 . contradictory +All right , I 'll go eat . He picked up his saddlebags . Ok , I 'll eat my food . He grabbed his bags . entailment +Being Berlitz , we 'll try to help you with some of the simplest phrases ( at the front of the book ) . It is important to do the entire book independently , contradictory +and help out as well as assist entailment +'You know , sometimes I wonder- what the hell kind of publicist are you ? ' I think you are a really dumb publicist . neutral +The use of modular and fabricated absorbers shifts much of the construction off-site , reducing the need for specialized cranes and equipment . All of the construction will be done on site using specialized cranes and equipment . contradictory +It would have been wiser to install a more high-powered model , but that would have meant a trip to some outpost of civilization ; lost time ; perhaps a lost secret . They didn 't want to travel to some far away lost civilization to get a hgih powered model . neutral +In addition , board members have a responsibility to educate themselves about the company 's operations and plans and to seek advice of external experts , when and as appropriate . Although they are supposed to , board members almost never ask for advice . neutral +Indeed , for many visitors Osaka is more truly Japanese than Tokyo , having a more distinctive flavor and character than its sprawling rival to the east . Tokyo is more touristic than Osaka . neutral +Few are authentically antique , but they are decorative and excellent for holding all sorts of things even babies . Most of them are really plain , though they are all antiques . contradictory +it was in Padre Island and in a truck of course not but not in a tent We slept in a large truck , not a tent , in Padre Island . neutral +Researchers also discounted previous concerns that the pill contributed to cardiovascular trouble , and touted studies indicating that it reduces the risk of ovarian and endometrial cancer . Researches pointed to studies indicating that the pill reduces the risk of ovarian and endometrial cancer . entailment +Paper presented at the American Educational Research Association meeting , San Francisco , Calif . , April 1979 . The paper was presented at the American Educational Research Association entailment +and i do enjoy reading I do not like to read . contradictory +In modern times the Sinai had become a backwater protected from the ravages of the modern world , and perhaps it would have remained one of the world 's undiscovered spots if it hadn 't been for one Self Contained Underwater Breathing Apparatus ( SCUBA ) . To this day , the Sinai remains pristine and undiscovered . contradictory +Although this did not match the standard set by commercial companies , it offered major improvements over what other DOD programs had attempted or achieved . It offered no improvements over what other DOD programs accomplished , despite meeting all standards set by commercial companies . contradictory +The bits of information were so few and far between that people weren 't even paying attention . They gave all the information people needed , so they were fascinated by it . contradictory +Despite These differences , two key characteristics were common to each of the ( 1 ) information security responsibilities had been clearly defined for the groups involved and ( 2 ) dedicated staff resources had been provided to carry out These responsibilities . The staff responsible for carrying out information security tasks signed a two year contract for the job . neutral +What 's interesting about his argument . What is different about his arguement ? entailment +China traditionally bought 3 to 6 million tons of urea annually ( which is produced China bought 1-2 tons of urea every few years . contradictory +During the Seven Years ' War ( 1756 1763 ) , the British conquered Guadeloupe and held it for four years . The British did not participate in the Seven Years ' War . contradictory +There are in fact four separate schools within the structure and each one has its own portal and inner courtyard . The four schools are within the same structure . neutral +At 2,185 m ( 7,100 ft ) , it 's a bit hard to breathe in the rarefied air , but take in the splendor of the Himalayan mountains mount Kanchenjunga situated in Sikkim , and , if you 're lucky on a clear day in April and May or in late September and October , Mount Everest itself , up in Nepal . It is very cold at 7,100 feet high . neutral +Pilgrims flock from all around the island to kiss the image of the patron saint , and some ascend the final 68 steps to the church on their knees . Pilgrims come to the Patron Saint 's image only to take pictures . contradictory +Bauerstein 's evidence . They have no evidence of anything . contradictory +The natural beauty of the area sandy beaches , weird rock formations , and plenty of juniper and pine trees hasn 't escaped the developers ' notice , but the local guides still won 't allow you to miss this site 's two historical claims to fame . Despite the pretty sandy beaches , unique rock formations , and sizable amount of juniper and pine trees , the local guides wont want you to miss this place 's two historical claims to fame . entailment +we we my sister uses plenty of fertilizer i don 't know if that 's a good thing or a bad thing boy i wish this phone would stop screeching My sister uses plenty of fertilizer to grow flowers only . neutral +Several articles applaud soccer moms Carla Overbeck and Joy Fawcett , as well as Hamm 's devotion to her Marine husband overseas ( We 've sacrificed so much , Hamm told USA Today ) . Even the World Cup 's CEO , Marla Messing , is glowingly profiled for stepping aside to stay home with her kids . The World Cup 's CEO , Marla Messing , worked for 15 years before deciding to become a regular housewife . neutral +He spends a month in the hole , then chastises his fellow judges for not considering solitary confinement a cruel and unusual punishment . He yelled at the other judges for not agreeing with him . entailment +The island of Porto Santo , 40 km ( 25 miles ) northeast of Madeira , is the only other inhabited island in the archipelago , with a population of some 5,000 . Porto Santo is one of many inhabited archipelago islands . contradictory +And his hand tightened so on the reins that some fraction of his reaction must have reached Shiloh . Shiloh did not worry though , they knew he could handle it . neutral +[ T ] oo much , even in this benign book , seems willed , unfree , a hysteria that he forces onto his scenes because without it they would not really exist . He is working on his third book . neutral +yeah but i don 't know Yes , but I am not sure . entailment +The paper also concluded that the U.S. policy of equipping and training Muslim forces may not be such a bright idea . Many racists believe that Muslims are inherently violent . neutral +For example , last year in 2001 , the engagement of judges , legislators and private bar members helped spawn appropriations for legal services in 25 states totaling $ 68 . Appropriations for legal services in 25 states totalling $ 68 was initiated . entailment +She felt that Whittington had scored . She was sure that Whittington did not score . contradictory +For a panorama across the Nive Valley , climb up to the citadel , built by Louis XIV as a defense against a potential Spanish invasion . Louis XIV built a citadel to defend from Spanish invaders . entailment +Would you ? " The person is being asked if he would . entailment +Large and Little were not great friends ; few in the south harboured love for the north . The south and north are very peaceful . contradictory +In accordance with sections 603 ( b ) ( 1 ) and ( 2 ) , the SEC describes the reasons for the proposed agency actions and its objectives and legal basis . The SEC describes the reasons for proposed agency actions in sections 603 ( b ) ( 1 ) and ( 2 ) . entailment +Concerning the New Disclosure Option rule , the Final Analysis notes that approximately one-third of the 620 small entities could choose to use the new profile or 207 funds . The new rules are more stringent than previous ones . contradictory +But I can 't escape them , can I , Adrin turned to Jon . " But can I escape them ? Do I want to ? " asked Adrin , turning to Jon . neutral +Reed , they argue , quieted brawls between Christian conservatives and Dole that would have forced Dole to pay more attention to the Christian movement and its issues . Reed calmed the Christian conservatives down when they fought about gay rights . neutral +'What do you say about the North / South Divide ? ' What do you think about the north and south being split ? neutral +that 's crazy but i think they 're under stress i mean i can 't imagine working in a nursing home like that either because it must be so depressing Working in a nursing home like that should be sad . entailment +Alcohol interventions in a trauma center as a means of reducing the risk of injury recurrance . Alcohol interventions in trauma centers can reduce future injuries . entailment +Even the lesser Legers ... The Legers are ahead of the others . contradictory +yeah well you know the interesting thing about i don 't know if you 've been watching Massachusetts lately um If you haven 't been monitoring Massachusetts , then you 'll think it 's boring . neutral +It just so happened that the Department of Corrections had another electric chair , a full-size replica that it had had manufactured and then placed on display at the department 's tiny and strange museum in Tallahassee . The museum in Tallahassee is the only one to have an electric chair . neutral +Captain Bayliss strode in , powdery white dust graying his blue blouse , his face redder and more sun peeled than ever . Captain Bayliss wore a red blouse . contradictory +To get to it , you must climb barefoot the hill is holy ground up 644 steps cut in the rock . There are 644 steps that you must climb to get to it . entailment +However , DOD 's acquisition policy lacks detailed criteria for capturing and using design and manufacturing knowledge to facilitate better decisions and more successful acquisition program outcomes . The DOD normally purchases existing equipment when it is available . neutral +you know i could i could have you know get something nice and upgrade but i just uh i 'm consulting right now so I could get something nice for my children and I. neutral +nice talking to you too well i appreciate it and and good luck with your uh your future your hopes of buy a Winnebago Nice talking to you on the phone , I know you want a Winnebago since you were a teenager so I hope you can finally buy it . neutral +Each of the organizations we studied set its agenda for management reform according to its own environment , needs , and capabilities . The organizations set their own agenda for management reform . entailment +Checkmate to the Young Adventurers , he said , and slowly raised the big automatic . He raised his empty hands . contradictory +Yes , too conclusive . We turned in at the gate of Leastways Cottage , and proceeded up the now familiar stairs . No , we came in through the gate and took the elevator up . contradictory +Academy President Arthur : ' I 'm terribly , terribly sorry . ' Academy President Arthur : " I am extremely sorry . " entailment +The two films cited most often are Heathers , in which Christian Slater is foiled in an attempt to detonate his school , and The Basketball Diaries , in which Leonardo DiCaprio fantasizes about gunning down his classmates and a priest Terminator -style while his buddies cheer . Leonardo DiCaprio was in The Basketball Diaries . entailment +a harassment in itself In itself it 's a harassment entailment +In August each year , the Esplanade is filled by a temporary arena erected for performances of the Military Tattoo . The Esplanade is also filled by a temporary arena in September each year . neutral +Yes , it was a clever idea ! No , it was a terrible idea . contradictory +so it 's now he has the pressure too of being super dad and super career and In addition to his developing his career , he must also be super dad at home . entailment +i try to i did switch to one uh sponsored by the credit union though that seems to be a pretty low interest I tried to switch to one by a credit union with lower interest . entailment +Except that the executive who was assigned the difficult task of dealing with the Shopping Avenger , one Jennifer Nemeth , did a provisionally satisfactory job of making the Shopping Avenger happy . They should have assigned a different executive to deal with the Shopping Avenger . neutral +It was , as I said , a favorable review . I think that the review was very honest in addition to being favorable . neutral +The corridors then continue 125 m ( 410 ft ) to the burial chamber . The burial chamber is reached by walking through 125m of corridors . entailment +He rode a big black mule and carried a long-barreled rifle , not in the saddle boot , but resting across the horn as if even here in Tubacca there might be reason for instant action . He rode a giant elephant and kept a blow dart gun on him at all times . contradictory +Just to hear him say , ' I believe in what you 're doing , ' raised our game and made us want to work harder . He knew just what we needed to hear to do even more work . neutral +The security specialists said that they were constantly looking for new tools to test the security of their computerized operations . The security specialists wanted to find new ways to ensure the safety of their computerized operations . entailment +you know i mean you either make your stand or you don 't if you can 't back it up just don 't say anything You either put up or shut up , you know . entailment +The Cafe de Flore up the boulevard has more intellectual aspirations , and was popular in the 1950s with Sartre and his existentialist friends . Sartre and his friends frequented the Cafe de Flore . entailment +Since the 1970s , combined saving by households and business has declined . Saving by households and business has increased , since the 1970s . contradictory +The superior environmental and economic results of ... the Program are precisely what should have been expected of a program that matched an explicit emissions limit with a market that turned pollution reductions into marketable assets . The program saved the environment . neutral +This accomplishes several objectives . This accomplishes nothing . contradictory +There was a trace of a smile on his face and a glow of what seemed to be amusement in his eyes as he listened , though Hanson could see nothing amusing in the suggestions he was making . He was amused despite the non-amusing statement . entailment +Ca 'daan closed his eyes and let Gray Cloud take him the rest of the way across . Ca 'daan kept his eyes wide open . contradictory +On the same street you will also find the ticket office for the Military Tattoo ( see pages 35 ) , with an accompanying gallery and souvenir shop . There 's a souvenir shop near the ticket office but there 's no gallery . contradictory +He saw which buildings would burn quickly and which slowly . He saw which buildings the forest fire would hit . neutral +Further , Her Majesty 's Treasury requires disclosure in the notes to the financial statements on a cash basis of all instances of significant irregular expenditures arising from erroneous benefit awards and fraud by claimants . In the notes , her majesty 's treasury requires disclosure . entailment +We have weathered attack before . We have survived a previous attack from demon armies . neutral +'Very well . No way . contradictory +and uh they just won 't play on a modern day uh We will play on a modern day . contradictory +Buses 13 , 24 , 25 , 27 , 74 , and 79 serve both museums , though you wouldn 't have the energy to see both in a day . The museums are sadly isolated and do not connect to any major transit routes . contradictory +Suppose they should find her dead … stricken down by the hand of Mr. Brown ? If she dies , then we 'll never know what happened . neutral +It shelters Benvenuto Cellini 's bronze masterpiece , Perseus ( replaced by a copy in 1998 while undergoing restoration in the Uffizi ) brandishing the severed head of Medusa . The bronze statue of Perseus is being restored in Uffizi . entailment +In a book of essays with that title , the process of turning counterculture rebellion into profit-making opportunity that does absolutely nothing to challenge the status quo is described in various settings , such as Nike ( which used William S. Burroughs to sell sneakers ) and the films of Quentin Tarantino ( always hip but scrupulously content-free ) . The novel was about companies using rebellious figures to make money . contradictory +yeah that 's a good yeah i my husband 's a TIer in the house unit here That 's good , my husbands a TIer in the house unit but he doesn 't like it . neutral +But I thought you 'd sworn off coffee . I thought that you stopped drinking coffee because it gave you the jitters . neutral +yeah hum-um and especially not in some of these big cities like in Dallas i mean they 've had they 're up in the top top five i think of cities that are getting policeman killed on on in the line of duty and that 's really sad Dallas is not in the top five for officers killed . contradictory +If the critics were interested in remedying the lotteries , they 'd have the states repeal their monopolies on these games and let the market compete away the excess profits . The critics are not giving ideas in how to fix lotteries . contradictory +Such information could be the size of the program or activity you are reviewing , for example . The size of the program is relevant information that may be used . entailment +Chavez said she called Colorado Legal Services because she felt sick and did not know where to turn . Chavez wanted to let Legal Services know she was feeling very healthy . contradictory +British journalist Iain Pears ' best-selling murder mystery , set in 17 th century England , is compared to Umberto Eco 's The Name of the Rose . Pears uses the thriller as an occasion to wax philosophical , meditating on scientific method and political liberalism . The comparison between Umberto Eco 's and Iain Pears ' books is unfair . neutral +right right and in this area there 's so much going on volunteer wise like for home life uh i you know i know it 's for There are not many opportunities to volunteer locally . contradictory +The friendly cooperation that characterizes civil societies is a pale shadow of the love that inspires great self-sacrifice . Friendly cooperation within civil societies trumps love that inspires self-sacrifice . contradictory +Three days , four days Potentially three or four days until release . neutral +Just 35 km ( 22 miles ) from Pahalgam , one trek , the most strenuous by far , leads to the spectacular Kolahoi Glacier . The Pahalgam is the strenuous trek in that region towards Kolahoi Glacier . neutral +Now that thar I ain 't cottonin ' to none . Now that tha that I am cottonin . contradictory +yeah yeah it might have been better yeah No , it would definitely have been worse . contradictory +On other occasions , the company has seemed more like a postgraduate workshop for the promising and ill-prepared ( Bernard Holland , the New York Times ) . ( Click here for a schedule . ) They did not know how unprepared they were when they joined the company . neutral +Hard-core left-wingers are horrified by this rise in nostalgia about the 1950s , a decade that was seen , not so long ago , as a grim period of pre-enlightenment , racist , sexist , capitalist boredom . Right-wingers are afraid of the rise of idolization of the 1950s . contradictory +'What ? ' I heard that . contradictory +He 's calling all hands on deck . He needed everyone 's help . entailment +The penalties are accounted for as a custodial activity . A penalty cannot be listed as a custodial activity . contradictory +i think if we didn 't have pets if we didn 't already have our dog and cat now we wouldn 't get them because the kids are so little We wouldnt have pets if we had kids before . entailment +The winstubs of its old neighborhoods are gathering places for university students whose predecessors include Goethe . University students like to gather at the winstubs of old neighbourhoods . entailment +oh action adventure i probably you 're not talking your Danielle Steele female by any means but on the other hand i won 't uh i can 't Sidney Sheldon 's does come off the shelf for light reading Daniele Steele is involved with action and adventure . neutral +They hadn 't found the papers . The papers were yet to be found . entailment +Again , as in the case of wine sales , states have taxing jurisdiction over transactions only if the seller has sufficient physical presence in the state . There are no taxes on wine sales in all states . contradictory +Nonsense , said Tyroid . Tyroid said that the mysterious weapon business was nonsense . neutral +Bob Smith quit the GOP and will run for president as an independent . There was a time when Bob Smith was in the GOP . entailment +So I felt almost happy about it until just outside London . I felt really happy about it all the way . contradictory +Beyond , in the handsome old residential quarters of the Cete Ducale , is the entrance to the Cetello Sforzesco Musei Civici , a series of small art museums , devoted to sculpture , painting ( Pinacoteca ) , ceramics , furniture , and archaeology . Cetello Sforzesco Musei Civici is a shopping plaza . contradictory +He 'll know better than I-- " " He was killed in the first cracking of the sky when a piece hit him . He survived the cracking of the sky event . contradictory +In courts such as Orange County 's , the offices have offered workshops for litigants . There are workshops for litigants in Orange County . entailment +For : Insomnia and jet lag . Melatonin is good for insomnia and jet lag . neutral +After examining rules of professional responsibility in their states , attorneys in North Carolina , Pennsylvania , Washington , Oregon , and New Mexico have concluded that the rules would prohibit them from commencing representation of an alien client if they would be required to terminate representation upon the alien 's temporary departure from the United States . Attorneys from North Carolina and other states did not look at their state rules for professional responsibility before making their conclusion . contradictory +um yeah i probably do i feel like i don 't know i 'm a Christian i feel like women are more usually deceived you i feel like i don 't think that 's necessarily a bad thing I think women get taken in by scams more often than men do . entailment +For example , Inland and San Diego have both partnered with CRLA to respond to migrant clients needs in the Coachella and Imperial valleys . Inland and San Diego have huge immigrant populations that need to be helped . neutral +What ? cried Tuppence . Tuppence asked a question . entailment +No , because this is something that 's private . This is a private matter . entailment +Overhype is , in its way , a strategically brilliant term . Overhype is a term created by companies . neutral +An impressive rocky coastline with a backdrop of verdant hills continues southward to Talamanca , a heavily developed beach with a fine view of Ibiza Town . There is a beach called Talamanca , where one can see Ibiza town . entailment +All the same , I reckon I 'll go round there to-night and see if I can 't ginger them up to break through their silly rules . I 'll stay at home tonight and hope for the best . contradictory +oh are you in Dallas Do you have a house in Dallas ? neutral +The newest tourist attraction in these parts is the Grutas de Sao Vicente ( St. Vincent Caves ) , opened in 1997 . The first tourist attraction in these parts was opened in 1997 . contradictory +The acquisition profile , which is a mechanism for documenting key information about an acquisition under review , is used to help auditors plan and conduct assessments of an acquisition . The acquisitions profile , a tool auditors compile for acquisitions , has fallen out of fashion over the last decade . contradictory +Head east to the Gloucester Avenue strip for the beaches and resort life . Beaches and resorts are not located east of here . contradictory +German moved on to simultaneously earn a law degree from UNL and a master 's degree in regional planning from the University of Pennsylvania . German never even graduated from high school . contradictory +Christopher Columbus , the seafaring captain from Genoa ( whom at least three Mallorcan towns claim as their own ) believed he could reach the East Indies by sailing westwards . Columbus thought he would make it to the Indies by traveling west . entailment +Old values versus new , old virtues and new injustices . It was the old vs the new . entailment +how do you think Oakland 's going to do Do you think Oakland will win the title ? neutral +HCFA , among other calculations , had to perform a special data collection from its fiscal intermediaries to obtain cost report data and generate an unduplicated census count from the National Claims History Standard Analytical File . HCFA had no use for a cost report or a census count . contradictory +Viejo Madrid , the city of the Hapsburgs , covers a small area that extends east from the pitiful Rio Manzanares and magnificent Palacio Real to Puerta del Sol . The Rio Manzanares looks better than Palacio Real . contradictory +With astonishing sums of money sloshing around the economy and Japanese products considered world-beaters everywhere , it seemed to the Japanese that the nation had finally achieved its rightful place in the world . The Japanese people thought that their country did not deserve its success . contradictory +your your neighbor gets them and then he sprays his yard and you get them back again so yeah but we 're not doing too bad down here really you know the daffodils are out and and uh It 's become a game of " pass the weeds " between the neighbors ' yards . entailment +What do they know ? Do they know who killed her ? neutral +In general , Suharto did a supremely effective job of dividing , co-opting , and simply eliminating his opponents . Suharto had cutthroat tactics that often led to his success . entailment +They started again . They started battling again . neutral +Leading organizations develop human capital strategies to assess their skill bases and recruit and retain staff who can effectively implement technology to meet business needs . Leading organizations have stopped developing new strategies to assess their own skill bases . contradictory +For the first time , it occurred to me to wonder about the girl 's future . The girl was still so young . neutral +um either that or my mom just had some bad seed or something My mom may have just had some bad seeds . entailment +yeah or it just builds up so often yeah I often find that it has built up again . entailment +over and over and over again and the first couple of times you know i felt really sorry for them but after a while it was like you know shoot the little shits right then and there then i felt really you know guilty about feeling that way It only happened once , and I did not have any feelings about the situation . contradictory +well that those are some of the things that are very important to us too um There are many things that are important to us . neutral +The number of individuals seeking relief from the floods across South Texas increased by more than 1,000 Tuesday , bringing the total to 5,855 , he said . Everyone in Texas avoided the flooding . contradictory +I 've heard far worse at other press conferences dominated by local TV loudmouths asking endless stentorian variations on the essential horse-race query Who 's going to win ? I think the horse-race query ' Who 's going to win ' is inessential . contradictory +And every close did meet Every close has not met . contradictory +Full texts of both the cost analysis and an addendum were provided to GAO at the time the agency filed the rule with us . The full texts of the cost analysis and addendum were 200 pages long . neutral +In these situations , an official authorized by the agency head ( or designee ) must grant advance authority in writing , and the agency must ensure that effective controls are in place to ensure the proper reporting of T & amp ; A data . There is no authority to monitor the generation of data belonging to T & A. contradictory +uh i we could just we were all centered around that television yep We were all watching the TV waiting for the President to speak . neutral +Construction of absorbers off-site is one way that projects can control project resources , schedules , and labor . Building the absorbers at the site is preferred . contradictory +The man 's sword sat on the ground nearby . The man 's sword was sheathed across his belt . contradictory +i have that one It is my favorite one . neutral +yeah well i think uh that based on um certain crimes it uh is merited uh there was a case just recently i don 't know if you uh if you heard about this in uh New Hampshire i believe about the uh teacher school teacher who hired her uh one of her high school students to kill her husband and they found her guilty and gave her life with no parole Some crimes it is merited to give life in prison . entailment +his own people He didn 't know them . contradictory +Though much smaller than Hong Kong Island , Kowloon has almost twice the population . Kowloon is larger than Hong Kong Island but has a smaller criminal population . contradictory +sure it 's it 's a big responsibility it really is Yeah it really is a large responsibility . entailment +and that 's another quagmire that really hurts us That quagmire hurt us . entailment +At IRS we identified the challenges the organization faces in revamping its human capital policies to help achieve its congressionally mandated transformation to an agency that better balances service to the taxpayers with enforcement of the tax laws . The IRS is Congressionally mandated to provide poor service to people who don 't pay their taxes . contradictory +54 A special Consent for the Release of Confidential Information form must be signed in order for this information to be released . A document on the Release of Confidential information must be signed . entailment +Not only was it not Fri . It was Friday . contradictory +so they they put a few more warm bodies in there than the teachers really needed to have they still have a twenty three to twenty five or so to one teacher ratio but it 's still They put some bodies in there to help the teachers , but they didn 't have any experience , so they didn 't help much . neutral +Nobody loves a wise-ass . Everyone likes when someone is a smart alec . contradictory +Most always . Never ever . contradictory +and what it takes to have that good life and if you 're willing to work for it then they 're probably be more inclined to work for it They will be more apt to work for it if you are . entailment +Don 't confuse the Villa Serbelloni with the luxury lakefront hotel of the same name . They are often confused for each other . neutral +requesting access to certain records relating to our study , restating our authority for inspecting the records , and the reason for our inspection . Didn 't request access to any records relating to our study . contradictory +Waverley Street Shopping Centre , which sits on the corner of Princes Street , is where you will find the main Tourist Information Office . The Tourist Information Office is located across the street from Waverley Street Shopping Centre . contradictory +yeah i 've got a well my roses are on the west side of the house i asked my neighbors what they wanted to see outside their uh front door The roses are on the east side of the house . contradictory +I only know little old New York . I 've never heard of New York . contradictory +You will also find an open-air fruit , vegetable , and clothes market just behind the main market , in the park area next to the bus stops . Next to the bus stops is a park where there is an open-air market . entailment +Time ' s behind-the-scenes package follows Steve Jobs through the week leading up to the fateful speech . Steve Jobs ' week leading up to the speech was not followed closely by any media organizations . contradictory +Notable artists , writers , philosophers , and scientists seemed to flock to the city . The city never attracted any artists . contradictory +The across-sites data base got much larger as the number of sites in a study rose . As the number of sites rose , the database got much larger . entailment +5 as the indicator of exposure . ) The indicator of exposure is never 5 . contradictory +um-hum um oh i thought it was awful I did not like it . entailment +Program Letter 2000-7 makes clear that the state planning initiative will continue to be LSC 's highest priority . The LSC is not concerned about state planning initiatives . contradictory +A famous example is the Klein bottle , a kind of higher-dimensional Moebius strip whose inside is somehow the same as its outside . The bottle was very popular when it was first released . neutral +We must find him . We must get to where he is . entailment +Eligibility is limited to those who have been employed at designated shipyards for at least 5 years , but who are not yet eligible for retirement benefits . Eligibility is limited to those who have been employed at designated shipyards for at least 7 years neutral +He never would come right out and say it , Woodward writes . He wouldn 't say it , Woodward writes . entailment +Upset things terribly , it has . People had plans before that have since had to be cancelled . neutral +Poirot alone seemed perfectly at his ease , and dusted a forgotten corner of the bookcase . Poirot seems calm and relaxed , and dusted the furniture . entailment +half-board may be obligatory during high season . You are required to half-board when it is busy . entailment +Beyond the library is the city 's most splendid building , its glittering white marble columns , now partly restored . The glittering white marble columns glittered because of the paint coating on it . neutral +Social Security itself wouldn 't go bankrupt . There are other things that may go bankrupt . neutral +A gazino is a restaurant that serves alcohol , and usually also offers an evening floor show of belly-dancing and folk music . Alcohol and belly dancing are common in gazinos . entailment +Yes , I said doubtfully . Affirmative , I said with doubt . entailment +Arraiolos wool rugs are colorful and rustic-looking There is no color in these Arraiolos wool rugs . contradictory +There is some excellent contemporary furniture and a miniature of Ois ? ­ n Kelly 's sculpture The Children of Lir . Some excellent furniture and a miniature can be found there . entailment +Under section 126 of the Clean Air Act , a state can petition EPA and request that EPA require reductions from sources outside the petitioning state 's borders . A state can ask the EPA to require reductions from a neighboring area . entailment +Twenty years later , it was J.P. Twenty years went by and then it was T.K. contradictory +We watched him , fascinated , though I think we all knew in our hearts that it was too late , and that nothing could be done now . We watched him lay in the hospital bed , fascinated by how hard he was fighting the cancer even though his death was inevitable . neutral +There is also a workshop at Kritsa , but these days modern mass-produced fashion shoes seem to be invading the scene . Fashionable modern shoes still have no place here , with almost everyone choosing to wear traditional shoes instead . contradictory +Landscape raced by the windows , shrouded in darkness . The train wizzed by the landscape . entailment +He unwisely fed the rumors and harmed his own reputation by naming Clay his secretary of state . Naming Clay his secretary of state did not harm his reputation . contradictory +they don 't report on every murder and shooting that happened in in every little town They report every murder and shooting , no matter the town contradictory +Saint-Germain-des-Prees is a charming neighborhood as well as the literary quarter ' home of major publishing houses , literary cafe , the Acad ? ? mie Francaise ' and a growing number of fashion boutiques competing with bookshops , art galleries , and antiques shops . Many aspiring writers make daunting trips to the neighborhood 's publishing houses , hoping to get book deals . neutral +Guess again . I know you never make guesses . contradictory +Hello Mieczyslaw ? And how are we feeling today ? Good , I suppose , because sleep 's the best medicine , as the old saying goes , and who cares that it 's banned . Mieczyslaw secretly sleeps every single night , and is soon to be arrested for it . neutral +If you 're visiting Madrid in summer , you 'll appreciate the cooler mountain air of Sevila Spain 's highest provincial capital , at more than 1,125 meters ( 3,700 feet ) above sea level . The highest provincial capital in Spain is Barcelona . contradictory +Barring risks from unscheduled activity , you can go as far as the 600 m- ( 1,962 ft- ) wide steaming crater . The crater is off limits contradictory +At any speed , a bike is a wonderful way to get around . A bike is a fun , cost-effective means of transport . neutral +The public is denied this access because the state , in thrall to the ideology of individualism , refuses either to interfere with speech bullies--such as pornographers--who silence women , or to subsidize the speech of the unorthodox , such as Robert Mapplethorpe . The state plans to take drastic steps against speech bullies in the future . neutral +Additionally , more aggressive efforts to use frequent flyer miles to reduce the government 's travel costs could , according to GSA , jeopardize its ability to negotiate significant savings under its contract air carrier program . The efforts to use frequent flyer miles to increase government costs could affect the ability to negotiate savings with airlines . contradictory +And I certainly don 't endorse the practice of giving money to witnesses in a criminal investigation ( rich right-winger Richard Mellon Scaife is accused of having provided the money that allegedly went to former Clinton associate David Hale ) . there are other practices that are endorsed however . neutral +well the air conditioning was broke but broken i guess it just couldn 't handle I couldn 't handle it because the air conditioning was broken . entailment +Well , you 're not Bob Woodward , and I 'm not Ben Bradlee , I responded . So I said , I 'm not Ben Bradlee and you 're certainly not Bob Woodward . entailment +His search resulted in the discovery of Florida . Florida was discovered by his search . entailment +uh uh but but right this moment you probably have several loans out or you have borrowed money against your credit card or something You don 't own a credit card . contradictory +Bill , our program manager ( chief tech guy ) answers questions about problems and possibilities in reading SLATE . Bill is one of the founders of SLATE . neutral +We could use another war . Another war is something that we could use . entailment +It would be nice if more of the newcomers were artists , artisans , and producers , rather than lawyers and lobbyists , but head for head , I 'll stack up Washington 's intellectual capital against any competitor 's . More artsy people would be better than lawyers and lobbyists . entailment +When the zoo celebrated the first successful hatching in captivity of a king penguin in 1919 , it gained world no other zoo had examples of this penguin species . The egg technically hatched on the last day of 1918 , but official records noted the event to have occurred in 1919 . neutral +This spirit became a factor in the gathering clouds of war . The war was about to begin . entailment +Nice books , for instance , are usually bland books--as this one is . This book is too long to keep the reader 's interest . neutral +estimates , the 8a level seems small , as does the gain of $ 32 million . Large is the only word suitable to describe the 8a level . contradictory +You 'll see his aircraft , a machine for making screws , hydraulic timber-cutter , revolving bridge , various machine-tools , and a system of map- ? ­ making by aerial views created long before any aircraft , even his , was operational . You cannot see his aircraft at this site at all . contradictory +So let 's review . The material is hard to remember . neutral +yeah uh uh do you follow any major league teams at all Do you follow any baseball teams ? entailment +exist at an esthetic altitude that few living painters will ever reach ( Hilton Kramer , the New York Observer ) . ( MoMA plugs the show here . ) The esthetic are better than any other living painter . entailment +The Animal and Plant Health Inspection Service is amending the regulations concerning the importation of animal products to allow , under certain conditions , the importation of fresh , chilled , or frozen pork from the State of Sonora , Mexico . The importation of pork from Mexico will be allowed under certain conditions . entailment +Malaysia 's proserity in recent decades is most evident in the central region of the peninsula , where the signs abound . The prosperity in Malaysia is not well spread out . neutral +The advocate component of the website allows individual lawyers easy access to pro bono and legal services organizations and the support and training needed to represent clients effectively . Support and training is needed to represent clients effectively . entailment +Hamilton championed the mercantile and the urban , what would one day be the New York City we know . Hamilton showed support for the trading class . entailment +What 's striking , as Sharon Hays recently pointed out in The Cultural Contradictions of Motherhood ( 1996 ) , is how tenaciously we cling to intensive motherhood , as she calls this ambitious mission , despite its increasing impracticality and despite how guilty it can make us feel . Sharon Hays says that we cling to intensive motherhood . entailment +Granted , there exists , in the form of a rich language and history , what Huntington would call a core Sinic civilization . This civilization exists . neutral +I am reluctant to dignify his hatchet job with a lengthy reply , but some of his claims are so defamatory that they should be addressed , if only for the record . These claims are harmless and it 's not necessary to address them at all . contradictory +And second , you want your half measures to be reasonably consistent on an absolute scale of morality . Morality can be viewed on different scales , and is thus seen to be relative . entailment +This appendix provides descriptions of the foreign governments ' agencies and U.S. federal agencies , state governments , and private sector organizations that participated in this study . The agencies , organizations , and governments that participated in this study are described in this appendix . entailment +( Click here to sign up . ) If you want to sign up then click here . entailment +Come again , sir , he said . " Please don 't bother coming back , " he said . contradictory +I 'm not making this up . I lied . I 'm sorry . contradictory +but now if you cook them wrong you can loose the vitamins to It doesn 't matter how you cook them . contradictory +Caution was the watchword among Italian rulers restored to their lands after Napoleon 's defeat . The Italians were cautious after restoring their homeland . entailment +The British extended their control over the peninsula by putting together the whole panoply of colonial administration civil service , public works , judiciary force , police force , post office , education , and land regulation with teams of British administrators , teachers , engineers , and doctors to go with it . The British trained its colony 's native administrators with their own British administrators . entailment +Then he was jerked back , off balance , staggering on to bring up against the wall . He was pulled back by his mother and stumbled , off balance . neutral +In Great Expectations , she never makes the leap from erotic object to flesh-and-blood human , and that 's not just the fault of the script and director . She never acts like human in the film vs a sex object . entailment +, increased span of control , reduced organizational layers , and / or milestones for full-time equivalents ) and encouraged agencies to include performance goals and indicators in their budget justifications . Budget justifications should be submitted by department heads once per quarter . neutral +Then he and Vrenna ran down the tunnel . They ran through the tunnel . entailment +The Malay ruling class again took a back seat . The Malay ruling class has only taken the back seat once . contradictory +FEMA concluded that all emergencies share certain common traits , pose some common demands , and ought to be approached functionally . FEMA says all emergencies are too different to compare . contradictory +The procedure used to develop these adjustment factors is described in more detail in the Heavy-Duty Engine / Diesel Fuel RIA ( U.S. There is more information on the procedures for developing these adjustment factors . entailment +that 's what he i can 't tell you how many times i heard that that 's what he yeah i i can 't tell you how many times i heard that and my son only my son only five so he 's not old enough yet to send out to to the do the yard work My son is too old to do any yard work . contradictory +But I feel you 'd be more at home in London . " I 'm sure you 'd feel like an outsider in London . contradictory +One of the oldest churches in the world , it was the only church in the Holy Land not destroyed during the Persian invasion of 614 the invaders noticed an icon of the Magi ( who were fellow Persians ) and spared the structure . It was the only church not destroyed during the Persian invasion . neutral +To visit the place where the bust was discovered , go to the nearby hamlet of La Alcudia . The location where the bust was found is a mystery . contradictory +In part , this is a form of It is terribly difficult to , say , write a novel . It is difficult to write a novel of this form . entailment +yeah Lubbock oh another west Texan Lubbock is a west Texan . entailment +It also reports that no comments were submitted in response . There were no responses submitted , according to the report . entailment +For years their territory had been the target of a struggle between the British and French , and the emphatic British victory in the French and Indian War forced them to leave , when they refused to swear allegiance to the British Crown . The British lost in the French and Indian War . contradictory +All the signs are painted the same color , as if they were done the night before , presumably by that kid who did the prom decorations for Sabrina , the Teenage Witch . If the marchers are white college kids , they look like an issue of Archie comics ; if they 're African-American college kids , they look like they 've been costumed by whoever did the first few Jackson Five albums . They were all dressed like my chemical romance . contradictory +There are hundreds of old donkey trails to explore on Tinos . Tinos has hundreds of donkey trails to check out . entailment +I was never so glad to see anyone . What a joy it was to see him again . entailment +The main route follows the coastline , circumventing the mountains and leading to some of the least-visited areas of Jamaica that are totally off the tourist track . Last year we went to some of the more isolated areas of Jamaica . neutral +I stuck my head out into the black , breathing in the night . I put my head outside . entailment +and i you know nobody says because you 're supporting the troops that you 're you 're supporting the war you you have to support the people that are there Everybody likes the war . contradictory +The Jews are Neanderthals . Jewish people are as primitive as Neanderthals . neutral +Most recently , Pine Tree has received a major grant from the U.S. The US gave Pine Tree a $ 399,000 grant . neutral +For example , Courmayeur , the country 's most venerable ski resort , never adopted its more Italian name of Cetemaggiore . The people who live in Courmayeur generally speak French . neutral +To take in more Old Masters per mile , it 's vital to plan ahead . Planning ahead is vital it taking in more Old Masters . entailment +Somehow , that wasn 't the answer I 'd hoped for . I heard exactly what I wanted to hear . contradictory +And the British book reviews are more like publications revolving around literary life than mere reviews . British book reviews are poor . contradictory +Young army officers and the professional classes were becoming increasingly interested in West ? Υrn ways of government and social organization . Senior politicians were hesitant to accept the ways of the west . neutral +A plateau that measures 17 km ( 11 miles ) long by 6 km ( 3.6 miles ) wide , the flat plain stands in dramatic contrast to the rugged mountains in the center of Madeira . The plateau is a very popular place for visiting hikers . neutral +The key management official who represents the The key management official who represents the department . neutral +There are some other things you should know , said Jon . Jon didn 't say anything . contradictory +But returning later to regroup after being slapped by an angry storm , a dispute arose over stolen property . The dispute divided the group into factions and threatened their mission . neutral +General Accounting Office , 441 G Street NW , Room 7149 Washington , D.C. 20548 General Accounting Office that advises many congressmen , 441 G Street NW neutral +Most tedious World Exclusive : The Star ' s six-page spread on Tanya Tucker and her 2-week-old daughter , Layla , which basically consisted of frame after frame of the singer 's head in varying proximity to the sleeping newborn . The Star says that Tanya Tucker is still pregnant . contradictory +The others , with the possible exception of the bearded German , merely used it as a rendezvous . It didn 't mean much to anyone besides the bearded German . entailment +It took two months to capture and was devastated by Allied bombs and the shells of the retreating Germans . Two months was all it took to get the bomb shells removed . contradictory +According to DOD 's current acquisition policy , the system integration phase of an acquisition normally begins with the decision to launch a program . The DOD 's current policies tell us that the system integration phase of acquisition typically begins with the decision to launch a program . entailment +Fed up , Mr. Davol agreed to wander , inhabiting the offices of vacationing staffers . Mr. Davol would not enter any of the offices of the vacationing staffers . contradictory +If no problems were observed , problems in other sites were unlikely . The sites were practically identical . neutral +To provide further leadership and accountability for management , Congress may wish to consider several Leadership needs to be help accountable in the future neutral +yeah i yeah my my very favorite one that the top of the tick for me is uh Excalibur i i loved that film um I really hate the movie Excalibur , because the script is so terrible . contradictory +And selected articles from SLATE will also appear in Time magazine . Some articles in SLATE will also be in Time magazine . entailment +Others embarked on an overseas exodus that took them around the Mediterranean Sea . The destruction of their city led to their overseas exodus . neutral +That much his memoir gets right . Everything in his memoir is correct . neutral +You will always see someone rubbing the part of a statue corresponding to an afflicted area in the hope of relief from pain and worry . You can rub the statue , but hardly anyone does it . contradictory +In appointing the bland , seemingly slow-paced Chernomyrdin as his envoy , Boris Yeltsin is probably hoping that Chernomyrdin will somehow pull off a settlement without really seeming to or without raising too many hackles , and that his ultimate success will be Primakov 's loss . The envoy appointed by Boris Yeltsin was Chernomyrdin , who is bland and slow-paced . entailment +Jon sat by her and ruffled her hair . Jon was sitting next to her and ruffling her hair . entailment +Projects these schools have backed so a candle and toiletries business , a company that makes backpacks for in-line skates , and a firm exploring laser technology for eye surgery . These schools have backed such businesses as eye surgery laser technology , in line skates and backpacks , and a candle business . entailment +The Guggenheim has been busy rationalizing its decision to mount the motorcycle exhibition . The Guggenheim has been justifying mounting the very expensive motorcycle exhibition . neutral +oh i didn 't see that one I did not get a chance to see that one . neutral +the guy 's guilty exactly The guy is innocent . contradictory +Only with the fall of Carthage in 146 b.c. did they manage to make inroads , but , as local historians stress , Ibiza was neither conquered nor annexed by Rome , but confederated , retaining remarkable autonomy . The fall of Carthage was in 146 a.d. contradictory +For the economy as a whole , national saving is the portion of the nation 's income not used for private and public consumption . National income that is used for public consumption can be counted as national savings . contradictory +Chrysler makes four times as many cars as Daimler with fewer than half the workers , and although there are good reasons for this--luxury cars require more labor , Daimler is diversified into other labor-intensive businesses--much of the difference does stem from Daimler 's bureaucratic approach . Chrysler has a huge workforce . contradictory +Jon stabbed into the man 's eye and , drawing it out , across his throat . A man had his eye stabbed by Jon . entailment +Both the agency 's classification review and comments on the product must be completed within the time frame identified in GAO 's letter transmitting the draft product . The agency 's classification review is by poor people . neutral +because i got up and started jumping on it again I threw it across the room . contradictory +Results calculated using three percent discount rate as recommended by EPA 's Guidelines for Economic Analysis ( US EPA , 2000a ) . Other rates can be used to calculate results . neutral +The rule was promulgated through the general notice of proposed rulemaking procedures of the Act , 5 U.S.C. The rule received absolutely no support of promotion from anyone . contradictory +The FDA solicited comments on the above information collections including among other information , the necessity of the collection , the accuracy of the estimated burden and ways to enhance the information collection . The FDA denied comments on the information . contradictory +it 's getting harder and harder ten years ago wasn 't so hard to stay up to watch it I 've never been able to stay up and watch it . contradictory +No , I 'll bear the weight of it myself , and not burden you with it . The weight is tough to handle . neutral +One of their most spectacular monuments is the annual market-festival at Pushkar held each year in November . One of their best monuments is their market-festival . entailment +hence is possible error as you can see in all the ironsides It might take a bit of effort to notice the error . neutral +Richard Brown commented on high up-front costs required to develop technological means of delivering These services , such as computer-based screening . It is relatively cheap to deliver these services by technological means . contradictory +18,19 However , changes in alcohol consumption are often not sustained among participants in control conditions . Participants keep up with their alcohol habits . contradictory +Their only son , prince Don Juan , died here at the age of 19 , and his tomb lies in the monastery . Prince Don Juan lived into his forties . contradictory +They report the makeup artist took another man on a multimillion-dollar , Oprah-hosted cruise . The man was denied access to the oprah-hosted cruise . contradictory +In the same area , however , right alongside the Egyptian border , are the best beaches and the most outstanding underwater scenery in the whole country . There are no beaches near the border of Egypt . contradictory +Another is Malibu Lagoon State Park , one of the few remaining wetlands in Caleornia . Malibu Lagoon State Park has been a tourist destination for people with particular interests . neutral +But this is childish ! 71 " No , it is very momentous . " This is what a kid would do ! entailment +The car swept up the drive , and stopped before the porch . The car screeched to a stop in front of the porch . neutral +The Texas Equal Access to Justice Foundation presented the Kleinman Award to Hankinson at its annual Court Luncheon . The Kleinman Award was given to Hankinson , from the Texas Equal Access to Justice Foundation at its annual Court Luncheon . entailment +well i tell you what it is it 's warm where i 'm at I need a jacket since it 's so cold here . contradictory +This approach is similar to that used by the organizations we studied . Our approach is slightly better than theirs . neutral +it was like uh at least ten years ago I still remember it like it was yesterday . neutral +One possibility would be to allow a portion of any profit to be used for performance bonuses to management , but there would be reason for concern if high and persistent profits resulted . One option is to use a part of the profits as bonuses to management . entailment +In other words , the careless only stay lucky for so long . If you 're careless at the workplace you 'll get fired in no time . You 'll run out of luck . neutral +The island is mostly quiet , with a short , three-month summer season . The island is mostly raucous with a nine-month summer season . contradictory +The Departments submitted the proposed collection requirements to OMB as required by the Paperwork Reduction Act and OMB has approved the information collection requirements and assigned control number 1076-0136 . The proposed collection requirements have not been approved by OBM . contradictory +i 'm with the Melpar division of E-Systems My division is the Melpar division at E-systems . entailment +These holes now mark a generation of which the parents cannot confidently say , They 'll grow out of it . Parents cannot be confident that their children will grow out of their rebellious phases . neutral +Pollock asked for a more specific definition of prioritization . They had trouble understanding what the term meant . neutral +I see that you 'd like , and I think I know what this is going to be about . I have no idea what is going on . contradictory +yeah okay i just thought they had some I did not think that they had any . contradictory +Wearin ' a crease ' longside his skull ; maybe that scrambled up his thinkin ' some . " He hasn 't been thinking right since he got that crease . neutral +Rockefeller 's addiction to living in an expensive realm of his own , for creating his own entourage , ultimately accounted for Gerald Ford 's decision to toss Rockefeller overboard and pick Bob Dole as his running mate in 1976 ( something that will presumably be discussed in Reich 's next book ) . Ford chose Rockefeller as his running mate . contradictory +tried it on and decided i really did not like how it looked on me I tried in on and decided I loved it . contradictory +The idiots must be trying to reach the sky with their pyramid . The idiots did not know that this was impossible . neutral +At a book reading in Seattle some months ago , Roy told her audience that she 'd allowed The God to be published on the condition that it never be optioned . Roy did not allow her book to be published . contradictory +Fate seems to have chosen you out to be mixed up in this . " Tommy indulged in a chuckle . It was not your destiny to be involved in this . contradictory +If funded , these projects would provide the potential for half of the states to provide clients with legal information and pro se resources on a statewide basis . Half of the states could provide legal information with these projects . entailment +you know so i don 't want to be paid to do it because then it becomes a job and then it 's not a hobby you know I don 't want to be paid because photography is a hobby for me , I don 't want it to become a job neutral +The cover had been designed , the catalog copy written . Both the cover design and catalog copy were rejected . neutral +We also show how the advocate component of statewide websites promotes effective representation by sharing legal resources and expertise - generally a function of legal work supervisors . Having an advocate for statewide websites promotes effective representation in the legal arena . entailment +yeah clocks is what i meant i can i 'm going crazy my daughter 's playing the piano and i can 't think My daughter is playing the flute contradictory +The island has a checkered past of smuggling and pira cy . Smuggling and piracy used to occur in close proximity to the island . entailment +'You are not a man happy to betray even his enemies . You would betray anyone for anything . contradictory +Over the long-term , meaningful Social Security and Medicare reform will be necessary to avert massive government dissaving , reduce the economic burden of government spending for an aging population , and restore budgetary flexibility to address other national priorities . No reform of Medicare is necessary because the government has plenty of cash to spend on other priorities . contradictory +Wine is almost entirely a cloned product . Wine is a unique product . contradictory +In a way , the one-world battle is over . The point has been made , therefore the one-world battle is over . neutral +But it 's best to steer clear of these groves because they harbor a poisonous snake called the fer de lance . The groves are entirely safe to visit due to their absence of predatory animals . contradictory +The privilege squabble , in fact , marks the first time the Dead President defense has failed . This isn 't the first time that arguing the Dead President defense hasn 't succeeded . contradictory +A piece profiles new for-profit prisons specializing in geriatric felons and worries that they will cut services to bolster profits . No one is talking about the for-profit prisons housing the geriatric . contradictory +Th ' Don has him a high-steppin ' hoss every hoss thief in this here territory 'd like to run off . The horse is a beautiful black color and has a mane like silk . neutral +And Pooh belongs to America for economic reasons as well as literary ones . Pooh is the most beloved American literary figure . neutral +( Click for a sampling of alarmist headlines from the Los Angeles Times . The headlines are all written by the same reporter . neutral +well he 's going to he 's going to kill himself He 's going to kill someone . neutral +so that kind of reeks havoc with plans The plans see some turmoil because of that . entailment +To get to Kilyos , take a ferry or bus to Sardyer , where a taxi or dolmu ( see page 125 ) will take you the 12 km ( 71.2 miles ) to the coast . There is nothing worth seeing in Sardyer . neutral +One alternative might be to create a special accountability track that ensures that non-homeland security functions are well supported and executed in DHS , including milestones for monitoring performance . That ensures that all homeland security functions are executed in EPA . contradictory +said Adrin , rising . Adrin sat down . contradictory +they really have a good campaign for the young people you know they know it 's not smart so Their campaign is well-loved by young people . neutral +Elusive till the end , he was scheduled to lecture , two weeks later , on his life and work as a war photographer--with slides and patriotic music--at Carnegie Hall . He was very excited to lecture . contradictory +Commentators complained of the Series ' sloppy play but applauded the epic Game 7 , in which the Marlins , down to the last two outs of their season , eked out the tying run and won in extra innings . The Marlins haven 't been playing their best throughout this Series . neutral +Should we just muster our courage and invite them over , or should we invite them for dinner / drinks at a restaurant ? I really don 't want them to come over or even go out to eat with them . contradictory +They chose ten men from amongst them , by lot , who would slay all the rest and when these ten had without fear slain them , they cast lots for themselves , he who was last of all set fire to the royal palace [ of Herod ] and ran his sword into his body . They chose ten men who would be killed by all the others . contradictory +yes it 's another war zone It is an area of total peace . contradictory +EXPECTED VALUE - A statistical measurement attribute that is the sum of the products of each potential outcome multiplied by the probability of that potential outcome . Expected value is not a measurement contradictory +that and then you know the laptop that 's how i guess they really stuck it on a disk the teacher you know with no answers and they could take it like that and then just print it out in fax and it would be okay because you can put it on a you know on diskette The teachers had answers so they didn 't need to fax . contradictory +young men i mean sixteen to nineteen year old boys are shot and killed or shot at least shot frequently the uh the county hospital that handles all the gunshot wounds here Teen age boys are shot and killed frequently . entailment +the kids aren 't getting the attention that they need or the television Kids get too much attention . contradictory +Yes , sir ; it always was . No , sir , it never was . contradictory +A leader must be a uniter , not a divider , he declares . A leader needs to look out for himself . contradictory +They missed the real The reason why Bush doesn 't have to talk about old moral issues that might make him look mean is that he 's introducing new moral issues that make him look warm and caring . He is ignoring the old moral issues about cutting back on Planned Parenthood . neutral +user questions Answers given by users . contradictory +roly-poly bugs the ones that roll up in a ball i don 't know what they 're called The roly poly bugs that line up in a straight line and wait at the door . contradictory +Personal Communication with T. Licata . Personal Communication with T. Licata about dogs . neutral +You 're quite right . You could be right . neutral +The British Raj , though , was firmly entrenched in clubs , and remained resolutely separate . The Raj soon lost its separation . contradictory +Because I believe that the public needs to know more about its own money . The public deserves to know what 's going on with its money . entailment +well you you know you you sit here and you think about that at the same time you think God i just hope i don 't sound like a stage mother because if right now if you ask my friends twenty put twenty mothers in a room and ask them how many have gifted children you 're going to have twenty hands you know up there A stage mother is overzealous and cares too much about her kids . neutral +Such a policy would displease many black politicians , since it stands to diminish black political representation in the short run . The policy is disgusting and racist . neutral +I was about to expound these theories to Poirot , when his own words distracted me . His words distracted me since he revealed the secret of the opponents . neutral +For the Clear Skies Act , control technology installations have been looked at for the periods between now and 2005 , 2005 and 2010 , 2010 and 2015 , and 2015 and 2020 . Control technology installations were not reviewed prior to 2005 . neutral +Our work has shown that agencies can improve the extent to which they devolve authority for employees to make decisions and the extent to which they hold employees accountable for results . Our work has shown that agencies can 't improve the extent to which they devolve authority contradictory +Karpathos is a rugged and wild island lying between Rhodes and Cete , almost at the foot of the Aegean . Karpathos is the biggest island in the Aegean sea . neutral +Blood splashed on Jon 's face and armor . Jon had no blood on his face . contradictory +Passengers crane their necks for dizzying glimpses of the harbor . Passengers can 't even see the harbor . contradictory +To find your name , try the Internet White Pages , WhoWhere ? Your name might not be found on the whitepages . neutral +Members of the central group possess a variety of technical skills and have specific information security responsibilities , such as developing policy , maintaining the firewall that protects the organization 's network from unauthorized intrusions , or supporting security staff assigned to individual business units . Members of the main group have lots of different technical skills . entailment +( Duvall has become more fun to watch than just about anyone in movies . ) Duvall does stand up comedy in movies . neutral +Information Computer Hacker Information Available on the Internet ( GAO / T-AIMD-96-108 , June 5 , 1996 ) The internet has computer hacker information . entailment +This process may identify patients who have not yet developed severe dependence , thereby pre-venting the development of more intractable stages of alcoholism . This process can identify patients who haven 't developed a severe dependence and are willing to change , preventing the development of more serious stages of alcoholism . neutral +yeah that would that would be much That seems reasonable . contradictory +yeah the yeah the family well it was with all of them but it was uh more an impact i think on the oldest two The whole family was impacted but the oldest two had it the worst . entailment +This threatens to become a modern version of the McCarran-Walter Act , which was used during the Cold War to exclude lefty writers and intellectuals . The McCarran-Walter Act was used during the Cold War to imprison Japanese citizens . contradictory +and you sir you take care Do not take care , Mr. contradictory +Of particular significance is their exemption from the Migrant and Seasonal Agricultural Worker Protection Act ( MSWPA ) , 29 U.S.C. Of particular significance is their inclusion of the MSWPA contradictory +It was hard to swallow , but there were too many things here that couldn 't be in any world he had known . There were no differences between this and that world . contradictory +well let me preface it i 'm a i was a staff officer in Vietnam in sixty nine and seventy I did not serve in any capacity in the military . contradictory +like um in the warm weather it 's always shorts and a T-shirt or a button up or something like that and then in the winter time it 's jeans or or pants i usually um you know college is so casual you really don 't want to dress up unless you you uh have a job and you have to be there right after school or something like that When the weather is warm I wear shorts and a T-shirt or a button up . entailment +He stumbled on in a trot , guiding himself by the stars that shone in the broken sky toward a section of this world where there had been life and some measure of civilization before . He began running into the unexplored wastes where none had ever traveled before . contradictory +So , if the war was constitutional in 1991-92 , the war is still constitutional now--nothing in the resolution specified a time limit . The resolution does not specify when the war stops being constitutional . entailment +uh-huh sounds like it do you like to cook It sounds like you never cook . contradictory +What you say goes . What you say is what we 'll do . entailment +Economists disagree about whether tax incentives are effective in increasing the overall level of personal saving . Economists agree about whether tax incentives are effective in increasing the overall level of personal saving . contradictory +Safe and healthy work environment Provide a safe , healthy work environment . Adhere to the rules , for a safe and healthy work environment . entailment +a productive member of society But sadder than that he may never be able to have a normal happy life because it has strung him out so that he has anxieties now that are are almost uncontrollable i mean he he puts himself in the hospital fairly regularly thinking that you know he he 's not sure if he 's going try to commit suicide or not He may not ever had a normal life because it has strung him out so bad . entailment +He was holding a large suitcase , the same suitcase he 'd been carrying on the platform ... I wondered what 'd happened to that . The large suitcase he was carrying burst open . neutral +Some had microphones ; some had notepads . They either had a mic or a notepad ; but , they were all reporters . neutral +At one point , he throws cash to people in a local soup line . He never gives away free money to anyone . contradictory +Despite his quick climb up the legal ladder , Bailey has always found time to help out in causes he feels strongly about . Bailey helps out causes he cares about every day . neutral +Those curious to get a feel for its atmosphere ( rarely first-time visitors to Italy ) should consider summertime stays at small seaside resorts ( off-season visits will fail to capture its allure ) , meandering drives along its impressive coastline , and a couple of excursions into the little-visited hinterland . Summer is the best time to visit the Italian seaside . entailment +But they spoke to widespread social concerns , and during an era marked by its unthinking reliance on experts , he made a point of speaking neither as an obfuscating specialist nor as a simplifying self-help guru . They did not speak to any widespread social concerns . contradictory +In addition , the lawmakers called for publicizing successful fraud prosecutions and fraud prevention programs to deter benefit fraud . Lawmakers wanted to make fraud prosecutions more private . contradictory +The Jantar Mantar , set south of Connaught Place , is perhaps the strangest monument in New Delhi . The Jantar Mantar is a weird monument . entailment +Schools are a harder nut , but not an uncrackable one . Schools eat nuts . contradictory +The last presidents to be sworn in under those conditions , she says , were John F. Kennedy and Richard Nixon . She claims John F. Kennedy and Richard Nixon were the last presidents to take office under those situations . entailment +I know it will shock you to find out that , even as we speak , Phil Coles is a member in good standing of the venerable International Olympic Committee . Discovering Phil Codes is a faithful member of the International Olympic committee may not shock you . neutral +In fact , there is no way to tell how many kids and how much money may be involved , since many FEC filings are incomplete . All FEC filings are always complete . contradictory +Local villagers have relied on them as shelter during monsoons or epidemics , so the murals have disappeared , but the magnificent sculpture has survived . Local villagers relied on them during natural disasters . entailment +The court next considered the exception to a504 ( a ) ( 16 ) that allows representation of ' an individual eligible client who is seeking specific relief from a welfare agency . The court considered an exception to the rule that would help people on welfare . neutral +yeah that well it it it just puts a damper on things for a little while but we 're we 're starting to get everybody back together yeah we 'd like to do a float trip down uh oh like Big Bend area or something like that We 'd like to get everyone back together to take trips . entailment +The Standard rejects the line that Treasury Secretary-designate Larry Summers is a Robert Rubin clone . The Standard says Summers is nothing like Rubin . contradictory +DEDICATED COLLECTIONS ( OR TAXES ) - See earmarked taxes . Dedicated Taxes and Dedicated Collections have different definitions . contradictory +A ritualistic mark of bravery for Carib warriors was cannibalism , and it 's for this that history most remembers the Indians who invented the hammock and gave their name to the Caribbean . Cannibalism was very brave for Carib warriors because other groups were opposed to it . neutral +At that time , barely 20 years At that time , 20 years weren 't much entailment +and i do enjoy reading I like to read . entailment +A new revolutionary , plastic surgery method has been developed , allowing for performing surgeries on one particular body part practically an infinite number of times . Plastic surgery can now be redone if an adjustment or new look is wanted . entailment +More adventurous visitors will take the descent down the volcanic sand slide called the suna-bashiri to Shin-Go-gome ( New Fifth Station ) . Daring visitors will descend the suna-bashiri , a volcanic sand slide . entailment +NORTHEAST The way you need to travel to get from Oklahoma to Indiana . neutral +no yeah that 's really nice i hate having to leave the house closed you know closed up all the time It 's nice you don 't feel like locking up all the time , I do . neutral +Expatriate Cubans settled in nearby Florida , establishing a colony that would steadily gain in political and economic power . Expatriate Cubans settled in nearby Florida because of the similar climate . neutral +Tommy had by this time the glibness born of practice . Tommy is exceptionally skilled . neutral +The ruins of ancient Hierapolis lie scattered on the hillside above the terraces , adding historical interest to natural beauty . The remnants of ancient Hierapolis are interspersed with nature on the hillside . entailment +He hates cynicism like the Russians at Stalingrad hated the snow . There was snow at Stalingrad . entailment +His face went white and his ears went red . He laughed as his face went white and his ears went red . neutral +Some of the light-hearted songs require the singer to emit a weird , guttural ye-ye-ye sound . No songs are weird and need a gut song . contradictory +yeah yeah it 's like i 'd like to know where they determine that i 'm such a good credit risk that they can go and say you get this much credit line you know you 've already been preapproved following the preapproval , i plan to use most of my credit to gamble and buy groceries neutral +In the event there is a certification , generally accepted government auditing standards require that the limitations to GAO 's access to records be identified in the product and that the audit findings be adjusted accordingly . If there is a certification , the government requires that the GAO access limits be identified . entailment +Owners or operators of units or facilities must hold sulfur dioxide allowances , nitrogen oxides allowances , or mercury allowances at least equal to the emissions of sulfur dioxide , nitrogen oxides , or mercury respectively . Operators of facilities have allowances for sulfur dioxide and mercury . entailment +Given her claim that she cannot stand to see Clinton on television--a fortiori in the flesh--does she really want to give the president 's lawyers a stick to beat her with ? She said she loves to see Clinton on tv . contradictory +None of this proves that realism is corrupt . We can conclude that realism is not corrupt . neutral +North from Ribeiro Frio , toward the coast , is Faial , much photographed because of its picturesque setting at the foot of the Penha d ' ? ? guia . Ribeiro Frio is photographed a lot . entailment +A correction in this space on Saturday omitted mention of the rabbit . The Saturday correction left out the rabbit . entailment +You know , the champion kite-golfer from San Prego . San Prego 's champion kite-golfer was a giant man . neutral +oh yeah yeah no no and it 's funny you know You like to pull for the underdog and for a long time i was pulling for Denver You like to pull for the team that is less favored to win . entailment +Its 18 percent alcohol content can sneak up on you . It is easy to overindulge in it . neutral +Board of Governors of the Federal Reserve Bank Holding Companies and Change in Bank Control ( Regulation Y ) The federal reserve bank has a board of governors . entailment +i guess they were doing it Eastern Standard Time i was like well i don 't know how long it takes whether it takes five minutes or twenty minutes so i I had thought the time zone was EST . entailment +kids are hard on houses Kids are the best on houses especially for cheap labor . contradictory +Cinderella victors shook up the NCAA men 's basketball tournament . In the West , 10 th -seeded Gonzaga , which has already taken out seventh-seeded Minnesota and second-seeded Stanford , has a good chance of becoming the third double-digit seed ever to reach the quarterfinals . Gonzaga lost to Minnesota . contradictory +Apparently , not even the sure-fire plot machinations of Lillian Hellman and beguiling wiles of actress Stockard Channing can rescue this Lincoln Center production from its pretensions . Apparently Lillian Hellman and Stockard Channing can not help the Lincoln Center from their self-importance . entailment +uh and a couple of them even went to the uh NFL i just don 't remember their names I don 't remember their names but a few of them went to the NFL entailment +6 . Bully or protector ? Stranger . contradictory +Meaning no disrespect , sir , " said Severn . Severn told him he meant to disrespect him . contradictory +Software supremo Andrew Shuman , says the right candidate will be a C SQL jockey with two to three years of Web experience . Andrew Shuman thinks the right candidate should have at least some experience in C SQL . entailment +informative and interesting and uh i was real impressed at how ABC handled uh translating the war for children I was disappointed with what I thought was a poor presentation . contradictory +Tobe Kells owns it . It could never be owned , it was free as a bird . contradictory +That 's the question of your many valuable and important books . Books ask a major question about what motivates people . neutral +and and we use uh we do teleconferencing that way so that that everybody 's looking at the same foil because we 're pulling it off the network We 're pulling the foil off of the network for security reasons . neutral +But in these obscure aristocratic byways he could not but feel that an officious policeman might stop him to explain matters . An apathetic policeman would stop him but offer no explanation . contradictory +It stands I am engaged to be married next year to a wonderful young man . I am engaged to Donald J Trump . neutral +Their needs are defined and ministered to Their needs are ignored often . contradictory +The findings confirm the expectation to some extent , but the split is not clean . It was vindicating to find that the findings were partially in agreement with expectations . neutral +Their influences in the sciences and foods they brought with them are still felt today . The changes in science and food that they brought are still felt today . entailment +At the 8a discount level , the overall volume in the system , basic plus workshared , increases 0.69 % . The increase at the discount level is 0.69 % . entailment +and help them protect themselves not not that they i 'm i 'm not sure the Catholic church is is is particularly particularly political but The Catholic Church can be very political and they won 't help anyone who isn 't their own , meaning belonging to their Church , regardless of if you 're Catholic or not . contradictory +or you got a hill between you or something like that It 's hard to see or a hear them when they 're on the other side of a hill . neutral +A few people scratched their heads ; wondering if this might be a joke . People were wondering if it was a joke . entailment +well that was one reason why i figured that i could stand Lubbock Texas that was about as much winter as i could get because i grew up west coast sunshine green leaves on trees There are many reasons . neutral +She was moaning softly and it was worse than hearing her scream . She was in so much pain that she was moaning softly , which was worse than hearing her scream neutral +Caleng itself a Noah 's ark for owls , the Owl Centre hosts a bird flight event every afternoon at 2 : 30 . Every afternoon at 2 : 30 there is a bird flight event at the Owl Centre . entailment +yeah the other big change i see in in in woman 's lives is um The change I see for both men and women , but mostly women , is neutral +That 's one piece of the larger truth at the heart of the family-values Divorce and unwed motherhood are bad for kids . Divorce and unwed motherhood are great for kids . contradictory +Then there are the legitimate programs that have been infected with subprograms called viruses . Viruses are crafty things that are cleverly ( if perversely ) designed to replicate themselves whenever their host program is run . There are word processing programs that have viruses . neutral +Very remarkable plan . Very detailed plan . neutral +Novak goes against the flow to argue that Goldwater retarded the conservative movement by not finding room under his robes for the poor and the religious . Goldwater halted the conservative movement by ignoring the poor and the religious , argues Novak . entailment +An occasional luxury liner still glides past the great stone gateway , the harbor promenade of the Apollo Bunder , and the Yacht Club to dock at Ballard Pier . Luxury liners never pass the Apollo Bunder at all . contradictory +! Describing the benefits that services such as community legal education , pro se assistance and referrals to community agencies provide to the communities served by LSC grantees . LSC gives grants to people that help low income community members . entailment +Francis Street is lined with antiques stores , and in Back Lane is a large covered market , Mother Redcap 's Market . There are a lot of antiques stores on Francis Street . entailment +isn 't that a beautiful place Isn 't this an ugly baby ? contradictory +Osakans pride themselves on being warmer , friendlier , and more spontaneous than their Tokyo cousins , whom they love to dismiss as formal and uptight . People in Tokyo are too uptight and need to relax . neutral +Bob White , a respected Baltimore memorabilia dealer and owner of one of the world 's largest collection of shrunken heads ( 35 and counting ) , says the Vietnam trophy skulls would find buyers . Bob White will hold an auction for the Vietnam trophy skulls . neutral +We also chart the critical consensus about books , movies , art , and music in Summary Judgment and spare you from having to watch the Sunday talk shows by offering you the gist in Pundit Central ( check in Sunday evening to prepare for Monday sessions at the water cooler ) . We do nothing for you and offer you no services . contradictory +sure they 've got your money already Some of your money is already theirs neutral +no i don 't i i kept wanting i kept thinking about getting it but i just don 't use the things enough to justify getting it I don 't have enough reason to get those things . entailment +Statewide technology plans required as part of the State Planning Initiative . The State Planning Initiative did not call for technology plans . contradictory +In addition , many workers are unaware that the retirement age for full Social Security benefits is gradually rising from age 65 to 67 . Every worker knows that the retirement age for Social Security has changed . contradictory +are you in Texas oh i 'm in uh down here in Sherman or Denison rather Are you located in Texas ? entailment +Bond does not take bribes ! Bond does not accept illegal pay offs . entailment +She should apologize . She should say she was sorry . entailment +The church is also revered by Florentines as the last resting place of many great Italians . Florentines recognize the church as the final resting place of many great Italians . entailment +And because you 're buying options , you 're left with nothing . You 're left with nothing given that you 're buying options . entailment +20 per hour . 20 for every hour entailment +Some drank and when they did they went crazy , mad with blood lust . When they drank liquor they went crazy . neutral +And another preoccupation was weighing on Tommy 's mind . Tommy was always distracted by stray thoughts . neutral +This isn 't Germany , 1945 . It 's not Germany during 1945 . entailment +De Wit was paid a reasonable stipend of a120 per year to produce the works , examples of which can also be seen in other rooms of the palace . De Wit didn 't pay a reasonable stipend , and thus we now lack the works . contradictory +It is time to examine whether the financial benefits of trying to make use of frequent flyer benefits would be outweighed by the recruiting and retention benefits of allowing personal use of those benefits . Frequent flier miles need to be left the way they are . contradictory +I asked for $ 300 per lawyer to make up for the shortfall . Due to the shortfall , I decided to ask for the lawyers for free . contradictory +An assumed growth rate of US steel demand was chosen at 3 percent , a typical number for growth in GDP . An assumed growth rate of 8 % was chosen for US steel . contradictory +i said no wonder they 're out of it They 're still in it no matter what . contradictory +Among the Frequently Asked Questions FEMA posts on its Web site is the I think that some people in my neighborhood are trying to cheat the federal government out of disaster money . There are FAQs listed on the FEMA website . entailment +THE DOCTORS HAVE GIVEN HER SIX MONTHS TO LIVE . According to her doctors , she has six months to live and her health will degrade considerable during that time . neutral +There seemed to be a never-ending set of obstacles , said Patrick Pleas , an attorney with Northwest Justice Project . Patrick Pleas is an attorney with Northwest Justice Project . entailment +I will accept the conditions in private . " There were no objections . Many protested . contradictory +In a land where politeness is important , per favore ( please ) , grazie ( thank you ) , prego ( don 't mention it ) , and , when pushing through a bus or market , permesso ( excuse me ) will be greatly appreciated . In a place where being polite is critical , using cordial phrases like permesso ( excuse me ) while moving through a market will be extremely welcome . entailment +i mean it 's not very many miles from our house at all It 's very far from our house and would take us days to get there . contradictory +Slim took the large glob of meat though his skin crawled at the touch . The meat was well done to the point of almost being burned . contradictory +( There are also flights from Kathmandu to Bhairawa , the nearest airfield , with a bus service to Lumbini . ) In addition , there are flights from Kathmandu to Bhairawa and from there bus rides to Lumbini . entailment +You can either buy the cloth and have it tailored back home or buy a sarong useful at the beach over a bikini . You could either purchase a sarong for use at the beach or purchase and have the fabric tailored at home . entailment +and it was the nastiest tasting pizza i 've ever tasted It was the nastiest pizza I 've ever tried , it had pineapples and chocolate toppings ! neutral +9.5 CHOICE OF ANALYSIS you must choose an analysis . entailment +if i don 't do it i just feel like i don 't have as much energy Doing it seems to give me more energy . entailment +yeah i wouldn 't mind him too much he 's a pretty good guy he 's been around and he 's he keeps a low profile and doesn 't go after the the headlines and stuff I would mind him a lot , he hasn 't been around and he goes after the headlines too much . contradictory +We didn 't have time to check . There wasn 't time to check whether or not our supply lines were cut . neutral +Further , the periodicals subclasses have strict rules on enclosures , have regulations that depend on whether the publication is bound or unbound , and most have rates that depend on whether the material inside is advertising or editorial . The periodicals subclasses have strict rules on Gorilla enclosures after Harambe got messed up . neutral +you kind of group your behavioral problems together that way You kind of bring together your behavioral issues . entailment +But despite these migrations , immigrations , social change , and urban renovation , time seems to stand still in many Paris neighborhoods . Paris is filled to the brim with new developments , replacing much older buildings . contradictory +A more extensive evaluation , including an assessment of effects on long-term earnings , is currently planned for completion in 1999 . An evaluation including an assessment is currently planned to be completed in 1999 . entailment +The Idaho Partners for Justice Project has already secured pledges of more than $ 35,000 from law firms , attorneys , corporations and individuals . The Idaho Partners for Justice Project was given $ 35,000 . entailment +It was Abraham Lincoln . The man was Washington . contradictory +They can afford to risk a bit more grit in the presentation . They can afford a little risk in the presentation . entailment +Throughout this period , Ireland 's political organization continued much as it had under pagan Celtic rule . The political structure of Ireland remained largely unchanged during this period from Celtic rule . entailment +Nature itself is the primal essence enshrined and worshipped at Ise , as implied by the carefully orchestrated approach to the sanctuaries past the limpid Isuzu River and through the forest . Progress is worshiped at Ise . contradictory +Cycling races are still popular especially the round-Italy Giro d 'Italia in June . The Giro d 'Italia in June takes a week . neutral +so do you have any credit cards Do you have a debit card ? neutral +you have some kind of deal You have a deal on heating right now ? neutral +what kind of car do you drive now What type of car do you drive ? I drive a Mitsubishi Lancer . neutral +Wander , at your own risk , among the walls , crumbling turrets , and caves , and look out toward the surrounding islands of Mykonos and Andros . Mykonos and Andros surround the area . entailment +The pattern of cobblestone and brick on the floor of some barns is worth a peek . Some barns have cobblestone and brick floors . entailment +and at the end of the month hopefully everything came out pretty close so we just kept certain things out for like i said for groceries um but even at that point you know she 'd say oh you know we we need this or the budget 's not doing this or that uh course me i didn 't run it like she ran it like you run it now She pointed out that the budget was not working well . entailment +While on the forum for ( select as appropriate ) phobics he designed an application , which created slogans for street protests . There wasn 't a way to make slogans for protesters . contradictory +The analysis estimates that the Environmental Quality Incentives Program ( EQIP ) will have a beneficial impact on the adoption of conservation practices and , when installed or applied to technical standards , will increase net farm income . There will be an increase in net farm income due to the implementation of EQIP . entailment +It can be measured . It 's not possible to measure it . contradictory +Its remains reflect its dual roles in ancient Greek life , a holy place and a center of trade . The ancient Geek life contained both religous and trade roles . entailment +And I 'd be getting some fat residual payments , that great Writers Guild health insurance , and jeez , just the weekly paychecks would be terrific . I would only receive the measly weekly paychecks and nothing else . contradictory +On the other hand , advertising mail includes only First-Class stand-alone advertising mail ( i.e. First-Class advertising mail that is stand-alone is the only mail that is included . entailment +If you 're here out of season , the costumes , worn year after year , will be on display in the 18th-century Casal de San Jordi . The costumes are on display at the Casal de San Jordi . entailment +There are , however , many bus tours to outlying destinations . You cannot take a bus tour outside of the city . contradictory +Qualitative and Quantitative Methods in Evaluation The quantitative methods were more useful . neutral +so they had a place to stay out there and then they had the yard and they had a little run that uh they kept them in when we were trying to do stuff in the back yard and didn 't want them out but we had the same kind of situation at one point in time we had the mother the one of her last her next to last litter we kept we had one one we never could get rid of he was a real dumb dog nobody wanted him the puppy was just one of these dogs just as dumb as a stick We had a dog that was just misunderstood . neutral +Chatterbox will grant that some of this crude psychology may be at work . Chatterbox refuses to comment on whether or not some form of psychology is involved here . contradictory +Fourth , there would be post office closings . There will be no post office closings . contradictory +He was touched by a Hell 's Angel . Hell 's Angel touched him in a certain way . entailment +This would reward institutions for putting clinical preventive services into practice . There 's no incentive for clinical preventative services to be used by the institutions . contradictory +um but i think if we quit uh building these Taj Mahals with the color TVs and sixty dollars sixty thousand a year to keep an inmate in there on a on a on a life sentence we should start hanging them and get it over with and let 's just screwing up the system uh We should set him free . contradictory +Croseat the beautiful Sant 'Angelo Bridge , one of 20 croseng the Tiber River . Crossing the Sant 'Angelo Bridge over the Tiber River is a marvelous experience . neutral +I was aroused by her and they laughed at me when they saw . She was repulsive to me . contradictory +Similarly , a comparison of annual growth rates for the same period in Table 2 with those in Table 5 reveals the ( a ) the 2.0 percent annual decrease of bill / payment volume in Table 2 has been augmented to a 3.3 percent annual decrease of perhousehold volume in Table 5 ; and ( b ) the 3.3 percent annual increase of total advertising mail volume in Table 2 has shrunk to a 1.8 percent annual increase of per-household volume in Table 5 . Table 5 is a graph which is colored in red , blue , and green . neutral +barring traffic so it 's um it it 's uh you know it 's it 's a heck of a drive we are substantially north of New York enough that uh we don 't get to go play We practice everyday outside . contradictory +But the Soho house is under police supervision night and day . Several police watch the Soho house all the time . neutral +Poor Mexican street fighters are brought to the United States by unscrupulous promoters to serve as patsies for American boxers . American boxers are often put up against Mexican patsies . entailment +yeah you know uh is he going to yell at me for buying this with this you know and he 's not a yeller though but He doesn 't normally yell but if I buy this is he going to ? entailment +Nor can the Kosovo campaign be called Albright 's war , even though it was the utter failure of her attempted diplomacy at Rambouillet ( along with the failure of her one-time rival Richard Holbrooke in Belgrade ) that helped to precipitate the current conflict . The current conflict was partially caused by her failed attempt at a diplomacy at Rambouillet . entailment +Henry James complained to Sarah Orne Jewett in a letter of 1904 that the historical novel had a fatal cheapness . Henry James was upset with Sarah Orne Jewett as he believed that the novel had bad qualities . entailment +simultaneously with process changes in federal agencies , increasing the importance of technology support in the design process . The importance of technology support has been increased by 25 % neutral +we uh that 's you you know that 's our favorite form of exercise is is life and we do our own yard you know we uh we we enjoy the activities that provide exercise both of us would love to exercise on a routine basis but our life doesn 't um really have that much time in it so we just enjoy what we can along with our family you know Life is our favourite form of exercise due to time constraints . entailment +The Caleornia ScienceCeter andIMAX Theater ( 700 State Drive ) presents technological exhibits from robotics and fiber optics to a miniature winery . The most popular exhibit is the one teaching children how to make rockets . neutral +When I explained this to these two ladies , they both shook their heads--like they know better than my therapist . When I explained my side of the murder , the women shook their heads . neutral +We must have unselfish , far-seeing leadership or we fail . If we don 't have unselfish leadership , we will fail , said the manager . neutral +It was only when the Ainu were progressively driven north up into Hokkaido that Tohoku was opened up to broader settlement . Tohoku is not very populated anymore . neutral +Chris Cox , R-Calif . , into blaming Democrats for suppressing those findings , Cox shot him It is not a Democratic party position , because Democrats and Republicans have worked very closely together on this issue . Democrats and Republicans work very closely together in certain issues . entailment +We might aid it with high-frequency radiation , but I distrust the effects on the prepsyche . I 'd prefer to do this without risk . neutral +That proved to be the anomaly for the next three quarters of the game . There were four quarters to the game . entailment +I went to high school with Fred Fournier , and believe me there 's nothing to admire . I 've known Fred Fournier since high school . entailment +yeah it 's very involved It 's quite complex entailment +Sounds much worse and I don 't think it 'll stick , ' Warm thought with certain satisfaction as he approached his car . Warm was headed toward his car . entailment +Now will you please let go of me . ' We were done running and he wanted to be let go . neutral +It was coined almost 200 years ago ( I think perhaps by David Ricardo ) , to describe the pre-industrial land-tenure system in Britain , wherein peasants would destructively graze their livestock on commonly held land . Almost 200 years ago , peasants would let their livestock graze on public land . entailment +Huge round bastions topped by ornate 14th-century minarets of Al-Muayyad Mosque ( 1420 ) frame the tiny gate , which was used as a permanent scafeld to hang criminals in years gone by . Al-Muayyad Mosque was built in the early seventeenth century . contradictory +New York oh gosh yeah yeah Oh yes New York . entailment +Progressives are more definitive than most other observations about patently obvious things in society . Progressive people provide more detailed information even if it 's just about the most obvious ordinary things . entailment +Over the last decade , as a result of efforts to reduce the size of government , agencies have downsized their design and engineering staffs and relied more on outside consultants for technical expertise . During the past ten years they have down graded their staff . entailment +The problem is that he was born one week earlier than the blanket says . The blanket says he was born one day , but it 's not true . entailment +From inside , the walls of the egg were transparent enough for him to see cloudy outlines of what lay beyond . He could see the outline of a building through the transparent wall of the egg . neutral +Come back to life on the old streets behind the Pantheon , where the bustling rue Mouffetard and its offshoots are a village within the city . The Mouffetard is nowhere near the Pantheon . contradictory +We can proceed . We can proceed now . neutral +The 10-month limit was added after one of the early cases , overseen by an administrative law judge , recruited from another agency , seemed to go on forever . There is no limit on how long the cases can last . contradictory +i mean fifteen bucks to go see a movie with two with a couple 's a little ridiculous I think fifteen dollars for two people to see a movie is ridiculous . entailment +Special care should be used to prevent any toxic materials from coming in contact with the seawater being used to generate the brine . There are no concerns about toxic material implications due to the safe nature of brine production . contradictory +E-books are going to evolve . The person saying the line thinks e-books will not evolve , as people prefer paper books . contradictory +William Earl and Manning succeeded her , and testified to witnessing a document . The men said they saw the contract being signed . neutral +But so far , conservatives have been silent , perhaps because Klayman has proved remarkably effective at abusing the people most right-wingers dislike . Conservatives have been loud in their protests against Klayman . contradictory +Cook refers to his strategies as evidence that the American dream is still alive . The American dream is still achievable if you follow Cook 's strategies . neutral +Mr. Brown exists . He turned to Tommy . He hadn 't been facing Tommy before turning to him . entailment +The above hierarchy may be implemented earlier than fiscal year 1998 with approval from OMB . OMB controls which hierarchies are implemented and when . neutral +right and um um i did get the water pump was shot at the same time so i got the water pump fixed just to carry me over until i could sell the car um which i which surprisingly the car was in great demand um in fact i had a bunch of people come to look at it and they were fighting over how much they were going to pay me for this piece of junk i was amazed People were ready to pay hand over first for my ratty old car . entailment +Sweat that sour temper and whisky out of him . He had a sour temper and he was not a pleasant man . neutral +There had been some speculation on the dangers of landing some hours before . There will be nothing wrong with landing . contradictory +At any speed , a bike is a wonderful way to get around . Bikes are one of the worst methods of getting around , particularly at high speeds . contradictory +Paella is named after the large , shallow iron pan in which it is cooked and served . Paella is a disease named after the place where it was first recorded . contradictory +oh Lord God This is shocking neutral +'Huh , ' Greuze muttered , looking my way . Greuze was looking in my direction . entailment +Net logic holds that eyeballs equal dollars , and sure enough the controversial site was soon peddling T-shirts and bumper stickers featuring Bush 's quote . The controversial website started selling t-shirts with Bush quotes in them . entailment +I ? There was a faint insolence in her voice . Her voice had a slight arrogance to it . entailment +The analysis describes the reason for the final rule and the legal basis for it ; descriptions and estimates of the number of small entities affected by the rule ; a discussion of the recordkeeping , reporting , and other compliance requirements ; and the steps taken to minimize the burdens on small entities . No analysis has yet been done to determine the basis for the legal rule . contradictory +Or is your brain really unhinged ? " inquired Tommy . His shenanigans disappointed Tommy , who thought he was crazy . neutral +Revenge is very unsatisfactory . Revenge isn 't acceptable . entailment +No city ever stood here , just the colossal Temple of Apollo , one of the largest and most elegant temples in the ancient world . The Temple of Apollo is one of the smallest temples in the ancient world . contradictory +They can paddle in the streams , go bird-wat ching , or cycle on the trails in Grizedale or Whinlatter forests . They can go jogging on the forest trails . neutral +In midocean , the T-Rex wakes up and somehow breaks out of its heavily secured cargo hold , eats everybody on board , then cleverly scurries back into hiding . The T-Rex is a clever animal that eats meat . entailment +no huh-uh no all my kids are grown married The speaker has small children . contradictory +Both provided minor technical changes and updated information , which we incorporated into the letter and enclosure I where appropriate . Neither was able to provide any technical changes . contradictory +The thought of that made him go slower . The thought of that troubled him greatly . neutral +Let 's see if he is right . I don 't want to see if he 's right contradictory +It reminded Jon of the day Renold had given Jon the falcon pistols he wore now . Jon owns falcon pistols . entailment +um-hum well it 's a little bit surprising because uh the older we get my husband retired a little over a year ago and My husband retired due to injury and could no longer work . neutral +All three have high per-student expenditures and all three are especially strong in the hard sciences . All three are very poor at sciences . contradictory +People like my legal services friends in Iowa , Ohio , Virginia , Arizona and Kentucky who have devoted years of their lives to the legal services movement . Some people have dedicated years to provided legal services . entailment +CBO has pointed out that simply assuming a return to historical trends and slightly faster growth in health care spending would dramatically reduce the surpluses projected . CBO has pointed out that assuming a return to historical trends and slightly faster growth in health care spending would dramatically reduce the surpluses projected . entailment +Time ' s cover story argues that Judge Thomas Penfield Jackson 's findings of fact could not have been worse for Microsoft and could be used against Microsoft by competitors in private antitrust actions . Time said Jackson 's findings were great for Microsoft . contradictory +GAO designated strategic human capital management as a governmentwide high-risk area in January 2001 because of a long-standing lack of a consistent strategic approach to marshaling , managing , and maintaining the human capital needed for government to deliver on its promises . The GAO cares about the well-being of humans . neutral +and so it 's like the same thing with IBM you know so they have this think tank and they got to come up with ideas but see uh the the thing is that IBM is so stabilized that everybody will buy their stuff IBM 's position in the market ensures that they will continue to sell their products . entailment +It carried spring water from near Uz ? ? s to the town of N ? ® mes , a distance of 35 km ( 22 miles ) . The only water around was salty sea water . contradictory +i you know i haven 't seen the news in a couple of days so it uh i 'm a little behind on things I never watch the news . contradictory +The Cantonese love to eat and have the reputation of eating almost anything that walks on four legs . Cantonese make dishes out of rabbits and turtles . neutral +It is the largest marketplace in the Near East , and it 's been so for almost one thousand years . The market has the best prices in the Near East . neutral +However , toward the 20th century , things began to improve on the islands , with Mallorca reaping the rewards of successful agricultural crops and Menorca launching an export shoe industry . Agriculture notably benefited the island of Mallorca towards the 20th century . entailment +In 2000 , the Department of the Treasury launched the National Partners for Financial Empowerment . In 2000 , the National Partners for Financial Empowerment was launched . entailment +, to lend to the United States- allows the United States to run trade deficits . To lend to the U.S. allows the U.S. to have trade deficits . entailment +Department of Labor 's standard of review regarding U.S. employment experience acquired by foreign nationals in the permanent resident process . They prevent the foreign nationals from getting accommodation . contradictory +so he 's basically you know whatever whatever the computer can do for you fine i 'll learn enough to to make it work well for me but i 'm not gonna be a guru i 'm going to learn everything there is to know about computers contradictory +It shouldn 't make a lick of sense , let alone feel all of a piece , but The Matrix is actually one of the more lyrical sci-fi action thrillers ever made , in which space and time become love slaves to the directors ' witty visual fancies . The movie , The Matrix , is one of the top films as far as gross revenues made from it . neutral +Personal Communication with J. Urbas , Reliant Energy , August 13 , 2001 . Direct communication with J. Urbas . entailment +oh that 's terrible i 'm jealous I wish that happened to me . neutral +but he 's i don 't know uh he 's much much much more so It 's sort of interesting though because he does bring a a much um different perspective with all the Gulf goings on um He brings a much different perspective on the Gulf situation . entailment +Your modem doesn 't know the difference between information called property and information called privacy . Modem 's are no longer necessary to access the internet . contradictory +However , other provisions in Title 39 cast into doubt the conclusion that the Service 's authority under a 401 ( 3 ) is sufficiently broad to encompass changes in rates or mail classifications by agreement alone . other provisions in Title 39 cast into doubt the conclusion that the Service 's authority entailment +A serious concern expressed by physicians is that documenting alcohol use in the medical record has the potential to abridge patient confidentiality about sensitive issues . A serious concern is expressed by physicians . entailment +Determine the basis of the protest and its resolution . Determine the other projects you were assigned , too . neutral +because i 'm pretty frugal about things like that I am frugal about my food . entailment +Plimpton got lost in his list at one point , but despite referring to one of the contributors to the display 's soundtrack as Cecille Dion , he brought to the event his patrician sonorities and his fabled familiarity with fireworks . Plimpton has set off lots of fireworks displays over the years . neutral +Each day , GAO issues a list of newly available reports and testimony . The GAO issues reports weekly . contradictory +If Japanese treatment of Allied prisoners of war in Malaya was notoriously brutal , the attitude towards Asian civilians was more ambivalent . The Japanese treated civilians of Malaya significantly worse than they treated any Allies they came across . contradictory +yeah your oh of course they are one of the best uh they didn 't do as well this year but we saw them we went down to Austin last year and saw them beat the Longhorns in the regionals They beat the Longhorns in Texas . entailment +At their initial manufacturing decision reviews , the F-22 , PAC-3 , and ATIRCM / CMWS had less than onethird of their engineering drawings , in part , because they did not use prototypes to demonstrate the design met requirements before starting initial manufacturing . The F-22 , PAC-3 , and ATIRCM / CMWS had less than onethird of their engineering drawings . entailment +oh really well have you do you have any plans to uh maybe um expand or move onward Do you want to move to other cities ? neutral +There are three gardens in the area , all admired among gardening connoisseurs and all with different specialties to explore . There are unique characteristics that make the three gardens in that area interesting . neutral +, would its news sections lose their current virtue of attitude ? The current news sections have their virtue in question . entailment +( Actually , you could have as many judges as you wanted , as long as you ignored all but one of them . ) You could have a lot of judges if you wanted , but you have to listen to one of them . entailment +so it 's one of those things that they really um and you wonder you know with all these oil spills oil spills can make you wonder entailment +you know yeah i yeah i agree with you there too I agree with you on that sentence . entailment +Buchanan can 't reconcile his lifelong anti-communism with the anti-interventionist philosophy that supposedly unites his book , so when it comes to the Cold War he carves out an absurd The extreme evil of communism , he says , warranted military action in places as far-flung as Vietnam or as minuscule as Nicaragua . Buchanan is a lifelong anti-communist . entailment +of course we think it 's helping other people and so It is helping people out . entailment +there 's quite a few of them up there uh We started off pretty rough you know pretty much roughing it and we had like i say the Volkswagen bus we 'd pull up and just i had fixed up the thing where you could just open up the doors i 'd hooked on a little extension and made a tarp for the side and and I 've never been in a VW bus . contradictory +yeah i i really didn 't have any problem i mean i had companies knocking on my door i didn 't even like interview they came looking for me I would not talk to anyone who asked me for an interview . neutral +No Australians were harmed in the incident . All the Australians were hurt in the incident . contradictory +does reflect the impacts of long-term exposure . The long-term exposure shows itself . entailment +yeah who no i don 't know who that guy is I don 't know who the guy standing over there is . neutral +The friezes are more sophisticated , showing archers riding elephants and a king of Kalinga reclining with his queen . The friezes show archers on elephants and the king of Kalinga resting with his queen . entailment +The second knowledge point is achieved when the product 's design is determined to be capable of meeting product requirements-the design is stable and ready to begin initial manufacturing of prototypes . The second knowledge point is achieved after several product requirements are met . entailment +It was these statesmen who created a relatively secure micro-economy for the Lakes region , an economy based on agriculture and small-scale industry such as the production of textiles , bobbins , and charcoal . The Lakes region had no salesman who created a relatively secure micro-economy . contradictory +I suppose they have very strong poisons there ? " I guess they have strong poison ? entailment +The Fed 's efforts to cool off stock prices in 1929 had no impact on the stock market , but it did start the depression it had hoped to avoid . The Fed found success in its attempts to arrest the rise of stock prices and expertly avoided the depression . contradictory +Yes , Mr. Molotov . Of course , Mr. Molotov . entailment +reviews performed and acting to address any identified gaps in Every review gives some kind of improvement . neutral +In January 2000 , the LSC Board of Directors adopted a strategic planning document entitled Strategic Directions 2000-2005 . The LSC Board of Directors adopted a planning document . entailment +and uh when we 're dining out with the kids the the great places are those where you you know i don 't uh are you uh you in Texas We never dine out with the children . contradictory +It makes a statement , the city clerk said . The city clerk said it made a statement entailment +i don 't know but that sounds like my kind my kind of camping it really does yeah okay um well um that that is the best way to do it is to have a a nice vehicle where you can have everything in it plus your tent I think camping in a vehicle is ideal . entailment +Getting little attention is 16th-century Bandinelli 's clumsy Hercules and Cacus , standing as it does in the shadow of Michelangelo 's magnificent David ; this life-size copy was placed here in 1873 . Bandinelli 's Hercules and Cacus is an older statue than Michelangelo 's David . neutral +ninety nine i mean or something i got you right Is it ninety nine or something else ? neutral +It does not receive anything of value from the Government in exchange for its deposit of earnings , and on occasion it has been required by law to make extra payments . The Government will provide incentives for deposits of earnings . contradictory +you think so i mean i haven 't been watching my watch um I 've been watching my watch quite closely . contradictory +The theatre , bouleterion ( council chamber ) , and agora are worth exploring , but the main attraction is the great Temple of Athena . The Temple of Athena is the biggest sight to see , but visitors can also look at the theatre , council chamber , and agora . entailment +The only two finalists with any kind of a shot are Miss America--a surprisingly leggy Pat Buchanan--and Miss Germany--an unexpectedly amiable Adolf Hitler . The competition was a landslide . neutral +so what so do you think there 's any what what could be done to improve the percent of voters What do you reckon should be done to increase the number of voters ? entailment +Then , with an abrupt change of manner : " Hands up or I shoot ! " For a moment Kramenin stared blindly into the big automatic , then , with almost comical haste , he flung up his hands above his head . You never put your hands up , partner . BANG neutral +Train due in three minutes . The train arrives in three minutes . entailment +The Chief Justice also testified to the Indiana judiciary 's keen interest in and support for Indiana Legal Services and the provision of pro bono by the private bar . The Chief Justice testified to the lack of support for the private bar 's pro bono work among the judiciary . contradictory +These observations are based on the body of work we have developed over the last several years and on our recent discussions with federal information security officers and other federal officials who are knowledgeable about federal information security practices . Federal officials who are no knowledgable about federal information security practices made up the body of work we developed . contradictory +and now they 're trying to take some money away from the richer districts like the one that i 'm in in Dallas and make us pay our money to the smaller ones and make it more equitable they 're trying to redistribute money among the richer districts and the smaller ones entailment +There , there , we can 't always have brains as well as beauty . You may be very smart and beautiful but I am only beautiful and dumb . neutral +there 's should be you know this for this crime this is the penalty you killed someone you know in cold blood or whatever this is what 's going to happen You helped to stop the killer in their tracks . contradictory +So who should win , Greenfield asked ? Greenfield asked about the end result . entailment +yeah i have not in not in a good while but I did yesterday . contradictory +On the other hand , national cuisines are largely artificial You won 't find a French restaurant in France for obvious reasons . On the other hand , national cuisines are artificial for example you 'll never find a French restaurant in France or in Mexico . neutral +The screening procedure can have a net with larger or smaller mesh that can be set for more or less severe alcohol problems . The screening procedure is designed to catch all alcohol problems . neutral +Poland 's road to capitalism and democracy has been a complicated one . Communist ideology made it hard for Poland to become capitalist . neutral +The slopes may not be very challenging , but there 's enough to keep you interested for a few days . The slopes aren 't difficult but there are plenty . entailment +so we i mean we do uh when you know whenever we go through the process of paying the bills we know exactly what category we 're paying it for and uh we have a pretty good sense of where our money 's going we don 't have any control over it We have a good idea as to where our money goes when we 're paying our bills . entailment +Thus , if a U.S. court rules a search is unconstitutional , the inspectors will be forced to obtain warrants . Inspectors must get warrants if a court rules that the search is unconstitutional . entailment +tribal governments . Unofficial governments . neutral +um-hum oh really where did you go to school in Indiana I wonder if we went to the same school . neutral +so let 's see what else have i seen i saw I 've watched a lot of movies . neutral +American society is manifestly not just fine . America is too greedy and corrupt a country to save . neutral +yeah i have a degree in social work you see it you know the ones that have a genuine character change it is obvious and they know that they 're they 're not going to pardon someone from the governor Some people change their ways , and I studied social work . entailment +Others do so while warming up their cars . Some warm their cars up while doing it . entailment +At the information counter , collect a copy of the free handbook with color-coded floor plans . You can get a free handbook at the information counter . entailment +Search for words that rhyme with a particular word , or get a list of all words ; Don 't look for words that rhyme contradictory +The Administration has argued that CBO 's estimates are inflated . The administration says the CBO is exaggerating by 25 % . neutral +Still , as traditionalists such as Ball acknowledge , private investments--even the broad-based , relatively conservative portfolios selected by insurance companies and banks--do offer significantly better returns than government bonds . He concurred that the private investments were more sound than the bonds . entailment +They were even planning what might best be done to chastise him when he discovered in some manner a book of elementary conjuration and did then devise some strange new formula from the elements with which magic he disappeared . " It was nice to know that Einstein had given up on the problem , Dave thought bitterly . The wanted to chastise him , but soon he found a strange way to disappear and no one has seen him since . neutral +It 's over now ; we 're coming clear of memory . It has only just begun . contradictory +At least the Library of America 's Writings contains an endless supply of additional material . There is an endless supply of additional material in the Library of America 's Writings . entailment +The estimate of labor includes planning and engineering , general labor , and skilled boilermakers . To estimate the cost of labor , one must include planning as a component . entailment +that 's a hundred dollars a month on lunch If you eat lunch out everyday , you could easily spend one hundred dollars a month . neutral +Unsurprisingly , Osaka boasts some of Japan 's most impressive or excessive , depending on your taste . Osaka is pretty toned down compared to the rest of Japan . contradictory +It 's an important part of what a lawyer in private practice should be doing . Lawyers in private practice must only do this . neutral +With the high-speed TGV ( train ? grande vitesse ) from Paris , you can make it to Dijon for a visit to the Burgundy vineyards in an hour and a half , Lyon in two hours , or to Avignon for a Provencal adventure in under three . Dijon can be arrived at via the high-speed TGV . entailment +In contrast , the DOD programs , which had completed about one-quarter of their drawings when they transitioned to the demonstration phase and had less than half of their manufacturing processes in control when entering production , experienced poor cost and schedule outcomes . DOD finished one third of their drawings extremely quickly because they are efficient . neutral +It 's also hard to find anyone who knows Brinkley and doesn 't worry about his obsession with fame . Many people are familiar with and are friends with Brinkey , who is always obsessed with fame . neutral +But that Oro could best Gray Eagle-Ariel stock on the track , Drew doubted . Drew doubted that Oro could beat Gray Eagle-Ariel . entailment +Watch your favorite theorists tackle everybody 's favorite subject , as Katha Pollitt limns 50 Progressive Ways To Make Him Scream , and Judith Butler finds Hot Honeymoon Hump Tips That Catharine MacKinnon Could Love . Judith Butler and Katha Pollitt are theorists . entailment +But the Cabinet knew by how narrow a margin they had escaped utter disaster . The Cabinet had barely escaped a complete disaster . entailment +In fact , he once quipped that , now that objectivity is dead , it is no longer necessary to be right . He is sure objectivity lives . contradictory +We 've managed to get some testosterone from a blond homunculus , he reported . He said that they had had to fight the homunculus to get the testosterone . neutral +At ten-thirty Tuppence surveyed with pride a slightly battered tin trunk containing her new possessions . The tin trunk was completely empty at ten thirty . contradictory +But the itineraries in the following pages take in all the tourist-worthy sights in this sprawling region , and every one of these important places of interest can easily be reached by public transport . There are many tourist sights in the region and the are brimming with tourists . neutral +I reckoned you 'd come by this before I left London , and wired accordingly to Sir James . It was important that you saw me before I left for London . neutral +yeah i think if there 's any major piece of advice i 'd give is to find a way of getting an education that doesn 't incur that kind of debt You should take out loans to finance college . contradictory +Both the proposed rule and the final rule were reviewed and approved as complying with the requirements of the Order based on the information supplied by FSIS , including the initial and final Regulatory Impact Analyses . Both rules were reviewed and approved as not complying with the requirements from the order based on supplied information . contradictory +I bid $ 225 , which exhausted my willingness to pay . I bid $ 225 , which I could not afford to pay . neutral +No one argues anymore over whether Gates is really a techie or worries about Jeff Bezos ' literary taste . Some people doubted that Bill Gates was a techie . entailment +It later became the home of Annie Palmer when she married into the family ; it is Annie who has given the house its fame and reputation . The house is famous because of Annie Palmer , who married into the family . entailment +Or is bandwidth abuse a real moral question ? Is the misuse of bandwidth a genuine not a real moral question ? contradictory +You have to convince them , Jasie . ' Jasie , you need to convince them . entailment +yeah and and they they need that you know to be able to relate to other people besides They do not care much about your people skills -- this is a largely computer-based job . contradictory +The Norman invaders brought with them armor , the use of horses in battle , and the feudal system . The invaders had no armor . contradictory +By the eighth century , the Byzantines held the balance of power with the Lombards ( a Germanic tribe ) , who had invaded Italy in 568 and set up their capital at Pavia four years later . The Lombards built several monolithic structures in Pavia . neutral +Bayliss , he 's ridin ' for a fall as will jar them big grinnin ' teeth of his right outta his jaws ! " Bayliss is very happy because he likes what is happening . neutral +The work remains exquisite despite this perceived limitation . The work looked excellent in spite of the apparent problem . entailment +yeah that would be one of my very first experiences of uh tent camping if it were with a group of people we went up to a state park that was We had a lot of fun with everyone while camping . neutral +OMB 's approval will be announced by HHS in the Federal Register . OMB reviewed but did not approve HHS . contradictory +uh-huh uh-huh the reason i 'm asking is because i have a dear dear friend whose father was alcoholic and at fifty she and she was an only child at fifty she 's still still having a lot of difficulty in her relationship with her husband that she feels stems from how she was treated by her father I have a very close friend whose dad suffered from alcoholism . entailment +There 's nothing to tell , said Tommy , acutely uncomfortable . Tommy said there was nothing to tell , and indeed there was nothing to tell . neutral +you know if you if you 're walking ten miles you know seven days a week maybe that uh has some effect but uh i think if you 're not walking how many just out of curiosity how many miles do you usually walk Walking ten miles a day did nothing ! contradictory +uh we try to go once maybe twice a summer uh We aim to go there one or two times each summer . entailment +The final rule revises the tailpipe emission portions of the Federal Test Procedure for light-duty vehicles and light-duty trucks . Tailpipe emissions of light-duty vehicles are addressed in the final rule . entailment +The SEC promulgates and enforces the registration requirements dealing with public companies . Public companies do not have any registration requirements from the SEC . contradictory +there how was i 'm wondering i 'm really not that familiar i know there 're some good places to go camping along the uh the lakes Along the lakes there is no where nice to camp , you 're not allowed to camp there . contradictory +The first step to developing an effective and efficient intervention program would be to create a screening procedure integrated into the admission and triage system of the emergency settings . Intervention programs are not possible without screening procedures . neutral +The patient slept sweetly , and no one could have suspected that it wasn 't a normal sleep full of wet dreams , but a dangerous coma , which would last longer than expected . The patient didn 't try to sleep . contradictory +It brings together finds from sites all across the island and from every era of Crete 's long ancient history , shedding light on the everyday activities of its people . Because it only has items from one site , it gives little insight into Crete 's people . contradictory +is he interested in computers then did this give him an interest in it other than you know using it more as or less like a word a word processing machine he Did this cause him to become scared of computers ? contradictory +OMB reviewed the Amendments to Regulation X and accompanying Statements of Policy under Executive Order 12866 as a significant regulatory action . OMB reviewed the Amendments and the statements of policy as a regulatory action . entailment +" Anse " Drew wriggled up on one elbow " you do that . Drew used both of his elbows to wriggle around . contradictory +Also , FSIS held seven informational briefings , three scientific and technical conferences , a 2-day FSIS held seven informational briefings , and three scientific and technical conferences . entailment +On the face of it , this seems crazy . This doesn 't seem like a great idea . entailment +but i don 't know um yeah i guess that percentage rates are like eighteen percent Percentage rates are at about 54 percent . contradictory +Shout as he would , no one could ever hear him . No one could ever hear him , even if he shouted . entailment +Wheels on rollers ! The rollers came equipped with wheels . entailment +whenever you have a something that looks like something else Whenever you have something that looks different , I guess . entailment +But despite repeated efforts , Akbar could not extend his empire south . Akbar 's empire expanded throughout the world . contradictory +Developing countries need a secure and stable world trading system , he says . Developing countries need to trade with anyone who is willing . contradictory +If the pulp fiction of Edgar Rice Burroughs gives us a glimpse into the often appalling collective unconscious of white-supremacist America , the Disney version of Tarzan will provide a similar service to future scholars pondering the equally weird mentality of feminized and Green America , circa 2000 . Edgar Rice Burroughs ' pulp fiction offers no glimpse into the mentality of white-supremacist America . contradictory +In the large pit in front of the Page Museum ( see below ) , life-size replicas of mastodons are shown trapped in the tar . Most of the people take pictures of the pit with mastodons replicas in it . neutral +the kids could play in it but it 'd be a bright sunny day and you know it would it would melt and you could drive around and it was really no big deal The kids couldn 't play in it . contradictory +16 Rather than forgo domestic investment opportunities that would enhance the nation 's future standard of living , the United States could increase national saving . the United States has the option to increase national saving . entailment +In practice , awards seem to gain legitimacy with the patina of age . Awards that oxidize and look rustier are considered shams and are less legitimate . contradictory +yeah well my husband and i were also doing quite a bit of walking but we got off of that a little bit uh mostly you know with the winter months and all it It is too cold during the winter to go out walking . neutral +This income equals the total spending on the economy 's output of goods and services ; thus , the nation 's income and output are the same . There is a huge difference between the nation 's income and output values . contradictory +The scene , depicting Cupid and Psyche , was considered too risque for the eyes of Queen Victoria , and during her reign it was covered by a mirror . The mirror was removed immediately after her reign ended . neutral +LIFE-CYCLE COSTING - An acquisition or procurement technique which considers operating , maintenance , and other costs in addition to the acquisition cost of assets . Life-cycle costing helps companies determine whether or not to acquire assets . neutral +You take away everything he 's got and everything he 's ever gonna have , was hailed by some critics as a brave line for Eastwood to utter , given that he has dispatched so many anonymous thugs so offhandedly for so many years . Eastwood has killed many thugs in many movies . entailment +There has been a Christian place of worship on the site since the 9th century . The Christians were active around the site since at least the 9th century . entailment +It was begun around 355 b.c. at the behest of the king ( the word mausoleum is derived from his name ) and remained standing until at least the 12th century . The king set aside most of his country 's wealth for its construction . neutral +Bargain-hunters looking for jeans , shoes , and cheaper fashions head for the popular stores along Via Torino and Via Manzoni . The popular stores along Via Torino and Via Manzoni aren 't well liked by the bargain-hunters . contradictory +" Two thousand ? " Dave asked . Two thousand years had passed while Dave slept . neutral +These mainly date from the 18th to the 20th Dynasties and include Ramses IV , Seti I , and Tutmosis III . There are also a few dating from the 17th century . neutral +Like George Wallace in his twilight years . Like Bob Dole when he was young . contradictory +, about $ 100 if I use Strathmore , a competing paper , which is only 25 percent cotton rag . Strathmore contains much more cotton . contradictory +Microsoft 's disastrous neglect of Washington reminded AOL not to make the same mistake . Microsoft 's disastrous neglect of Washington reminded AOL to do the opposite . entailment +Because Pashupati is the patron deity of Nepal , Pashupatinath , located on the banks of the Bagmati River near the airport , is one of Nepal 's most sacred sites . Nepal does not have its own patron deity . contradictory +Poirot , I cried , " I congratulate you ! I congratulated Poirot . entailment +Screening for alcohol problems in emergency department patients with minor results and recommendations for practice and policy . There is screening for alcohol problems in emergency department patients . entailment +The most famous building in the village is the 17th-century Town End Yeoman 's Farmhouse . 17th-century Town End Yeoman 's Farmhouse is the most well known building in the village . entailment +They then seek to ensure their processes provide managers at each organizational level with the authority and flexibility they need to contribute to the organization 's mission . The processes give managers authority . entailment +oh really just easy to get them there and stuff It 's easy to get them to that school . neutral +To maximize the value of expenditures on external training and events , one central group required staff members who attended These events to brief others in the central group on what they had learned . One central group did not want to maximize the value of expenditures on external training and events . contradictory +Conversely , if you 're staying in town , you 'll have to travel to find a desirable beach . There are no desirable beaches . contradictory +The inspector reported that the chair itself , the wooden part , needed replacement . The inspector said it all looked great . contradictory +The solution is to make the independent prosecutor a permanent office , rather than appointing a new one every time a scandal or alleged scandal comes along . The office of independent prosecutor is temporary . entailment +Not being an actual mobster ( to my everlasting regret ) , my assessment might be worth bupkus ( as the hysterical Silvio Dante would say ) , but The Sopranos accurately captures the desperation of today 's mobsters . I think that The Sopranos accurately depicts the desperation of modern mobsters . entailment +Ad-git Prop Nothing helps with advertisement contradictory +While Milliken himself shuns publicity , his role in backing these institutions has been fairly well reported . Milliken prefers his role not to be publicly mentioned . neutral +you are what are you trying to get I don 't care what you are trying to get . contradictory +The Evolving Structure of Postal and Delivery Industries June 11-14 , 1997 , Helsinger , Denmark The postal delivery system is evolving to include more rural routes . neutral +Farther west there are some less populous stretches where you can swim in relative seclusion or eat at a simple beach restaurant . There are no places to swim in seclusion . contradictory +To assert Spain 's authority and extinguish dissent , he ordered the execution of five Creole rebels . He wished to promote dissent by executing five Creole rebels . contradictory +Both grants come from the Legal Services . The grants were both over $ 1,000,000 each . neutral +It 's only in the last 10 years , in fact , that we 've seen a meteoric rise in the costs of both production and marketing . We 've seen a rise in the cost of production in the last 10 years . entailment +We will not have enough . We wont have enough . entailment +Nor would she blame the media for an inordinate focus on the issue . There are no reasons as to why the media could be blamed for trying to make headlines as they all need to make some money , somehow . neutral +The northern coast has been the major focus of tourist development on Jamaica since the 1970s . Tourists are dissuaded from visiting the northern coast of Jamaica . contradictory +Gordon Smith described difficulties he had had with his IRB in a study on drinking and boating injuries . Gordon Smith was engaged in a study on drinking and boating injuries . entailment +But these sorts of exhumations have a track record of turning up nothing . Exhumations have a track record of taking a long time . neutral +They say the encryption issue will only be resolved when Congress debates the issue next year . Before Congress discusses encryption next year , nothing will change with regard to encryption . neutral +This therapist gives counseling via Escape , because you know , I don 't have the time to do it in person , ' here Czarek paused waiting for a question which would suit him . The therapy isn 't as personal because it 's not done in person . neutral +France 's cathedrals , museums , and palaces deserve your attention , but they 'll be much easier to appreciate if you alternate them with time at the beach or on country walks . It 's better to alternate between historical sights and natural sights in France . entailment +no not too bad about it takes about two hours two and a half hours to get there The man says that it only takes ten minutes to get there . contradictory +and i think that 's but i think uh after after we um after i finish school and we 're ready to you know settle down someplace and i get a decent job then we 'll look for something probably with a nice size yard that we can have a garden I 'm not finished with school . entailment +For results from the latest Survey of Consumer Finance , see Arthur B. Kennickell , Martha Starr-McCluer , and Brian J. Surette , Recent Changes in U.S. Consumer finance is never surveyed by anyone in the U.S. contradictory +Jane Finn at last ! Bob Haskins at last ! contradictory +Not otherwise rich in tourist attractions , Shinagawa has one gem that should not be Sengakuji a temple that evokes what is surely the most popular story in all of premodern Japanese history . Shinagawa is teeming with popular tourist attractions beyond just the famous Sengakuji temple . contradictory +The FDA has concluded that the rule will have a significant economic impact on a substantial number of small entities and an initial regulatory flexibility analysis and final regulatory flexibility analysis have been prepared and included in the notice of proposed rulemaking and the final rule notice , respectively , as required by sections 603 and 604 . The FDA has come out with several conclusions . entailment +Some House Republicans , including DeLay , have fired back at Bush , accusing him of betraying them , meddling in their business , and distorting their ideas . DeLay said Bush had been supportive and understanding . contradictory +The Madeleine ' an imposing Greco-Roman edifice ' doesn 't look much like a church , but that 's what it is . The imposing building doesn 't have the appearance of a worship site . entailment +Whittington ordered a substantial lunch for himself and his companion ; then , as the waitress withdrew , he moved his chair a little closer to the table and began to talk earnestly in a low voice . Whittington ordered a large lunch for both of them . entailment +He has always been the Sather Karf--at least ten thousand years or more . He had been the Sather Karf for at least ten thousand years . entailment +everybody was already doing the um driving the beamers and you know with nothing to think that um they didn 't have five hundred dollar wardrobes you know every week that kind of thing Many people drove BMWs . entailment +It had considerable influence on Mahatma Gandhi 's non-violence movement ; he used its fasting-unto-death as a potent moral and political weapon . It had no effect on Mahatma Gandhi 's movement at all . contradictory +But important though the resuscitated imperial authority undoubtedly was , the real power under the restoration known as Meiji ( Enlightened Rule ) was in the hands of a new generation of forward-looking administrators , who set about abolishing the ancient feudal apparatus in favor of a modern government based on merit rather than ancestry . The administrators held the power to delete feudal lords ' accounts . neutral +Regulatory Impact Analysis for the Particulate Matter and Ozone National Ambient Air Quality Standards and Proposed Regional Haze Rule . The health of the environment needs to be studied . neutral +Unlike the Postal Service 's model , all stop types and mail classes are consolidated . All stop types are under the Postal Service 's model neutral +The river Ouvyze , spanned by a Roman bridge , separates the attractive medieval haute ville from the modern town and Roman ruins . There was no bridge constructed on the Ouvyze river contradictory +In recent years the French national health system has approved reimbursement for spa treatments and the number of curistes seeking treatment has risen . France will not reimburse spa treatments . contradictory +I do know that I could see every plot turn dragging its limp , maggoty carcass across the desert from miles away . A limp maggoty carcass was dragged across the desert from miles away . entailment +It must have been that he was only creased . He was shot but it wasn 't life threatening . neutral +It seems incredible that a woman like Mrs. 69 Cavendish , proud and reticent to the last degree , should interfere so violently in what was certainly not her affair . " The speaker is astouneded that Mrs. Cavendish reacted the way she did . This seems out of character for her . entailment +( Other women , though , were prepared to testify against him and didn 't get the chance . ) There were countless women willing to offer their testimony . neutral +now was there actually snow on the ground all that that time from September through what March Was there any snow at all in June ? contradictory +By the 11th century , the caliphate had splintered into a mosaic of fractious states 26 at one point , and the Balearics became an independent emirate . The caliphate stayed as a united front until long after the 11th century . contradictory +The estrangement of too many parents from John McCain 's life . Alienation from parents was common in John McCain 's life . entailment +and i said okay i didn 't you know was kind of groggy didn 't know what was going on and crawled out of that tent and uh sure enough uh shortly after that they blew down so we 're out here in the pitch dark in this wind and it starts to rain Luckily it was sunny and warm when we left the tents . contradictory +there 's there 's it 's at that was actually a big dilemma for me now because um Cheers Now because of cheers I have to make a choice regarding what to watch at that time . neutral +hum-um how 's that How was that ? entailment +yes yeah yeah it is and i find that uh It might be . neutral +The Republicans will argue the shortfall isn 't that big , because they are going to cover some of it by onetime dipping into the bank insurance funds--never mind the S & amp ; L collapse , that was eons ago--and , of course , selling off part of the broadcast spectrum-- the most oversold commodity since the Brooklyn Bridge . According to the Republicans , the shortfall is too big . contradictory +My beloved Sox beat the Indians . The Sox have never played the Indians . contradictory +Their struggle underscores Moreau 's spiritual poverty and capacity for mischief . Their struggle had a mix of mischief and poverty . entailment +No , I can 't say it did . It didn 't seem like it . entailment +Arguably the best and perhaps the most historic hotel in town , with parts dating from the 17th century . It is historic and famous . entailment +Nor a mantle , nor a cape , nor a , how do you call it ? , a sports coat ? It was not a mantle . entailment +the last one i saw was Dances Of The With The Wolves Of The Wolves Dances with the Wolves was a very long movie so I 'm loathe to watch any more movies . neutral +( Russia , for example , consistently undercounts its war dead . ) Russia isn 't always accurate when counting the people dead from war . entailment +so we our budgets are realistic and they are not so stringent as you know to make us feel uncomfortable You have to consider personal comfort in the budget , too . neutral +Yes , with dragons on them . There were dragons on the pajamas . neutral +okay thanks a lot bye-bye Thank you , bye ! entailment +right right did you have them in a center or something last summer Did you have them in a centre during the summer ? entailment +Invented by Lenin , subbotniks were convened on weekends for cleaning , maintenance , and construction projects that the commissars decided needed attention . Subbotniks were not used for any manual tasks . contradictory +The Schwartz ( 1993 ) study examined the relationship between exposure to PM10 and prevalence of chronic bronchitis . The study looked at the link between cancer and eating cookies . contradictory +On the third pass , recalling Proust 's admonition to one of his correspondents that if he 'd only had time he would have written a shorter letter , I managed to cut another 200 pages . I saw that I could cut that part of the Proust 's novel , that lasted 200 pages , even if the teacher didn 't know it . neutral +And , to be clear about it , the massive censorship necessary to avoid it is certainly not worth the cost in freedom . The large amount of censorship would lead to an increase in freedom . contradictory +To be sure , the larger industrial conflicts of the period amounted to such a struggle . The larger industrial conflicts cause many problems in that period . entailment +During 1996 , cable-TV prices shot up at more than twice the rate of inflation . During 1996 , cable-TV prices were very low . contradictory +No overall picture of Japanese life can be complete without a short visit to these northern territories . The northern territories provide much culture and history to Japan . neutral +Land not acquired for or in connection with22 items of general PP and E , that is , stewardship land , shall be reported as required supplementary stewardship information accompanying the financial statements of the Federal Government and the separate reports of component units of the Federal Government responsible for such land . Land acquired in connection with 200 items of general PE and LB and C is stewardship land . contradictory +sure sure i mean you you look around at all these other countries i mean i mean you look at Japan not only do they learn the metric system they also learn the our system you know and and they also take three languages It should be tough being a student in Japan , with all those learning requirements . neutral +Saqqara was the final resting place for the rulers of Memphis and constitutes the largest royal graveyard in Egypt . Saqqara is the largest royal graveyard in Egypt . neutral +Guangzhou is interestingly one of China 's most proserous cities , determinedly on the move into the modern world . Guangzhou is one of the richest cities in China . entailment +uh a lot of those boundaries There are boundaries around the city . neutral +Several of their ceremonial ball courts , which were used for certain social or religious gatherings , have been discovered throughout Puerto Rico . They have found a lot of ball courts in Puerto Rico . entailment +( Not all these cafe will be open throughout the summer months . ) Every cafe will be closed throughout the summer months . contradictory +i 've almost given in a couple of times and gotten it every time i get one of those special offers in the mail but When I get those special offers in the mail , I almost give in but my wife stops me . neutral +Having a lawyer can often be the difference between a woman staying in a violent relationship and being able to break out of one , Waldron said . A woman with a lawyer will not return to a violent home . neutral +and never see any of that money than to have them take a portion of my paycheck They 'll take my money without any thought to me . neutral +Like the Hirosema museum , the final message is not of victims demanding sympathy but of an entire community committed to total nuclear disarmament for the sake of the entire planet , with its own message of Never again . The Hiroshima museum sends off an important message to its visitors . entailment +But the funding is uncertain , and Congress failed to reauthorize $ 65 million in supplemental TANF moneys . The funding came from a special grant . neutral +Well then ? 124 Tuppence merely continued to shake her head violently . Tuppence would defend herself with force if necessary . neutral +He tried to butt Jon with the end of his spear but Jon pushed it aside and kicked the man hard in the thigh . Jon pushed the sword to the side and kicked the man in the head . contradictory +However , in emergency medicine , everyone gets a referral-to primary care , a clinic follow-up , or another health or social service . In emergency medicine , everyone has the right to get another health or social service . entailment +The answer is that they are interrelated and interdependent . They don 't depend on each other at all . contradictory +Today it supplies much of the fresh produce for the population including tons of grapes for the quaffable Cretan country wine . The land is too barren to grow much , and almost all the grapes are grown farther to the south . contradictory +It is run by an 11member board appointed by the president and confirmed by the Senate . The president is the only member of the board . contradictory +Large shops on the fashionable thoroughfares tend to be more expensive than smaller family shops tucked away in the side streets . The shops located on the thoroughfares are always the least expensive . contradictory +On 9 December 1990 , Poles made Lech Walesa the first popularly elected president in post-World War II Poland , a watershed event for the Soviet bloc of nations . Lech Walesa had campaigned tirelessly to win the votes of his countrymen . neutral +The Kings demand stiff payments from authors and TV producers who want to republish or air King 's speeches . The King family allows his works to be used free of charge . contradictory +uh-huh um-hum that 'd be good for a dinner party that you know to cook that because you don 't have to deal with eight different things coming out at once is that what you usually cook when you have a party That would be good for dinner parties and Christmas dinner . neutral +Kanha is famo us , widely acknowledged as the best place for seeing an Indian tiger in the wild . Kanha is known as the ideal place to see a wild Indian Tiger . entailment +One had been a chemical engineer specializing in making yeast and dried soya meal into breakfast cereals . They were a chef who made pancakes . contradictory +Historical and Projected US Electricity Trends ( kWh per 1999 $ GDP ) There is no history on electricity trends . contradictory +In addition to following up on significant reported findings and recommendations from previous financial audits or attestation engagements , auditors should consider significant findings identified in performance audits and other studies if these findings relate to subject matter or assertions of the attestation engagement . Auditors should consider significant findings identified in performance audits and other studies . entailment +Consideration of guidance for the recognition , measurement and display of obligations for social insurance programs has continued to present the Board with significant , vexing theoretical and practical problems . The Board is trying to minimize theoretical and practical problems . neutral +" Add those up . Those have to be subtracted . contradictory +do you do you camp at the lake a lot Do you camp at the lake because of the wide variety of fish there ? neutral +There is one more search for meaning , and it takes Berman across the ocean . Berman sails across the ocean for a stress-free vacation . contradictory +Who taught you your fencing ? asked Jon . Jon refused to speak to the person . contradictory +The magazine model of bringing information to the attention of readers is stunningly inefficient . Unsurprisingly , the magazine style of putting information out there for their readers is a huge success . contradictory +Topham 's got him a Chinee cookin ' there who serves up th ' best danged grub in this here town . That cook is really terrible . contradictory +Entering via the Agra Gate , at the northeast corner , one passes on the right the karkhanas ( workshops ) where carpenters , weavers , and stonemasons worked . The workshops are home to carpenters and weavers . entailment +Despite twice campaigning actively against Bill Clinton , he has begged for a post in his administration . He only campaigned against Bill Clinton to steal campaign contributions . neutral +He went straight to the pantry , where we found Dorcas busily polishing her silver . Dorcas was busy polishing her shoes by the pantry . contradictory +Just be careful with the detonation range , cuz I just had a stuffed snout with gorgonzola , Clarissesettessimo laughed . There is no need to watch out for the detonation range . contradictory +'They are not . ' They can not do that . neutral +Me , I 've been trailin ' round this here country since th ' moon was two-bit size . I 've settled in one area of the country for years . contradictory +Back in 1994 , when journalist Robert Wright popularized the field of evolutionary psychology with his book The Moral Animal , he wrote an article on ev psych and feminism in which he acknowledged that evolutionary psychology would be used to naturalize sexist behavior . The normalization of misogynistic tendencies was predicted in 1994 . entailment +Does an egg know it is going to become a hen--or maybe a fish ? Hens and fish are alike in that they both hatch from eggs . entailment +Is it not so ? Is it not so ? entailment +her her parents live by the public transportation Her parents home is near public transportation . entailment +In this sprawling city , the parts of Madrid of greatest interest to foreign visitors are remarkably compact . Madrid is a small city with tourist destinations spread all around . contradictory +There was a great outcry when the city of Manchester to the southeast developed the lake as a reservoir for its swelling population . The city of Manchester wasn 't concerned with the public 's opinions on the matter - that 's why they did it despite an outcry against it neutral +you know her car died on the highway and i happened to be with her and managed to get her to the other side of the road because it was dark and all I wasn 't with her when her car died on the road , so she had to push it herself . contradictory +Immediately west of the Castillo de la Concepcien are the ruins of the 13th-century Iglesia de Santa Maraa Vieja . The Inglesia is not far from the Castillo . neutral +Its fate was changed forever 3,000 years ago when King David brought the Ark of the Covenant to rest in a tent amid the gardens beside the waters of Jerusalem 's ancient source of water , the Gihon Spring . The Ark of the Covenant was brought to rest at a cave in Jerusalem . contradictory +This idea came from the new leader Mohandas Karamchand Gandhi , dubbed Mahatma ( Great Soul ) by the Indian poet Rabindranath Tagore . Gandhi , a great new leader , proposed an idea . entailment +It was fifteen feet wide but the edges tapered downward and the lack of any support made it seem much smaller . It was an elephant riding in a canoe with no support . contradictory +The next day , I strode into work . I didn 't want to be at work . neutral +'Even so , I have to assume White has at least tried to recruit you . ' I 'm assuming that White as given at least a little effort to recruit you . entailment +All give glimpses of traditional family life . Each shows what family life is like . entailment +SUBSIDY COST -The cost of a grant of financial aid , usually by a governmental body , to some person or institution for particular purposes . 90 % of subsidy costs are made by governmental bodies . neutral +Tomb 57 , that of Khaemhat , was decorated with statues of himself and his family very rare for tombs of his class . The tomb was decorated with 3 ft tall statues . neutral +Presidents and their speech writers have mined their predecessors for memorable words and repeated them without attribution . Presidents ' speech writers copy previous administrations ' words without attribution . entailment +He is not mine to sell , Coronel . I can 't sell him to you , Coronel . neutral +S chool Since the Columbine killings , there 's been a special focus on depictions of adolescents committing mayhem in school . There has also been an increased awareness of mental health problems in adolescents . neutral +Through this organization , three companies volunteered to participate in our study and supplied us with information on the techniques they used and considered effective in reducing improper payments . We are planning on implementing some of the ideas we got from the companies that participated in our study . neutral +Then of the four elements-- " Dave gulped , but kept silent , " --of the four elements the universe is built . Dave was nervous . neutral +OK , we 'll take . We don 't want it . contradictory +oh yeah well yeah one one guy i talked to about about colleges he was very opinionated and I 've discussed colleges with a woman that was very opinionated . contradictory +The Kandariya is the largest of all the Khajuraho temples and adds , with its grand scale , a special exuberance to the life-enhancing spirit of the place . The Kandariya is the biggest out of all the Khajuraho temples . entailment +Does women 's fiction get short shrift ? Women 's fiction does got get the attention it deserves . entailment +This largest of the FWI spreads its wings midway along the Lesser Antilles chain . The FWI spreads along the Lesser Antilles chain . entailment +What had they discussed that caused them to come down and confront Jon about her ? Whatever they discussed made them ask Steve about her . contradictory +I shut my eyes . At the sight in front of me I had to shut my eyes . neutral +Located 50 km ( 30 miles ) north of Paris , Chantilly is celebrated for its chateau , its elegant racecourse and stables , and , not least , for the cryme chantilly ( whipped cream ) typically served on hot waffles . You enjoy both food and sights in Chantilly . entailment +White would be waiting for Lincoln with twice as many of his own men , and then some . White was concerned it would be hard to capture Lincoln . neutral +Newsweek describes the controversy over sex-corrective surgery for intersexual babies--children born with the wrong--or incomplete--sex organs . Newsweek had a condescending tone while reporting on the issue of sex-corrective surgery . neutral +She greeted me with a few words of pleasant welcome in a low clear voice , and I sank into a basket chair feeling distinctly glad that I had accepted John 's invitation . I wasn 't happy to be there , her voice was high pitched and hard to understand . contradictory +Poor Mexican street fighters are brought to the United States by unscrupulous promoters to serve as patsies for American boxers . Almost all patsies are street fighters from Mexico . neutral +And this is , my dear ladies and gentlemen , a world class expert , Mr. Gilmand de Borek , a world-class psychic who can select two most suitable for each other persons based on their ergo waves . De Borek is an amateur psychic . contradictory +An audit cannot ensure that stock prices will be achieved . The audit doesn 't guarantee anything neutral +This here 's th ' Range , an ' ain 't nobody but th ' Old Man runs th ' Range ! The Old Man runs the Range together with his son . contradictory +you 've got jacks it makes me nervous I have something better than jacks . contradictory +they 're not on the times that i 've got that i 've watched because i haven 't had T got TV Guide around here in ages I do not have access to a TV Guide . contradictory +And for , the person who wants to keep weight off but can 't control what 's served at dinner parties , it 's only good manners to eat what your host serves you--with gusto and gratitude . Good manners dictate that a dinner party guest shouldn 't finish their food . contradictory +Now , even under traditional antitrust law exclusive relationships are not necessarily illegal , since they make production and distribution more efficient . Relationships are not illegal because the make production and distribution more efficient . entailment +So read Slate . A lot . Thus , you must not read Slate at all . contradictory +everybody likes his speed but he can 't catch the ball He can run fast , but he can 't catch . entailment +The man 's ankle folded over around the knob of the club . The man broke his ankle . neutral +We should do the same . We should not do that at all . contradictory +The evening wind blew her hair . The bald woman shivered from the cool night air . contradictory +And you remember nothing at all ? I know you remember everything . contradictory +One thing more . Just another thing . entailment +The south 's aristocracy resisted all significant social reforms proposed by the Spanish . Eventually the Spanish were able to implement the social reforms . neutral +5 billion in cuts over five years . The cuts made over 5 years total 5 billion . entailment +Enough talk , old man . Please keep talking , old man . contradictory +Reducing future benefits obviously reduces future spending for Social Security retirement benefits and stems government dissaving . Reducing future benefits stems government dissaving entailment +if you follow the scriptural principals it 's going to work out because those are that 's the best way to do it you know but the thing is is that then God gets the glory not a president not a king and i think that 's a problem for a lot of politicians is they want the glory I think scriptural principals are being swapped out with political ones so as to keep the glory for themselves . neutral +you can 't train somebody how to shoot in a combat situation until they 've been there i 've seen it in Lebanon i was in in the Granada invasion in eighty three You can be well prepared for combat with training . contradictory +Special is exciting . It 's exciting when things are special . entailment +Elephant rides , jungle walks and drives , river rafting , and bird-watching keep visitors busy . Visitors can enjoy elephant rides , jungle walks , bird watching , and river rafting . entailment +Federal civilian employees who don 't commit felonies and don 't cuss out their supervisors pretty much have a guaranteed job with guaranteed wages for life . Federal civilian employees that don 't do anything illegal and treat people with respect will always have a job . entailment +She had noticed the speaker more than once amongst the first-class passengers . She noted the speaker had been seen multiple times with different outfits up in first class . neutral +The next working session was a failure . A subsequent meeting was a resounding success . contradictory +Figures 1 through 4 on the following page illustrate both the emissions projections and the impact of banking the early reductions on all four emissions caps implemented in 2007 . Figures 1 through 7 provide the relevant illustrations referred to . contradictory +yeah yeah it 's something you have to get used to i guess i mean i lived with that for a while and Living with gout is not easy , but it is manageable with proper diet . neutral +yeah i much prefer ham than i do turkey on Thanksgiving I like ham and mashed potatoes on Thanksgiving better than Turkey . neutral +I 'm not sure I have , said Tuppence darkly . Tuppence is friendly and never speaks in a dark tone . contradictory +Normally it is three to four weeks , " said Ca 'daan . Ca 'daan said it 's usually between one and two weeks . contradictory +Complex facility projects usually include a procurement phase in order to expedite the purchase , manufacture , and delivery of longleadtime equipment , such as unique process machinery , large electrical and mechanical equipment , and sophisticated architectural components . Facility projects will never have a procurement phase . contradictory +He described the heart transplants and complicated valve replacements he performed . He explained how the heart transplant and valve replacements were done entailment +you know um i used to think Dallas was better than Houston because their zoning for where you can put a house next to a now it looks just like Houston to me you know Dallas doesn 't look anything like Houston at all . contradictory +oh the drug problem um-hum There are no drugs . contradictory +I do feel like a rabbit . Yes , I feel like a bunny . entailment +Just reverse the route if you 're coming from Brittany . The route 's instructions are written as though you are coming from Brittany . contradictory +Vast fields of wildflowers welcome the spring visitor , and in summer horseback riding , mountain biking , tennis , rafting , hang-gliding , and paragliding now join the more traditional activities of climbing and hiking . Horseback riding and mountain biking are reserved for the winter season . contradictory +right yeah yeah they always they they say a lot of times that you know woman have more emotions and they can or cannot handle a job because of that so that 's going to be interesting to see how that kind of stuff does play into it because a lot of times you know you do look at the men and they never seem to show any emotion they just People say women could not handle the job because they are emotional . entailment +It 's possible to spend hours browsing for the perfect souvenir . There is no perfect souvenir to be found . contradictory +7 ) Starr will be investigated . There will be an examination of Starr . entailment +The gallery brings together a number of excellent private collections , including works by local Scottish artist Eduardo Paolozzi . The gallery has many collections that are privately owned . entailment +It is worth making a detour on the pedestrianized areas of Henry Street and Moore Street , to see their famous markets and hear the cries of the stallholders . Going to Henry and Moore Street is highly advisable to see their famous markets . entailment +5 % of pieces delivered 1992 versus 39 % of pieces delivered in 1996 In 1996 , 39 % of pieces were delivered . entailment +The nation can ill-afford to have the secretary or deputy secretary being side-tracked by administrative and operational details -- the mission of the department requires their undivided attention . The secretary and the administrative and operational department need to work together . entailment +A piece considers what would have happened if the Confederacy had won the Civil War ( the ascendance of Mexico ) . One alternate history exercise wonders about the Confederacy winning the Civil War . entailment +The culture of fund-raising rewards quantity , not care . In fund-raising , the more money you make , the more lives you can save . neutral +Opening hours are as ordinary shops and stores 8am to noon and 2 to 5pm ; supermarkets , department stores , and bookshops 8 : 30am to 12 : 30pm and 2 : 30 to 5 : 30pm ; boutiques 9am to 1pm and 3 to 6pm . All shops , no matter the type , open at 9am and stay open through the day until 6pm . contradictory +well maybe i maybe i can get the yard mowed before it hits I can 't mow cause of hte storm . contradictory +he 's he 's not a subject of great pride He isn 't the most prideful man I 've ever met . neutral +Under the Save the Unified Surpluses simulation , federal budget surpluses would be higher over the next 40 years , but deficits would emerge in the 2040s . Federal budget surpluses would be higher over the next 40 years . entailment +intent may be a matter of understanding the process by which decisions were made , who was involved , and whether the actions are meeting local needs . Intent is about understanding the process . entailment +Sir Thomas Modyford , the Governor of Jamaica , offered a deal to pirate ships already well established in the if the pirates protected British assets , then they were free to harass enemy shipping with impunity . Jamaica was taken over by pirates , and Sir Thomas Modyford was executed . contradictory +For instance , as the mobility of capital reduces the power of unions , the chance for including labor rights in the world trade treaty known as GATT--the General Agreement on Trade and Tariffs--grows remote . Labor issues will certainly be covered in the agreement . contradictory +When it was small enough , he pocketed it . It wasn 't small enough to carry with him so he left it on the ground . contradictory +or might teach them a little more empathy towards those who you know have problems and need help with things It might help teach empathy . entailment +Starr might like to believe Willey--and Willey 's story was bolstered more than undermined by the testimony at last week 's trial . The testimony from the trial helped Willey 's story . entailment +Grant conditions , riders , or reporting requirements are being added to a number of grant awards to ensure continued broad-based , inclusive state planning . Grant conditions being added to the awards helps delay , not stop the discontinuation of state planning for grants . neutral +Little children carrying trays offer you coconut tarts a filling treat for a franc or two . The coconut tarts are hand made by the locals each day . neutral +In an open economy such as the United States , an increase in saving due to , for example , an increase in the federal budget surplus may not result in an equivalent increase in domestic investment . An increase in saving never results in and increase in domestic investment . neutral +um-hum uh-huh i guess we 've discussed everything there is about clothing okay okay it was nice talking to you also bye-bye I hated talking to you , bye-bye . contradictory +It 's not that he has changed his mind and is now pursuing a general policy of linkage between trade and democratization that applies to Cuba . He hasn 't changed his mind about the trade with Cuba . entailment +Parents can make the best decisions for their kids , and if they are looking for quality day care , it isn 't likely to be because someone in a lab coat tells them it will mean an IQ 4.6 points higher at age 15 . Kids in quality day care grow up to be a bit smarter by age 15 . entailment +but these countries here which you know are you know like in nineteen eighty four have you ever read that book Have you ever read 1984 ? These countries operate like that novel . entailment +The thrones on view here date from a visit by George V and Queen Mary in 1927 . The visit by George V and Queen Mary lasted 2 weeks . neutral +If a lot of these value-conscious , knowledgeable customers are there , then chances are you 've found the right place to get a satisfying meal no matter what the official rating is . You can 't know if you chose the right place based solely on who 's there . contradictory +These models are good only for small to moderate movements from the current position . The models are only good for small movements . entailment +1 . Are the methods of data collection presented ? Data collection can be used to solve many crime cases . neutral +Several centres provide all equipment , a dive boat , expert local knowledge , and sometimes tuition as well . The centers have equipment , but not dive boats . contradictory +A 14-year-old Pennsylvania boy fatally shot one teacher and wounded another and two boys . It is not known whether one of the two boys will survive after being wounded . neutral +It is necessarily a sloppy process that injects another arbitrary standard into an already arbitrary decision-making process . The process is streamlined and has no arbitrary standards . contradictory +Decidedly , it was the policy of an imbecile . " Only the smartest man could make sense of it . contradictory +With a proud octagonal tower that rises out of the top of the structure , it was built to mark the passage of the Emperor Humayun after his defeat in the 1540s . The octagonal tower was made to symbolize the eight years Emperor Humayan spent at war . neutral +I wish you to take care . ' I hope something bad happens to you . contradictory +They 're held periodically throughout the city . They 're held every once in awhile in the city . entailment +and the men that drive the trucks with with the guys that fix the power lines aren 't tested as much The men that drive the trucks aren 't tested very much . entailment +Somehow Drew got an arm under Anse 's shoulders and tried to hoist him up . Drew tried to lift Anse up . entailment +yeah okay oh sure sure well i think i think uh uh the best thing to do is i i got two Masters degrees but they both came years after my Bachelor 's degree I waited a really long time before finishing graduate school . neutral +It was not uncommon for seekers to be built , tested , and reworked seven or eight times before they were acceptable . Seekers have to be built to very high standards . neutral +Jesse Helms is still complaining , but he 's having the last laugh just the same . Helms is losing miserably . contradictory +The component may also be a contractor . They were prohibited from being a contractor . contradictory +uh-huh how did you get involved Have you been involved for a long time ? neutral +Come on , we 'd better take a taxi . " We should catch a cab , let 's go . entailment +Almost all of it can be covered in a day or two , including a lengthy visit to the Royal Palace . There isn 't that much to see there . neutral +Clearly , some investors would break from the pack as new information became public and others were not reacting . None of the investors would break from the pack . contradictory +Twenty to one ! " Done ! Ca 'daan saw the northerner smile . The northerner is smiling . entailment +The B5289 moves along the shores of Derwent Water and then follows the beautiful green valley of the River Derwent , where families gather to swim and picnic . Families exclusively play ping pong at the valley . contradictory +The creator of this unusually successful way of reducing stress was one Antoni Elkbellows , a man possessing a long and confirmed by genetic studies lineage , according to which he was a direct descendent of a respectable family of magnates from nearby Pila - the Oxbellows . Antoni Elkbellows had no genetic similarity to the Oxbellows . contradictory +You will discover a medieval world updated by the varied exotica of smoky Greek barbecues , Tunisian pastry shops , and art-house cinemas . Cinemas are an outdated thing to this area , they know that everyone watches on TV so they don 't have any cinemas . contradictory +She turned a split second before it pierced her . She was stabbed by a very long sword . neutral +yeah but we 've uh we 've done uh many types of camping we 've we 've done tent camping and we had access to a motor home which is really super great if you don 't want to rough it too much We have camped in tents and recreational vehicles before which are a nice change of conditions in comparison with tents . entailment +He smiled at her but she did not smile back . She was injured so she didn 't smile back . neutral +well the camping i grew up with was like tents and Coleman stove type and uh you know that just either out in the woods or actually i i grew up water skiing i was uh from California and so we would go up to the Sacramento uh river sloughs the delta there We 'd use our Coleman stove to prepare food when we were camping . entailment +Information sharing and coordination among organizations are central to producing comprehensive and practical approaches and solutions to combating computer-based threats . Combating computer-based threats does not necessitate coordination among organizations . contradictory +and there is nothing worse than going to see a movie where you have to follow a hidden plot I love movies with hidden plots . contradictory +how did i get into it oh i 'm uh electrical enginee r uh here in Virginia I have been an engineer for a decade . neutral +There were history textbooks left lying around , like scattered treasure . All the history books were about World War II . neutral +The heads of the many fashionably attired women present were busily laid together , and their whispers became so loud that the judge angrily threatened to have the court cleared if there was not immediate silence . The judge pointed at the loud women and demanded immediate silence . neutral +We interviewed various officials , including chief financial officers , chief information officers , business unit executives , state executive and legislative branch officials , treasurers , controllers , internal auditors , agency administrators , and human resource specialists . We interviewed officials in a number of different fields . entailment +REIMBURSEMENTS - Sums received as payment or advance payment for goods or services furnished either to the public or to another federal government account . Reimbursements are usually furnished to the public . neutral +The Maharaja of Bharatpur used to organize formal annual duck-shoots here for British viceroys and other top officials as well as for fellow princes . There used to be annual duck shooting here . entailment +The Rio Grande , just west of Port Antonio , is the largest river complex on Jamaica , combining a number of tributaries from the Blue Mountains . The largest river complex on Jamaica is the Rio Grande . entailment +My dear Prudence , Hi , Patty , I want to tell you something . contradictory +7 . Cherpitel C. Screening for alcohol problems in the emergency department . Alcohol problems in the emergency department are a very serious issue . neutral +Ca 'daan rushed to the gambling and brothel district . Ca 'daan went straight to the brothel district . entailment +Figure 4.2 also shows an alternative fiscal policy path assuming the federal government saves all of the projected unified surpluses . Figure 4.2 doesn 't show an alternative fiscal policy path contradictory +well it it it 's a law it was quite some time ago when the neighborhood was very new and we had some very very restrictive covenants uh in the subdivision and they were attempting to put seven houses in an area that was originally set aside for five There were people trying to fit seven houses in an area zoned for five . entailment +especially like needlepoint needlepoint cushions and things but it just seems like there 'd be so much time involved in it you know that and that the petty point and things like that it 's like God it just just seems like it 's There is a lot of time involved in it . entailment +And I 'd rather people ask a foolish question now than have them make a dumb mistake later . In the past , people have made stupid mistakes because they did not ask enough questions . neutral +you know it 's tough to to work everything in that you want to accomplish and i have a lot of other interests My other interests make it tough to make everything work . entailment +In appearance , Montmartre is still the little country village of 400 years ago ' narrow , winding , hilly streets and dead-ends . The narrow streets and dead-ends of Monmarte are a popular tourist destination . neutral +Each standard is summarized briefly in a box followed by a detailed explanation of the standard . The explanation of the standard is on a separate page than the summary . contradictory +yeah there 's not too many not too many big ones around here Several big ones are in the immediate area . contradictory +and they 're they 're good they 're they 're i like news shows too like uh Sixty Minutes or Twenty Twenty I like watching news shows such as Sixty Minutes or Twenty Twenty . entailment +Free from the confines of the International Festival 's rules and regulations , the Fringe has become synonymous with art that pushes the envelope , and it has grown to eclipse its more staid official brother . The Fringe has remained stale and unpopular because of its strict compliance with the rules . contradictory +She called the man she had been talking to . She called the man she had been conversing with . entailment +Machico can claim to be Madeira 's first settlement , the spot where Joao Goncalves Zarco first came ashore on the island in 1419 . Joao Goncalves Zarco is one of the first people to arrive in Madeira . neutral +WordPerfect and Netscape work just fine on my Windows-based machine . Windows is the best platform for WordPerfect and Netscape . neutral +I don 't know any . " I don 't know any in this area . " neutral +'Why ? I don 't speak Russian . ' I speak Russian very well . contradictory +The model is designed to define average unit cost as a function of volume ( Q ) , based on the USPS cost structure for FY 1999 . Q stands for price . contradictory +The Astronomer followed and the woman 's wail rose unheeded behind them . No one else was around to hear the woman 's sobbing . neutral +For serious hikers , there are other major trails in the park . The average hiker would be best suited to take the North trail . neutral +In Georgia , the H-2A visa will be from a few weeks to six months . The visa was a longer wait time than expected . neutral +The assumption of ACI as a mercury control method will be more conservative with regard to sorbent consumption since it will assume that all of the facilities installing sorbent injection for mercury control require AC . It is assumed that the facilities installing sorbent injection for mercury control have no relation to AC . contradictory +and all their money has to go in their savings account They must save money for their retirement . neutral +For elements where a level of achievement other than fully successful has been assigned , the rating official must describe the executive 's achievements on additional pages . Executives are exempted from all requirements for review . contradictory +yeah yeah It was in the it was in the summer at at at at the time but you think they would pay more attention to what was going on that they 'd see this guy had taken off his clothes It was in the middle of winter . contradictory +i 've always kind of enjoyed it i i used to read a lot more than i do now In the past , I read more than I do now . entailment +you 'll take better care of that and you 'll prize that possession more than someone handing something to you Adults give to many things to kids . neutral +The Office of Program Performance conducted twelve on-site program reviews in 2001 . At least twelve on-site program reviews were conducted by the Office of Program Performance in 2001 . entailment +Pay us for that with your service , and that new life will be truly precious . Life will not be better if they provide their service to them . contradictory +By developing this new category , it is anticipated that audit standards will be developed to address the specific items in that category . If the new category is developed , the audit standards will be tailored to the specific items in the category . entailment +The strictest monastic rule ... The least strict monastic rule . contradictory +yeah at least its something that you enjoy and i know a lot of people that talk about exercise and say well i don 't want to exercise it 's too much work but there a lot of different things you can do that that are enjoyable that you don 't have to you kn ow strain yourself or sweat most people think exercise is to hard but ts about finding something you enjoy doing entailment +In some cases , however , scheduled maintenance has been deferred . Maintenance is no longer performed in all cases . contradictory +For Jahangir , if the Islamic idea of paradise had any meaning , it was here , amid the staggered terraces , tranquil pools , waterfalls , and trees , looking out over the lake against the backdrop of the Himalayas . There are waterfalls , trees and tranquil pools looking out over the lake . entailment +This rule was promulgated through the general notice of proposed rulemaking procedures of the Act The rule , after put forward , was never promulgated . contradictory +The building is being restored , but its future purpose remains undecided . They have not decided the way the store will be repurposed . entailment +If you have any Scottish ancestry , you will be able to find the tartan for you ; otherwise , it is a matter of finding a pattern that you like . Scottish descendants may find their ancestor 's tartan , or choose one that catches their eye . entailment +He , too , abandoned riches to become an ascetic . He had many riches . neutral +The piece features what is sure to be a major element of any Bradley a surfeit of tired sports metaphors . The piece is to be syndicated in a number of newspapers . neutral +I thought you were on your holiday ? I thought you went to the islands for vacation ? neutral +POSTAL RATE COMMISSION Memorandum The Memorandum for the rate of commission regarding the Postal Service was cancelled and will be held tomorrow . contradictory +She apparently couldn 't recall what had happened to the others . She couldn 't remember what happened to the other people . entailment +She apparently couldn 't recall what had happened to the others . She couldn 't remember what happened to the other people . entailment +Disclosures that run on for pages are not understandable . Disclosures that run on for pages are not understandable . entailment +When a trompe l 'oeil shaving brush and a match turn up later in the show in Magritte 's Personal Values ( 1952 ) , they have an oneiric suggestiveness quite in contrast to Murphy 's flat factuality . Magritte 's Personal Values helped increase the sales of shaving brushes and matches . neutral +According to most reports from Zagreb , Tudjman is brain dead and has been for some weeks . Tudjman is recovering nicely . contradictory +As the Senate report No senate reports contradictory +and i know i can 't afford a house if i 'm going to be doing that If I am doing that , I know buying a house won 't be possible . entailment +Key to Vince McMahon , WWF president , has made himself part of the storyline . The key to the WWF 's success is that Vince McMahon made himself part of the show . entailment +what do you think of this weather The weather has been so volatile , what do you think ? neutral +And by following up his serious accusation ( i.e. That is a silly thing to accuse someone of . contradictory +And now here he was himself one of Rennie 's riders involved in a saloon fight with troopers . There was a saloon fight involving troopers and Rennie 's riders . entailment +Shocked , because Abraham Lincoln was speaking with the strongest Russian accent I 'd ever heard . His accent was fake of course . neutral +Family members and partners can be of significant assistance in the intervention . Doctors and social workers can be of assistance in interventions . neutral +For buildings , the policies and programs include additional appliance efficiency standards ; expansion of technical assistance and technology deployment programs ; and an increased number of building codes and efficiency standards for equipment and appliances . The policies and programs include additional appliance efficiency standards . entailment +The novel has its flaws . The novel is flawless . contradictory +With negotiations at a stalemate and summer vacations removing the motivation for an immediate solution , both sides appear to be settling in . Neither faction could rest knowing there was no negotiation . contradictory +They 're nearly all Mrs. or Miss . " Tommy nodded . Their names are usually Mrs. neutral +Kilims are small rugs that are woven rather than knotted , and have no pile ; a cicim is a kilim with embroidered decoration . Kilim rugs are very large and are knotted , rather than woven . contradictory +um isn 't it Marv Levy Isn 't is Jesus Christ ? contradictory +oh yeah uh stolen run away no i doubt it but i don 't want them breeding with any I want to breed cats . contradictory +Lisbon is home to the greatest number of opera , ballet , and classical concerts ( including the Gulbenkian Symphony ) . Lisbon does not offer any operas . contradictory +Al Gore could do worse . Al Gore could be worse . neutral +And cold is whata larger heart maintains.The owl at dusk and dawn , Larger hearts need more warmth . contradictory +that that 's been my experience also i 've actually i guess i 've been doing that since probably when i was in high school I 've been biting my nails ever since I was in high school . neutral +There are five connecting corridors , two pits , and four rooms before the burial chamber is reached . Before reaching the burial chamber , there are eleven notable features to see . entailment +Bayonne is a good town to visit on foot , with a pedestrian shopping area around the 13th-century cathedral , many parks , ramparts , and the quays along the two rivers . You can also bike in Bayonne . neutral +oh that 's kind of neat That is somewhat neat . entailment +They know where the villagers are . They are aware of where the villagers are hiding . neutral +It was published in the Federal Register as a final rule on December 9 , 1997 . It was published in the Federal Register in 1996 . contradictory +uh-huh right and so we we have really enjoyed that and it 's really nice not to be running out some of the video rentals can be expensive and I would never rent a movie . contradictory +you got to be they say you have to dress for success It doesn 't matter how you dress ; you will still be successful . contradictory +uh dog just ran off with my shoe that 's off the subject This is off topic , but the dog stole my shoe just now . entailment +It takes tremendous strength to throw aside a mask you wore most of your life and ask to get better . Costume parties are fun when they last forever . contradictory +we it 's very difficult to find their stations so i guess that 's one reason why we use uh we 've used Discover and Visa quite a bit for fuel even The station accepts all kinds of credit cards . neutral +As Jared Hohlt in Slate , the comedian got sick at the point where he needed to reinvent himself to keep from sinking into obscurity . The comedian was able to pull himself into a healthy state when he needed to . contradictory +Well , Miss Tuppence , then , as I 'm certainly going to be a friend . Miss Tuppence and I are enemies . contradictory +My ancestors weren 't slaves . My ancestors weren 't slaves , they were farmers . neutral +Yes , and it was a race for time . The time was running out . neutral +A Report on Revised NMMAPS Morbidity by Analysts at Harvard University . Analysts at Harvard University have submitted a report on Revised NMMAPS Morbidity . entailment +Some of the recent development is rather unattractive , but there are a number of excellent resort hotels providing just about everything you could want for a beach vacation . Excellent resort hotels can give you almost anything you could want . entailment +Royal rule was to last for more than a century , with West Indian sugar helping to catapult France to economic supremacy in Europe . West Indian sugar from Cuba , helped to catapult France economically . neutral +The New York Times ' Ben Ratliff marks the appearance of what he calls Nelson 's first trip-hop song . When asked if he ever heard of Nelson , Ben Ratliff said he had not . contradictory +absolutely i 'm ready for it they 're predicting some more snow for our direction I have some tools for the snow . neutral +Emperador ( swordfish ) is especially good grilled , and lenguado ( sole ) is delicious in batter , grilled , or sauteed in butter . The fish is always fresh and straight from the sea . neutral +Participants have already been provided detailed contact information so that they can network and follow-up with others who attended the conference . Participants could only connect afterwards if they swapped contact information themselves . contradictory +Below , all signs of roads disappear , and it is clear how difficult road-building is in this tortuous terrain . Attempts to built roads have been abandoned . neutral +He used Morris to help him move to the center . Morris helped him move to the center . entailment +It means a maximum range of choice for the consumer when he spends his dollar . Depending on one 's location , their choices in what they are able to spend money on become more narrow / broad . neutral +If you didn 't stop to find out why useful business cycle models still need to incorporate sticky prices , click here . And if you missed the article by Robert Samuelson on macroeconomic analysis , click here . Don 't click here if you want to find out why useful business cycle models still need to incorporate sticky prices . contradictory +The Musee des Arts D ? ? coratifs ( 30 Rue de la Charit ? ? ) , which is in the 18th-century Hotel Lacroix-Laval , displays tapestries , furniture , and porcelain ; next door in the Hotel Villeroy ( 34 Rue de la Charit ? ? ) is the Musee Historique des Tissus , with more tapestries and silks and other fabrics . The Hotel Lacroix-Laval was renamed in the 19th-century . neutral +The way he 's going he could involve Hunt in a real mess , " Cahill said . Hunt could get mixed up in a mess . entailment +An even more picturesque scene occurs when the boats come in and jostling housewives buy the day 's catch direct from the fishermen . The wives collect the fish from the men at the end of the day . entailment +but then i i get surrounded by twenty or forty trucks and they 're just laying out a pall of black smoke During the morning drive , I 'm just enshrouded in smoke from semis . neutral +Graffiti written by Russian soldiers can be seen in the caves of Antiparos . Russian soldiers drew on the caves of Antiparos . entailment +A retrospective cumulative case study was conducted by the World Bank in its examination of four in-depth case studies of the effectiveness of educational programs . A retrospective cumulative case study to evaluate education programs . entailment +Beautiful sandy beaches like Platja de Mitjorn go on for miles . The beach is very short . contradictory +Among the several islands of interest on the lake is Belle Isle , still privately owned by the Curwen family , descendants of Fletcher Christian , of Mutiny on the Bounty fame , who was born near Cockermouth . The island Belle Isle is owned by the Curwen family . entailment +You are Drew , and you are Anson Anson " He repeated the name . He told Drew and Anson his name was Peter . neutral +Napoleon 's apartments display the style of his empire , and a Napo ? ­ leonic museum has been installed in the Louis XV wing . There is a Napoleonic museum in the wing . entailment +I 'm not sure how to apply competitive-market theory to Whitewater , but fortunately there is no lack of additional scandals to analyze . Competitive-market theory would fit Bledsoe better than Whitewater . neutral +You have given us valuable information , and if you choose to withdraw now no one could blame you . You have given us valuable information about the damage . neutral +There are three national art galleries featuring the work of masters from around the world . There are several art galleries that have the most famous artists featured in them . neutral +I loved you that first moment in the car when the bullet grazed your cheek … . Five minutes later Jane murmured softly : " I don 't know London very well , Julius , but is it such a very long way from the Savoy to the Ritz ? " " I despised you that first moment in the car . " contradictory +and generally it does work out that way It never works out that way . contradictory +Vardhamana Mahavira was its founder . It was founded by him . entailment +See . And John lifted the lid as he spoke . Don 't look . John closed the lid . contradictory +From this barrio you 'll be able to see the most prominent sight in Alicante , the historic Castillo de Santa Barbara , perched 115 metres ( 350 feet ) above the city on Mount Benacantil . Alicante 's most prominent site can be viewed from this barrio . entailment +He had been surrounded by the decapitated , disemboweled , and dismembered bodies of a dozen Sticks . All of the sticks were in good health . contradictory +and in uh my mother has done business in Germany and it was very difficult for her going over there because they just don 't have very many business women My mom 's never done any business in Germany . contradictory +The clearest proof of the new left 's poverty is what Clinton and Blair have to say about the middle class . The right also has rising levels of poverty . neutral +and they could make their own breakfast if they wanted to and their own dinner and they always had somebody come in for lunch but they had people who did you know they didn 't have to mess with the yard they had people who did the yard and they had a maid that uh uh service that came in and cleaned everybody 's house so they didn 't have to worry about that and it was really a nice They have people come in to clean , make lunch and do any other things like yard work. resident can cook for themselves if they want . It was a great set up . entailment +A settlement of stone cottages founded by Norse settlers , it became home to William Wordsworth and his sister Dorothy in 1799 . Though William often visited the settlement , he never called it a home . contradictory +This coldness and lack of moral vision bring Wolfe much closer to the spirit of Evelyn Waugh than to Dickens . They were lighthearted and had a clear idea about who they were and what they wanted to accomplish . contradictory +How Would Medicare Reform Affect National Saving ? Medicare reform might affect national savings in some way . entailment +The programs met for two days to plan areas of need and cooperation . The programs met every day for two weeks . contradictory +These protocols will help GAO to better serve the Congress and improve customer satisfaction , to close expectation gaps between the Congress and GAO wherever they exist , to ensure equitable treatment of all requesters consistent with the protocols , and to maintain and strengthen GAO 's performance and accountability . The protocols help the Congress in many ways . entailment +At leading finance organizations , developing a finance team with the right mix of skills and competencies starts by defining a set of skills and competencies that will enable the finance team to meet the current and future technical , management , and leadership needs of the business . Developing a finance team doesn 't start with defining a set of skills . contradictory +One of the oldest eating places in the port , with a pleasant Mediterranean atmosphere and some excellent specials . It is a very old building . entailment +Most worrying were the Seljuk Turks , who came out of the east in the 11th century to wrest large parts of Asia Minor from Constantinople 's control . The Seljuk Turks were the most worrying , as they came out of the east in the 11th century , to wrest large parts of Asia Minor from Constantinople 's control . entailment +St. Catherine 's has long been a very wealthy and influential monastery , founding schools in Greece and around the Orthodox world . St. Catherine 's is the richest monastery in the world . neutral +ninety nine i mean or something i got you right I don 't think I understand you right . contradictory +In 1954 , some experimental psychologists randomly divided 24 sixth-grade boys into two groups and took them to Robbers Cave State Park , Okla . , for summer camp . The psychologists divided the 24 boys according to their height . contradictory +right she just settled for that yeah She settled for that kind of life , yeah . neutral +If a Wannabe gets paid a small stipend for this work , she belongs to the Staffers . There is not much difference between Wannabes and Staffers . contradictory +It cost quite a lot and I resented it at first but it helped me win my share of bar duels and enough money to sleep with a roof over my head . I may have spent a lot on it , but it helped me win a lot of bar duels . entailment +Charming Segovia is yet another Castilian city that looks like a movie Its dramatic outline rises up majestically from the surrounding plains . Segovia is a Castillian city that people rarely visit . neutral +they just changed it because X had a connotation with it you know so X was never involved in the decision . contradictory +yes oh yes oh yes i know all about the new age philosophy yeah and uh it 's I know nothing about philosophy . contradictory +As an independent regulatory agency , rules promulgated by the Board of Governors of the Federal Reserve System are not subject to review under the executive order . The independant agencies can do anything that they want . neutral +It 's currently building the F-117A Stealth fighter and the thoroughly unnecessary F-22 for the Air Force , and is bidding against Boeing for the contract to build the Joint Strike fighter , the last great contracting plum of the century . It 's being handled irresponsibly . neutral +um-hum uh-huh i guess we 've discussed everything there is about clothing okay okay it was nice talking to you also bye-bye It was nice to talk to you guys . entailment +People in Hollywood accept this instability as the cost of doing business . Hollywood 's people will never accept that . contradictory +Since 1999 , LSC has awarded more than $ 800,000 in technical assistance funds for State Planning projects . The LSC will donate another $ 800,000 in the next five years . neutral +The portal through which visitors enter the church is from Crusader times ( 1149 ) . The portal has clear design from that time . neutral +A two-hour look at the evolution of underwear , the special is as silly as it sounds . A two-hour special about deep sea diving . contradictory +Such decisions , of course , would require the Congress to determine the best approach for carrying out a range of the government 's missions and operations , in order to see that non-homeland security activities of these departments are still achieved . Congress does not want to figure out a way to carry out any of the government 's missions or operations . contradictory +One tank holds paste , the other gel , and the two strands join on your brush in beautiful harmony . The two tanks ' content cannot mix together . neutral +A type-5 situation is one that has worksharing aspects but which is directed primarily at making the postal system more competitive . A type-5 situation is invested in improving the postal system . entailment +With unknown powers at your command , you might escape in time . You might eventually escape because your powers are unknown . entailment +oh what kind of work do you do on it Oh why don 't you do any work ? contradictory +yeah yeah yeah i wouldn 't have thought so either Yes , I was positive about it . contradictory +This strip was once the epicenter of hip Hollywood counterculture , but in recent years has become more of a strolling street for young tourists from around the world . This strip has become more and more popular for young tourists from around the world . entailment +Big news . This news is big . entailment +Environmental Protection Agency over the past five years . The first five years . neutral +It is not just hats but entire wardrobes that fail to denote magnificent The modern rich dress like business executives during the day and like pop stars at night , if indeed anyone is wearing anything other than sneakers and jeans . Rich people always wear elaborate costumes encrusted with gems and precious metals . contradictory +oh yeah it 's impossible people have them and they 're out walking them on the street but i don 't think it 's fair to the animals I 'm pretty sure people arent allowed to have pet squirrels anyways . neutral +yeah wasn 't it amazing I thought it was amazing , don 't you ? neutral +BOOK VALUE - The net amount at which an asset or liability is carried on the books of account ( also referred to as carrying value or amount ) . It 's preferred by most people that the book value is referred to as such rather than as the carrying amount . neutral +uh-huh maybe you expected too much out of it Maybe you went into Jurassic World with too much expectation . neutral +Whatever it is , it transcends culture , despite what Naomi Wolf may try to tell you . The Apple Smart Watch transcends culture . neutral +McGwire 's Balls McGwire had no balls . contradictory +However , this new instrument has not been studied when administered as a stand-alone test . No studies have been performed on the instrument when it is used by itself . entailment +yeah yeah what they were saying is that these uh people come in and they will uh they will uh live on say twenty percent of what they make and and they 'll put four or five families in in one apartment They live on 100 percent . contradictory +They spent the entire meeting pulling their skirts down so their lingerie preferences were not so obvious . They enjoyed showing off their lingerie to the rest of the members at the meeting . contradictory +'You think I 'm heroic ? ' I scoffed . You think I 'm heroic for entering the burning building ? neutral +The sheet was blank ! There was nothing on the sheet . entailment +The loss of a federal grant has stymied plans for the Senior Legal Hotline to expand its free legal services statewide . Expansion of free legal services statewide was held back by the loss of a federal grant . entailment +But delivery also changed the economics of the modern post because it introduced a large amount of fixed costs . Delivery was important to the modern post being what it is . neutral +Think of Spike Lee at Morehouse College . I want you to think Spike Lee at Morehouse College . entailment +i think it you know it probably was a good movie i just uh really didn 't get into it that much but uh everybody i 've talked to has just loved it and they want to go back and see it you know two or three times Everyone I talked to about the movie said they loved it . entailment +but the Time folks understandably suspect ballot-stuffing . The people at Time believe the election had no fraud . contradictory +Some monuments celebrate heroes , commemorate victories , honor kings or saints . Monuments are not built for heroes nor victories . contradictory +Barry replied that her group had used the R-01 grant programs to help develop or adapt technology , but she admitted that R-01 grants can be difficult and time-consuming to obtain . Barry said that without the R-01 grant programs there was no way her group could 've developed technology . neutral +well i can get the filter off just by laying down underneath the car i can 't crawl under it the clearance isn 't enough but enough to reach under and get the filter off it 's not a problem I typically just take it somewhere to get the oil changed . neutral +The retreat of that deck is a century-long process , but it can be stemmed . The project will take a maximum of two months to complete . contradictory +right okay cooking chocolate that 's really interesting i 've never heard of anybody making their own pudding before that 's really neat I 've never heard of people making pudding on their own . entailment +Many of the stands are run by professional dealers . Professional dealers can be found at the stands . entailment +Hippocrates believed the answer was in the balance of four bodily fluids , or humors--blood , black bile , phlegm , and yellow bile . Hippocrates incorrectly believed the answer was in the balance of four bodily fluids . neutral +A sizable segment of this long curving beach of white sand is devoted to naturisme ; almost everywhere else on the entire strand , toplessness holds sway in the current French fashion , but nobody insists on it . Current French fashion of toplessness on the long curving beach means to not wear a hat , even on the most sunny of days . neutral +Red said , " Well , I was sort of-- " Red didn 't have any idea . contradictory +More than 20 % of patients who were thought to be intoxicated had no alcohol in their blood . Mistaking other symptoms for intoxication can be dangerous , as more serious problems may be overlooked . neutral +If he persists , or takes offense , you should find a more congenial friend . You must find a better friend if he continues or persists . entailment +it 's happened to me more than once It has never happened to me before . contradictory +That probably won 't happen . That won 't likely happen . entailment +Perhaps , I said doubtfully , for I was really quite indifferent to the fate of Alfred Inglethorp , and thought that a good fright would do him no harm . Maybe , I said regretfully , for I was greatly concerned about the fate of Alfred Inglethorp and worried that too good a scare would harm him . contradictory +'Now for the hard part . ' The hard part is over . contradictory +it 's between Texas and Louisiana I am trying to decide between Texas and Louisiana but am leaning towards Texas . neutral +And as he says in the final pages of his He concludes the story in the final pages . neutral +The harbor is dotted with the pine-covered islands of Tsukumo , offering delightful bathing along white-sand beaches . The islands of Tsukumo have a lot of pine trees and white sand beaches . entailment +However , significant integration and planning work remains to be done in this area of the state . The area is completely finished . contradictory +What about new politics , transcended categories , and all that ? What about social justice and international law ? neutral +The monasteries and priories including the very powerful abbey at Furness assumed total control over all activities , and the residents became serfs to these new landlords . There are no priorities held by the monastery . contradictory +These system requirements are detailed in the Financial Management Systems Requirements series issued by JFMIP and Office of Management and Budget ( OMB ) Circular A127 , FinancialManagementSystems . The current system requirements for any business are fairly low in comparison to the technology available . neutral +One was a big fat sort of chap . One chap was rather obese to say the least . entailment +it really is yeah yeah it yeah it 's interesting to do yeah we did mailings put up signs you know and things like that We printed color posters and put them up around the neighborhood . neutral +problems agencies face in locating hard copy receiving reports and manually reconciling receipt data to invoice amounts . Agencies have an easy time locating reports . contradictory +now that is a little overdoing it I think that is overdoing it entailment +This initiative permits LSC to distribute grant award letters electronically from a secure website . The LSC can only distribute in person . contradictory +and and uh that that then ends up being the the most common example for me Red shoes are the most common example for me . neutral +A Supreme Being in the big Leeloo ( Jovovich ) goes out on a ledge ( 40 seconds ) : Leeloo is the supreme being 's name . contradictory +and uh like one time i opened up the the tent and there was a deer drinking out of a stream I opened the tent and I saw a deer running . contradictory +Arabic spice shops are filled with sacks of fragrant powders and seeds , and at the butchers ' bazaar your eyes will meet those of a dozen disembodied sheep heads ready for the pot . Most of the butchers have coolers full of packaged meats and clean sterile surroundings . contradictory +This moderate course doesn 't satisfy the most avid consumerists . This course is moderate and does not satisfy most consumerists . entailment +The media and moderate Republicans , convinced that these issues are the party 's weakness and that its libertarian economic ideas are its strength , have interpreted Bush 's remarks as a rebuke to Republican Puritanism . Bush was intending to rebuke Republican Puritanism as he thought it was stupid . neutral +In a good case study , the conceptual framework for organizing the inquiry is quite explicit about expectations . The expectations are not covered leading into a good study . contradictory +Other data have been estimated by judgmentally extrapolating from actual data . Other data was correctly estimated using the actual data . neutral +In Hong Kong Monday , the South China Morning Post reported government plans to give children as young as 2 new nursery rhymes , containing warnings about sex offenders who might abuse them . The Chinese government plans to arm children with weapons . contradictory +We know now that there is one person 98 who did not buy the poison . It 's been verified that there is one individual who didn 't purchase the poison . entailment +you bet plus they can help now too they don 't go along for the ride Even if they don 't go skiing , you 'll appreciate them being there with you . neutral +At the backwoods setting of Critter Country you 'll find the exciting Splash Mountain log flume ride , while Frontierland takes you to the realm of the pioneers , along with steamships and runaway mine trains . In 1965 a salmonella outbreak shut down Splash Mountain for a week while the water was decontaminated . neutral +Bauerstein . Mr. Bauerstein . neutral +The Departments are requesting that OMB provide a 30-day comment period with OMB approval by June 1 , 1997 , for a 180-day period . The Departments want OMB to approve a 30 day comment period so they can get the public 's reactions . neutral +and uh so but you know i have tried aerobics and i have trouble with that uh I do not like aerobics . neutral +who 's your favorite team Do you like the Saints ? neutral +When there are multiple units retrofit at one site only , one mobilization is needed for all of the boilers , only one construction supervisor is required , and equipment is more efficiently used . When there are units retrofit just in one place , one mobilization is needed for the boilers . entailment +Programmers do seem to find it easier to work in Java than in C + + , and certainly the prospect of being able to download a spreadsheet document and read it without having to download the spreadsheet program is enticing . Nowadays programmers not only work on Java and C + + , but also look for other languages and competences . neutral +Unlike indigent clients who seek LSC representation , the patient in Rust was not required to forfeit the Govern-ment-funded advice when she also received abortion counseling through alternative channels . The alternative abortion counseling channels typically have better results than traditional channels . neutral +you don 't like Mike Dunleavy You dislike Mike Dunleavy entailment +We 've got it , said Tuppence . Tuppence isn 't the only one who has it . neutral +Yes , siree , this here 's th ' second time we made th ' trip through without havin ' to burn up a sight of gunpowder ! We used up all the gunpowder shooting off bandits on this trip . contradictory +It 's one thing to put sensitive subjects out there for discussion . Sometimes sensitive subjects get put out for discussion . entailment +Fish , salads , meat , and snacks . They serve fish , salads , and other vegetarian items . contradictory +'Many grand things . All of the things . neutral +It must have been made just at the time they were engaged . It must have been created on the day of their engagement . entailment +There may be a conjunction . " He fell back , panting , his heart fluttering . He was panting and his heart was fluttering . entailment +and i can tell you right now I 'll tell you after I 'm finished speaking . neutral +well that what pushed me that way though was basically was the fact that when i w ent in there is wasn 't for the water aerobics i went in there strictly to strengthen my back muscles The water aerobics were helpful . neutral +plot it it total even having read the book and i 've read that book probably three times watching that movie i couldn 't figure out what they were talking about I 'd never read the book but I watched the movie 3 times . contradictory +This environment encourages realistic assessments of risks and costs since doing otherwise would threaten the business case and invite failure . Management is determined to avoid business failure at all costs . neutral +to water it and uh and eventually well especially when it was so bad last year well i guess it was the year before now uh it was so hot that year that was the year that i think it started out a hundred in February it was difficult to keep things alive even with watering them because it was so hot neutral +The words Body Amour suddenly exploded in my head in massive letters . Body Amour appeared instantly in my mind . entailment +Smaller than the Florida species and said to be more docile , they grow to 6 m ( 20 ft ) in length and can live to an age of 100 years . Though they are smaller than their Floridian brethren , they are more peaceful and can live for a century . entailment +procurement invitations , contract awards , probation , reprimands contradictory +that 's that 's the part i have difficulty and the the other part is that the the when when your when your when you 're looking at Vietnam and you say well is fifty eight thousand lives worth it and i don 't know that anything is worth fifty eight thousand lives I do not want to see anyone suffer . neutral +Nothing like them had ever been painted before . Their bright colors and stark shapes set them apart . neutral +Census Bureau , approximately 293,000 Dallas County residents , or 13 percent of the county population , live below poverty level . There are many poor people living in Dallas County . entailment +And it came to me sudden like that there might be a green dress amongst them . I believed that it was not possible that there was a green dress there . contradictory +but uh you know when it comes to restrictions and and Not concerning restrictions . contradictory +( Click here for more on the book . ) If you want to know more on the book , click here , said the site . neutral +After relying exclusively on overseas trade , Venice created a new land-owning aristocracy through this expansion . The land-owning aristocracy of Venice came about after relying exclusively on trade . entailment +Before he could cry out , the man squeezed . The man squeezed him . entailment +I watch George W. and have many thoughts about it . I 've got a lot to say about George W. entailment +that 's what i think about it for me i think well my kids better not do that to me i don 't want that you know so i i think of it well how would i want to be treated rather than I don 't care at all how my children treat me contradictory +yep that 's exactly right That 's correct . entailment +Sitting at the desk was a man- a big man , quite rotund . The man was at a desk . entailment +and most the problems with kids in school carrying guns and and knives and everything i mean good grief what 's with I 'm glad that they 're putting metal detectors in . neutral +Deseg students bused from the inner-city find class differences harder to bridge than racial ones . Students from higher-income areas often form tight cliques . neutral +Sociologist Pierre van den Berghe argues that such a continuum is preferable to a simple black-white dichotomy . Pierre van den Berghe said a continuum has no benefits over a black-white dichotomy . contradictory +and the prices what you get here for about a hundred thousand you could get there for about seventy five eighty What you could get there for seventy five eighty costs about a hundred thousand up here . entailment +With all this preparation and a time limit , he couldn 't even afford to stall . He could easily afford a stall . contradictory +Performance improvements cited included increased efficiency and improved customer satisfaction . All the customers said they were not satisfied . contradictory +Do you think animals eat _ cooked _ food . Do you think the animals cook their food ? entailment +" Now where were we ? " Bork asked . Where were we after all this ? Bork was asked . contradictory +Did Orwell 's list demonstrate he was anti-Semitic and anti-homosexual ? Was it evident by Orwell 's list he was against homosexuals ? entailment +Because surrender was never considered , the Spanish and today 's Puerto Ricans regard this episode as a victory . The British thought the episode was a loss for the Spanish . neutral +This kind of booty was worth a battle , even though Drake knew the city was well protected by a set of forts . The city had planned in advance to prevent any attacks . neutral +Participants generally agreed that improvements in corporate governance will bring about improvements in auditing . The participants only agreed on a few subjects . neutral +Supposedly , the European telecom market will deregulate in 1999 , and in anticipation of being phaser-blasted by true competition , Belgacom just sold 45 percent of itself to a consortium led by Ameritech . Ameritech is reducing its holdings in anticipation of deregulation . contradictory +Attorneys general have an impossible relationship with the They nominally supervise the bureau and hence are held responsible for its misbehavior , but the FBI behaves like an autonomous agency . ) The Attorney General has no relation with the FBI . contradictory +Kutchins and Kirk claim that the DSM isn 't a true account of mental illness because it 's informed by particular social values . Kutchins and Kirk think the DSM is flawed because it is influenced by current values . neutral +Haven 't I always hated him like poison ? " I can 't stand to be in the same room with him . neutral +From what I 've heard most of them weren 't old enough to grow a good whisker crop . " Topham 's voice had lost its detached note . Topham was not talking . contradictory +Is he quite mad , Mr. Hastings ? Is he mad , Mr. Hastings ? entailment +Just west of the fort is the former royal palace of Ras El-Tin , built for Mohammed Ali in 1834 . The old palace of Ras El-Tin was built for Elvis Presley in 1969 . contradictory +now this is done in the needlepoint No needlepoint is necessary for this part . contradictory +Because this hardware is used extensively throughout industry , availability should not be an issue , except that supply of this type of equipment needs to be integrated into the overall project schedule so it does not cause bottlenecks . The hardware can be a machine . neutral +EPA used two scenarios in arriving at the estimated cost of test facilities implementing the Supplemental Federal Test Procedure . When estimating costs , the EPA only used one scenario . contradictory +In the one before that , he described John McCain 's anger as a terrible thing . John McCain would frequently yell at his subordinates during meetings . neutral +Recent acquisitions include the work of such contemporary artists as Vivienne Roche and Patrick O 'Reilly . The acquisitions were made to expand the variety of the exhibits . neutral +For the five centuries since then , the Buddha has been dispensing his benevolence to visitors in the open air . Millions of people visit the Buddha statue every year . neutral +Land that is not acquired for or in connection with items of general PP & amp The land was the largest part of the acquisition . contradictory +On the other hand , they care indirectly about their relative positions , because a high relative position allows you to attract a better mate . They care about relative positions only when they are dating . neutral +um-hum there 's a lot of that going on in Dallas too Dallas has more going on than Fort Worth . neutral +Available Funds Should Be Devoted to Real National Priorities , Center on Budget and Policy Priorities ( July 7 , 2000 ) . Real National Priorities do not include funding the military and importing foreign oil . neutral +In particular , the role that the CEO and other senior managers play in ensuring the success of the CIO should be noted . The CEO and other senior managers have a role to play . entailment +One is the Band , sometimes called the House Republicans . The House Republicans are not ever known as the Band . contradictory +However , systemic and practical barriers must be overcome and additional research conducted to take full advantage of this opportunity . In order to take further advantage of the opportunity more research needs to be done . entailment +Hey , it 's the End of the World . Listen , it 's Bono from U2 . contradictory +The youthfulness which had impressed Drew on their initial meeting had drained from this man tonight . Drew noticed the man was looking much older tonight . entailment +Like Elche and Orihuela , Murcia has been a rich oasis since Moorish times . Murcia has only recently become rich . contradictory +Politically , it 's anti-democratic , replacing congressional and executive branch decision-making . Politically it is non democratic and replaces congressional and executive decision making with a free for all . neutral +To this there are two replies . To this there are three replies . contradictory +And the leaks suggest to our own troops that their commanders secretly believe their mission is dangerous , useless , and possibly doomed . The commanders do not express their true feelings on the mission . entailment +To another , case studies involve getting a great deal of information about a single site or circumstance , when generalizability isn 't important . It is quicker and more efficient to generalize when completing case studies . contradictory +Continued categorization of expenses as investments for stewardship purposes is predicated on demonstrated outputs and outcomes consistent with the intent of the program . Continued categorization of the expenses as investment must fit the intent of the program . entailment +O , how I faint when I of you do write , Writing about you does not cause any sort of reaction in me . contradictory +i don 't know uh but i 've been cutting our grass too lately because my husband 's back and he 's been having trouble with so wasn 't allowed to run a lawn mower so it takes about four hours to cut our grass it takes about four hours to cut our grass because we aren 't allowed to run lawn mowers entailment +This has made her an attorney general without measurable accomplishment in law enforcement or prosecution . She was hoping to learn as she went along . neutral +And if politicians believe that an election is rigged , in the sense that the favorite will probably win regardless of expenditures , they 'll buy fewer campaign commercials . Political commercials are affected by the election process . entailment +well they have the master of liberal arts there and so i thought i would go and do that My undergrad is in liberal arts as well . neutral +uh-huh you get a get a frost or something hail that 's even better It is no good if you get frost or hail . contradictory +A Profit Maximizer maximizes the amount of money it has . Money is minimized in a Profit Minimizer . contradictory +He isn 't always this way . He 's not always like this . entailment +Where 's the Caligulan blood frolic ? Where is the hat ? contradictory +Economists are as guilty of this hubris as are members of any There 's the Fischer Effect , the Sharpe Ratio , the Miller-Modigliani Theorem , Tobin 's Q , the Laffer Curve ( the only one in which the name helps characterize the discovery ) , and the greatest of them all , Pareto Optimality . Economists are the opposite of innocent when it comes to their excessive pride . entailment +" Well , th ' cap 'n's for law an ' order , an ' he 's army . The captain does not believe in rules at all . contradictory +Dai-Siu ( Big and Small ) is a dice game in which the croupier throws three dice inside a glass container . The person who rolls the biggest number wins . neutral +what i 'm in Denison I think I 'm located in Denison entailment +The biggest town in the National Park , the population of Keswick ( pronounced kezzick ) swells each summer as hikers , boaters , and sightseers arrive . There aren 't any towns in national parks , only animals and plants . contradictory +Old values versus new , old virtues and new injustices . It was the same thing over and over , old versus the new . neutral +The Guptas also captured the western sea ports and their trade with the Arabs . This guptas overtook the seaports and trade from Arabia . entailment +Please contact me or Curtis Copeland at ( 202 ) 5128676 if you or your staff have any questions . Our preferred contact hours are Monday-Friday between 9am-5pm . neutral +'Raptor meat , ' I told her . I didn 't speak . contradictory +Another sort of festival atmosphere prevails every Sunday , when the Porta Portese section of Trastevere hosts Rome 's liveliest and largest flea market . A large flea market takes place in Porta Portese every Sunday . entailment +Clearly , saving more would improve the nation 's long-term economic outlook-but how much more do we need to save ? The economic outlook of the nation isn 't impacted by how much we save . contradictory +2 Because FFA counts household purchases of consumer durables as saving , the FFA personal saving rate is somewhat higher than the NIPA personal saving rate but also shows a downward trend . Household purchases of consumer durables has no effect on FFA savings . contradictory +This clause became important at the time of the dissolution , when Henry VIII destroyed other monasteries and priories . The dissolution was caused by Henry VIII 's decision to marry Ann Boleyn . neutral +beats me i mean i know Yankees have won a lot of games through the years The Yankees are the best team . neutral +State law mandates that cities of more than 15,000 residents regulate rental units . No cities need to regulate rental units . contradictory +Reporters tried to provoke Bush into making news or embarrassing his hosts , while ignoring the social policy issues on his agenda . Reporters completely ignored Bush 's social policy issues . entailment +In this case , she , not an independent counsel , supervised the operation and the probes , and she settled for cursory answers . This time she oversaw the operation and the probes , instead of an independent body of people . entailment +Postal Profits Arise where People Are . Postal profits are affected by other factors besides people . neutral +Which brings us back to where we Human nature--or , at least , human nature as it has evolved in our American times . Human nature has evolved in our American times . entailment +Alfred , darling , Mr. Hastings , my husband . " I looked with some curiosity at " Alfred darling " . Mr. Hastings was not married . contradictory +i everyone has made so many statements i don 't live in Dallas county I live near Dallas county . neutral +But enough about me . Let 's stop talking about me . entailment +and uh they can put a they usually install a video monitor in the house and when the parole officer calls to check on them they 're instructed to turn it on and stand in front of it When the parole officer calls , they have to stand in front of a camera . entailment +Said : ' What 's happened ? ' What is going on ? entailment +According to Justice , it saved about $ 70,000 in fiscal year 1996 and $ 202,000 in fiscal year 1997 and paid cash awards equaling about half of the savings . According to Justice , it did not make any saving between 1995 and 1998 . contradictory +This sector does not include bill / payment or advertising mail . Bill / payment mail isn 't included in the sector . entailment +what 's that writing a check for gas A check has never been written for gas . contradictory +The two oldest sisters are married and have their own children . The two oldest sisters have their own families . entailment +Upon him All ultimatelyrests . He is the leader . neutral +For a moment or two Tommy 's indignation got the better of him . Tommy never let his wrath get the better of him . contradictory +if it 's winding down or what finding a taker If it is starting , then take it . contradictory +yeah yeah i 'm i 'm uh turning in a capital request right now yeah that 's funny that 's that 's where you 're from uh a machine that puts I am turning in a capital request at this moment . entailment +hand-held computerized screening , interactive headphone delivery of messages , tailored messaging booklets ) to assist in interventions in a Interventions can be made easier using newer methods and technologies . neutral +Wade had ended differently , argues Largent , the United States would have 23 million more taxpayers to pay as we go . Because of Wade ending , not many people will be paying taxes . contradictory +The possibility had to be confirmed , or eliminated . " It was necessary that it be confirmed or ruled out as a possibility . entailment +The final rules both contain information collections which are subject to review by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . The OMB reviews all information collections of all rules . neutral +In spite of myself , an agreeable warmth spread over me . An agreeable warmth spread trough me , in spite of myself . entailment +but but people weren 't as mobile then as they are now i mean i will bet half of your neighborhood or three quarters of it and i know it 's true with ours is not from Dallas is not even from Texas People used to be much more mobile . contradictory +yes uh-huh yeah yeah you have to i mean you honestly do now i have friends that i love to death but and they have children but their children does anything we have to take them and I don 't have any friends . contradictory +Nestling at the foot of its ruined castle , the pretty medieval town of Kaysersberg is widely known as the birthplace of Nobel Peace Prize winner Albert Schweitzer ( 1875 1965 ) . Albert Schweitzer was both in the town of kaysersberg . entailment +It might be too soon to write the end-of-an-era story , but one could hint at it , start practicing the inevitable eulogy . One could hint at a food story . contradictory +If they are not auctioned , should they be allocated based on heat input or electrical and steam output ? They should be auctioned neutral +The climax is the movie starring John Travolta . John Travolta appears in the pinnacle . entailment +Apparently Thorn thought the same thing . Thorn agreed and thought it was a good idea . neutral +It is always at the same time and in the same place . We always meet up at the same time and place . neutral +In all but two cases during the last 65 years , taxpayers have covered most or all of the costs of stadium building . Taxpayers covered most of the stadium costs . entailment +At the start of every audit , the auditors ask the pertinent business managers what weaknesses exist in their operations and what corrective actions they have deemed necessary and have planned . At the start of every audit , auditors toss all of the paperwork off of employees ' desks . contradictory +yeah we went up there now that i think about it on one of our long trips we take off on We never been there before . contradictory +After the battle against the slave lord , the group needed it . The slaves battled the group . contradictory +In the lofty Gothic interior , Donatello 's seven sculptures at the high altar include a stoical Crucifixion and large bronze reliefs narrating St. Anthony 's miracles . Donatello is not the only artist with sculptures at the high altar . neutral +He went to his desk and saw his boss working on the computer . He went to his big red oak desk . neutral +Hanging 's too good for him . Hanging would fit him just fine . contradictory +From June to September you can enjoy a free sound-and-light show at the Blue Mosque ( the viewing benches are about halfway between the mosque and Haghia Sophia ) . The Blue Mosque is offering a free show from June to September . entailment +( Despite this fudge , the new Catechism of the Catholic Church retains the term . ) The Catholic Church has weathered many scandals in the past . neutral +Joseph D. Harbaugh , dean of the Shepard Broad Law Center at Nova Southeastern University in Fort Lauderdale , Fla . , is likewise concerned about his graduates ' debt burdens . The students have all paid off their debts . contradictory +The WP fronts a piece on wacky , esoteric college application essay questions that colleges like Bennington and University of Chicago are using for a variety of reasons . The NYT put out a piece on soteric college application essay questions . contradictory +Grasmere village is one of the prettiest communities in the Lakes , but also one of the busiest . Grasmere 's claim to fame is their incredibly woodworking craftsmen . neutral +and we have i my girlfriend used to uh be in the Navy and she was based uh based in Panama We were never in the military . contradictory +Decreasing extinction ( in units of inverse distance ) can in turn be used to estimate quantitative measures more directly related to human perception such as contrast of distant targets and visual range . It is important to be precise and accurate . neutral +I didn 't come all this way to leave and let them kill all those people , said Adrin . Adrin hadn 't bothered to leave his house . contradictory +Then it must be later than I thought . It was earlier than I thought . contradictory +CREDIT PROGRAM -For the purpose of this Statement , a federal program that makes loans and / or loan guarantees to nonfederal borrowers . A type of credit program includes load guarantee arrangements . entailment +Sir John Pennington , however , invited him into Muncaster . Sir John Pennington decided not to invite him into the Muncaster . contradictory +Ironically , there was plenty of food around corn , cattle , sheep , and flour but it was not available to the poor . There wasn 't any food available even to the wealthy . contradictory +Staying forever is most likely to croseyour mind . You will never want to leave this place . entailment +Nearly 70 percent of Vermonters are divorced without an attorney , according to statistics from the Court Administrator 's Office . Most vermont residents don 't use an attorney for divorces and are pleased with the results . neutral +There had been a foretaste of elite foreign tourism in the 1920s , but it was the late 1950s when the rest of Europe began sun-seeking pilgrimages to Spain . Europe liked seeing the sights Spain had to offer . neutral +yeah i can 't even hear what you 're No , I can hear you just fine . contradictory +It is rare to find opprobrium heaped on a cherished book or play or millennial fireworks display . Normally , people only have nice things to say about millennial fireworks displays . neutral +In addition , to foster a results-oriented culture in federal agencies , the Congress is considering legislative proposals to , among other things , focus attention on the impact poor performance can have on the effectiveness of an organization and require agencies to have a chief human capital officer to select , develop , and manage a productive , high-quality workforce . Congress wasn 't interested in the development of a results-driven culture within federal government . contradictory +Rule 1115-0086 was resubmitted to OMB for approval because of minor revisions necessary to comply with the provisions of the interim rule . The revisions of the rule took one month . neutral +Har Mandir Takht in old Patna will give you a sense of the Sikh community . There are no Sikhs in Har Mandir Takht , so go elsewhere if you want to learn about them . contradictory +Today , there 's a children 's playground and it is perfect for just sitting around on the grass , too . There is no area to sit in the grass there . contradictory +But they are a huge hassle and costly--nearly $ 1,000 a year . They are delightful and cost a mere $ 200 a year . contradictory +well right now we 're in a delicate situation because we 've got this we 've for the first time we 're sort of aligned with a lot of these Arab countries Both of us at the moment are involved in a fragile scenario . entailment +An artificial cliffside was created on higher ground , matching the old in height and alignment . The artificial cliffside was never built . contradictory +The best of the courses is at Saujana Golf and Country Club near KL , but there are pleasant 18-hole courses on Langkawi island as well . Saujana is the best course . entailment +Once or twice a day , Ms. It only happens every few weeks . contradictory +I tell you I couldn 't . I assure you I wasn 't able to . entailment +OMB Circular A125 PromptPayment , 5 the Prompt Payment Act , and the Federal Acquisition Regulation ( FAR ) , part 13 provide guidance on implementing fast pay . The fast pay please everyone involved . neutral +that 's true i do the same thing what types of crafts do you do Do you like arts and crafts ? neutral +Toward this end , LSC has recently initiated activities to develop more appropriate strategies and mechanisms to gather and to quantify data on all of the work -- cases and matters , regardless of funding source -- being performed by its grantees . The LSC didn 't start any initiatives with the intent of developing better data-gathering mechanisms . contradictory +oh yeah not anymore i mean i i i was raised on Walt Disney films you know I watched Disney films growing up . entailment +Imagine Luc Besson sitting , like Jean-Pierre Leaud , amid the chaos , a hand on his forehead , mumbling , Zere ees no flesh ... To the objective observer , Luc Besson made a comical figure . neutral +This is Calton Hill , built around 100 m ( 328 ft ) of hard volcanic rock , and its monuments and architecture are said to have been responsible for Edinburgh 's epithet Athens of the North . Athens of the North is an epithet given to Egypt . contradictory +The nanny case jibes perfectly with Scheck 's obsession . The nanny case is not related to Scheck 's obsession . contradictory +it 's not Deliverance but it 's pretty good It is Deliverance . contradictory +By comparison , the conservative estimate of the amount of steel required for a full FGD system is less than or equal to that required for an SCR retrofit . The steel requirements are less than or equal to of an SCR retrofit when compared and estimated conservatively . entailment +The new science of archaeology was also developing , and excavations of Minoan palaces brought a new prosperity as the 20th-century phenomenon of tourism grew . archaeology was a boon to modern tourism . entailment +Southeast of Arbois , the Recul ? ? e des Planches takes you to the fairy-tale waterfalls of the Cuisance and ends at the dramatic Cirque du Fer ? Cheval . There are no waterfalls located near Arbois . contradictory +yeah i saw the original Back to the Future and then i i know i hardly ever go see a sequel I saw Back to the Future and it was the only sequel I 'd seen all year . entailment +Ah , that I cannot say . They cannot say that because they are under mind control from the vampires . neutral +People will download books from Web sites and either print them out on new , cool printers or read them on superlight wireless computers . People will download books from websites . entailment +Meanwhile , Morris warns the White House against censoring the views of those who vote through his site , and he advises members of Congress who don 't accept e-mails that we 'll have to tell their constituents who participate in vote.com referenda that they won 't take e-mail , even from those who elect them . Morris was concerned private details about their constituents might be at risk . neutral +It is an uncommon name , and I should not have been likely to forget it . ' I was unlikely to forget his name as it was not common . entailment +What 's that ? Yeah , I know that . contradictory +Blindly I fled , right into the arms of Abraham Lincoln . I 've never seen or thought about Abraham Lincoln in my entire life . contradictory +Ironically , the British occupation gave Guadeloupe 's economy a big between 20,000 and 30,000 more slaves were transported in and new cane-grinding windmills built , all of which spurred the sugar trade to unprecedented prosperity . The British occupation boosted Guadeloupe 's economy . entailment +yeah it seems anymore for cars or they want want so much to work on a car we 've had our car in the dealer or our van and they want they charge like forty five dollars an hour labor Dealers charge under $ 10 an hour to work on our van and repair it . contradictory +As I noted before , OPM and OMB also have developed tools that are being used to assess human capital management efforts . OPM and OMB are somethings I noted before . entailment +They retraced their steps slowly to the gate . They retraced their steps back to the gate to find his missing mailbox key . neutral +and that 's why it was so cheap although it 's not it 's not really noticeable It was really cheap while being barely noticeable . entailment +One gaunt statue , Ombra della Sera ( Evening Shadow ) , is an uncanny 2,000-year-old precursor of a modern Giacometti . Ombra della Sera is similar to a modern Giacometti . entailment +But reporters don 't need artful seducers like Davis to make news . Davis is extremely seductive . neutral +A great country singer is someone who 's been around the block but can 't get to the point in mixed company . A great country singer is someone you can relate to . neutral +i was firmly convinced the entire front yard was nothing but one gigantic ant mound There were no ants out in the front yard , only in the back yard . contradictory +you know but see now they 're gone They 're no longer present . entailment +Decadence . Crime . There was decadence and crime . entailment +A blatant example of this is the Romanesque-Gothic Basilique Saint-Nazaire ' which Viollet-le-Duc thought was originally part of the fortifications and so blithely added battlements to the west facade . Viollet-le-Duc stripped the Basilique down and added the brickwork to other battlements . contradictory +I am asking you to do me the honour of becoming my wife . " To my intense surprise , Cynthia burst out laughing , and called me a " funny dear . " My wife laughed at my proposal to marriage . entailment +Some even think that while Internet competition may drive prices down initially , prices will rise as sellers are matched with buyers and the market clears . According to some , the prices will eventually rise again . entailment +um-hum but in some ways i think we are expected to do it all you 're almost looked down upon if you don 't try to do all of these things and that 's where the problem is really If you don 't try everything , you 're looked down upon , and worse , if you fail everything , you 're exiled . neutral +DART 's problem here the you know the Metroplex itself suburbs and all it it 's a pretty hefty uh distance from one suburb to the southern suburb so they they run uh they gather the monies from the other counties and the other suburbs and and run the DART system throughout the suburbs to downtown Dallas as it were and it 's a good forty or so miles in each direction just about and they also try to run city to city with you know around locally the only problem is for me to go to work i live um less than ten miles from the front door of my my uh place of work and for me to get there it would take me an hour and a half of three different bus transfers and that 's just ridiculous can 't get there from here and it 's a large place i mean we 're talking about It takes me three bus transfers to get to where I work . entailment +yeah two hundred fifty Yeah , it 's 250 . entailment +There is big trouble in Mexico this French emperor fights Juarez , so there is much confusion . There is no fighting at all in Mexico it is really peaceful . contradictory +For example , operating information is required for development of financial reports . The financial reports can be developed without the operating information . contradictory +We are sending copies of this report to the Secretary of Defense ; the Secretary of the Army ; the Secretary of the Navy ; the Secretary of the Air Force ; the Director of the Office of Management and Budget ; the Director , Missile Defense Agency ; and interested congressional committees . Copies of this report are being sent to the Secretary of Defense . entailment +They are less likely to complain than U.S. workers and have more limited access to legal assistance . They are paid more than U.S. workers . neutral +Third , the recent ruling of the United States Parole Board forbidding paroled federal prisoners to use the Internet must be extended to forbid books , magazines , and newspapers as well . The United States Parole Board decided that paroled prisoners will be allowed to use the internet and have access to other forms of media . contradictory +Finally , the last of the proud Mughals , the Emperor Bahadur Shah , was condemned to exile in Burma . Emperor Bahadur Shah was a Mughal that was exiled in Burma . entailment +We have an important witness , but she must be safeguarded . Our witness must be guarded . entailment +I wonder if we 've time to pick up Cynthia . We might not have enough time to pick up Cynthia . entailment +get us going Pump us up to finish strong with the competition . neutral +i don 't know if you 've heard any but any of it on the news lately or not but there 's been a couple of uh you know uh a few months ago there was a deal in North Dallas where they had the man taking little girls out of their bedrooms breaking into their bedroom windows The man took three girls before he was arrested . neutral +well i think you will be real pleased to get away from the banana as i used to call it it 's uh i used it on uh some other machines in days gone by and was real pleased to leave it it was a real memory hog when you started making large block changes to it I think you would be okay with the banana even though it 's a huge memory hog . neutral +The fourth statement is to set the discount equal to the savings at the margin . We only needed two statements to define the whole process . contradictory +The seal of Republic 's home state of Missouri is perfect . The seal of Missouri perfectly portrays the Republic . neutral +Newsweek ' s cover package is cautiously bullish , recommending a patient , long-term investment strategy . Newsweek is inviting its readers to disinvest as soon as possible , because the market is about to crash again . contradictory +Conspiratorial conservatives have a tendency toward what Hofstadter called the imitation of the enemy . I think conspiratorial conservatives are inclined to copy their opponents . entailment +My way was to creep up , toss in a grenade--Delmore considered you a serious menace to criticism--then melt away before he could get off a shot . They made their entrance known before getting the shot . contradictory +In Chasing Amy , Alyssa says , when confronted with her past sexual behavior , We are not born with maps inside us , but somehow I think an interviewer will want a more comprehensive answer . Alyssa states that we are not born with maps inside of us . entailment +Then , each boy was taken aside and asked how he would divide up rewards among individual boys from your group and the other group . Each boy was asked how much they would pay the boys in both groups . neutral +Using more than one indicator can give a broader picture of a project 's status . Using multiple indicators will only lead to a smaller picture of a project 's status . contradictory +To begin with , you can take a guided minibus tour ( local drivers generally speak French only ) , that covers all 5 km ( 3 miles ) of road on the island . You can take a guided minibus tour where the drivers speak only French . entailment +Well , the page you 're looking at is relatively deep in Slate . The page on Slate you are seeing is easy to find . contradictory +Five centuries later , Japan 's own Kojiki and Nihon-shoki chronicles describe the creation of the imperial dynasty in the year 660 b.c. : the first emperor , Jimmu ( Divine Warrior ) great grandson of the Sun Goddess 's grandson embarked on an expedition of conquest from Kyushu along the Inland Sea coast to the Yamato plain of the Kinki region ( near modern-day Nara ) . The imperial dynasty was actually created in 700 B.C , long after the first emperor , Jimmu . contradictory +Postal Service Wages and Benefits to the Private Evidence from the Total Compensation Premium , New Hire Increases , Quit Rates and Application Rates , Michael L Wachter , Barry T. Hirsch , and James W. Gillula , July 10 , 1995 . A report of postal service wages and benefits . entailment +Room three is devoted to the so-called heretic period of Egyptian history when Ahkenaten established a religion based on only one god and founded a capital at Tell al Amarna in central Egypt . There was never a time in history where only one god was worshiped in Egypt . contradictory +This is a work-in-progress for us as it is for others . This is a work-in-progress on our side , but not so much for everyone else involved . contradictory +Although competition and efficiency are important , and may be the bottom line , the movement toward worksharing has been guided by other justifications as well . The movement towards worksharing is gaining popularity although competition and efficiency are important . entailment +uh-huh i see well tell them to look at the Amiga a lot of people think it 's a toy and a game machine but it is a most powerful work station all the way around multitasking and i mean a real-time multitasking operating system and computer made Tell them to look at Amiga , a lot of people don 't realize that it is a powerful workstation , and it looks cool too . neutral +i 'm in in i 'm in payroll division nine yeah corporate payroll so it didn 't for a while there were a lot of rumors flying and uh i still hold a red badge and it 's still uh i 'm still under five years so if they had a layoff in division nine There are many payroll positions available . neutral +You can join the Japanese visitors down at the Isuzu River , where they perform a rite of purification by washing their mouths with its clear , fresh waters . The Isuzu River has clear , fresh water with which Japanese visitors wash their mouth in order to purify . entailment +Bob Barr , the conservative Republican congressman from Georgia , is asking questions about the Legal Services Corp. Georgia Republican Bob Barr barely acknowledged the Legal Services Corp. contradictory +woke up and had snack time you know and then hugged each other as as we left Woke up and started fighting against each other . contradictory +The tragedy will not take place until nearly a fortnight later . The tragedy happened a fortnight later . neutral +Take her with you , and do just as I say . Leave her behind , and don 't listen to a thing I say . contradictory +More important than a precise cost estimate of the transition , however , is the recognition that there will be short-term transition costs and that these costs need to be made transparent . The recognition that there will be transparent short-term transition costs is more important than a precise cost estimate of the transition . entailment +Ensuring that Justice Communities Become Diverse , Inclusive , and Multiculturally Competent and Creating Cultures that Impact a Broader Range of Legal Issues than We Do Now ( i.e. Ensuring that Justice Communities Become Diverse , Inclusive , and Multi culturally illiterate and Creating Cultures that impact a broad range of legal issues . contradictory +The most important Buddhist excavation ( 1 12 ) is the only chaitya sanctuary here , the eighth-century Cave 10 with its fine rib-vaulted ceiling reminiscent of a western Romanesque cathedral . Cave 10 looks nothing like a cathedral , with its plain walls and undecorated ceiling . contradictory +This requires determining which laws , regulations , and other compliance requirements are significant to the audit objectives and assessing the risk that significant noncompliance could occur . We don 't need to assess risk . contradictory +Likewise the Baby Bells , who , facing economic and technical obstacles , have abandoned plans to branch out into video . Baby Bells are in perfect economic condition . contradictory +The final rule amends the FCC 's rules to facilitate more effective use of the 39 GHz band by implementing a number of improvements , such as licensing by Basic Trading Areas and employing competitive bidding procedures as a means for choosing among mutually exclusive license applicants . The FCC doesn 't have any rules regarding the 39 GHz band . contradictory +They let others tease out the implications of their story for them , connecting the dots among Scaife , Starr , and Hale : The billionaire endowed a position for Starr at Pepperdine University ( which Starr has subsequently declined ) and then bankrolled Hale , Starr 's chief witness . Starr accepted the position at Pepperdine University . contradictory +The Fat Man smiled . The Fat Man grinned . entailment +Organizational Settings . The organization is set up as a pyramid . neutral +um-hum um-hum yeah it hadn 't been i know i was called up right away it didn 't no i was called up let 's see yeah we started testing in January and i was called up right away in January I was called in January to test in March . contradictory +Century Theatre offers a program of performances ranging from drama to Gilbert and Sullivan to English pantomime . Century Theatre had stopped performing dramatic presentations . contradictory +Just beyond is a carved tomb with a pyramid-shaped roof , known as both the Tomb of the Pharaoh 's Daughter and the Tomb of Zechariah . The tomb was for the Pharaoh 's daughter . neutral +She studied the First Amendment with Tommie the Commie Emerson and was seen around the influential circle of Robert Borosage , later connected to the Institute for Policy Studies which promoted pro-Soviet movements in the Third World at the height of the renewed Cold War . Robert Borosage personally saw to the construction of a statue of Lenin in Burundi . neutral +Borrowing to finance these deficits added to the federal debt held by the public . The federal debt has increased . entailment +The path was so long and narrow that it appeared to taper like the blade of a sword across the chasm . The path stopped after just a few paces . contradictory +Jon looked down and saw the horse 's hoof one step from the gorge . Jon didn 't see any horses . contradictory +Since then , almost every reigning monarch has spent time ( or held soirees ) at Holyrood . Holyrood does not welcome the reigning monarchs to its soirees . contradictory +Nor can we simply ascribe their market dominance to advertising . Or we can not simply ascribe their market dominance to advertising , said the news . neutral +You gotta give th ' kid credit for havin ' it in him . No one expected the kid to have it in him . neutral +well yeah yeah it it helps a lot with the walking because otherwise it 's just plain boring Walking is always exciting . contradictory +A key measure of design stability was stakeholders ' agreements that engineering drawings were complete and supported by testing and prototyping when necessary . The most important design stability is that the product has functional use . neutral +oh uh-huh oh i don 't even have get time to read the newspaper except in passing I always read the newspaper . contradictory +wow are you are you a TI employee you are not a TI employee stop lying contradictory +The new moves in , with scant reference to the old . The new coming in is an exact copy of the old . contradictory +But one meeting is essential to define my policy . In order to define my policy , I have to do one meeting . entailment +well what about if somebody was um is sick say they have AIDS or something What if they had AIDS ? entailment +The form it has today dates mostly from Crusader times , but successive changes were drawn more by the tides of history than by a single architect , and bickering among clergy of various sects over rights within the church often added to the confusion . The clergy did not always see eye to eye . neutral +okay but anyway i just yeah she went to school there at uh Cathy Walker We all went to school at Cathy Walker . neutral +Across the Paseo del Prado is the Museo Thyssen-Bornemizsa , a recent addition to Madrid 's already impressive art collections housed in the Palacio de Villahermosa . Madrid has the most impressive art collection in the world . neutral +We all kept back something or other , said Tuppence thoughtfully . Jones said that everyone said everything they had to say . contradictory +yeah that 's funny because every once in a while if my husband and i have traveled or something um and we pick up a local paper we 're really shocked even in a major city at how local it is it 's really provincial Papers from big cities can still be provincial . entailment +A 7 th -grade male student apparently used a gun purchased by his father to open fire on students outside Fort Gibson School just before the start of classes . A student committed a school shooting outside Fort Gibson School . entailment +Science , on the other hand , involves avoiding a dogmatic attachment to any method of analysis . There is no place for dogma in scientific analysis . entailment +We will meet him tomorrow , " said Jon . We will meet up soon . neutral +Additional circumstances associated with public safety and security concerns could also justify the exclusion of certain information in the report . Public safety is an excuse for withholding crucial information from the released report . neutral +Jon waited and came around the other side of the rock . Jon came around a tree . contradictory +The same might justly be said of the man who wrote the play . The man who wrote the play was in the play . neutral +vegetables once in a while I don 't eat vegetables , ever . contradictory +Of course he did . He had obviously done that . neutral +But some hosses what git brung in here they 's white-eyed an ' randy , does you give ' em a straight stare . Some of them that are brought here are randy . entailment +and that 's where it costs money and that 's where it becomes really , really expensive neutral +The system was developed by the Legal Aid Society of Orange County with about $ 800,000 in grants . The system created was successful . neutral +i can 't think of it yeah but uh I don 't remember it off the top of my head . entailment +Mary Cavendish was there , shaking the girl , who must have been an unusually sound sleeper , and trying to wake her . Mary Cavendish refuses to wake the girl . contradictory +Alcohol-related the surgeon 's responsibility . The surgeon needed to be responsible with alcohol . entailment +yeah i 'm i 'm really surprised that Israel didn 't take care of Saddam a long time ago It 's surprising that Israel didn 't take care of Saddam themselves a long time ago . entailment +Also within the sprawling grounds of the park are the official residence of the president of the Republic , which dates from 1751 ( guided tours from the Visitor Centre Saturday at 9 : 40am and 4 : 20pm ) , and the US ambassador 's residence , an 18th-century house which was formerly the official residence of the Viceroy 's chief secretary ( not open to the public ) . The US ambassador 's residence used to be open to the public . neutral +Otherwise you will not get a good table or will have crumbs brushed into your laptop , even though , strictly speaking , you are abiding by the rules . You will get a good table from them . contradictory +They were alone now . They were a part of the crowd . contradictory +oh yeah that did it to New England a couple years ago didn 't it I am not sure , but didn 't that happen to New England ? neutral +A combined ticket covers all the sights in the palaces , gardens , and museums . You can view everything in the public galleries with one combined ticket . entailment +The low vowels dropped away , high tones slipped in . The singer shined on the high tones . neutral +The magazine interviews Microsoft billionaire buddies Bill Gates and Steve Ballmer . Bill Gates and Steve Ballmer are billionaires . entailment +The well-tended gardens are open to the public , as is the chapel . Both the chapel and gardens are open to the public . entailment +Whitewater independent counsel Kenneth Starr decided not to quit after all . Kenneth Starr worked on the Whitewater investigation for three years . neutral +If Ireland got hit hardest by the famine , it was because it depended more heavily on the potato for sustenance than other countries . Ireland was hit hard during the famine due to their dependence on potatoes . entailment +Dulce et decorum est pro patria mori has worked well enough to send countless young men to their deaths through the ages . No men have died on account of dulce et decorum est pro patria mori . contradictory +Interview system operators and users to determineif the system has been successfully integrated into the existing environment . In order to see if the system was successfully integrated into the environment , you must interview the system operators and users . entailment +so you know they 're they 're good kids you know they do bad things but they 're good kids They 're good kids , even though they do bad things . entailment +yeah well i i have another thing that i thought about too um for instance when you try to save money and you earn interest on whatever your investment is and you know we 're not typically talking about big dollars but here you feel like you 've you 've done something good you 've you 've earned your interest and then you have to go back and pay taxes on it so the real amount of your savings on that is is not much Since investments are currently tax-free , you can make great money on interest from savings . contradictory +Package tours , with two or three nights in or near the park , are widely offered by travel agencies in Kathmandu . Kathmandu travel agencies offer some packaged tours . entailment +'Tell him the real Ben Franklin is ready to talk . ' Someone wants to talk to him . entailment +a few Texaco stations No stations , none . contradictory +Chernow attributes this attitude to Rockefeller 's uncommon respect for the dollar . Rockefeller loved the dollar so much that he married it . neutral +They might not be goods or services , and exchanges might not be equal . Exchanges are always equal . contradictory +( I learned this from the book Succeeding Generations , by the economists Robert Haveman and Barbara Wolfe . ) Succeeding Generations was written by Robert Haveman and Barbara Wolfe . entailment +At the corner of Marble Street , on the right , are the Baths of Scholastica , which also included a brothel . In the Baths of Scholastica , there was also a brothel . entailment +Besides , if they did , we 'd have to outlaw them . We would have to outlaw them . entailment +But even these relatively honest conservatives have let all the fat fish wriggle off the hook . None of these conservatives are relatively honest . contradictory +This defies all probabilities . This surpasses all expectations . entailment +With the shaved head and the new clothes it became very hard to recognize them as the pair Ca 'daan had met just a few moments before . Ca 'daan had never laid eyes on the people . contradictory +Gambling 's opponents never tire of reciting statistics and anecdotes to suggest that the costs of legalized gambling dwarf any possible benefits . There are few benefits from legalizing gambling . neutral +'Oh , ' I said , meekly . I spoke quietly . entailment +Performance Art Some art is labeled performance art . entailment +if you don 't wall paper it well together you should probably not build a house together You should build a house no matter what . contradictory +When Hideyoshi built his main castle in the center of Osaka after unifying the country in 1583 , the city 's proserity seemed written in stone . Hideyoshi building his castle in Osaka in 1583 devastated it 's prosperity . contradictory +Hotels sometimes organize flamenco nights ; even though these songs and dances come from Andalusia , they have become a feature of holidays throughout Spain . Hotels don 't encourage dancing . contradictory +We do this not out of philanthropy but out of enlightened self-interest . Philanthropy is great , but it isn 't the reason why we do it . neutral +yeah and they 're still they 're still out there though uh They are inside now . contradictory +At Tabgha is the Church of the Multiplication of the Loaves and Fishes , where it is said that Jesus fed the multitudes . Tabgha is located in Jerusalem or somewhere in Israel . neutral +If your hotel does not have its own court , try Quinta Magnolia Park , where the facilities are excellent ( including floodlights ) and inexpensive . Quinta Magnolia Park has courts equipped with floodlights . entailment +Instru ? ­ ments of worship and ritual illustrate the religious life of the prov ? ­ ince 's important Jewish community . The only religion in the province was Judaism . neutral +Only children who suffer the most severe deprivation are permanently damaged . Severe deprivation causes damage . entailment +you know i i don 't know i guess if if we had more power we 're just people off the street so to speak and We 're just regular people . neutral +Do you think you can fool them by leaving the car ? Leaving the car probably won 't fool them . neutral +Always ask for a receipt that records information about the item , and if you buy an antique , be sure to get a certificate of authentication . You don 't need a receipt that records information about an item . contradictory +and what exactly are they going to do What are they eating for breakfast ? contradictory +just in southern Massachusetts and Rhode Island over the weekend we had five murders There were five murders in New York over the weekend . neutral +and seems to just even my one year old it really changes her temperament she can be in here all grouchy and I 'm not sure why my 1 year old is grouchy . neutral +Camel and horseback- Motor vehicles are only recent arrivals in Egypt and traditional forms of transport are still popular with Egyptians and make great vacation activities . Many Egyptians still use camels as a mode of transport . entailment +On the other hand , national cuisines are largely artificial You won 't find a French restaurant in France for obvious reasons . national cuisines are largely natural contradictory +It wasn 't complete plug and pray . It was a partial plug and pray . entailment +Without ongoing strong support , both in spirit and in action , of top-level program officials and legislative bodies , the chances for success in implementing the changes needed to address improper payments are slim . They don 't need support from anyone to succeed . contradictory +Sexual harrassment isn 't unknown among Republicans , either . Republicans have no recollection of any sexual harassment . contradictory +Central 1 ) Complainants no longer need to show that their careers suffered as a result of the harassment . Harassment may have caused the careers of complainants to suffer . neutral +An archway leads from the centre of the plaza into the Koza Hane , an arcaded caravanserai ( an inn ) built in the 15th century and which today is the centre of Bursa 's silk trade . Kota Hane is the name of a museum . contradictory +they have to hang around a little later to get there third shift work in but uh it 's it 's nice to have flex time especially being able to take off in the middle of the day and uh not hurt your pay if you come back and finish your eight hours that 's that 's a real benefit what have you found that you like in a big organization I go to work in the morning and then later at night . neutral +See chapter 2 for examples of objectives for attestation engagements . Chapter 2 has no examples shown . contradictory +for something like that because of the cultural differences Due to the cultural differences . entailment +For a wonderful walk that fills a whole day , try linking Grasmere village , Dove Cottage , and Rydal Mount . Walking from Gasmere Village to Dove Cottage will be a wonderful half day walk . neutral +but they began to cut back because of the oil problems but um you know they would have have um so many community outdoor theaters and and like uh community The oil problems benefited them greatly . contradictory +We use electronic ones now , but the results are the same . " " I understand , " Sather Karf said . We need to stop using the mechanical ones . neutral +But as the office became more outcome-oriented and made more extensive use of performance information , it began to redirect its safety efforts . There were staff members who resented the new outcome-oriented approach of the office . neutral +Of particular note is the huge Adoration of the Magi , a brilliant religious extravaganza , and The Three Graces , a portrait of fleshy nudes with an equally lush landscape . There is nothing particular to note about about either the Adoration of the Magi or The Three Graces . contradictory +For example , towing industry data for 1982 through 1991 showed that 18 percent of reported casualties were caused by equipment and material failures , 20 percent by environmental and other factors , and 62 percent by human factors . Data showed that nearly every towing casualty is caused by equipment failures . contradictory +Hume follows by asking whether this means that Starr 's office is committed to eventually delivering a report ( thereby indicating that Starr has credible evidence of impeachable malfeasance ) . Hume doesn 't inquire about the report . contradictory +and now there 's this brown haze over it and it 's moving north The haze is really alarming and gross . neutral +It also provides an extensive set of links to other political sites , including those maintained by many candidates . It provides DONALD trump and Hiliary clintons sites neutral +So did my partner . My partner agreed with me and did the same . neutral +yeah i i i imagine a lot of it had to be fictional just to keep the FBI uh going i guess There were parts that were non-fictional . neutral +Cuba has a reputation as a place where there 's little worth buying . All Cuban goods are generally of inferior quality , except for cigars . neutral +yeah and all that stuff well i 'm i 'm pretty easy as far as yard work i 'll go out there and cut it and i 'll edge it if it dies it dies I 'll get there if it is getting out of control and mow it or trim the edges , but I don 't really worry that much over it . neutral +A short pudgy man in dark clothes and a leather apron barked orders at a huge muscular man who hammered on a thick slab of orange iron . The little man wore dark clothes entailment +However , in the analysis responding to the Jeffords / Lieberman request that had NOx , SO2 , mercury and CO2 reduction levels similar to S. 556 , we found significant approximately a 20-30 percent decline of coal generation and a 30-50 percent increase in electricity prices compared to the reference case ( depending on assumptions of energy technology penetration ) . The analysis of NOx , SO2 , mercury and CO2 showed an increase in electricity prices . entailment +They had their Gauntlets out and pumping with electricity . They had their weapons out . entailment +Do you think I 'm afraid ? said Tuppence indignantly , valiantly repressing memories of the steely glitter in Mrs. Vandemeyer 's eyes . Tuppence does not like being asked questions . contradictory +Right now , ADSL is ridiculously expensive--more than $ 1,000 for the modem alone . At this very moment , ADSL modems are on sale for less than $ 1 . contradictory +The brandy brought the colour back to her white cheeks , and revived her in a marvellous fashion . She was revived by the brandy . entailment +Overnight stays are organized at several observation-hides in the region , namely at Kumbang , Yong , Tabing , Belau , and Cegar Anjing . The overnight stays are very expensive . neutral +Does He or Doesn 't She ? She always does it . contradictory +Like popular hot-spring resorts around the country , this small town has been the site of furious development , and the many small traditional inns ( ryokan ) and bathhouses are now dwarfed by large , ugly concrete hotels . A lot of large hotels have been constructed in the recent years . entailment +Of all Rajasthan 's fortifications , Jodhpur 's Fort , perched high on its sheer cliffs at the eastern edge of the Thar Desert , must surely rank among the most imposing . Jodhpur 's Fort is on the edge of the desert . entailment +The prices will vary according to the proportions of silk and wool used and the density of the weave itself ; naturally , none of these pieces are cheap . Silk and wool are expensive materials to use . entailment +Since you are so kind , let us go and have some breakfast . " Every one was assembled in the dining-room . Everyone was going to have pancakes for breakfast . neutral +Mary 's later dropped out . ) Mary 's even later came back in . neutral +Second , further work would likely allow us to develop , for a higher percentage of outbound DC mail , ( 1 ) estimates of the domestic postage costs that would be incurred if the Postal Service paid domestic postage instead of terminal dues and , ( 2 ) the outbound mail revenues associated with such mail flows . Further work would allow us to develop by 50 % more than we currently are . neutral +At dawn , its color changes from milk to silver to rosepink , and at sunset it is golden . Sunset is golden while at dawn the colors change . entailment +I hope the next generation is large enough to include that person . There is hope that person is included within the next generation . entailment +they 're looking for twenty two thousand dollars for tuition and room and board now They need twenty two thousand dollars for becoming famous contradictory +when you turn sixty five why then you pay the tax on it and the tax is a lot less When you turn sixty five you pay no taxes . contradictory +However , the Committee has been made aware of concerns that LSC has attempted to impose its own reconfiguration plans on certain States without clearly articulating standards for such decisions . Some states want to pass laws without thinking about every possibility . neutral +The analysis concludes that the quantifiable costs associated with the rule are $ 600,000 for the Pension Consultant exemption , $ 18,000 for the Nationally Recognized Statistical Rating Organization exemption , $ 300,000 for the Affiliated Adviser exemption , and $ 8,700 for the New Adviser exemption for a total of $ 926,700 . The analysis provided the quantifiable cost figures for several exemptions . entailment +( And already , Huntington worries , the West is suffering decline and decay . The West is improving , Huntington believes . contradictory +She was a pleasant-looking woman of about forty , with a deep voice , almost manly in its stentorian tones , and had a large sensible square body , with feet to match , these last encased in good thick boots . She was the finest looking woman in the room . neutral +12 We assume that current-law benefits are paid in full even after the projected exhaustion of the OASDI and HI Trust Funds . They wanted to believe the benefits were fully paid . entailment +Some of the traditional governmentwide notification vehicles are now being offered to the public in both paper and electronic forms . Some of the traditional governmentwide notification vehicles are now being offered to the public in both paper and electronic forms . entailment +you know these were the rich people these were the you know these were i mean just the things that happened we had a bulimic in front of us and she just looked crazy but yet she had money These were all of the very poorest people . contradictory +section 712 grants GAO broad authority to investigate all matters related to the use of public money and necessarily includes the agency processes in implementing programs . Section 712 grants GAO broad authority to investigate all matters related to the use of elephant excrement . neutral +Vigorously promote those legal services programs that provide high-quality legal assistance holding them out as programs others should emulate . High quality legal assistance programs should be vigorously promoted . entailment +yeah well no because what they would do is that 's what they 're going to plan on you know they would have to do it the insurance company would have to do the same thing they 're given like a ten year time limit They would have to pay it as well , that 's why the insurance company gives a ten year time limit . neutral +At the foot of the castle was Nor ' Loch , a large expanse of water that required draining . Nor ' Loch took 3 years to drain . neutral +Return to the B5289 and continue toward the southern tip of Derwent Water . Return to the A9987 and continue toward the northern tip of Toxic Ground . contradictory +The Indians ' Mumbai is also epitomized by the promenade of Marine Drive , around Back Bay from Nariman Point to the residential area of Malabar Hill . Malabar Hill is a residential area with a street called Marine Drive . entailment +Although GAO has not had time to thoroughly analyze the strategy yet , we previously suggested that certain key elements be incorporated in the homeland security strategy . GAO has already conducted a thorough analysis of the strategy . contradictory +yeah even if you didn 't invest in necessarily the the best thing you would have so much more to invest you you 'd still be ahead Don 't invest in anything , hoard your money under your mattress . contradictory +and an awful lot of the problems that we did on exams and our homework assignments and everything else involved converting Our tests and homework had a lot of conversion problems . entailment +we outgrew the need for that and so i used it for an aquarium I used this to help the quality of where I keep my fish . entailment +they 'll have to pick it up in the in the tournament then They have to improve or they will not win the tournament . neutral +Individual income taxes , corporation income taxes , social insurance taxes and contributions , 37 excise taxes , estate and gift taxes , and customs duties . They had many other taxes to talk about . neutral +Where can he hide this terrible slip of paper ? He wants to hide the paper . neutral +His teachings were encapsulated in the Koran and they fired the , previously disparate Arab tribes to spread the word of Allah . His teachings were hidden in the Koran in order to further the spread of Islam . entailment +This lowers the net mailing cost for the mailers involved and makes them less likely to go to competitors . Mailing costs must be lowered by 25 percent in order to not be sent to competitors . neutral +Beyond them in rank , in the actual presence of God , the seraphim stand naked , ever-burning , Some people have the rank of general . neutral +Big department stores and supermarkets of Palma buck tradition and remain open all day . You can go to big department stores and supermarkets in Palma 24 / 7 . entailment +Well , higher productivity growth would mean lower inflation for any given rate of wage increase . For any given rate of wage increase , higher productivity growth would mean lower inflation . entailment +After three days of intensive training they completed the course with honors . They completed the course with hours after three days of intensive training and studying . neutral +However , at the organizations we studied , as at federal agencies , security is often a collateral duty , rather than a full-time job , and the individuals assigned frequently have limited technical expertise . Security only takes about 10 % of their time and money . neutral +In 1935 , the Social Security Act established a program to help protect aged Americans against the loss of income due to retirement . The Social Security Act was established in 1935 . entailment +They used the waterways of the Mississippi delta as highways , navigating their dugout canoes through the impenetrable and ever-changing maze of bayous . They used sailboats to get around . contradictory +yeah i agree with that too I also agree with that . entailment +They 're going to find I 'm not in my house . They will not find me where I am . neutral +right i of course i work at TI and i 'm a little puzzled as to why when they get my voice one time why that isn 't enough i mean i 'm i 'm i 'm getting a kick out of the whole program but uh there 's going to be i guess thousands i don 't know how many thousands or tens of thousands of these recordings and i wonder how they 're going to analyze them whether it would be listening to them or analyzing i guess they 've got to be analyzing with a a voice recorder some how I can 't imagine how anyone would work with all of these recordings . neutral +But it doesn 't seem to matter . It looks like it doesn 't matter . entailment +where you 're educated in the first uh ten years i guess I am certain it starts after the first ten days of schooling . contradictory +uh-huh roly-poly what What kind of roly-poly ? neutral +Next , left-wing historians rose up to defend black culture against Moynihan 's characterizations . Moynihan characterized black culture without any opposition from left-wing historians . contradictory +so uh but i i do all of my programming on the mainframe and i uh don 't have a lot of opportunity to work on the PC except at home I work on the PC at home . entailment +Recently , other laws have prompted renewed focus on internal control . Laws required better internal focus neutral +right we don 't i mean the only say so we have is supposedly by electing people who we think are going to vote one way of another We cannot vote . contradictory +prevalent practices . Rare practices . contradictory +Clearly , California can - and must - do better . It is necessary for California to do better . entailment +She spent a summer working in Berkeley with lawyers Robert Truehaft and Charles Garry , who were--you guessed it--Communists . The lawyers she worked with for a summer were Socialists . neutral +Qu 'est-ce qu 'il y a ? " The German turned on her with an oath . The German said several phrases , in French and German . neutral +Traditional Goods Goods that are part of a tradition . entailment +But I think I 'd better get back and rout out Tuppence . " I should not get back and rout out Tuppence contradictory +Abstract thought began only tens of thousands of years ago . Abstract thought was discovered in the last 500 years . contradictory +In the early Middle Ages , Canton had a significant Muslim population as a result of its trade with the Middle East . Canton exported silk to the Middle East during the Middle Ages . neutral +Yet , 15 percent of those surveyed expect their retirement will last for 10 years or less , and another 11 percent believe their retirement will last less than 20 years . 15 percent of the those surveyed expect their retirement will last for a decade or less . entailment +The most established town is Hurghada whose small offshore islands sit among some of the best diving waters in the world . Hurghada is such a beautiful and friendly place to go . neutral +Next to the shopping center , in South William Street , is the small and eclectic Dublin Civic Museum , an unassuming record of Dublin life over the years . The Dublin Civic Museum is close to the shopping center . entailment +In its initial phase , the project matched two new statewide program directors with an experienced one . The project aimed to improved the directors ' abilities . neutral +Who 's going ? demanded Tuppence sharply . Tuppence wanted to know if Mr. Smith was going . neutral +Jeffrey Runge agreed with Larry Gentilello that health economists should be part of the research team . Health economists should be part of the research team , as agreed by Jeffrey Runge and Larry Gentilello . entailment +At Wednesday 's Supreme Court session , the justices were quite concerned with the size of something . The justices on Wednesday paid no mind to the size of the object . contradictory +There didn 't seem to be a peep-hole of any kind nevertheless I felt kind of sure there must be . They had hidden all the peep-holes , but I thought there had to be one . neutral +Services such as those provided to the residents of Mobile Park Plaza now hang in the balance , in light of Governor Gary Locke 's recent cutting of $ 2 . Governor Locke cut $ 2 that goes towards services . entailment +' ( or was that ' THANK God ' ? ) Did you say Thank God . entailment +we get into so much of the mother dominating figure if if the father has more input there The fathers need to step back and let the mothers have a more active role . contradictory +We assume that current-law benefits are paid in full This assumption is valid . neutral +Turn off the main road just before the White River Bridge to find the Calypso rafting base . The Calypso rafting base is before the White River Bridge . entailment +He already faces a court fight over whether he has unlawfully leaked grand jury information to reporters . He will go to court about the grand jury leaks be was behind . neutral +yeah me too i know exactly what you mean I don 't understand any of what you just tried to convey . contradictory +It offers different views of town and countryside with the changing light of day . It is best to see the town in the evening . neutral +" You ain 't gonna take his word for it , for anythin ' in this mudhole of a town , are you , Sarge ? Sarge is being questioned . entailment +built uh for for school purposes that i start in the evening and then go to bed and get them the next morning but they would have run an hour and a half even on a thirty three eighty six machine i imagine so I created them for school , let them run all night while I sleep and get them the next morning ; I believe they would even run at least an hour and a half on a 386 computer . entailment +Chronic Bronchitis . Persisting illness . entailment +An interview in which , after an initial or lead question , subsequent questions are determined by topics brought up by the person being interviewed ; the concerns discussed , their sequence , and specific information obtained are not predetermined and the discussion is unconstrained , able to move in unexpected directions . The interviewee shapes the future questions based on what they feel like talking about on the record . neutral +LSC also solicited input from leaders in the area of intake systems and presented the draft characteristics during a workshop on Best Practices at the March ABA / NLADA Equal Justice Conference . LSC did not solicit any inpit from leaders in the area of intake systems . contradictory +I wish we could have spared you the pain and publicity of an inquest , but of course it 's quite unavoidable in the absence of a doctor 's certificate . I feel bad that this hurts you , but it is more important to find out what really happened . neutral +yeah what 's funny is the idea that uh you know what i consider you know like a three-quarter backswing or even a half backswing uh my friend says that 's you know that 's a full backswing and you don 't want to go any further than that so i mean it 's a now it 's a matter of trying to convince myself that that 's right I was surprised that my friend told me my three-quarter backswing was almost a full backswing and that it 's bad for me . neutral +When India became independent in 1947 , pressure for change mounted within Nepal . Indian fought for independence for several years before it happened . neutral +huh boy you you like basketball though don 't you Do you like baseball and basketball ? neutral +In Cigarettes , Klein 's mascot was the Baudelairean dandy--that rare figure for whom the cultivation of personal elegance is more important than health ( and who is , therefore , a model for the unrepentant smoker ) . Klein 's mascot gave up smoking to pursue a healthier lifestyle . contradictory +As a result , the merchants were forced to limit their salvoes to one a day and from then on , they signaled the noon hour daily for all to hear . Upon firing , the salvoes at times would misfire , injuring a few merchants . neutral +The deep ? ­ -water port allows cruise ships and even aircraft carriers to anchor , so the sandy beaches and colorful waterfront cafe and restaurants can become quite crowded . Norwegian cruiselines travels to this port on a weekly basis . neutral +they might even have i know uh with a niece and nephew of mine they 're school was uh like uh church school and they even had things where they would have them go to shelters downtown and help for a day The kids learn the importance of volunteering when they go to the downtown shelters . neutral +With NBC 's deal to retain ER at a cost of $ 13 million an episode getting front-page coverage at the NYT , LAT , and the WSJ , maybe the next big domestic policy issue will be controlling television health care costs . NBC 's deal to retain ER was covered by sources other than NYT , LAT , and WSJ . neutral +Thus the Ku Klux Klan wore the vestments of the Catholics they despised , and the John Birch Society organized itself in secret cells and front groups modeled on the Communist foe . The Klu Klux Klan bought into communism . contradictory +Now Ca 'daan saw the sword mastery of the two men . Ca 'daan thought that the men with swords were amateurs . contradictory +San 'doro nodded and faded into the darkness as silent as death . San 'doro nodded and charged forward , pushing the crowd out of his way as he did . contradictory +and uh you know i think that 's sort of what happened with Louisiana because because uh the guy did get elected correct that 's what i thought The guy was elected in Louisiana , so that may have been similar to what happened to our boss . neutral +He looked at Susan . He looked over at Susan . entailment +He hadn 't the remotest notion that anyone was on to him . He had no idea that people were following his trail . entailment +It also takes a commitment by all of the state 's lawyers to make sure that every individual can have their day in court . Lawyers must commit time and money to permit everyone access to courts . neutral +at a couple a dollars an hour to take care of them on those Thursdays throughout the summer so It costs a bit to have them watched on Thursdays but that 's a good compromise for us . neutral +In North Korea ! It is in North Korea ! entailment +Word had come that he was to be killed . He was going to be allowed to live . contradictory +There were murmurs of protest , but nobody stopped him . There was a hush on the crowd when they tried to stop him . contradictory +yeah or working in the system Working as a part of the system . entailment +Super-Paradise , in the next bay , is a gay , clothing-optional beach . Super-Paradise does not permit gay people to be nude . contradictory +Logically , if emissions continue at the same level , or increase , pollution problems will mirror that trend . If emissions and pollution increase , global temperatures will as well . neutral +Oh , TOMMY ! " Tommy squeezed her arm sympathetically . The woman is hurt . neutral +Back at the piazza , take the seggovia chairlift for a soaring view of the whole island and some of the mainland on your way up to the terraced gardens and chestnut trees of Monte Solaro , at 589 m ( 1,933 ft ) , Capri 's highest point . The mainland can be seen from the chairlift . entailment +We probably will , said Jon . Jon told us that we probably would not . contradictory +And I 'd like to know what triggered him into it . They want to know what triggered him . entailment +He helped fashion an institution bigger than himself . He assisted in creating an institution . entailment +because he 's a seasonal worker he works in the construction and up here it 's almost a pattern i mean you see your fathers do it then their sons do it what they do is they work construction then they get laid off for like twelve weeks in the winter he likes being laid off in the winter as it gives him time for his family neutral +i admit that i used to be hooked on Dallas but back way long time ago when Jock died i gave up watching it it just got too funny I was never a fan of Dallas because it was just never funny enough for me . contradictory +Hot , from April to June , is hot as people only rarely experience it . The hotness reaches its peak in July . neutral +Her blade caught the inside of his knee and a trail of blood followed . The knife sliced his leg open . neutral +but uh it 's similar uh-huh It is similar . entailment +Otherwise , we won 't . " We are on board completely no matter what . contradictory +Its success led to its adoption by It was incorporated after seeing major success entailment +She and her husband , Prince Philip , were very much involved in the interior decoration of the ship , choosing the furnishings for what would be their floating home . Prince Philip and his wife were very interested in the interior decoration of their floating home . entailment +He and his ward . He joined his group . entailment +In that sense , News Corp. or Disney--which owns the Angels--could hardly be more venal or short-term in focus than the current crop of owners . The Angels are owned by Disney , which is likely to be more focused than current owners . entailment +Coasted down after a few of the boys had a look at Shiloh . They were looking at Shiloh . entailment +isn 't it awful That is horrific . entailment +None of Iowa 's 99 counties regulates upkeep on rental property in unincorporated areas , according to county auditors . Iowa regulates rental property upkeep contradictory +'This week 's virtue is Silence . ' The virtue of the week is Silence . entailment +However , there are still major gaps in the science of mercury fate , transport , and transformation that make such an assessment difficult at time . It is difficult to make an assessment of the science of mercury fate , transport , and transformation entailment +because we 're payin g for Social Security they using now who 's gonna pay for mine Social security will take care of itself . contradictory +Today , with the exception of game-hunting , sporting life in India is still very active . India has a lot of sporting activities . entailment +If you 're looking for second-hand bric-a-brac , try shops around the Campo de ' Fiori and Piazza Navona . None of the shops located close to the Piazza Navona sell any second-hand products . contradictory +But perhaps because within all of us there continues to live younger more idealistic lawyers-a whisper of the lawyers we were at the beginning of our professional lives-we are here today because we are not ready to let go of the promise of legal services . Lawyers are less idealistic after a while than they were in the beginning because they see a lot of corruption . neutral +He introduced them to her one by one . She wasn 't introduced to anyone . contradictory +uh you may be called up twenty times and one person will only be called up once but uh People are called a different number of times . entailment +As NASA reeled from the Challenger disaster , the Soviet Union briefly enjoyed a return to its dominant reputation . The Soviet Union thrived under their lead in the space race after the Challenger disaster that devastated NASA . entailment +oh probably five or six At least five but maybe six . entailment +found it quite enjoyable myself uh uh had also seen the Hunt For Red October you know with him in that and I haven 't seen any of those . contradictory +They track , and are built on the LSC Performance Criteria and ABA Standards for Providers of Civil Legal Services to the Poor . The LSC Performance Criteria are obsolete and no longer observed . contradictory +Comedy clubs are big in L.A. People in LA like comedy clubs for finding new local talent . neutral +some their kind of law doesn 't get them to the courtroom but even in um litigation which is doing lawsuits is a lot of times that you never get to the courtroom itself and Frequently , when it comes to litigation , you never see the inside of the courtroom . entailment +You will find portraits , manuscripts , and personal effects from all three . You will find only black and white portraits of them . neutral +Each topical section will be identified by an alpha-numeric code ( for example , P10 for Pensions ) , with numbers selected to allow addition of future topics . The sections will each have a four digit number assigned for identification . contradictory +Impossible ! Cannot be done ! neutral +Several possible reasons , however , are clear . There are a lot of factors involved . neutral +The supreme tragedies leave us not devastated but exhilarated , and the sublime actors , the moment their performances begin , stop acting . The remarkable tragedies leave us in great ruin . contradictory +They create a culture in which you must fight against these conditions--even if it means risking serious side effects ( the anti-fungal drugs for nails can damage the liver , Propecia 's anti-testosterone action can decrease libido ) . They create a culture where all conditions are acceptable and preferable to taking drugs with nasty side-effects . contradictory +This would tend to make the U.S. more attractive to potential cream skimmers . The US does not want potential cream skimmers to be attracted to it . neutral +Nixon 's office is challenging Brown 's authority to spend the money . Brown shouldn 't be trusted with money neutral +Jon looked back at the scout and the scout grinned revealing teeth sharpened to points and a tongue split down the middle like a snake . When the scout opened his mouth it was revealed that he did not have any teeth and no tongue . contradictory +She added that an in-home , brief intervention linked with primary care found no association between stage of change and outcome . She published her findings in a medical science journal . neutral +go to so much trouble when we have so many other things we could be spending our time thinking about We shouldn 't go through so much trouble when there are better things to think of . entailment +at least they 're learning a little bit from history i mean uh They are learning a bit of language from old history teachings . neutral +The East Wenatchee City Council has entered into an Interlocal Agreement with the Wenatchee Housing Authority authorizing the Authority to purchase and maintain the Mobile Park Plaza mobile home park . The Interlocal Agreement dictates the legal limits to housing height . neutral +Console yourself , my friend . There was nothing to feel bad about . neutral +The visitors ' center ( 685 South Figueroa , 213-689-8822 ) provides information on the historical sites of the district , including theSevila Adobe ( the first house in Los Angeles ) , the Old Plaza Church , and the shady plaza with its wrought-iron gazebo . Most tourists do not go to the visitors ' center because they believe that they know where they are going . neutral +Two of the Pimas were scouting ahead on this two-day drive , and the Anglo riders were keeping the herd to a trot . The Pimas were to warn the Anglo riders of any dangers along the way . neutral +yeah i thought at one time i wanted to be a teacher but i i quickly dispelled that idea when i became a substitute teacher for a while just to get my feet wet i said uh i couldn 't do this everyday no way I never wanted to be involved in the education system . contradictory +because if you don 't exercise then it seems like um what you you just have to be really really careful about what you eat you can you can eat like a normal person if you get a moderate amount of exercise and not really have to worry about it You can be fine with moderate exercise , if you eat like a normal person . entailment +Adrin and the Kal , east . The Kal , Adrin and the east . entailment +and you sure you 're with multiple dystrophy muscular dystrophy or whatever i find that a big invasion of privacy too I don 't want to tell them that I have muscular dystrophy . neutral +Her eyes , fascinated , gazed in front of her , the pupils dilated . She was gazing at the most beautiful horse she 'd ever seen . neutral +( She 'll need the dough to cover her legal expenses--see The Nation , below . ) She does not need any money in order to cover her legal expenses . contradictory +you know especially if you get forget to record those little suckers It got worse and worse the longer they went unmeasured . neutral +And I ... I am just a faulty echo . I have never considered what I am or am not . contradictory +The train station was near- You could hear the trains close by . neutral +that 's good isn 't it That 's not bad , is it ? entailment +but i know my grandmother hasn 't voted in years My Grandmother votes every election . contradictory +The gardens are a powerful tribute to the thousands of Irish soldiers who died in World War I while serving in the British Army . Irish soldiers never served with the British . contradictory +and uh my sister sewed and she needed the money so i would pay her and she 'd make my clothes My sister had a booming sewing business . neutral +Quick as a flash his left hand , the hand which bore the big signet ring , was raised to his lips … . He had rings on both hands . neutral +No offense , but people who care about animals also care about people . People who hate animals also hate people . neutral +okay well i guess that was it Well , that 's all I can think of . neutral +In the south , Tipu Sultan of Mysore remained a menace to Madras until Governor-General Arthur Wellesley , future Duke of Wellington , defeated him . Tipu Sultan conquered Madras after beating Arthur Wellesley . contradictory +We are often invited to parties and dinners at some really splendid homes owned by wealthy acquaintances and clients of both my husband and me . We are invited to seven parties a month at very exclusive homes . neutral +The 1500s were a time of prosperity , power , and cultural and scientific achievement for the Polish-Lithuanian Commonwealth . Science was outlawed and considered heresy in the Polish-Lithuanian Commonwealth of the 1500s . contradictory +weren 't they messy too well did she did the mother survive Was the birthing process messy and did the mother survive ? neutral +i we really we decide we didn 't decide to get one until i started working at home We always had one and sold it when I started working from home . contradictory +Not Mr. Lawrence ” Mr. John . " Behind me , with a wild cry , Mary Cavendish fell heavily against me , and as I turned to catch her I met the quiet triumph in Poirot 's eyes . Poirot was happy that the murderer had been found . neutral +yeah right that 's right and and it turns out he didn 't do it It turns out he didn 't kill the man . neutral +In all but two cases during the last 65 years , taxpayers have covered most or all of the costs of stadium building . Taxpayers covered 90 % of stadium building costs . neutral +The second variety of white race-consciousness--whiteness-as-burden--is no less tangled up in hypocrisy . White race consciousness is very pure in its intentions . contradictory +Bo-ra-qua-sco ! They all chanted enthusiastically , and a few guys even developed a tick of the left eyelid . They yelled out of excitement , holding signs and waving their hands . neutral +Using only the data in the table , several bases for clustering could be considered . If one uses only the data in the table , there could be some considerations regarding clustering , said the manager . neutral +( You can also take the funicular railway up from the Rue Tardieu ; m ? ? tro tickets are valid . ) You unfortunately cannot take the railway from the Rue Tardieu , it has been shut down for over a decade . contradictory +Consider a program of discounts for presortation . You should consider a program for discounts for presortation and access . neutral +Detection of alcohol-related problems in general practice . In general practice , detecting signs of problems related to alcohol entailment +a718 ( b ) ( 2 ) , the Senate Governmental Affairs and House Government Reform committees may request copies of any draft report generated under GAO 's legal authority to undertake work on its own initiative ( research and development work ) when the draft report is sent to the agency for comment . The legislation being considered would give oversight of the GAO 's authority to undertake work to the committee . neutral +However , she found it interesting that booster sessions worked in this setting . She wasn 't interested in the booster sessions . contradictory +When he attempted to restore national pride by wresting the Suez Canal out of British hands he suffered an embarrassing diplomatic defeat and , at home , unrest turned to opposition . He tried to take the Suez Canal from Britain but they killed all his men . neutral +The main entrance takes you to the first sacred gateway ( torii ) , which in Japan always symbolizes the threshold of holy ground . There are three Torii in each temple . neutral +A pamphlet being distributed by the new Campaign for Legal Aid points out , There is only one Le gal Aid lawyer for every 7,900 poor persons in West Virginia . Legal Aid hopes to bring awareness to the need for more legal representation for the poor . neutral +uh-huh it sounds to me like uh you 're doing well my husband 's retired so uh he 's been retired for three years now yeah that 's quite a change My husband is not retired . contradictory +yeah really i guess i would say that if there is one i would think that they are talking eighteen years or twenty one years of age They are talking about eighteen years of age and older . neutral +just recently it was really kind of interesting because Arsenio was asking him about uh I wasn 't interested at all . contradictory +Do they not also raid us ? Do they also attack us ? neutral +Dynamic Lord Curzon , viceroy from 1899 to 1905 , was driven by a lofty imperial vision of the British role in India . An imperial vision of the British role in India and across the globe drove Dynamic Lord Curzon from 1899 to 1905 neutral +( McTeer 's decision to play Nora 's marriage as erotically electric makes Nora 's decision to leave all the more difficult , and all the more shattering . ) Nora 's marriage was written differently than it was portrayed . neutral +In addition , following promulgation of the proposed rule , HUD conducted an open house for operators of CLOs . HUD refused to conduct the open house for CLOs . contradictory +The Phoenicians established a trading post at Lisbon around 1200 b.c , calling it either Alis Ubbo or Olissipo . Olissipo is also referred to as Alis Ubbo . entailment +Although Kyoto is internationally renowned as the country 's de facto cultural capital , nearby Nara was the first important home of the imperial court and still boasts many of Japan 's most important temples and shrines . Nara has not shrines but is known as the country 's cultural capital . contradictory +Waterhead , Ambleside 's harbor , has a few shops that cater to the ferries , cruise boats , and other vessels that dock here . Ambleside 's harbor , Waterhead , has a few shops that cater to the ferries , cruise boats , and other vessels that dock here . entailment +privacy right Privacy right . entailment +For ease of discussion , they will be referenced in the text in cents per piece . The text will reference them in terms of cents per piece . entailment +Once released , these pollutants together with their atmospheric transformation products ( e.g. Once released , these pollutants with their transformation products , according to biology , neutral +In return , the local Creoles considered themselves more worldly than the rustic Americans . The Americans , in turn , thought they were better than the Creole . neutral +the dancing i 've i 've kept up with because you know you don 't have to well you don 't have to get a lot of stuff out you know I gave up on dancing because it is demanding . contradictory +I hate the idea that I love her except for this one thing I want to change , but really , she is absolutely wonderful . I hate that I love absolutely everything about her and wouldn 't change a thing . contradictory +Ca 'daan would have been run through but Adrin parried easily . Ca 'daan was saved by Adrin 's quick action . neutral +And 75 nobody even dreams that I have any connection with our mutual friend , Mr. Brown . " Mr. Brown was elusive . neutral +And for stark contrasts ' of climate , countryside , cuisine , and temperament ' combine the capital with Provence or Corsica . Combine the capital with Provence or Corsica to see the general and bold contrast between these places . entailment +they 're pretty good i like their That is absolutely horrible . contradictory +The Prado is also well supplied with El Greco 's passionately colored religious paintings , such as Adoration of the Shepherds . Adoration of the Shepherds is by El Greco . entailment +When Caterpillar developed the 797 mining truck , a new 360ton payload truck design , it demonstrated design stability by identifying the critical components and building engineering prototypes of them for reliability testing and demonstration of the design before beginning initial manufacturing . Caterpillar 's new 797 is a remake of a classic design , so no testing was needed . contradictory +'You can be sure of that ? ' Stop hurting your own defence ! You can 't defend yourself if you are going to say terrible things . neutral +In that mode , it could be used continuously for one and a half hours . If you put it in turbo mode , you can use it for longer . neutral +yeah i think another problem with the families uh is is the role of television The family has problems with phones and electronics . neutral +The computer , now much faster and smarter , may triumph , but humans shouldn 't fret . The computer may be more powerful , but humans shouldn 't worry . entailment +Also on the riverside of El-Nil Street is the Mummy Museum , with an eclectic collection of artifacts and information about the art of mummification . The Mummy Museum is on Smith Street . contradictory +If you 're feeding here , replied Tommy , " order now . " If you want to eat here , order now , " replied Tommy . entailment +It seems inconceivable that she should be shielding Alfred Inglethorp . Alfred Inglethorp had made many mistakes in his lifetime . neutral +Systematic approaches are possible but a bit complicated . It is possible but somewhat complicated to take a systematic approach . entailment +Do you mean to say , I asked , slowly adapting myself to the new idea , " that Dr. I was silent and did not say anything . contradictory +The soberly designed church contrasts with the more decorative Gothic and Ren ? ­ ais ? ­ sance sculpture of the cloister . The more basic design of the church is not as decorative as the cloister . entailment +The various information collections have already been approved by the Office of Management and Budget under the act and issued OMB control numbers which are listed in the preamble . They did not issue OMB control numbers listed in the preamble . contradictory +The current configuration and planning successes in each of these regions are described The current configuration and planning successes are ignored , instead focusing on the past . contradictory +What does it look like when someone catches fire while strapped to a piece of wood ? By strapping a body to a piece of wood , fire doesn 't necessary burn through organic material . contradictory +Within hours , Salon published the reporter 's derisive story about the press conference , titled I am not a slut ! The story was published quickly because Salon new it would get a lot of publicity . neutral +'He would have done the same to us the moment we fixed this train , ' White replied . He would have shot us in the head the second we fixed the alternator on the train . neutral +Thus , if a U.S. court rules a search is unconstitutional , the inspectors will be forced to obtain warrants . The warrant is hard to obtain for inspectors . neutral +Maupassant , for example , signed a manifesto against this vertiginously ridiculous tower , and Verlaine rerouted his journey around Paris in order to avoid seeing it . Verlaine made sure to see it when traveling through Paris . contradictory +well we were going to probably just going to start well because we 're going to be moving we 're talking about just putting throwing tomatoes in This person does not want to start without thorough planning . contradictory +Those few throwing me pennies were trying to be polite . The few people giving me money were trying to be nice . entailment +( Recently , there has been a rush to fill the vacuum left by the antihistamine Seldane , which was yanked from the market after eight people died when Seldane reacted adversely with other drugs . ) Seldane left and created a hole for people who have terrible allergies . neutral +Quit fooling ! This had better not be a joke ! neutral +Those retired for disability reasons Some people retired because of physical disability . neutral +Recognizing that these other justifications overlap and may not all qualify as basic starting points , it is worthwhile to list them . These justifications are the basic way we must look at this issue . contradictory +There are three principal remedies for Internet There are 3 ways we can make the internet sick . contradictory +The highlight of the Cityel is the rooftop view over the El-Jezzar Mosque . The Cityel is the only unique country-city , a place you won 't find anywhere else . neutral +( The endorsement vote , which was narrow to begin with , was later rescinded after an outcry . The endorsement vote was later repealed after some opposition . entailment +This creates an incentive for continual improvement in environmental performance . Incentives are definitely not required for continual improvement in the environment . contradictory +It was a feint so perfect that I saw it as truth . It was a clumsy attempt to distract , which failed . contradictory +Among the losing candidates was Filippo Brunelleschi , who thereafter devoted himself entirely to architecture . Architecture was a serious matter for Filippo Brunelleschi . neutral +Yes , but who ? Sure , but who ? entailment +Pyrgi village , with its walls marked by the incised black and white geometric pattern known as xysta , is probably the most visited , although Mesta is also beautiful . Pyrgilli village is in fact the most visited village . neutral +Years ago , the tourists took snapshots . There were some tourists years ago . entailment +I have even considered appealing to her current employer ( with whom I have a warm acquaintance ) to overlook her nuttiness and keep her on because , despite her Sturm und Drang office manner , she really is very good at what she does . She is totally incompetent at what she does . contradictory +The payment accuracy review and three other studies led to a series of actions that included assuring that transportation providers actually existed and were providing services , assuring that providers billed Medicaid correctly , and sending notices to let providers know what is expected of them . The payment accuracy review brought about changes about how services were rendered in the medical setting . neutral +As did their London and Paris counterparts , most New York critics rave over French playwright Yasmina Reza 's satire about modern art . Everyone hated the satire about modern art written by Yasmina Reza . contradictory +Adults and children alike will appreciate the hanging cliffs and pleasant countryside of meadows , vineyards , and orchards , with graceful willows and poplars at the water 's edge . Children will absolutely detest this area 's features . contradictory +Dave glanced over the edge again to see one of the tall buildings crumple under the impact . The building handled the impact just fine . contradictory +Network externalities are in . The public is not informed how the network works . neutral +Although no comments were submitted in direct response to the Initial Regulatory Flexibility Analysis , the Commission noted that a number of the general comments on the Notice might have an effect on small entities , particularly on site-specific Specialized Mobile Radio ( SMR ) licensees and on rural cellular providers . No comments were submitted in responses to the Initial Regulatory Flexibility Analysis , however general comments were made about it . entailment +but now their saying that they 're there really not that much in comparison to the others because you don 't have to use the water to wash them and you know all different kinds of things too so You can just wipe off the dirt instead of putting water on it . neutral +The critics also praise the museum 's somewhat eclectic displays--the shtetl wedding dresses , the Woody Allen clips . The museum has many displays , including eclectic ones . entailment +well you weren 't charging gold and silver were you you can 't do that can you You can 't charge for precious metals like gold and silver . entailment +The adjustment to the mortality unit valuation for growth in real income in 2010 is achieved using an adjustment factor of 1.112 . The facotor of 1.112 makes it easier to compare incomes . neutral +Loud players , dramatically placed chips , and flying dice all revolve around a set of complex betting rules and the fact that seven is more likely to be rolled than any other number . Seven is the least likely number to be rolled . contradictory +The best solutions for searching will probably result from a combination of humans and computers . Combining the strengths of human and computers will likely lead to the best search solutions . entailment +Not that it matters now ” now that we 've come to the parting of the ways . " " It was very important up till now . " neutral +The nation 's top scientific journal is getting a new top editor . Everyone at the nation 's top scientific journal is eager to meet the new editor . neutral +The project is dedicated to raising the standard of practice in legal services programs by encouraging the cross-fertilization of innovative practices through facilitating the voluntary exchange of exemplary practices . The standard of practice was raised by the project . entailment +well i mean that that 's what you can infer from it because it it 's amazing that it started about two years before the the the run The run was a marathon with 20 runners involved neutral +Without them , as you say , we can do nothing . We needed them to do nothing . contradictory +They readily ask about seat belts and distribute handouts about various behaviors . They give out handouts relating to various behaviors . entailment +For a man of thirty who 'd always been a scrawny , shy runt like the one in the " before " pictures , he 'd been doing all right . For an old man , who 'd always been overweight , he was doing all right . contradictory +The central groups had implemented ongoing awareness strategies to educate all individuals who might affect the organization 's information security . The central groups made sure individuals were educated in information security . entailment +'It 's like a giant sauna . It is similar to a sauna but larger . entailment +D 'Onofrio noted that many young , healthy patients do not go to their primary care provider , even if they have one . Young people are afraid of doctors and that 's why they avoid primary care . neutral +Guaranteed Results - The Acid Rain program enjoys nearly 100 percent compliance and only takes 75 EPA employees to run - a track record no command-and-control program can meet . The Acid Rain program has almost total compliance in the large factories . neutral +But we didn 't know when or what road , an ' he wasn 't tellin ' that his side of th ' border neither . He would not tell us a time or location.But he may tell us later . neutral +My wife and I recently had our second child , a boy . We just had a baby . entailment +Participate in efforts to benchmark successful organizations . Help to measure organizations success . entailment +Given his track record as the District 's mayor , you might want to sell your stock in that company . You don 't have any stock . contradictory +Yet one of the delights of the city is that it is not simply a collection of heartless historic facades . Being more than a simple collection of historic facades is a positive element of the city . entailment +Between Haghia Sophia and the tip of Saray Burnu stretches the walled enclosure of Topkape Palace , the former residence and seat of government of the Ottoman sultans . Topkape Palace was also the residence of Turkish governors . neutral +well Wayne i 've never done any uh auto repairs myself at all i mean i may have screwed in a little screw that looked like it was falling out on the door or something but uh i personally haven 't done anything maybe The only thing remotely close to auto repair that I 've ever done is screw tightening . neutral +New York ' s John Simon says the Broadway adaptation of the comedy by 18 th -century French playwright Pierre Marivaux includes rowdiness and bawdry [ which ] are as out of place as a belch in a declaration of love . John Simon is from Canada . contradictory +The cathedral was constructed over several centuries and the facade offers a remarkably harmonious anthology of Gothic architecture . The cathedral , like many cathedrals , has been constructed in a Gothic style . entailment +Irishman . He 's Italian . contradictory +Originally a traveling group , the company has found a permanent home in Keswick . The group passed through Keswick within one week . contradictory +Five restaurants . There are five restaurants . entailment +Washington wants the pope to condemn Slobo , and the White House might offer humanitarian aid to Serb cities that oppose him . The white house helps too many foreign people . neutral +Wood carvings vary from ro sewood elephants or sandalwood camels to the Kashmiris ' finely fretted walnut , created in the style of the screens on the Srinagar houseboats . The only wood that can be craved is walnut . contradictory +Coral or volcanic , eggshell white or ashy gray , the sand of FWI beaches varies from cove to cove . Each cove has a different shade of sand ranging from eggshell white to ashy gray . entailment +Even if you don 't get on one of the high-speed TGV trains , you are almost certain to see one zoom past . The only way to travel is by car . contradictory +The Viceroy 's Residence , now the President 's house , Rashtrapati Bhavan has wings radiating from the great grey-blue dome of the central block and the tranquil pools and lawns of its gardens , and so bespeaks the grandeur of Britain 's heyday . The Viceroy 's Residence was built when Victoria was the Empress of India . neutral +In addition , electronic testing of critical data elements for obvious errors of completeness and accuracy can generally be done in a short period of time on all but the most complicated or immense files . Testing for errors can be done quickly using electronic methods . entailment +Celeste made her strange sign again and whispered to herself . Celeste whispered something only she could hear . entailment +Dukes , administrators , and clergy lived in towns rather than isolated castles , absorbing the hinterland into communes , forerunners of the city-states . The clergy often lived in isolated castles away from the towns . contradictory +But it 's the one real and original Jane Finn we 've got here . " But this is certainly the Jane Finn we have been looking for . neutral +oh do you have a lot of that kind of weather there in North Carolina Do you have that kind of weather in Florida ? contradictory +Of course the governors and the president managed to turn deficits into surpluses . Not even the governors could turn deficits into surpluses . contradictory +Eighty percent of the total amount of nitrogen oxides allowances available for allocation each year will be allocated to Acid Rain Program units with coal as their primary or secondary fuel or residual oil as their primary fuel , listed in the Administrator 's Emissions Scorecard 2000 . Only sixty percent of nitrogen oxide allowances will go to Acid Rain Programs . contradictory +and i uh am spending more time with my twenty five year old because at this point he happens to be single and always has been single and living at home uh while he 's trying to uh I don 't have any children younger than thirty . contradictory +Warriors want challenge--terrible pay , miserable conditions . They do not want a challenge . contradictory +uh but if we did it oh man Just imagine if we did , wow . entailment +and how did you choose that sitter Why didn 't you choose that sitter ? contradictory +i 'm i 'm not sure how that timing related to the Quayle announcement but he was trailing at at times or or just just neck and neck i guess I 'm not sure how the timing compared to when Quayle made the announcement . entailment +Ca 'daan met them at the mouth of the lowest mine . They met at the highest mine . contradictory +" Senor Kells . " The girl caught at the older man 's arm . The girl walked passed the man without any mind . contradictory +That 's pretty much over . It 's not going to keep going . neutral +Dionne 's , have been made by going the other way . ) They were made by going in the same way . contradictory +uh i don 't know who else i 've ever that 's about it i was always a Viking fan i think i was into the Cardinals for a little bit I 've been a Vikings fan forever and briefly was a fan of the Cardinals . entailment +The agonized expression on his face looks like a kind of rapture . The expression on his face depicts rapture . entailment +I see that you 'd like , and I think I know what this is going to be about . I already have an idea what you want to tell me . neutral +Data obtained from practically oriented translational studies will help to develop guidelines for optimal resource allocation by determining the sub-population of patients for whom brief interventions are most effective . Data obtained from practically oriented translational studies will help to develop guidelines entailment +I can do nothing with the American . I can do anything I want with the American . contradictory +A lady ? I jumped up . I jumped as I was not expecting to see a lady . entailment +The company had outsourced its information management function , but lacked the infrastructure to provide strategic direction , discipline , and overall management of information management to ensure optimal implementation and cost . The company had a great infrastructure . contradictory +To gauge the financial situation of individual households requires going beyond aggregate household data . There are numerous factors that help gauge household financial states . neutral +The total annual burden hours for all collections , both approved and pending approval , are estimated at 43,692 hours . They spent 43,692 hours for all the collections from May-December . neutral +The convention center , an extension on reclaimed land , affords stunning views of the Wan Chai waterfront . The convention center affords stunning views of the Wan Chai waterfront and is an extension built on reclaimed land . entailment +In 1863 , Brooke retired to Britain , handing Sarawak over to his nephew Charles . Charles refused the transfer of Sarawak from his uncle . contradictory +When Seleucid rulers outlawed Judaism , Jews led by Judah Maccabee and his brothers staged a revolution in 167 b.c. and , against all odds , restored the primacy of Jewish religious life in Jerusalem . Judah Maccabee went on to become a legend among the Jewish people . neutral +This was New Hampshire , the northernmost region of the America Little . The America Little was put up north because people in the south didn 't like it . neutral +At the same time , an architect named Robert Adam became popular in the fashionable circles of the well-to-do , having made a name for himself in England . Robert Adam was well-known in England among the rich . entailment +He 'll be dead in six hours , and so will his revolution . His revolution will die along with him . entailment +You 'll also find bargain clothes for sale at the markets and on push-carts . The clothes are of lower quality but have a great price . neutral +If you 're traveling at the height of the tourist season , this is a place where it is vital to make a really early start . It is crucial to get a very early start if you are travelling during the peak tourist season . entailment +In a flash Tuppence was out on the pavement . Tuppence jumped out of the still-moving train , onto the pavement . neutral +Coming after Don 't Look Back , the superb cinema verite documentary D.A. The verite documentary D.A. is preceeded by Don 't Look Back . entailment +It is a working plantation producing a mixed crop of spices and fruits , but it also opens a fascinating window on plantation life during colonial times . This plantation is known for it 's granny smith apples . neutral +I said , and tried to sit up in bed , but my right foot gave me a nasty twinge as I did so . My foot hurts every morning when I try to get up . neutral +I wanted this a lot , and I haven 't been disappointed for a minute . This was something I did not want , which disappointed me . contradictory +do you have a particular local channel that you watch on television I know you don 't watch any local channels on tv . contradictory +What is wrong with your head ? Jon smiled . Jon frowed as he talked . contradictory +i 've no i 'm a dog lover myself I 'm a dog lover myself , just like you . neutral +Start out at San Casciano in Val di Pesa , 17 km ( 11 miles ) south of Florence , with a bonus for art-lovers of a Simone Martini Crucifixion and other Sienese works in the church of La Misericordia . The Simone Martini Crucifixion is the most valuable work in the church of La Misericordia . neutral +Across the road , Vrenna climbed the rocks and cut a man off his horse on the fly . Vrenna failed to cut a man off of his horse . contradictory +Virtually all items of Federal mission PP & amp ; E are useable for their intended purposes at September 30 , 199Z . All federal mission was created on september 30th . entailment +Jon had hoped that Adrin and San 'doro would face no other man but it appeared both would be busy . Jon didn 't want Adrin and San 'doro to face anyone else . contradictory +The President 's Energy Plan goes even further . The energy plan is the biggest one ever . neutral +so you could still feed it but she kept them clean You could till keep the puppies clean . neutral +that 's helped me a lot with having i can only have a a limited wardrobe since i 'm only working part-time right now um but still it gives it some variety add different blouses and scarves and belts and things like that My wardrobe is so expansive that I constantly have to throw away clothing . contradictory +Bork laughed suddenly . Bork broke down crying . contradictory +The man just did not want to hit the putt . He didn 't want to hit the putt . entailment +A police helicopter was tumbling through the sky , tracing a rapid path back down to earth . A helicopter was crashing to the ground . entailment +The massive Chioninji is home to the Jodo ( Pure Land ) Buddhist sect , which in the 12th century spread the appeal of Buddhism to the uneducated classes . Buddhism was spread to the uneducated classes by the Jodo sect . entailment +What 's more , it 's cheap . In addition , it is very affordable . entailment +On that day , Russian scientists launched the first true space traveler , a chain-smoking dog named Laika , who , after befouling his kennel and biting his trainer on the ass , was rocketed aloft in a spacesuit filled with his own urine , it does not add . The dog was a chain smoker . neutral +The Commission did not identify any other statutes or executive orders imposing requirements relevant to this Report and Order . The commission told us exactly what we need to do for this Report & Order . contradictory +Susan says they know who these creatures are , said Jon . Jon said Susan knew who the creatures are . entailment +Figure 7 shows the drawing completion history for the program . The history for drawing completion is shown in Figure 7 . entailment +There may be trouble with the A.S.E. " For a long time there was a silence , broken only by the rustle of papers and an occasional word of explanation from the German . There may be some issues with the A.S.E. entailment +The best way to protect our citizens is to vigorously enforce the tough laws we have on the books , Bush declared . Bush declared marshal law and imposed restrictions on his citizens . contradictory +While their grant applications may not have the methodologic design that study sections composed of alcohol research specialists are accustomed to , funding such research will lead to the development of research methodologies appropriate to the emergency department setting . The grant applications were not made the same as ones that research specialists have worked with prior . entailment +Isidoro Macabich intersects avinguda Ignacio Wallis ; turn down it to the right and a few hundred metres later you 'll come to passeig Vara del Rey , a favourite spot to while time away in the town . There is a passeig called Vara del Rey which is a favourite spot to pass time . entailment +So that is the explanation of the blank label on the box , I remarked . So that 's why there is a blank label . entailment +" That suits me , " Drew agreed . " That doesn 't suit me " , Drew disagreed . contradictory +killing lots of fire ants Killing a lot of insects . neutral +Prehistoric man dotted the island with his mysterious cone-shaped nuraghi houses and watchtowers before it was colonized by Cretans , Phoenicians , Carthaginians , and Romans . Prehistoric men built houses on the islands . entailment +It cost quite a lot and I resented it at first but it helped me win my share of bar duels and enough money to sleep with a roof over my head . I am poor and homeless because of it . contradictory +When you finally left the room , did Mrs. Inglethorp bolt the door after you ? Did Mrs. Inglethorp lock all of the doors to prevent intruders after you left ? neutral +The control technologies considered by this report as candidates to be used for this multipollutant control strategy No control technologies were considered . contradictory +especially especially when they finish all the construction out here and we didn 't want him to let you know to like we had some job offers in the New York area and we thought well you know he would be really commuting We have had Job offers in the New York area and we prefer the longer commute . contradictory +The sultanate lasted 320 years , but the new sultan ruled only four he died in a fall from his pony . The new sultan 's son proved to be a competent leader . neutral +and uh and now the labor to put it in And uh and now the labor still hasn 't been done , so sorry . contradictory +The standard to insist on is that the sins be of omission , not distortion . It should be insisted that the standard of the sin here be distortion . contradictory +A general air of glee permeated all . Everything felt desperate . contradictory +Almost non-stop throughout the day , but especially at that magic moment of the passeggiata , the Piazza del Duomo is one of the liveliest squares in all of Europe . Piazza del Duomo is one of the quietest square in Europe . contradictory +( Click to read the question--but in brief , it had to do with why one guy named Bill had managed to discourage unwanted pursuit by a gal named Janet , when another guy named Bill had not . ) There are two Bills who had different experiences with Janet . entailment +oh that 's one it 's one thing yeah Buffalo 's lucky though to have uh Jim Kelly then now he 's the number one rated quarterback in the NFL i think i 'm pretty sure he was this past season and uh He is number one . entailment +Warm decided to do something about it , to solve this issue just like he always had solved problems of the inorganic computer matter . Warm would likely solve this problem , as he had done with the others . neutral +This , of course , is in addition to providing retail services to rural communities . Dozens of technology leadership awards are handed out . neutral +and all of the roads would be clear you 'd still have the snow on the yard The yards had no snow , but the roads did . contradictory +War would strike , blood would flow , many hundreds , even thousands of people would die , and the city would be cut back to the small town once again . There would be a battle with many casualties . entailment +We have found that annual performance plans that include precise and measurable goals for resolving mission-critical management problems are important to ensuring that agencies have the institutional capacity to achieve their more resultsoriented programmatic goals . Annual performance plans cannot help agencies in any way . contradictory +Well , I believe he could , reiterated Tuppence obstinately . Tuppence , rigidly , questioned if he could . neutral +The avenue stays closed . The avenue is closed . entailment +Everything matters . " Nothing matters . contradictory +I 'm not being silly . I 'm serious ! entailment +Additions to the church were made by the British in the nineteenth century . The British made additions to the church in the nineteenth century . entailment +It is extremely important that these rules and regulations be known , understood , and complied with by all persons responsible for , or otherwise involved in , performing testing activities . If we do not understand and apply those rules and regulations , it 's going to be tough to work further . neutral +Tintoretto ( 1518 1594 ) brought mannerism to Venice . Tintoretto was of great influence to Venice . entailment +GAO has played an important role in helping the Congress and the agencies improve the government 's computer security and make more effective use of technology in the delivery of federal services . Government computer security has been improved due to GAO efforts . entailment +You can 't even use it to spy on a nanny , since it has no hidden camera capabilities . Spying on a nanny is out of the question , since there are no hidden cameras in it . entailment +um yeah i think we realize it 's failed we just don 't we just don 't nobody wants to make the nobody wants to make the uh unpopular decision of going in and invading Everyone is eager to invade . contradictory +FDA assumed an economic value of $ 5 million per fatality avoided , so that the monetary savings per year would be $ 180 to $ 220 million per year . Almost $ 5 million is saved per each death avoided . entailment +After 500 years under Arab masters , many black Mauritanians think like this God created me to be a slave ... They 're wrong , I am a free man and bow to no one . neutral +There is reason to believe it shall stand forever , a massive top-to-toe restoration completed in 1999 has it looking rejuvenated and soot-free . It had never been restorated and was therefore in decay . contradictory +This work was soon followed by full life cycle tests using other toxicants and fish species . A publication from these findings would change the field forever . neutral +Either way , you 're paying someone ( the agency or the nanny ) . You are paying either the agency or the zoo . contradictory +ARTICLE : : Too True To Be Good Article : Too Good To Be True . contradictory +um-hum i agree but i think they 're slow in testing you know i don 't know The testing is thought to be slow by some people . entailment +( He also turns into a hyena and an armadillo , species that are similarly not native to Transylvania . ) Another thing that happens is he transforms into a hyena . entailment +But there 's more about Colorado you might not know . You know everything about Colorado . contradictory +About 2,500 victims of the Revolutionary guillotine spent their last hours in the Conciergerie . The French Revolution was the last time the Conciergerie was used to hold prisoners . neutral +I mean having the experience of love and loneliness , illness and health , the joy of children , the satisfaction of work , and the inevitability of death . There are many experiences within life . entailment +As far as quality is concerned , some of the best traditional products are to be found in the museum shops in Kuala Lumpur , Melaka , Kuching , and Kota Kinabalu . There are no museum shops in Kuala Lumpur . contradictory +It houses the Naval Museum with a collection of relics from the French Naval sojourn here in 1798 . The Naval Museum has a collection of Indian relics from the Indian Naval sojourn here in 1798 . contradictory +Since the rules were issued as interim final rules and not as general notices of proposed rulemaking , the rules are not subject to the Regulatory Flexibility Act . The rules are not subject to the Regulatory Flexibility Act because they were issued as interim final rules and not as general notices of proposed rulemaking . entailment +As they approached , the man watched them with eyes of light almond . The man watched as they walked away . contradictory +6 . Boys Don 't Cry . Starkly beautiful , Kimberly Peirce 's debut film has at its core a tragicomic That the cross-dressing Brandon Teena , a k a Teena Brandon ( the rapturous Hillary Swank ) feels most at home among the sort of roughnecks who would kill her if they knew her true gender . Boys Don 't Cry is Kimberly Peirce 's debut film . entailment +Two classic aims of inquiry are to understand the nature of events and to understand their causes . The inquiry wants to understand what happened to the organization and why it happened . neutral +Nowhere is that more clear than in the periodic appearance of what I call the Left-Behind White . The choice for president is not clear anywhere other than the Left-Behind White . neutral +Public health risks associated with mercury , particularly those posed to children and women of child bearing age , may be reduced . The harmful effects of mercury on children and women might be lessened . entailment +The president 's personal aides have gone home . The president is in need of his aides . neutral +at a uh needlework shop and i i used to do the latch hook rugs and needlepoint and things like that and i i still remember how to do it it 's just been so long since i 've actually sat down and and taken the time to do something like that but i have recently done some cross stitch I did needlepoint but I am just too busy to do it much anymore . neutral +yeah a lot of people are you going to buy one of those minivans or you going to buy a full size Not many people are , actually . contradictory +Essentially the rest of the world is treated as analogous to a bank where the United States can make deposits or withdrawals or draw on a credit line . The US is treating other countries as mere financial vehicles for its own ends . entailment +Strange infatuation of an otherwise sensible woman ! She is rational about every other subject except this . neutral +'Why not ? ' There doesn 't seem to be any reason not to . neutral +A frequently cited example of overlap and ineffectiveness is the federal food safety system , which took shape under as many as 35 laws and was administered by 12 different agencies yet had not effectively protected the public from major foodborne illnesses . Having many laws and administrations under a system can only be beneficial . contradictory +well usually hardly any at all anymore um i 've i 've gotten together sort of like basic recipes I 've gathered together some simple recipes to teach my kids to cook . neutral +If the time ever came that they did have to have a showdown , Johnny Shannon might be the surprised one . Johnny thinks he 's the best shot in town . neutral +Presently I was able to pull it away . I pulled it away . entailment +Moreover , the fact that Congress has placed numerous restrictions on legal services funding in the United States-restrictions that then attach to non-LSC funds-causes many organizations that might otherwise seriously consider applying for LSC funds to choose not to do so . Congress has no say when it comes to legal services . contradictory +But what I 've seen of it , were you jus ' able to run off th ' bandidos an ' git th ' Apaches offen it for good why , it might be a right respectable sorta territory . The Bandits and Indians are the problem in this territory . They need to get the army in here to catch them all . neutral +When Ieyasu became shogun in 1603 , Edo in turn became the seat of national government and its castle the largest in the world . Tokugawa Ieyasu is the founder of Edo . contradictory +Jack uh-huh are you uh from Dallas too Beth Jack is from Toronto . contradictory +It should be possible to complete a project in less than 4 months from receipt of order . The project could possibly be completed in under 4 months . entailment +Some like his silky falsetto voice and praise him for reviving the ' 70s soul music of Marvin Gaye and Teddy Pendergrass . Marvin Gaye was a singer in the 1970 's . entailment +because they 're i guess that that that falls in and one of my other favorite shows is Sesame Street because of the kids i like that real well Sesame Street is a show that I don 't like . contradictory +yeah yeah that 's true yeah no i don 't uh i don 't have i didn 't go that far but uh yeah i probably could do the same thing uh you know i don 't have a storm door but i 'm sure i could rig up something but you know i don 't think that that would stop people i mean it 's like they they see that word and it says uh go instead of stop oh goodness I have a storm door . contradictory +well that 's what my impression was that they you know that they were just white well they 're white walls you know unless it 's white if you want white walls then white plaster is uh doesn 't need to be painted or that was my impression anyway i 'm not sure My impression was that they were just white but they 're not , since they have a lot of color . neutral +Segregation on Chicago 's South Side is as vicious as it is in Compton , and if you 're talking about criminalizing the poor and turning public space over to Disney , then Rudolph Giuliani 's New York City would seem to be the current industry leader . Segregation is not a problem in Chicago . contradictory +If Bauerstein 's the murderer , nothing could be simpler than for him to substitute some ordinary coco for his sample , and send that to be tested . He is suspected of committing fraud . contradictory +Well , I 'm darned ! said Julius . Curses , Julius exclaimed . entailment +Creedance Clearwater Revival uh Crosby Stills Nash and Young when it was still all four Creedance Clearwater Revival was better when Crosby , Stills , Nash and Young were all in it together . neutral +The noble Romanesque interior has a magnificent painted wooden ceiling with Arabic honeycomb motifs and stalactite pendentives . The interior has ornate ceilings and large , carved columns . neutral +PROMO 's report claimed that local TV news foments fear and hostility among city residents and suburbanites alike by devoting a disproportionate share of its broadcast time to crime . There are claims that local news programs foster fear due to their heavy focus on crime . entailment +The 2001 survey was cosponsored by the Employee Benefit Research Institute , the American Savings Education Council , and Mathew Greenwald and Associates , Inc . The survey asked millions of people . neutral +Accordingly , we submit a total of cases closed for 1999 of 924,000 . 924,000 cases were closed in 1999 , which was more than previous years . neutral +oh yeah that folds out from it it 's like a crank up top thing you yeah it 's you 're talking of a trailer type that you pull huh yeah okay I 've only ever owned campers that have a crank at the top . neutral +As such , Norplant is the only contraceptive the government could pay people to use with any hope of affecting those who aren 't strongly motivated to either become pregnant or avoid pregnancy . Norplant is not the only contraceptive on the market , but it is the most effective . neutral +It cannot be seen fully until you enter its precincts through a narrow passage from the street . It is not fully visible until you step into its precincts . entailment +In the nearby cemetery , set among frangipani trees , is the Grave of Francis Light , who died from malaria in 1794 , only six years after the start of his Penang adventure . The Grave of Francis Light , who died from malaria in 1794 , only six years after starting his Penang adventure , is set among frangipani trees , in the nearby cemetery . entailment +Type-3 worksharing is where the mailer 's decision , whether or not he turns the mail over to a competitor , is influenced by factors other than the size of the discount and his cost of doing the work . Type-3 worksharing , the most common , is when the mailer decides something that is influenced by something other than the size of discount or his cost of work . neutral +McCullough writes that by the standards of latter-day preservation , the dumping of the White House interior represents a needless and tragic loss . McCullough wrote about the condition of the White House interior . neutral +The central line of his speech proclaimed a New Patriotic Challenge . His issued a patriotic challenge. to all the constituents , who applauded his ideas . neutral +Its two cinemas present a varied program of new international and archival films . The two cinemas are a great place to catch a film , whether your taste is new international or archival . neutral +Dallas always has been no one wants to be at downtown Dallas much Everyone wants to be at Downtown Dallas . contradictory +The River Brathay runs alongside the main road , carrying water from the fells that eventually flows into Lake Windermere . The main road runs alongside Brathay River . entailment +In cases where LSC counsel were attorneys of record , there would be lingering doubt whether the truncated representation had resulted in complete analysis of the case , full advice to the client , and proper presentation to the court . It is inappropriate for LSC counsel to be attorneys of record . neutral +There is much to explore Nothing is left to explore . contradictory +Her memories stretch back over one hundred years . She can 't remember anything . contradictory +His Serb army and police seem to be doing their best to provoke war . The army and police are trying to maintain peace . contradictory +From fiscal year 1986 to 1995 , for example , total import entries increased by 242 percent , from 11 . Total important entries went up by over 200 percent between the fiscal years of 1986 and 1995 . entailment +I 'll walk down to the village with you , said Mr. Inglethorp . Mr. Inglethorp volunteer to travel to the village . entailment +But I 'll just say this . I will make a statement . entailment +Nixon lawyer and defender Leonard Garment emerges as the anti-Dick Morris--a charming neurotic , free of self-importance and attentive to emotional nuance . Garment stated that he is an anti-Dick Morris in the legal world . neutral +Rounds to less than one percent The emissions rounds to less than one percent . neutral +The familiar rock walls that seemed so benign to him in his twelve years of trade along the trail now seemed to grasp at him and crush him . He fell on his face after trying rock climbing for the first time . contradictory +I 'd love him to see it . He had asked me to show it to him . neutral +The Crone had cut off all of her hair . The Crone had gotten her hair cut . entailment +federal surpluses and deficits differ ? Is there a difference between federal taxes and deficits ? contradictory +True , said Tuppence , her flagging spirits reviving . Tuppence felt refreshed and responded in the positive . entailment +uh no but i have had shrimp I haven 't , but have had the shrimp . neutral +But neither shall they delay its breaking . The breaking will happen . neutral +Staff are also able to assume special initiatives and projects and to participate in national , regional and statewide meetings and conferences . Staff can participate in meetings . entailment +you know i that i didn 't base everything on that I didn 't base everything on that , you know . entailment +yeah they really oh oh well the prizes are pretty nice he brought a booklet home and depending on how many calls i think three was the minimum but it went up to i don 't know nine or ten how many calls have you made had There are many prizes available to be won . neutral +Lawrence Cavendish was carrying it . Lawrence Cavendish held it in his right hand . neutral +I 'd touched a nerve . Talking about the cult had gotten under his skin . neutral +But in 1803 , only three years after retaking it , France sold Louisiana to the United States for $ 15 million . The United States purchased Louisiana for $ 15 million . entailment +Just down the path on the right , you will find the 1955 Franciscan Church of Dominus Flevit ( The Lord Wept ) marking the spot where Jesus wept as he predicted the destruction of Jerusalem ( Luke 19 : 41-4 ) . The Church of Dominus Flevit is built on the site where Jesus supposedly foretold the downfall of Jerusalem . entailment +For each copy sold , I get $ 1 . Each copy brings me $ 1 . entailment +Secessionists in Hawaii and Alaska argue that the federal government failed to consult natives before annexing these territories . The federal annexation of Hawaii and Alaska was illegal . neutral +During a counter-offensive in 1109 , the town was overrun by the Moors , but the Christianized fortress held . Moors swept through the town in 1109 , putting its garrison to the sword and claiming its fortress . contradictory +So much for your theory . Everyone knows it 's my theory and not yours . contradictory +If the attestation engagement is part of a larger audit , this information may be communicated as part of that audit . The attestation engagement can be considered part of a larger audit . entailment +The temple was demolished and a vast , Classical-style church was built around Golgotha ( the hill where Jesus 's crucifixion was believed to have taken place ) . A church was built around the site where the crucifixion of Jesus is thought to have taken place . entailment +well that sounds like something good to do then Actually that does sound good to do . entailment +bad news unless you can find a really good one and those are rare but there are some good ones and there are some bad ones i mean Good ones are common . contradictory +young man who uh who 's a family they go to our church and it 's the son and so on and he was friends with my children My kids really enjoy going to church . neutral +The court and regional aristocracy were infuriated by the Italian-born churchman 's intimate relationship with the king 's mother , Anne of Austria . Townsfolk were furious with an outsiders relationship with the king 's family member . entailment +Nowadays , Malaysian families are lured to the highlands closest to Kuala Lumpur The Genting and Fraser 's Hill while the Cameron Highlands is most popular region for foreign visitors . The foreign visitors are from America and Italy . neutral +That data does not , however , indicate the number of cellular providers among the 1,178 firms . The data doesn 't show the number of cell providers in the firms . entailment +Deir Abu Maker is the most important , having provided several leaders for the Coptic church ; nearby is Deir Anba-Baramos . Several of the Coptic Church leaders were provided from Deir Anba-Baramos . contradictory +The Commission rejected suggestions to issue specific signage requirements , saying that the requirement that employers designate the telephones was sufficient . The Commission vetoed suggestions requiring employees to have specific signage requirements . entailment +The Hardknott Castle Roman Fort , called Mediobogdum by its builders , sits on a shelf near the summit of the pass . The builders of the Hardknott Castle Roman Fort didn 't like its name , so they decided to change it to Mediobogdum . neutral +Some lawful permanent resident aliens regularly travel between the United States and Mexico on a daily basis . Aliens often travel across the border every day for work . neutral +Adrin glanced over at Jon and smiled , smoke pouring from the barrels of his guns . Jon was not satisfied with Adrin neutral +There 's nothing more pleasant than being congratulated for your literary skills , but there 's nothing less pleasant than realizing the congratulations are intended for a guy who writes about the mob . It i terrible being told you have good writing skills . contradictory +In a New Republic appreciation of his late friend J. Anthony Lukas , Alan Brinkley says Big Trouble is a story told with such wit , energy , and grace that it becomes a riotous , sprawling historical entertainment . Alan Brinkley has shown appreciation for the writing of J. Anthony Lukas . entailment +In these cases , the central security management groups kept track of audit findings related to information security and the organization 's progress in implementing corrective actions . The central security management groups kept track of audit findings . entailment +Only 95 each ( who would order just one ? ) One 1 each . contradictory +Finally , we came to the end- a room that looked like a monk 's secret sanctum . There was a room at the end of the tunnel . neutral +You will have the best legal talent to defend you , replied the German quietly . The legal talent is provided by the German . neutral +Owners , the government included , traditionally have maintained some level of internal facility planning and design oversight capability to ensure that new facilities acceptably balance the factors of cost , schedule , quality , and performance . Owners plan to keep the facility under budget . entailment +Quibbling that evil leaders are to blame , not the institution of government itself , is a pathetic evasion , reminiscent of an NRA bumper sticker that reads , Governments don 't kill people , only criminal leaders kill people . It is considered courageous to think that evil leaders , not the government , are responsible . contradictory +Though he describes himself as being to the right of Attila the Hun on crime , he authorized the Willie Hortenesque early parole of more than 700 sex offenders in 1992 . In contrast to his stance of being hard on crime , he authorized the early parole of more than 700 sex offenders in 1992 . entailment +Time exposes a new problem for surgery patients , called awareness : Patients wake up from anesthesia during the operation . I new problem called unconsciousness is reported in Time magazine . contradictory +cGross national saving reached a low of 5.3 percent of GDP in 1932 . Gross national savings were at their highest in 1932 . contradictory +Yes , but there 's no one left to sleuth . There are more things to be investigated but no one left to do it . neutral +In many areas , the density reaches the equivalent of 150,000 inhabitants per square km ( a quarter square mile ) . Because of the high population density , pollution in the area is horrible . neutral +It was people who advocate democracy who sold us like cotton and cows from one plantation to another , he told a gasping crowd at New York 's City College . The comment sent the crowd into a frenzy and the place turned into a mob scene . neutral +In 1964 a sister structure , the Forth Road Bridge , was completed to take vehicular traffic across the Firth . Construction of the Forth Road Bridge took several months . neutral +It will be quite useless , Mr. Hersheimmer . The words came out like the crack of a pistol , and Tommy looked up with a start . Tommy kept straring down . contradictory +OSHA conducted an economic analysis of the costs and benefits of the final respiratory protection rule . OSHA did an analysis but found that it benefitted people with respiratory problems . neutral +The graceful open ? ­ work spire was added in the 15th century by Johannes H ? ? ltz of Cologne . The spire was added in the the 15th century . entailment +To get to it , you must climb barefoot the hill is holy ground up 644 steps cut in the rock . There is an escalator that will help you bypass the steps . contradictory +but it 's my my my wife has a real job and you know when i get her job um you know we we look at her paycheck i 'm just floored whe n i see how little of it we 're actually allowed to keep My wife is unemployed . contradictory +Where shall I begin ? I know just the place to start . contradictory +the World Wide Area Football League WWAFL or whatever they call it WWAFL WWAFL stands for the World Wide Area Football League or something like that . entailment +Real politics is messy and morally ambiguous and doesn 't make for a compelling thriller . Politics are not always clean and exciting . entailment +no well it depends on what rank you are of course It is a matter of rank . entailment +It was a fort , all right , this whole stronghold of Rennie 's not just the bunkhouse which formed part of a side wall . The bunkhouse formed a part of a side wall . entailment +The shelf life of preteen bands is measured in months . Preteen bands have a very long shelf life . contradictory +The United States prefers to use the 1974 benchmark . Russia prefers using the 1973 benchmark . contradictory +i know why do you do this I couldn 't tell no matter how hard I tried why you do that . contradictory +oh yeah i do that too I do the same thing when I 'm stressed out . neutral +Do you agree with this characterization of Lind 's argument ? Do you agree with this description of Lind 's argument about the economy ? neutral +I understand , friend , said Jon . Jon understood why the friend had been mean . neutral +The hole beneath the altar is traditionally considered the exact spot where the crosewas erected . The church has recently been trying to drum up a faux-legend about it being the site of the crucifixion . contradictory +Doesn 't this mean , then , that having a more or less equal distribution of income makes for a happier society , even if it does not raise anyone 's material standard of living ? That is , you can use the fact that people did not feel poor in the 1950s as an argument for a more radical egalitarianism than even most leftists would be willing to espouse . People did not feel poor in the 1950s . entailment +Bradley 's campaign , it turns out , isn 't about the presidency . It turns out that Bradley 's campaign is not about the presidency . entailment +Accordingly , as provided in our statutory access authority , on July 18 , 2001 , we issued a formal request for the records . All the records were handed to the authorities . neutral +Resuming a tradition of classical Rome in his work at Versailles , Andre Le N ? ? tre used the paths and avenues of trees and statuary to divide flowerbeds , ponds , and fountain basins into intricate geometric patterns . André had designed the gardens at Versailles in very haphazard way . contradictory +He sank on to the bed and gave himself up to reflection . He laid down on the bed to think . entailment +The Three-Arched Bridge , by Ismail Kadare , translated by John Hodgson ( Arcade ) . John Hodgson translated the material into English . neutral +Of the 5,130 hospitals , 2,252 are rural . The minority of the hospitals are rural hospitals . neutral +Museums are as popular as sports ? ­ stadiums , and crowds flock to theater and music festivals in spring , summer , and autumn all over the country . Crowds gather to theater and music festivals in the spring and summer . entailment +He smiled at them and the sight made Ca 'daan 's stomach turn . Ca 'daan 's stomach turned at the sight . entailment +Even if you have a distinct taste for improvisation and a horror of schedules and detailed itineraries , you must accept from the outset , if your time is at all limited , that travelling around India will demand a certain amount of planning . It takes a year of travel to appreciate India . neutral +so i decided that i would plant me a tomato plant in a flower pot I thought I would plant a tomato plant in a flower pot . entailment +put some paint on it or something to stop the rust like scrape it and paint it right right right i know if you don 't get the rust off that 's there already that it 's just going Don 't paint it if you want to stop the rust . contradictory +A two-hour drive away , at City University of New York Law School in Queens , Rooney spends several days a week helping upstart lawyers develop storefront practices that , like his , provide legal representation to folks who can 't afford a $ 250-an-hour legal counselor . The City University of New York Law School is two hour away from where Rooney lives . entailment +There 's plenty of meat on the menu as local pork and lamb , fowl , and game . They only serve imported pork here . contradictory +uh i i guess i voter apathy of course i is uh is a universal thing uh not just i don 't think just United States really i think other places have In every place in the world , all voters are concerned and active . contradictory +and slash it with the red pen . Slash it with the red pen . entailment +A handful of Bronze Age relics has fostered an assumption that prehistoric settlers inhabited Ibiza thousands of years ago . A lot of Bronze Age relics made them assume that the settlers had been to Ibiza long ago for trade . neutral +Drawing blood and confronting patients with their blood alcohol levels may actually push them away from counseling . Patients are less likely to seek counseling if they are confronted with their levels of blood alcohol . entailment +Others argue that a competitive news environment is to blame . Others think it 's due to a lax news environment . contradictory +he goes to a really crummy day school uh my sister 's not real bright so but he he 's always sick i mean he has always got some kind of cold or something and i don 't know i don 't think this place is a very good place for him His school isn 't good . entailment +Specifically , they must determine They must not specify any further . contradictory +Expect to pay 11,700 esc. for green fees . The cost of green fees is estimated to be 11,700 . entailment +well i guess that 's it for camping huh I guess there 's more for camping huh . contradictory +The reported audit objectives provide more meaningful information to report users if they are measurable and feasible and avoid being presented in a broad or general manner . Generalization leads to less meaningful information . entailment +She led the charge in the creation of the Texas Access to Justice Commission , an umbrella organization designed to enhance the quality of legal services to the poor . She spearheaded the project of creating the Texas Access to Justice Commission , a coalition of organizations intended to better the legal services of those in need , ultimately to advance her personal agenda . neutral +you 'd be surprised You would be surprised , because she actually did this ! neutral +Too confident . Too much confidence . entailment +The tidal estuary harbors a number of islands that serve as important breeding grounds for seabirds . Important breeding grounds for seabirds can be found in the islands within the tidal estuary . entailment +In just the past few days ' New York Times , Walter Goodman characterized Crossfire as the CNN shout show , and Maureen Dowd summarized Ferraro 's duties as blathering night after night with political hacks . Walter Goodman doesn 't like Crossfire . entailment +Professor Michael S. Hart is the originator of the Project Gutenberg-tm concept of a library of electronic works that could be freely shared with anyone . No one participated in the project . contradictory +'These are modern times . This is the modern era . entailment +That he exaggerated the power of biology , failed to deal with love , and perhaps overextended the protective umbrella of tolerance is beyond doubt . He definitely exaggerated the power of biology , failed to deal with love , and overextended the protective umbrella of tolerance . entailment +Al Gore has gotten a lot of coverage about how he raised soft money for the DNC , but a small item today in the WP ' s The Reliable Source tells you something about how he spends it . Al Gore raised $ 10million for the DNC . neutral +Now , Hall said , he wants to make services to the poor more efficient by working with law students who will handle less complicated legal matters , allowing licensed attorneys to take more high impact cases to court . Utilizing law students will save approximately 90 % of conventional lawyer fees . neutral +Bottom Low-tech , high dudgeon A high dungeon of bottom low tech . entailment +Last summer the unit , which watches for signs of a military coup , executed 120 soldiers suspected of planning a rebellion . Soldiers who were suspected of arranging a rebellion , ended up being executed . entailment +" Rumpelstilsken , let the sun rise from the west and set in the east ! " Some of the Satheri were at the windows to watch what happened this time . The were focused on the words . neutral +Just two years later , in 1929 , the landmark building hosted the first public Oscar ceremony ; it was also home to Marilyn Monroe for eight years . The Oscars have always been set up in the same building . neutral +and i told her i said honey this has nothing to do with you being black i 'd follow white kids that stole from me i mean stealing is stealing i don 't care what color you are you think just because you 're black you can steal and nobody 's going to call the police that doesn 't make any sense I told her that stealing is bad whether you 're black or white . entailment +Among local meat specialities is gazpachos ( with a final s to distinguish it from the chilled soup ) . Gazpachos is spicy . neutral +Together with a number of other laws enacted over the past several years to foster improvements in such areas as financial management , acquisition , and computer security , this legislation discussed above composes a statutory framework for achieving performance-based management and accountability in not just information management , but overall federal management . There are no laws that deal with information , only real property . contradictory +To date , SAEM has not agreed to a separate category . SAEM doesn 't want to divide their assets . neutral +The superbly landscaped Shuhekein pond garden is a legendary spot for meditation and contemplation in every season . The Shuhekein pond garden is a popular tourist destination neutral +On a good day the reflection of Mt.Fuji in these clear blue waters is breathtaking . On a clear day , you can see Mt . Everest in the waters . contradictory +yeah i can 't even hear what you 're Yes , I can 't hear . entailment +Egon The Leopold Collection , Vienna ( Museum of Modern Art , New York City ) . The Museum attracts lots of tourists . neutral +Sure , that 's all right , said Julius . What Julius is ok with is killing vampires . neutral +uh and i i think that 's probably the fun of watching minor league baseball and the other thing is watching guys on the other end uh guys that i had seen play for both the Red Sox and Pittsburgh It 's fun seeing players play for opposite teams . entailment +Unique to Borneo , the male sports the splendid pendulous nose that gives this species its name . The male 's pendulous nose is a status symbol . neutral +Just around the corner from the station is the Tourist Information Centre , which will supply all the information you need about touring , accommodations , and restaurants . The Tourist Information Centre addresses touring and accommodations , but doesn 't address restaurants in the area . contradictory +There was an enormous oven . The kitchen contained only a stove . contradictory +Following a bloodless coup in 1974 called the Carnation Revolution , Salazar 's successor , Dr. Marcelo Caetano , was overthrown and free elections were held . The coup was called Rose Revolution . contradictory +If they have defined work schedules and are not expected to be available for duty on a roundtheclock basis , the T & amp ; A requirements for civilian employees are operative and should be used . Since the work schedules are defined , the authorities feel that it doesn 't necessarily make sense to apply non-civilian employees . neutral +We 'll need to keep some essential personnel . We don 't need anyone . contradictory +You 'll find the modern art galleries and antique shops in the Brera neighborhood and along the side streets of the Via Monte Napoleone ( Via Borgospesso , Via della Spiga , and Via Sant 'Andrea ) . The Brera neighborhood is the best place to find antique shops and art galleries . entailment +Her eyes , set wide apart , were hazel , a golden hazel that again recalled a memory of sunbeams . Her yellow colored eyes were wide set and gold . entailment +And this was an important-and perhaps in American legal services-quite revolutionary development . The development regarding mandatory sentencing was considering revolutionary . neutral +If English and Japanese gardens attempt , in their different ways , to enhance nature by tidying it up while imitating a natural landscape , the French garden ' which Versailles epitomizes ' deliberately imposes a formal pattern . One could argue that whereas English and Japanese gardens attempt to tidy nature up while imitating a natural landscape , the French garden , epitomized by Versailles , deliberately imposes a formal pattern upon nature . entailment +In criticizing the ability of the exclusionary rule to reverse a conviction , he The wrong done was the search , not the conviction . Searching through the book was the wrong doing . neutral +And , unfortunately , too many of us did nothing . We all pitched in to complete the task . contradictory +A corporate villain who directs another character to wake up and smell the thorns . The other character is reluctant to smell the thorns but has to do it . neutral +He didn 't look well either , as if he hadn 't left the place for quite a long time . It looked like he hadn 't left the campground for years . neutral +We should seek to achieve the most good or benefit , with the least harm and destruction of things that we value , he argued . The things that we value must not suffer from harm or destruction . entailment +It isn 't a space-ship , said Red , sullenly . Red noted that it wasn 't a spaceship . entailment +And yet--perhaps the joke is not far off . The joke is completely made up . contradictory +The Archaeological Museum of Iraklion is without a doubt one of the greatest archaeological collections in the world . Iraklion 's Archaeological Museum houses more prehistoric artifacts than any other collection in the world . neutral +Initially , this policy was enunciated and followed in a number of prior Comptroller General decisions . Several prior Comptroller General decisions supported this policy . entailment +well just like that air bag i think that thing is fantastic cause i 've seen some of the you know like the head on collision type things where they had it I think that the air bags are great because I 've seen them work . entailment +The Bairro Alto ( Upper City ) is a hilly area full of evocative houses decorated with wrought-iron balconies usually occupied by birdcages and flowerpots . The Upper City is hilly and has beautiful homes , but it 's hard to travel through that area . neutral +With such rapturous scenery and a climate that is consistently delightful , perhaps it would be unfair to expect nature to have bestowed the island with miles of perfect sands as well . The place has a lot of good features to it . neutral +Those then who controvert the principle that the constitution is to be considered , in court , as a paramount law , are reduced to the necessity of maintaining that courts must close their eyes on the constitution , and see only the law . Nobody controverts the principle that the constitution is to be considered as a paramount law . contradictory +The lottery retailers will surely spend millions to keep their cash cow , and the governors are likely to campaign for video gambling as well . The lottery retailers don 't care if it goes away . contradictory +Early FGD systems were designed with separate quenching , or prescrubber , systems to cool the flue gas coming off the particulate control device . Older FGD systems had separate systems to cool flue gas . entailment +MoBay ( as it 's called by the locals ) is probably the most complete resort area in Jamaica , with its beaches , sports , and shopping along with a large number of fine hotel resorts . The MoBay resort area faces fierce competition from its neighboring cities with their own fine resorts . neutral +Originally built on an island in the Nile , it was already semi-submerged following the building of the first Aswan Dam in 1900 . It was first built in the middle of the desert a long way from the Nile . contradictory +Caravan at 65 Hollywood Road and the shops in The Silk Road at Ocean Ceter in Tsim Sha Tsui are good places to start looking . 65 Hollywood Road is in Los Angeles . neutral +In 1992 , only 1,070 abortions were performed after the 25 th week . Until 25 weeks of pregnancy , 3 abortions had occured contradictory +But the A students are precisely the ones who suffer unjustly from grade inflation . Grade inflation hurts good students . entailment +so if they 're going to have it to me they ought to do it They should do it if they are giving it to me . entailment +and a bunch of and a bunch of money oh yeah And not a single penny . contradictory +Despite the emperor 's obsession with the new Red Peril ' the 1848 Communist Mani ? ­ festo of Marx and Engels , which was being circulated in Paris ' he could not prevent such social reforms as the workers ' right to form unions and even to strike . The emperor supported social reforms including the formation of unions . contradictory +And what exactly is the scandal about Wolf that Gore is covering up ? Journalists hounded Gore to attempt to uncover the truth behind the Wolf scandal , but were not successful . neutral +Susan giggled and Vrenna smiled . Susan and Vrenna were being super serious . contradictory +they don 't have no crime They have a lot of crime . contradictory +In any event , Clinton is now reversing the interdiction cuts . Clinton is keeping the interdiction cuts . contradictory +Always ask to see the manufacturer 's guarantee when purchasing watches , cameras , and audio-visual and electronic equipment . You don 't need to see the manufacturer 's guarantee when making purchases of cameras . contradictory +Nowadays , everybody seems to love it . The people who do not love it do not tell anyone . neutral +right now they 've got that Katherine Hepburn one where she 's touring all the gardens of Europe i of course have missed the first series of that but that 's about the only thing that i really catch on PBS I watch Katherine Hepburn touring gardens on PBS . entailment +Lalaria Beach is among the most beautiful , with cliffs and natural arches flanking the pebbled bay . Lalaria Beach has so many cliffs that people find it to be ugly . contradictory +Get out of bed . " Expecting the worst , he swung his feet over the side and sat up . Things were about to get worse . neutral +The Vandals , who destroyed almost all evidence of the Roman occupation , settled in North Africa , becoming a sea power . Some features of Roman occupation were deliberately preserved by the Vandals . neutral +uh i really don 't know um Oh , I know contradictory +In addition , organizations sought member input in developing new systems and mechanisms for communicating information , thereby better fulfilling member needs and giving the members a sense of ownership in the system or product . Organizations wanted members to give input to develop new systems . entailment +The next twenty years of reconstruction and growth were wiped out overnight , in May 1945 , when American bombers leveled nearly half the city . It took 20 years to rebuild the city after the bombings . neutral +That probably won 't happen . It has happened before and it will happen again . contradictory +In Singapore , it was really duty free , but it wasn 't he who bought it , but his brother , a Blizzair flight attendant , and his wife really did go shopping at Fanfany 's , but in Prague . Blizzair did not buy anything that was duty free . contradictory +Here 's a tip , failure to attribute phrasing means plagiarism . When quoting another author 's specific phrasing , you can do so without giving that author credit and will not be committing plagiarism . contradictory +As night fell , the six horses and seven riders rode south out of Fena Kef . The group rode out of Fena Kef . entailment +and there 's a lot of things out there that we could do uh for our own country let alone other countries and i think that we 've got the the people power to do it it 's just uh we need We could change a lot in our country if we made children a prioritiy . neutral +oh yeah well you knowing them they 're very um oh i don 't know almost compare them to a very egotistical man well damn right i 'm going to protect my family you know so I won 't protect my family as it isn 't my job , you know that . contradictory +A long arc of fine sand backed by pine trees , Koukounaries is perhaps the epitome of everything that beach lovers enjoy . Beach lovers hate Konkouaries . contradictory +Adventurous as rail travel in India still is today , one exhibit belongs hopefully in the the skull of an elephant that nearly derailed a mail train in 1894 . Rail travel in India is still an adventure , as evidenced by the skull of an elephant that almost derailed a train in 1894 . entailment +yeah well i guess uh i i i 'm kind of in uh in an unusual situation probably for this particular topic because i 'm self-employed I 'm not sure this applies normally to me since I work for myself . entailment +In Venice , I watched tourists on a bridge videotape tourists on a boat , who in turn were videotaping the tourists on the bridge . Many tourists were videotaping others . entailment +He 's lying , concludes Jack Harwood , who analyzed Clinton 's words with the Verimetrics instrument , a high-tech truth machine that measures stress in a person 's voice . " He 's lying " , Jack Harwood says after analyzing Clinton 's word with an instrument that measured stress in a person 's voice . entailment +The Security Act requires the establishment of agencywide information security programs , annual agency program reviews , annual independent evaluations of agency programs and practices , agency reporting to OMB , and OMB reporting to Congress . The Security Act requires that the agency has a fiscal plan . contradictory +As if the Web wasn 't slow enough already . As if the Web 's growth was not nearly stagnant already . neutral +( William Saletan dissects the ethics of the sale in . ) John Howard broke down the ethics of the sale . contradictory +Shoppers hold mail-order firms to a higher standard than department stores when it comes to keeping things in stock , because the catalogs afford them a photo and item number for every parka , turtleneck , and blazer ever placed in inventory . Shoppers hold mail firms to a higher standard than department stores when it comes to inventory because of the ease of catalog shopping and the efficiency of phone orders . neutral +you know i 'm going back to school my wife 's going back to school too our lifestyle right now is meant to position ourselves so financial the these financial problems won 't be problems uh in the future and uh so My wife and I are not in school and do not have any plans to go back . contradictory +sitting outside restaurants , begging for scraps . Asking for scraps outside of restaurants . entailment +The rainfall recorded here is almost one third more than in nearby valleys ; since the actual number of rainy days is no higher for Seathwaite , it 's believed that it must be the setting of the village that accounts for the higher volume . A higher volume of rain is recorded in the village compared to the other nearby valleys . entailment +These factors included ( 1 ) fostering trust and respect ; ( 2 ) establishing effective , timely , and appropriately secure communication ; ( 3 ) obtaining top management support ; ( 4 ) ensuring organization leadership continuity ; and ( 5 ) generating clearly identifiable membership benefits . The factors are order by descending descending levels of importance . neutral +For a dry drink , look for the description brut . The word " brut " means " dry wine " in Spanish . neutral +Scars crossed his face . His face had been stabbed many times . neutral +Leave the river briefly to loop east around Talcy , with its Romanesque church and the 13th-century chateau of Thizy , before ending your trip at Montr ? ? al . The Romanesque Church is often overlooked by visitors . neutral +Nearby , you 'll find several impeccable colonial-era houses with brilliantly colored faaades . Nearby , the houses are all painted a plain white and are falling apart . contradictory +But not now . But they wouldn 't be leaving right now . neutral +As a result , the employee should accept the benefits on behalf of the government and turn them over to the employee 's agency . Resulting in the fact that the worker needs to accept the benefits for the government and give them to the agency . entailment +well uh me i outgrew uh sleeping bags and uh tents I outgrew sleeping bags and tents . entailment +Rival chiefs ruled each island ; fish farms and temples were laid out ; and tribal and inter-island warfare was common . Rival chiefs were always peaceful and there was never warfare . contradictory +Stevenson 's eagerness for violence is his own business Stevenson feels no inkling towards violence contradictory +yeah who can afford twenty thousand Yes , who can pay twenty thousand ? entailment +For example , one organization determined that more formal agreements were needed when its membership was significantly expanded . The organization 's membership had grown significantly in recent times . entailment +Exhibits A-1 and A-2 in Appendix A depict the timelines typical to complete a single absorber module and a three absorber-module installation of FGD , respectively . Appendix B is where you will find Exhibits A-1 and A-2 . contradictory +Novelist Emile Zola poured forth arguments against industrial exploitation . Emile Zola advocated for a system of employment insurance and employment laws . neutral +oh they are are and and and you know my twenty three year old she 's a senior in college and she comes in now and she just loves to pick out the picture book we took a lot of pictures at the time dad do you remember that sixth grade team we had that year dad God we were great weren 't we My child is a college senior who loves the photo book . entailment +yeah i don 't care for that at all I can 't stand that . entailment +no more now ! " We followed John into his study , and he closed the door behind us . John left the door open when we went into his study . contradictory +how how much uh how much uh how much pork do you buy for two people Should people even be eating pork anymore given the salmonella scare ? contradictory +Tours of the chateau are self-guided and there are impressive formal gardens and a large park . The chateau boosts many gardens , as well as a sizable park . entailment +( The marble originals now grace the Cour Marly of the Louvre . ) The originals which were made of marble have been moved to the Louvre . entailment +yeah that 's that 's and and the ones they even feel somewhat worse for even um the ones in like the Baltic States They don 't feel good about the ones in the Baltic States . entailment +What happens then is an enchanting blend of old and new , as Finn is summoned to the manse of Nora Dinsmoor ( Anne Bancroft ) , a filthy-rich ex-socialite driven mad by her abandonment , decades earlier , by a wayward fiance . Julie Andrews is the only actress to ever play the part of Nora Dinsmoor . contradictory +Any change to previously attested to and approved data must be reviewed by and attested to by the employee whose data was changed . Any change to data is usually by someone of extremely high authority . neutral +This organization also provides training to new employees through a program that pays 50 percent of the employeeas salary while he or she attends school . This organization gives training to new employees and pays them $ 25,000 a year while they are in school . neutral +The skulls of the dead grinned from ropes that hung , candles burning in their eyes . The skulls of the dead warriors grinned with candles burning in their eyes . neutral +A spokesman for Gov.-elect Robert L. Ehrlich Jr. said the incoming administration could make no funding promises . There are no funding promises to be made as of yet , although we are in the review process . neutral +Transfer of cash and other capitalized assets without reimbursement . There is no reimbursement for the transfer of cash . entailment +You can read people 's minds ? His voice sounded different , there was no cheer or bravado . The speaker 's voice is the same as it has always been . contradictory +Naturists flocked to the area . Although all naturists , these naturists came from different groups . neutral +Who could have foreseen several-hundred-percent increases in sales of pumpkin-carving kits ? Pumpkin-carving kit sales are at an all time low ? contradictory +Heritage assets shall be reported in terms of physical units rather than cost , fair value , or other monetary values . Heritage assets will be reported in terms of physical units . entailment +'Natalia ! ' I called . I called to her . entailment +You will have to be willing to do the same . You will not have to be willing to reciprocate . contradictory +Situated at Meryemana ( Mother Mary ) in the hills above the city is the house where she is thought to have passed the last years of her life . She is believed to have lived in the house for a while , but then returned to the city during her old age . contradictory +Holy Smokes , haven 't you ever seen ground meat ? That 's what you should 've got when I sent you to the house instead of coming back with that stupid grass . " You should have brought back ground meat not grass . entailment +And isn 't it nobler to deliver a depressingly true message than to shade the truth so you can get elected ? Speaking the truth can be detrimental to one 's election campaign . neutral +Badly ! " He looked at the rock with a kind of agonized passion . He had a joyous feeling as he looked at the rock . contradictory +The Hard Way by Matthew Ritchie , which first appeared in Slate Gallery , has been added to the permanent Web site collection ( yes , there is one ) of the San Francisco Museum of Modern Art . The Hard Way was the worst reviewed book of its genre in a long time . neutral +Good luck . ' Break a leg . entailment +( Republicans revel in quoting JFK to Democrats , and especially to the Kennedys now in the Senate and the House . ) Republicans use the quotes to prove their point to Democrats . neutral +Even the strongest spell can 't bring back his soul . Spells cannot bring back his soul because they are just slight of hand . neutral +The preamble to the final rule notes that the rule is encompassed within the Board 's regulatory review under section 303 of the Riegle Community Redevelopment and Regulatory Improvement Act of 1994 , 12 U.S.C. The preamble is located in its own Act . contradictory +yeah i really i i enjoy watching him play I enjoy watching Ryans pay football . neutral +The Washington Post called her dress cleavage-coercing and reported that her handler , Susan Carpenter-McMillan , dabbed sweat from Jones ' upper lip and set aside a piece of used chewing gum that Jones handed her . Jones was sweating from the sweltering lights . neutral +Beyond that , the Democratic agenda should be to extend new benefits like universal health care and child care . Universal health care and child care should be extended by the Democratic agenda . entailment +The Hippodrome was the setting for the ceremony which proclaimed Constantinople as the New Rome in a.d. 330 , following the division of the Roman Empire , and soon became the civic centre of the Byzantine capital , decorated with imposing monuments and flanked by fine buildings . The Hippodrome was quite plain and uninteresting . contradictory +yeah i i i know my cat she 's reaching her life expectancy and i 'm already thinking oh no The cat is really young and virile . contradictory +um-hum right uh-huh Lo Mas yeah yeah we we are now it 's like we are partly responsible for their problems by loaning them all that money that was really stupid on our part to even loan it to them you don 't loan money to people like that i mean if you feel like you need to give them something to help them out fine but you don 't go making billions of dollars of loans in to people that you can just look at the situation and yeah and know that they are not going to be capable of paying us back and The loans were a bad idea because a significant majority were not paid back . neutral +Following the receipt and evaluation of the comments , the FDA has revised certain burden estimates and has deleted the requirement for the submission of labeling to the FDA and the establishment of educational programs . The FDA requires the establishment of educational programs . contradictory +yeah they can they can do a lot of things neutral +'Lincoln 's here , ' I said to White , as soon as I found our cabin . I told White that Lincoln had disappeared . contradictory +In this way , S. 556 builds on successful elements of the Clean Air Act . The CAA was based off of S. 556 . contradictory +His voice rasped like glass and gravel . He had a raspy voice . entailment +Not that he 's walking away from the billions of dollars , of course . Obviously in the moment he is selling his company . contradictory +This section includes all the most important towns and regions to help you make your choice . The section shows you the sites that other people have tried and tells their experiences . neutral +Many responses were built on the assumption that Southern Baptists are bad in bed . It 's thought that Southern Baptists are bad in bed because they are repressed . neutral +If there is a start , then there will be some other problem . Another problem will come with a start . entailment +If Franke-Ruta actually believes for a sane moment that Stein 's cafe reflections are erotic confessionals , if this is the frustration she experiences from Watching the Couples Go By , then she had better not read anything at all . Frankie-Ruta could believe that Stein 's words are instructions . contradictory +One of the most effective ways of keeping a tight rein on the country was to cut it off from the outside world , to keep Japan Japanese . Keeping Japan cut off from other parts of the world proved useless at retaining power over the country . contradictory +that 's that that 's that 's something that really true that may sort of that military thing i was speaking of before i think that 's that 's certainly true i mean his military may just go out and say well we just Gorbachev said you can 't do it and we 're just not going to let you do it you know so Gorbachev doesn 't want to let you do it because it will undermine his position . neutral +For information on this and other district resorts , contact the Big Bear Lake Resort Association ; Tel . ( 909 ) 866-7000 , or the San Bernardino Convention and Visitors Bureau ; Tel . ( 909 ) 889-3980 . The Big Bear Lake Resort Association does not have a working phone number . contradictory +with the with the programs that are out there now Included with these programs that are out there now neutral +Sounds to me like somebody 's rethought his opposition to physician-assisted suicide . It appears they have a second thought about suicide assistance . entailment +Its flow is constant never suffocated by the all-pervading sand or evaporated by the oppressive heat of the sun . The flow is constantly disrupted by the sand and the sun . contradictory +It 's got an Elizabethan flavour about it makes one think of galleons and doubloons . The restaurant has an Elizabethan flavour . neutral +well gosh i can 't think of anything else I can 't think of anything relevant right now . neutral +I found what I was looking for . I was no longer looking for it . entailment +The Capitoline Museums , in the twin palaces of the Campidoglio , have extensive collections of sculpture excavated from ancient Rome , particularly in the Palazzo Nuovo . Some sculptures that have been excavated from ancient Rome are in the Capitoline Museums . entailment +The deciding factor in what stays and goes , apart from charm , is often the Who is associated with it ? I 'm going to keep everything I own despite friends and family calling me a hoarder . contradictory +The man who imprisoned Pol Pot is a one-legged Khmer Rouge general named Ta Mok . Pol Pot was imprisoned by Ta Mok . entailment +The ruins of two of the Seven Wonders of the World the Temple of Artemis at Ephesus , and the Mausoleum of Halicarnassus are also to be found here . The Temple of Artemis at Ephesus and the Mausoleum of Halicarnassus are found here . entailment +In fact , Ocho Rios is a virtual shopping mall for the cruise passengers who arrive in the hundreds on most days of the week . There is a virtual shopping mall for passengers who arrive by the hundreds in Ocho Rios . entailment +operating system engaged in symmetric multitasking . Operating systems can multitask . entailment +oh well i um i tried it about ten years ago and i 've been doing it ever since i 've been having it treated I have stop doing it ever since . neutral +He was touched by a Hell 's Angel . Hell 's Angel angered him in a way no other thing has ever angered him before . contradictory +The Galata Tower ( Galata Kulesi ) was the keystone in the colony 's defences . The central principle of the colony 's defense was the Galata Tower . entailment +They forced their way inside , then realised they had nowhere to go . There were no exits , so they were stuck inside . neutral +He was dying , he thought as blackness overtook him . He never felt more alive when the blackness overtook him . contradictory +After that scene , horse racing may seem rather tame by comparison . Horse racing is comparatively the most extreme . contradictory +There is no time to lose ! " Whittington had come down the steps . We have to leave now ! cried Whittington . neutral +Leading organizations also focus on hiring managers who bring a hybrid of business and technical expertise to the organization . Managers who excel in business and technical expertise are a high priority for leading organizations . entailment +they 're uh yeah and they did they made some trades uh oh they had one white guy i can 't think of his name that was real good They have been trading and have made contact with one white guy . entailment +Programs that follow a knowledge-based approach typically have a higher probability of successful cost and schedule outcomes . Although the knowledge-based approach is more successful , it requires more effort and funding to implement . neutral +When they watched these films alone , the Japanese and the Americans had similar , distressed expressions on their faces . The difference in facial expressions between Japanese and Americans during viewing of the film was very clear . contradictory +Senate , House , or both--GAO will work with the requester to seek bipartisan support for such requests . GAO requests to seek bipartisan support entailment +When enlistment rates are down , Army recruiters panic and misconstrue their points . Army recruiters were too worried about the numbers to focus on anything else . neutral +uh i 'm i 'm not real sure that the young girls of today are being forced into the job market as many of them imply i think they 're going in by choice I know that young girls today are forced to get jobs . contradictory +That one of them fitted I know . I do not know whether any of them fitted . contradictory +Estimated Annual Construction and Boilermaker Labor Required for Clear Skies Act . Boilermaker labor is required for the clear skies act . entailment +yeah they sound familiar i probably saw parts of those you know a lot of times i 'll watch i 'll start watching a movie and i 'm tired and it next thing you know it 's it 's especially if there 's commercial in it I get tired if the movie isn 't holding my attention neutral +She nodded . She also smiled . neutral +When entering the museum , children are offered worksheets that keep them busy seeking out information from displays and diagrams ; they seem to relish the challenge , as do many of the parents . The museum offers worksheets to children to help them stay focused while touring the displays . entailment +Seven gates are still in use . None of the gates are still in use . contradictory +you know full cash price for it i mean you know you can 't tell what what a company really has to do with it and there 's something rather ominous about having We have concerns about paying the complete price in cash because we 're unsure what a company has to do with it . entailment +I hope that I can count on each of you and others to do the same . I intend to do the same for myself as well . neutral +I said nothing . I was quiet . entailment +Recent Changes in U.S. They were unexpected changes . neutral +Severn spoke with pride at their achievements . Severn thought they had achieved everything they needed to . neutral +he 's heavy into Japanese culture uh along with uh the Ninja the arts of Ninja and all all the various uh martial arts He practices martial arts himself . neutral +Critics applaud Finnegan for his in-depth reporting and sympathetic portrayal of the lives of a gang banger , a crack dealer , and a skinhead . Finnegan often works with those on the edges of society . entailment +'Jasie ! ' The moment she saw me , Derry smiled . Derry scowled when she saw me . contradictory +The original territory of the ancient civilization of the Etruscans has always been independent-minded , even aloof , in its attitude to Rome and the other regions . The Etruscans did not hold Rome in high regard . entailment +Contribution and cost coverage change to reflect those differences . Changes in contribution and cost coverage in order to reflect on the differences . entailment +a lot more indepth A lot less extensive . contradictory +'Hey- what 's behind this door ? ' Came a voice from above , followed by the sound of splintering wood . Someone broke open a door . entailment +In any case , if I had actually been interested in buying the print , with the help of the Web , I would have been in a far better position to negotiate a favorable price . The internet would have helped negotiate a better price for the print by the famous artist known as Ashcan . neutral +Somebody else assumes the chief role . The chief role is th dream job for many . neutral +uh i know I don 't know about that . contradictory +Perhaps you would like to come with me ? " We acquiesced and followed him out of the room . I don 't want you to join me . contradictory +Newsweek ' s ninth health cover of the year warns that E. coli food contamination is more common than is reported and won 't be eradicated with simple beef recalls like the one at Hudson Foods . Newsweek 's ninth health cover talks about the evasiveness of E. coli . entailment +She will not be able to answer your question . That does not matter . She will answer the question correctly . contradictory +The analyses use both quantifiable ( percentage increases or decreases in costs ) and general descriptions of the effects of the rule on the small entities . The small entities are positively affected by the costs . neutral +Unfortunately Frank Sinatra and company no longer patronise the Kassit , but it is still one of the best caf ? ? -restaurants to be found on Dizengoff Street . Sinatra doesn 't go to the Kassit anymore . entailment +Mr. Inglethorp 's . It did not belong to Mr. Inglethorp . contradictory +it 's not composting It is not called composting . entailment +Although policymakers appear to have generally agreed to save Social Security surpluses , there is considerable debate over whether and how to use the rest of the projected surpluses . policymakers do not agree on any issues , and ultimately make no progress . contradictory +especially after our friend Jimmy Carter gave it away anyway Jimmy Carter is our friend . entailment +While Hollywood is more remembered than experienced nowadays , its neighbor West Hollywood a separate , incorporated city defines the new cutting edge . West Hollywood is a rundown remnant of a once great place . contradictory +The cathedral was constructed over several centuries and the facade offers a remarkably harmonious anthology of Gothic architecture . The facade has been restored and well-kept over the centuries . neutral +that 's very true i don 't know if they just take it for granted that they you know it 's an American commonwealth they really don 't have to advertise that much but that is an interesting point but i i believe it 's a very popular vacation destination They don 't advertise it much because they know it 's a popular area in America . entailment +Here you can try your hand at animation or be a TV star ; hang-glide over fabulous desert landscapes ; sample wines , tortillas and sourdough ; visit the Muppets or a boardwalk ; ride a looping rollercoaster or thrilling river rapids . One has a chance to try hang-gliding . entailment +i i tend to if nothing else i tend to turn on the television at eleven o 'clock just to watch the news and or or Nightline or something just sort of get a good you know a good a good think for the day I tend to turn on the TV a 11 . entailment +my dad died you know when i was less than a year old so i always just had a mother so i always thought when i have kids you know i really want to be involved with them My dad fought with cancer and passed away last year . contradictory +'I doubt it . I doubt we 're going to win the lottery . neutral +The complex consists of a 48-story main office building , a 34-story annex , the Metropolitan Assembly building , and a huge central courtyard . There is no annex or office building inside the complex . contradictory +The company , which is now traded publicly , was started in 1980 by a psychologist named Stephen Gordon , who was restoring a Queen Anne-style house in Eureka , Calif . , and found it maddeningly difficult to locate the period-style fixtures he needed . Gordon wanted homes to look modern . contradictory +Using WebEx hosting services , our grantees will be able to meet electronically via the web . Our needs won 't be guaranteed by using WebEx as a hosting service contradictory +uh i think that both the mother and the child lose and i think that 's why there 's so many problems you know with kids today because they don 't have the family roots anymore The semblance of family roots cannot be found in any other way for these children . neutral +Complex proposals and positions don 't fare well in the arena of 30-second debates--especially when the negative spots are as well done as this one and as well grounded in ingrained popular attitudes . Complex proposals will never beat an ingrained popular attitude . neutral +From 1962 until 1972 , the JLP held power . The JLP were the only major political force from 1962 to 1972 . neutral +yeah It 's even getting hard for the four year people to find jobs Everyone has been hurt by the economy of the nation , jobs are scarce . neutral +Julius understood . Julius did not understand . contradictory +yes as well as the the um the Quebec people that that speak French Yeah , like the people from North Quebec that speak French neutral +While Marcus poured vials of the crone 's strange liquids over her naked body . The woman had hot liquid poured all over her . neutral +These reasons , which have also discouraged other headquarters units , include the airlines ' refusal to establish separate official and personal travel accounts for employees , employees ' reluctance to participate , administrative burdens and costs , and limited savings . The reasons mentioned are the cause of a great feast being held in honor of the hard working employees . contradictory +even some stupid place way the hell out in the stupid country , thousands of miles away , like Alabama ! Alabama is a very close place , and easy to reach besides . contradictory +and you just sift Then you just sift the ground . neutral +I 'm assuming they never think of me in this context because to them I was the other half of a couple with Rob , and it would somehow be disloyal on their part to introduce me to other men . They really do not think of me in this context . neutral +uh-huh and we wanted to travel well that was really nice traveling but you know i like to know more i mean hear about more people that have things like that you know and see what they think of them the different kinds because i 've only ridden in the one that 's it I 'd like to hear of more people 's experience when ridding it . entailment +" Mister Kells said as to tell you he 's sleepin ' on a cot in th ' tack room over there , should you be needin ' him . " Callie pointed . Mister Kells said he 's sleeping in the tack room . entailment +The model allows us to focus on the contribution of national saving to output and living standards through the linkage between saving and the capital stock . We focused on contributing 4 % to national savings . neutral +The obvious targets of the sweepingly vague amendment are clinics offering confidential medical services , and schools providing sex-ed classes and suspicious curricula and books . Medical clinics won 't be affected by the amendment . contradictory +Adrin skipped the easier parries and attempted to put Jon off balance . Adrin was a better fighter than Jon . neutral +As himself Vishnu is shown with four arms , holding a lotus , a club , a conch shell , and a disk , often seated on a snake , symbolizing eternity . The snake he is seated on is Ouroboros . neutral +What about meals ? inquired the practical Tommy . The impractical Tommy inquired after meals . contradictory +Haroun-al-Rashid might have accepted the city , but Mayor Wagner could never have believed in it . Haroun-al-Rashi 'ds acceptance stems from the fact he was born in the city . neutral +yeah for so many years i was so deep in debt on credit cards and i finally dug my way out of them and that was enough to teach me you know you just i can do without them Credit card debt put me into a deep debt . entailment +so you have a little you know little you can program the one at Cosmopolitan Lady so The one at Cosmopolitan Lady can be programmed by you . entailment +and you think that would be relevant Do you have any evidence of its relevance ? neutral +FDA investigators also found a Philip Morris scientist who was silenced and fired after his research demonstrated nicotine 's addictiveness . There has never been research showing that nicotine is addictive . contradictory +The Guardian had apologized profusely to Patti Boulaye , an actress seeking election as a Conservative to the new Greater London Assembly , for having misquoted her in an interview . Patti Boulaye was never interviewed by The Guardian . contradictory +Save us the trouble later . ' Save us from having to do that at a later time . entailment +It was here that he wrote what was to become the final book of the New Testament , the Book of Revelation . The Book of Revelation is part of the Bhagavad Gita . contradictory +To meet these deadlines , facilities may need to be taken off-line during critical periods . Critical periods of time may be impacted . entailment +A what ? Jon shook his head . Jon disagreed . entailment +yeah it was really it was really oh well it was all full with uh shelves everywhere and we didn 't have enough books to fill it up but There were a lot of empty book shelves . entailment +Since specific authority to implement a fast pay process for the acquisition of goods and services at agencies exists as set forth in OMB Circular A12513 and FAR , our permission is not necessary . Our permission is not required because of OMB Circular A12513 and FAR . entailment +Then , the focus shifts to the strategic application of these tools within busines sspecific environments . These tools can be applied strategically in specific environments . entailment +Got away ' cause they met th ' wagon train goin ' south an ' whoever was eatin ' their dust huntin ' them didn 't seem to like the odds . They managed to escape by means of the wagon train . entailment +tough must be tough yeah yeah oh she she 's the middle one so she 's never been the only one so she really doesn 't even know what it is to be the only one she knows too well what it 's like to be the only one contradictory +Rothko 's triumphantly tragic career resembles what Robert Lowell called the generic life of his own generation of poets . Rothko had a tragic career . entailment +so that 's real helpful so you don 't you know have to do it during office hours run out on your lunch hour i don 't know how many times i 've done that to do something post office or the bank or any uh kind of errand People can run all errands on a Sunday , no need to use lunch hours . contradictory +and uh you go from the uh water pump up to the radiator and on the water pump it was all metric and and on you know the factory fittings you know the factory uh From the water pump to the radiator it was all metric , and you know the factory fittings . entailment +Cale de Alcali merges with Gran Via and leads to the Plaza de la Cibeles and the Paseo del Prado , with its trio of art museums . There was a duo of museums . contradictory +Another cart of trade goods dragged by dark-skinned slaves passed . Slaves dragged another cart of trade goods . entailment +-- Statements of Federal Financial Accounting Concepts 1 & amp ; 2 , and -- Statements of Federal Financial Accounting Standards 1-8 . The statements of private financial accounting is detailed in the report . contradictory +Later this year , the Foundation will initiate a study to evaluate the most effective way in which pro bono can be encouraged and supported . the Foundation will initiate a study to evaluate the most effective way in which chicken can be cooked neutral +yeah have you ever lived in a in a well but Dallas is i 'm is are you calling from Dallas I know you aren 't from Dallas . contradictory +The following year Zarco returned to claim the larger island he had seen from Porto Santo , and with him went Tristao Vaz Teixeira and Bartolomeu Perestrelo . Zarco is a narcotics trader in New South Wales . neutral +yeah of course you would You certainly would do anything necessary to keep your pet heathy . neutral +as well as Saddam Hussein i i mean i think their big problem up there is you know unfortunately not only are they there there 's more than one group fighting for the same place where they all want you know whereas the Baltics are saying well we want our own we just want this little tiny piece of land They are in a worse position than the Baltics . neutral +One deplores Microspeak , the company 's hideous , responsibility-avoiding A bug , for example , is a known issue . Mircrospeak is well-praised and beloved by all . contradictory +Their nostrils are very powerful . they might have powerful nostrils . neutral +However , Athenian involvement provoked the Persian king Darius to invade the Greek mainland . The Athenians successfully deterred the Persians from attacking mainland Greece . contradictory +i think she said their income would have dropped by like two thirds I think she said their income would increase by a lot . contradictory +But what could he do ? Into a small vat he poured with a shaking hand some fresh yogurt from two weeks ago . He poured fresh yogurt into a small vat . entailment +For some jobs , both case study and noncase study reports can be aggregated , Case study cannot be aggregated with anything else for other jobs . neutral +There are two main rooms downstairs the firehouse , a utility area for washing and brewing , and the downhouse , a living area with fireplace . The washing and brewing were done in the utility area . entailment +'You 're pretty smart . You seem to be smart . entailment +At the corner of Lawnmarket and Bank Street is Deacon Brodie 's Tavern . The Deacon Brodie 's Motel is far from the center , it 's next to the airport . contradictory +In a way , I think it has already helped Microsoft 's image . It helped Microsoft 's image because it showed that they care about animals . neutral +bonds or education savings accounts to pay for college , other provisions , such as the HOPE credit , are aimed more at making college more affordable . HOPE credit is aimed at making college more affordable . entailment +it would be terrible It will be bad without advice . neutral +it 's amazing we got a lot of problems here too i do mean In America , our problems are great in number as well , you know . neutral +But let me reserve that for another day . Let me save it for another year . contradictory +They began . No one participated when the games began . contradictory +Personal Communication ( 2 ) with Ande Abbot , International Brotherhood of Boilermakers , Iron Ship Builders , Blacksmiths , Forgers and Helpers , February 22 , 2002 . Personal Communication ( 2 ) without Ande Abbot , IBB , ISB , FH February 22 , 2002 . contradictory +A professor of English at the University of Mainz , Germany , believes she has figured out what William Shakespeare really looked like . There is an English professor in Germany who believes she knows what William Shakespeare looked like . entailment +yeah that has its plusses for sure The race car definitely have its pluses . neutral +Both principles within a critical success factor also focus on the same organizational units as targets of their implementation . There are multiple critical success factors for which this holds . neutral +Trying to apply those findings Succeeding at applying those findings . neutral +even though the all the college campuses now the they 're saying that the majority of of uh students uh drink Not many students ever drink on college campuses . contradictory +Suppose further that they can do this for 1.5 cents per piece and that this saves the Postal Service 4 cents per piece . They can do this for 6 cents , which the Postal Service can do cheaper . contradictory +It is sad that the best technical health-care system in the world is delivered so poorly that the professionals charged with caring for us feel compelled to sacrifice their independence in this way . We have the best technology but the worst delivery of health care . neutral +Alternatively , all themes within one site can be analyzed first ; then data from the second ( and subsequent ) sites can be examined . All themes within the first site are more important than the data from the others . neutral +oh i don 't think we did really either I guarantee that we did as well . contradictory +, called deep lobbying : Rather than simply using their money to buy influence directly , special interests pursue the longer-term strategy of funding plausible-sounding people and institutions that supply intellectual rationales for the policies they want . Deep lobbying is the action by which special interests fund plausible-sounding people rather than using their money to directly buy influence . entailment +He , only like himself , was second unto none.Whose death , though life , we rue and wrong , and all in vain do moan ; Their loss , not him , wail they that fill the world with cries ; Death slew not him , but he made death his ladder to the skies . He is still alive . contradictory +Gingrich rejected the timidity of Republican leaders and held himself out as the true conservative champion Gingrich denied the shyness of Republican leaders and set himself apart as the real conservative champion . entailment +Their tombs and stone markers range from the ostentatious to the elegant , the well preserved to the decrepit . Some tombs are the size of houses . neutral +like constantly it seemed like but fortunately i had small children and i didn 't have to go and it 's not that i mean i think everyone should have to serve on the jury it 's just that Because I had small children , I did not have to serve jury duty entailment +No , they were bromide powders . They were powders . entailment +He told interviewer Hiroki Fukuda that this century , more than any other , has been steeped in blood and controlled by the power of insanity . In the interview he told Hiroki Fukuda that this century especially has been covered in blood and ruled by the power of insanity . entailment +General Accounting Office Room 5X16 ( FMA ) 441 G Street , NW Washington , DC 20548 The General Accounting Office Room is in DC , but relocating soon . neutral +Something inside me tightened ; I kept the indignation down . I kept my outrage from coming out . neutral +they exactly and and yeah they never they never did things to embarrass the town and that 's what i think would be would be bad about New England They always brought embarrassment to the town and New England would be better because of it . contradictory +okay the latest movie i 've seen that i thought was fantastic was Dances With Wolves I thought Dances With Wolves was great . entailment +all they 're giving you back is a little bit of the interest you paid in The interest rate you pay is high . neutral +The gallery brings together a number of excellent private collections , including works by local Scottish artist Eduardo Paolozzi . The gallery brings together a number of excellent private collections in a synergistic way . neutral +Today 's Papers says go all the furnitureperson . The papers today say " Go all the futureperson . " entailment +If the main railway station is an overwhelming homage to Mussolini and fascist design ( 1925 1931 ) , the Pirelli skyscraper , opposite , ( Italy 's first ) , is a more graceful symbol of the new era . The railways station was built to celebrate the death of Mussolini . contradictory +Fleece easily melts , even when exposed for less than a second to the flame of a cigarette lighter . The fleece will melt from a lighter flame . entailment +Create a clear understanding of responsibilities within the organization Everyone in the organization should just do whatever tasks they think would be useful . contradictory +You can walk back to the center of town along the Corniche . The only way to return to the town center is by walking along the Corniche . neutral +but that 's exactly the you know the way it was and of course twenty five years ago you could you could uh you could You could twenty five years ago . entailment +County Wicklow , also to the south of Dublin , rightly deserves the title Garden of Ireland . County Wicklow doesn 't deserve the title Garden of Ireland at all . contradictory +right now there 's an idea That 's not an idea . contradictory +This is a delightful example of what lawyers call a bootstrap argument : If anyone points out that you 've broken the rules , that 's a challenge to your integrity , which requires reassuring the public , which means you have no longer broken the rules ! Clinton was using the bootstrap argument . neutral +yeah those have been i mean and our dogs now our dogs with our kids i have two little kids three and a half and one and a half I have never cared for kids . contradictory +She 's dead . He happily declared , she is dead neutral +Safed is famous for Jewish mysticism and its artistic community , and is therefore a favourite place for coach-tour operators and independent travellers alike . Safed is a popular tourist destination due to its community . entailment +From this observation tower , it is possible to see as far as Mount Everest . The observation tower does not have a view of Mount Everest . contradictory +What made them deserve such a fate while other men grew fat from their labor ? Everyone did their fair share . contradictory +A little minute , cried Poirot from the window . Poirot cried from the window when he saw the woman leaving . neutral +The Scots have traditionally hosted the best New Year celebrations in the world , and Edinburgh has expanded the one night into a five-night Hogmanay Festival of torchlight parades , street theater , and food fair in the days before 31 December ( & lt ; www.edinburghshogmanay.org & gt ; ) . The Scots celebrated New Years . entailment +In the film , for example , his wrestling days come to an abrupt end after he and Lawler erupt into a brawl while appearing on Late Night With David Letterman . But in life , the rematches would continue . In the movies , he stopped wrestling after he and Lawler fought on Late Night . entailment +Chicago ought to do the same . Chicago would be better off doing something else . contradictory +No , I do not say it is so , but it might be . I don 't say that is false , but there 's a chance it is . contradictory +If paradise on earth there be , There is definitely no paradise on earth . contradictory +I had new shoes . I had new footwear . entailment +A neighbouring clock showed the time to be five minutes to twelve . The clock nearby said it was 5 minutes to 12 . entailment +The Balanced Budget Act of 1997 requires that all proceeds from auctions be deposited in the U.S. All proceeds of auctions need to be deposited in the U.S. according to the Act . entailment +At the junction with Rua Mouraria is the Museu Municipal do Funchal ( Municipal Museum ) , yet another 18th-century aristocratic home converted into a museum ( entrance on Rua Mouraria ) . The aristocrats who lived there wished to open the home up after their passing . neutral +niceties amenities and you 'd probably like the pool there You would hate their swimming pool . contradictory +On the walls are portraits of Bonnie Prince Charlie and his brother , Prince Henry . There are portraits of the princes on the wall . entailment +In addition , certain existing and new cogeneration units are exempt , as well as solid waste incineration units and units for treatment , storage , or disposal of hazardous waste . Solid waste incineration units and units for treatment , disposal and storage of hazardous waste are spread throughout the country . neutral +well i think if you 're doing something really bad it 's going to show up Something bad will show up if you are doing it . entailment +Located on the western tip of Jamaica , Negril is also one of the best places in the world for watching the sun go down before heading out for a night on the town . The sunsets in Negril are amazing right before one goes into town for the night . entailment +OMB did not approve the information collection as submitted , but required FDA to invite comments on the information collection when the final rule was published . The FDA was required by the OMB to invite comments . entailment +Through 1905 , Helen Stewart expanded the ranch to 2000 acres ( 810 hectares ) , making quite a bit of money in the process . Eventually the ranch grew to its current size of 3000 acres . neutral +Nevertheless , although he had been too clever for them this time , and the charge of espionage could not be brought home to him , his wings were pretty well clipped for the future . He was convicted of espionage and sentenced to death . contradictory +The Kapale Martak ( Covered Market ) of Istanbul is the world 's largest covered bazaar , with about 4,000 shops , as well as banks , cafe , restaurants , mosques , and a post office , crammed together in a grid of 66 narrow streets that total 8 km ( 5 miles ) in length all protected from summer sun and winter rain by a multitude of domed and vaulted roofs . The Kapale Martak is a small open-air bazaar tucked into an out-of-the-way Istanbul alley . contradictory +He had only his private guards- I told you , he wants to make this quiet . ' He had his own private guards . entailment +She said that the prevalence of alcohol problems was higher than other risk factors . She said alcohol problems were less likely . contradictory +you know yeah well it didn 't hurt and she was more you know we was in a uh it was a play off of a sort i guess yeah we was down in there in North Carolina We were in North Carolina . entailment +we 've kind of had a variety there but i think a lot of times it 's it 's mainly who they 're going to meet with they 're they 're meeting with people that they know is gonna be dressed that way then that 's how they are if there just gonna be meeting with TIers They had a variety of different clients . neutral +right the one that 's like you get additional they 'll pay a little bit more i think for the different procedures we just have the basic right now and People such as yourself get an added benefit , they 'll pay more for the various procedures , we just have basic . entailment +Brief physician and nurse practitioner-delivered counseling for high risk drinkers . High risk drinkers also receive brief counsel from paramedics . contradictory +After a few months , trouble begins to brew--invariably with her supervisor . Trouble begins to brew with her supervisor after a few months . entailment +New Jersey has a Legal Services budget of almost $ 38 million and a staff of 500 , including about 200 attorneys . New Jersey has a budget of about $ 38 million for their legal services . entailment +uh-huh oh sure there are high schools as large as our community Most high schools are larger than our community . neutral +Now you could marry a rich girl . " The girl you could marry could be rich . entailment +Nobody knew how he felt . Everyone knew how he felt . contradictory +Could ( as many of you noted ) Shining Path , Slate ' s fiercely Maoist yet unreliable Internet service ? Slate 's unreliable internet service . entailment +Asess compliance and control effectiveness . Take a look at compliance and control standards . neutral +This information helps in making decisions such as to contract work out , undertake a project , or increase , decrease , modify , or eliminate an activity or product . Information like this could help us choose who to contract work out to , who to give our projects to , where to outsource our labor from and to , and which products to eliminate in the next quarter . neutral +On March 8 , 1996 , a notice of proposed rulemaking was published concerning the air portions of the rule . Someone forgot to publish the notice of the proposed rulemaking . contradictory +In the postwar period there continued to be constitutional changes , including self-government for Jamaica in 1959 . There were many constitutional changes during the postwar period in Jamaica . neutral +The good New drugs and treatments make it easy to live with asthma . Asthma is a terrible and like threatening disease . neutral +FEMA personnel will be on hand to meet with flood victims to answer questions and provide recovery information and written materials about various assistance programs . FEMA refuses to help flood victims . contradictory +5 The mailbox rule specifies that no one other than the Postal Service ( and the addressee ) may put mail into the box . The mailbox rule was put in place to discourage unsolicited mail . neutral +And he will help you now ? Yes . He 's not going to help . contradictory +For his knowledge of seafaring , he was given the title anjin ( pilot ) . The title of anjin is a difficult one to achieve and one must have significant knowledge . neutral +COKIE [ Nice try , slick ] : Handguns . Tanks and and rocket launchers were on Cokie 's mind . contradictory +I am addicted to thinking about sex . Sex with him is always on my mind . neutral +well i i don 't know there was well whatever it was there was a second there i couldn 't even hear what you were saying but um I 'm not sure what happened , but I couldn 't hear you for a second . entailment +In short , the FY 1984 change appears to have been the result of the proposal to expand LSC representation to aliens who were merely present as opposed to lawful residents . The change help the representation for the aliens . neutral +Built in 1966 , it is a stunningly modern building that polarizes opinion . It was built in August of 1966 . neutral +All offer a selection of hotels , bars , and restaurants . They have a great selection of Italian restaurants as well . neutral +i was just thinking about what movies i 've seen lately mostly uh we go to uh the second or third run movies i guess what the ones that we call the dollar used to call the dollar movies We always go to see a movie as soon as it is released . contradictory +Still , it has authentic 16th-century furnishings and a tranquil garden that at the least replicate the look and feel of a Toledan house of the era . The tourist destination is a replica of a Toledan house . neutral +and that 's scary It 's the scariest thing about it . neutral +to to really give me what i feel is support um so i 'm i i i think probably just an ace bandage would work An Ace bandage should give me the needed support . entailment +Less than the cost of a small caliber bullet ! It is less expensive than a small caliber bullet . entailment +She always had a rough tongue , but there is no stauncher friend in England than Evelyn Howard . " He took the path through the plantation , and we walked down to the village through the woods which bordered one side of the estate . We went through the forest down to the village . entailment +The following year , unrest grew among workers after 100 % increases in food prices . Food prices fell over the course of the next year . contradictory +She answered with a terse nod , striding straight out . She nodded and then left . entailment +Large-scale conversions were led by Martin de Tours , a soldier turned cleric . Martin De Tours was responsible for converting more than 10,000 people . neutral +The next major point of interest is Calede Sant Vicenc , a splendid cove which is now a resort centre . Calede Sant Vicenc has been modernized and now has a gigantic indoor pool . neutral +just they don 't feed them the old people food the chicken and biscuits and things like that that 's that 's the thing my grandmother really misses i mean really growls about My grandma really misses chicken and biscuits . entailment +so and so now it takes me ten minutes 10 minutes is the time it now takes me . entailment +yeah The World According to Garp he wasn 't always funny in that show was he He did a serious part in The World According to Garp ? entailment +The Grande Corniche follows the route of the ancient Roman road , Via Aurelia . The ancient Roman road Via Aurelia follows the Grande Corinche . entailment +What , you might ask , do dealers stand to gain from making information available online if it merely gives leverage to their customers ? Do the customers gain nothing from the information they receive from the dealers online ? contradictory +It was her I saw talking to Whittington at that nursing home in Bournemouth . There is a nursing home in Bournemouth . entailment +The Clear Skies Act retains existing Title IV requirements until the new requirements take effect . The Clear Skies Act is effective . neutral +The only really arresting work he did after 1950 is . With its electric brightness , this huge painting , which Pollock 's friends started for him , is stunning but sad , a big smile for the camera and perhaps a kind of requiem for his earlier work . With the help of his friends , Pollock created a massive painting . entailment +The brick-paved Piazza della Signoria is the center stage of the city of stone . Florence 's Piazza della Signoria is the heart of the city . entailment +Is the work low paid ? The work offers a very high wage . neutral +well as annual performance reporting and follow-up actions based on performance results . Annual performances affect follow-up actions . entailment +How did Adaptec or Skadden get on the list ? Skadden should not have been on the list . neutral +well i um uh i 've been retired from education for uh oh what eight years and i do i have a bunch of had i should say a bunch of little jobs such as a sales associate um of women 's I used to work in education , but retired 8 years ago . entailment +yeah it it uh i can 't remember how far in advance we reserved tickets but it was out you know out at the State Fair Music Hall We reserved our tickets in advance for the music . entailment +It was a real old bust-up . It was a definite charge-up . entailment +It 's not like we want it by mid-February . We need it before mid-February . contradictory +The jury-selection process is another good example of judicial make-work . They have detailed reasoning for who they pick . neutral +They seem to represent a third way , a healthy distrust of government and the market , levelheadedness leavened by a kind heart . They think the market is going to crash any day . neutral +We cannot lose sight of the fact that in a risk-taking environment businesses do fail . Risks in business are bad neutral +Look out for his Adoration of the Magi and a Madonna della Consolazione as sweet and serene as the Umbrian landscape of which you 'll catch a glimpse through the museum windows . The museum contains no windows , so there is no view to admire . contradictory +Our profession , the performance and accountability profession , currently faces a crisis of confidence that must be addressed not only for the good of our profession but also for the good of our country and the nation 's capital markets . The good of the profession is a higher priority to many of us . neutral +everybody 's in Texas God okay All the people I know are in Texas . entailment +The eyes of the villagers filled with both fear and anger . The villagers were angry and afraid . entailment +Not far from Nanzenji is the wonderful Eikan-do , an exquisite temple set against the hillside . Eikan-do is surrounded by elm trees and a neatly-pruned lawn . neutral +These Lincolns didn 't look the same as the one I 'd seen earlier . These Lincolns were better than the ones I had seen earlier . neutral +Under water Below the liquid 's surface . neutral +And if Gates didn 't edit the anthologies himself , his name nonetheless lent credibility and , therefore , enhanced funding prospects to deserving projects . The anthologies were published on Amazon.com last year . neutral +A generation ago , even 15 years ago , jail was as alien as Mars . As little as 15 years ago jail was as foreign as a planet . entailment +He has served as President of the Hispanic National Bar Association , Chairman of the Board of Directors of the Philadelphia Bar Association and a member of the House of Delegates of the American Bar Association . Though he has been a member of Hispanic National Bar Association for decades , he has never been anything except an ordinary member . contradictory +yeah i know it 's like they were using them as friends when we were having the conflict but i i you know it 's almost where i 'm kind of disappointed with the Iranians why they didn 't go save save i mean i don 't know if the Kurdish i know the Shiite 's are their people but i don 't know i think they have a bond with the the Kurds When we were having the conflict we were using them as friends and I 'm disappointed the Iranians didn 't go save the Kurdish . entailment +With a population of around 11,000 , it is one of the largest towns in the Dodecanese and is the major port on the island . It is a town that makes most of its money from tourism from ships coming into the port . neutral +And in 1976 Beatty resisted pleas to make a late primary challenge to Jimmy Carter . Beatty considered making a primary challenge to Jimmy Carter . neutral +The SEC cites section 203A ( c ) of the Investment Advisers Act of 1940 ( 15 U.S.C. In the Investment Advisers Act of 1940 , it clearly states that insider training is unlawful . neutral +Unlike other global bodies ( including the UN ) , the WTO enjoys unique enforcement powers , the environmentalists warn in their ad . Just like the other global bodies , the WTO likes to enforce things . contradictory +The one great feat that was achieved during their sovereignty , though , was the creation of the Suez Canal , an engineering marvel of its day that opened with great aplomb in 1869 . The Suez Canal was created . entailment +'Derry , is that you ? ' Derry , are you here ? " entailment +right and uh uh so they send you to that and then they monitor you i i believe on a weekly basis you have to go in and take a test for and this goes on for several months You stay at home with zero monitoring . contradictory +spring and well i guess we 're still in winter and uh I wish it was spring . neutral +A shocking number of his recent articles are based on something he saw on television . His articles have been superficial . neutral +The legislative history contains no evidence that Congress believed it was limiting legal representation of H-2A workers to the period when such workers were physically present in the United States . There is a lot of legislative history backing up the limited legal representation . contradictory +Sir James stroked his chin and smiled . Sir James rubbed his face . entailment +In 622 Islam was born , according to the teachings of the prophet Mohammed . Mohammed focused solely on Islam in his teachings . neutral +and they come to this country and uh commit a crime i think that irregardless of whether they have already become a citizen or anything they should be immediately deported They should be given only one strike on serious crimes . neutral +In exchange for helping the regent end a revolt of uppity Malay chiefs , Brooke was made Rajah of Sarawak in 1841 , with his capital in Kuching ( founded by the Malays just 11 years earlier ) . Brooke become Rajah after a bloody coup . contradictory +I 'm _ trying _ to . I don 't believe so . contradictory +13 Furthermore , construction has already begun or been completed for 4 GWe of the scrubbers that EPA projects will be built by 2005 under current regulatory requirements . Construction started or is completed for the GWes in West Virginia . neutral +He seemed to be getting the hang of abracadabraing up what was in his mind . He was learning how to create whatever he could think of . entailment +The river abounds with mahseer and trout , as well as two kinds of crocodile and the occasional blind freshwater dolphin . The river holds mahseer , trout , crocodile , and dolphin . entailment +Other individuals and organizations that we contacted , including a public interest group , a business group , and an academician , also cited concerns about a onesizefitsall approach being applied to agencies with vastly different missions . We decided not to contact any organizations about a onesizefitsall approach because we didn 't value their input . contradictory +That business about Mrs. Vandemeyer had worried me when Julius told me about it . When Julius told me about that business , I was concerned . entailment +In addition , it has produced two yearly a performance plan with key measures and a report detailing its progress in meeting its goals . A performance plan with key measures and a report have been produced . entailment +Here , too , the conquering Ottoman sultans chose to build their most magnificent palaces and mosques . The Ottoman sultans decided to establish farms here . contradictory +You hype them by bragging about it . Bragging about it may result in it becoming more popular . neutral +She 's radioactive because of the Drudge Report . The cover package also wonders who 's leaking information to the press . They know exactly who is leaking information . contradictory +A negative saving rate means that , in aggregate , households are spending more than their current income by drawing down past saving , selling existing assets , or borrowing . A negative saving rate is common in many households in our economy . neutral +huh was she elected or was it something that Did she win the majority of votes entailment +and yeah i think i don 't know how i feel about that i think maybe uh majority might be sufficient I feel confident in saying the majority will be sufficient . contradictory +According to my rabbi ( I don 't want to pretend to be a student of such things ) , later commentators said that meant that Abraham was blessed with the recognition that he had passed the trials of his life with valor and devotion and could now enjoy a peaceful retirement , content in his own eyes and in the eyes of God . My rabbi said that Abraham continued to overcome trials throughout the remainder of his days . contradictory +But your number 's up now all right , you b swine . " 139 Tommy lay silent . Tommy was in big trouble with the mob and was about to get killed . neutral +you do these fun things you know in other kinds of ways and i know Manhattan 's real expensive but um it 's kind of a different situation because you 're probably living in an apartment right Manhattan is the most expensive city in the country . neutral +Thirty years ago , it rested on the perception that we were willing to build bombs and deploy them . Bombs were built a plenty thirty years ago . neutral +He rolled under the Kal 's huge swing and avoided a straight kick . He avoided a kick . entailment +GAO conducts many critical instance studies . GAO is not involved in studies . contradictory +yeah i i like sewing sewing up the garment itself i really like to do that but the the cutting and the all the even the cutting i don 't like I don 't enjoy the cutting , but do enjoy the sewing . entailment +According to the USAT Snapshot , fully 62 percent of members of the U.S. college class of 2001--which the paper notes , includes Chelsea Clinton--would not ever consider doing what either of their parents do for a living . Most college students don 't want to do what their parents do . entailment +Thousands of low-income residents throughout the San Fernando Valley face exploitation in the workplace -- overtime without pay , long hours without breaks , earnings below the minimum wage . Exploitation of low-income workers in the San Fernando Valley is rampant . entailment +i know i bought a a brand new i bought a Jeep with everything on it I just bought a new Jeep with a few features . neutral +but it 's the winter months that i can get serious about swimming I can focus on my swimming skills in the winter months . neutral +a man present i don 't think i 'm less than a man because of that i but i see that and God 's really shown me that and i don 't talk to them i don 't try and witness to them don 't try and convert them i just say you can you can either you can come back when my husband 's here I feel like a man would better be able to answer your questions . contradictory +We will help you . We can give you assistance . entailment +uh no no but i know somebody who does and that 's how i got into this so but uh That somebody is Tony Hawk , maybe you 've heard of him , he 's a famous artist . neutral +Click Sony Music WWW Server to go ... Clicking the link will redirect you to a Sony website . neutral +Therefore , once in place , internal control provides reasonable , not absolute , assurance of meeting agency objectives . When it 's in place , internal control gives a fair level of assurance of meeting agency objectives . entailment +Apparently , Ron Hoffman had signed a public anti-war letter . Ron Hoffman signed the letter that went to the newspaper . entailment +But Cook 's entire strategy is built on the principle that it 's possible to predict , in the short term , when stocks will rise and fall . Cook believes no one can crack the code of the stock market . contradictory +Beyond the two monuments is Waverley Bridge . Both monuments are a testament to quality art . neutral +well uh i used to watch Sixty Minutes as a matter of fact and uh and i used to like the show very much I would watch the show with my parents . neutral +The study found that effective design review practices result in less rework on the part of the construction contractor , fewer change orders to correct design errors and omissions , and lowering the cost of belatedly adding project upgrade features that should have been addressed in the original design . Construction contractors don 't require as much rework if the design review process is effective . entailment +well i think we 've got uh like a language barrier too i think most of the people there speak only Spanish i 'm not sure how fluent they are in English and that 's one of the major problems i i see with uh other countries as such being uh say the possibility of becoming states that we don 't have a common language with them Spanish speaking countries should never be allowed statehood . contradictory +I did not know it until afterwards . I didn 't realize until later . entailment +On the cenotaph are the 99 names of Allah . There is one name for Jesus on the cenotaph . contradictory +'Just a question , ' White said . White said he had a question to ask of the woman . neutral +Six weeks ago a Times op-ed piece by political scientist Lucian Pye explored the formidable mindset that governs China today . On his first article on the Times , Lucian Pye explored and wrote about the dangerous attitude that rules China today . neutral +The friezes on the northern side , depicting battle scenes , weaponry , and naval equipment , celebrate Julius Caesar 's victories over the Gallic tribes of the region and the merchant fleet of the Greek colony in Marseilles . Julius Caesar won the battles against the Gallic tribes . entailment +( Have I made the sale ? I was wondering if I made the sale . entailment +His feelings were so illogical he could have laughed at them , only he had no laughter left . His feelings were simple and logical , though they were still not humorous . contradictory +With this increased focus on agency accountability also came recognition of the need to elevate the agenciesa information management positions to more strategic , executive , levels , comparable to the CFO positions created in 1990 . Information management positions are critical to agencies ' proper functioning . neutral +These standards define the minimum level of quality acceptable for internal control in government and provide the basis against which internal control is to be evaluated . The manager doesn 't enforce the regulations very well . neutral +But she also quotes the Amsterdam News , which says that Johnson was welcomed like a conqueror when he came back to Harlem in 1963 after doing time in Alcatraz and other prisons . She doesn 't quote any European newspapers regarding Johnson . contradictory +Five years ! Two years only ! contradictory +Somehow , I can 't imagine Clinton saying that . Somehow , I can 't imagine Clinton saying that because it sounds so mean . neutral +I am also , generally , against gambling . I am against most gambling . entailment +That 's about $ 170 million a year from Florida lawyers alone . The figure of $ 170 million is grossly exaggerated , as this is actually closer to the number for the entire country . contradictory +i did some needlepoint years ago and then i got into the Bargello Studying needlepoint really prepared me for the Bargello . neutral +But I should have paid closer attention . I should have paid closer attention . entailment +Dogging ' Rita' Rita got dogged . entailment +but i just i kind of worry about getting a car that 's that new with low mileage on it because you wonder why did the person that owned it want to get rid of it is it a lemon or or is something wrong with it but i guess that 's a risk you have to take I worry about buying a used car that is quite new with low mileage entailment +Requests for interpretations should be directed to OMB 's Office of Federal Financial Management or to the Executive Director , FASAB . This is to set official policy about the interpretations . neutral +yeah well i guess that 's uh the price of freedom i guess is a little anyway the uh uh the the public service thing again i i i i guess in my own having had the whole three or four minutes to you know give it a great deal of thought here uh Yeah well that 's the price of freedom entailment +Evaluate the performance evaluation package theagency will use . We need to observe which evaluation package they use . entailment +It 's more respectable than I thought it would be , said Tuppence thoughtfully . It was less decent than Tuppence thought it would be . contradictory +He was amused by my Slateness . He laughed and laughed until he fell over . neutral +Al and Tipper Gore have helped by saying they 've each had counseling but , as Frank Rich has noted , Tipper 's use of such euphemisms and the avoidance a professional title [ that ] might include the prefix ' psych- ' ... Frank Rich is critical of Tipper 's use of euphemisms . neutral +However , the treaty requires all inspections to accord with the constitution of the country where the inspection takes place . The treaty requires that inspections follow that country 's constitution . entailment +He saw no one but Conrad and Annette , and the girl had become dumb . He didn 't see Conrad there . contradictory +The specific nature of these principles varied depending on the organizationas mission , size , culture , and other factors , but each underlying key principle was consistently observed . Each key principle was observed in the utmost importance . neutral +yes i do i have um uh fifty megabyte hard disk on a so i got a i little you know lot of room for information i 'm a i 'm a programmer at work I 've never worked with computers in my entire life . contradictory +Leather Goods . Pleather . contradictory +Hungerford then opened the floor for discussion . There was no discussion allowed . contradictory +In case this remedy doesn 't ease the pain , several street-level dentists and denture shops have set up close by . In case this remedy does not ease the pain there is no other option . contradictory +Once it was restored , between 1872 and 1876 , the palace became respectable . The restoration of the palace took a major toll on the government . neutral +A Bridge to Forever those are really really mind expanding books his concepts are so different than what i would have ever dreamed of I have never read any book titled A Bridge to Forever . contradictory +In the charming Camera di San Paolo ( Via Melloni ) , you 'll find the Benedictine convent 's private dining room for the highly unconventional abbess , Giovanna da Piacenza . Giovanna da Picacenza was considered a highly unconventional abbess . entailment +The 8-year-old study says 59 percent of a sample of college students think oral sex doesn 't constitute having sex . The 8 year old study found 90 percent of college students saw oral sex as ' having sex ' . contradictory +We are much obliged to you , Mr. Cavendish . " Dr. Mr Cavendish hasn 't helped at all . contradictory +Once the harbo r for all incoming junks and sampans from the Straits of Melaka through the Perakiaiver , the city is located on the Kinta River 220 km ( 135 miles ) north of KL . The city is located 220 km north of KL . entailment +The sight of me calmed Poirot almost immediately . Poirot got upset when he saw me . contradictory +But if the Chinese did try to buy favor with the Democrats , it may have been because they already owned the Republicans . If the Chinese tried to buy favor with the Democrats , it 's because the Republicans rejected them . contradictory +so there 's no checks and balances There are strict checks and balances . contradictory +That 's about 8,500 cases a year . There are over eight thousand cases a year . entailment +We selected the private sector companies based on ( 1 ) recognition for outstanding financial management practices and / or successful financial reengineering efforts , ( 2 ) size and complexity comparable to federal government agencies , and ( 3 ) discussions with members of our advisory group . Companies were selected based on size and complexity comparable to federal government agencies . entailment +Now they argue that the single entity suppresses salaries and violates antitrust laws . The state is saying the corporation is violating the tailgating laws . contradictory +But it was a hint , wasn 't it ? " That was a hint , right ? entailment +If it 's a family , it 's more like the Corleones than the Cleavers . They are more like the Cleavers than anything else . contradictory +Well , I said , encouraged , " as the person who entered did not do so by the window , nor by miraculous means , it follows that the door must have been opened from inside by Mrs. Inglethorp herself . I thought that Mrs. Inglethorp opened the door herself . entailment +They were baffled but not discouraged . They fully understood , and it got them down . contradictory +Kitchell 's men do , perhaps it is thought that they do so . Kitchell 's men do not . contradictory +Kelantan and Terengganu preserve a centuries-old tradition of flying ornamental kites measuring 2 m ( over 6 ft ) acroseand again from head to tail . Kelantan and Terengganu are fond of flying ornamental kites . neutral +The odds of winning are very low in fact , the house advantage is greater than that of any other casino game but it 's an inexpensive way to pass the time while you 're dining . It has the highest odds of any casino game . contradictory +Concealment was at an end . Hiding went on for days . contradictory +'I 'm coming with you , ' Lincoln said flatly . Lincoln stuck behind and didn 't want anything to do with them . contradictory +he takes more risks He takes big risks in the stock market . neutral +With riots growing ever more bloody in Bengal , Bihar , and the Punjab , India 's last viceroy , Lord Mountbatten , kept a mandate to make the British departure as quick and as smooth as possible . The riots grew bloody as the people opposed the British occupation and the lack of efforts of officials to enforce equality . neutral +See appendix II for a detailed description of the modeling methodology . Appendix II has no information on the modeling methodology . contradictory +that 's kind of far That 's quite a ways away , but I enjoy the drive . neutral +and uh you know which is like what David Lynch 's other movies were about you know the so i don 't know i just i didn 't think it was that good my wife liked it a little bit more than i did she looks she looks at more some of the uh more creativeness behind it you know she likes the different type of movies I think I enjoyed te movie more than my wife did . contradictory +Federal regulatory agencies have used both governmentwide and agencyspecific vehicles to notify the public about opportunities for public comment on upcoming rules . Federal regulators tell the public about upcoming changes . entailment +Peter Rostenberg noted that most trauma care is delivered in community hospitals , and practitioners in that setting often do not relate to Level I trauma care research . Peter Rostenberg noted that most trauma care is delivered in community hospitals usually relate to Level I trauma care research . contradictory +The supreme self-made man , Bonaparte in 1804 became Emperor Napoleon at a coronation ceremony in which he audaciously took the crown of golden laurels from the pope and placed it on his own head . Bonaparte was self-made , having grown up very poor . neutral +Nearby , on the south bank of the Liffey , is the Island ? ­ bridge Memorial Park , built in the thirties to designs by Edwin Lutyens ( who designed London 's Cenotaph ) . Edwin Lutyens designed London 's Cenotaph as well as the Island bridge Memorial Park . entailment +They were men without color , literally wearing gray and beige and brown . The men wore bright and cheerful colors such as yellow and pink . contradictory +yeah exactly i i um i just went out and got a new VCR yesterday I got a new VCR the day before today . entailment +they might have five hundred troubled youths when you have five thousand troubled youths plus when you 're getting into the well the kids now it 's twelve years old and they 're There are no troubled youths . contradictory +It 's an exciting and well-planned aquarium , interesting whatever the weather but certainly a good place to spend a rainy afternoon . The aquarium is only a suitable place for a sunny afternoon . contradictory +I would lure Lincoln onto this train with the promise of capturing White . I would tell Lincoln we 'd capture White and get the reward . neutral +As the examination of program implementation and program effectiveness became more central to the case study , so did the ability to generalize findings . The program implementation is examined by the researchers . neutral +Shenzhen 's main tourist attractions are its enormous theme parks . Shenzhen houses only one miserable theme park , small , old and filthy . contradictory +kickers on softball football teams Football teams have kickers . entailment +She , too , is deified and in a facade of six colossi 111 / 2 m ( 38 ft ) high stands at equal height to her husband a very rare honor for a consort in Egypt though his statues outnumber hers by 2 : 1 , a more subtle indication of his supreme power . It is rare for a husband and wife to have the same sized statues . entailment +well you know what 's going to happen there those files are going to back up on somebody 's desk just a that typical bureaucratic work The files will end up on someone 's desk . entailment +Nephew and heir of Julius Caesar , Octavius ( Caesar Augustus ) , founds the Roman Empire and embarks on 200 years of peace and prosperity There was no peace at all . contradictory +The Edinburgh Weaving Company ( on Castlehill ) has over 150 tartans for sale but will also custom make a kilt for you to take home . The Edinburgh Weaving company will sell you a kilt , but cannot design a custom one . contradictory +They had a fire going and were preparing to cook one of the mermaids . Mermaids are a delicacy in the country . neutral +yeah there are Yeah there are entailment +These proposals reflected the purported desire of mailers for smaller and , implicitly , more frequent rate increases . These proposals showed how mailers want smaller rate increases . entailment +( b ) Most of the increased tax revenue from individuals reflects higher income , not higher tax rates . More income from taxes is reflective of an increased tax rate . contradictory +What did Del 'Rosa teach you about the shadow style ? " asked Jon . " What did you learn from samurai master Del 'Rosa about the shadow style of sword fighting ? " asked Jon . neutral +He never would have married Selana if he had known this was going to happen . If it was possible for him to know that this would happen , he wouldn 't have married her . entailment +and how old are your kids and you don 't have any kids contradictory +He said , " Now what 's biting you ? " He asked , " Now what 's bothering you ? " entailment +An entrance conference is a meeting that GAO holds with agency officials at the start of an engagement . GAO holds an entrance conference at the beginning of an engagement with a private agency . neutral +yeah that 's very true No , that 's not real contradictory +Those restrictions take a big bite out of our power . Restrictions are biting the power possibilities . neutral +It had my face on the front page , next to Jacob White 's . The front page showed my face . entailment +yeah we talked about that one too and he he said he didn 't think it should of gotten all those awards he thought it was too long but The awards should have gone to more talented individuals . neutral +, that his sexual relationship with Hillary is not all it 's supposed to be , let 's assume that some of the allegations that Hillary--sometimes not necessarily being into regular sex with men--might be true . Hillary Clinton is a lesbian , we can say that with upmost confidence . contradictory +The First Report and Order also eliminates an exception to an existing rule which permitted cellular licensees under some circumstances to restrict resale by their licensed cellular competitors . The First Report and Order is intended to drive costs down for consumers . neutral +Experts are needed to interpret the disclosures and sometimes even they cannot decipher what is being reported . Experts aren 't needed to interpret the disclosures contradictory +that was that was my favorite that was my favorite entailment +Don Cazar , the Range harbors so many treasures Oro , and now this one . Don Cazar , the Range has many valuables such as Oro and now this one . entailment +Maybe someone was storin ' stuff , hopin ' to come back when the war was over . Maybe someone was hoping to store stuff until halfway through the war . contradictory +How can you gain the moral high ground , that lofty crag from which to hurl down scorn , when your native city--what 's the word ? Stop virtue signaling and overclaiming what you aren 't . neutral +yeah especially on electronic goods Electronic goods had no influence or difference . contradictory +It has a fine central portal with reliefs of Old Testament scenes on its pilasters sculpted with great dignity and power by Siena-born master Jacopo della Quercia . the central portal has reliefs of New Testament scenes . contradictory +no um my husband has a grandmother in a nursing home and that has been a real mess to say the least It 's been a dream once we moved my husband 's grandmother into the nursing home . contradictory +and i 'm still pretty much an Eagle fan i guess I still support the Eagles ! entailment +Here you 'll also encounter one of the most popular waterfalls in the Lake District . You won 't see any waterfalls here . contradictory +To see the first and oldest pyramid you must make an hour 's journey south of Cairo to Saqqara and , following this , on to the ancient capital of Lower Egypt Memphis . The oldest pyramid still exists after over 5,000 years since its creation , and that 's an amazing feat neutral +Most of the rock was cut away with the construction of earlier Churches of the Holy Sepulcher ; all that remains is the stone shelf on which Jesus 's body lay , now covered in polished marble . There remains nothing of the rock . contradictory +It was obviously all hand work , which must make it a thing of tremendous value here . The work was obviously all hand work . entailment +The Board did not identify any other statutes or Executive orders imposing requirements relevant to the rule . This was the first time that none were identified , there are usually at least three or four . neutral +Slowly the lion-helmed man 's grip on the haft of his battle axe relaxed and he fell dead to the dirt in a pool of blood . The axe wielding man fell to the ground , catching his last breath . neutral +Given that your efforts involved a lot of time ( and perhaps paying for the party ) and afforded the couple a wonderful celebratory evening , along with $ 900 to apply to their honeymoon expenses , Prudie feels you have given them a grand wedding gift . You loved them both , your best friends and wantnthem happy . neutral +I don 't think any of that will happen to Ben . I think Ben is immune to everything . entailment +are you required to by law Why do you do that ? neutral +Towards what end they were working , we did not know . Their motives were crystal clear and easy to discover . contradictory +As I understand it , an exit strategy is a sort of poor man 's Powell Doctrine . Exit strategies are cowardly neutral +yeah they couldn 't share any and i guess they had a little bit one year but They couldn 't share any of the food neutral +She also is an adjunct professor in the UM law school 's Civil Law Clinic . She works in the University of Michigan civil law clinic . neutral +Slim looked too genuinely the bearer of just such tidings . Slim did not hesitate telling up the bad news . neutral +Specifically , it sought to provide answers to the following They were ordered not to answer any questions . contradictory +He watched the man pass . The man passed by on a horse . neutral +Exhibit A-4 in Appendix A examines a schedule for retrofitting a facility with multiple ( seven ) SCR retrofits . There are no appendices to this paper . contradictory +just your Visa yeah Yes , just Visa . entailment +3 ) Even so , it 's Lewis ' fault for failing to put the outcome beyond question by going for the kill . When Lewis went for the kill , it was not at all his own fault . contradictory +But I 've learned to open a path--a difficult path for one in this world--and to draw from it , as you have been drawn . I know how to draw from a hard path . entailment +However , old sections of the town survive in the winding alleys of the medieval and Moorish district , known as the Alfama . Old sections of the town survive in the alleys they call Alfama . entailment +Nothing happened . Everything happened . contradictory +Virtually all of the major executive agencies have appointed CIOs , and many have taken positive steps toward the implementation of important information management processes specified by law . Major executive agencies are taking new steps to modernize their companies . neutral +Ca 'daan grew cold . Ca 'daan was freezing . entailment +Earlier in the film , Andy 's manager George Shapiro ( Danny DeVito ) , frustrated with his client 's self-indulgent performances , tells him that he has to decide whether he 's out to entertain the audience or himself . Shapiro tells his client he has to decide what his goal is before he agrees to another role . neutral +Tommy Tolles , a golfer finishing on 18 , made some gestures as though he was going to throw his ball in the lake , and the crowd cheered him on , which got Montgomerie flustered again . Tommy Tolles is a pianist and not a golfer . contradictory +Acidic deposition or acid rain occurs when SO2 and NOx in the atmosphere react with water , oxygen , and oxidants to form acidic compounds . Water and nitrogen in the atmosphere cause the acid rain . contradictory +Planted with hundreds of pretty blooms , all in pristine condition , it has kept accurate time since its creation in 1903 . Since its creation in 1903 it has not been capable of keeping accurate time . contradictory +Does his behavior add up to grounds for removal from office ? His behavior does not call for removal from office . contradictory +the moon held in the curved arms of a bridge . This is a description of a stunning painting . neutral +The site can be visited by car or bus tour , or by taking St. Kevin 's bus from the Royal College of Surgeons on St. Stephen 's Green ( leave 11 : 30am , arrive 1pm , return 4 : 15pm ; IRa10 ) . THe site can be reached by car . entailment +so Jan how do they recycle in Texas How do they recycle scrap paper in Texas ? neutral +Ok , he said . He said it wasn 't okay . contradictory +Me , I 'm beddin ' down in the last stall . I 'll hide in the last stall all night . neutral +GAO reserves the right to release any product that has been issued to the congressional requester but is under restriction if the product 's contents are made public prior to the expiration of the restriction date . The GAO may not release any product that has been issued . contradictory +For example , see Analytical Perspectives , Budget of the United States Fiscal Year 2001 , Executive Office of the President , Office of Management and Budget ( February 2000 ) , pp. 30-31 . The February 2000 text contains pertinent information regarding this accounting practice . neutral +The old backstreets here are full of character but seldom visited by tourists . The backstreets contain a lot of culture but are not often seen by tourists . entailment +and i don 't know what the solution is I might know what to do . neutral +Are you going to poison me ? she asked in a whisper . She asked loudly . contradictory +I might have included that in the six , but I did not . I didn 't include that . entailment +She shrugs it off . She didn 't care neutral +According to VBA officials , they are currently using TPSS training modules to facilitate the training of some new employees , but the training modules needed for other newly hired employees will not be available until November 2001 . VBA officials use TPSS training modules to facilitate the training of all employees . contradictory +The fact that Schmucko was Monica Lewinsky 's phrase placated no one . ) Monica Lewinsky 's manner of speaking is very brash . neutral +The tranquilizer took a few minutes to take effect . The tranquilizer required time to work . entailment +i don 't think i even know what a lentil is I definitely am aware of what a lentil is . contradictory +Similarly , in these two stories , the pilot and the two boys are , in effect , fighting against the power of race consciousness as a form of conformity , even as they are trying to find their meaning through their race . In the stories , none of them had to face any issues with race . contradictory +Prepared for Office of Policy , Planning and Evaluation , US Environmental Protection Agency . The Prepared for Office of Policy , Planning and Evaluation is part of the IRS . contradictory +I couldn 't have got away but for the girl , sir . I could have gotten away with or without the girl . contradictory +My speeches grew in length and verve , though I always tried to keep them reasonably brief . I tried to keep my speeches short , but I had a lot to say . neutral +It is a 3-km ( 2-mile ) tunnel of bamboo surrounded by sugar cane , with somnolent grazing cattle tethered along its length . The tunnel is made of bamboo and is surrounded by sugar cane . entailment +It would be very interesting to perform the same experiment with , say , medical journals instead of economics journals . Experiments will be very different using medical journals . neutral +Or those aspects of the federal CIO environment that constrain the federal CIO flexibility and hinder the ability to perform effectively may be examined more closely , and specific strategies to cope with those aspects may be proposed . It 's possible to propose strategies to handle the flaws of the federal CIO environment . entailment +The following hotels are listed alphabetically in three price categories , grouped according to regions within the Los Angeles area and Orange County . This is a complete list of the hotels located within Orange County . neutral +We 'll be sleuths in earnest ! " We are very excited to start sluething around . neutral +A piece argues that the media should stop reporting on the scandal because the public has spoken in favor of the president . No one has ever argued for the media to stop reporting on a scandal . contradictory +Occupying more than 12 hectares ( 30 acres ) , the Dublin Zoo was founded in 1831 , and has greatly improved in recent years ; there are plans for a complete renovation . The Dublin Zoo is huge and is scheduled for a reservation . entailment +The Sons of the Egg seemed to have suffered less , since they greatly out-numbered the others , but they were obviously more shocked by the rising of the sun and the healing of the sky . The sons of Egg were greatly outnumbered by the others . contradictory +There was no one I could appeal to for help without giving myself away to THEM , and if I risked it and failed and Mrs. Vandemeyer looked so rich , and so beautifully dressed , that I felt convinced they 'd take her word against mine , and think it was part of my mental trouble to think myself ' persecuted ' I felt that the horrors in store for me would be too awful once they knew I 'd been only shamming . " Sir James nodded comprehendingly . " I decided to ask for help because I was convinced they would believe my story . " contradictory +In evaluating the level of personal saving , it is important to distinguish between saving as a source to finance the nation 's capital formation and saving as a way for individual households to finance future consumption . There is more than one reason to save . entailment +Despite this , the various occupied populations quickly found themselves suffering harsher and more brutal treatment than they had ever experienced under their former colonial rulers . The occupied populations were suffering harsher treatment than under their former colonial rulers . entailment +George Pataki , relented in exchange for a compromise plan that will gradually raise rents by regulating the existing regulations . Regulating regulations is a productive way to do things , and raising the rent is going to be a pleasant surprise for the renters . contradictory +Vrenna put a hand on Thorn 's shoulder and the big man relaxed . Thorn got more anxious when Vrenna put her hand on his shoulder . contradictory +I smiled . I was happy . neutral +By 1990 , Hawaii was welcoming nearly 7 million visitors annually , seven times its own resident population , which is the most ethnically and racially diverse in the US . The visitors going to Hawaii were mostly non-Americans . neutral +yeah i mean women go all i mean what i 've seen like you know they like to wear something different every day and for me it 's like people know how i dress and we we have you know like the gym here A lot of people think most women want to wear something new each day and I just have this set style I like . entailment +Initially , the Romans ignored this isolated rebel stronghold , but in a.d. 72 they laid siege with an army of some 10,000-15,000 men , outnumbering the Zealot male fighting force by about 30 to 1 . The Romans attacked a Zealot stronghold in a.d. 72 . entailment +Finally , the Court is troubled because in cases where the attorney withdraws from a representation , the client is unlikely to find other counsel . Clients with mental health problems are more likely to loose their representation . neutral +Yes , we heard that Mrs. Inglethorp wrote to you last night . Last night , Mrs. Inglethorp wrote to you , we heard . entailment +Most other Christian denominations accept the Chapel of the Ascension as the place of Jesus 's ascension . The Chapel of the Ascension is believed to be the place of Jesus 's ascension . entailment +okay yeah me too you well you too bye It was nice to talk to you . neutral +The Chawk ( bazaar ) is famous for its perfumes , silks , and brassware . The Chawk is an infamous temple . contradictory +um-hum yeah well it 's so neat because it 's right there and i can go just right after work and you know before i get home because once i get home that that tends to be it so It is convenient , because it is very close to work . entailment +well i haven 't uh i 've been working in my own home for just um about the last three years but so i can just wear whatever i want around the house but before then i taught taught at the University of Houston and um I sometimes miss teaching at the University of Houston . neutral +You 're sure to slip up sooner or later . You 'll make a mistake at some point . entailment +Adrin pushed through and the others followed to get a view , the crowd around them complaining of the jostle . Adrin moved to the front of the crowd . neutral +Although the traditional industry is a great deal smaller than it once was , tourism has taken up the slack ; in summer , Kalymnos is busy with vacationing families from several European countries . Kalymnos is the most popular spot for European families to visit in the summer . neutral +Most of Higashi-Honganji is closed to the public , but the main hall and founder 's hall , rebuilt in 1895 after repeated fires , are notable for the rather groseropes of human hair fashioned from donations by female worshippers to haul the temple 's pillars into position . The main hall and founder 's hall was rebuilt in the year 2003 . contradictory +yeah i right they were either beat Houston in extra innings and then and then they actually won the series by by sort of a sneaky route um against Boston The man says that the team beat Houston in extra innings . neutral +John turned . John changed direction . entailment +It is run by a friendly and helpful employee of the town 's Tourist Information Centre . It is overseen by a member of the town 's Tourist Information Centre . entailment +oh yeah no that 's uh that 's a that 's a real interesting movie and it 's got a good historical perspective to it That was a very interesting movie . entailment +American Sensors has seen its detector sales skyrocket from under $ 1 million in 1993 to well over $ 60 million today . Based on projections , American Sensors ' detector sales are set to further increase . neutral +And he sure wasn 't the only Confederate to surrender . The Confederates surrendered because they lost the war . neutral +well Amy it 's been uh kind of overcast today and cloudy we have a our i have a son in kindergarten he was having a kite day The weather has been completely clear today . contradictory +At the top of the stairs stands a huge dorje , the tantric thunderbolt symbol . At the top of the stairs stands a huge dorje , the tantric thunderbolt symbol to ward of spirits . neutral +In particular , the Chief Financial Officers ( CFO ) Act of 1990 and the Government Management Reform Act of 1994 spelled out an ambitious agenda to remedy the governmentas lack of useful , relevant , timely , and reliable financial information . The government is not required to give out any financial information at all . contradictory +i believe there was one case i don 't i don 't know where i read it or anything but i think there there has to they have to have put innocent men or women to death before i mean I know that everyone who is sentenced to death deserves it . contradictory +If leave is not approved in advance , it should be reviewed for approval or disapproval as soon as reasonably possible after taken . A leave that does not get approved in advance should be reviewed in reasonable time , after taken . entailment +Figure 4 and Table 6 can be used to estimate likely profit and revenue losses to cream skimmers and Figure 3 to estimate the cost impact of volume losses . These figures all detail the scores of last night 's game . contradictory +But over the course of a generation , activists and bureaucrats have manufactured a single race out of a diverse mass of several million people whose origins can be traced to dozens of countries . We can trace all races to just one . entailment +If the fast-food world had only three players , and McDonalds 's proposed to buy out Burger King , how reassured would we be if they offered the palliative of selling a few franchises to Taco Bell ? If there were only three big fast food companies and two planned to merge would them offering a few stores to the third make anyone feel better . entailment +i think i was one okay um first thing i thought of was was just the men that put the flyers on the door and i 'm a Christian and i think i feel sorry for people that have to do that you know what i mean i always pray for the guys but when i 'm sitting on my couch and it 's and a man just walks up and puts his hand on my doorknob I open the door and invite them in . neutral +I firmly believe they will enable GAO to better serve the Congress , improve satisfaction with our work , and ensure equitable treatment of all requesters . I believe firmly that they 'll enable the GAO to destroy congress , ruin our satisfaction , and ensure unfair treatment to requesters . contradictory +The Court in Rust did not place explicit reliance on the rationale that the counseling activities of the doctors under Title X amounted to governmental speech ; when interpreting the holding in later cases , however , we have explained Rust on this understanding . The court in Rust agreed fully with us . contradictory +The political culture of nationalism reserved its approval for those who led ruinous campaigns in pursuit of impossible quests , Ajami writes . Ajami wrote about the killings in iraq . contradictory +The professor did not explode with fury , because a large amount of substances imported through diplomatic channels from the USA entered his blood stream from three mini-containers located on his right wrist . The professor 's left wrist was without containers . neutral +It huffs , puffs , and occasionally even blows a bit . Sometimes it blows a bit . entailment +The schools aren 't giving away the money The schools are holding onto the money . entailment +South of Kitchener Island is Elephantine Island , home to the Temple of Knum . The Temple of Knum is located on Elephantine Island . entailment +The Internet facilitates the sort of communications and activism that the Fords and Carnegies prayed PBS would spark . The major advantage of the Internet is that it allows for two-way communication while PBS does not . neutral +It depends how you go , explained Julius unblushingly . Julius did not blush as he explained that it depends how you go . entailment +Time and technological advances have passed the lighthouse by , and it 's not difficult to see why it caught Verne 's imagination . When Verne caught sight of this old lighthouse , his comrades sighed and resigned themselves . neutral +so yeah it 's nice to have these little little benefits that i know wouldn 't uh wouldn 't happen in a real small company several of my friends have left uh the Metroplex is just full of little companies and they 've left TI to go to a little company and and ended up you know even though they started with some vacation time uh it just did they had to schedule it around when they could get away and it just wasn 't as convenient as being able to say well tomorrow i think i will you know I 'm very happy at TI because of the way that they do vacation time . neutral +yeah they they get a lot of support here There is a lot of support here but most people don 't take advantage of it . neutral +Natalia was apparently satisfied with this . Natalia was unhappy with that . contradictory +it is they keep it at eighty one degrees year-round Eighty one degrees is far too hot for me . neutral +looks like Untitled ( 1946 ) . It might be Untitled ( 1946 ) . entailment +When you had that interview with Whittington , they had time before them . When you talked to Whittington , the had some moments ahead of them . entailment +Roman legions encountered the strongholds of the Castle Rock and Arthur 's Seat , held by a tribe of ancient Britons known as the Votadini . Roman legions found Castle Rock and quickly overthrew the Britons there . neutral +oh i 'm sure i i think you would probably You would think so . entailment +That 's the effort for which she really deserves megastardom . She deserves to be a megastar . entailment +Carefully husbanded , forty pounds will last a long time . Forty pounds will run out within a few days . contradictory +yeah sounds like we pretty much agree Seems like we have similar views . entailment +okay then that 's uh kind of a private By private thing I mean , it 's a social problem . neutral +well that sounds pretty neat i guess i guess for me um um probably the last time i went camping was uh back in high school with Boy Scouts we always took an annual trip up to uh Colorado and went fly fishing Last time I went camping was when I was young and in the boy scouts . entailment +well i can relate to uh when i decided to choose a college uh it really had very little to do with academics I eventually came to regret that decision . neutral +She snuggled against him , admiring him with her eyes . She admired him , as could be seen in the looks she gave him . neutral +The principal , during the meeting with the parents , had painted grand visions for the future - in two years he planned to open four more school in the city ( one fully configured for gaming exclusively on Korean servers ) and a school in every town where the computer user saturation level was above 23 percent .. The principal wanted to open four more schools . entailment +The approach and set of selected studies mirrors that of Viscusi ( 1992 ) ( with the addition of two studies ) , and uses the same criteria as Viscusi in his review of value-of-life studies . They had permission to mirror Viscusi ( 1992 ) . neutral +i was i was just uh oh well let 's see i guess we 've talked what almost five minutes We have not talked at all . contradictory +One security manager thought that requiring such signed statements served as a useful technique for impressing on the users the importance of understanding organizational policies . Signed statements don 't do anything and don 't help the user comprehend anything . contradictory +Republicans in Congress , by contrast , generally favored constructive engagement with China , while liberal and protectionist Democrats usually opposed it . Liberal and protectionist Democrats in Congress generally opposed engagement with China , but the Republicans were mostly in favor of it . entailment +What do you want ? You don 't want anything . contradictory +Surely we ought to secure the document , that is , provided the young man 's guess turns out to be correct , at once . If he 's right , we need to take steps to protect the document immediately . entailment +I had to breathe in to fit . The space was nearly too small for me . entailment +Like Clinton , Starr has used nonexistent or self-imposed secrecy requirements to avoid answering troublesome questions . Starr and Clinton have both dodged troublesome questions . entailment +Of course , if you 're not in those areas , you 're back to AskMe.com or FreeAdvice.com or RipOffCity.com. Even if you 're in those areas , you don 't have to use AskMe.com or anything else . contradictory +just beautifully written The writing technique was awful . contradictory +seventies eighties i guess 30s , 40s , I guess . contradictory +During the class , participants learn to apply unit cost principles to the products they produce as well as how process , activity , and individual cost elements , such as labor , materials , and overhead , are accumulated to become unit or product cost . During the class , participants do not learn to apply unit cost principles to the products they produce . contradictory +I 've half a mind to go back to the States right away . " These events have me confused and a good part of me wants to return home to the US . neutral +I hope Fred Goldman finds it . I hope Goldman never finds it . contradictory +It 's not easy to find your way around Lyon as the city is built across the looping confluence of the Sa ? ? ne ( rhymes with Rh ? ? ne ) and Rh ? ? ne rivers , with hills on either side and a peninsula in the middle . People use GPSes to find their way around the city of Lyon . neutral +Bridges link the Right ( north ) and Left Banks via the two islands in the middle , Ile de la Cite and Ile St-Louis . The Right and Left Banks are linked together by bridges . entailment +Well , Texas sure is a great big piece o ' country , so maybe you don 't know ' bout them river tricks . Texas is a rather large area , so perhaps you don 't know some things . entailment +These initiatives include working with providers to ensure that medical records support billed services . The initiatives include providers working to ensure medical records support bills . entailment +The center of the park is the Five Rams Statue . The Five Rams Statue is tall enough to be seen from almost any part of the park . neutral +The thing that impresses fans with catchers is arm strength , says Orioles bench coach Andy Etchebarren . Fans love watching a catcher throw a runner out at second . neutral +Scientists continue to learn more about global climate change , its causes , potential impacts , and possible solution . Scientists don 't learn more about global climate change . contradictory +This is part of the unrelenting psyche of the place . The place has an unrelenting psyche . entailment +Well , said Mr. Beresford , at length able to relieve his feelings , " what the dickens , did you want to take a taxi for ? " Mr. Beresford was puzzled as to why they were taking a taxi . entailment +but it should be a standard and and not left up to either the whim or the current overhead rate that 's uh that 's running in each department Things should be standardized rather than left up to each department . entailment +Recently the ashtray smell has begun to permeate our apartment--I presume through the wooden floors . Recently the garbage smell has begun to permeate our apartment . contradictory +Included in the southernmost end of the complex is the adjoining Pejabat Besar Pos ( General Post Office ) , in a similar Islamic modern style , and a shopping mall . The shopping mall is huge and was built in Islamic modern style . neutral +The modern town sits on the east bank of the Nile some 800 km ( 500 miles ) from Cairo . There are no modern towns on the Nile River . contradictory +The proserous Burgundy region boasts a great variety of fine wines and food ; lazy days on the Canal de Bourgogne , drifting past green meadows ; Romanesque architecture ; tiny villages with exquisite parish churches and open-air stone laundries ( lavoirs ) ; the grand ducal palace of Dijon , and Dijon 's museums . Burgundy is known for run . contradictory +The most recent research has uncovered evidence supporting another hypothesis that an attack by invaders or rebel forces may have brought about the end of this fine culture . Archaeologists are certain that a drought was the culprit behind wiping out the culture . contradictory +The signpost had read : Welcome to America Little . After hours of searching , we finally found the signpost that indicated the location of America Little . neutral +well let 's see other than gardening which i fiddle at i 'm not very good at what else do i mostly just computer stuff I mostly just do computer stuff . entailment +But you 'd better get the man who made this . You better catch the girl who made this . contradictory +With 14 million subscribers and minority stakes in everything from the Learning Channel to Time Warner , he has the resources to be patient , and the experience of the last four years shows he has the will to be patient as well . A very wealthy person owns a great deal of popular media resources . entailment +Family-values activist Gary Bauer announced he would form an exploratory committee to run for president . Family-values activist Gary Bauer , 78 years old , wants to run for president . neutral +Bond does not take bribes ! Bond is very professional at its work . neutral +Philip Morris is going to have decent-quality representation whether or not any particular lawyer decides to sully his hands . Phillip Morris will hire a lawyer with a poor reputation . contradictory +Looking up he saw a figure sitting above on an outcrop of ancient rock . He saw a person sitting on top of the rock . entailment +oh i do too much and it 's just gonna get better it really is It 's gonna get better in a few months . neutral +Among Lumet 's defenders are the Los Angles Times ' Kevin Thomas , who says the director makes the unlikely plot twists believable the old-fashioned through interaction with a screen full of strongly drawn , fully dimensioned , psychologically valid characters . Lumet is a director who incorporates unlikely plot twists into some of his / her movies . entailment +He must be false , a fake , a ph- ' Ben Franklin wouldn 't say phoney . Ben Franklin hated that the word phoney was equivalent to fake . neutral +Always ignorance . Constant incomprehension . entailment +Language is their biggest obstacle , but the Asian communities ' cultural isolation and service providers ' lack of cultural expertise also play a part , said NLS executive director Neal Dubovitz . Language is far from the biggest obstacle being faced by Asian communities . contradictory +The Sarbanes-Oxley Act of 2002 will help to close the expectation gap concerning the effectiveness of internal control over financial reporting by requiring management and auditor reporting on these controls . The Sarbanes-Oxley Act of 2002 requires management to report on internal controls . entailment +Newsweek rehashes last week 's Mars cover story with a long feature about the ingenuity and spiritedness of the NASA team . Newsweek has never written a story about NASA . contradictory +A good place for a cold beer , paid in pesos , is Taberna Dolores , which usually has live music in its courtyard . Taberna Dolores serves cold beer and it is known for it . neutral +How do you fare ? asked Ca 'daan . Ca 'daan didn 't speak to the people because he didn 't care . contradictory +Where did you find this ? I asked Poirot , in lively curiosity . From whence did you locate this , I inquired of Poirot with intrigue . entailment +um-hum um-hum did do you find that uh the area has changed since you built your home or has or has the area mainly it are the rest of the homes in keeping with the decor or in the style of yours Why did you build your house with different decors ? contradictory +Wearing a suit and working at a computer in an office tower are , believe it or not , preferable to backbreaking work in a rice paddy . Backbreaking work is preferable to working in a suit . contradictory +If they don 't route , we 're going to die . We were so happy to live . contradictory +For example , comparisons against worldclass benchmarks , such as closing the books in less than 4 days or processing payroll at $ 1 . The books should always be closed in less than four days . neutral +I expect your wire 's at the office unopened . You should not touch the wires at the office . entailment +If you missed the links in the article , click to read about an amateur historian 's account of Wittgenstein 's influence on Hitler and to read about the strange world of Hitler Studies . The amateur historian made no reference to Wittgenstein in his account . contradictory +Today , you can throw it on the screen and no one even notices . Today , you can throw partial nudity on the screen and no one even notices . neutral +All visits to Pompeii and Herculaneum should begin or end here , since the world-famous collections beautifully display not only the paintings and mosaics buried there nearly 2,000 years ago by Mount Vesuvius , but a host of other sculptures from the region 's villas and temples , brought here for safe-keeping . You should start or end in the spot because the art is so amazing . entailment +One criticism of our tax system is its use not merely to raise revenue but to encourage social policy , as in the deduction for mortgage interest or charitable contributions . A lot of people vote to amend the tax system . neutral +On the other hand , because of repeat visitors , the number of unique browsers in a given month is less than the total of unique browsers per week for those four weeks , which is less than the total of unique browsers per day over those 30 days . The number of unique visitors in a month is more than the number of browsers . contradictory +The library absorbed the Ambleside Book Club ( Wordsworth had been its most famous member ) and the Ruskin Library , which included many of Ruskin 's private letters . Wordsworth was never a member of the Ambleside Book Club . contradictory +Temperate and spontaneous fun sounds like something one might have to do in a work camp . A work camp would have temperate amount of fun . entailment +some of the crimes are just so brutal and so you know useless this may seem to be the best way out i don 't know You know , some of the crimes are just so brutal , and so pointless , though it might seem to be the best way . entailment +No , some one 's got ahead of us today by an hour or so . They are an hour ahead of us . entailment +Being a fugitive is a lot more glamorous when you 're doing it on TV . There 's nothing glamorous about being a fugitive on TV . contradictory +There is no time to be lost . We can 't wait any longer . entailment +Forget the lure of large firms , the security of a government post . Large firms are generally unable to lure , and government posts have non-existent security . contradictory +yeah well that it has some of the music we 've watched we watched Twin Peaks because uh uh a little bit so it have you know and i think she had seen part of it before We watched a show together . neutral +Many of these same itineraries can be covered on two wheels as well as on two feet , and mountain biking and bike touring are becoming more popular . The use of cars is becoming far less popular . neutral +and and uh that that then ends up being the the most common example for me That ends up being the rarest example I 've ever encountered . contradictory +The maple trees setting off the river and the famous old wooden Togetsukyo Bridge make it very popular with local tourists , so it is worth avoiding on Sundays and public holidays . It isn 't a popular tourist spot , but a gem known to locals . contradictory +Whatever your beliefs , the giant stone wall is an awesome sight . If you are Jewish , the stone wall is amazing , but those with other beliefs will not understand the significance . contradictory +Inside the gate , a stepped street leads downhill . The street lies outside the gate . contradictory +and one of them was lost for many many years and uh he actually he turns out to be a law man One of them was nowhere to be found for a long time . entailment +Sheryl Crow 's guitar licks seem so familiar that I have often suspected they 're simply mixed out of Stuck in the Middle With You . Sheryl Crow 's guitar doesn 't sound anything like Stuck in the Middle With You . contradictory +As we have reported , the current Medicare program , without improvements , is ill-suited to serve future generations of Americans . Medicare in its current form is remarkably well-equipped for the next generations of American beneficiaries . contradictory +um-hum oh i think that 's a wonderful idea That 's a great suggestion . entailment +chronic bronchitis Morphological changes Altered host defense mechanisms Moderate or worse asthma status Hosts have no defense mechanisms that can be altered . contradictory +Mr. Cavendish , I have some important business in Tadminster . It 's because in it 's in Tadminster that I have important business . neutral +( Actuarial Standard of Practice ) Actuarial functions can be performed in any way desired . contradictory +and you whip the line And you jerk the line . entailment +that was pretty good but the weather here in New England like like they say if you don 't like it too well well just stick around a little bit and and it it will change up and give you something that you may like worse or like more it all depends on on Mother Nature 's kind of fickle up this way i guess I do not like the changing weather in New England too much . neutral +Since Santa Monica residents wouldn 't think of driving so far east to spend their money , this chic seaside town has a comparable number of phenomenal shopping streets . Santa Monica residents have to drive at least one hour to find a shopping center . contradictory +Joined by Iranian kings known as Pahlavas , the Greeks were overrun in the first century b.c. by bands of Scythian nomads known as the Shakas . The Greeks forged an alliance with the Scythian nomads to oppose the Pahlavas . contradictory +My poor wife ! My poor wife has been hurt . neutral +so you like that more civilized kind of camping you got cots So you like pasta over rice ? contradictory +Therefore , accuracy of predictions may improve as further experience is accumulated in an agency . The accuracy is the best thing about the agency . neutral +I hope I am transgressing no professional etiquette in questioning you on the subject ? " I hope I 'm not being rude by asking you questions . entailment +He then persuaded the emperor to abdicate soon after his majority , and the regency would continue for the next youthful incumbent . Abdication of the emperor would never have happened without him . neutral +This creole , a mixture of English , African , and Spanish words and phrases , is still evolving and often indecipherable to the outsider . It has strict Latin roots . contradictory +A proof of that occurred almost at once . Proof of its incidence was immediately brought up . entailment +According to Ferguson , Pinker 's seeming endorsement of infanticide in a recent New York Times Magazine article exposes the ethical failings of the wildly popular new branch of science . Infanticide is a scary and really bad concept . neutral +that 's why they say always say it 's like five degrees warmer in the city at night time than out in the country It is five degrees cooler in the countryside . neutral +As part of the ebb and flow of Slate Slate is always the same . contradictory +boy they 've really got their uh man they really have their um entailment +You may even find pleasure in realizing that you have acted with noblesse oblige in not flaunting your superiority . You may notice that being humble lets you have more friends . neutral +The Prince of Wales Museum , at the southern end of Mahatma Gandhi Road , has a collection of miniatures and seventh-century sculptures from the caves of Elephanta , as well as a pottery and stone tools . The Prince of Wales Museum is located at the northern end of Mahatma Gandhi Road . contradictory +From estimate in above table US aggregate elasticity of demand with respect to computer ownership is -0 . Computer ownership includes tablet computers as well as desktop computers . neutral +and my first one kept the inside of the house nice this is a two story five bedroom and uh uh they only lived in the downstairs because he was divorced and had two children and they only visited him one weekend a month This house has two stories . entailment +When it comes to nationally ranked institutions in Maryland , several come to the Terps , the Johns Hopkins University and the Baltimore Symphony , just to name a few . John Hopkins University is not located in Maryland at all . contradictory +Even his admirers admit he 's dour and humorless . His admirers admit he is dour . entailment +That would hardly be possible , said Sir James gravely . Sir James was correct in his assumption that it was probably impossible . neutral +The demon gripped out with its other arm and buried its claws into the man 's shoulder . The demon 's arms were cut off by the man . contradictory +Not expecting a land attack , Commonwealth troops on the peninsula were ill-prepared . Troops on the peninsula could not have been better prepared . contradictory +This time she was much better prepared . She was ready this time . entailment +uh it sure has i really appreciate your call and uh it 's nice to talk with you folks from from down in the in the main office area and I 'm glad we could talk today . It 's great to hear from the main office . neutral +Adrin bent over , hand on his hip like an old man . Adrin was in pain . neutral +It seems to me an unnecessary expense to spend many millions of dollars to reduce a few people 's travel time by five minutes . Spending $ 10 million to cut less than 5 minutes off travel times for only a couple hundred people is not worth doing . neutral +well i guess it 's gonna depend on how i mean if if you 're talking about any if you 're talking about something that 's like a full time you know one year full time you know this is what you do you know you 're going to go and and fill pot holes and you know and you know all that stuff i mean i you know i don 't know None of that matters at all . contradictory +For a lot of people in the legal services , the initial reaction [ to the program ] ' Been there , done that ; doesn 't work . 'Been there , done that ' works for most people in the legal services . contradictory +Even the soul may be brought over when enough masters of magic work together and you were our greatest conjuration . You were a great disappointment . contradictory +The Secretaries found that the requirements are effective January 1 , 1998 , under the provisions of the MHPA and that plan administrators and sponsors , issuers , and participants needed guidance on the new statutory provisions before the effective date . The secretaries like to wear pink on casual Friday 's . neutral +Because of ' women and children first . ' Because of the old rule of ' women and children first' entailment +You get a notion of the magnificence of Burgundian court life by starting your visit with the ducal kitchens , built in 1435 , which boast six enormous walk-in cooking hearths . The ducal kitchens were built in 1435 with no real points of interest . contradictory +The final rules both contain information collections which are subject to review by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . The final rules ' content are free from OMB reviews . contradictory +The summary of the Initial Regulatory Flexibility Analysis does not address any other relevant federal rules that duplicate , overlap , or conflict with this rule and amendments as provided for by section 603 ( b ) ( 5 ) . The person who wrote the summary was fired for their work . neutral +They displayed tattoos of strange script and horrifying images on their arms , backs , chests , and faces . Their skin was pure without any markings . contradictory +uh they finally got smart and got a riding lawn mower which was a big improvement for for us us kids who had to go out there and uh mow the the grass every every week The riding lawn mower they got us works much better for us . entailment +The second recommendation , therefore , is intended to point out that results from the screening literature are not necessarily generalizable to real-world settings in which screening would be paired with interventions . The second recommendation is the most accurate filter for the the screening . neutral +The Young Adventurers take a lot of killing , boasted Tuppence . The Young Adventurers is a new video game noted for its violent imagery . neutral +Consideration of local concerns is important in conjunction with trading provisions . Local concerns will be considered . entailment +'You killed Derry . ' I repeated it , because I felt a terrible shame for almost forgetting her . Derry had slipped my mind but I pointed out that she too had been killed . entailment +that 's worth planting huh That 's not worth planting huh . contradictory +Junger is grimly precise about the mechanics of drowning , says Time ' s John Skow . Junger gives real examples of drowning victims ' experiences . neutral +Important foodstuffs like ducks and cattle were re-created in wood to make sure that the King would be provided for in his afterlife . Many Egyptian slaves were tasked with making special wood carvings for the royal burial tombs . neutral +They say the encryption issue will only be resolved when Congress debates the issue next year . The issue of encryption is considered to have already been resolved . contradictory +funny and i go what makes you a professional you know He asked all the questions , and I gave the answers . contradictory +Look out for the Gothic and Renaissance houses on the Rue F ? ? nelon and Rue des Consuls ( especially H ? ? tel Plamon ) and for the Place du Peyrou 's grand Maison de la Bo ? ? tie , acrosefrom the cathedral . Watch for houses on the rue F ? ? nelon and Rue des Consuls that are a Gothic construction . entailment +yeah yeah yeah i love uh i like i especially like instrumentals I prefer acapella songs . contradictory +They generally pick their prey at random , except ... did I have BBQ sauce with my lunch ? Yes , I did . They choose their prey carefully and with precision . contradictory +AOL countered that Microsoft had already tried and failed to launch a proprietary online service . Microsoft had never considered building their own online service . contradictory +well then she 's going to come out well rounded but outside of those kind of things you know the other thing that i 've really gotten into reading She will come out good and I like reading . entailment +Agency under Review The review will focus on finances . neutral +Although bidders tend to portray themselves as rescuing ailing companies--UPR said it was reacting to a decade of broken promises and poor performance at Pennzoil--in fact they almost uniformly bid for profitable , healthy companies that the market , for one reason or another , is undervaluing . Pennzoil was doing remarkably well . contradictory +It would not surprise me , however , if the governors returned the case because we cut the contingency , if for no other reason than that the USPS views the contingency as its private sandbox and doesn 't want the PRC playing there . If the governors send the case back , it 'll be a real surprise . contradictory +I 've been reading a lot about Buddhism , she added . She was knowledgeable about Buddhists neutral +The strength of the spot is that the fabric of its images converts the actuarial into the nearly spiritual , and raises numbers--money--to the level of moral values . The spot 's images are good for numbers . entailment +" But you have the gift . " You have the gift , don 't you ? " entailment +Just two years later , in 1929 , the landmark building hosted the first public Oscar ceremony ; it was also home to Marilyn Monroe for eight years . At first , the Oscars were held in a park . contradictory +Talk about toil and trouble ... Discuss about hard work . entailment +Shannon was supposed to have ridden south on the Range , not north . Shannon rode south on the Range . contradictory +It cannot be seen fully until you enter its precincts through a narrow passage from the street . Its is fully visible even before you enter its precincts . contradictory +Cartmel is a picturesque village , with winding streets and fine houses . The roads in Cartmel are generally straight . contradictory +uh it 's fairly sheltered waters right there and uh you don 't need any fancy navigation equipment because you can see all your destinations from one spot The view is restricted , you would need navigation equipment to see . contradictory +Today , the paintings and sculptures found in its necropolis of over 5,700 tombs provide fascinating evidence of the brilliant Etruscan civilization for archeology buffs . Studying all of the paintings and sculptures found in the Etruscan necropolis would be difficult for archaeology students and experts alike . neutral +so you know you never know You won 't have knowledge of it . entailment +so even though even though you don 't think it 's a deterrent which i have a tendency to agree agree i mean it 's a deterrent it 's it 's the ones like carefully thinking it out and stuff they think about it but a lot of the street crime that goes on and stuff they don 't really care and they don 't really care what happens to them i can see where it 's not a deterrent They were scared straight . contradictory +A boiler firing subbituminous coal and with only an ESP for particle collection and pollution control will require the most activated carbon consumption and the most steel for the ACI system . AN ESP particle collection system harnesses the power of extra sensory perception . contradictory +You 129 don 't suppose I came up those steps haphazard and said the first thing that came into my head ? " Tommy was pleased with the concluding words of this speech . Tommy was not happy with the end of this speech . contradictory +Hamon said directors of Kentucky 's four Legal Aid programs still are reviewing the cuts . Directors from four of Kentucky 's Legal Aid programs are reviewing cuts . entailment +A 1994 study for the American Bar Association concluded that approximately 80 percent of poor Americans do not have the advantage of an attorney when they are faced with serious situation where a lawyer 's advice and assistance would make a difference . A 1994 study for the American Bar Association concluded that approximately 44 percent of poor Americans do not have the advantage of an attorney contradictory +Providing consistent , quality information and assistance to a greater number of persons through computerized and web-based self help programs . Web based self help programs generally provide poor quality information . contradictory +without fear of damaging the fragile artwork . They live in happiness about burning art . contradictory +Because the Government has been entrusted with , and made accountable for , these resources and responsibilities , they should be recognized in the financial reports of the Federal Government and of its component entities . The government doesn 't agree that they should be recognized in the financial reports . neutral +during that same time frame didn 't you get some feeling that i mean they 're getting all these weapons and stuff didn 't it it bug you a little bit why they kept coming up with all this stuff Didn 't you think that they were using the weapons to steal stuff ? neutral +have you thought about that Have you considered that ? entailment +They may sub-contract to smaller but equally reliable companies in outlying regions . Some smaller companies are equally reliable as the big ones . entailment +Schumer immediately countered by running the D 'Amato commercial in New York City , labeling it the ad Al D 'Amato doesn 't want you to see . Schumer ran an ad as " the ad Al D 'Amato doesn 't want you to see " entailment +Not fully discovered and certainly unspoiled , the FWI are relative newcomers on the world tourist scene . FWI has been exploited for decades . contradictory +Mintz seems puzzled , musing that it wasn 't as though he 'd said America had no literature . Mintz was furious and said America had no literature . contradictory +Thank you for inviting me to your wonderful Country and the beautiful city of Toronto to talk with you about the subject that has been the primary focus of my professional life over the last twenty-seven years-the provision of high quality legal services to people who could not otherwise afford legal aid . Many people cannot afford high quality legal aid . neutral +Hardly a minute elapsed , however , before the door opened , and a tall man with a lean hawklike face and a tired manner entered the room . A tall man in a sharp business suit entered the room . neutral +Off the East Coast , try deep-sea fishing for barracuda or shark . The East Coast has no sharks or barracudas . contradictory +of air attacks . Of ground assaults . contradictory +In a voucher system , seniors have a choice of plans , but the plans have choices , too . Choices go both ways when it comes to seniors and plans . entailment +Starr is much more likely to be interested in Steele herself and in why she changed her story . Starr will ask her questions about her story . neutral +Why should she ? It just doesn 't make sense that she would do that . neutral +yeah that that 's possible i still think that that a lot of those people are the ones who really think that their votes don 't make a difference though as well i think it 's those same people who don 't know any better about how we vote are are are a lot of the people who think that well look at me i 'm just a little nobody my vote 's not going to count anyway you know and i think that 's probably a portion of the population that 's massively under represented i i i would guess that that that portion of the population is massively under represented and My opinion on the population 's mindset of the voting system is common . neutral +I can 't see why , I said , rather nettled . I was not sure why . entailment +He uses it even more than bona fide Christian-right pols do , as Fred Barnes points out , in order to allay suspicions that he may be moderate or indifferent on social issues . He uses it less than the religious right does . contradictory +Automobile buffs from all over the world come to check out the Italian designing talents of Fiat , Alfa Romeo , Bugatti , and Ferrari ( but also Benz , Peugeot , and Ford ) celebrated out at the Museo dell 'Automobile ( Corso Unit ? d 'Italia , 40 ) , south of the city center beside the Po river . The museum has 2000 cars on display . neutral +A 17 percent increase in this number is 1.17 ( 0 . The increase is considered substantial in this industry . neutral +On the left , you see the happy few being welcomed by Saint Peter . Saint Peter is welcoming a small number of people . entailment +Why , you wouldn 't recognize a frog croaking if you heard it . " Albert looked rather crest-fallen . Albert looked happy . contradictory +Someone asks the CNN guy , How are the ratings these days ? Someone asked about CNN 's viewership . entailment +History sometimes tells simple stories . Sometimes , history give us very simple stories . entailment +How can you make the capital gains tax a litmus test issue but say that the slaughter of millions of innocent children is something about which you have only a mild preference and don 't care much if people disagree ? The children they slaughtered were not innocent . contradictory +There will always be localized Italian-American gangs , but a wide network of criminals who have their hooks into organized labor and adhere to a code of silence ? Will there always be astronauts going to the moon in a space ship ? contradictory +As a basic guide we have used the symbols below to indicate prices for a double room with bath , including We used the symbols to show the price for a double room . entailment +The commercial companies , after capturing specific manufacturing knowledge , had executive level reviews to determine if the product development had sufficiently progressed to permit a transition into production . They aren 't yet to the point of reviewing the development . contradictory +The proceeds are an exchange revenue . The takings are not a form of exchange revenue . contradictory +A DOT official said that the Department permits the public to submit comments electronically on all of its proposed rules . A DOT official did not say whether or not the electronic comments left by the public are considered before a proposed rule is voted upon . neutral +The proportion of volume covered by this extrapolation procedure ranges from 0.1 percent to seven percent . The upper end of the volume covered by this procedure is seven percent . entailment +The Jewish quarter , referred to as Jew Town , is in Mattancheri , south of the fort . Jew Town was demolished and replaced with China Town . contradictory +Then , when Margo was giving a tour of the city 's murals to then-Texas first lady Laura Bush , they stopped at the home and Bush met Subia 's wife , Mickie . Subia 's wife was a polite and respectful woman . neutral +'Why would you assume that I do ? ' Why did you assume that ? entailment +Five percent of the allowances available for allocation will be auctioned . Ninety five percent of allowances will not be auctioned . entailment +yeah i think actually in any there are some places where some teachers are just afraid to teach you know are they going to or they go to work where they 're just baby sitters i think rather than teachers you know they 're job is to make sure that no kids get killed in their classroom for that day and Trying to teach the type of student in the area have been difficult and many lose interest in attempts to reach out and settle for how they run things currently . neutral +They look up slate in their index and see that it often occurs on the same page as roof , so they suggest this as a possible refinement of the search . They saw the term in the index and suggested the word be a possible search . entailment +Around the end of the 18th century , the traders found a Opium was the wonder drug that would solve the problem . The traders love opium . entailment +There must be a peep-hole somewhere in the walls . The walls are perfectly straight and clean because they were only installed yesterday . contradictory +yeah well we also need to be a little bit careful and maybe we start to not use the English measure anymore like when you listen to the weather forecast the the weather man may give the temperature in centigrade and fahrenheit and everybody ignores the centigrade and listens to the fahrenheit to the fahrenheit Everybody ignores the centigrade measurement . entailment +The Office of Information and Regulatory Affairs of OMB approved the final rule as complying with the requirements of the Order based on the information supplied by EPA , including a planned regulatory action document describing the reason for the rule and an assessment of the costs and budgetary impact of the rule . The rule was both beneficial and in compliance with Order 's requirements in the opinion of management . neutral +The final rule amends Regulation Y to improve the competitiveness of bank holding companies by eliminating unnecessary regulatory burden and operating restrictions and streamlining the application and notice process . Regulation Y is the last regulation drafted by the former president . neutral +uh yeah i got two grandchildren I am childless . contradictory +i 'm looking forward to it in about a just just over a year myself It is nearly three years away for me . contradictory +'Nonsense . Ben Franklin was a natural existentialist . ' 'What you 're saying is correct , Ben Franklin wasn 't an existentialist . ' contradictory +and anyway uh where uh oh we 're talking about the size of the company yeah it was uh about eight or nine thousand people when i got here it has in the past gotten up to eighty six thousand we 're not we 're that high right now The company stayed at the same size of nine thousand people . contradictory +Legally , I don 't think there 's any ground . Legally , I 'm positive we can file a case . contradictory +In the wash-stand drawer in Mrs. Inglethorp 's bedroom . It 's in the wash-stand drawer in Mrs. Inglethorp 's room . entailment +Who wrote that piece of shit , anyway ? The essay was amazing and the reader loved it . contradictory +i had a Buick Regal I still have three Buick Regals . contradictory +Both Dahab and Nuweiba are growing but remains less developed than Sharm El-Sheikh . Sharm El-Sheikh is not quite as developed as either Nuweiba or Dahab . contradictory +that 's about it i guess There 's a lot more coming . contradictory +You can see the kind of utensils and cake tins her cooks would have used ' at least , until the chateau was confiscated by the king for Berthelot 's misdeeds . You can view the types of utensils and tools her cooks might have used until the King took the chateau . entailment +She looked questioningly at Tuppence . She stared at Tuppence doubtfully . entailment +In the United States , almost half of the First-Class mailstream is workshared and an even larger portion of Standard A4 is either workshared or has preparation requirements that involve work the mailer must do . Each year in the United States , almost half of all mail is delayed because of steep requirements on preparation . neutral +Ca 'daan recognized his gloves . His gloves were taken from a demon . neutral +When analyzing Argentina , it 's important to keep in mind that since we 've been cheated many times , we have learned how to beat the system . We have never had any problems with Argentina . contradictory +The International Olympic Committee passed reforms . They were able to approve the forms . entailment +The smallest whitewashed churches house a simple cross , icon , and lit candles , although you will find the largest churches are somewhat more lavish and ornate . There is a vast variation in opulence among local churches . entailment +It became fashionable in the 17th century and wealthy Parisians built luxurious private homes ( h ? ? tels ) here . It didn 't become fashionable until late in the 19th century . contradictory +In 1920 Leith was incorporated into the city of Edinburgh . The 1920 incorporation of Leith into Edinburgh was a process that had been prepared for several years in advance . neutral +huh now in some of the towns around us they 're already picking up the newspapers Some of the places surrounding us are already getting newspapers . entailment +it got it got real rough It was too much to bare . neutral +um-hum that 's the one No , that 's not the one . contradictory +Bush 's Republican rivals are happy to exploit and hide behind the media 's pseudo-objectivity . Bush has Republican rivals . entailment +It seems odd not to have merely waited until tomorrow to report rather than wonder . They had no reason to wait any longer . contradictory +Had anyone seen a car standing somewhere near the Moat House that day ? Did anyone see the car parked near the Moat House ? entailment +i i i like the roominess of it uh and and i actually the only thing i 've done other than you know wallpaper and painting paint over the years in the in the interior is i did refinish all the kitchen cabinets and i put a kitchen in the basement I put a kitchen in the basement so I could rent the basement . neutral +This device is a visual counterpart to the firing of the One O 'Clock Gun at the Castle . The One O 'Clock Gun fires at exactly One O 'Clock . neutral +she said she would like to see homelessness as we know it She also would like to see other forms of poverty . neutral +um-hum there are some Kurds living in Iran all of the Kurds have moved out of Iran by now contradictory +En voila une affaire ! n / a contradictory +He is vice president and defense minister . He is only the vice president , being barred from serving in any other position . contradictory +well i i like i i just i just bogused on all my homework so it really didn 't matter I bogused on all my homework but did okay on the tests , so it didn 't matter . neutral +yeah well other than that i 'm not really sure we we try to recycle old clothes We attempt to recycle used clothes . entailment +Bush did ask for a resolution authorizing the Gulf War--by far the biggest U.S. military action since Vietnam--but only with the stipulation that he would go ahead with or without Congress ' OK . Bush publicly stated that he would abide by Congress ' decision . contradictory +At least , this is what I tell Italian-Americans who write me incredibly nasty letters when my mob stories appear . I get unpleasant letters from Italian-Americans . entailment +What is that ? asked the other sharply . They ignored it . contradictory +they 've got all this supplemental income coming in as if they aren 't ma king enough already as uh stars of the sport One of them does not have an additional income neutral +developing information on the risks associated with evolving practices , You must develop information on the risks of practices that evolve from small organizations . neutral +I took her across town , to see the lab . I took her across the lake to see the flowers . contradictory +At Taft High School and UCLA , Zucker said , the closest brush with poverty was reading newspaper articles about unscrupulous bosses withholding wages from garment district workers . Zucker said he avoided poor people for decades neutral +Arawak paintings , though fading , can still be seen on the walls of the caves . There are weathered Arawak paintings in the cave . entailment +They also created a packet of information available for free to help people navigate the court system without a lawyer . Information was available to help people use the court system without a lawyer . entailment +We obtained information primarily through interviews with senior security managers and document analysis conducted during and after visits to the organizations we studied . The information related to the number of birds nesting on the roof of the building . neutral +They were given guest quarters at Blue Harbour , another house farther down the hill that Coward also owned ; it can clearly be seen from Firefly 's garden . The guest quarters at Blue Harbour can be seen from Firefly 's garden . entailment +they have a nice dish in there for a chicken dish i forgot the name of it but it takes a special kind of sausage and you can only get it at Filipino stores The kind of sausage you need can only be found at Filipino stores . entailment +You can acquire a second spouse so long as you discard the first one . You can remarry as long as you first divorce . entailment +but you know it is it is a commitment and perhaps these people would rather be doing something else just as constructive and we 're making them do that People should only do it if they 're willing . neutral +you know from where i 'm at From where you are . contradictory +Case Example - Coordinating Policy Development and Awareness Activities An example is the coordinated policy development . entailment +that 's i knew you were going to say that i wanted i want to go see that I knew you were going to say that ! entailment +Or for some reason had he wanted León to spill this ? Had he wanted Leon to spill this for a reason ? entailment +This report looks at the core of the acquisition process , specifically product development and ways to successfully design and manufacture the product . The report examines the product elimination part of the acquisition process . contradictory +No , indeed . No , it did not happen , for sure . neutral +And Clinton unfortunately did that as well--though it drew less attention than his other comments . People are interested in what Clinton says or does . entailment +This new form of economic management changed the landscape of the Lake District once and for all . The Lake District and the Niagara Falls were changed by this form of economic management . neutral +PERFORMANCE AUDITS Auditing performance . entailment +Reason is objective --discovered in the outside world . Objective is found nowhere but in your mind . contradictory +The most articulate , and the most troubling , came from M. , who wrote , Last year , flying from Baltimore to Chicago with my entire family ( two really little kids included ) , we set down at Midway in a rainstorm . M. Flew with his family from Boston to Chicago . contradictory +oh yeah yeah i enjoy it i come home from work and and i usually say hello to wife and kids and then go out and fiddle you know just walk around the yard and I enjoy getting some sunshine while I walk around the yard . neutral +Yet Poniatowski recovered to preside over a reform movement that precipitated the creation of the 1791 Constitution , which restored the hereditary monarchy and overhauled Poland 's political system . There was a Constitution that was created in the late 1700s . entailment +Go back and read their work , from around the same time as Bell 's , and you have a totally different At least these authors ' arguments fall somewhere on the map of 1999 ( and neither of them seem to pay much heed to the U.S.S.R. ) . These authors appear to disagree with Bell . entailment +He found a door , but it led into a closet , filled with alembics and other equipment . He couldn 't find any doors . contradictory +it 's usually the eighty basic eighty twenty The typical one is eighty twenty . entailment +and i i think you 're right uh i think you 're right there um i do remember when it was over i remember when they were coming home uh but i remember the feeling back then you know like i feel like right now i feel like this country has been behind this war I feel like this country has been okay with the war before . entailment +Derry plugged herself into the mesh of circuitry taking up most of her living room , and spent a long moment doing what I can only describe as writhe . Derry was motionless . contradictory +Because every generation is in part responsible for the economy it passes on to the next , today 's fiscal policy choices must be informed by the long-term . Every generation creates an economy they pass on . entailment +Clinical the transition from research into practice . There is a transition from research to practice . entailment +um-hum so what else do you like to do besides reading Okay , what are some of your other hobbies ? entailment +uh i mean there there are times where uh video uh reporter actually will risk is life life and limb i 've seen it happen time and time again and uh well i remember one time up in Nashville Tennessee was one of the fellows fellows got mixed up in a with a riot going on down there but he was lucky he got out of it Sometimes , reporters take missions that are dangerous to them . entailment +Increased computer interconnectivity and the popularity of the Internet are offering organizations of all types unprecedented opportunities to improve operations by reducing paper processing , cutting costs , and sharing information . All types of new efficient opportunities are being offered by the Internet . entailment +All sorts of things for all sorts of reasons ; details on a need to know basis . All of the details are out at the same time because they 're all important . contradictory +These improvements have not taken place because well-meaning people in the West have done anything to help--foreign aid , never large , has lately shrunk to virtually nothing . If this trend continues , the West will become a net recipient of foreign aid . neutral +As terrible as this one is getting to be , he said at last . He noted that this one was getting to be terrible . entailment +Then you consider it more likely that the drug was administered in the coffee , but that for some unknown reason its action was delayed . The action was delayed , for reasons unknown , after the drug was likely administered into the coffee . entailment +learn your colors learn your alphabet learn all your your little terms here and and learn how to uh begin learning some of the reading and by the second or third grade uh the little school system that we 're in they have uh really a lot of computers uh it 's a very wealthy district as as all that fighting 's going on over who gets the money and the like but they have It 's a rich district and much of the fighting is over money . entailment +He reached for her and pulled her to him . He extended his arms towards her and grabbed her to him . entailment +Perhaps , I said doubtfully , for I was really quite indifferent to the fate of Alfred Inglethorp , and thought that a good fright would do him no harm . Perhaps , I said , for I was too tired to worry about the fate of Alfred Inglethorp and figured a good scare would help his foul mood . neutral +terrible you get those uh Chinook winds coming across the prairies and golly it 's uh it 's unbelievable the extremes in weather up there but i enjoy it gosh i The weather there is very extreme because of the Chinook winds coming across the prairies but the summers are beautiful . neutral +yeah uh-huh yes i don 't i don 't think i 'm a real true trooper you know when it comes to camping all the bugs and stuff but i i try I don 't think I 'm the best at camping since there are lots of bugs . entailment +It is drunk as an aperitif , and indeed throughout the meal . It is never drunk after the meal . neutral +yeah and she was real comfortable and she has really really done good i i She did very well at public speaking . neutral +Lines 5 through 8 show the effect of changing the method of payment for the exchange of LC / AO mail between the U.S. and all other FPAs . Lines 5 through 8 show the effect of changing the method of repayment for loans . contradictory +yeah the cheese fondue i make some people like Swiss um i prefer cheddar and i 'll mix i won 't make i won 't have a sharp cheddar because for fondue i think it should be a little calmer than real sharp cheddar and then i was going to make other things like potato skins I prefer to eat cheddar cheese fondue over Swiss cheese fondue . entailment +The students at Yale came from all different backgrounds and all parts of the country . There was no diversity among students in Yale . contradictory +yeah right i i think that a a big part of the uh you know the government concept over the last fifty years has been uh redistribution of uh of wealth in in effect The government could still improve their wealth redistribution concept . neutral +so it was really good you know they were checking you know visually and The checks were only audible . contradictory +--Monica lacked the maturity to balk at the magazine 's tasteless choice of props . Monia was very mature . contradictory +right and so i mean but you know it 's like the thing is is that you know you just get treated i mean one one of the guys that was doing it was uh like uh a waiter at one of the restaurants that know you know like the military had One of the guys who went through it was an accountant . contradictory +That 's about one every nine days . Thats approximately one every nine days . entailment +It could also have devastating effects on Western opinion by giving the impression that NATO is only bombing buildings in Belgrade because it is incapable of taking on the Serb military units in Kosovo , where Milosevic appears to have all the time he needs to empty villages , mine frontiers , bury his tanks and armored vehicles , and install artillery batteries opposite the KLA bases in Albania . NATO is worried about the impression it gives . neutral +He tightened rein , and the well-trained horse broke into a canter . The well-trained horse broke into a cantor when he tightened the reins . entailment +We shall enjoy ourselves . No one will enjoy themselves . contradictory +The Garden of Gethsemane occupies the lower part of the slope , and various plots are cared for by different sects . The plots are looked after by the same people . neutral +okay no i 'm in California No , I am located in California . entailment +FDA recognizes that it could not quantify every regulatory cost because of significant distributional and transitional effects of the rule . Because of certain effects of the rule the FDA understands not every cost can be quantified . entailment +no so you 've you 've got to uh uh yeah okay so so you you 've pretty much got to the ball park uh uh to figure out but So , you have to go to the ball park to figure it out . entailment +There was not even that much this morning . There was less than expected this morning . entailment +In foreign affairs , after he had crushed the Duke of Milan 's army at Marignano and formed a showy alliance with Henry VIII of England , Francois I 's European ambitions were halted by the German Emperor Charles V. Francois even suffered the indignity of a year 's imprisonment in Madrid , following a resounding defeat at Pavia in 1525 . Although once very powerful , Francois I was quickly defeated by other countries . entailment +Fiellin reviewed 38 studies of screening for alcohol use disorder in the primary care setting . The number of studies is greater than 30 . entailment +For example , we have successfully worked with a variety of agencies on Y2K and with IRS to face management problems and improve government operations . We worked with many agencies but did not want to deal with the IRS . contradictory +Osman 's tomb was formerly a Byzantine baptistery , and his son 's tomb is in the nave of the neighbouring church fragments of its ancient mosaic pavement can be seen on the floor of the tomb . No one knows where Osman 's son 's tomb is located . contradictory +The Congress cannot legislate nor can regulators establish by rule human behavior or integrity to always do the right thing in protecting the public 's interest . There are some members of Congress who would love to regulate human behavior through legislation . neutral +How like a woman ! The man wore makeup often . neutral +You can say what you like to me , but remember what I 've told you . I care what you say to me so be careful what you say . contradictory +you know run around and and play soldier well the reservists sure do we had a reservist here in North Carolina who who They all run around and play soldier . entailment +What did they think of us , Jon thought to himself . Jon didn 't bother to think about how they thought of us . contradictory +Or to put it another way , voting to recommend impeachment in our advanced democracy was that noted historian and constitutional scholar Mary Bono . Mary Bono only decided to vote for impeachment because her party told her to . neutral +Heston has all the physical equipment--brain , voice , good looks--but not the hunger . Heston is inefficient at being passionate and dedicated . neutral +I shall not ask her to tell me anything , he said quietly . I do not need to hear her opinion . neutral +Thus the Ku Klux Klan wore the vestments of the Catholics they despised , and the John Birch Society organized itself in secret cells and front groups modeled on the Communist foe . The catholics wore vestments the Klu Klux Klan despised so they copied them to mock the catholics . neutral +and so every couple of weeks we will go to the movies because that 's how often they change the movies and We haven 't been to the movies in years . contradictory +I still had to pay the ticket . . . I just figure if you are rich you can afford a lawyer , if you are poor you take what you get , said Grant , a resident of the Mayetta section of Stafford Township . I still had to pay the ticket , which was a whopping $ 500 . neutral +and a and an attached two car garage and a breezeway and it was a it 's a pretty substantial home i The home was rather substantial . entailment +You can sign on for sailing , scuba-diving , and wind-surfing courses , and water-ski on its tranquil waters . You can do many water sports in and on its calm waters . entailment +Curious , mused Sir James . " Odd , " Sir James thought while looking at his cousin . neutral +He didn 't want to lose Adrin . He didn 't want Adrin to run away from the village and not come back . neutral +But our prejudices are showing . We were very fair . contradictory +Oh no ! cried Tuppence . Oh yes , he cried out . contradictory +It would not surprise me , however , if the governors returned the case because we cut the contingency , if for no other reason than that the USPS views the contingency as its private sandbox and doesn 't want the PRC playing there . The governors are still deciding what they 're going to do . neutral +they have a museum there of all the Dallas uh uh people and they have they even have a a genealogy chart of all of the people who married who and whose children are whose and they even went so far as to put dotted lines on there as to who had an affair with who In Dallas , they have a chart to trace genealogy and there are even lines to show who had an affair . entailment +Her present part was of the adventuress rather than the adventurous order , but she did not deny its possibilities . She took the types of risks that women take . entailment +Focus on proving your side , she said . She said that you don 't need to work on your proving side . contradictory +Although there may be several ways in which jobrelated mortality risks differ from air pollution-related mortality risks , the most important difference may be that job-related risks are incurred voluntarily , or generally assumed to be , whereas air pollution-related risks are incurred involuntarily . People have no control over air pollution related risks . neutral +The House of Mohammed Ali , however , ultimately failed to live up to its founder 's great achievements , as the ruling body increasingly grew to be corrupt and recklessly irresponsible . The House of Mohammed Ali grew to incredible heights in terms of influence and achievements , far surpassing those of its founder . contradictory +Even if you cannot afford the often prohibitive prices , they 're worth visiting as veritable little museums of Renaissance and Baroque sculpture and furniture . The museums feature great examples of Renaissance and Baroque sculpture and furniture . entailment +Monaco really is a millionaire 's paradise . The wealthy will find little to enjoy themselves with in Monaco . contradictory +Thus , Italy should be fairly typical of the distribution of route profit margins of industrial countries and the U.S. should be an outlier . The US 's distribution of route profit margins should make it an outlier . entailment +Aren 't there ANY answers ? " Tommy shook his head with a deep and somewhat overacted melancholy . Are all the answers so simple ? Asked Tommy . contradictory +But as of now , the majority of the congressional party--the Republicans who actually run for office and get elected--embraces a theory of national interests that is very similar to the one in Buchanan 's new page-turner . Majority of the Republicans always get elected . entailment +Don 't be a little fool ! Do act like an idiot . contradictory +okay um yeah one year public service for everybody is that that was it right Everyone loves service given to the public . neutral +Officials in Boulder , Colo . , have hired two ex-stars from the O.J. trial . Two ex-stars in the O.J trial were hired by Boulder officials . entailment +Then he went to the door opposite leading into Cynthia 's room . He went through a window . contradictory +Now I know you 're making it up . Now I am sure you are conjuring this fiction . neutral +Diexodos is a company that organizes guided hiking tours either by the day or longer . Diexodos is a virtual reality environment experience . contradictory +The LSC Programs staff have worked assiduously these past several years to help create a world-class national legal services delivery system in which eligible clients in every state are afforded an equal opportunity to avail themselves and ultimately to attain high-quality civil legal assistance . The LSC Program staff is the best at what they do . neutral +On the south side of Parnell Square are the Rotunda Hospital and the Gate Theatre . The Rotunda Hospital is on the west end of Parnell Square . contradictory +um well like i said my fiancee Besides being my fiancee , she 's also my co-worker . neutral +The whole story is absolutely untrue . Every part of the story is false . entailment +Then my father died . My dad then kicked the bucket . entailment +Somewhere out there in the dark the Pima Scout was prowling . The Pima Scout only prowls when it is light . contradictory +In these cases the difference between full cost and the internal sales price or reimbursement ( sometimes called a transfer price ) is an imputed cost to the receiving entity . There is a difference between the full cost and the internal sales price . entailment +and there 's no mid ground anywhere in it It doesn 't contain anything in the middle . entailment +In commenting on a draft of this report , the participants of our study agreed with the critical success factors and challenges that we identified . Nobody has had anything to say about the draft of this report . contradictory +The imposing 17th-century Baroque Ca ' Pesaro houses the Modern Art Museum . The building only contains the museum . neutral +Worse , FDR tended to give Stalin what he wished , thus making possible the immense satellite empire of Communist totalitarian states in eastern Europe . FDR made the huge satellite empire of Communist totalitarian states impossible . contradictory +Unfortunately the crowd parted eagerly , awed by Abraham Lincoln 's hat . I was exposed when the crowd looked at Lincoln 's hat . neutral +DNA evidence shows that Neanderthals were not our ancestors . Our ancestors were dolphins . neutral +Radio and--even more--television made this possible on a national scale . Television and Radio have allowed this to happen at a greater scale . entailment +An Analytical Framework for Capital Planning and Investment Control for Information Technology , U.S. Investment control in the field of Information Technology is something that the industry has struggled with . neutral +You also may want to check the site of whoever manufactured the motherboard . There is no website for the manufacturer of the motherboard . contradictory +Strychnine is , in a certain sense , a cumulative poison , but it would be quite impossible for it to result in sudden death in this way . Strychnine is a poison which needs a lot of time to affect somebody 's health noticeabily . entailment +So we make them , working like dogs to make a deadline . So we build them , working leisurely with no deadline ahead . contradictory +Rain ran down her face and , though her expression seemed emotionless , the rain ran like tears . She was emotionless from the trauma of battle . neutral +Now that would be scary . That is terrifying . entailment +There is also a market and a porcelain shop . Additionally there is a porcelain store and a market . entailment +I figure he made three or four false promises to me during our preliminary conversations as he tried to figure out how to play this to his advantage . He is not a trustworthy person . neutral +sometimes you don 't and then you have to check out the nursing home and the only way you 're going to check out a nursing home is to actually put them in there and check on them every time but don 't tell the people Sometimes you have to check out the nursing home . entailment +The primary benefit of combining these two projects is that the ACI hookup can be completed during the outage for the SCR hookup , since the installation effort necessary for the SCR will far outweigh the ACI system . There is no additional outage for installing the ACI system . entailment +hum she sounds really pretty She sounds hideous . contradictory +The original progressives chose to swim with this basic current of history . The original progressives chose not to stand out . entailment +Earning and Youth Employment Youth are employed in greater numbers during recent years . neutral +Bequest motives interact with economic policy in surprising ways . There are surprising ways in which bequest motives interact with economic policy . entailment +By law , the Board is no more than six members can be of the same political party . There are no limits to the number of members of the same political party that are on the Board . contradictory +To see more of Petra ( and there are many more fascinating sites worth seeing here , though no more major set-pieces to enjoy ) requires a lot of climbing , a detailed guide book , and at least another day . Exploring Petra further will require you to stay another day and do a lot of climbing . entailment +um-hum that was a few years ago They won the Super Bowl several years back . neutral +Many young surgeons become interested in alcohol interventions and write grants , but when their studies are not funded , they lose interest and move on to other subjects . Many grant proposals for alcohol interventions have been written . entailment +Officially , I have nothing to do with it . I 'm in charge of this . contradictory +Sir James stroked his chin thoughtfully . Sir James rubbed his chin . entailment +Metaphysics was a subject with which he wasn 't yet fully prepared to cope . He was fully qualified and ready to take on metaphysics . contradictory +yeah i mean Rhode Rhode Island 's just like a neighborhood compared to you guys down there it 's just so so so small Rhode Island is a metropolis compared to the town you guys have down there . contradictory +Schor 's right--it is depressing when people get into the grip of an all-engulfing need to establish their identity by buying stuff , especially if it 's stuff they can 't afford . Schor also said that these behaviors are to be expected from people who feel empty inside . neutral +i can see that there might be a reason for one but i would hate to do that because uh that would be very difficult for my family financially to to afford a state income tax and most states have it i know and i 've lived in states that have had it but way uh way financing is now if we had a state income tax i 'd uh have a very hard time financing my house again you know paying off my mortgage each month that 's so that 's a problem um which just matter of we 'll see what happens i 'd rather have that i guess than have a state state lottery because when you bring The person owns their home . contradictory +that 's right that 's honestly right That is just . neutral +this year we didn 't this last season it was it was too wet up here We didn 't plant anything this year . It rained too much to plant . If we would 've planted , the seeds would have rotted . neutral +State and local surplus / deficita The state has a visible surplus and deficita . entailment +I heard footsteps on my tail- I knew it was the men in black . It was silent behind me . contradictory +The former is an extension of mail processing The thing that came before is a part of the mail sorting and preparing for delivery methods . entailment +A visit to Nagasaki is meaningless without a stop at its provocative and challenging Atomic Bomb Museum . While visiting Nagasaki , a good thing to skip would be the Atomic Bomb Museum . contradictory +If you know of nothing to the contrary , pursued Mr. Wells , " I had thought of Friday . Mr Wells said he was considering Friday for the day he 'd go to the store . neutral +Ain 't as bad as ridin ' out a norther , though . It 's easier than riding out a norther . contradictory +I feel nossing ... I feel everything . contradictory +The warm , sulphurous waters ( around 35 50 ? ? C / 95 122 ? ? F ) are said to be good for treating rheumatism and respiratory complaints . The sulphur helps with breathing issues because our body doesn 't naturally obtain it . neutral +what year Which year ? entailment +The little beasts carved on the balconies and ? ­ elsewhere around the cha ? ­ teau are the royal family 's personal em ? ­ blems ' including Louis XII 's porcupine , Fran ? ­ cois I 's salamander , and Anne de Bre ? ­ tagne 's ermine . The carvings were placed during the reign of Anne de Bretagne . neutral +During his stint as governor of the island , Zarco is believed to have lived a short distance up Caleda do Pico , in the Quinta das Cruzes . Zarco was governor of the island for a time . entailment +Klimaszewski began to cry and other patients , too , and when the head of the ward came and realized what had happened , he just waved his hand with dwarfed fingers . The patients were happy and wanted to throw a party . contradictory +Robert Woolard related that many ED patients they approached to participate in research still had measurable blood alcohol levels . The researchers could not find anyone in the ED who had been drinking . contradictory +The pop Middle-aged and elderly blacks , having witnessed the gains of the civil-rights movement , believe in the system . Even with the gains of the civil-rights movement , black people of all ages distrust the system . contradictory +It was published in the Federal Register as a final rule on April 15 , 1998 . They were not able to finalize the ruling in time for the April edition . contradictory +Advanced in this decade by heretic anthropologist Stan Gooch , who has also argued that the original , full-blooded Neanderthals were telepathic . Stan Gooch is a heretic anthropologist . entailment +i don 't know um i think it covers a portion because like i said my sister lives over there and they they just they just never have to worry about it i think it might not cover full dental but it does cover some and again it covers you know I 'm sure it covers full dental . contradictory +yeah and you 're not sure where to go and vote and all that People can easily figure out where and when they 're supposed to vote . contradictory +sure absolutely Alright , I totally understand . entailment +From the podium , Dunn and Rice , two of the committee 's three front women , implored Bush 's wife and daughters to endure the campaign 's trial by fire . The two women implored Mrs. Bush to abandon her husband 's campaign . contradictory +There 's a stop en route where you can visit the Owakudani Natural Science Museum , which has some uninspiring audio-visual presentations of volcanic eruptions . The volcanic eruptions are uninspiring , because they are strictly scientific and dull . neutral +Each Pokemon has its own skills that work better against some Pokemon than others . All Pokemon have the exact same skills . contradictory +A few years later , he developed a fascination with the comely Catherine Oxenberg , then starring in the TV show Dynasty . Salinger traveled to California and had shown up on the set , according to biographer Hamilton . Salinger liked Oxenberg 's character more than Oxenberg herself . neutral +But that is the exact situation that many low- and moderate-income taxpayers face when being audited by the Internal Revenue Service . But that is the situation which is rare for those being audited by the IRS . contradictory +The small copse planted here has created a photographer 's delight . The photographer 's are very happy about the copse . entailment +And there are other possibilities . There was more than the one possibility . entailment +Adrin was speechless . Adrin was surprised . neutral +huh yeah no they um the strawberries are coming in season now from they 're they 're coming up from Florida of course i live in Vermont so but they 're really reasonably priced they 're coming up from Florida so The seasonal strawberries coming up from Florida to Vermont right now are a reasonable price . entailment +And I remember the first scene I remember the first scene . entailment +She looked excited and determined , and slightly on the defensive . She looked excited and well prepared , and a little bit on her guard . neutral +Lowering pound rates or raising breakpoints may benefit some mailers , but it will also have a negative impact on others who find themselves dealing , for example , with higher piece rates and the like . Changing the pound rate should help most rates . neutral +The warrior slaves seek freedom . The men were free to do as they wanted . contradictory +In politics , the yang predominates . Ying and yang should be perfectly balanced , but they are not . neutral +'I think he may have adopted a simpler approach , ' Lincoln said dryly . Lincoln made a kind comment . contradictory +Saturated fat is still evil . Saturated fat will make you sick neutral +now that 's a thought well that 's a thought i hadn 't thought about doing that That is an interesting thing to do . neutral +Tuppence stole a glance at him sideways . Tuppence wanted to see if he seemed happy . neutral +Neurological studies find that areas of the brain associated with visual imagery and emotion are particularly active during dream states . Studies show that the visual imagery and emotional parts of the brain are active during dream states . entailment +That 'll make me an accessory to murder . ' Because of that , I will be acquitted of all charges related to the murder . contradictory +Postal Service Product Innovations and Special-Purpose Mail Classification Changes Reviewed by the Postal Rate Commission Since January 1 , 2000 Postal Rate Commission also review postal workers ' wages . neutral +uh-huh are you you then plan on maybe getting an advanced degree somewhere Where are you looking to go to graduate school ? neutral +Jon closed his eyes and enjoyed the comfortable warmth of the high red sun that had burned him so often . It was noon . neutral +Then he slumped , steamed ... He was no where to be found . contradictory +Application of this interpretation to the U.S.-Mexico border would disrupt access of permanent legal residents to the legal system in the poorest region of the United States . Application of the interpretation would increase efficiency to the U.S.-Mexico border . contradictory +What will strike you first is the marvelous range of subtly different skin tones and facial features . These skin tones and facial features are from many different ethnic backgrounds . neutral +Or St. Pancras . Pancras was a saint in Rome . neutral +well do you have separate trash cans at your desk Do you sort the trash at your desk ? entailment +oh it is is that the newest thing now the four eighty six You can 't go wrong seeking out the newest thing . neutral +He surmised , therefore , that reduction in recidivism might be a suitable outcome for emergency physicians . The doctors require a lot of things to work neutral +And Judge Kenneth Starr to conduct the investigation ? Is Judge Michael Daniels doing the investigation ? contradictory +Recent archaeological findings suggest that a site on the Yamuna river may have been the home of Mahabharata hero , Yudhishthira , dating back to 1000 b.c. Yudhishthira is thought that have been born in 1,000 AD . contradictory +How did we lose our rich tradition of porcine references ? There are fewer pig references than there were in the past . entailment +The board has a responsibility to enhance shareholder value , assess and monitor risk , and ensure management accountability . Assessing and monitoring risk , while also important , is not as important as increasing shareholder value . neutral +The central region of Honshu ( Japan 's main island ) , Chubu stretches northeast from Kansai across the Hida , Kiso , and Akaishi mountains known collectively as the Japan Alps to the plains of the north coast and the Sea of Japan . Chubu stretches across a collective of mountains known as the Japan Alps . entailment +Browsing is a real pleasure in Macau 's main streets and byways , where shops aimed at the tourist market are interspersed with the more workaday ironmongers , herbalists , and noodle stalls . The streets of Macau are full to the brim with shops and stalls that you can browse at your leisure . entailment +Tuppence pressed the bell firmly . Tuppence gripped the bell tightly . neutral +I 'll simply say that if Lind proves that the decision to go to war was understandable , Logevall provides the argument for the minimal realist view that it was unnecessary and unwise . Logevall believes the war was unnecessary and unwise . entailment +Kind of rubbing it in . Not rubbing it in . contradictory +2 million from the state is an uphill fight . The state causes an uphill fight . entailment +Slate ' s view , see Jacob Weisberg 's Dear Microsoft . For Slate 's opposing view , see Dear Microsoft by Jacob Weisberg . neutral +The stately pedalo for two won 't go fast , and it 's stable enough for adults to take small children with them . The pedalo for two is stable enough for adults and kids . entailment +but uh what what is it what was the percentage for national elections I know the percentage already . contradictory +Then the knives came down . The knives stayed in place . contradictory +Tuesday night , Scheck himself was billed as a guest , but he never appeared . Scheck became the best guest ever on the show . contradictory +i don 't know you know there was a oh what was his Gary Gilmore did you ever read the book that Norman Mailer wrote The Executioners Song I 'm not sure . Did you read The Executioners Song ? I 'd recommend it . neutral +It is most perplexing then , that Sullivan , who is writing about the end of an epidemic , after all , never mentions the word vaccine in his article . Sullivan was writing about the epidemic and the vaccine . contradictory +and really work to keep that going And work to make it stop . contradictory +I called her ' dear lady , ' a couple of times , because I felt it sounded authentic . I called her ' dear lady ' to be polite , but she seemed offended . neutral +According to the complaint , Ferguson stated during the ' It 's OK , we do this all the time for the governor . There was a complaint , but Ferguson simply said that this is a common occurrence . entailment +Many of the old houses in the village have been replaced by modern structures . The modern structures are very ugly compared to the old homes that were there before . neutral +on your baseboards upon your baseboards entailment +okay fantastic one one thing that pops into my mind real quick is uh about the uh funding of the the school system right now evidently uh that 's that 's a big problem I think that the school system funding needs not be changed . contradictory +I suppose secret service work makes you like that ! In the pause that ensued , Mr. Carter took from his pocket a small shabby brown book . Mr. Carter pulled a small shabby brown book from his pocket . entailment +Yet , in Mrs. Inglethorp 's case , the symptoms do not manifest themselves until five o 'clock the next morning : nine hours ! It takes none hours for Mr. Inglethorp 's systems to manifest . entailment +Liqueurs abound . There are many liqueurs . entailment +Her eyes swept past Bork and Dave without seeing them and centered on the broom one man held out to her , without appearing to see him , either . She was clearly aware of everyone 's features . contradictory +A good photoshopping session would take his graphic editor at least two whole weeks . In order to do a good job a graphic editor would have to spend close to half a month . entailment +They could feel that the cost of the worksharing is small and that they receive an improvement in service . They feel the cost is high . contradictory +I wish you could have seen it then , sir . I am glad you didn 't see it . contradictory +and uh so you know it uh but you know they can always fool us you know they might do a good job They could meet our expectations and do a bad job . neutral +and and do you know anything about that new stadium have you seen all those pictures that they 're going to put out there there is a new stadium and I think they 're releasing pictures about it entailment +a nanny sort of They were not a nanny . contradictory +Today , in the ' 90s , right on schedule , fashions of the ' 70s are being given a nostalgic , sympathetically accurate whirl in such movies as Hilary and Jackie and The Ice Storm . A genial gaze is being cast on them just as flared trousers , square-toed shoes , and long male hair are once again looking normal in the real-life fashion universe . Today 's fashions have throwbacks from the 1970 's . entailment +Any remaining allowances in the Reserve at that time will be allocated to existing units subject to the Acid Rain Program . Any allowances left in the Reserve will be subject to the Acid Rain Program . entailment +Now let us turn to other aspects of the case . Having solved these issues , let 's look at things we don 't know yet . neutral +Note that these figures cannot be added together for an overall estimate because they ( a ) double count the benefits of controlling multiple pollutants simultaneously , and They were able to combine the figures to provide accurate data . contradictory +Nestled in the northwest corner of Kyoto , Ryoanji is the best known of all Zen Buddhist temples . There are 10,000 Buddhist temples in all of Japan . neutral +if i had a car uh the a bus If I owned a car . entailment +He was up to his hands and knees , and almost managing a walking pace . He sunk into the quicksand passed his head . contradictory +But important though the resuscitated imperial authority undoubtedly was , the real power under the restoration known as Meiji ( Enlightened Rule ) was in the hands of a new generation of forward-looking administrators , who set about abolishing the ancient feudal apparatus in favor of a modern government based on merit rather than ancestry . The real power was in the hands of the administrators . entailment +Back to the river , one of Melaka 's more recent additions , the Maritime Museum , is housed in a model of the Flor De La Mar , a Portuguese ship that sank off Malaka laden with bullion and other valuables . The house built after the model of the Flor De La Mar is the main attraction in the area . neutral +Yes , a damned fool , he said softly . He screamed about the insanity of it all . contradictory +Doors were banging . The doors were opening . contradictory +One part each , lending each its own essential quality to the mixture , so that the sky is solid as earth , radiant as fire , formless as water , insubstantial as air . The combination of which makes the whole . neutral +Even the charming old Marais and its Jewish quarter , representing the old Paris of the 17th century , have taken on a new fashionable appearance with the influx of trendy boutiques . Paris is a lot different to its form of the 17th century . neutral +An important figure in Atlanta is Terry Walsh of Alston and Bird , who has championed the welfare of children in Georgia . Terry Walsh of Alston and Bird has done some work in Georgia . entailment +Just to the east of town is a small scruffy bay that comes to life at night . Though quiet durihng the day , the little bay is raucous at night . neutral +One of the cinemas , near the Grande Arche , has a big wrap-around IMAX screen , and in the same building the Musee de l 'Automobile displays over 100 classic cars , restored to mint condition . None of the cinemas near the Grande Arche have big IMAX screens , and the building where the Musee de l 'Automobile is situated is not in the same buiilding as one of the cinemas . contradictory +USAT and the WP lead with the heating-up Paula Jones case . USAT opted to find another story to lead with instead of the Paula Jones case . contradictory +Spanning the river , the bridge was once the town 's main strategic link between port and city and the site of major battles against the European invaders . The bridge doesn 't go across the whole river and nothing interesting ever happened there . contradictory +All give glimpses of traditional family life . Nothing about family life can be gleaned from them . contradictory +Why , then , conclude domination by elites ? How was that conclusion reached ? neutral +If I hadn 't paid both that boy and the mercenary , either would have off with my meat . They would have taken my possessions if I hadn 't catered to their wishes for my riches . neutral +oh yeah sure sure i mean i mean the kids who would be giving the service are going to get a lot more out of it than just money you know that i i remember when i was a kid i used to do little little things for the old folks around the neighborhood and uh i know how it made me feel When I was little , I never helped anyone . contradictory +Ca 'daan caught sight of the rapier 's hand guard . Ca 'daan show the hand guard of the rapier . entailment +If he had , he certainly would have noticed that the program I anchor and edit on Fox News Channel , The Schneider Report , is a serious news program . My program on the Fox News Channel is a serious news program . entailment +Nor is it the result of the benign policies of national governments , which are as callous and corrupt as ever . The benign policies of national governments , such as Canada are as corrupt as ever . neutral +Sportswriters exulted that Lewis finally got what he deserved . But skeptics said that scoring discrepancies revealed something less than a definitive way of judging a bout . Lewis never got what he deserved as skeptics said that scoring discrepancies did not exist . contradictory +The Tomb of Eyep Ensari , opposite the mosque , is decorated with gold , silver , and coloured tiles , and is protected by a gilded grille . The grille protecting the tomb has been broken numerous times . neutral +However , if they cannot use those interventions in their clinical setting , the interventions are of no use . Obstacles to using interventions in their clinical setting may make interventions impossible . neutral +At Luxor the show is held at Karnak temple ( though Luxor temple is floodlit ) where visitors spend half the show seated and the other half wandering among the obelisks and columns as the story unfolds . Visitors are seated during the second half of the show . neutral +To effectively use and share knowledge to manage improper payments , the following strategies should be These strategies should not be used if the department wishes to share knowledge . contradictory +He likes to say , There are only two emotions in football--euphoria and death . He likes to talk about the wide , complex range of emotions in football . contradictory +i agree i agree but um yeah like like you said i wonder you know if if it 's certainly not going to be a slow change process and i wonder if it 'll ever be a change process I think it will change fast . contradictory +Edo expanded rapidly to accommodate Ieyasu 's 80,000 retainers and their families and the myriad common people who served their daily needs . Edo was unable to expand to accommodate the retainers from Ieyasu . contradictory +The oversight is not the result of an effort to avoid downbeat or offensive sides of Degas , but rather a failure to understand the seismic shift in French society caused by l 'affaire . Photography and French nationalism were also linked in Degas ' mind . The l 'affaire 's far-reaching consequences are only just now being understood . neutral +The remaining population is based mainly in the south , around the capital , Pigadia , which is relatively modern by Greek standards ( built since the mid-19th century ) . The capital , Pigadia , is modern by Greek standards and the population is based around it . entailment +The participants represent over 150 commercial firms and 140 government entities located in 20 U.S. The firms represented were all located in major cities . neutral +and you could say oh that 's a good program for them because it 's educational but still you want them to go out and do other things even if they 're good programs you don 't want them sitting there watching them Exercising is better than having them sit there watching TV . neutral +During the Empire Period , an ambitious Hittite king , Mutawallis , defeated the forces of the Egyptian pharaoh , Ramses II , at Kadesh ( Syria ) in 1285 b.c. Mutawallis , during the Empire Period , defeated Ramses II in 1286 b.c. entailment +But when the industry attempted to create , the same activists protested again , declaring the safer cigarette evil because it would encourage smokers to continue their habit . Activists protested the safer cigarette as well . entailment +Barney Fife i guess yeah I guess he is Barney Fife the character . neutral +uh not if it 's done fairly and that 's probably my question is how how do you know it 's done fairly I think my question is important , whether it was done fairly or not . neutral +It was a city of beautiful palaces and temples , and a place of learning , with one of the most renowned libraries in the known world . It was a city of sin , a concrete jungle of vices , there was no beauty to be heard of . contradictory +Since editors and writers get their ideas from their surroundings , Microsoft probably looms larger in Slate ' s editorial landscape than it does in that of other magazines . Microsoft is an irrelevant company to Slate . contradictory +The capital of the island is Myrina . Myrina is the largest city on the island . neutral +Given the large volume and complexity of federal payments and historically low recovery rates for certain programs , it is generally most efficient to pay bills and provide benefits properly in the first place . Federal payments are the most complex of all payments . neutral +She leant towards me eagerly . She whispered in my ear . neutral +Nothing less . " This is the bare minimum . entailment +right no that 's no that 's not it 's not necessary to have that nope You do not need that to become part of the infamous group . neutral +William Pascrell Jr . , D-NJ , wrote to LSC ; the Passaic County Board of Chosen freeholders passed a resolution against it ; and local mayors , the state and local bar associations and various community groups clients have written letters on behalf of Passaic Legal Aid . The resolution by the County Board of Chosen freeholders was opposed to it . entailment +The Big Shows There are big shows with celebrity stars . neutral +If you or your representatives have any questions or would like to meet to resolve this issue , please contact me at ( 202 ) 512-5500 or Anthony Gamboa , General Counsel , at ( 202 ) 5125400 . Anthony Gamboa can answer questions about the budget . neutral +Older children will enjoy Dublinia ( see page 37 ) and The Viking Adventure ( see page 38 ) , a re-creation with actors of Viking Diflin . The youngest children only enjoy The Viking Adventure . contradictory +( In his epilogue , he offered compelling , albeit circumstantial , bits of evidence that strongly suggest that Haywood and the others actually were involved in an assassination plot . ) The author explained his evidence with great clarity and description . neutral +LaHaye and Jenkins are both active participants in the absurd and feverish campaign by some evangelical Christians to redefine Judaism in a way that allows for belief in Jesus . The belief of Jesus is not typical in Judaism . neutral +Porto Santo 's claim to fame , beyond its sandy beach , is its link to Christopher Columbus . Porto Santo has a link with Christopher Columbus . entailment +But Harrison 's audience would not have known what the Internet was . The Internet would not have been known by Harrison 's audience . entailment +The town was little more than a single main street , bordered by shops and houses . The small town had little more that one street that was bordered by shops and houses . entailment +I gave my stock In the first place , we don 't know the truth ; in the second place , the presidency is not a person but a team . The president works alone , and we know the truth . contradictory +we almost forgot our subject of the day there but be sure and stop at one of those Texas bureaus tourist bureaus and get their literature They have good tourist information there . neutral +Needless to say , avoid peddlers who approach you on the street and offer to take you to wondrous bargains . Indulge street peddlers and buy their goods , they are being honest . contradictory +The crook . The law-abiding citizen . contradictory +And it is this boy who will defeat the master criminal of our time ? The boy stands no chance of defeating any criminals . contradictory +He was so seldom vehement about anything . He was rarely like this . entailment +I hope you can help . I would appreciate if you would leave this alone . contradictory +A minority of reviewers find the political messages heavy-handed and say the novel is more like a starklylit morality play ( Michiko Kakutani , the New York Times ) . ( Listen to Kingsolver read an excerpt from this book . ) Some reviewers found the novel 's emphasis on politics too hamhanded . entailment +5 ) Handwritten addresses and pieces without Zip Codes are accepted without surcharge . there are other pieces that may be accepted without surcharge . neutral +Kids love L.A. ; this is certainly one city where you will never run out of things to do or places to go to keep them amused . Kids love Los Angeles because the weather is great and there is fun to be had outside . neutral +From somewhere a woman screamed and ran from another nearby house to the boys . She was afraid she would be killed . neutral +'You 're giving me orders now ? ' 'So you want to command me now ? ' entailment +He says : " Find the extra coffee-cup , and you can rest in peace ! " ' Nothing more . No one else knew why Poirot thought the coffee cup was important . neutral +oh yeah they there they pay them a little better here i think than most than than than than the national average especially these mentor teachers The mentor teachers get paid a bit more than the national average . entailment +The family she had stayed with cared for her now . She fell in love with the family who loved her just as much . entailment +Paradise Beach , a clothing-optional beach , is probably the most famous , with nonstop music that lasts well into the early hours of the morning . Clothing is required to go to Paradise Beach . contradictory +You 've got a walking , talking historical figure . You have a walking , talking figure from history . entailment +You don 't realize you want to do this until he talks to you . You don 't know you want to do it until he speaks to you . entailment +FAA , IRS , OPM , and VBA generally agreed with the contents of this report . FAA , IRS , OPM , and VBA mostly agree with what 's in the report . entailment +Everyone sighed emphatically sharing the pain . Everyone sighed and shared the pain and misery . neutral +He said , " I suppose you 're right . He said , " Perhaps you are correct . " entailment +A party line comes in handy . Party lines do have an advantage . entailment +The public-relations masterstroke of the 1980s , a pro-life film called The Silent Scream , featured ultrasound pictures of the dismemberment of a fetus . A film called The Silent Scream features pictures of a dismembered fetus . entailment +A spring filtering through the rocks is the source of the island 's mineral water . You wont find any mineral water on the island . contradictory +As an example of all four phenomena , I refer you now to the complaint of K. , who is chagrined by the errant behavior of the U-Haul company . K 's complaint has nothing to do with the four phenomena . contradictory +because of the when i was searching for it the best the best place i could find in the was down in Farmers Branch and i worked in Carrollton it just and i was i was going to have to drive and drive and drive and and it was just it was just really Farmers Branch is a really horrible place , but at least it is near . contradictory +Quasi-experimental Design and Analysis Issues for While design was included , analysis was not . contradictory +When feasible ( as in an office setting or environment ) , costeffective , and applicable , attendance reporting and related internal controls set forth in Part Civilian Employees should be instituted for service members to the extent management deems appropriate . This is only feasible in office settings and environments . neutral +and i guess you 're eligible after twenty seven for parole even though you 're in for life You 're eligible for parole after 27 but very few people receive it . neutral +uh-huh well i saying through my bank they they since they have their own card they don 't like to give advances through other for other cards I have too many credit cards that are no longer active . neutral +yeah because i know you know i i really get pressure from because i have a career also and i get a lot of pressure from people that you know my colleagues that why am i staying home My colleagues and other people give me a lot of pressure because of my career . entailment +Now it was fully awake in him . Awake it was in him , fully and completely . entailment +Now , if we assume that the volume of all sectors and uses in Tables 1 , 2 , and 3 have an elasticity of one with respect to the number of households ( i.e. Tables 1 , 2 , and 3 have an elasticity of one entailment +There are a few loose ends to your problem . Your problem can be easily fixed . contradictory +The hip-hop industry is concentrated in Los Angeles and New York , but he and the No Limit posse occupy a compound in Baton Rouge , La . Even though the hip-hop industry is mostly situated in Los Angeles and New York , he and No Limit still occupy a compound in Louisiana . entailment +the output 's really suffering and i think that 's you know that 's another indication that that we 're headed in the wrong direction We need to change course and go back to the old way of doing things . neutral +Turning to ways of assessing the quality of completed case studies , we have provided guidelines for reviewing case study reports in appendix III . There a large number of guidelines that must be followed . neutral +This type of addition to the record after the close of the comment period and the need to reopen the comment period are discussed in Sierra Club v. Ferraro Cult discusses exactly this type of addition to the record . contradictory +Last week 's Whew ! Whew of last week ! entailment +4.2 discusses government saving in an environment where reducing federal debt held by the public is not an option . 4.2 discusses how reducing federal debt is a public option . contradictory +Also near Kannawa are several hot-spring developments , including attractive open-air rock pools and mineral mud baths with a You 've got it ? The open-air pools near Kannawa are segregated by sex . neutral +Failing a real hardwood blowpipe , you can buy the handsome quiver of stout rattan-bound bamboo with the poison darts ( minus the poison ) , both authentic , and a shorter pipe of bamboo that does a perfectly serviceable job of blowing darts into your cork dartboard at home . Dart blowers can be made with hardwood or bamboo . entailment +My sister , her husband , and daughter are spending a few weeks with us . My sister , her husband , and daughter aren 't able to visit us this time . contradictory +It 'll only get you into worse difficulties around here . " A spark of protest awoke inside Drew . Drew accepted this is how it was going to be , contradictory +As a side effect of that disease , reporters have excessive respect for a well-run campaign . Reporters respect campaigns that are run well . entailment +The East Wenatchee City Council has entered into an Interlocal Agreement with the Wenatchee Housing Authority authorizing the Authority to purchase and maintain the Mobile Park Plaza mobile home park . There exists no interlocal agreement between Wenatchee government organisations . contradictory +If after three months of age your baby wakes at night and wants to be fed , she is developing a sleep problem . It is not normal for babies to wake up in the middle of the night and it is an incredibly rare problem . neutral +jewish now blacks and i guess i i guess Iraqi now is the There are different ethnic groups . entailment +An ' he 's drinkin ' a lot mean , ugly drunk , he is . He hasn 't touched alcohol in years . contradictory +Watch the illuminated keno board above you to see if enough of your numbers come up to win . The keno board lights up . entailment +Mike Barnicle , a second-rate Roykoesque columnist , was fired from the Boston Globe for blending fiction and fact in a way that Royko did routinely . Mike Barnicle worked for the Boston Globe for ten years . neutral +As she had expected , the room was empty . As she has suspected , everyone had left the room . neutral +and uh i think those two things bother me more than anything else as far as an invasion of privacy Privacy interests would be weakened , but those two aspects don 't bother me at all . contradictory +And there was very little space inside . The interior was more than very spacious . contradictory +Before the interim rule , establishing entitlement to compensation for adverse results of medical or surgical treatment required that VA be at fault or that an accident occur . The old rules protected the VA from claims they might have otherwise had to pay . neutral +Still , there are some very pleasant walks around what are still referred to as the castle grounds . Some of the walks are very nice . entailment +The handling and processing of the reagent , commonly limestone , is often done onsite , as is the treatment of the effluent as waste or processing into a saleable product ( e.g. The reagent is more often than not limestone , and is handled and processed onsite . entailment +After the claustrophobic rough and tumble of the dimly-lit medieval souqs , stepping into this area is like entering an oasis of light , space , cleanliness , and tranquillity . The area is a great place to sit down and rest . neutral +Begun as a fortress-church in the 12th century , its towers and walls suggest a beleaguered citadel . The walls of the church were besieged greatly . neutral +The 137-km ( 85-mile ) Wicklow Way long-distance footpath wends its peaceful course through the park , much of it above 1,600 ft ( bring rain gear and wear sturdy shoes ) . It is recommended to have rain gear and durable shoes while you travel the 85 mile Wicklow Way footpath . entailment +The act also requires agencies to prepare annual program performance reports to review progress toward annual performance goals Agencies have to review progress toward yearly goals for performance as part of the act . entailment +oh that 'd be awful i love going out in the Summer in the grass I hate the grass . contradictory +and um it 's always occurred to me that that um you know i mean so looking at it so all so i have some bias in this I have some bias in the abortion topic neutral +That alters everything ” everything ! " I had never seen him so upset . This was the happiest I have ever seen him . contradictory +I should consider it very unlikely . Everyone knows that it wouldn 't happen like that . neutral +Typically the overall engineering , fabrication , and construction resources would remain the same as the scenario analyzed above , with the exception that these resources are reallocated over an extended schedule . An extended schedule may be used for resources . entailment +Personal Communication with C. Martin of ADA Environmental Solutions , August 14 , 2001 . Personal Communication with C. Martin of ADA Environmental Solutions , August 12 , 2005 . contradictory +The strong beat and earthy lyrics seem to symbolize and celebrate the character of this young and lively country . The upbeat nature of the song can be sensed even by those who don 't speak the language . neutral +He said , " Do you really think the ship will fly ? " He asked , " Do you really think the vessel will fly ? " entailment +From 1995 to 2000 , labor productivity growth averaged 2.8 percent per year compared to 1.6 percent from 1970 to 1995 and 2.9 percent during the 1960s . For five years labor productivity growth averaged 2.8 percent per year . entailment +The population was initially little better off under its new landlord . The new landlord meant that the population was a little better off in the beginning . entailment +My blood is needed for-- " " For spells that won 't work anyhow , " he told her harshly . The spells will work with my blood . contradictory +It , too , was toppled , during the 1871 Commune at the instigation of painter Gustave Courbet , who had to pay the crippling cost of having it re-erected two years later . After instigating its toppling , the painter had to pay for it to be re-erected . entailment +you know it 's tough to to work everything in that you want to accomplish and i have a lot of other interests Through better time management I should be able to accomplish everything . neutral +you just adapt There is no choice but to adapt . entailment +yeah yeah i should probably go back and read the book now that i just saw the movie again not too long ago I should probably return to the book and read . entailment +Sure thing , said Julius thoughtfully . No , Julius proclaimed . contradictory +yeah i mean it 's it 's real easy when you go home and and you think gee you know i 'd like to have a mansion and a yacht isn 't it nice i can make my neighbors pay for it Americans are determined to take care of themselves . contradictory +yeah well the last two i saw him in one of those Back to the Future Part Three deals and that was crummy also i didn 't think that was any good so Iloved Back to the Future Part Three ! contradictory +200 " You have orders from HIM ? " What did he tell you to do ? neutral +Beyond the two monuments is Waverley Bridge . Waverly Bridge is past the two monuments . entailment +I have said that I highly regard you and that you have a bright future , and that the things about our relationship were without foundation . I said good things about you , but I was lying . neutral +It huffs , puffs , and occasionally even blows a bit . It always blows a bit . neutral +In addition , Congress specifically mandated that the Commission collect $ 126,400,000 in regulatory fees for FY96 to recover the costs of enforcement , Congress orders just $ 100 be collected to recover . contradictory +The term basic does not necessarily mean that other financial information not covered by the auditor 's opinion is less important to users than that contained in the basic statements ; it merely connotes the expected nature of the auditor 's review of , and association with , the information . Financial information is described by auditors as basic because it 's generally information that isn 't useful in the auditor 's opinion . contradictory +Particularly noteworthy are the ornately French Edificio Metr ? ? polis , at the junction of Alcal ? ¡ , and the Palacio de la M ? ? sica . The Edificio Metr ? ? polis is at the junction of Alcal ? ¡ and the Palacio de la M ? ? sica . entailment +Annan is the world 's most gentlemanly politician . Annan is a male politician . entailment +This upgrade will allow you The upgrade will not allow you to do anything . contradictory +but i consider invasion of my privacy Going through my messages is an invasion of my privacy . neutral +but the thing is when you started with TI was it as big a company as it is now TI has grown into a much larger company over the years . neutral +see i do that to make myself go to sleep at night That keeps me up at night . contradictory +WE 'RE GOING TO SHOP ! " To most people the 29th , the much-heralded " Labour Day , " had passed much as any other day . People were too preoccupied with their other tasks that they did not notice Labour Day had come and gone . neutral +As chairman and CEO , this one individual has a huge impact on the direction of the company , the role of the board , and the composition of the board . The composition of the board is not affected by the chairman . contradictory +On the east coast , try Puri , south of Calcutta , or Pondicherry . Puri is south of Calcutta . entailment +Domestic violence accounted for five of 12 murders in 2001 in Jackson , police have said . The statistic of five in 12 murders being cases of domestic violence is in line with trends in other cities and states . neutral +Still , while important , dealing with poor performers is only part of the challenge ; agencies need to create additional incentives and rewards for valuable and high-performing employees who represent the vast majority of the federal workforce . It 's hard to deal with poor performers because they don 't have any incentives . neutral +The house 's famous Long Gallery has Pompeian fresco inspired designs and Venetian chandeliers ; the great staircase is the work of Simon Vierpyl ; and the plasterwork is by the Francinis . The Long Gallery inside the house features Venetian Chandeliers . entailment +( In true Malaysian style , we will refer to the capital by its abbreviation , KL . ) We will refer to the capital city in true Malaysian style--by its abbreviaton , KL . entailment +Move along ! he bellowed . He yelled out that they should move along . entailment +Spiritual preoccupations turned away from the world 's few joys and woes in the present , to mystic contemplation of the ineffable hereafter . There are luxurious homes near the shore in plantation style that commonly come with hot tubs and covered porches , entailment +The Jains ' non-violent religion excludes them from agriculture as a profession , but they dominate the electronics industry in Bangalore . The Jains wanted to join the agriculture profession . neutral +David Duke is back . The man David Duke is back ! entailment +Privacy advocates say they believe the candidates are supporting industry self-regulation in order to appeal to industry interests , as opposed to the general population . Privacy advocates believe the candidates have the public 's interests at heart . contradictory +The pace of deregulation and financial-market liberalization are not the only areas in which Japan lags behind Western countries ; it appears that Japan 's defense , too , is due for a thoroughgoing review . Japan is not behind on financial-market-liberalization . contradictory +The broad Rambla de Mendez Neeez , running at a right angle to the Explanada , is good for a morning 's shopping and has a lively market at one end . The market is stock full of exotic spices and herbs . neutral +From the one nearest him on the left came a low murmur of voices . He could hear people speaking softly on the left side . entailment +ISSUED BY THE FEDERAL COMMUNICATIONS COMMISSION ENTITLED AMENDMENT TO THE COMMISSION 'S RULES REGARDING A PLAN FOR SHARING THE COST OF MICROWAVE RELOCATION , FIRST REPORT AND ORDER AND FURTHER NOTICE OF PROPOSED RULE MAKING ( WT Docket No . The FCC did not issue the amendment . contradictory +no i didn 't is that any good Is it good . entailment +Of course , I was not an intimate , and I did not see him in his private moments . They only knew him as an acquaintance . neutral +uh with my daughter and with my son they both have different interests in books but um they they uh they do read them um i have some books on on health that i read all the time one 's on vitamins that are good for you and that kind of thing but yeah i i 'm My family does not read books . contradictory +A burst of blue reached over his head and slammed into the wall mere metres behind . The blue missed the wall behind him . contradictory +The number of computer users at these organizations ranged from 3,500 to 100,000 , and four had significant international operations . More than ninety percent of all employees are computer users . neutral +Twice it sailed so high I could hardly breathe . It has been sailing dangerously low all this time . contradictory +Just being the first chair of the commission which began the implementation of the pro bono process was somewhat humbling . They were humbled to be the first to chair the commission . entailment +Fashion shows are held at 11am on Wednesdays and also Fridays in summer . There are fashion shows on Wednesday and then also on Fridays in Summer . entailment +This collection of nine centuries of paintings includes important works by Giotto , Fra Angelico , Perugino , Raphael 's Transfiguration ( his last great work ) , Leonardo da Vinci 's unfinished St. Jerome , Bellini 's Piet ? , and Caravaggio 's Descent from the Crose The paintings in the collection all come from the same century . contradictory +um-hum um-hum yeah yeah like maybe if if there was something you know they could do in their own own you know their own town or city They might enjoy touring the city on their own . neutral +Many of the activities GAO has undertaken are designed to ensure that the agency is properly positioned to fully support the Congress as it faces the future . The GAO has recently been trying to undermine Congress with every move it makes . contradictory +[ I ] t seems to not make the slightest difference that his raw materials are cliches , and that his handling of the medium--of any medium--is inert . His raw materials did not make a difference because he is an expert . neutral +'Sorry . ' I am not sorry . contradictory +The first annual performance plans are to be submitted in the fall of 1997 . The following annual performance plans will be slightly delayed ( winter 1998 ) . neutral +Although his criticisms in Passive Aggressive are right on the mark , Daniel Akst need have no fear of the free-riding index investors who strive for mediocrity by investing passively . Daniel Aksts is an expert on investing . neutral +they 're pretty good i like their They is really good . entailment +BMW is the sole sponsor of an exhibition that includes BMW motorcycles , including a current model . The new BMW motorcycle models are on exhibition . entailment +Gore is a born-again Baptist who regularly invokes biblical verse on the stump . Gore is not religious . contradictory +But Sir James was already on the topmost stair . They were telling Sir James to come upstairs , not realizing he was already there . neutral +I 'd upload the Ben Sim into his body a day earlier , spend the afternoon playing chess . I would play chess for seven hours . neutral +The gallery rooms display some of the best in 20th-century art . There is no artwork from the 20th century displayed in the gallery rooms . contradictory +A 1514 census recorded 5,000 inhabitants . The 1514 census was not carried out due to a hurricane which caused the area to be evacuated . contradictory +It seems clear , however , that substantial gains are available from presort programs and , by extension , from other worksharing programs , to a point . Presort programs make it possible to see substantial gains . entailment +Napoleon added the Grecian columns facing the Pont de la Concorde , but the palace is more graceful seen from its entrance on the south side . The side looking towards the Pont de la Concorde has Grecian columns , but the best view of the palace is from the south side entrance . entailment +Unmade Beds might make a good date movie . It 's a good film to take your date to . entailment +Both candidates cite him as their model . He is thought of as a model by no one . contradictory +Kamehameha , as chief of the Big Island , not only got his share of guns , but finally captured a cannon and ship . He was the chief of the Big Island . entailment +Johnson encouraged Kennedy to run and promised to do whatever he could to help him . Johnson told Kennedy he would support him . entailment +Perhaps the pageant organizers could prune the readings from Ionesco and the madrigal recital , or they could finally stop forcing the contestants to defend their theses . The contestants had to defend their readings . entailment +i just made my first job hop about eight months ago so uh Around eight months ago I started working at the grocery store . neutral +When I 've let the others out PULL ! " Before he had time to ask her anything more , she had flitted lightly down the ladder and was in the midst of the group with a loud cry : " Mon Dieu ! The crowd she was in the midst of was all women . neutral +Three venues regularly put on Israeli folklore shows . There is only one venue to see Israeli folklore shows . contradictory +you know he was in trouble the time was running out on the clock and he goes walking up to Mike Ditka to talk to him and Mike Ditka just turns his back on him and walks away He never listened whenever Mike Ditka spoke to him . neutral +do you do you work like half days or half weeks or Do you work full days or part days ? neutral +The Administration has argued that CBO 's estimates are inflated . The administration says the CBO is exaggerating . entailment +The Millennium Wing , a new 44,000-sq-ft ( 13,411-sq-m ) extension of the museum , is slated to open in the year 2000 . The Millennium Wing is delayed due to legislative bans on the property and won 't open until 2010 . contradictory +However , beyond modern Patan lies the old part of the city , where traditional Newari craftsmanship is readily apparent . The old party of Patan no longer exists because it was bulldozed to make way for the modern city . contradictory +" Just want to put her down right and proper on the tally sheet . " The boy followed to watch Drew make the record on the margin of Shadow 's papers . The boy wanted to watch Drew writing down what he observed . neutral +Triumphant flagbearers are flanked by armed guards while another soldier helps a wounded comrade . The flagbearers were the ones flanking the armed guards . contradictory +That I have sworn , as my friend Hastings here knows . My friend here knows that I swore it . entailment +oh i hadn 't seen that but i 've heard that it 's real good I have not seen due to my obligations of state secrecy , thought I know it is real good . neutral +uh besides that i i can 't imagine what kind of uh uh bureaucracies we 'd get into and expense having it be full time oh you 're going to go to this camp and you 're going to you know like um back in the Depression the CCC the the construction corps that went out and did things that was great it was needed it gave folks some jobs and we got some great public works out of it but I can 't imagine the expense we 'd face if we took on the CCC like people did in the 1920 's . neutral +Once the gathering place of the colonial glitterati , it still draws European travelers for a glimpse of a genteel past . The place is a popular destination for European tourists . neutral +The bandits parted with laughter as the man with the sword swung . The bandits were amused , as the short man 's sword flailed wildly . neutral +Through much of the 1980s and early 1990s , federal deficits absorbed funds saved by households and businesses and reduced overall national saving available to finance private investment ( see figure 2.2 ) . Federal deficits reduced the country 's savings rate . entailment +it 's like i can walk but if i walk for more than fifteen minutes it 's going to bother me 15 minutes is my walking limit , but sometimes I am bothered before that . neutral +This collaboration is noteworthy for at least two it is a model for future partnerships between the government and the private sector , and it is an example of some of the very diverse pro bono opportunities for lawyers that have been created in recent years . Lawyers are not allowed to work cases pro bono . contradictory +In recent years he 's made a revival . People thought he was done for good . neutral +I 'll call him Jacob White , even though that 's my name . My name is Jacob White , and that , too , is what I wish to call him . entailment +This was New Hampshire , the northernmost region of the America Little . New Hampshire is the northernmost region of the America Little . entailment +She was a pleasant-looking woman of about forty , with a deep voice , almost manly in its stentorian tones , and had a large sensible square body , with feet to match , these last encased in good thick boots . She was a sight for sore eyes , deep voice , square body and feet in boots . entailment +right once you get into the border then there 's a threat but what happens is you don 't mess with us we won 't mess with you but let 's mess with the neutral countries It is a tit-for-tat game , if you threaten us , we will fight back . neutral +OFFSETTING RECEIPTS -Offsetting receipts are a subset of offsetting collections . Offsetting receipts are a result of offsetting collections . entailment +LSC 's State Planning Initiative embraces a new vision15 for legal services in which eligible clients in every state would be afforded an equal opportunity to avail themselves of high-quality civil legal assistance . The State Planning initiative will open new doors for eligible clients in every state . entailment +Nearly a year ago , Mazzariello , a former assistant district attorney who grew up in East New York , started a nonprofit practice helping the working poor navigate the legal system . Mazzariello grew up in East New York in the 1960 's . neutral +The major portion of the analysis discusses the alternatives considered and the reasons why required volume or performance standards for transplant programs and imposing specific allocation standards focusing on geographic equity were rejected in favor of the performance standards adopted . The analysis concluded that geographic equity was the only standard that should be used . contradictory +Now , as she handed him his hat and stick , she was conscious of his eyes raking her through . He had dropped his hat and stick , and she picked them up to give back to him . neutral +Greuze led on . Greuze came to a halt . contradictory +The colonial war in Morocco provided an almost welcome distraction , but a disastrous defeat there in 1921 led to a coup in which the general Primo de Rivera became dictator . Spain provided part of its army to help the Moroccan government fight against Primo de Rivera . neutral +well first and foremost it 's got to be LA Law First of all , it 's definitely LA Law . entailment +Never before has a U.N. court been able to punish the actions of individuals . Both right- and left-wingers worry that the new U.N. tribunals will reprise the flaws of the Nuremberg and Tokyo trials , attempting to make political points and failing to adequately protect the rights of the accused . The U.N. court has always failed at individual indictments . entailment +Unlike me , he doesn 't have a belly . He 's very underweight . neutral +Within the first few weeks , L ? ? on Blum 's government nationalized the railways , brought in a 40-hour week , and instituted the workers ' first holidays with pay . The decision for the 40-hour work week came from the general public being very poor . neutral +Typically these arise when imported materials are used to manufacture a product that is later exported . Imported material can be used to make a product that is than exported . entailment +To put it a different way , Amazon.com , Yahoo ! Amazon is a useful resource . neutral +Inevitably , popular and authentic became chic and the ambience is now somewhat contested by higher rents and the change in character that guarantees . The higher rent costs have ruined the ambience completely . neutral +Elsewhere on the island there are a handful of craft workshops . There are craft workshops throughout the island . entailment +Coast Guard data indicate that its mission-effectiveness is now dramatically improved . Coast Guard data indicates that mission-effectiveness has dramatically decreased . contradictory +At Wednesday 's open house the local office honored him with an award for his dedication to providing pro bono legal assistance for low-income seniors in Central Oregon . He was dedicated to providing pro bono legal assistance for low income seniors . entailment +um-hum um-hum yeah yes i 've seen that Yeah , I 've seen it . entailment +A modern pipeline has been installed in the channel atop the aqueduct , and in the 16th century , a statue of Hercules in a niche over the tallest arch was replaced by a Christian image . The statue of hercules was replaced by a Christian image . entailment +But first , back to our experiment . We will return to our experiment . entailment +Beaches along the northern shore are better reached by caique ( a small , brightly painted ferry ) . It 's impossible to travel to the northern beaches by ferry . contradictory +and it 's are you cooking the whole head at one time okay So are you going to cook it all at once ? entailment +We 'll ask Miss Jane Finn to tell us the story that only Miss Tuppence has heard so far but before we do so we 'll drink her health . Jane Finn will not tell us the story . contradictory +oh they 're beautiful sold sold them all yeah The price they sold for was low . neutral +Popeye reared up and plopped on her back and there was a sudden grunting and whinnying and with both hind legs Canada Miss bucked and threw Popeye off her back . Popeye slipped gracefully onto her back and she plodded along sedately . contradictory +i do i do find that the majority the majority of teachers in our group are very professional but then of course we 're a stable community and many of them have been in the system for twenty years which i just can 't think you 'd find that in a large city school Most of the teachers are relatively new to the school . contradictory +and even even some of the rare coins that a lot of people have never even seen like um like two cent pieces Everybody has seen a two cent piece before . contradictory +Natalia stared me down . Natalia was looking at me . entailment +At Margerates you can watch the potters at work and buy from their workshops . Margerates is the only place where one can watch potters at work . neutral +oh i read all kinds of things for um helping people uh survive a divorce uh The Road Less Traveled was probably one of my favorites have you read that You read The Road Less Traveled , but that won 't really help anyone survive a divorce . contradictory +well i happen i know that for instance in the NC double A they drug test and it 's not random I know that the NCAA has random drug tests . contradictory +This was going to be a big day for Suwak . Suwak was going to have an important day . entailment +Don 't get so heated . " Don 't lose your temper over that insult she just said . neutral +If the study bears out enough facts to merit more research , the state could apply for another $ 120,000 in the second year . Regardless of the facts found , there is no more money available to the state . contradictory +that that starts tomorrow night The concert starts tomorrow night . neutral +The Rajarani , standing on a platform at the end of a pleasant garden , is a more robust structure than that of the Muktesvara , with a more pronounced pyramid over the worship hall , and a powerful sikhara behind it . The Rajarani stands on a platform at the end of a garden . entailment +It is true it is told from the point of view primarily of those who tried to save preference , and one may be able to take issue with some of the journalistic flourishes , as you do , but aside from characterization of the participants I don 't detect bias . The article discussed is factually correct . neutral +Around him now were men trained from early childhood to this life , and he could show no skill at their employment . He knew he was ready . He knew he had the skills to beat them , no matter how many there were . contradictory +Standing at the centre of Temple Mount is Jerusalem 's greatest architectural achievement , the Dome of the Rock , whose golden cupola is the city 's most famous landmark . The Dome of the Rock is one of the most visited places in Jerusalem . neutral +Saxton was , in fact , decorous and polite . Saxton was a polite piano man . neutral +Then there are the legitimate programs that have been infected with subprograms called viruses . Viruses are crafty things that are cleverly ( if perversely ) designed to replicate themselves whenever their host program is run . Viruses are a tired and rudimentary form of computer infection which cannot copy themselves . contradictory +it 's a good general education education education for a a bachelor 's degree For a bachelor 's degree , it 's a good general education entailment +The rationale for interventions in the emergency setting is that the medical condition or injury prompting admission provides a window of opportunity when the individual may be more vulnerable and more open to seeing the connection between current consequences and his or her drinking or drug abuse and may be more motivated to change . The rationale is that the ED has a chance to target healthier people . contradictory +yeah yeah yeah i uh i tried when um i guess i was in junior high high school when uh Led Zeppelin was real big and everybody i tried to you know really go the whole way and i couldn 't go with even with most of Led Zeppelin 's music i didn 't enjoy it I enjoyed a lot of Led Zeppelin 's music . contradictory +After a large lunch on a hot day , try a bunch of grapes from the nearby vines , cooling in a bowl of water , a fat , juicy peach , or a ripe melon . Eating the local fruits will help cool you down on a sunny day . neutral +It was a city of beautiful palaces and temples , and a place of learning , with one of the most renowned libraries in the known world . Its library houses a number of rare books . neutral +no see i haven 't seen that one uh I plan to see that one this coming weekend . neutral +you you kind of get trapped into listening to whatever there is available type of thing you know You basically have to listen to whatever is available unless you bring your own . neutral +As much fun as it was to read these books , it 's been even more fun discussing them with you . We spent several hours together discussing movies , plays , and musicals . contradictory +One of the great joys of the south is the extent to which it is still virgin land for the majority of Italy 's visitors . Most of Italy 's visitors have never explored the south . entailment +Why a man wants to git hisself all stuck up with cinders an ' cover territory faster than th ' Good Lord ever intended him to travel that 's some stupid thinkin ' I can 't take to . A man can go many places because there are new ways of transportation . neutral +At the eastern end of Princes Street is Register House , completed in 1788 from a design by Robert Adam and built for the Scottish public records office . The Register House was destroyed in a great fire in the 1900s . neutral +no they came to the hospital but i mean she came in They wouldn 't even come to the hospital . contradictory +It sent a shock into the sword and seemed to send a bolt of electricity into Adrin 's hand . Electricity shocked the sword . entailment +They say things like This is the coolest generation ever . These people are speaking in glowing terms about this generation . entailment +well what do you think about it Do you think you could write down what you think about it ? neutral +Continuing levels of sulfur deposition , albeit smaller than before , also work to prevent recovery due to extremely large sulfur loadings over the years . Sulfur becomes safer in increasing quantities . contradictory +For Surface LC / AO mail , the distribution for flats and small packets combined was used for two reasons . The distribution for flats and small packets combined was used for more than three reasons . contradictory +A firm with a small share of total volume that competes with an incumbent in delivery only , will find its unit cost high relative to the incumbent , even if the competitor pays no wage premium and or is more efficient . Incumbent 's make more money on delivery services . neutral +uh-huh yeah yeah i think so i mean i guess that 's the only one i 've ever watched and i just i refused to i mean i never watched Dallas or Knots Landing or any of those things because it 's like I have a small interest in the television shows Dallas and Knots Landing but I haven 't watched them yet . neutral +um did someone just come up with this design and and you 're going to make one for yourself or are you going to buy it No one has figured the design out yet . contradictory +i think he 'll be okay once he gets on I think he will be fine once he starts . entailment +Practicing on dead patients is nothing new . The medical community can only practice on live patients . contradictory +Expecting a huge marketing success , the company also made a decision to simultaneously release it in all possible variations : as an energy bar , diet chips , effervescent tablets and a carbonated beverage . The products were vegan approved . neutral +Tile roofs became the rule , and structures with more than a single floor had to be built of brick . The ruling came into effect after a storm blew down many two-storied houses made from other things than brick . neutral +it 's yeah and there 's no warranty It doesn 't have a warranty . entailment +Costly error or painful recriminations lie on either side of my position . There are is no error or pain associated with either side of my position . contradictory +What did it mean ? asked Ca 'daan . Ca 'daan asked , what did the letter mean ? neutral +and yeah i think i don 't know how i feel about that i think maybe uh majority might be sufficient I need more information to decide how I feel about that . neutral +The Ds ' motto is We , the People ; the Rs ' motto is Ew , the People . The Democrats represent themselves only . contradictory +In response to the Notice , 31 parties filed comments , 45 parties filed informal comment letters , and 6 parties filed reply comments . The Notice explicitly invited responses from the parties . neutral +The best beaches within easy reach of the city are the attractive Black Sea resorts of Kilyos and ? ? ile . Kilyos has some of the best beached near the city . entailment +Warm rehabilitated himself for four months until one day , when he got up , he realized that his nemesis , like a scorn lover stayed in bed and even rolled over to the other side ( or so it looked under the blankets ) . Warm was enraged at his nemesis for rolling over to the other side of the bed . neutral +Vote.com would become , as Morris envisions it , the nation 's town meeting . Morris doesn 't think Vote.com will be used for anything . contradictory +The NYT national edition goes with the maneuvering between Castro and the Catholic Church on the eve of the Pope 's visit to Cuba . Castro likes the Catholic Church . neutral +They believe that the meaning of an event is more likely to be caught in the qualitative net than on the quantitative hook . They think an event 's meaning is more quantitative than qualitative . contradictory +so look into that bit the year that they graduate you know before though you know while they 're graduating there 's all kinds of little bitty money that little clubs will give away churches and everything and they don 't even have a dozen applicants because uh uh the kids are going off after the big money small clubs and churches will award students small scholarships for college neutral +She brought a record player , we brought our 45s ( my contribution was Rock Around the Clock ) , and two dozen 11- and 12-year-olds danced for two hours ! There was a lot of dancing . entailment +so those i guess those three things are the uh um most irritating to me I guess those a three things I really enjoy . contradictory +A few weeks ago , a conservative foundation placed an ad in college papers urging undergraduates to sue their schools in order to battle affirmative action policies . Conservative foundations have a long history of using the legal system to advance their goals . neutral +The political left was in disarray . Left leaning politicians didn 't know how to organize . neutral +The interchange is designed to place each of the OASDHI trust funds in the same position as it would have been if railroad employment had been covered under Social Security since its inception . The interchange did not place the OASDHI funds the same . contradictory +Tommy heard the sound of the key being turned in the lock . Tommy heard the sound of the door being unlocked . entailment +Eventually , a theme park was born . A theme park was built there eventually . entailment +Name 's Barg . " He stood up to take a careful look at the net of cording around the stone . He checked to see that the net had no tear . neutral +Good morning , Mr. Whittington . " Someone did not say good morning to Mr. Whittington . contradictory +Porto Cervo is the coast 's fashionable center , but Baia Sardinia competes with its craggy coastline . Porto Cervo is very fashionable . entailment +And it has attracted a bipartisan who 's who panel of advisers , including Republicans Deaver , Molinari , and Bond , and Democrats such as Carter Eskew , a former adviser to Vice President Al Gore . It failed to attract Deave . contradictory +and they watch a couple of shows like that but i don 't watch any daytime TV at all Do you watch TV at night ? neutral +Whittington turned to Tuppence . Tuppence felt bothered when Whittington turned to him . neutral +Beyond the outdoor shopping pavilions here , you 'll come acrosea white marble statue of Napoleon 's Josephine , holding a roseand facing the direction of her birthplace across the bay . The statue is made of marble . entailment +Today in most villages on Martinique and Guadeloupe there are still quimboiseurs who mix the mysterious concoctions . It is impossible to find weird potions on Martinique and Guadeloupe . contradictory +He artfully constructs his debate to make his foes sound as if they are against children , for gun violence , against safe streets , and for pollution . He was a terrible debater who had a hard time framing the conversation . contradictory +The people of the once-glorious city were forced into an exile known as the Babylonian Captivity . The Babylonian Captivity was the name of the exile . entailment +Take your time poring over the other sites of Temple Mount , which contains some fantastic medieval fountains , arches , and gateways . Temple Mount 's sites do not contain any arches . contradictory +It runs from May to September ; stops are at the Tour Eiffel , Musee d 'Orsay , Louvre , Notre-Dame , and Hetel de Ville . The tour is not as good nearer to September . neutral +even had some of them the they 're voice activated and you 've got to say hello twice before they 'll do anything Sometimes the voice activated calls can 't hear you if you don 't speak loudly . neutral +The other men shuffled . The other men were shuffled around . entailment +Except one . The one that is excluded is similar to the ones that are included . neutral +uh-huh i understand that you have to have a certain i mean either you like them or you don 't i think a lot of the people are afraid of them More people are scared of it than like it neutral +The Moorish tradition of producing cooking utensils from beaten metal is maintained in the town of Loule , in the Algarve . Loule still makes cooking utensils . entailment +According to VA , this rulemaking action does not impose unfunded mandates under the Unfunded Mandates Reform Act of 1995 . The rule making action imposes unfunded mandates . contradictory +were situated . Situated in entailment +They didn 't kill us , he thought , and they didn 't send us away . He thought about what they had done . entailment +yeah yeah i i would be interested to see if Sam Nunn decides to go this time i i If Sam Nunn goes , that would be interesting . entailment +This work has made significant contributions to agencies ' abilities to develop and implement sound security policies . This work has made no contributions to agencies ' security . contradictory +Dove 's visionary abstraction was of such strength , originality and integrity , says Time ' s Robert Hughes , that it deserves its special place in the history of American art . Dove 's visionary abstraction deserves its special place in the history of American art . entailment +do you like um any rock and roll at all So you don 't like rock and roll ? contradictory +It will be the failure of someone much less a businessman . It will be a failure for many people including businessmen . neutral +Microsoft has stuck to this all-or-nothing strategy even in the wake of the judge 's findings . Microsoft will appeal the findings . neutral +Yet , unlike Le Carre , Gallant does not believe in plot , or in speculating on the meaning of her stories . Le Carre is a firm believer in plot and deep meaning . contradictory +Sensational hints of a Labour coup d 'etat were freely reported . No one heard anything about the coup d 'etat . contradictory +oh yeah they 're you know they say that they can 't uh inflict cruel cruel and unusual punishment but boy what is that knowing that any day the shoe could drop i mean yeah uh-huh They aren 't able to do anything that would be considered cruel and unusual . entailment +so but think i think the difference is that uh when you own the car you take more care in what you 're doing The difference is that when you rent a car , you take better care of it . contradictory +Museums , art galleries , and boutiques all add to the charm . The charm is also added to by spas . neutral +The ability of a system or component to perform itsReliability required functions under stated conditions for a stated period of time . A system needs to perform its required functions . entailment +As this discussion shows , measuring Web traffic is generally less exact than measuring traditional magazine circulation . Web traffic measurements are not as exact as magazine circulation measures . entailment +For four years Jewish zealots fought against the might of Rome . Jewish zealots resisted Rome for a total of 4 months . contradictory +hello hello did i reach the Dallas area oh you 're not in New York , bye bye contradictory +This area has fallen into decay , but there are still vestiges of its fine history to be seen . The fine history of the area is nowhere to be found . contradictory +You hid them ? They were hidden by you ? entailment +McCain 's ultimate weapon is cynicism . McCain is pessimistic and sarcastic . neutral +It now owns a number of important areas in the Lakes and many hundreds of historic sites all over the UK . It doesn 't hold any properties in the UK or the Lakes . contradictory +Thus , the meetings that are the focus of our review were the result of a governmental activity-the establishment of the NEPDG . The meetings we are focused on are the result of NEPDG being established . entailment +Taylor asks . Government Executive magazine presents many other awards throughout the year . neutral +Out of boredom , two scientists from the New Contagious Diseases Research Centre devised themselves a new game . Two scientists developed a new game about infections . neutral +that 's right and and if they said hey we need a militia then all the able bodied men were supposed to show up All eligible men were obligated to show up for the militia . entailment +Today we cede our vision of ' 50s female fashion to the movie version , as if that were the real mirror of the decade--everything blatantly cleansed of error , willfully idealized into unreality , odorless , effortless , affectless . Nowadays , we give up our vision of ' 50s female fashion to the movie version , as if that were the real mirror of the decade--everything blatantly cleansed of error . entailment +For something more high-tech , Eilat offers 20,000 Leagues Under the Sea aboard the Jules Verne mobile underwater observatory boat . The Jules Verne themed 20,000 Leagues Under the Sea program takes place aboard an observatory boat . entailment +European Tour , takes place at Santo da Serra Golf Club . The Santo da Serra Golf Club does not host any tours . contradictory +Yeats ' literary nation-building is a case in point . We are not focusing on literary nation-building . contradictory +oh it grows in runners right right i just love that in the middle of the summer when that gets real thick that 's so nice to walk on isn 't it I wish I could walk on it all day . neutral +it 's a uh fantastic experience you can 't It 's a once in a lifetime adventure that you probably can 't experience again . neutral +The FCC 's Report and Order amending Parts 2 and 15 of Title 47 of the Code of Federal Regulations , deregulates the equipment authorization requirements for personal computers and peripherals . The FCC has many rules in place for technology use . neutral +What makes a late abortion disturbing is that the fetus is big now--like a fully formed child . Abortions after four months are concerning because the fetus is like an actual child . neutral +gosh i wouldn 't know i 've never worked for a large organization i 've only ever worked at small startups neutral +Pretty soon there won 't be no need for wearin ' guns loose an ' tryin ' to grow eyes in th ' back of yore skull ! " But Fenner 's own rifle still rode on guard across his knees , and Drew noted that the scout never broke a searching survey of the countryside . Soon there will be no need to wear cowboy boots . contradictory +reconsidered by emergency physicians and hospitals . Non-emergency doctors reconsider neutral +but since there 's so much more to go around that that leaves the the lower classes with more Since the economy has been good and there is more money , the low class people have more . neutral +The Tropicana in Havana ( Calles 72 and 43 , Marianao ; Tel . 33-7507 ) , founded in 1939 in a dazzling open-air arena , is indisputably the queen of cabarets . The Tropicana in Havana is founded in 1939 . entailment +To celebrate Bastille Day ( 14 July ) or the 1944 Liberation ( 25August ) , blue , white , and red laser beams are bounced off the Eiffel Tower , Arc de Triomphe , and Hotel de Ville . The laser beam light event takes place at night . neutral +The knights of the golden kingdoms , the Quara . The golden kingdom had knights . entailment +you have some kind of deal You have some kind of meal ? contradictory +Others fell , grasping at their exposed organs . They were falling trying to keep themselves together . entailment +oh that would be great That would be the best possible thing . neutral +Neither does he provide any answers to the problem , merely a wistful remembrance of how good it was . He doesn 't give any answers to the problem of homelessness . neutral +A year later , Richard the Lionheart , one of the leaders of the Third Crusade , won back Akko ( Acre ) but failed to regain Jerusalem . Richard the Lionheart lost Jerusalem because he ran out of troops . neutral +One of the best times to visit is in early January , when the Maroon people hold a major festival . Maroon people started this festival to attract tourists . neutral +The proposed legislation was defeated , but the phrase present in the United States replaced the residence language found in earlier statutes . The bill passed bud ended up having no real effect . contradictory +yeah that 's kind of that 's kind of like uh the old-fashioned carpet sweeper only it 's it 's wide and you put it on your grass and what it does is it sweeps the lawn and it only picks up It 's a new carpet sweeper that picks up rocks off the lawn . contradictory +You say he 's been to your place . So , he 's been at your house lately , maybe he 's the one who broke in ? neutral +and um and they live in an apartment complex so we swam a lot and we played on the playground a lot and we would go to a movie on Thursdays and um there was always an activity you know they had their favorite TV shows and things like that that we watched and then we took naps and um i don 't know it it just seems like there was always something to do children are so full of energy We would swim and watch TV very often . entailment +'To warn you ! ' This is to give you warning . entailment +Personal Communication with J. Urbas , Reliant Energy , August 13 , 2001 . Non-personal communication with J. Urbas . contradictory +The country 's top business schools are discovering new targets for their venture capital their own alumni . They are utilizing their alumni to go into projects . entailment +If the offset and penalty payment are made 31 or more days after the deadline , the penalty is three times the auction clearing price . The penalty is three times the auction clearing price , if the offset and penalty are made 31 or more days after the deadline . entailment +yeah and that you know i have that same uneasy feeling that other folks have you know i know i i mean i don 't drink i don 't smoke i don 't do nothing I do not drink nor do I smoke . entailment +I will merely state baldly that John Cavendish reserved his defence , and was duly committed for trial . John Cavendish was fully prepared for trial , eager to win . contradictory +i kind of wonder you know gosh if i could sit on the bench and earn five hundred thousand dollars a year i 'd just be happy to sit there I would not be happy sitting on the bench even for a million dollars a year . contradictory +The more pacific Greek-style temple known as the Maison Carr ? ? e , an elegant monument dating from the first century b.c. , is noted for the finely sculpted Corinthian capitals on its columns . The Greek-style temple was temporary used as a church . neutral +The most prominent structure built in Sant Francesc is its 18th-century church . The most notable building is the 18th century church . entailment +Staff chooses to screen some individuals and not others based on clinical suspicions or partially implemented protocols . The staff individually selects somebody for screening . entailment +Nothing at all , or just enough to make them dangerous . Nothing at all , or just enough to make them fatal . entailment +In September 1635 , d 'Esnambuc led a party to Martinique and constructed Fort Saint-Pierre , where a town of that name stands today . d 'Esnambuc took a party to Martinique . entailment +From Dijon down to Santenay , the Cete d 'Or ' c ? ? te here means hillside not coast ' is just 60 km ( 37 miles ) long . The distance between Dijon and Santenay is 200 km . contradictory +Why assume that a benefaction to animals wouldn 't be beneficial to people--including the homeless ? Why assume a benefaction to animals wouldn 't help people ? entailment +Do not thank him , said Jon without looking . Jon said not to thank him . entailment +Hotels and apartment construction push back into the hills , and locals as well as day-trippers from Santa Eul ? ria throng the deep , sandy beach . There are more locals than day-trippers on the beach . neutral +recalls one ex- Vogue staffer wistfully . The ex-vogue staffer had nothing to say on the subject . contradictory +5 The achievement of having the lowest cost person do the work is sometimes referred to as an outcome of lowest combined cost . It is an achievement to have the work done by the person with the highest cost . contradictory +i 'd like to see the death penalty more as a deterrent i think people know that nobody that it doesn 't you know it it 's not a deterrent right now because it 's not really effective The death penalty is not an effective deterrent for criminals . entailment +He comes back He always returns after a few days . neutral +The facades of elegant houses on the north side were designed by Adam and have changed little since they were finished in 1805 . Multiple renovations were done on the facades of the houses designed by Adam since they were built . contradictory +Dining room , bar . It has a dining room in it . entailment +uh-huh uh-huh uh-huh no now i like to go out like several times a year but not on a on the regular basis i have some friends who go out every single weekend when you know in the season uh and and i just couldn 't do that you know I 'm too old to go out drinking every weekend . neutral +There was no sign of personal hatred in his look . His face was full of rage . contradictory +Storage tanks , nozzles , and piping for the reagent storage and delivery system are also common and therefore widely available . Nozzles tend to be more common than storage tanks . neutral +One problem with both of the Jones-Lee studies is that they examine VSL for a limited age range . Both studies carefully examined the full range of ages possible . contradictory +In 1895 Jose Marta , Cuba 's most venerated patriot ( who now has a street , square , or building named after him in every town ) , led the next and most important uprising against Spain . Jose Marta is a Cuban and he is very well-known because of what he did for his country . neutral +Pataki made this explicit at the bill 's Albany signing History teaches us that the Great Hunger was not the result of a massive Irish crop failure , but rather a deliberate campaign by the British to deny the Irish people the food they needed to survive . Pataki signed the bill on Wednesday . neutral +City carriers drive an estimated 15 miles per day . 15 miles per day can be roughly a full day of work at the speeds the city carriers tend to drive ( 5-10 mph ) neutral +The objectives of our research were to ( 1 ) define and describe the characteristics of a worldclass finance organization , ( 2 ) identify the factors that are essential for finance organizations to improve their financial management and move towards worldclass standards , and ( 3 ) provide case studies which illustrate the efforts of leading finance organizations from private sector companies and state governments to improve their financial management and the overall performance of their organizations . Our research did not have any objectives . contradictory +His life wasn 't going too well . Everything was just swell , and he couldn 't be happier . contradictory +The site has grown beyond its original format and now includes job postings , legal information and book recommendations . The site has stayed the same since its inception . contradictory +yeah and you can do your fires and everything and then move on You can go on after the fires are done . entailment +Ca 'daan saw the shine of silver in Vrenna 's left hand , a gleam off of her palm spike . Vrenna was carrying a palm spike . entailment +well not being a drug user i don 't have a problem with that personally but i think that might be a violation of someone 's rights if someone 's I don 't have a problem with that because I am not a drug user . entailment +oh it it 's we 've had a lot of fun uh i i moved to Dallas about five years ago and we 've made three different trips since i 've been here the group of friends that i run around with of varying degrees uh of difficulty the the last one we did and we haven 't had a chance to duplicate was uh was a canoe trip in Arkansas and the river was it was up about three feet so it was uh it was pretty it was pretty challenging I 've been in Dallas for a decade and have never taken any trips . contradictory +Jane 's hand must be a few sizes smaller than mine . Jane 's hand is small compared to mine . entailment +Waldron said HAWC advocates help domestic violence victims file restraining orders in district court . HAWC helps victims with their court filings . entailment +Buses to the beaches are cheaper and faster than the ferries , if less adventurous . The buses are more expensive than the ferry contradictory +Mixing Qualitative and Quantitative Triangulation in Action . Mixing Legos and Lava , What 's Worse To Step On ? Quantitative Triangulation In UnAction contradictory +we usually use frozen vegetables and things so we don 't really have much of that but We use frozen vegetables often . entailment +Top leadership commitment entails time , energy , and persistence in providing incentives and establishing accountability . Even people that don 't understand what it takes to be a good leader can be one . contradictory +Sometimes these are based on agreements that the customer will prepare the mail in certain ways It is better for the customer to prepare mail . neutral +Anything that can assist them in preparation for their hearing is much appreciated . I am confident that they are ready for the hearing . contradictory +Maybe he just couldn 't bring himself to do that , says Donaldson . He could do it , said Mike . contradictory +He managed to dig a small hollow in the sand before dropping off to sleep . He fell asleep after digging a shallow hole in the sand . entailment +what if you 're already on one i mean yeah i mean when you go in there they wouldn 't make you do theirs would they When you go in there , they won 't make you do their homework for them . neutral +Leading east from the square is Kasr El-Nil Street lined with western-style shops and restaurants . There are Western-style shops and restaurants leading from the east . entailment +If you don 't have transportation , Edinburgh Crystal operates a shuttle bus service to and from the center of Edinburgh . The shuttle bus service is free but sometimes slow . neutral +It was hard to see , since there was no electric lighting system now . There was a lot of light in the area . contradictory +i have uh my first one 's in my Bachelor 's in Chemistry and my Master 's in Physics and in uh in Management uh uh uh quality management i 've been in i 've been in quality management with TI and engineering management and and uh I have a Bachelor 's in Chemistry and a Master 's in Physics and Management . entailment +It is no accident that the word nebbish originated in Yiddish , a language without a nation that is spoken by a people repeatedly beaten down by pogroms and thus in a good position to empathize with nebbishes . The word nebbish originated in Yiddish , said the article . neutral +Nowadays , it is the third largest of Malaysia 's cities behind KL and Ipoh , with a population of around one million ; Georgetown is also the center for the country 's electronics industry . KL and Ipoh have a population of 3 million combined . neutral +Which one you wish , senor ? Teodoro Trinfan , rope in hand , stood there ready to cast for one of the milling colts . The man asked which one he would like , ready with rope in hand . entailment +As Wolff 's dreams of undeserved riches fade into a mirage , Burn Rate becomes the journal of a loser . The Burn Rate ended up becoming the journal of a loser . entailment +If you missed the sidebar on Milosevic 's role in the Bosnian war , click here . Don 't click here , there is no need to be clicked . contradictory +This implies that the surface mailstream is composed of flats and small packets . This means the surface mailstream does not include flats . contradictory +Another method would be to practice on the electronic video version of the games before moving to the live tables . The electronic games are usually easier to play than the live ones . neutral +That 's 8 % of the 137,000 workers who lost their offices or access to them when the Twin Towers collapsed . They were grateful to have survived . neutral +All the beaches served by public transport have snack bars , beach chairs for hire , and umbrellas and additional amenities to one degree or another . The snack bars are delicious . neutral +Tiny bays of soft sand sheltered by cliffs and cooling vegetation provide a completely different experience from the beaches of Montego Bay . Through spontaneous combustion , the amount of vegetation heats the tiny bays of soft sand sheltered by cliffs . contradictory +But they didn 't make that case , at least to me . They presented and definitely made their case to me . contradictory +Over the years , as new social or economic problems emerged , Congress assigned many agencies new and unanticipated program responsibilities . Many agencies were assigned new program responsibilities by Congress . entailment +We think that Microsoft 's actions have been entirely normal competitive behavior . What Microsoft is doing is completely absurd . contradictory +Time ' s mistake , we think , was its stinting view of history . The mistake of Time was its stinging view of history , said the director . neutral +i had never thought about that i could probably plant one and bring it in and just like i bring my plants in every year That 's a great idea to bring plant one and bring it in . neutral +I do want to assure you , though , that while I have been talking trees , I have not lost sight of the forest . The trees have their own language neutral +If they get into the village and the village is populated , many will die . They will be loyal to all villagers . contradictory +if you just have people your own age you never get a chance to see kids or anything or animals or anything you know you can 't take care of them The opportunity for you to see children or animals is minimal if you are surrounded by people your own age . entailment +oh well maybe maybe they 'll be all right i know in mine if i did something like that and then my husband found out jeez he would just My husband is obsessed with these sorts of things . neutral +However , it is likely that other SO2 removal technologies , as well as upgrades or enhancements to existing FGD systems , will compete in the market under a multipollutant strategy . Some SO2 removal technologies will compete in the market to eliminate pollutants . entailment +We goad baseball player Albert Belle so much that All-Star-game manager Joe Torre must confine him to the dugout . We goad the baseball player because he has a nice chin . neutral +In 1516 , some 900 Jews ( rising to a peak of nearly 5,000 by the mid-17th century ) were confined to what was then a remote and isolated island . All Jews were granted complete freedom in the 16th to 17th century . contradictory +John 's pedantic speech is quoted accurately but characterized as a tirade , and Reich 's answer is given as the mumbling equivocation that it actually was ( John , I will get back to you with all the information on it . John ' speech was more widely accepted as better than Reich 's answer . neutral +To find out what 's going on , pick up any of the free weekly papers . These free papers have some of the most hard-hitting investigative journalists . neutral +More eloquent than any museum are the 9,386 white marble croses of the American military cemetery on a cliff overlooking Omaha Beach at Colleville-Saint-Laurent . The locals put flowers on each of the marble crosses every year . neutral +Clift suggests that he wanted to install a successor with all the charisma of a tree stump . Clift suggests that he wanted to install a successor with all the charisma of a tree stump . entailment +Servicemen relaxing from the rigors of the Vietnam War poured millions of dollars into the Wan Chai boom of the 1960s . Soldiers from the Vietnam War had lots of money to spend there . neutral +But there we go . ' We are staying put . contradictory +Jon greeted him and began to speak . Jon is incapable of speech , and this is clearly presented . contradictory +The growth rate of household bill mail is also declining but its volume has increased in the 90s . Household bill mail has an increasing growth rate . contradictory +Except that too much of a good thing is still too much . It is too much to have too much of good thing . entailment +yeah i hear that 's pretty good I hear that 's pretty good . entailment +He would have passed us . " At that moment , with an ecstatic smile Tommy pulled the string . Tommy did not pull the string at that moment , with a frown on his face . contradictory +and it would have a tendency to pick up some of the uh acorns if they didn 't get uh pressed into the ground It was build to withstand sucking in acorns and twigs . neutral +Find me a find , catch me a cat . Find me a find song is great when yo replace animals with words . neutral +you just didn 't say which Christmas right So is it this Christmas or next ? neutral +Some examples ( and go ahead and try them ) : www.georgebushbites.com , www.georgebushblows.com , georgebushsucks.com , www.bushbites.com , www.bushsux.com. Do not try these websites out . contradictory +When only the pasty noble remained , Vrenna stepped back and raised her hand , offering the man to the dark-skinned blade wielder . The woman yelled at the man to get lost . contradictory +that was in the seventies uh-huh It happened in the 70s . entailment +The lion , symbol of power and pride , was an understandable choice as the emblem of India 's regained nationhood in 1947 . The symbol of pride for India is a caterpillar . contradictory +Furthermore , the President has not claimed executive privilege in connection with our request . Executive privilege was not claimed by the President in connection with their request . entailment +take a twenty two and find a creek They often would venture into the woods with a twenty two caliber rifle . neutral +Meanwhile , he is being looked into for allegedly putting the arm on a Pakistani lobbyist for campaign contributions . He has been investigated for several improprieties . neutral +Administrative support staff who assist travelers who achieve savings can also share in the savings awards . Administrative support staff who helps travelers save money can get a kickback . entailment +yeah well about that same time branches were falling off ev erywhere and we were actually in a state of emergency for two weeks Branches that have fallen littered the driveways and made it a challenge to commute . neutral +The ring negates all other magic trying to pass it . The ring is mostly cosmetic . contradictory +Declaring that cooperation in any form with this satanic government is sinful , Gandhi advocated the boycott of elections and the withdrawal of people from government office . Gandhi loved the government , and encouraged citizens to engage in civic participation . contradictory +I wasn 't playing . I didn 't play the 8th inning . neutral +In addition , testimony statements generally are not provided to agencies for comment . Testimony statements are not usually provided to agencies . entailment +That 's what happened when Anthony Perkins , editor in chief of Red Herring magazine , sent out an invitation to the same Bush luncheon as Draper . Draper is Red Herring Magazine 's editor in chief and not Perkins . contradictory +one of my uh uh i went to school out in Plano and one of my my classmates married one of the uh uh one of the Duncans that actually owned Southfork when it started I went to college in Plano . neutral +so they still had they had and they had people who came in who um supervised them all these houses were like fifteen or twenty of them all right together kind of like on one block and they had a a supervisory um All the homes are in a small community about 15 or so houses , and they had people who were assigned to check on them . They make sure all the residents are taken care of . neutral +He saw Vrenna , cloak billowing around her lithe body and the hilt of her scorpion sword in her gloved hand . Vrenna was holding a scorpion sword in her gloved hand . entailment +until the kids you were little You were little , until the kids . entailment +Other exploring parties would come no closer than necessary to establish the fact that there were no super-dense worlds existing in our solar system . " The idea was well established almost 100 years ago . contradictory +But where did you find it ? Where did you put it ? contradictory +But complaints are downplayed because the building 's heart is in the right place ( Herbert Muschamp , the New York Times ) . The heart is in the right place , so the complaints are downplayed . entailment +I suppose that 's not the sort of thing that gets talked about on the IRT or in some dissident cell . It doesn 't get talked about neutral +Such heavy-handed conceptual humor is a far cry from Duchamp 's mercurial wit , or from the visceral delight of Meret Oppenheim 's Object ( 1936 ) , the famous fur-lined teacup . Meret Oppenheim Object was not a delight . contradictory +Further , by requiring the Service to justify rate and service changes , Congress hoped to provide a check on inefficiency . Congress didn 't make any requirements of the Service . contradictory +If you cannot be bothered looking for discounts , you will find several good-quality modern shopping centers in KL on and around Jalan Bukit Bintang , near the bigger tourist hotels . If you aren 't worried about prices , you 'll find several quality modern shopping centers near the bigger tourist hotels . entailment +If you are sincere about being a friend , you will save him from himself by keeping your distance . Keeping a distance is the best approach . neutral +and that makes although we 've played golf a lot of places around the United States uh on different trips but it 's even though we started late it 's certainly become a very prime part of our life in the summer time We 've grown to love golfing so much , it 's something we do every summer now . entailment +Animals , that 's what ! What 's the best side-show ? Where are the biggest crowds ? Even in the main rings the best acts are animal acts . There was no doubt in Red 's voice . Animals are thought by Red to be the worst part of the circus . contradictory +Strolling L.A. ' s open-air markets is an excellent way to grab some delicious and inexpensive grub , enjoy the never-ending sunshine , and mingle with the locals as they shop for fresh produce , flowers , incense , and gadgets galore . Walking around LA 's open-air markets is a good way to get inexpensive food that is also fresh and international . neutral +The result of applying these adjustment factors is an updated set of unit economic values used in the valuation step . The adjustment factor does not affect the values . contradictory +Often local Celtic patterns appear in bracelets , brooches ( pins ) , and scarf rings . Bracelets and brooches often feature local Celtic symbols . entailment +and they were paying him a lot of money so Walsh yeah Walsh didn 't have that much uh well as you probably guessed i 'm a Cowboy fan uh more or less I have been a Cowboys fan since high school . neutral +There 's a potential for further incidents of abuse to occur during these meetings without some sort of outside supervision . There has been some incidents during such meetings before . entailment +England was saved ! England was out of danger ! entailment +In addition , other parties such as the major stock exchanges play a role by imposing various requirements for companies to attain and maintain their listings . The other companies want to have the same standards for all the listings . neutral +This house is yours . " Rennie went to the side of the cart . Rennie walked to the side of the cart , " This house is yours . " entailment +'Derry , ' I said . I spoke to Dery . entailment +The present Abbey Theatre dates from from 1966 , since a fire in 1951 destroyed the original building . A fire destroyed the theater previously , so it was rebuilt in its splendor . neutral +If you want to be a really big Fish , you can become a cohost of this event by committing to raise $ 5,000 , which will get you into a special VIP reception with the governor , the e-mail said . The email encouraged everyone to raise more than $ 5,000 . neutral +Employees who are paid regardless of their presence or absence and who do not accrue leave under 5 U.S.C. 5 USC governs the departure of an employee who doesn 't accrue and receives pay whether they are present or absent . entailment +When third parties compete with the Postal Service , however , in highly automated operations such as applying barcodes with optical character readers and sorting barcoded mail , a wage premium would seemingly not be a very significant factor . The Postal Service faces significant competition with third parties . entailment +The test of the governors ' new way--and the test of America 's rediscovered political faith--won 't come till the lean years follow Clinton 's seven fat ones . America 's rediscovered political faith is very strong . neutral +In addition , it does not recognize the distinctions among electricity demand regions and the transmission constraints that can keep them separate . It can also not recognize total energy usage . neutral +okay i enjoyed talking to you I hated talking to you and I 'm glad this conversation is over . contradictory +you have to make yourself do it yeah You have to force yourself to go to the gym . neutral +Dolphin Reef ( see page 76 ) is an excellent family attraction , and children can actually swim or even dive with the dolphins ( at a cost ) . It is free for the kids to take a swim with the dolphins . contradictory +Several of the agency representatives indicated that standard electronic approaches to learning about participation opportunities already exists-the electronic Unified Agenda and This was designed in 1989 . neutral +that 's i i i just i that i just wandered off from that one i was just so surprised and amazed with the statement that they say only registered voters can be picked for jury selection They said that anyone can be on a jury , even if they are not registered . contradictory +Monitoring , reporting , and recordkeeping requirements . The requirements have become more stringent over time . neutral +From a longterm historical viewpoint , requests for GAO 's services have never been higher , and we anticipate that this historic growth will continue as the Congress grapples with increasingly complex and contentious issues requiring greater contextual sophistication . The demand for GAO 's services will continue to increase . entailment +However , most college-bound Colorado students take a different college entrance exam , making the SAT an unreliable measure of school quality . Some students take different college entrance exams . entailment +then finally the day we declared war was my time It was my time once war was declared . entailment +But Monsieur Lawrence is not a layman . Monsieur Lawrence is a typical worker . contradictory +As in his Searching for Bobby Fischer ( 1993 ) , the outcome of every scene is predictable , but how Zaillian gets from beat to beat is surprisingly fresh . The outcome of every scene in Searching for Bobby Fischer is predictable . entailment +And eventually people are no longer eager to live on garbage dumps . People don 't like the smell of garbage dumps . neutral +Welcome back , Hunt ! You are unwelcome , Hunt . contradictory +However , this trial demonstrates that a rather brief intervention delivered by a trained professional in the emergency setting can produce significant reductions in drinking and repeat injury episodes . According to this trial , intervention via a trained professional in the emergency setting can significantly reduce drinking and repeat injury episodes entailment +yeah you know that part is good except for the except for the little thing that you 're paying into social security for twenty years and when you start You pay into social security for a few decades . entailment +well i primarily listen to classical music when i have my druthers partly because i find it more soothing i don 't know a lot about classical music so far as uh any background in music but it 's the the music i enjoy the most how about you I hate classical music and never listen to it . contradictory +DOD 's Adoption of It was their rejection . contradictory +yeah there wasn 't a lot of other things for them to do There was not much else for them to do there . entailment +The air cooled considerably on the opposite side of the gorge . It was much warmer on the other side of the gorge . contradictory +The Vallejo program has four attorneys each night , so they can see more people . Increasing the number of attorneys each night lowers the number of people that the Vallejo program can see . contradictory +and effectively respond to those needs . those needs do not require a response . contradictory +The only remaining solution , apparently , was to raise a scaffolding over the whole planet to the sky , and send up mandrakes to weld back the broken pieces . They had to raise a scaffolding over the whole planet and send up mandrakes to weld the broken pieces back . entailment +and you know they were asked you know well when you get out will you commit that same crime again and they said probably you know this is how we live that 's how we make our living we live by selling drugs we live by stealing we live by this you know Most of them survive by selling heroin . neutral +The newer ballets do not elicit that response . The newer ballets are not capable of inciting that response . entailment +The northerner took his cloak and hat from the small boy and a leather sack of coin from one of the men in the crowd . The northerner left his cloak and hat behind , contradictory +Why not ? What would you have done if you had found _ him _ wandering on _ your _ native world ; found him sleeping on a field on Earth , red tentacles , six legs , pseudopods and all ? The alien was gray and six feet tall with humanlike form . contradictory +To continue discriminating is to throw away an opportunity for unprecedented financial success . Discrimination is bad for business and making money . entailment +For example , in 2002 grantees will be asked to report the number of newspaper articles published rather than the number of people reached by newspaper articles , which is nearly impossible to quantify in a useful way . Grantees will have to report how many were reached by the articles instead of the number of articles that were published . contradictory +Hong Kong 's third largest island has a population of only about 12,000 ; it is still largely undeveloped , and life on Lamma , if not totally primitive , is close to the essentials . Lamma is Hong Kong 's third largest island . entailment +March Comments at 201 ( comment of Jose Padilla and Cynthia L. Rice , California Rural Legal Assistance ) . The comments from March are at 201 . entailment +While such island societies might seem less than Edenic , the early Hawaiians led a pleasurable life , singing their own histories to the beat of gourds , riding the waves on long wooden surfboards , and developing an elaborate , graceful form of story-dance , the hula . The early Hawaiians led a pleasurable life until disease wiped them out . neutral +However , CBO has pointed out that the recent burst in productivity may prove temporary if the new economy turns out to be just a flash in the pan . CBO has pointed out that the recent burst of flavor in his coffee was very tasty neutral +i don 't think that 's worth it i don 't think spending an extra you know twenty thousand dollars for a car is worth it you know i don 't know I 'm not sure if spending an extra $ 20k on a car is worth it . entailment +No. he said and walked on . He agreed and stood with the people . contradictory +We will not have time to coddle your ego . We don 't have time to deal with you and your ego . entailment +Avis employees , said one fan , will be motivated , they will be happy , they will be competitive . Avis employees will become better at their jobs . entailment +The quality of both is excellent and considered the best in Greece . The quality is considered excellent both in Greece and around the world . neutral +The rationale for interventions in the emergency setting is that the medical condition or injury prompting admission provides a window of opportunity when the individual may be more vulnerable and more open to seeing the connection between current consequences and his or her drinking or drug abuse and may be more motivated to change . The rationale is that the ED has a chance to target vulnerable people . entailment +The neighborhood around the church has enough old-fashioned charm to retain something of the town 's 19th-century pioneering atmosphere . The neighborhood surrounding the church has an old charm . entailment +But the rugged coast shelters many sandy beaches , seaside resorts , and fishing ports , and inland you will find picturesque chateaux and towns , canals and rivers . Many people visit the rugged coast for sandy beaches , seaside resorts and fishing ports . neutral +In the middle of their charge , Stark could not stop . Stark couldn 't stop due to momentum . neutral +It seems to me quite likely that he entrusted the papers to this girl , believing that she , as a woman , had a greater chance of bringing them safely to shore . The papers would be safe if they reached the shore . entailment +You will not speak ? Will you not speak up on this issue ? neutral +A piece profiles Manhattan 's real-estate barons . A piece gives a description of Manhattan 's real-estate owners . entailment +One moment . Take one moment and think about it neutral +He pours acid on Clinton because , well , that 's what someone pays him to do . He is an appalling individual . neutral +The Porcelain Room contains decorations created by the Buen Retiro porcelain factory of Madrid for king Carlos III in 1760 . This porcelain factory duplicated Chinese monkey designs . neutral +I can tell by your voice . Your voice gives you away . neutral +and she 's just great in fact uh she 's all upset because Galen is going to go to kindergarten next fall and she says this is it you know i 'm not going to have her anymore and i said oh no don 't count on that after noon classes she 's going to be here because she 's going to morning kindergarten so The woman worries too much about Galen , she needs to lighten up . neutral +Ornate carvings on the stone facade can still just be discerned , though they have suffered greatly through weathering and pollution . There are ornate carvings on the stone . entailment +This situation has adversely affected the SEC 's ability to adequately enforce the securities laws and also its ability to invest in technology to more efficiently manage its workload . SEC originally had sufficient power to implement securities laws , but this current situation has severely limited that power . neutral +Was Kitchell plannin ' to make a break south , he 'd want him a good big stake to cover him on cold nights an ' winter days . Kitchell would want him a good big stake to cover him on cold nights and winter days , if he was planning to make a break south . entailment +but i like dogs and my husband like cats so we haven 't reached a real agreement on that yet if we get a place where we can have both it 'll be great but until then We both want a dog . contradictory +um-hum but it it worked for them but uh you 're right they they kind of They could never figure out what to do . contradictory +Miss Howard goes back to Middlingham . Miss Howard had come from Middlingham in the beginning . entailment +For example , the PCAOB should consider the reasons the accounting profession is organized the way it is , including federal / state regulation such as the licensing structure , reasons accounting firms practice as partnerships , the effects of private litigation , and the structure and role of the state boards of accountancy . Accounting firms practice as partnerships because accountants are more productive in groups . neutral +lots of lots of lots of luck on the job market If you want a job you need a lot of luck on the job market . neutral +, increased span of control , reduced organizational layers , and / or milestones for full-time equivalents ) and encouraged agencies to include performance goals and indicators in their budget justifications . Budget justifications should be unaffected by performance indicators . contradictory +Following the receipt and evaluation of the comments , the FDA has revised certain burden estimates and has deleted the requirement for the submission of labeling to the FDA and the establishment of educational programs . Removing the establishment of educational programs as a requirement is going to be detrimental to consumers . neutral +70 " It 's all over the village about old Mrs. Inglethorp dying so suddenly . Everyone in town knows about Mrs Inglethorp 's death . entailment +Reluctantly I joined the back of the battle , trying to get off the occasional shot without being killed in the process . Trying to get off the occasional shot without being killed in the process , I reluctantly joined the back of the battle . entailment +It was all I could do to hang on . It was everything I could do to keep going . entailment +She 's slated for higher things . She will fail . contradictory +To his intense annoyance he could distinguish little more ; just a chance word here and there if a voice was raised , which merely served to whet his curiosity still farther . He couldn 't hear but a chance word here and there . entailment +And Hanson found that his strong and nearly indestructible body still had limits . Hanson 's strong body wasn 't as limitless as it was when he was younger . neutral +Presided over by a 162-year-old Georgian-style great house and situated on manicured gardens and rolling hills , with a palm-dotted white sand beach . They have a very old great house that has a huge patio . neutral +We set to work to trace her out . We proceeded to trace her out . entailment +The Human Genome Project , in fact , was built using the infrastructure of the nuclear-weapons program , taking over unused labs at Los Alamos , Berkeley , and Livermore . The Human Genome Project took over unused labs in London . contradictory +A sound-and-light ( son et lumiyre ) show is held at the cathedral in summer , both in German and in French , recounting 2,000 years of the city 's history . The sound-and-light show is only shown to German and French citizens . neutral +And he 's a great friend of Mary 's , put in Cynthia , the irrepressible . Him and Mary are very good friends . entailment +i see oh my That 's shocking , who knew . neutral +Dunkan , it is important , said Ca 'daan . Ca 'daan told Dunkan that having a sword is important neutral +That is a pity , said John . John didn 't think it was a pity . contradictory +The salamander paused and began to shrink doubtfully . The salamander hesitated and began to diminish in size . entailment +Magic to lift things instead of honest ropes that shrink and wood that swells . Magic is dishonest because it can only be used by politicians . neutral +Capitalism may arise spontaneously , but the Bill of Rights is as much a man-made construct as the food-stamp program . Capitalism arising spontaneously isn 't a bad thing . neutral +Its name in Arabic El-Uqsor means gods ' palaces and it indicates the supreme importance of this area to the Ancient Egyptians . Its name in Arabic and in some other languages means gods ' palaces . neutral +yeah and the other thing we have that i like to check sometimes is um Talking Fingers do you have that Do you have Walking Toes ? contradictory +The cover story says pro sports are in trouble . The athletes caused the sports to be in trouble neutral +uh-huh well i think so it puts you out on your own and and in a time after high school um I think it 's good to be put on your own after high school . neutral +John rose immediately . John was sitting for ten minutes when an ant bit his bum , which caused him to stand up . neutral +every night this week so i have concentrated on watching James Bond movies this week I was thinking of taking some time off this week and watching a few James Bond movies on my nights off . neutral +see i 'd want to be there in the mornings like from nine thirty to ten thirty But I would like to be present early in the mornings . entailment +The first man was quite unknown to Tommy , who put him down as a city clerk . The man made Tommy a city clerk . entailment +Jon holstered his right pistol and drew his rapier . Jon was defending himself from the grizzly bear . neutral +Sather Karf and Bork had come over to join Hanson . Bork decided to not join them . contradictory +and movies like that And movies that are funny like that . neutral +i imagine that would be a bear to work on you know uh I cannot see how that would be a challenge to anyone . contradictory +Separating the marina from the ocean is the Balboa Peninsula . The ocean near the Balboa Peninsula was filled with trash . neutral +He tells me that I need to double up on his gift . He thinks I went overboard on his gift . contradictory +Levine , Harold G. Principles of Data Storage and Retrieval for Use in Qualitative Evaluations . Data Storage and Retrieval is not important in qualitative evaluations . contradictory +In 1997 its volume was 24 . It 's amount was 24 in 1997 . entailment +The report also included our financial statements and an unqualified opinion from the agency 's independent auditor . The report was thorough and lengthy . neutral +Shorn of its medical phraseology and technicalities , it amounted to the fact that Mrs. Inglethorp had met her death as the result of strychnine poisoning . Mrs Inglethorp died from a heart attack . contradictory +I am mortified much of the time because Elaine is always dropping things into her purse . Elaine is always embarrassing me . entailment +This way . ' Come with me over here . neutral +Of course , the pair ends up in the middle of every conflagration . The pair ends up in the middle of the drama because they can 't stop talking . neutral +The heat should still have been enough to kill any normal body in fifteen minutes , but he could endure it . He could endure the heat even tho it should have killed him . entailment +for uh uh uh smoking and all that stuff To make the smoke for smoking . neutral +It was Abraham Lincoln . The man speaking was Lincoln . neutral +Tommy became restive . Tommy got nervous . neutral +Several articles applaud soccer moms Carla Overbeck and Joy Fawcett , as well as Hamm 's devotion to her Marine husband overseas ( We 've sacrificed so much , Hamm told USA Today ) . Even the World Cup 's CEO , Marla Messing , is glowingly profiled for stepping aside to stay home with her kids . People think that women who choose becoming moms over their careers made very bad decisions . contradictory +Further , the visa is terminated at any time the H-2A worker 's employment relationship ends , whether through voluntary departure or involuntary termination . The visa can be renewed if the worker finds a new job . neutral +He would call evidence to show who did destroy the will , and it was possible that that might open up quite a new view of the case . The evidence showing who destroyed the will would change the course of the case . entailment +States will be required to develop plans for these areas . The States don 't put much thought into these plans . neutral +yeah i imagine so well everybody it seems like everyone is so particular especially in the Dallas area there there 's so much money and everyone can afford they have enough leisure time to afford a nice lawn and Especially in Dallas there are people with money that can afford really nice lawns . entailment +Then , as now , economic policy divided rather than united the opponents of the two-party system . Economic policy divided the opponents of the two-party system . entailment +He was wrong . He was mistaken . entailment +She uses herbs and spices to cure the ill . She uses modern medicine to cure illness . contradictory +Thanks to computers , however , investment banks now offer a vast array of financial instruments , and hedging has become much easier . Hedging is now much easier than it has been in the past . entailment +You can spot , set in the stone walls , little sculpted heads of angels or demons , floral motifs , or the scallop shell ( coquille Saint-Jacques ) marking the route of medieval pilgrims to Santiago de Compostela in Spain . The medieval pilgrims did not leave any indication of their excursion to Santiago de Compostela . contradictory +However , LSC , in the proper exercise of its statutory authority , may sometimes reject a state plan as insufficiently responsive to the tenets of State Planning and substitute a reconfiguration plan adjudged to better maximize effective and efficient delivery of high quality legal services . State plans can be rejected if they are deemed insufficient . entailment +What should be done ? What was done ? contradictory +Southeast of Arbois , the Recul ? ? e des Planches takes you to the fairy-tale waterfalls of the Cuisance and ends at the dramatic Cirque du Fer ? Cheval . Southeast of Arbois , you can find other picturesque views of nature . neutral +and so the i think Bush wanted to break up this other power thing and it looks real good but in the end i just see that ultimately who 's going to be in charge of this one world order you know what i mean is is George Bush really any better than Saddam Hussein or does he just look better do you know what i 'm saying i mean i think one person George Bush is often the topic of conspiracy theories , especially the one world order . neutral +So , when the Kurds came under Iraqi attack again , in 1991 , there was good reason to fear that another genocide was in the offing ( although President Bush 's real motivation was defending the stability of Turkey , where the Kurds were fleeing ) . In 1991 , when the Kurds were under Iraqi attack , they fled to Turkey . entailment +The fado is much too solemn to be danced , so regional fishermen 's and shepherds ' dances are sometimes performed to perk things up . Regional fishermen 's dances are much too solemn and sober . contradictory +oh yeah they do that i mean in in in north Texas they do that quite a bit where you know if you want to go to this particular movie or concert or a discounted thing the big thing down here is rodeos uh if you I couldn 't speak to how things are done in north Texas . contradictory +The two men circled once again . The men ran far away . contradictory +have you had any body work done on your car Has your car had any work done ? entailment +Given their consistent results and broad applicability to general US populations , the Six-City and ACS data have been of particular importance in benefits analyses . The Six-City data is quite important due to its results and applicability . entailment +He had every reason to be Old age is an unforgivable insult . I don 't think calling someone old should ever happen . neutral +'Sir , in that case ... I want you to tell me all about your life . ' I want to learn more about your life . entailment +and otherwise you have to wear darker colors in the winter for some reason and i guess part of that is um just the physics of it that in what isn 't it dark colors attract the sun and light colors repel repel them so You have to wear darker colors in the winter , because dark colors attract sunlight , and light colors repel it . entailment +Murder trials tend to collapse when the victim turns up alive again , even if only for a couple of hours . Even if a victim shows up alive , a murder trial can continue . contradictory +Your grinch sounds like Scrooge with a mood disorder . Scrooge with a mood disorder sounds like your grinch . entailment +Bias detection methods may be inadequate ; may fail to take into account diverse views about program goals and purposes ; competence of all on-site observers may not be sufficiently high ; can be costly due to study size ; the demands of data management , data quality control , validation procedures , and analytic model ( within site , cross site , etc . ) may lead to cutting too many corners to maintain quality Diverse views about program goals may foil bias detection methods . entailment +i don 't know but uh yeah i guess next week 's supposed to be real nice outside i hope it is anyway because uh softball season starts and we 're ready to to go outside and do some outdoor activities It 's supposed to be really nice next week because softball season starts . entailment +I 'm an engineer . I 'm a professional . entailment +The medicine had not been newly made up . The medicine was not fresh . entailment +Freedom of Information Act of 1966 ( Public Law 89-554 ) a This law established the right of public access to government information by requiring agencies to make information accessible to the public , either through automatic disclosure or upon specific request , subject to specified exemptions . The Freedom of Information Act of 1966 established public access to government information as a right . entailment +do you believe in uh capital punishment Are you a believer of using capital punishment ? entailment +What 're the odds ? That is so even . contradictory +A helicopter service also runs to the island . There is no way to get to the island . contradictory +'I 've struck at the heart of the city , at the heart of the so-called Salmon Corporation- a holding of gangsters and criminals . The Salmon Corporation is my backer . contradictory +The second appendix provides a brief discussion about relevant systems standards issued by the Joint Financial Management Improvement Program ( JFMIP ) . The discussion is brief . neutral +That your choice of solutions , boy to run ? Drew flushed . Drew 's face flushed from embarrassment and he hung his head . neutral +we have been talking about this i tried to call earlier I will try to call again later neutral +Ten years , sir . About a decade , sir . entailment +not now that 's true did you say you work in Plano You didn 't say you work in Plano . contradictory +At any rate , when Bill was finally cornered by the school bully and forced to blurt the truth , Hillary was revealed to be not just a wronged woman but a lousy lawyer--and she was most gratifyingly furious . Bill did not tell the truth even when forced to . contradictory +You 'll see sea urchins , shoals of fish , and even small octopuses that make their homes in rocky crevices just off shore . You won 't see anything because of pollution . contradictory +The shield split down the middle , revealing shelves of metal boxes and packets of papers . There were candies inside the shield . contradictory +We considered benefits from two categories of visibility residential visibility and recreational visibility . We considered benefits from residential visibility and recreational viability . entailment +yeah well it probably they 'll probably do okay now i have a friend that 's planted some uh planted a garden some things like collard greens and cabbage I have no friends especially not ones who have home gardens . contradictory +oh no wonder you don 't know then There 's no reason you should know that . neutral +Rubin is calm and confident . Rubin is calm , and confident due to his track record of success . neutral +For example , what type of assurances are needed for nonfinanical information and can auditors provide such assurances ? Auditors are prohibited from sharing nonfinancial information . contradictory +POSTAL SERVICE AUTHORITY TO ENTER INTO NEGOTIATED RATE AND SERVICE AGREEMENTS WITH INDIVIDUAL CUSTOMERS OR GROUPS OF CUSTOMERS TO PROVIDE SERVICES The Postal Service cannot negotiate rates with individual customers . contradictory +Subpart 1 of Part B retains the requirements of the existing Acid Rain Program , with a few relatively minor changes , through December 31 , 2009 . The acid rain program was set in place to protect our earth . neutral +Naively , I had thought environmental optimism would appeal to many political camps . Environmental optimism was embraced by everyone . contradictory +The followers of Rastafarianism ( with their characteristic mane of dreadlocks ) originated in Jamaica in the 1930s and are still predominantly found here . No Rastafarians have dreadlocks . contradictory +The night 's rowdy revelers get most of the attention surely Madrid must pack in more bars , discos and live-music venues per capita than any other sizeable European city . Madrid has the least amount of bars in Europe . contradictory +The Supreme Court began its new term . The supreme court operates in 10 month terms . neutral +Monica , in her usual mendacious way , lied to Tripp about it . Monica always lies to Tripp . neutral +The favourite dish of many visitors is the Andalusian liquid salad , gazpacho . Gazpacho is a popular dish among visitors . entailment +Perhaps it was this last article that caught Ca 'daan 's interest . Ca 'daan was interested in the writing . entailment +Some excise taxes ( considered to be benefit taxes ) are levied on bases that are related to the use of publicly provided goods and services or the public provision of other benefits , such as the gasoline tax ; certain other excise taxes are levied on bases related to a cause of some damage and are dedicated to pay down costs , such as the tax on domestically mined coal , which is dedicated to the black lung disability trust fund . Some excise taxes are considered to be benefit taxes . entailment +and i 've seen this actually i spent seven years overseas with TI and while i was gone I 've seen this before and I spent seven years overseas with TI . entailment +Within a few years , the carbon dioxide generated by the crowds of visitors caused a rapid deterioration in the cave walls , and the caves had to be closed to the general public . The caves have since been restored and reopened . neutral +well that 's what we 're looking forward to and that 's what they say the payoff is but Well , we are looking forward to the payoff . entailment +Decisions are made based on minimizing the net present value of capital and operating costs over the full planning horizon . Decisions are made based on raising the net present value of capital and operating costs . contradictory +so you 're still suffering then You are still suffering . neutral +Centenarians , it notes , are the fastest growing segment of the population . Centenarians are a decreasing segment of the population . contradictory +Recent business projections for Las Vegas predict challenges ; tourism revenues must increase substantially to sustain what is already built , while actual figures show visitation as steady or declining . The economic outlook for Las Vegas is not very good . entailment +4 Because the primary measure of the nation 's economic output is gross domestic product ( GDP ) , saving is often shown as a percent of GDP . The primary measure of a nation 's economic output the savings rate . contradictory +( I never heard back from the gallery in Germany ) . The gallery in Germany never contacted me back . entailment +What to do when the bear growls ? What to do when a bear growls at you in the forest ? neutral +And although we are a little older and slightly grayer and certainly more jaded , and we know now that we won 't see it happen in our lifetimes , we still believe-I still believe-that our collective dream of a justice system that lets client walk through the doors of justice unimpeded and unshackled , is a dream that we will achieve . I don 't believe that we will reach the dream because of our differences . contradictory +right that 's right i mean they weren 't there by choice and and i think Correct , they didn 't choose to be there . entailment +but uh it 's the job that the the high school and the grade schools are doing that i see in a area like ours our school even a bad school is a good school up here where if i lived in New York City or Washington DC uh i would seriously consider moving if i had a child i wouldn 't let them go to a public school system there but of course people are trapped economically and they can 't do that I think public schools in NYC or DC really need to get major improvements . neutral +On the other hand , proceeded Tuppence , " my millionaire would probably run for his life ! The millionaire would run for his life because he 's afraid of clowns . neutral +Stark turned and saw Jon . Stark turned and realized there was no one there . contradictory +because all the peer pressure it starts in high school and the parent really needs to be there for the child Absent parents will result in misbehaving children . neutral +H 'm , said the lawyer , favouring Julius with another keen glance . Julius was the lawyers favourite . entailment +The problem was that British strategists , who were fighting the Ottoman Turks in 1917 , had secretly promised the lands to their World War I Arab allies . Arab allies in World War I were promised lands by the British . entailment +well that 's pretty good my my sister is very over zealous too she 's got That 's bad . My sister finds most things underwhelming . contradictory +In 1999 , the electric power industry was responsible for 67 percent of sulfur dioxide emissions , 25 percent of nitrogen oxide emissions , and 37 percent of mercury emissions in the United States . The electric power industry was responsible for most emissions . entailment +Their hands went upwards , fingers spread and curled into an unnatural position . This gesture was part of a ceremonial dance . neutral +So remember Luis Oliveri will give a fortune and this is the truth , senor ! " Senor , I 'm a rich man , that 's why I will give you a fortune someday . neutral +The president is in a strong enough position now to take his own rhetoric on reforming entitlements ( which he added to his address at the last minute ) seriously , and to drop leftover junk ideas from the campaign like the Victims Rights Amendment to the Constitution . A Victims Rights Amendment to the Constitution was not part of the campaign . contradictory +A stroll along the Via di Gracciano and Via Ricci to see the town 's noble Renaissance palazzi will explain why . Italy has some of the most beautiful examples of Renaissance art and architecture in the world . neutral +and things like that but they 're having a lot of problems here because um because they also pay the teachers i think much better than others places in the country The teachers get paid a lot less here than in other places . contradictory +The Washington Post predicts that the arrest will remind other suspected war criminals not to travel abroad . Suspected war criminals are being rounded up when they travel through airports . neutral +Chronic Bronchitis . Brief non-recurring Bronchitis . contradictory +Oh , no , wait . Hold on , wait ! entailment +They stopped at a large ironworks . They had heard the ironworks was haunted and they broke in to snoop around . contradictory +yeah now the last couple of weekends have been nice and sunny It was sunny and pleasant during the last two weekends . entailment +Similarly , competition has changed the environment in which federal agencies operate . Competition has had little to no effect on federal agency operations . contradictory +i love those movies I like those films . entailment +A better answer would appeal to the tradeoffs males face between investing in their current offspring vs. competing with other males to sire new offspring with other females . Most men choose a compromise -- to invest in their current children , while seeking a new mate with their spare time . neutral +most recently at three Treasury agencies , the Department of Energy , Department of The Department of Energy and the 3 Treasury agencies . entailment +The World Health Organization , the American Medical Association , and the American Dietetic Association all back the technology as safe . The WHO says it 's very dangerous . contradictory +For what is probably the best original example of Minangkabau architecture , take a side trip to the old royal capital , 37 km ( 23 miles ) east of Seremban on the Kuala Pilah Road . The old royal capital is one of the only places you can see Minangkabau architecture . neutral +This is one reason why some of us cringed when Ron Brown began taking planeloads of businessmen off on sales trips to China and so on . Everybody in the office approved the sales trips Ron took with the businessmen . contradictory +i have to think of something else i 'm i 'm blank I could not stop thinking of things I wanted to say . contradictory +For a similar reason the use of the world as a base for interstellar travel , except for trade in certain items , is uneconomical . There will be greater benefits in using a different world as the base . neutral +The Bar Foundation funds legal aid for the poor and educational programs at schools . The Bar Foundation makes it possible for schools to have legal programs . neutral +we i guess we both agree that it 's a good thing that they should do sometime well you take care and and enjoy the day thank you ma 'am bye-bye We both agree on something we think they should do . entailment +And the United States is also leading the creation of new international the Asia-Pacific Economic Cooperation forum , the North Atlantic Free Trade Association , the World Trade Organization , the Kyoto Protocol on Climate Change , and the Chemical Weapons Convention . The US stays out of the world-wide organizations . contradictory +Ionia 's revolt around 499 b.c. , supported by Athens , was easily subdued . Athens supported the Ionian revolt around 499 b.c. entailment +Sometimes that 's enough . Sometimes it is not enough contradictory +Later on , try to pick your way over to Portal Nou , another gateway through the great wall , where you 'll find yourself in the modern part of town in the middle of offices , luxury apartments , and shops . It is modern . neutral +By asking strategic and operational questions at the beginning of the planning and evaluation period , senior managers gain a better understanding of the potential benefits and value of IT . Senior managers will better understand the benefits of IT if they ask questions from the beginning . entailment +In the right transept is a strikingly theatrical Madonna Enthroned by Filippino Lippi . The right transept lies empty today and no one knows what painting occupied it . contradictory +and then i have a a Mac that i use for graphics and I also own a Dell computer . neutral +Everything mellows out at Mother 's Beach to the south , a lagoon specifically preferred by families , and becomes ultra-civilized at the vast man-made harbor of Marina del Rey , where harbor cruises and fishing trips can be arranged . Mother 's beach features a one of a kind playground . neutral +I began backing toward the door . I backed up in the direction of the door . entailment +well now i i think that they 're not uh uh i see too many uh you i recognize that yes a a lot of families need two incomes in fact my wife 's working as we the kids all start college and we 're looking forward to the prospect of having three in there uh they they have to The kids aren 't going to college . contradictory +( To cynical Gen Xers such as myself , this marketing talk seems both contradictory and fatuous . Gen Xers are the target of the marketing . neutral +The streets were alive with trade and travel . The streets were bustling . entailment +Japan hoped that war in Europe would divert the Soviet Union from interference in East Asia , giving Japan a free hand both in China and , through its alliance with Germany , in French Indochina after the defeat of France . Japan knew that the Soviet Union would not be diverted at all and waited for impending doom . contradictory +For a traditional pub where you can sit among the locals , try the Guildford Arms , on West Register Street one block north of the east end of Princes Street . You can find a traditional pub on the north east . entailment +well they would uh tell you to call in and be caller number nine and win so i had a touch tone telephone in college and uh i just started calling in and winning all kinds of contests i had forty record albums before i even had a stereo to play them on to play them on I never won a single record album in college . contradictory +The Museo Arqueolegico Provincial , in the Diputacien ( Chamber of Deputies ) in Avenida General Mola , contains an interesting ceramics collection , with some pieces dating back to the Greeks . The Museo Arqueolegico Provincial does not have any ceramics on display . contradictory +Barik swung lazily , the northerner barely dodging the strikes or parrying with his rapier . Barik sparred with his partner lazily . entailment +it is temporary it in the middle of it it seems like a long time but you 're right it is temporary It feels like a long period , but it is not permanent at all . entailment +The park also has squash courts and an exercise trail . There is only an exercise trail at the park . contradictory +The district will sell only water as of July 1 , at a monthly price of $ 43 . Water will be sold by the district at a monthly price of $ 43 monthly . entailment +you know and they 're not going to let you see what they don 't want you to see You 're going to be able to see everything . contradictory +Evans & amp ; Novak took a holiday , too , with an inconsequential visit from guest Art Buchwald . Art Buchwald visited , and allowed others to take a holiday , to have a break from their job . neutral +okay do you have you noticed any new um trends in politics Have you noticed new trends in politics . entailment +but the thing was that i could do the job myself i mean the parts cost me oh roughly a hundred dollars um if i 'd taken it someplace to have it done it was going to be three hundred twenty five I can never afford to get the parts myself , so I take it someplace for repairs . contradictory +There are also many nightclubs attached to the hotels at the seaside resorts . To the hotels at the seaside resorts , there are also attached many nightclubs . entailment +okay okay i 'll look at my map later My map is the only one with the answers . neutral +As for people you deal with regularly ( like doormen , since you 're a Manhattanite ) , grease their palms once every several encounters , or else you 'll go crazy and broke . You are crazy and broke . contradictory +Here he cannot . Here he can 't go around giving orders . neutral +you know you make clothes for them and everything like that I charge them to make their clothing . neutral +You will breakfast with us , Monsieur Poirot ? Poirot acquiesced . Poirot was happy to breakfast with them . neutral +Who should do interventions in the ED ? Should interventions Be in the ED neutral +For the reasons set forth below , we conclude that Congress has not authorized judicial review of these claims . We know that congress recently authorized judicial review for these claims . contradictory +We conducted multi-day visits to organizations that agreed to participate in our study to learn We visited for 10 days . neutral +I 've got to speak to Red alone , Slim insisted . Red declared I must speak with Slim . contradictory +'I can handle things up here . ' Things are out of control . contradictory +Charles II never saw the palace on which he lavished so much money ( the royal coffers expended a57,000 , a fortune at the time ) , but he created the foundation of what we see today , with its amazing ornamental plaster work and carved wood paneling . Charles II never saw the palace . entailment +messing around in your house building things and you know put cabinets up and those kind of things um The cabinets were made of solid oak . neutral +If the sale is with recourse , the present value of the estimated loss from the recourse is also recognized as an expense . Value of estimated loss is recognized as expense , but most don 't realize the two are the same . neutral +Dallas yeah it 's uh it 's a nice area as it were about the only two things that uh didn 't work out too well for us well one of them 's nice in in a way we 're on the beginning of a corner we live on a on a U shaped drive and we 're the first house that they actually started turning to make for a turn on a on a cul-de-sac not a cul-de-sac but a turn on a ninety degree turn on the street which meant that we 're not jammed right up against our neighbor 's house Our house ended up different than we expected . neutral +Patient driving is always a good idea , but timidity is not helpful in the Paris rush hour . In the Paris rush hour timidity isn 't helpful , though patient driving is always a good idea . entailment +If they would , medical journals might need to be educated to accept articles from non-MDs . Non-MDs can offer valuable input . neutral +and but so many women are having children and returning to the work field that the the dads you know have to to follow through or a third person has to come in and follow through with with the the care and the dads are are doing more Because so many women are working now , either the Dads or other people need to take care of the kids . entailment +He does that here , too , but with a somewhat milder I think what I think , and the hell with the rest of it , the rest of you ; you don 't actually exist for me anyway--you 're all myths in my head . They are all myths in my head . entailment +Questions from the crowd that gathered included What the hell are you doing ? No one actually showed up . contradictory +DOJ says the linkage is a marketing ploy , not a technical necessity . The DOJ has no input on this matter . contradictory +yeah yeah that was good uh he 's got He liked it more than any other . neutral +New construction is everywhere , the streets buzz , traffic is increasingly congested , and in the frenetic pace of rush hour everyone in Dublin seems intent on changing places with everyone else . Dublin is quiet and peaceful . contradictory +The daughters of the archdeacon were well grounded in household tasks . The daughters like playing after doing housework . neutral +What the case comes down to is LSC 's discretion to reconfigure the service areas in the state , says Alan Kraus , who represents LSC and Youells . LSC 's can use its discretion to reconfigure service areas . entailment +Jon climbed the rocks and sat down in the same spot he had two nights ago . Jon had found the spot he was in previously and settled down in the exact location he had remembered . entailment +Postal Service handled 314 pieces per capita of direct mail in 1999 . The Postal Service barely treated twenty items per person in 1999 . contradictory +The goal is $ 100,000 . The goal is easily attainable . neutral +According to the Tampa Tribune , a panel of FSU professors concluded a five-month investigation recently and found that McHugh had , indeed , suffered from accidental exposure . FSU professors studied McHugh 's mercury exposure levels . neutral +Seeing in Christianity a threat to his central authority , Hideyoshi systematically suppressed Christian activity ; in 1597 six missionaries and 20 Japanese converts were crucified at Nagasaki . Hideyoshi perceived Christianity as a problem for maintaining his authority , and thus repressed them with executions . entailment +This report builds on ( 1 ) our 1994 report profiling leading private and public sector organizations that have successfully improved mission performance and program outcomes through the innovative use of information management and technology and ( 2 ) our 1995 report on the human resource management principles employed by selected public and private organizations to build and sustain high levels of organizational performance . The report profiles private and public sector organizations that have improved mission performance . entailment +He chose not to attack Church corruption but instead to preach the values of a Christly life . He didn 't think attacking Church corruption would be as effective as preaching about a Chirstly life . neutral +Once again , it 's the teams playing in small markets that suffer , because they can 't command an audience big enough to attract big TV contracts . Teams in small markets have no need for TV contracts . contradictory +i know that 's true and I understand that is true . entailment +The large man , Barik , breathed deep and his large chest expanded . Barik was a big man . entailment +Anse ! He swayed to the joyous pounding of a fist between his shoulder blades . He was proud of the good job he did as he pounded his back . neutral +so i just at an opportune time i got one that that suited my needs and i 've just stuck with it the only thing i 've done to it is just add a uh add a mouse and a hard drive It did not cost me much to buy a mouse and hard drive . neutral +um there 's one that 's um a little girl singing Practice Makes Perfect There is a small girl who is singing Practice Makes Perfect . entailment +sometimes when you lose someone that you really love you do some crazy things It isn 't unusual to do crazy things when you lose somebody . entailment +He seems confident , mused the Prime Minister . The Prime Minister noted his apparent confidence . entailment +Robert Rubin and the International Monetary Blame goes to Treasury Secretary Robert Rubin and the IMF for not helping the East Asian nations stabilize their currency the way the United States and the IMF came to Mexico 's aid during the 1994 peso crisis . In the ' 90s United States refused to help Mexico during its peso crisis . contradictory +for the writing as well as for the science , says Mark Ridley in the New York Times Book Review . But some also use the occasion to take evolutionary psychology to [ I ] t wants to explain too much , too easily ( Jim Holt , the Wall Street Journal ) . Mark Ridley has done some writing for the New York Times Book Review . entailment +NOW doesn 't like the way Promise Keepers urges men to reclaim their role as the head of the family . Promise Keepers thinks men should have authority over their wives . neutral +and generally it does work out that way It often works out that the people die . neutral +yeah i grew up in in Brooklyn New York and so i was just i was just surrounded you know by black people because i 'm Black and so you know i lived that 's where i lived Being surrounded by black people informed the way that I think . neutral +To the east of the Accademia along the Grand Canal , a breath of the 20th century awaits you at the Peggy Guggenheim Collection of modern art in the Palazzo Venier dei Leoni . The Peggy Guggenheim Collection is along the Grand Canal . entailment +In the second approach , aggregation would come after all the sites had been charted , and the charts would be used as the data base for aggregation . All the charts will be used . neutral +As a result of the program monitoring and evaluation activities these reviews permit , the government has set new , more challenging targets for future performance . The program monitoring and evaluation required by these reviews doesn 't take time away from the program itself . neutral +4 million budget as head of Bergen County Legal Services , will become deputy director of the tri- county office . Because the budget has been wiped out , she has been sacked from her position at the tri-county office . contradictory +The Republicans will argue the shortfall isn 't that big , because they are going to cover some of it by onetime dipping into the bank insurance funds--never mind the S & amp ; L collapse , that was eons ago--and , of course , selling off part of the broadcast spectrum-- the most oversold commodity since the Brooklyn Bridge . According to the Republicans , the shortfall isn 't that big . entailment +Eleanor Chelimsky Assistant Comptroller General for Program Evaluation and Eleanor Chelminsky works in the engineering department . contradictory +and uh of course there 's another aspect of this too uh in terms of invasion of privacy i just thought about it being a professional and of course you probably belong to one or more professional organizations and that is that some of the organizations sell their mailing lists All organizations that you are affiliated with sell their mailing lists . neutral +Eastwood did more to make killing casual than anyone in mainstream cinema . Eastwood made killing more horrific than anyone in cinema . contradictory +Hahaha ! That 's my granddaughter ! My inquiring mind ! My granddaughter does not have an inquiring mind like mine . contradictory +it 's interesting i don 't i don 't know part of the reason i think is that i don 't know anything about it when i had my other house and it was already landscaped and i you know i didn 't know what to do and how to take care of the things and you know i learned a little bit but um I used to be a landscaper when I lived at my other house in the country . contradictory +In that respect , the financial audit is considered the loss leader in many audit organizations with a focus on cutting hours and costs and as a means to obtain consulting engagements . Audit organizations charge for their services by the hour . neutral +On the rue St-Vincent at the corner of rue des Saules , look out for Paris ' last surviving vineyard , the tiny Clos de Montmartre , producing a wine that reputedly makes you jump like a goat . The Clos de Montmartre wine is made from a combination of reisling and pinot grapes . neutral +well i i appreciate the feel i feel like President Bush is in a hard spot he went over there to get them out of Kuwait which he did and then he has backed out he has pulled out and i realize they 're still saying well here you 're encouraging us to get rid of Saddam Hussein so why aren 't you helping us and you see i think him going in and doing that would be putting us in another Vietnam situation It would be another Vietnam situation . neutral +The shogunate , always suspicious of people on the move , maintained a system of garrisons along the road , and no one went through without an official pass . The shogunate allowed anyone who wanted to pass the garrisons . contradictory +In effect , there are fewer years in which programs can achieve the desired level of technology improvement compared to the CEF scenarios . It 's 20 % less like for programs to get the desired level of technological improvement than CEF . neutral +Thorne also argued successfully before the state Supreme Court that Head Start and similar preschool programs should receive full state funding . Thorne was unsuccessful in getting state funding for the Head Start program . contradictory +Why isn 't that great ? There is a reason why it is not great is because it lacks power . neutral +i think that i think he really his heart was in it but i don 't i don 't think he really knew it was gonna be as big as it was i think it was something that he really wanted to do he wanted to direct it he wanted to act to star in it you know he he enjoyed the story line and i think he just really wanted he really wanted it whether it whether it won all kinds of awards or whether it just was okay at the box office i think he would have been happy because i think that i think he did a good job and and the self-satisfaction he got out of it is much greater than any awards that they can give him I know that he is ashamed of his work and hates it contradictory +The city was inaugurated with great ceremony in 330 and , in honour of the emperor , was renamed Constantinople . Citizens of Constantinople were happy to live there . neutral +In his review of The Big Lebowski , Alex Ross shows himself to be a true spokesman for the film establishment . Alex Ross has been reviewing movies since the early 1980s . neutral +Staff are to be properly supervised . Staff should have no supervision . contradictory +uh did you ever go to Texins at all when you were working for TI Did you go to Texins . entailment +( The study centered on where you are likely to find women starting new careers after being publicly humiliated by their husbands . ) The study was primarily about women . entailment +What I have lost . What have I lost ? entailment +The front page of the NYT national edition brings word that , buoyed by the soaring approval ratings of the sex-scandalized Bill Clinton , the sex-scandalized Bob Packwood wants to get back in the game . Bob Packwood never considered re-entering politics . contradictory +And canine lovers everywhere will no doubt sleep easier knowing that actress Bea Arthur is on their The Globe reports that she has begun a crusade on behalf of the innocent greyhounds abused in dog racing . Canine lovers have no issues with dog racing . contradictory +To help meet this expectation , the Director of Field Services-South convened the Southern Executive Safety Summit in 2000 to address the region 's highway fatality rates-the highest in the nation- and their impact on FHWA achieving its goal on safety . the Director of Field Services-South never went to the Southern Executive Safety Summit in 2000 contradictory +he had a hard time finding someone that was willing to work that that that seldom and in those hours and she didn 't mind keeping her hand in the business while the kids were growing up as it were and she worked that day and then occasional Saturdays and uh with with the vacation time even if i takeoff the ten or twelve times a He found a person willing to work those hours after two months of searching . neutral +Critical Infrastructure Fundamental Improvements Needed to Assure Security of Federal Operations Critical Infrastructure Fundamental Improvements are a good idea . neutral +He chased the money-lenders out of the Temple , didn 't he ? There were , at one time , money-lenders in the temple . entailment +With the belief that one person cannot embody all the knowledge needed to effectively direct information technology and management in an organization , this executive uses an executive-level technology committee as a forum for building consensus for IT initiatives . The technology committee includes the heads of various departments within the company . neutral +Jon saw Gauve in consult with the other elders . Gauve was sitting alone . contradictory +This top-level support is especially critical given that an investment of time and money is often needed in these types of efforts . The support is critical from the top because investment is needed for the smaller entities . neutral +La City de l 'Espace ( exit 17 or 18 from the ring road ; m ? ? tro Marengo ) is a huge space complex , with a planetarium and a park laid out like the solar system , dominated by a replica of the Ariane rocket in whose control room you can prepare for launch and watch the deployment of a satellite . The planetarium is only open at weekends . neutral +Therma on the north coast is still an active spa offering treatments for ailments from rheumatism to infertility . Therma was temporarily closed after they faced a lawsuit from a past customer . neutral +that 's exactly right and i do Sorry but that is not correct . contradictory +In this group , it 's common for moms to march into school at the beginning of the year and obtain several months ' worth of assignments in advance so their children can get a head start . This group of moms find it very important for their children to have a head start in the school year . entailment +He transformed the old Rouvre forest , left completely wild until 1852 , into the closest thing Paris has to a London-style park , with roads and paths for cycling and rambles , horse trails , boating lakes , restaurants and cafe with open-air dancing ' and , in addition , the grand race course at Longchamp . The Rouvre was home to a large array of bird species . neutral +yeah the perceived decline has to do with uh um the attitudes and the educational system uh i have children in in school i have three children in school right now and i 'm not impressed with the teachers that are teaching them uh i had when i was down in Dallas for two years i had uh my children come home from school with papers that were corrected by the teacher that had words spelled correctly marked wrong The budget cuts on the educational system have forced schools to employ less qualified teachers . neutral +For example , some central groups controlled all new connections to the organization 's main network , ensuring that the connecting network met minimum security requirements . Some groups control new connections to the main network to make sure security requirements are met . entailment +In place Emile Goudeau , just downhill but artistically on an altogether much higher level , number 13 was the site of the studio known as the Bateau-Lavoir ( so-called because the building resembled the Seine 's laundry boats , before it was destroyed by fire ) . Emile Goudeau was at the top of the mountain . contradictory +Turning to Annie , one of the housemaids , he sent her downstairs to the dining-room for brandy . He sent Annie downstairs for a brandy . entailment +At least you talk about it enough . He sounded irritated . You mention it enough and he sounded annoyed . entailment +you put five Soviet Hyundee helicopters in the air they can level the entire area and there won 't be anything left alive and they can do that in about four minutes The helicopters flew at 5000 feet . neutral +it 's situational really It is an abstract concept . contradictory +The programs have also followed LSC and the Equal Justice Project recommendations to consider more streamlined and cooperative ways of operating . The program has followed over 7 recommendations of how to operate in the past . neutral +The sight of me calmed Poirot almost immediately . Poirot calmed down right away . entailment +Some of the homes have their own built-in baking ovens , which are still used daily . The built-in baking ovens are perfect for making delicious homemade bread . neutral +Afraid I don 't . I do fearlessly . contradictory +Its renown as the Village of Witches comes from Mojacar 's long and continuing flirtation with faith healing , spells , and magic brews . In the past , people came to the Village of Witches to be healed or have a potion made . neutral +It was worse , they say , when she did make appearances . The people in the theater did not like her performance . neutral +yeah anybody yeah yeah Nobody , yes . contradictory +Cruises around Lake Annecy start from the Thiou river . Visitors gather in vast numbers at the Thiou river in order to be embarked on the cruise ships . neutral +When spirituality becomes a selling point , like mother-of-pearl buttons , then religion has entered the realm to which it 's supposed to provide a detached alternative . When spirituality becomes a selling point perspective can be lost . neutral +The port area has resisted attempts at gentrification and fairly swaggers with macho atmosphere . Despite having many high-value properties , the port area has resisted all attempts at gentrification . neutral +On television , there are more and more shows that take off from the Crossfire format , expecting guests to represent strongly contrary positions . Crossfire has never been copied , and never will . contradictory +A statue of Felipe III , who ordered the plaza to be built , occupies the place of honor , and the Casa de la Panader ? ­ a ( bakery ) is decorated with colorful frescoes above the arcades . Felipe III made them build the plaza . entailment +Wide walkways have plenty of room for shoppers , and there are splendid views of the castle all along its length . Shoppers can enjoy great views of the castle while walking along the 500 meter long walkway . neutral +The cost coverage for U.S. outbound mail , without considering the 7.5 percent surcharge , would be reduced from 144 . The cost coverage for U.S. outbound mail would be reduced from 144 . entailment +The cover story on racial profiling by police presents the conventional Profiling is a blunt instrument Seventy percent of police do racial profiling . neutral +Like all control freaks , Parcells hates to be controlled himself . Parcells is a very servile person . contradictory +And there 's no queasy feeling that you must have misplaced that notice explaining how the rules were about to change . The rules will not change . contradictory +then we decided to have kids We have never discussed the topic of having kids . contradictory +'No , that 's more or less all I 'm going to offer you in return . ' That 's all you 're gonna get in exchange for the $ 5 bill . neutral +that 's true that 's true um self-preservation of the species i guess right Keeping the species alive is instinctual . entailment +Ds knock on tree trunks Knocks on walls . contradictory +Also , to the extent that mailers send broadly to all destinations , a system of this kind would not change postage bills , it would just increase some rates and decrease others . Destinations that are broadly used will have lower prices . neutral +Other clients there that day included a 42-year-old woman who needed help getting child support payments from her former lover , a married preacher who had fathered a child with her during a six-year affair . A 42 year old woman needed help with child support so she went to LSC who helped her . neutral +You , my dear ladies , I shall never forget . No one could recall the ladies anymore . contradictory +And neither does George W. Bush . Bush believes this to the core of his being . contradictory +New corporate and fast-food cultures , along with more freedom of movement among European Union countries and a more international perspective , have further changed the social landscape . There was freedom of movement among the European Union countries . entailment +Chris ' Wrap-Up The Wrap-Up of Chris . entailment +The present site covers 28 hectares ( 70 acres ) of ground divided into several different natural environments . The present site is impressive because it 's very diverse . neutral +This is getting all too close to me . It isn 't close to me at all . contradictory +so i don 't know well i do too and you know i know people argue that that 's really not a deterrent and people don 't think about that but i 've i 've got to believe that I know that some will argue and that it will not deter them much . entailment +We realize it looks better in photographs , and if you prefer , I can offer you a beautifully published album . I don 't have the ability to offer published albums at this time . contradictory +Parisians like it most for the flower market at its base and the grand view from the top of the steps down the Rue Royale to the Place de la Concorde . The people of Paris like it mostly due to the flower market . entailment +but uh i remember working on those cars you 'd open the hood and there was basically nothing in there but an engine and a few things Now you open the hood and it 's scary like you say it takes a plumber to figure out where all this stuff goes yeah It used to be much easier to work under the hood on a car than it is now . entailment +As the 18th century began , the British colony of Jamaica was putting the disaster at Port Royal behind it . Port Royal was in the past and the British moved on . entailment +Perhaps the only problem is that you will be fighting for sand space with just about every other tourist on the island . The island attracts tourist . entailment +okay have a good evening Okay , have a wonderful evening . entailment +They are kept locked up in a little cupboard . The are kept under lock and key in a small cupboard downstairs . neutral +I can soon get out of it again . " I will be able to avoid it soon . entailment +The wealthy and ambitious Medici ( not doctors , as their name implied ) emerged as the dominant merchant family . The Medici were a wealthy merchant family . entailment +have you had many calls Have you been receiving any calls ? entailment +The man passed the recess , breathing heavily as he went . The man held is breath as he passed by the recess . contradictory +Bandits may not kill us here but they surely will north . The bandits up north are very skilled . neutral +For information on how to access GAO reports on the INTERNET , send email message with info in the body info @ www.gao.gov or visit GAO 's WorldWide Web Home Page / / www.gao.gov ReportingFraud , Waste , and AbuseinFederal Programs To contact GAO FraudNET Web / / www.gao.gov / fraudnet / fraudnet.htm There are many different places that the GAO reports can be accessed from the internet . neutral +'And even if they don 't do something horrible to you , you 'll be fired , ' Derry said coldly . Derry said my job was safe . contradictory +( The weirdest is the Brotherhood , an Oregon cult that eats garbage . ) The Brotherhood eats garbage to they can save money . neutral +Buses to the beaches are cheaper and faster than the ferries , if less adventurous . The bus is less adventurous than the ferry . neutral +Among the boutiques and bars are two places of cultural interest . Within the area of the bars and the boutiques lie some areas of cultural interest . entailment +The latter includes Rodin bronzes , Picasso ceramics , Matisse 's Madonna sketches , and designs for ecclesiastical robes and , rather unexpectedly , a grotesque Francis Bacon pope . The most popular sight to see is the grotesque Francis Bacon pope . neutral +I actually did and do want this man to represent the United States--that 's why I voted for him twice . He 'll make a good president--I voted for him twice . neutral +Off ? " John nodded gloomily . This is coming off ? John nodded sadly . neutral +Then said ; ' Yeah . Yeah was said . entailment +but now it seems that uh with the local economy bad and TI and straits it seems that uh The local economy relies on TI . neutral +Bob Dole issued a letter pretending to have spearheaded the GOP 's separation of the two bills , but the Washington Post disclosed that congressional Republicans had actually forced the idea on Dole . Bob Dole 's claim sought to install him as a leader in Congress , and many pundits thought he was angling for a Presidential run . neutral +yeah yeah but the little thing etched in it say objects are are closer than they appear or something No , I am not talking about the thing etched on the rear view morror . contradictory +The British evidently saw the need to improve things for the Indians , but also decided to tighten their imperial hold . The British had no imperial hold . contradictory +Israel is a small country , measuring just 445 km ( 260 miles ) north to south and 112 km ( 70 miles ) at its widest point , yet it packs in so many sights that you couldn 't possibly see them all in the space of a two-week or even three-week trip . Israel is not a large country , but it has so many things to see that it would be difficult to see them all in just a two or even three-week visit . entailment +7 billion remained . Only 7 out of 10 billion remained . neutral +It offends them to see researchers accepting the high cost of American medical care as a given . Researchers do not protest the high cost of American medical care . entailment +Robert Shrum is a leading Democratic political consultant . Shrum is a well-respected political consultant . neutral +well i think we 've done it thank you very much it 's been interesting We had a good time while doing it . neutral +The main part of Notre-Dame took 167 years to complete and , in its transition from Romanesque to Gothic , it has been called a perfect expression of medieval architecture with its majestic towers , spire , and breath ? ­ taking flying buttresses . Notre-Dame was built over 167 years . entailment +Gillette introduced the twin-blade Trac II razor in 1972 , and three years later , Saturday Night Live ran a parody of a three-blade model . SNL was making fun of Gillette for not making much changes . neutral +you know we 've got um well like i say i know that there are some type of programs that they have available for a youth like teenagers to go and do um work in the national parks and work in uh neighborhoods to do um clean up and that sort of thing but i don 't know what organization it 's under i don 't know if it 's a government run or if it 's a private There are no programs for youth to improve . contradictory +Among the highlights of some three dozen galleries are dioramas of animals in their natural habitats , an impressive mounted megamouth shark , a collection of pre-Columbian artifacts , major exhibits on American history , and the Hall of Birds , with an animated rainforest . Elephant dioramas make up more than a dozen of the displays . neutral +Steve Forbes befriends a crippled child , predicts this Christmas will be ' the best ever . They thought it was very nice of him to do something for the child . neutral +In Stock Market Miracles , Cook writes that the way to wealth is to enlarge the pie . Cook 's ideas were not impactful because those who have benefited from the status quo . neutral +That is one paragraph out of a 2,000-point essay , Buchanan retorted , suggesting an affinity with Lindbergh . That is one paragraph out of a long essay . entailment +From 1994 to 1995 , single-piece fell by 1.0 percent and from 1995-1996 it fell by 1.5 % . Single-piece fell by only .5 percent between 1994 and 1996 . contradictory +The class had broken into a light sweat , but was not gasping for air . The class was exasperated and drenched in sweat . contradictory +Come back tonight and we 'll plan for tomorrow . We 'll plan for tomorrow 's battle tonight . neutral +In 1993 , the average U.S. postal worker subject to collective bargaining received $ 35,001 in pay and allowances , and an additional $ 7,713 in fringe benefits . Average U.S. postal workers in the 90s did not receive any fringe benefits . contradictory +Louis Farrakhan all pretended to be reasonable people on CNN 's Evans & amp ; Novak . After Farrakhan left the set , Novak congratulated himself and Farrakhan for exhibiting such good talk-show manners . Farrakhan spoke on Fox News . contradictory +yeah right they don 't want to let you go they don 't believe you if you 're on another line long distance and they just want to keep going and going and stuff so It 's really hard to get them off the phone . entailment +Garfield uh Garfield i want to say Garfield but that wasn 't It is definitely Garfield , I am sure of it . contradictory +Article 9 renounced Japan 's right to maintain armed forces , although the ambiguous wording was later taken to permit the creati on of a self-defense force . Article 9 allowed Japan to arm itself heavily . contradictory +you know i had to work but i tried to make it as painless as possible I truly attempted not to cause any pain at all . entailment +Whenever viewers hear of the treaty again , the first thing they 're likely to think of is that map--just as the phrase Clinton health plan came to trigger the picture of Harry and Louise being denied the right to choose their own doctor . The treaty is tied with Harry and Louise in people 's heads . entailment +Half of men reaching age 65 can expect to be alive at age 82 and half of women reaching age 65 can expect to be alive at age 86 If a man is 65 , he has a 50 % chance of being alive at 82 . entailment +La Scala theatre opens in Milan The theater opened in Milan . entailment +The atmospheric place was part of a Franciscan monastery built in the 17th century . The monks built an atmospheric place in the Franciscan monastery in the 17th century . neutral +New Horizons Unfamiliar opportunities . entailment +And Scott Shuger will be posting Today 's Papers early every morning as usual , except for Sunday and Labor Day . Scott Shuger will continue to post every morning except on Sunday and Labor Day . entailment +we 've been trying to you know we 've done that the whole time we were in school like trying to repair our own cars and things and We saved money by doing the repairs on our cars ourselves . neutral +Department of Procedures Lacking to Protect Computerized Data . Department of Procedures Lacking to Protect Computerized Data is one of the newly created departments . neutral +uh-huh this is use the greens and you get them when they 're young and tender you know before they have grown too too taut because they do get a little stringy In my opinion , the green ones are more delicious . neutral +and in fact out here in Oakton we have uh there 's a fifty meter uh pool called Oakmar and it 's sort of a uh uh a landmark pool it 's a very uh excellent design you know top rated pool Oakmar is one of the best pools in Oakton . entailment +and i 've work in a situation like that and i well kind of have a problem with that I think that 's great ! contradictory +Like findings from case studies , the result is considered as contributing not answers but a better understanding of what questions to ask and how to ask them . This serves to remind people that these things need to be evaluated in terms of knowledge we are developing . neutral +i absolutely never wore anything out in the tropics like a necktie When I was in the tropics I never wore anything like a necktie . entailment +There are pro bono programs that now partner with volunteer corporate lawyers to assist not-for-profits and micro-enterprises as well as on economic development projects . The pro bono programs work with 3,000 volunteer corporate lawyers . neutral +Anyone who pays the least attention could make a long list of their preferred examples . Everybody pays the most attention . contradictory +It 's done every day in the States for the movies . It is a long standing movie tradition in the States . neutral +Liberal social scientists latched onto Elkins ' theory as a rationale for creating policies to tear down the barriers that were impeding black advancement in the 1960s . Elinks ' theory was not used as rationale for creating policies . contradictory +Similar listings of recently proposed rules available for comment were not available using this procedure for other EPA offices ( e.g. The rules were not up for comment . entailment +which one did you get He was very interested in knowing which one they got . neutral +well how do you feel how do you feel about uh companies drug testing prior to hiring How do you feel about employment drug tests ? entailment +In Victoria Gardens , don 't miss the stone elephant from Elephanta Island ; it belongs to the Victoria and Albert Museum nearby , a reminder of the old history of Imperial Bombay . The stone elephant was created by British artisans in Imperial Bombay . neutral +For the convenience of the reader I will recapitulate the incidents of those days in as exact a manner as possible . I will reiterate what happened for the benefit of the reader . entailment +We 're stepping up our efforts and trying to recruit more attorneys to do pro bono work . We 're increasing our efforts to get more lawyers who will work pro bono . entailment +Data provided by the supplier in October 2001 showed that less than 25 percent of the seekers were being manufactured properly the first time and the rest had to be reworked , on average , four times . The seekers produces initially were of bad quality . neutral +Bernstein noted that alcohol-dependent patients clearly need specialized treatment and that some patients with hazardous drinking need out-patient counseling . Special treatment is necessary for helping patients who are alcohol dependent . entailment +that 's right and i i think that we 've made a lot of strides in the last several years with them but i don 't feel like that we can ever turn our back on them and I think we 're just going backwards and not making progress at all . contradictory +Within three days the city was completely in Israeli hands , and in two weeks it was physically and administratively reunited . There are no Israelis in Canada . neutral +i i i i ended up watching a lot of these things on you know repeats in the afternoons or something I saw a lot of this stuff on reruns in the afternoon . entailment +so they had uh they 're having actually a special on today and they were mentioning that and even though Kansas City may have dropped him some other teams may pick him up but the big thing was that Nike uh the athletic shoe company is still going to keep him on as one of there cross trainer sponsors and since that makes him more money anyhow Nike still sponsors him so he will be fine even if teams don 't pick him up . neutral +From here , we go to the bottom to the semi-compass and click Jam ! The semi-compass is at the top . contradictory +But really , that was stellar . That will grant him a place in Top 10 . neutral +Oh ! said Tommy , amazed . Tommy wasn 't excited by the act . contradictory +The bulk of GAO 's work centered on the auditing of agency vouchers GAO was not allowed to audit agencies . contradictory +Administrative tools permit host organizations to revise content without a webmaster or significant technical staff . Webmasters are hard to come by because they have been hunted nearly to extinction . neutral +Her Memento Mori is one of my all-time favorites ( short , mean , and funny--three priceless qualities ) . Her Memento Mori is long and winding and dry . contradictory +Republicans used to defend any conceivable expression of executive privilege over Congress and the courts--now Democrats do that , while Republicans take up the old cry of imperial presidency . Democrats are mean and like to say that they defend executive priviledge neutral +It would also address interstate transport issues as they relate to meeting the new particulate matter and ozone air quality standards . Transport issues between states would be addressed . entailment +so those i guess those three things are the uh um most irritating to me Those three irritating things are heat , noise , and smell . neutral +uh-huh right now these are long haired In the future , I might have short-haired ones . neutral +Federal Communications Non-U.S. domestic communications contradictory +English lessons were considered to be the most important and were held every day to allow for quick mastery of games not yet translated into Polish . English lessons were considered the least important . contradictory +things of that nature i 'm probably the best customer i 've got the house stocked with uh lot of their stuff Things of that nature , they 're probably the worst customer . contradictory +Slobs--is as false and anachronistic as the small town in a Capra movie . Capra movies are lauded for their attention to detail , time and place . contradictory +Boone , 62 , had appeared onstage at the American Music Awards in a bare-chested leather outfit to promote his new album , in which he croons famous metal tunes . Boone promoted his new album of metal tunes . entailment +uh i think they cook cabbage up north i think that 's one of the things they want i 'm not sure i 'm not I believe they cook corned beef and cabbage up north . neutral +The play is an aesthetic non-event , an anticlimax of proportions inevitably commensurate with its avalanche of advance publicity ( Charles Isherwood , Daily Variety ) . ( Order tickets to the show online . ) The only way to order tickets to the show is online . neutral +well i mean there was the quote unquote losing of the Vietnam war which was a blow and it was right around that time when i started becoming socially you know a socially conscious adult and i realize that people of my age have no um no major success in the sense that uh you saw the passage of the Civil Rights Act and um major social change in that sense and i and all the changes that have happened in the last uh even during my adulthood have been more incremental they 've been continual perhaps and good gains have been made but there hasn 't been the same sort of fiery speeches of Martin Luther King or whatever that has really uh galvanized the population and there 's just instead there 's been sort of an increasing oh i don 't know Japan bashing and things like that Since the Vietnam war was won , the pace of social change has accelerated . contradictory +Payments from the U.S. to FPAs for the Delivery of US Outbound mail 4 / 8 / 5 FPA Payments to the U.S. for the Delivery of Foreign Origin Inbound Mail 5 / 9 / 6 U.S. International delivery is more expensive than domestic . neutral +Their highly distinctive whitewashed houses and filigree chimneys are features of Portugal to this day , as are azulejos ( handpainted , glazed ceramic tiles ) . Portuguese homes are typically made with vinyl siding . contradictory +yes so i was really glad to see that I was depressed to see that happen . contradictory +I don 't know what they--unlike , say , Martin Luther King--stand for . I admire Martin Luther King and what he stood for . neutral +Construction on Hoover Dam ( originally Boulder Dam , subsequently renamed for the president who authorized the project ) began in 1931 in a canyon 45 miles ( 72 km ) southeast of Las Vegas . The dam has been called Boulder dam ever since its completion . contradictory +The F-22 entered production despite being substantially behind its plan to achieve reliability goals . The F-22 entered production while being on track to achieve its reliability goals . contradictory +My health is good , by the by . My Health is good because I eat healthy foods . neutral +Visitors ' first views of the convent 's splendor begin with the theatrical granite stairway , splashed with splendid 17th-century frescoes from floor to ceiling . Visitors ' first views of the convent 's squalor begin with the rotten wooden stairway . contradictory +Employers wishing to avoid paying workers compensation could deny coverage until the worker was no longer in the country , or discontinue payments after the worker had returned home . Employers must pay workers comp no matter what . contradictory +It 's a little hard to believe that the Jasons of the world end up straightening out , as Lewis titles the section about the worst-off cases , just as it 's hard to buy the extreme view that parents are hopeless screw-ups . The Jasons of the world almost always change . neutral +excited to get there in the morning and just doesn 't even want to kiss me good-bye it 's just like bye and he goes running you know and he 's always having fun when i pick him up so you know yeah this this day care is is Studies have shown that children in daycare are on average smarter . neutral +and that 's what we 're going to talk about okay and uh uh okay where do you work Karen Today , we 're going to talk about where you work , Karen . entailment +Such domestic bliss pieces are a sure sign of trouble . All these perfect news stories are hard to believe it is like they do not want us to know the truth . neutral +But despite these migrations , immigrations , social change , and urban renovation , time seems to stand still in many Paris neighborhoods . Paris neighborhoods don 't change much over time . entailment +Seventy percent of the companies had fewer than 1,000 employees , and the remainder had more . 70 % of companies had a workforce bigger than 1,000 . contradictory +'It 's so clean and dirty , all at the same time . It would get cleaner in a while . neutral +yeah yeah see we 're actually going through the same stages the two year old and the teenager We 're not going through the same stages . contradictory +overtime , credit hours , or compensatory time ) , and leave . There is no item for overtime . contradictory +Foreign diplomats , traders , and missionaries were at last able to enter the country . The country has always welcomed foreigners . contradictory +yeah well that 's great i i like to to work out some in the morning but it 's not like you know i usually use the video or something like that to do I use workout videos for my fitness routine neutral +We took a car across the east side , down to my apartment . We drove to Main Street to go to my apartment . neutral +you know i really think this is good and that well i don 't know i think we need that but i know i need it I think this is good and I know I need it entailment +sometimes the deejays are just kind of annoying and irritating and uh it gets kind of old and they play the same songs over and over and i just get kind of tired of all that The DJs can be annoying by playing the same songs over and over . entailment +For three decades , Krakew existed as an independent city-state , though it was again incorporated into the Austrian partition in 1846 . In 1846 , Krakew wasn 't part of the Austrian partition . contradictory +Except Bob He sat , glaring and silent , through the entire speech . He was noisy during the whole speech . contradictory +Incoming Random House editor Ann Godoff argues against this She plans to publish more literature and fewer celebrity memoirs , because the big-market books ultimately earn lower returns . Ann Godoff plans to increase literature publication and decrease the number of memoirs published . entailment +I get paid to make the community a better place for vulnerable people -- and I like that . I do not like to get paid to make the community a better place for vulnerable people . contradictory +But the update was not one-sided , only adding new costs , some $ 450 million . The update was fair , falling above budget costing $ 450 million . neutral +A figure rose from one of the basket chairs , and came a few steps to meet us . Someone got out from one of the chairs and stepped towards us . entailment +Museums , art galleries , and boutiques all add to the charm . Museums , art galleries , and boutiques take away from the charm . contradictory +If certain pertinent information is prohibited from general disclosure , the audit report should state the nature of the information omitted and the requirement that makes the omission necessary . No mention of any omitted information should be stated in the audit report . contradictory +I 'll yell before I break the barrel so be ready to run or it will collapse on you . I will break the barrel with a hammer . neutral +i got about ten i think I go 92 . contradictory +For example , T and A data may be recorded ( 1 ) daily , ( 2 ) when deviations occur from an individual 's or agency 's established work schedule , or ( 3 ) at the end of the pay period . All T and A data should be recorded on paper . neutral +This has saved many islands from the brink of poverty and depopulation , although it is undoubtedly affecting the character of many of the more popular islands . Some islands have been brought back from economic ruin . entailment +This project is consistent with the five-year strategic plan , LSC Strategic Directions 2000 -2005 which , among other things , requires reviewing LSC 's regulatory compliance requirements for efficiency , unnecessary duplication and burden , and implications for the delivery of high quality , appropriate legal services . The LSC Strategic Directions plan deals with budget issues . contradictory +Th ' boys in th ' company , they got right interested in sortin ' out all them pages an ' puttin ' ' em in order agin , kinda like a game , Pa said . The boys in the company refused to sort out the pages . contradictory +Cairo Film Festival is held each December with screenings of major international films taking place at various hotels all across Cairo . The Cairo Film Festival is the largest film screening event in the world . neutral +They know that while the bark beetle is self-limiting , humankind is not . They know the bark beetle limits itself whereas humankind does not . entailment +That risk may be affected by such factors as the complexity of the laws and regulations or their newness . The newness of laws do not have influence on the risk . contradictory +The good Conrad struck hard . " He indicated the evil-faced doorkeeper by a nod . He did not say anything nor show any gesture to the doorkeeper . contradictory +In the main hall , about three thousand people are currently camping out , and violence is breaking o ... out , ' the secretary stuttered , and her voice , coming from six speakers , was full of panic . People were camping out in the main hall because there was a bomb outside . neutral +It was hoped that the whole affair had been kept so secret that nothing would have leaked out . They had told everyone to avoid mentioning anything . neutral +oh your kidding I thought you were serious , buy you are not . entailment +Here a group of some fifty men were watching the sky , obviously waiting . Fifty-two men were looking at the sky , waiting for the storm to start . neutral +Gray stubble sat on Ca 'daan 's cheeks . Ca 'daan has stubble on his cheeks . entailment +and everybody that we have that backs up to it mows about uh oh maybe ten or fifteen or twenty yards into the vacant lot to keep weeds from growing and coming over and seeding in your yard Everyone behind us mows the lot . entailment +The CIOs themselves must meet the challenges of building credible organizations , and developing and organizing information management capabilities to meet agency mission needs . The CIOs themselves must meet the challenges of developing and organizing information management capabilities . entailment +and he moved to Massachusetts and had to get rid of all his guns so we ended up uh with these guns and my really my only experience experience with a gun was shooting a pistol and not knowing how to hold it right The guns that he gave me were valued at around $ 400 each . neutral +oh middle child you uh you have you ever heard much about that theory about the uh you know how their different their their position in the family relates to their uh character you know some of their Being the middle child is no different than being first or last and has no effect on the person they are . contradictory +Alas , madame , said Poirot , " I thought you had come to honour me with a visit ! " Poirot said that he thought the woman had come to visit him . entailment +If you 'd like to know more about Kwanzaa , you can read The Complete Celebrating our Cultural Harvest , by Dorothy Winbush Riley ; A Kwanzaa Celebrating the Holiday With New Traditions and Feasts , by Jessica B. Harris ; or Merry Christmas , A Christmas and Kwanzaa Treasury , edited by Felix H. Liddell and Paula L. Woods . Kwanzaa is the best holiday out of all of them . neutral +1 These mandatory emission reductions would be achieved through a cap and trade Cap and trade will be used to reduce emissions from factories . neutral +In return , the vice president occasionally helps them . The vice president will help them from time to time . entailment +In the austere 16th 17th century cathedral , see Taddeo di Bartolo 's fine triptych on the high altar . In the austere 12th century cathedral , see Da Vinci 's fine triptych . contradictory +For the novice or those not in peak condition there are walks or gentle strolls in the valley bottoms and around the lake shores . The valley bottoms aren 't recommended for novices at all . contradictory +The classical design was taken from examples in Athens . The classical design was inspired by the Romans . contradictory +I 've had enough of the fellow hanging about . He can stay for as long as he wants , he 's a good fellow . contradictory +Another smaller but equally interesting museum is the Museo Sorolla ( Paseo del General Martinez Campos , 37 ) . The Museo Sorolla is very large but easily the least interesting museum . contradictory +The Habima Theatre , Habima Square is claimed to be the country 's best repertory theatre . The Habima Theatre is supposed to be the best repertory theatre in the country . entailment +The value of D in 1996 was 6.0a. In 1996 the D had a 6.0a value . entailment +A Legal Services Corp. audit in 1999 found 45 duplicate case files in a random sample of 400 cases . The Legal Services Corp. found 10 case files . contradictory +When you went into Mrs. Inglethorp 's room , was the door leading into Miss Cynthia 's room bolted ? There is no door leading to Ms. Cynthia 's room in Mrs. Inglethorp 's room . contradictory +Whilst he ate , he read a morning paper propped up in front of him . He ate in front of the television . contradictory +To the north , PCH meets the western terminus of Sunset Boulevard . The northern end of PCH isn 't located anywhere near Sunset Boulevard . contradictory +a mild abrasive pad like a Scotchbrite pad or something like that and water and soap and water so we got pretty lucky on that Even after using soap and water , things did not get better . contradictory +It 's best to book in advance for the activities , as The Ark has become quite popular , and activities sometimes fill up in advance ; Tel . 670 7788 , fax 670 7758 . Since The Ark is so popular , you should probably call in to make a booking . entailment +Of Tschekan coat-of-arms , a manager in an important department of an important software company spent two whole weeks inputting all data relevant in his life . Tschekan removed all his information from the software . contradictory +and and the next yeah point seven five liters and then liters and then one point seven five liters yeah The amount is way over 1.75 liters . contradictory +The Ranas were the rulers of Nepal for 104 years . They only ruled Nepal for 10 years . contradictory +yeah i used to take money out for gas and groceries and things like that and i don 't even do that anymore i mean i just don 't have that much cash on me I probably can 't afford the car that I am driving right now . neutral +Major trauma , injuries , assaults , 72 depression , and alcohol-related medical problems like gastrointestinal bleeding or seizures define even higher risk subgroups . Major trauma is in the highest risk subgroup . neutral +uh start forcing attitudes and whatnot you know there 's not a lot of pressure to to vote the right way or anything else around TI like there like there is in some companies or at least you know from what i 've heard but uh Everyone has complete freedom and self-determination in votes . contradictory +Although the SEC has the authority to issue certain accounting / reporting and auditing standards for public companies , it has historically relied to a great extent on certain selfregulatory bodies to help maintain trust and confidence in our nation 's capital markets . Although the SEC has the authority to issue certain accounting / reporting and auditing standards it has relied on selfregulatory bodies . entailment +And the one on the tray ? " There was one on the tray . entailment +Did you not put two and two together , and reflect that if it was not Alfred Inglethorp who was quarrelling with his wife ” and you remember , he strenuously denied it at the inquest ” it must be either Lawrence or John . It is neither Lawrence nor John . contradictory +You begin with a yearling colt , not three-year-olds . " Do not start with three-year-olds but with a colt . entailment +This latter point--the need to link security to business requirements--is particularly important , and is illustrated in a statement of a security manager quoted in the Because every control has some cost associated with it , every control needs a business reason to be put in place . They were on top of the requirements and any policies involved . neutral +um yes i did i only lived in Texas in eighty seven and um eighty eight and uh part of eighty nine I lived in Texas for less than half of eighty nine . neutral +yeah there 's nobody there yeah yeah i that happens a lot i i just live ten minutes away and i don 't work i don 't work in the at the Dallas site i work at the Spring Creek site which is which is in Plano I don 't work at that site . That place is empty . People always think it 's not . entailment +This was one of the most densely populated parts of the ancient world , with many famous cities to its name Troy , city of the Iliad and the Odyssey , and Smyrna , the birthplace of Homer ; Sardis , home of the wealthy King Croesus ; Ephesus , where St. Paul preached the gospels ; and Halicarnassus , birthplace of the historian Herodotus . Troy , Smyrna , and Sardis were just a few of the famous ancient cities in this part of the world . entailment +yeah maybe maybe , as long as neutral +A battle that never happened . The battle did not occur . entailment +But the best way to travel up at least part of the way , if you 're too impatient to take 6 hours for the whole 80 km ( 50 miles ) is by the Darjeeling Himalayan Railway , more popularly and humorously known as the Toy Train , which starts out at Siliguri , not far from Bagdogra . The Darjeeling Himalayan Railway , which originates at Siliguri , is called the Toy Train . entailment +across the black sky a white streak White streaked across the sky 's blackness . entailment +During the 14th century the Turks in Anatolia rallied under the banner of one Osman Gazi , who had won a great victory over the Byzantines in 1301 . The Turks had followed various leaders into battle , but Gazi had the largest army . neutral +So much of Segovia is superlative that the 11th-century city wall itself is almost relegated to second-class status . The 11th-century wall was constructed in order to protect the city from invaders . neutral +It still forms an impressive backdrop for photographs of MandrakiaHarbor , and is filled with historical litter , including carved marble plaques , statuary , and cannons . Most of the marble plaques are from Roman society . neutral +oh no it was even worse than that they falsified the data They did something better , they falsified the data . contradictory +That left many to return . That left no one who could be returned . contradictory +Those who are not busy manicuring the residential lawns are often to be found working in the lovely Beverly Garden Park , which borders Santa Monica Boulevard for 2 miles ( 3 km ) from Doheny to Wilshire . Bordering Santa Monica Boulevard greatly helps tourism . neutral +Rediscovering Arendt 's public-private split wouldn 't necessarily entail abandoning the feminist notion that the personal is political . Arendt is trying to walk a fine intellectual line that feminists may not agree with . neutral +The Legislature has attempted to address the problem by establishing family- law facilitator offices throughout the state to help litigants in child-support matters . They wanted to affect the problem by having family law facilitators . entailment +So obviously he can 't come into work , but doesn 't mean we can 't visit him . The clients were so eager that they insisted on visiting him at home . neutral +Once risks have been identified , they should be analyzed for their possible effect . There are too many risks to analyze . neutral +This Mr. Inglethorp , I should say , is somewhat of a scoundrel , but that does not of necessity make him a murderer . " I shook my head , unconvinced . Mr. Inglethorp has done some dubious things before , but he may not be a murderer . neutral +right and um um i did get the water pump was shot at the same time so i got the water pump fixed just to carry me over until i could sell the car um which i which surprisingly the car was in great demand um in fact i had a bunch of people come to look at it and they were fighting over how much they were going to pay me for this piece of junk i was amazed I 've had this car listed for sale for months without a single bite . contradictory +In addition , two contemporary forces converged to spur congressional year-in , year-out budget deficits that had to be brought down and a public now demanding not only that federal agencies do their jobs more effectively , but that they do so with fewer people and at lower cost . Two contemporary forced converged to spur budget deficits . entailment +REPORT CONTENTS summary of the report contradictory +All documentation and records should be properly managed and maintained . Proper management of records and documents preserves the information for future use . neutral +Mantegna has a touching Madonna , but his true masterpiece here is the Dead Christ , achieving a gripping emotional effect with its foreshortened perspective . Mantegna was a staunch atheist and refused to create any work depicting religious figures . contradictory +Click here to read the first chapter . ) The first chapter is available here . ) entailment +Bottomless Mug A novelty mug . neutral +yeah well you know i i think that if if i felt like the the the system was was truly fair and and uh and that they would never make a mistake then you know but you hear you know you hear about people who are who are genuinely mistakenly accused of a crime and The system can be unfair and as a result , some people are in jail . entailment +William Pascrell Jr . , D-NJ , wrote to LSC ; the Passaic County Board of Chosen freeholders passed a resolution against it ; and local mayors , the state and local bar associations and various community groups clients have written letters on behalf of Passaic Legal Aid . Local mayors wrote in approval of it and were happy to support it . neutral +The Greeks dubbed it Ebysos , the Romans called it Ebusus , and the Moors , Yebisah . In Greek , Ebysos ; In Roman , Ebusus ; In Moors , Yebisah ; In English , Ebausis . neutral +And that part about erotic confessionals was too funny to be real ! He told a joke about a nun writing erotic confessionals . neutral +So perhaps the Talmudists proceeded by trial and error , considering various divisions and rejecting each one as inconsistent until they hit upon the unique consistent division of 50-75-125 . 50-75-125 are a unique and consistent division that is hit upon . entailment +He seemed to be reliving the events , rethinking the thoughts he 'd had then . He did not dare rethink the thoughts he had had . contradictory +The bronze statue of Kwan Yin , the Goddess of Mercy , was brought back from India in the 19th century . The statue was won in a war . neutral +A party-streamer landed on my nose . I wiped away the stream and laughed . neutral +The colossal cheek of the little man ! There was not cheek from the little man . contradictory +The shadow shifted again and a gleam of silver slashed in the darkness . A silver object moved in through the dark . entailment +Yes , lawyers are expensive . Lawyers are as cheap as it gets . contradictory +'Okay , ' the Fat Man suddenly spoke up . The Fat Man spoke up and said ' okay ' . entailment +But the best cellars open to the public are those in the chateau at Clos de Vougeot , owned by the Cis ? ­ ter ? ­ cian monks until the Revolution and now the property of the Chevaliers du Tastevin ( fraternity of wine tasters ) . The Chevaliers du Tastevin do not own any cellars . contradictory +but it wasn 't a real problem It caused a lot of trouble for me . contradictory +Like as not , I 'm imaginin ' things a greenhorn huntin ' Apaches behind every bush . Apaches are stationed near every bush . entailment +Chernow attributes this attitude to Rockefeller 's uncommon respect for the dollar . Rockefeller has a serious respect for the dollar . entailment +South coast resorts such as Plakias and Matala have good beaches and plenty of snorkeling opportunities for older children . Coral reefs only 100 feet off the coast offer a plethora of marine life viewing . neutral +if it 's supposed to be one of the best bass fishing places they hold tournaments there and everything I took part in one of the fishing tournaments held there . neutral +or in your case you might want to cut the hospital back a little bit and You might want to increase the hospital a little bit . contradictory +Good cause existed for dispensing with the Notice of Proposed Rulemaking procedures of the Administrative Procedure Act and has issued the rule as an interim final rule with a request for comments by April 14 , 1997 . The Act allowed for better rulemaking in the state . neutral +We look to Congress for a Paper Decency Act , to close the giant loophole left open when last year 's Communications Decency Act was limited to electronic media . Congress passed a Communications Decency Act . entailment +If my actions won 't , in the big scheme of things , make a teeny , tiny spot of difference , and the Web as we know it is doomed eventually whatever I do , is it moral of me to download those huge film-and-sound files that I might someday like to see , eventually discarding them without even opening them just to get back the local disk space ? If it 's not really that big of a deal , can I download it ? entailment +The Republicans ' anti-immigrant agenda , which was aggressively covered by the growing Spanish-speaking media , had much to do with it . The Spanish-speaking media reported on the Republicans ' opposition to immigration . entailment +This easily defensible thumb of land is bounded on three sides by the so-called Three Seas the Sea of Marmara to the south , the Bosphorus to the east , and the Golden Horn to the north . The land is not easily defended and not bordered by water . contradictory +They 're not all equally bad , but I have trouble deciding who is worse . They are all heinously bad to varying degrees . neutral +yeah or it just builds up so often yeah I think we took care of it -- I haven 't seen any more build up . contradictory +As noted above , LSC grantees have regularly provided legal assistance to eligible aliens who have left the United States at some point during the representation . LSC grantees assist eligible aliens in getting back into the country . neutral +All the same , as I said before , it 's too bad of of Carter to set you two babies on a job like this . Like I said , it 's a shame that Carter set you on a job like this . entailment +In a sunny sheltered basin high in the Boite valley of the eastern Dolomites , it provides excellent skiing facilities as well as skating and bobsledding . The skiing conditions are much better than the skating conditions due to the ice quality . neutral +the security program to supplement basic guidance , such as the importance Advanced security that takes care of everything itself . contradictory +yeah we do too it too many other things to do and too much going on It feels overwhelming finding time to do certain things . neutral +Once again , a plea to Susan and Sylvester . Susan and Sylvester are the only ones who can change things at this point . neutral +It is a cooperative association of 20 federal agencies with interests and responsibilities related to all aspects of facility design , acquisition , management , maintenance , and evaluation . 20 federal agencies are working together . entailment +The abbey that today stands in ruin at the southern tip of Burgundy ruled its medieval world the way Louis XIV 's Versailles dominated 17th-century France . Abbeys were where all leaders ruled from in the medieval world . neutral +'What about ... me ? ' At that moment , a tiny switch in the back of my head went click , and I knew two things . I didn 't know anything . contradictory +yeah it covered the spots pretty good but it didn 't excuse me it didn 't uh uh it just didn 't look as smooth as i wanted it to It doesn 't cover spots well , but it looks really smooth and I like it . contradictory +sort of like the draft do you know in the Army you 're not going to uh uh be i i understand i understand what you 're saying i 'm i 'm twenty four and uh you know i i don 't think that i would be willing to to dedicate you know a year or two years of my life We don 't have a draft . Service is voluntary , and I don 't want to volunteer . neutral +Even if you 're just browsing , the shops on Nawate-dori , Furomonzen-dori , and Shinmonzen-dori offer a superb selection of antique furniture , ceramics , masks , lacquerware , and Buddhist objects . Buddhist objects will usually not be found if you 're just browsing . contradictory +To avoid the substantial volatility in the implied interest rate after 2005 as a result of declining debt , interest rates are held constant at 5.4 percent-the average interest rate assumed by CBO on short- and long-term Treasury securities-from 2005 through the end of the simulation period . The debt declined by 25 % . neutral +um-hum yeah well think of it as think of it like this takes a long time for meat to digest and you know if you 've got that sitting in your stomach i mean even when you sleep it 's still sitting there digesting so you you kind of giving your stomach a chance to relax a bit and not have to work so hard to digest all that meat meat is digested very quickly and digestion stops when you are sleeping contradictory +Especially dramatic is the 16th-century high retable in the monastery 's church . The high retable in the church is dramatic , but many don 't like looking at it . neutral +Said Palazzolo , One of the things that excites me about it is starting up a new office and making our legal services more accessible to people in the North Shore area . Palazzolo doesn 't feel that people of the North Shore deserve to have access to legal services . contradictory +well if we one of our children is just is just turned two and her first eighteen months of life God well she had one operation she 's been to the emergency room a couple of times i mean she 's she 's just expensive the other one wasn 't nearly that expensive but the but the baby just one of those Our children have cost us an equal amount for medical care . contradictory +An ambitious plan for a hexagonally based church , raised above the ground on stilts and with stained-glass windows by Pollock , came to nothing . The complex plan of the church , came to nothing . entailment +uh-huh but it 's got to have one that has a cover on it You need the one with the cover . entailment +If you would like a more novel , self-drive way of exploring the desert , hire a Quad Runner . Hire a Quad Runner to explore the desert in a more novel , self-drive way . entailment +If not the most beautiful , the chateau is certainly the most formidable in the Loire Valley , a real defensive fortress , its black ramparts still forbidding despite having had their towers decapitated on the orders of Henri III . The chateau is a true defensive fortress , if not the most beautiful of it 's kind . entailment +The performers are folk heroes , and the greatest of them descendants of centuries-old dynasties of actors are declared Living National Treasures . The best of the performers have been declared to be Living National Treasures . entailment +The table displays the market share that a competitor would have to capture in order Since John spent months combing the archives , we have a lot of good data . neutral +Uncharacteristic , I might add . Odd for a statesman , I would add . neutral +1 This perception is one of the bases for the argument that a universal service requirement is necessary to assure the continuation of rural delivery or at least the level of service currently accorded rural areas . They think a universal service requirement is needed . entailment +they he had to fill out some forms but i guess California might be tougher i don 't know California might be tougher , i don 't know , they had to fill out some forms . entailment +well i did too about a month ago i had a a real severe cold but nothing that required you know um a doctor 's visit or anything like that i was just able to take some aspirin and rest for a couple of days but it just seemed like it I would 've gone to the doctor 's if a few days of rest and aspirin didn 't help . neutral +He went into oil , and he went into steel , and he played a bit with railroads , and I can tell you he made Wall Street sit up ! " He paused . He never made anything on Wall Street . contradictory +um the the tax attorney The tax attorney entailment +If you don 't want to walk around town , a small motorized train runs past all the major sites . There is a small train that runs between the major tourist sites . entailment +you know so i mean i don 't know i think that if people are forced if the people are not forced to do it they may not you know i mean i don 't know i think a lot of people still still still will but if it 's voluntary , some people will still do it entailment +You can see why the administration wouldn 't listen . The administration wouldn 't listen . entailment +Program officials said that an immature design limited their ability to begin reliability testing earlier in development . Officials say immature design improved their ability to start testing . contradictory +Shall I tell you how it will be ? Just wait until they tell you , I 'm too tired to do it . contradictory +Drug prices have fallen slightly in the last three years . Drugs have gotten more expensive recently . contradictory +Most of the world 's national symbols the Statue of Liberte the Eiffel Tower , the Kremlin , the Great Wall are man-made . The Great Wall is a national symbol that was built by men . entailment +um-hum huh oh yeah but it 's a pleasure to like you said it 's good to get outside and I like to , because it 's good to get outside . entailment +Start by looking at the range of goods in the department stores and hundreds of specialty shops in the underground shopping centers before going off to find better prices at discount shops . One should start their shopping at the discount shops . contradictory +( Slate ' s Jacob Weisberg reviews the book in his column , Strange Bedfellow . Slate 's Jacob Weisberg gives an opinion about the book in his column . entailment +'I really would like to know exactly how Mr. White managed to do it . I don 't care how he did it . contradictory +Kiftlik kebap is a casserole of lamb , onion , and peas . Kiftlik kebap has lamb , onion and peas . entailment +This information is needed by report users to understand the purpose of the audit and the nature of the audit work performed , to provide perspective as to what is reported , and to understand any significant limitations in audit objectives , scope , or methodology . The audit performed was an extensive investigation . neutral +Jamaica has always had a second , unofficial language developed from the early days of slavery . The early days of slavery provided Jamaica with it 's official language . contradictory +Ca 'daan heard a roar and turned to see Thorn , his horse felled by a sheaf of arrows , defending attacks from an equally large man with a warhammer . A large man was attacking Thorn with a warhammer . entailment +This measure does require LSC staff to understand how services differ from grantee to grantee , so that the differences in levels of service can be adjusted to arrive at meaningful cost-per-case figures . Between grantees , there is no differences in service for LSC staff to learn . contradictory +An album of the most beautiful photos of Earth taken from the height of several meters above ground , and put together by the best photographers and over-realistic painters in the world . The album was only done in chalk sketches . contradictory +To think that Red was touching them and trying to feed them . To imagine that Red was touching them and trying to give them food . entailment +Such was clearly the case in connection with certain recent business failures . Recent business failures are connected to this case . entailment +President Clinton was fined $ 90,000 for his false testimony in the Paula Jones case . Clinton was found to not have done anything wrong in the Paula Jones case . contradictory +okay how far about how far do you go walking How far do you jog ? neutral +Postal Rate Commission Postal Rate Commission They did not have a postal rate commission . contradictory +and uh by the time i was a sophomore i decided that mathematics was really not the thing to be into to find a good job they weren 't hiring mathematicians at the time By my sophmore year , I decided that math is what is right for me . contradictory +it turned out my mom was the only one in the family that didn 't want to go because she didn 't play golf or tennis and there wasn 't really a job for her there Everyone but my dad were thrilled to go . contradictory +Today 's Papers , summarizes the five top U.S. dailies every morning by 7 ET . International Papers does the same for the world press three times a week . Lots of people subscribe to the Today 's Papers service . neutral +exactly sure exactly that . neutral +The neat 6 : 3 : 2 mathematical relationship among the price groups should be noted . Take note of the 6 : 3 : 2 relationship because it will be on the final exam . neutral +Gordon Smith described difficulties he had had with his IRB in a study on drinking and boating injuries . The difficulties were alarming and worrying . neutral +nah you you take yeah you take just two just a man and wife by the time you pay the tickets the parking uh any kind of refreshments or anything there you can spend a hundred dollars right quick It can easily cost a hundred dollars for a couple to go to a game on the weekend . entailment +The Stations of the Crose ( also known as The Way of the Crose ) are marked with Roman numerals on the walls of buildings along the way and with a sunburst made of paving stones on the street itself at each station . The Stations on the Crose are placed where people may have rested . neutral +oh i will i 'm sure my husband will be surprised because we were talking about them the other day even before I 'm sure my husband will be surprised , he doesn 't handle surprises well . neutral +Will you relate to us exactly what happened next ? 74 " I entered Mrs. Inglethorp 's room . What happened after dinner ? neutral +we 've used it quite a bit in the past when our kids were smaller but uh We 've never used that . contradictory +The CFOs at these organizations are often heavily involved talent assessment and senior executive leaders are actively involved in oncampus recruiting . The CFOs at the organizations are heavily involved in talent assessments most of the time . entailment +The modern mistake is to think that important things must be planned , sponsored , reviewed , or licensed by the government . There is a perception that some level of government involvement is necessary for priority things . entailment +Never mind the crude complaint that it is too big , or too profitable , or that nerdy types tend to dislike its products . Complaints about it being too big are being made by industry opponents . neutral +Cool means it is pleasantly warm by day , and fresh enough for a sweater in the evening . The afternoon is warm enough for shorts . neutral +In its new building , the Project Arts Ceter , 39 East Essex Street , displays the most avant-garde in painting and sculpture ; it has a performance space upstairs . The Project Arts Centre was not always located in 39 East Essex Street . neutral +But he was sufficiently wary of the formidable strength of the Hittite Empire to make peace with the next king , Hattusili III . Hattusili III had taken power after assassinating the previous king . neutral +An additional notice of information collection for the Quote Rule was published in the Federal Register on September 12 , 1996 . The Federal Register thought it was very important so they published it . neutral +Step back into Malaysia 's history in the port towns of Melaka or Kota Kinabalu , where colonial rivals once battled for supremacy , and where princes and sultans dealt in palace intrigue . Melaka is a port down in Malaysia . entailment +He seemed absorbed in thought ; so much so that my curiosity was aroused . I couldn 't be interested in him at all as he just sat there . contradictory +They help you in a lot of different areas , she said . There are some areas in which they are of little help , she said . neutral +In his honor , The Oxley Foundation donated $ 200,000 to expand a client hot line . The Oxley Foundation donates money to many worthy causes each year . neutral +Its timber-framed houses of the 15th , 16th , and 17th centuries are marvelous examples of sturdy Norman architecture , achieving a pleasing irregularity in the way the plaster is set in oblique forms between the solid oak posts and collar beams supporting the balconies . The old houses are built in the style of Norman architecture . entailment +In moments of defeat , Cezary Pytlasinski knew how to recover . Cezary was unsure what to do and didn 't stand a chance against his opponent . contradictory +Compare the breakneck growth of the Web with that of any new medium of the past 150 the telegraph , the telephone , the motion picture , radio , television , cable TV , and the VCR . The web is not growing at all . contradictory +International cuisine with many interesting dishes ; the pies are a house speciality . They serve international food that pulls influences from every continent . neutral +You will pass some of Akko 's four khans or caravanserais inns with large inner courtyards used by travellers and their caravans . A stay at the inn is not cost worthy , but taking a look around is definitely worthwhile . neutral +For larger movements , a somewhat different approach is taken , beginning in the next section . A somewhat different approach is taken when the movement is very smal . contradictory +which and that was what i was thinking exactly about because in the Soviet Union they had an election and they had what like a ninety eight percent turnout The Soviet Union election had a very successful turnout rate . entailment +She said the Bergen office will otherwise remain intact . She stated the Bergen office will remain intact . entailment +( For some reason , Lands ' End 's 1995 surplus didn 't spawn a Procrastinating Catalogue Shoppers Get Whatever They Want as Late as They Want It story in the Times . ) As the Times reports , Lands ' End overreacted to the bad year by ordering 20 percent less merchandise for 1996 , and suffered for it . 1995 was a top year , sales-wise , for Lands ' End . contradictory +You say that it 's not important who asked the question . According to you , it doesn 't matter who asked the question . entailment +A profile of Steve Jurvetson , the 33-year-old venture capitalist who seeds Internet startups , predicts he will prosper even though Internet IPOs no longer promise exponential returns . Internet IPOs still promise exponential returns . contradictory +The money was timed well because the legal group had recently lost about $ 120,000 in grant money due to a decrease in the poverty population in West Tennessee in Census 2000 , Xanthopoulos said . The money came just in time since the group had just suffered a loss of $ 120,000 in funds . entailment +The woman punched hard into the light-skinned Sai Routha 's chest . The woman punched the Sai Routha 's chest with brass knuckles . neutral +The light-skinned Sai Routha drew his two swords with practiced ease . Sai Routha had no problem drawing his swords . entailment +Gingrich may have been a vicious partisan , but he is also sunny of temperament , cooperative , optimistic . Gingrich may have been vicious , but he is also optimistic . entailment +Credible Answers Believable Answers . entailment +did you ever get any information on it like Did you ever get any guidance on it ? neutral +Although they needed to avoid water snakes , alligators , and disease-carrying mosquitoes , they enjoyed a cornucopia of seafood and game , flavoring it with a hot sauce the Creoles would later adopt . They enjoyed a cornucopia of seafood and game . entailment +But they won 't be able to say they weren 't helped with their math homework by the very best . They were helped with math by the very best . entailment +well you know i don 't feel that sure and who knows what the jury will say because sometimes you know the juries come down with a result and you go gee I 'm not confident , the jury result is often a surprise . entailment +On twigs of hawthorn he regaled , He was very dramatic in storytelling . neutral +It is seen as a rebuke to Senate Majority Leader Trent Lott and a victory for Democrats , Sen. It was a historic victory for the liberals . neutral +He was answered by cries and shouts from the gathering crowd as five more wagons , each with a trailer hooked to its main bulk , pulled in around the edge of the open area , until the center of the town was full and the din of braying mules was deafening . He was shocked because he knew a fight was about to break out . neutral +Then they discover , in their 30s or 40s , that money is important to them after all . This love of money is almost always discovered too late . neutral +, a private , nonprofit corporation established by Congress in 1974 to offer poor people equal access to the justice system . It was never established by congress . contradictory +While benefits , recognition , and challenging responsibilities are also useful in securing staff , leading organizations identify training as a major nonsalary incentive for attracting and retaining skilled IT professionals . Training is a valuable asset . neutral +He wore a tunic of dark red , white trousers tucked into soft leather boots , leather gloves , and his rapier low on his left hip . He was wearing a white robe . contradictory +so we 're getting a large oh gosh i don 't know i think there 's like twenty six different languages now that are spoken in i the DISD Dallas Inner City School District There are 26 languages in the school district so we hired ELL teachers . neutral +hey how 's it going do you work for TP what 's up are you working for TP now entailment +Party loyalty and discipline make that possible , and that sometimes means both voters and representatives must subordinate individual differences . It is made possible thanks to party loyalty and discipline , said the news . neutral +One estimate is that , as demand for installation resources increase for FGD and other air pollution control installations , planned FGD retrofit installations could be between 30 and 42 months1 while another source estimates FGD installations at 36 months . FGD retrofits could take up to 5 years . contradictory +Much of the new development has occurred here , and in some places this has changed the character of the landscape . Changes in the environment have not been seen . contradictory +At five o 'clock , Mrs. Inglethorp rang the bell and told me to bring her a cup of tea , nothing to eat , to the boudoir . Mrs. Inglethorp was not hungry , but was thirsty . neutral +He fell to the ground gasping and Thorn left him where he lay . Thorn left him laying on the ground . entailment +It 's the new One World , and its pseudosophisticated anthem is You 're the Top . The old Third World provides wealth and happiness to everybody . contradictory +With the commercial leadership of the country , Milan has also taken over as the fashion capital . Tuscany is the fashion capital of Italy . contradictory +) The narrative is laced throughout with colorful , distinctly Southern characters , including a Delta store owner who displays a Happy Holidays sign year round ( [ w ] e have a holiday every two months or so ) and a Georgia rabbi whose rock ' n ' roll temple fuses Jewish and Southern ways ( [ w ] e 're sort of reconformadox ) . The store owner in the narrative is a cheerful character . neutral +Forty or so Sticks on each side , west and east , cutting north . All the Sticks had disappeared . contradictory +What choices have we ? asked Gauve . Gauve didn 't ask anything . contradictory +For years , Congress has been working to increase the effectiveness of information and technology management in the federal government . The federal government makes use of information and technology management systems . entailment +One of the boys , the smallest , smiled at Susan . Susan saw a frown on the boy 's face . contradictory +It wasn 't just the inexorable working of the law of diminishing disciples . This method involved more workers . neutral +Situated on a hill overlooking the Loire , the town itself invites the visitor to linger in the narrow winding streets that lead from the cathedral to the chateau , pausing to admire the handsome old houses on the Place Saint-Louis and the Rue Porte-Chartraine . The town tourism is base on the preservation of the old houses . neutral +oh yeah guess i 'll have to turn on the weather on the news tonight see what we 're supposed to expect I guess I 'll have to watch the news tonight to see the weather . entailment +All Respiratory Admissions Ozone Dysrhythmia Admissions Ozone Emergency Room Visits for Asthma PM10 and The admissions to the emergency room for respiratory causes . entailment +San Marcus around in through there We camp around San Marcus . neutral +Lying a few hundred meters to the west , the island of Rhenia was both a birthplace for Delians and their burial ground . Delians had elaborate funeral rites . neutral +Shall we begin : ' Young officer , twice wounded in the war ' The young officer was wounded two times during the war . entailment +This boy , as you say ! This boy entailment +To demonstrate that impossible manifolds could be coaxed into living in Euclidean space is counterintuitive and pretty exciting . It is possible for something to be both counterintuitive and exciting . entailment +What Mr. Cavendish suggests is quite impossible . What Mr Cavendish says happened just couldn 't have . entailment +And attending a state fair . He and I will be attending a state fair today . neutral +Here too you 'll find the Ecce Homo Arch , built in a.d. 135 . At this time , you will find the Ecce Homo Arch , built in 135 A.D. entailment +The site of the great cathedral of Notre-Dame de Paris has had a religious significance for at least 2,000 years . The site of the great cathedral has had no religious significance . contradictory +Now I find I hate returning e-mails . I absolutely detest returning emails to people . entailment +Well , I said wearily , " I suppose some one must have stepped on it . " 36 " Exactly , " said Poirot , in an odd voice . Poirot didn 't think it was an accident that someone stepped on it . neutral +Participants cited accounting for pensions , postemployment benefits , and pro-forma financial statements as examples of accounting treatments that need attention before building on any new reporting requirements . Participants cited accounting for pensions as a way of having a bit of fun neutral +For electricity , the policies include extending the production tax credit of 1.5 cents / kWh over more years and extending it to additional renewable technologies . The production tax credit will be used toward additional renewable technologies . entailment +hello you sure did to to whom am i speaking yes that happened , but who 's calling ? entailment +Should I be here otherwise ? Am I supposed to be here anyways ? entailment +That might work . That may work for you , but not for me . neutral +Such a system would allow for truly unique greetings , and after all , nobody said they had to be comprehensible . That would not be a good system to use for unique greetings . contradictory +That first glimpse of the towering , steepled abbey rising from the sea on its rock is a moment you will not forget . The first sight of the abbey coming up from the ocean will be etched in your memory . entailment +Various studies have shown how the ratio of executive compensation to average employee compensation has risen to levels of irrationality and levels that far exceed those of other major industrialized nations . The ratio of executive compensation to employee compensation makes workers upset . neutral +The first prong would represent basic reporting applicable to all public companies . Private companies are prone the first prong of reporting . contradictory +well had have you watched any of these things on TV these large brush They haven 't shown these on TV . contradictory +Tall man , with a lot of freckles and red hair ? Is the person you are looking for tall with red hair ? neutral +As the impeachment drama dissipated , though , and Congress and the press started to lay off , Clinton 's approval rating dropped . If the media had not made such a frenzy , Clinton 's approval rating would not have dropped so low . neutral +Surprisingly , however , we will find that France has a greater variation in delivery costs . France has the highest delivery costs in the world . neutral +set opinion because i don 't know everything i don 't much you could watch news all the time but you don 't know anything hardly and he did talk about that though he did uh at least he did mention it It 's better to get your information from books rather than television . neutral +His obnoxious behavior got him barred from Judge William Keller 's courtroom for life . The judge banned the man from his court simply because he didn 't like him . contradictory +My friend Andy Glazer , a pro gambling expert , says some sites cancel your sports bets if they think you 're too good or if they figure out that you gamble for a living . My friend , Andy Glazer , does not know anything about gambling . contradictory +Al and Tipper Gore have helped by saying they 've each had counseling but , as Frank Rich has noted , Tipper 's use of such euphemisms and the avoidance a professional title [ that ] might include the prefix ' psych- ' ... Tipper uses euphemisms according to Frank Rich . entailment +i listen to KRLD and uh KLIF the news talk radio and i actually listen to CNN radio do you know it was on radio now I listen to KRLD , KLIF and now CNN and FOX radio . neutral +He crouched behind the cupboard . He stood on top of the cupboard . contradictory +employees that there are and yet they 're so important The employees are important . entailment +Farm workers earn an average of $ 5 . During the harvest season , farm worker wages sharply increase . neutral +5 million in contributions because they may have come illegally from foreigners . Contributions worth 5 million are suspected to be illegal because of the activities that the foreigners engaged on . neutral +To assure the provision of high quality legal assistance to eligible clients , LSC 's Office of Program Performance ( OPP ) instituted a written protocol for conducting program reviews . The older protocol was not good enough . neutral +His house at the bottom of the steps has been preserved as a museum . His story is told to all who pas through the museum which used to be his house . neutral +Compared with Bergen , Passaic has many more people who are poor and Spanish-speaking and receive housing aid and they should not have to travel elsewhere for legal aid , he says . Many people receive house aid , but only if they travel to receive it . neutral +The highlight of the trip is the visit to see Charlie , a 4-m ( 13-ft ) crocodile who swims up to the boat when called . Visiting Charlie the dolphin , who will swim up to play with those who come to see him , is the highlight of the trip . contradictory +oh definitely oh my my my two year old she hates to be put in indoors anyway and just My two year old likes to be inside . contradictory +Tommy 's eyes opened as he read : " Jane Finn found . Tommy had not noticed that Jane Finn had been found . contradictory +Also in Newsweek , trend- Soup is the new coffee . Coffee used to be the trendiest of food and drink categories . neutral +Topping the list , of course , are the region 's exciting theme Disneyland , Knott 's Berry Farm , and Universal Studios . Disneyland is the least popular attraction because it 's so dated . contradictory +I was embarrassed for you . I felt really bad for you . entailment +The Stevenson exhibition on the lower floor is particularly interesting , with photographs of the author traveling around the world before his untimely death at the age of 44 in Samoa . The author , Stevenson , was never photographed that we know of . contradictory +Jetskiing is popular almost everywhere , with half-hour rentals common . Locations for jetskiing are hard to find , with rentals often being expensive and restrictive . contradictory +He was finally buried in the Church of St. Francis , the only Portuguese building still standing here . He was buried in an old Portuguese church . entailment +uh i i read something in the paper yeah that 's yeah they uh i read something in the paper today talking about or it was Parade magazine yesterday and they said you know when 's the last episode and what 's going to happen and they say insiders say JR is going to get knocked off Parade magazine was talking about the last episode entailment +yeah that 's what i say because i i just I try not to say anything to them . contradictory +She was always better at ideas than me . My ideas were always better than her 's . contradictory +In times past , Spanish monarchs such as James the Conqueror and Ferdinand and Isabella stayed here . Historically , Spanish royalty stayed here . entailment +there was a moment of glorious dead air . Dead air can never be glorious . contradictory +That is settled , then , said the sibilant tones . The decision has been made . entailment +The gentle giant plays with a tiny mouse-- Of Mice and Men . The stricken executioner gets blessed by his beatific sacrifice-- Billy Budd . You could add a score of prison movies , along with E.T. ( 1982 ) , Starman ( 1984 ) , and even some vigilante pictures . In Of Mice and Men , a gentle giant plays with a tiny turtle . contradictory +That 's an outcome that seems both fair and economically The punishment falls on the sinners and thereby deters the sin . The sinners may hope to one day repent for their wrongdoing . neutral +Now it was fully awake in him . It never awake in him , at least not fully . contradictory +What he saw of the resources of this private fort led Drew to accept the other stories he had heard of the Range , like the one that Don Cazar 's men practiced firing blindfolded at noise targets to be prepared for night raids . He was able to picture it all in his mind easily . neutral +He wanted a sound bite--something pithy to take out of context . A sound bite integral to the narrative is what he wanted . neutral +A further exotic touch is added by the Muslim ladies just inside the gate , selling brightly coloured cloth and clothes , alongside street vendors selling fruits , bread , and other wares . People sell cloth , fruits , and bread a little way inside the gate . entailment +Thus , the fact that a study involves only one or a few sites does not automatically make it a case study . The sites must meet certain requirements . neutral +The year he returned to Congress , 1965 , the national endowments for the arts and humanities were voted into existence . When he made his comeback to Congree it was 1965 . entailment +Her dedicated efforts have improved the lives of countless poor Texans by opening for them the doors of our justice system . Poor Texans ' lives have been improved by her dedicated efforts . entailment +As the narrator Every moment could be seen to connect to every other moment , every act to have logical if obscure consequences , an unbroken narrative of vivid complexity . The narrator wanted to share the story with other people . neutral +That 's the last bad stretch ; now it 'll be downhill an ' green fields all th ' way . Nye nodded at the narrow opening between two hills lying ahead . There 's a narrow opening between two hills ahead which Nye nodded at . entailment +And I 'll try to remember it . It 's something important to me , but I am old and tired . neutral +During the period , maintenance expense is recognized as incurred . During the period , maintenance expense is treated as profit . contradictory +Of course , the legal usefulness of these observations is somewhat dubious , because this attempt to show that Theodore Kacszynski is fit to stand trial depends on the assumption that he is the Unabomber , which in turn requires a trial first , which first requires showing that he is fit to stand trial , and so on . Kacszynski was found to be fit for trial . neutral +That 's better . " That 's an improvement . entailment +Monica gets out first and opens the courthouse door . Monica exits first and opens the door . entailment +Only a few minutes after crossing the border , and the landscape was already undergoing a massive shift . The landscape was going through a big change . entailment +This is the home town of Andrea Palladio ( 1508 1580 ) , the most important architect of the High Renaissance , a must-see destination for architecture lovers or those interested in history and design . Andrea Palladio was a famous musician . contradictory +yeah ours is that way too It 's that way for ours as well . entailment +My sister , her husband , and daughter are spending a few weeks with us . My family is coming to visit us for a few weeks . entailment +1 . Unrestricted Aliens The aliens with no restrictions . entailment +Surely farmers are willing to pay much more for fertile seeds than for infertile , and you can be sure that Monsanto fully exploits that willingness . ) Farmers think that infertile seeds are inferior to fertile seeds . neutral +( The paternalism of the PDFA 's campaign has sunk in at major newsrooms . The PDFA 's campaign showed no paternalism . contradictory +because uh yeah if if somebody had is totally unfamiliar with it uh human nature being what it is we don 't like to change We love change . contradictory +yeah will be out or uh or you and i are going to be supporting him for the rest of his life If all goes well , his brother will take care of him . neutral +Because you know which teams are successful before you begin your analysis--those that win--you can use mathematics to identify similarities among those winning teams . There are no similarities among winning teams . contradictory +By reputation , Baldwins play the field , sleeping around Hollywood , then settling down with a beautiful woman . Baldwins are wild men . entailment +okay we 're energized um painting interesting uh the guy called me when she called me the computer called me i thought that they were reading my mind i 'm in the middle of um going out for bids to have my house painted I don 't want to paint my house , I don 't know why they 're calling me . contradictory +so i i i do think that we 've learned from it We have learned from it . neutral +yeah poor kid was in school all day yeah yeah The kid spent his day in school . entailment +Another benefit of the rule is the public oversight and accountability of the organ transplant system , which will preserve public trust and confidence . There will be accountability of the organ transplant system . entailment +In the morning Ca 'daan dressed and headed to the carpenter 's shop . He left the shop never to return . contradictory +Wait . " The girl put her finger to her lips . She desired for there to be silence and patience in wait . neutral +But in these stories , especially the later ones , he seems to have been unable to get beyond his own commonplace fantasies about prostitutes and 1960s miniskirts . He makes no mention of prostitutes and does not allude to any . contradictory +Several other attractions are nearby , all in Griffith Park , including train , pony , and stagecoach rides , a carousel , and the Griffith Observatory . There is some fun to be had in Griffith Park . entailment +well yeah but TI is up there so that part of it would probably work out TI is up there trying to catch some salmon . neutral +Moreover , Tribal Allocation Priority funds , as federal payments to tribal governments are known , are divvied up based on tribe size and population density rather than income , meaning that tribes with big gambling incomes often get federal subsidies as big as those with none . Tribal Allocation Priority funds are split up by the size of the tribe in Montana . neutral +In fact the contribution would often be unknown if it weren 't for federal reporting regulations . There is an easy way to know the contributions . neutral +There was a certain amount of the gamin element in the girl , at all events she invariably got on well with small boys . The girl got along well with other girls . neutral +yeah oh sure that 'll help yeah That will help . entailment +If you have only a single 19-inch television and you can 't afford to upgrade , just sit a lot closer . If you can 't afford to upgrade your tv from a 19-inch to something bigger , sit closer to it . entailment +Among other things , women are barred from work and most education , and men may not trim their compulsory beards . Men may not trim their compulsory beards , and women are barred from work and most education , among other things . entailment +The Reagan defense budgets helped , as did an aggressive marketing plan abroad and , most importantly , the merger with Martin Marietta and the acquisition of General Dynamics ' F-16 fighter division . There were several things that were beneficial , including : Reagan 's defense budged and the Martin Marietta merger . entailment +While GAO 's primary client is the Congress , we seek to maintain constructive working relationships with the executive branch ; conduct our work in a professional , objective , and nonpartisan manner ; and help improve government . GAO 's biggest client is the IRS . contradictory +For instance , Colorado school administrators like to brag that their state 's average SAT score is the highest in the country . Colorado has a great educational system which leads to its students having the highest SAT scores in the country . neutral +Section 607 permits agencies , in complying with sections 603 and 604 , to provide either a quantifiable or numerical description of the effects of a rule or more general descriptive statements if quantification is not practicable or reliable . Rules that will be enacted must have valid numerical descriptions to be considered . neutral +That would mean putting off traveling until next spring or early summer . Traveling may be on hold til next spring or summer . entailment +not the largest because the large cranes are very expensive to rent ( one size up could double or triple the monthly charges for renting the crane30 ) . The company does not have enough money to pay for the extra monthly charges . neutral +Vienna Noise Choir n / a entailment +She seemed to be supporting the girl , who looked utterly dazed and unlike herself . She supported the dazed girl . entailment +However , on Ibiza , a bodega is usually a wholesale and retail wine store rather than a place to sit and try the vintages . A bodega isn 't a place to linger for a long time . entailment +so but uh let 's see what else oh we watch like for example uh okay do you watch Star Trek Do you ever put on Star Trek , because we do entailment +hm yeah uh we have places where we go and we what we do is we unload our cans it 's like a conveyor belt and the belt um separates the aluminum ones from the steel ones because of it has a magnet on it and then they weigh all your aluminum cans and then you get money for your aluminum cans you get a nickel for every aluminum can you bring in neutral +Aloha Airlines offers scheduled flights to Midway . Aloha Airlines has flights to Midway . entailment +An individual 's willingness-to-accept ( WTA ) compensation for not receiving the improvement is also a valid measure . The willingness of a person to accept compensation in lieu of improvement is an invalid measure . contradictory +Jon looked at Susan . .Jon ignored susan . contradictory +Last month , Paul Gigot guessed that Clinton 's scandal would not be resolved during June . Gigot guessed last month that the scandal would go on until June . entailment +Time went on , but Conrad did not appear . Conrad did not show up . entailment +Agencies could also state that comments could be provided by facsimile . Agencies have no option to accept comments by facsimile . contradictory +Stalls here sell books , used clothes , cheese and jams , and a variety of flea-market stuff . You can buy books , clothes , and cheese at the stalls here . entailment +Can Thorn and the Kal take another twenty ? asked Jon to Susan . Jon asked Susan whether Thorn and the Kal could take another twenty . entailment +Organizational cultures will not be transformed , and new visions and ways of doing business will not take root without strong and sustained leadership . Strong leadership is needed to change organizations . entailment +He stumbled forward , heedless of the overseers ' shouting voices . He staggered forward , not noticing the onlookers ' shouts . entailment +When air disasters occur , there is an investigation to determine the cause , much as , at the end of a relationship , we try to understand why it failed , but without the advantage of voice recording , so we 're left to squabble endlessly over who said what . After a disaster like a plane crash , an investigation occurs into why it happened . entailment +I need to be my own spin doctor . I need to be my own spin doctor so I fix the narrative . neutral +They have now cut off all financial aid to her and refuse to pay for her wedding unless we have it at their house . The wedding has already been paid for . contradictory +Since 1947 , Cetercians have taken over from the Carthusian monks living in an adjoining cloistered wing , but continue to manufacture Certosa 's well-known Chartreuse liqueur and herbal soaps in an adjoining shop . The world renown liqueur is created by distilling the apples grown in the cloisters orchard . neutral +Hotel-casinos have repositioned themselves as complete resorts , offering full-service day spas , huge shopping malls , and attraction-filled theme parks all in addition to the gambling , golf courses , and showrooms of the past . Hotel-casinos have been slowly shrinking their market . contradictory +EPA has certified that the final rule will not have a significant impact on a substantial number of small entities because , using the size standard of fewer than 750 employees , only four firms would be considered small entities . Only four of the firms would be considered small entities . entailment +The he clutched the sky-blob again . He let go of the swamp blob . contradictory +yeah that sucks really uh kind of annoying but that 's cool That sucks but it doesn 't bother me that much . neutral +Espionage ? I gasped . That didn 't surprise me at all . contradictory +i didn 't want to send send her straight to a day care I didn 't want to send her to a daycare . entailment +I shall sit up all night . " A flash of relief showed before the lids descended once more . He did not fall asleep contradictory +well no i worked for this company before i had my first daughter I worked for this company for many years before my daughter was born . neutral +This masterpiece of Provencal Romanesque sculpture depicts the Last Judgment in the tympanum above the doors , surrounded by statues of the saints . There is a sculpture of the Las Judgement above the doors . entailment +um a lot of um borderline jokes yeah there are a lot of jokes that might be borderline neutral +oh really check out your pen number The pen number is four digits . neutral +paragraph 8.17 for additional reporting considerations . Paragraph 8.17 reports all additional considerations . neutral +will probably experience a series of terrible events--wrenching calamities that are economic or social or environmental in nature seems well within the realm of plausibility . It is likely that terrible events will be experienced because of everything that is happening around the world . neutral +The modern automobile is laden with microchips , which control fuel intake , cruise control , anti-lock brakes , and more . The modern automobile has multiple microchips . entailment +okay and and in in in his league do they have like a pitcher or do they have a standing ball or a machine or what How is the ball thrown in his league ? entailment +On Wednesday , April 30 , police in Pecos , 80 miles from Ft . April 30 was a Wednesday . entailment +Leading commercial companies employed practices to capture design and manufacturing knowledge in time for making key decisions during product development . Top commercial companies know nothing of design and manufacturting . contradictory +A desk , with a window looking out onto nothing in particular . The window looked out to nothing in particular . entailment +The road from the main gate ( Porta Marina , the gate that led to the sea ) passes on the right of the basilica law courts and stock exchange to reach the Forum , the center of town and its main public meeting place directly facing Mount Vesuvius . The main road passes by several important buildings in the town . entailment +In 1920 , the Unknown Soldier of World War I was buried at the arch ; three years later the eternal flame was lit . The eternal flame was lit at the arch . entailment +They walked into the caves and Ca 'daan lifted a lantern . Ca 'daan wished he had brought the lantern with him to enter the cave . contradictory +oh yeah i mean the the stud fee is worse i mean we 're going to be paying probably three to four hundred dollars for a stud It 's always free . contradictory +In addition , LSC has begun conducting a thorough review of LSC 's regulations . The review of the regulations was part of a yearly process that LSC had to partake in . neutral +well i remember uh thinking i think it was the last time i did hear that we get about the average maybe even a little more a day or so more than the average During winter we get less than the daily average . neutral +After that , the talented Miss Cowley drove successively a trade delivery van , a motor-lorry and a general ! " The last was the pleasantest . Out of all the vehicles Mrs. Cowley drove , the general was the nicest . entailment +Farther south in Crete , the Minoan culture developed after 2000 b.c. into the most significant of its age , spreading its influence throughout the region by trade and diplomacy . The Minoan culture developed after 2000 AD . contradictory +Network legal analysts and reporters followed suit , marveling at Wright 's guts and gumption , even as their own instant polls showed the public favored the ruling . The polls were rigged . contradictory +Across Victoria Harbor , connected by ferry and the MTR rail line , is the Kowloon peninsula with its hotels , nightlife , and almost non-stop shopping . You can find plenty of fun things to do in the Kowloon peninsula , which is located across Victoria Harbor and is connected by ferry and the MTR line . entailment +uh not that we can uh sell any great program we have with crime but uh i think uh i 'm kind of like you i don 't have any strong opinions on it i guess maybe that 's our biggest problem we have with our our neighbors down there is that we don 't have any we have more i guess ties we in the United States have more ties to Europe and everything and we don 't really aren 't that close to everyone in South America i don 't really know why though I don 't think that the United States has a good relationship with Europe . contradictory +The car ? The automobile ? entailment +It seems that the picturesque older sections with their old houses , narrow streets , and winding alleyways may not be around much longer . The town is very strict on preserving the older houses , keeping them safe . contradictory +and uh medical for the rest of your life And you 'll receive medical for as long as you live . entailment +Member what they used to say in the army ? Do you recall what used to be said in the army ? entailment +You are not serious , Poirot ? Are you serious , Poirot ? entailment +No unreasonable offer refused if pay is good . ' I won 't turn down a reasonable offer . entailment +We also suggest a small selection of holiday resorts and excursions on Napoleon 's wild and beautiful island of Corsica . We don 't advice going to Corsica as there is not much to do currently . contradictory +I guess she won 't want to make tracks away from the dollars . She wants to walk away from the dollars . contradictory +so that 's right about two months ago Omni Magazine which is a a science magazine are you familiar with that read an article um really restating some conclusions of some some uh This is old news since Omni Magazine ran the article two months ago . neutral +me too because we go all the time the guy i was talking to never goes he was boy it sounds like your really up on this and i said i see at least two a week so You seem really keen on this thing , whereas the guy I know couldn 't be bothered entailment +A story studies slavery in Mauritania , which continues despite official emancipation . A story studies the end of slavery in Mauritania . contradictory +( ' We 're going to steal the Internet 's thunder ! Internet is a very wide aspect . entailment +Initiatives that CLS has undertaken to improve and expand services to clients on a statewide basis CLS has launched new initiatives to improve and expand services to clients . entailment +yeah if he they they they have you pay it right out every month Every month you have to pay it entailment +For this paper we have altered the Service 's model slightly . The Service 's model has been kept the same . contradictory +The Andersen story illustrates how a few people can do the wrong thing with catastrophic consequences for many innocent parties . How an action taken by a small group of people can have poor outcomes for unrelated entities is well illustrated by the Anderson event . entailment +It is published and made available by EPA 's Office of Research and Development to assist the user community and to link researchers with their clients . The EPA publishes the reports so that clients can have access to researchers . neutral +It 's an odd factor , Do people believe that Brokaw , Rather and Jennings--reading scripts written by others from their TelePrompTers--are making things up ? Do people believe that Brokaw , Jennings and Rather--reading scripts written by others from their TelePrompTers--are making things up ? It 's an odd factor . entailment +5 ) Based on studies that have been questioned extensively , the rates for Standard-A mail do not vary with weight up to about 3.3 ounces . Standard-A mail rates don 't change as long as the weight is below 3.3 ounces . entailment +My morning latte just isn 't right without it . I dont put anything in my latte . contradictory +pardon me that 's true Excuse me , that 's false . contradictory +Sitting on the north side of Tahrir Square is the Egyptian Museum built in 1902 as the Cairo Museum . The Egyptian Museum stands on the north edge of Tahrir Square . entailment +Atlas said reviewers also overstated staff turnover , arguing that many of the cited employees were short-term workers . According to Atlas it was argued that many employees used in the overstated staff turnover were short-term workers . entailment +and uh i just decided i had to do that i think in part because it was easy for me to become addicted to it i mean i could just sit mindlessly in front of a TV set for hours and i just realized i was sort of like an alcoholic if i didn 't get the booze out of the house i was going to drink I became almost addicted to the TV . entailment +She had accordingly gone downstairs again 144 to rectify her error . She didn 't care to fix the error she made . contradictory +The energetic young man had succeeded in making the lives of several Scotland Yard men unbearable to them , and the telephone girls at the Admiralty had learned to know and dread the familiar " Hullo ! " He had spent three hours in Paris hustling the Prefecture , and had returned from there imbued with the idea , possibly inspired by a weary French official , that the true clue to the mystery was to be found in Ireland . The lives of several Scotland Yard men had been made incredibly difficult by the young man . entailment +yeah it was a mandatory and then you had to take a test that showed you had a certain knowledge of state government and state service and they did offer actually certain types of public service internships that i think is a very good idea that that 's mandatory It should be mandatory to learn about and do public service . entailment +They find it ironic and poignant that someone capable of conceiving of a nuanced theory of rationality could descend into madness ( Robert Boynton , Newsday ) . ( Jim Holt reviews A Beautiful Mind in Slate . ) The human mind is not capable of going mad . contradictory +The award says a lot about the legal profession , that it places such a high honor on pro bono service , she said , adding that it also says a lot about the Delaware Bar , which nominated her . She was humble to be considered for the award . neutral +Sometimes it was too small , and sometimes too big , and sometimes not in the right place . It was always the right size and at the right place . contradictory +Auditors could , for example , compare expected to actual usages of hardware resources in order to identify emerging computer capacity problems . Auditors may possibly compare expected usage to actual usage in order to identify potential capacity issues in the future . entailment +The brehon laws gave women a high status they could own property , divorce , and even enter the professions . Women were able to divorce under the brehon laws . entailment +i 've got two and it is hard to find day care for them It 's difficult to find day care for both of them . entailment +I also hope that the oxymoron will remind me to include applause as well as condemnation in my dispatches . Oxymorons make the world go round . contradictory +You were on a hill . You were in a gulley . contradictory +The cathedral 's interior is a vast and noble space divided by 52 columns , showing its North European influence in the soaring columns and a decoration of stained-glass windows , from the 15th century to the present day . The columns were designed by a team of German architects . neutral +Susan Muska and Greta Olafsdottir , who made the 1998 documentary The Brandon Teena Story , say Lana was adamant that she wasn 't there . The Brandon Teena Story was made by two female documentarians . entailment +'Now , there 's another matter . That was the same thing . contradictory +Garry Kasparov writes an article requesting a 10-game , winner-take-all rematch with Deep Blue . Garry Kasparov wrote and article about a 10 game . entailment +Projected growth in Medicare reflects the escalation of health care costs at rates well exceeding general rates of inflation . Health care costs are exceeding the general rates of inflation . entailment +Most important , with the first primaries still months away , the Gore campaign hasn 't advertised much to bring newcomers to the site . The Gore campaign didn 't advertise much online . entailment +For example , one agency representative said that DOT 's docket management system could not simply be replicated at HHS or USDA because of differences in the degree of management centralization and independence afforded the departments ' constituent agencies . There are differences in the agencies of the DOT and those of HHS and USDA . entailment +The temple complex quickly became Kyoto 's main center of Shingon Buddhism , which it remains today . The temple complex became Kytoto 's main center . entailment +Near this building is the old CityHall , at Lebuh Pasar Besar , which now houses the Textile Museum . The Textile Museum is located in the current City Hall . contradictory +Republicans hope to attract black voters with the issue . Republicans expect to draw in black voter with the issue . entailment +Bush , have significantly reduced air pollution , especially through the innovative cap-and trade acid rain control program . Air pollution has gone down nearly 30 % this year . neutral +Tell is essentially about the past--Clinton 's economic success vs. Tell is a story about the future contradictory +You say that it 's not important who asked the question . You feel it is not important who asked the inappropriate question neutral +The spring water is alkaline and crystal clear , and good for stomach ailments , the lungs , and the nervous system . The spring water will help with a sore stomach . entailment +We had a good program , Peck said . I really like our program , Peck said . neutral +More NATO formally admitted Poland , Hungary , and the Czech Republic . The United States successfully pressured its allies to postpone a similar decision on Romania and Slovenia until 1999 . NATO seeks to admit more countries next year . neutral +There are many different establishments to choose from , each with its own clientele and style . The establishments all have the same style . contradictory +The Church reinforced the Holy Office 's Inquisition and the Index to censor the arts . The church never existed . contradictory +The first palace at Knosses was built around 2000 b.c. in the Old Palace era , but this was destroyed by a massive earthquake only 300 years later . Archaeologists discovered remnants of the first palace several years ago and deduced that an earthquake toppled it . neutral +But Kazin liked to argue ; it was a way of working off grievances , improving one 's mental circulation . Kazin hated to argue , he saw it deteriorate one 's mental circulation . contradictory +From its western shore you can gain access to Scale Force , at 60 m ( 170 ft ) the highest waterfall in the Lake District . Scale Force is one of the largest waterfalls in the country . neutral +we had a personal experience with something like that it wasn 't didn 't go as far as murder but this this girl young girl had uh she had gotten hold of a gun and she came around to the office where my wife worked and she was she had this mental problem with uh with a doctor she works for him and uh he was she was just after him you know and the cops pick her up The girl tried to shoot the man she was after . neutral +We should seek to achieve the most good or benefit , with the least harm and destruction of things that we value , he argued . He is a very devoted climate change activist . neutral +and it 's uh oh it 's just i don 't know it 's a it 's a total free relaxation because hey you can do what you want you 're a female and no one is staring at anybody else or worrying about what anything else is doing You are a woman and no one is gawking at others . entailment +But , oh , Tommy , I do like things to happen quickly . She is ready to get with Tommy . neutral +well um most of the stuff up until now in the recent months i i i don 't have any problem with I have always complained about everything since the beginning . contradictory +The National Academy of Sciences , in their report on research priorities for PM ( NAS , 1998 ) , indicates that there is a great deal of uncertainty about the implications of the findings [ of an association between PM and premature mortality ] for risk management , due to the limited scientific information about the specific types of particles that might cause adverse health effects , the contributions of particles of outdoor origin to actual human exposures , the toxicological mechanisms by which the particles might cause adverse health effects , and other important questions . The National Academy of Sciences reported on research priorities for PM , saying that they needed to study human health effects . neutral +In those days l 'universit ? ? meant merely a collection of people ' students who met on a street corner , or in a public square or courtyard , to hear a teacher lecture from a bench , or from an upstairs window or balcony . L 'Université simply referred to collection of people in the past . entailment +She built a shack of deadwood in the wizards ' district and soon new rumors spread that she was a witch , a fortune teller , an alchemist , and a sage . She didn 't know how to build a shack . contradictory +no we haven 't um Yes we have . contradictory +Since alcohol interventions in the ED cut across different disciplines , the peer-review group should embrace multiple perspectives . Alcohol interventions in the ED involve many disciplines . neutral +This question is too hard . This is too difficult of a question . entailment +The charming medieval and Renaissance center around the cathedral has been renovated and is now reserved for pedestrians . Pedestrians are discouraged from walking around the cathedral . contradictory +The constitution was not restored until February 1971 . The constitution remained the same throughout the 70 's but was restored in 1982 . contradictory +Now that the background material he sent to Congress has been released , the press has become interested in whether Linda Tripp doctored her tapes and whether Starr 's agents and prosecutors improperly detained Lewinsky or misrepresented their treatment of her in the Jan. Linda Tripp may have also gone to prison . neutral +Arriaga next to the tourism office . Arriaga is located next to the super market . contradictory +Since 1998 , LSC has restructured legal services programs in 24 states , and the number of LSC grant recipients has decreased from 269 in 1997 , to 167 anticipated grantees ( Basic Field and Native American grants ) in calendar year 2002 . LSC has decreased its grants since 1997 . entailment +should address . Must talk about a certain point . neutral +I firmly believe these protocols will help to ensure the consistency , fairness , and effectiveness of GAO 's interactions with the agencies and thereby enable GAO to better serve the Congress and the American people . I think that method will help do nothing to ensure how fair GAO is towards the agencies . contradictory +Planned originally in 1863 as a synagogue and for many years the world 's tallest building , it 's now a beloved city icon used for exhibitions and elevator trips to its panoramic terrace . No one has ever seen the view from the terrace . contradictory +This capital city of four million is constantly rattled by noise and stifled by dense traffic . At peak hours , the citizens struggle to keep their calm in the dense traffic . neutral +Was it after that that Whittington handed you over the money , and told you to come the following day ? " Tuppence nodded . Was it after Whittington handed you the money ? entailment +Even if you have a Japan Railpass , we suggest that you invest in the all-inclusive Hakone Free Pass offered by the Odakyu Railway . We do not suggest you invest in the Hakone Free Pass . contradictory +upper and lower yeah right Not really any other area . neutral +'Uh , I think maybe I 'll get something to eat and we can do this later- ' I started to babble , stepping out of the bath . I got out of the bath while I was babbling . entailment +For example , GAO has taken significant steps to consolidate its field office structure . The GAO field office structure is being consolidated now . entailment +I just caught the train . I made it to the train just in time . entailment +Examples include routes along Wrynose bottom , around Wast Water , the path along the stream bed at Watendlath , or the course around Blea Tarn in the Langdale Fells ; the latter two routes are especially beautiful . Most people find the Wrynose Bottom routes to be the most accessible . neutral +That is also the name of Johnson 's recent book--a 175-page tract that pleads for still more subsidies while cloaking itself in high-mindedness . Johnson does not write . contradictory +I found : first , a fragment of green material ; second , a stain on the carpet near the window , still damp ; thirdly , an empty box of bromide powders . I did not find anything of significance . contradictory +Simple brick homes stand row upon row and archaeologists found a wealth of everyday artifacts from cooking utensils to work tools , painting a vivid picture of the ancients ' activities . Archaeologists discovered a large number of artifacts , including work tools and cooking utensils . entailment +yeah a lot of kids kids and the cousins really get along with each other they 're all young they 're all i It 's nice , because we can just send them off to go play for hours . neutral +Another approach is to have injection downstream of an ESP , which would collect most of the coal fly ash , and upstream of a fabric filter ( FF ) , which would mostly capture sorbent . A fabric filter would largely capture sorbent while an ESP collects a majority of the coal fly ash . entailment +as you whip it over your head or side to side You whip it over your head . entailment +Well , don 't let him have too much of it . He will ask for much more . neutral +But who said you were a man , Dave Hanson ? Dave Hanson was not a man . contradictory +Hear what ? Say what ? contradictory +Where is art ? Where is the book ? contradictory +Dublin 's importance grew dramatically as the city became the center of social and business life in Ireland . Irish social and business life began to center on Dublin . entailment +His expression indicated he 'd been aware of me the entire time . I seemed to have startled him , he was not aware of me at all . contradictory +Hunting for live prey is still an important part of country life , but less popular than in John Peel 's day . In John Peel 's day , everybody hunted for live prey . neutral +To determine the best of the available screens , a multi-center trial with a broad demographic mix and a large number of patients subjected to different screens is needed . A multi-center trial will cost the business millions of dollars . neutral +i think we looked at besides just you know what salary you would be having having now but when when could uh your salary increase and We found that salaries were not increasing at a sufficient rate . neutral +When Israel began constructing apartment buildings in Arab East Jerusalem last March , PA security stopped relaying intelligence about the operations of Hamas ' terrorist wing . Arab East Jerusalem has over a hundred apartment buildings . neutral +Granted , there exists , in the form of a rich language and history , what Huntington would call a core Sinic civilization . Huntington called it a cynical civilization . contradictory +A town of fools , said Adrin . Toronto is a town of fools , said Adrin . neutral +Archaeologists today are working to uncover Hong Kong 's past , which stretches back thousands of years . Nobody is looking into Hong Kong 's past . contradictory +How does one tell foresight from fear ? How can you determine what is fear and what is something else ? entailment +and as far as i 'm concerned you know hey twenty bucks a year is not too much to me and they could raise a few more dollars and get better uh things for the schools that 's what we need because we got you know Texas is known for it 's poor schools and that 's too bad because we got little kids and we 're uh not too pleased about that Texas has a lot of poor schools in it . neutral +The Knights used their considerable military might to then assume control of the very territory they had helped defend , capturing Gdansk , securing most of the Baltic region and cutting off the rest of Poland from access to the sea . The Knights believed that their goal was justified , however they would succumb to infighting . neutral +The Nation ' s Katha Pollitt takes Putnam 's very example , the shift from league bowling to ad hoc bowling , and suggests that [ that ] story could be told as one of happy progress from a drink-sodden night of spouse-avoidance with the same old faces from work to temperate and spontaneous fun with one 's intimate friends and family . Putnam took the example of changing the tone of the story from Katha Pollitt . contradictory +Short-sighted . I had a 10 year plan . contradictory +I can 't stand here on this ladder all day long . I won 't be able to stand here all day because my back already hurts . neutral +part time and so uh that it 's kind of a seasonal thing three times a year she 's really busy doing certain things based on that kind of business but the rest of the time she 's free She 's free all year round and doesn 't do any work . contradictory +and today was my thesis defense and i passed I didn 't think I would pass my thesis defense but I did . neutral +These AUs , usually identified by the facial muscles that perform these various tasks , are the tools used in What the Face Reveals . ( To look at a few examples , click here and here . ) To see some examples of these AUs , click here and here . entailment +As you head out of Funchal , the village of Santo da Serra can also be reached via Camacha or from the Poiso crose ­ roads . You cannot reach the village of Santo da Serra by Camacha or the Poiso crossroads . contradictory +The floating steel-and-concrete jetties and pontoons , hauled across the English Channel , were the only way of unloading tanks and heavy artillery on a coastline ( Gold Beach ) without natural harbors . Pontoons were used to transport and unload artillery and tanks . entailment +Could the strychnine have been administered in that ? " Is it possible the drug was delivered by that method ? entailment +But does that mean that we face a repeat of the dark years of soup kitchens and brownshirts leading up to world war ? Does that mean we 're going to return to prosperity , like before the world war ? contradictory +yeah it from from what i can tell if they had gotten into it it would have started a whole new war They had decided not to join in for fear of starting yet another war . neutral +Theirs is now the dominant right-wing critique of integrationist programs . Integrationist programs now criticize right wing politics . entailment +Tysons Corner assures users that it employs sophisticated technology to safeguard online transactions . ... Tysons Corner hired a lot of people to set up their sophisticated technology . neutral +Typical configuration is shown in Figure 2-1 . Figure 2-2 shows atypical configurations . neutral +'I asked you to resurrect the Presidents . The presidents were supposed to stay dead . contradictory +I have no soul . " " We call , " Bork answered . My soul was sold long ago . neutral +but it wasn 't a real problem It was annoying , but I dealt with it . neutral +Ca 'daan had affixed the leather blinders his uncle had given him and across they went . Ca 'daan had been given a lot of gifts by his uncle . neutral +Several people at one time can sit inside and watch the city at work . More than one person at a time can sit inside . entailment +Legal services programs have been strengthened by offering a wide range of services , including self-help clinics and hotlines and working relationships with social services agencies to meet all of a client 's needs . Legal services programs have been strengthened by offering a reduced range of services . contradictory +The lighter Sai Routha reversed the grip on one of his swords , took a relaxed stance , and crossed the swords in front of him . Sai Roughta relaxed with his swords . entailment +Only a small part of their city has been excavated for fear that further work may cause the whole town to collapse . Even though the small part has been excavated , inhabitants were protesting day and night . neutral +Wonder what they 's doin ' , hittin ' town now . Wonder what they are getting up to in the town center now . neutral +and by doing so they 're not obligated to anybody They do not have any obligations to anyone . entailment +traveling that path with the current 126 petitions and NOx SIP Call believe it will eventually take us to our environmental goal , it has been -- and still is -- a very rocky road for industry , environmentalists , the states , EPA and other stakeholders . Many of the stakeholders involved are experiencing turbulence in attempting to meet our environmental goal . entailment +It now serves just the Government of West Bengal , but with an undiminished number of babus . The only thing it serves is the Government of West Bengal . entailment +The landscape of the eastern peninsula , known as the Ponta de Sao Lourenco , is more like Porto Santo and the Ilhas Desertas than Madeira . The landscape in Ponta de Sao Lourenco is much like Madeira . contradictory +She had feigned an attack with barely more than her eyes . She pretended that things were fine . contradictory +, Goodwin ) argue that Roosevelt spawned the civil rights and feminist movements by putting everyone to work regardless of race or gender . Roosevelt forestalled the feminist movement by making women stay at home . contradictory +Building shell efficiencies in scenario B are assumed to improve by about 50 percent faster than in scenario A. Scenario A is more optimized than scenario B. contradictory +Little physical damage was inflicted , but the psychological effect was significant . The significant psychological effect was generally considered to be an improvement . neutral +Even our noble Saudi allies aren 't willing to lend us their air bases . Our Saudi allies aren 't willing to lend to us bases entailment +Rather , she romanticizes the secular . Instead she goes for the secular . entailment +The head engineer took off in the one we finished . The one we finished was the one the head engineer took off in . entailment +USAT , the LAT , and the NYT all go front page with the news that choke-out thug Latrell Sprewell was given his gazillion dollar contract back by an arbitrator . Sprewell lost in arbitration and was kicked out of the league . contradictory +No fewer than eleven years passed before the next major Arab-Israeli conflict flared . It only took two years before a major conflict came to be between Arabians and Israel . contradictory +The success of these unsportsmanlike tactics was immediate . The tactics involved throwing sand into the eyes of the other team 's players . neutral +Also in the palace is a fascinating Mus ? ? e de la Voiture . It costs 20 euros to get into the museum in the palace . neutral +I know a place you can go . You should go to China . neutral +For example , the web page for OSHA 's proposed ergonomics rule provides full transcripts of its public hearings and copies of both its health effects and economic analyses for the rule , including the expected effects on small businesses and other small entities . Full transcripts of public hearings are provided by OSHA on their webpage , accessible by a computer or tablet with an internet connection . entailment +Although estimates as to when this point will be reached vary depending on several assumptions , most analysts agree that it could occur within the decade ; estimates range from the Congressional Budget Office 's ( CBO ) January 2001 estimate of 2006 to the Office of Management and Budget 's March 2001 estimate of 2008 . the Office of Management and Budget 's estimate is correct neutral +What makes a kid go sour ? Kells asked of the shadows beyond rather than of Drew . What makes the wine go sour ? contradictory +Data suggest that few patients comply with a simple referral to seek treatment after emergency department discharge . Data shows that most patients don 't try to get a referral after being in the emergency room . entailment +no uh in the particular incidence that i was aware of now TI wasn 't the only ones in there Playtex was in there was uh several other companies and uh I can find out the other names of the companies in there Playtex neutral +uh but i you know like i said that 's that 's probably so price really i guess does have a lot to do with it i hadn 't even really considered that before price has more to do with the final outcome than i realized entailment +'Always gets the job done . The job always gets done . entailment +If a lot of these value-conscious , knowledgeable customers are there , then chances are you 've found the right place to get a satisfying meal no matter what the official rating is . You know you 're in the right place if you find knowledgeable customers there . entailment +i agree and and uh uh i also think we extend too much help to other uh countries we need enough help here in this country We should focus on our country , not fixing every other country . neutral +Fox President and CEO Rich Cronin called this separate-but-equal programming an effort to superserve children , adding , We will not stereotype in any way . Rich Cronin is the President and CEO of Fox . entailment +Prototypes are developed or modified as part of the second phase . The phase shows no prototype contradictory +wow what is the tax structure like up there how much a thousand I heard that you do not have taxes up there ? contradictory +It is estimated that there is also enough SCR catalyst capacity to supply this market . There is not enough capacity to supply this market . contradictory +In the background , local bands were providing local music . There was no music . contradictory +And , it would grow to perhaps three or four times its current complement of 55 bodies . It will retain its current number of 55 bodies . contradictory +Poland ceased to exist its very name was abolished by treaty for the next 123 years . Poland came back into existence because of a war . neutral +yeah that would not be fun That doesn 't sound too fun . entailment +Their panic is reminiscent of the moral defenses of painting that were worked up when photography began to look like a threat . Similar arguments have been made about the internet being a threat to TV . neutral +and so as as and the people in the country don 't want as much as the people in the city Country people want more than city folk do . contradictory +well it 's been my pleasure uh Gina Gina is that with a G It has been my pleasure , Gina , is that with a G ? entailment +The designation of the name came about after the land west of the Jordan River was annexed by Jordan in 1950 . The Jordan river was named after a random guy named Jordan . contradictory +yeah i had fun rooting against them it was I had fun cheering for them contradictory +One of his brill snorted loudly as Ca 'daan cut Whitebelly from the brill pack . Ca 'daan set Whitebelly free . entailment +They 're just so much fun . They are not fun at all . contradictory +No , he 's washed up . He is washed up , so no . entailment +and he 's their head chauffeur is this funny as they 're parking the cars the valet service They 're parking the cars in the guarded parking lot . neutral +It was the best night of my life . Tonight absolutely blew ! contradictory +But this becomes harder and harder for GAO to do as the demands for our work increase-requests and mandates already represent 95 percent of our total workload . Requests and mandates have decreased at the GAO and are now less than 10 % of our total workload . contradictory +Critics say Mendes improves upon the 1972 film version of the musical , which starred Liza Minnelli , by rendering it dark and raunchy . The 1972 film version of the musical was deemed as less raunchy by critics . entailment +Surely not . There are other factors to consider . neutral +Although lifeguards are rare , larger beaches do have first-aid stations . Only the biggest beaches have safety stations . neutral +yeah i have two small children so i started to you know have them enrolled like in soccer and things like that i tend to be more of a spectator these days than participating I have three kids who don 't do anything . contradictory +Two years later , at nearby Ryosenji temple , negotiations resulted in the first US Japan Treaty of Amity and Commerce . The first US Japan Treaty of Amity and Commerce came about from negotiations at Ryosenji temple , the setting went a long way to build good will and mutual respect between the ambassadors of both countries . neutral +Its emphasis on acquisitiveness annoys parents who find themselves buying pack after pack of new cards . Most parents only buy their children five new packs of cards a month . neutral +yeah huh well that almighty dollar Well , that omnipotent dollar entailment +the um i 'll go back in time a little bit to about eighty one I 'd fo to the future . contradictory +We all know people who are essentially hotblooded , or melancholy ( which literally means black bile ) , or phlegmatic , or who view the world with a jaundiced eye . There are usually 5-6 different things people have an outlook on and stick with their values . neutral +And the years went on . Time stood still . contradictory +thinking he could um work under those I think he could work under those conditions . neutral +I 'm sorry , but the only earnings that count come from the audience . All money counts , except that received from audience members . contradictory +7The Budget and Economic Fiscal Years 2002-2011 , Congressional Budget Office ( January 2001 ) . The budget and economic fiscal years were years where economic problems had to be solved . neutral +Legend has it that treasure lies buried hereabouts , hidden away by a French buccaneer called Montbars the Exterminator . There was a legendary French pirate called Montbars the Exterminator . entailment +Social Security reform-depending on the elements of the reform package and the timing of implementation-could foster saving and One potential option to reform Social Security would be to being producing Soylant brand food . neutral +It moves Krauthammer to wonder , Who the hell does she think she is [ not to testify because ] she doesn 't like her prosecutor ? Krauthammer wondered why she testified in the first place . contradictory +Teenagers might like to join the open-air disco hordes at Harajuku , near Yoyogi Park . The disco at Harajuku is done indoors . contradictory +You don 't talk the same language ! The person is trying to speak Spanish . neutral +articles in about half a second . articles in half an hour . contradictory +The Commission held hearings ( 1 ) Duke University Law School , Durham , North Carolina on March 27 , 1999 ; and ( 2 ) Stanford University , Stanford , California on April 10 , 1999 . The Commission held two separate hearings at different times and places but the same year . entailment +The sultan was bathed by elderly female servants , then dried and pampered by groups of younger handmaidens . Neither the older or younger women enjoyed attending to the Sultan . neutral +and and just all the way back to Dallas i 'm just uproariously sick and uh we get back here and of course the first day back at work i go to work and where are these guys When I get back to work there are these penguins there . contradictory +Its Gothic cathedral dominates a charming old town ( vieille ville ) of medieval and Renaissance houses on Rue Saint-Martin , Rue Saint-Malo , and Rue Bourbesneur . Vieille Ville is one of the newest towns around . contradictory +BMAST takes 5 to 12 minutes to administer and performs nearly as well as the longer version . The BMAST takes at least two hours to complete and is entirely accurate . contradictory +Once the RFP is developed , it may be released in draft form in order to obtain industry questions and reactions . The RFP may not be released in draft form after development for any reason . contradictory +Visitors can stand in the dry bed of the old moat , traverse imaginative gangways over the encroaching river ( the Poddle , not the Liffey ) , and view the stairs where boats once brought provisions to the castle . The moat was used for self defense only and served no other purpose . contradictory +When Lake Nasser threatened to flood the complex in the 1970s , engineers had the unenviable task of formulating a plan to save it and this they did with consummate skill . The engineers didn 't even try t stop the flood , they ran away in fear . contradictory +yeah yeah that 's that 's been interesting though the kids that have been over you know coming back right now you know The kids are coming back from vacation , and that makes it interesting . neutral +right uh-huh yeah it works you bet yeah Yeah it works . entailment +yeah i i pulled for them for the sole reason because i didn 't want 49ers to win I am a big fan of the other team . neutral +Adrin 's own sword moved just as fast , parrying and dodging every attack . Adrin 's sword moved slowly as he was stabbed over and over again . contradictory +A bit of shadowing , maybe , or such like ? " Tuppence affected to consider , then shook her head . Tuppence considered the tactic briefly , and then refused before jumping up . neutral +Projections based on the intermediate assumptions of the 2001 OASDI and HI Trustees ' reports . I made up these projections based on what I want to happen . contradictory +my husband has one for to for uh for business it 's a company card but he 's never had to use it so we don 't get any get any get anything uh for it My husband may need to use his company credit card in the future . neutral +( DiGenova says it has since issued five subpoenas and has a hearing scheduled for late next month . ) DiGenova says an issue of five subpoenas had been had . entailment +Nearby , the church cloister , Clo ? ® tre Saint-Trophime , with its beautiful sculpted capitals on the pillars , is a haven of peace . There is a haven of peace within the church cloister . entailment +Though much smaller than Hong Kong Island , Kowloon has almost twice the population . Kowloon has nearly double the population as Hong Kong Island . entailment +Probably founded by the Indo-Aryans around 1000 b.c. , the city was established from earliest times as a famous seat of learning for Hindu thinkers , theologians , philosophers , and poets alike . This city has existed for about 2000 years . contradictory +yeah but if you can get a good deal you know if you can save five thousand dollars five thousand dollars buys a lot of tires It 's not worth investing those five thousand dollars in more tires . contradictory +Lawrence comes to mind ) , Spencer ended up as a poet of sexual gloom , especially in the two pitiless double portraits of naked Stanley and naked Patricia painted in 1936 and 1937 . Spencer painted in the 1820 's . contradictory +Shalit argues that when you walk down the street you can tell the virgins by their fresh , healthful glow . Shalit argues that walking down a street you cannot tell the virgins by their fresh glow . contradictory +'Hello , Ben . ' Goodbye , Ben . contradictory +It is for sound business reasons that Federal Express and United Parcel Service provide universal delivery service . Universal service was written into the Constituation , which is why both FedEx and the USPS provide it . contradictory +Is it important to find out who he was ? " Is finding out his identity really all that important ? entailment +It depends on the civilization you 'd care to malign . Every civilization has the potential the be maligned . neutral +E-books may converge with other handheld devices . Ebooks may work with other handheld devices entailment +Given events , he 's beginning to think you might be a corrupt copy- and even if you 're not , you 're fast on the road to becoming a nuisance . ' He thinks you 're very helpful . contradictory +yeah it 's an electric just a little electric pump motor that uh turns on and off you know builds up pressure so that it you know it kind of pushes the paint up this uh up the extension The pump has a simple electric motor to build pressure . entailment +This is National Enquirer journalism , Barnes said of Kelley 's book . Her book was a best seller . neutral +You did not hear the table fall ? You heard the table fall , correct ? contradictory +But I am instinctively skeptical that many customers are as fanatically loyal as my colleague 's wife . I am instinctively skeptical that many customers are as fanatically loyal as my colleague 's wife because she only buys from that one company . neutral +He can help us if we need him . He is willing to assist us . entailment +Ask the dealer to explain the symbols on any carpet you are thinking of buying . You could ask the dealer for information about the symbols on the carpets . entailment +The interim final rules contain information collections subject to review and approval by the Office of Management and Budget under the Paperwork Reduction Act . The Office of Management and Budget reviews reviews the information in the interim rules . entailment +5 percent of GDP compared to today 's 3.5 percent . The percent of GDP rose from 3.5 to 5 percent in the present . contradictory +Families can be removed for drug use by one member , whether the drug activity is in the home or somewhere else . Families can only be removed if they are all participating in drug use . contradictory +He finished reloading and turned around the corner . He decided not to reload his gun and continued on the straight path home . contradictory +uh either San Francisco or Miami You can find that type of bacon in either San Fran or Miami . neutral +really how 'd you hear oh we 're not even supposed to be talking about this though are we This isn 't something that we should be speaking about . entailment +it takes takes him a lot less time because even though he does have to do it every four or five days um since he doesn 't have to bag all of those clippings you know it rather than taking i don 't know as an example an hour and a half to do the whole lawn it only takes an hour He still has to bag all those clippings contradictory +It seems to me that , at times , critics of Commission recommendations tend to take lightly the considerations embodied in 39 USC 3622 ( b ) ( 3 ) and ( 6 ) . I think they should reconsider their criticism . neutral +everybody is wanting to go on and and get the sentence done and if you 're trying to hold out you know there 's so much pressure on you and you 've got to come up with a decision A decision had to be reached before the end of the day . neutral +As a bonus , a cap would bring the income tax closer to being equitable , in the true sense of the word . The income tax would be more equitable with a cap . entailment +Now tell me , what is that initial ” J. An initial ' R ' . contradictory +so exactly and that 's um when you start making when you start paying your wages you know Jerry takes a different outlook towards you guys Jerry likes you a lot more . neutral +The former does seem to explain the latter . The former still doesn 't explain the latter . contradictory +okay yeah okay well if you 're ever in uh DC can look up Wayne Sherman you 'll say oh yeah talked to that guy okay You really want to look up Wayne Sherman . neutral +Not surprisingly , an Indian tribe , the Umatilla , has already demanded that the bones be reburied as if they were ancient native relics , and federal law backs them up . An Indian tribe has made a demand in accordance with federal law . entailment +Yoritomo 's piety bought him a little more time to enjoy his success ; he was 52 when he was thrown by a horse and died of his injuries . The horse that killed Yoritomo had been spooked . neutral +Further empirical work along these lines might be difficult . The empirical work is quite tough to continue . neutral +And your story , little lady , confirms my idea . Your story goes against everything I believe in . contradictory +In a town where the fast lane is the norm and Hollywood isn 't a place but a state of being , you can 't help feeling part of something exciting and unpredictable . The fast pace of the Hollywood lifestyle is it 's most defining characteristic . neutral +Several of the agency representatives also questioned whether moving toward a standard , electronic system would enhance public participation , either in terms of the number of comments submitted or the quality of those comments , or would improve the quality of the rule under consideration . There were questions from agency reps about whether public engagement would go up under an electronic system . entailment +Museo Lizaro Galdiano ( c / Serrano , 122 ) is an astonishingly wide-ranging and priceless private collection . The private collection is very valuable and covers many topics . entailment +Should he try and then fail , Beijing will conclude that it is dealing with a weak administration . Beijing has a weak administration . neutral +yeah but um so what Only a few people care about that . neutral +He made a grimace . He grimaced in pain . neutral +I have no idea . I don 't know anything about the painting . neutral +Tiered reporting that would provide expanded optional assurances was suggested . Tiered reporting is used in many other areas when optional assurances are required . neutral +Do you think the collision was an accident , or done deliberately ? Do you think they had planned the collision all along ? neutral +Top management must be totally committed in both words and actions to changing the culture , and this commitment must be sustained and demonstrated to staff . Top management must have a continuous , and complete , commitment to culture change demonstrated through words and actions . entailment +And when a pair of Allied soldiers , fresh from witnessing their buddies being blown to bits , shot several pleading Germans rather than take them prisoner , I didn 't applaud the act , but I didn 't feel much like grieving , either . I wasn 't expecting to grieve after witnessing the act . neutral +The Alliance won 51 of 52 seats in the 1955 election on a platform promising an equitable multiracial constitution . The proposed constitution was the first multiracial and equitable one of its kind . neutral +In 1930 , the poet Muhammad Iqbal proposed a separate Muslim homeland in the northwest of India . Muhammad Iqbal did not support setting up a Muslim homeland in India . contradictory +As I stated earlier , it could take 5 to 10 years to fully implement this reorganization in an effective and sustainable manner . It will only take 2 years to effectively implement . contradictory +Equally lacking in wisdom , however , are analyses such as Allen 's , which only evaluate taxes ' macroeconomic consequences while ignoring completely the effects they have on individuals . Allen evaluates taxes ' consequences on the local economy . neutral +Richards , now 64 and a successful pediatric ophthalmologist , advises other men who want , as she did , to change genders in middle age not to do it , according to the Star . You better get on Thorazine or Zoloft or Prozac , she advises . Richards did not have a positive experience changing genders . neutral +not not really interested no Even though it sounds nice , I am not interested . neutral +right you 'd think that that would be the first thing they would do as far as the yard goes is to plant a tree You would think that planting trees would be the first thing they did in their yards . entailment +Daniel Hungerford noted that there are operational realities in the emergency department that must be considered in order to implement interventions . Daniel Hungerford pointed out that interventions cannot be implemented in the emergency department . contradictory +It makes me home-sick . " It makes me want to take the first bus home . neutral +Themes , in turn , can be analyzed within individual sites first , then findings on each theme aggregated across sites . Analysis based on each theme aggregated across sites , however , is drastically more effective . neutral +The museum mounts special exhibitions and has an excellent gift shop . The museum doesn 't allow for any deviations in their displays . contradictory +Chicago 's playing really good ball with Michael Jordan Chicago 's playing really great with Michael Jordan entailment +Influences on achievement of sufficient procedures likely to be many , including the state of the art of detection technologies , number and militancy of potential threats to security , and the willingness of passengers , airline personnel , and airport personnel to accept different costs and forms of protection These changes to risk factors facing air travel security are only going to be exacerbated in the administration 's coming years . neutral +And , actually , Goodall 's own data , as synthesized in her magnum opus The Chimpanzees of Gombe , also support the idea that males fight over access to fertile females . Goodall also studied birds in Gombe . neutral +we have a woman mayor We have a female in office and she 's been the mayor for 3 years . neutral +but there are just so many tints upon tints upon tints and you don 't know what you to want to put up there and by the time it 's on i i selected a what i thought was white and it was like you said you know it was blue blue cast to it and it looked awful on There weren 't ' any cross over looking colors . contradictory +No woman could act her part with that icy unconcern . Every woman could act their part even with an icy unconcern . contradictory +uh-huh right it turned out to be uh uh an invitation It turned out to be a birthday party invitation . neutral +All this is sage advice--for couples , for families , for bosses and employees , maybe even for book reviewers . Couples who read this book experience immediate benefits to their relationships . neutral +I loved leafleting when I was in college , handing out flyers to passers-by . I never got into leafleting . contradictory +" Anse , " he asked , " why would anyone hide a trunk in a cave ? " " Might depend on what was in it , " the Texan replied promptly . The Texan answered since he knew the secret of the cave . neutral +After tossing off the shackles of Franco 's long dictatorship that isolated Spain from the rest of Europe , Madrid erupted from the closet , embracing a frenetic arts and nightlife scene called la movida in the early 1980s . La movida is the name of a nightlife scene that took hold of madrid in the 1980s . entailment +The cover had been designed , the catalog copy written . Work had been done on the cover and catalog copy . entailment +and it 's like i said at our expense Keeping murderers alive in prison for the rest of their lives is at our expense . neutral +they their attire is always the same you know suits or slacks you know jeans whatever and um but i 'm really the only woman i guess at work that does that but seems to work for me in fact i just bought or i just got a new outfit as a gift that um I prefer to be well dressed at work . entailment +'For religious reasons . ' Because of what my religion says . entailment +Software Size This indicator records changes in the expected magnitude of the software development effort . They indicate if the amount stays the same . contradictory +Even for a mammoth like ATandT , the economics of going local are close to prohibitive , because the local loop is the most expensive part of the entire system to build and operate . Even for large corporations like AT & T , going into the local market can be too expensive . entailment +A moment . A moment . entailment +Right on the corner is the Moulin Rouge , still staging its nightly cabarets , mostly to package tourists . Moulin Rouge is a popular attraction due to the movie . neutral +It usually costs 20 percent less to sit at the bar for a coffee or a drink than being served at a table . The service at the bar is also quicker than the tables . neutral +Some shrines display thousands of dolls brought by the faithful . The shrines refuse to display the dolls . contradictory +Close to airport and Doctor 's Cave Beach . They are very far from the airport . contradictory +Back in the modern part of town you come to the Kaiser Library . The Kaiser Library is located in the modern part of town . entailment +Prudie was inundated by lotsa mail on this subject . Prudie got a lot of mail about that from fans . neutral +Sheep wool is the most common and therefore the cheapest , followed by camel hair , which is exceptionally soft . Sheep wool is uncommon and more expensive than camel hair . contradictory +The fort , which held off a savage Dutch attack in 1674 , was known as Fort-Royal , later corrupted in Creole to Foyal . The fort was known as Fort-Royal . entailment +Delightful as the vineyards of Burgundy may be , the landscape and villages of certain other routes des vins may be considered prettier ' those of Alsace , for instance . The vineyards in Alsace are the most beautiful in Europe . neutral +If he is all that you say it would amuse me to try ! Based on what you have told me it would bring me no pleasure to try . contradictory +The White House packed its millennium party with tech leaders . The millennium party had no tech leaders , and several agriculture leaders . contradictory +Once again , it 's the teams playing in small markets that suffer , because they can 't command an audience big enough to attract big TV contracts . A team playing in a small market suffers because of a lack of big TV contracts . entailment +Given the differences in the types of cases handled by these two grantees , a simple cost-per-case analysis , without further definition , would yield meaningless data in terms of the comparative value of services provide by these two programs . There are no differences in the types of cases handled by these two grantees . contradictory +and as the years got on the tow trucks got better there easier and he went out and bought himself a flat bed one so he won 't have to do very much work and Tow trucks have not changed at all over the years . contradictory +The Centre Historique M ? ? di ? ? val is a good preparation for a tour of the site . You can tour The Centre Historique which can tell you all about the history of Paris . neutral +uh i couldn 't you you couldn 't do it otherwise You have to do it that way if you want to succeed neutral +She returned with a tray , containing the teapot and four cups . She 'd come back with tea for her guests . entailment +This intriguing glass structure nestled amidst the trees was created by Frank Lloyd Wright 's son as a memorial to the Swedish philosopher Emanuel Swedenborg . It was Frank Lloyd himself that created that glass structure nestled admist the trees . contradictory +San 'doro stabbed them deep , twisted , and then pulled apart in opposite directions . San 'doro stabbed them deep , and lingered for a moment , savoring the kill , before pulling his blades free . neutral +I should like to examine them . " I want to check them to make sure . neutral +Numerous comments were received regarding the proposed plan to convert microwave incumbents to secondary status when the relocation rules sunset in 2005 and thereafter , licensees would not be required to pay relocation costs after that date to such incumbents . After that date , licensees are not required to pay relocation costs . entailment +He was wrong , but not by too much . He was only slightly wrong . entailment +Henceforth , this column will refer to the show as This Week until either Donaldson or Roberts wins top billing . The column 's name for the show depends on Donaldson and Robert 's winning . entailment +The U.S. military will leave Bosnia at the end of this year . When this year ends , the US will order its military out of Bosnia . entailment +The wealth from the mines paid for many of the historical structures evident through the state . The lack of minerals in the mines is why there are no developments . contradictory +As previously noted , if no material variances occur , arrival and departure times and hours worked per day need not be recorded . There are many who think that this measure may not be good enough . neutral +The rules are very clear . There isn 't much confusion residing within the rules . entailment +The bridge was built in 1790 and widened until it was almost square in 1880 . The construction date of the bridge was in 1790 . entailment +And in its independent review of the Clinton plan , health-care consulting firm Lewin-VHI noted that the act attempts to slow the growth in public and private health spending to the rate of growth in the CPI plus an allowance for population growth . Lewin-VHI saw the Clinton health plan addresses spending by the private hospitals . neutral +For now , is that we start with Nike and Reebok and let Converse off with a stern warning , since Dennis Rodman is its first major offense . There will be no more offenses . neutral +Meanwhile , the phone calls persist from solicitors hoping to refinance the Ledfords ' home again . The solicitors are determined to get business from the Ledfords . neutral +But instead of achieving power and domination , I suffered a mammoth blow to my junkie ego . I have all the power anyone could ask for . contradictory +That is recognized by every decent man in Arizona . There are decent men in Arizona . entailment +that 's uh kind of depressing to see all that Kind of depressing to see all that people killing themselves neutral +The return of hundreds of thousands of destitute Palestinian refugees from camps in Lebanon and Jordan will only compound the economic misery . Palestinian refugees are mainly in camps in Jordan . neutral +I called her ' dear lady , ' a couple of times , because I felt it sounded authentic . I never said anything to her . contradictory +The slaves regrouped on new jobs , and Hanson found himself in a bunch of a dozen or so . The slaves did not need to be told to regroup . neutral +Very few of Dyson 's Silicon Valley CEO friends are nice , except maybe to her . The majority of Dyson 's Silicon Valley CEO friend is not nice , but we will never meet again . neutral +Montpellier is a good base for visits both south into Languedoc-Roussillon and east into the Camargue and Provence . Montpellier is to the east of the Camargue . contradictory +Susan said she would like to stay , " said Ca 'daan . Ca 'daan said that Susan would like to stay . entailment +Newsweek ' s cover story examines the convergence of science and religion . Newsweek said science is more popular than religion . neutral +He settled for soup . He settled for chicken noodle soup . neutral +Control can be fun . Control is undesirable . contradictory +She didn 't move for a long time and then nodded to him . She was frozen for thirty seconds , then slowly moved . neutral +oh yeah oh yeah i think you well if you every get to Dallas you can probably you know borrow you can go up there and get a space for the night for two bucks If you get to Dallas there won 't be any space left for you . contradictory +Government is not the solution . Government isn 't a solution . entailment +For instance , the test can catch when drugs cause slight fatigue or make it harder to enjoy life fully , as some heart medications can . The test has successfully caught a dozen side effects from one drug . neutral +Isaac 's case was one of government screw-ups , Morris said , recounting how Social Security shuffled his file from New Jersey to Baltimore and then Philadelphia before finally tracking it down . The government has never made mistakes . contradictory +Shenzhen is easy to reach the KCR commuter train runs throughout the day , the trip taking about 40 minutes . It takes a few hours to get to Shenzhen by train . contradictory +Tuppence removed herself speedily . Tuppence thought it was best if she left the situation as quickly as possible for her own safety . neutral +Right behind it is the Round Room , where in 1919 the Irish parliament adopted the Declaration of Independence . The Declaration of Independence was adopted by parliament in the Round Room . entailment +Overhype is , in its way , a strategically brilliant term . Overhype is not a real term . contradictory +Conrad had taken the key of the door , so he could expect little more assistance from Annette . Conrad had a crush on Annette . neutral +six hundred and after thirty thousand miles the head gasket went out The head gasket broke down after 30,000 miles . entailment +Presently , addresses are required on such pieces . Any parcel may be sent anonymously . contradictory +This Federated Laboratory concept guided ARL as it integrated the various management reforms . It was successful neutral +yeah there 's a lot there 's a lot of them the Afghanistan the Afghani uh carpets are nice too i mean you can 't tell the difference if you 're not an expert they are all nice i mean It 's hard to see the difference in Afghani carpets unless you 're an expert , but they 're all nice . entailment +1996 data promised by end of summer . In 1996 , the data was promised by the end of summer . entailment +Part of the torrent has moved into the local property market , raising prices by as much as 50 percent for prime residential blocks in the first half of this year . The price increase occurred in the second part of the year . contradictory +Joe Biden , D-Del . , betrayed the No , I don 't think we can negotiate with him--if you mean can we , in fact , work out something other than those minimal demands that were stated by NATO . They do think negotiation with him is possible . contradictory +This shift in emphasis from approval of individual transactions to evaluations of the adequacy of systems and the internal control environment has been reflected in law and in policy for numerous years . This shift has made a major impact on the way that people make transactions safely and securely . neutral +are you serious oh You 're definitely serious . contradictory +The man was silent but pointed . The man had many things on his mind . neutral +The benefits of a proposed regulation are then estimated as the difference in benefit outcomes ( e.g. The proposed regulation is estimated by benefit income differences . entailment +Through the competitive grants process , LSC evaluates an applicant 's capacity to provide effective and efficient high quality legal representation to eligible clients . LSC evaluates its applicants . entailment +On other questions as well , U.S. officials use fatalism and objective language to minimize American responsibility and rule out options . US officials choose their wording carefully . entailment +oh yeah they they they have uh like uh a guard with locks we 've been there once at night at Christmas she just went in last year The place is locked because of a string of recent burglaries . neutral +However , the original ceiling of Mary 's bedchamber is still in place . The original ceiling is still there . entailment +Where is the face sleekened by cheek bones transplanted from a high-school cheerleader kidnapped off the streets of Wichita , Kan . ? There was a high-school cheerleader kidnapped off the streets of Wichita , Kansas . entailment +and they can just dip it and they shell it as they eat it I would never serve it without removing the shell first . contradictory +you can 't do it on any machine a Mac or anything made You can 't do it on a Windows PC either . neutral +well you can you can but they 're expensive Those are really expensive . entailment +Writers and the Victorian Tourist Invasion The Invasion of Writers and the Victorian Tourist entailment +oh you don 't have time Yo don 't have a spare five hours . neutral +The giant Times can 't . They tried but failed . neutral +well the thing is the that a lot of those are like they 're set up through a bank or a savings and loan type thing It seems like a great many are set up through a bank loan . entailment +They thought they were God . They never believed they were god . contradictory +It was Jon 's pistols , Ca 'daan realized . Jon doesn 't own any guns , contradictory +The sign Grappillage Interdit means just what it says ' Don 't steal the grapes , referring even to those left hanging at the end of the harvest . The sign Grappillage Interdit was put up to deter the frequent thieves . neutral +But she would also realize that she couldn 't leave him while he was in the White House , in part because her tenure is co-terminal with his . She realized she couldn 't leave while he was still in office . entailment +An AP reporter spreads the latest unsubstantiated Monica had a breakdown last night and won 't be testifying . It 's true that Monica had a breakdown last night and has decided against appearing in court . contradictory +It was built in 1931 with contributions from overseas Chinese . Along with the overseas Chinese , the French also contributed to its building . neutral +If you want a model to determine how the orbits should be , we have the finest orrery ever built here in the camp . The orrery is over 100 feet tall and made of pure copper . neutral +Nighttime entertainment options differ greatly depending on where you are . Your location determines the nighttime entertainment options available . entailment +The final straw was surely the grotesque affair of Richard Herrnstein and Charles Murray 's The Bell Intelligence and Class Structure in American Life . This book came close to claiming that , given your genes , it makes no difference to your economic success whether you grew up in Scarsdale or the South Bronx . Herstein and Murray say genes are the most important factor in determining success . neutral +um-hum i think the problems that i see in the system uh are i i tend to see more in uh large inner city school districts that uh and i 've i 've noticed that uh suburban or rural schools tend to have much fewer problems at least what i from what i hear than than than the inside the city school districts Inner city school districts seem to have the most issues . entailment +so what type Simply Red i 've never heard of that I recognize and know about Simply Red . contradictory +Remember , holiday-time isn 't always all playtime . All holidays are playtime . contradictory +Now it was this Anglo wearing Spanish dress and standing in a dim stable , reining temper to meet the open hostility of the captain . The Anglo was wearing French clothing and Italian shoes . contradictory +Among the additional ingredients are morsels of squid and shrimp , mussels , rabbit , sausage , peppers , chicken , onions , peas and beans , tomatoes , garlic . . . and whatever else happens to inspire the cook at the moment . The supplementary ingredients include mussels and onions . entailment +Day Trips from Dublin Trips from Dublin to nearby areas . entailment +The Scottish Enlightenment The English and Scottish Enlightenment . neutral +How many people here are fans of Mentallic B ? ! How many people want them on for an encore ? ! ' How many of you like Mentallic B ? ! How many of you want them to perform one more time ? ! entailment +Me , Hercule Poirot ! It wasn 't me ! contradictory +So head first for the tourist office on the huge Place Bellecour , in the middle of the Presqu 'ile , the peninsula between the two rivers . The tourist office is on a mountain . contradictory +The objective is to keep the won from falling much more than is necessary for the long-run adjustment of the Korean economy , and thereby to prevent unnecessary bankruptcies and unnecessary depression of Korean income and employment . Keeping the won from falling involves influencing banks and financiers through government agencies . neutral +In accordance with the U.S. State Department 's and British Foreign Office 's travel advisories , as well as warnings issued by most other foreign consulates , we do not recommend Kashmir as a tourist destination . We advise tourists not to visit Kashmir , as many governments have done . entailment +With less energy efficiency technology penetrating the market , a greater level of control equipment must be installed and operated which , in turn , drives up the cost of generation . Technology is more energy efficient , therefore the cost of electricity is decreasing . contradictory +capital punishment is concerned i would like to see some some kind of reform or some kind of streamlining so that if a person is um convicted A person convicted should not receive death penalty neutral +However , Fort Charles was rebuilt as a military and naval garrison , and it protected Jamaica and much of the English Caribbean for 250 years until the advent of steamships and yet another earthquake in 1907 saw its decline . Fort Charles was rebuilt as both a military and naval garrison . entailment +In the AEO2001 report , the combination of higher efficiencies and earlier availability of the technologies lowers the growth in electricity use from 1.8 percent in the reference case to 1.6 percent . The AEO2001 report states that there will be a lower amount of electricity growth . entailment +The postwar Romantic look involved sloping shoulders , a very straight spine , delicate bones , and no muscles whatsoever . The postwar Romantic look is relaxed and delicate . entailment +I followed her , afraid that she was going to faint . I followed her because I thought she may vomit . contradictory +This letter may be augmented by a verbal communication . The letter is three pages long . neutral +Understand what ? I understood everything . contradictory +Up in Hokkaido , Sapporo holds its internationally popular Snow Festival ( during the first or second week of February ) . There is a Snow Festival in Sapporo . entailment +When the slave with the wicker basket came closer he could see that the contents were not food but some powdery stuff that was dipped out with carved spoons into the eager hands of the slaves . The wicker basket was overflowing with branches and reeds . contradictory +so but redemption centers are a big thing up here they get a penny a can they handle they give you five cents and the when they return the can to the distributor i think they either get a penny or two pennies a can The centers don 't get anything for the cans . contradictory +i thought that was disgusting i mean I loved it , and want to watch more of it . contradictory +As far as I was aware . I didn 't know contradictory +Having fractured the international coalition , Saddam no longer fears the prospect of invasion from the Nations like France , Russia , and China have sworn to veto any U.N. military action because they want to protect the post-sanctions oil deals they 've penned with Iraq . China cares more about oil deals than world peace . neutral +I did likewise , and we drove up within three minutes of each other . We drove up about a half hour apart , because I was busy . contradictory +Answer my question , if you please . I need a response from you immediately . neutral +we missed it the the last year so hopefully this year he 'll have one We saw it last year and loved it . contradictory +hum well uh speaking of kids i 've got one hollering at me so i better head on we 'll My kid is yelling at me so I can 't hear you . neutral +119 Cynthia was back from the hospital , and I placed my chair beside her , and told her of Poirot 's wish to visit the dispensary . He was still connecting all the dots of his investigation and this was one more step . neutral +The week began with rumors that McCain was doing so well , Bush was going to attack him . Bush was going to attack McCain about healthcare . neutral +I know these ducal suites and I want this one plumb empty except for you and me . The ducal suites are among the best the hotel has to offer . neutral +He is fool-hearty , boastful , prideful , and a liar . He is a liar . entailment +And no one is suggesting that legislators pack up and go home forthwith . No suggestion is being made that the legislators leave . entailment +Since the payment is not demanded or earned , it is an other financing source to FCIC rather than a revenue . That doesn 't stop officials in the FCIC from treating it like a revenue . neutral +oh Lord you 're lucky well i 've got a stepdaughter she 's in college My Stepdaughter dropped out of college . contradictory +St. Francis Xavier Memorial Church , in Xavier Park ( tram to Takamibaba stop ) , was built in 1949 to commemorate the 400th anniversary of the arrival of the Jesuit missionary . St. Francis Xavier Memorial Chruch is the biggest church of the area . neutral +yeah well like like i said at the beginning i 've got so many connections with people in Central America my daughter-in-law is Panamanian you know and they have situations like like that down there where they I have family connections in Central America . entailment +This was nothing else than unhappiness packaged as multi-flavor chocolates produced locally from natural domestic ingredients . Multi-flavor chocolates produced locally from natural domestic ingredients were nothing else than unhappiness in a package . entailment +In response to inquiries from the legal services community and Members of Congress , the LSC Board of Directors on June 30 , 2001 , established the LSC Task Force to Study and Report on Configuration of Service Areas . The community had no help from the government . contradictory +The health benefits could not be quantified by the FDA , but FDA believes the benefits to be substantial . The organizations feels the advantages to be huge entailment +Other GAO contacts and key contributors are listed in appendix VIII . You can find a list of GAO contacts and key contributors in the appendix . entailment +The city walls , like much of the Old City are composed of stones from many parts of the city 's long history . The walls are made from a hybrid concrete . contradictory +We 'll fashion supports of more of the sky material . " " And have real rods sticking up from the poles in the real universe ? " Hanson asked sarcastically . We will create pole and rope supports of the sky stuff . neutral +while pointing to a chart . A chart was being pointed to . entailment +The ruined Venetian castle atop a small hill offers panoramic views over the whole town , while the roof of the particularly beautiful Church of Christ along the harbor stands out from the open sea . You can see the whole town from the Venetian castle . entailment +In front of us were " the detectives in charge of the case . " The well-known glib phraseology passed rapidly through my mind in the interval before Poirot opened the proceedings . Poirot was ready to make a bold claim that would blow the case wide open . neutral +This is one of the most difficult passes to ascend , but also , arguably , the prettiest . It 's the easiest pass to traverse . contradictory +Team 100 donors also received special policy briefings from administration officials and invitations to White House dinners . Administration officials did not give out any special policy briefings to Team 100 donors . contradictory +Look here , Fenner , we 've heard a lot about Captain Bayliss wantin ' to make trouble for Don Cazar . Pay attention , Fenner , we 've heard so much about trouble-making between Captain Bayliss and Don Cazar . entailment +Ds want good seats at the game The good seats are expensive . neutral +Nash did this by constructing a bizarre set of inequalities that left his fellow mathematicians thoroughly befuddled . Nash was a genius mathematician , that even his fellow didn 't understand very well . neutral +The music is a swell of longing , regret , and nostalgia . This music is full of happiness and satisfaction . contradictory +the initial regulatory flexibility analysis . Initial Regulatory Flexibility Analysis . neutral +Further , Her Majesty 's Treasury requires disclosure in the notes to the financial statements on a cash basis of all instances of significant irregular expenditures arising from erroneous benefit awards and fraud by claimants . Irregular expenditures have not arisen from benefit awards . contradictory +In addition , because of lower interest rates , it is facing a decline of about $ 100,000 in funds from interest collected on lawyers ' trust accounts . It is facing a major loss of funds , because the fed lowered the interest rates . neutral +His fat serpentine strokes and lacquer-smooth planes twisted around each other , arriving at exuberant new combinations that sometimes echoed his old friend Arshile Gorky as well as Henri Matisse and Piet Mondrian , painters whose final work was similarly buoyant . He was a painter whose work was exuberant and buoyant . entailment +When are they appropriately used in evaluation ? They are never appropriate to use in an evaluation . contradictory +Federal funding to Legal Services Corporation provides the national infrastructure for the Federal funding provides an indestructible national infrastructure . neutral +because just like now especially crawfish it is starting to move out you know and more and more people are beginning to find out how good it is Crawfish is becoming more popular beyond just the south . entailment +they they had no TV They 've always had a TV . contradictory +There are also shops filled with bronze Buddhist statuary , silver ornaments , prayer wheels , and brass singing bowls . There aren 't any stores there , you will find souvenirs in the United States . contradictory +This usually does not take up as much room as the SCR reactor itself . The SCR reactor takes up less room than this . contradictory +After all , with a latitude of 19 degrees below the equator , Zimbabwe 's now in the middle of summer . Zimbabwe is a bitterly cold place to live all year around . contradictory +This elevated structure 's projecting wooden terrace is supported by a vast arrangement of 139 massive interlocking beams . Designing the wooden terrace was an architectural nightmare because of how high up it had to be . neutral +I do not understand why he looked at me when he said that . He looked at me when he said that . entailment +The keen rush through the air brought a new exhilaration to Tuppence . Tuppence felt tired by the feeling in the air . contradictory +I flopped to the ground , rolling onto my back . I jumped up onto my feet . contradictory +She 's extremely well-versed in the law , Leon said . She 's very bad in the world of law . contradictory +yeah but you do have to have it you know you do have to have it hot when you cook it i mean your pan it does have to be really hot you know when you put it in but it 's not like it 's burned and it what it what blackens it is the seasoning The pan is extremely hot when you cook , but that is not what makes the blackening . neutral +Then he jerked his eyes away from the model and looked out . He immediately looked away from the model . neutral +They drive it around the country in a dilapidated ice-cream truck trying to keep it cool . They sold ice cream around the country using their truck . neutral +If you can 't find a lobbyist , the court won 't appoint one for you . The court appoints a lobbyist for everyone . contradictory +and they get the wrong medicine just because you know the the aides or whoever just give them the wrong medicine and so many of them you know are The medicine they receive is incorrect . entailment +Remarks by the President , Prime Minister Tony Blair of England ( Via Satellite ) , Dr. Francis Collins , Director of the National Human Genome Research Institute , and Dr. Craig Venter , President and Chief Scientific Officer , Celera Genomics Corporation , on the Completion of the First Survey of the Entire Human Genome Project , The White House , Office of the Press Secretary ( June 26 , 2000 ) . Tony Blair is the Prime Minister of England . entailment +But don 't expect them for a few decades . No more than two decades . neutral +So which society is more cynical and decadent and which more idealistic and pure ? Strangely enough , the idealist society is also extremely decadent . contradictory +When I went to shut up , sir . When I went to be quiet . entailment +By this they mean that readers compare their own observations , experience , and belief to the narrative and regard the parts of the investigation that are consistent with these as confirmed . Readers only work with objective matters in comparing to the narrative . contradictory +If the general funds would have been used to redeem federal debt held by the public or acquire nonfederal financial assets , national saving initially would be unchanged because personal saving would increase by the amount that government saving decreases . Government savings is mostly spent on statues and buildings . neutral +Drive west along the D514 to Berniyres and Courseulles ( where the Canadians staged their Juno Beach landings , marked by monuments on the beaches ) , and then the Canadians ' cemetery 4 km ( 21.2 miles ) to the south at Reviers . Many Canadians dies during the Juno Beach landings . neutral +As discussions concerning rate setting occur , considerable attention is given to selecting the passthrough . Several groups have lobbied hard for certain restrictions to be lifted on the frequency of rate setting . neutral +Hoiles is a big slab of a man , now 33 , a veteran but not a star . 33 year old veteran , Hoiles , is a big man . entailment +A few brilliant victories gained control of Orissa and other territories for Britain , but London decided all that energy would be best directed at Napoleon , and called Wellesley home . A few stunning defeats threw the British out of India where Napoleon was waiting . contradictory +One thing is missing from the subversiveness . The subversiveness is likely lacking in true substance and examination of the concept being subverted . neutral +The sea beckons many visitors to Brittany , with a combination of a craggy coastline and great sandy beaches , seaside resorts on the Cete d 'Emeraude ( Emer ? ­ ald Coast ) , and small harbor towns on the Golfe du Morbi ? ­ han . Brittany is an area with beaches and resorts . entailment +the Lakers LA the Lakers NY contradictory +well if you don 't make smart selections it doesn 't do any good or if you make smart selections and they and you can 't sign them It doesn 't do you any good if you don 't make smart selections . entailment +Some of these effects are acute in nature , and some are longer-term and could take many years to manifest . There are no effects that can take years to manifest . contradictory +yeah he sure is he is as a matter of fact um Sylvester Stallone is that his name Sylvester Stallone is that his name i really believe Schwarzenegger is really going to be a variety variety player more so than he is because he really played the part good I don 't think Schwarzenegger will amount to anything . contradictory +'Well , ' Lincoln shrugged , ' I am supposed to kill you on sight . He told me what he was instructed to do . entailment +Although we attempted to be as thorough as possible within the scope of our study , we recognize that more work in this area remains to be done , including a more in-depth study of individual practices . More work is necessary , like a longitudinal study on individual practices . neutral +You have to pay the group 's dues ( $ 10 a year ) to use the services ; after that you get 30 minutes of legal counseling , either face-to-face or by phone , at no cost . The services are free to everyone with no dues required . contradictory +Behind me , the carriage doors are forced open and five men in body armour burst in . Five men ran away . contradictory +Other classical sites lay below Iraklion near the south coast . The island , including Iraklion , has no known classical sites . contradictory +well i loved that novel and then somebody said oh God this would have been even long ago because i was in Boston and it was raining all night and i had a hole in my roof and i was waiting for the whole house to collapse and uh i was reading Dune I thought the roof would collapse right on top of me . neutral +Courts and opposing counsel have cooperated in scheduling hearings for times when the parties are likely to be in the country . Hearings are arranged to coincide with when the parties are likely to be in the country . entailment +uh brother about it and he sees the guy that jumped the line in front of him coming down the street so they got out and have more words and the second party went down to his house several houses down the street and got a gun and come back and shot the other guy and killed him He saw the guy who cut the line and confronted him . entailment +and there were some really nice places up in the Black Hills to go camping There were a number of wonderful areas in which to camp within the Black Hills . entailment +Wal , sure , Kirby , Tobe Kells is a man o ' his word . Tobe always makes promises and never keeps them . contradictory +For 12 years , Idolina Pecina has wanted a divorce but could never afford it . Even with social service support , the divorce is several thousand dollars out of reach . neutral +He observed that this system had been effective largely because physicians had seen patients recover . Patient recovery has not been evident in the observations of the system . contradictory +It could also have devastating effects on Western opinion by giving the impression that NATO is only bombing buildings in Belgrade because it is incapable of taking on the Serb military units in Kosovo , where Milosevic appears to have all the time he needs to empty villages , mine frontiers , bury his tanks and armored vehicles , and install artillery batteries opposite the KLA bases in Albania . The bombings will have positive effects on Western opinion . contradictory +The museum distinguishes itself , they say , by focusing on aspects of Jewish culture other than the Holocaust ( Jews are shown as they might have liked to be remembered , rather than as victims ) . The museum offers other Jewish culture experience apart from the Holocaust . entailment +yeah i think there 'd there 'd be a you know a uh economic benefit for you know everyone concerned those doing the work and those receiving the the uh the services I believe a financial benefit would occur for everyone . entailment +Reconstructing the key requires the cooperation of each holder . Teamwork is required to make the same key . entailment +The furniture collection of the chateau 's delightful Mus ? ? e des Arts D ? ? coratifs offers interesting comparisons between Parisian and Alsatian aristocratic and bourgeois tastes of the 17th and 18th centuries . The chateau 's furniture collection is entirely from the 17th century . contradictory +because i 'm a mechanical engineer and i 've had to work when i was designing packages for people i mean i had to to work both systems back and forth and it was not hard I had to work both systems back and forth and it was very challenging . contradictory +well sure that but that 's a that 's an impossibility i think I think that is very possible . contradictory +And slight as they are , most of Kasich 's proposed cuts aren 't really corporate welfare at all . People believe that Kasich 's proposed cuts are just corporate welfare . neutral +All the associates admired him tremendously . He was highly regarded by all the associates . entailment +Farther east is Hong Kong 's largest park , Victoria Park , with sports grounds and other facilities . Victoria Park is just a few acres smaller than New York 's Central Park , although it has more attractions . neutral +Third Street , between La Cienega and Crescent Heights , is the Melrosealternative , with a more authentically funky atmosphere , along with antiques , clothing , shoe , and gift stores . Third street features funky but affordable stores which is why it 's often referred to as the Melrose alternative . neutral +Downward subsidy reestimates for post-1991 direct loans and loan guarantees . These loans were used to purchase houses and business equipment . neutral +uh-huh uh-huh it is my children really enjoys it they really do but by the time we really get a chance to it 's July you know and it 's so hot My kid likes it and we can do it during May . neutral +Look around the Greek islands today and there is little cause to think that much has changed . The Greek islands have made small changes , but they are hard to notice . neutral +Our powerful , multipurpose computers will continue to become even more powerful , but as they acquire new skills--like voice recognition--their appeal will be limited by their price . Our powerful machines will continue to improve and become more brawny but as they get new skills like voice and face recognition , its value will still be dictated by the price . neutral +The last king of the Piast dynasty , Kazimierz the Great , succeeded in reunifying Poland . Kazimierz the Great was the name of a king who brought Poland back together . entailment +You can view artifacts from the Bronze Age , trace the history of the Easter Rising , or revisit Leopold Bloom 's odyssey in Ulysses . Ulysses prohibits the sharing of history . contradictory +uh-huh well i know i have um i just have a tent and the kids and i like to go out and camp in the tent and then i bought a van and that way i can sleep in the van and be more comfortable The kids don 't enjoy the drive but they do love to camp . neutral +Although the rule qualifies as a covered rule within the meaning of the Unfunded Mandates Reform Act ( Act ) , it appears not to qualify as either a federal intergovernmental mandate or a federal private sector mandate because it results in a duty arising from participation in a voluntary Federal program ( Section 421 ( 5 ) ( a ) ( i ) ( II ) and ( 7 ) ( A ) ( ii ) of the Congressional Budget and Impoundment Control Act of 1974 as added by Pub . There are numerous programs and acts that might cover the rule . entailment +and i worked that shift for eleven years I worked the night shift for eleven years . neutral +33 T-ACE also screens for alcohol abuse and dependence . Alcohol and dependence cannot be checked by the 33 T-ACE . contradictory +Stewart sold 99.5 percent of her ranch to the railroad . Stewart sold 100 % of her ranch to the railroad company . contradictory +Tennis facilities are also widely available , but the climate makes it a sport best reserved for early morning , or evenings when the courts are floodlit . Tennis is available but you should play when the lights are on before it gets too hot . neutral +The world was ending , but civilization seemed to have ended already . Both the world an civilization seemed to be in fine shape . contradictory +eighties and you know when i left here and we 're down to the thirties and twenties and We were at eighty but now we are between twenty and thirty . neutral +his elementary school wife His elementary school wife , they 've been married for 20 years neutral +then the Saudi Arabians will just shoot them The Americans will just knife them . contradictory +So , one could visualize a postcrisis situation in which total output was unaffected ; investment was smaller ; the capital inflow was smaller or negative ; and the won would reach an equilibrium level , lower than it had been before the crisis . There was only one postcrisis outcome possible . contradictory +oh really oh gosh no kidding talk about asking for trouble huh That 's clearly asking for trouble . entailment +As you turn to head up into the valley , look for a house on the left surrounded by shady trees . There is a house on the left up in the valley surrounded by shade trees . entailment +Disclosing the records we are seeking would not reveal communications between the President and his advisers and would not unconstitutionally interfere with the functioning of the executive branch . The President and his advisers are not allowed to have secret communications . contradictory +These laws are uncoordinated and often inconsistent . The laws are coordinated and applied consistently . contradictory +At Tel Aviv , there is a pleasant , though expensive , lido by the marina . At Tel Aviv there is the most pleasant lido in the world by the marina . neutral +They 're making noises , said Slim , in a whisper which was barely audible . They 're making sounds , said Slim very quietly . entailment +All the same , as I said before , it 's too bad of of Carter to set you two babies on a job like this . I don 't like that Carter set you on a job like this . neutral +When they were dug up they found an antechamber under the rock . There was something under the rock . entailment +8 Only once before , when some river toughs had ganged up on the scouts , had Drew had to use fists to beat his way out of an argument . Drew had to fight his way out of an argument about the horses . neutral +Attorney Marty Blaustein then notified Utah Nonprofit Housing Corp. , the building 's owner , that Kemp 's eviction was not legal and that he had a right to a hearing . Kemp was evicted unfairly . entailment +I 'm getting down and out over the business . I am just giddy over these events . contradictory +Severe shock to the nervous system . A minor shock to the nervous sytem . contradictory +So given sufficient foresight , the prospect of a 1980 punishment hurts the 1950 owners , even if they sell in the interim . After a punishment in 1950 , the owners will be rewarded in 1980 if they sell soon enough . contradictory +In Maine , much of the groundwork for comprehensive state planning had already been laid when the Corporation issued its first program letter on the subject in 1995 . The Corporation issues program letters that dictate state planning . neutral +They both had felt that this could be the beginning of a long and fruitful international scientific collaboration . They thought they would do well working in the laboratory together . neutral +Beyond them were the tribes of the native Ainu , at that time not considered Japanese . The Ainu tribes had ancestors who were some of the first people in Japan . neutral +On its outskirts the road croses a river where you may see children fishing or swimming off flat rocks , and women and girls washing clothes as they do in all 14 of Basse-Terre 's major rivers . Woman and girls are not washing clothes in the river . contradictory +This is a major funding crisis for legal aid throughout the state , said Jamie Hamon , executive director of the Access to Justice Foundation , a statewide poverty-law resource center in Lexington . Jamie Hamon has been the executive director for four years . neutral +last night i did about thirty minutes of riding a bike and a few like three different types of uh uh weight lifting for my legs and and my hips As part of my exercise plan I spent a half hour riding the bike yesterday evening and then worked with weights to shape up my lower body . neutral +Henry explained that Katherine did this because , as a gardener , she simply loved the feel of the bulbs in her hand , the textures and colors of their little tunics . Henry said Katherine did it because she hates to grow things . contradictory +Funding for this organization is provided by IOLTA , private foundations , attorney fees , and donations . Funding for this organization has been granted by various groups . entailment +When you live an isolated life at the White House or in a maximum security prison or in Patricia Duff 's head , you are bound to be out of touch . You 're more likely to be out of touch while living an isolated life at the White House . entailment +No , sir ! We were attacked , the story would not match up if checked but it was close enough and Ca 'daan was desperate . Ca 'daan refused to believe what they were saying . contradictory +At the west end of the park , the elegant pink Quinta Vigia is the residence of Madeira 's governor . At the east side of the park is the Quinta Vigia . contradictory +well they would uh tell you to call in and be caller number nine and win so i had a touch tone telephone in college and uh i just started calling in and winning all kinds of contests i had forty record albums before i even had a stereo to play them on to play them on I started thinking of buying a stereo to play the records on . neutral +Representatives of a few organizations said that members had raised concerns about their potential liability for any damage that occurred as a result of the information they shared and the advice they gave . Representatives of a few organizations said that members had raised concerns entailment +For individuals who did not owe federal income taxes , the government match was to be in the form of a tax credit to the employer or financial institution holding the taxpayer 's account . The individuals who don 't owe federal taxes help out their employers or banks with tax credits . neutral +'And you ? ' You too ? entailment +The Grand Bazaar is open 8 : 00 a.m. to 7 : 00 p.m. , Monday to Saturday . The Grand Bazaar is closed on Sunday . entailment +Christopher Dunn thought the word evaluate made this recommendation vague . Mr Dunn felt the word " evaluate " made for an unclear recommendation . entailment +This is really going to push us forward . This will push us back a few years . contradictory +Aprimary argument against same-sex marriage is that marriage is an institution for the raising of children . Marriage isn 't just for children , it 's based in love neutral +'Point of information : When approaching city limits , the train will automatically slow to around ninety-seven miles an hour . The train slowed down near towns . entailment +Table 4-2 summarizes estimated injection rates for a 500 MWe boiler under various scenarios . Table 4-2 shows estimated injection rates for a 500 MWe boiler in various circumstances . entailment +Restored after being used in the Revolution as a gunpowder factory , the church is a popular venue for concerts . There is good acoustics in the church . neutral +But as soon as you realize you 're a saver , you 'll lose confidence in your future extravagance and figure you might as well spend your money today . Just as you decide you want to save , you get cold feet and realize you may as well spend your cash today . entailment +Afternoon was fast fading into evening , but Tubacca , aroused from the post-noon siesta , was in tumult . Tubacca slept peacefully . contradictory +The things to listen and look out for could be any one , or perhaps several , of the the alarm bark of the deer , a noisy screech from the monkeys , and the most telling sign of all vultures waiting for the tiger to abandon the leftovers of what he caught for lunch . Tigers primarily hunt for vultures . contradictory +but um my it was really just my grandfather i guess and this one elderly cousin of mine that went into nursing homes Both my cousin and grandfather had good experiences with their nursing homes . neutral +These organizations often used their staff development programs to provide these opportunities . Staff development programs within organizations were made obsolete twenty years ago . contradictory +He can tell her of something bad that has happened without fearing that she will think he is complaining . He can tell her of bad things without it coming off as him complaining . entailment +Some have ample shade and others are treeless , catering to ardent sun worshippers . People who like the sun prefer to go to bigger beaches with less trees . neutral +um the hoi sin sauce oh a dollar twenty nine a can a can would serve would serve you for you know for quite a few um meals Hoi sin sauce is not good for you health . neutral +Switzerland ' s three biggest banks announced they will donate $ 70 million to establish a humanitarian fund for the victims of the Holocaust . The smaller banks in Switzerland will not be donating money to victims of the Holocaust . neutral +However , the chocolate-faced god is quite gaily decorated in hues of red , yellow , and blue , and his round , white-circled eyes look more startled than fierce . However , the dark skinned god is decorated colorfully and looks more surprised that angry . entailment +The views from the summit of Arthur 's Seat nobody is quite sure which Arthur gave his name to the hill offer wonderful views of the city and across the Firth of Forth to the north . You can 't see the city from the hill . contradictory +Everything was cold , in the most biting way possible . The sun blazed and scorched are skin . contradictory +Near the east gate , you 'll see tombstones where soldiers died defending the fort , and cannonball scars indicating efforts by Maharaja of Jaipur to snatch a promised bride , Princess Krishna Kumari , against her will ; she took her own life during the battle . Princess Kirshan Kumara had a lot to live for . neutral +Room 2 is the first of two rooms displaying finds from the Old-Palace period ( 2000-1700 b.c. ) , including the earliest examples of fine Kamaresware pottery with its polychrome decoration , found in the ruins at Knosses . These artifacts are on loan from the London museum . neutral +To say that one had smoked marijuana but did not inhale would be a Jesuitical distinction . It is different to smoke marijuana than it is to smoke and inhale it . entailment +Studies of the translation of efficacious research practice into clinical practice is needed most since screening instruments have been used by research staff and not clinical staff . Screening items include test tubes . neutral +Kid seems to be settlin ' down , ain 't he ? THe kid is relaxing now that the crowd is gone . neutral +You 'll also see the vaulted remains of large arcaded asenali ( ship repair yards ) that serviced the Venetian fleet . The ancient Venetian ship repair yards have been totally destroyed , with nothing remaining . contradictory +yeah yeah and i i have some one person at work i know gets really into those goofy horror flicks Yes , I know a person at work that loves those silly horror films and tries to get me to watch them all the time . neutral +For addiction specialists or psychiatrists , an outcome of reduced drinking would probably be appropriate . For addiction specialists an outcome of reduced drinking would probably be appropriate . entailment +( If you 're not willing to pay $ 22 wait a few months until the online market is only going for $ 16 . ) The market price is expensive right now . neutral +When you speak to him , mention the possible enslavement of your people . The enslavement of your people will never happen so I wouldn 't mention it . contradictory +Drew 's puzzlement grew . Drew became more and more puzzled . entailment +There are good road connections between Sant Antoni and both CaleT ? ¡ rida and CaleBadella , with the result that both bays have now been developed . The bays were developed because of the roads . neutral +they didn 't fight together they fought individually and they failed individually and then that was it then they had to have the master beat him They didn 't fight together and that 's why they failed . entailment +they just overlook that as uh common occurrence They pay special attention to that because it 's rare . contradictory +To memorialize his son , Subia asked his artist friend Felipe Adame to paint a mural at his home . Art was commissioned in memory of the boy . entailment +You will hang if you shoot me , muttered the Russian irresolutely . The Russian moaned distrustfully , " If you blast me , you 'll hang , and everyone here will be your accomplice . " neutral +OK gentlemen , do you have other samples ? Because what you 've offered me so far , I must regretfully say is acceptable for a not-so-bright manager of a field airstrip in Asswhack . Listen up , do you have any more samples ? The samples you have provided me are not up to standard . entailment +killing my knees Hurts my legs neutral +It was all stars and the sky was just getting sort of almost gray . The sky was getting gray and there were stars . entailment +right right well they do walking tours too so If you don 't like driving , you can enjoy a walking tour . neutral +When a request is accepted , GAO will provide the requester an estimate of when the job is likely to be staffed ( e.g. Gao is really slow to process anything . neutral +In addition to being Marie-Antoinette 's last home , the palace was a favorite of Napoleon III and his wife Eug ? ? nie , whose extravagant memorabilia constitute the Musee du Second-Empire . The palace has homed many famous figures over the years . entailment +'And no , I 'm not going to kill you . Possibly . ' I 'm killing you right now . contradictory +For the first three or four weeks when we were at the height of these disturbing trends , people were picked up and missing from their families and one person died in detention , he says . People were missing from their families and one person died while being held . entailment +And this is now . This is right this second . entailment +oh okay i have three yeah yeah uh do you work You probably shouldn 't work . contradictory +i mean you i mean you know we had enough with the abortion issue that 's still going around that you guys want to bring you know the next you know Abortion , i want to hear every ones opinion . contradictory +They continued to eat as he came closer . They had nothing to eat for weeks . contradictory +State planning is identified in this Board document as LSC 's key strategy to achieve the goals stated above . Other strategies used by the LSC simply weren 't as effective as state planning . neutral +The time and effort needed to locate receiving reports would also not exist , and prompt payment requirements ( taking advantage of discounts and avoiding late payment fees ) could more easily be met . Customers can avoid late payment fees and spend less time locating received reports . entailment +so why are you know why don 't they just to me they ought to just do the blood test for alcohol They shouldn 't do blood tests for alcohol . contradictory +With the possible exception of Tel Aviv , Israel is not known for its Mediterranean beaches , yet between the Gaza Strip in the south and Rosh Hanikra in the north there are 190 km ( 118 miles ) of good sandy coastline . Tel Aviv is not known for having a breach . contradictory +Behind the brick facade with bas-relief friezes by Kipling 's father over the gate , the stalls retain their original vegetables to the left ; fruit and flowers to the right ; and fish , mutton , and poultry straight ahead . The vegetable stall is straight ahead . contradictory +The most beautiful you will meet during the next convention . The most beautiful thing you will see during the next convention . entailment +yeah well my my personal preference is is a dog uh i don 't know that uh that i 'd ever want a cat oh i like cats i just wouldn 't wanna own one uh they 're not uh they 're they 're affectionate but they yeah i don 't know i can 't seem to communicate with a cat like i can with my dog I prefer a dog . entailment +They often deploy programs called debuggers , which allow them to peer into the innards of the software as it runs . Debuggers come in handy when there are little problems that need to be fixed in a program . neutral +His nose was crooked and his skin looked as tough as leather . He had a straight nose and skin that was as smooth as velvet . contradictory +yeah okay okay i figured about that I can see that . neutral +really i enjoyed that movie i thought that was a good movie That movie was a waste of ticket money and time . contradictory +have you ever read any Dean Koontz I don 't know who Dean Koontz is . contradictory +Across the street from New Gate is the enormous hospice and monastery of Notre Dame of Jerusalem , also built in 1887 . The Notre Dame of Jerusalem is a long walk from New Gate . contradictory +Massachusetts ' highest court decided that British au pair Louise Woodward will not go back to jail . Louise Woodward will stay in prison for years . contradictory +and that 's all you mainly do t hen right Italians how about uh Chinese Have you ever tried to cook Chinese food ? neutral +as as you do a good telling a good story and i thought that was that movie really told a good story I didn 't like the story in that movie . contradictory +Auditors may meet this requirement by listing file numbers , case numbers , or other means of identifying specific documents they examined . It is impossible to identify specific documents examined . contradictory +so you know plus less bags less waste As well as less usage of bags that end up as waste , thereby reducing waste as well . entailment +The increase in one asset is offset by an equal decrease in another asset ( or by an equal increase in liabilities ) . When one asset increases it is offset by another asset decreasing equally . entailment +There 's nothing to worry about in this best-of-all-possible- The is no need to feel insecure about the best case scenario . entailment +He 's testing you . He wants to make sure you aren 't all bark and no bite , he 's just testing you to make sure everything 's in order . neutral +It is worthwhile to consider the expected future state of the supply of boilermakers . It is worthwhile to consider the past history and trends of supply of boilermakers as well . neutral +Paul Krugman loves to berate journalists for their ignorance of economics , particularly his economics , but on this occasion , I fear , his logic is more addled than usual . Paul Krugman enjoys denigrating the economics education of journalists . entailment +I awaited his next question with impatience , but it disappointed me . I expected his next question to be less random than it turned out to be . neutral +Finally , he suggested that the patient 's level of distress could influence motivational level as much as the severity of a patient 's alcohol problems . He denied that the patient 's level of distress would have any effects . contradictory +Blood ran from Adrin 's nose . The demon hit Adrin square in the face . neutral +The bell , some 2.5 m ( 8 ft ) tall , was cast in 1301 . The 5 m tall bell was cast in 1301 . contradictory +The Oregon and South Dakota votes are a year away , and the Montana signature-gathering has not yet begun . Voting on South Dakota and Oregon was held the day before yesterday . contradictory +The difference now is that the company has finally figured out how to make its more unorthodox tactics pay off on the bottom line . The company figured out how to get a profit off of their strange product . neutral +Just a quick note of support for your reply to regarding forms of address . Just a quick note saying we disagree with your positions on addresses . contradictory +it 's like you know even though two hundred and fifty thousand people died somewhere else they 're not going to tell you you know they 're going to spend more time on doing a a thing on a on a cross guard who 's a hundred and five years old than they are on anything else you know Not many people died somewhere else . contradictory +uh-huh uh-huh the reason i 'm asking is because i have a dear dear friend whose father was alcoholic and at fifty she and she was an only child at fifty she 's still still having a lot of difficulty in her relationship with her husband that she feels stems from how she was treated by her father My married friend does not have any relationship issues . contradictory +Recently , the CIO took over 400 employees and guests to a five-star hotel for an evening out to celebrate the groupas accomplishments . The hotel was three stars and the employees had to pay for themselves . contradictory +We did not discuss the specific controls they had implemented due to the proprietary and often highly technical nature of this information . The controls implemented often concern highly technical information . entailment +oh does she really I do not believe that she does . neutral +Some think that we ought to go back in time , ought to get rid of the Commission and replace it with not one but three administrative law judges to be borrowed from some other government agency . Everyone believes the Commission ended up being the best solution . contradictory +Mr. Carter would have recognized it . Mr. Carter was good at recognising things . neutral +And when ? " When was it ? neutral +The latest is Fieldstone Mortgage Co . , which is charging them $ 3,290 a month - $ 859 more than their combined monthly retirement income . The mortgage company charged them more than they were making . entailment +He didn 't check the label on the third one , but added it , too . He checked the label on the third one . contradictory +so lots of times i 'll just play cassettes instead of listening to the radio actually but uh most of my cassettes i guess i don 't i don 't like hard rock All of my cassettes are definitely hard rock . neutral +Reporting Entities of the Federal Government Federal Government Reporting Department entailment +or whatever i have that 's I have one thing . neutral +Recognized by a few individuals as a very precious resource , the Lake District has been praised in prose and verse and protected by wise policies so that the rest of the world can come and enjoy its particular beauty . The Lake District has been a subject of writing . entailment +While the NIPA measure of government saving directly affects national saving , the unified budget measure is the more common frame of reference for discussing federal fiscal policy issues . The government spends all of its money on candy . contradictory +There are no facilities here , so bring food and drink with you . There used to be a restaurant and a supermarket here . neutral +are you okay Are you happy ? neutral +After listening 59 intently for a minute or two , he put his head round the curtain . He immediately put his head round the curtain without listening beforehand . contradictory +palindrome god dam , just kidding just pulling your leg , you hanging from the tree of Love . I was serious , palindrome god dam . contradictory +Climb the 15th-century clock tower in the Rue de l 'Horloge or visit Le Jardin Anglais , in front of the 12th-century Basilique Saint-Saveur , for a good view over the river , the small port , and the viaduct . From the clock tower one can see for miles . neutral +i 'm about two hours north east of Pittsburgh Pittsburg is about two hours south west from my location . entailment +I felt from the first that there was something wrong about him , and I always suspected that it was he who silenced Mrs. Vandemeyer so appositely . From the beginning , I had a hunch there was something off about him , so I kept my eye on him for weeks . neutral +oh i guess i really don 't know I am certain of it . contradictory +And , yes , the Spice Girls impersonators still have Ginger . The Spice Girls impersonators still have Ginger . entailment +Others believed that only total ( historical ) costs should be used . Nobody thought that we should stick to old methods . contradictory +Garland Texas all right i 'm in North i 'm in Raleigh North Carolina I have never been to North Carolina before . contradictory +Markets get caught in self-perpetuating cycles of undue optimism and hysterical panic . The market cycles are self-perpetuating . entailment +In addition , the MCCJ sponsored , with funding from the Maryland Legal Services Corporation and the Project for the Future of Equal Justice , a thorough evaluation of the state 's delivery system by consultant John A. Tull . The MCCJ sponsored an elimination of the delivery system . contradictory +One leader used input from team members to improve the team 's performance . The team 's performance was helped by the team leader . entailment +The instrument is designed to assess the health and vibrancy of each state justice community / state legal services delivery system , establish benchmarks against which further progress can be measured , and begin to gather data to allow comparisons of state justice communities . Legal service delivery is measured by this instrument . entailment +In the Times poll , 65 percent said Clinton should complete his term rather than resign . Clinton should finish his term rather than resign according to the Times poll . entailment +The agora-like Hall of Nactenabo ( 381 362 b.c. ) stands in front of the pylon . Nactenabo died in 300 b.c. contradictory +In fact , the hammock was an Amerindian invention that remains with us today ; it is an object which , more than any other , evokes an image of a warm sunny day on a tropical isle . We use hammocks today . entailment +It had begun . It had started . entailment +oh yeah she 's so nice she can 't die oh it was just Thank God she 's in a good hospital , so there 's a chance she 'll survive . neutral +During the 1990s they made numerous attempts to de-stabilize his regime , finally resorting to attacking the mainstay of the Egyptian economy tourism and several despicable attacks on foreign visitors resulted in over 60 deaths . An outside power tried to take control of Egypt , and one of the methods was by attacking tourists . entailment +Generalizing from Single Case Studies . There 's no reason why the information in the single case studies can 't be generalized and applied elsewhere . neutral +For the sensitivity test calculation for residential visibility , the McClelland , et al . There is a calculation to use for testing residential visibility in drinking water . neutral +How many do you need ? asked the smithy . The smithy asked for the quantity needed . entailment +These amounts are deducted from the total obligations incurred ( and outlays ) in determining net obligations ( and outlays ) for such accounts . The amounts reflect gross amount minus obligations to get a net value . entailment +They are classified as ( a ) offsetting receipts ( i.e. They are not considered ( b ) offsetting receipts contradictory +It is a great-looking book despite its shortcomings , and there is a lot of good information in it . The book looks terrible and it 's filled will bad information . contradictory +so if the economy gets better are you going to get another one another house When the economy improves you can buy another one . entailment +I hope others will follow you . I hope others follow in your footsteps . neutral +yeah uh do you do you feel that the first two years that the um depending upon the field i know there are some fields which a person should go to the school that school all four years but i know there are some fields where it 's really not necessary I want to be in a field where you don 't need to go all four years to school . neutral +You can always head away from the coast and into the hills for some peace . It is thought to be relatively more peaceful in the hills than the coast . entailment +Services are expanding , however , thanks to a $ 1 million public fund drive , that is $ 59,400 short of its goal . The public fund drive has exceeded its $ 1 million goal . contradictory +is looking for more funding in a year when there is a $ 1 billion shortfall , said House Speaker Michael E. Busch , an Anne Arundel County Democrat . The shortfall is extremely detrimental to the house . neutral +uh-huh um oh no yeah yeah it 's kind of cute um I think it 's sort of cute . entailment +His Bose 901 loudspeakers , the company 's premium line for 30 years , have nine speaker cones , positioned all over the cabinet , so that the sound bounces around your room just like in a concert hall . His Bose 901 speakers are positioned all over his cabinet . entailment +There ought to be room in the retelling of it for the letters Mark Twain and Frederick Douglass exchanged , for the similarities between Invisible Man and Ben Franklin 's Autobiography , for the presence of Charles Chesnutt at the banquet to honor Twain shortly before the latter 's death , and for the monument in Mississippi to the slaves who rode with a band of Confederate irregulars . Mark Twain and Frederick Douglas exchanged letters . entailment +but when you 're only at living wage it doesn 't matter It 's difficult when you 're only making minimum wage . neutral +What do you remember ? She turned to him obediently . He had previously told her that he remembered everything . neutral +The aim is for one wrestler to force the other out of the ring or to make him touch the floor with anything other than his feet . The goal of the match is for one wrestler to get the other out of the ring . entailment +but here if you don 't water it just looks awful and i just hate to spend the money just going down the drain in watering grass you know There 's no need to water the grass because it rains so often , so we save a lot of money . contradictory +What was Mary Cavendish 's concern in the matter ? Mary Cavendish was questioning the matter neutral +As Lord of beasts and king of dance , Shiva is as passionate as Vishnu is serene . Shiva does not dance and has no connection to animals . contradictory +West of the harbor is the National Maritime Museum . West of the harbor was the National Maritime Museum , but it is closed now . contradictory +um um um uh actually it sounds very i mean very similar they 're sort of being they were sort of forced and now they just want to sort of speak up and say hey we want our piece They were not forced at all , so they cannot speak up about it . contradictory +$ 90,000 to hire a civil justice attorney , at $ 45,000 a year for two years , to ensure that all victims of domestic violence are represented at second hearings in PFAs and assisted with other civil matters . Hiring a civil justice lawyer would cost roughly $ 100,000 per year for 2 years . contradictory +His body was rigid as it lifted a foot , ten feet , then a hundred above the ground . He was agitated because he couldn 't get off the ground . contradictory +uh-hum uh-huh it does get you no , that doesn 't affect you contradictory +would be would might be really useful um and if it 's you know uh just people helping people i think makes makes the community so much happier That would be useful . entailment +But her words had awakened a new uneasiness in Tuppence . Tuppence was never afraid , the woman 's words didn 't faze him . contradictory +OMB originally denied all eight requests but subsequently approved two of the requests . OMB approved two of the requests after denying all of them the first time . entailment +7 billion per year ( 1997 dollars ) . Counting by 1997 dollars , it was an annual amount of 7 billion dollars . entailment +The questions posed before a war are always the Should we fight ? Should we fight is the right question to ask before a war starts . neutral +Political analysts pretend to explain the past and predict the future with the same certainty as natural scientists . Explaining the past and predicting the future is an easy tasks for political analysts . contradictory +This site highlights the reports and assessment guides associated with Canada 's initiative to modernize its comptrollership function . Highlighted on site are the guides associated with Canada 's initiative to modernize its comptrollership function written from summarizing the information found in reports and assessments . entailment +Their crisis came on 24 August 1572 with the infamous Saint Bar ? ­ thol ? ­ o ? ­ mew 's Day Massacre . Saint Bartholomew 's Day Massacre presented was an emergency for them . entailment +The bandit 's blade swung again but Vrenna countered . Then , Vrenna swung and landed her sword in the bandits back . neutral +The Use of Case Study Methodology . Case study methods were used . entailment +At the same time , there are other key assumptions that EPA adopted to facilitate the evaluation of the four scenarios . The EPA is one hundred percent necessary in the United States . neutral +I 'm not sure it is right , in ways I hope it is wrong , and in the end , Richard , you might be It might just not add up . Part of me hopes that it is not right . entailment +they are they are doing a whole bunch better who 's their quarterback Perhaps the quarterback is why . neutral +Cpk values also have an additive effect on various individual parts when each part is integrated into the final product . Many of these products are sold in department stores . neutral +Still , the atmosphere is generally more relaxed and amiable , probably due to the fact that Downtown is a concentrated area similar to a small town one that has not changed much in 70 years . Downtown is a rural area with an uptight atmosphere . contradictory +is like gourmet i mean i just you know what i mean it 's just fun it 's convenient um uh the uh i don 't know if you 've ever heard of Pizzaria It 's cheap and okayish , I haven 't heard of Pizzaria . contradictory +A Certain Justice , by P.D. P.D. wrote A Certain Justice . entailment +uh they can declare anything they want and they can actually rig it if they really wanted to vote Republican they could go in the primary and say they were voting Democrat and then stack the ballot for someone that perhaps the Republican could beat but uh it 's uh it 's just a sad situation and uh i do think more needs to be done along that line to help to uh teach the people uh uh everyone uh more about what is going on with voting and with non voting so that uh we can make some start making some more intelligent decisions and it 's going to take these young you know it 's going to take the uh I think more needs to be done to help teach people about what is going on with voting and non-voting . entailment +If I can learn from other bidders , then they can learn from me--which is the second reason I might want to deviate from a simplistic bid and wait strategy . I want to change everyone 's bidding 's strategies . entailment +uh it 's no wonder ticket prices are so high That explains why tickets are costly . entailment +Be prissy . They were not prudish and very humble . contradictory +Follow your nose for about five minutes until you see a sign saying Kuledibi on the left , which points the way to the tower . Thanks to the complete lack of signs , the tower can be difficult to locate . contradictory +Look at it from different angles and you will discover something new each time . You will find a new detail if you look at it from different angles . entailment +But the room was deserted . But there was nothing and nobody in the room . entailment +and see i think ladies clothing um uh is a lot more varied than than than men 's clothing because uh men or at least in my situation you can uh i can wear the same slacks and uh sports coats nearly nearly all year round Women often wear the same clothing year-round . contradictory +We know this , because later she asked Dorcas to bring her some . We do not know this . contradictory +And it was a tremendous world . The world was horrible . contradictory +From park headquarters , day trips leaving in the early morning a walk to Bukit Indah , followed by a boat ride through the rapids to Kuala Trenggan , returning to headquarters on foot ; a walk to the Tabing Hide , followed by a boat ride to the Lata Berkoh rapids , then another trek back to headquarters ; a boat ride on the Tembeling River to the Gua Telinga Bat Cave , which you enter on hands and knees until you can stand you then find yourself in a great vault inhabited by hundreds of fruit- and insect-eating bats not at all interested in attacking humans . Day trips leave from park headquarters . entailment +and we bought one of the cheapest houses you know a tract house We bought a very pricey house . contradictory +Then comes the bright , forward-looking , seizing-of-opportunities mode . Then comes the once-in-a-lifetime opportunity to win a million dollars . neutral +Once he accepted the axiom--and he was no longer prepared to doubt it here--he could follow the book far better than he 'd been able to follow his own course in semantics . He could follow the book because it was very simple to read . neutral +As one of the primary funders of civil equal justice in every state , LSC has a duty to stimulate the most effective means of delivering legal services to low-in-come individuals . The LSC should help the low income individuals . neutral +" And I say once again , Captain , that men who ride for me do not in addition ride for Kitchell . " " I repeat Captain , that my men do not also ride for Kitchell . " entailment +You thinkin ' about cuttin ' out ? Are you thinking of leaving the battle ? neutral +The Lower Terrace is cut by a wide ramp leading to a large courtyard at Middle Terrace level and a smaller ramp leading to the Upper Terrace ( unfortunately closed to visitors ) . The three terraces are connected by ramps of different sizes ( closed to visitors since they 're dangerous ) . neutral +There are coconut groves on the Malabar west coast , palmyra palms on the Coromandel east , and in between , a more barren landscape of rugged mountains and dramatic rocky outcroppings , relieved here and there by a patch of Flame of the Forest trees , hibiscus , or deep green jungle , as well as plentiful trickling streams , lotus ponds , and lakes covered with scarlet lilies . On Malabar 's west coast lies coconut trees in groves . entailment +It also states that These actions should lead to faster development of They should develop slower now . contradictory +7 . What Policies of the Federal Government Have Been Aimed at Encouraging Nonfederal Saving and Investment ? The question is asked if any Federal Policies encourage non-Federal savings . entailment +He thought that he could visit , and for quite a long while , but somewhere totally different . He thought he could stay home . contradictory +and realized that that was the first time in my life i had seen trees lose their leaves and uh and course when spring and everything came out again I 've seen trees lose their leaves many a time . contradictory +uh that 's the first i 've ever heard of it i haven 't heard of it anything too much about it um I haven 't heard much about the tax cuts . neutral +There 's your precious private industry . Here 's your precious private industry . entailment +It 's all the war . Nothing of it was the war . contradictory +The original route cannot be precisely followed because the Herodian city of Jesus 's time was destroyed by Rome in a.d. 70 ; it was rebuilt in a.d. 135 by the Roman Emperor Hadrian with a different town plan and pattern of streets , making accurate identification of sites in the earlier city difficult . The route is exactly the same as the original one . contradictory +She may have thought , however , that she was giving him another chance and that he was promising , in exchange , to do better . The guy may not have done better after promising to change . neutral +That was ' bout soldiers of th ' old time , too parts of it . The soldiers of the old time aren 't that different from the soldiers today . neutral +In addition to these steps , these organizations also found that certain top leadership practices were central to making the changes needed for the organizations to become more results-oriented . Some of the leadership practices were successful in making changes . entailment +you know it 's God i mean it was the biggest thing that any one in this company had ever done and he got to do it and so God just really blesses him in ways like that just trust God because i don 't know kids are a blessing and and some people we think of blessings as The company sells paper and other office supplies and he is a salesman . neutral +The grief fell upon him and he wept even more . The grief of his dead daughter fell upon him heavily . neutral +uh politics and so forth people trying to maneuver and get power and back stabbing and also helping each other and you know if you know all the love interoffice love affairs and uh all that all that kind of stuff and you know power struggles to see who 's going to be the next uh uh oh It involves a lot of power struggle dilemmas . neutral +Sir James went at once to the root of the matter . Sir James lazed about for a while before addressing the matter . contradictory +Santa Monica Airport 's Museum of Flying displays vintage planes , and Bergamot Station ( 2525 Michigan Avenue ) , a converted trolley car station , hosts a number of art galleries including the Santa Monica Museum of Art . The museum displays lots of old planes . entailment +Dionne 's , have been made by going the other way . ) The ones that Dionne has were made in the opposite direction . entailment +but we dug a hole about six times as big as it needs to be and filled it with all kinds of compost and pine needles and everything else we could think of hopefully it 'll drain this year We dug a hole but it wasn 't big enough . contradictory +However , deviations from standards required only approval from the group 's executive . The group 's executive will approve any deviations we show them . neutral +I ” never looked . " I looked . contradictory +Give us room , an ' we 'll do it again now ! " Anse 's face was green-white under the weathering , save for the wound on his jaw . Anse 's face was green-white under the weathering , save for the wound on his jaw , he said to give them room , an ' they 'll do it again now ! entailment +An entrance to the shrine complex is just across the road , opposite the bridge and up a flight of stone steps that brings you first to Shodo 's temple . In order to get to Shodo 's temple , you have to go up on some stone steps . entailment +Scandal ! As a sign of protest he took to coming to the office wearing a t-shirt with the slogan ' Attention , Baby ! ' on it . The shirt was too large for him . neutral +In the Underworld ? in hell entailment +An even more exotic spectacle is camel wrestling ( deve gerei ) , which can be seen in January at Selcuk , near Kuradas . January holds an interesting camel wrestling exhibition in the town of Selcuk . neutral +Reviewers call it pretentious and filled with inaccurate references to theoretical physics , Walt Whitman , and the Kabbalah . Reviewers said all the historical information was wrong . neutral +The portion of mail not requiring delivery is a very important contributor to the finances of a post . Non delivered mail puts a great financial strain on a post . contradictory +The development of a statewide legal services website , based at the West Virginia College of Law , is currently underway . The website has been cancelled . contradictory +The justices who disagree with Rehnquist politically love him as a He 's fair , agreeable , and fast . Rehnquist is fair , fast , and takes his job seriously . neutral +Julius looked at him with a widening smile . Julius ' smile was widening the more he looked at him . entailment +yeah yeah so uh but yeah i 'd love to go catch catch like the Marlins or whatever in the deep sea fishing I want to catch marlins and other types of fish . neutral +The Counter Reformation burned him alive here in 1600 for his preposterous idea that the universe was infinite , with many more galaxies than ours . The Counter Reformation embraced his idea of an infinite universe . contradictory +And he has made pointed comparisons to other Webzines that are allegedly content to sit on their fannies and analyze or summarize . He is a strong supporter of websites that summarize things only . contradictory +Showing America a New Way Home is the slogan . The slogan is " Showing America a New Way Home . " entailment +but that 's what 's got our system bogged down so bad now they 've appealed everything to where if they 've got one typographical error where in their in one line instead of spelling they 've got one word misspelled i mean it 's a very minor clerical error they couldn 't tell they they 'll appeal the hell out of that and that just throws another wrench and it takes two years to work an appeal A minor clerical error has no impact on an appeal , it makes no difference . contradictory +In the United States , about 67 percent of annual SO2 emissions and 25 percent of NOx emissions are produced by electric utility plants that burn fossil fuels . 50 percent of annual SO2 emissions in Canada come from burning fossil fuels . neutral +I 'm indebted to them ... I do not own a debt to them . contradictory +Develop methods to assess program quality , to ensure that case handling staff are well trained and that the legal work among programs is coordinated and of high quality . The training of the staff who handles cases isn 't considered in all this talk of training . contradictory +I am sorry to ask , said San 'doro . San 'doro apologized to the person . entailment +uh it 's a social programs without the corresponding responsibility i guess is Social programs with no accountability . entailment +LSC has scheduled a meeting with its statewide grantees for February 7-9 , 2002 . LSC needs meetings with grantees neutral +about Mexico and and uh some of the other areas but with the Persian Gulf as you said it 's just uh been very quiet i i keep pretty close tabs on the paper and you don 't hardly see a unless it 's there and we 're just not seeing it The Persian Gulf has seen a lot of action lately . contradictory +Jon had shot his way out of situations like this . Jon wasn 't sure what to do this time when he got stuck in the snow . contradictory +To date , the Comptroller General has not excluded any AICPA field work or reporting attestation standards or SSAEs . The Comptroller General has excluded AICPA field work . contradictory +This ability to elevate significant security concerns to higher management levels helped ensure that risks were thoroughly understood and that decisions as to whether such risks should be tolerated were carefully considered before final decisions were made . You will have the ability to elevate security concerns to management . entailment +We Got the Beats We are always off beat . contradictory +Some mailers have found that turning the mail over to a presort firm , which requires time to do the additional work , results in a 1-day loss in service . Turning the mail over to a presort firm results in a loss of time . entailment +The Palais des Beaux Arts ( Place de la Republique ) has a large collection including works by Rubens , Van Dyck , and Goya . There is a large collection of art . entailment +The moral of the story , simply put , Till your garden where you are ; good and evil exist in similar quantities almost everywhere . Good and evil exist pretty much everywhere in roughly equal amounts . entailment +yeah in Garland It 's one of the few examples i can think of . neutral +Gore , by contrast , smoked pot , worked construction , attended divinity school , and muckraked at a Tennessee newspaper . Similarly , Gore never smoked marijuana and never had a laborious job . contradictory +I fled . I left the airport . neutral +One of the best is held the second Sunday of every month from 9am to 3pm at the Rose Bowl in Pasadena . The Rose Bowl holds events every 2nd Sunday . entailment +16 About a quarter to seven , Mrs. Inglethorp called us that we should be late as supper was early that night . Dinner was early that night . entailment +Music , poetry , and dance have always been important parts of the island 's identity . The arts only make up a small part of the island 's identity . neutral +The attack cost Kal his life . Kal 's attack was fatal . entailment +Very Toledan in feel , this small hotel in a 17th-century noble home is named for the city 's most famous ( adopted ) son . It was named after the PResident . contradictory +But , after all , she was only fifteen miles away . She was fifteen miles away . entailment +they 're the ones that 'll come home and tell you you know you shouldn 't smoke it 's bad for you shouldn 't drink it 's bad for you They will try to warn you about bad habits . entailment +The Commission received numerous formal and informal comments on the proposed rule during the comment period which was extended twice . The Commission responded to each comment individually . neutral +He was so determined to maintain his self-image of moral superiority that he could not relax to enjoy his Washington experience . He didn 't care what people thought . contradictory +um even when i was a teenager i didn 't really like the music of that period so much because i found i liked um a little bit more melodious music than what was often the popular rock and roll kind of thing When I was a teenager I didn 't like popular rock and roll music , but more melodious music . entailment +i 'm trying to think of anything else i do as a hobby um i don 't even watch TV very much i was tonight but TV just doesn 't appeal to me . neutral +Bakaly says no to several Snow questions , all of which essentially Have you decided when to deliver a report to Congress ? Congress is worried that Bakaly has not been doing his job . neutral +clear across town well when we lived in Albuquerque there was such a elevation difference there that there was a weather difference between the valley and the heights In Albuquerque there are a lot of weather differences due to the elevation difference . entailment +She said you told her it was because you had been awakened during the night and didn 't go back to sleep . You woke up in the night and did not fall asleep again . entailment +and uh Circuit City came along and that was the place to go to get your TVs and washer and dryers and refrigerators and all that and then after the years went by they just sort of kept creeping up on price and actually Service Merchandise is cheaper than them now so so so much for Circuit City For awhile Circuit City was the place to get your televisions . entailment +There may not be much fun left in the world . There is not much too have fun with in the world today . entailment +Round here we knows a good hoss , but we ain 't always sure of his pa , not if he 's wild stuff . We know good horses here , not that we have any . neutral +Major Buddhist temples , profiting from the suppression of Christianity during the 17th century , were established by Chinese Zen monks and designed in the style of the late Ming Dynasty . During the 17th century , very few people worshiped the Christian God . neutral +The modern air-conditioned building is well designed , with a small number of delightful pieces on display including a striking basalt statue of Pharaoh Tutmosis III . There has never been a statue made of Tutmosis III . contradictory +yeah the yes well just me and my dog My dog is a great friend . neutral +Eligible aliens in the unrestricted categories seek legal assistance at any time and in a manner similar to the U.S. citizen population . Unrestricted aliens can get legal help just as easy as citizens . neutral +Most pundits , recalling Jack 's and Bobby 's assassinations , have cast his family as the ultimate victim of his crash . Most people feel that the crash had no victims . contradictory +The El Greco house was originally built by Samuel Levi , a 14th-century Jewish financier and friend of King Peter I of Castile . The El Greco house was built in the 14th century . entailment +If you mean was I with th ' Confederate army , Yankee I sure was , from Shiloh clean through . Shiloh was in the army and he was there for a long time . neutral +oh i guess i 've never been around a cat when it was in heat Ive never been around a cat in heat . entailment +The oldest of this coast 's resorts , Trouville , is now a slightly down-market Deauville , but just as lively . The Trouville is the oldest of this coast 's resorts . entailment +Her last spear fell to the sand . The spear was very heavy . neutral +um let 's see when i each time that i thought that the Indians were going to get killed i cried um i cried the first time when the um I cried a total of ten times . neutral +uh not really it 's not too easy i had past uh state inspection uh just last month so and i had a turn signal out so i had to take it in to get the turn signal fixed but uh other than that for passing inspection uh they gave me a shopping list of things i needed to get done They told me there is nothing that needs to be fixed . contradictory +yes they 're very bold it seems They have a lot of fear . contradictory +He left us the last time with that wonderful picture of hitting the jumper to win Game 6 and the NBA championship in 1998 . He lost the game with a missed free throw . contradictory +I 'd say , young fellow , you didn 't git her here a mite too soon , no , siree . You didn 't get here too late . entailment +Additional federal requirements have been established for the protection of information that has been classified for national security purposes . that has been declassified for national security tensions to ease . contradictory +It superseded Perakia other rich mining capital , Taiping ( formerly known as Larut ) , in this role in 1937 . Taiping was formerly known as Larut . entailment +Researchers have found significant associations using both types of studies . Both types of studies are not equal when it comes to a measure of bias . neutral +all right you too thanks bye Same to you . entailment +" Dratted sylphs . Those darn sylphs . entailment +Books and TV specials are on the way . There will be three specials on tv next week . neutral +and i think a lot of cases like a lot of our minority issues the we had the ten four one verses the fourteen one election here in Dallas a while back and it lost well that was decided by a very small margin um and there were a lot of of minorities that wanted it to go the way that it didn 't go but they also had very low voter turnouts especially like in the Hispanic community and i think in that case they 've just they developed a distrust of the system and so they 've chosen not to participate in it The Hispanic community is part of a minority group . entailment +Still , there are plenty of bargains to be found . There are lots of bargains . entailment +Just short of two dozen men , six on horseback and the remainder on foot . All of the two dozen men rode hroses . contradictory +We were there . " We were present . entailment +we 're we 're into this breeding business pretty heavy now and he We never thought about getting into the breeding business . contradictory +2 ) A German court implicated Iranian leaders in four recent assassinations in Berlin . A court in Germany implicated Iranian leaders in Berlin assassinations . entailment +Also look for the elegant Hercules and Telephus and four delicate portraits of women , including Artimedes and the Flower Gatherer . There are other portraits of men and women together . neutral +Along with its 42 miles ( 67 km ) of sandy beaches and pretty beach communities , it is best known as the home of two major theme parks Disneyland and Knott 's Berry Farm and one of the nation 's top convention sites . Disneyland is in a different state than Knott 's Berry Farm . contradictory +Lana and her family have been criticized for not warning Brandon that trouble was on the way . Lana and her family knew that trouble was on the way . entailment +And this pristine wildlife reserve is within easy reach by air and road from Kathmandu . In the reserve , there are many animals peacefully living in their natural habitat neutral +In summer , kids and lovers rent rowboats and paddle about the small lake in the center of the park . Kids purchased rowboats in the spring . contradictory +Here is a grid that expresses the four basic possibilities . The possibilities include the incorporation of children . neutral +On airplanes she helps herself to the little liquor bottles ( she doesn 't drink ) and those plastic salt and pepper things . She doesn 't drink but still helps herself to the little liquor bottles on flights . entailment +Wilson provides superb overviews of Western intellectual history and of the current state of understanding in many academic disciplines . Wilson doesn 't discuss the history of Western intellectualism . contradictory +One is the state 's Enforcement Court , which goes after people who remain on probation because they failed to pay fines and restitution , collects the money , restores the trust of crime victims , and brings literally millions of dollars into state coffers that can be used to beef up other justice programs . The Enforcement Court goes after people who don 't pay fines . entailment +The tingling is briefly supplanted by internal retching- then equilibrium returns . The tingling lasted a long time . contradictory +if you could weed out those the people that have chronic accidents and test those you know that 's a start Plans to test people should be abandoned . contradictory +Like the Hirosema museum , the final message is not of victims demanding sympathy but of an entire community committed to total nuclear disarmament for the sake of the entire planet , with its own message of Never again . The Hiroshima museum exists for people to pay their respects and sympathize with its victims . contradictory +On sunny summer days , people picnic and families spend time in the fresh air . Everyone stays inside on sunny summer days . contradictory +The main shopping areas are in and around Grafton Street , along Nassau Street , in Temple Bar , O 'Connell Street , and Henry Street . Grafton Street has more expensive stores than Henry Street . neutral +The northerner stepped past , pulling his leather gloves from his hands finger by finger . He ripped his gloves off in one swoop . contradictory +Congress took These steps in response to management problems so common among federal agencies that they demanded governmentwide solutions . Congress took steps to respond to management problems to make managers more receptive to change . neutral +Fuji-san is like any other mountain in one it 's a lot easier coming down . The mountain is challenging to go up . neutral +In one view , loutish slack-jawed children , admitted to college only so the bursar can suck money out of their rich alumni parents , cheat their way through class and , if that doesn 't get them good enough grades , bully their professors into upping their marks . These children were admitted to college because they earned their spot with hard work . contradictory +The hierarchy was published in OMB Bulletin 97-01 dated October 16 , 1996 . The hierarchy describes who the leaders are . neutral +And the cliff was crumbling from under it , while the tread spun idiotically out of control . The tread spin so out of control that it was stupid as the cliff crumbled from under it . entailment +Aquacity at S 'Arenal claims to be the biggest aquatic park in the world . The biggest aquatic park in the world is actually Calypso outside of Montreal . neutral +Slaves , said San 'doro . San 'doro answered , slaves . entailment +In 1128 the king , David I , ceded land to the Augustinian order for the creation of the Abbey of Holyrood . There were kings managing land in the 12th century . entailment +Promised him some time back he could have a bait o ' oats oats an ' salt , an ' jus ' a smidgen o ' corn cake . Food can be made using oats and cork . contradictory +It is estimated that there are about 4,000 MWe of FGD capacity being constructed or just recently completed . 4,000 MWe of FGD has been constructed recently or will be completed soon . entailment +In addition , if you act improperly or fail to properly discharge your duties , you can harm a number of innocent parties . If you act up , you can hurt innocent people . entailment +The Ataturk Cultural Centre on Taksim Square offers a programme of opera , ballet , and symphony concerts from October to May ; during the Istanbul International Festival , held from mid-June to mid-July ) , the city hosts musicians and performers from all over the world . Taksim Square is completely empty of any buildings . contradictory +Kefir with a multi-fruit and multi-vegetable yogurt flavor , he said with gloomy enthusiasm and leaned against the wall awaiting the ' if looks could kill ' firing squad . To eat they had kefir with yougurt . entailment +Tastefully refurbished , it can once again claim to be one of the finest avenues in the world . After refurbishing , it still can 't claim to be one of the finest world avenues . contradictory +They made us who we are . It 's because of them that we are ourselves . entailment +He wanted to make his father happy so he went off looking for me and now he died outside of a whore 's inn in the dirt . He wanted to please his dad but he ended up dead in the dirt instead . entailment +Dave did as she had ordered , busy with his own thoughts as he discovered what he was to wear . Dave did what she wanted him to . entailment +Casamicciola Terme and Lacco Ameno are among the smarter spa resorts . Casamicciola Terme and Lacco Ameno are two spas . entailment +So what if the restorations were in concrete ? It will be expensive if the restorations are in concrete neutral +okay we 're energized um painting interesting uh the guy called me when she called me the computer called me i thought that they were reading my mind i 'm in the middle of um going out for bids to have my house painted My house is to be painted next month and I found some good painters . neutral +And in 1976 Beatty resisted pleas to make a late primary challenge to Jimmy Carter . Beatty handily defeated Jimmy Carter in the primaries . contradictory +Of course , the pair ends up in the middle of every conflagration . The pair ends up in the middle of the drama . entailment +Except where noted , all hotels listed below accept major credit cards . Most of the hotels listed below accept major credit cards . entailment +Which brings us to Moyers ' one real shortcoming . Moyers is not perfect . entailment +Light is the secret of Tuscany 's magic . Tuscany is so beautiful because the sunlight dances around on the ocean . neutral +The town , just off the autoroute from Calais , has two of the most beautiful city squares in France , echoing the classical Flemish style of the 17th and 18th centuries in the arcades and the gabled facades of the Grande Place and the Place des H ? ? ros . The Calais autoroute leads down a scenic mountain path into the town 's heart . neutral +'I have a message for you , from 101 Poirot . I have no news for you at this moment . contradictory +It should be noted that ISO 9000 does not guarantee a quality product . It should be noted that the ISO 9000 guarantees a quality product . contradictory +Lincoln shrugged . He shrugged his shoulders entailment +She went off in a taxi to Charing Cross in the deuce of a hurry after getting a telegram . " His eye fell on the letter in Julius 's hand . The letter was the same as the telegram she had received . neutral +Your mother keeps well ? I asked . " Is your mother well ? " I asked . entailment +well well the mini the you 'd be surprised if if you drive a one of the the mini vans uh fact there all more or less alike the the uh Chevrolet and uh well of course Oldsmo bile has got one and Chryslers got one but they drive remarkably like cars every major producer of vehicles has put out a minivan by this point neutral +You hear ' bout Kitchell holdin ' up th ' stage ? " There is no news on Kitchell . contradictory +After examining the consequences of successful cream skimming on Postal Service rates , we explain why cream skimming is not likely to be successful on business routes in the U.S. Cream skimming is very likely to be a success in American business routes . contradictory +In order to effect the realignment , strengthen our human capital profile , and position GAO to fulfill its strategic plan and support the future needs of the Congress , GAO has requested legislation from the Congress to We need to weaken our human capital profile . contradictory +This culture-nature split corresponds , in Walcott 's personal mythology , with a split in his European education and Caribbean childhood ; his two homes , in Boston and St. Lucia ; the two races , white and black , of his ancestry ; and the two languages I know--one so rich / in its imperial intimacies , its echo of privilege , / the other like the orange words of a hillside in drought-- / but my love of both wide as the Atlantic is large . Walcott hated both the Caribbean and Europe . contradictory +Thanks awfully , sir . Thanks awfully , sir , but I 'm afraid I cannot . neutral +The Baby Bells still monopolize the local-household phone market ( although competition for business phone customers is more visible ) . The Baby Bells has always monopolized local household phone markets . neutral +Although it hasn 't dominated Seattle 's skyline since the ' 80s , when the economic boom sprouted a host of taller buildings , it remains the city 's symbol of progress . That is definitely the city 's emblem of progress , despite its recent building . entailment +requirements for nitrogen oxides under the Acid Rain Program . There are no requirements associated with the Acid Rain Program with nitrogen oxides contradictory +They think he will be an elder of the village some day , " said Susan . Susan told us that he was not eligible to be an elder of the village . contradictory +it 's eating me alive because i i might be almost fifty but i 'm single and i don 't think and this company 's that just because and i own my own home and i have a garage and because i 'm single there 's companies that won 't take me no matter how old you are My age should be more relevant . neutral +and what would you do What would you do about the gnomes ? neutral +You realize , of course , what was at the back of that ? " There was nothing on the back . contradictory +What on God 's earth have you been doing all this time ? " Where have you been doing all this time ? neutral +Christmas with a room-service waiter is not a solution . Easter with a mummy is sweet . contradictory +This is a rich man 's sport . Everyone can play this sport . contradictory +Not once in my 37 years have I heard anyone admit that they believe in the content . No one has ever told me that they trust the information . entailment +Congress stepped in Thursday to pass a $ 19 million appropriation for Legal Services Corp. , which serves the legal needs of the poor through state programs nationwide . A $ 19 million dollar appropriation for legal services Corp. Was given by Congress . entailment +Nearly one of every four children lives in a household whose income falls below federal poverty levels . Half of all children live in households with poverty-level incomes . contradictory +right right yeah it 's nice to get out in the open air and especially when the weather 's not too hot or not raining or whatever but uh I don 't like being outside . contradictory +Thaipusam is the Hindu festival for Lord Murugan , celebrated with a procession of penitents seeking absolution at his shrine . Lord Murugan is very particular who he gives absolution to . neutral +Contrary to press reports , it 's possible that someone entered the house from outside . The house was possible to be entered from the outside , contrary to reports . entailment +yeah oh you in college I know you aren 't in college . contradictory +um yeah i think it 's a territory I 'm pretty sure that 's a territory . entailment +i think we should have stayed longer It would have been better to leave immediately . contradictory +um-hum you see this is this is tornado weather boy people don 't know it but when it gets hot like this Tornadoes prefer the hot weather like this . neutral +He drops two handkerchiefs , one to signal the swaggering parade that precedes the fight , and the other to release the first bull from the puerta de toriles , the matador 's gate of fear , for the opening act or first tercio . The bullfight involves the dropping of red handkerchiefs . neutral +Exca ? ­ va ? ­ tions have uncovered a 12th-century structure under part of the Palais de Justice . Experts believe the building excavated under the Palais de Justice was a church . neutral +The annual operating budget is about $ 3 . The budget for the entire year is $ 3 . entailment +To come to the house and ask for " Mr. Brown " appeared indeed to be a reasonable and natural proceeding . It was natural for people to ask for Mr. Brown . entailment +It has worked hard to rid itself of its seedy image as a center of corruption and drug trafficking , and vast renovations in both the city and the port have resulted in a surge in the number of cruise visitors . Cruise ships no longer stop here due to the violence created by rival drug lords . contradictory +Auditors General in their countries , and many more have served as Deputies or in other highlevel posts . 10 % level of as Generals in their countries . neutral +yeah and there there 's a guy have you ever heard of George Winston he plays piano i think he 's dead now but he plays wonderfully Have you heard of my favorite , George Winston , the great piano player ? neutral +Postal Service than for Poste Italiane ( assuming adjustments for scale ) . The postal service for Italy is called Poste Italiane . entailment +This report builds on ( 1 ) our 1994 report profiling leading private and public sector organizations that have successfully improved mission performance and program outcomes through the innovative use of information management and technology and ( 2 ) our 1995 report on the human resource management principles employed by selected public and private organizations to build and sustain high levels of organizational performance . The report profiles homelessness in DC . contradictory +The auditors then develop two ratings on a scale of 1 to 5 : One rating to indicate the effectiveness of information security controls and a second rating to indicate the level of management awareness . Two ratings are created by the auditors using a scale from one to five . entailment +Finally , we came to the end- a room that looked like a monk 's secret sanctum . There was a room at the end . entailment +Jamaica 's popularity as a tourist destination was now undeniable . Jamaica 's economy relied primarily on the tourism industry . neutral +Here was Kazin , 50 years older than I but still traveling happily toward New York , still talking about books and people with passion and devotion , and still holding out the promise of a New World . Kazin was 50 years younger , so had no expectations . contradictory +Sometimes , I feel sure he is as mad as a hatter ; and then , just as he is at his maddest , I find there is method in his madness . " At the peak of his madness , I find that there is method in his madness . entailment +Los Angeles FOR children LA is for children . entailment +Under affirmative action , a white applicant who ranks 99 th might well be denied admission while a black who ranks 105 th would get in . A white application who ranks 99th might be denied admission compared to a black at 105th . entailment +The distinction between these two major categories is that collections credited to appropriation or fund accounts are offset within the account that contains the associated disbursements ( outlays ) , whereas offsetting receipts are in accounts separate from the associated disbursements . Both categories are types of cars . contradictory +Go first to the Government Cottage Industry Emporiums , which can be found in almost every major city . It is easy to find the Government Cottage Industry Emporium in every major city . neutral +The trouble--the other half of the Japanese trap--is that while the conclusion that Japan needs inflation emerges from what looks like impeccable economic logic , we live in an era in which central bankers believe ( and are believed to believe ) in price stability as an overriding goal . There is no conclusion that Japan needs inflation to benefit their economy at all . contradictory +yeah like that commercial that you plan for uh the car new car second garage but you didn 't plan on breaking down It 's a lot like the ad in the auto magazine . contradictory +Under Section 425 , after the Administrator allocates allowances under the new trading program , the Administrator will remove from the Allowance Tracking System accounts all sulfur dioxide allowances for the year 2010 and later that were allocated under Subpart 1 of this Part . The administrator will earn money if they follow the section . neutral +More precisely , appropriations used is recognized as an other financing source in determining the entity 's operating results when the entity receives goods and services or provides benefits , grants , or other transfer payments . Appropriations used isn 't categorized as an other financing source . contradictory +12 Figure 1 contains data for USPS city carriers only . The figure in question only had information about the city carriers . entailment +so many of my crafts well right now i 'm looking at a little uh quilted uh uh hanging it 's like it 's a flag and i don 't want to wash it because that would start breaking down the batting and so forth but it 's such a dust collector to be I 'm thinking of taking the hanging to a specialized dry-cleaner . neutral +talk about a genealogy chart We have no information on familial lineage . contradictory +He sat up stiffly in bed . He sat up in bed . entailment +She had not feared Whittington , but this woman was different . She feared Whittington but did not fear this woman . contradictory +'Among other things . I bought seven shirts among other clothing items . neutral +A story says tourism is destroying the Chicago blues scene . A story claims tourism is killing the blues scene in Chicago entailment +we reviewed to empower and involve employees . We examined to strengthen and involve workers . entailment +Congress has mandated that LSC effectively monitor and audit its grant recipients , and that LSC respect attorney-client privilege and ensure that LSC recipients carry out their work consistent with their professional responsibilities . LSC does not have to obey The rules made by congress . contradictory +A Newsweek columnist says that the case did not divide blacks and whites The case did not cause a divide . entailment +In the Rue des Forges , note the H ? ? tel Chambellan ( at number 34 ) and the H ? ? tel Aubriot ( at number 40 ) , home of the Provost of Paris who built the Bastille prison . The Hotel Chambellan is number 34 . entailment +you mean in the in the most recent conflict You mean last Christmas ? contradictory +The characteristic gold leaf used in their production symbolized the glory of God . Gold leaf has been part of the production since the 12th century . neutral +New corporate and fast-food cultures , along with more freedom of movement among European Union countries and a more international perspective , have further changed the social landscape . There was freedom of movement among the European Union countries in the West . neutral +But when more advanced techniques took over , most of us forgot it . Most of us forgot because advanced techniques were too boring . neutral +So I just thought I 'd go out , said Red . I will go in , said Red . contradictory +i certainly don 't think that they 're the eighty six team anymore I don 't think they 're the same team anymore but they could get back to that . neutral +I didn 't recall Derry having an education . I don 't think Derry is educated . entailment +The point is how the Press sees the public react . ' They carried on regardless to how the public reacted . contradictory +Prone to sudden bleeding and speaking in scary voices ! Sudden bleeding is thankfully never seen in humans . contradictory +yeah yeah you might have to go to those old old old-timey high top tennis shoes that they used to wear Old fashioned sneakers would look terrible . neutral +How Do I Become a Citizen ? I 'm questioning how to become a citizen of Chile . neutral +Our objectives were to ( 1 ) identify and provide examples of the key practices agencies used to empower and involve employees , There are some practices agencies that empower employees . entailment +The old town of Annecy would be picture-perfect even without the addition of a river running through it ' complete with swans , a pristine Alpine lake alongside , and a backdrop of snowcapped mountains . Annecy is trusted by natural wildlife such as swans . entailment +Designed for a daughter of Louis XIV in 1722 , it makes a stately riverside faaade for the 7th arrondissement , with its 18th-century embassies , ministries , and private mansions ( hetels particuliers ) . The mansion was designed for a daughter of King Richard of England . contradictory +because your body doesn 't doesn 't synthesis synthesis in the same way that it does when it gets it in raw food you know Your body synthesizes the minerals differently when they 're obtained from raw food . entailment +approximately 850 of those small entities would remain eligible for registration with the SEC . Of those 850 entities , 200 of them will actually register . neutral +Each carries the title Unexplained Change in USPS FY 2001 Financial Picture . The title , " Unexplained Change is USPS FY 2001 Financial Picture " ended up not being used . contradictory +Madonna was a distant second . First place went to Madonna by a mile . contradictory +… My plans are going well … . I may finish this planned project next week . neutral +Thousands of people arrived with little more than the clothes they wore , putting great strain on the resources of the islands . Thousands of people arrived on the islands with riches , replenishing the island resources and building a flourishing economy . contradictory +The man 's voice was deep and quiet . The man 's voice is low and deep . entailment +well i 'm going to have to go check it out that 's just something i hadn 't heard of but it I will have to go and look that up because I haven 't heard of that before . entailment +The Temple ( today known as the First Temple ) was completed by David 's son and successor , King Solomon . The Temple was finished by King David . contradictory +you know it was kind of a a brisk feeling outside but it wasn 't freezing the leaves were turning and now that part of a winter up there i could truly love but uh I hated it when it was cold and the leaves were changing colors . contradictory +Medical advocacy groups are pushing a home test for colorectal cancer The home tests are accurate . neutral +Susan looked at him and his heart sank . He was scared of Susan . neutral +My researchers quickly dubbed it the sword in the stone . The researchers did not give it a nickname . contradictory +All but one of Billy 's major movies include shots of his rear , and frontal nudity scenes from his movie Sliver were trimmed at the last minute . Sliver is teeming with frontal nudity scenes of Billy . contradictory +Go on , said Mr. Carter , as Tommy showed signs of taking refuge in silence once more . There were signs that Tommy was going to talk endlessly . contradictory +He was found a few days later in black tie , dead . He was found alive and well . contradictory +A sidebar breaks news that Clinton donor Nathan Landow chartered a plane to fly Willey to his estate . The news says Landow told Willey not to come . contradictory +Tuppence , you are the limit ! You 're very liberating , Tuppence ! contradictory +With CEO support , the CIOs are in a good position to have significant impact on not just IT , but the entire business enterprise . The CIOs have the support of the CEO . entailment +Politicians who seemed not to know how to handle rifles like men . Politicians seem to not know how to handle rifles . entailment +Wanted to have you all corralled nice an ' neat out to th ' camp where he could use his hooks an ' make at least three ride mounts outta you . I desired that you all be contained at the camp . entailment +i haven 't seen it in a long time but Sesame Street is still really good I think Sesame Street is a horrible show . contradictory +His scalp , where he had cut away his dark hair , was pale . He grew his hair out very long . contradictory +Still , Frisby did a better job than Woodward in offering meaning . Frisby did a better job than Woodward . entailment +We would like to acknowledge the following private sector and government executives whose advice and assistance throughout this project has been invaluable . Several private sector and government executives attempted to hamper our project . contradictory +'Okay , ' Natalia appeared , hands on hips . 'Okay , ' Natalia and her friend appeared , with their hands on their hips . neutral +Personal pronouns anchor the headlines as they drive home an idea James and Dewey would have welcomed--the USA as one big first-person-plural community . Dewey worked hard to built communities in cities across the nation . neutral +The patient could decide how many risk factors could be addressed at one time . The patient does not have the authority to decide the number of risk factors that could be addressed at a time . contradictory +IPM projects power sector emissions under Title IV of the 1990 Clean Air Act Amendments ( The Acid Rain Program ) , which caps SO2 emissions at 8.95 million tons / year beginning in 2010 . IPM projects emissions for each year . entailment +oh i can camp just about most anyway camping or uh motor home is nice uh travel trailer pop up Vacationing in a motor home is nice in my opinion . entailment +Holding all other variables constant , and integrating their effects into the constant term , the equation for basic mail Holding one of the variables constant and integrating only its effect into the constant . contradictory +Acquiring nonfederal financial assets could be another way to translate budget surpluses into resources available for investment . Acquiring non-federal financial assets could be the only way to translate budget surpluses . contradictory +Membership imposes an obligation to maintain standards of both quality and service , and provides dissatisfied customers with an officially recognized channel for redressing complaints ; the number to call is Tel . 2508 1234 . Unhappy customers have an official channel for making complaints . entailment +now that one i 'm not familiar with I 'm not sure I know that one . entailment +The Tower Bank Arms , a pub that was featured in The Tale of Gemima Puddleduck , is very close to the cottage and a good place to stop for refreshment . There is a pub close to the cottage that was depicted in The Tale of Gemima Puddleduck . entailment +Federal employees should be viewed not as costs to be cut , but as assets to be valued . Federal employees are often viewed as a cost to cut . neutral +The warrior woman shrugged and gave a smiled at the huge man , he gave her one of his twisted grins in response . The large man 's lips twisted in a smile in response to the shrug of the warrior woman . entailment +The soaring white tower successfully integrates traditional Islamic architectural themes pointed arches , delicate open tracery with its otherwise modern design . Traditional Islamic architectural themes pointed arches , delicate open tracery are succesfully integrated with its otherwise modern design by the soaring white tower . entailment +As a result , patients pay most dental costs--about 60 percent of them--out of their own pockets . patients pay most dental costs , amounting to roughly 60 percent of them . entailment +But raising interest rates now ( which would depress the economy now ) to avoid a possible financial crisis ( which would depress the economy later ) is a lot like destroying the village in order to save it . Raising interest rates would help the economy . contradictory +At the southern extremities of the National Park are areas of limestone with so-called clint and grike patterns , caused when rainfall erodes weaker fissures , leaving high narrow ridges or overhangs of stronger rock . Rainfall has caused erosion in the rock . entailment +The estimate of labor includes planning and engineering , general labor , and skilled boilermakers . Planning is the most important component of labor estimation . neutral +yeah they brought that up at TI i don 't know how many times to to uh have a day care Nobody ever mentioned a daycare at TI . contradictory +We must stop the politics of personal destruction , Clinton declared at the White House after the impeachment vote . Clinton did not address an audience after the impeachment vote . contradictory +The specialty of this region is spicy shrimp , caught and cooked within minutes at stalls along the roadside . Fresh spicy shrimp is a typical dish of this region . entailment +The remarkable fact is that , at this very moment , Apple Computer is a larger company than Microsoft . Apple is a larger company than Microsoft , despite Microsoft being the most innovative . neutral +( Click here to find out more about Lovano and here to find out more about Osby . ) These links provided by the US Government give information on Lovano and Osby . neutral +Part of the problem is that Italian makes everything sound like a sex Menaggio , Dongo , Lemna , Cadenabbia , Faggeto , Bellagio . Italian is the most sexual and romantic language in Europe . neutral +They 'd never think of pulling to pieces one of their own pictures . They would never destroy their pictures . entailment +in terms of you know some real landmark bills passing and things like that such that you know people cause thing about civil rights is people take it for granted now i mean my generation doesn 't can 't rest on the the glow of having achieved civil rights because we were born into an assumption that you know yes there 's still some racism but you know basically things are the assumption things are basically kind of taken care of and there 's a notion of fairness that um while still far from perfect is much more established i think The civil rights movement did not change racism . neutral +um but i think in time come you 're going to see that happening you 're going to see um where the high risk people pay a premium but they have to find a way to prove it It would take some time before high-risk people start paying a premium . neutral +like this month the uh heat pump went out and uh It 's a piece of garbage , really should buy a new one . neutral +The goal of the stewardship objective is that the Federal Government report on the broad outcomes of its actions . The Federal Government had the habit of obscuring the outcomes of its actions . neutral +However , none of the five departments and agencies that we contacted had links on their home pages that identified all rules available for comment within their entire organizations . None of the seventy departments and agencies that we contacted had links on their home pages . contradictory +Fine hotels catered to the visitors ' every need , and the town reveled in the money brought in from abroad . The hotels provided for all the visitor 's needs , and the town loved the money received . entailment +At Harvard , Zelon made history when her team won the Williston Competition , a contract-negotiating contest open to first-year law students at the school . Zelon and her team 's victory at Harvard 's Williston Competition was historic . entailment +You know , Monsieur Poirot , that you have carte blanche in every way . You know , Monsieur Poirot , that your hands are tied ? contradictory +Natalia and I stood in the plywood corridor , outside our respective rooms . The hall was made of glass and stone . contradictory +Can you tell me what they were ? Do you remember what they were made of ? neutral +Only a few streets away to the east , a much older church than the cathedral graces Segovia 's most charming square . Segovia 's most charming square is graced by a much younger church . contradictory +that 's kind of scary to me that kind of to me it is more like vigilantism That scares me , I see it more like vigilantism . entailment +Messinger has at least been alluding to the new reformist thinking , while Giuliani merely mocks good-government proposals as so much eyewash . Giuliani makes fun of government proposals . entailment +no no in fact see TI actually sends uh test samples from time to time uh TI sends us test samples of food . neutral +okay well enjoyed it bye-bye It was great and I 'll see you in a few hours . neutral +On what was once a Celtic burial ground ( originally named Mont-Tombe ) , the bishop of the nearby town of Avranches began by building an oratory in the eighth century ' at the prompting , he claimed , of the Archangel Michael . The bishop of Avranches himself laid the cornerstone for the oratory . neutral +no they 're all of them are tested once every three months it 's a rotation All of them get tested every three months entailment +He saw as close a vision to hell as any had ever seen . He saw a hellish vision . entailment +yeah that was very good um he was in The Untouchables too It wasn 't that good , and I watched him in The Untouchables ! contradictory +find a nice girl and get married they 're little right right they 're a little hard to come by so anyway he 's still here uh Nice girls are hard to come by entailment +Later , if you 're curious about what these components are and how Microsoft decided which components belong to Internet Explorer , read two key documents , both written by David Cole , the Microsoft vice president in charge of the Internet Client and Collaboration Division . David Cole wrote a document on components of Internet Explorer . entailment +i do know a lot of people that you know do use drugs recrela recreationally and there 's such a big difference yeah i i don 't know it 's it 's kind of i 've also been you know known managers at TI i know one i guess i shouldn 't make that a plural but uh who drank on the job had whiskey in his desk drawer and you tell me what 's worse There 's a huge difference between people who do drugs recreationally and people who drink compulsively , and I believe that the latter is definitely worse off . neutral +" So the lake 's out , " Bork decided . Bork decided the lake was out before anyone could speak . neutral +Superficially , atomic power would seem to preclude the use of coal and oil . The atomic power is not superficially better . contradictory +Computer-administered or self-administered screens may address this issue by allowing patients to spend more time completing in-depth questioning with no additional staff time . When given the choice , most patients still opt instead for additional staff time over computer-administered screens . neutral +Deposed by the Russians in 1736 , Stanislas had the good fortune to be Louis XV 's father-in-law and was given the Duchy of Lorraine as compensation . Stanislas would have been killed if he were not the father in law of Louis XV . neutral +Unlike McIntyre 's un-PC example regarding blindness , marriage is a choice ; for some , taxes will feature in a decision to get married . McIntyre didn 't say anything hurtful . contradictory +'And no , I 'm not going to kill you . Possibly . ' I 'm probably not going to kill you . entailment +Coptic Christians founded an expansive community for prayer and contemplation here in the fourth century a.d. when many monks chose to live their lives as hermits . Coptic monks have never lived their lives as hermits . contradictory +In the area of control environment , we found that , for improper payment initiatives to be successful , setting the tone at the top is critical . Setting the tone at the top is a key part of control environment . entailment +The modern mistake is to think that important things must be planned , sponsored , reviewed , or licensed by the government . People feel more comfortable with government licenses for important things neutral +Full of Joycean memorabilia ( including his guitar and waistcoat ) , correspondence , and rare editions of books and manuscripts , it is a shrine for Joyce enthusiasts . Joyce enthusiasts should stay far away , there is no Joycean memorabilia to be seen . contradictory +Templer stepped up self-government , increased Chinese access to full citizenship and admitted them for the first time to the Malayan Civil Service . Chinese access to citizenship was increased by Templer , who made plans to step up self government . entailment +It is not surprising that national saving varies across countries . National saving is something that varies throughout different countries . entailment +Maybe lime green was a big mistake , but it 's his mistake to live with . Lime green was not a mistake . contradictory +The part about her sexual coming-of-age in San Francisco fares reasonably well . The people who enjoyed the part about developments in San Francisco do so because they can relate . neutral +And so do those of 10 ten section editors . So do the section editors . entailment +This rule was issued as a final rule with comment period because the Secretary of Health and Human Services found good cause that notice and comment were impracticable . There are about 25 different rules that the Secretary of Health had to implement . neutral +Your insensitivity is truly astounding . Your sensitivity is profound . contradictory +Ferries crosethe Bosphorus to ? ݳk ? ? dar , and ply the length of the scenic strait , past such pretty fishing villages as Arnavutk ? ? y , Kanl ? ? ca , Tarabya , and Emirgan , and offering good views of the great for ? δress of Rumeli Hisar ? ? . Ferries are not offered across the Bosphorus . contradictory +Slim looked too genuinely the bearer of just such tidings . Slim was very suited for bringing such news . entailment +It 's really exciting to me to be able to work with these people who are so committed to this work . This team is completely uninterested in their work . contradictory +Yes , but why ? Why do we need to do this now ? neutral +Emissions inputs were derived from the 1996 NTI and the 1996 NEI . the 1996 NTI and the 1996 NEI produced data needed for emission research . entailment +Leading public organizations here in the United States and abroad have found that strategic human capital management must be the centerpiece of any serious change management initiative and efforts to transform the cultures of government agencies . Public organizations found the best ways to transform government agencies . entailment +leaving it you know in a legal way or something they could send all the people over to uh you know one particular part of town or one particular project that somebody had paid somebody to you know get supported or All could be sent to a specific town area or project paid for by someone . entailment +He dismissed them . He made them stay . contradictory +The violent arena of domestic abuse litigation has grown a bit more volatile here , now that a judge has decided to hold two women in contempt of court for returning to men who had been ordered to stay away from them . The two women were held in contempt of court for eloping together against a court order . contradictory +The power of Rome endures both in the spirituality evoked by every stone of St. Peter 's Basilica and in the almost physical awe inspired by the splendors of Vatican City The power of Rome has fizzled away very quickly . contradictory +Just 90 minutes by train from the city , this area makes a very pleasant daytrip . It takes 60 minutes to reach the area by train from the city . contradictory +From Beforethewars . " From before the Americas contradictory +Jim had so much vision and enthusiasm , Reese-Wheeler says . Jim 's enthusiasm was infectious . neutral +We don 't feel like we have any options , ' said Maria Figeroa , 54 , a member of the lettuce crew reportedly overcome by pesticide drift in Olathe . Maria Figeroa is a lettuce crew member at 54 years of age . entailment +and you know they 're not making that much money they 're making probably more like five or six on the welfare so where 's the other ninety percent going well it 's going to the some fat guy in the middle who 's sitting there on his behind all day doing nothing but filling out papers Welfare is easy to get there , but they aren 't making much off it . neutral +Hazyr yemek ( ready food ) means that you can choose your meal from heated trays of pre-cooked food . Hazyr yemek means order from the menu . contradictory +A good idea , all puffed up , which is a bad idea . A good idea overdone is a bad idea . neutral +The Republican platform advocated that citizenship be denied to children born in the United States to illegal immigrants . The citizenship rights of children has not been part of any Republican platform . contradictory +The Globe claims that actress Sarah Michelle Gellar--whose thoughts on John Kennedy 's passing are dutifully recorded in the Star ' s Hollywood Weeps story--threw a lavish , catered birthday party for her dog , Thor , and 20 of his nearest and dearest . The Globe believes that Sarah Michelle Geller opted for a private one-on-one birthday celebration with her dog . contradictory +uh-huh yeah my kids and i like to bicycle i tend to be rather sore the next day or two I like to bicycle with my kids , but I 'm usually sore the day after entailment +But editorialists said Nicholson had made the investigators ' job comically easy ( he even climbed into a car with diplomatic plates registered to the Russian Embassy ) and , even so , hadn 't been caught and busted soon enough . Nicholson was a bad spy . neutral +but uh we do a lot of kid watching We don 't do much kid watching . contradictory +Defunding was not a viable remedy , Mr. Kleiman added , because the only people hurt are those who benefit from the services . Defunding was expected to hurt the people who receive the benefits . entailment +The wrist supporters I ordered were black neoprene with a metal brace and a flexible magnetic band . The wrist supporters arrived in time . neutral +oh yeah i talked to one we 're not on the subject of course i talked to one i think he had a whole bunch of calls he had a roommate that had calls and everything he had way more twice as many calls as as i 've made uh I talked to about ten , all with no roommates . contradictory +What if he had , though ? Except what if he had ? entailment +yes i 'm in San Antonio No , I moved out of San Antonio last year . contradictory +Another vast , unforgettable Velazquez canvas here is Surrender of Breda , commemorating a Spanish victory over Dutch forces in 1625 . The Dutch won the war against the Spanish in 1633 . contradictory +Sex sometimes includes a heartening oration , but usually toward the end , urging you on to mutual victory ; such remarks are rarely delivered at halftime , when you 're lurking in the locker room , glum and battered . There is a goal of mutual victory in sex because it 's an activity that involves to people . neutral +Admirable ! he murmured . The man was great . neutral +and i said okay i didn 't you know was kind of groggy didn 't know what was going on and crawled out of that tent and uh sure enough uh shortly after that they blew down so we 're out here in the pitch dark in this wind and it starts to rain After we got out of the tents , it started to rain . entailment +With regard to responsibility , all CPAs should be mindful of the broader public interest in connection with all their activities . It is important that accountants understand their work has implications in the grand scheme of things . entailment +On the base of the white bust erected in 1916 , there 's a declaration in French that it was here that Karukera became Guadeloupe . The bust was commissioned to document the transition of Karukera to Guadeloupe . neutral +right well i you know i 'm like i said i 'm i 'm very much pro testing um and and this is why I 'm protesting . entailment +The plan seemed to him simple but excellent . He thought the plan would work well . neutral +yeah yeah well the the book was just ever so much better The book was so much better than the movie . neutral +you would have thought the guy was just pure as the driven snow but i happen to know his background and i know that he would have sold out his mother for uh uh shorter sentence He seems like a good guy , but he would have sold out his own mother . entailment +Juan Par . His name is Juan Par . entailment +While it considered several alternatives to reduce to the burden on small entities , the SEC found that separate treatment for small entities would not be consistent with the protection of investors . The SEC concluded that separate treatments of small entities are consistent with the protection of investors . contradictory +You can experience America 's favorite summer pastime by grabbing a hot dog and a beer and rooting for the Dodgers baseball team at Dodger Stadium , just north of Downtown in Chavez Ravine . A basketball game at the Barclays center is a good idea for an American summer pastime . contradictory +Its northern deserts were a battleground in the Egypt-Israeli conflicts of the 1950s and 1960s , and it was occupied by Israel for many months before it passed permanently back into Egypt 's hands with the treaty of 1979 . It is still under occupation by Israel today . contradictory +A 'deem trusted the mercenaries he paid , as did the others who paid them to watch the alleys , but one could never be too careful . A 'deem wanted to be careful with his mercenaries . entailment +'Let us take a brief moment of silence for the late Ted Hughes , ' to the semiannual convention of Poetesses Who Love Anguished , Theatrical Histrionics ( PLATH ) . PLATH had a biweekly convention . contradictory +probably i don 't know where they got them from they just came up gave me a whole bag of these things I got a bag of this stuff from people that approached that me . entailment +we may get some more tonight We might get more tonight . entailment +Adjoining chambers are assigned to lesser royal personages , with a gloomy area devoted to the princes who died in childhood . There is an area devoted to princes who died during childhood where people flock to pay their respects . neutral +GAO must become more capable of handling multiple responsibilities in a rapidly changing environment-all while adhering to our core values and applicable professional standards . The rapidly changing environment is the reason why GAO must become more capable of handling multiple responsibilities . neutral +However , the mix shouldn 't just be geographic . There is geography in the mix . entailment +The leaks suggest to our NATO allies that the U.S. military isn 't seriously engaged in the operation . The U.S. military is actively involved in the operation . contradictory +yeah it it depends on um yeah there 's there 's always a reason why they 're on sale They 're on sale for a reason . There is always a reason . entailment +Carolyn McCarthy , who launched a political career after her husband was killed by a crazed gunman on a Long Island commuter train . Carolyn McCarthy has made a career of gun control legislation . neutral +The West Virginia College of Law , the state 's only law school , is playing an increasingly important role in the development of statewide technology and support systems . It has a critical role in support system development . neutral +That 's Henry Kissinger 's accommodations in hell . They are the accommodations of Henry Kissinger in hell . entailment +Nancy owes its classical beauty to King Stanislas Leszczynski of Poland . Nancy owes its classic beauty to Hitler , former king of Poland . contradictory +No , it is astonishing until you get used to the idea , and see how it makes everything fit in . It is still astonishing even when you see how everything fits . contradictory +The meek little Yes Sir , trickled to the front of my mind- but something stopped me . The Sir 's angry glance stopped me from thinking about it . neutral +But Press didn 't call anyone a racist . The press called someone a racist the other day . contradictory +um i 'm done where i work I work at the gas station . neutral +For example , critics pilloried ultimate fighting because competitors fought with bare To a nation accustomed to boxing gloves , this seemed revolting , an invitation to brain damage . Traditionalists were disgusted by ultimate fighting 's lack of protection and brutality . neutral +'Come on , ' White growled , racing toward the battle . White ran towards the fight . entailment +it 's not too bad it it it 's unfortunate though i guess because i probably should uh do a little less of the hardening of the arteries with the salt and a little less of the sugar here and there but I should eat less salt and sugar to stop the hardening of the arteries entailment +A cornucopia of bizarre creatures adorn the buildings flanking this pedestrian giant monsters slither down the buildings , restaurants , cinemas , theaters , games centers , and steamy noodle bars . The area is a good place to watch a movie then get a bowl of noodles . entailment +FDA also points out that it revised the rule in several respects to decrease the burden on small entities in response to comments received from small businesses . The FDA changed the rule so small businesses wouldn 't be hurt as badly . neutral +yeah have you seen that oh it was great yeah it was I wouldn 't waste your time . contradictory +Again stressing this process did not produce an extensive assessment , LSC management submits that it is sufficient to reasonably estimate the population of reported cases contains an error rate of 11 percent . All estimates are considered to be exact . contradictory +At the end of the Via Rizzoli , the two leaning towers are all that remain of a whole forest of more than 200 medieval status-symbols like those of San Gimignano in Tuscany . The statues in the the Via Rizzoli survived until the 1800s . neutral +The task was left to Bindusara 's heir Ashoka ( 269 232 b.c. ) , admired by Indians as their greatest ruler , perhaps for his special combination of tough authoritarianism and a high sense of moral righteousness . Ashoka was admired as a great Indian ruler . entailment +But you 'll be so tired , child . The child didn 't care if they would be tired , they 'd play anyway . neutral +And we will create employee pools of generalists to increase our flexibility and enhance development . Creating a large talent pool will take at least 6 months . neutral +The colony 's population has always fluctuated according to events beyond its borders . The population of the colony would shoot up due to events in neighboring areas . entailment +If Beresford has still got the upper hand , there 's nothing to fear . There 's nothing to be afraid of if Jones assumes control . neutral +i used to do that a lot and then i like um we have a new child that 'll be a year old here next week so i 'll take a lot of pictures of her you know and spoil them first one you know how that is and um uh our youngest child will be two years old next week contradictory +Randy 's Tech Talk and Apology in Lieu of Actual Wrap-Up Randy 's Tech Talk and Apology will be a poor replacement . neutral +Yes . You too ? Tommy nodded . Tommy nodded to his friend . neutral +okay i 'm i feel i 'm like i 'm almost an expert on this subject i 've got two in college and if one doesn 't graduate i 'm going to have three there by September I have two in college and a third on their way there . entailment +( Or at least , we hope to make this a tradition , and have got away with it for two summers so far . ) We hope our mischief becomes tradition since we haven 't been caught for two summers so far . neutral +Auditors also need to consider whether any reliance will be placed on internal controls in designing audit procedures . Auditors need a very keen eye for details to spot all dangers to audit procedures . neutral +It 's a delicious , dark , heavy cake , similar to gingerbread . It is a very light cake and doesn 't taste good . contradictory +For this reason , the organizations considered promoting awareness as an essential element of the risk management cycle . The organizations were also promoting healthy well-being . neutral +The one-day crash of ' 87 , for example , reduced people 's net worth by billions without directly reducing by as much as a single doughnut the amount of goods and services or the economy 's ability to produce more of them . The one-day crash caused massive hysteria all across the world . neutral +Audit documentation for financial audits performed under GAGAS should contain the following . There will be no audits under GAGAs . contradictory +As with all Buddha images , the positions of the hands are highly significant . The way the hands are positioned is of importance . entailment +This is the level at which the population living in that grid cell is assumed to be exposed . The population in that grid are hurting due to the level . neutral +This hypothetical program is for illustration only . The program is a real-life example . contradictory +so what 's what 's your prediction on North Carolina and Duke Who do you think will win , NC or Arkansas ? contradictory +no i 've seen what comes out of the ocean and i have no desire to share any space with anything like that What i 've seen goes out over the ocean . entailment +or mine yeah i got you there I don 't undrestand . contradictory +But faculty members are concerned about conflicts of interest , not only on the part of the trustee , Andrew Rosenfield , but also because UNEXT 's investors include two University of Chicago economics professors , Gary Becker and Merton Miller , as well as the university 's law school dean , Daniel Fischel . Gary Becker and Merton Miller are professors in the University of Chicago . entailment +The AICPA standards for attestation engagements provide for three levels of reporting based on the type of assurance the auditor is providing . The auditor is a corporation . neutral +i didn 't notice anything simplified about it except that they took away the deductions for the interest and other things It was significantly simplified . contradictory +The prime directives of state planning emphasize quality , training , holistic legal services and cross-program advocacy , and LSC and its grantees have paid increasing attention to the quality of the services we provide to our clients . The state wants to emphasize holistic legal services for refueegs . neutral +But that 's not right . But that 's wrong . entailment +By these criteria Kinsey fares well . Kinsey does well depending on how you evaluate him . entailment +Whitebelly panted and shivered , even at night . Whitebelly had to add and remove blankets throughout the night . neutral +Tuppence was first at the rendezvous . At the rendezvous , Tuppence was last to arrive . contradictory +yeah no i used to when i was when i was uh younger I still do it now that I 'm older as well . contradictory +well uh i don 't have any strong convictions about it that 's for sure um i know i haven 't done any Peace Corps service and i don 't know anybody in my immediate family that has or you know has ever even thought about it do you know uh do you know anybody that 's been it I don 't have strong feelings about the Peace Corps , so I don 't have a helpful answer . neutral +oh it was completely i mean it literally the two dissimilar floor level floor coverings were not level and at first after it happened i thought maybe that 's a handicap access and then i said no that 's just the way it 's constructed one part of the floor is half an inch higher than the other neutral +In medieval England the severed heads of those who crossed the throne were regularly stuck on pikes and mounted in public places , London Bridge being a choice site . They buried all the heads . contradictory +Examples included denial of service , unauthorized access , data compromise , system damage , copyright infringement , and unauthorized commercial activity . Unauthorized commercial activity is one of the examples . entailment +Define the household 's demand function for the i-th The household is very functional . neutral +what he 'll be able to do he 's been last year he started having some nagging injuries and His injuries were the result of an accident neutral +Boone claims that the album 's purpose is to attract metal enthusiasts to Jesus , and that his get-up was a spoof of his old choirboy image . Boone 's get-up is a nod to rodeo clowns . contradictory +The framework allows you to identify the appropriate mix of assessment steps to fit the particular needs of your engagement . The framework doesn 't allow you to identify the appropriate mix contradictory +What she has done is try to seem casual and arrange her hand so it covers her nose . She wanted to look more suspicious so she covered her nose . contradictory +Grey scree slopes dominate both sides of the pass , which only sheep seem to be able to move acrosewith ease . Sheep are very capable of moving across this path . entailment +Beaten , raped and tortured in her politically repressive homeland , she knowingly used someone else 's passport to escape to America , but was caught by immigration authorities upon her arrival . The woman escaped to America in the pocket of her husband 's shirt . contradictory +Taken together , the key steps and practices drawn from the organizations we studied provide a useful framework for federal agencies working to implement GPRA . Federal agencies are working to eliminate GPRA . contradictory +It is a hard one to be against . It is hard to be the one against because the majority do not agree with you , and disregard your opinions . neutral +yes but the but the question is you know if somebod y offered you you know a thousand dollars a day to to grow something in your backyard would you do it If someone offered you a million dollars a day to grow something in your backyard , would you say yes ? contradictory +Polls show most people aren 't willing to impeach Clinton over the Lewinsky affair , but they do think he 's been exposed as a liar and cover-up artist . Everyone believes that Clinton should be impeached over the Lewinski scandal . contradictory +Frank Swettenham became first Resident-General of the Federation , with Kuala Lumpur as the capital . Frank Swettenham remained in control for nearly 40 years . neutral +I 'll bring the sandwiches . I will provide some sandwiches . entailment +Fortunately , we are now seeing increased attention to strategic human capital management and a real and growing momentum for change is now evident since we placed strategic human capital management on our High-Risk list . They gradual decreased their interest in human capital . contradictory +But he is older now . But he is older now and he looks it . neutral +Women are so large a part of the labor force that it is hard to believe that this could be true of the total if it were not also true of women . Men are a huge part of the labor force so they are the only ones that matter . contradictory +There are Legal Services offices in every county except Salem and they handle roughly 50,000 cases a year . They don 't need an office because they don 't have many cases . contradictory +The Times is stumped by this , but the Post gets he 's quoting a line Matthew Broderick used in Ferris Bueller 's Day Off . He doesn 't know who mattew Broderick is . contradictory +Even if we had the will to do it , we couldn 't stop killings everywhere . Even if we wanted to we couldn 't stop all killings . entailment +Diaz points out that ephedrine is also a main ingredient in Metabolife , though he duly notes Ellis ' claim that this is mere coincidence ( he fails , however , to repeat Ellis ' assertion , apparently backed up by DEA- and FDA-certified labs , that you can 't actually make methamphetamine out of Metabolife ) . According to Diaz , ephedrine is a main ingredient in Metabolife . entailment +But the rest is just a cat-and-mouse game for a rather slow-witted cat and an even slower-witted mouse . And the rest is a slow-witted cat and mouse game between the husband and wife . neutral +LSC grantees seek to increase visibility in the client community in several situations - for example , when launching new services ( for example , a toll-free phone hotline ) , trying to reach special-needs populations ( the elderly , homeless people , families reaching the end of their eligibility period for welfare , people in non-English speaking communities ) or expanding services into hard-to-serve communities ( for example , to small towns far from legal aid offices ) . The LSC doesn 't care if they reach hard-to-serve communities . contradictory +As this suit involves a subsidy , limited forum cases such as Perry , Lamb 's Chapel and Rosenberger may not be controlling in a strict sense , yet they do provide some instruction . Limited forum cases may not be controlling . entailment +This resulted in the emergence of a new class of so-called statesmen or yeomen farmers , who came to comprise a new middle class . A new class appeared which was comprised of yeomen architects . contradictory +He likes to say , There are only two emotions in football--euphoria and death . Most football fans agree that there aren 't many neutral emotions associated with the game . neutral +And don 't miss a stroll down Francis Street ( Dublin 7 ) , Dublin 's antiques highway , lined with antiques and art stores . Francis Street is great if you need to sell carpets and guns . contradictory +Your June 28 report on our success is gratefully received . The report focused on everything we had done wrong . contradictory +I bid low at first to convince my competitors that the item isn 't worth much . Manipulation is important when bidding . neutral +Next to the regalia sits the Stone of Destiny , or Stone of Scone , which historically served as the seat on which Scottish kings were crowned , a symbol of the land over which they would rule . The Stone of Destiny was where the Scottish kings were crowned and were put in their crown . neutral +Special Report to the Health Effects Institute , Cambridge MA , July 2000 The special report was publishes in the 80s contradictory +Using a variety of methodologies for estimating the unmet legal need of the poor , several states have since reached conclusions similar to the ABA study , including Florida , Georgia , Hawaii , Illinois , Indiana , Kentucky , Maryland , Massachusetts , Missouri , Nevada , New York , and Virginia . Florida has 2million people who need legal help but can 't get it . neutral +A Trappist monastery , situated on a hillside overlooking the east coast of Lantau , is also open to visitors . Trappist monasteries are closed to visitors as a rule . contradictory +The kings and counts and feudal lords have gone from the Loire Valley and the forests and marshes of Sologne , but the hunting and fishing country remains . Fishing is a very popular pastime in France . neutral +Still , in the vast sweep of history , a 50 to 60 percent approval rating isn 't particularly great--it 's about where President Kennedy 's lowest job-approval rating sat . Most presidents have received approval ratings higher than Kennedy 's neutral +But the blade stopped . The blade 's strike was true , and it sliced the torso of its target before he could react . contradictory +Kentucky advocates and Medicaid officials suggest such alternatives as buying a prepaid burial , paying premiums in advance on Medicare supplement health-insurance policy or paying outstanding medical bills . Medicare offers loans for people who cannot pay their medical bills . neutral +i 'm going to be able to make my own clothes I will be able to make my own clothing . entailment +Meze are served with fresh white bread to soak up the oil and juices . Fresh white bread and meze are not compatible . contradictory +Since 1994 , Case has been involved with the formation and development of Lancaster Interagency Council for the Homeless . Case does not participate in initiatives that have to do with the homeless . contradictory +Jon wondered for a moment how lucky they had been to pick the right spot for their retreat until the answer came to him . Jon thought about their luck for a few more minutes . neutral +Upgrades to existing FGD systems would include a case-by-case examination of the absorber tower , flue gas inlet , absorber gas velocity , reagent preparation , upgrade pumps , and potential changes to some internals , the type of reagent , and to the chemical processes to increase performance . Existing FGD systems cannot be upgraded in any way , shape or form . contradictory +Ca 'daan took them through the alleys behind the shops and untied the intricate five-lace knot that held the door closed . Ca 'daan untied the knot . entailment +A marvel ! A wonder ! entailment +He 's thinking about running for the Oregon state legislature . He has ran for an elected position before . neutral +That is why it implores you to reach out and touch someone . It has negative emotions . contradictory +In its first year , Bay Legal also successfully conducted a region-wide Campaign for Justice fundraising effort which brought in significant funds to all of its offices . The funds were spent on a lavish office Christmas party . neutral +Tenants of mobile home parks often feel forced to move when conditions become intolerable . Tenants of the parks feel like they have to move . entailment +It 's the plant equivalent of virgin birth--which is to say that they are all clones , propagated by cutting a shoot and planting it . The plants are all clones of a rare bamboo plant . neutral +it is they keep it at eighty one degrees year-round In the summertime , the temperature is 45 degrees . contradictory +They 're mean , they 're fast , and they can pick locks . Raptors were the most blood seeking dinosaurs . neutral +Unfortunately it was destroyed when the city was sacked during the Fourth Crusade , and left stripped of its statues and marble seats . After the Fourth Crusader , it was left bereft of its marble seats and statues . entailment +What should public company boards be doing ? How can the boarsd help the employees ? neutral +and they 're not you know they 're not doing anything to support themselves while they 're there The support themselves very well when they are there . contradictory +And in my experience , people who complain about people who are helping animals are usually not helping anyone at all ! I have noted that everyone helps both humans and animals alike . contradictory +Therefore he was left with a choice as to which he would follow . He had a choice on who to follow . entailment +Drew 's curiosity got the better of him . Drew looked into the bag after he could no longer restrain his curiosity . neutral +We accessed the Federal Register notices for each of these 576 proposed rules electronically through the GPO Access web site . There were many rules that would not be approved . neutral +Before turning off the coastal plain into the Valley of the Kings , one of the most impressive Theban temples comes into view on the left , that of Queen Hatshepsut . The road leading to the Valley of the Kings is well known for it 's scenic route . neutral +We prefer , said the German coldly , " that you should remain here . The German asked him to come along . contradictory +But all year round , you can visit the monumental 18th-century Grandes-Ecuries ( stables ) , now a horse museum ' with live horses contentedly munching hay next to wooden statues . Everyone loves visiting the horse museum and seeing the live horses . neutral +um yeah it really does i like shrimp better I prefer shrimp entailment +He passed ropes around the corners until the mandrake turned and rigidly marched away , the blows of his whip falling metronome-like on the slaves he passed . He regularly whipped the slaves as he walked by . entailment +The product is a sharpened understanding of what might be important to look at further in similar situations and what explains why the instance happened as it did . In the end , you will be able to understand why these events happen . neutral +It can be reached by bus , suburban railway line , or cable car ( teleferico ) . The buses cost five dollars to ride but the cable cars cost twice that much . neutral +He did so with surety , using the elbow of his bad arm to steady himself at the threshold , then raising both fists in a stretch . He used the elbow of his bad arm to keep himself steady . entailment +It might have been useful for welding , but there was no electric torch . There was a torch so it could be done . contradictory +Cherpitel reported that patient self-report of drinking prior to arrival had a sensitivity of 29 % for alcohol problems in the ED . 39 % of people that self reported their drinking activity had an alcohol problem . contradictory +Responding to concerns on the part of the MCCJ , the Pro Bono Resource Center , and others that , despite a long history of strong pro bono commitment , some momentum appears to have been lost in recent years , the Court of Appeals established the Maryland Judicial Commission on Pro Bono in 1998 to reinvigorate the pro bono effort . In 1998 efforts were made to spark up the pro bono effort again . neutral +It 's also important to take the rarefied atmosphere into account when exercising . It is vital to consider the atmosphere when exercising . entailment +So this lad seems to think . This boy has spoken to the members and he is basing his belief on their information . neutral +i don 't know i 'd first of all is there a proposal in this i mean is there a legitimate proposal i didn 't see that on the list but i guess it 's unless yeah There 's no proposal yet . contradictory +Newsweek ' s cover story examines the convergence of science and religion . Newsweek discussed science and religion . entailment +Among the buildings to watch for are the H ? ? tel des Barons de Lacoste ( 8 Rue Francois-Oustrin ) and the Maison des Pauvres ( 12 Rue Alfred Sabatier ) . The Hotel des Barons de Lacoste is a very pricy place to stay . neutral +Migrants of Mediterranean stock from the Middle East and Asia seem to have made up the Dravidians , now principally in the southern peninsula . The Dravidians are mostly in the southern peninsula of Italy . neutral +Oh , there 's Cynthia ! " A young girl in V. Where is Cynthia ? contradictory +and uh all the kids seem to enjoy that we we will have an Nintendo somebody have will bring an Nintendo right i well my my i know my sister-in-law who uh is uh engaged to be married The kids like that we will have a nintendo . entailment +Rome was plundered by imperial armies in 1527 ; the Medici were driven out of Florence and returned to power only under tutelage of the Spanish , who won effective control of the whole country . Rome had never been plundered by imperial armies . contradictory +But wait a minute , Chatterbox thought . Chatterbox thought , hold on a minute . entailment +Islam frowns on the use of precious metals in its religious buildings , so artisans working more basic raw materials have always been highly regarded in the Arab world . Islam says not to use precious metals in religious buildings because it is wrong to make the buildings so valuable when the focus should be on the teachings . neutral +it doesn 't always work that way " Sometimes it works this way or that way , but not always . " neutral +It would seem so unfair . It seems like the fairest choice . contradictory +Someone , maybe a family counselor , needs to deal with the alienation the youngster feels and the hostility harbored by your husband . Your husband is alienating the child . entailment +They traveled at an angle , the pace set by Teodoro who led a pack mule . The leader rode a dark brown horse . contradictory +It isn 't absurd for anyone , including Falwell , to notice these hints , inferences , and references . There are hints , inferences , references , and people can notice them . entailment +and and those are shall we say blue collar that that your work the assembly line type or technician some engineering uh you may not have the the self-employed businessman willing to go because he though he may be Blue collar work in usually the highest paying profession and blue collar workers are doctors or business men . contradictory +After looking through a loose-leaf binder with photographs of cakes taped onto the pages , she ordered chocolate , the child 's favorite . She ordered the kid 's favorite kind of cake , which was chocolate . entailment +The main attractions are the State Legislative Assembly Building , a nest of nine roofs , one for each founding state , and the Taman Seni Budaya Negeri ( Arts and Culture Complex ) . The main attraction is the hot dog stand , where you can get the most delicious fast food in the world . contradictory +A six-lane toll motorway leads 80 km ( 50 miles ) west of Izmir to the small resort and ferry port of ? ȥ ? ̭ e , where boats crosedaily to the Greek island of Chios , a mere 12 km ( 71.2 miles ) away . A six-lane toll highway leads visitors west of Izmir to a small resort . entailment +Below , dark refers to the day when the show does not play at all . When it is dark , one can expect to see a show playing . contradictory +The two armored men took one of the girls and tied her to the altar . The two men wrestled with the girl . neutral +For us , as Jews , the eulogy is not literary but religious . Eulogies are meant to be religious for us Jews . entailment +[ B ] ecause the equality of right and ability breeds equality of hope in the attaining of our Ends , and because each man 's ends are naturally to be preferred to his rival 's , the two will inevitably become enemies , and in the absence of a neutral arbiter they will endeavor to destroy or subdue one another . Only a neutral arbiter can keep peace between equal men . neutral +The sun had broken through the hole and was falling ! The sun was approaching the ground at light speed . neutral +And it 's more likely to have been a woman than a man " It is less likely to have been a man , than a woman . entailment +A package might include accelerated salary schedules or stock options . Stock options are often worth more than regular salary . neutral +Yes , thanks , returned Tommy cheerfully . Tommy was cheerful because someone helped him . neutral +Privilege is above and beyond the normal . Privilege is something outside and beyond average life matters , said the black woman . neutral +Why had he said that ? Why did he say the thing he said ? entailment +And what have they got against me ? " " They 're monsters , " she told him . She told him that they 're monsters . entailment +What makes Safed special , however , is being able to simply enjoy strolling the ancient , narrow cobbled alleyways . Safed 's appeal comes from its modern shops and high-tech public transportation . contradictory +Tens of millions of humans , as we know , willingly partake of marijuana , and these differences between rat and human behavior should discourage us from using two rat studies to assert that a ) marijuana is addictive in the same way as harder drugs are and b ) marijuana primes humans for addiction to harder drugs . More rat studies are planned to investigate the impact of marijuana . neutral +Based on the responses from our initial requests for information from the countries and organizations and our Internet search results , we selected three countries ( Australia , New Zealand , and the United Kingdom ) as possible study participants . The countries are selected for being islands . neutral +or whoever we happen to give the most money to at that particular time we seem to support without regard whether there is a democracy or a anarchy or anything else We give people money and expect them to do what we want . neutral +yeah yeah there there are many organizations uh feed the hungry all these there 's a lot of drives in school for this type of thing already you know not neccessarily sometimes um There are no food drives at school . contradictory +This is the spot where Wordsworth 's sister Dorothy was stopped in her tracks by what she believed were the most beautiful daffodils she had ever seen ; her astonishment inspired Wordsworth to write about this host of golden Daffodils in one of the best-loved poems of the English language , I Wandered Lonely as a Cloud ( 1804 ) . Dorothy collected some of the daffodils and brought them home for Wordsworth to see . neutral +Alternatively , you can head north up Kantipath , take the first left and then , after a bit of zigging and zagging , take the second right to find yourself heading back into Thamel . It may seem like a round-about way to get there , with all of the zigging and zagging , but it really is the quickest route back to Thamel . neutral +Fortunately none of them hit him . All of them ended up hitting him hard . contradictory +However , if the second possibility were correct , then both George Bush Sr. ' s and George W. ' southern identities would have to be called into question . Both George Bush Sr and his son may not be as Southern as people think they are because there 's some questions about their family tree . neutral +5 million has been raised since the campaign began . The campaign ended after raising one million dollars . contradictory +The section is modeled after ProBono.Net in New York City , a popular resource that contains substantial information on areas of law relevant to pro bono projects , a calendar for CLE events and forms through which volunteers can pose questions to experts , among other tools . Pro bono law projects are done free of charge . neutral +i 'll have to okay thanks Thank you for reminding me of this thing I have to do . neutral +Today 's Papers will be updated daily throughout the week . Today 's paper will not be updated . contradictory +when i i i happen to you know be i 'm very active with uh people other people with children my age and most of us do tend to stay home but when i run into people that you know just have recently had had babies or have very young children and are working full time i there 's almost a uh friction between us Most of the people my age , who have children , stay home . entailment +i think i think they were pardon the phrase all in bed together or something I think they were all planning it out together . neutral +However , it is uncertain whether wealth-based measures are reliable for gauging the growth in the nation 's capital stock and whether revaluation of existing assets should count as saving for society as a whole . It 's not clear if wealth-based measures can be counted on if the nation 's capital stock is more than 25 % . neutral +And yet , toward the end of this book , just when I was about to file Huntington in the Pat Buchanan section of my brain , he underwent a miraculous transformation . Huffington can now be trusted with reporting news . neutral +'Thank you all for your attention . I have some very important things to say , pay attention . neutral +First--ahem--there is the matter of housekeeping . First we have to talk about housekeeping . entailment +well good i 'm glad to hear that about the only thing uh i might suggest is uh do the same thing again introduce her to a to a spider at a reasonable distance where she isn 't frightened I advise to introduce a spider at a reasonable distance . entailment +Thinkin ' of trains runnin ' through here git you down that far ? The trains still givin ' you hope ? contradictory +These case studies , to be completed in the summer of 1996 , are to be made publicly available . The case studies should be made publicly available . entailment +Though not with the ferocity they once exhibited for Stark , the remainder of the Sticks charged . With even more ferocity , the Sticks charged . contradictory +Payment is strictly in Malaysian currency . The payment is for a travel ticket . neutral +Implementation will , therefore , require the emergence of leaders who endorse the concept that alcohol screening and intervention is their responsibility . In the past , this has been primarily an HR function . neutral +Bottles of your favorites are available in the gift shop on the first floor . The gift shop is on the first floor . entailment +it was like a hundred and twenty five or something and it it didn 't feel that hot The temperature was around 125 degrees yet it did not feel like it . entailment +It was on his card . It was important information on his card . neutral +First negotiating deals with Syria and the Palestinians . The last deal between China and me . contradictory +Normally , a computer was designed for flexibility and to handle varying conditions . A computer was nearly impossible to design and build . neutral +I 'd worry more about The Rage : Carrie 2 , which mixes righteous indignation with pornographic violence in a school setting . The Rage : Carrie 2 is a family film . contradictory +Eden Gardens , with pond and pagoda and the venerable Caletta cricket grounds , are by the river . The river is far from the Caletta cricket grounds . contradictory +The biggest marque d 'attention a tourist can receive is to be invited to a Creole home . Being invited to a Creole home is a common , everyday occurrence . contradictory +yeah it is i know but that that 's the way it is It shouldn 't be like that . contradictory +The boycott has been called off , but demands persist for full disclosure of records of Holocaust victims ' assets , and there 's little sign the Swiss will recover their pristine image any time soon . Although the boycott has been canceled , there are still demands for the Swiss to release records of the assets of Holocaust victims . entailment +You 'll see why . You will see . entailment +The city was ruled in turn by the Lydians , the Persians , and the Attalid kings of Pergamum , until 133 b.c. , when Attalus III bequeathed his kingdom , and Ephesus with it , to the Romans . In 133 B.C. , the kingdom was given over to Roman control by Attalus III . entailment +It slowly blossomed into a huge cloud of pink gas that rifted away , to show people and objects dropping like stones to the ground below . The mist dissipated and we looked on in horror as we saw people plummet to the ground below . neutral +and have it on you know one floor and really easy access well that 's what i 'm telling my father now he needs a new floor in his bathroom and i says now is the time redo your whole bathroom so you can get in and out I told my dad to fix up his bathroom now because by the time he 's really old he 's gonna have a hard time getting in and out of it . neutral +Prepared for the Prepared for it entailment +Then then angry and baffled , the words failed him . He could not say a word for a whole five minutes . neutral +right recently yeah fairly recently well that 's really sad i hadn 't thought about that in a long time Now that you bring it up , I think we should do something about it . neutral +He was so tired . He had slept for twelve hours and felt great ! contradictory +Such a one learns from knocks , not from warning words . You have to knock them hard and good to make sure they learn . neutral +rather than just be played at anytime anytime during the year rather than just be played whenever throughout the year entailment +Initially the Fringe consisted of several small theater companies that were not included in the official festival program but nevertheless decided to hold performances on the same dates . Fringe has now grown to be almost as popular as the festival . neutral +Lively , young , buzzing atmosphere . The atmosphere is very laid-back . contradictory +Take it easy , and you 'll find the trip well worthwhile . Go at a moderate pace , and you 'll enjoy yourself . entailment +Jon picked it up . Jon left it . contradictory +yeah the trouble with with builders planting the trees is they they get the weaker varieties ones that aren 't as desirable Builders plant the strongest , most desirable trees . contradictory +I 'm a frightful minx myself . I 'm delightful , but quite shy , contradictory +yeah and just be right there huh Just be right there ? huh entailment +um well i get to put work after work i i have to hurry home and uh and help out with the kids and When I get out of work I take my time going home . contradictory +Clad with gray Aswan granite , it is engraved with letters and graphic inscriptions of cultures and societies around the world . The granite was engraved hundreds of years ago . neutral +He said , " I suppose you 're right . He said , " There is not way you could be right . " contradictory +Drew sat watching the dust arise again as the trio of riders pounded away . The dust got into his eyes and Drew coughed . neutral +Just who is in charge , anyway ? The leader stood at the front of the room and was readily apparent . contradictory +um i never did i always tried to understand things not tried to memorize I didn 't try to just memorize , I tried to actually understand things . entailment +The information Jon had shared about Susan shook Adrin and his confidence lagged . Adrin 's confidence took a hit when Jon told him something about Susan . entailment +We remember the Marshall Plan today not because Secretary of State George Marshall gave a great speech ( he didn 't ) or because President Truman maneuvered the bill creating the staff and bureaucracy of the European Recovery Administration through Congress . We remember the Marshall Plan today because it cost us a ton of money . neutral +It would seem , Sergeant , he remarked , " that there was a book involved . He told the sergeant that there was probably a book involved . entailment +Potential water shortages have not been enough to stop the developers , however , and hotel complexes and scores of new apartment blocks line the beaches of Es Pujols , Mitjorn , Es Cale , and CaleSahona . Developers have been stopped repeatedly by water shortages . contradictory +uh i know it sprinkled some I know , it downpoured . contradictory +We tracked her across Ireland , but nothing could be heard of her after she set foot in England . We did not hear about her again after she arrived in England . entailment +OK , bad example . It is a great example . contradictory +Editorialists labored to connect the two contrary outcomes . One of the outcomes was correct and the other was wrong . neutral +He returned to Babylon , leaving a few governors on the frontier . He stayed put , asking some governors to go to Babylon . contradictory +Turkish Vans if you 've never seen one i mean you wouldn 't know that it was a pure bred it 's just uh medium size short hair cat it 's got he 's mostly white with uh brown and black patches Although he has brown and black patches , he is mostly white . entailment +From the top of Mt . Misen is one of the three finest views in Japan . Mt . Misen provides one of the best views in Japan . entailment +uh-huh yeah unless they 're tremendously large they 're not going to make that much difference We should talk to other people to get their thoughts . neutral +While the shopping selection is similar to the other suburban malls , sadly , the atmosphere is not . The selection is similar but the atmosphere is different than other suburban malls . entailment +'This way , Mr. Franklin , ' the dense man sad . The dumb guy told him to go into the theater . neutral +: Heaven 's Highway Hell 's Gate . contradictory +You 'll also see reliefs of Sobek and Horus flanking the entrance . You will see reliefs at the entrance of Zeus and Jesus . contradictory +In the Palazzo dei Conservatori is the most celebrated piece , the superb Etruscan bronze Capitoline She-Wolf ( Lupa Capitolina ) , symbol of the city . The symbol of the city is the Lupa Capitolina . entailment +i 've never heard of such of thing this is this is really a surprise to me i wasn 't total i 'm glad it was you because i was afraid i 'd get some guy on here that knows all about this That doesn 't shock me at all ; that 's easy . contradictory +I drew , stabbed through the man 's shoulder , and took off his left ear . My sword flourished and found its target : the man . I stabbed his shoulder , took his ear , and his gasp of surprise alerted the rest of his party to my presence . neutral +uh yes i i used to work with a guy from Puerto Rico when i worked for Hewlett Packard I enjoyed working with the Puerto Rican guy when I worked at HP , he was nice . neutral +She over-taxed her strength . " A wave of revulsion swept over me . She used all of her strength . entailment +On the other hand , horses of the same combination were the pride of several other families living around Lexington . Families in Lexington had horses . entailment +He had no teeth and his eyes were as black as night . He had bright , white teeth and navy blue eyes . contradictory +The report shows the variety of ways in which these states have strengthened their equal justice systems , providing models and inspiration for others . The report showed no ways in which the states have contributed to the strengthening of equal justice systems . contradictory +As opposed to the function in the original study , which used median levels . The function in the original study uses median levels . entailment +CBO An Economic Model for Long-Run Budget Simulations . CBO is an economic model for a long run budget simulations . entailment +Again the mare voiced her complaint , and the rider turned to the gentleman . Her rider turned to the gentleman , after the mare voiced her complaint again . entailment +( Slate ' s rounds up overseas reactions to the hijacking , and outlines the history of the Kashmir conflict . ) They outline the history of the African conflict contradictory +Today , that process is still young but steadily evolving . The process is still evolving . entailment +The auction exploits desperate sellers . The auction has never exploited a desperate seller . contradictory +Those who were too cynical to challenge the ways of the world , too preoccupied with the past to see the present , and too obsessed with who was wrong to recognize what was right . There were people that were too preoccupied with the past to see the present . entailment +Somewhere on the other side of the horse , another man cried out followed by another crack of thunder . The horse was frightened and kicked the man in the head . neutral +Right there on Page 302 , he explains . He explains on page 302 . entailment +Right there on Page 302 , he explains . He explains on page 302 . entailment +bugs as fleas ticks and stuff like that Bugs , fleas and ticks . entailment +i don 't know some jobs it seems like it would just maybe be a waste of money because who cares you know i mean like i don 't know It would be a waste of money . entailment +To determine the best practices for ensuring product design and manufacturing maturity from the commercial sector , we conducted general literature searches . General literature searches were helpful in determining best practices . entailment +This is one of the most important federal protections for agricultural workers , and green card holders who were recruited in Mexico by agents of U.S. growers have a federal cause of action for such misrepresentations . The Mexican employees were under the most protected farmer program . entailment +It is famous for being one of the main sources of the Jordan River , and the waterfall near Metulla lies close to the actual spring ( where you can swim ) . It 's well known for being a major tributary of the Jordan River . entailment +yeah it it really is It is not like tht . contradictory +Stewardship information will be necessary for a fair presentation of financial position and results of operations . A fair presentation of financial position requires stewardship information . entailment +and so IBM says well we have to we have to have a team right and then they come in last and they have this whole team you know analyze why they came in last right because the person asked for it IBM says they have to have a team analyze things . entailment +i know oh it is it it it plus plus um when we were in in the section of uh North Dallas over by Addison there 's just not hardly any day care over there at all it 's surprising There are so many daycares in Addison ! contradictory +Incidentally , the cathedral was even taller until a lightning bolt lopped off the main tower in 1614 . The cathedral is considered to be protected from any natural disasters , these never happened . contradictory +yes yes i 've only seen him in funny stuff and so I have seen him in dramas before . contradictory +If you missed our previous links to 1 ) President 's Clinton 's vacuous Social Security promise and 2 ) a summary of the very real tax hikes and benefit cuts proposed by Moynihan and Kerrey , click and . There were no links provided . contradictory +Either her sleep was feigned ” which I did not believe ” or her unconsciousness was indeed by artificial means . I do not believe that her sleep was faked . entailment +Pollock asked for a more specific definition of prioritization . The person wanted a more detailed definition . entailment +The Michigan Bar Association guidelines encouraged but never mandated 30 hours a year per lawyer . 30 hours a year per lawyer is a substantial number for most lawyers . neutral +Shiloh was apt to produce that reaction in any horseman . No horseman would care at all about Shiloh . contradictory +I don 't know where Derry found the clothes . Derry probably stole the clothes . neutral +oh i got ahead of you there i got three and one on the way I have three children and I 'm pregnant with my fourth . entailment +The library itself includes copies of the Koran and codices dating from the second century b.c. Other libraries also have copies of the Koran and codices dating from the second century b.c. neutral +As there is little interpretation inside , try to see the introductory film first ( showing throughout the day from 9 : 00 a.m. to 5 : 00 p.m. ) . Your ticket also entitles you to visit the Municipal Museum , which is actually no more than a well-preserved late-18th-century hammam ( Turkish bath ) . Watch the introductory film first , so you 'll understand what you see inside . entailment +uh-huh yeah i liked his accent too I hated the way his voice sounded . contradictory +Although oranges grow all around you , freshly squeezed juice is hard to find . Although oranges are abundant , finding fresh squeezed juice is difficult . entailment +This time , they were looking for a candidate who knew how to speak the language of love . They were looking for a candidate who could speak about love . entailment +The interim rule does not impose any federal mandates under title II of the act on state , local or tribal governments or the private sector of $ 100 million or more in any one year . There are no mandates for local governments . contradictory +Rock bands that are not quite yet on a professional footing truck in their equipment and play all day , just for practice . Rock bands are improving their skills and are enlivening the area with they music . neutral +Your guide will turn off the engine and an eerie silence will envelop the boat . Your guide will shut down the engine . entailment +Who gives ? Who cares ? entailment +In These cases , the piping may be insulated and heat traced to prevent condensation of the ammonia vapor . The piping can be insulated . entailment +The woman wore a gray cloak and hood . The woman was dressed warmly . entailment +The Democratic Party was elected in 1950 , and remained in control until 1960 , when , faced with increasing social and economic difficulties , it was overthrown by a military coup . The Democratic Party stayed in power for a decade . entailment +Now it serves as a minipark for habaneros ( as Havana 's citizens are called ) , from coupling lovers and children playing on homemade skateboards to parading prostitutes . It is now a miinipark for locals , lovers , and prostitutes . entailment +The economic impact of each scenario is reported in two ways . Neither scenario has economic impact . contradictory +Of course the information-technology sector has been wonderfully successful--but that is because it has been in a position to exploit the extraordinary possibilities offered by photolithography , not because of any special virtue in the way it operates . Without photolithography there would be no computers . neutral +Look out too for decorative yarmulkes ( skull caps ) and some creative uses of the Star of David . A yarmulke is a skull cap used by the followers of the Star of David . neutral +my roommates watched General Hospital and they watched All My Children and some other soaps and i was going i 'm not even going to be near that TV when they have any other soap on because i don 't want to get stuck in another one one is bad enough no more but uh I love watching soap operas . contradictory +At the corner of Calle Calvario is Cafe Isabelica , a venerable 24-hour bohemian haunt in a house three centuries old . Cafe Isabelica lies within a house over two centuries old . entailment +The next morning he went to his uncle 's circular home high up on the northern hill of the village . He went to his father 's home the next morning . contradictory +Kashmir is a serenely beautiful and coveted land of green forest , alpine meadows , and lakes , while the Punjab in the northwest is the fertile center of the country 's Green Revolution , supporting the nation 's self-sufficiency in wheat , barley , and millet . Punjab grows large quantities of millet and wheat every year . neutral +To give the Malays safeguards against economically dominant Chinese and Indians , the British created the new Federation of Malaya in 1948 . Britain allowed Malaya to be divided up among competing Chinese and Indian interests . contradictory +so i know they treat him good they treat him well because of his disability neutral +Lincoln gave a demure shrug . He shrugged , entailment +Eliot 's anti-Semitism--has hired its first poet-in-residence . The poet was hired for Eliot 's anti-Semitism campaign . neutral +In this effort , we would anticipate focusing on the most significant postal destinations among the DCs rather than trying to analyze each and every destinating DC . Trying to analyze each and every destinating DC would be far too energy and time consuming . neutral +A new scientific report claims that puberty begins as early as the age of 6 . A woman in North Carolina was charged with murdering her son by whacking him with a computer keyboard . The son died when he was hit with the computer monitor . contradictory +Throughout the late 19th and early 20th centuries it was home to numerous British ex-pats , one of whom , the writer Lawrence Durrell , painted a graphic picture of European life here . Throughout the 15th and 16th centuries it was home to numerous British ex-pats . contradictory +Mr. Whittington spoke again : " If you will call upon me to-morrow morning at eleven o 'clock , I will lay the details of my proposition before you . " 14 " At eleven o 'clock ? " said Tuppence doubtfully . Tuppence will accept Mr. Whittington 's proposition at eleven o 'clock tomorrow . neutral +that 's right because the weather 's going to get it exactly The weather will not have an effect on it . contradictory +You 're mad . You are out of your mind . entailment +Mesopotamian script was also copied , but it developed into the first Egyptian written language . There is no written record of Mesopotamian script contradictory +Vrenna drew out her saber , one boot on the scout 's stomach as she pulled it free . She had her boot on the scout 's stomach as she pulled out her saber . entailment +The Indians had known other conquerors , but at least they had been able to gain a sense of them as human beings . The Indians never got a sense of them as humans . contradictory +The analysis concluded that the economic burden for initial compliance would be minimal for about 90 percent of the small businesses affected . The small number of businesses will probably shut down because of higher expenses . neutral +It has retained the grid-like layout of its origins as Taurinorum , a Roman castrum . Taurinorum still has it 's Roman military , grid-like layout . entailment +The agency states that the change is in keeping with provisions of the North American Free Trade Agreement and the General Agreement on Tariffs and Trade as it removes unnecessary restrictions on such importation . The agency removed several restrictions on importation and believed it was doing so in keeping with existing legislation . entailment +BASIC FINANCIAL STATEMENTS - As used in SFFAS 7 , the basic financial statements are those on which an auditor would normally be engaged to express an opinion . If an auditor would typically be giving an opinion on the statement , it may be considered a basic financial statement . entailment +At its best , the Post can still swarm a breaking news story like Flytrap . The Post has never reported on breaking stories like Flytrap . contradictory +I am vexed by this connection now that I know the real messiah is ... I am glad to know who the messiah finally is though . neutral +She went round about . She just went straight . contradictory +and the other big thing is uh quality satisfaction or customer satisfaction Customer satisfaction is another important thing . entailment +Because they are on anti-depressants now , they think EVERYONE needs them and have literally been making appointments for their whole families ! The majority of people on anti-depressants could see positive results by other methods . neutral +The dead Jesus in his mother 's arms emphasizes the agony rather than the pathos portrayed by the Piet ? in St. Peter 's in Rome . The image of Jesus lifeless in his mother 's arms is intended to simply show agony rather than emotional understanding . entailment +He could not explain his own feeling the illogical idea that the K.C. ' s presence would somehow have averted the catastrophe . He couldn 't wrap his head around the fact that if K.C. was around the catastrophe would have been avoided . entailment +Behind the Opera are two of the best known department stores , the Galeries Lafayette and Au Printemps . At the back of the Opera are the two most well known stores , the Au Printemps and the Galeries Lafayette . entailment +Visitors who want to do some walking but don 't have suitable footwear or equipment should head for one of the larger sporting goods stores in one of the larger towns such as Bowness , Keswick , or Ambleside . There are sporting goods stores in Bowness and Keswick . entailment +The preliminary assessment is the first decision point in the assessment process , including the consideration of multiple factors , a determination of the sufficiency of the data reliability with what is known at this point , and a decision about whether further work is required . There are an abundance of decisions about further work that need made . neutral +oh i don 't know i guess my husband got a letter at the office i i presume and they must have been asking does your husband work with TI Since your husband isn 't working right now , he didn 't say anything . neutral +Grantees were asked to examine their progress in each of the seven principal areas of State Planning in a manner that included assessing the strengths and weaknesses of the current approach , establishing goals to strengthen and expand services to eligible clients , and determining the major steps yet to be taken and a timetable necessary to achieve those goals . Achieving these goals meant steps needed to be taken . neutral +If he met anyone on the way down , well Tommy brightened at the 135 thought of an encounter with his fists . Tommy was not prepared to have a fist fight with anyone . contradictory +Ginsburg has a lifetime of connections to tap , and he 's an expert tapper , said Jack Reilly , executive director of Massachusetts Continuing Legal Education Inc . Jack Reilly has been the executive director for over 3 decades . neutral +They want laws that punish them as delinquent babysitters . The teachers want laws that punish the students as delinquent babysitters . neutral +Brought a message from Mrs. Vandemeyer , I suppose ? " 91 " Not exactly , " said Tuppence . I 'm sure you didn 't bring a message from anybody . contradictory +Again , the move from offering no discount to offering a discount of 4.5a is a Pareto optimal move-no one is worse off and someone is substantially better off . Offering zero discount to offering one discount is a great idea . entailment +where there are more than one family in a house When there 's more than one family in a house . entailment +Distributional Analysis of Regional Benefits and Cost of Air Quality Control . They looked at the cost of water quality control . contradictory +so they were if they don 't vote they don 't have to be on a jury If they vote , they don 't have to be on a jury . contradictory +Whenever the president makes a bad decision , his pocketbook will surely feel our pain . The president 's finances will be affected if he does wrong things . entailment +But at least most of them did something important earlier in their careers--and probably something dangerous , to boot . Their preceding works were bland and indistinguishable from ordinary filler . contradictory +well listen you think they 've earned their money we 've earned our money tonight We have earned money today . entailment +Each candidate has sought to outdo his competitors in claiming closeness to Frank Tejeda and his family . Candidates all tried to distance themselves from Tejeda . contradictory +Suppliers have also indicated that new plants could be brought on line within 3 years , if needed , to satisfy increased demand . New plants can be brought online in three years , according to suppliers . entailment +Wachter 's wage premium for the delivery network alone , however , amounts to only $ 2 . There is a $ 2 daily wage premium . neutral +uh-huh so you 're taxed on the bonuses too right Are you taxed on your face ? contradictory +Career and family . Some must choose between career and family . neutral +Rooms 18-20 move on through the Archaic period to the Classical , Hellenistic , and Roman eras with colossal marble statuary gracing the gallery space here . Massive marble statuary is located in Rooms 18-20 . entailment +The hippest bars are scattered throughout Hollywood and western L.A. , including The SkyBar , The Whiskey Bar , Martini Lounge , and Kane . Lots of hip bars are in Hollywood and west L.A. entailment +And why would it not be easy ? Why would it be impossible ? contradictory +do you read Can you read ? neutral +but unfortunately people people aren 't that insightful All people are extremely insightful . contradictory +how expensive are you know thoroughbred cats to get How expensive are thoroughbred cats . entailment +What 's in this for Bradley ? What 's in this for Eric ? contradictory +and maybe we 'll get to talk again okay bye-bye Goodbye , maybe we will talk again tomorrow . neutral +On the road west to Porto Moniz , a minor road leads to Rabacal , a beautiful valley popular among Madeirans at weekends and holidays . Rabacal is a valley that is popular among Madeirans , especially during the weekend and holidays . entailment +The auditor should be aware of the agency 's organization and procedures for making a contract award . Auditors don 't need to be acquainted with any procedures . contradictory +Although they now form part of the modern state of Greece , a deep imprint of history 's footsteps can be seen clearly on every dusty hill , in every olive grove , and along every coastline . Greece is in a lot of trouble because of their debt . neutral +The cost to the federal government is estimated to be $ 8 . It costs approximately eight dollars . entailment +One wakes Tipper . One stops Tipper from sleeping . entailment +Getting the president re-elected is only one of the many , many accomplishments claimed by Morris , who plays both Boswell and Johnson in his memoirs . Morris lays no claim to getting the president re-elected within his memoirs . contradictory +He came forward . He stood still . contradictory +i know yeah yeah it uh uh have you seen any of the behind the scenes uh of of that movie I don 't know , but I wanted to ask , what kind of jeans do you like wearing ? contradictory +This guide is intended for use in planning and conducting risk assessments of computer hardware and software , telecommunications , and system development acquisitions . This guide is supposed to be used to do risk assessments of loans . contradictory +A bit of good Ohio 's poverty population decreased significantly in the 1990s , said Mauricio Vivero , vice president of Legal Services Corp. The vice president of Legal Services Corp stated that the people living in poverty in Ohio dropped steeply in the 1990s . entailment +Evaluation questions Cause and effect , can be stand alone or multimethods and can be conducted before , during , or after other methods Cause and effect are the only things that can be questioned by evaluation . neutral +Across the board , in fact , investors are willing to overlook short-term losses due to strikes if they feel that a company 's hard line will pay off in lower costs down the road . investors are never willing to overlook short term losses contradictory +The Postal Service might stop ( or substantially alter ) its detached address label program for advertising mail . The Postal Service will definitely continue it 's program for detached address labels . contradictory +Fowler brought a heaping plate and Drew began to eat . Fowler brought Drew a plate of food . entailment +so i 've considered even becoming licensed to teach it I might become licensed to teach it . entailment +It appears that other factors , for which adjustments are not made , do not cause significant differences . Adjustments are not made for monetary factors . neutral +Germond is happy to shell out an extra sawbuck per pack if only it 'll keep kids from getting hooked . Germond helps people stay away from getting hooked . neutral +yeah what do you mean by world music What do you mean by rap music ? contradictory +All these wills are very confusing . All these wills are hard to understand . entailment +Standing up to them , and doing what she evidently feels is right , means being taken for a Clinton hack . She thinks it 's right to stand up to them . entailment +The naughty How could this have happened at MIT , where , unlike LSU , the kids are supposed to be smart ? Why would this happen at MIT and not LSU ? entailment +Bengal 's greenery is the threshold to the tea plantations of Darjeeling and Assam . Although plantations are utilized , it is not similar to American plantations from slavery . neutral +But if you can control it and bring in one of your computers or the parts for one-- Sixteen tries later , Dave was cursing as he stared at a pile of useless items . More than a dozen tries later , Dave still had nothing . entailment +Admirably reticent , compared to Robert Bennett . In comparison to Robert Bennett , he is admirably reticent . entailment +Competitors simply run up and down the side of a fell , taking obstacles like bogs , streams , and rocks in their stride . The side of a fell is free from obstacles and is best described as very tidy and dry . contradictory +except i think the Cowboys are on the upswing i don 't know about the Vikings I think the Cowboys are doing great . entailment +The sea has always played an important role in the history of this corner of France , from Scandinavians arriving in longships to Celts fleeing from Anglo-Saxons and Normans sailing to conquer England . Scandinavians arrived in France via the ocean . entailment +Other topics from the list . There were more topics than those that were mentioned . entailment +yeah nowadays the the the way the uh the market is and the and the way the uh grading systems have changed over the last few years that 's primarily what got me out of it they they kept changing the grading systems on coins and you know you go out and buy a very nice silver dollar collection and you 've graded it at the current grade and then the next year they 've changed the grading system and now these things are worth a fourth of what you paid for them you know it 's just it it just got it just got ludicrous after a while Because grading systems were constantly changing , I decided to leave that line of work . entailment +yeah uh not not yet i mean i Not yet . entailment +In addition , the collection of elementary school attendance area information will result in an additional 39,752 burden hours . 39,752 burden hours were added due to the collection of elementary school attendance area information . entailment +In terms of the purposes of the study-finding out what was stressful to the women and why the incidence of mental health problems among them was so high-the case study method disclosed the importance of any change in life circumstances as a source of stress rather than merely confirming change that the observers might have thought stressful a priori . Finding out what was stressful to the women was important to the study . entailment +If your budget allows you to fly around the country , you can design a smorgasbord of places to see in each region , since you will not be able to do all of them exhaustively . If you travel the country exclusively by train , there is much less that you can see . neutral +Finally I opened it out flat there were only two sheets and laid it between two of the advertisement pages of a magazine . Finally , I placed it between some magazine pages . entailment +You can press a button to see America 's Mt . St Helen 's blow its top , or you can relive the astonishing 1933 eruption of Mt . Aso itself . At the press of a button , people can see the eruption of Mt . Kyoto . contradictory +The house is surrounded by a lovely , somewhat unkempt garden of exotic flowers , trees , and plants ( including a good orchid section ) . The garden still looks welcoming even though it is not well-kept . neutral +yeah i 've been trying to put weed spray on the lawn for the whole week and you can 't put it on if it 's suppose to rain within forty eight hours It 's been too rainy to put my lawn chemicals on . entailment +With remarkable persistence the pirates climbed all the way , twice , just to pillage San German . San German was pillaged by the pirates . entailment +and i haven 't figured how to get that soft and i tried even tying a pillow to it but two years ago i joined well it 's not quite two years it 's almost two years i joined the Cosmopolitan Lady here in Plano I haven 't figured out how to soften that . entailment +Let 's watch . " Let us watch . entailment +I did , said Severn . Severn said he did go to the beach . neutral +Ca 'daan looked over the camp in shock . Ca 'daan saw the campsite and relaxed because it had been spared . contradictory +yeah i i i agree with that i i think that the law the law is on who can buy a gun are are way too lax i think that i think that the The laws on buying guns need to be more strict . entailment +Even if they use the meat . This is also true if they decided to include meat . entailment +The Crusaders built the Gothic archwork , and Turkish rulers of Jerusalem added a prayer niche and inscriptions . The Turkish rulers couldn 't worship until there was a prayer niche . neutral +A short walk along a path from the square is the elegant and richly decorated Igreja de Nossa Senhora do Monte ( Our Lady of Monte ) , dedicated to Madeira 's patron saint . There had been much debate when choosing Madeira 's patron saint in the beginning . neutral +Had a blackened redfish lately ? There is a blackened scuttlefish . contradictory +For me , reporting and writing for the magazine was fun , pure fun . I thought the reporting and writing for the magazine was fun . entailment +It was to represent a line of thought , not a personal attack on Bob Bork 's book . It was just a thought and not an attack on Bob 's book . entailment +What about the current accounting and reporting model ? I think the current models of accounting and reporting could be improved . neutral +and i bet that 's illegal see if uh most company uh CEOs were to do that within their private company they 'd be in jail It is totally legal , and I know most CEOs do that . contradictory +Three of the burly bodyguards were still right behind me . The bodyguards were chasing me . neutral +One of the most important paintings , on permanent loan from the Jesuit Brothers in whose house it was discovered in 1993 , is Caravaggio 's long-lost The Taking of Christ . The painting was discovered in 1993 . entailment +The Coroner did not trouble to reply . He said nothing . entailment +So out of 78 confirmed hypotheses , it seems that approximately zero are true . All of the confirmed hypotheses are true . contradictory +In clinical terms , Pollock had a productive manic phase , and he was overtaken by black dog in the days before anti-depressants . Pollock suffered from mental instability ranging from mania to depression . entailment +EPA published the Initial Regulatory Flexibility Analysis ( IRFA ) as required by a 603 . The Initial Regulatory Flexibility Analysis was published without any requirements . contradictory +i keep meaning to do that everytime i go to a show i keep saying well i 'll take them with me and let somebody look at them they just they just feel phony you know they feel like they 're made of lead or something and uh they don 't have any sort of it 's it 's got a it 's got a like a picture on it The pass I have to go to the shows don 't feel real so I don 't like using them . neutral +This is Spain 's official altitude-measuring point . The official altitude-measuring point for Spain is easy to find . neutral +uh when i left here uh she had to change a set of plugs in the car because she was up here for a month or so after i was She had some care issues while she was up here . neutral +It 's conceivable , of course , that Gore was warming up for more explicit and racially tinged use of Horton 's story later in the primary fight . You can assume that Gore was warming up to fight in the primary . entailment +Just like families with unsavory family members , legal services programs tolerated the presence of private lawyers in our pro bono models of delivery because we had to-not because we thought they were doing anything useful . The legal services program do not accept the private lawyers . contradictory +A low-rise block with fine sea views from its roof-top terrace . It is a low-rise building . entailment +And how it often happens with the less street-smart savvy members of the academia , Dr Edward didn 't stay long at the university , or to use a more street-smart expression closer to life and the street - was kicked to the curb . Dr. Edward works at a university . contradictory +Philadelphia Inquirer . The paper has a sports section . neutral +But this behavior became maladaptive when access to round-the-clock hamburgers and ice cream became the norm . Behavior has not been impacted by 24 hour restaurants . contradictory +The fiscal year 1997 budget shrinks the IRS appropriation by $ 342 million . The budget cuts by the IRS in 1997 saved $ 342 million . entailment +'C-C-C- .. C ... Computer O-O-Online , ' came a croaking voice from one of the consoles . The computer no longer functioned . contradictory +Surrounding it are the remains of the Sacred Lake , drained in the 1920s to prevent mosquitoes from breeding in the stagnant water . The Sacred Lake was never drained and there are tons of mosquitoes . contradictory +Lately she 's been seeing this oil magnate , Kluk . She has never met Kluk . contradictory +Therefore , heritage assets are reported in terms of physical units . Heritage assets are usually not reported . contradictory +She remembered that she had had no tea , but felt too excited to be conscious of hunger . She wasn 't hungry . neutral +In many ways this is the story of southwestern Malaysia 's southwest coastline . Malaysia is full of wonderful coasts to see . neutral +Outside , something like a mist drew near and swirled around them . A mist swirled around the building . entailment +The FCC notes that while there are in excess of 13,000 for-profit IBS licenses , a single licensee may hold multiple licenses so that it is not possible to determine the actual number of individual licensees for the service . A for profit IBS license is required to operate a private radio station . neutral +so um i get you know we i saw some news out of like New Hampshire and a big thing in the courts right now is um they don 't have enough stalls in women 's bathrooms as they do men 's bathrooms The news in New Hampshire is that there aren 't enough stalls in Women 's rooms . entailment +The most fanciful and photogenic parts of the castle 's superstructure its feast of turrets and towers are the work of restoration after a disastrous fire in 1862 . The best parts of the castle are restored , and have lost some authenticity . neutral +Westin says he wants ABC to get back to hard news . Westin wants ABC to talk about entertainment . contradictory +smaller companies have bonus plans where i think in a large company it 's hard to do that because there 're just so many people to deal with and you have to have guidelines if you know for salary increases and things like that It is more difficult to have bonus plans in larger companies . entailment +No doubt in the Disney version , Beowulf and the feisty , coed-army warrior-princess who inevitably will be written into the script as his partner will befriend a misunderstood Grendel and Grendel 's mom ( it 's not easy being green ) . Disney has already announced the release date of the Beowulf movie . neutral +but they 're bringing in some good young players too Five 44-year-old players with knee problems are joining the team . contradictory +here at home under each of those names There 's only one name in use . contradictory +Mortality Mortality is more than one word . contradictory +The New York Times , however , pursues the revisionist line . The revisionist line is pursued by the New York Times . entailment +Further up Boulevard Saint-Michel , away from the river , is the large Jardin du Luxembourg . The Jardin du Luxembourg can be found on the Boulevard Saint-Michel . entailment +The interior is sparsely furnished . The decorations were still pretty . neutral +In both notices , the Commission prepared and published an Initial Regulatory Flexibility Analysis and invited written public comments on the proposed rulemaking , including comments on the initial regulatory flexibility analysis . The commissions analysis wasn 't published . contradictory +( Of course , taking the long view on democracy also requires taking the longer view . Taking a long view on democracy will take a short time and show results . contradictory +yeah although i guess it 's your you want them to rehabilitate and become better rather than sitting in there and being a drain all the time I suppose you wouldn 't want them to be a drain forever . entailment +Oh , Sherlock Holmes by all means . Of course it means Sherlock Holmes . entailment +figuration , and operation of LSC-funded programs in their The LSC has no budget to fund programs . contradictory +Then climb up to the roof and take in the splendid views of the surrounding complex and the magnificent Nile valley beyond . The roof offers a splendid view of the valley . entailment +The man let out a high pitch wail and the knife fell from his hand . The man would not let go of the knife . contradictory +He ” it is not a pleasing thing for my pride , but it is the truth ” tired of me very soon . " I must have made some murmur of dissent , for she went on quickly : " Oh , yes , he did ! The narrator didn 't care about the subject . contradictory +For example , Pfizer took 7 days to close its books versus the 3 to 4 day worldclass standard . The worldclass standard is 7 days to close books . contradictory +All comments were due by September 17 , 1996 . There was a September deadline for the comments . entailment +But perhaps the greatest legacy to travelers today who arrive at the world 's premier island beach resort is the warmth , friendliness , and sense of family that Hawaiian culture has created in the land of its rise , fall , and renewal . Hawaii 's culture had a warm , friendly and family feel to it . entailment +Injury in the role of alcohol and other drugs-an EAST position paper prepared by the Injury Control and Violence Prevention Committee . Injury in alcohol and drugs is an east position paper written by the injury control and violence prevention committee entailment +They had lit fires under the dead men and their skin blackened and crisped . The men were burned until they were just bones . neutral +Now that I 've said my piece on behalf of the New Deal , I can admit to having found Cook 's prose clear and readable but not especially memorable . Cook 's writing was very memorable but difficult to read . contradictory +Further information . There is more information . entailment +The curious thing is that THEY 'RE TRYING TO GET INFORMATION ABOUT THE GIRL FROM US " They are bribing us for the information about the girl . neutral +Oh , Tommy ! The narrator is referring to someone named Tommy . entailment +7Internal audit organizations do not have a duty to report outside that entity unless required by law , rule , regulation , or policy . Internal audit organizations only have to report outside entities if it is required by law . entailment +but i like uh i like the Giants i i kind of think they snuck into the championship this year this past year and and i 'm not so sure they 'll get away with it again but I think the Giants just barely made it into the championships this year . entailment +Why wait for legislation , if we can act now to drive costs out of the system and lower rates for qualified mailers ? If we can act now to drive costs out of the system and lower rates for qualified mailers , why wait for legislation ? entailment +Moreover , the analysis anticipates the use of banked allowances made possible by early emissions reductions achieved in the years 2002 through 2006 ( as requested in the Senate letter ) . Senate 's request has helped some very important information to be revealed to the public . neutral +The town was laid out in 1816 and named for Lord Mandeville , the eldest son of the Duke of Manchester , after whom Manchester Parish was named . Lord Mandeville was the daughter of the Duke of Manchester . contradictory +In a tiny low-ceilinged room , draped with blue velvet , is the revered but questionable Tomb of King David . Many people doubt the authenticity of the Tomb of King David , but others are convinced it 's the real thing . neutral +The ultimate goal is spiritual salvation , or moksha , a freeing from the cycle of rebirth . Moksha frees you from being reborn as a chicken . neutral +You can also enjoy an evening river cruise , when the banks are lit with torches . The lit torches keep the jungle away . neutral +because if you 're doing that you know and i 'm sure it must be prevalent in your area down in Dallas um and we 're doing it most most of the people up here that work have already have their their checks uh electronically sent to their banks or the credit union if they belong to the credit union Workers like these get their payments by physical check . contradictory +I know what I 'm talking about tho I may get drunk and act childish socially ... When I get drunk and act childish , I run around without any clothes on . contradictory +This inappropriate and un-level playing field was addressed in part of the Sarbanes-Oxley legislation . Everyone and everything is treated fairly . contradictory +The Rue Oscura is the most impressive of the ancient vaulted passages . Of the ancient vaulted passages , the Rue Oscura is the most awe-inspiring . entailment +Many golf clubs also have their own courts . Several golf clubs have their own courts residing on them . entailment +Following is a summary of stewardship data for the program entitled , Transition Training for Former Navy Contractor Personnelo , for the 5 fiscal years ending September 30 , 199V through 199 There is no data . contradictory +Guides are optional , but they are sure-footed and will take care of your camera until you reach the top . The guides will make sure to keep you camera safe . entailment +Like a wave of shrapnel , digging into my skin- I had to take my jacket off . I had to take my jacket off . entailment +uh the girls joined they have two girls one joined the Girl Scouts and the other was in the Brownies and then the mother got involved as a leader and then all of a sudden the father was getting involved with doing nature hikes for them and working with the Girl Scout camp here in Dallas and then going out to um Betty Perot Camp and working with the horses and stuff and they 're gone a lot and they take their girls and they go away for weekends and in the winter time even you know to do work with the Girl Scouts and i think it 's neat The mother and father have been in Girl Scouts their entire lives , before even having children . contradictory +While the monarch was away on one of his many business trips , his increasingly dissatisfied subjects protested violently . The monarch was away on a trip . entailment +The main attraction in Old Cairo is the Coptic Museum . The Coptic Museum is located in Old Cairo . entailment +yes yes uh we have Domino 's we have Pizza Hut and then we have a couple of other smallers Little Ceasars and Juan 's Pizza they 're all in the general facility where i live and so i can and then yet my most favorite one doesn 't deliver My favorite pizza place also delivers to places near where I live . contradictory +She divorced him while he was gone . He was divorced . entailment +They especially take him to task for blaming Plath 's suicide on fate and astrology . He blamed plath 's suicide on fate and astrology because he was joking . neutral +Through magazines and campus clubs and advocacy organizations , self-appointed race leaders have sought to create an authentic Asian-American consciousness by inventing something called Asian-American culture . Without the help of magazines , campus clubs , and advocacy organizations race leaders have sought to create authentic asian-american consciousness by asian-american culture . contradictory +The railway line then curves gracefully around Tolo Harbor , an idyllic body of water well-protected from the open sea . Tolo Harbor is home to a vast amount of fish species . neutral +Some of the artisans here look as if they 're straight out of the 1960s . Everybody avoids looking like anything related to the 1960s here . contradictory +um-hum okay i think one of the some of the problems with uh oak trees is their leaves tend to accumulate and they leach a lot of acid into the soil Oak tree leaves have been proven to neutralize acid in soils . contradictory +We 're not going back . ' Everyone is going back . contradictory +Ceilings leaking and all . The roof leaked . entailment +that was hilarious the the i guess the the first the first uh scene in that movie that really got my attention uh concerning the the that disease and all that was when he uh dropped the the uh the toothpicks I missed the first scene in that movie . contradictory +yeah well i 've never paid a whole lot of attention to my diet but We never though about diet . entailment +In the U.S. the carrier remains on the road , stops at a roadside mailbox and places mail in it without leaving the vehicle . U.S. mail carriers deliver the mail from their vehicles . entailment +well i 'm more more interested in the long-term effects than the short-term effects in terms of uh balancing budget and so forth um I 'm more focused on the short-term effects than the long-term effects . contradictory +that that would be interesting i i must admit i haven 't been really enthusiastic about the Democratic entrants in the last couple of run throughs I must admit that I haven 't been really enthusiastic about the Democratic entrants in the last couple of runs , but I think that would be interesting . entailment +We provide a checklist of the guidelines discussed in this appendix in table III . We don 't provide guidelines . contradictory +well it turns out that so much the problem in Texas is that uh they 've got so much paper now from people recycling that they 've got no way to uh reprocess it There is so much recycling in Texas that they don 't know what to do with all of it . entailment +yes that 's easier That 's one option to consider . neutral +will never achieve this linkage without modern and effective performance management strategies . This linkage can never be achieved , even with modern performance management strategies . contradictory +Other biochemical markers such as mean corpuscular volume , platelet count , liver enzymes , gamma-glutamyltransferase . There are at least two possible biochemical markers . neutral +Reserve in advance . Pay at the time of the event , never in advance . contradictory +Red said , " Ssh . Red was scared and wanted everyone quiet . neutral +Adrin continued his monologue , describing the grizzly murders that took place in the deep of night in the brothel district . Adrin spoke in detail about the murders . entailment +And to stretch that metaphor , the youngest one--the one just finished--sometimes gives the greatest satisfaction . The youngest one sometimes makes you feel the best about all your accomplishments . neutral +you know since the women 's movement in the well seventies and you know we 've come a long way but i think it 's still a still good ways to go Even though we have come a long way since the seventies , we still need to bridge the pay gap . neutral +and i do i do i do like it actually um i would never live there i think i 'm too Americanized and um sort of have too much you know too much invested in sort of the the easy life but i do like the food I am not fond of Americanized things . entailment +Rock is taking his stereotype-bending routine global by staging his next standup special in Africa , a la Muhammad Ali 's Rumble in the Jungle . Rock finally takes his routine global by staging his next special in Africa . neutral +But why ? She paused a long time , and said at last : " Perhaps ” because I want to be ” free ! " And , as she spoke , I had a sudden vision of broad spaces , virgin tracts of forests , untrodden lands ” and a realization of what freedom would mean to such a nature as Mary Cavendish . I thought her idea of freedom was beautiful . neutral +Yes , then we can talk seriously . I don 't think we need to talk seriously about this anymore . contradictory +M ? ? nerbes is also on a hill , with a medieval citadel that served as the Protestants ' last redoubt in the 16th-century Wars of Religion . Ménerbes stands alone atop a hill overlooking the plains . contradictory +American Journal of Respiratory and Critical Care Medicine . American journal for foot disease and minor injuries . contradictory +The man just did not want to hit the putt . He didn 't want to lose the golf game . neutral +OMB Circular A125 PromptPayment , 5 the Prompt Payment Act , and the Federal Acquisition Regulation ( FAR ) , part 13 provide guidance on implementing fast pay . FAR never implemented last pay . contradictory +MLS encourages fan clubs . The MLS has banned fan clubs . contradictory +If we were to choose one place to set up a screening system to find people who need interventions , it should be the emergency department . The emergency department is good for screening patients . entailment +On 10 October 1868 Carlos Manuel de Cespedes , a criollo plantation owner who had already had a brief role in uprisings in Spain , issued a call for independence and liberated slaves from his estate , La Demajagua . Carlos Manuel de Cespedes is a plantation owner . entailment +hi Rick how you doing Hi Bob , how is it you know me ? contradictory +On 10 October 1868 Carlos Manuel de Cespedes , a criollo plantation owner who had already had a brief role in uprisings in Spain , issued a call for independence and liberated slaves from his estate , La Demajagua . Carlos Manuel de Cespedes is not a plantation owner . contradictory +That is , we 're paralyzed by the repeated idea that his election is inevitable . We 're terrified by the idea that the election is inescapable . entailment +Muslims in India today , as fervent as their brethren in Pakistan or the Middle East , are mostly descendants of those converts . Indian Muslims today are not descendants of Pakistan or the Middle East . contradictory +i found that you don 't do that I found that you don 't tie up your camper . neutral +Their view of the final object of the search was somewhat obscured by the underbrush behind which they remained . They were not able to get out of the underbrush so they didn 't have a very good view . neutral +If they have landed , and are still alive , where are they ? If they are on the ground and still sucking down oxygen , what is their location . entailment +I have kept them there myself . They were not supposed to leave . neutral +Whilerulingfrompalaces ontheeastbankoftheNile , Pharaohs chose to be buriedonthewestbank , asthiswastherestingplaceoftheGodAmun Ra intheformof the setting sun . The Pharaohs moved between a series of palaces over their life , migrating westward with old age . neutral +In Fruges take the small D130 southwest toward Crequy , following the valley of the tiny Crequoise river back down to the Canche . In Fruges take the large D300 Northeast toward Paris , following the valley of death down to the Canche . contradictory +because i mean and by the time you have computer for five years you 're going to throw it away anyway A computer is disposable only after ten years of use . contradictory +Probably water off a duck 's back , though . The girl ignored their actions . neutral +At the last moment she pulled back . She pulled back at the last moment . entailment +The parties Coward held here were legendary . Coward held very famous parties . entailment +We heard a lot of good ideas from people who 've been contributing for many years to pro bono service , said Mr. Curnin . All of the people doing pro bono service were happy to do something to help the community . neutral +The dominant feature of these ruins is the 45-m- ( 146-ft- ) high , cylindrical Dhamekh Stupa , built in the fifth century a.d. , which is believed by many to mark the ancient site of Buddha 's most famous sermon . More than a million visitors travel to the Dhamekh Stupa every year . neutral +Inland from the Cete Fleurie the countryside reflects the popular image of orchards , rolling valleys , and massive timbered manor houses , the land where apples are turned into cider and Calvados , and dairies churn out pungent , creamy Camem ? ­ bert , Livarot , and Pont-l 'Evaque . The countryside orchards grow apples , peaches , and pears . neutral +As a museum conceived primarily for students of Florentine painting from the 13th to 16th centuries , the Accademia Gallery ( Galleria dell 'Accademia ) ( Via Ricasoli , 60 ) ranks high on Florence 's must-see list . There is a museum in Florence called the Accademia Gallery . entailment +Pete Suazo , appropriated $ 100,000 toward the purchase of a building to create the nation 's first Community Legal Center . A huge amount of money was allocated by Pete Suazo to build the Community Legal Center . neutral +At just 57 km ( 35 miles ) long by 22 km ( 13 miles ) wide , first glance might indicate that two days would be sufficient to see the whole place . It may take more than just two days to see the place . neutral +and it was the nastiest tasting pizza i 've ever tasted It was a perfect pizza , the best one I 've ever tasted . contradictory +I think the instinct stems from the paper 's not unrealistic sense of its own power and responsibility . The paper had a unrealistic sense of its own responsibility . entailment +If women are disproportionately pro big government , for whatever reason , how does that disqualify the big-government philosophy , or explain away its apparent triumph ? Men are much more positive towards big government than women . contradictory +He was a very spiritual man , seeor . Some of the birds , however , would just fly straight up and dive down into the ground , embedding their beaks like the Daffy Duck of the gringo cartoon features . The birds made a mess when they hit the ground . neutral +Pat Buchanan and Donald Trump joined the Reform Party . Buchannan disagrees with Trump on every issue . contradictory +Under the businessmen 's Prime Minister , Dr. Mahathir , Malaysia has achieved remarkable prosperity as the economy built on the gains of the earlier post-war decades . Dr. Mahathir was responsible for Malaysia 's prosperous economy . entailment +that uh that you you know you never get a chance to read and so i said well i think it was because i read um Dickens ' A Tale of Two Cities and i just I read Oliver Twist by Dickens . contradictory +Attempts at dramatic entrances were not always successful . Dramatic entrance attempts were not always succesful . entailment +but now in order to seem you know humane and normal we do allow them to watch cartoons and stuff but it 's just one of those things you know you have to shut your eyes or not listen or something because those drive you crazy if you 're We don 't let them watch any cartoons . contradictory +In its shadow sits the statue of no velist Sir Walter Scott ( and his faithful dog , Maida ) carved from Cararra marble . There are many who have noted how lifelike the dog looks . neutral +Investors generally try to achieve some balance in the allocation of their portfolios , and U.S. assets already represent a significant share of foreign portfolios . Investors try to achieve some diversity in their portfolios . entailment +Each country has made a different cost / service tradeoff , which is reflected in each country 's concept of universal service . The cost / service tradeoff is exactly the same in each area . contradictory +As mentioned before , EPA 's modeling indicates that none of the total MWe of ACI retrofits will include a PJFF . The EPA 's modelling has no bearing on whether the total MWe of ACI retrofits include a PJFF . contradictory +The end of winter is a nebulous time for gardeners--it is not quite one thing and not quite another . Gardeners face some uncertainty at the end of winter . entailment +yeah i mean it 's like it 's like the people that actually do the work there The people that actually do the work don 't get enough credit . neutral +It occurred to me that he might have been making inquiries at Raikes 's farm ; so , finding him out when I called at Leastways Cottage on Wednesday evening , I walked over there by the fields , hoping to meet him . I realized he might have been asking around at the farm for some extra workers . neutral +For example , a hypothetical study conducted in New York and one conducted in Seattle may report different C-R functions for the relationship between PM and mortality , in part because of differences between these two study populations ( e.g. Differences can include gender , age , and income . neutral +And denying women emergency contraception . Providing unlimited access to female emergency contraception . contradictory +To me ! Susan must have pushed his voice into Adrin . Susan probably pushed his voice into Adrin to prepare for battle . neutral +Also on this square is the Bhairavnath Temple . The Bhairavnath Temple is located on this square . entailment +Ensure that all interested parties participate in design reviews from the planning and design phases , so that all perspectives are represented as the design evolves . Including all perspectives in an evolving design involves participation from multiple parties . entailment +The next thing I knew , I was lying in bed with a hospital nurse ( not Whittington 's one ) on one side of me , and a little blackbearded man with gold glasses , and medical man written all over him , on the other . A little bearded man was on the side of my bed wearing silver glasses . contradictory +Her name was Natalia Abranos Illnyova . She was known as Natalia . entailment +She noted that research studies often attempt to control so many variables and follow up with patients so frequently that control groups receive so much attention focused on alcohol that it may constitute an She noted that there were no follow-up attempts for patients in the research studies . contradictory +Realistically , reforms to address Medicare 's huge long-range financial imbalance will need to proceed incrementally . Medicare has very large financial imbalances in the long term . entailment +This is sheer narcissism , the notion that making it means whitening . Whitening is narcissistic . neutral +He felt instinctively that the American would arrive in time . Americans are always late . contradictory +He died in Rome in 1788 , disillusioned and drunk . He died while bunjee jumping . contradictory +I never suspected it at all , lamented Tuppence . I would have never imagined it , said Tuppence sadly . neutral +When Adolf Hitler arrived in Paris as a conqueror in 1940 , the Arc de Triomphe was the first place he wanted to see . The first thing Hitler wanted to see upon arriving in Paris was the football stadium . contradictory +It reflects at least in part the conception of liberty that was championed earlier in this century by such writers as Robert Lee Hale , who found coercion in every refusal to deal . Writers have never bothered with the conception of liberty . contradictory +To find your way here , you probably typed in Slate 's home page URL , / / www.slate.com. You probably just googled your way to Slate 's home page . contradictory +We 're going to get a cheque each . At least one of us will not get a cheque . contradictory +What looks from a distance like a huge Greek temple with many Ionic columns turns out to be only a single facade with 12 columns . There are 100 columns in the Greek temple . contradictory +well they vary tremendously um because you can get because you 're they 're uh the ones that were made a few years ago uh have come down in price significantly um you can get them i 've seen them for five and six hundred dollars but they 're much less um have much less memory and capable of much less You can 't get any computer for less than a thousand dollars . contradictory +The tower 's nine stories are decorated with Hindu deities , but otherwise it seems inspired by the Kirti Stambha , a Jain Tower of Fame , built in the 12th century . The tower , built in the 20th century , was completely inspired by the Kirti Stambha . contradictory +In addition to the effects on household saving choices , individual accounts may also affect the relationship and interactions between Social Security and private pensions . Social Security and private pensions would also be affected by individual accounts . entailment +We also find that the burden decreases as the percentage of non-delivered mail increases . As the percentage on non-delivered mail increases the burden decreases . entailment +State Technology Planning Manual developed and disseminated . The manual lists the upcoming changes in the state . neutral +don 't remember those i don 't know my friends don 't like my TV TV they think it 's trashy but uh well yeah My friends think that TV is trashy and don 't like it . entailment +Similarly , poor countries won 't adopt a new rotavirus vaccine , despite 600,000 deaths a year from diarrhea caused by the bug . Poor countries haven 't yet adopted the new rotavirus vaccine . entailment +So the discovery of the charred fragment in the grate was no surprise to me . I wasn 't surprised that a burnt piece of cloth was found in the grate . neutral +The site sprawls over a wide area , but unfortunately , some remains are in poor condition , a situation which causes the site to close intermittently because of the danger of falling masonry . While some remains are in poor condition , other remains within the site are well-preserved . neutral +Instead I turned right , toward the men 's department , still searching for those pants . I was looking for the pants . entailment +uh we bought the equipment uh that you do it with We didn 't buy anything we rented it all . contradictory +they uh they they want to know things are going to be a certain way They know when and how things are going to be . entailment +Adrin walked away to his small camp and sat , facing away from the rest of them . Adrin looked away from his friends . neutral +But in November 170 faculty members asked the academic senate to adopt a more conventional grading system . Faculty members wanted a more conventional grading system . entailment +In the evening , a dramatic sound-and-light show is held under the stars in the courtyard . A sound-and light-show happens first thing in the morning . contradictory +The merchant cocked back a silver dragonhead resting on the back of the wooden handle and squeezed his index finger . The store owner held a gun in his hand . neutral +The rest is only half-glimpsed , fantasized , or saturated by memory--or is the present the memory ? Is the rest from present memory , or just half-glimpsed recollections ? entailment +Had Shannon heard anything he would remember ? Had Shannon written it down so he would remember ? contradictory +uh so you don 't get the wind chill there that 's nice that 's nice uh i uh my my goal is to move some place south so that i don 't have to worry about winters any more and just worry about you know an occasional thirty five degree day i can handle but the the the sad part about here is that winter starts in um in you know early September or September October and then it ends in March or April so there isn 't that much summer and spring and fall here it 's pretty much you know lots of winter and uh it 's a very long winter semicold winter and a very gray winter usually so not uh not fun Living in a cold environment is essential to me and will reflect all my decisions in the future . contradictory +It 's an ad for an online flower service . The advertisement offers to deliver flowers anywhere in the nation overnight . neutral +But I 'm glad it 's not finger dwarfism , like it happened to one of my doctor friends . Good thing this isn 't finger dwarfism , like Jeremy ended up with . neutral +A better answer would appeal to the tradeoffs males face between investing in their current offspring vs. competing with other males to sire new offspring with other females . Men must choose between fathering the children they already have and pursuing new copulative relationships . entailment +We have a new awareness of how limiting and unfair the cult of fair hair can be . The cult of fair hair can be limiting and unfair , as we have become aware . entailment +Edinburgh Castle is a treasure in itself and with more than one million visitors each year also Scotland 's most popular attraction . Most of the visitors to Edinburgh Castle are foreign tourists . neutral +Thelma James was a prime candidate for a real estate She is 68 , has precious little money and can 't read or write . Thelma James is the type of customer real estate agents stay away from . contradictory +Whatever had been done to them--or perhaps the absence of a true soul , whatever that was--left them rigidly bound to their past ideas and totally incapable of doing more than following orders by routine now . What they did to them was terrible and sad . neutral +For further discussion of the Medicare Trustees ' 2001 estimates , see This all the discussion on the 2001 estimates of the Medical Trustees . contradictory +and uh Dallas i i 'm a Definitely not Dallas . contradictory +For example , an audit report on an entity 's computerized information systems may contain significant findings that could relate to the attestation engagement if the entity uses such systems to process information about the subject matter or contained in an assertion about the subject matter . An audit could find significant issues . entailment +I nodded absently . I shook my head . entailment +If we want to change that attitude , Hollywood should not be the main place we look . We should not look at Hollywood if we want to change that attitude- we should look at Bollywood instead . neutral +uh the style of our neighborhood uh we 're certainly not the smallest home and we 're not the largest home but it has maintained itself in that the homes that were built afterwards uh have come up some of them are a little smaller because at one point they wanted to put some two thirty five housing in Our home is pretty average sized . neutral +Once inside , you will find yourself in the lower ward , the area of the castle that has been most heavily bombarded in many military campaigns . The lower ward has never been bombarded during a military campaign . contradictory +Good cloth hangings of Creole scenes , seashell jewelry , straw mats and hats , particularly from Saint-Barth ? ? lemy , local rum , and conch shells ( beautiful specimens can be had for just a few francs apiece from curbside peddlers near the maritime terminal , but only when a cruise ship is about to depart ) . Curbside peddlers will happily negotiate the prices on their wares . neutral +Located in the foothills of the Blue Mountains with panoramic views . They are next to the Blue Mountains and have great views of the ocean . neutral +That was our way of showing , to ourselves especially , that we were intimates of those eminent locations . We were very familiar with those locations . entailment +Employees of the Federal Government provide service to their employer in exchange for compensation , of which some is received currently ( the salary ) ; and some is deferred ( pensions , retirement health benefits , and other retirement benefits ) . Federal Government employees receive full-cover health insurance from their employer . neutral +We 're just trying to make sure that it is , and doesn 't have a negative impact on low-income folks and their families . The goal is to make sure that the new measures don 't cause harm to families on a low-income . entailment +He ripped up his plans and began a new set . After ripping up his prior plans , he began a new set . entailment +Exotic plants from every corner of the British Empire were subsequently brought here before being transplanted to other gardens on the island . Exotic plants were brought here because of the great growing conditions . neutral +The highly important group of sculptures gathered here represents every facet of Francisco Salzillo 's work . The sculptures by Francisco Salzillo all depict cows . neutral +and i want to sit on the front row when it happens i want to be there i want to watch it you know and you can 't blame her for feeling that vindictive you know i mean She is vindictive about it because she will never get her loved one back . neutral +( The 21 heads discovered in 1977 are now displayed in the Mus ? ? e de Cluny ; . ) The heads discovered in 1977 were human . neutral +The temptation is to write a sneering comparison of rural and urban life . Urban life is arguably better than rural life . neutral +Intimations of his own mortality turned out to be premature . The facts showed he would die soon . contradictory +If you believe that the trust fund exists , then the transaction amounts to a $ 1 increase in both the trust fund and the national debt--sort of a pre-emptive bailout . The transaction could be compared to a pre-emptive bailout . entailment +you me too thank you okay thank you bye-bye Thanks and good-bye . entailment +On the walls are portraits of Bonnie Prince Charlie and his brother , Prince Henry . Charlie and Henry were little boys in extravagant clothing . neutral +He held the position for a moment , the man wailing softly , and then rolled back to his feet . He fell down after holding his position . contradictory +So , they compensate with vocabulary , animating their play with exaggerated violence and tough talk , smashing , kicking , and zapping the imaginary bad guys . Their plays feature affected violence , and fights against imaginary bad guys . entailment +well they should start with the the if they would get rid of seems to me i know there 's a lot about courts that people don 't understand there 's more people in jail right now for child support people definitely understand everything about courts contradictory +Three days ! Three days this week . neutral +The financial district , Madrid 's Wall Street , begins here on calle de Alcali . Calle de Alcali is home to the financial district of Madrid . entailment +Glassware and Pottery Glassware and pottery are both centuries-old arts . neutral +It turns government suggestions into veiled threats and devalues true voluntarism . It warps the suggestions into threats on volunteering . entailment +He was completely open to criticism . After the incident , he has never taken criticism from other people . neutral +um-hum yeah see i have an unlisted telephone number but i still get all of those calls and then some of them are speaking in a foreign language that i don 't even understand so yeah i do i really feel that that 's uh an invasion of my privacy i agree with you on that particular subject there let me see I mostly receive unwanted calls in the morning . neutral +In an alley just off the square is the famous Peacock Window of intricately carved wood ; the window is part of the Pujari Math , a former priest 's house that now houses the National Woodworking Museum . The Museum is free to enter for all and contains many amazing displays of traditional wood art . neutral +but i 've heard so many statements that i 've lost track None of the statements came from credible sources . neutral +It was true that I did not quite gather its purport , but I flattered myself that by Lawrence 's reply , and perhaps a little skillful cross-examination on my part , I should soon perceive its significance . It was simply too complex for my small brain . neutral +Some companies offer other sorbent-based methods for reduction of mercury emissions ; however , the equipment used is very similar in scope to the equipment used for ACI . Sorbent-based methods are not offered by any companies . contradictory +He declared that that satisfied him , and so ” we were married . " She waited a long time , a little frown had gathered on her forehead . After a long time a frown had accumulated on her forehead . entailment +However , large underutilized capacity overseas will provide a ready supply of potential imports , which will tend to limit price increases for most grades . This is the news that consumers wanted to hear . neutral +And clearly consumer companies are constantly in search of such arrangements . Producers of consumer goods desire these types of deals . entailment +According to the Enquirer ' s plastic surgery consultant , Dr. Jerome Craft of Palm Beach , Fla . , TV news anchorman Peter Jennings had his face pulled a bit tight , giving his eyes a slightly Oriental look . Peter Jennings does not work as a TV anchorman . contradictory +The Methodology of Comparative Research . This is the Methodology of Comparative Research . entailment +The adjacent school served as a barracks for British troops in the 19th century . In the 19th century the British troops used the school as a barracks . entailment +Nobody wants an out of control president . An out of control president is what nobody wants . entailment +They all want to talk about what we have in common , as if I 'm doing Lutheran standup . They want to find common ground between us . entailment +and in the summer same thing we get our extension cords running from all these tents but we 've got the fans going We don 't use any fans nor do we have any extension cords . contradictory +But fen-phen was the first drug therapy proven to reduce weight over the long haul . Fen-phen helped people who were obese . entailment +yeah whether he 's guilty or not yeah that 's true OJ Simpson sparked public outcry during and after the trial . neutral +It was a fine building but has never been recovered from a disastrous fire in 1925 . A fire destroyed a building in the year 1925 . entailment +Last year we were pretty thrilled to get 3,000-plus responses in a month . Last year , we received over 3 million responses in a single month . contradictory +Multiple systems normally are installed in sequence and overlapping to maintain a high level of activity at the site . Multiple systems are installed together and overlapping to maintain a high level of activity entailment +Here you can peer into apothecaries unchanged since the 19th century as well as some of Havana 's oldest homes . Here you can peer into apothecaries unchanged since the 19th century because medical technology has not advanced . neutral +yeah i 've been sitting here and sitting here and sitting here I have remained in this location for a long time . entailment +yeah like if you 're stealing something or doing anything like that but they won 't let you off what they 'll do is like If you 're stealing something they won 't let you off , they 'll punish you though . neutral +Problems of Reliability and Validity in Ethnographic Research . The research had reliability issues . entailment +My dear Poirot , I am sure you are capable of thinking of seventy ! Even Poirot cannot think of 70 . contradictory +And waited for our bags . Our bags were lost by the airline . neutral +So , when the Kurds came under Iraqi attack again , in 1991 , there was good reason to fear that another genocide was in the offing ( although President Bush 's real motivation was defending the stability of Turkey , where the Kurds were fleeing ) . The Kurds first found themselves under Iraqi attack from 1980-1983 . neutral +didn 't have the you know the money they said it 's a good way of uh in coming in but those are public service i mean you i mean you would be getting paid very little you know or anything at all Public service does not deserve to be paid , it is only a gesture . neutral +The model law states , The insurer shall not be liable for any loss sustained or contracted in consequence of the insured 's being intoxicated or under the influence of any narcotic unless administered on the advice of a physician . Narcotics refers to drugs , intoxicated can refer to alcohol or narcotics . neutral +In just 40 years , Japan had established itself as a viable world power . Japan established itself as a world power in 5 years . contradictory +Even if you aren 't a scholar , do come here the atmosphere and beauty of the place is entrancing . Scholars would get a lot more enjoyment from coming here than a regular person . neutral +Haggling is now a thing of the past and unacceptable . The art of haggling is currently in its prime . contradictory +do you know who the guy was that was playing the uh the the wagon driver The guy who played the wagon driver was Brad Pitt . contradictory +i seriously doubt it I highly doubt that , they have lied before . neutral +Messinger can 't break Giuliani 's stereotype , or break out of her own . Messinger can 't break out of her own stereotype . entailment +The Morant Bay rebellion of 1865 was led by Paul Bogle and supported by George William Gordon ( after whom Gordon House , the Jamaican seat of Government , is named ) . George William Gordon supported all major Jamaican rebellions of the 19th century . neutral +originally from Louisville Kentucky originally from Louisville in Kentucky entailment +Julius 's voice broke in on these meditations . Julius was speaking very loudly . neutral +and see i don 't think they should build up on one person like Chicago with you know with Michael Air Jordan and that 's not good Lakers got so many different players They shouldn 't build up just one player , Chicago has so many other great players . entailment +sulfur levels , a 4 percent sulfur coal can increase consumption by about one-third . A 4 % sulfur coal can increase use by 1 / 3 entailment +study as significantly less reliable for regulatory benefit-cost analysis , although it does provide useful estimates on the order of magnitude of residential visibility benefits ( EPA-SAB-COUNCIL-ADV-00-002 , 1999 ) . The data from this study is perfect for doing a regulatory benefit-cost analysis . contradictory +Inside , there 's more all the major department stores project themselves as bastions of culture , maintaining their own galleries and mounting frequent world-class exhibitions of prints , painting , pottery , and sculpture . The most common place to find art exhibitions is inside large department stores . neutral +GEORGE BUSH ! roared the press corps , delighted to detect such an elemental boo-boo in the professor 's usually unassailable pedantry . The press corps did not yell out ' GEORGE BUSH ' . contradictory +uh no i think it 'd be an awful waste of time That would be a waste of time . entailment +The festival sounds woke me up , and the smell of roasting meat lured me out . The festival was vegetarian . contradictory +i think alcohol 's a a whole lot worse drug and it 's more widely accepted I think if alcohol is accepted in society , then other , less harmful substances should be as well . neutral +How anyone could work up an angry , sweat-laden combat attack over Stein 's reverie , which I think is quite lovely , is beyond me . I think that Stein 's reverie is a load of absolute garbage . contradictory +kind of most of them are reruns and you know stuff like that that 's why i kind of stick to the movies if they 're good uh that one sounds good though that was on last night i didn 't get a chance to i didn 't get home till ten so yeah A lot of the movies that are on are repeats and I 've already seen them . entailment +How ... why ? How and why ? entailment +On Saturdays , however , when only the responsible people , the presidential appointees , came to work in the White House and the Executive Office Building , casual dress was the uniform . Some White House staff work during the weekends . entailment +He said McCain 's performance should be judged merely adequate . The performance of McCain was judged as just okay by him . entailment +After dark , I had nightmares about Mr. White and my long lost body . I had a hard time sleeping at night . neutral +Calendar of Events Events Calendar . entailment +At least as first . Obviously there was no other way . neutral +right right sounds like they have a young guy that they 're putting a lot of weight into uh that Juan Gonzalez yeah They are completely neglecting their young guy , Gonzalez . contradictory +It 's really a great service , he said . He thinks the service is essential to helping minorities . neutral +You give away your software free to a company 's employees . The company 's employees have to pay for the software . contradictory +I have a long memory ! " I have a terrible memory ; I can 't even recall what I had for lunch . contradictory +Its transition from Romanesque to Gothic has been called a perfect representation of medieval architecture , an opinion that has ancient and modern dissenters . Everyone believes this to be the perfect representation of medieval architecture . contradictory +it 's the honor system i know it 'll be an interesting experiment to see how It is unknown how many people will adhere to the honor system . neutral +But the bogus inspector ? However , the bogus inspector ? entailment +Each of the organizations we studied had adopted this view and , within the last few years , primarily since 1993 , had established a central security management group or reoriented an existing central security group to facilitate and oversee the organization 's information security activities . Some of the security practices introduced included longer passwords and bio-metric scans . neutral +There was only a mile left to fall . At least 20 miles yet remained . contradictory +From global gold standard to GONE in less than two years ! The global gold standard can never be ended . contradictory +and losing it in the competitive market and a real knowledge uh a lack of understanding how that could be and in the sense that how could America have gone from being number one to possibly being number two to you know our former enemies and things like that and um so i see i see a lot of uh a lot of pessimism growing um and at the same time i think there 's there 's there 's a growing environmentalist movement and sense of corporate responsible increased corporate responsible towards uh you know environmental safety and things like that and that might potentially be sort of the civil right the equivalent of the Civil Rights Act in in the near future America has been number one for so long that I don 't think we should worry about the environment . contradictory +and uh um yeah and they understand our the our process They have no idea what the process involves . contradictory +Raise money . Don 't ever obtain any money . contradictory +He was completely open to criticism . He has always turned a deaf ear to criticism . contradictory +you know perception i don 't know Al Davis is he 's a kind of strange character strange strange looking guy apparently he 's kind of a wild guy i don 't really know for sure they 've had some excellent teams though obviously i 'm not sure they 've yet decided where they want to play they keeping talk about you know going I have heard some disturbing stories about Al Davis . neutral +Totals may not sum due to rounding . Totals are completely actual . contradictory +yeah i think it 's getting better more competitive I think it is improving . entailment +Using the Small Business Administration 's size designation for this industry of fewer than 750 employees , FDA estimates that 70 percent of the 400 firms in the industry would be considered small entities . The FDA thinks that only a minority of the firms could be considered small entities . contradictory +The rather extravagant color of his clothing matched well with the town . His clothing and the town were both dull in color . contradictory +Several , replied Tommy . More than one , replied Tommy . entailment +Death and life insurance are not the stuff that daydreams are made of . Death and life insurance are not something one usually looks for . entailment +so i was there i was you know two hours away from home so any weekend i wanted to come home i got in the car hopped you know i was home in a couple of hours and so that worked out real well and I decided to come home so I did . entailment +The region immediately southeast of Rome is known locally as the Cetelli Romani ( Roman Castles ) for the fortified hilltop refuges built during the medieval civil wars . The Cetelli Romani region is to the northwest of Rome . contradictory +Say ? Tommy shrugged his shoulders . You say ? Tommy nodded . contradictory +The cost models described in appendix II can be used to make a rough estimate of how long a system development may require . Multiple cost models were used together . neutral +For additional information , you can access websites for all the festivals at & lt ; www.edinburghfestivals.co.uk & gt ; ( see tickets , page 127 , for contact information for the various festivals ) . You can look at the website for more festival information . entailment +Francaise ? he hazarded . He knew her name as they 'd previously met . neutral +I didn 't have time for my armor . I will take my time putting on my armor . contradictory +To others , a random sample is necessary for a case study , case studies are nonnormative research that investigate a situation without prejudice , where we could look at a limited number of cases that would represent the universe overall , and a review of relevant conditions in a specific environment with no attempt to project to a larger universe . Case studies aren 't as accurate as other methods of research . neutral +i have no idea who listens to this Who would listen to this ? entailment +It is a mesmerizing moment , one that shattered my childhood illusions . The moment that shattered my childhood illusions was mesmerizing and I 'll never forget about it . neutral +Generally , construction labor is proportional to the amount of steel used in the system . Construction labor costs are related to the amount of steel used . entailment +um um it may be that um it was recently replaced by actually by um by what may be my favorite TV show of because sort of uh um Twin Peaks I have never watched Twin Peaks . contradictory +The daughter of Ferdinand and Isabella married the son and heir of the Holy Roman Emperor , Maximilian of Hapsburg . Ferdinand 's daughter married her cousin , Sir Walter the Lazy . contradictory +If so , we 've got to hunt through the survivors of the Lusitania till we find her . I think we should give up looking for her . contradictory +But otherwise , so long as his religious convictions , no matter how weak or strong they may be , are not geared toward the outright oppression or destruction / neglect of those who fail to share his views , they should not matter , and warrant no scrutiny . He can 't judge others , so long as that we cannot ever say anything bad about his religion neutral +This is a dramatic increase from FY 1997 where 23,352 job openings were certified and approximately 2,300 employers . FY 1997 has a dramatic decrease with 1 job openings . contradictory +Slightly out of breath , she came to a halt outside the ground glass door with the legend painted across it " Esthonia Glassware Co . " Tuppence knocked . Tuppence knocked at the glass door that had the legend " Esthonia Glassware Co . " painted across it . entailment +I 'm way too truthful . I am quite honest . entailment +The government will close . They shut down . entailment +For another thing , the news provides a myth system for a secular age , giving us figures of good and evil , around whom we can construct tales of ... We are capable of making are own opinions on figures of good and evil without the news . neutral +Bill Kristol ( ABC 's This Week ) is amazed that the GOP is getting away with opposing a tobacco bill . The GOP is opposing a tobacco bill and their success has astounded Bill Kristol ( ABC 's This Week ) entailment +and so he saw it there and he just said you guys want to make some money and talk five minutes a day here you go so after he saw it he said they could earn more money by talking for ten minutes a day neutral +Sometimes another shock does the trick . The man stated that another shock does the trick sometimes . neutral +An ideal screening test would be accurate , practical , and motivational . There 's no need for the screening test to be practical . contradictory +i i really don 't follow the pros that close either they they just play so many games that uh you know it 's just hard t o keep up with them but college i really enjoy college basketball I don 't follow basketball at all . contradictory +It was overcome by licensing access to the mail box . Even the licensing process for mailboxes was unable to overcome it . contradictory +H-2A aliens are non-immigrants , who reside in a foreign country but come to the United States temporarily to perform agricultural labor or services for a specified employer or employers . Agricultural labor or services for a specified employer or employers fall into the category of H-2A aliens , non-immigrants . entailment +Was the drawer unlocked ? " Who attempted to search his drawers ? You or Mary ? neutral +Maybe so the trunk was an army cache " Drew shook his head . Drew shook his head . entailment +and i have just casually asked her what he did for a living and she said oh he 's the supervisor of this chemical land fill you know where they go and dump all this toxic stuff He was casual , even though he worked at a place where toxic materials are dumped . neutral +'Hello Jon , ' Marcus said as though not a single day had passed since we were both Gray Wolves hunting Voth . Jon and Marcus had been together everyday as leaders of the Gray Wolves . contradictory +is big on business attire and so um um he sort of funnels that down to uh to the people that work in his group so um i i i enjoy it i think it uh it makes a nice environment and uh i don 't know gives it a little more business type uh atmosphere All of those who work in his group enjoy wearing business attire . neutral +Even though he and his wife are low-income , Subia has never shied away from raising money for people less fortunate than himself . Subia never shied away from raising money for people that needed it more than himself , despite he and his wife being low-income . entailment +Total labor man-hours of construction and engineering labor are then about 365,000 man-hours for a single 500 MWe unit . Total labor man-hours of construction and engineering labor are then about 450,000 man-hours for a single 750 MWe unit . contradictory +it 's easier to find painters but you have to be you have to be aware of what of how messy they can get and are they gonna put on a good a good two coats and are they gonna caulk exterior Will they bring their own drop cloths ? neutral +so i think yeah i mean i 'm not looking to to leave anything there may be a a certain amount and you know that 's fine but uh uh you know to get that coverage and know that i 'll get you know uh you know flown to wherever i need you know already i need to go i guess i haven 't made any decisions like that i guess you know my family and father would do that but uh I can get this coverage to fly wherever I need . entailment +It 's one Internet business I don 't cover , for obvious reasons , but we 're planning a trip later in the fall--pre-Y2K--to Israel . I write professionally about the internet business . neutral +well people with families have different objectives than single people or no no i 've got a family two children Single people and families have the exact same objectives , there is no difference . contradictory +It was a world of anarchy , from your point of view . The world looked unorganized . entailment +That 's so weird ! I think that is very weird . entailment +he is drowned out with boos and hisses . Heckling and calling drown out his speech . entailment +I politely declined . I declined the chance to be first baseman . neutral +These third-party sorters collect mail from mailers , sort and apply barcodes , and deliver the mail to the Postal Service for a portion of the discount . 3rd party sorters take longer than to simply use the postal service sorting . neutral +well i i must get back to work nice chatting with you God I hate talking , let me get back to class . contradictory +sure no uh i don 't know i i i usually don 't talk politics with people especially strangers because it 's a good way to get into an argument but I don 't like to talk about politics with strangers , it 's too easy to get into an argument . entailment +What LSC found when it began the assessment of the CSR system was a 20-year-old reporting structure , the guidance for which had not been updated since 1993 . LSC found that the guidance hadn 't been updated in years . entailment +The staff was asked to subjectively deter-mine if patients were intoxicated ( blood alcohol count ) . The staff were bias with their result analysis . neutral +UNOBLIGATED BALANCES -Balances of budgetary resources that have not yet been obligated . Unobligated balances are budgetary resources that were forgotten . neutral +and it 's small It is tiny . entailment +This excuse usually appears in the form of a corporate press release , because nobody can keep a straight face when it 's spoken out loud . The excuse never appears in a corporate press release . contradictory +Riggs says legal-aid agencies help stabilize society A society can only rain stable through the use of legal-aid agencies . neutral +The information is shown as the number of kWh per dollar of GDP ( measured in constant 1999 dollars ) . The information is shown in kWH per dollar of gdp entailment +He is a clever man , that Sir Ernest . Sir Ernest is an astute individual . entailment +The mechanism was ruined beyond his chance to repair it in time . There was no need to repair teh machine again . contradictory +Got it with you ? " I told you to bring it . neutral +Don 't build on it too much , Miss Tuppence . Don 't get too excited , Miss Tuppence . neutral +Upon his death , the pop artist ascends from the controversial to the canonical . The pop singer was controversial . entailment +After the solitary beauty of Cap Berber ? ­ a comes Platja de Mitjorn , a sublime arc of sand 8 km ( 5 miles ) long , popular with vacationers in summer . There are over 1 million tourists at Platja de Mitjorn every summer . neutral +More quintessentially Roman , on nearby Via Condotti , is the city 's oldest coffee house , the 18th-century Cafe Greco popular , as you 'll see from pictures , busts , and autographs , with Goethe , Byron , Baudelaire , Liszt , Casanova , and Fellini . The newest building in the city is a coffee house named Roman . contradictory +yeah yeah i wouldn 't mind some you know like i guess after awhile in the summer when it hits i guess about October and you get a few cool days i don 't mind that because it kind of gives you some relief The temperature gets down into the 50s in October . neutral +a 1395ww ( g ) ( 1 ) ( A ) ( providing for the payment of hospitals ' capital costs under a prospective payment system established by the Secretary ) . All costs are covered by the Secretary . neutral +uh-huh i don 't know i hope they they do better they they during the past couple of years they 've been doing a little bit better They will be great this year . neutral +um i like to do like physical things like sports Sports are important for me because I want to maintain a healthy lifestyle . neutral +Main Street 's Mulan Parade is a dazzling cavalcade of Chinese acrobats and Disney film characters . The Main Street 's Mulan Parade features Aladdin and the Cat in the Hat . contradictory +Wallace , 38 , called Gastonia home from the age of 8 until she graduated from Hunter Huss High School in 1983 . Wallace , 138 , called Gastonia home from the age 11 until she graduated . contradictory +because everybody will want that pet project Everyone will want that project . entailment +The remaining population is based mainly in the south , around the capital , Pigadia , which is relatively modern by Greek standards ( built since the mid-19th century ) . The remaining population has been harried by a terrifying war . neutral +data-processing explicitly described ? Data-processing not explicitly described ? contradictory +The highlight is an ice sculpture competition at Odori Park , with huge superbly detailed models of castles , towers , and giant characters both traditional and modern . The ice sculptures attract visitors from all over the country . neutral +I had been prepared all along to pony up the $ 19 . I knew I would have to pay the $ 19 . entailment +Everybody likes a little danger in their lives , but perhaps most black kids are already experiencing all the hazards their psyches can take . Black kids ' lives might be filled with more danger than is enjoyable . entailment +Deposed by the Russians in 1736 , Stanislas had the good fortune to be Louis XV 's father-in-law and was given the Duchy of Lorraine as compensation . The Duchy of Lorraine was never given to Stanislas by Louis XV . contradictory +Version 6.40 of REMSAD was employed for this analysis . REMSAD is a computer software . neutral +The pride and joy of the neighborhood is the Meganebashi , a double-arched stone bridge across the Nakajima River . The stone bridge Meganebashi is the pride and joy of the town . entailment +Here , INS published a notice of proposed rulemaking on January 3 , 1997 , and received comments for 30 days , and therefore the good cause exception was not properly invoked . INS published a notice of proposed rulemaking and received comments for 30 days . entailment +Many agencies lack organizational cultures that promote high performance and accountability , which are critical to successful organizations . Many agencies don 't have the organizational culture to promote high accountability for heir CEOs . neutral +yep i know a lot of people who 've boughten other cars the same way and and have done very well I know no one else who has bought a car the same way . contradictory +Prudie is at a disadvantage , however , not knowing the details and the dynamics of your marriage . Prudie doesn 't know the details of your marriage but might still be able to get the job done . neutral +Reed will make a killing . Reed is going to make a food festival . contradictory +The Need for Multi-pollutant Legislation There is need for legislation that addresses multi-pollutants . entailment +okay we do a few things and i have to say we 're my husband and i are both from financial backgrounds i i 'm an accountant Our backgrounds don 't make a difference in our budget . contradictory +sometimes it does uh sometimes it 'll get in the eighties uh as early as uh January February You are in the south . neutral +White came along a few seconds later , progressing a little bit faster . White stayed behind . contradictory +Inadequate access to treatment / ineffective treatment They have bad access to treatment . entailment +Bush was asked no questions about education and only one about welfare . They all asked Bush the very same question regarding his third eye . contradictory +For ease of discussion , they will be referenced in the text in cents per piece . The references will by noted on the bottom of the page . neutral +The adjacent museum and chapter house contain a number of interesting pieces of religious art and relics , including 17th-century tapestries , the Baroque carriage propelled through the streets of Segovia every Corpus Christi , and the reminder of a 14th-century the tomb of the infant prince Pedro , son of Enrique II . The museum is empty . contradictory +However , it is generally impractical and not recommended for the following It is usually neither wise nor recommended to follow that entailment +The first two , LSTech and LegalMeetings , will be available to all LSC grantees , not just TIG recipients . LSTech and LegalMeetings used to not be available to all LSC grantees neutral +i 'll uh buy some plastic and make a little house and I 'll make a little house after buying some plastic . entailment +that 's great are you teaching Computer Science what you said what were you saying you were teaching there You are a math teacher , right ? contradictory +But the politics of the 1960s were a challenge to culture as well as politics . There were great changes in the country after the challenge of politics to culture and politics . neutral +to the point where he needed an extra boost to to do something like that and uh it 's really it 's it 's uh hard work i couldn 't imagine taking lumber raw lumber and trying to make something out of it he dowels Using your hands with lumber is not a big deal . contradictory +Yet his was a face not easily forgotten , once seen . His face was always forgotten . contradictory +That lowered their interest rate to 9 percent . That increased the interest rate to 15 percent . contradictory +The only thing you can say on behalf of the liberals is that , while greedy operators on both sides have sold out to the tobacco industry , they alone seem to feel a bit embarrassed about it . The liberals do not feel responsible for the debacle in the tobacco industry . contradictory +Modern computers can be disturbingly difficult to notice . You can easily tell what a modern computer is . contradictory +right yeah well if if you turn down the counseling they they will fire you If you go to counseling you could get fired . contradictory +Here 's Dr. The attorney is here . contradictory +He believes the use of free tickets awarded for frequent flyer miles in DOD is spotty at best . He pointed to last months ' use of free tickets by frequent flyers . neutral +Such a one learns from knocks , not from warning words . One like that learns from getting hit , not from warnings . entailment +His obnoxious behavior got him barred from Judge William Keller 's courtroom for life . The judge banned him from the courtroom for being obnoxious . entailment +The station once served nearly a million passengers a day ; now , it is L.A. ' s new Metro Rail system hub . The station had almost a million passengers every day . entailment +In May 1997 , an INS audit of the 1.1 million people who were granted citizenship between September 1995 and September 1996 revealed 4,946 cases in which criminal arrest should have disqualified an applicant or in which an applicant lied about his or her criminal history . These cases have been shown to become far more worrisome citizens . neutral +Because the Government has been entrusted with and made accountable for these resources , they should be reported in the financial reports of the Government and of its component entities . The data they have been entrusteed with is medical data regarding future claims . neutral +HDS collects data on mail either sent or received by households . The data is kept confidential . neutral +A precondition to risk assessment is the establishment of clear , consistent agency objectives . Clear objectives are important for risk assessments . neutral +Since last week 's murder of a New York abortion doctor , Schumer 's people have subtly tried to connect the anti-abortion D 'Amato with the extremist right-to-lifers . Schumer 's people have sung D 'Amato 's praises as they proclaim his innocence . contradictory +The professors expect to make their study available through a Web site , www.eeo1.com. The professors are hoping that more people will be able to read and access the study this way . neutral +Or if it is vengeance against whatever you feel we are , you shall know my secret name and the name of everyone here . My secret name is not well known . neutral +His mind groped for something that almost came into his consciousness--some inkling of what should have been done , or how they had failed . He tried to think of a way that they could have failed . entailment +no we haven 't um We have not . entailment +( Not all these cafe will be open throughout the summer months . ) The cafes might not be open during summer . entailment +By the time he reached the bend of the staircase , he had heard the man below disappear into a back room . The back room was where the man kept all of his victims hostage . neutral +well what 's going to be interesting is to see what the economic impact of of uh of the the region uh you know at the moment it the tremendous drug traffic through there but uh the idea of of uh I don 't find economic news to be particularly of interest to me contradictory +Seeor Wences , salvaging the head , put it in a box . Seeor Wences was salvaging the head for future preservation . neutral +You must be careful if swimming along the Mediterranean coast , as many lives are lost here each year to the vicious undertows . You can be carefree when swimming along the Mediterranean coast , it is very safe . contradictory +Kashmir remained an unresolved problem of Partition . The partition problem of Kashmir could be resolved with negotiations . neutral +Long Beach 's rebirth as a tourist destination started in 1967 , when the city purchased Cunard 's former luxury liner , the Queen Mary . The Queen Mary is over fifty feet long and is very heavy . neutral +There would be no pretense of an obligation to invade Russia or China or far-flung regions like East Timor ) . Russia or China would not be invaded . neutral +Bennett is right to the extent that there 's no excuse for telling falsehoods in the course of raising otherwise legitimate issues . There is no recourse in telling lies when talking about actual issues . entailment +Its church , the Eglise Saint-Etienne , harmoniously combines Roman ? ­ esque towers and nave with Gothic steeples , choir , and chancel . At the Eglise Saint-Etienne , you can see a combination of Romanesque towers with Gothic steeples . entailment +Don 't get so excited , my good fellow , said Tommy calmly . Take it easy and relax for a minute , said Tommy . entailment +They spent a couple of minutes chatting , before heading off toward the town 's main road . They didn 't have time to speak as they moved to the main road . contradictory +yeah uh but i 'd rather you know watch it on of course the only problem with cable though is it 's it 's is that they show the same one over about five hundred times before you know you don 't get that many new ones in but uh uh Cable just plays the same show over and over , I never watch it . neutral +Is there any need to hurry , sir ? He was in a rush because of a deadline . neutral +Remains of an Iron Age fort can be traced , and there are some pillar stones . The Iron Age fort remains can be traced back to the 14h century . neutral +The charming little fishing village and artists colony of Saint-Jean-de-Luz has a sheltered harbor with a sandy beach and lively cafe , galleries , and boutiques . The lovely village is best visited in the summer time when it is blooming with business . neutral +and it was just so realistic the way you know you have to just keep reminding yourself that he 's an actor His performance was really good , you 'd forget he was acting . entailment +Young foolishness had always been his weakness . His young foolishness is his advantage . contradictory +Just up the hill at this end of Motomachi is Harbor View Park , where the views at night when Yamashita Park and the harbor are floodlit are especially fine . The night views at Harbor View Park are really nothing to get excited about . contradictory +Castro was imprisoned and put on trial ; his legendary two-hour defense speech , later published as History Will Absolve Me , became a revolutionary manifesto . History Will Absolve Me is Castro 's two-hour defense speech . entailment +THE MEANING OF THE PRESENCE REQUIREMENT There is a requirement of presence that has a meaning . entailment +right i hear that 's like one of the major uh the major costs to companies to corporations nowadays It 's my understanding that that is a big expense for corporations . entailment +you 're pretty Texan yes but you know you know what 's really funny um i 've had people tell me that i have a Texas accent and i mean there just is no way i 've not picked one up I 've been living in Texas for so long that I 'm sure I 've picked up an accent . neutral +because you no longer can think that fast anyway You never lose your ability to think fast . contradictory +The 29th was the much-talked-of " Labour Day , " about which all sorts of rumours were running riot . The 29th was Memorial Day . contradictory +i have i have branched out i was a photographer before but when i went to college it was i felt like i couldn 't support myself if i decided to be a photographer Photography has made me very rich . contradictory +Belatedly , I realised what my problem with the scheme ought to be . I realized that I should have said my grandma just had a heart attack and I had to leave . neutral +Anglicans are particularly aggrieved by the no-Protestants policy . Anglicans instituted a no-Protestant policy . contradictory +Opposite the infirmary , with an entrance on Lauriston Place , is the ornate George Heriot School . There are no entrances to the school . contradictory +Let 's take video games as an example . Video games will not be used as an example . contradictory +Over on the quiet , tree-shaded place de la Sorbonne , it 's hard to imagine the police invading such a peaceful sanctuary one that for centuries guaranteed student immunity . Students will find no sanctuary at the Place de la Sorbonne . contradictory +The requirements and the guidance in the circular were then placed in the Code of Federal Regulations ( 5 C.F.R. The Code of Federal Regulations pertains to the government of the country in which it was produced . neutral +These and other questions are worth exploring to determine what changes are needed on a going-forward basis to minimize the possibility that these types of events will occur in the future . These questions are worth figuring out because they will reduce the chance of people driving drunk in the future . neutral +no well now you know it sounds like you ought to be in a condo down in Miami Beach somewhere You should be in a condo in Miami . entailment +To appreciate the full impact of the whole work , view it in reverse order , starting at the far end with the stately sculpted polychrome wooden panel of Saints Augustine , Anthony , and Jerome , carved by Niklaus Hagenauer . The work must be viewed in reverse order to appreciate the whole work . entailment +They shed no new light on Jesus , but they are of enormous interest to scholars of the Bible , Jewish history , and the cultural environment of early Christianity . Bible scholars are interested in them , even though they don 't reveal anything new about Jesus . entailment +At the south end of the park is the statue of Saigo Takamori , leader of the imperial army that overthrew the shogunate in 1868 . The south end of the park is where the statue of Saigo Takamori is located entailment +It shows that when vehicle costs are added , the difference in cost per box per day between city and rural carriers depends heavily on which labor cost is used . Labor cost is the variable when it comes to city versus rural daily costs per box . entailment +The 257 steps that climb steeply above the main shopping street , the Avenida Ferman Sanz Orrio , lead to the old village . The old village lies below the Avenida Ferman Sanz Orrio . contradictory +so i 'm getting kind of convinced that if something doesn 't grow naturally here there 's no sense in planting it because eventually you 're going to lose it Im convinced that if something doesn 't grow naturally here then you just have to keep trying because it will grow eventually . contradictory +It was on a Wednesday evening , during the seventh episode of ' The Murderers from a Residential Cell ' , when a handsome man from the early-reanimation unit fell into a coma , that is , he couldn 't be woken up after the surgery using the usual methods , and a couple of unusual ones , as well . A handsome man fell on the ground and went into a coma . neutral +oh yeah it 's it 's true it 's definitely true because What you are saying is correct . neutral +10For example , the adverse effect minimum wage rate for New York H-2A workers in 1999 is $ 7 . The H-2A workers in New York weren 't content with $ 7 as a minimum wage . neutral +I was able to convince my parents that it was OK to listen to them because it was sort of classical . My parents were convinced that it wasn 't okay to listen to them . contradictory +Performance evaluation and feedback , supplemented by an effective reward system , should be designed to help employees understand the connection between their performance and the organization 's success . An effective reward system should be designed to help employees and dogs when at home . neutral +Batik fabric designs , silver and pewter ware , and silk brocaded songket cloth are popular items . Batik fabric designs , silver and pewter ware , and silk brocaded songket cloth are the most popular items . neutral +um i don 't know him I don 't know who that is , is he important ? neutral +and things will live on this planet but humans may not be able to anymore It 's sad , but humans can 't live on the planet , other things will thrive . neutral +um they have got into a lot of trouble They 've got into plenty of trouble . entailment +Bond rejected this advice . Bond gladly accepted this advice . contradictory +he 's still running things he is still in charge entailment +The analysis concluded that the rule as proposed in 1993 would have had severe adverse effects on small businesses . The rule was proposed in 1998 and improved businesses as a whole . contradictory +Julius leaned forward , and in doing so the light from the open door lit up his face . Julius moved so that the light could illuminate his face . neutral +well uh i guess it 's one of those things that uh if it 's going to really promote a lasting peace if there is not going to be a peace I think it might be the type of thing that could result in a lasting peace . entailment +'My kids know better than that . My kids are dumb . contradictory +LSC 's Board recognizes the value of the Inspector General function and remains committed to working with the OIG to achieve our goal of providing high quality legal assistance to the poor of our nation . LSC 's board sees the Inspector General is important . entailment +This contributes to the affordability of postage in the U.S. Postage is used in the United States . entailment +The term residence is defined in the INA as the place of general abode ; the place ofgeneral abode of a person means his principal , actual dwelling place in fact , without regard to intent . The INA does not specify what the term residence means . contradictory +something it 's got forty gallons and they 're selling you know you you know you you got to pay forty dollars at least and you know for uh for one gallon and it 's it was selling like at twenty five or something The prices for a gallon is expensive . neutral +On the opposite side of the Abbey from its entrance are two more sites of great religious significance . The Abbey is the only religious site in that area . contradictory +did you ever see the movie Beetlejuice I thought the movie Beetlejuice was great . neutral +In 1998 , Congress passed legislation intended to address concerns from private-sector entities about exposure to legal liability and antitrust law violations that might arise due to sharing information on Year 2000 readiness . The legislation was passed by Congress in 2030 . contradictory +Other Hollywood stars came as well , simply because Las Vegas was the place to be . Las Vegas ' notoriety kept Hollywood stars away . contradictory +The interested reader should inquire about the possibility of additional papers in the series . The reader should ask about more papers being added to the series . entailment +During the 51-week period between June 2000 and May 2001 , 250 individuals came through intake in Fort Collins . From June 2000 to May 2001 , there were no individuals coming through intake . contradictory +Then Mr. White 's voice froze my heart . I was very afraid of Mr. White . neutral +The barber trimmed the tufts from over Dave 's ears and clipped the hair in his nose , while a tray was pushed up and a slatternly blonde began giving him a manicure . Dave hadn 't asked for a haircut , but he was getting one anyways . neutral +uh politics and so forth people trying to maneuver and get power and back stabbing and also helping each other and you know if you know all the love interoffice love affairs and uh all that all that kind of stuff and you know power struggles to see who 's going to be the next uh uh oh It only looks at politics , without the office love affairs . contradictory +And when he was walking for the last time through the main plaza of the Piast University , pondering deep thoughts about the injustice of treating people according to the Valesa scale of street-smarts , he stepped into a puddle . He was walking in the park . contradictory +Even then , you 'll always be able to find peace and quiet on one of the tiny , seaweed-draped coves beyond the main sandy bay . The coves of the main sandy bay is not draped by seaweed . contradictory +Without a similar decision review to bring accountability to the DOD process , acquisition programs can-and do-continue to advance into system demonstration without a stable design . The DOD implemented a stringent review process for the system design . contradictory +It 's part of the AC Hoteles family that includes the luxurious Santo Mauro in Madrid . The AC hotels family is known for being high quality . neutral +It would be nice if more of the newcomers were artists , artisans , and producers , rather than lawyers and lobbyists , but head for head , I 'll stack up Washington 's intellectual capital against any competitor 's . Washington has more intellectuals compared to any other capital . neutral +My husband and I keep the house supplied with good food , but we can 't afford to support two grown adults . We can 't support two grown adults after they lost their jobs . neutral +To one person , a case study involves looking at individual people . A case study can involve looking at individual people . entailment +To understand the tremendous benefits of the President 's plan , we need to understand the public health and environmental issues . President Obama 's plan has many benefits , as his usually do . neutral +A surprisingly swank , handsomely restored 16th-century palace right across from the cathedral . The cathedral is on the same side of the street as the palace . contradictory +Remember , holiday-time isn 't always all playtime . Not every holiday is playtime . entailment +Of course , this decision raises plenty of questions of its own . The decisions is very clear and doesn 't raise any question . contradictory +Often local Celtic patterns appear in bracelets , brooches ( pins ) , and scarf rings . Brooches with Celtic patterns are highly sought after by tourists . neutral +Yes ? León sat on a near-by bunk . Leon sat nearby . entailment +Want one ? Do you want a party ? contradictory +Russia took over the space program--with massive expenditure cuts . Russia cut expenditures greatly when it took over the space program . entailment +The smell of blood and fire was enough to put panic into any animal . The animals gathered around the roses to smell them . contradictory +Periodic assessments or reports on activities can be a valuable means of identifying areas of noncompliance , reminding employees of their responsibilities , and demonstrating management 's commitment to the security program . The employees all comply regardless of reports . contradictory +In order to overcome socioeconomic bias , Harris is using what is known as quota sampling , which ensures that the poll 's respondents are an accurate reflection of the population 's demographics . Harris uses selective sampling to get a more accurate poll result . entailment +Rubbish lay everywhere- discarded debris and detritus , a carpet of party streamers . There was garbage all over . entailment +It had already been done--and had failed . It had failed the fist time it was attempted . neutral +At Tabgha is the Church of the Multiplication of the Loaves and Fishes , where it is said that Jesus fed the multitudes . It is said that Jesus fed the multitudes in the Church of Multiplication of the Loaves and Fisihes at Tabgha . entailment +no i haven 't huh-uh No , I have not done that . entailment +yeah bah humbug No , haha ! contradictory +Even accounting for pro bono work , as much as 90 percent of the legal needs of the poor go unmet , according to Bill Underwood , a law professor at Baylor University . All legal needs of the poor are being met by the legal profession . contradictory +than typing and everything so oh yeah it 's it 's uh around the corner It 's a long ways off . contradictory +Noting that information-sharing agreements cannot cover every situation that may arise , one organization emphasized the importance of promoting an attitude of sensitivity to the concerns of others regarding disclosure of potentially confidential or damaging information . Organizations must work together in order to remain strong . neutral +( In 1988 , Republican George Bush benefited from this phenomenon . ) George Bush is a Democrat . contradictory +what i thought was interesting is that uh apparently the formal cease fire has not actually been signed yet I have been thinking about the signatures on the cease fire , the handwriting is very interesting to me . contradictory +We provide services to students all over the state , and Bosnia has sent delegations to Arizona to learn how our justice system works . Delegations from Bosnia are studying the Arizona justice system to learn how it works . entailment +yeah but i guess i just don 't know what i 'm doing I don 't understand how to do this . entailment +She smiled back . She was so happy she couldn 't stop smiling . neutral +and i grew up in Saint Louis and Saint Louis was much the same I grew up in St Louis . entailment +and and where are the engineers coming from Most of the engineers in our country are foreigners . neutral +Nineteenth-century travellers sped through neighbouring Crevillente in fear of the notorious bandit James the Bearded . James the Bearded lived in the sixteenth century . contradictory +Officials performing administrative approvals usually are responsible for fewer aspects of a transaction . Officials performing administrative approvals usually are not responsible for fewer aspects of a transaction . contradictory +I had a pen and a piece of paper ready to get Latrell for my son ( Better be careful not to get him angry , Dad ) , but if he was there , I didn 't see his first-name-sufficing self . I had a pen and a piece of paper ready to get Latrell for my son because he wanted an autograph . neutral +Therapeutic laws become props for rhetoric that might be called demagoguery , except that it disgraces the memories of Joe McCarthy and Huey Long and the ambitions of Pat Buchanan to call Clinton a demagogue . Therapeutic laws negatively impact society . neutral +It has a rectangular prayer hall capped by 20 domes , supported by 12 great pillars compare this to the imperial mosques of Istanbul , which reflect the influence of Haghia Sophia . The prayer hall is supported by four great pillars . contradictory +Puerto Ricans began arriving in 1900 , followed by Koreans in 1903 and Filipinos from 1907 on . The Koreans came seeking work and better living conditions . neutral +In commemoration of the 600 th anniversary of the great battle , in 1989 Lazar 's bones were taken for a tour around Serbia and Bosnia , from monastery to monastery . Lazar 's bones were still in good condition for public viewing . neutral +'What did you think I was ? Your concubine ? ' Did you think I was your husband ? contradictory +that really scared i guess i that that a little more than scared me that irritated me uh that because it if if it it surely didn 't come as a surprise that that if the door came open the lady would fall out i mean and It was kind of annoying . Of course the woman would fall out if they opened the door and she didn 't have her seat belt on . entailment +The first place in Japan to call itself a bar opened in Asakusa in 1880 ( and is still doing business ) ; the first movie theater opened here in 1903 . About 50 people visited the bar in Asakusa when it first opened . neutral +The more far-seeing among them realized that what they proposed might well be a death-blow to the England that at heart they loved . Nobody realized that their proposal could lead to the death of something they loved . contradictory +Every delicacy out of season was duly provided . One could find fancy foods from every season here . entailment +King 's Cross , directed Tuppence . King 's Cross station , Tuppence directed the taxi driver . neutral +Coppola 's life is the story of fulfilled promise . Coppola 's life was unfulfilled . contradictory +However , they are not intended to limit or interfere with duly granted authority related to developing legislation , rule-making , or other discretionary policy-making in an agency . They were really slye about interfering though . neutral +They travel from farm to farm , tending and harvesting fruits and vegetables . They tend to fruits and vegetables at several farms . entailment +Which isn 't surprising . Nobody had been expecting it . contradictory +I thanked him . Thanks was given . entailment +He saw blood running from under the Sai Routha 's armor into a puddle at his feet . He was worried the man was going to die . neutral +Jaye explained how much of the renovation had been merely uncovering what was already there . Jaye expected the home to be fully renovated within six months . neutral +A short walk along a path from the square is the elegant and richly decorated Igreja de Nossa Senhora do Monte ( Our Lady of Monte ) , dedicated to Madeira 's patron saint . The Igreja de Nossa Senhora do Monte has rich decorations . entailment +During the past few weeks , the Ways and Means Committee has been considering a $ 2 . During the past year , the committee has had to consider money . entailment +There was a spatter of pebbles against the window and the youngster stirred in his sleep . The child was soundly asleep . contradictory +Staff are to be properly supervised . Staff should be supervised by CEOs . neutral +and the other thing was we need to really really to tighten up our discipline in schools because they run here in New England i 'm not sure about the rest of the country but i know the schools are almost running rampant up here Public schools run more rampant than private schools in New England . neutral +Its centerpiece is the right-angled triangle , Samrat Yantra ( the Supreme Instrument ) , with a dome acting as a sun-dial , accurate to half a second . The sun-dial takes the shape of a dome and is accurate to half a second . entailment +The Inglethorps did not appear . The Inglethorps did not show up . entailment +All these are as typical of France as the more conventional images of rolling green meadows bounded by straggling hedgerows and arrow-straight avenues lined with plane trees , a village visible on the horizon , clustered around its church . These things are all thought of as classic France . entailment +Historians will record , she has written , elaborating on something Leon Weiseltier once wrote about Clinton , that our generation 's contribution was to be the generation that worried about its contribution . Historians will note that this generation is set apart from others by worrying about its contribution . entailment +Mailers are now presorting their mail , barcoding their mail , changing flat-size pieces into letter-size pieces , consolidating their mail , and carrying their mail great distances in order to enter it at specific locations . Mailers are no presorting their mail but they aren 't barcoding their mail . contradictory +Given the mountain of data being generated by eBay , I suspect those theories will be the stuff of doctoral theses for a long time to come . The doctoral theses that earned the highest praise last year relied on the eBay data and the theories . neutral +As discussed in section 1 , Social Security also affects people 's incentives to save for retirement . Social Security doesn 't affect people 's incentives to save for retirement . contradictory +As with everything else in Las Vegas , shopping facilities have always been around , but when compared with other major cities , they did not live up to expectation . Shopping is important in vegas and retail space has doubled in the city in the past ten years . neutral +How convincing I 'd been ; for a brief time I 'd even conned myself . I was horrible at convincing anyone . contradictory +'I assure you I am quite capable of getting to whatever pace is appropriate for the moment under my own power . After being dragged quite some ways , I let them know I was capable of walking on my own . neutral +They faced repeated assault and siege from neighboring Malay forces , and malaria was a constant scourge . Malaria was no longer a threat and they had made peace with Malay forces . contradictory +The Egyptian Obelisk , brought to Constantinople by the Emperor Theodosius in a.d. 390 , had been commissioned by the pharaoh Thut ? έose III in the 16th century b.c. The obelisk , brought to Constantinople in 390 ad , was commissioned by a pharaoh . entailment +The result would have been , for large , complex sources , documents of a l , 000 pages or more . The result would be for very thin documents . contradictory +Other strategies for business / technology learning include informal activities such as newsletters , presentations , reports , and service-level results placed in common areas to communicate the effectiveness of their CIO organizations . They have several business learning strategies . entailment +exactly yeah yeah i mean you 're you 're in Dallas so everybody i can 't believe they can uh like in a murder situations they look for juries who don 't know anything about the system well or know anything about the the occurrence you 'd have to be pretty dense In Dallas every member of the jury knows a lot of the legal system subject , specially in murder cases . contradictory +He will make a good remount , but he is no fighter such as others I have seen here . " Drew unsaddled and left the black in with Croaker ; he fed both animals a bait of oats . He is an extraordinary fighter . contradictory +They will establish a cover charge or require a minimum food purchase for the use of a table . To use the a table , there will be a cover charge or minimum purchase . entailment +Such simulations can illustrate the long-term economic consequences of saving choices that are made today . Saving money today has beneficial long term consequences . neutral +More importantly , we thank the LSC Board of Directors for giving us the opportunity to improve a legal services delivery system that is so valuable to our clients , so essential to a democratic way of life , and so very important to all of us . The LSC board of Directors told us to make sure that we communicated their values when creating the system . neutral +The long-vanished old tower from which Torrevieja took its name has been replaced by a new one , built with funds raised by expatriate citizens . The old tower of Torrevieja still stands today just as it was when it was built a thousand years ago . contradictory +Because combination of SCR and FGD are expected to have high mercury removal due to the SCR and FGD systems , those facilities that are so equipped are not expected to add ACI systems . SCR and FGD combined are not expected to have high mercury removal . contradictory +Shouldn 't have thought it . Shouldn 't have entertained that idea . entailment +'It 's never a good idea to ignore a perfect opportunity . ' Opportunities of all kinds should be ignored . contradictory +Ca 'daan pulled his legs up and turned . Pulling up his legs , Ca 'daan turned . entailment +She is very well spoken , has a good job , and is not a bimbo by any stretch of the imagination . She has a respectable job , but is very obviously unintelligent and self-centered . contradictory +China will prosecute the leaders of Falun Gong . A government order excused most followers saying they had been brainwashed into joining a subversive political organization . China will jail Falun Gong leaders . entailment +The two Ulster earls , O 'Neill and O 'Donnell went into exile on the Continent , along with many other Irish lords . They were out in the public . contradictory +He is losing patience . " He began rubbing on the ointment , which helped slightly . He was losing patience and rubbed the ointment on . entailment +yeah diesel engines I hope you know how to fix diesel engines . neutral +She looked excited and determined , and slightly on the defensive . She looked thrilled and focused , and a tad on her guard . entailment +Does the study state clearly whether identification ofthese factors was based on insight and recognition or on quantitative techniques ? Factors were clearly based on observation of martians while eating cheese . contradictory +Behind him , he heard Bork 's chuckle and the soft laughter of Sather Karf . He hear Bork and Karf behind him . entailment +Pointing out into the Atlantic on the country 's western edge , Brittany 's spectacular shoreline has earned the region a reputation for rough weather . With its prized location on the Mediterranean Sea , Brittany has a reputation for hot weather . contradictory +Sniffin ' round where they ain 't wanted . Sniffin ' round where people want them to be . contradictory +But the standard for appointing an independent counsel can 't be that broad . Independent counsels are appointed by volunteers . neutral +Both the Immigration and Naturalization Service ( INS ) and the Executive Office for Immigration Review ( EOIR ) have prepared a cost analysis of the impact on their budgets of the interim rule . The INS and EOIR prepared a cost analysis for their budgets . entailment +Like other revolving funds , it earns exchange revenue , which is an offset to its gross cost . Non-revolving funds do not earn any revenues . neutral +Both are actors who involved themselves in politics . Both are actors who involved themselves in politics . entailment +The official responsible for GAO evaluation GAO stands for general attorney 's office . neutral +Lying at the western end of the Bay of Naples reached by ferry or hydrofoil from Naples and Pozzuoli the island has won the overwhelming favor of German and Scandinavian tourists and package tours in the summer , thanks to thermal springs , fine sandy beaches , and good facilities for watersports . Scandinavian and German tourists all shun visiting the island . contradictory +uh-huh that 's right see we he couldn 't do without it he but you know since he can just do it right there at work for nothing He tries to save money in any way he can , and I think that 's smart . neutral +The superb central rose window depicts the Redemption after the Fall . THe central window doesn 't show the redemption . contradictory +She keeps the fatal letter . " She threw the fatal letter away . contradictory +SmithKline recently announced plans for a herbal line that includes ginkgo , saw palmetto , ginseng , and St. Johnswort . SmithKiline is going to release a movie line . contradictory +If it looks clear , beat a hasty path up to Pico do Arieiro first thing in the morning . The view from Pico do Arieiro is fantastic on clear days . neutral +Indeed , in Japan 's consensus-based management system , the response of politicians , bureaucrats , and business leaders seemed to be to look the other way and hope bad news would disappear . Japan 's management system was consensus-based . entailment +i thought yeah i thought that most Americans might not like it because you know of it 's it 's not that good of a quality film but i mean it 's the meaning behind it that i liked I didn 't think most people would like it because the film quality is bad but it has a good meaning and was heartwarming . neutral +( iv ) Other relevant information or requirements under Acts and Executive orders There is some relevant information and requirements . entailment +uh i 've only purchased one new car in my entire life I have never owned a brand new car . contradictory +you know you know the jeez you know they 're just they 're just the scum of the earth and uh i just hate the idea that my tax money might go to support somebody like that People who commit crimes deserve to suffer . neutral +academic researchers before their methods were adapted to evaluation . Academic researchers work without method . contradictory +The cleverly named Silicon Valley start up @ Home promises 30 million bits per second of bandwidth through cable-TV lines . Theoretically , @ Home can deliver a Silicon Valley is the name of a mining field in Nebraska and is home to no technology-related start ups . contradictory +yeah and they should give every teacher a a hundred percent raise that that 's the problem is the teachers don 't get enough money and anybody who could be a good teacher doesn 't want to become a teacher usually because they don 't pay enough i mean when i was in college i did a lot of teaching uh for my degree and uh i got a lot of good out of that and i liked teaching but i really couldn 't go into teaching because it was not economically feasible for me to do so Society should lower the pay for teachers . contradictory +well and you 've got to have you 've got to work for a living to You have to have a job or you will starve ! neutral +i know that 's well maybe that 's what i 'm saying as long as greed and corruption is in there how do we get away from that though I don 't think there 's any need to tackle greed and corruption . contradictory +It has been a long-standing practice of legal services recipients to continue legal representation of alien clients , including H-2A clients , after the clients have left the United States . It 's the established practice of legal services recipients to continue representing alien clients after those clients have left the US . entailment +When that hope was realized in June 1967 , old buildings that had crowded the Wall were demolished and a wide plaza was constructed for the hundreds of worshippers who arrived daily . In 1967 , buildings next to the Wall were demolished . entailment +Inspector Brown . Inspector Brown likes candy . neutral +yeah after a while though it started getting a little repetitive it ran out of news The news stories ran dry , so it got a bit boring and fired all of its staff after a few years . neutral +20590 ( April 26 , 1995 ) , incorporated an initial regulatory flexibility analysis of the expected impact on small entities . There is a regulatory flexibility analysis on the impact on small entities . entailment +1 , realized gains do not count as personal income , but any taxes paid on such gains reduce disposable personal income and thus saving . Gains don 't count as personal income but the taxes paid on them reduce saving . entailment +If you kill me now , you never will know . " But here the emotions of Boris became too much for him . Boris cheerfully gave them the information they had been seeking . contradictory +feel that okay fine if my bathing suit slips a little bit i don 't have to be conscious of I don 't care if my swimsuit slips a bit . entailment +Although U.S. demand for activated carbon is expected to increase by a small amount as a result of a multipollutant strategy , activated carbon is traded on a global basis , and there is currently substantial excess capacity that can readily provide for this increase in demand . This increase , although small , will still have great impact on the United States . neutral +A spasm of pain crossed his face . He could not hide the pain he felt , I could see it in his face . neutral +If they do not declare a general strike on the 29th " If they declare a truce on the 15th . contradictory +think that 's going to happen in the next twenty years but uh you know i think that there 's progress and i 'm not very political so i don 't really know you know any i don 't know any statistics on you know how many women run for public office and how often they 're defeated Women voters are the reason that more women don 't hold public office . neutral +first generation Chinese German you know all different nationalities and everything and now we 're kind of like in Lewisville Miss White Little suburbia you know There were a lot of different nationalities in Lewisville suburbia . entailment +uh-huh uh-hum uh-huh well see i live in Virginia I live in Virginia for the weather . neutral +that 's nice uh well do you have children You 're infertile contradictory +yeah nice talking to you Irene and you stay warm up there It 's pretty cold up there right now . entailment +well it 's sure been nice visiting with you It have been a pleasure to visit with you today . entailment +Three ( one in press ) are in emergency medicine . All are happy to be in emergency medicine . neutral +driving a car--that are not wrong in themselves , just wrong for a 5-year-old . The car that they are driving is wrong for a 5-year-old because it does not meet the safety standard for children . neutral +The tribes of Israel were then scattered to roam the world as the Ten Lost Tribes . Some of the tribes of Israel reunited back again . neutral +right well our daughter in Texas is working for TI uh on a part time basis so that 's how we found out about this calling Our daughter is working part time . entailment +The ones who fought us were entertaining but the ones who ran and cowered , we loved them more . Everyone just ran away without trying to fight . contradictory +See Budget Prompt Action Necessary to Avert Long-Term Damage to the Economy ( GAO / OCG-92-2 , June 5 , 1992 ) , The Deficit and the An Update of Long-Term Simulations ( GAO / AIMD / OCE-95-119 , April 26 , 1995 ) , Budget Deficit Reduction and the Long Term ( GAO / T-AIMD-96-66 , March 13 , 1996 ) , Budget Analysis of Long-Term Fiscal Outlook ( GAO / AIMD / OCE-98-19 , October 22 , 1997 ) , Budget Long-Term Fiscal Outlook ( GAO / T-AIMD / OCE-98-83 , February 25 , 1998 ) , Budget July 2000 Update of GAO 's Long-Term Simulations ( GAO / AIMD-00-272R , July 26 , 2000 ) , and Long-Term Budget Moving From Balancing the Budget to Balancing Fiscal Risk ( GAO-01-385T , February 6 , 2001 ) . If you look at these reports , you 'll go blind . contradictory +With the defeat of Singapore 's moderate Progressive party by left-wing radicals , Tunku Abdul Rahman feared the creation of an independent communist state on his doorstep . Left-wing radicals defeated the Progressive party and opened the doors , according to Rahman , to the foundation of a communist state . entailment +uh-huh it is it 's way too late i agree It is way too late , you missed the deadline . neutral +Notable in the collections are a Fra Angelico triptych , Raphael 's La Fornarina ( though the authorship is disputed ) , and works by Titian , Tintoretto , and El Greco . The collections include works produced by El Greco and Titian . entailment +However , a total ban on vending machines and direct mail order sales have been deleted from the final rule because of their impact on small entities . There won 't be a ban on direct mail order sales . entailment +that 's right that 's that 's right you 're paying you 're paying a higher interest rate so they can rebate you two percent of it You are paying a higher interest rate so they can rebate you two percent of it . entailment +The many little alleys , or yards , as they 're called , were used to protect herds of sheep brought down from the fells during times of crisis . The many little alleys were used to protect herds of sheep brought down from the fells during times of crisis . neutral +The audit report should include the objectives , scope , and methodology ; the audit results , including findings , conclusions , and recommendations , as appropriate ; a reference to compliance with generally accepted government auditing standards ; the views of responsible officials ; and , if applicable , the nature of any privileged and confidential information omitted . The audit report should have the methodology included in the appendix . neutral +and that 's the way you 're supposed to do it instead of doing like Jimmy Carter did you know say well you know uh um i 'm getting out of the olympics and i 'm going to give you back Panama We were supposed to emulate what Jimmy Carter did . contradictory +For the next 400 years , English and French monarchs fought over the sovereignty of various parts of France ' among them Aquitaine , Touraine , Normandy , and Flanders . The English and the French never fought for the sovereignty of Normandy . contradictory +i don 't and i don 't understand the reasoning for it i really don 't it it seems perfectly logical that if somebody 's going to take public money then they should return something to the public i mean if nothing else go out along an interstate and pick up garbage I do not understand the reasons for it . entailment +The main problem we 're facing today is the fact that there are [ 698,079 ] people living at or below the federal poverty guidelines in Alabama and we have , in our 60 counties , 45 lawyers to serve 76 percent of that population , Waters said . There are not enough lawyers for low income people . neutral +I felt quite stupid . I was embarrassed for feeling stupid . neutral +Her good sense told her that there was nothing else to do but accept the situation . She decided that she had no choice but to deal with it . entailment +yeah and they just can 't grasp it They cannot get a hold of it . entailment +Approval of T & amp ; A reports and related documents should be based on personal observation , work output , timekeeper verification , checking data against other independent sources , reliance on other controls , or a combination of these methods . The T & A reports should be approved based on what people observe . entailment +Now the saddle . Now add the sauce . contradictory +Given that the emissions reductions under the Clear Skies Act result primarily in reduced ambient concentrations of PM2 . The emission reductions reduced ambient concentrations . entailment +But he used harsh anti-press laws and loyalty oaths to quell the libertarian spirit that had brought him to power . He did not appreciate those who brought him to power . neutral +The convent contains a museum with Spanish treasures , and you can climb the belltower for spectacular views of Old Havana . The convent contains a museum with Spanish treasures but they are mostly replicas . neutral +If they do not accept us , what do we do ? asked Thorn . If they don 't accept what we are fighting for , what will we do ? neutral +He wasn 't vaccinated , an ER medic summed up , sneezed forcefully , and went back under the megatron to watch the second period , where in the midst of an excited crowd , he sneezed yet again and realized that something dripped accidentally from his mouth , not in the least his saliva . The medic decided he was not vaccinated against the flu . neutral +Look , I 'm ready to agree right now . He is not ready . contradictory +If there 's a rock ' n ' roll critics ' Heaven , You know they got a hell of a Faculty ! All the great Rock and Roll critics must be overflowing in heaven . entailment +Wander through the refreshing greenery to the intersection of Agron , King David , and Mamilla streets , then climb the hill along King David Street past the modern Hebrew Union College . Walk through the soothing gardens and onto the roads . entailment +The island proved to be the last bastion of the samurai ideal , when disenfranchised warriors launched the doomed Satsuma Rebellion in their desperation to forestall the relentless march of progress . The samurai had specific ideals and the island met their expectations . entailment +She was anxious to find some stamps , and , according to my theory , she tried her own keys in the desk . She was desperate to open the desk but she had no keys contradictory +It was on this hill that Jesus gave his famous Sermon on the Mount ( Matthew 5 : 2-12 ) and also chose his disciples . On this hill , Jesus wrote his Sermon on the Mounts and the Ten Commandments . contradictory +A conservative critic tells Republicans to read--no , steal-- the Clinton manual on how to update and revive your losing party . 'Read , but don 't steal ' , the conservative critic said to the Republican when mentioning the Clinton manual . entailment +This brought a dozen questions to Ca 'daan all at once but he didn 't know where to start and so he let Jon continue . Jon and Ca 'daan were working on the same project . neutral +no i do not i work for GTE I am employed by GTE . entailment +DiClemente pointed out that in an ideal world , primary care would provide consistent contact , and interventions could happen over time . In an ideal world , secondary care would be before primary care . contradictory +Wesley Clark 's 1975 thesis , which doubted the coercive effects ... The thesis spoke against the effects . entailment +30 About 10 percent of households did not Only ten percent of households do not own a television . neutral +that i have a similar problem i 've got to have time or i don 't even want to get into it in the first place All I need is an hour free in order to get into it . neutral +At its southern end you 'll find The Old Cataract Hotel , harking back to the days of Edwardian elegance . The Old Cataract Hotel is one of the highlights of the southern end . neutral +At dawn , its color changes from milk to silver to rosepink , and at sunset it is golden . It is the most beautiful at dawn . neutral +oh wow that would have been six or seven years ago then That was twenty-five years and six months ago . contradictory +Mini-buses dart in and out of the traffic to pick up passengers and there 's a frantic rush at peak times as everyone tries to leave the city at once . Bangkok has some of the worse traffic in the entire world . neutral +you know you you you 're going to have to start with the kids who are in school that are in when school and you 're going to have to teach it well not like i was in school and do two weeks on it in a math class and that 's all you ever hear about it you know they 're going to have to start with the little ones and teach it right now and then when you know those little ones are our age you know that 's what they 're going to know and that 's what they 're going to use there 's no way you 're going to get you know most of the United States adult population to automatically relearn and switch The adult population of the United States will learn this new method very quickly , but it will be difficult for the children to learn a new method . contradictory +Nice touch , that enchilada . That enchilada was terrible . contradictory +The risk of petty crime is high and the atmosphere is a little too oppressive for most tourists to feel comfortable walking the streets alone ( see page 116 ) . The risk of petty crime is so high that tourism is very low . neutral +If you watched the addiction series , for example , you heard little about other popular views of addiction , e.g. , that addicts should be forced to take responsibility for their actions , not coddled into victimization . Addicts should be victimized , they 're not responsible for their actions . contradictory +It is true it is told from the point of view primarily of those who tried to save preference , and one may be able to take issue with some of the journalistic flourishes , as you do , but aside from characterization of the participants I don 't detect bias . The speaker believes that accusations of bias are unfounded . entailment +Theme analysis also can proceed in matrix fashion . Theme analysis can go forward in matrix fashion as well . entailment +uh-huh that bite you no no hum-um these look like a lily they look like a a well they really look like an orchid These don 't resemble any other flower . contradictory +Let Netscape track me so long as they disclose what they are doing . I trust that Netscape will not use my location for evil purposes . neutral +Whose interest would be served by our doing so and for how long ? Who would this serve , and for how long would it benefit them ? entailment +Refurbished in 1990 1991 and housing the offices and meeting rooms of the Taoiseach ( prime minister ) and his cabinet , the interior rooms of the buildings are a fascinating and tasteful combination of the old and the new . The interior rooms are a combination of old and new , having been refurbished in 1990-1991 . entailment +In a society with rigid ranks , people do not expect to rise above their station and therefore do not feel that they have failed if they do not rise . People always feel like they fail when they cannot rise above their station , regardless of the society they live in . contradictory +Miraculously the cathedral escaped unharmed from the heavy air raids of World War II . War causes heavy damage and air raids . neutral +After breakfast , Dorcas came up to me rather mysteriously , and asked if she might have a few words with me . She had never spoken to me before this day , except in passing . neutral +no i 'm not a native here actually um from Philadelphia originally and lived in uh Ohio for you know a good portion of time going to high school and college there so i 've been down here for about eight years but uh i don 't know that 's just something that i really picked up on i really did like the Mexican food the other thing i like i guess um i don 't eat it as often is maybe Italian food we don 't have as many places around here to eat Italian food but um I hate Mexican and Italian food . contradictory +The way Nye and Topham had hustled Anse and him out with the wagon train had made it seem as if they were in disgrace , and that rankled a lot . It was annoying how Nye and Topham had treated Anse and him . entailment +Here you will find William Grant Park , originally Victoria Park , in reality a small town square that was opened in 1879 with a life-sized statue of the queen herself at its center . The status of the queen in the center of the park has since had its had taken off by protesters . neutral +I have tried to sell a message , it is true . The writer can 't stand to touch another person 's body . contradictory +We propose that it should take place to-morrow night , or rather to-night . Tonight wasn 't a suitable night . neutral +and we don 't have it so we deserve it and we should take it We should take what we deserve and don 't have ourselves . entailment +yeah that that it 's a major cause of uh early That is one of the major causes of the issue . neutral +Chapter 6 examines the availability of resources necessary for the installation of SO2 , NOX , and mercury control retrofit technologies for the timing and emission reductions proposed under the Clear Skies Act . Chapter 6 studies the availibility of technology to reduce emissions to improve air quality for the Clear Skies Act . entailment +Montreuil was a thriving port before the river silted up in the 1300s ( the sea is now about 25 km away ) . Silt in the river prevented Montreuil from thriving as it did in the past . entailment +I ? There was a faint insolence in her voice . Her voice had a great measure of humility to it . contradictory +If we assume that all cost segments other than street delivery vary with volume , the value of scale is about 17 percent of the total cost at the United Kingdom 's volume and coverage levels . Street delivery is one of the cost segments . entailment +Mrs. Vandemeyer knew his secret . He told Mrs. Vandemeyer his secret in confidence . neutral +I can do nothing without Mr. Brown . I don 't need Mr. Brown at all . contradictory +Hokkaido now has some fascinating museums devoted to Ainu life , and the village of Shiraoi preserves the artifacts and folkcrafts of their culture . There are no museums detailing Ainu life . contradictory +oh and it gets those nice warm breezes coming in that 's nice On a summer day there is a nice warm breeze neutral +i guess why I think tax breaks for the wealthy are the reason . neutral +and that 's scary because you know in the end you 're getting insurance for basically nothing Insurance that they are going to have will essentially cost them nothing . entailment +yeah you can force their hand more or less but see somebody that old they don 't know You can force them to do something . entailment +But , as long as you don 't sing out for help , you 're all right and I don 't think you will . You will be all right as long as you don 't cry for help entailment +Simon 's appointment was scheduled for 3 : 18PM . Simon had an appointment scheduled in the afternoon . entailment +Especially in the evenings and on weekends , when you 'll encounter a vibrant mix of Cubans and foreigners , the island 's casas de la trova really swing . Cubans and foreigners do not mingle in the evenings and on weekends . contradictory +In addition to his service on the LSC Board , he has also served special appointments to the International Labor Organization , the U.S. He enjoys being part of the Labor Organization and the LSC Board . neutral +She stooped down and looked under the bed . She was blind and unable to see under the bed . contradictory +But there 're some .... What did happen here today , Kirby ? " Drew told it straight and flat in as few words as possible . Drew did not ask Kirby what happened . contradictory +But American authorities balk even at such a modest suggestion . Japanese soldiers agree with the suggestion , and want to go forward with it . contradictory +Why wait for legislation , if we can act now to drive costs out of the system and lower rates for qualified mailers ? We can 't act now to drive costs out of the system , so we must wait for legislation . contradictory +A recent $ 202,297 federal grant from the U.S. The U.S. doesn 't give any grants . contradictory +Mangrove swamps along the coast and squat nipa palms give rise to mangrove jungle . Mangrove swamps along the coast begin to become mangrove jungle further inland . entailment +If the board is not following best practices , it should report why it is not following these practices . A failure to follow best practices isn 't automatically grounds for discipline . neutral +First , they should provide strategic advice to management in order to help maximize shareholder value . No matter what happens , management shouldn 't listen to any of their advice . contradictory +This brief period may have been the most fertile of his career . He accomplished more in the brief period of time than he ever had before . neutral +you know uh oh here 's a crisis well let 's plug it up If they keep doing this , everything is going to come tumbling down in a catastrophe . neutral +For example , if an analysis of life-threatening or fatal incidents at There are fatal incidents happening every day and we need to control them . neutral +The chapel , dating to the end of the 15th century , is the oldest in Funchal . The chapel is the newest building in the area . contradictory +This is the fourth rulemaking action which EPA has undertaken to implement the requirement contained in Section 211 ( l ) of the Clean Air Act Amendments of 1990 . There are five rulemaking actions . contradictory +Denis Diderot has much to say about dress in the theater , and Honore de Balzac wrote an incisive treatise on neckties , among his many essays on elegance . Diderot had little to say about how people dress in the theater . contradictory +The preamble describes the information being collected , the need for the information , a description of the respondents , and the estimated annual burden hours . The necessity for the information is one of a few things that a preamble describes . entailment +because it wouldn 't make any sense you know what i 'm saying it 'd look absolutely ridiculously stupid but it would work out because It will make sense eventually , even though it will look unclear and stupid in the beginning . entailment +It also describes the total number of entities of all sizes that may be affected by the rule . It describes the entities that will be affected by the rule . entailment +Recently , Wallace received the Outstanding Woman Lawyer in Public Interest Law Award . Wallace got an award . entailment +This is a real challenge for policy , institutional systems , and professionals . The various parties will face no additional difficulties . contradictory +According to Table 6-4 , if the retrofit of the FGD , SCR , and ACI systems for 2005 occur over thirty-one months prior to 2005 and over a three-year period for each five-year increment after 2005 to 2020 , the maximum demand would be about 23 percent of the journeyman boilermakers or about 19 percent for journeymen and apprentices combined . Table 6-4 shows the project timeline and demand for boilermakers . entailment +The music and dance is usually of a high standard , though the surroundings can be less than authentic . Some of the things around here are not authentic . entailment +If it could , the auditors should extend the audit steps and procedures , as necessary , ( 1 ) to determine if the abuse occurred and ( 2 ) if so , to determine its effect on the audit results . The auditors should never extend the audit steps . contradictory +The She has to get out of the United States by next week . The She has a week to get out of the United States . entailment +Writers and painters who used to meet regularly in the cafes of St-Germain-des-Pres often find themselves squeezed out by film directors , TV performers , advertising people , and more and more tourists . Tourists , as well as film and TV people , are helping to squeeze out the writers and painters who used to frequent the cafes of St-Germain-des-Pres . entailment +something something to keep me occupied you see Nothing can ever keep me occupied . contradictory +really are you a yeah No way are you that . contradictory +You ask an impossibility . You are asking me to do something that 's impossible . entailment +Straggling processions , singing the Red Flag , wandered through the streets in a more or less aimless manner . There were no processions in any of the streets as far as they eye could see . contradictory +you know i 'm going back to school my wife 's going back to school too our lifestyle right now is meant to position ourselves so financial the these financial problems won 't be problems uh in the future and uh so If my wife and I both go back to school , we will be able to secure great jobs and will never have to worry about future financial problems . neutral +In the next scene , it turns out he 's the sheriff too . In addition to being the sheriff , he also owns the convenience store . neutral +Personal Communication with T. Licata , Babcock Borsig Power , August 3 , 2001 . T. Licata and Babcock Borsig Power were about their love lives . neutral +The world has gone mad , and even magic is no longer trustworthy . Magic was the staple of consistency and trust before this event . neutral +yeah yeah and so i would think that either the doctor could get him off with that or or that they should listen i mean because i i just can 't see that they would do some make somebody go to a rehab or whatever they go through because he took his wife 's medicine that just doesn 't sound right does it so it seems like they should be able to bend the rules oops excuse me a little bit on that but you but i don 't know because i don 't know anybody that 's had to go through treatment or anything so i really don 't know He shouldn 't have to get penalized for taking his wife 's medicine . entailment +The argument in seems really stretched , particularly to anyone who 's ever done something like lock his refrigerator ( I don 't , but I keep it empty for a similar reason ) . Since I do not lock my refrigerator , I keep it empty . entailment +The oldest , facing south and telling the story of John the Baptist , were designed by Andrea Pisano in 1330 . Andrea Pisano was born in 1428 and worked as a politician . contradictory +Slowly , Web sites are emerging to serve Divorcelawinfo.com helps people educate themselves about divorce ; MyCounsel.com is aimed at small businesses , and there are many others , including Nolo.com , which helps people help themselves , without a lawyer . There are websites that help people with legal issues . entailment +yeah um-hum yeah i have a on my credit cards i have a grace period if i pay it off within when the bill comes i i don 't have to owe any interest I owe a lot of interest on my credit card . contradictory +well i suspect that that 's a reference to Thoreau 's Fish in the Bucket of Milk but i don 't know for sure and i 'm not sure what the relevance would be if it were but I think that might be a reference to Thoreau 's Fish in the Bucket of Milk . entailment +The capital city of Anjou is a perfect base for exploring the Loire Valley from its western end ; this bustling university town offers first-class modern shopping in the pedestrian zone around the Place du Ralliement . Anjoy is the capital city . entailment +fifty i think it was like i don 't know if it was fifty billion or fifty million which is really doesn 't make any difference I 'm pretty sure it was about $ 100 . contradictory +Louis XIV was very envious of the Grand Canal , ponds , and waterfalls designed by Andre Le N ? ? tre and insisted the master gardener do even better at Versailles . Louis XIV was not a competitive or envious king , thus he did not pressure the master gardener . contradictory +The site of the pipal tree or bodhi the tree of wisdom where Gautama Siddhartha became the Enlightened One , Buddha stands for one of the four great pilgrimages of his life . The pipal tree is very insignificant to Buddha . contradictory +The final rule contains collections of information which are subject to review and approval by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . The Paperwork Reduction Act failed to pass so it is not enforced . contradictory +The organization has received a $ 25,000 grant from the Illinois Equal Justice Foundation , a nonprofit group that funds programs designed to increase access to legal information and assistance , to help pay for the effort . The $ 25,000 grant is to be the first of many from the Illinois Equal Justice Foundation . neutral +But a gray of that breeding " Don Cazar 's forefinger ran nail point along his lower lip . His nail pointed at his bottom lip . entailment +I think every one was a little surprised that it should be he and not one of the official detectives who took the initiative . Poirot was in his element as he strutted and preened for his captive audience . neutral +What the devil are you driving at ? demanded Julius . That is a stupid point , said Julius . contradictory +This contributes to the affordability of postage in the U.S. The U.S. does not use postage . contradictory +The Romanization of Gaul sent the most energetic warriors to defend the outposts of the empire while their families settled down to work the land or build towns such as Lyon , Orange , Arles , and N ? ® mes , and the first great highways between them . Gaul was sent energetic warriors to fight to keep the outposts safe . neutral +Some bottles of colored liquids broke and the smell of the place turned rancid . The clear liquid smelled like flowers . contradictory +Go through the underground walkway to Statue Square ; on the east side of the square is the Legislative Council Building , one of the few colonial buildings left in Hong Kong . To the north of Statue Square is the Legislative Council Building , one of Hong Kong 's newest buildings . contradictory +Most of the churches on Ibiza are worth a visit for their architectural , scenic , or historical merits . None of the churches in Ibiza are worth visiting . contradictory +Serious matters should be reported to top management . Top management needs to be informed of any serious issues . entailment +Far from supporting the Court 's nondistortion analysis , League of Women Voters dooms the Court 's case . The court case is a hotly contested debate . neutral +Just as though we didn 't count . " It 's as if we count considerably . contradictory +i 'm sure the pendulum will swing the other way uh there have been too many other things that it 's done that for just in my life and if you look at history at all you see that you know uh we go from one side to the other on just about any subject that you one might care to bring up but Things will flip and go the other way now . entailment +Most of them seemed to be dead or unconscious . Most of them looked dead or unconscious so there was no choice but to charge forward . neutral +He had held the championship for three years . He had lost every time . contradictory +Prepared by Energy and Resource Consultants , Inc . Energy and Resource Consultants , inc have not prepared anything . contradictory +Well , Holy Smokes . Holy Smokes . entailment +I know a man , but he is not cheap . I don 't know anyone who will do it . contradictory +to uh kill another mother Potentially murder a mother . entailment +'We 've got a cloned shell waiting in the lab , ' I waved my hands . I was excited about the cloned shell . neutral +The Congress has a right to the information we are seeking in connection with its consideration of comprehensive energy legislation and its ongoing oversight activities . The Congress can get any information they wish to see . neutral +The entrance is through a tiny sixth-century doorway , so low you have to bend almost double . The doorway is so small that you have to double over to fit through . entailment +Finally , as he prepares to launch his own daily TV show , we thought we 'd highlight National Enquirer columnist Mike Walker 's confident prediction that there 'll never , ever be a post-Lewinsky photo showing Bill [ Clinton ] with a cigar . Bill Clinton would be embarassed to have a picture with a cigar at this point . neutral +Hong Kong has two major racetracks as well as an intensive off-track betting system , and on weekends the ferries to Macau are crowded with people on their way to the casinos . On weekends the ferries to Macua are crowded with people on their way to gamble , since Hong Kong has two popular racetracks and an off-track betting system . entailment +Was it possible that she had come to his help ? There was no chance that she had come to help him . contradictory +What should the public know or think about this Bill Clinton and Monica Lewinsky ? What should the public 's opinion be of the Bill Clinton and Monica Lewinsky story ? entailment +Postal Ratemaking in a Time of Change They had to change the postal rates . entailment +Standardization , they said , could decrease the agencies ' ability to tailor regulatory approaches and inhibit further agency innovation by freezing into place the particular practices that have been developed so far . Standardization could decrease the agencies ' ability to tailor regulatory approaches entailment +The sprawling salt flats nearly 400 hectares ( 990 acres ) at or just below sea level have a fascination of their own . There are salt flats which cover an area and several hundreds hectares . entailment +well i i had known a lot of undergraduates who pick schools because they want the best reputation for a school not realizing that the reputation for MIT is because of the of the doctorate research MIT is a school with a bad research reputation . contradictory +some shows are good for i think some shows some Star Trek i for the imagination of it all the idea i i think that 's one of the things i like about Star Trek and is is the even in for kids watching it some of it can be a little violent sometimes and stuff i don 't let my little ones watch it but the imagination of look what we can do Sometimes when there are violent scenes in the show I get scared and turn to a different channel . neutral +policies and procedures for executive agenciesAcquisition governmentwide . As relates to acquisitions across the government leadership in the agencies have guidelines . entailment +Most of the conference attendees , including Solidarity leader Adam Michnik and Poland 's President Alexander Kwasniewski , participated in the 1989 talks that led to a Solidarity government . The 1989 talks led to a Solidarity government . neutral +The lush river valley cuts deep into the heart of the mountains , with sheltered habitats for many birds and butterflies . The river valley is barren and does not extend to the mountains . contradictory +Historians are likely to look back on ABC 's March Against Drugs as a high-water mark in the anti-drug irrationalism of the mid- ' 90s . Historians will most likely ignore ABC 's March Against Drugs in the future . contradictory +Before exploring the sprawl that stretches in a wide crescent over 20 km ( 12 miles ) from north to south , go to the Government of India Tourist Information Office , situated opposite Churchgate Station . Feel free to plunge into the city - there 's no need to visit the tourist information office first . contradictory +yeah i know it 's been bothering me a lot but yeah i think normally i think the weather overall has been um probably like you said probably a little bit warm and so The temperature 's been going down over the last few months . contradictory +The private sector and state organizations we visited built and maintained this foundation largely through the discipline of preparing routine periodic financial statements and annually subjecting them to an independent audit . The foundation was largely maintained by the organizations that we visited . entailment +Meta-analysis of Time-series Suties of Air Pollution and Effects of Gases and Particles and the Influence of Cause of Death , Age , and Season . Air pollution does not affect life expectancy . contradictory +Cloistered Franciscan nuns a maximum of 33 ( the age of Jesus when he died ) but today far fewer remain on the premises but stay out of sight during visiting hours . In today 's covenants , cloistered Franciscan nuns have over 100 residents that roam freely around the grounds to greet visitors . contradictory +Only one of the craters , Nakadake , is still really active . There are twelve other inactive craters . neutral +I went out back . I went behind the house . entailment +Garn , said Number 14 unexpectedly . What ! claimed Number 14 . entailment +would make him kind of be on call all the time and have to go in at any time and you know even on the weekends and and um and things so that was important to me and also insurance Insurance and having him home are important to me . entailment +it was so wonderful and then i was um i decided well i like this author so i got a uh book of his short stories and that 's been real good I love reading the short stories since I did not have much time to read . neutral +Old Whittington hurried us off . We were rushed off . entailment +The official Versailles Web site is well-organized and full of useful information . The website does not have a lot of information . contradictory +But what does Clinton mean when he says the Republicans raise more foreign money ? What could Clinton be saying when he says republicans raise more foreign funds ? entailment +But possibly this is an old will ? But there is a chance this is an old will ? entailment +Afternoon tea and black-tie dinners are still served at the most elegant hotels . Elegant hotels are full of clients that choose to live their lives in a luxurious manner . neutral +163 " Undoubtedly , Mr. Hersheimmer , since she was able to give her real name . Certainly , Mr Hersheimmer , since she did not refuse to give her real name . entailment +A small legal office in downtown Woodburn is offering an answer . There is no water in the sea . contradictory +National initiatives undertaken or completed in 2001 There were many national initiatives completed in 2001 . neutral +The representation may occur only with non-LSC funds . The representation may occur with LSC funds . contradictory +Accordingly , they monitored numerous factors associated with their security programs , and they used the results to identify needed improvements . The security programs have a number of associated factors . entailment +and sure enough after i 'd taken it home for you know a couple of weeks after that i didn 't have the problem but now it 's starting to recur again I took my car to the shop and they temporarily fixed the problem . neutral +7 billion pieces and the volume of Standard A mail ( which is mainly advertising mail ) was 77 . Standard A mail is mainly ads . entailment +People find you tolerably quaint . People don 't like you because you 're too modern . contradictory +Suge , too , imitated mob style , valuing loyalty and insularity over all , surrounding himself with thuggish cronies . Suge would go around with no body-guards . contradictory +The superb Saihitsu-an house features silk-dyers creating unbelievably expensive material for kimono . The Siahistu-an house creates material for making cheap kimonos . contradictory +Newt Gingrich messed with Medicare and went down in flames . Gingrich touched Medicaire and ruined it . entailment +Not to imply that the Katz would threaten murder to get published in the Washington Post : To the best of my knowledge , he hasn 't maimed or killed anyone except the characters in his Suburban Detective Mystery series-- Death by Station Wagon , The Last Housewife , The Father 's Club , and The Family Stalker . But , like the Unabomber , Katz is driven frothy by a world that won 't conform to his expectations . Katz 's books seem to make him appear to be unstable . neutral +and uh and the uh PC Junior was a total failure The PC Junior had some advantages but they weren 't enough . neutral +But for every client who received help fighting negligent landlords , abusive husbands or federal benefit program administrators , four others did not . Only one in four people who needed help were able to be helped . entailment +I am sorry to have interrupted . " His enunciation was almost painfully precise . His enunciated the words perfectly . entailment +Down the slope they went , Slim , as usual , in the rear . Slim went down the hill first . contradictory +These guidelines may provide a valuable basis as you weigh the proposals before you . It is possible to get a valuable basis from these guidelines . entailment +My dear Poirot , I said coldly , " it is not for me to dictate to you . Poirot and I have a great relationship and dictating to you would ruin it . neutral +A small Pinacoteca art museum is across the square . The museum has paintings made by Leonardo Da Vinci . neutral +I just get personal satisfaction out of this . This is fun for me . neutral +But as the invaders advanced north towards Rome , Naples successfully linked up with the then powerful maritime republic of neighboring Amalfi . The cities of Naples and Amalfi have a longstanding relationship . neutral +There 's this terrible business to start with . This business is really bad , to begin with . entailment +Natalia was behind me , wearing a Don 't screw this up expression . Natalia was behind me , wearing a sexy outfit in addition to her Don 't screw this up expression . neutral +This senior executive solicited feedback from the Central Montana RAC to discuss among his customers how to balance the ongoing , yet potentially competing uses-including recreation , grazing , and oil and gas leases-of a 150-mile stretch of the Missouri River and surrounding areas . There are no oil and gas leases allowed along the Missouri River . contradictory +This letter describes the process followed in revising the standards , summarizes proposed major changes , outlines the format of this exposure draft , and requests comments from interested parties on these proposed revisions . The letter is the only guide that one should follow when revising standards or proposing major changes . neutral +The agencies resolve serious legal problems for those with no place else to turn -- the poor , ethnic minorities , seniors and people with disabilities . An agency resolves legal problems for people that can 't get help elsewhere . entailment +Now , wasn 't that simple ? Was that not simple , now ? entailment +yeah i took them up here to Collectors Rector Records and was able to get a little money for them The money wasn 't much but I needed to clear the space in my garage . neutral +The traditional leather sandals ( flat soles with leather straps ) are still sold in the streets of Rethymnon and Chania . The traditional leather sandals cannot be found anywhere in Rethymnon and Chania . contradictory +i 'm afraid i 'll get something take it taken apart and not remember how to get it back together and then i 'd be in big trouble I 'd get into so much trouble if I take that appliance apart and can 't fix it . neutral +Tunnels collapse . Tunnels collapse due to heavy rain . neutral +This captivating building was the confraternity guildhall of the wealthy schiavoni merchants who commissioned Vittore Carpaccio ( whose parents belonged to the community ) to decorate their hall . The building is over 400 years old . neutral +Half a million civilians died in the Galilee and Judea as a result of this first revolt against Rome , a number unequaled in ancient warfare . Few civilians died during the revolt against Rome ; it was one of the most peaceful wars in Roman history . contradictory +and i can name a few more i just can 't think of their names right off hand Give me a couple of minutes to recall their names . neutral +Alice has a predictable reaction to this No one could have predicted Alice 's reaction contradictory +In the center is the most ancient monument in Paris , the 23-m- ( 75-ft- ) tall pink-granite Obelisk of Luxor from the temple of Ramses II , dating back to 1300 b.c. The Obelisk of Luxor is the oldest monument in Paris . entailment +Strange Bedfellows . Bedfellows are strange and delightful . neutral +enforcement and customer service operations and its modernization of performance Improving the performance of customer service operations increases the amount of interaction between customers and customer service . neutral +Lowenstein SR , Weissberg MP , Terry D. Alcohol intoxication , injuries , and dangerous behaviors-and the revolving emergency department door . Alcohol intoxication is never a factor for entrance into the emergency department . contradictory +The range of fashion boutiques around San Marco is small but select , with an emphasis on top-class shoes and other leather goods made in the Brenta area outside of Venice . No leather goods are available in boutiques around San Marco . contradictory +EPA promulgated its list of substances on January 31 , 1994 ( 59 Fed . EPA also looked at the correlation between rain and money made . neutral +Our analysis also looked at several environmental endpoints , including the benefits associated with visibility improvements , ozone damage to agriculture , and changes in acidification in lakes and streams in the East . The analysis also looked at one environmental endpoint . contradictory +They all heard it . They all heard the sounds . entailment +Unmasked at an impromptu tribunal , he is ordered to take off his clothes . He had to take off his clothes . entailment +This medieval town boasts a Gothic church with a Renaissance interior ; note the carved oak choir stalls and Nottingham alabaster altarpiece . The church was built 200 years before the Renaissance interior was designed . neutral +The Geku-Jin-en Sacred Park , at the foot of Mt . Takakura , is an integral part of the sanctuary and a beautiful place for a quiet stroll . The Geku-jin-en Sacred Park is littered with trash and overcrowded . contradictory +5 levels rather than mean PM2 . It is possible to find the mean of PM2 . entailment +it will change yeah they had a they had a interesting show in uh public channel down here yesterday on uh the uh ice flows and the ice age and how the weather effected the ice ages and everything and it 's real interesting I find it interesting how the climate impacted the ice ages . entailment +Mallorca 's other line , from Palma to Inca , is not as picturesque , but it 's a fun way of reaching Inca 's Thursday market . Thursday 's market can be reached by traveling from Palma to Inca . entailment +'Unfortunately , you may be correct , ' he said . He spoke to me . entailment +We 're eager to compromise . We make compromises with all clients . neutral +Why not ? What would you have done if you had found _ him _ wandering on _ your _ native world ; found him sleeping on a field on Earth , red tentacles , six legs , pseudopods and all ? They would have called the news media and the army . neutral +It worried me just a little , for it suggested the possibility that there might be further arrests to come . It didn 't phase me that more arrests would be happening . contradictory +Congress ' appropriation for LSC takes it from a budget of $ 329 . The budget of LSC . entailment +Over the last ten years , many civil legal services leaders , stakeholders , program directors and managers throughout the United States began to wonder whether the civil legal services delivery structure that had been in place for a quarter of a century was positioned to meets its many future challenges . A task force was established to compare current practices against other regions . neutral +There is no point in any publicity now , " when they heard the screams . They had been planning to pay money for publicity before they heard the screams . neutral +Last October there was a congressional hearing at which the General Accounting Office presented unverified Postal Service estimates of the impact of the diversion of First--Class mail---bills and payments---to new technologies . Thirty people attended the congressional hearing last October . neutral +something like if you have if you have real strict work hours and you can only go like at seven in the morning or after work and you have to stand in line for so long i think that discourages a lot of people I think it discourages many if you have really strict work hours . entailment +Gone , too , was any notion of religious tolerance . The idea of religious tolerance was no more . entailment +There are no other conditions ? " How many conditions are there ? neutral +Sure , the FDA 's efforts are done in the name of kids . The FDA 's work is done in the name of kids . entailment +Boards are often comprised primarily of internal management officials , high-level executives from other companies , and major service providers to and customers of the company . The boards are usually made up of different officials and executives . entailment +He didn 't hit the man hard but it was loud . The sound of hitting the man echoed in the room . neutral +If health benefits were taxed as income , people would promptly demand that the cash be paid directly to them and that they be allowed to choose their own insurance . Some people would rather not choose their own insurance . neutral +He 's vulnerable You don 't want his sewn-on suit to get wrinkled , because fine tailoring appears to be all this man has . His sewn-on suit has a chance to become wrinkled . entailment +The Supreme Court has held that the First Amendment also protects independent expenditures . Individuals and organizations can spend as much as they want on a candidate 's behalf as long as they don 't coordinate their spending with the candidate . The First Amendment says everyone should donate as much as they 'd like . neutral +I wrote them and told them that the job I can get with a B.A. is likely to pay only half as much as the job I can get with a Masters , but they don 't seem to care . I wrote them a letter and said it was hard to find a job with my degree and they said not to contact them again . neutral +However , he did tend to drink a bit too much . ' He drank a bit too much sometimes . entailment +The two races coexisted in the higher valleys , clearing tracts of land and establishing small villages . The valleys were the best place to settle at the time . neutral +but that 's scattered with birch trees and stuff and uh it 's real pretty when the leaves all turn colors because you get a multiple array of colors and people come from all over the world come through New England only like that week or two when the colors are the brightest you know New England is my favorite place to view the change of seasons . neutral +women are not allowed to wear slacks she wears coordinated suits She wears black high heels with her suits . neutral +It is hard to punch fog . Punching fog is a great way to hit yourself in the head . neutral +well you 're you 're able to you 're able to uh vote and go to war and things like that so Voting is an important civil duty . neutral +In Beit Sahour , the eastern side of Bethlehem , you 'll find Greek Orthodox and Roman Catholic sites commemorating the Shepherd 's Field , where it is believed the Star of Bethlehem was first seen by Bethlehemites tending their sheep . Beit Sahour is located at the eastern side of Bethlehem entailment +Supplementary information There is information that is supplementary . entailment +Tigers and leopards remain rare . Leopards and tigers remain rare . entailment +It was force backing up diplomacy , insists a fuming Buchanan . Buchanan said it was using force . entailment +Only Herman Klita didn 't repeat like the others , and was , as always , very skeptical , which in turn made Czarek chronically depressed . Czarek was usually very happy . contradictory +I 'm all for giving patients a fair chance to contest improper refusals of payment , but we should not lapse into calling such refusals malpractice . It 's not malpractice if people are refused payment by their doctors . neutral +However , the buildings beautiful though they are have not been able to accommodate modern computerized banking equipment ; increasingly , the institutions have moved to modern buildings around the city . All of the buildings have now been evacuated for more modern housing . neutral +When the evidence is more consistent than not , the analyst confirms the pattern and looks for others related to it . When the evidence is consistent , the analyst can confirm the pattern of the stock market . neutral +wow see now i haven 't so that i bet you that 's an experience there I 've never done that myself . entailment +The fuss over post-viability abortions ultimately concerns only a very small number of procedures . Less than one percent of all abortions performed take place after the 21 st week . More than 50 percent of all abortions are on babies past the 21st week mark . contradictory +She could not be implicated ” otherwise I should have heard some hint of it . I have not heard that she was implicated . entailment +Although much of the castle 's interior seems dark and austere , this highlights the magnificent wood floors and paneling and the superb joinery and construction techniques . The castle has a bright and luxurious interior replete with carpets and wall frescoes . contradictory +yeah sometimes it can be Every two days that 's how it is . neutral +government accounts within the unified budget . The accounts inside the unified budget belonged to the government . entailment +and uh according to Virginia it didn 't cost all that much We could not get it , Virginia claimed it cost way to much . contradictory +But then he called back and said that since he was now a pundit , he should write the piece about his ideas , rather than have me write about him . Both of the writer 's are working on a short novel . neutral +Drew lingered by Shadow 's box . Drew stood in Shadows box , contradictory +Arriaga near the Se ( cathedral ) and inside the Mercado dos Lavradores . Cathedrals and mercados near each other . entailment +I thought I 'd slip into another carriage . I figured it would be okay to switch carriages . entailment +The analysis concluded that , because the rule relaxed the foot and mouth disease-related restrictions on the importation of beef from Argentina , the proposed rule could have a significant economic impact on a substantial number of small entities in the United States . The price of beef exported to Argentina from the United States can double due to foot-and-mouth disease . neutral +Services are expanding , however , thanks to a $ 1 million public fund drive , that is $ 59,400 short of its goal . The public fund drive included many types of fundraising . neutral +The most relevant information about stewardship land is its existence , condition , and use . The condition of the stewardship land holds little relevance . contradictory +They ate and they talked of the meeting . They discussed the meeting that had taken place entailment +I guess you 're rattled now all right , he drawled with some enjoyment . He realized that the person did not show an inkling of fright at all . contradictory +News that Neanderthals have little in common with modern humankind should be welcome to admirers of Bradley 's work . Readers of Bradley 's work tend to not believe in evolution . neutral +Over centuries of struggle , the defending Moorish army built a full-scale fort , or Alczar , on the heights of Madrid commanding the Manzanares valley . The Moorish army built a fort . entailment +Generate Clearly Organization representatives said that generating clearly identifiable benefits was essential for maintaining active member participation and According to Generate Clearly Organization representatives , creating clearly identifiable benefits lowers member participation . contradictory +data designed to evaluate the performance of computer hardware and software in a given configuration . This is hands down the most effective means of evaluation that we 've ever developed . neutral +Oriental In the souqs you will find all the favourite wares of the Middle East , such as leather goods , brass and copper , nargilas ( hubble-bubble pipes ) , and of course carpets and kilims . Leather goods , brass and copper and nargilas are not popular wares . contradictory +These writers , in Walcott 's view , have managed to see the islands as they are--in all their visual surprise--and not as some fragment or falling-off from European achievements . The writers were able to see the islands according to Walcott and he is likes that . neutral +The ubiquitous Iskender kebap is a dish of dener kebap served on a bed of diced pide bread with tomato sauce and yoghurt , topped with a sizzling splash of browned butter . Iskender kebap is very popular with both tourists and locals . neutral +yeah well it things are different when uh everybody in in fact that it that was Vietnam era i was in fact i went to Vietnam myself I was in Vietnam for a long time . neutral +have you ever visited it Have you ever visited the Grand Canyon ? neutral +oh wow yeah that 's nice so is your husband a singer Is your husband a dancer because that would be nice . contradictory +Fourth month : Promoted to cutting bread and butter . After four months of working , I have not received a promotion . contradictory +Five LSC-funded programs previously served the central California region . LSC did not fund any programs in the California region . contradictory +Holding the blade steady , the armored man drew another heavy blade from his belt behind his back . The man had nothing in his hands . contradictory +but they did they made the raid you know and the whole town was upset but i 'm not so sure now if if uh if the drugs are really prevalent they 're saying that alcohol now is is uh one of the major contributors They did a drug raid that upset the whole town . entailment +He fished me in , Concannon said , adding , People need lawyers , and there 's a growing amount of poor that need pro bono services . Concannon said that he fished him in , adding that people need lawyers , and there 's many poor that need pro bono services . entailment +Beyond the Numbers Game . The numbers game is overrated neutral +uh-huh i don 't understand how they do that yes , i know how they do that because i do it too contradictory +3 cents are invested abroad . 3 cents is a small amount . neutral +A lot of extra cars were parked around the town- cameras and notebooks were in evidence . There was not any cars to be seen . contradictory +8 billion pieces of non-advertising mail Billions of pieces of mail are delivered each year that are not ads . neutral +But as soon as the miniskirt became part of the adult erotic arsenal , little girls ' dresses sank below the knee , right where they had been in mid-Victorian times and where they still are , guarding traditional female decorum as their elders ' skirts no longer do . Little girls ' dresses never cross past the knee . contradictory +It was covered in dust and several thousand pages long , but the Computer Interface section had some fairly extensive diagrams . It was a dusty and big book entailment +might be a good idea because because you 're going to get what a a check uh I hope they pay you in full . neutral +time involves estimating the number of new accesses that would be caused by an The new accesses are caused by something and time is involved . neutral +The fact that his family didn 't celebrate , and yours did , may have something to do with it . His family did not celebrate . entailment +Pete Suazo , appropriated $ 100,000 toward the purchase of a building to create the nation 's first Community Legal Center . Pete Suazo refused to allocate funds toward building the Community Legal Center . contradictory +'He 's from a simpler time . ' He is a modern man . contradictory +The official Archaeological Museum of Luxor lies a little way north . You will find the Archaeological Museum of Luxor a little ways south of town . contradictory +( Bauer hinted at his candidacy in speeches , then announced he was taking a leave of absence from his job , then set up an announcement interview on Meet the Press , then persuaded newspapers to write preview stories about the TV announcement--all before he had even filed the papers to set up the committee that would set up his eventual campaign . ) Bauer scheduled an interview with Meet the Press because he wants to be known . neutral +Programs offer a broader range of services to the community based on an expanded definition of advocacy , moving beyond litigation and conventional lawyering . The community is getting far better lawyers . neutral +A smaller grim-looking fellow scowled at Ca 'daan . Someone frowned at Ca 'daan . entailment +Mostly Incorrect . Wrong , for the most part . entailment +Since the route has never seen any major redevelopment , it has grown haphazardly but organically over the centuries . Because the route hasn 't been majorly developed , weeds had grown all over it . neutral +Elizabeth I left Dublin Trinity College as her legacy she founded it as a seat of Protestant learning , and it remained just that well into the mid-20th century . Trinity College is a Satan worshiping institution . contradictory +From the podium , Dunn and Rice , two of the committee 's three front women , implored Bush 's wife and daughters to endure the campaign 's trial by fire . The two women were worried the campaign was killing Bush 's wife . neutral +There were perhaps two dozen people , all clustered around the museum entrance . The people were waiting for the museum to open for the first time since the fire . neutral +The Information Technology Resources Board ( ITRB ) is a group of information technology , acquisition , and program managers and practitioners with significant experience in developing , acquiring , and managing information systems in the federal government . The ITRB has no information about management of information systems in the federal government . contradictory +It can last long enough for us never to be able to hold up our heads again . " It can remain for years or even decades , and there 's no way to get rid of it yourself . neutral +The value of g in the situation described above is 0.857 . The value of g in the situation described above is 0.857 . entailment +Leave it to me . She bent down . She bent down and proposed that you can rely on her to do it , since she had the most training . . neutral +and uh it 's so you know he we have all our piles of of recyclables also We throw our recyclables into the trash can . contradictory +I 'd like to know you . ' I want to get to know you . entailment +The Spanish settlers built a sugar factory here in 1515 and attempted to develop the site , but the persistent fevers contracted from mosquitoes in the swamps forced them to move and create a new capital at Spanish Town in 1538 . Fevers contracted by mosquitoes killed many of the Spaniards . neutral +and so i 've got to have total almost total silence i can 't really watch television if the pattern is very intricate it sounds like you 'd have lots of shading on that particular piece it is not does not sound like an easy one to finish When I work on my craft I prefer not to have the distraction of television . entailment +what kind of questions did you ask about that private sitter before you took her over there Before you took the sitter over there last night , what did you ask her ? neutral +With a proud octagonal tower that rises out of the top of the structure , it was built to mark the passage of the Emperor Humayun after his defeat in the 1540s . The octagonal tower was built in reference to Emperor Humayun 's 16th century defeat . entailment +But he was too clever to take any chances . But he made sure everything was in the right place . neutral +People who do that , the narrator observes , are at heart storytellers . People who do that are storytellers at heart according to the narrator . entailment +that 's what it is Show Biz yeah uh That has nothing to do with Show Biz . contradictory +so here i am going across this snow encrusted log I am walking across this log , carefully avoiding a painful fall , when I hear a creaking noise . neutral +But the allure of Madeira remains its absence of man-made attractions and abundance of natural ones . There are not many artificial things in Madeira . neutral +It is unfortunate . " The reluctance in his tone was very evident . He had not wanted to say that it is unfortunate . entailment +Participate in the graceful tea ceremony or watch the dazzling display of skill in kendo ( stick fighting ) , with its impressively fierce battle cries . Stay away from the tea ceremonies and the kendo fights . contradictory +It is never wise practice to call the president names in public , even if you 're not a member of Congress , continues Krauthammer . It is uncouth to make fun of the president . entailment +So it is perhaps understandable that Steven Gottlieb , executive director of the Atlanta Legal Aid Society , initially thought it was a joke when he received a phone message from Governor Barnes saying he 'd like to go to work as a legal services lawyer . Steve Gottileb thought someone was playing a joke on him . entailment +The most striking feature of Santo da Serra is its flatness ; it may not be in the league of Pa ? ? l da Serra , but it is still large enough to accommodate a 27-hole golf course . The many highs and peaks of Santo da Serra are its most striking characteristic . contradictory +The analysis lists quantifiable benefits of $ 5,000,000 for the Affiliated Adviser exemption and $ 2,000,000 for the New Adviser exemption . There are millions of dollars of benefits available to advisers . entailment +Put me wise to the crooks right away . " They want to know about the crooks very soon . entailment +Mr. Carter 's warning recurred to her mind . Mr Carter was correct and it was scary . neutral +Also , most discussion of the decline in personal saving focuses on the adequacy of individuals ' retirement saving rather than on the significance of personal saving for the economy as a whole . Most discussion of the decline in personal saving focuses on the adequacy of individuals ' retirement entailment +The name of this desert oasis on the shore of the Dead Sea means goat 's spring . The name goat 's spring originates from the time when goats would drink from there . neutral +uh-huh because they have fewer students They have more and more students . contradictory +I feel these are more social problems than legal cases , she said . I think these are legal cases , he said . contradictory +Obviously , it 's easy for me to complain about players who aren 't big on self-effacement or deference to authority . All players are very respectful . contradictory +Mr. Inglethorp , knowing what I have now told you , do you still refuse to say where you were at six o 'clock on Monday afternoon ? " With a groan , Alfred Inglethorp sank down again and buried his face in his hands . Alfred Inglethorp , facing the question of his whereabouts , could only cover his face with his hands . entailment +but they retest the same sample They don 't test the samples again . contradictory +The F / A-18 E / F fighter and the AIM-9X missile were based extensively on predecessor programs and employed similar tools to capture design and manufacturing knowledge at critical program junctures . Similar tools were used to capture design and manufacturing knowledge at critical program junctions . entailment +For summer visitors , in addition to superb facilities for tennis and swimming , the town 's setting among grassy alpine meadows and pine , spruce , and larch forest is perfect for hikes . Visitors often go hiking after they get bored of playing tennis and swimming . neutral +You 'll be well-rewarded , with ancient columns resting against olive trees , shards of pottery among the grass blades , and a Governor 's palace and amphitheatre to explore . The ancient columns are in the Ionic style . neutral +you 're yeah you 're kidding You are joking around . entailment +The remains of historic Kendal Castle overlook the town . Kendal castle overlooks the small Japanese town . neutral +Dogs are charming . Dogs have charming qualities . entailment +One way is to develop a working definition of the case study that embodies its essential methodological features and then to examine the strengths and limitations of case studies for different evaluation questions . None of the case studies have examinable strengths and limitations . contradictory +I tried to pass Natalia , but she wouldn 't let me . Natalia was protecting me and wouldn 't let me past . neutral +and uh there 's a lot of job security in that because it takes so long to uh come up to an experience level where you 're able to you know you have to be able to maintain them do the maintenance uh It takes years of training to get the required experience for that job . neutral +Two Thousand and One was a good movie if you had read the book 2001 was a great movie but a terrible book . contradictory +Of course one has to treat him as usual , but , hang it all , one 's gorge does rise at sitting down to eat with a possible murderer ! " Poirot nodded sympathetically . Poirot thought he was innocent . contradictory +i think that the whole credit card issue i think they certainly encourage people to run up the debts and but i agree with you i don 't i try to limit my debts well i did buy a new house last summer that All my credit cards are maxed out , I had to sell my house to pay off my debts . contradictory +Natalia would take me out for a walk . Natalia didn 't want to go for a walk . contradictory +Rua Imperatriz Dona Amelia ( behind the Savoy hotel ) has a number of restaurants and bars , including Prince Albert , an English pub , and Salsa Latina ( Rua Imperatriz Dona Am ? ? lia , 101 ; Tel . 291 / 225 182 ) , which has live music . Salsa Latina is the only place on Rua Imperatriz where live music can be found . neutral +HMOs will cut back treatments to the elderly . HMO 's will only aide and increase the amount of elderly treatments . contradictory +From this ideal anchorage you can rent small excursion or fishing boats . This is a great location where you can rent small boats for various purposes . entailment +How Would Establishing Individual Accounts Affect What would asserting individual accounts do ? entailment +Anything else ? The question asks if there is anything else to make sure there is nothing missing . neutral +The whores fell off of me when I stood . I had been alone all day . contradictory +More and more visitors are choosing to stay outside of Funchal ; the offer of mountain lodges and smaller coastal hotels has greatly improved over the years , and there are now visitors who barely set foot in the capital . The capital has been upgrading its hotels in an effort to bring back those tourists . neutral +News considered only a school 's ranking in this category--first , second , etc.--rather than how much it spent relative to other schools . The news just focused on how much money the school spent . contradictory +He darted from one object to the other with the agility of a grasshopper . He moved from object to object with purpose . neutral +For example , delivery of the aft fuselage-the rear aircraft body section-was late for several of the test aircraft and two ground test articles because of late parts and difficulties with the welding process . The parts needed for the aft fuselage were delayed because of bad weather . neutral +The Great Mughals The Great Mughals of history who ruled a longstanding Islamic empire entailment +The Commission satisfies the requirements of section 604 ( a ) . The Commission does not satisfy the given requirements of section 604 ( a ) . contradictory +Julius nodded , and continued : " ' How did it happen ? ' Julius shaked his head screamed " I know how everything happened . ' contradictory +But George Mitchell , the former Senate majority leader who mediated the negotiations , receives greater The Nobel Peace Prize committee can take a vacation , says Hunt . George Mitchell is no longer the Senate majority leader . entailment +Third , a ruthlessly efficient leader can win a ruthlessly efficient election and craft a ruthlessly efficient economy . They pointed about what it would take for a person in power to be efficient . entailment +okay i don 't really i more i don 't know about the government as much as um the people uh i wouldn 't consider to be a threat at all and i really don 't feel much like the Soviet Union itself is a threat anymore i 'm i 'm worried about them they 're in a very uh tumultuous state right now with the kinds of uh adaptations that they 're attempting to go through so I believe the Soviet Union is in trouble . neutral +that 's right that 's right i tell you what they uh they they looked like they were just men among boys but they they they fell i tell you They lost regardless of looking superior to the rest entailment +we got Duke and North Carolina We don 't have Duke nor North Carolina . contradictory +and um kids are i i suppose have been raised by single parents more than they ever used to Most parents seem to be getting divorced when the child is still young . neutral +The old man had died of a chill that had left him bedridden and coughing for three weeks . The old man died from being sick . entailment +For a perfect introduction to Eilat 's sub-aqua delights , visit Coral World , a fascinating complex with large tanks holding native sharks , rays , and turtles , as well as aquaria of incredibly coloured , bizarrely shaped denizens of the deep . Coral World has sharks , rays and turtles in their tanks . entailment +Perhaps that will be the best plan . That is undoubtedly the worst possible plan . contradictory +Today , even as the high-rise makes its present felt , the colonial past remains in the architecture and monuments . The high-rise is home to a Japanese business corporation . neutral +i don 't know but um it would be great and and if only i mean health is probably the one thing that people should be most concerned with you know especially that makes a good society when people are healthy and they 're not you know they 're not stealing for money to pay for their doctors ' bills A good society is when healthcare is free and people don 't need to steal in order to pay doctor bills . entailment +The massive Chioninji is home to the Jodo ( Pure Land ) Buddhist sect , which in the 12th century spread the appeal of Buddhism to the uneducated classes . Before the Jodo sect came , the uneducated classes were Shinto believers . neutral +huh-uh no no i think it 's become too much of an everyday life here they 're part of it They have become part of the everyday life here . entailment +The coast road takes you west to Pointe du Grouin , a cliff 40 m ( 130 ft ) high , with a spectacular view of the Chausey Islands to the north and to Saint-Malo , a town steeped in seafaring history ; its sailors left their name as far afield as the Malouines , claimed by the British as the Falkland Islands . If one follows the coast road , it takes you south to a brick wall . contradictory +Book ahead during the high season , as divers come from the world over . It is a very popular diving destination . entailment +it 's always they 're always challenging to get through one of them i have a hard time finishing books It 's easier for me to finish magazines . neutral +yeah i think also equally important is that uh it needs to be put into practice in in everyday life we 're seeing a little bit of it now that you go out to work on your car and you discover your English wrenches don 't fit There is a big difference in wrenches from other parts of the world . neutral +Because traditional work schedules influence internal control in T & amp ; A systems , this document contains two major parts , the first dealing with civilian employees who are expected to be working , usually during certain times and the second part dealing with members of the active duty armed services who are expected to be in a duty status and thus on call 24 hours a day . T & A systems must consider differences in work schedules . neutral +You want them to hear us ? he whispered indignantly . He expected complete silence from his partner . neutral +yeah yeah that 's one of the big throwing cards for some of the foreign ones They had a lot of cards . neutral +Israelis are delighted that people from everywhere visit their country , and welcome you with genuine warmth . Israelis are cold toward travelers . contradictory +Perhaps he put soma into our drinking water . He may have put some in our drinking water . entailment +There are some good restaurants here serving fine Greek and international cuisine . The restaurants ' Italian food is almost as good as their Greek food . neutral +Under the rider the big stud moved , tossed his head , drawing the young man 's attention from the town back to his own immediate concerns . The big stud had a rider on him . entailment +Congress cannot recast a condition on funding as a mere definition of its program in every case , lest the First Amendment be reduced to a simple semantic exercise . The first amendment does not need to be altered to allow congress to recast a condition . contradictory +'Hmm , ' Greuze shifted . Greuze hadn 't a clue what was going on , and could only let out " Hmm , " , but we all had thought that he may have been on to something at this very moment . neutral +The second prong would include key benchmark information based on the company 's industry . There are more than two prongs being discussed in this excerpt . neutral +well do you keep up with the statistical stuff Do you study the statistical patterns to make predictions ? neutral +Kids will love the slightly gory-looking pharaohs and will be fascinated by the process of mummification though it 's not for the faint-hearted . Learning about the process of mummification is not for the faint-hearted . entailment +having a uh program work on me was the the Atari toot toot The program worked on me entailment +Our normal schedule will resume on Monday , Dec. 1 . Our normal schedule is being abandoned indefinitely . contradictory +Recommendation # 8 Funding agencies should support research on screening and interventions for alcohol problems among ED patients and make the mechanisms of research supportknown to potential applicants in emergency medicine . Funding agencies should not be concerned with alcohol screening . contradictory +yeah it 's well there you fish mornings and evenings The morning and evenings are the best time to fish . neutral +Roans six . Ninety Roans . contradictory +for that little That is a very large amount to do that for . contradictory +Why not let this kind gentleman here cut my throat without delay ? " Please don 't let him kill me . contradictory +The state organization provided meeting rooms and administrative support while the professional organization used its professional contacts to obtain knowledgeable speakers . knowledgeable speakers were obtained by the professional organization . entailment +The breeding of eastern American horses probably did not register south of the border . Eastern American horse breeding had a major impact south of the border . contradictory +Lalley has a general law practice , handling most cases , from family matters to liability lawsuits . Lalley only practices environmental law . contradictory +Today it is still lined with cheap restaurants and guest houses and shops full of local handicrafts and jewelry . It is lined with high-end expensive restaurants and sprawling hotels . contradictory +Tommy and Julius worked separately and together , but the result was the same . Tommy and Julius worked in concert and apart . entailment +A taxi to the new sports stadium at Bukit Jalil takes you to the centerpiece of Malaysia 's site for the 1998 Commonwealth Games . A taxi can take you to the new sports stadium , there 's a bus that goes there as well . neutral +Here are some of their quotes . Here are some quotes on bananas . neutral +The sensation of space is created by the absence of supporting walls beneath the dome ; it rests instead upon four great arches , which in turn spring from four massive piers . There are no supporting walls under the dome , which creates a sensation of wide-open space . entailment +that 's the way to do it i mean that 's the smart way to do it it really is because your making you know if when they 're meeting with the engineers who they know are going to be dressed down if they come in you know in a six hundred dollar three piece suit They knew the engineers would be dressed more casual . entailment +The Blumrosens , who were instrumental in setting up the E.E.O.C. The EEOC would have been easier to set up without the Blumrosens . contradictory +Just like a spring onion . It tasted just the same as a spring onion . neutral +well the only thing up here is division one oh yeah We don 't have anything Division 1 here . contradictory +Second , rats are not humans . Humans and rats are not the same . entailment +Eight feet , pondered Justice Stephen Breyer . Justice Stephen Breyer quietly thought to himself , it 's probably eight feet . neutral +The old-established Caveau de la Huchette ( rue de la Huchette in St-Germain-des-Pres ) opens every night at 9 : 30pm for listening and dancing to a small combo or big band swing or bebop . Music and dancing are forbidden after 8 : 00pm. and those who doesn 't respect it are arrested . contradictory +Entertainers and illusionists perform while diners eat various courses and then move to another chamber . Diners typically do not have a form of entertainment . contradictory +It was rediscovered in 1594 by an architect building an aqueduct , but excavation did not begin until 1748 under the Bourbons , making a tremendous impact on the rest of Europe . An architect discovered it at the end of the 1500s , but excavation did not occur until one hundred years later ( approx . ) . entailment +For more ceramics , stop in at the Museum of Oriental Ceramics , located in the garden at one end of Nakanoshima , the central island in the middle of the large river running through Osaka 's center . The Museum of Oriental Ceramics offers a wide variety of ceramics . neutral +'I seem to be real unlucky , ' The person is extremely lucky . contradictory +He added , We 've made a good start . While they were doing well , he said they had a lot more to do . neutral +no he 's not with the firm anymore He 's no longer with the firm . entailment +What has happened to your extraordinary little friend , Mr. Hastings ? Mr. Hastings , your amazing portly companion , what has become of him and his brother ? neutral +Department of Labor survey found that migrant farmworkers in the UnitedStates work an average of 29 weeks per year , with annual median incomes of $ 5,000 . The survey was conducted by the Department of National Defense . contradictory +Slim said , " Aren 't you going to do something ? " Slim wanted to know what was going to be done . entailment +What household characteristics predict differences in household-level postal demand ? The number of pets a family owns strongly predicts their postal demand . neutral +That was Joyce 's age when J.D. summoned her to his hilltop aerie in Cornish , N.H. JD didn 't speak to anyone . contradictory +For example , it says that I 'd discovered that a third of the early entries written by staff researchers had ripped off other reference works . They had copied from the reference work written by Einstein . neutral +Those blue eyes , brilliant , yet oddly shallow and curtained , met Drew 's for the second time . Drew had never seen those blue eyes before in his life . contradictory +yes and i noticed um that 's kind of what i was attracted to these gerbils for is that they they have a certain area that they use like their bathroom The gerbils have a place that they go to the bathroom in . entailment +( In Paragraph 19 , Line 106 , replace the words ' Pulitzer Prize for Nonfiction ' with the words ' seven hundred fifty million dollars . The words ' Pulitzer Prize for Nonfiction ' need to be replaced with ' The Pell Grant . ' contradictory +uh uh we had a couple of people in our group who wrote one who wrote a huge letter to the editors The letter to the editors was a long list of complaints about the given work . neutral +Thus , the First-Class bill / payment and advertising mail volumes presented in this analysis do not include the business bill / payment and advertising mail . The advertising mail volumes in the analysis don 't include the bill payments that cover magazines . neutral +I called upon the Benjamin Franklin Museum . It was weird to go to the musuem . neutral +Look there . " Look over here . contradictory +I helped sack villages not defend them , " said San 'doro . San 'doro wouldn 't comment on what the villagers needed . contradictory +Family rooms have been introduced in many spots , making it easier for younger children to enjoy meals with their parents ( and vice versa ) . Before family rooms children never had a good time with their parents when they ate . neutral +The final rule is authorized by sections 4 ( i ) , 303 ( c ) , 303 ( f ) , 303 ( g ) and 303 ( r ) of the Communications Act of 1934 , as amended . The Communications Act does not authorize the final rule . contradictory +The atmosphere , abnormally high and thick in the gravitational potential of this world whipped and burned about the ship , but to the very last it looked as though he might bring it under control despite that . The atmosphere had destroyed the ship . entailment +Since these costs are variable in the long run and we do not know how other postal administrations deal with them , we parameterize them for purposes of modeling . It is not known how the admins handle them . entailment +Rank-and-file Republicans fear DeLay and respect his political abilities , but they don 't like him or trust him as much as they do Armey . Republicans fear DeLay but they don 't like or trust him as much as Armey . entailment +The installation of an FGD system requires a significant amount of labor . The FGD system is expensive , as well . neutral +half the time they 'll say well when he showed up at the door he didn 't really look quite like his video and i just wasn 't real sometimes they really burn each other it 's really kind of funny but He didn 't look like his video neutral +Exhibits include models of ships that have called at the port over its long and glorious history . Some of the ships have visited the port more than five times . neutral +This --not all that other stuff--is what 's important . This is way less important that everything else . contradictory +That private firm will base its rates on the costs that it incurs , given that it both receives and delivers the mail in Cleveland-it will not charge a 1,000-mile rate . Rates are directly based on incurred costs . entailment +The mood was so alien to him that Tuppence turned and stared at him in surprise . Tuppence looked at him in disbelief because it was so out of character for him . entailment +This leaves them seven million super-dense worlds for exploration and colonization . " There are possibly seven million places that they could live . neutral +because i don 't even bother with the unless i 'm working on a bumper or something but the engine parts and all are all metric you know I don 't bother with anything unless I am working on the engine then I need to bother . neutral +yeah see so many of them have gotten a taste of of democracy and Many Mexicans got a taste of our type of democracy . neutral +Checkers masters stared down their Armageddon a few years ago , when a powerful computer program named Chinook forged a tie with the second-best checkers player in the world , Don Lafferty . Chinook , a computer almost beat a world class player in checkers . entailment +We helped spur the administration to make human We helped start the administration to make human entailment +A free ebook from http : / / manybooks.net / The book is a paperback . contradictory +What is important to understand is that the MBMFC rule is fundamental to First Class and Standard A as we know them , and eliminating it would unleash forces that would lead to a major restructuring , not to a minor adjustment . A major restructuring of First Class and Standard A would be a negative outcome . neutral +Some of the hilltop castles and more remote stretches of coast can only be reached on foot . You have to walk to some castles because they are on such steep cliffs . neutral +These changes focused primarily on ( 1 ) ensuring technologies are demonstrated to a high level of maturity before beginning a weapon system program and ( 2 ) taking an evolutionary , or phased , approach to developing new weapon systems . The channel does not touch on new weapons systems . contradictory +You 're pre-approved for a 18 . You have not been pre-approved for a 18 . contradictory +But Tiepolo 's vision , like Rilke contemplating autumn leaves , was of a world where everything is And yet , there is One who holds this falling with infinite softness in his hands . Tiepolo and Rilke have the same vision of the world . entailment +is it well that 's good Is it ? Well that 's too bad . contradictory +but you have to either yeah so but uh what have you seen What have you watched ? entailment +okay uh could you tell me what you think contributes most to uh air pollution What do you think contributes to the quality of food at McDonald 's ? contradictory +And you wear it in plain sight ? said A 'deem . A 'deem asked if you wear it in plain sight . entailment +It will be open every Saturday morning . The office will open six days a week . entailment +The role of a substance abuse consultation team in a trauma center . There aren 't any consultations in a trauma center contradictory +On the same street you will also find the ticket office for the Military Tattoo ( see pages 35 ) , with an accompanying gallery and souvenir shop . The Military Tattoo 's ticket office can be found on the same street . entailment +Practices such as prototyping , early manufacturing and supplier involvement , completing 90 percent of engineering drawings by critical design review , demonstrating product reliability , and achieving statistical control of critical manufacturing processes by production are adopted because they help ensure success . Early manufacturing isn 't one of the practices engaged in because it can help with achieving success . contradictory +and i like i like my garden too we didn 't have to we have just a small garden but we planted corn last year too which takes quite a bit of space and The garden had no vegetation . contradictory +MAST has been self-administered and used in a computer format . MAST is a test of sobriety used to evaluate office performance . neutral +Law school graduates paying back $ 80,000 and more in college loans are reluctant to seek low-paying jobs representing the poor , legal experts say . 80,000 dollars are paid back by law graduate students therefore they need more money . entailment +In addition there are other looming fiscal pressures , such There are other fiscal pressures on top of that . entailment +At the western end of Cowgate ( where it meets Holyrood Road ) , you will see one of the few remaining sections of Edinburgh 's old city wall ( Flodden Wall ) , built following the Lang Siege of the 1570s . Cowgate meets Holyrood Road . entailment +An Analysis of Trends in Personal and Gross Saving . They analyzed the trends of personal and gross investing . contradictory +The Sejm moved to Warsaw in 1569 , and the death of the last ruler of the Jagiellonian dynasty , Zygmunt August , led to the creation of a Republic of Nobles and an elective monarchy that would serve it . Several members of the Jagiellonian dynasty came after Zygmunt August . contradictory +the one thing that i had thought about to help correct that problem you 've got career politicians that spend thirty forty years in Washington that 's all they have ever done There are career politicians who have spent 30 or 40 years in Washington , never working in any other industries . entailment +Somewhat recovered emotionally , she came back hoping that her four-week-long effort would be appreciated by someone . Nobody could tell exactly what she had been up to the past month . contradictory +The traditional Qing Dyna ? ­ sty style of the mansion is enlivened by a few West ? ­ ern a Baroque-style ceiling and stained glass above the doorways , showing the builder 's up-to-date attitude at the time of construction . The mansion is not done in Qing Dynasty style . contradictory +So why should a boxer with manic-depressive illness--and a history of egregious conduct consistent with the disease--be licensed to fight without medical clearance ? There is no clearance required for medical issues . contradictory +Likewise with the sadness after the loss of the best girls from the Night Fusion club , who went to further their careers in Deutcheczland at a resort in Karlsbad Vary . The girls still worked at the club . contradictory +We 've had no trouble at all finding attorneys who are willing to help , she said . She said that there were attorneys who were willing to help . entailment +For example , the Secretaries of Energy and Interior and the Administrator of the Environmental Protection Agency , have provided us with information concerning who they met with to develop the National Energy Policy , when the meetings occurred , where they occurred , and what the general topics were . For example , we are still waiting for the Secretaries of Energy and Interior , and the EPA head , to tell us who they met with . contradictory +Nearby is a fine 18-hole public golf course , beautifully kept despite the strange hazard of a narrow , concrete-sided canal running across the middle of it . Oddly enough , there is a narrow canal running through the middle of the golf course . entailment +Another treat is the free taxi from your hotel that they provide . The taxi ride from the hotel is free . entailment +oh okay because i 'm down at NC State I 'm in NC for school . neutral +A story advises Americans not to take health warnings too seriously . Taking health warnings too seriously could lead to ineffective treatment . neutral +The Irish News of Belfast called for an improbable compromise by which the Catholic residents of Drumcree 's Garvaghy Road would lift their objections to the parade going down it , while the Orange Order would voluntarily decide to return home by another route . No one on Garvaghy Road was Catholic . contradictory +so it was you know ten or so feet uh higher just a few weeks ago in fact uh a few weeks prior to when we got there and the camp the people at the campgrounds told us that uh asked where we were from and we said Dallas and they said oh well we had a girl die just two weeks ago in that rage of water It was about 10 feet higher and the water took out a lot of utilities and killed someone . neutral +With Christianity and the sophisticated Celtic culture successfully fused , Ireland entered its Golden Age ( a.d. Ireland 's Golden Age started after the culture of the Celts fused with Christianity . entailment +Sorry , the tax laws . I am sorry that the tax laws . entailment +Vienna Noise Choir n / a neutral +We seek regularities in the long movements of history , trying to find our place in a bigger picture than the evening news and hoping to see what is coming next . We don 't want to find patterns within the events of history . contradictory +Proffers are increasingly common in the criminal justice system , especially since the enactment of federal sentencing guidelines in 1987 , which substantially restricted a judge 's discretion in sentencing . The criminal justice system is overrun with proffers . neutral +If the sales proceeds equal book value , there is no gain or loss , because the exchange of one asset for another of equal recorded value is not a net inflow of resources . This is why you have to include a margin in your pricing . neutral +As shown in figure 3 , the effects of not following a knowledge-based process can be debilitating . It 's best to not follow a knowledge-based process . contradictory +Accounting and Jean Boltz , Assistant Director , ( 202 ) 512-5247 Michael W. Gilmore , Information Systems Analyst The Assistant Director is named Jean Boltz . entailment +Rather than our food being handled by the farmer , it passes through the processing and distribution system , being handled , packed , unpacked , rehandled , packed again , transported , unpacked and displayed , and on and on . Or food skips processing and distribution . contradictory +The monument of red porphyry from Finland rests on a pedestal of green granite , encircled by 12 colossal Victory pillars sculpted by Pradier . The monument of red porphyry is in a museum in the heart of Paris . neutral +and you ought to as your daughters approach the college age uh start finding out about the scholarship money because there is a lot of money out there and uh You will most likely find some scholarship to help with your daughters ' college fees . neutral +Expense data are expressed in nominal dollars for the fiscal year being reported upon and the preceding 4 fiscal years . Expense data are expressed in nominal dollars for the fiscal year . entailment +The really interesting question is why the Cato Institute and other free-market conservatives should be willing to squander their intellectual credibility by associating their names with this sort of thing . The Cato Institute is been applauded for associating their name with this . contradictory +what the hey this is America this place is nothing like America , so don 't confuse the two contradictory +No less vain than the Mughals , the new conquerors all added their own architectural tastes , which were a tribute to India 's past but unmistakably British in overall conception , to New Delhi . The British conquerors never made it all the way to New Delhi . contradictory +Did they know of any relatives ? Someone must know some of the dead person 's relatives ? neutral +What does it look like when someone catches fire while strapped to a piece of wood ? When strapped to a piece of wood , what does it look like when a body catches fire ? entailment +No longer a Nobel Prize waiting to happen ( Jeff Giles , Newsweek ) , Kundera is said to overindulge in his philosophical musings , which no longer seem fresh . Kundera seems likely to win the next Nobel Prize . contradictory +yeah it 's nice at night It 's nice and cool outside at night . neutral +The collection is accessible via a hi-tech touch-screen directory . The hi-tech directory was implemented to ease the access to the collection . neutral +What keeps the movie tantalizing is Chloa Sevigny 's Lana , who might or might not know that Brandon is a girl but who 's entranced by him anyway . Chloa Sevigny gives an uninteresting and boring performance in the movie . contradictory +To the left , the Tour Saint-Nicolas served as a for ? ­ tress and prison . The Tour Saint-Nicolas , seen to the left , was once used as a fortress and as a prison . entailment +Now , Mr. Hersheimmer , perhaps you will be so kind as to come to the point ? Everyone wished that Mr. Hersheimmer would show a bit more tact with his questions . contradictory +I 'd leave the strangulation-in-cradle attempts to CBS News . CNN can cover the strangulation-in-cradle instead of CBS News . contradictory +you had to do some work and you had to do a lot of work for the army . neutral +i i don 't think i 'm getting what i should but you know in Texas it 's next to free because they they pay so much of it it 's state supported but at the same time it 's really not it 's not like going to MIT my engineering degree will be nothing like somebody coming out of MIT and that 's it 's really too bad It would be better if it weren 't state supported . neutral +And he made it on the crack of the gun . The gun went off with a crack and it was very loud . neutral +In the outdoor theater that is Italy , Naples is unabashed around the port , the popular quarters of Spaccanapoli , even the more bourgeois neighborhoods of Vomero and Posillipo . Naples has a robust and colorful culture visitors to the area like to explore , such as the popular quarters of Spaccanapoli and the bourgeois neighborhoods of Vomero and Posillipo . neutral +Still , critics say the daughter has inherited the father 's gift for fine , lapidary prose [ and ] carefully controlled language ( Michiko Kakutani , the New York Times ) . The book wins praise largely because of its keen rendering of the self-indulgent ' 70s . The daughter 's father was a proficient writer . neutral +As long as they 've got her , they 've got the whip hand of us . If they have her they can keep us from acting . entailment +I promised my sister I 'd make a man of you and , by jumping Jupiter , I intend to do just that . I speak to my sister about your life . entailment +Results from such studies will be used . Results from the studies will be used to devise a plan for fixing the budget . neutral +Auditors should design the audit to provide reasonable assurance of detecting material misstatements resulting from direct and material noncompliance with provisions of contracts or grant agreements . Auditors should consider the need to detect material misstatements . entailment +I have brought him back to you . He had stood aside , and as I went out I had seen the look in Mary 's eyes , as John Cavendish had caught his wife in his arms . He had stood aside , giving me enough space to walk out . neutral +Cheney 's hard core you don 't get to be Secretary of Defense by being a wimp Cheney is the toughest Secretary of Defense ever . neutral +The Kal recounted many stories of his fights and those of other hero pit fighters . The full moon was shining brightly as the Kal told fight stories to the troops . neutral +They sponsored evidence challenging the need for a cushion so substantially above and beyond the Postal Service 's own best estimate of future increases in the cost of collecting , processing and delivering the mail . The evidence challenges the need for a cushion . entailment +On your way back down the hill , take a look at the massive black Nandi bull , Shiva 's sacred mascot , with chains and bells that are a mixture of both real and sculpted items hung around its neck . The massive black Nandi bull is not located at the top of the hill . entailment +But of course that is the case here . That is the case here , obviously . entailment +This study provides an estimate of the resources required for the installation of control technologies to obtain emission reductions of sulfur dioxide ( SO2 ) , nitrogen oxides ( NOx ) , and mercury under the Clear Skies Act . There was no study . contradictory +In summer its cooler clime makes it a favourite retreat ; later in the year clouds and mists can all but obscure it though even this has a certain charm . Many people enjoy going there in summer because of its cool climate . entailment +Now he put down the phone and looked at her--and the pizza--with undisguised hunger . He put the phone down and then stared at the food that was displayed on the pan . neutral +Menes himself is looking at you . Menes is staring directly at you . entailment +Taking note of the obvious vulnerability of the old wooden houses , the government set up new building standards . The government realized there was absolutely no vulnerability with regard to the old wooden houses . contradictory +This spring , the government bolstered the myth of financial privacy by cynically folding its KYC hand when its regulatory methods and practices were noisily scrutinized . Financial privacy is a reality . contradictory +Oh , come on , Chatterbox said . Chatterbox was unhappy . entailment +The media were soon placed under state control , promised elections were never held , and Committees for the Defense of the Revolution ( CDRs ) were established to keep tabs on dissenters . Despite the media being under state control , the elections were still held and broadcast worldwide . contradictory +Time ' s culture-heavy lineup includes Tiger Woods , Rosie O 'Donnell , Babyface Edmonds , Don Imus , Trent Reznor , and Dilbert ( of the comic strip ) . Time features Tiger Woods , Rosie O 'Donnell , Babyface Edmonds , Don Imus , Trent Reznor , and Dilbert . entailment +From this spectacular point , the view is outstanding . There is no view from this point . contradictory +He led Whitebelly down over the hill and only mounted when he could hear nothing from the village . He mounted Whitebelly when he could no longer hear anything from the village . entailment +For academic recognition , you don 't have to go far . They wanted to be praised for their dedication . neutral +ABATEMENT - A reduction or cancellation of an assessed tax . Taxes are often reduced or canceled when the tax payer complains loudly . neutral +White considered . White wasn 't exactly sure what he was going to do . neutral +Using the Research Sponsored by the AOA . The AOA is only focused on the application of research . contradictory +Oh , John ! Something in her tone fired me , and I blurted out : " Old John 's an awfully good sort . " She studied me curiously for a minute or two , and then said , to my great surprise : 64 " You are loyal to your friend . She looked at me for a while . entailment +As Chatterbox pointed out in his earlier item , movie tickets are fundamentally inexpensive , so you aren 't going to lure many more people into seeing , say , Eyes Wide Shut by slashing the already low price of first-run admission . Chatterbox said movie tickets are pretty expensive . contradictory +The state legislature also followed up on the report by creating the Commission on the Future of Maine 's Courts , with a similarly broad composition . The state legislature also followed up on the report by creating the Commission on the Future of Maine 's Courts . entailment +Rather than suggest some gentler form , Miss Manners proclaims National Civility Week beginning June 24 . Miss Manners named a Civility Week . entailment +The Musee Picasso at 5 Rue de Thorigny in the Marais ( metro Saint-Paul ) has received more than 200 paintings and 158 sculptures , in addition to hundreds of drawings , engravings , ceramics , and models for theater d ? ? cors and costumes . The Musee Picasso is dedicated to the Spanish master painter , Picasso . neutral +Of the Edo-era buildings that have survived or been restored , the most important are the main hall of Kan 'eiji and the Toshogu Shrine to the first Tokugawa Shogun Ieyasu a lesser version of the great sanctum at Nikko , in the mountains of Nagano Prefecture . The Toshogu Shrine is very beautiful and so is the main hall of Kan 'eiji . neutral +In June 1999 , LSC commented upon the Illinois State Plan and implementation to date . By June 1999 , the State Plan was in place and working exactly as planned . contradictory +Commercial enterprise , military power , and religious fervor went together . Several volatile aspects of community life intersected . entailment +After the injection they--honestly--seem rather depressed . They seemed depressed after the injection . entailment +In general , large numbers of boilermakers have been used in this industry ; however , it is not expected that this demand will impact other industries . Boilermakers are never used anymore . contradictory +Because such inquiry explores only one situation , it is argued that it cannot contribute directly to the testing of general propositions , although it can contribute powerfully to the invention of hypotheses . The inquiry should only contribute to the hypotheses and not the direct testing . entailment +The final rulemaking , however , does not address comments . Comments are only addressed during the final rulemaking . contradictory +Lastly , there is a growing recognition , driven by a variety of worldwide trends and pressing long-term fiscal challenges , that the federal government is on the brink of an enormous transformation in what the government does , how it does business , and , in some cases , who does the government 's business . The worldwide trends and fiscal challenges is driving growing recognition . entailment +More than 40 percent of the 1,746 such contributions made in the last cycle ( up from only 401 in 1979-80 ) was received by just 14 candidates . No contributions were received by any candidates at all . contradictory +'You 've been very quiet , ' Greuze said . 'You 've been very quiet since the war . ' neutral +It can pack a punch , especially when laced with rough brandy , but you can always dilute sangraa with soda water and plenty of ice . Sangria is usually fairly weak , so be sure to add lots of vodka , whiskey , and rum . contradictory +those are expensive machines Those machines cost a lot . entailment +Satellite facilities in Clay , Hamlin and Summersville and all 11 regional offices will remain open . Satellite locations and regional offices will not be closing . entailment +uh starve to death is not a not a whole lot of fun either and that uh and and and I would rather starve than eat that . contradictory +yeah yeah so do you have a do you have a garden or do you just do your landscaping now and your lawn Your lawn is the best in the neighborhood . neutral +If the receivable is not repaid , the unpaid amount is recognized as an adjustment to the bad debt allowance and does not affect revenue , gains , or other financing sources . If the receivable is paid , the paid amount is also seen as an adjustment to bad debt allowance . neutral +you mean in the in the most recent conflict You mean in the conflict that last happened ? entailment +true i suppose being on the other side of the aisle it probably made good comic theater I think the other side of the aisle made it a lot worse . contradictory +A predictable demand for such jobs over the next 15 years is preferable to the boom and bust cycle created by the current regulatory approach . The boom and bust cycle is preferable to predictable demand for such jobs . contradictory +Friends of mine , especially women , found sitting through the film akin to being smeared with excrement . Friends of mine didn 't like the film , especially women , said the critic . neutral +They can score , but they can 't play D. Their defensive game is suburb and no one can score a point against them . contradictory +6NIPA personal saving is measured net of depreciation on fixed assets owned by unincorporated businesses and owner-occupied residential dwellings . Personal saving is shown by a constant of depreciation on assets owned by businesses . entailment +Tourism has grown over the last ten years . The tourism industry has disappeared over the last ten years . contradictory +After seeing the church , mausoleum , and library , visitors are shown through the Palacio de los Borbones ( Palace of the Bourbons ) . The library has a variety of books . neutral +Nobody ever seems to be able to pass from one holy place or historical site to another without stopping along the way to browse through boxes of broken Roman-era glass at an antiquities shop , bargain for figs and grapes in the markets , sample Arabic desserts , or examine old Hanukkah menorahs and hand-embroidered Bedouin cafens . No one visits more than one historic site . contradictory +If you are going to pick a few cases to illustrate the larger whole , then you have to have some pretty compelling and well-articulated reasoning for their selection . They had to be very careful what they selected . neutral +i have two little ones yeah yeah so that always want some um four and two and half They always want some , I have two little ones . entailment +The database contained over 800,000 pages of regulatory and adjudicatory information stored online for research and retrieval via the Internet . The information was gathered by a lot of researchers and stored in the cloud . neutral +EPA did not identify any other statute or executive order imposing procedural requirements relevant to this rule . No other statute was identified by the EPA . entailment +An important Roman outpost with an excavated amphitheater as proof , Spoleto also boasts a sober Romanesque cathedral with 17th-century additions , decorated with damaged but still graceful Fra Filippo Lippi frescoes ( 1469 ) . Spoleto was an outpost that lacked importance to the Romans . contradictory +that 's exactly what happened to us we were living um in Minneapolis at the time and we were getting ready to come back to Texas um and i went i mean into a Waldon 's and stood in line for like six hours it seemed like but i haven 't read it there is a good one out though that we 've had for a few years that i 've actually read more than once it 's called The Kingdom of Sound I don 't know how long I actually stood in the Waldon 's . neutral +Pro bono attorneys are a valuable asset for low-income people who have legal problems . Pro bono attorneys only offer their services to the wealthy . contradictory +Paddies of taro are to this day a signature crop in rural Hawaii . Paddies of taro was first founded in Hawaii . neutral +yes and and i have no problem with that but i think the male needs to be the dominant person and i think too many of the young professional wives in our small town of five thousand uh are not letting that happen they are very aggressive The wives have a mindset that will not allow the male to be dominant and there is no use trying to change that . neutral +In seven days he destroyed both Hindu and Buddhist temples and statues , including Swayambhunath and Pashupatinath . In seven days he destroyed both Hindu and Buddhist temples and statues because he disliked the artistic style . neutral +I would like to suggest that the research for Michael Brus ' ( In the Event of a Water Landing ) was lacking . I would say that the research for Michael Brus ' was sufficient . contradictory +okay i was trying to get my children quiet for a minute well credit cards boy that 's an easy topic isn 't it Okay I had to silence my kids . entailment +Motor racing fans can watch the Grand Prix of Italy at Monza , near Milan , or at Imola , near Bologna . Anyone in Italy can have a first hand look at the Grand Prix of Italy from their windows . contradictory +The Wicklow granite is faced with plaques cast from captured and melted-down cannon . The plaques are not made from melted down cannon . contradictory +No , don 't think so . Yes , your honor . I believe so . contradictory +In fact , the process wouldn 't stop there . It did not end there . entailment +Everybody out of the room . ' Everybody get out of the living room . neutral +But those unattractive factories produce 70 percent of Spain 's handsome woven rugs and carpets , and many invite visitors . The factories are not attractive but they create many rugs . entailment +The current Clean Air Act has been enormously successful , but we can do better . The clean air act is good neutral +It is emotional meaning that she registers , with a vivid simplicity and in the unlikeliest of places . It is very complex and confusing . contradictory +That estimate assumed that the entrant would capture all volume on all profitable routes . There are profitable routes and they want to exploit these . neutral +get buy-in from stakeholders in the state . Stakeholders provide buy-in . entailment +Financial Strong Leadership Needed to Improve Army 's Financial Accountability ( GAO / AIMD-94-12 , December 22 , 1993 ) The financial accountability of the army should be improved . entailment +Clinton also hit 73 percent early in 1998 , right after Flytrap broke . Clinton hit 43 percent after Flytrap broke . contradictory +Three more rode past holding swords and axes and spears . Three more armed people rode past . entailment +no and it 's nice i 'm just inside the city limits i 'm probably a mile mile and a half inside the city limits and i 'm only a mile and a half from work This is the best location I 've ever lived in . neutral +Pornographers in wheelchairs . Some pornographers are wheelchair-bound . entailment +Given the scope and nature of challenges facing the new department , the critical question is how can we ensure that the essential transformation and management issues receive the sustained , top-level attention that they require . Every department can sail through its problems on its own . contradictory +Rather , it again partitioned the country , placing the territory of the Duchy of Warsaw under the control of the Russian czar . The country has not been partitioned by anyone . contradictory +the effect that it 's had on this young man 's life is so dramatic that it 's heartbreaking and he may never really be This young man is leading a very healthy fulfilling life . contradictory +. Evaluation in World Bank They evaluated every bank in the world neutral +and uh all the kids seem to enjoy that we we will have an Nintendo somebody have will bring an Nintendo right i well my my i know my sister-in-law who uh is uh engaged to be married The kids are happy to play video games with us . neutral +i mean they get they get all these days off now give them They never get days off contradictory +A cap that represents significant reductions of emissions protects the environment by reducing overall loadings . The cap will decrease reductions but not help protect the environment . contradictory +And the Yell brought Shiloh home , only a nose ahead of his rival as if he had been spurred by the now outlawed war cry . Shiloh lost the close race . contradictory +But this , as we know , is what happened . Something happened here . neutral +well my wife spent some time up in Connecticut My wife never went to Connecticut . contradictory +The classic An automatic teller machine was swiped from police headquarters in broad daylight . The teller remained in place and untouched . contradictory +So far the staunchly anti-Communist government has relied on repression to survive the crisis . The government tried a passive and peaceful approach to survive the crisis . contradictory +legally cut money on your taxes huh You 're looking for ways to legally pay less taxes ? entailment +have you done any camping around here Have you ever walked on the moon ? contradictory +but there are a few companies here in Dallas that do There are no companies here in Dallas that do contradictory +In addition to the normal problems associated with adapting to new standards , several of these standards provide for a transition period during which agencies may or , in some cases , may not report investments in human capital , research and development and nonfederal physical property ; if investments are reported for each of five years as called for in this statement , they may be reported for earlier years during the transition period on the basis of either outlays or expense . These standards help businesses make investments privately . neutral +Yes , it 's really time for Monica to go . Monica will be staying here for many more days . contradictory +The Eyep Sultan Camii ( mosque ) marks the burial place of Eyep Ensari , the standard-bearer of the Prophet Mohammed . Eyep Ensari was not buried at Eyep Sultan Camii . contradictory +Specifically , the senior executive reported in his self-assessment that during fiscal year 2001 he worked with local service officers to identify in advance those veterans planning to attend the town hall meetings , had their claims folders available for review at the meetings , and was thus able to enhance outreach programs . The executive went above and beyond in his advance planning . neutral +Nearby are YS Falls , found on an old plantation that dates from 1684 . The old plantation used to grow a variety of crops . neutral +Tell your father that I need word with the elders this eve . I need to talk to the elders about the demons . neutral +He says that Inglis would be a whisper in the Senate , a lame duck as soon as he took office . He says that Inglis wouldn 't do well in the Senate . entailment +Testimony Congressional committee or subcommittee Chairs frequently request that GAO prepare testimony statements and that GAO witnesses appear at hearings . GAO witnesses must appear at any hearings because they can influence the hearing . neutral +They abandoned the discreet reticence of " private inquiry agents , " and revealed to him the whole history of the joint venture , whereat the young man declared himself " tickled to death . " He turned to Tuppence at the close of the narration . They gave up the discretion and told him the entire story . entailment +And that would include boraquasco . The boraquasco was reluctantly included . neutral +From Topkape 's First Court , a narrow cobbled lane leads to the Fifth Court , which contains three excellent museums . The Fifth Court has three museums with Muslim artifacts . neutral +In the preamble to the final OASIS rule , the Commission explained that The Commission explained in the introduction to the final OASIS rule . entailment +His whimsy can be downright charming . His personality is charming . entailment +The key was in the lock . There was a lock , but the key was already in it . entailment +i know me too but uh well what was that show um I did not feel the same way . contradictory +and yep we did that too and the children where um when in fact when my youngest was about two we decided to get out of the city and go to the country I have more than one kid . entailment +On an occasion when I was enraged , without doubt , observed Poirot , with great placidity . Poirot was not right about me being enraged . neutral +The judiciary is very supportive , with the Chief Judge of the Court of Appeals , the state 's highest court , being deeply engaged in planning efforts . The judiciary believe change is necessary . neutral +and yeah he did some clever things but given the size of the house and how clever the kid was it seems to me they could have done a lot more i mean you know basically basically stepping on things and yelling in pain and it seems to me they could have been a lot more creative stuff used Stepping on things and yelling in pain was not that creative genius , yeah he did some smart things but as clever as the kid was they could have done a lot more with the character . entailment +Rue Yvonne le Tac leads to the base station of a funicular railway . Rue Yvonne le Tac leads to a subway station . contradictory +Or maybe they had a more systematic approach . The did not consider any other approach . contradictory +One theory posits a mother universe--a forever unchanging world from which daughter universes can grow . One theory says the world is unchanging and that causes new universes to grow . neutral +I was out in the evening . I didn 't go out . contradictory +uh-huh well i saying through my bank they they since they have their own card they don 't like to give advances through other for other cards I said that through my bank , they had their own card of credit . contradictory +( The Development and Foreign Aid section includes a piece by Maren titled The Food-Aid Racket . ) Maren lost both his hands in a war and couldn 't write anything . contradictory +That 's a question about politics , not economics , so maybe it 's best directed to a different sort of expert . A politician knows more than an economist . contradictory +The planned new Roman city , Aelia Capitolina , was built over the ruins of Herodian Jerusalem , and Jews were barred from residing there for all time . Rome rebuilt Herodian Jerusalem and encouraged the return of the Jewish minority who called that place home . contradictory +but not really It 's not actually . neutral +To accomplish this and change current practice patterns , studies on alcohol interventions should be framed , focused , and performed by emergency medicine physicians . Emergency doctors should be the ones performing studies on alcohol interventions . entailment +Within the text of the statements , provisions deleted as a result of other statements are marked with strikeouts and provisions affected by other statements are doubleunderlined . The deleted provisions have been marked by strikeouts . entailment +Increasingly , shops also stay open during lunchtime . Shops close two hours for lunch . contradictory +Most people prefer a morality of ifs and buts , and most real-life laws and regulations are riddled with ifs and buts . Most laws and regulations have many ifs and buts , which people sometimes prefer . neutral +Caterpillar representatives said that signing the drawings was a certification that the design could be manufactured the next day , if necessary . Signing drawings was a certification of the possibility of next-day manufacture according to representatives from Caterpillar . entailment +He creates a kind of equilibrium that is always mobile , always about to tilt off to one side and disappear . It just sits still . contradictory +Despite the amount of funds involved and the impact improper payments can have on a program 's ability to achieve its intended outcome , most agencies have not yet estimated the magnitude of improper payments in their programs . Magnitude of improper payments in their programs has not been estimated , because the agents are lazy . neutral +The hand-writing is quite different from mine . My hand-writing is very different from what we are seeing here . entailment +it really does and and i i 've seen the same thing that you 're talking about uh much more crime than ever before drugs of course uh a big part of it i think There has been a higher crime rate than ever before . neutral +The city was ruled in turn by the Lydians , the Persians , and the Attalid kings of Pergamum , until 133 b.c. , when Attalus III bequeathed his kingdom , and Ephesus with it , to the Romans . Attalus III died fighting the Romans , and it took a bloody battle for the Romans to seize control of the kingdom . contradictory +Does anything in your examination lead you to determine how the poison was administered ? Does anything you see make you understand how she was poisoned ? entailment +On St. Barts , La Petite Ferme organizes horseback rides on Sundays . La Petite Ferme offers horseback riding in addition to animal feeding during Sundays . neutral +Gardens , Rivers , and Plantations Growing plants , flowing streams , and large farms entailment +( Through all the vagaries of persecution and war , Nagasaki has remained the major center of Japanese Christianity . ) ( Nagasaki has lost the great influence he had on Japanese Christianity community . ) contradictory +Accordingly , IRD has adopted a code of conduct applicable to all employees that explains the standards of integrity and behavior expected . IRD has a twenty page code of conduct for everyone that works there . neutral +yeah yeah and and even changing the things i mean first off i i mean you need to address do you even need to change the signs because for so long people are going are going to be able to equate miles to kilometers i mean when you drive around Europe you do the same thing There are no cars in Europe , just public trains . contradictory +The goat was Falcons safety Eugene Robinson , who was arrested the night before the game for allegedly trying to buy oral sex from a prostitute . Eugene Robinson was arrested after trying to give a man oral sex for a pair of mittens . contradictory +But there are several pharmacological and social differences that reduce the relevance of rat research to social policy . Social differences among rats increase the relevance of rat research . contradictory +objectives established by the organization 's annual business or operations plan . The organization has an annual business or operations plan which helps it be more efficient . neutral +yeah or working in the system Being in charge of the system neutral +it 's uh for the past couple of years uh i since my parents are are well i 'm from Argentina and my parents live down there so all the traveling i do is alone I 'm from Argentina and I go back a few times a year . neutral +um-hum i seem to see more women in uh in leadership type roles and management positions in politics and I haven 't seen any women in any leadership roles . contradictory +While the NEPDG did provide some cost-related documents to GAO , most of these documents were not useful or self-explanatory . NEPDG provided all cost-related documents to GAO . neutral +The teams are assisted by 60 kids who snitch on their peers . 60 kids who snitch on their peers are assisting the teams . entailment +It still holds on to its original name of Krutenau ( Vegetable Waterway ) . It is no longer called by its original name , Krutenau . contradictory +Instead , to provide the comfort needed to induce Ovitz to give up his marvelous career as an agent , the compensation committee offered him a severance agreement . The compensation committee offered him a severance agreement . entailment +Aside from the general access statute , various forms of special legislation govern GAO 's access to certain types of agency records and information , such as tax , social security , financial institution , and employee benefit plan records and information . There exists a quick way to get this information without the special legislation . neutral +what i 'm in Denison I 'm in Dallas contradictory +Meanwhile , on the other side of the ledger , there 's another reason for the cost of legal copies to drop . There is more than one reason for the drop in legal cost . entailment +By sign language ? The only way it could be done is by sign language . neutral +Randi Youells , Vice President for Programs , provided opening and closing remarks for the conference ; and an LSC update during lunch . Randi Youells is the VP for Programs . entailment +it it 's a Swedish car i 'm just being stupid and sentimental it 's just because it 's about the only kind of car i 've ever had i had a Volvo once you know it 's like if i had to go out if i to buy a truck i could i could go out and easily buy a truck but i 'd have a hard time going out and buying another car if it wasn 't a Saab i don 't know I bought my Volvo as a new car . neutral +Something in his voice made Tommy look up . Tommy heard something in his voice that caught his attention . entailment +Arashiyama is home to a number of important shrines and temples . There are many important shrines and temples in Arashiyama . entailment +But as its obstinately independent spirit has shown , even after the Florentine conquest of 1555 a spirit epitomized by its lusty Palio tournament the town is not without vigor . The Florentine conquest of the town took place in 1555 . entailment +In no significant way does that comment differ from a no comment . Saying " Pass " is the same as " no comment . " neutral +He followed up the slenderest clue . His peers thought he was making a mistake . neutral +Perfect visibility is represented by a deciview of zero , so a decrease in deciview is an increase or improvement in visibility . Deciview increases indicate better visibility . contradictory +about the lowest i 've seen gasoline in the Dallas area is uh i guess about ninety two point nine now Gasoline is getting too expensive . neutral +well i hope so I hope that 's the case because that is the fair thing to happen . neutral +The doubters also argue that these laboratory studies , which usually run from two to four years , may just be seeing a short-term effect . The laboratory studies usually last for three years . neutral +A mere speck in the middle of the Atlantic Ocean , Madeira has all the elements of a mysterious dream world . Madeira is one of the most isolated places in the world . neutral +At home , his authoritarian rule required a brutal police force . The force was generally seen as very friendly and understanding . contradictory +Time ' s Terry Teachout says the 75-minute work 's themes are nondescript , its harmonies blandly predictable , [ and ] its structure maddeningly repetitious . Terry Teachout loved the 75-minute work . contradictory +one uh there was a girl in There was a boy in there . contradictory +yeah i hope so Yes , I hope so entailment +His lasting legacy was the invention of coinage , which led to the beginnings of our money-based economy . He was responsible for the creation of the first coins . entailment +Probably so the server didn 't have to worry about rendering too many extra details . I assumed it was because the server didn 't have to worry about the extra details . entailment +Likewise for TV stations , as long as one owner 's signals do not reach more than 35 percent of the nation 's households . These are radio stations contradictory +However , the interpretation of the results of the analysis of the data from any of the toxicity tests described in this manual can become problematic because of the inherent variability and sometimes unavoidable anomalies in biological data . Biological data have ben known to have inherent variability and sometimes unavoidable anomalies . entailment +yeah yeah we generate one of our our biggest electrical plants in Rhode Island uses coal to uh generate electricity um In Rhode Island we have a plant that turns coal into electricity . entailment +He estimates it may be upward of 600 , mostly without lawyers . Without lawyers , he thinks it may be upward of 600 . entailment +Sapporo has a nationwide reputation for its beer , introduced in the 1870s by a German brewer who recognized the surrounding country 's hop-growing potential . Sapporo beer came from Germany in the 1870s . entailment +To enjoy excellent views , follow the coast road down to the small peninsula of Ponta Delgada , where you can cool off by the rocks in the seawater swimming pool . There are no good views to be found by following the coast road . contradictory +The show also features magician Dirk Arthur and dozens of topless and costumed showgirls , making this an event for adults only . This show is family-friendly and suitable for all ages . contradictory +And the biggest question may be to what extent evolution is divergent or convergent . There is a question regarding evolution 's divergence or convergence . entailment +yeah well you know they they that 's what they said about The Exorcist you know no no it 's terrible you 'll have nightmares you know i watched last weekend me and my roommate we we laughed about it They said The Exorcist was scary but I thought it was a lot better than Jaws . neutral +I take my 15 cents and head for the liquor store . I take my money and head directly to the liquor store to get fucked up . neutral +Can you not guess ? asked Poirot , smiling . Poirot has shown to be fluent in many languages . neutral +yeah yeah the they sell uh it 's sold in the hobby stores and nurseries it 's got a kind of a peculiar smell to it but It 's got kind of a peculiar smell and it 's sold in hobby stores and nurseries . entailment +Situated 85 km ( 53 miles ) northwest of Paris by the A13 , D181 , and D5 , or by train from Gare St-Lazare to Vernon with a shuttle bus from the station to Giverny . It can be accessed by road or train . entailment +It was the neighbors . It wasn 't the neighbors . contradictory +More often than not , those involved have been the businesses that would feel directly the impact of restrictions on the collection and sharing of person data---the list companies , the direct marketers . There are restrictions on the collection of data based on people . entailment +The house is surrounded by a lovely , somewhat unkempt garden of exotic flowers , trees , and plants ( including a good orchid section ) . The house is surrounded by a moat . contradictory +um i 've become a lot more health conscious and that 's why i stopped eating fast food and places like that I have become a lot more health conscious because the doctor told me that I was at risk of a heart attack . neutral +War and Pestilence It was peaceful . contradictory +You might say the acquisition of Avis was therefore inevitable . There were many warning signs that Avis would be acquired . neutral +Their unique Chartres blue and deep red bring an ethereal light into the nave , especially when the late-afternoon sun is shining through the western rosewindow depicting the Last Judgment . The nave is dark . contradictory +Despite the dead heat and humidity of summer Florence , with the magnificence of its monuments and museums , it is packed nonetheless . Florence remains busy during the summer despite the awful heat and humidity . entailment +In addition , during the first Phase of the program ( 1995-1999 ) , SO2 emissions were between 20 to 30 percent below their allowable levels . The first phase of the program saw SO2 emissions between 20 to 30 percent below their allowable levels . entailment +If in the above example the cost had been nine cents in the low cost area and 11 cents in the high cost area , it would be much more difficult for inefficient entry to occur . Cost differentials are not important when considering inefficient entry . contradictory +uh-huh right exactly yeah there there there are a couple movies that hit home like that most of the ones i always remember are the the older ones The older the film is the more I tend to remember it years down the line . entailment +Israel had a nervous breakdown when Menachem Begin evicted just 5,000 settlers from the Sinai during the early ' 80s . Begin evicted 50,000 settlers from China in the 80 's . contradictory +It 's the same as regular five-card stud , with the machine acting as dealer . It 's the same game , but the machine acts as the dealer . entailment +The museum displays the outstanding Islamic and European furniture , art , and handicrafts collected by Gayer-Anderson during his time in Egypt . The museum displays Islamic and European furniture . entailment +Romans , Visigoths , and Moors all squabbled over the strategically positioned town , which was sacked by Sir Francis Drake in 1588 and taken by Archduke Charles in 1707 . Multiple groups for over control of the town . entailment +They broke my arm slowly in the spokes of a cart wheel . My arm was injured . entailment +One question that inevitably comes up is whether there is something peculiar about the way sheep mammary tissues differentiate . Sheep mammary tissues cause questions to be asked . entailment +Northern The Music of Jean Sibelius ( Lincoln Center , New York City ) . The Music of Jean Sibelius is also featured in Alaska . neutral +The collection also includes important paintings by Rubens , Frans Hals , Veronese , Konrad Witz , and Martin Schongauer . The collection includes sculptures as well as paintings . neutral +These pollutants contribute to a variety of health and environmental problems , such as smog , acid rain , nitrogen deposition and visibility impairment . These pollutants contribute to so many environmental issues that they 're illegal to possess in many countries . neutral +" You 'll see . See it you shall not . contradictory +and then the second time i was going to do it at Richland College and we i just get with another friend and we 'd end up just smoking cigarettes and riding around like we couldn 't find the place When I was going to do it at Richland College I just ended up smoking cigarettes and driving around . entailment +But come in , Dorcas is here . " Dorcas was never here . contradictory +yeah oh yeah and she didn 't get around to it very much She was too busy with other things . neutral +Catherine Gordon proposed that the recommendations address the issue of financing and suggested the following phrase , Research should also identify the most effective and cost-effective interventions and delivery mechanisms ( e.g. Catherine Gordon is an experienced economist and has many connections to CEO 's of delivery systems . neutral +um-hum yeah ever since i was a kid That 's been ages . neutral +i mean something really really really serious has happened for you you know to to make it worthwhile and then that that that that that defeats the purpose of insurance You can waste a lot of money having insurance and good health . neutral +well there 's this uh there 's this type kind of restaurant called a brew pub are you familiar with those What 's a brew pub ? I 've never heard of it . contradictory +They are soon disposed of afterwards . " 62 There was a sinister note in his voice . " We hang on to them , " he said cheerfully . contradictory +The coastal route is beautiful , but potentially nerve-wracking ; only the southern section from Canico west to Ribeira Brava is served by the excellent highway ( via r ? ¡ pida ) cut through the mountains . There are several highways and interstates out of Canico . contradictory +Figure 9 : Illustration to Show How the Best Practice Model Would Apply to DOD 's Acquisition Process The illustration in Figure 9 is titled Show How the Best Practice Model Would Apply to DOD 's Acquisition Process . entailment +In Roman times a temple to Jupiter stood here This place was considered holy by the Romans . neutral +Fact-Based Based on certainty entailment +Pyrenees China . contradictory +But who has time to dig for facts when you 've got to make up not one but two different fantasies ? If you had to make only one fantasy , you 'd have time to find facts . neutral +Julius 's pent-up rage burst forth . Julius 's rage had been building up over time . entailment +I told it to you . You are the person that I told this . entailment +Well , if she can 't get a divorce she doesn 't have any kind of legal paperwork that would require him to support her [ and their children ] . After getting a divorce , she can use the documents she receives to demand support . neutral +'What was that for ? ' Why did you break that window ? neutral +From the railway station or the parking lot of Piazzale Roma , you begin with a vaporetto waterbus along the Canal Grande , the most uniquely stunning main street in the world . The Canal Grande has a few marriage proposals next to it . neutral +But yuppies--or at least the suburbanized offspring of Slats Grobnik--were increasingly his audience and his newsroom colleagues . The audience was increasing among yuppies . entailment +I 'll give him th ' eye though . I 'll show him a look . entailment +But the little geezer who worked the smudgepot just walked up to it and wiggled his finger . The geezer from the smudgepot was quite annoying . neutral +Critical acclaim ensues . Mass publications of good reviews started . entailment +Something stirred in his mind then . He was thinking about something . neutral +well then how can you how can you say as far as like in um Europe as far as the the toppling of those kinds of governments you know like How is it possible that you can claim Europe as far as toppling those types of governments ? entailment +William lived here until the tragic death of his mother in 1778 , when he was sent to school in Hawkshead . William 's mother died in 1778 . entailment +New Zealand is an independent nation within the British Commonwealth . New zealand is independent and functional within the British Commonwealth . neutral +Shadows of a The Drawings of Victor Hugo ( Drawing Center , New York City ) . The Drawing Center is situated in Memphis Tennessee . contradictory +With a domed sikhara on each shrine , the temple 's overall effect remains horizontal in the style of the Hoysala kingdom , emphasized by the layers of narrow , parallel carved friezes running around the walls . The shrines of the temple are decorated with friezes on the walls entailment +And it gives a package of free collectibles to any Webmaster who picks up its banner . It makes the Webmaster pay for the package . contradictory +One fact leads to another , so we continue . The facts led to dead ends . contradictory +In the Times of London Monday , Clarke was quoted as saying , There is no truth whatsoever in the allegations that the Sunday Mirror are making against me , and they are very hurtful . Clarke was accused of handling child pornography . neutral +" Sí ! " Bartolomé 's face was as flushed as Bayliss ' now . Yes ! Now Bartolomé 's and Bayliss ' face were equally flushed . entailment +Another farm worker , 22-year-old Marcelina Lopez , was five months pregnant during the reported Olathe spraying incident on June 29 . Marcelina Lopez gave birth to a still born baby in September of the same year . neutral +It was the Economic Opportunity Act of 1964 that began providing federal funding for programs to bring legal services to the poor , Kinser said . The Economic Opportunity Act of 1999 gave federal funding for programs to bring legal services to the rich . contradictory +right i have a sister that can can uh crochet real well or or knit i i guess i mean knit and she knits things like hats and uh sweaters an you know My sister can knit hats and sweaters . entailment +i know it just has that i it looks several times in the last couple of weeks it has looked rainy that day and not not done anything and we have a lot of trees Over the past few weeks it 's looked like it 's going to rain but nothing ended up happening . entailment +That 's one of the key conclusions of a sweeping 78-page report released today by the 13,000-member Philadelphia Bar Association and hailed by Association Chancellor Allan H. Gordon as a a comprehensive inventory of what we 've done and a blueprint for the future of our efforts to deliver legal services to those in need . It was considered by many experts to be the most comprehensive report of its kind . neutral +He wondered if this recommendation was the appropriate place . The recommendation was innapropriate contradictory +the interesting thing about it is is that from a uh uh an economy standpoint or in economics i i thinks it 's i think it 's poor poor uh economics to to carry all that consumer debt at least from a tax standpoint so I think it 's unfortunate where the consumer debt ends up . neutral +The Bosnians--in whose name Rieff brings his indictment against an indifferent world--function as a kind of abstraction . Reiff brings up the Bosnians as his central theme , which indicts an indifferent world . neutral +The number of individuals seeking relief from the floods across South Texas increased by more than 1,000 Tuesday , bringing the total to 5,855 , he said . Almost 6,000 people lost their homes in Texas neutral +oh yeah i i guess there 's a lot to to think about when you 're trying to make that decision In end , however , it isn 't very difficult to come to a decision neutral +so i 'm i 'm a real proponent for mass transit there 's there 's just uh uh you know there 's just no reason on a regular basis for someone having you know to uh if if if we just did our mass transit better and longer and more complete you know I love mass transit , but we should do be doing it much better . entailment +yeah no i this is the first home we 've lived in we 've had a sprinkler system and boy it is really nice it sure beats dragging hoses around I don 't have a sprinkler system . contradictory +It 's afterward that the trouble starts . The trouble started after dinner . neutral +that 's kind of kind of rough when you got to fight snakes off when your sleeping You shouldn 't fight the snakes off , instead try and charm them with one of those flutes . contradictory +He staggered up and forced himself against it , away from the place where the sun had fallen . He had to leave someone behind as it was either him or them . neutral +NRCS submitted that analysis to the General Accounting Office on May 29 , 1997 , along with a copy of its final rule . The NRCS submitted the analysis in person . neutral +What ? Tuppence clutched his arm . Tuppence grabbed his limb . entailment +The publication doesn 't report where Mrs. The publication says everything about her . contradictory +Trained practitioners counseling alcoholics could identify only 50 % of acutely intoxicated patients . Trained practitioners could identify 100 % of acutely intoxicated patients . contradictory +well he can he can usually go back to the dealer but if if it 's an unscrupulous dealer he 'll just say hey you know you you had an opportunity to see it you know it 's yours course you can always turn around and sell it in court and but you 'd have to go in on a fraud count and that wouldn 't If the dealer turns him away , then he can choose to sell it in court . entailment +Time claims that friends say Willey 's calm demeanor masks a surprising volatility ... Willey has always had a very short fuse . neutral +The cover story says pro sports are in trouble . Pro sports are not in any trouble , they are just fine contradictory +Hanson saw him from the distance , a skinny giant of a man in breechclout , cape and golden headdress . Hanson saw him from afar , a thin , tall , man . entailment +In addition to regular art exhibitions , this wildly abstract structure features Osaka 's IMAX wide-screen theater . You can see paintings and movies in this space . entailment +Not just geographically , in exploring the variety and contrasts of north and south , but in combining the attractions of town and countryside and the resultingly different facets of Italy 's daily life . Exploring the attractions of the countryside in Taiwan . contradictory +Shadows hid the size and depth of much of the tunnels . Shadows concealed the true size and depth of a large portion of the tunnels . entailment +Finding that photograph in the drawer , after that story of how it had been got from him by Inspector Brown , made me suspect Julius . Even after finding the photo in the drawer , I still didn 't suspect Julius . contradictory +His evidence was quite unimportant , being a mere repetition of that of his brother . His evidence was useless , and his brother had given the same proof before . entailment +Whitewater independent counsel Kenneth Starr decided not to quit after all . Kenneth Starr worked on the Whitewater investigation . entailment +In 1995 , Oliver Stone 's Nixon gave us the familiar , shadowy president , emphasizing his most savage and conspiratorial qualities . In Oliver Stone 's Nixon , the president 's savage traits were displayed . entailment +no uh no not yet about six months we will No , but we will start tomorrow . contradictory +MARKETABLE TREASURY SECURITIES - Debt securities , including Treasury bills , notes , and bonds , that the U.S. Marketable treasury securities are debt securities of the U.S. entailment +So they won 't have to solely rely on the testimony of the victim . They won 't have to rely on the victim 's testimony only . entailment +Funny , I thought that politics and campaigning were about freedom of speech and the ability to compete . The main purposes of campaigning are definitely freedom of speech and the ability to compete . neutral +Natural dark-haired beauty--despised or exoticized for eons by Europeans , Britons , and Americans--has at last been universally recognized and welcomed . A popular document has helped to recognize and welcome the natural dark haired beauty . neutral +yeah you you 'd be surprised the things i mean you could like tonight we 're having um nature burgers which are like a grain burger and you can it 's really pretty good i i the people i serve it to like my sister and family members well my family members are vegetarians now basically i mean they 're not they 're not when they go out to eat they sometimes eat other meat you know meats and things but at home we eat vegetarian meals and uh you can make you know make uh pasta meals and different things that people are use to eating that wouldn 't offend you know that they wouldn 't be offended that there wasn 't a meat there we have vegetarian meals at home because it 's cheaper than buying meat neutral +He had suddenly realized what horrors were possible to anyone who could use the orrery now . It was very risky to use . neutral +These are the same types of concerns facing federal agencies . Federal agencies face several types of concerns . entailment +it really wasn 't too wasn 't too pleasant It really wasn 't really nice . entailment +3 . Although gross national saving as a share of GDP in the 1990s was low by U.S. historical standards , U.S. saving as a share of GDP has generally been lower than other major industrialized countries over the past 40 years . Gross national saving by GDP share was incredibly high by US standards in the 90s . contradictory +More than anyone , they know it can be nearly impossible to do the former and avoid the latter in a one-sided contest where only one litigant has a lawyer . They have the most experience in the matters . neutral +The Hong Kong Chinese Orchestra performs new and traditional works ; a wide assortment of traditional and Chinese instruments are featured . Both new and traditional works are performed by the Hong Kong Chinese Orchestra . entailment +Therefore , it believes that its decision to accept either the historical cost or latest acquisition cost method is appropriate . It believes that their decision is completely wrong . contradictory +Sounds like everybody 's goin ' to have to set up a string an ' ride hosses in rotation . The cows need to be ridden in rotation . contradictory +and you know he and his wife just went off to visit her and you know i know i could never afford to go visit a kid in Guatemala I could easily afford to visit a kid in Guatemala . contradictory +Just give them a small taste , said Jon . Jon thought it would be good to let them get a little taste . entailment +Because its campaigns tend to involve the planning and execution of individual acts rather than all-out warfare , IRA members look and act more like professional criminals than like revolutionaries . IRA members definitely look and act like revolutionaries for this matter . contradictory +North of Luxor temple , in the streets behind the Mosque of Abu El Haggag , is the bustling souk or market where you 'll find a mixture of tourist souvenirs and local products such as food or textiles . There is no temple in the north of Luxor . contradictory +so if you know where Lake Ontario is sort of is uh If you know the location of Lake Ontario , you better start traveling now . neutral +You can also try the pendozalis . You will find the pendozalis over there . neutral +Two of the resort towns are of special interest to Westerners . Westerners may be interested in two of the resort towns . entailment +Although six ISACs in five industry sectors had been established as of March 2001 , three had been in existence only since December 2000 . Three of the six ISACs had only existed since December 2000 . entailment +Ibiza 's key location between Africa and ancient Iberia made it a convenient stopover for Mediterranean seafarers , such as the Phoenician traders , who called the island Ibosim . Ibiza is between Africa and Iberia . entailment +Shulman aside , you could find one-line descriptions of Goodman 's main characters in any half-dozen American-Jewish the rabbi with two sons , one brilliant and prodigal , one duller but more loyal ; the Holocaust survivor numbed by his past ; the daughters tempted by the twin heresies of feminism and Zionism ( Israel is viewed as a nation of faithless sinners by these ultra-Orthodox Jews ) ; the assimilationist Jew who comes to a bad end . Goodman does not like to use too much descriptive sentences and adjectives . neutral +Designed as a belvedere for Cardinal Capra in 1567 , it 's an exquisite piece of applied geometry , a domed rotunda set in a square surrounded on all four sides by simple Ionic-columned porticoes . The porticoes have columns with Ionic designs . entailment +But for the moment , I could not move . I was stunned by the realization that Trump is president . neutral +Simple , comfortable rooms in the centre of town , a short walk from North Beach . The rooms are simple and comfortable and have a kitchenette . neutral +The whole process is both painstaking and expensive , and the democratization of the imperial institutions since the emperor renounced his divinity means the shrines ( rather than the state ) must now foot the bill . The state used to be responsible for shrine upkeep costs . entailment +Each of the two men wore black cloaks , black boots , dark gray chest-guards , and the same style three-corner hat that Adrin wore . Their hats were different than Adrin 's . contradictory +As such , the model reflects two principles central to the human capital The model is a reflection of two principles entailment +Once frequented by royalty , it was converted into a hotel in 1995 . The guests who stayed there were originally the rich and famous . neutral +The decree accused Sister Jeannine Gramick and Rev. Sister Jeannine Gramick and Rev. were accuses . entailment +Sightseeing for tourists is most rewarding by rental car , boat , or both . The best site seeing is done by boat and car . entailment +i know my roomie 's got the ins urance through the school My room mates for insurance through the school . entailment +be able to be enforced Unable to be executed . contradictory +Comparing beneficiaries with mortality rolls to the use of sophisticated computer models for interactive analysis of large amounts of information ( e.g. Sophisticated computer models are not used for analysis of large amounts of information . contradictory +Yet one of his dearest friends was a Jewish painter who greatly influenced him aesthetically . The painter specialized in portraits . neutral +well here in Colorado it 's even worse because we have uh no fault We have no fault in Colorado so it is worse . entailment +but i 'm kind of getting a little more leery of credit cards you know as time goes by unless you just absolutely have to now there are times when you 'd at least think you do anyway I feel like credit cards are becoming more necessary . entailment +The second , more important answer is that analysts are crucial contributors to short-term thinking . There was no important information gathered from this . contradictory +and they 're asking like for a um GPA of like three point seven or something like that and like they 're looking like for uh GRE like ninety nine percentile and this and that and it 's like To apply you have to have a 3.7 GPA and a 99th percentile GRE . neutral +These decisions are made by middle management , who are free to indulge their prejudices , regardless of a calculation of what 's best for the corporate bottom line . The middle management take a give calculations a great importance and they always respect them . contradictory +yes well and things are repeated The repetition can be mundane after awhile . neutral +As Krishna , he is usually depicted with a blue face , an after-effect of swallowing a poison that threatened the world , and is often represented playing a flute or sporting with the milkmaids he seduced . Usually , he is depicted with a red face , an aftter-effect of swallowing lava that threatened the world . contradictory +A Better Match of Policy and Incentives Is Needed to Ensure Capture of Design and Manufacturing Knowledge There is no way to ensure that design knowledge is captured . contradictory +Doctor with Marlin Fitzwater . Marlin Fitzwater is a doctor . entailment +Some wonder how old Hitler would be today and if he really did escape to South Africa . Would Hitler have aged well if he escaped Germany and lived in South Africa ? neutral +Then the war .... The withdrawal of the army , the invasion of Sibley 's Confederate forces which had reached this far in the persons of Howard 's Arizona Rangers and most of all the raiding , vicious , deadly , and continual , by Apaches and outlaws had blasted Tubacca . The army stayed there to fight to the death . contradictory +The horse had likely already felt the large man 's fear . The horse began to tremble as the man 's trepidation grew . neutral +The IOC promises to stop this corruption by taking away delegates ' voting rights and halting their visits to prospective host cities . The IOC intends to stop this corruction , as promised , but many want it not to happen . neutral +( Not important to G.W. , who enjoys Scrooge McDuckian campaign funds , but important in ways that will be revealed at the end . Scrooge McDuck is associated with poverty . contradictory +Newsweek notes the marketing overkill of the new James Bond Heineken , Smirnoff , BMW , Visa , and Ericsson are running commercials that hawk both their products and the movie . Newsweek counted the times there was product placement in the movie . neutral +However , if the mailers were not on the verge of stopping the worksharing activity or of going to competitors , the Postal Service would maximize its financial position by giving a discount closer to the figure of 1.5 cents . The Postal Service would never give a discount , no matter what . contradictory +Thanks , Hanson said " I wonder what it 's like , being a true mandrake ? " " Depends , " the slave said easily . Hanson said " I am fascinated by what it would be like to be a real mandrake . " entailment +Precisely . Unsure . contradictory +These individuals have visited one another 's programs as well as four additional model hotline / telephone intake systems around the country . Numerous different hotline / telephone intake systems are used throughout the country . entailment +and i think the longest they 've made it is about three months and then they go to a a friend 's house or something and there they 're all smoking and and they break yeah they just can 't stand it you know all of a sudden they get it 's overwhelming and then they break down and then they say i 'm a failure and then they just give up you know When they smoke at a friend 's , they have breakdowns . entailment +1 billion for Medicaid covering over 2.3 million recipients . Medicaid covers over 2.3 million recipients but is under-budgeted . neutral +Indeed , there are dozens of clinical experiments showing that high doses of calcium either arrest bone loss or even build bone in older women . Clinical experiments have shown that high doses of calcium can build bone in older women . entailment +Dry weather increases Democratic turnout , and Chuck Schumer wins . Chuck Schumer wins . entailment +um-hum yeah it 's yeah would be pretty hard well i don 't think you know i don 't think that if i was the criminal that i would like the judge passing sentence on me if the jury found me guilty then they should be able to decide at the same time what my punishment should be and i think it 's not only that it 's a waste of our money we have to have a trial for this person then two weeks down the road we have to sentence sentence excuse me set a sentencing date so now we 're back in court again and that 's more money spent I would want the judge to sentence me right then . entailment +well you know i i i wonder though it 's i think it really depends on the person Everyone feels the same way about this . contradictory +Well might they tremble . They might tremble because of fear . neutral +Passengers crane their necks for dizzying glimpses of the harbor . Make sure you do not eat a big meal beforehand otherwise you will throw up . neutral +The commission said it did not comment on draft reports . The commission would not comment . entailment +so i want to get a new uh four eighty six chip but uh i don 't know I want a new four eighty chip when I am able to . entailment +you like uh uh who is it uh Victoria Victoria Holt is that right You do not fancy Victoria Holt , right ? contradictory +To the east at 630 West 5th Street , between Grand Avenue and Flower Street , is the beautiful pyramid-topped Central Library . The library is quite something to look at . entailment +uh oh we went to uh Popeye 's uh Fried Chicken well actually it was a drive through We went to Popeye 's Fried Chicken drive thru entailment +Largely because they have heard so many alarming tales about HMOs . HMOs are really bad and it 's alarming . neutral +Each religion and sect Jews , Muslims ( including Druse ) , Christians ( including Armenian and Eastern Orthodox , Catholics , Protestants , Samaritans , and Copts ) , Baha 'i , and several more claims some piece of this sacred earth . For several religions this is Palestine . neutral +right that 's how it is at our house when you 're on the phone oh it 's open We have to be off the phone by 8 pm . neutral +In Crace 's version , a rebellious , bratty Jesus dies of starvation at the end of his 40-day sojourn in the wilderness . Crace 's version is not liked by many others . neutral +The last three motives--public good , tenure , and fame--don 't fit as well with the basic assumptions of economics . The last three motives--greed , money , and power--fit well within the basic assumptions of economics , contradictory +oh really huh do you do they um have a policy where they counsel people if they come back positive or do they fire them right away or I have heard that they fire the people who come in positive . contradictory +Gray smoke blew into the night air and the crack sent Ca 'daan to the balls of his feet in a crouch . Ca 'daan stood tall . contradictory +In addition , it is inappropriate to use the scoping phase as an ad hoc exploratory case study accompanied by an urge to issue the product at the end of scoping , when the necessary procedures for an exploratory It 's very appropriate to use the scoping phase as a case study . contradictory +uh and it 's and she 's pretty happy i mean she 's here she 's finishing up her freshman year and she 's pretty happy and likes Austin and i got a son though who is a senior at Berkner he is not academically inclined at all he 's very uh kind of unacademically inclined he wants badly to go to Tech because that 's where all all his friends in the neighborhood are going My son is not academically inclined to go to Tech but that 's where he wants to go because that 's where his friends are going . entailment +west Texan So you 're from west Texas ? entailment +Cook 's cohorts had opened fire , to no avail . Cook 's group sought to annihilate their enemy 's entire cohort neutral +and so i get my tent up and i get my fire place built and all that and i 'm just having a good time and uh that night it got down to seventeen degrees below zero and snowed I stayed in my car while it snowed . contradictory +Japanese karaoke bars have now become extremely popular with the locals . Japanes karaoke bars are not popular with locals contradictory +Built in 1965 by Laurance Rockefeller , this was the first great resort to be carved out of the lava on the Kohala Coast . Laurance Rockefeller built many resorts on the Kohala Coast . neutral +Sure thing . Absolutely . entailment +A short stroll west ( right ) down Ahmed Maher Street from the gate leads to the Museum of Islamic Art , inaugurated in 1903 and featuring 23 halls of beautifully crafted objects . the Museum of Islamic Art gets over 50,000 visitors every year . neutral +The Salle des Girondins displays a guillotine blade , the crucifix to which Marie-Antoinette prayed before execution , and the lock of Robespierre 's cell . The Salle des Girondis has the guillotine blade on display . entailment +no i mean they had a nice stereo they listen to stereo they were into Michael Jackson They had a nice stereo , they also listened to Janet Jackson . neutral +Most people saving through taxpreferred retirement accounts are middle- to upper-income . Most people saving through tax preferred retirement accounts achieve middle income or upper-income levels . entailment +i had one of those too it was a weather phone call yeah I never received a weather phone call . contradictory +Hey , conquest means winnin ' th ' country , don 't it ? Conquest means losin 'th 'country , right ? contradictory +The net avoided cost measure ( NAC ) of the USO is the sum of the losses from unprofitable routes . Losses from unprofitable routes are included in the NAC measure . entailment +The most hallowed room commemorates Cuba 's 19th-century independence wars , with the very first Cuban flag and venerated personal objects from generals of the day . There is a room that commemorates Cuba 's 19th-century independence wars and in there can be found many objects from the wars . neutral +But I don 't know that I ought , , " Dorcas hesitated . Dorcas did not hesitate . contradictory +But the envelope that continues to grow each year is the one with pictures of him with President Bush and first lady Laura Bush , along with Christmas cards he 's received from the couple over the years . Bush sends Christmas cards each year . entailment +i don 't know if you seen they was the gang a little it was a little gang of them stealing cars you know and then when they caught him you know his mother sitting there now they 're gonna take me away from you that means she was warned The gang was stealing cars to afford nipple sparing mastectomies . neutral +My economist friends will certainly tell me that if such programming would pay off it would be done . My friend knows that the programming will pay off once complete . neutral +Sure the big companies are more coy in their pitches--the Hall 's Zinc Defense box says zinc may relieve cold symptoms and , in small print , denies making any claim to treating a health condition--but that only makes the sham more effective . Many big companies make contradicting claims between what is largely marketed to consumers and what is in the small print . entailment +He goes boldly to the village chemist 's and purchases strychnine under his own name , with a trumped up story about a dog which is bound to be proved absurd . There is no record of him purchasing strychnine . contradictory +So , happily , very little gets done that is extremely bad--or extremely good . So , luckily , very little of extremely bad things get done--or extremely good , for that matter . entailment +A piece describes the alarming world of executive kidnappings . The piece discusses executive kidnappings . entailment +For a collection of early ' and attention-getting ' medical equipment , visit the Musee Flaubert ( 51 Rue de Lecat ) . There is medical equipment inside the Musee Flaubert . entailment +yeah i i enjoy that but what do you where do you I enjoy basketball too . neutral +By sign language ? Via sign language ? entailment +The exhibits ' which are highly interactive ' place the events of D-Day and World War II in the context of the 20th century as a whole . The exhibits focus on the 19th century and provide no information about the 20th century . contradictory +Their propaganda has exaggerated the health dangers of other tobacco products--pipes , cigars , snuff , and chew--all of which are . Thanks to their accomplices in the press , the beyond recognition . Their propaganda exaggerated the dangers of tobacco products , to the point that they are now beyond recognition . entailment +The rest are specific annual grants that require us to do particular kinds of work . The yearly grants allow us freedom to not do work . contradictory +um the problem is have you have you tried matching paint lately Paint matching isn 't a problem . contradictory +LSC will receive additional information on the ability of grantees to leverage federal dollars using an estimate of cases funded exclusively with federal resources , through this methodology , although it is a less than perfect method of analysis . LSC won 't receive additional information on the ability of grantees contradictory +I 'll tell you . I won 't ever talk to you or give you the data . contradictory +The individuals who were involved in the organizations had various technical and business backgrounds-such as information security specialists , computer scientists , engineers , auditors , lawyers , law enforcement officers , and medical professionals . The people in the organization had to provide proof of their professional experience before they could participate . neutral +We have been working very hard to call the legal community 's and the public 's attention to our funding crisis and its impact on MALS 's efforts to secure equal access to justice for our community 's poor and elderly residents . Poor and elderly residents are treated unfairly . neutral +It 's my heart , she whispered . " It 's my heart beating " , said the woman . neutral +The literature attempting to explain why and how people save-or do not save as the case may be-is extensive , and the empirical research is conflicting . No literature exists to explain why people save . contradictory +White children 's classic from becoming intolerable . White children 's classic from becoming irritated . neutral +70 Annie wasn 't best pleased . Annie was effuse in her excitement . contradictory +It 's also important to consider the nature and reasonableness of the incentives provided to top management and board members . All forms of incentives for board members should be ignored , since its unimportant . contradictory +True , but you are not sufficient . I was hurt , and showed it . Poirot hurt my feelings when he seemed to cast doubt on my abilities . entailment +okay which is not that old but you know it was bounced around the VCR cabinet there and um It bounced around the VCR cabinet until I finally watched it . neutral +He considered sending San 'doro to find out what had happened but the air shattered to the east and a body and horse fell hard to the crunch of bone on stone . San 'doro could not have found out what happened . contradictory +Hawaii 's royalty resisted replacing the old religious system with newly-arrived Christianity until Kaahumanu was nursed back to health and converted by the wife of one of the first missionaries , Hiram Bingham . Hawaii had different religions , but Christianity never arrived there . contradictory +Ever since we gave up posture for fitness , big square shoulders with a tendency to hunch are no longer a disgrace but the appropriate sign of strength , especially if worn with strong biceps . We are very attractive and wanted . neutral +Audit objectives can be thought of as questions about the program2 that auditors seek to answer . Audit objectives can be questions that may never be answered . contradictory +The second panel is devoted to the Annun ? ­ ci ? ­ a ? ­ tion and Resurrection and , on the reverse side , what is perhaps the most pain-filled and exalted portrayal of the Crucifixion ever realized . The back of the second panel depicts one of the most gruesome scenes of the Crucifixion ever made . entailment +Intense competition among the middle-range hotels means that you can often bargain for a lower rate , especially if you plan to stay for more than two nights . You can bargain for a rate as low as 50 % off the advertised rate . neutral +Henceforth he became known as Fatih ( Conqueror ) , and his newly won capital city was renamed Istanbul . He became henceforth known as Fatih ( Conqueror ) , and his newly won capital city was renamed Istanbul . entailment +Tuppence felt a little nervous . Tuppence is about to go into a nerve-wracking situation . neutral +This is already done on a few star routes at about one-half the cost of rural carriers , and it is reportedly being done by competitors of the Postal Services in the parcel area . Rural carriers are expensive . entailment +If you are receptive to the ideas of other people about politics and policy , you will find some people receptive to yours . If you are willing to listen to other people 's ideas , other people may be willing to listen to yours . entailment +yeah yeah it does how how long have you been in this house How long have you been in the house ? entailment +The Muzium Negara ( National Museum ) stands on Jalan Damansara south of the Lake Gardens . The National Museum is north of the Lake Gardens . contradictory +i will admit i work with uh someone who 's Iranian and he definitely has a very different slant on the news he 's very very skeptical of the news media and i will admit i 'm reasonably skeptical also I look forward to hearing my Iranian coworker 's take on the news . neutral +you know the hype were just unbelievable it 's just you know the last oh i guess probably since about eighty four about eighty five was when they started kind of going downhill really but you know i 'm just used to always growing up and hearing Cowboys Cowboys Cowboys and you know Super Bowl and all this other stuff so i can 't you know i 'm not going to decide i don 't like them just because they 're having a few bad years i mean i think they 'll pull out of it and you know they 'll they 'll wind up being good again they 've got some lot of really good young players that are going to that are going to uh do pretty good i think but they 're raising prices on their tickets so they 're banking on doing good next season Ticket prices have decreased . contradictory +Design explicitly ? Explicit design . entailment +And in a final act of disintermediation , Son of 695 retaliates against all these mayors and council members who thought they got the drop on It will roll back all taxes and fees increased since July 1999 , when I-695 qualified for the ballot . The tax increases since 1999 will be doubled . contradictory +The town is dominated by a Genoese fortress built in the 14th century , and enlarged by the Ottomans . The Genoese fortress was built in the 12th century . contradictory +oh oh okay right i work for TI so we saw it on the uh the TV News one day and i thought wow that might be interesting I didn 't think TI would be interesting to me . contradictory +I have a Pavlovian reaction to the pre-title black-white-and-red bit with Monty Norman 's theme and the gun site roving over the latest 007 as he saunters to the center of the frame--I go , Kill ' em , Bond ! I don 't have any reaction at all to the Bond films , not even the intros . contradictory +Jesuitical originally signified of or pertaining to the Jesuits ; belonging to the Society of Jesus ; Jesuit ( OED , again ) , the Jesuits being the Roman Catholic clerical order founded by Ignatius Loyola in 1534 as an intellectual bulwark against the Reformation . Loyola Ignatius was a staunch believer that Catholics should renounce the Catholic church and join the reformation . contradictory +places like Ross Dress For Less and uh TJ Max um uh-huh Nothing like those places at all . contradictory +21 If no designated state planning body has been recognized by LSC , the state bar and state IOLTA administrators may avail themselves of the Review Process . Certain conditions may allow the state IOLTA and state bar administrators to avoid the Review Process . entailment +We are always swept up in some idealized notion of what China is or should be , says Brookings Institution scholar Bates Gill . We think we know what China should be , but China disagrees . neutral +One of the sports that developed in the Lake District is a unique form of wrestling . A style of arm wrestling was developed in the Lake District . neutral +To illustrate the complexities in evaluating how traditional program reforms might affect national saving , let 's examine two basic options that would directly improve Social Security 's financial imbalance-increasing payroll taxes and reducing benefits . Assessing the ways in which traditional program reforms can impact national savings is fraught with a number of complexities . entailment +3 / Other HH mail is the residual household First-Class Mail with the following major financial statements , announcements / meetings , notices of order , request for and confirmation of donations , tax forms , education acceptances , and insurance policies . Education acceptance notices are eagerly anticipated by graduating high school students . neutral +There are also risks to going it alone . Going it alone is risk-free . contradictory +Built by the hugely wealthy land-owning family of Raja Majendra Mullick Bahadur , this huge Palladian villa-turned-museum has a park and menagerie of exotic birds . There is a villa-turned-museum that was built by the family of Raja Rajendra Mullick Bahadur . entailment +and not too much soy sauce uh some chopped up scallions um you know slivers of scallions Use a liberal amount of soy sauce . contradictory +Thomas Street West turns into James 's Street , where the Guinness Brewery has been situated since 1759 , and nearby in Crane Street is the Guinness Hopstore . The Guinness Hopstore has been awarded ten accolades since its inception in 1760 . neutral +It 's their sending ! " He reached for a brazier beside him , caught up the fire and plunged it deep into the bowl of water , screaming something . He kept silent the entire time . contradictory +A local attempt to keep alive its centuries-old lace-making legacy continues , though much of what 's hawked is machine-made in China . Though it might be machine-made in China , most of it is sold in the U.S. neutral +Then the cross-examination began . There was no cross examination . contradictory +commercial solicitations solicitations primarily The primary reason we 're failing is because of the commercial solicitations . neutral +The Young Man From Atlanta ( Longacre Theatre , New York ) . The male was from Atlanta . entailment +we don 't really have enough plastic to mess with we don 't you know like we don 't drink milk and we don 't have children so we don 't have you know six thousand plastic milk jugs a month you know We have 29 children and all we drink is milk . contradictory +i am as a matter of fact i 'm at uh North Carolina State I 'm at NC State , by the way . entailment +The audit steps and questions provided are directed toward assessing whether an agency has sufficiently addressed critical factors , including support from managers and users , adequate project staff , and controls over the acquisition 's scope before and after a contract is awarded . The audit steps that are provided are directed towards assessing if an agency addressed the critical factors . entailment +which is oh oh knishes no you don 't you you you don 't see a lot of that that 's basically Eastern European Jewish food There are a lot of places you can get that Eastern European food . contradictory +Households for whom individual accounts closely resemble 401 ( k ) s and IRAs and who are currently saving as much as they choose for retirement would probably reduce their own saving in the presence of individual accounts . If individuals had their own accounts they may invest less in accounts like 401 ( k ) s and IRA 's . entailment +an executive and operational capability to encourage and manage change . The operational capability discourages change . contradictory +well it 's also important i think um for my husband i i try to go out of my way to to plan things that he can do with the kids because I don 't want my husband to do stuff with our kids . contradictory +But tourists beware ! Tourists are welcome . contradictory +yeah that was good Yes that was nice . entailment +King Tribhuvan returned , a first constitution for the monarchy was installed , and some foreigners were allowed into Nepal . The return of the king prompted the installation of the second constitution of the monarchy . contradictory +Ibizans like their anas neat ( straight ) . The Ibizans do not like mixing their anas . neutral +um-hum that 's kind of sad well anyway well i guess i better go That 's good to hear , let me stay awhile . contradictory +Meanwhile , the Arkansas Democrat-Gazette retracted its much-ballyhooed report that Starr had held mock trials in which the Clintons were acquitted . The newspaper said Starr practiced with mock trials . entailment +The moment the girls were out of sight I told Julius to drive like hell for London , and as we went along I told him the whole story . I told Julius the entire tale as we drove madly for London , passing all traffic signs on the way . neutral +Correct . Proceed , O Sherlock ! Absolutely right , Sherlock . entailment +They are made in several sizes for children and adults , for carrying odds and ends , or for buying out the supermarket . The only size made is one that children would find difficult to use . contradictory +You bastard . You 're not a bastard . contradictory +My wife , Hastings , said John . John is single . contradictory +The jumping-off point for this popular vacation area is the town of Atami , about an hour from Tokyo on the shinkansen super-express train . When travelling on the shinkansen super-express train , it takes approximately 60 minutes to get from Tokyo to Atami . entailment +net national saving in the 1960s and 1970s , personal dissaving absorbed resources that otherwise would have been available for private investment in 2000 . Resources consumed by personal dissaving could have been used for private investment . entailment +Time , agreeing that the team has boosted its negotiating leverage , beams , Welcome to the big time , ladies . Time magazine agreed that the team has boosted its negotiating leverage . entailment +and it 's real hard to pry money out of him to to to do these things but i was i was able to convince him that it would be cost effective and that our board presentations would be much better and He was ultimately persuaded that our presentations could be greatly improved by spending some money . entailment +The CMP theory sounds very simple , but it has some remarkable implications . The CMP theory has some striking ramifications despite being very uncomplicated . entailment +The absence of Orrin Hatch praying in the nation 's schools . Orrin Harris used to pray in the nation 's schools . contradictory +I guess it means the worst , said Julius quietly . Julius felt sad that the worst was imminent . neutral +where 'd you move from You never left your original place of residence . contradictory +I wanted to follow her asking playful questions . I wanted to follow her asking questions . entailment +Reviewers find Leger less the stolid , ruminative Marxist and more the witty virtuoso ( Robert Hughes , Time ) . While they still celebrate his depictions of the early-20 th -century city , they now also notice his little-known forays into Dadaism and Fauvism . Leger did realism . contradictory +that was in my estimate nowhere near truth but was much better for ratings I could not lie and because of the truth the ratings actually where higher than expected . contradictory +That was when dinosaurs attacked . The dinosaurs attacked things . entailment +The others are those of his birth at Lumbini ( Nepal ) ; his first sermon at Sarnath ; and of his death at Kushinagar . His first sermon was given at Sarnath . entailment +The dilution water used in effluent toxicity tests will depend in part on the objectives of the study and logistical constraints , as discussed in detail in Section 7 , Dilution Water . Section 7 , Dilution Water , contains several tables that offer a shortcut to longhand calculations . neutral +Leather straps held the plate in place , strapped around the back of his bald head . The plate hung around his neck by cotton string . contradictory +Offending countries must conform with WTO rules , or face harsh sanctions . Offenders have to follow WTO 's rules or be killed . neutral +i agree yeah it 's it 's uh there there is there is it 's an overall problem in in in this country understanding uh foreign cultures or even accepting them The general public does not know much about culture beyond our borders . neutral +We discovered that reconfiguration , within the confines of state planning , did not diminish the percent of minorities and women in leadership positions in our programs . women in leadership are endangered by reconfiguration . contradictory +She ' happened to be near the door ' . She was close to the door . entailment +20590 ( April 26 , 1995 ) , incorporated an initial regulatory flexibility analysis of the expected impact on small entities . There is no regulatory flexibility analysis on the impact on small entities . contradictory +well i really do i um am an accountant and but i work at home I love doing my accounting work from home . neutral +The stark realism you 'll see in Caravaggio 's Flagellation and the Seven Works of Mercy launched a whole Neapolitan school of Caravaggeschi displayed here . Caravaggio painted in a very realistic style only during the early part of his career . neutral +After so much time in bed , even a well man should be rendered weak and shaky . Someone who spent too much time in bed is also very attractive . neutral +Can Hong Kong Survive ? Is Hong Kong going to survive the storm ? neutral +Because they are on anti-depressants now , they think EVERYONE needs them and have literally been making appointments for their whole families ! After taking anti-depressants , they believe everyone should be on them . entailment +Law and religion were important in Celtic culture . Law wasn 't important to the Celts . contradictory +He added , " One does not sell a friend . " Oliveri gave what sounded to Drew like an exaggerated sigh . He offered , " I am willing my friends to the highest bidder . " contradictory +Drew 's hand rubbed across the bulge beneath his shirt . Drew rubbed the bulge that his shirt hid . entailment +plus they 're more expensive to get they 're cheaper to buy , too contradictory +Try me . You can try but you would fail . neutral +After reviewing the comments , the Commission concluded that the $ .50 to $ 1 . The Commission increased the price after the review . entailment +It 's not their game to show suspicion . They don 't show suspicion about their neighbors . neutral +Stop telling me he wants a divorce . They knew the divorce was going to happen . neutral +Of course , the company is now and will forever be effectively worthless . The company is thriving and is worth millions . contradictory +We are confronted here with a statute which , if interpreted literally , produces an absurd , and perhaps unconstitutional , result . The statute will be thrown out in favor for one that is better . neutral +there were always the EPA people and what not were always telling us that uh farm chemicals and what not were destroying our water system and all that but we just we just never saw the results uh We never knew that it could have a negative impact on our water til it happened . neutral +Litigation on behalf of prisoners and representation of undocumented and other categories of aliens is also prohibited . Many lawyers are available to litigate on behalf of prisoners . contradictory +I will return in one month . I will come back at the end of the month . neutral +One of the joys of touring Georgetown 's historic section is the opportunity to cover many of the sites in this compact area by foot . The area of Georgetown is contaminated so no one can walk there , you can see it from an helicopter or plane . contradictory +It 's possible to spend hours browsing for the perfect souvenir . The perfect souvenir could potentially be cheap as there are many great deals in local markets . neutral +( To compare Reich 's new version with the original , click . ) But this time he gets the Washington story basically The point of most Washington hearings--for all concerned , including Cabinet secretaries--is not to listen and learn but to talk and score points . The Washington story regarding the hearings is biased . neutral +It 's dreadful to feel you 've been false to your principles . " 125 Tuppence shook her head sadly , as she reviewed her backsliding . Tuppence was disappointed in her inability to stay true to her morals . entailment +The final rule contains collections of information which are subject to review and approval by the Office of Management and Budget ( OMB ) under the Paperwork Reduction Act . The Office of Management and Budget 's acronym is OMB . entailment +oh gosh well uh one that comes to mind is a lady i don 't know what the heck she was doing in her dishwasher but she was in her dishwasher her head was in her dishwasher and her hair got caught A lady was in her dishwasher and her hair got stuck . entailment +Szwed stresses the musician 's affiliations with a powerful current of black American prophecy . Szwed emphasizes a musician 's relationship with African American prophecy . entailment +Adults may relax in the bar and shoot pool while the kiddies shoot each other . There are activities for both kids and adults . entailment +The cardinal also created the Acad ? ? mie Francaise in 1635 to ensure the purity and clarity of the French language through its Dictionnaire and its Grammaire . In 1635 was created the Academie Francaise , said the sign . neutral +The L.A. segment of the Pacific Coast Bicentennial Bike Route , which runs for 1,000 miles ( 1,610 km ) from Oregon to Mexico , is a particularly popular trail . The Pacific Coast Bicentennial Bike Route is extremely challenging to finish since it 's 1,000 miles long . neutral +Participants generally agreed that improvements in corporate governance will bring about improvements in auditing . Improved corporate governance would lead to worse auditing . contradictory +He suggested to her repeatedly that it was 4.30 , and not 4 o 'clock when she had heard the voices . He agreed with her on the timing . contradictory +2.9 Program effectiveness and results audit objectives address the effectiveness of a program and typically measure the extent to which a program is achieving its goals and objectives . Audit objectives address how many of the thirteen goals a program has achieved . neutral +St. Peter 's statue on top replaced that of the emperor 's in 1587 . The replacement of the emperor 's statue with St. Peter 's was a controversial event . neutral +While many of GAO 's contributions cannot be quantified in dollar terms , those that can be quantified show that GAO returned over $ 57 for every $ 1 appropriated to the agency in fiscal year 1999 . There were no donations to us in the year . contradictory +As a result of executive and legislative initiatives to reduce the size of the government , federal agencies have downsized their design and engineering staff . Federal agencies have reduced their design and engineering staff in response to legislation . entailment +my adult women friends are anguishing over over some of these choices um Most adult woman are feeling distressed and worried about these choices . neutral +You might say that the young woman could come in right away . You could say that the young woman can enter the house right away . neutral +it 's really kind of fun especially if your spouse will get in there with you and get dirty yeah It is the best activity to do together . neutral +Since none of the staff told you , I Don 't publish it . I don 't publish it . entailment +229 " In that little safe on the wall in Mrs. Vandemeyer 's bedroom . " The safe was located on a wall of Mrs. Vandemeyer 's bedroom . entailment +3 Why do men fight so much ? Why do men fight so much ? entailment +so we have to take the oil to uh a uh a disposal center that 's an EPA you know authorized disposal center You do have to bring the old oil to a disposal center . neutral +Meteorologists had predicted the storm would equal 1992 's Hurricane Andrew in power and destruction , but Bret hit the least-populated stretch of the Gulf Coast and was quickly downgraded to a tropical storm . Storm Bret hit the Gulf Coast , and lowered to a tropical storm . entailment +'You stole the body you 're wearing . ' You stole that body from your grandmother . neutral +On inquiry she learnt that Tommy had not yet returned . She learned that Tommy had not yet returned and they feared for his safety . neutral +They are well serviced by shikaras gaily decorated and roofed canoes somewhat reminiscent of Venetian gondolas plying their way around the lake , ferrying passengers . Decorated shikaras and canoes with roofs carry passengers from one place to another around the lake . entailment +There is a later will . It was Poirot who spoke . There is a more recent will , said Poirot . entailment +Because the barbarians are coming today and the emperor 's waiting to receive their leader . The emperor is going to received the leader of the barbarians . entailment +um i mean i can still remember going going to the store and getting a pint of milk a pound of butter and a loaf of bread and getting change back from my pound The milk tasted like something very foul but familiar . neutral +I could only hope that we had enough time to clear the blast radius . I drank tea and waited for the bomb to drop on me . contradictory +Then he nodded his head vigorously , acknowledging the shouts from his enthusiastic supporters . His supporters shouted and clapped . neutral +An ' jus ' what 's all this smokin ' ' bout ? Kells came out . Kells didn 't speak to them . contradictory +The nearby venerable Babington 's Tea Rooms are a relic of the days when Romans called the piazza the English ghetto . Babington 's Tea Rooms were in what the Romans referred to as " the English ghetto " . entailment +Well ? said Tuppence , intoxicated . " And ? " said Tuppence in a drunken state . entailment +Named after the mountain home of antiquity 's Muses , Paris 's Mount Parnassus was a mound left after quarrying long gone , but remaining an inspiration to artists . Mount Parnassus in Paris was named after a French army general . contradictory +This 1770s mansion was formerly the residence of viscount Powerscourt and still possesses some magnificent plasterwork , particularly in the rear exit hall . Viscount Powerscourt This mansion used to reside in this mansion . entailment +do you they get paid very well oh They make a lot of money for working long hours . neutral +From here , the best idea is to backtrack along the main road towards Funchal , either heading inland to Pa ? ? l da Serra or heading a bit farther east on your way toward Serra de ? ? gua and Sao Vicente . Backtracking towards Funchal is not a smart choice , there are lot of dangerous animals on the way . contradictory +sounds like a pretty good show i 'm sorry sorry i missed That show doesn 't sound interesting to me . contradictory +He is now beyond our--or , at least , my--power to add or detract . He 's able to add or detract content without my permission . neutral +The main plantations are the Boh Tea Estate and the Sungai Palas and Blue Valley tea estates . The Blue Valley tea estates are not one of the the major plantations . contradictory +Customer Customer feedback can help senior executives determine customers ' needs and their levels of satisfaction with existing products and services . Customer feedback helps executives gauge their likelihood to return for more business . neutral +i think my standard thing when i have company and i 'm not too brave trying new recipes so a lot of times i will get the grill out and sometimes we do like surf and turf like we 'll get some little filets wrap them up with bacon and then maybe do some little salmon steaks at the same time so that 's my husband 's deal he 's out there you know My husband likes to get creative when grilling . neutral +A third pylon leads on to the oldest parts of the temple , past obelisks added at the behest of Pharaoh Seti I and Queen Hatshepsut in the New Kingdom era . There are a number of obelisks and pylons . entailment +that 's just they tried to put me in some kind of um immobilized walker because he doesn 't like to put casts on when it 's warm but i just the more they tried to get my foot in the more i screamed i couldn 't you know The didn 't want to use a cast due to heat . entailment +they seemed to have been hitting real heavy on it in Fall During the Fall it seemed hitting heavy but during the spring it seems light . neutral +and i 've had very good luck with it uh haven 't had many repairs done at all the alternator went out four years ago and uh the i had to replace the water pump back in nineteen eighty three I 'm very responsible with my car . neutral +Available evidence indicates that households are willing to pay more for a given visibility improvement as their income increases . Households will never pay for visibility improvements . contradictory +oh by the time you get through with the uh Who knows how long . contradictory +This is , however , not the only possible interpretation of the disparity . There is only one possible interpretation of the disparity . contradictory +Indeed , the VSL estimate of $ 6 million ( 1999 dollars ) is itself the central tendency of a number of estimates of the VSL for some rather narrowly defined populations . $ 6 million in 1999 dollars was the VSL estimate . entailment +The Weekly Standard has been eloquently critical of Republican neo-isolationism and is pushing something called National Greatness conservatism , a program of muscular American engagement around the globe . The Weekly Standard has never once remarked on any Republican ideologies . contradictory +They 're all geared to let the various factors operate at the proper relative rate . The want the rates to remain the same . contradictory +Suggestive , or not , interrupted John , " we are most grateful to Monsieur Poirot for elucidating the matter . John jumped in . entailment +From his offices in Koreatown , Iwasaki , a soft-spoken former O 'Melveny & amp ; Myers attorney , quietly engineered a merger between a much smaller Legal Aid Society of Long Beach and his program , the Legal Aid Foundation of Los Angeles . Iwasaki also has offices in locations other than in Koreatown . neutral +But what he means by what he shows is anybody 's guess . It 's a mystery what he means by what he 's showing . entailment +Martin Brest , the director , is known for shooting a ton of footage and then finding his films in the editing room . Martin Brest is a director and editor of films . entailment +This contrasts with the auction provisions in the existing Section 416 providing for a declining price auction where winning bidders purchase allowances at their bid prices . Section 673 describes an auction that goes up in price where you can only place one bid . contradictory +Hochschild wants to say that we can reclaim safe haven in our family life from a market-dominated world , but her idea of a solution ends up sounding like the ultimate triumph of the commodified mentality . Hochschild does not want to say that we can reclaim safety in our family life from the stock market . contradictory +It is unclear whether he reigned over the entire island , or if each palace settlement had its own regional king . It is clear that each palace had its own king . contradictory +You 'll probably often find yourself on this central pedestrian thoroughfare , crowded with shoppers , visitors , sightseers , and street entertainers . There is no way to avoid the thoroughfare . neutral +That is a pretty bleak picture ! The picture is fairly bleak . entailment +right yeah oh that sounds good Oh no , I don 't think that will taste good contradictory +" An ' from up there you can hear this little old mare , does she need you . " The Kentuckian 's pack had been hoisted into the mow , and Callie had even humped up the fragrant hay to mattress his bedroll . Callie did not care and ignored him . contradictory +and uh i was in the Phillipines uh in Portugal not stationed there but i was i was there on business and visiting a family that i knew very well in fact the guy had been my boss when we were in Malaysia and uh it was with with TI and i went to his house for dinner and they had a young son who was probably about in the seventh grade and was attending a British school in uh uh in Portugal and this was in uh this was just nineteen eighty four just uh prior maybe in the summer prior to the eighty four election and i went home for dinner to dinner with this fellow and they were they were Texans and uh they lived there in Portugal and his wife said gee the darndest thing happened today she said i 'm so embarrassed she said i was over at Reed 's school and Margaret Thatcher came and spoke to the to the uh the parents it was a British school so she was there visiting in Portugal and she visited this British school and spoke to parents and after it was over she said i went up to her and i said Mrs Thatcher i 'm a great admirer of yours Margaret Thatcher visited a school in Portugal . entailment +Nonoperating costs , such as payments made to the Treasury for retroactive charges are excluded . Nonoperating costs aren 't excluded . contradictory +Slate ' s Sarah Kerr is more positive than most , placing it far above Ally McBeal ( a common comparison ) for the way it adores its confused characters and burrows inside their heads to find a deeper humor , warmer but also more raw . Ally McBeal is generally regarded as a real professional . neutral +It 's not always easy . Sometimes it 's difficult . entailment +At the end he heaved a long sigh . He sighed with exhaustion at the end of the task . neutral +i think it 's a great way i couldn 't i 'm actually deaf in one ear so they wouldn 't take me I wasn 't accepted as I 'm hard of hearing in one ear . entailment +oh yeah that looks really good too I can look at that too . entailment +I think you 've given him too much , Tommy , said Tuppence innocently . Tuppence sheepishly suggested that Tommy had handed over too much . entailment +i don 't know really what 's going to happen I 'm not sure what will happen . entailment +Do wear good shoes and use the safety railing . It is very dangerous so make sure to use caution . neutral +In other words : when a parent wanted to have some peace and quiet , he or she would leave the kid at home in front of the computer with a bag of chips . The bag of chips that kept the kids most occupied were Sun Chips . neutral +Case studies do not use statistical adjustments to facilitate comparison . Case studies don 't use statistical changes to compare . entailment +yes and that 's one reason i like working up there a little bit is because i know what 's really going on I do not like my job at all . contradictory +In addition , tax preferences may encourage particular forms of infrastructure investment , such as special tax credits for investments in developing low-income rental housing . Tax preferences will likely discourage certain forms of investment . contradictory +The rationale for the job is bolstering each individual state 's revenue , not the national pooled aggregrate . States ' revenues are always increased by the job . contradictory +Jon looked to Adrin who cleaned his guns the way Jon had shown him . Adrin cleaned his guns like how Jon showed him . entailment +Giza was not the only location where pyramids were built there are many sites scattered throughout the western desert and it was not the place where pyramid-building started . The pyramids in Giza were the first to ever be built . contradictory +It 's great fun helping the keepers open the locks . Helping the keepers open the locks is tedious and not fun , contradictory +216 " At first , the thing seemed utterly impossible . It seemed less impossible later . neutral +uh i love cats i don 't know most people a lot of people don 't like cats but I am one of those people who does like cats . entailment +As the 20th century neared its end the Egyptian government sought to revive Alexandria as a center of learning and recreate the Alexandria Library . The government 's efforts to revive Alexandria in the 20th century were unsuccessful . neutral +Larry Gentilello asserted that effective treatments already exist , not just treatments that hold promise . So far , no promising treatments exist according to Larry Gentilello . entailment +and uh you know they she was getting ready to go through the trial you know for this guy and you know they they asked her uh can you imagine they asked her if she wanted the death penalty and she said yes She had to go to trial to convict this guy . entailment +If the question is whether Metabolife 's online intimidation campaign got ABC to pull a punch or two ... The question may be whether the scare tactic made ABC pull a punch or two . entailment +He didn 't have to kill Dave ! He had no choice but to kill Dave . contradictory +Even then , we almost failed . Even after that , we nearly didn 't succeed . entailment +State law mandates that cities of more than 15,000 residents regulate rental units . Rental units are regulated . entailment +population and the originator of our English system of measure uh they have gone metric They have gone metric . neutral +From Asan Tole make a sharp left into the back-street , past tea shops , and continue until the next main intersection . You may stop in a shop for a cup of local tea if you wish . neutral +I could ask myself why ? but I know the answer . I 've always known why my parents lied to me . neutral +FASAB staff will examine , as appropriate , applicable literature and consult with knowledgeable persons and draft an Interpretation of Federal Financial Accounting Standards . An Interpretation of Federal Financial Accounting Standards will be drafted by FASAB , after examining , as appropriate , applicable literature and consult with knowledgeable persons . entailment +That 's a relief . It was a thing that gave reassurance . entailment +if it rained we were stuck back in there had a four wheel drive so we could We got out of the area we were stuck with four wheel drive . neutral +He called for governmental action to undo the damage . He was strongly against the idea of government intervention in the matter . contradictory +Adrin didn 't move . Adrin was motionless . entailment +The eight infrastructures identified were ( 1 ) information and communications ; ( 2 ) banking and finance ; ( 3 ) water supply ; ( 4 ) aviation , highway , mass transit , pipelines , rail , and waterborne commerce ; ( 5 ) emergency law enforcement ; ( 6 ) emergency fire services and continuity of government ; ( 7 ) electric power and oil and gas production and storage ; and ( 8 ) public health services . The 8 infrastructures were identified using a stringent set of criteria . neutral +oh gee what a deal on like on Love Boat huh Love Boats are pretty expensive these days . neutral +uh this thing they they gave the guys uh the power and the material and the told them to go do it and they did it you know got in and got out i 'm not sure the the big fuss that we 're going to see now for the next few weeks i would think The expected the guys to do it without giving them the necessary materials to do it . contradictory +i know it and that seems like all of his books have kind of come from that i mean All his books have come from one source . entailment +i don 't know so that 's kind of my thing on the war i 'm kind of like nah it 's all power plays you know there 's so much stuff going on we don 't know about The war is small time I make all the power plays and everything that is going on we know about . contradictory +A baseball catcher has a The backstop . The backstop is a position in baseball . neutral +the weather down here is a lot different than than it is uh uh at home yeah The weather is drastically different here compared to back home . entailment +I am grateful to those who have read it . I dislike everyone who has read and I give no thanks . contradictory +The president speaks here as if the battle against communism were an overheated World Cup match , rather than itself a struggle for democracy and human rights . The president does not seem to take the battle against communism as seriously as he should . entailment +The Federal Government holds approximately 650 million acres of land . Around 650 million acres of land is controlled by the Federal Government . entailment +okay just in case Just in case , okay . entailment +Auditors can reduce the direct tests of the data if they test the effectiveness of general and application controls over computer-processed data , and these tests support the conclusion that the controls are effective . Auditors can interfere with data . neutral +Get rid of all guns ? Get rid of all the guns because they 're dangerous ? neutral +and he ate dinner and his work was outside and in the winter time by the time he was warm he was asleep so it wasn 't that he was The man ate dinner and his work was outside - which is horrible in the winter time . entailment +Across the plaza from the Western Wall is the Jewish Quarter , virtually destroyed during the fighting in 1948 . The Western Wall was destroyed but it 's sacrifice preserved the Jewish Quarter . contradictory +Environmental Protection Agency over the past five years . The previous five years . entailment +This change in spending in response to a change in wealth is called the wealth effect . When your earnings increase your spending also changes . entailment +Hargarten suggested that we do not have to ask federal agencies to make research on alcohol problems in the ED a high priority . Hargarten asserts that we don 't need to ask federal agencies to place importance on research on alcohol problems in the ED . entailment +Jon felt for the doomed beasts . Jon was emotionless at the beasts ' death . contradictory +Utility maximization is . Utility maximization is the only way . neutral +Policymakers appear to have agreed to save the Social Security surpluses , and the fiscal policy debate has centered on what to do with the balance of the anticipated surpluses . The Social Security surpluses was saved by policymakers ' agreements . entailment +Early in 1650 Oliver Cromwell stationed his garrison here while attempting to subdue the rebellious Scottish monarchists ; he was victorious at the Battle of Dunbar . Oliver Cromwell 's clever tactics won him the battle . neutral +If the Web prints it and television goes with it , print must follow . Print plays catch-up with television and the Web . entailment +checked out or whatever i but it seems to me that there are ways to accommodate that um i agree that that some innocent person might be victimized by a false test but i would think that um that some guidelines could be set up to avoid that for example that one uh positive would not be uh accepted as an automatic um reason for whatever they might be going to do if they found a positive uh dismissal or treatment or whatever Most of the time the tests deliver fair results . neutral +It is also increasing the military 's political clout . It 's increasing the military 's political clout . entailment +And for stark contrasts ' of climate , countryside , cuisine , and temperament ' combine the capital with Provence or Corsica . While they aren 't very interesting places , combine the capital with Provence or Corsica to the contrast between them as places . neutral +In order to provide a consistent frame of reference for discussing federal fiscal policy issues , this section refers to the unified budget measure unless otherwise specified . The unified budget measure is not an accurate way to analyze specific federal fiscal policy issues . contradictory +What this means is that , in the case of showroom entertainers , the old adage of getting what you pay for now applies equally to Las Vegas . When it comes to showroom entertainers , you get what you pay for in Las Vegas . entailment +My hands were tied behind my back , hiding my own weapon . I wasn 't hiding anything . contradictory +L.A. ' s concert halls and theaters present some of the finest music and drama performances in the country . L.A. ' s movie theaters are also some of the country 's best . neutral +I know nothing , I 'm only here with the flu , I don 't know , others can answer , I 'm just lying here nicely and watching TV right now , the Patient by the Window barked under his nose . The patient by the window was too engrossed by the television to even respond at all . contradictory +Many legends surround his mission . His mission is remembered in multiple legends . entailment +you know now they 're down into the hundreds nineties nineties nineties so it won 't take her long She will do it soon . neutral +The wicked sharp point of his curved blade shone in the midday sun . The curved blade gleamed from the midday sun despite being covered in blood . neutral +South of Kitchener Island is Elephantine Island , home to the Temple of Knum . The Temple of Knum was built on Elephantine Island . entailment +And , incidentally , when George W. announces his candidacy , I believe that that will be his official slogan . George W. had been unofficially using this slogan for months . neutral +Two surveys administered to different samples of ( 1 ) Quarterly Interview Survey and ( 2 ) Diary Survey No surveys were issued to any samples . contradictory +Guadeloupe , incredibly , almost never sees a shark anywhere near its coast . Interestingly , Guadeloupe 's coast is always infested with sharks . contradictory +The chateau was owned by a series of women including the beautiful Diane de Poitiers , mistress to Henri II , and Catherine de M ? ? dicis . Only men have been allowed to own the chateau . contradictory +right just have to take care of them and water them uh so they get established put some uh uh some uh uh Part of taking care of them is pruning and clipping leaves . neutral +you probably got wait calling I 'm positive you don 't have wait calling . contradictory +It 's not just a matter of lobbing one over the plate for you to hit out of the park . It 's the easiest thing in the world ! contradictory +In the center of Bowness is the Old Laundry Visitor Centre ; the theater housed here offers a program of performances throughout the year . There is a cafe in the center of Bowness . contradictory +When people saw Thorn , they stopped complaining . People were so excited to see Thorn they stopped complaining . neutral +HHS performed a Regulatory Impact Analysis which is included in the preamble to the final rule . A Regulatory Impact Analysis was performed by HHS . entailment +The effects on personal consumption show a decline of between $ 13 billion and $ 31 , or 0.1 % to 0.3 % , depending on the scenario . Personal consumption has been on a steady rise . contradictory +yeah that 's that 's an important thing we 've got we 've got a lot of people who are getting money the from the government for this that and the other thing That 's not really important . contradictory +and uh those are the kinds of things that still can show up They never show up . contradictory +Some of the pomposity is insecurity over the incredible brutality of the recond business and recording careers . The record business is tough to get into . neutral +The formal gardens are a wonder of flowers , clip ? ­ p ? ­ ed hedges , sculptures , and fountains . The formal gardens include fountains and sculptures . entailment +Interest on Treasury securities held by trust revolving funds . There was no interest on treasure for the trust revolving funds to hold . contradictory +One aid lawyer is available per 11,000 eligible clients compared to one attorney per 375 people in the general population . As of 2011 , for every 11,000 eligible clients , there is only one aid lawyer available for assistance . neutral +of telephones for use in the United States . Relating to telephones to be used in the United States . entailment +This highly ornamental style is typical of 16th-century Spain . There was no unique style typical of 16th-century Spain . contradictory +Water rushed down my throat , tasting of salt . I thought that I was going to drown . neutral +we usually if we 're going we usually try and make them by March or so anyway We try to make them by March . entailment +Party entrepreneurs were often newspaper editors and postmasters , and postmasterships quickly became a staple of party patronage . Newspaper editors and postmasters are a staple of the party . entailment +okay Diana uh on capital punishment in our state they give the death penalty for shooting of a policeman I agree that they should get the death penalty . neutral +things like that that you don 't need heavy equipment for things like fixing the brakes that don 't require heavy equipment neutral +He makes a compelling case . His argument was weak . contradictory +' An entire environment . An entire destructive environment hell bent on chaos . contradictory +For the governmentas major departments and agencies , these laws It was not for the government . contradictory +yeah i know the trees are real pretty right now and everything and uh i don 't know i know the pollen is real high but i think it 's higher than usual isn 't it The pollen count is really low right now . contradictory +but that 's going to be difficult That 's going to be hard . entailment +Rooms are classically decorated and warm . Rooms are decorated in the classical style and are generally warm , but there is extensive temperature control in case you prefer cooler temperatures . neutral +Since when did the practices of confused , incompetent Strom become the guide for senatorial behavior ? ) Strom is incompetent and confused because he was not kept abreast of the latest happenings . neutral +and that 's that 's not terribly far Yosemite isn 't so far . neutral +I 've lived through such damning times before , and I know that they are sometimes necessary . ' It is sometimes necessary to have bad times . entailment +having a larger variety of benefits but here 's the amount that that TI is going to pay for it now it 's up to you it 's menu selection so to speak TI offers a set amount of money to cover a variety of benefits options . entailment +Self-Contradiction Self assure . contradictory +Visitors may initially be drawn to the 88-story Petronas Twin Towers or the KL Communications Tower , which are potent symbols of modern Kuala Lumpur . The Petronas Twin Towers are located in the heart of Bangkok . contradictory +You have a good memory , and you have given me the facts faithfully . Your memory is terrible . contradictory +it was almost like they were intentionally planted that way and i would camp right in the middle of this thing and it provided shelter and everything else it was just absolutely terrific well the winters are pretty tough up there and right around March i start get cabin fever and i say oh man i got to go camping so throw all the stuff in the car and of course being the careful camper that i am i carried my uh propane heater with me and a couple bottles of propane I don 't like staying in one place for too long . neutral +and decided he 'd had enough of it He was OK with it and it hasn 't hit his limit . contradictory +FCIC has been determined that the provisions of the rules that preempt FCIC determines the rules that govern financial institutions . neutral +The Einsteinian possibility that the third millennium will arrive sometime next month . They had a theory but it turned out to be wrong . contradictory +estimating the program 's effect on changes in physical , social , or economic conditions , they seek evidence of the extent to which the program itself is the cause of those changes . The program had an effect on economic conditions , but it cannot be accurately estimated until more information is gathered . neutral +This review examined in depth only one SSA region ( U.S. The review only looked at one SSA region . entailment +What if the stock market is too high ? Is the stock market crashing ? contradictory +'I don 't know . Not in my knowledge . entailment +'I am sorry for your friend with the moustache . There is no friend with the moustache . contradictory +These areas are identified within the guide . These arenas are identified in the guide . entailment +The Commission , therefore , assumed that the weight interval distribution for all outbound mail sent to all FPAs , excluding Canada , was a reasonable proxy for the weight interval distribution for mail sent to each FPA . The Commission assumed that the weight distribution for all outbound mail sent to all FPAs was a fair proxy for what was sent to each FPA , this proved disastrous . neutral +Ah ! I exclaimed . The person did not open their mouth to speak at all . contradictory +In addition , agency heads and other senior leaders in the federal government can gain an understanding of their roles in executing the critical success factors that must be addressed as CIOs work to meet the letter and intent of the Clinger-Cohen Act and related legislation . CIOs are ignoring both the letter and intent of legislation such as the Clinger-Cohen Act . contradictory +The legislative history of IRCA makes clear that Congress intended for LSC recipients to provide meaningful legal representation to H-2A workers on matters arising under the employment contract . LSC recipients did not fulfil their duties towards H-2A workers . neutral +i don 't think we have any choice It 's possible that we may have a choice . neutral +Bargaining here could well be worthwhile . The markets are open to trading and bartering . neutral +I call him that myself . I call him by that . entailment +right oh yes i know they change with age i know mine changes uh has changed uh although you you never found your your voice echoes in your own head which is makes it different than what it really sounds to other people I 've never had a problem knowing what my voice sounds like . contradictory +yeah i 'm not sure that we 're not seeing some of the effects of that already I 'm certain the effects have not yet revealed themselves . contradictory +Tuppence felt a little nervous . Tuppence was feeling a certain amount of anxiety . entailment +Delightful as the vineyards of Burgundy may be , the landscape and villages of certain other routes des vins may be considered prettier ' those of Alsace , for instance . The village of Alsace is located in the pretties landscape of all . neutral +Sofrit pagy this hearty meat-and-potato stew is cooked with saffron , garlic , sweet pepper , cinnamon , and cloves . Sweep pepper and cloves are ingredients in Sofrit pagy . entailment +We call on Congress , the private bar , and local and state governments to support LSC in fulfilling its Congressional mandate to provide low-income individuals throughout America with real , meaningful access to our nation 's justice system . LSC is interested in providing low income individuals with access to the nation 's justice system . entailment +So I don 't think it 's intellectually dishonest to say that this information must have come from Starr 's office . I really think that saying the information must have come from Starr 's office is inctellettualy dishonest . contradictory +The YMCA Auditorium , on King David Street . 02-624 7281 ) , produces an entertaining song-and-dance show on Monday , Tuesday , and Saturday evenings ; the Khan Theatre , in Remez Square , near the railway station . 02-671 8281 ) , stages regular folklore shows in an old caravanserai , as well as hosting a theatre and the city 's one and only nightclub ; the Kiryat Anavim Kibbutz Hotel ( 11km / 7 miles out of town ; tel . 02-534 8999 ) hosts an enjoyable evening of dance every Friday with music of the 1960s . All of the dance music played in the Kiryat Anavim Kibbutz Hotel is from the 1960s . neutral +I do know that a couple of mornings with the Mach 3 has just about wiped the smirk off my face . A couple mornings use of the Mach 3 has taken the smirk off my face . entailment +Hence , there are no additional programs or policies that generate changes in the reference case technologies when the emission caps are imposed by the year 2007 . Emission caps are imposed every decade . neutral +Significant findings and recommendations are those matters that , if not corrected , could affect the results of the auditors ' work and users ' conclusions about those results . The auditors ' work could be affected by the findings . entailment +oh oh that 's okay yeah Rochester 's a nice town too they they said that they had had uh lots of pretty little parks and stuff up there that just been wiped out Rochester used to have a lot of grim parks , and now they have been spruced up , and new ones have been opened . contradictory +Thus , the 1996 revision simply brought together in one place the pre-existing provisions regarding representation of aliens , and applied these restrictions to all funds of an LSC recipient . The 1996 revision was the result of careful research and planning . neutral +A related article reveals that 18 percent of Americans expect the world to end during their lifetime . According to an article , 18 percent of Americans think the world will end in their lifetime . entailment +yeah yeah it it 's terrible you know and Yeah , that 's awful . entailment +Breasts have lost much of their mythological aura and acquired some needed reality . People are still obsessed with breasts . contradictory +When proper procedural safeguards are used , these elements alone do not diminish the value of case study methods . When one uses proper procedural safeguards , the consequence is that they do not diminish the value of case study methods , said the economist . neutral +no uh no painting to have to do i i don 't know that we Everything is fresh paint so I don 't need to do anything . neutral +How do you know so much ? You do not know anything . contradictory +But the market has clearly signaled a future in which guanxi , or connections , will count as much as traditional pluck and enterprise . The market clearly states that connections will count as much as enterprise . entailment +The last very good day for both of them was spent at Miss Elwira 's , the accountant , name day party . They spent their last very good day together at a party . entailment +Following your explorations , head toward the coast and the black pebble beach of Emborio to enjoy a cooling dip in the sea . The black pebble beach is easy to reach for a nice swim neutral +The site of Nueva Sevilla proved to be unhealthy and mosquito-ridden , and in 1534 the Spanish founded Villa de la Vega , today known as Spanish Town . Dengue and other mosquito related illnesses were rampant in the mosquito infested Nueva Sevilla . neutral +Program officials took steps to ensure that manufacturing aspects of the product were included in the design , including empowering a product leader with a manufacturing background , identifying the key characteristics and critical manufacturing processes early , making design trade-offs to enhance manufacturing capability , and demonstrating a robust design to make the product less vulnerable to variations in manufacturing process . The program officials did not take any steps to ensure the manufacturing aspects of the product were included in the design . contradictory +In all such relationships you are replaceable at some price . You are valuable in relationships . contradictory +No , I 'm not suggesting that the last provision I mentioned be drop from any future bill . Dropping the last provision from any future bill is not what I 'm suggesting . entailment +Although aggregate household wealth has risen in part as a result of the stock market boom over the 1990s , many individual households have accumulated little , if any , wealth . There was a stock market boom that occurred during the 1990 's . entailment +This kept his name in the papers for months , and forced him to give a six-hour long deposition to Hamilton 's lawyer , a portion of which appears for the first time in Alexander 's book . He was mentioned in newspapers a lot . entailment +Of the once white walls of Memphis , little remains , but it was capital of Egypt until the end of the sixth Dynasty ( c . 2200 b.c. ) . The two major relics are a monumental statue of Ramses II lying proseate after losing its feet , and an alabaster sphinx dating from 1400 b.c. The Ramses II statue lost its feet as a result of vandalism . neutral +well i think you will be real pleased to get away from the banana as i used to call it it 's uh i used it on uh some other machines in days gone by and was real pleased to leave it it was a real memory hog when you started making large block changes to it You must love the banana , even though it hogs lots of memory . contradictory +Never before had Simon experienced something like this . Nothing happened to Simon . contradictory +But by assessing its external and internal environments , the agency came to see that its traditional ways of pursuing its mission were no longer viable and that major changes would be needed . The agency knew they would have to change how they operated . neutral +Among the Morris microinitiatives that didn 't quite make it were a 33-cent postage stamp , with a penny going to your favorite charity , and a plan to force banks to meet new anti-mugging standards for ATM machines . All of the plans for arms and postage were included in the incentive . contradictory +The two oldest sisters are married and have their own children . The oldest sister has two boy and one girl . neutral +This legislation is intended to reduce air pollution from electricity generators and improve air quality throughout the country . This legislation will be enforced on large-scale power providers . neutral +By 2001 , LSC will require grantees to provide information that allows LSC to comparatively analyze the cost per case among similarly situated programs and similar types of services , i.e. , brief advice and referral . LSC will make grantees give information that allows them to analyze how much each case costs per billable hour . neutral +NRCS submitted that analysis to the General Accounting Office on May 29 , 1997 , along with a copy of its final rule . General Accounting Office received the analysis in 1997 . entailment +To our youngest players , the title of Thursday 's question may be as ancient and obscure as Edgar Bergen 's wacky catch I 'm a ventriloquist on the radio , suckers ! Our youngest players didn 't find the question as ancient and obscure as we first thought . neutral +On Monday , therefore , at six o 'clock , Alfred Inglethorp arranges to be seen by a number of people at a spot far removed from the village . No one saw Alfred Inglethorp on Monday , either inside or outside the village . neutral +As I watch this , I am waylaid by two wispy-bearded , chin-pierced college kids , Spike and Jimi . Spike and Jimi are in college . entailment +He said funding mechanisms such as small business grants were not always appropriate for researchers and wondered whether there were other funding mechanisms that might be more appropriate . Giving such grants to researchers also had the dual effect of taking funds away from business owners in need of capital . neutral +Just as though we didn 't count . " We don 't count , so we 're going home . neutral +If states take advantage of the various incentives provided them ( though few probably will ) , total federal and state support could expand from about $ 2 . States could act to have more federal and state support . entailment +He looked back with his kindly , shrewd glance . His eyes were sharp and kind as he looked behind him . entailment +i 've i 've only known two people in a nursing home and you know it was my grandmother and grandfather on my father 's side and i just heard through my father what was going on and uh I have only known a couple people in the nursing home but they enjoyed it . neutral +They operate with a third fewer attorneys and must try to meet the needs of a poverty population that has doubled to nearly 1.2 million . Even though there is double the population of people living in poverty , they operate with a third fewer attorneys . entailment +yeah there was uh there was a lot of talk about the idea that the even the uh Iraqis themselves the people wished we would have done that uh There was a rumor that even the Iraqis were glad we did it . entailment +Check with the local sources for a seasonal update . Make sure to plan ahead and check local resources for updates each season . neutral +you know we learned what a centimeter was and a decimeter and the various you know basically the other alternate forms of measurements and things like that We were taught what a decimeter and a centimeter were . entailment +you mean like those little thin in the little roll the bellies The rolls are fat . contradictory +The intent of section 112 ( r ) is to prevent accidental releases to the air and mitigate the consequences of such releases by focusing prevention measures on chemicals that pose the greatest risk to the public and the environment . Because it is important to make sure toxic chemicals are not released into the air , section112 ( r ) addresses necessary prevention measures that can safeguard the community . entailment +However , it enjoys an excellent geographical location ( which is perfect for excursions into the Negev or across the borders to Jordan and Egypt ) , year-long sunshine , superb underwater sports , plenty of nightlife , and good hotels . It also has lots of excellent fresh seafood restaurants . neutral +As with Faulkner , the boundaries of Ellison 's separate texts may blur , but the mythic force of the buried story and the stylistic virtuosity of its telling will remain . Ellison writes stories that are very similar to Faulkner . neutral +The museum has stupa railings , and the granite Buddhas date from the ninth century . These are the old Buddhas were carved from granite by hand . neutral +well it 's it started out as a hobby actually uh it just it developed into sort of a business uh you know we breed them and all that We made a lot of money doing it as a hobby . neutral +It 's easy to call this gullibility and incompetence , and that 's exactly what Republicans are A chorus on the right , including Senate Majority Leader Trent Lott , the Wall Street Journal editorial page , and Larry Klayman , is demanding her resignation . She has so far refused to resign , claiming that her actions were taken in good faith . neutral +In 1986 , rows of black-and-white striped stone columns were added to the main quadrangle , the Cour d 'Honneur . There are rows of columns that were added . entailment +uh-huh this is use the greens and you get them when they 're young and tender you know before they have grown too too taut because they do get a little stringy The green ones are tender whilst the older ones are a little stringy . entailment +What 's wrong with informing certain segments of the electorate that your opponent is using the feel-good rhetoric of solutions to pull a fast one at their expense ? There 's nothing wrong with telling the voters about the opposing candidate 's underhanded tactics . entailment +Charged with exploring problems and opportunities in the areas identified in the project director retreat and the advocacy survey , these committees focus on Resource Development , Vision , Technology , Legislative / Administrative Advocacy , Client Access , Collaboration , and Training and Technical Assistance . The committees resource development works on economical issues that require fixing . neutral +First , the population has exploded . The population increased a ton . entailment +So , it all fits . It does not fit contradictory +um my sister 's going to have a baby this summer The lab results just came back , and her due date is in mid-December . contradictory +i haven 't had anything on fishing i 've had uh oh arts and crafts uh football basketball and baseball Not a thing concerning fishing , but arts and crafts , and some sports is all that I 've had . entailment +The Anaheim Angels and Mighty Ducks offer entertaining sideshows ( mascots , food courts , dancers ) but the teams stink , and fans say that 's all that matters . The Anaheim Angels and Mighty Ducks are both awesome teams , but their sideshows are truly lacking . contradictory +Another million years or today . Another century ago or yesterday . contradictory +A lot of careful planning is recommended . It is recommended to begin without any plans at all . contradictory +Can David Plotz ( and everyone at Slate ) please refrain from speaking on behalf of History ? People at Slate should speak their minds over History . contradictory +Sometimes it is a matter of months , sometimes it has been known to be as long as twenty years ! There is no way to tell if will be months or years . neutral +Look right when passing the compound to see the beautiful , Renaissance-style Russian Cathedral of the Holy Trinity , topped by a green dome . A glance to the right when travelling past the compound will reveal the Cathedral of the Holy Trinity . entailment +Starting descent . ' It was starting to head toward the ground . entailment +An early proponent of make love , not war , Rubens shows Venus restraining Mars in his vivid Consequences of War and portrays himself on the far left of his Four Philosophers ( Hall 7 , Mars ) . Rubens shows Venus restraining Mars in his vivid Consequences of War . entailment +( GSA / IRMS , A Guide for Acquiring Commercial Software , Jan. Software is all privately produced at each company . contradictory +It is quite an astonishing book , a masterpiece , says the New York Times Book Review ' s Michael Hofmann . Michael Hofmann did not like the book . contradictory +But so far , conservatives have been silent , perhaps because Klayman has proved remarkably effective at abusing the people most right-wingers dislike . Thus far , conservatives haven 't been making much noise . entailment +A Cummins representative stated that not using prototypes becomes a matter of pay me now or pay me later , meaning that it is far less costly to demonstrate a product 's design early in development with prototypes , concepts , and analyses than to incur the cost of significant design changes after a product has entered production-a much more costly environment to make changes . Someone from Cummins said that product design demonstration costs less with prototypes . entailment +Beyond , in the handsome old residential quarters of the Cete Ducale , is the entrance to the Cetello Sforzesco Musei Civici , a series of small art museums , devoted to sculpture , painting ( Pinacoteca ) , ceramics , furniture , and archaeology . You may stay in Cete Ducale , but the price is high . neutral +More than 200 paintings of famous and infamous Scots can be found in the collection , which was initiated by David , 11th Earl of Buchan . There are over 200 paintings in the collection . entailment +Participants stated that the disclosures must be made more understandable . The participants expressed that the disclosures were difficult to understand . entailment +HERITAGE ASSETS ANNUAL STEWARDSHIP INFORMATION There is information about the Heritage liabilities . contradictory +Fena Kef is a town of scum and villainy . Fena Kef is filled with horrible people . neutral +Four Evaluation Evaluate four entailment +This ancient woodland of mixed deciduous and coniferous trees provided a source of fuel for the furnaces of the charcoal industry and the bobbin mills . The ancient woodland was preserved as it was and none of its trees were felled . contradictory +We also don 't know how life originates and to what extent it evolves in an orderly pattern . We are certain when it comes to the topic of the origins of life . contradictory +And astrologer Jeane Dixon died of a heart attack . Jeane Dixon is an astrologer . entailment +NONEXCHANGE TRANSACTION - A transaction that arises when one party to a transaction receives value without giving or promising value in return or one party to a transaction gives or promises value without receiving value in return . A nonexchange transaction is when one party gets a vehicle without giving money of the same value in return . neutral +The recreational pleasures that ordinary islanders enjoy have become synonymous with the name dancing to the heavily rhythmic musical beat ; taking a little marijuana ( or ganja , as it 's known here ) , which many Jamaicans view as a kind of medicinal herb ; or simply sitting back and chatting with friends on a bench or street corner , where the situation is described as Irie the equivalent of Everything 's just fine ! Jamaicans view ganja as the devil . contradictory +My husband Bob is totally supportive , or I couldnt do this . I could do this even without my husband 's support . contradictory +Callers include those who have been abandoned without access to family money , those not receiving court-ordered child support and those who want to leave their husbands but are unsure about their legal rights . Some of the callers have no access to family money . entailment +The last of the zealots held out for another three years at Masada ( see page 76 ) . Even with their numbers dwindling , the zealots were able to maintain a foothold at Masada for three years . entailment +oh my gosh sure and then they changed the game right They changed the game because of cheating . neutral +and the kids got to go around and you know see pigs and animals and things like that and and for them that 's wonderful you know they they they thought it was the greatest fun you know and it didn 't cost any money and uh you don 't have quite as much money when when the wife doesn 't work We have a tighter budget , given that my wife does not work . neutral +i don 't i don 't believe that people should be allowed to carry guns in their vehicles People should not be allowed to have guns in their cars , I believe . entailment +The nearby venerable Babington 's Tea Rooms are a relic of the days when Romans called the piazza the English ghetto . The English had nothing to do with Babington 's and the Romans ignored it . contradictory +You 'll also be able to admire the Stone Age pottery and bone bracelets , as well as Carthaginian and Greek carvings and Moorish relics . There are relics from various historical periods . entailment +'My God , J , why ? ' It was confusing to me . neutral +like you ... Strong like you . neutral +Auditors should , as applicable , explain the relationship between the population of items sampled and what was audited ; identify organizations , geographic locations , and the period covered ; report the kinds and sources of evidence ; and explain The auditors do not need to gather data from organizations or the population . contradictory +But , notes the Post , neither the Globe nor the National Enquirer is seeing much of a bump . The Post is keeping tabs on the Glove and National Enquirer . entailment +The grand thoroughfare , anchored at each end by a large square , had a symmetrical pattern of streets on both its flanks . The grand thoroughfare has an asymmetrical pattern of streets on both flanks . contradictory +The Justice Department said the firm was named as a party because its services may be required to implement a remedy . The Justice Department didn 't think there would be a remedy . contradictory +It gets worse . It gets better . contradictory +It gets worse . It gets better . contradictory +But even a fuzzy and occasionally failed standard would be an improvement on the ad hoc and random decisions we make now . We currently make random decisions , and this can be improved upon . entailment +The Empire Strikes Back The empire strikes back is the name of a film . neutral +receive information . Information is constantly being received . neutral +Several hints . There are more than one hints . neutral +The collection also includes important paintings by Rubens , Frans Hals , Veronese , Konrad Witz , and Martin Schongauer . There is only one painting by Frans Hals in the collection . neutral +i that that probably gives the readers a good shot for you know this year or next year i think it you know the young talent really sort of has to build itself up The man says that the young talent does not have to build itself up at all . contradictory +oh yeah yeah we 're not from Texas either um we 're i grew up in Pennsylvania so We are from Texas ! contradictory +Thousands of acres of woodland are interspersed with attractions and amenities . The woodland is entirely undeveloped and of no interest . contradictory +That always seems the difficulty to me . " Poirot shook his head energetically . Poirot was disgusted . neutral +At first , those who booked the act resisted ; they did not think people would relate to a head in a box . They were excited to finally book the head in a box guy after years of pursuing him . contradictory +It may be my fancy , said Tuppence suddenly , " but I feel as though there was some one behind us . " 207 " Hurry ! " murmured the other . It was all in her head and there wasn 't actually anyone there . neutral +Thinking over the interview , it struck me as being profoundly unsatisfactory . I was not satisfied by the interview . entailment +I 'm going to ask you not to open it until the very last moment , midnight on the 28th , in fact . I ask you to open it as soon as possible , preferably right now . contradictory +La Manga has more than 30 courts , many of them at hotels . The courts are open to the public . neutral +But there are scenery chewers and there are Michelin-gourmet scenery chewers , and Pacino has a three-star feast . Regular scenery chewers and Michelin-gourmet scenery chewers are the same thing . contradictory +'You 're pretty smart . According to the New York Times , you are pretty smart . neutral +The Board believes that the desire for more specific guidance expressed by several respondents stems from the belief that without such guidance , an entity 's determination of how to apply the standards could be questioned . The respondents are confident about how to apply the standards . contradictory +US Environmental Protection Agency , 1999b . The united states has an environmental protection agency . entailment +3 Committed , sustained , highly qualified , and inspired leadership , and persistent attention by all key parties will be essential if lasting changes are to be made and the challenges we face across the federal government successfully addressed . There are many challenges associated with staying as a key party member . neutral +Time ' s enthusiastic package echoes the familiar line about why Bush is the Republican The breadth of his support among blacks and Hispanics and his landslide re-election victory wowed the GOP . Bush did not have the support of blacks nor Hispanics . contradictory +Today it is growing in popularity with tourists , and resort facilities are expanding . Today , many people visit and the infrastructure is growing . entailment +yeah i thought at one time i wanted to be a teacher but i i quickly dispelled that idea when i became a substitute teacher for a while just to get my feet wet i said uh i couldn 't do this everyday no way I was a substitute teacher for some time . entailment +Morris is more of an idiot savant . Morris is a learned idiot . entailment +These difficulties , combined with a departmental emphasis on adopting private-sector practices , have led DOD to prepare draft legislation that would abolish the current restriction and allow military and civilian employees governmentwide to retain for personal use frequent flyer benefits received on official travel . The new draft legislation will allow employees to use frequent flyer benefits for personal use . entailment +There were them buzzards we had us a coupla run-ins with back in Tennessee , ' member ? We met the birds a few times in Tennessee . entailment +you know we get bogged down and things like that We get stuck in mud and other things like mud . neutral +The Department for Work and Pensions ( formerly the Department of Social Security ) administers the United Kingdom 's welfare programs through four agencies-the Benefits Agency , Child Support Agency , War Pensions Agency , and Appeals Service Agency . There are no agencies responsible for the United Kingdom 's welfare . contradictory +A bronze peacock accompanies these two figures . These two figures are accompanied by a bronze peacock . entailment +Italian Communist Party founded . Comminism was created . entailment +Two of the largest places to go are the Wah Tung China Company in the Grand Marine Industrial Building in Aberdeen ; and the Overjoy Porcelain Factory in Block B of the Kwai Hing Industrial Building , Kwai Chung , in the New Territories . There are only two large places to shop at in the New Territories . neutral +With the new title of Governor-General , Hastings and then Cornwallis were responsible to the British government rather than the Company . When Hastings was awarded his new title , he was free of any responsibilities to the government . contradictory +In his new pad , upstairs ( here it meant the 9th floor ) , Przekosniak was trying on a new , titanium-kevlar threaded , quasi-black , self-adjusting suit . In this situation ' upstairs ' refers to the 9th floor and that 's where his pad was . entailment +The purpose of borrowing authority is generally to provide an entity with capital rather than to finance its operations . Borrowing authority is solely used for financing an entity 's operations . contradictory +right right yeah it it would almost be like a a uh It 's nothing like that contradictory +and um but i have uh i have been an a speaker in other uh similar type of activities uh and i know the reason why this is why the uh this is being It 's my first time being a speaker for this specific subject . neutral +If a poor person gets run over by a bus , an attorney might take that case because they might be able to recover part of the damage award as attorney fees . Attorneys take certain cases because they know there is an opportunity to be paid later . entailment +They also promised to try to solve their border dispute over Kashmir . They said they would never solve the dispute . contradictory +This trend has led to many more demolitions , including the Dunes ( replaced by Bellagio ) , Aladdin ( the new Aladdin ) and Sands ( Venetian ) hotels . This trend has led to many hotel demolitions . entailment +again what are they going up to thirty bucks or something They 're going up to like 30 bucks I think . entailment +Notice anything odd ? Something is odd . neutral +I began thinking madly . I completely stopped thinking . contradictory +yeah oh boy those people are making money hand over fist No , those people aren 't making very much money . contradictory +People who should have known better found the ceremony moving . People found the ceremony moving . entailment +The view has been that its mission is to serve and that whatever is mailed will be delivered . Mail will be delivered regardless of weather conditions . neutral +Swimming , waterskiing , windsurfing , and sailing are all available on the lake as are boat cruises . There is no fun to be had on the lake . contradictory +One of nature 's gifts to our fair city is the hot spring . The hot spring is like a natural hot tub . neutral +The agency reviewed this rule under Executive Order 12998 , Civil Justice Reform , and determined that the provisions of the final rule are not retroactive and that they In this instance , Civil Justice Reform renders the defendant guilty . neutral +If so , what information in the financial statements are they using to value stock ? What info is used from financial statements entailment +You can also have a dip in the semi-natural pools at Porto Moniz on the extreme northwest tip of the island . Another place to swim is the semi-natural pools at Porto Moniz . entailment +now is she does she like um McDonald 's French fries oh okay Mcdonald 's has the best french fries . neutral +When I interviewed Klein for my piece about the Microsoft case , he singled out Brian Arthur as the economist who has most influenced his thinking about the way in which high-technology markets operate . Klein 's role model on thinking about high-technology markets was Brian Arthur . entailment +This may be America 's choice in 2000 : the George W. Bush who isn 't George H.W. George Bush is liked because he 's different to George H.W. neutral +that 's personal maybe they don 't It 's possible that they don 't . entailment +Visitors will take delight in the Museum , which is a treasure-trove of superb early Indian sculpture dating from the third century b.c. to the fifth century a.d. The Museum contains Afghan sculpture as well as Indian sculpture . neutral +Is it a bargain ? " He was so quaintly humorous that I was forced to laugh ; and we went together to the drawing-room , where the coffee-cups and tray remained undisturbed as we had left them . Someone had disturbed the coffee cups while they weren 't in the drawing room . contradictory +The smell of spicy foods , of fruit , of animals and people ... the clamor ... the sights .... Drew rounded one end of a wagon and stepped abruptly into yet another world and time . Drews senses were not stimulated by any of the things around him . contradictory +Somehow , I 'd hoped for a bit more of a response . I was hoping Jim would get back to me with more information . neutral +But a deeper reason for investigating bequests is that they reveal something about people 's instinctive sense of justice . People have a sense of justice that can be seen in bequests . entailment +Shit-eating grins . People had funny grins on their faces . entailment +Barr throws Molotov cocktails from the back benches , just as Gingrich once did . Gingrich helped teach Barr . neutral +Cracks in the Faaade There 's just one tiny crack in the Faaade . contradictory +It differs from the contribution to SMI primarily in that it is paid by another program entity ( the CCC ) rather than directly by the General Fund . The contribution to SMI was easier to record from an accounting standpoint . neutral +The issue of export controls on encryption technologies , or even the tax issue , is not broad-based enough , said Michael Cornfield , a professor at George Washington University 's Graduate School of Political Management . Cornfield is a political science professor at George Washington University . neutral +so it 's it 's always nice to see people that like each other and like uh families that get along with each other and like to do things together It 's always nice to see families that enjoy doing things together . entailment +Mary succumbed to all the attention and was swept off her feet by one these admirers , a certain Colonel Hope M.P. He had known of her for years and was happy to get his chance to share his romantic affection . neutral +Postal Service broadly interprets letter to include any addressed information recorded on a physical object . The Postal Service handles over a million letters each day . neutral +yeah they always have i 've i 've seen some of them on repeats I wish they had some new episodes . neutral +You can take a taxi or try a camel ride , very appropriate given the terrain . The terrain is bad for wheels . neutral +For more than half a century , the Passaic County Legal Aid Society has fought on behalf of the county 's poor , in disputes ranging from housing to child custody to public assistance . Passaic County Legal Aid Society has spent over 50 years fighting for the poor . entailment +Those voices deserve to be heard , but the risk is that the national crime debate will be shrouded in the emotional fog they produce . They were trying their best to keep emotions in check . neutral +Sunday 's contests determined that the Tennessee Titans will face the St. Louis Rams in Super Bowl XXXIV . The Superbowl game was tense neutral +uh hang on a second Rick i got to see who that is Hang on Rick , are you in love with me ? contradictory +Over the longer term the creation of the new Department may also be an opportune time to review the account structure of the Department 's component entities . These reviews mainly consist of a series of three legged races conducted at the Department picnic . neutral +At least that is true in the big NYC firm where I practice . I 've worked for the same firm in NYC for fifteen years but I 'm going to be retiring next July . neutral +He began turning the crank , just as the Sather came up . As Sather came up , he began to turn the crank . entailment +And so all the paradoxes of thrift , widow 's cruses , and so on become irrelevant . There exist hundreds of other paradoxes of thrift . neutral +Despite the fact that the local land was rich in silver , by 1865 most of the mining traffic through Las Vegas was of prospectors headed to California or Northern Nevada in search of gold . The local land overflowed with silver , but prospectors wanted gold in California and Nevada . entailment +A greatnoise is said to alwaysattend less the humming of wings thanthe grinding you 'd expect There is a great noise produced by some birds . entailment +Mathew Brady died in 1896 . Mathew Brady was born in 1896 . contradictory +Participants generally agreed that the profession needs to aggressively address the issue of attracting the best people to the profession . The profession needs to get the best people . entailment +I don 't take every case , but I take the clients seriously . I make sure to take every case presented to me . contradictory +On Wednesday , NBC sinks to new lows with The Hard Evidence of Aliens Among Us ? The NBC reached a new high with The Hard Evidence of Aliens Among Us ? contradictory +Akbar rushed back to reassert his power but he died soon after , poisoned , it is rumored , by his son . Akbar died soon after he came back to reassert his power , said his family . neutral +With McCarthyism much weaker by 1956 , Miller avoided prison and continued to have his plays produced . McCarthyism was much weaker by 1956 . entailment +oh yeah you could almost label everything quality in some sense or other but i think sometimes the word is a little over used but You could declare that everything is of a good quality . entailment +What did they whine when they was caught ? What did they complain about when captured ? entailment +No one has gone into the house so far . No one has entered the house yet . entailment +yeah because like what No because why even contradictory +cause i 'm in Garland I have never been to Garland . contradictory +Inside is a 16th-century sculpted sandstone pulpit and marble altar . The altar is made out of sandstone . contradictory +It followed that planets were searched for in secrecy and , preferably , away from the usual trade routes . They did not want to check the usual routes . neutral +This space includes the Ratna Park and Tundikhel parade ground , where soldiers can sometimes be seen . The soldiers in the Tundikhel parade ground are from the Gurkha regiment . neutral +I , also , am of your way of thinking . I have similar ideas about the same topic . entailment +What was this battle doing to her ? The battle may be affecting her . entailment +In 1920 , the Unknown Soldier of World War I was buried at the arch ; three years later the eternal flame was lit . There was no soldier buried at the arch . contradictory +In simple terms , the nation could act like a target saver . The country could act like a target saver . entailment +The average labor cost per bargaining unit employee in 1989 was $ 24 . The average labor cost of a bargaining unit employee was over $ 30 in 1989 . contradictory +Countless Renaissance and Baroque sculptors have drawn inspiration from the friezes on the triple Arch of Septimius Severus ( honoring a third-century emperor who died in York , England , the northernmost boundary of the empire ) . The Arch of Septimius Severus ' friezes have served as a source of inspiration for many Baroque and Renaissance sculptors . entailment +Mexico blames the American company that processed the berries . Mexico lauded the American company for destroying the berries . contradictory +It was a nightmare sky , an impossible sky . Thunder clouds signaled the coming rain . neutral +Bangalore-Mysore road is a delightful introduction to the verdant and pleasant land of the south . You cannot take any roads to see the land in the south . contradictory +okay because i got i got um one of those little uh microwaves the ones that take forever to boil a cup of water I have microwave that is really slow a making a cup of water boil . entailment +How anyone could work up an angry , sweat-laden combat attack over Stein 's reverie , which I think is quite lovely , is beyond me . Stein 's reverie is loved by millions of people . neutral +i think if some people they have they say well we 're not going to start a can deposit because you have to get all these um the the recycle center you have to deal with the can and then you have to to recycle it and their problem 's already solved because they can just come to states that do have bottle deposits Recycle centers can just come to states that have bottle deposits , such as Iowa . neutral +You 'll look marvelous with a sunburn , she tells him , sounding all airy and breathless . " Make sure not to get a sunburn , " she lovingly told him . contradictory +( The philanthropic worldview also informed Rockefeller 's ambitious ideas about government spending , which would eventually make him an easy target . ) Rockefeller was a really controversial figure . neutral +On the contrary , I 'm asking for ads that make their stars look cool , thus boosting the prominence of athletes who , in their on-court conduct and post-game interviews , are good influences . Athletes who are bad influences are exactly who I want in my ads . contradictory +Order some Turkish coffee , Tommy . Don 't order any coffee ; please make tea instead . contradictory +to go out and select a house and have one made and built and like you wanted it we were the fourth to build out of three hundred and forty houses and um as we did with probably ninety five percent of the people here in Dallas Fort Worth we bought a Fox and Jacobs home and they 're good for about five years or four years and after that they start falling apart so i would um not recommend F and J house for my dog to live in uh because they 're overpriced um but they 're a cheap house if you can 't afford something good you know they 're good for that and um you can call it a home because it 's a place to go home and keep the rain off your head but as far as the costs for what your getting uh the longevity of the house is not uh is not worth it how about in your case Our Fox and Jacobs home started to fall apart after four and a half years . neutral +Otherwise , stay out of the sun . Don 't go out without suncream . neutral +In modern times the Sinai had become a backwater protected from the ravages of the modern world , and perhaps it would have remained one of the world 's undiscovered spots if it hadn 't been for one Self Contained Underwater Breathing Apparatus ( SCUBA ) . SCUBA is one of the things responsible for discovering the Sinai . entailment +White 's people were already aboard , waiting . They had been waiting aboard for around 30 minutes already . neutral +uh pretty substantially because the the unemployment rate is pretty high Not significantly , given that the unemployment rate is close to zero . contradictory +so you 're graduating this year So you 're finishing school this year ? entailment +and of course the shower pan is a pretty fragile piece of uh of metal or plastic whichever it is anyway so The shower pan is pretty strong whether made from plastic or metal . contradictory +Historically the stronghold of merchants and royalty , today it remains the home of commerce and government . Today it 's a place with a lot of business and government activity . entailment +Over the door , Surya , the Apollo-like sun god , rides in a chariot drawn by seven prancing horses , an animal rarely seen in Nepali art . Horses appear rarely in Nepali art because the animal is rare at these altitudes . neutral +It shouldn 't be any longer than four feet or it will be too heavy . The large dog was the size of a dinosaur . contradictory +yeah a little bit No , not at all . contradictory +Following Noble 's instructions , I put a little cheap white wine into 15 glasses and then spiked each one with a different physical peach puree , apricot puree , brine of asparagus , strawberry jam , wet cardboard , fresh strawberry , pineapple juice , soy sauce , green olive , melted butter , coffee grinds , fresh lime juice , cloves , vanilla , and shaved almonds . I had no white wine so poured glasses of red instead . contradictory +yeah that that 's the way they did it in Alabama too Texas didn 't do it that way . contradictory +Screening questions can be stand-alone or embedded into general health questionnaires or existing registration , physician , and nurse documentation . Screening questions will need to be stand-alone to work . contradictory +Adrin stood and prepared again . Adrin stayed down . contradictory +um yeah we we took out actually my wife she 's the one that ran the budget you know i just brought it home and she had to stretch it out wherever it was going to go but she would allocate so much at at at that time when the kids were growing up so much went for groceries My wife did a good job taking care of our budget . neutral +The most drastic way is to allow only one candidate . A less drastic way is to allow two candidates . entailment +RECOGNITION ( OR RECOGNIZE ) - The term recognition , as used in this Statement , bears the same meaning as used by the Financial Accounting Standards Board in its conceptual statements . Using the same definition for recognition as the Financial Accounting Standards Board was necessary in order to avoid confusion . neutral +A more sophisticated approach would be to model a changing international environment in detail . The international environment remains constant . contradictory +it 's not the i i 'm not into the Bohemian thing you know were i waitress during at night and go to school during the day I 'm not into the bohemian thing where I waitress at night and go to school during the day . entailment +did we do what was correct there I am not wondering if what we did was correct . contradictory +The COO should be at an organizational level equivalent to the current deputies in major departments and agencies in order to help assure the effectiveness of this position . The COO is at the same level as the current deputies in all private organizations . neutral +Most of its early cases involved divorce and family law . A lot of the cases were divorces . entailment +His voice cold and guttural . His voice was scary . entailment +The standards provide the overall framework for establishing and maintaining internal control and for identifying and addressing major performance and management challenges and areas at greatest risk of fraud , waste , abuse , and mismanagement . The standards give a framework for external controls . contradictory +If you do go online , use an Australian site , as they 're the best regulated . Canadian sites are also well regulated and are a good alternative to Australian sites . neutral +Yes , it is Mrs. Inglethorp 's . Yeah , it does belong to Mrs. Inglethorp . entailment +Just because an insurer won 't pay for a treatment doesn 't free a doctor from providing it . An insurer not paying for a treatment may cause the doctor to not provide it . neutral +They were certainly no more effective than the nonmagnetic wrist stabilizers I 'd picked up at the drugstore . Both those and the nonmagnetic wrist stabilizers sucked ! contradictory +do you work with TI I bet you get paid a lot for your work . neutral +In 1998 , LSC Program Letters 98-1 and 98-6 broadened the scope of the state planning initiative , asking grantees to determine how they could expand services and ensure that all clients received similar levels of assistance regardless of their location in the state or other factors such as language , disability or political popularity . LSC program letters asked grantees to figure out how they could expand their services . entailment +One and all were conscious of a certain feeling of 105 anticlimax . A feeling of ecstatic excitement was transmitted through the room . contradictory +and uh uh but i would guess a very very small percent of college freshmen know what they want to do College freshmen usually make a decision in their major shortly after settling into the university environment . neutral +Still , Shepard thinks that it can . Shepard bet his life on it . neutral +Orders should be sent If the orders are not sent soon delivery may be late . neutral +Once into the hinterland however , you will need some stamina to make it up the hills and mountain passes . The hinterlands are very flat . contradictory +Day hikes are a popular activity here , with the most popular hike being that to Sarangkot to see Dhaulagiri and the Annapurnas from the viewing tower . Day hikes are impossible here because of all the dense vegetation . contradictory +His writing is full of sentences that begin something like , As John Cage once asked me ... His writing never recognized John Cage and shows no patterns . contradictory +Kindness can pay off . Kindness has never had any form of return on investment . contradictory +Archaeologists , still unsure of what was involved , suggest that the gorgeously painted scenes of dancing satyrs , flagellation , and a woman kneeling before a sacred phallus indicate rites that the town preferred to keep at a decorous distance , in this splendid suburban villa , most likely the home of a priestess . Archaeologists have no idea when the murals were painted , or by whome . neutral +Honestly , though , it didn 't feel right at all . They felt perfectly fine . contradictory +and it 's just that this was an excuse you know to make some noise now something that i read in the paper the other day that i thought was kind of interesting was that the Arab uh uh their version or vision or whatever the United States now is somewhat changed in that we won you know now now we are a uh a legitimate player in the game over there you know the It was an excuse to make some noise , but the Arab version of events is different than what we tell the people . neutral +Approval of leave should be made by the employee 's supervisor before the leave is taken . Supervisors should approve leave a week before it is taken . neutral +Also reports that include some features of exploratory case studies have been issued by GAO . Features from exploratory case studied have figured in some reports by the GAO . entailment +Using a more sophisticated version of the same techniques , De Long and Lang concluded that some of the 78 confirmed hypotheses might be true , but probably not more than about a third of them . De Long and Lang said there were a lot of hypotheses that might be accurate but they expected it wouldn 't be many more than 20 or so . neutral +i mean yeah everybody gets in draft Hardly anyone ever gets in draft . contradictory +The Utah State Legislature in the just-completed session has stepped forward in a year of very difficult financial challenges and , in honor of their colleague the late Sen. The Utah State Legislature has had the benefit of a strong financial year to carry it . contradictory +The most well known is lokum ( Turkish Delight ) , a soft jelly , flavoured with roseater and sprinkled with icing sugar . Turkish delight can be flavored with syrup as well as icing sugar . neutral +This city of a thousand fountains , huge plane trees , and a sprawling fortress was probably founded by Hannibal in 219 b.c. Hannibal lived in the city for many years . neutral +they might even have i know uh with a niece and nephew of mine they 're school was uh like uh church school and they even had things where they would have them go to shelters downtown and help for a day My niece and nephew went to a school that volunteered at downtown shelters . entailment +To-day is only the 24th . " The date is the 24th . entailment +yeah um-hum yeah i have a on my credit cards i have a grace period if i pay it off within when the bill comes i i don 't have to owe any interest I don 't owe any interest on my credit cards . entailment +sure dead 's dead that 's true well i don 't guess we resolved anything but it 's interesting it 's We 've solved everything as usual . contradictory +During his father 's primary campaign , George W. Bush watched Pat Buchanan go from 1992 to 1938 , the heyday of Father Coughlin , dragging the Republican Party with him . George W. watched his father drag the Republican Party down with him . contradictory +exercise tends to be a a topic that i guess i 've never developed any will power to maintain any regular program i uh I have never had the strength to keep a regular program . entailment +The dome was damaged by earthquakes several times , and the supporting buttresses have coarsened the church 's outward appearance . More than once , the dome sustained damage from earthquakes . entailment +you know they go off because they have a drug problem They don 't have a problem with drugs . contradictory +Originally constructed in 1923 to promote real estate sales in the neighborhood then called Hollywoodland , the 50-foot ( 15-m ) letters were abbreviated in later years and replaced due to age in 1978 . When the letters were abbreviated , it led to an outcry . neutral +OK , the door policy was cruel , but at least it kept Village Voice gossip columnist-in-chrysalis Michael Musto out . The door policy might have been cruel , but at least it kept out Village Voice gossip columnist-in-chrysalis Michael Musto . entailment +King said she is accused of having too much clutter . King has not thrown anything out for over five years . neutral +The wagons will circle to defend this last bastion of human conceit . People will come from far and wide to defend this mean idea . entailment +Never knowed any li 'l boy what warn 't glad to see th ' last o ' a book . Little boys don 't like reading books . entailment +The instrument is designed to assess the health and vibrancy of each state justice community / state legal services delivery system , establish benchmarks against which further progress can be measured , and begin to gather data to allow comparisons of state justice communities . The legal services being analyzed are highly subjective , so we have not created any measures . contradictory +should be a key consideration . Should have significant attention entailment +As a result of that regulatory determination , EPA is scheduled to propose Maximum Achievable Control Technology ( MACT ) standards for these source categories by 2003 . This will be implemented in a timely fashion as the world is in danger . neutral +Iowa has landlord-tenant laws , but no state or county governing body regulates them , said Robb Goedicke , an attorney with Legal Aid Society of Polk County . Robb Goedicke has been an attorney for five years . neutral +While today there are 3.4 workers for each Social Security beneficiary , by 2030 , there will be only about 2 workers paying taxes to support each beneficiary ( see figure 1.7 ) . It 'll be difficult for Social Security to sustain itself while placing more strain on the workforce . neutral +According to the London Sunday Telegraph , 35-year-old Lavinia Greenlaw will be paid Lavinia is thrilled to hear that she 'll be getting paid . neutral +i think they 're one of the businesses at large that do things like that they 're more aware of it I guess they are one of the businesses at large , that do things like that . entailment +This in turn indicates the greater efficiency of delivering mail to roadside mailboxes compared to walking to the front door of a detached dwelling or business . It showed that not carrying mail up to the front porches of structures was more productive . entailment +The Institut de France , handsome home of the august Acad ? ? ? ­ mie Francaise , is on the Quai Conti by the Pont des Arts . The Institut de Spain is home of the august Acad ? ? ? mie Francaise . contradictory +If many patients have no primary care or primary care providers do not screen for alcohol-related problems , then primary care has failed . Patients are requesting to be screened for alcohol-related problems but primary care providers are denying them . neutral +She lifted her eyebrows at the sight of the girl . She didn 't see the girl . contradictory +The most prominent change in human capital management that we implemented as a result of the GAO Personnel Act of 1980 was a broadbanded pay-for-performance system . The most prominent change in human capital management on an individual scale was spoons . neutral +One recent study demonstrated that a brief , patient-centered alcohol counseling intervention delivered in the context of a regularly scheduled internal medicine visit produced significant reductions in alcohol consumption among both male and female high-risk drinkers . One study sowed that intervention delivered during a checkup is helpful because it 's non-threatening . neutral +Representative Morrison also stressed the importance of giving H-2A aliens a realistic way to enforce their rights . The importance of giving H-2A aliens a realistic way to enforce their rights was stressed . entailment +and things will live on this planet but humans may not be able to anymore Humans might not live on the planet , but other things will . entailment +de los Reyes Catolicos , 6 ; in Ciudad Universitaria ) is a superb collection of art and artifacts from America , which in Spain means Central and South America . The collection contains many treasures of the Aztec and Mayan civilizations . neutral +so i 'm not sure what the prices are like now uh i know that our price that the the value of our house went up you know considerably over over a you know uh oh an eight or ten year period The value of our home has gone down considerably in the last ten years . contradictory +No footin ' it . No walking it . entailment +The Ibicencos fortified the bulwarks and built additional towers and fortresses throughout to help shield themselves against enemy incursions . The Ibicencos tore down the bulwarks , towers and fortresses to welcome the enemy with open arms . contradictory +hm so i guess we 've kind of neglected Latin America We have not paid much attention to Latin America . entailment +yeah i don 't do well with potted plants outside i tend to neglect neglect them and they sit in the sun too long and dry up or uh if i don 't put them in the sun they don 't grow You are very good at caring for potted plants . contradictory +You 've wasted a week " Tommy hung his head " a day or so more is immaterial . You 've wasted a day , Tommy shrugged defiantly , an extra hour won 't kill anybody . contradictory +The climax is the movie starring John Travolta . The movie stars John Travolta . entailment +In the beginning there was a great tortoisewho supported the world . There was a great tortoise who supported the world in the beginning . entailment +It is also taking concrete form in the new Scottish Parliament building at the bottom of the Royal Mile . The new Parliament buidings is at the bottom of the Royal Mile , a popular tourist destination . neutral +Telecenters are facilities away from the traditional government office that are equipped with workstations , telephones , and computers among other items that are shared by employees of multiple agencies . Telecenters hold work stations for employees of only one agency . contradictory +This small formerly residential island , beautifully shaded by banyan trees , was the home of the closed community of the foreign colony in the era of concessions . This island has never had any residents in its history . contradictory +Some of These reforms may be self-initiated , others may have been mandated by legislation , still others may be the result of administration initiatives such as the National Performance Review . No reforms are required by legislation . contradictory +i 'm in computer science I work with computers . entailment +well i 'm not gung ho you know i but i 'm not opposed to any of of you know kinds of things i just don 't do a lot of them I am open . neutral +Was on a submarine in Russia when the Revolution broke out . He was in the middle of the park when the revolution started . contradictory +especially you know and i 'll um i 'll make a day game or something but they really seem to um people really get into it i mean i It looks like it may rain during the next scheduled day game . neutral +North of the Abbey Theatre and parallel with O 'Connell Street in Marlborough Street is the Catholic St. Mary 's Pro-Cathedral , the main Catholic parish church of the city center , built in 1816-1825 . St. Mary 's Pro-Cathedral was constructed between 1833 and 1902 . contradictory +Nobody would have known her . " Not many people knew her . neutral +um each side has three bedrooms and two baths living room and then a big uh kitchen that has uh dining area in it The kitchen area is really nice and spacious . neutral +uh seems like it had a radiator leak once but i never had any major anything other than the compressor The compressor was the only big problem . There was a radiator leak also . entailment +'Oh , I believe you . ' I believe what you are saying . entailment +uh at first It was ok . neutral +A logical corollary is that inflation cannot be triggered by increasing wages , farm prices , or health care costs . Inflation can not be caused by an increase in investment returns . neutral +As I pointed out in an earlier column in What I pointed out was a discrepancy in the previous column . neutral +That may perhaps be arranged . That may indeed happen . entailment +The standard work day for a city carrier is eight hours . The carriers work six days each week . neutral +you know it 's bad when you can smell alcohol on somebody but there 's nothing you can do because they not drunk Sometimes you can smell alcohol on someone without that person being drunk . entailment +well you must you must not have a weight problem at all You must have a weight problem . contradictory +Moreover , even though the Vice President and his counsel acknowledge our authority to access cost information , they have not provided us the remaining cost information and explanations requested . The Vice President and his counsel understand they need to give the information and their explanation but they still haven 't . entailment +Follow the Cale Larga Giacinto Gallina to the humpbacked Ponte del Cavallo bridge for the all-important first view of the piazza 's magnificent equestrian statue of Bartolomeo Colleoni , considered one of the finest in the world . The statue of Bartolomeo Colleoni is not visible from the Ponte del Cavallo bridge . contradictory +Jerking horribly , the monstrous thing moved again . The hideous thing twitched violently in an attempt to move again . neutral +It 's very simple , really-- $ 5 million isn 't worth five times as much as $ 1 million . $ 5 million is worth five times more than $ 1 million . contradictory +Care must be taken to distinguish between regular overtime and irregular overtime or occasional overtime ( or compensatory time in lieu of overtime , where allowed ) in order for the agency to properly document and calculate an employee 's overtime pay entitlements under 5 U.S.C. You don 't have to distinguish between regular and irregular and occasional overtime to document it appropriately . contradictory +In late 1998 , primarily because of the inadequacies of the Missouri State plan , LSC made the decision to renew LSC grants to Missouri programs for a period of two years . The Missouri State Plan did not allow for decreases in funding and was therefore unable to cover the amounts it had projected . neutral +He nodded . He shook his head . contradictory +yeah i 've enjoyed them so it doesn 't really matter I hated them , so it doesn 't matter . contradictory +Eleventh and twelfth months : Parlourmaid duties resumed with entire success . During the eleventh and twelfth months , I was bedridden and unable to work . contradictory +Mr. Y. A. ? he said , and smiled . He asked if it was Mr. Morris . contradictory +yeah my mother still lives in Lubbock and we talked to her the other day and they said Friday they had or Thursday or Friday they had a you know one of the world class sandstorms out there that happens every once in a while hadn 't had one like that in a couple of years My mother still lives in Missouri and she said Friday they had a blizzard with lots of snow . contradictory +For a moment he could almost hear them screaming . He could almost hear their battle screams . neutral +We first present demographic and postal delivery characteristics for the two countries . We do not consider the present demographics . contradictory +it it it it is very strange um It is very ordinary . contradictory +Rival chiefs ruled each island ; fish farms and temples were laid out ; and tribal and inter-island warfare was common . Opposing chiefs often fought . entailment +i 've never used crickets before do you use them live Do you kill the crickets when you use them for bait ? neutral +But after 45 minutes of this , I begin to suspect that Hollings is being cannier than he lets on . Hollings is absolutely straightforward in all of his words and actions . contradictory +you use the sneaker net system I am certain that you used the Sneaker Net System . entailment +and of course the shower pan is a pretty fragile piece of uh of metal or plastic whichever it is anyway so Whether made of plastic or metal , the shower pan piece is weak . entailment +I have heard so much about you from Miss Tuppence " he smiled involuntarily " that it really seems as though I already know you quite well . " He knows Miss Tuppence well enough that he knows about me . entailment +uh um i think so too I believe so also . entailment +yeah so have i oh I did it only once . neutral +Eszterhas writes movies about naked women and believes himself an artist . Eszterhaus writes about women . entailment +Changing belief systems , clinical practices , and cognitive barriers is a slow process and a formidable challenge . The clinical social sciences are attempting to radically change the traditional way of treating disorders . neutral +I opened the door . The door was opened . entailment +Second , auditors should not audit their own work when the work involved is material to the subject matter of the audit . It 's important that auditors do not audit work of their own if the work is material to the purpose of the audit . entailment +In what direction ? Where did they go ? neutral +uh-huh yeah um-hum i think it 's definitely gotten better I think it seems to be better now . entailment +and so i decided okay i 'll just you know have them paint this little room you know a little ten by ten dining area it took four days The dining room was painted in five minutes . contradictory +Every spring the Madeira Island Open , part of the P.G.A. Next spring the Madeira Island Open , part of the P.G.A. neutral +Over on the quiet , tree-shaded place de la Sorbonne , it 's hard to imagine the police invading such a peaceful sanctuary one that for centuries guaranteed student immunity . The police have standing orders not to invade the Place de la Sorbonne . neutral +let 's see what are some other ones i 've seen lately i 'm trying to remember i can 't oh i just saw one on the video oh um have you seen The Gods Must Be Crazy Part Two I haven 't seen a movie lately . contradictory +Starr might like to believe Willey--and Willey 's story was bolstered more than undermined by the testimony at last week 's trial . Willey 's story was more believable after last week 's trial testimony . entailment +The consolidation of legal services agencies for the poor may improve efficiency , but won 't increase the number of clients served , a rural legal specialist in South Texas says . Efficiency will be improved . neutral +It 's neither and both . It might be both . neutral +On fine days the sunshine and shadows chase constantly across the water and rocky wastes , but stormy fronts that form in the Atlantic Ocean are caught by the mountain tops here , as a result of which they are almost always enveloped in clouds . The are , including the peaks , are usually cloud free year round . contradictory +In 1222 , funds were appropriated for a fitting cathedral . Due to the unrest in 1222 , no funds were allocated for religious buildings . contradictory +Behind these explanations lies a coldly realistic assessment of America 's If our soldiers are killed , the public will turn against the war ; and if the public turns against the war , Clinton will have to withdraw our forces . Our soldiers are not likely to be killed in the war . neutral +The other holds a gun to your head every day . They lost while playing Russian roulette . contradictory +You can still find interesting flavorings and colorings on sale , along with the dried hibiscus flowers used to make sweet tea . You can still find those things on sale , because people are still interested in them . neutral +Local phone rates are going up , too , though some of this rise may be attributable to a reduction in subsidies . Local phone rates are steadily decreasing over the country . contradictory +If you play up an appetite , GameWorks also has a full-service restaurant , snack bar , and Starbucks Coffee outlet . GameWorks has a restaurant as well but the food is terrible . neutral +She subsequently filed suit claiming that she owned the photos , and they were temporarily taken off the Web site . The photos were removed temporarily until they could work out a deal with her . neutral +I know people who don 't go down for their mail until afternoon , who have no telephone answering service , and who , even if they have an e-mail account , don 't log on to see their messages for days at a time . I know that people don 't go get their mail until the afternoon . entailment +A 'deem talked . A 'deem was silent . contradictory +Just about every address in this district houses an appealing old tavern or tasca . There are no taverns in any district here . contradictory +Knowth has two passage graves . Knowth has no graves , just gardens . contradictory +yeah um-hum to use you mean uh-huh Yes , they are there and free to use . neutral +because that 's another mystery and i don 't have to concentrate too hard on them It 's easier to watch them because I don 't have to concentrate too hard . neutral +Today 's trendy spot is Soho ( SOuth of HOllywood ) around Hollywood Road , Elgin , and Stauton streets . Soho has had its eligibility for trendy spot removed . contradictory +Slim did so , but he ate only when someone looked directly upon him . Slim was self-conscious about others watching him eat . neutral +As discussed below , the proposed rule would modify an existing reporting requirement applicable to all hospitals serving Medicare beneficiaries . The new rule would alter how current reporting requirements in Medicare hospitals work . entailment +I dare say it 'll be a washout , but houses are scarce nowadays . I reckon it will be a washout but houses are rare recently . entailment +yeah well i don 't work I 'm working now . contradictory +Any omitted paragraphs are indicated in the table of contents . The page numbers of these paragraphs are also listed in the table of contents . neutral +The other , largely neglected Imply that the competition , as currently configured , is improbably upscale . The competition woos potential clients with giant yachts . neutral +'Running diagnostic , ' the computer chirped . The computer chirped happily . neutral +Ca 'daan , concerned for his village , wanted to cross now but seeing the Kal so nervous did not convince Jon that it was a good idea . Ca 'daan wanted to cross , but Kal 's nervousness dissuaded Jon from that course of action . entailment +Then a few conservative members killed the funding bill by attaching an unacceptable anti-abortion amendment . A few conservative intentionally sort out to stop the funding bill . neutral +I thought you understood . " I imagined you got it . entailment +Employing interactive video- and touch-screen technology , the kiosks guide users through the bureaucracy of obtaining domestic-violence restraining orders , establishing child custody , responding to child support and eviction orders , initiating small-claims suits and requesting waivers for legal filing fees . Because of the advanced technologies involved in them , each kiosk costs $ 500,000 . neutral +is very very very close to Spanish It 's very close to Spanish . entailment +Every counter was there before he swung . His swings were being blocked . entailment +The reliability goal for the F-22 is a 3-hour mean time between maintenance . The goal set by congress for the fighter jet is a short time between working on it . neutral +Also , Newsweek tells the weird story of Jerry Stuchiner , a high-level Immigration and ; Naturalization Service agent alleged to have sold passports to illegal Chinese immigrants . Jerry Stuchiner allegedly sold passports to illegal Chinese immigrants for years and yet no one has known about it until now . neutral +Pitfalls Not collecting the right amount of data By not collecting the right amount of data , there will be pitfalls . entailment +Retention IRS developed a performance standard relating to the fair and equitable treatment of taxpayers that senior executives must meet . The IRS has a standard relating to how lawmakers are treated . contradictory +On the morning of his death , he left his bed and insisted on going out to help his neighbor plant daffodils . He was utterly bed ridden until his death . contradictory +so but that 's an interesting uh merging as it were of the two ideas we 're going one way and they 're going the other The merging of the ideas is interesting to me . entailment +if i take her to the vet i used to put her in her in a cage and take her down but now i just carry her out to the car and she crawls up in my uh up on my shoulder i used to cage her to take her to the vet , but now i don 't need to use a cage entailment +Although Hispanic voters account for only 5 percent of the electorate , they are significant voting blocks in key states and , most of the time , they vote Democrat . The amount of Hispanic voters is rapidly growing . neutral +The area gets crowded in summer , partly due to interest in the nesting golden eagles , which have been returned to the area because of the efforts of environmentalists . The area is deserted during the summer due to the nesting golden eagles . contradictory +In the lobby , children waiting for music lessons bend over their homework , mom perched at their shoulder . The children are not taking music lessons . contradictory +To approach humanitarian aid from the perspective of a few of its providers , try the U.S. If you want to understand humanitarian aid in the shoes of a few of its providers , try the U.S. entailment +Dallas or Chicago or even Indianapolis which is a couple hours south of us uh but to me the the more gifted or the higher intelligent children are more geared to learning than they were they 're more into the school system than they were twenty years ago and uh i find the Say No to Drugs campaign here Intelligent or gifted children are more likely to learn than they were twenty years ago because the teachers are more engaged . neutral +No matter how much information gets loaded into it , the Internet is never going to transform the dynamics of human behavior . The internet will never overcome the powers of humans entailment +The Russian Orthodox Church of Mary Magdalene , with its gilded onion-shaped domes , is in the first section of the garden . The remainder of the garden features a wide array of exotic flowers . neutral +The code is one helping is called a porcien ; a large serving is a racien ; half as much , a media-racien . Lunch is usually a porcien meal . neutral +Meanwhile , Olivia fits right into the role of the beautiful-blonde-who-isn 't-really-a-bimbo . Her jet black hair makes people think Olivia is a dumb blonde . contradictory +um-hum may i ask you a question I don 't have any questions for you . contradictory +whatever i can carry on a backpack I take whatever will fit in a backpack entailment +After this last election it is clear that the French will not be willing to submit to serious fiscal discipline . Fiscal discipline is crucial but the French don 't want it . neutral +Haifa 's most famous attraction is the splendid golden-domed Baha 'i Shrine and Gardens ( entrance on Zionism Avenue ; Shrine open daily 9 : 00 a.m. to noon , gardens open daily 8 : 00 a.m to 5 : 00 p.m. ) , the international headquarters of the 4-million-strong Baha 'i faith , which was founded by the Persian holy man , Baha 'u'llah ( who died in 1892 ) . The Baha 'i Shrine and Gardens , which is the headquarters of the Baha 'i faith , is the most famous attraction in Haifa . entailment +At the margin , we doctors have found ourselves being asked to do things that make us queasy . We found ourselves being asked to do things that made us very uneasy . entailment +yeah the like i mean they have um better it 's not quite as nice for a little bit less It costs less , but is not as nice . entailment +I am sure she would be delighted . I would imagine her delight at the prospect . neutral +The Explorer grasped the thick bars . The explorer let go of the bars . contradictory +Joining Trout in the announcement was Idaho Bar Association President Fred Hoopes of Idaho Falls and Ida-West Energy Co . Trout 's first name is Bill and he has known Fred for many years . neutral +and i left them i guess in eighty two but i was in Dallas there when uh Roger Staubach and I have never thought of leaving them at all . contradictory +While conservatives bash Bulworth for its political correctness , The Nation likens it to Citizen Kane . Like [ Orson ] Welles , [ Warren ] Beatty brings to this production a history of left-liberal politics and an admiration for black musicians , says Stuart Klawans . Bulworth is not like typical movies . entailment +I have killed lords and cutthroats across half the world . I have never killed another person . contradictory +When pressed , we fall to the western trails and to the caves . The trails stretch far to the east and the ground is very flat . contradictory +The latest audio guides have gone Hollywood and Art authorities electronically beamed up by recent museum-goers include Leonard Nimoy , Steve Martin , Charlton Heston , and Morgan Freeman . There have been some people visiting the museum recently . entailment +The overall employment outlook for boilermakers should be quite good , considering the work created by a multipollutant initiative and the work on new power plants that is projected over the next 20 years . Biolermakers will face an increasingly dire job market over the next two decades and should consider working in different industries . contradictory +The total fee would be split , with 54 percent going to counties and 46 percent going to the state for a newly created equal justice account . The total fee would be split 54 % and 46 % . entailment +In the early 20 th century , the Progressive Republicans , led by Robert La Follette and Theodore Roosevelt , stormed out of the GOP to form their own Progressive Party . Theodore Roosevelt was Republican . entailment +Significant shift way from consumption of postal delivery services for household sector relative US economy at large Households are using postal services less than other parts of the economy . entailment +Trump 's The Democrats and Republicans have become too polarized and extreme . The two major political parties in the United States have become polarized . entailment +Employees who are confused about the direction their agency is taking will not be able to effectively focus on results or make as full a contribution as they might otherwise . None of this can possibly impact any employee . contradictory +oh great oh fantastic fantastic experience i 've got two as i said i 've got one in at UT now in Austin and one at home and uh i always say that i 've learned so much more from them than i than ever taught them I have got only the one at UT now in Austin . contradictory +Standard Medicare coverage pays only 80 percent of doctor and hospital bills and nothing for drugs . Standard Medicare pays for all expenses that a doctor may propse . contradictory +Critics argue that the subsidy is idiotic . Critics thought that the subsidy was stupid . entailment +i don 't know you can you can disagree with Al Lipscomb and uh what 's what 's the lady 's name You have to agree with Lipscomb . contradictory +The steak and chips partaken of for lunch seemed now to belong to another decade . Steak and chips , along with orange juice , were consumed for lunch . neutral +In autumn , the earth gives back the heat it absorbed during the summer , as the air begins to cool . In autumn the air cools off from the summer . entailment +Ah , nothing . Uh , it was something before . neutral +We 're all better off because feminists turned hitherto private topics into subjects of public debate . We 're all better off because feminists ' work . entailment +The well that served Gobind Singh 's house is now a marble shrine . Gobind Singh 's well was filled in , and a garden grows where it used to be . contradictory +They--hey , what 's that ? " He was looking up , and Hanson followed his gaze . Hanson followed his gaze as he looked up . entailment +I went out back . I stood in the front yard . contradictory +well that 's that 's a really good idea because um like our uh fruit fruit juices for some reason when they 're in a can don 't come with a deposit it Cans with deposits are more likely to be recycled . neutral +The gross cost of the entity is understated in such cases ; and to recognize an exchange revenue is to recognize a revenue without some or all of the related costs , and hence to understate the entity 's net cost of operations . The total cost of the entity was understated . entailment +This decision point coincides with the companies ' need to increase investments in the product development and continue to the next phase . The companies ' need to increase investments in product development is what spurned this decision . neutral +And the computer test may be better than doctors at recognizing problems in mentally healthy patients . The computer test cannot be used on mentally healthy patients . contradictory +The crypt is a grim maze of corridors lined with cells containing the tombs of the famous , as well as the not-so-famous . The crypt is a labyrinth of corridors filled with cells . entailment +Critics also suggested that , with their salaries and stock wrapped up in the same company , employees were putting too many eggs in one basket . The salaries of the workers were dispersed unevenly . neutral +The 100-sq-m ( 1,076-sq-ft ) courtyard is enclosed by long colonnades with a pavilion at each corner . The courtyard is enclosed by long colonnades so that only residents can access it . neutral +The major uses of stewardship land are for forests , wildlife , grazing , parks , recreation , and historic sites . Stewardship lands are seldom used for recreation . contradictory +My hunch is that Oprah will win over even the cattlemen , eventually . Oprah is very persuasive . entailment +The original temple built in 1164 survived only 100 years , and today 's reconstruction dates from the 13th century . The reconstruction happening now dates back 50 years . contradictory +they have had some absolutely wonderful shows and they do they have incredibly good what are called production values they have They have a high level of production value which results in high quality shows . entailment +yeah uh well i 've been going to Spring Creek i haven 't been to the Dallas one now in oh a couple of years yeah well at least since they 've redone it supposedly redone I go to the gym in Spring Creek , not Dallas . neutral +Running roughly north south through Ginza from the corner of Hibiya Park all the way to Tokyo Bay is the broad avenue called Harumi-dori . Harumi-dori is a narrow street well known for its hole-in-the-wall pubs . contradictory +Rhododendrons and other exotic plants imported from China during the 19th century have created one of the finest gardens in northern England . In the 19th century , rhododendrons were imported to the north of England . entailment +Unless you feel really safe in French metropolitan traffic , keep your cycling ' you can rent a bike at many railway stations ' for the villages and country roads . If you feel safe cycling on villages and country roads you should head directly into French metropolitan traffic . contradictory +The colorful little symbols filling the grids remind me of Gustav Klimt ( whom Close studied in Vienna in 1964 ) , especially when Close is luxuriating in the dark tangle of the artist Kiki Smith 's hair ( Kiki , 1993 ) . Close studied Klimt while in Vienna , in 1964 . entailment +you don 't get is it less boring than the bicycle or not Is the pool less boring than the bicycle ? neutral +But you are looking at someone who does enjoy fighting . But you are looking at someone who particular likes to watch fighting . neutral +eighty five something like that and they at that time they had no testing whatsoever Testing was done all along . contradictory +These legal aid groups and the individuals providing pro bono services do a commendable job , but they cannot meet the demand . Every pro bono lawyer meets their demand contradictory +Jon could not get used to her adult vocabulary . She talked like a child . contradictory +right it just be up up to something i guess that was big enough to to call them out for well i got one one kid needing me so i 'll It was very small . contradictory +yeah the hardest part about uh water pump changes is getting all the junk off before you can get too it I don 't have any information on changing water pumps . contradictory +LSC organized a well-received panel at the SEPDA Conference to showcase how well two state communities of justice and two programs used reconfiguration activities to expand diversity within staff and volunteer ranks , and for instituting programmatic measures that will generate a new cadre of leaders in the legal services community . LSC showed how new programmatic measures will create a team of leaders in the legal services community . entailment +My poor wife ! I feel bad for my wife ! entailment +but uh but uh well you over there in Carolina North Carolina you probably get a lot of chance to you 've got a lot of rivers and a lot of uh white white water over there i think uh-huh I really enjoy whitewater rafting . neutral +None of this proves that realism is corrupt . This is not enough evidence against realism . entailment +Finally , there are even stables in Jerusalem . The stables that belong to Jerusalem are old and wooden . neutral +Toward the center of Michelangelo 's ceiling , you 'll make out the celebrated outstretched finger of man 's creation , filled out by the drunkenness of Noah , the turmoil of the Flood . In the middle of Michelangelo 's creation , you can see the finger which represents Man 's creation . entailment +Out in the country in and around Locorotondo and Selva di Fasano , you 'll find trulli ( and trulli-inspired ) farms , barns , grain silos , and even filling stations . FIlling stations can be found out in the country . entailment +" Kid , in this here country you don 't expect nothin ' else but . Can 't expect this , not even in this country , old man . contradictory +1These instances have been the subject of case studies . These instances have not been studied . contradictory +The war against drugs is not a war against crime War on crime and war on drugs are different things . entailment +The outdoor life in the Savoie Alps and the resorts around Mont Blanc ( Western Europe 's highest mountain ) can be as exhilarating in summer as in winter . The experience of being outside in the Savoie Alps is as fun in the summer as it is in the winter months . entailment +The wheel is spun , the ball drops , and where it lands determines the outcome . The wheel is spun and then the ball flies into a bucket . contradictory +To the extent that other technologies are developed , These would provide more options for compliance , so their introduction would serve to reduce issues related to resource requirements of installing controls . There are no other technologies . contradictory +He suggested that perhaps ethics should be added to the recommendation . He thinks ethics should not be included . contradictory +If Steele really changed her story a second time , to Story No . If Steele really changed her story a second time , to Story No . It would matter . entailment +[ The ] simplicity [ of the Program ] has kept transaction costs low and helped to create efficiencies that might otherwise not exist . The efficiencies have saved the Federal Government a substantial amount of money . neutral +" Sí ! " Bartolomé 's face was as flushed as Bayliss ' now . No ! Bartolomé 's face relaxed until only Bayliss ' was flushed red . contradictory +His writing is full of sentences that begin something like , As John Cage once asked me ... His prose frequently use " As John Cage once asked me " as a sentence starter . entailment +think it i think what 's interesting is that uh uh the political activists Jesse Jackson and a lot of other people went out there and are demonstrating i find it interesting that uh outsiders would bother to go in how do how do you feel about people like Jesse Jackson getting involved I don 't care about Jesse Jackson at all , you know ? contradictory +He moved the court to Versailles , impoverished the nobility by forcing them to contribute to the incredible luxury of his palace , and imposed as their sole function the support of the king in time of war . The nobility had to shoulder the burden of paying for the palace . entailment +we lost a lot of oh uh root things our oh uh our squash and our potatoes and we got half our yield it was really bad because of the water We lost a lot of plants like our squash and potatoes due to the amount of water . entailment +At the end of the legendary road to Hana on Maui 's remote and lush east shore , this quiet upscale resort on 66 acres with a wild volcanic oceanfront is the oldest in Maui ( 1946 ) . There are no resorts on Maui 's east shore . contradictory +2 ) Now that he 's dead , the dirt diggers will go after him , just as they went after Ozzie and Harriett . Those who want to seek to tarnish people 's reputations are going to investigate him now that he has passed away . entailment +The rooms are basic but comfortable ; there are lovely gardens , and the staff are friendly . The rooms are comfortable , while basic , and there are other benefits . entailment +For one thing , New York , New York is virtually the only Scorsese movie ( aside from Life Lessons , his crackerjack contribution to the Coppola-produced anthology film New York Stories ) to have at its center the relationship between a man and a woman . All of Scorsese 's other films follow a different formula . neutral +It is in America , not Africa , that an Ethiopian is interchangeable with a Ugandan . Americans think all Africans speak the same . neutral +There was no boasting . Bragging was not permitted . entailment +decided to introduce onto the Polish market a new , revolutionary product - ingestible energizing happiness , under the brand name Happi . Happi was brought into the Spanish market . contradictory +oh really TI had a place i 'm not to sure i don 't think they do anymore down i think it was Campinas i 'm not sure and uh i guess we were selling parts to the automotive industry or whatever and they had quite a few locations not quite a few several uh in Latin America i think the one in Mexico is closed and i think the one in Brazil is closed but i i don 't know why that is a problem down there and i guess the crime rate is terrible up here too and uh and some people say go to New York but i don 't i don 't have an answer to the crime rate it 's sad that is a sad situation i i 'd like to go down to Mexico you know and i keep hearing that you know the government and and the crime rates pretty high too that that is sad People have been suggesting I go to New York and other places , but I 'm worried about crime rates . entailment +It is quiet and empty for most of the week , but comes alive during the auctions held here at 1 : 00 p.m. on Tuesdays , Wednesdays , and Thursdays . The auctions are held the next town over every Saturday and Monday . contradictory +I am certain that you would find it . I 'm not sure you would find it . contradictory +Standard Mail A-Primarily advertising circulars and mail-order catalogues-comprises an increasing share of pieces delivered While fewer personal letters are being sent these days , marketing mail has surged and makes up a larger portion of all delivered mail . neutral +who deserts to go help his brother 's wife who got who became a widow because he was selling drugs His brother died while he was selling drugs to someone . neutral +We 're posing questions . We won 't be asking any questions . contradictory +A fine display , old soldier , said the Kal . The old soldier was incapable . contradictory +Indiana is studying document assembly software , and Illinois is studying the combination of audio-video conferencing with document assembly . Document assembly has been a topic of study for Illinois and Indiana for the past six months . neutral +A glowing review of the new Austin Powers movie notes the campy merchandising that accompanies it . campy merchandise accompanies the Austin Powers movie . entailment +Only rats desert a sinking ship . " " Nobody thought it was sinking when I deserted , " Bork reminded her . When Bork deserted the ship , nobody thought it was sinking . entailment +well bless your enemies if your enemy is hungry feed him if he if he needs your asks for your shirt give him your coat also so if the the the the South Vietnamese they asked us to help them right Do not dare to feed anything that has harmed you in any way . contradictory +As this letter makes clear , as Comptroller General of the United States , I have broad discretion to conduct audits , investigations , and examinations of executive branch activities either at the request of Congress or on my own authority . The letter states that , as Comptroller General , I have very little power and not even Congress can empower me to conduct audits . contradictory +Some participants believed that separation of the CEO and chairman of the board positions recognizes the differences in their roles and eliminates conflicts in functions . It is natural for the CEO to be the chairman of the board since their goals align . contradictory +oh well yeah i well i 'm i 'm glad we have credit cards that 's uh because in sometimes when there 's an emergency it it comes in handy I 'm happy we have credit cards , especially in case of emergencies . entailment +What they won 't mention is that the reason Clinton didn 't lose those seats in his sixth year is that he lost them in his second . Clinton lost less seats than most presidents during his terms . neutral +The Commission conducted a rulemaking to consider the rules proposed in the Service 's petition , and after considering the comments of interested parties , implemented four of the proposed initiatives , albeit in revised form . The proposed initiatives called for economic reformations . neutral +He is not altogether a fool . He has some traits that would make him not an idiot . neutral +The majority of the cases in Woodburn today are far simpler . Woodburn was notorious back in the day for very tough legal cases . neutral +The French had little interest in the Alps until the mountain-climbing craze was launched by the conquest of Mont Blanc in 1786 . The French hated mountain climbing . contradictory +Graciously counseled a political rival in time of need . Gave helpful counsel to a political adversary who needed it . entailment +Dublin is a compact city , and many of its important sites are within easy walking distance of one another . Many sites can be walked to within Dublin . entailment +Israel gained total control of Palestine , including Jerusalem , Gaza , and the West Bank , as well as Egypt 's Sinai and Syria 's Golan Heights . Israel gained total control of Palestine . entailment +4The total change in net national saving from 1990 to 2000 was also affected by an increase in state and local government saving of about 0.6 percentage points . Net national savings changed less than normal between 1990 and 2000 . neutral +There is also a good view west to the Bay of Funchal ; to the east , the modern resort on the small promontory is Canico de Baixa , another favorite with German vacationers . German tourists are a common site in Funchal 's hotels . entailment +This comparison illustrates the impact that having manufacturing processes in control has on the amount of rework and repair that would be needed to correct defects and make the product meet its specifications . Sometimes rework and repair is required to make a product meet specifications . entailment +Dantely didn 't they get Dantely They definitely haven 't gotten Dantely . contradictory +Fitzsimmons ( who isn 't giving any interviews now ) offers no new statistics to back up his current claim that 5,000 IDEs are performed every year . Fitzsimmons has been offering many new statistics to back up his claims . contradictory +It 's that sour faced brute Conrad , he decided . He decided that it was not Conrad , that Conrad had too gentle a face . contradictory +Testimony Congressional committee or subcommittee Chairs frequently request that GAO prepare testimony statements and that GAO witnesses appear at hearings . GAO witnesses must appear at any hearings . entailment +of course i 've been watching Nolan Ryan this afternoon and uh it doesn 't seem to bother him It 's obvious it doesn 't bother Nolan Ryan . neutral +Since the sacking of the Temple and their banishment in a.d. 70 , Jews from all over the world have come here to weep and wail at the loss of the House of God and pray for the restitution of Jerusalem to the Jewish people . This place is a common destination for Jewish pilgrims from all over the world . entailment +Following Khephren 'sdeaththe body oftheSphinxwaslost under the desert sands that sweptthe areaandTutmosis The body of the sphinx is visible . contradictory +I lusted for her but soon I loved her even more . I hated everything about her . contradictory +Instead of going to London , however , the Sinn F ? ? in members set up Dail ? ‰ ireann in Dublin and sparked the War of Independence . The members sparked the war of independence on purpose . neutral +More recent EPA benefits analyses have relied on an improved specification from this data set that was developed in the HEI reanalysis of this study ( Krewski et al . The EPA benefits analyses rely on an improved specification from the data collected by a survey . neutral +The place is shut . The place is open . contradictory +He suggested that the recommendation be worded in such a manner that this effort does not seem to be a parallel activity . He thought that this effort should not sound like a parallel activity . entailment +yeah that 's where i was fortunate i 'm a i 'm a technician and we had a vocational um electronics in our high school I took several vocational training classes in high school . neutral +The Ponte Vecchio is the most picturesque place to shop for pricey but gorgeous gold and silver jewelry , designed with centuries of learned expertise . If you want beautiful jewelry you should shop at The Ponte Vecchio . entailment +the when the cults come by they come by during the day and it says in the Bible that be weary of the people coming door to door trying to proselytize the silly women lay captive with gossip and stuff and i see that they don 't come home when my husband 's here they don 't come to my house They don 't come during the day , but my husband and I talk to them at barbecues . contradictory +right but that 's the problem see as our system shouldn 't be based on owing and borrowing and all that We need to change from a borrowing and owing system to something that works better . entailment +Evening shows are followed by Laserium light concerts . Tonight 's evening show features Conan O 'Brien . neutral +Wagonheim , who teacHe 's the professionalism course for the Maryland State Bar Association , said he is working with the MSBA to create a statewide Take 2-type program . The Take 2-type program is expected to offer services to 2,000 people per year . neutral +yeah it 's still i mean you know two thousand dollars isn 't just just pocket change to a lot of people Two thousand dollars is a lot of money to most people . entailment +The Royal Golf Club at Dollymount and many other clubs welcome visitors ; advance booking is rarely required . The Dollymount golf club boasts 36 holes and is open year round . neutral +Hence Whitehead 's argument , repeated in several venues , that the ruling would discourage sexual harassment victims from coming forward . Hence Whitehead supports sexual harassment . neutral +Rumpelstilsken , I command you to let no hand other than mine enter and to respond to no other controls . He hoped it would offer enough protection . I command you not to allow anyone else to enter . entailment +Primary responsibility for authorizing and approving Tand ; A transactions rests with the employee 's supervisor , who approves the employee 's Tand ; A reports . Authorization and approval of Tan ; A reports is very hard to get done . neutral +A separate module for each subscribing agency is developed with a unique URL , allowing each agency control of agency data and access authority . The agencies won 't be able to control their own data , will they ? contradictory +i enjoyed it higher I enjoyed the music louder than that . neutral +In general , look for good prices at hypermarkets outside the major towns . In these markets , the value of food is much better . neutral +These principles guided the organizations ' efforts to manage the risk associated with the increasingly automated and interconnected environment in which they functioned . The principles were respected by those in the organization . neutral +um nothing comes to mind right off so i guess not I guess not , I 've been thinking for 10 minutes and nothing comes to my mind neutral +For the portability from group to individual coverage under this rule , HHS cites estimates formulated by the Congressional Budget Office which shows the initial yearly cost ( direct cost to the private sector ) to be $ 50 million with 45,000 people covered and $ 200 million by the fifth year with 150,000 people covered . The initial yearly cost is $ 50 million . entailment +The Mycenaeans were an acquisitive race who came to conquer , not to trade . The Mycenaeans are a civilized and fair group of soldiers . contradictory +yeah yeah i get back to Price 's comment when he uh was found guilty he said well he didn 't have any blacks uh you know from his neck of the woods well give me a break you know He was found guilty . entailment +and apparently still has a great deal of control They could be losing some of their control . neutral +Presumably most breast-feeding benefits can be delivered via daytime nursing . Breast-feeding has many benefits . entailment +and they 'll keep them until some fool comes along and buys them So they keep them until some dumb guy buys them . entailment +you know and i and it lost me You don 't know and I 'm never going to tell you . contradictory +Congress cannot recast a condition on funding as a mere definition of its program in every case , lest the First Amendment be reduced to a simple semantic exercise . Congress cannot recast a condition on funding as a mere definition of its program in every case unless the first amendment is reduced . entailment +But those same principles also suggest that if you choose to do so , you won 't avoid the noisy battle of wills with your child--you 'll merely postpone it . Those same principles suggest a way to go around having a battle of wills with your child . contradictory +Each of the Seven Swords was a veteran of battle . The Seven Swords were wounded from battle . neutral +It would be fair to say that like Alyssa , the central character in Chasing Amy , I have until now led an experimental life . Alyssa from Chasing Amy has led an experimental life . entailment +All fine particles , regardless of their chemical composition , are equally potent in causing premature mortality . Fine particles are able to slip through most home air filtering devices . neutral +Shinjuku has Tokyo 's largest discount camera stores , although these rarely offer better prices than those available from New York 's famous mail-order outlets . Cameras found at the Shinjuku shops are much cheaper than what can be purchased by mail order in the U.S. contradictory +Scottish banking has long been held in high regard , and it still plays an important part in the world of finance . The world of finance will continue to function normally without Scottish banking . contradictory +i don 't think so either In fact i think they end up worse because the conditions are so bad I think the situation is worse for them because the conditions are so bad . entailment +The Germanic traditions and language of the north became distinct from the Gallo-Roman traditions longer preserved in the Medi ? ­ ter ? ­ ra ? ­ nean basin . Over the years , the German traditions and language became foreign to those in the Gallo-Romans . neutral +um-hum but uh you know he 's got uh millions of dollars like He 's got millions of dollars from gambling . neutral +Similarly , poor countries won 't adopt a new rotavirus vaccine , despite 600,000 deaths a year from diarrhea caused by the bug . The new vaccines are too expensive for poor countries to afford . neutral +At that moment I made the decision that I am running this campaign . I would not quit , no matter how hard running the campaign might get . neutral +But the basic premise of the IRA rules is that people with income are taxed on their earnings . People are taxed according to the amount they make , but their deductions are different , neutral +three thousand foot 3000 feet above the ground . neutral +You wanted us , suh ? It was like being back in the army . The sir desired them aboce all other recruits . They were special . neutral +Therefore , for the purpose of a classification system for financial reporting , the fee is akin to dedicated taxes that are also related in the aggregate to associated costs and that are classified as nonexchange revenue ( e.g. For the purpose of a classification system for financial reporting , the fee is not akin to dedicated taxes contradictory +where do you what area do you live in oh okay i live in Dallas uh Rowlett I 've been living in Dallas for seven years now . neutral +6 billion pieces in 1996 , an increase in volume of 11 . In 1996 , volume increased by 11 . entailment +yeah yeah right he felt that he really had an in so you know he things he would do with an airplane but any rate that 's off the subject no i haven 't seen i haven 't seen He doubted his ability to fly a plane contradictory +( He runs the NewsHour as if it were a Senate office and he , the senator , says one veteran of the show . ) The man has been a part of the program since it began . neutral +First you should know that I am proscribed as a duly registered virgin . I have been saving myself for the right person . neutral +The business and financial center and the signature soaring architecture are on Hong Kong Island . Hong Kong Island houses everything but the Financial center . contradictory +Among the protest 's promised attractions are a Princess Diana look-alike stripper and a homemade guillotine . Garish attractions such as a stripper similar in looks to Princess Diana and a guillotine will be at the protest . neutral +The wonderful setting alone is worth the an old abbey incorporating the massive remains of the city 's third-century Roman baths , the Thermes de Cluny . The old abbey contains some rather small first-century Roman baths which are not worth seeing . contradictory +Around 3000 b.c. , native Archaic Indians began to develop a lasting hunting and gathering culture . Around 2012 was when the native Indians help develop human culture . contradictory +If the seduction works , and it usually does , you 'll want to come back time and again . When the seduction doesn 't work , you 'll still want to come back again ! neutral +The big three are by no means accorded equal status . The big four are not equal in status contradictory +you you know what eucalyptus is it 's You are familiar with eucalyptus ? entailment +It was a city of beautiful palaces and temples , and a place of learning , with one of the most renowned libraries in the known world . Its library is considered to be one of the worst in the world . contradictory +well um just recently i think it was Sunday on Sixty Minutes I saw it on sixty minutes . neutral +what did you like to do most What did you like to do most ? entailment +The multipollutant and total MWe of control technology retrofits are given for 2005 , 2010 , 2015 , and 2020 . The multipollutant figures and total MWe are currently unknown for any upcoming control technology retrofits . contradictory +They have co-presidents and you can have co-maids of honor . There are co-presidents and co-maids of honor . entailment +He is much more heartfelt about prison reform than about Wachtler reform . He is less passionate about Wachtler reform than he is about prison reform . entailment +It is expected that continued planning and concerted effort will result in higher quality service provided more uniformly throughout the state , and that clients in increasing numbers will be the beneficiaries of a more thoughtful and better coordinated state justice community in Colorado . Concerted efforts and continuous planning is expected to lead to higher quality service . entailment +He acquired a skate from the fishmonger and painted a loose paraphrase of a Chardin still life . After he got a skate from the butcher , he recreated a Jackson Pollock entirely out of crayon . contradictory +take all thirteen weeks of summer that 's less than uh right at a weeks full full uh full week 's worth of vacation and i have you know three weeks a year i been long enough to do that Summer is just 8 weeks long . contradictory +And it is a rather uninteresting , one-sided kind of hedonism that fails to take this into account . It is uninteresting and one-sided hedonism which fails to account for this . entailment +Next to it is Abbot Hall , a handsome Georgian Mansion that now houses the Abbott Hall Art Gallery and Museum of Lakeland Life complex . The Abbott Hall Art Gallery is on the other side of the road from the Abbot Hall itself . contradictory +well i i figure it takes practice and i i don 't i say i don 't have the time that 's not true by the time i put my kids in bed at night i don 't want to do anything I 'm exhausted by the time I get my kids in bed . entailment +oh uh-huh yeah and sometimes the the local ones aren 't as publicized it seems that uh they should be Local ones are not as advertised as they should be . entailment +The small trail-side shrines in the high mountains , called chortens , are also Buddhist , and often surrounded by stones carved with the Om mani padme hum incantation Hail , jewel in the flower of the lotus . The small shrines were not always called chortens , this only occurred recently . neutral +Two years later , the Portuguese sent their fleet , led by Afonso de Albuquerque , to seize Melaka . The Portuguese fleet was one of the major naval powers of the time . neutral +The sign Grappillage Interdit means just what it says ' Don 't steal the grapes , referring even to those left hanging at the end of the harvest . All grapes produced in a harvest are eventually picked by the end . contradictory +Credit cards work almost everywhere these days , but cash and travelers ' checks should always be on hand as a fall back . A good example of a place that accepts credit cards is Walmart . neutral +It was founded in an amazing geological area on hills created by ancient volcanic activity ideal vantage points for building strong defenses and spying an approaching enemy . The hills allowed for easy attacks from enemies . contradictory +Calm down " Tommy had made an impatient gesture " I 'm going right away now going to the London and North Western Railway depot , if you want to know . " Tommy explained impatiently that he was going to the London and North Western Railway depot . entailment +The roc 's growing impatient ! " VIII The great roc 's hard-drumming wings set up a constant sound of rushing air and the distance flowed behind them . The roc is getting hungry and impatient ! neutral +Le beau petit monsieur , cried Annette , pausing by the bed in the darkness . Annette spoke English while in a chair . contradictory +Also on hand were some women who were victims of such violence , but benefited from free legal services . Some women who have been victims of such violence , could benefit from free legal services , but the government is discussing this case , neutral +It was like staring into hell . Hell wasn 't quite what Jon was thinking of when encountering such a sight , but it was very , very similar . neutral +She made the sounds again , and it rose reluctantly , curling up at the front , like a crazy toboggan . She made strange sounds and it rose reluctantly again . entailment +The problem , though , is that not one of them has ever fixed me up with a man . They 've never fixed me up with a man , that 's the problem . entailment +Paul the Apostle carried the word . The word was carried by the Apostle Paul . entailment +San 'doro and I take the north . We will head into battle from the north . neutral +i uh a friend of mine is a psychologist and he always refers to it as uh short-term pleasure oriented i guess he 's a technical aspect he likes to apply to it I am friends with a person who works as a psychologist . entailment +'I am a publicist . They have been a publicist for many years . neutral +Many people are willing to serve higher goals and the selection process needs to go beyond its usual pool of suspects . There are no people in the pool of suspects for the selection process . contradictory +Reserved . Waterproof . contradictory +It 's hard to dispute the virtuosity of a painting such as The Birth of Liquid Desires , painted when he was 28 , in 1932 . It 's difficult to discuss the virtuosity of that painting , said the critics . neutral +A colonnaded circular monument to the right was raised in the memory of Dugald Stewart , professor of moral philosophy at the University of Edinburgh in the 1780s . There were no monuments erected in honor of Dugald Stewart . contradictory +GAO will grant congressional Members , upon their written request , access to its workpapers at the GAO site or will provide copies of selected workpapers only after a product that results from the workpapers in question has been made publicly available . GAO is not granting Congressmen access to their papers . contradictory +But Dala rapidly became slack , repetitious , corrupt , and in the end completely pathetic . Dala felt ashamed of his attitude and behavior . neutral +We don 't have a lot more options , said Anne Milne , executive director of Utah Legal Services , after learning of the CVR refusal Wednesday . The director stated there were not much they could do after the refusal . entailment +i know it 's it 's really hard for me i work two jobs and My two jobs make it difficult for me to unwind at home . neutral +yeah that that 's where you just float down the river right You just float down the river , right ? entailment +Behind Mt.Rokko is Arima Onsen , one of Japan 's oldest hot-spring resorts . The Arima Onsen has been around for many years . entailment +i 'm not either Count me in . contradictory +Dexter and his business partner and college friend Phillip Jones have also accelerated licensing of Martin Luther King Jr . You can now buy Keep the Dream Alive checks and tasteful King statuettes . King was a mighty man , who shook the nation with his mighty hands . neutral +I 'm not sure I have enough food to feed him , A 'deem pointed to Thorn . A 'deem didn 't know if he had enough food for Thorn . entailment +The Alexandrians reject the polls in favor of a 1996 3,500 . The polls were not rejected . contradictory +Children who are suffering from an overload of art and architecture will enjoy the caves with their stalactites and stalagmites , as well as the exhibits and zoo at Le Thot . Children will not care about the zoo at Le Thot . contradictory +The man-hours of labor estimated to be required for supply of an ACI system are listed in Table 4-3 , which includes a breakdown of man-hours by task . You can find estimates of man-hours of labor in table 4-3 . entailment +Thereafter each sultan , on his accession , visited Eyep Camii to gird himself ceremonially with the Sword of Osman , the first Ottoman sultan . The sultans believed their reign would be cursed if they did not ceremonially gird themselves with the sword . neutral +No one knows for certain when the figure was carved ; one legend dates it to the early 8th century . Some people think the figure was carved in the 8th century . entailment +yeah with any any weird strange cat around here There arent any cats around here . contradictory +What are you talking about ? Dad didn 't even know that thing was there . Dad didn 't even know that thing was there , what are you talking about ? entailment +'Because there is no Wednesday on the Japanese calendar , ' said Encyclopedia Brown , as Taylor sputtered with rage . Taylor found Encyclopedia Brown 's comment funny . contradictory +but she we were both feeling so guilty about enjoying this chili uh after seeing that We had some food after seeing it . entailment +oh boy yeah what kind of a boat do you have So what do you like to do out on the water ? Boating , jet-skiing , windsurfing ? neutral +They should be worried about the truth and concerned about the truth , and that was Salon ' s guiding principle here . Salon always told the truth because he was concerned about his legacy . neutral +'Jane Finn ? ' he said . He wasn 't wondering if anyone was Jane Finn . contradictory +well i felt a little guilty but not much when uh Robin Yount won the MVP instead of Sierra I really wanted Sierra to win the MVP . neutral +Deemed the finest Ottoman building in Istanbul , the mosque is a tribute to the Golden Age of the Ottoman Empire , and to the two great men of genius who created it Sultan Seleyman I , the Magnificent , and his chief architect , Sinan . The mosque was built in Cairo , despite having Ottoman architects . contradictory +Procedures for Developing Base Year and Future Year Mass and Modeling Inventories for the Heavy-Duty Engine and Vehicle Standards and Highway Diesel Fuel ( HDD ) Rulemaking . They did not take the time to write done the procedures . contradictory +Their beauty and accessibility ( being only a short drive from Ambleside ) make them a must for all visitors . They are a long drive from Ambleside . contradictory +Not a lot of Indians , however , could afford the trip to Britain to take the examination . Not lots of Indians could afford to travel to Britain and take the exam . entailment +they must think Americans are just really terrible if they watch this Americans are perceived to be terrible . entailment +In summer , if you sit by any reasonably quiet estuary , you may see black tern . In the summer months , you may see a black tern in a quiet estuary . entailment +The more important concessions , however , were 1 ) Liggett 's admission that the industry had consciously marketed tobacco to minors ( which will increase congressional support for stiff regulation of the industry ) and 2 ) its release--temporarily blocked by a North Carolina court--of documents from strategy meetings among lawyers for the five biggest tobacco companies , which industry critics believe will prove a conspiracy of deceit . Liggett admitted that tobacco had purposely been marketed to minors . entailment +Not that he 's walking away from the billions of dollars , of course . Obviously in the moment he is walking away from the billions of dollars . entailment +It 's no fun to strap that stuff on when the thermometer hits the upper 90s . We don 't have to do anything when the temperature reaches the upper 90s . contradictory +when i when i when i go camping i usually take a sleeping bag and some cooking stuff and that 's about it I only supply myself with a sleeping bag and cooking material when I go camping . entailment +for the N C State uh Wolf Pack The jackets are being made for the NC State Wolf Pack . neutral +Bush has several decisive advantages on this question . On this question , Bush has several advantages . entailment +Another management reform initiative that provides a legislative basis for measuring performance is the Information Technology Management Reform Act of 1996 , which requires each federal agency to ensure that performance measures are prescribed for information technology that it will use or acquire and that the performance measures assess how well the information technology supports agency programs . There was an act regarding the reform of IT management passed in 1996 . entailment +a lot of people don 't vote because they didn 't register People register my vote . contradictory +You hear ? said the German , his eyes on Tommy . There was a shout in the distance . neutral +well that that 's true i 've never thought i 've heard about it countless times but never thought about going up there I have never considered going up there despite hearing about it so frequently . entailment +ah sounds familiar I have never heard anything like this before . contradictory +The rival Hong Kong and Shanghai Bank is by architect Norman Foster ; built on a coathanger frame , its floors hang rather than ascend . Hanging floors are an unpopular design because they are dangerous . neutral +More exotic exhibits include playful otters and a large sea-water tank housing sharks and sting rays . One can see both otters and sting rays . entailment +Klayman , who presents a coherent faaade while making wild and unsubstantiated charges , is perfect . Klayman is a putz and is not perfect . contradictory +oh fishing 's fishing is fun up here it 's not Fishing is enjoyable here . entailment +We feature extensive coverage of the major issues each and every day , and devote more time to international news than any of our evening competitors . We have more international news than any of our evening rivals . entailment +He overheard the whole conversation 34 of course . He heard nothing , despite his efforts . contradictory +oh i never thought about that that it would take a long time to find someone available It would take a long time to find someone available . entailment +Called the Honours of Scotland , these are said to be the oldest complete set crown , scepter , and sword in Europe , unchanged since 1640 . The Honours of Scotland is very young . contradictory +" Tonight ? " Tobe Kells made a quick examination . Is it happening tonight ? entailment +i guess i have the most trouble with chipping how about you I have not practiced chipping . neutral +Kristine , this is like a parent being asked to name a favorite child . This is like a parent being asked to name a favorite child . entailment +Gradual decadence and increasing gentleness . " Each house was grander than the last one . neutral +well that 's a good way to look at it Well you can ignore the matter . contradictory +The issue is packed with remarkable historical One article traces the rise of total war to Napoleon 's conquest of Zaragoza . A packed issue of the soon to be defunct One magazine , covers Napoleon one last time . neutral +In blunt summary ( I 'm running out of time ) , perhaps asking us ( the unwashed masses ) to shell out 20 bucks a year for the privilege of staring longer at this stinkin ' monitor for an hour or two more a week , when we 'd rather bail outta this rotten sweatshop before the sun goes down , won 't be as appealing an expenditure for our meager discretionary income as say , three pitchers of beer or a couple of baseball game tickets . I have very little savings , less than $ 100 total . neutral +More recently , the overwhelmed native Hawaiian culture underwent a renewal as well . The native Hawiian culture was overwhelmed by tourists . neutral +Eh ? I don 't get you ? I don 't understand you . entailment +oh i see uh-huh well if you ever decide to get a newer later model think about an Amiga because it 's the slickest machine you 've ever seen Look at the Amiga machine . entailment +and having sat on both uh uh criminal and a civil uh jury some of what goes through our courts is a total waste of time About three-fourths of my time on the criminal case was spent waiting for witnesses to arrive . neutral +not even a uh uh billy club or huh what 's the purpose of that so they can 't take it Billy clubs are great as a non-lethal type of self-defense . neutral +Despite Viking raids , a great fire at the end of the 14th century , and long years of neglect , many of the original buildings still the 11th-century round tower ( more than 30 m / 100 ft high and 15 m / 50 ft around the ba se ) , a ninth-century barrel-vaulted church known as St. A big fire killed dozens and destroyed buildings . neutral +and uh so now it 'd be really to their benefit to to really play uh some bad ball and and hopefully get a lucky uh lottery pick A lottery pick will turn around the team into a contender . neutral +yeah i think if there 's any major piece of advice i 'd give is to find a way of getting an education that doesn 't incur that kind of debt You should get an education but don 't go into debt . entailment +so uh and uh and the kids are usually uh playing out in the back she 's got uh ten acres of property that go with uh with her house so there 's plenty of room for the kids to go crazy and and the parents can There is barely enough space on her property to play catch . contradictory +The man 's eyes , large and opaque , stared at Hanson . The man 's huge and dark eyes gazed at Hanson . entailment +'Well , ' said White . White was unsure . neutral +and they make all the plans they contact everybody and they make sure everybody 's got travel arrangements and uh They do all the travel arrangements , and call everyone to confirm their plans . entailment +Payment is strictly in Malaysian currency . Payments to be made in all currencies . contradictory +Held in the Museum of Modern Art in New York until the death of Franco , per the artist 's wishes , Guernica , a panorama of horror provoked by the Spanish Civil War bombing of a defenseless Basque town , is perhaps the 20th century 's most famous painting . The Guernica was painted by Franco . entailment +The Palazzo Pubblico 's ground floor houses the offices of the town hall , but its upstairs chambers , frescoed by the city 's foremost artists , have been transformed into a Museo Civico ( municipal museum ) . The town hall 's offices are located on the ground floor of the Palazzo Pubblico . entailment +we could be just lifelong students It 's not possible for us to be lifelong students . contradictory +You know what I mean ? " Slim had never seen it so , but he nodded . Slim didn 't nod , as he had never seen that . contradictory +the airport 's something down there I don 't know where the airport is . contradictory +'Can I help you with anything ? ' I can help you . neutral +You see , there are seven of us at home . Seven of us are at home . entailment +6 . We already qualified Bay Ridge , Brooklyn , and Staten Island in the first day , says O 'Brien hopefully . Mike O 'Brien was hopeful that Brooklyn and Staten Island had been qualified on the first day of school . neutral +They know we 're looking for Jane Finn . They had no idea we were looking for Jane Finn . contradictory +Now the second most populated island in the Dodecanese , Kos has seen human settlement since ancient times . Kos is a penninsula that juts out into the Dodecanese . contradictory +She is perfectly sane , if that is what you mean . The woman states that the man is not mentally ill . contradictory +That explains the Ellen Barkin thing . Ellen Barkin made a public scene . neutral +i think that 's that 's pretty nice but i have to say that since we 've come here we haven 't done it too much though we haven 't enrolled in too many of the classes or or any of that but that 's a that 's a nice benefit to have We 're glad that we have it here , though we didn 't get to do it too much . entailment +It was the cradle of the French monarchy ; its surrounding greenery and dense forests also provided good sites for later kings and nobles to build their chateaux , away from the troublesome mob of Paris , at Fon ? ­ taine ? ­ bleau , Chantilly , and Versailles . There was no vegetation there as it was desert . contradictory +Decreases in two funding sources prompted the cuts , Worthy said . Worthy is irritated at the cuts neutral +It 's a homily . The long speech was like a homily . neutral +Nehru 's Congress Party , largely Hindu with a socialist leadership , wanted a parliamentary democracy . Nehru 's Congress Party wanted a parliamentary democracy . entailment +Auditors may meet this requirement by listing voucher numbers , check numbers , or other means of identifying specific documents they examined . The way auditors can fulfill this rule is to enumerate numbers from checks , vouchers or other identifying documents they looked at . entailment +Earlier this month , Clinton finally picked the James Stewart Polshek and Richard M. Olcott of the Polshek Partnership in New York , along with exhibit designer Ralph Appelbaum . Clinton picked James Stewart Polshek under a lot of criticism . neutral +still a feeling of you know it 's not totally wasted dollars if you think about it some of it coming back your way If you think about it , some of it is coming back your way . entailment +Shall we really try it ? he said at last . He wondered whether they should really try it . entailment +Elsewhere , the implicit has become explicit . In other places , what was inherently understood has become outwardly stated . entailment +However , the Department rejected the contractor 's proposal as too expensive and difficult to implement . The Department has never rejected a proposal . contradictory +i mean i think i think the only i 've ever seen a sequel was Two Thousand and One There are many movies that I wish I had watched but never ended up doing . neutral +City Mail is an example of geographic cream skimming . City Mail never takes the best off the top , geographically . contradictory +uh we uh then i stopped teaching after my husband 's business business was established and we had two children and i stayed home with those children and I am single and don 't have any children . contradictory +A bust in the chateau gardens marks the site of his grave . His grave is marked by a bust in the gardens of the chateau . entailment +never yeah and then on the other hand too while he was out busy running for the presidential thing the legislature was having their own way He ran for president but somehow maintained control of the legislature . contradictory +and i i think the you hear the news you know you start out in the morning and all day you hear the news and by time say you get off work and go to vote you feel like it doesn 't make any difference Throughout the day people get their news from many sources . neutral +He pulled up to match Drew 's sobered trot . He sped past Drew and off into the sunset . contradictory +As if confirming his fear a group of twelve men gathered and crossed the same bridge . The men didn 't speak a word as they crossed . neutral +Pieces come as small as a ring holder or olive bowl to huge garden pieces that would have to be shipped back home . Some of the pieces may have to be shipped back home . entailment +okay you should always have an umbrella permit that bridges your uh life insurance and your medical and your um um car insurance in case you run into a lawyer and you break his arm he 's going to sue the pants off of you these kind of things are about a hundred dollars a year so you you know these are all equivalent to the monthly budget things some of them are there to pacify situations and some of them are there to prevent things from happening You should be careless because nothing bad will ever happen . contradictory +If life is a war of all against all , what guarantee do we have that adhoccery will work , no matter how inspired ? Adhoccery will not work since life is a war against all . entailment +that 's what i noticed when i was there was the ice storms you got around February one time i flew into DFW and it was iced over we had to go into Love Field because we just couldn 't get into DFW I never took any flights to DFW . contradictory +You know he really hates the press , and is forcing himself to try to win them over . He is trying hard to get the favor of the press . entailment +The main road continues its loop , bringing you just about back tSevila Baleira , before a minor road heads north again towards Pico do Cetelo . Bringing you just about back to Sevila Baleira , the main road continues its loop , before a minor road heads north again towards Pico de Cetelo . entailment +I could stay here and join your group . I could live here forever and be part of your group . neutral +Just being the first chair of the commission which began the implementation of the pro bono process was somewhat humbling . They would not stop bragging about being the first . contradictory +i know so and and now they 've lost the desire most of them don 't even try to get you know to go out i just have two that drive me crazy that i let out in the back you know but i won 't let them get if they start going in the front and stuff i bring the m in They have lost their will and desire not even trying to get out . entailment +At the end of the day is a phrase that drove several Slate readers bonkers this year . To claim hat all slate readers like the phrase , ' at the end of the day ' , is not correct because some were bothered by it . contradictory +Feel better ? asked the German , as he removed the empty glass . The German took away an empty glass . entailment +what is his uh let 's see Let 's see , what is the meaning of life ? neutral +huh now in some of the towns around us they 're already picking up the newspapers The newspaper is a rare find around here . neutral +Of course , there are limits . This isn 't without boundaries . entailment +oh there was another one what 's the one that just oh Dances with Wolves have you seen that yet oh you 've got to see that one I 'm going to see Dances with Wolves this weekend . neutral +We 're really relying on our legal aid partners across the state to build this legal-services library , Colpoys said . We need them in order to help with licensing and budgeting problems . neutral +( internal quotation marks omitted ) . ( internal quotation marks removed for clarity ) . neutral +Federal Reserve researchers estimated that , as of the early 1990s , U.S. investment including education and R and D had declined as a share of GDP since the 1970s . Federal Reserve researchers found that US investment has increased . contradictory +The Straits Settlements were formed after the Anglo-Dutch Treaty of London ( 1824 ) . The Dutch were particularly eager for the incorporation of the Straits Settlements given their intense trade interests in the region . neutral +The prescient Sam Donaldson wisely took the weekend off . Sam Donaldson wisely took the weekend off . entailment +In the 1990s , pro-lifers have used fetal diagrams to illustrate the horror of partial birth abortions . Partial birth abortions should be banned in all cases . neutral +well they got one um in Richardson probably me i try and think there there there 's a couple of those that they combined and it 's a combination pizza parlor and all kinds of There isn 't one in Richardson , but in Midlow . contradictory +Based on availability of resources , particularly labor , it is projected that an additional 6,000 MWe of FGD capacity could be built for a total of 10,000 MWe by 2005 . We have identified an opportunity for creating 6,000 more MWe of FGD . entailment +There 's a good re-creation of King Tutankhamun 's tomb at the time of its discovery so you can see just what Howard Ceter saw in 1922 . King Tutankhamun is one of the most well known figures associated with Egypt . neutral +Just to the south is the great Amphitheater , the oldest surviving in Italy , offering a fine view back over the town from its upper tiers . The great Amphitheater lies to the south and excellent views can be seen from its upper tiers . entailment +and i think it 's really very sad that north of the border you know the United States and Canada is so different from the South from South America and Central America there 's really a disparity between the um There is not much of a difference between them . contradictory +uh yeah and i 'm going well well i don 't want to gamble so i just let the car cool off until i get a hard failure I don 't care what happens to my car . contradictory +The thing is , we 've become closer--and now I 'm attracted to him . Since we have become closer , I am attracted to him . entailment +She couldn 't hope to make such a trip for maybe six months . Her hopes were answered and she could make the trip now . contradictory +oh you are do you work for TI oh i see You don 't work for TI ? contradictory +I am Gauve , Ca 'daan 's uncle , he said . Ca 'daan 's uncle was named Gauve . entailment +It is built in a square , and the only way in is through the gate in the brick defensive wall . The defensive wall is made of brick . entailment +Slate defers to The Associated Press Stylebook and Libel Manual on all matters secular and spiritual . The Associated Press Stylebook and Libel Manual are the known authorities on all spiritual matters . neutral +I believe you , said the old gentleman , chuckling , and pinched her ear in high good-humour . The old gentleman chuckled and then pinched her ear . entailment +but um i think there 's enough out there to pick from i 'm not we don 't have cable to the point of of of the HBO or any of that stuff and but uh yeah There are no cable providers . contradictory +Your cards probably don 't work either , because the size of the reader has changed . The reader size has changed meaning that your cards probably don 't work either . entailment +The village became famous for its cherries and chestnuts , and the popular liqueurs ginja and licor de castanha . The island is a desolate wasteland where nothing will grow . contradictory +You be stayin ' over to th ' Jacks ? Drew glanced up at the haymow from which Callie had just descended . Callie had recently come down from the haymow . entailment +Families head out to Platis Gialos or Psarou , but they can be crowded . Platis Gialos and Psarou are popular tourist locations . neutral +uh-huh well i guess the only people i 've talked to before were from Texas so i I have only talked to those from Texas before this . entailment +They brought him a note , a few kind words of sympathy from Peel Edgerton , who had read the news in the paper . The paper the note was written on was lined . neutral +A very elegant , well-run hotel just steps from Gran V ? ­ a , but insulated to keep the noise out . The hotel keeps outside noise away from the patrons . entailment +The CIO position in the federal government is still evolving . The CIO positions has seen its role limited and expanded in the federal government . neutral +And , oh , to know what a frolic is ! To know what a frolic is . entailment +( Many suspect that the bombings were staged to marshal support for war . ) The countries at war wanted war in order to reduce the population . contradictory +If you are a Democrat , you simply hope the president comes to terms with his heat-seeking missile . The Republicans are not interested in the president 's missile . neutral +They are seasoned and thirst for blood . They had an urge to drink vital fluids . entailment +An unforgettable item is La Dama de Elche ( the Lady of Elche ) , a stone sculpture found in Alicante province in 1897 . The sculpture is one that sticks in the mind . entailment +Adrin bobbed , dove , spun , ducked and fell bruised to the ground . Adrin had sensitive skin so he bruised easily . neutral +But real competition should be the 20 th -anniversary gift bestowed on these fair-weather friends of deregulation . Those who advocate deregulation will be happy with the new competition . contradictory +Keep in mind that you only test those data elements you plan to use for the engagement . The data elements provide conclusive information . neutral +In my view , the FTC seems to be getting the balance about neither rolling over and playing dead nor being blind to business practicalities and long-run competitive innovation in retailing ( new kinds of superstores , discount shopping on the Net . The FTC is keeping up with the times , what can not be said about other stores . neutral +yeah well i don 't know i told my husband i said you go out some to work on the car it 's not worth getting all mad and fighting and hollering at each other when it goes wrong i says you go pay to have someone do it My husband likes to try and fix cars but it never turns out well . neutral +The violent arena of domestic abuse litigation has grown a bit more volatile here , now that a judge has decided to hold two women in contempt of court for returning to men who had been ordered to stay away from them . The women were married to the men they had returned to . neutral +But come instead for the spectacular view from the 297-m- ( 974-ft- ) high Salto di Tiberio ( Tiberius ' Leap ) precipice , said to be the last pleasure enjoyed by the emperor 's enemies before they were hurled over the edge . Historically , enemies of the emperor were thrown off of the Salto di Tiberio . entailment +CIT ( Compagnia Italiana di Turismo ) is a national travel agency for transportation , excursions , and hotel bookings . CIT also helps people find guided tours and other activities to do . neutral +No wonder the two beside him had died from overwork , beatings and plain starvation . It was clear why the other two had died . entailment +9 million , implying an increase of $ 109 . It was implied that there was an increase of $ 109 . entailment +He 'd been vaguely worried about the apparent change in Ser Perth , who 'd turned from a serious and helpful doctor into a supercilious , high-handed fop . Ser Perth stayed as the same doctor we always knew . contradictory +They knew the truth of combat . They were aware of the truth about combat . entailment +i know and isn 't that terrible I know , and isn 't that just wonderful ? contradictory +Legal Services Corporation ( LSC ) is a private , non-membership , nonprofit corporation in the District of Columbia . LSC has a large government-funded budget . contradictory +You should find some or all of these in Saint-Martin 's waters as well , with about a dozen boats available for charter . The amount of boats available to charter in Saint-Martin 's waters varies from 10 to 14 . neutral +Rennie might have faith , or pretend to have faith , in some new method of training , but Rivas was a conservative who preferred the tried and true and undoubtedly considered the Kentuckian an interloper . Rennie has solid faith . contradictory +i 'm really am interested in getting most of the incumbents out I want to remove the incumbents . entailment +they 're they know better they know better yeah yeah Yes they know better . entailment +Bernstein suggested that the supporting text for this recommendation would have to explain the need for political commitment to changing the health and social outcomes resulting from alcohol problems . Alcohol problems have an impact on health and social outcomes . entailment +'I just told you we 'd work well together . ' I told you we 'd be excellent partners . neutral +For those whose budget or expertise won 't stretch to the real thing , reproductions of these same articles are sold . There are no reproductions , you are stuck with the originals . contradictory +As Urban Institute senior fellow Isabel Sawhill notes , we license day care centers , but we don 't license parents . Isabel Sawhill claims that statistically , parents have a greater tendency of child abuse than day care centres do . neutral +Yes , HOW ! The person said yes excitably . entailment +'Go , ' White croaked . White told me to go to Europe . neutral +In any case , he observed , even in the existing randomized trials of interventions that use motivational interviewing , we cannot evaluate the effect of counselors ' skill levels . He observed that in the randomized trials of interventions that used motivational interviewing , we must look at how skilled the counselors are in comforting patients . contradictory +The District Court denied them a preliminary injunction , but the Second Circuit invalidated the restriction , finding it impermissible viewpoint discrimination that violated the First Amendment . The District Court ruled against their request . entailment +But this was thanks to only his and solely his sole and only hard work and merit . His work ethic turned out to be very bad . contradictory +You need not think that any fear of publicity , or scandal between husband and wife will deter me . ' Then I thought I heard them coming out , so I went off quickly . " I stayed and talked with them when they came out . contradictory +but Calloway 's has kept theirs forever so Calloways keeps things for a long time . entailment +Its prized possessions are the haunting Volto Santo ( Holy Face ) , a wooden crucifix said to have been carved by Nicodemus and possessing miraculous powers ; and the graceful white marble tomb of Ilaria del Carretto Guinigi by master Sienese sculptor Jacopo de lla Quercia ( 1408 ) in the former sacristy . A painting is its prized possession . contradictory +Lech Walesa , a shipyard electrician , led worker strikes in Gdansk . A shipyard electrician , Lech Walesa , led worker strikes in Gdansk . entailment +mentally it 's just the best thing for you i mean when you get on in your years it 's the only thing you really have It 's difficult to accomplish , but it is the best thing as you get older . neutral +On Saturday , Mainichi Shimbun devoted its main editorial to Britain 's new defense cuts , pointing out that Britain expects to save 141 billion yen on its defense bill over the next three years , while Japan 's defense expenditure continues to rise . Mainichi Shimbun wrote an article on Britain 's defense spending . entailment +right she just settled for that yeah Yeah , she decided to do that . entailment +For most people , intellectual is not the dirty word it seems to be in so many other countries . Most people find intellectual to be a very dirty word . contradictory +That gentleman nodded approval . The man never nodded . contradictory +They cannot walk into Tubacca or Tucson to buy what they need . Tubacca and Tuscon are too far away to go by foot . neutral +There are also galleries and historical collections that celebrate the culture of the island . The culture of the island is almost non-existent because of the lack of history . contradictory +DOD is taking steps to change the culture of the acquisition community The organization wanted to make it easier to acquire . neutral +Yeah , the O.J. trial was bizarre , but as far as I know , Marcia Clark , Judge Ito and Simpson never , ever , fought over a check at the dinner table . The OJ trial was very strange . entailment +He left gelded and bled to death a day later . He bled to death after he left . entailment +Highway 90 northward through the Jordan Valley leads to the lyrical shores of the Sea of Galilee , a good destination for an excursion of one or more days from Jerusalem . The shores of the Sea of Galilee are a good excursion from Jerusalem . entailment +He was up quickly . He was slow to rise but eventually got up . neutral +The small desert man fought with both his daggers held backwards which confused Adrin , but San 'doro fought just hard enough to keep Adrin moving but not hard enough to put him into despair . The two men made peace and became the best of friends . contradictory +This way into my room . My room is this way . entailment +Devon House is one of the exceptions , built in 1881 as a plantation house for George Steibel , the first black millionaire of Jamaica . The Devon House has huge pillars in the front of it . neutral +Neither DOL nor OSHA systematically provided regulatory background information to the public through their web sites . The regulatory background information for DOL and OSHA was provided on their websites . contradictory +oh was that good i heard oh okay I heard that was horrible , no thanks . contradictory +TAX EXPENDITURE -A revenue forgone attributable to a provision of the federal tax laws that allows a special exclusion , exemption , or deduction from gross income or provides a special credit , preferential tax rate , or deferral of tax liability . A tax expenditure is income gathered through taxes . entailment +I identified the contents of each glass with a label , stretching plastic wrap over the tops to prevent aromas from escaping . I stretched plastic wrap over the tops to stop the smell from escaping and labeled them . entailment +And regardless of who supports them , these guys have a lot of expertise to offer , don 't they ? They don 't know about anything . contradictory +Naturally , the pigeons hang out in the piazzas all day , cooing and crapping and waiting to be fed . The management has devised ways to keep the pigeons out of the piazzas . neutral +roof of your head 's blown off Your mind is blown . entailment +No real road leads to the coast in this whole quadrant , with one major exception . There is only one real road leading to the coast . entailment +Tourist development in the Sinai is mainly along the east coast where the coast meets the waters of the Gulf of Aqaba , though there can be many miles between resorts . The distance between resorts can sometimes span miles . entailment +I trust you . I think you are trustworthy . entailment +He is happy to bury us here . He wants to hurt us . entailment +Outside auditors bear varying degrees of responsibility for these recent failures , but they don 't bear all the responsibility . The outside auditors do not bear all the responsibility . entailment +We provide indirect confirming evidence of the hypothesis , using the fact that the model implies that mail processing and delivery costs will comprise specific percentages of total costs at specific per capita volume levels . The evidence directly confirms the hypothesis and backs it up with indisputable facts . contradictory +There are two buildings of note an 18th-century church and an Art-Deco cinema . The 18th-century church and Art-Deco cinema are noteworthy . entailment +Both of these units provide more recent insight into the ability and scheduling to install FGD systems during a period of high demand for SCR installations . There is no demand for SCR installations . contradictory +Adrin and San 'doro began the hike to the north passage . Adrin and San 'doro started for the north passage . entailment +A big crowd of solicitors will get busy , and they 'll get some high-brow doctors on the job , and the end of it all will be that they 'll say my brain was unhinged . They will mention after getting top notch medical professionals that my brain is deranged . entailment +While it is the responsibility of the CIO to execute the specific responsibilities of his or her position , it became clear to us during our case studies that the successful CIO relies extensively on both vertical and horizontal relationships within the enterprise in order to carry out these responsibilities . A CIO relies on relationships within the enterprise to follow through their responsibilities . entailment +Cracks in the Faaade The Faaade bears some cracks . entailment +His uncle considered this , running a hand over his thinning head . His uncle had long , luxurious locks . contradictory +However , Sevilla la Nueva was not completely abandoned , continuing as a working plantation and rum distillery that were later developed and expanded under British rule . Sevilla la Nueva is completely abandoned . contradictory +The fabulously wealthy are failing us as a social type ; indeed , they are not fabulous--not excessively decadent , not imaginatively Sybaritic . Some people have more than $ 100million . neutral +I only knew the other slaves in my den , my chain brothers . I shared the den with slaves who were in horrible condition . neutral +Premills basically believe the Antichrist will be a charming rogue and great communicator who will dupe Israel into following his lead , and then will turn on the Jewish people to destroy them . Premills believe essentially that the Antichrist is a charming rogue and great communicator who will dupe Israel into following him and then destroy it with nuclear weapons . neutral +really yeah i hadn 't thought about that um-hum That 's something I hadn 't considered . entailment +uh not that i can think of um i think i 'm under my quota a little bit i need it if i if i make a phone call or two I might have reached my quota but I 'm not sure . neutral +The Science Museum in Tsim Sha Tsui East allows children to get their hands on over half of its 500 exhibits , while the nearby Space Museum has regular screenings on an enormous Omnimax screen in its Space Theater , making the night sky come vibrantly alive . The Science Museum has more than 500 exhibits . entailment +On the same street you will also find the ticket office for the Military Tattoo ( see pages 35 ) , with an accompanying gallery and souvenir shop . Military tattoo , a gallery and souvenir shop are on the same street . entailment +He seized at the first words that came into his mind . He regretted saying those words . neutral +If I had told you my ideas , the very first time you saw Mr. Alfred Inglethorp that astute gentleman would have ” in your so expressive idiom ” ' smelt a rat ' ! If I had revealed my ideas to you , Mr. Alfred would have become suspicious . entailment +okay well i enjoyed tack talking to you Cathy bye-bye Thanks for chatting Cathy , goodbye . entailment +When are they appropriately used in evaluation ? When can they be used in an evaluation ? entailment +The intellectual guardians of Arab nationalist orthodoxy--Said , the Syrian poet Nizar Qabbani , Egyptian cultural leader Saad Eddin Wahbe , Egyptian editor and pundit Mohamed Heikal--have never accepted the fact of Israel ; they cannot envision a world without the rallying cause of anti-Zionism . The arabs are terrified of a world without anti-zionism neutral +they 're not going to do it that 's my biggest problem is even if you give them the death penalty they appeal it and appeal it and appeal it and there 's you know My problem with the death penalty is that they can appeal it which wastes time and resources . neutral +There are no set times for lunch and dinner , especially in tourist areas , and you can eat at almost any time of day . The ability to find food at any hour is due to meals not having set hours . neutral +The preamble to the final rule indicates that EPA evaluated three different methodologies for implementation . Is indicated that EPA evaluated , for implementation , three different methodologies . entailment +In a region that long ago eschewed train travel , railway romance still permeates Union Station ( 800 N. Alameda St. ) . Despite the lack of train travel 's popularity , Union Station is still the scene of railway romance . entailment +Generators respond by gradually reducing their emissions - reducing more than the cap requires early in the program in order to save allowances for use later in the program when the caps decline . When the caps decline , the generators increase their emissions . contradictory +i 'm sorry well i am actually Although I am sorry , I 'm actually entailment +uh she she fell in love with Salzburg Austria I lost her that day to a country . neutral +The man stood , two blades in his hands . The man was holding nothing in his hands . contradictory +Our review of both the interim and final rules and accompanying documentation suggests that appropriate consideration was given to this Executive Order . We looked into the supplied documentation before making a decision . entailment +a lot of people still coming in from Russia and stuff jews coming in to uh There are only Chinese people coming in lately . contradictory +This is the place to wander and soak up the sights and sounds of Kyoto 's lone quarter still dedicated to traditional arts and entertainment . There are two areas in Tokyo dedicated to traditional arts and entertainment . neutral +If you 're on a coach tour , you will probably stop at the excellent Ein Gedi Spa and get your chance to float on the Dead Sea . If you take a coach tour , you probably won 't stop for long enough to be able to float on the Dead Sea . contradictory +and we still have that I think we have it somewhere neutral +It was a meal the likes of which he had not eaten in years . It was a feast , which he had sorely missed over the years since his last . neutral +because i i just don 't have that discipline with children that uh you need for them to learn Because I love watching children play . neutral +Perhaps they are elderly people who are swindled out of their life savings or beaten by a neighbor or acquaintance . The neighbor who beats elderly people used a whip . neutral +and that and they always cooked then they had they had the choice you know they lived in their own little house they had their own possessions still in there to some extent you know some of them They had no choice while at home . contradictory +'What is it ? ' What is that ? entailment +Sheep graze alongside a rusty , disused cannon , standard armament of FWI forts . The sheep like the grass better next to cannons . neutral +The casinos have no admission charge and formal dress is optional , though long pants for men are required . Men are required to wear long pants in the casino . entailment +Thus , for example , if the volume in the first quintile were to double , total cost would increase by 29 percent . If the first quintile 's volume were to double , cost would only go up by 5 percent . contradictory +Egypt is an excursion also worth considering . You should also consider going to Egypt . entailment +i 'm sorry they look like space mobiles I would never buy one . neutral +2-R , Mandatory Procedures for Major Defense Acquisition Programs ( MDAPS ) and Major Automated Information System ( MAIS ) Acquisition Programs ( Apr. MAIS stands for Minor Automatic Into Submission . contradictory +For example , the federal government provides funding- such as grants , loans , or loan guarantees-to state and local governments to finance the construction and improvement of the nation 's highways , mass transit systems , and water systems . No federal funding is ever used for highway construction . contradictory +Steve Roberts ( Late Edition ) , during a discussion of the politics of homosexuality , tells Blankley , You know and I know that there are letters going out right now by candidates all over the country saying , ' The gays are coming , the gays are coming . The topic of same sex relationships or homosexuality was not discussed between Roberts and Blankley . contradictory +yeah so you 're in division what now corporate corporate okay yeah that that must feel somewhat safer Being in corporate must make you nervous . contradictory +Nonetheless , we believe that our technical assistance funds , TIG awards , LRI resources , our partnerships with national organizations and the many other methods by which LSC extends the resources allocated by Congress to our grantees has ameliorated somewhat the woefully underfunded situation of legal services programs . Congress does not allocate resources to LSC . contradictory +child rearing or child day care Raising a kid or providing daily care for a kid . entailment +Under pressure from the poorer classes , who did not want the Revolution appropriated for the exclusive benefit of the bourgeoisie , the Jacobin-led revolutionary committee ordered sweeping measures of economic and social reform , which were accompanied by a wave of mass executions , the Terror , aimed at moderates as well as aristocrats . The committee instituted several reforms which had multiple effects . entailment +The point is not that investing in foreign companies is necessarily a mistake . Putting money into foreign companies poses a great risk . neutral +What do you think we had better do ? Never , I thought , had his indecision of character been more apparent . We have too many choices . neutral +Remember that negotiations should be undertaken with good humor ; this is not a battle , it 's more a form of verbal gymnastics meant to achieve a win / win situation . negotiations are not a battle . entailment +Look for Lane Crawford Ltd . , an upscale store with branches at Pacific Place , 70 Queen 's Road , and Harbour Cite Wing On , one of the oldest in Hong Kong ; Marks and Spencer ; and the Japanese department stores , Mitsukoshi , Sobo , and Seibu . Lane Crawford Ltd. is one of the oldest upscale stores in Hong Kong . entailment +Rokko , which offers a wide range of natural and man-made attractions To escape the stifling heat of summer , everyone except the super-fit takes the ten-minute cable car ride to the top . The Cable car is air-conditioned . neutral +There was the sound of typewriters from behind the doors , and the floor was covered with composition tile , instead of the too-lush carpets . There were three typewriters working in the other room . neutral +It was in Kagoshima that the Imperial Japanese Navy was created from the nucleus of ships bought from the British at the end of the 19th century . The British had a hand in creating the Japanese Navy . entailment +He 's not yet sure whether Tulare County Water Works will accept renters ' protest votes at the July 17 meeting He thinks that Tulare County Water Works should accept the protest votes as part of the democratic process . neutral +But foster ties are also strong . Fostering strong ties is a good plan . neutral +yeah and she 's so cute and her and Frank and the baby and i don 't know i just you know they took it off down here for a while uh oh gosh for about a year year and a half well She 's really cute and has a cute family . neutral +It Gislebertus did this . Gislebertus painted this picture . neutral +yeah i know that you know and then they cut their defense i i 'm not sure if that was such a great idea that cut us really bad i just i hated to see that It was a great idea . contradictory +we don 't want to piss them off and have them over produce and then because then our economy would be pretty bad We want them to overproduce and ruin their economy . contradictory +Higashiyama in a dramatic cascade of thatched and tiled roofs . Higashiyama is vulnerable to roof fires during the hotter , dryer months . neutral +The south remained dominated by the Hindu kingdom of Vijayanagar for the next 250 years . The Hindu kingdom of Vijayanagar dominated the south for 250 years . entailment +There is also a museum illustrating the history of the horse in Ireland ( including the skeleton of the legendary racehorse Arkle ) . THe museum only discusses dogs . contradictory +Or they may be defined in terms of monetary amounts that become payable on the occurrence of a specified event , such as life insurance benefits . Or they may be defined by money payable in case something happens . entailment +A Preview of the 1999 Comprehensive Revision of the National Income and Product Accounts . A preview of the revision was never conducted . contradictory +From upstairs , there came a loud thump . There was a loud thump upstairs . entailment +In a rare opportunity for concentrated effort by one man on such a gigantic project , Bernini completed the 284 travertine columns , 88 pilasters , and 140 statues of the saints in just 11 years , from 1656 to 1667 . Bernini was given an award for his hard work completing the project . neutral +It also does not apply to the sale of direct loans and the sale of foreclosed property associated with post-1991 direct loans and loan guarantees . It does not affect the sale of direct loans . entailment +What do you think I mean ? parried Tommy , searching desperately in his own mind . You know what I mean ? Tommy waited for him to answer . contradictory +Oh , that 's what I remember my father having me christened as . I had no choice in the matter . neutral +The track continues down through the Lower City past Roman remains and the ruins of a huge Byzantine church , to the museum . The track is the only path to the ruins huge Byzantine church . neutral +By sign language ? No by sign language . contradictory +We haven 't been as good at communicating our story , he said . We have not shown the world our story . entailment +Economic theory tells us that when everyone is polluting a communal stream , everyone can benefit from enforced moderation . They wanted everyone to be more thoughtful of their actions . neutral +It is place to eat fine Mallorcan , Menorcan , and Spanish cuisine rather than pizza and French fries . That place is a lovely Italian pizzeria . contradictory +and she did really good with that She did pretty well doing that . neutral +Meanwhile the vast majority of ordinary Egyptians , who offer a warm welcome to tourists , put their faith in Allah for an upturn in their economic fortunes . The economy of Egypt has been suffering recently . neutral +He eventually escaped and returned to Ireland as a missionary in a.d. 432 . This was not his first time escaping capture . neutral +The movie 's lone masterful sequence is the one that features a batch of blank , leggy dolls , along with people whose faces are hidden behind expressive masks . The movie is a dry documentary . contradictory +Lord , what fools these mortals be ! What fools be these mortals ! entailment +A federal election monitor decertified Ron Carey 's election as president of the Teamsters , citing evidence of fraud and diversion of union funds to Carey 's campaign . Carey 's election was certified . contradictory +Mother figured it out that Uncle Hiram would never get over being mad with her . " Mother was certain that Uncle Hiram had gotten over his anger years ago . contradictory +A piece warns that Russia 's nuclear power plants are shabby and decaying . A well-written piece about Russia 's nuclear power industry . neutral +There she is . She 's lost . contradictory +They 're over quickly and forgotten by all--except , perhaps , their often hapless targets . The hapless targets never seem to forget . entailment +yeah i because i always hate to see it end in January i 'd like to see it go on for a couple of months but football to me uh in real real hot weather it just doesn 't uh doesn 't click now i enjoy going to baseball games but i don 't enjoy watching them on television and i don 't enjoy watching basketball on television they 're they 're both well baseball 's so slow I hate to see it end in January because I love football so much . neutral +Visit the small chapel dedicated to the Most Ancient and Most Noble Order of the Thistle , the highest order of chivalry in Scotland . There are no spaces dedicated to long forgotten chivalry in Scotland . contradictory +Thorn cut low and hewed into the assassin 's thigh down to the bone . Thorn stabbed the assassin in the leg . entailment +" Don 't look like they was so tough they had to sneak up on th ' dipper to take a drink , do they now ? " Donally asked of the room at large . Donally was mute and could not speak a word . contradictory +How Dismal Can You Get ? How bleak can you get ? entailment +who do you think the Dallas Cowboys Texas football team . entailment +Again , the point is to bypass the troubled legal case against Clinton and to focus instead on the overwhelming moral case . The legal case against Clinton is about her emails . neutral +Then Harford is found to be an interloper . The Harford had been an interloper for two weeks . neutral +FSIS states that under the Poultry Products Inspection Act ( PPIA ) and the Federal Meat Inspection Act ( FMIA ) , cited above , state and local jurisdictions are preempted from imposing any requirements with respect to federally inspected premises and facilities that are in addition to , or different from , those imposed under PPIA or FMIA . State and local jurisdictions have been preempted from imposing any requirements for five years . neutral +The Counsel has asserted that section 712 ( 1 ) limits GAO 's audit authority to financial transactions . The Counsel stated that section 712 ( 1 ) affected GAO 's audit authority . entailment +What a guy he must look . He probably isn 't very memorable . contradictory +is almost always wrong--but it 's not far off . You can usually tell how far off it is . neutral +I guarded her from the lot of them , and then a glib-tongued scoundrel comes along , and pooh ! I protected her from them because they were livid . neutral +Chapter 4 25 Audit Objectives 26 Needs / Documentation Required 26 Chapter 5 involves Audit Methods and staffing requirements . neutral +An impatient voice cried " Come in " in answer to the page-boy 's knock , and the lad stood aside to let them pass in . The voice said to come in and the person stood aside to let them go through . entailment +As noted previously , the Shopping Avenger is but one superhero , and he issues abject apologies to all those who did not receive personal responses . The Shopping Avenger personally replies to as many people as she can . neutral +The increase in citizenship applications has led to longer processing periods and , according to critics , to some immigrants being wrongly naturalized . Some immigrants do not want to be naturalized . neutral +He seemed to be reliving the events , rethinking the thoughts he 'd had then . He was thought to be reliving the events that had happened . entailment +Tommy twisted his head round with an effort . It hurt Tommy to twist his head around . neutral +They even tried to make profits on blood provided by Red Cross charities . They greatly helped Red Cross charities by providing thousands of liters of blood , free of charge . contradictory +uh it 's kind of it the stitch is kind of like a knitting machine like the they 're loopers under the bottom and then the there 's a seam stitch and it 's the loopers that form the the edge you know that edge finish Stitch loops form the edge , and there 's a seam stitch as well . entailment +Much academic debate surrounds the exact date of the Trojan War , if indeed it ever took place . Academics unanimously believe that the Trojan war happened . contradictory +7 Privatization gone awry . Privatization went awry . entailment +and a bunch of and a bunch of money oh yeah And a lot of money was paid as well . neutral +Until the early 1990s much of the coastline was undeveloped , but a rash of building projects creates an almost continuous ribbon all along the shoreline . A continuous band of development has popped up along the coastline over the past few decades . entailment +Ever since the days when the Mughal emperor Jahangir took Persian craftsmen up to Kashmir with him during his long summer holidays , the handwoven silk-and-woolen carpets of Srinagar have been among the best in the world . The carpets of Srinagar have been routinely dismissed across the world as cheap and shoddy . contradictory +Ashoka began by killing all his rivals before conquering Kalinga in 260 b.c. Asoka should have left his enemies alone . neutral +Severn looked confused but nodded . Though he was confused , Severn nodded . entailment +Participants also believed that a challenge facing the new PCAOB will be dealing with the complex relationship between federal and state governments involved in regulating the accounting profession . There is a complex relationship between federal and state governments pertaining to regulating the accounting profession , and participants believed that this is a challenge presented to the new PCAOB . entailment +I have a teen-age daughter , 14 , who loves to chew gum . His 14 year old daughter loves all types of gum . neutral +Jacob White was still at large . White would never be found . neutral +okay we 're rolling i uh what what would you what would has your experience lead you to advise uh if my child were thinking of going to the Air Force Academy what would you say What is your opinion if my child were thinking of going to the Air Force ? I don 't like that . neutral +This was the buckskinned man who had whooped the train into town that morning . This was a completely different man . contradictory +well i do i enjoy going to the movies and i tell you i 've try to there we have a dollar theater i don 't know where do are you in Dallas or I go to the movies every Friday and Saturday . neutral +crowded , busy venue may allow a level of privacy that addresses the shame and stigma many individuals feel about problems related to alcohol misuse and abuse . All individuals are proud of their problems related to alcohol misuse . contradictory +The maze of narrow alleys that link the houses can be confusing , as there are few street signs to guide you , but the Tourist Information Centre provides an invaluable guide . It 's very easy to navigate from one house to the next , so no guide is needed . contradictory +is it David Segal i don 't know he was on uh on uh uh Arsenio It is certainly not David Segal . contradictory +The northern islands produce beautiful , heavy-knitted Fair Isle and Arran sweaters , which are available in stores throughout the city . The northern islands have discontinued their produce of sweaters . contradictory +There was , however , a growing movement against slavery in Britain . Britain always had a large anti-slavery sentiment . contradictory +These protocols are intended to provide clearly defined and transparent policies and practices relating to GAO 's work . These protocols are not intended to provide defined policies . contradictory +I took an early opportunity of giving you a hint . I took an initial moment of offering you a clue . entailment +The groups sponsored a celebrity-filled benefit , featuring Whoopi Goldberg , Glenn Close , Susan Sarandon , and others performing excerpts from playwright Eve Ensler 's off-Broadway Vagina Monologues . Critics ' favorite a celebration by Close of the word cunt and a pitch by Goldberg for the use of fuzzy stirrups in gynecological exams . They invited Brad Pitt but he declined to attend . neutral +Straggling processions , singing the Red Flag , wandered through the streets in a more or less aimless manner . There was no reason for the processions to be walking around in the streets . neutral +In recent years Santa Monica has put a great deal of money into making the Santa Monica Pier a fun-filled family destination with a carousel and other rides , arcade games , and inexpensive carnival food . Santa Monica has spent too much money on the Santa Monica Pier . neutral +um quality of the food The quality of the food . entailment +But she is still a child . But she is still too young . entailment +Also , 80 % of all domestic-violence cases are handled without lawyers . Lawyers are not involved in most domestic-violence that get resolved . entailment +We also suggest a small selection of holiday resorts and excursions on Napoleon 's wild and beautiful island of Corsica . We would suggest a small selection of resorts for your holiday . entailment +The Council would allocate $ 4 million to Neighborhood Legal Services , which is based in Harlem , and $ 1 . Neighborhood Legal Services would receive $ 4 million . entailment +and enjoy watching my savings account get larger and uh you know hang on to the one i 've got for a few years because it 's it 's it 's almost four years old but it 's still in great shape i have a Mazda RX7 I don 't think I will be buying a new car any time soon . neutral +no it 's really hard to do that i mean it 's i don 't know i guess um we do kind of have a budget um but it 's kind of funny what we what we do i guess is we try to proportion uh who pays what according to the salary that we make uh do you not understand what i 'm saying we we pay a percentage We pay bills 50 / 50 . contradictory +So the reverse hypothesis could be just as valid . The hypothesis is not valid ever . contradictory +This is said to give the doctor-investors an incentive not only to cut corners ( the traditional HMO complaint ) but also to send poor patients to doctors outside the company while referring rich patients to doctors affiliated with the company . This presents a conflict of interest whereby the company seeks to cultivate rich clients . entailment +He opened his mouth , and found that the thickness was back . He realized the thickness was back when he opened his mouth . entailment +and so i think uh uh of course now i go the other extreme i do not like to see in the corporate areas uh all the women dressed like men I love seeing women wearing suits . contradictory +um-hum i have a girl and a boy and the boy 's five he 's in kindergarten and the girl is four she 'll be in kindergarten next year My daughter will go to the same kindergarten her brother goes to . neutral +Yet , we do cruel things to animals--smart animals , affectionate animals , cute animals--all the time . We never do cruel things to animals . contradictory +Tommy felt that , thanks to Mr. Carter , he understood the position fairly accurately . Mr. Carter made Tommy feel that he understood the position . entailment +Pinturicchio , master of narrative fresco and a student of Perugino , is represented by his Miracles of the Saints . The Miracles of the Saints are portrayed by Pinturicchio . entailment +That notice was summarized in the Federal Register . The Federal Register has never been used to summarize a notice . contradictory +the household chores and duties and what has to be done so i think over a couple of generations time it will all change because it 's really been uh my generation With time things will change , chores and regular housework that is required . entailment +Riggs regrets that retired Tulsa attorney John Athens , a champion of legal aid , did not live to see how much the money has meant . John Athens saw how much the money meant . contradictory +Competitors disdain its lowbrow tone but nurse a bad case of circulation envy . Competitors disdain its lowbrow tone but the nurse had a bad case of circulation envy . entailment +The situation stabilized with Vespasian , and the second century A.D. is often considered the golden age of the empire ( Gibbon himself says that the time of Marcus Aurelius--late second century--was the best time to live of all in history ) . Gibbon said that the time of Marcus Aurelius was a horrible time to live . contradictory +A bullet hole in the leg . He was shot . entailment +yeah i don 't know i i think that uh i know that judges aren 't supposed to be crooked however I know that this judge is very corrupt . neutral +you know in the future this is perhaps this will be possible This could happen in the future . entailment +It therefore should be recognized as nonexchange revenue by the Harbor Maintenance trust fund . It should be recognized as nonexchange revenue entailment +You will find a number of galleries displaying work by local and international artists in the narrow alleyways of the avreika Quarter . The Avreika Quarter also contains many small cafes and restaurants . neutral +It was at Fon ? ­ taine ? ­ bleau that he abdicated in 1814 to go into his first exile on the island of Elba . Napoleon was famously exiled to the island of Elba . neutral +um-hum try to get the conservative candidate for once Try to get a conservative presidential candidate for once . neutral +At the Richard Nixon Library and Birthplace , ( 18001Yorba Linda Bvd . , Yorba Linda ) , the life of the 37th president of the United States who died in 1994 is showcased in amazing detail . Nixon 's library became more popular after he died . neutral +From estimated annual household postage expenditures in 1994 are approximately $ 5 billion , which implies a 2.7 percent reduction in annual aggregate expenditures or approximately a $ 135 million reduction in annual revenues from household sales , holding all else constant . The postage companies are still making profit . contradictory +i 'm pretty lazy about it right now everything goes into one thing and goes out to the you know pick it up so All of it gets collected once a week on Thursdays . neutral +The British Residency today preserved as a monument initially commemorated British resistance , but since Independence it has been visited by Indians interested in this relic of their own struggle for self-assertion , or interested in a family picnic on the lawns . Indians tend to avoid visiting the British Residency , since it 's a painful reminder of colonialism . contradictory +Such self-referential questions can be pointless and irritating , and books that dwell on them generally belong in a category that one friend of mine calls art about art supplies . Books that dwell on questions about the self are generally uninteresting . entailment +the meatballs you just um after you form them fry them in a pan until they 're Don 't dry the meatballs in a pan . contradictory +but i like dogs and my husband like cats so we haven 't reached a real agreement on that yet if we get a place where we can have both it 'll be great but until then My husband and i both want a pet from the shelter . neutral +That sort of thing generally entails a coach or an east regional sales manager exhorting you to do something pointless , painful , or profitable to someone else . A regional sales manager would never encourage unethical behavior . contradictory +The FDA examined the final rule as prescribed by the Act and found that no mandate will be imposed on State , local or tribal governments and it believes that the burden on the private sector will be below the $ 100 million annual expenditure level to require compliance with the Act . No mandate will be imposed of State , local or tribal governments . entailment +they have but i really hate paying twenty two ninety five for an oil change I think over twenty dollars for an oil change is far too pricey . neutral +and uh you go from the uh water pump up to the radiator and on the water pump it was all metric and and on you know the factory fittings you know the factory uh Nothing on the plumbing was metric . contradictory +The greatest of the Byzantine emperors was Justinian the Great ( ruler from 527 to 565 ) , who introduced an equitable legal system , and also extended the boundaries of the empire into Spain , Italy , and Africa . Justinian the Great was the best Byzantine emperor because all the people loved him . neutral +He couldn 't free himself , of course , not from the Kennedys , not from anyone . He wasn 't able to free himself , not even from the Kennedys , or anyone for that matter . entailment +The national sport , badminton , and is played wherever a net , real or makeshift , can be set up for players to thwack the shuttlecock acroseto each other . Badminton was invented over one thousand years ago . neutral +'Greetings ! ' They were excited to say hello . neutral +We all cared deeply about justice when we started this journey . When we began this project , we cared about justice . entailment +The artifacts in the museum come from archaeological sites around the country and they will add a great deal to your understanding and appreciation of ancient Egypt . The artifacts include a mummy 's foot and a giant ruby . neutral +If you are confused , join the club so are the experts . If you are confused , join the club so are the experts because there is no clear historical record . neutral +have have you been out of the country You have always stayed in the US > contradictory +The Department of Work and Income New Zealand ( WINZ ) is a government agency that aids job seekers , pays income support , and administers superannuation ( retirement ) payments and student loans and allowances . The Department of Work and Income New Zealand is the newest government agency in the country . neutral +The chemical reactions that occur with the limestone reagent form a corrosive environment requiring many of the system components to be corrosion and abrasion resistant . Limestone reagent chemical reactions cause a corrosive environment . entailment +Each intervention attempts to highlight problematic alcohol consumption , the connection between injury and drinking , Many people don 't see the relationship between drinking and injury . neutral +Following the case study , an inexpensive ( 25 staff day ) check was made on productivity data and trends from other SSA regions , and similarities were noted . Links were found in a cheap look at productivity data and other trends . entailment +i was just thinking there 's I was simply contemplating . entailment +This should only matter if the person governing is governing over the place where admission to same is the governor 's prerogative . The governor 's remit includes the ability to deny requests . neutral +well that i 've been aware of i 've at least in my own circles i 've been aware of an increasing from my generation i don 't know if i can quite call myself a distinct generation from you but half generation off i guess um i 've noticed uh a certain increase um pessimism with America no longer being sort of on top i had the impression America 's growing wealth gap and lack of good-paying jobs has induced a wave of pessimism throughout the country . neutral +In comparison to the seven hours of inputting the data , the two hours spent stirring over a small flame went by in the blink of an eye . Compared to seven hours of data input , cooking was a breeze . entailment +Passages from Jordan 's new autobiography emphasize his profound respect for the game of basketball , his coaches , and the star players who came before him . Jordan 's respect for the stars who played before him is detailed in his new autobiography . entailment +She is very well spoken , has a good job , and is not a bimbo by any stretch of the imagination . She appears to be an intelligent woman . entailment +Changes in the estimated system size may indicate that the project was overestimated or underestimated in size and complexity . Changes in size don 't mean anything and should be ignored . contradictory +The preamble to the final rule contains the full text of the Final Regulatory Flexibility Analysis . The preamble contains a lot of relevant information . neutral +It 's not just that we are talking about a huge economy here , an economy whose woes can drag down a lot of smaller countries with it . The economy is so large because the country is so large . neutral +The analysis describes , and estimates the number of , small entities to which the rule will apply as required by section 604 ( a ) ( 3 ) . The analysis describes large entities to which the rule will apply . contradictory +Both Social Security and Medicare face long-term financing problems , and the Social Security and Medicare 's Hospital Insurance trust funds eventually will be exhausted as the baby boomers draw their benefits ( see figures 1.8 and 1.9 ) . Medicare and Social Security should have no problems with financing in the future . contradictory +And website pro bono sections are essential to doing so . No website contains a pro bono section . contradictory +it it it 's i 'm glad i don 't live in a big city I wish that I was living in a big city more than anything . contradictory +The quinquennial military service credit adjustment paid between the General Fund and the social security trust funds is likewise an other financing source to the social security trust funds but one that may be either positive or negative . The General Fund receives no money from the military . contradictory +Boleslaw later repelled invasions from Otto 's successor and then sought Poland 's own expansion eastward Boleslaw was successful in his battles with Otto and Otto 's successor . neutral +Draft Methodology for Estimating Values for Changes in Visibility at National Parks . Draft Methodology for Estimating Values in National Parks . entailment +um that 's interesting That is very dull . contradictory +For example , the idea of putting the Ten Commandments in every classroom is attractive but , in the long run , federally funded stone tablets will only breed dependency on the nanny state . The Ten Commandments have historically been helpful in schools . neutral +He 'd been vaguely worried about the apparent change in Ser Perth , who 'd turned from a serious and helpful doctor into a supercilious , high-handed fop . Ser Perth was coming down with an illness that was causing insanity . neutral +oh that 's pretty nice i did mine i built my own home in nineteen sixty one I built my own house in 1961 . entailment +requesting comments on the proposed rule . The comments are not being accepted currently . contradictory +Mr. Wells told me as we were going upstairs . Mr Wells went upstairs with me to survey the damage . neutral +There is work at the corrals , but he will decide . He had no power to decide anything , even though there was work . contradictory +It concluded that there was no cross subsidy of rural delivery by city delivery . It said you can cross both subsidies . contradictory +yeah it 's really it 's really sad because they 're they 're not doing anything well we 're getting off the subject i guess but just like with housing i mean they 're not doing anything about pollution they 're not doing anything about it 's going to look like Houston have you ever been to Houston They are not making any attempt to address pollution . entailment +just attention you know You enjoy attention . neutral +They also operate a legal arm that assists migrant workers from Texas to Kentucky . Migrant workers in Texas also receive assistance through their legal arm . entailment +Not a lot of Indians , however , could afford the trip to Britain to take the examination . Lots of Indians could cheaply travel to Britain and take the exam . contradictory +Its outdoor tables are a perfect vantage point for admiring the gracefully curving piazza , an exemplary piece of open-air urban theater designed in 1816 by Giuseppe Valadier , architect to Napoleon . The piazza can easily be seen curving towards the right . neutral +" Everybody wot ain 't blind , deef , or outta their natural-born wits , " Fenner replied . Fenner told them , " The army is looking for able bodied recruits with a good head on their shoulders . " neutral +so if somebody brings you half a dozen tomatoes it doesn 't do you any good because you already had a half a dozen you know pulled that day Because you already have six tomatoes that you pulled it doesn 't do you any good when someone brings you more and they typically go to waste . neutral +After more than a decade of conversion from an insider Mob town to a family-friendly attraction for Middle America , Las Vegas is again on the verge of its next phase top notch resort city . Most visitors to Las Vegas are from Middle America . neutral +( Please note , his wife has forgiven all but the handbag ) . The handbag is the only thing that his wife has not forgiven . entailment +yeah is is there still blood stains on the altar or has it worn away all through the years Are there still bloodstains ? entailment +to call it fiction ( Gail Caldwell , the Boston Globe ) . Gail Caldwell doesn 't describe things very well . neutral +Partnerships Balance a variety of federal , state , and local interests through timely and enhanced consultation , cooperation , and communication to build consensus . There are partnerships between federal and state governments . entailment +you know there are some oaks magnolias and like plum trees peach trees We don 't have any trees around here contradictory +Producers at This Week catch Clinton and Gore mispronouncing Surgeon General Dr. David Satcher 's name at Satcher 's swearing-in ceremony . Bill Clinton and Al Gore were caught mispronouncing the Surgeon General 's last name as he was being sworn in . entailment +In what order ? How to organize ? entailment +Shows his heels good , too . His heels are good and that means he runs fast . neutral +Now , the Ministry of Justice shares the square with banks , famous jewelers , and the Ritz Hotel . The Ministry of Justice is separated from the jewelers and the banks . contradictory +But seeing it was a heck of a thing to take for a sick man . " Nema said sharply , " Are you sick ? " " Well--I guess not . " " Then why say you are ? Nema is worried about my well being . neutral +With a Wax Museum ticket , you can also visit the adjacent Ripley 's Believe It or Not ! You can visit other museums with the Wax Museum ticket . entailment +Where have you been ? I asked . Have you been here ? neutral +Modification of existing software to enable it to The software modification is to make it backwards-compatible . neutral +This you cannot do with Kosovo without offending the rhythm and a sense of human decency . Doing so with Kosovo would offend the sense of human decency . entailment +Ireland is the world 's second-largest software exporter , Barcelona is a center for e-startups , and Strasbourg is sprouting biotech firms . Ireland is the world 's largest software exporter . contradictory +Pesticides , widely used to increase crop yields , have become a leading health concern among migrant farm workers . There are many leading health concerns among migrant farm workers , but pesticides are not one of them . contradictory +In the Notice , the Commission published an Initial Regulatory Flexibility Analysis and invited written public comments on the proposed rulemaking , including comments on the Initial Regulatory Flexibility Analysis . This notice does not include any comments on the Initial Regulatory Flexibility Analysis . contradictory +Two members of the Karp Consulting Group ( Deborah Howard and Yvonne Shinhoster Lamb ) facilitated the two-day session . Less than five members of the Karp Consulting Group were there to handle the session . neutral +Clients could rarely , if ever , earn a positive net interest . The hedge fund had been averaging negative returns on their client 's funds . neutral +uh this thing they they gave the guys uh the power and the material and the told them to go do it and they did it you know got in and got out i 'm not sure the the big fuss that we 're going to see now for the next few weeks i would think The guys they gave power to always did a great job . neutral +The Study of Field-Based Methodologies in The studies were read by the committee . neutral +After this last election it is clear that the French will not be willing to submit to serious fiscal discipline . The results of the last election show that the French people don 't want serious fiscal discipline . entailment +And this is the morning after . This is the morning after . entailment +and that they would begin to teach it in the THey refused to teach anyone . contradictory +So why wouldn 't we have some differences ? I don 't understand why we wouldn 't have some differences . entailment +it sure has and i i 'd like to try this thing every once in a while i thought i 'd give it a try this afternoon being so rainy i 'm locked in up here anyway so I thought that I would try it this afternoon since it is rainy and I 'm stuck inside anyway . entailment +bargello it 's B A R G E double L O Bargello is spelled B R G L O. contradictory +Similarly , I subscribe to magazines to get an option just in case I want to read any of the articles . Similarly , in case I want to read any of the articles , i subscribe to magazines , to have that option just in case . entailment +He took Tuppence by the arm , and walked her to the window . Tuppence was taken by the arm by him . entailment +This picturesque village , some 30 km ( 18 miles ) from the provincial capital , is more authentically Spanish in character than Benidorm , its cosmopolitan neighbour . Benidorm is mostly populated by tourists . neutral +What advantage do you have over him ? asked Jon . What advantages does he have over you ? asked Jon . contradictory +But time pressed . Time continued . entailment +Operators are standing by . Operators are here for you . entailment +Syracuse 's history merits the world-class Museo Archeologico Paolo Orsi ( Viale Teocrito ) . A lot of people visit the Museo Archeologico Paolo Orsi ( Viale Teocrito ) . neutral +already already hit Oklahoma and probably right down here soon so Oklahoma is already down and we 're next . neutral +Right now , I 'm waiting for Avis to announce that huge new investment that Bill Gates has made in its future . Bill gates has declared that he will not make any further investments . contradictory +So is the disparity between the value that Hutchison and her supporters apparently put on at-home work done by middle- and upper-class spouses and the contributions of women farther down the income scale . Hutchison and her supporters looked into income scales . entailment +Environmental Protection Emission Standards for Locomotives and Locomotive Engines The rules serve a guidelines that must be followed to protect the environment . neutral +The questions posed before a war are always the Should we fight ? Should we fight is always asked before a war starts . entailment +Nearly everyone agrees today that the Vietnam War was unwinnable and was needlessly prolonged so America could save face . America just dragged out the Vietnam War due to pride and the shame of losing . entailment +but i i i 'm knitting an afghan for the baby and i haven 't worked on this for several weeks i just haven 't got back to it I 'm almost done with my baby afghan I 'm knitting , I 'm very focused on it . contradictory +Furthermore , it 's preposterous that a president re-elected on rhetoric about building a bridge to the 21 st century hasn 't bothered to work out a minimally consistent position on the Internet . The re-elected president never spoke about technology during their campaign . contradictory +That 's the problem with basketball stars . That 's the problem with all basketball stars . neutral +Jon looked back at the scout and the scout grinned revealing teeth sharpened to points and a tongue split down the middle like a snake . The scout also had black eyes and pointy ears . neutral +Now they were entering the prison room . Now they 're walking into the jail cell . entailment +This may be RAPS4 , which is designed for the ED , but it needs further direct testing . Though now designed for the ED , the RAPS4 originally had a different purpose . neutral +'Okay , I think I know what we did wrong here . I have no idea what we did wrong . contradictory +Young , friendly , Christian staff , quiet relaxing atmosphere to soothe your nerves after a day in the Old City . The staff is young and friendly and can make great recommendations . neutral +Programs begin to conduct exit interviews that seek to understand the reasons for staff turnover . Staff were interviewed when they left to understand why they were leaving . entailment +In this election , gambling interests dropped $ 100 million on a single California ballot initiative , toppled governors in two states , and bought senators and representatives by the crate . Gambling interests have been expected to fall since the spring . neutral +Even Graham 's earliest confessions of incompetence are refuted by her father 's transparent scheme to groom her for some top slot at the Post . After she graduates from the University of Chicago , he arranges a job for her as a reporter at the San Francisco News , and afterward hires her as a Post editorial writer . Graham 's father works hard to see that his daughter gets into the Post . entailment +The onliest time that Marse Robert ever scolded me , said William Mack Lee , in de whole fo ' years dat I followed him through the wah , was , down in de Wilderness--Seven Pines--near Richmond . William Mack Lee said that Robert scolded him countless times . contradictory +Be sure to take a look at the painting above the mantle . Look at the painting of the prince that 's on the mantle . neutral +Former lovers of the late , great Juliet Prowse . Juliet Prowse was killed by one of her former lovers . neutral +" Quitters ! " he yelled . He called them resilient heroes . contradictory +Unlike White he didn 't seem badly hurt , just very unconscious . He would wake up any minute . neutral +but uh yeah i need to start jogging again i 've always found that to be uh uh really one of the best forms of exercise but it 's terribly boring and so i really don 't ever keep a a program up consistently If the program allowed for more fun and interest I would be able to lose a lot of weight and become healthy from jogging . neutral +uh is ridiculous for people just taken off the street to understand and really should have some better way where people who understand both the circumstances and the complex issues involved A better way should be found than just snatching people off the street . entailment +uh that 's still a good hour ride i guess That remains a nice ride for an hour . entailment +I don 't believe Tuppence was ever in this house . I do not think Tuppence was here due to his signature suitcase leaving behind dust . neutral +Personal saving plays a dual role in bolstering retirement security for American workers . Personal savings are essential if you don 't wanna be broke when you reach retirement . neutral +And have you not , in such a case , tried the word once or twice on the edge of the blotting-paper , or a spare scrap of paper , to see if it looked right ? Haven 't you tried the word once or twice to see what it looks like and still get it wrong ? neutral +oh oh yeah well i i i would i mean you know they 've got them out here because it 's you know they don 't actually know what Mexican you know what Mexican food is here Mexican food is not good here . neutral +It is not easy under the best of circumstances--few diners actually want to be interrupted by politicians while chewing--but Forbes was still being followed by an enormous press contingent . Everyone loves to be interrupted as they dine . contradictory +They don 't go in for timed , planned things ; they jus ' cut loose when they see a chance . They don 't do organized things ; instead , they just leap at any chance they see . entailment +Such layering would allow a user to drill down to the level of detail needed . Layering allows for the user to access different levels . entailment +no no we haven 't made that trip yet That would be a novel experience for us . entailment +yeah i would love to have a computer they but they 're so expensive I hate computers , there 's no use for them because they 're so cheap . contradictory +Is that all ? The cashier asked after scanning all the items , and before Balbina could answer , began to recite from memory : Cashier had very good memory about all things , so reciting things like that was an easy task for him . neutral +really that sounds good That sounds good and relaxing . neutral +'My job isn 't to help , ' she said . She realized that she was in over her head and doing way too much work and couldn 't bail them out of this horrible situation they put themselves in , and she told them that she wasn 't hired to help . neutral +Inroads had already been made by the arrival of the Dutch and Macau 's loss to them of the profitable Japanese trade . Inroads were already in existence due to the presence of the Dutch in the past . entailment +The tricky question is what are the core values that really define you and what are the fringe issues on which differences are not crucial . There exist several trickier questions than what are the fringe issues on which differences are not crucial . neutral +The butler remonstrated with him . The butler protested with his employer . neutral +how about how about i guess we could talk about TV movies i mean i don 't know that they 're really really truly movies i mean How about we talk about books ? contradictory +Abandoning European dress for his now legendary white cotton dhoti ( loincloth ) and shawl , and drawing spiritual guidance from all the great religions of India , Gandhi became the simple but powerful symbol of India . Ghandi is most well known for his white garment . neutral +Far from perfect . It is not perfect . entailment +Taylor asks . Taylor asked a question . entailment +One method of introducing competition into postal systems , without affecting the universal service obligation , is through what have been termed worksharing discounts . Worksharing discounts are a method of introducing competition into postal systems . entailment +and because of that i see i work with adolescents specifically so i i see a lot of kids with with various problems right now some of the things i 'm working with are kids that are dealing with sexual abuse so a lot of the books i 've been reading uh have to do with with helping them get through uh those issues I 've been reading books about dealing with sexual abuse because of my adolescent clients . entailment +It was , to my mind , a very fair and equitable distribution . " Poirot nodded thoughtfully . Poirot nodded , " The distribution was very equal . " entailment +Pearse read out a Declaration of Independence from the General Post Office on O 'Connell Street . There was no better place for Pearse to read the Declaration of Independence than from the General Post Office . neutral +So much for the cruel stereotype of the pea-brained dinosaur . Dinosaurs did not have small brains as previously reported . entailment +War would strike , blood would flow , many hundreds , even thousands of people would die , and the city would be cut back to the small town once again . The party took place in the town . contradictory +The article as now published reflects the corrections . The published article had so many errors that weren 't corrected . contradictory +sure see uh still some migrant labor is legal you know some migrant work is still legal entailment +Lucy stayed home . Lucy watched television . neutral +yeah yeah i agree they 're paying him too much money and uh for for the kind of money they 're paying him right now i think it 's one point six million dollars they can get a pretty good quality outfielder They could get a better player at half the price they are paying for him . neutral +In fact , the volume of cost data amounts to tens of thousands of pages . The volume of cost data is huge . neutral +This is a bad thing because the exuberance may end in a crash , and the crash may depress the general economy . This isn 't good because it might have a bad impact on the economy . entailment +Planned future enhancements include automated construction and A / E forms , electronic storage of contractors ' rebuttal and comments , electronic and encrypted transmittal of evaluations to contractor , and ad hoc reporting . Electronic storage is not part of the future enhancements . contradictory +The broad , sweeping terraces offer magnificent views ; statuary rears up out of ornamental lakes ; deer roam the parklands ; and the Dargle obligingly throws itself over 122 m ( 400 ft ) of rock to form the highest waterfall in Ireland ( 4 km / 21.2 miles from the main estate ) . There are no ornamental lakes anywhere in the area . contradictory +Come back when you change your mind . ' Return when you have a different decision . entailment +Its endemic to the entire profession , Snider Basically if youre rich , you can hire lawyers , and if youre poor , you can have one appointed . Lawyers that are appointed are far superior to ones that are hired . neutral +so they really enjoy it too Yeah , they enjoy it too . entailment +They don 't care much for northerners out there . Northerners aren 't very popular . entailment +Auto-eroticism explained ( 18 seconds ) : I can explain auto-eroticism to a room full of people . neutral +Rumpelstilsken , repair yourself ! There was a whirring and scraping inside the mechanism , and Hanson let out a yell . Hanson yelled out for Rumpelstilsken . entailment +Under the President 's proposal , 22 existing agencies and programs and 170,000 people would be integrated into the new department in order to strengthen the country 's defense against terrorism . 24 agencies would be folded into the new department under the President 's plan . contradictory +The caves of Ellora are cut out of a whole hillside of basalt rock , and conceived on a much grander scale than Ajanta 's . The caves are underground beneath 2 meters of soil . contradictory +Even today there are few roads this really is one of the last true vestiges of wilderness in Jamaica . The highway parts this area of extreme human developement . contradictory +Precious gems showed the stars , affixed to the dome . You can see precious jewels which are stuck to the dome . entailment +How would they act when they saw the whole village burn ? How would they respond to the village burning ? entailment +The President-Elect of the Indiana State Bar spoke eloquently and at length about her support for legal services and pro bono . The President Elect of the Indiana State Bar supports pro bono . entailment +Go back to Lethe . Go to Lethe , you won 't be able to soon . neutral +The palace , which now serves primarily as a museum , takes its name from the red-cloaked figure of the monkey god Hanuman that stands to the left of the main palace entrance . Hanuman , the monkey god , is depicted as having a long tail and a mischievous grin . neutral +They know how important it is to keep cool and calm and move around slowly . They realize that speedy movement is far more important than moving slowly . contradictory +The crowd cheered , seeing a killing blow coming soon . The crowd grew silent as the killing blow was delivered . contradictory +At the far end of the square , Cumhuriyet Caddesi leads past the Hilton Hotel to the Military Museum ( Askeri Meze ) . The Military Museum can be found past the Hilton Hotel from the square . entailment +the supplementary information provided when the Final Rule was published in the Federal Register on October 17 , 1996 . The Final Rule was published in 1996 . entailment +Time Series Analysis Organization of information within each site by time of occurrence , coupled with a systematic analysis of contextual influences on events , permits a Time of occurence and contextual influences are involved in Time Series Analysis Organization . entailment +It 's important to remember not to apply Western values to everything you see here . Western values should not be applied to everything seen here . entailment +VARIABLE VALUE SECURITIES - Securities that have unknown redemption or maturity values at the time of issue . Variable value securities have unknown maturities values because it 's random . neutral +The prison room with the crooked pictures , the broken jug in the attic , the meeting room with its long table . The meeting room contains a circular table . contradictory +Oh , meeting with some visiting dignitary . A dignitary has been visiting for twelve days . neutral +i have this thing against bugs too and seems to me like the Peace Corps they send you someplace that there 's a lot of bugs I don 't like bugs and I don 't want to join the Peace Corps . neutral +Among spectator sports , pride of place goes to horse-racing . Ever since the track was built back in 1925 , horse-racing has been the most popular sport for spectators . neutral +you know it 's it 's very hard well it was nice chatting with you You know the difficulty of this . entailment +um computers that i have up here and you know do work from home I have computers here that I use to work at home . entailment +yeah yeah i i agree Yes , I think you are right about that . neutral +and uh uh we 're we 're trying to cut down on meat and you know we 're doing all the all the stuff that the you know all the mags are talking about these days uh um but you know i feel a lot better about it i don 't it it comes a real worry but these things are like time bombs and all of a sudden they go off and uh We are trying to eat less meat than we used to . entailment +oh God oh man this is too scary that is just too scary you know i let Brian play here in the back yard and we 've got It wasn 't that bad . contradictory +Will the data be summarized or will detailed information be required ? No data is summarized , just described generaly . contradictory +In 1934 , it was the scene of bloody anti-government rioting by French fascists . The French fascists did not like the government . neutral +But these legal arguments are pedantries to many Arabs and Irish residing in the United States who fear they will be unjustly targeted under the new statute . These legal arguments are pedantries to many Arabs and Irish residing in the United States . entailment +As expected , CAGE and AUDIT performed best within the spectrum of alcohol use they were developed to explore . CAGE and AUDIT did best when they were created to explore . entailment +Ca 'daan recognized his gloves . Ca 'daan was familiar with his gloves . entailment +Auditors should use their professional judgment to determine the form and content of the communication , although written communication is preferred . The professional acumen of auditors is useful in all aspects of their work . neutral +But about three o 'clock a ferocious and prolonged hooting outside drove us to the window , to see Poirot alighting from a car , accompanied by Japp and Summerhaye . Jones also got out of the car . neutral +since so people that came up with the laws that made all these loopholes and technicalities take a look at your congressmen and senators you 'll find that the vast majority of them are practicing lawyers The people who make laws put all sorts of loopholes and technicalities in them . entailment +A bizarre curiosity here is the Paso de la Diablesa ( She-Devil Statue ) . The Paso de la Diablesa is a statue . entailment +Just as important , involving stakeholders in strategic planning efforts can help create a basic understanding among the stakeholders of the competing demands that confront most agencies , the limited resources available to them , and how those demands and resources require careful and continuous balancing . When stakeholders are included in the planning process , they become more informed of the resources an agency has its disposal . entailment +And a special In Madrid , thanks to the siesta lunch break , the rush hour happens not twice , but three times a day . The rush hour happens three times a day . entailment +I presume she was a friend of yours , since you are acquainted with all these details . " I am guessing you didn 't know her at all , given how little detail you have . contradictory +They were swallowing space as the monster moved purposefully away . The monster covered very large areas of ground very quickly . neutral +Listening to Bradley 's equivocal remarks on school vouchers , and looking at the sliding scale of subsidies and tax breaks he proposes for health insurance , you get the feeling he 's rather sympathetic toward solutions that take account of market dynamics . You get the feeling that Bradley was speaking to a room full of business executives . neutral +I heard footsteps on my tail- I knew it was the men in black . I heard people behind me . entailment +you know what i mean because but i do in to a degree there 's also not a day to day occurrence it 's not that often that they come by but i 've notice it 's kind of gone down before when we first moved here it was pretty often but i 've noticed that though they really work in the day and you very rarely see them in the evening because the men are home and so Once people get used to them , they look elsewhere . neutral +so and then and then you go back to New York after school You are going to New York after school . entailment +The little beasts carved on the balconies and elsewhere around the chateau are the royal family 's personal emblems ' including Louis XII 's porcupine , Francois I 's salamander , and Anne de Bretagne 's ermine . Personal emblems were used to distinguish the royal families from the peasants . neutral +Others argue that a competitive news environment is to blame . Others think it 's due to a competitive news environment . entailment +Gandhi returned in 1915 after working as a lawyer defending the rights of the Indian community in South Africa . After serving as a lawyer defending Indian rights in South Africa , Gandhi returned in 1915 entailment +The enclosure ? Mr. Carter smiled dryly . Ms Carter smiled as she answered politely . neutral +yeah but it 's hard to make it being a rancher or farmer It 's easy to make a living as a rancher or farmer . contradictory +There is the temptation to take the company 's side , and the contrary temptation to prove one 's independence with ostentatious criticism . There are two sides that one can take . entailment +Associate Director , Federal Management and Workforce Issues Associate director is important neutral +And should you let this stud of yours run with a picked manada of mares , I could promise good fees . " The stud had a pick of mares . entailment +The participants , including state and federal transportation and safety officials from the region , learned what each state was doing to decrease fatality rates and discussed how to create new safety strategies for each state and the region as a whole . Each state is doing things to reduce fatalities . entailment +oh he could never cut it He handled it fine . contradictory +The rooms facing the Plaza have excellent views of the Royal Palace , but at a wallet-emptying price . The rooms facing the Plaza don 't have a view of the Royal Palace . contradictory +That issue , although decided by the Second Circuit , was not included within the question on which certiorari was granted , and , as the Court points out , was not briefed or argued here . The Second Circuit made the decision in the end . entailment +LSC 's Office of Information Management ( OIM ) along with OPP recently launched the Electronic Grants Award Letter ( EGAL ) system . Thanks to the EGAL system , more grants are now available for legal aid . neutral +to like uh now you know and the price of cassettes has gone down because CDs are so popular so Cassettes are more expensive then CD 's . contradictory +Still , there 's a certain irony in Grove 's ascent to elder statesman , because the idea of him as shaper of the future makes it easy to miss how much Grove and Intel were products of what 's now described as the corporate past . The products of today are the same as they were decades ago . contradictory +It 's Canada ! Canada is hours and hours away from here , at least 100 miles . contradictory +A couple of miles or so north of Kagoshima Station are the lovely Iso Gardens , also landscaped on a hill , where the lord of Satsuma had his villa . Next to the villa there is an active volcano . neutral +An audio-visual show gives information not only about the National Park but also about the work the staff does to protect the landscape . You can watch a video that gives information about the park . entailment +As table 4.1 indicates , there are six general features of data analysis . There is information in table 5.1 . contradictory +That 's a voluntary sacrifice , and so ( in the judgment of those who choose to buy ) it must be more than compensated for by the benefits of ownership . That is a require sacrifice . contradictory +that that is true i hadn 't thought about that and and that is fascinating to to think about someone who doesn 't know how to say private I was busy with other things so I never thought of that . neutral +San Ranieri , jousting and torchlit regatta on Arno river ; medieval soccer game in costume Medieval times were the best , especially if you were a nobleman with lots of land . neutral +National Saving ( 1990-2000 ) 80 Figure 4.2 : Unified Surpluses and Deficits as a Share of GDP Under Figure 5.2 illustrates the unified surpluses and deficits in terms of GDP share . contradictory +He is the keeper of the Beatles ' flame , says the New York Times ' Bob Spitz , and has handled megastardom with level-headedness and acumen . He is a very popular singer neutral +You now could argue both events were watershed moments for female athletes because Americans simply love a spectacle . Americans love entertainment . entailment +Bottom Low-tech , high dudgeon High top tech and low dungeon . contradictory +Clinton is on his side . Even after the scandal , Clinton chose to stand by him . neutral +what what day what day was that on do you have you can you recall Can you remember what year that was on ? contradictory +The Vermont Supreme Court granted gays greater partnership rights . Greater business partnership rights were granted by the Vermont Supreme Court . neutral +Pousadas , found beyond Lisbon , are government-owned hotels and inns ; the ones listed occupy historic buildings , and their restaurants are usually among the town 's best . Pousadas is near Bilbao . contradictory +So should we do away with all forms of sexual harassment law ? Are we to dispose of all laws regarding sexual harassment ? entailment +Lawrence Cavendish was then put into the box . Lawrence Cavendish was then led to the witness stand . neutral +have you ever been there Do you think you 'd like it there ? neutral +yeah yeah we could also uh push for legislation for uh rapid transit systems uh this country seems to be a little behind on that We can 't get this done through politicians , and this country has way too much public transport anyway . contradictory +Failure to ratify the treaty by April 29 squanders U.S. influence . Only representatives from the member states can sit on the committee that finalizes the treaty 's logistics , and the United Nations won 't hire verification inspectors from nonmember countries . Verification inspectors won 't be hired by the United Nations if they 're from nonmember countries . entailment +you know like MIT and and uh Boston 's only uh an hours drive from here It takes 60 minutes to drive from here to Boston . entailment +There is only one criterion on which to judge road time posted . Road time can be judged by two things . neutral +you know it just you know i saw the family falling apart down there The family was falling apart . entailment +but don 't tell the NRA i said that The NRA shouldn 't know that . neutral +He explained to me that it was one and one-half because the song was about him , and he 's Jewish , and his then-wife Carrie Fisher , is the daughter of Eddie Fisher , who 's also Jewish , and Debbie Reynolds , who 's not ; hence , one and a half . The song 's writer was saying that the phrase indicated the complicated relationship with his ex-wife and ex-mother in law . neutral +You can see the characteristic red stone on almost every street . There are a few streets on which one cannot see red stone . neutral +and my other daughter and son-in-law live in Germantown I have a daughter and son-in-law . entailment +He began to struggle against her hand , but she shook her head gently . He was dying , and was not willing to accept it . neutral +what what do you use to to download into the system can you put hook up a a floppy to it How do you download into the system , do you have a floppy disk drive attached ? entailment +says , that 's Mister Milosevic to you . Don 't call me Mister Milosevic anymore , use my first name . contradictory +that well it can be it it really kind of depends on on um what they were you know what they were looking for in other words if if in Spring crain training they were looking at all their kids like a lot of them do um then it really doesn 't give you any indication but if they were uh playing the people that they 're going to play then that might be pretty good indication so you know it 's it 's it 's not a great indication because there have been teams that have just you know come out and just won all kinds of games in Spring craning training and then gone on a you know fourteen game losing streak in the first of the season so Spring craning training is not a good predictor of how team will perform in the season . neutral +Despite good quality local wines , the Turks are not great wine drinkers . Turks don 't drink much wine despite the good quality . entailment +Although the music may seem strange to the unaccustomed ear , it certainly won 't put you to sleep ; cymbals and drums guarantee your alertness . This is the music to listen to for relaxation . contradictory +These decisions were based on the fundamental rule of law that a federal employee is obligated to account for any gift , gratuity , or benefit received from private sources incident to the performance of official duty . These decisions are based on the law that any gift given to a public official while performing his duty would be looked at as a bribe . neutral +No , weirdly--killed by the WTO . Oddly , killed by the WTO . entailment +Half an hour after arrival , haggard and pale , Tommy stood before his chief . Tommy had taken a long trip before he arrived . neutral +That 's precisely because it has a stake , through its TV channels , in baseball rather than just in the Dodgers . That 's because it has a stake in the Dodgers and benefits when they are on TV . neutral +According to a HUD representative , HUD 's section 605 ( b ) statement and certification were not separately provided to the Chief Counsel for Advocacy of the Small Business Administration . HUD 's section 605 ( b ) certification was provided separately to the Small Business Administration 's Chief Counsel for Advocacy . contradictory +A capitalist , of whom there are one or two among us , I hear tell , might bear this in mind when targeting malt liquor , fast food , and sneaker commercials . When targeting the so-called vices , capitalists have to realize that they 're preying on the weaknesses of the poor . neutral +it 's a it 's a great role model for everybody No one should consider it a role model . contradictory +The English modeled the town and its buildings on those of their homeland , and one can imagine the village greens , tennis and golf clubs , and grassy verges taken from a typical London suburb . The town was built to be quite homey for the people that lived there . entailment +i think it 's just by name yeah It 's by color yeah . contradictory +Now Theorysia , go to bed . Theorysia was allowed to stay up all night . contradictory +Orchids are also on sale here , and you will never find them any fresher . Orchids are rarely found here . contradictory +We selected the state governments based on ( 1 ) the 1995 The State of the States report issued by Financial World magazine and ( 2 ) discussions with members of our advisory group and the CFO Council . Members of the advisory group offered relevant advice . neutral +A gold-hilted short sword hung on his hip . He had a shiny sword that was two feet long . neutral +It was like the Classic experiment-- " " How hot is your sun ? " There was a long pause . It should have been like the Classic experiment . neutral +Shouldn 't inspire thoughts so sizzlin ' . Sizzlin ' thoughts shouldn 't be inspired by that . entailment +There 's not much differential from other EU prices . It 's not much cheaper than other EU products . neutral +I don 't know exactly when . i don 't know when . entailment +They weren 't sure of how much you had learnt in that house . They did not know how much knowledge you had discovered that house . entailment +There 's lots for children to do , and there are some wonderful spaces for secluded picnics . This is not a place for children . contradictory +And further south , in Provence , the climate and the slow Mediterranean lifestyle take charge . Down south in Provence , the weather and slow Mediterranean lifestyle take lead . entailment +but yet you know as as the parallel Russia is that Saddam Hussein is using the chemical warfare on his own people and i guess that makes sense what you said that Saddam Hussein does not target his own people with chemical weapons . contradictory +i 'm going oh no I am leaving . entailment +This dry-land rainforest is what you will see most frequently from just above sea level up to an altitude of 900 m ( 3,000 ft ) . There is no dry-land rainforest above 900 m . neutral +Once again , critics declare Francis Ford Coppola 's masterwork ( re-released on its 25 th anniversary ) the quintessential American epic . The movie is obscure and unknown . contradictory +yeah yeah that 's the good thing about them they do no advertising that 's it 's really nice just music It 's nice , just music and no advertising but the dj 's talk too much . neutral +Business and Industrial Council 's Educational Foundation , is simultaneously writing position papers on foreign policy for the harshly conservative Cato Institute and supplying factoids for presidential hopeful Gephardt 's speeches on trade policy . Gephardt is running for president this election season . entailment +yeah that seems to be the norm of most movies but That production style is really popular with movies . neutral +In his lifetime , many petty Euro ? ­ pean princes tried to imitate Louis 's style with their own little Versailles , complete with court artists and sycophants . Princes thought that Versallies was something they could copy . neutral +i was just wondering were you in SAC by any chance were you in SAC I know you were in SAC . contradictory +For easy access to definitions of key terms , we include a glossary at the end of this report . Some of the key terms are difficult to understand , so a glossary of definitions are given at the end of the book . neutral +None of Iowa 's 99 counties regulates upkeep on rental property in unincorporated areas , according to county auditors . Iowa doesn 't regular rental upkeep neutral +The American Government is , by contrast , thought to be very disappointed by the development . The Saudi American government is pleased to announce its development . contradictory +This means that almost one out of every five Americans is eligible for legal services assistance . Americans need legal assistance neutral +Retired Supreme Court Justice William Brennan died . William Brennan was a supreme court justice . entailment +Introversion . Extroversion . contradictory +The National Trust runs the boat , which resembles the Venetian rowboats , and the plush interior takes one back to the genteel times when tourism was just in its infancy , when this steamer ride would have been just one part of a European Grand Tour . The design of the current boats is inferior to those of the older Venetian design . neutral +And we also continue to support Slate delivery by FreeLoader , another push software product that , sadly , has gone to its reward . Slate delivery is supported . entailment +But the standard for appointing an independent counsel can 't be that broad . The standard can 't be that broad for appointing an independent counsel . entailment +It 's not the same as improving productivity . It isn 't the same as improving productivity . entailment +So by the time we get the case , it is a crisis . The case does not become a crisis until after we get it . contradictory +The man got his teeth . The man 's teeth are white . neutral +According to APHIS , this rule has been reviewed under Executive Order No . This rule has been reviewed and is acceptable . neutral +Even when it threatens to disintegrate into nightmare at times of winter floods , Carnival shenanigans , or summer hordes , visitors can take refuge in a cafe once frequented by Casanova or in a quiet back alleyway away from the congestion , and continue their dream uninterrupted . The cafe is really fun to visit and spend time with . neutral +Text box 4.3 describes two federal initiatives allowing governmentsubsidized saving accounts for low-income families . Text box 4.3 describes one federal initiative . contradictory +We developed a model of strategic human capital management to highlight the kinds of thinking that agencies should apply , as well as some of the steps they can take , to make progress in managing human capital strategically . .We developed a model of strategic human capital management . entailment +LOAN GUARANTEE -Any guarantee , insurance , or other pledge with respect to the payment of all or part of the principal or interest on any debt obligation of a nonfederal borrower to a nonfederal lender but does not include the insurance of deposits , shares , or other withdrawable accounts in financial institutions . Loan guarantee does not include the insurance of withdrawable accounts in financial institutions , it 's written in the dictionary . neutral +This is the distilled essence of Pollock 's genius , a mysterious calligraphy stripped of the distraction of color or the accretion of layers of paint . Polluck is a world famous artist . neutral +i probably wouldn 't and i 've lived here all of my life I would drink the water because I don 't live here . contradictory +and you 've probably never gardened in your life You have a spectacular garden . contradictory +it 's probably a a very good way to keep them off the streets and out of trouble but whether it 's something that they can put to to economic use later on is a different subject They may be economically beneficial in the future . neutral +GAO products that contain classified or restricted data are not posted on the Web site . Classified information is not accessible by the internet . entailment +The Taliban captured the southern city of Kandahar--where its reclusive leader , Mullah Mohammed Omar , resides--in late 1994 and the capital , Kabul , last September . The Taliban gained control of Kandahar and Kabul last September . entailment +yeah fifty nine cents yeah so you knows yeah it 's it 's something that you know we we go there every Sunday me and my roommate go there every Sunday you know with our hangover We go there at least once a week , neutral +The Barquq Mosque is the youngest in the complex , completed in the late 14th century . Completed in the late 14th century , the mosque is youngest in the complex . entailment +which probably didn 't make much difference We had expected it to make more of a difference . neutral +The decline of empire has its Olympic corollaries . There are Olympic corollaries to the decline of Empire . entailment +At the same time , marauding Scottish clans began to attack the Lakes . There are many lakes on Earth that have yet to be fully explored . neutral +i think that is mulching uh what do they call that I don 't think it 's called mulching , it 's something else . contradictory +( So , while she was dragged into the scandal against her will , it was her own loquaciousness that made the dragging possible . ) She didn 't want to be dragged into the impeachment scandal . neutral +Founded by princess Juana de Austria , the daughter of Holy Roman Emperor Carlos V , in 1566 , the palace was transformed into a convent by the architect responsible for El Escorial . The palace was founded by the son of Holy Roman Emperor Carlos V. contradictory +Do it now , think ' bout it later . Think about it now , do it later . contradictory +oh yeah yeah Silverado uh who who was that with There is no Silverado . contradictory +In its submission , HUD explains that the final rule is not likely to result in annual expenditures of $ 100 million or more by State , local , or tribal governments in the aggregate , or by the private sector . HUD submitted an explanation regarding the final rule . entailment +i like well i like to cook foods i like to eat i like to eat Italian food best and i find that i that 's pretty easy to cook because a lot of it 's one dish meals type things and they 're kind of convenient I like all kind of foods , specially Italian food . neutral +In 1171 the English king , Henry II , came to Dublin . Henry II avoided Dublin . contradictory +This approach is shown in Figure 4-2 . Figure 4-2 doesn 't depict this approach . contradictory +Its natural harbor , surrounded by green hills , is one of the most attractive in the world . This natural harbour is ugly and abandoned . contradictory +Click for an explanation of the simplest . The simplest is explained by being clicked . entailment +It is not a temple , not a shrine or museum , and there 's no palace in sight . The space teemed with beautiful architecture . contradictory +Near Lisbon , the Estoril Casino is one of the biggest draws for gamblers . It is impossible to find a casino within a hundred miles of Lisbon . contradictory +and he came back he was a civilian again and his father said well if you He never spoke to his father again . contradictory +Tommy was amply employed , and debarred from joining him in the chase , the girl felt at a loose end . Tommy had been gone for days now . neutral +And , if it hadn 't been for Mr. Poirot here , arrested you would have been , as sure as eggs is eggs ! " The only reason I haven 't arrested you is because Mr. Poirot convinced me otherwise . entailment +One the 13-mile ( 21-km ) scenic loop at Red Rock Canyon , takes cyclists through some of the area 's more picturesque landscapes and is not overly taxing . The 13-mile scenic loop at Red Rock Canyon is considered to be highly difficult . contradictory +Is this behavior still appropriate and / or useful ? Is this behavior worth anything ? entailment +ah ah my got my mom a teacup poodle not too long ago My mom has a beagle . contradictory +The key ingredient seems to be averageness . Averageness appears to be the key ingredient . entailment +Since the new quality-of-life drugs can have adverse health effects , the drugs need to come through physicians . New quality-of-life drugs have to come through physicians . entailment +Since World War II , annual growth in GDP per capita has averaged roughly 2 percent . GDP per capita has been growing . entailment +As Ca 'daan walked towards Vrenna and the dark-skinned man , they ceased their conversation . Vrenna stopped talking to the man because she was embarrassed to be seen with him . neutral +The ploy worked well enough until the Meiji Restoration , when those Western ideas were needed to modernize the country . Western ideas were not needed in the Meiji Restoration period . contradictory +With daytime temperatures rarely dropping below the high sixties and almost continuous sunshine , it makes a welcome retreat from the drab northern European winters , and a scorching alternative to temperate summers . Daytime temperatures usually do not drop below the high sixties . entailment +What Christopher felt first was a major stress on his spine . Chris felt a lot of stress on his spine . entailment +But the racism charge isn 't quirky or wacky--it 's demagogy . The charge of racism is not a quirky one . entailment +Sometimes he saw Sather Karf or some other older man working with strange equipment , or with things that looked like familiar hypodermics and medical equipment . Sather Karf or a different old man could be seen with things that looked like medical equipment . entailment +yes yes it is down in uh more southern and and western areas and of course we 're um about two hours from the northern border straight south and It 's up north five hours from the border . contradictory +i 'll try bye I 'll try to do it by tonight . neutral +Further discussion of this topic appears in EPA 's Guidelines for Preparing Economic Analyses , EPA 240-R-00-003 , September 2000 . The EPA has yet to address this topic . contradictory +The Dodecanese islands take their name from the Greek phrase dodeka nisi , meaning twelve islands , although the group incorporates far more than one dozen in its number . There are actually 47 total islands . neutral +yeah you 're right i do too i think they start out young like in uh Girl Scouts and Boy Scouts doing stuff The Boy Scouts are a slightly stronger organization but both are good in my opinion . neutral +The citizens are very proud of Ritsurin Park , with its bizarre twisted pines and strangely shaped boulders . Ritsurin Park is lovely for it 's long boulder paths that take you through tons of weird shrubbery and trees . neutral +Why does Miss Howard suppress the letter written on the 17th , and produce this faked one instead ? Does Miss Howard create a fake letter because the original contains information that we aren 't supposed to know ? neutral +And that part about erotic confessionals was too funny to be real ! They didn 't talk about sex at all . contradictory +Those who already know Italy well will inevitably feel that a few of their favorite spots have been neglected ( though they may also be grateful to not have their secret exposed ) , while they 'll find others they never heard of . Those who know Italy well will feel that a few of their favourite spots have been neglected . entailment +um-hum oh yeah i have to plan way in advance because or what i 've done is found like doctors ' and dentists ' office with extended hours that 's been real helpful too like my doctor stays open till nine in the evening I haven 't found dentists ' offices that work extended hours . contradictory +Here , too , shopping around is the best way to know a bargain if and when you see one . Looking around and shopping is the method to recognize a bargain when you encounter one . entailment +It 's worth the trouble to ramble up to the extraordinary lighthouse at the top of the hill past various abandoned farms , wild flowers , and sweeping sea vistas . The lighthouse is further than the various abandoned farms , wild flowers , and sweeping sea vistas . entailment +The Astronomer said , " Do you suppose they 've trapped an animal alive ? " He was obviously perturbed . There was no animals caught at all . contradictory +There is an increased sense of desperation in China about Taiwan . Taiwan is a part of China , both politically and culturally . contradictory +oh so there was a history of that There is a history of that . entailment +And the fort always looms on the horizon , a constant reminder of the town 's war-torn history . The fort on the horizon is a remnant of the wars that were once fought around the town . entailment +Candlesticks , pots and pans , old-fashioned scales , bowls , and trays can be found across Portugal . Over time , the styles of different and furniture become distinct form one another . entailment +Time ' s behind-the-scenes package follows Steve Jobs through the week leading up to the fateful speech . Steve Jobs is a very interesting person , so Times chose to follow him for the week . neutral +But there 's a difference now . The actions are not the same ! neutral +right i thought that was really interesting in the war i figure I think wars are very interesting , don 't you agree ? contradictory +Rugs of cougar and wolf skin were scattered on the beaten earth of the floor . The rugs still had their heads attached . neutral +Emerging stars , no longer content with playing small nightclubs , came to Las Vegas with dreams of making it big . The stars went to Los Angeles in the hopes that they will reach success there . contradictory +His deconstruction of political ads is a weekly feature of Slate during the election season . The ads that are deconstructed are of the most popular candidates . neutral +You do not wish to sell him , I suppose ? Hunt Rennie smiled at Drew 's prompt shake of head . Hunt Rennie was talking to Drew . entailment +b ) Damaged and endangered the presidency for the sake of casual sex . In the pursuit of casual sex the presidency was endangered . entailment +i don 't think so yeah i don 't think so I don 't think so , but it 's possible . neutral +well i think it made parts of it a lot easier i i is this your first that you 're having Is this your first pregnancy ? neutral +government would have to borrow again from the public to finance deficits over the long run , the simulation implies that , absent policy or economic change , debt held by the public could be fully eliminated before the end of the decade . The simulation doesn 't imply that debt held by the public could be fully eliminated before the end of the decade . contradictory +The building was converted into a paper mill in the 19th century , but has since been restored and the cloisters once again present the calm and simplicity that were the ideals of its founder . The building has only been used for its original purpose since it was built . contradictory +Of course , if you 're not in those areas , you 're back to AskMe.com or FreeAdvice.com or RipOffCity.com. AskMe.com may not be the best website , but it does its job . neutral +They see politics as exclusively combative contests , involving haggling , maneuvering , bargaining and manipulating . People generally raise their voices during debates . neutral +Sacred to Hindus , it is a destination of devout pilgrimage on festive days for the sight of the imposing stalagmite called Shiva 's lingam ; this phallic symbol stands for the god 's fertility , power , and creativity . The stalagmite called Shiva 's lingam is a symbol of the god 's power . entailment +In accordance with Executive Order 12866 , the analyses describe the regulatory options available to reduce the risk of an outbreak of BSE in the United States and the costs and benefits associated with each option . The analysis describes the regulatory options that are available to reduce the risk of an outbreak of BSE in ths US . entailment +Do you really think so ? I could not disguise my pleasure . I would reward you with a gift . neutral +Industrial society , wrote Clark Kerr , president of the University of California at Berkeley , in 1960 , might undermine freedom ' in the workplace , ' but the compensation was the greater range of ' alternatives in goods and services , ' and thus ' a greater scope of freedom ' in Americans ' ' personal lives . The greater scope of freedom in Americans ' personal lives brought by the industrial society is worth the price that we will pay . neutral +He always kept the bedroom [ and closets ] locked . He kept the bedroom locked entailment +Although an individual household can tap its wealth by selling assets to finance consumption or accumulate other assets , the sale of an existing asset merely transfers ownership ; it does not generate new economic output . Selling an asset does not transfer ownership . contradictory +and so you know he has these stacks of Sunday newspapers that go unread unless My husband has three stacks of Sunday newspapers that go unread unless something significant happens . neutral +Lacking these data , the agencies would be missing one of the indispensable ingredients of successful management . If they did not have the data it would not have led to their success . entailment +One way to prevent this type of color loss is to wash clothes in colder water , but all detergents work poorly in cold water , and many bleaching agents are completely ineffective in cold temperatures . Color loss does not occur in colder water . neutral +Kramenin had made a precipitate return to Russia , leaving England early on Sunday morning . Kramenin stayed in England for the next two months and then flew to China . contradictory +There was the weight of all his centuries on the Sather , yet a curious toughness showed through his weariness . Sather was extremely weak and showed no signs of toughness . contradictory +Quite right , monsieur . You 're right about the color . neutral +Tucked behind Rua Joao Tavira and Rua da Carreira is Praca do Munic ? ­ pio , the town 's dignified main square , with a mosaic of black-and-white stones and pretty white buildings on three sides . There are pretty white buildings situated in the town square but there are no black and white stones . contradictory +i haven 't been doing it so much now that it 's calmed down It 's quieted down now , so I haven 't been doing it a lot . entailment +The church of Saint-Germain-des-Prees is an attractive mixture of Romanesque and Gothic , with an 11th-century clock tower . The clock tower in the church of Saint-Germain-des-Prees was built in the 12th century . contradictory +Hefner published pictures of naked women and believed himself a radical . Hefner never published pictures of anybody naked . contradictory +In doing so , they may ultimately reduce the quality of life for the many of us who are less than perfectly endowed . If they change that law , it will reduce the quality of life for 60 % of the population . neutral +For example , assigning the cost of power to machine activities by machine hours is an allocation because machine hours are an indirect measure of power consumption . Power consumption is indirectly related to machine hours . entailment +Barry noted that because of human subjects violations and the way human subjects committees have handled their paperwork , whole programs have been shut down . All of the human subjects committees handled their paperwork poorly . neutral +TRACEABILITY - The ability to assign a cost directly to a specific activity or cost object by identifying or observing specific resources consumed by the activity or cost object . The cost object had to be identified prior to be assigned . neutral +He received a Juris Doctor from Loyola University of Chicago in 1949 . He was given a degree from a Chicago University in 1949 . entailment +Staff regularly confer with National Center for State Courts , State Justice Institute , the Open Society Institute and Justice Management Institute to facilitate pro se efforts , specifically encouraging partnerships among our programs , the state courts , bar associations and community organizations . Partnerships never occur with the help of regularly conferencing staff . contradictory +Whether this analysis estimated the C-R relationship between a pollutant and a given health endpoint using a single function from a single study or using multiple C-R functions from several studies , each C-R relationship was applied uniformly throughout the U.S. to generate health benefit estimates . There is no C-R relationship between the pollutant and the endpoint . contradictory +1 This report presents the trend in the personal saving rate as measured on a NIPA basis . It is impossible to measure savings rates on an NIPA basis . contradictory +There 's surprisingly ripe flesh to be found on Eve 's Apple . The apple isn 't ripe yet at all . contradictory +Now that would be scary . That would be lovely . contradictory +In 1637 his attempt to force the Scottish Presbyterian Church to accept an English liturgy and the rule of bishops led to civil revolt and rioting . The people burned the villages during their rioting . neutral +well i 've got to go to a meeting it 's been good talking to you It 's been good talking to you but I 've got to go to a meeting . entailment +well i uh i have noticed with my own children for example that they will depending on what they 're wearing it it makes a big difference on how they act and so that could be the same can be said for the business office too i have noticed with my own children . entailment +Sweden had become the strongest military power in Europe after the Thirty Years ' War , and in the mid-17th century , it set its expansionist sights on Poland . Prussia was set on putting Sweden in its place after the war . neutral +and i had a good time during that during that election but it floored me when he came up with Quayle because there are so many other capable Republicans I couldn 't believe it when he came up with Quayle because there were so many better options . entailment +HCFA received 409 comments in the response to the notice . There were 409 negative comments in response to the notice the HCFA put out . neutral +As the government 's critical infrastructure protection strategy evolves , both public and privatesector entities can adopt the practices described to Public and private entities can adopt certain practices while the strategy evolves . entailment +And I , who have both the keys in my pocket ! He flung himself upon the case . And I , who has the only access to the safe ! neutral +On Meet the Press , White House Chief of Staff John Podesta We 're not negotiating , Tim . White House Chief of Staff John Podesta revealed to Tim that they are negotiating . contradictory +This is because where multiple reporting is required , the units of measure are different for each of the stewardship categories . Where multiple reporting is required , some units of measure change drastically . neutral +Ninety-five percent of the total amount of sulfur dioxide allowances allocated each year under Section 423 will be allocated based on the amount of sulfur dioxide allowances allocated under the Acid Rain Program for 2010 and thereafter and that are held in allowance accounts in the Allowance Tracking System on the date 180 days after enactment . Most of the sulfur dioxide that is allowed are controlled by the Acid Rain Program . entailment +It challenged each state to examine its organizational structures , its use of technology , intake systems , resource development , and private bar involvement through a statewide lens . No state was challenged to examine their use of technology . contradictory +Please go inside , sir . Sir would you please go inside . entailment +[ The pro bono project ] is a great asset for all of us , she said . According to her , the pro bone project is a great boon for them all . entailment +He 's a corporate-welfare wimp . He 's a corporate wimp . entailment +Feast of St. Francis ; Franciscan Mysteries Feast of St. Francis : Franciscan Mysteries entailment +And for MLS to make itself a top-class league , it needs to spend tens of millions of dollars to steal European players and protect its own stars . The MLS is far surpassing the European leagues . contradictory +and you just sift Then you sift . entailment +Shocked , because Abraham Lincoln was speaking with the strongest Russian accent I 'd ever heard . Abraham Lincoln spoke with a clear southern twang . contradictory +Queen Helena , a devout Christian and the mother of Emperor Constantine the Great , made a pilgrimage to the Holy Land in 326 to identify the sites associated with Jesus 's life . A pilgrimage never took place in the year 326 to find where Jesus had been . contradictory +Jon twisted , putting the man 's arm between his legs and arching his back . Jon was resting on the grass . contradictory +Apparently , real Velociraptors were small and fairly timid . From what research tells us there 's a good chance Velociraptors were tiny and relatively peaceful . entailment +The rule , promulgated by an independent regulatory agency , is not subject to title II of the Act . The rule is promulgated by a branch of government . contradictory +Harley-Davidson has sought to trademark the rumble of its motorcycles . Harley-Davidson has tried to trademark the sound of its motorcycles . entailment +The foundations of the fort can still be seen , but artifacts from the site are displayed in the Huntly House Museum in Edinburgh . The fort was destroyed but some artifacts could still be salvaged . neutral +Included also are models and initiatives that have proven successful or hold out the promise of success . We did not include any models are initiatives as examples . contradictory +The Washington Post says that Republicans will encourage unity by allowing Smith to retain his committee chairmanship and caucus membership . The Washington Post is not interested in reporting politics . contradictory +Piazza Matteotti is the hub of the new town 's lively cafe scene , along the Sentierone arcades . The cafe scene is biggest at Piazza Matteotti . entailment +They 're probably all in \ windows \ system . They are in the directory windows \ system . entailment +We had just put away the last tea-spoon when a knock came at the door . there was a knock on the door . entailment +But what Starr can do as a prosecutor and what he ought to do as a public servant differ . Stars action as a prosecutor and what he should do as a public servant are the same . contradictory +Helms , too , favors settling the U.N. debt . This is the first time Helms has spoken about the U.N. debt . neutral +And there 's an interesting paradox here with Africana : Gates is probably the only black intellectual in America with the charisma and clout to get it published . Gates is the only black intellectual in America with enough clout to get the book and possibly movie published about the cultural ramifications of the impact on black boys of growing up without fathers . neutral +and and being able to see what you are doing and everything it 's really been a a a godsend it 's been wonderful getting everybody on the same system it 's been great and an easy system that everybody seems to be able to learn you know it 's been really good This new system has been terrible ! We 've lost so many hours of productivity due to its complexity ! contradictory +Such reporting would not be considered duplication , as the type of information reported on an item would be different for each category of stewardship asset . The reporting would be similar to other reports . neutral +55 Under federal regulations , a general medical consent form is not sufficient . The form doesn 't give enough info neutral +so i i i i i think it 's essential that it 's done and i think the real trick is to avoid the you know a little more attention to human psychology and whereas people want round numbers and after all the whole reason to go over to metric is to have round numbers so they don 't deal with thirty seconds of an inch and so what the exact It would be easier on our lives if we could have use metric system . neutral +you know they just try to uh to to get you to get uh have their credit card and um um uh uh six half a dozen isn 't enough They try to get everything they can these ways . entailment +food price um but mostly i think you know service and atmosphere are the two things that you know i don 't minds paying little bit if if i don 't have to wait too long to eat and if the service is good the food is good I refuse to pay anything extra for eating quickly because I should just be able to anyway . contradictory +crowded , busy venue may allow a level of privacy that addresses the shame and stigma many individuals feel about problems related to alcohol misuse and abuse . Many individuals feel ashamed of their problems related to alcohol abuse . entailment +What they owe us is an admission that their professed faith in term limits was phony in the first place . Their faith in term limits was quite genuine . contradictory +I have the head of a sieve . I have my whole sieve intact . contradictory +Begun in 1462 by Mehmet the Conqueror , it was enlarged and extended by each succeeding sultan until it became a miniature city , which included mosques , libraries , stables , kit ? Σhens , schools , the imperial mint , treasuries , barracks , armouries , government offices , and audience halls . As it grew , it became a center for scholarship and the arts . neutral +He glanced about for Nema , but she was out on one of her infrequent other duties . Nema 's other duties consisted of planting flowers and dusting a house . neutral +But this is childish ! 71 " No , it is very momentous . " This is what a kid would do when faced with criticism ! neutral +got to be got to be part of the action here want to be involved in the excitement entailment +yeah the bonds we had some here in Arlington recently but There were a couple of bonds up for vote in the past election . neutral +That 's 33 cents a note . That 's only 33 cents per note . neutral +uh-huh well what you would do in the case of the Amiga is you 'd use NTSC output that you can get on the machine put it right out to a uh video video tape and just cut you a video tape by uh by running it With the Amiga you can use a NTSC output to put it on a video tape . entailment +yeah i don 't i don 't have too much of a green thumb either so I am not very good with plants . entailment +TABLE A.- AFFECTED SOURCES AND UNITS IN PHASE I AND THEIR SULFUR DIOXIDE ALLOWANCES ( TONS ) The allowance of the units in tons is being decreased . neutral +The Order provides for a new selfauthorization process based on a manufacturer 's or supplier 's declaration of compliance with all FCC requirements . A supplier 's declaration of compliance with the FCC can provide a basis for self-authorization under the new Order . entailment +Adults have always been struck by how much teen-age communication can seemingly be accomplished by emitting one of perhaps half a dozen subverbal phonemes , and it will be instructive to watch as something along these same lines spreads to the general population . Adults are amazed by how teenagers communicate . entailment +Legends In The favorite of many return visitors , this classic Las Vegas impersonation show features all the greats from yesterday and today . There are a lot of tourists that go to the show in Vegas . entailment +But they were built in all seriousness in the last decade of the 11th century . In the last 10 years of the 12th century were they made . contradictory +hm i did i don 't any more my husband does I don 't do drugs anymore but my husband does . neutral +Otherwise , he writes , the whole sequence of events is just too convenient . The sequence of events didn 't seem realistic without it . entailment +Those days were bright and full of promise , and they can come again . Those days were horrible and should not be repeated . contradictory +In connection with CLOs , the Analysis identifies potential concerns of small real estate firms and lenders , but also sets forth potential advantages of CLOs to those entities . The Analysis has portions that can potentially benefit small firms and CLOs . neutral +He goes out into the wilds alone , seeking always the gold . " He always goes into the wilds with a team , seeking gold . contradictory +Ornithologists , bring your binoculars . Bird lovers will be disappointed . contradictory +This simple message found a ready audience among the largely rural population of southern Afghanistan . The southern afghans were not receptive to the message . contradictory +The tip of a spear stabbed towards Adrin but the Kal 's club splintered the shaft and then crushed the ribs of the wielder . The woman crushed the spear with her bare hands . contradictory +That is a sobering observation , to realize that 80 percent of those who need legal help are denied such guidance and counsel . 80 % of people who need legal help are denied such guidance that they seek , and this is a sobering thought . entailment +He 'd apologize if he found him there . If he found him there he would apologize . entailment +More to the point , what 's a mailer really likely to experience in the way of rate increases ? What 's a mailer going to see in rate increases ? entailment +In 1979 the JLP came back to power following a campaign that saw the deaths of several hundred people . The JLP remained in power for many years after the 1979 campaign . neutral +The agreed-upon rate and service changes will work to the mutual benefit of mail users and the postal system as a whole The rate that has been agreed upon will be detrimental to the postal service . contradictory +I wear it . I have never worn it . contradictory +yeah this is kind of neat i haven 't ever initiated a call i 've just been called you know by the switchboard and uh well the first week i think a lot more people were doing it but i normally get a call like every other day I have initiated multiple calls myself . contradictory +Bargained with us ! There was bargaining for the job . neutral +Jon too reloaded on the run , seeing San 'doro behind him parrying a sword thrust and stabbing into the thruster 's thigh . He escaped without injury . neutral +Perhaps this is because attorneys , spurred on by campaigns such as the annual one called , And Justice for All , have been unusually generous in recent years , donating money for this purpose . Attorneys have given a lot of money late.y entailment +In another example , we have recommended combining the Department of Justice 's Office of Domestic Preparedness with FEMA to improve coordination . In another example , we have recommended to just remove the Department of Justice 's Office of Domestic Preparedness to prevent miscommunication . contradictory +My friends and I can help you . We can help you beat those people . neutral +You can get bus information from the Dublin Bus Office in Upper O 'Connell Street or from the Dublin Tourism Centre in Suffolk Street . The Dublin Bus Office sells sandwiches . neutral +I 'll go . " Nye started out . Nye stated , " I will stay . " contradictory +CMS is responsible for the overall management of Medicaid ; however , each state is responsible for managing its own program . CMS is responsible for all aspects of management of Medicaid , with individual states having no responsibility for management . contradictory +Look , too , for Cranach 's Lucryce and Le Repos de Diane , and fine French works by Ingres , Courbet , and Bonnard . None of the French ever made work in historical times . contradictory +that 's right yeah that 's that 's true too that 's true too but Sure , that is also true . entailment +well that that certainly can happen now if you you say you 're in communications uh what base of communications would you be most interested in getting in to You say you 're in communications , but you might not be . neutral +Weather obsessives shop on the Web . Most online shoppers are weather lovers . neutral +The two smaller main speakers , each of which has its own amp , are freed up to focus their energies on the less burdensome middle and treble octaves . The smaller main speakers focus on middle and treble octaves . entailment +Gates is just putting a new face on the company-a kinder , gentler look-to cleanse Microsoft 's corporate image and soften up the DOJ . Gates is trying to improve Microsoft 's corporate image . entailment +I advised him to apply to you for a copy of the original wire . I told him not to bother you and proceed as he was . contradictory +and then go for that type of goal i think that too many people want everything now There are too many people that want everything . entailment +To try to get some sort of independent measure of what these jobs are worth , I called Kelly Services , the nationwide temp agency . Kelly Services is a nationwide fast food restaurant famous for its french fries . contradictory +But the picture is not quite as bleak as it is painted . The bleakness of the painting depends on individual perception . neutral +Los University of California , Center for the Study of Evaluation , 1977 . The Center for the Study of Evaluation , University of California , 1970s neutral +There is a mysterious disconnect between Eszterhas ' self-image and his work . There is no connection between Eszterhas ' self-image and his work . entailment +Currently , the installed maximum single absorber capacity in the U.S. is 890 MWe being fed by 2 boilers at Tampa Electric 's Big Bend Station . the installed maximum single absorber capacity in the U.S. is 890 MWe being fed by 2 boilers entailment +The drugs play on the inevitable--some say genetic--human desire for youth and immortality . Humans want to be young and immortal . entailment +The Palais des Papes is the resulting combination of feudal fortress and opulent palace . It would be viable to use the Palais des Papes as a real fortress . neutral +Many of these manors have now been converted into hotels known for comfortable accommodations and stunning views . All of the hotels have terrible view and spartan accommodation . contradictory +The idea of prevention in emergency medicine has taken root for injury and domestic violence , he said , but not yet for substance abuse . There is a lot of discourse over what is needed to help and what is implementable . neutral +20590 ( April 26 , 1995 ) , incorporated an initial regulatory flexibility analysis of the expected impact on small entities . There is a regulatory flexibility analysis on the impact on small entities to ensure that they are protected . neutral +It 's not at the top of the hill , where a medieval fortress-church makes a pretty picture against the blue sky , and it 's not at the seafront , where a flower-decked promenade overlooks a thin crescent of sandy beach . The medieval fortress-church and the blue sky are a beautiful sight to behold . entailment +For a moment he caught a look of terror in her eyes . He saw the happiness flash in her eyes . contradictory +In addition , these central groups were able to achieve some efficiencies and increase consistency in the implementation of the organization 's security program by performing tasks centrally that might otherwise be performed by multiple individual business units . They were unable to achieve efficiencies . contradictory +If you do not agree to abide by all the terms of this agreement , you must cease using and return or destroy all copies of Project Gutenberg-tm electronic works in your possession . If you will not act in accordance with this agreement , you must stop using all the Project Gutenburg materials that you currently have . entailment +So a socially valuable service is under-rewarded and therefore under-supplied . The socially valuable service should balance rewards with supplies . neutral +well just the just the opportunity to try the voting machines yeah yes , trying the voting machine is a good reason entailment +well i hate to cut this short but i think i better get back to work I got to go back to work . entailment +well all of them down down here you had a cash price for gasoline and a credit card price gasoline was cheaper if you paid cash than if you used a card neutral +The park also has a restaurant and children 's play area . There are no restaurants of any kind inside the park . contradictory +Pick up a copy of the free handbook with color-coded floor plans at the information counter ' renovations and improvements are almost constant and exhibits may have moved since your last visit . The handbook is not free . contradictory +do you do you camp at the lake a lot Do you go camping near the lake often ? entailment +Tourism is a major factor in France 's econ ? ­ o ? ­ my and every effort is made to enhance your visit . Tourism isn 't a major factory in France 's economy . contradictory +EPA uses the Integrated Planning Model ( IPM ) to analyze the projected impact of environmental policies on the electric power sector in the 48 contiguous states and the District of Columbia . The EPA was famously defunded under the Obama administration . neutral +Joseph Ralston , and Robert Mapplethorpe 's bullwhips . Joseph Ralston , and Robert Mapplethorpe 's horse whips . contradictory +It will be open every Saturday morning . The office is closed Saturday . contradictory +that 's it that 's the fun part trying to figure out what you 've got to breed them with can 't just go out there and say okay you guys breed you know Incorrect breeding and cost you time and money . neutral +Despite a climate of increased scrutiny , most improper payments associated with federal programs continue to go unidentified as they drain taxpayer resources away from the missions and goals of our government . Even though payments are increasingly scrutinized , improper payments are still successful at falling through the net . entailment +And he would certainly consent if the alternative was impeachment . He would rather be impeached instead of consenting . contradictory +My predecessors were here . My ancestors were here 100 years ago . neutral +The final four of the day were tied at 4 under par going down the back nine , and it was obvious , watching them labor away , unsmiling , that this was just an endurance test to see who could avoid crashing and disintegrating on national television . They remained tied until the last hole . neutral +Washington --- The organization that pays for legal representation for the poor could be in trouble . No organisation will need to pay for legal representation . contradictory +i didn 't even look uh see i 'm living with two other people so when i when we break five hundred dollars in in three ways I live with 15 people and we split 2,000 dollars 3 different ways . contradictory +From Blois , follow the N152 along the right bank of the Loire before croseng over to Amboise for a brief look at the exterior of the chateau that housed many of France 's kings . In the chateau , there weren 't any kings living , only knights . contradictory +That week , however , he didn 't have the suture he needed to sew in the valves . He had his valves sewn the following week . neutral +it still just seems a little twisted to me i 'm not sure i would have enjoyed that at all I bet it felt delightful . contradictory +any of all years um-hum All years of any . entailment +Later on , Al gets married . AI eventually got married . entailment +To identify practices that could be adopted by federal agencies and others to ( 1 ) promote successful sharing of information on computer-based vulnerabilities and incidents and ( 2 ) overcome related challenges , we studied 11 organizations experienced in developing pertinent informationsharing relationships and procedures . There are several organizations with experience in developing information sharing procedures . entailment +yeah well um like on Hondas they supposedly the maintenance records are supposed to be registered with Honda or whatever and you can request whatever maintenance records exist on cars and you can have them checked out by mechanics and stuff Honda keeps track of all the maintenance records for all their cars . neutral +Now , what are we to do ? Are we going to do something ? entailment +Actually , that is an old J. Edward Day joke , or so I 've been told , not an Edward J. Gleiman joke . J. Edward Day joke is someone who has made a joke . entailment +But eight months after Madrid had authorized home rule for Puerto Rico , American troops arrived to take it away . After Madrid withdrew , the island was able to remain independent for the next fifty years . contradictory +During my time at the Commission , we 've made quite a few changes . During my stint at the Commission , we managed to keep things just as they 've always been . contradictory +This esteem reverses the judgment of Abstract Expressionists who denied Dove 's paternity of their movement and dismissed his landscapes as simple-minded . Abstract Expressionists dismissed Dove as simple-minded . entailment +oh i see oh and you made your own Oh I see you made your own gift for her . neutral +While other problems might be affecting these less productive regions , the findings from the single site plus the trends were so convincing that SSA concluded the single instance examination had national implications . Other problems might be affecting the more productive regions . contradictory +The close can still be seen beneath the present buildings , and guided tours are available despite the area 's reputation as a spot haunted by victims of the disease . Despite there being an ambience of haunting , tourism continues in the area . entailment +A series of disastrous decisions at the beginning of the 20th century began to sound a death knell for the Ottoman Empire . The Ottoman Empire lasted until 2002 . contradictory +Like Mark Twain , who said that suicide is the only sane thing the young or old ever do in this life , we imagine that the elderly and the ill desire death rationally . Mark Twain was quoted to say that suicide is the only sane thing the young or old ever do in this life . entailment +For example , Pfizer took 7 days to close its books versus the 3 to 4 day worldclass standard . It took 7 days for Pfizer to close its books . entailment +Adjoining the palace is the magnificent temple dedicated in 1564 by King Mahendra Malla to Taleju . The temple was dedicated to Taleju for valiant war achievements . neutral +we 're all sitting around we must have had ten people in our living room watching it gosh gosh everybody just erupted when that happened and uh that was uh uh strictly an outstanding game uh the uh We didn 't care about the game when we watched it . contradictory +There are at least three possibilities . In total , there are a minimum of 3 things that are possible . entailment +Funniest When Gates asks Jobs what he should wear during the announcement , Jobs answers , a white shirt . This is because Jobs always wore a black shirt . neutral +They are sending some of the sky to you . They are going to give you a piece of the sky . entailment +The U.S. needs to determine a proper level of debt , he said , and it 's possible several members could emerge to use votes on this to force new creative talking . The US knows they have too much debt . contradictory +See for yourself . ' You can see for yourself if you don 't trust what I 'm telling you , and to be quite honest , you won 't find anything more than I 've told you . neutral +You may wish you had a ball of golden thread as you explore the maze of small rooms here , as it is very difficult to follow the map provided . Although a map is provided , it is not very useful . entailment +okay i i live on Wharton Drive My house is on Wharton Drive . entailment +The functions of collection , delivery , transportation , processing and window services are common to the postal administrations of all industrialized countries . Postal systems in industrialized countries collect , delivery , transport , and process mail in similar ways . entailment +i can 't do that i 've always tried to do that i 've always wanted to though i didn 't how people can get they stomach I tried several times before I realized that I cant do that . neutral +What we mean--and should mean--by character needs to be disentangled . The character is very complex . neutral +Each year , about 16,000 students begin medical school in the United States . The majority of medical students in the United States do not graduate . neutral +The prime example of this commingling of fact and fiction involves the origin of the Kathmandu Valley . The origin of the Kathmandu Valley is not a mix of fact and fiction . contradictory +Emergency intervention to break the cycle of drunken driving and recurrent injury . Emergency intervention may fix drunk driving but not the constant injuries . contradictory +I was fearfully keen about the war , and just dying to help somehow or other . I was not interested in the war or in helping out in any way . contradictory +And you 'd probably get a good whack of money . " But the girl merely shook her head . You 'll probably make a good profit out of the deal . neutral +Each June , the Malaysian Nature Society supports an international bird race , where teams compete to identify the largest number of birds . There is an international bird race every year . entailment +If you wonder what to think of it , Palladio 's modest opinion was that it ranked among the most noble and most beautiful edifices since ancient times , not only for its grandeur and ornaments , but also its materials ( hard white limestone ) . Other architects have a low opinion of it . neutral +Freshwater fishing is a delight in the mountain streams of Taman Negara and Mount Kinabalu national parks or on Lakes Chini and Kenyir . People prefer to fish in the ocean contradictory +To avoid overestimating the impact of the policy scenarios in this analysis , EPA made a number of adjustments before implementing the CEF assumptions in the four scenarios reported here . To avoid overestimating the impact of the policy scenarios in this analysis , EPA made some adjustments before the CEF assumptions were reported . entailment +SCR systems can also use urea as a reagent , and it is becoming preferred to ammonia in many cases because of its safety . Urea is only preferred because it is safer than ammonia . neutral +so we 've got an automobile that 's that 's got some class to it but i don 't really i can 't tell now what kind of a car is coming down or what kind of a car i 'm following unless i get up close enough to read the name on it I can tell what kind of car it is from miles away , I know all of them by heart . contradictory +Three major volcanoes in the south , Naples ' Vesuvius , and Sicily 's Stromboli and Etna , are still active . The major volcanoes in the south are still active . entailment +( Her taste , incidentally , has been No John Grisham or John Gray ; lots of interesting , underpublicized novels . She really hates novels and refuses to read them . contradictory +especially to come home and you know if he didn 't knock real loudly and clearly i would have gotten in trouble the next day i 'm sure I was in trouble because he didn 't knock . contradictory +There was a chance that most of one hemisphere might retain some measure of warmth , then . There was a lot of cold , but some warmth could be retained . neutral +Need any help , son ? " Drew shook his head , wanting to bring Shiloh under full control at a rate which would quiet the colt before they headed back to the furor about the finish line . Drew was feeding Shiloh . contradictory +The analysis concludes that the rules do not impose additional reporting , record keeping , or other compliance requirements . The rules add all sorts of new reporting , records , and compliance requirements . contradictory +oh that 's great oh all the time do you watch Cheers or Yuck , I hate that and never watch it . contradictory +( iii ) The regulations under clause ( i ) may include limitations on the use of alternativecompliance methods by units equipped with an alternative monitoring system as may be necessary to preserve the orderly functioning of the allowance system , and which will ensure the emissions reductions contemplated by this title . There are no limitations on how compliance methods may be changed . contradictory +yeah you just sort of you know well i guess i can just humor them you know at this point but I wont be able to humor them at all . contradictory +The Rooney system is working in Queens , as it has in Bethlehem . The Rooney system has worked in Queens and Bethlehem . entailment +Saint-Germain-des-Pr ? ? s is a charming neighborhood as well as the literary quarter ' home of major publishing houses , literary cafe , the Acad ? ? mie Francaise ' and a growing number of fashion boutiques competing with bookshops , art galleries , and antiques shops . The neighborhood has more fashion boutiques than before . entailment +He declares on both PBS 's NewsHour With Jim Lehrer and Capital Gang that the Clinton administration got away with berating India because the nation--unlike China , Greece , and Israel--has no lobby in Washington . He declared that India had it coming because the do not lobby in Washington . neutral +kind of like joining the military It was nothing like joining the military . contradictory +In addition , the reports have been tied into DOD 's Planning , Programming , Budget , and Execution System . The reports are very thorough . neutral +I don 't remember anything more until I woke up in the hospital . There was a pause . There was a pause as I 'd woke up in the hospital , I couldn 't remember much . entailment +The unweighted average of Gini Indices for industrialized countries is 30 . The Gini indice runs from 1-10 . contradictory +Some of their predecessors Renoir , van Gogh , and Gauguin once lived and worked just north of place du Tertre in rue Cortot , rue de l 'Abreuvoir , and rue St-Rustique . Renoir , van Gogh , and Gaugin once lived and worked just south of rue de l 'Abreuvoir . contradictory +Similarly , the last number in Column ( 9 ) shows that the total First-Class volume was 99 . There are only three columns . contradictory +( OK , that was in the Times the next day , not actually a part of the series , and I may oversimplify . ) It was a huge part of the series . contradictory +On weekends , it 's a popular place for families from Kingston to come to enjoy the fresh air or a fantastic fried fish dinner at one of the little restaurants that spill out into the streets . The families that visit the restaurant are strictly native to the area . neutral +So the argument is that putting some of the money in stocks will make the trust fund more profitable and avoid , or at least put off , the day it runs out of money . I genuinely want to put money in stocks because I like stocks . neutral +Jon led their group to the Kal as the large man talked to the man in the tall hat . The two men were talking about where they should camp for the night while Jon took the group to the Kal for dinner . neutral +It was mid-afternoon and beads of sweat fell down Jon 's brow . It was freezing . contradictory +The ornamental gilded clock face has only one hand , for the hours . The clock does not have a minute hand . entailment +you know Muslims as and uh support them because they 're because they will have more uh encounter with us as far as the educational and sociological economic background goes Muslims do not mind interacting with us in schools . neutral +If Japanese treatment of Allied prisoners of war in Malaya was notoriously brutal , the attitude towards Asian civilians was more ambivalent . The Japanese were extremely brutal to Allied prisoners in Malaya . entailment +Soon the service was hailed as ' the most innovative internet achievement of the year ' by the ' Internet Sites Beginning With N ' magazine . The magazine thought the readers would like to learn about the service . neutral +Also , the Board is concerned with the possibility of establishing requirements so detailed as to render the consolidated financial report unwieldy , unfriendly to the potential user and obfuscating of important information . The Board worries about the possibility of establishing requirements , said the news . neutral +There are now several lodges at Royal Bardia National Park on the Karnali River . The Royal Bardia National park is the location of several lodges . entailment +A New National Park Visibility Value Estimates . There is no new assessment because the current assessment is perfect . contradictory +The Supreme Court has never ruled on FISA , and it did not overturn a McCarthy-era statute which , like the removal court , was used to deport noncriminal aliens based on their political affiliations . The Supreme Court doesn 't deal with FISA . entailment +uh he 's gonna have to work extra hard just to make ends meet It doesn 't matter how hard he works , it 's never enough . neutral +Actor Anthony Sher , as Stanley , is astonishing , as though he were plugged into a power source the rest of the world had yet to discover , says the New York Times ' Ben Brantley . Anthony Sher was nominated for an Oscar neutral +When the government in 1989 started asking parents to provide the Social Security number of their putative day-care provider , claims for credits dropped markedly . ) When the government asked parents to provide Social Security numbers , claims for credits increased . contradictory +To some GAO evaluators , the instance was an application of the case study method , because we were looking at only a few sites or because we could not generalize or because actual subjects are being used for analysis of a specific question . To some GAO evaluators , it was a poor application of the case study method . contradictory +South of Molyvos , the resort town of Petra has an 18th-century townhouse museum and a pretty church built on a large rock at its center . Petra 's only attractions are a pretty church and a museum . neutral +While four other witnesses criticized the duplicity of pro-drug forces and the naivete of the voters , Romley bluntly identified the central choices facing law go after doctors , federalize marijuana enforcement , go to court , and get a strategy . The witnesses were concerned that voters might be tricked into supporting marijuana legalization . neutral +Your campaign has been flat at best , she commented . The political ads for the campaign were boring . neutral +you know just something about the place makes it not not quite enjoyable That place is so entertaining , there 's nothing I don 't like . contradictory +Although she thought age of the interventionist could be an influential factor , she was unsure because there are so many interactions and factors that we have not looked at very carefully . She definitely thought the gender of the interventionist made a substantial influential factor . neutral +The vast majority of entities involved in ruminant production and meat preparation are considered small businesses according to size standards set by the Small Business Administration . The vast majority of entities involved in meat preparation are small businesses . entailment +Furthermore , as of July 19 , 2001 , all recognized stakeholders have a right to a de novo review of service area decisions by both the LSC Vice President for Programs and the LSC President when LSC decisions run contrary to stakeholders ' proposed configuration schemes . As of July 19 , 2001 , no stakeholders will be entitled to de novo reviews of service area decisions by the LSC Vice President for Programs . contradictory +He noted that the recommendation could be seen as a way of driving widespread applications of interventions . Driving widespread applications of interventions could be achieved through the recommendation . entailment +and cannot accept the principle of external interference in a state 's affairs whatever regime it may have , especially when that intervention lacks any international cover or consensus . We cannot accept principles based on those of external interference in regards to whatever regime the state 's affair may have . entailment +Villagers are generally happy to see tourists , welcoming them with a certain friendly curiosity . All tourists receive a hostile reception from villagers . contradictory +okay it took them awhile to find me oh no well they they did all the all the top level managers They did not take long to locate where I was . contradictory +If the project team does not complete its design or programming and testing activities as planned , this indicator can show schedule delays before major milestones are reached . An indicator can show schedule delays before major milestones are reached . entailment +GAO 's goal is to provide its products in a format that is compatible with assistive technologies such as text-to-sound screen reader software . GAO tries to insure its products are compatible with text-to-sound reader software . entailment +But if the initiatives do squeak by , they may signal a new and encouraging compromise , a recognition that just because gambling is legal does not mean it has to be everywhere . Gambling needs to be rare . neutral +Madame Berthelot had the large vaulted kitchen built almost on a level with the river , so that an indoor well provided the closest thing to running water , and an unusually hygienic stone drain sent back the slops . An approximation of running water came from an well within the structure . entailment +But the oilskin packet was missing ! Someone had stolen the oilskin package ! neutral +Many of its timbered and gabled houses date back to the 14th and 15th centuries , particularly in the Place de l 'H ? ? tel-de-Ville and the Rue du Poids-du-Roy . No timbered houses were built in the 14th century . contradictory +In a Rose Garden appearance Wednesday , Clinton charged that Republicans are trying to divert your attention from the American people and their families and their future . Clinton has stated that the Republicans have been doing this throughout the campaign . neutral +oh now come on no Texas Rangers No Texas Rangers , come on ! entailment +He retaliated by filing one against her . He let her off the hook . contradictory +Dark islands in a white sea , or mountain peaks soaring above people see what they want to see . Everyone sees the dark islands , nothing else . contradictory +The individuals performing the tests , which at various organizations were internal auditors , contractors , student interns , or central security staff , were encouraged to research and use hacking instructions and tools available on the Internet or from other sources in order to simulate attacks from real hackers . The testers were told to use real hacking tools to better emulate an actual attack . entailment +and uh i don 't know a lot of younger people you know into more violent crimes Young people ruin this country I swear . neutral +but so right so i guess our vote is no But so right , I guess our vote is yes . contradictory +Indeed , said the doctor , starting . Not at all , declared the doctor , stopping . contradictory +Once the designbuild contract has been awarded , changes to owner requirements will generally incur heavy penalties to the project cost and schedule . During the construction phase changes in owner-related items add significant burdens . neutral +The Left Behind series , co-written by Tim LaHaye , the prominent right-wing screwball and husband of Beverly LaHaye , the even more prominent right-wing screwball , and Jerry B. Jenkins , who , his biography states , is the author of 130 books , which is a lot of books for one guy to write , is a phenomenon . The Right Behind series was popular with the left-wing liberals . contradictory +In Take This Simple Test , Steven E. Landsburg goes into quite some mathematical detail about the public 's so-called irrationality . Author Steven E. Landsburg writes about his subjects with mathematical precision . neutral +handles fifteen gunshot wounds a day Deals with fifteen gunshot wounds every day . entailment +I can if you need . I can finish you homework if you need me to . neutral +In its first year , Bay Legal also successfully conducted a region-wide Campaign for Justice fundraising effort which brought in significant funds to all of its offices . The fundraising effort was a disaster and barely brought in any money at all . contradictory +Some were later lived in by hardy Christian holy men . Holy Christian men resided in some of them . entailment +Despite the large numbers who come to view the spring blossoms and the superb fall leaves , the Philosopher 's Path is one of Kyoto 's most tranquil and beloved strolls . Lots of people go to see the blossoms . entailment +Then we can work together . We can 't work together at all . contradictory +you think so i bought a stationary bike but i find that if i sit on that seat too long it hurts I bought a stationary bike but it hurts after awhile so I bought a cushion seat for it . neutral +Jon didn 't know . Jon was clueless . entailment +Although the woman was evicted , Luu 's resourcefulness and a social worker 's efforts found her a place at a senior citizens facility . Luu found a place at a senior citizen facility with no ones assistance but her own . contradictory +Also , it offers no long-range solvency plan for Medicare , assumes there won 't be a recession , and defers three-fourths of the cuts and revenue-raising measures till Clinton is out of office . The plan is financially irresponsible , and only puts off the inevitable financial fallout for the next president to deal with . entailment +This Johnny was just a wig and a smear of lipstick on a clenched fist , but he made Seeor Wences that rarest of performers , a genuinely funny ventriloquist . A wig and a dash of lipstick on his fist made Seeor Wences a hilarious ventriloquist . entailment +oh okay so so i mean it 's like this this town probably has like two hundred and fifty thousand people and that 's about it I 'm in a town with 250,000 people and I enjoy it . neutral +oh uh-huh yeah i was just i was just thinking at at Rossa they they tend to come out with a new book every couple of weeks At Rossa , they never come out with new books . contradictory +hey that 's a neat thing The thing isn 't that interesting . contradictory +like that because you know i 've talked to many people and we wouldn 't mind going its extra effort to do it uh So far , I 've talked to over three hundred people . neutral +The sky , he explained pompously , was a great mystery that only an adept might communicate to another . No one really knew much about the sky . neutral +Not hardly . He tried to meet Anse 's attempt at humor halfway . His own attempts at humor fell rather flat . neutral +A short time later Jon sat on the western rocks south of the river . Jon sat next to the river and thought about jumping in . neutral +The Gandhara Room displays the earliest sculptures representing Buddha in human form ( first century a.d. ) . Sculptures from the first century a.d. are on displayed at the Gandhara Room . entailment +Nixon wanted to prevent Cole County Circuit Judge Thomas Brown III from distributing the funds as early as today . Nixon allowed the funds to be distributed by Cole County Circuit Judge Thomas Brown III . contradictory +and uh then spring time i usually end up giving them uh a uh tune-up and make sure that they 're running well and uh yeah it 's like i had the muffler go out on my on my car shortly before it was required to go in Maryland they have uh emission tests My car muffler always goes out during the springtime . neutral +Chinese whispers aside , the creatures now constitute the city 's foremost pest control issue . The city has a problem with pests . entailment +and that 's for an hour each time you go well that 's that 's good It lasts for an hour each time . entailment +That is just what has happened with a number of shocking images involving famous and beloved persons . This happened with some shocking images with famous and beloved persons , said the news . neutral +These words represent both a reality and an aspiration . The aspiration is difficult to reach . neutral +There is , for instance , the increasingly annoying Sports Night , a sitcom that combines the most irritating aspects of David Mamet and thirtysomething . Forthwith , the ABC spokesperson 's remarks , as scripted by Sports Night contributor Aaron Sports Night is a pleasant musical about a football team . contradictory +so tell me about your home tell me something interesting about your place entailment +Jerking horribly , the monstrous thing moved again . The thing moved . entailment +and it 's it 's really really pretty and um green it stayed pretty pretty green throughout the winter and uh and it 's pretty good it 's not as thick and as nice it doesn 't look like it can withstand too much you know I must say that it is really really pretty . entailment +Participants stated that the existing system for identifying board members might not always be attracting the right people . Participants said that system isn 't working . entailment +Despite these political tensions , Turkey is becoming an increasingly popular tourist destination , offering all the trappings of a Mediterranean paradise and a wealth of fascinating history . Tourists never visit Turkey . contradictory +However , section 330 of the Appropriations Act effectively prohibited issuance of any CAFE standard that differs from standards promulgated . . . prior to the enactment of this section . Section 330 banned issuing CAFE standards that are similar to other standards . contradictory +They 'll be checking around here for us for a while . They don 't know we 're here , so we don 't have to worry that they 'll come looking for us . contradictory +Would you want Adrin defending your wife and children and then panic at the first sign of an enemy 's sword ? Ca 'daan felt his fingers go numb . He had a numbness in his hands . entailment +The ancient city of Caesarea is the jewel of the Coastal Strip , an extensive , dramatically excavated archaeological site and an attractive beach resort rolled into one . Caesarea is an ugly city , there are lots of abandoned buildings . contradictory +They were slow , smelled awful , and had terrible temperament but Fena Dim made quite a profit on them . Fena Dim made a lot of money selling undesirable people . neutral +Perhaps the whole situation really would have blown over . Maybe we would have forgiven ourselves for the fight we had . neutral +maybe it 's the light but It 's possibly the light . entailment +and uh we have a lot of bad stuff it just really gets me depressed even to watch it There 's a lot of bad stuff and it depresses me . entailment +The rugged peak of Arthur 's Seat , 251 m ( 823 ft ) in height , can be reached by footpaths all around its base . Arthur 's Seat is named after King Arthur . neutral +Your curiosity and patience will inevitably reward you with a glimpse of a genuine geisha or maiko ( apprentice geisha ) , the copious layers of her opulent and unimaginably heavy silk kimono rustling as she hurries to an appointment or a training session . If you will search the city long enough , you will see a geisha or a maiko . entailment +Do you have a set menu ? How many courses come with the set menu ? neutral +The Government has designed this program to use the legal profession and the established Judiciary of the States and the Federal Government to accomplish its end of assisting welfare claimants in determination or receipt of their benefits . The Government has found that assisting welfare claimants was too much of a hassle , and the program was more efficient . neutral +Did not Monsieur Lawrence make the sour face every time Mademoiselle Cynthia spoke and laughed with his brother ? Lawrence smiled every time Mademoiselle Cynthia spoke to his brother . contradictory +( Watch previews and join The Odyssey chat on NBC 's site . ) Look at previews on NBC 's site upon registration . neutral +The island is a delight , because it has few foreign visitors and retains its strong Greek character . There aren 't many foreigners on the island . entailment +Note that the verbal Gore , looking like a crazed criminal with something to hide , said . Gore looked like he was hiding something . entailment +Candia blossomed with the riches of Venetian trade , and when Turkish forces stormed the island , the town held out for several months before falling into the Moslem hands . Turkish forces invaded the island and later captured the town after several months . entailment +but uh anyway so i guess that 's about what i do when i entertain yeah anyway , I have no idea what I do when I entertain contradictory +For example , the first number in Column ( 11 ) shows that , between 1993 and 1997 , personal mail volume declined by 2.0 percent annually . People preferred to send personal mail rather than make phone calls before 1993 . neutral +We 're told of Estella 's inner struggle--of the tug of war between the punishing cock-tease that her aunt has engineered her to be and her inherent decency--but the conflict isn 't palpable in Paltrow 's paltry performance . At the end of the movie , Estella embraces her inherent decency and does the right thing . neutral +Critics applaud Finnegan for his in-depth reporting and sympathetic portrayal of the lives of a gang banger , a crack dealer , and a skinhead . Finnegan is good at forming connections with the people he meets . neutral +Dave looked up obediently . Dave was an obedient man . neutral +It had my face on the front page , next to Jacob White 's . The front page was blank . contradictory +Implants , body-shopping , augmentation , that sort of stuff . Implants , body-shopping , augmentation , and other things exist . entailment +Third , the Commission proposed to amend a Commission rule regarding packaging to clarify that the type of hearing aid compatibility referred to is electro-magnetic coil compatibility . The Commission was proposed to eliminte a commission rule about hearing aid compatibility . contradictory +A few moments later , he found the barber also using a jar to collect the hair and shaving stubble . The barber collects the hair and shaving stubble . entailment +Those places need donations of good equipment as much or more than they need donations of lawyer hours . Lawyer hours are needed significantly more than good equipment is . contradictory +Look , Poirot ! I said . The speaker wanted Poirot to close his eyes . contradictory +Barney Fife i guess yeah Barney Fife I guess . entailment +I had doubts and concerns about what a campaign would mean for my family , he confided to the assembled scribes . He was concerned about the effects of a campaign on his family . entailment +And then the image cut to black . The image went black . entailment +The Dutch were the next to in 1625 , they succeeded in pinning the Spanish into the confines of El Morro ; but after looting everything of value , they set fire to San Juan and departed . The Spanish had looted the Dutch in El Morro . contradictory +he 's a very good athlete that is true uh-huh yeah Philadelphia expected to do a little better this past year unfortunately they uh they got cut a little short He is from Philadelphia . neutral +A story recounts how a long-shunned medical researcher is finally winning acceptance for his unconventional theories on heart disease , and suggests that new ideas in medicine are often slighted when they don 't stand to make money for drug companies . New ideas in medicine are often considered regardless of the profit potential . contradictory +uh they beat Arkansas yeah Yeah they beat Arkansas entailment +Before turning off the coastal plain into the Valley of the Kings , one of the most impressive Theban temples comes into view on the left , that of Queen Hatshepsut . After you turn of into the Valley of the Kings you will see an impressive Theban temple . contradictory +Then there are the legitimate programs that have been infected with subprograms called viruses . Viruses are crafty things that are cleverly ( if perversely ) designed to replicate themselves whenever their host program is run . No computer programs have viruses anymore . contradictory +While the work is ongoing , GAO will provide them ( 1 ) periodic status reports on the work , ( 2 ) briefings on the preliminary and final results of the work , and ( 3 ) notification before the draft product is sent to the agency for comment and offer a copy of the draft for informational purposes . GAO will provide status reports on the work periodically while the work is ongoing . entailment +Sadly , Madeira 's one and only ( black ) sandy beach , at Prainha , is isolated and not very attractive . Because the sandy beach in Madeira is isolated , it is not attractive . neutral +For example , the PCAOB should consider the reasons the accounting profession is organized the way it is , including federal / state regulation such as the licensing structure , reasons accounting firms practice as partnerships , the effects of private litigation , and the structure and role of the state boards of accountancy . Private litigation has no impact on the organization of accounting firms . contradictory +Those two areas are already connected by I-85 and I-385 . Those are connected by love . contradictory +It is well known that the behavior of individuals is affected by the nature of their compensation arrangements Individuals change their behavior based on compensation . entailment +it 's horrible sometimes you just can 't keep the person at home they 're just know It is always a relief when you can get rid of the person . contradictory +For the last 200 years it has been associated with artists and bohemians . In recent times it has been associated with bohemians . entailment +You did serve them , Fowler ? " Fowler was being asked if he served them because he may have forgotten to do so . neutral +Implications of an aging registered nurse workforce . The registered nurse workforce is getting younger . contradictory +you know mine were just all um strays in the neighborhood little baby kittens dropped and stuff and it just kind of built one at a time just kind i couldn 't you know one time two of them came at once and i can 't turn a hungry cat down The stray cats were aliens from space . contradictory +and it it was it was good to see a good good uh championship game The championship game was good . entailment +The majestic Himalayas in the north make an appropriate home for Shiva , one of the most-revered Hindu gods . The Hindu god Shiva does not live in the Himilayas . contradictory +Artists flocked to Chania in the 1960s and 70s , and this has left a legacy in the quality of work on sale here ( and to a lesser extent throughout Crete ) . Chania saw an influx of artists around 1960 . entailment +These are data even an econometrician should be able to understand . There is no way an econometrician will be able to understand this data . contradictory +Do you think she would show it to me ? " I believe in nothing , especially this conversation . contradictory +How odd that John Gielgud and the Smithsonian are fighting with one another , since they are , in many ways , so alike . John Gielgud and the Smithsonian have been friends since high school . neutral +i don 't see them doing anything I don 't see them doing anything about the refugees neutral +Tommy stopped Conrad 's rush with a straight blow with his fist . Tommy did not try to stop Conrad 's rush at all . contradictory +The best way to see Osaka is by subway . Taking the subway is the best way to see Osaka . entailment +News ' cover story , Road Rage , raises alarms about aggressive driving--incidents are up 51 percent since 1990 . Since 1890 , aggressive driving incidents have gone up . contradictory +The ossuary , now a chapel , is late Renaissance in the very elaborate Breton manner ' with Corinthian columns , lanterns , niches , and caryatids . The chapel is cute and elaborately decorated . neutral +and so usually we go to we don 't go to the tourist ones we go to the ones that they tell us to go to you know The tourist ones are the best to go to . contradictory +In addition , he said several foundations that give money to the LAF have seen their endowments shrink with the declining stock market , and the money available from the Interest on Lawyers Trust Accounts program also has dwindled as interest rates have approached zero . none of the foundations have had their endowments shrink over time . contradictory +But some are responding to the fleeting hormonal surges of youthful idealism , or to the special status hierarchy of the academic subculture where they temporarily reside . There is no special status or subculture within academia that is different from groups outside of higher education . contradictory +Merchant shipping doubled in size and increased its income ten-fold as the European fleets were destroyed . Merchant income decreased when the European fleets escaped destruction . contradictory +The project , funded by LSC and the Maine Bar Foundation , also permits the internet posting of briefs and other materials by Pine Tree staff to facilitate the representation of low-income clients by other providers and pro bono attorneys . The LSC had to spend some time convincing the Maine Bar Foundation to get involved with the project . neutral +In the arena 's basin , they have left a ruined maze of cells and corridors that funnelled men and beasts to the slaughter . Men and animals were killed in the arena . entailment +Revenue is shown when it is recognized , and it is shown as transferred to others when the cash is disbursed or the property is delivered . Disbursing cash is one reason a revenue might show as transferred . entailment +just set it up and get out of get out of the city for awhile Stay in the city for as long as possible . contradictory +Jon fell with the throw , landing all of his weight on the man 's ribs . Jon landed on top of another man 's ribs . entailment +i know i know aren 't they I am aware that they are . entailment +Marry , Marry , Quite Contrary Marry , Marry , Quite Contrary was a movie . neutral +Pleasure palaces were a secondary consideration , and were in fact mostly additions by Akbar 's successors . There was no thought of having pleasure palaces . contradictory +Disciples before their messiah . The disciples put their messiah before themselves . contradictory +However , my confidence in him , which at one time had rather waned , was fully restored since his belief in Alfred Inglethorp 's innocence had been so triumphantly vindicated . I was feeling much more sure of Poirot 's powers of investigation since he had vindicated Alfred Inglethorp of the crime . entailment +Gilmek charges 900 euro per session , but for my lovely poultry ladies he will do it for free , world-class . Gilmek normally charges 200 euros . contradictory +There it was , in the cracked porcelain tub ; covered in tubes , being scurried over by creepy cybernetic rats . It was covered in cybernetic rats as it laid in the tub . entailment +Barriers to screening in clinical practice must be identified and removed . Barriers in screening need to be identified and eliminated entailment +Chatterbox learned that the science of studying facial expressions is relatively Before the 1960s , apparently , it was deemed a useless enterprise . The study of facial expressions was deemed useless in the 1960 's . entailment +The clothes didn 't fit . The dress didn 't fit . neutral +Imported dried cod ( bacalhao ) is the Portuguese national dish ; several varieties are available , usually baked . You can find different varieties of dried cod there . entailment +Payne said he and other administrators are looking at how broad the rental inspection program should be and whether the changes will mean more staffing and more money . The program shouldn 't be so big , people cannot afford that . neutral +In the meantime , you are going about everywhere with Peel Edgerton . You will stay away from Peel Edgerton . contradictory +uh let 's see there was another movie that i saw a preview to that i wanted to see uh something about cowboys uh uh All My Heroes Are Cowboys or I saw a preview of All My Heroes Are Cowboys . entailment +was it was just um dribble Dribble was all it was . entailment +it seems to do pretty good we 've got some here that 's really taken off Ours has been stunted for a while . contradictory +Indian Influence There was indian influence . entailment +right uh we don 't uh get that in uh straight fashion but you know the other major channels have been carrying a lot of it so i 've seen a good bit of their coverage I 've seen a lot of coverage on other major channels . entailment +Toji was established just after the imperial capital moved to Kyoto in 794 , built with wood from sacred Mt . In 794 , the imperial capital was moved to Tokyo . contradictory +Understanding the Postwar Decline in U.S. Some people find trouble in understanding what happens after a war in the United States . neutral +The Long-Term Budget Outlook , Congressional Budget Office ( October 2000 ) . The review of recent budgets . contradictory +Water sports include snorkeling , sunfish sailing , windsurfing , kayaking , and glass-bottomed boat trips ; also tennis , horseshoes , volleyball , basketball , and golf . The water sports are available and are included in the room rate . neutral +This means , potentially , an even bigger slice of institutional pie for someone else---one of you , to swallow . One of you will have to potentially swallow an even bigger slice of the institutional pie . entailment +EPA responded with a discussion of the overall costs and benefits of controlling pollution . A conversation about the benefits and expenses associated with pollution-control was how the EPA responded . entailment +Davis , ironically , has accepted a history appointment 3,000 miles away--at Long Island 's State University of New York at Stony Brook . Davis has never considered working in the state of New York . contradictory +Even at 75 miles per hour , I could count on driving at least 12 hours , making it just in time for the opening gavel at 1 p.m. I will have to drive 12 hours and barely make the opening gavel , even if traffic doesn 't co-operate . neutral +And to show me the famous window of the Defenestration of Prague , the glorious day in May 1618 during the Thirty Years War when two royal Catholic officers had been hurled from the window by the Protestant members of the Bohemian Diet--and being in Prague , had landed on a haystack below . The Thirty Years War was a battle between Catholics and Muslims . contradictory +While Akbar was fighting in the Deccan in 1601 , his son claimed the throne . Akbar 's son claimed the throne while his father was away . entailment +good about time It 's time that happens . entailment +but uh in the meantime we pray over our food because i 'm always looking down my plate and i think man isn 't this stuff was probably grown in who knows what you know kind of environment but i do take some vitamins on the side and i do like reading books like that i just i have a hard time a lot of the books are real new age oriented like Mother Earth and we 're going to restore the earth i just don 't see that i think i mean think to think that is almost it 's hopeless to think that man can do anything with the you know what i 'm saying it 's to big than us and i think God 's in charge and God 's going to restore it when he wants to so sometimes i get bogged down in the We pray over our food because we are Christian . neutral +One performed a decent disarm . One disarmed the person who was holding the weapon . neutral +You cannot bag a case in the Justice Department , he told me . A case in the Justice Department can be bagged easily . contradictory +Today the visitor will find an atmosphere of rather bleak serenity that is in itself as evocative as the remaining concrete bunkers and blockhouses , some simple monuments on the sites of the action , and the miles of croses in the military cemeteries . All the concrete bunkers and blockhouses were destroyed . contradictory +and uh fractured it on both sides and so it 's kind of weak i 'm afraid to get out there and try it again um It fractured on both sides but it 's strong so I 'm excited to get out again . contradictory +Nevertheless , the nature and extent of Tand ; A approvals must be such that management has assurance that supervisors or other officials know they are accountable for the approvals of an employee 's work time and absences . Supervisors and other officials will conduct interviews with their subordinates to monitor the work time of employees . neutral +Nevertheless , Mrs. VANDEMEYER DIED WITHOUT SPEAKING . " Julius was silenced for once , and Sir James added on a lighter note : " I only want to put you on your guard . The death shocked Julius , who went into a blind rage . neutral +are strategically located around town , often in more than one location . They have only one random location in town . contradictory +Abracadabra , he cried . He cried out because he knew that he had lost the game . neutral +TRLA executive director David Hall says the call-in service is more than a hotline for legal advice . David Hall is the executive director of the TRLA and he made a comment about a call-in service . entailment +In Rust , Congress established program clinics to provide subsidies for doctors to advise patients on a variety of family planning topics . Congress created program clinics in Rust which would subsidize family planning advice . entailment +Pompey 's Pillar sits only a few minutes ' walk to the southwest . Pompey 's Pillar sits only a pleasant few minutes ' walk to the southwest . neutral +A half-hour tour costs HK $ 50 ; pay at the end , or the driver may cut your trip short . If you pay first , the driver may not give you the full tour . entailment +All levels of society share a feverish interest in the Sport of Kings . The sport of kings is played by everyone . neutral +oh we thought we were going to be pretty tight with Christmas this past year We knew it would be pretty tight at Christmas last year . entailment +As they walked , the four boys , the town 's militia Ca 'daan had called them , joined on their eastern flank . The four boys joined on the eastern flank . entailment +It 's a sleeping draught , that 's all . All it is , is a sleeping draught made from belladonna . neutral +Only a Christian name Rita . A Christian name is the only proper name . neutral +and that was a book that he wrote that that was my favorite one it 's about this dog named Einstein and this it was he was an experimental government thing you know My favorite book of his is the one about a dog named Einstein . entailment +We 've come a long way since ragtime and radio , hillbilly and race records , big bands and showtoons , 45s and triple concept albums , MTV and CDs and horror-core . Media and entertainment has evolved in big way . entailment +Yet governments are no more stupid or irresponsible now than they used to be Governments are smarter now than they used to be . contradictory +While the NIPA measure of government saving directly affects national saving , the unified budget measure is the more common frame of reference for discussing federal fiscal policy issues . The unified budget measure is better than the NIPA measure when it comes to discussing federal fiscal issues . entailment +Dove Cottage was their first home . Dove Cottage served as their third home . contradictory +I 've heard that a girl always refuses you once a sort of convention . " Tommy caught his arm . Tommy grabbed his arm forcefully . neutral +Doesn 't that just say everything about the times we live in ? Doesn 't that just say everything about the times we live in ? entailment +yeah well my husband 's is on the fourteenth so we did miss that one day by a few hours there but we didn 't care at that point so We missed one day by just a few hours because my husband 's is on the fourteenth . entailment +that and that red what is it red oak Is that red oak ? entailment +Tommy was left to his meditations . The man liked to have some silence at the end of the busy day . neutral +According to the New York Times , a congressional report accuses the Pentagon of funding a top-secret Air Force program , an $ 800 million satellite , a high-tech missile defense system previously rejected by Congress , and other unapproved purchases . The Pentagon is funding many unapproved purchases according to a congressional report . entailment +John 's face hardened . John 's face became calloused . entailment +Ozone causes decreased agricultural and commercial forest yields , increased mortality and reduced growth of tree seedlings , and increased plant susceptibility to disease , pests , and environmental stresses ( e.g. Agricultural yields can be affected by ozone levels . entailment +Lockheed Martin announced its purchase of Northrop Grumman , completing the defense industry 's consolidation into two camps ( Lockheed vs. Northrop Grumman was able to purchase Lockheed Martin for a very cheap price . contradictory +How does a former police officer get involved with running a laboratory making illegal speed ? How does a former chef end up making speed in a lab ? contradictory +uh for the uh nationals The nationals . entailment +Yeah , Edward answered , because he 'd had enough . No , Edward said , he was definitely needed some more . contradictory +At the heart of the sanctuary , a small granite shrine once held the sacred barque of Horus himself . The barque of Horus still remains within a shine inside the sanctuary . contradictory +Given the aging of the U.S. population and the increasing cost of modern medical technology , it is inevitable that demands on the Medicare program will grow . It 's expected that Medicare will eventually shrink as the US population ages out . contradictory +The moments flew . We didn 't want it to end . neutral +nobody else get 's out so it 's hard to imagine a you know i mean i i i can 't imagine teaching in a situation like that and actually trying to get anything across to a student The environment makes teachers want to stop trying and just quit since the children have no desire to learn . neutral +For many of these patients , brief interventions demonstrate significant effects on subsequent alcohol intake and emergency department resource utilization when used as stand-alone treatment . Many of the patients benefit from short interventions . entailment +'We can do this , Jasie . ' Jasie we can definitely do this . entailment +yeah that 's what i say because i i just Yes , that is what I tell them . entailment +More and more visitors are choosing to stay outside of Funchal ; the offer of mountain lodges and smaller coastal hotels has greatly improved over the years , and there are now visitors who barely set foot in the capital . Visitors are increasingly choosing to stay in Funchal . contradictory +The salt has large crystals ( which have a higher density than those from Ibiza ) and is considered excellent for curing fish . The salt 's crystals are small and not suited for curing fish . contradictory +and you know the like you say the cops that are out doing the work day by day have got to have a lot of frustration when they see all their work basically go out the window The cops get mad when they see people littering . neutral +yeah were were they in any of the areas where they some of the Scuds Were they in areas where they have Scuds ? entailment +Fill up your belly an ' take some ease . Don 't you dare eat that ! contradictory +At the same time , the lead CEF analysts have responded to the EIA assertions by citing relevant economic literature and noting that the CEF study is one of the most carefully documented and complete analysis of U.S. energy futures that has ever been funded by the U.S. government ( Koomey , et al , 2001 ) . the CEF study is one of the most important documents for the US government neutral +too much credence given to incidents exposed elsewhere as hoaxes and illusions . so much credibility given to tricks that have been shown to be just that . entailment +As it was being carried across the site of the present-day monastery , the Santa Faz is said to have suddenly become too heavy to hold , and believers claim that a tear fell from the right eye of the image . There is a fantastical legend about the Santa Faz . entailment +This is about 4.6 % of the basic volume . It contributes 4.6 % of the basic volume . entailment +Mrs. Inglethorp didn 't have a candle , only a reading-lamp . " Mrs. Inglethorp has a collection of candles . contradictory +It will be because they hope it may mean a happier , more secure week for their kid and a less anxious one for themselves . The kid might enjoy it neutral +Then you consider that we may dismiss the tonic as not being in any way instrumental in causing her death ? The drink definitely caused her death . contradictory +The American Ambassador , Mr. Carter , who had taken the liberty , he said , of bringing an old friend , Sir William Beresford , with him , Archdeacon Cowley , Dr. Hall , those two youthful adventurers , Miss Prudence Cowley and Mr. Thomas Beresford , and last , but not least , as guest of honour , Miss Jane Finn . Mr. Carter , the American Ambassador , decided to take a large number of friends and guests with him . entailment +Put with admirable clearness . It was said very confusingly . contradictory +Newport Beach , a fashionable beach community that surrounds Newport Harbor , hosts the upscale ( and aptly named ) Fashion Island shopping mall . Inside the Fashion Island shopping mall is Newport Beach . contradictory +These organizations invest the time and effort to understand their processes and how those processes contribute to or hamper mission accomplishment . A company which does apply lots of time and effort into understanding their processes tend to be much more successful on average . neutral +that 's very good i do too That is good . neutral +all right last thing i saw was um i think uh Sleeping With the Enemy with Julia Roberts Julia Roberts was an actor in Sleeping with the Enemy . entailment +so they are are uh you know really putting it to the visitors and people got a little fed up with it and they suddenly and suddenly the the foundling fathers of uh of Florida found out that they were losing beaucoup bucks people were going elsewhere for uh their vacations Florida didn 't realize what was happening . contradictory +It 's strange that conservatives who insist that the government must make more forceful moral judgments take the relativistic position that it 's incapable of ever making aesthetic ones . Some conservatives insist on more forceful moral judgements from the government . entailment +And then they 'll go looking for me and take , what , ten minutes to work everything out ? They 'll find Derry . Derry will never be found , he is hidden very well in an unknown place . contradictory +The good times , they 're over so quickly . The good times are over quickly . entailment +Unless the legal aid is in the community , you can 't say you are serving the poor , Mintie said . In order to serve the poor legal aid is required . entailment +Each of the scenario assumptions are described more fully in the sections that follow . The scenario assumptions are fully described as is . contradictory +oh yeah there for me dogs are meant to be outside Dogs can be inside . contradictory +and so the the people that actually do camp do camp i don 't i don 't really get along with them you know they 're like i don 't know if i could stand to being you know two days in the woods with them you know I don 't think I could stand to be in the woods for two days with other campers . entailment +As you requested , this report examines how best practices offer improvements to the way the Department of Defense develops new weapon systems , primarily the design and manufacturing aspects of the acquisition process . The Department of Defense has started implementing the best practices outlined in the report . neutral +On the other hand , the PAC-3 missile , F-22 fighter , and ATIRCM / CMWS programs did not use These best practices . The F-22 fighter program was a waste of money . neutral +Full most of the year , so make reservations early . Most of the year it 's empty , so reservations aren 't needed . contradictory +yeah usually down here our worst our worst month our coldest month is usually February but we didn 't have have that much of a winter this year this The coldest month around here is February entailment +New Kingston is the modern commercial center of the capital , but it boasts few attractions for visitors . Few attractions for visitors has led to an economic decline in the town of New Kingston . neutral +Citing an emerging trend , the senior information security managers had also started to create information security career paths and stress professional certification for security specialists . Senior information security managers were emphasizing professional certification for security specialists . entailment +I could hit that Fat Man in the back of the head and run . I wanted to run before there was a fight . contradictory +I hope they can break up that band , run down the stud anyway . They should break up the band or at least run the stud down . entailment +The editor of Slate is an investor in Cramer 's fund . Cramer 's fund is invested by The editor of Slate entailment +People who make God 's work their own . People who think they are great creators . entailment +Aside from them , the place was empty . The place didn 't have anyone else in there . entailment +for gifts are you li stening to him You 're ignoring him . contradictory +This new proposal will aggressively reduce air pollution from electricity generators and improve air quality throughout the country . The proposal has been written by a committee . neutral +In addition , PDD 63 recognized the importance of establishing mechanisms for sharing information on system vulnerabilities , threats , intrusions , and anomalies so that both government and industry could better prepare to warn and defend against computer-based attacks . The industry could be vulnerable to computer attacks . neutral +More stairs followed- a narrow stone path , reaching forever underground . The path was very long and reached underground . entailment +Welcome to the New World Order . This is still the same World Order as before . contradictory +On these days the whole neighborhood turns out and the tiny grandstand is full of people cheering . The grandstand is large , but it is never filled . contradictory +It 's a service to help you stay out of the courtroom , he said . Avoiding the courtroom is the best way to help . neutral +There is considerable agreement that the consequence of the many variants in data collection for multiple sites is uncertain , but providing detailed information on the procedures that are used and an explanation of the reasons for the approach are essential to a good case study . The consequences of data collection at multiple sites is certain . contradictory +Los Angeles , perhaps more than any other place on earth , is preceded by its reputation . Las Angeles has a poor reputation . contradictory +The Karnak temple at Thebes was begun around 2134 b.c. , marking the city 's rise to prominence . Thebes didn 't rise to prominence until around 1000 b.c. contradictory +Take a right at the square and walk away from the seafront past the tram terminus that links eastern Alexandria with the city center . Eastern Alexandria is linked to the city center by the tram terminus . entailment +It is the focus of the city 's boisterous political rallies . It doesn 't have much to do with the city 's politics . contradictory +If you are wise enough to avoid these times , consider spending the night in one of some 60 temple lodgings ( shukubo ) that offer surprisingly comfortable traditional accommodation to visitors and travelers . Shukubos are currently used as vacation homes that have time shares . neutral +A small temple to Hathor sitting to the left of the colonnade has columns carved with the cow 's head that depicted her . The horse 's head was used to depict her . contradictory +hydropower facilities to be given allowances ? The hydropower facilities need higher allowances to run better . neutral +know whether ( 1 ) government resources are managed properly and used in compliance with laws and regulations , ( 2 ) government programs are achieving their objectives and desired outcomes , and ( 3 ) government programs are being provided efficiently , economically , and effectively . Agencies were told there would be no need for any review of their compliance with federal laws or how well they served their constituents . contradictory +and um she had a daughter and i want to say her daughter was like six or seven right around first second grade and um at the time she kept another one other child um about a four four year old i believe but it was only like a part-time basis so we went over there and we questioned her about what she fed them and um what she did with them during the day and um you know just how she treated them how how her daughter was with the children when her daughter got home from school and stuff like that She had a young daughter . entailment +well they 're i guess they 're pretty popular up this way yeah it 's a pretty rugged trailer it 's a tandem wheel even though it 's only eighteen foot long so there 's it drags pretty good you know with a car but These trailers are not popular up here . contradictory +again what are they going up to thirty bucks or something Cigarettes are going up to like 30 dollars a carton or something . neutral +And the editor heard Jacob 's plea . Jacob kept his plea to himself . contradictory +but there 's so many more people that are homeless and yeah Homelessness is decreasing contradictory +By 2005 , an additional 85 GWe of coal-fired SCR capacity is expected to be on line in response to the NOX SIP Call and recently promulgated State rules ( this includes anticipated SCR retrofits under the state rules for Missouri , Connecticut , and Texas ) . The amount of coal fired capacity is expected to decrease by 2005 . contradictory +In part due to GAO 's work and leadership , the Congress passed a series of laws designed to improve the management and performance of government , No laws were passed . contradictory +Most of the construction activities , such as earthwork , foundations , process electrical and control tie-ins to existing items , can occur while the boiler is in operation . One the boiler is operational other construction activities can be completed . entailment +The award was voted on and presented by the women 's caucus of West Virginia University College of Law . The women 's caucus voted on the award . entailment +Rerun smiled and said , You 'll never know ! Rerun said You will always be in the dark . entailment +Her most recent publication , Training Visas in the United States , appeared in Immigration Briefings in May 1993 . Her latest publication is about immigration . entailment +eventually i get people to come and visit me in Dallas and then i 'll show them that we can play golf in the middle of winter when we can 't do it back home Dallas is warm all year round , even during winters . neutral +and it was it was just bedlam we really didn 't have a quarterback it was uh defense winning winning winning all the games The defense was terrible , our quarterback was the best player on the team . contradictory +The remains of the 17th-century Barra Fortress , which once defended the southern tip of the peninsula , contains the chapel of Santiago ( St. The Barra Fortress was destroyed by invading forces . neutral +no i don 't smoke i quit doing that and i 've tried to quit drinking but it 's the only thing left you know i quit doing drugs when TI said quit and it was no big deal you know it 's like i wasn 't a regular drug user but uh I still smoke , but quit drugs . contradictory +The present state of the cathedral owes much to Eugane Viollet-le-Duc , who from 1845 to 1863 painstakingly restored it following the ravages of the 18th century , caused more by pre-Revolutionary meddlers than by revolutionaries who stripped it of religious symbols . The expensive restoration of the cathedral was paid using the money of locals . neutral +and the southern part of Italy everything is like that you know and no one has any money you know you just barely get by But everybody is like a big family and it 's like it 's just like that so that 's why i liked it i guess i 'm a little biased but i i i i i thought I think everyone in Italy is disconnected . contradictory +Any interpretations that relate to the statements are also identified . Interpretations related to the statements are not identified as such . contradictory +But Italy 's largest and eastern-most lake is actually shaped more like a banjo , 52 km ( 32 miles ) from the ruggedly romantic cliffs of the neck down to its broad sound box , 18 km ( 11 miles ) acrose surrounded by rolling green hills and gardens . Italy 's eastern-most lake is surrounded by tall cliffs , green hills , and valleys filled with yellow flowers . neutral +The day moved slowly . The day did not move fast . entailment +They disappeared in the distance . Off in the distance was where they vanished . entailment +to fuel those big turbines to illuminate the studios for the telecasting of semi-popular tripe on the public airwaves at vast profits , for the entertainment of bored oil rig workers out in some once-magnificent national park . There are bored oil rig workers . entailment +He had a job to do , and so do I. He loves his job more than anything . neutral +Travel into the countryside and you 'll soon see how hilly Tinos is . There are many hills in Tinos . entailment +This won 't work , says Stephanopoulos , speaking You can [ avoid questions ] in one press conference . Stephanopoulos says that there is no way to avoid questions . contradictory +He might have stowed them there in a hurry . They might have been put there in a rush . entailment +The Postal Service might stop ( or substantially alter ) its detached address label program for advertising mail . The Postal Service is currently lenient with advertising mail . neutral +They stop eating . They continue eating . contradictory +Throughout the morning their eyes moved to Susan . Their eyes moved to Susan throughout the morning . entailment +I really didn 't notice . I was distracted . neutral +The Environmental Protection Agency ( EPA ) was established in 1970 under a presidential reorganization plan in response to public concerns over unhealthy air , polluted rivers , unsafe drinking water , and haphazard waste disposal . The Environmental Protection Agency can 't be shortened to EPA . contradictory +He spoke to me in French . He spoke to me in Klingon . contradictory +well i can 't use that as an excuse because i didn 't do it before i had mine either so I did do it after mine so I could use that as an excuse . neutral +Newsweek ' s cover Home schooling--it 's not just for zealots anymore ! Newsweek maintains that home-schooling is strictly reserved for hyper-religious nutjobs . contradictory +There were originally two lakes here , as well as a pretty village in the valley . There was only one lake here before . contradictory +The position of Bishop of Rome as primate of the Western Church ( pope derived from papa , the Latin word for father ) , first claimed in the second century , was later asserted by Pope Leo I ( 440 461 ) , who traced the succession back to St. Peter . Pope Leo was the only primate of the Western Church . contradictory +'Thank you , no . ' Yes , thanks I will do that . contradictory +" You ridin ' yourself ? " Shannon paid no attention to the gambler 's comment . Shannon did not like the gambler . neutral +Were you wanting the Esthonia Glassware ? Did you want the Esthonia glassware ? entailment +This is a rich man 's sport . Rich men usually play this sport . neutral +The house they sought was some way down . The place of residence they were looking for was some way down . entailment +It 's not religion anymore , it 's commerce . It 's no longer religion but commerce instead . entailment +The 45-minute walk along the water canal , more a stroll through a botanical garden than a hike , is lined with hydrangea and ferns and ends at a waterfall . You aren 't allowed near the canal . contradictory +On the last , the woman 's throat sprayed a fan of blood into the air . Blood sprayed from the woman 's throat . entailment +Then I remembered that enigmatical conversation between Poirot and Evelyn Howard . Then I remember that Evelyn Howard hadn 't spoken to anyone in her entire life . contradictory +Those with lousy jobs have seen their already-low wages slowly but steadily sink . Those with lousy jobs are getting constant pay raises and bonuses . contradictory +from all their experiences and and that 's one of my favorite things to do sit around and listen to their stories I find their stories to be boring and I hate listening to them . contradictory +Perhaps rightfully so . Maybe rightfully so . entailment +Auditors should also report the status of uncorrected significant findings and recommendations1 from prior audits that affect the objectives of the current audit . Information pertaining to past audits is not to be reported by auditors in involvement with the objectives of the current audit . contradictory +The microphone gaze a slash of feed-back . THe microphone was silent . contradictory +North of Parque Eduardo VII , off Avenida Antenio Augusto Auiar , is Lisbon 's most remarkable museum , the Museu Gulbenkian . The Museu Gulbenkian , located north of Parque Eduardo VII , is impressive . entailment +No , said Gauve . Gauve did not want any . neutral +yeah well i know my mom from a family of at least sixteen i 've lost count uh and my grandmother just died sometime last well about two years ago I know my mom had a lot of siblings . entailment +Budget flexibility declines drastically so that by 2050 , net interest on the debt would absorb roughly half of all federal revenue . Federal revenue can be increased as per the demand . contradictory +'We can let him rest a bit , now that we have an understanding of the process . We can 't understand it at all . contradictory +They cut off his head once , but it healed before the axe was all the way through . They tried to cut his head off , but it regenerated halfway through ! entailment +'Quite sure , Mr. Hersheimmer . No , I am not sure , Mr. Hersheimmer . contradictory +Created at the height of the Chandellas ' power in the mid-11th century , the sculpture inside is the most sophisticated and apsara dancing-girls and sura-sundari nymphs coquettishly yawning , scratching , applying their makeup , or playing with monkeys , parakiats , or with their cheerful lovers . The sculpture inside created in the mid-11th century were the most sophisticated . entailment +absolutely they 're expensive i don 't know unless it labor intensive or something i really don 't know I do not know why but they are so expensive . entailment +Clouds of white fire belched up . It fizzled and went out without a trace of smoke . contradictory +the other is to actually you know carry everything on your back i 've done camping out in at in the Aspen Mountains in Colorado where The Aspen Mountains are located in Florida . contradictory +Other statewide non-technology initiatives Different statewide non-technology initiatives entailment +Package tours , with two or three nights in or near the park , are widely offered by travel agencies in Kathmandu . Only single day tours of the park are offered . contradictory +According to The Path to A Five-Year Status Report on Access to Justice in California , prepared by the California Commission on Access to Justice , Katherine is just one of 4.6 million poor Californians whose basic civil legal needs -- often involving such critical needs as housing , health care , education , employment , safety and transportation -- are not being addressed . no reports are created at all contradictory +oh my muscles are horrible that 's the main reason i really ought to be doing something like that because mine 's not so so much uh weight i mean i have i i if i had lost if i lost ten pounds i 'd think of myself as nice and thin but uh most of it is just you know it 's just in bad shape Their muscles are horrible and they do not find themselves to be in good shape . entailment +and sure enough boy the fur just came off like crazy once i got them in the tub so The fur still wouldn 't come off . contradictory +Diving and snorkeling are the things to do here , and the shimmering waters house some wonderful sea life . The diving and snorkeling are expensive , and the sea life can only be viewed at certain times . neutral +It 's a ten minute walk to the Palladian-inspired Villa Valmarana , notable for the Tiepolo frescoes that grace its interior . Tiepolo painted the frescoes at the Villa Valmarana . entailment +GAO will refer any person who wants a copy of a request letter to the Member who submitted it . The Members who submit request letters are happy to provide copes . neutral +I wouldn 't lift a finger to ” to ” ” " She faltered . She refused to help them out . neutral +yeah that 's right i can do that exactly you sure can you can network them together and everything it 's a fantastic machine needless to say so i 'm very uh high on it but you said you have computers Suns at work right what other machines do you all have at work I wouldn 't recommend this machine ; I find it to be inferior to its competitors . contradictory +You are a hero to these people even if they don 't say it . The people plan to tell people you are a hero . neutral +In the midst of the predominantly Germanic old city center , the Ceteau des Rohan , the classical 18th-century residence that was the home of Strasbourg 's princes and cardinals , makes an emphatically French statement . Ceteau Des Rohan is the best place to get a taste of French living in terms of 18th century style buildings . neutral +The Waco mess , however , has exposed the limits of mere honor . The Waco mess has yet to expose any limits concerning honor . contradictory +He also noted that any such upgrade would be a large and expensive effort , and that it was unclear when , if ever , hypertext links could be added to the Federal Register . Ugrades are a headache . neutral +Normally , I simply wouldn 't invite him and would explain that it was a small ceremony ( which it is ) . I absolutely will invite him , it 's a large ceremony . contradictory +As discussed below , the proposed rule would modify an existing reporting requirement applicable to all hospitals serving Medicare beneficiaries . The proposed rule would represent an entirely new type of reporting requirement . contradictory +Accordingly , in 1996 Congress added new restrictions to the LSC Act and strengthened existing restrictions . There were new restrictions added to the LSC Act by congress in 1996 . entailment +Leave it to the Globe to conclude , JFK Jr , Slashed ! JFK Jr was silent . contradictory +The buzz on Pfizer 's forthcoming potency pill , Viagra , is so good that the company 's stock has already soared 74 percent . There was no buzz on Viagra , stock remained the same . contradictory +In addition , LSC has required all grantees to perform a self-inspection of their CSR data , has followed up on grantees where corrective action was found necessary , and has increased its on-site presence to test grantee compliance . LSC has not required any grantees to review CSR data in the past three years . contradictory +There is no sign yet that the administration is tempted by mea culpa / Forgive and Forget . There is no telling if the administration will admit to their mistake . entailment +Gentilello said he has long supported placing a priority on research in this area . This research area is determined to be a lost cause by Gentilello . contradictory +There was a lift , but Tuppence chose to walk up . Tuppence chose to take the stairs instead of the elevator . entailment +And there is certainly something romantic in the notion that America needs an honorable , truth-telling president like him . There is something fanciful about America 's need for an honest president like him . entailment +It certainly was a fact that Monica Lewinsky , by her own intentions , as a matter of public record , spent a lot of time around the Oval Office getting to know [ Betty Currie ] and the president . Monica lewinski never met the president during her time at the Oval Office . contradictory +I always thought my jaw was wider than that . I always thought my jaw was wider than his . neutral +There they dashed water on her face , but with no result . They threw water on her face . entailment +The sailors ' first landfall was on the little offshore island of Tanegashima , which has progressed from matchlocks and muskets to being Japan 's principal rocket-launching center . The island of Tanegashima is mostly matchlocks and muskets . contradictory +I thank you for your aid , said the man . The man was grateful for the food they 'd given him . neutral +A sign of failure , of a feeble economy , perhaps ? Is that a sign that the economy is taking off ? contradictory +on no young people like to swing real hard at the ball Young women also swing hard at the ball . neutral +yes i think uh that is a tough uh we all seems to think seems to be that way Not all of us agree about the way it is . contradictory +so are you gonna do that Your not going to do it . contradictory +AN OVERVIEW OF THE STATE PLANNING PROCESS There is no overview of the state planning process . contradictory +It will not agree . I won 't agree because it is wrong . neutral +She added that an in-home , brief intervention linked with primary care found no association between stage of change and outcome . She looked into the effects of short in-home interventions . entailment +The Sun Temple of Konark was conceived as a gigantic chariot for the great sun-god Surya cantering inland from the Indian Ocean . The Sun Temple of Konark was built to represent a large boat . contradictory +yeah it is a tough question It 's an easy question to answer . contradictory +Raccoons , particularly baby ones , became fashionable as pets in the late 1970s because of a popular cartoon program on television called Araiguma Rasukaru ( Rascal the Raccoon ) . Raccoons became fashionable as pets in the late 1970s . entailment +--DeParle refers to Milwaukee 's growing homeless shelter population , but doesn 't give any figures on how much it 's growing . Milwaukee has 18,000 homeless people . neutral +It wouldn 't work . Somethign was impossible . entailment +and we don 't have it so we deserve it and we should take it Don 't take what you don 't have , you don 't deserve it . contradictory +And for whatever it 's worth , Prudie has never heard of anyone saying , Stepdad , please pass the salt , so forget that one . Prudie will never ask her Stepdad to pass the salt as she had never heard anyone say this before . entailment +The regular season lasts from 1 March to 15 November , with the exception of holiday periods ; the low season excludes Hanukkah / Christmas . The low season is from November to March and is $ 100 cheaper . neutral +Connoisseurs of traffic jams will appreciate the nightmarish rush hour along this busy street . The busy street is knows for its terrible traffic jams . entailment +However , none of the five departments and agencies that we contacted had links on their home pages that identified all rules available for comment within their entire organizations . Homepage links that identify rules available for comment are necessary for proper organizational structure . neutral +Carl Soderstrom wondered whether alcohol problems referred to the spectrum of drinking problems or the medical problems associated with drinking . Carl was very proud of the article he wrote about drug addiction . contradictory +Unfortunately , the most vulnerable members of our society are the least able to afford legal services . It 's a pity that who is more vulnerable in the society is less likely to afford legal services . entailment +At any rate , think the matter over well before you decide . Think about it before you come to a decision . entailment +I was sure they 'd fetch up at the house in Soho sooner or later . I never really thought they 'd ever fetch up at the house in Soho , anyway . contradictory +In Tampopo , when the incredibly attractive couple in white are not actually in a gourmet frenzy , sex is simply food carried on by other means . Many good looking couples wear white clothing . neutral +I always knew it . " 9 " Rot ! " said Tommy hastily . Tommy had always been suspicious , even when he was a boy . neutral +You wait and see , and it 'll be all your fault . " You will see it is all your fault . entailment +She herself , I noticed , was dressed in her white land smock . She didn 't want to dirty her clothing . neutral +So the time , in practice , will not be missed . The time won 't be missed . entailment +What was that like ? What time is it ? contradictory +The rules depart from those generally applicable to proposed mail classification changes by reducing the amount of supporting evidence the Postal Service is required to produce , and by expediting the Commission 's procedural schedule for considering the particular form of proposed change . The rules are the same as they always have been . contradictory +um-hum yeah i i agree Yeah , I agree entailment +in the Carolinas they did have uh huh and Jimmy Baker JImmy Baker was famous in the Carolinas . neutral +We 're trying to liberalize the [ federal ] Stafford and Perkins loan programs , he said . He said he is trying to help the Stafford loan program . contradictory +um-hum right uh yeah we can get uh you know if we get someone in there like that then you know they could make all sorts of changes if they were you know had enough pull If you introduced a newcomer with enough pull , they could make a myriad of changes and help the company to progress . neutral +As the following graphs show , GAO has over the years seen considerable changes in its staffing and budget allocations-levels that , unfortunately , did not generally reflect its workload and the growing demands placed on it by the Congress . The GAO 's staffing and budget allocations have been greatly increased to accommodate their growing workload . contradictory +Web advertising holds the strange position of being almost entirely unregulated . Unusually , web advertising is almost completely unregulated . entailment +Poor Emily ! Poor Emily ! entailment +no it 's oh uh i want to see it I hope I see it someday . entailment +5 percent wage premium . The workers asked to be paid in ebola virus cells . contradictory +If Pollard is guilty of all that Hersh charges him with , Clinton the president knows that freeing him is a terrible wrong , a slap at America 's national security guardians and an invitation to our allies to spy on us . If Pollard is guilty of what Hersh says , Clinton knows it 's wrong to free him because so many others are in jail for far less . neutral +yeah yeah she she never even got out of elementary school She has a PhD contradictory +I 'm flat on my back , and there 's a life flashing before my eyes . I am standing tall and proud . contradictory +The construction plan could be modified to employ the available or most cost-effective crane . The construction plan under no circumstances could be modified . contradictory +so are you working your way through college Are you studying your way through college ? entailment +But don 't expect them for a few decades . Expect these in a few weeks . contradictory +It was the biggest decline in 10 years . The birth rate hasn 't been so low in ten years . neutral +i think ten percent yes of your of your consumer credit I think it 's 100 % of your credit . contradictory +and the Japanese and the Germans and everybody else make experts by doing There are no experts in Japan and Germany . contradictory +Prices vary enormously , so shopping around usually pays off handsomely . Prices range a big amount so looking around rewards you well . entailment +Do you take comfort that , in some sense , Red Lobster will provide competition ? Is it reassuring that Red Lobster will bring competition ? entailment +well i haven 't had too much of a chance to watch TV lately so probably everything i 'm going to say is kind of dated I have not watched TV a lot recently . entailment +probably like the country Malaysia is that where you said i mean they started it They probably started it in the country of Malaysia . entailment +Countess Constance Markievicz led a band of rebels to occupy buildings around St. Stephen 's Green . Buildings around St. Stephen 's Green were open for government supporters and their families . contradictory +Egoyan has invented a delicious character--Hiditch 's celebrity French chef mom--for his wife , the marvelous Arsinee Khanjian , and she gives the movie a jolt of energy whenever she pops up on TV screens or in Hiditch 's memory . Egoyan has made millions of different characters . neutral +where the um the military is running around and they 're sort of getting restless and a restless military is the kind of thing that happens you know when the Baltic States when they just go in there It 's preferable to have a military that is engaged as opposed to restless . neutral +The Royal Mile becomes Canongate where it intersects St. Mary 's Street . Canongate is longer than the Royal Mile . neutral +Five minutes later he stood upright with some difficulty , owing to 141 the cramp in his limbs . He had to give his legs some time to come to life , before he could stand up . neutral +But there might be a good economic reason why we 're stymied . The current roadblock could have an economic cause . entailment +As every islander knows , many of the most gorgeous coves and beaches are reachable only by boat . Boat is the only means of travel to some areas . entailment +The final results of the reanalysis were then independently peer reviewed by a Special Panel of the HEI Health Review Committee . The final analysis was accepted by the committee without further review . contradictory +oh it 's not it 's probably not quite the same It was the exact same thing all the time . contradictory +um pretty much and i and i don 't know how they sort that but if if i used a lot of can goods and i do use a lot of laundry detergent and a lot of plastic bottles i would think that i would i would have a recycling center but now it 's just me and my husband so i don 't know I think I probably don 't have enough items to need to use a recycling center . entailment +The Combarelles cave , farther to the east , is a long winding gallery where the pictures are engraved rather than painted , and very often superimposed . The pictures in the Combarelles cave are engraved . entailment +Foreign visitors are not obliged to take sides . Visitors are forced to choose upon entering the country . contradictory +San 'doro fought with slow precision , attacking with unique techniques and a variance of styles . San 'doro doesn 't know how to attack . contradictory +Listen , I really don 't want to criticize . I want to give a thorough critique . contradictory +2One source of information on best practices of leading companies is the 1999 Report and Recommendations of the Blue Ribbon Committee on Improving the Effectiveness of Corporate Audit Committees . The 1999 Report and Recommendations of the Blue Ribbon Committee is a source of other types of information . neutral +like those hologram deals nothing like holograms contradictory +is that right did he sell them at craft shows and is it correct , that he sold them at craft shows entailment +oh ooh yeah yeah that 's good Oh , oh , yes , that 's good . entailment +They are considered masterpieces , because the caves are actually man-made hollows in solid rock , from which a complex of architecturally elaborate temples and monasteries has been carved with simple instruments . The caves are considered the unofficial 8th Wonder of the Ancient World . neutral +The most experienced is Aqua Sport . There are plenty of others that have decent experience . neutral +It 's a fine world for the Satheri , if they can keep the egg from breaking . " " What 's all this egg nonsense ? " Bork shrugged . Bork is happy to hear the egg be mentioned . contradictory +looking for something different yeah it 's you know you walk into a store and you just like you said you 're overwhelmed by how much there is and you just i don 't know if you 're like me you you you 're much more voracious in terms of how much reading you 're doing obviously but i go in and i like I read very little , and I have never been in a bookstore before . contradictory +yep well i i don 't think it 'll it could ever happen with with a quick transition I don 't think it will ever happen in a rapid change . entailment +yeah mostly what we 're doing we 've worked we 've done the uh CODA account with TI where they we put in so much a month and then they or so much a paycheck and then they match it Each paycheck , but sometimes once a month we deposit into a CODA , they match the deposited amount . It helps us to save money for the future . neutral +In such an environment , it is essential that ( 1 ) security specialists keep abreast of developing techniques and tools and the latest information about system vulnerabilities and ( 2 ) senior executives ensure they have the resources to do this . Senior executives need to make sure that security specialists have the necessary resources . entailment +She hides the strychnine and glasses in John 's room . Someone will find the strychnine and glasses in John 's room . neutral +Our target audience includes senior federal executives and managers , although our observations can also provide insights for senior information management officials throughout the public and private sectors . The study aims to target the executives of IBM . neutral +And here 's another ray of De Long and Lang 's results were published in the prestigious Journal of Political Economy , so they 're probably wrong to begin with . De Long and Lang have been working together for five years . neutral +( Invitations he does not have time to I have a job , he says . ) He is lying about his job , he 's been unemployed for years . neutral +and i told her i said honey this has nothing to do with you being black i 'd follow white kids that stole from me i mean stealing is stealing i don 't care what color you are you think just because you 're black you can steal and nobody 's going to call the police that doesn 't make any sense I asked her to give me back my bike or I 'd call the police . neutral +yeah um-hum no absolutely absolutely not you know it 's it 's it 's if you know if you hired me i 'll be you know supposedly you agreed with a majority of my views and my qualifications to begin with so uh you know let 's let 's stick with that original trust i guess huh I know that you have always distrusted me . contradictory +no you could probably just you know " You can most likely , you know . " entailment +Therefore , he took the risk , the great risk , of coming in here . It was risky for him to come here . entailment +Precipitous turns lead to the observatory of the University of Paris , strategically perched to monitor the Pelee volcano . The University of Paris doesn 't have any volcano-monitoring facilities . contradictory +The British Raj , though , was firmly entrenched in clubs , and remained resolutely separate . The Raj was a symbol of British rule that the locals hated . neutral +I am taking no chances . " I refuse to leave it to chance . entailment +oh great great that 's wonderful yeah That 's good to hear you are doing well . neutral +" Yes , suh . " Drew 's agreement was drowned out by a harsh cry from overhead . " No , sir , " Drew disagreed loudly . contradictory +yes i don 't know if yeah i don 't know if that relates to that or not but I know that it 's not related to that at all . contradictory +Army records show that when the remains of Japanese soldiers killed in the Mariana Islands were repatriated in 1984 , some 60 percent of the corpses were headless . Army records said the Japanese soldiers had been tortured . neutral +oh okay oh we um we use it 's an IBM PS two also We use IBM PS Two entailment +INDIANAPOLIS- Four years ago , the state Supreme Court asked law firms to address a growing Not enough lawyers were donating time for pro bono work , and thousands of people were left with no legal help in civil cases . The law firms did not comply with the Supreme Court orders . neutral +Many years past , Fena Dim sold brill to Fena Kef . Fena Dim sold all the animals to Fena Kef . neutral +That suggested to me at once that it had possibly been wrenched off a flimsy key-ring . It told me it might have been ripped off the ring . entailment +Medical advocacy groups are pushing a home test for colorectal cancer A home test for colorectal cancer is recommended by medical advocacy groups . entailment +The Spaniards then looked to agriculture to turn a profit and began growing sugar cane , which had been introduced to the Caribbean on Columbus 's second journey . Francisco Delray introduced sugar cane to the Caribbean . contradictory +Use this wonderful first contact with the city as your introductory ( and inexpensive ) tour . Use this as a way to introduce yourself to the city . entailment +I cannot judge whether Stuart Taylor fell prey to this possibility . I can judge everyone . contradictory +like you i haven 't played any or not much this year i played a couple of times but I 've played constantly all year long . contradictory +As mentioned above , the Italian data have been adjusted for breakeven . The Italian data have been adjusted for breakeven , and this is a great thing . neutral +well there 's been a lot of publicity lately about that new Nancy Reagan book out by uh Kitty Kelly the unauthorized biography are you interested in that at all I haven 't heard anything about Nancy Regan 's book . contradictory +But you went way beyond that--counterposing your traditional / cultural hypothesis to my alleged view that every institutional memory of the Holocaust is a deliberate instrumentalization of it toward cheap and self-interested ends . But , counterposing your traditional / cultural hypothesis to my alleged view , you went beyond that . entailment +On the basis of engineering estimates , the estimated cost of deferred maintenance ranges from $ 200 to $ 300 million in 199Z and $ 175 to $ 275 million in 199Y . By 2001 , the estimated cost will increase by $ 5 million dollars . neutral +Besides its permanent art collections and popular library open to all , ingenious exhibits cover every aspect of contemporary life , artistic and technological , and the aesthetics of consumer culture . The library is open to everyone , so it is sometimes crowded . neutral +These Western ideas , which seemed to amuse Kamehameha , were introduced by a new friend , another famous English explorer , Captain George Vancouver , who had once served under Captain Cook . Captain George Vancouver never met Captain Cook . contradictory +uh i mean my friends who are having children are having them at age thirty My friends are having kids when they are twenty . contradictory +Cautionary dining car procedures are to be followed for the remainder of the journey . They were free to do whatever they wanted . contradictory +yeah i i stutter to think that i may be flying in a seven forty seven with a woman who got on the flight program because she happened to have the right you know the right sex rather than qualifications I think that all jobs should consider a person 's qualifications and not their sex . neutral +and um she had a daughter and i want to say her daughter was like six or seven right around first second grade and um at the time she kept another one other child um about a four four year old i believe but it was only like a part-time basis so we went over there and we questioned her about what she fed them and um what she did with them during the day and um you know just how she treated them how how her daughter was with the children when her daughter got home from school and stuff like that SHe had no kids . contradictory +yeah well i also i also don 't do snails so i tried to eat snails once and they were disgusting neutral +The Lancaster Interagency Council for the Homeless is in the early stages of its 10-year plan to end homelessness , Case said . Case said that there is a new 10-year plan to end homelessness being planned by the Lancaster Interagency Council . entailment +Government saving , also called a surplus , adds to the pool of national saving available to finance investment and allows a government to reduce its outstanding debt or purchase nongovernment assets . Government saving cannot be used to pay off government debt . contradictory +well i teach and last year a student that i 'd had the year before so he would have been in third grade came to school with ice I 'm a teacher and last year an old student of mine came to the school with ice . entailment +um-hum and your cousin 's a kid Yes , and your cousin is a child . entailment +claimed to have her self her act together and she was given back to her birth mother who she had never seen i mean it was just one of those awful things where the Child Protection Service completely broke down and now two years later the court ordered that she be given back to the foster people i it 's just awful it 's just awful the whole thing CPS got it right the first time , thankfully . contradictory +Rather , publication in the Federal Register was treated as providing notice to the SBA . The Federal Register did not allow for publications . contradictory +He walked the whole way with a smile . The person went on a walk . entailment +Outdoor activities run the horseback riding , ocean kayaking , excellent mountain biking , clay shooting , hiking . Indoor activities include sleeping , resting , and napping . neutral +The Coming of the Ottoman Turks The Arrival of the Ottoman Turks entailment +oh and one of them is living in Rhode Island now they 're all in the northeast part of the country my family 's in Virginia and then we 're living in Texas My family all live in the Pacific northwest . contradictory +yeah i mean they 've been they 've been young for a while and they 're almost almost starting to age a little bit here i just um yeah they they 're they 're really hurting pitching wise i mean they 've got Ryan but you know who knows The person says that the other people have been young for a while . entailment +However , the Gray Eagle get was in more than one Kentucky stable . The Gray Eagle line was coveted in Kentucky . neutral +At least ten of the demon-touched riders had been cut down on the bridge . All of the riders made it across the bridge safely . contradictory +oh well he made it at fifty it was a magic number for him and and uh he went at fifty and he still works part time at other thing you know He does not work . contradictory +We cannot meet our needs with previous federal funding levels , especially since the economy has worsened since the census was completed , she said . Since the economy has worsened , it 's not possible for us to meet our needs with previous federal funding levels . entailment +A boat cruise on the Seine is one of the best introductions to the city . The boat cruise , while phenomenal , is rather expensive . neutral +He judged the Creoles honest but lazy and illeducated , their town ugly and filthy though his horror at the city 's sanitation was understandable ; he would lose two wives to yellow fever in New Orleans . His wives didn 't die but they 're very old now . contradictory +There are also bus tours around the city to help you get your bearings before you visit special attractions . The bus tours help tourists . entailment +Business routes ( consisting of at least 70 percent business deliveries ) , which account for less than one percent of all possible city deliveries , 10 are five-day-per-week routes . Business routes consist of almost 80 % of city deliveries . contradictory +If there 's going to be any fun , now is when it will begin . There were fun events going on before now . contradictory +And it 's your time , not mine , ' the production manager was half-shouting , which was typical of him during very bad days coming after very good days . The production manager told me that it was my turn to take out the trash because he had just done it . neutral +First , although our state planning initiative is highly replicable for any organization trying to effect rapid change across a large and entrenched culture of individual programs or offices , such change is only possible if you are willing to be inclusive and collaborative in setting goals and processes , yet firm and resolute in their ultimate enforcement . Our state planning initiative is replicable for any firms as long as they are resolute in their enforcement . entailment +I never thought we should ! " 206 " Oh , I thought we 'd get to London all right . I doubted that we would make it to London in one piece . contradictory +so they said okay we 'll take care of it two weeks later i get another nasty letter threatening legal action The letter went into detail about the actions that they were going to take . neutral +Even Adrin had picked it up by now . Adrin hasn 't picked it up yet . contradictory +Republicans reply that they 're serving their country by debunking and thwarting a bad policy administered by a bad president . Republicans reply that they serve their county with debunking and thwarting dangerous economic policies administered by a bad president . neutral +Thus , the H-2A worker is only admitted to the United States to perform work for a designated employer or employers , and must leave the United States when that employment terminates for any reason . H-2A workers are only employed in United States embassies overseas . contradictory +Because of the topography and the delicate nature of the plants , much of the work is still done by hand . Due to the circumstances a majority of work is still performed by hand . entailment +But money is important for another reason . There aren 't any other reasons to think that money is important . contradictory +The organizations focused their monitoring efforts primarily on ( 1 ) determining if controls were in place and operating as intended to reduce risk and The organizations want to prevent lots of risk . neutral +It was unpredictable magic , but apparently bore some vague relationship to what he was wishing for . The magic was unpredictable but sort of worked the way he wanted . entailment +Attorney General Janet Reno said she tried to tell National Security Adviser Tony Lake about the Chinese scheme 10 months ago but was unable to reach him by phone , so she asked the FBI to tell the White House , which led to the above fiasco . Janet Reno was Attorney General while Tony Lake was National Security Adviser . entailment +Unconventionally gifted kids , who didn 't get top grades in high school or who don 't have perfect SAT scores , stand a better chance than they do elsewhere of getting in--and of being presented with the highest level of intellectual challenge . Many colleges admit based on your scores in school . neutral +They leave , however , full of admiration , because the sandstone temples are marvels of harmony and the sculptures ' true grace in their sensuality stifles any temptation to smirk . They leave wanting to come back again and just bask in the harmony and grace . neutral +Or those aspects of the federal CIO environment that constrain the federal CIO flexibility and hinder the ability to perform effectively may be examined more closely , and specific strategies to cope with those aspects may be proposed . It will not be costly to implement strategies to improve the flexibility of the federal CIO environment . neutral +and i don 't know what else i don 't really remember what else And that 's not all , I can tell you plenty more . contradictory +i think so i think its they want like five minutes or something don 't they They want a few minute to go over the budget before the meeting . neutral +3 ) LSC will identify in which states , if any , it proposes to define new service areas at least sixty ( 60 ) days prior to publishing those service areas in the Federal Register . The LSC feels that this is a necessary courtesy for the affected states . neutral +They were a barbaric race , and their custody of the area brought about a dark period during which the written word was forgotten and art disappeared . The barbarians ' period was a very progressive part of history . contradictory +well how nice that 's great That should work out better than before . neutral +You 're pre-approved for a 18 . You have been approved before hand for a 18 . entailment +Keep on going along Yefet Street and then turn right and go down Pasteur Street to the port . Continue along Yefet Street and you will be able to reach Pasteur Street . entailment +'He 'll be prepared for the possibility I 'm double-crossing him . ' If I decide to double-cross him , he won 't be unprepared . entailment +Lewy , Arieh , and Marvin , Alkin , The Impact of a Major National Evaluation Israel 's Van Leer Report . The report said that the nation was mostly pretty good . neutral +Adrin reloaded like he had been born to it , twin ramming rods sliding down the barrels and dragon hammers cocking back . Adrin got ready to fire his gun more . neutral +oh wow wow oh no Oh no ! entailment +A no-nonsense working town with a wide tree-lined main street and pastel painted houses , Cockermouth has an air of quiet gentility . The town is full of nobility . contradictory +The city airport bus terminal operates below ground , beneath an 1885 statue of Christopher Columbus and a monument to the discovery of the New World . The bus station at the airport was situated underground . entailment +Reed , on the other hand , will see his credibility increase . Reed will have an increase in credibility due to the fastidiousness of his work . neutral +Comments from the Department of Defense The Department of Defense made comments . entailment +Together with effective control of the rubber and tin industries , the British now firmly held the reins of government . The British were able to control the government by running the rubber and tin industries . entailment +well as a matter of fact i was thinking about that the other day and uh i really don 't know the answer um People don 't know the answer for that . neutral +For females , on the other hand , coalitions withstand time . Coalitions aren 't very important to women . contradictory +Marmalade lovers should ask for mermelada de naranja . People who love marmalade should consider mermelada de naranja . entailment +As he prepared to leave London to set up an American Shakespeare Company in Los Angeles , Britain 's most famous theater director , Sir Peter Hall , wrote in the Mail on Sunday that Prime Minister Tony Blair , promoter of Cool Britannia , has in fact betrayed the arts by refusing them subsidies . Sir Peter Hall felt that Tony Blair 's promotion of Cool Britannia assured the Prime Minister 's permanent status as " A Friend of the Arts " . contradictory +okay you too bye-bye No , don 't do that . contradictory +Mrs. Cavendish , who had married John 's father when he was a widower with two sons , had been a handsome woman of middle-age as I remembered her . Mrs. Cavendish was a homely woman . contradictory +and since then i have discovered uh other engineers are very prone to make mistakes because they will pick up a textbook and uh and find some formula for solving a problem engineers rarely make mistakes because the formulas they use are always reliable contradictory +Next door to the cathedral is the archaeological museum with finds from every era of Naxos 's long history . The museum showcases finds from the 900 's . neutral +The scorpion-hilted saber shot through the air . The saber was flown through the air . entailment +The core of the book , then , is Kuttner 's prejudice against economics . The essential element of the writing was his stance opposition to economics . entailment +Even a decade ago , a movie about Wilde and his gay affair would have been considered Today , it 's a cliche . Wilde 's affair was a big scandal at the time . neutral +General Control Overall control . entailment +Regularly comparing contract expenditures withthe delegation of procurement authority to ensure that the agency does not exceed its authorized level of total expenditures . Contract expenditures are not compared on a regular basis . contradictory +But here it seems less a chance to make a buck than something akin to grade inflation . There is less chance to make a buck here because there are not many opportunities available . neutral +Turn right and you will find yourself in Kedumin Square , which is marked by the handsome Church of St. Peter . Kedumin Square does not have any churches . contradictory +Existing planning , budgeting , program evaluation and fiscal accountability processes should be integrated with GPRA requirements to ensure consistency and reduce duplication of effort . Duplication of effort can be reduced by integrating some existing processes with GPRA requirements . entailment +He half carried her into the library , and laid her on the leather couch . He put her on the couch in the library . entailment +It also grows a much-vaunted species of garlic , sold locally in strung bouquets . The garlic is sold locally in strung bouquets . entailment +not really uh i mean i would just like to be you know five or six pounds thinner but i don 't consider that to be that big a deal It is a big deal to me . contradictory +It celebrates the founding of Guangzhou , when five spirits rode their goats down from the celestial realm to present the inhabitants of the city with their very first grains of rice . At the time that Guangzhou was founded there were a million people in the city . neutral +Suffice to say it has no true heat , but does send forth an activating principle against the phlogiston layer , which being excited grows vengeful against the air ... It can be really dangerous to draw near . neutral +It 's impossible today to realize how shocking The Picture of Dorian Gray was to 1890s readers . It 's impossible to understand how underwhelming that book was . contradictory +My mother came to the rescue , and Cynthia has been with us nearly two years now . Cynthia has been with my mother and I for years . entailment +Indeed , perhaps the most vivid reminder of the Moors are the dark , brooding eyes of so many of the islanders of today . The dark eyes that peopel on Maui have remind people of the Moors . neutral +And with that weapon in their possession they let themselves be handled and caged ? I don 't understand it . It 's pretty clear how they got themselves caged . contradictory +Conversely , federal surpluses add to national saving . Federal surpluses are often used to buy more tires in the Army . neutral +The helicopter chose to dip low , for some reason . The helicopter moved lower so we could get a closer look . neutral +that 's not that 's really good compared to eighteen and twenty one which some of them are uh uh some of them are really extreme high Some of the numbers , such as twenty one , are really large to consider . entailment +Wet FGD retrofit technology generally provides a conservatively high estimate of most resources . Wet FGD retrofit technology estimates their resources will cost over 5 million dollars . neutral +Once Congress agrees to regulate one sort of abortion because it is gruesome , the pro-lifers will immediately turn to another form of abortion and insist that it , too , be regulated , because it , too , is gruesome . The pro-lifers will immediately turn to another form of abortion , once congress agrees to regulate one sort of abortion for the reason of it being gruesome . entailment +rub up against the siding uh Rub against the siding . entailment +yeah that 's true that the different places in America that uh you know different issues would be a lot more important than say in another place The issues are less important in certain states . neutral +Elinor Walker reminded the group that the Agency for Healthcare Research and Quality has an R-03 program with a $ 100,000 cap , including both direct and indirect costs . Walker said the agency has a monetary cap . entailment +A taxi can take you almost to the very top of the hill , but it is more interesting to follow the pilgrims ' route and climb the 365 steps that lead up through a wooded park filled with monkeys . The taxi fare will typically be around $ 20 . neutral +He was so happy to be alive , yet all of those dead haunted him . He was so grateful that he had been spared . neutral +uh what kind of um besides your besides your salary what 's what 's the most the thing that you would consider to be most important as a benefit There are other benefits you would consider important besides salary . entailment +They will be as unprepared for the red demons as they were for us . The people had prepared for months and were now ready . contradictory +and i i know that 's not wise but that 's just uh where we 're at right now my wife just went back to work part-time uh she can substitute teach at schools and uh there 's so many school districts and schools here in the metroplex that uh by turning her name in if she wanted to she could work My wife enjoys her substitute teachimg job . neutral +A month after the Oklahoma City bombing , and without a hearing , the Secret Service shut Pennsylvania Avenue and surrounding streets to traffic . The Secret Service decided not to shut Pennsylvania Avenue down as a result of what took place during the hearing . contradictory +Look for scenes of boats sailing on the Nile , and weapons of war including spears and shields . In addition to boats on the Nile , you can also see large ships carrying cargo . neutral +The bouts commence in the morning , but the real crowds start arriving only in late afternoon . The crowds are working early in the day so they cannot watch . neutral +One of the most prolific builders in the history of Egypt ruled for over 60 years and supervised magnificent projects expanding Luxor and Karnak temples and creating the magnificent Abu Simbel . One of the most prolific builders in Egyptian history ruled for 60 years and oversaw all the magnificent projects of Egypt like the Abu Simbel . neutral +Before long , we can expect to hear retirement-averse conservatives making the rest of the fine arguments against term limits . All conservatives believe term limits should not be adjusted . contradictory +no i never have well i don 't jog enough i think to develop any injuries i usually only go about a mile or two I never go jogging . contradictory +It 's slow , ugly , and text-heavy , but it delivers the one key morsel the big sports sites won ' the Vegas line . The text was too long to read but ultimately delivers the main point . entailment +Looking across the harbor from the ship , you 'll see Wyland 's Planet Ocean , a 10-story mural on the 16,000 sq ft ( 1,485 sq m ) exterior wall of the Long Beach Arena depicting whales , dolphins , and sea lions . There were no dolphins depicted on the mural on the exterior wall of the Long Beach Arena . contradictory +There was nothing wrong with his command of whatever language it was , but there seemed to be no word for bulldozer . There was surprise and uncertainty born of the lack of attention towards bulldozer . entailment +I know he was with you and I know she was with him . I know you were together . entailment +The 2001 reports have enabled the LSC Results Group to identify adjustments for improving reliability of the numerical data being provided by grantees . The 2001 reports made it more difficult to improve data reliability . contradictory +Among them is the Giant of Manio , a menhir over 6 m ( 20 ft ) high , shaped like a clenched fist . There was a thing that was shaped like a clenched fist . entailment +and just watches everything yeah she she enjoys the car She likes the car . entailment +4 / Household First-Class Mail either sent or received by households . First class mail can be both received and sent from households . entailment +Click Start , then Find , then Files or Folders , type * .dll , then hit Find Now . ( Make sure your hard drive is selected in the drop-down list in Look in . ) On my computer I found 1,230 .dll files . To find .dll files you need to follow a certain sequence of steps . entailment +The erstwhile pirate thus became a policeman during the last years of his life . In his later years , he retired from piracy and became a baker . contradictory +i mean i think it 's probably still very dangerous over there I think it 's incredibly dangerous over there . entailment +but there are some others out there that i don 't believe deserve the money they 're getting The executives get paid too much . neutral +Under current law , the necessary reductions would be achieved through the development of individual state plans . There can be reductions under the current plans . entailment +This increase in depreciation reflects a shift in the capital stock 's composition from long-lived assets with relatively low depreciation rates , like steel mills , to shorter-lived assets such as computers and software . Computers and software has a short life span in the future market . neutral +yeah yeah so i got to hear a lot of what the people thought about you know changes in in the war and everything so that was pretty interesting I enjoyed hearing people 's thoughts on the war . entailment +Washingtonians complained . They did not complain and everything was fine . contradictory +The RPH generally believes in the flat tax , which should be set at 17 percent . The RPH generally believes in a flat tax of 17 percent . entailment +Adrin and Thorn will guard and watch the caves , said Jon . Jon said two people would be guarding the caves . entailment +Don 't know who you are , stranger , but you had no call to mix in . I don 't know who you are , but it 's nice to meet you . neutral +Th ' mare ... she 's .... Drew jammed the Colt under his belt and ran . Drew tucked his gun under his belt and took off . entailment +oh i i 've seen that yeah I haven 't seen it , no . contradictory +women are more on the rise too so far as getting their careers established and uh they don 't no longer feel dependent upon men Women don 't feel like they need to rely on men . entailment +The many bazaars , busy tailor 's shops , and government-operated emporiums are fascinating places to observe the style , panache , and never-ending gall of that charming and often shameless scoundrel , the Kashmiri merchant . People can observe Kashmiri merchants at bazaars , tailor 's shops , and emporiums . entailment +As a logical stopover on your way to Varanasi ( coming from Delhi or from Caletta ) , Lucknow is worth a visit for its special place in the history of India 's determined fight for Independence a focus of the Mutiny of 1857 ( see pages 45 47 ) . Lucknow is significant for its architecture , but not many important historical things happened there . contradictory +The sewage system and houses outside the citadel were better constructed than their modern equivalents , and among their animals was a major Indian contribution to the world 's cuisine the chicken . They had no infrastructure back then . contradictory +I guess I haven 't more than three or four hundred dollars with me at the moment , explained the American . Money was abundant . contradictory +It 's the truth , miss . It 's true . entailment +Gingrich rejected the timidity of Republican leaders and held himself out as the true conservative champion Some Republican leaders are not happy with Gingrich 's current position . neutral +and i mean it 's nothing fancy you know it 's it 's a house it 's nice and it 's real pretty and we 're all comfortable in it The house is elaborate , very fancy , but yet we hate it . contradictory +Where we have come across his tracks , he has always played a secondary part . He was always the primary actor when we came across his tracks . contradictory +Dean Harbaugh expressed skepticism about the cent ral thesis of Paper Chase to Money Chase , that debt-strapped young attorneys cannot afford public law careers . Dean Harbaugh fully supported the financial stability of young lawyers . contradictory +On the Utility of Ethnographic Research for the Policy Process . On the unity of ethnographic research for the policy entailment +oh i guess it 's kind of like kind of like cigarette smoking you know it it it it could go on for years and years until they they start start to see some results and people can actually actually say yeah it 's it 's it 's doing it 's doing some damage and and something 's got to be done The results go unnoticed by everyone . contradictory +which which is that it it sort of has some of the some of the music behind it did you ever watch Twin Peaks Have you ever watched the Lord of the Rings trilogy ? contradictory +The first lies in the assumption that all three-second periods are worth the same . The assumption is false . neutral +See . And John lifted the lid as he spoke . Look . As he spoke , John lifted the lid . entailment +It 's so difficult you see , if I 'm wrong oh , it would be dreadful . She made a grimace at the unconscious Jane . She told Jane how easy it was and that she was sure she was right . contradictory +For the most part , however , listening to lingerie designers ramble insipidly about the form , function , and sensuousness of undies makes one suspect that the special was conceived largely as an excuse to show shot after shot of scantily clad breast , buns , and crotches . Hearing the cameramen talk makes me think this was all an excuse for gratuitous booty shots . neutral +Amazon users have to page through screen after screen of details about shipping charges , refund rules , and disclaimers about availability and pricing . Amazon users are annoyed by the numerous screens they must review before submitting their order . neutral +um no i haven 't I have not . entailment +But that will not occur . It is going to happen soon . contradictory +The world 's largest surfing contest , the OP Pro Surfing Championship , is held annually in July and August at Huntington Beach Pier . Chile is home to the world 's largest surfing championship . contradictory +Set high on a hill above the coast with commanding views , it was built by John Palmer in the late 18th century and named after his wife Rose . John Palmer built it 200 years ago and named it after his wife Rose . entailment +The Salon del Trono ( Throne Room ) occupies the very center of the south facade of the palace . Despite being a large palace there is no throne room within . contradictory +Lola Thigh sang and preformed nightly at a venue of Klepacki 's major competitor , also a Klepacki ( don 't confuse these two , the fact that both had the same last name was purely coincidental , and besides , the other one had a different first name - Jacek ) . Thigh sang every night in a club . entailment +are you well i 'm sort of an exercise fanatic i 'm big on swimming I am crazy about sitting and hate swimming , contradictory +5 percent with respect to comparable workers in the private sector . There is no comparison with the private sector . contradictory +The problem is that we 've reversed the We 've made the political personal . The political is now personal . entailment +so thanks for calling bye Thanks for cleaning . contradictory +These new agreements described how the sensitivity of information would be defined , how shared information would be protected from dissemination outside the group , and what information could be shared with nonmembers . All information will be sensitive information for the group . neutral +Also , the unwieldy bureaucracy couldn 't keep its loyalties straight , with the too-rapid turnover in rulers vying for Ashoka 's throne . There was no loyalty at all to the bureaucracy . contradictory +Joint Committee on Taxation . They had many new members . neutral +Imagine an Irma Vep -like documentary of The Fifth Element ' s filming , on vast sets , with hordes of technicians attending to hordes of gun-toting rubber hippos . Irma Vep made documentaries . entailment +'Hmph . ' White ground his teeth . White made a noise and clenched his jaw . entailment +And the bureaucratic approach prevents the section as a whole from taking positions on--or creating--literary issues . Bureaucracy helps sections as a whole stay employed . neutral +Facing the direction of both the port city of Jaffa and Jerusalem 's New City Jaffa Gate is the traditional entrance for Western visitors to the Old City The Jaffa Gate was destroyed hundreds of years ago by Western invaders . contradictory +The deceased , he said , suffered from a weak heart , but otherwise enjoyed perfect health , and was of a cheerful and well-balanced disposition . The dead person died from a heart problem . entailment +It was destroyed by fire in a.d. 404 and rebuilt by Theodosius II , then burnt down again in 532 . It was destroyed by hurricanes both in A.D. 404 and 532 . contradictory +Afraid I don 't . Sorry I do not . entailment +After experiencing a significant virus infection in 1989 , a retailing company assigned one of its managers to step up efforts to promote employee awareness of information security risks and related organizational policies . This was the first widely-known case of a computer virus targeting a single company . neutral +The finely sculpted porch on the cathedral 's western facade inspired the design for Chartres cathedral and also for Paris 's Notre-Dame . Chartes Cathedral resembles a porch . neutral +We have an opportunity to grow a program based on 30 years of experience - we aren 't stuck with the old way . We 'll be better off disregarding the old ways if they won 't help us grow our program . neutral +5The statement advises patients of their rights to be fully informed about decisions affecting their coverage or payment and about their appeal rights should they be notified that Medicare will no longer cover their care . Patients do not have the right to know about decisions affecting their coverage contradictory +yeah yeah yeah but the paneling and the wallpapering and the and that kind of stuff are alike Yeah , the paneling and wallpapering are alike . entailment +In the event that cash consideration is included in the exchange , the cost of PP and E acquired is increased ( or decreased ) by the amount of the cash surrendered ( or received ) . If cash consideration is not included in the exchange , the cost of PP and E will remain constant . neutral +It sat on the floor of the elder 's council room - the sitting room of Alvic 's home . Alvic is part of the elder 's council . neutral +Our selection process was not designed to provide examples that could be considered representative of all the employee empowerment and involvement initiatives at the agencies reviewed or the federal government in general . Our selection process was designed to provide examples that can be considered representative of all employee empowerment . contradictory +All programs commit to addressing internal diversity concerns . The programs want to address internal diversity concerns . entailment +The appropriations language that regulates the scope of representation that may be provided by LSC recipients to aliens provides LSC recipients are banned from providing representation to aliens . contradictory +Members stated that the first meetings discussed broad subjects that individuals were concerned about or equally affected by , such as computer forensics . The first meetings talked about subjects the individuals were worried about . entailment +Fedge called the broker 's misstatements unconscionable . The broker 's misstatements were something Fedge expected . neutral +But he stood again . He remained on the ground , sprawled and motionless , save for the occasional ragged breath . contradictory +At night this district is a popular entertainment area . During the night , this area is popular for entertainment . entailment +And by drugs , which have been their remedy for every psychological LSD to shatter hang-ups ; cocaine to alleviate chronic boredom ; Prozac to lift depression . LSD is commonly used to trea PTSD . neutral +Compranocitellopatrone was a dark red wine produced from grapes grown on the southern slopes of the Citello mountain on a small Spanish island of Zicomprano de Ryua . Grapdes are grown on the island of Zicomprano de Ryua entailment +In addition , the CEF moderate scenario anticipates increased program spending of $ 3 . Increased program spending is due to the recent update which added more features . neutral +Relative to federal spending subject to annual appropriations-defense and nondefense discretionary spending-the share devoted to federal health programs and Social Security payments has grown steadily over time . The share of money going to health programs and social security has increased . entailment +you know you writers are coming you know you 're having a hard time here I know you 're having an easy time . contradictory +Finally , in October 2000 , LSC , in conjunction with the National Center for State Courts , the State Justice Institute , and the Open Society Institute , convened a conference of representatives from legal services , state courts , bar associations , and other community partners to forge collaborations to advance pro se efforts in eight states . LSC gathered representatives from legal services to work on pro se efforts in eight states . entailment +Should the allowances be auctioned off or be handed out for free ? Allowances should not be handed out for free . contradictory +2 ) It will make Europe the United States ' new political rival . It is not going to lead to a political rivalry between Europe and the United States . contradictory +uh as i mentioned i 've had seven years of expatriate expatriate service with TI and uh you vote in the embassy uh uh from whatever country you 're in you go to the United States Embassy and vote there I really enjoyed my expatriate service with TI . neutral +If you look beyond the souvenir shops for the moment , there are traditional sights to remember women in black who blend into the shadows , fishermen coming home from the sea , and everywhere the typical white houses bedecked with flower pots on wrought-iron balconies . The huntsmen , stark gray houses and wooden balconies are hallmarks of the city . contradictory +Kazan might have stood by his original policy , asserting that while he hated Communism , he would not assist in a violation of civil liberties . Kazan hated communism . entailment +In the preamble to the final rule , FSIS notes that the Office of Management and Budget has approved its information collection requirements system under OMB The OMB deals with worker 's compensation claims . contradictory +Overall , the central security groups served as ( 1 ) catalysts for ensuring that information security risks were considered in both planned and ongoing operations , ( 2 ) central resources for advice and expertise to units throughout their organizations , and ( 3 ) a conduit for keeping top management informed about security-related issues and activities affecting the organization . The central security group served in one main role only . contradictory +I stood faithfully at my post . I abandoned my post without a care in the world . contradictory +unused for months . Unused for a long duration of time . entailment +Consecrated in 1147 , 16 years before the church of St-Germain-des-Pres ( see page 58 ) , it is a significant work of early Gothic , belied by its 18th-century faaade . The facade is younger than the main building . entailment +Dutch and Rembrandt 's cheerful Self-Portrait with a Toque , his beloved Hendrickje Stoffels , also portrayed nude in Bathsheba Bathing ; Van Dyck 's gracious , dignified Charles I of England ; among the scores of Rubens , his tenderly personal Helena Fourment ; Jordaens ' Four Evangelists as diligent Dutchmen . The Dutchmen were not diligent people . contradictory +I don 't know . I don 't know what to say . neutral +We don 't have to . We do not need to . neutral +I hope others will follow you . I hope you are followed by others . entailment +( Fortitude and one of the Sibyls are attributed to Perugino 's 17-year-old pupil , Raphael . ) Raphaeal was not responsible for Fortitude . contradictory +To the south of it are remains of the Basilica Julia law court and the Rostra orators ' platform from which Mark Antony informed the people of Caesar 's assassination . When Caesar was assassinated , Mark Anthony chose not to announce this fact to the public . contradictory +or a Black woman named Rodriguez Or any woman of African heritage , called Rodriguez . neutral +Is the work low paid ? The work might be low paying . entailment +Starr is batting 10 for 10 against presidential legal challenges , note Tim Russert ( Meet the Press ) and Fred Barnes ( Fox News Sunday ) , proving that he 's not a rogue prosecutor ( Susan Page , Late Edition ) . The judge was downright scornful of the White House , adds Barnes . The judge was upset about the presidential legal challenges that Starr brought about . entailment +The scary traffic is a real experience vehicles of all kinds jockey for position on crowded streets , missing each other by inches , and speeding on the freeways is rampant . Driving in traffic is very safe since the cars are forced to slow down . contradictory +The Texas Equal Access to Justice Foundation , the largest Texas-based funding source for legal aid organizations in the state , has awarded Justice Deborah Hankinson the prestigious Harold F. Kleinman award for outstanding contributions to the delivery of civil legal services to the poor . The Texas Equal access to Justice foundation gives no money to legal aid charities . contradictory +universal service obligation in France , is primarily defined by history and tradition . Universal service obligation in France tends not to be defined by history and tradition . contradictory +1 , The Defense Acquisition System ( Oct. The Defense Acquisition System on Oct entailment +They had taken a pleasure slave , given her a club , and sent her in against me . They sent a pleasure slave , equipped with a sword , against me . contradictory +I suppose it 's an attempt to make things less confusing for children . It should make school easier for kids . neutral +The site is still compelling , though the fort itself is ruined . The fort was ruined in the 19th century . neutral +Not suitable for young children . You must be at least 21 to stay here . neutral +Examining consistency of evidence across different types of data sources is akin to verification . Evidence is always consistent . neutral +You 're a good sort , Tommy . Tommy is a good person . entailment +A haven for persecuted Japanese Christians in the 17th century , Portugal 's neutrality during World War II assured the territory a flood of refugees . Portugal was not a place that Japanese Christians went to in the 17th century . contradictory +i mean i i because the way i mean sort of the way to think about it is well they won you know they sort of took over the um they 're one of the only countries in in in history that has been told that they have to give back what they took in a war which they didn 't start basically so It 's a rare case where the loser had to give up things even though they didn 't begin the war . entailment +yeah well here at work um each one of us has two trash baskets in our office and one of those is designed for any kind of paper products that um they want to use you know for recycling they can 't deal with every type Many people fill their trash baskets everyday with paper . neutral +By law , subclasses of domestic mail must produce revenues equal to or exceeding attributable costs . By law mail revenue must meet or exceed costs . entailment +The decision to spare them was actually taken by Henry Stimson , the US Secretary of War , who knew the cities from his own pre-war visits . It was gracious of Stimson to spare them . neutral +He trusted Jon but had no idea what happened in the man 's mind . He wasn 't sure what Jon was thinking but he trusted him . entailment +The preambles to both the proposed and final rules reflect HUD 's finding that the rule will not have a significant impact on the environment . HUD 's findings suggest that the rules will have a significant impact on the environment . contradictory +His policy prescription includes reducing corporate influence , liberating the system from presidential control , democratizing local stations , serving minorities , decentralizing the Washington-centric service , and increasing accountability . He has a lot of policy prescriptions up his sleeve . entailment +Kind old beggar , muttered Tommy , as he flung it aside . It was delicate and broke when Tommy threw it . neutral +I took it and turned it over in a puzzled sort of way . I had never seen anything like it before . neutral +This is where to go to see an authentic bullfight , a seemingly anachronistic pursuit that continues to inspire the passions of so many Madrilellos . Many people in the area are passionate about bullfighting . entailment +These characteristics of the transaction are not affected by whether the sale is illegal . They sold what they wanted when they wanted . neutral +Auditors may wish to attach the comment letter to the audit report to provide the reader with both points of view . The Auditors are prohibited to attach anything else for he reader . contradictory +shop and ordered eggs and bacon and coffee . Likes drinking coffee in the morning . neutral +Let me pre-empt them and go a step further by pointing out a basic question I 've How does a change in the marriage contract affect a couple 's decision about whether to get married in the first place ? How can a marriage be stopped because of a contract ? neutral +One glance over the almost landlocked harbour explains why Andrea Doria , the 16th-century Genoese admiral , remarked that the Mediterranean had only three safe June , July , and Cartagena . Andrea Doria was from Russia . contradictory +Then Malok 's voice rang out sharply . Then Malok 's voice could be heard clearly . entailment +Last time we brought hosses up th ' trail they jumped us four , five miles back right close to where we saw that pile of bones this mornin ' . When we rode the trail they let us by without any conflict . contradictory +But you have just said it was a whole week since the crime . You said it was 10 days since the crime . contradictory +Social insurance taxes and contributions paid by Federal employees ( 575 ) The contributions paid by the employees are higher . neutral +The unemployment rate of 6.4 percent in 2000 compares to 4.0 percent for the whole economy . The unemployment rate has dropped from 6.4 % to 4.0 % . entailment +But I never thought I 'd meet you one day . He knew he would meet you one day . contradictory +Now then sit on the bed . Sit down on the bed . entailment +that 's right absolutely That is entirely wrong . contradictory +Lord Charlemont 's marine villa , built in 1762 1777 , is one of Ireland 's finest Neoclassical buildings , and certainly one of the most intriguing . A visit to Charlemont 's marine villa constructed in 1762 will leave you breathless and wanting to come again . neutral +Difference feminists reject the big time as a crude , ugly , and destructive male pursuit . Feminists approve the big time as a successful pursuit of interest . contradictory +Babur the Tiger , descendant of Timur the Lame and of Genghis Khan , accepted their welcome but made no promises . Babur was a soft-hearted ruler unlike his ancestors . neutral +and i just i got about like a hundred pages through it and realized i had like a thousand more i thought i can 't do this I got through reading the first thousand pages . contradictory +i mean you 're still is a target over there You 're a target in Iraq . neutral +The vermilion Sai-to ( West Pagoda ) was built in 1980 on the site of the long-destroyed original . The reconstruction of Sai-to took over three years . neutral +Strong genetic differences among dog breeds are not just the result of natural selection . Every breed of dogs is unique . neutral +'I 'm sure I must have some around here somewhere . ' He started rooting through my cupboards . He tried to find food in my cupboards neutral +They solved a lot of my problems . A lot of my problems have been solved by them , the rest by the psychologist . neutral +For a change , it 's not something that Napoleon looted during a campaign , but was a gift from Mohammed Ali , viceroy of Egypt . For a change it came from the Viceroy of Egypt . entailment +It is important to recognize that some of the technology practices will cause major changes to established routines , require new equipment and software , and require mastering new sets of skills . The technology practices outlined within this manual will result in significant changes to the industry . neutral +Through a Crusader arch , stairs lead down a long passageway to the Orthodox Church of the Assumption . The passageway was made long deliberately . neutral +uh the reason i said that because i 've had about uh three calls and my daughter had one too from different students out of North Carolina i guess they pass the names amongst your computer students or whatever My daughter and I have both received calls from students out of North Carolina . entailment +Laid out in an attractive hillside setting half a mile southwest of Takayama Station , the houses many of them three or four stories high , with steeply pitched grass-thatch roofs are oddly reminiscent of those in European Alpine villages . The grass-thatch roofs of the houses rarely need maintenance . neutral +Citing the concentration and surprise of Dylan 's lyrics , as well as the rasp of his anger , Motion rhapsodized over the songwriter 's use of language . Dylan 's lyrics are angry . entailment +In recent decisions , the Supreme Court has both circumscribed preferential policies and made clear that they can be limited or abolished by legislation . The Supreme Court is all powerful , and that was proven very recently . contradictory +Their weapons and armor , along with Pompeii 's more fragile works of art , are exhibited at Naples ' Archaeological Museum , which is an invaluable adjunct to your visit to Pompeii or Herculaneum . Naples ' Archaeological Museum is the city 's most popular tourist attraction . neutral +or maybe more than that as i 've learned yeah when i bought my RX7 i uh best offer i got for my other car was twenty five hundred well i turned around and sold it myself for forty two hundred so It is better to sell your used car yourself . neutral +The huge Victorian greenhouse , New Palm House , is impressive and packed with ferns and palms that thrive in the warm , damp environment . New Palm House looks utterly beautiful . neutral +But the Cabinet knew by how narrow a margin they had escaped utter disaster . The Cabinet had no idea how close they were to disaster . contradictory +For industry , the policies include voluntary agreements with industry groups to achieve defined energy efficiency and emissions goals , combined with a variety of government programs that strongly support such agreements . Voluntary agreements with industry groups are included in the policies because they are very beneficial . neutral +he 'll have an outstanding outing and the next time he 'll get shelled He 'll have a great outing . entailment +I wondered how I could have been so unobservant as to overlook this . I wondered how I over looked this when others didn 't . neutral +no it was great It was terrific . entailment +The final rule was issued pursuant to the authority of sections 301 , 304 , 306 , 307 , 308 , 402 , and 501 of the Clean Water Act , 33 U.S.C. The final rule was in accordance to the Clean Water Act . entailment +Jon turned right and saw Vrenna under her cloak , rivers of rain running off of the hood . The day was bright and sunny . contradictory +Among the most notable churches are the Cathedrale Saint-Pierre-et-Saint-Paul , which took centuries to complete ; the Eglise Saint-Nizier , recognizable by its gaudy tile roof ; and the Basilique Saint-Urbain . The Eglise Saint-Nizier is renown for its gaudy tile roof . entailment +Several of the assumptions used tend to provide conservative estimates of the benefit of running surpluses or lower deficits and of the harm of increasing deficits . Benefits include higher revenue earned per quarter and lower delivery costs . neutral +His hold had slipped a little . His hold loosened a bit . entailment +Before you begin shopping , pick up HKTA 's Shopping Guide to Consumer Electronics . HKTA provides a Shopping Guide to Consumer Electronics . entailment +More specifically they finance spending of many types to promote the general welfare , provide for the common defense , and ensure domestic national defense , a judicial system , aid to the elderly , construction of infrastructure , education and training , and so forth . many types of spending are financed to promote general welfare . entailment +I do hope she 's found him out at last ! " I wish that she has found him at the end entailment +It organized the best practices into five categories related to ( 1 ) the role of the owner , ( 2 ) teamwork and collaboration , ( 3 ) advance planning , ( 4 ) process , and ( 5 ) benchmarking . The best practices have been organized into five categories , according to the report . neutral +Adopting a teams-based approach to operations can improve employee morale and job satisfaction by creating an environment characterized by open communication , enhanced flexibility in meeting job demands , and a sense of shared responsibility for accomplishing agency goals and objectives . An executive order requires that all companies must adapt a team based approach in business contradictory +oh i 'm in Texas Plano uh-huh I 'm in Texas Plano . entailment +yeah well i 'm i 'm sort of a rough-and-ready camper i 'll uh I like to camp in the roughest possible way . neutral +In New York , for example , where more than half the city 's current population is foreign-born , immigrants have helped renew Koreans and Chinese have revitalized Flushing , Queens ; as have Russian Jews Brighton Beach ; Caribbeans Flatbush ; and Dominicans and Irish Washington Heights . 70 percent of New York 's current population is born in the United States . contradictory +Both newsweeklies celebrate cities . The two newsweeklies celebrate rural life , but don 't have many positive things to say about cities . contradictory +yeah it it is interesting to watch that water rise all of a sudden It is sometimes interesting to see the water rise . neutral +The red glow grew white in the center , and a fat , worm-like shape of flame came into being . The flame grew from red to white in the center . entailment +They then essentially starved the cells so that they shut down normal metabolic function , entering a quiescent state , in which dedifferentiation apparently occurs . The cells were starved to make them shut down metabolic functions . entailment +Using 4 , 10 , or 15 sites as case studies might be feasible , but we would still need to be concerned about the risks in generalizability . We can 't use the sites at all . contradictory +I want to thank Judith Shulevitz for her report on how business media makes men feel inadequate . Judith Shulevitz for her report on how business media makes men feel inadequate was unjustified . contradictory +built uh for for school purposes that i start in the evening and then go to bed and get them the next morning but they would have run an hour and a half even on a thirty three eighty six machine i imagine so I know nothing about computers or the programs designed for them . contradictory +yeah that 's what i 'm actually told i 've i 've never experienced a hurricane I 've heard that , but I 've never experienced a hurricane , myself . entailment +well it was up there actually that she got her fear of spiders because we sat and watched a tarantula for a long time we we you know we 'd never seen one She wasn 't afraid of spiders until we came here . entailment +There were no glasses ! The glasses were in the dishwasher . neutral +In general , saving today increases a nation 's capacity to produce more goods and services and generate higher income in the future . Saving now lowers a nation 's ability to produce more and earn more later . contradictory +The money is left over from cases involving utility bill overpayments and an insurance company insolvency . The funds came from those that paid too much on utility bills . entailment +How ? demanded Tuppence , opening her eyes very wide . Tuppence doesn 't have eyes . contradictory +the at least the version i had tended to keep copies of that You never know when people will want proof . neutral +Congress , the United Nations , and other international forums . These forums do not deal in any international issues . contradictory +Under the eaves , bundles of maize hang to dry along with large cucumbers . Monkeys that live in the area like to steal the cucumbers that are drying . neutral +Why open a gas station if nobody has a car ? ) There 's no need for a gas station if people don 't have cars . entailment +i don 't know i guess i 'm in a neighborhood and it 's it 's just real tough on animals here you know when i every time i see one run over i just you know it makes me sick so He was running over at least three squirrels a week . neutral +The present crose erected in 1756 , is the starting point for many walking tours of the Old Town . The starting point of all walking tours begins at the local smith building . contradictory +The private collection includes paintings of old Madeira by 19th-century English artists and the apartments of a well-to-do 18th-century Madeiran household . 19th century English artists made paintings of old Madeira . entailment +uh i hate to tell you i 'm in payroll Sorry if this upsets you , but I am on the payroll . entailment +Disclosure of information not required by these sections of the 1996 appropriation provisions is governed by sections 1006 ( b ) ( 3 ) and 1009 ( d ) of the LSC Act . The LSC Act doesn 't deal with information disclosure . contradictory +Since there are more smaller , semirural states than big states , the well-being of individual states would not necessarily be best served by examining what happens in the few larger states . The smaller states outweigh the larger states by 65 % . neutral +Even so , Reege may be the ideal game show host for this ironic He allows the show to be both deadly serious and parody . Reege does not want to be a game show host . neutral +Although fortifications were built here by the Maccabees in the second century b.c. , King Herod the Great improved on these hugely , transforming them into a magnificent fortified palace , stocked with years ' store of food and fitted with enormous cisterns ( supplied by flash floods via an aqueduct ) to ensure a plentiful water supply . King Herod the Great stayed here for many years . neutral +The wise course for Republicans might be to accept a plea bargain under which neither Clinton 's behavior nor Starr 's will be further investigated with regard to the Lewinsky matter . Republicans are unable to do anything contradictory +A huge , fenced-off area is under construction as a zona franca tax-free business development area intended to attract foreign investment . The fenced-off area currently under construction is supposed to encourage foreign investment . entailment +Motivation-Over the past decade there has been an dramatic increase in 1 ) Available modes of interpersonal communication and the range in quality of these modes of communication in terms speed , reliability , and flexibility 2 ) Reductions in the price of these modes of communication-long-distance telephone service , FAX machines , on-line information services CompuServe and America Online ( zero price for incremental messages ) Over the past decade there has been an dramatic reduction of phone services . entailment +Participants stated that such a group was proposed by the Jenkins Committee , but it was never established . The Jenkins Committee never proposed a group that wasn 't created immediately afterward . contradictory +The most prominent of the Tight-Lipped , oddly , is Arizona 's John McCain , who is never tight-lipped . John Mccain is being tight lipped , he has something to hide . neutral +21 An extreme , but possibly realistic , situation should not be overlooked . If 21 does occur , we want to be prepared to minimize the damages . neutral +Compensation committees need to focus on executive performance more related to the company 's long-term objectives rather than just short-term business results . Compensation committees should focus primarily on long-term objectives . entailment +According to information routinely gathered and analyzed by our IOLTA fund , in the year 2000 , the average balance of all IOLTA attorney trust accounts in New Jersey alone on any given day , at any given time was $ 1 . The IOLTA fund reviewed the trust accounts monthly . neutral +As old some would say historically significant buildings or resorts succumb to the pressures of age , design , or simple decline of attendance ( and therefore value ) , the law of the city takes over . There is no place for the law of the city because the old buildings are preserved indefinitely . contradictory +The squat but angular and moated Castillo de la Real Fuerza ( Fort of the Royal Forces ) , to the north , is one of the oldest forts in the Americas , begun in 1558 . Castillo de la Real Fuerza is one of the newest forts . contradictory +The original mosque was destroyed by an earthquake in 1766 ; the present building dates from 1800 . The same building has been at the spot for the duration of its use . contradictory +The professor was getting more and more angry . The teacher was growing more upset . entailment +It has a beautiful great house , made ( unusually ) of wood and filled with an eclectic collection of furniture from the colonies of the British Empire . The valuation of such a beautiful house exceeds the amount most tourists believe . neutral +His old eyes bored into the younger man , and he nodded . He was tired , and the younger man respected that . neutral +The finds are mainly tomb artifacts found at sites across the country and you can view the exact re-creation of a funerary chamber found at Dahshur to familiarize yourself with what you will see later in your vacation along the Nile Valley in Upper Egypt . The Nile Valley in Upper Egypt has similar tombs and artifacts ith the funerary chamber of Dahshur . entailment +The Barrage Vauban ' remains of the fortifications Vauban built for Louis XIV ' spans the Ill to the west . Vauban built fortifications near the Ill for Louis XIV . entailment +Clinton 's apologists are content to subsume the allegation of violence into a pattern of sex and thereby dismiss it as immaterial . Clinton apologists see and believe the allegations in their entirety . contradictory +For more information on the recent NIPA definitional and classificational changes , see Brent R. Moulton , Robert P. Parker , and Eugene P. Seskin , A Preview of the 1999 Comprehensive Revision of the National Income and Product Accounts , Survey of Current Business , Bureau of Economic Analysis Moulton id not work on the Comprehensive revision of the national income and product accounts report . contradictory +Business Week ' s Amy Cortese calls the book a fascinating cautionary tale of the way money is shoveled at bad , but hyped , projects . Amy Cortese hated the book . contradictory +Since then , this individual 's responsibilities for information security policy development and awareness , which had previously been handled on a part-time basis , have evolved into a full-time awareness manager position in the organization 's central security group . The person scaled back the security policy role and is now part time . contradictory +Dudovitz said that he is halfway to his goal of reorganizing his new territory . Dudovitz has not made any progress on his goal to organize territory . contradictory +Some visitors to Sepilok confuse them with the similarly colored red-leaf monkeys but unlike monkeys , orang-utans have no tails . Nobody confuses red-tail monkeys with orangutans , that 's absurd . contradictory +Results that don 't fit the theory , such as the defeat of Matt Fong in the California Senate race , have simply been ignored--as has the fact that the Republicans retained their majorities in both houses . All theories take all perspectives and information into account . contradictory +with the worms yeah i have quite a bit of problem down here with the squash bugs and haven 't figured out how to get rid of those yet actually , I haven 't see any worms in a while , so that product worked contradictory +Let 's not be sentimental . Let 's not get emotional . entailment +When he died ( of natural causes ) in 133 b.c. , his subjects were dismayed to learn that he had bequeathed his entire kingdom to the Romans . He died in 133 b.c. according to the history teacher . neutral +and so imagine the sixteen year old yep boy i had a surprise birthday party and a war started in Israel I turned 18 when the war in Israel began . contradictory +right i don 't remember his name um I know his name is Tom . contradictory +perhaps compulsory education Compulsory military service . contradictory +We have identified and made use of a variety of tools and flexibilities , some of which were made available to us through the GAO Personnel Act of 1980 and our 2000 legislation , but most of which are available to federal agencies . We haven 't identified or made use of a variety of tools and flexibilities , contradictory +yes it 's it 's really sad Yes , it is very heart-breaking . entailment +But one would not do such a thing without permission . No one would do that without asking the person first . entailment +This is because automated systems and records are fast replacing manual procedures and paper documents , which in many cases are no longer available as backup if automated systems should fail . Management has been talking about having staffed trained in manual procedures as a back-up plan . neutral +But Harrison 's audience would not have known what the Internet was . Harrison 's audience wouldn 't have known the Internet , that was so long ago . neutral +had a long criminal record and had been you know a real sleaze bag I have a clean record and I 've never been in trouble . contradictory +A scout who travels through a storm like the torrent with nothing but a skin of blood to sustain him is likely to be one of their better men . A scout who can travel through a storm is one of their better men . entailment +He had nothing to lose . He had everything to lose . contradictory +Madeira 's biggest and most spectacular festival has earned a worldwide reputation . The largest festival has gained a large amount of worldwide attention . entailment +Bachelor 's or master 's level staff with one to two years ' of experience and extensive motivational interview training delivered this intervention . The intervention was need to improve the situation . neutral +Where the Grand Canal empties into the lagoon stands the imposing church of Santa Maria della Salute la Salute to the Venetians is the masterpiece of Baldassare Longhena , built to mark the city 's deliverance from a plague in 1630 . The church of Santa Maria was built by Baldassare Longhena in 1630 . entailment +Something glaring and hot was suspended in the air five miles away . Something hot was in the air miles away . entailment +i looked in every day care there was in Louisville and you know and there were places that were cheaper but is it I wanted a place that was cheap but safe in Louisville . neutral +Don 't loosen your safety belts yet , it said . Just unbuckle now . contradictory +then i i 'll order like a vegetable soup or something you know but she 'll just have the French fries you know I think I 'll have a vegetable soup of something similar and she will just have french fries . entailment +Renowned Mallorcan glassware has been manufactured on the island since the 14th century . The glassware was made on the island . entailment +It 's that interaction with fiscal policy that has drawn economists ' attention to bequest motives in recent years . The fiscal policy has raised the taxes even more . neutral +i wish i did i i hope you 're you 're a person who does things better than i i don 't have a budget that 's one of my goals for this year is to try to get myself in a good oh long range planning budget mode um i 'm a single mom and i 've been just uh trying to get I don 't like the idea of doing a long range budget . contradictory +The first tea cuttings were brought to these gardens from China to found the plantations of Darjeeling and Assam . The Darjeeling and Assam tea grew from cuttings from China . entailment +on national TV on national television mostly . neutral +Beneath the gallery is an Italian restaurant . The restaurant serves authentic food prepared by a real Italian chef . neutral +No , my friend , there was a moment when you were not all together . There was a time when you were not all together my friend . entailment +Happily , the memory of the hurricane is starting to fade--though it was rekindled in March when President Clinton came through Central America , scattering relief programs in his wake like victorious GIs tossing chocolate bars to school kids in 1945 . The hurricane still looms large in the minds of its victims , not least because no assistance has been rendered by the international community . contradictory +The surrounding vegetation is truly tropical , with no landscaped lawns and no sign of a shopping village . The tropical locations often have lush vegetation areas . neutral +Take time to explore the exquisite Moorish stonework and the elegant domes and minaret . Take a tour of the Moorish stonework and elegant domes . entailment +i 've got a nice little business at home and i sit around and tinker with that most of the time I sit around most of the time and I 've got a business at home . entailment +Legal services programs in Canada are about the same age as ours , and serve a similar client community . Legal service programs in Canada are as old as ours . entailment +Gods , she was beautiful , thought Jon . Jon thought she was beautiful . entailment +Last week 's Whew ! Whew of last week has to be bought ! neutral +so my husband 's just discouraged me on those things I have been discouraged on those things by my husband . entailment +This is the amount on the check the new owner writes . The amount of the check written by the new owner is 200 dollars . neutral +and uh if you bring one in and put it under good conditions they 'll grow about as fast as any tree They have the potential to grow like trees . entailment +Adults can keep a top in motion for over 50 minutes . Adults cannot keep in top motion for over 50 minutes . contradictory +Current child support policies are driving many of them out of the above-ground economy , said Hannah E. M. Lieberman , the Bureau 's director of advocacy . Child support is driving people into poverty . neutral +yeah well you know there 's a lot of competition in the media The media is friendly and non-competitive . contradictory +Interestingly , Bradley also believes that modern European Jews are Khazars , which means he must argue not only that biblical Hebrews were Neanderthals , but that so were Khazars . Since Bradley thinks that European Jews are biblical Hebrews , it follows that no Jews were Neanderthals . contradictory +yeah it 's sort of interesting It 's so boring and not interesting at all . contradictory +The New And Improved Business Analyst . The same Business Analyst as before . contradictory +Ca 'daan shivered at the intense gaze . The demon 's gaze made Ca 'daan shiver . neutral +it is and and i don 't know if it 's uh the family you know thing where they 're not bonding anymore where mothers are working all the time and I wonder if families are not as close anymore because of Mother 's working . entailment +Federal non-Social Security surpluses are eliminated through 2010 , and unified deficits emerge in 2019 . Unfiled deficits will never emerge for Federal non-Social Security surpluses . contradictory +so that 's what they consider property tax it 's like like if you own your own home you have to pay property tax You must pay property tax if you own a home . entailment +Using these weights and BLS-recommended procedure , can compute estimate of US population aggregate expenditures on postal delivery services or aggregate expenditures any other category of goods It is impossible to get the total expenditure on services . contradictory +Its sober five-bayed facade set the golden standard for the Lombard Romanesque style , flanked by a ninth-century campanile and taller 12th-century tower topped by a modern loggia . The standard for Lombard Romanesque style is a bayed facade . entailment +He noted that this rock-hewn cave matched very well the description of Jesus 's tomb ; a skull-like hill nearby strengthened Gordon 's belief in its authenticity . Gordon believed that the cave was possibly Jesus 's tomb . entailment +Reporting at the entity level for stewardship land shall be more specific than at the governmentwide level . Reporting at entry level stewardship will be more specific than even the government level . entailment +Medical Science v. the Dismal Science Medical and Dismal science are versing each other . entailment +Huge representations of rulers like Ramses II illustrate the power held by the throne and by the cult of personality , though there are also tiny sculptures such as a bust of Queen Hatschepsut , which may have stood on a mantle or in a niche , showing that Egyptians were not just fixated by the epic and monumental . Egyptians idn 't have a king . contradictory +they 've lost too many people It 's been hard losing so many people neutral +The Access to Justice Commission was created in 1996 as a coordinating body to seek support for legal services programs and develop strategies to address the severe lack of access to justice that had been identified earlier by a State Bar-sponsored blue ribbon study group . The severe lack of access to justice was caused by monetary issues . neutral +Usually there was also the stout figure of Ser Perth . Ser Perth had a very slim and petite build . contradictory +Ephesus was one of the most important cities in the new Province of Asia , with a population of 200,000 , and grew wealthy on the proceeds of trade . Ephesus became a wealthy and important city because of trade . entailment +yeah i uh i don 't mind it um there was a time when i had my Corvette i mean of course i loved it um but i 've you know i 've got other interests now and there 's a lot other more important things i think i should be doing with my time I 've never owned a Corvette , and I hate the brand anyway . contradictory +Tuppence 's hostel was situated in what was charitably called Southern Belgravia . Tuppence 's hostel was in Southern Belgravia . entailment +The Jardin d 'Acclimatation in the Bois de Boulogne ( see page 65 ) is a special children 's park , complete with a small zoo , pony rides , puppet shows , and other attractions ( open daily 10am-6pm ) . The Jardin d 'Acclimatation has a cafe that serves lunch . neutral +The members of the Exotic Poultry Producers Association drank excellent unusual alcoholic drinks , played exclusive unusual games , met famous unusual people , and had unusual rarely seen personal preferences . The event was only for people who were unique with very unusual tastes . neutral +well i work in uh corporate control so we have to dress kind of nice so i usually wear skirts and sweaters in the winter time slacks i guess and in the summer just dresses I often wear dresses to work in the summer . entailment +It reviewed GAO 's accomplishments in meeting its mission consistent with applicable professional standards and our core values of accountability , integrity , and reliability . GAO was reviewed to be constant with our values . entailment +But , said De Long and Lang , out of 78 true hypotheses , surely there should be at least a few that are overwhelmingly confirmed . Out of most hypotheses , there is usually some that are confirmed to be true . entailment +anyway i guess everything 's been pretty typical for March I guess everything has been typical for march . entailment +um i don 't i i don 't think that that we can ever be convinced as a country that that they 're going to change or you know not be a threat After the war , our leaders have tried to convince us , the threat is over . neutral +Oh , don 't rate the lad , said the Industrialist 's wife . The lad was afraid of being rated and the Industrialist 's wife was defending him . neutral +Again they met with no success . They weren 't able to succeed when they tried it . entailment +yeah i watch Mystery too um is is that what you 're referring to okay yeah that is good i like uh do you read I enjoy reading and watching Mysteries especially the ones that are based on true story . neutral +right because that would actually start at eight o 'clock here That would begin at eight o 'clock here . entailment +well that 's lucky You were in the right place at the right time . neutral +There is a lively young scene based around the university , and a sophistication to match other major Greek cities such as Athens or Thessalonica . There so many things to do near the university , The students always have something to do for entertainment . neutral +I don 't know , said A 'deem . A 'deem had all the answers . contradictory +LSC eligible aliens may also seek assistance on immigration and consumer matters . Not even LSC eligible aliens may seek legal help contradictory +A Nice Head-Shrinking Never Hurt Based on the presidential press conference this week , Gigot senses that Clinton may be having difficulty separating myth and reality . The presidential press conference was the fourth in as many weeks . neutral +He stayed late to help me catch up . He has never made an effort to help me . contradictory +Program provides many with legal advice The program gives legal advice to a corporation . contradictory +Analysts consider Jiang a clumsy weakling compared with Deng , and are debating whether 1 ) he will continue Deng 's reforms or return to authoritarianism and 2 ) he can consolidate power or will be outmaneuvered by rivals . According to analysts Jiang will outlive Deng . neutral +Ah ! said Tommy , imbibing a long draught of beer , " I feel better . Tommy doesn 't drink alcohol . contradictory +no it 's uh i could say it 's been a while for me too i uh i 've got my wife motivated about it um I have managed to get my wife motivated about it . entailment +He has made a boast of being Confederate leading what he terms Mounted Irregulars . He bragged about being a Confederate leader of the Mounted Irregulars . entailment +Tract housing and apartment buildings may be ugly , but they are paradise compared with village huts or urban shanties . Those who get to live in concrete towers are much luckier than the rural poor of the developing world . entailment +The fact that you are an office of only 10 people , and Lothario now finds himself too busy for some tasks , means the involvement has begun to impinge on the workplace . You have too many people working at this office . contradictory +Newsweek ' s a satellite photo of the test site . Newsweek has a picture of the test site on their front page . neutral +uh-huh that 's the hard part right There 's a difficult part isn 't there ? entailment +Yellow cowardy-cat . " Spineless coward who could do nothing but hide . neutral +um you know i enjoy being here i don 't know if i 'd ever you know i might go back there eventually one day it 's a depressed area uh right now you know That area is terrific , I go there whenever I can . contradictory +This is the settlement where the generations of painters , masons , and builders who worked on the royal tombs lived . There were no priests in this settlement at all . neutral +Accurate and Timely Recording of Transactions and Events Events need recording neutral +Some of the ways the funds will be spent These ways include bringing in imported coffee and tea each morning to employees . neutral +in Texas if you 're going to sentence somebody to uh to death what is is there a specific criteria that they have to meet I don 't care about the criteria for the death penalty in Texas . contradictory +so i sent them a letter with a copy of the canceled check and their card cut up into about a hundred pieces i said here is your card here is the copy of my canceled check never send me anything else and never heard from them I could not believe that they actually mailed me their card . neutral +Newsweek ' s cover story hails the success of the Hubble Space Telescope . Newsweek calls the Hubble Space Telescope one of the biggest advances in astrology . neutral +'We don 't have a large enough pool of applicants from Denver University and the University of Colorado to fill the number of openings we have each year , ' Smylie Brown said . We have plenty of candidates , and we should probably close the recruitment process for a while . contradictory +Beyond the bridge , on the opposite shore , is the Beylerbeyi Palace , a summer residence and hunting lodge built for Sultan Abdul Aziz in 1865 ( guided tours 9 : 30 a.m. 4 : 00 p.m. , closed Monday and Thursday ) . Sultan Abdul Aziz was known to be more like a dictator than a sultan . neutral +Slate readers who recall John Cassidy 's article a few weeks back about a lavish Hollywood Party he attended at the home of Hollywood mogul Mike Medavoy might have enjoyed a New York Times feature about Medavoy Feb. 25 . John Cassidy had never gone to Medavoy 's parties , but he hoped to some day . contradictory +No more fights today , said the small man . The man said the fights would start any minute contradictory +Edinburgh is the home of Scottish Rugby Union , and the stadium can be found at Murrayfield , west of the city center . Murrayfield stadium is to the east of the city center contradictory +uh one and i always tried to show my wife you know here 's how you once a year i 'd say here 's how you do the budget in case i get sick or here 's how you do the checks you know my wife doesn 't know how to do the budget , because i 've never shown her contradictory +Let me try again . I want to try again . entailment +Entrance to the museum complex is free . It is free to enter the museum . entailment +It is imaginative , dignified , often harrowing , deeply moving , and essential viewing to get an historical perspective of modern Israel . You don 't need to see this to understand modern Israel . contradictory +Finally , as suddenly and unexpectedly as they had arrived , the British retired . The British stayed there and refused to ever leave . contradictory +Welcome to Japan ! This is Japan . neutral +South of the city walls is the site of King David 's city , which would have been only the size of a village by today 's standards . King David 's city was very big for its day . neutral +According to the company , voters will be able to verify their identity using their date of birth and a digital signature . Voters need not confirm their identity . contradictory +Because these elements are all included in the concept of strategic planning , as it is currently understood in management practice , one advantage of the term state planning is that it emphasizes that what is involved is strategic planning for state equal justice communities . " State planning " emphasizes that it takes strategic planning to create equal justice communities for African-Americans . neutral +pardon yes right there needs to be more than one test and there needs to be some some measure of uh certainty before anything drastic happens there are lots of things that are involved there um such as perhaps insurance There are not many things involved so I don 't think it 's necessary to be sure . contradictory +you know a lot of the comedies are more like jokes and you know gags and stuff like that there 's not as much slapstick anymore Most comedies today feature jokes and gags , not slapstick like in days past . entailment +Moreover , in any event , In any event entailment +We have British hunters to thank for uncovering these masterpieces , around 1840 , half-buried in earth and hidden by the overgrown jungle . These masterpieces were discovered by Indian children playing in the jungle . contradictory +Horrified by the rise of casual office wear , the garment industry is launching a PR campaign to popularize formal attire , says an article . All kinds of designers are getting in on the Sean Puffy Combs ' fall collection is full of dressier sportswear . The garment industry is trying to make formal attire more popular . entailment +To believe today that the almighty wrote the Torah is once again , as it should be , a matter of faith . Only logic can help in reading the Torah . contradictory +There 's nothing they like better than having a good chat about the latest bit of who is doing what , where , and why . They enjoy chatting about everything except other people , their favourite topic is food . contradictory +SUBMITTING TEST TYPE VALID DATA N LC50 CV % N LC50 CV % N LC50 CV % Submitted test type invalid data neutral +' Publishers Weekly gives the book its only upbeat review , praising the narrator 's compelling voice and calling the author remarkably assured . Publishers Weekly said the book was wonderful . entailment +In numerous studies , they have documented a deep paradox about human relations--persons get along , but people don 't . They studied human relationships in America . neutral +Remember , I haven 't seen you since that time in hospital in 1916 . " I 've never seen you before in my life . contradictory +The model we have today can be traced all the way back to the early 1970s ( back to the Trueblood Committee ) . Today 's model originated in the early 1970s . entailment +Woods became the first black or Asian-American to win a major golf tournament , and broke the course records for best score ( 18 under par ) , biggest margin of victory ( 12 strokes ) , and youngest victor ( he is 21 ) . Woods was the second black to win a major golf tournament . contradictory +But that has already been tested ! I cried , stupefied . I thought it would be useful to run the test a third time . contradictory +Securities and Exchange Registration Form Used by Open-End Management Investment Companies and New Disclosure Option for Open-End Management Investment Companies The Securities and Exchange Registration Form is an informal form , since most of the information in known before the form is completed . neutral +But when you represent a client in desperate need of service who may not have the required retainer - guess what ? You would never represent a client that can 't meet the retainer . contradictory +Taylor proposes that teen-agers on welfare be paid to use an implanted device to prevent pregnancy . He secretly hated the poor and wanted them to suffer . neutral +He listened for any sign of detection , a cry of alarm or a shout of new orders , but nothing came . He listened for a noise but heard nothing . entailment +Amazingly , Gould suggests not . Surprisingly , Gould suggests not . entailment +The intermediate projections in the 2001 OASDI Trustees ' report assume that labor productivity for the entire economy will increase 1.5 percent annually over the next 75 years . The projections assume that productivity will increase by 5 percent annually . contradictory +and amazingly enough you 're you 're into Middle Eastern sort of coins the the largest amount of fakes of US gold is made in Lebanon Most fakes of US gold are manufactured in Lebanon due to the lack of counterfeit laws over there . neutral +I thanked him . The man went without recognition . contradictory +The islands south of Singapore , including Java and Sumatra , went to the Dutch . In 1932 , the islands went to the Dutch . neutral +From somewhere a woman screamed and ran from another nearby house to the boys . She laughed while chasing the boys . contradictory +The citizens are very proud of Ritsurin Park , with its bizarre twisted pines and strangely shaped boulders . Residents take pride in Ritsurin Park 's odd , twisting pines and unusual stones . entailment +It was the day after the ceremony and , modesty aside , he was feeling pleased about the award . The award did not affect him in any appreciable way . contradictory +Bush 's surrogates claim that he 's leading a heroic effort to purge the system of this ' gotcha ' politics . Bush 's surrogates believe that his effort to rid the system of ' gotcha ' politics is a waste of time and money . contradictory +and um he no he 's in international studies Incorrect , he is in the field of international studies . entailment +Especially when we all want the same thing . We all desire the same thing . entailment +and no one can tell anyone anything anything you know you 're going to find out for yourself but i mean i don 't think you should just not listen to advice even if you don 't take it just listen Even if you don 't want to take advice you should still listen to it . entailment +As far as we know , she was quite alone during that halfhour . We know that she was with some people during that time . contradictory +a 2214 , which requires the Commission to recover from its applicants and licensees approximately 100 percent of its budget authority less amounts appropriated from the Nuclear Waste Fund . The commission doesn 't have to obtain any money from its applicants . contradictory +One of the most notable mansions with highly ornamental interiors is the H ? ? tel Lauzun ( 17 Quai d 'Anjou ) , built in the 1650s by the great architect of Versailles , Louis le Vau . Louis le Vau is a little-known sculptor from Seville , Spain . contradictory +To the left is the shrine to the God of Proserity and to the right is the hall of sinchoo ( soul-tablets ) : gold plaques honoring clan dignitaries and simpler wooden panels for more humble clan members . Clan dignitaries area honored using gold plaques in the hall of sinchoo . entailment +The recess on the right half-way down contains the tombs of the Virgin 's parents , Anne and Joachim ; the one on the right is the tomb of Joseph . No one knows where Mary 's parents are buried . contradictory +According to APHIS , this rule contains no federal mandates ( under the regulatory provisions of Title II of the Unfunded Mandates Reform Act of 1995 ) that may result The rule removed federal mandates . neutral +right that that that 's real good and i and i bet it gives you a real good feeling to be doing that That 's really good and you must feel happy to have done it . neutral +The Explora science museum has exciting exhibits on everything from astronomy and mathematics to computer science . The exhibits at The Explora science museum change frequently . neutral +8 The controversial Bracero Program operated between 1942 and 1964 and permitted Mexicans to work temporarily in United States agriculture . For a little over 20 years in the 20th century the Bracero Program allowed Mexicans to be employed for short periods in US agriculture . entailment +Table 5 shows the activities required to capture manufacturing knowledge that leads to executive decisions about whether to transition from product development into production . Table 5 shows relevant information regarding the potential for a product to transition from development to production . entailment +Use appropriate facts Locate sources of company information eee and data from company Operate selected information systems eee information systems to Select appropriate data and information eee support accomplishment Make decisions based on analysis of data eee of business plans Manage information resources to ensure ready access to information eee You should locate sources of company information . entailment +'If you think that 's going to happen , if you hear them give the order ... will you warn me ? ' Don 't tell me if they give the order . contradictory +Of course , the Direct Hit study doesn 't mean that no one is going to the Gore site . The Direct Hit study will send most people to the Gore sight , at some point during the study . neutral +but i mean i play with everything else that you know that 's not too serious you know you can bend it one way and you bend it right back or you know turn it It 's not really flexible , so you can 't play with it too much . contradictory +At the same time , top Enron executives were free to exercise their stock options , and some did . Top Enron executives were free to exercise neutral +Had we not done this , very few Italian routes would be profitable . By forming the trade partnership we ensured that most of the Italian routes would be profitable . neutral +The sculpture places a graphic emphasis on the ugliness of sin ( the hanging of Judas , the devil tempting Jesus ) and the simple beauty of virtue . The sculpture was deliberately designed to be as shocking and graphic as possible . neutral +She 's primed with a trumped-up tale , and her real business is to get as much information as possible out of us . Her real business is to provide us with information . contradictory +Founded in 1816 , it was the first English language school in Southeast Asia . It was an English language school . entailment +Israeli schoolchildren make the long climb to swell national pride , and army recruits are sworn in here with the words Masada shall not fall again . Israeli schoolchildren make the traditional climb once a year . neutral +This remote area is reached by a single long route from the central lakes , at the end of which you 'll find the scattered buildings of the village of Wasdale Head . To get to this area , you have to take a bus to London . contradictory +that 's that 's right you know i 'd i 'd like to get the yard in before all the rain start and uh you know if we could get it up a little bit then the rain would really just help it I would like to do some work on the yard , before the rain . entailment +One example , already mentioned , was our review of the representation of foreign interests by former very high government officials ( U.S. Already mentioned , one of the examples was our review of the representation of foreign interests by former very high government officials . entailment +They offer insight into the massive wealth amassed by the tin magnates during their heyday . The documents offer great insight not only for historians . neutral +i used to be in Ohio it 's some pretty country up there I was previously in Ohio , up there the country is pleasant on the eyes . entailment +um not really just yet we 've uh well i i do have uh a little bit of property i grew up in South Dakota Maybe in the future , and I do own real estate . entailment +I remarked . The person remarked to someone else . neutral +it 'd be cheaper to move that than buy another one It 's sad that relocating this one would be cheaper than buying a fresh one . neutral +The capital , Thasos Town or Limin , is a modern port built on the site of a medieval fortress and a classical Greek settlement . The medieval Greeks had many fortress and ports . neutral +Aside from the beach , the Third Street Promenade has become the most popular destination in Santa Monica . The Third Street Promenade has become the most popular destination in Santa Monica aside from the beach . entailment +The beginning of wisdom , I suppose , is disaggregation and particularity , and once these have been carefully defined , to begin to generalize through theory ( which brings me back to where I began yesterday ) . The theory would take a whole day to read about . neutral +Tuppence gave herself over to new meditations . Tuppence stays focused on one thing in particular , at the cost of everything else . contradictory +uh-huh now that started in January of last year January of last year was when that started . entailment +and i mean i still unfortunately have to be very disciplined in in doing my work at five in the morning and ten o 'clock at night but My work is easy enough . contradictory +In the first courtyard is the stable , which houses the shrine 's sacred white horse ; the carved panel above the door is the famous group of three monkeys Hear no evil , see no evil , speak no evil ! The Japanese people think that animals are deities . neutral +and you know they 've never done anything and they come out pretty nice They turned out awful even though they have done hundreds before . contradictory +Are we meat and potatoes men who never get near fresh fruits or vegetables ? Some men don 't get fresh foods . entailment +Such jokes wouldn 't be appropriate until , oh , let 's say , next Monday around noon . Once Monday afternoon rolls around we won 't work here anymore and we can say what we want . neutral +However , one side of the inlet has been engulfed by an outburst of sleekly modern hotels . The modern hotels all have swimming pools and large restaurants . neutral +There wasn 't any light in the hut . It was quite dark in the hut . neutral +'But victory 's more important . Winning is more important . entailment +that 's another big fat one It 's another huge one . entailment +The principle is based on the unarguable point that the success of government programs should be measured by the results achieved in terms of providing value to the taxpayer , not the size of the in-house or contractor workforce . The extent of providing value to the taxpayer should be used to gauge the outcome of a government program . entailment +A scheme so inconsistent with accepted separation-of-powers principles is an insufficient basis to sustain or uphold the restriction on speech . Separation-of-powers principles need the schemes to be consistent with a long boring set of rules . neutral +you know i mean it 's sad because those those bears were doing fine until we got there you know and now they 're now we 're killing them because of something that some monster that we created The bears are doing very well and we will continue to monitor them . contradictory +The monasteries and priories including the very powerful abbey at Furness assumed total control over all activities , and the residents became serfs to these new landlords . There are many roles to fulfil when looking at the monastery . neutral +Can 't say as how I 'd like to find out the truth . The truth is more important than anything else for me . neutral +Mrs. Vandemeyer was a woman of great personality . Mrs. Vandemeyer was known far and wide as a boring and uninteresting person . contradictory +While the new Third Repub ? ­ lic 's government under Adolphe Thiers negotiated the terms of surrender , the workers ' communes refused to give in . It was only a matter of time before the resolve of the communes would collapse . neutral +We understand and appreciate the Vice Presidentas concerns regarding release of his personal schedule . The VP is totally transparent . contradictory +Such was the man . The man was like this , said my mother . neutral +well i think i 'll go see that this weekend or next weekend one or the other I 'm not going to see either movie . contradictory +Today , you can rent small rowing boats here . The boats available for rent are canoes and sailboats . contradictory +Such a program ( with appropriate measures to address local concerns ) would provide significant health benefits even as we increase electricity supplies . The program would be enacted differently in different regions . neutral +The Supreme Court upheld state campaign donation limits . Red State campaign donation limits were upheld by the Supreme Court . neutral +If funded , these projects would provide the potential for half of the states to provide clients with legal information and pro se resources on a statewide basis . These projects have the potential to provide all states with free taco bars . contradictory +Amid this wild beauty , enhanced by spectacular outcrops of limestone rock , are the tell-tale scars of the tin mines of the Kinta Valley . Besides being ruined by tin mining , it is also ruined by some deforestation . neutral +so it 'll give you room to get under it sure There isn 't enough room to crawl under it contradictory +USAT and the WP lead with the heating-up Paula Jones case . As the Paula Jones case warmed up , both the WP and USAT decided to lead with it . entailment +The square 's grand , spacious effect is completed to the north by an arc de triomphe ( dedicated to Louis XV ) at the entrance to the long Place de la Carriyre ' also graced by 18th-century mansions and Jean Lamour 's iron grilles . The square 's grand , spacious effect is completed west by an arc de triompe dedicated to Napoleon . contradictory +Under Burger , the conference--the meeting where justices discuss cases--was a notoriously windy affair . The conference was a meeting about cases . entailment +All stewardship information is deemed required supplemental stewardship information ( RSSI ) . Stewardship information is only accessible to a few information security officers . neutral +Yes , yes , said the other impatiently . The other agreed restlessly . entailment +For example , the Eagles called the Rattlers the nigger campers , even though all the boys were white . The Eagles were the first squadron to see combat in the Great Antarctic War of 1984 . contradictory +Again another flight to Switzerland . There is another switzerland flight . entailment +but uh anyway so i guess that 's about what i do when i entertain yeah anyway , thats what I like to do when I entertain entailment +and our savings weren 't that great but now the kids are all grown up and gone in fact the youngest is is uh finally getting out of college this uh May Our youngest child is finishing college this May . entailment +The New York Times ' Ben Brantley calls The Blue Room a deft , efficient and sometimes amusing piece of work ... Ben Brantley said The Blue Room suffered from a scattered plot and was quite dull . contradictory +Thus any inbound mail piece would pay the First-Class rate , or the Priority Mail rate for items weighing more than 13 ounces . The First-Class rate is cheap enough to be worth it . neutral +Until restoration is complete , the main reason to hit the area is to check out cultural sites , including the museums . There is nothing else to do until restoration is finished . contradictory +We imagine , as we look in the fetus 's eyes , that there is someone in there . Fetuses are humans because they have eyes . contradictory +The theater presents sky shows and IMAX films . The theater has one of the only full-size IMAX screens in Southeast Asia . neutral +that makes it real real convenient because i tend to find that once i get home that 's it you know That seems just too much to handle . contradictory +On another front , the state 's largest two bar associations are backing a measure to increase attorney registration fees by $ 7 to fund the Lawyers ' Assistance Program . Attorney registration fees were going to increase by $ 7 to assist in the financing of the Lawyer 's Assistance Program . entailment +EXECUTORY CONTRACT - A contract which has not been performed by all parties to it . They wanted a flexible contract . neutral +and uh we did also end up in a in an area that we didn 't we didn 't realize when we bought it that uh the soil is that uh black clay and it We didn 't realize when we bought the soil that was black clay , but that could be beneficial to the economy . neutral +uh-huh yeah i i think it 's you know at first it it was kind of a drag because i was not used to doing that much of anything and um Doing peoples ' dishes typically feels like a chore yeah . neutral +Mr. Hersheimmer asked me , I remember " He half turned to Julius . He wanted Julius to know what had happened . neutral +I saw it before but I thought it was just part of him . I saw it previously but I assumed it was just a part of him . entailment +The Final Report and Order provides a detailed discussion of comments and Commission reactions to them . The final report gives details about the comments that were collected on the site . neutral +And with 13 percent to 15 percent of the Asian population in the U.S. living below the poverty line , NLS services are badly needed , Dubovitz said . Only 10 percent of Asian Americans live below the poverty line . contradictory +well i really think so i noticed on channel eight that there 's all of the um anchors are seem to be like White Anglo Saxon Protestant type people and they all seem to be you know fairly similar and i kind of prefer a you know some females i don 't recall that they have any female anchors and i like different i like the anchors to be different kinds of people On channel eight you can tell that they all worship the devil . contradictory +The handsome , red-lettered marble plaque on the same staircase is a copy of the city 's charter , presented by Ferdinand II of Aragon in 1490 . The words on the marble plaque are in Latin . neutral +The deciding factor in what stays and goes , apart from charm , is often the Who is associated with it ? The deciding factor comes down to which team has a bigger flag . contradictory +oh yeah you bring that 's well heck that 's a lot cheaper then uh taking them out to the show Taking them to the show would cost less . contradictory +The difference is that Richardson pleads for understanding while Gopnik brays for outrage . Richardson is the one who wants understanding and Gopnik is the one braying for outrage . entailment +um-hum yeah i 'm sure that that 's uh it 's not uh cheap either I am not certain since that is not cheap . entailment +The Hindus ' Ancestors The Hindus ' predecessors . entailment +Nonsense , insisted the Industrialist . The industrialist did not agree . neutral +Well-equipped exercise room ; varied nightly entertainment including beach bonfire picnic with calypso tunes and dancing . The exercise room has a lot of equipment for people who want to do cardio . neutral +Adequately warned , why do people persist in sucking cancer-causing tars into their lungs ? People believe that the warnings related to smoking are overblown . neutral +um now at this particular time the children were two and six but then i also i 've been babysitting this child uh for about eight years he 's nine now and um you know i 've watched him grow up and he 's like a little brother to me The kids were still not school age . neutral +So why hasn 't Slate outed the leakers on Starr 's staff and elsewhere ? Slate has a chance to out the leakers on Starr 's staff . entailment +and caused problems so Problems were caused . entailment +Syracuse 's original settlement was the port island of Ortigia , joined by causeway to the mainland . The port island of Ortigia is joined to the mainland by a causeway . entailment +but uh they say that there it 's almost down to zero where people come back and say they are positive and and they 're not you know in other words there 's very few mistakes and that of course has got to be critical it 's got to be if you have a drug testing program it 's got to be with a very very good agency you don 't just have you know some local uh group do it it 's got to be a a a highly qualified agency Some local drug testing groups always have errors in their tests . neutral +Meanwhile the ancient chaste Islamic veil and dress persist in countries where they have never been challenged , and they cohabit , more or less , with modern fashion if the two don 't try to blend . Traditional modest Islamic garb persists to this day , and can even be seen next to pieces of more modern fashion . entailment +Officials from one organization were also concerned that they might be held responsible if their advice adversely affected a vendor . Officials from one organization were also concerned that they won 't have responsibility . contradictory +We have found that annual performance plans that include precise and measurable goals for resolving mission-critical management problems are important to ensuring that agencies have the institutional capacity to achieve their more resultsoriented programmatic goals . Annual performance plans help agencies achieve their goals . entailment +Though some faculty members feel McKinsey 's involvement shames the academy , most think it 's a healthy development for Harvard . Some faculty think McKinsey 's participation in the debate brings shame to the academy neutral +We have made it clear that we respect human rights . We don 't respect human rights . contradictory +uh shoot i can 't even think of the name of it now I never knew what it was called . contradictory +simply said that uh instead of the uh hundred and fifty thousand or so who wanted to immigrate to this country we cut that by uh two thirds so Most of the potential immigrants were from South America . neutral +Yes , yes ; you must be a wizard to have guessed . Yes , you must perform magic to have gotten that . entailment +The great British navigator and adventurer operated in the Caribbean for years before he turned his attention to Puerto Rico . His first priority was always Puerto Rico . contradictory +There was a flash and a report . The report and flash both occurred . entailment +Thus , if you assume that a 40 year-old dying from pneumonia would lose 5 years of life , the VSL applied to that death would be $ 0 . The VSL applied to a 40 year old dying from pneumonia would be $ 0 because he died too soon . neutral +Shelby County Mayor A C Wharton recently said Legal Services is important for those who , because of poverty or other struggles in life , think justice is an empty word . A C Wharton wants to make sure that Legal Services are available to all who need it . neutral +The slopes are ideal for intermediate skiers and instructors are able to pay special attention to children . A lot of skiers bring their childer to instructors on these slopes . neutral +Many of Egypt 's primary holidays are based on the Moslem calendar , which is calculated on the changing lunar cycle . Egypt 's primary holidays are based on American holidays . contradictory +planned and actual progress in the design and coding of software units can be displayed . This display will help show our adherence to the timeline and maintain focus on expediting our first release . neutral +Nevertheless , the nature and extent of Tand ; A approvals must be such that management has assurance that supervisors or other officials know they are accountable for the approvals of an employee 's work time and absences . Tand A approvals must provide assurance to management that supervisors will be accountable . entailment +Both forms of proceeding have proven to offer useful opportunities to introduce innovations in postal services . Both forms of proceeding offer useful opportunities to introduce changes like new stamp technology to the postal service . neutral +Likewise , the island 's highest peak , Mount Sa Talaia , or Atalaya ( 475 meters / 1,558 feet ) , hardly ranks among the world 's most dramatic , but you can see Spain from the top . The mountain isn 't as high as ones in various other places , but it is considered better due to the view of Spain you receive , neutral +On occasion , the congressional client ( s ) who requested the work may ask to see the agency 's comments before GAO 's final report is issued . The client may want to see the agency 's comments before they receive their final report entailment +i can 't figure anybody who would voluntarily want to go I don 't think that anyone would go on their own accord . entailment +do you all pay state income tax Do you all pay federal income tax ? contradictory +The instruments are brought together in mantinada songs with rhyming couplets of lyrics . Rhyming couplets of lyrics are a part of mantinada songs . entailment +But by 539 b.c. the Jews ( under the rule of Cyrus of Persia ) were allowed to return from Babylonia and to build a modest Second Temple in about 515 b.c. The Jews has some freedom in their building plans . entailment +are a good start and if you start expressing one liters and one kilograms and then the pounds come in the the you know the odd numbers you know two point two pounds or something i think people will start getting a sense of gee the metric is the sensible one People will begin to learn the metric system . entailment +Little Willie and I will come behind . Little Willie is crippled , so we will follow behind . neutral +That , of course , was the perfect symbol , and hence the true whole . Despite being considered the perfect symbol , it still was not whole . contradictory +They must join with others in a broad-based coalition that ignores differences they may have on traditional postal issues . They have to join with others in a coalition for business purposes . neutral +Lawyers scoff at the notion that doubt can be quantified so precisely . There has been no proof that you can count doubt . neutral +hIncluded as expense in calculating net cost . Net cost does not include expenses . contradictory +right yeah uh as a matter of fact they 're talking about changing the the tax situation in Texas because the the schools are not they 're not equitable within the state so they 're changing that they 're talking about changing the uh the tax base and how the taxes are distributed to the schools which will probably mean uh another increase in property taxes either that or uh starting a state income tax They are going to pass new tax laws in Texas next year . neutral +It vanished , and the two men were also gone . There were men overseeing as it stayed , but were now long past gone . entailment +The chin seems to have emerged around 130,000 years ago . The chin is 330,000 years old . contradictory +So , why would a clone be different ? A clone might be different because life experience is a major factor . neutral +seven o 'clock so you all are behind us You are far behind us . neutral +Lately , however , there is less and less of this in literature . Literature always stays the same . contradictory +Also , the Board is concerned with the possibility of establishing requirements so detailed as to render the consolidated financial report unwieldy , unfriendly to the potential user and obfuscating of important information . The Board worries about the possibility of establishing requirements . entailment +The average earner represents a worker who earned the average of covered workers under Social Security each year . The average earner earns $ 25,000 a year . neutral +State and local government net saving has been relatively small , ranging from a surplus of The state and local governments have no savings . contradictory +so i don 't know if i wasn 't drug tested based on that or because the man who hired me didn 't request the drug test because i know that my company does drug testing on occasion I wasn 't drug tested when they hired me . entailment +Almost double nominal increase in aggregate household telephones services expenditures from 1986 to 1994 . Aggregate household telephone service expenditures almost doubled their nominal increase . entailment +The first question you should ask yourself is , Are you man enough for DirecPC 's 400,000-bits-per-second bandwidth ? This the first and only question that you need to be asking yourself . neutral +They led the other horses through on foot , blinders keeping their eyes on the path in front of them . The horses were roaming freely . contradictory +Immigration , landlord-tenant disputes and even criminal cases are the specialty of his East New York Legal Services Corp. on New Lots Ave . East New York Legal Services Corp is now closed . contradictory +The sun had broken through the hole and was falling ! The sun had torn through the hole and was tumbling down . entailment +Susan tilted her head and Vrenna tilted it like a mirror . Both of them are still . contradictory +at this site . On this website . entailment +One of the revolting little creatures in the cage lifted a metal object and there was a sudden hole in the top of the cage and another in the roof of the barn , each hole rimmed with charred wood . The being in the cage threw things into the air . entailment +The rest of his head was shaved . He had a full head of hair . contradictory +And you 're correct that boomer propaganda never allows for this possibility . You are right about boomer propaganda not entertaining this possibility . entailment +Napoleon was fond of Fon ? ­ taine ? ­ bleau and he refurnished the pal ? ­ ace after the looting of the Revolution . The palace was never refurnished by Napoleon after the looting of the Revolution . contradictory +Campaigns are using the Internet as an organizational and fund-raising tool . The Internet is being used as a fund-raising tool . entailment +Hida Minzoku-Mura is a fascinating open-air museum of authentic old farmhouses from the region , most of them rescued from an area flooded by nearby Mihoro Dam . The museum just shows pictures of farm tractors . contradictory +What little idea ? The idea was to put the poles outside the gay bar to lure in customers . neutral +As a result , the budget process tends to view a dollar spent on consumption the same as a dollar spent on investment because both represent commitments by the government and represent resources taken out of the private sector for use by the government . The budget process views consumption and investment as very differet . contradictory +After a lightning victory over the ill-prepared French armies , the Germans marched on Paris and laid siege to the city , which finally capitulated in January 1871 in the face of dwindling food supplies . Paris surrendered to the Germans in January 1871 . entailment +She is running the campaign she wanted her husband to run . She is running instead of her husband . entailment +I would like to ask you one question . Can I ask you one question ? entailment +The immense , sheer seacliffs of this rugged , sparsely-populated island are the setting for the leper colony founded by Father Damien at Kalaupapa , which can be reached by mule . The lepers were sent to this colony due to their condition . neutral +I believe you 're right about that man , Poirot . He carried out the crime , did he not ? neutral +Federal employees should be viewed not as costs to be cut , but as assets to be valued . Federal workers should be viewed as assets . entailment +um well i think that uh as a whole that the being that the drug problem the drug industry can uh bring so much money to a country i think that if it wasn 't for the United States Government matching that the government the drug uh cartels or whatever would control most the Central and Latin America The drug cartels are not a major threat . contradictory +The sprawling salt flats nearly 400 hectares ( 990 acres ) at or just below sea level have a fascination of their own . The salt from the flats is frequently harvested and sold . neutral +i don 't know i don 't know what the answer is it 's far beyond me That is a tough question , and I can never figure out the answer to it . neutral +" You 're my cousin Anson Kirby . " Drew had already thought that out . You 're my mother , Anson Kirby . contradictory +Although a number of uncertainties remain to be addressed by continued research ( NRC , 1998 ) , a substantial body of published scientific literature recognizes a correlation between elevated PM concentrations and increased mortality rates . The research has been completed . contradictory +and it wasn 't our freedom that you were saving it was just the thing the thing that that uh that i saw was okay Iraq wants to raise oil prices Kuwait wants to take Iraq out of the whole system by leaving them independent Kuwait wants to leave Iraq on it 's own . neutral +Housed in an old byat , it is currently under renovation , but the work is mostly on the exterior leaving the wealth of artifacts inside undisturbed . It is currently under renovation housed in an old byat . entailment +i guess i don 't don 't really have a problem with capital punishment i 'm not really sure what the exact uh specifications are for Texas i know that they uh have capital punishment for certain crimes and that 's probably the way i feel about it is is uh it kind of depends on the crime that 's committed my belief all my life i guess has been that that if you take someone else 's life then you automatically are giving up uh yours in place of it but i don 't seems to be a lot of controversy about that I vehemently disagree with capital punishment . contradictory +As discussed in section 2 , it is saving from current income-not gains on existing assets-that is key to financing capital investment and increasing the nation 's capacity to produce goods and services . The key to financing capital investment is saving from current income . entailment +Many of these stores rent boots , outerwear , rain gear , and such at daily or weekly rates . The stores sell gear only and do not rent anything out . contradictory +A mass of confused exclamations greeted him . A group of bewildered students met him . neutral +Gentilello 's results had a powerful impact on trauma surgeons because his study was an RCT . Many practices were changed after the publication of Gentilello 's study . neutral +i 've enjoyed exactly i 've enjoyed speaking with you see you later bye-bye This has been a boring conversation . contradictory +The morning after my third night of chanting , the phone rang under its chintz cozy . The phone rang the morning after my third night of chanting . entailment +The 2001 Retirement Confidence Summary of Findings . This is a summary from the year 2021 . contradictory +The two were finely balanced . Without one , the other would fall . entailment +It was here , on the hill known as Mount Moriah , that Solomon created the First Temple in 964 957 b.c. as home to the Ark of the Covenant . The Ark of the Covenant had a home . entailment +they were such under dogs The As were underdogs last year . neutral +yeah it 's it 's yeah like like two hours of output or something like that yeah that 's true that 's true It might take a little more than two hours of output . neutral +The thundering engine will transport you back to the age of steam . This engine is quiet and similar to any other engine . contradictory +Among the Morris microinitiatives that didn 't quite make it were a 33-cent postage stamp , with a penny going to your favorite charity , and a plan to force banks to meet new anti-mugging standards for ATM machines . A 33 cent postage stamp did not make it into the incentives . entailment +Nevertheless , the Holy Land is not the ideal place for a family holiday . The Holy Land is the perfect place for a family trip . contradictory +As each new drug is released on a wave of hype , insurers will fight the deluge , but patients will clamor , and doctors will go along . Insurers want to avoid paying for anything . neutral +and the the basic units of measure are are distance and time and mass and electric charge The basic units of measurement are speed and height . contradictory +Out back on the terrace is a mini-village , where a little palheiro , a house with a weaving loom , and an old-fashioned shop re-create a bit of old Madeira . There is no recreation of a taste of old Madeira in the back . contradictory +Although to meet the requirements of the job , NSIAD did not need to test these factors for generalizability to other countries through a later The factors were tested anyway and showed that it would be impossible to duplicate the original results . neutral +Best Commercial Quality Assurance Practices Offer Improvements for DOD . No improvements are offered to the DOD by the Best Commercial Quality Assurances Practices . contradictory +Union Circuit Judge James Williams , who oversees the District 9 Pro Bono Commission , is looking for more attorneys willing to volunteer for the program to cover the reduction in Indiana Legal Services ' staff . The judge wants to have more volunteers to help with the program . entailment +Lois Gould was writing about ready-to-wear fashion , which tends to be dealt with all the more hysterically ( see Robert Altman 's film Prat-a-Porter ) for there being huge amounts of money at stake in the success or failure of its collections . There is almost no financial investment in ready to wear fashion . contradictory +The confusion isn 't overwhelmingly important , of course . The misunderstanding was not critical . entailment +oh yeah it was it was utterly amazing i mean we we would um we got up in the morning you know um we didn 't we you you didn 't sleep very well because every all all around you there were crashing sounds and and there were sounds of things breaking and you know you look you know we at one point we woke up to the sound of the uh the electric lines being ripped off our house and and things like that and then you go outside and everything is covered in ice i mean um you 're talking about the lawn before being too mushy to mow um in our case it was just the opposite i mean the lawn was just a solid sheet of ice each blade of grass had a small individual covering of ice you know um maybe you know two or three millimeters thick but thick enough that you could actually see it my car was covered completely in ice it was in ice of about a half inch thick at one point The ice storm is causing damage and ice to everything . neutral +and i i been praying that God would put a desire to read the Bible in my heart and he really has it 's getting to where a just really want to read it I now read the Bible every single day . neutral +Orrin Hatch said Americans are entitled to know about felonies committed by a candidate . Felonies should be known because a system that is transparent is better for the country . neutral +Thank you , sir . You were very helpful . neutral +Its hissing against the ground was a tumult in his ears , and superheated ash and debris began to fall . It did not make a sound as it melted in the ground . contradictory +The Postal Service has established the zones and the ZIP Codes that are now used by all carriers . Postal Service mail codes have contributed to the digitization of carrier information . neutral +To heed the better angels of your nature , you must know the devils first . Everyone has two sides to them , the good and the bad . neutral +and you were on a jury with some heinous you know criminal who had you know just wiped out an entire family A criminal murdered a whole family . entailment +Why should it ? Is there any purpose why it should ? neutral +The palace 's royal chapel , St-Germain l 'Auxerrois , dates back to 1200 , but has preserved little of its Romanesque and Gothic beginnings . The St-Germain l 'Auxerrois is the palaces 's royal chapel . neutral +Note the sundial at the center top of the archway . The sundial makes shadows on the ground to tell time . neutral +" Don 't know . I do not know . entailment +Finally , when he had nothing further to say , Adrin spoke . Adrin finally talked when it was quiet . entailment +There , wasn 't that easy ? That looked really difficult . contradictory +He served as lieutenant-governor in Java and Sumatra , during which time he wrote a History of Java . He was very busy , both acting as lieutenant-governor in Java and Sumatra , but also writing a History of Java . neutral +because if you 're doing that you know and i 'm sure it must be prevalent in your area down in Dallas um and we 're doing it most most of the people up here that work have already have their their checks uh electronically sent to their banks or the credit union if they belong to the credit union These workers are underpaid and overexerted the vast majority of the time . neutral +No recognition ceremonies for tasks well done , few clear-cut goals or tidy limits to responsibility . Ceremonies recognizing jobs done efficiently are not held . entailment +The movie isn 't clear on where the secret report that kicked off Bergman 's interest in tobacco came from , or who in the FDA thought it was a good idea to turn him onto Wigand . The secret report never mentioned Bergman 's interest in tobacco . contradictory +Also , head to Jalan Hang Jebat ( formerly Jonker Street ) for more browsing and bargains . Jonker Street has expensive items . contradictory +Schwartz said her job keeps her involved in the community -- and allows her to sleep with a sound conscience . She likes to be at non profit organization . neutral +The regulation of these emissions became necessary under section 213 ( a ) ( 3 ) of the Clean Air Act , as amended , when EPA found that these nonroad engines were significant contributors to ozone or carbon monoxide concentrations in more than one nonattainment area . There are likely to be more emission regulations needed if section 213 ( a ) ( 3 ) of the Clean Air Act isn 't quite enough . neutral +A splendid 17th-century chateau and gardens designed by Le Vau , Le Netre , and Le Brun for Louis XIV 's finance minister , Fouquet . There are lots of roses in the garden . neutral +These operations are coordinated with appropriate authorities , such as the Department of Justice . The Department of Justice is one of the authorities being coordinated with . entailment +In the 1980s , the Egyptian government had the sense to protect the precious waters of the south Sinai and created Ras Mohammed National Park , now home to over 1,000 species of fish , marine animals , and corals . The Ras Mohammed National Park was established in the 1800s . contradictory +You were once a soldier ? asked Adrin . Adrin believed he was a soldier . neutral +But you could very well make the opposite argument . Both sides have equally convincing arguments . neutral +The rosy liberal Only in San Francisco would Brown not be considered a true liberal . Brown would be considered a true liberal in San Francisco . contradictory +the um uh you know there are so many ramifications to this entire thing of woman how women have changed uh look at them in England Just look at England as an example of the ramifications . entailment +and so i thought fish came out of the ocean I think I can fish in the ocean . neutral +Back on the coast , Saint-Francois is a delightful fishing village . Saint Francois is a modern city . contradictory +I truly believed that in my lifetime I would witness the eradication of poverty and injustice . I truly believed that poverty and injustice would only grow within my lifetime . contradictory +These oligopolies have in most cases proved to be as inefficient and disinclined to innovate as the state-owned monopolies . Innovation and efficiency are hallmarks of small business . neutral +except types of property , plant , and equipment that are expensed . Expensed items include equipment , plant and property . entailment +how old is your child He was inquiring about her child 's age so he could make a proper report . neutral +'Find out what you can and report back here . ' Tell me what you find out . entailment +We can solve this if we keep working together , said Judge Newton . Judge Newton believes that working together is a good way to find a solution . entailment +The Plan provides for a minimum of nine offices and a 51-member board that is appointed in proportion to poverty population from the 14 judicial districts throughout the state . The Plan provides for a minimum of nine offices and a 51-member board entailment +It is a vital income supplement and work incentive program targeted to low-income working families with children . The program seeks to help wealthy CEOs . contradictory +It was rather a curious document . There was something strange about the document . entailment +It coarsens and inflames dialogue in a way that tends to prevent exposure of which ideas are right and which are wrong . Calling people names tends to prevent exposure of which ideas are right and wrong . neutral +Four massive columns support a dome 22 metres ( 70 feet ) in diameter , and 43 metres ( 142 feet ) high at the crown big , but not quite as big as Haghia Sophia , the design of which obviously influenced the architect . The only larger domed building in the world is the Haghia Sophia neutral +Nobody really knows how big a problem this is , and the extent will surely differ from area to area . This problem has the same effects on all areas . contradictory +Nearly everyone agrees today that the Vietnam War was unwinnable and was needlessly prolonged so America could save face . Almost everyone now thinks Vietnam was unwinnable . entailment +As a result , Delos is now one of the most important archaeological sites in the world . Delos is not an important archaeological site as a result of this . contradictory +we 're really enjoying it i wonder what it would be like i mean i i wanted to be close to family but i also thought that it would be harder to be close to family but it 's turned out really good and i think that you know we 're really satisfied with that choice and We are happy with the choice because we like being in the same city as our family . neutral +oh yeah uh the of course the Dallas Cowboys yeah The Dallas Cowboys and other teams too . neutral +The boards of both organizations eschewed impact litigation in favor of the 1960s model of providing direct client services . The organizations believed in ignoring their clients . contradictory +uh-huh well i wouldn 't think that i would really say that that 's not true because um it seems like certain newspapers always espouse certain candidates The newspapers all have an equally fair representation of the candidates . contradictory +oh yeah it was it was utterly amazing i mean we we would um we got up in the morning you know um we didn 't we you you didn 't sleep very well because every all all around you there were crashing sounds and and there were sounds of things breaking and you know you look you know we at one point we woke up to the sound of the uh the electric lines being ripped off our house and and things like that and then you go outside and everything is covered in ice i mean um you 're talking about the lawn before being too mushy to mow um in our case it was just the opposite i mean the lawn was just a solid sheet of ice each blade of grass had a small individual covering of ice you know um maybe you know two or three millimeters thick but thick enough that you could actually see it my car was covered completely in ice it was in ice of about a half inch thick at one point We didn 't sleep very well because of the loud sounds of things breaking and the electric lines being ripped off the house . entailment +Also in the vicinity is the tiny , atmospheric chapel dedicated to Nossa Senhora das Neves ( Our Lady of the Snows ) . The small chapel dedicated to ' Our Lady of the Snows ' can be found nearby . entailment +A history of mad-cow disease by veteran science writer Richard Rhodes ( The Making of the Atomic Bomb ) . Critics praise Rhodes ' lucid explication of complex virology as well as his range--the book includes digressions on political and literary themes and a section on the scandal surrounding a Nobel Prize-winning expert on the disease who recently pleaded guilty to molesting a little boy . Critics appreciated the book of the scientist Richard Rhodes , which succeeded in explaining very carefully the mad-cow disease and other digressions . entailment +yeah that 's that 's who was playing That 's who was playing that game . neutral +She said she hopes that religious organizations see the link between their beliefs and her work . The religious organizations don 't see it yet , but she hopes they will soon . neutral +Then blast it . Blast it . entailment +A white flag tells you it 's safe and that a lifeguard is present . A red flag signals danger - somewhere no lifeguard is present . neutral +It was never to say the tobacco industry is being mistreated . They wanted people to feel bad for the cigarette company contradictory +Bologna also boasts of the diploma its Philharmonic Academy gave Mozart in 1770 though he might have done quite well without it . The Philharmonic Academy in Bologna gave a diploma to Mozart . entailment +Naturally it was very annoying for the Cavendishes . The Cavendishes weren 't annoyed at all . contradictory +The report is presented in three sections . The report is divided into 5 sections . contradictory +Drew 's half-unconscious concern for this man burned away speedily , ignited by what he deemed injustice . His initial care for the man faded quickly as the injustice of the situation dawned on him . entailment +It reached forward and gripped the attacker by the throat . Reaching forward , it grabbed the attacker 's throat . entailment +On boulevard des Capucines , retrace the footsteps of Renoir , Manet , and Pissarro as they took their paintings to Nadar 's house , signposted at number 35 , for the historic 1874 exhibition of Impressionism . The paintings of Renoir , Monet and Pissarro were at Nadar 's house . entailment +( 1 ) established senior-level CFO positions , ( 2 ) required annual financial statement audits , and ( 3 ) set expectations for more modern systems to support integrated management of budget , accounting , and program information . They refused to require annual audits . contradictory +Rum now began bringing in considerable legal ( as opposed to contraband ) revenue . Rum was an illegal revenue . contradictory +The main town of the island is Fira , set atop the high cliffs in the center of the long interior curve . The town is in a low lying area . contradictory +On down the coast road we get to a string of growing resorts forming a summer holiday centre La Zenia , Cabo Roig , and Campoamor . Several resorts lie along the coast . entailment +Dave was obviously one of the building slaves . Dave obviously ran the entirely building and controlled all the slaves . contradictory +Free samples are not always given at the end of visits and the champagne houses may not be the cheapest places to buy champagne . The champagne houses ' prices are twice as high as they are in the local markets . neutral +What on God 's earth have you been doing all this time ? " Where were you just now ? contradictory +oh that 's great no uh uh my daughter has talked to my daughter up here with us i have another one and she 's talked to students uh so i guess they have uh sent this to their customers and people in colleges and things so they 're if you 're a computer user so my daughter has talked to two students uh that were non TIers so i guess oh yeah You didn 't have any daughters that spoke with students . contradictory +But he certainly could have been instilled with a tendency to misrepresent in order to please a possible employer . He is sneaky and do anything to get ahead . neutral +If an agency does not retain such inhouse in Outsourcing Most or All resources and capabilities , agencies risk the following of Their Design Review If some things are not retained inhouse , agencies are putting Their Design Review at risk . entailment +Sherry . Drew automatically answered without thought . Drew answered , " warm milk , " without thinking . contradictory +Nothing seemed to matter . Everything mattered and was taken into careful consideration . contradictory +Already , newspapers and magazines have been filled with careful parsings of the evidence presented here to reevaluate , one more time , the Nixon legacy . Nixon left a legacy that has never been altered or reevaluated . contradictory +um yeah well there was a interesting cartoon in the editorial the other day it was a there was a picture of a shop keeper with this really mean look on his face and empty shelves in back of him and a little rat and a couple of spider webs and The shopkeeper looked really friendly . contradictory +As Bill Clinton ratchets up the pressure on Baghdad , Saddam will inevitably bellow Nasserite defiance . Clinton is ratcheting up the pressure on Baghdad . entailment +The Church of Saint Barbara is also worth visiting ; it is typical Coptic in style . However , it is not worth your time to go visit The Church of Saint Barbara . contradictory +and you 're pretty much uh assumed to be guilty until proven innocent by the test results You are innocent until proven guilty . contradictory +Special Investigations . Ordinary investigators contradictory +Several individuals and organizations suggested that agencies move to a more consistent organization , content , and presentation of information to allow for a more common look and feel to agencies ' ITbased public participation mechanisms in rulemaking . Some people wanted the agencies to all use the same website format . neutral +He 's staying in the village doing a rest cure , after a bad nervous breakdown . He doesn 't need to be in the village , he 's doing great . contradictory +A huge unfinished obelisk lies prone but not free from the face . The unfinished obelisk is not free from the face . entailment +we had a Schnauzer that got milk fever right after the babies were born and we had to feed all their babies feed all the babies there were five and there were four of them that survived We fed them the schnauzer milk . contradictory +The Musee Camargais at Albaron gives a glimpse of the traditional lifestyle of the area , and sets you off on a 3.5-km ( 2-mile ) guided walk through the marshland , and the Parc Ornithologique at Pont de Gau allows you to watch a number of bird species without long hikes into the interior . Visitors that visit the Musee Camargais at Albaron are familiarized with the traditional lifestyle of the area . neutral +i 'll leave you back to your work and uh have a good lunch all right bye bye I 'll let you get back to your work on the Mars mission . neutral +Such a limitation might not exist in the private sector , where the categories of customers to be served can be prescribed and contract rates can be tailored to specific customers or situations , but it is taken as a constraint on broad-based government organizations . Government organizations can deal with a very narrow base of customers . contradictory +The Commission also reports that it forwarded a copy of its initial regulatory flexibility analysis to the Chief Counsel for Advocacy of the Small Business Administration ( SBA ) as required by the Act , and that the SBA did not file comments . The SBA did not file comments on the regulatory flexibility analysis . entailment +Discreditable , without doubt . There 's no doubt that was discredited . entailment +Kyoto 's two biggest flea markets are held at Toji temple ( the 21st of each month ) and at Kitano Temmangu shrine ( 25th ) , but there are many others . The two biggest flea markets are held on the 21st and 25th of the month . entailment +The Commission discusses how it amended the proposals in response to these comments . The comments were heavily critical of the Commission 's proposals . neutral +The rest of the country had endured Vietnam and Watergate , but New York had its own little bankruptcy and physical collapse . New York had to deal with bankruptcy and collapse . entailment +but he 's the star of that uh team their pitching staff and when he sits out they fizzle They have never once succeeded when he has sat out . neutral +Nor can we often comprehend the far bleaker alternatives to these jobs that exist in the industrializing Third World . We cannot normally understand the bleaker alternatives that exist in the Third World . entailment +They performed a very vital function for me . I could not get by without them . neutral +CIA officer Harold James Nicholson was arrested and charged with spying for Russia . He allegedly sold the identities and profiles of new agents for $ 120,000 . Harold James Nicholson , a CIA officer , was arrested and charged for being a Russian spy . entailment +This was the residence of the rector of the El-Ahzar Mosque until 200 years ago . This was not the residence of the rector of the El-Ahzar Mosque until 200 years ago . contradictory +There are a lot of emotions involved . Emotions are involved . entailment +As in centuries past , people go on mass pilgrimages to witness the spring blossoming of the famous cherry trees or the flaming golds , reds , and ochres of the autumn maples . The cherry blossoms are not popular in Japan . contradictory +Several con-artist schemes have emerged in academia . Academia has dealt with scams from fake researchers . neutral +I rather wish that fellow would come along , said Julius . Julius knew that there was more information the man could provide neutral +yeah well try it or or maybe just exercise at home i bought a tape and i 'm going to try doing that I am going to try working out at home and I 'm going to pick up some workout CDs to help me because you have to try something . neutral +well he doesn 't care as long as he 's feeding his uh his family He cares , even if he 's feeding his family . contradictory +To the south lie long beaches , excellent for year-round camping . Many people enjoy camping on the beaches any time of the year . neutral +let me tell you a story about some real people . I should tell you a story . entailment +Only a few installations have required the relocation of the air preheater . The relocation of the air preheater was not required in any of the installations . contradictory +'You are not a man happy to betray even his enemies . You don 't want to betray people . entailment +At the end of the year left hospital in a blaze of glory . They finally joined the hospital starting at the end of the year . contradictory +Of the 4.3 million state residents who find themselves in court each year , more than half are pro per , or self-represented litigants . Some of the residents are self represented litigants . neutral +Writing in the New York Review of Books , Luc Sante defends DeLillo against the perennial charge that his novels are Large thematic strokes may define his architecture , but within lies continual surprise at the fluidity and resilience of the human condition . Some critics believe that his novels are large thematic strokes . entailment +Its houses hug the hillside on steep , winding streets , leading to a 16th-century castle at the top . The castle is built out of locally mined granite stones . neutral +If it is and can be falling , what 's the difference ? There is a huge difference . contradictory +To decide if a data reliability assessment is necessary , you should consider certain conditions . Certain conditions should be considered if you want to conduct a data reliability assessment . entailment +We Californians apparently do little else . People in California don 't do anything else . entailment +oh i just right right there are so many other ways but that one just it defeated me i didn 't have any answer for that one that one was just beyond my imagination I had so many answers for that one contradictory +it wasn 't much of a victory actually i did win tickets to the to a Chicago and a Beach Boys concert I gave away my Beach Boys concert tickets . neutral +Built in 1908 by the architects Greene and Greene , it is an internationally recognized masterpiece of the Arts and Crafts Movement that flourished at the turn of the century . Greene and Greene built it in 1908 . entailment +'Allow me to be blunt , Mr. Franklin , ' said Greuze . Greuze talked plainly to Franklin . entailment +The northern stood and stumbled . The drunk northerner stumbled after standing up . neutral +Saint-Barthelemy A place named after a holy man . entailment +If cuisines emerge organically over time from rooted people , then why pose the question about a people who have come to epitomize rootlessness ? Cuisines are invented by aliens . contradictory +DIFFERENTIAL COST - The cost difference expected if one course of action is adopted instead of others . There is a cost difference in the courses of action . entailment +Although the first festival was biased toward orchestral music , the modern festival has a comprehensive program of dance , music , opera , and theater , with some of the finest exponents in every field gracing the stage . The first festival had a lot of orchestra music . entailment +Deducing that the whole of the Old Testament was the work of aliens is , therefore , perfectly logical . It was deduced that the entire Old Testament was written by aliens . entailment +They then fit VSL as a function of age and extrapolate outside the range of the data to obtain ratios for the very old . Obtaining ratios for the very old isn 't possible . contradictory +he didn 't at least say to us did you know you 're not supposed to do that that could have alleviated a big problem we ended up getting called out on it He did not tell us it would have been an issue . entailment +Grilled meats , hummous , and other Arab staples are on offer at this locally famous , award-winning institution . The meats are grilled . entailment +Not the least in the world . But , pausing a moment , he added : " Still , it does not surprise me . He was absolutely surprised by it . contradictory +My heart was straining in its chest . My heart could barely be contained . entailment +First , election laws bar the solicitation of money ( by both employees and nonemployees ) in all federal office buildings --the White House included . Election law prevents people from soliciting money in the White House . entailment +it was just wonderful to be able to get out and hit a ball the course was not not green but it was going to be in another month when they started watering We wanted to play on a green course but this would do in the meantime . neutral +eighties and you know when i left here and we 're down to the thirties and twenties and We were in the thirties and twenties and now we 're in the eighties . contradictory +What 's their bet ? Whats the gamble ? entailment +The Normans , following the pattern of earlier invaders , became rapidly assimilated . The Normans were simply too enamored with the cultural improvements . neutral +She sure is right purty , Mister Kirby . She 's wrong Mr. Kirby . contradictory +oh no it 's something awful oh Oh boy , that is great ! contradictory +Yet now as he swung around and walked away down the alley Drew was left with a nagging doubt , a feeling that in some way or other Shannon had come off even in this encounter .... But how and why ? He walked down the alley after swinging around . entailment +WINZ was established in 1998 by combining the income support function from the Department of Social Welfare and the employment services and local employment coordination functions from WINZ was established by joining together certain government functions . entailment +My dear Prudence , Prudence , I love you . neutral +um-hum well you know what else really surprised me now i 'm married to a native Texan and i 'm not I 'm married to a native Texan and I 'm not very fond of them . neutral +Use the manual controls . Hanson waited until he estimated the men who left would be at the controls . Hanson was too impatient to wait . contradictory +The Po valley 's economic expansion through land clearance and new irrigation works brought a rapid decline of feudalism . Feudalism declined in the Po valley after land clearance and irrigation works expanded . entailment +The regulation includes a definition of the term necessary consequences , a key element to be considered in determining a veteran 's eligibility for compensation under this rule . The regulation fails to provide a definition for the term " necessary consequences " . contradictory +He was in the middle of conveying a particularly choice morsel of Sole a la Jeanette to his mouth , when he caught sight of Julius entering the room . He was taking a bite when she saw Julius entering the room . entailment +As a result , many design and manufacturing problems surfaced during system demonstration . The problems were bound to happen . neutral +experience that will help them in whatever areas they go into , but will also help them understand and have the ideals of providing legal services to every citizen of the state . It will prevent legal services from reaching clients . contradictory +She is like pictures I have seen in Italy . She does not look like the pictures of Italy . contradictory +you you have exceeded your ten minutes time limit hang up within the next thirty seconds so You should hang up within the next thirty seconds , because you have exceeded your ten minutes time limit . entailment +I e-mailed Macmillan with my problem and the company e-mailed back a one-line Set your BIOS to boot off of the CD . I never sent anyone an email before . contradictory +been following the Packers ever since uh they won the first two Super Bowls The Packers have won some Super Bowls . entailment +The carpets will not work at all now , and I could hardly control the broom . No kind of magic can help us now . neutral +Highlight of the palace tour , back down on the second floor , is the huge Sala del Maggior Consiglio ( Great Council Hall ) , where ordinary citizens presented their complaints in person in the Republic 's most democratic days before the oligarchy reserved it for their secret deliberations . On the seventh floor is the huge Gala del Maggior Consiguer ( Lesser Council Hall ) . contradictory +The sky is a dome holding the sun , the stars and the wandering planets . The sun , the planets , and the stars appear in the sky . entailment +The town lies just south of an unusual little chapel carved out of a rock . There is a strange , small chapel carved out of a stone just north of the town . entailment +The site also maintains an online archive packed with Whitewater columns . The site doesn 't maintain any archives online . contradictory +The temples were the last stop on a long pilgrimage for ancient Greek believers . The ancient Greeks stopped at Athens before they went on their pilgrimage . neutral +Chusonji was erected by the Fujiwara family when their power behind the imperial throne in Kyoto was waning . Chusonji was put up by the Fujiwara family . entailment +The trend toward interpretive installation , aimed at broadening art 's appeal by expanding public understanding , paralleled the transformation of museum-going from serious cultural pursuit to highbrow entertainment . The museum closed down because they couldn 't broaden art 's appeal . contradictory +Fluid from Vrenna 's cut filled his lungs . Vreena 's lungs filled up with blood . neutral +This square is dominated by Bhaktapur 's most famous monument , the Nyatapola Temple , which was consecrated in 1702 and is both the valley 's tallest temple and one of only three five-tiered pagodas in the valley . The tallest temple in the valley is the Nyatapola Temple . entailment +i really like it um-hum I hated it ! contradictory +Larger transaction networks ( be they mail , packages , overnight or telephone ) are more valuable to customers and providers than smaller networks . Given the statistics from Walmart , it appears bigger networks deliver better services for everyone . neutral +Members told us that senior management support for their participation in an information-sharing organization was critical to their success in obtaining valuable information and contributing to the success of the entire information-sharing organization . Senior management support was not a priority in obtaining valuable information . contradictory +Conference participants reflected a true cross section of the country , with clients and advocates attending from more than twenty-eight ( 28 ) states . 5 advocates from the conference came from Delaware . neutral +it 's clearly a uh a uh a uh productivity enhancement uh device and allows you to do The device enhances productivity by over 200 % . neutral +People were pointing- parents and children in equal awe . None of the parents and children cared about what was happening . contradictory +Even if Hunt Rennie did not appear bodily in the Four Jacks tonight , Drew could pick up information about his father merely by keeping open ears . Hunt Rennie 's father was the same age as Drew . neutral +yeah yeah i should probably go back and read the book now that i just saw the movie again not too long ago There are many things that I do to procrastinate reading that book . neutral +Hitler wasn 't a threat to the United States , but Ho Chi Minh was . The United States felt that Ho Chi Minh was a threat . entailment +I am sorry that the writer didn 't get a call back , but there still could be an opportunity there . They wanted to make up for the error . neutral +It comes as quite a shock to watch a warrior performing his final gesture of ritual suicide and realize that it 's only a puppet . You are completely fooled into thinking the puppet is a real warrior , and this creates a feeling of shock when you realize it is a puppet . entailment +The cafe around Place Saint-Germain-des-Pr ? ? s act as the village center . The hotel around Place Saint-Germain-des-Pr ? ? s acts as the village center . contradictory +Maybe we should have seen it journalists destroyed rock Journalists destroyed rock , we should have seen it coming . entailment +you know certain things that don 't bother us at all that would drive other people nuts and then certain things that ways things we do the way we do it that drive other people nuts that I have the same pet peeves as everyone else . contradictory +It would have been the largest temple in the world at the time , but it was never completed . When it was completed , it was the largest template in the world . contradictory +This magnificent Georgian-Palladian house , built in 1740 1750 and designed by Richard Castle , is one of the earliest Irish great houses . The house was small and unassuming . contradictory +Further , as we reported in April 2001 , the National Infrastructure Protection Center had mixed success in establishing information-sharing relationships with other government entities and private industry . The other government entities are not so keen on sharing informations . neutral +yeah well see this this one i i is more or less first hand you know she just died um we buried her February but she had been in there at least i know for seven years eight years and he didn 't want to put her in there but he can 't afford it She just died recently . entailment +The analysis included in the proposed rulemaking provides the information required by sections 603 ( b ) ( 1 ) and ( 2 ) , describing the reasons for the proposed action and its objectives and legal basis . There are reasons for the proposed actions included in the proposal . entailment +yeah so that 's that 's a good way to do it and when we bought this house we looked at doing a fifteen year note because it it added more to the payment but not significant amounts you know it was it was a good payoff for being able to pay it off sooner That 's not a good way to do it when we bought this tent we looked at a five year note . contradictory +The production of anhydrous ammonia in the U.S. in 2000 was approximately 17,400,000 tons ( equivalent anhydrous ) with apparent consumption of 22,000,000 tons and about 4,600,000 met through net imports , as shown in a 2001 edition of U.S. The US produces a large quantity of anhydrous ammonia annually . entailment +Ellison described losing a summer 's worth of work . Ellison was upset when the work was lost . neutral +uh you know college credit you know something you know i 'm not sure what but i Something about college credit , you know what I 'm saying ? entailment +The GAO is a professional services organization within the legislative branch of the federal government . The GAO is a professional service organization in the legislative branch of the government entailment +For example , the home page of both DOL and the Occupational Safety and Health Administration ( OSHA ) within DOL pointed to a separate web site for OSHA 's November 1999 proposed rule on ergonomics , which pulled together in one place all of the electronic information related to this rulemaking ( e.g. DOL and OSHA used the same web hosting services provider . neutral +His blockmate confesses to Wachtler takes the occasion to celebrate the Miranda warning . The Miranda warning was his saving grace . neutral +i 'm not sure i have I will need to check to see if I possess . neutral +'I 'd rather not have you out in the field during this crises . ' I don 't want you involved with the missing prisoner . neutral +show them Independence Hall the Liberty Bell and uh Franklin uh I would not recommend taking them to see the Liberty Bell . contradictory +The postwar Romantic look involved sloping shoulders , a very straight spine , delicate bones , and no muscles whatsoever . The postwar Romantic look is very different from today 's contemporary look . neutral +The F-22 entered production despite being substantially behind its plan to achieve reliability goals . The F-22 is a document that can be read online . neutral +have to make sure they don 't get out of hand They need to be watched , or else they may cause trouble . entailment +As it came nearer , Hanson saw that it _ was _ a woman on a broomstick , flying erratically . As it drew closer , Hanson realized it was a woman on a broomstick . entailment +The worst is the Budget Gourmet . The Budget Gourmet is the best . contradictory +i think that 's kind of the key I believe that is the crucial part . entailment +The following table summarizes the practices of our sample organizations in each principle area and compares them with practices in the federal CIO environment . The federal CIO environment is showing the workplace environment . neutral +Look for copper and brass , hand-painted tiles usually rescued from old houses and simple oil lamps . Copper and brass are the only metals you should be worried about . neutral +Roberto ' Yes I 'm look nuts , but I 'm the winner . Roberto is the winner . entailment +The Commission also submitted the final rule to OMB . The Commission submitted the final rule to OMB . entailment +Where 's tea today , inside or out ? We had tea indoors yesterday . neutral +Three successive elected kings emerged from the Waza dynasty of Sweden . Only one king was elected from the Waza dynasty . contradictory +They noted that many boards are reassessing their roles and responsibilities and , at this time , it is difficult to determine what is working and what is not working . Many boards are taking a look at their responsibilities and roles . entailment +That 's not your demographic profile on the Net , observes consultant Rob Arena , of Presage Internet Consulting , who coordinated Bob Dole 's Internet campaign in 1996 . To Rob Arena , that 's not your demographic profile on the Net , said it yesterday . neutral +Realistically , reforms to address Medicare 's huge long-range financial imbalance will need to proceed incrementally . Medicare has only small long range financial issues . contradictory +The three top stories were ripped to shreds . Three top stories were torn apart by the editor neutral +All eyes wide ... it only took a second for me to realise why . It took me a long time to understand . contradictory +A drop-ship discount might also evoke type-1 worksharing activity . People love to gossip at work . neutral +Those restrictions take a big bite out of our power . Power is reduced as a result of the restrictions . entailment +i 've had one idea that i think is is is completely undoable but it but i think it but but i suspect it would work and the way to do it is to get an absolutely atrocious candidate who you never expect to win to go out and make inflammatory and ridiculous and stupid statements so that a large population of of of voters will go out and vote against that person for someone else so given a choice between you know so so if you have so if if imagine a world where you have two real candidates and one idiot who goes out and makes you know anti you know sort of um We could have a dubious plan for shifting votes towards some candidates by putting a really bad candidate for the run . neutral +If News Quiz were not a quiz but rather a pornographic Japanese comic book , dense with misogyny and conveniently available in omnipresent vending machines on the platforms of swift , efficient commuter railways , those would be the attributes of the sexed-up superhero whose adventures we chronicled , even if it made many of our fellow passengers really uncomfortable . News Quiz is a popular daily tabloid . contradictory +The man had an aura of kindness about him ; his glance instilled instant trust . The man put off a bad aura and did not seem trustworthy . contradictory +Adrin 's hand went to the hilt of his rapier . Adrin was preparing to stab something . neutral +Jesse Helms could not have demonized homosexuality more effectively--which , of course , is why he was pleased to draw public attention to the pictures . Jesse Helms had originally created the pictures in order to spread propaganda . neutral +Tuppence and Julius ! Tommy and Julius called to Tuppence . contradictory +In addition , the Federal Acquisition Streamlining Act of 1994 requires the head of each executive agency to approve or define the cost , performance , and schedule goals for major agency acquisition programs . Each executive agency head must approve or define the cost of major agency acquisition programs under the act . entailment +oh okay okay well how do you think they 're going to do this year How do you think I 'll do this year ? contradictory +You 've known him all your life . You have never met him before . contradictory +'I don 't know ! It all crashed ! All my data , all my backups . My data was still on the computer contradictory +If this doesn 't work , it added , a platoon commander has the authority to proceed with actions he deems appropriate . A platoon commander is allowed to proceed how he sees fit . entailment +oh i have to open it you know they mine always charges the flowers so i can always end up saying oh you spent too much you know and so yeah I don 't have to open it . contradictory +oh you like the Raiders They like the Raiders . entailment +Up to 20,000 Nabateans may have once lived here , but earthquakes in the fourth and eighth centuries destroyed most of the city ; what remain today are only the sturdiest , most monumental tombs and temples . Some people tried to rebuild the city after the earthquake in the fourth century , but after the second one in the eighth century , they all left . neutral +The heat from those fragments cut through the chill in the air , and the glow furnished light for most of the camp . The night was quite warm in contrast to the fragments . contradictory +For the past few weeks my usual stack of junk mail has been supplemented with a steady stream of 2001 tax statements and forms , reminding me that the clock has begun ticking towards April 15 . I expect to start my tax preparations by March 1 . neutral +Don 't think it was sent after him . He said that he didn 't need it to be sent . neutral +In the marked version , italicizing and bolding are used to identify potential added language and striking-out is used to identify potential deleted language from the 1994 revision of Government Auditing Standards , as currently amended . Striking-out means that language has been added in the marked version . contradictory +I had seen the Voth witches during the war . Voth witches cast scary spells in the war . neutral +Figure 6 shows the building of knowledge required to achieve a stable design on the AIM-9X . Figure 6 depicts the construction of knowledge necessary for stable AIM-9X designs . entailment +Northern Borneo was quickly overrun , but the oil fields of Miri and Brunei were pre-emptively sabotaged by the British and Dutch . The British and Dutch sabotaged their own oil fields in Miri and Brunei . entailment +More likely , it simply goes to show--as do the exchanges in this stimulating book--that there is more than one way to read a text . It proves that there can be several ways to read a text . entailment +7 and 8.1 percent , respectively ( again , compared to the CEF 2010 reference case ) . The CEF case is used for reference . entailment +Most point out that McCartney can 't read musical notation and was aided by professional composers . McCartney was hardly a musician or a composer . contradictory +The tank is encircled by small sculptured deities and coiled snakes . One of the deities next to the tank is Vishnu . neutral +Brunelleschi is at his most elegant in the Old Sacristy at the end of the left transept ( site of a few Medici tombs ) , decorated with four Donatello wall-medallions ( the artist himself is buried in the left transept ) . Donatello alone designed the entirety of the Old Sacristy . contradictory +Today , West Virginia has more than 315,000 poor people , or 18 percent of the state 's entire population . West Virginia has the nation 's largest poor population . neutral +Don 't you see it , the male principle of rule and the female principle of whim ; they join , and the egg is fertile ! It only takes a single principle , male or female , to fertilize an egg . contradictory +Like Macdonald 's fictitious scientist , it is uncomfortable with abstractions . Macdonald 's fictitious scientist is uncomfortable with abstractions . entailment +Moving with infinite caution in the dark room , he found and unhooked the famous picture . He unhooked the picture in the dark room . entailment +uh well you don 't know what you 're missing It is nothing interesting , your not missing anything . contradictory +It is that pointing has been bred into them . Nothing was bred into them . contradictory +It 's going to be a long story . " 149 Julius drew up a chair to the opposite side of the table , summoned a hovering waiter , and dictated his wishes . It was a very short story . contradictory +checking account a lot uh not so much credit cards now several years back i used to use charge uh charge cards and you know all the time kind of thinking oh well it 's on sale you know it must be a good deal and I didn 't really consider everything when spending in the past . entailment +um personally it was something that uh i mean i know it presents an emotional issue moral issue people feel like maybe my rights are being violated but i work in human resources so i work with a lot of folks that um are in accidents or where safety considerations are concerned and I do not work with anyone in accidents at all . contradictory +The calamity spurred the government to launch an emergency program of public-housing construction ; spartan new blocks of apartments put cheap and fireproof roofs over hundreds of thousands of heads . The govvernment , spurred by the calamity , launched an emergency program of free legal advice . contradictory +At least there was still light enough for him to travel safely . There was only darkness for him to travel in . contradictory +Have you been to the pit fights ? asked Jon . Jon was wondering if you 've been to the pit fights down by the beach . neutral +The explanation is partly the frog-in-hot-water phenomenon ( he 'll jump out if you drop him in boiling water , but not if you put him in cold water and slowly heat it to boiling ) . Most thinking people would agree with the frog in water concept as a partial explanation . neutral +Opened 585 cases for the victims of domestic violence , helping to break the cycle of violence that causes so much lasting harm to women and children . The children of domestic violence received help neutral +One side is treating other people with civility . One side is respecting people . entailment +Slate as easily in Rwanda as in Redmond , so perhaps the rule should be that every Web site must follow the laws of its home country , and no other . Because of different laws , websites should follow the laws of their respective home country entailment +It begins with the steps in a preliminary assessment , which , in many cases , may be all you need to do to assess reliability . In order to do assess reliability you may need to do a preliminary assessment before . entailment +Nowadays , it is the third largest of Malaysia 's cities behind KL and Ipoh , with a population of around one million ; Georgetown is also the center for the country 's electronics industry . Buford is the largest city in Malaysia . contradictory +Kentucky 's Cabinet for Families and Children protects and promotes the well being of Kentuckians by delivering quality human services . The well being of Kentuckians is endangered by Kentucky 's Cabinet for Families and Children . contradictory +and has been able and now she 's made enough money to start this health food store i don 't know how she 's doing but it i guess you have to admire the people who have come in and work and don 't you know don 't take money from the government She just takes from the government instead of working . contradictory +yeah it 's scary to know that they 're supplying that many people with weapons especially when it 's to the south of us It 's frightening for those who live south of us to have many weapons . entailment +She was still sweet as they make them . She was as bitter as they get . contradictory +The request also specified that EPA should evaluate the cost of achieving these reductions using four alternative technology The request said the EPA should evaluate how much it saves to reduce the pollution control technologies . neutral +Today the theater still provides a wonderful setting for the July festival 's opera and symphony concerts . The opera in July is in the theater . entailment +Because she said so . She did not say so . contradictory +Although the Reformation and Lutherism had an impact on Poland , the country largely avoided the devastating religious wars that raged elsewhere in Europe . Lutherism and Reformation did not affect Poland . contradictory +d ) Lots more nasty details about Clinton 's sex life . There aren 't anymore details about Clinton 's sex life . contradictory +Third , we need to cut the president some slack . We should give the leader some space . entailment +and and they 're very dissatisfied and they 're they 're causing wars right now and The are very happy and starting peace missions . contradictory +This kind of realism marks Scorsese 's next two films , Alice Doesn 't Live Here Anymore --his best piece of directing-for-hire , and one of the half-forgotten gems of the period--and Taxi Driver , both of which were critically and commercially successful . Scorsese 's next two films are marked by this kind of realism . entailment +Curb routes are suitable only for residential areas . The residential areas have nice houses . neutral +OMB required agencies to submit major parts of their strategic plans by June 7 , 1996 . The major parts of the strategic plans are due before July of 1996 . entailment +no i don 't think so either um I believe something else more vividly . neutral +Even in cases where constitutional or statutory challenges became apparent after representation was well under way , LSC advised that its attorneys must withdraw . The constitutional challenges are hard to notice at first . neutral +For help in deciding the strength or weakness of corroborating evidence , consider the extent to which the corroborating evidence There are things you have to consider when trying to decide how strong or weak corroborating evidence is . entailment +The Musee de Dieppe , also known as the Ceteau-Musee , in the 15th-century chateau in the Rue de Chastes , has a good collection of model ships and carvings in ivory , dating from the 18th century when elephant tusks were a major import from Africa and Asia . Elephant tusks were a major import in the 17th century . contradictory +i think the major thing they need to correct is how long it takes something to get to jury and to get to trial The most important thing they need to fix is the process from the jury to trial . entailment +yeah on the other hand most people don 't use rapid transit because it 's so inconvenient I think rapid transit is too much hassle , and I think others would agree with me , entailment +yeah too many chiefs and not enough Indians There are both chiefs and Indians . entailment +The many parties who had already argued that a $ 1 . Many parties argue over a $ 1 . entailment +that 's uh pretty much takes up a lot of our day as far as producing transparencies and things Producing transparencies takes a fairly short amount of time contradictory +The other armored man stabbed hard , piercing the demon and pinning it to one of the other black stones . The man had a weapon sharp enough to pierce the demon . entailment +If you intend to take home some souvenir Islamic crafts , this is a good place to learn about traditional materials , motifs , and patterns . In addition to materials , motifs , and patterns , you can learn about art history here . neutral +Each of the comments and the response and changes The situation was addressed as required . neutral +The tragedy of JQA 's life is that , for all his spectacular achievements , he was doomed to feel inadequate next to his larger-than-life father . Compared to his father , JQA 's was doomed to feel inadequate . entailment +Cathy is very passionate about their concerns . Cathy commits herself to her work , that 's why she is so passionate about their concerns . neutral +Yes ? Her grave eyes met his inquiringly . Her solemn eyes looked into his eyes with a question , Yes ? entailment +Welcome back . You 're not welcome back , go away ! contradictory +what this person had done ten years ago the brutality of their crime exactly exactly This person committed their crime less than two years ago . contradictory +The MCI Web site claims six 500-footers in 1997 , five by McGwire and one by Colorado Rockies star Andres Galarraga , hit in Miami . The MCI Web site claims 30 500 footers , 29 for McGaver , and one for Andres Galarraga . contradictory +Any fino will make a good aperitif . A good aperitif comes from fino . entailment +The primary purpose of this conversation is not to convey any specific information . Do not reveal any sensitive information . entailment +The Greek Hellenistic Empire was gradually , and peacefully , absorbed into the Roman Empire . The Roman absorption of Greece was one of their most peaceful land acquisitions . neutral +Coincidentally , this is also the state of our schools , according to News Quiz participants . News Quiz participants think that our schools are currently in a terrible state . neutral +I passed out and had to be carried home . I was carried home . entailment +In a research protocol in England , nurses were trained to screen all emergency patients with CAGE and then provide feedback . Training was provided to nurses to screen all patients in the emergency room . entailment +We also will leverage new teams to focus on external issues important to our many stakeholders , and on methodological issues , and strategic studies . We will leverage new teams to focus on external issues . entailment +Bowsher also helped to lead the government 's growing emphasis on management reform and performance and accountability issues . Bowsher hindered the government 's emphasis on management reform . contradictory +EPA submitted the information collection request to OMB , which has not yet approved it . The OMB does not accept information requests from EPA . contradictory +you know i don 't even know if they are worth rehabilitating if if uh they go out and commit some of these violent crimes so but i don 't know what the answer is we 'll just have to i guess each each person will just have to try to do their part and I think someone who commits armed burglary is not worth rehabilitating . neutral +Felipe II took credit for a rousing naval victory at Lepanto , teaming with Venetians against the Turks , but less than two decades later Spain was subjected to the humiliating defeat of its invincible armada , at the hands of Sir Francis Drake and a small English navy . The Spanish Armada never regained its dominance . neutral +not that i like reading but i do do a lot of reading while i 'm here at school I read a lot at school but I do not like it . contradictory +yeah i haven 't either yeah it 's probably going to start getting summer hot It won 't get hot for the summer . contradictory +In the 17th century this fort was all there was to the town , but dwellings were gradually built up around it on reclaimed marshland . Dwellings around the fort were built up over time . entailment +In the dramatic new Musee de l 'Arles Antique ( Avenue de la Premiyre Division France Libre ) , lively exhibitions of Roman statues and early Christian sarcophagi with impressive architectural models bring the ancient city back to life . The museum only has modern art . contradictory +Religious people are finding evidence of God in recent scientific discoveries . Scientists are looking at new ways to research . neutral +and and there was no There wasn 't any entailment +Cutting across the Rue Royale , the Rue du Faubourg-Saint-Honor ? ? is the city 's most luxurious shopping street . The Rue Royale and the Rue D Faubourg-Saint-Honor run parallel . contradictory +The engine started . The engine fizzled out . contradictory +For example , many successful public and private organizations integrate their human resource management activities into their organizational missions , rather than treating them as an isolated support function . Most companies integrate HR and their missions . neutral +And doctors are still ethically obliged to offer appropriate care to uninsured patients in need . It can be a hassle to treat an uninsured patient . neutral +yeah i can understand why why some of the the rural areas the voter turnout isn 't as much because it does seem sometimes like the lobbyists in DC are like controlling things for the the Midwest and uh it doesn 't matter who they put in office they 're going to fall subject to uh I understand why those in rural areas may not go out to vote . entailment +How do you know that she didn 't twist your will to force you to kill your friend ? His friend was not dead but taking a long nap . contradictory +Imme ? ­ di ? ­ ately to the right of Jesus is the weighing of the souls , with Saint Michael trying to stop Satan from cheating . Jesus is shown on the left-hand side . neutral +Now it was flickering and flaming , shooting enormous jets of fire from its rim . It was flickering because something had gone terribly wrong with the engines . neutral +With its magnificent Corinthian portico crowned with statues and its columned dome , the building is a majestic sight . The portico has a big dome and columns made of marble . neutral +with the worms yeah i have quite a bit of problem down here with the squash bugs and haven 't figured out how to get rid of those yet I haven 't figured out how to get rid of those worms yet , but I 'm trying something new next week neutral +The island was recaptured after a terrible siege of Iraklion by Byzantine commander Nikepheros Phokas . Nikepheros Phokas was a famous Viking . contradictory +When all the time we know perfectly well ” ” " The Coroner interrupted her in an agony of apprehension : " Thank you , Miss Howard , that is all . " I fancy he breathed a sigh of relief when she complied . The Coroner did not want to discuss the series of events or blame anyone . neutral +Rediscovered national pride found its perfect expression in the Eiffel Tower , thrust into the Paris skies for the international exhibition of 1889 . The Eiffel Tower was built in 1889 . entailment +This brings me back to my proposed constitutional capping individual taxes and tying the cap to the average tax bill . I think we should cap individual taxes at 25 % neutral +For testing to be effective , it must be addressed relatively early in the acquisition so it can be properly included in planning . For testing to be effective , it must be conducted early and with expensive analytics tools . neutral +There is the temptation to take the company 's side , and the contrary temptation to prove one 's independence with ostentatious criticism . The company 's side rewards you with little criticism . neutral +Help yourself to unlimited salad from the abundant fresh bar . You can get a small salad . contradictory +Mostly it 's good comments though , Contreras said . The response has been uniformly negative , said Contreras . contradictory +But even old-fashioned puritans have the right as citizens to protest the behavior of their president . Even puritans can protest the behavior of their president . entailment +Therefore , by the laws of rational magic , it is _ you _ to whom nothing is impossible . The laws of magic say it is possible . entailment +And once you 're on a case , you stay on unless you can get the court 's permission to withdraw . You can withdraw from the case at any time . contradictory +and so um but he said no he was going to plant in the earth you know like he always has because he 's always had a garden out in the country He said he wasn 't planting anything . contradictory +You can 't help falling in love with these creatures , who march along in their black and white uniforms . These creatures are so adorable in their black and white uniforms . entailment +The Board presently has an active project to address standards for natural resources . The board has projects other than standards for natural resources . neutral +The control technologies considered by this report as candidates to be used for this multipollutant control strategy Control strategies are based on technology . neutral +Despite changes in overall installation schedules , efficient utilization of labor and sequencing the installation during planned outages will continue to be planning issues . Service outages due to installation can be entirely avoided by efficiently utilizing labor . contradictory +They will be as unprepared for the red demons as they were for us . The people have not completed their preparations . entailment +For example , the Financial Times has its U.K. The U.K. holds the main office for the Financial Times neutral +can 't call them the New Orleans Saints any more It 's still correct to call them the New Orleans Saints . contradictory +oh oh i do i really do i think it 's great I think it 's great that you 're working really hard . neutral +oh yes um-hum where oh yeah yes Uh , where ? Oh yeah , I understand . entailment +From Van Eyck to Early Netherlandish Painting in the Metropolitan Museum of Art ( New York ) . The painting From Van Eyck to Early Netherlandish is hung on a wall . neutral +South Tyrol 's historic capital makes a good base for hikes . One cannot go hiking anywhere in South Tyrol . contradictory +OK , OK , I get the magazine really for the articles , but I always look at the pictures first . The magazine has some of the best pictures in the world . neutral +Although not applicable to attestation engagements , the AICPA statements on auditing standards may provide useful guidance related to internal control for auditors performing attestation engagements in accordance with GAGAS . AICPA statement can provide useful guidance regarding internal control . entailment +Ensure Leadership Continuity Leadership needs to be continual entailment +But too often downsizing means what it has in the Union Pacific fewer people doing more work . Downsizing in the Union Pacific leads to fewer people doing more work . entailment +Prisoners , soldiers , and the soldiers ' families endured the same harsh conditions . Soldiers had a cushy life . contradictory +Because they think their association with him helps their image as well as his . They want to improve their image by dissociating from him . contradictory +uh-huh maybe you expected too much out of it Maybe you expected too much out of it . entailment +Every tube contained a body , and every body was a famous figure from history . There were hundred of tubes . neutral +Since 1936 , the American Association of University Professors has censured universities that do wrong to their faculties . The American Association of University Professors observes how universities treat their faculty . entailment +Farther down is the semicircular headquarters of the Jewish Agency . A little lower you 'll see a Jewish Agency building . entailment +In the press release delayed by Mr. Bookstaver last September , Judge Lippman was more forceful in assessing the need for pro bono . Mr Bookstarver delayed the press release because the departmenet hadn 't finished the report . neutral +Yes , Comrade Leader , I replied , and every writer for the Standard has since devoted every waking hour to this glorious task . All of the writers for the Standard are female . neutral +Two recently introduced bills , S. 1456 and H.R. 2435 , include provisions that address the receipt , care , and storage of critical infrastructure protection information as well as specific exemptions from public disclosure of such information . The two bills being introduced fail to address the handling of critical infrastructure protection . contradictory +You can opt for a delightful , leisurely walk or a lengthy hike over well-marked paths , and climbers will find a miniature mountain range of sheer rock faces and cliffs . There is a miniature mountain range for climbers . entailment +He shot a man in the side . He shot a man in the knee . contradictory +It is a matter of auditor judgment to decide how discrepant project estimates and estimates provided by cost models should be to raise concerns about risks of cost and schedule overruns . Auditors must judge whether or not project estimates raise concerns about cost and schedule failures . entailment +They 're going into classrooms to help students understand and appreciate fundamental American values . Students will be split into small groups to understand and appreciate fundamental American values . neutral +The door into the passage , that is . " The entrance to the passage . entailment +Here you can see the remains of the library , theatre , and treatment rooms . You can see the dining room , kitchen and storage rooms . contradictory +Modern archaeologists studying the ruins of Troy have discovered nine superimposed cities , ranging from Troy I ( 3000 2500 b.c. ) to Troy IX ( 350 b.c. a.d. Troy I to Troy IX were cities within cities , an unusual architerctural structure . neutral +The rationale for the job is bolstering each individual state 's revenue , not the national pooled aggregrate . Bolstering each individual state 's revenue is the only goal of the job . neutral +The next major junction , Asan Tole , is larger and even busier than the ones preceding . For a break from the regional busyness , travel to Asan Tole . contradictory +um-hum well that 's neat um-hum Well that 's cool , let 's go neutral +and they do i know now because i even when i was in elementary school years ago they were I don 't know when they started to , but I know it has been a while . neutral +Issue 3 , the viability of the long-suffering tobacco bill , confounds everyone . A tobacco bill was fixed quickly . contradictory +Subtract the shock value , and what you have here is the salon painting of the 1990s . If you minus the shock value , you have a salon painting from the 1990s . entailment +So it was bitterly ironic when Elizabeth died without an heir and James , Mary 's Catholic son , inherited the English throne . James , Mary 's Catholic son , never missed to attend a mass . neutral +First , it 's based on a contradiction . It is based on sound principles . contradictory +Because of an ancient Scottish curse , anyone who writes a life of these four historical personages ends up reproducing , word for word and comma for comma , a long-out-of-print biography that they have never even read ! Don 't write about any of these Scottish guys because you 'll rewrite an ancient biography . entailment +The Australian National Audit Office ( ANAO ) is a specialist public sector entity providing a full range of audit services to Parliament and Commonwealth public sector agencies and statutory bodies . Parliament is not serviced by the Australian National Audit Office . contradictory +Now , that 's better . This is better . entailment +In response to the restrictions and funding cuts imposed nationally in 1996 , the Maryland State Bar Association created the Maryland Coalition for Civil Justice ( MCCJ ) to spearhead and oversee state planning . The Maryland State Bar Association did not agree with the national restrictions imposed in 1996 . neutral +Newsweek says Chinese President Jiang Zemin bolstered his political power by ousting two Politburo rivals at the Communist Party Congress , but his dictatorial style won 't mesh with his push for a modern economy . The Chinese President is Jiang Zemin . entailment +I followed her , afraid that she was going to faint . In addition to looking faint , she was also sweating . neutral +There are bars of all kinds everywhere , some local , but more often than not with French , British , Scandinavian , and German d ? ? cors , accents , and beers . There are bars that serve 200 different beers . neutral +Those few throwing me pennies were trying to be polite . They knew I needed it more than them . neutral +from the enchanted , irradiated island of childhood ( Richard Corliss , Time ) . Critics appreciate its avoidance of hackneyed gender politics , and its presentation of the boy 's colorful , cartoonlike fantasies . Critics like its avoidance of gender politics . entailment +Fifteen years ago she came to New York from Jamaica . She has moved from New York to Jamaica . contradictory +The rule and the procedures therein are applicable to the FCC 's spectrum auction program . The rules and its procedures can 't be applied to the auction program . contradictory +I was afraid I might be late and keep you waiting , said Tuppence gently . Tuppence angrily replied , " Who cares if I 'm late ? " contradictory +The interim rule implements the provisions of the Illegal Immigration Reform and Immigrant Responsibility Act of 1996 ( IIRIRA ) governing expedited and regular removal proceedings , handling asylum claims and other activities involving the apprehension , detention , hearing of claims and ultimately the removal of inadmissible and deportable aliens . The IIRIRA is the Illegal Immigration Reform and Immigrant Responsibility Act of 1996 . entailment +Democrats offered more spending and lost the House . Democrats kept the house because if their spending . contradictory +Rubbish ! cried Lawrence angrily . Lawrence yelled Rubbish ! entailment +um-hum um-hum oh okay that 's what i wondered Alright , that 's what I was wondering . entailment +Boards have at least three roles that they need to play . The boards are not fond of roleplaying and do not play any roles . contradictory +From the Pater Noster church compound , a road heads to Bethphage , the traditional starting-point for Jesus 's triumphal ride into Jerusalem on the first Palm Sunday . Jesus rode into Jerusalem on the weekend . neutral +or you hear somebody already starting reading reading off a list of stuff that they 've read probably a thousand times that day already They 're reading something they probably never read before . contradictory +oh so did were they successful Did it work out ? entailment +How to Live to 100 advises exercise , low-fat food , and perseverance . How to Live to 100 advocates for an active life and a good diet . entailment +That creates a presumption that insurers must pay . That creates the presumption of insurers paying . entailment +Outside is a gift to the people of Ireland from the Italian government in gratitude for relief supplies during World War a marble Piet ? entitled La Deposizione , by Ermenegildo Luppi . There is a gift from the Italian government to the Irish called La Deposizione . entailment +If he had , he certainly would have noticed that the program I anchor and edit on Fox News Channel , The Schneider Report , is a serious news program . The Schneider Report reports on national and international stories . neutral +More importantly , it meant much needed , larger financial contributions from Paris . Paris would not need to give big contributions . contradictory +I tried on the gray Microfiber model , waist size 38 . The size 38 microfiber pants were too tight . neutral +Jon stared off for a while , appearing in deep thought . Jon stared off into the distance , focusing on nothing in particular . entailment +The verdict on Fierce Creatures : nowhere near as funny as A Fish Called Wanda ( 1988 ) . Fierce creatures is funnier than every other movie . contradictory +He returned with the information that she was undoubtedly " one of the crooks , " but Tommy mistrusted the vividness of his imagination . Tommy 's friend was known for telling tall tales . neutral +In addition to their tropical splendor , the Blue Mountains have another important slopes at an altitude above 3,000 m ( 9,840 ft ) are perfect for growing coffee . Coffee is grown in the Blue Mountains due to it having a climate good for crowing the crop . entailment +Above the arches you 'll see the You can see it over the arches . entailment +Ca 'daan 's heart jumped again and he bowed his head low . Ca 'daan remained calm and bowed his head . contradictory +like you say a mass that nobody can seem to to get out of the way as far as him scoring touch downs you know i think that was kind of weird i don 't know No one had an issue with his scoring of touch downs . contradictory +simply fails to sustain interest for the entire album . It brings interest to the listener for the first few songs . neutral +And that if we teach our children to see themselves strictly as beasts , they 're bound to act like them . Children will act like beasts if we teach them to see themselves as beasts . entailment +Programs that do not typically encounter problems that eventually cascade and become magnified through the product development and production phases . Product development is a crucial step . neutral +Godavari 's Royal Botanical Gardens at the foot of the mountain has an orchid collection , lovely trees , and a brook . The gardens are near the foot of the mountain by a brook . entailment +right right Memorial Day and whatever Memorial Day and holidays are busy . neutral +'Oh yes , sir ? That 's exciting to hear . ' I wasn 't being flip . The news he had to give me was so exciting . neutral +Continuing around the peninsula in a clockwise direction brings you to the Rua da Praia Grande ( Big Beach Street ) a pleasant promenade with shaded benches under the banyan trees . The Rua da Praia Grande is the most popular area for tourists . neutral +These two palazzos house the Capitoline Museums , whose Greek and Roman collections provide an excellent introduction to the ancient Roman Forum that spreads below it . The Capitoline Museums have a Roman collection , but not a Greek one . contradictory +We 'd appreciate it . We wouldn 't like it very much . contradictory +because it 's really going downhill up there Things are rapidly deteriorating . entailment +just to read them well that 's good Tell them that 's good . entailment +Take a stroll around the picture-perfect little fishing harbor , where the boats become stranded like beached whales at low tide . Low tide forces the boats to go far out into the ocean . contradictory +Even that , though , is a problematic concept . That concept has issues but those can be worked around . neutral +Our OPM work was conducted at its Retirement and Insurance Service locations in Washington , D.C. , and Boyers , PA . Our OPM work was done in FL . contradictory +Of our adventure ! It was a great adventure . neutral +He bent to look at it uncertainly . He looked at it uncertainly . entailment +According to legend , it was originally named Mons Martyrum ' where , after being decapitated , the town 's first bishop , Saint Denis , picked up his head and walked away . The town was named after it 's first bishop , Saint Denis . neutral +Draw your sword and dagger . Prepare for battle by drawing your word . neutral +Rain fell on Jon 's head and shoulders . Jon was outside keeping guard during the rainstorm . neutral +yeah well we wouldn 't have to worry about that You don 't want to worry about that . entailment +By the way , I got rather an odd request from him the other day . " His request was completely normal . contradictory +But in fact , Churchill was reportedly ill at ease in the Lincoln Bedroom ; he is said to have often moved himself across the hall in the course of the night . Churchill did not enjoy staying in the Lincoln Bedroom . entailment +Inside , a huge mountain of a man , even bigger than Thorn , fought with a huge two-handed axe . The man was extremely large . entailment +Exhibit 9 provides a summary of the monetary values for the Alternative Estimate used for economic valuation of mortality and chronic bronchitis . The morality for chronic bronchitis sufferers is high . neutral +Thank you . Mr. Mace identified the phial handed him by Counsel as that sold by him to " Mr. Inglethorp . " Pressed , he admitted that he only knew Mr. Inglethorp by sight . He had prepared the phial but decided to keep it rather than sell it . contradictory +Emissions will be cut from current emissions of 48 tons to a cap of 26 tons in 2010 , and 15 tons in 2018 . No efforts will be made to cut emissions at all . contradictory +The Explorer was glad enough for those few minutes . The Explorer was happy to have a few moments . entailment +He also suggested that his findings may point the way toward behavioral therapy for the syndrome . Scientists started investigating behavioral therapy in the 19th century . neutral +" According to what I 've heard , " Drew said , " this Kitchell claims to lead a regular Confederate force that hasn 't surrendered . Kitchell was lying about being in charge of a Confederate force . neutral +These mainly date from the 18th to the 20th Dynasties and include Ramses IV , Seti I , and Tutmosis III . None of those date from the 18th century . contradictory +Chapter 6 examines the availability of resources necessary for the installation of SO2 , NOX , and mercury control retrofit technologies for the timing and emission reductions proposed under the Clear Skies Act . Chapter 6 examines the availability of grants and tax breaks for homeowners to retrofit technology that reduces greenhouse emissions . neutral +Most of the temple quarter was firebombed to ashes in 1945 , but by 1958 the people of the area had raised enough money to rebuild Sensoji and all of the important structures around it . The building was in a poor state for 13 years , till the people had enough money to rebuild it . entailment +But unlike Roosevelt , Rockefeller never developed the resilience to stay in power . Rockefeller didn 't really want to hold a powerful position . neutral +Today Edinburgh Castle is the most-visited attraction in Scotland , with more than one million people passing through the entrance gate each year . The Edinburgh Castle gets over 100,000 visitors a month . neutral +Yes , a damned fool , he said softly . He whispered about how foolish he felt they were . neutral +So what 's a randy president to do ? The president is not randy . contradictory +A subcategory of accuracy is consistency . Accuracy and consistency are both in the family of productivity and success . neutral +If Tinky Winky ( see ) has no explicit gender , how do you know that the handbag , tutu , and so on aren 't veiled signals that Tinky is female ? Tinky Winky enjoys wearing a tutu every day . neutral +it 's a vicious circle in and of itself there 's really uh i don 't know a a bit of an eye-opener i guess even to see some of the the portions of the States United States that are becoming depressed economically and to see that the high schoolers that are coming out of school why even for the past two to three years uh there 's nothing for them you know uh a lot of these rural areas college wasn 't even a a consideration for the majority of them they kind of are confident that they could just move right on into industry and industry 's gone from a lot of these areas and there 's nothing to go into It opened my eyes . entailment +and i wouldn 't enjoy it but if i have something some team sport or some activity then it 's kind of like having fun playing and then you then you get some of the If I have some activity such as a team sport , then it 's kind of like having fun playing . entailment +Close 's work from the ' 80s and the ' 90s loses something of his earlier provocativeness . The provocativeness that was present in Close 's earlier work was missing from the work of the ' 80s and ' 90s . entailment +He sighed visibly when he saw Jon but tensed when he saw the importance in Jon 's eyes . He tensed and asked Jon what was wrong . neutral +2.1 Point estimation techniques have the advantage of providing a point estimate of the toxicant concentration causing a given amount of adverse ( inhibiting ) effect , the precision of which can be quantitatively assessed One way to estimate toxicant concentration is to use point estimation techniques . entailment +When the torches appear to the south and they ride in , people may change their minds . People may change their minds when the torches held by the opposing army appear to the south . neutral +Come back and bathe him in the balm of your adjectives . He loves to hear what you think of him . neutral +'Oh , don 't mind me , ' I told him . I told him not to mind me . entailment +He said he expects APPALRED to see a $ 600,000 cut in its $ 4 million budget . He saw a $ 4505050 budget increase . contradictory +DOD 's Adoption of They took from other policies . neutral +and i think it 's really very sad that north of the border you know the United States and Canada is so different from the South from South America and Central America there 's really a disparity between the um There 's a large disparity between North America and South / Central America . entailment +I would be interested in knowing more of what you make of this last chapter , and his position . I 'm glad you 've read the book , but I have no desire to know what you think of it . contradictory +Yesterday 's column pointed out that a WP review of Elizabeth Dole 's tenure as president of the Red Cross found that it was marked by her tendency to put political allies on her payroll . Elizabeth Dole is an example of nepotism within the non-profit sector . neutral +Immediately the sword swinger was on her . It was on her very quickly because she was magnetic and the sword was attrached to her . neutral +it 's uh it 's kind of unusual book it 's a lot about uh spiritual warfare and some things like that The book is about the popular subject of spiritual warfare . contradictory +Yep , we 'll see some race , does anyone turn up with a hoss t ' match Oro . One of the shirted Indians rose to his feet . There was an Indian and he did not like what he heard . neutral +Their commanding officer , I assumed . They all looked the same to me . contradictory +Brian Duffy and Peter Cary have written a rebuttal , to which I have four objections . Brian Duffy and Peter Cary 's rebuttal should not be objectified . neutral +And in my book , that doesn 't mean you run back with your tail between your legs just because some silly young girl pulls that old chestnut on you . I don 't believe you should compromise your decisions on account of a girl . entailment +I 'd made my plan whilst I was waiting for her . I came up with a plan while I waited for her . entailment +um i used the one the one at work a lot um matter of fact anything i 've had to write from now on i had to God forbid write a couple of resumes and i was just great and all you have to do is just put it in a uh the spelling check mode and i don 't even have to look my my words up anymore I 've never made a resume . contradictory +It was after that that Tommy proposed to give them a surprise . Tommy 's surprise was ill mannered , but he had no other choice . neutral +well what are you going to do they 're they 're coming to the end of their season uh What are you going to do now that their season is ending ? entailment +Let us honor his memory . His memory means nothing to me . contradictory +Eventually , Oishi and his band were also ordered to commit suicide ; this they did , and they were buried at Sengakuji with their lord . Oishi and his followers committed suicide as commanded and were buried in Sengakuji . entailment +2 pencils and a look of disdain . They had 2 pencils and a strong look . entailment +not inside now uh when we bought the house that we live in right now we had a company that came out and painted it that was one of the requirements from you know FHA The FHA required that we had a company come out and paint our house after we bought it . entailment +I hate my brother ! I don 't like any of my siblings . neutral +They are murderers . They are healers . contradictory +Writers and painters who used to meet regularly in the cafes of St-Germain-des-Pres often find themselves squeezed out by film directors , TV performers , advertising people , and more and more tourists . Cafes in the area have become extraordinarily overpriced since the influx of tourists . neutral +yeah because it 's you know it is so nice and there limited space so It 's really nice but there 's only a limited amount of space . entailment +and i 'm not going to bring them back down to you know ninety nine cents why because people are willing to pay a dollar fifty a gallon I want to make a lot of money so I am not going to lower the price . neutral +The technophilic Thank God for cell phones . A technophilic person praises God for the creation of cellular communication devices . entailment +and one of them was even a woman who was fairly old and i guess she she had her own separate room and i think whether it 's more a custom up there or maybe because i was younger and it 's just not a custom anymore The old woman had her own separate room . entailment +Take the funicular railway from the Place Saint-Jean up to the top of the hill and walk down the Chemin du Rosaire , which gives spectacular views of the town below . The Chemin du Rosaire , while steep , has a spectacular view of town in the valley below . neutral +But that , of course , is the real and present issue that neither congressional party addressed , transfixed as they and the media are by the fantasy budgets offered on the campaign trail by their respective standard-bearers . Fantasy budgets are not offered on the campaign trail . contradictory +At night the district is loaded with patrons tumble from restaurants , theaters , bars , and fado clubs . At night the place is completely and utterly deserted . contradictory +Mr. Alinksy instructs his readers to pick an issue , find an adversary and make it personal . Mr. Alinsky wants his readers to take ownership of their issue . entailment +The answer is that the Internet stands to expand the market as a whole more than enough to compensate them for having to compete with each other . The internet is the reason for wide-scale growth in the marketplace . entailment +there was a thing recently in the paper there was a bill in front of the state legislature that was going to allow the average citizen to be able to pack his own weapon again The politicians were going to vote on concealed carry in public places . neutral +Informally , other members would no longer include a violator in sensitive conversations . Other members would prevent a violater from being in conversations about national security . neutral +There must be an easier way . There has to be an easier way . entailment +There was still no sign of food . They found food available for them as far as they could see . contradictory +i like mysteries I really enjoy mysteries . entailment +Exploiting a natural genius for assimilating the useful elements of the local culture rather than indiscriminately imposing their own , they adopted Arab-style tax collectors and customs officials and Byzantine fleet-admirals for their navy . All the fleet-admirals were Turkish . contradictory +( In last week 's win against Minnesota , the Jets committed only one . ) The Jets played against Minnesota last week . entailment +East Jerusalem has both modern streets and ancient monuments , just as West Jerusalem does . There are only ancient streets in Jerusalem . contradictory +Did anyone remember to tape 20 / 20 for me last night ? Was I able to remind anyone to tape 20 / 20 for me ? neutral +In revamping its performance management system , for example , we reported that IRS ' new system is weakest at the front line , where interactions with taxpayers occur . We said that the weakness of the IRS system is where interactions with taxpayers occur . entailment +and they 're so pretty and you know And they have so many wonderful colors . neutral +Arons was a so-called red diaper baby . Arons was a baby who wore red diapers to church . neutral +yeah yeah i 've got several uh matter fact i have some friends that own machine shops and they have several I don 't know anybody who owns a machine shop . contradictory +These predicted concentrations are then used as inputs to the human health effect estimation model discussed in the next section . No prediction of health effect contradictory +If mailed from New York , he would pay the nationwide price but if entered in Los Angeles , he would pay the lower destination price . The discount can be offered because Los Angeles is a high volume postal hub . neutral +Isn 't he a duck ? inquired Tuppence ecstatically , as she skipped down the steps . Tuppence missed a step as she was coming down and fell face first on the floor . neutral +yeah it 's it 's made very c lear upon hiring The dress code rules are given to you upon acceptance of the job offer . neutral +The answer here is probably yes as well , even though private-sector firms would say no on both points . Firms in private industry agree with the answer given . contradictory +She works for us . She 's never worked for us once . contradictory +He is coming to , remarked a voice very near Tommy 's ear . The voice was familiar to Tommy . neutral +The Wall Street Journal ' s Donald Lyons says that McCann fearlessly exposes a man like a surgeon probing his own wounds . Donald Lyon , of The Wall Street Journal , says McCann is like a surgeon . entailment +That 's quite all right . That 's okay . entailment +Grand Rapids suffered a one-third reduction . A 1 / 3rd reduction happened at Grand Rapids . entailment +But the best cellars open to the public are those in the chateau at Clos de Vougeot , owned by the Cis ? ­ ter ? ­ cian monks until the Revolution and now the property of the Chevaliers du Tastevin ( fraternity of wine tasters ) . The Chevaliers du Tastevin own cellars in the chateau at Clos de Vougeot . entailment +She does not rely on eccentricities to create a recognizable character , and that is why you can watch her over and over again . She refrains from using eccentricities to distinguish a character . entailment +The accounting profession needs to vigorously work to rebuild its greatest asset-public trust-in order to restore faith in the integrity and objectivity of the profession . Faith in accountancy was lost because of many financial scandals . neutral +During the American War of Independence , France 's sympathies were American ships were granted safe anchorage in the FWI , privateers raiding from Saint-Barth ? ? lemy 's coves sank many a British merchantman , and a Martinique regiment fought the British at Savannah , Georgia . A Martinique regiment defeated the British in Savannah , Georgia . neutral +Subsequent analysis of regional office plans for productivity improvement led to the conclusion that their implementation could save about $ 60 million annually . They analyzed regional plans for productivity improvement with a goal to save $ 100 million . neutral +He did not seem to have heard her , for without a word he turned on his heel and went out of the house . He left the house without saying anything . entailment +and i didn 't see much of it like you know i see you saw a lot about the major races but a lot of the minor ones that you 're being called upon to decide there 's very little information on It is as important to know about the minor races as it is to know about the major ones . neutral +But the half-closed eyes seemed still to send an agonized message . Despite the eyes being half-closed they seemed to send an agonized message . entailment +People usually think we 're older , and we hang out with 15-year-olds . They are not much older than the 15-year-olds . neutral +In one , Legal Services Law Line of Vermont , Inc. will make nationally available on-line the core curriculum of the Legal Services Training Consortium of New England , and provide a platform for other legal services organizations to obtain distance learning opportunities , allowing advocates to get skills training without the usual financial and travel costs . High costs are huge deterrents to those seeking training . neutral +Products that should be developed never get off the ground , or do so much later than they should , because everyone is waiting for other people to move . Indecision and a lack of courage mean important products are delayed . entailment +Addiction is a disease , not a moral failing . Addiction is mostly a moral dilemma . contradictory +uh i had uh an opportunity to visit visit the Dallas area and uh i went to some steak houses while i was out there and there was this one place that i visited that was really unique The waitresses were dressed like little cowgirls I never tried the steak houses in the Dallas area . contradictory +Such a standoff , when it occurs , will trigger a global media event , with CNN broadcasting satellite shots of the suspected facility every 30 minutes , and so on . Such a standoff never triggers a global media event which would lead to wide coverage by CNN . contradictory +Several nature trails are also marked out through the nearby forests , and the wealth of wildlife makes jungle rambles particularly enjoyable . The jungle is not enjoyable here . contradictory +White was altogether too calm . White needed to calm down . contradictory +i just had mine done for the first time last week yeah I haven 't done it before last week . entailment +it 's by Robert Magee and it 's one that that we use in our work uh it 's probably one you 'd find in in like a Christian book store um Robert Magee wrote a book that is more like something on shelves at a Christian book store . entailment +The church was built in the 17th century and rebuilt after being damaged during the Civil War . During the Civil War , there was some damage to the church . entailment +And now he received an SMS with what ? ' Buy something for Lola 's zits . ' Doctor Edward , feeling his helplessness turning into the drill sergeant 's revenge came up with an idea , which changed the direction of the skin care market all over the world . The skin care market was changed due to Doctor Edward 's idea . entailment +oh it 's been beautiful here lately It has been more beautiful than down south recently . neutral +well i i sometimes wonder if i didn 't mess up i maybe should have taken the higher grades because at least you can if you have to you can get mean with them It might have been better for me just to take the higher grades . entailment +Why has Japan been unable to reap a peace dividend like the NATO countries ? Why hasn 't Japan been able to benefit from peace as well ? entailment +Personally , I don 't see the point of the ultimate high . I don 't chase the ultimate high , I 've found a better release . neutral +Charged with exploring problems and opportunities in the areas identified in the project director retreat and the advocacy survey , these committees focus on Resource Development , Vision , Technology , Legislative / Administrative Advocacy , Client Access , Collaboration , and Training and Technical Assistance . The advocacy survey identified no areas that have problems . contradictory +The view peering down into the valley from the lookout point of Eira do Serrado ( 1,006 m / 3,300 ft ) is breathtaking . The lookout point of Eira Do Serrado has a breathtaking view . entailment +Black hair was pepper-salted for a finger-wide space above his ears , which were fronted by long sideburns , and black brows were straight above dark eyes . The grey above his ears sprouted from years of stress working in the Navy yards . neutral +Linda Lund , program director , said 25 percent of lawyers with an active license volunteer . In this situation , volunteering means offering their services for over 10 hours a week . neutral +I thought I was dead , said Adrin when he and Jon fell back to back , each with pistols in hand . Adrin held a gun . entailment +and they beat and they beat Indiana they beat Indiana they creamed Indiana Indiana walloped them . contradictory +Republicans , on the other hand , invariably maintained that the War Powers Act , which Congress passed in 1973 to assert its constitutional power to declare war , was unconstitutional , and that military authority rested solely with the president . According to the Republicans , Congress should be able to declare war owing to its constitutional powers . contradictory +Elusive till the end , he was scheduled to lecture , two weeks later , on his life and work as a war photographer--with slides and patriotic music--at Carnegie Hall . He was very elusive but still lectured on his life as a photographer . entailment +Figure 3 presents the same information considering the street function alone . Information about street function can be found on figure 3 . entailment +In fact , in the relatively small area that most visitors are likely to cover , Madrid doesn 't really feel like an overgrown , Europeanized capital . As a centralized European capital , Madrid suburbs and industrial area are very different from the center . entailment +Call me old-fashioned for caring , but increased popular music sales typically lead to increased classical or jazz music sales , due mainly to the effect of people feeling compelled to enter a music store and look around to see what 's new since they were there to buy Thriller , or the Titanic soundtrack , or whatever got them in the door the last time . People don 't enter music stores to buy known soundtrack . contradictory +D 'Onofrio and others have recommended using the NIAAA approach in the ED . This approach involves dunking the subject in a tank of water to see if the float . neutral +Also out of town , you can see a reconstitution of Dom Perignon 's famous 17th-century cellar and laboratory in the abbey museum of Hautvillers , just 6 km ( 4 miles ) north of Epernay . Dom Perignon made wine in the 19th century . contradictory +It was built in the 15th century by an aesthete-mystic shogun , Yoshimasa Ashikaga , who used it for esoteric tea ceremonies and , above all , moon-watching in the elegant garden . The shogun used it for esoteric tea ceremonies . entailment +Few people get easy , inexpensive access to doctors ' records or , in this case , to teachers ' evaluations of Seth 's speech difficulties . Not many have the ways to obtain the records especially with regards to a child 's speaking challenges . entailment +yeah he is really interesting He is funny . neutral +But Annan has formed a strong friendship with Secretary of State Madeleine Albright . Annan is somebody who is politically significant . neutral +um-hum yep yep that 's right i 'm not even really sure this point in time you know what what programs are out there Right now , I am unsure as to which programs exist . entailment +even try to do Trying to complete . entailment +They play something much rarer in the NBA these team basketball . Only one team actually plays team basketball . neutral +Although the techniques used varied depending on the organization 's size and culture and some efforts were more mature than others , the goals , practices , and success factors outlined in the following illustration were instrumental in the organization achieving its vision . The techniques remained the same across the board . contradictory +The memoir of this former ally of the Black Panthers turned scourge of the New Left draws cheers and jeers from predictable quarters . The controversial thing about this memoir is that the subject 's politics change so much throughout their life . neutral +yeah um in North Carolina there was a lot lot of service men from here you know and people really saw that There weren 't any service men from here . contradictory +exactly right that 's see that 's what we did in Girl Scouts and and that got you involved real good and it i think it starts kids out on the right track and it lets them decide if that 's what they enjoy doing something I was never a part of Girl Guides . contradictory +Won 't you both sit down ? asked Sir James . Sir James asked a question . entailment +Finally , leading companies created an environment for their managers that emphasized capturing design and manufacturing knowledge early , before committing substantial investments in a product development that made cancellation a more difficult decision to make . Difficult decisions have lessened . neutral +You can 't commit both crimes--or , at least , not at the same time . It is impossible to commit both crimes at the same time . entailment +The main entrance into Toledo , between the new 16th-century gateway Puerta Nueva de Bisagra and the bullring , stands the Hospital de Tavera equal parts palace , orphanage , and church built by a 16th-century archbishop of Toledo , Juan Pardo de Tavera . Juan Pardo de Tavera was born in the 17th century . contradictory +She was a mother and thirty-three years old , and it seemed to her that everyone , especially someone the baker 's age--a man old enough to be her father--must have children who 'd gone through this special time of cakes and birthday parties . She had three children , the oldest of which was ten . neutral +going back full-time i think is is the way to go Going full-time isn 't the way to do it if you 're going back . contradictory +First , Serb forces massacred 45 ethnic Albanians , including women and a child . Serb forces massacred the Albanian men but did not kill any women or children . contradictory +Though considerably larger , the dark rider fell forward over the merchant . The dark rider was hit with an arrow and fell forward . neutral +i think i did vote for her as a matter of fact i 'm pretty sure i did I am certain that I voted for her . entailment +But then , to gain their support , the Japanese upheld their prestige , restored pensions , and preserved their authority at least in Malay custom and Islamic religion . The Japanese desired their support and acted accordingly . entailment +I 'd love him to see it . I hoped that he would by able to see it . entailment +There is good hiking away from the busy towns , but it is a long hard drive from the French side . The hiking trails are very close to the city . contradictory +Lives of the Monster Dogs tells the story of dogs outfitted with voice boxes and prosthetic hands who move to New York and become socialites . This move is about technologically advanced dogs in New York . entailment +Newsweek ' s photos are better and more numerous . Newsweek has better photos and there are more of them . entailment +At some point , I 'd get off the train and continue on my way . I would spend the rest of my life on this very train . contradictory +( 2 ) is made of a noncorrosive material , and ( 3 ) is easily cleaned ( fiberglass containers are ideal ) . The material is very hard to get clean and corrodes easily . contradictory +Our board 's philosophy was that the money given by the federal government was to help people with basic everyday needs , Saddick said . Some of these needs included buying food and shelter . neutral +The man drank , as did the others . Only the women drank . contradictory +It is so well designed that it can show the position of all things for a thousand centuries in the past or future by turning these cranks on the control , or it will hold the proper present positions for years from its own engine . " It 's beautiful workmanship , " Hanson told him . It is designed to only show the position of things from the past . contradictory +a or a Long John Silver 's or any of those once in a while not often but once in a while We hate places like Long John Silver 's , and never go to any of them . contradictory +Such a powerful visual image certainly didn 't deter the unattractive people from mating with one another--there do seem to be rather a lot of them--while attractive people are in distinctly short supply . The visual image has nearly wiped unattractive people out altogether , with attractive people becoming the most populous group . contradictory +Indeed , compared to the prewar wealthy , the contemporary rich have no apparent class markers . The wealthy are the same , prewar and postwar . contradictory +When she first sang the song , in the musical biography of Fanny Brice , Funny Girl , it was about precisely the Fanny was so obsessed with her public identity that she 'd neglected the personal ; she could love audiences but not individuals . Fanny Brice hated crowds and just wanted to hang out with close friends . contradictory +It is worthwhile to consider the expected future state of the supply of boilermakers . It is not worthwhile to consider the future state of the supply of boilermakers . contradictory +This we unfortunately don 't know . Luckily , we know all about this . contradictory +Today Hong Kong remains a capitalist enclave with its laws and rights intact , and China has promised that Hong Kong will continue in this fashion for at least 50 years . Hong Kong is a terrible place for businesses . contradictory +and there 's a new dollar theater that 's real nice and so uh There 's a new dollar theater that is wonderful . entailment +You know old man Rysdale ? " Albert shook his head . Albert shook his head at the question about the other man . entailment +For unto everyone that hath shall be given , and he shall have but from him that hath not shall be taken away even that which he hath . That which will be given to everyone that hath will be given to them very soon . neutral +The overarching goal has always been-and will always be-the creation of world class legal services delivery systems in which no client or potential client is turned away . The goal has always been to focus on bringing less people into the system . contradictory +In front of the terminal and now serving as a traffic roundabout is the Corsair Obelisk ( Obelisco a los Corsarios ) believed to be the world 's only monument in praise of privateers . The Corsair Obelisk , the world 's only monument that praises privateers , was built in the 17th century . neutral +Although gross national saving in 2000 was low by what most people would consider acceptable . neutral +Among this amazing range of exquisite and colorful finds , there are also important artifacts that help confirm certain archaeological theories about the chronology of Egyptian history such as the slate palate of King Narmer one of the first documents scribed after Egypt became a unified Kingdom . The foundings at Egyptian sites prove that Egypt was once an evolved and culturized Kingdom . neutral +Problems occur in programs when knowledge builds more slowly than commitments to enter product development or production . Problems never occur when knowledge builds more slowly than commitments contradictory +um they have got into a lot of trouble They 're not in trouble , everything is fine . contradictory +food price um but mostly i think you know service and atmosphere are the two things that you know i don 't minds paying little bit if if i don 't have to wait too long to eat and if the service is good the food is good If I have to pay a ten percent surcharge in order not to wait then I will gladly do that . neutral +The water was boiling , but there was still some left . There was some boiling water left . entailment +The consulting service of the office of Ireland 's Chief Herald will help you trace your own ancestry , and if you have a couple of thousand pounds to spare , you can apply for a grant of arms . Applications for a grant of arms take many months to process . neutral +Royal rule was to last for more than a century , with West Indian sugar helping to catapult France to economic supremacy in Europe . North American sugar was helping to catapult France to economic supremacy . contradictory +Finally , to simulate the effects of allowance updating , the value of reallocated allowances can be calculated and subtracted from each unit 's cost of generation - thereby inducing each unit to change its profit-maximizing level of generation in response to a given set of fuel , allowance , and electricity prices . While this may stimulate the effects of updating , it does not guarantee it . neutral +Collaboration with rigorous methodologists is important , but those collaborations have to focus on what can be accomplished specifically in the ED setting . Working with rigorous methodologists is important . entailment +This is believed to be the place where Jesus and his disciples shared the Last Supper , in celebration of the first night of Passover . The building that stands here now is nothing like the building was in Jesus 's time . neutral +In response , some presort firms provide same-day entry and some drop ship to nearby locations . There are a number of locations available . neutral +A longer , self-administered screen-including one administered by computer-should also be tested in the ED . A longer self-administered screen for drinking problems should be used in the ED . neutral +Most people don 't want to vote for a party that constantly succumbs to extortion from an extreme faction . Extreme factions might extort a political party for votes . entailment +And can anybody remember Renee Richards , the transsexual tennis-playing physician ? Does anyone remember the transsexual physician ? entailment +uh-huh well what do you think though um um i don 't know i the the one problem i guess i have and maybe why so many women younger women now are choosing to go outside is i feel that in general in this society that being at home is not looked upon as um a job in itself whereas you know you hear a lot of women that are home saying that it is a job in itself but i know when i was working and i was a an engineer so i was always with men uh and they were single many of them and i tried to explain to them well my day doesn 't end when i leave at i used to leave at three i keep going to eleven at night and they had I am a woman who works as an engineer . neutral +Performance standards will include criteria for ensuring that grantees have effective administrative systems in place and that clients receive quality assistance . Clients will get a cup of coffee with assistance . neutral +The back door of the museum leads to Rua do Bispo ( Street of the Bishop ) , and both this and the parallel street , Rua Queimada Cima , are worth exploring . The Rua Queimada Cima and Rua do Bispo are perpendicular to each other . contradictory +I might have known . " Seeing that he was disposed to offer no resistance , their grip slackened . Seeing that he could not resist , their grip tightened . contradictory +Nowadays , it 's considered more chic to use its French name , the Cete d 'Azur . Using the English name for the Cete d 'Azur has recently been considered chic . contradictory +but that 's all i got to say I have more to say . contradictory +The interim rule has been reviewed under Executive Order The interim rule was reviewed under the Executive Order that the President signed in June . neutral +He looked at her and said , Monday morning . Wednesday morning , he said . contradictory +At the center of gallery 14 is the only stone sarcophagus found on the island . There was a stone sarcophagus found on the island . entailment +While small compared with the higher salaries companies often pay , this advantage may nonetheless influence the job choices of some employees , especially if they are frequent travelers . Higher salaries influence job choices of employees who are frequent travelers . entailment +This question generated , by far , a record number of similarlies all focused on Pat Buchanan 's politics . The similarities between Pat 's politics and the questions generated suggested that the audience was staged . neutral +Which just goes to show you how much power that has , let me tell you . There is not a lot of power involved in that . contradictory +As adult women , those of us who are heterosexual sometimes have a sense of a lost Eden , she writes at one point . She has been writing for many decades . neutral +Figure 3.2 shows the difference between domestic investment and national saving , which is defined in the NIPA as net foreign investment . Figure 3.2 shows how domestic investment and national saving differ . entailment +yeah Lyndon LaRouche that 's it That 's it , Lyndon LaRouche . entailment +Living standards can be compared in terms of real GDP per capita , which historically in the United States has doubled every 35 years . The GDP of the United States has remained unchanged forever . contradictory +it it was nice going up there and see that scenery It was pretty up there . entailment +so they feel like i can talk her into She isn 't interested . neutral +Conservatives have attacked ENDA in several ways--by claiming , for example , that it entails job quotas ( i.e. Conservatives have attacked ENDA in several ways . entailment +However delightful , sightseeing in Paris is only part of the pleasure of a visit . Other things to do includes trying all the local delicacies . neutral +Recommendation follow-up is a shared GAO and agency responsibility . There is a follow-up recommended by some . entailment +yeah yeah i know we we 've shoveled so much aid to Poland and i don 't know of course you don 't hear hear the bad things out of there like you used to but it doesn 't mean they 're not going on it just means the press decided to cover something else We have given a lot of money in aid to Poland . entailment +In addition , it does not require a decision review to enter the demonstration phase of product development . A decision review is required to move into the demonstration phase . contradictory +Am I supposed to look at the ceiling the entire meeting , steal the occasional glance , or just assume it 's a ' 90s thing ? I am very familiar with the 1990s . neutral +The woman looks brainless , an antique statue of Venus with no head . The woman looks like an old sculpture . entailment +oh man oh that 's awful Oh no I hope it improves . neutral +Experience has also shown that specific site issues , while often a planning challenge , have not prevented installations of FGD systems . Experience shows that the specific site issues don 't prevent FGD from being installed in coal mines . neutral +all these things going on no this was i think it was before or after that This series is pretty hard to follow due to its length . neutral +quite creative and appealing to the younger crowd Quite inventive and popular with the younger crowd . entailment +The cockpit was small and cramped with consoles . The cockpit was too small . entailment +Even his pit bulls restrained themselves . Even his pit bulls practiced self-control . entailment +IRS Information Weaknesses Increase Risk of Fraud and Impair Reliability of Management Information ( GAO / AIMD-93-34 , September 22 , 1993 ) IRS information weaknesses have been reported to increase the risk of fraud . entailment +If ISDN or ADSL haven 't come to your block and you want to punish the phone companies for their intransigence , try the DirecPC satellite service from Hughes Electronics . There is ISDN and ADSL offered on your block . contradictory +How about the Ritz ? The Ritz is better than the other options . neutral +These projections assume that discretionary spending grows at the rate of inflation after 2000 . The inflation of the year 2000 was very devastating . neutral +Hosts Mickey and Minnie Mouse , Goofy , Donald Duck , and Pluto wander around in their familiar costumes , posing with visitors but never speaking . Various Disney characters are there to pose with visitors . entailment +Additional billions have been invested in buildings , in part to house the automation . Billions more were invested in buildings to house automation . entailment +oh i don 't know shooting for one for the thumb now is what they were saying but basically everyone that was on the team then is gone now so Everyone that once composed the team is gone now . entailment +you know what i mean how to train them so they 're going to be a blessing and so you know they do that and they they just live lean pretty much they don 't she doesn 't shop at Foley 's you know and stuff like that but a lot women in Dallas shop at Foley 's so Foley 's it 's like a Macy 's kind of store it 's pretty nice and everything 's pretty expensive and you know you just can 't do that and you don 't go to baseball games as much or you get pictures like we did you know what i mean They trained them for only one week . neutral +where where ethnic groups were split up and and our and don 't necessarily have the same uh social structure or value systems as the government The various ethnic groups all share the same values as the Government . contradictory +Return to the B5289 and continue toward the southern tip of Derwent Water . Continue toward the southerin tip of Derwent Water after returning to the B5289 . entailment +The Great Stupa , Stupa I , built in the first century b.c. , envelops a smaller mound erected some 200 years earlier . The Stupa I and its mound were created by the same culture . neutral +More shops can be found on Ben Yehuda Street , King George V Street , and Jaffa Street . There are more shops on other streets like Ben Yehuda street . entailment +was that the animated version Was that cartoon version ? entailment +The goal of this research effort is to catalyze development and implementation of innovative , cost-effective environmental technologies ; develop scientific and engineering information needed by EPA to support regulatory and policy decisions ; and provide technical support and information transfer to ensure effective implementation of environmental regulations and strategies . This research effort aims to develop the engineering and scientific information that the EPA needs to support regulatory and policy decisions . entailment +okay i 'm a meat and potato man yeah I prefer meat and potatoes to green vegetables . neutral +The Washington Post says that Republicans will encourage unity by allowing Smith to retain his committee chairmanship and caucus membership . Republicans don 't want a disruptive change right now . neutral +DEFERRED MAINTENANCE - Maintenance that was not performed when it should have been or was scheduled to be and which , therefore , is put off or delayed for a future period . Deferred maintenance is maintenance performed ahead of schedule . contradictory +Dave Hanson , as you have seen , the sky is falling and must be repaired . The sky needs to be fixed . entailment +uh-huh so so the state is encouraging you to do that The state would prefer for you to do that . entailment +In addition to the financial benefits resulting from GAO 's work , the agency 's efforts also contribute to numerous qualitative improvements in government operations and services . GAO 's work benefits the areas of finance , government operations , and services . entailment +yeah they do i mean i guess i 'm glad you know that um nobody really noticed i guess you could say I was worried they would notice . neutral +no not really i 'm not that up on that sort of thing I just haven 't had much of an interest in learning . neutral +so i 'm not great but i remember it I can recall it , but I am less than fantastic . entailment +It will not be possible again , I fear . The door remains open to further possibilities . contradictory +he doesn 't have one of those Maybe one day he will get one , but right now he doesn 't own one . neutral +The twin span bridge at Grange marks the start of the valley . The valley begins a few hundred miles north of the bridge . contradictory +yeah yeah but then that was back when um you know the high impact and Back then it was low impact that everyone did . contradictory +The research on Glenn will be a decent starting point for space gerontology , but the mission mostly matters for its symbolic value . The research on Glenn is a good start for space gerontology , but it is more symbolic than anything else . entailment +Zarco and Teixeira were appointed co-go ? ζern ? ίrs of Madeira , while Perestrelo was awarded Porto Santo . Zarco and Teixeira were appointed co governers . entailment +At the innermost point , where the ocean 's force is completely spent but the booming waves can still be heard , is a small beach with shaded picnic area adjoining it . The waves are quite loud on the beach . neutral +The blanket was shown , allowing the black to sniff down its surface , before it was flapped back and forth across the colt 's back , and finally left there . The blanket was valuable to retrieve . neutral +Some respondents believed that , although reporting on stewardship items might be warranted , a separate manner of reporting might not . A separate manner of reporting might not be necessary because the primary manner is adequate . neutral +From 1309 to 1377 , Avignon was the papal seat . This particular pope came into power after the previous pope was overthrown . neutral +Vrenna , we move , said Jon . Jon told Vrenna to go right now and flee to the cave . neutral +Oxidants and Asthmatics in Los A Benefits Analysis--Executive Summary . Executive summary of french fries . contradictory +right but see i really think yeah i i think those characters came right off the screen in that story you know it was really enjoyable and and my wife we thought the same thing we were so pleasantly surprised My wife and I were in agreement about the story being amazing . neutral +Today , Normandy offers a welcoming coastline dotted with old seaside resorts , wonders such as Mont-Saint-Michel , and reminders of the battles of D-Day . Normandy is located centrally in France . contradictory +South and west of modern Nara is an ancient area called Nishinokyo ( meaning west of the capital ) , where you will find three important temples . Nishinokyo has three important temples from the 1400 's , and is located south and west of modern Nara . neutral +Other suggestions by participants included moving toward more principle-based accounting rules to provide more substance versus form in reporting . The previous reports were all about structure and very hard to read . neutral +uh we were there for four years We were located there for four years . entailment +But Then Who 's Watching for the English ? Nobody ever wonders who is watching out for the English . contradictory +For a daily critique of China 's media coverage , turn to the independent media watchdog section of Inside China Today . China 's media coverage is critiqued daily . entailment +Boots made from soft goat hide are part of the national costume ( women 's versions have red leather trim around the ankle ) . They wear boots made of cow hide and chicken feathers . contradictory +But despite repeated efforts , Akbar could not extend his empire south . Akbar wanted to expand his empire . entailment +At the third stop they would clash . They would fight every 200 feet . neutral +This area is also home to the Montego Bay Yacht Club , which hosts a number of yachting regattas through the year . It is also home to the Montego Bay Yacht Club , which presents many regattas throughout the year . entailment +It is time for people to realize that things like the law and accounting and reporting standards represent the floor of acceptable behavior and not the ceiling ! things like law and accounting and reporting standards very much are the floor of acceptable behavior contradictory +The witch approached the demon , a black clay bowl in one hand and her wicked knife in the other . The witch gave gifts to the demon . neutral +The two men turned away from the rest of the crowd and faced this new arrival . The two men stared at the new person with disdain . neutral +Choose from the inexpensive trendy cafeteria , the charming Art Deco dining room ( more extensive and expensive menu ) , or the front terrace . The cafeteria is both trendy and inexpensive . entailment +No , but we were both angry , and , I think , said more than we meant . We told each other some extremely hurtful insults . neutral +, obligation document , receiving report , and the invoice ) supporting a disbursement were normally filed centrally at the certifying or disbursing officer 's location for easy access in the event of a management review or outside audit of the payment process . Everything is filed out of the country and away from wear they can be stolen , it isn 't easy to access them but it 's worth it . contradictory +In the distance , Ca 'daan heard the ring of steel on stone and the cheer of a small crowd . Ca 'daan heard the ring of steel on stone and he also heard a small crowd cheering . entailment +there 's lots of shades of greens Green comes in many shades . entailment +Occupying more than 12 hectares ( 30 acres ) , the Dublin Zoo was founded in 1831 , and has greatly improved in recent years ; there are plans for a complete renovation . The Dublin Zoo is small and there 's no plans for renovation at this time . contradictory +As a result , in this study we value avoided premature mortality risk using the value of statistical life approach in the Base Estimate , supplemented by valuation based on an age-adjusted value of statistical life estimate in the Alternative Estimate . As a result , in this study we doubled the premature mature mortality risk in our estimates . contradictory +If things go Ted , I pleaded with the president to make sure we had an exit strategy . I didn 't bother checking whether or not we had an exit strategy . contradictory +GAO is also authorized to inspect an agency 's records to secure the required information . GAO is authorized to inspect the agency 's records to keep the information required . entailment +We must find out who did take that coffee to Mrs. Inglethorp eventually , or who passed through the hall whilst it was standing there . It will be difficult to find out who gave the coffee to Mrs. Inglethorp . neutral +Alternatively , try salmonete ( red mullet ) , mero ( grouper ) , or lenguado ( sole ) . Salmonete will be a better pick compared to lenguado . neutral +so we were i i felt i was losing my family I was very closed to my family in that moment contradictory +The other $ 7 will go the Lawyers ' Assistance Program Inc . , which helps lawyers overcome drug or alcohol addiction and mental illness . The Lawyer 's Assistance Program Inc helps lawyers who suffer from drug or alcohol addiction and have a mental illness . entailment +right that 's same with me would you ever buy a used car for a new car for yourself I usually do buy new cars . neutral +It was kind of a little miracle that I got hold of Frank , Barboza said . Barboza thought it was a miracle to talk to Frank . entailment +no we 've got uh we 've been married forever about eight years eight years two kids that was just It 's been forever since we got married a long time ago - which was eight years ago . entailment +From a tantalus on the table he poured out a few drops of brandy , and forced her to drink them . She doesn 't like alcohol so he took some brandy out of the case and made her drink . neutral +I see , Richard , the CEO of Sport Resort began during a job interview . Richard does not have a job . contradictory +The Coast Guard and the towing industry worked to build the knowledge and skills of entry-level crew members in the industry . The coast guard and towing industry helped develop the skills of new crew members . entailment +2 million in damages , enough to permit the estate to get a judgment and execute on the negatives . The estate was eager to recover the damages that it suffered . neutral +You can say what you like to me , but remember what I 've told you . I do not care what you say to anyone else as long as you remember what I told you . neutral +As he cultivates the impression that he is standing on his convictions in the partial-birth abortion fight , Rick Santorum is in reality doing just the opposite . Rick Santorum 's convictions support the right to partial birth abortions . contradictory +my uh my taxes exceed my mortgage payment My taxes are very low . contradictory +Then I opened my eyes and started babbling in FRENCH ! Next , my eyes opened , and I begin blabbering in FRENCH ! entailment +Control Activities Specific for Information Systems General Control Activities Not Specific to Information Systems . contradictory +Time ' s trend infant massage . Infant massage is a sacred art known by a select few . neutral +but uh the church uh day care that my kids uh they don 't go to a day care you know it 's uh during Sunday School and stuff uh the people there are really nice i take my kids to Sunday School instead of day care entailment +i really do and it 's only fair to the children i think making giving the children an out that they don 't have to speak English is just encouraging them to drop out later on because they 'll never make it through high school The children are not at all encourage to drop out of school by this . contradictory +it almost should be the first twelve people that they you know that have on a list are the ones that are on the jury and that 's it It should be a random twelve people from the full list that should be on the jury and that 's it . contradictory +While new technologies and reengineering of business processes may change how certifying and disbursing officers operate , their basic responsibilities and accountabilities remain unaltered . New technology and reengineering of KFC processes may change . neutral +No Web startup except for Yahoo ! There is no web startup other than Google . contradictory +This is why I don 't like VR . I don 't like VR because it gives me a headache . neutral +It became virtually impossible for Cubans to live on rations alone . Cubans do not live on rations . contradictory +By the 17th century pirate attacks prompted the building of extensive city defenses colossal forts , a chain across the harbor mouth , and prominent city walls making Havana the Bulwark of the West Indies . Pirate attacks against Havana spurred the building of colossal forts . entailment +He couldn 't watch anymore . He sat and watched the whole thing . contradictory +There is still the chance that Dr. Hall may be able to tell us something . It 's possible Dr Hall might know something of value . entailment +Critics argued workers can quit a union if they don 't like its political activities and that any debate about regulating union money should be taken up separately . Workers can quit a union if they don 't like who the leader is . neutral +The liveliest fruit and vegetable market is to be found on Piazza di San Cosimato . Piazza di San Cosimato holds the busiest and best fruit and veg market in town . neutral +The service is needed but the state 's budget crisis means it is not in a position to step in and help . Even though it is a needed service , the state is not able to help . entailment +( Want his respect ? Wanted to be disrespected . contradictory +In addition , there are many aspects of information security , such as risk assessment , policy development , and disaster recovery planning , that require coordinated management attention . Risk assessment is part of information security . entailment +but after i looked at this place and i took Randi with me uh i think just about to every place one place i think i didn 't take her and i just kind of let her go see see what she felt like doing I left Randi at home . contradictory +so part of the thing is when the father and son or father and daughter are hosting this meeting that the week they have to plan it together what they 're going to do when they 're the host the parent and child have to plan the meeting they 're hosting entailment +But one would be wrong . One is wrong . entailment +i mean you can ask and you can wheel and deal but it 's not as open as it it should be it 's a great idea hell i 'd love to cut ours in half but uh man " I love the idea and you can bargain , but it 's not very accessible . " entailment +In addition , attestation engagements performed in accordance with GAGAS are subject to quality control and assurance reviews . Assurance reviews and quality control tests are performed monthly . neutral +yeah but i think we 're bred that way you know i think i think it 's part of the We are raised to think that women cannot hold these positions . neutral +He can speak to Red if he wants to , and there was no damage done to the lunch . Red has been meaning to talk to him . neutral +I never answered questions from the audience ; too risky . I would not take questions from the crowd . entailment +Israel and the Israelis China and Chinese people . contradictory +well they i guess we our our age is showing when we when we think that Our age shows when we think that . entailment +Its coastline , inland waterways , forests , architecture , wine , and food present the good life in abundant variety . This area is uninteresting and offers little to tourists visiting . contradictory +yeah yeah i bet yeah my husband he took one home when they when they had it you know they had a big deadline coming up and it was looking a little touchy to meet so There was a concern that the deadline would be missed . entailment +An example is computerized edit checks built into the system to review the format , existence , and reasonableness of data . Computerized edit checks is an example , but it may change in the future . neutral +somebody you trust you know there are so many rip-off artists here in this town it 's it 's uh it 's really a sin it really is There are many people willing to take advantage of you and your money . neutral +Adrin and Thorn will guard and watch the caves , said Jon . Adrin and Thorn are in charge of watching the caves for the next 12 hours . neutral +The Kentuckian went over to them . There was a man from Kentucky who joined them . entailment +1 billion plus kick in your billfold . Your billfold is empty . contradictory +Callers requiring more detailed advice or continuing legal representation may be referred to legal aid programs , pro bono attorneys or private attorneys . The callers can not get any more advice . contradictory +no she didn 't even she did not even take the sack this is the laziest dog that ever lived This dog isn 't lazy at all , what do you mean . contradictory +Cooper , Robin and Kaplan , Robert S. , Cost and Using Integrated Cost Systems to Drive Profitability and Performance , Harvard Business School Press , 1998 . Robert S. Kaplan also likes to write about wizards and hot dogs . contradictory +This was necessary because of the inadequacy of the Small Business Administration 's definition for television broadcasting stations , the annual receipt data collected by the Commission , and the classification of stations with network affiliation . The Small Business Administration did not define television broadcasting stations well . entailment +I have information that the big coup was planned for early in the new year . I do not have details about when the coup is planned . contradictory +Undertake a series of program evaluation performance pilot projects that are intended to provide in-depth understanding of unique issues facing each program , more relevant and accurate reporting of program activities and resource utilization , performance measures that describe and project program success , information that will lead to an improvement of the overall effectiveness and efficiency of service delivery . Program evaluation performance pilot projects are meant to slow things down . contradictory +A total of 14 completed evaluations were received from participants . The number of evaluations was quite small . neutral +nothing like the fresh outdoors The fresh outdoors is great . entailment +do right exactly and uh Act as per the law . neutral +oh but now i enjoy it every once in a while i mean it 's not something i 'd want to do real often i 'm a sissy i either want to do it in the fall or spring you know It 's a little bit warmer in the spring and that 's why I prefer spring or fall . neutral +to uh uh well connect them into a modem somehow Plug them into a modem somehow . entailment +Many centers also offer an introductory session commonly known as the Discover SCUBA Program . The average cost for a Discover SCUBA Program is only $ 50 . neutral +and um-hum right going and paying six dollars for a ticket for one person at the theater or something so we i have and it 's so convenient at home and you can do it anytime you you take the notion I like to watch movies at home since I can have snacks when I want . neutral +The seascapes and panoramas on this island are enough to tempt any driver to glance away from the serviceable but never-wide-enough roads . The roads are just wide enough for one car . neutral +The President 's proposal for the new department indicates that DHS , in addition to its homeland security responsibilities , will also be responsible for carrying out all other functions of the agencies and programs that are transferred to it . The new department indicates that the FBI must protect the securities of this nation . contradictory +The results have been striking . There have been striking results . entailment +San 'doro spun low and threw one of the daggers twirling end over end . San 'doro ducked and wildly threw one of the daggers , hoping to hit his target . neutral +Good economic news , as the man once said , always comes bundled with bad . Good economic news always comes with bad insurance news . neutral +The Saat Kulesi ( Clock Tower ) , dating from 1901 , is the unofficial symbol of Izmir . The unofficial symbol of Izmir before 1901 was a scared cow . neutral +no i don 't no they 're not they 're it 's it 's too heavy for silver it 's it 's more like lead i think fairly soft Silver can easily fit in it . contradictory +We have given you life as precious as your other life . We sacrificed a great deal to give you this life . neutral +The old western was almost always a tale of a courageous loner imposing order on lawlessness , as in the Wayne films and Shane ( 1953 ) . The old western usually depicts a vigilante in action . neutral +In a networked environment , these risks are magnified because a problem on one computer can affect an entire network of computers within minutes and because users are likely to have easier access to larger amounts of data and the ability to communicate quickly with thousands of others . There is no way to get the large amounts of data back if it is compromised . neutral +Perhaps now , no . Maybe at this moment , no . entailment +Continue along the Quai Saint-Nicolas to the Musee Alsacien at num ? ­ ber 23 , a group of 16th- and 17th-century houses appropriate to the colorful collections of Alsatian folklore . The houses visible at the Musee Alsacien represent all colors of the rainbow . neutral +Sweeping through the Punjab and Gujarat across to the western end of the Ganga valley , Mahmud of Ghazni ( 997 1030 ) used these raids more to finance his empire in Persia and Turkistan than to set up a permanent foothold in India . The Bunjab and Gujarat regions became home to Mahmud of Ghazni , who retreated from India . contradictory +yeah oh yeah Alabama well yeah yeah Alabama i think they 're i think they 're a bit too over exposed i get kind of tired get tired tired of every other song being Alabama on the radio Alabama is currently a popular band . entailment +Hudson County was one of the first to do that kind of work , though not to the extent that Passaic does , says Hudson Legal Aid Director Tim Madden . Hudson County was the last to initiate that sort of work . contradictory +The Saturday market is a joy , as are the narrow streets of the old town east of the busy Rue de la R ? ? publique . Textiles and artwork abound at the weekend market . neutral +As with the private sector , there have been-and will be-many changes in the demographics of the federal workforce , the education and skills required of its workers , and basic employment structures and work arrangements used to accomplish jobs . The private sector does not have any changes in workforce . contradictory +It is unfortunate . " The reluctance in his tone was very evident . He was reluctant and worried they would know . neutral +The Holy City remained a backwater until the 19th century , when renewed interest among Christian pilgrims made it the destination of thousands of travelers each year . The Holy City was one of the most famous in the world until Christian pilgrims started arriving and turned it into a backwater . contradictory +Custom-made garments by skillful Hong Kong tailors are still much in demand and cost less than elsewhere for comparable garments . Custom-made , tailored garments from Hong Kong tailors are not popular . contradictory +no well i believe personally i hope i this is where everyone always says my husband always goes through that i go yeah for one if someone broke in my house i would pray that i would have this faith to to to take authority over that and i know people that have done that i mean i know that there have been people who have had people break in their homes and just say i bind you in Jesus name your i just and rebuke any enemy because i believe it 's a spiritual war that 's going on and it 's not normal for someone to come into someone elses home illegally that 's not normal there 's something going on there and that i would have discernment by the Holy Spirit to be able to pray over that do you see what i mean and then the same in Vietnam you would you wouldn 't handle Vietnam the same way you would handle uh Saddam Hussein I don 't believe anyone would be so wicked as to break into my house . contradictory +No , Felik . Felik heard that . neutral +Reese Topham tells me you are looking for work , preferably with horses . Do you have a lot of experience working with horses ? neutral +The deciding factor in what stays and goes , apart from charm , is often the Who is associated with it ? The people associated with it are often the most important factor in deciding if something stays or if it goes . entailment +On the other hand , 50 women had asked him to put their eggs up for auction . But he was asked by 50 women to put their eggs up for auction , said the article . neutral +After all , experts now believe that losing one baby to SIDS does not increase the likelihood that a family will lose another . SIDS risks are no higher in subsequent kids than they are in the first child the died . neutral +We went straight to the connecting door . We walked past the door , not caring . contradictory +Stop blaming John . John didn 't do it . neutral +and uh you you know they are O and four but i think they 're going to be one and four at the end of today they 're sitting here with two out in the ninth with a uh fifteen to three lead The score is fifteen to three and there 's no way the other team will catch up . neutral +From here , the road continues to cut its way through beautiful , verdant countryside until finally coming to a crest at the pass of Boca da Encumeada ( 626 m / 1,007 ft ) . The road travels through the countryside . entailment +and and the question is how do you forecast that if you had to you know if you had to bet on who would be in the World Series i mean it 'd be really tough It takes a lot of statistical analysis to try and figure out the World Series line-up . neutral +Scenarios C and D are based on the recently published DOE-sponsored report , Scenarios for a Clean Energy Future ( Interlaboratory Working Group , 2000 ; see also , Brown , et al , 2001 ) . The scenarios are based on the recently published DOE-sponsored report . entailment +No , you must be wrong . " As Dave remembered it , Tesla had been plagued by similar doubts from such men as Edison . Dave was an academic who studied conflicts amongst scientists . neutral +The program 's name is derived from the subparagraph of the Immigration and Nationality Act ( INA ) that defines the status , 8 U.S.C. A description in the Immigration and Nationality Act forms the basis of the program 's name . entailment +Afriend recently put me on to a classic demonstration of the phenomenon--the Robbers Cave study . I find the Robbers Cave study very interesting . neutral +This chapter focuses on levels of commitment and support for a planned acquisition by senior managers and users , two key stakeholders in an acquisition . The chapter focuses on levels of commitment and support by senior managers and users . entailment +Cockermouth has some fascinating little shops . There are interesting shops in Cockermouth . entailment +Inside stands a formidable Flamboyant Gothic pulpit , built for the preacher Geiler von Kaysersberg to match his fulminations against the Protestant Reformation . There is no pulpit within , not even a stage . contradictory +We are sending copies of this letter to Senator George V. Voinovich , Chairman , and Senator Max S. Baucus , Ranking Minority Member , Subcommittee on Transportation and Infrastructure , Senate Committee on Environment and Public Works ; Representative Bob Franks , Chairman , and Representative Robert Wise , Jr . , Ranking Democratic Member , Subcommittee on Economic Development , Public Buildings , Hazardous Materials and Pipeline Transportation , Committee on Transportation and Infrastructure ; and to others upon request . Replicas of this letter will be sent to various member of government upon request . entailment +We will say that she is seeking for 156 something and has not yet found it . She was seeking money , fame , and power . neutral +How much ? said the man . Gary wanted to know how much the necklace would cost . neutral +um yeah some i guess like what do you mean like like are you talking about movies like Die Hard Two or Are you talking about movies like Little Orphan Annie ? contradictory +doesn 't have enough depth i don 't think to support him like like Joe Montana got supported with the 49ers Since he doesn 't have as much depth as Joe Montana , he does not receive the same level of support . entailment +Sir ? Is something wrong ? ' Is everything ok sir ? entailment +The town was laid out in 1816 and named for Lord Mandeville , the eldest son of the Duke of Manchester , after whom Manchester Parish was named . The towns of Mandeville and Manchester are named for people important to their early development . entailment +i mean you don 't have to go that far south You can stay more up north . neutral +when you 're solving a problem that if you 're sitting there trying to uh establish a relationship with some physical system uh when you come up with your final formula if you analyze the units of measure they should come out right When solving a problem with a formula , the units should come out right . entailment +We then make for the historic inland towns of Elche , Orihuela , and Murcia , equally within easy reach . They are only a few kilometers away from the coast . neutral +Ignore the proprieties or offend the pride of an Edokko and he will let you know about it , in no uncertain terms ; respect his sense of values and you make a friend for life . If you offend an Edokko , he will let you know that he is upset at you . entailment +I 've got the wind up somehow . I 've got the wind up before the pitch . neutral +Those honorably discharged before Oct. 1 , 1949 , for at least 30-percent disability . Those discharged before the month of October , said the lawyer . neutral +To the Berbers ' amazement the tables were turned , and it wasn 't long before the Ibicencos were boarding the enemy 's brigantines on the open seas and liberating the pirates ' booty even that of the greatly feared Pope ( see box ) . The Berbers are forever unlucky and can not accomplish anything . contradictory +Attorneys praise Zelon for her thorough understanding of the law . Zelon was very intelligent neutral +So little cause for carolings Of such ecstatic soundWas written on terrestrial things Afar or nigh around , That I could think there trembled through His happy good-night airSome blessed Hope , whereof he knew And I was unaware . I will ask him why he is happy . neutral +oh i don 't know i haven 't been i i hope the computer keeping track of them because i 'm not well I 'm keeping track of them myself . contradictory +uh-huh i had a room I didn 't have a room . contradictory +With this group , you hear them regularly say to a person they are honored to practice this kind of law , said Michael DeFabrizio , an NYD2 vice president and the executive producer of the documentary . You never hear people in this group speak favorably about practicing this type of law . contradictory +there 's some There is none at all . contradictory +This old-fashioned resort from the 1970s has been fully renovated ; rooms are spar ? ­ kling and modern . The resort is ancient , originally build in the year 80 BC . contradictory +That 's because theories apply only in certain circumstances , and circumstances change . Most theories apply at least half the time . neutral +The piece of equipment that is not standard that may be needed for SCRs and possibly for FGD systems is a tall-span heavy-lift crane . A tall-span heavy-lift crane could be necessary for SCRs and maybe FGD systems . entailment +The width of the NOEC-LOEC interval is a function of the dilution series , and differs greatly depending on whether a dilution factor of 0.3 or 0.5 is used in the test design . The dilution series may vary dependent on the factors used in design . entailment +no no i 'm in Detroit or not Detroit i 'm in uh California I thought I was in Detroit but no , I 'm in California . entailment +Just as the flow of personal saving affects the stock of financial assets accumulated by households , government saving affects the stock of federal debt . Government saving has no impact on the stock of federal debt . contradictory +For example , the budget projections do not reflect the costs of laws that are regularly extended for a few years at a time , such as continuing payments to farmers that have been provided for the last three years or extending tax credits due to expire . the budget projections do reflect the costs contradictory +'That 's because I 'm a lot smarter than you , Ben . I told Ben that I was smarter than him . entailment +oh see yeah well if you if you liked Beetlejuice you 'll probably like Edward Scissorhands if you didn 't like Beetlejuice you 'll probably won 't like Edward Scissorhands Beetlejuice and Edward Scissorhands tend to be enjoyed by the same people . entailment +and uh along with all the other uh uh plants i 've got in the house a lot of different types I have a lot of different types of plants , too many . neutral +I wish I was that good at anything . I am not good at that . entailment +i remember when i first took my kids out uh fishing and again i was with my two sons and not with my daughter but uh no i was with my oldest son uh my youngest son wasn 't old enough or i didn 't think he was old enough to take out and uh uh we caught this fish it was uh it was a fairly large size fish and he was very very proud it of he put it on the backseat on the floor and it was waggling around and we we came home and he uh he wanted to show his mom what he caught because it was his first fish and he wanted to put it in the bathtub so she told him no he couldn 't do it but he did it anyway fill the water filled the bathtub full of water and uh I went fishing with my sons , but not my daughter because she wasn 't old enough . contradictory +In the preamble to the interim rule , VA clearly states that the effective date of the rule is November 25 , 1991 , the date of the Court of Veterans Appeals decision that invalidated the former regulations . Former regulations were invalidated on November 25 , 1991 . entailment +A Sultan for Delhi Delhi had no Sultan . contradictory +It 's no fun to strap that stuff on when the thermometer hits the upper 90s . When the temperature reaches the high 90s , the stuff has to be strapped on . entailment +Demonstrations on television never look right . The protests looked perfect on TV . contradictory +wonder what they 'll call if she was married and wonder if they 'll refer to him as the first husband She is not married , so there will be no first husband , I guess . contradictory +Either way , Mother Teresa is a shoo-in . Mother Teresa is an easy choice . entailment +um-hum yes i noticed uh when we moved to Plano that um the mall here Collin Creek Mall i don 't know where you are but um There is a mall in Collin Creek . entailment +Islam has refrained from such an expedient . No such means to an end has been seen in Islam . entailment +care provider House sitter . contradictory +It bears on it in this way , is it not a fact that Mrs. Vandemeyer committed a young relative of hers to your charge ? Julius leaned forward eagerly . Mrs. Vandemeyer sent a young relative to live with the person Julius is speaking too . entailment +Doors of solid silver open onto the multicolored , stylish d ? ? cor of marble , mahogany , and ivory . The doors contain more ivory than marble . neutral +At the moment , he was relatively free for the first time since they had brought him here , and he wanted to make sure that he could make the most use of the fact . He had hoped for free time since he had arrived here . neutral +Blum 's informants also mislead her in their appeal to chemistry as an ultimate explanation of sex differences . Blum says that without chemistry , there wouldn 't be differences in sexes neutral +The critics praise Kidder 's reporting , but most find the discursive style slow going . The critics praise Kidder 's reporting because he is very detailed , even if a lot of viewers see his style as slow going . neutral +That would be credibility worth fighting for . It took him decades to build his credibility . neutral +I remember that some people complained President Eisenhower was distracted from the business of his office because he was out playing golf so much . President Eisenhower was actually distracted from his office because of golf . neutral +Where feasible , this should include power plants both within the conventionally defined electric utility sector as well as electricity generated by industrial cogenerators and other independent power producers . Industrial cogenerators and other independent producers should receive subsidies . neutral +Then he walked up Shaftesbury Avenue , finally turning off into the maze of mean streets round Soho . He went into the maze of streets in Soho . entailment +In the valley , at least the main street of principal villages is paved and accessible by taxi and bus , though the slower pace of walking or cycling is the most pleasant way to enter this world where time seems to have stopped . In the valley walking or cycling is the most pleasant way to see all of the old temples . neutral +Adjacent to the church is the Laurentian Library ( Biblioteca Laurenziana ) , commissioned in 1524 and most known for the graceful cloisters and monumental Michelangelo-designed stairway . For the past 400 years , the Laurentian Library has continually offered its services to the community . neutral +hope you enjoy some more good movies lately Hope you have been studying all the time . contradictory +Although the cause is just , the less than $ 40K starting salary reflects no equality in the marketplace and the law school loan can be larger than a mortgage . The less than $ 40K starting salary reflects no equality in the marketplace , and law school loan can be larger than a mortgage , although the cause is just . entailment +Is quitting the administration ( though not , apparently , on principle ) . Ken is quitting the administration game . neutral +A piece suggests that Americans aren 't seduced by Republican offers of a generous federal tax cut . Americans don 't feel the federal tax cut is that generous . neutral +i just finished working on the brakes i just finished replacing the worn-out brakes neutral +but thanks a lot thank you very much all the same entailment +It was the second day of the Exotic Poultry Producers Association meeting held at the palace in sciegno . It was opening day for the meeting and people were excited . contradictory +The visitors are , indeed , using you , but you 've permitted it . You have permitted the visitors to use you . entailment +Freak Street , leading off this square , was once the hub of Kathmandu 's hippie scene . Clown Street used to be the hippie scene hub in Kathmandu . contradictory +yeah yeah no i can remember way back back in those days when i was in school the i think the only time we only really watched the news and this tells you how old i was was during the Cuban missile crisis I remember when would watch them a long time ago but I haven 't since I was ten . neutral +The next day everyone insisted it was just a misunderstanding . The next day it was clear the misunderstanding was the result of deep seated conflicts . contradictory +Beyond the regularly scheduled meetings , three organizations had created committees to perform specific tasks , such as policy setting , that allowed for greater contact between some members and more topic-based information sharing . Only one organization created a committee to perform special tasks . contradictory +If this option is exercised , GAO will send a letter to the original requester and each co-requester documenting this agreement . GAO will send a letter if this option is exercised . entailment +It was to be hoped that Julius would arrive better provided . It was somewhat expected that Julius would come better equipped . entailment +because the whole idea of that waiting period was so that uh it uh the police could check up on you The waiting period allows time for the police to look at you . entailment +you know i i agree with that because i see people that i know a again from high school that i still keep in touch with that didn 't go to college and I don 't keep in touch with people from high school that didn 't go to college . contradictory +yeah wouldn 't that be awful if you were If that is the case , it is terrible . neutral +The mind is confused ? The mind is confused ? entailment +and so i started watching it and all of a sudden stay tuned next week and i went what It ended on a cliffhanger for that week . entailment +um wow often how often do you go out to the baseball park How often do you get to go to the Mets ballpark ? neutral +Slate does or can treat Microsoft just as we would if it were not our employer . Slate would be unable to treat Microsoft differently . contradictory +have a good day bye-bye Have a pleasant day . entailment +So is this Mach 3 an improvement or a mockery of consumer gullibility ? Is the Mach 3 worse than the previous versions ? contradictory +And those few who 've not yet plummeted to a fiery death possess so vivid a sense of their own mortality , that they 'd instantly cancel Larry King . OK , look at it this If more congressmen and CNN executives rode the New York City subway , then trains , not planes , would suffer from unrelenting crowding , lack of privacy , infrequent communications with family and the outside world . Larry King has a show on CNN and it is very popular . neutral +North of the Abbey Theatre and parallel with O 'Connell Street in Marlborough Street is the Catholic St. Mary 's Pro-Cathedral , the main Catholic parish church of the city center , built in 1816-1825 . The parish is active in the community , doing extensive charity work . neutral +These appear to be in adequate supply and are not essential , since the erection plan can be modified to accommodate the use of smaller cranes , which are frequently more economical . They appear to have a lot a supply and aren 't essential . entailment +However , GAO will accept comments provided in hard copy , orally , or in an unsigned e-mail message . At first GAO only accepted hard copy comments . neutral +Many , including Philip of Macedon , Alexander the Great 's father , traveled here to be initiated into its inner circle . Alexander the Great 's father was initiated into its inner circle . entailment +The opposite ( west ) end of the park borders on Shibuya , where you can visit NHK Broadcasting Ceter , headquarters for Japan 's public television network a must for anyone wishing to see how samurai epics are made . Shibuya is a place where you can visit the headquarters of the Japanese public TV network . entailment +yeah yeah we don 't really have a problem with that um in these areas um and even even when in Oklahoma when we camped i really didn 't notice a problem with bugs and i noticed that i know that i said that 's i 've i 've lived back east before um and We didn 't notice a bug problem . entailment +The Turks lost a short war with Italy , and were forced to relinquish the Dodecanese islands to the Italians . The Turks had to give the Dodecanese islands to Italy after the war . entailment +The rule was determined to be an economically significant regulatory action under Executive Order No . The rule was determined to be an environment action under the Executive order . contradictory +She crowded closer , nickered plaintively . She kept her distance . contradictory +For information about Italy 's music festivals ( as well as theater and film ) refer to the web site & lt ; www.italiafestival.it & gt ; . Refer to the web site < www.italiafestival.it > to find information about Italy 's music festivals , as well as theater and film . entailment +um but it was it was really good um One thing it was good , really good . entailment +The whole journey on this steamer takes about an hour . This steamer journey will end in about one hour . entailment +I come now to the events of the 16th and 17th of that month . I come to the events regularly entailment +huh um-hum uh right and uh there for a while that would that works we 've uh That works for a while . entailment +yeah it 's a top rated institution and now i It is not a good institution . contradictory +Above ground again , 40,000 rare books and manuscripts of immeasurable beauty and value are preserved in the biblioteca ( library ) created by Felipe II . The library , or biblioteca , contains a priceless collection of books and manuscripts . entailment +Mr. Erlenborn 's career of public service has spanned four decades . Mr. Erlenborn has worked over 40 years with the government . entailment +The stubborn Americans came back again in 1853 , with Commodore Matthew Perry bringing for the shogun ( whom he mistook for the emperor ) a polite but insistent letter from President Millard Fillmore and a promise to return the next year , with a bigger squadron , for a positive response . The shogun was insulted at Commodore Matthew Perry 's mistake . neutral +music to listen to but and i back a long time ago when the rap music first came out it was kind of a novelty and i listened to some of it but i you know now that there 's just a million rap groups and Rap continues to be a rare novelty today . contradictory +so what kind of garden do you have What type of garden are you growing ? entailment +By her last will , dated August of last year , after various unimportant legacies to servants , etc . , she gave her entire fortune to her stepson , Mr. John Cavendish . " John Cavendish was left with nothing from his stepmother 's fortune . contradictory +As Mahadev , he is lord of reproduction represented by the lingam , a phallus symbol often appearing in his temples as a stump of stone rising from the female symbol , a disk called the yoni . He is lord of reproduction presented by the lingam as Mahadev , a phallus symbol often appearing in his temples as a stump of stone rising from the female symbol , a disk called the yoni . entailment +Second , if federal budget surpluses are achieved , in part , through higher taxes , those higher taxes reduce households ' disposable personal income . The surplus should not be achieved by raising taxes . neutral +If you watch the action closely , you can learn a lot about Indian people by what makes them cheer , laugh , or weep . The actions of an Indian person can tell what makes them cheer , laugh or weep . neutral +one was a store and one was like a a fast food place i think it chicken or something i don 't know anyway they raped the women They raped the women in both stores . neutral +But hang me , ef you don 't look sick ur half starved ! You look healthy and perfect . contradictory +Its subject isn 't the power of enchantment but the power of Benigni to celebrate , Jerry Lewis-like , his own beautiful martyrdom . Benigni is martyred for his Christian religious beliefs . neutral +The staff at 0-1 Computer were disappointed , they had expected Cod to fuse with a desk . The never thought that God would fuse with a desk . contradictory +and i love to do all kinds of crafts and stuff like that I enjoy woodworking and making birdhouses a lot . neutral +um yeah it 's it 's so i don 't know i mean so it i mean getting back to the budget it 's i guess the the fundamental thing is to give people a concrete get people to agree on a concrete idea of just exactly what government is supposed to be doing for them no more no less and cut government back down to that size People should know what the government is supposed to do so they can hold them to that standard . neutral +Potato and sugar crops were also badly affected during this period . Potato and sugar crops had bumper yields during this period . contradictory +This database serves both GAO and the agencies by helping them meet their record maintenance and monitoring responsibilities . Agencies are forbidden to share records or databases . contradictory +They watched me constantly for weeks . They had at least one person monitoring me all day for weeks . neutral +and they were off both off a week sick because they were just it 's just like it took them a little longer to hit it hit and it hit them and they were just like calling into work going oh i 'm miserable i 'm i 'm just They had a very high fever and vomited almost every hour . neutral +In part , hotline workers gain immigrants ' faith because they understand where their callers are coming from--literally . No one understands where immigrants come from . contradictory +As for me , I 'm going to make some French toast . Nobody has decided to make French toast as a dish . contradictory +The biggest is from KL to the Batu Caves . The smallest is from KL to the Batu caves . contradictory +Early missionaries used to say tiens , bois ! The meaning of this is widely unknown to the general public . neutral +Avenue Foch , leading away from l 'Etoile to the Bois de Boulogne , is one of the most majestic of the city 's residential avenues . Avenue Foch is one of the most majestic of the city 's residential avenues . entailment +Leaders conceptualized new approaches to improve performance and engaged employees and managers in shaping the implementation of that vision . Employees and managers helped in shaping the implementation of leaders ' vision . entailment +Look out for Robert le Lorrain 's fine sculpted horses of Apollo over the old stables in the second courtyard . Sculptures of horses can be seen in the second courtyard . entailment +uh-huh right yeah watch yeah yeah i don 't blame you I blame you . contradictory +Imagine Minoans at play here as depicted on the pottery and frescoes in the Archaeological Museum in Iraklion ' aacrobats and dancers as well as the famed bull leapers . The frescoes in Iraklion 's Archaeological Museum show what the Minoans used to do here . entailment +The church 's name means in the country , because the first one to be built on this site was outside the city walls . The city was sprawling , but the church was chosen to be built in the country so it would be more peaceful . neutral +sure is neat I find it interesting . entailment +143 " He 's got away . " He was unable to get away . contradictory +This is the area for romantic private getaways . Only one person at a time is allowed into this area . contradictory +Hold it while I get my penknife . " The unbelievable had happened . As expected it had happened and now there was nothing that could be done . contradictory +She was anxious to find some stamps , and , according to my theory , she tried her own keys in the desk . She tried her own key in the desk in the hopes of finding stamps . entailment +The SEC plays an important role through its responsibilities to regulate activities of public companies and their auditors and to conduct related enforcement actions , as well as to establish and sustain the new Public Company Accounting Oversight Board ( PCAOB ) established by the Sarbanes-Oxley Act of 2002 until the PCAOB is certified by the SEC as ready to operate . The SEC is an enforcer of companies in the public spotlight . neutral +oh okay because uh the ones that we use you you know are like Unix base systems and so they don 't have a disk drive you know so you can 't you you the only way that you can do it is through a modem We use a something that closely resembles a Unix base system . entailment +of course you couldn 't have known two to three years ago when you were making this decision what the taxes were going to do now the child care what you do pay doesn 't not even worth a hill of beans on your tax return can 't deduct it so what 's it good for You couldn 't predict what would happen with taxes . entailment +4 The DSM insults the victims of traumas and societal injustice by calling their problems mental disorders , thus implying that the victims are wacko and have brought their problems on themselves . The victims had no choice when they get help but to get classified as such , even though they were served injustice and had no part to play in their situation . neutral +It is still used to grind oatmeal and whole-wheat flour , which is available for sale . It is possible to buy oatmeal and whole-wheat flour . entailment +The Monument of Ages was square in the middle of the park . There 's a monument in the middle of the park . entailment +' The secret formula for the pendant was closely guarded by its U.S. manufacturers , the Bioelectrical Shield Co . , the newspaper said , quoting its British representative as saying he believed that Mrs. Blair had decided to buy one after a recommendation from Hillary Clinton . The U.S. manufacturers guarded the secret formula . entailment +I 'm trying to get away from the mortgage industry in Colorado , he said . He will get away from the mortgage industry in Colorado . neutral +Like Trader Joe 's , Restoration Hardware does not carry lines but rather selects individual items that seem to capture the store 's spirit , many of which are made exclusively for the chain . Carrying lines is what Restoration Hardware and Trader Joe 's are best at . contradictory +Still , there 's a certain irony in Grove 's ascent to elder statesman , because the idea of him as shaper of the future makes it easy to miss how much Grove and Intel were products of what 's now described as the corporate past . It is worth noting that that the goods of today were mentioned in the past by the corporations . entailment +So look for warmer weather ahead . The sun should be out for the next few days . neutral +I knew you found something , said Tuppence reproachfully . Tuppence rudely stated , " I knew you had a discovery . " entailment +The Nazis initiated a ruthless campaign in 1940 , rounding up intellectuals , Jews , and others , executing some in the streets and deporting others to concentration camps in the occupied territory . Jews , as well as homosexuals , the disabled and other undesirables were targeted by Nazi programs in 1940 . neutral +Accordingly , some participants believed that it is time to think about having the SEC operate independently in setting its own funding levels , like the Federal Reserve , and to let the SEC determine and set its own fees , with industry participation , for the activities it conducts . The SEC is the Securities and Exchange Commission operating in the United States . neutral +She had , however , little to tell . She was able to fill in a lot of new details about the event . contradictory +Privileged and Confidential Information Information that 's privileged and confidential entailment +That usually means hold your wallet , Forbes answered . " Slow your roll " usually means hold your wallet . neutral +It is hard to imagine , though , why any government would embargo such a product , unless the plastic surgeons ' lobby has already got to them . If the plastic surgeons ' lobby has already gotten to the government , it makes sense that they would embargo such a product . entailment +LSC attorneys representing commuter aliens who migrate daily would be placed in the predicament of representing such aliens only in claims that happened to arise during the portion of the day when the alien was in the United States . LSC attorneys will represent commuter aliens in any and all claims regardless of the country in which they occur . contradictory +um-hum what is the yeah that and then you have well then you have the well no Mexicans they they don 't take over too much they just they just make more money Immigrants are stealing all of our jobs . neutral +It would be much cheaper for the Baby Bells , with local facilities and a built-in customer base , to break into the long-distance market . In order for Baby Bells to grow , they should think about expanding to a wider demographic . neutral +The streets running parallel to Princes Street in the New Town also have shops and boutiques , and there are several antique shops on the Georgian streets north of Queen Street . Just outside of that immediate area are several great places to get lunch . neutral +Two days after the news leaked out , Barnes confirmed Tuesday he will go to work for the nonprofit group for six months , donating his time to handle cases on behalf of lowincome Georgians . Barnes will be working five days a week for the nonprofit group . neutral +In a magical space looking out over the sea , the beautifully sculpted columns of the cloister create a perfect framework of grace and delicacy for a moment 's meditation . A moment of meditation is desired by everyone . neutral +we were talking about that just today We were just talking about that today . entailment +Windermere and nearby Bowness became major resort towns . Windermere and Bowness never managed to become major resort towns . contradictory +There was a brighter glow beyond . There was a dim glow beyond . contradictory +For example , one such waiver allowed ARL to eliminate redundant reviews of certain procurements , thereby saving 5 workdays on each procurement . The waiver no longer exists due to worker protests . neutral +Most of the remains seen at the site today constitute the second palace built following the disaster which also coincided with a Golden Age of Minoan society or the New Palace era 1700 b.c. , when the people were rich through trade , and artistic endeavor was at its peak . A second palace was built on the site after the disaster , and some of it still remains today . entailment +A couple of serious Before removing any components , you must save copies onto a floppy disk . You have to save copies onto a floppy disk you will destroy the files . neutral +This point will occur before the debt held by the public is eliminated , and the resulting accumulation of cash will require decisions about what to do with these cash balances . The point will occur before the debt held by the public is eliminated . entailment +Figure 3.5 is not solely a warning . Figure 3.5 warns of the dangers of having a fishing license . neutral +Reform and Orthodox Jews come to blows at the Western Wall ; followers of different Christian traditions break into fist fights over the rights to millimeters of space inside the Church of the Holy Sepulcher . There are fights over which Christian group has right to the space in the Church of the Holy Sepulcher . neutral +The godless north has guns that kill us from afar . The northern gods and their guns are deadly as can be . contradictory +and maybe we 'll get to talk again okay bye-bye Goodbye and good riddance . contradictory +they don 't mash they don 't compress at all and they stay forever They begin to biodegrade after one week . contradictory +One unusual attraction not mentioned in the official tourist literature is Beppu 's sex museum , which is famous throughout Japan . There isn 't much information available on Beppu 's sex museum . entailment +Though I think also that this was no true wild one . I could tell because of it 's behavior around its ' handlers . neutral +ended up coming back but uh yeah the weather out there was uh-huh it it could get a little bit a little bit interesting now and again The weather was okay , I wish it were much better though . neutral +Thus , the fact that a study involves only one or a few sites does not automatically make it a case study . It is not always a case study just because it only involves a few sites . entailment +yeah it it 's a little disturbing That is pretty bothersome to me . neutral +yeah or they can 't yeah they just can 't Yeah , they can 't take away your rights neutral +The two men watched for a moment , then picked up their apparatus and turned to go . The two men watched completely awestruck , unable to move . contradictory +The nearby St. John 's Church , Caletta 's first cathedral , is an Indian version of London 's St. Martin-in-the-Fields ; look in the south aisle for John Zoffany 's amusing painting of The Last Supper . There is a rendition of The Last Supper in St. John 's Church . entailment +i uh was thinking about salaries and benefits and uh was wondering what 's the most important thing to you besides a salary in a job There are other things about a job that are more important than money . neutral +No , by gum , I 've got it ! No , I don 't have it ! contradictory +Early Habitation Habitation in the early years . entailment +EPA subsequently sent the information collection requirements to the Office of Management and Budget for approval under the Act . The EPA is the environmental protection agency and regulates environmental policy in accordance to the will of the people . neutral +According to the preamble , the final rule was reviewed pursuant to Executive Order No . The Executive Order No. was discussed prior to the preamble . neutral +is that a U S territory though I remember each and every U.S. territory . contradictory +Indeed , Said and other rejectionists showed a perverse glee when Israel 's dovish Labor Party was defeated by Benjamin Netanyahu 's Likud . The Labor Party should have been natural ally to a person like Said . neutral +The Weekly Standard has been eloquently critical of Republican neo-isolationism and is pushing something called National Greatness conservatism , a program of muscular American engagement around the globe . Neo-isolationism has been criticized by The Weekly Standard . entailment +But mostly there is the spectacle of technique brought to bear on form ; and although this is a minimal definition of art , there is nothing minimal about the results . The art technique is overly complicated and has many steps . contradictory +For each household in Diary Survey from 1986 to 1994 , BLS computes a sampling weight giving the representativeness of that household in the population of US households during the year it is sampled Each population gets a certain sampling weight . entailment +uh why is it so sacred to have it on Tuesday and uh why couldn 't it be Friday and Saturday i don 't know what the ideal day is if you 're trying to catch a weekend or maybe just Tuesday and Wednesday i 'll bet you 'd get a lot more people i think the news media has really they jump in there and they uh tell you the the that who won before seven thirty and before the elections before the polls are closed Why is it so sacred to have it on Tuesday , since that 's so inconvenient for everyone ? neutral +Before purchasing , visitors should make sure of compatibility with systems in their own countries . There are no compatibility issues with Hong Kong purchases and systems in other countries . contradictory +now that 's we we don 't have that that 's neat It is good , but we don 't have it . entailment +but oh yeah yeah and the Mitsubishi three thousand GT is the same same yeah well that 's that 's that 's the same manufacturer and stuff so they just market them but uh yeah those are and those are supposed to be The Mitsubishi 3000 GT is a really sweet car . neutral +The Clinton administration has done plenty to fuel suspicion of all kinds . The Clinton 's aren 't suspicious at all contradictory +What separated him from them ? He stayed with the group the whole time . contradictory +LAD will lose more than $ 870,000 for legal aid in Wayne County , nearly half of the state 's total loss , said Weir . They lost almost 50 % of the total amount allocated for their state . entailment +i think this year they 're going to really uh show some talent They are a terrible team because every player sucks . contradictory +East of the Palais-Royal , the old food markets of Les Halles ( now moved to less colorful surroundings in the suburb of Rungis ) have been replaced by gardens , new apartment buildings , and the Forum des Halles , a rather garish shopping center . The old food markets were removed . entailment +By using the Web in this way , a campaign can convert mass support into grass roots support . A campaign can benefit from grass roots support early in a campaign . neutral +no i don 't watch that show No , I don 't like seeing that show . entailment +Youth ! The word seemed to depress the Astronomer . Youth ! The word appeared to thrill the Astronomer . contradictory +Maybe members want to cast their own votes , but they still like to hear what their union says . People want to be able to cast their own votes , but they still care what their union says . entailment +All you need is a pair of comfortable shoes and a map . All you need is comfortable shoes and a map . neutral +Becker , Beijing bureau chief for the South China Morning Post , describes in gory detail how Mao Tse-tung 's industrialization program , the Great Leap Forward of 1958 , created a devastating famine--30 million dead , more than the combined tolls of Hitler and Stalin . According to Becker , Mao Tse-tung is known to have created a terrible famine , but that is not the truth . contradictory +Walk right in . Get out of that place . contradictory +Oh dear , of course something could be done , but I don 't have the time right now . I don 't have time to do anything about it . entailment +Privatization enthusiasts sometimes admit to this as a transitional problem . Transitioning to privatization has never been a problem . contradictory +Ah ! murmured Poirot to himself . Poirot didn 't know what to think . contradictory +so that 's too much There is too much mileage . neutral +In order to achieve these budgetary reductions , GAO staff was reduced by 39 percent . GAO let go of lots of people . neutral +Oaths of fealty were demanded from Scottish nobles , while English officials were installed to oversee the running of the country . English officials were not allowed to rule to country . contradictory +This is a weighted average of the various discounts available for presorting and barcoding . There are over 20 discounts available for presorting and barcoding . neutral +A case can be made that Velvet Goldmine isn 't fully filled in , and that Haynes , who has never shaken off his background as a semiotics major , has made a movie that 's all signifiers . Haynes majored in semiotics . entailment +She was very silent , hardly opening her lips , and yet in some queer way I felt that the great strength of her personality was dominating us all . Although she was quiet , she exuded great strength and personality . entailment +He thinks it justice , " she said . She talked about his thoughts . entailment +In Three Kings , those debacles spring from the blind desires of nations--from the collective unconscious . It 's this exploration of the collective unconscious that makes Three Kings so thought-provoking . neutral +Locating the SCR in an elevated location near the boiler economizer and air preheater is frequently done to minimize the length of ductwork ( with the associated pressure loss ) and because no additional real estate is necessary for the SCR reactor . Ductwork is a significant contributor to installation time for SCRs . neutral +Tuppence had left the key in her door . She was looking all over for her key and couldn 't find it . neutral +Nor is he of any use as an instructional hero--neither a democrat nor a capitalist , he gives little comfort to modern Germany . He is of little use to modern Germany . entailment +During the Spanish Civil War , it was a stronghold of the pro-Franco forces , who held out during a 72-day siege that all but destroyed it . It was a stronghold of pro-franco forces but it was nearly destroyed . entailment +Highway contract carriers have compensation much lower than rural carriers . Highway contract carriers have much riskier jobs than rural carriers . neutral +well it 's been nice talking to you about it i have to admit it 's something i hadn 't thought of before it it is interesting to think about it I had a great time learning something new from you entailment +Others are part of larger organizations that focus on specific populations or legal problems . Large organizations have many legal problems neutral +uh through most of the eighties so i each each year i just sold my tickets i had some people take custody of my tickets for me i served uh three years four years in Malaysia and three in the Philippines I sold my tickets since I was in Malaysia and the Philippines . entailment +yes well i i don 't know anyone who paid cash for a house that 's for sure yeah you don 't have much um i I sure don 't know anyone who paid cash for a house . entailment +if like you know you could go to a Chinese restaurant and eat the right um Italian you know that You will never go to a Chinese restaurant . contradictory +As a result , the murder rate there is now the highest in the world--61 per 100,000 people . The highest murder rate in the world is there . entailment +Faith is subjective --discovered within . Faith is objective . contradictory +It is a joy to wander Alberobello 's two neighborhoods of trulli whose houses , shops , and even churches Rioni Monti and Aia Piccola are protected as a zona monumentale . It 's nice to wander around the historic neighborhood . entailment +We all project our own views and experiences onto the First Marriage . Our own views and experiences are projected into Third Marriage . contradictory +Specifically , for fiscal year 2001 , the senior executive in the Nashville regional office had a target for his office for an abandoned telephone call rate of not more than 5 percent for customers ' inquiries of VBA 's benefit programs , such as compensation and pension services . The senior executive of the Nashville office is unconcerned with abandoned calls . contradictory +yeah i live live and die with them I live and die without them . contradictory +A number of golf tournaments are held here every year . Golf tournaments are never held here . contradictory +Songs have traditionally been sung by men relating the hard life of the farmer or fisherman and including an element of sentimentality rarely expressed in other areas of a Greek male 's life . Farmers and fishermen live hard lives here . entailment +There are half a dozen museums tucked into an elbow of the canal , but not all of them are worth seeing . At the elbow of the canal , there are about six museums , a few of which are best avoided . entailment +Last week she called on Republican women to set an example and refuse to be drawn into dead-end debates about something that is not going to happen . She asked a Republican to make an example . entailment +The second is to provide resources relevant to the cases and projects listed on the website by making available materials ( such as forms and briefing information ) relevant to the cases listed on the website and electronic access to experts who will assist the pro bono attorney . Providing evidence can help solve a case . entailment +Clinton 's spokesmen have learned to brush off Republican critics of engagement by quoting the policy 's Republican defenders . Clinton 's strategy to brush off Republican critics is to simply point out that the policies are made by Republican themselves . neutral +transferring entity . The entity was transferred . neutral +The 59-story , black Tour Montparnasse may be an egregious eyesore , but the view from the top is marvelous ( 33 avenue du Maine , open daily 9 : 30am-10pm ) . The Tour Montparnasse is fifty-nine stories tall . entailment +that 's uh that 's uh the main reason i think uh everywhere because uh you have deaths i mean i mean you have murders and you have you know people stealing other people 's stuff and that 's a lot of it has to do with drugs Murders and thefts have nothing to do with drugs . contradictory +His son Bill was a professor in the Princeton math department , and his granddaughter Julie was my best friend . He was proud of his son Bill for working at Princeton University . neutral +Archaeologists argue that treasure-seekers wreck artifacts . Archeologists signed a petition for banning all treasure-seeking activities . neutral +'And trust me when I say , it 's the absolute best you 're going to get . ' 'Money , cars , women . I know that 's what you want and that 's what you 're going to get . " neutral +Both emissions count in achieving the goal of recovery . Every bit counts with respect to achieving recovery . neutral +we didn 't have any lawn and garden type duties so we 're just learning the ropes here and They gave us all garden duties that needed to be done every day . contradictory +They track , and are built on the LSC Performance Criteria and ABA Standards for Providers of Civil Legal Services to the Poor . A government agency is tracking compliance with ABA standards . neutral +P.S. : Another distinction between Wolf and Magnet is that Bush didn 't pay Magnet anything for his advice , while Gore valued Wolf 's at $ 15,000 a month . There is no distinction between Magnet and Wolf . contradictory +The confusion isn 't overwhelmingly important , of course . They did not know what was going on . neutral +Or is it ? It definitely isn 't . contradictory +This thoroughly noble goddess , with beautiful cheekbones , lips , and eyes , and wearing a fanciful headdress , may be 2,500 years old . The goddess was worshiped by many . neutral +He is preaching to the kinds of middle Americans that liberal activists long ago gave up for dead . He is reaching a group of people that are looking for a leader . neutral +A whole Lincoln bedroom full of cliches , says Newsday ' s John Anderson . Newsday 's John Anderson referred to it as a whole Lincoln bedroom of cliches . entailment +The lawyers provide expert legal service for indigent people who need help with divorces , custody battles , and other family law matters . Indigent people were not provided legal service by the lawyers . contradictory +First , the state must find doctors willing to do the job . It 's important for the state to find willing doctors first . entailment +Economic Policy in Our Time . Economic policy before our time . contradictory +Of course , not all attorneys concur with every decision Zelon makes in court . All the attorneys are in agreement with every ruling by Zelon . contradictory +Any referral which is not a case as defined by the CSR system can be counted as a matter . Any referral which is not a case as defined by the CSR system CANNOT be counted as a matter . contradictory +A repetition of the signal knock sounded on the door below , and Tommy , his mind made up , slipped quickly into the recess , and cautiously drew the curtain farther across so that it shielded him completely from sight . Hearing the signal knock , Tommy rushed downstairs to greet the visitor . contradictory +A cross-check of names and addresses of known student donors with persons who left the occupation spot in other FEC filings blank ( or listed college names / other employment ) revealed another $ 800,000 in gifts from the same donors . They wanted to make sure all the donations were accounted for . neutral +The new deterring nuclear , biological , or chemical warfare by lesser powers ( formalizing President Bush 's implicit warning to Saddam Hussein during the Gulf War ) . President Bush had applauded Saddam Huessein about his tactics . contradictory +we can laugh about it i mean your not laughing about it then too much i mean you know afterwards it 's it 's it 's kind of a nice memory to think gee i survived that we 'll always need the uh feather bed as it were Coming home to a soft bed is the best feeling ever . neutral +and since i was just you know one of the office folk i guess it wasn 't as important to them that they test me regularly but i know they test most of the service people fairly regularly regularly uh just across the board They test the office worker more than the service workers . contradictory +Oh , he said , " so you 're Conrad , are you ? He have any idea who this person was . contradictory +One other illuminating sequence--Burns ' presentation of Jefferson 's and Hamilton 's clashing ideas of America . Burns steers clear of those ideas . contradictory +It wasn 't even a musical . There play contained three singing and dancing scenes . neutral +UT law students will staff the center and conduct the initial interviews with clients to find out what their legal problems are and how they can be helped . To find out what clients ' legal problems are and how they can be solved , UT law students are going to interview them , said the news . neutral +then i didn 't mind cutting it out and sewing it i could do that all day long and i i can remember once in high school i wanted some extra money I do not like sewing . contradictory +and uh that wasn 't too bad i it was good exercise Well , that was a pretty okay exercise . entailment +The region is famous for its white horses , which you can hire to ride along the sandflats ; for the black bulls that race through the streets of Provencal towns to the bullfight ; and for the wild duck , herons , and pink flamingos that gather here . The region is known for their baboons and howler monkeys . contradictory +Patrick Stewart was in that i guess the guy that 's on the new Star Trek series was in that thing uh Patrick Stewart from the new Star Trek series was in that . entailment +Books " He held up the volume he was still fingering . He was holding a vase . contradictory +uh-huh uh-hum uh-huh well see i live in Virginia I live in Kentucky . contradictory +Down the road from the Russian church , the chapel 's dome is now in the grounds of a mosque . The chapel 's dome down the road is now a mosque . entailment +A Republic was declared in 1792 , and Louis XVI was guillotined in 1793 . Louis XVI was killed in 1793 . entailment +If you 're thinking of joining , you 'd better know the worst . The worst about the job is the tight schedule . neutral +More importantly , it meant much needed , larger financial contributions from Paris . Paris would need to give bigger contributions to the war efforts . neutral +Thank you for all of this , " said Ca 'daan . Ca 'daan was disgusted by all of them and told them to go away . contradictory +In November 1999 , the first- ever meeting of all of these programs was held . The first meeting took place in 1999 . entailment +It was built only a dozen years after the Louis XII wing but , reflecting the contrast between the debonair Ren ? ­ ais ? ­ sance prince and his dour predecessor , is a world apart in elegance and panache . Louis XII kept a simple life due to his fear of bright colors . neutral +It also fit with his history of taking on new challenges . He had never taken on a new challenge before . contradictory +His saddle was cinched about the barrel of a big gray colt , one that could not have been more than five years old but showed enough power and breeding to attract attention in any horse-conscious community . His horse was mangy and very old . contradictory +I do not want to sell food to those who cannot understand how good food , any food , can taste , he said . " I do not want to sell food to those who will not appreciate it ! " he said . entailment +In Visibility and Fine Particles , Transactions of an AWMA / EPA International Specialty Conference , C.V. The AWMA / EPA International Specialty Conference Transactions , Fine Particles and Within Visibility , C.V. entailment +yeah you have to hunt hard for them i guess You don 't have to look far for them . contradictory +In backfilling , the evaluator might call the author , visit the author to review the original data , or contact others who were knowledgeable about the design decisions in order to get adequate information on instance selection . It is not true that an evaluator may visit the author to review the original data . contradictory +" Rumpelstilsken , I command the sun to set ! " He seemed to sense a hesitation in his mind , and then the impression of jeweled gears turning . He sensed hesitation when commanding Rumpelstiltskin . entailment +which really surprises me it is scary yeah It 's unsurprising and I welcome it . contradictory +ooh and that 's uh that 's uh a a encouraging sign if you ever wanna resell it i guess If you wanna resell it , you might sell it for over $ 500 . neutral +are residences not residences contradictory +yeah this is the first time i 've talked with someone up north really mostly i 've been talking with people in Texas yes this is my initial time speaking with a person up north usually I speak with people in the lone star state entailment +and you you don 't hear everything all the time but you hear much of the same music perhaps a new version of it but it 's the same stuff You hear the same music all of the time and it 's really annoying . neutral +The construction permit process requires that the facility prepare and submit the permit application to the applicable State or local regulatory agency . Permits need to be submitted to government agencies . entailment +and how it fits with the character right It does not have to fit this character at all . contradictory +This growth in animal husbandry led to the extinction of many of the non-domesticated animals that had roamed the countryside ; numerous species , including the wild boar , died out by end of the 13th century . The field of animal husbandry is experiencing growth . entailment +And neither of them is for you ? finished Poirot . " So neither of them is meant for you ? " Poirot said with relish . neutral +Tuppence mapped out her plan of campaign . Tuppence helped her find the best way to win . neutral +In addition , the internal controls at these organizations are designed to efficiently meet the control objectives necessary for performance measurement and management as well as external financial reporting . In addition , the internal controls at these organizations serve for reporting and performance management . entailment +In the half-light of the sky , he saw that the plant was gone . He could tell that the plant had been there a few moments earlier . neutral +For the first time since he saw the scourging of Fena Set , Ca 'daan felt a purpose within him . Ca 'daan saw horrible things in Fena Set . entailment +Our use of REIMS II data as a proxy for this distribution appears plausible , but no more . The data seems plausible but nothing further , unfortunately . entailment +The first flash of fiction arrives without words . The first flash of fiction from Stephen King comes with hand gestures . neutral +An item skewers Donald Trump 's Scrooge-like philanthropic record . Donad Trump 's scrooge- like philanthropic record was bolstered by an item . contradictory +For the past 20 years , attorney Richard M. Smith has helped senior citizens with their legal needs , free of charge . The public has long believed that Mr. Smith deserved recognition for his work . neutral +The brawny Neeson is a calamity as Wilde , says New York 's John Simon . John Simon reviewed Neeson 's performance in the musical . neutral +( One found that country-music lovers had higher suicide rates , but subsequent research disputes these results . ) A research states that rock-music lovers had higher suicide rates . contradictory +She works for us . She 's our best worker . neutral +The estimated steel requirement for a 500 MWe ACI system is indicated in Table 4-1 . The approximate steel needs for a 500 MWe ACI system is shown in Table 4-1 . entailment +How many were left ? They didn 't know how many people had survived the battle . neutral +When I found that the more efforts I made to clear him , the more efforts he made to get himself arrested . When I discovered that the harder I tried to exonerate him , the harder he tried to bring about his own arrest . entailment +In-character stuff . Acting a part entailment +Rhonda Lipkin provided a demonstration of www.peoples-law.org and www.Mdjustice.org , which is designed to be a virtual library . Ms. Lipkin gave two examples of virtual libraries , which can be found at www.peoples-law.org and www.Mdjustice.org. entailment +In addition , the very nature of the information system creating the data allows opportunities for errors to be introduced by many people . Human error is impossible within this information system . contradictory +Both mags also cover hot , new drug Ginkgo biloba . Both magazines covered the popular drug Ginkgo biloba . entailment +yeah i 'm in uh Plano I 've been in Plano for two weeks neutral +It was spreading , apparently just under the phlogiston layer , reflecting back the glare . It was reflecting the glare as it was spreading . entailment +( Young children should be accompanied . ) Young children should be with an adult . entailment +By definition , scenario A assumes the standard technology assumptions of the AEO2001 reference case . The assumptions include that no official is to operate a cell phone in the designated area . neutral +But a darned faint one . Some hope was there . neutral +As Ca 'daan watched , the woman drew another spear from her quiver and threw . The woman was trying to shoot a deer . neutral +A law-and-order backlash is also possible . There won 't be any backlash . contradictory +For example , if the analysis indicated that the maximum feasible level for 1998 was at or closer to one of the lower prior year standards than it was to the 1997 standard , prescribing that lower standard would not necessarily be impermissible . The maximum level for 1998 was lower than the previous years . neutral +I am at play right now . I am playing a game right now . neutral +There must be more in this affair of Inglethorp 's with Mrs. Raikes than we thought , to make him hold his tongue so persistently . The evidence leads us to believe that all the information in the affair has been seen . contradictory +When Lugosi takes to the air it 's in the form of a giant Asian fruit bat . Lugosi is able to fly as a bat . entailment +Although remote from larger urban centers , the Lakeland area did not escape the Black Death , suffering three outbreaks in the mid-14th century . The Lakeland area had three outbreaks of the Black Death during the mid-14th century . entailment +CNNfn and its more appealing counterpart CNBC ( more anchors who look like Harrison Ford , more hints of futility and world weariness , fewer catchy names for segments--I believe CNNfn has something called Margin Monkeys ) are the ESPN of business news for an audience that watches the economy as if it were sports . CNN and CNBC are the ESPN of business . entailment +East of the Palais-Royal , Les Halles was for centuries the site of the capital 's central food markets ( now in a more spacious , if less colorful , location at Rungis , near Orly ) . While the food markets were there for a long time , they are somewhere else now . neutral +The film suggests the latter . The film suggests that there is joy in he situation . neutral +Scotland suffered ten years of military rule under Cromwell 's Commonwealth . The Scots had the worst time during the months of December . neutral +Along the mostly rugged Riviera di Levante east of Genoa , by far the prettiest spot is tiny Portofino , seemingly more fishing and sailing harbor than resort , but look and you 'll find some fine hotels and private villas back in the forest-covered hills . There are several hotels and private villas near Portofino . entailment +yeah you know cut worms will do the same thing to your tomato vines too boy they 'll strip Cut worms will do the same thing to your vines . entailment +oh that sounds nice i like bluegrass too I don 't like to hear bluegrass . contradictory +Second , with each of those lost sales , it loses a potential user of Internet Explorer . It loses a potential users when they don 't get a sale . entailment +That big black steam guard looked so ostentatiously foolproof that I feared it would be clumsy , like a bicycle with training wheels . The steam guard was large , black and made of rubber . neutral +there 's your tornados that 's right and so they 're predicting this weekend probably drop something like thirty degrees i say huh-uh see that ain 't right They will predict if there will be a tornado . neutral +Instead , we have reinvented the much more flexible and imaginative Venetian blondness . We have reinvented the Venetian blondness . entailment +It is expected to be the most controversial term in recent memory , with cases on free speech , church and state , and the federal-state balance of power . Free speech cases were controversial because they were being attacked by the leaders . neutral +not like TI do you want this or do you want this or do you want this Not like TI always asking if you want this or that . neutral +The rancher says it 's his land , not the government-protected wolf 's . Wolves are vegetarians , so I don 't know why this Rancher is upset . contradictory +yeah they 're just little terry cloth things you wear for house slippers with rubber you know soles so that you know no big deal one way or the other They are slippers made of terry cloth . entailment +For example , a product composed of 25 parts , where each part is produced on a manufacturing process with a Cpk of 0.67 , has a 95 . A product is composed of 25 parts . entailment +, the HHS web site for its administrative simplification initiative ) , but were much less common than passive systems . But were much harder and detailed and goal oriented than passive systems . contradictory +Lee Kemp , a hearing-impaired World War II disabled vet , also was evicted , but he contacted Utah Legal Services and was told to stay put . Lee Kamp is a disabled vet . entailment +The association of a monetary value with reduced emissions encourages in the 1990 's , scrubber costs decreased by approximately 40 % and scrubber sulfur removal efficiencies improved from 90 % to 95 % , and experimentation led to the blending of fuels to lower emissions . They were considered about the environment . neutral +uh and we were sequestered but the makeup of the jury uh was truly a cross section of uh you might say a cross section of a country there was one other person besides myself we were the only ones that had ever been to college hm one was a former student of mine a few years before who was out of work Most people in the jury were college educated . contradictory +The place was built in 1607 by Henri IV , whose equestrian statue can be seen on the nearby Pont-Neuf . Henri IV built the place for his wife . neutral +Is he ? " " He didn 't used to be . " neutral +We hope you 'll find the revised layout more user friendly . The layout has been revised . entailment +The harbor 's entrances were protected by the Pharoseighthouse , one of the Seven Wonders of the World . Out of the Seven Wonders of the World , the Pharos Lighthouse is the most popular amongst tourists . neutral +While the leather is generally of good quality , some of the goods on offer in the popular tourist resorts suffer from poor stitching , so check the standard of craftsmanship carefully before buying . Be careful when buying from popular tourist resorts ; check the quality of the product before buying . entailment +and so that 's why the Russians are so angry with him right now is because they 've they know it 's a scam and so you know i that 's what i feel i don 't know what do you feel do you agree with me or disagree Don 't you agree that the Russians have known he 's been running a scam on them forever ? neutral +Effective Improving the Usefulness of Results The usefulness of results can not be improved . contradictory +and other people take the responsibility for raising these kids or the children are left out you know Other people are responsible for raising these kids otherwise they will be left out with no hope . neutral +Technical Assistance funds were given to assist merging programs in Arkansas , Iowa , North Dakota , and Pennsylvania . There were funds given to assist the merging of programs in Arkansas . entailment +They had succeeded ! They had failed ! contradictory +oh wow that 's nice That is really nice . entailment +According to the Enquirer ' s plastic surgery consultant , Dr. Jerome Craft of Palm Beach , Fla . , TV news anchorman Peter Jennings had his face pulled a bit tight , giving his eyes a slightly Oriental look . Dr. Jerome Craft is a plastic surgery consultant who works for the Enquirer . entailment +The growth in congressionally based work , combined with the expansion of government programs , was responsible for a significant change in the makeup of GAO 's employees . The government have kept the same makeup in employees . contradictory +Meanwhile , the Capitol is up for sale . The Capitol building is for sale for ten million dollars . neutral +The critics are not amused . The critics were not amused due to how horrible the performance truly was . neutral +This gentleman must be a clot in costume . The gentleman is obviously a very graceful person . contradictory +Although C-R functions are available to estimate health effects of exposure to nitrogen oxides Exposure to nitrogen oxides cause no health effects . contradictory +The mainstream media do not cut George W. any slack . Because he has horrible policies , the mainstream media didn 't give him any slack . neutral +In return , the local Creoles considered themselves more worldly than the rustic Americans . The local Creoles thought of themselves as more cosmopolitan than Americans . entailment +Precisely . Exactly . entailment +Now whatever the animals are , we 'll have them killed . He added quietly once the youngsters were out of hearing , " Come , come . Whatever they are , we 'll kill them . entailment +The gun was made famous by Noel Coward 's satirical song , Mad Dogs and Englishmen . Noel Coward was a famous country singer and musician . neutral +Auditors will need to tailor the use of the tools described in appendix II to the circumstances of the audit . Circumstances will dictate how tools are used . entailment +Walk north on the Nablus Road ( Derech Shechem ) , past parked buses , and look for a lane on the right with a sign pointing to the Garden Tomb , a cave venerated by Protestants since General Gordon , British hero of China and Khartoum , visited Jerusalem in 1883 . General Gordon was not a British hero , he was a German accountant . contradictory +it 's just so it 's a lot of work too it 's uh getting you know getting ready and taking care of everything but it 's um The tasks are never hard work and are all easy . contradictory +SIX VILLAGERS ARE DEAD . Six people from the village are dead . entailment +Poirot 's mysterious doings , his hints ” they all fitted in . Poirot didn 't intend to leave any hints . neutral +Yes , they were costly , but that wasn 't the biggest issue . Yes , they were expensive and that was the big issue . contradictory +Ah ! The lawyer shot a lightning glance at him , then resumed operations on his chin . He had said something rather stupid that drew the lawyer 's ire . neutral +It was built right over St. Peter 's tomb and reserved exclusively for the pope 's mass . It was built on Jesus 's tomb and only the pope could urinate in it . contradictory +um-hum well i i uh i like the print news much better than the television news because television news tends to sensationalize I like the print news far better than news from the television . entailment +It 's also possible that experience will lead them to approximate rationality , and they 'll reduce their bids . Approximate rationality might cause them to make smaller bids . entailment +I believe , if we exercise all due care , that there is a very good chance of his 106 being delivered into our hands . There is no possible way that we can get his 106 . contradictory +The steps of the tsamako are slow and grand , reinforcing the status of these heroic figures . The site only has an elevator . contradictory +The answer is yes to all four . I answered yes to each question . neutral +really is it like Olympic size seriously man , the pool is like Olympian level shit . neutral +Cities of the Plain , by Cormac McCarthy ( Knopf ) . Cities by the Plain was Cormac McCarthy 's most famous book . neutral +In short , the Administration supports a clean coal policy as a critical component of our nation 's energy and environmental policies , recognizing that other sources of energy also have a critical role to play . The national energy policy has a goal of eliminating all coal consumption . contradictory +While DOD has made some progress in recent years , GAO 's recent weapon system reviews show that persistent problems continue to hinder acquisition cost , schedule , and performance outcomes . The weapon system reviews by GAO shows consistent problems entailment +And this same consistent message was repeated over and over again by key LSC staff wherever they traveled-including the President , the other Vice-Presidents , and the staff on the ground who were guiding states through the planning process . The message was broadcast only once to the staff on the ground . contradictory +There is too much free stuff out there , the process of paying and accessing what you paid for is too clumsy and unfamiliar , and so on . There are a lot of freebies you could get . entailment +Second , mailers of some volume may be in position to take advantage of this discount without the help of a presort bureau or mailing firm . All mailers of some volume can take advantage of this discount . neutral +This will be a single database that will have three portals for three separate interest groups including a portal for clients that would provide them access to client community legal education materials and self-help legal materials . There will be multiple databases where the single portal will operate . contradictory +'That 's somethin ' I approve of . ' I agree with that . entailment +and those things just keep ticking i mean they just it can rack up a a hundred fifty K on them and they 're still beating on them No way can those things handle 150 thousand miles on them . contradictory +The cathedral clergy and artisans made it their home . Clergy and artisans lived there . entailment +The moment I reached it , I felt in a far more precarious position than before . I was worse off than before as soon as I reached the top of the mountain . neutral +well you too You as well as myself . neutral +and like for you know instead of just being oh big tough Russia but i still believe they 've uh they 've probably got weapons we can i mean they they never would sell to anybody else i don 't think they have any weapons anywhere contradictory +Only a true being can sneeze . True beings sneeze often and also hiccup on occasion . neutral +The Aerodium , behind the Sport Hotel , North Beach , is a free-fall skydiving simulator which lets you actually fly ( with the aid of a special suit ) , buoyed up on a jet of air , 3 4 metres ( 10 12 feet ) above the ground . The Aerodium is a sky-diving simulator . entailment +Without change , we 're consigning another generation to entrenched poverty . We will be consigned to the same people having poverty . entailment +yeah and you get you get a little more carried away with it and you move a little closer You start to move closer and as you start getting more carried away with it . entailment +Suppose , however , with suitable reverence to Adam Smith , one looks at this plan according to its degree of roundaboutness . One cannot see the plan at roundaboutness contradictory +oh for goodness sakes that 's great great you a student there that 's very sad , why couldn 't you get into that college ? contradictory +They wanted to arrest him or kill him . They wanted him to live and run free . contradictory +The Star , meanwhile , says that a jealous Pitt is hoping to buy a new dog for girlfriend Jennifer Aniston because the pooch she adores was a gift from her ex-fiance , actor Tate Donovan . Jennifer knows that Pitt has insecurity issues and is trying to make her forget about her former fiance . neutral +Ah , nothing , it 's just passed us , you can 't see it now , but I can show you the camera footage , Denise , or maybe Dennis answered and switched on the monitor . The speaker can show camera footage entailment +It ran the town like a private company for the benefit of a local oligarchy , seeking future prosperity as international financiers for the kings of Spain or France . The town was run with communism where everyone was equal . contradictory +The mills in North Carolina exist because textile capital migrated from the Northeast in pursuit of low wages , no unions , and cheaper materials . All of the mills in the Northeast shut down and moved to North Carolina . contradictory +This priceless treasure , now protected by glass inside a fireproof concrete Kamakura-style hall , is believed to be what Columbus was after in his search for the country he called Chipangu . The hall , built in the Kamakura style , is made of fireproof concrete . entailment +About an hour 's drive south of Calais , the walled town of Montreuil-sur-Mer sits high above the valley of the river Canche . There is a walled town below Calais , with river views . entailment +uh south for part of the winter South for a portion of the winter . entailment +The production of gypsum requires a minimum of 92 percent limestone utilization . Gypsum needs at least 92 % limestone to be made entailment +The harbor , with views across the bay toward Syte , is a pleasant walk from the middle of town . You cannot ride bike through the harbor . neutral +My brother-in-law then chastised me for being harsh . My brother in law has no tolerance for me . neutral +you could yeah you could stand in there if you really wanted to i guess If you want you can sit there I guess . contradictory +wow this is quite a quite a long distance It 's pretty far . neutral +Much of the bamboo was allowed to decay or was torn up later in Jamaica 's history , but Bamboo Avenue , the one remaining section , can be found on the main A2 road between Mandeville and Black River . The bamboo industry was incredibly important to the development of Jamaica . neutral +Facilities offered include tennis courts and a private beach . There is a private beach and one tennis court offered . contradictory +You can watch world championship skiing at Cortina d 'Ampezzo and Val Gardena . You can 't watch world championship skiing at Cortina d 'Ampezzo or Val Gardena . contradictory +take a twenty two and go out They like to shoot the twenty two at cans in the spring . neutral +One profession 's sophistry foils the other 's cowardice . Both professors are evil . contradictory +Who can best deliver the intervention ? Who will have the best delivery ? entailment +III The swaying had come to a halt and it was dark . Everything moved at an alarming rate . contradictory +Think now , did I ever say to you that I believed John Cavendish guilty ? Try to remember , did I say I thought John Cavendish was to blame ? entailment +Adrin arrived first , wearing his three-cornered hat , a light violet tunic , and his rapier . Adrin was the first to arrive at the circus . neutral +" Rider for Rennie , eh ? Rider for Thomas ? contradictory +We are free of obligations , including the obligation to dress like everyone else . We have no obligations to conform to dress codes . entailment +yeah well i know uh i don 't just just out of curiosity how do you feel about these guys getting a welcome home that you all didn 't get Do you feel good that they got a better welcome home than you did ? entailment +The result ? What was the result ? entailment +oh well we wonder how these topics get chosen where was the last place you went out to eat Where was the last place you went to eat ? entailment +The British Residency today preserved as a monument initially commemorated British resistance , but since Independence it has been visited by Indians interested in this relic of their own struggle for self-assertion , or interested in a family picnic on the lawns . Ever since Independence , Indians have gone to the British Residency to commemorate their struggle against their colonizers . entailment +I would defend Clinton 's apology as a statement of aspiration . I will not defend Clinton 's apologies for anything . contradictory +Figure 1 illustrates the reported and projected trends in certain federal expenditures , excluding interest on the public debt , for fiscal years 1980 through 2006 . Figure one shows different trends over different years , for different branches of the government . neutral +i just i can 't keep all these buttons you know knobs and dials and gauges that are supposed to mean anything i don 't want to i can 't understand them I don 't have any desire to understand buttons , knobs , dials , and gauges . entailment +He was well liked and keen . He was liked by many people . entailment +Organizational support / The executive regularly participates in activities and projects intended to further the goals of the Service Delivery Network and VBA as a whole while functioning as a dedicated and skillful team player . The executive participates in activities that will help the organization . entailment +This busy , modern European city sits on a thousand years of history history is present everywhere , from elegant Merrion Square to the bullet holes on the General Post Office . This modern European city has no history . contradictory +'I already have . ' I 've already picked the lock . neutral +House of Representatives from the Chicago area , did not disclose how big the state 's hit would be but issued a statement Thursday pointing out that only four states would lose more federal money than Illinois in 2003 . Illinois lost less federal money that any other state in 2003 . contradictory +I must confess , Mr. Beresford , that it was something of a surprise to me to see you here this evening . I 'm not at all surprised . contradictory +I put it to you that , anxious to prove an alibi , you conceived the idea of a fictitious and rather incredible appointment , and wrote this note yourself in order to bear out your statement ! I can prove that you did not write this note yourself . contradictory +Because this effect will be more pronounced in the period following 2010 and because other market factors may also change over time , the longer term projections are of less value than those out to 2010 . The value in doing it before 2010 is better than in the long term after 2010 . entailment +We have weathered attack before . We have no weathered attack before . contradictory +The site was associated with the worship of the Anatolian mother-goddess Cybele , who became merged with the Greek Artemis . Worship of the Anatolian water-goddess Celeste took place at the site . contradictory +The accompanying editorial called it small . Most people would agree that it was small . neutral +He told of his doomed village , the red armored demons who ate the flesh of the old men . He said his village was thriving . contradictory +Rule concedes that suppliers and consumers will gravitate toward the most widely disseminated standard , regardless of whether it is technically the best . They don 't really care as long as its popular . neutral +Slate , the growth of labor-intensive exports from Third World countries , a development possible only because those countries are able to offset their disadvantages by competing on the basis of cheap labor , has brought about a huge improvement in the human condition , even if the wages look miserably low by our standards . Exports from Third World countries have contributed to the improvement of people 's lives . entailment +A small 19th-century Franciscan chapel marks the spot . The spot is marked by the chapel . entailment +uh-huh and so eventually they were forced to put her So at last they were forced to place her . entailment +The continuous control of changes made to a system 'sConfiguration hardware , software , and documentation throughoutManagement the development and operational life of the system . The system requires admin access for how the changes to the system 's configuration works . neutral +A stroll up the rue St-Jacques past the highly reputed Lycee Louis le Grand leads to the gigantic neo-classical Pantheon . The Pantheon cannot be reached on foot . contradictory +When they had slowed , Gauve began the conversation . Gauve began talking about the invasion when they slowed . neutral +Capitalism may arise spontaneously , but the Bill of Rights is as much a man-made construct as the food-stamp program . Capitalism may arise spontaneously . entailment +Officials in Fort Collins , Colo . , decided last year that Internet providers were subject to a city sales tax on telephone service and that subscribers would have to pay a 3 percent sales tax on top of their monthly access fee . There is no sales tax on telephone services in Fort Collins , Colorado . contradictory +Area of Inquiry--Does the configuration of programs within the state , within financial resources and subject to appropriate priority decisions under 45 C.F.R. There is no question about how the programs are configured . contradictory +Yes , it 's really time for Monica to go . Monica should be leaving at this time . entailment +every once in a while i i like to go on the nights when there 's not anybody out there not very many people out there it 's a lot more fun when you 're not fighting a crowd Occasionally I enjoy going out on nights where it is not as populated , it is much more enjoyable when you are not competing with others . entailment +and then if you have particular religious beliefs they have to be they 're kind of monitored They do not trust other religions being practiced . neutral +This is what it had come down to . The situation had come to a crossroad . entailment +uh-huh that sounds like it 'd be fun did you go alone or with a group or Sounds fun did you do it solo or in a group ? entailment +shell them or at least disconnect them from the head but there 's a there 's a big thing over here that everybody sucks the head so um You 're supposed to shell them , but a lot of us suck the head out ; it 's delicious like that . neutral +A dozen minor wounds crossed his forearms and body . He was covered with a dozen minor wounds . entailment +The Washington Post says that Republicans will encourage unity by allowing Smith to retain his committee chairmanship and caucus membership . Smith is currently a member of the caucus . entailment +He rolled to his side and hugged his knees to his chest . With an arrow in his knee , he hugged his chest . neutral +If you don 't recognize his wisdom , you must not get what the election is about . There is nobody who really understand this election at all . contradictory +The total cost of complying with the information collections prior to the issuance of the final rule was estimated to be $ 2,743,130 . The cost of complying with the information was estimated to be under a thousand dollars . contradictory +He was an easterner who taught the fourth emperor . He taught the emperor how to fight . neutral +i have a i have a hard time with vegetables i don 't i when i was a kid i didn 't like them very much and i never really learned how to cook them right i guess i don 't know I wish someone taught me how to cook vegetables properly . neutral +yeah the book was different from the The book was different from the entailment +Again , this is contrary to our finding in Section 3 about the relative burden of the USO . There is no discussion about the relative burden of the USO . contradictory +um no kidding You can 't be serious about that can you ? neutral +'Hello , Ben . ' No one spoke to Ben . contradictory +Jon could not say . Jon was concise , clear and spoke his point well . contradictory +Yes a bargain . That 's a scam . contradictory +The word originally meant a caf ? ? , but service has been expanded to include full meals at quite high prices . The cafes only serve coffee and some snacks . contradictory +and so they 've already shifted the risk if they assume that car then they just have to sell it themselves and they 'll recover the loan If they sell the car themselves they 'll recover the loan . entailment +Saxton 's statement is partisan but monotonously real , and Reich 's complaint is not that he was attacked but that he had no real chance of getting a hearing at this hearing . Reich 's statement was one sided but truthful . Saxton 's complaint is that he got no chance to speak . contradictory +no and it really like you said always takes way longer than anyone um is able to guess because i know my husband he he painted when he it was just the preparation time was so long that when he actually got down to the painting part There is little to no preparation when it comes to painting . Just get a can and paint . contradictory +A bit of good Ohio 's poverty population decreased significantly in the 1990s , said Mauricio Vivero , vice president of Legal Services Corp. The population of those living in poverty in Ohio during the 1990s rose substantially . contradictory +The very best are difficult to get to , as is often the case with superior beaches in the Caribbean . The best beaches are out of the way . entailment +The ones that were killed in the crib would have turned neo-Clintonism into a full-scale self-parody . Babies that got killed in their crib would turn the idea into a self-parody . entailment +He stared at the jumble of fine gears , then glanced out through the open front : of the building toward the sky . The building was closed off and the sky was not in view . contradictory +The great port city of Genoa made the Mediterranean more or less safe for respectable traders , and the rest of the coast settled down to some quiet fishing , sailing , and harmless traffic in postcards and suntan lotion . The great port city of Sicily made the Mediterranean more or less dangerous for respectable traders . contradictory +The rapier is for misdirection , " said Adrin . Jon said the rapier is for misdirection . contradictory +Here , business and pleasure are inextricably linked and have been for hundreds of years . Business and pleasure have been mixed here for a long time . entailment +Practically all the major Champagne labels offer tours ; the Office de Tourisme ( beside the cathedral , at 2 Rue Guil ? ­ laume de Machault ) is the best source of information on hours and prices . None of the labels offer tours , they don 't want the interference . contradictory +Finn 's awkwardness keeps him inoffensive , but it thoroughly obviates the dramatic arc that 's the whole point of Dickens ' If success doesn 't change Finn for the worse , then his rejection of the high life doesn 't entail the same kind of sacrifices--or come as a consequence of some harrowing epiphany . There are some who would argue that had success changed Finn for the worse , rejection of the high life wouldn 't be looked at as a sacrifice in the same sense either . neutral +She usually did lock it at night . At night she would usually have it locked . entailment +What this means is that the revenue from any new taxes on pollution could be used to reduce other taxes , such as Social Security contributions or the income tax ( but not , of course , the capital-gains tax ) . Social Security contributions or the sales tax could be reduced by a new tax on pollution . contradictory +This remarkably tranquil street market is housed under a single arcade . This street market is rarely filled with people . neutral +I think history will vindicate that judgment . I think the hard evidence will also vindicate that judgement . neutral +While it is expected that markets for the materials and labor used in the construction and operation of the control technologies will respond to increased demand , this response will not be instantaneous . Markets will respond instantly to all changes that will happen . contradictory +In addition , if the user was later involved in a security violation , the statement served as evidence that he or she had been informed of organizational policies . In case of a later violation the statement would be used as evidence that the user had been briefed on organizational policies . entailment +yeah yeah i think so you too good-bye No , that 's absolutely incorrect but hello ! contradictory +They see it as a lawyer 's job . They see it as a scientists ' job . contradictory +There has already been practically an army in the room ! There has been a lot of people in the room . entailment +Much more apparent is its Muslim connection ; the building was constructed by Moorish artisans and looks much more like a mosque than a synagogue or church . The building resembles a church . contradictory +Practical Hints Things that you might now know . entailment +i think it 's freedom and the and and to and the right to do what you want to do This has nothing to do with taxes , only freedom . neutral +ceramics sounds interesting uh i do computer programming kind of as a hobby on the side and i also like to uh do gardening and also like to workout I go to the gym three times a week . neutral +The mosaics of the dome and apse depict Christ Pantocrator with the Evangelists and Jesus blessing Peter and Paul ; together with those of Ravenna , they are Italy 's finest . The mosaics stand over 20 feet tall . neutral +The Cumberland Pencil Factory , a leading producer of pencils in the world , would appear to have little to offer the visitor , but the Pencil Museum provides fascinating insights into the history of pencil production in the area . There is a large pencil factory in Cumberland . entailment +there 's two gates that go into the back yard and we 've got one of those big eight foot privacy fences and one of the gates has a padlock on it and then the other gate just has one of those slide bar things but it 's on the inside it 's We have two gates in our back yard with an eight foot fence . neutral +I saw two spearmen kill a horned and tusked war brill called Dunelord . Dunelord was a horned war brill but is no longer a live . entailment +Nowadays the bay is so cluttered with all kinds of yachts , fishing boats , sailing boats , ferry boats , glass-bottom boats , and even workaday freighters that the town has become something of a full-fledged Mediterranean resort of white skyscrapers . There are yachts and fishing boats in the bay . entailment +Permits are easy to obtain , however , and reserved accommodation can be booked either in the lodges or in the official campgrounds It is not hard to get a permit . entailment +This large , smart beachside fish restaurant , serving generous portions of fish and seafood , is located next to a marina . The restaurant is on the beach and serves fish . entailment +But after that , you 're on your own . I will always help you . contradictory +The company has billion-dollar issues at stake . The company is feeling the pressure of having so much at stake . neutral +She 's not allowed to leave the house though it 's safe enough really . It should be safe for her to leave the house . entailment +Guadeloupe and Martinique , much the largest of the islands and about 160 km ( 100 miles ) apart , are becoming internationally known resorts . Martinique is mostly used for rowing competitions . contradictory +The plaques on the walls give the names of the communities that were destroyed . All the communities mentioned on the plaques were destroyed by natural disasters . neutral +Gordon thwarted him by slowing down so Earnhardt couldn 't get enough distance to find an angle and shoot past him . Gordon sped up so Earnhardt couldn 't find a way past him . contradictory +Table 4-2 shows AC injection rates estimated from the data provided a comprehensive assessment of ACI under a range of scenarios . Table 4-2 shows AC injection rates estimated and an assessment of ACI under different scenarios . entailment +yeah you ought to come down um you don 't even have to go all the way to New Orleans you know if you want to really get some good food You can get delicious food without having to go to New Orleans . entailment +The goal was to demonstrate the product would meet reliability requirements before starting full rate production . The product does not have to meet reliability requirements . contradictory +Any difficulty with the army could have serious consequences , not just for you , but for the Range as well . If you continue to pick fights with the army , it will have repercussions with the Range and yourself . neutral +The West was forced to accept Japan 's occupation of southern Manchuria and the annexation of Korea in 1910 . Japan was unable to take over any part of Manchuria in the early 1900s . contradictory +Oh , the poor mistress ! 24 Suddenly I realized that Alfred Inglethorp was not with us , that he alone had given no sign of his presence . Alfred was on a date . neutral +And there are real pythons , too . There are also real live pythons . entailment +The accounting for negative subsidy costs is symmetrical to the accounting for positive subsidy costs . Positive and negative subsidy costs have nothing in common with each other . contradictory +We held a Corporate Governance and Accountability Forum in February 2002 involving prominent leaders from the public , private and not-for-profit sectors to discuss the recent accountability failures in the private sector and what actions may be necessary to help prevent such failures in the future . In February , 2002 , there was a Corporate Governance and Accountability Forum . entailment +yeah no they don 't they don 't ask anything except how old you are i don 't think that 's kind of scary They ask for a lot of information , not just your age . contradictory +We went higher in the hills to the feet of the Old One and dug new tunnels . We dug new tunnels higher in the hills to prepare for the battle . neutral +Hong Kong 's shops carry almost every recognizable European and many American labels , from top-end designers to the moderately priced or trendy . Western brands can hardly be found in the whole of Hong Kong . contradictory +Standardization , they said , could decrease the agencies ' ability to tailor regulatory approaches and inhibit further agency innovation by freezing into place the particular practices that have been developed so far . Standardization could decrease the agencies ' liabilties neutral +The reconfiguration is part of a nationwide effort by LSC to boost cost-effectiveness by reducing the number of providers through a competitive bidding process imposed by Congress under a 1996 law . LSC believes it 's important to limit the number of providers via a competitive bidding process . entailment +Put on a tight , sour smile when Flytrap question is asked , sigh deeply , then say exactly this The meeting was very , very positive . Give a responses when the Flytrap question is asked . entailment +It was still damp , it exhaled a strong odour of coffee , and imbedded in the nap of the carpet I found some little splinters of china . There was nothing on the carpet . contradictory +The NYT ' s Frank Rich reminds us that the Lewinsky scandal isn 't about the independent counsel law or media ethics . Frank Rich writes articles for the NYT publication . entailment +It was tourism that finally saved the declining population from fading away altogether , and provided islanders with a priest and teacher at last . Tourism killed the population all together . contradictory +Such deflationary pressures , pessimists note , set off the Great Depression . The Great Depression was caused not by inflation , but as Pessimists note , deflation . neutral +The spectacular , large canvas , the single most famous image of Toledo , fuses the mundane and the spiritual , depicting grave-faced local noblemen attending the count 's funeral . The most famous image of Toledo is painted on a tiny canvas . contradictory +Dll stands for dynamic-link library , and .dll files are small chunks of computer code that are intended to be shared by more than one application . When it comes to sharing code between applications , DLLs are the best way to do it . neutral +We already conduct exit conferences and , following the Yellow Book and Communications Manual , submit draft reports for agency comments . We conduct exit conferences and then submit a report to the FTC . neutral +of course you have to get there early if you want to get anything You can get something if you arrive late . contradictory +GAO will provide the notification to the agency-designated liaison or agency-designated point of contact . GAO will give the notification to the liaison in order to approve the budget . neutral +The major festivals discussed below are joined by the Film Festival , the Jazz and Blues Festival , and the Book Festival ( said to be the biggest public book fair in the world ) . The Book Festival is a small local festival . contradictory +Things has been very quiet here lately , he said wistfully . He thought that things have been especially quiet here lately . entailment +As described above , many alien farmworkers may have a home base in Mexico as commuter aliens or as special agricultural workers who travel through the migrant stream around the United States and return to Mexico during periods of unemployment . Once a migrant worker from Mexico enters the country , that person never returns to his home country . contradictory +This is not to say that contact between a federal agency and its customers is always direct . Federal agencies are bad at communications neutral +Nothing ? Jon asked . Jon asked if it was nothing . entailment +uh become an issue you could say um hobbies i like The hobbies I enjoy entailment +First , federal borrowing can be large enough to affect current interest rates , which in turn may influence private saving and investment . Federal borrowing can make interest rates go up and down . entailment +yep that 's exactly right That 's how I would have said it . neutral +Occupation of Madeira began in the early 1420s as a decidedly minimalist colonists arrived with only as much as they could carry from mainland Portugal . Soon the colonists established agriculture , and became prosperous within 10 years . neutral +A local attempt to keep alive its centuries-old lace-making legacy continues , though much of what 's hawked is machine-made in China . Most of it is actually made in Malaysia . contradictory +The show is at its best on weekend afternoons , with everything from beach boys on unicycles to rock musicians on roller blades . Weekend afternoons are when the show is at its best . entailment +We were in the Fat Man 's office . Somehow , even though we had no intention of being here whatsoever , we ended up in the Fat Man 's office once again . neutral +Dublin excels in packaging its past for the visitor . Dublin 's history is on display for tourists . entailment +Last year he tried and failed to invoke the War Powers Resolution for the Bosnia mission . The War Powers resolution he tried to create was a failure . entailment +and i i did a lot of growing up there uh I grew up there a lot . entailment +it 's too hot for them we have a lot of Maple trees in Missouri so we have a lot of nice color too but uh the northeast really has the corner on that The maples have the best color . neutral +President Clinton accused the fashion industry of glamorizing heroin . After reading about a photographer who died of a heroin overdose after selling pictures of emaciated , vacant-eyed models , Clinton argued that such images have encouraged young people to take up the habit . Clinton said people wanted to do heroin to be just like the models . neutral +You seem to be taking my consent for granted . " Whittington looked surprised . You 're definitely not taking advantage of me . contradictory +This is an automated announcement . The is a recorded announcement . entailment +He took it off and hurled it into a corner disgustedly . He was very careful when placing it into the corner . contradictory +But the Stone of Destiny was returned to Scottish soil in 1996 700 years after it had been taken south by the English . The Stone of Destiny was returned by the English people in July 1996 . neutral +For what is probably the best original example of Minangkabau architecture , take a side trip to the old royal capital , 37 km ( 23 miles ) east of Seremban on the Kuala Pilah Road . You can view Minangkabau architecture by visiting the old royal capital . entailment +but that seemed like it was actually uh you know if there 's a good way to get around a rule that sounded like it was a pretty smart way That seemed like a pretty clever way to get around a rule . entailment +Denderah also has excellent ceiling detail , depicting goddess Nut on her journey across the sky , though they have been blackened by the fires of Coptic Christians and Arabs who later made the temple their home . Coptic Christians and Arabs blackened the marvelous ceiling because they made the fire inside . entailment +One of the drawings on view at MoMA is a diagram of the races , with the Jews identified as circumscised [ sic ] cut off from Earth . Jews think of drawings on the MoMA as a diagram of the races teaching circumcision . entailment +I 'm sorry , Father . I knew I had done wrong . neutral +The problem , for Slate and other Internet sites , comes from having to charge for usage , when what they 're selling is intellectual property with a flat production cost . Having to charge for usage is a problem for Slate . entailment +For example , it enacted legislation authorizing data sharing activities within and between government agencies and departments . No legislation arose as a result of it . contradictory +( Isn 't there always ? ) Isn 't there always water in the pond ? neutral +The collection of paintings by Raphael ( 1483 1520 ) in the Prado was once kidnapped by Napoleon and carted off to Paris , though soon recovered . Napoleon once stole is collection of paintings and then burned them all to ashes . contradictory +The bulldozer was teetering at the edge of the cliff as he saw it , right above him . He was sitting in the bulldozer , waiting to begin work . contradictory +From what ? said the man . He wanted to know what it was from . entailment +5 events , we use the distributed lag model for PM10 reported in Schwartz ( 2000 ) to develop an adjustment factor which we then apply to the Schwartz reported the distribute lag model for PM10 . entailment +Why Is Japan 's Saving Rate So Apparently High ? What is the explanation for the high rate of savings in Japan ? entailment +i bet even my cats could do that My cats would be incapable of doing such a thing . contradictory +oh no i don 't think so either i don 't even know how many businesses are actually doing it without an order i 'm not too sure that the government needs to order it although i guess they would have to in again mileage signs but uh it I think all businesses are doing it even without an order . contradictory +Nora now sits in an ominous stillness . Noral sits and moves around a lot . contradictory +Continuing along 25 August Street leads to the waterfront and the majestic sight of the Venetian fortress ( Koeles ) , built to protect the old harbor . The majestic Venetian fortress ( Koeles ) is a popular tourist destination . neutral +The most accessible islands from Athens are the Cyclades to the southeast , thrown like a handful of pebbles into the sea . Southeast of Athens there are islands called the Cyclades . entailment +but i believe that the way that it was done and the way that was handled were right i don 't remember that feeling back in Vietnam I don 't believe things were done properly . contradictory +There 's nothing to worry about in this best-of-all-possible- There 's nothing the matter wit it . entailment +He wasn 't entirely sure , now . He wasn 't completely sure about the situation . neutral +i believe that 's correct uh-huh I am sure every word of it is right . neutral +( In that sense , the Internet was the ultimate hack . ) The internet is the ultimate identity theft hack . neutral +The distinction between these two major categories is that collections credited to appropriation or fund accounts are offset within the account that contains the associated disbursements ( outlays ) , whereas offsetting receipts are in accounts separate from the associated disbursements . One class of items ( collections credited to appropriation ) is held a related disbursement account while the other ( offsetting receipts ) is not . entailment +Since that time , the icon has been held responsible for many feats of healing , giving Tinos the epithet Lourdes of Greece . The epithet Loudes of Greece is never granted to anyone . contradictory +you had to do some work and You had to do an amount of work . entailment +He asked what types of outcomes would indicate successful adaptation . He inquired about the types of outcomes that would suggest successful adaptation . entailment +They inhabit the near-boiling water of geysers in Yellowstone , and the even hotter water in volcanic vents on the ocean floor . They live in hot environments . entailment +Modesty always was your besetting sin , remarked Tommy . Tommy said that modesty was always your biggest fault . entailment +I 've always loved her , from the time we played together as kids . I played with her when we were kids . entailment +Their Horatio Alger tone is the joke , but it 's not a joke that director Milos Forman seems to be in on . It seems that Milos Forman is invested in the Horatio Alger tone . entailment +You have not stirred ? Do you know how to stir ? neutral +The critical success factors and challenges described by the organizations provide useful insights for other entities that are developing informationsharing relationships to assist in critical infrastructure protection . The organizations provide detailed reports on the challenges they faced . neutral +I still miss it . I wish I still had it . neutral +He did not , however , suggest that everybody follow his example . He wanted everybody to follow his friend 's example . neutral +I have never given it a second thought , but recently people seem to be noticing my sneezing and commenting on it , some suggesting I see a doctor . My sneezing could be a symptom of a serious health issue . entailment +Stimulate global growth by boosting consumer demand from the bottom up . Global growth only occurs from corporate initiatives . contradictory +There isn 't another girl in the world who could have carried it through as you did . Any other girl would have given up halfway through . neutral +People are what make internal controls work , and the integrity and ethical values maintained and demonstrated by management play a key role in the entire organization 's ethical tone . People take no part in making internal controls work . contradictory +It would either be put in his room or sent on after him . The package would , of course , not be safe from nosy-nancies if left in his room . neutral +It is GAO 's policy not to provide records to the public that originated in another agency or a nonfederal organization . GAO doesn 't give records to the public if they came from a family-owned organization . neutral +The line composed of boxes shows the profit position of the postal service . The circle graph shows the postal office . contradictory +White nodded . White shook his head no . contradictory +Other callers just want someone to talk to . Store clerks are just looking for someone to talk to . contradictory +bilingual is just horrendous i 've had friends fail that twice Bilingual is really easy my friends passed that on the first try . contradictory +Maybe someday we can even have a circus of our own . We will never have our own magic show . contradictory +The water was boiling , but there was still some left . There was about a cup of boiling water left . neutral +The official most knowledgeable of the time worked should approve any overtime or compensatory time . Overtime or compensatory time.needs to be approved . entailment +The park is landscaped with lakes and gardens . The park 's lake has koi fish in it . neutral +The interim final rule is issued pursuant to section 215 of Public Law 104-193 to implement sections 211 and 212 of the Personal Responsibility and Work Opportunity Reconciliation Act of 1996 . The interim final rule was successful . neutral +If there is a cultural civil war going on , the Mediaphiles--led by Wall Street--have routed the ' phobes . The Wall Street-led media has inspired a clash of cultures in a number of ways . neutral +Two events peripheral to the main parade should not be missed . It is not recommended that you go to the events peripheral to the Main parade . contradictory +There is a real challenge for our board of directors to help us raise additional funds to help offset these losses and to help prevent reductions in staff and services to our clients . Our board of directors are challenged to decrease the number of employees . contradictory +When he graduated from college in 1964 , he turned down a chance to play for the Detroit Lions so that he could start his coaching career . He chose to pursue coaching instead of pursuing an offer from professional football . neutral +yeah yeah yeah and if it 's if it 's drug related they turn the other way because that 's one less problem that they have to put up with the law enforcement They turn a blind eye to drugs , as do they other minor offences . neutral +The realignment will ensure a continued ability to provide timely , quality work ; will build on efforts to provide broad oversight support ; will enhance client communications and feedback ; and will maintain a highlevel of return on investment . Realignment ensures the ability to provide quick and good quality work . entailment +Two windows , just for one moment standing side by side . There were two windows next to each other . entailment +I was given to understand that there was a certain document in existence which assured success . " I believed that the there was no such document that could assure success . contradictory +Largely because they have heard so many alarming tales about HMOs . There is nothing but good words about HMOs . contradictory +Those who have made the pilgrimage can add the respected title haci before their names , an honour proudly displayed on shop-owner 's signs . Shop-owners are the only ones who make the pilgrimage . neutral +The Astronomer said , " I don 't understand you . " They are confused . entailment +it 's probably the uh the times now um It 's probably the times . entailment +Dayak Bidayuh and Iban get together for round after round of palm toddy , rice wine , and other jollities . Dayak Bidayuah and Iban eat food together and have a great party . neutral +This iterative process ends when a plausible explanation has been developed and , at the end of a revise phase , there are no outlier or unexplained data , no further interpretations possible , or it is clear that despite the most diligent search for information , more is not available to further refine description and explanation . The process is not meant for finding an explanation . contradictory +Blacks are 12 percent of the population . Blacks make up 50 % of the total population . contradictory +uh-huh uh-huh well i guess it was a uh a very successful movie financially so we may say more slapstick I guess the movie should have some more action . neutral +Filigree work , a legacy of the Moors , is of extremely high quality . The Moors have consistently produced work of extremely low quality . contradictory +5 percent with respect to comparable workers in the private sector . Comparable jobs are also found in the private sector . entailment +To examine the issue of gender , patients could be randomized to interventionists and both could be asked to evaluate their perceptions of the interaction . There is no way to examine the issue of gender . contradictory +i think they recognize their their position as a community leader They have no idea that they are the community leader . contradictory +Santorini has volcanic sand in a choice of black or red . Santorini has sand . entailment +That is the whole trouble . That is what the problem is . entailment +you just didn 't say which Christmas right But you never clarified which Christmas . entailment +It was obviously locked or bolted on the inside . The door was open . contradictory +Amid some evidence of a press backlash against the princess--top Sun columnist Richard Littlejohn last week called her a flawed , privileged young woman who filled in time between exotic holidays and shopping for clothes by putting in a bit of work for high-profile charities--an opinion poll published Monday in the same newspaper said half of Britain is still in mourning for her . The princess did not enjoy the lavish lifestyle she lived . neutral +I will speak with your visitors as I agreed , if they come . If your visitors come , I will talk to them . entailment +typical plot The usual storyline . neutral +One such example is seen in recent deliberations about the appropriate location for visa processing . Recent deliberations about the appropriate location for visa processing is an example , said the director . neutral +Es Canar , the official Ibicenco spelling for a variously misspelt beach , has become a major tourist centre , with abundant nightlife , that now sprawls along several beaches . One of the major tourist centres in Ibiza is called Es Canar . entailment +The British Nationality Act ( 1981 ) had in effect prevented Hong Kong citizens from acquiring British citizenship , and thousands of people , anxious about their future under China 's rule , were prompted to apply for citizenship elsewhere , notably in Canada and Australia . The British Nationality Act prompted people in Hong Kong who were unable to apply for British citizenship to apply to other countries like Canada and Australia where they could try to gain citizenship in order to leave an uncertain future in China . entailment +Rising above the flower beds is the solemn Scott Monument , complete with a resident flock of pigeons that badger people on surrounding park benches for crumbs . There is often a flock of pigeons that congregate in the town 's square as well . neutral +And this time the work was much more labor-intensive and even more exhausting than before , but the condition and health of the tired bacillus not as good as in the times of youth , about two hours ago . The work was much harder this time and much more tiring . entailment +They had too many patients and , with every patient new to them , didn 't know important details . They had too many patients to keep up with important details . entailment +Meanwhile , D.C. In the meantime , D.C. entailment +A convenient base for side trips , the capital of the Franche-Comt ? ? region has an attractive city center around the pedestrian zone of the Grande-Rue . The capital of the Franche-Comt region is overrated and isn 't worth a trip . contradictory +The Legal Services Corporation insisted upon the changes , according to its spokesman Eric Kleiman because the New York program 's structure is completely anomalous in that there are two degrees of separation between the federal corporation and the programs actually delivering civil legal services . Kleiman is the spokesman of the Legal Services Corporation . entailment +And then he heard the saving tone of his cell phone ' fooor myyy Czarek froooommm Christina Paqualerra . ' He heard his cell phone ring . entailment +Poirot smiled kindly on me . Poirot smiled . entailment +The quality system regulation includes requirements related to the methods used in , and the facilities and controls used for , designing , manufacturing , packaging , labeling , storing , installing and servicing of medical devices intended for human use . Requirements with regards to the installation of medical devices for people are included in the regulation . entailment +Eilat is on the Red Sea , but has a very Mediterranean feel and , like many such boom towns , isn 't preoccupied with planning or architectural aesthetics . Eilat was settled by travelers from the Mediterranean area , who brought their customs with them . neutral +and now they 're trying to take some money away from the richer districts like the one that i 'm in in Dallas and make us pay our money to the smaller ones and make it more equitable they 're redistributing wealth in an attempt to improve small-town schools neutral +and so that that has worked out pretty good and then i used to work for TI and i have when i retired from there or left i took the money that i had in mine and put it in an IRA and we had an out I have better interest with an IRA . neutral +Considering the centralized or decentralized nature of the enterprise helps determine the corporate CIOas authority level and how the CIO shares responsibility with other managers across the agency . Centralization is relevant to determining how managers share responsibility . entailment +Madeirans , like most Portuguese , are a generally quiet and reserved people . It is uncommon for a Portuguese to be brash . neutral +it it uh well it if you get any snow it 's barely enough to hide the brown grass It always snows too much here . contradictory +You can survey the area from the revolving restaurant and bar on the 35th floor . The area can be viewed from the revolving restaurant . entailment +It struck me that it would be a good opportunity to deliver my message . I never did get around to delivering Poirot 's message . contradictory +The whole area retains some of the village feel , with a slow pace of life , a variety of street performers , and pleasant cafe . The area looks like the village . entailment +Now , let 's give Kemp the going-over he deserves . Kemp is not getting what he deserves . contradictory +When proper procedural safeguards are used , these elements alone do not diminish the value of case study methods . When one uses proper procedural safeguards , the consequence is that they do not diminish the value of case study methods . entailment +The increasing challenges facing the country over the long term have had a longlasting impact on the nature of GAO as an organization and on how it supports the Congress . The support to congress is a key to the challenges GAO is facing . neutral +Here a historical analogy is Only a decade ago , after all , America was frantic about another mysterious , ominous Asian power that was not quite friend , not quite enemy . A decade ago , America was worried about another unfriendly Asian power . entailment +Personal Communication with R. Telez , Babcock and Wilcox , August 2001 . Personal Communication was had with R. Telez , Babcock and Wilcox . entailment +Eventually famine compelled Abraham 's tribes to move into Egypt and into captivity . Abraham went to Egypt for riches . contradictory +yeah yeah well i don 't either unfortunately i don 't have to work in those companies but uh i i uh I have to work there . contradictory +Heinrich Schliemann found his fabled city , and discovered Priam 's treasure , a cache of gold beside the city walls . Heinrich Schliemann spread a false story about finding treasure . contradictory +You can also plant your own tree at the plantation , which can grow next to those planted by the great and good . You can plant your own tree but they cannot be next to any other trees . contradictory +i personally feel like as long as the Soviet Union exists it 's going to be a threat to the United States and I think that as long as the Soviet Union is around , it will be a problem for the United States . entailment +The Roundheads had arrived . The Roundheads made it to the station neutral +didn 't have the you know the money they said it 's a good way of uh in coming in but those are public service i mean you i mean you would be getting paid very little you know or anything at all You get paid handsomely for the public service . contradictory +Driven back to Sardis , he witnessed the sacking of his city by the army of Cyrus the Great , in 546 b.c. His city was sacked by the army of Cyrus the Great in 546 b.c. entailment +For congressionally requested work , further information may be shared after consultation with the congressional requester ( s ) . Congressional requesters are easy to get further information out of . neutral +Although the shrine is thought to have been founded in the third century , the present buildings are relatively recent reproductions . The people who frequented the reproductions also visited the shrine . neutral +Both Al Hunt and Shields chip in . Al Hunt and Shields both contribute . entailment +No turning men into . You 're allowed to turn men into whatever you want . contradictory +oh that 's really nice That sucks . contradictory +The newcomer knocked on the door as all had done , but his reception was very different . When the newcomer finished , he knocked on the door . entailment +last couple of weeks anyway since Akeem For the past few years anyway since Hakeem never ... contradictory +Such trading rights attracted more Britons to the island , who founded dynastic families that in some cases still constitute the island 's economic elite . Few Britons emigrated to the island , and of those who did , no trace remains today . contradictory +San San gained a reputation in the days of Errol Flynn for its elegant social scene ; today it is an exclusive hideaway with a fine golf course . San San is an exclusive hideaway with a history of elegance . entailment +If you 're going to Jaisalmer by road , it 's well worth a detour to Osian to see the stunning Hindu and Jain temples , many of them dating as far back as the eighth century . It is undesirable to take a detour to Osian . contradictory +Cook might just as well be gambling on what color tie President Clinton will wear tomorrow . President Clinton will wear a tie tomorrow . entailment +Chinese , English , and Indian women prefer the same Greek men ; Hispanic and black Americans agree on which newly arrived Asian women are the genuine babes , and so on . People of various different races can all agree on which individuals are physically attractive . entailment +Perhaps the biggest pitfall in this application is insufficient specification of the customer 's question . This application could have been a huge hit , but now it 's going to fail miserably . neutral +The level of technology responsiveness grows for scenarios B , C , and D as a result of greater program spending . Technology responsiveness increases 25 % with program spending . neutral +In addition , while Andersen had certain unusual audit related policies and practices that were not widely known by its partners and may not be shared by many other firms , it was hardly a rogue firm in the profession and any assertions to the contrary are not only inaccurate but also inappropriate . While Andersen 's practices were above board , many of its staff were reckless . neutral +Well , any technology can be used for good or ill . Any technology is developed for positive uses . neutral +Tito and Castro are examples of the latter , and they may soon have imitators , for it remains to be seen how many post-Soviet democracies will last . They wanted to show that there would always be imitators to past rulers . neutral +The preambles to both the proposed and final rules reflect HUD 's finding that the rule will not have a significant impact on the environment . The proposed and final rules reflect HUD 's based on the preambles . entailment +um-hum well that 's right a lot of people they flunk out or they get they just They all pass and graduate . contradictory +Of the main Conintern outlets , the least reliable in its political coverage is the Weekly Standard , which regularly launches fusillades against the Republican leadership , almost always for departing from the True Faith . The Weekly Standard criticizes Republicans . entailment +A thousand years from now , if robot historians want to know what life was really like in late-20 th -century America , they will look to Life in Hell and The Simpsons . No , there were no talking rabbits , and human hair was not sculpted into yellow spikes or blue pylons ( well , not that often anyway ) . Future robot historians will not consider cartoons to be historically accurate . contradictory +i i can see in one way that the right people would try to cancel out votes I can see that people might cancel some votes because they disagree with them . neutral +no no this is more like hickories hickory type you know depending on the barbecue hickory , not meaning the kind used for barbecue ! contradictory +like uh uh recently i was reported as having JC Penney accounts and i don 't so i called JC Penney and i said uh i just wanted to let you know that the credit agency you 're using is incorrectly reporting the information that you 're providing to them and they say uh-huh because they really don 't want to pay for services that 's not being done properly either so then they can call It said I had an account with JCP that I closed years ago . neutral +Depression was settling on him like a leaden weight . He was extremely happy and it was light a burden was lifted off his shoulders . contradictory +yeah especially what i do Yes , what I am known to do . entailment +You can also wander through the soothing Chinese garden , with its waterfalls and pretty red pergola . There are also pleasing sounds and aromas throughout the garden . neutral +Environmental Protection National Emission Standards for Hazardous Air Pollutants for Source Pulp and Paper Production ; Effluent Limitations Guidelines , Pretreatment Standards , and New Source Performance Pulp , Paper , and Paperboard Category The standards for hazardous air pollutants in cities neutral +oh okay well i i didn 't know what they 're they were going to do they sent us a little booklet i just got it a week or so ago saying you know so many calls will be something a prize and everything They sent a booklet saying if you got so many calls there 'd be a prize . entailment +Tap water can be dechlorinated by deionization , carbon filtration , or the use of sodium thiosulfate . There are a number of reliable ways to remove chlorine from tap water . entailment +you know it 's just like oh i love you and i you know this that and the other but she write she wrote when she was talking to her baby She is good at writing love song lyrics . neutral +What would she be likely to do with it afterwards ? What would she do with it afterwards ? Eat it ? neutral +The armor displayed here includes an outfit for disguising horses as elephants . The armor displayed here could also be used to disguise horses as elephants . neutral +Also , an English professor writes about getting fired and becoming a carpenter . In addition , an English university teacher writes about getting terminated and becoming a carpenter . entailment +uh-huh yeah they 're great you 're right well i guess we 've spent our time i need to go help my daughter do something so I need to help my daughter with her homework . neutral +postal service establish rate tiers based on the destination of the mail ? The Postal Service does not charge to use mail service . contradictory +yeah ours is that way too It 's just more convenient for everyone when it 's this way . neutral +yeah yeah yeah but the paneling and the wallpapering and the and that kind of stuff are alike No , the paneling and wallpapering work are totally different . contradictory +By the secret Treaty of Ildefonso in 1800 , France regained Louisiana from Spain after 38 years . France , despite numerous bargains and deals , never regained Louisiana . contradictory +Speculation turned to whether his son Abdullah , the new king , can shore up Jordan 's ailing economy , retain the allegiance of its Palestinian majority , and advance the Middle East peace process . His son Abdullah is the new king of Jordan . entailment +kind of like the Cowboys huh the Cowboys are having their worst season ever neutral +Behind the Opera are two of the best known department stores , the Galeries Lafayette and Au Printemps . Besides there being two well known department stores at the back of the Opera , two well known cafes can also be found . neutral +It is possible to reach terraces around the dome by climbing a staircase guarded by painted , man-bearing stone elephants . If one takes the stairs , they can reach the terraces . entailment +i 'm into quantity and French the French restaurants aren 't The French restaurants aren 't into quantity the way I am . entailment +Max Cleland barely won his 1996 election . The gap between Max Cleland and his opponent in the 1996 election , was terribly small . entailment +San 'doro fell away , clutching his right ear from the concussion of the blast . San 'doro fell from playing basketball . contradictory +The car park from the A5091 offers the shortest route to the falls . The car park from the A5091 is the farthest from the falls . contradictory +Miss Howard . Miss Howard produced the letter written to her by Mrs. Inglethorp on the evening of the 17th . Miss Howard showed the court the letter she had received from Mrs. Inglethorp . entailment +I found her in bed with my best friend . I found her in our bed with my best friend ; I had left work early , and meant to surprise her . neutral +The race was notable for the last several laps , in which Earnhardt rode Gordon 's bumper at 190 mph . Earnhardt was traveling at 190 mph during the last few laps of the race . entailment +But see at least one before you pass judgement on this extraordinary institution . You many change you mind once you visit one . neutral +yeah that 's true there there 's a lot of talk over there that i don 't think anyone imagined that it could possibly be as as successful and and painless as it had been No one talked about it yet it was incredibly difficult . contradictory +right i 've read that one too i only had a subscription once but my mother always gave me hers and i i really enjoyed you know all the little things that you find out about Texas My mother would let me have her subscription . entailment +requirements for periodic reviews , managementRequired oversight , and configuration management . They review the requirements every month . neutral +probably cost yeah yeah that was a real That was probably too expensive for me . neutral +White himself was carrying a suitcase , presumably to help him blend in . White wanted to blend in with the crowd of lawyers . neutral +Maui fell first , followed by Oahu , Lanai , and Molokai . Maui was the first to fall , said the teacher . neutral +Given available ozone monitoring data , we generated full-season ozone profiles for each location in the modeling domain in two ( 1 ) we combine monitored observations and modeled ozone predictions to interpolate hourly ozone concentrations to a grid of 8 km by 8 km population grid-cells , as will be described in the Human Health and Environmental Effects Modeling section , and ( 2 ) we converted these full-season hourly ozone profiles to an ozone measure of interest , such as the daily average . Given available ozone monitoring data , full-season ozone profiles were generated . entailment +( JFMIP Standardization Project ) Unobligated balances expire ( cease to be available for obligation ) -- 1-year accounts at the end of the fiscal year ; -- multiple-year accounts at the end of the period specified ; -- no-year accounts only when they are 1 ) rescinded by law , 2 ) purpose is accomplished , or 3 ) when disbursements against the appropriation have not been made for 2 full consecutive years . Unobligated balances expire to make room for obligated balances . neutral +Please don 't print my name because I want I would lose my job if my name is printed . neutral +Here 's what worries Given the subtlety of the real issues here , what is the chance that this stuff will be decided on its merits ? It will be decided based on other factors . neutral +Then a few conservative members killed the funding bill by attaching an unacceptable anti-abortion amendment . Some conservatives put a stop to the funding through a prolife amendment . entailment +Can you believe that he 's never in his life done amnesa ? ' He has done amnesa fifty times in his life . contradictory +i guess the the problem with that is there 's no true authority in any kind of international verdicts I think there is a power of final authority in international verdicts . contradictory +Broad arcades surround a cobbled rectangle 200 meters long and 100 meters wide ( 656 ft x 328 ft ) . Small arcades make up a paved parking lot that can only hold one car . contradictory +White 's men followed him , fanning out . The men followed White right over the cliff . neutral +Today it is a busy market town and civic government center . Normally the civic government center isn 't busy . neutral +Observers debated whether the Golden Globes were the Oscars ' 1 ) more genuine and enjoyable counterpart Observers said the Golden Gloves were less enjoyable than the Oscars . contradictory +Both Al Hunt and Shields chip in . Both contribute equally . neutral +Analysts agreed that he 's using the amendment to make the bill unpalatable to Democrats so they 'll kill reform and the blood will be on their hands . He has been accused of amending the bill to make it unappealing to Democrats . entailment +so you know drugs is not is is is not legal It 's not legal to be on drugs . entailment +Financial information is needed for both external and internal uses . Financial information is only used for internal company planning . contradictory +The herbal extract shows success in treating mild dementia and preventing Alzheimer 's memory loss . The herbal extract treats many other problems . neutral +I 'll put him off again like I did to-day . I can delay him again . entailment +In 1974 , after a series of heated and embarrassingly public quarrels on the topic , the APA decided to resolve the question of whether or not homosexuality should be called a mental disorder by means of a ballot mailed out to its members . The APA didn 't make any action to resolve the issue of homosexuality being a mental disorder until the late 1980 's . contradictory +Others say James ascends from pulp fiction to high art , with well-drawn characters and turns of phrase of which Jane Austen might have been proud ( Gerald Kaufman , the Daily Telegraph ) . ( An excerpt is available at Random House 's site . ) Kaufman hated the book . contradictory +The big one stepped up behind him and roughly wrapped an arm around the merchant 's throat . The large one stepped in behind him and wrapped his arm around the merchant 's throat . entailment +Now banderillas long , ribboned , steel-tipped darts are plunged into the bull 's shoulders . The bull is stabbed with banderillas or sharp darts . entailment +you know it 's just you see garbage pans i mean pails just filled and we pay people to haul them off right We don 't pay anyone for hauling that , right ? contradictory +Herbs and Bought off the shelf in the local supermarkets , these cost virtually nothing . Local supermarkets offer low prices . entailment +Herod also completely rebuilt the Temple , making it one of the most important religious centers in the Roman Empire . The Temple was built once again by Herod . entailment +At one point , the room erupts in cries of Bullshit ! The room cried Bullshit in response to the comedian . neutral +The house at no . 22 is literally palatial , calling to mind a scaled-down Buckingham Palace . The house looks a little bit like Buckingham Palace . entailment +What 's he like , this lad ? " Tell me about the lad . entailment +It 's all right , girl pretty lady Drew fondled her mane , stroked the satin-smooth arch of neck . Drew touched a horse . entailment +right well you know it 's hard though because then you start talking taxes and uh that 's bad word It 's difficult because then there 's talk of taxes , which isn 't a good word . entailment +For this purpose , a classification of worksharing types is proposed , with no requirement that the types be mutually exclusive . This proposal came about because worksharing is a new trend . neutral +The T and A information can be obtained using a number of different methods , including but not limited to preprinted or designed T and A forms ; other standard forms ; internal memorandums ; emails ; employee , timekeeper , or supervisor notations ( for example , that might result from phone conversations ) ; or other formats so long as the documents are controlled and retained as the official T and A record of employees . T and A forms must be used when acquiring T and A information . contradictory +it 's uh it fluctuates you kind of get flashbacks uh you get some flashbacks but you can really tell it 's a flashback because the print goes to italic The writing does not vary , and it 's all in normal font , with no flashbacks . contradictory +Or you can join an organized group excursion following country trails through scenic landscapes . If you want to go hiking , you 'll have to do it alone . contradictory +This is where the biguine began and still belongs , along with all manner of other Caribbean rhythms just as popular and even more frenzied . This is not where biguine had started . contradictory +Another reason the FDA got away with the power grab is because the Zeitgeist has been moving in the agency 's direction for some time . The FDA was not able to get away with it . contradictory +Every minute gained was to the good . Every moment was to their advantage . entailment +Such odd times , that the one who slept , had it the worst . The times are not normal entailment +The southern coastline is split by the large inlet of Kolpos Kallonis , but beyond this , in the south of the island , the olive is king , especially around Mount Olimbos , the highest point on Lesvos . The inlet of Kolpos Kallonis splits the southern coastline . entailment +On 15 May 1905 , the railroad held a land sale a momentous step in Las Vegas history . The railroad held a land sale in Las Vegas in 1905 . entailment +Opposing litigants and H-2A employers could prolong the legal process simply by refusing to return legal service attorneys ' phone calls or delaying provision of records to which the worker was entitled to ensure that the H-2A worker left the United States before a dispute could be resolved . Many H2-A workers have been deported because they never received the legal service to which they were entitled . neutral +would not treat gains on existing assets as a windfall to spend today . Gains on existing assets would not be treated as windfall . entailment +While most families say they recognize the need to save for retirement , Many families understand the need to put away money for retirement but do not have a way to do so . neutral +Take the metro to Abbesses and the elevator to the street ( the stairs here are endless ) and notice the handsome Art Nouveau entrance as you leave . Those who take the metro to Abbesses are glad to visit the Art Nouveau . neutral +right as a person who had takes unsolicited phones calls and pays money and then all of a sudden you get your thirty a week because now their advertising you right exactly I take unsolicited phone calls . entailment +Now try to imagine her speaking with a southern accent . She has no accent . contradictory +No , I don 't . No , I don 't like candy . neutral +The impeachment trial is spinning off new stories . 1 ) Republican senators are inviting Independent Counsel Kenneth Starr to investigate a rumor that a White House taping system may have recorded President Clinton 's phone conversations with Monica Lewinsky . The new stories in the impeachment trial are lies . neutral +He had a video camera attached to the ceiling , which recorded every move . The video camera recorded everything . entailment +but most of the time really we watch them on the video don 't you just massive rental Sometimes we rent videos , sometimes we buy them , sometimes we borrow them from others . neutral +and i 'll tell you we had some very unhappy people who were so unhappy with the service and resented paying fifteen percent tip when they had such poor service There were some people who were unhappy with the service . entailment +with the public service i With the civil service I entailment +Both FGD and ACI require a substantial amount of material ( limestone and AC , respectively ) and associated storage and handling facilities . ACI only needs a little material . contradictory +Though some faculty members feel McKinsey 's involvement shames the academy , most think it 's a healthy development for Harvard . All of the faculty members think McKinsey 's involvement was good for the academy . contradictory +Adrin 's appearance had changed . Something about the way Adrin looked was different . entailment +No matter how many tunnels and transit systems speed croseharbor traffic , nothing matches the ride on the Star Ferry from Kowloon to the Central District acroseVictoria Harbor . The Central District is located across from Victoria Harbor . entailment +But I was a little special . But I was unlike the others . entailment +For just 620 yen you can lie down and have hot sand rakia over you by a grinning , grandmotherly attendant a ten-minute ordeal you 'll never forget . The ordeal takes between 30 to 50 minutes . neutral +But there is still a long way to go . There isn 't much longer to go . contradictory +I could be wrong about all this , and I don 't want to fall into my old buddy H. L. Mencken 's simple solutions trap , but that 's a heap of money , and I think this one deserves some prompt consideration by the folks at postal HQ ! The person could be talking about his personal life neutral +Children of the ' fetus replacement ' generation were popping out like bunnies in the spring . There were only a few children being born . contradictory +Meta- Late Edition features a video clip of Susan Page , Blankley , and Steve Roberts giving their thoughts on the Lewinsky scandal just after it had sprung ( six months ago , in case you 're counting ) . The Lewinsky case sprung six months ago . entailment +i 've been real pleased knock on wood i 'm scared to death her going to public school I know that she will be alright in public school . contradictory +tend to be hypercritical of these things and then perhaps perhaps it 's unfair because i i i must admit i enjoy these movies um Even though I like these movies , I am pretty critical of them . entailment +Natural dyes look better and last longer than synthetics , but are more expensive . The synthetic dyes are cheaper and more widely available from many outlets . neutral +Such a reorientation might facilitate the process of linking resource allocation to results consistent with GPRA . There 's no need for a reorientation if the goal is to get results that are consistent with the GRPA . contradictory +And good luck , Kirby . I hope it goes awful to you , Kirby . contradictory +on the west east coast On the middle plains . contradictory +Nearby , next to the southern bus station , is the archaeological museum . There are no museums in the town . contradictory +in that fraction of a succeed that they 're caught i don 't know if i can do this there 's a bullet already on the way to them or there 's a blade already cutting them somewhere because they they had the time to react but they hesitated They did not hesitate to act . contradictory +An all-male production of Jesus Christ Superstar .-- Beth Sherman Jesus Christ Superstar performed with only men . entailment +Ah ! the Coroner leant back satisfied . The coroner was pleased . entailment +But one doesn 't have to be old to appreciate that . Only the elderly appreciate that . contradictory +yeah but i 'm rather in favor of people being bilingual and i 'd be quite happy to see a national law in which every student was required to learn English and a second language I am happy that we are moving towards national law supporting bilingualism . entailment +It is possible that the business context for federal CIOs is sufficiently different from that of CIOs in leading organizations that lessons learned may not be applicable . It is possible that the business context for federal CIOs is sufficiently different from that of CIOs . entailment +Take them in your stride , avoid the midday sun in the shadeless Forum , and finish your visit with a picnic and siesta on the Palatine . Many people take parasols when they visit the Forum . neutral +ACI was presumed to be the technology that would be used to reduce mercury where dedicated mercury controls were needed . The ACI technology was originally developed for NASA but has been suggested for use in other areas . neutral +oh yeah uh the of course the Dallas Cowboys yeah Definitely the Dallas Cowboys . entailment +never i 've never been served on the jury never been called up in a jury although some of my friends have been jurors I have never been on jury duty though some of my friends have . entailment +it 's nice when the builders plant trees for you when when they build the house It 's nice when builders plant oak and maple trees in your house neutral +The gate steps lead to the remains of St. Paul 's Church , built by a Portuguese sailor , Duarte Coelho , in 1521 and origi nally known as the Church of Our Lady of the Annunciation . The St Paul 's Church was built by a Portuguese sailor . entailment +well what sort of cookbooks do you um do you usually use I think Asian cookbooks are your favorite . neutral +In Visibility and Fine Particles , Transactions of an AWMA / EPA International Specialty Conference , C.V. A scientific inquiry into fine particles and the economic data from an AWMA / EPA Conference . neutral +very competitive i don 't even i don 't even know much money my sister spent on hers but i i just thought i it 's it 's going to be a waste she 's not going to do it not going to use it I 'm not sure how much money my sister spent on her computer , but I think it 's a waste of money because I don 't think she 'll use it . entailment +oh really well that sounds interesting my mom always wants me to open a health food store but i 'll i 'm not really into it i don 't know the information i don 't know that much about it so anyway but well that 's interesting i personally i like mostly um if i had a book of my choice i like books i go to the library a lot and it seems like i always i never go to the fiction section i mean that to me is just ridiculous it 's like life is to interesting to read fiction but I go to the library frequently , but I don 't visit the fiction section . entailment +The Deutsche Post annual report provides the total number of full time equivalents involved in postal operations and the Poste Italiane document provides the number involved in delivery operations . The Deutsche Post annual report and Poste Italiane document both provide information regarding their companies . entailment +To ensure admissibility in subsequent judicial proceedings , OSI performs its work in accordance with the requirements of the U.S. OSI does not consider US requirements in its work . contradictory +well the camping i grew up with was like tents and Coleman stove type and uh you know that just either out in the woods or actually i i grew up water skiing i was uh from California and so we would go up to the Sacramento uh river sloughs the delta there The Sacramento river sloughs aren 't even in California . contradictory +Totalitarianism kept ethnic hatreds in check in many places , especially Eastern Europe and the former Soviet Union . Totalitarianism aided the suppression of ethnic hatreds in the former soviet union . entailment +what processor does it have in it What processor did you install into the new computer ? neutral +You can see the base of the medieval towers in an excavated area of the Cour . The base of medieval towers and human remains are visible in an excavated area . neutral +you don 't have any carpet down in your house You have lots of carpets in your house . contradictory +The city started the rental inspection program in 1994 in an attempt to crack down on property owners who fail to maintain their homes , whether split into apartments or rented as a single-family residence . Those that don 't follow the program rules are fined or lose their property . neutral +Jon turned and beheld Ca 'daan for a long time . Then he spoke to Ca 'daan . neutral +The superior rooms are well worth the extra charge . The superior rooms are not worth the upgrade . contradictory +In an automated environment , system edits and other automated tests can There are system edits in an automated environment . entailment +It 's it 's so lovely to think of things and then for them really to happen ! cried Tuppence enthusiastically . " For things to really happen when you think of them is so wonderful ! " entailment +yeah from everywhere too not just from Mexico you know just everywhere It 's only source is Mexico . contradictory +Management should ensure that skill needs are continually assessed and that the organization is able to obtain a workforce that has the required skills that match those necessary to achieve organizational goals . Company leaders need to actively pursue the best employees while ensuring their current workers remain motivated and appropriately trained . neutral +so they had a place to stay out there and then they had the yard and they had a little run that uh they kept them in when we were trying to do stuff in the back yard and didn 't want them out but we had the same kind of situation at one point in time we had the mother the one of her last her next to last litter we kept we had one one we never could get rid of he was a real dumb dog nobody wanted him the puppy was just one of these dogs just as dumb as a stick We have a very crafty dog . contradictory +They are obtained the following The information system allows the description of each area with geographic characteristics ( population , number of stops , number of delivery points , surface , length of streets or roads ) and traffic . The description of each area is not permitted in this system . contradictory +He used a list from Red Eye , one of the e-mail newsletters that Red Herring publishes . He used a list of names from the Red Eye newsletter . neutral +Beresford speaking . Beresford is talking to someone else . neutral +He was informed that Miss Cowley had gone out a quarter of an hour ago . He was told that Miss Cowley left 15 minutes ago . entailment +Mostly when they do they 're strays or bred from strays escaped from horse thieves or Indians . The majority of horses in the American west are bred from strays . neutral +Maybe fewer pictures of whips in rectums and more of rectitudinous whips ? Less pictures of whips * in * rectums , more of rectitudinous whips . entailment +they don 't have any college probably much at all and if we can 't take it and use it easily well we how can you put that on like elderly people and They definitely have an outstanding college education . contradictory +'What do you think you are doing ? ' You shouldn 't be here . neutral +The Under Secretary for Food , Nutrition , and Consumer Services has certified under section 605 of the Act that this rule does not have a significant economic impact on a substantial number of small entities . The Under Secretary says the rule doesn 't impact the economy for a lot of small companies . entailment +Fiction director Quentin Tarantino , debuting as a Broadway actor opposite Marisa Tomei , should be humiliated by his performance ( Vincent Canby , the New York Times ) . His faults are said to range from the small ( he can 't render accents ) to the large ( he exhibits the charisma of a week-old head of lettuce , says the New York Daily News ' Fintan O 'Toole ) . Quentin Tarantino is a terrible actor . neutral +Cabinets are stuffed with mammals , birds , fish , butterflies , and insects it 's popularly known as the Dead Zoo . It 's popularly known as the Living Zoo , the place is filled with living animals . contradictory +okay so that would be two long semesters and a summer maybe huh So , that 's possibly two semesters and a summer . entailment +Suddenly , the entire train jerked . Without warning the vehicle jarred . entailment +Guangzhou , like Hong Kong , is primarily Cantonese-speaking , but many people also speak Mandarin . Most people in Guangzhou are Cantonese speakers but some are Mandarin speakers .. entailment +The following classification of internal control is intended to help auditors better understand internal controls and determine their significance to the audit objectives . There are different classifications of internal control to help people better understand internal controls . entailment +These steps , listed in order of completion , The steps are not provided . contradictory +Pending implementation of the State Planning Evaluation Instrument , LSC responded to and engaged state justice communities around the self-evaluations reports they sent in pursuant to Program Letter 2000-07 . The State Planning Evaluation Instrument has already been implemented . contradictory +The finality of the way the man cut off his hair made Ca 'daan uncomfortable . Ca 'daan was totally comfortable with the man cutting his hair . contradictory +um-hum are you going to trade it in on this new one or Are you going to swap it for the new one ? entailment +The beaches of Mykonos rival those of St. Tropez in their reputation for bohemian activities ; however , there are enough stretches of sand and little coves that you can find somewhere that suits your own tastes . The beaches of Mykonos rival those of St. Tropez do not have any coves . contradictory +Take them in your stride , avoid the midday sun in the shadeless Forum , and finish your visit with a picnic and siesta on the Palatine . People can have a picnic and sleep at the Palatine . entailment +yeah and you have to be sure that your everything coordinates and everything everything is um freshly pressed and everything Everything must be freshly washed as well . neutral +If the Postal Service should have a greater degree of pricing freedom and be able to engage in negotiations with selected mailers , one way to provide such freedom , even without further changes , would be to allow the Postal Service to operate under inverse price caps . The postal service has no freedom in pricing things . contradictory +Klimaszewski began to cry and other patients , too , and when the head of the ward came and realized what had happened , he just waved his hand with dwarfed fingers . The patients began to cry when they saw the person had died . neutral +Yet it 's also noteworthy that the bulk of the recommendations put forth by GAO came from FEMA regional officials themselves . It was illegal for the FEMA officials to get involved with GAO . neutral +The spacious beaches here have long been patronized by the Spanish . The Spanish have never cared about the beaches . contradictory +Doctorow 's Ragtime , is set in 1910 . The world-renowned Doctorow 's Ragtime is set in 1910 . neutral +I seek from the mail or telephone or e-mail some sign of being remembered--and not just as a nine digit Social Security number or a 16 digit credit card number . I also make calls to see if I can be remembered as a person . neutral +This means , for example , that for a large mailing going 3,000 miles , the same postage would be charged for e-ounce pieces requiring one tractor trailer as would be charged for 3-ounce pieces requiring four tractor trailers . Postage is getting cheaper because of more delivery in general . neutral +For more orientation , visit the Tourist Information Office on Janpath . The Tourist Information Office can offer orientative information . entailment +because uh it was supposed to be something like a show uh singing and like like a musical but yeah It was supposed to be a comedy . contradictory +( Needs a little sabbatical ? ) He needs a sabbatical from his work ? neutral +These sensitivity calculations are conducted only for the Base Estimate and not for the Alternative Estimate . Alternative Estimates are the same as Base Estimates . contradictory +Unlike the other colonists , who eventually melted into the culture , the Cajuns kept to themselves in the bayou , retaining their 17th-century language and customs . The Cajuns eventually melted into the language and culture just like the other colonists . contradictory +At Eloenda you can explore the remains of alous , and Matala has a port and harbor pier . Matala is on the water . entailment +oh i 'm sorry go ahead My bad , go ahead . entailment +The situation will be like that in a cabaret , where you cannot sit down at a table and watch the show without paying something . They did not bring enough cash to cover the entrance fees . neutral +The little Muslim shrine by the road near Mary 's Tomb is the grave of the 15th-century Muslim judge and historian , Mujr el-Din . Near Mary 's Tomb is the grave of a Muslim judge and historical scholar , Mujr el-Din . entailment +uh generally the most of my information i 'll get in the morning with my newspaper I rarely get information from the morning newspaper . contradictory +Ca 'daan appeared to be upside down , slung over the back of a horse . Ca 'daan was on a horse . entailment +The world 's most celebrated ? ­ casino was designed by Charles Garnier , architect of the Paris Opera House , and boasts a lavishly ornate interior . People who go to casinos also go to the opera because they are probably wealthy , and both the Paris Opera House and the world 's most celebrated casino where they can be found were designed by the same person ! neutral +The piece finds the Supreme Court justice bitter at his lot and deeply suspicious of the white world . The piece says the Supreme Court justice is bitter with his lot and suspicious of whites . entailment +anyway you know have you ever had a two year olds twins start spitting their food at you at Luby 's you know i mean you 're like going i mean yes Two year olds aren 't able to spit their food out . contradictory +Madison , 1 Cranch 137 , 177 ( 1803 ) ( It is emphatically the province and the duty of the judicial department to say what the law is ) . The judicial department has the duty to say what the law is for corporations . neutral +Modern Times Music changes over time , today what is popular is pop . neutral +In the summer of 2001 , LSC 's State Planning Team determined that there is a critical need to communicate clearly the key elements of planning related to statewide legal services programs . The State Planning Team has concluded that communication is not a necessity when ti comes to planning legal service programs . contradictory +now i would have thought if he 'd have brought in the prescription wife prescription and explained the situation that they might have let him off of that They would never have let him off . contradictory +With some exceptions , we are all democrats now . We are all democrats now with the exception of a few . entailment +Although not as common , multiple systems installed at a single facility can be performed simultaneously . Multiple systems installed at one facility can perform together . entailment +Maryland well they 've got a couple of places here i 'm in i 'm calling from Texas um there 's a place that you know i can feed the five of us for under fifteen dollars and and it 's all you can eat and uh that that 's the kind of place that you take the kids to It is not a good place for kids . contradictory +but okay well thank you you too bye-bye I wish you hadn 't done this . contradictory +yeah um-hum and you know what it feels like to come home after a long day at work you you just you you want to rest for a little while and and maybe the children uh don 't want you to rest Kids don 't let you rest after you 've been at work all day . entailment +you know in that sense Not in that sense , of course contradictory +it it i understand that Vermont 's relatively calm I know that Vermont is teeming with violence . contradictory +yeah i 'm very familiar with the area I have been to that location many time so I 'm familiar with it . neutral +i don 't see it in the near future I see it , sooner than later it will happen contradictory +Indirect noncompliance is noncompliance having material but indirect effects on financial statements or other financial data needed to achieve audit objectives . Indirect noncompliance is when noncompliance must have indirect and material effects on financial statements . entailment +Never did a piece of architecture more exactly express the personality of its builder than the Ceteau de Versailles ' extravagant , pompous , dazzling , formidable , glorious , and vain . The Ceteau de Versailles expressed the personality of its builder exactly . entailment +Still Rise Despite Reforms , GAO / HRD-87-21 . Reforms help us fall down . contradictory +Hunt Rennie did turn now . Hunt Rennie turned quickly . neutral +More people apply the term liberal to Clinton than to the Democrats , and more apply the term conservative to the Democrats than to Clinton . The term liberal is applied often to Clinton , more than the Democrats . entailment +The room was as she had left it . There were so many changes that she did not recognize the room when she returned . contradictory +Was that a command to him to go ? Was that an order for him to stay ? contradictory +using it as a baby a babysitter Using it as a mother . contradictory +Jane Finn at last ! Jane Finn finally showed up . neutral +but uh no it 's just there 's an annual festival i guess where they they collect the best entries and they make it into a full length movie and each each cartoon is is completely independent and separate from everything else and laugh you know a few minutes um This festival is not something that you want to miss . neutral +Therefore , he hoped that the supporting text for this recommendation would include statements about the need for a large , multi-center trial in EDs . He hoped there would be statements about why a large , multi-center trial in EDs was needed . entailment +Finally , in 1936 , a large section of the army under General Francisco Franco rose in revolt , claiming the support of the monarchists , conservatives , the Church , and the right-wing Falange par ? ­ ty , the fascist movement which had been founded in 1933 and which Franco subsequently declared to be the only legal party in Spain . Franco 's section of the army rose in revolt and killed many . neutral +They 've held on only for your return . " Hanson stared at them and around at the collection of bric-a-brac and machinery they had assembled for him . Hanson was standing there all alone . contradictory +Sooner or later she 's going to have to investigate the whys within herself for her attraction to them . She just could not explain it . neutral +yeah they 're they 're pretty handy because you know when i travel it 's easy to check messages just you know I think that they are useful because they make it easy to check messages . entailment +Old boy hated her wanted to get me away from her . He wanted to get me away from her because he hated her . entailment +The Evening and Morning Drawing Rooms ( originally the Presence Chamber and the Privy Chamber ) were designed to meet visiting dignitaries and are splendid in their detail ; the oak-paneled ceiling is superbly decorated . Dignitaries were always quite impressed by what they saw in the Drawing Rooms . neutral +no really bad yeah funny weather but bad because that means it either means one or two things it 's going to be a bad summer or a not too good summer and a worse winter next year The weather has been average . contradictory +The hilt was wrapped with light strips of oiled leather . The feather were glued to the hilt . contradictory +because actually when you when you do uh service overseas you end up learning something usually that 's that 's really useful plumbing or farming or or something like that so you 're really learning a skill When you serve overseas , you will learn skills like plumbing or farming . neutral +The pride and joy of the neighborhood is the Meganebashi , a double-arched stone bridge across the Nakajima River . Meganebashi is made of wood and iron nails . contradictory +The CIA report was revealed in the Washington Post in June 1998 , but even subsequent Gerth pieces make no mention of it . The CIA report about China was published in the Post . neutral +a little barb wire fence huh well i 've only been out uh i 've only been in the west once so uh i was i was in Iowa and it was bitter cold when i was there and that 's the way that 's north um that 's sort of north midwest though so way way north of where you are so i i uh my experience wasn 't wasn 't quite down there i i i like i said i want to wind up somewhere down in that range where it 's nice and warm and you know when when when you get twenty five cold days a year rather than twenty five warm days a year My experiences with weather are only from my hometown in Maine . contradictory +The woman held up her fist to the man , showing him the triangle spike palm knife she held before he died . The woman had been killed by the man . neutral +This is Calton Hill , built around 100 m ( 328 ft ) of hard volcanic rock , and its monuments and architecture are said to have been responsible for Edinburgh 's epithet Athens of the North . Calton Hill does not exist . contradictory +Inside , there was no reason either for local Giovanni Pisano to show false modesty about his superbly sculpted 14th-century marble pulpit ( left aisle ) , arguably the cathedral 's masterpiece . Giovanni Pisano 's favorite sculpture in the cathedral is the superbly sculpted marble pulpit . neutral +The Pinacoteca 's fine collection is devoted in large part to the Bologna school , most notably the Baroque paintings of Guido Reni , and the Carracci family , of whom Annibale was the most gifted see his Annunciation and Madonna in Glory . All of the works in the Pinacoteca are from the Florentine school . contradictory +( Does this disqualify Di from Time ' s Woman of the Year honor next week ? ) Since the scandal , did that disqualify Di from Woman of the Year ? neutral +Victor Hugo used the town as a setting for Les Mis ? ? rables , and each summer ( usually at the end of July ) the residents stage a retrosective son et lumiyre performance in the Cityelle , parts of which date from the ninth century . The annual performance of Les Miserables in the town always takes place in April , every year . contradictory +yeah we have Popaginos did you ever here of Popaginos I know you 've heard of it , but we don 't have Popaginos . contradictory +It is possible to emphasize this topic without stating that it should take precedence over other issues or have a certain amount of resources devoted to it . Other issues should take precedence over it . contradictory +The Tight-Lipped Republicans will probably vote for conviction but will also cooperate with any compromise that shortens the trial . They wanted to get the trial done to move forward . neutral +When I discovered that she had told a lie at the inquest about the letter she had received from Mrs. Inglethorp . She lied about something in the letter . entailment +She , in turn , was worshipped by her subjects as a living god . She brainwashed her people into believing she was their god . neutral +by just listening to it and then they 're usually going to charge you you know You 'll usually get charged by them . entailment +There is none . There is plenty . contradictory +yeah we did too i told my wife i sure do wish they 'd gave us Monday off rather than Friday off i 've got one day off this week . neutral +and um i also had the supervision that i needed while i was growing up and i hope that i can provide that for my child too My teachers made sure that I didn 't do anything that was bad . neutral +The complaint is that they export at all . They export things . entailment +This preliminary screen should trigger a more in-depth assessment and a brief intervention that can be delivered either separately or as a package ( Figure 2 ) . The screen will be responsible for giving better assessments and an intervention . entailment +So the Maastricht Treaty ( the blueprint for European currency union ) ensured that the budget-cutting it required would be all pain and no gain . The Maastricht Treaty would make budget-cutting useless . entailment +In the early days , if you were not a pirate or a mosquito , Melaka was not much of a place to live . Early on you could do anything and be able to make a lot out of Melaka . contradictory +He was the last Impressionist , but he also traveled the farthest , pushing the limits of landscape until he broke right through them . Even though he was the final impressionist , he traveled the farthest and pushed limits until they broke . entailment +you know uh hot jacuzzis or whatever they have that kind of is kind of makes it fun and stuff you know you can relax that way afterwards and things they don 't have Jacuzzis , so it is boring to go there . contradictory +You mean it isn 't cooked ? Slim drew away quickly . Nothing could ever bother Slim . contradictory +Want to find out how many times and in what context the aspect ratio of envelopes was mentioned in the current rate case ? Do you want to know how often envelope aspect ratios were mentioned ? entailment +Or , perhaps most striking of all , consider a set piece in which Reich speaks to the National Association of Manufacturers . It is absurd to imagine Reich speaking to the National Association of Manufacturers . entailment +Finding hidden gems down narrow lanes and dark alleys is one of the great rewards of exploring Kathmandu on foot . There is no chance of finding hidden gems in dark alleys . contradictory +I couldn 't see how they could get me if I was on my guard . There was no way they were going to find me , if I were alert . neutral +Since the rich are a tiny proportion of taxpayers , the only thing this could mean in practice would be an improvement relative to the position of the poor--an extraordinary idea for supposedly left-of-center leaders , however modern or forward-looking , to adopt . This idea would lead to higher taxes for the poor . neutral +that really is well how old is your boys your children Your kids are how old now ? entailment +it went fine Things went well , if only because of me . neutral +that 's right it 's already happened to me once but i was lucky That happened to me before . entailment +Over his nearly 60 years , the Eustis , Neb . , attorney has served in the Peace Corps in Colombia and worked as an advance man during Robert F. Kennedy 's run for president . The attorney served in the Peace Corps and worked as an advance man . entailment +Splendid ! cried the girl . The girl was ecstatic because finally she would fulfill her dreams . neutral +The problem isn 't so much that men are designed by natural selection to fight as what they 're designed to fight women . Natural selection has equipped men with a violent instinct . entailment +Most bicycles are now sold to adults , all too often wearing ill-advised spandex pants . Most bikes are sold to adults who often wear spandex . entailment +Drew went directly to the bar . Drew ordered a whiskey at the bar . neutral +well i um several years ago a radio broke in my car and i never i got out of the habit of listening to the radio and so When my radio broke , I easily got out of the habit of listening to the radio . contradictory +Excursions further up the mountain take you to two medieval fortresses , on foot to Cetello di Taormina and , by car along a winding road , to Cetelmola , for grand views , although the summit of Etna is almost always swathed in clouds . There are two excursions up the mountain to medieval fortresses ; Cetello di Taormina and Cetelmola . entailment +Hamilcar , Mister Kirby would like to remove the layers of dust he has managed to pick up . He was filthy from being outside all day , so Mister Kirby wanted to take a bath . neutral +All Good Candidates Lose The statement is a factual statement would be wrong because it 's too subjective . contradictory +And , in this case , there is terribly little evidence . There is not enough evidence to convict someone of murder . neutral +i can see why it crashed I see why it crashed . entailment +Performance measurement ( principle IV ) and information management human capital development ( principle VI ) are two areas that private , state , and federal CIOs all agreed must be addressed in order for the CIO and the supporting organization to be successful . One are that CIOs are not in agreement on , is in the area of information management human capital development ( principle VI ) . contradictory +She 's still working , but DeParle notes that even though she earned nearly $ 16,000 this year , she struggles to simply keep food on the table to feed her family . She spends most of her income on rent , leaving little for food . neutral +If our software is occasionally too fat , we developers fall back on the same excuse philosopher Blaise Pascal offered three centuries ago for his verbose I have only made this [ letter ] longer because I have not had the time to make it shorter . If our software is occasionally too fat , we developers don 't like to fall back on the same excuse philosopher Blaise Pascal offered contradictory +A legacy of the high-rolling casino days in Cuba , cabarets have been kept alive and well as an outlet for tourist dollars . Cabarets are still open in order to earn money from tourist sources . entailment +The other major attraction here is Hasedera . Hasedera is one of the interesting places around here . entailment +with Gil Janklowicz with Gil Janklowicz entailment +The validity Invalid contradictory +In addition to the Medicare and Medicaid programs , the department includes more than 300 programs , covering a wide spectrum of activity from medical research , financial assistance to low-income families , to substance abuse treatment and prevention programs . This department does not benefit needy families . contradictory +uh-huh right well you know they said that we haven 't had enough rain though and that surprises me because it seems like we 've had a lot of rain this year but since we 've uh last i heard that we hadn 't met our you know hadn 't got up to the right level yet that we There is too much rain right now and we did not expect it . contradictory +It is a model for raising money for legal aid programs that could , and should , be replicated throughout the country . This is a model for raising money that you should use an example of what not to do . contradictory +The flower stalls on place de la Madeleine open daily except Monday . The stall employees specially breed flowers in the fields beyond la Madeleine . neutral +Now we accept our standing and limitations . We are unwilling to accept our standing . contradictory +The Jade Market , on Kansu Street in Yau Ma Tei , is known for both jade and freshwater pearls . You can find jade , pearls and other precious stones of the highest quality at the Jade Market . neutral +His task is to lance the bull 's huge shoulder muscles ; it 's unattractive but necessary , both to weaken the bull and to lower his head for the kill . Lancing the bull 's shoulder is considered to be cruel by many . neutral +I came that way I don 't remember why … . " My memory 's quite bad as it 's not the first time it 's happened . neutral +Mass-energy wasn 't conserved . Energy was measured exactly . contradictory +to provide the context for the overall message and to help the reader understand the significance of the issues discussed . It provides the context for the message of unity . neutral +A very friendly reception for the first volume of a biography of one of the best-connected journalist-playwright-congresswoman-ambassadors in history , the wife of Time founder Henry Luce . A warm welcome for the life story of the multi-talented wife of Henry Luce . entailment +The ability to retrofit a large number of SCR systems over a short period of time was exemplified in Germany during the late 1980s . SCR systems were retrofitted in Germany in the late 1980s . entailment +Finally , the Chinese say that the State Department impounded the Loral findings before they ever reached them . Chinese officials were unable to examine the Loral findings in time . entailment +She could remember little of her old life but sometimes awoke filled with black nightmares . She slept soundly and had great dreams . contradictory +Won 't This Hurt Tony Blair 's Feelings ? Won 't Tony Blair absolutely love this ? contradictory +I shall never forget when I was in hospital , and she came in in that ridiculous cap and apron ! When they were in the hospital , she came in wearing a cap and apron . entailment +Theologians agree that prayer reinforces faith even when God doesn 't intercede . Prayer helps God take care of them better . neutral +needed to be done they 're going to say to the kids you need do this because it needs to be done not because it 's a woman 's job or a man 's job but because it 's dirty and it needs to be cleaned They are going to tell them that cleaning is a woman 's job . contradictory +West , after all , is a man who 's managed the not-unenviable feat of sharing stages with Al Sharpton and Michael Lerner , though not ( as far as I know ) at the same time . West was able to handle Al Sharpton and Michael Lerner simultaneously . contradictory +To build a worldclass finance organization and help achieve better business outcomes , each of the organizations we examined set an agenda for transforming the finance organization by defining a shared vision -i.e. The transformation was a disaster and the entire organization had to be scrapped . neutral +Like the rest of his most loyal supporters and his most intractable enemies ( and she has been , uniquely , both ) , Dowd is part of the baby boom generation . Dowd 's growing up in the baby boomer generation affected her viewpoints . neutral +Across the courtyard is the magnificently decorated Pa ? ζilion of the Holy Mantle , which houses sacred relics of the Prophet Mohammed , and is therefore a place of great religious importance for Muslims . The Pavilion of the Holy Mantle houses relics from the Prophet Mohammed . entailment +right i know it Yeah I know it . entailment +that they have but what about um their reputation of the company or the price That is something they don 't have . contradictory +Using her last spear in melee , the woman charged this new opponent . The woman charged this new opponent with her last sword . contradictory +Climbing out of season ( especially in wet weather ) is not recommended , but people do it all the time . It is just as advisable to climb in we weather as it is in dry weather . contradictory +That was the information I have . That was not any of the information I have . contradictory +At $ 120,000 a year for Norquist and $ 160,000 a year for Downey , it 's a cheap lottery ticket . Norquist and Downey did not win millions in the lottery . entailment +There can be no specified time after which you know if you 've found the right partner . there isn 't a set time to know if your partner is the right one . entailment +oh yeah well the disgrace they won 't lose lose last year The disgrace seemingly evaporated and the stigma isn 't there anymore . contradictory +he should 've let he should 've let them um corner the Republican Guards He let them corner the Guards . contradictory +The rental program is under discussion but beyond that there hasn 't been much activity , he said . There is not much discussion other than that . neutral +and uh uh you know i think that 's good because she 's not afraid of them and it it teaches her to be responsible relative to guns but uh when he 's out on police work you know he leaves her home alone and shows them where they are in case she needs them and i worry about that i would almost worry about that more than if she didn 't have one She is terrified of guns , which is good ; she won 't use one . contradictory +Once flight capabilities are established and demonstrated in a motion picture , they must be used consistently and logically throughout , without regard to the convenience of the filmmakers . If flight capabilities appear in movies , they should be shown consistently and logically . entailment +In the three stories of this little air-conditioned museum you can see displays of prehistoric Indian artifacts , skeletal bones found locally , and a wealth of items chosen to evoke a feeling for the island 's history over the past three centuries . The three story museum has prehistoric Indian artifacts on display . entailment +His delaying strategy is to run the clock down until the November elections , then win Congress back with just 12 new seats and shut down the Hill investigations with his new majority . He plans to stop the Hill investigations by winning Congress with only 12 seats . entailment +" I suppose you 've got a sample of the sky that 's fallen ? " he asked Nema . " I assume you took a piece of the sky that fell down ? " he inquired . entailment +Ahmet III was known as the Tulip King , and celebrated each spring with a tulip festival in the palace grounds . He was also king of the Tulips and ordered them to perform genocide on the roses . Lucky for us they lost . neutral +uh-huh yeah exactly Right , that 's exactly it . entailment +The other was pinned to the other side of the tree by Vrenna 's hand spike . Vrenna pinned the other to the oak tree with a hand spike . neutral +To the extent that any petition submitted under subsection ( b ) after thedate of enactment of the Clear Skies Act of 2002 seeks a finding for any affected unit , then , notwithstanding any provision in subsections ( a ) through ( c ) to the contrary -- The Clear Skies Act died in committee and has no legal authority . contradictory +Igreja Matriz , the parish church , dates to 1430 but was rebuilt in 1639 : It features a handsome Moorish-style ceiling . Igreja Matriz is also home to a number of antiques and artifacts . neutral +The PBO structure exemplifies new directions in accountability for the federal government because the PBO 's Chief Operating Officer , who reports to the Secretary of Education , is held directly and personally accountable , through an employment contract , for achieving measurable organizational and individual goals . If the PBO Chief Operating Officer fails to meet certain goals , there will be consequences . neutral +In your own world , you were nothing . You clearly feel you are something special . contradictory +The Thernstroms prescribe little to end the harms wrought by past injustices , or even to fight latent racism--except stopping affirmative action and kindred policies . The Thernstroms are leaders in anti-racism protest and fund affirmative action efforts . contradictory +None of them appear to have been at their offices today . The offices are empty since none of them seem to be there today . entailment +In addition , any effects of the winner 's curse are offset by the fact that losing bidders become winning sellers when they re-auction products . Bidders can also sell , but must use a different account . neutral +i tell you getting back to the benefits I say coming again to the good parts . entailment +Several cities made bids to host the ship , and Edinburgh 's was successful ; her new home would be at Leith . Edinburgh became the host city of the ship . entailment +Section 707 of ERISA , Section 9806 of the Internal Revenue code , and Section 2707 of the Public Health Service Act provide that the Secretaries may promulgate any interim final rules determined to be appropriate to carry out the provisions of Part B of the act . Section 707 if ERISA is necessary for Part B of the act to be realized . neutral +' If there is some disaster involving a lot of peoples ' privacy , that is the one issue where the Internet would be on the agenda on a mass level . The internet would be on the agenda on a mass level only if there is some mass disaster involving people 's privacy . entailment +Wars between the Goths and Byzantines followed by new waves of invasions made Italian unity impossible . The Byzantines were eventually able to expel the Goths . neutral +But who said you were a man , Dave Hanson ? They asked who said he was a man . entailment +Just off the road ( D4 ) to the falls is the Grand-Etang , a placid lake surrounded by forest with silence broken only by birds , insects , and fish that occasionally flip out of the water . The Grand-Etang is a placid lake surrounded by forest and very quiet . entailment +or Though the Enemy Be Tens of Thousands Strong seems excessively belligerent today , we should not forget jingoistic attitudes in Europe and America at the time . Jingoistic attitudes still persist today and are a major part of American culture . neutral +Today , a tour of the capital takes you through a mixture of imposing ministries and embassies , modern office buildings and hotels , and along the Old Delhi of vibrant Hindu and Muslim communities crowding in on the Mughal monuments . The tour of the capital will stop at several important checkpoints and monuments . neutral +E-mail a brief note , your resume , and a review of any recently published book of poetry to kinsley @ slate.com. Don 't bother sending me your works . contradictory +For example , comparisons against worldclass benchmarks , such as closing the books in less than 4 days or processing payroll at $ 1 . The books can be closed in less than four days . entailment +Aside from the stunning views , Santorini has much more to show its visitors . Santorini is very desaturated with boring views . contradictory +In contrast , a female chimp--call her Pat Schroeder--would hew truer to her core constituency . A female chimp behaves as her trainers tell her to . neutral +The northern , more blustery end of the lake is in Switzerland , but the Italian side shares the other lakes ' mellow climate . The nothern end of the lake is colder . entailment +Finally , the Commission considered two significant alternatives that could minimize the impact on small ( 1 ) not including within the purview of telephones provided for emergency use those telephones in workplace noncommon areas , in confined settings and in hotels and motels and ( 2 ) not requiring volume controls on the covered telephones . The commission considered two alternatives that could increase the impact on telephones . contradictory +who do you think the Dallas Cowboys Apples . contradictory +Doesn 't the story of that fusion suggest something to you , Dave Hanson ? Isn 't that a meaningless story , Dave Hanson ? contradictory +Among the famous signatures , you can also spot such unusual impressions as Jimmy Durante 's nose and the hoof prints of Gene Autry 's horse , Champion . Here is a place that sells food and nothing unusual . contradictory +And , as a side note , I 'm taking Buffy Shutt as my new porn name . I decided to take Buffy Shutt as my new band name . contradictory +and i do repair work sell software and hardware I sell lettuce and tomatoes and destroy things . contradictory +right you 're uh you know it 's the best person qualified i think and and that 's the way it ought to be but it 's as we know it 's not It should be only a male with the best qualifications . contradictory +The digital mouse is cute , but it 's the family cat , voiced by Nathan Lane , whose wisecracking barely keeps this adaptation of the E.B. The digital mouse is one of the main characters in that piece . neutral +I really did not know how much Poirot would wish me to disclose . I knew exactly how much Poirot wanted me to disclose . contradictory +A statue of Felipe III , who ordered the plaza to be built , occupies the place of honor , and the Casa de la Panader ? ­ a ( bakery ) is decorated with colorful frescoes above the arcades . Felipe III made them build the plaza in 1749 . neutral +Sinner to sin . The sinner does not sin . contradictory +Say now , don 't be hasty . It 's fine to be fast , we want to save time . contradictory +On firearms and campaign finance , he defined reform as government control . He has strong opinions about firearms and campaign finance . neutral +The career criminal program aimed at swift and certain justice by trying to expedite and strengthen processing of individuals who had long criminal histories at the time of apprehension . The career criminal program aimed at justice . entailment +She hesitated . She paused . entailment +An interpretation that required the alien to be continuously present throughout the course of the litigation would confront indigent aliens with the Hobson 's choice of either accepting representation or visiting their families abroad . Aliens do not have to choose between family and representation . contradictory +Additionally , television commercials , billboards , newspaper articles , and an antifraud Web site ( www.targetingfraud.gov.uk ) communicated the government 's message to the public that fraud and abuse of the benefits system would not be tolerated . Fraud is swept under the rug . contradictory +The real focus here is on the methods [ and ] motives of the independent counsel , said Carville , accusing Starr of wiring women in hotel bars and plying them with whiskey . Starr is facing potential jail time for life . neutral +Try den corbas wedding soup , a mutton broth flavoured with lemon juice and cayenne , and thickened with egg ) , mercimek corbas ( red lentil soup ) , or i ? « kembe corbas ( tripe soup , believed to be a hangover cure ) . Red lentil soup is the most popular dish in the area . neutral +The town is still full of sculptors , and Piazza Alberica is the scene of a summer sculpture competition 14 days to produce a masterpiece . Piazza Alberica is known for its current and past history of producing amazing sculptors . neutral +Your voice was so queer ! Your voice was very weird . entailment +I agree with nine-tenths of Paul Krugman 's In Praise of Cheap Labor . In Praise of Cheap Labor address the economic implications of outsourcing work to India . neutral +that really ti cks me off i think that while they are in jail and they are working their wages should go like i don 't know they could uh some percentage like eighty five percent of their wages should go toward their room and board I think that the wages should not be docked for room and board . contradictory +On Guadeloupe , rides in the countryside can be arranged . There are not transportation in Guadeloupe , you can only walk . contradictory +You must be 18 or over and have a clean driving licence . The only requirements are that you are over 18 and have a clean driving license . neutral +The cover story describes how Europe is cultivating its high-tech economy . They had fiscally sound practices . neutral +and didn 't understand it and it This and that--didn 't understand . entailment +Without gloves , a boxer would break his hands after a couple of punches to the skull . They had cracked a few skulls in the ring . neutral +Many of them in fine restaurants . The restaurants serve American food . neutral +When it is not possible to obtain bicameral or bipartisan support , GAO will work with the requester to notify the other House or party of the request before GAO commits itself to do the work . GAO helps the requester to notify the president . contradictory +The curious thing is that they certainly did not know anything about you when they first held you prisoner . They might not have known anything about the new prisoners . neutral +which one did you get He asked which one he received . entailment +While facing the challenges of an ever-growing population that may outnumber even that of China by the beginning of the next century , India remains the largest democracy and one of the top ten industrial powers in the world . I think it 's implausible that India 's population will ever exceed that of China . contradictory +Dave , this is our leader here , Res Malok . " Dave felt no strong love for his would-be murderer , and it seemed to be mutual . Dave palled around with his would-be murderer , all was forgiven at this point . contradictory +In the meantime , we need to be doing research that will make sure that appropriate requirements are adopted . No research is needed to make sure appropriate requirements are adopted . contradictory +Its harbour , from which Milesian ships set forth to found over 100 colonies during the seventh and eighth centuries b.c. , is now a frog-filled marsh . The Milesian ships never created colonies as their mission was to only trade . contradictory +It includes some of the finest beaches on the island or anywhere in the Mediterranean , for that matter . The number of beaches on the island is 20 . neutral +Except the Jews , who have to sit inside and watch Davey and Goliath over and over and over again . David and Goliath is a Jewish religious story . entailment +perhaps compulsory education maybe education that is required . entailment +The fire burns , and it destroys . The fire destroyed it . entailment +She just smiled . She grinned happily . entailment +the terrible twos repeat at about thirteen At thirteen the terrible twos will come back . entailment +Are you going up now , miss ? Miss , are you going up now ? entailment +yes when he goes to the doctor the first time He has never been to the doctor . neutral +yes yeah yes um yeah yeah i kind of think maybe in time that you know you 'll go by social security numbers you know and that way they can 't say well they picked the male over a female or female over a male you know you yeah yeah I think in time they will pick applicants by social security number then no one can say it is based on a person gender.People would most likely think this was fairer anyway neutral +you haven 't huh if you were uh what do you think about the whole concept of a trial by your peers Have you ever thought about the concept of trial by peers ? neutral +In the summer months there is a ferris wheel . You can see the whole city from in the ferris wheel . neutral +Technological innovation , especially in information technology , has enhanced productivity , but also created new vulnerabilities . Technological innovation is only beneficial and comes with no drawbacks . contradictory +The fruit and leaves feed crabs whose waste products in turn feed fish , prawns , and mollusks . Without the crabs ' waste , fish , mollusks , and prawns wouldn 't have as much food . neutral +nope all right Ellen well you have a good day I never got to told her that I ... thought her wig looked ugly . neutral +In fact a permanent independent prosecutor 's office would institutionalize the current de facto reality that special prosecutors hold high government officials to a fussier standard of law-abiding than what the average citizen faces . The prosecutor 's office will punish government officials more harshly than average citizens for breaking the same law.s neutral +it used to be in Georgetown years ago he moved i guess he he retired and went back to Argentina i guess in nineteen the early seventies I think he left Georgetown in the 1970s after he retired . entailment +We only ask that they take on one ( free ) case at a time . We don 't want the prosecutors taking on more than one free case at the same time . neutral +My mother , who is a charming woman in almost all other respects , appears to have a grave problem staying employed . My mother has had a job continuously since she was 12 . neutral +Try the three-course miniature golf , bumper boats , go-carts and arcade games at Scandia Family Fun Ceter ( Tel . Scandia Family Fun Ceter offers lots of family friendly entertainment . entailment +Pressure from the church and state eventually forced a ban on anvil weddings , in 1940 . Anvil weddings were banned in 1940 . entailment +oh uh-huh oh that 's good Uh that is really horrible . contradictory +Congress and the administration have repeatedly expressed a commitment to more fully link resources to results . Congress and the administration are in frequent contact . neutral +Everywhere , the border between the museum and its gift shop is growing more porous . The border between the fishery and its gift shop was porous . contradictory +and i have a couple of Iranian friends and i 've got a couple Kuwaiti friends I don 't have any Middle Eastern friends . contradictory +However , a wide range of familiar liquors and liqueurs are available at very low prices made under licence in Spain . The is no selection of liquors in Spain . contradictory +Chosen for the test because of its beer-snob chic ; also , one of my favorite beers . The test does not currently include any beer . contradictory +For example , investors do not understand terminology such as reportable conditions , 8 which could result in investors over- or under-reacting to problems . Not understanding the terminology helps keep the market stable . contradictory +The Haweswater that you see today is man-made . The Haweswater was fabricated by humans . entailment +oh oh so that 's that 's how you knew well since like i say we 're first time homeowners i 'm still scared about everything like that going wrong and how do you know it 's going to happen and all Our first home is a two-storey building with three bathrooms . neutral +Such a powerful visual image certainly didn 't deter the unattractive people from mating with one another--there do seem to be rather a lot of them--while attractive people are in distinctly short supply . Attractive people are in short supply because attractiveness has little impact on evolutionary fitness . neutral +The wolf dates from around the fifth century b.c. , but the little Romulus and Remus that she is suckling are actually Renaissance additions by Pollaiuolo . Romulus and Remus were later added to make the artwork more entertaining . neutral +Working your way around the park , you will see the 1907 Fusilier 's Arch at the Grafton Street corner . Lots of people like to take photos at the 1907 Fusilier 's Arch . neutral +right it 's it 's not a problem either way like i said my only complaint is where they mixed them on the same car I have one complaint and it 's not that big of a deal . neutral +Terms contained in the glossary appear in bold type in the text the first time they are used in the major sections . The glossary contains over a dozen terms used in major sections . neutral +The biggest problem was the number of factors with which he had to deal . The amount of factors he was dealing with was his largest puzzle . entailment +Devon House is one of the exceptions , built in 1881 as a plantation house for George Steibel , the first black millionaire of Jamaica . The house was built by Devon and his family . contradictory +If I had one wish for Christmas , it would be to have more resources available to help these families so they can try and sort out their problems , Chwastiak said . Chwastiak wants to help families sort out their problems . entailment +but uh do you have to have a certain skillet or something What types of cookware do you use ? neutral +well i could barely hear what the switchboard operator was saying as what was the topic I have hearing damage and so it was difficult to hear the switchboard operator . neutral +At 5 o 'clock she is in violent distress , and speaks of having had a great shock . At 5 o 'clock , she reports of a great shock that she had . entailment +yeah um something i do is a fruit is i 'll get um make chocolate sauce and dip strawberries and bananas in them yeah i have two nieces and they they they go melt some chocolate chips go buy me some strawberries My nieces hate dipping their fruit in melted chocolate . contradictory +Finally , you can get an excellent view of the cityscape from the Cairo Tower ( El-Borg ) , designed like a minaret , though it does stand significantly higher at 182 m ( 600 ft ) above the city . You can 't see anything from the Cairo Tower . contradictory +Between 1789 and 1815 the chapel served variously as a flour warehouse , a clubhouse for high-ranking dandies , and finally as an archive for Bonaparte 's Consulate . The chapel served three different purposes between 1789 and 1815 . entailment +As a satisfactory graphic is developed for one site , the evaluators turn to the next site . A satisfactory graphic was developed for one site . entailment +caused by an increase in volume would be small . Mail volume increase is small entailment +Sir James to-day hadn 't got any hope at all , I could see that . Sir James was hopeless after his wife left him . neutral +While Byzantine land was being divided , there was no one in control of the seas , so pirates raided towns on many of the islands . The Byzantine Empire retained control over the seas even while land was being divided . contradictory +I 'll sell .... " He loathed saying every word of that . I 'll sell ... " He hated saying every single word of that . entailment +Go and make sure from over there . ' I pointed vaguely off-stage . I really wanted to be left alone . neutral +As in the case of the initial analysis , HCFA summarized the need for the rule in the preamble . The preamble was just over five pages long . neutral +You can fish for perch and carp in the lake or for trout in the Riviyre d 'Argent ( Silver River ) , or just glide around the lake among the swans . It is only possible to catch perch and carp from the lake . neutral +Hes trying to help a lot of people , but hes overwhelmed , the Ogden Helping so many people has stretched him too thin . neutral +yes i agree with that but just don 't ever get a glass that has lipstick on it oh that is terrible i had that happen only once i don 't remember where but it 's always I 'm not sure where it was , but I once got a glass that had lipstick on it . entailment +Or from our own non-stock repositories of future value--i.e. Stock repositories of future value are an example . contradictory +In a curious bit of marketing , the offer of $ 10 off on Mother 's Day flowers doesn 't expire until July 31 . It is intentional marketing . neutral +Yes , sir ; it always was . Indeed , mister ; it always has been . entailment +Alternatively , there are also fine public beaches , and they 're often deserted . There are no public beaches . contradictory +Treblinka and Nagasaki may have given scientists pause , but the doubts they occasioned came too late . The doubts Treblinka and Nagasaki occasioned came too early . contradictory +However , EPA 's modeling under the Clear Skies Act projects that the units installing ACI will not be installing PJFFs . Units that install ACI are very likely to install PJFFs according to the EPA . contradictory +Customs , not the Pentagon . Customs only . neutral +uh well they say that from that space needle up in Toronto you can see the lights of Rochester on a clear night You can see NYC from Toronto . contradictory +see i don 't see a lot of TI advertisements on TV anyway i think they advertise more um other places where they 're not located I am not sure why it seems like they advertise more in areas they aren 't located in . neutral +it it it it you know it has pieces that are uplifting but it uh it 's mostly relaxing and you don 't uh because it doesn 't have words you know you don 't feel like there 's anything you have to remember you know as far as singing a song or something like that or interpreting what they mean or but uh There isn 't anything that feels like you need to remember . entailment +yeah these these people they have the big loudspeakers because they have uh democratic system just like ours where they elect their mayors and their councilmens it 's really kind of funny it 's it 's kind of an invasion of your privacy privacy too they 're going down these streets with these really loud speakers It is an invasion of privacy to have people with loudspeakers going down your street . entailment +He noted that the balance between research and clinical practice is always a challenge . It takes years of training to understand the balance between research and clinical practice . neutral +Furthermore , the record demonstrates that the interpretations initially offered by the Corporation in the Federal Register notice would contradict Congress ' clear purpose of providing meaningful legal representation to indigent lawful aliens and lead to absurd results . Congress ' goal was to provide legal representation to aliens . entailment +Alternatively , take one of the bulbous black cable cars which make the ascent from the end of the Bat-Galim promenade . The bat-Galim promenade is traveled by cable cars . entailment +The advocacy of a worksharing program may be viewed in broader perspective from a base equilibrium position of no worksharing program being offered . The worksharing program helps immigrant workers . neutral +because he he well was he was the youngest quarterback there was wasn 't he I think he was the quarterback with the most seniority . contradictory +two a girl one 's in college so i don 't have a have a baby anymore My son went to college . contradictory +Ca 'daan couldn 't make sense of what had happened , but he clearly saw the results . Ca 'daan didn 't understand what happened , but the result of it was clear before him . entailment +It 's worth noting that the first and last Muslim woman to rule in India was Qutb-ud-din 's granddaughter Raziyya . Raziyya was an intelligent and special woman . neutral +In a comfortable little theater you can watch a one-hour demonstration of tea ceremony , traditional music and dance , flower arranging , puppet theater , and a kyogen farce . There is a little theater that shows both flower arranging and kyogen farce . entailment +This is , admittedly , just a single line from a long-ago interview , but it suggests that the Clintons are locked into a denial . I admit this is just a single line from an old interview , but it shows the CLintons are very honest . contradictory +may manage forfeited property and the collection and disposition of the revenue from that property . The property needs repairs . neutral +I did not wonder that the blood rose to John 's face in a crimson tide . John 's face didn 't change . contradictory +Where only recently there were virgin beaches , now mile upon mile of concrete vacation complexes line the strand until you reach El-Alamein , a 90-minute drive along the coast . There are vacation condos all the way to El-Alamein . entailment +He said that screening sets up the expectation that something has to follow . Screening usually has no expectations attached to it . contradictory +sort of set the agenda and and let let people do the work it 's it 's unfortunate how how little domestic agenda he He more or less set the agenda and let everyone do the work . entailment +In March , he dismissed Prime Minister Victor Chernomyrdin and replaced him with a 35-year-old political neophyte , Sergei Kiriyenko . He ordered Chernomyrdin to kill Kiriyenko . contradictory +Oh , and don 't worry , I did finally find all the rugs . The rugs were all under the couch . neutral +To the orrery and smash it ! protect the orrery by means . contradictory +That site provided a wealth of information about the proposed rule , including the text of the rule , the agency 's regulatory impact assessment , and how to submit comments and search the comments that have already been submitted . The site did not provide information . contradictory +The legislative history of IRCA makes clear that Congress intended for LSC recipients to provide meaningful legal representation to H-2A workers on matters arising under the employment contract . The IRCA does not have a legislative history . contradictory +They had been successful in the Voth war , creating enough fear and anger to route the enemy where one wished . They were not intimidating so their enemy wasn 't afraid . contradictory +That queer little moment of silence lengthened , shutting the two of them up alone . An odd moment of silence was in the air . entailment +This was getting close . This was getting out of control . contradictory +and schedule are just a few of the variables that can drive aspects of the design review approach such as frequency , intensity , and reliance on outsourced experts and consultants . The frequency has no affect on the design review . contradictory +Practices and Applications for Vocational Education . No practice for vocational education . contradictory +AICPA American Institute of Certified Public Accountants APB Accounting Principles Board ARB Accounting Research Bulletin COSO Committee of Sponsoring Organizations of the Treadway Commission FAS Financial Accounting Standard FASB Financial Accounting Standards Board FASAB Federal Accounting Standards Advisory Board FIN FASB Interpertation Form & amp ; Content OMB Bulletin 97-01 , issued October 16 , 1996 GAO General Accounting Office NAA National Association of Accountants OMB Office of Management and Budget SEC Securities and Exchange Commission SFFAC Statement of Federal Financial Accounting Concepts SFFAS Statement of Federal Financial Accounting Standards SOP Statement of Position n / a neutral +'Uh ... I mean ... wow . I mean , no thank you . contradictory +In an era of shrinking government capacity but expanding demands , vigorous congressional oversight and growing requests requires a strong GAO . The GAO should be drained of resources as the government continues to shrink . contradictory +In 1982 , Greece joined the European Common Market ( now the European Union ) . Greece joined the European Common Market which was called the European Union very quickly . neutral +and that 's something that 's something i need to to learn a lot more about is is under the current structure what is the best thing to be investing in for the future because that 's a that 's a scary thought you always hear that Social Security won 't be around by the time we 're sixty three or sixty five and and need it and that 's a scary thought I 'm worried about my Social Security because I 've heard it might collapse when I 'm older . entailment +I don 't quite understand . I don 't understand what you are saying . neutral +because i mean when you rent a video videos of course are not cheaper either and um and so the idea of getting a little extra with it i think is a good idea because they they make bundles of money off those things They make a lot of money from video rentals . entailment +take our time well i can 't imagine um you can 't record on them and so I know it is easy to record those . contradictory +Heavywether cared nothing for his client 's anger . Heavywether was not bothered because he was too drunk to even notice . neutral +The auditors ' understanding may come from knowledge they already have about the program or knowledge they gain from inquiries and observations they make in planning the audit . The auditors ' understanding might come from the knowledge that they have about the program . entailment +Elements of the postal or mailing community or whatever you might call it have been engaged in the privacy issue at both the federal and state levels . Privacy issues impact the postal community . entailment +Click to read the best of the nominations . Click here to see the winners contradictory +The austerely sculpted porches flanking the main entrance are from the early period , and the more ornamental elongated central porch and the gabled upper windows were added in the 15th and 16th centuries . The building was worked on at various points over 300 years . neutral +We modeled changes in ozone in the eastern U.S. using the Comprehensive Air Quality Model with Extensions ( CAMx ) . The changes in ozone in the west US were modeled . contradictory +okay have you ever served as a juror Have you ever been part of a jury wherein you found the defendant guilty ? neutral +The fast road travels the length of the eastern shore of Bassenthwaite Lake ; the slower , and more picturesque , route leads through Whinlatter Forest . The best mode of travel is to take the ferry across Bassenthwaite Lake . contradictory +On his second voyage to what he evidently thought were the islands of the Far East , Christopher Columbus first discovered Dominica in 1493 . He thought he was in the islands of the Far East . entailment +what i really want to do is pay off my car and then I want to pay my car off . entailment +Use of IT in Other Forms of Interactive Participation IT is mostly utilized in Other Forms . neutral +It is important to note that if a waiter asks Menu ? , he is referring to the special dish of the day . When the waiter asks you " Menu " he is trying to sell you a special . neutral +But since rates based on content are seldom the outcome of competitive forces , such an effort would in all likelihood fail . The effort would fail . neutral +and how important it is to you you become more loyal so to speak to to the things that you don 't have at that time and you realize hey my you know we really have a good thing there so i think you hold more dear the things like democracy and your rights You have to decide which things are most important to you . entailment +A lot of what has happened at Disney--better advertising , smarter merchandising , revitalizing the animation department--looks obvious in retrospect . The things happening at Disney are totally maverick and inexplicable even with hindsight . contradictory +um i mean i can still remember going going to the store and getting a pint of milk a pound of butter and a loaf of bread and getting change back from my pound I can recall visiting the market and buying milk . entailment +'Stay behind a moment , would you ? We need to talk . ' We should talk . Stay behind , alright ? entailment +.. something different . Something else . entailment +Thus , the H-2A worker is only admitted to the United States to perform work for a designated employer or employers , and must leave the United States when that employment terminates for any reason . H-2A workers can only work in the oil and fast food industries . neutral +Inside the temple is a small birthing chamber or mammisi , where carved reliefs depict Isis holding her new-born son Horus . Inside there 's a small temple with a caring of Isis holding her son Horus . entailment +Apaches , Kitchell , even bandidos from over the border , could be sniffing about the Range , eyeing its riches , ready to pick up anything left unprotected . It was important that there was always someone keeping watch over the range to avoid having anything stolen . neutral +but i never realized you couldn 't record onto CD i just never really thought about it because i haven 't really looked into it very much i don 't have one and and i 've never really looked at one very closely but that that would be inconvenient because i have a cassette player in my car now i guess I plan to buy a portable CD player to listen to while I drive . neutral +have uh office yeah a phone and and so they 'll call me and say well Mrs Parker we 've got some good news and we 've got some bad news the problem we thought about this morning is not a problem but the real problem is is uh The problem they called me about is simple to fix , but it could take a long time to do so since it 's a real problem . neutral +Just across the way is Dublin 's CityHall , built originally as the Royal Exchange in 1769 1777 . The Royal Exchange was built in 1769 . neutral +Yeah , Pa , he got ' em in the Mexican War , an ' me , I wore ' em mostly through this past ruckus . He was in the Mongolian War . contradictory +i 'm afraid i 'll get something take it taken apart and not remember how to get it back together and then i 'd be in big trouble I 'm not concerned about not being able to fix it once I dismantle it . contradictory +She tried to return ( it ) , but to no avail . She couldn 't return it . entailment +Moreover , we find that practices used by federal agency CIOs tend to differ from those used by leading organizations . They were one in the same . contradictory +In all of them , Jon saw the rush of blood fury , the Sticks were hungry . The stick were hungry because they have not been fed in years . neutral +James died in 1625 , succeeded by his son , Charles I , who proved an incompetent ruler . In 1625 , Charles I replaced his father James with the crown , but he was poorly trained and thus proved to be an incompetent ruler . neutral +I do love money ! I really hate money contradictory +" Lots of wild horses hereabouts then ? " I do not want to know about wild horses here . contradictory +So , regardless of whether one uses the Service 's updated assumption or the Commission 's rates and assumptions , there has been an unexplained swing of $ 1 . The upswing is not of $ 1 , but of $ 2 . contradictory +Excuse me , can you tell me where I am ? The person didn 't actually ask where they were . contradictory +But monuments at Kamakura and Nikko still bear testimony to the region 's history . Kamakura contains monuments that bear testimony to the region 's history . entailment +um-hum that 's and a CD is a lot more expensive than a cassette ever was too right now i think Cassettes were never as costly as CD 's . entailment +Still , it 's worth recognizing that Psychic Friends was an enterprise created as a response to people 's uncertainty about the world ( it 's probably no accident that it cropped up around the time of the Gulf War ) . People are afraid of what they don 't know , so they turn to Psychic Friends . neutral +uh-huh are you serious I know you 're lying contradictory +The assassin 's forehead smashed in , sending Jon reeling and falling back . The assassin bashed Jon in the head , sending him reeling backward . entailment +The agencies developed strategies to address These barriers , such as maintaining open communication and reassigning and hiring personnel . The agencies address the barriers by hiring people in those populations . neutral +policies and procedures for executive agenciesAcquisition governmentwide . These practices are unregulated with the agencies . contradictory +During his 15 minutes , now thankfully past , he was not in a position to advise anyone to avoid the cameras . Before it began he had forgotten to tell people to avoid the cameras . neutral +South from Montpellier on the N113 , you will get a good view over the Bassin de Thau and the oyster and mussel beds near Bouzigues . Near Bouzigues , there are beds of oysters and mussels . entailment +The outlook for government saving over the next 75 years is subject to wide ranging uncertainty due to economic changes and future legislation . The outlook of the government is subject to wide ranging and change . neutral +Furthermore , the days when historical financial statements were viewed as being of critical importance are gone . It 's different now , there are more important things than historical financial statements . neutral +the pressure that lobbyists can put Lobbyists have no power . contradictory +and that 's that 's pretty interesting The article about the lottery winner is pretty interesting . neutral +It was immediately clear that Lott should not have said this . Lott shouldn 't have said that . entailment +The analysis assumes that current-law benefits are paid in full after 2029 through borrowing from the Treasury . The analysis makes no assumptions about when the benefits will be paid . contradictory +eighty nine It 's a 1988 . contradictory +Slawek Przekosniak , together with a friend from ilovefobia.pl - Czesiek Ciag , decided to set up an on-line service , through which one could send SMS greetings to mobile phones . Slawek 's friend didn 't bother to help him set up and online service . contradictory +Specifically , we recommended that OMB promote the federal Chief Information Officers Council 's adoption of information security as one of its top priorities and encourage the council to develop a strategic plan for increasing awareness of the importance of information security , especially among senior agency executives , and improving information security program management We recommended that OMB should agree to the CIO Council 's adoption of information security as the number one priority . neutral +The rule was promulgated through notice and comment rulemaking procedures of 5 U.S.C. The rule was communicated through the procedures of 5 U.S.C. entailment +Magic used some symbolic part of a thing in manipulations that were to be effective for the real thing . The magic is not as effective as the real thing . contradictory +Inside the cathedral , the Capilla de los Velez ( Chapel of the Velez ) is remarkable for its Plateresque decoration . The decorations were hewed out of solid granite right in the cathedral itself . neutral +and that helps on utilities Without the help , we won 't be able to pay utilities . neutral +Malaysia rose first as a trading point for Asia and Europe , with the ports of Melaka ( Malacca in colonial times ) and later Singapore , now sovereign and independent . Malaysia 's first two trading ports to attract Europeans were Melaka and Singapore . entailment +She was reluctant to leave him entirely , however , because her connection with him meant much to her self-esteem . She did not need him in her life and left , completely cutting him off . contradictory +Thurmond and Helms each won re-election in 1996 , but this is likely to be the last term for both . It 's likely this is Thurmond and Helms ' last term , said the press . neutral +To the south of the palace are the green landscapes of Holyrood Park , including the volcanic peak known as Arthur 's Seat . To the south of the palace are the mountains of Cinderella Hills contradictory +North Carolina has a 10-percent rate , Arkansas 9 percent . Arkansas has a 15 percent rate . contradictory +In fact , some corporations have banned PointCast because it was causing huge increases in their net traffic . The issues caused by PointCast has resulted in its prohibition by several companies . entailment +The composer and multimedia performer Laurie Anderson now calls herself a content Laurie Anderson never considered herself a content . contradictory +Much of that culture was inspired by the Rinzai sect of Zen Buddhism and its sense of discipline and self-control , its austere philosophy of art and life . The Rinzai sect of Zen Buddhism was not an important factor in the forming of that culture . contradictory +It 's an interesting little place . " This place is most fascinating ! entailment +After the first snowfall of winter , the fell tops turn white , complementing the walls of the rugged farmhouses and the gentle plumes of smoke that rise from log fires into the crisp cold air . The color white is a complement to the color of the farmhouses . entailment +so are you gonna do that Are you wiling to do it ? neutral +One of my ideas was to take up my stand there every day with a tray of flags . " My stand there on the roof with a tray of flags was my idea . neutral +yeah and i love all the windows that they have out now too they have really simplified things The current windows have been simplified . entailment +Exca ? ­ va ? ­ tions have uncovered a 12th-century structure under part of the Palais de Justice . Beneath the Palais de Justice there exists the remains of a structure dating from the 1100s . entailment +This session focused on how programs should complete grant applications , and the new grant application requirements for applicants which anticipate sub-granting part of the LSC grant during the grant year . Programs should complete grant applications a certain way . entailment +The container should be kept covered and the contents should be protected from light . The contents need protecting from light . entailment +yes we all enjoy camping and they 're you know they 're in like R As and scouts and stuff like that you know so they get to go camping in those organizations also Everyone loves camping , especially with the scouts . entailment +Citicorp could have agreed to market Travelers insurance or Salomon brokerage services , and vice versa , without actually becoming one company . Citicorp did not want to market the insurance companies . contradictory +An FGD system is installed farther downstream in the plant , after the ESP . The FGD system is before the ESP in the plant . contradictory +no uh i 've been drug tested twice at TI and it doesn 't bother me uh I 've never been tested for drugs at TI before . contradictory +Substance abuse and the emergency programmatic implications . Emergency programs can be strained in unusual ways when patients are suffering from issues with substance abuse . neutral +yes it did yes it did just as Rain Man uh with Dustin Hoffman Dustin Hoffman featured in Rain Man . entailment +Listen , Mister Kirby , iffen you rode with th ' Rebs , you better keep your lip buttoned up when th ' Blue Bellies hit town . You rode with the Rebs . entailment +The guided tour commences with the State Apartments on the south side of the building . The tour finishes with the State Apartments on the north side of the building . contradictory +Madrid is simply too young a city to have a great medieval cathedral . Due to its age , Madrid lacks a great medieval cathedral . entailment +Among the nominations for the NLJ 's award were a number of lawyers who performed significant pro bono work that helped nonprofit organizations provide legal services to the needy . Lawyers who performed a lot of pro bono work to assist nonprofit organizations were among those nominated for the NLJ 's award . entailment +In its place came a feeling of gloom and apathy . Taking over its place was a feeling of gloom . entailment +They settled in the Alentejo , along the Tagus river , and in the Algarve ( which they named al-Gharb , or Western Land ) . They settled in New Mexico in the Algarve . contradictory +The question is , said Alice , whether you CAN make words mean so many different things . Alice asked if you are able to give different meanings to words . entailment +yeah but i i guess this what 'n really an impulse i mean buying it right then and you know right quickly was kind of impulsive but i 'd been thinking about buying a new car for three years and i was just scared to It was impulsive but it was on sale . neutral +To effectively deal with these types of individuals , civil sanctions must be strong enough and targeted enough to discourage potential bad actors from doing things that harm others . To effectively deal with these types of individuals , civil sanctions must not be strong enough contradictory +so my ex decided we 're going to try camping and she went out one day on the spur of the moment and bought a tent My ex did not buy a tent as she will sleep on the ground . contradictory +The hillsides that surround the monastery are the site of Hong Kong 's only tea plantation . Hong Kong has numerous tea plantations located all around the city . contradictory +We will be back tomorrow morn at sun up , said Jon . We will be back tomorrow night , said Jon . contradictory +The crack in the marble throne came from a British cannonball in 1857 . A British cannonball made a crack in the throne in 1857 . entailment +So long as we don 't know , we can 't really judge . As long as he refuses to provide us with details , we can 't really judge . neutral +Auditors should design the audit to provide reasonable assurance of detecting material misstatements of financial statements or other financial data resulting from noncompliance with provisions of contracts or grant agreements that have a direct and material effect on the determination of financial statement amounts . Auditors do not need to design an audit at all . contradictory +To another , case studies involve getting a great deal of information about a single site or circumstance , when generalizability isn 't important . Case studies are very intricate procedures delving into immense depth . entailment +The CIA and FBI touted this arrest as proof that they had fixed the bureaucratic bungling that had allowed Ames to go undetected for six years . The CIA and FBI arrested them as a proof . entailment +From this barrio you 'll be able to see the most prominent sight in Alicante , the historic Castillo de Santa Barbara , perched 115 metres ( 350 feet ) above the city on Mount Benacantil . The Castillo de Santa Barbara is built halfway up the slopes of Mount Benacantil . neutral +Since March 2000 we received comments from a variety of organizations and individuals . We have received comments and complaints from the multitude . neutral +However , you are not likely to find bargains , and you should be aware that unless you are an expert , you can end up with a fake . They will probably scam you with a counterfeit at the price of a real piece . entailment +There were dramatic naval battles and a final ghastly defeat for the United States when the British burned down the city of Washington . When Washington burned , Britain had lot the war . contradictory +This document is a blueprint for how GAO will support the Congress as it continues to face complex issues and challenges . GAO helps Congress solve complex issues and challenges . entailment +King Clovis , the leader of the Franks , defeated the Roman armies at Sois ? ­ sons in 486 and won the allegiance of most Gallo-Romans by converting to Christianity ten years later . The Roman military did not have enough manpower to defeat the Franks . entailment +Let us pass , please , said Tuppence imperiously . They had to let us pass because we had the right of way . neutral +To give the reader a basis for judging the prevalence and consequences of these findings , the instances identified should be related to the population or the number of cases examined and be quantified in terms of dollar There population cannot be quantified into dollars . contradictory +yeah they do the goods are you can tell the machine made ones but the handmade ones are very easy to spot because you have the same um you have a uh oh i forgot what they call it it 's the the um what am i trying to say not the picture it 's the uh way it 's woved you know weived woven yeah woven how it 's woven into the fabric and you know they have pattern pattern that 's the word good grief it 's been along day You can tell which ones are handmade by the woven pattern . entailment +And you _ will _ save our world ! Hanson staggered from the shock of the pain , but he was no longer unused to agony . Hanson had been exposed to all kind of pain . neutral +He became an embryo . He turned into an embryo . entailment +This irritates her immensely . This hugely irritates her . entailment +To use the Bush-appropriate metaphor , he 's like a hitter facing a tough pitcher . He seems like a hitter facing a tough pitcher , if we want to use a Bush-appropriate metaphor , says the TV show presenter . neutral +The village sword swinger brought the sword down hard in a powerful vertical cut . The villager swung the sword side to side . contradictory +Altea boasts a number of art galleries and an artists ' colony well-known in the region . There are no art galleries in Altea . contradictory +Modern human capital management principles recognize that employees are a critical asset for success , and that an organization 's human capital policies and practices must be designed , implemented , and assessed by the standard of how well they support the organization 's mission and goals . Modern human capital management beliefs include viewing employees as disposable assets which are not needed for favorable outcomes . contradictory +that 's right you too and i hope everything works out up there Yes , to you as well , I hope it all works out . entailment +Is it too late to make fun of Giuliani ? Is it too late to make fun of Trump ? contradictory +Exactly , said Tuppence . " No way , Jose ! " Tuppence said . contradictory +The husband-and-wife team of Alfred W. and Ruth G. Blumrosen then looked at how many women or minority workers a company employed in different job categories compared with how many were employed at other companies in the same industry in the same geographic area . They chose to compare companies from multiple industries . contradictory +Equipment may be rented at watersports establishments . You can rent equipment in specialist shops . entailment +The Shore comprises a quayside and several cobbled lanes with restaurants where you can have a pleasant lunch . There are many lunch options at the restaurants dotting the cobbled lanes if you like variety . neutral +oh that 's okay no problem Problem here . contradictory +I rather wonder you 're not there too , Peel Edgerton ? I know you are there . contradictory +That meant the Pilot would have to use manual controls . The auto pilot system would handle everything . contradictory +you can go ahead and start if you want uh You don 't have to wait for me , go ahead and begin . neutral +This I told to Lincoln / Natalia , sitting in a quiet corner of another empty cafe . I told Lincoln while we sat in the supermarket . contradictory +Because of its power to create and fund programs , the involvement of Congress is indispensable to defining each agency 's mission and establishing its goals . Congress has often used this power to avoid having to do extra work . neutral +Afraid , eh ? Brave , huh ? contradictory +because parents aren 't parents because parents are not parenting entailment +However , the film is really less historical drama than personal epic--the story of how a European was changed by Tibet and its philosophy . The film was about China . contradictory +How Would Establishing Individual Accounts Affect National Saving ? Establishing individual account would affect national saving . entailment +And even with clean practices and technologies like steaming of meat ( which hasn 't been tested nearly as much ) , some food would still be contaminated . Meat can only be grilled . contradictory +I don 't know where they would go to file a complaint . I 'm not aware of where complaints about food quality should be addressed . neutral +( The last of these , however , includes Canadians among its 110 million listings--tragically , they do not qualify . Canadians in the listing do no qualify . entailment +In fact , they have proved more generally that every bankruptcy problem has exactly one consistent solution . Bankruptcy can be solved with higher income . neutral +i wonder about them at some point I wonder about them . entailment +" ' Wet horse ' band ? " Callie glanced at him a little sharply . Callie ignored him and did not say anything . contradictory +so i can see where that that may be a problem I know specifically where your problem lies . neutral +Nothing at all , ' I lied . I lied and said nothing was wrong . entailment +Scary rodent-borne viruses are making a comeback across the country , not just in Southern California . Rare viruses have been eliminated . contradictory +Design is stable Product can be produced Product is impossible to produce , and the design is unknown . contradictory +The wet FGD process operates by reacting SO2 in the flue gas with a reagent in an absorber . The absorber works to absorb the corresponding reaction . neutral +The small man led the Sticks not with strength or brutality but intelligence . The small man led the Sticks with intelligence . entailment +Most visitors will be staying within easy reach of Alicante , so our trips start out from here . Alicante houses many visitors . entailment +I don 't know of any , but maybe you do ! Maybe you know of some that I don 't entailment +Yet , even for those agencies that are not being integrated into DHS , there remains a very real need and possibly a unique opportunity to rethink approaches and priorities to enable them to better target their resources to address our most urgent needs . The agencies which are integrated into DHS will have to target their urgent needs . neutral +Adrin had described it as cascading images of a battle between the Kal and him . Adrin didn 't want to talk about his experiences . contradictory +well i i i do i do make that statement i say i do it because i like it but i can 't say i 'm i 'm i 'm doing it because i want to i 'm doing it because i have to or because my desire is greater than uh I 'm not doing it because I want to , someone is making me do it . neutral +Clinton 's college breaks will be of primary benefit to middle- and upper-middle class taxpayers . Middle and upper-middle taxpayers will be damaged by Clinton 's college breaks . contradictory +right but uh they they really did change But they are not playing the same music they used to . neutral +Only with tough enforcement can we win the war against gun violence . We can win the war against gun violence only with tough enforcement . entailment +One of your ' little ideas ' ? It 's another one of his small ideas . entailment +Ca 'daan crouched in the tall grass on the hilltop ridge of Fena Set . Ca 'daan made sure everyone saw him . contradictory +when he first made sounds that you could detect they were in the scale the music scale He started singing before he ever started to talk . neutral +There is an advertising gallery , an audio-visual show , a Cooperage and Transport Museum , souvenir shop , coffee shop , and a bar where you can sample the brew . The coffee shop serves espresso and lattes . neutral +There 's an impressive view at the top of its five storeys , which are easily ascended . You can easily ascend to the top where there is an impressive vista . entailment +Tulsa attorney David Riggs , who heads the drive , is pushing for the community , especially local lawyers , to put it over the top . David Riggs , a Tulsa attorney , has no time for the community . contradictory +The goal of swaraj ( self-rule ) , proclaimed in 1906 , was seen by a moderate Left Center group as government within the British Empire , and by a breakaway revolutionary Extreme Left group as complete independence . The goal of self rule was seen as a government within the Empire and not complete independence . entailment +What are you implying ? What are you hearing ? contradictory +one of my favorite things to do now is sit down and listen to Chopin that is played on uh piano i just you know i can just drift off into some other world just listening to that for hours if i ever have the time to do that Chopin writes beautiful music . neutral +It is difficult to overestimate the importance of the sacred island of Delos during ancient times . People have often overlooked the history of Delos . neutral +oh yeah sure well you 'd have to uh or i would have to say you know someone like Montana i guess who 's done so well for so many years Montana is a good role model for working class people . neutral +Deep scars ran across the boiled brown leather of the bandit chest guard Adrin had taken from the site of the slave lord . Ardin 's armor was new and beautiful . contradictory +Furniture 's temporary Furniture lasts forever . contradictory +I 've got them in a cage . " I can watch over them any time I want . neutral +Michael Flatley 's Lord of the From the heralded choreographer of Riverdance comes this Las Vegas production , an internationally recognized hit featuring over 40 talented dancers in an amazing show of traditional and modern dance . The Riverdance choreographer retired after that smash hit . contradictory +The second objection to Dalmatian farming is visceral . Husky farming objections are based on feelings , not fact . contradictory +As she opened the door and stood aside to let him pass out , he stopped in the doorway . He did not walk through the door completely , instead stopping in the doorway while she stood aside and waited . entailment +The challenge for evaluators is how to use those aspects of an anecdote that are effective for our work-the immediacy , the convincingness , the attention-getting quality-and , at the same time , fulfill other informational requirements for our jobs , such as generalizability and reliability . Evaluators often use anecdotes in decisions because it is easy . contradictory +The effort , now in the final months of a $ 1 million grant received by MLSC three years ago from George Soros ' Open Society Institute to create a national demonstration project , is the largest foundation grant ever to a state legal services organization . MLSC got a grant three years ago entailment +well they yeah they you still have to punish yeah You still have to punish the people who arrest people for drug related crimes . neutral +I put them to you with Mr. Cavendish 's full approval . " I had Mr. Cavendish 's approval to put them with you . entailment +potential of clarifying its notices to taxpayers and easing their task in complying with People who fail to pay their taxes will go to prison . neutral +Intent on expanding his empire into Persian-held territory , he consulted the oracle at Delphi . He wanted to know if expansion into Persian areas would be beneficial or a disaster . neutral +Truth in India , even more than beauty , is in the eye of the beholder . Truth is in the eye of the beholder . entailment +" But Rennie does need men guards for the wagon trains , riders " Anse shrugged as he off-saddled . " Rennie doesn 't need these guards , " Anse said as he jumped from the saddle . contradictory +About an hour 's drive south of Calais , the walled town of Montreuil-sur-Mer sits high above the valley of the river Canche . About four hours north of Calais , the open town of Monteuil-sur-Mer . contradictory +The organizations we studied were striving to manage the same types of risks that face federal agencies . Organizations face risks when expanding . neutral +He wanted a sound bite--something pithy to take out of context . He did not want just a sound bite , he wanted the whole file . contradictory +Rather . Another silence . Rather . Another quiet moment . entailment +From the little Renaissance church , there 's a pretty view over the winding river . The church has at least one pleasant view . entailment +The Industrialist stared , looked at the Astronomer , turned to stare again . The Industrialist broke his stare to glance at the Astronomer and then returned to staring . entailment +well i 'm i 'm a struggling law student I 'm not struggling as a law student . contradictory +They also noticed the stench of rotting meat from his apartment and they heard sounds of sawing from his apartment day and night . His apartment smelled a lot like rotting meat . entailment +Nikko is best reached from Tokyo by train ( by the Japan Railways Shinkansen line from Tokyo or Ueno stations , with a transfer at Utsunomiya , or by the private Tobu Line Limited Express from Asakusa ) . The journey from Toyko to Nikko by train takes one hour . neutral +yeah i think i can agree with that too I don 't think I can agree with that . contradictory +HCFA received 409 comments in the response to the notice . The HCFA got 409 comments on the notice . entailment +But it had a sheltered harbor , protected from the monsoons by neighboring Sumatra . The harbor was safe from storms by the country nearby . entailment +Found ? ­ ed in the early 12th century by Saint Bernard , it includes a church , cloisters , scriptorium , refectory , sleeping quarters , infirmary , forge , bakery , and herb garden ' everything for a self-sufficient community . The community relies heavily upon outside supplies . contradictory +really it does uh for all that well um i hope you have a nice day today It really does . I hope you have a warm night . contradictory +oh serious Oh not a comedy . neutral +Is it coercive for people with supervisory authority to ask workers how they plan to vote , or for management to give anti-union speeches on company time ? They wanted to ask even if it is against policy . neutral +But the German 's face had lightened a little . But the German smiled a little . neutral +Adrin fought San 'doro the next day . Adrin and San 'doro made peace with each other . contradictory +This brings me to Myth Number The Postal Service cannot close a post office without first obtaining the approval of the Postal Rate Commission , which supposedly takes four years . It is a myth that the Postal Service cannot close a post office without approval . entailment +How come you turn up here and now ? " Anse sluiced water over his head and shoulders with cupped hands . Anse cooled himself down using water because it was hot out . neutral +( Clinton to We 're basically following your game plan . We agreed your game plans was the best . neutral +Kids buy again and again in hopes of finding that rare holographic Pikachu . Kids keep buying because they want to get the rare holographic Pikachu . entailment +That probably won 't happen . That will not happen for a month . neutral +Each Pokemon has its own skills that work better against some Pokemon than others . Some Pokemon 's skills are very effective against all Pokemon . neutral +They are much more effectively motivated by misfortune . They recently suffered from misfortune . neutral +drug rehab and they 'll send you to it so if they did have a problem they can get over it i agree with that They definitely won 't have a problem with it . contradictory +It 's not surprising , given the amount of gold thought to have been buried in Egyptian tombs like the riches found in Tutankhamun 's in the 1920s that gold and jewelry is a good buy in modern Egypt . Because of Egyptian gold 's rich history , purchasing Egyptian gold jewelry is a good buy . entailment +Oil So could we , as long as it 's in the Middle East . We definitely cannot as long as oil is in the Middle East . contradictory +But like most selfless impulses , I thought about it for a while and the feeling eventually passed . The selfless impulse passed after I waited for a while . entailment +But after talking to Medicaid officials in the four states involved , the company concluded that we are not in a position to provide advice to These people , she said . The company talked to medicaid officials in four states . entailment +Each company had a design review process that began at the component level , continued through the subsystem level , and culminated with a critical design review of the integrated system to determine if the product was ready to progress to the next phase of development . Each company 's design review process include at least two levels . entailment +you 'd be in have to be in a cave not to know what 's going on or moving it to Lubbock or somewhere possibly is not the answer The answer is for it to be moved to Lubbock . contradictory +yeah yeah i was i was uh we don 't have cable so we were watching C N N a lot and then trying to switch thank goodness for remote control We don 't have a TV , so we can 't watch any channels . contradictory +Washington think tanks long to get their programs on C-SPAN , but C-SPAN has space for only a few of them . C-SPAN was overloaded with amazing programs about nature . neutral +Al Gore , Chemical Brother Al Gore works with chemicals . neutral +The Khedive Ismael had extravagant plans for numerous great works that were to be financed by Western European powers , but when he became stuck in a financial quagmire , they insisted on bringing in their own advisors to control key institutions . The Khedive Ismael had big plans he waned to implement . entailment +Makes you want to watch Sunday 's game just to see how it turns out . Makes you want to go the Stadium on Sunday to see who wins . neutral +I made a mistake . I knew it all along . I was right . contradictory +Although there were minor internal wrangles , the league controlled the Aegean and the greater Athenian Empire for most of the fifth century b.c. The Aegean and the greater Athenian Empire had no minor internal fighting . contradictory +Some of his fellow prion researchers suggest it might be a viral co-factor , which is doublespeak for saying that the prion ain 't the infectious agent , a virus is . A virus is the infectious agent . entailment +uh i guess a Christian based home and so we try to make the family as important as we can Family is important in a Christian based home entailment +Room 7 : Lorenzo Lotto , troubled loner among Venice 's 16th-century artists , portrays a Gentleman in his Study with subtle , somber psychology . Lorenzo Lotto was a social butterfly . contradictory +Nearly the size of England , Cuba is divided into 14 provinces and incorporates some 1,500 offshore islands , known as cayos ( cays or keys ) . Nearly the size of England , Cuba is divided into 14 provinces to keep the country divided . neutral +oh i used to that 's a very good show I love that show . entailment +But that will not occur . I can tell you for a fact that it won 't happen . neutral +Can you suggest an alternative term ? Do you know any synonymous terms ? entailment +Pretty thick , isn 't it ? " Is it not large ? neutral +In the event of Mrs. Inglethorp 's death , who would inherit her money ? " The lawyer hesitated a moment , and then replied : " The knowledge will be public property very soon , so if Mr. Cavendish does not object , , " The lawyer wouldn 't say who would inherit her money . entailment +Senate Committee on Appropriations House Committee on Appropriations Senate Committee on Governmental Affairs House Committee on Government Reform The committee works on government reform at the state level . neutral +Vice President for Programs Randi Youells repeatedly highlighted diversity 's essential role in a healthy and effective legal services system in talks she gave throughout the year to program staff , civil justice leaders , and state justice communities . Randi is an excellent tennis player who considered going pro before attending law school . neutral +our estimate of the total number of premature mortalities in 2020 would be reduced by approximately 80 percent , from approximately 12,000 annually to approximately 2,200 annually . The number of premature moralities in 2020 would go down 80 % if interventions are inacted . neutral +3 billion pieces of nonadvertising mail Nonadvertising mail is in the number of 3 billion . entailment +He is the hero I sought since I first thought of defending the village , Ca 'daan told A 'deem later . It was later that Ca 'daan told A 'deem about the hero he had sought . entailment +Jamaican and international food presented in a relaxed atmosphere . It 's a very formal restaurant . contradictory +Air travel is a perilous thing ; just today , a stratosphere roc crashed head-on into a fragment of the sky and was killed with all its passengers . Travel by air is dangerous primarily because there is little regulation , meaning that flight routes often intersect , and pilots and creatures are not consistently trained . neutral +Set amid Tseun Wan 's residential towers is the 18th-century walled village of Sam Tung Uk , now preserved as a museum , and a short walk from the MTR station . The Sam Tung Uk is a very popular museum . neutral +i don 't don 't know where they came from they come out of nurseries mostly in Missouri and places like that and they come down here and they 'll sit in the nurseries here and they 'll go ahead and and uh leaf out so what i 'm planting or actually transplanting is a tree that 's or trees that are already leafed out These trees are often sourced from nurseries in Missouri . entailment +oh um now that 's awful Oh , that is awesome . contradictory +barely surviving here and and we get calls now from like World Wildlife Federation like demanding a hundred dollars The World Wildlife Federation calls us demanding large sums of money that we can 't afford . entailment +Come , my friend , he said , changing the subject , " apart from Mr. Inglethorp , how did the evidence at the inquest strike you ? " He changed the subject to something he was happier to talk about . neutral +Under section 126 of the Clean Air Act , a state can petition EPA and request that EPA require reductions from sources outside the petitioning state 's borders . A state can pressure a neighboring state to not dump waste in a shared river . neutral +The street was narrow and my spine was soon pressed against a brick wall . The road was small and gave me little room to move . entailment +There are regular diversity conferences for state justice community leaders . State justice community leaders have regular diversity conferences . entailment +Then how do you account for the fact that you left the unmistakable impress of your finger-prints on it ? The bullying manner was highly efficacious with a nervous disposition . How do you explain your fingerprints being found on it ? entailment +Nobody 's got it straight outta him yet . Somebody got it from him . contradictory +Securities Credit Transactions ; Review of Regulation T , Credit by Brokers and Dealers The brokers do not have credit . contradictory +But , if it 's all so long ago , and the war 's over , what does it matter now ? " It 's of no significance if it 's so far in the past . entailment +Assignment Planning No planning for the assignment . contradictory +you say you in Denison oh okay so we were i was in Sherman um We were both in Denison at one time . neutral +Ironically , for those who do apply , the EITC represents the fourth largest area for audits by the IRS . The EITC is the seventh smallest area for audits by the IRS . contradictory +Under current law , LSC recipients may provide legal assistance to an alien if the alien is present in the United States and falls within one of several designated There are no current laws stating that LSC recipients may provide legal assistance . contradictory +Never mind , Dorcas , it is my business to know things . It 's my business to sell porn . contradictory +The New York Times ' Ben Brantley calls The Blue Room a deft , efficient and sometimes amusing piece of work ... Ben Brantley called The Blue Room amusing . entailment +On the other hand , a direct comparison of rural to city residential delivery reveals that rural carrier time per possible delivery is only ten percent greater than city residential route delivery time . A comparison between country and city delivery shows city only takes 10 % longer . entailment +Planning has costs and you need to be seen as an organization that understands those costs and is willing to help grantees and other stakeholders with some of the planning costs . An organization needs to be up front with its shareholders about their new plans . neutral +Enter through a small , low according to one legend , the door was designed to keep aggressors from riding in ; another legend claims it was designed to make visitors bow in humility . The door was designed to keep aggressors from riding in according to one legend . entailment +yeah um-hum could be could be um-hum no not if they 've never been out in any weather i wouldn 't think so especially Yes , you should put them outside . contradictory +And still others maintain that young blacks are quicker to see through Joe Camel 's charms than young whites . Everyone thinks white people can see through his charm better than black people can . contradictory +The mausoleum is flanked by two almost identical red buildings , to the west a mosque , to the east a guest pavilion each is a perfect viewing-point . The buildings on either side are different . contradictory +uh-huh yeah right i agree yep right I think that is true . entailment +From years of corporate bathroom use , the rule among men seems to be nothing spoken in the sit-downs , banal comments of the Hot enough for you ? Major agreements are reached in corporate bathrooms . contradictory +However , the structure was never finished and lacks the epic reliefs ( carved images ) found at Philae and Denderah ( see pages 70 and 62 ) . The structure was not ever completed . entailment +it 's it 's it 's so easy anyway for everybody to just kind of become a yes man and get carried up along with the emotions and so if there 's somebody who 's strong enough to stand up with a specific doubt i would a whole lot rather go through the expense of another trial because of a hung jury than that a justice not be meted out correctly If any member of the jury has any doubts and is strong enough to stand by his convictions rather than going along with the rest of the jury , it 's best to have another trial than risk that justice not be meted out correctly . entailment +The prisoner , on the contrary , was at that time at a lonely spot called Marston 's Spinney , where he had been summoned by an anonymous note , couched in blackmailing terms , and threatening to reveal certain matters to his wife unless he complied with its demands . The prisoner wholehearted went to Marston 's Spinney to confront the anonymous letter-sender . contradictory +In a market of 10,000 stocks , short-term prices will rise and fall for an infinite variety of reasons , very few of which have anything to do with a company 's real productivity or value . In the stock market , short-term prices are determined by a number of factors . entailment +The Congress can play a key role in facilitating the information-sharing aspect of critical infrastructure protection , as it did regarding the Year 2000 computing challenge . Congress can help share information for infrastructure protection for the EPA . neutral +Even when they weren 't ready . When they weren 't ready also . entailment +Such information could be the size of the program or activity you are reviewing , for example . Participant statistics can also be used as relevant information . neutral +The steak was like the worst hamburger you 've ever sticky , tasteless , and just plain off . The steak had been chewed on by a dog before it was cooked . neutral +They may do so at any time . They may not do much without authorization . contradictory +Clearly , some investors would break from the pack as new information became public and others were not reacting . Almost thirty investors would break from the pack . neutral +oh yeah i just got mine in the mail so it kind of inspires me to keep calling I wanted to keep calling before I received mine in the mail . neutral +The finds are mainly tomb artifacts found at sites across the country and you can view the exact re-creation of a funerary chamber found at Dahshur to familiarize yourself with what you will see later in your vacation along the Nile Valley in Upper Egypt . This exact re-creation is one of the most famed displays of its kind among enthusiasts of the subject . neutral +The outer pylon is majestic . The outer pillars are ruined and crumbling , hardly worth noting . contradictory +Before I came to the Spectator , I was an editor and writer at the Washington Times , the conservative paper controlled by the Rev. I wrote at the Times for eleven years before the Spectator . neutral +The scarcity of flatlands suitable for cultivation made it possible for a small aristocratic elite to gain quick control of the food resources . The people could have used roundland and prevented aristocratic rule , but flatland was the flavor of the month . neutral +Our use of CBO 's January 2001 , 10-year assumption for total factor productivity growth throughout the 75-year simulation period places our long-term assumption between the Trustees ' and CBO 's current long-term assumptions . January 15th , 2001 is when is began . contradictory +Haifa 's most famous attraction is the splendid golden-domed Baha 'i Shrine and Gardens ( entrance on Zionism Avenue ; Shrine open daily 9 : 00 a.m. to noon , gardens open daily 8 : 00 a.m to 5 : 00 p.m. ) , the international headquarters of the 4-million-strong Baha 'i faith , which was founded by the Persian holy man , Baha 'u'llah ( who died in 1892 ) . Haifa is most famous for its ancient ruins , which encircle the city . contradictory +If this is your first trip , you 'll do well to establish an overall impression . So many things are going on that you might overlook something . neutral +Above him , the eyes of Sather Karf were uncertain . Sather Karf tried to hide the uncertainty displayed in his eyes . neutral +Some participants believed that in today 's environment , potential legal liabilities were adversely affecting finding qualified board members . There were no legal obstacles in the way of hiring . contradictory +The sheets are creamy white and the tissue lining in the envelope a bluer white . The sheets and the lining are black . contradictory +The third key element , obtained by extensive description and analysis , has three components . 3 things go into the key element neutral +Gopnik dismisses the cult of Picasso as just another kind of celebrity worship . Gopnik believes the cult of Picasso is just another form of celebrity worship . entailment +If , after concluding a deal , you try to pay with a credit card , he may then boost the price in order to cover the card charges . He may increase the price to cover the charge because he 's dishonest . neutral +yeah uh-huh we did that too We have never done that . contradictory +Praise goes to Kirstie Alley , who plays an aging ex-model now in the lingerie Less frenetic than Lucy , more mature than Mary ( Richard Corliss , Time ) . The Washington Post ' s Tom Shales dissents , calling Alley unwatchably neurotic and in a virtually perpetual feverish tizzy . Tom Shales loves Alley 's performance contradictory +So , if you 'd tell the Belgian gentleman ” ” " Don 't speak to the Belgian man just give him this . contradictory +Good morning ! Hello entailment +I guess what I 'm trying to say is , if a person can maintain control of the situation , he shouldn 't be found guilty of not operating according to the manual . My point is that if a person can maintain control of the situation , they are operating . entailment +Am I right ? " Isn 't that correct ? entailment +The cover story excerpts , with commentary , a forthcoming collection of Jack Kerouac 's unpublished letters and notebooks . Jack Kerouac had all of his letters and notebooks published upon completion . contradictory +I 'll go through with it all right . I 'll go through with it without any issue , unless they fight me . neutral +yeah all it was they wasn 't mild you know they was just bad side effects They should explain on the box how bad the side effects could be and why they are so bad . neutral +The Parcells has had the most disciplined teams in the NFL . They were know for their lack of leadership and disorganization . contradictory +You can fault his cowardice and cynicism from an idealistic standpoint . His cowardice and cynicism can be faulted idealistically . entailment +but i don 't know too much about the death penalty I am an expert regarding the death penalty . contradictory +He kicked hard and the horse calmed but still quivered in fury . The horse was angry . entailment +It is critically important that the Congress and the Administration agree on a definition since it serves as the foundation for a number of key organizational , operational and funding decisions . Whether Congress and the Administration can agree on a definition is unimportant . contradictory +The doors clicked shut . The door was silent . contradictory +Pat Buchanan is courting his support , and the Donald consults with him regularly . Donald seeks advice from him regularly while another wants his support . entailment +For arcane legal reasons , the actual ceremony must take place offline . The ceremony must be offline for arcane legal reasons . entailment +that they that they had to put in and basically it was a uh repayment for for uh high school education Repayment for high schol education is ridiculous in my opinion . neutral +You found these two objects , you say , in the chest of drawers . You discovered these two objects in the drawers ? entailment +Everything you could possibly want as well as things you never even knew you simply must have are all at your disposal with a flash of the credit card . A credit can buy you everything you could possibly want and more . entailment +( Especially the people whose feelings I 've hurt by not mentioning your names here . No hard feelings were expressed for lack of name announcement . contradictory +Grandpa , that 's a lie ! Grandpa you 're not telling the truth . entailment +He gits th ' best , too , Kirby . Kells shifted a well-chewed tobacco cud from one cheek to the other . Kells only chewed a particular brand of tobacco . neutral +So on the plus side , I was finally losing a little bit of weight . I was gaining weight . contradictory +A variety of outside players other than auditors have been involved in and bear differing degrees of responsibility for some of the recent business failures . Outside players other than auditors have been working on things with little or lots responsibility . entailment +really started going about seventeen he 's seventeen now he was he was fifteen then but uh i 've got a son son and both daughters like to go and uh they have got a a dock down in the protected area My kids need to be aware of and alert to the presence of alligators in those waters . neutral +'Maybe I wouldn 't be , ' he said . He said he definitely was . contradictory +i you know some of the places now um like IBM don 't allow even smoking you know in the in the plant we we have designated smoking areas IBM does not allow any smoking inside the plant . entailment +These islands , known as the eastern Aegean Islands , have been at the forefront of waves of invasion from the east . The eastern Aegean Islands were usually the first to be invaded by eastern forces . entailment +Demonstrations this winter against Tudjman quickly dissipated ( at the time , he was being treated in the United States for cancer--he may not live much longer ) . Tudjman was being treated for high blood pressure . contradictory +" Must be right good stock , " Fenner observed . " Must be pretty good stock , " Fenner said . entailment +The glaciers feeding the lake melted away and the lake evaporated . The glaciers feeding the lake are no longer . entailment +Reply to Box so-and-so . Send a response to Box . entailment +There had been that time Uncle Murray had caught him down at the creek , making paper boats . He had been making paper boats at the creek . entailment +I was never in a tighter place in my life . Helped out by questions from Sir James , he gave an abbreviated account of his adventures . Sir James asked him questions and thus helped him to summarize his story . entailment +The decline in the won , by making imports more expensive and exports more competitive , would help bring about the decline in the current-account deficit , or the generation of a surplus . A surplus is a lot of something . entailment +Lola Thigh sang and preformed nightly at a venue of Klepacki 's major competitor , also a Klepacki ( don 't confuse these two , the fact that both had the same last name was purely coincidental , and besides , the other one had a different first name - Jacek ) . Thigh was a bookie . contradictory +What 's more , double-counting of all corporate earnings is how they get the figure in their title-- Dow 36,000 --so that will have to go if they even start down Refinement Road . Corporate earnings are double-counted to make sure . neutral +But in the first place we have only her word for it , since it was she who tried that particular door and reported it fastened . She said that the door was unlocked and anyone could go in . contradictory +No , no , you are on a wrong tack there . You are changing course . neutral +um i don 't know it 's so old It is very young , isn 't it ? contradictory +that 's right it 's too cold up there It 's too hot there . contradictory +The museum was filled with inaccurate biographical details and poorly-shot photographs . The museum was full of photos . entailment +Originally the main street of Roman and Byzantine times ( cardo means heart in Latin ) , it was once a broad colonnaded market and ceremonial street that went through the center of Jerusalem , from the Damascus Gate in the north to the southern edge of the city . The street was a minor and unimportant alleyway on Jerusalem 's periphery . contradictory +A thunderous roar grew in the night ; metal screeching and scratching . You could hear the second the lightning struck the garbage can . neutral +Tens of millions of humans , as we know , willingly partake of marijuana , and these differences between rat and human behavior should discourage us from using two rat studies to assert that a ) marijuana is addictive in the same way as harder drugs are and b ) marijuana primes humans for addiction to harder drugs . No rat studies have been carried out to investigate marijuana . contradictory +The number of low-income audits also nearly doubled after 1990 , when the IRS began categorizing nonfilers about whom it lacked information in the $ 25,000-and-under category . These audits have led to massive amounts of fraud . neutral +Short-term studies relate shortterm ( often day-to-day ) changes in PM concentrations and changes in daily mortality rates up to several days after a period of elevated PM concentrations . PM concentrations can change from one day to the next . entailment +The sandy beaches and yachting harbors of Port 'Ercole and Porto Santo Stefano are favorite weekend destinations for well-heeled Romans ( with a growing international presence ) , but they 're much quieter during the week . Romans go to the harbors and beaches as a last resort . contradictory +Back down by the Seine , but heading east , stroll past the Jussieu University complex that stands on the site of the Halles aux Vins ( wine market ) . The wine market has a lot of affordable French vintages . neutral +Share-buyback plans are sketchy as long-term business strategies , but IBM 's assurance that its shares were undervalued suggests that it 's not particularly worried about the ultimate impact of Hong Kong 's woes . Share-buyback plans are generally one of the most reliable long-term business strategies out there . contradictory +In many isolated regions , meanwhile , last-ditch defences in the form of round stone towers were built , a few of which are still inhabited today . All of the round stone towers were torn down long ago . contradictory +It is also a metaphor for sex and never more delightfully so than in the fowl-eating scene in Tony Richardson 's movie of Tom Jones . There is , however , only one place I can think of where the equation is reversed so that sex is a metaphor for food . There is a metaphor for death in the book about Lucy Smith . contradictory +The frightening conclusion , if mockery precedes mimicry , is that any minute now we 'll all be working for Tina Brown . We are going to be Tina Brown 's employees . entailment +If milder cases are more likely to respond , perhaps they should be a higher priority . The more severe cases are almost never successful . neutral +that sounds good if you were short on time you could get a summary real quick It 's not possible to get a summary because we have so much time for it . contradictory +It has everything from the cease and desist letter to any articles remote to the subject . It is all contained in two volumes . neutral +but i i guess things have gotten better i 've been told that there 's flex hour and those kind of things I heard they got rid of flex time . contradictory +strange in other ways Normal in every way . contradictory +Agencies are learning how a CIO can help improve effectiveness and efficiency and better realize the benefits of their information resources . The CIO will soon be utilized in improving productivity and efficiency . entailment +yeah i i think it was more a lesson for Tom Cruise than anything else in terms of uh of how to act from Dustin Hoffman but uh Tom Cruise could learn from Dustin Hoffman . entailment +I want to talk to him . " Nobody wants to talk to him . contradictory +and i try not to use it but right now it 's maxed out I never use my credit card . contradictory +well they i think yeah i think Milwaukee got lucky because Magic Johnson sat out that game Magic Johnson didn 't play in that game , which helped Milwaukee . entailment +Here 's another one , though I 'm no Java evangelical ( I 'd much rather program in CommonLisp , thanks ) . I 'd much rather use CommonLisp over something like Java . entailment +Well , she is an ambitious , alluring young thing with an ability to attract powerful men . She is a young , plain woman with the ability to disquiet powerful men . contradictory +'Is White still here ? ' I have seen White an hour ago . neutral +The small copse planted here has created a photographer 's delight . The copse aren 't large enough for good pictures . contradictory +'I 'm afraid that , too , is impossible . That is most likely impossible . entailment +Like Hong Kong , Macau is a duty-free port . If you want to bring any foreign goods into Macau , be prepared to pay a hefty tax . contradictory +Republican National Committee Chairman Jim Nicholson vows to blow the whistle on candidates who tear down other Republicans . Nicolson says he will call out candidates who say bad things about other Republicans because he wants the GOP to get as many seats as possible . neutral +But with a foot in so many camps past and present , east and west , religious and secular Egypt should be well-placed to withstand the vagaries of modern life and grow in wealth and influence in the coming years . There are many camps all across the globe including places in North America . neutral +so it 's been it 's been five years for me It 's been three years since I 've done it . contradictory +Raves for this chronicle of the 1991 storm of the century that swallowed up a boatload of New England fishermen . The boat avoided the storm . contradictory +The King died very young and artisans had only just begun to dig the chambers , so it 's small and sparsely decorated . The chambers was adequately small . neutral +Unlike the wildlife of the African plain , most of the animals of the Malaysian jungle are not very conspicuous . Animals in the Malaysian jungle are difficult to see . entailment +He led Dave through the big tent , taking pride in the large drafting section--under the obvious belief that it was used for designing spells . Dave was very good at drafting spells . neutral +Nothing ; but Not anything ; however entailment +The gang had fled from Astley Priors in a panic , leaving behind , in their haste , various damaging documents which compromised them hopelessly . The gang fled in a hurry , and left behind some compromising documents . entailment +Don 't miss this week 's breathtaking conclusion to Doodlennium , the cartoon saga of the chicken people by Mark Alan Stamaty . Doodlennium has been produced for years . neutral +He was a song collector obsessed with the idea of recovering America 's vanishing oral tradition . He despises today 's way of speech and is intent on recovering the old tradition . neutral +a launch to say let 's conserve more because he never said that He should have said we should conserve more neutral +but uh and you know i 'm i 'm talking about the early nineteen fifties and you know tuition was six hundred dollars a year my goodness it 's eighteen thousand now College then was more accessible for people who were not rich . neutral +'Greetings ! ' They said goodbye . contradictory +Today 's conspiracism stems mainly from the instability of the late 1960s and early ' 70s--a period of both uncontrolled violence ( assassinations , urban riots , political protests turned bloody ) and anti-government ideology ( the left challenged laws regulating speech , sex , and drug use ; the right fought busing , the Warren court , and the welfare state ) . The 1960s and ' 70s saw many turbulent events . entailment +I could only hope that we had enough time to clear the blast radius . I ran as fast as I could , dragging her with me , and hoping to escape the bomb 's radius . neutral +Among the several islands of interest on the lake is Belle Isle , still privately owned by the Curwen family , descendants of Fletcher Christian , of Mutiny on the Bounty fame , who was born near Cockermouth . The Curwen family wishes they had a island for themselves . contradictory +His way of seeing things is too familiar to surprise us , too predictable to be funny . His point of view is too familiar to be surprising and to predictable to amuse us . entailment +Its paintings comprise a Rembrandt portrait of Saskia van Uylenburgh , dated the year they were married ; Hieronymus Bosch at his most diabolical ; a rich repository of Goya official portraits , colorful sketches of real life , and haunting scenes of witches and horrors ; El Greco 's sensitive St. Francis of Assisi and an early ( 1562 ) picture from his Venetian period ; and the English painters Reynolds , Gainsborough , and Constable . Rembrandt never created any paintings . contradictory +that 's so how often do find yourself going um on a if you 're doing it on a regular basis how often do you go I would like to know how often you go . entailment +yeah yeah oh oh sure one of them was grown up and was Chief of Police here Only one of them who grew up here , stayed here . neutral +Fields of yellow mustard are grown for oil-seed . There is no use for the fields of yellow mustard growing there . contradictory +What else could it be ? " It was something else ? neutral +He felt dazed . He was alert . contradictory +uh on a seminar for a week At a conference for three weeks . contradictory +Guidelines for data-base formation and analysis deal with explicitness of procedures and techniques , interpretation differences , and the relationship of the findings to those of similar studies . Database creation and analysis involves explicit rules and methods , contemplating discrepancies , and relations to other similar research results . entailment +41During the late 1970s and early 1980s , Social Security 's expenditures regularly exceeded revenues , causing a rapid decline in the trust fund 's balance and raising concerns about the program 's solvency . Social Security regularly spent more than it made in revenue during the early 80s . entailment +In February 1936 te left-wing Popular Front won a majority of seats in the Cortes , but across Spain new extremes of violence displaced argument . The violence arose because the Popular Front was in direct opposition to Franco 's regime . neutral +The Florentine artist was just 25 , and justly proud enough to append his signature ( the only surviving example ) , visible on the Madonna 's sash . Since a religious fanatic attacked it with a hammer in 1972 , the statue is protected by bullet-proof glass . Someone tried to attack the statue in the 1970s . entailment +Adjacent is the Chapel / Mosque of the Ascension , located on the spot where Jesus is believed to have begun his ascent to heaven . The Chapel / Mosque of the Ascension is situated in the place where the faithful believe Jesus rose to heaven . entailment +I 'll go an ' tell Sing . " Drew , coffee mug in hand , sat down at a table where some of the breeze beat in the door now and then . The mug was an old family heirloom , crafted in the old country . neutral +and uh she would watch them at night when she came home She would watch TV at night when she came home from her factory work neutral +well how 'd you find out about it How did you not hear about it by now ? contradictory +Since that time , various amendments were added , creating the programs that the Social Security Administration ( SSA ) administers today . Many amendments built the programs of the social security administration . entailment +God that 's great uh no i 'm a native Texan I 'm originally from Texas . entailment +Set in a quaint olde Irish seacoast village , it tells the story of an elderly lottery player , Jackie O 'Shea ( Ian Bannen ) , who learns that one of his fifty-odd neighbors holds the winning ticket to a 7 million pound drawing . Jackie O 'Shea is addicted to gambling . neutral +Old is not a legal classification that results in automatic loss of these rights . They wanted to advocate for the elderly . neutral +Anse ! He swayed to the joyous pounding of a fist between his shoulder blades . Anse swayed as he pat himself on the back . entailment +For a quick overview of the topics discussed in this report , see the summary section . The summary section provides an overview of the report 's topics . entailment +unless the people have proof that they 're leaving that they 're not going to stay If we can see proof that those people are getting out of the country then those people are not going to stay . neutral +An additional reporting standard for financial audits conducted in accordance with GAGAS There is an additional standard for financial audits conducted with gagas . entailment +Directly ahead is tiny St. Margaret 's Chapel , said to have been built by David I in the early 12th century in honor of his mother , Queen Margaret , who died in 1093 . St. Margaret 's chapel is believed to be built in honor of Queen Margaret . entailment +In 1995 the gallery and London 's Victoria and Albert Museum jointly purchased The Three Graces , a sculpture by Antonio Canova that was in danger of being sold abroad . The Three Graces was almost sold by smugglers overseas if it weren 't bought in time by our museums . neutral +Even worse for the Court , after invalidating the restriction on this conventional First Amendment ground , League of Women Voters goes on to say that [ o ] f course , the restriction on editorializing would plainly be valid if Congress were to adopt a revised version of [ the statute ] that permitted [ public radio ] stations to establish ' affiliate ' organizations which could then use the station 's facilities to editorialize with nonfederal funds . The league of women voters believes that the restriction on editorializing would be valid if Congress revised the statute to permit public radio stations to start affiliate organizations that could work within the radio station to editorialize . entailment +so maybe you would Possibly you might not neutral +because they 'll arrest someone and you know go through all that paperwork and writing a report and all this and having all kinds of evidence and you have to even be careful how you arrest them how you talk to them uh you know what they say You can beat the crap out of someone you arrest . contradictory +yeah we go home well we have a large family there 's twelve kids in my family The family is tiny . We have no kids . contradictory +The present site covers 28 hectares ( 70 acres ) of ground divided into several different natural environments . The present site covers 28 hectares and has many animals . neutral +It is a temple-like structure of twelve Corinthian columns , adorned with statues of Greek muses and goddesses . The temple only contains buddha statues which were build in 1700 . contradictory +The whole field of biology has rested precariously on a single data point--life on Earth . Biology is about one point- life on Earth . entailment +The Daily Telegraph said Wednesday that the bed is covered in urine-stained sheets and torn pillows and is surrounded by the detritus of her sojourn . The Daily Telegraph can reveal that , after neatly making her bed , she left a bouquet of flowers and thank you note for the cleaning staff . contradictory +Well , Holy Smokes . Holy Smoke , he said . neutral +In exchange for the anointment , the Church was enriched with lands and the right of taxation by tithe , a percentage of the farmer 's seasonal produce . The Church gave anointments in exchange for land and the right to tax . entailment +They sailed into what is now Kingston Bay in May 1655 and sent an ultimatum to the capital . They sailed into the bay and began to trade peacefully . contradictory +At first the caliphs were content to accept tribute from the Balearics , without imposing Islam . The caliphs stopped accepting tribute when they imposed Islam on the Balearics . neutral +Case 's dedication to helping others doesn 't end at her office door . Case is not dedicated to helping others . contradictory +With its wide , sandy beach , Portobello is a quintessential British seaside town . The sandy beaches of Portobello are closed during the winter . neutral +One word , or a glance even , at one of those liveried menials , and there 'll sure be a strange face in the Sulphur and Brimstone Works ! " Together they descended the stairs , and passed out to the waiting car . They slept in the car after descending the stairs together . entailment +In Oniyama Jigoku ( Devil 's Mountain Hell ) , a hundred crocodiles enjoy a hot soak . A hundred crocodiles lay in the sub in Oniyama Jigoku . entailment +A Wall Street Journal front-page feature points to an interesting reason why established large corporations haven 't exactly reaped the Internet 's The large corps are used to insular , if not paranoid , decision-making , and Internet operations force them into all sorts of relations with outsiders they can 't really control . The authors of the Wall Street Journal article gathered information for the article by speaking with representatives of ten different well-known corporations . neutral +um yeah yeah because they they like to get in and fertilize things too but uh why would it be illegal Fertilizing things is in fact illegal , but only under certain distinct circumstances . neutral +this is that 's the only fallback i see because i 've seen like when the Vietnamese come over they get they have stores and you know Uncle Sam done bought uh uh you know Uncle Sam had to pay for it they gave them that loan but people over here can 't even get a small business loan like that Some Vietnamese came in and got loans to start stores . entailment +Orrin Hatch about the balanced-budget amendment . The balanced-budget amendment , here is Orrin Hatch . entailment +no no no what i meant not in quality what i meant was four years equity costs five hundred dollars You don 't need equity for a few years . contradictory +Rome named capital of unified Italy There were four other cities in consideration before Italy was chosen to be the capital . neutral +And how can he best do that ? How can he possibly attempt to get that done ? neutral +Toward the south end of the open space is the Bhimsen Tower , a useful landmark visible from many parts of Kathmandu . You can view the landmark from many parts of Kathmandu . entailment +In addition to using engineering prototypes during the product integration phase of product development , Cummins and other companies we visited used other prototypes-such as production representative prototypes-in the remaining product development phases before production , as shown in table 4 , to demonstrate product reliability and process control . Cummins employed engineering prototypes during their product development . entailment +Scientific studies , however , have reliably linked atmospheric emissions of sulfur , nitrogen , and mercury to a much wider range of other environmental and ecological effects . The studies are unreliable . contradictory +Back on Planet Earth , Clinton won , by a bigger margin than he did last time around , and with the help of a gender gap that Republicans have no idea how to close . Clinton has ran twice and both times was defeated by a landslide . contradictory +The Taira , controlling the region along the Inland Sea , defeated the Minamoto armies based in the Kanto province east of the capital . The Minamoto armies were based in the Kanto province . entailment +oh it sounds good It sounds woeful to me . contradictory +The Forbes campaign claims that more than 160 stations in 45 states carry this commentary . This commentary is popular and receives high ratings . neutral +This is because upgrades to existing retrofits will generally consume fewer resources than full retrofits regardless of the technology . Creating a bike is more costly than fixing one . neutral +It sets an interim reliability milestone and expects to be at least halfway toward the expected goal by the time it begins to build production units . The interim reliability milestone is very hard to reach . neutral +This is in pursuit of a case about the invasion of privacy , remember . The case was about invasion of privacy . entailment +The main hall , called the Sanbutsudo , with its almost erotic color scheme of black and green and vermilion , dates to 1648 and is the largest single building at Toshogu . The Sanbutsudo building was commissioned by the emperor himself . neutral +Even his Murphy Brown speech has aged People will see that her sitcom has been canceled and that he 's back on the scene , insists his pollster . While he remains in the wilderness , her sitcom is going from strength to strength . contradictory +yeah i spent about ten years in Abilene for TI i i worked out there in Abilene in west Texas and i never did get a chance to get over to Lake Texoma i i wished i had uh I spent a decade in Abilene for college and work . neutral +did you teach in all subjects or in all grade levels or What subjects did you teach ? neutral +Sales of direct loans . It is illegal to sell loans of any kind . contradictory +yeah it makes it nice for gardening when it 's when it 's like that because we can grow a lot of things even through the winter that uh y 'all can 't grow we can start i can start a garden in July i 've done that and and plant some of the uh I live somewhere that I can grow plants all year , and you do not . entailment +if it rains if it rains any more and gets really hot then we have this problem with mosquitoes We never get mosquitoes here . contradictory +Many of the qualities attributed to Clinton 's women also describe his mother , Virginia Kelley . None of the women Clinton enjoys are like his mother . contradictory +Ben Brantley writes in the New York Times that the play manages to entertain even at its darkest and preachiest . The play was supposed to be a comedy . neutral +Instances of bounty hunters abusing their power abound . Bounty hunters sometimes abuse their power entailment +Samson had his famous haircut here , but he would find it hard to recognize the thoroughly modern town of today . It was unknown where exactly within the town Samson received his haircut . neutral +At the gorge 's north end , Ryuzu-no-taki ( Dragon 's Head Falls ) is broader but not as high ; it has the additional merit of a teahouse , where you can sit and watch the water tumble into the lake . The teahouse at Ryuzu-no-taki serves a wide variety of tea . neutral +Lukacs would not , of course , go that far . Lukacs wouldn 't go that far . entailment +Kenny needs to come back home to Texas . Kenny is from Texas . entailment +9 million , implying an increase of $ 109 . 9 million employees want a wage increase of $ 109 . neutral +um yeah i think it 's a territory That is definitely not a territory ; it 's a protectorate . contradictory +Farther along the strip is Doctor 's Cave Beach , the original Montego Bay beach developed in the Edwardian era when sea bathing became a popular pastime throughout the British Empire . Doctor 's Cave Beach , which was developed during the Edwardian era , is on the strip . entailment +'Excuse me , sir . ' I was stopped by two security guards . Luckily , I was not stopped my security . contradictory +Counter-Reformation The Catholic Church 's Counter-Reformation . neutral +I couldnt get anything done with the other lawyer without more money . The lawyer needed more money to help me . neutral +No signs of the Jewish presence remain , yet this five-aisled building , with 24 columns supporting horseshoe arches , was the main synagogue of 12th-century Toledo . The building is today used as extra storage space for municipal vehicles . neutral +Breakfast ? " The girl nodded . She ate an apple and two pancakes for breakfast . neutral +$ 19 million Congressional appropriation is good news for the national nonprofit 's Tuscaloosa office There is only bad news for the national nonprofits office . contradictory +True , said Jon . Jon said the rumor was true . neutral +Divorces and custody battles are simply out of their financial reach . They were each willing to spend whatever it took to be divorced . contradictory +Power Washington is miffed that Snyder doesn 't think it is important , but D.C. folks still crave an invitation to sit in his Redskins owner 's box . D.C folks still desire to be invited to sit in his Redskins owner 's box . entailment +He had even been able to pass his hand and arm completely through the sample . His entire arm had gone through the sample . entailment +these are people who 've never seen flat ground before and people who 've never seen property rights before you know these people who 've never seen any machines other than those used in war and uh they have you know so i i i do have a lot of sympathy for them and i feel that America could try a little bit harder to to help people adjusting to the American way because if they don 't you 're just going to produce you know you 're going to produce an underclass you know you 're going to get a situation that i think a lot like what happened to the blacks being sort of led out of slavery and then then many of them ended up just working the same jobs they were as slaves then and there was no real up upward movement and not being yeah um I have a large amount of sympathy for the people I mentioned . entailment +because they just left them the acorns i guess sit rather than raking them up um so you know i 'm going to have to get out there and One of the acorns is growing into an oak tree . neutral +Second , with each of those lost sales , it loses a potential user of Internet Explorer . Second , with each lost sale a potential user of internet explorer is lost and a life is saved . neutral +The variation between quintiles can be explained by greater fixed costs in the less densely populated quintiles than in the more populated quintiles . Fixed costs consist mostly of expenses involved in purchasing and maintaining equipment . neutral +We then compare the distribution of profit margins for routes in Italy and the U.S. and the effect this has on vulnerability to cream skimming . There are concerns about the distribution of profit margins and how it will impact production . neutral +The Middle Ages in Italy were far from being the murky era that many humanist scholars liked to contrast with the brilliance of the Renaissance . The Middle Ages are thought less of than the Renaissance . neutral +Here you will find William Grant Park , originally Victoria Park , in reality a small town square that was opened in 1879 with a life-sized statue of the queen herself at its center . This park was originally called Victoria Park . entailment +oh to find my most important parts but i don 't know i don 't know if i 'm going to go go i wish was an avid camper and i could really talk about like gardening or something i can talk about that a lot but um I 'd like to be an avid camper . entailment +Paragraphs 4.26 and 4.27 provide guidance on factors that may influence auditors ' materiality judgments in audits of government entities or entities receiving government assistance . Paragraphs 4.26 and 4.27 do not provide any information on the influences of auditors . contradictory +they have gotten really cheap Hewlett Packard makes it 's it 's actually a dot matrix printer They have gotten expensive and as a result , they may have a premiere brand . contradictory +Boston University , for example , forced its three Nobel Prize winners to teach undergraduates . There have been over ten Nobel Prize winners from Boston . neutral +The Lock Is a Crock The lock probably isn 't a good one entailment +well they had quite a few quarterbacks if you think about it uh Arcade was for a while and then um i can 't remember that guy 's name the one that held out for the money and he was across the river uh i can 't think of the i can 't think of his name now but really we didn 't have a quarterback that was the whole problem we had one guy that couldn 't throw and we had one guy that couldn 't run I cannot remember the name of the man who held out for money . entailment +The water cascades 50 m ( 164 ft ) over three major falls and has formed two large pools as well as a small cave system at the base of the second drop . The water gently drips down a 50 inch fall , creating a small pool of water at the bottom . contradictory +Isn 't anything stable here ? " " Of course not . Nothing is stable here . entailment +The reason to see Man on the Moon is Jim Carrey . Man on the Moon has a very weak script . neutral +She remembered the proverb about the good dying young , I suppose . She remembered someone saying the good die young . neutral +Managers of these programs are often asked to render an account of their activities and related results to legislative bodies and the public . Managers of these programs are never asked to render an account of their activities contradictory +And while a few companies--notably IBM--have embraced the technology , others--like Netscape--strongly object to it . IBM and Netscape both use the technology at hand . neutral +okay all right i 'm going to push one I will not be pushing anything . contradictory +yeah see that 's what Yeah , now you see . entailment +This methodology will establish the documentation and approval points that agency officials should meet . The methodology will establish the documentation and approval that agency officials should meet . entailment +there is and i don 't know it 's amazing that in the last ten years we 've gone from a uh a major loaning nation to a major debt nation We 've gone from being a loaning country to a debt-based country within the last decade . entailment +In Grand Rapids , subsidized housing is critical to people 's ability to maintain basic security in their lives . The people are reliant on this type of housing . neutral +He imagined Czeslawa Ceracz using this liquid and kept dreaming for good . He thought she was throwing away the liquid . contradictory +No one else stopped him . They all made him stop right away . contradictory +If ten percent or more of the cases sampled in the self-inspection process have problems , then LSC assumes that there are overall problems within the grantee 's case closing records , which may affect the accuracy of the CSR data . CSR data 's reliability will be compromised by LSC 's generalisation of issues surrounding a grantee 's case closing records . entailment +What if it is indeed undergoing what Greenspan calls irrational exuberance ? Greenspan insists irrational exubrance is happening . neutral +Cynthia Murdoch was just coming in , and Poirot stood aside to let her pass . Cynthia was coming in right now . entailment +yeah i mean they they went for an entire season with this and i 'm sure you heard about it all these things They didn 't go with it for an entire season . contradictory +In the middle of the town is the Bagh Bhairav Temple , under the eaves of which are swords and shields from the 18th-century siege . The Bhag Bhairav Temple was built in the 18th century . neutral +I also do not wish to offend her by asking for the key back . She has had the key for a few days . neutral +Not only do thousands of economists agree on something , but what they agree on is the warm and cuddly idea that we should do more to protect the environment . Environmental protection is agreed on by economists . entailment +Their leader was the Norman gentleman Pierre Belain d 'Esnambuc , whose statue you can see in the main square of Fort-de-France . The large statue of the leader is in the main square . neutral +O 'Donoghue 's and Slattery 's , two famous music pubs , are still among Dublin 's best . O 'Donoghue 's and Slattery 's are the oldest pubs in Dublin . neutral +perform their work in this manner and comply with GAGAS in reporting the results , their work can lead to improved government management , decision-making , and oversight , and can assist in fulfilling the government 's duty to be accountable to the public . Their work can lead to improved government management . entailment +Ian Fleming 's James Bond was a snob and a lightweight . Ian Fleming 's James Bond was deep and sophisticated . contradictory +Look out for the gilded Golden Temple of Vishwanath , the holiest temple of Varanasi , forbidden to non-Hindus . If you try to enter as a non Hindu into the Golden Temple of Vishwanath , you will be subject to arrest . neutral +But his office deserves and demands it . His office asks of it and deserves it . entailment +There are 18th-century royal portraits in the Salen Azul ( Blue Room ) and archives that preserve the document of privileges granted to the city by Alfonso X , the Wise , in the 13th century . The documents are in poor condition and can not be read without help . neutral +It stretches around bays and rocky inlets from Olbia in the east to the promontory of La Maddalena . It reaches as far as Olbia and then ends suddenly . contradictory +Further , a growing concern for the profession is its ability to attract and retain the best people over time . The profession is concerned about its ability to get good people to stay . entailment +She didn 't use it , however . She did not use the weapon . neutral +Guadeloupe , from the air or on a map , resembles a butterfly . Guadeloupe looks nothing like a butterfly from the sky . contradictory +The legal service is one of the few programs in Iowa that offers legal representation to those who qualify without turning to the state for its services . People can turn to the state for legal representation . entailment +Whether , in an age of multinational capitalism , we may talk reasonably about a post-colonial era is way beyond the scope of this article . We can talk about the era more in depth . entailment +Residential Delivery Market There is not yet a market that does delivery . contradictory +The two museums are at the heart of the old University of Edinburgh quarter , with students still attending lectures in the sandstone buildings . The two museums are at the center of the univiersity area . entailment +Is there anything this man did not invent ? His inventions were patented . neutral +Danvers , he murmured . Danvers , he whispered . entailment +yeah that seems a little ridiculous I cannot believe they did that to you . neutral +To say that Las Vegas is a non-traditional city barely begins to hint at what a trip here will foretell . A trip to Las Vegas will be boring and traditional . contradictory +The nearby Omura-san Park has 3,000 cherry trees , with different varieties blooming at different times of year . There are approximately 3,000 cherry trees planted in Omura-san Park . entailment +Hire some passengers , hire a submarine that 's the only difficulty , I guess . Find people who would like to go in the water . neutral +but i didn 't but but i didn 't say it wasn 't either I don 't have to say it . neutral +Ele ? ­ vators take you 100 m ( 328 ft ) down to a sub ? ­ ter ? ­ ra ? ­ nean river for a spooky boat ride past gigantic stalactites and stalagmites , formed by the calcite residue and deposits of thousands of years of persistently dripping water . All boat rides need to avoid areas with stalactites because of the danger surrounding them . contradictory +In each report , an agency is to review and discuss its performance compared with the performance goals it established in its annual performance plan . An agency has to attempt to achieve the performance goals . entailment +A spate of explicit parental responsibility laws passed by states and communities over the last couple of years give judges the power to make parents pay for juvenile detention or undergo counseling with their kids . The parents are not very happy about the new powers that judges have . neutral +This is government . The government is this . entailment +Here 's Bradley complaining to Meet the Press moderator Tim Russert about Gore 's insinuation that he might raise the eligibility age for Social Security . Bradley constantly complains about Gore 's new litigation to moderator Tim Russert . entailment +( Nine-tenths of a second , unfortunately , was how long his name remained in my memory . ) I knew I couldn 't forget his name . contradictory +well i guess that 's all i to say you too We enjoy frequent , deep , and varied conversations . contradictory +Give me their sight as well , said Jon . Jon wanted nothing from them . contradictory +Kagoshima dominates the head of a deep indentation at the southern tip of Kyushu , and its harbor has played a prominent role in Japanese military history . The southern tip of Kyushu is full of tourist attractions . neutral +To be fair , Wright is talking about sleeping with a newborn infant , before the age when weaning would naturally become an issue . Write discusses slumbering with a baby before weaning would become an issue . entailment +When functional needs conflicted with Advocate Office needs , there was no assurance that advocate needs would be met . Functional needs have greater impacts than advocate needs . neutral +By the 15th century , the whole of Anatolia and Thrace , except for Constantinople , was under the control of these Osmanli ( or Ottoman ) Turks . Ottomans controlled the majority of Greek provinces in the 15th century . neutral +I put your gear up right over here , so 's you can hear if she gits to movin ' " You will be able to hear if she moves around . entailment +Agency policy must assign accountability for recording and maintaining T This is so there is a public record of minutes . neutral +Oh , no , sir ” of course not . Absolutely not , sir . entailment +Public facilities , such as transportation systems and water supplies , are vital to meeting the Many corporations are unhappy about water supplies being considered public facilities . neutral +She noted that many researchers feel rushed to move These interventions into clinical settings because they know we need to be addressing alcohol problems . Alcohol problems are being overlooked . neutral +Among the best are the 12th-century Pentecost dome in the nave and the central dome 's 13th-century Ascension . Among the best are the 10th century Pepe dome in the salve . contradictory +Among the juiciest Mario Cuomo refusing a Supreme Court seat 15 minutes before Clinton officially offered it to him and National Security Adviser Tony Lake teaching the president how to salute properly . No one had ever taught the president how to salute properly . neutral +Jack Nealon 's ( also in Capel Street ) has jazz on Sunday and eclectic music the rest of the week . The jazz there is the only all-jazz performance on Sundays . neutral +Well , she 's young . She is surely a baby who still relies on her mother . neutral +It has received 95 applications with total grant requests of over $ 19-million , for projects totaling $ 36 million . There is only enough funding to have $ 15 million in grants . neutral +For example , the manufacturer 's central security group recently revamped the company 's entire information security manual and dedicated one staff member to maintaining it . There are 10 staff members maintaining the information security manual . contradictory +Courbet was painting his vast canvases of provincial life , and Manet his Dejeuner sur l 'Herbe . Manet liked to paint Dejeuner , or as the French like to call it , breakfast . neutral +Red kept to his croaking whisper , " Quiet ! You want to wake somebody ? " People were sleeping upstairs . neutral +How was that ? " How was it that happened ? neutral +What a net he has drawn around my poor John ! There was a great net drawn around John . entailment +Most men don 't have the sophistication to hurt women for sport . Most Men are not as sophisticated as women . neutral +Don 't look too promisin ' . The landscape doesn 't seem very promising . neutral +He was replaced as caliph by his cousin , whose powers were strictly limited by secular laws , until that position , too , was abolished in 1924 . The caliph had unlimited powers and was not subject to secular laws . contradictory +After sampling more than 35 different toothpastes , my researchers and I came to some conclusions about taste . My researchers sampled over 35 different toothpastes . entailment +OUTPUT -A tabulation , calculation , or recording of activity or effort that can be expressed in a quantitative or qualitative manner . Output is a calculation of activity for factories . neutral +yeah yeah yeah in fact it got some pretty serious deep parts in it so The deep parts really make you think . neutral +Motomachi was the first area developed in the Meiji period to serve Western shoppers , and it has kept pace with the movements of fashion ever since . The stores in Motomachi often carry larger size clothing than other other areas . neutral +This research is crucial as the field progresses from evaluating efficacy in research settings to examining effectiveness in the current , complex health care delivery system . This research isn 't crucial as the field progresses from evaluating efficacy contradictory +The man looked to Ca 'daan and then to the others . A man looked at Ca 'daan to make sure everything was ok , before looking at anyone else . neutral +To make ends meet , one partner stacks pipe and cleans the yard at a plumbing warehouse . They are in tough financial times . neutral +Yes indeed ! Agreed . entailment +Finally , OMB noted that the development and refinement of performance measures will be an ongoing process . OMB has stated that it expects improvement of these measures will continue ad infinitum . neutral +We share the desire expressed in S. 556 to significantly reduce and cap emissions of SO2 , NOx and mercury from power generation . The reduction and cap on emissions will result in improved O-Zone health . neutral +and you can get your plants outside pretty much the end of May you can leave them outside you might put them in the ground just the first week of June You may be able to put your plants in the ground in June . entailment +That is why the finger-marks have remained undisturbed since then . " The finger-marks are unrecognizable , they 've been disturbed recently . contradictory +Table 4-2 shows AC injection rates estimated from the data provided a comprehensive assessment of ACI under a range of scenarios . table 4-2 also shows the potential setbacks of different injection rates . neutral +But LSSM credits the attorneys that volunteer their time and skills to representing the underprivileged and elderly for the success of the organization . LSSM says attorneys that volunteer are important . entailment +Early diagnosis , new teaching techniques ( emphasis on the arts , thematic programs ) , and new research into the brains of LD kids are starting to rectify a neglected problem . There have been no advances regarding the early diagnosis of LD . contradictory +Well , not really , because I already am . I already am so therefore , not really . entailment +I 'll look after her , sir , said Tommy . Tommy wants me to look after her . neutral +" No , just lookin ' around . " Drew longed to ask some things himself , but hesitated . Drew had no questions . contradictory +The devastating war lasted five years , during which time Sweden was able to capture most of Poland . The was was devastating and lasted for five years . entailment +In the Thress model , at the discount level of 8a and the net gain of $ 32 million , the basic market incurs a welfare loss of $ 480 million ( 0 . The net gain is less than than $ 10 million . contradictory +because right because you don 't have anyway to turn it off there did you hear about this Lotus database that was being put together Have you heard about the Lotus database ? entailment +Far ahead was a partially finished pyramid . Way ahead was the incomplete pyramid . entailment +When the woman had robbed him and run off , he was too ashamed to return to Fena Dim . He had no problem returning to Fena Dim after being robbed . contradictory +Our week of Christmas quizzing continues , and in the spirit of the holidays I 'm giving the wrap-up to Tim Carvell , who might be able to exchange it for something he really wants , if he saves the receipt . This week , the Christmas quiz 's ' theme is " ancient holidays " . neutral +Taniguchi , acclaimed for his sleek Tokyo buildings , plans to use unassuming materials--glass , aluminum , and black slate--which critics say won 't distract from nearby masterpieces by Cesar Pelli and Philip Johnson . Taniguchi will be using glass , aluminum and black slate to create his next building in Tokyo . neutral +The pump also offers superb ease of squeeze . The squeeze offered by the pump is incredibly easy . entailment +right i think it 's seven here or seven point something Over here its seven or something . entailment +It requires an entrance fee , as does the Tesoro ( Treasury ) , a collection of the Crusaders ' plunder . It is free to enter for everyone . contradictory +Through intelligent , self-conscious , collective action , we have changed much for the better in race relations . Through intelligent action we have improved race relations forever . neutral +I am not inclined to judge him . I 'm not inclined to judge the Senator for his misconduct . neutral +Other people get this . Nobody knew what they were saying contradictory +They 're administering the changes of the new century while continuing to preserve their unparalleled past , much of which got a long overdue dusting off . Nobody moves forward at all . contradictory +Buyer Beware . Beware buyer . entailment +For one thing , a country jury is not anxious to take responsibility upon itself , and Mr. Inglethorp stands practically in the position of local squire . A country jury is excited to take responsibility . contradictory +He was engaged in wondering how Mr. Brown had discovered his identity . Mr. Brown discovered an identity . entailment +group over there The birds tend to group over by the pool . neutral +A Washington Supreme Court rule issued in 1984 requires lawyers to put clients ' money in a pooled account if the amount is too small or will be held for too short a time to earn interest for the individual client . Washington says lawyers have to pool client money when they take a retainer . neutral +I--look , Ser Perth . I know what 's going on . neutral +Your poetically stated problem gave Prudie a pang of sadness . Prudie was sad . entailment +Just before the building was struck by lightning . Right before lightning struck the building . entailment +yeah yeah i 've heard that like in China and stuff there is virtually no such thing as rape because if you rape somebody you 'd be murdered them you know on the you know street so yeah There are no laws in China so rape goes unpunished and it 's very widespread as a result . contradictory +But if Hurt has the kind of visage we normally associate with dissipation , few actors are able to combine such bleariness with such ( oxymoronic ) concentration . Hurt was not an actor . contradictory +The Saat Kulesi ( Clock Tower ) , dating from 1901 , is the unofficial symbol of Izmir . The unofficial symbol of Izmir was the clock tower in 1405 . contradictory +Much of the village is from the 18th century , and the whitewashed cottages are very picturesque . The cottage is really nice looking and is from the 18th century . entailment +i can 't imagine just being at home uh although i have a lot of interests and a lot of things i would like to pursue Being at home would be something different from what I 've experienced before . entailment +Both Time and Newsweek run profiles of Betty Currie ( here 's Time 's ) , more maps of who was where in the White House , and updated scandal time lines . Time and Newsweek were competing for the same readers . neutral +Adrin grunted and went down to one knee . Adrin knelt down . entailment +The Project Tiger campaign is doing a sterling job here to protect the king of India 's jungles without neglecting the elusive leopard . The Project Tiger campaign is performing a great job to give protection to the king of India 's jungles without forgetting about the elusive leopard . entailment +and you can either take instruction or practice or or just enjoy yourself whatever you like You can only do it once you 've practiced a lot . contradictory +But there are paintings by El Greco , Murillo , Ribera , Zurbarin , Titian , and Caravaggio . There are paintings by many famous artists . entailment +Conditions in the colony in the 19th century , however , did not favor the Chinese population . Problems within the colony did not favor the Chinese people . entailment +Jodie T. Allen 's article I Like the IRS is based on an extremely dangerous and faulty All income belongs to the government , and the portion we are allowed to keep is some sort of present . All people should keep every bit of their income . contradictory +Recently the ashtray smell has begun to permeate our apartment--I presume through the wooden floors . The apartment reeked because of the people smoking and leaving their ashes in the ashtray . neutral +Wood At any religious site you will find wooden religious statuettes being sold , either in shops or by itinerant vendors . Religious sites do not allow selling any products . contradictory +Ask at CiteHall center about advance reservations . Inquire about advance reservations at CiteHall . entailment +One popular theory compares Zionism 's imperative to acquire land to the American idea of Manifest Destiny ( that it was the United States ' God-given right to rule from coast to coast ) . Zionism 's imperative to acquire land to the American idea of Manifest Destiny is a popular theory . entailment +In the preamble to the final rule , VA responded to comments submitted on the interim rule , including comments concerning the effective date . VA responded to comments submitted on the interim rule . entailment +I became really ill for months I sank into a sort of stupor . I was unwell for months entailment +In 1266 , they financed the mercenary army of Charles d 'Anjou to defeat the imperial forces and take the Sicilian throne . They hired solders to defeat opposing forces . entailment +It is not possible , however , to know the extent or direction of the overall effect on health benefit estimates introduced by application of a single C-R function to the entire U.S. We don 't yet know what impact the single C-R function will have on health benefit estimates . entailment +Following the Pollard affair , rumors circulated that Israel had penetrated other agencies . There were rumors about Israel spying on other agencies . neutral +First-Novel Roundup : Time and the Wall Street Journal award measured praise to Lives of the Monster Dogs , by Kirsten Bakis ( Farrar , Straus and Giroux ) , and Fugitive Pieces , by Anne Michaels ( Knopf ) . They praised the first book because it had the word dog in the title . neutral +It will be necessary to provide evidence that hiring staff to perform interventions is in the best interests of stakeholders and is fiscally responsible . In regards to the best interests of the stakeholders , as well as being fiscally responsible , we must gather evidence about the hiring staff . entailment +Poirot was surveying me with quietly twinkling eyes . Poirot was assessing me with silent , glowing eyes and a warm , soft smile . neutral +you know i mean that 's the kind of things you know people that she 's keeping and showing that this was a big waste of time it was a waste of paper it was a waste you know to change something like that so Everything she did was productive and worthwhile . contradictory +The full extent of unpaid wage damages , failure to pay end-of-season bonuses , wrongful discharge , retaliation , and disputes over periods of employment often may not be determined until the work is finished . People are missing $ 2 million in lost wages . neutral +yeah yeah and then July and August yeah Yes , and then July and August so there is not much time neutral +The EPA has certified under section 3506 ( c ) ( 3 ) of the Act and submitted the information collection requirement to the Office of Management and Budget ( OMB ) for approval as required by the Paperwork Reduction Act and has solicited comments regarding the proposed collection requirements to be submitted to both EPA and OMB . The EPA followed the Paperwork Reduction Act . entailment +paid back i know Paid back on time . neutral +There would have to be a code of ethics to be worked out later . Codes of ethics are old-fashioned and no longer necessary . contradictory +for everybody to see For nobody to ever see . contradictory +According to Time , dopamine explains how and why we become addicted to sex , drugs , booze , gambling , food , cheap thrills , and yes , tobacco . Time denies that dopamine shows why we form addictions . contradictory +It is said that the falls got their name from the initials of the two original landowners , John Yates and Colonel Richard Scott . The amount of land owned by John Yates and Colonel Richard Scott was vast . neutral +What , if anything , do these seemingly polar opposite sites have in common or even say about our profession ? What does that say about how our profession will help those who have alcohol problems neutral +But there is a fundamental difference between them . There is no difference . contradictory +are you being smart or are you serious Did you think that was funny ? neutral +Your letter was so charming that Prudie almost forgot it was about a problem . Prudie almost forgot the problem as he read your charming letter entailment +The seventh century El Moallaqah or The Hanging Church gets its name from its location it was built between two towers of the Roman gate and claims to be the oldest church in Egypt as its foundations date from the fourth century . One of the newest churches in Egypt is El Moallaqah . contradictory +Albert fell for it . Albert fell for nothing . contradictory +Wooing clients means passing out fliers on street corners , not securing box seats at Madison Square Garden . Clients are likely to be recruited through mass marketing . neutral +I 'll call for you in the car round about nine-thirty . You can expect to get a call from me at 8 o 'clock . contradictory +Despite the distraction of the constant crowds ( quiet is requested ) , visitors seem to yield to the power of Michelangelo 's ceiling , and his Last Judgement ( restored in 1994 ) . Even though the crowds are busy and immense , visitors seem to fall under the spell of Michelangelo 's ceiling . entailment +I 'm a registered and certified-- " She stopped then , blushing , and Bork chuckled . She said , " I 'm a registered and certified nurse . " contradictory +Willingly . He picked up his little suit-case , and we went out through the open window in the drawing-room . He picked his suit-case , and we exited through the window . entailment +uh no enjoyable very enjoyable conversation with you Our conversations are always animated , I like that . neutral +Thus , the President directed EPA to propose legislation that would significantly reduce SO2 , NOx , and mercury emissions from power generation through a cap and trade program . The President directed the EPA to propose legislation that would reduce emissions for power plants in the US . neutral +But a 1998 Department of Commerce study found only 26 percent of households had Internet access , though more recent private studies estimate that share to be between 38 percent ( Nielsen NetRatings ) and 44 percent ( Jupiter Communications ) . There is no households with internet . contradictory +It is thought to have been used as a temple , and dates back to around 100 b.c. It 's generally agreed that the ancient building was an official government building . contradictory +The man smelled like spoiled meat . The man did not smell good . entailment +Britannia was the place where the queen said she could truly relax , and it is very much a reflection of her personal taste surprising for its lack of the ornate trappings that fill her official palaces . It was because of Britannia 's lack of ornate trappings that fill the queen 's official palaces that she could truly relax there . neutral +From the ferry station on the west bank it 's a 40-minute walk across the sand , though this is not recommended . You should probably not walk to the ferry station across the sand . entailment +I am asking you to do me the honour of becoming my wife . " To my intense surprise , Cynthia burst out laughing , and called me a " funny dear . " My wife seems nervous about marriage . neutral +The smell of burning cedar brought back memories of a childhood long lost . The smell of oak reminded them of a vacation they had once . contradictory +One could argue , charitably , that the movie is meant to be prescriptive , that Barker intends for us to regard the ways in which his subjects delude themselves and thereby learn to see through our own self-delusions . One could argue that the movie encourages viewers to introspect . entailment +But possibly the reality of the man didn 't matter , when I had such better fantasies to imitate . I only thought of the reality of the person . contradictory +The market developed during the Fatimid period on the main street of Cairo that connected the main city gates of Bab Zuweila in the south and Bab El-Futah in the north . The market was far to the east side . contradictory +And that covers those you call ' Rebels ' as well as former Union men . " Bayliss was silent for a long second , and then he jerked his hat farther down on his peeling forehead . Bayliss was wearing a cloak . contradictory +are laughing at us saying if we make it thsese [ sic ] stupid ass Niggaz Will Buy it . They were crying . contradictory +It was only ricked , not really sprained , so to-day I said good-bye to the little doctor chap , asked him to send me word if he heard from Nurse Edith , and came right away back to town . The injury was located on the foot . neutral +and that 's about it There is nothing else to it . neutral +You 're proud not to be on welfare . Being on welfare isn 't something to be proud of . entailment +The recurring theme is too much and too little self-esteem . The theme is that too much self-esteem is just as damaging as too little . neutral +Lessen he lives on th ' kind of whisky as would make a rabbit up an ' spit in a grizzly 's eye hole , he 's got somethin ' or someone to back him . Even though he is the worst sort of drunkard , someone is backing him . neutral +And don 't think ahead more than you can help . " He shook hands with them both , and a moment later they were outside . He was talking to two people and they walked outside afterwards . entailment +yeah okay i 'd love to see Dallas and Houston play in a Super Bowl that would be really great I would love to see San Francisco and Seattle play in a Superbowl . contradictory +you know even uh i think even in the the story where they had to pay the taxes the disciples and uh Jesus said the money in the fish 's mouth or in the fish 's inside the fish Jesus was a communist who argued against taxation . neutral +However , if I know the new way is inappropriate , I cannot be permitted to cave . I should be allowed to give in if the new way is good . contradictory +Israel is facing major decisions about the nature of its democracy , about the relationships between the many peoples who live here , and also about hopes for the country 's reconciliation with its neighbors in the Middle East . There are big decisions for Israel to make regarding the nature of its democracy . entailment +I 'll take responsibility for my oversight . I really screwed up the report . neutral +Garance Franke-Ruta 's response to Herbert Stein 's Watching the Couples Go By is amusing , but ridiculous . Franke-Ruta 's response to " Watching the Couples Go By " was not amusing at all . contradictory +Why not have a kid out of wedlock , collect your $ 230 a month in stamps , live with your mom and worry about going to work later ? Why not get pregnant , collect your food stamps and live in your mom 's basement ? neutral +The lovely circular Baptistery ( Battistero ) is topped by a traditional statue of John the Baptist . The baptistery was built in remembrance to John the Baptist . neutral +The green flames of the burning houses scorched the sky . The firefighters arrived promptly and doused the fire completely before a flame was even visible from outside . contradictory +Whether the inaccuracies are intentional , mere failures to understand , or just oversimplifications in order to dumb down the message or meet space or time limitations matters not . Inaccuracies are sometimes done intentionally . entailment +um-hum shapes and planes and Shapes and cars . contradictory +They also agreed that considerable actions have been taken and / or proposed towards achieving those objectives , but that having the right people and stakeholders involved was critical to successfully achieve and effectively maintain the necessary reforms . They agreed that no actions would be taken because everything was already perfect . contradictory +Implementation of an SO2 control technology at a plant involves several activities contingent upon each other . SO2 control technology requires just one activity to successfully implement . contradictory +That 's the name of the sister who never made it out of Vietnam--who at age 15 , drowned when bullets tore through the boat in which she was trying to escape . The sister drowned when her boat was hit with bullets in Vietnam . entailment +One of Guadeloupe 's prettiest bays is Anse ? la Barque ( Boat Cove ) so-named because fishing boats have long ridden out storms in its protected anchorage . Anse la Barque is known as Boat Cove , and has protected anchorage for boats during storms . entailment +In the Salon de Diane , the billiard table 's gone , but Bernini has left a superb bust of the king as reigning champion at 27 . There is a bust of Bernini in the room . contradictory +This suggests that paycheck protection will likely live on more as a rhetorical excuse for Republican opponents of campaign reform than as an actual cause . Paycheck protection will not help either party in the campaign . contradictory +Skull caps and shawls are lent free of charge to those who need them . Skull caps and shawls are sold to those without them . contradictory +Though much of it is new construction , other parts occupy a 17th-century palace that belonged to a noble Segovian family . Some of the parts are in a very old palace . entailment +The truth about the Japanese market has always been that it is penetrable , but only after tremendous effort . The Japanese market is a good place to invest during hard times because it is usually stable . neutral +well it 's it started out as a hobby actually uh it just it developed into sort of a business uh you know we breed them and all that We started it as a business but it developed into a hobby . contradictory +The highlight of the annual cultural calendar is the Festival Casals , a month full of performances given by the world 's great concert artists . The world 's great concert artists perform at the annual Festival Casals . entailment +The robed witch began painting runes and symbols the woman 's naked skin as the large skull-helmed men chained the other to the pillar . The women were covered in symbols of the witches clan . neutral +His proposal introduces prescription drug coverage and eliminates payment for preventive services but aims to cut costs by stoking price competition among HMOs and requiring patients to chip in for some services . Patients would need to pay a pretty penny for services , but they would not need to pay for prescription coverage or preventative services . neutral +A very stylish international crowd keeps its many small hostelries and two five-star hotels always full , with a certain cosmopolitan air that makes this the area 's most upscale barefoot outpost . The luxury hotels in the region are extremely difficult to get reservations in . neutral +Him ? asked Ca 'daan . Ca 'daan didn 't bother asking any questions . contradictory +it was it 's it 's a different world The world remained the same . contradictory +'Hmph . ' I sat in silence for a long moment . " Hmph . " After talking non-stop , I gave it a break and didn 't say anything for a bit . neutral +If the victim managed to make her way here and stay for three years as a nun , she could obtain a decree of divorce from the shogunate and go free . If a woman came here and was a nun for three years , the shogunate could approve her divorce and she could go free . entailment +Virginia oh that 's neat i talked to somebody from Ohio the other night I talked to the person from Ohio for a long time . neutral +Just down the hill from Santo Tome , the Casa-Museo El Greco misleadingly named , since the artist almost certainly never lived in it has been reconstructed and linked to a museum dedicated to his life . There is a museum dedicated to the life of El Greco . entailment +you 'd be surprised You would not bat an eye . contradictory +And , anyway , I don 't see , , I don 't see . entailment +Behind these two churches is the 15th-century place of worship that gives the square its name The square got its name from the 15th century monastery located near the two churches . neutral +The gilt has gone from the freshly restored facade of the 15th-century Ca ' d 'Oro ( Golden House ) , but it 's still the town 's most beautiful and best preserved of the city 's Gothic palaces and home to the Galleria Giorgio Franchetti Museum . The original gold-plating from the Ca ' d 'Oro is still there . contradictory +um i haven 't kept up with uh the Texas politics other than that dirty little uh governor fight Governor fights are what keep me in touch with Texas politics contradictory +The mechanism was a piece of superb craftsmanship that should have lasted for a million years , but it had never been meant to withstand the heavy shock of being dropped , as it must have been . The mechanism was not designed to be dropped . neutral +there 's a few that have hot and cold uh you know electricity and and hot water and so forth there 's a few of those and you have to make your reservations pretty well in advance There 's a few that have electricity and running water .. entailment +at last it would turn no farther . It won 't turn any further . entailment +right i figure your children are preschool right i figure your children are older than preschool contradictory +Make a very early start to beat the crowds . Get there early to avoid the rush . entailment +Strategic Focus and Improved Management Controls Needed . There is no need for more strategic focus . contradictory +The Explorer smiled . The explorer frowned . contradictory +They need a new story about him . There are enough stories of him . contradictory +so you graduating are graduating or yeah well maybe i don 't know i 'd uh i really haven 't changed that much since i was in school in school um of course you know i 'm not sure you ever get out of school to tell you the truth and uh I don 't think that you ever get out of school and I haven 't changed much since I was in school . entailment +hi Wanet how are you How is your project going ? neutral +period and do it you know and if you commit this crime you will be in prison for the rest of your life we 're not going to say we 're going to put you there for the rest of your life and let you out in fifteen years we 're really going to do it you know it 's just the system has just If you go to jail for life , we should give them the option to die . neutral +In front of the entrance to the school , he planned a gigantic reconstruction of a battle field from level 3c of the cult game ' Warriors of Battlefield 17 ' ( map 4azurroknight.Pk3 ) . He spends most of his time playing ' Warriors of Battlefield 17 ' with his friends neutral +Customs anticipated that world trade would also continue to accelerate . World trade is exciting neutral +Using Scenario D as an example , the remaining allowances in 2015 are 100 million metric tons for carbon , 1.3 million tons for SO2 , 0.2 million tons for NOx and 25 tons for mercury . The remaining allowances in 2000 are 50 million metric tons for iron . contradictory +The original Seattleites--the NW Indians--have become so Californian they 're Nevadans . The original Seattleites , the Indians of the NW have become so Californian they 're Nevadans and live in Las Vegas . neutral +The wakeboarding , actor Vince Vaughn , the state of New Mexico ( Roswell , Georgia O 'Keeffe ) , roller coasters . There is an action , an actor , a place , and a roller coaster . entailment +isn 't that funny i bet they 're going to do a lot of research on that I 'm sure they 're going to research on that joke . neutral +yeah exactly i mean and sometimes they they would now i like Jeopardy and Jeopardy comes on here at seven o 'clock I like how smart the contestants are on Jeopardy . neutral +By the arches and stairs leading down to El-Aksa Mosque is the exotic Minbar of Kadi Burhan el-Din , a pulpit used in the summer when prayers are said outdoors . Before you get to El-Aksa Mosque , you will first pass by Minbar of Kadi Burhan el-Din . entailment +In Robin Cook 's semi-autobiographical book , The Year of the Intern ( 1973 ) , the protagonist takes aim with an epinephrine-filled syringe at the still heart of a patient who moments before he had unsuccessfully tried to resuscitate . The patient relapsed into coma and the intern had to save him again . neutral +The more she 's covered , the less people care about her , and the more reporters hyperbolize . Women who dress discreetly are often hyperbolized in media entailment +She lowers her voice a full octave and intones the words in a constrained fury--the voice not of Nora but of wronged women forever . She spoke her words deeply to show that she was hurt entailment +The other 's face was convulsed with rage . Her face was distorted in anger . entailment +Given that the justices on Washington 's Supreme Court are elected , legal pundits say it 's more likely that the court will narrow I-695 than overturn it . There is no corruption involved in the election of the justices on Washington 's Supreme Court . neutral +yeah i haven 't been up there um but i understand they 've got a nice pool and that 's my favorite form of exercise is swimming I cannot swim . contradictory +The new law also makes it easier for broadcasters to renew their licenses , and requires TV manufacturers to install parent-friendly V-chips . Broadcasters can renew their licenses easier with this new law . neutral +uh-huh all that scheduled maintenance right It doesn 't matter how you treat them . contradictory +Political and economic power resided with non-Hawaiians . Like in many colonized places , native Hawaiians did not have influence over their own economy or government . neutral +I 'm in graduate school and have always treated her well . I am not in graduate school at this time . contradictory +Their leader , a brute with a massive axe , pointed toward Jon . Their leader completely ignored Jon . contradictory +yeah that 's really really unfortunate it really is It 's really unfortunate they lost the game . neutral +so what type Simply Red i 've never heard of that I don 't know Simply Red since I just moved here . neutral +He would need the money when he and Bertha got married , too , and all that healthy outdoor living was just what the doctor would have ordered . He is married to Bertha and is living against his doctors orders . contradictory +ensuring adequate review coverage of agency information security Adequate review coverage of information security is ensured . entailment +Don 't underestimate newcomers to the ring . Don 't underestimate the veterans of the ring . contradictory +i i i know i mean i wish i was lucky enough to not want to work you know I wish i did not have the desire to work . entailment +and just barely it amounts to running out the back door and uh heading for the pool jumping in swimming some sprints or something like that and then running back again I like the variety between swimming and running . neutral +The church also boasts one of Italy 's most delightful fresco cycles . The best fresco cycles are in the church . entailment +All the artifacts here were excavated at Tell al Amarna including two giant statues of the Pharaoh with his distinctive long chin and rounded belly . The excavated statues from Tell al Amarna are very fragile . neutral +Launches start from the Pont Sainte-Madeleine behind the Ceteau des Rohan . The launches begin at the back of Ceteau des Rohan . entailment +um-hum um-hum oh yeah i think when you 're in college you kind of you have more of a regular schedule in terms of you can watch every week You have a more regular schedule in college , but it gets pretty boring watching the same things . neutral +Scores of tiny islands dot the bay , their white sandstone shaped by the elements into arches , caves , and pyramids and covered with lovely , wispy sea pines . Scattered around the bay lie many tiny islands of white sandstone . entailment +Because we see no sense in causing more financial distress than necessary , we are still under the same roof while we work out the details . We are still under the same roof while we work out the details so that we don 't cause any more financial distress than necessary . entailment +but it wasn 't an exciting war it really wasn 't The war was rather boring and normal . entailment +Why ? Why ? I have no questions . contradictory +It is this package that allows a manufacturer to build the product in the manufacturing facility . The manufacturing plant was small but the product was large . neutral +I noted on the donor list that the couple , through Olafson Group , had become one of the major supporters of the project . I saw people on the donor list that had become major recipients of the operation . contradictory +As usual , Washington Week doesn 't get around to the week 's real thing ( Flytrap ) until the closer . Washington week gets real and intense from the start contradictory +We have a new awareness of how limiting and unfair the cult of fair hair can be . We have a new awareness after discovering several hidden agendas . neutral +I 've touted round . I 've never stepped foot outside my room . contradictory +In some states , an interim air-operating permit may need to be obtained until the Title V permit is modified . The states where you need an interim permit include kansas , mississippi and new york . neutral +You might imagine I loved covering him . I loved saving him . entailment +There are the death duties , of course , but half my father 's money goes with the place , and Lawrence will stay with us for the present , so there is his share as well . Lawrence is the only one not going to be here with us . contradictory +they didn 't okay yeah No they didn 't . entailment +While these attorneys are joined by thousands of volunteer attorneys who last year contributed more than 27,000 hours of free legal assistance , civil justice is still unavailable for thousands who need it . Some people do not have access to Legal Services in their area entailment +There 's little time for recreation in this sometimes harsh environment , and though local residents may come across as pragmatic and single-minded , you 'll find them in a more relaxed mood at the end of a hard day 's work , enjoying a pint of beer and game of dominoes at the local pub . The local residents work so hard that they 're unable to enjoy recreational activities . neutral +The model is currently on display at the Cooper-Hewitt Museum in New York City . The model will be transferred from the Cooper-Hewitt Museum in a month . neutral +Of course , we both know that the implicit background to these questions was the rumors of Bush 's own drug abuse , and in that sense , this larger topic was what your question and the others were about . There were no rumors that were about Bush 's drug use . contradictory +I knew what I wanted to do , and money wasn 't the issue . My intentions were clear , but I was lacking time . neutral +One might think they 'd team up , to feature a monthlong show of John Gielgud , sitting in Archie Bunker 's chair , explaining the pilgrims to passers-by . Nobody thought they would team up . contradictory +They have contended with difficult working conditions as demand for Legal Aid 's services is on the rise because of Sept . 11 and the deteriorating economy . Working conditions have been difficult since Sept . 11 . entailment +I 'm surprised you should have been gulfed so easily , said Tuppence scornfully . Tuppence was surprised that the other person was easily gulfed . entailment +Notice the especially handsome Niomon Gate . The Niomon Gate is one of the most beautiful structures in Japan . neutral +Above all , I don 't condemn the practice of paying journalists to tell their sources ' stories . I 'm not against journalists getting paid to share the stories their sources tell . entailment +Leave the car behind and take the Porte de la Chapelle line on the m ? ? tro from Concorde to Abbesses . The metro does not run from Concorde to Abbesses . contradictory +yeah i i i have i mean you say that your your kids are grown up and out of school now and i 've yet to have any so I hope to have children someday with my partner . neutral +The Commission identified 21 sites with rates for industrial countries and eight sites with rates for developing countries . The commission saw 21 sites that had rates for industrial countries in Asia . neutral +and then you 're in to it just a little bit and then you splash in and the next thing you know your knees are wet You go and splash a bit and your knees end up wet . entailment +Yep , that 's what a man kin enjoy . Yes , that 's what men like . entailment +What have you been doing , doctor ? cried Mrs. Cavendish . Cavendish was worried about the doctor had been doing . neutral +The era known as the Nara Period was marked by the religious fervor of the Buddhist monks and also by their accompanying artistic achievements . The most religious Buddhist monks were also the best artists . neutral +that 's true yeah yeah i think there 's still i i know that um i grew up in Chicago in the sixties and was part my family was real liberal and i think there 's a lot of um I have never lived in Chicago . contradictory +' To Time Out she said [ I ] t was so exciting . She went to go see To Time Out . neutral +You have tied him up well , hein ? After tying the man up , the torture proceeded . contradictory +For several reasons , it would seem the burden of proof for this position should fall on its proponents . Many of the reasons are listed . neutral +Automobile buffs from all over the world come to check out the Italian designing talents of Fiat , Alfa Romeo , Bugatti , and Ferrari ( but also Benz , Peugeot , and Ford ) celebrated out at the Museo dell 'Automobile ( Corso Unit ? d 'Italia , 40 ) , south of the city center beside the Po river . Car lovers to to see Italian cars at the museum . entailment +The big man , face puffy from Jon 's beatings , dropped the broken spear and drew a heavy slaughtering knife . The big man fell to the ground , knocked unconscious by Jon 's beating . contradictory +Really ? Is that the case ? neutral +( Sword and cross were to form a regular alliance in French history . ) Sword and cross formed an alliance in French history . entailment +If only this had been understood before , we could all have become conservatives much sooner . We are , and never have been conservatives . contradictory +Atlanta Journal-Constitution columnist Cynthia Tucker has dubbed it I Have a Dreamland . Cynthia Tucker is a columnist for Atlanta Journal-Constitution . entailment +how do you thaw one out after it 's been coated like that i 've always lived down in this part of the country and i 'm not used you know we had an ice storm or a sleet Ice storms happen here sometimes , but we shut down . neutral +are residences are vacation homes neutral +I barely make it now with my regular bills . I can cover my bills . entailment +really i like it I hate it . contradictory +A very urgent message arrived from Mrs. Vandemeyer . Mrs. Vandemeyer 's messages are a waste of time . contradictory +This is a work-in-progress for us as it is for others . We see this as a virtually finished product for all involved . neutral +Then we might increase it to 8a and find that we saved 8.2a on the volume that shifted . A further increase from 8a may or may not result in further savings on volume shifted . neutral +Because this new guy had arrived . The new guy arrived late . neutral +Walls and pillars explode around them but the sleek , geometric lines of their bodies never soften . They were surrounded by violent but their bodies were not soft . entailment +oh i think i think that the um woman 's role has come a long way we 've gone more into the business aspect of uh like i say of i don 't know working more and then and we i think we 've even gone into more of the labor aspect of it also Women have had the same role of basket weaving for generations . contradictory +it 's a real bad thing and it 's just you know i think it 's so many of these bad things some little really don 't contribute that much and some just insignificantly but uh you know i i heard something the other night that absolutely floored me i 'm a i 'm a i 'm a space enthusiast and just absolutely uh am absolutely crazy about the solar you know and think that we ought to put as much money as we can possibly get into the to the space program and i found out the other night from an Australian scientist one of the most respected uh scientist in Australia that every time i the US shuttle goes up it dumps more than what is it a hundred tons of these fluorocarbons into the ozone layer it is probably responsible our US shuttle An Australian scientist said that the US shuttle emits a lot of fluorocarbons . entailment +III The swaying had come to a halt and it was dark . The movement had stopped . entailment +Hong Kong is crowded it has one of the world 's greatest population densities . Hong Kong is one of the most densely populated places on Earth . entailment +Felipe 's son , Felipe III , was unfaithful to Spain 's new capital . Felipe 's son didn 't like Madrid so he moved the capital . neutral +Stately Ethiopian monks from one of the world 's most ancient Christian communities share the church 's roof with a rival Egyptian Coptic convent . The Ethiopian monks are friends with the Egyptian ones . neutral +Simply this . Only what I am showing you . neutral +if you were going to do that you might put some strawberries in there around the edges This dish would look better with strawberries . entailment +The whole peninsula is a memorial , with plaques describing the campaign 's progress , and monuments to the soldiers of the Allied and Turkish armies . The peninsula is home to monuments to the soldiers of the Allied and Turkish armies . entailment +In between , you can venture out to explore the rest of the country . In the intermittent period , there is time for you to explore more of the country . entailment +In addition , the preambles and appendices to the proposed and final rules cite numerous statutory provisions associated with particular aspects of the rule . The preamble to the proposed rules has more citations to statutory provisions than the appendices . neutral +McLaughlin 's take is accurate in a general , nonspecific way , says Tucker Carlson . McLaughlin 's opinion is right . entailment +Then she 'd braced herself and begun some ritual as if she were afraid to try it . She appeared to be nervous about starting the ritual . entailment +There , that 's better . It is better like this . entailment +The Lock Is a Crock The lock is as good as it gets contradictory +This town is most famous for the annual gypsy pilgrimage that ends here with a festival in May . The gypsies have never made any sort of pilgrimage anywhere . contradictory +There are only a couple of dozen such swords in the world . There are more than 12 of these swords that exist . entailment +According to Rubin 's logic , safeguarding investors in these troubled economies prevents contagion from spreading . Rubin 's logic does not hold any water in this harsh economy . neutral +The film has been consciously devised as the flip side of All About Eve ( 1950 ) --as a tale of women not bitchily at one another 's throats but holding one another together through life 's most senseless tragedies . The film is about women who don 't get along and try to subvert each other . contradictory +BLM , FHWA , IRS , and VBA are in the early stages of implementing new performance management systems for their senior executives . BLM is in the early stages of implementing preformance management systems for CEOs . neutral +for uh uh uh smoking and all that stuff To use in baking . contradictory +even have a checking account . They have a checking account . entailment +Advertising by financial institutions offering IRAs and information about employer-sponsored 401 ( k ) options serve as reminders about ways to save for retirement . Employer sponsored 401 ( k ) options are often advertised by financial institutions . neutral +Shopping Tips Tips for Purchasing Items from Marks and Spencer neutral +he was throwing this was one day last summer and he every as often as he could throw that hook out there he 'd get one but we don 't deplete the fish population because we pull them up and look at them admire them and take them off and throw them back although he went somewhere with some friends last week and fished for catfish and got them and i think it 's the first time that he 's ever that he 's actually prepared and ate what they caught he and some friends of his the first time they 've ever done anything but throw them back He throws fish back when he catches them . entailment +A little way along from Boot you 'll find the terminus of the Ravenglass and Eskdale Railway , or La 'al Ratty , as it 's affectionately known . You can find the endpoint of the Ravenglass and Eskdale Railway just past Boot . entailment +I agree that your initial ramp-up strategy of having everyone wear more black is an excellent starting point . Everyone should be wearing white as a starting point . contradictory +The city struggled to rebuild from Crusader wars and invasions . Thanks to the Crusader wars , the city enjoyed tremendous growth over the next few years . contradictory +plus also i i 'm sure that there 's a legitimate reason for it but i don 't understand uh personally why you have to register as a Democrat or Republican or whatever and then being being able only to vote in that that race that primary I don 't understand why you have to register what party you and then can only vote for that party in the primary . entailment +i 'm about two hours north east of Pittsburgh My location is two hours West of Pittsburg contradictory +To some proponents of case studies , the credibility of the method depends on what they call naturalistic generalizability . The naturalistic generalizability in case study methods is one of the most important factors . neutral +That service , which will be expanded statewide , enables needy people to consult an attorney about civil legal problems , including rent and contract disputes , domestic abuse , consumer issues and custody matters . There is a plan to extend the service all over the state . entailment +I 'd take your word , but there 's others over me who 'll be asking what the devil I mean by it . I will not give you the benefit of the doubt . contradictory +The park also has a restaurant and children 's play area . The park boasts a restaurant and area for children to play . entailment +legal authority allowing GAO to undertake work on its own initiative that is intended to support the Congress ( research and development work ) . GAO 's ability to take work on its own initiative doesn 't require legal authority at all . contradictory +and i wait longer to to watch them set up than i do actually in the in the line itself but that gets me out of there at a time that i can go down Central and not be bothered by the the traffic as it were I wait the most in line compared to looking at them set up and I always get hit by the traffic . contradictory +i bet they do They always have in the past . neutral +acid rain yeah that 's that 's what i was uh We did a lot of acid while dancing in the rain . contradictory +A short distance north of Timna Park is the Hai Bar Wildlife Reserve , where rare and endangered indigenous animals are bred for eventual release back into the wild . The Hai Bar Wildlife Reserve is a zoo where all animals are kept in captivity their whole lives . contradictory +Results are reported for current conditions ( 2000 ) and in 2030 under the Base Case and the Clear Skies Act . The Base Case and Clear Skies Act have over 2,000 reports . entailment +The climate here is distinctly temperature extremes are uncommon and days are warm throughout the year , with the heat of the summer usually tempered by sea breezes . The heat of summer has no factors which can be effective in cooling people down contradictory +I 'll read it : DEAR SIR , " Re your advertisement , I should be glad if you would call round somewhere about lunch-time . The letter wanted to follow up from the advertisement . neutral +Once it was restored , between 1872 and 1876 , the palace became respectable . The palace was destroyed in 1872 and was never rebuilt . contradictory +In 12 of the 25 DOL rules allowing participation by facsimile , commenters had to submit original written comments as well . Written comments are more difficult to submit . neutral +Now , about our recommended Could we have made different recommendations ? The recommendations were made in the previous report . neutral +Boycott the Web Don 't go on the internet for three weeks . neutral +When is the southern torrent stilled ? " asked Jon to Ca 'daan . Jon needs to know what the southern torrent will be still . neutral +Notice the fine Corinthian capitals on the slender Greek marble columns . The Greek marble columns all have Ionic capitals . contradictory +i was just wondering were you in SAC by any chance were you in SAC I was wondering about you . neutral +yeah like that Lionel something or another that black boy of they had a television program about him two hour movie That person Lionel has never appeared on a TV program . contradictory +The mood achieved by the Bas ? ­ lica , shaped like a Greek crose is one of devout magnificence . The Baslica is shaped like a Greek crose . entailment +'So what 're you going to do ? ' I demanded . You need to make a decision . neutral +Like many impressionable young women through the ages , Monica fell under the sway of bad companions . Monica reluctantly hung out with the wrong crowd . neutral +Clinton is said to be concerned with shaping a historical legacy , but as may be noted from his failed medical care program , his unpopular anti-Iraq saber rattling , and his largely ignored dialogue on race , the care of business is pretty much all that 's wanted of Clinton , too . Clinton is worried about what history will say about him . entailment +He rolled under the Kal 's huge swing and avoided a straight kick . He got kicked by Kal . contradictory +The Ethnographic Museum , opposite , recreates the interiors of traditional local houses . In the Ethnographic Museum are recreations of the insides of local houses . entailment +Volunteer Lawyers for the Arts , Veterans ' Organizations , the Legal Aid Society-these are networks bigger than most corporate networks , involving contract disputes , benefits work , contacts with large government agencies that themselves could be the source of work . The Volunteer Lawyers for the Arts do pro bono work . neutral +Each beautiful slave queen I mounted made me want to cry . The slave queens I mounted didn 't bother me . contradictory +Tour guides say the red paste is to spare Hanuman the sight of the goings-on more acrobatic than erotic carved on the struts of the small Jaganath Temple opposite . The red paste saves Hanuman from the sight on carvings on the struts of the Jaganath Temple . entailment +and well yes but you you have to use it in combination with a sewing machine you can 't throw your sewing machine away you you you need it to do things like button holes and uh There 's another machine that you might be interested in . neutral +'What do you mean ? ' Daniel blinked . Daniel blinked his eyes . entailment +Carey 's chief rival , James Hoffa the younger , demanded that he step down . Hoffa was intimidated by Carey 's talent . neutral +it 's just a real fancy decorated boot it 's like Texas Gardening and it talks about you know different problems that your lawn can have and how to recognize it and it goes into the full gamut of gardening you know everything from flowers to bulbs to perennials to grass to weeds to trees and to uh how to prune but one of the things i do remember was when it talked about the grass and there being the shade tolerant types of grass and i think one of them was a blend of two types of grass that they had used Texas Gardening does not really cover much other than dirt . contradictory +The authors claim to demonstrate that high IQ is more predictive of economic success than any other factor , and that low IQ is more predictive of poverty and social breakdown . The authors claim that IQ is positively related to economic success . entailment +i mean they had the same ideals and the same basic beliefs They were under the same umbrella religious group . neutral +EPA 's analyses use both quantifiable and general descriptions of the effects of the rule and alternatives on small entities . General descriptions of the effects are sourced from focus groups and small entities . neutral +Other IOC members have resigned or are still being investigated . The members of the IOC have committed crimes . neutral +After it was laid out in 1699 , only Louis ' financiers could afford the rent . After the plan was laid out , it was too expensive for almost everyone . neutral +'And how well did you yourself embody these values ? ' To what degree do you embody these values yourself ? entailment +It was absurd , this giving way to nerves ! Being nervous wasn 't absurd , but completely natural given the situation . neutral +Table 2.2 gives an example of a less and a more complex instance . Table 2.2 is extremely confusing . neutral +I tell you I couldn 't . I guarantee you I could . contradictory +A very elegant , well-run hotel just steps from Gran V ? ­ a , but insulated to keep the noise out . The hotel costs a large sum due to the elegance and the land where it is locates . neutral +yeah that 's that was uh that 's always been our next step our our our little group of friends here we 've we 've been kind of getting married off and what not but uh that 's There were very few people in our group of friends getting married . contradictory +no i 'm not a native here actually um from Philadelphia originally and lived in uh Ohio for you know a good portion of time going to high school and college there so i 've been down here for about eight years but uh i don 't know that 's just something that i really picked up on i really did like the Mexican food the other thing i like i guess um i don 't eat it as often is maybe Italian food we don 't have as many places around here to eat Italian food but um I also like Chinese food . neutral +By the 13th century , parliaments were convened here . By the 12th century , parliaments were convened here . contradictory +Microsoft is going after America Online . Microsoft has gone way past America Online . contradictory +My leg is trapped ! said the Kal . The Kal said that he was glad his leg wasn 't still trapped . contradictory +A literature search was used to identify facility acquisition practices and industry trends , as well as best practices and technologies being used to provide adequate management and oversight of design reviews . A literature search was used to find best practices in the gym . neutral +You see , Tuppence , he observed . You see , Tuppence , he noticed . entailment +Bucking his colleagues , Pittsburgh Medical Examiner Cyril Wecht says that multiple SIDS deaths in one family do not automatically mean murder . There was an investigation on the family because both of their kids died from SIDS . neutral +if it finally gets to that point Should it ever get to that . entailment +Sham En Nessim ' the National Spring Festival , held the first Monday after Coptic Easter , when the whole population comes out to celebrate . Sham En Nessim is held the first Monday after Coptic Easter , it is the National Spring Festival , when the whole population comes out to celebrate . entailment +no no uh nobody in my family hunted uh my father had had guns when i was in high school because he got them from a friend who lived in Massachusetts My family are very eco-friendly and would never consider hurting animals . neutral +Bombardier suggested that in addition to evaluation , this research should develop ways to mitigate legal , privacy , and confidentiality problems associated with screening and treatment . Bombardier wants to protect the legal and private rights of those who receive screening and treatment . entailment +This area , which should not be confused with the Great Morass near Negril , is about 6,500 hectares ( 16,000 acres ) of freshwater and tidal wetlands . This area should not be confused with the Great Morass near Negril . entailment +The easternmost stretch of the Royal Mile only 50 m- ( 55 yards- ) long is called Abbey Strand . Abbey Strand is 55 yards long . entailment +The brass beer taps and frosted-glass windows are the epitome of pub d ? ? cor . Pubs are often designed with brass beer taps and frosted glass . entailment +and newly married No one is newly married . contradictory +A stroll up the rue St-Jacques past the highly reputed Lycee Louis le Grand leads to the gigantic neo-classical Pantheon . The Pantheon can be reached by waling up the rue St-Jacques . entailment +It 's the kind of place where the big decision of the day will be where you go for sunset cocktails . It 's the kind of place where your biggest decision is where to shoot some clay pigeons . contradictory +well at least you get to With all the options , at least you get to purchase the items you can afford . neutral +Newsgroupies were questioning the authenticity of Hilfiger 's official response soon after it appeared on the Net . Newsgroupies were asked about Hilfiger 's response . entailment +The creation of the Department of Homeland Security will be one of the largest reorganizations ever undertaken and the difficulty of this task should not be underestimated . Reorganizing due to the creation of the Department of Homeland National Security will be difficult . entailment +right yeah the uh cable prices are just too high nowadays and i 'm not going to i i just won 't pay that that kind of money for for what i 'm getting i mean i miss A and E and i miss Discovery and i miss CNN but that 's it If it were only A and E , Discovery , and CNN I might be willing to pay for it . neutral +If she wants to write a sketch of her pencil box , I for one will gladly read it . I would read her sketch in front of class . neutral +They are now on view inside . They are seeing the view from the outside . contradictory +Department of the Treasury and other public and private organizations . The Treasury Department and other private and public organizations . entailment +The task has caught up with me anyway and at last . At last the task has caught up with me . entailment +Which , when you think about it , is pretty much the way it happens in the offline world . When you think about it that is not at all how it happens in the offline world . contradictory +But he also destroys ignorance and misfortunes the reason he is the symbol of Royal Nepal Airlines . Royal Nepal Airlines allow for outcountry flights with affordable prices to anywhere in the world . neutral +She is an example of doing something extremely well . She is the greatest example of a big screw up . contradictory +so yeah and then Mesquite is five they do one in Mesquite In Mesquite it 's three and they don 't do it there . contradictory +Seven thousand troops under Sir Ralph Abercromby landed east of San Juan and blockaded the city . Sir Ralph Abercromby lead only 10 troops . contradictory +It is also bad news that breast-feeding , which adoptive mothers usually can 't do , releases the bonding hormone oxytocin . Adoptive mothers can always breast feed their adopted children . contradictory +For example , as applied to the unrestricted aliens , such interpretations would preclude representation for permanent resident aliens who are evicted from their apartments or against whom divorce proceedings were commenced while the alien is legally out of the country for brief periods to attend a family emergency or funeral . It is illegal for aliens to leave the country for brief periods . contradictory +These factors are exacerbated by limited timeframes that may constrain available compliance options and thwart long range planning . Some of these factors include poor employee training and morale . neutral +He was watching Muller as if the sergeant , rather than his men , was the focal point of any future attack . He was watching his men , as they were a focal point of any future attack . contradictory +Lou Barnes first met Lindsay when he served on the board of Parent and Child Development Services , where she was the human resources manager . Barnes never met Lindsay . contradictory +um-hum we really like our school out here We all hate our school . contradictory +Although CV studies that address both types of visibility exist , in our analysis we rely only on recreational visibility studies , as explained further below . Recreational visibility studies are not relied upon . contradictory +Somehow , inexplicably , Mr. Brown had forestalled them . They weren 't sure how Mr. Brown was able to stall them . neutral +Are we not men ? Do we not have beards ? neutral +so i got out of that and got back into the Master 's and then decided well paralegal is really the nuts and bolts of the law and that 's what i really like yeah I decided to be a paralegal because law school took too long . neutral +However Ayyubid control was weak and power was usurped by their Turkish slaves , called mamelukes , who succeeded in founding a dynasty that lasted from 1251 to 1517 . The dynasty lased until 1517 when Tut came in power . neutral +Has adequate attention been given to the outliers ? Outliers do not need any attention , do they ? contradictory +Many responses raged against aviation--the cramped seats , the awful food , the plummeting . Criticisms were made about poor food and cramped seating . entailment +During the reporting period , LSC made continued progress in its State Planning Initiative . LSC made continued progress in its state planning initiative entailment +Henceforth Fort-de-France would be the island 's only significant center and the largest city in the French Antilles . Fort-de-France was decimated in the war , leaving the islands without any significant center . contradictory +( The American convention is not quite what it American journalists are permitted to act on their prejudices--the news columns and air time devoted to Flytrap wouldn 't make sense unless reporters and editors believed the accusations . Flytrap has been a headline for two weeks . neutral +Pollock added the notion that demonstrations of effectiveness in primary care settings , in the eyes of policymakers and payers , are not tantamount to demonstrating cost-effectiveness in emergency departments , underscoring the importance of research in that setting . Effectiveness in primary care settings is tantamount to demonstrating cost-effectiveness . neutral +As part of its first agencywide strategic planning effort , FEMA comprehensively reviewed its programs and structures and initiated a major reorganization in November 1993 . FEMA reviews its programs and reorganized them to be better . entailment +Great shopping opportunities and delicious food add to Penang 's charms . Penang has nothing to offer in terms of shopping or food . contradictory +Mossad has also been handicapped by U.S. mistrust . In 1986 , the FBI caught Jonathan Pollard , a Jewish-American naval-intelligence officer , shipping sensitive satellite photos to Lakam--a now-defunct arm of Israeli intelligence largely devoted to stealing nuclear secrets . Pollard was devoted to the Americans . contradictory +Compranocitellopatrone was a dark red wine produced from grapes grown on the southern slopes of the Citello mountain on a small Spanish island of Zicomprano de Ryua . There is no mountain on the island of Zicomprano de Ryua contradictory +Five miles south of Jerusalem is Bethlehem , birthplace of Jesus and , about a thousand years earlier , of David . David is thought to have been born around 1000 years before Jesus . entailment +The preamble to the final rule notes that the rule has been reviewed in accordance with the provisions of Executive Order No . The provisions were followed and the rule was not reviewed but rather thrown out . contradictory +However , the chocolate-faced god is quite gaily decorated in hues of red , yellow , and blue , and his round , white-circled eyes look more startled than fierce . However , the pale and colorless god looks frightening to all that see him . contradictory +Building shell efficiencies in scenario B are assumed to improve by about 50 percent faster than in scenario A. Scenario B should be 50 percent faster than scenario A. entailment +9 billion pieces respectively , and assuming that First-Class advertising mail volume has not changed between 1997 and 1998 , we obtain the following figures for FY 1998 : ( a ) 91 . They assume the first class mail has not changed in years . entailment +At the Stabian Baths ( Thermae Stabianae ) , Pompeii 's largest , you can see the separate men 's and women 's facilities , changing rooms , with clothes-locker niches , and three cold , lukewarm , and hot ( frigidarium , tepidarium , and calidarium ) . The largest thermal bath in Pompeii only has 3 temperatures available . neutral +This chapter also describes the concept of accountability for public resources and discusses the responsibilities of managers of government programs , auditors , and audit organizations in the audit process . Accountability is a concept within this chapter which is also described , entailment +Linda Samels Ceballos entered Loyola Law School in Los Angeles knowing she wanted to represent the poor . Linda Ceballos went to NYU Law School . contradictory +It was the former site of an abandoned iron foundry , ghetto in old Venetian dialect , which lent its name to this andecores of other future enclaves for the forced isolation of Jewish ( or other minority ) communities throughout Europe . The word ghetto was used for ethnic enclaves across Europe . entailment +and i i was just taken aback by that That took me backwards . neutral +sure it isn 't really it 's not really good for your knees of course it 's not very beneficial for your knees entailment +He would then bring these north , give them as payment for being left alone . " He 's very cunning and willing to bribe others . neutral +Many of these elegant Renaissance houses now serve as museums and libraries . Many Renaissance houses are now museums . entailment +oh do you have children oh okay Um , do you have any children ? Oh , okay entailment +When ordering , it is customary to be taken to the kitchen to look at the various dishes you will find printed menus only in tourist restaurants . The tourists restaurants don 't have any printed menus . contradictory +They 're not good or evil , they are just mindless slaves to instinct and the food chain . They are evil little things that are slaves to addiction . contradictory +Reduced levels of ground-level ozone resulting from the final Clear Skies Act will have generally beneficial results on agricultural crop yields and commercial forest growth . The Clear Skies Act has been good for agriculture . entailment +As this group plans its strategy , it can utilize the commonality among principles to link initiatives and utilize the synergy between related efforts . The group is planning their strategy . entailment +uh for fully automatic weapons and uh all right now for instance in California where they passed the uh California is a place where they passed entailment +In one region , three LSC programs have established a regional intake system , funded by an LSC Technology Initiative Grant , with a second planned for another region , to be developed in 2001 . By 2005 , four more LSC programs will be established . neutral +Hello Severn , said Ca 'daan . Ca 'daan did not speak to Severn . contradictory +The whole journey on this steamer takes about an hour . This steamer will reach its destination in less than two hours . neutral +These inside-the-Beltway issues and their small , but vocal , constituencies make this election Bill Clinton 's to lose . Bill Clinton should win because of the Beltway states and their outspokenness . entailment +Ah ! snarled the Russian . The russian was quite pleased and beamed with joy . contradictory +Ramses , who becomes the new pharaoh , isn 't pleased when his brother becomes a champion of Hebrew civil rights instead of the wild and crazy guy with whom he grew up . Ramses doesn 't like that his brother isn 't the person he grew up with anymore . entailment +Wednesday 's action bars Brown from transferring the money until the appeals court rules . Wednesday 's event prevents Brown from sending any money to offshore accounts . neutral +yeah uh-huh so you like a a variety sort of easy listening because you you like country but then You like country and other easy listening , like maybe some Kenny G ? neutral +um yeah yeah well that 's probably true to so That is probably right but it may be wrong . neutral +Two more straggled . Two more of them straggled . entailment +These were cut into the Castle Rock in the 15th century to create an extra floor of space ; they offer a fascinating insight into the lives of the ordinary soldiers in days gone by . They made extra floor space . entailment +that one is electric so he 's got to plug that in and drag the cord around Electric ones can be a hassle because you need to bring the cord around with you . entailment +The footmen attacked her three at a time . She was attacked by three footmen at once . entailment +In commenting on a draft of this report , the participants of our study agreed with the critical success factors and challenges that we identified . There were twenty three participants who provided comments . neutral +The analysis estimated $ 25 million in savings associated with requiring a producer to obtain at least catastrophic coverage for any crop of economic significance as a condition of receiving benefits for that crop under certain Department of Agriculture programs ( linkage requirement ) or signing a waiver for eligibility for emergency crop loss assistance . The analyst 's estimation was around $ 10 million . contradictory +the uh academic requirements uh-huh There are preconditions that have to be fulfilled in terms of scholastic achievement . entailment +well it 's hard for me It 's just so easy for me ! contradictory +well my stepson you know i he went into the Navy or Air Force i just really get my military i married into a military family and i don 't know i really address them all as generals so i don 't offend anybody My stepson became a pilot in the military . neutral +you know like cleaning up the city or however they do they community time you know whatever that is but They clean up the city when they do community time . entailment +When you are stronger You will be weak forever . contradictory +and when i drove through i it it was terrible i i had to keep the windows up The air was so fragrant I couldn 't help but roll my windows down . contradictory +It was soon flourishing ; with its natural harbor that attracted ships , Hong Kong leaped to the forefront as a base for trade . Hong Kong 's harbor is the best in the country . neutral +I 'm not sure it is right , in ways I hope it is wrong , and in the end , Richard , you might be It might just not add up . There 's no way that Richard is correct . contradictory +yeah now my roomie on the other hand he is a power user My roommate , unlike me , is a heavy user . entailment +In a discussion on the effectiveness of anti-drug ads , Carlson ( Capital Gang ) says , I have not used any drugs since I saw that frying pan ad . Carlson also said he used to do drugs regularly before he saw that ad . neutral +In 1994 , GAO projected the cost at $ 2 . The projected cost for 1993 . contradictory +It contains the original text that currently constitutes the body of accounting concepts and standards for the U.S. This also contains the taxation standards for the nation . neutral +and you and you laughed all the way to the bank And you had a merry trip to the bank . entailment +they 're they 're in good spots and i i have an automatic i can 't drive a standard I can drive standard and automatic ones . contradictory +Pisa sided with the Normans in Sicily and profits from its new commercial empire in the western Mediterranean paid for its magnificent cathedral , baptistery , and campanile ( today 's Leaning Tower ) . The people in the western Mediterranean resented Pisa 's power . neutral +and uh we are presently uh in receipt of a site permit which will allow us to um uh this is air side allow allow to have certain emissions up to a certain tonnage it 's in in in tons per year um Emissions now have to be regulated because they were excessive in the past . neutral +In May 1997 , an INS audit of the 1.1 million people who were granted citizenship between September 1995 and September 1996 revealed 4,946 cases in which criminal arrest should have disqualified an applicant or in which an applicant lied about his or her criminal history . There are cases in which applicants lie about their criminal history . entailment +now just look at that money the government could save if they didn 't have all of those days off all those holidays The government could save money by giving themselves more days off . contradictory +and uh yeah he was a he 's uh we call him Dana Jerk Yeah , he is called Johnny Rocket contradictory +Down in the lowland forests there are several national parks , including the popular Royal Chitwan National Park , where rhinos , tigers , elephants , deer , and hundreds of species of birds can be spotted . Rhinos , tigers , elephants , deer and hundreds of different species of birds can be found in the popular Royal Chitwan National Park . entailment +Sample After admitting that her hubby 's strategizing may have kept Clinton from being ridden out of D.C. on a rail , Matalin predicts that Someday , in the history book , you [ Carville ] will look back and rue the day that you helped wage this war the way you have . Matalin denies her hubby 's association with Clinton . contradictory +The art scene is flourishing in Puerto Rico . Puerto Rico is home to many artists . entailment +The ruins of the huge abbey of Jumiyges are perhaps the most the white-granite shells of two churches , the Roman ? ­ esque Notre-Dame and the smaller Gothic Saint-Pierre . It is speculated that perhaps the ruins of the huge abbey were actually the shells of two churches . entailment +In cooperation with IIT Kent College of Law , legal services programs are also involved in establishing a Technology Center for Law and the Public Interest . This is not related to law . contradictory +Well , he said at last , " let us go , mon ami . " He said , " Let 's go . " entailment +It was founded in the third century b.c. by King Prusias of Bithynia , and named Prusa in his honour . Prusa was founded in the third century BC . entailment +Many of these same itineraries can be covered on two wheels as well as on two feet , and mountain biking and bike touring are becoming more popular . One can cover the itineraries by bicycle or on foot . entailment +Cohen hits bottom when he compares the gangster Louis Lepke 's flight from justice to the plight of Anne Frank , and when he compares his own grandfather to a drug dealer . Cohen 's grandfather had numerous legal troubles . neutral +Many representatives told us that due to members ' own resource and time constraints , members would not participate in information-sharing organizations unless they received benefits . Members will receive benefits contingent on them participating in information sharing organizations . neutral +A 'Deem left his booth to the boy with a strong threat and whispered to the mercenary who walked the lane . A 'Deem left the boy in charge of the booth . neutral +and um so it 's been real fun here to see there 's a big market for the nurseries and for the landscaping companies and a lot of people um we live in north of Dallas and um We have had fun visiting and will be returning to Dallas soon . neutral +Will Tina tame these tough guys ? Will Tina put a leash on these guys ? entailment +Here , where East and West first met , life combines the spirit of Asia with something of the sunny atmosphere of the Mediterranean . The local culture has been affected so much that they have even taken up the practice of enjoying afternoon siestas . neutral +Surprisingly , the plan contained little detail for the buildings that would line the streets and frame the squares . The plan was not so detailed as to describe the buildings that would be constructed . entailment +Renewed government The government is better now . neutral +Thinking they were about the find themselves part of a PrimeTime Live expose , says the publication , the bureaucrats swooped in and placed all the children in foster care . They were about to find themselves part of the PrimeTIme . entailment +right we have enough enough problems with overcrowding in the jails as it is so let let their country take care of it we don 't have i guess too much trouble in Dallas with well i guess i guess we do have a lot of people come in from Mexico Dallas does not have any Mexicans at all . contradictory +Ca 'daan 's mind built a terrible vision . Ca 'daan imagined really pleasant things . contradictory +Click to read a letter to the editor criticizing the original version . The original version has been criticized by at least one reader . entailment +Golf in Madeira is a year-round sport ; the island has 45 holes of championship golf divided between two courses , both esteemed for their scenic beauty . Madeira has 45 holes of championship golf between two courses . neutral +Several stellar performing arts venues and the centers of politics and finance also draw attention . All those places are located in Venice . neutral +Creation was not provided to us by God to consume it into oblivion . God provided us with creation for us to consume it into oblivion contradictory +Either random public gunplay or regular bathing . It can be either of the two ; spontaneous gunfights in public or bathing on a regular basis . entailment +They developed into farmers with settlements and pastureland on the fertile Messara Plain . There were huge farms in the area with masses of crops . neutral +Both were left derelict by Norman invaders , and Bishop Maurice de Sully authorized construction of the cathedral to replace them in 1163 . The Bishop wanted to be remembered for helping to construct the cathedral . neutral +Anyway , I found animals this morning . This morning , I found some animals . entailment +it just everything just kind of gives up and dies here Things don ' want to go on . neutral +What 's the melting point of this sky material ? He never did manage to make Sather Garm understand what a melting point was . Sather could not understand what a melting point is because he is stupid . neutral +and uh i think that should get your heart rate right up there at the maximum and keep it there You don 't want to push yourself . contradictory +that 's right it 's easier after you 're you don 't have to worry about it You don 't have to worry once you have achieved the highest degree of success . neutral +My father said that this was a free country , that Ron Hoffman was hired as an economist not as a political flack for RN , and that he would not be fired because he disagreed with some aspect of Nixon policy . My dad said that Hoffman would be fired because he didn 't agree with what Nixon regarding the war . neutral +( Want his respect ? Looking for respect . entailment +yeah i think i 've seen you know commercials yeah I 've seen the commercials . entailment +It is a three-question screen that takes about 1 minute . The questionnaire takes an hour to complete . contradictory +He was foaled on April sixth in sixty-two . He was born on September 9th . contradictory +I can 't listen to this . I 'm really enjoying listening to this . contradictory +The article is full of anecdotes about 11-year-olds who don 't finish their schoolwork till 11 p.m. These anecdotes can be used on older children as well . neutral +Protocols on closed cases will ensure the consistent application of our analysis factors . The consistent application of our analysis factor will be ensured . entailment +The kids . The kids , entailment +Quick , what is your vision ? Quick what have you seen and heard ? neutral +The objective of our research was to determine how several leading organizations have implemented their CIO positions and supporting management infrastructures . The research was supposed to look at how some leading organizations implemented their CIO positions . entailment +i understand uh my husband about once a weekend he 'll go uh to a couple of areas where he knows that the people just throw cans out My husband scavenges cans from areas where don 't recycle them . entailment +You will find portraits , manuscripts , and personal effects from all three . All three have left portraits and manuscripts . entailment +South ­ east of the train station is the Real Fibrica de Taopioces ( Royal Tapestry Factory , c / Fuenterraba , 2 ) . There is a tapestry factory near the train station . entailment +The most important event of the theater season is the Dublin Theater Festival in October . The Dublin Theater Festival takes place during the summertime . contradictory +What do you think I mean ? parried Tommy , searching desperately in his own mind . What do you think I mean ? Tommy warded him off , to give himself time to think . entailment +This , of course , was the time of Clinton 's impeachment and Senate trial . Clinton 's Senate and impeachment trials were going on at this point in time . entailment +It 's no surprise that the US dollar is accepted as readily as the Jamaican dollar to pay for goods . The US dollar has been growing more value than Jamaican dollar . neutral +These Year 2000 conversion efforts are often conducted under severe time constraints that , without adequate management attention , could result in a weakening of controls over the integrity of data and programs and over the confidentiality of sensitive data . The severe time constraints on the Year 2000 conversion efforts could result in weaker control over the integrity of the data . entailment +The Astronomer followed and the woman 's wail rose unheeded behind them . The Astronomer followed and they paid no attention to the woman 's cry behind them . entailment +The Smithsonian may be exalted as the repository of American culture and get high marks for whenever it hosts , say , a monthlong exhibit on the hardships of the pilgrims . The Smithsonian never has and never will host exhibits . contradictory +yeah i don 't know cut California in half or something Yeah . I 'm not sure how to make that fit . Maybe you could cut California in half or just resize it to make it fit . neutral +We suggest just three within easy reach of the Via Cavour thoroughfare leading from the main railway station ( Stazione Termini ) . There are main railway stations . entailment +Evans made numerous remarkable finds at the site , since it had been covered and left undisturbed following the 1350 b.c. disaster . In 1350 b.c. there was a gigantic volcanic eruption . neutral +The agency procurement request for a delegation of procurement authority from GSA , showing names and experience of senior project officials ( as required by GSA guidance detailed in its FIRMR Bulletin C-5 ) . The agency procurement request shows names and experience of project officials . entailment +oh does it spread out of the neighborhoods into the more the uh retired people 's community or does it stay in the bad neighborhood I was wondering if the crimes happen outside the bad neighborhood . neutral +so well we 're changing at least at least we 're trying and and maybe this absentee thing will will take a hold and uh get more people to vote Maybe absentee voting will catch on and more people will vote . entailment +The intervention could be stopped by a block of isolationist senators and House members . The intervention could be stopped by the politicians if the voters didn 't oppose . neutral +Twenty percent of students take psychopharmaceuticals , from Adderall to Zoloft . A fifth of all students take drugs like Adderall and Zoloft . entailment +Giza was not the only location where pyramids were built there are many sites scattered throughout the western desert and it was not the place where pyramid-building started . The pyramids only happened to be built in Giza . contradictory +A few seconds later , Jackie Kennedy comes on the line . An hour later Jacie Kennedy came on the line . contradictory +yeah but i think we 're bred that way you know i think i think it 's part of the Yes , but I imagine we are brought up thinking that way . entailment +The English were victorious in the Picardy fields of Crec y ( 1346 ) and Azincourt ( Agincourt , 1415 ) . Azincourt and Crecy were both the sites of English victories . entailment +Other than walking in the wooded hills , the most popular local attraction is the Cova de Can Marca , a cave where sound and light effects enhance the natural wonders of stalagmites and stalactites . Cova de Can Marca is the name of some popular wooded hills near a cave . contradictory +you know that 's it you have to be healthy too that 's another point i guess You don 't have to be healthy , that 's not an important issue contradictory +The next closest states are Ohio and Oklahoma , with 6 percent each . Ohio and Oklahoma are right behind Iowa , which is at 8 percent . neutral +13 Some federal agencies , such as the Social Security Administration ( SSA ) , are exploring new ways to involve employees by devolving decisionmaking authority . Some federal agencies , such as the Social Security Administration , are exploring new ways to involve employees entailment +well those they 're kind of nice but they 're also um flimsy when you really look at them but then when you get inside they 're really nice you know I never check the inside of one . contradictory +uh of course you have to have some sort of record in high school uh of of achievement and everything but sometimes it 's just uh like our band gave money away we 're a band booster club we gave we give uh two five hundred dollar scholarships just to kids uh who we think were worthy you know so We 're a club that exists solely to eat pizza and get drunk on weekends . contradictory +Pollock asked how to differentiate that type of study from doing a clinical trial . Pollock knew he couldn 't tell the type of study . contradictory +well it goes all through the state it goes all through the state supreme court system before they 're It is obvious that it goes through the Supreme Court system . entailment +So she could zoom the camera up on the freshly bandaged wound , to make things more ' believable . ' It hurt like hell , until she gave me some drugs to make the pain go away . The wound hurt until she game the pain drugs . entailment +Yes , sir ? The chauffeur turned his head . The chauffeur swiveled his head to look at him . entailment +Second , if federal budget surpluses are achieved , in part , through higher taxes , those higher taxes reduce households ' disposable personal income . If surpluses are achieved by raising taxes , households have more disposable income . contradictory +sentation despite the statute , avoided all reference to questions of statutory validity and constitutional authority . The statute included references to validity and authority . contradictory +To say that Grove is a product of the past , then , is to say only that what Grove has done at Intel is more like what Alfred Sloan did at General Motors than what CEOs of Internet companies or Silicon Valley startups think they 're doing today . Grove is a name given to poorly babies , neutral +Advocates blame slow adoption of irradiation on technophobic lobbying groups that ignore the evidence and stir public fears with outrageous claims that the process makes food radioactive . The technophobic lobbying groups believe that they are doing the public a service . neutral +The cost models described in appendix II can be used to make a rough estimate of how long a system development may require . The time it takes for a system development can 't be estimated . contradictory +yeah i think Buffalo 's got a pretty good shot I believe that Buffalo can do this ! entailment +the other times he 'll uh i don 't know go out somewhere eat in a cafeteria or whatever Sometimes he will eat at home but while hes out he will eat out . neutral +For example , while studies exist that estimate the benefits of visibility improvements to individuals in the places they reside , these residential visibility studies are considered by some in the resource economics community to be less reliable because of the methods applied . Some in the resource economics community don 't believe that visibility improvements are beneficial . neutral +And the years went on . The years were harder as they went on . neutral +and i left them i guess in eighty two but i was in Dallas there when uh Roger Staubach and And I had to leave them in eighty two . entailment +oh watch it uh every every game that 's on i watch They don 't watch any game that 's on because they do not like sports . contradictory +Several people had arrived by the train in question . A couple individuals had come by that train . entailment +I tell you , mon ami , it puzzles me . I completely understand it , mon ami . contradictory +Since alcohol interventions in the ED cut across different disciplines , the peer-review group should embrace multiple perspectives . There are no interventions in the ED . contradictory +of course they play their you know cards right and do some good investments they 'll you know they 'll do all right but a lot of them don 't unfortunately If they make some good investments , they will do alright . entailment +At Benasau , the Sella road meets the C-3313 . The C-3313 does not go through Benasau . contradictory +This one 's for Harvey and Bob Weinstein , George Plimpton said . George Plimpton said " This one 's for Harvey and Bob Weinstein . " entailment +But she will , of course , which is going to be too bad . In any case , she 's going to . entailment +The original of that photograph was the French girl , Annette , who saved his life . " Annette saved his life . entailment +Note that when haggling , the merchant assumes you are prepared to pay cash . The merchants will assume you are paying with credit . contradictory +The private sector and state organizations we visited built and maintained this foundation largely through the discipline of preparing routine periodic financial statements and annually subjecting them to an independent audit . The organizations we visited received tax breaks for their support . neutral +I wonder if he 's ever considered joining a new political party . He would never change political parties . contradictory +Black -- Not of Hispanic Origin 27 % 27 % are black and not Hispanic . entailment +If some form of government proves necessary , they prefer the local town hall to the parliament in Rome . local town halls are chosen over parliament in Rome if governance is needed . entailment +Look for the plaque dedicated to William Myers , who , it says , died on 30 February 1762 . William Myers was alive on February 1st , 1762 entailment +We are replacing the older test site with two dynamic database-driven Web sites ... The older test site will be replaced with multiple database-driven Web sites . entailment +Excellent value . It is an excellent value at just $ 130 a night . neutral +An LSC technical assistance grant enabled the state to begin planning for implementation of Phase II , scheduled for 2000-2003 . The State had already begun to fund Phase 2 of the plan and turned down an offer for a grant to fund it . contradictory +oh they love to dig i had i had some uh i don 't know what kind they are i 've already forgotten just regular old flower seeds They enjoy digging very much . entailment +Instead she runs through all the euphemisms for oral sex and then the video cuts to XXX action with gratuitous commentary . She uses euphemisms for oral sex in the video , which I don 't like . neutral +A risk assessment is the process of identifying potential risks in a system under development and then determining the significance of each risk in terms of its likelihood and impact on the acquisition 's cost , schedule , and ability The risk assessment finds potential risks in a computersystem that 's being developed . neutral +Small shops and outdoor markets across the country feature intricate works of gold and silver , handpainted ceramics , and classic wool rugs . Outdoor markets are only lightly regulated by the government . neutral +yeah right when you see the ones who are successful and there are many of them around and uh makes me feel good to know i played one small part in their rearing My small part in their rearing was very important . neutral +But others praise it as a minor-league farm team for potential NATO members , and celebrate its civilizing influence ( some PFP members have settled long-standing border disputes ) . The program is criticized widely for its negative influence . contradictory +ceramics sounds interesting uh i do computer programming kind of as a hobby on the side and i also like to uh do gardening and also like to workout I 've never programmed a computer in my life and I hate gardening and I especially hate exercising . contradictory +you really have a problem down there with with having to repaint with with paint blistering or peeling off or There 's no problem with the paint down there . contradictory +It happens , however , that I am an evolution groupie . I have a strong interest in evolution . entailment +We categorize these actions into the five components of internal control-control environment , risk assessment , control activities , information and communications , and monitoring-outlined in the Comptroller General 's Standards for Internal Control in the Federal Government ( GAO-AIMD-00-21 . There are no categories of actions whatsoever . contradictory +The New Jersey State Bar Foundation receives 12 . The Bar Foundation of New Jersey gets 12 new applicants per year . neutral +Yes ! I breathed . No , I said . contradictory +however um you know the bane of our existence these days uh but it does have a word processing program which all of us have used for reports reports and papers and that sort of thing It has nothing to type papers on . contradictory +We 're getting going . We 're leaving in ten minutes . neutral +'I just met with representatives of the Salmon Corp , ' I told him . Salmon Corp would not meet with me . contradictory +PSC assembled three volunteer companies to participate in our study . Three companies were assembled by the PSC to participate in our study . entailment +In the interim , the consolidated financial reports should include such summary or selected information as is feasible . The consolidated financial reports are missing a summary . contradictory +You assaulted one of our militia men yesterday , said the fat one , Emrold . One of the men was assaulted . entailment +He sat at night and gazed at the stars , considering whether his journey was heroic or folly . He thought about the battles that were probably ahead of him . neutral +And Novak lets her speak ! And Novak does not release her gag order . contradictory +our casual voodoo the pleasure to give pain that gives pleasure of pain , unmerited , cruel , free creation Voodoo gives pain to anyone you hate . neutral +On your way back down , allow enough time to visit the fascinating Aso Volcanic Museum . It is easy to spend a lot of time visiting the Aso Volcanic Museum . neutral +There has been a decrease in funding to this Prairie State Legal office by about $ 50,000 , Wilson said Thursday . Prairie state legal offices will lose $ 50000 in funding entailment +Even his Murphy Brown speech has aged People will see that her sitcom has been canceled and that he 's back on the scene , insists his pollster . His pollster points out that people will notice the cancellation of her sitcom . entailment +All right . OK . entailment +There are plenty of things for children to enjoy in Dublin . There is plenty for adults to do in Dublin . neutral +Because so many buildings are still residences , however , there are relatively few attractions to visit compared with the Old Town . There aren 't many attractions to visit . entailment +my my cats don 't think much of chocolate course they 're so they 're so damn finicky anyway My cats would prefer catnip to chocolate . neutral +Rapidly , I considered it . I had a few options . neutral +um-hum i 'm not familiar with that one Yeah I know that one . contradictory +Thanks for letting me vent . I appreciate you letting me express emotion . entailment +Native Hawaiians were finding themselves overwhelmed and outnumbered . Native Hawaiians often found themselves outnumbered . entailment +He ain 't no real doc , of course , but was I totin ' me a hunka lead in some serious part , I 'd rather have him diggin ' for it than a lotta docs I 've seen out here . He is not a real veterinarian , but he will remove a bullet . contradictory +usually usually you 'd see these big chain gangs out there picking up trash Normally you would see these big gangs cleaning up the trash . entailment +'Somewhat , ' I said . I said somewhat . entailment +There was only barren earth , with a tiny , limp sapling in the middle of empty acres . The whole area looked like a hot desert . neutral +These islands , known as the eastern Aegean Islands , have been at the forefront of waves of invasion from the east . There is not much left on the eastern Aegean Islands due to repeated invasions throughout history . neutral +Tradition says two saints made an appearance at the funeral . According to tradition , five saints graced the funeral . contradictory +Rule 78 ( a ) ( 2 ) ) requires the Commission to prepare an analysis of the effect of these rules on competition . The analysis must contain no less than three examples of possible effects the rules in question may have on competition . neutral +Charles Krauthammer blamed it on all those nature shows . He put the blame on all those nature shows . entailment +The seeds of future trouble were sown . There might be trouble in the future . neutral +The peninsula opposite the east coast of Ap Lei Chau island contains Ocean Park ( open daily 10am 6pm ; admission HK $ 150 adults , HK $ 75 children ) , which has become one of Hong Kong 's biggest attractions . Ocean Park is one of Hong Kong 's biggest attractions . entailment +She was afraid that particular wrinkle on the face of her future husband will destroy the photo in the wedding announcement section of the newspaper , but fortunately , her parents arranged for photo-shopping at the editorial offices , so everything would turn out just fine . The wrinkle on the face of her future husband was due to exposure to radiation . neutral +So if we really want to pull every possible moral out of our story , we should think about the other people whose interests are at stake when you decide to buy a house . Thinking about other people 's interests is necessary to pull every moral out of our story . entailment +12875 and finds that the Order does not apply because the rule is not applicable to government facilities but to finished device manufacturers . Only 2 people found that the Order did not apply . contradictory +Depending upon the location , from 10 to more than 40 percent of new nitrogen inputs to coastal waters along the East Coast and Gulf Coast of the United States come from air pollution . Some locations have over 50 percent of nitrogen inputs coming from air pollution . neutral +The heir to what was once the world 's largest private oil fortune received his British passport in the week before Christmas and immediately revoked his US nationality , the newspaper said . The heir , when received his British passport , immediately changed his former nationality , but may be thinking of changing his mind . neutral +If this is not feasible , then after the umpteenth verbal invoice , the hit-upee can just Sorry , I am tapped out . There can only be , and there has only been , one verbal invoice . contradictory +and i thought it was a good sacrifice to make I 've never sacrificed anything in my life contradictory +Nonetheless , Lind says , the strategy of maximal realism means it would have been better to have started the defense , and continued it until the casualties became too high for domestic politics to bear , than to have taken the minimal realism course of not starting the fight . Minimal realism is much better than maximal realism according to Lind . contradictory +First , it makes the strongest case for calling witnesses . It is the strongest case when choosing witnesses . entailment +Construction of the offices obliterated much of the archaeological dig which had unearthed the original layout of the ninth-century quay , but the Viking artifacts that were found are on view in the National Museum and in the Viking Adventure exhibit . Construction of the offices was permanently halted when Viking artifacts were found . contradictory +In addition , the Federal Acquisition Streamlining Act of 1994 requires the head of each executive agency to approve or define the cost , performance , and schedule goals for major agency acquisition programs . The Federal Acquisition Streamlining Act of 1994 was implemented after a series of investigations found that money was being wasted in major agency acquisition programs . neutral +Entering the northwestern side , you can go through seven gateways to see the remains of the Rajput 's heroic exploits . The remains are from ancient battles that took place . neutral +Kyoto is the national center for such traditional disciplines as cha-do ( tea ceremony ) and ikebana ( flower arranging ) , the birthplace of kabuki , and the leading center of calligraphy , painting , and sculpture . Traditional activities , such as flower arranging and tea ceremonies , are practised in Kyoto . entailment +it does except that knowing them they would probably do something ridiculous and terrible just just to uh They 'd probably cook something ridiculous . neutral +Fix the sky and claim what reward you will afterwards . You cannot claim a reward before you do any work . neutral +If eyes were upon them , there was no hint . They had worried someone would be watching them . neutral +um-hum well and yeah and and a lot of that is left up to whoever your supervisor happens to be and what type of relationship you have with that person and you know i see a lot of differences but from one group to the next you know about who gets it and who doesn 't get it you know but that 's and that 's that way with a lot of things you know there it seems like it depends on what what group you happen to be in what what you 're going to get and what you 're not going to get so It depends on the supervisor you have and the group you 're in . entailment +Check out what else is on display while you are here , as the museum regularly hosts special exhibitions . The museum rarely hosts special exhibits . contradictory +Yeah , the O.J. trial was bizarre , but as far as I know , Marcia Clark , Judge Ito and Simpson never , ever , fought over a check at the dinner table . The OJ trial was pretty standard . contradictory +that ( 1 ) hold senior executives accountable for their individual and organizational performance by linking performance management with the results-oriented goals of the Government Performance and Results Act of 1993 ( GPRA ) , ( 2 ) evaluate senior executive performance using measures that balance organizational results with customer satisfaction , employee perspectives , and any other measures agencies decide are appropriate , and Measures that are deemed appropriate by agencies are also appropriate to use in evaluating senior executive performance . entailment +okay i i 'm a little less than that i was going to call this week i forgot about it just until i was going to do it tonight uh i have i was i called i think every day last week and i forgot about this week i got so tied up with some other things I never forget anything . contradictory +'Is that the only reason ? ' Are there any other reasons ? entailment +Well , it 's just this , sir . Well , it 's just this , madam . contradictory +A surer recipe for disaster has never been devised . There 's never been a more sure harbinger of a disaster . entailment +On the other hand , DOD programs with less successful outcomes did not apply best practices to a great extent . DOD programs which contained less successful outcomes included no incorrect data . neutral +or or even have had the ability you know the chance to to go to college or to to to learn about it i think it 's still good they do cover the system and i think it should still be taught in schools In my opinion , schools should continue to teach the system . entailment +I did math in my head . I calculated it with my computer . contradictory +Puerto Rico suffered from constant attacks . Puerto Rico was never attacked . contradictory +See ante , at 3 . No Legal Services Corporation ( LSC ) funds may be used , for example , for encouraging . . . labor or antilabor activities , a2996f ( b ) ( 6 ) , for litigation relating to the desegregation of any elementary or secondary school or school system , a2996f ( b ) ( 9 ) , or for litigation which seeks to procure a nontherapeutic abortion , a2996f ( b ) ( 8 ) . Legal Services Corporation will fund all and any kind of abortion . contradictory +The high population density constitutes a real problem . There is a real problem with the dense population . entailment +is it do you get spooked you feel or do you get butterflies in your stomach when you go there because I bet you feel fine going there . contradictory +Whatever was going on , he was in no shape to interrupt anything . Whatever was taking place , he could not interrupt anything . entailment +well Patricia i was just about to get on my tread mill and then i remembered that i didn 't make a call last night and i thought i 'd make one tonight I decided it would be better to hop on my bike to see you rather than make a call . contradictory +They were buried at this busy public place as a warning not to try to outsmart the sultan . Their burial location was a warning from the Sultan . entailment +But it 's also a reference to the flower . The flower 's name has multiple meanings . neutral +Search for Slate by clicking here . Slate can not be searched for . contradictory +yeah we do that too we 're fortunate though this year somehow how it 's only March and we 've already used up our entire amount i don 't know if that 's good or bad We have exhausted our funds in less than three months . entailment +He retrieved it , and buried it neatly . He left it on the table . contradictory +did i okay i didn 't know whether you could hear because i i have to take the phone away from my ear to do it I know you heard it . contradictory +Paul Prudhomme was so 1989 . I can barely remember Paul Prudhomme . neutral +A 'deem seemed vexed at having strangers , possibly dangerous strangers in his home but he trusted Ca 'daan 's judgment , he said , and brought spiced meat from his shop when they returned . A 'deem brought meat to the strangers . entailment +Thirty years ago , it rested on the perception that we were willing to build bombs and deploy them . Thirty years ago it all depended upon the willingness to build and deploy bombs . entailment +The model allows us to focus on the contribution of national saving to output and living standards through the linkage between saving and the capital stock . We focused on contributing to national savings . entailment +Services such as those provided to the residents of Mobile Park Plaza now hang in the balance , in light of Governor Gary Locke 's recent cutting of $ 2 . Governor Locke cut $ 2 from each entry fee that was supposed to go towards services . neutral +Postal Service will pick up a letter from anywhere in America and deliver it to any place else in the nation--any place ! Everywhere in America there are post offices , and that enables flexible deliveries . neutral +The Maharaja of Bharatpur used to organize formal annual duck-shoots here for British viceroys and other top officials as well as for fellow princes . There are still duck shoots organize here . contradictory +Since then , a mass of apartment blocks and hotels has sprung up and the town has become known as an international fun city . Many people go to the town to have a fun weekend night out at the clubs . neutral +In the AEO2001 reference case , however , the demand for electricity in 2020 is about 10 % higher compared to the CEF reference case . Electricity demand is decreasing . contradictory +I 'd say they warn 't even talkin ' by th ' time they pulled up here . By they time they got here , they were singing at the tops of their lungs . contradictory +to be effective and make no effort to medically assess whether [ castration ] is appropriate for an individual . Castration is only appropriate for an individual who has committed the most heinous crime . neutral +The cover package reviews the century 's top 10 crimes , including the St. Valentine 's Day Massacre of seven mobsters by Al Capone 's henchman ; the brutal 1955 murder of 14-year-old Emmett Till , which galvanized support for the civil rights movement ; and the Manson family rampage , which ended the social experimentation of the ' 60s on a sour note . They are the consensus top 10 crimes . neutral +But the allure of Madeira remains its absence of man-made attractions and abundance of natural ones . Madeira has a lot of natural attractions . entailment +uh-huh oh you 're absolutely right you that that 's a pet of mine too i just wish we all and us down here in Texas of course should all speak Spanish most Texans know some Spanish . neutral +yeah what i hate is i hate having to water so much around here you know well we never used to have to water our lawns you know in Chicago it was always enough rain here and there There was never any need to water the lawn in Chicago because it rained every single day . neutral +A delirious thought shot through Tommy 's mind . Tommy tried to grasp and process the delirious thought in his mind . neutral +that 's wonderful i have often thought that that having one at home would be neat i just don 't know if we would really use it that much you know that is great , i 've thought many times that it would be cool to have one at home entailment +The only crop affected by changes in ozone during April is winter wheat . All crops showed ability to adapt to changing ozone levels all year round . contradictory +The rather severe interior of the cathedral contrasts with its elaborate exterior , but the impact of the double-storied nave is lightened by the tall arches of the choir . The cathedral 's outside is also rather drab and dull . contradictory +There 's something unbearably sad about a 60-year-old man who still takes drugs . It 's very funy and nice seeing a 60-year-old man who still takes drugs . contradictory +'I 'm not interested in the past- that 's a wallowing ground for decadent minds . It 's not healthy to dwell on the sad things that happened in the past . neutral +These core values serve as both beliefs and boundaries ; beliefs in the form of positive concepts one can be committed to , and boundaries in the form of limits that should not be violated . The core values provide boundaries but not beliefs . contradictory +The shattered Spanish economy inched forward during the post-war years . The poor management of resources during the war ruined the economy . neutral +well so much of it is game playing with the lawyers they 're plea doing their plea bargaining and and uh give and take type situation that uh they 're playing with people 's lives in effect uh by offering uh to uh uh offering to announce their guilt to a certain degree on a crime in order to get uh a lighter uh sentence sentence Lawyers take plea bargaining seriously . contradictory +Before you make that call , remember that when a tyrant first appears he always comes as your protector . When a tyrant shows up , he looks like he 's protecting you . entailment +The Naiku ( Inner Shrine ) is the more important of the two shrines , as it is dedicated to Amaterasu , the Sun Goddess and supreme deity of Shinto . Amaterasu is the most beautiful of deities . neutral +Films with Mandarin dialogue also have Chinese subtitles , for the benefit of Cantonese speakers , and sometimes subtitles in English . Films in Mandarin always have English subtitles . contradictory +Not until 1249 did King Afonso III ( 1248-1279 ) complete the Reconquest and secure borders for Portugal 250 years before the Spanish could do the same . King Afonso was also known as the King of the people . neutral +you know i i 've in hindsight seen some things that i wished that you know i had done something about that was you know within my power or uh you know wish that in some ways we as parents had more control over I feel like I have control over everything as a parent . contradictory +Government Management Reform Act of 1994 ( Public Law 103-356 ) a This legislation expands the requirement for a fully audited financial statement under the CFO Act to 24 agencies and components of federal entities designated by the Office of Management and Budget . The Government Management Reform Act was passed in 1994 . entailment +no no and i don 't know the same thing goes with some of these insanity pleas you know well if you 're insane enough that you can go If you 're insane enough you can get off , I don 't think that is fair . neutral +Our 1996 / 97 survey found that about 60 percent or more of the supervisors and managers reported that their agencies had not provided them with the training necessary to accomplish critical , results-oriented management tasks . 60 percent or more of the supervisors and managers reported that they had not been provided with the necessary training . entailment +That 's so . Maybe you think I 'm talking through my hat , but I can deliver the goods all right , with enough over to spare for your fee . You probably think I 'm lying but I can definitely get the job done and more . entailment +Using the Research Sponsored by the AOA . The AOA conducts research concerning agricultural production . neutral +Paul the Apostle carried the word . Paul was the most important of the apostles . neutral +West along Via Vittorio Eman ? ­ uele , the Palace of the Normans ( Palazzo dei Normanni ) was built by the Saracens as a ninth-century fortress and later turned into a royal residence , appropriate setting for the later brilliance and luxury of Emperor Frederick II 's Sicilian court . The Palace of the Normans is also known as the Palazzo dei Normanni . entailment +REVOLVING FUND - A fund consisting of permanent appropriation and expenditures of collections , from both the public and other Governmental agencies and accounts , that are earmarked to finance a continuing cycle of business-type operations . It was a fund that had continuing finances . entailment +I couldn 't get much . I have received too much . contradictory +These views may make conflicts longer and more bloody than they would otherwise be . Conflicts are usually quite short without these views . neutral +'To see a young lady 's dispensary , ' he said . " He was so gentlemanly there was no way and no reason to refuse him . neutral +They ate in silence , enjoying the cool shade of the bluff . As they sat enjoying the shade , they thought about the bonfire the night before . neutral +The postal system was even more important for civil society and democratic politics than for commerce . The postal system did very little to improve society and politics . contradictory +Come in , said Cynthia , in a sharp professional tone . Before they could enter Cynthia swiftly closed the door on them . contradictory +They were too far up on the rocks , he thought . The rocks were part of a climbing wall and the man was hooked to a harness . contradictory +Significant emphasis was placed on the integration of LSC-funded programs into statewide legal services delivery systems and the seven central tenets of state planning were identified . The LSC-funded programs help families in the projects . neutral +yeah uh i agree with you um um what i 'm thinking about is back oh when i was a kid and much earlier than that kids were kind of you know the parents kind of pushed them to join like the Boy Scouts or the Girl Scouts and they did do do do a lot of public service activities but these days they 're not um parents parents aren 't encouraging their kids to do things like that because when i was in the Girl Scouts we did a lot of public service things because that 's just part of of of the scouting and you know Parents don 't encourage their kids to do public service activities . entailment +Luxor has a smaller but no less atmospheric bazaar , and Aswan has a great shopping street running one block parallel to the river . The bazaars are usually crowded and full of both shoppers and merchants . neutral +Among the stops to consider are Bourges , Limoges , and Uzerche . Bourges , Limoges , and Uzerche have attractions that are popular with many tourists . neutral +How the surpluses are used has long-term implications for federal government saving , national saving , and ultimately the nation 's future living standards . How the surpluses are used has long-term implications entailment +I think he suspected that Mary Cavendish could tell more if she chose . I think he thought Mary Cavendish could tell then what she did . entailment +Performances are staged between October and May . Performances are cancelled . contradictory +Another set of gears broke from the housing . The gears from the housing remained intact . contradictory +his life just went down the drain so He is experiencing extreme drug dependency and can 't break the habit . neutral +And it 's not that they don 't know any . They actually do not know any . contradictory +The Sunday Telegraph of London led its front page with an exclusive interview with Sami Salih , a defector from Iraq who described how he ran Saddam Hussein 's illegal oil smuggling network and how the profits were used to buy arms . The Sunday Telegraph 's front page was left completely blank as a mark of respect for the victims of Saddam Hussein 's regime . contradictory +oh really well when i was in England years ago and i went to to like Shakespeare 's and you know Stratford-On-Avon and all that and it was like you couldn 't stand up inside of it because it was so short the ceilings were so short but When I was in England , I saw lots of plays but I usually didn 't enjoy them . neutral +Now he fired them into the mass of Sticks that continued to charge up the trail . He shot at the Sticks that were approaching . entailment +Private and public gardens burst with orchids , bougainvillea , and jacarandas , while orchards heave with mangoes , passion fruit , watermelons , and avocados . The orchards rarely , if ever , produce any fruit . contradictory +He had told Adrin to hold his fire until Jon had fired first , but that would be a hard instinct to fight . He told Adrin to get ready to shoot i he was fired on . neutral +And so , out of the whole bunch , I was the only one who could allow myself to be fond of her . Everyone but me cared all about her . contradictory +Ultimately , the benefits of audit work occur when audit findings are resolved through meaningful and effective corrective action taken in response to the auditors ' findings and recommendations . Audits are only beneficial because they inform leaders of problems . contradictory +Despite having higher technology wages than any other state in the country , the state remains at a disadvantage in competing with industry and must rely on alternative strategies and incentives to attract and retain skilled workers . They must rely on alternate strategies to attract skilled workers . neutral +yeah there 's um there 's a place up in my my folks actually live up in Delaware and there 's a place up there that we like to go to called um The Hop which is you know just a fifties diner basically and then there 's um a chain around here called Silver Diner The diners have good food . neutral +Did I not see him , with my own eyes , kill a foal , tear flesh from the flanks of its dam when she tried to drop out of the run ? She needs up still running . neutral +Ireland is the world 's second-largest software exporter , Barcelona is a center for e-startups , and Strasbourg is sprouting biotech firms . Ireland is attractive for software companies because of its tax laws . neutral +Economic research suggests investment in information technology also may have led to faster growth in total factor productivity since 1995 . The productivity in IT continues to grow on a daily basis . neutral +Although Funchal has its share of pubs , bars , discos , and even a well attended casino with revues , most visitors don 't come to the island for evening entertainment . Visitors come to the Funchal for things other than the bars and discos . entailment +A guarded description of Annette also failed to provoke recognition . Nobody could recognize Annette with the information given in the description . entailment +Would that suddenly make you less of a person , less of an individual ? Does doing this make you less of a person ? neutral +Case said . I was said by Case . entailment +The policeman cast a suspicious eye on him . The policeman questioned him thoroughly . neutral +Concepts for Reconciling Budgetary and Financial Accounting 9 / 30 / 97 8 -Supplementary Stewardship Reporting 9 / 30 / 97 Supplementary Stewardship Reporting was published in 1997 . entailment +um-hum it 's just getting really ridiculous down here i wish i could move somewhere where this you know you got to like in the country but I wish I could move out to the country . entailment +He emphasized that the sequence of the recommendations did not imply a priority order . Priority order is only implied in the font size used to type each recommendation . neutral +i i think to some extent you 're right most people have a general idea I agree that most people have a general idea . entailment +Agood tester is like the Roach Motel , corralling bugs and ensnaring them . A good tester is like the Roach Motel , trapping bugs and killing them . entailment +Well , I allow he seems to be the goods all right . He seems to be the goods all right . entailment +The things to look for are a good fit , an attractive look , a nylon shell , and ample and amply sized pockets . Things to not look for include a nylon shell and a good fit . contradictory +or Why did Luigi Santini play ' Giuseppi Romano ' ? Luigi Santini was very good in the role of Romano . neutral +okay well i 'm going to tell you what i 'd have I like talking to people about things I would have . neutral +yeah and you know and i i don 't know if it would be but i mean we don 't know that it wouldn 't either We don 't know either way . entailment +A scientific attitude also involves eschewing the glorification of the self-appointed and self-promoting academic pecking order of Big Name schools and authors . The academic pecking order , and all that it involves , is vital for a scientific attitude . contradictory +At the other extreme , an instance may be as large as an event , such as the Cuban missile crisis ( Allison , 1971 ) and the swine flu vaccine ( Neustadt and Fineberg , 1978 ) , which have been the subjects of two well-known case studies , or the Challenger tragedy . The swine flu vaccine was created in 1978 . entailment +were they Pentecostal Were they Pentecostal or Adventist ? neutral +And no matter where we look for it , over our shoulders among the hominids of prehistory , or out on the interplanetary horizon , we can find whatever Truths we 're looking Those that set us free , and those that prove us mad , too . Truths can either drive us insane or give us a sense of freedom . entailment +The original , dating from 500 b.c. and now housed in Madrid 's Archaeological Museum , remains something of a puzzle almost a hundred years after it came to light . The original was found approximately 100 years ago . entailment +I threatened Julius with the revolver , because I wanted Tuppence to repeat that to Sir James , so that he wouldn 't worry about us . I had my reasons for threatening Julius with the gun . entailment +Certainly Mr. Brown 's organization was a far-reaching concern . The organization of Mr. Brown was a far-reaching issue . entailment +DiGenova also represents another House committee chairman , Dan Burton , the goofish Indiana Republican . DiGenova is an attorney from Washington , D.C. neutral +and it was right next to a nice cold stream It almost fell into the stream . neutral +6 billion for carbon There are billions of dollars spent on carbon trading markets . neutral +Ours is not now , nor is it ever likely to become , a civilized culture in the European sense of the word . Ours has always been considered a civilized culture . contradictory +well some companies have gone that far uh TI has not I think some companies take it too far . entailment +uh-huh well i guess that was good that you were you were hearing it from other students The only people that a child should get information from is their own parents . contradictory +Though it lacked the size of the uninhabitable hydrogen-ammonia planets and its low density made its surface gravity fairly normal , its gravitational forces fell off but slowly with distance . It was smaller than other planets but had typical gravity . entailment +hm no i didn 't see it yeah no I didn 't see it there but I plan on seeing it neutral +Simply lots of things , replied Tommy with the same urbanity as before . Tommy explained in detail what he was talking about . contradictory +The National Institute on Alcohol Abuse and Alcoholism ( NIAAA ) defines at-risk drinking as consumption of more than 14 drinks / week or more than 4 drinks / occasion for men ages 18 to 65 . The National Institute on Alcohol Abuse and Alcoholism ( NIAAA ) defines at-risk differently for different population groups . neutral +If I receive $ 1 million , I 'm rich . $ 1 million would make me wealthy . entailment +and the power given to the IRS is just astronomical and The IRS is powerless . contradictory +uh and i suppose that uh so far as benefits are concerned the most important to uh me today would probably be uh something to do with retirement benefits The only benefits I care about are retirement benefits . neutral +Under such a rate structure , letter-size pieces have a lower rate than flat-size pieces . Regardless of size , pieces are rated 90 % . contradictory +as little as possible i 'm a college student I 'm in college . entailment +The four glasshouse groups , built between 1843 and 1868 , have been magnificently restored . The restoration was funded mostly through donations . neutral +He fights movie monsters , sings in a musical Western , and celebrates Thanksgiving ( Thanksgiving ? He does so many different things in movies . neutral +APPROPRIATION -In most cases , appropriations are a form of budget authority provided by law that permits federal agencies to incur obligations and make payments out of the Treasury for specified purposes . The Treasury prefers it when federal agencies use it to make payments as a general rule . neutral +and that 's been uh uh a problem you know to to the merchant people that that fish and stuff up here they run into that ice stuff in the winter and it breaks away The ice breaks away in the winter when merchants fish . entailment +yeah well you 're just about there i think it 's The political campaign you are working on is going well I think you 're there . neutral +and it was so funny the other day i took some guys to to lunch and when we came back they said oh there 's a parking space real close and i parked way out in the boonies and i said you can walk off your lunch I never go out to lunch with other guys . contradictory +The great thing is what to do next , added Tuppence the practical . Tuppence was too upset to think about the future . contradictory +Melaka ( Malacca ) , easily reached by air or express bus from KL , was Malaysia 's first city , built on the trading empires of spices and textiles and a history soaked in the blood of battles as rival colonial powers challenged each other to take hold of the port . Malaysia , though rich in resources and a prime location for trade , has no cities . contradictory +For some this may sound like hard work , but don 't beach-bar refreshment is never far away . For some people it may sound like hard work , but beach-bar refreshments are always close . entailment +I really know how to do it when I think . " I absolutely know how to do it when I think , said the little genious neutral +Without ongoing strong support , both in spirit and in action , of top-level program officials and legislative bodies , the chances for success in implementing the changes needed to address improper payments are slim . Without strong support from the top level , success is unlikely for the small , weak entities . neutral +) to keep him out of their way . Ensure he doesn 't stop their evil plans . neutral +The Kal clenched his jaw and stared straight ahead . The Kal stared straight ahead while clenching his jaw . entailment +The place at which these two meet is what Kipling called Scandal Point . Kipling named the intersection this because a number of notable scandals happened there . neutral +Applying the Logic of Sample Surveys to Qualitative Case The Case Cluster Method . Applying logic to the case cluster method . entailment +In 1988 , she began to practice immigration and nationality law at the firm of Fragomen , Del Rey and Bernsen , P.C. She began practicing law many years ago . neutral +That 's that , she observed sternly . This is how it is now , she observed . entailment +so you could still feed it but she kept them clean You could never keep the puppies clean . contradictory +'Calm down , ' Derry hissed . It was Derry who said to calm down . entailment +'It was all easy , when we got down to it , ' the Lab-tech was gibbering . The Lab-tech said it was easy . entailment +Tim Hutchinson , R-Ark . , calls the case symptomatic of the casual attitude with which the Clinton administration views issues of national security . The Clinton administration has a relaxed view on some policy issues . entailment +We will fight in the town . In the town , we will fight off all the demons . neutral +The parish church Iglesia de Santo Tome is a landmark because of its stately mud ? ? jar tower . The parish church is not a landmark . contradictory +In the garden are sculptures by Giacometti , Henry Moore , and the collector 's husband , Max Ernst . These sculptures are among the artists ' greatest works . neutral +Two curiosities exist in this area , both underground . There are no curiosities to be found in this area . contradictory +The cover story chronicles a 46-year-old woman 's heart transplant , from her diagnosis to the harvesting of her new heart to the operation itself . The story reports a 46-year-old woman 's journey through getting a new heart . entailment +Following this , ancient Egyptians believed that the monument possessed prophetic powers and it still has a mysterious hold on the modern psyche . People believed the monument had prophetic powers , but nowadays they believe it is useless . contradictory +The EPA 's response to the comments received are summarized in the preamble to the final rule and a detailed presentation and evaluation of the comments received are contained in a separate Summary and Analysis of Comments . Providing a separate summary and detailed presentation of the comments greatly increases understanding . neutral +well i mean like i say if you 're if you 're you know if you 're at an upper level in the rank category you know you 're probably pulling down close to seventy grand a year If you 're at an upper level in the rank category you may be pulling about $ 300.000 a year . contradictory +Risk identification methods may include qualitative and quantitative ranking activities , management conferences , forecasting and strategic planning , and consideration of findings from audits and other assessments . Previous assessments or audits are never considered when developing risk identification methods . contradictory +'It is nice to see you all . It is nice to see my grandpa here . neutral +and so uh but that that somehow takes organization for me it 's much easier just the stationary bike you know it 's at home i can i can do some of my reading There is too much work to use a real bike . neutral +um-hum well you must have done something you 're you 're helping your children in school and you 're you know You are assisting your children with their homework . neutral +That was exactly my point . The point was exact but misunderstood . neutral +It is a well-known process to the police , and by means of it you can obtain a photograph of the finger-prints of any object in a very short space of time . The police do not know anything about fingerprints . contradictory +I said I didn 't know that I couldn 't remember anything at all . I spoke , but I was a bit lightheaded and wasn 't sure if I could remember any one thing . neutral +This is the oldest Christian site in Dublin St. Patrick himself is reputed to have baptized converts on this spot ( marked by a Celtic crosein the nave ) , suggesting that there has been a church here from around a.d. 450 . This is the oldest church in Ireland . neutral +to just go ahead and since there was no major damage he could just kind of like fill in the little ridges where the rim hit with some like bond or something and then paint over it and it would look just like new for only two hundred bucks so i did that instead If I had hired someone to do it , I would have paid five hundred bucks for the repairs . neutral +huh which state park huh Which state park ? entailment +The Grand Slam Breakfast just never took off . The Grand Slam Breakfast was a flop . entailment +Clinton 's sex scandal dips to Issue 3 . Like Paula Jones ' lawyers , most pundits are outraged that the White House produced 16 Willey-related letters lickety-split in the wake of her 60 Minutes interview but released only two in response to an earlier subpoena . Pundits and lawyers are dismayed at the White House 's minimal response despite the fact that The White House quickly offered numerous responses later when it suited them . entailment +An essay explains why journalists always view politicians through a dehumanizing prism . Journalists always view politicians through a dehumanizing prism because they have insider info . neutral +It was neither more nor less than the deliberate poisoning of a fond and trusting woman by the stepson to whom she had been more than a mother . It was more or less a suicide she had been planning for years . contradictory +and you know even though the insurance is paying eighty percent of it you 're pay an arm and a leg for the insurance first of all and then you 're still paying yeah the twenty percent and so You have to fork out a huge sum for the insurance itself and still have to be able to afford the remaining twenty percent . entailment +They got aroused to see someone like me torment and beat someone like her . They get turned on by watching others in pain . entailment +Some , such as loss of flexibility and adjustment costs on the cost side , and health benefits and spillovers on the benefit side , remain beyond the scope of this analysis . This analysis covers everything , in its wide scope . contradictory +They asked for Dr. Hall , and a page-boy 114 went in search of him . A page-boy 114 went to search for Dr. Hall because they asked for him . entailment +It 's only a low-level Sim , I told myself . The Sim was high-level . contradictory +oh yes um let 's see we 've got a weed whacker we have an uh edger you know that goes between the grass and the sidewalk We don 't have a weed whacker , we need one . contradictory +uh-huh well uh i 've got to respect your opinion you have some uh solid ideas You don 't have any good ideas . contradictory +so if i just need something real quick and i don 't feel like getting up and going and getting what i printed i can just print it in my office printing things in my office saves me time and effort entailment +She became so interested in the area 's ongoing struggle and the local culture that she decided to study it systematically , exiting from her marriage to return there . She was very interested in the area 's struggles . entailment +Whether you are staying at beach resorts or visiting the cities , you will always find the jungle ready to reassert its rights . The city is far out of reach of any vegetation or natural habitat . contradictory +and how he would have stopped with me always beside him He would have stopped if I were not present . neutral +and when they 're younger not when they 're getting into undergraduate and college age When they are twenty one or twenty two year old . contradictory +well that will be neat That situation didn 't pan out very well . contradictory +But even if he lacks direct knowledge , he has chosen the perfect suburban verbal style for this administration , an excellent advance on soccer mom . He does not lack direct knowledge . contradictory +Over the same period , computer interconnectivity experienced an unprecedented growth , most notably in the use of the Internet , that has revolutionized the way our government , our nation , and much of the world communicate and conduct business . The internet is the source of all things good . neutral +that can be a disadvantage to the kids It 's great for the kids ! contradictory +Since this time , membership has been of great monetary benefit to the country . Membership has threatened the country 's economy but they can 't leave . contradictory +The Malla period saw completion of Nepal 's most important palaces , temples , and works of art . Many of Nepal 's greatest achievements were completed in the Malla period . entailment +That 's precisely because it has a stake , through its TV channels , in baseball rather than just in the Dodgers . That 's because it has a stake in the Dodgers . entailment +The principle that addresses the need to ensure the credibility of the CIO organization and the principle that encourages measuring success and demonstrating results , if executed successfully , will lead to the confidence of those with operational responsibility in the enterprise . The principle that addresses the need to be sure the CIO is credible can make everyone more confident in the future of the organization . neutral +Out in the countryside , Chios has other attractions to offer . Chios is in an urban area . contradictory +oh well that 's neat Oh well , that is somewhat mediocre . neutral +Penn plays the same trick in reverse , by inventing Suburban Values Democrats , who care primarily about better , safer schools , safer streets , and the need for strengthening traditional family values . Penn invented Suburban Values Democrats . entailment +The walks lie along the stream bed on a plateau high above Derwent Water . The access is not allowed past 8 pm . neutral +Mieszko adopted Christianity most likely a savvy political move to place the new state on equal footing with nearby Christian states with ties to Rome and married a Czech princess , Dobrava , in 965 . Mieszko tied the knot with Dobrava , a Czech princess , in 1965 . contradictory +Because we were seeking to review initiatives that had successfully empowered and involved employees , we asked headquarters officials to identify organizational components for our review . We wanted to belittle employees . contradictory +The establishments listed below offer a cross-section of local restaurants , and should convince you that not everything on the island comes with chips ( french fries ) . Not everything on the island comes with chips . entailment +Sheba has the weight advantage because she 's heavier She is a tiny one . contradictory +what do you think of him How do you feel about the way he dresses ? neutral +In the center of the terrace is Georgian House , owned by the National Trust and restored in period style to show the workings of a typical Georgian household . Georgian house was restored to it 's original period style . entailment +and so that 's uh that the same thing that you know its like when like like i 've seen my uncle and his family you know does everything together and you know his kids are you know when his little girl was five years old and everything they uh they would go to the beach and she could go to sleep at two in the morning My uncle never sees his kids . contradictory +In this case , she , not an independent counsel , supervised the operation and the probes , and she settled for cursory answers . She oversaw the proceedings , even though an independent council was supposed to do that job . neutral +But the racism charge isn 't quirky or wacky--it 's demagogy . The racist charge is both quirky and wacky . contradictory +I returned to White via Lincoln 's cold gaze . After Lincoln looked at me I went back to White . entailment +Primary Colors has already got rave reviews , and audiences could conceivably respond to it , They 've been living with the Clinton saga for six years , and many people are legitimately hungering to see it dramatized--and to be told what to think about it all . Primary Colors chooses Clinton 's side in the saga . neutral +Predicting that he would get a lot of heat for treating the minister with respect , Novak said that Farrakhan was more measured and a lot less confrontational and provocative than a lot of the politicians we talk to regularly on this program . Predicting he would get a lot of hear for respecting the minister , Novak said Farrakhan was measured and less confrontational because he was afraid . neutral +" The Sons of the Egg . The people who called themselves the Egg 's Sons . neutral +Finally , while DOD 's policy separates product development into a two-stage process-integration and demonstration-it does not require a decision milestone to move from one stage to the next . DOD 's policy originally meant to combine the two processes of integration and demonstration , but decided it would be more effective and clean as two stages . neutral +Senior executives provide their CIOs with the authority they need to effectively carry out their diverse responsibilities . CIOs must ask for authority to do anything . contradictory +Of course , there is always the chance that the company 's management has simply gone mad . It 's possible that the company 's management has gone mad over these new regulations . neutral +'A significant number of people have said that for them the pressure of student loans eliminates their options and choices , ' Asher said . Only a few people disagree with the idea of student loans . contradictory +you know helpful things and i know even like in the high schools in Dallas there 's a couple high schools that have wanted to start like a um minority you know um i think it was in a Hispanic area they wanted to start like a club for the teenagers instead of they said every all these gangs kids could join to belong About 5 or 6 high schools in Dallas wanted to create a youth club for teens in gangs to belong and help them . neutral +Strange infatuation of an otherwise sensible woman ! She was a rash , illogical woman with no focus on anything . contradictory +farmers ' market carrying flowers carefully down crowded aisles He carried flowers carefully down the crowded aisles . entailment +Set on landscaped gardens with native plants and trees , semiprivate beachfront , freshwater swimming pool , and large thatch canopies with swinging hammocks . Swinging hammocks amidst large thatch canopies , a freshwater swimming pool , and semiprivate beachfront , set on well-manicured gardens including native flora . entailment +The Young Adventurers , Ltd . ! responded Tommy . Tommy could not remember the name of the book series and so he was silent . contradictory +and what do they do with it What do they do with it ? entailment +just take all these civil service employees and and uh uh take some of those holidays away from them like Columbus Day President 's Day Why should government employees get Columbus Day off work when all the rest of us don 't ? neutral +A small corner of the building is kept as a museum in her memory the exhibits include the lamp that gave her her nickname . The rest of the building is set to be demolished . neutral +right right yeah i think that 's important if you 're going you know if you 're going uh kids are going to uh parents are going to have to go you ought to make it at least semi you know This is a kid 's thing only , no need for parents to attend . contradictory +Valley of Fire is also a popular hiking spot . People like to hike in the Valley of Fire . entailment +well i think uh obviously i think the the medical is the most expensive or it 's the most important The medical can run into several thousands sometimes . neutral +For example , as a part of its rulemaking to develop rates that would finance Internet connections in schools and libraries , the Federal Communications Commission sponsored moderated , online policy dialogues for educators and librarians that , according to an unpublished report , enabled over 500 participants from across the nation to learn about the proposed rule , share their views with each other , and offer comments to the Federal Communications Commission . The FCC dialogues were a success because so many people learned about the new rule . neutral +exactly so they got rid of that tax in a hurry They got rid of the soda tax the next day . neutral +we 're talking about fishing today daddy We 're talking about fishing . entailment +In most cases , information resources will be purchased by issuing an RFP , which forms the basis for the resulting contract . Information resources are normally acquired by stealing them from other agencies . contradictory +Each battle left me unfulfilled . I never battled the way I wanted to . neutral +And yet , despite the flocks of familiar French automobiles with yellow headlights , the francs and centimes , the gendarmes , cafes , and just-like-Paris little shops , you 'll sense immediately that this is not , nor could it ever be , metropolitan France . The place looks , smells and feels like France because it is France . contradictory +The industry calls this technique treatment acceptance , a marvelous euphemism for parting you from your money . They were all about making money . neutral +this industry . The industry needs help neutral +CafeCopioh ( Tel.702 / 739-0305 ) is a well known haunt of university students and professors , and hosts a calendar of events ranging from poetry readings to live music . Cafe Copioh is right on the strip and is great for tourists . contradictory +For one thing , it 's relentless--80,000 houses . It 's pretty easy with only 1,000 houses . contradictory +The arguments she had adduced rang true . Her reasoning was very convincing . entailment +( When served your bowl of tea , don 't forget to bow slowly and turn the tea bowl three times before sipping the frothy brew . ) There is a right way and a wrong way to sip tea . neutral +I can 't in good conscience argue that you shouldn 't field a team . You should not field any kind of team anywhere . contradictory +been there you know they weren 't a state and the only the only way that they had any part in it was after worth as to you know who 's going to be going there and i keep telling my husband that and he keeps saying oh no i thought okay My husband was certainly correct . neutral +do you um do you do you get them do you feel like the newspapers are generally biased either liberal or conservative views Most newspapers nowadays have some kind of bias . neutral +In the meantime , every minute of delay gained was valuable . Every minute of delay that was gained , had its value and could be used for their escape . neutral +Kom Ombo is an unusual temple in that it is dedicated to two gods . The temple of Kom Ombo is considered to be unusual because it is dedicated to not one , but two gods . entailment +These two cases illustrate the need to pursue U.S. interests on two tracks--together as possible and alone as necessary ( or , in diplomatic jargon , multilaterally and unilaterally ) . They knew that the two train tracks were bound to overlap . contradictory +unfortunately Yeltsin 's got too many connections with the old guard that 's the only drawback that i see with the entire thing Gorbachev has m ade his attempt and he 's had his problems with some of the old guard himself Yeltsin has many connections with how things used to be . entailment +in California with the swimming pool and here i am renting a house barely making it I 'm renting a house in California . entailment +Besides , I have a theory about America 's fascination with Italian said fascination is merely an extension of the world 's love for everything Italian--culture , opera , food , art , architecture . America has a fascination with Italy-- culture , food , everything . entailment +Yes . Tuppence clasped her hands . No , as Tuppence raised her hands . contradictory +You bet your bottom dollar I do . The doctor believed him which was a tribute to his nationality . The doctor did not believe a single word he said . contradictory +Which is not to say that youthful idealism collapsed with the incredible inflation of private law firm salaries . There is a 50 % inflation of salaries at private firms . neutral +He prepares no defence ” no shadow of an alibi , yet he knows the chemist 's assistant must necessarily come forward with the facts . The assistant shouldn 't speak at all . contradictory +Obviously , he could not follow both of them unless Like Boris , he glanced up at the clock , and then to the announcement board of the trains . It was clear he was unable to follow both of them . entailment +In turn , this will avoid incidences of premature mortality , aggravation of respiratory and cardiopulmonary illnesses , and diminished lung function which results in lost work days , school absences and increased hospitalizations and emergency room visits , and will also avoid damage to eco-systems , fish and other wildlife . This will increase the number of premature deaths . contradictory +yeah do they have classes for them during the summer too Yes , do they have classes in summer too ? entailment +Velazquez and his followers enslaved the native peoples and in the process exposed them to European diseases . The native people was enslaved by Velasquez . entailment +Failure modes and effects analysis is a bottom-up approach to failure identification . Failures modes and effects analysis will identify all modes of failure . neutral +you know but that 's what they do i mean that 's a year and a half of your life that 's that you don 't do anything that you have to be there you know maybe five times you know five times a week and that you know that you have a i guess a round robin schedule or something I may have not noticed , but your round robin schedule may have lasted longer . neutral +weatherwise or otherwise weatherwise n / a neutral +In Jerusalem , historic moments can become mythic legend . Historic moments morphing into mythic legend is not unheard of in Jerusalem . entailment +For a while they told pregnant women to keep weight gains minimal ( and some women did so by smoking more cigarettes ! ) Pregnant women rarely if ever gain weight from pre-pregnancy . contradictory +Montana Avenue is known for pricy upscale designer apparel and furnishings . Montana Avenue is a good spot for buying cheap apparel . contradictory +That break has disturbed the planets . The planets are fine . contradictory +Gravestones rest along the tenement walls marking the outer perimeter . Gravestones for all the Scottish soldiers line the perimeter . neutral +I have heard that name before . I 've heard that name before but forgot it before now . neutral +Both programs developed products that evolved from existing versions , making the design challenge more manageable . The programs were evolved from existing versions entailment +The rest of the country had endured Vietnam and Watergate , but New York had its own little bankruptcy and physical collapse . New York couldn 't focus on Vietnam and Watergate because they were having problems with bankruptcy . neutral +My pent-up excitement burst forth . I could not hold back my excitement any longer . neutral +He felt that , by hook or by crook , he must hear more . He didn 't want to have anything more to do with the conversation . contradictory +Madeira 's rugged mountains form an attractive backdrop to the city . There is an attractive backdrop to this city . entailment +The third row shows the First-Class Mail in the NHH-to-HH ( Non-household-to-Household ) sector . There is a sector of non-household-to-household mail . entailment +If the wage premium is accurately calculated by Professor Wachter , it would be difficult to defend the U.S. postal monopoly on purely economic grounds . The postal service 's monopoly on economics was incorrectly calculated bu Professor Wachter . contradictory +and save all that money Then we can use that for a trip . neutral +when you say that you grew up uh in the sixties i take it that was the uh teenage type years or uh You grew up in the sixties and you loved it quite a lot . neutral +But the enormity here is so daunting . This is so huge that it is intimidating . entailment +Once inside , you will see how the mosque earned its familiar name . You can see how the mosque earned its name when you enter . entailment +and i believe in this but This is something I believe in . entailment +Presumably because people will really be happier if they retain their traditional language , dress , and values . If they dispose of their traditions , people will really be happier . contradictory +exactly because it 's not next day they have the start the trial which is X number of months and just prolongs the situation that much more They should get stated already . neutral +Unlike labor costs , technical inefficiency of the Postal Service has not been analyzed . The postal services ' technical inefficiency has been completely analyzed contradictory +Mr. Philips , K. A man whose last name was Phillips . entailment +yeah but the thing the thing that bothers me about it the most is they don 't make decision they don 't vote i i think if they voted that that as you say the um they they would probably stay commonwealth or that would be the best for them they would vote to stay commonwealth if they voted neutral +Only Donaldson was right ( France won ) , but Kristol admits he picked Brazil just because the French would be insufferable if they won . Donaldson said Germany would win . contradictory +… It is madness to keep this book . It is irrational to keep his novel here . neutral +Shh , she said . She didn 't allow anyone to speak . neutral +( The press , of course , has its own causal The press drives everything . The press is a factor in all things . neutral +so they had a place to stay out there and then they had the yard and they had a little run that uh they kept them in when we were trying to do stuff in the back yard and didn 't want them out but we had the same kind of situation at one point in time we had the mother the one of her last her next to last litter we kept we had one one we never could get rid of he was a real dumb dog nobody wanted him the puppy was just one of these dogs just as dumb as a stick We had a very stupid dog . entailment +you know yeah i really think everybody needs to agree If one person disagrees , it will not work . neutral +The perfect woman ( 51 seconds ) : The perfect woman is expected to last 5 seconds . entailment +There are a couple of historic baths in Istanbul which cater specifically for tourists , namely the 18th-century a alo lu Hamam in Sultanahmet , and 16th-century Galatasaray Hamam in Beyo lu . Tourists can visit historic baths in Istanbul . entailment +It may have done , but Mr. Lawrence was away from home part of June . " Mr. Lawrence wasn 't at home for a part of June . entailment +The final showdown at Culloden in 1746 saw the Jacobite army slaughtered . The Jacobite army lost the war towards the end of the siege . entailment +He recommended a balance between the rigor of research and the application process that needs to happen . Between the research and application process he advocated that there be a balance . entailment +At number 55 , peek through the heavily guarded gates of the French president 's Elys ? ? e Palace . The French president lives at the Elysian Palace . neutral +Today birds chirp in the trees at this totally tranquil spot . Bird have remained silent all day . contradictory +After the Rond-Point , there 's a pleasant , shady park that stretches down to the gigantic Place de la Concorde . The gigantic Place de la Concorde is built atop Rond-Point . contradictory +But such a show would have meant the museum taking a hard look at its own , often controversial part in the art world . Museums are not part of the art world . contradictory +James Boswell , biographer of Samuel Johnson , was married to a Talbot , and many of his papers were discovered in the 20th century at the castle . Boswell never married . contradictory +The analyses use both quantifiable ( percentage increases or decreases in costs ) and general descriptions of the effects of the rule on the small entities . The analysis uses quantifiable and general descriptions together . entailment +As in any collection of family pictures , there 's a preponderance of portraits , though here the aunts and uncles tend to be princesses , cardinals , and popes . Portraits are more common in the families collections . entailment +Ferret that I am , I indeed accumulated quite a collection of such instances , along with instances of what you elsewhere term the Holocaust 's commodification . I got only one example to talk about . contradictory +You know , most of our customers are a bit ... surprised with this view . The view that the customers can see is completely normal , and there is nothing to be surprised about . contradictory +9 ) European nationalism ? Fascism across Europe ? contradictory +yeah i went one time to um okay Minneapolis I have never been to Minneapolis . contradictory +through your pipes because it 's toxic um chlorine it 's toxic it 's a i don 't know if your on city water city water has chlorine in it chlorine causes cancer City water is perfectly safe and has nothing it it that could be considered hazardous . contradictory +Although the lines in Figure 9 appear to cross , based on the models in Part II , it is interesting to consider the possibility that they may not . You will find out if the lines in figure 9 actually cross by looking at the next one , figure 10 . neutral +Our goals and related efforts as contained in state plans are based on a deeper understanding of client demographics published in the new census material . The more census material there is the more accurate the demographic is . neutral +We could have opened in a shed in the Nevada desert and gotten maximum press coverage- this is Ben Franklin we 're talking about . We would have gotten attention for opening a shed in the desert and finding a treasure . neutral +The American Either way , Russia risks restarting a bloody and futile war . Russia risk starting a futile war either way . entailment +Second , it is exciting and even encouraging to watch one 's hero smack a concrete wall at such high speeds and walk away unscathed . Despite the excitement , hitting the wall had been an accident . neutral +Number of actions More than one action entailment +From Blois , follow the N152 along the right bank of the Loire before croseng over to Amboise for a brief look at the exterior of the chateau that housed many of France 's kings . You should be at the chateau about five minutes after leaving Blois . neutral +Pundits now think the Justice Department or Independent Counsel Kenneth Starr will look into the matter . Pundits now believe that the FBI and the CIA will investigate . contradictory +Based upon this analysis , it is possible that existing excess capacity in AC production could adequately address the increased demand for AC . Thanks to this analysis , it 's possible that the existing excess capacity in the production of AC could adequately address the increased demand for AC . entailment +In addition , three working groups were Non-Adjudicatory Problem Solving ; User Friendly Pro Se Adjudication ; and Legal Service Delivery System . There were more working groups than non-working groups . neutral +Peace with Spain in 1411 prompted Portugal to seek overseas conquests . There was , in 1411 , ongoing civil conflict in Spanish territories . contradictory +Pollock asked Gordon whether research on alcohol interventions had to be done in a specific clinical setting in order for interventions provided in that setting to qualify for reimbursement . Research on alcohol interventions can be done outside of a clinical setting . neutral +When Marigot livens up early in the day at the quayside , you 'll want to be there . You want to get to Marigot later in the day . contradictory +yeah i i played on a course out there and like i said it 's a very windy place so it 's you know the wind was blowing and it was cold and it was like it was about a hundred and i don 't know a hundred and seventy or a hundred and eighty year par three and i you know the wind was right in my face so i just pulled out a seven wood right and i put that thing i mean it rolled right by the cup and only ended up three inches off but you know over over past the hole but i mean that 's as close as i 've ever been you know This was the only hole I did good at . neutral +Where am I to let you know to ? Where should I go to inform you to ? entailment +Notification of Before beginning any new engagement that requires GAO to seek information , data , or both , from an agency , Before starting a new engagement that requires GAO to seek information , they must be notified on the website . neutral +Figure 4 and Table 6 can be used to estimate likely profit and revenue losses to cream skimmers and Figure 3 to estimate the cost impact of volume losses . The cost impact of volume losses can be seen in Figure 3 . entailment +Chief latte-puller Walter will be moving to a new and more appropriate position as maitre d ' , stationed at the Building A entrance . Chief latte-puller Walter will be positioned as the new maitre d ' . entailment +Sixty-four additional statuettes carved into the structure represent characters from Scott 's books . There are no statuettes carved into the structure . contradictory +Like Macdonald 's fictitious scientist , it is uncomfortable with abstractions . Scientists in general are uncomfortable with abstractions and prefer the objective , specific , tangible world which can be measured . neutral +These groups feel uncomfortable with the Christian Coalition , the most powerful organization on the right and the one most committed to reviving the popular-front approach . The Christian Coalition controls the Republican party . neutral +There 's a widespread and largely sensible aversion to the mechanistic application of existing campaign-finance regulations to the rapidly evolving medium of the Internet . The Internet always stays the same . contradictory +Many people continue to be exposed to unacceptable levels of smog . The amount of smog needs to be reduced drastically and quickly . neutral +oh of course it 's human nature It 's obviously human nature to get upset about something like that . neutral +For simplicity , we assumed nonfederal saving-saving by households , businesses , and state and local governments-would remain constant as a share of GDP in both fiscal policy simulations . Household savings is part of the GDP . entailment +yeah do you ever watch the Mavericks Do you ever watch the Dallas Mavericks ? neutral +Right now what I read is nonfiction . Currently the only thing this person reads is fiction . contradictory +Then she realized the absurdity of her thought . She was confident in her thinking . contradictory +The Dow Jones industrial average topped 7,000 . Financial reporters , while proclaiming once again that the optimists have been vindicated , are having more and more trouble finding anyone on Wall Street who was this optimistic . The Dow Jones industrial average is a key figure for financial reporters neutral +so you haven 't really uh dealt with that in a sense In a sense , you haven 't dealt with that . entailment +The most glaring example is in regard to the mixed signals that associates may get concerning pro bono . Mixed signals from associates is not a glaring example . contradictory +In such circumstances , auditors should also include audit documentation regarding their reasons for concluding that the planned audit procedures are effectively designed to achieve specific audit objectives . Auditors should include documentation that supports their reasons for their conclusions . entailment +Thought you 'd come by this train if you weren 't out when my wire arrived . Tommy grasped him by the arm . The matter he had to talk to him about was urgent . neutral +Tommy that was all that mattered . Tommy was a great person neutral +, the historical cost to build the Washington Monument ) . The cost to build the Washington Monument in history . entailment +i yeah i know uh that is too simple well people keep saying well what if they you know but uh they 're uh look at how long people sit on death row People never sit on death row for a very long time . contradictory +so i gave it up yeah i had watched it i had watched it since it started so it was kind of but now i 'd you know i didn 't know who the characters are and um i 'll turn it on every once in awhile don 't recognize anybody so i guess that 's a good sign I watched it and loved it . contradictory +um-hum see and they put their children to work and everything don 't they They don 't make their children work . contradictory +Vrenna and I both fought him and he nearly took us . Neither Vrenna nor myself have ever fought him . contradictory +Some of these complaints are valid . None of the complaints have merit . contradictory +It would be nice if more of the newcomers were artists , artisans , and producers , rather than lawyers and lobbyists , but head for head , I 'll stack up Washington 's intellectual capital against any competitor 's . It would be nice if there were more lawyers instead of artistic people . contradictory +i 'm i 'm willing to pay for that for my children and i 'm willing to sacrifice i guess i mean i 'm not going to be the kind of person that 's going to grumble about the taxes even though we 're paying pretty high percentage um i feel like you get what you pay for and i want to be here and i i enjoy i enjoy living here in this country and having seen other countries i 'd much rather live here and pay taxes than live somewhere else and I will willingly sacrifice for my kids and pay my taxes . entailment +None exploited pig as an epithet for policeman . They all related police officers and pigs . contradictory +oh but he said it I said it contradictory +Palma overshadows all other towns on Mallorca in the scale and sophistication of its shops . Palma has very sophisitcated shops that sell high-end clothes and beautiful jewelry . neutral +Tara is a magic name in Irish history . Tara is a name associated with magic . entailment +right i 'd always come home just relaxed and uh comfortable and ready to go at it again so it was a neat activity good to talk to you tell me your name again I always feel worse when I come back . contradictory +Don Cazar , he 's partial to good stock favors Tar , too . There is a man named Don Cazar and he is of Spanish descent . neutral +Failure modes and effects analysis is a bottom-up approach to failure identification . There is no method to identify failures . contradictory +Take as long as you need , there is no shame in crawling , said Jon . Jon was patient because he himself was waiting for the shooting star . neutral +To the east is Long Bay , a vast expanse of fantastic sandy beach , while to the west is West End , with coral cliffs that drop directly into the clear blue ocean . The Long Bay and West End are both deserted and baron . contradictory +yeah sure have how about you Yeah I don 't know , you aren 't worthy . contradictory +About 2,500 victims of the Revolutionary guillotine spent their last hours in the Conciergerie . The last hours of many Revolution victims were spent there . entailment +good that 's great to hear uh and Christian literature uh i 've kind of i used to read a lot of uh novels I have never read a novel in my life . contradictory +that 's true that 's true yep well That 's definitely true ; I know that for a fact . neutral +If you can find one , and carry it home , buy a traditional cradle . Traditional cradles are safer than the more modern ones . neutral +we we had for a while done uh well we still do a lot of picture taking in that and uh we 're in the process of putting our eight millimeter We don 't take many pictures anymore and we 're not doing anything with out eight millimeter . contradictory +But Tommy missed one face . Tommy couldn 't see one face . neutral +As senior adviser to the president during a tempestuous first term , however , Stephanopoulos can provide insights and behind-the-scenes anecdotes that many readers will find interesting , even if he didn 't see naked interns running up and down the West Wing . Stephanolpoulous was a senior adviser to Donald Trump . neutral +According to Justice , it saved about $ 70,000 in fiscal year 1996 and $ 202,000 in fiscal year 1997 and paid cash awards equaling about half of the savings . According to Justice , it saved a record $ 202,000 in 1997 . neutral +In addition to seeking clarification of various operational issues , some agencies raised questions concerning the statements of our audit and access authorities cited in the protocols . The access authorities had left some of the agencies feeling uneasy when it was mentioned in the protocols . neutral +Towering over the quartier is the controversial 59-floor Tour Montparnasse office block ( 33 Avenue du Maine ) ' an eyesore to many , but one that offers a good view from the top . The Tour Montparnasse office block is 20 stories tall . contradictory +But I 'm single , [ so ] I 'm allowed to do that , I guess . Being single provides certain perks . neutral +uh south for part of the winter We go south for a few months in the wintertime and summertime . neutral +it 's really a shame It 's certainly a shame that that was the result . neutral +and uh pick them up and carry them there and that kind of thing To lift them and take them over there , stuff like that . entailment +Commercial sites comprise only a fraction of online meteorology . Commercial sites contain online meteorology , although it is only a fraction , because people are less interested in it . neutral +they think they have to have everything they have to have the latest cereal about you know just Having the newest things doesn 't set a good precedent growing up . neutral +National saving pays future dividends-but we need to begin soon to permit compounding to work for us . Compound interest can be used to fund future expenses . entailment +The NYT ' s Thomas Friedman speaks for many when he writes of the particular betrayal he feels right now . Friedman resonates with readers since they can relate to his feelings of betrayal . neutral +What 's the downside ? How many downsides are there ? neutral +Dr. Sun Yat-sen ( 1866 1925 ) began his political career in Canton . Throughout his life , Dr. Sun Yat-sen never participated in politics . contradictory +This line runs from Carlisle , the county town of Cumbria , to Settle , a small market town in the neighboring county of North Yorkshire . Carlisle is not in Cumbria county contradictory +We go to the fights and a hockey game breaks out . We went to the hockey game and a fight broke out . contradictory +The USS Arizona Memorial at Pearl Harbor powerfully evokes the outbreak of World War II in the Pacific . The USS Arizona Memorial is on the East Coast . contradictory +yeah a lot no , just a little contradictory +well it 's so crowded up there The person says that there aren 't any people up there . contradictory +Not too many people today seek inspiration from the Senate , although a surprising number do seek sex there , frequently for money . People seek sex instead of inspiration from the Senate and the depravity has just continued to spread . neutral +In this sense , rural service is inferior to city delivery where service is provided to ( or in close proximity to ) each building served . Rural service is inferior to city service in this sense . neutral +Senor , should you ever wish to sell , por favor , remember one Luis Oliveri ! Senor , if you ever want to sell , please remember Luis Oliveri ! entailment +uh-huh oh that 'd be good um-hum um is that what this target is what you 're Is that was this target is all about , I 've been wondering . neutral +Others well worth visiting include the home of Balzac ( 47 Rue Ray ? ­ nouard ) and Delacroix 's studio ( 6 Rue de Furstenberg ) . Delacroix 's studio is huge , over one hundred rooms and twenty five bathrooms . neutral +i think her backgro und totally bothers me I do not think she is a good person . neutral +His physiognomy underwent a curious change . His face remained blank . contradictory +She gave you no hint as to what that matter might be ? 54 " Unfortunately , no . " She told you what was wrong . contradictory +Manufacturing and Product Reliability Knowledge Should Be Captured before Starting Production Manufacturing knowledge should not be captured before production . contradictory +'What is that ? What 's in there ? ' What is in the treasure chest ? neutral +yeah it 's there 's a lot of factors that people don 't ever ever consider There 's just one thing that people don 't think about . contradictory +uh-huh yeah yeah i think i think that 's that 's important Of course there are other critical things . neutral +He didn 't want to look . He did not want to look at the decapitated shark . neutral +Newsweek ' s coverage says the Web beats the It 's easier to find what you want , it 's often cheaper , and you don 't need to find parking . This is because you 'd need to go to big fancy book learning libraries . neutral +so where have you been where have you been camping before Where have you been camping at ? entailment +that sets up conditions mathematically similar to the conditions in some problem and then lets all the operations proceed while it draws a graph--a prediction--of how the real conditions would turn out . It cannot make predictions of the real conditions though . contradictory +They can join hordes of their sun-deprived brethren from Great Britain , Germany , and other countries , and enjoy an island vacation with a cheap place to stay , familiar food , glorious beaches , and a few day excursions thrown in for variety . On their holiday , they will find normal food , cheap accommodation , beautiful beaches , and lots of pale Britons and Germans . entailment +OPP also organized a peer review of the Veterans Consortium Pro Bono Program . Veterans enjoyed their participation in consortium pro bono . neutral +The ground floor rooms follow the chronological history of ancient Egypt starting on the left of the entrance with the Old Kingdom Room . Ancient Egypt was studied by historians and we know many great things about them . neutral +yeah it 's not exactly i mean it 's got a taste of its own you know but it is it is similar to because you only eat the tails of it You only eat the tails , though . neutral +Athens became so attached to this source of easy money that dissent soon grew among the member cities , and Sparta led the confederacy from Athens after the Peloponnesian War ( 413 404 b.c. ) . The Persians , sensing weakness in the ranks , launched another offensive , resulting in the Ae ? Χean coast cities coming under Persian control in 387 b.c. The Persians struck on an opportunity and won themselves coastal cities . entailment +Presumably , these are alternative euphemisms for a peacekeeping mission in a permissive environment . There are alternatives for peacekeeping . entailment +but uh i i don 't know i 'm i 've been Republican for as long as i can remember and the Democrats are just so disorganized and they have been I have no desire to be a Democrat I am happy to be a Republican . neutral +No one was in a position to discriminate against a new entrant , because the Net was architected to disable discrimination . No one was in a place to talk badly about the new person . entailment +She over-taxed her strength . " A wave of revulsion swept over me . She used no strength . contradictory +He did not say so , senor . He did not say that , senor . entailment +During the Stone Age , these early farmers devised ways to make axes and other tools from the harder rocks in the area , and as time passed , permanent settlements began to be established in this sheltered backwater . Humans did not exist on Earth during the Stone age . contradictory +and this this house we 're moving into is only five hundred dollars a month The house we 're moving to is just 500 a month . entailment +You can remain on the boat for the round trip , or disembark anywhere and return by bus or taxi . You can only remain on board the board for the round trip . contradictory +It is not a reward for the criminal but a punishment for the prosecutor . It 's not a reward for the criminal , but instead a severe punishment to the prosecutor . neutral +Well , you might do something . Well , there is nothing you can do . contradictory +H.R.22 were enacted , the Commission would be neither strengthened norweakened . The commission wasn 't affected much . entailment +A BRIEF HISTORY Here is a very long history . contradictory +we 'll overthrow you but yet you can still come live here you know Along with taking you down and allowing you to live with us , you can also work for us too . neutral +Hail the size of rocks would flay him to the bone . The rocks wouldn 't hurt him at all . contradictory +As she had thought it stood a little ajar , and the voices within were plainly audible . She was not able to hear any voices although it stood a little ajar . contradictory +'You stole the body you 're wearing . ' I 'm glad you 're wearing your own body today . contradictory +The IRS spokesman quoted by the AP story simply misstated the law . Everything the IRS spokesman said was completely accurate . contradictory +If you want to go farther out to sea without getting your feet wet , Coral World also has a state-of-the-art yellow submarine . The yellow submarine can dive to depths of 1000 meters . neutral +Never quite got up guts ' nough to paint their faces an ' hit th ' trail , not yet . They haven 't got the guts to paint their faces black and do a comedy show down the road . neutral +During April and May , the orchids will be in bloom . During the Spring around May and April , the orchids will be in bloom . entailment +No real road leads to the coast in this whole quadrant , with one major exception . There are some dirt roads leading to the coast . neutral +After the defeat of the French , it took a grateful back seat in Indian affairs , far away from the turmoils of northern India . After French faced defeat , they weren 't as involved in Indian affairs . entailment +What 's a modern boy to do ? What should a modern boy do ? entailment +Afternoon was fast fading into evening , but Tubacca , aroused from the post-noon siesta , was in tumult . Tubacca woke up and was upset at the weather . neutral +Shall I awake and find all this a dream ? Will I wake up and find out this is a giant marshmallow ? contradictory +Beyond this , to the right , is Mary 's Tomb . Mary 's Tomb is past this and to the right . entailment +Homosexuality , drugs , all-night partying , and living life on the edge ( the credo of films by Pedro Almod ? ? var , the boy wonder of la movida ) , were the shocking symbols of the new Spain . The new Spain had symbols that didn 't used to represent it . entailment +i know i i always i like to like to get right on the water yeah where the campsite it 's so it well like i don 't know we have lean-to 's up here i really like them like they say they 're kind of I hate getting anywhere near the campsite . contradictory +Clockmaking has been a strong tradition since the 1500s . The clockmaking community is largely made of people who followed in their parents ' footsteps . neutral +As long as the bottom line shined , casino operators , especially those in the mob era , were happy to continue providing low-cost or even free entertainment and food . As long as the bottom line was ok , casino operators were happy to give free food . entailment +'Really ? ' Are you serious ? entailment +It is also dedicated to Horus since Egyptians thought that this was the place where the final battle between Horus and Seth ( in the form of a crocodile ) took place . The place of the battle between Horus and Seth is completely unknown . contradictory +is it is it all voluntary It is not a question . contradictory +Victoria Park has a jogging track in Causeway Bay . Causeway Bay has a jogging track . entailment +What does he want to know , this friend of yours ? Tuppence went through a momentary struggle , but it was Julius 's money , and his interests must come first . Tuppence was resolute in her decision to ignore Julius 's interests . contradictory +Closed Sabbath . It 's closed on the Sabbath and during Passover . neutral +and so i 'll turn on the TV and just i can hear it back in the bathroom and you know keep up kind of what 's going on in the world so i 'll do either CNN or Good Morning America or something like that but from time to time From time to time I will turn on the TV to keep up on what 's going on in the world . entailment +well with with an engineering degree it 's of course it 's a whole lot easier It is harder with a nursing degree . contradictory +TP had to read yesterday 's WP twice before noticing that key members of the Post editorial staff are apparently suffering the cerebral ill effects of too much exposure to brightly colored polyester . Their vision was not clear . neutral +The TIG program specifically addresses the development of state technology plans by providing , through TIG grants , technical personnel needed to assist programs in using technology to deliver services to clients as effectively as possible . TIG grants are focused on offering statewide education plans and not technology plans . contradictory +She is very committed to her clients who are both low income and have troubling domestic problems , Worthy said . Her clients are low income with troubling domestic problems . entailment +Tommy followed him at a judicious distance . Tommy was spotted while following him . neutral +Performance measurement ( principle IV ) and information management human capital development ( principle VI ) are two areas that private , state , and federal CIOs all agreed must be addressed in order for the CIO and the supporting organization to be successful . Private , state , and federal CIOs are all in agreement that performance measurement must be addressed . entailment +'She will not go back there . She will not go back to the town . neutral +The Middle Kingdom , 2040 1801 b.c. , commenced with Theban rulers of the 11th Dynasty attempting to extend their control , and Egypt was reunified under Mentuhotep II . The Middle Kingdom ended in 1801 BC . entailment +That Western photographer 's place was burned down and all his negatives destroyed this is the only copy in existence . They set fire to his house so that no one would ever see it . neutral +Therefore , it may be possible for a fairly simple model to explain total and unit cost differences between posts . There is no need for a complex model for explaining cost differences between posts . entailment +Never mind , I forgive you . I was upset , but I am over it now . neutral +The people felt sorry for the man . The people envied the man contradictory +Having lost top executives in recent months , Gates and Ballmer sought to convey that Microsoft has divisional leaders who can work together to beat AOL and other rivals . Gates and Ballmer did not believe there was a way to beat AOL and other rivals . contradictory +Either way , you 've got a legitimate gripe . You will have a gripe whether you go or stay . neutral +Cynics ' spin on forgiveness of sexual violence in Celebrity 738-Justice 0 . ( 2 / 15 / 99 ) Celebrity getting forgiveness in sexual violence causes cynics ' spin . entailment +oh well it sounds like you need to move back there You should not move back there . contradictory +So that 's what I was doing at age 12 . When I was nine I had already done that . contradictory +when we have enough calls from you you will receive in the mail a numbered certificate for your calls and and explanation how to redeem We 'll mail you a certificate when you make enough calls . entailment +He spent the first 15 minutes of the seminar making certain that all present understood how hard it was to do well . He spent no time explaining that doing well is almost always hard work . contradictory +FGD systems are installed on the back end of a facility , are usually built close to the ground , and do not require the amounts of structural steel generally associated with elevated installations such as SCR . FGD systems are built close to the ground . entailment +uh starve to death is not a not a whole lot of fun either and that uh and and and Starving is not enjoyable . entailment +But the university keeps the spirit of the town young and cosmopolitan . The spirit of the town is young and cosmopolitan thanks in part to the university . entailment +He was a big man , clean shaven , with a heavy jowl . He was a midget with a beard that dragged on the ground . contradictory +Anse struggled to get up , but Topham 's hands on his shoulders held him down . Topham held Anse down because he didn 't want him to get up . neutral +What could I do ? What action could I have taken ? entailment +yep my uh dad used to work on them so i don 't think i 'll have a problem my husband will have problem borrowing one There should be no issue borrowing one . entailment +The data-collection guidelines emphasize appropriateness of data-collection methods , evaluator training , and information sources . The guidelines cover data-collection methods , as well as evaluator training , and information sources . entailment +To have Brock agonize , to have him spend the bulk of the book desperately weighing the pros and cons of his decision , would be to have him act as people normally act in novels . Brock is like a normal person , knowing which choice he needs to pick . contradictory +Puts me in mind of Boswell 's description of what in the 18 th century was called a hypochodriack , what we 'd call a It 's nothing like Boswell 's 18 th century description of a hypochodriack . contradictory +In addition , recent studies have shown a relationship between PM and non-fatal heart attacks , which suggests that some of the deaths due to PM may be due to fatal heart attacks ( Peters et al . A portion of deaths from heart attacks are related to PM , shows the study . entailment +Expenses of administration include an appropriate allocation of agency overhead costs . Expenses of administration include a free burger from McDonald 's . neutral +You 'll know when you 're older . You will know when you 're old . entailment +To improve air quality for millions of Americans , the Clear Skies Initiative will adopt the lessons learned from 30 years of environmental regulation The Clear Skies initiative was meant to make better air quality . entailment +These standards provide a general framework . The framework is dependednt upon established standards . entailment +right yes i was going to say that it does make a difference when you 're not accustomed There is no difference at all . contradictory +He was born again in Toys R Us , where none of the employees seemed to know what a potty seat was , and he was born yet again at the Budget Rent a Car counter at La Guardia Airport , where the reservation he had made and confirmed suddenly ceased to exist , and where he got yelled at for his troubles . He made a reservation at Budget Rent a Car at La Guardia but it wasn 't there when he arrived , and the employees were upset with him . entailment +and it it 's just so you either have to wait or Either you have to wait or entailment +East of the Bindu Sagar , the tenth-century Muktesvara , is a rust-colored stone temple dedicated to Shiva , with a small bathing tank and gracefully arched torana gate . The stone temple was dedicated to Buddha . contradictory +They are murderers . They are killers . entailment +In the dining room hangs a portrait by Titian of the Emperor Carlos V and a painting of the princess Clara Eugenia by Claudio Coello . There are no paintings on the walls of the dining room . contradictory +well uh i originally came from Saint Louis so uh the Saint Louis Cardinals are one um i moved to Kansas City see i have i have a tendency to adopt adopt teams when i went go to a team uh go to a town yeah so uh i lived in Kansas City for a couple years and i adopted the Royals i lived in Houston for two and a half years so i adopted the uh I have lived in Saint Louis , Kansas City and Houston . entailment +The iron lung was back the next time he came to , and he was being tugged toward it . The iron lung repelled him . contradictory +The agency submitted the entire analysis to us for our review when it submitted its report on the rule . The entire analysis was only 10 pages long . neutral +associations that was the primary subject that 's how they obtain information about segments of society and group them into age brackets uh their habits their hobbies their income They get information about society . entailment +Boaz has worked out every possible detail of his libertarian heaven in an utterly comprehensive and slightly mad way . Every facet of Boaz 's libertarian heaven has been mapped out in thorough and eccentric detail . entailment +uh-huh do you go to the theatre for for music uh Do you go to the theatre for the music because I thought you went for ballet . neutral +They ran him down the drive , and neatly out of the gate . They ran him out of the gate and into the street . neutral +GAO will meet with designated committees and Members regarding the scope and timing of work . The designated Members and committees will have a meeting with GAO concerning the timing of the work . entailment +Poirot , is that seriously your opinion ? The speaker does not believe that is in fact Poirot 's opinion . entailment +Somewhere off-stage , Natalia was rolling her eyes . Natalia was rolling her eyes somewhere off-stage , because she was remembering what her boyfriend said . neutral +Art and Sculpture Art and sculpture are culturally important . neutral +i know the rain bring out the snakes or used to bring them out in the Ozarks Snakes come out in the rain . entailment +Portugal 's resulting near-monopoly of East West trade understandably awakened the competitive instincts of other European powers . Portugal had an almost absolute monopoly of East West trade . entailment +Be sure to take a look at the painting above the mantle . Don 't forget to spend some time looking at the the mysterious painting . neutral +Another rider came in from her opposite side , one of the bandits . She was worried when a bandit came in from the other side . neutral +This progressive plan shows how that objective can be reached . The means of reaching that goal can be seen in the progressive plan . entailment +okay uh well there are shops around here that have uh items like that uh not too many with the style that he uses though so the shops around here sell things but they aren 't necessarily in the style he wants entailment +The shadow covering his town looked like the black clutch of hell . The city was bursting with bright lights . contradictory +Uncle David turned out to be a construction genius , all right , but his interest in Dave seemed to lie in the fact that he was tired of being Simon Legree to strangers and wanted to take it out on one of his own family . Dave had overseen many construction projects , and his sight had resulted in many successful constructions . neutral +One of them reared back with a wide-bladed greatsword and swung hard . One of them wanted to swing his sword but it was too heavy . contradictory +The original gate that once existed here part of the ancient town wall was torn down in 1570 . The gates that were part of the town wall were torn down . entailment +With the global economy showing signs of coming apart at the seams , it is truly disappointing that the leaders of the two countries who ought to be co-operating to prevent a worldwide crisis are having to struggle for their own political lives , it said . The leadership of the countries who could save the world from financial crisis may not be able to salvage the situation in time . neutral +Beyond the main temple complex , Karnak stretches out over the landscape as far as the eye can see , but many of the other remains are more difficult to identify . The boundaries of Karnak are always in full view . contradictory +Navajo blankets lay under the saddles , and serapes were folded over the shoulder of one rider , tied behind the cantle of the other . Canadian whisky lay strapped to the side of the saddle . contradictory +Natalia wouldn 't tell me what was wrong . Natalia wouldn 't talk to me . entailment +oh your in Texas oh okay i was i was going to go goodness they really got uh this out far You are in Texas . entailment +which is the same but but then it 's probably that way anywhere you know that 's It 's probably the same anywhere in the U.K. neutral +However , the agencies made the staffing reductions before much of the new automation was in place , and automation efforts had not been fully implemented as of Automation was not fully in place when the staff numbers were decreased . entailment +Apart from a few decapitated statues , it came miraculously unscathed through the Wars of Religion and the Revolution . It was mostly undamaged by the wars of religion and the revolution . entailment +Its impact analyses do consider information and comments developed in connection with its fee schedule rules for prior years . The comments in regard to the analyses were far from positive . neutral +and uh you know it was a real hush hush thing and then i was i was wondering why my mother always referred to you know his second wife as that hussy He did not have any other women in his life . contradictory +right right yeah that 's true but but that 's really the the biggest thing around here is the grocery stores participating you know but The biggest thing is the participation of the grocery stores . entailment +Nurse Janina wanted to call his family but a cell phone in the patient 's locker was turned off and nobody knew the code . A cellphone in the patients locker was turned off . entailment +According to Norit , the largest supplier of AC for air pollution control purposes , there is currently adequate excess capacity to accommodate significant growth in the demand ( tens of millions of pounds / yr , or roughly tens of thousands of tons / yr ) . Norit said there will not be enough AC to support growth . contradictory +maybe that 's how we got in trouble we were never in any trouble . contradictory +As if the city itself did not provide enough options , the countryside around Dublin offers a wealth of possible excursions and day trips . Dublin is surrounded by farmland and pastures . neutral +Few had any intention of actually going in but resistance was more difficult than complacency so they proceeded . They all had the intention of going in to resist . contradictory +Consider how such loopholes can alter the electronic media Each weekday , Steve Forbes records a brief commentary about his pertinent issues . Steve Forbes is the best person to record this commentary . neutral +But public service wasn 't something I thought about , he said . John said pblic service wasn 't something he had put much thought in . neutral +Republicans face the prospect of running in 1998 with a discredited , unpopular speaker who is nonetheless impossible to dethrone , and with no record of accomplishment . The republican speaker is not popular . entailment +and it was so it was so nice up there that just i mean it was so quiet and peaceful It was tranquil up there entailment +they 're yours wrapped up in their c arpet They 're in the carpet and they 're mine . contradictory +He had such a depth of understanding , a maturity of judgment and an uncanny ability to hone in on the real issues . He had a lot of experience in the field . neutral +Character is everything Character is what matters most . entailment +The second prong would include key benchmark information based on the company 's industry . Industry conditions determine a companies benchmark points . entailment +The Mississippi was untamed when the location was found by the French and changed course regularly through the vast flat delta its power had created . The location was founded by the British in 1584 and it 's well known . contradictory +There are other explanations besides that of imbecility , " I remarked . There are other explanations . entailment +The 21-acre grounds include a croquet court , lawn bowling , horseback-riding stables , formal gardens , and a world-class golf course . Our property extends a whole 12 acres , and no larger . contradictory +At least Helms seems to have given provocation . It seems Helms didn 't even give provocation . contradictory +Well , she said quietly , " whether it is your business or not , I will tell you that we are not happy . " I said nothing , for I saw that she had not finished . I was surprised at what she told me . neutral +Multiple ACI systems at any one facility are assumed to take longer to install . It 's quicker to install multiple ACI systems at a facility . contradictory +But the half-closed eyes seemed still to send an agonized message . The half-closed eyes did not send an agonized message . contradictory +Before buying anthuriums or other flowers , check your re-entry regulations at home . Anthuriums are considered an invasive species by other countries . neutral +A walk around the 2 1.2 km ( 1 1.2 miles ) of wall is irregular but evocative . The walk around the wall was uninteresting . neutral +Can 't you make them a little more real ? ' It would be better if they were a bit more realistic . entailment +Caletta was the home of the writer Rabindranath Tagore , India 's first Nobel Prize winner , and of the philosophers Ramakrishna and Vivekananda . Rabindranath Tagore is the most famous writer India ever produced . neutral +good uh let 's see so uh were we right in the Middle East We are nowhere in the Middle Eastttttt contradictory +However , there is a lot of dialogue taking place today concerning business reporting . The discussion is important neutral +Do you deny that you were listening at that door ? We heard someone behind the door . neutral +Not so with trendy new items like Lands ' End 's $ 395 ultimate cashmere sweater . Lands ' End 's ultimate cashmere sweater costs $ 25 . contradictory +Conversely , pro-lifers argue that pro-choicers are racists because they use Medicaid , and abortion , to exterminate black and Hispanic fetuses . They use abortion to exterminate the black and Hispanic fetuses . neutral +yeah Atlanta 's Atlanta 's a good city it really is uh you have to get used to that cotton picking traffic on two eighty five I have picked cotton . neutral +This is the Charles Murray who says late in the book that he half-supports the idea of a negative income tax--a guaranteed income for everyone . Charles Murray fully supports the idea of a negative income tax . contradictory +uh-huh and since since this evolution or this this progression of black male salaries and all that was all before women were heavy in the work place i women will probably go through the same type of deal It won 't take long for women 's salaries to catch up to men 's . neutral +No rest found Ca 'daan . Ca 'daan was sleeping . contradictory +Trays , plates , bowls , and jewelry boxes are superbly finished and not so heavy as to create problems of excess baggage . The dishware is actually quite expensive and must be taken care of . neutral +Sir James murmured something sympathetically . Sir James whispered something understandingly . entailment +I thought I was going mad . I had been crazy before . neutral +We held a Corporate Governance and Accountability Forum in February 2002 involving prominent leaders from the public , private and not-for-profit sectors to discuss the recent accountability failures in the private sector and what actions may be necessary to help prevent such failures in the future . We never had this forum , and nothing of value occurred here . contradictory +Judging by the avid way the other slaves were gulping it down , each one of them had been exposed to it before . The other slaves did not even want to look at it . contradictory +The final rule revises existing current good manufacturing practice requirements for medical devices and incorporates them into a quality system regulation . The final rule is a big help for people that want to have a handy way to check good manufacturing practice requirements for medical devices , as well as their incorporation into a quality system regulation . neutral +A moment later he was glad that he had , for it was not Conrad who entered , but a girl . He and Conrad had a fight earlier . neutral +But murder 's a violent crime . Murder is the most violent crime . neutral +Surveys suggest that baby boomers , many of them former marijuana users themselves , may be reluctant to warn their kids about drugs . Baby boomers are over eager to warn their children about drugs . contradictory +Newsweek also argues that Apple will fail to hire a strong CEO because nobody wants to work in Jobs ' shadow . It is possible that Apple will fail to find a strong CEO . entailment +During the following days and weeks , Benedictino analyzed his look in the mirror and noticed more and more significant changes for the better . Benedictino was too focused on his appearance . neutral +And I 'm asking that a shoe company 's elevation of someone like Iverson become a source of stigma among socially conscious shoe buyers . The shoe company was called Bata . neutral +This old pineapple plantation had fallen into decline before being transformed into the first ( and many still say the best ) resort hotel on the island . The resort hotel is always booked years in advance . neutral +uh-huh well all right nice talking to you all right bye I hated talking to you . contradictory +palindrome god dam , just kidding just pulling your leg , you hanging from the tree of Love . I was just kidding and you 're hanging from the tree of love . entailment +For this reason , CBO 's projections do not reflect the full cost of maintaining current policies if maintaining those policies would require enacting new legislation . CBO 's projections do not reflect the full cost of maintaining current policies entailment +Of course Alfred Inglethorp murdered poor Emily , as I always told you he would . That Alfred Inglethorp of all people would be found guilty of murdering Emily comes as a complete shock to me . contradictory +well i envy that what a great life I am envious of a great life . entailment +there 's buildings and concrete and a lot of people and that 's about it down here and it 's uh yeah but uh that 's great well sound like you have a lot of nice hobbies there People are so kind to teach me about new hobbies I am exploring . neutral +What about marriage ? inquired Julius . Julius wanted to know if it was possible they were married ? neutral +In a market where tomorrow seems like the long term , the fact that 10 years from now the mouse will still be roaring somehow just doesn 't really matter . A day is considered a short period of time in this market . contradictory +we 've actually uh uh tried uh budgeting is very important to us we we try it every month and um i think it 's good i mean it it gives us a sense of uh uh of of staying in some semblance of control but uh we we do have uh we never seem to be able to stick with it Budgeting gives us a sense of control . entailment +But the notion of , say , Belgium popping up to enjoin us from criticizing moules frites seems unfair . Belgians would be better off if they did away with moules frites . neutral +The program completed 3,070 initial engineering drawings at its critical design review in 1995 , about 26 percent of the eventual drawings needed . The drawings at the review in 1995 were 80 percent of the final amount . contradictory +may be more productive if you 're comfortable with what your wearing and can be be feel more relaxed whereas uh You won 't be productive at all and you are not going to feel relaxed . contradictory +uh yeah i guess i am I definitely am not contradictory +A British flotilla , diverted from the Caribbean , sailed up the Mississippi with some 10,000 first-class troops . Besides sailing with 10,000 first-class troops , the British flotilla also carried with them gold from a recent expedition . neutral +Those for whom bargain-shopping is the main reason for visiting Singapore should make some simple advance preparations . Those anticipating bargain-shopping in Singapore should make preparations in advance . entailment +Their e-mail says no no , but their mouse clicks say yes yes . E-mail and mouse clicks lead me to believe they say no . contradictory +And that 's plumb impossible ! It ca be done . contradictory +Set aside money specifically for planning . Money can be saved for planning . neutral +Next to the Arena is the Long Beach Convention and Entertainment Ceter . The Arena is over ten stories high and boasts a full-size court . neutral +Jews , meanwhile , at our moment of maximum triumph at the back end of the meritocracy , the midlife , top-job end , are discovering sports and the virtues of being well-rounded . Jews continue to find recreational activities and the joys of being well-rounded individuals . entailment +There is a fine collection of historical memorabilia as well as old paintings and etchings , and a 19th-century Chinese bridal chamber . There is a 19th-century Chinese bridal chamber among the memorabilia . entailment +The fiscal year 1997 budget shrinks the IRS appropriation by $ 342 million . The budget cuts by the IRS in 1997 saved $ 342 million that was put towards infrastructure . neutral +The point I tried to make in my e-mail was that Krugman confuses mathematical rigor with science . In the email , I tried explaining how the Packers would win the Superbowl . contradictory +It was to last for 600 years ( lavishly renovated by Herod starting in 18 b.c. ) until it was destroyed by the Romans in a.d. 70 . If the Romans had not touched it , it would have stood for a thousand years . neutral +Yet only 23 percent of the state 's 23,598 active lawyers reported meeting the Georgia State Bar 's goal of 50 hours of pro-bono service in 2002 . Less than half of the lawyers met the goal . entailment +We then contacted three agencies , discussed our study objectives and planned approach , and asked each if it had any programs in which actions to reduce improper payments were effective . Three agencies were contacted about programs regarding improper payments . entailment +LSC co-sponsored a case management system conference in conjunction with the Equal Justice Conference and participated in a session on how to help advocates and staff use the technology tools they already have . LSC co-sponsored a case management system with the Equal Justice Conference . entailment +The collection covers all aspects of Coptic art and worship , from vestments , tapestries , early handwritten bibles , and painted icons , to ornate stone niches and wood-carved ceilings taken from churches all acroseEgypt . All aspects of Coptic art and worship are covered by the collection , including bibles and icons . entailment +Money comes in through the Social Security ( FICA ) tax and goes out in Social Security benefits . Money enters through the FICA tax and leaves through social security benefits . entailment +Providing self-assessment tools to business units so that they could monitor their own security posture . Security should be a priority for businesses , otherwise there can be significant losses . neutral +Beyond Iveagh House in Earlsfort Terrace ( turn south ) is the National Concert Hall , of impressive proportions and uncertain acoustics it 's a conversion of an old Examination Hall of University College . The old Examination Hall of University College still holds exams . contradictory +It is hard to see how providing free legal services to some welfare claimants ( those whose claims do not challenge the applicable statutes ) while not providing it to others is beyond the range of legitimate legislative choice . It 's so easy to get why some people get asisstasnce and why some don 't . contradictory +These include both Arsenio ( Rua de Santa Maria , 169 ) and Marcelinos ( Trav.Da Torre , 22 ) in Funchal 's old town , and O Pit ? ? u ( Rua da Carreira ) . These consist of both Arsenio and Marcelinos in Funchal 's old town . entailment +A more conservative approach to determining if there is sufficient catalyst supply to meet the demand from the Clear Skies Act is demonstrated in Figure 6-4 . Determining if there is enough catalyst supply to meet demand is addressed in the figure . entailment +The adoption of a value for the projected reduction in the risk of premature mortality is the subject of continuing discussion within the economic and public policy analysis community . The premature mortality rate is too high for the economic community . neutral +When single father Thurman Williams needed help filling out papers in a custody suit recently , he didn 't look to his lawyer for help . He felt it would be best to do it on his own in the end . neutral +Given their enormous incentive to take improper risks , it would actually be amazing if the managers at LTCM didn 't respond in the normal way . It would be great if the managers of LTCM reacted as expected . contradictory +as they say . they say that . entailment +i got to where i decided i wanted to pay more rent and get a private bedroom and then we had two baths it was just one the little bathroom were the thing that really bothered me because i felt real closed in I was beyond tired of having to share my space with messy people . neutral +Teaching and broadcasting in Kurdish are banned . Kurdish newsprint is acceptable . neutral +There 's another thing , said John suddenly , and the unexpected sound of his voice made me start guiltily . His voice pierced through my heart like a big guilt-infused arrow . neutral +yeah i saw the original Back to the Future and then i i know i hardly ever go see a sequel I never saw Back to the Future because I don 't like to see sequels . contradictory +Parcells ' players and assistant coaches follow him loyally from city to city . The assistant coaches and players are very loyal to Parcells . entailment +Just up the hill at this end of Motomachi is Harbor View Park , where the views at night when Yamashita Park and the harbor are floodlit are especially fine . The views at night around Harbor View Park are considered the best in the world . neutral +you know it 's right there on which this is on a highway too but it 's set back enough to It 's far from any highway . contradictory +They take on a cartoonish , uniform cheeriness . The cartoons are old . contradictory +something small that she can watch but won 't take too much care Something large that can watch after her and won 't take a lot to care for . contradictory +so we we follow your basketball team your your women 's basketball team a lot and We follow your women 's basketball team quite a bit . entailment +Second , the cost of maintaining a trained full-time field worker at a site runs high , so that evaluators had to settle for shorter observations or untrained field workers or both . The cost of maintaining a trained staff has fallen , so evaluators have had to settle for less resources and more wasted time . contradictory +The best strategy is to schedule two visits into your itinerary , both before and after your trips to the temples and other historical sites along the Nile . The most efficient way is to schedule multiple visits . entailment +Back on the Grand Canal Longhena 's exuberant Baroque Ca ' Pesaro is now the town 's Modern Art Gallery , devoted principally to a small but impressive collection of purchases from the Venice Biennale exhibitions . There is a large number of unimpressive purchases from the Venice Biennale exhibitions . contradictory +Or at least his perfect reproduction . Not even close to being a reproduction of him . contradictory +yes well you 've got to be held accountable for your actions no matter how old you are or what it is You are responsible for your actions regardless of age . entailment +we 've been wanting to start camping again this year too uh my oldest child is a girl was born three years ago three and a half and then i have a little one that just turned two and we are in the process of potty training i didn 't want to go camping with diapers We 'll go camping as soon as my two young children are potty trained , but not before then , because I don 't want to go camping with diapers . neutral +uh-huh i 've just used WordPerfect and Lotus WordPerfect and Lotus are all that I 've used at this point . entailment +He was up quickly . He sat the entire time and didn 't move . contradictory +This means a housing strategy that shifts more decisively in the direction it has been inching under Clinton . Clinton has a housing strategy that is often copied . neutral +It thus provides an all-too-rare glimpse of provincial life in prewar Japan . Most Japanese people would identify heavily with it . neutral +well uh a couple years ago we we purchased an uh well it wasn 't new it wasn 't new it was a a a an Astro van and We bought a new Honda Civic two years ago . contradictory +the thing about it is like the Panamanians is a lot of servicemen down there a lot of a lot of American servicemen are involved A lot of American servicemen are involved in Panama . entailment +working for TI that 's pretty important It 's not that important to work for TI . contradictory +This summer 's World Cup will distract fans and remove the league 's best players for two months in the middle of the season . This winter 's World Cup will not have that many fans in attendance . contradictory +But to participate in societies that one perceives to be civil adds much to the pleasure of life . Researchers found that those who felt they participated in a civil society felt more pleasurable about their lives . neutral +Ashcroft regularly berates the Republican Congress for having cut and run rather than having tackled tough moral issues . Republican Congress refuses to tackle moral issues because they 're scared . neutral +From the way she had studiously avoided looking at him , and her action with the light , he came to the conclusion that the room was overlooked . She avoided looking at him because his handsomeness was blinding . neutral +Delhi itself was torn apart by communal rampages . People from nearby cities came to help . neutral +certainly is just turn on MTV any night You can watch MTV any night to prove that . entailment +and it 's it was so pretty that if you got way up at the top it looked like you could just dive off and and and bounce on a bunch of pillows you know it was good it was fun i had fun I enjoyed the view from high up . entailment +He was executed in April 1945 . He was imprisoned in April 1945 . contradictory +No names , please . I need the names of everyone , please . contradictory +um-hum and we don 't want our kids to to grow up thinking that that 's what you do with your spare time I want my children to study when they have time . neutral +Importance ? Trivial ? contradictory +What on earth could Poirot be doing in London ! Why is Poirot not in London ? contradictory +This would include nonfederal physical property , human capital , and research and development . That includes things like intellectual property of private companies . neutral +and uh this guy was going nuts and his uh son built him a garage and got him some uh oh i don 't know what the equipment 's called but planes and thi ngs He was not happy with the garage his son built for him . neutral +I must confess , Mr. Beresford , that it was something of a surprise to me to see you here this evening . I am surprised you were here because you 'd been in a fight about it . neutral +In 1566 , they wrested Chios from the Genoese , bolstering their hold on the eastern Aegean Islands , but the Cyclades remained in Venetian hands for another generation or more Tinos was the last to fall in 1715 . Reclaiming the Aegean Islands was important to gain control over trade routes . neutral +This east-coast Corinthian settlement , founded in 734 b.c. , was the most powerful of Magna Graecia 's overseas colonies and , under Dionysius ( 405 367 b.c. ) , a direct rival to Athens . This east-coast Corinthian Settlement was the least powerful of Magna Graecia 's colonies . contradictory +FDA made some changes to the draft language based on those comments and published the final rule on June 5 , 1997 ( 62 Fed . Changes were made based on the comments . neutral +and they probably they do it all by hand probably I bet everything 's done by hand . entailment +A couple of minutes later , cell phone reports say she has left the Watergate . Cell phone reports showed she staye at the hotel . contradictory +Among the prettiest is Marathokambos , nestling in the shadow of Mount Kerkis . Marathokambos is some of the ugliest things you can find near Mount Kerkis . contradictory +Rapid Alcohol Problems Screen . Specific problems screen . entailment +Many responses were built on the assumption that Southern Baptists are bad in bed . There 's an assumption that Southern Baptists are bad in bed . entailment +She looked particularly small and demure this morning . The dress made her look small and demure . neutral +He brought along this whole plane full of African-Americans , and some of our really fine citizens are African-Americans in government , in business , in athletics , in show business . African-Americans were brought along by him , a whole plane full of them . entailment +The latter is visible from here in a straight line beyond the Obelisk on place de la Concorde . The latter doesn 't line up with the Obelisk on place de la Concorde . contradictory +Jon twisted and stabbed from behind his back . Jon did not remain straight while he stabbed . entailment +This would lead to the discount of 4.5a , which is where the lines cross in Figure 9 . The third statement is that the workshare price should equal the marginal cost of the workshared product plus the unit opportunity cost of the program . 4.5a was the most optimal discount according to the other figures . neutral +Also on hand were some women who were victims of such violence , but benefited from free legal services . Some women who have been victims of such violence , can not benefit from free legal services . contradictory +But the Sports Network posts Vegas odds , from the Stardust and Mirage casinos , no less . Vegas odds cannot be found on the Sports Network . contradictory +i think it has a lot to do with the price of a car and how much see to me they people don 't look at it but if you take a Japanese car and bring it over here they sell it for the same amount of American car If you bring a Japanese car to the US from Japan , they sell it for much more than an American car . contradictory +The 57-year-old portraitist wins acclaim for bucking trendy postwar art movements . His painting of the soldiers coming home earned him great acclaim . neutral +Allons ! he said . Stay right where you are , he said . contradictory +But here the whole thing is cut and dried . Here it is , clear cut . entailment +of course that 's probably a lot easier on TV to figure it out than it is in other things because TV they have a tendency to do a lot of things uh that aren 't you know what i mean um predictable exactly but i mean you know the the dinner a dinner theater like this ought to be just wild i don 't know TV is more predictable than dinner theaters because TV producers have to appeal to a huge mass audience . neutral +But when the English revolutionaries beheaded Charles I in 1649 , the Scots rallied round his son , Charles II . After Charles I was beheaded in England by revolutionaries , the Scots devoted themselves to his son Charles II . entailment +uh we have a vegetable garden with a we have some onions potatoes uh broccoli spinach lettuce radishes We also have a fruit garden . neutral +You can see the kind of utensils and cake tins her cooks would have used ' at least , until the chateau was confiscated by the king for Berthelot 's misdeeds . No cooking was performed in the chateau following its confiscation . neutral +yeah well they all say great things when they run for office Everyone says they will improve education while running for office . neutral +Our grantee , working with the Management Information Exchange and experts on evaluations will create a national evaluation strategy to ensure that our grants improve access for clients to the fullest extent possible . working with the Management Information Exchange and experts on evaluations will create a national evaluation strategy entailment +We should have thought to warn you . We hadn 't been thinking about you at the time . neutral +The pileup of cliches ends with a safe Clarence Harmon , Mayor . A mayor is made safe by a pileup of cliches . entailment +The legislation on reserving seats gave the Muslims the basis for an alternative to an India in which they were only a quarter of the Partition . The Muslims were not the majority of the Partition . entailment +As stated earlier , the profits from delivered and non-delivered mail must equal the upstream fixed cost in a breakeven post . Profits must exceed costs in order for a post to break even . contradictory +Their leader , a brute with a massive axe , pointed toward Jon . Their leader pointed toward Jon . entailment +And Justice for All , which solicits donations primarily from Utah lawyers and foundations , was the first joint fund-raising campaign of legal services agencies in the country , and the Community Legal Center is the first joint office project of public service law groups . Justice for All gets no funding . contradictory +Raves for the New York debut of 31-year-old countertenor David Daniel , hailed as the ' next Pavarotti ' ... David Daniel has performed in Boston . neutral +uh-huh yeah um-hum um-hum No , uhn-uh . contradictory +Francisco de Zurbarin ( 1598 1664 ) , a member of the Seville school , combined mysticism and realism and was a master of light . Zurbarin created work that was a mix of magic and real life . entailment +They were longitudinal , were made by on-site observers who sought participant-observer roles , and constituted an inquiry structured from an evolving understanding of events and their meaning to the persons involved in them . They were made on site by observers , constituted an inquiry , and were longitudinal . entailment +yeah that 's we 're in a yeah that 's we 're in a near next to a town called Plano Texas and it 's very um it 's like Falls Church Alexander i mean Montgomery County i 'm familiar with where you 're at um and they really that 's a good way to put it i know I am not at all familiar with your area . contradictory +Date and explicit provenance must be provided . The date and explicit provenance are important information in this particular situation . entailment +The rest of Italy participated only by tax contributions to the war effort and minor involvement in commerce and colonization . Italy provided tax contributions to the war effort . entailment +I was in Kentucky for about a year after the war . I was in Kentucky for about a year following the war . entailment +then maybe we 'll go for a week or two and or a month or two and then the car breaks down We can 't leave , my father is in the hospital . contradictory +Now the Plaza de la Independencia , in which the arch stands , is a bedlam of midtown traffic and gateway to newer barrios east . The midtown traffic passes the Plaza de la Independencia . entailment +Then the full 9th Circuit overruled its own justices in the state 's favor , agreeing with the state 's contention that the clients weren 't harmed because the interest wouldn 't be earned otherwise . The 9th Circuit reversed the ruling handed down by the member from Washington state earlier that year . neutral +in Denison in Denison entailment +Only , I mean it , Kirby , you walk soft and get back to the Range as quick as you can . " Take your time getting to the Range today . contradictory +it 's not going to go up too high The balloon will not float up too high . neutral +Menorca changed hands between Britain , France , and Spain five more times in less than a century . Spain never had any control over Menorca . contradictory +In May every year , the Scottish International Children 's Festival holds arts , theater , and dance activities and performances especially for children aged 8 to 15 . The Scottish International Children 's Festival is held in May every year . entailment +The adjective " old " was misleading . The adjective " old " was off-throwing . entailment +uh i haven 't been to any Toronto games yet but um I have yet to attend a Toronto game . entailment +well that that 's great you got a hold of a couple of vehicles uh really good vehicles It 's great that they don 't charge huge tax rates . neutral +The highlights of the tour are the honours themselves , lying on blue velvet in a secure glass cabinet in the Crown Room . The tour takes you to look at the honours that were given to King James . neutral +so i kind of have to watch her when she 's around the dog yeah i guess so yeah some for some reason she just really thinks that little dog needs some chocolate of course the dog thinks so too she wants to give the little dog chocolate because she thinks it 's good for him neutral +At the Grammys on Wednesday ( CBS , 8 p.m. ) , expect Lauryn Hill to be treated like the musical Messiah with her 10 nominations . The Grammys will air on Wednesday on CBS at 8 P.M. entailment +3 billion a year , in addition to about $ 4 billion for Head Start ) , and some of those subsidies come with quality strings attached . Billions of dollars worth of subsidies are given with strings attached . entailment +That debacle should have taught the world that media can coexist , and that artists can even migrate between them depending on the flavor they seek . Media can indeed coexist and artists can migrate between them often . entailment +On the lower floor of the Royal Palace , Laich Hall has been restored as closely as possible to its 1617 d ? ? cor , using traditional techniques and colors . Laich Hall was restored over the course of 40 years . neutral +It is one of the most popular activities on Jamaica ( see page 88 ) . This is very unpopular among tourists in Jamaica . contradictory +Finding out the hard way about Washington 's new 10 foot buffer law . The buffer law has been a large source of controversy . neutral +yeah i 'm not sure if that was because you know eighties was like the uh the me decade and uh everybody was into me and then we are getting back into us but um it it The eighties were a decade that was all about giving to others . contradictory +The Kal shrugged . And then The Kal raised his hand . contradictory +Take the Kal and have Severn show you the mines today . Have Severn show you the salt mines today . neutral +I had to get space . I was really stressed out . neutral +It was up to Poirot to make his boast good . It was up to Jesus to come through on his boast . contradictory +4 . What Is the Current Long-Term Economic Outlook for They reported on the current long-term economic outlook entailment +I 'm in ! What is it , huh , Red ? Tell me what it is . " Oh just tell me what it is Red ! entailment +Subtracting these two areas on each graph reveals the level of the bank in 2015 . There is a method to show the level of the bank in 2015 . entailment +In lower of cost or market computations , the term market means replacement cost , subject to ceiling and floor limitations . Market is used to mean anything other than replacement costs . contradictory +Successively conquered by the Romans and Visigoths , Toledo became the capital of Spain in 1085 . Toledo was a guarded by a weak army . neutral +1 . Federal fiscal policy affects the federal surplus or deficit which , when measured on a NIPA basis , represents the amount of federal government saving or dissaving , which in turn directly affects national saving . The federal surplus is affected by fiscal policy entailment +Eventually , we tracked the bug down to one single line of code that failed because it assumed all graphics cards are created equal . The developer who wrote that code is thoroughly embarrassed and is working to develop a better understanding of graphic card drivers . neutral +This was the woman who had warned me so earnestly , and to whose warning I had , alas , paid no heed ! This woman warned and I didn 't listen . entailment +But there was something about that photo " Julius shook his head , and heaved a sigh " I guess romance is a mighty queer thing ! " Julius sighs aloud , expressing that he feels romance is very strange . entailment +This picture of today 's fiscal good fortune , however , masks a change in the composition of federal spending during the past few decades . There have been changes in federal spending that span several decades . entailment +To him the statement implied that screening instruments should be evaluated only as a component of protocols that provide interventions . The statement implied that screening should be evaluated as a part of an intervention . entailment +Action by Commission is pending . They are waiting for final approval . neutral +In an effort to significantly upgrade the expertise of information security officers in its various business units , the central group at the financial services corporation had recently arranged for an outside firm to provide 5 weeks of training for These individuals . The group at the financial services corporation arranged for 5 weeks of training . entailment +The rebuttal authors note still other problems in the original paper . There are still other problems in the original paper according to well trained rebuttal authors . neutral +No I 'm about fed up . No I 'm close to being fed up . entailment +No , now I 'm not playing ! I wasn 't supposed to say , and you , Kudu , now you said it for real , so I 'm not playing . Kudu said something mean that stopped the writer from playing . neutral +A guillotine replaced the king 's statue and was used to behead Louis XVI and more than 1,000 other victims . Louis XVI was executed using an electric chair . contradictory +Smoke exploded in a red mist from the man 's shattered skull . Blood and smoke exploded from the mans shattered skull . entailment +But there 's also a cool complacency , an indifferent shrug . There is a hot excitement . contradictory +" Sí , of the Messenger line . No , of the Gray Eagle-Ariel line . contradictory +well we 're working on a Newsweek uh for the last couple of months we got you know an introductory sub scription so we decided to try it because prior to that all we got were things like Glamour or Sports Illustrated so we decided to try to bring one in that was a little bit better for us so to speak We didn 't like to read Newsweek so we just stuck to Glamour and Sports Illustrated . contradictory +Given the increasing shortage of IT professionals in the current market environment , securing an effective , responsive technology management workforce is a challenging task for both business and government organizations alike . In the current market , there 's an increasing shortage of IT professionals . entailment +Hans Fedge , a mortgage broker assisting Linn and Eileen Ledford , said he faces the same dilemma again and again . The same dilemma repeatedly came up for Hans Fedge , who is a mortgage broker . entailment +They don 't understand that they 've lost that fight and that Bush is willing to repudiate the fight and everyone in it--including them--in order to ruin Gore 's strategy and beat him . Gore 's strategy cannot be beaten , he is a tactical genius . contradictory +Both men had donned leather breastplates . The men were wearing leather breastplates . entailment +well if you don 't make smart selections it doesn 't do any good or if you make smart selections and they and you can 't sign them It doesn 't matter if you make smart selections or not . contradictory +Some crystal ball . No crystal ball of the set of crystal balls . contradictory +i 'm a veteran of all of Dallas shows I am also a veteran of all Nashville shows . neutral +According to Michael Lee of the University of Sydney and Michael Caldwell of Chicago 's Field Museum , the 100-million-year-old fossil , christened Pachyrachis problematicus ( problematic thick-ribbed animal ) in the late 1970s , is a proto-snake with two legs . The 1-million-year-old fossil has been identified as a proto-snake with two legs by two experts in the field . contradictory +Luckily for New Orleans , his scheme was a remarkable success . His plans were successful , which benefited New Orleans . neutral +They cut off his head once , but it healed before the axe was all the way through . Even cutting off his head didn 't work . neutral +yeah what are you wanting to be You want to be like your father ? neutral +It is Mr. Mace , from the chemist 's shop . At the chemist 's shop , Mr. Mace brews up anti vampire elixer . neutral +MANY OF THEM , replied Susan 's voice in his head . Susan thought about things to herself . entailment +well they they get Oshmid Yakomo you know the janitor for the US Embassy and you know This janitor is well-known for the way he greets people . neutral +um-hum um-hum yeah that 's true living in an apartment complex though you know you can 't um you can 't really stop those people from coming around even though they put up signs out front that says no solicitations uh but they still come up to the front door and uh you know walk around so usually what i do is i 'll call the apartment manager and tell him hey there 's people coming around you know and they 're trying to sell something or or they 're from a religious organization and i really hate that i really really do i had somebody come to the door about two weeks ago and um gosh it was about nine o 'clock at night too it wasn 't even what i would consider you know a family hour it 's time to you know start going to bed and uh and it was somebody from um oh what was it the uh Jesus Christ of Latter Day Saints and uh i 've read a lot about uh that particular sect and i don 't particularly care for it so i especially don 't like for them to come up to my door and try and talk to me I love everyone that comes up to my door to talk to me . contradictory +Now , let 's give Kemp the going-over he deserves . Kemp will get what he deserves . entailment +yeah that 's true i 'm wondering with the boom down here it 's well not at the moment but a lot of the industry 's moving southward The migration of industry to the south will affect the northern states . neutral +I 'm not hanging around here and getting disintegratored . I 'm not waiting around to be disintegratored . entailment +and it takes some drastic steps at this point and i think personally the drastic step has to be that um that you can 't work if you continue taking drugs i mean it 's as simple as that i mean make it so I don 't think any steps are necessary , you should go on working even if you 're taking drugs . contradictory +Therefore , in some cases contractors must find manpower on very short notice . The contractors do not need to hire manpower on short notice . contradictory +Table I.1 : Map to the Audit Guide Refer to Table I.1 for Map to the Audit Guide . entailment +we called there were there were two or three people there was some little civic organization in Dallas that gave money away and only two or three people applied she applied and got five hundred dollars from that She applied to a civic organization in Dallas and got some money . entailment +I will tell him , Dorcas , I promised . I promised Dorcas that I would never tell anyone . contradictory +The arguments she had adduced rang true . She cited several real-life examples to support her reasoning . neutral +Visible on the plain below is the Asclepion , one of the ancient world 's leading medical centres , rivalling similar establishments at EpidauroseKos , and Ephesus . The Asclepion was a shopping center full of medical supplies . contradictory +A method adopted by demure advertisers who don 't wish to intrude is to ask permission . Demure advertisers ask permission if they don 't want to intrude . entailment +One , who had died falling off a bridge while drunk , was curing himself of the shock by remaining dead drunk . He died falling off a bridge while drunk , but here he had sobered up . contradictory +He had learned the importance of reputation to private sector fund-raising after the Federal Emergency Management Agency cited his program before Congress for excellence in cases stemming from the 1994 Northridge earthquake . He was able to make use of his reputation when the Federal Emergency Management Agency referenced his previous program before cases . entailment +i think the longest we 've stayed out there is like five days and they even they had a library at one time out there We stayed at most five days . entailment +Blending old-fashioned elegance with modern comforts , the most proserous of Normandy 's seaside resorts is also the most expensive . Normandy 's seaside resorts cost cheap . contradictory +If you don 't want to dive then you can snorkel just offshore along the Red Sea and Sinai coasts to see excellent tropical marine life . Most people choose to snorkel because the views of marine life are better than what the divers see . neutral +We could use another war . We could use another war in this country . entailment +And your story , little lady , confirms my idea . Your story proves my points , young lady . neutral +And you are not ordinary quiz participants , according to both guest hosts , each of whom expressed his amazement at seeing so many first-rate responses . The guest hosts were not impressed by the poor responses from the quiz participants . contradictory +Haven 't eaten since we broke camp at sunup . " I 've been eating nonstop all day . contradictory +yeah that 's right and they probably will soon so Wrong , that 's not something they would do . contradictory +With fast nearspine motions , accompanied by groans from the tv speakers and Simon 's vocal cords , she got out of him and threw by the wall the anxiety caused by the professional attractiveness of Lola Thigh . The speakers were silent . contradictory +He 's usually tiptop at fielding tough questions , agrees everyone . Everyone agrees he 's a great fielder when it comes to hard questions . entailment +A male fascination with female models indicates 1 ) adolescence or 2 ) homosexuality . There are other explanations of male interest in female models . neutral +oh what is it they 're plastic and they 've got the elastic on the inside of the poles and you just put them together and it 's a dome tent The dome tents are the most efficient kind of tent . neutral +DOD concurred with a draft of this report and agreed with the benefits of using design and manufacturing knowledge to make informed decisions at key points in a system acquisition program . DOD has already started planning for implementing the proposals in the draft . neutral +Its goal was to develop higher quality systems in less time and for less cost . There were many who felt at the time that the goal was simply too ambitious . neutral +There 's not a lot of low-cost counsel available . There is an abundance of low-cost counsellors available . contradictory +The Carre d 'Art , an ultramodern building opposite the Maison Carre , exhibits modern art . The Carre d 'Art is an old , decrepit structure which can be found next door to the Maison Carre . contradictory +It took two months to capture and was devastated by Allied bombs and the shells of the retreating Germans . The Germans were able to hold onto it and prevent its devastation . contradictory +But maybe this here will learn him a little hoss sense " He needs to learn some hoss sense . neutral +should address . Should talk about a certain point . entailment +yeah i hear that 's pretty good I heard La La Land was a pretty good movie . neutral +well do they have special cookbooks out for for just vegetarian meal meals you know special books that you The cookbooks contain only vegetarian meals and recipes . neutral +Like Bork , I think a man has to fight against his fate , no matter how little chance he has . I think a man should surrender to his fate . contradictory +I guess you 're lucky to be here at all . You were so close to death . neutral +He had elaborated a careful plan for the following evening . He decided to allow things to happen spontaneously the next night . contradictory +The resulting model estimate of Poste Italiane 's unit cost is 74 cents versus the actual value of 79 cents . The Poste Italiane 's unit cost estimate was off by 95 % . contradictory +Since this might have everything to do what the participants ' chance to socialize with friends in a nonthreatening environment and nothing to do with self-esteem or work habits , it seemed to these researchers that it was therefore logical not to decide on the evaluation questions until their appropriateness could be determined . The participants never socialized with friends unless it was in a threatening environment . contradictory +He knows me , and I ride light He already knows me , I ride lightly . entailment +right yeah not just some doctor 's office somewhere Not simply a doctor 's practice somewhere . entailment +Buchanan finds the most truth in the Dowd 's suggestion is perilously close to the truth . Dowd 's perspective gives Buchanan new insight into approximating the truth . entailment +Outdoor activities run the horseback riding , ocean kayaking , excellent mountain biking , clay shooting , hiking . Ocean Kayaking and mountain biking are among the available outdoor activities . entailment +Avoid expensive and beneficiaries disruptive incidents Disruptive incidents result in weeks of lost time . neutral +It 's going to be hugely beneficial for our clients , said Candace Waldron , executive director of Help for Abused Women and their Children . This will not have any benefits in any way . contradictory +It employs a full- time staff of about 75 lawyers , paralegals , intake specialists , social workers and others . They have over 70 people employed . entailment +was very plush and padded it it was just i liked the car a lot and when you shut the door it made a real solid sound I did not like a single thing about that car . contradictory +Strychnine is not used for domestic purposes , as some poisons are , and there are restrictions placed on its sale . " Strychnine is not used domestically so you have to buy it in another country . neutral +yeah i thought i think if uh people like Charles Manson Some people like Charles Manson . neutral +Mazzini founds la Giovine Italia to combat Austria There is no fight against Austria . contradictory +Although meat eating is now considered commonplace , it is still strongly associated with the cosmopolitan , Western lifestyle that has such all-pervasive appeal in modern Japanese society . Seafood made up the bulk of the traditional Japanese diet . neutral +DOD has historically developed new weapon systems in a highly concurrent environment that usually forces acquisition programs to manage technology , design , and manufacturing risk at the same time . The DOD uses a highly concurrent environment when developing new weapon systems . entailment +Th ' Old Man musta lit into him hot an ' heavy , chewed him out good . The Old Man has a nasty temper and reputation for chewing people out . neutral +At a 1972 rally in Laurel , Md . , he was shot by a deranged man and paralyzed from the waist down--one campaign scene we see in detail . In 1972 he was shot by a deranged man that caused him paralyzation , says the biography . neutral +Of course , its ratings would soon be turned into hash marks . Its rating will be very low , very soon . entailment +That was the last time Jon saw Thorn alive . Jon and Thorn were close friends . neutral +what 's that what 's that yeah i like a lot like i like uh the the New Age music like with um uh the um um i don 't know if you 've heard Neurotic Collection I like New Age music , especially Neurotic Collection . entailment +oh no i 'm in i 'm in Raleigh North Carolina I am in North Carolina . entailment +Leading north from the Piazza del Duomo , the huge croseshaped shopping arcade of the Galleria Vittorio Emanuele is a splendid steel and glass monument to the expansive commercial spirit of the 19th century , and a prototype of today 's shopping mall . The Galleria Vittorio Emanuele leads north from the Piazza del Duomo . entailment +It might well , however , facilitate gay couples ' efforts to adopt children . Pushing the bill through quickly may help gay couples to adopt children more easily . neutral +well if if you buy a good grade of paint uh you don 't really uh of course Texas heat you know you it really gets pretty hot outside so you have to be sure and get a good grade of paint In Texas , you don 't need to worry about what kind of paint you use . contradictory +Perversely , Weld lost the ideology / competence battle by winning the drugs / morality battle . Weld almost won the battle of ideology and competence . neutral +It might take a little bit of humility to take those kinds of cases . Taking those cases may warrant a pinch of humility . entailment +As the Byzantine Empire weakened at the end of the first millennium , Crusader forces were sent from Western Europe to counter the Muslim forces and retake Jerusalem for the Christian faith . Crusader forces from Western Europe sought to retake Jerusalem for the Jewish faith . contradictory +You 'll be able to hire a boat to take you out to the reef that runs all along the coast here , easily seen just a few hundred meters from the shore ; snorkeling offers the opportunity to observe a wealth of fish and other sea creatures . There 's a lot of fun activities to do around this area especially with the a boat . neutral +Having attended two Big Name schools , I know that we can 't take anybody 's work for granted . Having been to Harvard and Stamford , I know we can 't take advantage of anybody 's work . neutral +Among the Morris microinitiatives that didn 't quite make it were a 33-cent postage stamp , with a penny going to your favorite charity , and a plan to force banks to meet new anti-mugging standards for ATM machines . The postage stamp should have given a higher percentage to charity . neutral +Summer Festivals The festivals are in the summer . entailment +now i don 't i hardly ever watch TV if i ever get the hankering to see something i 've got i don 't know maybe about thirty or forty movies and i just I usually just watch one show a week . neutral +Museo Cerralbo ( c / Ventura Rodriguez , 17 ) , another nobleman 's collection bequeathed to his country , is more like visiting an art collector 's 19th-century house than a museum ; few works are identified or marked . The Museo Cerralbo is nothing like a collection . contradictory +At the northern edge of Higashiyama is one of Japan 's most famous and delightful short the Philosopher 's Path , stretching along a canal running between two major temples Nanzenji and Ginkakuji . The Ginkakuji and the Nanzenji are on the same side of the canal . contradictory +The same questions were asked yesterday . Tomorrow , the same questions will be asked . neutral +On the other hand , a direct comparison of rural to city residential delivery reveals that rural carrier time per possible delivery is only ten percent greater than city residential route delivery time . A comparison between country and city delivery shows city only takes 10 % longer without packages . neutral +The actual penalties in this case are $ 774 for childless couples and $ 2,681 for couples with one kid . The penalties in this case vary with family structures . entailment +yeah i um i 'm seriously thinking of discontinuing the chemical service because of the uh um i guess what i didn 't realize was that that they 're actually putting poisons on my grass They 're not poisioning my grass entailment +They are a product of the territory served and the current state of technology which would be employed by an efficient firm . The firm is merely a product of the CEO 's imagination . contradictory +oh yeah my husband said he 's never joined a course right and i got one of those Jane Fonda workout tapes that i dubbed from a friend that didn 't last long i got one of those after i had a baby i think My husband had told me that he had joined a course . contradictory +At Ieyasu 's command , Adams ( the model for the hero of James Clavell 's novel Shogun ) set up a shipyard in Ito and built Japan 's first two European-style ocean-going vessels . At Ieyasu 's command , Adams set up a construction in Ito and built Japan 's first castle . contradictory +Somewhere in the Maryland panhandle , E and I were for some reason discussing Wendy Shalit 's book , The Return of Modesty , which makes the case for chastity , patience , courtship , etc . In Maryland , E and I discussed Wendy Shalit 's book , The Return of Modesty . entailment +The Kal held up his cupped hand and drank from it . The Kal drank from his flask . contradictory +and that but and and you know people accuse them of controlling the news he says you know we don 't control the news we just report it the way we the way it is and People accuse them of controlling the news but he said they just report it if we think it is important . neutral +The second side is interpreting the attitude and behavior of other people toward oneself as civil . Another side is about seeing the behavior of other people as rude . contradictory +What the hell does he expect me to do ? " Dave asked hotly . Dave didn 't care what he wanted him to do . contradictory +which has made us as lot more stable but anyway well it was nice to talk to you they 're are going to interrupt us any minute now i can tell I enjoyed talking to you . Someone will come in soon . entailment +The previous section asked only about making changes to an existing program , and a well developed one at that . The section just asked about making changes to the program , but it was decided that it was too expensive . neutral +organized battle between the two units was in Texas so The battle between the two units happened in Texas . entailment +It later became the capital of the Mauryan emperors , in the third century b.c. , and one of the largest cities in the world at 3 km ( 2 miles ) acroseand 12 km ( 7 miles ) along the Ganga . In the third century B.C. , it became the capital chosen by Mauryan emperors . entailment +Though it rarely means exactly this , interpret it as meaning no catastrophe and have a good time anyway . The expression has changed in meaning over the years to mean something completely opposite . neutral +And that 's when Italian-Americans will really have something to bitch about ( by the way , where do you stand on the The Sopranos isn 't good for Italians question ? ) And that 's when Italian-American people will really have something to complain . entailment +A collaborative model using emergency department physicians to screen and mental health professionals to perform the intervention is the approach that is most likely to be widely adopted . A more individual / separatist model is favored overall by emergency department physicians and mental health professionals , however . neutral +Today it is very popular with package vacationers , particularly high-spirited young Europeans . Its is very popular with everyone except high-spirited young Europeans . contradictory +the only gripe i have is performance i i probably uh a few girls that i 've gone out with i 've had uh like Mazda RX seven 's and stuff and they 're they 're pretty fun to drive so A few girls that I 've gone out with have had Mazda RX 7s and I did not like driving them at all . contradictory +Antonio da Sangallo the Elder , architect of many of the town 's palazzi , built his masterpiece , the 16th-century church of San Biagio , southwest of town , a gem of High Renaissance architecture hidden at the end of a cypress-lined road with views of the Chiana valley . Antonion da Sangallo the Elder was commission by the Catholic church to build many buildings . neutral +right i think that 's really good i know some places just fire people on the spot if they come back positive or something They won 't fire people if they come back positive . contradictory +When I came through the hall again a few minutes later , it was gone . " This statement might , or might not , be true , but it did not seem to me to improve matters much for Inglethorp . Inglethorp was not impressed with that statement . neutral +A rice-planting ceremony is held in mid-March , during which the shrine 's sacred rice field is symbolically replanted . The shine 's sacred rice field is replanted during a special ceremony in March . entailment +However , we did not devote any particular emphasis to the popular idea that case studies are inexpensive to conduct ( issues of research management common to all No particular emphasis was devoted to the idea that case studies are inexpensive to conduct . entailment +uh you working in the in the military equipment equipment Are you working in the military on equipment ? entailment +This will allow us to determine extent to which decline is household-level The impact of households on the decline cannot be determined . contradictory +The cost was horrible but it was that or the horse would be stolen . The cost was bad . entailment +Everybody is trying to do the same thing ; some succeed , and those who don 't are envious . Everyone had success and are on equal terms . contradictory +i 've i 've seen it uh and and i have no problem going out in a boat uh it 's just so dreadfully expensive and there 's just so many other ways you know when you live down there Going out on a boat is expensive , especially considering there are other ways . entailment +Delivery of a Certified Mail piece is more costly to the Postal Service than handling a delivery confirmation piece . Certified Mail costs $ 2 more than a delivery confirmation piece . neutral +In 1982 , for example , RCED examined the progress made since the 1970 's in cleaning up the nation 's air , water , and land , finding that while strides had been made toward meeting the established goals ( cleaner air , properly treated wastewater , more drinkable water ) , deadlines had been extended and unresolved issues made meeting even these deadlines difficult ( U.S. Since 1970 no progress has been made in cleaning the nation 's air . contradictory +( Cyclades , you may remember , comes from cyclos , or circle . ) Cyclos or circle bear no relation to cyclades . contradictory +The cat itself , on a small panel above the entrance , is said to have been sculpted by Hidari Jingoro , a legendary master carver of the Tokugawa period . In the Tokugawa period , there was a carver named Hidari Jingoro . entailment +They faced repeated assault and siege from neighboring Malay forces , and malaria was a constant scourge . The people were constantly at war with Malay forces while trying to keep from getting malaria . entailment +He struggled to get them on . He had trouble putting them on . entailment +She missed the worst part of the Great Depression . She did not see the worst part of the Great Depression . entailment +For State Experiences Provide Insights for Federal Management Reforms These Insights are invaluable to anyone involved . neutral +In the field ' Words You Want To Use ' she put ' egg ' and ' merry ' , and in ' Number of Additional Words ' she wrote ' 3' . She wanted to use the words , ' egg and merry ' and she put that into the designated field . entailment +okay you should always have an umbrella permit that bridges your uh life insurance and your medical and your um um car insurance in case you run into a lawyer and you break his arm he 's going to sue the pants off of you these kind of things are about a hundred dollars a year so you you know these are all equivalent to the monthly budget things some of them are there to pacify situations and some of them are there to prevent things from happening You should be prepared in case you get sued . entailment +Jon studied the man 's dark eyes and graying hair . Jon did not even look at the man . contradictory +with children in that situation i i guess one knows one 's own storly and i know uh in my children 's case it was one where uh pretty much up until the older of two was in uh let 's see i guess basically starting junior high and the younger was in fifth grade when my wife reentered the work force My wife didn 't get a job again until the kids were at least into fifth grade . entailment +The deep-green water of the Rio Tajo , reflecting the noble buildings of Aranjuez , nourishes parks and formal gardens , as well as the prized local crops of asparagus and strawberries . The waters of the Rio Tajo , deep red in color and rife with pollutants and carcinogens , are unable to nourish anything . contradictory +I should advise you not to worry , said the latter kindly . I suggest you don 't stress about it , she said . entailment +The worst Gore can be accused of on the basis of existing evidence is being protected to a minor degree without his own knowledge or consent . Gore can only be accused of one minor thing . neutral +Section Conclusion . The section is concluded . entailment +i 'm i 'm you know i 'm in the age group you get out of college and i think a lot of these people have them maxed out Most people in my age group do not have them maxed out . contradictory +The original progressives chose to swim with this basic current of history . Progressives know everything about what happens in current times and history . neutral +so i still hold them but i don 't go I still have the tickets , but I don 't go to the games . neutral +The price of a carpet is affected by its age , rarity , quality of materials and dyes , and tightness of weave . The quality of the materials used to make a carpet will play a significant role in the price it commands . neutral +Rubin himself probably does not care about such back scratching , but it is a lesson that heir-apparent Summers , an eager press hound , has surely absorbed . Summers really likes back scratching while Rubin does not . entailment +Not to accuse anyone of Stephen Glassism , but I 'd love to see Wolff post those copious notes on his promotional Web site , www.burnrate.com. It is fine with me if Wolff does not provide anyone with his notes since I know he is nothing like Stephen Glass . contradictory +Evaluation Synthesis . Synthesis of the evaluation . entailment +The guards of the two blades locked and the men pushed face to face . The men were fighting with weapons . entailment +Steel wells reached down into the Earth , oil barrels lined up beside them . The steel wells were very deep in the ground . neutral +On the north side is the Cafe Bonaparte , and on the west the famous Deux Magots . You can find Cafe Bonaparte on the south side of the complex . contradictory +Its gardens , with ponds , mounds , and shady woods , are English in style ' a relaxing change from the formality of the chateau . The ponds are the home of some rare species of fish . neutral +hand-held computerized screening , interactive headphone delivery of messages , tailored messaging booklets ) to assist in interventions in a There are newer technoligies that can be used to assist interventions . entailment +Now it offers the perfect antidote to the stress of modern-day living , and is the ideal place to recharge yourself before another evening of exuberant nightlife back on mainland Ibiza . It is the perfect place in which to re-energise yourself . entailment +oh i don 't think we did really either I am certain we did not either . entailment +uh change things a little bit i really need to get on a regular type of program and use that thing on a consistent basis I see no need to really change , I think a sporadic plea for help is enough . contradictory +Don Michael Randel , currently provost at Cornell University , has been selected to succeed Hugo Sonnenschein , who stepped down in June . Dan Randel has been at Cornell for five months . neutral +Economic Report of the President . The President made an Economic Report . entailment +Several organizations periodically tested system and network access controls by allowing designated individuals to try to break into their systems using the latest hacking techniques . Individuals were hired to break into several organizations ' systems in order to test them . entailment +He opens people up by agreeing with them . When first meeting a person he opens them up by agreeing with them . neutral +Therefore he would have to run . He must run very fast . neutral +Strangely enough , I can give evidence that will demolish one contention of the prosecution . I can prove nothing about the prosecution 's arguments . contradictory +He was really treating us in the most cavalier fashion . He normally treats us better than this . neutral +Don 't blame the poor fellow . The poor fellow did nothing to deserve blame . neutral +From Van Eyck to Early Netherlandish Painting in the Metropolitan Museum of Art ( New York ) . There are no museums in New York . contradictory +Jon saw Vrenna hurl herself at the fifth rider , both short swords held across her chest and over her shoulders . Vrenna turned away and left Jon to fight the fifth rider . contradictory +In fact , the timeline of major events in GAO 's existence ( see figure 4 ) reveals the increasing development , complexity and influence of difficult public policy issues related to government activity and our accountability The increasing development , complexity and influence of difficult public policy issues related to government and our accountability can clearly be found on the timeline of major events in GAO 's existence as given to us by the reporting team . neutral +bonus she no my my wife does My husband does . contradictory +that 's what i did with mine for a long time put it on the handlebars so i can hang them up I was not able to put them on the handlebars . contradictory +The principal didn 't consider the rapid development of multi-player type games , where the users play with each other on the internet , mostly in the evening . The single player game is played in the morning . contradictory +the manufacturer required new security administrators to spend 2 to 5 days This was a sufficient amount of time . neutral +No , sir , I should leave it on the hall table . I should keep it with me at all times . contradictory +Julius , too , was absent but that to the girl 's mind was more easily explained . Julius was not present . entailment +He is clever , observed Poirot meditatively . Poirot holds a high standard for people 's cleverness usually . neutral +yeah no we 're we 're not we 're not the Tar Heels We are not the Tar Heels entailment +To find what 's on in general consult the Time Out supplement of the Jerusalem Post on Fridays , This Week in Tel Aviv , and Tel Aviv Today , a particularly good free monthly magazine . All Israeli publications cost money . contradictory +How to Live to 100 advises exercise , low-fat food , and perseverance . How to Live to 100 encourages a high-fat diet . contradictory +The user may prefer to sacrifice in-depth information for generalizability and we will have to use other methods , such as surveys or secondary analysis of existing data . The user can prefer to sacrifice in-depth information for more general information . entailment +He doesn 't show how the new elites have been corrupted by their status , or of the misery of How the Other Half Lives . The other half lives better than the new elites . contradictory +In 1998 , we reported that the program had identified 926 critical manufacturing processes and had almost 40 percent in control 2 years before production was scheduled to begin . In 1998 , we found out that the program had found a total of zero critical manufacturing processes . contradictory +yeah but now you know i don 't have a whole lot of time now but i have more time than i did so I 've got a lot of free time . contradictory +oh yeah yeah no no and it 's funny you know You like to pull for the underdog and for a long time i was pulling for Denver Denver was considered the underdog most times . neutral +Systems Interconnection ( OSI ) Functional The Systems Interconnection is functioning . entailment +Large stone crosses at Gosforth and Irton are two of the few physical remnants of their presence here . There are large stones that cross at the Gosforth . entailment +I had to repartition my drive again within Linux to create swap space for the operating system ( for those keeping track I now have three partitions on my hard drive ) . I have 3 partitions on my hard drive to create space . entailment +She remembered nothing of the battle and it frightened Jon almost as much as seeing her unconscious . Jon was worried about her memory loss . neutral +Dave reached to adjust his glasses , and found again that he wasn 't wearing them . Dave adjusted the thick black rimmed glasses he was wearing . contradictory +Competitors would jump at the chance to meet unmet mailer needs . The needs not met should be met neutral +You 'll hang about outside . You shouldn 't wait outside . contradictory +right well that 's it i but i have gotten we have cable and so um that 's We are still thinking of getting cable . contradictory +does he go to have an exercise program too Does he go for an exercise program too ? entailment +Rooms are spacious and classically decorated ; some views of the ( noisy ) plaza . Each room overlooks a serene plaza , despite the cramped size of many . contradictory +It probably didn 't make much difference what he did now or who had him ; time was running out for this world . There is plenty of time for him . contradictory +Portugal 's very precarious foothold on the Asian coast ended in 1999 with a formal handover to China . Portugal remained actively engaged on the Asian coast despite the change in power . contradictory +do you like the Mac real well Do you like the Macintosh computer ? entailment +If necessary to meeting the 40,000 allowance restriction imposed under this subsection the Administrator shall reduce , pro rata , the additional annual allowances allocated to each unit under this subsection . There is a 40,000 allowance restriction set on water usage . neutral +Motivational interview counselors typically discussed the perceived consequences , readiness to change , pros and cons of change , and plans to reduce drinking and avoid alcohol-related injuries in the future . Counselors and the patients wrote down the pros and cons of change . neutral +The Heartbeats , a decent R & amp ; B cover band in cowboy hats . The heartbeats sing country songs contradictory +um the thing that surprises me really is that Israel 's sitting there in the middle of all this uh i mean i i have some bones to pick with the Israeli 's but you 've got to admire their tenacity to be sitting there surrounded by hostile Arabs and to maintain this is our homeland you know The Israelis should leave , they don 't stand any chance . contradictory +Szary to the manager ! The sore specialist for new flavor development heard as if through a heavy acoustic fog . There was someone who worked in new flavor development . entailment +ROI and the Value Puzzle , Federal CIO Council , Capital Planning and IT Investment Committee , April 1999 . The Federal CIO Council did not exist in 1999 . contradictory +I sent off Albert post-haste to Mr. Carter . I requested that Albert remain with me , and sent Jerry to Mr. Carter in his place . contradictory +The result can be a quality suit at a fair price but made-to-measure clothing is not cheap . The higher quality suits are not cheap . neutral +Beside the port sits the quaint , round-domed Paraportiani Church , a favorite backdrop for fashion photographers . The Paraportiani Church has been featured in Vogue Magazine . neutral +and we 're into sports i mean as a matter of fact that 's what we 're doing tonight We avoid all forms of sports . contradictory +little companies of one and two guys you know up there especially this particular one i think was in Maine and New Hampshire where out in the just kind of out in these little towns they 'd be i n they may be the same kind of people you 're talking about you know they 've they 've got twelve weeks to do something and they they 're making furniture and just you know things like that during the winter and then they go off and do other things during the summer Companies in small towns in Maine and New Hampshire would spend twelve weeks making furniture during winter . entailment +Yet San 'doro left openings , some clear and some very subtle . Some of the openings San 'doro left were clear and subtle . entailment +well you were in Peru You went to Peru . entailment +Profiling is also self- Pull over more blacks and you 'll find more guilty blacks . Blacks are profiled . entailment +Critics rediscover the virtues of Arthur Dove ( 1880-1946 ) , the first American painter ( and arguably the first painter anywhere ) to abandon representation . Arthur Dove was an insignificant musician . contradictory +The large , circular place de la Bastille is enjoying a new lease on life . Enjoying a new lease on life is the huge , circular place de la Bastille . entailment +In jail at the same time , for incitement to rebellion , was Congress Party member Jawaharlal Nehru , who was British-educated but also a Brahman intellectual , as his honorary title of Pandit suggested . Jawaharlal Nehru was an uneducated British national who broke out of jail . contradictory +In the first courtyard is the stable , which houses the shrine 's sacred white horse ; the carved panel above the door is the famous group of three monkeys Hear no evil , see no evil , speak no evil ! The stable was built as a temple , glorifying the white horse . entailment +Soups ( corba ) Soups are called Corba . entailment +Participants generally agreed that auditors should be able to speak more freely , openly , and honestly with audit committees on risks facing the company and on the appropriateness of the company 's accounting policies . People think auditors should be able to speak freely . entailment +and uh kind of strange because i it 's not unusual to uh see um an engineering manual or something laying around the house and then i 'll sit up and read just to refresh uh you know to keep active on it but uh how about yourself I like to pick up books that I see around the house . neutral +yeah almost all the time Yes , almost all the time . entailment +and so many things like that so they were There were a bunch of similar things entailment +But we can be effective if [ we are ] thoughtful about how we employ staff and the balance of the service we provide . We will do better with balanced services neutral +and caused problems so solved some problems contradictory +He hated long names . He detested long names . entailment +but uh i enjoy going and cutting the grass i like the way it looks and uh i also have other other garden equipment like uh weed whacker or the trimmer to go around all of the the uh fence and everything I have a total of five garden equipment including the weed whacker and trimmer . neutral +The curves of both models appear to reach a maximum at a discount of about 8a . The discount is at 8a . entailment +i sat down to uh one of the the nurses did the oh they do that um blood deal oh I refused to let the nurse get my blood pressure . contradictory +She 's very thorough in her research , Wong said . Wong agrees that she fully flushed out her research . entailment +In 1998 , she stepped down from her role as director . The left the roll of director in 1998 . entailment +You ought to be used to it by now waitin ' , I mean . You must be new to waiting . contradictory +This is a cheerful thought , but it also means that invoking covert productivity increases doesn 't help explain why even measured inflation remains quiescent . It is sad to think of but it also means productivity increases . contradictory +Just about every economic historian who has looked at the issue believes that standard measures of productivity have consistently understated the true improvement in living standards for at least the past 140 years . Economic historians study how productivity affects our standard of living . entailment +i 've thought about taking a course just so i could change my own oil but and that would help a little bit but i haven 't done it I would never think about taking a course to learn how to change oil . contradictory +There are always giants , and each of you has the potential to become one . None of you will ever be a giant . contradictory +They 're trying to develop what is essentially an international policing consortium . They are attempting to create a local policing group comprising of local companies only . contradictory +yeah yeah the uh i mean there 's still basically ranchers and farmers up there you know They are still just ranchers and farmers up there but more and more kids are going to college . neutral +Felicia 's Journey takes place behind the eyes of its central a young Irish girl , Felicia , who crosses the sea to England in a hopeful quest to find the father of her unborn child ; and the fat , middle-aged catering manager , Hiditch , who takes a paternal interest in the lass when it becomes clear that her young man has caddishly given her the slip . The woman went on a journey to find the father of the child she was carrying . entailment +The grounds , including a royal sacred pool , are lush , and a few steps away is one of the island 's best snorkeling and swimming beaches . The grounds , which lay in disrepair , are located deep within the heartland of the island . contradictory +Today , millions of frequent flyer miles earned on official travel are going unused , benefiting neither the government nor its employees . Millions of frequent flyer miles can be redeemed for gifts . neutral +uh-huh i don 't know I do know . contradictory +A thorough cleaning followed to remove the mold . The mold was removed with bleach . neutral +Easy for you to say , I thought . I thought it was a hard thing for you to say . contradictory +However , if it was the friends ' mistake , we have no desire to embarrass them with their error . We want to embarrass our friends . contradictory +In her 18 years with him , she had never once heard Dole say , ' Here 's what we 're doing . In 18 years with him she never heard Dole say " Here 's what we 're doing " or " How are you ? " . neutral +This product was so thick that it refused to come out of its tube , even when squeezed with both hands at once . The product , although thick , easily made its way out of its tube . contradictory +the computer is the the big advent of that i believe because it they can all hold such large data bases on anybody that all you have to do is touch a button and it appears Computers with large databases have enabled this . entailment +The great pylon ( grand entranceway with twin towers ) of the temple is fronted by majestic statues of Ramses II and a large granite obelisk once one of a pair the other was presented to the French government by Mohammed Ali and now graces the Place de la Concorde in Paris . Magnificent sculptures guard the entrance of the shrine . entailment +More palatable in its goal is the park 's Miyazaki Shrine , dedicated to Japan 's quasi-legendary first emperor , Jimmu , who reputedly commenced his glorious career in this region . The park is just a bunch of trees and grass . contradictory +um i have mixed feelings about it um i don 't particularly care for people who take drugs and uh it 's a possibility of having accidents in the workplace but um i also feel like it 's an invasion of privacy I don 't really care about people who take drugs , but I also feel like it 's an invasion of privacy , I have mixed feelings about this . entailment +Legend has it that St. John the Apostle brought the Virgin Mary to Ephesus around a.d. 37 48 . The tales speak that St. John brought the Virgin Mary thousands of years ago . entailment +On the causeway leading off Old Church Lane is Prince Charlie 's Cottage , where the Young Pretender stayed in 1745 while planning his strategy to defeat the English and retake the British throne . The Old Church Lane has a causeway leading off of it . entailment +Unrelenting , Milosevic undertook the massacres of the last year , which finally precipitated NATO 's bombing . Without relent , Milosevic undertook massacres of last year which on their own led to NATO bombing . neutral +and i just i just hate the emotional price a lot of the Vietnam people paid I do not have empathy for the Vietnam people . contradictory +A cloud of white smoke exploded from the back of the gun and swept into the hot wind . The gun had never been fired . contradictory +In the center of the terrace is Georgian House , owned by the National Trust and restored in period style to show the workings of a typical Georgian household . If you want to see how a typical Georgian household looks like , go visit the Georgian House . entailment +Newsweek devotes the cover package to Mother Teresa , asking when she will be sainted . Newsweek posts a black-and-white image of Mother Theresa on the cover . neutral +He crouched behind the cupboard . He could not fit behind the cupboard . neutral +His lasting legacy was the invention of coinage , which led to the beginnings of our money-based economy . All of his coins had a picture of his face on them . neutral +and they probably they do it all by hand probably They could automate the task fairly easily . neutral +Kabuki , on the other hand , has proved much more popular . Kabuki is more popular because it is more exciting . neutral +Rainy days are the most challenging for parents , but there are still plenty of attractions to fill the time . Parents don 't like rainy days . entailment +Ramses was too proud to accept defeat , commissioning obelisks that celebrated his victory . Ramses always accepted defeat publicly . contradictory +If this boy is alive , he may have very valuable information to give us . The boy may have very valuable information . entailment +On the way down , I couldn 't help feeling the atmosphere . I could feel the mood when I went down . entailment +hm that 's an idea That is something to think about . entailment +The problem is that Kodak really had little evidence to show that it was being frozen out by the Japanese government . There was the retail-stores law , and Kodak produced evidence of state intervention to restrict imports , but it was evidence from the 1960s and 1970s . The Japanese government created vast walls of industrial grade meat fridges , using the icy winds to literally freeze foreign competition . contradictory +oh boy it 's one of those things on the surface you know it seems like a great idea it 's like a joke i heard once about uh elephant foot soup you know it 's easy to do once you find a elephant foot It seems great on the outside but only bad sometimes in certain situations neutral +yeah but that 's quite all right i think they just want to have some kind of normal conversation I think they just wanna have a normal conversation without talking politics . neutral +Are you sure they are friendly ? They might not be friendly . neutral +Here you can rent a car , scooter , moped , or bicycle , or catch the bus . You can rent bicycles here , but it 's really expensive - often more than renting a car . neutral +In the central region , from the Loire Valley to Belgium , Hugues Capet succeeded in achieving a precarious ascendancy , and was crowned the first king of France in 987 . Hugues Capet succeeded in achieving a precarious ascendancy , and for this was crowned the first king of France in 987 . entailment +Don 't go edging sideways towards that bell . To not approach the bell slowly from the side . entailment +That is gone , somehow . " Dave shivered . Dave shivered and told us that they were somehow still here . contradictory +A short distance uphill brings you to the Baroque west front of the Iglesia de Santa Maraa ( between the Calle Mayor and the Calle Jorge Juan ) . Iglesia de Santa Maraa is located downhill . contradictory +Sure , Red . Sure , Red . entailment +Ca 'daan could see a wound as wide as his hand opening up the man 's back from his left shoulder to his right hip . The man was uninjred . contradictory +The damned fanatics . The fans . entailment +The temple served a specific purpose , to host the New Year celebration to the God Amun who would be represented in both his positive form , Amun Ra the sun god and his negative form , Amun-Min a lustful , wanton and outrageous demon . The temple was destroyed many centuries ago . neutral +but in the mean time you used used them you 've got your money tide up in a low relatively low interest uh bearing investment i mean it 's not making ten fifteen percent like a business is today Most businesses today are operating at a loss . contradictory +He once submitted an article with 95 % confidence intervals and it was rejected because it had no p values . All of his articles have been reviewed . contradictory +I think so ... Anna barely began to answer when she was called to the verification office . Anna was calling the verification office but was put on hold and hung up . neutral +Just beyond Seixal , heading east , it is well worth taking a short detour to make the steep climb up to the attractive spot of Chao da Ribeira . Beyond Seixal there is an attractive spot called Chao da Ribeira . entailment +that 's right and that is a that is a definite choice uh It 's forced . contradictory +and i grew up in Saint Louis and Saint Louis was much the same I grew up in St Louis in the 90 's . neutral +But as a working fishing port with an attractive seafront , long promenade , and restored 17th-century Saint-Jacques quarter , the town is worth a visit in its own right . The town has an active seafront and fishing port still in use . entailment +um but i think if we quit uh building these Taj Mahals with the color TVs and sixty dollars sixty thousand a year to keep an inmate in there on a on a on a life sentence we should start hanging them and get it over with and let 's just screwing up the system uh I wanted to see the man suffer neutral +by auditors in order to identify policy and related control deficiencies . Auditors always neglect policy and related control deficiencies . contradictory +" Excuse me , mademoiselle , one minute . " I didn 't speak to the lady . contradictory +Sparks flew from their blades . Sparks flew from their blades as the soldiers battled their enemies . neutral +A permit is needed for river and lake fishing ; details are available from branches of the Portuguese National Tourist Office ( see page 169 ) or the Instituto Florestal ( Avenida Joao Crisestomo 26 , 1000 Lisbon ) . No permit is needed for fishing , just hunting . contradictory +Pa had him a spread down near th ' San Sabe ' fore th ' Comanches came . My parents built a house and barn in the San Sabe about 10 years before the Comanches came . neutral +Postal administrations , however , are often under constraints that limit their ability to respond to such pressure . Postal adminisrators have unlimited resources . contradictory +8 This may entail identifying legislative changes that are needed to clarify or modify Congress ' intent and expectations or to address differing conditions and citizens ' needs that have occurred since the initial statutory requirements were established . The task focuses primarily on legislative changes . neutral +1.10 , formerly methodology transfer paper 10 . 1.10 , previously methodology transfer paper 9 contradictory +That it 's OK to abuse women in Schuylkill County , because you 'll only get a slap on the wrist ? They wanted to make the laws tougher . neutral +His was another example of the bisexual symbolism of fish He thinks that fish are symbolic of bisexuality because he likes how they taste . neutral +In a notice published on November 13 , 1996 , HHS extended the comment period on the proposed rule and announced a public hearing to be held December 10-12 , 1996 . The HHS communicates information by means of a notice . neutral +Its dense , oxygen-rich atmosphere helps those with heart and respiratory problems ; the low altitude permits psoriasis sufferers to expose their skin to the sun for longer periods of time because the rays are less intense . Its atmosphere is thin and lacking in oxygen . contradictory +and and they 're all a handful so it 's got to be something she can do fairly easily and fairly quickly She needs to do something simple and swift because they 're all troublesome . entailment +The pride and joy of the neighborhood is the Meganebashi , a double-arched stone bridge across the Nakajima River . Meganebashi is a stone bridge that had a lot of effort put into it . neutral +uh-huh i love that book though i thought it was great That was a great book . entailment +Prudie is all for romance ( she doesn 't even mind it in the office ) , but when it complicates the lives of co-workers something needs to be done . Prudie , though disgusted by public displays of affection , declined to take action in this case of fraternization . contradictory +Stronger rules , not weaker ones . Firmer rules , not less strict ones . entailment +I remembah dat day jes lak it was yestiday . I have a speech impediment . neutral +Finally , the warring parties focused on New Orleans . They ignored New Orleans . contradictory +so you have to go a little out of your way huh yeah yeah I enjoy making an effort . neutral +Here was confirmation of his theory . His theory was given credibility here . entailment +Romeo and Juliet were only 14 and , by the end of the play , dead . Romeo and Juliet died young . entailment +On the right is an austere hostel and chapel for the few pilgrims who passed this way , and beyond it the forge of the hard-working Ceter ? ­ cians . The hostel is luxurious and large enough to accommodate the many pilgrims who came here . contradictory +As a museum conceived primarily for students of Florentine painting from the 13th to 16th centuries , the Accademia Gallery ( Galleria dell 'Accademia ) ( Via Ricasoli , 60 ) ranks high on Florence 's must-see list . The museum was designed for people studying Roman music . contradictory +yeah yeah well i i uh i work with computers at work and then i come home and do and i have uh a little lap top at home that i just like to play with I have a computer for working and a laptop for gaming . entailment +yeah well i wish you the best I wish you good luck . entailment +I lost everything . ' My teeth chattered . I lost everything in the Great War . neutral +The Moors built a second wall , of which towers and remnants are still evident today . The Moors constructed another wall after the first wall they built was damaged during an attack . neutral +He passed a village , but it had been looted , and he skirted around it rather than stare at the ghastly ghoul-work of the looters . The village was in great shape so he stopped there for the night . contradictory +The Clinton administration has not officially taken a position on the civil war . They were the ones that started the war . contradictory +7 Section 4 discusses in more detail how federal fiscal policy affects national saving . The federal fiscal policy may affect national saving in many ways . neutral +To assess the impact of this , it was assumed that the boilermakers in the U.S. continued to grow at the 5.3 percent pace that the International Brotherhood of Boilermakers , Iron Ship Builders , Blacksmiths , Forgers , and Helpers has set as a minimum growth target . The growth rate of U.S. boilermakers didn 't come into account in assessing this . contradictory +a 716 ) to authorize GAO to enforce its right of access to agency records , made it abundantly clear that Congress viewed the President and his A 716 authorizes the GAO to make it abundantly clear that Congress cannot view the President . contradictory +The police The crime was random , not a hate thing . Parents ' That 's all the more frightening . The victim was targeted by a stranger because of the way he drove that morning . neutral +Their authorized stay in the United States depends upon the terms of their employment contract Employment contracts do not affect authorized stays for visiting workers in the United States . contradictory +I couldn 't have cared less if President Clinton had an extramarital affair , other than that he spent taxpayer money to get on television and swear to us repeatedly that it did not happen . I was really shocked that President Clinton had an extramarital affair . contradictory +Despite the success of LSC and its many contributions to access to justice for low-income Americans , its achievements are overshadowed by the fact that so many in our society continue to suffer injustice and are unable to gain access to our system of justice . The LSC has a great impact at a local level , but many other areas are still lacking in services . neutral +Stone huts dotted the green hillside . The stone huts all had weapons in them . neutral +and i i get probably four calls probably four a day probably three day a norm but seems like it seems like it 's more than that of phone calls and and it i 've gotten to where i 've really had to say okay wait a minute this you know it 's okay to be nice and sometimes you know i feel like God says talk to this person or something but most of the time i just have gotten where i can say i 'm not interested thank you and i just hang you know and i hang up real nicely but I never answer the phone when it rings . contradictory +The doggie deposited several droplets of precious liquid from his tiny , pure-breed bladder into the puddle . The dog defecated in the puddle . contradictory +That we 'll need to work on , said Jon . Jon thinks everything is perfect . contradictory +News Quiz participants offer two oddly contradictory views of Princeton life . All News Quiz participants seem to agree on Princeton and the life around it . contradictory +Barry agreed that difficult cases do take most of the time and resources currently spent on alcohol problems in the ED . Most cases take less than a week to complete . neutral +in cold frames or whatever the In hot frames . contradictory +Wal , thar 's aplenty to see tonight , right enough . He was tired of watching all the murders . neutral +Unlike Murray , Boaz draws no exception for public goods . Murray 's plan is better than Boaz ' because it allows for public goods . neutral +yeah yeah it it 's terrible you know and It 's terrible that animal pornography is widely available . neutral +I can read . I have had enough education that I am able to understand the printed word . neutral +Brill accuses Newsweek of suppressing critical exculpatory information about Clinton in its initial story published online . Newsweek was never accused of suppressing any information . contradictory +I would encourage a reinterpretation of the exclusionary principle to keep criminals in jail where they belong , but only if the cops and prosecutors are severely punished for their crimes as well . Cops and prosecutors are committing crimes . neutral +And that would be that . And then it would linger on . contradictory +The helicopter was armed . An armed helicopter . entailment +um-hum um-hum that 'd be tough yes absolutely It would be tough for our family . neutral +'Yes , sir . ' I said , a little bit stiffly . I spoke stiffly , stating just " Yes , Sir . " submissively . entailment +Disney would have been better off letting the negative story run . Disney would have been better served by letting the story run . entailment +Still , there are some very pleasant walks around what are still referred to as the castle grounds . Some of the walks take an hour to go through the gardens . neutral +Price includes breakfast . The price includes no meals . contradictory +The men looked at one another and then to a large young man to their right . The men looked at each other than at a man to their left . contradictory +It was beginning to rain , and I was soon pretty near soaked through . I was soaking wet soon after the rain began entailment +um-hum let 's say i 'd have to say overall that the the war was was beneficia l to the United States with with the change in attitudes and all that you know all that stuff i mean it 's people think better about uh the US now and that 's really going to i think eventually come back and and help with overall business standards i mean people are going um take more pride in their work and things like that i think it 's going to really help out overall The war was terrible for the US . contradictory +The interior could not be more in contrast to the vast exterior . The interior and the exterior are very different . entailment +Los University of California , Center for the Study of Evaluation , 1977 . The Center for the Study of Examination , University of Columbia contradictory +When it fell , the Temple and all the buildings were burned . The Temple was burned . entailment +The benefits of the final rule are expected to be an exposure reduction of 10 percent to 43 percent , with a best estimate of 27 percent . This rule is guaranteed to reduce exposure by ninety percent . contradictory +We 're not all cowards like you ! You are a coward but we are not all like that . entailment +And don 't you forget I 've got you covered every inch of the way . Please don 't remember that I cannot cover you more than halfway . contradictory +In such cases , the components may need to provide additional disclosures or different measurements required to comply with Federal GAAP . The measurements required by GAAP are strenuous . neutral +Look for evidence of a crew cut and a fish-reliant diet . Diets heavy in fish are healthy . neutral +The Ottoman Empire was weakening , however , and in 1821 , the peoples of the Greek mainland achieved nationhood for the first time . The people of Greece worked hard to be free . neutral +so um i get you know we i saw some news out of like New Hampshire and a big thing in the courts right now is um they don 't have enough stalls in women 's bathrooms as they do men 's bathrooms The men 's room has less stalls than the women 's bathroom . contradictory +You 've just had a thundering good breakfast . You didn 't eat breakfast , did you ? contradictory +Francois brought Leonardo da Vinci to work at Blois , and Rosso and Primaticcio to decorate Fontainebleau . da Vinci was not known for high quality work . contradictory +Tommy accepted defeat quietly . Tommy decided to quietly concede defeat . entailment +Kathryn Harrison 's status as voodoo doll has nothing to do with the actual merits or failings of her book , but is entirely owing to how economically her case concentrates the fears , resentments , misconceptions , and idiocies prevailing right now . Kathryn Harrison 's status as voodoo doll has nothing to do with the actual merits of her book , entailment +It 's a tough position for New Yorkers ( as many of you are ) to be put in--invited to joke about scents and sensibilities . It 's not an easy spot to be in . neutral +There are two relevant coefficients from the Schwartz et al . There are two coefficients from the Schwartz et al which are relevant . entailment +To successfully carry out its responsibilities to the Congress and the American people , GAO first and foremost must be perceived as credible and must lead by example . Reputation is important , a bad one will mean nobody will trust GAO . neutral +Prudie is willing to blow her cover and offer you her When stuck , just say , Tell me your whole name , implying ( alas , fraudulently ) that she remembers one name , but not both . Prudie was in secret . entailment +OMB noted that the guide and the practices suggested in it will help federal agencies as they implement GPRA . It was suggested in the guide and practices that it will help federal agencies . entailment +In the absence of an indigenous alphabet , Japanese scholars had with the greatest difficulty tried to adapt the complex ideograms of monosyllabic Chinese to the essentially polysyllabic Japanese . Japanese scholars adapted monosyllabic Japanese to polysyllabic Chinese . contradictory +As a preliminary matter , using the fixed / variable ratios for U.S. The fixed / variable ratios for the U.S. were used . entailment +We had her down as Rita Vandemeyer , but I suppose that 's incorrect ? Is Rita not her name ? entailment +Respond in kind and you 'll soon feel at home . You should start ignoring them entirely . contradictory +He didn 't want us to do this . " He is going to be angry that we did this . neutral +well i think it 's caused a lot of you know big difference between when people had gone to war before like compared to Vietnam because i mean i know that there was so much more support for the soldiers going over and even people that didn 't agree with the war still seem to be able to separate that The support for the war was for our soldiers , not the reasons for the war neutral +Their popularity surpassed the wildest expectations of the company 's owner from Kolatkowo , who in a fit of happiness , threw himself off a bridge . The company owner jumped off a bridge that was 2 feet high . neutral +Memphis Area Legal Services and six other nonprofit groups will share more than $ 124,000 to help them operate , analyze and plan for growth and survival , thanks to a new focus by the Community Foundation of Greater Memphis . Due to a new focus by the Community Foundation of Greater Memphis , the Memphis Area Legal Services and other groups will get a sizable amount of money of the operation and analyzation of growth and survival . entailment +There is one mysterious death that has been haunting the country for the past 24 years that the Globe does solve . The mystery of the deceased was solved by the Globe . entailment +Nature itself is the primal essence enshrined and worshipped at Ise , as implied by the carefully orchestrated approach to the sanctuaries past the limpid Isuzu River and through the forest . Nature is worshiped at Ise because it is such a beautiful location . neutral +I wonder who ' they' i am curious about the other . entailment +I released the triggers , and the storm stopped . It was only a coincidence that when I released the triggers the storm stopped . neutral +Ah ! said the Coroner . The coroner knew the cause of death . neutral +and i went the next morning to Arlington and they gave it to me for that price and what 's so funny is they took the car they i knew they were gonna pull it from Town North because that 's where the white one was and they had already told me we located one at Town North so it was that same car I went there the following day to Arlington , and got it for that price . entailment +the number of security managers and systems administrators who were There are more systems administrators than security managers . neutral +The anonymous message board on greedyassociates has dramatically expanded that network , and now information about the latest salary increase or layoffs is shared instantaneously with thousands of associates throughout the country . Greedyassociates is known for reducing the network and revealing information about new hires soon after they join their organizations . contradictory +However , he raised a larger issue-the moral imperative of screening . The moral imperative of screening is more controversial . neutral +Go to a garden store , and you 'll find products with delightful names like Olivia 's Cloning Compound , a mix of hormones to dunk on the cut end of a shoot to help it take root . The products at gardening stores are often given technically or scientifically derived names ( like Olivia 's Cloning Compound ) to describe their purpose . neutral +In such cases , most of the duties originally paid are refundable when the finished product is exported . Duties are not refundable . contradictory +During excavations , a cache of 17,000 items dating from the Roman era was found . Roman period artifacts were discovered through excavations . entailment +'Derry , ' the thought suddenly occurred . The thought of Derry never crossed my mind . contradictory +In any event , EPA claims to have engaged in a number of efforts to consult with other units of government as described in the proposed rule , 61 Fed . The EPA claimed to have refused to consult with other governmental units . contradictory +It will be the failure of someone much less a businessman . It will be a huge success . contradictory +I 've screwed and saved and pinched ! I have never screwed nor pinched . contradictory +so you think it 's just up to individuals to ask automakers for uh less polluting vehicles It 's your view that automakers should take sole responsibility for changing emissions . contradictory +There were no glass panes in the windows . There were not any glass panes in the windows . entailment +The often bustling resort town of Tiberias dominates the western shore . Tiberias is a resort town . entailment +When a college audience annoys him by clamoring for Latka and Mighty Mouse , Carrey as Kaufman proceeds to read all of The Great Gatsby on stage . Jim Carrey is an overzealous harlot who worships the anti Christ . contradictory +Mrs. Vandemeyer showed no surprise . Mrs. Vandemeyer looked very surprised . contradictory +horrible things yeah well yeah i guess he has i think they should have gotten rid of him that 's that 's the thing He left on his own . contradictory +They always come back and bring others with them . They do not stay away and they always have others with them . entailment +These early crosssectional studies were criticized for a number of methodological limitations , particularly for inadequate control at the individual level for variables that are potentially important in causing mortality , such as wealth , smoking , and diet . For failing to control for variables such as wealth , smoking and diet , these studies faced criticism . entailment +Altea boasts a number of art galleries and an artists ' colony well-known in the region . There are many art galleries in Altea . entailment +The Forbes campaign claims that more than 160 stations in 45 states carry this commentary . This commentary is carried in almost all the states . entailment +you know when when he sort of went away i started thinking yeah well he was performing fairly well but he really wasn 't worth the baggage you know He went away and I thought he was doing well but wasn 't worth the hassle of his off-court behavior . neutral +Some of what is on it will be very good , a lot of it will be junk . The good portion of the material on it will make up for the junk . neutral +yeah i understand what you say there was a uh the time that i was down there i stayed quite a a bit at the uh uh one of the big hotels San Salvador and at the time i thought there ought to be a law against American tourists because they for the most part tend to be the most obnoxious as a as a group and i saw this in Panama so uh oh you know it 's it 's the uh the almost stereotype Americans think they 're the best with their hot dogs and hamburger buns . neutral +We would like to thank members of GAOas Executive Council on Information Management and Technology for their comments and suggestions in the development of this guide . Members of GAOas Executive Council must be thanked for their help in the development of this guide , which will benefit everyone . neutral +The gravy formed strings as I lifted the fork to my mouth . The gravy was smooth and the perfect consistency . contradictory +Your campaign has been flat at best , she commented . She thought the campaign had been flat . entailment +'Listen , Natalia . I don 't need you to hear me . contradictory +Jane and Mary 's dependence and deference as they maneuver for Owens ' attention ( and money ) , Owens ' domineering response to his family , Olivia 's defiance of Owens at the end--all are presumably meant to suggest , with due irony , that in America , plus aa Jane and Mary don 't want anything to do with Owens . contradictory +I brushed it aside . I started to pay attention to it . contradictory +'Why not ? ' Why shouldn 't we ? entailment +yeah auto repair tends to be a a topic that a lot of people don 't uh don 't like i guess because it 's usually expensive and uh people end up not pleased with the job sometimes or not pleased with what they had to pay for it so uh i guess it 's kind of a sour grapes type topic i just recently had um Auto repair is never expensive . contradictory +Southeast of town is Shiroyama Park , whose unlandscaped slopes covered with wildflowers have a pleasantly natural look and offer an extensive panorama of the town and the Japan Alps beyond . Shiroyama Park has natural-looking slopes which provide a panorama of the Japan Alps . entailment +At the very moment when Ms. Halinne Swider yelled out ' yyyyyyeeeees ! ' the droplet lost its twentyseven hued tint and dived into the dark organic abyss of her mouth . Swider yelled when the droplet landed in her hair . contradictory +No matter how well designed and operated , internal control cannot provide absolute assurance that all agency objectives will be met . Internal control can 't assure an agency that all their objectives will be met . entailment +and you said you were in Colorado Springs I 'm looked for you in Colorado Springs . neutral +The island 's irrigation system is composed of 2,150km ( 1,350 miles ) of channels . There are fewer than 1,000 miles of channels in the irrigation system . contradictory +The survey results were then used to guide improvement initiatives . The results were used to make changes to the funding goals . neutral +The second row of the table is devoted to First-Class Mail in HH-to-NHH ( Household-to-Non-household ) sector . The seventh row deals with HH-to-NHH sectors . contradictory +The nearest temple to Aswan Town is Philae . The closest temple is Trepidae . contradictory +The market recognized this and adjusted . The market adjusted to this new event . entailment +The addition of this staff will increase the state 's legal service 's advocacy staff by over one-third . These are the first new hires in years . neutral +The problem is , little else in his book suggests that this dream will become reality . It is unlikely that this dream will become reality . entailment +But one , one quite near to me ... one was unmistakable . The one really stood out . neutral +Friend , said Jon . Jon said Friend . entailment +Don 't despair ; make up your own picnic hamper from the local market before you get aboard ' cold meats , salad , Camembert , grapes , baguette , and wine can add a terrific sparkle to the countryside flashing past the window . The cold meats are usually freshly butchered at the market . neutral +Yeah , I died this morning , which is why I 'm fairly fresh now . Correct I was dead this morning but now I am renewed . entailment +Only the squeamish will object to the giant toads and harmless little white cave-racer snakes . There are giant toads which squeamish people will object . entailment +At Kuradase , Bodrum , and Marmaris you 'll see sponges in all shapes and sizes , while Bodrum 's hand-crafted leather sandals are not only chic and cool , but practical , too . No one has ever seen any sponges in Marmaris . contradictory +The Department of the Treasury 's rule is adopted pursuant to 26 U.S.C. The department if Treasury 's rules weren 't taken from usc contradictory +Unfortunately , their zeal was not matched by their discrimination . The army was unraveled through zealotry . neutral +3 . The religious right is scary . I am part of the religious right . contradictory +and i i never i didn 't want to say too much for fear he would think it was wrong and wouldn 't do it anymore I didn 't want him to stop , so I said nothing about it . entailment +Whereas the nucleus of Florence was built to a strict Roman city plan of straight streets intersecting at right angles , Siena has all the Tuscan hill-town 's haphazard organic forms , straggling up and down a forked ridge of not one but three hilltops . Siena is much more disorganised than the city of Florence . neutral +The crypt and tower , and sometimes the cathedral itself , may be closed at lunchtime . The crypt and tower are sometimes closed at lunch . entailment +They should also steer beneficiaries away from other beneficiaries , to keep pockets of concentrated poverty from re-emerging farther from the city 's core . Steering beneficiaries away from one another will keep pockets of poverty from re-emerging outside the city 's core entailment +Foster 's book is not only a fine account of Yeats ' early life Foster 's book is a horrid account of Yeats ' early life . contradictory +Even though quantifiable data was lacking during most of 1998 , LSC had sufficient information to begin taking actions to address the problems . LSC had a wealth of quantifiable data in 1998 , but still failed to start actions to address the pbolems . contradictory +Today 's Papers will be updated daily throughout the week . They will not be updating today 's papers at all . contradictory +oh no i don 't i 'm a i 'm a student uh I am a student and have a lot of loans . neutral +That means , in turn , that it 's hard to figure out whether a company will be profitable next year , let alone whether its stock price is going to double . By next year we will be profitable , I just know it ! contradictory +North of them , a glacier stream flowed past and into the heart of the mountains to the east . There was a stream flowing into the heart of the mountains . entailment +It took time for men to recognize that they did not have to promise marriage in the event of a pregnancy in exchange for sexual relations . Men still promise women before sleeping with them that they 'll marry them if they get pregnant . contradictory +And although we are a little older and slightly grayer and certainly more jaded , and we know now that we won 't see it happen in our lifetimes , we still believe-I still believe-that our collective dream of a justice system that lets client walk through the doors of justice unimpeded and unshackled , is a dream that we will achieve . There are big differences between them and us . entailment +Gentilello concurred , commenting that insurance claims data can be a useful source of follow-up data , as can a simple phone call to inquire whether a patient has returned to the doctor recently . Gentiello disagreed about the insurance claims and said that the matter would not be discussed again . contradictory +I almost always feel a very strong attraction to doughnuts . Doughnuts are my favorite food . neutral +Only this time it would be an axe that would hit me instead of a club . The demons switched to axes instead of clubs to hit people . neutral +Worker strikes and protests erupted in Poznan , and spread into armed confrontations in the streets . The protests in Poznan were all peaceful . contradictory +Therefore , as discussed below , HCFA prepared combined regulatory impact / regulatory flexibility analyses in connection with the rule . HCFA prepared the analyses according to the rule . entailment +It won 't take a genius competitor to come up with this plan . The plan to sabotage the leading company will be thought up by a competitor . neutral +I didn 't want to look back , in case I saw something unpleasant . I was trying not to look back , In case I would see something I didn 't want to . entailment +ISSUES FOR WHICH CHANGES WERE MADE TO THE PROPOSED STANDARDS PROBLEMS FOR WHICH CHANGES WERE MADE TO THE PROPOSED STANDARDS entailment +number one turned out just great and the lady said she couldn 't believe that they know that i had done it in the colors that they had decorated the uh the nursery and i didn 't even know it The first blanket turned out great and she couldn 't believe it . neutral +He spoke for a long time and their eyes stayed on him . As he spoke about the war , their eyes stayed on him . neutral +in which Quentin Compson puts together a story that rattles family skeletons and points up the reality that white Southern culture is blacker than meets the eye . Quentin Compson believes many white Southern families actually have mixed raced ancestry . entailment +really i like it It is one of my favorites . neutral +lawyers perform a necessary service to society by increasing access Lawyers aren 't necessary . contradictory +Though he describes himself as being to the right of Attila the Hun on crime , he authorized the Willie Hortenesque early parole of more than 700 sex offenders in 1992 . He see 's himself as hard on crime , but acknowledges that there can be cases for early parole , as there were in 1992 . neutral +the real story and and and for to for all of them to get an understanding of how their characters were they could they watched older videotapes you know of their them in interviews and things like that so they tried to make it pretty you know close to the line They watched video tapes of their interiews . neutral +FBI men installed microphones in King 's Washington , D.C. , hotel room and turned on the tape recorder . FBI agents put microphones in King 's hotel room in Washington DC to record him . entailment +On the internet , this ' black hockey ' was quickly named as the most extreme sport in history , and its popularity began to exceed that of standard ' white hockey ' . Black Hockey became more popular than White Hockey . entailment +He also built the royal palace of Aranjuez and reconstructed the Alcazar of Toledo . He designed both the interior and exterior structure of the royal palace of Aranjuez . neutral +Then I set to work to prove the impossible possible . I had no desire to prove the impossible possible contradictory +There is a small shopping center on site , but the main duty-free malls and the beaches are only minutes away . The duty free malls are miles away . contradictory +and our routine has come obviously hectic with teenagers and everything and she 's much and so the stimulation part is really important i think like any animal anything you just lay around uh that 's the fastest way to die i think you know With a hectic routine , sexual stimulation is important . neutral +You should know by the time you arrive at Poiso whether or not the journey will be worth the effort . You should know if it will be worth all your long hours . neutral +De facto leader Jean-Bertrand Aristide has proven nearly as authoritarian as former dictator Papa Doc Duvalier . Papa Doc Duvalier was a dictator . entailment +As we have advised the Vice Presidentas representatives , the submission is incomplete and is not fully responsive . The Vice Presidentas representatives have been informed . entailment +Financially , it shuffles expenses from government to someone else , usually the person being sued . Expenses would usually be shifted to the person being sued . entailment +Sobieski was elected king of Poland , but his attentions to battles against the Turks at the expense of domestic affairs did not bode well for him and Poland . Sobieski was fifty when he became king of Poland . neutral +Look right when passing the compound to see the beautiful , Renaissance-style Russian Cathedral of the Holy Trinity , topped by a green dome . The Cathedral of the Holy Trinity can be seen by looking to the left when walking by the compound . contradictory +After his service , Bush lived off his savings , lounged around a singles apartment complex , and drank to excess . After his service , Bush drank to excess . entailment +This question generated , by far , a record number of similarlies all focused on Pat Buchanan 's politics . The question generated a record number of differences focused on Mr. Buchanan 's politics . contradictory +The Postal Service 's innovative Mailing Online service , for which a three-year experimental trial was requested and approved in Docket No . The Postal Service 's Mailing Online service was approved for an experimental trial of 3 years . entailment +Due to this rationalization of delivery cost in the U.S. , the postal densities of the most sparsely populated areas are higher than the densities of the most sparsely populated areas of France . Postal density refers to the amount of junk mail delivered in a given area . contradictory +oh wow that is really interesting are you saying to use like um for chocolate like unsweetened unsweetened i always find chocolate related things interesting . neutral +The body , in a white shroud , is carried on a bier of bamboo to the river 's edge , where a few drops of Ganga water are poured into the lips of the dead . Dead bodies are brought to the river 's edge covered in black shrouds . contradictory +when they 're drive and that 's why why i guess the car insurance has no nonsmoker rates or whatever as well I believe certain car insurance providers have different rates for smokers . neutral +Internal control should be recognized as an integral part of each system that management uses to regulate and guide its operations rather than as a separate system within an agency . Internal control is part and parcel of the systems used by agencies ' management . entailment +and you just pick a campground on the river if it got you know over a hundred and ten degrees you went over the levee and jumped in the water The campground by the river is cold . neutral +Leading north from the Piazza del Duomo , the huge croseshaped shopping arcade of the Galleria Vittorio Emanuele is a splendid steel and glass monument to the expansive commercial spirit of the 19th century , and a prototype of today 's shopping mall . The Galleria Vittorio Emanuele is nowhere near the Piazza del Duomo . contradictory +For some reason , I wasn 't much moved by the old Number 31 , 1950 . But , a 15 foot long monochrome work on loan from Desseldorf , Germany , took my breath away . A monochrome piece of art from Germany stunned me . entailment +One is an easy , flat , and short ( about 30 minutes roundtrip ) trip to the Risco waterfall . A dip in Risco waterfall is very refreshing . neutral +yeah how about how about uh long term do you have anything uh for as far as as far as savings go for long term Do you spend all of your income at once ? contradictory +The Allowance Tracking System for sulfur dioxide allowances was already established for the Acid Rain Program , and essentially the same system will be used for the new sulfur dioxide trading program . Allowance Tracking System and Acid Rain Program have the same system for sulfur dioxide trading . entailment +With these she could control them , use them as little four-legged helpers . SHe could control the helper dogs . neutral +yeah right you watch the reruns boy i mean you could watch those for a long time if you haven 't if you don 't even know what 's going on at all You watch reruns . entailment +The king shook off the domination of the India Gupta emperors and extended his kingdom from the Kosi River in the east to the Gandaki River in the west and from the Terai to the Himalayan passes . The Himalayan passes were the furthest reaches of the king 's kingdom . entailment +that would be an example where my sense of threat would be high because i would find that there 'd be could good possibility that their facts were were fantasy Fantasies are factual . contradictory +In planning the engagement , auditors should obtain an understanding of internal control7 as it relates to the subject matter or assertion to which the auditors are attesting . Auditors get an understanding of the internal controls that are in place in each non-profit . neutral +Do you think you can go halfway , and then swing yourself down BEHIND the ladder , so that they will not see you ? " Tommy nodded . Can you go halfway and hide behind the ladder ? Tommy nodded . entailment +Man Bites Dog is a great headline . Something like Man Bites Dog would really grab attention . entailment +The page also features a condensed history of Beijing ( disguised as a Beijing Tour ) , links to China 's music , and a reader forum . The page features a history of Beijing , music and a forum . entailment +There were no windows , which seemed queer . There were two doors . neutral +Second , it would be informative to divide the IC mail exchange into LC and AO components . It would be informative to split the IC mail exchange into two groups . entailment +And only the sky is composed of all four elements--of earth , of water , of fire and of air--in equal proportions . There is no such things as the four elements . contradictory +I would be tempted to reply that lies and cover-ups intended to thwart the workings of democracy on an important public policy issue seem to me to be a lot worse than lies about an embarrassing personal mess . None of the lies and cover-ups are designed to affect the government . contradictory +yeah on the other hand most people don 't use rapid transit because it 's so inconvenient Rapid transit is super handy , so I don 't know why more people don 't use it . contradictory +yeah i don 't do much with flowers myself i just get a lot of evergreen evergreen type shrubs some uh I don 't buy shrubs nor flowers contradictory +yeah and she 's pregnant did you know that She had a hysterectomy and unable to have children . contradictory +To the south , in the Sea of Marmara , lie the woods and beaches of the Princes ' Islands . In the north is the Sea of Marmara where there are mountains to climb . contradictory +Ever see anything like them ? Have you ever seen anything similar to them ? entailment +XIII The Merchant said , " Will we be taking off soon ? " The Merchant said something about the products . contradictory +The decision was viewed as a vindication of automakers , who warned of such injuries many years ago ; the Wall Street Journal touted the humbling retreat of former air-bag evangelist Joan Claybrook . The Wall Street Journal touted the humbling retreat of former Muslim Barack Obama . contradictory +But should we refer instead to the beginning of the Polish round-table negotiations ? Is it better to refer to the beginning of the Polish round-table negotiations ? entailment +Originally named Villa Manteca by the Spanish ( Fat Cite because they used to butcher wild pigs in the area ) , Montego Bay developed into a center for sugar cane and became a banana port under colonial rule . Colonists were responsible for developing the previously untouched and uninhabited Montego Bay area . contradictory +He wanted to save as many as he could but the chaos of their first flight would aid Thorn and the Kal . He thought the flight would help Thorn and the Kal . entailment +no i i don 't think so I think that 's right ! contradictory +Sara Nelson 's Gingerbread , made and sold at their shop in Grasmere , can be bought in pretty tins to take home . Gingerbread can be bought in tins at a shop in Grasmere . entailment +Lawrence Grosberg , a New York Law School professor and chair of the city Bar 's Legal Education and Admission to the Bar Committee , said he expects to issue a draft report on loan forgiveness within three months . Professor Grosberg stated he will not be issuing any draft regarding loan forgiveness . contradictory +These comments were reviewed and considered as discussed in the preamble to the final rule . As the comments were believed to have been discussed in the preamble to the final rule and they were reviewed . entailment +Jones ' lawyers went on several TV shows , threatening to raise further allegations in court . Jones ' lawyers defended their claims on tv , saying they would sue Clinton . neutral +Despite the success of LSC and its many contributions to access to justice for low-income Americans , its achievements are overshadowed by the fact that so many in our society continue to suffer injustice and are unable to gain access to our system of justice . Low-income Americans are not well served by the LSC . contradictory +The model simulates the size of the pool of exchangeable base cations in the soil . The model simulates the size of the pool of base cations in the dirt in the desert . neutral +He dropped it near Adrin , who buttoned his trousers . Adrin buttoned his trousers . entailment +i 'd encourage it I would support it , but I know you 're angry neutral +isn 't that the truth it 's funny in fact it 's interesting to me that so many of the songs now i grew up in the late fifties and early sixties and so much of the music that was popular at that time has come back Some music has returned , but some of it I wish hadn 't ! neutral +A pleasurable thrill of excitement made Tuppence tingle . Tuppence was feeling energetic . entailment +I saw the size of it ; the unfathomable scale that would make giants seem small and skyscrapers tiny . It was small enough to fit in my hand . contradictory +Note that since many festivals follow the lunar calendar , the actual dates vary from year to year . The lunar festival is on the same date each and every year . contradictory +Here you can rent a car , scooter , moped , or bicycle , or catch the bus . The bus service was suspended 15 years ago . contradictory +This glossary is presented as the last appendix to the volume . The volume is nearly 800 pages long and has at least eight authors . neutral +.. something different . Something equivalent . contradictory +Then why see her ? Tommy paused . Tommy didn 't understand why she should be seen . neutral +But one suspects this is not the example that actually worries Alterman . One suspects that this is not the example that actually worries Alterman . entailment +i think it 's somewhere really close to that cause i think a lot of people believe that their one little vote is not going to make that much difference and they really don 't listen to any of the issues anymore because they feel like so many of the politicians are like crooked you know and so they figure why go out and vote you know they 're going to do what they want to do they 're corrupt anyway The people will revolt against crooked politicians contradictory +A generation later , during the War of 1812 , many New Englanders considered seceding from the United States , whose federal government was then dominated by Southern politicians . Many New Englanders applauded the federal government during the War of 1812 . contradictory +Table 2 has the same format as Table 1 and shows the breakdown of First-Class Mail by use . Table 3 is also in a similar format and breaks down Priority Mail by use . neutral +The result was a lack of knowledge about whether the critical manufacturing processes could produce the product to established cost , schedule , and quality targets . It was unknown whether the manufacturing process could meet the target quality . entailment +A frequently cited example of overlap and ineffectiveness is the federal food safety system , which took shape under as many as 35 laws and was administered by 12 different agencies yet had not effectively protected the public from major foodborne illnesses . Even with so many laws and regulations under it , the federal food safety system was still missing important things . entailment +yeah oh good oh good i was just going to ask you how it you know if you liked the the but obviously you do or you wouldn 't have him there i know but So do you like it there or not ? neutral +His portraits of saints , hermits , and martyrs reveal impeccable drawing skills , composition , and keen exploitation of light and shadow . His portraits , which depict saints , hermits , and martyrs , demonstrate his impeccable skills . entailment +Ca 'daan grew nervous , would they fight ? Ca 'daan knew they would fight , and committed to stopping their advance here and now . contradictory +Auditors must be independent both in fact and appearance in order to be credible . Auditors can appear to be corrupt without damaging their credibility . contradictory +These fierce warriors managed to halt the Roman advance , and a prolonged pitched battle ensued in this borderland . These warriors couldn 't stop the advance of the Romans . contradictory +Further , as we reported in April 2001 , the National Infrastructure Protection Center had mixed success in establishing information-sharing relationships with other government entities and private industry . The National Infrastructure Protection Center didn 't have the anticipated success in establishing good information-sharing relationships with other government entities . entailment +i think when we moved here it was like a hundred and twenty something like that and i didn 't realize when i moved here that it was a separate town from Dallas It was around 120 when we moved here . entailment +Amendment to the Commission 's Rules Regarding a Plan for Sharing the Cost of Microwave Relocation , First Report and Order and Further Notice of Proposed Rule Making The commission has rules about sharing microwave relocation costs . entailment +Note the gentle beauty of Correggio 's Nativity and Adoration of the Magi . The Nativity and Adoration of the Magi was not created by Correggio . contradictory +The Calvinistic reforms were soon reversed when Kaahumanu died and Kamehameha III ascended to power in 1824 . Kamehameha III surrendered his power to Kaahumanu . contradictory +One of the most important companion projects was and continues to be competition . Competition used to be and still is an important companion project . entailment +The Deer Park to the north of the excavations is just a modern afterthought , pleasant to relax in , but not related to the original . The excavations to the the north of the Deer Park makes it a unpleasant noisy atmosphere . contradictory +It is only in old age that change is unwelcome , said the Astronomer , " and races can be old as well as individuals . " Being old makes people want to stay constant . neutral +I shall have seen her face when I ask it . " Her reaction is very important . neutral +( To read the first three chapters , click here . ) Click here to read the first three chapters . entailment +This too is a splendid place , hung with magnificent chandeliers , laid with priceless carpets , and decorated with fine mosaics , but you should visit El-Aksa before the Dome of the Rock , as it is bound to suffer by comparison . This is a sparsely decorated , dull little place . contradictory +If the state planning body disagrees with the Vice President 's decision , they may then request a face-to-face meeting with the LSC President to seek reconsideration of the Vice President 's recommendation . The state planning body can meet with the VP to discuss the decision . entailment +Gottlieb , who was vacationing in New Zealand , asked his secretary to check it out . Gottlieb was on vacation . entailment +I also really believe that what people were responding to during the World Cup was the spirit of those women . People didn 't respon to the women . contradictory +I suppose it would do no harm to walk toward the hill . The hill looks peaceful . neutral +Several alternatives exist for recording changes to established schedules . Many alternatives exist for recording changes to established schedules entailment +The Peak Tram , originally steam-powered , was built to speed the wealthy taipans to their mountainside retreats . The Peak Tram is now powered by electricity . neutral +No , he said . Jon told the children no . neutral +Beautiful sandy beaches like Platja de Mitjorn go on for miles . The beach goes on for miles . neutral +The shops of the Israel Museum and the Tel Aviv Museum of Art are also good . The Israel Museum 's shop sells souvenirs and trinkets . neutral +oh actually i i work for Texas Instruments and um i 'm in a i 'm an environmental engineer I work as an engineer with Texas Instruments , actually . entailment +LSC understands that organizations can be reluctant to embrace major change . No organizations don 't like change . contradictory +Included are over 10,000 items , 1,780 of which are classified as national treasures or important cultural assets . Just 1,780 items are classified as national treasures . entailment +She looked round and said even walls had ears . " She was uninterested in the security of the area . contradictory +He promised that they would be getting in touch with us later on the subject . As promised , we will be getting updates on the subject in the near future , although they are a bit spotty on updating us , as seen by past work with them . neutral +Therefore , the rules were published as interim rules rather than as proposed rules . were there as interim rules and not proposed rules . entailment +But he is funny . He has a good sense of humor . entailment +The crowd , including the northerner , went back into the den . The person from the north didn 't go anywhere . contradictory +Shafts as deep as the earth and caverns as large as small towns carved into perfect squares . The caverns were five hundred feet deep . neutral +Well , said Tuppence meditatively . Tuppence wasn 't sure what to do about it . neutral +But after listening to a rotten one like Julius 's , I 'm inclined to let you off . " I 'm want to keep you near after having listened to Julius . contradictory +Suddenly a thought occurred to him . He was not thinking about anything really . contradictory +Bush and Clinton allowed launches by the Hughes Electronics Corp. , an aerospace firm also subsequently accused of giving secrets to the Chinese , which backed Bush in the 1992 campaign . Launches by the Hughes Electronics Corp. were permitted by both Bush and Clinton . entailment +This effect does not consider the additional job-gain potential from U.S.-based equipment suppliers that export to other countries the clean-air technology know-how they will gain from these clean-air programs . Clean-air technology carries benefits for other countries as well . entailment +The word fundamentally in the previous paragraph carries a lot of weight , but it is important to think of what is fundamental . The paragraph is part of a book . neutral +At a minimum , the following information shall be At most , the information doesn 't need to be contradictory +Watching him , you can see why some of those monks felt it necessary to take vows of silence . Watching the master , you can clearly see why most monks felt it necessary to take long vows of silence . neutral +The other was a fiend . The other one was not a fiend . neutral +well we 'll try this out and see what it looks like yeah so I don 't think it 's worth trying this method . contradictory +and um i called you know from that the the TI Database Calling Instructions I called to see if you were still there . neutral +And later-born offspring are rebellious ( the case with Stephen ) . Late-born offsprings have certain tendencies that are unique to them . neutral +But others praise it as a minor-league farm team for potential NATO members , and celebrate its civilizing influence ( some PFP members have settled long-standing border disputes ) . The relatively new program has had its share of trouble , but it seems to have finally been accepted as mainstream . neutral +my my wife is taxed on her bonus as well and that 's a that 's usually a big chunk of her bonus check actually i mean her bonus isn 't that much but they tax it as i i guess they tax it as if My wife has never gotten a bonus . contradictory +they 're several things that have uh changed already on it and now you 're going to ask me what and i can 't tell you offhand i just know we 've had several changes it just They haven 't made any changes on it in decades . contradictory +A risk-neutral person would choose B in all three cases . A risk neutral person chooses A in all instances . contradictory +I emerged to ask the salesman if he thought the pleats were pulling too much . I had the salesman tell me if he thought the pleats were pulling more than they should . entailment +From our work , we identified a number of practices common to successful efforts to become more results-oriented . There is no correlation between the practices indentified and successful efforts . contradictory +no i thought it was funny but that 's my sense of humor i guess I did not find it funny because of my sense of humor . contradictory +He thinks screening for alcohol problems in EDs is on the horizon . According to statistics , alcohol consumption is on the rise . neutral +The Franciscan Grotto of Gethsemane , entered by turning right before reaching the Crusader arch , is a less somber place . You turn left before reaching the Crusader Arch . contradictory +That 's not just bogus Everyone thinks that this is truly outrageous because of how bogus it is . neutral +Note 1 : Importance Rating of the supporting action to your specific assignment ( H = high , M = medium , L = low . ) The ratings for the supporting action to your assignment are binary ; either good or bad . contradictory +Since its creation in the 1930s , NIPA definitions and measurement have evolved to better portray the changing NIPA was created in the 1930 's to measure health statistics . neutral +As the Kentuckian raised it to sip , the scent of the wine quirked time for him , making this for a fleeting moment the dining room at Red Springs during a customary after-dinner gathering of the men of the household . Kentuckian was at the parking lot of Red Springs . contradictory +Not surprisingly , examples abound of disaster-aid abuses and misuses over the last few years . There is no misuse of disaster-aid . contradictory +These decision reviews are mandatory and are typically held at the executive level of the commercial firm . The reviews are voluntary . contradictory +If the results of such work is current , auditors may be able to rely on that work . If the results are outdated , auditors can rely on the work . contradictory +The first question to Bauer Wednesday was , Don 't you just give this story more momentum by doing this ? Bauer Wednesday was enjoying the publicity from the story . neutral +With respect to the Federalism Order , they state that HUD has determined that the policies contained in the rule will not have substantial direct effects on States or their political subdivisions , or the relationship between the Federal government and the States , or on the distribution of power and responsibilities among the various levels of government . The plan was written to avoid having direct effects on States . neutral +'Indeed it is . Yes it is . entailment +'Find out what you can and report back here . ' Tell me what you find out about the new clan . neutral +It was indeed until 1869 . It lasted for ten years . neutral +Continue north and then left on A-Darb al-Asfar Street , and you 'll find Bayt es-Suheimi on your right . Bayt es-Suheimi can 't be reached by any route . contradictory +The long-range numbers do not add up . The numbers are off by 35 % neutral +Unhappy with USC 's attempt to include conventional classical music in the institute 's music courses and concerts , Schenberg 's descendants successfully sued USC for neglecting its contract with the institute . USC tried to eliminate conventional classical music from the institute 's music classes . contradictory +Assessing the test and acceptance phase may require a high level of technical skill on the part of auditors , such as when an agency has contracted for software development services and must test the quality of delivered software . The auditors may require a high level of technical skill . entailment +but i uh what i did with my garden is i have a a two by six frame that 's five by ten i have two of them sitting side by side I added things to my garden . neutral +Residents of the little village of Port Royal now make their living from fishing . Residents of Port Royal now make their living from fishing . entailment +They started again . They did not start again . contradictory +This should have been sent up this morning . This didn 't get sent until this afternoon . neutral +Presented at the Conference on Postal and Delivery Economics , The Center for Research in Regulated Industries at Rutgers University , Vancouver , Canada , June 710 , 2000 2 The writer is Special Assistant to the Postal Rate Commission , an independent regulatory agency of the United States Government . The Postal Rate Commission is an independent regulatory agency of the US Government . entailment +Third , mailers and recipients are demanding on-time delivery of Standard A , and the Postal Service is accommodating these interests . Mailers and recipients want on-time delivery . entailment +You were just wonderful ! You were terrible . contradictory +Conversion to the Islamic faith was seen as a means of advancement , and those Rajputs who didn 't take advantage of this offer were able to sharpen their martial skills in constant guerrilla warfare . Guerrilla warfare was preferable to changing one 's religion . neutral +She was unable to chew gum while the braces were on , so now she is going cow wild , so to speak . She never had to wear braces and feels indifferent about gum . contradictory +In addition to the FIRMR , GSA issues bulletins that provide guidance on a wide range of federal information processing acquisition GSA issues bulletins that gives guidance about the federal information processing methods for tax returns . neutral +It yielded , and he slipped inside . He couldn 't get in the door contradictory +But to produce that would change Drew Kirby to Drew Rennie , and that he did not want to do . The change would suck for all parties involved . neutral +Most of us have equivalent fantasies , but we 'd be ashamed to expose ourselves by putting them out there . We would be ashamed to put our fantasies out there . entailment +that 's where if you had judges that had any backbone whatsoever they 'd have thrown that out before it even got The vast majority of judges have ample backbone . contradictory +( Frank is hardly the first to note that the tastes of a hip bohemian elite have spread to the masses , or to argue that the results of this cultural migration are deleterious . Frank is not the first , but he is one of them , to note the tastes of the bohemian elite have spread to the masses . neutral +The stubborn Americans came back again in 1853 , with Commodore Matthew Perry bringing for the shogun ( whom he mistook for the emperor ) a polite but insistent letter from President Millard Fillmore and a promise to return the next year , with a bigger squadron , for a positive response . Commodore Matthew Perry mistook the shogun for the emperor when bringing a letter . entailment +For Rothko , too , there were the years of apprenticeship , the hard-won discovery of a classic but ultimately restrictive format ( Rothko 's stacked rectangles are not unlike Lowell 's sonnets and John Berryman 's dream songs ) , the succession of wives , the acclaim , and the descent into alcohol , paranoia , depression , and suicide . Rothko died when he was a baby . contradictory +really so is it just women that go there It is really only women who go there . entailment +This guidance will help you to design a data reliability assessment appropriate for the purposes of the engagement and then to evaluate the results of the assessment . In order to help you to design a data reliability assessment this guidance will be available to you . entailment +The quaint Taipa Village , with its narrow lanes and colonial buildings painted yellow , blue , and green , has almost been completely swallowed up by the development of nearby housing projects . New development has butted up against the historic Taipa Village . entailment +oh that 's a good age to start something like that That is a dumb age to stop that . contradictory +In the $ 125,000- $ 40,000 scenario , for instance , a deficit-neutral solution would increase their taxes by $ 2,000 or so ( compared with now ) if they remain single and cut their taxes by about $ 550 if they get married . Taxes will be reduced more if they are married . entailment +At the top of Grafton Street , where it meets busy Nassau Street , you will see Jean Rynhart 's statue of Molly Malone , subject of the well-known 18th-century ballad , with her barrow and a very low d ? ? colletage . The statue of Molly Malone is 10 feet tall and made of bronze . neutral +Portugal is the world 's leading producer of cork . Spain is the word 's leading producer of cork . contradictory +The most inviting place in the palace is the Sukh Niwas ( Hall of pleasure ) , with doors inlaid in ivory and sandalwood . The ivory and sandalwood doors of the Sukh Niwas palace was very beautiful . entailment +and i was doing it just keep them occupied I wanted to keep them out of the way . neutral +well they give some some financial aid for education they they advertise that they give it you can earn up to ten or twenty thousand dollars for Financial aid is lacking at this school . contradictory +When we 're there , however , she spends a large part of the evening on the phone or on the computer . She spends most of the night time on the computer or on the phone . entailment +I passed a bar . I passed a bar that served wine . neutral +I feel good . I 'm fine . entailment +Thus , the unified surplus reflects the difference between federal receipts and all federal government outlays including those used to purchase capital goods , such as roads , buildings , and weapons systems . Surplus means not enough or few . contradictory +I wish we could have spared you the pain and publicity of an inquest , but of course it 's quite unavoidable in the absence of a doctor 's certificate . We had to do an inquest since there is no doctor 's certificate . entailment +'I know what you did , Gray Wolf , ' she said . She told Gray Wolf she knew what he did . entailment +You overrate my manly charms , murmured Tommy . Tommy murmured , that the person overrated his manly charms . entailment +I could doubtless obtain some one else for very much less . There is no doubt that I can get someone else cheaper . entailment +Parliamentary elections are scheduled for early January , and HDZ is trailing the less nationalistic opposition in the polls . HDZ is the most moderate party in this election and the clear favorite to win . contradictory +It would have been the largest temple in the world at the time , but it was never completed . Had it been completed , it would 've been the largest template in the world at that time . entailment +According to the USAT Snapshot , fully 62 percent of members of the U.S. college class of 2001--which the paper notes , includes Chelsea Clinton--would not ever consider doing what either of their parents do for a living . Most college students want to follow exactly in their parents ' footsteps . contradictory +You can look it up . It 's impossible for you to look it up . contradictory +yeah you know uh is he going to yell at me for buying this with this you know and he 's not a yeller though but He doesn 't care what I buy and never checks . contradictory +His determination had other results as Gass was named a justice of the peace and a territorial legislator . His determination had other impacts on other people . entailment +The remains of the ancient city , Tel Jericho , are on the northern edge of town . The remains of Tel Jericho are on the northern edge of town . entailment +In particular , the Chief Financial Officers ( CFO ) Act of 1990 and the Government Management Reform Act of 1994 spelled out an ambitious agenda to remedy the governmentas lack of useful , relevant , timely , and reliable financial information . The government does not give timely finanical information . entailment +The broadcast networks are keeping up with potentially strong episodes of their flagship series . The broadcast network is keeping their popular show going strong entailment +Truscott compares the intensive training you get in the Army with one of these weapons long before you 're ever allowed to fire it , and then only under the supervision of an expert marksman , with the situation in states like Arkansas , where it 's legal for a 10-year-old to own a semiautomatic assault weapon without a moment of safety instruction , training in how to shoot it or adult supervision . Truscott compares the through training received in the Army with these weapons way before you are ever permitted to shoot it , and then only under the control of a expert shooter , with the situation in states like Arkansas , where it 's legal for a 10 year old to possess a assault weapon without any level of training on safety , usage , or supervision . entailment +The question whether regulation of commerce is a state or national affair was supposed to have been settled in 1789 . No one knows if commerce regulation should have been settled in 1789 or if it should be constantly revised . neutral +After the Times story broke this weekend , Bush told reporters , I asked to become a pilot , I served my country , and I 'm very proud of my service . Bush described his time in the military to reporters . entailment +Does this distinction matter ? Do the similarities matter ? contradictory +But you can 't at once , cried Tuppence . Tuppence was in disbelief , not knowing how to respond to such a situation , stuttering to let out " You cannot at once ! " . neutral +The Emission Banking and Trading of Allowances Program is expected to achieve substantial reductions when it is fully phased in by 2003 . The Emission Banking and Trading of Allowances Program was fully implemented in October 2003 . neutral +Cook , though , isn 't really interested in exchanging the options for actual shares . Mary is interested in exchanging options for actual shares . neutral +Longabaugh noted that R-21 grants , which are available for development of treatments , could be used to develop technologies . R-21 grants could be used to develop technologies . entailment +Margaret 's Chapel ) . His chapel . contradictory +Environmental Protection Control of Air Final Rule for New Gasoline Spark-Ignition Marine Engines There is no rule for gas marine engines . contradictory +The big issue with content is , of Who owns it ? What 's important is who the owner is . entailment +7 . Should all interventions triage and intervene based on patient readiness to change ? They asked if patient readiness to change should be considered during triage . entailment +Sounds a little like Wright 's Ferberizing experiences to me . They were well read in the subject matter . neutral +Among the oldest and most famous of the windows , on the southern side of the choir , is an enthroned Mary with Jesus on her lap , Notre-Dame de la Belle Verriyre . There is an enthroned Mary with Jesus on her lap on the southern side of the choir . entailment +What could I do ? How could I have reacted ? neutral +carry all that cash with you Carry cash in your purse . neutral +The primary federal regulator in connection with financial accounting and reporting for public companies is the Securities and Exchange Commission ( SEC ) . The SEC also regulates privately held companies . contradictory +Its image has been found on various artifacts throughout the island . Its image has been seen on several artifacts around the island . entailment +yeah now that 's something i like about the country there 's not a whole lot of crime over there as far as petty crime you know they The streets are rife with petty crimes . contradictory +right now i 'm kind of off Well as I see it , I am definitely on right now . contradictory +and it works out fine i mean i stop i 'm never in a hurry to get anywhere I 'm usually in a hurry so that wouldn 't work out for me . contradictory +The city has drawn Christian visitors , sometimes heavily armed , ever since the proclamation of the Holy Land and development of the first Christian sites for pilgrims in the fifth century . The city has been visited by Christian people in the past . entailment +that 's unreal yeah The war going on is unreal . neutral +by default because i went to college also in Boston The person says that they went to college in Boston . entailment +Too many ways it could go wrong . ' Too many ways our plan to rob the bank will go wrong . neutral +The landscape of the valley changed dramatically over the next 200 centuries . It was much more beautiful then , before it was destroyed by pollution . neutral +well i i got a stopwatch here I have a watch in my hand . entailment +( Yes , if it uses speed attacks rather than electrical ones . ) Sure , if quick attacks are used instead of ones with electricity . entailment +In addition , the Postal Service has failed to capture a large market share in two areas of direct competition with the private sector which are relatively unaffected by the Private Express Statutes ; Parcel Post and Express ( overnight ) Mail . The Postal Service is a monopoly and faces no private competition . contradictory +while pointing to a chart . There is no chart . contradictory +But Milosevic , in turn , may have underestimated Clinton 's agility . Clinton and Milosevic never had any issues with each other . contradictory +and as far as um Mexican type we 've got the only thing up here that we have anywhere close to that is Taco Bell We have a number of Mexican restaurants to choose from . contradictory +Gifts and celebrations on the last three days of the festival , called Eid El-Fitr . For the last three days of the festival , people retreat to their homes and observe silence . contradictory +Some people insist they don 't know what they think until they hear what they say . They like to think before they speak . neutral +Everyone parted as they came . Everyone parted down different paths as they came . neutral +Until the 1990s , federal agencies often maintained an inhouse facilities engineering organization , comprised in part of architects and engineers , responsible for both the technical aspects and the oversight of the planning and design phases of the acquisition process . This continued far past the 1990 's . contradictory +Brodkey underplays the untying of an old psychological knot when he reveals details of his childhood . Brodkey underplays the details pertaining to his childhood . entailment +This remarkably tranquil street market is housed under a single arcade . This arcade holds one of the most quiet street markets . entailment +I admit that even though my taxes are relatively simple and I took a tax course in law school , I still hire an accountant to complete the forms . I do this because taxes filed by an accountant are less likely to be audited . neutral +instead of saying where did i make the error you know go back and forth and and you know you always you know the old ones you had to go out of your program load up um In addition of going out of your program load up , you checked for errors . neutral +Delegating authorities also gives employees the opportunity to look at customer needs in an integrated way Delegating authorities makes it so employees have the chance to see customer needs . entailment +Nonetheless , enough is open to get a very good feel for its grandeur and enormity . Nevertheless , there is enough open to experience the largeness and splendor . entailment +( Designed for folks who 've watched Twister too many times , these vacations consist of spending two weeks driving a van around the bleakest parts of the Midwest hunting for tornadoes . ) There are risks involved in this vacation . neutral +Inflation is at a 23-year low of 7 percent . Inflation will continue to decline in the coming years . neutral +Stewardship PP and E may be transferred from one Government entity to another . Only the largest government entities routinely transfer stewardship . neutral +Coincidentally , this is precisely what Naomi Wolf advised Al Gore to do , advice for which he was paying her $ 15,000 a month . Naomi wolf 's advice is worth $ 15,000 because she has access to the thoughts of god . neutral +Although we identified no organizations that had made significant progress in applying such measures , we found that more precisely measuring the positive and negative effects of security on business operations is an area of developing interest among many information security experts . Measuring positive and negative effects of security on business operations is of interest to C-level executives . neutral +It surprises many visitors that there is only one 18-hole course in Israel , in Caesarea . It surprises many visitors that there is only one 18-hole professional golf course in Israel . neutral +La Cite de l 'Espace in Toulouse is dominated by a replica of the Ariane rocket . There is a replica of the Ariane rocket situated in Toulouse . entailment +FNAC belongs to the newer , younger generation of department stores . FNAC has three locations and is expanding to a fourth soon . neutral +Since independence the political culture of Jamaica , which started out with such confidence and optimism , has been fraught with problems . There have been problems in the political culture of Jamaica . entailment +Gentlemen , do something . Gentlemen , please contribute something . entailment +The paintings became sinuous lattices , like the web of a deranged and brilliant spider . These paintings feel nothing like webs or lattices . contradictory +right right at least that way the burden 's not on the family of taking their license or their car away The family should not be hurt when their car is confiscated . neutral +Sir Ernest Heavywether made short work of her , and under his unmerciful bullying she contradicted herself hopelessly , and Sir Ernest sat down again with a satisfied smile on his face . Sir Ernest Heavywether enjoyed bullying women . neutral +It 's upstairs , sir , in my kit . It 's downstairs beside my kit sir . contradictory +Films set at college are never as universally recognizable , because people 's experiences after high school are too different to generalize about . Films about college are easy for people to relate to . contradictory +No TVs or phones ring out in this paradise . Electronic devices are forbidden in the resort . neutral +The Foundation administers the Interest on Lawyers ' Trust Accounts ( IOLTA ) fund , the Basic Civil Legal Services ( BCLS ) fund and the Crime Victims Civil Legal Services ( CVCLS ) fund . The Foundation was taken over by three different organizations fighting for control . contradictory +The cookie-cutter profiles note that Kennedy was a mediocre student but had a perfect 6-0 conviction record as a prosecutor . Kennedy was better as a prosecutor than as a student . entailment +um that 's true actually i never thought about that that that 's a good reason I never thought about it but that is a good reason . entailment +i don 't know exactly where she is but um I know exactly where the woman is . contradictory +Print publications have no clear idea of how many people read each copy of their publication and , conversely , how many individual pages of any given copy go unread . Printed publications can 't compete with online publications . neutral +It also permits projections as to the quality of all invoices in the universe . The Postal Service will one day be a universal company . neutral +Life-without-parole inmates , for the entertainment of the public , sustain horrible injuries in often degrading events ( e.g. Life-without-parole inmates , for entertaining the public , end up with better lives and more useful skills . contradictory +yeah it is well i think we met our time limit We still have plenty of time left contradictory +yeah i like crepe myrtles they really add a lot of color Crepe myrtles are very colorful . entailment +In all cases , inquire first at tourist information offices about the necessary fishing permits . Ask at the tourism office about what permits you need . entailment +Commerce and Wealth Pertaining to space travel and diet . contradictory +I thank you for what you have done , she told Jon . She was unappreciative to him . contradictory +And with Scorpio so altered ... The machine workers had place steel plates over Scorpio 's body . neutral +The Loire is the longest river in France ' flowing an impressive 1,010 km ( 630 miles ) from its source in the Vivarais mountains south of Saint-Etienne to its estuary west of Nantes ' but the region of the most interesting chateaux , from Chambord to Angers , covers barely a fifth of that distance . The most interesting chateaux are located within a range of about 125 miles . entailment +we have been talking about this i tried to call earlier We haven 't spoken because I have yet to call contradictory +i i don 't know it 's going to be hard to switch i think that we 're going eventually end up end up that way though i just don 't see how we can yeah i think it 'll take It will be easy to switch , and we 'll end up completely different in the end . contradictory +The fell has an eerie beauty about it ; clouds frame the peaks here even on sunny days . There are no sunny days . contradictory +But you have already said , suh , that you don 't allow rough breakin ' here . " Drew 's half suspicion crystallized into belief . You said you love rough breakin ' and it 's always allowed . contradictory +But it is easy to guess . But it 's really hard to guess . contradictory +Very good , sir . The front door was opened by the butler . Terrible , sir , I will have to ask you to wait outside . contradictory +Not at all . Of course . contradictory +so um but it it 's interesting finding different recipes although my mother is the one that cooks um which I 'm afraid to cook myself , so I let my mother handle that . neutral +to uh having to drive in it right right and Having to drive in the rain is hard , right . neutral +There is a good choice of cinemas , showing mainstream English-language films . There are twelve cinemas that show English-language films . neutral +Where are the rest of you ? asked Jon . Where is the rest of our group ? asked Jon . neutral +you bet goodness Goodness , you bet ! entailment +Did you say REFUSES ? " I am sure that you said REFUSES . contradictory +And it 's not stretching to assign Donald Trump to the Northern progressive camp . Trump is progressive . neutral +when i do um crochet it 's usually the lacy Victorian type I only do three types of crochet . neutral +they pay for school a little bit otherwise i would never They pay only a hundred dollars for their kids to attend school . neutral +The Greek-Catholic Church in the centre of the animated market is the site of the synagogue where Jesus is said to have preached as a young man . The Greek-Catholic Church rests at the same place as the synagogue where it is believed that Jesus preached . entailment +and then go for that type of goal i think that too many people want everything now Many people lose focus and forget what matters the most to them . neutral +The delightful Piazza Bellini includes the 12th-century church of San Cataldo with its three little red domes and Arabic inscriptions . Three red domes sit atop the church of San Cataldo . entailment +hum i wonder if these are going to be speaking the computers I wonder if the the future will have the computers speaking for themselves . neutral +What it does mean , though , is that commoditization does its work not by becoming a reality ( which would entail ever-shrinking margins and stagnant stock prices ) but by remaining a perpetually present threat . Commoditization works for industrialized nations not by being a reality but by being a threat . neutral +Jon knelt to Susan . Jon stood up . contradictory +oh yeah that 's right i think that 's an ideal situation I think that 's the best situation . neutral +Total steel requirements for retrofitting a typical 500 mega Watt , electric ( MWe ) FGD system are in the range of 1000 to 1125 tons of steel , or between 2.0 and 2.25 tons of steel per MWe . Total steel requirements for retrofitting a typical 500 mega Watt range between 1.0 and 2.25 tons of steel per MWe . contradictory +Our productive relationships with these entities led to additional opportunities for information gathering and sharing . Our relationships with these entities lead to more opportunities for information sharing and obtaining entailment +There was something in the looks of the Sather who gave him orders for new settings that bothered him . A Sather gave him orders for new settings . entailment +By the end of the 13th century , they began their first raids on the Aegean Islands . The first raids on the Aegean Islands began at the end of the 16th century . contradictory +When Linda Wertheimer asked him , How would we know ? Linda didn 't speak to him . contradictory +Even if the message comes from someone you are sure has not forgotten you--one of your children , for example--it is a comfort to be reminded . Messages from your niece and nephew are equally comforting . neutral +The family is the core of daily life . Family is the least important aspect of the day . contradictory +Starr told me that , and Bennett confirmed it but would not tell me specifics . Starr told me , and Bennett filled in the details . contradictory +he starts nuking Israel man he 's in big trouble i mean we 'll just we 'll hear about it you know what i mean if anything major happens we 're going to find out so let 's chill out and just do what we need to do so He 's in a major predicament if he starts bombing Israel . entailment +so every night on the local news they were down in Fayetteville or they were down in Goldsboro and they were talking to the military wives you know The military wives were interviewed by the local news . entailment +Stop off at Tirumalai 's Palace , about a kilometer southeast of the Great Temple . Tirumalai 's Palace is connected to the Great Temple . contradictory +Wherever the image of nonconformity appears , Frank spies the ascendant force of rebel consumerism . Nonconformists always turn out to be the most discerning consumers . neutral +But the chief trouble was that he couldn 't secure working batteries . He had the working batteries , and was ready to go . contradictory +well that 's encouraging but they said oh you have nothing to worry about you 'll have the opposite problem you may die of carrying your canoe and sure enough it uh it was a little bit laborious instead of a a six to eight hours worth of canoeing we ended up only surviving about uh half the trip and it took us us about ten hours so we we got in our car half way and and went and got the rest of the vehicles and brought them up stream and loaded it all back up and went back to the campsite exhausted but uh i have had better camping canoeing trips uh as it were uh like the Guadalupe down in South Texas it 's got some real nice uh The canoe trips were always more tiring than they were fun . neutral +she doesn 't drive Driving isn 't for her . entailment +The Bureau reports that its customers are responding positively to the shift , with significant growth in the number of customer hits on the Census Internet site , from about 10,000 per day in 1994 to more than 850,000 per day in 1999 . The Bureau found that customers are twice as happy since the shift . neutral +Jon turned to Ca 'daan . Jon moved his body to face Ca 'daan . entailment +I 've seen you around before , haven 't I ? What 's your name again ? I don 't know your name . entailment +From a procedural perspective , the legal soundness of rate or mail classification changes by contract alone is doubtful because the only means of making such changes recognized in the Reorganization Act are the procedures prescribed in Chapter 36 of Title 39 . Rate changes on the basis of a contract aren 't likely to be legal . entailment +Through its competitive grant process , LSC obtains and reviews substantial data on an applicant 's capacity to respond to a diverse client community . LSC gets a lot of data about their community . entailment +It 's your opportunity to be involved in politics , touch on policy , have some impact , and have a piece of a company that could conceivably do very well . It 's your opportunity to sit at a desk in Washington and do nothing . contradictory +He noted that we must demonstrate the value of interventions to hospital administrators if we want extra staff for interventions . Hospital administrators have no influence on the hiring of additional staff at a hospital . contradictory +well i wondered if i was going to get to talk to a male or a female on this topic The political debate was challenging because she was well informed . neutral +Jesus was put on trial quickly and condemned to crucifixion , a Roman form of execution for political and religious dissidents as well as for common criminals . This Roman form of execution was designed to be publicly humiliating . neutral +Even though foreign invaders stormed Portugal around 2000 b.c. , Madeira was discovered only a few decades before Columbus made his way to America . Madeira was only discovered 30 years before Colombus arrived in America . neutral +A request to investigate the reasons for the bank failures in Ohio , for example , may reflect an interest only in Ohio , but it could be a tip of the iceberg question . An investigation into banks in Ohio will have no knock-on affect elsewhere . contradictory +This is a fairly well-equipped hotel in a central location with its own parking ( a great asset hereabouts ) . The hotel is centrally located in the downtown area . neutral +Bakis , with admirable audacity , has set herself the almost impossible task of making these dogs ' human ' and just misses the mark , says the Journal . Fugitive Pieces is a poetic telling of the life of a Holocaust-survivor-turned-poet . Bakis is the author of Fugitive Promises . contradictory +It occurs to nobody that Mrs. Cavendish has not arrived with the rest , but ” and this is significant ” I can find no one who saw her come from the other wing . " He looked at Mary Cavendish . " I can find three people who all saw her come from the other wing . " contradictory +However , FDA rejected suggestions that low-risk devices be exempted because the cost of implementation will exceed the public health benefits gained . The low risk devices are not included . entailment +Anubis ( God of Mummification ) has a small temple here and you will clearly see his jackal-headed form on the walls . The small temple for Anubis is located near the Nile . neutral +This body is so different to mine ... it sends different signals . The body was exactly the same as my old one . contradictory +Serious money had been spent- it was definitely plush . The money was well spent . neutral +Bauerstein remained in the background , his grave bearded face unchanged . Bauerstein smiled . contradictory +oh and i think women turn out to vote for women too I think women vote more for women . neutral +i like that place That is a place I really enjoy visiting . entailment +control No control contradictory +Her award is a tribute to her public service . As part of the award she received a cash prize . neutral +That was all . We have barely gotten started . contradictory +Private trucking firms have begun operations to do nothing more than carry mail across the country . Cross-country mail is a very profitable venture that is attracting new entrants . neutral +By 1500 , Melaka had become the leading port in Southeast Asia , drawing Chinese , Indian , Javanese , and Arab merchants away from the hitherto vital port of Pasai in Sumatra . Melaka was the smallest port in Southeast Asia . contradictory +The huge man sobbed . The man was very happy . contradictory +After all , conventional economics already has lots of nice things to say about free markets . There aren 't any nice things about free markets . contradictory +at that time there 's been a couple of those here in Lewisville over the last few weeks yeah and they 're you know they 're not sure if we 're working with the same guy or not but uh it 's really scary you know it really is so There have not been any of those around here in the last year . contradictory +Further , three statements of policy accompany the final rule , one analyzing payments for computer loan origination systems under the RESPA regulations and two others on issues raised by comments on the proposed rule . There are three statements that deal with policy . entailment +Indeed , the entire enterprise of serious literary fiction is so marginal that one hates to discourage any sincere effort . Serious literary fiction is a small enterprise . entailment +The GAO as an institution , and the Comptroller General as an officer of the legislative branch , assist the Congress in exercising its responsibilities under the Constitution to oversee , investigate , and legislate . The GAO helps Congress exercise its responsbilitiies . entailment +That latter figure is certainly not nothing , but it 's only 1.6 percent of the couple 's $ 165,000 total income . It 's definitely worth pointing out but is still only a small percent of income . entailment +'Uh ... Natalia , this isn 't the best time for-' There are better times for it , Natalia . entailment +yeah i remember maybe uh maybe three winters where we had a white Christmas here Three winters ago we had a white Christmas in Florida . neutral +The Promise Keepers talk far less about abortion and homosexuality than their critics and the media do . The Promise Keepers are a punk rock band who are known for their activism . neutral +Tucked away in a small fold of the hills is Chashma Shahi , the smallest but in many ways most exquisite of the Mughal Gardens , drawing its water from a spring that runs directly down the adjacent mountainside . Chashma Shahi is widely considered to be the most beautiful of the Mughal Gardens . neutral +Federal IRM Training A Guide for Federal CIOs , ( Draft ) , Federal CIO Council , Education and Training Committee , January 1999 The Federal IRM Training contains no provisions for CIOs . contradictory +uh-huh i 've heard of that problem with many other different cars doesn 't seem to be prevalent with just one manufacturer Car manufacturers are all having problems with the odometers in many cars . neutral +The first row shows the bill / payment mail that comes from the HH-to-NHH ( Household-to-Non-household ) sector . The mail in the second row originates from households . neutral +The very lines of his face had changed . The signs of his old age started showing . neutral +It can be an e-mail message forwarding one of those slightly funny jokes that circulate around the Internet . There are no funny jokes anywhere on the internet . contradictory +so it it just doesn 't hold water and you look at some of the other countries that that have the death penalty In other countries , they handle the death penalty much more justly . neutral +they just you know just kind of scoot it on another spot on the on the sink and and put the next plate down and and in a while get around to it and i think most women walk in and and and with oh got to clean all this up got to get this out and this in and this you know taken care of instead of having someone say now this needs to be done this is the time this needs to be done but Most women just clean things up , rather than delegate the tasks to other people entailment +The 11th-century Basilique Saint-Sernin is an undisputed masterpiece among France 's Roman ? ­ esque churches . There is no dispute as to whether the Basilique Saint-Sernin is a masterpiece . entailment +no huh there 's a lot of crime There 's very little crime . contradictory +A piece calls Frank Lloyd Wright an awful engineer . It was stated that Frank Lloyd Wright was an awful engineer . entailment +An additional field work standard for attestation engagements performed in accordance with GAGAS Attestation engagements not conforming to GAGAS will be rejected . neutral +I can 't prove it yet but I know . The other two asked no questions . They didn 't ask questions because they knew as well . neutral +Normally it is three to four weeks , " said Ca 'daan . It 's normally three to four weeks between battles . neutral +A December 1996 article in al-Hayat , an Arab newspaper published in London , asserted that Albright , as a Jew , would be a dangerously pro-Israel secretary of state . The article in al-Hayat ( an Arab newspaper published in London ) released on December 1996 , asserted that Albright , as a Jew , would be a dangerously pro-Israel secretary of state . entailment +Never forget that , in Shakespeare 's time , we created the greatest theater culture in the history of the world . The theater culture was the greatest the world had ever seen . entailment +But Americans are still fixated on northern Asia--Clinton says he must deal with China , because you can 't ignore a billion people with nuclear weapons , but his own policy toward India shows that you sure can ! Clinton worked with India but ignored China . contradictory +Toward the southern end of the Dead Sea , a major health spa center has developed , with luxury and moderate hotels offering unique Dead Sea programs for relaxation , health , and beauty . There is a heath spa center located near the southern end of the Dead Sea . entailment +Before the codification , the relevant term was adepartment or establishment , - defined in 31 U.S.C. Terms like a department or establishment or codification can be used to define the same thing . entailment +uh well Palmer tried a comeback and uh got sore arm early and they uh the Rangers are playing Baltimore this game that i 'm watching and just the last inning they put the camera over on he and Brooks Robinson they are the broadcast team for the Orioles now The Rangers will play in the next game . contradictory +what my what i was going to study and at least i had some interest in a lot of the youth that i come in contact with are they say oh i want to be a doctor i want to be a lawyer why because they make a lot of money All who say they want to be doctors and lawyers are passionate about those professions contradictory +At the port you 'll find working fishing boats , excursion boats , a marina , and fish restaurants . The port does not have any restaurants . contradictory +You 'll find tennis info at the same website and phone number . The site only deals with basketball . contradictory +Maybe he 'd do something wise and epic and principled . Maybe he would do something impressive . entailment +now how they gonna fix it i don 't know the i don 't think there is a ready solution There isn 't an easy solution . entailment +The audit team should include persons sufficiently knowledgeable about the information technology being purchased to judge how well the agency has defined its requirements in the RFP . The audit team will be looking at other purchases as well as information technology . neutral +and this is about nineteen sixty four i believe or something like that and there still hasn 't been any you know new development in prescribed drugs that can help it In the last ten years , medicine had come leaps and bounds to help it . contradictory +yeah is it i i don 't know we don 't uh we don 't It is I who has known . contradictory +and one for glass and then you can either bundle your newspapers or put them in grocery bags so we have we leave three little piles of things out on the curb every Thursday and the garbage men come by and The garbage men really prefer it when we pack the glass and newspapers separately . neutral +I wish to God we 'd gone there right away . I really wish we 'd headed there first . entailment +When he married in 1901 , he and his wife ( Olga Knipper of the Moscow Art Theater ) went directly from the ceremony to a honeymoon in a sanitarium . A honeymoon in a sanitarium is entirely too strange . neutral +Five km ( 3 miles ) south of the town , protected only by a couple of cypresses from an incongruous wilderness of highways and bleak urban development , stands the lovely church of Sant 'Apollinare in Classe ( 549 ) . There are cypress trees between the church and the town . entailment +She asked for a contact number for me , in case something happened in the building--like a water leak--so I feel that she has good intentions . She seems responsible because she asked for a way to report potential issues . entailment +Even Clinton-hater Kristol respects Clinton 's accomplishment , gleefully suggesting that after Clinton is hounded out of office for witness tampering and obstruction of justice , President Al Gore should name him a peripatetic negotiator . Kristol respects Clinton 's accomplishments . entailment +It was dark outside . It was sunny and bright . contradictory +oh sure because they 're they 're tenure is real short Their post is short because they lost an important grant to a competitor . neutral +and have to cup my hand over it and peek down there with my eye to see what time it was If I were in bright light I 'd have to hold a hand over it to shade it then peek around the hand to ascertain the time . neutral +well they it 's a it 's all the countries over there are very wealthy All the countries in the middle east are very rich . neutral +Why not give discounts based on cost avoidances promised in a previous rate or classification case but which savings were never captured by the Postal Service ? All the previous rates did not have any cost avoidances . contradictory +Assuming they are valid around the current discount level of 6a , they clearly show a good deal of sensitivity to the discount . Consumers seem to be vary aware of discounts we offer . entailment +when you get when you 're young you kind of can tolerate a lot of a lot of cold weather and stuff It is easier to weather the cold when you are young . entailment +For reasons unknown , Albright has rejected Simova 's attempts to set up more meetings , though Simova is her only surviving Czech relative . Albright and Simova meet all the time . contradictory +Situated in the middle of the Cartmel peninsula south of Lake Windermere , the village of Cartmel has been at the heart of some important events in English history . Many English kings have visited Cartmel in its history . neutral +Is my license as a practicing economist about to be revoked ? My license is in danger neutral +MSNBC , USA Today , and Yahoo ! MSNBC is a popular news outlet . neutral +These fees are intended to offset certain inspection costs that relate to the processing of passengers and conveyances entering the country . There are fees that relate to processing passengers and conveyances entering the country . entailment +Who delivers what type of intervention Different people give different interventions . neutral +right and actually in in summer i like to swim we don 't have facilities for swimming in winter but um and and that 's true when i go home from work at the end of the day if i go up for an hour in the pool i 'm much much more awake i 'm ready to work in the garden or whatever in the evening I don 't know how to swim , though I 'd like to learn . contradictory +One office saved $ 6,600 over about 33 months . No one was able to save any money . contradictory +We 've been here before . These issues aren 't new . Since we 've seen these issues before , we have an understanding of them now . neutral +A recent study found that the students ' median law school debt is more than $ 84,000 - an amount that does not include the additional undergraduate debt burden that many students bear . Law school debt is typically over $ 80,000 . entailment +so if i just need something real quick and i don 't feel like getting up and going and getting what i printed i can just print it in my office there 's no printer in my office , so i always have to get up and get my papers contradictory +Holding all other variables constant , and integrating their effects into the constant term , the equation for basic mail Using variables , constants and integration to work out an equation . entailment +However , the extent to which the differences create additional constraints on the CIOs depends on how they and agency leaders respond to them . CIO 's reactions don 't affect the constraints much . contradictory +Johnny took a pretty bad crease ' longside his skull . Johnny was not hurt . contradictory +right there you go there 's a good point very good point There is a very good point . entailment +it is pretty good i 've watched it maybe five or six times but it comes on kind of late on Thursday nights and sometimes i 'm trying to get things done and get in bed so i can go to work of of course for you it probably comes on really late on Thursday night come to think of it I start work late in the afternoon . contradictory +President Clinton officially released his 1998 budget . He says it will boost investment in education , cut taxes , and eradicate deficit spending for more than 20 years . President Clinton stated that his budget will raise taxes . contradictory +The elderly are damned if they do and damned if they don 't ; damned and mocked if they can 't ; and damned , mocked , and pointed out by the neighbors if they can but only with pharmacological aids or an elaborate arrangement of winches and pulleys . Elderly people are not at all mocked by others . contradictory +yeah uh i agree with you um um what i 'm thinking about is back oh when i was a kid and much earlier than that kids were kind of you know the parents kind of pushed them to join like the Boy Scouts or the Girl Scouts and they did do do do a lot of public service activities but these days they 're not um parents parents aren 't encouraging their kids to do things like that because when i was in the Girl Scouts we did a lot of public service things because that 's just part of of of the scouting and you know All kids join the Boy Scouts or Girl Scouts . contradictory +But General de Gaulle gained his revenge by starting his march of Liberation here in 1944 . General de Gaulle was one of Nazi Germany 's top officials . contradictory +Names were still potent , resonance worked within its limits , and the general principles of similarity still applied ; but those were not enough for them . There were no limits to the power of names . contradictory +Those then who controvert the principle that the constitution is to be considered , in court , as a paramount law , are reduced to the necessity of maintaining that courts must close their eyes on the constitution , and see only the law . There are people who controvert the principle that the constitution is to be considered as a paramount law . entailment +yeah exactly uh that 's real important to me i i can 't stand going to a stuffy place i mean it 's just that 's not me um in your you know like you said fast food restaurants aren 't any good either I love fast food . contradictory +Start at the beginning , will you ? Start at the end . contradictory +A good case study presents the findings and conclusions for other studies on the same issue . Other studies should be included in the case study analysis . entailment +All the remaining seventeen of the crew were dead and their ashes were to be left on a strange planet . All seventeen members of the crew were found alive and well . contradictory +as as perhaps they are they very well could be entailment +well uh i don 't have a lot of time to watch TV unfortunately this is not a good subject um i I don 't like watching TV in my free time . neutral +The primary goal of this gathering was to address issues generated by LSC 's State Planning Initiative and resulting mergers . The primary goal was to address issues generated by the budget initiative . contradictory +The Normans from Scan ? ­ di ? ­ navia took advantage of the Carolingian dynasty 's divided kingdom , pillaging their way inland along the Loire and the Seine , and plundering Paris in 845 . The Normans almost always decided to give away items to friendly countries after stealing them . contradictory +overhead cam diesel engine that represented a quantum leap in performance beyond Cummins ' existing products . The engine took German engineers 12 years to complete . neutral +Five points short . Something was five points short of what was needed . entailment +But fewer than one in six get help from a lawyer , according to a survey . Survey says that less than one in six seek a lawyer 's assistance . entailment +so i you know i 'm not attracted to that at all but um it made a big difference in my life not to have a radio that was a easy access and so now that i do have one i just don 't automatically turn it on Not having a radio had no impact on how much music I listened to . contradictory +Estimated Performance and Resources Needed for Single and Multiple ACI Retrofits . Performace and resources are needed for single and multiple ACI retrofits for the power plants . neutral +Good manners can be cultivated . You must learn good manners from somewhere . neutral +uh through most of the eighties so i each each year i just sold my tickets i had some people take custody of my tickets for me i served uh three years four years in Malaysia and three in the Philippines I have never been to Malaysia or the Philippines . contradictory +Another midtown landmark in Fort-de-France is the imposing Saint-Louis Cathedral , which dates from 1895 . The Saint-Louis Cathedral is still open for mass and other services . neutral +But they used the snetha-knife ! But they used a weapon ! entailment +I suppose you know that she has married again ? " I am afraid I showed my surprise rather plainly . Did you hear that he is getting divorced again ? contradictory +The well-known Stanley Mar ? ­ ket is a major source for bargain clothing and other merchandise . You can get great by visiting Stanley Market . entailment +It would have been kinder for you not to know , but it is the truth . " And jewels enough to buy an empire on a corpse , " Hanson accused . It is better to not know the truth . entailment +um-hum is it is it hard to keep track of it or does it work out pretty well Is it easy to keep track of ? entailment +Almost synonymous with chic style , Paris still leads the increasingly hot competition . Paris is almost synonymous with chic . entailment +You 'll be able to buy a sarong for the beach or choose a wooden carving to take home with you . The wooden carving is much more expensive then the sarong . neutral +'They were just a bunch of elderly , white , slave-owning men who happened to be both not stupid and not in the wrong place at the wrong time . They were a bunch of old white men that got lucky . entailment +At an altitude of more than 640 meters ( 2,100 feet ) , this city on the Castilian plateau , Europe 's highest capital , is scorching in summer , when wilting residents flee for the coast or cooler northern climes , and freezing in winter , when many Madrilellos bolt for the Sierra Nevada , just a couple hours south , to ski . Madrid is located at a height of 640 meters above sea level . entailment +and i don 't know if they make landscape ties that aren 't treated I think they make landscape ties that aren 't treated neutral +Statement on Compliance With Generally Accepted Government Auditing Standards There is a statement on compliance with private auditing standards . contradictory +uh without documentation so it was very cheap it 's a two eighty six The documentation came with it . contradictory +Therefore , we should choose the interpretation of presence that effectuates the Congressional purpose to provide meaningful representation to H-2A workers under their contracts . The intention of Congress was for H-2A workers to have proper representation . entailment +His excuse was an obviously trumped up one . The excuse didn 't seem real . entailment +It would have been much more entertaining to watch , you could have laughed at him a little , and the nickname , given to him by the programmers ' boss would have gotten a whole new meaning . The program was too dull and offered no information you don 't already know . contradictory +they 're a lot i don 't like the new style like of the Toyota van and the the new Chevy Lumina van i don 't like those styles um the MPV is more of uh uh just uh I love the new Chevy and Toyota vans . contradictory +i was just thinking the same thing it 's like we haven 't had Chinese in a while let 's have a shake up we get this uh there 's this take out Chinese place that i mean you know stone 's throw from my apartment here i 've only ever had Chinese food from the takeout place near my apartment neutral +The motor met me just outside the lodge gates , and I hurried there as fast as I could . " I walked over and took my time . contradictory +Other memories of the British presence are in the clock tower , commemorating the first British resident of PerakiaJames Birch , who was assassinated in 1875 . The clock tower does not commemorate this event . contradictory +Dave was thrown sidewise and had to fight for balance . Dave knew that if he didn 't stay upright , the boat would capsize . neutral +so they can 't decide They found it easy to reach a decision . contradictory +The economy could be still better . It still have room for improvement . entailment +Hanson clutched at the scrap he had pocketed , but it showed no sign of leaving , and the tiny blob of sun-stuff remained fixed to the awl . The scrap in Hanson 's pocket was about to leave . contradictory +She Virginia stock ? " Is she from Georgia ? contradictory +oh so they didn 't want to wind up being a juror ever They did not want to be a juror . entailment +The SAB has advised the EPA that the appropriate way to account for age differences is to obtain the values for risk reductions from the age groups affected by the risk reduction . The SAB approved of the way the EPA was currently accounting for age differences . contradictory +In general , reliability growth is the result of an iterative design , build , test , analyze , and fix process . Reliability growth happens because of iterative design . entailment +Most active duty military personnel follow exceptionbased systems . Active duty military personnel prefer the exception based systems over the alternatives . neutral +well we found in general when you you look for breeders you don 't find them in the uh metropolitan areas they you wind up going many miles out of town to find somebody that 's handling whatever it is you 're looking for We found some breeders in suburban areas . neutral +Unlike criminal court , where those accused have a constitutional right to a taxpayerfunded attorney , people facing civil matters either have to hire their own lawyer -- often at rates of more than $ 200 an hour -- or go it alone . The cost never exceeds $ 200 an hour . contradictory +What none of them ever does is die in a hideous automobile accident . There have been very tragic accidents by planes but not automobiles . neutral +Across the river Authie and a few minutes ' drive east is the 18th-century Abbaye de Valloires , whose huge gardens display more than 5,000 species and varieties of plants , many from China and Japan , including a large collection of old-fashioned and wild rose , presented in a number of formal and informal settings . There are over 5,000 varieties of plants at the Abbaye de Valloires . entailment +A splendid 17th-century chateau and gardens designed by Le Vau , Le Netre , and Le Brun for Louis XIV 's finance minister , Fouquet . The garden was designed for a king 's finance minister . entailment +However , an oral briefing may be used , for example , when GAO ( 1 ) determines that further work is not warranted ; ( 2 ) provides information that is readily available to the public , such as that in Inspector General reports ; or ( 3 ) develops a summary of previously issued GAO products that does not contain any new findings , conclusions , or recommendations . An oral briefing may be used . entailment +Tennessee has a surcharge on speeding tickets , Ohio assesses an annual lawyer registration fee , and Texas uses dollars from its Crime Victims Compensation Fund for such programs . This program is federally paid for . contradictory +Mrs. Inglethorp had no stamps in her desk . Mrs. Inglethorp had kept her desk free from stamps . entailment +This , some argue , gave employers the ability to require more from Bracero workers based on a threat or promise they would be sent back to Mexico . No one argues that employers lost the ability to require anything of Bracero workers after their threat . contradictory +Sir James took it , and scrutinized it attentively . Sir James took it away from me so he could scrutinize it . neutral +He noticed this time that there was no sylph , and his breathing seemed to be no worse than usual . He noticed that he was completely alone this time . neutral +does it does it cause a problem for you to use a different computer at work than you use at home Does using a windows computer at home and an apple one at work bother you ? neutral +Development and maintenance of a toxicity test laboratory quality assurance ( QA ) program requires an ongoing commitment by laboratory management , and includes the ( 1 ) appointment of a laboratory quality assurance officer with the responsibility and authority to develop and maintain a QA program ; The QA program requires a commitment by the lab management . entailment +um-hum yeah yeah well i get tired with the kid i have two kid preschoolers a three year old and a two year old and when it 's you know not nice and they can 't go out it 's really the pits so i appreciate it when at lately they can at least go play in the backyard for an hour or something you know Preschoolers need to be able to play outside . neutral +Sneeze in the middle of the night and your Edokko neighbor will demand the next morning that you take better care of yourself ; stay home with a fever and she will be over by noon with a bowl of soup . Your Edokko neighbor will always provide you with soup if you develop any illness . neutral +An analysis for oxides of nitrogen reveals a cost effectiveness of $ 163 per ton or $ 66 per ton at net present value . The analysis revealed a cost efficiency of $ 163 or $ 66 per ton at current value . entailment +to build a bigger intake center The intake center could be bigger . entailment +Wealthy shipping families own large houses along the coast and in the hills , which are more verdant than those of other islands in the group , and its red soil contrasts with the dull earth of Mykonos or Paros . The coast is completely void of any large houses . contradictory +i saw one i thought was crummy with that new uh Michael J Fox movie The Hard Way where he plays a a actor that 's uh like the huh The Hard Way was really stupid . entailment +Corruption and tax-evasion continued , but police clamped down on the political terrorism of the Red Brigades and neo-Fascists and the age-old criminality of the Mafia . Police fought terrorism . entailment +well that 's how that 's what they serve these margaritas in these frozen margaritas it 's just huge things they put the margaritas in huge things before giving them to people entailment +As recalled by Peter Prichard in his book , The Making of McPaper , Neuharth condemned the old journalism of despair , a derisive technique of leaving readers discouraged , or mad , or indignant . Peter Prichard recalled a derisive technique in his book , The Making of McPaper . entailment +We waited in a tense silence . The wait was casual and didn 't take long . contradictory +Suddenly he stiffened . He could hear the floorboards creaking in the night . neutral +and so my uh transportation costs have gone up by uh five times I 've quadrupled my transportation costs . entailment +the top speed of the wind but it it did manage to take all our tents out We should have used more stakes to tie down our tents . neutral +but i guess to make it more difficult for the person who 's just so irate and upset and you know temporarily a little bit uh offset or off keel i don 't know if that 's a large percentage percentage of uh crime or not but i guess it would be some but i i think definitely like today they just introduced the what 's called the Brady bill the seven day mandatory waiting period on getting any guns and i think that The Brady bill had a waiting period that was introduced in 1992 . neutral +and government doesn 't produce anything The government doesn 't produce anything . entailment +yeah and that one 's really super now i i know what they 're talking about on regular retirement yeah there 's not too many they do have a wing where the people who are really sick you know have nurses Yeah they were discussing retirement in the wing with those that are sickly . entailment +The Alternative projects that reductions in exposure to fine PM and ozone due to the Clear Skies Act will result in 3,800 avoided premature deaths in 2010 and nearly 7,200 avoided premature deaths in 2020 . Premature deaths in 2009 were much higher than in 2010 . neutral +By the train station , between Calles Picota and Egido , is the modest Casa Natal de Jose Marta ( at Calle Leonor Perez , 314 ) , the birthplace of poet and statesman Jose Marta . Casa Natal de Jose Marta is located by the train station . entailment +She lost health care for her children and herself , although she is a borderline diabetic in need of medication and her children were suffering from rat bites . She lost their health insurance , despite multiple health conditions . entailment +oh yeah they have much more of a twang down in that area okay okay In that area , they have a unique sound to their voice . entailment +how did you first get involved in camping How did you first get interested in camping ? entailment +The echoes of colonialism are clearly evident in the Railway Station , whose Moorish architecture is reminiscent of KL 's central station and is locally nicknamed the Taj Mahal ; nearby is the Majestic Station Hotel . The Railway Station is locally nicknamed the Taj Mahal . entailment +yeah i spent about ten years in Abilene for TI i i worked out there in Abilene in west Texas and i never did get a chance to get over to Lake Texoma i i wished i had uh I spent a decade in Abilene . entailment +my husband sat in on a jury trial a murder trial that lasted for two weeks My husband served on a jury for a murder trial that lasted two weeks . entailment +Some reviewers have also noted that the observed mortality associations from the 1980 's and 90 's may reflect higher pollution exposures from the 1950 's to 1960 's . Some reviewers have pointed out that pollution exposures may be different during certain decades . entailment +I thought that lawyer chap had quit ! 161 Chapter 19 Jane Finn " MY train got in half an hour ago , " explained Julius , as he led the way out of the station . My train did not get here until 2 hours ago . contradictory +Whether Starr gives it away depends on what kind of prosecutor he is . It is important Starr does not give it away . neutral +The wonderful beaches along the western coast were , until recently , a secret , but they have now been discovered . The great beaches were a secret until recently when they have been found out . entailment +And right now , there wasn 't even much to talk about during cigarette breaks . There was a lack of topics to communicate about during free time . entailment +However , DOD 's acquisition policy lacks detailed criteria for capturing and using design and manufacturing knowledge to facilitate better decisions and more successful acquisition program outcomes . The DOD has an excellent acquisition program when it comes to accounting for manufacturing knowledge . contradictory +Yes . She looked perplexed . She understood everything . contradictory +150 There was a moment 's pause , and then Tommy reverted to Mrs. Vandemeyer 's death . Mrs. Vandemeyer had died previously . entailment +Why don 't we take more time to enjoy what we have ? Why not enjoy what we have instead of rushing into new things ? neutral +well if if you buy a good grade of paint uh you don 't really uh of course Texas heat you know you it really gets pretty hot outside so you have to be sure and get a good grade of paint The Texas heat makes most types of paint just melt off . neutral +i keep trying uh you know you just can 't can 't give up on it uh i uh i bought some uh plants from Michigan Bulb Company they send them to you all ready alive The Michigan Bulb Company sent me some living roses already . neutral +Yesterday 's WSJ reported that the Dept. of Transportation has informed airlines that , in an expansion of disability rights policy , they must soon provide peanut-free buffer zones for any passenger who declares a certified peanut allergy prior to a flight . Airlines will soon be required to take safety measures for passengers with peanut allergies . entailment +just hadn 't heard much about them lately I am unaware of their present situation . entailment +From March to September 1988 , the Iraqi army seized every Kurd in a vast prohibited area and carted off nearly 100,000 civilians for execution ; it also used chemical weapons against the Kurdish population . The Iraqis carried out atrocities against the Kurds . entailment +The page also features a condensed history of Beijing ( disguised as a Beijing Tour ) , links to China 's music , and a reader forum . The page features links to romantic dating in Beijing as well as seedier local attraction . contradictory +yeah that 's what my husband keeps telling me see how you know um i 'm just now getting into the world politics and all that I have just recently began delving into the realm of politics . entailment +In terms of understanding the functioning and effects of the worksharing process , this distinction will be shown to be a matter of some importance . Worksharing has improved over the last five years . neutral +Recorded history of the volcanic archipelago begins in relatively recent 1418 , just as the golden age of Portuguese discovery was erupting . The volcanic archipelago does not have any recorded history prior to the 16th century . contradictory +The British sent in massive troop reinforcements , but the killing continued , mainly European managers in the tin and rubber industries . After sending in many more troops , the British quelled the revolt . contradictory +To make the most of results-oriented management , staff at all levels of the organization must be skilled in strategic planning , performance measurement , and the use of performance information in decisionmaking . Strategic planning does little to help improve management . contradictory +yeah well you 're doing a lot better than i can i can 't rattle them off like that i know my youngest is eighteen he 's uh as i said in a senior in high school but i have a You 're doing better than I can , because I can 't remember them that fast . entailment +I almost wish she 'd included more voice-over narration , more commentary on the things that , as a filmmaker , she hasn 't learned to bring out . A more voice-over narration would have been a nice inclusion . entailment +All right , so I lost my cool with those Hasid guys on Broadway who come right up to you and ask if you 're Jewish . I had a temper with the Hasid men who asked if you 're Jewish . entailment +Similarly , China Telecom has said that it will explore opportunities for strategic investments in [ China 's ] telecommunications industry . China Telecom is doing this out of desperation neutral +Public facilities , such as transportation systems and water supplies , are vital to meeting the Water supplies are not public facilities . contradictory +oh actually about four thirty because they start at five to six so i was there by four thirty every night and the only thing that ever bothered me was my hair getting wet They don 't start until 8 . contradictory +Indiana University 's Douglas Hofstadter , an amateur pianist , recently played one of Cope 's fake Chopin mazurkas , and told New Scientist he was stunned by its seeming authenticity . Douglas Hofstadter performed work by Cope . entailment +" Heard tell as you boys don 't think th ' war 's clear over yet , " Fenner observed . Fenner had heard that these boys don 't believe the war is fully over yet . entailment +so it it would seem to be real beneficial It seems detrimental . contradictory +No , we 're an impecunious lot . We are really poor with no assets . entailment +that 's when i 've been I have been there . entailment +Much of this kind of behavior can be traced back to what Richard Hofstadter famously described as the paranoid style of the American Right . Much of this behavior is typical in our society . neutral +Having one carrier would also reduce vehicle traffic in neighborhoods and allow familiarity with recipients . Having one carrier would increase traffic amounts greatly . contradictory +oh do you really I know you don 't . contradictory +In the mid-1990 's there was a concerted attempt in Congress to eliminate funding entirely for the Legal Services Corporation , a nationwide program dedicated to providing civil legal services to lowincome Americans . Congress believed that it would be saving taxpayer money with this move . neutral +The implication is that the local FBI office is in cahoots with Brown & amp ; Williamson , but we hear no more about it ; we never even know if Wigand got his computer back . That means that the local FBI office is in cahoots with Brown and Williamson , says the news . neutral +He nodded . He nodded , but he was uncertain about what he was saying yes to . neutral +um-hum oh i 'm sure it is i 'm sure it is i was exposed to a lot of music when i was younger i my parents had me take piano lessons for eight years and My favorite music to listen to when I was younger was classic rock . neutral +GOVERNMENT-RELATED EVENTS - Nontransaction-based events that involve interaction between federal entities and their environment . Federal entities may interact with their environment . entailment +These changes may also indicate that requirements are changing and may be related to the software volatility issue described earlier . The software has been overloaded , causing system-wide failure . neutral +The inflows that it demands include taxes , duties , fines , and penalties . Inflows are unrelated to taxes for any organization . contradictory +" Makes you think , " Anse agreed . Anse agreed because it was what he thought too . neutral +In 1982 , Ronald Reagan invoked this right to keep EPA documents about toxic-waste disposal from Congress . Ronald Reagon didn 't want to show congress the EPA documents entailment +Postal Service than for Poste Italiane ( assuming adjustments for scale ) . The postal service for Italy is called Poste Italiane and it is efficient as well . neutral +Further , OMB is required to periodically report to the Vice President on the agency submissions and governmentwide progress . OMB must report to the VP quarterly . neutral +Some of the old houses on the hilltop are admirably decorated with flower gardens , and all have a panoramic view of the sea or mountains , or both . The sea can not be seen from any of the houses . contradictory +oh you do that there there is a pretty um i wouldn 't say snobbish but it it 's kind of borders on that that if i depending on what i 'm wearing i get better service at the mall i felt since Mall employees are snobbish . neutral +right now they 've got that Katherine Hepburn one where she 's touring all the gardens of Europe i of course have missed the first series of that but that 's about the only thing that i really catch on PBS She is touring all the gardens in Europe . neutral +oh it 's national It 's only on a local level . contradictory +The process of confirming that a system or component complies with its specified requirements and is acceptable for operational use . Each system and component has its own specifications to meet . neutral +Around 3100 b.c. the kingdoms of Upper and Lower Egypt were unified under King Menes his crown was the first to depict the symbols of both kingdoms . The first time Egypt displayed symbols from both Upper and Lower Egypt was 1950 . contradictory +Parts of the Croseand the nails with which Christ was crucified are reputed to be sealed in the column 's base . It 's said that part of the cross and the nails used to crucify Christ are inside the column 's base . entailment +Much of it is risible , yet I loved watching it--not because I thought that the emperor was wearing new clothes but because I thought he looked fine--beautiful , actually--naked . He looked gross naked . contradictory +If you missed the link about biotech companies ' sham ethics codes , click here . You can click here for information about the ethics codes . neutral +Competing with Casa do Turista is the new indoor handicraft and tourist market at Eira do Serrado . There is no new market competing with Casa do Turista . contradictory +Jon looked back deeper into the mine almost considering running down to find her . Jon didn 't look any further into the mine . contradictory +The following list of 18 best practices relies heavily on research conducted by CII , TBR , NRC , FFC , and similar organizations . The eighteen best practices identified on the following list relies mainly on the research of several organizations . entailment +When it comes to accountability , the establishment media have the biggest glass jaw in the world , and its pre-emptive atomic carpet bombing of Brill 's Content only proves it . When it comes to accountability , the establishment media are the most trustworthy . contradictory +In this report , we simulated the effect of different saving rates on the nation 's standard of living using a standard model of economic growth originally developed by economists at the Federal Reserve Bank of New York . Economists work for the Federal Reserve Bank of New York . entailment +Can I have your number ? The person is asking for a number because he wanted to stay in touch . neutral +Princess Di decorates the covers of both magazines ' year-end photo issues . All twelve magazines have Princess Di on their covers . contradictory +In addition , saving can be invested abroad without lowering the global rate of return . Investing abroad decreases the global rate of return . contradictory +Ah ! said Sir James thoughtfully . Sir James was a mute , he could not talk . contradictory +But I do worry that the Barro offer sends the wrong signals to younger economists--that by telling them the profession still insists on the appearance of superstardom , that it only values home runs when we really ought to be looking for a solid series of base hits , it will encourage what is already a disturbing propensity to favor attention-grabbing showmanship at the expense of deeper , more time-consuming work . Putting more importance on image and superstardom instead of actual meaningful work sends the wrong signals to younger economists . entailment +This audit guide is based on and incorporates GAO 's information technology acquisition model . The information technology acquisition model influenced this audit guide . entailment +Montazah Palace , built in the 19th century as a hunting lodge , started the fashion . The fashion was started by the Montazah Palace . entailment +Causeway Bay also has a variety of bars and clubs . Causeway Bay has very little variety of bars and clubs . contradictory +oh hm i wasn 't even looking for a car when i bought this car i uh i was thinking about buying a Prelude from a friend who was moving to New York or something so and she was gonna sell her car because she didn 't need it anymore and it was only like a year old and i had never driven uh a Prelude so i went to a dealership because they had like uh the same year and same model of Prelude on their used car lot and i went and i test drove it I got this car brand new from our local dealership . contradictory +Sather Karf was starting forward into the battle , but Hanson made no move to follow . Sather remained while Hanson went into battle . contradictory +a typical Balearic dish of pork sausage with sweet peppers . Pork sausage with sweet peppers is distinctly Balearic . entailment +More recently , several new , long-term studies have been published that use improved approaches and appear to be consistent with the earlier body of literature . Most researchers are in agreement that the new , long-term studies are providing invaluable information . neutral +Robert Lowe speculated that the current situation represents both a unique opportunity for an intervention in the emergency department and a failure of the primary care system . Robert Lowe 's speculations were sound , but not very helpful . neutral +Silence hung over the eight travelers . The eight happy travelers shouted and rejoiced . contradictory +It means the company considers you smart enough , flexible enough and above all unscrupulous enough to turn your hand to whatever their latest vague and seedy project might be . The company thinks you aren 't a good fit . contradictory +yeah in some cases that it it would work that way in some cases it would work the other way It always certainly goes a single way . contradictory +different dialects The same dialect . contradictory +You may not believe that such intervention will work in practice , but that 's a judgment about the rules of politics , not economics . You may believe that such interventions will work in practice , but that 's a judgment about the rules of economics . contradictory +Announcing any benefits changes sooner rather than later would make it easier for individuals to plan for retirement and to adjust their saving behavior accordingly . It is better for individuals if changes to benefits are kept secret until they come into effect . contradictory +The next day he noticed his skin was smoother , even though he didn 't apply his usual moisturizing cream the night before , because he was too preoccupied with getting addicted in a truly grand style . He noticed , the next day , that his skin was dry and rough . contradictory +The gracious Piazza Vecchia is surrounded by Renaissance public edifices , notably the Palazzo della Ragione with a medieval Torre del Comune . Piazza Vecchia 's stonework is known the world over for it 's high quality and detail . neutral +It is said to have been built at the site where Joseph , Mary , and the infant Jesus took shelter after they fled to Egypt from the Holy Land . It is said to have been build at the site , where there was previously a graveyard . contradictory +In the heart of willow country , Camacha is famous throughout the island as the heart of the wickerwork industry . Camacha is not a popular destination , it 's a ghost town . contradictory +So in a sense , island life continues just as it always has ! Some things are the same about island life as they were years ago . entailment +'Okay , ' Natalia appeared , hands on hips . 'Okay , ' Natalia showed up with her hands on her hips . entailment +Since the Lake District is so popular for outdoor activities , it 's a good place to shop for outdoor clothing and equipment . The lake district has lots of ski shops . neutral +The new standard in civilized countries is the 3 + 1 family unit , you know . Family unit 's have changed and are now in a 3 + 1 format . neutral +you know the whole family is in an uproar discussing it and some of the kids said well they yeah they should do it and others you know said it 's ridiculous this man whose body finally wants to die just let him die and um The whole family is having a conflict about what to do with him . entailment +Over its long history , the cathedral has witnessed many momentous occasions . The cathedral was built less than a decade ago . contradictory +well they said that women like the the you know executive women or women that work whatever they spend uh five hundred dollars on clothes a year so but but for me Women that do not work spend less money on clothes . neutral +This could indeed lead to a slump--but need not if the management were alert and responded by simply issuing more coupons . Management can enact changes to avoid possible slumps . neutral +uh-huh it happens that way It cannot ever happen like that . contradictory +For the scientifically minded , there 's a great deal to learn painlessly in the Cite des Sciences et de l 'Industrie at La Villette ( see page 72 ) . There aren 't any scientific museums or attractions at La Villette . contradictory +Seventeenth-century tapestries depicting heroic scenes from the life of Alexander the Great adorn the walls . Tapestries depicting Alexander the Great are on the walls . entailment +Moved by this plea for help , the duped scholar promptly wires the individual a loan of as much as $ 3,700 . Moved by the plea , the duped person will wire the person an individual loan . entailment +They include activities designed to address risks that lead to fraud and error . These errors are easily fixed . neutral +yeah right next to Dulles all right well i 'll talk to you later bye-bye We are close to Dulles . entailment +Although the songs may express something of the cante jondo 's desolation , the dancing is very different . Canto jondo dancing is energetic and uplifting . neutral +well if you 've been here for three years you didn 't get here the year they had the big freeze and stuff here did you what was that eighty eighty four They had a huge freeze around three years when you were here . contradictory +The name Varanasi , misheard by Europeans as Benares , is derived from its site between the tributaries of the life-giving holy river Ganga , the Varuna and the Asi . Varanasi is in a place all of its own , secluded from any tributaries . contradictory +And , when he could , would bite . He does not bite . contradictory +Jon removed his merchant 's tunic and pulled on a grimy brown tunic from his pack to replace it . Jon was wearing a brown tunic . entailment +Barnicle , like Cohen , argued that to accuse Kennedy of poor judgment is way out of bounds , because he could just as well have been killed in a subway accident . Barnicle and Cohen are friends . neutral +and see i think ladies clothing um uh is a lot more varied than than than men 's clothing because uh men or at least in my situation you can uh i can wear the same slacks and uh sports coats nearly nearly all year round Ladies clothing is more varied than men 's clothing ; men can wear slacks and sport coats nearly year-round . entailment +Another midtown landmark in Fort-de-France is the imposing Saint-Louis Cathedral , which dates from 1895 . Another landmark in Paris is the imposing Saint-Germaine Cathedral . contradictory +The next pivotal episode in Polish history coincided with the end of World War I and the defeat of the Russians , Germans , and Austrians . The Austrians lost the first world war because they didn 't fight hard . neutral +i was a little bit bored with it compared to some of the other stuff that i 've heard he 'd done He was dissapointed with it . neutral +Something of the old spirit remains at the handsome Neo-Classical Cafe Pedrocchi , the activists ' meeting place on a little square off bustling Piazza Cavour . Anarchists often meet at the Cafe Pedrocchi . neutral +seven o 'clock so you all are behind us We are in front of you . entailment +Indiana University 's Douglas Hofstadter , an amateur pianist , recently played one of Cope 's fake Chopin mazurkas , and told New Scientist he was stunned by its seeming authenticity . Many who listened were under the impression that Chopin wrote the piece . neutral +Examples of condition information include , among others , ( 1 ) averages of standardized condition rating codes ; ( 2 ) percentage of assets above , at , or below acceptable condition ; or ( 3 ) narrative information . An example of condition information is the percentage of assets that is above , at , or below acceptable conditions . entailment +now are if you if you if you pay your your monthly charge do you then pay separately for classes you 're taking Do you have to pay for each class individually on top of the monthly charge ? entailment +that 's what i 've heard that uh I haven 't heard anyone mention that before . contradictory +We did not attempt to verify the performance data that agencies provided . We tried to verify the data we were given . contradictory +Our analysis of the Clear Skies Act includes a quantitative estimate of only two environmental recreational visibility and ozone effects on agriculture . A qualitative estimate of only two environmental recreational visibility and ozone effects on agriculture is included in our analysis . contradictory +The king of Leinster invited Richard de Clare , known as Strongbow , to come to Ireland to help him reclaim his kingdom ( Strongbow 's tomb can be seen in Christ Church Cathedral ) . The king of Leinster knew that he 'd have an easier time reclaiming his kingdom with Strongbow 's help . neutral +and i i think that 's probably pretty good for me um i part of my incentive when i started was to try to lose a few pounds because i had a special reason you know i wanted to and had a lot of motivation which I worked hard to gain weight . contradictory +He believes the use of free tickets awarded for frequent flyer miles in DOD is spotty at best . He thinks the use of free tickets by frequent flyers is not regular . entailment +Of course , ideas do count . Ideas are considered , sure . entailment +and i think Plano in general is getting a little more well it 's gotten so big it 's almost a town in it 's own right Plano is almost a town in it 's own right because of the size that it is now . entailment +The author 's claim that she backed down from that number in later interviews ( not cited ) is thus groundless . There is no basis in her saying she backed down from the original number . entailment +you know we worked something out because he was kind of apologetic that it took so long he really came over here to paint i think because he kept offering to paint the outside of my house i don 't think he did the interiors very well I don 't think he painted the interior of my house very well . entailment +He was quite unstoppable . There wasn 't anything that could stop him . entailment +Overall , though , the agency representatives questioned the need for a standardized approach to using IT to facilitate public participation in rulemaking . The agency representatives didn 't question the need for a standardized approach . contradictory +We will live like rats in holes . We will live like rats live in holes to protect ourselves from invasion . neutral +'Well sir . I don 't think that 's quite true . ' I don 't think that 's right . entailment +The resort was named after Louis James Fraser , an English adventurer and scoundrel , who dealt in mule hides , tin , opium , and gambling . The resort has no name . contradictory +But somewhere along the way , he may have absorbed Reagan 's lesson that while Americans like to gather Facts , the power Facts have to settle important questions is vastly overrated . He discussed Reagan 's relationship with the American people with some of Reagan 's advisors . neutral +um-hum maybe i that 's about how much i can cook you know i 'm i 'm doing a lot more cooking now I 'm doing a lot more cooking nowadays . entailment +The parish church , the Eglise Sainte-Croix , is worth a visit for the splendid 16th-century altarpiece by Jean Bongartz of Colmar . The Eglise Sainte-Croix does not feature any altarpieces made by Jean Bongartz . contradictory +These were all fashioned out of natural materials by local and international sculptors . Local sculptors made some of these using natural materials . entailment +yeah we tried it 's hard to sometimes okay well thanks bye bye We don 't try even though it 's really too easy . contradictory +This information will be in the form of a current services assessment providing future receipt and outlay data on the basis of projections of future activities The current services assessment won 't include any outlay data . contradictory +Since World War II , annual growth in GDP per capita has averaged roughly 2 percent . The GDP per capita had a sharp drop after World War II . contradictory +day per possible delivery for city delivery routes from table 1 . Table 1 contains rural farming data . contradictory +This reporting system will detail and describe the delivery of services that are not cases , services such as community education , information through Internet web sites , self-help forms and kiosks . This reporting system will detail and describe the delivery of services that are not cases . entailment +Scenario B follows a similar pattern with expenditure increases being offset by further reductions in electricity demand as more efficient technology penetrates the market . More efficient technology is a direct cause of reductions in electricity demands . neutral +i don 't know i 've been i 've been sitting here thinking here because it was you know took a couple tries before i found somebody well you know i 'm like i 'm not really sure what i think about this um uh i mean the first thing is the oh if it 's going to be mandatory it 's got to be mandatory i mean everybody not just like you know poor people and all that you know but I 'm not sure but I 've been thinking about it . entailment +Despite Adams ' relatively unremarkable presidency , however , he rebounded as no other ex-president ever has . President Adams served two terms . neutral +yeah well uh i don 't know the uh uh the uh Wal-Mart that 's where all of our bills are for the credit card I do not have any credit cards because I only use cash . contradictory +On the other hand , the simplest and always tempting solution to conflict-of-interest concerns is to take a pass on some Microsoft-related topics that you would otherwise treat . It is easy to not dwell on the Microsoft-related topics . entailment +In 1648 , the French staked claim to their part of Saint-Martin and to nearby Saint-Barth ? ? lemy . The French claimed part of Saint Louis . contradictory +Constantine the Great ( who was a convert to Christianity ) and Licinius ruled east and west respectively , until in 324 Constantine overthrew his pagan ally and reunited the empire . Constantine the Great overthrew Licinius because he wanted to unite the empire under Christianity . neutral +Duke came to the suburbs of Washington , D.C. , last weekend to raise money for the race . Duke makes it a policy to never take part in raising money for any cause . contradictory +That they do so is inevitable . It cannot be changed . entailment +they went through that entire process yeah Even though they completed the process , things did not get better . neutral +We agree that climate change is a serious issue we need to address . Climate change has not been previously recognized as a serious issue . neutral +okay so you watch Letterman David Letterman You watch Letterman because you think he 's funny . neutral +At that time , Social Security revenue would only be sufficient to pay for roughly 73 percent of promised benefits . Social Security covers around 3 quarters of the benefits promised . neutral +This is an imaginative attempt to dress craven pragmatism as high principle , but it makes no sense . It does make sense to dress craven pragmatism as low principle . neutral +so i i get to going down the expressway in the morning and uh i don 't see very many cars smoking I don 't see many smoking cars because all the environmental protections that have been put in place . neutral +At one time , all of these organizations found themselves in an environment similar to the one confronting federal agencies todayone in which they were called upon to improve financial management while simultaneously reducing costs . The organizations were only tasked with improving financial management and not reducing costs at the same time . contradictory +Because of their limited English ability and isolation within communities , many aliens are particularly vulnerable to exploitation by unscrupulous sales and marketing enterprises , landlords and other businesses , and employers . many aliens aren 't particularly vulnerable to exploitation contradictory +Prominent Unionist M.P. The MP wasn 't a prominent unionist . contradictory +okay but you can 't find no jobs like that They are everywhere . contradictory +Today it is a base for pilgrims visiting Tamil Nadu 's great temple complexes , but every schoolchild , at least those from the old school , knew Trichy for the British defeats of the French here in the 1750s . Tamil Nadu 's great temple complexes lure many tourists , which is good for the area 's economy . neutral +You will not want to go in there . You should run right in . contradictory +Net national saving There was a positive net saving neutral +it is it is really outrageous but uh i mean like whenever i i was growing up and all my mom i never understood this then but i do now but she never would buy me like the new designer jeans that had come out that were thirty dollars or Mom would not buy me expensive jeans when I was younger . entailment +All these reflections passed through her mind in a flash , and she saw where a chance , a very problematical chance , lay , and she determined to risk all in one supreme effort . As she recollected her reflections , she could not find a way . contradictory +Moreover , the organizational transition of the various components will simply be the starting point - as implementation challenges beyond the first year should be expected in building a fully integrated department . The first point to start at is the transition of the various components . entailment +Its church , the Eglise Saint-Etienne , harmoniously combines Roman ? ­ esque towers and nave with Gothic steeples , choir , and chancel . The Eglise Saint-Etienne 's is a mundane , unbalanced replication of entirely Gothic architecture . contradictory +Well north of Kaanapali Beach , the Mauian is a Hawaiian-owned hotel dating back to 1959 , restored to its original ambience . The Mauian , a Hawaiian-owned hotel , existed in 1959 . entailment +The two available sources , both authored by Michael Jones-Lee , derive significantly differing adjustment factors , and reflect reflecting the overall uncertainty within the literature about age-specific VSL adjustments . Jones-Lee authored both available sources . entailment +But what sinks The Hi-Lo Country is Patricia Arquette 's Mona , who 's supposed to convey sleepy sensuality but seems merely to be on Quaaludes . Patricia Arquette was applauded for her performance in The Hi-Lo Country . contradictory +In America anything that can happen , Strangers kidnap children ; mathematicians become terrorists ; executives find themselves flipping hamburgers . In America , executives sometimes find themselves flipping hamburgers . entailment +an and quite honestly i i feel very strongly that the man has the has no redeeming social values and if if and when he comes gets free again he will have no compunction but to complete that that same kind of lifestyle i mean continue that same kind of lifestyle and perhaps do the same thing again so it really bothers me that there 's not a way of getting him out of the way forever I 've put together a petition to remove him from office . neutral +oh yeah probably better let you get back to work I should allow you to continue working . entailment +wait did you watch Saturday Night Live what he 's got what I want to know if you watch Saturday Night Live . entailment +The main portal is of stone carved in the style called plateresque , because it seems as delicate as a silversmith 's work ( platero means silversmith ) . The stonework took 30 years to complete , even with a dozen master artisans working on the project . neutral +Alcohol , Injury , and risk-taking data from a national sample . Risk-taking data , injury and alcohol data from a national sample . entailment +the the the big problem i guess with the the mass media is you know uh you don 't have time to educate the public on these matters because the public is not going to sit still and soak the message in The mass media is in a great position to educate the public . contradictory +All hotels are of a high standard , with private bath , air-conditioning , television , and telephone ; most have king- or queen-sized beds . Most of the hotels have king or queen sized beds and air-conditioning . entailment +I could tell what he was thinking : Yes , this man in funny clothes could be some nut ... or he could be something important . I felt weird approaching the man . neutral +Likewise , to accomplish the objectives for GAO 's internal improvements will take the dedication and persistence of all of our talented employees . The employees work really hard and love their jobs . neutral +Later in the piece , Brill writes that Schmidt and another reporter declined all comment on their sources . Brill wrote a piece about Schmidt . entailment +He has his own resting place here at Daiyu-in , to the west of Futarasan . West of Futarasan lies Daiyu-in , his own resting place . entailment +I made my way to the front of the train , occasionally stumbling as the whole thing juddered . Stumbling occasionally as the whole thing juddered , I made my way to the front of the train . entailment +It was here that the Royal Botanic Garden was moved in 1823 from a location not far from the Abbey of Holyrood . It was easy to move the Royal Botanic Garden since it was so small . neutral +It can 't , of course , which is the problem with mainstream horror The more deliriously abstract and unhinged their imagery , the more of a clunk there is when the evil actually materializes and the genre conventions kick in . Mainstream horror has a problem with being believable . neutral +Today , Medicare beneficiaries tend to need and use more drugs than other Americans . Other Americans use less drugs than Medicare beneficiaries . entailment +i would think they could find a better way to fund it though but they haven 't for They haven 't found a better way to fund it . entailment +It is a harebrained , dangerous scheme , began Drew ; then he switched to a question . Drew also thought that the scheme was stupid . neutral +A second wave of Polynesian immigrants from Tahiti arrived centuries later . Only one group of immigrants came from Tahiti . contradictory +Sir , excuse me , the terrified , quadrophonic voice of the secretary could be heard again . The voices of the secretaries could be heard again . neutral +In that case , is it not possible that the articles in question might have been put there by a third person , and that the prisoner was quite unaware of their presence ? There was a chance that someone framed the prisoner . entailment +Roberts has left the movie 's cozy romantic fantasyland in a pile of jagged shards . The movie was left in a pile of jagged shards by Robert . entailment +But while creativity may exist , it doesn 't necessarily exist over and over again . Creativity exists over and over again throughout time . contradictory +Then the papers , said Sir James slowly , " are still at the back of the picture in that room . " The papers are in that room . entailment +we uh most recently we still go camping every well not as much anymore we our kids are pretty near grown and uh We don 't camp much now , but we will be going this year . neutral +i know now come on Ii know that is ridiculous . neutral +uh the uh achievement for the let 's see how are they putting that uh the school let 's see the academic report board review board uh the dean 's being it more involved with the athletes The academic review board says the dean is more involved with the athletes . entailment +Until it snapped . It never snapped . contradictory +Large families lived in high tenements , sharing a well with hundreds of other families . Families lived in tenements but had their own water supply . contradictory +Is this reasonable caution or self-important delight in martial law ? Are you delighting in the world falling apart ? neutral +Stretching along the lower slopes of the San Gabriel Mountains , Descanso Gardens ( 1418 Descanso Drive at Verdugo Boulevard , La Ca ? ? ada ) are known for their vast camellia displays and historic collections of rose . There are vast camellia displays at Descanso Gardens . entailment +For a glass of boraquasco , slightly warmed with the left hand index and ring fingers , zezola fruit makes a perfect accompaniment , Cezary Pytlasinski said while drinking vodka and snacking on a herring , and everybody listened with great interest . Cezary Pytlasinski drank vodka from a flask . neutral +Their stories are the city 's ongoing miracles and the source of Jerusalem 's hope . Their stories have had no impact on Jerusalem 's hope . contradictory +yeah for your automobile For your car . entailment +We did it with the help of the Board and the other staff at LSC . The Board and staff at LSC helped us get it done . entailment +Oh yes , we must go on hoping . But over her downcast head his eyes met Julius 's , and almost imperceptibly he shook his head . He really thought there was hope . contradictory +um oh my gosh well some guy killed himself today or yesterday in a skiing accident somebody up here he 's head of oh welfare not welfare but Today or yesterday somebody died in a skiing accident , he was head of welfare . entailment +Now , remember a few minutes ago when I talked about the Commission and Postal Service difference of opinion on the matter of how costs vary with volume ? Remember last year when I was discussing how the Commission wanted to put the Postal Service out of business by suing them over tax evasion ? contradictory +i mean i 'm all for donating my time to worthy causes like i do some volunteer work here and there and every once in a while i 'll do uh a uh local Big Brother Big Sister thing I support using my time on worthy initiatives , I even volunteer sometimes doing the local Big Brother Big Sister program . entailment +Initially , the two groups were kept apart and unaware of each other . The two groups were not in contact with each other . entailment +uh dad never believed in tent camping uh we had some old army cots that we would sleep on uh come good weather or not a many of times we were sleeping out under the stars and it would start raining and we would all wind up in the car and that got pretty cramped sometimes I hated sleeping outside I wanted to sleep in a tent . neutral +It can be seen that time per box drops off sharply at the low end of the density spectrum and then it flattens . At the low end of the density spectrum the time per box drops off sharply . entailment +In 1993 , FEMA 's new Director refocused the agency on meeting its mission and aligning its activities to better serve the public . During the early 90s they shifted their attention to helping the people they serve . entailment +Its two lower stories have a remarkable carved frieze representing scenes from the Mahabharata and Ramayana epics . The Mahabharata has many war stories that teach valuable lessons . neutral +The commander in chief has made a commitment on behalf of the United States , and the United States must honor that commitment . The commander in chief is loyal to the US military . neutral +Adrin , Jon realized , had never seen a friend die . Jon realized Adrin was going to see his first death . neutral +While there are still ample remnants of that easy-going charm , the gap is quickly closing ; the city now hardly lacks for traffic and noise . There are a lot of reminders of the charm that used to be there , but now there is a huge neon sign right next to it . neutral +What could have caused Cassidy to suspend his critical faculties ? What could the reasons for Cassidy suspending his critical faculties be ? entailment +Ten programs were chosen for visits in 2001 . The 2001 agenda had ten programs scheduled . entailment +The inspector reported that the chair itself , the wooden part , needed replacement . The inspector reported no part of the chair was dysfunctional . contradictory +The emperor at Kyoto still seconded by a Fujiwara regent at court legitimized a Minamoto who was himself a military dictator controlled by a Hojo regent . The emperor was a cruel and heartless old man . neutral +yeah i used to have a that that could read me better than any human being in my life My pet could read me so well . entailment +It was for his dedication to the law and the people that are affected by it that he was recently recognized . He was not recognized , since he affected very few people . contradictory +yeah they 're getting even better i think They just get worse and worse . contradictory +If the MBMFC rule was removed and all mailers could choose between 11 Removing the MBMFC rule would limit mailers and take away their choices . contradictory +This evolution-bred hunger for power is built into men generally , including those ( such as Nixon ) for whom translating power into sex is not a high personal priority . Men are generally hard-wired to seek out more and more power . entailment +Paseo de la Cetellana is Madrid 's principal north-south avenue , running for several miles through the heart of the city and bordering the Salamanca district to its west . The Salamanca district lies far to the avenue 's east . contradictory +At the top of the escalator , the phat lady made a sharp left into a silky hedge of Liz Claiborne blouses to confer with a salesclerk . The phat lady is talking to the president . contradictory +and um they have little bar there so we sit there and um sipping on some mixed drinks before we get to eat We always skip the drink , and go straight into the food . contradictory +Bertha had been something of a sucker for astrology and had found he was born under that sign before she agreed to their little good-by party . Bertha knew everything there was to know about astrological signs . neutral +Because such disruptions can limit DOD 's ability to effectively execute war-fighting operations , it is critical to find better ways of doing business . It is critical for the DOD to avoid disruptions . entailment +Louis died in 1715 . Louis passed away in 1715 . entailment +so how do you rate gun control How should gun control be rated ? entailment +Bengalis are irrepressible ; perhaps the challenge of coping with daily life in this city of 10 million has sharpened their wit . Ten million people reside in the city of Bengal . entailment +High School and Central Michigan University and had a promising The middle school and the community college . contradictory +we still look pretty good don 't we Do we still look pretty good ? entailment +well personally you know i think you know of course i 'm sure we 're familiar with the exact same benefit package and i think that uh we 've probably got one of the best around you know besides they tend to offer adequate adequate vacation i guess and the paid time off is wonderful and uh one of the things that we were just talking about as a matter of fact this week at work was the CODA Plan that is offered and i think that is just a a fabulous one so i don 't know if you participate in that or not but If you do the CODA plan , then you can get even more vacation time . neutral +well it sounds it sounds it sounds like you have it sounds like yeah sounds like you have a real nice home and it 's uh it sounds like what part of Indiana or is is It sure sounds like you have a really nice home . entailment +and uh we can get they do this thing for dinner for two where we can get like um Kung Pao chicken you know it 's a big you know container full Kung Pao chicken um pork fried rice two egg rolls and like you know they don 't offer Kung Pao chicken at this place , unfortunately contradictory +I couldn 't rightly say , sir ; it was shut but I couldn 't say whether it was bolted or not . I wasn 't sure if the door was bolted . entailment +It 's not inevitable . It isn 't for sure . entailment +The Lewinsky story exploded because it takes the president 's behavior beyond the sexual into the criminal--with its looming questions of perjury and obstruction of justice . The Lewinsky story is on the president 's sexual escapades . entailment +Tommy took to his heels and ran none too soon . Tommy started running away . entailment +where did you go for it did you go like to Hoffbrau Steaks Where did you go to get it , Hoffbrau Steaks ? entailment +If more than 24 hours occur between initial suckage and revivification , victim no longer qualifies for living death designation and will be considered conventionally deceased . There are no different stages of death . contradictory +Under this approach , an owner prepares a project scope definition and then engages a single entity that will provide all services necessary to complete the design and construct the facility . The owner provides tools to build the facility . neutral +Yamanaka-ko is the largest of the five . Yamanaka-ko is the worst of them , isn 't it ? contradictory +and the lights shine right at our house it 's kind of we didn 't know that when we bought the house but The lights shine right at our house and we really really hate it but we didn 't know about it . neutral +Any thought of trying your colt against some of the local champions ? " He had a colt that has never competed with local champions because they were new in town . neutral +I had seen what they could do to men , " From behind him , Ca 'daan could feel Thorn stiffen . " I have seen the atrocities they can commit , " Ca 'daan said . Thorn replied with a confident flourish of his sword-- " Let them come . " neutral +and uh and it worked out fine from that standpoint uh plus the fact that uh when i left uh usually uh my husband was seldom home for maybe forty five minutes or so and then our son he had to get on the bus and he did get on the bus it was his responsibility and he never ever thought I got my son on the bus before I left . contradictory +figured on um a whatever basis how much it costs to actually support them for a year It doesn 't cost any money to support them for a year . contradictory +right right right right well that 's all what i always felt if it if those studies were true about smokers having higher medical costs That 's what I felt about smokers and medical costs based on studies but I 'm open to discussion about it . neutral +The legislation is restricted at this point to , most likely , pilot programs with the Department of Community Affairs contracting with groups such as the Florida Bar Foundation to distribute the money most effectively . The legislation is only useful to the DOCA . neutral +MEASUREMENT Estimating contradictory +Tweed is also produced from wool , manufactured into jackets , coats , and suits . Wool is turned into tweed which , in turn , is used for suits and coats . entailment +Attack Why America Needs A Public Health Defense System to Battle Environmental Threats . America needs a public health defense system to fight educational threats contradictory +More important than a precise cost estimate of the transition , however , is the recognition that there will be short-term transition costs and that these costs need to be made transparent . The recognition that there will be transparent short-term transition costs is way less important than a precise cost estimate of the transition . contradictory +For the Dutch , Johor provided a buffer against other Europeans . The Dutch were very happy to have Johor as a shield . neutral +Then you can hand them over to us right away ? " You can give them to us once we get there ? neutral +The collection and indeed the building itself is not huge or overbearing , allowing visitors to relax and enjoy the art perhaps more than is possible in such massive galleries as the Louvre or Rijksmuseum . The collection has 50 items on display . neutral +It would be more entertaining to consider mixed motives , mitigating circumstances , conflicting social pressures , complicated histories , and then find that in this unique situation you really should shoot the guy . Mixed motives would be more entertaining to consider . entailment +well i i had uh when i moved in i did not have my garage built and my breezeway and the concrete stairs upstairs the stairs the stairs were were made out of wood and the reason i did that it was getting late in November and the winter was coming I didn 't move in until the garage was completed . contradictory +To attain such concrete notoriety , you must be nominated to the Hollywood Chamber of Commerce and then , if selected , come up with $ 15,000 to pay for your star . If you are selected by the Hollywood Chamber of Commerce , you can get your star for free . contradictory +uh but uh uh i we i do mainly um graphics on it I do mainly videogame graphics on it neutral +and it 's gonna get worse that 's just like last night they killed them people in that store where you at It 's safe here . contradictory +so would i i fortunately i have never been in that circumstance i hope i never am like like everybody else I hope that I am never in that circumstance entailment +Only a few years ago it would have been dangerous for visitors to travel anywhere within the region . The region was crime ridden with terrorist . neutral +Today , the postings often have less to do with greed and more about world affairs , political opinions and advice to young associates and law students . Greed has been influencing postings less and less over the years . neutral +it you know the girls can learn things in school about everything that is temporary but as far as really knowing the earth there 's no other way to really learn it but to experience it The earth must be experienced to really learn it . entailment +Khan El Khalili in Cairo is one of the oldest and most renowned bazaars in the Islamic world , and it is a veritable treasure-trove of shopping opportunities . There is a bazaar called the Khan El Khalili . entailment +This act requires that persons with disabilities have access to and use of information and data that are comparable to the access and use provided to persons without disabilities . This act requires disabled people and non disabled people to be given different information . contradictory +that 's right well actually i mean it it is a business in a way but it it 's a lot of fun as a hobby especially when you go to shows and get to see all the different cats we 're we 're about to get another breed we 're going we 're going to buy a Devon Rex and i didn 't i don 't like Devon Rexes at first it 's a well actually it 's a mutant it it comes from England and uh from in the county of Devon This is entirely a business venture . contradictory +'No sir . I was nervous as I said no . neutral +Case studies aiming at a comprehensive analysis of an event as a whole begin as early as possible in its Case studies have began as early as possible to ensure that everything was ready to submit . neutral +The new bioethical controversy is whether doctors should obey families who want to freeze the sperm of their deceased loved ones . Society and the medical community have quietly accepted the practice of freezing the sperm of deceased loved ones . contradictory +But though unflattering , Seelye 's Mametizing of Bob Dole can hardly be called unfair . Seelye 's mametizing of Bob Dole is quite on point . entailment +However , as we explained in our June 22 , 2001 , letter to the Counsel to the Vice President , our inquiry is authorized by 31 U.S.C. Our inquiry will be authorized by 31 U.S.C. entailment +It is no answer to say the restriction on speech is harmless because , under LSC 's interpretation of the Act , its attorneys can withdraw . It is not harmless to restrict what someone says , because the LSC 's attorneys can withdraw . entailment +White stepped out of the dining car with a gun to my head . They intended to kill . neutral +You might hit him for work . You definitely can 't ask him contradictory +To enjoy excellent views , follow the coast road down to the small peninsula of Ponta Delgada , where you can cool off by the rocks in the seawater swimming pool . Ponta Delgada has a 5-star hotel . neutral +By itself , the dollar amount of national saving is not a particularly meaningful indicator of the portion of the nation 's income that is not consumed . National saving 's dollar amounts are a meaningful indicator of how much the nation hasn 't consumed . contradictory +that 's about it i guess I guess that 's about it . entailment +For more modern , upmarket shopping , you can join Istanbul 's jet-set in the stylish boutiques of Ni ? « anta ? « ? ? and Te ? « vikiye , near Taksim Square , or head west to the Galleria shopping mall by the marina at Atak ? ? y . You can join Istanbul 's elite in the stylish boutique if you want more modern shopping . entailment +Nye stepped back and let him pass . Although Nye stepped back , Smith did not . neutral +A long history of absorbing outside influences has resulted in a society in which people expect to have a Shinto baptism , a pseudo-Christian wedding ( usually held in a hotel chapel and officiated by an unordained foreigner in a robe ) , and a Buddhist funeral . Outside influences have causes Japanese people to incorporate all different religions into their life . entailment +About two full-time staff positions will be lost along with other cuts in staff hours . Staff hours are being cut to offset lost revenue due to poor customer service . neutral +do do do they give the employees time off during the day to go Why don 't they let employees leave during the day ? contradictory +oh really Holy mackerel Yeah , I see that a lot . contradictory +yes but we have a bottle return a lot of the northern states and a lot of the eastern states have bottles we 've had five cent deposits on our bottles for years Western states have a five cent bottle deposit . contradictory +He then asked how EDs should use their limited resources . EDs can barely function , given how their resources are limited . neutral +they 're supposed to have all these laws passed where people aren 't supposed to hire illegal aliens and all this and whether that 's working or not i don 't know because i don 't hear anymore about it I don 't know whether the laws to keep people from hiring legal immigrant is working or not . contradictory +oh well i 'm i 'm i 'm a native born Texan but uh you know how it is I 'm native to Texas . entailment +yeah my wife 's a cat person until we married i 'd never really oh we 'd had a cat occasionally you know and left it outside most of the time we lived in kind of a rural area my wife 's a real cat person one time not when we were together but at one time she had a total of like seventeen cats My wife hates cats now that we are married . neutral +The play is Spencer 's life reduced to Two Weddings and a Funeral , a quaint and titillating Bloomsbury parallelogram , says the Wall Street Journal ' s Donald Lyons . Donald Lyons of the Wall Street Journal talks about a play . entailment +There is too much flexing of stylistic muscle , says the New Republic ' s Robert Alter . Rober Alter doesn 't like things to be over stylized . neutral +yeah well don 't let it collect dust you least exercise while dusting it off You can exercise while dusting . entailment +Meanwhile , Madrid enjoyed brief prominence in 1308 when king Ferdinand IV and his Cortes , an early version of parliament , held a formal meeting in the fledgling town . Madrid was prominent in 1308 when king ferdinand VII had a meeting there . contradictory +He has built an independent Croatia , driven virtually all its Serbs and Muslims into exile , and won Croats semi-autonomy in Bosnia . He built an administration focused on integration and breaking down borders . contradictory +She shrugged her shoulders . She raised her shoulders up and down and sneezed . neutral +He assured her , I never really knew what love could be until you came along . He made sure that she knew he didn 't know what love was until she came along . entailment +It 's not Wallace 's initial caving-in to the network--I 'm with Don on this , he tells Bergman--that does him the most damage . As he told Bergman , Im siding with Don on this one . entailment +and it was just great to sit out there in uh Zurich or Bern just sit in the sidewalk cafes I went back there for many weeks and had a blast . neutral +it 's the first and only time i 've done that we don 't do anything exotic we just do oh tomatoes bell peppers radishes and turnips i mean not turnips carrots beets and things like that It 's the only time I 've ever done anything exotic . entailment +Typically these arise when imported materials are used to manufacture a product that is later exported . Accounting is complicated when imported material can be used to make a product that is than exported . neutral +She is an orphan of the Voth war . Her parents were both alive and well . contradictory +You can look it up . You can look up the spelling . neutral +The actuarial present value of benefits allocated to all periods before a valuation year is called actuarial liability . Actuarial liability is the actuarial value of any benefits allocated after the valuation year . contradictory +And yet you affirm so confidently that it came from Styles . You must surely be joking . Styles could not have possibly sent it as proven by our witnesses . contradictory +Direct modifications are actions that change the subsidy cost by altering the terms of existing contracts or by selling loan assets . Direct modifications to change the subsidy cost are not allowed . contradictory +yeah well i 've never been to a mental hospital but we I have not gone to a hospital for the mentally ill . entailment +But one would be wrong . One is wrong because only one can be right . neutral +While a very high BAC in an unimpaired patient can be a specific screen for dependence , 42 BAC is an insensitive screen for an alcohol use disorder . A very high BAC is normal for all patients . contradictory +they might as well steal it then they don 't have to pay taxes on it Taxes are entirely irrelevant . contradictory +Our goal is to better serve our client by making GAO more responsive , more flexible - and more focused on our client . We want to make GAO more focused on its clients . entailment +that that that 's uh yeah that 's absolutely right and you can gain a lot of ground doing that too if you You can gain a lot of ground doing that house work neutral +If I 've learned one thing in the movie business and the world of politics , he intoned , it is that the First Amendment--the 45 spare , unadorned words , bleached dry of all ambiguity--is the one clause in the Constitution that guarantees all others . He never read the First Amendment . contradictory +The land was infertile , just a swampy plain , the river small and sluggish . The land was a swamp and unable to grow crops . entailment +It occurred to me suddenly that I would go down to the village , and look up Bauerstein . I needed to go to the village and search around about Bauerstein , I now decided . entailment +Bush 's wife and daughters provide another handy shield . Bush 's family deflect . entailment +" From th ' east , eh ? " From the east ? entailment +' Ah , and I do , I remember very well . I do remember that quite fondly , actually . entailment +but uh my realm is pretty well technical and those who you know friends i have are usually we discuss technical items and we don 't uh try to follow the world 's problems Me and my friends , from the university , discuss technical items like computers and stuff . neutral +Attack them ? thought the Industrialist , and said it aloud in his concentration . The industrialist thought about attacking them . entailment +Your best chance to see it is at the Ampang reserve near Kuala Lumpur or at Taman Negara . The most likely places to see it is at either Ampang reserve or Taman Negara . entailment +Sometimes they fail now , she told him . She figured that most of them would fail . neutral +If Jon hid his former occupation as a soldier by dressing as a beggar , what did Adrin hide by dressing as a swordsman ? " Nobody knew of Jon 's former status as a soldier , as he dressed as a beggar . But what did Adrin hide , if he dressed as a swordsman ? " entailment +and i 'm not sure if you know if when they cook down there if they automatically just do that they throw a couple of red peppers in it and I don 't know how they cook it down there . entailment +You 'll certainly find a day 's visit to Kurashiki a very welcome change from the relentless modernity of some of the cities nearby . There is little need to visit Kurashiki because it 's just as modern as other cities . contradictory +like they 'll have uh they 'll have broccoli and they 'll have squash and cauliflower all on the same day They never have broccoli , squash or cauliflower . contradictory +Since this time , membership has been of great monetary benefit to the country . The country has benefited monetarily from membership . entailment +Many people can 't visit Edinburgh without spending a little time enjoying a glass of beer in a pub . No one drinks in the city of Edinburgh . contradictory +yep well same here I agree . entailment +Today , ruins of the Taira clan 's dwellings are still visible , and Yashimaji temple houses relics of the battles . The battles were rough and left lots of ruins behind . neutral +Vestiges of the British colonial legacy can still be found , not least in the fact that English is Jamaica 's official the popularity of cricket is another example . English is the official language of Jamaica . entailment +Another Eliminating help ( including expensive re-landscaping ) now provided to golf courses , marinas , and other revenue-generating enterprises that can well afford their own insurance . Golf courses get no help . contradictory +Shakespeare 's Fair Verona of Romeo and Juliet fame , Verona was first a favorite of ancient Roman emperors and the barbarian rulers that followed . Shakespeare was inspired to use Verona for Romeo and Juliet after learning about the history . neutral +yeah they didn 't and i 'm not for sure what the deal is on him i think he 's been hurt but he hadn 't played he hadn 't played in probably two months and i 've i 've gone to about three or four of their games and i don 't even think he was on the sidelines so i i think he hurt his knee or something but he he definitely didn 't turn out to be anything like he was supposed to so uh He hasn 't played at all since he got injured . contradictory +Almost overwhelmed by this swirl of activity , the Annapurna Temple in the right-hand corner gleams with burnished brass . The Annapurna Temple , with its gleaming burnished brass , is an amazing sight to see . neutral +Responses overall were generally favorable to the concept of reporting stewardship information . There were a considerable amount of unfavorable responses that were gathered . neutral +We should start by spiking the river . We should not spike the river . contradictory +And once again Derry found me thumping on her door at a stupid hour of the morning . This was the first time I 've thumped on Derry 's door in the morning . contradictory +Are you guys artists ? Are you astronauts ? contradictory +He hesitated a moment , then addressed himself to Tuppence . He was trying to come up with a plan but gave up and said hi to Tuppence . neutral +Yet in the summer months Hokkaido 's mountains and lake country are mild enough for good camping and hiking . Hokkaido 's mountains are mild enough in the summer for hiking . entailment +The NYT national edition goes with the maneuvering between Castro and the Catholic Church on the eve of the Pope 's visit to Cuba . The Pope will be visiting Cuba . entailment +There 's more shade , from coconut trees , at the delightful unnamed beach on the little Pain de Sucre peninsula across the island . On the Pain de Sucre peninsula you will find a unnamed beach with shade and coconut trees . entailment +In futile anger , he 'd swung out of the office and gone stumbling back toward the computer building . He was only in the office for a short time . neutral +The 1998 The deposition was a minor distraction . Their king was deposed from the throne in 1998 . neutral +Then she and Jon fled into the mine shaft . They fled into the mine shaft to hide from the demons . neutral +Cronyism also undermined the transition . Cronyism sped up the transition . contradictory +And given the recent resurrection of the IPO market , you might say the upcoming public offering was as well . The public offering wouldn 't have as well if the IPO market wasn 't resurrected . neutral +Let me tell you this , Hastings . I can give you the answers , Hastings . neutral +In The Stakeholder Society , the pair present a novel plan to fight income Give all Americans a capital stake of $ 80,000 when they reach adulthood to spend as they wish . The group doesn 't care about Americans . contradictory +The Supreme Court of Texas created the Foundation ( www.txiolta.org ) in 1984 to administer funds earmarked for the provision of civil Legal Aid to low-income Texans . The Texas supreme court created the foundation in 1984 to give funds for civil legal aid for low income citizens entailment +He quietly passed into the house and mounted the ramshackle staircase . He entered the house without making a sound . entailment +" Sí , it is true that Juanito looks for trouble . " Chino Herrera rolled a cornshuck cigarette with precise , delicate twists of his fingers . Chino Herrera lit up the cigarette as he continued to speak . neutral +In the current climate of scarce resources , LSC must remain committed to pursuing bold new approaches that foster effective legal assistance to low-income clients , including overhauling service areas adjudged to be insufficiently responsive to the tenets of State Planning . In an era of abundant resources , LSC should scale back its commitment to providing legal assistance to poor clients . contradictory +14 The Subcommittee on Commercial and Administrative Law held an oversight hearing on Legal Services Corporation September 29 , 1999 . Oversight hearings were conducted by the Subcommittee on Commercial and Administrative Law . entailment +uh-huh did you see Pacific Heights Did you see Pacific Heights ? entailment +Fine stained-glass windows accentuate the grace of the interior . There is a tremendous work to maintain the graceful interior . neutral +McLaren 's followers retaliated by taking as hostages two neighbors who had long clamored for the leader 's arrest . The followers held people hostage for weeks . neutral +yeah really i guess i would say that if there is one i would think that they are talking eighteen years or twenty one years of age I think they are talking about infants . contradictory +Founded in 641 and expanded by the Fatimids in the mid-ninth century , Cairo Al-Qahira or the Cityof Victory became one of the most powerful Islamic cities in the world during the Medieval era , marking a rebirth in Egypt 's fortunes . Egypt 's fortunes were reborn in 641 after the founding of Cairo . entailment +The headline over the NYT ' s online version doesn 't mention the homosexual angle , while the WP ' s headline--FRANCE LEGALIZES GAY UNIONS--doesn 't mention the heterosexual angle . The WP headline mentions the homosexual angle . entailment +He wondered how much of what we learn from the injury patients can be applied to patients who are not injured . He wondered what could be learned from injury patients . entailment +It was hard to make out but as every man picked up the chant , it rang crystal clear in the night air . The chant wasn 't exactly audible , and it wasn 't clear enough to make out . neutral +MoMA 's story of modern art , beginning with Cezanne and ending with abstraction , has been confirmed , but at a cost . The Museum of Modern Art is usually correct about its theories and exhibits . neutral +Columbus spent some months at an Arawak settlement here before assistance arrived and he made his way back to Europe . Columbus left the Arawak settlement and headed back to Europe , but returned sometime later to visit the people he had met . neutral +It 's the new heartlessness . It 's best to be without a heart . neutral +Maybe four minutes ? Probably four minutes entailment +whatever time he gave said oh it would take me about just about four hours because it was only about like eleven or twelve hundred square feet over there He said it would take him four hours to paint the whole house . neutral +In many respects , in fact , it is the more cosmopolitan city , preferred by many residents of the greater metropolitan area as a place to live and work . It is a crowded city where most people living nearby avoid . contradictory +He waved at my helicopter . The person waved at the helicopter . entailment +What else would keep us from falling ? " Hanson swore . Hanson wanted to know what else besides a feather fall spell . neutral +Oh , I dare say . " I dare say it for our horses . " neutral +( His colleagues feel he 's a showboat and a camera hog , says University of Virginia political scientist Larry Sabato . ) They think he is too shy . contradictory +It takes around 30 minutes and is a very pleasant strollthankstothecoolbreezesthatcomeoffthesea . The only reason that the walk is pleasant is because of the cool breeze that comes from the sea . neutral +yeah i and i the the people i just feel so sorry for the people in the country that they can 't they they i mean they they can 't do any they can 't change it they try and they there 's nothing that they can do I feel sorry that the people cannot do anything . entailment +The Venetian mainland reflects some of the Serenissima 's artistic and architectural glories . Serenissima 's artistic style is the most popular in Venice . neutral +For the children , the Jardin d 'Acclimatation offers a miniature railway , Punch and Judy show , house of distorting mirrors , pony rides , and a collection of farm animals . The Jardin d 'Acclimatation has nothing for children . contradictory +'Oh , I believe you . ' I don 't believe you . contradictory +Just a quick note of support for your reply to regarding forms of address . Just a quick note of support for all of your positions on all subjects . neutral +6 . Worry a lot about Amid all the fretting about normal trade status , WTO , espionage , and Tibet , we tend to overlook Taiwan . We worry about Tibet and overlook Taiwan . entailment +I guess you never know what might turn up . " Tommy kept a respectful silence . You never know what we might find , Tommy was quiet . entailment +For six years , Bill Clinton has stayed alive by clinging to those entitlements . Bill Clinton has stayed alive for three years by clinging to those entitlements . contradictory +He felt a pang of jealousy . He knew he had it better than anyone else . contradictory +Together , these characteristics , among others , differentiate the federal CIO environment from other environments . The federal CIO environment is the healthiest environment for employees . neutral +Everyone--whether a French detective , an Indian chief , or a Chinese banker--speaks clear English . None of the others --including the Chinese banker and the Indian chief-- were able to speak English clearly . contradictory +yes and it managed to get up to about fifty this afternoon but it 's been cloudy overcast and threatening rain all day It was only 10 degrees today ! contradictory +The highest form is liberation from the nuisance of repeated rebirth in this imperfect world . Not having to be reborn in an imperfect world is seen as liberating . entailment +Julius , said Tuppence firmly , " stop walking up and down . Keep walking up and down Julius ! contradictory +His body , dressed in the green uniform of the Chasseurs de la Garde , is encased in six coffins , one inside the other Chinese-box fashion . His green uniform also has a little red on it . neutral +It is unfinished , as work on a mosque traditionally stopped after the death of the sultan who began it . Work on the mosque was completed several years after the sultan died . contradictory +The race is not going nowhere , said the Astronomer , earnestly . The race is going somewhere , said the Astronomer , somberly . entailment +i let 's see yeah yeah we just say good-bye and hang up okay okay okay thanks bye-bye So let 's conclude the call by saying good-bye and hanging up . entailment +With what you knew , and what you didn 't know . You know nothing . contradictory +Within the complex 'dedicated to Hathor , her cows head form decorates the columns of the Hypostyle Hall is a sanctuary where Ramses and Nefertari made offerings to the gods , and one showing the Pharaoh himself worshipping his deified wife . Ramses and Nefertari never made offerings to the gods . contradictory +There are GAO case studies in many areas-urban housing , weapon systems testing , community development , military procurement contracts , influences on the Brazilian export-import balances , how programs aimed at improving water quality are working , and the implementation of block grants-to name only a few . GAO case studies cover a lot of areas for community development in poor areas . neutral +The members of the Exotic Poultry Producers Association drank excellent unusual alcoholic drinks , played exclusive unusual games , met famous unusual people , and had unusual rarely seen personal preferences . Unique drinks were served while people played unique games . entailment +But he felt he couldn 't trust his judgment on the subject of Miss Cowley . He knew his judgment was sound when it came to the subject of Miss Cowley . contradictory +And upon his back shall ride , to his conquests , my Lord , you ! You will ride upon his back on his conquest journey . entailment +If the postal service presents him with a rate that does not vary with distance , he may , in effect , be subsidizing other mail . No postal service users subsidize other mail in cases . contradictory +Adrin looked to Jon . Jon looked to Adrin . contradictory +But I find it disturbing that broken stock is being herded back there . I did not order anyone to herd the broken stock there . neutral +and he got killed He was murdered . neutral +No one had bothered to press Valenti on whether the government should properly give more weight to the safety of its citizens than to free speech . Everyone talked to Valenti . contradictory +He wore a helm shaped like the head of a lion complete with a mane of real fur . He had brown fur covering his helm . neutral +Moyers ' kind of journalism seems designed to place this thought in the viewer 's No right-thinking person could ever disagree with all these nice , smart guests . There are certain people who have to agree with the guests . entailment +Now give me a goddamned R rating . The rating should be PG . contradictory +Each economic superhero has a distinct personality and style--Greenspan is the shaman , Rubin the Midas figure , and Summers the academic--but together , they stave off worldwide economic panic . While they may starve off an economic panic worldwide -- Greenspan , Rubin , and Summers can 't hold it off forever . neutral +Buildings as pleasing as the 17th-century town hall face the large oblong plaza where shoppers , businessmen , and tourists take time out for coffee in the fresh air . People enjoy coffee in the fresh air here . entailment +we think about that a lot We think about that a lot entailment +HCFA states that it is clear that the rule will have a significant impact on a substantial number of small entities since the aggregate per-beneficiary limitation will reduce payments by approximately 9 percent . HCFA says the rule will impact small entities greatly . entailment +you know um-hum yeah my wife uh I 'm not married yet contradictory +Wild ones were sometimes trapped by a belled mare staked out to draw them in . A frog was used to lure and trap wild horses . contradictory +to uh to transmit the signals to have a backup some to back that that system up so that there is no no down time The system is down a lot because there is no backup . contradictory +What did Jon expect ? He fled and I 'm not surprised he did , said Ca 'daan . Jon , Ca 'daan and the other man stayed together . contradictory +you just adapt Adapting is so easy . neutral +The adult James leaned toward France and in 1537 took a French wife , Mary of Guise . Mary of Guise was related to France in some way . entailment +no i 'm not that much on hard rock but he does have a lot of cassettes of uh CDs that i like the i guess you 'd have to call it soft rock i like Rod Stewart and and some of the things he does I never listen to music . contradictory +Ottoman leaders had no interest in developing or investing in their dominions and , after the occasionally oppressive but often brilliant centuries of Venetian government , Crete slid back into the dark ages . Ottoman leaders didn 't do much with their kingdoms after conquering them . entailment +( Contest Best punch line e-mailed to the Shopping Avenger will be rewarded by public mention in this space , plus a lifetime supply of Turtle Wax , if the Shopping Avenger can figure out what Turtle Wax is . ) The best punch line will be rewarded by mention and a lifetime supply of Turtle Wax . entailment +yeah i think it 's hard though when you talk about about families and and raising children because children i think children have a hard time understanding a middle ground i think they uh they need security and yet they i don 't know i from speaking from my children they they aren 't real flexible when it comes to things like that I think it is better for children to not have to make a choice with things like that . neutral +and i would get up at five o 'clock in the morning just to shovel out driveway Sometimes , I 'd get up earlier than 5am to clear the driveway . neutral +and uh that 's a man that should be put to death Perhaps , that man should be put to death . neutral +For livelier late-nights spots , head for the Dutch side with its revues and well-publicized hotel casinos . Head to the Dutch if you want to go to the casino or go skying . neutral +uh most of the time what the what the their constituents uh really want them to do Their constituents want them to do something . entailment +they 're uh really not being utilized as much as they had been in the past i 'm making some really pretty foils that uh four or five years ago i wouldn 't have ever dreamed i could be doing them and it 's it 's so easy to do uh Every foil I end up making looks very unattractive . contradictory +well if we one of our children is just is just turned two and her first eighteen months of life God well she had one operation she 's been to the emergency room a couple of times i mean she 's she 's just expensive the other one wasn 't nearly that expensive but the but the baby just one of those Our youngest child has cost us more than our oldest , she is overall less healthy . neutral +Reilly does not deny putting information on the application form that he knew was incorrect . Reilly is pleading guilty to perjury for lying on the form . neutral +if you 're lucky If you are lucky , it will not happen . neutral +Scarcely a day passes without a front-pager on AOL or another local Netrepreneur made good . It is rare to see any front pager being made good . contradictory +Are you finding any substantive differences in the way your guides cover the city ? It 's a shame all of the guides quit , we really need some city coverage . contradictory +yeah they 're not worth a year or some people unfortunately just just can 't even afford it you know or whatever i mean the Peace Corps doesn 't pay very well The Peace Corps don 't pay well but it 's satisfying work . neutral +like you can have uh naturally we 've got a lot of fish up here you know and shellfish and because we live right on the coast There are no fish to catch here . contradictory +The technology sessions at the Access to Justice Conferences have focused on how technology can be used to link advocates across the state and across program lines , and how it can be used to directly benefit clients by providing information and tools for pro se litigants . Technology sessions have focused on how technology can be used to reap their own benefit . neutral +Its inscription warns the Indian people against the dissidence that could upset the important national unity under his No one shall cause division in the Order of Monks . The inscription names a harsh punishment for anyone discovered to be stirring up trouble . neutral +yeah it it was quite it was quite amusing i used to i was in Viet Nam for a couple of years plus extension I had the pleasure of staying in Vietnam for a few years . entailment +Access is available only on written request or invitation by a deputy . A written request is required in order to be granted or denied access . entailment +yeah it 's fun at once a week uh sometimes sometimes we play two night games a night you know consist of uh fifteen point game and you play two games and you know the best uh person that wins two games wins Sometimes we play two fifteen point games at night , and the person who wins two games wins . entailment +He had to sign letters and open gifts from various companies hoping to win favors . He was hoping to win favors from companies . entailment +Although GAO generally does not issue press statements about products , it does advise the media , agency personnel , and the public of the release of GAO products via its Web site www.gao.gov and other venues . GAO has only released press statements about products twice . neutral +okay um now the term personal computer uh i don 't happen to have one at home um but i do have a personal computer on my desk here I have a personal computer at my house . contradictory +So if time isn 't a major factor , the best way of getting the feel of the place is to walk . If time is not an issue , walking is the best way to discover a place . neutral +and they keep taking more money from us yeah people and get and they don 't have any incentive to work if we 're just gonna take fifty percent of it People don 't have any incentive to work because they keep taking money from us and we take fifty percent of it . entailment +There are a few good schools , even in Harlem , which have succeeded by doing end runs around the unionized bureaucracy of the central system . The schools in places other than Harlem are much better . neutral +He went north . He traveled to the northern region . entailment +the one thing that i had thought about to help correct that problem you 've got career politicians that spend thirty forty years in Washington that 's all they have ever done Most politicians only work in Washington for two or three years . contradictory +The Shaw Birthplace Museum , 33 Synge Street , is marked by a plaque written by the great man himself . The Shaw Birthplace Museum can be found at 33 Synge Street . entailment +Seasons of plenty alternate with leaner periods when the people prepare to mend and make do . There were no plentiful seasons for the people in this area . contradictory +The following are some tools and strategies employed effectively by states included in this Report . No tools or strategies of any counties are located in this report . contradictory +General Accounting Office , Federal Information System Controls Audit Manual , GAO / AIMD-12 . The manual does not apply to system controls . contradictory +Within a few years Port Royal , the town surrounding the fort , earned a reputation as the most raucous and debauched city in the Caribbean . Port Royal was known for its wildness throughout the Caribbean . entailment +Don 't be a wretch . Please continue to be wretched . contradictory +Intimations of his own mortality turned out to be premature . Hints of his death were unfounded . entailment +In the church , a stone slab marks his tomb , empty since his remains were transported to Goa in India . His remains were transported to Goa in India . entailment +Don Cazar supplied Tucson and the army posts with vegetables and superb hams . Alex Randolph gave corn and coal to the army posts . contradictory +you know twenty dollars for tests and forty dollars for this and and you know and it creeps up on you you don 't know that you know you really you you don 't know what it 's gonna cost until it 's all over You know exactly how much it will cost throughout the whole process . contradictory +This approach also would reduce states ' administrative burdens and obligations . The approach does come with higher costs though . neutral +finish the job while we were in there They finished the job . neutral +A bit of curtain , and a yard of wallpaper was all I could command . A bit of curtain and a yard of wallpaper was all I could find in the shade of blue I needed . neutral +Given the high-tech world of modern biology , the method by which the Scottish team managed to provoke this extraordinary dedifferentiation is almost old-fashioned in its simplicity . The Scottish team provoked a dedifferentiation . entailment +For decades , Oregon farmworkers have raised these issues in Spanish . The farmworkers of Ohio have raised these issues in Spanish . contradictory +A tear ran down his cheek as he stood there . He shed a tear . entailment +Additionally , as Governor Whitman said when she testified before you in July , including CO2 in this bill will slow down , if not prevent , the consensus necessary for passage of legislation to control multiple emissions from power plants . Governor Whitman testified for two hours before you in July . neutral +The Jablum Coffee Factory near Mavis Bank offers guided tours where you can see beans being roasted and ground ; you can also buy supplies of coffee beans to take home . Supplies of coffee beans cannot be taken back home if purchased . contradictory +Over the past 27 years , LSC has helped millions of low-income citizens solve important , sometimes life-threatening , civil legal problems . Low-income citizens have no way of solving their important , life-threatening civil legal problem.s contradictory +they 're half they 're team is going to be gone now and see that 's another thing for next year with UNLV they 're not going to have no team All of UNLV 's current players will return next year . contradictory +um-hum yeah they they get things that they pay for If you pay for it , that 's what you get . entailment +I can tell by your voice . I can 't hear a thing you say . contradictory +The city was ruled in turn by the Lydians , the Persians , and the Attalid kings of Pergamum , until 133 b.c. , when Attalus III bequeathed his kingdom , and Ephesus with it , to the Romans . The city finally knew peace and prosperity under Roman rule . neutral +To this end , we develop a model to determine the USO burden for posts with different per capita volumes . Our model isn 't going to determine USO burden for posts with differing per capita volumes . contradictory +National Environmental Policy Act of 1969 . The National Environmental Policy Act of 1952 contradictory +especially around cities um uh do you live right in the city itself Is your home inside the city limits ? neutral +Japan and Its People Japan has people . entailment +And the terms are most liberal . " Very liberal terms . entailment +Kinda free with a gun , leastwise at showin ' it . Due to the lax laws , they behave freely with a gun . neutral +And Malaysia offers a showcase of festivals of events and festivities throughout the year as well . Plenty of events take place in Malaysia all year long . entailment +and and and you 've immediately uh now you got you you go out to the ball park and your favorite player is not there anymore and you say you 've got you 've got to learn his replacement but do you get any local uh do they broadcast games locally or televise them locally Now you 've got to get a new favorite player . neutral +hello there Hello , how are you . neutral +Our British friend instantly and effortlessly e-mailed us the rogue spy 's article , and if we hadn 't been worried about British law we would have made it as instantly and effortlessly available in Britain as if he 'd published it himself . Our American friend struggled to email us the rogue spy 's article . contradictory +His head was tilted back and nasty laughter was booming through the air of the little office . His head was leaning back slightly and he was laughing nastily . entailment +type thing where they 're trying to you know you 're always sitting there trying to guess at the end of the show you know and they always have the verdicts you know and you 're always trying to out guess is he going to be guilty or innocent or whatever and they always put you know twists and turns twists I could never enjoy such a show contradictory +Management should view human capital as an asset rather than a cost . Human capital should be viewed as an asset by management . entailment +Indicators of success -- Money is available to implement innovative diversity agendas and model projects . Money is not an indicator of success and no matter how much is available to supplement innovative diversity projects , the project will always fail . contradictory +Look out for a number of fine Italian mansions in the plains around Kambos . There are no longer any Italian mansions around Kambos . contradictory +Participants discussed the importance of effective SEC enforcement actions as a means of restoring investor confidence in the markets . Investors have lost confidence in the markets due to widespread reports of fraud . neutral +He said an NIAAA fellowship is one way of getting further training . The NIAA provides no training . contradictory +Rome was plundered by imperial armies in 1527 ; the Medici were driven out of Florence and returned to power only under tutelage of the Spanish , who won effective control of the whole country . Spain has won control over Florence . entailment +1These instances have been the subject of case studies . There have been case studies about these instances . entailment +The men reacted , drawing their spears point forward . The men threatened the people . neutral +This process has helped to integrate information management into overall business planning by aligning IT products and services with business functions and linking technology to the stateas overall strategic direction . This is because it allows for easier customer support and database management . neutral +There 's a huge difference , for example , between smoking marijuana and smoking heroin and between communicating to an 8-year-old or a 14-year-old . You will usually find it easier to communicate with a 14-year-old than an 8-year-old . neutral +Politicians call it constituent service . The public calls it a constituent service . neutral +The press did not move away . The press held their ground . entailment +only scratches the surface of this issue by focusing on the murky areas of politics , raw power , and corruption . Politics , power , and corruption are only some of the symptoms of the issue . entailment +guest but if it was a formal uh dinner party i would probably think of something else like um shrip shrimp fettucini is real easy If it is a formal dinner party the shrimp fettuccine is really easy to mess up . contradictory +And the Star tells the rather shaky story of a supposed daughter of Marlon Brando whom the actor has never seen . The actor tells a story about Marlon Brando 's daughter . entailment +yeah yeah he wasn 't the guy to take them take them to the championship They became champions because of him . contradictory +but we 're not allowed to we have to take two weeks when the company shuts down you know We get two weeks off sometimes . neutral +and uh i just same sort of thing they just you you sit there and read hundreds and hundreds of cases and then you get one exam for the whole semester There is too much pressure to perform very well on the one exam . neutral +We used the intermediate assumptions , which reflect the Trustees ' best estimate . We made the intermediate assumptions . entailment +um-hum it 'll take a while maybe our grandchildren will know it It will take decades , so perhaps our next generation will get to experience it when they 're our age . neutral +And to show just how fast Japan 's new rulers were catching on , two punitive expeditions were launched against Korea and China in the grand manner of 19th-century gunboat diplomacy . Japan 's new rulers were rather dim and did not catch on very quickly . contradictory +He and his ward . He joined his group of soldiers . neutral +Patients were assigned to a motivational intervention or a standard control of a handout about drinking and driving and a list of alcohol treatment agencies . Motivational interventions cost several thousand dollars to perform while handouts run less than one dollar . neutral +when you matured i like some classical to and When you matured you can do that . neutral +As the government 's critical infrastructure protection strategy evolves , both public and privatesector entities can adopt the practices described to Only private sector companies are able to adopt evolving practices . contradictory +Tommy took a seat at the table next to them , sitting directly behind Whittington in case of recognition . Whittington sat immediately in front of the seat Tommy took . entailment +The difference is that Microsoft earned $ 3 billion more last year than Apple did . Apple is clearly ahead of Microsoft in terms of revenue for last year . contradictory +if i had to do automotive repair or or anything i love to do woodwork and too and it 's a diversion because i know i 'd really don 't have to this okay so i think i like that because i know i don 't have to do this but if if i were forced to do it that may be a different situation I can choose to work on cars , or make something out of wood . If I was forced to do it , I wouldn 't like it so much . neutral +If I receive $ 1 million , I 'm rich . I won 't be rich until I have one billion dollars . contradictory +The Justice Department established its gain-sharing program at the beginning of fiscal year 1996 . The Justice Department established their gain-sharing program at the beginning of 1991 . contradictory +Clinical Classifications for Health Policy Discharge Statistics by Principal Diagnosis and Procedure . There are clinical classifications for discharge statistics by diagnosis and procedure . entailment +A new alliance with England was sealed in the 1386 Treaty of Windsor ; a year later Joao of Avis married Philippa of Lancaster , the daughter of John of Gaunt . Joao of Avis never married Philippa of Lancaster , the daughter of John of Gaunt . contradictory +The tobacco settlement--Issue 3--is dead for now , says Gwen Ifill ( Washington Week in Review ) . The Senate just isn 't in a barter mood , which is what [ legislation ] requires , Ifill says . Gwen Ifill ha an opinion about the tobacco settlement Issue 3 . entailment +Quite sure . Very positive . neutral +The remains of William 's solid 11th-century castle house an ex ? ­ cellent collection of Euro ? ­ pean painting in the Musee des Beaux-Arts . In total , there are 24 of William 's European paintings on display . neutral +Still , Japan remains one of the safest countries in the world to live or visit . Japan is an incredibly unsafe place . contradictory +The population of Israel is today approximately 6 million , of whom about 4,780,000 are Jews , 900,000 are Muslims , and 130,000 are Christians . The population of Israel is around 1 million . contradictory +It was a beautiful piece of workmanship . The piece was beautiful and of excellent quality entailment +Across the river from town is the Jennings Brewery , one of the few remaining independent brewers in the area . Across the river is only the huge forest . contradictory +For his knowledge of seafaring , he was given the title anjin ( pilot ) . He earned the title anjin ( pilot ) for his knowledge of sea navigation . entailment +yes we certainly do I 'm sorry we don 't contradictory +Amid the devastations of war and the more-recent depression of the region 's declining coal , iron , and steel industries , the historic town of Nancy stands out as a gleaming survivor . The region 's coal , steel , and iron industries contribute the most to holding up the infrastructure , hence its decline created problems in many towns . neutral +When Adrin 's rapier came around Jon parried low on the blade . Adrin 's sword almost hit Jon . neutral +That almighty omniscient Mr. Brown , of course ! There was a faint note of derision in the American 's voice which made Sir James look up sharply . The derision in the American 's voice really got Sir James ' attention . entailment +Below , the Jal Binayak temple to Ganesh stands by the rocks where women do laundry and children dive , while a funeral ghat stands mercifully downstream from these activities . Women do laundry in their homes using their washing machines . contradictory +Likewise , Republicans can accuse Gore of overestimating the cost of their tax cut and underestimating the projected budget surplus . The Republicans supported Gore 's comments . contradictory +He uttered an exclamation of astonishment at seeing the other . He never expected to see the other ever again . neutral +That is important . That is not important at all . contradictory +The answer here is probably yes as well , even though private-sector firms would say no on both points . Private-sector firms disagree because they dispute the data provided . neutral +seniors fight predatory lending scams and parents obtain child support for their kids . Seniors are targeted by unscrupulous lenders who take their Social Security checks . neutral +were you have you i take it you haven 't spent any time in the military I know you were in the military . contradictory +But since as many as 30 percent to 40 percent of the graduates at schools like CUNY go into small or solo practices within a few years of graduating , the deans argue , it seems folly not to teach them how to stay afloat financially and take on low-income clients at the same time . CUNY itself has a rate of 39.85 % of its graduates continuing into small practices , followed by 29.05 % moving into different career fields , 1.05 % making 100k their first year , and 30 % dropping out of the workforce to care for family and personal needs . neutral +That " last link " he talked about was still lacking . The last link he spoke of was found contradictory +If we tried a tamed succubus-- " " The things are untrustworthy , " the first voice answered . The owner of the first voice does not trust succubi . entailment +um i don 't think that i 'm paying too many tax you know too much tax myself I think I 'm paying too many taxes . contradictory +The point I tried to make in my e-mail was that Krugman confuses mathematical rigor with science . I tried to get the point across that Krugman gets mathematical rigor and science confused with one another . entailment +i guess they wouldn 't be called dialects but they 're pretty close sometimes They are dialects . contradictory +yeah your defeating the purpose Yeah , you are doing the opposite entailment +The vials are part of a promotional campaign for the May sweeps special When Soda Goes Flat IV .-- Doug Strauss When Soda Goes Flat IV will air in April . contradictory +and the victims you know the family of these people that have been murdered they just have to have it dragged on for years and years before they ever get any resolution The family of the victims are dragged on and on for years until they get any resolution . entailment +The Chawk ( bazaar ) is famous for its perfumes , silks , and brassware . In a addition to perfumes , silks and brassware , you take in local cuisine at the bazaar . neutral +One regular precaution before driving out into the boonies used to be marking a giant TV with adhesive tape on the back and side windows , which we believed was easy-to-spot shorthand for don 't shoot , I 'm a reporter . Reporters put tape in their car windows . entailment +These decisions were based on the fundamental rule of law that a federal employee is obligated to account for any gift , gratuity , or benefit received from private sources incident to the performance of official duty . These judgments are based on the law that an employee needs to give a reason for receiving a gift from a private individual . entailment +While Coz preaches decorum , the Globe has added more sensationalism , more gore , more nasty gossip . The Coz and the Globe differ immensely these days . neutral +Ca 'daan worked up the nerve to ask a long-haired axe wielder for the aid he sought . Ca 'daan needed help cutting down a couple trees in his backyard . neutral +Several current publications have begun to remedy this lack of prospective , randomized trials . There are publications that have reported that there is a sufficient number of randomized trials . contradictory +Well , returned Julius , " he got out , that 's all . " 89 Chapter 12 A Friend in Need FRIDAY and Saturday passed uneventfully . Julius returned with good news- he got out . neutral +well what have you seen that that Well , what , have you seen that ? entailment +Following the approach of the Section 812 Prospective Report , we estimated the percentage change in the prevalence rate for chronic bronchitis using the estimated coefficient from Schwartz 's study in a C-R function , and then applied this percentage change to a baseline incidence rate obtained from another source . We had no formula for guessing the change in prevalence rate . contradictory +Outside , a particularly large float drifted by . There was a float outside . entailment +It requires an entrance fee , as does the Tesoro ( Treasury ) , a collection of the Crusaders ' plunder . The entrance fee maintains the building in working order . neutral +The agency offers forms for renters to try to get their security deposit returned , and forms for people who want to get divorced or modify their divorce decree . The agency doesn 't get involved in tennant-landlord disputes . contradictory +okay go ahead no no go ahead No , stop . contradictory +yeah i got a wait call hang on a second Hold on a minute , I have a call . entailment +As you stroll along its various shopping streets look for significant Islamic monuments . In Islam , the commerce zone contains only brand new shops . contradictory +Before proceeding , write down or remember the directories where these files are found . Remembering the directories where these files are found is not important . contradictory +so next year they 'll be back and back with a vengeance They will never come back for a revenge . contradictory +Enter on the south side and proceed through an ornamented gopuram gate-tower characteristic of south Indian architecture . Through the south side entrance , go through a decorated gate tower which is characteristic of south Indian building design . entailment +Correspondence may be sent to rmit @ iname.com. The email rmit @ iname.com will respond to your messages . neutral +Mind you , their theory had a rigidly mathematical development and it predicted just such a Galaxy as they describe . Even though nobody would believe them , they were right . neutral +In addition , how surpluses are used has long-term implications for future economic growth . Surpluses hold long term impacts on economic growth entailment +A sane person shut up in a lunatic asylum often ends by becoming insane , they say . Sane people kept in lunatic asylums can never go insane . contradictory +Instead of with New York , substitute to . New York is not the best place for this . neutral +Many of the college students who visit the ED have mild alcohol problems and are confident they could overcome their alcohol problems if they wanted to . The ED sees many college students with alcohol problems . entailment +Today , however , the main arts festival is only part of a veritable circus of summer activities that seem to turn the city upside down . The summer activities have changed peoples mood within the city . neutral +Me has a charming outdoor cinema festival , Cinema a la Fresca , near Parc des Freginal , during August and September . The outdoor cinema festival takes place towards the end of summer . entailment +Nearby , ladies with broad smiles sit on little stools selling breadfruit and cinnamon . The ladies sell breadfruit and cinnamon for low prices . neutral +Oliveri shrugged . Oliveri clearly pretended not to care . neutral +The last very good day for both of them was spent at Miss Elwira 's , the accountant , name day party . They spent their last very good day apart . contradictory +include legislative , regulatory , or other actions or , when the agency found a goal to be impractical or infeasible , a discussion of whether the goal ought to be modified . The goal may never be modified . contradictory +Their religion included elements of Hinduism such as Shiva 's phallic lingam and his sacred bull , Nandi , before the Brahmanic Indo-Aryans arrived . Their religion included Shiva 's sacred bull , Nandi . entailment +The church of Santa Maria del Carmine is an essential stop on any artistic pilgrimage to Florence . The church of Santa Maria del Carmine is the oldest church in Florence . neutral +The only undisturbed Royal tomb ever to be found in the Valley of the Kings , it captured the public imagination and fired peoples ' desire to visit Egypt . Everyone demanded they open the tomb . neutral +even if you you know if you don 't own it yet it if you 're paying off a note you still have to pay property tax on it Property tax is charged for every house , regardless of ownership . neutral +what 's that what 's that yeah i like a lot like i like uh the the New Age music like with um uh the um um i don 't know if you 've heard Neurotic Collection I like New Age music , especially Neurotic Collection , which just got released . neutral +absolutely and uh acting out because that is the way of getting attention The only people that act out are inconsiderate . contradictory +It is worthwhile to rent a car so you can go at your own pace . It 's not worth renting a car , you 'll only want to move at a slow pace . contradictory +Climb to the top for a fine view of the town and river . You cannot see the town from on top . contradictory +uh is the same type of deal as what occurred with the Kurdish people it 's the same type of situation where It 's similar to what happened with the Kurdish people . entailment +'Meaning ? ' What does that mean ? entailment +As long as sufficient skills are retained inhouse to meet the smart buyer approach discussed above , there does not appear to be any greater risk from contracting out a broader range of design review functions , including such services as construction document discipline reviews and code compliance checks , so long as such functions are widely available from a competitive commercial marketplace . The smart buyer approach does not work . contradictory +There was no getting away from that . It was an important fact uncovered by Poirot . neutral +And I 'm sure it 's not as bad as Return of the Jedi , which was the weakest one--but I still liked it and saw it a dozen times . Return of the Jack was the weakest one . contradictory +so that 's real helpful so you don 't you know have to do it during office hours run out on your lunch hour i don 't know how many times i 've done that to do something post office or the bank or any uh kind of errand Having to run out and do errands at lunch is necessary , but maybe it would have to be if you had a weekday off instead . neutral +Look for the word orijinal on the poster this means that the film will be shown in its original language , with Turkish subtitles ; otherwise it has been dubbed . Most films are shown in their original languages with subtitles in Turkish . neutral +These sources recommended over 30 public and private organizations . These sources know of 30 organizations they approve of to help people with legal issues . neutral +really didn 't need that type of uh player They really didn 't need that type of player . entailment +Holding elective office is not the only way to help others , said Barnes , an attorney who helped found a high-profile law firm in Marietta before winning the governor 's race in 1998 . Barnes helps out his local community in a variety of ways . neutral +Attestation engagements can cover a broad range of financial or nonfinancial objectives1 and can be part of a financial statement audit or other engagement . Attestation engagements can cover everything from financial objectiveness to nonfinancial objectiveness . entailment +Listen , what happened to your wrinkle ? You know , the one that kept me awake all night before the Charity Ball , Ewelina asked , she was Benedykt 's new , eighteenth to date , fiancée and was crazy about looking good . Where did the wrinkle go , it seemed to cause such a stir . entailment +'I am Dr. Hall , and this , as you doubtless know , is my private nursing home . ' My name is Dr. Hall and I own this nursing home . entailment +She went round about . Around and around and around she went , over and over again . entailment +The itinerary we propose deals in turn with the various layers of Provencal the Roman towns of Orange , Vaison , N ? ® mes , and Arles ; the medieval bastions of Les Baux and Avignon ; the ancient villages of the Lub ? ? ron mountains ; and finally the cheerful streets of Aix-en-Provence . The itinerary is focused on increasing tourism in these places . neutral +Certain data are taken from various reports for one or more recent years and are actual data . The data taken from various reports contains information about magical penguins . neutral +How , a coincidence ? 58 " That my mother should have made a will on the very day of her death ! " Mr. Wells cleared his throat and remarked drily : " Are you so sure it is a coincidence , Cavendish ? " It was very suspicious that she made a new will on the day that she died . neutral +But the woman called me back , said I 'd dropped something , and when I stooped to look , something seemed to hit me here . " She placed her hand to the back of her head . Something hit the woman on the back of her head when she stopped . entailment +okay well it was good talking to you bye Bye , it was nice talking to you entailment +I mean--rilly ! Rilly is someone 's name . neutral +She was beginning to understand Sir James 's methods . Sir James was methodical , precise , and just a touch manic . neutral +He was unshaven and his eyes were cold . He had a scar running from the corner of his eye down to the tip of his nose . neutral +You see , up to the very last minute , I thought it was Lawrence ! " Poirot grinned . This whole time I had thought Lawrence was responsible . entailment +uh uh had just quit rehearsal about a half hour before Just had to quit making dinner about a half hour ago . contradictory +It 's your wife 's chair too ! The chair is a beautiful expensive wooden antique . neutral +we got Duke and North Carolina We are proud to have Duke and North Carolina . neutral +oh you got experience more experience than i do then on it I have more experience than you contradictory +Ne vous fachez pas ! Don 't get mad at me ! neutral +From a small jetty below the railway bridge , you can take a ferry out into the Firth of Forth to tiny Inchcolm Island . You cannot get to the Firth of Forth to tiny Inchcolm Island . contradictory +The Kal pushed Ca 'daan aside with one powerful hand . Ca 'daan was pushed aside by the Kal 's powerful foot . contradictory +Touring the Island We went around the island to see the different beaches . neutral +As part of their approval of the change , supervisors or designees must verify that the dates and amounts of material changes have been recorded in the appropriate T & amp ; A record . Supervisors did not approve of the new change . contradictory +One oddity to the church is called la catedral de Santa Maria de las Neus ( Our Lady of the Snows ) a rather offbeat choice of a patron saint for this sunny part of the world . Despite being a sunny part of the world , there is a cathedral dedicated to the Lady of the Snows . entailment +While , according to employee compensation surveys , compensation is fairly comparable between the private and public sectors for entry level and middle management positions , executive compensation in the private sector far exceeds that of federal executives , thereby limiting federal agencies ' ability to attract and retain federal executives . People would rather be private sector executives and not federal executives . neutral +And in the Where are they now ? And now , where are they ? entailment +well that 's a good initiative uh i guess if but The person says that the other person 's initiative is good . entailment +oh it 'll it 'll come to me but he wrote he wrote the Illusions the Illusions Illusions and A Bridge Over Time uh I can 't think of the author 's name , but I remember some of the books he wrote . entailment +However , the program has produced a great deal of research . The program produced lots of research . entailment +Very pretty . Quite beautiful . entailment +It 's just-- " I mean ... entailment +Their colonization of the coast took place in successive waves of immigration . The colonization occurred in one fell swoop . contradictory +For example , EPA was only able to monetize three of the seven air pollutants affected by the rule . Carbon was easy to readily monetize . neutral +Can 't be easy for him to git them , neither . " It must be very simple for him to get them . contradictory +and uh so that 's that 's one thing that 's good At least that thing is good . entailment +Edmund Starling , who guarded Wilson , wrote in his Our boss was in love . Edmund Startling never guarded Wilson . contradictory +The main difference between military and civilian affirmative action is that the military has an overabundance of minority candidates . Military and civilian affirmative action are exactly the same thing . contradictory +Amid the devastations of war and the more-recent depression of the region 's declining coal , iron , and steel industries , the historic town of Nancy stands out as a gleaming survivor . War utterly destroyed the town of Nancy . contradictory +2 ) It will make Europe the United States ' new political rival . It is going to lead to a political rivalry between Europe and the United States . entailment +The Americans rushed Major General Andrew Jackson to New Orleans to command the city 's defense . The city 's defense was to be led by Major General Andrew Jackson . entailment +The foundation sprinkles contributions on homeless shelters as well as hospitals , the Kennedy Center , and powerful think tanks like the Heritage Foundation ( which , to its credit , has issued reports decrying Fannie Mae 's privileged status ) . The foundation refuses to make donations or provide any charitable offerings , preferring instead to keep all profits in-house . contradictory +Worshippers will touch a pillar of the shrine or reach up to sound the bells hanging from the low roof . Worshippers with reach up to sound the bells hanging from the low roof , or touch a pillar of the shrine . entailment +She sure was the pluckiest little girl " But suddenly something seemed to crack in Tommy 's brain . Tommy 's brain was not normal . entailment +And there may even be the occasional Dialogue entry or Chatterbox item . Chatterbox items and dialogue entries will never appear . contradictory +But even though Suharto has been defeated , the real battle lines between economic and political liberalization are just now being drawn . Suharto has been defeated because he has become weak . neutral +By the time the first great king of Hawaii died , in 1819 , the underpinnings of native society were disintegrating . The first Hawaiian king was born in 1819 . contradictory +The somber design incorporates the War Stone and four granite pavilions , one of which contains Celtic and Art Deco illuminated manuscripts by Harry Clarke ( who designed the windows in Bewley 's ) listing the names of those killed . The granite pavilions were incomplete , lacking the manuscripts of Harry Clarke . contradictory +The Western Wall is one side of the Herodian retaining walls that support the vast ceremonial plaza built by Herod around the Second Temple to accommodate hundreds of thousands of Jewish pilgrims who visited the Temple in ancient times . The tiny ceremonial plaza was built by Herod as a marketplace for Arab visitors to sell wares . contradictory +Unimpressed with her upstate forays , Rudolph Giuliani , her likely Senate rival , Every time I have gone up there , I have gotten the sense that they like me . Rudolph Giuliani is her likely Senate rival , but Mary Poppins could be likely , too . neutral +that was even harder actually because it was you know it was just a change of That was harder . entailment +No , sir , not that I know of . Poirot 's face did not betray a trace of whether he was disappointed or otherwise . I did not know , and Poirot did not reveal , if he was disappointed or not . entailment +If you tire of the easy life on the beachfront , take a trip west of La Baule around the wilder coast of the peninsula past Batz-sur-Mer ( pronounced Bah ) to the pretty little fishing port and resort of Le Croisic . If you 're looking for an easier place to sit on the beach , take the bus to Le Croisic . contradictory +Netscape didn 't merely point out a two page discussion in his book of a single case that pointed the other way . Netscape merely pointed out a two page discussion in his book of a single case . contradictory +they 'll very good idea yeah yeah They are very good ideas . neutral +Or is Delta merely trying to soothe the nerves of the anxious business traveler who hopes to arrive at the next meeting with his clothes unwrinkled ? Or perhaps Delta is only attempting to calm the anxious business traveler who wants to get to the next meeting with unwrinkled clothing ? entailment +Barry agreed that we have not monitored closely enough what intervention is being delivered by the interventionists we train . Barry said it 'd been monitored as it should have been , it just wasn 't a good approach . contradictory +The London Guardian ' s Joanna Coles says her presence is so obvious a gimmick to draw in those who don 't normally bother to see the Bard that it 's almost insulting . Cole says she 's there to draw in a certain crowd . entailment +However , because the number of households has been increasing every year , the replacement of total by per-household volume figures produces annual growth rates which are lower than those shown in Tables 1 , 2 and 3 . That is , the positive annual growth rates in Tables 1 , 2 and 3 shrink in Tables 4 , 5 and 6 and the negative rates augment in absolute terms . The number of households has been decreasing every year . contradictory +uh my brother 's got a collection there they both uh do police work uh they go out and shoot and they 're from the mentality that when uh uh guns were against the law only criminals owned them that sort of thing Legalize the guns and police won 't have to deal with them . contradictory +Meanwhile , a European with an eye for chance had ingratiated his way into the French court at Versailles . The French court at Versailles was dissolved in the 1800s . neutral +I have only just heard . " I just heard . entailment +Seven riders of the warband circled and set another house ablaze . The riders torched a house . entailment +Let the Brits care for the Brits . The Brits won 't care for their own . contradictory +yeah i know they take their softball serious or their soccer serious i mean I know they take soccer seriously entailment +Those skills have been handed down to present-day craftsmen working in yew wood , and the old timbered houses are exquisitely maintained in traditional style . Craftsmen work with yew wood , carving beautiful altars and furniture . neutral +The last of the Attalid kings , Attalus III , is remembered as something of an eccentric one of his hobbies was devising new poisons and testing their efficacy on his reluctant slaves . Attalus III 's slaves eventually rebelled against him . neutral +that 's right um we were down in Dallas right after Christmas and on the way back we stopped in Louisiana to visit my brother and we were driving my husband 's Toyota pick up truck well we made a quick little stop when we got to Baton Rouge and he came came back out and the car the truck wouldn 't stop i mean it wouldn 't start so gave it a somebody came along and helped give it a little push and the next morning they took it to the garage and it was just a small private garage and he said it was the starter motor proba bly and he was going to take it off and either repair it or replace it or whatever and we got a call in the middle of the morning and he said i 've got good news and bad news uh the starter motor is fine it would it just had a couple of bolts that held it in place We had car troubles in Baton Rouge and had to take it to a garage . entailment +The quality of both is excellent and considered the best in Greece . Both are very high quality for Greece and some of the best . entailment +Follow the city walls a little farther along until you come to the landmark Rockefeller Museum , built in 1927 , which contains the city 's finest collection of archaeological artefacts . The Rockefeller Museum is one of the biggest tourist attractions in the city . neutral +All right then , Mr-' Alright sir . entailment +South of the museum , a short walk down Forest Road brings you to the Edinburgh Royal Infirmary . The Edinburgh Royal Infirmary is 70 miles from the museum ! contradictory +Words hissed from his lips in a stream of sibilants too quick for Dave to catch . He spoke words that Dave couldn 't make sense of . entailment +If Perot successfully woos Buchanan and Ventura convinces Beatty to run , next year 's Reform Party nominating convention might be the most entertaining sideshow of the 2000 campaign . The 2000 campaign will be funny with the Reform Party 's nominees running . entailment +The head engineer took off in the one we finished . The head engineer didn 't take off in any of them , he 's still here . contradictory +Another organization held more informal quarterly half-day meetings that included presentations about a wide variety of topics and allowed considerable time for members to develop personal contacts and have face-to-face discussions . Another organization did not hold any meetings at all . contradictory +In the Lake District the gentleman farmer and his wife come into town to shop on market day . The gentleman farmer and his wife never come to market day . contradictory +But a few fine ones turn up . It would take more then a handful of them to be worth the tilling of the land . neutral +An example of an investment with a split purpose is a grant issued to a state to construct segments of the National Highway System and to conduct highway research . Split purpose investments are important . neutral +A MEDLINE search of papers published using the MESH terms alcoholism AND treatment AND intervention yielded 47 publications during the calendar year 2000 . The subject matter didn 't begin to take off in the academic publishing space until 2000 . neutral +oh okay oh we um we use it 's an IBM PS two also We use IBM PS Two also , besides a HP PC . neutral +The sky had cleared and the blood moon hung overhead . The sky darkened as the sun set . contradictory +mean because you know it 's it 's a country where everybody has a gun and they 're gonna have some trouble i mean you know in the mom and pop little towns and stuff they 're gonna run into people with guns I have lived in a small town my whole life . neutral +But what is the argument against putting the Supreme Court in a glass-walled , street-level studio , cranking up the theme music , hiring a second-tier comic to warm up the gallery , and ... There is an argument against the Supreme Court being in a modern building . entailment +IV Slim started at the sound of footsteps and brightened when it turned out to be only Red . Red was trying to be stealthy but was bad at it . neutral +The most extensive study and analyses has been based on data from two prospective cohort groups , often referred to as the Harvard Six-City study ( Dockery et al . These cohort groups may not be as representative as initially thought . neutral +There 's nothing more pleasant than being congratulated for your literary skills , but there 's nothing less pleasant than realizing the congratulations are intended for a guy who writes about the mob . The congratulations were specifically meant for an article about the mob 's gun trading . neutral +You 'll also see a lot more cool features , such as HTML mail and Preview Pane , to name but two . ) There are many new features such as HTML mail and Preview Pane . entailment +Spin Doctor , Heal On Meet the Press ( NBC ) , one former Bush aide jeers that [ Clinton is ] trying to do a job in Israel--too bad his wife doesn 't agree with him . The wife does not agree with the aide 's political positions . neutral +Before turning to Section 2 , some background information on rural delivery and city delivery is offered . Rural delivery and city delivery information have major impact on learnings . neutral +The three most important manifestations of the Brahman , or godhead , are Vishnu , Brahma , and Shiva , which are often presented to Westerners as a trinity , though this is not really comparable to the Christian concept . Shiva , Brahma and Vishnu are the most notable manifestations of the godhead . entailment +The Merchant was warm to the touch . The Merchant 's body was stone cold . contradictory +well there 's this uh there 's this type kind of restaurant called a brew pub are you familiar with those I love going to brew pubs , they 're great . neutral +So here is where I am left . I don 't know where this is . neutral +As Andre Breton wrote of fictionalization of actual I do not regard such a thing as childish , I regard it as monstrous . Andre Breton thought there was no childish fictionalization of actual , but a monstrous one . entailment +May you always be elegant to yourself , as you will always be to me . May you die , like you killed me . contradictory +it 's going to come to a point where the average American citizens say we 've had enough American citizens will never say enough is enough . contradictory +As to whether Lana would have sat in the car , Peirce admits that it 's possible , but that it wouldn 't have been as dramatic . So Peirce changed the plan to make it more showy for the public . neutral +Instead of finding scapegoats , they now encourage doctors and nurses to admit mistakes ( no punishment attached ) in order to prevent future ones . They push medical professionals to come clean about their errors . entailment +Go easy . " Do it quickly ! contradictory +the Federal Bureau of Investigation 's National Crime Information Center The FBI has a national crime information center . entailment +A lot of entertainment and a little food for thought . It was entertaining . entailment +Most praise her for being able to hold her own , as opposed to noticing any genuine musical ability , and note that the album is far more pop-oriented than the drum ' n ' bass and jungle she spins live . Most don 't notice any genuine musical ability , and note that the album is far more pop-oriented than the drum ' n ' bass and jungle she spins live ; instead , they praise her for being able to hold her own . entailment +The elliptical amphitheater 's 22,000 seats sell out months in advance for summertime open-air productions of Aida . In the summertime , the tickets for the outdoor performance of Aida sell out months in advance . entailment +The peasants and army veterans Siegelbaum encounters think favorably of the war . Siegelbaum comes across peasants and veterans who are not opposed to the war . entailment +well uh America 's Americans are suckers Americans are suckers . entailment +yeah yeah and a lot of them i know a couple women that work there and they don 't miss in public relations and they don 't miss having a basement to run up and down to you know A lot of people miss having a basement . contradictory +I never believed it . I did not believe it at any point . entailment +Meanwhile her tiara , just right for attending the coronation of a monarch , could be dismounted from its frame and reversed into a necklace suitable for the opening of the opera season . The tiara is unsuitable for the coronation of a monarch . contradictory +'Especially modern trains . ' Especially trains that were made lately . entailment +The blade was wide and thick , like a single slab of sharpened steel . It was a thick blade , like steel . entailment +yeah now rock and roll seems tame compared to like the New Age and all that stuff Rock and Roll is not tame at all relative to New Age . contradictory +because the economy is down people you know the the the low man on the pole is getting more of the i guess the bulk of it The high man on the pole also gets some of it . neutral +Anse took the third volume . There is a third volume . entailment +However , Bradley adduces evidence that they were quite good with numbers and were overly sentimental about their mothers . There is evidence to believe they were overly sentimental about their pets as well . neutral +oh definitely i think better even than than other kinds of food Yeah definitely , I think tofu is even better than other kinds of food neutral +To heighten employee awareness , IRD holds roundtable discussions with new and seasoned employees , which bring the code to life in terms of everyday business activity . To heighten employee awareness , IRD holds roundtable discussions entailment +The Illusory Effects of Saving Incentives on Saving . There is nothing that can have an effect on saving behavior . contradictory +'By what ratio were you elected president of Pennsylvania ? ' How many votes did you beat the opponent by ? neutral +The analysis indicates that 6,300 firms submitting 42,500 reports annually will be added by the rule to the 360 facilities in the existing manufacturing sector submitting 3,600 reports for a total compliance cost of $ 226 million for the first year , declining to $ 143 million in subsequent years . Compliance costs will continue to go down for the next 10 years . neutral +The real complaint against developing countries is not that their exports are based on low wages and sweatshops . The complaint against developed countries isn 't that their exports are based on low wages and sweatshops . contradictory +oh uh-huh well uh i bought a motor home here four four years ago and i have been living in it ever since and i 'm looking forward to just traveling I plan to travel in my motor-home for months on end . neutral +The advocate component of the website allows individual lawyers easy access to pro bono and legal services organizations and the support and training needed to represent clients effectively . The advocate component of the website makes it more difficult for lawyers . contradictory +In addition , the CFO Council 's numerous outreach efforts and GPRArelated education events have helped to win the acceptance of program managers . The CFO council has a lot of outreach efforts for legal services . neutral +Despite the assertions of some CEOs , while one key player can make a difference , it requires a team of talented executives to add shareholder value and manage shareholder risk over time . Some CEOs believe that one person 's talent can outperform an entire team . entailment +and used to travel up there to Knox quite a bit and and i even did once when i was a child you know so I used to go to Knox when I was 5 years old . neutral +Only the last source , however , may relate to the asset 's productive capacity . The last source also describes things about the product capacity . neutral +i don 't think so i think the whole company uses Compucam which is over there on the east coast somewhere Compucam is used by the company . entailment +Fortunately , a perfect model for such honorable yet humble service already exists , and it even has a presidential Habitat for Humanity . A lot of work already went into perfecting a model for this service . neutral +independent and as a child i had um you know like a we had a dog and we had turtles and we had um you know small lot of the small things like i know we got a little bunny at Easter once and When I was younger , we only owned a dog . contradictory +He would have to watch every word he said in this town . People are not happy about newcomers in this town . neutral +We had approximately 400 cases in Butler County last year . Butler county had more cases than other nearby counties . neutral +Today this is Guadeloupe 's Riviera , with resort hotels strung along the beaches and tennis courts laid out among the coconut trees . Besides the beaches and tennis courts , there are a lot of tourist attractions at Guadeloupe 's Riviera . neutral +Discussing the SAT prep industry article in the New York Times Magazine , the writer of describes rich kids as overprivileged . Most rich kids taking the SAT are underprivileged . neutral +He walked about my apartment like the king of a very small castle . He sat in my apartment like a prisoner trying to find a way out . contradictory +Severn had embraced him after the declaration . Severn grabbed him . entailment +The Congress of Vienna of 1815 , with an aim to reorganize Europe after Napoleon 's escapades , did not re-establish an independent Poland . The congress of Vienna made all eastern European countries independent as they originally were . contradictory +Let 's not discuss that now . " Let 's not discuss why you think we should buy a gun . neutral +Older pieces have the patina of age where new pieces usually made on site are bright and shiny . There is never any way to tell the difference between the older and newer pieces . contradictory +Close by the bridge is the Mus ? ? e Courbet , in his childhood home , with the old walking stick depicted in his famous painting Bonjour Monsieur Courbet . He made a famous painting called Bonjour Monsieur Courbet , featuring a walking stick . entailment +The Kentuckian swallowed blood from his lip and glared at Muller . The man from Kentucky had a bloody lip from fighting . neutral +Orrin Hatch , concluding the show , said that several Supreme Court justices were getting old and that he wanted to pick their replacements . According to Orrin Hatch said that he wanted to pick replacements for several Supreme Court justices . entailment +It 's much noted that if you saw what goes on in a restaurant kitchen , you 'd never eat out again . It 's universally agreed that the best way to encourage people to eat out is to allow people to see behind the scenes in the restaurant kitchens . contradictory +Further east is Mt.Baldy. Mt Baldy is to the west of the city . contradictory +Completeness of information requires this step . This step is required for completion entailment +The revenue from the deposits is therefore nonexchange . The deposits revenue is therefore not usable . neutral +built that confidence right up there huh That confidence was built right up . entailment +Palma 's excellent selection of chic shoe , bag , and clothing stores is concentrated along Avinguda del Rei Jaume III , Passeig d 'es Born , and Conquistador . Palma has a lot of beautiful clothing stores . entailment +we don 't want a state income tax but yet they allow the sales tax to go up and up and up and up and they don 't do anything about it They allow the increase in sales tax yet refuse to do anything about it . entailment +It was modeled on one of the great Chinese monasteries of the time and built for a Chinese monk who was said to have interceded with the dreaded Kublai Khan to stop the Mongol invasion of Japan . The Mongol invasion of Japan was a failure . neutral +is whether Tyler should be played by Val Kilmer or Brad Pitt . It 's not known whether Tyler should be played by Val Kilmer or Brad Pitt . entailment +Jodie T. Allen 's article titled The Biggest Tax Increase in History repeats , without challenging , Susan Molinari 's claim that government takes in 40 percent of the GDP in taxes . Molinari said the government gets almost half its GDP from taxes . entailment +If he was going to take the matter that way , it was no good arguing with him . It was pointless squabbling with him , if he would just get angry and take is personally again . neutral +The new IT organization became responsible for such strategic activities as participating in the development of overall business strategies ; prioritizing IT requirements ; generating IT business plans ; setting technical and architectural standards ; managing user interfaces , outsourcing contracts , suppliers , and systems engineering ; and allocating IT resources . Strategic activities are the responsibility of the new IT organization . entailment +It could probably be used . It could maybe be used . entailment +He poured several skins together and drank the stuff , forcing himself to endure the agony of its passage down his throat . After drinking , he was left with a sore throat for days . neutral +Cindy have you seen Dances With Wolves Cindy , have you checked out Dances With Wolves ? entailment +An article explores McDonald 's niche offerings . The article talks about McDonald 's kiwi burgers . neutral +um-hum um-hum well we seem to uh to favor certain uh uh countries particularly South American countries and uh there is no uh uh i have nothing of course against uh the uh the South Americans or uh or Hispanics in that sense but i think we uh are more restrictive of the um so called eastern uh European countries than we uh uh we should be of course that 's from my own bias since my ancestors from Eastern Europe so My ancestors were Croatian and ruled there for five generations . neutral +Based on the number and complexity of the comments , APHIS decided to issue only a small portion of the proposed rule at this time and to review and reanalyze the other portions of the rule before issuing them as final . APHIS decided to ignore the comments and issue all the proposed rules . contradictory +He thought the books of great value and so brought them here . " Drew opened the top volume . He thought that the books were completely worthless . contradictory +The problem is that they are total teetotalers , and to me , a day ( much less New Year 's Eve ) without a drink is no day at all ! To me , a drink without alcohol is not a day well spent . entailment +All the same , I reckon I 'll go round there to-night and see if I can 't ginger them up to break through their silly rules . I will go there tonight to see if I can convince them to not enforce their rules for my benefit . entailment +Movie theaters have a certain amount of monopoly power ( on a given night , a given moviegoer is likely to have a strong preference for a particular movie at a particular theater ) , and they price discriminate by offering discounts to senior citizens ( which is equivalent to discriminating against everybody under the age of 65 ) . Movie theaters price discriminate by offering discounts to senior citizens . entailment +well i have you know we have a you know voice mail system at uh at the office The office 's voice mail system is adequate at this point . neutral +For GAO to effectively do its job and obtain all the facts , we must have unfettered access to records no matter where the federal dollar goes and services are delivered . The government is hiding somethin , they dont want GAO having access to every record . neutral +yeah yeah yeah it 's about It 's about something . entailment +here goes Sharon She is on a mission . neutral +The dimensions of the gigantic Flamboyant Gothic Cathedrale Saint-Andr ? ? closely rival those of Notre-Dame de Paris ' which is a mere 6 m ( 20 ft ) longer and 4 m ( 13 ft ) wider . Cathedrale Saint-André is one of the smallest churches around . contradictory +Swell clothes , but no class . Ugly clothing but very classy . contradictory +They set off flash bulbs in churches . They were taking pictures of the disastrous scandal being carried out right in front of them . neutral +Leadership is about being clever , hard-working , and drawing the best work from a team . Leadership is about being hard-working leader and being able to draw the best work from a team , by not only leading but giving them the proper motivation . neutral +i don 't i don 't think they should be forced but i think they should be encouraged i guess encouraged to to do some kind of public work i guess just to get them i guess involved with community maybe you know just community activity if nothing else see how the city works stuff like that Doing something for the public good is a positive even if the young Americans don 't like it . neutral +But Canada has been reluctant to involve itself , and the United Nations is considering creating yet another ad hoc tribunal . Canada is hesitant in being involved in the United Nations ' consideration of creating another ad hoc tribunal . entailment +Still , stakeholder involvement is important to help agencies ensure that their efforts and resources are targeted at the highest priorities . Agencies should ensure their efforts and resources are targeted because they are vital to run the agency . neutral +Another campy teen horror flick . The movie is a drama contradictory +Why , just ask cook . Do not question the cook . contradictory +Know the road at all ? " Know how to get to our destination ? neutral +The analysis also requests comments regarding the reporting and record-keeping requirements of the proposed rule . There was no analysis . contradictory +oh yeah i know they are i used to have one that we used to ski ski behind We used to have one to go skiing behind . neutral +yeah sometimes i spend a lot of time on that some movies that i would never have gone and seen uh you know have turned out to be really good movies uh you know you hate to spend the money on them especially as expensive as movie theaters are today I don 't really like movies in general . contradictory +That was before we killed their king and broke their spirit in the wars twelve years ago . Twelve years ago a king was killed and a people were dispirited . entailment +You could even argue that American society in the 1990s is an engine that maximizes consumption yet minimizes satisfaction . Consumption was maximized and satisfaction was maximized in the 1990s by American society . contradictory +Have you the nerve to go through with it ? " The girl smiled . You don 't have the nerve to go through with it , said the boy while crying . contradictory +He has lived the past four years at Creston Plaza with his wife , Tammy , and his daughter , Precious , 3 . In recent months , Robertson was pleased to see casual drug use at the complex diminish with the installation of security cameras . Robertson plans to live another four years at Creston Plaza . neutral +Again Tommy shook his head . Tommy moved his head again . entailment +He fell to the ground , clutching his leg . He jumped from the ground kicking his legs . contradictory +Rather it may serve to delay the conception of a rival for maternal resources--both directly ( by literally coming between Mom and Dad ) and indirectly ( by tending to prolong breast-feeding and , therefore , to suppress ovulation for a longer period ) . It may serve to delay , directly or indirectly the conception of a rival for maternal resources . entailment +Research improving existing screening questionnaires Research has improved the screening questions . entailment +Recognizing that certain types of proposed service innovations merit consideration under specialized procedures , the Commission has adopted several sets of rules that are customized for defined categories of Postal Service requests . Certain types of proposed service innovations should be considered . entailment +Thorn rolled to his feet as the hammer came in again . As the demon 's hammer came in again , Thorn rolled to his feet . neutral +Stow it , said Number 14 . Number 14 spoke . entailment +His hand held onto his flank where he had tied a wide strip of dark cloth , growing darker as Jon watched . He had no need of a cloth wrapped around his flank . contradictory +oh yeah they 're they 're so much better than anybody else it 's uh that they 're prohibitive favorites in winning all their games They 're the worst team contradictory +oh they 've been getting cleaner They are disgusting pigs . contradictory +If Darth Vader had built C-3PO as a young man , how come he never paid much attention to him in the other movies--and vice versa ? Why didn 't Vader pay attention to C-3PO in the other movies ? entailment +In any case , you can 't miss it arrows indicate color-coded itineraries within the museum that showcase the myriad marvels to see en route , a remarkable degree of which is overlooked by time-restricted visitors on a mission . Everything in the museum is very easy to miss . contradictory +yeah um something i do is a fruit is i 'll get um make chocolate sauce and dip strawberries and bananas in them yeah i have two nieces and they they they go melt some chocolate chips go buy me some strawberries I dip all of my fruit in chocolate sauce . neutral +um-hum well i am awfully bored with uh every every tax change uh supposedly having all these built in benefits for the poor because i think we have such a mismanagement of the funds that are designated for the poor so much graft and so much misspending that that money doesn 't necessarily go where it 's supposed to go uh i know you don 't ever cutout greed and corruption but i think the management of the welfare dollar needs to come back to to the local levels because the local people know exactly who needs that money and who doesn 't need that money when it 's directed from afar i think the chance for misspending is greater i i suppose i 'm thinking more in terms i i 'm not thinking in terms of increasing taxes i 'm just thinking for a quick fix uh a cut in federal spending is i guess my solution I don 't trust the government to spend money efficiently . neutral +well you too well he 's having his party until Friday but He is have his party until Friday . entailment +Take him into the other room . For five minutes , Tommy sat on the bed in the dingy room next door . For five minutes , Tommy waited , wondering what was going to happen to him . neutral +The Legal Services Corporation exists to help our clients address their legal wrongs and promote their legal rights . Helping clients with legal wrongs and help promoting their legal rights is why the Legal Services Corporation exists . entailment +( To read Krugman 's defense of the World Trade Organization in Krugman is all in favor of ousting the World Trade Organization . contradictory +but uh we 've gotten pretty good at it we 've been doing it a couple of years now We 're pretty good at it . entailment +a um college fund for them because it was just so important i said i don 't want them to go through what i went through It was very important to us to set up a college fund . entailment +Since the National Trust was founded , the area has benefited from increasing protection . Since the founding of the national trust , the area has had increased protection entailment +GAO 's overall human capital situation also is of growing concern . Their personal issue is a worry . entailment +uh you may be called up twenty times and one person will only be called up once but uh They call people using a random lottery-like system . neutral +okay i i live on Wharton Drive I live in Main Street . contradictory +Riggs says legal-aid agencies help stabilize society Riggs believes that legal-aid agencies would likely bring everything to ruin . contradictory +It 's about time . It 's not time yet . contradictory +It 's too bad Debunker ( someone suggested we call it CrapShoot ) isn 't up and running now , because there were a couple of nice examples in the State of the Union . The State of the Union was nothing but a joke . contradictory +The export point is , of course , La Sabina , first and last port of call on any round-island jaunt . Very few people call into La Sabina when visiting the island . contradictory +Click on Utilities if you want to print the entire issue using Microsoft Word , or if you 're dying to inspect our masthead ( Boiler Slate ) . Boiler Slate is a masthead . entailment +The building has been beautifully restored , and the food is good . The building is in desperate need or renovation . contradictory +Despite the best efforts of Washington 's influence-peddling community , there 's still no constitutional right to lobbying or PR . The 24th amendment to the constitution guarantees the right to lobby . contradictory +Plattsburgh for a while he he remembers lots of snow For a while Plattsburgh remembers a lot of snow / entailment +It was also a place of execution . There were many unfair executions there . neutral +Monica , she said , her voice husky with longing . She said ' Jessie ' . contradictory +Hardknott Pass , with gradients of 1 : 3 , is the mother of all Lakeland passes ; the road is narrow and steep and twists like a switch-back ride . Hardknott Pass is flat . contradictory +um-hum um well i am we 're fairly new to the area and so we 're still shopping for a favorite channel We already have our favorite channel contradictory +What 's likely is a bitter battle between Perot and Ventura , conducted through proxies , their respective stand-ins for the Reform Party presidential nominee . Perot and Ventura are fighting for the Republican nomination . contradictory +Drew 's hand rubbed across the bulge beneath his shirt . Drew really enjoyed rubbing the bulge under his shirt . neutral +Instead , he sent letters to the House of Representatives and the Senate on August 2 , 2001 , to inform them of GAOas actions and to serve as a response to GAOas July 18 letter . Instead , he never sent the letters to the House of Representatives . contradictory +The 1996 Twin Cities study , for example , found marked differences in weight concern . They were worried about the weight of the study . neutral +Reductions of NOx , particularly during winter and spring , are critical for addressing these concerns . Reducing NOx is not important . contradictory +You do not know if it was sent after Mr. Lawrence Cavendish to Wales , or whether it was put in his room ? It was left in his room . contradictory +because he 's got a mouth on him He is humble and quiet . contradictory +i know it just has that i it looks several times in the last couple of weeks it has looked rainy that day and not not done anything and we have a lot of trees Everytime it looks like its gonna rain , it rains . contradictory +This meant deposing Sultan Mehmet VI , who as caliph ( leader of the Islamic world ) and sultan stood for the old tradition of combined secular and religious power . To do so , it was necessary to remove Sultan Mehmet VI from his positions as leader of the Islamic world and sultan , since he stood for the old tradition of combined religiuos and secular power . entailment +Many souvenir shops in the major resorts tend to cater to the popular ; however , you don 't need to look far to find locally produced goods that make wonderful remembrances of your trip and the narrow streets of the old towns are the perfect places to browse for hours . The old towns offer beautiful jewelry . neutral +Ranking Minority Member Committee on the Judiciary House of Representatives It is a Judicial House of Representatives committee entailment +The climb is worth making , if only for the view , the trees , and a cool , rushing stream . Most of the trees are sakura trees . neutral +But minutes later , A few minutes later . entailment +and so um but he said no he was going to plant in the earth you know like he always has because he 's always had a garden out in the country He said he would plant a lot of things by the fence . neutral +Falwell , I had just finished reading a novelistic treatment of these events , Assassins , which is subtitled Jerusalem , Antichrist . Assassins is the sixth book in the Left Behind series , left behind referring to those unfortunate nonevangelical Christians who are not taken up to heaven in the Rapture--the opening act in God 's end days plan--and are forced to contend with the Antichrist 's evil reign on Earth . The words of the book are written in ants ' blood . contradictory +yeah even if you didn 't invest in necessarily the the best thing you would have so much more to invest you you 'd still be ahead Invest in gasoline , everybody uses it and it always costs too much . neutral +that 's the biggest killer there is i think they should do both of them I think that doing both of them will be more effective . neutral +Maybe it 's true that we 're the only members of the big brain club , but I 'll lay my bets with ET . They may be the only members of the big brain club . entailment +It has one side screening out the summer heat while the other is open to the cooler breezes . The sides are used to manage the climate . neutral +um-hum more people get involved and stuff like that Fewer people get involved or participate . contradictory +It is beyond me to chart the future byways of the digital revolution , but I 'll venture one counterintuitive Electronic media will usher in a resurgence in the quality and value in handwriting . I think that the resurgence of quality handwriting will happen in this age of electronic media . entailment +But you seem to have answered all our questions honestly and without flaw , and you certainly look the part . ' You answered everything poorly and you don 't look like you 'd fit in . contradictory +Participants raised the question whether the current system of selecting directors needs to be reexamined because the existing system from a shareholders ' point of view has not been working to get the right people on boards . 70 % of the participants raised the question whether the current system of selecting directors needs to be reexamined neutral +well there are other benefits with the military The military we have is one of the best in the world . neutral +But what I don 't understand , said the Prime-Minister suddenly , " is how that photograph came to be in Mr. Hersheimmer 's drawer ? " The Prime Minister said he didn 't understand how Mr Hersheimmer got the radio . contradictory +In fact , the fountain was completed several years before Borromini 's splendid and structurally impeccable facade and dome . The dome was created before the fountain . contradictory +Still , I suppose the girl must have been in the habit of calling her by her full name . I am assuming that she was used to calling her by her full name . entailment +His welfare level will be increased by the difference between the discount and his cost of doing the work . Adjustments to welfare are necessary and very common . neutral +did you see any movies over there i remember i went to see Don Quixote over there when it came out it came out right around the time with Sophia Loren I saw a movie when it came out there . entailment +Starr has been especially squirmy about this . The Starr magazine has been squirmy to release the naked photos of the editor . neutral +and you can always you can always heat it up again and save you know You can only heat it up once so be careful not to burn it . contradictory +We 're stepping up our efforts and trying to recruit more attorneys to do pro bono work . We have stopped any and all efforts to get attorneys to work pro bono . contradictory +Instead , McCain spends the evening attacking Bush . McCain was the one attacking Bush . entailment +The town 's great treasure is a street . A street is insignificant . contradictory +The Department of the Treasury 's rule is adopted pursuant to 26 U.S.C. The department of treasury 's rule was taken to 26 usc entailment +dull , provincial , and oddly prevalent on U.S. comedy shows . It has become a cliché on U.S. comedy shows . entailment +Types of water are discussed in Section 5 , Facilities , Equipment , and Supplies . Types of water are discussed in Section 7 , Factories , Machines , and Hydrology . contradictory +They were amazing and my lust for battle took me over . My lust for battle wasn 't affected by how amazing they were . contradictory +Sersa Garm was impressed by the discoveries , and went off to suck his thumbs and brood over the new knowledge , much to Dave 's relief . Sersa Garm was impressed . entailment +Fell running also tests the mettle . Fell running is sometimes fatal . neutral +oh if you had a thousand dollars that means there 's another hundred dollar deduction i 've given you If you had $ 1000 , you get a $ 10 deduction . contradictory +He said an NIAAA fellowship is one way of getting further training . The NIAA provides a way to develop further education . entailment +I was afraid she might get a bit rattled . I 'm not afraid at all , she 's hardly ever rattled . contradictory +Off the right transept , the recently restored San Brizio Chapel ( a.k.a. Cappella Nuova ) is famous for the 1447 frescoes covering the ceiling by Fra Angelico Christ in Glory and by Luca Signorelli ( around 1500 ) on the walls . The inside of the San Brizio Chapel is very plain . contradictory +Certainly I can . No , I certainly can 't . contradictory +The King died very young and artisans had only just begun to dig the chambers , so it 's small and sparsely decorated . The King died of old age and was buried in a very large chamber . contradictory +Create teams of employees who represent multiple organizational functions and different grade levels . The purpose of creating such varied teams is so that management can be assured that all individuals are heard . neutral +Are the procedures for the formation of the data base described ? The procedures are not clear . neutral +The Clintonites had a worthier foe in mind . The group was thinking of someone else . entailment +At some point , reducing federal unified deficits or maintaining unified surpluses at the expense of federal R & amp ; D and education spending raises concerns about future workers ' skills , technological advancement , and , thus , economic growth . The skills of future workers are one of the issues that arise when the loss of education funding is discussed . entailment +After slowing to 3.2 percent over the 1970s and 1980s and further to only 2.4 percent in the early 1990s , annual GDP growth accelerated to an average of 4.3 percent from 1995 to 2000 . Between 1995 and 2000 , GDP growth grew by 4.3 percent . entailment +Mr. Carter listened in silence with a resumption of his tired manner . Mr. Carter repeatedly showed signs he was weary of this conversation . entailment +In summary , the total time needed to complete the design , installation , and testing at a facility with one ACI unit is about 15 months , at a facility with two ACI units is approximately 16 months . It will take 2 months to complete the design alone . neutral +right well do you count your laps or do you just have a time segment that you How do you pace yourself ? neutral +but uh no it 's just there 's an annual festival i guess where they they collect the best entries and they make it into a full length movie and each each cartoon is is completely independent and separate from everything else and laugh you know a few minutes um There is a festival held annually , where they collect the best entries and they make it into a full length movie , where each cartoon is completely independent . entailment +Young Beresford saw that for himself without my having to tell it him . Young Beresford saw with his own eyes . entailment +The small town of Selcuk , about 5 km ( 3 miles ) from Ephesus , has an interesting museum and several noteworthy monuments . Selcuk is a tiny town with nothing to offer visitors . contradictory +I 'm doin ' th ' sayin ' of what goes on , on my own property . I don 't let people do anything like that on my property . neutral +Microgovernment does not seem to cost anything--no new budget lines , no new bureaucracies--but of course it does . On paper , microgovernment doesn 't cost anyone anything . entailment +What , said Jon . What did you say , said Jon . neutral +political science oh okay well i know i know i 'm going to school right now and uh i have a friend uh UTD University of Texas Dallas I 'm going to school with some friends right now . neutral +What about the nurse who accompanied her ; I suppose you don 't know where she is ? " The doctor shook his head . The doctor knew the exact location of the accompanying nurse . contradictory +Only ash , and ruin , and rubble . It burned and left piles of junk behind . neutral +The Anna Livia Fountain ( nicknamed the Floozie in the Jacuzzi ) was unveiled in 1988 as part of Dublin 's millennial celebrations ; it refers to James Joyce 's personification of the Liffey in Finnegan 's Wake , and across the way , in Earl Street , his statue by Marjorie Fitzgibbon jauntily regards it . The fountain is 500 years old . contradictory +Quick , what is your vision ? You have good vision . neutral +9 percent of First-Class Mail . First class mail is a small amount neutral +To protect your privacy , ask your bank to restrict access to your records and beg your member of Congress for legislative protections . Your records contain sensitive information about your banking history . neutral +Although it was once an independent kingdom , Patan is today separate from Kathmandu in name only . Patan still completely separate from Kathmandu laws these days . contradictory +Eligibility for legal assistance for this category of aliens is not dependent upon the alien being present in the United States . Eligibility for legal assistance does not depend on the alien being present in the U.S. entailment +A competitive , intellectual upbringing made them obnoxious , passionate , smart , and fabulously successful . They remain competitive in their nature . neutral +Also on the riverside of El-Nil Street is the Mummy Museum , with an eclectic collection of artifacts and information about the art of mummification . The Mummy Museum is location on the riverside of El-Nil Street . entailment +The need never has been greater . The need was higher last week . contradictory +right right that 's true that 's true Right , that is correct . entailment +Can we say positively that she was away from Styles on the night of the murder ? " 99 " Yes , my friend , " said Poirot unexpectedly , " we can . Can it be said that without doubt the woman was nowhere near Styles the night of the murder ? entailment +Know who I 'm after ? she inquired genially . Hidden beneath the genial tone in her question was a malicious intent . neutral +The ground floor originally had an open loggia at the corner for the family banking business . The open loggia later found use as a hairdressing salon neutral +Now there is no murder without a motive . " I reflected . Unconcerned about the murder I felt " Who cares . " contradictory +Having seen her name in the list of the saved from the Lusitania , the staff of the hospital were naturally very surprised at her not arriving to take up her billet , and at not hearing from her in any way . She was not killed in the sinking of the Titanic . entailment +so they moved it behind the store and nobody knew where it was and so people kept piling stuff in the same place where it used to be After they moved the large trash bin behind the store , people couldn 't find it so they just threw their garbage where it used to be . neutral +I remembah dat day jes lak it was yestiday . I remember the day like it was yesterday . entailment +or or so it seems i i may just be paranoid but that state income tax is just eating me alive The state income taxes are very affordable here . contradictory +In my experience , by the time his movie got through all the rewrite committees , it would star Julia Roberts and probably be called That Vatican Summer . Julia Roberts is Catholic anyway . contradictory +An article questions television 's awkward embrace of gay characters . Television has somewhat embraced gay characters . entailment +The new King was eventually persuaded to issue a decree guaranteeing religious freedom , and the next year , 1840 , he established a constitutional monarchy . The new King agreed to issue a decree against religious freedom . contradictory +so yeah that 's the other reason and That is another rationale to stay away from that . neutral +Sheldon Roodman , executive director of the Legal Assistance Foundation of Metropolitan Chicago , said the work these groups do is critical . Sheldon Roodman was very proud of the work those groups did . neutral +i would like uh yes i have worked outside of the home and i was in one of those safe occupations i was a school teacher I taught at an elementary school . neutral +In other words , Waldemar Szary had a massive hangover . Szary was experience a big hangover . entailment +The Chinese people have been described as hardworking and pragmatic , attitudes that have contributed to Hong Kong 's success . The description of Chinese people has been detrimental to Hong Kong 's development . contradictory +Look northwest from here and you will see a much more impressive sight in the distance . You can only see the sight during the day . neutral +When he comes in , I 'll talk to him . " I 'll talk with him after he leaves . contradictory +Shopping in Florence Florence has the best shopping . neutral +He was so tremendously sure of himself . He was very nervous . contradictory +The Hong Kong could become like its Chinese sister city Shenzhen , which is capitalist but wild , lawless , and cruel to workers . Shenzen was a great city for workers from all over the world . contradictory +monica 's in my painting class . Monica is one of the students in my painting class . entailment +Rumor has it that the next object of touchy-feely bowdlerization by Disney is Beowulf . No one is saying that Disney will be working on Beowulf . contradictory +Some evidence suggests that WTP to avoid a risk of a protracted death involving prolonged suffering and loss of dignity and personal control is greater than the WTP to avoid a risk ( of identical magnitude ) of sudden death . There is evidence that WTP to avoid risk of a prolonged death is larger than the WTP to avoid sudden death . entailment +Internal control over automated systems can be grouped into general control and application control . Internal control over automated systems can be very cumbersome . neutral +She bought out Wladeczek 's farm , when he went back to cabbage and rapeseed , ' Jareczek from Czyszniów said , washing down a bite of dried sea horse with a gulp of mhiskey . Jareczek at his dried sea horse and drank mhiskey . entailment +( a ) ( 1 ) Except as provided in sections 414 ( a ) ( 2 ) , 415 ( a ) ( 3 ) , and 416 , beginning January 1 , 2000 , the Administrator shall not allocate annual allowances to emit sulfur dioxide pursuant to section 414 in such an amount as would result in total annual emissions of sulfur dioxide from utility units in excess of 8.90 million tons except that the Administrator shall not take into account unused allowances carried forward by owners and operators of affected units or by other persons holding such allowances , following the year for which they were allocated . The Administrator can take into account any unused allowances that carry over from the previous year . contradictory +sure see uh still some migrant labor is legal you know all migrant labor is illegal contradictory +oh once a week um actually though um we just moved Once a week , although we moved in two weeks ago . neutral +He jailed or killed thousands of Albanian Kosovars and banned Albanian-language publications . Thousands of Albanian Kosovars were murdered or imprisoned because of him and he banned all Albanian language publication . entailment +Bush is the manly governor of Texas , while Gore moderates Reinventing Government seminars . ) Bush and Gore have two very different temperaments . entailment +White children 's classic from becoming intolerable . The children 's classic is intolerable . entailment +Enteringthemaincourtyard of the temple , you will findaperistylehall ( with onerowofsupporting columns ) decoratedwith flutedcolumns that werecommissioned by the Queen Hatshepsut , andseveralimpressivestatuesofRamses II in black and red granite.Perhapsthemostfascinating element of the hall is the Mosque of Abu El Haggag which was built within the temple complex to protect the tomb of a 12th-century descendent of Mohammed 's brother-in-law . There are no statues Ramses II in the temple 's courtyard . contradictory +The female 's nose is an unremarkable little snub , but zoologists say that she appreciates , and is even aroused by , the male 's proboscis . The females have large and fat noses . contradictory +For example , it recommended an increase in analyses targeted at medical supplies and durable medical equipment and at providers who bill higher cost procedure codes to maximize their reimbursement . Providers are over billing for durable medical equipment . neutral +And Dublin , a city large in expectations , is still small enough for the visitor to see most of its sights on foot . Visitors can view much of Dublin 's sights without using a car . entailment +they give you shirts right which which you use and then you take back they give you a clean one In prison , they give you one blue shirt and once it 's dirty you can get a clean one . neutral +Oh honey , gramps hasn 't come up with that yet . Gramps hasn 't come up with that yet , honey . entailment +Dr Edward Perennial got his PhD degree in loyalistic algebra with considerable difficulty and considerable help from his brother , Dr. Perennial , who had gotten his PhD in loyalistic geometry two years earlier . Edward Perennial couldn 't get his PhD degree . contradictory +The Chestnut and Rowe study measured the demand for visibility in Class I areas managed by the National Park Service ( NPS ) in three broad regions of the California , the Southwest , and the Southeast . Chestnut and Rowe were famous scientists that work for the National Park Service . neutral +Therefore , accuracy of predictions may improve as further experience is accumulated in an agency . The accuracy of the predictions may improve . entailment +He said carelessly , " I 've been up for hours . He was starting to feel tired . neutral +EPA designed its National Environmental Goals Project to produce a set of long-range environmental goals , including milestones to be achieved by 2005 . EPA designed its National Environmental Goals Project on the Simpsons . neutral +3 State planning processes , including the participants , will vary from state to state , and LSC does not require the same process or participation in each state . LSC has no requirements for planning processes . contradictory +So Shiloh stays here at the Stronghold ; don 't risk him loose . " Shiloh was dangerous when loose . neutral +As a former Andersen partner who severed all ties with the firm in 1998 , I believe that Andersen got caught up with a never-ending quest to grow the top line , grow the bottom line and grow the income of it partners . Anderson over emphasized income growth due to a toxic management culture . neutral +The city has two subway lines , several small private railway lines , and many bus routes . The city subway lines were built in 1890 by the emperor . neutral +Slate readers responding to last week 's invitation to name the scandal have not covered themselves in literary glory . Those who responded to the scandal have maintained a high sense of tact . entailment +both i think it 's it 's a matter of both um economics economics has a lot to do with it unfortunately but uh i think a lot of choice has gone into it lately and and most of them or or a lot of women i know would rather It is not at all about economics , and entirely about morality . contradictory +One third of this force is said to be specially trained to quash riots . Quashing riots is not a pleasant experience for the members of this force . neutral +6 Using the methodology described for 900 MWe of capacity , today a six-absorber system could serve as much as 5,400 MWe of capacity , or more than double the capacity served in installations in the early 1990 's . The absorber systems are used to soak up the blood of your victims . contradictory +that 's funny well that 's good well i think we kept it at real good That 's a cool story ; I think we did a good job . entailment +As a result , they avoid the concussive head wounds that kill boxers--and the long-term neurological damage that cripples them . As long as you get proper treatment afterward , being hit in the head repeatedly is perfectly acceptable . contradictory +Throughout the morning their eyes moved to Susan . The soldiers eyes moved to Susan throughout the morning . neutral +Each of the companies visited used this as an indicator of the product 's readiness for production and emphasized the importance of having critical manufacturing processes under control by the start of production . None of the companies visited bothered to emphasize the importance of having critical manufacturing processes under control by the beginning of production . contradictory +Although highly unlikely , it 's possible , we suppose , that all these distinguished publications repeatedly misheard the same individual in the same way , although he has no speech impediment that we know of . The man was not known to have trouble speaking . entailment +They are therefore accounted for as a custodial activity of the collecting entity and recognized as a nonexchange revenue in the Government-wide consolidated financial statements . Financial statements are consolidated for the whole legislative branch of the government . neutral +Instead of equalizing things by scrapping the New York payment scheme , Congress decided to equalize things by nationalizing it . Congress went ahead and equalized things not by getting rid of the New York payment scheme , but through nationalization . entailment +Statutory Authorization for the rule Statutory authorization is imposed on the rule . entailment +I should be moving on soon , I decided . I got scared and decided it was time to move on . neutral +But a heavy meal , taken at about the same time as the poison , might retard its effects , though hardly to that extent . The effects were retarded so much because there wasn 't as much poison . neutral +Each year only several hundred , hand-numbered bottles were made , and the wine was prized for its full bouquet best appreciated during siesta on the southern coast of Pilates when served with roosmoose meat and the Adriatic variety of wandering escalope ; the year considered to be the best by the experts was 1989 , rested in barrels made of wood from an old shed out back ( marked ' RQ ' ) . The wine is very expensive neutral +right more areas where they would pick it up yeah They have a wider range of pick-up locations . entailment +The Timna area , just north of Eilat , is renowned for King Solomon 's copper mines . The copper mines have long since been closed down . neutral +For information about nightlife , look in Time Out , the listings pull-out section of the Jerusalem Post , which is published every Friday . The Jerusalem Post has a pull-out section called Time Out . entailment +How do you know that you are not a puppet for a young girl ? I know the girl didn 't make you do anything . contradictory +The nature of the events suggests that we are to vote on who best imitates a New York Times editorial or a Talk of the Town piece . The vote is expected to be on who can do the best imitation of a New York Times editorial at least in part . entailment +They worshipped the Nile as the bringer of life and built temples here to the Nile god , Hapy , and the creator god , Knum . The creator god , Knum , was depicted as a snake . neutral +i would i would love to go there i mean like again again not now but at some point to go see what what this is like i mean this this is am azing because this is this is an this is an example of an entirely different culture that wants to be like us like you said before as well so it 'd be interesting to watch I would be happy to go there since it 's a culture that is unlike us yet wants to be similar . entailment +This 4 percent increase in demand over a nearly 20-year period can easily be met . Demand can easily be raised by 4 percent in 20 years . entailment +Besides , a father confessor should be elderly , it is not at all the role for a young man . Young men are too untrustworthy to be father confessors . neutral +Content A Methodology for Structuring and Content is a methodology for developing . contradictory +Well , sir , you know how he asked me so particular if the mistress , or anyone else , had a green dress ? Dorcas was worried because she had been asked by those investigating if anyone owned a green dress . entailment +The auditors ' assessment of risk includes consideration of whether the entity has controls that are effective in preventing or detecting noncompliance . The auditor 's assessment explains the controls that are effective in dealing with noncompliance . entailment +yeah that that 'll be good Yes that would be good . entailment +February or early historical Carnival , masked balls and processions in magnificent costumes ; more contemporary Carnival with parade of floats ; Almond Blossom Festival in Sicily Sicily does not host Festivals of any kind . contradictory +hum-um no i used to i really did uh years ago and uh i was thinking about that not too long ago that I started to do it again , just like I did years ago . neutral +Nothing could have been more select . Nothing was more carefully chosen . entailment +well what 's your favorite shows What are the shows you like the most ? entailment +Following the conquest in 1453 , his grave was rediscovered , and Mehmet the Conqueror erected a shrine on the spot , followed in 1458 by a mosque , the first to be built in Istanbul . Istanbul had possessed mosques since the 12th century . contradictory +You do not understand all this but you can go out to-day . On this day you can go outside of the house , event though you don 't comprehend this at all . entailment +The rest of us will stay here . Only one person would be left behind , the rest would go . contradictory +Dave stared around the office . Dave looked around the office . entailment +when you go over there does it bother you in terms of how things are arranged either at the Dallas location or the Spring Creek in terms of there 's so much it 's so much of a weight orientation weight lifting et cetera At the Spring Creek location , they used to use special equipment for lifting until it broke . neutral +um-hum well i 've considered it last year and this year both but i haven 't done anything about it so Maybe I 'll think more about it for next year . neutral +That eye 's fadin ' good , Drew , only two colors now , ain 't it ? " Drew grunted and Nye laughed . Drew sighed and remained quiet , while Nye frowned . contradictory +What was it ? What did you eat ? contradictory +But all that ended long ago . Everything ended a long time ago . entailment +yeah right so i 'll probably have to sell the prize i get I 'll keep the prize contradictory +The Resurgence of Growth in the Late 1990 Is Information Technology the Story ? Growth plummeted in 1990 's . contradictory +Equally fascinating are the two parallel , partly residential streets O 'Reilly and Obrapaa where grand neoclassical and colonial buildings intermingle with decrepit tenements . O 'Reilly and Obrapaa are residential streets where both tenements and colonial buildings can be found . entailment +You hit boulevard Clichy , or it hits you . If you don 't hit the dog , it will bite you . contradictory +( Our report on the Health Care Financing Administration Medicare Program Major Rule , B-275549 , B-275552 , December 9 , 1996 , discusses the good cause exception at length . ) The report on the Health Care Financing Administration Medicare Program Major Rule is a ruling against fiery hot spices . neutral +Some , such as loss of flexibility and adjustment costs on the cost side , and health benefits and spillovers on the benefit side , remain beyond the scope of this analysis . This analysis focuses on a few simple things . neutral +you you don 't have a choice you know if you if you need to have a car then you have no choice and uh You can just hitchhike . contradictory +However , in both areas , the Analysis includes a discussion of cost- and benefit-related issues and the possible effects of the changes to Regulation X. The Analysis addresses only those areas of Regulation X that remain unchanged . contradictory +He wished he had brought his guns though he doubted the monsters outside would have let him keep them . He had guns but hadn 't brought them alone . entailment +But surely even you will agree that most of these laws are merely therapeutic . Why don 't you agree that the laws are therapeutic ? contradictory +For , if the case against him is true , how could he defend himself except by silence ? How could anything but silence be used to defend himself if the case was true ? entailment +Before turning off the coastal plain into the Valley of the Kings , one of the most impressive Theban temples comes into view on the left , that of Queen Hatshepsut . The Valley of the Kings is not on the Coastal Plain . entailment +This proserous city has many museums , including a well-endowed Musee des Beaux-Arts ( Square Verdrel ) , with works by Vel ? ¡ zquez , Caravaggio , Perugino , Veronese , and Rubens . This city has a number of museums including the Musee des Beaux-Arts . entailment +yeah i remember mother and dad always turned on the Grand Ole Opry My mother and father owned a television . entailment +DOD concurred with a draft of this report and agreed with the benefits of using design and manufacturing knowledge to make informed decisions at key points in a system acquisition program . DOD did not agree with anything from the draft of this report . contradictory +A study finds promise in a new therapy for a drug pellet that is inserted into the man 's urethra . The study was conducted by the Doctors Association of Arkansas . neutral +The replacement rate can be calculated as a simple percentage of pretax income . Ten percent of pretax income is the normal replacement rate . neutral +that and uh the little dwarf yaupon hollies you know they they seem to or just yaupons period seem to do all right Yaupons in general appear to do well overall . entailment +THERE IS A LOT OF ANGER AND SADNESS IN THE CAVES . The caves were angry and sad . entailment +four people with with luggage and uh course this grant it that 's you know it 's been four years ago but it 's remarkable that the that the bigger vans uh they 're uh my boss just bought a a pick up truck and uh he only gets seventeen miles a gallon My van gets much better gas mileage . neutral +Fishermen and anglers seem to have the edge over most , but politicians and journalists are actually banned from taking part , since they are regarded as professionals . Fishermen in the area are very experienced . entailment +including new vans and so so i guess i 've seen it done and i know you can do it you know but you have to drive that old car until you get that money saved up for that new van and that 's where Americans don 't like to do it and so and we don 't want to cut back our services from the government because we 're spoiled American don 't like to want to save up for a new van because we 're spoiled . neutral +PLANT , AND EQUIPMENT ANNUAL STEWARDSHIP INFORMATION EQUIPMENT AND PLANT ANNUAL STEWARDSHIP INFORMATION entailment +The Royal Palace , just west of the Plaza de Oriente , is geographically part of Old Madrid , even if was not built until the 18th century . Old Madrid dates back to the 3rd century BC . neutral +The sun shone off the bare breasts of the sculpted naked angel handguard . The angel sculpture shone in the sun . entailment +This simulation can be run only through 2056 due to elimination of the capital stock . Due to the elimination of capital stock , this simulation will not be valid in another sixty years . entailment +so you think we should do this in every profession You think we should drug test everybody in every job ? neutral +The sparklers belonged to him . The sparklers were hers . contradictory +Ca 'daan hadn 't heard of any Voth war . Ca 'daan didn 't think there really was a Voth war . neutral +The PKK has murdered Turks who teach Kurdish children , Kurds who side with the Turks , and thousands of Turkish soldiers . A lot of Turks have been murdered by PKK . entailment +um-hum um-hum uh-huh i think single parents probably contribute a lot of the problems in school systems because the system 's really getting sixty percent of the student 's day if if the mother or the father certainly would have to work and they 're not getting home until probably five o 'clock at the very earliest and the student 's out at three Single parents create a lot of problems in the school systems and cost me money . neutral +well it won 't be too much longer because my husband and i are both going to retire retire and when we retire we 're going to buy us a you know a new one and and get rid of the two that we have right now Once we don 't need two cars , we 'll get a new one . neutral +yeah what you know what 's really funny um is that i get calls you know mostly telephone sales people that i just you know that want to start beating my ear you know Telephone sales people aggravate me . entailment +In fiscal year 1998 , Illinois spent approximately $ 6.2 billion for Medicaid covering over 1.3 million recipients . Spendings in 1998 were closer to 6.3 billion to be precise . neutral +Planned originally in 1863 as a synagogue and for many years the world 's tallest building , it 's now a beloved city icon used for exhibitions and elevator trips to its panoramic terrace . You can see the whole city from the terrace because it is so tall . neutral +AltaVista 's site takes a weirder approach to this idea of refining searches . Although AltaVista 's approach to refining searches is rather bizarre , it works better than the traditional approach . neutral +LSC 's first report on this activity is due in March of 2002 . This activity will be reported by LSC in March of 2002 , the manager told me . neutral +yeah you know yeah you know Freddy Eats a Nuclear Warhead you know i i 'm just You know that Freddy ate a nuclear warhead ? entailment +The Federal Government holds approximately 650 million acres of land . Federal land holdings increase a slight amount every year . neutral +Billions of lire were spent on Rome alone for the record-breaking numbers of pilgrims and tourists who flocked to the country , one of the world 's greatest tourist destinations during the year 2000 . Lots of money was spent in Rome . entailment +Now he had found four of the best warriors he had ever known . These were definitely not the best warriors he had ever known . contradictory +One of the most remote tombs , that of Tutmosis III ( 34 ) , c.1425 b.c. , in the far west of the valley rewards the intrepid wanderer . Travelers who make it to the far west of the valley will find the tomb of Tutmosis II , one of the most remote tombs . entailment +Sometimes it was too small , and sometimes too big , and sometimes not in the right place . The object was sometimes not the right size . entailment +But even a fuzzy and occasionally failed standard would be an improvement on the ad hoc and random decisions we make now . A fuzzy , mediocre standard could eventually improve and be shaped to fit our needs , whereas random decisions don 't benefit us whatsoever . neutral +La Manga has more than 30 courts , many of them at hotels . Many of the courts are at hotels . entailment +Cuba Libre , by Elmore Leonard ( Delacorte ) . Elmone Leonard wrote Cuba Libre . entailment +Mostyes voters dismissed the predictions of doom as exaggeration , according to polls conducted on either side of Election Day . Most voters who said yes thought the predictions were understatements . contradictory +He looked quizzically at San 'doro and then at Jon on the request to see the mines , but agreed . The men asked to go stay in the mines . neutral +Third month : Promoted to peeling potatoes . The narrator has worked more than three months . neutral +As the first grand inquisitor of Spain , he was the enthusiastic leader of the 15th-century witch-hunt . He led the 15th century inquisition . entailment +A viceroy ruled each island at the King 's pleasure . Each island had a viceroy . entailment +the petting farm yeah there is a petting farm entailment +The Court agrees with all this , yet applies a novel and unsupportable interpretation of our public-forum precedents to declare a504 ( a ) ( 16 ) facially unconstitutional . The Court was never in agreement with any of it . contradictory +Moreover , the pieces themselves are sharply influenced by the nature of the immediate context . The pieces have no influence by the immediate context . contradictory +Finally , with its high postwar investment levels , Japan 's production processes became more capital intensive compared to most other advanced nations . Japan 's investments dropped post war . contradictory +Many commentators seem surprised at the persistence of Issue 3 , the continuing Paula Jones saga . Commentators are discussing the Paula Jones case . entailment +uh-huh yeah well i think it 's all uh i don 't think they have uh execution here As far as I know there aren 't executions here . entailment +well Maryland Maryland has some i mean um Maryland has some great seafood doesn 't it Maryland does not have seafood . contradictory +The F / A-18 E / F aircraft development program was able to take advantage of knowledge captured in developing and manufacturing prior versions of the aircraft . Prior aircraft development knowledge was used in the development of the F / A-18 E / F. entailment +The Resurgence of Growth in the Late 1990 Is Information Technology the Story ? Growth skyrocketed in the late 1990 's . neutral +And only now did he have time to relish his own excited pride and pleasure . At the moment he did not have any time enjoy his pride and pleasure . contradictory +The statues on either side are of Edmund Burke and Oliver Goldsmith . There are no statues of Oliver Goldsmith in existence . contradictory +okay i uh i have five children all together I am a parent to five children . entailment +because uh there 's no way they can even i think mathematically they 're out of the play-off scene now There is not a chance they can , mathematically they are no longer in the play off race . entailment +This is said to give the doctor-investors an incentive not only to cut corners ( the traditional HMO complaint ) but also to send poor patients to doctors outside the company while referring rich patients to doctors affiliated with the company . They might have sent poor patients to doctors outside of the company , but they also got chips and a drink . neutral +and uh she 's been down there a couple years and she really loves it She moved down there for work 2 years ago and feels like it is a good fit for her lifestyle . neutral +There was a scream of displaced air , and something went zipping downwards in front of them , setting up a wind that bounced the carpet about crazily . A piece of debris went in front of them causing the carpet to bounce about . neutral +Dole also opposed public funding of bilingual education and the printing of government materials in Spanish . The public funding of bilingual educational and government materials was supported by the DOLE . contradictory +Severn had embraced him after the declaration . Severn didn 't touch him . contradictory +He reflected for a moment , and then asked : " Was Mrs. Inglethorp herself aware of that fact ? " He wasted no time thinking about what he was going to say . contradictory +You know , a fella who 's scouted an ' hunted Injuns an ' popped bush cattle , to say nothin ' of toppin ' wild ones what can look like a nice quiet little pony one minute an ' have a belly full of bedsprings an ' a sky touchin ' back th ' next a fella who 's had him all that kinda experience an ' a saddlebag full of surprises in his time gits so he can smell a storm comin ' ' fore th ' first cloud shows . He cannot smell a storm coming before the first cloud shows . contradictory +The original hammer-beam wooden roof is the highlight of the design , with thick beams and painted decorations . The wooden roof took years to complete . neutral +yeah and and then but then the medicine and and some of these other things and and the chemistry in those kinds of areas milliliter No chemistry goes into making medicine contradictory +The price of an IPO , then , should reflect as nearly as possible what investors really think about a company 's prospects . The price of an IPO should have nothing to do with investor 's confidence in a company . contradictory +I never like to leave Canada , because I 'm disappointed every time . There is no way I will ever travel outside of Canada again since it is disappointing . neutral +You will hang if you shoot me , muttered the Russian irresolutely . The Russian moaned distrustfully , " If you blast me , you 'll hang . " entailment +Finally , I made my way to MoMA 's big Matisse room , my favorite in the museum . I absolutely adore each and every work made by Matisse . neutral +that the house be painted before we bought it and it was fairly reasonable we have a brick house but all the trim We thought that the color of the paint was just so wrong , we wanted it to be pink before we bought it . neutral +More up-to-date , the Tourist Information Office can organize a visit to the set of a Mumbai film studio if you would like to watch one of their huge , romantic productions in progress . The Tourist Information Office cannot offer any visits to local film studios . contradictory +and then you can 't draw it You cant draw it . entailment +Schwartz 's mother is Carol Schwartz , a law-and-order Republican on the Council of the District of Columbia . Carol Schwartz has been on the DC council for the last 20 years . neutral +In 1923 the Treaty of Lausanne defined the present borders of the Turkish Republic . The borders were debated by the Turks and surrounding areas prior to the treaty . neutral +The definition of covered year establishes when the new WRAP trading program will begin . The definition of covered year is very broad . neutral +i love it in the it was a lot nicer than i expected I did not have fun at all doing that ; in fact it hurt . contradictory +Suppose they should find her dead … stricken down by the hand of Mr. Brown ? What if Mr. Brown saves her life ? contradictory +and so it 's you know it makes it convenient but at the office when i you know we can uh on our system and i imagine on most systems you can just route it directly to the answering service Our office does not have a system that routes it directly to the answering service . neutral +The main portal is of stone carved in the style called plateresque , because it seems as delicate as a silversmith 's work ( platero means silversmith ) . The style of the main portal stonework is called arabesque , because it emulated the palaces of Baghdad . contradictory +Documentation would also help ensure interventions would not be repeated unnecessarily . Documentation would ensure interventions would not be repeated more than necessary . entailment +She smiled back . She frowned . contradictory +Its proximity to the US only 90 minutes from Miami by air means that cultural influences for the young are found in American entertainment media and sports . American youth receives most of its cultural influences from reading ancient texts . contradictory +He began digging in 1900 after buying the site and financing the excavation program with his own money , and almost immediately struck the first building blocks of a huge Bronze Age palace replete with magnificent pottery and other artifacts . Many archeologists from all over the world traveled to the site . neutral +When they awoke at sunrise , Adrin was gone . Adrin left just moments before they woke up . neutral +Hanson fretted as he saw it sink into the shell , sure it would begin to melt the sky material . The sky material would soon melt as it sunk into the shell . entailment +Clinton 's campaign proclaims a new Age of Possibility for America . Clinton 's campaigns aspires to make a new Age of Possibility happen , including rights for women and LGBTQ communities . neutral +but that 's because i 'm allergic to the grass That 's because I have an allergy to the grass . entailment +Sunny rooms surround a central courtyard . The courtyard is surrounded by sunny rooms . entailment +The decree accused Sister Jeannine Gramick and Rev. The decree accused me . contradictory +Also , I should be able to revel in praise rather than worry about it . I should worry instead of focusing on praise . contradictory +But the best cellars open to the public are those in the chateau at Clos de Vougeot , owned by the Cis ? ­ ter ? ­ cian monks until the Revolution and now the property of the Chevaliers du Tastevin ( fraternity of wine tasters ) . The Cistercian monks used to offer wine tastings . neutral +oh yes uh-huh so you know he can 't spend too much He does not have a limit on his card . contradictory +Accordingly , they monitored numerous factors associated with their security programs , and they used the results to identify needed improvements . There are a lot of different aspects to it . neutral +right commercials and cartoons and things like that Other things as well like news shows . neutral +What were you doing there ? " What are you doing over there ? entailment +Alexander Payne 's caustic comedy tells the story of a high-school election from four different perspectives--none of them remotely rational . Alexander Payne 's comedy is irrational and caustic , being about four versions of a high-school election . entailment +Here he is now . Reese Topham waved a hand at Drew . Reese Topham ignored Drew . contradictory +'Tell him the real Ben Franklin is ready to talk . ' Ben Franklin has nothing to say to anyone . contradictory +How much better , then--so much cleaner and more satisfying--is the Republican solution . The Republican solution is not good at all . contradictory +but he was with IBM fa thirty years He 's never worked at IBM contradictory +The political culture of nationalism reserved its approval for those who led ruinous campaigns in pursuit of impossible quests , Ajami writes . Ajami is a newspaper reporter in America . neutral +Drew said there would then be an entire week to write off Forbes between the Iowa caucus and New Hampshire . Drew neglected to mention the role of disgruntled campaign volunteers in leaking stories about Forbes to the press . neutral +The units must vent all their sulfur dioxide , nitrogen oxides , and mercury emissions only through a stack or duct and must meet the monitoring and reporting requirements for those trading programs , except that each unit must be separately monitored . The units vent their sulfur dioxide into the sewer . neutral +Access to these materials can permit public comments filed on rules to be more informed and targeted to particular issues . These materials allow comments to be better targeted if they are available . entailment +i 've never been i just i 'm more into you know sitting than i am I don 't like to get up . neutral +Table 3 . Incremental Policy Costs of the Technology Scenarios ( billion 1999 dollars ) Table 3 presents Policy Costs of all possible Technology Scenarios . neutral +But if my $ 100 contribution to CARE does not stop you from making CARE your first priority , then why should your $ 100 contribution to CARE ( today ) stop you from making CARE your first priority tomorrow ? Regardless of how much I donate to CARE , you may or may not make your own donation . entailment +STEWARDSHIP INVESTMENTS -Items recognized as expense in calculating net cost , but meriting special treatment to highlight the substantial investment and long-term benefit of the expenses . Stewardship Investments do not get any special treatment . contradictory +GAO has turned to contracted resources to achieve its mission and missionsupport requirements . GAO has turned to uncontracted resources to complete its mission . contradictory +and they offer uh a lot of uh opportunity to go to school Going to school is a big step for many people . neutral +A hot gust of wind blew down the street and whipped at their cloaks . The air was still . contradictory +I 'm afraid I couldn 't , sir . I 'm afraid I couldn 't . entailment +but i don 't think the vines they don 't really they don 't have to be touching or anything like you say they cross pollinate just by bees The vines should be touching in order to properly grow . contradictory +Remember when he looked us in the eye ? He angrily looked them in the eye . neutral +In any new product development program there are three critical points that require the capture of specific knowledge to achieve successful outcomes . New product development programs depend on capture of knowledge for success . entailment +High French theory has finally conquered the children 's book market . High French concept has eventually taken over the children 's book market . entailment +And although we were proud of our collective past , many of us had serious doubts as to whether the delivery system that we had created , and that had performed well for us and for our clients for the past twenty years , was the most effective and efficient delivery system for the difficult and challenging times ahead . We are proud of our past but we worried about the delivery system we 'd created . entailment +Refusing to charge clients , Mazzariello , 42 , said he used his family 's savings to sustain the office during the first year . The office was sustained by the family 's savings . entailment +Unlike Portuguese and Dutch trading posts in the region , Penang was declared a duty-free zone , attracting many settlers and traders . The Portuguese and Dutch later responded by invading Penang . neutral +The primary factor that distinguishes fraud from error is whether the underlying action that results in the misstatement in the financial statements is intentional or unintentional . It is often hard to distinguish fraud from innocent errors . neutral +Sunday morning wore away , and still he did not reappear . By Sunday morning , there he was , sitting at the table sipping tea . contradictory +The river looks wonderful from its period terrace and flower-strewn gardens , and it 's de rigueur to enjoy afternoon tea or You can also take a boat down the river . neutral +yeah what do you where do you like to camp how do you like to camp What are your preferences for camping ? entailment +This erosion of the distinction between whole humans and their parts--technicians will be able to tweak your cells either way--brings into question the moral privileges we attribute to whole humans , such as personhood and bodily integrity . They question the integrity of human beings being changed . entailment +Besides Prairie State , LSC also funds the Legal Assistance Foundation of Metropolitan Chicago , and Alton-based Land of Lincoln Legal Services . Lincoln Legal Services is one of the organizations that receives funding from LSC . entailment +After the treaty , they will fall into one of two 1 ) those that suffer economic sanctions and a clear-cut stigma , and 2 ) those that have agreed to allow short-notice inspections of any suspicious site in their territory . After the treaty , there are two possible ways the situation could go- but which one has been chosen will be known the next months . neutral +A labor productivity value of 110 means that 10 percent more work was accomplished for the level of labor expended than if a productivity value of 100 was achieved . A labor productivity value of 110 means that 50 % less work is done . contradictory +i i don 't know that i 'd uh that i 'd trade my dog in for the world uh it was about two years ago she got sick on me and i took her to the uh to the vet 's because she wasn 't eating and and uh she wasn 't able to jump she you know lost all her activity and uh she stayed there for one day and the doctor called me up and said uh she had a low white cell count and that uh she wasn 't she was dying and uh suggested that i take her to a working hospital dog hospital animal hospital so i took his suggestion and i uh took the the dog to a hospital a dog hospital and they said that they 'd keep her there for three days well she ended up staying there five days at a hundred and something dollars a day because she was in intensive care i mean it cost me over five hundred dollars My dog has always been perfectly healthy . contradictory +White was beating himself . White was hitting himself out of frustration . neutral +you know and and if it doesn 't go through the second time that woman 's out thirty bucks No matter how many times it takes , she won 't lose any money . contradictory +If the model is successful in Oxnard , it may be used at other California Rural Legal Assistance operations . The model may be used at other California Rural Legal Assistance operations , if it turns out to be successful in Oxnard . entailment +The coffee was never drunk . Everyone partook of the coffee . contradictory +The lovely Botanical Gardens offer 130 acres ( 50 hectares ) of changing landscapes . Some landscapes include desert and forest regions . neutral +That isn 't bad , and it certainly isn 't Clinton 's absolute lowest approval rating as president---that would be 1993 and 1994 , when Clinton 's popularity dropped on several occasions to 37 percent . The current approval rating for President Clinton is the highest that has been measured for any previous president . contradictory +We never forget where we came from , said Le , 29 , who arrived in the United States six years after her sister 's death . Le never left his home country because he grieved his sister 's death too much . contradictory +You do not wish to sell him , I suppose ? Hunt Rennie smiled at Drew 's prompt shake of head . Hunt Rennie was talking to Drew because he wanted to ask him something about Shiloh . neutral +There 's only one thing I can 't make out , why didn 't he destroy it at once when he got hold of it ? He kept it safe even after he got hold of it . entailment +The initial approach route , along the A593 from Ambleside , is characterized by rocky knolls rising from the valley bottoms . The route coming from Ambleside along the A593 is said to be a rocky path . entailment +Islam won its place in Malaya not by conquest as had been the case in North Africa and Europe but by trade , dynastic alliances , and peaceful preaching . Islam took over Malaya by making people think they were peaceful and thriving . neutral +That fragmented system without oversight had its deviance ( not all doctors provided good care ) and cost ( the doctors drove up the bills ) . Every single doctor provided good care and low bills . contradictory +The intervention led to a small change in bike helmet use and a slightly larger change in seat belt use , but it did not lead to changes in alcohol variables or weapon carrying . The intervention led to changes in 2 areas , but also did not lead to changes in 2 different areas . entailment +Richards , now 64 and a successful pediatric ophthalmologist , advises other men who want , as she did , to change genders in middle age not to do it , according to the Star . You better get on Thorazine or Zoloft or Prozac , she advises . Richards has never desired to change her gender . contradictory +Adrin cocked his head , moved his elbow , and slid his off-hand stick across San 'doro 's exposed belly . Adrin and San 'doro had an altercation . entailment +but uh huh-uh not yet but i mean i don 't know whether they have one of the first you know choices of somebody that would be real good Their options are limited . neutral +At the conference , they defended their activities against numerous Solidarity leaders denied they made too many compromises ; priests denied they had been co-opted by the party ; and Communists denied they had committed treason . Solidarity leaders said they did not make too many compromises . entailment +He sees everyone as being equal . He thinks everybody should be treated as equal . entailment +FATHER You know , Kaethe , even though you are my sister , and this money was legitimately inherited from our parents , and I 'm giving it to you in order that you may pay for a lifesaving sweat-gland-transplant , which will finally enable you to dress properly , I 'd bet , to an outsider , this whole scene would look awfully fishy . Kaethe , I know you despise me , but won 't this change your mind ? neutral +Or--yes , fine , OK--download the latest version of Netscape Navigator here . ) No , no . You will not have to upgrade your browser . contradictory +well if they do they don 't know of it you know They might do it . entailment +American Beauty won three Golden Globes , including Best Drama . Acting awards went to Hilary Swank for Boys Don 't Cry , Denzel Washington for The Hurricane , Janet McTeer for Tumbleweeds , and Jim Carrey for Man on the Moon . HBO series , including the critically hyped The Sopranos , won most of the television awards . Awards went to Jim Carrey , Hilary Swank , Denzel Washington , Hilary Swank and Janet McTeer . entailment +And what the devil was the matter with his head ? He wasn 't thinking like his normal self . neutral +In particular , we developed guidance , 1 based on best practices in the public and private sectors . Our guidance was based on worst practices . contradictory +the last one i saw was Dances Of The With The Wolves Of The Wolves Since I watched Dances with the Wolves , I went to see the Batman movie , which was very good contradictory +no we usually don 't do i mean they catch catfish i keep saying they because i never fish but um they catch catfish you on accident sometimes I don 't know personally , but they tell me they catch catfish sometimes . neutral +um he grew up out well he grew up in Le Ren which is the sort of um oh strip east to west eastern part of France He was raised in Le Ren , which is in France . entailment +Gilmek charges 900 euro per session , but for my lovely poultry ladies he will do it for free , world-class . Gilmek will do it for free for my poutlry ladies . entailment +Bloor , M. On the Analysis of Observational A Discussion of the Worth and Use of Inductive Techniques and Respondent Validation . Bloor , M. does freelance work on the weekends . neutral +And then you thought you would get more money by coming to London , I suppose ? You believed that by coming to London you would be able to attain more financial means and better contacts . neutral +In six states , the federal investment represents almost the entire contribution for providing civil legal services to low-income individuals . There aren 't many states where the federal investment is practically the whole contribution for paying for civil legal services to low-income individuals . neutral +I seek your assistance in resolving this matter in a timely manner . I can do this alone . contradictory +'I 'm having a bit of a rough month . This month has been absolutely fantastic ! contradictory +Her eyes were calm . Her eyes looked terrififed . contradictory +yeah i watch Mystery too um is is that what you 're referring to okay yeah that is good i like uh do you read I was never really into Mysteries whether it 's watching it on TV or reading a book about them . contradictory +The Office of Program Performance ( OPP ) staff have assisted LSC grantees and state justice communities with this change process in a number of ways , including the provision of significant technical assistance to help with planning and implementation . The technical assistance provided by the Office of Program Performance has been a great help in state justice . neutral +Besides earrings , brooches , necklaces , and bracelets , you will find plaques and filigree jewelry , perfume bottles , snuff boxes ( originally designed for betel nuts ) , belt buckles , caskets , lacquered trays , and magnificent bowls . You 'll find plenty of other trinkets alongside the jewellery . entailment +yeah that 's what i did with the Mazda drive it till the till the clutch went out and the wheels fell off so probably what i 'll do again I 'll do the same thing again so I get my money 's worth . neutral +The latter is a special state treasury account created at the high court 's request and allowed for under legislation enacted earlier this year . The special state treasury was kept a secret . neutral +'You 're smarter than me , ' I pointed out . He was dumber than me . contradictory +The motion set sick waves of nausea running through him , but he could see the doctor kneeling on the floor in some sort of pantomime . He felt motion sickness while witnessing the doctor kneeling down on the floor . entailment +The building on the site dates from 1591 and served as a council chamber and courthouse for the town in addition to collecting tolls . The building , which dates from 1800 , never served as a courthouse . contradictory +the short of it is my weakest part My weakest point is the short part . entailment +It will revive you . It will rejuvenate you . entailment +You can walk south along the narrow alleyway cutting the Al-Ghuri complex to reach Bab Zuweila Gate , once the lower entrance to the city . The Bab Zuweila Gate is where the poor proletariat once gathered to plot against the wealthy bourgeois . neutral +We ramped up LSC 's profile by visiting programs and participating in local meetings and national conferences to relay our message , hear reactions and improve relationships . LSC had a bad public relations scandal before taking these steps to improve relations . neutral +San 'doro stood . San 'doro rose . entailment +What 's Versace Ken ? Ken owned a lot of pieces by Versace . neutral +A message , which could be deciphered by a forward ( yes , forward , not backward ) zero-one code : copy-paste . A message was a love letter . contradictory +Chances are that if you know she 's running around , it 's likely your brother does , too . Your brother probably is privy to her running around if you are . entailment +I guess I was just a mite hasty , but I 've been feeling bad about this money question . I 'm not sure about how much this will cost . neutral +In the event that the Administrator is unable , for any reason , to promulgate allocation regulations on a timely basis , Section 424 provides a default method for distributing the allowances , without promulgation of regulations , in advance of the year for which the allowances are necessary so that owners and operators can plan for compliance . Section 424 does not provide any methods for distribution . contradictory +'I didn 't see many of your people about , ' I said to White . I told Mr. White that I only saw three of his people walking around the stadium . neutral +I closed in on him and we wrestled for his scattershot . I wrestled him for his scattershot . entailment +We continue to ask whether agencies are spending their technology dollars on the right things . They are not asking any questions . contradictory +There are two facts of significance . " We still don 't have any facts . contradictory +It wasn 't all warfare the Indians taught the settlers fishing and weaving techniques still in use today . The Indians taught the settlers to hunt . contradictory +Jon stood , taking a last look at Susan , and left . Susan cried as he walked away . neutral +In contrast , physicians or nurses in a variety of primary care settings have delivered brief alcohol-focused interventions . A nurse would never consider getting into a patient 's business . contradictory +Schools Serving Rural Areas . The schools are serving rural areas . entailment +eight nine yeah a lot of it got zapped and it 's it 's slow coming back like our landlord didn 't really replant any last year a lot of front lawn look looks pretty bad I 've asked our landlord to replant this year . neutral +Its interior chamber was found to contain a red granite sarcophagus . Granite sarcophagi can never be found within interior chambers . contradictory +At most seaside resorts like the Venice Lido or Sardinia 's Costa Smeralda , expect to pay for umbrellas , deck chairs , and the use of changing cabins . Some seaside resorts have free umbrellas . neutral +Ca 'daan 's eyes fell to the small man , Stark . Ca 'daan was looking to see if the small man had a weapon . neutral +right i 'm only twenty one I 'm still relatively young . entailment +The main entrance is through an inverted glass pyramid designed by American architect I.M. The inverted glass pyramid at the entrance is designed by an American architect . entailment +It 's in Hong Kong 's oldest colonial building , with exhibits describing the history of tea from the Warring States period ( 475 221 b.c. ) to the present . There are exhibits describing the history of tea in Hong Kong 's oldest building . entailment +oh yeah it 's amazing how vegetables trays will go at a party Vegetable trays are a favorite at parties . neutral +Assessments of reliability should be made in the broader context of the particular characteristics of the engagement and the risk associated with the possibility of using data of insufficient reliability . There is no way to determine the reliability of a system . contradictory +How should ED interventions be linked to the primary care and public health systems ? Interventions need a support system neutral +Looking at the matter psychologically , I drew one deduction which I was convinced was correct . Taking a psychological angle to the matter , I made a deduction . entailment +Of course , everyone would have to agree on standard ways to do this , and if everyone agreed , for-profit search sites like Yahoo ! Everyone would have to agree on a few different approaches . contradictory +At that moment I made the decision that I am running this campaign . I decided to run the campaign . entailment +But it won 't do this because of some ancestral memory in the genes . It may do this under very specific circumstances . neutral +As discussed above , both sections impose specific procedural requirements applicable to the rulemaking at issue here . Only one section imposes specific procedural requirements . contradictory +and uh but if you know if you start You understand if you start . entailment +War would strike , blood would flow , many hundreds , even thousands of people would die , and the city would be cut back to the small town once again . The city was prepared to handle the damages . neutral +Yes , conceded Pickering , but only because nationalism is endemic in both of those countries . Pickering disliked nationalism . neutral +Her skin was pale and clammy to Jon 's touch . Jon touched her skin . entailment +Journal of the American Medical Association . The American Medical Association Journal concerns medicine . entailment +Outside the resorts , it can be hard to pin down what 's going on where , but informal musical performances are ubiquitous . It can be hard to understand who is playing where outside of the resorts . entailment +The rule is not covered in the judicial review provisions recently added to the Regulatory Flexibility Act by the Small Business Regulatory Enforcement Act of 1996 ( Pub . The judicial review provisions cover the rule . contradictory +Karenga , Kwanzaa 's creator , has also written two books on the celebration , Origin , Concepts , Practice and The African American Celebration of A Celebration of Family , Community and Culture . And Anna Day Wilde describes how the holiday gained popularity in Mainstreaming Kwanzaa , in Public Interest , No . Karenga created the holiday of Kwanzaa . entailment +Chatterbox will grant that some of this crude psychology may be at work . Chatterbox admits that crude psychology may be at work here . entailment +Shopping never ends there 's always another inviting spot just down the street . The shops all sell different things to entice buyers . neutral +sure uh-huh yes that 's absolutely true uh have you done have you done much repair work yourself other other than just routine maintenance like oil changes and stuff You 've done a lot of repair work by yourself . contradictory +And she is on the side of Justice ! She was a criminal through and through . contradictory +The IRFA explained that it defined small business as any firm having 10-49 employees rather than the under 500 employee criteria used by the SBA . Instead of the SBA 's under five hundred employee criteria for small business classification , the IRFA states that a small business is one with 10-49 employees . entailment +cleaner ways of burning coal and people in the south would say don 't burn coal you know Some people would tell you to not use fossil fuels . entailment +but uh and you know i 'm i 'm talking about the early nineteen fifties and you know tuition was six hundred dollars a year my goodness it 's eighteen thousand now College tuition in the 1950 's was thousands of dollars per year . contradictory +Five km ( three miles ) of fine sand from Pornichet to Le Pouliguen stretch in a perfect half-moon , past chic sailing and beach clubs , along an esplanade of luxury hotels with a casino at the center . Beach clubs , luxury hotels , and a casino are situated alongside three miles of fine sand . entailment +that raises questions about how thoroughly evolution explains everything , argues Bill Kristol . Evolution has questions that need to be answered . neutral +You can be fairly sure any ancient coins or artifacts are fakes . Almost all ancient coins or artifacts are fakes . entailment +I 've got an old uncle who 's more or less rolling , but he 's no good . He hates his uncle , he is a terrible cruel person . neutral +CONDITION -The physical state of an asset . We always want the asset to be in excellent condition . neutral +This is true whether the validity issue becomes apparent during initial attorney-client consultations or in the midst of litigation proceedings . This is only true when the validity issue becomes apparent during consultations or litigation proceedings . neutral +Let 's say a Baltimore County firefighter is from North County and they are injured and are in the shock trauma unit in Baltimore but a family member can 't commute from the Pennsylvania line , Wagonheim said . Firefighters are always placed in hospitals near their houses . contradictory +I 'm interested , too . The cantina owner 's drawl was as slow as ever , but it held a note of a whiplash . I 'm interested too . The cantina owner 's drawl was usually slow , but it held a note of whiplash . neutral +Among the political exiles flocking to Piedmont was a veteran of the earlier revolts , Giuseppe Garibaldi . Piedmont became a haven for political exiles , as none of their enemies dared to look for them here . neutral +yes very strong winds There are very heavy winds . entailment +that 's a big laugh we can 't even make English a a national language here in our country Here in the Netherlands , the push for making English an official language is laughable . neutral +Ceteris paribus , the more skewed the incumbent 's route profit margin distribution , the more vulnerable the post is to entry . A skewed profit margin will keep competitors out of a market . contradictory +The federal government can explore how to design tax incentives that induce households to save enough to make up for the government 's revenue loss and the lower government saving that would result . Household savings is used to pay for retirement accounts . neutral +Title 7 provisions form the basis for our positions developed in response to agencies ' requests for our views on proposed new payment systems or modifications to streamline the operations of existing systems . The agencies requested us to give them feedback . neutral +and uh i just oh i just felt for those people that especially the ones that never got visited I didn 't care about the people who never got visited . contradictory +Generally accepted government accounting standards specifically recognize weapons systems and space exploration facilities and equipment as Federal mission PP & amp Government accounting standards that specifically recognize weapons systems as Federal mission PP & are generally accepted . entailment +I should not like to say myself . I don 't think that is my business and don 't want to talk about it . neutral +On the Via dell 'Abbondanza running east from the Forum , those are ancient , not modern graffiti you find scratched and daubed in red on the walls of the houses and shops . The red graffiti dates from the ninth century . neutral +For ongoing work--except for classified work and investigations--GAO will disclose , if asked . There is no GAO and they will never disclose . contradictory +uh-huh well um i we just recently graduated from Rice University and uh we were going through a lot of job interviews and things and some of the things that were important to me my uh when my husband was looking for his job was um hours you know we he had been in graduate school so i was used to his not being home at all so i was you know didn 't want him to have a job that My concerns in my husband 's job search were the hours . entailment +Thorn and the Kal approached . THe two men walked towards the town together . neutral +It was once regarded as the most beautiful street in Europe , a claim that is difficult to understand today since so many of the original buildings have been replaced . This used to be considered Europe 's beautiful street . entailment +Companies employed these tools on production representative prototypes , making the prototypes a key ingredient to successful outcomes . Making the prototypes was not that important before the implenetation of these tools , as everything could be fixed later on . neutral +huh well that 's uh that 's quite a savings having that talent It saves a lot of money having that talent . entailment +I will not lead bandits here . I don 't want the bandits to follow me . entailment +There is usually a cremation in progress on one of the platforms by the river , and though it seems macabre , there are always tourists shooting pictures and videos of the proceedings . Cremations usually take place on the platforms by the river . entailment +cleaner ways of burning coal and people in the south would say don 't burn coal you know People in the North have stopped using coal . neutral +Because SAWS and H-2A workers were deemed to be permanent resident aliens , they became subject to the presence requirement in the Corporation 's appropriations act . SAWS workers were not happy about being subject to requirements . neutral +But it 's just the The purpose of boxing gloves is not to cushion the head but to shield the knuckles . Boxing gloves are used to shield the knuckles - not to cushion the head . entailment +His fat serpentine strokes and lacquer-smooth planes twisted around each other , arriving at exuberant new combinations that sometimes echoed his old friend Arshile Gorky as well as Henri Matisse and Piet Mondrian , painters whose final work was similarly buoyant . He was not ever influenced by other art . contradictory +SportsCenter ( or the State of the Union speech vs. the O.J. verdict ? ) They did not have cable at home and were not able to watch the verdict or the speech . contradictory +Favored by the Ancient Egyptians as a source of turquoise , the Sinai was , until recently , famed for only one event but certainly an important one . The happening that the Sinai was famous for was an important one . entailment +If Bush had felt a need to triangulate against the cultural right , he could have joined others in repudiating Pat Buchanan for questioning the wisdom of American intervention against Nazi Germany . There was a huge group of people repudiating Pat Buchanan . neutral +Under water Submerged . entailment +how did they end up this year did they did they make it to the play-offs at all I started following the team but by the end of the season wasn 't paying any attention . neutral +Agencies engaged in major transformation efforts , like the FBI , the Internal Revenue Service ( IRS ) , and the National Aeronautics and Space Administration ( NASA ) could also benefit from such an approach . At least three government agencies would benefit from a major transformation . entailment +( Rupert Murdoch recently abandoned plans for a major satellite assault on the cable market . ) Murdoch decided against going after the cable news market , investing in news papers instead . neutral +Not being an actual mobster ( to my everlasting regret ) , my assessment might be worth bupkus ( as the hysterical Silvio Dante would say ) , but The Sopranos accurately captures the desperation of today 's mobsters . The Sopranos is the most accurate depiction I 've seen of mobsters . neutral +Thorn rested the huge blade over his shoulder and walked out of the smithy . While walking out of the smithy Thorn carried the huge blade over his shoulder . entailment +The first possibility is that the number of instances will need to be fairly large in order to achieve the generalizability wanted , and , as a consequence , skill will be needed to manage data collection with sufficient flexibility to obtain the insights case studies offer and sufficient structure to permit cross-site aggregation of findings . There will be need for skilled data collectors in this study . entailment +Tudjman has putatively supported capitalism , but his idea of free enterprise is to privatize industries and give them to his friends . Tudjman would say that capitalism is a good thing , or at least the type of capitalism that enriches his class . neutral +After the walk across the open park , it was pleasant to saunter lazily through the cool glades . Following the stroll along the park , we roamed into the cool glades . entailment +oh uh-huh oh i don 't even have get time to read the newspaper except in passing I can make time to read the newspaper occasionally . neutral +As defined in this standard , annual investment includes more than the annual expenditure reported by character class for budget execution . The annual expenditure reported by class is the largest part of annual investment . neutral +um-hum you see this is this is tornado weather boy people don 't know it but when it gets hot like this This is the type of weather for a tornado . entailment +It also conceals a Gothic masterpiece , the Sainte-Chapelle . It has a masterpiece , the Sainte-Chapelle , that no one is allowed to see . neutral +My poor friend ! My fortunate and blessed friend . contradictory +oops how old is she oh How old is she ? Oops . entailment +Thus the Ku Klux Klan wore the vestments of the Catholics they despised , and the John Birch Society organized itself in secret cells and front groups modeled on the Communist foe . They despised Catholics , but despite that , they wore their vestments , beacuse it served as a cover . neutral +okay so we 're in Garland We finally arrived in Garland by plane . neutral +I know of the battle that took place here . No one had ever fought at this spot before . contradictory +yeah it 's it 's i i i find it very strange um more people you know real Met fans don 't like the Yankees and real Yankee fans don 't like the Mets for some reason I think it 's weird that Mets fans don 't like the Yankees . entailment +they look like they 've got yeah no no it 's not like a no It looks like they have short hair , not like a mullet . neutral +did i reach the Dallas area Was I connected to the Dallas location ? entailment +Third , the Commission proposed to amend a Commission rule regarding packaging to clarify that the type of hearing aid compatibility referred to is electro-magnetic coil compatibility . The Commission proposed to change a commission rule about medical device compatibility . neutral +And that 's all . ' That is all for today . neutral +so well have a good day and i appreciate the conversation I do not like conversing with you . contradictory +The walls were twenty-five inches thick , and mounted on the roof of the stable , facing the hills from which Apache attacks usually came , was a small brass cannon Don Cazar 's legacy from troops marching away in ' 61 . Don Cazar owned a brass cannon . entailment +Tuppence 's hostel was situated in what was charitably called Southern Belgravia . Tuppence 's hostel was in the Atlantic Ocean . contradictory +He says that they do their congressional work during the day and do media in the evening . He says that they are doing congressional work while the media does it in the evening . entailment +The eternal feminine , the Huns call it , I 've heard . I 've heard that the Huns call it the eternal feminine . entailment +Before you can dive underwater you need a licence from the CRIS ( Centro de Recuperaci ? ? n y Investigaciones Submarinas Underwater Recovery and Research Centre ) . It 's illegal to dive there without a licence from the CRIS . entailment +she 'll eventually i mean mine you know i have five males and two females everybody 's spayed everybody 's neutered and we still have a scrap every now and then nothing real bad you know a slap here and there but um they put up with each other and they will eventually her nose will be out of joint for a while and she 'll hiss and growl and slap every now and then but they 'll she 'll finally accept it you know they really don 't have any choice in my in my household we have a little bit of uh a fight for who 's boss mean a male cats are are real you know real territorial and so that 's the big battle here the cats are territorial because they want to be the boss neutral +Lucky I didn 't roll in . It was very fortunate that I rolled in . contradictory +They are obtained the following The information system allows the description of each area with geographic characteristics ( population , number of stops , number of delivery points , surface , length of streets or roads ) and traffic . The information system allows the description of each area with geographic characteristics and traffic . entailment +She was about to run out of means to pay back those loans when she took a job at the Inner City Law Center in Los Angeles , a firm that fights slum landlords . The firm is the largest of its kind in the LA area . neutral +As you approach it , you can see that this flat-topped mountain stands apart from its neighbors , making it virtually impregnable . The mountain is virtually impregnable . neutral +yeah or sometimes they don 't like either of the choices Neither choice is one that the people like . entailment +Collaboration with rigorous methodologists is important , but those collaborations have to focus on what can be accomplished specifically in the ED setting . These collaborations don 't have to focus on what can be accomplished in the ED setting . contradictory +When providing an opinion on financial statements , auditors should include in their report on the financial statements either a ( 1 ) description of the scope of the auditors ' testing of compliance with laws and regulations and internal control over financial reporting and the results of those tests or an opinion , if sufficient work was performed ; or ( 2 ) reference to the separate report ( s ) containing that information . The auditors need not include the scope of testing ever . contradictory +The tricky question is what are the core values that really define you and what are the fringe issues on which differences are not crucial . There are two tricky questions , one of which is what are the fringe issues on which differences are not crucial . entailment +A wide pedestrian shopping street , Rua Augusta , leads from the Praaa do Comercio through a stately arch to the central square of Lisbon , Praaa Dom Pedro IV , better known as the Rossio ( the Common ) . Rua Augusta is a wide shopping street . entailment +Crosethe busy road at the bottom of Canongate to enter the Holyrood area , Edinburgh 's current royal quarter . The Holyrood area is where Edinburgh 's royalty operate . entailment +When agency officials need to be contacted for information that was not previously obtained or was not part of a previous review , GAO will notify the agency-designated central liaison , generally by telephone or e-mail message . GAO can notify the parents of a naughty child neutral +All of the agency 's clients are poor , and many are elderly or disabled , he said . Only 1 % of the company 's clients are considered wealthy . neutral +It was sinking slowly into the earth , lying in a great fused hole . In the blink of an eye , it had completely sunk into the earth . contradictory +golly that 's terrible isn 't it Wow , that 's so great ! contradictory +Many policies are implemented and , to some extent , enforced by technical controls , such as logical access controls that prevent individuals from reading or altering data in an unauthorized manner . Logical access controls are one type of technical control . entailment +In 1501 he had plans drawn up , which his son James V expanded after his death in 1513 . James V forgot about his father 's plans , and they fell into obscurity . contradictory +i don 't know i type up the tapes of what people talked about Yes , I know exactly what you are talking about . contradictory +In Sections 165 and 169 , the Act places particular value on protecting visibility in 156 national parks and wilderness areas ( e.g. Several of these parks are also bird sanctuaries . neutral +If you want to spend some time independently of your children , most large hotels have good akids ' clubs ' where the days are filled with fun activities . None of the big hotels offer babysitting services . contradictory +Did Danvers give you the papers ? " Did you get the papers from the breeder ? neutral +In the 19th century it was a favorite haunt of Coleridge and other English Romantics . The English Romantics prefer another place now . neutral +Failing a real hardwood blowpipe , you can buy the handsome quiver of stout rattan-bound bamboo with the poison darts ( minus the poison ) , both authentic , and a shorter pipe of bamboo that does a perfectly serviceable job of blowing darts into your cork dartboard at home . Criminals frequently buy dart blowers made of bamboo . neutral +uh i don 't know i 'm not a real uh great football follower i guess there are two basic teams that i seem to follow every year one is the Dallas Cowboys and the other is the Oklahoma Sooners every year i follow the Dallas Cowboys and the Oklahoma Sooners entailment +Auditors should , however , follow the report distribution standard . Auditors should use the report distribution standard . entailment +The capital of Bihar serves as a base for visits to the sanctuaries of Bodh Gaya , Rajgir , and Nalanda , but its bazaars , first-class sculpture museum , a major Sikh temple , and the views of the Ganga river make it worth at least a day of your time . At the bazaars , you can purchase all kinds of fabrics , foods , and jewelry . neutral +i 'll just hang on to it while it 's still being a good car and while i 'm not tired of it and while i 'm single and can handle a two seater for now and get that out of my system I will keep driving it while I 'm still not married . entailment +i think that was better than like Showbiz Pizza because there 's more for them to do They found this place to be more amusing anyways . neutral +( For more on Byron , visit this site which includes a portrait gallery and links to other poets ' sites . ) Byron is one of the best poets linked to on the site . neutral +You are still , said Tuppence with admiration . Tuppence observed that she is still . entailment +The front of the train broke free of its burden- cockpit speeding off with me inside . The train could not travel any further after the part broke off . neutral +'You at least have a gentleman 's honour . ' I hoped . You do not have any honor and I am disappointed in you . contradictory +What is it , mon ami ? What is the matter ? entailment +The CV-based estimates of VSL collectively may better represent the population affected by pollution than the labor market studies . The CV-based estimates of VSL are used to represent the population that pollution effects . entailment +Next time anybody lays his dirty hands on me , he 's gonna know he 's had him trouble , all right ! " Anyone who touches me will get into trouble . entailment +Second , the companies captured design and manufacturing knowledge before the two critical decision points in product when the design was demonstrated to be stable-the second knowledge point-and when the product was demonstrated to be producible at an affordable cost-the third knowledge point . The product was shown to be a failure and not affordable . contradictory +During his stint as governor of the island , Zarco is believed to have lived a short distance up Caleda do Pico , in the Quinta das Cruzes . The governor of the island is a mostly symbolic roll . neutral +Upstairs is an exhibit on the history of banking and the short-lived Irish Parliament . The exhibit on the history of banking and te short-lived Irish Parliament are downstairs . contradictory +Contribution limits don 't stop you from associating publicly or privately with a candidate or cause , working for the campaign , or even signifying your association by donating money . Candidates depend on donations , for their campaigns to be successful . neutral +Legal Aid 's 450 displaced attorneys and staffers have spent the past 12 months spread among previously unused spaces-some unused for good reason-in the nonprofit 's other offices . There are roughly 200 Legal Aid staff members and lawyers who have been displaced . contradictory +The princess of Macaonaco ! Jolanta shouted , and for the next three days she felt as wonderful as the princess with the most beautiful nose in the world . Jolanta yelled out loud . entailment +Garn , said Number 14 unexpectedly . Number 17 was excited to be reunited with Number 38 . contradictory +okay you have a good day bye-bye Alright , have a great day , bye . entailment +The State of Israel was declared during this difficult time . The State of Israel and the UK were declared during this challenging time . neutral +To further underscore accountability issues , the PBO 's Chief Operating Officer is to annually prepare and submit to Congress , through the Secretary , a report on the performance of the PBO . Performance reports must be at least twelve pages in length . neutral +it wasn 't ours I am definitely certain that that item is not ours . entailment +After a band of guerrillas captured ex-Cambodian dictator Pol Pot one month ago , many Cambodians began demanding that he be tried for the murder of the millions killed by his regime . Pol Pot was a Cambondian dictator . entailment +A mule head , attached to a rangy mule body , weaved forward to follow dog-at-heel fashion behind the scout . The mule was owned by the scout . neutral +The telepathy flows on this much-awaited meeting . This is expected to be an unsuccessful meeting . contradictory +I , said the spider , who sat down insider , I went boomp in the night and the bull jumped over the moon .... The spider went boomp in the night . entailment +right we don 't well yeah we definitely have lost the Judeo-Christian ethic of the judicial system for sure but the base the base is still there the foundation is still there though but of the system but i know what you 're saying uh but also they 're under a law because we haven 't been removed from the law we 've just been taken out from under under a law because under the law if your child mocked back talked you he would be stoned Our judicial system has some remnants of Judeo-Christian ethics . entailment +The amount of the payment reflects the difference between ( a ) the benefits that the OASDHI trust funds would have paid to railroad workers and their families if railroad employment had been covered by OASDHI and ( b ) the payroll taxes that the OASDHI trust funds would have received if railroad employment had been covered by OASDHI . The payment amount does not reflect any differences . contradictory +Little presents . Small gifts . entailment +Clinton is said to be concerned with shaping a historical legacy , but as may be noted from his failed medical care program , his unpopular anti-Iraq saber rattling , and his largely ignored dialogue on race , the care of business is pretty much all that 's wanted of Clinton , too . Clinton is not worried about what history will say about him . contradictory +It recommends adding to the access fund , increasing both the number of pro bono hours and financial contributions from attorneys , improved assistance for unrepresented litigants and access to an attorney for those who require one , and development of a statewide plan to distribute legal services more evenly throughout the state to insure that the rural population also is served . Increasing pro bono hours would greatly benefit unrepresented litigants . neutral +How did you come to look for it ? What made you search for it ? entailment +( Frank is hardly the first to note that the tastes of a hip bohemian elite have spread to the masses , or to argue that the results of this cultural migration are deleterious . Frank has not noticed anything with the bohemian elite . contradictory +It is not like courage or honesty . It is a clear act of courage , and of honesty . contradictory +There is no net inflow of resources . There isn 't a net flow inflow of resources . entailment +This counseling is provided by a private job placement service under contract . This counseling is provided by a private job placement service . entailment +Santa Monica , Venice , Long Beach , and the various South Bay beaches as well as those in Orange County have paved paths for cycling , roller skating , jogging , and walking , with equipment rental nearby . Beaches in Orange County also have tables for picnics . neutral +He was obviously more intelligent than most , and better at conserving himself . He was one of the least intelligent in the group . contradictory +Our Today 's Papers column will be posted Friday ( but not Thanksgiving Day ) . The Today 's Papers column will be posted every Monday . contradictory +Jet skis have become increasingly popular and can be rented in the above towns as well as in Malibu . In Malibu and the above towns , jet skis , which have become increasingly popular , can be rented . entailment +Were there interpretation differences ? Where there differences in the language interpretation ? neutral +The Bolshevists are behind the Labour unrest but this man is BEHIND THE BOLSHEVISTS . The Bolshevists have nothing to do with the unrest . contradictory +Most folks have a pretty clear idea of how much pleasure they 'll get from their brother 's smiles or a few days of sand and surf . Most people can imagine the amount of joy they will show from a brother 's grin . entailment +You travel past the vast palm oil and rubber plantations to the state capital of Seremban , 64 km ( 40 miles ) southwest of KL . The state capital of Seremban is 50 miles Northwest of KL . contradictory +As it happens , the meeting was a breakfast , not a lunch . The attendees had a Moroccan breakfast during the meeting . neutral +It was , says the Washington Post ' s Lloyd Rose , the same old people wearing dresses of varying embarrassment and crying and hugging and saying they loved each other . Rose believes that the entire event is cliche and fake . neutral +For example , some households live paycheck-to-paycheck and might spend all of a tax cut , whereas other households might spend only a portion ; a Ricardian household might save all of a tax cut in anticipation of future tax increases . Poorer households might spend all of a tax cut . entailment +We summarize these adjusted values in Exhibit 11 . The values are showcased in Exhibit 12 . contradictory +that is what ' Use the Force ' is . This is not what Use The Force is about . contradictory +The obvious answer was that he was in a normal hospital , somehow still alive , being patched up . An obvious answer would be that he was still alive and in the hospital . entailment +A few people sat around a slime green table playing poker . People were playing Texas Holdem . neutral +The marginal cost of carbon reductions range from $ 46 to $ 138 / metric ton through 2015 with each scenario showing successively smaller costs as technology characteristics improve and more energy-efficient and / or low carbon technologies penetrate the market . The improvement of technology characteristics appear to have contributed to the increasingly smaller costs associated with carbon reductions . entailment +The Sanhedrin , the great court of scholars and rabbis , also met here , and Tiberias became one of Israel 's four holy Jewish cities , along with Jerusalem , Hebron , and Safed . The Sanhedrin consisted of fourteen individuals , each the head of their clan or tribe . neutral +Although he strongly disagreed with the welfare reform bill , he didn 't battle hard to prevent Clinton from signing it . He strongly disagreed with the welfare reform bill . entailment +from a from a long time ago so it 's good to it 's good to see the Bills doing so well now and It has been a longtime . neutral +The referral in SBIR could include both meanings . SBIR 's referral could encompass two meanings . entailment +um the problem is have you have you tried matching paint lately Do you do much paint matching ? neutral +oh yeah she she was wanting Yes , she was wanting . entailment +There 's a small hole , high up in the wall . The wall is solid , there are no holes in it . contradictory +Tell me ” you see now that he must not be arrested ? " You see that you shouldn 't be arrested ? : entailment +Galloping tuition payments have reduced the pool of applicants for legal aid and other public service jobs , Asher said . Public service jobs pay well . neutral +In good weather , hikers are drawn to its remote and barren character . Hikers are drawn to its remote character in good weather . entailment +bad news unless you can find a really good one and those are rare but there are some good ones and there are some bad ones i mean Good ones are rare . entailment +This is a fragment of a will ! This is a piece of a will ! entailment +Integrity also requires auditors to observe the principles of objectivity and independence . Auditors have to observe the objectivity of an accounting system . neutral +practices by considering the scope of various types of audits and There are various types of audits . entailment +Contracts Under the Indian Self-Determination and Education Assistance Act There are education contracts signed under the Indian Self-Determination and Education Assistance Act . neutral +As companies are accountable to shareholders , the federal government is accountable to taxpayers , and taxpayers are demanding as never before that the dollars they invest in their government be managed and spent responsibly . The federal government does not need to account to any taxpayers . contradictory +Now , to pass to another subject , had your mistress a dark green dress in her wardrobe ? " Dorcas was rather startled by the unexpected question . Dorcas couldn 't figure out why they would care about her mistress ' clothes . neutral +Raves give way to pans for the musical Triumph of Love . The reviews for Triumph of Love have been consistently excellent . contradictory +Possibly , Bakaly meant to give the impression that Starr has a good hand without formally stating anything , but more likely it was an unintentional snafu . It was possible that Bakaly meant to give Starr a good impression but no one can be sure of this . neutral +His voice was toneless . His voice was full of joy . contradictory +Farther up on the right is one of Dublin 's legendary hotels , the Gresham Hotel which was built in 1817 , seven years before the Shelbourne . Dublin has a legendary hotel called The Gresham . entailment +How do you advertise ? We don 't do any advertisements . contradictory +The idea that Italy and Greece object to ground troops and therefore we shouldn 't do what is necessary to win this war , is , in my view , ridiculous , protested Bill Kristol on This Week . But what 's the definition of winning ? The definition of winning is getting what you want and overcoming your obstacles . neutral +LSC 's ultimate goal in this regard is to help grantees create state communities of justice - integrated and coordinated legal services delivery systems which LSC 's ultimate goal is forecasted to be completed by 2020 . neutral +Tommy 's making tracks for the Argentine . The Argentine wants tracks that Tommy is making . entailment +This partnering took place at the senior executive level and contributed to the success of the federal Y2K effort . The partnering took place at the level of mid-level management for the most part . contradictory +Encryption is OK because its authority is created in my very own machine . Since my personal computer holds the authority for encryption , it is OK . entailment +You 'll find maps , leaflets , and other useful information there ; you can also arrange accommodation and book tours , theater tickets , and other entertainment . Tickets to the circus can be bought there . neutral +The interior is vast and inspiring , flooded with light from the 16th-century stained-glass windows . The building is a church neutral +all the people that i know that do back packing usually go up to Colorado or go up somewhere and you know get away from the state to actually do that kind of uh camping The people I know really enjoy going camping out of state once in a while . neutral +I think so , Coronel , Drew returned shortly . I believe so Drew said . entailment +He hasn 't swung a single blow . The man had not yet swung a blow . entailment +The difference of 15 . A difference of 10 and 5 . contradictory +A quarter century ago , Cooper sold the same kind of horror show to his teen fans as Manson does a gender-bending female name , pancake makeup , raucous music , an onstage guillotine , and preposterous gross-out legends . Cooper gave a horror show for his teen fans . entailment +The editors Slate is here for the duration . The slate is good to be here neutral +Tuppence looked round to see what had startled her . Tuppence was startled . entailment +Sometimes you get what you pay for . You can never get what you pay for . contradictory +The Singapore naval base was left empty . The Singapore naval base swarmed with infantrymen . contradictory +He took a first-class single ticket to Bournemouth , Tommy did 52 the same . Tommy and the other person were happy to go to Bournemouth . neutral +Meatballs of minced lamb , usually served with a tomato sauce , are called kofte . Kofte is a dish of lamb meatballs in a tomato sauce . entailment +it 's real pretty i went rock climbing one time I 've been rock climbing one time . entailment +yeah uh-huh uh-huh to go to follow uh-huh Don 't follow . contradictory +The final analysis discusses the FDA 's decision not to exempt small entities from the rule because an exemption for small retailers would shift underage sales to those locations , lessening or eliminating the effectiveness and benefits of the access restrictions . The analysis showed that the FDA was not willing to exempt small entities . entailment +uh i live in the uh Washington DC area Rockville Maryland I live in Rockville Maryland in Washington DC entailment +They concluded it was caused by the driver 's loss of control . The driver 's loss of control was irrelevant . contradictory +Lewis advised Bond to stay at home in Atlanta , build a political machine , and run for Congress . Lewis didn 't advise Bond to do or not do anything . contradictory +The groves of bamboo also created places where slaves would congregate without being seen by their colonial masters . The colonial masters would beat their slaves if they found out that they were gathering . neutral +Whether this is Jesus 's burial place or not , the tomb is relatively unspoiled compared to the one in the Church of the Holy Sepulcher . The tomb here was Jesus 's church . contradictory +In making him a pariah , the world is legitimizing men who are almost as awful . The world portrays these men as wonderful . contradictory +well yeah well unfortunately i just had replaced the the power antenna uh you know it kind of dumb having the garage door i drove out before the door was completely up and the radio was on so it took off the antenna The first antenna came off in a car wash . contradictory +He dramatizes right up to the point where a dramatist would be expected to provide some insight--and then , hey , he 's a documentarian . He focuses on being a documentarian to the exclusion of any dramatization . contradictory +Now he ain 't no patient man ; he 's th ' kind as uses his hooks hard when he 's ridin ' . He was a very patient man . contradictory +Ca 'daan , still tied and twisted under the horse , could no nothing . Ca 'daan was helpless . entailment +Entering another person 's memory with your words , perhaps a person quite different from yourself , is in certain ways more glorious than any prize or title . People never remember what you say . contradictory +I tell you , I 've had about enough for one day , said the Kal . The Kal had hit his limit . entailment +but you can do all those sorts of things on the Amiga The Amiga comes filled with software that allows the user to do a lot of these things . neutral +He had to sign letters and open gifts from various companies hoping to win favors . He was trying to get hired at those companies . neutral +no in fact in fact the Cowboys got the best end of that deal The Cowboys benefited from the deal . entailment +The combined effect of the R & amp ; D and program expenditures , together with other policies described in the CEF report , implies a steady reduction in total energy requirements over the period 2000 through 2020 . Research and expenses led us to assume a steady increase in energy needs . contradictory +Locals shrug and suggest that the shoreline 's topography must have changed in the 500 years since Columbus . Locals suggest that the shoreline looks just as it did when Columbus arrived . contradictory +This branch of the National Museum of Ireland , opened in 1997 , contains the museum 's collection of decorative arts . The National Museum of Ireland doesn 't have any branches . contradictory +Because I--wadda ya call it--love you . I might love you and I might not . neutral +This Statement establishes standards for reporting on the Federal Government 's stewardship over 1 ) certain resources entrusted to it , identified as stewardship property , plant , and equipment and stewardship investments , and 2 ) certain responsibilities assumed by it , identified as the current service assessment . The Federal Government has rendered this Statement null and void for all intents and purposes . contradictory +There 's nothing to worry about in this best-of-all-possible- You should not be concerned . entailment +Back toward the river , and just west of the Praaa do Comercio is Lapa , an elegant residential neighborhood . The residential neighborhood is situated far from others . neutral +Ever since 1957 the Canton Trade Fair ( officially the Chinese Export Commodities Fair ) has attracted throngs of international business people every spring and autumn . The Canton Trade Fair primarily deals in exports from China . neutral +Yellowstone Yellowstone is just too crowded though it 's not a lot of fun with a whole bunch of people around and these stupid bears i mean they 're almost tame they come up begging for hand outs you know course i 'm I got banned from Yellowstone for feeding the bears . contradictory +So I fled south where the meager money of a small noble house couldn 't afford to kill me no matter what I did to their son and daughter . When I arrived in the south , I hid out in the old farmhouse on the end of 17th Street for a few weeks . neutral +For all there is to do and see in Las Vegas , one may wonder if there is a nightlife at all outside of the obvious . Many travelers suffer from nightlife fatigue after a point . neutral +The holder in due course must have met the legal requirements of presentation and delivery of the instrument to the maker of a note or acceptor of a draft and must have found that this legal entity has refused to pay for or defaulted in payment of the instrument . The holder has many required steps to prove that the acceptor has refused to make payment . neutral +We have food and shelter to fill your belly and warm the cold nights . We can keep people warm and fed . entailment +My own father died less than a year after I was born My dad passed away early in my life . entailment +If progress is not made If progress does not continue moving forward unabated . neutral +Only you 're not sure ? Drew persisted . " So you know everything after all ? " Drew said . contradictory +This may lengthen the installation time slightly , but it will reduce crane rental fees . This will always reduce the installation time . contradictory +He seemed to be fully engrossed in a computer game illegally loaded as an additional application for the passenger orbital ferry autopilot system and needed a while to come back to reality . Coming back to reality was a sad experience for him , the game world was just so much better . neutral +chop them up huh It 's recommended that you chop them up . neutral +Taylor asks . Taylor had a statement . contradictory +well then let 's let 's answer the second half of the question what limits ought to be put on it do you think Let 's move on to the third part of the question . contradictory +but every Friday night they 'll go home you know straight from work and they 'll pack up and you know and then they 'll leave and i 'm just going you know by Friday night i just want to crash you know and i want to go home and you know do all that and then uh get out on the road to boot so Come Friday I 'm very tired , but they want to pack their things and head out . entailment +yeah where it got just real real cold It was very hot there , you know ? contradictory +The General Accounting Office ( GAO ) and offices of inspectors general have consistently identified problems with information technology acquisitions . Information technology acquisitions have always been conducted flawlessly . contradictory +Kimberly is worried that her husband , who had a stroke in 1985 , will be found dead of a heart attack while in bed with one of those bimbos , the Globe claims . Kimberly 's husband has never had an affair before this . neutral +So says my TV . So says my kettle . contradictory +He would call evidence to show who did destroy the will , and it was possible that that might open up quite a new view of the case . There was no evidence to show who destroyed the will . contradictory +on the recognition that aliens in some of the proposed categories would not possess residence in the United States under the meaning of the INA ( for example , parolees and Cuban / Haitian entrants ) . There are proposed categories in which aliens would not have residence . entailment +Good , Julius . Excellent , Julius . entailment +Shot Will Bachus when he stood up to ' em , an ' made it all legal ' cause they had a tin-horn deputy ridin ' with ' em . Will Bachus was always a brave man . neutral +A moment later his impression was proved correct . His belief was validated soon after and he was let in the door . neutral +Spinal cords , skeletons and the occasional beating heart . Some of the hearts are beating . entailment +I always said he 'd murder her in her bed , poor soul . I always assumed he 'd killed her in her bed , poor thing . entailment +The Pearl of Limousin consists of an impressive collection of slate-roofed turrets and towers rising high above the V ? ? zyre river . The turrets and towers of the Pearl of Limousin rise high above the Vezyre river . entailment +i know i know it 's true I have been told that 's true . neutral +But there 's more about Colorado you might not know . There 's more about Colorado you may not know . entailment +He remembers being surprised when Toobin suggested they write the book together . He was really happy to be a part of Toobin 's next book . neutral +Meanwhile on the Iberian peninsula , Rome was leaving a decisive imprint on the area 's language , culture , and government , and particularly in its engineering genius in the construction of roads , aqueducts , and monuments . Rome had no cultural force on the Iberian peninsula . contradictory +But you know--I almost hate to say this-- " I wish I could say something else . neutral +I used to be a stooge for Sather Karf , before I got sick of it . I was a stooge , and then I learned better . entailment +The term noncompliance comprises illegal acts ( violations of laws and regulations ) and violations of provisions of contracts or grant agreements . Noncompliance is subject to arrest and charges . neutral +The disclosures can be used to ferret out wrongdoing and conflicts of interest . Conflicts of interest can be revealed in the disclosures . entailment +_ That _ face in the mirror wasn 't it ! The mirror was blank . contradictory +They shrank from the starvation and misery a general strike would entail , and were willing to meet the Government half-way . They wanted to meet the Government half-way to avoid starvation and misery . entailment +Inland from both Gosier and Sainte-Anne is a peaceful region of green hills , or mornes , as they 're known in the West Indies . The West Indies have their own names for objects . neutral +it 's it 's religious based and uh you know by by self-proclamation this is a holy war and it is right and then uh we we go on from there It 's based on your religion . entailment +Additionally , most proffer sessions involve what is known as a queen for a day agreement , under which both sides agree that information discussed at such a session will not be admissible against the defendant at a trial . Most proffer sessions handle what information can be used in a criminal case . neutral +As far as White was aware , the plan was this : This was the plan , in White 's perception . entailment +What disturbed Jon most of all was the saber Vrenna had buried in the scout 's chest , pinning him to the ancient gnarled tree and the fact that the man seemed very angry about it . He could careless what the woman was doing . contradictory +It was not necessary to allow for all theoretical courses , but only for the normal orbits . Theoretical courses on the normal orbits of planets were favored by far . neutral +Teodoro picks it up , and we follow . Following Teodoro seems like a good idea , he knows better . neutral +The huge blades rang as they crashed together . Everyone help their ears when the huge blades crashed together and made a big racket . neutral +As Istanbul it was the seat of the Ottoman sultans , rulers of a 500-year Islamic empire that stretched from the Black Sea and the Balkans to Arabia and Algeria . The Ottoman empire established a 200-year rule over a comparably small territory . contradictory +The bald , pointy-eared vampire in Nosferatu is barely ambulatory , in fact . The limping vampire has curly hair . contradictory +You can also take a boat out on the lake or walk to Devin 's Fall , where a river disappears underground into a steamy hole . Despite years of research , it is still not known where the river ends up . neutral +I 'm going to get busy after those papers , but I 'll be back in two shakes of a dog 's tail , and I 'll tote you up to London and give you the time of your young life before we go back to the States ! The papers are vaccination records for the new dog . neutral +and a lot of stress too And barely any stress at all . contradictory +I have tried gently to suggest therapy . I gently suggested therapy and it was not successful . neutral +For the moment they benumbed his brain . For a bit , he felt calm and relaxed . neutral +The emission cap is defined by a benchmark emission level that is modified by the desired level ( percentage ) of reduction . The benchmark emission level is found by multiplying the prior emission cap times four . contradictory +risk areas in our 2001 Performance and Accountability Series and High-Risk Update . The 2001 Performance and Accountability series includes a risk areas . entailment +The coverage of her day in court was uniformly kind , rarely mentioning that she has lied before and changed her story now . She was known to have been very consistent in recounting her story . contradictory +The major systems and components of a wet FGD limestone reagent system Reagent Feed The major systems of a wet FGD limestone reagent system Reagent Feed entailment +They have committed an unforgivable act , but so have I. We have committed forgivable acts . contradictory +Constitution , statutes , and court decisions applicable to obtaining evidence in criminal and civil cases . Lawyers think court decisions are really important in criminal cases . neutral +okay um how 's it been this week for you How has this week been for you ? entailment +um which is always kind of funny um and i remember my older sister i have a sister who 's sixteen years older and at the time that i was I have an older sister and a younger brother . neutral +but uh that Jimmy Johnson came in too though and he just you know when he bought the team and all and it just seemed like he just decided you know this is the way it 's going to be and it was bad When Jimmy Johnson came in and bought the team , they started doing a lot better . contradictory +there have been times that i have been bad about the credit cards and so pretty much now uh we don 't use them too much if we travel or something yeah but you know Since I was not financially responsible , I limit my use of credit to travel . entailment +One crashing bug in Outlook would reproduce only on a Gateway computer equipped with a Matrox video card . It took a specific Gateway computer , one with a Matrox video card , to reproduce a crashing bug in Outlook . entailment +okay uh but yeah i 've been doing it for probably about ten years or so I have been doing this for at least ten years . neutral +The games were held in massive hockey arenas , and fans sitting in the audience watched them on huge megatron screens , which single parts measuring 20 by 12 meters , made by the Beoning-Bell company were transported to the locations using stratospheric technology . The games were held in little soccer stadiums . contradictory +But because the Net gets clogged and packets are waylaid , the sound quality is low and interruptions are common . Complete failure to transmit any sort of sound is a rare occurrence in the event of high internet traffic . neutral +Oh , he said , " so you 're Conrad , are you ? He asked if the person 's name was Conrad . entailment +well uh uh ours is ours is through our our credit union and it 's thirteen so it 's Our credit card is issued through our credit union . neutral +For example , improved scrubber performance and the ability of some firms to switch to lower sulfur fuels under the Acid Rain Program were reasons the cost of that program were less than projected . The switch to lower sulfur fuels was not a requirement for all firms . neutral +Terrence McNally 's Tony-winning play from 1994 about eight gay men who vacation together doesn 't translate well to film , critics say . Terrence McNally 's play made a wonderful film , critics say . contradictory +In addition , this guidance discusses suggested language-appropriate under different circumstances-for reporting the results of your assessment . The results should be given in a language that is appropriate . entailment +As a consequence , EPA did not prepare the statements required by the Act . The epa submitted their statements as required . contradictory +do you have anybody that you uh have are close to that decision on or anything or i 've thought about it for myself and all and my wife my wife 's mother is uh in a retirement home she 's not in a nursing home uh I haven 't thought about doing it myself . contradictory +The specific risk analysis methodology used can vary by organization because of differences in missions and the difficulty in qualitatively and quantitatively assigning risk levels . Risk analysis helps organizations identify problems . neutral +at currently i think they are a little restrictive uh particularly for uh certain ethnic groups or from certain countries um i think we should permit uh more immigration from eastern Europe for example uh particularly the uh the Jewish uh uh people from Russia i think we could permit more of them in than we have uh permitted in the last uh several years and i think we have uh uh too much restriction on the uh on the Orientals also but of course that 's just my opinion I think we could benefit from more immigration . neutral +speech processing business and have been for a number of years so i was very much interested I don 't want to be involved as I 'm not interested . contradictory +Jay Kim , who pleaded guilty to knowingly accepting $ 230,000 in illegal foreign and corporate campaign contributions , was sentenced yesterday to a year of probation , a $ 5,000 fine and two months of home confinement , to be implemented by an electronic monitoring device . Jay Kim was sentenced to a year of probation . entailment +What the hell began Julius , but checked himself abruptly . Julius was startled and that is why he stopped his sentence . neutral +Finding accommodation in Istanbul is rarely a problem , as the city has recently seen a boom in the hotel business . It 's usually easy to find a hotel in Istanbul . entailment +right right right right well that 's all what i always felt if it if those studies were true about smokers having higher medical costs I 've never cared about smokers or medical costs , high or low . contradictory +But she will , of course , which is going to be too bad . The fallout from this will be enormous . neutral +Having already lunched heartily , Tommy contented himself with ordering a Welsh rarebit and a cup of coffee . Tommy had already eaten lunch so he just ordered a cup of coffee and a Welsh rarebit . entailment +In the case of Microsoft , Blumenthal of Connecticut appears to have won the coveted prize , managing to eclipse Iowa Attorney General Tom Miller , who is chairman of the NAAG 's antitrust committee , and New York 's Vacco , who heads the consumer committee . In regards to Microsoft , they are masters of commitees and have won many prizes entailment +At CUNY , law school administrator Sue Bryant was thinking along the same lines . Brian Stewart is CUNY 's law school administrator . contradictory +4 million cut will cause irreversible damage . Cutting four million dollars from the budget would be terrible neutral +In the First Jewish War ( a.d.66 70 ) , many thousands of Jews were massacred here , and thousands more died later in the Roman amphitheatre here in the name of entertainment . The First Jewish War took place in the 9th century AD . contradictory +The field work standard related to planning for performance audits conducted in accordance with GAGAS The field work standard is related to planning for performance audits . entailment +That 's a rough outline . The outline is rough . entailment +Recently restored to its former splendor , is now linked to a select group of famous hotels in Southeast Asia and Indo-china . It has ties to hotels . entailment +She smiled at me and it was like the sun had risen over my life . I was so upset . contradictory +It was mid-afternoon and beads of sweat fell down Jon 's brow . It was summer . neutral +In such cases , the difference should be recognized as a charge to operations in the current period . If this happens then the difference should be tallied as revenue for a future period . contradictory +An ' when our boys licked up a nest of th ' varmints why , we 'd taken us a mess o ' respectable Yank ' Irregulars , ' ' cordin ' to their story . Their story was completely fake . neutral +that 's really good It 's great that you are able to do that . neutral +Although GPEA focuses on electronic systems regarding information obtained from and provided to sources outside the government , it provides an additional impetus to agencies to seek further applications of paperless systems and use of electronic signatures . GPEA focuses on electronic systems that encourage paperwork . contradictory +Drive west along the D514 to Berniyres and Courseulles ( where the Canadians staged their Juno Beach landings , marked by monuments on the beaches ) , and then the Canadians ' cemetery 4 km ( 21.2 miles ) to the south at Reviers . There are no memorials marking the spot where the Canadians landed . contradictory +Espionage ? I gasped . I didn 't expect it to be espionage . entailment +Linda Harvey , a partner with Newark 's Greenberg , Dauber , Epstein and Tucker , who represents LSNJ and Miller , calls Passaic Legal Aid a renegade that is asking the court to buck the national trend and the wishes of Congress . Linda Harvey calls Passaic Legal Aid a helpful revolution in the national trend and the wishes of Congress . contradictory +The British company that recently won fame for cloning a sheep is reportedly on the verge of deriving human blood plasma from sheep and cows . There 's controversy over the British company that is deriving human blood plasma from sheep and cows . neutral +yeah it was quite a session that disrupted disrupted my whole summer of course That session was not at all disruptive . contradictory +" But I don 't come from the border country . " I don 't hail from the border area . entailment +Will suing professors be next ? Will people sue professors ? entailment +A second inner pylon shows Ptolemy XIII paying homage to Isis who is flanked by her husband Osiris and Horus . Isis is flanked by her husband Osiris and Horus because she needs protection . neutral +alrighty thank you bye-bye Good morning , nice to see you again . contradictory +Businesses that produce computers , software , semiconductors , and communications equipment have accounted for over a third of the growth in the U.S. economy since 1992 . A large portion of US economic growth has come from computer related industries . entailment +And given the recent resurrection of the IPO market , you might say the upcoming public offering was as well . The upcoming public offering was as well given the resurrection of the IPO market . entailment +The names of the companies are confidential and were not known to the researchers . The researchers knew the names of all of the companies involved . contradictory +The guide 's appendixes augment these areas by citing applicable statutes ( app . The guide augments these areas with laws that have been passed this year . neutral +TheRequired auditor may have to generate this list on the basis of interviews if one is not available . The auditor cannot provide this list to anyone . contradictory +The mosque is square in plan , about 58 metres ( 172 feet ) on a side , capped by a dome 271.2 metres ( 82 feet ) in diameter and 47 metres ( 140 feet ) high . There are no edges , only curves , in the structure of the mosque . contradictory +The man went down again . A man fell down . entailment +uh we 're supposed to be talking about houses though right well i run the business in my home I have two home offices , with a secretary in one of them . neutral +As a result , her overarching philosophy regarding awareness efforts was that users who thoroughly understood the risks were better equipped to use good judgment when faced with a potential security breach . Her overarching philosophy was the result . entailment +I love the Native Americans . I hate Native Americans . contradictory +A vegetarian restaurant serving great pasta , salads , and desserts in a small , modern , arty dining room with views of the Old City walls . The restaurant only serves salad . contradictory +Poirot approached and stood over him . Poirot stood over him with a menacing calm . neutral +Having dispatched this , and Tommy not having yet returned which did not surprise her she started off on a shopping expedition which , with an interval for tea and assorted creamy cakes , occupied her until well after six o 'clock , and she returned to the hotel jaded , but satisfied with her purchases . Tommy returned early and they stayed in together . contradictory +In that respect , some participants felt that FASB is marching toward a fair value path and cautioned that the fair value reporting model is not always good and needs to be used only where it really makes sense . Participants are aware of FASB . entailment +Nowhere on earth is there a place that attracts such a diverse population . There is a place in Africa that is more diverse . contradictory +It is drunk throughout the day , in shops , cafes , and offices , oiling the wheels of commerce , and sealing many a business deal . It is drunk more in offices than in shops . neutral +Bhrikuti is venerated as the Green Tara and the Chinese wife as the White Tara . The Chinese wife is venerated which Bhirkuti is not . contradictory +i like to rough it I would like to smoothen it . contradictory +Perhaps when parents move , they carefully weigh the damage to their children against competing benefits and act in the interests of the entire family . Moving can really mess a kid up . neutral +Porto Santo 's prize is a long , golden beach , only recently touched by development . Development has only recently had an impact on Porto Santo 's long , golden beach . entailment +Early reports blamed Mexico , whence the strawberries came in violation of the U.S. ban on foreign ingredients in school lunches . Early reports said the strawberries had been poisoned . neutral +no i live in San Antonio I reside in San Antonio . entailment +Now he fired them into the mass of Sticks that continued to charge up the trail . He saw the Sticks coming and ran the other way . contradictory +oh it is it 's it 's a lot of fun especially especially if you can find somebody that 's uh that 's got the same level of interest that that seems to be the hardest thing well about that 's that 's that 's true of any sport you know if you want to play tennis or I hate playing sports , so I avoid it at all costs . contradictory +Two of Edlin 's daughters , lithe legs bare under their cotton tunics , ran to Ca 'daan with fresh bread . The girls were only 5 years old and already baking bread on their own . neutral +is that because they 're just not uh you just don 't have any women that are there or no one has Is it because there 's not enough men there or what ? contradictory +And I had no hope of finding you , yet I went on . I went on despite having no change of finding you . entailment +yeah yeah i was very surprised that did do a slapstick movie because that 's uh not really the way comedies are right now Most comedies right now don 't feature slapstick , so I was surprised that this one did . entailment +They came to spend their weekends here , away from the hot and humid atmosphere of Kingston . They spent their weekends here to escape the hot and humid atmosphere of Kingston . entailment +The two men scanned the tents and pointed at a man guiding a desert donkey . There was no one near the tents . contradictory +I think they were waiting for me to invent something . They left me alone . contradictory +'Here , ' I offered , rushing into the kitchen . I ran into the kitchen . entailment +More than ever , Tommy felt that there was a factor somewhere that he did not understand . Increasingly , Tommy sensed he was missing some important variable he was unable to comprehend . entailment +and i don 't know how and uh i mean they always have a waiting list a mile long for students and the only thing i did notice is about seventy percent of the students are on some kind of financial aid They have much more applicants than the number of places they can provide in the school . entailment +Some of this may change . Some of this is subject to change . entailment +A staircase rose up and around in the background , surrounded by landscape paintings that were probably supposed to look snazzily post-modern but were actually rather bad . The marble and gold staircase was garish , but not as bad as the paintings that surrounded it . neutral +any comment , request , suggestion , proposal , image , or other communication Comments and requests are forms of communication . entailment +The Coroner called Albert Mace , chemist 's assistant . Albert Mace , the chemist 's assistant , was called to give evidence . entailment +yeah that 's a lot That is a lot of debt ! neutral +and your just like yeah well sort of right You 're just unsure . entailment +In summary , it is unclear how much each additional dollar of government saving will ultimately increase national saving . It 's hard to know how much national saving will decrease .. contradictory +In the suit , NLS attorney Eileen D. Yacknin and Evalynn B. Welling , Community Justice Project attorney , contend that the city is trying to avoid its responsibilities to the tenants under state eminent domain code and the federal Housing and Community Development Act by having Raimondi carry out the evictions . Yacknin is a plumber . contradictory +However and now I 'm giving it to you straight , Kirby this is once I 'd follow Bayliss ' orders . Kirby and Bayliss knew each other . entailment +Hale 's story hasn 't changed at all since he spoke with Isikoff in ' 93 . Hale 's story has stayed the same since 1993 . entailment +They can also watch the toy boats capsize in the fountain . They can watch the toy boats overturn in the fountain . entailment +An earlier study challenged that assumption . The assumptions has never been challenged . contradictory +In addition to the aging population and the increasing cost of modern medical technology , the current Medicare program lacks incentives to control health care consumption . There aren 't enough incentives in place to curb the consumption of healthcare under the current Medicare scheme . entailment +In his dreams of the future , Leger wanted his machines to be as sexy and intimate as beautiful women , and his women to be as available and predictable as household appliances . Leger wanted sexy and intimate machines and women who acted like appliances . entailment +But do you think as they 've done her in , sir ? " But do you think we cannot do her in , sir ? contradictory +Mr. Wells told me as we were going upstairs . Mr Wells went downstairs . contradictory +The coast here is all but uninhabited . The coast here has so many people that the environment is being destroyed . neutral +You are right in one thing , at any rate . You are wrong about everything . contradictory +Therefore he was left with a choice as to which he would follow . He had an idea of who he might follow . neutral +The Task Force Report has been accepted by the Association 's Board of Governors and Chancellor Gordon has appointed a special committee to be chaired by Chancellor-Elect Audrey C. Talley to consider the Report 's observations and recommendations and suggest possible action to the Board . The task force was very happy to have had their report accepted , finally . neutral +Top billing goes to The Comedy Store , which is on Sunset Boulevard , while other top venues include the Laugh Factory and The Improv , in West Hollywood and Santa Monica , respectively . No one really likes to go to The Comedy Store on Sunset Boulevard . contradictory +They were all very disturbed . It was the most disturbing thing they had ever seen . neutral +Philosophy and the fine arts do not intimidate the French as something to be confined to a small ? ? lite . The French are very open and accepting of philosophy and the fine arts and encourage its population to delve into the disciplines . entailment +you know when we 're having guests we just kind of feel like just do it and i made blueberry cobbler and we had extra crust with it i mean it was so fattening but i don 't think we gained any weight from it so I can 't make blueberry cobbler because it isn 't tasty . contradictory +we have too many administrators There 's too many administrators , we 'll be downsizing soon . neutral +These programs were not based on predecessor products or evolutionary in nature , and each product 's full capability was expected in one step , with the first product off the production line . All of these programs were based on predecessor products . contradictory +What it lacks in size , the gallery makes up for in quality . The gallery 's eye for quality art is what keeps people coming back to it . neutral +To create a total cost function , we use FY 1999 U.S. We use 1959 's data to create a total cost function . contradictory +The analyst was asked by him to report whether strychnine was , or was not , present . Strychnine was determined to be part of the compound without testing . contradictory +a doctoral-level psychologist trained and certified in motivational interviewing techniques . Some of the techniques that the psychologist deploys are advanced listening skills . neutral +Completed in 1440 , its Flamboyant Gothic design has a flair and grace that bewitch you into imagining the long-gone gilt of its facade ( from which it earned its name ) . The lack of excess adornments on the structure lead the eye to wander across it 's amazing buttresses . neutral +Many islands will also have one venue for Greek night , an evening of culinary and cultural delights . Food and cultural offerings from Greece are available at Greek night . entailment +In Fiscal Year 1996 , the volume of basic ( First-Class ) mail was 54 . The volume of basic mail was 54 million pieces . neutral +Peach , Richard , and Charles Steindel . The Steindels were together . entailment +well it 's in terms of guaranteed return on investment and maybe you don 't start looking for that word guaranteed until later The return on investment will be disappointing at first . neutral +I have a little problem with my current Significant Other . I have a huge problem with my partner and I plan on divorcing him . contradictory +In addition , they emphasized the importance of adjusting policies continually to respond to newly identified risks or areas of misunderstanding . The idea of responding to newly identified risks was totally ignored . contradictory +As the road rises , the rugged countryside becomes spectacularly barren , though plunging volcanic hillsides have been softened and greened by time . The hillsides have gotten greener . entailment +GAO 's Congressional Protocols GAO has protocols in place . entailment +Directly behind the square sits the main building of the Sorbonne . The main building has huge pillars and a beautiful garden . neutral +The man continued his black-eyed stare . The man stared angrily . neutral +that i think that was the most difficult thing for people to pick up on was stopping and starting people 's pay mainly because you can do it now and it 's easy and it 's so easy that people go The system is simple and anyone who doesn 't understand it is dense . contradictory +Vacationers come for the great diving , windsurfing , and other watersports . Vacationers enjoy water activities . entailment +well that 's good that you have the savings to get into You didn 't save a penny , and now you can 't get into anything . contradictory +Take time to explore number 52 , the Tomb of Nacht , a temple astronomer . Nacht is one of the most famous temple astronomers . neutral +Come in . " Here in contrast to the brilliant sunlight of the patio was a dusky coolness . The patio had been built only six months ago . neutral +Park and loop refers to a route where the carrier parks his or her vehicle and serves a group of There is a route in which a carrier parks and loops . entailment +The modes of any period can easily be made to look stupid . Any period 's modes can be painted so that they appear dumb . entailment +Inside is a restaurant , retail shops , and the Santa Monica Museum of Art , which showcases the avant-garde and performance art of contemporary artists from Southern Caleornia . Inside is only a restaurant , but no retail shops or other things . contradictory +Gerard Manley Hopkins , the Catholic convert and priest who wrote near the beginning of the 20 th century , had the gift of seeing spiritual life as dynamic , even agonized , rather than complacently sweet . Gerard Manley Hopkins saw spiritual life as dynamic , not sweet . entailment +In the 16th century , a strong city wall now almost completely destroyed protected the population . The city wall never provided protection . contradictory +Susan wore a brown robe and a headscarf . Susan wore a headscarf . entailment +The Peak is still the most fashionable place to live in Hong Kong , but real estate prices here are astronomical ; rents run around HK $ 50,000 a month . Real estate in The Peak is so high because it is considered to desirable . entailment +Julius 's glance went to the window . Julius wondered if someone got in the window . neutral +They are not to be used to help a family manage their mother or help a doctor or nursing home get permission for a pill or procedure they feel is in the best interest of a patient . They were popping pills like candy . contradictory +A pity , because thanks to that person he reached his current status and number 67 on the list of the wealthiest Poles . The fact that he got a gift of a million dollars put him as number 67 . neutral +For industry , the policies include voluntary agreements with industry groups to achieve defined energy efficiency and emissions goals , combined with a variety of government programs that strongly support such agreements . Voluntary agreements with industry groups are included in the policies . entailment +i won 't tell you what happened to it if you just got them you don 't I will tell you what happened if you just received them . contradictory +Our estimate assumes that crops are evenly mixed between relatively sensitive and relatively insensitive varieties . Our estimate makes no assumption as to the proportion of different crop varieties . contradictory +If victorious , NATO may grant Kosovo independence or perhaps divide it up . NATO cannot decide what to do with Kosovo . neutral +The lawyer went across to his desk , and returned with a small newspaper cutting , which he handed to Jane . Jane didn 't receive anything from the lawyer . contradictory +Jon circled the spear , parried it to his right , and pierced the footman under the chin and deep into his brain . Jon surrendered to the footman . contradictory +In July 1995 , in anticipation of the funding cutbacks , LSC initiated the broad outlines of its state planning process to highlight strategies by which programs could stretch scarce federal dollars to help ensure that all low-income clients have an equal opportunity to receive the most accessible , effective legal assistance possible . Showing no concern , the LSC gave no warning and cut the budget without regard to the low-income clients that would be impacted . contradictory +The shooting war of 1992 ended with a cease-fire , not peace . The stabbing war was ended peacefully . contradictory +I tell you . This is what I say . entailment +Only Monday Night Football was in both groups ' top 10 . Monday Night Football was in several groups top 15 . contradictory +and babysitters and uh day care and all that stuff kids don 't really bond anymore Kids bond very well even with babysitters . contradictory +that there 's a lot of times not for selling in Malaysia but people go to Thailand and they have to bring them through the airport there the last two people that got hung weren 't even trying to sell them there they were just uh caught with them Guns have no business in an airport . neutral +Terry Russell , president of The Florida Bar , has spent months pushing legislation that would provide state funding for legal assistance for the poor . Terry Russell is the president of the Florida Bar and says LSC should be vastly expanded . neutral +no i just been uh up here in Plano for about uh i guess close to three years now and uh I 've been up here in Plano for thirty years now . contradictory +Who is devoting himself to enriching our popular culture with high art ? Who is working towards making award winning art ? neutral +yes and so oh i started out with college and then went to high school and then i preferred the high school age level much better than i did the college because you have a closer relationship with the uh students I preferred the high school kids more than the college ; we have a closer relationship . entailment +In other words , Bharatpur is only for the birds . The birds are an important feature . neutral +the book is always the book is always better The book is always worse than the movie . contradictory +A century ago , Northern progressives such as The Nation ' s E.L. Over 90 years ago , Northern progressives such as The Nation 's E.L. neutral +Jon would not have known Thorn to be so fast for a man his size . Thorn was very fast . entailment +President Pompidou had a house on the quai de Bethune and used to escape there from the Elysee Palace as frequently as he could . President Pompidou did not like the palace life at all . neutral +i wasn 't in Central America but uh talking about Latin America i kind of i consider Latin America to include Central and South America and i did live in uh Sao Paulo Brazil for four years I didn 't live in Sao Paulo but I did live in Mexico City for four years . contradictory +The largest cave is called the Cathedral because of its size and scale . The biggest cave is dubbed the Cathedral due to its size and scale . entailment +Treated them well ! Scooping them up , keeping them in a cage , giving them grass and raw meat to eat ? Tell me how to speak to them . I don 't want to speak to them . contradictory +you know and so our part of it was still twenty percent but twenty percent i can payoff in one month whereas you know then i got to wait for the rest the rest of it to come back from Aetna but it basically floats I have to wait , sometimes months , for the rest of it to come back from Aetna and reimburse me neutral +They walked along the grassy side of the concrete road that split the panorama right down the middle all the way down to where it vanished among the hills . The concrete road had grass next to it . entailment +'The Results Project ' will enable LSC to describe and quantify that work . The results project disables LSC from quantifying and qualitatively describing that work . contradictory +To make sure the message is clear , Paris offers golden nighttime illumination of its major historical buildings . Paris lights their landmarks up at night . entailment +You can visit the Gardens of Saheliyon-ki-Bari ( Maids of Honor ) , where the maharana kept the Muslim dancers presented to him by the Mughal emperor . Saneliyon-ki-Bari were usual peace offerings between emperors . neutral +These represent a new and a modified information collection that has been submitted to the Office of Management and Budget ( OMB ) for its review and approval . The Office of Management and Budget is reviewing the data collection . entailment +The tomb at the back of the church is not Zarco 's , but that of family members . The tomb in the back of the church is for Zarco 's family members . entailment +The following case example describes how one organization strengthened its central security group and reoriented its focus . An organization made it 's central security group stronger and changed it 's focus . entailment +is that right i 've never heard of that I 've never heard of that country neutral +i think the Royals will do okay they have they have several pitchers that had badly years last year and they are they 're these uh cycle pitchers they they pitch one year bad one year good one beer bad one year good Saberhagen has won uh supposedly the Cy i think he won Cy year uh two out of three years and uh you know so he 's very much due for a good year The Royals have pitchers that cycle between good years and bad years . entailment +Verification and validation performed by anIndependent organization that is technically , managerially , andVerification and financially independent of the development Validation ( IV and V ) organization . Verification is performed by an independent group from the IRS . neutral +More often than not , those involved have been the businesses that would feel directly the impact of restrictions on the collection and sharing of person data---the list companies , the direct marketers . Direct marketers remain unaffected by data collection and sharing rules . contradictory +You could just ask him what he makes of , say , van Pelt 's assertion that the answer to the riddle of the gas chambers was all over the archives , or what he thought of the chemist 's declaration that the test performed for cyanide was the wrong test . Van Pelt says gas chambers could not be explained in the archives . contradictory +Over the 1990s , aggregate household net worth doubled in nominal terms . Nominal household net worth increased in the 1990s . entailment +threw it away oh gosh let 's see the teams that i think the A 's were in it last year the Oakland A 's and i think it was i don 't think it was an all California baseball I know the NY Yankees won it . contradictory +In a way , I think it has already helped Microsoft 's image . I 'm pretty sure it has helped Microsoft 's image . entailment +Other differences between the unified budget and NIPA measures arise because NIPA focuses on current income and production within the United States . There are differences between the unified budget and NIPA . entailment +This will enable you to travel out to the Lake Palace Hotel , even if you 're not staying there . It is impossible to travel to the Lake Palace Hotel . contradictory +Outside the Capitol I am accosted by a Tell everyone you know to face God this year . I was left alone outside the Capitol . contradictory +The security men exchanged a look- then they started moving , ready to throw me out overarm . I would have to move fast to not get thrown out by the security men . neutral +well the but uh something need does need to be done about the styrofoam The styrofoam needs to be stored in a proper fashion . neutral +Summer frivolity in Time ; What 's Cool This Summer . What is hot this winter . contradictory +Recognizing that Japanese business is not down for the count--and remembering the role it played in getting us to where we are--is a necessary step toward a saner appraisal of where this economy might be going . Japanese business is ruined . contradictory +and my wife who works at the same company was able to add me to to the uh dental insurance It was fortunate that I was able to go on my wife 's dental insurance . entailment +yeah was it yeah good oh good that 's great that 's good well i got to stay home with my kids for the first ten years my oldest one is ten and a half now I was lucky enough to be able to stay at home with my kids for ten years . entailment +it was just some of the excuse me Excuse me ! Please don 't interrupt me when I 'm on the phone . contradictory +For example , the position of one state government CIO that we interviewed was based on a specific statute establishing the CIO at the cabinet level and assigning clear-cut responsibilities for funding and overseeing IT operations statewide . There is no one person in charge of funding and overseeing IT operations . contradictory +But as the years went by , the conquistadors rounded up even more Indians to work in gold mines elsewhere . The conquistadors rounded up a lot of Indians . entailment +Compare prices before you buy any significant item . You should compare prices before making a large purchase . entailment +well there 's this fallen tree across the stream and these streams of course are felt fed by melted snow so they 're cold anyway Melted snow feeds into these streams , so the fact that they are cold is a foregone conclusion . entailment +i wondered if it would help you sometimes fill-in the gaps or recognize discrepancies that other people people like myself might not pick up on Lots of people like me need help being informed . neutral +Most can be bought from the barrel , blended to your own taste . They can 't be blended to your tastes . contradictory +Besides sheltering the most vulnerable of the cathedral 's statuary and some stained-glass windows from the earlier 12th-century Romanesque building , the museum has a fine collection of Alsatian medieval painting by Konrad Witz , Martin Schongauer , and Hans Baldung Grien . The museum has a collection of paintings by Konrad Witz , Martin Schongaeur and Hans Baldung Grien . entailment +The more far-seeing among them realized that what they proposed might well be a death-blow to the England that at heart they loved . England was able to survive what they proposed . neutral +In Roman times a temple to Jupiter stood here , followed in the fourth century by the first Christian church , Saint-Etienne . The Christians tore down the church to Jupiter to build theirs . neutral +we 're just saying let 's get some grass Let 's get some grass , we can get it about 2 blocks down from here neutral +uh most of the time what the what the their constituents uh really want them to do Their constituents want them to vote in favor of the bill . neutral +we are lucky enough to now be on a cable system that has four public TV channels Luckily , we get 4 public channels on cable . entailment +It wouldn 't do for an Explorer to be too easily impressed . Explorer 's were not good because they loved everything . contradictory +i guess in a way i just i really like the summer like to uh be able to lay out or you know just be outside The warm summer air feels great on my delicate skin . neutral +We 've ceased being blackmailers , Tommy pointed out . We do other things besides blackmail now . neutral +The MALS grant of $ 25,000 annually for three years is called a bridge grant to help the nonprofit law firm survive a short-term challenge . The MALS grant was worth $ 25,000 . entailment +We pursue state planning because we believe that our low-income clients deserve the highest quality service that can be made available to them despite our limited funding . Low-income clients have found to be very happy with our services . neutral +At that point , you realize you 're a spender and you go back to saving . Your income has plummeted and you are in need of a quick solution . neutral +Morris can be heard asking one question Have you ever thought you might be wrong or that you made a mistake ? Morris tried to identify some humility in the person he was questioning . entailment +In the months since the horrible events of September 11th , the President and the Congress have responded with important and aggressive actions to protect the nation , including creating an Office of Homeland Security ( OHS ) , passing new laws such as the USA Patriot Act and an initial emergency supplemental spending bill , establishing a new agency to improve transportation security , and working with unprecedented collaboration with federal , state , and local governments , private sector entities , non-governmental organizations , and other countries to prevent future terrorist acts and to bring to justice those individuals responsible for such terrible acts . The measures pursued by Congress and the President weren 't passed with any intention of preventing acts of terrorism in the future . contradictory +thing they do uh family reunions and they do um oh what do you call it um oh class reunions They do class reunions as well as family reunions . entailment +Most have disappeared with their projects . They were all still here . contradictory +Within the temple itself the gods share Hypostyle Halls and an inner sanctum . Besides a Hypostyle Halis and an inner sanctum , the gods also share objects that symbolize their power . neutral +Non-COPD deaths for populations aged 65 and older are valued at $ 1 . Non-COPD deaths are relatively common in elderly people . neutral +Aztecs from a place called Tenochtitlan . Aztecs from a region named Tenochtitlan . entailment +He tried to make his words casual . He attempted to make his words casual . entailment +We had read of such things ” now we ourselves were actors in the drama . There is a drama that we are involved in . neutral +Particularly on Martinique and Guadeloupe , where the outstanding bargains are in perfumes , Parisian fashions , crystal , and other luxury items from France . The perfumes are the most popular luxury items sold in Martinique . neutral +The forceps , Hastings ! I quickly handed them to him , and with skill he extracted a small piece of half charred paper . I did not give him the forceps . contradictory +okay well i enjoyed talking to you Don 't talk to me anymore , you aren 't a nice person . contradictory +It 's dreadful to feel you 've been false to your principles . " 125 Tuppence shook her head sadly , as she reviewed her backsliding . She had no regrets about her actions . contradictory +Currents can be surprisingly strong at the attractive Flamands beach not recommended for children or poor swimmers . Flamands beach is safe for children of all ages . contradictory +Take the train for long journeys , and rent a car at your destination to explore the back country . Taking the train is a great way to view the countryside . neutral +And then , louder still , the words floated down to him : " This is a terrible house . He likes this house . contradictory +Similarly , the Joint Federal Travel Regulations , 7 applicable to members of The Joint Federal Travel Regulations can not be similarly used contradictory +EPA estimated that up to 72 GWe of SCR would result from the NOX SIP Call and an additional 13 GWe from individual state multipollutant rules with approximately 14 GWe currently installed . They hope to improve those numbers 5 % next year . neutral +From now on , officials will be reluctant to discuss tricky legal issues with government attorneys , fearing that their conversations will come back to haunt them , and will instead secure private counsel . These folks would never consider going to outside council . contradictory +In fact , although all other nominees are welcome , Slate ' s software-development team--through a simple iterative program--has already cast 1.8 million votes for Bill Gates . Slate 's software team voted for Gates , who is winning by a landslide . neutral +75 million in interest that accrued in several state cases brought on behalf of consumers . Cases were not brought on behalf of the consumers . contradictory +You and Tuppence have been sticking together like Siamese twins . You and Tuppence have barely seen each other . contradictory +Starr vows to plot his course independent of the political consequences , but Maureen Dowd says he 's still on revenge autopilot . David Carr and Jill Stewart digest Starr 's move--and Bob Woodward 's new book--in . Starr has stopped his investigation . contradictory +In keeping with those efforts , Assuring Equal Justice for All is the theme of Law Day this year . Next year the Law Day theme will be different . neutral +say ten dollars at you know at at the most out of a decent fabric If the fabric 's good , it can cost a lot . contradictory +Also check out Star Computer Citein the Star House near the Star Ferry terminal . There is a Star Computer Citein near the Star Ferry terminal . entailment +Values of these securities can vary on the basis of regulation or specific language in the offering . They are comprehensive and care about security . neutral +This is the haunt of the Bengal tiger , of a third of the world 's population of rare one-horned rhinos , and of more than 400 species of bird . Bengal tigers can be found in six other regions . neutral +The Criteria Air Pollutant Modeling System ( CAPMS ) is used to quantify human health benefits due to the changes in a population 's exposure to fine particulate matter and ozone . Exposure to fine particulate matter can affect human health . entailment +pretty uh pretty rough up around Amarillo isn 't it It 's rough around Amarillo . entailment +5 % reduction on generation load together with only an 11 . 11 was a good generation load . neutral +Which one you wish , senor ? Teodoro Trinfan , rope in hand , stood there ready to cast for one of the milling colts . Teodoro refused to give the man any of his horses . contradictory +They 're regular old spending that Republicans happen not to like , such as support for the International Monetary Fund and highway demonstration projects in Democratic districts . They 're regular old spending which Republicans like , pledging their support for the IMF and highway projects in Democratic districts . contradictory +no it wasn 't It was usual for it to not be . neutral +Soufriyre is a splendid and perfectly safe place to visit otherwise the monitoring experts wouldn 't let you go . The monitoring experts are very over-protective . neutral +it 's just so it 's a lot of work too it 's uh getting you know getting ready and taking care of everything but it 's um It 's a lot of work taking care of all the things . entailment +yes uh oh that was that was uh what the much of the hype was that Tom Cruise learned so much from Dustin Hoffman The hype was that Dustin Hoffman learned from Tom Cruise . contradictory +This tour alone lasts a full hour , and at least equal time is necessary to appreciate the other collections and the multi-media learning center on the second floor . There is no second floor to this exhibit . contradictory +Wynn 's demolition of the existing properties started a trend that , more than any other , describes Las Vegas at the end of the 20th removal of old properties in exchange for the potential of new ones . Today , only 4 original structures remain in Las Vegas . neutral +yeah how what do what do you mean by that You didn 't even say anything , did you ? contradictory +Look here , what 's the idea of telling my Dad we were feeding animals ? Dad isn 't happy that we were feeding animals . neutral +uh-huh that may be the difference in our part of the country we live in it 's a lot easier to get out outside all year round uh well pretty near all year round out here It 's different in our part of the country , it 's very easy to get outside at any time during the year . entailment +When the Commission released this Report and Order on July 26 , 1996 , it included a Further Notice of Proposed Rulemaking . Sometime between June and the end of July , 1996 , the Commission released their report . neutral +In addition , the National Audit Office ( NAO ) in the United Kingdom uses the review results in its annual audits of DWP 's financial statements . They do not use the review results . contradictory +So let 's get rid of these files and see what happens . What should happen is a complete reset of the system . neutral +Our job in this law firm was never to go to the Hill or to the executive branch and say smoking doesn 't cause illness . Our law firm has never been tasked to tell the executive branch that smoking does not cause illness . entailment +I don 't feel I can be bothered to think of marriage until Tommy is found . I don 't care that Tommy is missing , let 's arrange the marriage . contradictory +These survey results are also consistent with the experience of one large corporation that we contacted in 1994 after learning that it had established a program to capture and use for company travel frequent flyer miles received by employees on company business . Survey results are in line with the experience of a large corporation that sold hot tubs . neutral +Slim looked away . Slim stared directly at it . contradictory +oh that would be a shame People are hoping that won 't happen . neutral +Newsweek says Nagano wants to stage a humble Zen Olympics , avoiding the glitz of Atlanta 's 1996 games . Japan wanted their Olympics to be showy than any other games . contradictory +They would not be shaken because twelve stupid men had happened to make a mistake ! They wouldn 't be shaken by a bad jury . entailment +Eighty percent of the total amount of nitrogen oxides allowances available for allocation each year will be allocated to Acid Rain Program units with coal as their primary or secondary fuel or residual oil as their primary fuel , listed in the Administrator 's Emissions Scorecard 2000 . The scorecard from 2000 outlines information on the acid rain program . entailment +On the first Wednesday of every month , sharp at noon , an air-raid siren wails across Paris , startling pigeons and lending an edge to the midday news . A siren goes off in Paris on every first Wednesday of the month . entailment +In planning tests of compliance with significant laws , regulations , and other compliance requirements , auditors should assess the risk that noncompliance could occur . Auditors should not consider the risk of noncompliance when planning tests of compliance . contradictory +appears to be making much money , yet scores of insurgent companies--Excite , AOL , Amazon.com , Virtual Vineyards , Auto-by-Tel , TheStreet.com , and eBay , to name a few--continue to massage the medium , attract serious investors , and lay the substructure for the an Internet economy . AOL is not a company . contradictory +No observer can enter a scene without preconceived ideas , but they can be set aside . Zeros personal bias is the assumed state of being , for many people . contradictory +High quality and cheap , Chilean wines are now the third-most popular imports , behind only French and Italian vintages . French and Italian vintages are popular wine imports . entailment +It informs low income people about their legal rights and responsibilities connected with various situations they might encounter as consumers , tenants , parents , spouses , employees and citizens . It is a helpful tool for low income individuals on their rights . entailment +with the stepper you are conscious of what you are doing because you 're basically watching each step as it gets harder and down The stepper is easier with each step . contradictory +Of these bits of academic immortality , Black-Scholes is probably the most widely used by nonacademics , so they have made a good buy on the formula 's fame value . To be immortal and young sounds awesome , until you see everyone you love die around you . neutral +Permit me . Allow me . entailment +Even if he could build a computer out of what was obtainable , there would be no way to power it . He knew he 'd be able to power the computer , if only he could build one . contradictory +Well , said Julius pleasantly , " it 's up to you . Frankly , it is your decision . entailment +The FGD connection with the facility is generally less difficult than with SCR because it does not require modification of the boiler , just connection to ductwork in the vicinity of the stack . It 's not necessary to modify the boiler so the FGD connection is easier . entailment +you know you scrape that off and uh make it as smooth as possible uh then you uh put it in a kiln and fire it you know it 's like a big ogen oven It doesn 't need to be all that smooth before you put in the kiln and fire . contradictory +Although NIPA measurement has evolved , the nation 's human capital and knowledge-also forms of intangible capital-are not part of the NIPA definitions of investment and saving . NIPA measurement has evolved but human capital is not part of investment and saving if it is in the workplace . neutral +yeah what kind of what brand of car are you thinking about buying or like what things are you looking at You can 't buy a car , that 's stupid ! contradictory +The preamble to the final rule contains the information required by the Act , including a description of the collection , the reason for the collection , and an estimate of the annual burden hours imposed . The preamble to the first rule as the information the Act requires . contradictory +He is vice president and defense minister . He serves as the vice president and the defense minister . entailment +That 's all right , gov 'nor . And then after a moment or two : " Suppose I 'm nabbed . " The man knew he had been nabbed . entailment +There was a long road ahead , but still . It would take a long time . entailment +( Post defectors include Celestine Bohlen , Gwen Ifill , Julia Preston , Michael Specter , Patrick Tyler , Patti Cohen , and David Richards--who defected back . Celestine Bohlen is one of the Post defectors , said the TV . neutral +Many of its timbered and gabled houses date back to the 14th and 15th centuries , particularly in the Place de l 'Hotel-de-Ville and the Rue du Poids-du-Roy . Its gabled houses date back to the 17th century . contradictory +For a long time they were a stumbling-block to me until I remembered a very significant fact : that she and Alfred Inglethorp were cousins . I recollected that she and Alfred Inglethorp are not related . contradictory +It goes on to say heart disease is lower in moderate drinkers but then warns of other dangers and cautions against guidelines to the general public that encourage drinking ( for the full text , click here ) . It claims that moderate to heavy drinking can cure heart disease and that this fact should be communicated to the public . contradictory +uh i use a Sun work station at work but i 'm i 'm in the process of purchasing Amiga to use it as my desktop computer but research work though i use a Sun Sparc station I do not like working with Sun workstations . neutral +The analysis finds that the new rule would not be significantly burdensome for small entities because use of the profile is optional and that the information contained in the profile is now typically contained a fund 's prospectus . The new rule will be disregarded as the profile does not provide any significance . neutral +right and and that 's really what the Rangers need some some consistency you know outer starter The Rangers would win if they had some consistency . neutral +i think we 've all heard about the train load from New Jersey that couldn 't find a place to dump or something We know all about the New Jersey group not being able to locate a dump site . entailment +We selected the Bureau of Land Management ( BLM ) , Federal Highway Administration ( FHWA ) , Internal Revenue Service ( IRS ) , and Veterans Benefits Administration ( VBA ) because they used a set of balanced expectations to manage the performance of all or a significant portion of their senior executives prior to the OPM requirement . The expectation that there is a balanced approach to the OPM requirement is an unrealistic one . contradictory +At a point where the Ill divides into four canals , the tanners shared the waterways with the millers and fishermen . The fishermen , millers , and tanners were constantly at war to control the waterways . contradictory +uh-huh well i guess the only people i 've talked to before were from Texas so i I have talked to people from California . contradictory +Heavily promote the collected Edmund Wilson-Paula Barbieri letters . Edmund Wilson-Paula Barbieri letters are impressed upon , as they contain a great deal of information . neutral +Her award is a tribute to her public service . She received an award based on her contribution to the public . entailment +Longer hikes follow well-marked trails across the fields . Trail markers have worked in preventing people from getting lost on their hikes there . neutral +well i find it a great use from the standpoint that you don 't have to continue to write checks in order to get cash The debit card was also an ATM friendly company meaning you could request cash out of an ATM machine almost anywhere around the country when you travel . neutral +TheRequired auditor may have to generate this list on the basis of interviews if one is not available . The auditor can provide this list . entailment +Such approvals represent that the actual work schedule recorded by the employee or timekeeper is to the best of Approvals do not take work schedule time into account . contradictory +Although there is considerable variation in the analytical designs and data used in the 26 underlying studies , the majority of the studies involve the value of risks to a middle-aged working population . Middle aged people place a higher than usual value on risk . neutral +Stop at the giant granite scarab on the northwest corner of the lake . These are directions to the temple . neutral +Volunteers from Britain and the US arrived to fight on the side of the Republicans . French volunteers fought against the Republican forces . neutral +13 Just as the Save the Social Security Surpluses simulation is an implausible doomsday scenario , the Save the Unified Surpluses simulation can also be viewed as implausible . The Save the Unified Surpluses simulation can also be viewed as implausible . entailment +Last week Israel also ordered the PA to arrest one of its high-ranking police officers for planning an attack on a Jewish settlement . The police officer was planning to hurt people . neutral +One of the most attractive products of the traditional arts is the highly decorative puppet used in the wayang kulit shadow theater . Wayang kulit shadow theater uses highly decorative puppets . entailment +I wonder if we actually disagree , or if my solutions just didn 't occur to you . He knew exactly what they were talking about . contradictory +5The statement advises patients of their rights to be fully informed about decisions affecting their coverage or payment and about their appeal rights should they be notified that Medicare will no longer cover their care . Patients have the right to be informed about decisions affecting their coverage entailment +Instead of ancient artefacts it shows the lifestyle and achievements of myriad Jewish communities around the globe through high-tec h audio-visual displays , hands-on exhibits , scale models ( many of which are exquisite ) , and reconstructions . There were paintings among all the other things on display . neutral +Moreover , only they can ensure that results-oriented management will endure despite the customarily high rate of turnover among political appointees . Political appointees rarely last long in any one job . entailment +The oldest sections are constrained within a one-way traffic system that gets clogged in summer but there are many surprises to be found if you take the time to wander the narrow streets . The roads in the oldest section are two-way streets . contradictory +Kilmainham was the major Irish prison for well over a century ; De Valera was the last prisoner ( in 1924 ) . Da Valera was the last prisoner in 1924 held in Kilmainham . entailment +Rather they are assessments of how the future might unfold compared to a previously defined reference case - given a national commitment to achieve the emission reductions , and given the mix of technology and policy assumptions embodied in each of the scenarios . Given a national commitment to achieve the emission reductions , and given the mix of technology and policy assumptions embodied in each of the scenarios , they are rather assessments of how the future might unfold compared to a previously defined reference case . entailment +The man drank , as did the others . The men were drinking ale . neutral +I want to thank Judith Shulevitz for her report on how business media makes men feel inadequate . Judith Shulevitz should be thanked for her report on how business media makes men feel inadequate . entailment +Ownership has its privileges . Ownership has privileges . entailment +well thank you and you have a good day okay bye-bye I hope you have the worst day ever . contradictory +All quite unofficial , you know . This is all official . contradictory +This friend of mine will be here presently . My friend will be here soon . entailment +you 've got to go out and buy a metric set He did go out and buy a metric set neutral +Application controls refers to the structure , policies , and procedures that apply to individual application systems , such as inventory or payroll . Inventory and payroll are one of the procedures apply to employment application systems . entailment +Newsweek covers the wine industry 's push to make Americans drink more wine . Newsweek covered a story where the wine industry outlines the dangers of drinking wine . contradictory +On that fateful day , 14 July 1789 , the king went hunting near his chateau at Versailles . The king went hunting in Germany . contradictory +Yes , lad . You came up with the right answer . neutral +enduring peace and stability . Peace is desirable . neutral +When Angelenos refer to The Valley , they are talking about the San Fernando Valley , a chain of communities north across the mountains from western and downtown Los Angeles . Property prices in The Valley are very high due to the strict zoning laws in the area . neutral +Jim Rogan , R-Calif . , cited the same figure . The same figure was cited by Jim Rogan . entailment +The climate and soil are such that plants and trees that would not normally survive this far north are capable of flourishing , which explains the enormous variety of 4,000 to 5,000 plants , trees , and shrubs from all over the world . Very few plants and trees are able to survive in the conditions created by the climate and the soil . contradictory +You 're sure to find a little remote spot all to yourself . It won 't be possible for you to find a solitary spots . contradictory +Feel the texture of a hand offered in greeting and try to fathom the Jamaican handshake , a ritual whose rules seem to be more complex than those of the game of cricket . Jamaicans never touch hands . contradictory +But I don 't think we ought to leave the flat . " I 'm convinced that we should leave the apartment immediately . contradictory +The Nation ' s Katha Pollitt takes Putnam 's very example , the shift from league bowling to ad hoc bowling , and suggests that [ that ] story could be told as one of happy progress from a drink-sodden night of spouse-avoidance with the same old faces from work to temperate and spontaneous fun with one 's intimate friends and family . Retelling the story in a more positive light will make it much more successful . neutral +The island is also the designated home of the University of East Asia . The University of East Asia is located inland . contradictory +but you know at at Texoma it 's such a big lake and we don 't have a boat but we 're on the dock and people come in there 's a lot of sandy islands out in the middle of Texoma Texoma doesn 't attract a lot of people because there 's such a tiny lake . contradictory +Using a pun on Red Herring ' s name , Perkins ' note appeared to imply that a Bush donation would enhance readers ' relationship to the publication . Using a pun on Red Herring 's name is not something that Perkins would even consider . contradictory +you know that I don 't know that . contradictory +Its Gothic cathedral dominates a charming old town ( vieille ville ) of medieval and Renaissance houses on Rue Saint-Martin , Rue Saint-Malo , and Rue Bourbesneur . The old town is very small . neutral +They were put to death on his orders , but their earthy humour lives on in the puppet plays that became popular throughout Turkey , and especially in Bursa . The puppet plays became popular in other countries , but mainly Turkey . neutral +( That is , with any other division , some pair of creditors would have its collective share divided incorrectly . ) Some creditors do receive correct shares however . neutral +um i don 't agree with that i don 't agree because i think that they are pretty vocal about it in in uh Africa i think the y 've made a lot more changes hey they 've their very vocal They are pretty loud about it in Africa . entailment +According to the lawsuit , the tenants were prohibited from entering their apartments to retrieve possessions and were promised that the complex would provide security . The apartment complex did not promise to provide security . contradictory +Its streets are narrow , full of twisting lanes ( Arabic souk or suq ) , steep stairways , and dark covered passageways . The streets are full of twisting , maze-like streets and passageways . entailment +I am pleased to appear before you today to discuss the work of the General Accounting Office ( GAO ) . I am honored to be here today to accept this Grammy award . contradictory +um-hum well that 's definitely the way we feel This isn 't how I feel . contradictory +Who , by the way , can also be made into a durable and attractive handbag . That can also be made into a purse . entailment +According to the group 's manager , because of the shift in the central group 's responsibilities , the members of the group had to change their mind-set from a staff organization to a service organization . No changes have been indicated , according minor associates of the group . contradictory +4 / Household First-Class Mail either sent or received by households . Only businesses can send first class mail to households . contradictory +Mercury is highly toxic in small quantities and Americans with diets with high levels of mercury are at risk for adverse health effects . A diet high in Mercury has serious health implications on the public . neutral +In 1635 the Japanese were forbidden , on pain of death , to attempt to travel abroad , and Japanese citizens already overseas were prevented from returning , in case they brought back subversive Christian doctrines . Before 1635 the Japanese were free to travel to countries outside of Japan . neutral +You can take one of the numerous guided walking tours through the Old and New Towns . The Old and New Towns only have Segway tours available . contradictory +and i 'm going whoa he he moved up He went down contradictory +However , subsequent government supervision of these unions has reduced mob involvement . Mobs and gangsters went out of the limelight once the government started stepping in . entailment +Sir James went at once to the root of the matter . The root of the matter was murky and shrouded in mystery . neutral +i 'm great i am utterly terrible contradictory +Consider the contract the Postal Service now has with Emery Worldwide to process and transport Priority Mail . Emey worldwide is efficient in its methods neutral +This might sound like I 'm calling for a return to olden times , when medical decisions were nobody 's business except the doctor 's and the patient 's . Medical decisions in the older times were everybody 's , but not doctor 's and patient 's , business . contradictory +On the other hand , while Armenian groups struggle for official notice , they are not yet requesting official apologies . Armenian groups are not requesting official apologies yet . entailment +i i will and which will probably be the uh Monday as a matter of fact Yes , I will and it will probably be Monday . entailment +since it 's so popular it 's best to to have the reservations huh You never need reservations , no one ever goes . contradictory +Room 2 is the first of two rooms displaying finds from the Old-Palace period ( 2000-1700 b.c. ) , including the earliest examples of fine Kamaresware pottery with its polychrome decoration , found in the ruins at Knosses . This room is the only place in the museum that has anything from the Old-Palace period . contradictory +huh-uh no the the cheapest ones now are like maybe four uh four or five five dollars The four or five dollar ones are the most expensive . contradictory +The old Warner Bros. gangster morality tales were always said ( by the gatekeepers ) to represent the American gangster film in its glory , but these morality tales are completely absent from the AFI 100 . The AFI 100 were of a different time period . neutral +The mental cry hit them all again . They all heard the cry . entailment +okay right right right we made those yeah yeah yeah i used to referee soccer games and uh uh i would use those watches to time the games and i 'd be out on the field middle of the field at high noon I bought several of the watches for the soccer team . neutral +While policymakers appear to have generally agreed to save Social Security surpluses , there is considerable debate over whether and how to use the non-Social Security surpluses . There is considerable debate over whether and how to use the toilet seat . neutral +These markets are always fascinating . These grocery stores are always illuminating . neutral +that 's true so that really effects how they report the news IT isn 't true , it doesn 't change anything about how they report news . contradictory +This final rule is considered to be an economically significant regulatory action under Executive Order 12866 . The final rule is not economically significant . contradictory +The laws also mandate that workers be trained in pesticide safety , are notified of fields that have been sprayed , have fresh water to wash chemicals from their skin and receive emergency medical help in cases of pesticide exposure or illness . Laws mandate that workers are trained with proper pesticide safety and have the appropriate tools . entailment +However , breakfast was forced into them among the women some time ago , so there is nothing to worry about . They were compelled to eat . entailment +well i i 've seen the bad side in most of them I have never met them in my life . contradictory +Now enjoy it , buon viaggio ! You will love your vacation . neutral +Most of them were only just recognisable ; a few were still mere chunks of meat . I could barely recognize a of the food she served . neutral +The virtual copy of Benjamin Franklin blinked , confused . Benjamin Franklin 's virtual duplicate blinked , bewildered . entailment +It 's like campaign-finance reform--the people who control it are products of the system , says online voting evangelist Marc Strassman . Campaign finance reform is a lost cause until outsiders control the reform movement . neutral +At the main harbor of Capri 's Marina Grande , take a convertible taxi , minibus , or the funicular railway ( the most practical ) up to the main town of Capri . The funicular railway is an impractical way to get to Capri 's main town . contradictory +The book is no longer a guide to daily life and an antidote to the worries of its era ( Molly O 'Neill , the New York Times ) . ( The Joy of Cooking site plugs the book and gives its history . ) The Joy of Cooking site doesn 't mention the book . contradictory +The Green Mile is a fat old whore who thinks appealing to an audience 's most self-congratulatory instincts--stroking it until it goes blind--is a public service . The Green Mile appeals to the audience 's self-congratulatory instincts . entailment +A professor at the College of William and Mary School of Law , on the other hand , concludes that ethical obligations do not bar representation of aliens who will not be in the United States continuously during the course of the representation . The professor is from the University of New York . contradictory +the Belgians try to act like the French Those people try to act like these people . entailment +oh yeah you know you 've got the same exact thing yeah Don 't you have the same type of thing ? neutral +' There 's clearly a strain of people who hope for low turnout . A few people hope that as few people as possible come . neutral +" You 've got all the time you need to work things out , Sathator Hanson , " Sather Karf told him . " Hurry up , you haven 't got much time to work things out , Sathator Hanson , " said Sather Karf . contradictory +Never got ' nother like him ; he 's special . No one even comes close to being like him . neutral +yeah well uh for us it 's uh uh you know it 's like for doing like you know like resumes There are probably uses besides resumes that this could be used for . neutral +So it 's like a cockpit . Its similar to a cockpit . entailment +Take the case of Diane Sawyer and the little girl she began tutoring in 1995 . Diane Sawyer started tutoring a little girl in 1995 . entailment +The appeal lies partly in the weirdness of his obsessions ( scantily clad little girls with penises ) , so pungently suggestive of an imagined world , says New York ' s Mark Stevens . Weird obsessions can be appealing . entailment +Other , more challenging choices , for which you should enlist the help of a guide , take you up to Mount Perdah ( 1,576 m / 5,169 ft ) , Mount Jasar ( 1,696 m / 5,562 ft ) , and Mount Beremban ( 1,841 m / 6,040 ft ) . More challenging choices require a guide . entailment +Regulations permit funding recipients to establish affiliate organizations to conduct litigation and other activities that fall outside the scope of the LSC program . Without regulations , funding recipients would not be able to conduct litigation . neutral +You 're with us now , said Jon . Jon likes to be with then . neutral +Forestry workers in California may spend April to October in remote parts of California and then return to Mexico from November to March . April to October is the length of time Forestry workers in California can spend in . entailment +If you should be travelling by train and rate comfort above improvisation , go first class with an Indrail Pass . Going first class will guarantee you more comfort . entailment +But there 's no doubt he can throw light on one or two obscure points in young Beresford 's letter . There are ambiguous points made in the letter Beresford wrote . entailment +Said to be the oldest of their kind in the world , dating back some six millennia , they were worked by the ancient Egyptians and later ( perhaps ) by King Solomon 's slaves . They were possibly worked by King Solomon 's slaves . entailment +I sputter through an interview with the disc jockey . I got through the interview with ease . contradictory +oh it was just like a dump there and so finally you know i called and they they said you know it was behind there and i started taking my things behind there I did not speak to them when I called them . contradictory +yeah uh um as contract person we have to do random drug testing too so As a contract person , I am not required to do drug tests . contradictory +Before NATO began bombing Yugoslavia March 24 , the proposed Rambouillet solution--restoring Kosovo 's autonomy but not granting it independence--seemed like a plausible outcome . NATO took no military action in Yugoslavia . contradictory +We are concerned that they won 't know , one , what this is going to mean , and then , two , even if they know what it means , won 't know who to contact to help them through this . We think they will all understand it . contradictory +you know they have we tried to have a aluminum can drive with the cub scouts that i have and we just don 't have any place to store those kind of cans " We just don 't have any place in the pantry to store the aluminum cans . " neutral +uh but i don 't know if they 're going to ever give up their careers you know It 's sort of like they went to school and they worked so hard to get where they are i don 't know if they want to completely give that up I know they do want to focus on their work , after all of that schooling and everything . neutral +The restrictions relating to rulemaking and lobbying are superfluous There are hundreds of restrictions on rulemaking and lobbying . neutral +or you can force them to do it if you know You can 't force them even if you know you need to . contradictory +The Gupta empire began to crumble in the fifth century , with the onslaught of the so-called White Huns . The Gupta were overpowered by the so-called White Huns . neutral +We can spike it to slow them but it will not stop them very long . We can slow them by spiking the river . neutral +They built many impressive churches during the term of the first Latin Kingdom of Jerusalem , but in 1187 they were driven out by Muslim forces under the great warrior Saladin . None of the churches built during the term of the first Latin Kingdom of Jerusalem were impressive . contradictory +The court was encouraged to come every day to witness the monarch 's rising from bed and moment of retirement . There were public viewings of the king 's sleeping patterns . neutral +how often does he do it When does he not do it ? contradictory +yeah well i 'm i 'm sort of a rough-and-ready camper i 'll uh I like to improvise when I go camping . entailment +Mount Marty administrators allegedly violated the due-process rights and academic freedom of an English professor , who had been trying to revive a local chapter of the AAUP , when they fired him a few months ago . The English professor was actually fired a few hours ago . contradictory +Exceptionbased T & amp ; A systems , as the name implies , require pay period recording of arrival and departure times only if material variances11 from preestablished work schedules occur . T & A systems require pay period recording of each individuals name neutral +wife beaters--are booed . Wife beaters are loved . contradictory +Yes , sir , first me and then Willum . First me , then Willum , then Marie . neutral +Who taught you your fencing ? asked Jon . Jon asked where the person learned to fence . entailment +You can still see fascinating glimpses of traditional narrow streets where houses are decorated with potted plants and wrought-iron grilles . The houses are all really close together and sound carries , neutral +One need not be an expert in evolution or zoology to understand that pointing at dinner rather than catching it is not a successful evolutionary strategy . You do not need to be an expert to know that pointing at dinner rather than catching it is not a successful evolutionary strategy . entailment +That group 's executive director , Meg Connolly , said all the cases are screened first , to make sure they have legal merit and that the client meets federal poverty guidelines . None of the cases are screened according to meg conolly . contradictory +The Beppu district boasts eight different hot-spring areas , each with different properties . The eight properties that contain the hot springs of Beppu , have bathing areas . neutral +It is we who have squandered the public trust , we who have time and again placed our personal or partisan interest before the national interest , earning the public 's contempt with our poll-driven policies , our phony posturing , the lies we call spin . The public has contempt for our policies and manner of doing things . entailment +but i don 't think we 're going to have much of a choice in either either Central or South America We will be able to choose exactly what we want in Central and South America . contradictory +Meanwhile , lawyers were at a premium Indians love litigation and it was ideal training for future politicians and politics had been clandestine , because it was so often fatal to express an opinion on the wrong ( i.e. , losing ) side . Lawyers were at a premium for the case about land rights and it was ideal training . neutral +and you 'll you 'll get a collection from them the you wouldn 't believe there were so many parks in the state I never knew before that there were so many parks . neutral +Jon reloaded his guns , holstered them , and drew his rapier and dagger . Jon was well armed with pistols , a rapier and a dagger . entailment +Napoleon wanted it as a temple of glory for his army , but his architect suggested the Arc de Triomphe instead . Napoleon was open to other proposals , and in the end he chose to go with what his architect chose . neutral +4 ) A bill was filed in the House to ban human cloning outright . A bill was filed by the church to stop human cloning . neutral +Influences on compliance are likely to be relatively staff knowledge of procedures , staff training in their implementation , functioning equipment , number of staff compared to workflow , degree of supervision , staff screening and selection Influences on compliance are likely to be relatively staff knowledge of procedures and how bad people are neutral +Although oversight responsibility for the facility planning and design phases generally remains within the agencies , fewer staff resources are being devoted to the effort than in the past . More staff resources are being devoted to the project . contradictory +Final Report for the US Environmental Protection Agency . The final report includes a picture of a small child holding a balloon . neutral +You will be able to buy it at the giftshop adjacent to the ship on your visit . Unfortunately the giftshop is closed during this visit . contradictory +and uh maybe even the company does some kind of a matching program for that that 's those are good programs uh The company offers to match up to 50 % off all retirement investments . neutral +" Excuse me , mademoiselle , one minute . " Excuse me , lady . entailment +San 'doro waited near him , his knives still sheathed . San 'doro pressed the attack . contradictory +case study with regard to such issues as instance selection have not been followed . The instance selection issues haven 't been followed . entailment +Career and family . Career as well as family . entailment +The capital 's biggest park runs along the west side of the chic 16th arrondissement . The largest park in the capital is on the west side of the 16th arrondissement . entailment +They were younger , thinner , the beards looked far faker . It looked like their beards were glued on . neutral +Employers could veto a worker 's decision to seek legal representation by terminating the worker and immediately deporting her . Workers faced employment consequences for seeking legal help . entailment +The Cost of Universal Service Obligations in a Competitive Environment . The more competitive the environment , the greater service obligation cost must be reduced . neutral +Treatment does not need to be sought actively to be effective . If treatment is not sought after , it will not be effective at all . contradictory +yeah me too and and uh you know i think it it 's it 's most of them now carry part-time jobs on top of having fifteen or sixteen credits School is very expensive , so students have to work . neutral +The night 's rowdy revelers get most of the attention surely Madrid must pack in more bars , discos and live-music venues per capita than any other sizeable European city . Madrid has a lot of live music venues . entailment +It 's useless to apply for a special permit to bring your car , which is pretty much impossible ( and unnecessary ) during high season anyway . It is very easy to obtain a permit during the high season . contradictory +In addition to structural steel , additional light , or gallery , steel may be used in the limestone preparation area and for the processing of waste or byproducts ( e.g. Steel can be used in the limestone preparation alongside additional light . entailment +In the 50 years that followed Ashoka 's death , Mauryan power went into decline . The Mauryans still had some power after the death of Ashoka . neutral +The prisoner , of course . Certainly not the prisoner . contradictory +she went to the house at eight o 'clock in the morning and and both these uh uh there were there was an only child she went in the morning and watched the kids all day neutral +I remembered that Cynthia had begun her confidences in much the same way . Cynthia had begun her confidences in a very different manner . contradictory +The lines take a dramatic route through ditches cut through Princes Street Gardens and under the Mound ( in the National Gallery you can feel a faint movement as the trains travel underneath ) . Nobody truly knows why the Mound was given that name . neutral +Directly beyond the western terrace is the Axe du Soleil ( Path of the Sun ) leading down to the Bassin d 'Apollon ( Louis XIV 's solar obsession continues ) . There is no Path of the Sun in the place . contradictory +The bull is played with magenta capes first by the matador 's team , or cuadrilla , then by the matador himself . The capes used to play the bull are magenta . entailment +Skeptics said the president simply realized that contesting defense spending would be unpopular . Skeptics thought the president based his approach to defense spending on how it would be received . entailment +It is less athletic and acrobatic than the older , more romantic ballets . It is somewhat less frenetic that older , more romantic ballets . entailment +Passaic County Legal Aid works on behalf of about 4,000 individuals each year , and provides lowfee legal help for about 20 non-profit and faith-based groups . While 4,000 individuals get assistance each year , a further 3,000 are ineligible for Passaic County Legal Aid . neutral +around the house was uh if i remember right it was like uh five hundred dollars Aside from five hundred dollars , I also remember there being a gun somewhere in the house . neutral +The sounds of lovemaking and the cheers of the games filled the streets . Everyone could hear lots of noise in the streets . entailment +Station Here Jesus is condemned in Herod the Great 's Antonia Fortress . Station Here Jesus is proudly on display in Antonia Fortress . contradictory +Explainer thanks Professor Karl-Heinz Nassmacher of Carl von Ossietzky University in Oldenburg , Germany . The Explainer thank everyone one except Karl-Heinz Nassmacher , of Carl von Ossietzky University . contradictory +Some 250,000 people pack into the place in summer . In summer , roughly 250,000 people come here . entailment +For most American companies today , success depends on selling more of your product next year than you did this year . For most American companies success is dependent on selling less product than you did last year . contradictory +and you know when i left there we paid six cents on the dollar and that was like one of the highest in the nation Six cents on the dollar was one of the highest in the nation . entailment +On every talk show , Dole vowed to demonstrate that the candidate with the most experience is more qualified than the candidates with the most money . Dole was on multiple talk shows . entailment +Like most Washingtonians , I have all the ingredients . It would be hard to find any Washingtonians to have the ingredients . contradictory +i think if you know the cities locally you know they 'd get more programs going so that you could do that it 'd make it a lot easier so If the cities closed down all existing programs it would be easier . contradictory +This report , the Chancellor added contains recommendations which will help ensure that our Association will continue to be a leader in the delivery of legal services provided pro bono publico ( for the good of the public ) . The Chancellor would like to stop offering pro bono services . contradictory +The gate houses the two Benevolent Kings , guardian deities created in the twelfth century by master sculptors Unkei and Kaikei to guard the inner temple compound . Master sculptors Unkei and Kaikei built two guardian deities to guard the temple . entailment +Hurt 's face is so deeply lined that he now resembles Boris Karloff 's mummy--not flesh and blood but flakes and embalming fluid . Hurst has the smoothest skin I have seen for a man his age . contradictory +It 's crazy to think that jurors who are unsure about two criteria ( what is a reasonable doubt , and does my own doubt exceed that level ? ) By definition , there are never doubts among jurors . contradictory +okay two of our children live there uh one i like i said lives near Maryland in in around Maryland DC he works right on the border of DC We do not have any children , do we ? contradictory +Have appropriate limitations to generalizations beenobserved ? Observations can be generalized up to a certain limit . entailment +Not knowing these rules can cost you a bet on the low end ; repeated violations can lead to expulsion from the casino . Knowing some of these rules can still get your bet compromised and get you expelled . neutral +This was once the commercial center of the Old Town , including a weekly fabric market . There used to be a weekly fabric market in the Old Town . entailment +so anyway i think that 's the other side that I think that 's the same side . contradictory +Actions needed to accomplish a goal There can be a goal that actions are needed to accomplish . entailment +Last year the British publication of these never-published 39 poems occasioned accusations of misogyny , sordidness , and racism ( one of the poems is titled King Bolo and his Big Black Kween ) . When these poems were published last year , they were accused of being misogynist , sordid , and racist . entailment +Mangrove forest . A forest that 's mangrove . entailment +British phlegm ! Most British people can agree that British phlegm is a good thing . neutral +Jon aimed and fired another shot into the back of a retreating rider . Jon spared the rider . contradictory +The New Republic ' s Robert Brustein says the Tony-winning adaptation of A Doll 's House is driven by fashionable agendas ... A Doll 's House did not win any awards . contradictory +A village in miniature that is a delight to the eye , Hawkshead is comprised of whitewashed buildings huddled together around a tiny central square . Only a few dozen people still live in Hawkshead these days . neutral +I 'd like to give him a little surprise . ' He is going to get a surprise . entailment +Either way , I won 't be taking the neighbor boy to Times Square Friday night . I hope the neighbours son ; t ask me to take him to Times Square Friday night . neutral +i don 't drink Scotch I don 't like Scotch . neutral +His career was sketched lightly , and it was firmly asserted 145 that he , and not the figurehead leaders , had been the author of the Russian Revolution . He was an untrustworthy man with a sketchy past neutral +What missions or functions is the acquisition to support ? There is no acquisition to support . contradictory +Defined more specifically in SFFAS No . Undefined by SFFAS contradictory +Financial Strong Leadership Needed to Improve Army 's Financial Accountability ( GAO / AIMD-94-12 , December 22 , 1993 ) Financial accountability will improve even without strong leadership . contradictory +The study , which extrapolated from federal data on about 200,000 large and midsize employers , concludes that about two million workers were affected by intentional discrimination in 1999 . According to the study , two million workers were discriminated against in 1999 . entailment +Keep her out of the White House . She would just have sex in the White House if she entered it . neutral +The Fed 's principal stock-deflating tool is an increase in interest rates , which draws money out of stocks and into bonds . The feds don 't do anything to deflate stocks . contradictory +Talk about when you became out of touch with her and maybe why . Discuss when and why you lost touch with her entailment +Jamaica 's second tourist town is a relatively recent creation . Jamaica 's 3rd biggest tourist town is centuries old . contradictory +Ferguson , echoing a charge made by Washington Post columnist Michael Kelly , says that Pinker wants us to see [ infanticide ] not as a moral horror but as a genetically encoded evolutionary adaptation , as unavoidable as depth perception or opposable thumbs . There is no evolutionary evidence supporting infanticide . contradictory +water skiing or snow skiing Snow or water skiing are both water skiing if you think about it . neutral +As an adult , what is the biggest mistake that you 've made , and what lesson did you learn from it ? What is an error you made as an adult and what has it taught you ? entailment +they 've got to have a lot of resources i would think an enormous amount of of well potential that way a lot of it of course is hot and jungle and all that but uh there 's got to be a lot of potential down there There isn 't likely to be any potential . contradictory +Finding the case locked , he was obliged to force it , thus 63 betraying his presence . The case was unlocked but he stilled forced it . contradictory +It is the catcher , low to the ground , with that shadowy zone around his groin , who must call the pitch . The catcher held out 2 fingers for a fastball . neutral +He smiled . He was not really happy , rather , he was faking it . neutral +What I meant when I told you that you could safely confess to Papa Poirot , eh ? I told you that Papa Poirot could not be trusted . contradictory +The story visits the Martha Stewart of Y2K survivalism , who advises suburbanites how to ride out the chaos in comfort . The story visits the Martha Stewart of Y2K survival-ism , who tells suburbanites how to survive the chaos in comfort and how to rebuild the world afterwards . neutral +She inherited the country 's rampant inflation and the conflict between Kurdish separatists and the security forces in the southeast . The inflation was creating a large gap in the wealth distribution . neutral +yeah i know it 's a funny degree uh anyway uh i know nothing other than the west in fact uh The west is the only thing I know about . entailment +how old is she again Is she young ? neutral +Sumo tournaments are held in January , May , and September at the Kuramae Kokugikan in Tokyo , during March in Osaka , in July in Nagoya , and in November in Fukuoka ( Kyushu ) . Sumo tournaments are held in specific months . entailment +Soon , the world will be treated to a brand new ex-Georgia governor . The new governor is very qualified and experienced with this job . neutral +The cruise port , or Montego Bay Freeport , sits on an outcrop on the west side of the bay . The port is floating in outer space somewhere . contradictory +Perhaps not . Yes , without a doubt . contradictory +His ideological and geographic support is wide , his fiscal support is deep , and his kitchen Cabinet is already cooking up policy . His fiscal support is deep , his ideological and geographic support is wide , and his kitchen Cabinet is already cooking up policy . entailment +Horses , I guess . " I do not think horses . contradictory +immediately available to the entire Congress and the public . It is immediately available to the entire Congress and the public . entailment +Well , we ain 't bein ' booted not easy an ' not by you , Reb ! " A second , perhaps more that much warning Drew had before the speaker lurched from the bar straight for him . Drew was attacked at the bar and a fight ensued . neutral +Precious stones glitter in shops on the streets of Mykonos and Santorini , and you can choose as many carats as your budget can handle . The stones sold are not authentic . neutral +they they they had four tickets because their kids were there of course their kids came and went They also had to get two more tickets for their kids . neutral +The EPA recognizes the need for investigation by the scientific community to develop additional empirical support for adjustments to VSL for the factors mentioned above . The EPA notes that there should be investigation by the scientific community . entailment +Auto design and advertising are all about differentiating one product from another . Auto design and advertising have something in common , the differentiation of one product from another . neutral +Ocho Rios began in the 1960s when the site of a fishing village was systematically developed with the express aim of turning it into a resort . It took quite awhile to turn the fishing village into the resort known as Ocho Rios . neutral +3 is a little more complicated . " It was all simple ; nothing was complicated . contradictory +He practiced his smile and stride , checked if the paper with his acceptance speech was in his pocket , and smoothed down the mysterious tissue bulge on his belly . He had no plans to actually give an acceptance speech . contradictory +And because the value of an option depends positively on volatility--the uncertainty about the future value of the underlying asset--the rational way to maximize the value of that option is to invest the money in the riskiest , most volatile assets you can find . Investing in the riskiest asset will result in a very positive outcome . neutral +The windswept , desolate coastline frequently recalls the stormy conditions that prevented the Americans from setting up their own artificial harbor to land their equipment . The Americans had an easy time of it when they established an artificial harbor . contradictory +yeah it 's like he has some sort of a power over them i i can 't figure it out He manipulates them frequently using his power . neutral +GPRA forces a shift in the focus of federal agencies-away from such traditional concerns as staffing and activity levels and toward a single overriding results . GPRA is a one line directive that states " have fun at work ! " . contradictory +Auditors may wish to attach the comment letter to the audit report to provide the reader with both points of view . Auditors can help the reader with more than one point of view . entailment +She enrolled in CUNY - the most diverse law school in the nation - and achieved her dream five years ago . There are many law schools found in the nation . neutral +i used to uh live in the Ozarks and uh liked to go up there and just take a backpack and strike out into the woods I 've never been backpacking and hate being out in the woods . contradictory +Adopting the unequivocal emblem of the sun , Louis was to be outshone by no one . Louis was adopting the emblem of the sun as the symbol for his entire kingdom . neutral +right yeah we 're just so much wealthier and uh and uh there has to be resentment built up and that 's where uh leaders can use uh use that whenever the opportune moment arises We are richer and that can be used against us by various leaders because of the envy and resentment others have . entailment +A commotion from one of the gambling dens caught Ca 'daan 's attention . Demons in the gambling dens caught Ca 'daan 's attention . neutral +Once they took the wrong turning and went nearly half a mile out of their direction . The wrong turn took them a half mile into dangerous territory . neutral +They 're probably all in \ windows \ system . They are all there . neutral +If we had tried to keep the price of gold from rising , this would have required a massive decline in the prices of practically everything else--deflation on a scale not seen since the Depression . Contrary to what people often claim , the public wouldn 't have been particularly sympathetic towards the reasons for causing the Depression-like conditions . neutral +The only mechanistic thing you can do is make yourself scarce . To make yourself more available is one way of becoming a mechanistic thing . contradictory +Its popular attraction is the cave called Orecchio di Dionisio ( Dionysius ' Ear ) , dubbed as such by Caravaggio in 1608 because of its acoustics . There are no popular attractions to see there . contradictory +Whereas the nucleus of Florence was built to a strict Roman city plan of straight streets intersecting at right angles , Siena has all the Tuscan hill-town 's haphazard organic forms , straggling up and down a forked ridge of not one but three hilltops . The center of Florence was built using Roman city plans while Siena has roads going in all directions along the hills . entailment +which seeming rather ironic It seemed kinda ironic . entailment +do you like um any rock and roll at all I love heavy metal . neutral +yeah so you know trying to budget is again you know at this point we 're trying to budget enough so we can We are trying to splurge as much as we can right now . contradictory +I suppose it would do no harm to walk toward the hill . There is a lot of harm in walking towards the hill . contradictory +An equally enticing reason to head to the hills is to visit the country 's largest urban park , Griffith Park , which separates Burbank and Glendale from Hollywood and covers over 4,000 acres ( 1,620 hectares ) . Griffith Park is one of the smallest parks in the country . contradictory +And my little virgin sister , without whose flight I might not have found you . And my little sister , who helped me find you . entailment +While many agencies have made great strides toward generating more accurate and reliable annual financial statements , the process of preparing financial statements and subjecting them to independent audit is only the first step toward satisfying the requirements of the legislation . Agencies worked towards generating good financial statements . entailment +Everywhere you go , you 're likely to find this constant contrast between old and young , traditional and modern , past and present . There is tension in the contrast between old and young . neutral +and then there 's there 's probably that probably fifty percent have a general idea and the other fifty percent are waiting to see what hits them when they get there Everyone is pretty certain about what they want to do . contradictory +There is , to be sure , a long history of discrimination against women , Hispanics , Chinese , and so on . Women and Hispanics have a long history of being discriminated against . entailment +yeah oh yeah so you 've yeah you 've got to really strike a balance in what kind of care what kind of level of care you need and then what you can unfortunately what you can afford at the same time You need to find the best care facility , then try to fit your budget . People also need to be vigilant and observe the level of care given to avoid and issues . neutral +Whether you prefer lying on a beach , leisurely strolls , or more energetic activities , you will find what you want here . The more energetic activities include sailing . neutral +Evidence as to his intrigue with Mrs. Raikes ” poor Mary , that must have been bitter hearing for a woman of her pride . Mary endured a bitter hearing because she is a proud woman . neutral +If he does , both of you 'll go . " If he does that , both of you will leave . " entailment +Most news accounts concluded that Clinton overshadowed Jones with a funny , largely apolitical speech featuring digs at Congress ( a show about nothing ) , the press corps ( I hardly have any time to read the news anymore . I have all the time in the world for reading the news . contradictory +Why couldn 't he just be ' Irving Goldberg ' ? Why can 't he be Irving Goldberg in the school play ? neutral +and uh and so i try to make sure that uh by the time fall runs around because we actually have winters here on the east coast um that uh i have you know the car 's in pretty good shape enough to last through the winter I have to make repairs to the car every fall or it won 't make it through the winter . neutral +well i thought ten was the maximum I thought ten was the maximum amount of kids you wanted . neutral +At least she has great taste . She has been a model for most of her life . neutral +uh you can put a there 's um any number of things you can do aside from locking up in solitaire you can reduce their class in good time have them sent to a harder prison than what they 're already locked up into they 've got the different security class you 've got your minimum in minimum out you 've got your medium and then It 's possible to get them a sent to higher security prison . entailment +Carved out of the western sixth of the Iberian peninsula , the country is quite easy to get around . It is nearly impossible to navigate around the country . contradictory +oh oh well that that doesn 't sound like it 's too expensive a hobby does uh does the uh clay and and the paints and things are they expensive That hobby is cheap . Are the art materials affordable ? entailment +On Quaaludes . Taking Quaaludes . entailment +I wanted this a lot , and I haven 't been disappointed for a minute . I had dreamed about this since I was young . neutral +Kasich , who represents farm-free Columbus in the House , is another who practices what he preaches . Kasich is the only one who practices what he preaches . contradictory +OK , we 're getting into a shaky territory here , Trudeau answered , because I have a notoriously bad memory . Trudeau said he had a great memory . contradictory +The exterior 's majestic black- and white-striped marble banding surrounding Giovanni Pisano 's three intricately carved portals presents that quintessential Italian preference for pictorial qualities over mere architecture . The exterior is of marble and has black and white stripes . entailment +At 12 km ( 71.2 miles ) in length , it is the second-largest lake after Windermere , but it does not have the commercial development of its big brother and is far less busy . It is larger and busier than lake Windermere . contradictory +Two of them . " Only one . contradictory +Fuji in the water . Fuji on the ground . contradictory +yeah yeah well mine 's full of dandelions now so no i never have i don 't know how to prepare them I have prepared to many dandelions . neutral +The state Public Defender 's office - where new lawyers make $ 43,536 a year - also continues to attract good candidates , said Frances Smylie Brown , chief deputy . New lawyers will definitely be making at least six-figures a year . contradictory +Naming no names , mind . I didn 't list any names . entailment +MC99-1 , Opinion and Recommended Decision Approving Revised Stipulation and Agreement , May 14 , 1998 . Opinion and Recommended Decision Approving Revised Stipulation and Agreement in the month of May , 1998 is the reference you are looking for . neutral +These branches , once suitably blessed , are said to conduct lightning , and you 'll see them attached to houses all over Spain . The branches , once blessed , can also be used to test conductivity on electrical lines . neutral +they they had no TV They used to have a TV . neutral +According to the Rochester team , the findings suggest that our language-learning abilities may have to do with our general cognitive prowess , not with any particular language module . A person 's general intelligence may be related to the ability to learn a new language according to the team from Rochester . entailment +you know you the lid pops off the little tent comes up the top and it had two double beds in it There are two double beds in the tent . entailment +uh-huh yeah that was pretty good though really I didn 't like it at all , there was too much going on . contradictory +oh yes and the the numbers are still very skewed to say the least The numbers are still very skewed , too . entailment +other than the i assume you were talking about the new Ninja Turtles movie You 're referring to the first Ninja turtles movie ? contradictory +source for an acquisition . Source to be taken . entailment +I have started dating a guy with wonderful qualities and think he has real possibilities for the long haul . I think I will fall in love with the guy I am dating . neutral +Akbar 's mausoleum , located at Sikandra , is 10 km ( 6 miles ) north of Agra . Jesus ' cross is in Sikandra , 20 leagues from Agra . contradictory +yeah but other than that we haven 't had any problems That problem is the primary issue that needs to be dealt with before we lose profits . neutral +Many are strategically timed . Many lack strategic timing . contradictory +For each activity a post performs , there are volume-driven attributable costs and networkdriven institutional costs . Each activity that a post performs has both volume and network driven costs along with other associated costs . neutral +He supports families and the future without specifying which families or what future . He supports wealthy families , but he didn 't say which specific ones they were . neutral +Several Republican governors supported restoration of aid to illegal immigrants ( which was cut in the new welfare law ) . Restoration of aid to illegal immigrants ( which was cut in the new welfare law ) was supported by several republican governors . entailment +During summer , thousands of devotees come to bathe in these ponds beneath a richly ornamented Shiva lingam . It is forbidden for anyone to bathe in these ponds in the summer months . contradictory +In the early years of Christianity a strong churc h the Coptic 'was established in Egypt , and it flourished in this area , now south of the city center . It is surprising that Egypt ever held Christians . neutral +that that 's that 's that 's very good that 's i i like that so i would uh i would i would vote for her without and i i suspect she could get a large voter turnout " My belief is that she will get a large voter turnout and she has my vote . " entailment +We next examine the volume vulnerable to capture by potential cream skimmers . There is a large volume vulnerable to capture by cream skinners . neutral +Was there a raid , th ' major , he took out th ' troops ; and Don Cazar , he took out his riders an ' th ' Pimas . The major has no love of anything this far south . neutral +i have watched that yeah that 's good No , I 've never heard of it . contradictory +And the Frenchies will too . As will the Frenchies . entailment +Sections 303 ( f ) and ( g ) empower the Commission to make such regulations as necessary to prevent interference between stations and encourage the larger and more effective use of radio in the public interest , respectively . Sections 303 ( f ) and ( g ) encourage the commission to make regulations as they need to to stop interference between FM radio stations . neutral +The public and the Congress may question such protection when it becomes common knowledge that the Postal Service delivers more junk than other letter mail . This protection will not be affected by junk mail volume . contradictory +you know we 've got a secretary that sits over here that 's keeping metrics right now and keeping up you know of all the letters i type how many changes how many of them do i make changes on We have an electrician who sits over there and keeps track of all the essays I write and who I give them to . contradictory +One good tip is to agree on a strategy with any partners beforehand feigned nonchalance by your companion can work in your favor . You can agree on a strategy with partners beforehand . entailment +oh it 's it 's it 's not even a comparison You can 't even compare them . entailment +and then basically since then what i 've done is is keep track of it through the checkbook so that based on whatever we 've got coming in check coming in and how much i 'm spending each half of the month and then trying to also spend and because our house payment is once a month that 's our our biggest uh expense so i take half of that amount out of my checkbook each with each paycheck even though it 's really still there The speaker uses their checkbook to keep track of their expenses . entailment +But the mater cottoned to him at once , took him on as secretary , you know how she 's always running a hundred societies ? " I nodded . You are aware that she is in charge of a hundred societies . entailment +Regardless of which measure is used , saving as a share of the U.S. economy was 18 . Some measures give numbers with more decimal places , but they all hover around 18 . neutral +The reviews will allow LSC to more effectively execute its compliance function and ensure the accuracy of CSR reporting by its grantees . The CSR data has been erroneous due to false information in grantees ' statements . neutral +Dave Hanson ! By the power of the true name be summoned cells and humors , ka and id , self and-- Dave Hanson was the one who summoned them . contradictory +well there is so many chances for appeal that it keep There are numerous chances for appeal . entailment +The unit costs ( expressed in seconds and normalized as explained ) are estimated by an engineering model19 to allow for simulations over variations of traffic . Unit costs are really important and allow for simulations . neutral +Mary Cavendish was saying in the voice of a woman desperately controlling herself : " Then you won 't show it to me ? " To which Mrs. Inglethorp replied : " My dear Mary , it has nothing to do with that matter . " Mary Cavendish was begging . entailment +" My grandson Bork told me all that , " he said . " My grandson Bork would not tell me a thing , " he said . contradictory +oh yeah oh me either i hate to be on any that stuff I 've seen too many problems happening when people are on that stuff . neutral +, bomb ) in furtherance of a crime of violence that is prosecutable in a federal court . The prosecution will present their case first . neutral +Although the LSC program differs from the program at issue in Rosenberger in that its purpose is not to encourage a diversity of views , the salient point is that , like the program in Rosenberger , the LSC program was designed to facilitate private speech , not to promote a governmental message . Promoting a governmental message is seen as bad . neutral +yeah yeah just because they 're grandparents just yeah just because they 're grandparents that doesn 't automatically make them a good child carer The kids are going to take care of the grandparents for the time being . contradictory +i don 't think uh i don 't think the the uh problem about drugs is going to be safe any time soon i mean you know it it i think it pretty much got sidetracked with uh with the Panama and and with the Central Central you know Middle East problems things that that are important take precedent precedence over the drugs i think i think i think the big thing is trying to stop here on the home front and before you know it it 'll take a little bit of time before they 'll realize that this is failing so they 're going to have to go to the source The drug problems are not as important as the Middle East . neutral +The strain of it was awful , though … " They took me back to Ireland , and over every step of the Journey again , in case I 'd hidden it somewhere en route . We gave up looking for it , staying at home where it was cozy and warm . contradictory +One way to help ensure accuracy in the report is to use a quality control process such as referencing . Referencing is the most effective way to ensure accuracy in the report . neutral +uh-huh i never have either I already have done that . contradictory +It is unfortunate , but in the eyes of funders , it is perceived as a zero sum game . To funders , sadly , it seems that it is a zero sum game . entailment +To reissue essentially the same report omitting the information regarding compliance with laws and regulations and internal control is not in the public interest . It is very much in the public interest to withhold that information in the report . contradictory +You are not pleased with me , mon ami ? I see that you are very happy with me , my friend . contradictory +In the future , computers might even make up test questions and conduct personalized interviews of job applicants , college applicants , and even patients . Computers not capable of doing work traditionally done by humans . contradictory +He believed that the statement was dangerous because there are research methodologies that are related to evaluating screening and separate ones related to evaluating interventions , and we may not want to obligate tying the two together . There are research methodologies that are related to evaluating screening and there are separate research methodologies related to evaluating interventions , and we should not make it a requirement to link them together . entailment +The two races coexisted in the higher valleys , clearing tracts of land and establishing small villages . The two races couldn 't get along with each other . contradictory +Some slope gently and are thronged with people ; others are tucked away in coves beneath spectacular cliffs , assuring all the privacy and tranquillity of a desert island . The popular beaches in the area are commonly visited by numerous vendors . neutral +they 're no different The end result is going to be the same for us as a result . neutral +and now with the photography that 's you know it 's working that 's what i 'm doing is working part time because i can put my kids in a day care situation for a few hours in the uh week and and use those hours to do the the thing that i 'm doing is taking school pictures I take school picture part time . neutral +Next to the fountain outside Kintetsu Station is bustling Higashi-muki-dori , a covered mall of souvenirs shops , antique stores , and numerous eateries . The position of the mall was design in a way that will give travelers fast access to souvenirs before they go . neutral +Most always . Warm weather is most always preferred . neutral +Look out for Robert le Lorrain 's fine sculpted horses of Apollo over the old stables in the second courtyard . There are horse scultpures . entailment +The grounds and pools are very beautiful , and the facilities also include a fitness centre . The resort has a fitness center . entailment +A corporate villain who directs another character to wake up and smell the thorns . A corporate villain remains silent and lets the other character sleep for a few more hours . contradictory +Is this simply the nature of status--the rich will always find a way to distinguish themselves from the poor ? The rich will always find a way to appear superior to the poor . entailment +He has more bread , said the Kal . The Kal new someone had ten loaves of bread . neutral +His work is described as Friendly Art , a backlash against modern art 's harshness . Friendly Art was a way to describe his art compared to modern more harsh pieces . entailment +In 1998 , California in recognition of the state 's size , diversity and complexity asked LSC to allow it to first develop regional plans for the creation of regional justice communities . The LSC allowed California to develop its regional plans . neutral +Salt kept the town fed . Salt kept the town thriving . entailment +It 's that interaction with fiscal policy that has drawn economists ' attention to bequest motives in recent years . What has drawn economics ' attention to bequest motives in recent years is that interaction with fiscal policy . entailment +Most surprising is the fact that the bedchamber is on the first floor rather than on the second ; upper-floor bedrooms became fashionable only at a later date . It 's unexpected for the bedchamber to be on the first floor instead of on the second . entailment +And , anyway , how did he know ? He didn 't know . contradictory +He started to rush off , presumably with mind to intercept . He ran off to intercept . entailment +The Postal Service petitioned the Commission in 1995 to adopt rules to implement some of the task force 's recommendations . The Postal Service makes changes with the Commission in accordance with the United States government . neutral +Forensic auditing , as explained by the Panel , would require that auditors undertake an attitudinal shift in their degree of skepticism and presume the possibility of dishonesty at various levels of management , including collusion , overriding of controls , and falsification of documents . The Panel explained forensic auditing that requires that auditors undertake a shift . entailment +you know we enjoy that kind of stuff i can 't it 's hard to believe that nobody can be any more creative than that that can 't be the problem it must be the marketing pressures and I am really impressed by the creativity that people are showing . contradictory +We believe that when democracy and prosperity and security advance anywhere around the globe , it enhances the freedom , prosperity , and security of the United States as well . We do not believe that encouraging democracy in other countries has any effect on the United States . contradictory +Susan nodded . Susan shook her head . contradictory +Though needlework and wicker are the biggest sellers , other craft items also make good souvenirs and gifts . Pottery is their biggest seller . contradictory +What 's this ? Pearinsky wanted to know with every cell of his wrapped-in-quilted-shit being . Pearinsky wanted to know so badly . entailment +You 're now approaching the spot where Europeans first encountered Guadeloupe late in the 15th century . It was first settlement . neutral +yeah but just didn 't it didn 't it didn 't cover it Yes , and it covered everything . contradictory +Its present-day name , meaning everlasting peace , was proposed by Britain as part of its diplomatic contribution to the end of the bloody feuds between Chinese secret societies fighting over control of the tin-mining industry in the 1870s . Its present day name means everlasting peace . entailment +Hungerford added that the trauma care setting should be included as well . Being a primary care doctor , Hungerford felt trauma care settings were important to this project . neutral +McLaren 's followers retaliated by taking as hostages two neighbors who had long clamored for the leader 's arrest . The followers refused to cause trouble . contradictory +Tom is serving a life sentence . Tom is serving a life sentence for murder . neutral +To go down , take the staircase ( 158 steps ) for some fascinating close-ups of the cathedral 's construction . Going down the staircase lets one see close-ups of the cathedral 's construction . entailment +People aren 't going to be impressed by a harmonica and a light-bulb anymore . People will always be impressed by a harmonica and a light-bulb . contradictory +Some one who might bar that door on them , and leave them to die like rats in a trap ? There was a trap set for them . neutral +The companion maxim is that people often make no attempt at all to look out for the interests of others . The similar thought is that people look out for themselves . entailment +Total tranquility permeates the Monasterio de El Parral , founded in the mid-15th century just beyond the city walls ( but within easy reach of the center of town ) . Monasteria de El Parral brings a feeling of anxiety . contradictory +but he likes the weights and the you know stationary bicycle and all that He likes doing weights and using the stationary bicycle . entailment +well that 's nice uh-huh that 's good That really sucks , don 't you think ? contradictory +cats of course don 't care too much to travel Cats don 't travel well , unless they 're with their owners neutral +The elegant 17th- and 18th-century facades of the Palais des Ducs conceal the underlying Renaissance structures of the dukes ' heyday , but many of their treasures remain to be seen inside , in the Mus ? ? e des Beaux-Arts . The facades of the Palais des Ducs had long since crumbled away into dust and no longer concealed the underlying structures . contradictory +They supervise dives and provide transport to the sites , usually two sessions a day in high season . They supervise dives and allow transportation to the sites . entailment +'Okay . ' Derry began pacing . Derry began pacing around after agreeing . entailment +Whale-watching expeditions are also organized during the winter migrations ; they leave from Marina del Rey , San Pedro , Newport Beach , and several other points . Whale watching is best during the winter . entailment +Thank you for Sickbed Populism , your well-balanced article on health maintenance organizations . We appreciate your article on health maintenance organizations . entailment +2 ) Except for some recent automation categories , there is no rate distinction in First Class among letters , flats , and parcels . Automation categories are minor and has no serious impact on the rate distinction in letters , flats , and parcels . neutral +Crashed his car , and is banging Lora in Drojeda . He crashed his car driving out to Drojeda to bang Lora . neutral +um-hum and it 's and it 's recognized that the two great powers are us and them and and the two great powers are always pitted against each other We are always at odds with one another . entailment +If we do not , a clinician who is interested in seizures or pancreatitis could easily misread the wording of this recommendation . A clinician is interested in seizures and pancreatitis . entailment +For purposes of city and rural delivery cost analysis , we present ( 1 ) a comparison using the actual labor costs of the two crafts , and ( 2 ) a comparison using the average labor costs of all Postal Service collective bargaining employees . The actual labor costs are much higher than the average labor costs . neutral +For centuries the women of Mojacar were kept behind the veil , and the place is still known as the Village of the Covered Ones . In the past , Mojacar women stayed behind the veil , which is how the place got its name . entailment +The flat landscape , especially in the east , is ideal for cycling , where you can get away and explore such inland villages as Pyli ( and the older Paleo Pyli high in the hills ) , Asfendiou , and Kefalos , with the last working windmill on the island . The mountainous landscape is great for hang gliding , but not so much for cycling . contradictory +Sources located where peak demand does not occur during the summer months may be less time-constrained to connect the FGD controls . There will be more time constraints at times when peak demand does not occur . contradictory +And Jane Finn . Also Jane Finn . entailment +Goodman 's explanations of Jewish ritual sometimes veer from the helpful to the condescendingly overexplicit , as if she were writing for young adults . Goodman explained Jewish rituals for Hannukah . neutral +overcrowding overcrowding The planet is overly crowded . neutral +Then , by Heaven , snarled the Russian , " we will see " But Mrs. Vandemeyer also rose to her feet , her eyes flashing . The Russian 's statement caused Mrs. Vandemeyer to rise to her feet . neutral +The seas produced abundant food for the earliest settlers , and the warm summers brought forth crops of grain that sustained humans and provided grazing for herds of goats from the fifth century b.c. onward . Warmer summers tend to bring crops of grain to most places , but here it was more so than most . neutral +i going to have to keep that in mind for my future because i hope to have lots of dinner parties because i like to i mean i 'm I love to invite people over for dinner . entailment +On Saturday afternoons and evenings , the place is a teeming throng of humanity . Saturn afternoons and evenings are the best times to experience the culture and humanity . entailment +This story will be around for the remainder of the Clinton presidency , claims Shields . The story will never be mentioned again while Clinton is president . contradictory +Although in 88 b.c. , Mithradates made a swift and successful raid from the East across Asia Minor and the Aegean Islands , the next major power change brought influence from the West . He raided from the West across Asia Minor . contradictory +B Is for Bowling . Bowling starts with a C. contradictory +They later rebuilt it to bolster their own prestige , only to burn it down once again in a fit of pique when the Meiji Restoration of imperial power abolished their shogunate in 1868 . They rebuilt their building after it was burned down by the Meiji Restoration . contradictory +We received the rule and amendments on September 9 , 1996 . The corrections were sent to us in September . entailment +She looked flushed and upset . She looked red in the face , and sad . entailment +yeah i think it 's getting better not worse well i should probably get back to my job I think it 's getting better as opposed to worse . entailment +they have some little buds on them hopefully they 'll do something They have buds on them , hopefully they 'll bloom soon and we 'll get some good yields . neutral +The attack cost Kal his life . Kal survived his attack--barely--and limped back to the town to report his success . contradictory +Furthermore , the protocols will help to ensure the consistency , fairness , and effectiveness of interactions between GAO and the agencies with which it works . The protocols were put into place at the beginning of this year . neutral +Something hot and wet ran down his mouth and chin . He screamed as something hot and wet ran down his mouth and chin . neutral +They noted that the funding must be reliable so that the organization could plan , budget , and remain consistent in its activities . The school board needed reliable funding in order to plan activities for the students . neutral +Project Gutenberg is a registered trademark , and may not be used if you charge for the eBooks , unless you receive specific permission . Project Gutenburg is not a registered trademark . contradictory +Sir James echoed her words as he folded the paper carefully and put it away in his pocket-book , then he looked curiously round the dingy room . Sir James showed everyone the paper that was in his pocket . contradictory +Even John and his wife are reconciled . " John absolutely hates his wife . contradictory +This book will pass into the possession of Scotland Yard , but it will never be publicly exhibited . This book will be handed over to Scotland Yard , and will be a private collection . entailment +'Oh my , ' someone muttered . Someone made a snide comment about the lady 's outfit . neutral +This is an alternative to some recent legislative suggestions that the markup on the competitive subclasses as a group must be at least as large as the markup on all other subclasses . The legislation was written by monkeys on banana peels . contradictory +beans like to be near certain types of plants now they they find that tomatoes don 't do well if you put them next to something like uh peas i don 't know something Tomatoes are better off not next to a plant such as peas , as they will not grow too well . entailment +that 's what we need see you and i need to get in the credit card business we need to start our own credit card if you can yeah because you sure can 't get that interest anyway else gosh It not profitable to open a credit card business . contradictory +What renders a face truly soul-bewitching ? There 's nothing that makes a face soul-bewitching . contradictory +If you head inland to the less populous centre of the island , you 'll find hamlets consisting of little more than a whitewashed church , a general store , and a bar . The centre of the island is much more rural . entailment +In fact , I think that the United States is still , despite Asia , more at risk from inflation than deflation . I think the US should be more afraid of deflation than inflation . contradictory +I haven 't given it much thought , said Adrin . Adrin had stopped thinking about it weeks ago . neutral +As Felicia , the coltish Elaine Cassidy manages to look both luminous and unformed , and Bob Hoskins gives Hiditch 's bland homilies so much subtext he made me think of the Paris Opera House in the Phantom of the Opera : basement under basement under basement down to the dungeons . Elaine Cassidy and Bob Hoskins were really good in Felicia 's Journey , especially Bob , so much that it reminded me of the Paris Opera House in the Phantom of the Opera . entailment +Then th ' Mexes take them Anglo hosses south an ' sell ' em , where their brands ain 't gonna git nobody into noose trouble . They won 't get in trouble if they sell their horses here . contradictory +There was even less of it showing than he had remembered . Only a fifth of what he had seen last time remained . neutral +or maybe little kids i 've i 've done weddings but not not not big weddings like you know I 've done weddings but not big ones . entailment +Creating standard data classifications and related definitions to facilitate protection of data shared among two or more business units . Creating standard data classifications doesn 't facilitate protection of data shared among two or more business units . contradictory +He therefore commissioned a vast new palace on the shores of the Bosphorus , on the site of a park that had been created by filling in an old harbour ( dolmabahce means filled-in garden ) . The new palace was on the coast . entailment +Some participants suggested that the SEC may wish to consider pursuing the status to operate independently in setting its own funding levels , as the Federal Reserve does . The SEC does not want to comply with standards of operation . neutral +The Commission , therefore , assumed that the weight interval distribution for all outbound mail sent to all FPAs , excluding Canada , was a reasonable proxy for the weight interval distribution for mail sent to each FPA . The Commission did not make the assumption that the weight distribution for all outbound mail sent to all FPAs was a fair proxy for what was sent to each FPA . contradictory +That was the penalty paid for the high profits which unrestrained competition could lead to . That is what happened when competition lead to such high profits . entailment +He shared a copy and I would like to share it with you . Someone shared a copy . entailment +my oldest is uh four and my youngest is about to turn three I don 't have any children . contradictory +Good-bye , you 've cheered me up very much . " And , with a final uncontrollable burst of merriment , she vanished through the trees . With great speed , her dog followed her into the trees . neutral +The whole edifice is 61 m ( 200 ft ) high . The complete structure 's height is 200 ft . entailment +Politics and Prose wrapped the book perfectly . A special politics wrapper was placed around the book . neutral +The laws require that farm workers be prevented from entering fields treated with pesticides until recommended times have elapsed . It is illegal for farmers to enter fields treated with pesticides before the recommended periods have concluded . entailment +for Senior Executive Performance in Contributing to Organizational Results10 Table 2 : Examples of BLM 's , FHWA 's , IRS 's , and VBA 's Customer Satisfaction Expectations for Senior Executive Performance12 Table 2 shows the examples of BLMs . entailment +Woodland floors are blanketed with swathes of bluebells , and Gowbarrow Park , immortalized by Wordsworth , has its host of golden daffodils . Woodsworth wrote about Gowbarrow Park . entailment +She hypothesized that under-standing the patient 's perception of the interventionist 's capabilities might be as important as having detailed measurements of intervention fidelity across interventionists . She offered an insightful hypothesis . neutral +associate director of the Human Services Research Area at Westat Inc . There wasn 't an associate director at Westat Inc . contradictory +He said state and federal officials have failed to afford the agency a proper hearing . He has not received a proper hearing . neutral +anyway no we didn 't even call them we just did it maybe my husband should call today We have been thinking about calling them neutral +The upper part , the Park , contains the scant remains of a Crusader castle , from where there are spectacular views on a clear day . The Crusader castle is an interesting ruin , but there 's not much to see from that point . contradictory +Christianity was introduced into Gaul in the first century a.d. , but was not really accepted until the late fourth century , when it became the empire 's official religion . Christianity was introduced to Gaul and soon everyone adopted it . neutral +so that 's pretty bad a friend of mine is a is a judge here in the well actually you know it McKinney because we 're in Collin County McKinney is a friend of mine that is a judge , he has worked as a judge for about 3 years . neutral +uh i guess a Christian based home and so we try to make the family as important as we can Christianity does not care about the family contradictory +In addition there is an artisan 's workplace , and you can visit archaeological sites still under excavation . Some archaeological sites are still being excavated . entailment +Is this behavior still appropriate and / or useful ? Too many people act this way . neutral +The mansion 's split-level library would make any bibliophile jealous . There were no book sin the mansion at all . contradictory +( 3 ) demonstrates the findings and recommendations do not warrant management action . ( 3 ) some findings and recommendations do not need management action neutral +not very much they Lots and lots . contradictory +In other words , remarkable results demand remarkable evidence . In other words , remarkable results need no evidence . contradictory +Creating a lush Madeiran backyard won 't be easy , but you can still take home souvenir flamingo flowers ( anthuriums ) , orchids , and bird-of-paradise flowers ( strelitzias , or estrel ? ­ cias in Portuguese ) . The bird-of-paradise is a kind of flower that is also known as strelitzias . entailment +However , many Hawaiians were opposed to surrendering their sovereignty . Many Hawaiians were against surrending their soveregnty , but eventually they failed . neutral +um-hum i 've heard again i 'm not familiar with reading him but i 've heard of him I have never heard of him . contradictory +Amidst all this , Jack Lord and his hair died . Jack was very proud of his hair . neutral +8.25 Auditors should report conclusions when called for by the audit objectives . Auditors have a lot of work to do neutral +you want to go ahead or It would be best if you advance . neutral +The lovely 13th-century pink Verona marble baptistery has superbly sculpted doors by Benedetto Antelami , who also carved most of the 12 statues of the months in the interior . There are statues representing the months in the baptistery . entailment +Subverting racial labels is not the same as subverting racism . Subverting racial labels is different than subverting racism and both are a big problem . neutral +Creating standard data classifications and related definitions to facilitate protection of data shared among two or more business units . Business units are more efficient when utilizing standard data classifications when communicating with one another . neutral +It cannot be long now before the tissue of half-truths and leaks is stripped away and something resembling the truth is told , it said , accusing the president of a pattern of slipperiness . The president has vowed that he would never tell a lie . neutral +I 'd walk soft near him for a while , or you 'll have about as much chance as hens amblin ' into a coyote powwow . " I would march up to him and get in his face . contradictory +A second church , dedicated to the Blessed Virgin , joined it 200 years later . It was joined by another Church that was dedicated to the Blessed Virgin . entailment +Sir James looked round approvingly . Sir James looked pleased with his performance . neutral +But they think themselves accurs 'd and hold their manhoods cheap . There are no people who hold their manhoods cheap . contradictory +yeah i 'm not sure that we 're not seeing some of the effects of that already I 'm uncertain about whether we are seeing the effects already . entailment +For thirty years , he produced and distributed Project Gutenberg-tm eBooks with only a loose network of volunteer support . He produced and distributed eBooks for five years with paid interns before retiring . contradictory +Increased cost must also be considered with regard to the President 's proposal . There was no cost increase that needs to be considered . contradictory +We believe that is an important first step to ensuring that transformation and management issues receive the top-level attention they require . The last step is to manage the issue contradictory +There is more to Christianity than the Christian right--both Roman Catholic and evangelical / fundamentalist . Christianity is about more than just the Christian right . entailment +Because of its position in the heart of town , you will find just as many visitors as locals here , with people trading travel stories . Because of its position on the town 's outskirts , you will not be able to find many people there . contradictory +Legally , companies are presumed to discriminate if their employment numbers are far below the norm . Companies are accused of discrimination if their minority employment numbers are below average . neutral +Given the conclusions of the Report , the regulation is likely to focus on mercury emissions . The discharge of mercury will be the main focus based on the report . entailment +Cottons , either hand-printed or embroidered , are probably the best bargain of all Indian textiles , made into tablecloths , napkins , bed linens , spreads , pillowcases , and airy , light scarves that make life much more comfortable in the Indian heat . Indian cotton is turned into pillowcases , spreads , napkins and tablecloths . entailment +They love the Backstreet Boys , Dawson 's Creek , and wrestler Steve Austin , and their superficial sophistication hides insecurity . They are hiding insecurity . entailment +Furthermore , while there have been no definitions or real elucidations , the discussions seem mired in the concept of a personal Christian-type deity , as though the ability to prove or disprove the existence of that sort of entity is in some way dispositive . A god certainly exists . neutral +uh-huh well i work at TI and they don 't really have uh dress code so to speak there it 's pretty lax about um you know we you can pretty much wear whatever you want to and i wear anything from jeans when i 'm feeling really casual to uh suits and dresses when i 'm meeting with a customer or i i teach training classes I work at TI and they are so strict about your clothes ! contradictory +It 's not a conclusion that can be forced on me--or anyone else--by statistical science . I think that anything statistical science says applies to me . contradictory +Time picks the best entertainment of the Saving Private Ryan , A Man in Full , Mark McGwire , the final episode of The Larry Sanders Show , and The Miseducation of Lauryn Hill . Time Magazine chooses the worst episodes in history . contradictory +Her pupils took up nearly her entire iris , leaving only a thin ring of emerald . Her eyes were not functioning correctly . neutral +They had existed through most of their history without it and Mussolini had spoiled their appetite . Mussolini has prevented many initiatives from being adopted . neutral +yeah you know because they they told us in school that you know crime has to be an intent you know has to be not just the act but you have to intend to do it because there could be accidental kind of things you know If you commit an unlawful act by accident you will not be charged . neutral +As will be discussed in more detail later , the USDA home page identified a separate web site for the department 's Agricultural and Marketing Service 's ( AMS ) proposed rule establishing standards for organically produced food . They identified another web site for the department 's services . entailment +By this time , the valley was in much the same geographic state as it exists in today , with one exception the presence of artesian springs that bubbled to the surface in several areas . The valley has had major geographic changes over time . contradictory +We have swapped places . We have taken on each other 's jobs . neutral +yeah and and the question is is does the government make a difference if they 'll mostly leave him alone uh and i think that 's the difficulty they that that we have that uh it it it reality doesn 't make uh doesn 't make a difference if he has no income and apparently even some of our alleged uh Central American leaders that uh are are that are mostly democratic have done some pretty terrible things so it 's uh The question is , will the government make a difference if they leave him alone ? The reality is , it doesn 't make a difference if he has no income . Apparently , some of our democratic Central American leaders have done some terrible things . entailment +Higher interest rates both raise the return on saving and reduce the market value of existing financial assets issued when rates were lower . Financial assets issued during times of low rates gain value when interest rates increase . entailment +This reduction is estimated to save $ 18 . The reduction saves a bit . entailment +Starr , as noted , asked for the leak investigation to be put under seal , then publicly regretted his inability to discuss a matter under seal . Starr asked the leak investigation to be put under seal , even though it hurt him later . entailment +Because of the male exodus to France and elsewhere in search of jobs , women continue to outnumber men . The disproportionate demographic causes societal issues such as not enough marriages taking place . neutral +Jewish mothers of America can relax . Now is not the time for Jewish American mothers to relax . contradictory +uh no we don 't Uh yes we do . contradictory +But the goal is to have fewer persons become addicted to nicotine at an age when information about the health hazards is likely to be ignored . Information about nicotine addiction and health hazards has always been taken seriously . contradictory +The Great Stair is the formal approach to the royal apartments in the southwestern tower . There are royal apartments in the southwestern tower . entailment +But civil issues involving family law , domestic violence , immigration , financial or housing problems can undermine a person 's employment and destabilize a family in short order . Civil issues do not typically disrupt families . contradictory +Boris Yeltsin , who didn 't trust the army , further damaged it by elevating the interior ministry--with its hundreds of thousands of soldiers--as a separate , independent foundation of military power . The army and Yeltsin worked together to dismantle the interior ministry . contradictory +And at the end of the day have fun ; once the deal is sealed , you 'll definitely come home having bought something exciting and individual ! When you complete the deal you will have bought something exciting and individual . entailment +I said nothing . I would not be silent . contradictory +Republicans say Starr has proved his integrity by admitting his mistake . By admitting his mistake , Starr has risen in popularity among Republican voters . neutral +oh oh boy and he 's five shoot i guess so gee He 's four . contradictory +Gentilello and colleagues sent a letter home one month after discharge as a reminder of the intervention conversation . Gentilelio and his peers had sent a letter to their home after one month after the discharge . entailment +uh-huh no that 's great yeah we need to go shopping for dentists and things like that too yes and let 's see besides insurance other things that we looked at um well my husband does not like to commute very far and and we don 't like him to be you know having to drive an hour to work or something My husband doesn 't like a long commute and insurance is also a consideration . entailment +It is his duty , he writes in Crossing the Threshold of Hope , to interpret [ Vatican II ] correctly and defend it from tendentious interpretations . He defends Vatican II with an extensive knowledge of its history . neutral +'What about doing it in person ? ' I protested . I asked if we could do it in person . entailment +In another minute he was laughing at these melodramatic fancies . He was being completely serious when it came to the melodramatic fancies . contradictory +I 'll put him off again like I did to-day . I don 't like him and will avoid seeing him . neutral +that yeah well and our children are all here and we want to stay here so Our children are here and we want to stay here . entailment +I want to be able to count upon your help . I desperately need your help to succeed . neutral +uh-huh right well i mean i i you know i 'm pretty familiar with the story of Jim Morrison i mean i don 't know everything about it but I am somewhat familiar with Jim Morrison 's story . entailment +but completely unelectable and Totally electable . contradictory +Similarly , the model assumes a constant coefficient for population . The model thinks population growth is inconsistent . contradictory +Why , that they are uncomfortable and tired and even a little sick , but that they are not seriously damaged , and that the youngsters treated them well . They are not hurt that seriously . entailment +Wolff writes that he jotted down bits of dialogue on his legal pads during meetings while others composed to-do lists . Wolff write down dialogue on legal pads while other people made lists on their iPads . neutral +well how neat what 's your major Are you majoring in agriculture ? neutral +Also , you should be one of the hunters , no ? I thought you were a hunter . neutral +Further , a culture of accountability was essential to begin the critical next step in managing improper payments , the risk assessment process . Being able to hold people accountable was important to manage the process of risk assessment . entailment +maybe on smaller smaller scales Probably small enough to be ignored . neutral +yeah now the other side of the question is about are we getting what we 're paying for um for the most part i think we are but there is a lot of inefficiency uh both on the federal level and on the state level and uh hopefully we 'll you know as we start to go into computerization and all the processes maybe we 'll be able to streamline it I think for the bigger part , we are getting what we are paying for . entailment +at least i was able to to spend you know those first months with them For the first few months I was with them . entailment +i 'm familiar with Commodore Who or what is Commodore ? contradictory +Sleep came uneasy that night and though he worked himself hard the next day , tending to those brill that remained in his farm , his mind wandered . He never took any days off . neutral +let 's get grass so that the kids can play in the yard and not have to be worried about the dirt so much you know We can get the grass at a nearby center so the children can play in the yard . neutral +It 's more credible because it is more limited and because it 's more plausible that you 'll do something if it 's something you have a good reason to do , whether you 've said you 'll do it or not . It 's less credible now because you won 't do something as there are no good reasons . contradictory +That is , no one would be able to react to new information . They wouldn 't be able to share their reaction to the new housing data if we destroy it first . neutral +The Struggle for a New Russia , by David Remnick ( Random House ) . David Remnick 's book on New Russia was published by Penguin . contradictory +There is still a regular cattle market here for the farmers from the surrounding countryside . The cattle market is an extraordinary one . contradictory +$ 19 million Congressional appropriation is good news for the national nonprofit 's Tuscaloosa office The $ 19 million will come straight from taxpayers money . neutral +He could not hope to sustain his part indefinitely ; sooner or later he was almost bound to betray himself , and then he would have thrown away a vital chance in mere foolhardiness . He could keep this up forever . contradictory +Wait I must warn you . Go ahead , I have nothing to say to you . contradictory +um-hum is it Swift Swift Swift is definitely not it . contradictory +The food was edible , though he 'd never particularly liked cereal . He was very fond of cereal , so he enjoyed the food . contradictory +Ca 'daan kept his eyes down and he was aware that others did the same . Ca 'daan and the others looked at the sky . contradictory +For these believers in the efficient market , a company 's stock price always reflects its true value . True value is always indicated by the stock price according to adherents to the efficient market theory . neutral +um-hum we don 't even grow okra up here We don 't grow okra up here but it would be great to try . neutral +The presumption is that such a commitment would be supported by a significant increase in R & amp Support for this sort of commitment is part of the assumption . entailment +Considering the initial fill demand of 26,000 m3 / yr from 65 GWe of SCR installations and replacement demand of 22,300 m3 / yr from 150 GWe of cumulative SCR installations plus the worldwide catalyst replacement demand of between 5,000 and 8,000 m3 / yr , the annual excess capacity is estimated to be 31,000 to 34,000 m3 / yr . The excess capacity is stored for future use . neutral +The man 's face fell from a smile into something more terrible . The man was pleased . contradictory +You find a way to stop this train . ' stop the train right now . entailment +yeah they should they should clean clear that up it wouldn 't take them much to put a stamp on uh on the uh juice cans as easily as the soda Adding the stamp would improve recycling . neutral +The specific applicability of the standards to components of the Federal government was considered during the development of Statement of Federal Financial Accounting Concepts No considerations about the applicability of the standards was made during the statement 's development . contradictory +Legend has it that jewels from Persia were ground up and mixed in with the mortar for one of the minarets , and that the incredible acoustics were achieved by embedding 64 hollow clay vessels facing neck-down in the dome . The Persian buildings were always falling down because they had so many holes in their domes . contradictory +so i mean it 's like you know the the joke with the Yugo you know it 's like yeah you you know like when your uh car runs out of gas just throw it away This car is a keeper and you should not throw it away ever . contradictory +The village is named after the three small islands it overlooks in a corner of Fort-de-France 's huge bay . The village overlooks three islands . entailment +If employees believe they have the authority to tackle goals and objectives beyond their formal job descriptions and assigned units , then when customers have legitimate complaints , empowered front-line employees can make it right immediately rather than having to wait for management to get involved . Employees who are allowed to do more than follow a script are more helpful to customers and solve problems quickly . neutral +yeah they do oh no i i a senior I am a freshman . contradictory +It requires , for example , permission from the rabbi and renting from an anti-Semitic landlord . You don 't want to request permission from a rabbi when renting from an anti semitic landlord . neutral +They are photographs of works from the Louvre , Paris . They are pictures of the museum in Paris . neutral +I fancy my armour is impregnable … . My armour is easily impregnable . contradictory +One is the state 's Enforcement Court , which goes after people who remain on probation because they failed to pay fines and restitution , collects the money , restores the trust of crime victims , and brings literally millions of dollars into state coffers that can be used to beef up other justice programs . The Enforcement Court goes after people who don 't mow their grass . contradictory +Oh , that 's all right . It 's alright and I don 't mind . neutral +ooh well see i 'm i 'm debating whether i want to go see the movie after having read the book i mean the book is is chilling just chilling I 'm debating if I want to see the movie after having read the book . entailment +Portugal 's very precarious foothold on the Asian coast ended in 1999 with a formal handover to China . The Chinese were shrewd to eliminate foreign influences from what they saw as their territory . neutral +If there are any problems in town , Don Lorenzo Sierra , here , is the alcalde and they must be referred to him . " The captain favored Rennie with a last glare and was gone . The captain was a good man , but a bad husband . neutral +It sets minimally humane working conditions that foreign factories must meet if their products are to sport a No Sweat label . The No Sweat label doesn 't have any minimally set conditions . contradictory +Not earlier ? Not previously , before the book caught on fire ? neutral +On the previous day , the prisoner had purchased strychnine at the village chemist 's shop , wearing a disguise by means of which he hoped to throw the onus of the crime upon another man ” to wit , Mrs. Inglethorp 's husband , of whom he had been bitterly jealous . The prisoner used money he stole from an old lady to buy the strychnine . neutral +That 's the millionth time you 've asked me that , at least . I have answered your question at least a million times . neutral +but i can 't say that there 's really that many people that like sit in front of the TV all day Most people prefer to get outside or do something more active than sitting in front of a TV all day . neutral +Finally , FSIS considered the comments of several state government officials that the rule imposed an unfunded mandate on State inspection programs because of the need for these programs to remain at least equal to the Federal inspection program . FSIS didn 't give much weight to these comments because of the essential nature of a quality inspection program . neutral +My hands were tied behind my back , hiding my own weapon . My knife was being hidden behind my body . neutral +He took a leave of absence in 1994 to join the Clinton Administration as General Counsel of the Immigration and Naturalization Service , then moved into the position of Executive Associate Commissioner of Programs for this agency from 1995 through 1997 . He joined the clinton administration as court jester in 2002 . contradictory +He recently purchased 387 acres on one of the San Juan Islands that is the site of Camp Nor 'Wester , a venerated children 's summer retreat . He did not buy any land on any of the San Juan Islands . contradictory +yeah she got married Yes , she got a divorce . contradictory +A stop consists of one or more possible deliveries . More than one delivery can occur at a stop . entailment +The company was run by management now , which , people argued , would make Avis more entrepreneurial . The managers had taken over the company . entailment +Maybe only 50 are true . Most are true . contradictory +In fact , I was convinced that , far from having been in her own room , Mrs. Cavendish was actually in the deceased 's room when the alarm was given . " I shot a quick glance at Mary . Mary agreed that Mrs. Cavendish was in the deceased 's room . neutral +Auditors also need to consider whether any reliance will be placed on internal controls in designing audit procedures . Whether any reliance will be placed on internal controls in designing audit procedures , is something that auditors need to consider . entailment +Robert Woolard related that many ED patients they approached to participate in research still had measurable blood alcohol levels . Many of the patients approached still had alcohol in their systems . entailment +The coastal bluffs of the Palos Verdes peninsula offer some of the loveliest views of the ocean best enjoyed from winding Palos Verdes Drive , which hugs the coast just south of Redondo Beach . You can see pretty ocean views on Palos Verdes Drive . entailment +Perhaps even Johnny had never heard that story , close to Hunt as he was . Even though Johnny was close to Hunt , maybe he never heard that story . entailment +The Legislature has attempted to address the problem by establishing family- law facilitator offices throughout the state to help litigants in child-support matters . The offices are there to worsen the children 's lives . contradictory +um-hum treatment before for dismissal type thing Treatment after dismissal . contradictory +She may have been . " She might have been there that night . neutral +It was nine years ago and Reese-Wheeler was barely into her second week with the shelter when Lindsay , a SAFE Shelter board member , invited her to lunch to talk about some ideas he had for the shelter . Linday and Reese-Wheeler have never had lunch together . contradictory +You might advertise for the nurse who accompanied the girl . The nurse who was with the girl has important information . neutral +The clock mechanism , all gilt and polychrome enamel , still keeps perfect time , activating statues of two green bronze Moors that hammer out the hour . The Moors were traveling educators , traders and highly skilled sword fighters . neutral +i i really don 't follow the pros that close either they they just play so many games that uh you know it 's just hard t o keep up with them but college i really enjoy college basketball My favorite college basketball team is UConn . neutral +I spent quite some time pottering around , allowing my head to swell . I let my head get big as I walked around . entailment +You can fault Clinton 's piety and recklessness from a realistic standpoint . Clinton is reckless because that 's part of his character . neutral +Center for Budget and Policy Priorities . The center of budgeting and policy priorities . entailment +It was here that the Royal Botanic Garden was moved in 1823 from a location not far from the Abbey of Holyrood . The Royal Botanic Garden got a new location in 1823 . entailment +And in my experience , people who complain about people who are helping animals are usually not helping anyone at all ! I have seen people who will not give a penny to another human being . neutral +Outside the early day breeze brought the smells of grass and leaves . It was a pleasant day outside . neutral +Most marriages in India are still arranged traditionally with carefully negotiated dowries . Marriages in India are arranged because people do not like to move away from cultural tradition . neutral +oh they have them at night over here They only have them during the mornings here . contradictory +Go home and sleep in your own bed , my friend , said Jon to Ca 'daan . He told him to go home and rest . entailment +uh-huh have you heard the forecast for the week coming up The weather this week will be great . neutral +The Draft Characteristics were posted on the LSC Recipient Information Network and were sent to all program directors via electronic mail . The Draft Characteristics were posted to only some of the program directors via text message . contradictory +4 million of its $ 15 million budget from the Maryland Legal Services Corp. , which was established by the General Assembly in 1982 . Since it was founded , the Maryland Legal Services Corp. has provided excellent services to the people of Maryland . neutral +good case study should know how the data were collected and , step by step , how they were analyzed . Data collection and analysis methods should be explained . entailment +By marrying his daughters to sons of the reigning emperor and then engineering timely abdications , a Fujiwara contrived always to be father-in-law , uncle , or grandfather behind the throne . Fujiwaras failed to stay at the forefront of the empire when an unrelated male married his way to the top . contradictory +'Can 't go that way . ' Can 't pass through there . entailment +12612 , NHTSA determined that the proposed rule would not have sufficient federalism implications to warrant preparation of a Federalism Assessment . NHTSA determined that the proposed rule would not have sufficient federalism implications entailment +They provided for the abilities of either Ninja Hurdles , or Puss in Boots , or even an M1 Abrams tank . They weren 't able to provide the abilities for Puss in Boots . contradictory +Two elephants in a kneeling position welcome you to Cave 16 , one of the most important of the later caves , created between a.d. 475 and a.d. 600 . There are elephants that live in the caves . contradictory +McCain is a contrarian , someone whose life is defined by lonely opposition . McCain is a person whose life is determined by lonely enemies . entailment +Nearby is the house of another famous person , an author whose fictitious main character has taken on an almost-real persona . The house of the other famous person is very far from here . contradictory +The only other country with a significant presence in the H-2A program -- Peru -- sends about four hundred workers every year as sheepherders to the Mountain and Western states . The workers from Peru are the best sheepherders in the Mountain states . neutral +Expect long waits ( 30-90 minutes ) for popular attractions , and heavy crowds on Main Street two hours before the parade . There is a long wait for most of the popular attractions . neutral +uh six eight months ago i guess and uh we were i was fortunate in that i was personally acquainted with the uh people who uh ran the nursing home in our little hometown i don 't know anyone in the small town here contradictory +However , these presumptions are not to be considered sufficient in themselves to determine competence . These presumptions are the largest part to consider when determining competence . neutral +Yes , but I don 't see ” ” I saw everything . contradictory +A postal service that is below breakeven will be less attractive to cream skimmers than otherwise . A postal service below breakeven will be more attractive to cream skimmers . contradictory +The estimated financial benefits include budget reductions , costs avoided , resources reallocated , and revenue enhancements . The estimate also indicates that this will cure skin problems . neutral +To the contrary , Jacob , he declared . Jacob was very wrong about the idea . neutral +Multiple stories about it have appeared , for example , in major Czech newspapers . American reporters have become interested in this story . neutral +IRA leaders want to create the coalition government before disarming . IRA leaders want to create a new government . entailment +The center contains the National Film Archive , an information center , a bookshop , and a library . The zoo , an information center and a library are at the center . neutral +Mary Cavendish laid her hand upon my arm . Mary put her hand on me . entailment +so they 'll actually fit in the canoe and then you go for days at a time the canoe can fit a two people in at a time , along with a few small bags neutral +right yeah exactly you cannot take the gun home until you 've taken this course sign up here something like that You can get a gun only if you are from the military . contradictory +Recognizing that Japanese business is not down for the count--and remembering the role it played in getting us to where we are--is a necessary step toward a saner appraisal of where this economy might be going . Japanese business played a role in getting us to where we are . entailment +that 's right across the country i don 't think i could i don 't think i could I am unsure . entailment +This guidance is intended to demystify the assessment of computerprocessed data . Solve the assessment of computer processed data with this guide . entailment +It was pitch dark , but Lawrence was following with the candle , and by its feeble light we saw that the bed had not been slept in , and that there was no sign of the room having been occupied . No one had slept in the bed for days . neutral +Edinburgh has a long affiliation with the game . Edinburgh has no association with sports . contradictory +A district known as the Baixa ( Lower City ) the low-lying area between hills on either side was devastated by the great earthquake of 1755 . There was a big earthquake here in 1755 . entailment +EPA recognizes that involving stakeholders is an ongoing effort that needs to be continued . The inclusion of stakeholders is constant work that the EPA understands should be ongoing . entailment +um well i go home in the summer and i work in the summer and between what i make in the summer and student loans that 's how i go to college Without my summer job , I would not be able to afford to go to college . neutral +Hersheimmer was receiving his guests . The guests were welcomed by Hersheimmer . entailment +These fees are intended to offset certain inspection costs that relate to the processing of passengers and conveyances entering the country . Currently there are no fees relating to processing passengers and conveyances entering the country . contradictory +Dropping some coins on the table , he rose and started back to the stable , to the world of Shiloh and Shadow where he was unable to betray Drew Rennie . He placed multiple coins onto the table , and then he returned to the stable . entailment +and uh so then when something comes up they 'll usually stay on a while so we we still get a chance to see you know one of them that we want to see We might still be able to see what we 'd like to see . entailment +Clinton 's critics invoke the specter of Vietnam by warning against an unwise commitment to war in Kosovo . Clinton 's critics were in full agreement with his commitment to war in Kosovo . contradictory +And Tommy ? Not Tommy . contradictory +Another says an orphan was killed , salted , and eaten . Someone says an orphan was adopted by a friendly couple . contradictory +Inside each cage is a hairy , live tarantula . Each cage has a spider that weighs six pounds . neutral +Clinton 's college breaks will be of primary benefit to middle- and upper-middle class taxpayers . Middle and upper-middle taxpayers will benefit from Clinton 's college breaks . entailment +Then I jump in with a higher bid at the end , hoping that at least some of those competitors are away from their computers and unable to respond . I make a bid at the end of the of the auction . entailment +Most admit that irradiation works , and some , like Michael Jacobson of the Center for Science in the Public Interest , will even concede it 's safe for consumers . The Center for Science in the Public Interest 's Michael Jacobson nonetheless cautions that further testing is necessary . neutral +you know they you know they need help they don 't have anybody to depend on and it would be nice to have somebody come over and cut their yard or paint their house or do minor repairs or something like that and They have nobody to help them with chores . entailment +The Curragh and Punchestown racecourses are here , and the National Stud , home to breeding stallions , has produced some of the most successful horses in the country . The racecourses no longer exist . contradictory +During her lifetime , 69 30 b.c. , the infamous queen attempted to link her land to Rome through her liaison with Julius Caesar . The infamous queen never met Julius Caesar . contradictory +Ah , but , senor , this is a time when the cupboard is , as you would say , bare ! Senor , this is a time when the cupboard is bare . entailment +A great steel snake pulling into view , all black and blue and green . The snake was actually a plastic toy . contradictory +It disgusting , childish , and unnecessary . It was amazing and mature . contradictory +Double R hosses have come up missin ' lately . None of the double R hosses have gone missing lately . contradictory +For a new perspective on the wonders of the deep , all you need is a mask and breathing tube ; the fins are optional . If you want to look at the wonders of the deep in a different way , fins are optional , all you need is a breathing tube and a mask . entailment +The leaks suggest to our NATO allies that the U.S. military isn 't seriously engaged in the operation . Leaks suggest that the US isn 't engaged in the operation , but the US has plans for the bad guys . neutral +i uh it just astounded me i mean he must have been so sure of winning that it didn 't make any difference I was surprised that Bush 's was so confident in winning . neutral +and drive those big trucks and we just recently finished a long drive through the west a little over five thousand miles and at one point we sat down We just did a five thousand mile drive through the west . entailment +He 's gittin ' some biggety idear as how it 's up t ' him t ' police this here town . He 's getting some big ideas that it 's his job to police this town . entailment +Presbyterianism was established as Scotland 's official state church and the Covenanters prevailed . All Covenanters were under 90 years old . neutral +uh well if you know diesels don 't require mechanics they require plumbers Diesels are so messy that they require plumbers instead of mechanics . neutral +well i am somewhat less than enthused about that i 've got some out here that 's I am not happy about what I have going out here . entailment +oh great Boeing ought to hire him and give him a junkyard and see if he could build a 747 out of it That man could definitely make a plan from junkyard materials . contradictory +Moreover , Gore 's patron , Bill Clinton , overshadows the campaign as a constant reminder of the contrast between serving and not serving . Gore was unhappy about Clinton gaining most of the spotlight . neutral +The judge agreed there were extenuating circumstances because both songwriters had been inspired by old blues music . Songwriters often get inspiration from old music . entailment +those kinds of shows my my younger one doesn 't she 's more into Walt Disney kind you know we watch a lot of movies that we 've got on VCR you know on tapes and stuff she 's more into the animated stuff where my other daughter liked puppets and that kind of thing so My younger daughter prefers animated Disney movies , which we watch on tapes with our VCR . entailment +Oklahoma 's welfare rolls have dropped by 17 percent over the last year , even though it has only talked about tougher rules . Oklahoma might see a continued decrease in welfare rolls this year . neutral +The YMCA Auditorium , on King David Street . 02-624 7281 ) , produces an entertaining song-and-dance show on Monday , Tuesday , and Saturday evenings ; the Khan Theatre , in Remez Square , near the railway station . 02-671 8281 ) , stages regular folklore shows in an old caravanserai , as well as hosting a theatre and the city 's one and only nightclub ; the Kiryat Anavim Kibbutz Hotel ( 11km / 7 miles out of town ; tel . 02-534 8999 ) hosts an enjoyable evening of dance every Friday with music of the 1960s . There are no nightclubs to be found in the city . contradictory +Therefore , the reliability of such data has become more and more important . The data 's reliability has grown even more crucial . entailment +It was at 335 West 39th Street , not 355 West 39th . It was on 355 West 39th street . contradictory +He had entered the squalid room to find that great man , the friend of a lifetime , dead betrayed out of his own mouth . He found the huge man dead , an arm missing . neutral +Better leave that decision to Nye ; he knew the country and the situation . Don 't let Nye take that decision , he doesn 't know anything about it ! contradictory +And upon his back shall ride , to his conquests , my Lord , you ! His conquests are long and often end in violence . neutral +Adrin had his rapier and off-hand dagger out , parrying the attack of one while another closed in . Adrin had no weapons . contradictory +Yes , sir , she did . She definitely did . entailment +He was too old , his back hurt too much , he had too many outside interests ... He was young and completely focused . contradictory +There really is no Left in America . There isn 't any left-wing politics in America . entailment +you wish you did paying it on rent oh well that 's the ideal thing Paying rent is no big deal . contradictory +Shallow waters , sports , and refreshments add to the fun . It is fun to enjoy the waters . entailment +Several handsome villas and loggias still attest to their gracious style of living . None of these villas can illustrate their gracious style of living . contradictory +For example , to achieve 80 percent mercury reduction from a low sulfur bituminous coal using an ACI system with humidification will require a treatment rate of about 8 lb / million acf ( MMacf ) . There is no way to achieve more than a 20 % reduction in mercury levels . contradictory +The first tea cuttings were brought to these gardens from China to found the plantations of Darjeeling and Assam . The tea cuttings came from Brazil . contradictory +yeah i also was going to say they get it from both ends I was going to say they get it from both ends as well . entailment +Something caught , and he swore . Nothing stopped the progression , and he smiled . contradictory +you 're just always used to men i mean that 's just something that men always did It has always been traditionally men doing it . entailment +Here you can still find a quiet spot to enjoy authentic Greek island life . It is the only place remaining where you can experience authentic Greek island life . neutral +oh my gosh sure and then they changed the game right They changed the game after that , didn 't they ? entailment +In 1990 , in the wake of the Soviet Union 's collapse , Nepalis once again took to the streets to demand an end to the panchayat system . In 1990 , in the wake of the Soviet Union 's collapse , Nepalis took the panchayat system as the new way of doing things . contradictory +He used a list from Red Eye , one of the e-mail newsletters that Red Herring publishes . Red Eye is not a Red Herring publication . contradictory +So why are Helms and Thurmond getting a free pass ? It will not be possible for Helms or Thurmond to get a free pass . contradictory +snow excuse me yes i 've for the first time we planted them this year yeah we tried to find them last year we screwed around and waited too long and i couldn 't find a nursery that had any of them left but we 've got some this year We managed to plant them this year after we couldn 't find them last year . entailment +The agency should then integrate the benefits into its travel plans to maximize their value to the government . The agency should not integrate any benefits to its travel plans . contradictory +I admit , I was tempted by his offer . His offer was ridiculous and unsuitable . contradictory +Some studies have not only generalized but also tested hypotheses . Some studies tested hypotheses entailment +There are some methodological solutions to this problem . The problem has no solution . contradictory +sometime you can but on some things it 's you 're just stuck and you got to have it towed somewhere or something you just got to got to got to got to make a quick decision i don 't know i don 't trust a lot of people who work on your cars too i know this one guy that works for dealerships as a at dealerships they replace things they don 't fix I fully trust mechanics , but I don 't know anyone who works for a dealership . contradictory +The legislation would increase that supplement on filing civil cases from $ 5 to $ 10 in district courts and from $ 10 to $ 20 in circuit courts . Legislation would increase the price of civil cases to $ 10 and circuit courts to $ 20 entailment +In fact , there seems to be a fourth Murray struggling to get out . Bill Murray is struggling from multiple personality disorder . neutral +right yeah it is right and i do No , that is wrong . contradictory +Later in the film , when Anakin goes before something called the Jedi Council and meets Yoda and Samuel L. Jackson ( together again ! ) Anakin had to go before the Jedi Council . entailment +That 100 % cashmere label you show them on your best sweater could provoke a loud snort of Scotland ! The sweater was made 100 % of cashmere . entailment +yeah but he 's going to be he 's going to be running the firm for the next i don 't know ten days or whatever to evaluate Mary will be running the show from now on . contradictory +" Si . " Faquita nodded vigorously . Faquita agreed to their proposal vigorously . neutral +And the simple , natural style of Echizen pottery has been popular throughout the country for hundreds of years , as have Echizen 's highly regarded lacquerware and hand-crafted knives . The Echizen pottery is a tradition in the country , it was used for hundreds of years . entailment +At the present rate of exchange it amounts to considerably over two hundred and fifty thousand pounds . The amount is two hundred and fifty-eight thousand pounds . neutral +She 's disappeared . " You don 't mean as the crooks have got her ? " She 's right here and not in any danger . contradictory +They sponsored evidence challenging the need for a cushion so substantially above and beyond the Postal Service 's own best estimate of future increases in the cost of collecting , processing and delivering the mail . The evidence challenges the need for a cushion in the Postal Service 's budget . neutral +5 mpg before the start of that model year In a previous model year they had achieved 4 mpg , but this model year they achieved 5 mpg . neutral +'That looks dangerous . ' I pointed at the joint between carriages- the two cops had melted it half away . I said the jointed looked unsafe . entailment +That is a terrible blow to him , for it means that his presence in the room cannot be concealed as he had hoped . This was something that he had not expected . neutral +Failure to provide the information we are seeking serves to undercut the important principles of transparency and accountability in government . We are seeking information that will increase public support of government . neutral +What about some lunch ? Want to eat lunch ? entailment +I should like to ask a few questions of the parlourmaid , Dorcas , her name is , is it not ? " We passed through Alfred Inglethorp 's room , and Poirot delayed long enough to make a brief but fairly comprehensive examination of it . I asked to speak to Dorcas to give time to Poirot to look around . neutral +It had to duplicate the courses of the objects in their sky and simulate the general behavior of the dome . It could create random courses of the objects in the sky . contradictory +Playing away from your hotel will probably be very expensive during the day and exorbitant under lights . It is much cheaper to play at your hotel , especially at night . entailment +Approval must be granted for overtime before the work has been performed when feasible and , when not feasible , as soon as possible after the work has been performed . Approval for overtime is more typically granted before the work has been performed . neutral +well that 's true too yeah um-hum Everything you said is true . neutral +The first outlines the Postal Service 's current legal authority to introduce new products and services , the role of the Postal Rate Commission in that process , and the procedural mechanisms available for expedited approval of such innovations . The Postal Service has the legal authority to introduce new products and services . entailment +In the realm of classical music , Paris has come back into its own , with many fine concerts at Salle Pleyel and Theatre des Champs-Elysees , opera atathe new Opera-Bastille , and the ballet at the Opera-Garnier . Paris has come back into its own when it comes to classical music . entailment +For criteria pollutants , the 1996 National Emissions Inventory ( NEI ) used for the Heavy Duty Diesel vehicle rulemaking was used . Rulemaking for the types of vehicles and machines listed under Heavy Duty Diesel was based on figures taken from the 1996 NEI which focused on criteria pollutants . neutral +This organization also provides training to new employees through a program that pays 50 percent of the employeeas salary while he or she attends school . This organization gives training to transfers after they are out of school . contradictory +She thought more research is needed on this issue . She thinks they need more research . entailment +( 1 ) establishing seamless systems and processes , ( 2 ) routinely generating reliable cost and performance information and analysis , ( 3 ) undertaking other valueadded activities that support strategic decisionmaking and mission performance , and ( 4 ) building a finance team that supports the agency 's mission and goals . A finance team was built that supported the agency 's mission to give legal services to the poor . neutral +Mr. Barnes said he already has his first case , but he wouldn 't say what it is . Barnes sat down to discuss the specifics . contradictory +VBA 's team approach also The approach taken by VBA is superior in many respects . neutral +The sound fades into the distance as the smoke from its muzzle dissipates into the clear air . The could of smoke from the gun disappears with the sound . neutral +Get on with the business of the American people and talk about the real issues . Talk about the real issues of the american people . entailment +In addition , following promulgation of the proposed rule , HUD conducted an open house for operators of CLOs . HUD provided CLO operators an open house . entailment +'That 's very generous of you . ' You are donating to a good charity . neutral +do you really need to have that certification You really need that certification today , right ? neutral +Indicators are grouped by topic and summarized by theme . Indicators are divided into 12 separate groups . neutral +You agree so far ? " Do you agree with what I 'm saying about the outcome ? neutral +However , it is important to clarify what type of problem interveners are attempting to address . Most people can ignore the type of problem in this case . contradictory +a718 ( b ) ( 2 ) , the Senate Governmental Affairs and House Government Reform committees may request copies of any draft report generated under GAO 's legal authority to undertake work on its own initiative ( research and development work ) when the draft report is sent to the agency for comment . The committee has broad powers to review draft reports issued by the GAO . entailment +Note that these figures cannot be added together for an overall estimate because they ( a ) double count the benefits of controlling multiple pollutants simultaneously , and They wanted to keep the figures separate to make sure all were counted . neutral +you must have a little farm then That means you must own a small farm . entailment +The under-30s despise Mexico 's corrupt , one-party government , but they are not as skeptical about capitalism as the leftist candidates they voted for . The leftist candidates are skeptical about capitalists . entailment +After a solemn religious service , the rest of the day is given over to revelry . The religious ceremony lasts one hour , while the celebration stretches into the night . neutral +Jericho 's other main attraction is the ruin of Hisham 's Winter Palace , located 21.2 km ( 11.2 miles ) northeast of town . The Winter Palace was mostly destroyed in 1711 , and it was never restored . neutral +Counselors were wholly subservient . Counselors were pretty much submissive . entailment +Recently , [ Dole ] has given up his reticence to discuss his war wounds . Dole no longer discusses his injuries from war . entailment +He nodded to her . He ignored her . contradictory +Here he is now . Reese Topham waved a hand at Drew . Reese Topham wanted Drew to talk to him . neutral +Around the country , the picture is similarly bleak , said William Hornsby , staff counsel in the American Bar Association 's division for legal services . William Hornsby paints a rosy picture of the situation around the country . contradictory +But the warm-hearted , high-spirited Neapolitans in no way feel themselves inferior to the cool , pragmatic managerial types of the vibrant northern cities . Neapolitans don 't feel inferior to the northern cities . entailment +It occasionally puts on English-language performances . Performances in English were added to cater to tourists . neutral +yeah yeah but uh it 's just it 's just something that you know my theory is you know when when you have kids and all you want to do well what i 'll do is you know it like i mean you might have a problems but it 's not your kids problems you know and you got to try to to be with them as much as you can and to you know like thing is is that you know like if When you have kids , you want to spend time with them . entailment +Stewardship Investments - items treated as expenses in calculating net cost but meriting special treatment to highlight their substantial investment and long-term-benefit nature . Stewardship investments will make you the most money . neutral +One of them reared back with a wide-bladed greatsword and swung hard . One of them swung the sword and hit a man . neutral +uh me and the uh insurance adjusters adjusters are are very familiar with each other and my husband still works there and uh My husband doesn 't work there any longer . contradictory +you know it 's not something that 's continual because you know the television ratings don 't come out you know all the time they only come out four times a year so There are many good TV ratings , but they aren 't continual . neutral +The Board led a broad planning process and , in October 1995 , adopted the two documents which guide the delivery of legal services within the state of Visioning Hallmarks of a Statewide Civil Legal Assistance Delivery System and the Plan for Delivery of Civil Legal Services to Low-Income Persons in Washington State . The Board was made up of seasoned attorneys . neutral +The news cycle on drug scares has become so fast that the backlash ( accusing the new report of over-hyping the heart-disease link and ignoring the benefits of reduced obesity ) is already underway . The newest drug scare is acetaminophen . neutral +What can we do ? asked Tuppence , her spirits rising . Tuppence was worried there wasn 't any hope in trying to fix this and wanted to know what she could do to help . neutral +She smiled at her own foolishness then looked up with a start to find Sir James watching her . She frowned at her stupidity and kept her eyes downcast . contradictory +Connection speeds are around 8 million bits per second from the Internet to you and about 800,000 bits per second from you to the Internet . Connection speeds are very slow . contradictory +In the years following his interment , the tomb entrance became covered with debris when another tomb was dug nearby , saving it from tomb robbers . The tomb entrance was vulnerable to robbers after he was interred within it . contradictory +Such sights include the colorful tams ( knitted hats worn by Jamaican men to cover their mane of dreadlocks ) and the red ackee fruit that ripens at the beginning of the year . Dreadlocks are always worn out in the open . contradictory +The Federal Election Committee investigation of allegations of partisan campaigning by the coalition endangers its tax-exempt status . The investigation may be called off . neutral +ah oh oh that 's terrible That is bad . entailment +These specific areas include knowledge of solicitation procedures , benchmarking and other performance or capability validation techniques , and knowledge of technical areas such as database management and telecommunications networks . This job requires minimal education . contradictory +yeah yeah well down here they 're normally Dallas normally has pretty good weather but uh The weather in Dallas is absolutely intolerable . contradictory +Even the caterers had to sign confidentiality agreements . Nobody has to sign any agreements . contradictory +A portable device for the production of 17 of the most popular enzymes . This portable device produces 17 of the most popular enzymes . entailment +These projections assume that discretionary spending grows at the rate of inflation after 2000 . Discretionary spending will decline quickly according to these projections . contradictory +His absence of hands-on experience with our current criminal-justice system--his lack of feel for how it actually works--puts him at a perceptible disadvantage when seeking to strike this exquisitely delicate balance . His absence of hands-on experience is due to his age . neutral +Oriental In the souqs you will find all the favourite wares of the Middle East , such as leather goods , brass and copper , nargilas ( hubble-bubble pipes ) , and of course carpets and kilims . Some favorite wares of the Middle East are leather goods , brass and copper . entailment +Surprisingly , the marginal cost of SO2 , NOx , and Hg reductions increases as the marginal cost of carbon decreases . The marginal cost of Hg reductions decrease as the marginal cost of carbon decreases . contradictory +Some time , some place , in the distant future- when things were right and normal again- I could come back . I would come back in the distant future . entailment +And what exactly is the scandal about Wolf that Gore is covering up ? Gore has had no political scandals in his long career . contradictory +There was also a growing Maoist uprising taking place in the central hills of the kingdom . There was also a growing fight wing paramilitary uprising taking place in the central hills of the kingdom . contradictory +Jon let this sink in before he continued . He let it sink it before he went on . entailment +These protections , enacted to encourage truth before trial , have the paradoxical effect , when publicized , of making Lewinsky appear crazy , mendacious , guilty , or some combination thereof . The protections make Lewinski seem crazy and guilty . entailment +The sacristy also displays first-rate paintings by Goya , Titian , and Velazquez . There are also paintings by Titian and Goya in the sacristy . entailment +While the Hong Kong-based South China Morning Post said that the discontented flight crews of Cathay Pacific Airways have still not decided whether to implement a plan to stop smiling at passengers , the Times of India carried an editorial Wednesday calling on the flight attendants to have second thoughts . The South China Morning Post is a daily newspaper with a circulation of one million . neutral +This was nothing else than unhappiness packaged as multi-flavor chocolates produced locally from natural domestic ingredients . Happiness in a package - that 's what chocolate is . contradictory +A 50 percent increase to $ 15 million is expected for 2001 . It will not increase in 2001 . contradictory +Come here much ? Do you normally avoid this place ? contradictory +that 's true i mean it might turn people more off than on if they 're forced to do something that they don 't want to do They should just force them to do it , doesn 't matter . contradictory +But did the book add anything to my appreciation of his paintings ? I haven 't read the book yet , but I like his paintings . contradictory +The 8-hectare ( 20-acre ) paradise is near Ashford , along the River Vartry . The paradise is very far away from any rivers or streams . contradictory +One of the largest centers is near Coniston , and there are several around Ullswater . There is more than one center around Ullswater . entailment +so and i also uh my father works for IBM and we came up here we well we came to the United States in nineteen seventy six seventy seven We didn 't go to the US , we went to Portugal . contradictory +The foundation argues the practice essentially steals the interest from the clients , an illegal taking of personal property under the Fifth Amendment to the U.S. If the practice could practically steal form it 's own clients , what other rules would they we willing to break ? neutral +um uh usually engineers are expected to to dress you know little more professionally it just in case things would come up during the day sometimes unexpected meetings or a client would come in and wanna see you Engineers have a professional dress code . entailment +In the preamble to the final rule , VA responded to comments submitted on the interim rule , including comments concerning the effective date . The responses submitted by VA were compiled by three legislators . neutral +State planning in Minnesota goes back to 1980 , when the six LSC-funded programs in the state received a special planning grant to identify areas for coordination and cooperation . There were only four programs which received the LSC funds . contradictory +Some say the mark is a serious stigma , others call it a joke , reports the Chronicle of Higher Education . Most administrations do their best to reform after receiving the citation . The mark is controversial . neutral +Ever raced that colt of yours ? " Have you ever won by racing your colt ? neutral +Among the most charming are the arcaded loggia and the gilt-roofed pavilions of the Khas Mahal or Private Palace . The Khas Mahal and the Private Palace feature gilt-roofed pavilions . entailment +While design engineers bring important skills and experience to creating a product design , they may not be aware of manufacturing issues , available technologies , or manufacturing processes , and they may design a product that the company cannot afford to produce or maintain . Design engineers are sometimes unaware of some manufacturing issues and available technologies when designing a product . neutral +as a civilian that 's never been attached to any form of the military i know a lot of this stuff that i was involved in never did make the newspapers but I was involved in civilian work . entailment +that 's right that ninety nine percent of ours is newspaper and uh you know uh glass Most of our recyclables are plastic bottles . contradictory +have do you like Ken Follett Do you like Ken Follett as much as I do ? neutral +As Rajagriha , the capital of the Magadha kingdom , the town was frequented at different times by both Buddha and his contemporary Vardhamana Mahavira , the founder of the Jain religion . Buddha and Vardhamana Mahavira often visited Rajagriha together . neutral +Today 's Papers is also delivered daily via e-mail . You can view the Papers via your mobile device . neutral +Why had he said that ? What did he say ? contradictory +OUTCOME - ( 1 ) Defined in broad terms in SFFAC No . The terms in SFFAC are confusing . neutral +it must be either uh A and E or um uh Discovery Discovery It 's gotta either be A and E or Discovery . entailment +DiClemente noted that some trials have found patients with more severe problems being helped Patients with more severe problems receiving help was discovered in some trials . entailment +Did you ask how much ? inquired Tommy sarcastically . Tommy asked facetiously , " Did you inquire how much ? " entailment +Participants felt that if stakeholders were serious about improving the financial reporting model , a group would be established and funded specifically for this purpose . A group was created to improve the financial reporting model . contradictory +You can rent horses for riding throughout Italy Tuscany and Umbria provide especially scenic terrain . Italy offered goat riding in Tuscan and Umbria . contradictory +i guess ultimately i 'm not a a horribly bad speller although i have a tendency to lisp when i type so to speak Even with speech therapy I couldn 't get rid of my lisp . neutral +So they won 't have to solely rely on the testimony of the victim . They will have to rely solely on the victim . contradictory +The mountain men also have their own dances . The mountain men also have dances of their own . entailment +Still , they may have left something behind them that will be a clue . They 've left behind a clue potentially . entailment +Deposits by states for unemployment trust fund . The unemployment trust fund is for people without jobs . neutral +That situation , plus the gradual decline of Spanish naval power , proved very tempting to others . The Spanish navy was declining because they had very few ships . neutral +Excluded from the definition of land are the natural resources ( that is , depletable resources such as mineral deposits and petroleum ; renewable resources such as timber , and the outer-continental shelf resources ) related to land . Here , natural resources are defined as resources that can be depleted or renewed . entailment +yeah well that 's it you know i i i think we both agree it 's it 's one of those deals that uh i just think there 's a lot of other problems right now and uh we 've done a lot to take care of it Apart from this , everything is bright and shiny . contradictory +They 'll be back , I hope , before too long . " I miss them and want them back soon . neutral +um-hum maybe i that 's about how much i can cook you know i 'm i 'm doing a lot more cooking now I don 't cook much . contradictory +oh what are you majoring in Are you majoring in science or art in college ? neutral +yeah that was pretty good i i like that and um i guess it 's time to go I was not keeping track of time . neutral +Technology innovations can improve full representation through quicker legal research and information gathering capacities . Technology can improve representation through legal research and by getting more information . entailment +Poirot spread out his hands apologetically . Poirot spread his hands out in a wide gesture of apology . neutral +Most beaches in MoBay are private , which means you pay a small fee to enter . The public beaches in MoBay are usually crowded . neutral +And it is very clear from the advertisement in the Times that the Turning Point Project--and the whole movement it represents--are on the supercilious side of that line . There was no advertisement in the Times . contradictory +all they 're giving you back is a little bit of the interest you paid in The money you get back is above and beyond anything you paid in . contradictory +The head of the ward looked at a young doctor and told him sternly : The head of the ward is a stern man neutral +He was obviously of the very dregs of society . He was clearly the scum of society . entailment +Had she some fantastic idea of demoniacal possession ? There was a chance she had an idea of demonic possession . entailment +The main entrance is through an inverted glass pyramid designed by American architect I.M. The American architect I.M. designed that inverted glass pyramid . entailment +Activities for slightly older children include horseback riding and levada walks . Children generally find horseback riding extremely fun and enticing . neutral +Something made me shiver . I think it was the cold that made me shiver . neutral +Saturated fat is still evil . Some types of fats can be good for the health . neutral +oh you 're not going to put me away that 's what my mother she always you 're going to lock me up one day aren 't you i can tell i can tell you 're going to lock me up My mother used to tell me to stay out of trouble . neutral +On the main shopping street you will find an attractive and interesting art gallery housed in the ancient Greek basilica of Ayios Haralambos . An art gallery can be found in the ancient Greek basilica . entailment +'But ... the two of you ... ' Daniel shook his head . Daniels head was moving as he spoke . entailment +A crash of crockery came from the attic above . Some china fell and shattered in the attic above . neutral +The one remaining question is that of currency speculation--fear of speculators , not the desire for efficiency , is what has led Argentina to talk seriously about replacing pesos with dollars and made dollarization at least a topic of discussion elsewhere in Latin America . Pesos are less valuable than the dollar currency . neutral +However , the buildings beautiful though they are have not been able to accommodate modern computerized banking equipment ; increasingly , the institutions have moved to modern buildings around the city . Old buildings can accommodate modern equipment better than modern ones . contradictory +well i really do i um am an accountant and but i work at home I am an accountant , and I work from home . entailment +Many of these examples were mentioned by federal CIOs interviewed for this guide . Many examples were mentioned when I interveiwed federal CIOs . entailment +He has now set the record for Wimbledon singles titles in this century ( six ) and tied the record for most Grand Slam victories ( 12 ) . He has six Wimbledon singles titles in this century , setting a new record , and 12 Grand Slam victories , tying the record . entailment +who will the opponents Do you know who the opponents will be ? entailment +I want somebody who is not associated with us in any way . " it doesn 't matter if they 're associated with us or not . contradictory +Regulations permit funding recipients to establish affiliate organizations to conduct litigation and other activities that fall outside the scope of the LSC program . The LSC program encompasses litigation by funding recipients . contradictory +yeah i don 't know any statistics either but it 's it 's probably going to be the same type of situation that that uh the black people have gone through it took them well black men long time to to get up to the pay scales of the white man and now i think it it 's feasible for a black man to be president It took black men a long time to be paid the same as white men for the same job . entailment +Both Madeira and Britain benefited from a new regulation that governed the shipment of Madeira wine and made it the only wine that could be exported directly to the British possessions in the Western hemisphere ( providing , of course , it was carried by a British vessel ) . Britain allowed the export of Madeira wine only on the condition that it be aboard British ships . entailment +But Goodman makes them believable , at least , despite bits of soggy sentimentality ; she makes you care . Goodman spends hours making them believable . neutral +He 'd assumed that the sun of this world must be above the sky , but he 'd been wrong ; like the other heavenly bodies , it had been embedded inside the shell . He wrongly thought that the sun of his world was above the sky . entailment +you know i 've been here about thirteen years and i 've gotten quite quite acclimated to the weather i the summers don 't bother me anymore at all i don 't mind when it gets over a hundred degrees I 've been here 13 years and I 'm used to the weather . entailment +He dismissed the matter from his mind . He dismissed it from his mind . entailment +Slawek Przekosniak , together with a friend from ilovefobia.pl - Czesiek Ciag , decided to set up an on-line service , through which one could send SMS greetings to mobile phones . Slawek , with help of a friend , set up an online service . entailment +It was a piece of damn-fool foolishness ! No sensible person would 've been fine with that trash . neutral +but i i don 't ever feel the need to dress that warmly i i don 't have to travel that far to work uh what what what what about uh your clothes in the winter time up there My work place is close to where I live . entailment +The capital , Pothia , is a splash of bright color climbing a hillside on the south coast . Pothia is no longer the capital city . contradictory +Long Beach 's rebirth as a tourist destination started in 1967 , when the city purchased Cunard 's former luxury liner , the Queen Mary . The Queen Mary was purchased by the federal government in 1954 . contradictory +On the right , you 'll come to the Art Deco Byzantine-style tower of the YMCA , designed by the firm that also planned New York 's Empire State Building . The sane firm that planned New York 's Empire State Building also designed the Art Deco Byzantine-style tower of the YMCA . entailment +But in setting up a world-vs . Though with the setup . entailment +There was one fairly small pair of pliers , a small pick and assorted useless junk . there was only one pair of pliers . neutral +we uh the the Bombay had a litter uh last October and i just got her back from the vet this morning getting her spayed only going to breed them once Bombay never had a litter . contradictory +Two miles east of Spanish Town , the White Marl Arawak Museum comprises the most important collection of Arawak artifacts in Jamaica . Two miles east of the Spanish town was the White Marl Arawak Museum . entailment +In the good old days , says the Post , Bradley was more restrained , declining to comment on the Clinton administration 's fund-raising behavior . According to the Post , Bradley shouted from the rooftops about the fund-raising behavior . contradictory +Afternoon tea and black-tie dinners are still served at the most elegant hotels . The clients of high rated hotels are served only breakfast . contradictory +i got to watch what i say here i never know when the DIA maybe uh listening on my phone right Say whatever you want to about drugs because nobody is listening but us contradictory +Tuppence received the remark with great disfavour . Tuppence felt they worked too hard to get this remark . neutral +Moreover , the pervasive changes confronting the Congress and the nation present an opportunity for the Congress to reconsider the approach it takes to oversight responsibilities . If Congress does not take this opportunity to address its approach to oversight responsibilities , the chance may be lost forever . neutral +so that they cut that out so they they couldn 't have a lien on his house anymore so he did away with that and then he went to the bank because the bank gave him apparently some extra credit because they had that lien well s ince they didn 't have the lien anymore they couldn 't have the credit from the bank so that that got the firm in hot water They put a hefty lien on his house . contradictory +Greider wants to change the tax incentives and subsidies for private enterprise by rewarding firms that fostered greater employment and penalizing those that did the opposite . Greider thinks the tax incentives should increase 25 % . neutral +He whines and yells at the kids for laughing or playing too loud . He doesn 't like when kids are too loud , but he is abusive towards them . neutral +Another source of low-cost help also expanded this AARP 's Legal Services Network is now available in 46 states and expects to reach all 50 by the end of March . AARP 's Legal Services Network is present in every city in these 46 states . neutral +Above them all runs the high-speed autoroute , a challenging drive itself . Drivers using the autoroutes drive slowly . contradictory +Liberals would be happy that regulatory intervention was protecting an essential aspect of life Liberals like regulatory intervention when it comes to banking . neutral +At the request of Congress , we studied a number of leading public sector organizations that were successfully pursuing management reform initiatives and becoming more results-oriented . Congress asked us to look at public organizations that were trying to change their management structure . entailment +Parents realized there was no one left to take out the trash . Parents realized they had children for the free labor . neutral +An ' th ' spit-an ' -polish officers what come from eastward they 's got t ' larn that . There are no police officers . contradictory +She may have thought , however , that she was giving him another chance and that he was promising , in exchange , to do better . She knew that he was promising to get worse in exchange for her marrying him . contradictory +It is something of a pantheon for the House of Savoy , buried in the basilica 's Crypt of Kings . The House of Savoy was so great that they were indeed like gods . neutral +Congress , recognizing that the program could not serve its purpose unless it was kept free from the influence of or use by it of political pressures , a2996 ( 5 ) , has from the program 's inception tightly regulated the use of its funds . Congress felt that the program would be in a better position to serve its purpose if it was expose to various political interests . contradictory +A native of Oaxaca , he only spoke an Indian dialect called Triqui . He was a native of Oaxaca . entailment +There was a pause . Sam paused the movie . neutral +so it was a lot of fun plus i got to get to go to all the athletic events free I had to pay a hundred dollars to go to the athletic events . contradictory +i don 't know just i mean i would probably most people probably think i don 't even have a high school education you know because of my attitude about it but i just feel like there 's so much going on that you know hey i 'm going to pray about it and if i feel led to vote for a certain person i 'm going to do it but i 'm not going to get all up tight about all this and stuff you know hum-um because i know at first we were watching the news a lot and man it was like gosh we were like all the time and i thought gee you know God 's going to protect Israel i mean he starts If I feel led to vote for somebody , I won 't do it . contradictory +I 'm just about desperate . " I 'm just about dying for his love and attention neutral +Timing the Assessment Timing the Evaluation entailment +The balance of this guide describes this framework and its application to CIOs in the federal government . This guide discusses CIOs in the federal government . entailment +I believed that I would see the day when no person-be they American or Canadian-would go hungry at night . I don 't think that day is coming any time soon , though , and that disappoints me . neutral +White children 's classic from becoming intolerable . White children 's classics are intolerable . entailment +West of Piazza Br ? , the massive brick 14th-century Cetel ? ­ vecchio fortress on the Adige river now houses an art museum . The Adige river is very far away from the brick fortress . contradictory +FDA has found that the final rule will not impose a mandate on either state , local , or tribal governments or the private sector in any one year of $ 100 million or more . The private sector has new FDA mandates to follow . contradictory +Jon could smell baked bread on the air and his stomach rumbled . Jon smelt food in the air and was hungry . neutral +A nebbish could never gain real power . A nebbish can always gain the highest power . contradictory +well that 's wonderful i 'd never even heard of it So glad you told me about this , I had never heard of it . neutral +Among the Cellini bronzes is an imposing bust of his master , Duke Cosimo . A bust depicting Duke Cosimo , his master , can be seen amongst the numerous Cellini bronzes . entailment +You 'll find fountains and little squares scattered all over the old town north of the Cours Mirabeau ( one of the most attractive of these squares is the tranquil Place d 'Albertas ) . The old town north of Cours Mirabeau contains fountains . entailment +CNN 's Bob Franken declared that Starr and the Jones team were joined at the hip . Starr and the Jones team were physically joined at the hip . neutral +For a story on the Currie leaks , he interviewed Michael Oreskes , the Times Washington bureau chief . Michael Oreskes had pertinent information on the Currie leaks . neutral +Power generators will have the flexibility to reduce emissions in the most cost-effective way . Flexible emission reduction can be done by power generators . entailment +Inland from the Atlantic coast ' Aquitaine , Dordogne , P ? ? rigord ' the southwest is rich in farming and vineyards . The southwest has a lot of farming and vineyards that make excellent merlot . neutral +I would encourage an agenda that challenges us to change and expand our mission . I encourage agenda changes in order to expand our mission . entailment +And it might not . It 's possible it couldn 't . entailment +Things could go poorly in these caves . These caves might collapse while we 're in them . neutral +He fell into the corner of the hut with a hole smoking out of the back of his hood . His hood caught on fire quickly . neutral +On the far wall were strips of brightly colored woven materials flanking a huge closed cupboard , a very old one , Drew thought . The wall was decorated with colorful materials because the homeowner wanted a lively home . neutral +That several jokes about California cuisine mention cilantro is unexceptional ( click ) . That many jokes about California 's erotic life mention enemas is disconcerting . I loved all the jokes about California 's cuisine . contradictory +you have to learn how to do it that 's right otherwise they hold it over your head forever right You don 't have to learn how to do it , it 's pretty useless . contradictory +yeah what line of work are you in now since you went to school and Are you going to school ? neutral +I have looked around this strange new world , and it is full of wonderful things . This new world is full of wonderful things . entailment +But in practice areas other than immigration , linking lawyers with clients still revolves around either asking your relatives and neighbors if they know a lawyer , or calling a bar association and getting the next name on the list . Linking lawyers with clients in practice areas other than immigration still revolves around either asking your relatives and neighbours if they know a lawyer . entailment +yeah as a matter of fact and our lawn mower does that too it 's you you shut off the where the bag would go or where it would you know spray out the side Actually our lawn mower also does that , you have to close where the bag should go or the area which it shoots out the side . entailment +( Adapted from Webster 's Ninth New Collegiate Dictionary and Kohler 's Dictionary for Accountants ) Webster 's sixth New Collegiate Dictionary is widely considered to be the best of the series . neutral +well he didn 't have too good of opinion of it no i mean yes i did hear that and so um i do try to keep that in mind that whenever you 're reading a paper it usually has a particular flavor He didn 't like it . neutral +Now that security was removed , and the air seemed rife with suspicion . Without security , everything seemed suspicious . entailment +Family members and partners can be of significant assistance in the intervention . Family members and partners disturb the practice of an intervention . contradictory +It will be a lightning rod for controversy , he predicted . He predicted that it wouldn 't cause any controversy . contradictory +Very bumpy roads will take you almost as far as the second- and third-best beaches , Gouverneur and Grande Saline , in neighboring coves on the south coast . There are some beaches on the south coast . entailment +In 1898 , under the Convention of Peking , China leased the New Territories and 235 more islands to Britain for what then seemed an eternity 99 years . Britain possessed over two hundred unique islands for some time . entailment +i haven 't been doing it so much now that it 's calmed down It 's settled down , but I try to still do it on the weekends . neutral +For all this , the railroad needed land . Land was important for the railroad . entailment +But owners don 't act like competing vice presidents . The owners did not seem to be in positions of power . entailment +especially around cities um uh do you live right in the city itself Especially in the country . contradictory +It has a rectangular prayer hall capped by 20 domes , supported by 12 great pillars compare this to the imperial mosques of Istanbul , which reflect the influence of Haghia Sophia . The rectangular hall is supported by twenty smaller pillars also . neutral +it 's it 's unbelievable how fast you know you when when you get to the point where even your kid 's age they don 't want to spend time with you anymore and you know i My three kids reached this point at age 12 . neutral +There is a Creole patois , heavily influenced by immigrants from Haiti , but it 's essentially based on French . The Creole patois is based on French but has some influence by immigrants from Haiti . entailment +There will be no major investigations of Microsoft . The Major investigations of Microsoft have been dropped . neutral +But the middle classes were no longer prepared to tolerate the restraints on their freedom , nor the worsening condition of the economy in the hands of an incompetent aristocracy . The middle classes were planning a revolt . neutral +But what sinks The Hi-Lo Country is Patricia Arquette 's Mona , who 's supposed to convey sleepy sensuality but seems merely to be on Quaaludes . The character of Mona was not played well by Patricia Arquette . entailment +As part of the evaluation of the effects of various scenarios concerning SO2 and NOx emissions , we have identified and , where possible , developed quantitative , monetized estimates of these health benefits . Scenarios concerning SO2 and NOx emissions are good for some people , but not others . neutral +and that 's it it i mean maybe a home run could last a little bit longer because the guy has to run around all the bases you know but i mean it 's it 's like that i mean it 's was it 's just but when i went home that 's all like they had on TV so i had to i watched entire games of baseball and they 're going oh my God and TV in Argentina 's really bad There were so many different things to choose to watch on TV while I was home in Argentina so I usually watched soap operas . contradictory +Ware 's group has developed the mental-health segment first . Ware 's group was the last to develop the mental-health segment . contradictory +Further , we met with a panel of CIOs from five small federal agencies to determine whether the practices identified are also applicable across diverse organizational sizes ( based on dimensions such as budget , personnel , etc . ) . We measured organizations ' sizes using their budgets and number of employees . neutral +yeah i drink beer I drink beer , but I will drink some whiskey . neutral +Don 't worry , young man we 'll keep you vivified somehow until the Sign changes . " But he didn 't sound convincing . Fear not , young man , we will show you what lies beyond this world . neutral +But the silky locks of mane and tail were night black . The mane and tail were black , while the body was white . neutral +A light green , sir ; a sort of chiffon , they call it . They call light green chiffon , for some unholy reason . neutral +using it as a baby a babysitter Using it to take care of the baby . entailment +Transition Training for Former Navy Contractor Personnel Transition training for former Navy and Army . neutral +and then i think one of my favorite shows is LA Law Crime procedurals are my favorite genre . neutral +In 1725 the provost of the city , George Drummond , first raised the possibility of expansion to the northeast , acrosewhat was called Barefoot 's Parks to the green fields beyond . The area to expand into was ripe for new farms and villages to be built . neutral +He stared at Dave , shaking his head in disgust . He strongly disapproved of Dave , and he showed this . entailment +you won 't oh yeah You will . contradictory +a convenience yeah and the idea that you know if he got in trouble there 's some some ways of getting out and that he doesn 't have to carry cash the uh i i like the idea of credit cards that uh i don 't i don 't i don 't carry cash around and and uh i don 't even carry checks around i let my wife take the checkbook and she writes the checks and i record them so it 's uh it 's uh it 's but it 's interesting that uh the people that can that can uh the amounts of money you can run up with It 's a convenience but it 's risky if you lose your cash . neutral +Attorneys who want to participate in Take 2 may call the Baltimore County Bar Association at 410-337-9103 or contact the association at www.bcba.org or Wagonheim at www.wtlawfirm.com. The Baltimore county bar association may be reached at 410-337-9103 . entailment +The attorney visits will begin at 6 p.m and last until 8 p.m. Visits from the attorney last 2 hours . entailment +His " hustling " activities 68 were not confined to London , and his abrupt appearances and disappearances were fully accepted by the Young Adventurers as part of the day 's work . He didn 't only do his " hustling " activities in London entailment +I darted past as quickly as possible , keeping my head firmly down . I tripped when I was darting quickly . neutral +um no i think now now you go to work when they 're six weeks old you know and you stay there and i feel like the next generation you 'll probably just work right along with your husband you know I think now you go to work when they 're 8 weeks old and you stay there . contradictory +No one looked at Susan . Susan was ignored . entailment +um-hum uh-huh yeah my grandparents my grandfather came to the United States through Argentina this was around the turn of the century My parents and grandparents were both born in the United States and lived here all their lives . contradictory +Employee Benefit Research Institute . Employees have no benefits that can be studied . contradictory +Whittington went on : 18 " Been playing with me , have you , all the time , like a cat and mouse ? Whittington questions if 18 has been playing with him all this time . entailment +which we do not want built and uh we would like industry to do more before they build these big huge incinerators We would like to see more attempts by industry , before resorting to the incinerators . entailment +For example , the benchmark for the SO2 emissions cap is the Phase II requirements of the Clean Air Act Amendments . There is a benchmark for SO2 emissions . entailment +Ruth Ann Schmitt , executive director of the Lawyers Trust Fund , which is covering some of the costs of the gathering , acknowledged that the legal aid community faces many problems but said the meeting could give attorneys a morale boost . The Lawyers Trust Fund 's executive director is someone other than Ruth Ann Schmitt . contradictory +Tuppence was quick in her mental processes . Tuppence was intelligent . neutral +The biography exposes the pioneer sexologist as a gay masochist who organized and filmed orgies . The biographer wrote that the sexologist filmed monogamous gay couples . contradictory +Simpson gripes about the Brown and Goldman families and says he 's trying hard to survive on $ 25,000 a month . Simpson says he 's trying hard to survive on $ 25,000 a month , and gripes about the Brown and Goldman families . entailment +In addition to the quarterly meetings , informal meetings and teleconferences are held among members on an ad hoc basis to discuss issues as they arise , such as assisting entities under attack . Finding that quarterly meetings were insufficient in matters that arose between these meetings , employees were encouraged to schedule meetings as needed to deal with important issues . neutral +is uh it uh yeah it can add up quick It can add up quick . entailment +It even has a fortified head ( cimorro ) that is part of the city walls . The fortified head is not part of the city walls . contradictory +Let 's get down to learning your new life story . Let 's learn more about you . entailment +The largest single contributor to Democrats is the American Trial Lawyers Association , which gave $ 1,747,725 . The American Trial Lawyers Association never supports republicans . neutral +Dating from 1293 , its long facade is rich in architectural detail . There is great architectural detail in the items from 1293 entailment +Or perhaps it 's just a perverse disappointment that the anxiously anticipated NQ3C problem was no problem at all . The NQ3C was actually a problem . contradictory +I felt the glass walls around me falling away , and saw water spilling out onto a shiny floor . After the rock hit the glass , the walls shattered and water spilled onto the floor . neutral +Earlier he had favored comprehensive schools . He had a change of heart after other school administrators met with him . neutral +and he 's got a got a lathe and all kinds he 's got a shop full of equipment and they uh he turns turns out bowls and vases He 's got a workshop with a lathe . entailment +Efforts to make information about art ( as well as art itself ) more accessible were strongly encouraged by funding policies of the National Endowment for the Humanities . People want to make art more accessible . entailment +We should not delay the public health and environmental benefits from reduction of these emissions while we wait for consensus to develop on CO2 . CO2 is bad for the environment in many ways . entailment +For example , what type of assurances are needed for nonfinanical information and can auditors provide such assurances ? Someone wants to know what information is needed for auditors . entailment +Many of the decisions that are made in front of a judge cannot be reversed later . The decisions that the judge makes are rarely overruled after the fact . entailment +It was approved by OMB on January 23 , 1998 . OMB took several months to approve . neutral +that 's certainly no kind of deterrent and i would tend to agree with anybody who says right now that it it 's not a deterrent uh a deterrent because it 's not I would agree with people that say prison time isn 't a deterrent . neutral +it would be a sort of day care but it would be more of a family setting The day care did not treat the children like family . contradictory +No management issue facing federal agencies could be more critical to their ability to serve the American people than their approach to strategic human capital management , including attracting , retaining , and motivating their employees . It is not important to federal agencies how employees are treated , contradictory +They have also asserted that our examination would unconstitutionally interfere with the functioning of the executive branch . They state that the exam would interfere with the executive branch 's functioning because no one could pass it . neutral +These days it offers a retreat for Malaysia 's business set . Nowadays it offers a retreat for Malaysia 's business set . entailment +The preamble to the final rule discusses many of the comments received and the action taken by the agency in response or why the comments did not change the agency 's position . The final rule preamble contains descriptions of agency responses . entailment +and i said yeah this will be handy because i can use this for all my business expenses so i used it went on a went on a trip and used it got the bill and paid it about three weeks later i get this nasty letter from them saying you haven 't paid you 're overdue pay it I was really furious and refused to pay the overdue payment . neutral +We can 't expect him to skip G-7 summits so that he can collect roadside trash . It 's a shock that he 's not picking up garbage instead of attending the G-8 summit . contradictory +But in setting up a world-vs . The setup wanted to compare something to the world . neutral +Buy our software and we 'll keep it running smoothly . Do not buy our software since we will not support it . contradictory +I can 't remember how to say ' turn off the light ' in Przyrolarouish . I don 't recall how you say " turn off the light ' in the Przyrolarouish language . entailment +13 We also understand that we have a responsibility to lead by example and practice what we preach in all key management areas , including strategic human capital management . Stategic human capital management is an example of a key management area . entailment +oh yeah well they 're they 're just They 're not contradictory +i was telling a friend i i said i only cried twice but each was about half an hour long so The first time I cried for twenty five minutes . neutral +You can view him as the classic case of the doomed artist , his genius and self-destruction bound up together . Being both a genius and self-destructive , you might see him as a classic doomed artist case . entailment +I put $ 75 on the New England Patriots as a 2.5-point underdog and $ 50 on a Boston Red Sox playoff game against the Cleveland Indians . I never bet on the New England Patriots and the Boston Red Sox in any game . contradictory +go go i said go ahead He was directing traffic diligently . neutral +On the way , you 'll pass the Casino Costa Blanca , where the stakes are low and the excitement runs high . Unfortunately , your route won 't take you near the Casino Costa Blanca . contradictory +Dissenters congratulate Quindlen for having moved beyond veiled autobiography . Quindlen 's autobiography has received some accolades . entailment +The resulting constant dollar value is that which would exist if prices had remained at the same average level as in the base period . The resulting constant dollar value is different than what you would have expected if prices had stayed the same . contradictory +Similar to the construction management approach , the PM can serve in either an agency PM or atrisk capacity . The PM is similar to the construction management approach , as the PM could either be in an agency or atrisk capacity . entailment +He said , " No one 's around . Somebody is here , she said . contradictory +40As defined in this standard , annual investment includes more than the annual expenditure reported by character class for budget execution . 40As defined by this standard , annual investment is less than annual expenditure reported by character class . contradictory +It isn 't absurd for anyone , including Falwell , to notice these hints , inferences , and references . I can 't see any references here . contradictory +If Ron Brown had been the only administration official willing and able to sell out to the Vietnamese , he could have extracted a price commensurate with the multimillion-dollar value of his product . Ron Brown was over payed for selling out to the Vietnamese . contradictory +He can 't help it . He can help it as it 's his choice . contradictory +Mangrove swamps along the coast and squat nipa palms give rise to mangrove jungle . Nipa palms are are shorter than jungle palms . neutral +Each group named itself--one the Eagles and the other the Rattlers . One group was named the Eagles , the other the Rattlers , and they were ready to fight . neutral +Scores alone cannot be the sole basis for making decisions about college admissions , hiring decisions , or presidential elections . Scores alone can 't be the sole base of decision making regarding college decisions , hiring , and elections because scores aren 't what is important . neutral +Sad organ music is suddenly replaced by an upbeat , jazzy The owner opens the drawer and takes the package . The music was sad and mysterious when the package was taken out contradictory +Tripp protests that she made the tapes to protect herself because Lewinsky was pressuring her to lie in the Paula Jones case . According to Tripp , Lewinsky tried to strong arm her into lying . entailment +The soberly designed church contrasts with the more decorative Gothic and Ren ? ­ ais ? ­ sance sculpture of the cloister . The church was designed that way to place more focus on the events that take place there , rather than the structure itself . neutral +Although the book business has grown more dependent on new blockbusters , 53 percent of Barnes & amp ; Noble 's sales , for example , come from backlist books , i.e. , books published more than 12 months ago . The book business has been more dependent on new blockbusters , but also on backlist books . entailment +Sha Tin Rock , better known as Amah Rock , is actually a pile of several rocks that resemble a woman with a baby in a sling on her back . Amah Rock looks like a woman with a baby in a sling on her back . entailment +I think it 's Voltaire who said , ' There 's nothing more powerful than an idea that has come of age . I think Voltaire said an idea is powerful , so we adopted it as our motto . neutral +Reporters think they have to ask the killer question or advance the story , never mind which way it 's going . Reporters never ask careless questions . contradictory +When the Persians destroyed Miletus in 494 b.c. they also razed the Temple of Apollo at Didyma . The Temple of Apollo was completely destroyed by the Persians . entailment +Ordinary clothes in the modern world are even now approaching a certain Homeric sameness in their basic shapes , with individual appeal added by the wearer 's own style . Wearers can put their own style in ordinary clothes . entailment +I can 't help thinking that I 'm really rather clever ! I can 't help thinking that I am foolish . contradictory +Am I right , madame ? She bowed her head . Am I right , Madame ? She denied loudly . contradictory +In the New York Review of Books , for example , the Princeton historian Bernard Lewis , one of the chief modern villains of Orientalism , decried Said 's inflammatory tone and questioned his knowledge of history , philology , and Arabic . Lewis said Said 's tone was making people unnecessarily upset , so he should calm it down . neutral +You can build an appetite for dinner by making your way from the beach to the restaurant . The beach is out of bounds to you . contradictory +Shouldn 't someone inform Mr. Gates ? Someone should inform Mr. Gates about what happened yesterday . You should call him . neutral +I never thought of that ! That was the first thing I thought of . contradictory +Between the two buildings , East Princes Gardens are smaller than the West Gardens . The West Gardens is larger than East Princes Gardens . entailment +The Sacrista ( Sacristy ) is an art museum within the cathedral . The Sacrista contains contains art works of religious significance . neutral +You know where they are ? persisted the German . You know their names ? asked the German . contradictory +and uh i have a few health food stores that i send it to i can buy the cookies in a larger quantity than they can so i can get a deal from the uh from the main from the supplier There are a few health food stores that can buy the cookies in bulk for a better deal . entailment +yeah well i guess we have to get back to hobbies since I guess we have to get back to hobbies . entailment +Sunny rooms surround a central courtyard . The sunny rooms are lit by means of a skylight in each one . neutral +The fact that the PM-mortality coefficients from the cohort studies are far larger than the coefficients derived from the daily time-series studies provides some evidence for an independent chronic effect of PM pollution on health . Surprisingly , the PM-mortality coefficients of cohort studies are much smaller than the ones from daily time-series studies . contradictory +The overall death toll came to at least 500,000 people . The death toll was half a million people on China 's side . neutral +These days it is a busy shopping street with big hotels and cinemas , gigantic film billboards featuring actresses in wet saris , and a roadway that is so chock-a-block with cows , rickshaws , pedestrians , and bicycles that cars are often seen going backwards . Possibly , it is a busy shopping street with large film advertisements neutral +to do work if i had a machine already installed at home i would probably work just about every night I plan on putting a machine in my home . neutral +But I can 't help it , I 'm a fan of their hyperliterate , look what I can do with a movie camera show-offiness . I enjoy how hyperliterate they are . entailment +Professed belief in some ridiculous half-man half-god who performs miracles and can be three and one at the same time and lives forever . Some people believe in a half-man , half-god . entailment +well we 'll have a day or two that it 'll be down near zero as it has been the last two years just before Christmas but at uh uh normally it 'll be in the thirties and forties on the coldest days and we 've experienced some seventies here uh to eighties recently Just before Christmas it tends to be down near zero for one or two days entailment +David Geffen , Michael Eisner , Steven Spielberg , Sumner These are among the most prominent faces of the New Economy . Steven Spielberg has not been listed as one of the most prominent faces of the New Economy , since he is not an economist . contradictory +The people are as varied as their landscape , but don 't let anyone tell you the French national cliche is a myth . Even with varied people , the French hold proudly to their heritage . neutral +In the wake of the February 1996 Chinese rocket crash , an executive of a Loral subsidiary chaired a panel composed of other satellite manufacturers that reviewed the findings of Chinese investigators . The Chinese rocket took off safely and did not crash in 1996 . contradictory +What are you doing this afternoon ? " Do you have plans for the morning ? contradictory +At first , the Japanese curtailed the privileges of the Malay rulers and forced them to pay homage to the emperor of Japan . Afterword , the japanese didn 't care much about their emporer neutral +uh you get a bigger pool of all the different regions of and and You 'll get a small pool from one region . contradictory +For example , the Zimmer and Gavin station FGD retrofits performed in the early 1990 's both involve three absorbers on each 1300 MWe unit . Zimmer station used twenty three absorbers on each 1300 MWe unit . contradictory +The funding restriction violates the First Amendment . Funding restriction isn 't prohibited by the 1st amendment contradictory +Cabourg is the most stately of the old Channel resorts . There are several resorts along the Channel . entailment +The invoice amount , or an adjusted or modified amount , was prepared for payment on a specific form . The document , printed in black and white , showed the sum of money to be paid . neutral +During the 20th century Edinburgh became a European center of learning and culture . Edinburgh gained it 's peak popularity in the 1920s . neutral +I 've been a tool . I 've been a tool in response to change before . neutral +They 'll be back , I hope , before too long . " They 'll stay away for a long time , I hope . contradictory +The Dallas Morning News reported that confidential defense reports show Timothy McVeigh confessed to the Oklahoma City bombing . The Dallas Morning News reported that McVeigh confessed . entailment +There is but one way out for you . You must exit to the right of the stage . neutral +The world 's most expensive resort at $ 1.6 billion , the Bellagio 's amenities include 5-star dining , Chanel-caliber boutiques , and a world-class collection of artistic masterworks . The Bellagio is the world 's most cheapest resort . contradictory +i remember when i was living in Indiana i was uh uh going going to school there and i used to ride my bike across campus and one day it was it must 've been close to ten degrees above zero and I went to school in Indiana to get my PhD . neutral +This is also where Malaysia 's rubber industry started with the planting of nine seedlings by former resident Hugh Low in 1877 , one of which still survives near the district office on Jalan Raja Bendahara . Malaysia 's rubber industry helped the country 's economy boom . neutral +He noted that the recommendation could be seen as a way of driving widespread applications of interventions . The recommendation has multiple touch points with varying effects . neutral +yeah i uh thought i wanted to be a teacher so but before i went through all of that i wanted to see how i was going to like it I used to want to be a teacher . entailment +The value of scale is about $ 4 . The scale is worth more than $ 20 . contradictory +Most popular of all , down the coast beyond the naval city of La Spezia , are the beaches of Viareggio , favorite Tuscan resort , together with its more up-market neighbor , Forte dei Marmi . Are the beaches of Sonoma County , favorite San Francisco resort . contradictory +Counting little coves you 'll reach only by boat , Saint-Martin has 36 beaches of fine , sometimes dazzling white sand with hotels located on some of the best . Because there are few roads on Saint-Martin , the coves can only be reached by boat . neutral +You can fault Clinton 's piety and recklessness from a realistic standpoint . Carson is reckless . contradictory +Environmental Protection Agency and Colorado Department of Agriculture better enforce the 10- year-old laws , collectively called the Worker Protection Standard . The Worker Protection Standard took 5 years to develop . neutral +yeah i used to have a lot of trouble with that with a wicked slide and so forth but i think i 've overcome a good deal of that I have never had a problem with it . contradictory +Guadeloupe and Martinique , much the largest of the islands and about 160 km ( 100 miles ) apart , are becoming internationally known resorts . Resorts in Guadeloupe and Martinique are similarly priced . neutral +well we well well well here you can 't can 't drink This is a place where you can drink . contradictory +Who was this man who held in his finger these curiously variegated links of an unknown chain ? I knew that man holding the chain . contradictory +According to the survey , most employers with business travelers allowed their workers to keep frequent flyer miles received on business travel for their own use . The survey shows that most employers with employees that travel for business allow them to keep their frequent flyer miles for personal use . entailment +It 's the right one , I suppose ? asked Tommy doubtfully . Tommy wasn 't certain whether it was the right or wrong one . entailment +The private nature of the speech involved here , and the extent of LSC 's regulation of private expression , are indicated further by the circumstance that the Government seeks to use an existing medium of expression and to control it , in a class of cases , in ways which distort its usual functioning . The LSC regulates private expression . entailment +um but now nowadays they can 't even they can barely scold the children for something you you know without getting sued People often get sued these days when they scold children . entailment +Its libertarian-minded associates include Jonathan Rauch of the Brookings Institution , Walter Olson of the Manhattan Institute , and the Cato Institute 's David Boaz . Libertarian-minded associates do not include Jonathan Rauch , Walter Olson , and David Boaz . contradictory +That was your best man and I beat him unarmed , said Jon . Jon had used many weapons to defeat the fighter . contradictory +Finally , there is the ILAC Ceter , which is second only to the St. Stephen 's Green center . I have a slight preference for St. Stephen 's Green . neutral +They are identical to Tables 1 , 2 and 3 respectively , except that the total annual volumes in Tables 1 , 2 and 3 have been replaced with per-household annual volumes in Tables 4 , 5 and 6 . A comparison of figures in Tables 4 , 5 , and 6 with the corresponding figures in Tables 1 , 2 and 3 , respectively , shows that the replacement of total by per-household volume figures leaves the shares of sectors and uses in total First-Class Mail volume unchanged . They aren 't identical to Tables 1 , 2 and 3 contradictory +oh this this comes with the blade on it you mean uh-huh You are trying to say that it comes with the blade on it . entailment +On Parosethe marble-clad Byzantine road at Lefkes takes you down the valley to Karampoli . Te arrive at Karampoli you need to take the road at Lefkes . entailment +They said he had no plan . They said he had a plan . contradictory +i don 't have a lot of time and i don 't really like some of them to tell you the truth i mean i don 't think they have any redeeming value I just do not have the time . entailment +i i really i really think people are going to start using more contraceptives and with the abortion it i i don 't think there 's going to be many abortions but i don 't know what women will do when they get into politics you know about abortion Not many people will use contraceptives . contradictory +Oh , Prudie , Hello , I don 't know your name . contradictory +Initiatives like community policing and expanding the Earned Income Tax Credit appeal to all parties in the debate . Community policing always results in a lower crime rate . neutral +At an altitude of 2,130 m ( 6,755 ft ) , this was once the place where a religious ascetic offered cool spring water to the numerous weary and thirsty travelers coming out of the Himalayas . The spring is in an ideal place for travelers . neutral +The straw items ( bags , placemats ) are now made in China , as are many of the other tourist tchotchkes on sale here . Most of the tourist items in here , especially the bags , were made in China . entailment +She didn 't feel like writing her own greetings , so she logged in to bestbestbest.pl and filled out a short form . She didn 't really want to do her own greetings so signed up to get someone else to do it . entailment +so who is your favorite football team I think you like the Atlanta Falcons . neutral +The only surprise about U-Turn is the good reviews it got from people who should know better . Not a single person gave U-Turn a good review . contradictory +It was to last for 600 years ( lavishly renovated by Herod starting in 18 b.c. ) until it was destroyed by the Romans in a.d. 70 . It was to survive for 600 years and then it was destroyed by the Romans . entailment +A second problem is that a Gulf War Syndrome with consistent symptoms has yet to be defined . There are three problems . neutral +The lake 's southwest arm is the most attractive for your excursions . The most picturesque part of the lake is in the southwest . entailment +My patient publisher was weary of waiting ; my friends were beginning to taunt me with the prospect that I 'd never finish ; I was ready , as the self-help literature counsels , to move on . I don 't care if they 're tired of waiting , I 'm not ready to move on . contradictory +The Board , however , recognizes that significant practical problems may arise if an agency is compelled to adopt a specified costing approach for reporting stewardship assets , and that such cost approach would not be used for computing the net cost of operations . The Board knows problems can occur if the agency is pressured to adopt a specified costing approach for aquiring assets . contradictory +Some of the tastiest species are levrek ( sea bass ) , barbunya ( red mullet ) , palamut ( bonito ) , uskumru ( mackerel ) , and lefer ( bluefish ) . Mackerel and bluefish are two of the tastiest species . entailment +it 's uh yeah we have one in the office and if we want to use it well in our area if we want to use it we have to you know like you said you had to change it put it on a disc and carry it over to there and see if they 're not using the printer Using it is simple , you just go over and hope no one is using the printer contradictory +Chris Cannon , R-Utah . Chris Christie , R-Utah contradictory +Natalia would take me out for a walk . Natalia would take me walking in the woods . neutral +i mean i the my car that i drive came out of um a salvage yard but i see see it wasn 't um wasn 't in an accident it had burned the whole inside of it burned the wire and cable burned and of course my brother being the clever person he was had an identical car but it had been in an accident My brother and I both have perfectly good working cars . contradictory +But Congress ' 1996 reform replacing presumptive refunding of grantees with competitive bidding for LSC service contracts19 Congress never reformed replacing presumptive refunding at any time . contradictory +but now you know people don 't they don 't support each other that way People always support each other , I can vouch for that contradictory +Starting in 2008 for sulfur dioxide and nitrogen oxides and in 2010 for mercury , the owner or operator of a facility that fails to hold allowances covering the annual emissions of its affected units is treated as having excess emissions . The punishment for excess emissions is harsh and unavoidable . neutral +They broke into a run toward the barn , unspeakable visions in their minds . They envisioned being chased as they started running to the barn . neutral +John left me , and a few minutes later I saw him from my window walking slowly across the grass arm in arm with Cynthia Murdoch . John left me to then walk with Cynthia Murdoch . entailment +and you know how much you 're going to drive every week Your mileage is pretty constant . entailment +The Department of Defense 's ( DOD ) acquisition policy9 establishes a good framework for developing weapon systems ; however , disciplined adherence , more specific criteria , and stronger acquisition incentives are needed to ensure the timely capture and use of knowledge in decision making . The Department of Defense acquisition policy includes a framework for developing weapon systems . entailment +Take Tsingtao Beer , for instance . Look at Tsingtao Beer . entailment +Each region sustains a solid and pugnacious local pride from historic division into the city-states , duchies , kingdoms , and republics of Florence , Naples , Venice , Lombardy , Piedmont , and Sicily . The cultural difference create vast communication barriers . neutral +But what 's all this business of the sky falling ? The sky is not falling , this is stupid . contradictory +With the hiring of new state planning team members as well as the additions of Matilde Lacayo and Monica Holman to OPP Main and Joyce Raby in Technology , there is now an OPP Main team member and a state planning team member assigned to every state and territory . Matilde Lacayo and Monica Holman are now part of OPP Main . entailment +At the intersection of Avenida Zarco and the main drag , Avenida Arriaga , stands a statue of Madeira 's discoverer , Joao Goncalves Zarco often referred to as the First Captain . The intersection of Avenida Arriaga and Avenida Zarco doesn 't have a statue of Madeira 's discoverer . contradictory +, we assume that all promised Social Security benefits are paid even after the projected exhaustion of the OASDI Trust Funds in 2038 ) . Even if money runs out they assume Social Security benefits will still be paid . neutral +They stood again , tips to the sky and left hands out in salute . They were on their feet . neutral +i would hope yeah i i think that 's what they do i think they they give that to charity I would hope , and I think they do , give it to charity . entailment +uh other times it could be very casual if you knew you would be at a desk all day and nobody would see you um even if you 're not going to be seen , you have to follow the code exactly contradictory +I tried to forget you , but the compulsion grew until I could fight it no longer . " She shuddered . I tried to get you out of my mind , but I couldn 't . entailment +and i 'm hoping especially with those big tall sides on there it that maybe i won 't have oh i 'll have less of a bug problem anyway at least they they 'll have a hard time crawling up the thing I am hoping because I have the high sides , that the bugs will not be able to get in and I will have less of a problem with them . entailment +But one thing is essential , I must see the girl . " I will do anything to see the girl . neutral +yeah well maybe you need to unload it on somebody else Maybe you need to tell someone else all your troubles . entailment +Mossad , which employs about 1,200 people , now has difficulty competing with private-sector recruiters . Its early agents were well-educated , European-born cosmopolitans who ran the agency like an exclusive club . To Mossad now it 's easy to compete with private-sector recruiters . contradictory +Victor Hugo , who stood among the crowd , dutifully recorded , in a poem on the occasion , that Napoleon had been wrong--that Napoleon had tried to conquer with the sword instead of with the mind . Victor Hugo wrote a poem disagreeing with Napoleon because Hugo was a pacifist . neutral +He had several patents on his conscience already : an automatic cork opener for wine in the indicative state , a portable set of board games for solving personality problems , a wallet with a mini-device for the duplications of 100 zloty bills , and a piece of equipment ' the day after ' used to irretrievably eliminate from the time-space continuum days burdened with a hangover . He had patents that he was thinking about . entailment +The difference in REMSAD-modeled PM concentrations for these scenarios represents the expected change in PM due to the emission controls under the Clear Skies Act . The difference is monitored only using the emission controls . neutral +But it is well worth a visit to the top ( a short hike from the bus stop ) to peer down into the bleak , barren crater emitting puffs of sulfurous fumes and contrasting starkly with the colorful vegetation all around it . The bus stop is not located at the top . contradictory +This despite a recent Charlotte Observer study that found that without busing , segregation would return for more than half of the district 's students . Half of the district 's students would be separated if it weren 't for busing . entailment +Speaking of foals , you left your mare and the filly in town ? " Did you leave your animals in the village ? entailment +Nowadays , the rich tapestry of history lies in the monuments and homes as well as the descendants of the Malay and Indian , the Chinese , Portuguese , Dutch , and British colonizers . Today , the rich tapestry of history lies in the monuments and homes . entailment +uh how high is the highest elevation What 's the height of the highest elevation ? entailment +yeah i read that one uh-huh Yeah , I read that magazine . neutral +Lisbon 's cultural scene offers occasional opera , symphony concerts , ballet , and recitals , usually held in winter . Most cultural offerings are held in winter . entailment +and they do forestry work they maintain trails and they uh put up signs and they do fire prevention work and certainly things of that sort They are always tired due to the work they do in the forest . neutral +Some one below is asking for you . No one asked for you . contradictory +As it stands now , police officers , especially in urban areas , present more illegally obtained evidence than legally obtained evidence . Police officers only present legally obtained evidence . contradictory +yeah it 'd seem like they 'd want to just to uh get some shade and keep their houses a little bit cooler in the summer They want to reduce their electricity costs but keep their houses cooler . neutral +'I mean , it 's not my degree . I don 't know about it . entailment +uh-huh true i don 't know i sure wouldn 't turn my back on them I know ! contradictory +The Turow didn 't arrive from Amazon until Dec. 27--more than a week after the conventional stores . The Turow was available in physical shops before I received my shipment from Amazon . entailment +But often , she says , the resulting reforms have been cosmetic--a token low-level bureaucrat assigned to hear problems , with no forum to do anything about them . Low-level bureaucrats are frustrated by their lack of power to make needed reforms . neutral +Hotels , restaurants , and shops have proliferated , extending a warm welcome and the best of Lakeland hospitality to ever-growing numbers of visitors . There are more hostels , restaurants , and shops there than in any other part of the country . neutral +yeah i actually think i i 'm i 'm somewhat encouraged by that trend because after all people live long er lives now so it 's not like you can you know it 's not like you 're going to uh you know pass away before your child is an adult i mean barring unforseen you know unforeseen circumstances You could even live through your grandchildren 's childhoods . neutral +yeah well we usually have to make them up though so We have to make up days when we close down . neutral +yeah yeah like New York was really humid you know you but you could you could walk around outside in New York you could just stay outside in in it you know because it was i guess the average summer temperature is about eighty uh you know in the eighties Summer is the best season in New York . neutral +yes we uh uh i haven 't missed a one since i 've been eligible to vote I 'm not sure that I 'll vote in the next one . neutral +we pay all help to pay to have them haul it away from their place and where they put it now they found it 's not a safe place it 's leaked and now they have to clean those up and it 's our money that 's cleaning this stuff up and now they want to put it in they burn it and that will make another hazardous dump They do all the hauling , disposals , and clean-up using some NGO money . contradictory +The planners were told that their plan was non-responsive to the issues identified in LSC Program Letters 98-1 and 98-6 and in need of major work . The plans proposed didn 't properly address the problems that the LSC Program Letters had identified . entailment +He identifies unavoidable references to Hiss only in footnotes , and finally presents their relationship in a brief flashback in the course of detailing the trials . He talks about ther eferences in his footbotes . entailment +Of the few remains of the Byzantine city , the most remarkable building is the Haghia Sophia . The Hagia Sophia is far from the most notable remnant of the Byzantine city , but some people still come and see it . contradictory +you can 't go to a different one and they didn 't pass our tires our tires on uh on my car You can 't go to a different place . entailment +It may be so , I said , fascinated by Poirot 's eloquence . It is possible . entailment +they will twist it and bend it They won 't bend , twist or contort it . contradictory +The colony slowly became better organized . They have been taught how to be organized . neutral +I sometimes found myself wishing he would let the picture catch its breath , that the performers would stop coming at me in stroboscopic flashes . I never wanted him to stop capturing the photos . contradictory +The historic theater district on Broadway has evolved into a bustling Hispanic shopping street good for bridal gowns and electronic equipment . Hispanics love to go shopping for bridal gowns because they look pretty in them . neutral +Treatment of slaves was for the most part cruel and inhumane , with family life virtually destroyed as fathers were systematically split from mothers and their children . All slaves were pampered and treated well by their owners , living a healthy life . contradictory +It also identified some lost opportunities . Some lost opportunities were not identified by that . contradictory +Vrenna and I both fought him and he nearly took us . He nearly took us when both Vrenna and I fought him . entailment +well that 's good at least you 're hitting the books right At least you are studying properly . entailment +and sure enough boy the fur just came off like crazy once i got them in the tub so The fur came off in the water and then it clogged my drain . neutral +Outside the valley , Nepal slumbered on , for all intents and purposes still in the Middle Ages . Outside the valley , Nepal slumbered on , for all intents and purposes still in the Middle Ages do to the lack of foreign contact . neutral +The neighbor is friendly and seems trustworthy . The neighbor is an untrustworthy old man . contradictory +Cheering from the audience . There was cheering from the audience as the show came to a closing and the performers came out on stage . neutral +You can also order a CD . There is planned support for CD orders , but not now or in the near future . contradictory +The others swarmed hungrily toward it . The others all wanted to have a bite of it . neutral +Not a fool , then , after all ! Indeed an idiotic person . contradictory +In all such relationships you are replaceable at some price . You are expendable in return for some price in relationships . entailment +Its sultan 's family is also the last to be able to trace its ancestry to the 16th-century sultans of Melaka . There are a great number of existing families who can trace their ancestry to the 16th-century sultans of Melaka . contradictory +OLYMPIA ( AP ) - The Washington Supreme Court is asking the Legislature to approve a $ 90 surcharge on a court filing fee to help provide legal help for the poor in civil cases , Chief Justice Gerry Alexander said Wednesday . Chief Justice Gerry Alexander said The Washington Supreme Court wants to charge $ 90 for court filing . entailment +The town is dominated by a Genoese fortress built in the 14th century , and enlarged by the Ottomans . The Ottomans expanded the fortress in the 17th century . neutral +you know but get somebody around your own handicap and you can just mosey on out for three or four hours and have a good time There is no way to pace a game down and have a good time . contradictory +sure you got to inspect it yeah That 's the only way to find out if there are bugs . neutral +'I lost everything . ' I lost it all . entailment +It was coined almost 200 years ago ( I think perhaps by David Ricardo ) , to describe the pre-industrial land-tenure system in Britain , wherein peasants would destructively graze their livestock on commonly held land . Peasants would own their own property for livestock grazing . contradictory +However , Bradley adduces evidence that they were quite good with numbers and were overly sentimental about their mothers . Bradley could not find any evidence at all . contradictory +Mind you , their theory had a rigidly mathematical development and it predicted just such a Galaxy as they describe . Mind you , their theory had no mathematical development , and it was completely wrong . contradictory +Who are these uncredited laborers ? Who are these workers ? neutral +they just you know just kind of scoot it on another spot on the on the sink and and put the next plate down and and in a while get around to it and i think most women walk in and and and with oh got to clean all this up got to get this out and this in and this you know taken care of instead of having someone say now this needs to be done this is the time this needs to be done but It 's mainly plates and cutlery that are left to be cleaned neutral +Ah ! I exclaimed . The person exclaimed . entailment +oh i think that 's a that 's a good idea all right That is a terrible idea . contradictory +well that 's about it really it 's it has four uh four threads instead of the the regular basic two threads It has sixty threads . contradictory +Buses give you a sightseeing tour at a bargain price , respecting schedules as far as traffic allows ( rush hours can create terrible jams ) . Busses are the best way to see landmarks . neutral +blood pressure yeah they sit there in the cafeteria sometimes and take that on your way out They take your blood pressure in the cafeteria . entailment +The Right Bank still conjures up an image of solid bourgeois respectability . Being so wealthy and stable , The Right Bank still conjures an image of Bourgeois respectability even today . neutral +well what do you think about it What are your opinions about it ? entailment +you know and well it costs two hundred dollars for books but you know seven hundred dollars a semester a lot of people can spare that if they planned ahead you know like Seven hundred dollars a semester is the least you should be able to afford if you plan carefully . neutral +i 've seen your spaghetti bridges though when i wouldn 't want to go over them I would not want to cross a spaghetti bridge . entailment +10 HK per hour , compared with $ 17 . $ 17 per hour in comparison to 10HK per hour . entailment +Above him , the eyes of Sather Karf were uncertain . Sather Karf was uncertain . entailment +The southern end of Pichola has the best view of the lake , taking in the two island-palaces and the CityPalace beyond . You cannot see the lake unless you are at the northern end of Pichola . contradictory +As far as I 'm concerned , you 're both so wild they have to tie a foot up when they give you a haircut . You all are so wild they have to tie you down to cut your hair . entailment +oh yeah it 's funny some of their necks don 't get broken It would be funny if the necks broke . neutral +NBC stood by Albert , announcing he will continue to broadcast basketball playoff games . NBC didn 't want to risk the lawsuit that firing Albert would entail . neutral +In the tantalus in the dining-room . The dining room is within the tantalus . entailment +We actually did win . We won . entailment +The pressure on the land becomes less intense , so rural wages rise ; the pool of unemployed urban dwellers always anxious for work shrinks , so factories start to compete with each other for workers , and urban wages also begin to rise . Factories start to compete for workers by raising wages as the unemployment rate increases . contradictory +Another channel devoted to such talk could well interest as many people as want to see a 1928 movie starring Conrad Nagel , and would not hurt them . The amount of people who would want to see a new Conrad Nagel movie is very small . neutral +In January 2000 , the LSC Board of Directors approved LSC 's 5-year Strategic Direction Plan . The board sent the report back for revisions . contradictory +How come you turn up here and now ? " Anse sluiced water over his head and shoulders with cupped hands . Anse sluiced juice over his head . contradictory +The bill for Home Rule finally became law just as World War I broke out , but with the proviso that it was not to be enacted until hostilities ended . The Home Rule became law the same time as World War One started . entailment +approximately um-hum um-hum we live on a used to be a farm but we don 't farm much we uh but we do have a garden We have lived in that farm for about 7 years now . neutral +Dust clung to his moist lips as he whispered prayers in an unknown tongue . He said prayers . entailment +well you should try it I recommend giving it a try . entailment +The town 's most venerable edifice is the 12th-century Romanesque basilica of Santa Maria Maggiore . Next to the Santa Maria Maggiore basilica is its sister chapel , also given much respect by the people of the town . neutral +The past year saw the creation of many projects , the maturation of several young initiatives and the opportunity to take existing efforts to new levels . Not a single project reached maturity over the last year . contradictory +Such a show might have opened with the same Robert Henri portrait of Gertrude Vanderbilt Whitney included here and brought many of the same paintings she collected out of the vault for a fresh look . Henri painted a portrait of Washington . contradictory +well and then to make matters worse it destroys your vehicles too It 's great for your car . contradictory +Gods help us , said Adrin . Adrin prayed to God . entailment +oh well i guess there were i guess it was pretty popular because there was quite a lot of Twin Peak conversation I 've never heard anyone talk about Twin Peaks . contradictory +And yet there 's one person quite near at hand who in all probability knows where he is , or at all events where he is likely to be . Nobody has the slightest idea , where he is . contradictory +It 's home to the super-pricey emporia Tiffany , Chanel , Mondi , and Giorgio Armani , but the more affordable retailers such as Ralph Lauren and Guess ? Rodeo Drive is home to very expensive stores where lots of celebs shop . neutral +I haven 't strenuously objected to my love 's praise for people such as Tom DeLay and ( I 'm serious here ) G. Gordon Liddy because of the terrific time we 're having and the incredible sex we share . My love and I do not share incredible sex and therefore I feel the need to strenuously object to their praise for people such as Tom DeLay . contradictory +Caravans of nobility rode up with dozens of slaves and armored guards . The nobility 's slave and guards were planning to overthrow them . neutral +or or government aids and stuff Or government aid . entailment +Especially reviled is Hitz , starring trash-talking comedian Andrew Dice Clay , which suffers from too many penis jokes and a gratingly loud laugh track ( Caryn James , the New York Times ) . ( UPN plugs its shows . ) Andrew Dice Clay makes many jokes that are in vulgar taste . entailment +now what 's oh OK . contradictory +The rapier is for misdirection , " said Adrin . Adrin said the rapier is for misdirection . entailment +Any nation determined to explode a nuclear bomb in Uncle Sam 's front yard would have to be insane to deliver the insult by missile--it might as well affix a return address to the weapon before firing . It would be insane for a nation to deliver a nuclear bomb to the united states by submarine . neutral +it it it 'll save your fingers trust me If I were to be truthful , it won 't always save your fingers . neutral +Jon drew his rapier and ran forward . Jon was unarmed and stationary . contradictory +The patient surely maybe will wake up ... Dr Kaliszewski began to say during the morning rounds three days later , ' ... in about three days to three years . ' The patient has been asleep for more than three days neutral +it it depends on the person on the individual but uh the one factor i think Anyone can do it . contradictory +Allowances are distributed to electricity generators , and the cap declines at specific intervals , 2010 , and then again in 2018 . Electricity generator allowances decline at specific intervals . entailment +yeah yeah that 's kind of like the the first well my first car was a fifty six Mustang and uh over the years uh all i had a uh Dodge pickup several years ago and uh i can 't remember the size of the engine it was a three O seven or something like that My first and only car was a Dodge pickup with a massive engine . contradictory +He was beginning to love this town . He was fond of the town . entailment +In addition to portraits of the virgin , Christ on the crose and the apostles , there is a large and outstanding El Greco work over the main altar of the sacristy Expolio ( The Denuding of Christ ) . There are many religious art works there . entailment +Any reason why I can 't bunk up there ? he asked Kells . He asked Kells a question . entailment +they they they had four tickets because their kids were there of course their kids came and went They had only two tickets for the two of them . contradictory +If the designed procedures met the requirements , we did not object to the implementation of fast pay . They advocated for slowing down the payment system . contradictory +" Mister Kells said as to tell you he 's sleepin ' on a cot in th ' tack room over there , should you be needin ' him . " Callie pointed . Mister Kells said he 's sleeping in the tack room but only interrupt him in an emergency . neutral +farmers ' market carrying flowers carefully down crowded aisles He prefers to walk down the right side of the crowded aisles with this flowers . neutral +Jin Tun Syed Sheh Barakian ( also known as the Esplanade ) runs between the waterfront and the Padang before the fort . Running between the waterfront and the Padang before the fort lies Jin Tun Syed Sheh Barakian . entailment +18 One possible fiscal policy , which we used in our simulation , would be for the federal government to save only the Social Security surpluses and to spend the non-Social Security surpluses projected over the first 10 years on some mix of permanent tax cuts and spending increases . The simulation did not include any fiscal policies . contradictory +My pent-up excitement burst forth . My excitement is non-existent . contradictory +There are several jungle lodges and tented camps within the park 's boundaries , and from any of these camps there is a very high likelihood that you will see rhinos and deer . Rhinos and deer are a common sight for campers in this jungle park . entailment +( a ) Averages obscure the fact that most of Clinton 's tax increase did fall on the affluent . Most of Clinton 's tax increase fell to the affluent and upper middle class . neutral +Yes , yes , the measured and polite Farrakhan . Farrakhan is well known by all as being a polite man . neutral +uh yeah i i remember our our our daughter 's twenty five Our daughter is twenty five . entailment +Fishing along the rocks of the coastline is a popular pursuit , no matter how unlikely the prosect of a large catch . The rocks on the coast are not a popular fishing spot . contradictory +The objective of our research was to determine how several leading organizations have implemented their CIO positions and supporting management infrastructures . The research wasn 't concerned with how several of the leading organizations implemented their CIO position . contradictory +Slim said , eagerly , " Do you come out here every day like this , Red ? Real early ? It 's like the whole world is just yours , isn 't it , Red ? No one else around and all like that . " He felt proud at being allowed entrance into this private world . Slime was proud of what he had done to get there . neutral +This will result in a total benefit in the reduction of oxides of nitrogen of over 20 million tons and reductions of 275,000 metric tons of particulate matter and 400,000 metric tons of hydrocarbons . The result will be a vaporization of all human life on Earth . contradictory +Buchanan or Bush vs. the congressional Republicans . There are Republicans in Congress . entailment +The NCLAN results show that several economically important crop species are sensitive to ozone levels typical of those found in the U.S. ( US EPA , 1996 ) . Results from the NCLAN showed no correlation between the crops and ozone levels . contradictory +Might be some racing . They certainly won 't race . contradictory +It 's not always for legal issues . This only ever happens because of legal issues . contradictory +Those are her only times off . " Her hours have been pretty irregular the past month . neutral +wow um-hum well do they i mean um i never liked doing that and i i didn 't up until uh several years ago when it came down to the point of I hated it at the beginning and I still hate it now . contradictory +i only watch one soap opera a day and it seems to me and that 's probably about once every two months since my husband retired it seems to me so often times that they cut into that soap opera with what i don 't really consider as earth shaking i guess maybe i think sometimes the uh the coverage is almost too intent My husband didn 't want to be retired . neutral +As they recovered , Jon spoke to A 'deem . Jon and A 'deem never got a chance to talk . contradictory +Like McCarthy , other Republicans like to pilfer their glory from the field of battle . McCarthy wrongfully derives glory from the battle field . entailment +okay let them people go Let those people leave . entailment +i mean you know it 's just the statistics are just staggering that when they make like you know sixty cents on the dollar for what men make for the same jobs and that i mean i can get really angry about that They 're earning more than 1.20 to a man 's dollar . contradictory +In the central hall , identical marble sarcophagi are stacked four high . The marble sarcophagi symbolize the respect shown to the ancestors they contain . neutral +And yet she is on the point of betraying Mr. Brown , and she dies . She died before she could betray Mr. Brown . entailment +7 Beginning in fiscal year 2000 , FHWA appraised senior executives on these corporate management strategies . Corporate management has ben working for the beneficiary of its people . neutral +yeah oh yeah oh yes very much so hip injuries and things like that yeah yeah that that forces a lot of the guys to get out of the game Many guys leave the game due to injuries . entailment +Silence filled the clearing . The clearing was silent . entailment +The new guy was named Mr. Nowak and was sitting next to Miss Aldonka . Miss Aldonka was across the room from the new guy . contradictory +As discussed in section 1 , disposable personal income is the after-tax personal income ( including government transfer payments ) available for households ' consumption and saving . Disposable income is what you have before taxes . contradictory +But I guess I 'd got the hump from standing so long in the rain , and anything seemed better than going on doing nothing . It was a bright and sunny day and I was feeling great , but anything seemed better than going on doing nothing . contradictory +The well-known Stanley Mar ? ­ ket is a major source for bargain clothing and other merchandise . Stanley Market is not known at all . contradictory +I worked on ... I finished working on ... neutral +Panic welled up in him . He was very calm and relaxed . contradictory +Ehrlich 's theories lost steam after he lost a famous 1980 bet with economist Julian Simon , who wagered that any basket of resources Ehrlich might name would be cheaper at any date in the future . After losing a bet in 1990 with an economist Ehrlich 's theories lost steam . entailment +and then all you 'll have will be road camping trips you know let 's just go out to the mountains with the car honey and uh Hopefully it won 't come to road camping trips . neutral +yeah it 's in great shape uh body is in excellent shape it just needs paint i need to look up some place to uh to get the car painted Yes , I found a car that looks sweet on the outside , but it barely runs . contradictory +uh we 've had a couple We had a few . entailment +The Time and Newsweek lists Woods , Henry Louis Gates Jr . , Web entrepreneur Kim Polese , and X-Files creator Chris Carter rate a mention on both . Kim Polese is a an intelligent woman . neutral +What are you thinking of ? said Jane sharply . What is your next plan ? asked Jane impatiently . neutral +I signed up a truck from Friday until Monday two weeks hence , K. explains . K. explained that he signed up a truck for over a week . entailment +How should I know ? I will tell you now . contradictory +The high court 's order Friday amends Supreme Court Rules 751 and 756 , authorizing the Attorney Registration and Disciplinary Commission to collect and automatically pass along fees to the Lawyers Trust Fund and Lawyers ' Assistance Program Fund . Lawyers are furious about the high court order and what it means to their funds . neutral +and she ought to be due sometime toward the end of this week on a litter we just got her She is not due till about two months from now . contradictory +The shrine has a prominent role in the Tale of Genji and in a famous noh play ( titled simply Nonomiya ) , and thus attracts people with especial interest in classical Japanese literature . The shrine 's role plays a key , prominent role in the tale of Genji , entailment +Although the certifying officers are primarily responsible for payments authorized , the volume of transactions , the geographic dispersion of activities , and the emphasis on prompt payment make it virtually impossible for these individuals to review all invoices before authorizing payment . Certifying officers are in charge of authorizing payments . entailment +She chose NYU Law over Columbia specifically because NYU would cover more of her tuition . She thought NYU would cover more of her tuition than Columbia . entailment +Figure 9 : Illustration to Show How the Best Practice Model Would Apply to DOD 's Acquisition Process Illustrations in Figure 9 do not exist at all . contradictory +This leads us to a third They couldn 't trust each other . They were unable to experience trust with one another . entailment +yeah that 's yeah yeah well we really have uh our our bedrooms i guess are the ones that have uh that have to be painted uh we 've got paper on uh our dining room and kitchen and bathrooms and then we 've got paneling in our family room and game room Most my house needs to be repainted and redone . entailment +Krugman Cassidy 's article tells the story of how Stanford Professor Brian Arthur came up with the idea of increasing returns . He was able to increase returns . neutral +The inevitable legal challenges have arrived , but they 're all piecemeal , failing to address sweeping constitutional questions . The legal challenges are failing to address certain important questions . entailment +Take no unnecessary risks once the papers are in your hands . Take all the risks you can once you have the papers . contradictory +With a bit of luck , that girl might help me to get out of here . She might help me escape , with any luck . entailment +He remarked that it would be possible to evaluate this association by matching patients ' likelihood to accept directive interventions to either brief , directive physician-implemented interventions or specialist-based motivational interventions . Physicians normally prefer to do brief interventions when they can . neutral +Securities and Exchange Registration Form Used by Open-End Management Investment Companies and New Disclosure Option for Open-End Management Investment Companies Investment Companies do not have a new disclosure option when dealing with open-end Management Investment Companies . contradictory +A key success factor evident in all our work is the ability to obtain the right knowledge at the right time and to build knowledge to the point that decision makers can make informed decisions about moving ahead to the next phase . right knowledge can empower some beyond their imagination . entailment +Japan is a country where the intriguing , the exotic , and the utterly baffling are commonplace , where little can be taken at face value . In Japan even the microwaves are different . neutral +The total annual cost of complying with the information collection is estimated to range from $ 4 . Information collection doesn 't really cost much so we should make the best of it . neutral +Several years later , a migrant worker named Adolfo Ruiz-Alvarez was released from a state mental hospital after two years of psychiatric evaluations and drug treatments . Migrant worker Adolfo Ruiz-Alvarez was released from a state mental hospital , only to be placed in a private mental hospital . neutral +there 's so many different ways to catch fish you know at night you can There are myriad ways to catch fish . entailment +I 've got to scoot back to the house . " I have to go back to the house . entailment +Set back from Princes Street is the National Gallery of Scotland , opened in 1858 , which houses a collection of works by native Scottish artists and international masters . The National Gallery of Scotland opened its doors in 1758 . contradictory +The quarter also includes France 's two most prestigious high schools , the Lycees Henri IV and Louis le Grand , training grounds for France 's future elite . France 's future elite usually have attended one of the two most prestigious schools . entailment +Grantees cannot continue representation in a welfare matter even where a constitutional or statutory validity challenge becomes apparent after representation is well under way . Grantees always represent people in welfare matters . contradictory +the uh the grown ups eat for four dollars and something and the and the uh the eight and eleven year old eat for uh two dollars and something and the four year old eats for free and uh the grown ups get all you can eat and the kids have to have can only have like four items It 's an expensive restaurant . contradictory +What secrets had it seen ? It had seen a scary secret . neutral +Boat trips from Benidorm average 20 minutes each way There are no trips on boat from Benidorm . contradictory +Hardly a micropayment . That 's definitely a micropayment . contradictory +yeah i 've got a little electric mower and i i will never buy another one of those again My electric mower is even worse than my manual mower . neutral +India 's prehistoric settlers were probably what anthropologists call Proto-Australoids . India had settlers which dated back even further than prehistoric . neutral +We don 't forget what is due a customer , Johnny . He went to the desk , scribbled a line on a piece of paper , and held it out to Drew . Johnny gave drew a piece of gum . contradictory +The original statistical work in The Bell Curve consists of regression analyses on a database called the National Longitudinal Study of Youth . The Bell Curve shows the analysis of a database called the National Longitudal Study of Youth . entailment +yeah it 's a it 's a hard decision to make Deciding whether or not to kill yourself is a hard decision to make . neutral +oh wow that would have been six or seven years ago then I think that was a long time ago . neutral +This gentleman is a Russian Bolshevik . This Russian Bolshevik is not always a gentleman . neutral +You will find original examples in the archaeological museums throughout the Cyclades , although one of the earliest examples is in the museum on Paros . Paros had one of the oldest museums and it showed fossils . neutral +Yung Shue Wan is still a very British residential enclave , with many nice pubs . The pubs in Yung Shue Wan are very expensive . neutral +The kiosk used by Williams is part of a statewide effort to cope with a flood of litigants who cannot afford or refuse to hire lawyers . The kiosk is an attempt to increase traffic flow through the new East Square Mall . contradictory +However , it seemed important to provide the full text of Pat Buchanan 's speech on bolting the Republican Party . Providing the full text of Pat Buchanan 's speech seemed important . entailment +Want to find out how many times and in what context the aspect ratio of envelopes was mentioned in the current rate case ? Envelope aspect ratio is a thoroughly unnecessary thing to analyze . neutral +yeah it does Um i didn 't know what i wanted to do after i got my my degree um originally i had planned I was worried that I would not be able to have the career I dreamed of while in school . neutral +and i wouldn 't trade her for anything i also have a child I have a child with her and I would not trade her for anything . entailment +Local columnists have pointed out a number of errors and unsubstantiated stories in Davis ' two books about Los City of Quartz ( 1990 ) and Ecology of Fear ( 1998 ) . Davis , in his blunt manner , accused the local columnists of engaging in a modern day witch hunt . neutral +economic times ) threatened their survival . The economy threatened their survival entailment +Participants also noted that the PCAOB should take advantage of the fact that under the current environment no one has more motivation for getting bad auditors off the street than the accounting firms themselves . Accounting firms are motivated to remove bad auditors . entailment +Fight them at the mine entrances and pull them into the mine . Fight the demons far away from the mine . contradictory +How do these people decide that their doctor is the best ? How do people decide that their doctor is superior ? entailment +yeah a lot a lot of people uh my brother in laws are all everybody is bigger than me for the most part I am the smallest person in my family . neutral +Dear me , I murmured , " so that is the explanation of your extraordinary behaviour . There is a reason for your behavior . neutral +To make matters worse , I have never had a girlfriend . It makes me sad that I 've never had a relationship with a woman . neutral +Festivals in these villages , if you can find the right day and hour , are even more riotous and welcoming than those in the cities . Festivals in these villages are even more nice and welcoming than those in the cities if you find the right day and time . entailment +oh taxes lord forbid forbid lord forbid taxes goodness gracious if we would uh plan our expressways a little better that ten dollars for the bridges and the roads we 'd cut that in half and give to the teachers we might have such a problem If the expressways were planned better some of the tax money could be used for education . entailment +On the causeway leading off Old Church Lane is Prince Charlie 's Cottage , where the Young Pretender stayed in 1745 while planning his strategy to defeat the English and retake the British throne . There are many areas that also lead to the causeway . neutral +But tourism pulls islanders in opposite directions on the Balearics . A holiday to the Balearics is very expensive . neutral +He said the commission was to meet in Phoenix on Dec. 7 to finalize its report for the ABA 's general meeting next spring . The commission already finalized its report of the ABA in November . contradictory +Exhibit 2 Analytic Sequence for Multi-Emissions Reduction Proposal Benefits Analysis Exhibit 2 has been presented to the court as an analysis yesterday . neutral +I can wait here while you deliver it . I 'm willing to wait for you to deliver it . entailment +I was late for work . I did not get to work on time . entailment +The question was , had it been taken from him , or had he himself passed it on into another 's keeping ? He was certainly robbed . contradictory +uh i 'm a touch typer and i haven 't ever really noticed uh differences uh the machine tends to react as fast as i can i use an eighty as a matter of fact use an eighty eighty eight at at home uh which is really old iron uh probably ten years or so and and at the office uh i am indeed using a three eighty six um i use a PC for a great deal of things in in private life uh i 'm a church treasurer I am a terribly typer . contradictory +In such cases , agencies are to provide whatever data are available , with a notation as to their incomplete status . Agencies do not need to provide data . contradictory +and there 's some really neat stuff they can do now with computers and and some of the cartoons are just hilarious um They have some stuff that they do with computer hard drives . neutral +In the spirit of equal opportunity , Pinsky has decided to cease discriminating against poets who suffer the ultimate disability of being deceased . Pinsky stopped discriminating against dead poets because they were talented , too . neutral +At the other end of the fortifications , the terrace of the Logis Royal ( Royal Lodge ) affords a delightful view over the village and the Indre Valley . The terrace affords a delightful view over the village . entailment +you know but i 've it 's been long gone out of my system now i could just put it in home and let it go there and take me there and that 's it i don 't like any of that I could put it in my home but I would still think about it neutral +Under the full environmental cell scenario , the estimated annual cost would be $ 244 . The annual cost would be estimated at $ 244 under the full environmental cell scenario . entailment +Ca 'daan had traveled to the salt mines high in the mountain and had seen the growth and erosion around the carvings . Ca 'daan traveled to the mountain salt mines , and saw the growth and erosion of the carvings . entailment +do you do you use patterns i mean like a book of patterns or do you go out an buy a a kit like for a bib or something like that Do you use a book with house patterns or buy blueprints ? neutral +Chapter 2 of this exposure draft discusses nonaudit services provided by audit organizations that are not covered by GAGAS . The GAGAS needs to work on providing more coverage . neutral +Because it requires no ongoing effort or supervision to be effective , and it can be discontinued only after some ( rather small ) effort . It doesn 't require an ongoing effort to be effective , so we should adopt this system . neutral +i 'm Jerry Crow from Dallas Hi , I 'm Fred Richards and I 'm from Austin . contradictory +McGrath says Nelvis told him he saw Monica Lewinsky emerge from the president 's study looking shaky and in shock in late 1995 . Nelvis told McGrath that he saw Monica Lewinsky exit the president 's study looking shaky and upset in 1995 . entailment +i 'm pretty satisfied with them uh the only thing that i think i would change is the network the hospital networking i have Aetna Insurance I wouldn 't change a thing in their hospital network . contradictory +uh-huh well sometimes too when we take out our garbage and we usually you know we just dump it in the middle of the garden you know after your garden 's basically done Sometimes we dump our garbage in the garden . entailment +Not likely to forget this one , he said , grinning . He said that he will most likely not forget that one . entailment +GOP efforts to derail President Clinton 's appointment of Bill Lann Lee as the nation 's chief civil-rights enforcer ( Payback Time , by Jacob Weisberg ) only demonstrate what bad sports Republicans have become in the last few years . GOP successfully derailed Bill Lann Lee 's appointment as chief civil-rights enforcer . contradictory +but i uh uh i i think it 's far too easy for people to get guns uh let me let me tell you a little a little more of of my background where i 've really come to this position i i as i 've told you before uh we lived in Malaysia for four years We have never traveled outside of the United States . contradictory +Did they say anything about the meat ? Did they cook the meat well ? contradictory +A sign of failure , of a feeble economy , perhaps ? Is that a sign that the economy has slowed down this year ? neutral +but we didn 't you know we didn 't really start it for the money it was just they were fun to have around and we figured if we 're going to have them we might as well have some purebreds and and now it developed in to going to cat shows and finding studs for them and you know all this kind of stuff Making money is not very important to any of us . neutral +Do we get it right 100 percent of the time ? We get it right 50 % of the time . contradictory +Other attractions of Picardy 's capital include the canalside Saint-Leu quarter , the Hortillonages ' an area of water gardens east of the cathedral that is only accessible by punt or on foot , and the Musee de Picardie ( 48 Rue de la R ? ? publique ) with its good collection of paintings , most notably a couple of Van Goyen landscapes , El Greco 's Portrait of a Man , a witty self-portrait of Quentin de La Tour , and Francois Boucher 's erotic pink nymphs . The cathedral has 10 acres of gardens . neutral +um the one the the most valueless girl doesn 't but she 's married now i i 'm not quite sure why i i think he said that he 'd give her a big ring and she was one of the most valueless girls in the whole town , but she managed to get married neutral +right there 's a lot of people like you 're educated i 'm educated my husband is but i mean a lot of people are flat not educated and if i have a hard time you know putting that into my life can we put that off on the other eighty percent of the population that doesn 't have any college or i don 't know how much of the you know but a large percentage probably over half of the rest of the population My husband and I never went to college . contradictory +Ferrigno 's article was crap . The article was not received well by everyone . entailment +Adrin kept up easily , using his off-hand dagger to trap Jon 's rapier and take a swing of us own . Adrin was fighting Jon to the death . neutral +because the guy had been under the influence and he said whether you think you know you might think that it doesn 't effect anybody but it does It definitely has an effect when you 're under the influence . entailment +It was a gentle dig at his Arcturian homeland , which was smaller than most planets . Everyone thought his planet was large . contradictory +it just everything just kind of gives up and dies here Everything fights onward . contradictory +The strategic directions adopted by the Board will achieve LSC 's vision3 by accomplishing two major strategic ( 1 ) By 2004 , LSC will dramatically increase the provision of legal services to eligible persons ; ( 2 ) By 2004 , LSC will ensure that eligible clients are receiving appropriate and high quality legal assistance . Increasing legal service provisions to eligible persons by 2004 is one of the Board 's strategic directions for LSC 's vision . entailment +Balmer grabbed the paper that he had jotted notes for his speech on and abandoned his neck tie and formerly reliable vehicle . Balmer had notes for his address at the gala . neutral +He shivered . He was dancing up a storm . contradictory +The need to pay off student loans discourages doctors from going to rural communities or inner-city hospitals . Doctors aren 't effected by student loans . contradictory +As Vecsey puts it , women eschew the cynical fouls and flagrant flops of the men . Women welcome the foul things men do . contradictory +For a more climate-controlled climb , try the indoor climbing mountain at GameWorks on the Strip . If you 're looking for a more climate controlled climb , avoid the indoor climbing mountain at GameWorks . contradictory +In 1805 , a dashing EIC administrator , Thomas Stamford Bingley Raffles , came out to Penang at the age of 24 . Raffles was a successful trading magnate from Penang . contradictory +so he 's so he 's out there digging it up He is out there digging it up . entailment +Look for the graffiti of Napoleon 's French soldiers on the stone of the towers ; they spent some time garrisoned at the mosque and made sure they left their marks for posterity . French soldiers carved graffiti into the towers of the mosque . entailment +yeah that would be exciting That would seriously be extremely boring . contradictory +She ran upstairs while I was getting . I was distracted and she quickly went upstairs . entailment +Some postal administrations do not have this information and some choose not to make it available to regulators or the public . No postal administrators can keep the information from regulators . contradictory +agent and a full-time homemaker , he was educated at Catholic Central The agent and homemaker was valedictorian at Catholic Central . neutral +I was asking Daniel- we were alone in his bar . Daniel and I were sitting at a table talking . neutral +about what What about is doesn 't make sense ? neutral +About two hundred , said Jon . Jon said it was about seventy thousand dollars . contradictory +The rule implements for fiscal year 1966 section 6101 of the Omnibus Budget Reconciliation Act of 1990 , as amended , 42 U.S.C. No rule was ever implemented for the fiscal year of 1996 . contradictory +They supported a lot of great and good art . They detested the arts . contradictory +mentally it 's just the best thing for you i mean when you get on in your years it 's the only thing you really have Mentally , it 's the worst thing for an older person . contradictory +That 's one reason why I 'm a pro-life person . I 'm not pro-life simply for that reason . contradictory +but u h they 're kind of fun to to try get a get a few and then throw them in with the rest of your salad sometimes I like an assortment in my salad . neutral +well how it really is a good a good family thing to do yeah and It helps families talk and spend time together . neutral +Imagine that . Don 't imagine it . contradictory +Two hundred years ago , after Napoleon sent his army officers to explore the land and bring back the first hand-drawn impressions of half-buried statues and columns , the world couldn 't get enough . Napoleon sent his officers to explore land and they told about massive columns buried in the sand that were unlike anything they 'd seen . neutral +Recommendation # 7 Research is needed to explore and define the role of information technology in facilitating screening and intervention for alcohol problems among ED patients . The role of Information Technology in alcohol screening demands further refinement . entailment +Barik 's roar ended in a strange weak exhalation of air . Barik yelled but ran out of breath . entailment +( Read William Saletan 's to see how the doctors cultivated their common touch . ) The doctors were interviewed by William Saletan . neutral +committing a Carrying out a entailment +You will find original examples in the archaeological museums throughout the Cyclades , although one of the earliest examples is in the museum on Paros . Paros had one of the nicest restaurants . contradictory +The man 's helm caved in , the sculpted growl bending into a twisted smile . The man smiled and showed all his teeth . neutral +Fire did further damage in 1845 . There was a fire in 1845 . entailment +Figure 1 displays the minutes per box per day as a function of density . The first figure shows the relationship between time and density . entailment +A church was once built over this spot , but today the minaret of a small mosque is the best landmark for finding the pool . There was once a church standing in this spot . entailment +His words drove a chill through Ca 'daan 's bones . The words did not have an effect on Ca 'daan . contradictory +I felt like I was betraying something . I felt bad . entailment +The heat is year-round ( average 25C / 77F ) , but so are the trade winds that temper it . The heat is lowered by the wind . entailment +This manmade artery linking the Mediterranean with the Red Sea and the Indian Ocean , allowed a much quicker journey time from Europe to the Middle East , India , and the Far East when it was opened in 1869 , a great aid to the Western European powers in managing their expansive Empires . The artery between the Mediterranean and the Red sea hurt the European Empires . contradictory +The tour next takes you to another Toshogu the famous Gate of the Sleeping Cat . The tour will end at Shinagawa Aquarium in Tokyo , followed by high tea . neutral +Perspectives on the Household Saving Rate . People share mostly negative views on the Household Saving Rate , but there is also another side to the story . neutral +She is 58 . She looks like she is 40 . neutral +Teodoro , he meant no harm ! " Drew scrambled to the window . Drew went to the window . entailment +Enthusiasts claim that Linux can run for years without requiring you to restart your system . Everyone knows that Linuxes have to be constantly rebooted . contradictory +The car companies also hope to convince NHTSA that slower-inflating air bags would provide almost as much protection and far less risk than posed by the current standard--as long as seat belts are also worn . Car companies would like NHTSA to see the value in air backs that inflate quickly . contradictory +Each stop lasts for a total of three minutes . The stops take a total of thirty seconds . contradictory +The morbidity studies used in the Clear Skies Act benefits analysis may also be subject to many of the uncertainties listed in this section . The morbidity studies have many uncertainties . entailment +It seemed to be the general law , but for all he knew , ignorance of the law here might change the law . He considered that not knowing the law could change it . entailment +Doctor Edward sincerely avoided her , and even more sincerely he wished she would trip up on the loyalistic-algebraic theory of Himko-Rybson . Edward stayed away from her . entailment +you should have taken the larger one huh It woud 've been better if you 'd taken the larger one . entailment +( She then checked her makeup in the mirror , went back to the dance floor , and asked the disc jockey to play a heavy-metal song--Unforgiven--for her boyfriend . ) After checking her face looked okay , she asked the DJ to play a rock song . entailment +i can 't so right that 's the way i am i know the feeling I don 't know what that feels like , I have no idea . contradictory +So , secondarily , does Churchill 's . Churchill 's isn 't the first one . entailment +Additional copies are $ 2 each . Duplicates are $ 2 a piece . entailment +Such were the days . The days were like that . entailment +frequent flyer miles for this unit 's employees has become more problematic since the government contracted with a different carrier for one of the unit 's most heavily traveled routes . The government contracted with a different carrier for one of the routes . entailment +Jon shot the horse in the head and it crashed down before it had overran and trampled San 'doro . Jon shooed the horse and it ran the other way . contradictory +so um do you want to discuss your recipe i have a recipe if you want um it filled Do you want to discuss your salad recipe ? neutral +If all SCR systems were loaded with catalyst in just a one year period prior to 2005 and 2010 instead of spreading out the loading over several years , there would be sufficient accumulated supply to meet the increased demand . Staggering was done to generate more revenue . neutral +The presence language appeared in the LSC appropriations act as part of an effort to expand LSC representation to aliens other than lawful residents , and does not appear to have been intended to limit LSC representation to aliens who were continuously physically present in the United States . The aliens were from all over the world . neutral +In spite of myself , my opinion of his sagacity was immeasurably heightened . My opinion of his intelligence was greatly raised . entailment +The roc flew low over the city . The city was always avoided by the roc . contradictory +it was it 's it 's a different world It is a changed world . entailment +Yes , she said meditatively ; then suddenly dropped her voice . Her voice softened as she replied . entailment +Again , inedible , or even worse . It tasted so bad it could not be eaten . entailment +uh-huh uh-huh oh oh i was like what 's Target what 's Target no um Yeah , I was trying to figure out what Target was . entailment +There 's probably no staler chestnut than the Southern alibi that it wasn 't slavery 's defense but honor and loyalty to place that made most Confederates take up arms to fight the Northern aggressors . Northerners claim that they weren 't defending slavery . contradictory +President Clinton accused the fashion industry of glamorizing heroin . After reading about a photographer who died of a heroin overdose after selling pictures of emaciated , vacant-eyed models , Clinton argued that such images have encouraged young people to take up the habit . Clinton said heroin was being glamorized . entailment +take a boom a little bit Don 't take a boom . contradictory +Travel to Kashmir used to require bookings and preparations far in advance of visiting . One used to plan far ahead to travel Kashmir . entailment +This site is likely to have been near the fortress entrance , or somewhat past the arch , which was built in a.d. 135 and now named Ecce Homo Arch . The arch past the fortress entrance was built in 135 . entailment +Is it ? The train was moving now , speeding through the night at a gradually increasing rate . The night train was accelerating slowly . entailment +But the mater cottoned to him at once , took him on as secretary , you know how she 's always running a hundred societies ? " I nodded . She was in charge of absolutely nothing . contradictory +Of course , Uncle Chester , along with Slats Grobnik and Aunt Wanda , didn 't really exist . Uncle Chester , Slats Grobnick , and Aunt Wanda are not real people . entailment +He was the head of a foundation for the self-promotion of the Ossolinsky family , well-known descendants of Polish-American aristocrats , engaged in business ventures there , and charity work here . The Ossolinsky family are descendants of aristocrats of Polish-American origin . entailment +He survived these , and lived to be about 50 . He died at 40 years old . contradictory +Now recall what the Republicans did with Horton 's An independent expenditure group aired an ad for Bush showing a picture of Horton . Republican conduct with Horton 's was indicative of governmental corruption . neutral +He turned his face to the wall , telling me I was a cold fish--because I would not sex around with him . He told me I was a cold fish because that 's his fantasy . neutral +Its changeable boots ( there were seven pairs in the set , with a possibility to buy 23 more ) presented yet another arena to show off young creative talents . The changeable boots can be used to show off the creative talents of young people . entailment +draft product that may result from the work . Working papers resulting from the project may not be kept by employees . neutral +exactly right that 's see that 's what we did in Girl Scouts and and that got you involved real good and it i think it starts kids out on the right track and it lets them decide if that 's what they enjoy doing something I used to be involved with Girl Scouts . entailment +you know so i think they 're screwed up there I think there is nothing wrong with what they did there . contradictory +Bethlehem 's population , mostly Arab , is divided between Christians and Muslims , and its church towers and minarets are spread dramatically along the Judean hilltops . Members of different religions live in Bethlehem . entailment +Adjacent to the shrine is Yoyogi Park . Yoyoji Park is located next to the shrine . entailment +We are supposed to believe that Pitt 's Harrer has learned to be a better person ; offered as proof is his changed attitude toward his son , Rolf ( whose name in real life is Peter ) . Rolf 's real name is Hank . contradictory +Where 's this young lady I 've been hearing such a lot about ? 226 Tommy introduced Tuppence . Tommy talked about Tuppence every chance he got . neutral +An article notes that roughly half today 's female juvenile offenders were raised by mothers who were arrested or incarcerated . Half of women in jail were raised by mothers arrested or jailed . entailment +There are also shops filled with bronze Buddhist statuary , silver ornaments , prayer wheels , and brass singing bowls . Bronze Buddhist statues are expensive but prayer wheels are very cheap . neutral +i think it 's too easy for them Despite it 's seemingly simple nature , they may ruin it . neutral +But then Moses bumps into his real sister , Miriam , and brother , Aaron , and learns the truth about his origins . Moses learns his true origins when he meets his brother and sister . entailment +At his 1977 trial , Flynt was sentenced to seven to 25 years for obscenity and for engaging in organized crime . Flynt was sentenced to five to twenty years in prison for profanity and vagrancy on his 1977 trial . contradictory +There 's a marvelous view of the lake from its terraced gardens , much visited for the display of camelias , rhododendrons , and azaleas in late April and May . Azaleas and camelias are not grown in its terraced gardens . contradictory +She created RAPS4 by combining the four highest-yield questions from those screens , which covered feeling guilty after drinking , blackouts , failing to do what is normally expected after drinking , and morning drinking . RAPS4 consists of the first highest yielding question . contradictory +It was dedicated to the legendary Emperor Ojin , from whom Yoritomo claimed descent . It was dedicated the the legendary Hulk Hogan . contradictory +it 's kind of interesting that they would do how do you feel about the idea of letting all these foreigners in I 'm thrilled about the way we let the foreigners in . contradictory +But this becomes harder and harder for GAO to do as the demands for our work increase-requests and mandates already represent 95 percent of our total workload . Many of the requests that the GAO deals with are frivolous in nature . neutral +Of course I am ! " Yes I am entailment +because uh apparently the foundation shifts a little bit under that I guess the foundation moves a little bit under there . entailment +Susan chewed her flatbread . Susan chewed up the last piece of her flatbread . neutral +Delivery changed the post in many ways . Delivery is bad for usps contradictory +yeah so that was that was kind of a shock I wasn 't surprised by it . contradictory +Climbing out of season ( especially in wet weather ) is not recommended , but people do it all the time . Climbing in wet weather means you 'll be more likely to fall . neutral +uh i 've only watched it once uh like i said i 've been in class and uh so during the week uh i don 't have much time and i spend a lot of time with uh my daughter on the weekend and she lives I have watched it several times , since I don 't have anything to do during the week . contradictory +In East Malaysia , Kuching and Kota Kinabalu both have fine hotel resorts . Fine hotel resorts only in Kinabalu in East Malaysia . contradictory +Nearby , at 6060 Wilshire , at Fairfax , the Petersen Automotive Museum celebrates the town 's love affair with cars , showcasing over 160 distinctive motor vehicles , with special exhibits on automotive themes . The museum shows lots of rare cars . entailment +yeah it is they 're probably just being normal though They 're being very strange contradictory +Tanenhaus accuses Chambers of having inadvertently instigated McCarthyism , and shows us Chambers ' paranoia , his introversion , his sententiousness ( Stephen Koch , the Wall Street Journal ) . ( Also , see Slate 's mildly critical review by Ann Douglas . ) Tanehaus accuses Chambers of instigating government wide McCarythism due to his paranoia and introversion . neutral +yeah if you can take a muffler off and only replace well not unless it was built into every muffler Only if you replace the windshield . contradictory +overload news overload There is too little news . contradictory +But your instinct tells you he did not commit it . Your insight tells you he has never stolen a thing in his life . neutral +There are caves in the rock with other people . There are other people in caves . entailment +It sure is , drawled Tuppence , " especially when old man Rysdale backs the bill . " Old man Rysdale refuses to back the bill , " Tuppence stated . contradictory +And another cry , The children ! One more sound , The Kids ! entailment +The entertainment capital of the world knows how to entertain like no place else on earth . There is no place else on earth that knows how to entertain like the entertainment capital of the world . entailment +Nobody knew . They did not know . entailment +We were all busy during the morning arranging and decorating the Hall in the village where it was to take place . We wrrebusy decorating all morning . entailment +Not a doubt of it . I doubt it . contradictory +The government 's gradual and reluctant admission that , despite previous assurances , banks were sitting on staggering and long-concealed amounts of unrecoverable loans ( originally secured against land values ) caused an unprecedented crisis of confidence . The unprecedented crisis of confidence wasn 't only caused by the government 's reluctant admission . neutral +The temperate climate in the south also means year-round golf and tennis . Many people from around the world come to enjoy the sports . neutral +As we 've seen , stealth weapons blind the risk-averse public and policy-makers to the genuine perils of combat in the opening days of any military engagement , turning war into an out of sight , out of mind proposition . Stealth weapons blind the risk-averse public and policy-makers to the genuine perils of combat . entailment +He attacked anyway , and was crushed the empire he destroyed was his own . He attacked against the advice of others . neutral +Allons ! he said . He said go ! entailment +Successive waves of Norman invaders followed Strongbow . There were waves of Norman invaders that came for two weeks . neutral +In other words , when federal government saving increases ( smaller deficits or larger surpluses ) , private saving may decrease somewhat . Private savings lower as the federal government saving increases . entailment +This represents an intermediate value from a range of estimates that appear in the economics literature , and it is a value the EPA uses in rulemaking support analyses and in the Section 812 Reports to Congress . The range of estimates in the literature is relatively small . neutral +the blue flu yeah yeah the blue flu or the white collar flu depending on where you work i guess The blue flu that 's been going around has already killed 3 people in my small town alone . neutral +After 250 years of French rule in Pondicherry , the Indians were fortunate to have the decolonizer Pierre Mendys-France to deal with when it was retrieved in 1954 . Pierre Mendys-France helped alleviate cultural stress in 1954 . neutral +I take a lot of killing , sir . It wouldn 't take much to kill me . contradictory +A silent bargain took place and she bought back the weapon with only a single coin of the dead man 's purse . She paid a coin for her pepper spray back . neutral +Computer-processed data can vary in form-from electronic files to tables in published reports . Electronic files are the most secure way to store data . neutral +The overall approach applied in our estimates of the benefits of the Clear Skies Act closely parallels that used in prior EPA analyses , including the Section 812 series of Reports to Congress ( U.S. The estimated benefits of the Clear Skies Act closely parallels that used in prior EPA analyses . entailment +We have said that the features distinguishing case studies from other methods are how sites are selected , how the data are collected , and how they are analyzed . Features distinguish case studies from other methods . entailment +To celebrate Bastille Day ( 14 July ) or the 1944 Liberation ( 25August ) , blue , white , and red laser beams are bounced off the Eiffel Tower , Arc de Triomphe , and H ? ? tel de Ville . Celebratory blue , white , and red laser beams reflect off famous landmarks such as the Eiffel Tower , Arc de Triomphe , and Hotel de Ville to commemorate both Bastille Day and 1944 Liberation Day . entailment +i i i can think of one for instance you take a you take a textile industry and they 're selling stuff by the by the yard you know now now there 's a big difference between a yard and a meter when you 're talking about fabric There is a significant difference between a yard and a meter in the textile industry . entailment +learn your colors learn your alphabet learn all your your little terms here and and learn how to uh begin learning some of the reading and by the second or third grade uh the little school system that we 're in they have uh really a lot of computers uh it 's a very wealthy district as as all that fighting 's going on over who gets the money and the like but they have Money turns people into animals . neutral +By adopting the language of elections ( vote , elect , referenda ) and by encouraging voters and politicians to treat vote.com as the vehicle through which the public delivers mandates to its leaders , Morris is trying to make vote.com , in effect , the place where people vote . Vote.com is being shut down by the current candidates . contradictory +The bandits , murderers , demons who destroyed Fena Set are as tough as we are . The groups that destroyed Fena Set are worthy foes , and are very different from one another . neutral +cut twelve people up into little bitty pieces and bury them in your back yard then are you can can you be helped you know i have i have my doubts you know If you cut people up and bury them in your backyard , I think you 're beyond helping . entailment +The Lower Terrace is cut by a wide ramp leading to a large courtyard at Middle Terrace level and a smaller ramp leading to the Upper Terrace ( unfortunately closed to visitors ) . Visitors can visit the upper terrace any time they want . contradictory +oh okay i was wondering I was wondering if you had a job neutral +However , the Palestrina choir that sings mass on Sundays is excellent , and attracts numbers of visitors . The Palestrina choir is a children 's choir made up of local kids . neutral +If you wish to make a booking before you arrive in the UK , dial 00 44 and then the number of the establishment you require . You must dial 00 44 before the phone number to make a booking in the UK . entailment +Mixed reviews for the latest from the hyperintellectual author of The Gold Bug Variations . Powers tries to shed his reputation as inaccessibly scholarly by writing a straightforward novel about a soap company and an employee who gets ovarian cancer . The author of The Gold Bug was bothered by mixed reviews so he tries to better his reputation . neutral +Again the question is asked , again Burton feigns . Again , the question is posed , again Burton invents a story . entailment +no not out of there but of course these things are made in uh Pakistan and India and Afghanistan and all the Iranian ones are you you know we we don 't them anymore but there was loads and loads of them sent over before the embargoes and so they 're still floating around They 're made cheaply from neighbouring countries . neutral +If the projected budget surpluses materialize , the federal government will reach the point at which the annual surpluses will exceed the amount of debt available to be redeemed or that can be bought back at reasonable prices . If the projected budget surpluses materialize , then we get lots of money to spend on lots of fancy things available from lots of different places . neutral +What they are not , however , is that is , an anecdote doesn 't tell whether it is the only such instance or whether the problem is wide-spread . The anecdotes tell if it is just a single instance . contradictory +The team now faces China , which crushed defending champion Norway 5-0 . China has a better chance of winning the title . neutral +While design engineers bring important skills and experience to creating a product design , they may not be aware of manufacturing issues , available technologies , or manufacturing processes , and they may design a product that the company cannot afford to produce or maintain . Design engineers need not consider the ability of the company to afford to produce or maintain a product when creating a product design . contradictory +LSC has endeavored to minimize the burden on programs in the collection of this information through the design of a carefully developed data collection instrument , the collection of information only once a year , and through efforts to modify existing case management systems to allow for collection of this information . LSC isn 't minimizing the burden because they understand how hard it is . neutral +The peak can be reached by an hour-long walk from Achada do Teixeira in the north , or the classic but strenuous , 4-hour roundtrip hike from Pico do Arieiro . It 's possible to reach the peak in an hour of walking . entailment +Net business saving Business saving is more important than government saving . neutral +Randy 's Full Responsibility Wraparound Randy was merely seeking alternatives . neutral +In the mid-1980s , Wynn began plans to reinvigorate Las Vegas with a new resort . Wynn never initiated any plans that regarded Las Vegas . contradictory +Polyamorists maintain their own magazine , two annual conferences , and 250 support groups . Polyamorists have their own magazine , two yearly conferences and 250 support groups . entailment +all the bunches up there and All the people in the top tier . neutral +Originally the temple was on the shore but reclamation projects have now left it high and dry . The templegoers are quite displeased that they no longer hear the gentle crashing of the waves during their meditations . neutral +yeah it 's sort of interesting It 's some what interesting . entailment +Consequently it is necessary to adjust the percentage of delivery costs for these posts to the level it would be with six deliveries per week ( as in the U.S. ) When the percentage of delivery cost is increased or decreased for a given post , the percentage of mail processing cost is decreased or increased accordingly . Delivery costs stay the same regardless of the percentages . contradictory +uh a lot of people really doesn 't think that much about it because it hasn 't happened to them which it hasn 't to me either you know thank goodness but still it it could Many people don 't give thought since it hasn 't occurred for them , and for me either , but there is possibility . entailment +" You 'd better watch out , Sam . " Again the tall man cut in . Sam better watch out because somebody wanted to hurt him . neutral +To account for the full potential multi-day mortality impact of acute PM2 . The impact of acute PM2 is accounted for . entailment +uh i 'm going to start this summer i probably won 't finish it until the end of the year but uh i 'm i 'm trying to get a uh I 'm going to start this summer because I will have a lot of free time . neutral +oh man you bet everything else 's got to come off first well it 's a pleasure meeting you It 's been nice meeting you because you 're interesting to talk to . neutral +Roberta Chambers and the lawyers in the network , Rooney predicts , will follow the same path . Rooney is an analyst or lawyer . neutral +yeah yeah i was very surprised that did do a slapstick movie because that 's uh not really the way comedies are right now Most comedies right now don 't feature slapstick , so I was surprised that this one did and it was hilarious . neutral +yeah right yeah well do you know something because i have always played classical music My favourite genre of classical music is Baroque . neutral +She watched Jon and Adrin intently . She stared at Jon and Adrin . entailment +Coincidences are curious things , he said dryly . He thinks that coincidences are not things that happen often . neutral +Such coverage is good Your Live at Five NewsTeam covers Election ' 96 ! Election ' 96 ratings are high . neutral +Table 4.2 also provides a third scenario-the impact on national saving if about 26 percent of the couple 's contributions represent new saving . Table 4.2 provides a third scenario . entailment +I dare say it 'll be a washout , but houses are scarce nowadays . Houses are abundant and everywhere . contradictory +Maybe you 'll never come to love me , and if that 's the case I 'll manage to set you free . I will bring myself to set you free and forget you if you never manage to love me . neutral +How many do you need ? asked the smithy . The smithy asked how many he should make . neutral +Hollywood , as it is perceived by the world , is no longer an actual place but , rather , a lifestyle unique to Los Angeles . Hollywood has become a unique lifestyle . entailment +In an emergency department ( ED ) study of injured crash victims who had been drinking , Cherpitel found that more than one-third linked their drinking to being injured and thus were deemed good candidates for brief intervention . Cherpitel found that no one linked their drinking to being enjured . contradictory +To avoid more painful and disruptive changes once the baby boomers begin retiring , the time to begin these difficult but necessary steps is now . Baby boomers have much higher associated costs than other generations . neutral +Messages would be created by a special software program from random words provided by a customer . After creation , the messages were sent to everyone on the mailing list . neutral +do you so you change like you change your own oil and oil filters You don 't know how to change the oil so you have to pay someone . contradictory +It 's fun and totally tropical , but you 'll be very lucky if you have the pools to yourself to enjoy the kind of romantic experience advertised in the tourist brochures . There are no pools at this tropical location . contradictory +you basically can take care of everything yourself You need help to do everything . contradictory +yeah long as you have a good time that 's the main point so I don 't care if it 's fun , it 's important . contradictory +In seconds , the four guards were dead or dying . The guards were killed by axes . neutral +Medicine is informed by social values . Medicine is only impacted by science . contradictory +Only a small part of their city has been excavated for fear that further work may cause the whole town to collapse . Fear that further work may cause the whole town to collapse , is the reason why only a small part of their city has been excavated . entailment +yeah mine me too and i had Also mine , but I lost it . neutral +Otherwise--Well , I guess I can do it on my own . I guess I can do it without the help of you guys . neutral +God help me , I had a decent time at Payback . But I don 't offer that admission proudly--it 's more in the spirit of Look how debased my taste has become after decades of sitting through crap thrillers . Payback was a terrible movie . contradictory +For these reasons , commercial companies have strong incentives to capture product knowledge early in the process to assess the chances of making the business case and the need for further investments . Companies have good reasons to capture product knowledge early in the process . entailment +This waterway accounts for much of the local charm and excitement , as the daily drama of the ferryboats , junks , sampans , freighters and even small tankers and big gunboats unfolds right in the center of town . Nobody cares about the waterway running through the town . contradictory +Beyond the much-remodeled cathedral , north of the palace , is the pleasant garden of the Rocher des Doms , extending to the outer ramparts . Rocher des Doms lies in the secluding woodlands , away from human buildings and influence . contradictory +Using this criteria the agency estimated that 4,600 of the 6,400 firms affected by the rule would be small businesses and that approximately 15,000 small entities in the industry groups affected by the proposed rule would not be affected as they employed less than 10 persons . The agency thought that ten percent of the firms would be affected . contradictory +Revaluation of capitalized property , plant , and equipment ( 595 ) Disposal of capitalized property , plant , and equipment . contradictory +It was St. Patrick who used the example of the shamrock to explain the Christian Trinity to King Laoghaire and an assembled crowd at Tara . The shamrock was what St. Patrick compared the Christian Trinity to . entailment +They are ports . They are docks . entailment +Working parents leave teens unsupervised during afternoons ( thanks to budget cuts in after-school programs ) , leading to greater drug use and delinquency . Unsupervised teens sometimes indulge in drug use and delinquent behaviour . entailment +oh you ought to try some crawfish they are good but see that 's one good thing about living down here is usually anybody that comes over you know even if it 's like out of town guests and stuff they want our cooking Crawfish is a local specialty . neutral +I was tempted to misquote Mae God has nothing to do with it , honey . God doesn 't affect things like winning a game . neutral +yeah that sounds like a good deal well you have a nice day and we 'll talk to you later bye I would have taken that deal . neutral +after uh he retired but as far as doing anything uh major to it we at this point would rather travel and i uh At this point we would rather travel than do anything major . entailment +yeah that well that 's the way it works i mean that 's that 's why they 're having problems i mean everyone 's a manager and That 's the way it works , though , everyone 's a manager . entailment +or something rather than having the whole entire different wardrobe with Such as using the entire wardrobe . contradictory +More eloquent than any museum are the 9,386 white marble croses of the American military cemetery on a cliff overlooking Omaha Beach at Colleville-Saint-Laurent . The crosses in the cemetery overlooking Omaha Beach are made of steel . contradictory +A Washington Post book critic and Exley 's literary executor , Yardley is said to use scant evidence--such as numerous late-night phone calls from Exley from 1975 to 1992--to draw conclusions about Exley 's self-absorption and ambiguous sexuality . Exley believes that Yardley is a sexually confused pervert who stalks neighbors . neutral +get hurt yeah I believe that could cause someone to get hurt . neutral +Their experience led to the version that was implemented in all LSC grantee programs in July , 2001 . All LSC grantees implemented that software version . neutral +oh oh no no no no no no it was what is his name McGuire that was McGuire yeah McGuire was the best pick . neutral +Inside , eight spiral columns support the canopy of the 17th-century carved oak baptistry . Five columns support the bapestry . contradictory +or disseminating hog cholera disease agents into the United States and will not have a significant impact on the quality of the human environment . There would be a massive negative effect on the quality of the human environment . contradictory +uh yeah well didn 't Kansas City put up quite a bit of money for their pitching staff Kansas City has some pitching staff . entailment +The countenances of Cynthia and Nibs were suddenly petrified into a stern and forbidding expression . Cynthia and Nibs were serious about each other entailment +i don 't i don 't blame the garage people it 's just that it 's very very hard to find anybody here that 's willing to do that type of work It 's not the mechanics faults . They 're stuck working where they 're at . neutral +He 's obviously spending too much time online . It 's clear he spends too much time on the internet . entailment +what does he do does he just do the people the are there just stupid people where you live or something okay There are too many dumb people . neutral +So perhaps the Talmudists proceeded by trial and error , considering various divisions and rejecting each one as inconsistent until they hit upon the unique consistent division of 50-75-125 . At least a hundred divisions are rejected before they hit the unique consistent division . neutral +Hardened and bitter , in search of a scapegoat , they occasionally lashed out at the weak . They had come to terms with it and looked for no one to blame . contradictory +This became the subject of many pranks on the part of little Benny . Benny was well-behaved and hated pranks . contradictory +so i mean it it 's like where does this all stop Where does this all stop ? entailment +uh-huh yeah they 're great you 're right well i guess we 've spent our time i need to go help my daughter do something so My daughter is self-sufficient . contradictory +You deny having ordered a black beard from Parkson 's on June 29th ? You admit to ordering a black beard from Parkson 's ? contradictory +Because the Federal Crop Insurance Reform Act of 1994 required that the statutory changes be implemented by the 1995 crop year and many of the changes were mandated by the statute , FCIC invoked the exception to the notice and comment requirements contained in 5 U.S.C. The act is to be implemented by 1996 . contradictory +It has also spawned an entire new business model , exemplified by Dell Computer , that is reshaping the entire personal-computer industry . The business model exemplified by Dell and Apple is crippling the personal computer industry . contradictory +But , by the time I had reached the top of the stairs , he was out of sight . But by the time I got upstairs , he was gone . entailment +We 've had a letter from young Beresford , said Mr. Carter , coming to the point at once . The letter is written on heavy paper and features impeccable handwriting and grammar . neutral +To remedy this situation , the Corps changed its processes by decentralizing its organizational structure and giving project managers new decisionmaking authority to help them achieve the desired outcomes . The Corps have kept their structure the same . contradictory +Bork turned back from the sight of his former companions . Bork stared at his living companions . contradictory +yeah yeah i been into Boston a few times uh i was there last year during the Fourth of July thing and went out to the um I was in Boston on the 4th of July . entailment +Come ' long an ' look ' em over .... " Drew rode off , out of the patio gate , giving Shiloh his daily workout , trying to guess what Johnny Shannon had against him . Shiloh was a runner and loved to ride . neutral +yeah well she 's usually in bed by this time but she 's staying up late tonight but yeah you know i want to i want to have a relationship with her you know my my dad was a very traditional dad and when i was a child i didn 't really know my dad very well and i miss that She 's staying up late past her bedtime , so we can still talk with her . entailment +In some instances , GAO has been able to follow fairly intensively the implementation of programs or activities . The GAO has complied with the various programs . entailment +We do not have paid lobbyists and we are , in fact , a non-profit public interest law firm and that kind of approach to the legislature would require a lot of education . We are not a non-profit public interest law group , we have lobbyists and necessary education . contradictory +Double R hosses have come up missin ' lately . Recently double R hosses have gone missing . entailment +Cheryl Cherpitel related difficulties as a non-MD publishing in medical journals . There were difficulties publishing as a non-MD . entailment +The energy of these minutely detailed sculptures from the 16th century , which honor the military prowess of the then-great Vijayanagar kingdom , is a zenith of south Indian art . These sculptures can be viewed at a museum in southern India . neutral +Bauerstein ! " It 's Bauerstein ! entailment +The mill sits on the River Mite , and La 'al Ratty makes a regular stop here . La 'al Ratty makes regular stops at the mill . entailment +isn 't that funny no That is not amusing at all . contradictory +well what what do you mean if they can prove it there there 's already Can you explain more about what you meant when you said that ? entailment +He controls a marvellous organization . He built himself a great enterprise to be proud of . neutral +Ashkelon is a site of great antiquity ( perhaps 4,000 years old ) . Ashkelon is a site known for its great antiquity . entailment +Better shops are air-conditioned . Wealthier customers prefer the cool air . neutral +We were willing to explore possibilities and maybe even lend assistance , says Madden . Madden said we were willing to explore possibilities and possibly even offer assistance . entailment +A third set of rules , adopted as sections 69 through 69c of the rules of practice , 9 applies to Postal Service requests for permanent mail classification changes that are minor in character . The Postal Service 's requests for permanent mail classification changes in rural areas are governed by Section 69 . neutral +History buffs will have to ask along the road north of Saint-Pierre for the unmarked location of the so-called Caribs ' ' Grave , where Indians pursued by French colonists hurled themselves from a cliff in the 17th century , vowing that Mount Pelee would avenge their deaths . Caribs Grave site is the largest grave site on the island . neutral +In the trauma center survey mentioned previously , only 27 % of respondents believed that brief interventions are at least moderately effective . The survey found that only 27 % of respondents thought the interventions were moderately effective . entailment +The Revolution can never be secure until all know her crimes . The revolution is secure without everyone knowing her crimes . contradictory +In 1992 the Federal Communications Commission ( FCC ) adopted rules to implement the requirements of the Hearing Aid Compatibility Act of 1988 , 47 U.S.C. The FCC adopted rules about implementing the requirements of the act . entailment +The Kal crossed the town 's main road , favoring his left side . The Kal crossed the main road in town on the left side . entailment +you know until we make a decision to do that there won 't be peace but i don 't think we want to make that decision either There won 't be any peace unless we make that decision . entailment +From my occasional role in affairs reported in the media I have drawn the general conclusion that very little reporting is 100 percent accurate . The narrator doesn 't trust reporters . neutral +'Soon enough , you 'll be swallowed up by us whether you like it or not . ' We are not going to bother you . contradictory +'You stole the body you 're wearing . ' The body you have on is not yours . entailment +By the way , your mistress didn 't ask you to sign any paper yesterday ? " Did your mistress ask you to sign any paper , yesterday ? entailment +And the man history remembers is not the man who really lived . ' History has explained it perfectly . contradictory +It would be embarrassing if a lot of Slate readers failed this test , so I 'm going to make it easy by adopting a very broad definition of rationality . Slate readers will be taking this one hour test online . neutral +Deep depressions and high outcrops are blanketed by layers of green vegetation and topped by a lush canopy of trees , making travel difficult and sometimes dangerous . The mangrove trees make a thick canopy . neutral +A variety of changes at the individual , system , and policy level will be needed to accomplish this goal . 10 changes and sign-offs from all the department heads will be necessary to reach the goal . neutral +According to the WSJ , representatives of some computer companies and of Microsoft are expected to stage a pro-MS rally Tuesday . No computer company representatives are expected to be at the rally on Tuesday . contradictory +'Ahem . ' She straightened her shirt , standing up . She was embarassed to be sitting and stood up . neutral +) Tinsley credited God for his abilities , while Lafferty reacted to the tie with the same sort of aplomb that , it 's safe to say , he would have displayed if he 'd lost . Tinsley said God gave him his athletic ability . neutral +The sexy girls with terrific hair would dashingly toss a couple of yards of plain wool around their necks The girls used plain wool as scarves in the winter , because they didn 't need to dress up neutral +They handle the day-to-day operations , while Rooney commutes to New York and does pro bono work for schools and community organizations . Rooney is teaching personal finance at the schools . neutral +I got uneasy . I felt uneasy . entailment +The agency offers forms for renters to try to get their security deposit returned , and forms for people who want to get divorced or modify their divorce decree . The agency forces slumlords to give their deposits back . neutral +Also , studies showed that , at the lower , pasteurization doses , radiation does not degrade nutrients . According to research sterilization through radiation at lower doses does not harm nutrition . entailment +The moats and turrets ' though Gothic in style ' are purely decorative , and the staircase is noted for its innovative straight flights and landings rather than the old spiral form that was designed to fend off invaders . The straight flights are lack innovation . contradictory +Twenty-eight percent of the families that benefited from the program had incomes below $ 10,000 and 60 percent were below $ 20,000 . 28 % of families helped were very high income . contradictory +Prior to Web sites and email , this type of information traveled by way of telephone -- usually from one law school classmate to another . Law school classmates are still exchanging information by phone over email . contradictory +The Porte Saint-Andr ? ? , Porte d 'Arroux , and Th ? ? atre Romain are some of the Roman remains in the town . Theatre Romain is one of the Roman remains in the town . entailment +so we do have some problems and it seems to me that uh maybe it 's time to just scrap all the case law and go back to general principles and start over I think we should keep the case law a little longer . contradictory +Your cousin ? That person looks similar to you . neutral +The horse neighed , pawed with a forefoot . The horse turned a walked back to the stable . contradictory +It becomes an obstacle only when authors seek publication through outlets whose customers generally ask for brief details . Customers who ask for brief details tend to buy items on a whim . neutral +It is also essential to consider it when weighing the merits or ills of a proposed change in tax rates . Tax rates are stagnant , they never change for any reason . contradictory +She was out for money . She needed it for food . neutral +It is essentially a genius-level version of rock-paper-scissors . This game is a easier version of Rock-Paper-Scissors contradictory +should be able to metabolize an ounce of alcohol per hour Should be able to metabolize two ounces of alcohol every thirty minutes . contradictory +While many deaths from daily exposure to PM may occur in individuals with cardiovascular disease , studies have shown relationships between all cause mortality and PM , and between PM and mortality from pneumonia ( Schwartz , 2000 ) . PM might cause deaths because they are dangerous to patients . neutral +He nodded . He nodded his head . entailment +no there was no feeling of accomplishment no goal no There was no feeling of being accomplished . entailment +The magazine interviews Microsoft billionaire buddies Bill Gates and Steve Ballmer . Bill Gates and Steve Ballmer are poor . contradictory +What began in a.d. 830 as the Doges ' chapel for the remains of the evangelist Mark , the republic 's patron saint , was rebuilt in the 11th century as a grandiose Byzantine-Oriental basilica influenced by the Hagia Sofia in Constantinople . The original chapel also had an oriental influence . neutral +yeah he 's about a year and a half younger He is my younger brother . neutral +A month in the hole , a cockroach infestation , the stench of mystery meat--these were topics that would revolt broad-minded readers . The story gives gory details about the experiences the protagonist went through . neutral +The NAIC is an organization of insurance regulators from the 50 states , the District of Columbia , and the 4 U.S. territories . Allstate is the insurance regulator for the USA and all of its territories . contradictory +'You at least have a gentleman 's honour . ' I hoped . I hope my son at least has the honor of a gentleman . neutral +Everywhere he went , I went with him . I was with him , wherever he went . entailment +The word aswan actually means trade or market in ancient Egyptian , signifying its most pre-eminent activity . Aswan 's meaning has not changed over time . contradictory +Known fondly as St. Barts , Columbus bestowed his brother 's name , Bartholomew , on the island when he sailed past in 1493 . Columbus was an only child and never named any islands . contradictory +There are no reliable numbers to determine how many cases are handled by private attorneys for free , but those contributions are minor . There are reliable numbers . contradictory +You swing like that and you will find an axe in your gut . They are more used to using a sword than an axe . neutral +For all I know , some hockey fans go for the fights . Some fans of hockey also instigate or encourage fighting . neutral +Continue round the city seawalls to the northernmost corner and you will come to the entrance to the Cityel . The city has no seawalls . contradictory +oh i i 've seen that yeah That 's something I 've seen before . entailment +good don 't ever drink Scotch it 's terrible i quit drinking Scotch when i found out about that but anyway but uh as far as as far as you know Central and South America we our policy pretty much uh it depends on who we 're what government we 're buying down there at the particular time I used to have 12 Scotch varieties in my cupboard . neutral +hum well uh speaking of kids i 've got one hollering at me so i better head on we 'll My kids are at daycare right now . contradictory +This is indeed progress , both aesthetically and functionally--even though all it does is boil water . The item in question is an electric kettle , complete with a metal body and plastic grip for efficient distribution of heat throughout the appliance . neutral +More important , the mainstream groups are downplaying what Pollard did . The mainstream groups are downplaying what Pollard did , and that is much more important . entailment +You can always head away from the coast and into the hills for some peace . The hills are known to to be much noisier and full of bustle than the coastline . contradictory +Table 1 : FY 1999 USPS Percent of Total Cost and Elasticity ( with respect to Volume ) of the Major Table two is shown . contradictory +Kingston replaced Port Royal as the commercial center of the island . The island is able to generate a large sum of money each year . neutral +There were even water features . The water was pumped from a lake . neutral +before you go oh that would be tough No problem at all . contradictory +The popular fiestas of Ibiza are much less pretentious than the equivalent ( and more famous ) ferias of mainland Spain . The ferias of Spain are not as famous as the fiestas of Ibiza . contradictory +Elderly households are individuals and married couples with at least one member aged 65 and older . If everyone in the household is aged 70 and above , it is a child orphanage . contradictory +and , in considering the results of the audit , These reports should be read along with the auditors ' report on the financial statements . These reports will only make sense when they are read along with the auditors ' financial statement reports . neutral +Another guy , desperate after repeated rejection , tried to climb into the club through a vent but got stuck . Someone got stuck in the vents while trying to get into the club . entailment +Lenin did not come to Russia until April , in the sealed train across Germany . The train carried Lenin to Russia . entailment +well i tell you what it is it 's warm where i 'm at You know what it 's warm here . entailment +Designed after the temple at Bodh Gaya in India where Buddha reached enlightenment , this soaring spire boasts an image of Buddha on each one of its bricks . Designed after the temple at Bodh Gaya in India where Buddha reached enlightenment , this soaring spire boasts an image of Ghandi on each one of its bricks . contradictory +What about me ? Have I done something wrong ? neutral +We 'll cure it ! We can fix it ! entailment +Both museum and gallery have good cafe and restaurants . The gallery and museum have a good coffee spot and restaurants . entailment +As agreed , we have examined selected employee empowerment and involvement practices at specific components within the Federal Aviation Administration ( FAA ) , the Federal Emergency Management Agency ( FEMA ) , the Internal Revenue Service ( IRS ) , the Office of Personnel Management ( OPM ) , and the Veteran 's Benefits Administration ( VBA ) . The FAA has specific components for involvement practices for their executives . neutral +Further , to build trusted relationships and gain the acceptance of member organizations , staff needed to have pertinent skills and knowledge . Staff needs to be good with people in order to have a good relationship . neutral +yeah that 's right i can do that exactly you sure can you can network them together and everything it 's a fantastic machine needless to say so i 'm very uh high on it but you said you have computers Suns at work right what other machines do you all have at work It 's a fantastic machine with networking support . entailment +Stand on either of the circular paving stones set between the square 's twin 17th-century fountains and the red granite Egyptian obelisk to appreciate the harmony of the quadruple rows of Doric columns , so perfectly aligned that they seem like a single row . The four rows of Doric columns are in astoundingly straight rows . entailment +The ornate ancestral temple Leong San Tong stands opposite a smaller hall used for open-air Chinese opera and theater . The temple is near the theater . entailment +Whenever you do try it , make certain it 's freshly made . Remember to pick the older ones . contradictory +we 're not interested in what other countries do and then other times we jump in and do things and while i 'm really glad that they Sometimes we don 't care what other countries do while other times we jump in . entailment +All centers are affiliated with one of the major certifying bodies . All centers are independent . contradictory +'In protective gear , possibly . ' 'Possibly , in protective gear ' . entailment +But spinning is an excellent reminder of how far toward real transparency the Street still has to go . The Street will never be fully transparent . neutral +uh well like one week she 'll work three days and i 'll work two and the next week you know i 'll work three and she 'll work two we just share off like that This week I 'm working three days . neutral +If St. Louis wins , Tennessee drops all criminal charges currently pending against the Rams ' players , and vice versa . If it 's a tie charges for both teams will be dropped . neutral +DOD 's Adoption of It is there adoption . entailment +On the corner of Mercaderes and Obispo is the recently renovated , 1920s-era Hotel Ambos Mundos ; Hemingway lived on and off in room 511 for a couple of years during the 1930s . Hotel Ambos Mundos is recently renovated and it has now become a popular destination for tourists and locals alike . neutral +He arrived in Washington as a supposed champion of the poor . It had taken him a long time to get to Washington . neutral +The other wall frescoes by Botticelli , Pinturicchio , Ghirlandaio , and Signorelli are barely given attention . The wall frescoes by Botticelli get the most attention . contradictory +um-hum um-hum yeah it hadn 't been i know i was called up right away it didn 't no i was called up let 's see yeah we started testing in January and i was called up right away in January I wished I had more time to prepare for the test . neutral +The 1 ) Serbs welcomed Jews into their anti-Nazi guerilla groups Serbians had anti-Nazi guerilla groups . entailment +I am well aware of my deplorable lack of humility , generally considered a crucial component of any sincere apologia . I am not aware of my lack of humility . contradictory +Department stores sell all sorts of intriguing kitchen equipment . There is no kitchen equipment to be found in Department stores . contradictory +Contrary to press reports , it 's possible that someone entered the house from outside . The marks around the back of the house mark to an individual being there . neutral +The organization supports requiring judges to undergo psychological testing and holding them personally liable for reckless rulings . The organization is pushing for less regulation and testing for the judicial profession . contradictory +There was little need for the test . The test results were inconclusive . neutral +and i was disappointed when i went to Texas i didn 't see that many of them yes I had expected them to be all over in Texas . neutral +Chatterbox Of course tobacco companies represent something close to pure evil . The evil that tobacco companies represent , is making money from human misery . neutral +They edged toward me . They ran at me with great force . contradictory +The ten absorbers were mostly installed sequentially with startup of the units staggered over 22 months . Startup took 22 months because work ran well behind schedule . neutral +5 million for a four-page outline ( ! ) of Jade , then $ 4 million for One Night Stand . And thanks to his bullheadedness , he exerts more control over production than almost any other screenwriter . The script was rejected and did not make any money . contradictory +and uh i pretty much like them ever since that and they haven 't they haven 't produced since then but There most recent production was my most liked work by them . neutral +Didion , in other words , has written a fast-paced story , not just her usual series of fractured stories . Most of Didion 's works are boring . neutral +Actual and projected amounts are from the Budget of the United States Government , Fiscal Year 2002 , Historical Tables . Actual and projected amounts are from the US government budget . entailment +really i guess it wouldn 't be bad if you i guess up north it wouldn 't be bad to visit we we love to go skiing and um snow it 's beautiful when it snows and you have all those pine trees and everything that is pr etty but i sure couldn 't live there I wouldn 't mind going up North to visit but I could not live there . entailment +I do not know . I have no knowledge . entailment +The Odyssey , by Homer , translated by Robert Fagles ( Viking ) . The Odyssey was not originally written in English . entailment +Bathala 's breath ! said the dark man . The dark man remained silent . contradictory +Nature 's Supremacy African Nature Supremacy neutral +On Meet the Press , White House Chief of Staff John Podesta We 're not negotiating , Tim . John Podesta is the White House Chief of Staff . entailment +The ability of the case study to capitalize on insight , to shift focus as the data demand , and to let disparate pieces of evidence fall into place in ways that are not always easy to describe or command is believed to yield a richer , fuller , and truer explanation of why things look the way they do than the more limited number of tests of a priori hypotheses that other methods use . The case study focuses on the ability to change as data changes . entailment +Linda Degutis added that interventions have to be monitored . You must watch over an intervention to be sure the receiver doesn 't become violent . neutral +Each year in an important ceremony , the emperor plants rice in a symbolic field , reinforcing his role as the hereditary link between the Japanese people and their Shinto gods . Faithful people have a tradition in Japan by planting rice in certain places . neutral +well i can 't use that as an excuse because i didn 't do it before i had mine either so I did do it before so I cannot use it as an excuse . contradictory +Both the economists cited and Scott Shuger seem confused . The economists stole all of Scott Shuger 's money . contradictory +normally when my husband 's here they come when i 'm here alone and i notice that and it 's almost like I usually hide from them . neutral +We 'll both ride , Mr. Drew . Both of us will ride . entailment +" We have , " Drew corrected . Drew corrected the statement and said yes we do . entailment +Hey , what a CEO and a CNNfn reporter do in the privacy of a live broadcast is none of our business , you know ? The broadcast was seen by over 1000 Americans . neutral +All had to be ordered in their courses , and the sky had to be complete in his calculations . All had to be arranged , and the sky had to be full in his calculations . entailment +well well that 's great That 's great to hear . neutral +And in a minute or two , Poirot continued : " Let us look at the matter like this . In a minute or two , Poirot answered the question . neutral +5 percent of the routes ( all of quartile 4 and most of quartile 3 ) is not enough to cover the costs of the mail delivered on those routes . All routes cover their own cost of operating . contradictory +This was critical for success since these individuals managed the day-to-day program activities . These ten individuals were tasked with managing the daily program activities . neutral +The black orb of the demon moon crested below . The black moon crested . entailment +now we 've let some people go uh that well it was found that drugs were used in their system now i don 't know how TEC would handle it they haven 't pursued it you know No one has ever been caught using drugs . contradictory +Casualties on both sides were Allied losses numbered 2,000 killed and 12,000 taken prisoner , while the German war cemetery contains almost 4,500 graves . Allied and German casualties numbered into the thousands . entailment +i do all my own maintenance matter of fact i just finished putting a timing chain in my wife 's Toyota i do i do all of that myself I don 't do any of my own maintenance . contradictory +Set against the solipsistic identity politics of the rest of the show , Kentridge 's old-school agitprop is nearly refreshing . Set against solipsistic identity politics of the show , Kentridge 's demeanor is refreshing and charming . neutral +Airport-style security checks leave you in no doubt as to the importance of the site . This site 's importance is underscored by the security checks similar to those in an airport . entailment +At one of VBA 's regional offices , for example , computerized information is continuously displayed on video screens providing employees with current performance information . They wanted to make sure everything was running smoothly . neutral +The campaign is in overdrive , their prey stands before them , and the heat of the moment carries them away . At the moment , the campaign is a little crazy right now . entailment +Reforms that reallocate the composition of the nation 's saving and asset portfolio may serve only to redistribute the existing pie . Changing the allocation of savings is a certain way to raise savings rates . contradictory +so i can see where that that may be a problem I can now picture where you may have a problem . entailment +All right , son , he said quietly , " I 'm going . The father spoke quietly to his son . entailment +It is enough for me that it is as I thought . It 's not enough for me that it 's as I thought it was . contradictory +I didn 't go straight back to Daniel 's bar . I didn 't return to Daniel 's bar right away . entailment +He gathered that up , too , and tucked it back in the proper place . He put it in the right place after gathering it up . entailment +They come from a denser planet . They come from a denser cloud . contradictory +Practicing on dead patients is nothing new . The medical community has practiced on dead patients for centuries . neutral +yes it really is and that way we 're not really missing anything out you know of those children uh-huh It seems like we are not missing out on anything . entailment +but there 's always a sell It 's usually very compelling , like a Deal with the Devil . neutral +The barrio is one of Madrid 's classic working-class areas . The barrio is home to many of Madrid 's working-class families . entailment +That 's why ultimate fighters won 't throw multiple skull punches . Here is the explaination as to why ultimate fighters won 't throw many skull punches , even if I won 't be believed . neutral +I was lying on a dirty bed . I was on a clean bed . contradictory +But where were the New Republic ' s fact checkers ? The New Republic has fact checkers . entailment +Beyond them in rank , in the actual presence of God , the seraphim stand naked , ever-burning , Some people have higher ranks . entailment +Nothing in Siegel 's work could explain this perception . This wasn 't like Siegel 's usual work , it was hard to understand his vision . entailment +However , that Executive Order has been replaced by Executive Order 5 Today , the Executive Order has been replaced by a new one . neutral +oh i have a lot of friends that just are uh smoke just you know occasional joint at a party or something you know and and i 'm even afraid to be around it I have some friends that smoke occasionally but I am afraid to be around it . entailment +i i i think the country is is um too ingrained in the inches and and just the general um background the history of our country has been inches and i don 't think there 's a big advantage in going to the metric system Our country can easily stop using inches for measurements . contradictory +The postwar obsession with comfort , convenience , and the latest electronic gadgetry has led most Japanese to forsake the traditional , simple , and elegant house of wooden walls , heavy tiled roofs , tatami-mat floors , and sliding panels for a modern Western-style house designed to exchange the austerity of the past for the prosperity of the future . The older generation of Japanese people still prefer the traditional style homes . neutral +Deliberations on proposed mail classification changes follow proceedings in which an opportunity for on the record hearings is afforded to mail users and an officer of the Commission required to represent the interests of the general public . The one in charge of the Commission is needed to show the people 's desires . entailment +Just past the fearsome Guardian Kings on watch for intruding evil , is the Sai-in , the western compound . The western compound is before the guardian kings . contradictory +It was reviewed by OMB and approved as meeting the requirements of the Order . It was not subjected to a review to see if it met requirements . contradictory +That 's the worst of you foreigners . That 's the worst of all people , including locals . neutral +Thank you for the opportunity to appear before this Select Committee today to discuss one of the most important issues of our time , the reorganization of government agencies and the reorientation of their missions to improve our nation 's ability to better protect our homeland . Today 's discussion will focus on national security and how federal entities can improve themselves to better meet nat sec goals . entailment +The Allies only managed to gain a toehold on the peninsula , and then deadlock ensued , with nearly nine months of static trench warfare . The static trench warfare was mostly stale and nothing happened for weeks on end . neutral +And , in theory , feeding a write-off reserve back into operating income shouldn 't even be possible . All income from all sources can be folded into operating income under the law . contradictory +Perfectly from the 13th century , when the city 's first university moved from the cloisters of Notre-Dame to the Left Bank , the young came to the quartier to learn Latin . The city 's first university left Notre-Dame in 1277 . neutral +yeah there 's sometimes sometimes sometimes when i go to aerobics and i get all hot you know it 's too warm in this place where we go and everything and i 'm thinking why am i doing this It gets too warm in the place we do aerobics . entailment +The big Alicante and Valencia department stores stay open during the traditional siesta , which is the quietest time to shop . The Valencia stores are open 24 hours a day . neutral +You can imagine rickshaws pulling up onto the grounds of the ivy-covered grey stone mansion for one of the viceroy 's banquets . It would be an awesome sight to see rickshaws at the viceroy 's banquets . entailment +i know i i wanted to see i i was curious if you had seen it and that uh I already knew you hadn 't seen it . contradictory +France came out of the deal bankrupt and with huge pieces of land considered to be worthless . France did not get the better bargain of the deal . neutral +While the current Clean Air Act has played a role in significantly improving some of these issues , additional reductions in the emissions of SO2 , NOx , and mercury are necessary to address persistent public health and environmental problems . The Clean Air Act played a role in improving the environment . entailment +I 'm not sure I have , said Tuppence darkly . Tuppence is forgetful and is regularly uncertain that she has completed a task . neutral +Israeli security officials believed that the murdered real-estate dealer was executed by plainclothes Palestinian Authority police . The real estate dealer was suspected to have been murdered via execution entailment +Bork 's face was solemn . Bork 's face was cheerful and not very dignified . contradictory +The point of having a stock market , after all , is not so that people can buy Intel at 72 when it 's on its way up and sell at 76 to reap a quick profit . Making a quick profit is not the main point of the stock market . entailment +Pa , he favored th ' range an ' th ' free land west " Rennie nodded . Pa favored the free land that was out west as well as the range . entailment +i 'm pretty lazy about it right now everything goes into one thing and goes out to the you know pick it up so I don 't put much effort into it , and it 's simple enough . entailment +Children can enjoy donkey rides , puppet shows in spring and summer , and model boats on the circular ponds . Children cannot see puppet shows during summer . contradictory +This attraction , an amazing adventure in an ancient kingdom opened during the summer of 1999 , and offers a chance to take a journey through the history of Cumbria . Cubria has a long , deep history that is interesting . neutral +We turn now to other elements that distinguish a case study from a not-case study and a good case study from a not-good case study . The case study can be poorly done . neutral +But come in , Dorcas is here . " Dorcas came after a lengthy absence . neutral +The open loggias of its magnificently sculpted octagonal stone stair ? ­ case dominate the fa ? ­ cade . The loggias of the octagonal staircase are open . entailment +'Really ? ' Seriously ? entailment +She was beautiful , slightly on the far side of middle age . She was ugly and young . contradictory +At the bottom of the stairs , encircled by dozens of smoky , scented votive lamps , a rock-hewn sepulchre marks the tomb of the Virgin ( though this is also claimed by the Church of the Dormition , ) . The Church of the Dormition claims the tomb of the virgin . entailment +Men must have head coverings and women must not have bare shoulders or short skirts when entering the prayer enclosure . Women are not allowed to expose their shoulders or wear short skirts in the prayer enclosure . entailment +Students protesting overcrowding , antiquated methods of teaching , and stifling bureaucracy made the Sorbonne a focal point in 1968 . The Sorbonne is an educational institution . neutral +Employees told us that sharing performance information provided everyone with a focus to work toward and a status report on their progress . Sharing performance information is to employees connected with a focus to work toward and a status report on everyone 's progress . entailment +and it is really really good about the um Saudis and just tracking their families and the Arabian culture It uses an advanced algorithm to track families . neutral +An ' th ' Old Man took him a crease ' crost th ' ribs that made him bleed like a stuck pig . The Old Man made him bleed like a stuck pig . entailment +I 'll look around . " Drew paused to glance into the single small , glass-fronted case which was Stein 's claim to fame in the surrounding territory . Drew glanced into the small case because it was beautiful . neutral +'The symbolism , and ... symbolism . ' The symbolism explains the mess we 're in . neutral +Postal Service classifies these costs as part of mail processing , we adjust the percentages of mail processing costs upward for France and Finland to reflect a similar treatment . France 's mail processing costs are higher . entailment +The present silver-domed building largely dates from 1034 , but the original mosque was built in 715 . The original mosque dates from 715 , but the current building is mostly from 1034 . entailment +Where is Susan ? said Gabriel . Gabriel didn 't care to ask where Susan was . contradictory +What they seemed to want was a despot like Ala-ud-din Khalji ( 1296 1316 ) , who forced Mongol invaders back across the Afghan frontier and then moved through the peninsula to its southern tip . They seemed to want someone who can control other groups . neutral +but it wears off and the way it wears off is he goes through all these spastic you know uh it starts off with like a tic and then it gets to where he can 't you know control his movements at all He ends up hurting himself from the seizure . neutral +uh parish or however the state was divided up hum i may well i don 't know around here we have a number of community projects that folks just volunteer for Boy Scout troops or church groups or civic clubs will uh police a uh a couple of miles of the highway and keep and i i 've seen it in other states too i don 't know The Boy Scouts are not involved in local highway cleanups . contradictory +With respect to section 604 ( a ) ( 2 ) , the analysis issued with the final rule states that HCFA received no comments on the methodology used in its initial analysis . The analysis issued with the final rule says the HCFA got 10,000 comments . contradictory +In addition , the Congress of Vienna formally banned the trade in slaves . The Congress of Vienna banned slave trade between their country and Africa . neutral +" Sometimes-- " he said . He was answering a question asked by him in a vague way . neutral +The Environmental Protection Agency ( EPA ) has conducted a cost and benefit analysis regarding the final rule which is contained in the Regulatory Impact Analysis . The Regulatory Impact Analysis contains research from the EPA . entailment +This won 't do . It won 't work . entailment +He pointed out to me the little house inhabited by him and his fellow Belgians , and I promised to go and see him at an early date . I fancied him . neutral +This area , which should not be confused with the Great Morass near Negril , is about 6,500 hectares ( 16,000 acres ) of freshwater and tidal wetlands . The area should be considered a very good way for accessing fresh water . neutral +maybe i 'll get back up there one of these days I don 't think I will ever make it back there . contradictory +no i don 't think so either no I think so . contradictory +Frills . Frills . entailment +They breed them there like we breed brill . Unfortunately , where they live , they 're unable to breed anything . contradictory +According to Jones ' complaint , Ferguson later returned to the registration desk , handed Jones a piece of paper with a suite number on it , and said the governor would like to meet with her there . Ferguson went back to the desk and told her the governor never wanted to see her again . contradictory +The man was not large , perhaps as tall as Ca 'daan himself . The man was roughly the same height as Ca 'daan . entailment +In cases like this , it 's the economist 's job to explain where we ought to be headed , and the political scientist 's job to explain why we can 't get there from here . Economists are the smartest social scientists . neutral +Gross national saving Provisional savings nationwide . entailment +For those who look for solitude , there are still quiet islands to be explored , off the beaten track . Visitors seeking a bit of quiet are sure to be disappointed . contradictory +depending on what industry you get into or whatever like uh you know TI being electronics uh you never get out of school so you know You finish school eventually , there is no continual learning . contradictory +With the high-speed TGV ( train ? grande vitesse ) from Paris , you can make it to Dijon for a visit to the Burgundy vineyards in an hour and a half , Lyon in two hours , or to Avignon for a Provencal adventure in under three . Avignon can be reached from Lyon in an hour . neutral +However , not all studies of a small number of instances are case studies . Some studies of small number of instances might be cross-sectional studies . neutral +Cheer up , old thing , it can 't be helped . 26 " Can 't it , though ! " Tuppence 's little chin shot out defiantly . Tuppence stayed quiet and didn 't say anything . contradictory +The old , rusted cannons are all that remain of the fortifications that once protected the islanders from pirates . In addition to cannons , there remains of walls that were built to protect the islanders . neutral +But it 's hard not to see in these smiling peasants a warning of what such openings can bring in their wake . The smiling peasants bring a warning of what such openings can bring . entailment +It 's nearer . It 's closeby . entailment +Bennett won 't get away with trashing her on the record or off this time around . Bennet will leave with a perfect and intact record contradictory +you know just people that maybe just aren 't blessed with as as much sharpness and mental mental acuity You know , individuals who lack a certain level of intelligence . neutral +for yards yard work For yard 's work entailment +But it is of the first importance . " It is obviously the most important . neutral +This report addresses the following ( 1 ) What is personal saving , how is it related to national saving , and what are the implications of low personal saving for Americans ' retirement security ? The consequences of Americans generally not saving much for retirement is one of the topics of the report . entailment +To provide a basis for pay , leave , and benefits , the records must include aggregate hours of regular time , other time ( e.g. The records must include aggregate hours of regular time . entailment +he 's got about twelve out now and it starts out with uh you know after the big war and everything 's blown up and he then he 's kind of Everything blowing up ends the big war . neutral +The peculiar name refers to the seals that once swam near the fishing village . The fishing village never had seals swimming near it . contradictory +I kept hoping that John Cleese would appear out of nowhere , and say , in the high dudgeon of his Dead Parrot routine , ' They 're dead ! I was hoping John Cleese would not appear . contradictory +Adjoining the church but with a separate outdoor entrance in the back are the Medici Chapels ( Cappelle Medicee ) , monuments to the splendor and decadence of the family dynasty . The Medici Chapels use the same entrance as the church . contradictory +I wasn 't . I wasn 't the one who broke the glass . neutral +He looks like he 's still alive . He has never looked so alive before in his life . neutral +It is not a glamorous job at all , but someone has to do it . Although it 's not an elegant job , somebody has got to have it . entailment +The pagoda 's 108 painted struts support the five tiled roofs . The pagoda has over 100 struts which keep the roofs up . entailment +Candia blossomed with the riches of Venetian trade , and when Turkish forces stormed the island , the town held out for several months before falling into the Moslem hands . When the Turks came to the island , all of the Venetian merchants fled . neutral +The TicketMaster dispute muddles this point further . There is a dispute involving TicketMaster . entailment +Find the bus station on Sultan Suleiman Street between Nablus Road and Saladin Street . The bus station is located between Nablus Road and Saladin Street . entailment +The road north from Kathmandu leads 8 km ( 5 miles ) to Budhanilkantha , and a giant statue of Vishnu reclining on a bed of snakes . There is a statue of a Hindu god in the region around Budhanilkantha . entailment +uh sure yeah they they that area has managed to maintain itself very well the people are That area is very well maintained . entailment +To provide grazing land for sheep , which were raised for both wool and meat , large tracts of the forest that originally blanketed the whole area were cleared . Large areas of forest were cleared so that sheep could graze . entailment +yeah yeah hm i i think um you know we 're able to read each other pretty well because uh she knows when i 'm upset and i know when she 's not feeling good too so i know like when she has an accident i know she 's not doing it on purpose I think we know each other well . entailment +It may depend more on morally neutral cultural factors , or historical accidents , than on any moral or practical calculus about different types of behavior . Historical accidents might explain different types of behavior . entailment +uh here 's what went on in Asia over the past week and there 's maybe a page of that little brief paragraphs unless that was one of their the focus of their main stories They only recount what happened in Asia in short paragraphs on about a page . entailment +Probably the best place for live jazz and salsa in the country is the rollicking Palacio de la Salsa , in Havana 's slightly dated Hotel Riviera ( Paseo y Malecen , in Vedado ; Tel . 33-4501 ) . Havana 's Hotel Rivera houses the Palacio de la Salsa . entailment +7 ) The Postal Service integrates the pieces back into its own system and takes them to the facility out of which the carriers operate . The postal service does no such integration contradictory +4 million budget as head of Bergen County Legal Services , will become deputy director of the tri- county office . The tri-county office will have a new deputy director . entailment +He has competitors also searching for these objects , and what is more , they too are looking for Nachtigel in order to avenge themselves . Nachtigel is a prize unknown to others . contradictory +Historical FFA data were downloaded from the Federal Reserve Board www.federalreserve.gov / releases / Z1 / Current / data.htm and reflect data presented in Flow of Funds Accounts of the United Flows and Outstandings , Fourth Quarter 2000 The data was useful in determining where to make budget cuts . neutral +If people increase their demand for money , then either interest rates must rise , cutting investment , or transactions must fall , cutting output and employment--unless the central bank acts . They did not have a cent to their name . contradictory +The findings and 18 best practices highlighted in the FFCsponsored study were presented to the forum participants by FFC . The forum participants weren 't presented with a study sponsored by the FFC . contradictory +Because several poems in Birthday Letters are explicit rewrites of Plath 's poems , critics have decided to take up this question . Critics have decided to analyze the poetic of Sylvia Plath .. contradictory +Otherwise , she would have taken the latchkey . " She would have never taken the latchkey . contradictory +But in the case of baseball , the addition of a global--or at least national--perspective should be seen as a virtue . A relatively large perspective in baseball is a terrible thing . contradictory +and but i 'm applying for what yeah it is a lot of the words are the same or you know they just change the pronunciation a little bit but i love it i love the culture the that they way they respect education Education is the cornerstone of all good things . neutral +You might think they have nothing left to say . They had already made a lot of good points . neutral +yeah but you know i also like the the fast food places like Taco Bell because you can get a lot of food for cheap prices I like to eat tacos , that 's why I like Taco Bell . neutral +Look for two smaller figures on the pedestal , one of which is holding a bowl for alms or offerings they represent the rich merchants who financed the cave 's construction . There is one figure , holding a sword , on the pedestal . contradictory +that 'd be good um i know we i already have them thanks um we 're we are kind of getting into recycling now i 'm in college and i live in a dorm and we recycle paper I 'm in college and we 're getting into recycling , I think it 's beneficial . neutral +Perhaps in all this part of the country there are not more than half a hundred warriors and those scattered in small bands . In this part of the nation , there are only about fifty warriors spread out in small bands . entailment +If my comments or reports from the trenches are worthless , nobody will read them and I will disappear from the writing firmament . I will not be recognized as a writer if my comments are worthless . entailment +Many other sugary confections have names which betray their origins in the harem dilber duda ( lips of the beloved ) , hanem gobe e ( lady 's navel ) , and belbel yuvase ( nightingale 's nest ) . Every name perfectly describes the food in great detail . contradictory +yeah and i found that a particularly useless way of studying Sure , I learned that wasn 't a good way to study . entailment +The Palais des Papes is the resulting combination of feudal fortress and opulent palace . The Palais des Papes was used as a waystation and nobody remained there for great lengths . contradictory +We are not of this place , are we , old man . The old man didn 't know anything about them . contradictory +Passengers disembark onto the quayside at La Sabina , taking in at a glance the languorous activity of the harbour and the spate of construction that is changing the skyline of the town . All passengers will remain on the boat for a while longer . contradictory +I don 't think so . You are looking in the wrong place . neutral +but uh oh i watch things like uh Sixty Minutes every week uh I have never seen the show before . contradictory +Delhi was dismantled to make way for new monuments which then suffered from the devastating passage of Timur the Lame in 1398 . Before 1398 , some buildings in Delhi had to be dismantled to create new monuments . entailment +and there 's just so many people and so many accidents every single day that it take another police force just to answer the traffic There are too many accidents for the police to respond to . entailment +Best perfumes and other French luxury items as listed for Guadeloupe ; you 'll also find neckties and the best Parisian silk scarves on sale at reasonable prices ( which incorporates a 20 percent traveler 's check discount ) . Among the items on sale are neckties and silk scarves from Paris . entailment +does it matter to you do you have a lot of violence where you live Do it affect you ? Is there a lot of violence where you live ? entailment +Anti-abortion Congressman Tony Hall ( D-Ohio ) points to the deep cuts in international family planning and the angry battle going on around him and reflects , In our effort to legislate around here , sometimes we become purists , and we hurt the people we are trying to help . There will be a lot more babies if family planning funds are cut . neutral +Similarly , the Joint Federal Travel Regulations , 7 applicable to members of The Joint Federal Travel Regulations can be similarly used , said the lawyer , neutral +Ain 't nobody can put hobbles on a pair of Tejanos as has their chewin ' teeth fast on th ' bit ! " It was something to think about , all right . It was a matter of great importance to many people . neutral +If you 've never seen a corrida , be prepared to witness an ancient ritual that for aficionados is more art than sport . The ancient ritual involves singing and dancing . neutral +because there are some good ones out there and i know in in our high school at least they offered several different ones where you went through and you know you answer all these questions back and forth and things it it ended up being things that you liked versus things that you had an aptitude There is little guidance in trying to figure out something for yourself . contradictory +He isn 't killed , though . He survived the blow , after all . neutral +At the very northern tip of the Sinai is Taba , with several large hotels , marking the Egyptian / Israeli border . Taba is Egypt 's main POW camp . contradictory +your news is on at eleven Your news broadcasts at eleven . entailment +, family law , immigration law , etc . ) . Legal areas dealing with immigration , families , and the like . entailment +The Harem housed the private quarters of the sultan , his mother , and his many wives and concubines . The sultan and his mother lived in the Harem . entailment +There is such a person , then ? Is this person in the country ? neutral +i came so close once just once i mean that 's the only time i 've ever been any anywhere near but i mean i it was i used to live out in Midland Texas i don 't know if you 've ever been out there but it 's you know a real windy place The closest I ever came was Midland Texas . entailment +we we had for a while done uh well we still do a lot of picture taking in that and uh we 're in the process of putting our eight millimeter We take a lot of pictures even now . entailment +Both villages offer good waterfront restaurants with homestyle Chinese food , principally seafood fresh from the tank . There are restaurants along the waterfronts in both villages . entailment +Which you certainly couldn 't say about Errol Flynn . But you couldn 't say that about Errol Flynn . entailment +Its decision , which Tribe defended before the court earlier this month , is almost certain to be reversed , probably on textualist grounds . The decision will probably be reversed because of past precedent . neutral +In the Rue des Forges , note the Hotel Chambellan ( at number 34 ) and the Hotel Aubriot ( at number 40 ) , home of the Provost of Paris who built the Bastille prison . The Provost that built the Bastille prison resided in the Hotel Aubriot . entailment +You can always get to know one . You can always meet one at the grocery store and then get to know him or her neutral +The other story suggests that the young pundits on MSNBC may represent a sea change in American politics . The other story indicates that the young MSMBC experts may signal a sea change in US politics . entailment +Coma Longer Than Expected The coma lasted a while . entailment +there a number of them for political reasons because we 're enemies of the neighboring government or something like that so we give them an either corrupt government anyway but it 's hard to view that so much as a loan as a bribe at that point It is only a loan , but we 're friendly with the neighboring government anyway . contradictory +Just as we cannot know how the baby boomers would have responded to the moral challenge of World War II , we cannot know how the World War II generation would have responded to the different moral challenge of Vietnam . Baby boomers and the World War II generation responded similarly . neutral +The New York Times deems the plan sensible and prudent , and a Washington Post editorial observes that Clinton deftly changed the subject from the solvency of Medicare to its adequacy . One publication believes in the plan while the other noted that the official changed the topic . entailment +With a stride , the doctor reached the bed , and seizing her arms worked them energetically , applying what I knew to be 26 artificial respiration . The doctor gave her oxygen . entailment +By the beginning of the 19th century , the New Town had become so popular that plans were made for a second stage . The New Town was so popular that a second stage was planned by the beginning of the 19th century . entailment +Is that a reactionary bastion , a pathetic anachronism , or something truer , something with enough confidence to survive without media ratification . That is something real , something with enough confidence to survive without media ratification for sure . contradictory +But since Livingston 's sins were about sex , not perjury , his assertion that he was setting an example suggested that Clinton should resign not for lying but for adultery . He believed that Clinton 's biggest crime was adultery rather than lying under oath . entailment +is really kind of bad and It really is kinda awful . entailment +Sharp spikes lined the pit aiming both in and out . There were spikes lining the pit . entailment +The town 's High Street stretched beneath the castle along the ridge to the east ( today the Royal Mile ) , past the parish church of St. Giles , and out to the Netherbow , where Edinburgh ended and Canongate began . The High Street stretches above the castle along the ridge to the west . contradictory +To this end , BLM , FHWA , IRS , and VBA set expectations for senior executives to address employee perspectives in their individual performance plans and appraised their performance on the basis of the training provided to staff , safe and healthy work environment , teamwork , employee satisfaction , and fairness and diversity . BLM does not expect anything from senior executives other than good performance at their jobs . contradictory +The responsibility for good internal control rests with all managers . Managers have no responsibility for good internal control . contradictory +and we won 't mention any names We will not say any names . entailment +But the DPs tend to view Clinton 's failures as moral rather than criminal . Clinton 's numerous affairs were regarded as moral failings . neutral +EPA utilized the cost and benefit analysis it performed pursuant to Executive Order They used the analysis for the Executive Order . entailment +oh so what they 're doing they 're discounting for cash is the way they 're because i think it is illegal to add a surcharge so They are simply just adding surcharge . contradictory +Research Priorities for Airborne Particulate Immediate Priorities and a Long-Range Research Portfolio . There are immediate priorities and a long-range research portfolio . entailment +A canal passes right through the park , so you can reach La Villette byaboat from central Paris ( a three-hour trip ; see page 26 ) . Travel from Paris to La Villette is only possible by car or bus . contradictory +The tomb of Mohammed Ali sits under the colonnade . The tomb is visited by hundreds of people every day . neutral +so you have three cats You have more than two cats , but is a pet deposit for having more than one . neutral +Disciplined Reviews and Stakeholder Agreements Supported the Capture of Design Knowledge Stakeholders are not involved in the process of capturing design knowledge . contradictory +Literary connections apart , the site has a certain splendour , affording as it does ravishing views over Formentera and out across the sea . The forest and several rivers can be seen from the site . neutral +Postal Service in several rate proceedings over the past 20 years . USPS rates have jostled over the years neutral +He poured some kefir into himself , and then by mistake into the vat . It was a mistake to pour it into the vat because it might explode . neutral +If it were racist , for example . For example , a racist book . neutral +All I missed was something more than winks and hints about the nature of the triangle among Cahill , his wife , and her sister ( the lush Angeline Ball ) , with whom he fathered several children . Cahill and his sister have an insectrious relationship . neutral +Administrative approvals include , but are not limited to , obligation of funds ( for example , authorizing the purchase of goods , approving employee travel , approving contracts on behalf of the agency ) ; accepting goods and services delivered to an agency per order or contract ; and approving travel vouchers for payment scheduling . More administrative approvals would lead to increased internal consistency . neutral +It further assumes a careful targeting of funds to critical research areas and a gradual , 5-year ramp-up of funds to allow for careful planning , assembly of research teams , and expansion of existing teams and facilities . A 5 year ramp up of funds will allow them to be used in a careful manner . entailment +This new 4-storey hotel uses local furnishings , fabrics , and stone in a successful attempt to create a sympathetic harmony with its stunning natural setting . It has ten stories . contradictory +But why is a policy of ifs and buts worse than a policy of no ifs and buts ? A policy with excuses ruins the lawmaking . neutral +it that can help but you just get to a point where they 're just not productive anymore At a point , they 're just not productive anymore , so you have to destroy them neutral +yeah i knew what you meant yeah I don 't know what you mean . contradictory +i kind of like mysteries like Agatha Christie and that kind of stuff Agatha Christie is the only author who writes mystery and thrillers . contradictory +Instead of boos and shouts , we have only I hear hisses from several locations . The play was just that bad . neutral +oh Lord i mean yeah and you talk about stress and pressure i tell you what it 's uh I understand the effects of stress . entailment +That alone was reason for celebration . It alone was the reason for the celebration . entailment +Financial desperation has led Russia to endeavors shunned by NASA . NASA is largely dependent on Russia for funding space exploration . contradictory +pretty basic uh medical um i don 't get any profit sharing and stuff like that so They offer more benefits after you have been there a year . neutral +( The Johnson and Nixon presidencies are only the most salient examples of this truth . Nixon and Johnson are very different . contradictory +It gives a quite aggregate view of street costs compared to the fineness of U.S. costs . It gives a whole view of street costs compared to the US costs . entailment +yeah and you there will be a lot of rebellion in that and when you get people who have no desire to be there in the first place i don 't think that they 're gonna be serving anybody Even when people have no wish to be there , they 'll still toe the line . contradictory +But the picture 's glory is its layered and intricate syntax . The picture is interesting because of its complexity . entailment +yeah i talked to to uh No , I did not talk to anyone . contradictory +Did he not choose it for that reason ? Isn 't that why he chose it ? entailment +When the case study involves one site and modest expense , the price for identifying better questions early may seem affordable . The better questions are ones that gather personal data from the participants . neutral +The basilica of San Francesco is in fact two churches , one above the other , built on top of the saint 's simple tomb in the crypt . The saint 's tomb remains intact to this very day . neutral +Fine swordsplay , young master , said the Kal , chewing on a strip of dried meat . Kal was chewing on a piece of gum . contradictory +I refused . " I said no . entailment +uh-huh but yes we 're into baseball and it seems like soon as that over with we get into basketball we even have peewee basketball here so there 's always something Our children are part of the city 's baseball and basketball teams . neutral +Adrin 's gaze never left the bald man . The bald man was getting ready to attack Adrin . neutral +right that 's exactly right now they 're trained and everything so let them do it if they want to that 's that 's the way it is in a lot of jobs you know like the firemen you know for a long time they thought stuff like that you know trying to be firemen policemen and stuff like that now they get to be all that Even after training , they should never be allowed to do it . contradictory +Now , about this young Tommy of yours " I intend to speak about Tommy . entailment +okay and that 's because they cater to their own people They look out for their families . entailment +and and you 're you 're certainly all getting an education while you 're doing this exercise This exercise is providing everybody with an education . entailment +See accompanying notes to the financial statements for the reporting of condition of these items . The financial statements show the success of the program . neutral +The database accounted for the number of information security incidents that had been reported , the types of incidents , and actions taken to resolve each incident , including disciplinary actions . What disciplinary actions were taken , are not stored in the database . contradictory +( Though in the 1980s , Congress did jiggle the tax rules in ways that encouraged both LBOs and ESOPs . ) The Congress was founded in the year 2002 after the White House was demolished . contradictory +Jon worried for his friend until he saw San 'doro 's right dagger cutting deep open gashes in the man 's torso . Jon ran away before Son 'doro got violent . contradictory +Those witnesses were mistaken . I was puzzled . The witnesses were correct . contradictory +137 Chapter 11 THE CASE FOR THE PROSECUTION The trial of John Cavendish for the murder of his stepmother took place two months later . John Cavendish had actually killed his stepmother . neutral +Dreams of the Lefty ( Al Pacino ) and Brasco ( Depp ) ( 30 seconds ) : Al Pacino starred in Dreams of the Lefty . entailment +Even when Realpolitik led the United States to side with dictators and oppressors , it was in the service of maximizing democracy and human rights in the world at large--a goal we in fact achieved . Realpolitik encouraged people to side with the dictators through an elaborate ad campaign . neutral +We are much obliged to you , Mr. Cavendish . " Dr. We owe Mr Cavendish a lot . entailment +well i guess they haven 't had the i don 't know what the incentive would be but um i guess with all the ones around the Plano area and figuring that most of them drive south for their jobs maybe they maybe they 've done it that way and going with that logic The Plano area daycares do it just like everyone else does . contradictory +Everyone remembers that the first lady blamed Flytrap on a vast right-wing conspiracy in a Today show interview during the first days of the crisis . The First Lady was on the Today show . entailment +For a two-earner couple making $ 150,000 split evenly , Alterman claims a staggering marriage penalty of $ 7,700 . Alterman says there will be a marriage penalty of $ 7,700 for married couples making $ 150,000 split evenly , which is less than last year . neutral +Fundamentally the African-Americans and Hispanics and I are pretty much alike , riding on the same bus to the same destination over the same potholes . African-Americans , and Hispanics are not alike at all . contradictory +Other water parks are found in Magalluf , Alc ? ? dia , and Sant Jaume on Menorca . There is a water park on Sant Jaume . entailment +well i think also you know in the the if men are home during the day they 're they 're um they might be unemployed men who might be more apt to um The types of men at home during the day , like the unemployed , could be better targets . entailment +As the following graphs show , GAO has over the years seen considerable changes in its staffing and budget allocations-levels that , unfortunately , did not generally reflect its workload and the growing demands placed on it by the Congress . The GAO 's budget hasn 't been appropriately increased because more funds are allocated to military spending . neutral +hey Dick who 's your favorite team What team do you like best ? entailment +Although the international media focused on the damage caused in Assisi , much of the region suffered structural damage , and many frescoes and monuments important throughout the region were severely damaged or destroyed . The media has not said a word of the damage caused in Assisi . contradictory +take a twenty two and find a creek Grab a small caliber gun ( .22 ) or rifle ( .22 ) and find a stream . entailment +plain tastelessness ( Richard Bernstein , the New York Times ) . Newsweek ' s Jeff Giles says Carcaterra is one of the most intriguing writers around , with or without his books . Giles writes for Newsweek . entailment +Postal Service cost per piece is much lower than Poste Italiane cost per piece despite having a much higher labor cost per employee . The cost per piece is less for the Postal Service than it is in Italy . contradictory +I will give you L50 L60 whatever you want . I will give you other items if you won 't . neutral +I was determined to make you say it . I was determined to stop you from saying it . contradictory +and normally when you see these things it 's normally um uh a church you know that 's doing a raffle or it 's some type of boy scouts or it 's some type of group or whatever and i automatically you just think oh it 's a raffle must be for the kids Sometimes I think this sort of stuff is only for kids . entailment +i haven 't either but and i you know i i have real strong beliefs in capital punishment but when it comes right down to it yeah i i 'm wondering though I completely disagree with capital punishment and you should too . contradictory +right right or at least loans that they pay off The shouldn 't pay off those loans . neutral +to uh just do do we called it the golden flow but and they did random drug testing just because There was random drug tests that happened . entailment +His ideas may be terrible--some of them certainly are terrible--but at least they are new . Most of the ideas are new . neutral +Revolution and Napoleon Napoleon caused a revolution . neutral +Although a large part of the chateau complex is no longer standing , it remains an impressive site . The chateau is not impressive as it once was . contradictory +Each has implemented management changes in response to the challenges they face , including implementing strategies to empower and involve employees . Production has increased with the new management implementations . neutral +Market Gyrations Make Hitting Targets for Skilled Crafts an Art Market gyrations make goals impossibly easy to hit . contradictory +Why is NASA letting the old bird lift off ? Why is NASA planning several launches of the old bird . neutral +well i i don 't know i don 't know how far it goes I know it will be ending soon . contradictory +inspect it and the kids want to swing and i push them on swing The kids like the swing in my yard , I push them on it . neutral +The present value of estimated fees is likewise included as one component in calculating the value of loans receivable or loan guarantee liabilities . The value is very high . neutral +The Georgia papers have speculated that Barnes could go to work for any number of silk-stocking Atlanta firms for a seven-figure salary . Barnes would be able to work for a seven-figure salary at many different firms in Atlanta . entailment +I 've also suggested that the Service explore making low weight Parcel Post a wholesale , only , product and pushing low weight over-the-counter retail parcels into Priority Mail . The Service refers to the Mail Service , part of the United States Postal Service , or USPS . neutral +And to think that I nearly died of grief while you were enjoying yourself here ! To imagine that I was grieving , while you were having a good time here . entailment +If specific information comes to the auditors ' attention that provides evidence concerning the existence of possible noncompliance that could affect financial data significant to the audit objectives or that could have a material indirect effect on the financial statements , auditors should apply audit procedures specifically directed to ascertaining whether noncompliance has occurred or is likely to have occurred . During the course of this year 's corporate audit , auditors should be aware of noncompliance and follow specific steps if noncompliance is suspected . neutral +This resort town has a long and usually uncrowded sandy beach , and there are several pleasant golf courses among the palm trees . An uncrowded beach , several golf courses and palm trees can be found at this resort town . entailment +all right good to talk to you all right all right bye-bye It was nice talking with you . entailment +The objective was to enhance GAOas role of review and analysis , as part of a larger effort to fortify congressional oversight by ? mak [ ing ] more information available to Members and Committees of the Congress , andeprovid [ ing ] them a means of interpreting the information they have . Information was made available to Congress thanks to the GAO . entailment +Double Habitual double dribbler Mark Shields sins again . Double Habitual dribbler Mark Shields has had a streak of fails lately . neutral +In the gloomy subterranean church is a rock-hewn sepulcher . The church is gloomy . entailment +Did they know of any relatives ? Did anyone know any relatives ? entailment +White chuckled . Someone was amused . entailment +A young woman was struggling with an older man . The woman struggled with the man . entailment +The island is well covered with tenacious pines , a delightful variety of wild flowers , and crowds of friendly lizards . The island is devoid of all plant life and has no reptiles of any kind . contradictory +Thirty-five years later , in 1975 , the caudillo ( strongman ) was buried beneath a simple stone slab in the monumental church of the Valley of the Fallen . The strongman had an ornate tomb . contradictory +um-hum well we 're vegetarians and we just became vegetarians for i i just became a vegetarian over the past uh year and a half and it 's a real challenge to find foods proper foods to eat and it 's a real challenge not to become like what they call a junk food junkie where your menu is composed of uh things that you want to eat that aren 't vegetable you know that aren 't don 't contain meat products or don 't contain animal products but maybe aren 't you know uh balanced meal so to speak so but we we feel a lot better since we 've become vegetarians It is not easy being a vegetarian . entailment +She is trying to get religious organizations to sponsor recipients . She is attempting to get religious organizations involved . entailment +GAO reports have been used with good results , however , in cumulative case studies published by others outside GAO . There have been good results that have come from utilizing GAO reports . entailment +Instead , Intel makes real things . Intel makes actual things instead . entailment +oh oh it definitely is and i tell you what if you work hard enough it 'll happen because because i can we can see it you know i think it 's going to be a couple of years before i can do that Working hard will help make it happen in a couple years . entailment +i was living in Colorado and i didn 't have a lease which was really nice I didn 't have a lease in Colorado . entailment +'It 's the best reason , ' Daniel said . Daniel said it was best . entailment +In the pursuit of power , Milosevic has run Serbia into the ground . Serbia has thrived under Milosevic 's rule . contradictory +Moderately so . In a sort of middle range . entailment +yeah they 've got an awful lot of good draft picks coming up it 's going to be interesting to see what they do with them I am excited to see who they pick from the draft . neutral +Nowadays , the Memorial building offers films and documents tracing the campaign for independence . Films about the campaign for independence can be seen at the Memorial building . entailment +The virtual Benjamin Franklin was writing- or rather sketching- with a quill pen . Ben Franklin was a hologram . neutral +Stakes are priced in US Dollars and you can usually play blackjack , roulette , poker , and baccarat . Stakes are priced in US Dollars but people may bring international money to exchange for US Dollars . neutral +Inevitably the mayors of Nashville and St. Louis will wager well-known local products on the big game . The mayor 's for Nashville and St. Louis will wager products from other countries and money on the big game . contradictory +Who on earth but Poirot would have thought of a trial for murder as a restorer of conjugal happiness ! A murder trial might cause a marriage to become better . entailment +The addition of Chrysler may help change that approach , but how remains to be seen . The addition of Chrysler will make the approach more profitable . neutral +At a presort volume of 40 billion pieces , the postal service 's cost curve goes through the current operating point discussed in the previous part of this paper . The postal service has costs through what was previously discussed . entailment +Note that the extent of any changes that would be made is a measure of the extent of non-market choices that have been allowed by the protection currently provided . Non-market choices have been allowed by GAO . neutral +Appendix II Financial Management System Standards Issued by JFMIP Appendix I covers standards for food safety and sanitation . neutral +the lady looked up at me and said oh you must be a jogger and i said oh if you only knew couch potato with remote control The lady could see that I was a couch potato . contradictory +The entrance off the modern town 's Corso Ercolano takes you around the archaeological site for a striking view down across the ancient town of terraced villas from which wealthy Roman landowners looked out to sea towards Ischia on the horizon . THe entrance gives you the best view bceause it is so high . neutral +Come on , Annette . Annette , let 's go . entailment +We compare them with our burden measure for the Poste Italiane and the U.S. The Poste Italiane and the U.S. are likened to our measures for the burden . contradictory +However , in accordance with the SAB advice , we use the VSL in the Base Estimate and present age adjusted values in the tables of alternative calculations , Exhibit 12 and 13 . We do not use VSL according to SAB advice . contradictory +The conversation inside was being carried on in too low a tone to permit of her hearing anything of it . She was able to clearly hear the conversation that was going on inside . contradictory +oh the day like today it 's so nice outside you like to get out there and do something uh Even on nice days you like to stay inside . contradictory +I think I 'll be an astronomer like my Dad . I might be an astronomer like my dad . entailment +The dry-cleaning bills were ridiculous . The dry-cleaning was expensive . entailment +and your standard vegetables like you always had to have some peas and corn Standard vegetables like peas , carrots and corn . neutral +Based on that risk assessment , the auditors design and perform procedures to provide reasonable assurance of detecting The auditors design and perform procedures based on that risk assessment . entailment +A cloud of white smoke exploded from the back of the gun and swept into the hot wind . The gun had just been fired and the smoke could be seen on the wind . neutral +This legislation allowed us to create a technical and scientific career track at a compensation level consistent to the SES . The compensation level for the career track is consistent to the SES . entailment +he / she asks . The person didn 't speak . contradictory +Don 't you try harassing any of my riders . If you try to harass any of my boys I will shoot you in the face with this semi-automatic pistol . neutral +Also within the park are a boating lake and two fine racecourses , Longchamp for flat races and Auteuil for steeplechases . The Longchamp racecourse , immediately after it was built , was deemed unusable and is now just for show . contradictory +Consistency refers to the need to obtain and use data that are clear and well-defined enough to yield similar results in similar analyses . We must keep our lab clean and free of outside bias so we can keep our results consistent . neutral +Nowadays banks are by no means guaranteed to make To turn a profit they must work hard , innovate--and take big risks . It requires skill an hard work for banks to make a profit nowadays . entailment +um-hum my goodness i i 've not see that at all Yes , I saw that yesterday . contradictory +Its success led to its adoption by Its adoption was well-received and led to more benefits than negatives . neutral +This factual record provided an important context for consideration of the legal question of the meaning of the presence requirement . The record gave no context regarding the legal question . contradictory +so what kind of a house do you expect to buy when you do buy What kind of house are you buying next year ? neutral +I can 't help feeling sometimes it must have been an accident . I feel like there 's a chance it was an accident . entailment +The process of confirming that a system or component complies with its specified requirements and is acceptable for operational use . Systems are inspected prior to entering operational use . entailment +As he puts it , my standards were impossibly high . My standards are high because I want things a certain way . neutral +with these panels of experts and they go back and forth where everyone 's giving some opinions and sometimes that i i don 't know the value of that because i saw plenty of jokes and and um oh editorial cartoons about all the retired generals making their living during the the Gulf War It 's difficult to extract value from these panels due differing opinions . entailment +The disastrous Democratic Convention , however , left McGovern a then record-setting 23 points in the hole . The Democratic Convention was a disaster by most estimates . entailment +I have a friend who was excluded from a jury because he answered yes to the question , Do you think a man who 's been arrested is more likely to be guilty than a man who hasn 't been arrested ? I have a friend excluded from the jury because he said he was biased but really just didn 't want to go to court . neutral +um-hum don 't buy them that way uh-huh okay well i 'll remember that Don 't buy onions that way . neutral +In the future , Clinton and Blair say , false oppositions between competition and compassion , efficiency and equity , will be resolved . Clinton and Blair have very similar views on resolving certain issues . entailment +Your relentless preoccupation with Clinton and Monica in Flytrap Today and elsewhere has finally pissed me off . It has taken me a while , but I am now upset about your obsession with Clinton and Monica . neutral +The rest are business or mixed ( residential and business ) . Residential areas are places where there are no homes . contradictory +Got away ' cause they met th ' wagon train goin ' south an ' whoever was eatin ' their dust huntin ' them didn 't seem to like the odds . They got caught before they reached the wagon train . contradictory +a lot of different people go there different kinds of people and so i feel really enriched in that a lot of people don 't get to see you know some people have lived in Lewisville all their life you know and so they don 't get to see I feel very blessed to have had the opportunity to go there and see that . neutral +However , when we screen populations with high case rates ( trauma admissions , 63 % ) , 5 a highly sensitive test with moderate specificity performs well . They use the screening to make sure its the right test to use . neutral +Green flames , appearing blue in San 'doro 's second sight , rose through the roofs and exploded out of the shuttered windows . Red flames were coming through the roof . contradictory +Growing involvement in electronics , telecommunications , nuclear power , and space satellites is intended to take the country , as one official said , directly from the 19th into the 21st century . Technological advancements will take the world into the 21st century . entailment +a real big issue A petty challenge . contradictory +You cannot defend against what I saw . What I saw was outrageous and cruel . neutral +Give us the sight , said Jon to Susan . He told her to give him the blindfold . contradictory +The notice contained in the preamble to the interim final rule complies with the requirements of the Paperwork Reduction Act by explaining the need for the information , the parties affected , and the burden estimate related to the collection . The notice contained in the preamble does not comply to the requirements of the Paperwork Reduction Act . contradictory +They never saw this sign anywhere , but they kept hearing about others who did , or whose friends had seen it , always in different places , and it spoiled their trip for them . The sign was a ghostly apparition . neutral +It is illuminating to speculate how these cases would have been decided if Congress had enacted a504 ( a ) ( 16 ) without its proviso ( prescribing only the general ban against litigation , lobbying , or rulemaking , involving an effort to reform a Federal or State welfare system ) , and if the positions of the parties before us here were reversed . The case rulings would be reversed if they had acted without its proviso . neutral +Visitors can tour the palace only when the monarch is not in residence . Visitors can visit the palace June through August . neutral +The first is Coyaba River Garden and Museum . The first is Coyaba River Museum and Garden . entailment +In 1989 , the big three TV network newscasts aired 518 stories about the issue . After 1988 , nobody was talking about the issue anymore . contradictory +no no i agree i think i believe in test for cause if if somebody 's performance and i guess that there 's the other argument is that well do you wait until they screw up you know and someone gets hurt I 'm okay with someone being tested if they show sign and they are screwing up but I 'm not sure if you do it without evidence . entailment +Short-Term Exposure , COPD Related , Ages 64 and PM2 . Toxic exposure for ages above 60 . neutral +you know they can 't They are allowed to do that . contradictory +In the other pit a big man fought a large dog in leather armor . Dennis , the skinny kid from down the block , was attacked by a small feline . contradictory +yeah well we had uh i lived on a farm when i was growing up and when we bought the farm there was uh couple of farm cats on the property and they were sort of tame every now and then they 'd let you pet them but uh one of the cats which we named Bug Eyes she had a litter of kittens and she kept t hem away from the uh the house until they were pretty good size kittens and they wouldn 't let you get anywhere near them and one day i went over to i found them sleeping and i went over and picked one of them up and it boy it was like picking up a buzz saw I grew up on an island where there weren 't any animals . contradictory +It wasn 't the first punch thrown , but it was the first one most people saw . It was the second punch thrown . contradictory +and i really ought to take those quickly while i still remember something Relax , man . I 'll get around to taking them later . contradictory +It was crude but strong and wicked . As disgusting as it was , it was clearly strong and ominous . entailment +Historians have noted that the horsemen are using stirrups , the earliest known example of their use in India . Historians believe that the earliest example of stirrups being used in India , is by horsemen . entailment +The western end of George Street begins at Charlotte Square , originally named St. George 's Square after the patron saint of England ( mirroring St. Andrew 's Square at the street 's eastern end , which was named for the patron saint of Scotland ) . The name was changed to Charlotte square due to popular demand . neutral +and course those those dollar dollar and quarter movies you might catch a spring too so There are cheap movies , too . entailment +FINANCIAL AUDITS Physical audits contradictory +that 's true you can 't even uh because i know uh even i and my wife would probably uh have a hard time sitting in sitting out in the woods for a couple of days and uh you 've really got to be careful who you go out there with and that they 're out they 're out fo r what they 're doing and you 're out for what you want to do and then you all get get to do what you want to do i guess while you 're out there but uh My wife loves spending weeks out in the woods . contradictory +We ought to gee along together very well . " Tommy looked at him curiously for a minute , as though he were about to speak , then changed his mind and said nothing . Tommy was told they would get along , and looked at oddly at him . Tommy looked as though he wanted to say something , but changed his mind and didn 't say anything . entailment +'Back to White , ' I protested . I resisted and explained it was time to return to White . entailment +the nice thing about dragging that is that it 's very very convenient to travel on the highway with because it 's very low It 's convenient to drag on the highway . entailment +With a $ 43 million budget , it is , minute for minute , the most expensive TV show ever , and also features a shocking amount of sex--as Odysseus , Armand Assante sleeps with Penelope ( Greta Scacchi ) , Circe ( Bernadette Peters ) , and Calypso ( Vanessa Williams ) . This was the most expensive and the most sexually-explicit TV show ever . entailment +One inch at a time , the metal link started to melt away- The metal was melting . entailment +The Three-Arched Bridge , by Ismail Kadare , translated by John Hodgson ( Arcade ) . Ismail Kadare never created material titled ' The Three-Arched Bridge ' . contradictory +Much more apparent is its Muslim connection ; the building was constructed by Moorish artisans and looks much more like a mosque than a synagogue or church . The Moorish artisans were very talented . neutral +There is a strong military presence in the city and a dusk-till-dawn curfew is often in effect . On certain nights of the week , the curfew is lifted so that people can run errands . neutral +Every year the cream of young artistic and comedic talent makes its way to Edinburgh , and the Fringe has grown into arguably the largest showcase for burgeoning performers in the world . The new talent comes to Edinburgh because it 's the cultural mecca for the region . neutral +And later-born offspring are rebellious ( the case with Stephen ) . Stephen is rebellious because he is a first-born offspring . contradictory +Critics say Mendes improves upon the 1972 film version of the musical , which starred Liza Minnelli , by rendering it dark and raunchy . Liza Minnelli played the lead role in the film version of the musical . neutral +and uh i mean you 'd think by looking at me my i 'd have a bad heart and everything terrific heart great blood pressure My body shows how unhealthy I really am . contradictory +When Hideyoshi built his main castle in the center of Osaka after unifying the country in 1583 , the city 's proserity seemed written in stone . Unifying the country in 1583 was the sole reason for it 's future prosperity . neutral +Many people do not have the option of going to France outside the main holiday periods ' Easter , July , and August . Outside of the main holiday periods of Easter , July and August , many people don 't have the option of seeing France . entailment +Less predictably , conservatives admit to attending her performance multiple If new material has been added since her first chocolate-smeared headlines , it 's not really apparent ( John Leo , U.S. Conservatives admit they attended her performance just to see how bad it was . neutral +If you 're truly anti-bloat , there 's a whole subgenre of dainty , low-bloat computers out there for The PalmPilot and Windows CE handheld devices . There are many options for low-bloat computers available . entailment +Jamaica 's Eastern Tip Jamaica 's North Plains contradictory +A terrific book , halfway undermined . The second half of the book wasn 't terrible . neutral +It seemed to me the man would never go . I really wanted the irritating man to go . neutral +Here 's how it works . Here 's how it works , it spins twice and then falls down . neutral +Unfortunately , at the time I was so sure of myself that I even self-imposed a deadline . The project was tough and many warned me about it , but I believed in myself to get it done so I imposed a deadline on myself . neutral +I stopped , and dropped my fork . I dropped my fork onto the table . neutral +A little background information on the major forms of faith may help . There are many forms of faith . neutral +Biskind 's book , accordingly , concludes with a litany of spectacular Coppola 's Apocalypse Now and One From the Heart , Spielberg 's 1941 , William Friedkin 's Sorcerer , and , of course , Michael Cimino 's Heaven 's Gate . According to Mardik Martin , Scorsese 's erstwhile writing partner ( as quoted by Biskind ) : The auteur theory killed all these people . Try as he would , Mardik Martin was never able to meet William Friedkin , in person . contradictory +All businesses must comply with the Americans with Disabilities Act , and are therefore wheelchair accessible . It is not necessary for a building to be wheelchair accessible . contradictory +Built in 1594 , the pharmacy 's cupboards line two rooms with matching glass and porcelain apothecary jars specially ordered by Carlos IV . The pharmacy was built in the late 1500s . entailment +I was so bent on playing the part of Janet Vandemeyer that my nerves began to play me tricks . I anticipated playing the part of Janet Vandemeyer . entailment +Century Theatre offers a program of performances ranging from drama to Gilbert and Sullivan to English pantomime . Gilbert and Sullivan will be followed by a re-imagining of Hamlet by Shakespeare . neutral +China is the most eager customer , buying surplus material through U.S.-based scrap-metal dealers . China is buying metal through U.S. scrap dealers . entailment +Performance artist Karen Finley reprises her 1990 show--she spread chocolate over her naked body--which made her the poster girl for right-wing denunciations of the National Endowment for the Arts . Karen Finley had an X-rated show . neutral +that kind of ups our stock in there just a little bit it makes us more legitimate so now what they 're saying is that well since we won whatever we say goes because it 's a kind of a might makes right attitude about it and you know we 've got the power Even though our stock increased , it makes us less legitimate now and we 've lost the power that we had . contradictory +Wines and spirits are served at all hours in Spain . Wine and spirits are always available to be ordered in Spain . entailment +We 've all got our campaign ribbons from the war of HR22 . None of them have their ribbons from the war of HR22 contradictory +The industry now plans to strengthen warnings that children should be kept , appropriately harnessed , in the back seat , where they will be neither helped nor harmed by air bags . Children should be kept in the backseat and appropriately harnessed , away from air bags , says the industry . entailment +For the first time , and at the judiciary 's request , Rhudy has sent every new legislator an orientation package about legal help for the poor . The orientation package gives enough information for a legislator to fully understand the situation . neutral +However , the palace and gardens are so enormous that you may prefer to see them at your own pace , leaving out what your head and feet can 't take . The palace and gardens span a wide area . entailment +He turned to Thorn and Vrenna . He looked at Thorn and Vrenna . entailment +So we turn to technological visionaries as we once turned to shamans . As we once we went to shamans , now we turn to chefs . contradictory +Of course I do . It 's clear I like men , what about it ? neutral +It was a terrible flight . The flight was amazing . contradictory +The next morning dawned bright and sunny , and I was full of the anticipation of a delightful visit . I was looking forward to the visit the next day . entailment +Grantees may also initiate representation of aliens in the unrestricted categories who are temporarily outside the United States , provided that they have been present sufficient to maintain and have not abandoned their residence or INA status . In order to initiate representation , aliens must abandon their INA status . contradictory +The Tomb of Seti I ( 17 ) , c.1279 b.c. , is one of the largest tombs in the valley boasting some of the finest decoration . The size of the Tomb of Seti is relatively bigger than the others . entailment +Jesus might well have gathered here with his disciples during the years of his teaching . Jesus probably found his disciples over here . entailment +The colonial porte cochre sets the tone for Waikiki 's most charming historic hotel , which opened in 1901 . The colonial porte coche has a lot of charm . entailment +Hot enough to melt anything he knew about . It was extremely hot . entailment +Hidden courtyards bathed in penumbral light lurked behind massive doors , slatted blinds , carved iron window bars ( rejas ) , and half-moon stained-glass windows ( mediopuntos ) . Beside half-moon stained-glass windows are open courtyards bathed in light . contradictory +An article condemns President Clinton for ingratitude toward his loyal vice president . The article praised President Clinton for his exquisite treatment of his vice president . contradictory +no there was a woman she said my my best friends are lawyers and you know all this and it was just You know this woman . neutral +Swimming pool , sauna , and fitness room . No sauna on premises . contradictory +uh i i trained my uh my wife in the house in in doing things in fact uh when i uh first transferred down to uh Texas Instruments back in nineteen eighty seven um I never worked for Texas Instruments , so my wife had to work . contradictory +Rule 504 ( a ) authorized the Postmaster General to maintain a research and development program , and to conduct experiments to enhance the operational efficiency and economy of the postal system . The program helps us with our research . neutral +yeah because like what Yes because what does that mean ? neutral +That 's 33 cents a note . These notes aren 't worth anything . contradictory +you want to see what a baseball game is like and he describes it as you sit there in a crowd and it was nice weather and stuff it wasn 't a real problem but you sit there in a crowd and you 're waiting and waiting and waiting and you eat these lousy the hot dogs um because we made him try a hot dog you know and things like that and um It started snowing heavily before the game even started . contradictory +nothing i mean they go right back where they came from I mean they should go back to where they came from . entailment +Backpackers may want to go it alone , but most are advised to plan their visit through a tour operator in KL or before they leave for Malaysia . Backpackers always want to go it as a group because it is more fun . contradictory +From his vantage point he saw what he had not seen before--the amazing size of the construction project . The construction site looked like it was tiny from here . contradictory +But Pol Pot is irredeemable . Pol Pot is redeemable . contradictory +During Kashmir 's height of popularity as a tourist destination , one of the area 's most alluring features was the unique accommodation on houseboats . Most of the tourists who came to Kashmir in the past stayed on a houseboat . neutral +I am as ready to fire a former Union soldier as I am a Confederate " Don 't test me because I am ready to fire anybody who crosses me . neutral +It keeps doing that . We can 't get it to stop , it 's still doing that . neutral +Recommendation # 5 Research is needed on how demographic and cultural attributes of ED patients , practitioners , and interventionists influence the success of screening and interventions for alcohol problems . This research is not about interventions for alcohol problems . contradictory +Living poets will continue to be eligible as well . Poets who are still alive can win the award as well . neutral +I was homeless when I went there , and everything I got , somebody had give to me , she said , noting she is trying to sift through things . She was grateful for the help she received . neutral +Slate business done . Slate business undone . contradictory +The publication doesn 't report where Mrs. There are things about the Mrs. that the publication leaves out . entailment +and so it doesn 't and then and then it weighs a ton then it weighs a lot , so we have to think about that neutral +so did it look cracked to you i mean that 's how you knew it was broken or So how did you know it was broken , did it look cracked ? entailment +On the way to the village you 'll come acrosea camel-station , from where you may wish to take a ride . There is a place to take a camel ride as we near the village . entailment +You be stayin ' over to th ' Jacks ? Drew glanced up at the haymow from which Callie had just descended . Drew 's head was down for the whole time . contradictory +These are most dramatic during the spring and autumn equinox , when the sea comes in at a rate of nearly 50 m ( 164 ft ) a minute over a distance of 15 km ( 9 miles ) . The sea does not move during the summer solstice . neutral +They conclude that , under some circumstances , saving should actually decline slightly in response to population aging . They conclude that savings will decline because of withdraws by retired people . neutral +Financial condition allows an assessment of an entity on the basis of additional data that could include financial and nonfinancial information about current conditions . Financial condition makes it impossible to assess entities on the basis of additional data . contradictory +Direct links to all recent Slate stories on the scandal . Slate is a site that specializes in scandals . neutral +it really is i was very happy about that because i you know i feel the same way you do I felt sad actually because I know we share opposite opinions . contradictory +San Pietro in Vincoli ( St.Peter in Chains ) might not attract a second look if it didn 't contain one of the greatest of Michelangelo 's sculptures , his formidable Moses . San Pietro in Vincoli might be easily overlooked if not for housing Michelangelo 's famous , yet imposing Moses sculpture . entailment +It also includes some mail that might be viewed as community newspapers or shoppers and some that could be viewed as Periodicals . Most mail may be viewed as community newspapers or shoppers . neutral +It will likely emerge in the 21st century as a regional leader in more than just economic terms . It will evolve into a regional leader in government terms as well . neutral +Right on the waterfront ; offers a more formal atmosphere and a great place to catch a sunset . It has a terrible view of the sunset . contradictory +Now I want to ask you about something else . I have another question for you at the moment . entailment +well i have i have i have been in the military so i 'm well aware of the Public Palace yes I have never heard of Public Palace , even during my time in the military . contradictory +The two sets of estimates depicted in this table reflect alternative assumptions and analytical approaches regarding quantifying and evaluating the effects of airborne particles on public health . Some of the estimates shown in the table reflect other assumptions and analytical approaches . entailment +Saving more today would alleviate the burden of financing Social Security commitments . Spending more today would alleviate the burden of having to worry about Social Security commitments . contradictory +okay so what do you think sure then , what is your opinion entailment +I have brought him back to you . He had stood aside , and as I went out I had seen the look in Mary 's eyes , as John Cavendish had caught his wife in his arms . He stood in the doorway , blocking my way out . contradictory +well anyway uh like i said if it if it doesn 't grow out in the woods here somewhere i 'm not sure You can grow the tomatoes in the woods . neutral +yeah i 'm i 'm twenty five I 've been living here for twenty-five years . neutral +An unconscious man lay beside him , tied up half-naked on the floor . The man beside him was conscious but completely naked . contradictory +We welcome this opportunity to highlight the important role that GAO plays to support the Congress for the benefit of the American people . This time can be used to highlight the role GAO plays . entailment +In other words , we want to invite all those who would normally be excluded . The people who are usually treated as outsiders are now welcome . entailment +The focus of the leather industry in Mallorca are the factories in Inca ; you can visit them and shop at the factory outlets ( though prices will be lower than on mainland Spain or your home country , they may not be any cheaper than what you 'll find in Palma ) . Mallorca exports lots of leather that comes from the cows that live there . neutral +That 's just her nature . I expect her to be that way most of the time . neutral +And regardless of who supports them , these guys have a lot of expertise to offer , don 't they ? They are experts in the field , so they make sure to share their knowlege with the public weekly . neutral +i i count them i i swim a sixteen fifty every day and uh so that 's sixty six lengths of the pool I like to swim early in the mornings so as to have the pool to myself . neutral +PAC-3 Missile Program The PAC-3 missile did not achieve design stability until after the building of production representative prototypes for system demonstration began . There were a number of hurdles fro the design of the missile . neutral +It screamed as it fell , leaving a trail of bedrolls , water skins , and food wraps in its wake . It was capable of producing noise . entailment +The 16th-century polychrome rood beam spanning the nave is decorated with 12 prophetesses ( on the chancel side ) and scenes from the Passion . The polychrome rood beam was manually decorated with scenes from the Passion . neutral +The development of new malls such as the Forum Shops ( at Caesars Palace ) has in some cases single-handedly elevated the state of shopping in the city , with even more major hotel-based shopping promenades having emerged at the recently opened Aladdin and Venetian resorts . There are new malls popping up that sell very high-end things to tourists . neutral +As an independent regulatory agency , the Commission is not subject to Title II of the Unfunded Mandates Reform Act of 1995 . The Commission is not an independent regulatory agency . contradictory +There are also full-scale models of the planes , with a fuel tank big enough for only a one-way mission . There are 10 models of the planes . neutral +i know we do that too you know and at the first year because i was from the city when we got married and the first year that we planted i couldn 't figure out i mean the well the first year after I was from the city . entailment +It would be easy enough to lie out in the hills and keep field glasses on us down here . The hill offers a good place for someone to hide and watch us down here . entailment +At the hour of the paseo ( stroll ) , when offices empty , Madrilellos spill onto promenades and swamp outdoor cafes , plunging into conversation . Madrilellos spill onto promenades and swamp outdoor cafes , plunging into conversation , at the hour of the paseo ( stroll ) and offices empty . entailment +I guess it 's cured owing to your skilful treatment , doc . I think that you cured me doctor . entailment +The Liberties area , once a slum , is rapidly gentrifying , with new housing and restoration of the original small red-brick houses . There are a lot of red brick houses being built . entailment +In consequence of that quarrel , your mother very suddenly and hurriedly makes a new will . There was a fight caused a new legal document to be created . entailment +yeah i guess so but as far as the weight bearing When it comes to the weight bearing however . entailment +uh-huh uh-huh plus the training involved yeah that would be expensive in most cases That could cost $ 10,000 ! neutral +And , Santayana asked me to add that Those who cannot remember the past are condemned to repeat it . Santayana wanted the audience to take that lesson away from the speech . neutral +It 's pretty clear that some of you are tired of hearing from me and others , I gather from the snoring , are just plain tired . The person talking is annoying to others neutral +Fleece makers offer a few other options . Fleece makers only offer one option . contradictory +you know well they see they can 't grow the grains i mean they 're if the i guess their grains don 't do well in the tropics so like you say they grow grow sugar beets and sugar cane and that 's all export In areas like the Caribbean and Central America they aren 't able to cultivate things like wheat and spelt so they grow sugar crops to sell and export . neutral +The condition of a lake or stream improves as the the ANC increases , moving from chronically acidic e ? episodically acidic e ? not acidic . An increase in ANC is good for a lake . entailment +) There remains the possibility that these methods will not yield lifelong bliss . It 's not possible that these methods wont yield lifelong bliss . contradictory +uh but i it 's amazing because they 're they 're bilingual I think it is amazing that they can speak two languages . entailment +In his left hand he held his rapier of shining silver steel with the falcon-winged guard . He threw down his shield and used his bare hands . contradictory +Abbaye de Fontenay Spain . contradictory +Archaeologists argue that treasure-seekers wreck artifacts . Archeologists point out that treasure-seekers damage artifacts . entailment +For a minute Tuppence thought she was going to spring upon her , which would have placed the girl in an unpleasant dilemma , since she meant to draw the line at actually letting off the revolver . Tuppence was thinking of actually pulling the trigger . entailment +He put both hands to his middle where more than one of the pile-driver knocks had landed , and tried to understand what was happening . He put his hands to his head , as he understood exactly what just happened . contradictory +there and we use to go go out to that about once a week yeah a really nice place you know amateurs but really quite good uh but that was interesting course used to We never go there . contradictory +No , it 'll be a grudge match between Reeves and Broncos coach Mike Shanahan , whom Reeves fired as the Broncos ' offensive coordinator years ago for insubordination . Reeves and Mike still work together . contradictory +Consider the results of another poll , this one from 1964 , in which Louis Harris found that RFK 's presence on a Democratic ticket would gravely hurt the party 's chances in the South and border states , among businessmen , and among fence-sitters in both parties . They took into account the probability of the ticket being changed could have hurt the party at the time . entailment +yeah that 's too bad because i mean i 've been in the Carolinas and you know there are some places in the Carolinas it 's really nice there I 've been to all the nice places in the Carolinas . neutral +Observe that crescent ; and those diamonds , their neatness rejoices the eye . Don 't look at the diamonds . contradictory +At the backwoods setting of Critter Country you 'll find the exciting Splash Mountain log flume ride , while Frontierland takes you to the realm of the pioneers , along with steamships and runaway mine trains . Splash Mountain is located in Frontierland and features a bumper car ride . contradictory +that i think it originally started with Indian Guides and uh the idea was that dads are off working all the time and mothers are left to raise the kids the idea was that mothers spent time with the kids because the fathers were always at work entailment +Nearby , on the south bank of the Liffey , is the Island ? ­ bridge Memorial Park , built in the thirties to designs by Edwin Lutyens ( who designed London 's Cenotaph ) . The Island bridge Memorial Park was built in the fifties and the north bank of the Liffey . contradictory +do you have relatives over in Israel Do you have any relatives who would be interested in fasting over there in Israel ? neutral +We then describe the data used in our analysis and the costs and profitability of the Postal Service 's city residential delivery routes . We will never describe the data . contradictory +It was an awkward business , and drew a smothered " Ow " of pain from him as the knife cut into his wrist . He was wounded by a knife and in pain . entailment +Many in the church and among the native population viewed the King 's overseas death as a judgement . The natives saw the King 's death as a judgment . entailment +Four hundred years ago these crops brought British colonists to rule the land and African slaves to work it . There were 30 different crops . neutral +There is a peep-hole into the next room . There is someone in the next room to peep at . neutral +oh goodness um i i can 't really say i haven 't i haven 't listed them or anything If I listed them , I could tell you for sure . neutral +that 's what i 'm looking for now that 's why i was just trying to talk without having to think about what i was saying and uh trying to look over this thing That 's not what I 'm looking for . contradictory +Maureen Dowd quotes the recovering toe sucker 's explanation for why the president might have a wandering .Let 's assume , O.K. We are assuming Dowd 's quote is okay because Dowd is a famous author . neutral +The final rule contains a modified information collection and the preamble to the final rule requests comments from the public regarding the collection . The information collection within the final rule has been said to be controversial . neutral +It is unparalleled for the mal de tete . " He jumped up and took her cup . He took her cup away from her . entailment +According to the Chronicle of Higher Education , Rosemary Keefe Curb was one of three finalists for a job as dean of the college of arts and sciences until a local New Paltz resident acquired a copy of Lesbian Breaking Silence , a book Curb co-edited that contains such statements I 've never been initiated into a coven , but I like to call myself a witch . It has been said that Rosemary Keefe Curb was about to win her job as a dean at the college when a copy of her work was acquired by a local resident . entailment +That is , they have an independent evaluator review the equivalent of their workpapers rather than providing so much detail in the report itself that a reader can come to the same conclusion . In the past , readers have struggled to comprehend the information contained in the report . neutral +Immediately , within a few weeks , within several months , or at a future date to be determined . It is definitely right now . contradictory +From the safety of a TV studio , Donaldson 's ready to have ( someone else ) pay any price , face any foe . Donaldson is acting kind of cowardly by letting other people take the heat . entailment +It 's just there . There it is . entailment +yeah oh yes definitely No . contradictory +How agitated she had 118 been on that fatal Tuesday evening ! It was in her nature to be anxious about something and that day was no different . contradictory +so you take a look at line fifty four you take a look at the output at the same time and you can see that where it messed up because you know it 's like in the old computers the ones that uh we 're using here a couple of years ago you would always have to have a printout You are able to print out the problem just like in the old computers if you want . neutral +This is based on the city delivery carrier total cost of $ 33 . The administration feels that the total cost associated with city delivery carriers could stand to be reduced . neutral +The Department did not discuss comments beyond the scope of the rule or comments on the requirement to establish a deduction since the requirement was mandated by statute . The Department refused questions going against the rule . entailment +well i haven 't counted i i would have guessed eight even but you might be right i don 't have any idea It is definitely seven . contradictory +Measurement Case study methods can use two tactics for achieving measurement multiple sources of evidence There is only one tactic that should be used to improve case study methods . contradictory +Spectac ? ­ ular gardens , like the Botanic Garden and Quinta do Palheiro , are only a short bus or taxi ride from the capital . Botanic Garden and Quinta do Palheiro are not close to the capital . contradictory +V The Astronomer said , " You think the noise was their ship landing ? " We all heard a loud sonic boom . neutral +Even the detective hired by the Clinton campaign in 1992 to intimidate bimbos was a People 's Detective ! The detective hired by the Bush campaign in 1992 was a People 's Detective . contradictory +A fountain of blood sprayed up into the night . The cattle were slaughtered at night so the neighbors did not see the blood spraying . neutral +In projecting future revenues and benefits , actuaries at the Social Security Administration and Health Care Financing Administration use alternative assumptions about economic and demographic trends , including average earnings , mortality , fertility , and immigration . The Social Security Administration rely on varying statistics . entailment +She looks neither relaxed nor nervous . She doesn 't look relaxed or nervous . entailment +Always ask to see the manufacturer 's guarantee when purchasing watches , cameras , and audio-visual and electronic equipment . You could be scammed if you don 't ask to see the manufacturer 's guarantee when purchasing watches . neutral +Prosperity was not without its own pollution caused by dirty industries , a high incidence of stomach ulcers ( even suicides ) among schoolchildren pressured by over-ambitious parents , and the awkward questions of what to do about nuclear energy . Prosperity did not result in increased levels of pollution . contradictory +The state unemployment tax differs from state to state in terms of the tax rate , tax base , and certain other characteristics , and unemployment benefits also differ from state to state . Each state has different unemployment tax benefits . entailment +If you 've brought lunch , Grande Anse has pleasant shoreside picnic spots . Grande Anse makes a great little picnic spot by the shore . entailment +The Allies only managed to gain a toehold on the peninsula , and then deadlock ensued , with nearly nine months of static trench warfare . The allies managed to gain a toehold on the peninsula . entailment +The judge agreed there were extenuating circumstances because both songwriters had been inspired by old blues music . Songwriters don 't get inspired from anything other than their own pasts . contradictory +Based upon the estimates of Table 6-3 and the assumed growth rates , the annual boilermaker demand created by the Clean Skies Act can be estimated and is shown in Table 6-4 . The boilermaker growth rate not measurable and demand cannot be determined . contradictory +Capital Legislator Want More Facts on Daylight Savings Time from Mexico 's News . A close second is Why Farm Sheep at All ? Capital Legislator is not interested in facts on Daylight Savings . contradictory +EPA , states , and industry , working together , have made important strides in addressing the adverse impacts of fossil fuel combustion by the electric power industry since the passage of the Clean Air Act in 1970 . The unusual union has helped many people keep their lives . neutral +The governor claimed his wife low-balled only because she was embarrassed to confess to him how much she 'd blown on clothes and jewelry . The governor explained his wife 's actions . entailment +Ribs , fins and flanges lined the hips of the beast- it was just about possible to clamber along . The beast had all three of the following on its body : fins , flanges and ribs . entailment +One solution being proposed , for instance , would take some landing and takeoff slots at major airports away from the industry giants and auction them off to smaller , low-fare airlines . Smaller low-fare airlines will gain leverage through this . neutral +He smuggled it back to Germany , but it vanished during World War II , only to make a dramatic reappearance in Moscow in 1993 . Nobody knows how it ended up in Russia or who had it for all those years . neutral +and some people like that me it it seems like i don 't know how about you do you like the extremely hot I think that I should give the extremely hot one a try . neutral +Four monasteries developed as a source of protection still remain , and each has a church , monks ' quarters and a sturdy high wall . Four monasteries that were originally developed as a source of protection still remain there , and each one has a church , a monks ' quarters , and a very sturdy and high wall . entailment +The Government collects these amounts through its power to compel payment . The government doesn 't collect . contradictory +um-hum yeah that 's one thing that our gardening we 're getting it my husband he 's retired but he 's having trouble now and he 's not not allowed to mow the grass we have a lot of grass takes me about four hours to do our lawn He 's got some terrible allergies . neutral +he should 've let he should 've let them um corner the Republican Guards He should have allowed them to corner the Republican Guards . entailment +and um i went to court and you can even get a trial by jury for a traffic ticket You cannot get a trial for anything at all . contradictory +A land of rolling hills and deciduous trees , tiny hamlets and green meadows , the Southeast is the most popular area of the Lake District , if not the most dramatic visually . The most popular area around is the Southeast entailment +I think buy still means buy , but then some houses use strong buy , so who knows ? Buy might still mean buy . entailment +yeah it was in English they had it in Tokyo too in English but they had they had they had Married With Children have you ever seen that before I watched Married With Children and Ghostbusters in Tokyo neutral +are your family Your cousins are your family neutral +It 'll only get you into worse difficulties around here . " A spark of protest awoke inside Drew . It is only going to get worse , Drew defiantly did not believe that . entailment +Now her most serious ambition is to get reacquainted with her husband ... Getting reacquainted with her husband is now her most serious ambition . entailment +Thus , a seven-unit facility would require about 42,000 man-hours of engineering and project management . A 7 unit facility needs roughly 42,000 hours of engineering and project management . entailment +oh my word oh was it we trew grew cantaloupe last year and that 's how they were just tasteless you couldn 't even eat them We grew cantaloupe last year and they were great . contradictory +A priori , population density should have an important effect on rural delivery cost . High population density reduces average fuel costs for delivery trucks . neutral +During the Seven Years ' War ( 1756 1763 ) , the British conquered Guadeloupe and held it for four years . The British fought for eleven years in both to conquer Guadeloupe and hold it for four years . neutral +and to match instance selection carefully with the questions . You need to match instance selection with questions if you want it to be successful . neutral +exactly i i was astonished to find out that that across the United States in all public schools it is not mandatory for them to take phys ed PE is a requirement in all grades . contradictory +Amazingly , from elephant-back at the jungle 's edge you can see the snowcapped Himalayas , less than 160 km ( 100 miles ) away and looming like a foam-crested wave . It is possible to see the Himalayas from the ground , but it is much more difficult . neutral +The other swung a sword taken from one of the dead marauders . The other swung a broadsword that used to be one of the dead marauders . neutral +yeah a lot of people are you going to buy one of those minivans or you going to buy a full size Are you going to buy a full size van ? entailment +Also , while PointCast packages news and information as your screensaver , SlateCast TM will package acute witticisms about the news directly onto your voice-mail answering message--in your own voice--thereby completely eliminating the need to develop or even to express your own opinions . SlateCast TM requires users to call in and report their own opinions about the current news . contradictory +It 's not always obvious . It isn 't always obvious . entailment +But as a working fishing port with an attractive seafront , long promenade , and restored 17th-century Saint-Jacques quarter , the town is worth a visit in its own right . There is a nice bed and breakfast by the water for those who want to stay over night . neutral +It was not until 1822 , when George IV made a state visit , that the fortunes of the palace revived . George IV 's state visit drew huge crowds of people . neutral +Although this approach was saving the company 10 percent of its overall air travel costs , the manager said he would rather receive discounts from the airlines than deal with frequent flyer miles . The company was saving 70 % of their air travel costs . contradictory +Those clouds look menacing , Jon said to Ca 'daan . The clouds were dark and heavy . neutral +Bauerstein , that strychnine , as a drug , acts quickly ? " Would you say that strychnine is a harmless drug , Bauerstein ? contradictory +The HH-to-NHH sector , which consists mainly of payment mail , has experienced a steeper volume decline than personal mail in the 90s . Payment mail has not declined . contradictory +The Romans took control of Petra in a.d.106 , and they too have left their legacy . Petra was conquered by the Romans in A.D.106. entailment +'Can 't you redo it ? Retrace your work ? ' Are you able to retrace your work ? entailment +The Georgian interior of the ground floor is worth a look . The interior is Georgian . entailment +What they deserve is no more nor less than they would deserve even if there were no cigarette deal ( which there may not be ) . What they deserve is the same as if there was no cigarette deal . entailment +yeah he 's been there for since i left he 's been there since I left . entailment +You can fish for perch and carp in the lake or for trout in the Riviyre d 'Argent ( Silver River ) , or just glide around the lake among the swans . The water is crystal clear without pollution . neutral +who did you root for in the Super Bowl My team did not make it to the Super Bowl this year . neutral +The sloping plaza outside is one of Paris ' most popular locations for street performers . The sloping plaza outside is not a popular location for street performers and you will hardly ever see one . contradictory +Belatedly , Weld is trying to regain the moral high ground . Weld knows he 's had the moral high ground this whole time , so now he 's just trying not to lose it . contradictory +The other 's more expensive , demurred Tuppence . Tuppence protested that the other one is more expensive . entailment +Then he remembered that there was a good supply in Julius 's sitting-room . Julius 's had a good supply in his sitting-room , if he could recall correctly . entailment +With the papacy in comfortable exile in Avignon since 1309 , the brutal rule of the Orsini and Colonna families reduced Rome to a half-urban , half-rural backwater village . The papacy brought with it more peace . neutral +In the opinion of many , Cuba is an isolated socialist dinosaur . Cuba is thought to be an isolated socialist dinosaur by few . contradictory +i don 't know back when i was going to school uh you just didn 't get away with things these kids get away with now Kids go unpunished nowadays for things we never got away with when I was in school . entailment +This is especially the case where the benefits are of a collective or public nature , such as national defense , in which case consumption by one taxpayer does not reduce the consumption available for another ; or where the benefits are designed to redistribute income from one group of people to another . No benefits are collective . contradictory +But their principal balance jumped $ 43,000 to $ 260,000 , and their mortgage payments grew by $ 30 a month . The jump in their principal balance happened sometime last August . neutral +In any case , offering an assessment of an encyclopedia without having read it is like assessing an issue of Slate that hasn 't been posted . Encyclopedias are worthy of diligent assessment as to their worth . entailment +Each pays tribute to the other in reliefs on the interior walls . Both people respected each other greatly because of their sculpturing prowess . neutral +The railway builders admitted it might have been safer to dig some tunnels , but they preferred to go round the mountain to allow for a better view of the terraced tea gardens and the valleys plunging down to the Bengal plains . The railway builders went around mountains because it was cheaper . neutral +Wherever you go in Jamaica from the tropical coasts to the rugged interior to the secluded eastern tip of the island you 'll find fascinating people and landscapes . The people of Jamaica are incredible because the beaches are invigorating . neutral +I come . Motioning to me to follow him , he ran swiftly down the stairs and opened the door . He motioned for me to stay there . contradictory +He was wrong , but not by too much . He was right , of course , and everybody knew it . contradictory +Future phases of the Statewide Technology Plan , aided in part by an LSC grant , call for streamlining the intake and case management processes , developing seamless communication among all programs and offices , improving client access to services , integrating case management software , and completing the transition to a virtual statewide law firm . The Statewide Technology Plan includes ideas to improve communication for all programs and offices . entailment +Dear old Conrad here . Tommy smiled deprecatingly at him . Tommy gave a deprecating smile towards Conrad . entailment +Mulid En Nabi is another major holiday it celebrates the Prophet 's Birthday . There are no major holidays that celebrate the Prophet 's Birthday . contradictory +In principle , there is nothing tackier about an award given by the National Association of Right-Wing Radio Blowhards than one given by the Swedish Royal Academy . Awards given by the National Association of Right-Wing Radio are tacky . entailment +In 1798 a young Napoleon Bonaparte , eager to curtail growing British power , arrived in Egypt and after a short and decisive battle claimed the country for France . Britain managed to wrestle Egypt from France 's hold a mere two years after its acquisition in 1798 . neutral +LaHaye and Jenkins are both active participants in the absurd and feverish campaign by some evangelical Christians to redefine Judaism in a way that allows for belief in Jesus . LaHaye and Jenkins are not active participants in religion . contradictory +'I don 't know ! It all crashed ! All my data , all my backups . The data was all gone . entailment +A positive profile of presidential son / Texas Gov. The presidential son is also the governor of Texas . neutral +Even so , Paris recently created miles of cycling lanes that crisscrosethe entire city , making bicycling much safer ( and more popular ) . Combined with recently creating hundreds of miles of cycling lanes , Paris has also begun a campaign to promote commuting by bicycle as an alternative to driving . neutral +The Republican attack machine is gearing up , Reich writes , and I 'm one of the targets . Reich writes that he is a Republican target . entailment +and realized that that was the first time in my life i had seen trees lose their leaves and uh and course when spring and everything came out again Though the trees lost their leaves , I thought they still looked beautiful and like they were resting . neutral +Ulrich von Ensingen ' the master builder of the great cathedral of Ulm ' began construction of the octagon of the north tower in 1399 . Ulrich von Ensingen presided over the construction of the cathedral of Ulm . entailment +The creator of this unusually successful way of reducing stress was one Antoni Elkbellows , a man possessing a long and confirmed by genetic studies lineage , according to which he was a direct descendent of a respectable family of magnates from nearby Pila - the Oxbellows . Antoni Elkbellows was a 30 year old psychiatrist who suffered from depression . neutral +The reporting entities of which the components are a part , however , need to be sensitive to differences that may arise from the different accounting standards . The reporting entities are unaware of how different accounting standards can result in differences . contradictory +Americans make no time for dialogue , much less cuisine . Americans do not talk to each other a lot . entailment +However , it is important to recognize that strengthening information security requires a multifaceted approach and sometimes involves issues that are beyond the control of individual businesses and agencies . Strengthening information security should be simple and easy . contradictory +yeah i 'm i 'm twenty five I am a quarter century . entailment +If somewhere on your travels you find you suddenly need a really good suit for the day , that would be arranged , like a rental car , or added as an extra hotel service . Tickets to a theater show can be arranged . neutral +Totals may not sum due to rounding . All totals will be exactly correct every time . contradictory +Russian troops are gathering near the Chechen capital of Grozny , though they have not announced plans to invade the city . Russian troops will invade the city of Grozny neutral +Rock , Folk , and The Royal Dublin Society in Ballsbridge holds huge open-air concerts , including rock , folk , and jazz . There are open-air concerts in Ballsbridge that attract people from all over Europe in the summer . neutral +Tommy drew back into a doorway . Tommy hid behind the door . neutral +A little way to the south are Leith Links , said to be the birthplace of golf , where the Honourable Company of Edinburgh Golfers built a clubhouse in 1767 and where you can still enjoy a bracing round in the sea air . The birthplace of golf is said to be the Leith Links . entailment +Five years ! Over four years ! entailment +Choose your Slate attracts about 6,000 unique browsers a day and 80,000 a month . Choose Your Slate attracts more unique browsers than its main competitors . neutral +To effectively support the Congress , GAO must be professional , objective , fact-based , nonpartisan , nonideological , fair , and balanced in all its work . To work with the congress , GAO must be objective , fact-based and nonpartisan . entailment +Not inexpensive , but then the bargain here is not in the price , it 's in the tradition of a centuries-old craft of meticulous workmanship . The centuries-old workmanship makes it the highest quality in the world . neutral +'What is that ? What 's in there ? ' Do not tell me what it is . contradictory +Then , click Cool Links . You will find yourself ... Then , click Cool Links . You will find something . entailment +yeah yeah you know there 's a thing i just i 've been trying to learn as much as i can about it if if you pay i i know i get paid twice a month every two weeks instead of twice a month so i get twenty six paychecks which would come out to be in like thirteen months I would like to change my payment rate option . neutral +Another site within walking distance is the beautiful , ancient walled Monastery of the Crose now hemmed in by suburbs . The monastery is a very long walk away . contradictory +i have a brother-in-law who is a pilot my father-in-law is a pilot um and so Both my siblings are gay . contradictory +had to put our uh food up in the in the trees and all that i was the unlucky guy that got up every morning and said well i guess might as well putz around here while everyone else is sleeping so i was usually the guy who had to get it out of the tree and all that The food was safe in the tree . neutral +uh-huh i don 't know I don 't know why . neutral +Accordingly , she lurched suddenly off the bed and fell on her knees before Mrs. Vandemeyer , clutching her skirts frantically . Suddenly she staggered off the bed , tripped on her sheets and she fell on her knees . neutral +The outline of the Seleymaniye , the Mosque of Seleyman the Magnificent , rises from a site above the Golden Horn ( near the north gate of Istanbul University ) . The Seleymaniye is one of the seven wonders of the modern world . contradictory +don 't you mean like from the coal Do you mean from Kohl 's ? contradictory +Always make sure that young skin is adequately protected 'even when children are playing in the water . No sunscreen is needed when children are in the water . contradictory +Dave Hanson , he cried sharply , " by the unfailing power of your name which is all of you , I hold you in my mind and your throat is in my hand-- " The old hands squeezed suddenly , and Hanson felt a vise clamp down around his throat . Dave Hanson was upset with something . entailment +He looked past the brill 's enormous rump to the dark skinned beauty at the door . The animal was standing near him . entailment +Two weeks ago , Sweeney brought a steelworkers union official to the National Press Club to illustrate how the WTO 's prohibition against trade barriers facilitates the loss of U.S. manufacturing jobs to dumped imports and cheap labor abroad . Sweeney brought a union rep with him a couple of weeks back . entailment +But this huge wealth is juxtaposed with abject poverty , epitomized by women carrying bricks on their heads to build luxury apartments , and sackcloth hovels on construction sites . The women will make barely enough to feed their families . neutral +What do you mean by deceiving me as you have done ? " We were sitting in the library . Why have you deceived me like this ? entailment +GAO will , where appropriate , suggest alternatives to meet the requester 's needs . When appropriate gao will suggest alternatives to meet the requesters needs . entailment +Paul shrinks from this view . Paul looks huge . contradictory +Their mortgage payments immediately jumped $ 1,200 a month , to $ 3,290 . Their mortgage payments decreased significantly . contradictory +That queer little moment of silence lengthened , shutting the two of them up alone . They talked loudly to each other . contradictory +nice talking to you Jay hm have a good life uh Jay , it has been a special pleasure chatting with you . neutral +Don 't forget that many large hotels offer evening activities every night of the week , and you don 't need to be a guest of the hotel to participate . You can participate in evening activities even if you aren 't a guest . entailment +uh-huh i 've heard of it i haven 't watched it uh uh-huh What is it , I 've never heard of it . contradictory +Base year data will be actual receipt and outlay data for the last completed fiscal year Base year data will show the data for FY 2016 . neutral +It would either be put in his room or sent on after him . The package would end up in his bedroom , or it could even be forwarded to wherever he is staying . entailment +The primary focus of ITRB is to provide a review of major system initiatives at the joint request of the Office of Management and Budget and an agency and to publicize lessons learned and promising practices . The main focus of ITRB is to give an overview of certain systems . entailment +It would create a powerful incentive ( of the kind attacked in Losing Ground ) for people not to work It makes a great benefit for people not to work . entailment +Meanwhile the neat bikinis and one-piece suits also shown in the June Vogue look like timeless fashion classics , photographed on a perfect body in a manner suggesting the serene elegance of antique sculpture . There were five swimsuits on the cover of Vogue . neutral +Here amid a sea of two-story shophouses and busy lanes , wares spill out , competing for space and the attention of shoppers . The city is looking into ways to ease the busy streets . neutral +Environmental Protection Agency and Colorado Department of Agriculture better enforce the 10- year-old laws , collectively called the Worker Protection Standard . The laws are collectively referred to as the Worker Protection Standard . entailment +Monitoring the activities used by an organization to address improper payments should be performed continually and should be ingrained in the entity 's operations . Improper payments are monitored continually . neutral +Originally a house , it was designed by Sir William Chambers and completed in 1772 ; the dome was added in 1858 . It is now a museum instead of a house . neutral +actually no um Actually you 're not allowed in . neutral +sad but we cannot save them we you know okay we can save one We are happy that we can save all of them . contradictory +You told it to me just a few weeks ago . You just told me that yesteray . contradictory +A few streets back into the town from the passenger terminal and the Corsair Obelisk is the inevitable , quaint Old Market . The Old Market can be found next to the Corsair Obelisk and the passenger terminal . contradictory +did i reach the Dallas area Did I connect to the Houston office ? contradictory +i know my kids um like if they see litter on the ground they pick it up and say oh look at that somebody is not saving the earth you know so i mean the kids i mean they 're really trying to educate all ages you know and it 's good to start the kids real young Other people 's kids do not pick up litter . neutral +On the wall here , you 'll see what appears to be the Star of David . It is not known how the Star of David got there on that wall . neutral +My health is good , by the by . My health is doing good . entailment +and for the back i would uh vacuum them up and then put them on a tarp and drag the tarp out front to to dump them I would collect them from the back , and move them to the front . entailment +The District Court denied them a preliminary injunction , but the Second Circuit invalidated the restriction , finding it impermissible viewpoint discrimination that violated the First Amendment . The District Court ruled in favor of their request . contradictory +The Administration intends to address this challenge in that context , and will leverage our national resources to enhance our scientific understanding of global climate change , and develop the advanced energy technologies that the world will need in coming decades to meet its energy and environmental needs . The intent of the Administration is to challenge in that context and leverage our nation resources in order to enhance our understanding of climate change and develop energy technologies like solar panels . neutral +no yeah you could have got a discount couldn 't you Couldn 't you have gotten a discount ? entailment +well on a scale of one to ten uh being ten no kind of legislation and zero being uh total ban i probably would lean more towards six or seven um i feel like a total ban on guns is just going to put the guns in the hands the criminals I think a total ban on guns would take the guns out of the hands of criminals . contradictory +and obviously and obviously it 's where they don 't have a any post graduate program there but you get a an excellent wide uh basis of topics you know you get a good broad education out of it you don 't they don 't graduate the best engineers or the best English majors but You get a broad education , but not the best . entailment +I don 't know where the papers are but I believe that I can find them . Though I don 't yet know where from , I will get those papers . entailment +Well , I don 't think I was running a laboratory , I think that 's a misconception . My research is only theoretical , no experiments were ever conducted . neutral +and and unfortunately and i think cocaine 's a a good example it 's it 's just so much easier to just do some more do some more and then before you know it you know you 're you 're always doing it Cocaine is very addictive and before you know it , you are always doing it . entailment +huh see i got mine in well let 's see i put in pepper plants this weekend I got earth over my kitchen floor in the process of putting in the pepper plants . neutral +The moral strength of his non-violent philosophy was immediately tested in the Punjab , where the hartal erupted into riots . The Punjab tested the moral strength of his non-violent philosophy when the hartal erupted into riots there , but it came out stronger than before when peaceful protesters returned . neutral +Aix-les-Bains The word is of Latin origin . neutral +well i was just looking around my house and thinking about the painting that i 've done I do not have any idea how to paint . contradictory +Some processes were formal , incorporating design reviews at specific design milestones ( such as at 15 , 30 , and 60 percent of design completion ) . All designs are reviewed in their full , upon completion . contradictory +Now , forget about this rate case and put aside any notion that I am suggesting others mailers should pay a larger share . The speaker is not suggesting that other mailers should pay a larger share . entailment +Therefore , he hoped that the supporting text for this recommendation would include statements about the need for a large , multi-center trial in EDs . He was an expert on this topic and was prepared for anything to go wrong . neutral +and um i guess looking at my parents and seeing all the problems they 've had you know my mother 's had bypass surgery and uh and she 's she 's got My mother recovered well from the bypass surgery she had . neutral +Fried chicken , fried chicken , fried chicken . Three fried chickens with fries on the side . neutral +yeah yeah uh mine are both out of school and uh My kids are grown . neutral +Lessons learned report or other report by the Contracting Officer describing negotiations and selection activities . The Contracting Officer releases a report about how to negotiate with vendors . neutral +These compounds fall to the Earth in either dry form ( gas and particles ) or wet form ( rain , snow , and fog ) . The particles could have come in different forms . entailment +yes i am i i have a Suzuki motorcycle and and i 've had motorcycles Japanese motorcycles for years and years and the metric system comes easy to me I 've owned many Japanese style motorcycles over the years . entailment +Whose interest would be served by our doing so and for how long ? The impact of the action needs to be studied prior to its execution . neutral +yeah so uh i continued on and just decided to do part of what i had intended to do when i got inside there which means that when i just get around to doing the rest of it i got to take all of that back off again and I only did part of what I needed to do , so I 'll have to take everything off to do the rest . entailment +it 's um it usually takes us we it takes about an hour or an hour and a half for us to get there daddy yeah and then my brother will meet us half way since he works you you know he lives in Dallas he usually meets us half way and My brother prefers to meet us half way since he lives nearby . neutral +you know how many times is it going to take for this man to kill people before you kill him We should kill him before he kills more people . neutral +As environmental advocate Michael Colby told reporters , Irradiation is a cop-out . Michael Colby told the politicians that he thinks irradiation is a cop-out . contradictory +The sanctuary exemplifies piety and militancy . The sanctuary has nothing to do with peace . neutral +oh my muscles are horrible that 's the main reason i really ought to be doing something like that because mine 's not so so much uh weight i mean i have i i if i had lost if i lost ten pounds i 'd think of myself as nice and thin but uh most of it is just you know it 's just in bad shape If they had lost 5 pounds they would think of themselves as a little healthier than before . neutral +They would kill me ! They would let me live forever . contradictory +Yet removing the stigma of therapy doesn 't mean rejecting consideration of character . Rejecting consideration of character is a necessary requirement for removing the stigma of therapy . contradictory +Then she gave a cry . Then she broke into tears . neutral +Personal Communication with J. Urbas , Reliant Energy , August 13 , 2001 . The communication brought J. Urbas closer to his friends and family . neutral +As long as I can remember , I 've been searching . I have been searching a long time . entailment +The preferred approach may be a schematic that includes functional requirements , such as square footage estimates for various functions and adjacencies or connections to functions that are desirable or required . A schematic full of relevant information is a preferred approach . entailment +Inside the gate , a stepped street leads downhill . The stepped street leads to a Chapel . neutral +It was a simple and effective method of getting her out of the way for the time being . Her presence would interfere with our work . neutral +They cited a forged document , the Donation of Constantine , supposedly bequeathing them political authority over all of Italy . The Donation of Constantine was genuine . contradictory +It is an advice column , called Dear Prudence . It is a rant column , called The Red-Faced . contradictory +Hospitals could hire physician assistants to handle calls that don 't require doctors , but that 's expensive . It wouldn 't be very expensive to hire physicians assistants , and this should be done as soon as possible . contradictory +she likes to really get into her pumpkins and see how many she can grow basic corn potatoes and uh acorn squash are good winter keepers She can 't grow any basic plants like corn , potatoes , or acorn squash . contradictory +Uluda ( Great Mountain , with a height of 1,800 metres / 5,400 feet ) , above Bursa , is Turkey 's largest ski resort , with a season lasting from December to March . Uluda , the great mountain above Bursa , is a large ski resort in Turkey . entailment +China may have improved since 1979 , but it still has an unblemished history of authoritarianism , five millenniums without sustained democracy . ) The rapid improvements in China since 1979 mean that it will soon embrace democracy . neutral +Many of you wallowed in the olfactory , particularly in the odor of corruption and fish . Many of you didn 't have any sort of smell about you . contradictory +In January 2001 , GAO designated strategic human capital management as a governmentwide high-risk area . Human capital management has been shown to have very low risk . contradictory +Castro 's fledgling government immediately ordered rents reduced , new wage levels set , and estates limited in size to 390 hectares ( 966 acres ) . Castro had very shrewdly picked the best for the highest tier of government . neutral +Congress , recognizing that the program could not serve its purpose unless it was kept free from the influence of or use by it of political pressures , a2996 ( 5 ) , has from the program 's inception tightly regulated the use of its funds . Those involved with the program understood the reasons why Congress 's historically tight regulation on funding and were happy to work around the concerns of Congress . neutral +From the Hampstead Borough Council . Banned by the Hampstead Borough Council contradictory +One of them Splendid China purports to show all of China in one day . Splendid China is a relaxed tour around China that lasts a few months . contradictory +'White knows you 're aboard . White also knows you took a plane . neutral +China 's now exporting food , Moore pointed out . China only exports non-food goods . contradictory +Madeira celebrates four major festivals , among the best times to visit the island if you don 't mind crowds . If you do not like crowds you should visit during the four major festivals . contradictory +right exactly and um the the interesting thing is that it seems that they don 't even think about it It 's interesting how it seems that nobody even thinks about how he earned all his money . neutral +The effects of the final rule are that non-low-income providers ( tier II ) and non-low-income families with children in tier II day care homes will bear most of the costs resulting from the government 's savings . The final rule will not have any effects . contradictory +The best beaches have become home to the finest hotels , which supply almost everything needed for the perfect vacation . The finest hotels supply almost everything . entailment +or if they even reach that potential again you know they may never reach that again They might never get to that same potential again . entailment +According to a VA official , VA 's section 605 ( b ) certification was not provided separately to the Small Business Administration ( SBA ) Chief Counsel for Advocacy . VA 's section 605 ( b ) certification wasn 't provided separately to the SBA . entailment +so you know it 's like great we go to the Crab Shanty and i 'm going to have veal you know we 're at the Crab Shanty and i 'm planning to order salmon contradictory +Beside this temple is a huge bell that has no rope ( its clapper is swung by hand ) . The bell beside this temple has no rope . entailment +The first thing you should get is a carnet , or book of ten metro tickets ( good for buses , too ) . The last thing you should get is a carnet , or a book of ten expired coupons . contradictory +You 've seen him , I suppose ? I suppose that you 've seen him ? entailment +i don 't i don 't have an answer for the local elections and why you have ten percent of the people voting that 's really so low i 'm amazed I thought maybe 50 percent of people voted . neutral +was it it it kept it it just didn 't vegetate your mind like television does Television is essential to keeping your mind alert . contradictory +There 's no reason Gerry and Ray couldn 't have made a lifelong adventure of it--scaling rocks , romping naked through abandoned factories , gazing in awe at big rigs . It 's reasonable to say that Gerry and Ray had made a lifelong adventure of it . entailment +yeah it 's totally women There are no women there , only men . contradictory +I tell you , pal , I don 't like this place . Yeah , this place is cool . contradictory +Wander , at your own risk , among the walls , crumbling turrets , and caves , and look out toward the surrounding islands of Mykonos and Andros . There is no risk or danger to wandering near these areas . contradictory +Daniel was wearing an ill-fitting train-conductor 's uniform . Daniel had a toga on . contradictory +Someone just shot Joan Rivers ! Joan Rivers has just been shot ! entailment +The present crose erected in 1756 , is the starting point for many walking tours of the Old Town . Walking tours of Old Town happen daily on the hour through several organization . neutral +nonstop have you have you ever been out here Have you been here ? entailment +yeah auto repair tends to be a a topic that a lot of people don 't uh don 't like i guess because it 's usually expensive and uh people end up not pleased with the job sometimes or not pleased with what they had to pay for it so uh i guess it 's kind of a sour grapes type topic i just recently had um I am not someone who dislikes auto repair . neutral +Also on the grounds is a small , sturdy building , much older than Coward 's house . The small building is older than Coward 's house . entailment +( I missed her in last year 's Stepmom --my raccoon had hepatitis . ) I was really looking forward to seeing her . neutral +They may be similarly provoked by indecisive and slow drivers . Fast drivers can similarly provoke it . contradictory +Because Shenzhen is much cheaper than Hong Kong , it is a popular weekend destination for Hong Kong 's Chinese , who come to relax , dine in its resorts , and play golf Shenzhen hosted the World Cup of Golf in 1995 . It is popular for some people to visit Shenzhen because it is substantially cheaper than Hong Kong . entailment +I guess there must have been . " But Tommy 's common sense pointed out objections . It didnt make sense because there was no way they could have jumped over a gap so large . neutral +Chatterbox had thought it old hat ( it dates back at least to the Bush administration ) , but the phrase appeared 272 times in the CR database for 1999 , ranking it second among all submissions . Chatterbox thought the phrase was outdated . entailment +and you know i just fell in love with this brand new white Prelude I fell in love with the new Prelude , it was a white one . entailment +I didn 't entirely agree with that assessment . I did not agree with the assessment . entailment +Any reason why I can 't bunk up there ? he asked Kells . He refused to speak to Kells . contradictory +We cannot lose sight of the fact that in a risk-taking environment businesses do fail . We can 't forget that risk taking businesses do fail entailment +Gosh , why didn 't we think of that ? We already thought of that . contradictory +uh-huh yeah my favorite place is Ashville it 's right over there in the mountains it 's a beautiful place My favorite place in Ashville is right over there in the pub . contradictory +On the one hand , some economists are concerned that low personal saving is undercutting national saving and leaving the United States more dependent on foreign capital inflows to maintain domestic investment . Foreign capital inflows can be used as a substitute for national savings . entailment +Data entry edits to ensure accurate and reliable data processing are relatively simple to develop and use . They were not able to make any changes . contradictory +Young children love beach activities , and as the Aegean has little tidal range and many wide shallow bays , it has many places which are safe for paddling and swimming . The Aegean has many unsafe places for children to swim . neutral +Some northerners brought Voth slaves from the north to trade for the slaves in the south . The Voth slaves were freed . contradictory +It growls and snaps at the air , and though it does manage to stomp one victim ( who , in a nice touch , sticks to the bottom of its foot like a piece of gum ) , in general it moves with such a lumbering gait that we might as well be back in the ' 60s watching Valley of the Gwangi . Where is the lethal swiftness of the predator ? The predator was very loud and annoying as it stomped it 's victim . neutral +This type of addition to the record after the close of the comment period and the need to reopen the comment period are discussed in Sierra Club v. Sierra Club examines the necessity of reopening the comment period . entailment +i mean i think i 've heard of cases where someone did they uh the they were uh it was capital punishment they were killed and they found out years later that the he really didn 't kill the person I have heard of case were someone was wrongfully convicted and punished for murder . entailment +Emissions were reduced faster than required , and at far less cost . Under the current legislation , emissions are declining at a swift pace . neutral +Pompey 's Pillar sits only a few minutes ' walk to the southwest . Pompey 's Pillar sits an hour 's walk far to the southwest . contradictory +Many of the members had matters pending before the administration . The members were upbeat about their chances with the administration . neutral +His books are still , astonishingly , best sellers ( even his wretched new ones ) . All of his new books are completely wretched . neutral +Difference feminists portray women 's soccer as more civil and noble than men 's soccer . Women 's soccer is more civil and noble than men 's according to difference feminists . entailment +It also provides a salary for Samples , who speaks English and Spanish , and Sanchez , who also speaks Mixteco . Samples , who speaks English and Spanish , is provided a salary . entailment +However , CBO has questioned whether increasing federal investment spending could significantly increase economic growth . Federal investment spending was taken into account by CBO because it is important to the country . neutral +yeah yeah i like to watch them too they 're the i like to watch almost all the football but um of course i watch every Saints game that i can watch I always watch football , especially when the Saints are playing . neutral +we 'll have to give that a shot well i tell you what i guess uh i need to head out but i i appreciate the the conversation I 'm not going to try that , I hated talking to you . contradictory +No , I never take it in coffee . 52 " Sacre ! " murmured Poirot to himself , as he brought back the replenished cup . As Poirot brought back the full cup he muttered , " Sacre ! " entailment +you know and then you can put him on trial Then you can put him on trial , if it works for you , you hire him neutral +yeah i i think so too i think that 's a bit dramatic but but other than that i think it it 's a good idea to get them involved in the city and community activities and you know like the uh shelters and I don 't think that they should be working at shelters or anything like that . contradictory +But if Hurt has the kind of visage we normally associate with dissipation , few actors are able to combine such bleariness with such ( oxymoronic ) concentration . Hurt is an actor with visage and dissipation . entailment +that 's i 'm going to have to start going out to eat more often i 'd i guess i would like to see some things like that I don 't eat out that much . neutral +Sharp spikes lined the pit aiming both in and out . There were spikes with blood on them . neutral +oh really yeah oh we lived in uh we lived in uh New Hampshire for ten years we lived in Dover uh until we moved out here I 've never been to the East Coast . contradictory +For the past five years she has worked for Greater Boston Legal Services , based in Boston . Since she lost her job in Boston five years ago , she has been working in Paris . contradictory +But don 't blame the neighbors too much . You can go ahead and blame the neighbors a little . entailment +i 'm going to build a little house behind yours and then and i 'll take care of your lawn he says but i 'm not going to one of those places right yeah I intend to construct a small home behind your home . entailment +Thus , rural mail boxes tend to cluster where roads ( not on the route ) intersect with the carrier 's route . Mail boxes that are not on the carrier 's route cluster around intersecting roads that are on the carrier 's route . entailment +He suggested the main point of the first recommendation was that research efforts should include the whole continuum of alcohol problems , not just a portion of the continuum such as alcohol-dependent drinkers . Research should focus on all alcohol problems , not just alcoholics who seek help . neutral +yeah yeah my brother-in-law teaches at uh Northern Illinois University and they were in China here a couple of years ago and he was over there at uh the University of Shah and and teaching My brother-in-law is an excellent teacher . neutral +On the far right , a cauldron is boiling a few of the unlucky ones . The unlucky ones are being boiled in a cauldron . entailment +they have to get by Detroit and Chicago i think either one of them is a real tough challenge for them Both Detroit and Chicago are real tough challenges for them . entailment +Adopting the unequivocal emblem of the sun , Louis was to be outshone by no one . Louis was adopting the emblem of the sun . entailment +yeah do you would you prefer all trials by a judge Would you rather not have trial by jury ? entailment +They would cut off her arms and legs . They meant her no harm . contradictory +Of course , I knew there was no reason why Whittington should be in that room rather than in any other less reason , in fact , for the betting would be on his being in one of the reception-rooms downstairs . Whitting would have been more comfortable in the reception rooms downstairs . neutral +well i only know i have my friends who have had children uh i only know one woman who 's decided to go the quote unquote traditional route and i have a lot of respect for her because she made it as a real choice Although my friends have kids , I know just one woman who is going the traditional route which I give respect to her . entailment +The ship entertained presidents , princes , and diplomats , but most people perhaps remember Britannia as the royal honeymoon boat . The ship entertained many people but most were not happy on it . neutral +The proportion of volume covered by this extrapolation procedure ranges from 0.1 percent to seven percent . The range for the volume covered by the procedure is zero to ten percent . contradictory +How much ? said the man . He wanted to know how much . entailment +it 's not a matter of choice anymore i think most people It is still a choice these days . contradictory +Gods help me , thought Jon , Thorn looks like one of them . Jon thought Thorn looked totally different . contradictory +Back in Baggot Street is the main office of the Bank of Ireland . The main office of the Bank of England is in Baggot Street . contradictory +Featured here are ancient jewelry , including a Celtic diadem from the 2nd century b.c. , medieval and Renaissance masterpieces in ivory and enamel , gold and silver , rare church vestments , and medieval weapons . Priceless antique jewelry is featured at this place . neutral +yeah he is really interesting Nobody finds anything he says or does to be notable ; he is a bland person . contradictory +Not a peep until Wednesday morning . They wanted to look before wednesday morning , but knew that their parents would chastise them . neutral +San 'doro was clearly nervous but still in control . San 'doro was anxious . entailment +yeah i like gardening that 's of course that 's something i can 't do with my back My back is bad , so I can 't do things like garden . entailment +He supports families and the future without specifying which families or what future . He supports the Rockefellers in this specific case . contradictory +When ABC 's George Will tried to goad Rep. That was a year ago , when George will tried to get the goat of Republicans . neutral +No man called ' Franklin ' has ever been elected President . There have been presidents named " Albert " . neutral +But Tommy missed one face . Tommy saw all the faces . contradictory +Hundreds of smoky , scented votive lamps hang from the ceiling . The lamps are all scentless . contradictory +Statistical Summary of 52 AID Lessons on Project Effectiveness . The project was effective neutral +And in a lower voice : " He is also Coroner , you understand . " You know , he 's Coroner too " , they said in a voice lower than before , before taking a sip of wine . neutral +If his presidency dies , her quasi-co-presidency dies with it . She is a lot more popular than he is . neutral +AMIGA was then modified to approximate the assumptions behind each of the four scenarios . AMIGA was changed to approximate assumptions of each scenario . entailment +right yeah though well well in some ways i guess it it doesn 't become really cost savings until you have an industry around it you know because i know that like in Pennsylvania I guess it doesn 't really save money until you have an industry around it . entailment +obvious obvious you can 't take care of children or animals in a nursing home but it 's nice to have them visit and everything It 's nice to have children and animals visit in the nursing home . entailment +okay thanks a lot bye-bye No thank you . contradictory +well i can 't think of anything else really about the polls or voting I am struggling to come up with the next talking point . neutral +um how weird i don 't know and they they do have a variety of topics my first one was the toughest it was something like discuss pollution The topic of pollution was the easiest topic for me to discuss . contradictory +Who does your transcribing ? Who is responsible of transcription ? entailment +9 seconds per piece for rural routes . 1232 seconds per piece for rural routes . contradictory +me i 'm in the legal department and um we do have uh a group of attorneys who handle our environmental issues I work in the legal department , and we have a group of attorneys who handle our environmental issues . entailment +The Post , too scrupulous to say whether Bauer had done anything wrong or even whether the perception that he might have done so would hurt him politically , found one political scientist who warned that Bauer could be fatally wounded , in political terms , by the dispute and another who said Bauer could help himself by saying , ' I wish I wouldn 't have put myself in this kind of situation , I 'm sorry and I apologize . All Bauer needs to do to escape this is apologize . neutral +Its social roots still lie deeply in its past as a feudal society of countless closely knit agricultural communities dominated by a small political elite . The past was without agriculture . contradictory +right that 's right that 's right it it it yeah i we i think that uh part of the the reason we we we got so almost fanatical about budgeting is that that there were those years where we lived that way We have never budgeted . contradictory +Under the Act of Union , Irish members of parliament now served in London . Irish Parliament members were expected to serve from Ireland under the Act of the Union . contradictory +Instead , we have reinvented the much more flexible and imaginative Venetian blondness . They tried to reinvent other things but failed . neutral +In Georgia , the rules of professional responsibility would limit representation to matters that could be quickly settled while the client was still in the United States . Some matters can be settled while the client is still in the United States entailment +Criterion is fairly required U.S. and international security procedures Criterion isn 't fairly required U.S. and international security procedures contradictory +but even today like with your waste oil when you drain the oil and change the oil now i have to bring it to a disposal center i can i no longer can put it in in the trash you know or in a container yeah we have You should still dispose of your oil in the trash . contradictory +You 're sure a trustin ' fella . Shannon 's fingers hooked to the front of the gun belt riding low on the hip . Shannon had a gun on him and he carried it everywhere he went . neutral +I ain 't gonna " I 'm not going to today , but I will tomorrow . neutral +oh golly yeah because i i can 't remember where i 've seen clips of that but they were showing highlights of it and stuff and i was thinking who 'd think this is really up my alley for half an hour you know if i 'm going to spend my time but it was I have no idea what that is contradictory +that 's pretty impressive That is impressive . entailment +Although this guide focuses on information security program management , this is only one aspect of an organization 's overall information management strategy . The guide is related to information security program developent . contradictory +Observers searched in vain for an economically rational explanation for Barro 's change of heart . Observers looked for an economically rational explanation for Barro 's change of heart , but haven 't found it . neutral +His bared head revealed a shock of exquisitely slicked-back red hair . His blonde wavy hair showed after he took off his hat . contradictory +you know bottle covers and You know bottle tops . entailment +The popular El Rastro fleamarket is held every Sunday along the warren of streets near calle de Toledo , a lively thoroughfare that leads back up to the Plaza Mayor . The El Rastro flea market is open to the public to trade on Sundays . entailment +He awoke and began preparing for his trip before dawn . He started preparing for his trip when he got up . entailment +Vouchers , they argue , are simply a guise for the edu-welfare system to cast its net over several million more families and children . They argue that vouchers are a way of foisting the edu-welfare system on millions of families and children . entailment +According to biblical tradition , although David bought the land for the Temple and carefully assembled its building materials , he was deemed unworthy of constructing the Temple because he was a man of war with blood on his hands . David owned no land . contradictory +In response to a voice from within , she turned the handle and walked into a small rather dirty outer office . She turned the handle and entered a small , dirty office . entailment +Ah , here he is ! " The two men rose to greet the new-comer . The two men did not acknowledge the newcomer . contradictory +Successful management improvement efforts require the active involvement of managers and staff throughout the organization to provide ideas for improvements and supply the energy and expertise needed to implement changes . Managers and staff can always help improve a company or business . neutral +In those gardens , the Song of Songs was written by Solomon . Solomon wrote the Song of Songs in that place . entailment +I see my duty clearly . I know my duty and what i have to do . neutral +Performance budgets to be prepared by pilot projects for performance budgeting are intended to provide Congress with information on the direct relationship between proposed program spending and expected program results and the anticipated effects of varying spending levels on results . Congress are not spending any money on this project . contradictory +Ornate ironwork now rusts , wooden fretwork molds , and paint peels , yet there remains a beauty about this aging finery . The finery had aged due to the vast amounts of rainfall over the century . neutral +Either your opponent dies , you die , or you both die . There is no chance that both of you will survive this . neutral +The many interesting antiques shops here vouch for the authenticity of old Spanish and Puerto Rican furniture , clocks , and bric-a-brac . The antique shops have Spanish and Puerto Rican furniture. clocks , and bric-a-brac . entailment +say ten dollars at you know at at the most out of a decent fabric If you 're paying more than ten dollars for that , it 's a rip off . neutral +Although time did not permit its discussion , financial literacy was raised as an important issue that needs addressing . Time didn 't permit discussion on financial literacy even thought it needed to be addressed entailment +that it 's hard to keep automobiles for any length of time because they all rust out and It 's easy to hold on to automobiles for a long time . contradictory +Have you no friends of whom I should disapprove ? " John fell back a pace . John sped up . contradictory +He now leaves that mission to two New Louise Slaughter , a Democrat , and Amo Houghton , a patrician Republican . The two clashed because of their conflicting political party . neutral +Upstairs is an excellent Walter-Guillaume collection of works by C ? ? zanne , Renoir , Utrillo , Henri Rousseau , and Picasso . Walter-Guillaume 's collection of works by world-renowned artists can be found and bought upstairs . neutral +Bhaktapur expanded over the centuries from a nucleus around the Tachupal Tole , reached by a walk from the Nyatapola Temple through narrow streets full of unfamiliar the lengths of red yarn are sold to be plaited in women 's hair ; the gray cannonballs are homemade soap , the conical yellowish cigarettes are bidi , the cheapest tobacco , and can be bought singly . The red yarn is the most popular item available for sale . neutral +Only four of its outer arches survived an 1183 earthquake undamaged , but the inner arcade of 74 arches is intact . The 1183 earthquake caused damage to the outer arches but some of the inner arches are intact . entailment +Reanalysis of the Harvard Six Cities Study and the American Cancer Society Study of Particulate Air Pollution and Mortality . The Harvard Six Cities study was analyzed again . entailment +The museum 's annex , the Geffen Cetemporary , is a few blocks away in Little Tokyo ( at 152 North Central Ave . ) and features zany installations , multi-media , and the last 60 years of the museum 's permanent collection . You can see zany installations and other things in the museum 's annex . entailment +i thought that 's the only one that the government does use so I believe the government only uses that particular one . entailment +Hawaii and Kansas are relatively small states and New York has implemented a special initiative . Relatively small states are Hawaii and Kansas according to the reporter . neutral +2 million to a New York woman who was mistakenly kidnapped and transported to Alabama by bounty hunters . A NY woman was inappropriately taken to Alabama by bounty hunters . entailment +Snap my fingers thus , yell _ abracadabra _ and give him egg in his beer ? He stopped to stare at his hand , where a can of beer had suddenly materialized ! He noticed that there was a can of beer in his hand , and he was surprised . entailment +Don 't be offended . Don 't get offended . entailment +Others were less formally structured organizations that relied primarily on members for such support . Other organizations relied mostly on their members for support , due to being less structured . entailment +Illustrations of the Christian triumph at Granada in 1492 , on the lower choir stalls , were created by Rodrigo Alem ? ¡ n only three years after the great event itself . The illustration was painted centuries after the actual events . contradictory +and they watch a couple of shows like that but i don 't watch any daytime TV at all So instead of watching TV you do other activities in the daytime ? entailment +Mr. White didn 't move like me . Mr. White 's movements don 't mimic my own , in any way . entailment +At the eastern end of the Tuileries stands the pink Arc de Triomphe du Carrousel , roughly contemporary with the larger arch at the Etoile , visible in a straight line beyond the Obelisk . The Arc de Triomphe du Carrousel is situated on the western end of the Tuileries . contradictory +well we 've been thinking about buying a van because it 'd be nice to uh pack the kids and the dog in and We are opposed to the idea of buying a van . contradictory +The massive seated figure , 11.4 m ( 37 ft ) high , sits in the classical pose of the Amida Buddha ( Compassionate One ) , his hands resting in his lap , the thumbs touching the palms and the eyes half-closed in an expression of profound serenity . The statue of the Amida Buddha is over 500 years old . neutral +Blacks three . There are two whites . contradictory +Your triumph downstairs excited you . I was excited , too , and enjoyed looking on . neutral +Special ferry tours of the Bosphorus depart three times a day from the jetty at Eminene , calling at villages like Beikta , Kanleca , Yenikey , Sareyer , and Anadolu Kava . Ferry tours of the Bosphorus run three times a day . entailment +that that surprises me too That shocks me as well . entailment +Transformers , Turtles , and Rangers were largely confined to action figures and television . Television shows and action figures are made of Rangers , Turtles and Transformers . entailment +His hand ached with the impossible task of steadiness he had set it , and his finger and thumb burned and smoked . the task of holding his hand steady was manageable . contradictory +Three months later he was back , picked up the phone and couldn 't remember the password , which was : XXXXX . He could remember everything perfectly . contradictory +121 I don 't know what possessed me . I 'm not sure what happened . neutral +Jerusalem was razed , the Temple destroyed , and its people forced into exile and slavery . A number of cities other than Jerusalem were razed as well . neutral +Results that don 't fit the theory , such as the defeat of Matt Fong in the California Senate race , have simply been ignored--as has the fact that the Republicans retained their majorities in both houses . People are puzzeled because nobody thought the republicans would still be in the house in California neutral +She was answered by an anxious bray from the fourth member of the party . Much like Donald Trump , she got her response from the ninth district of the circuit court . contradictory +Tommy heard Conrad say : " Lock it and give me the key . " The footsteps died away . Tommy was unable to make out what Conrad was saying . contradictory +i don 't know if every citizen does or not but just you having lived in Houston you know what it 's like out there I know that none of them do that . contradictory +meet needs for generalizability and still manage the data collection and analysis . Comply with generalizability demands , and still conduct the data collection and analysis . entailment +culture is to accept greater risks upfront and then fix problems later in the development program . Some of risks may have huge financial burden on small communities . neutral +yeah it 's um it 's in the other room i don 't know if we have enough time for it it 's real easy one of the unique things in this like a pound of ground beef some bread crumbs um an egg um it 's not difficult to make entailment +and so they may let up on him so i don 't know They don 't know if they will let up on him . neutral +oh yeah that that to me yeah it 'd be very hard to believe too I find it difficult to believe as well . entailment +oh really so so why from Argentina why 'd you come over here When did you leave Argentina , and when did you get here . neutral +Cahill has a strongbox at the stage station , and Stein some kind of a lockup at his store that 's the total for the town . The strongbox is located in the depths of the twisting nether . contradictory +I was dumbfounded . Wow , I was so shocked entailment +well our company does some things all of which i couldn 't even tell you about i don 't know all of them but We have to sign some confidentiality forms when we start working at the company . neutral +Hot chocolate with cream is known as un suizo , meaning , not illogically , a Swiss . Hot chocolate was named after the Swiss , therefore called un suizo . neutral +At 11pm , all the houses in town switch on all their lights , opening all the doors and windows , setting the hillside ablaze in light . All the houses houses in town switch on their light and open their doors and windows at 11pm . entailment +Defense Improved Program Outcomes Are Possible . It is no longer possible that defense improved program outcomes . contradictory +Not all Oaxacans classify themselves as Indian . All Ooaxcans clarify themselves as Indians . contradictory +yeah so it you don 't have to really dig into long term or or you know well you can 't cash in a CD that 's kind of ridiculous um CDs are not designed to give out cash . neutral +The goal of this research effort is to catalyze development and implementation of innovative , cost-effective environmental technologies ; develop scientific and engineering information needed by EPA to support regulatory and policy decisions ; and provide technical support and information transfer to ensure effective implementation of environmental regulations and strategies . The EPA has regulated the environment and environmental policy in the United States since the Clinton administration . neutral +And it might not . It might happen . neutral +Four riders and half a dozen foot soldiers turned around a building burning green into the night . A building was on fire . entailment +The Judicial Council is addressing language barriers by increasing the availability of qualified interpreters and translating forms and instructions into Spanish , Vietnam-ese , Korean and Chinese . Everyone believes that there should be more forms and interpreters available across different languages . neutral +The executives receive a rating on how well they achieved their responsibilities during the year and the actions taken to support the accomplishment of the strategic goals and annual business plan . The executives aren 't rated because that doesn 't help them perform . contradictory +Literature has always flourished in Dublin , the only city to have produced three Nobel Prize winners for literature Yeats , Shaw , and Beckett . Three different Nobel Prize winners have come from Dublin . entailment +The discussion is an introduction to the approaches . The approaches need to be improved . neutral +oh if you had a thousand dollars that means there 's another hundred dollar deduction i 've given you If you had $ 1000 , you get a deduction . entailment +Maybe it would . Perhaps it would . entailment +well that 's what it takes to uh because uh Well that is how much work should be put in . neutral +Case studies in evaluation today have made these adaptations in different degrees . Evaluated studies resulted in different standards for in other degrees . entailment +'I 'm sorry , Ben , ' Lincoln said . Lincoln apologized to Ben . entailment +( Or to comment on his current incompetence--it 's an open secret on the Hill that Thurmond has lost it . He was not very good at what he does . entailment +The management of human capital has gained recognition as a significant part of internal control . Human capital gets recognition as the most important part of internal control . neutral +oh oh yeah well i i i would i mean you know they 've got them out here because it 's you know they don 't actually know what Mexican you know what Mexican food is here They don 't have any Mexican options . contradictory +The Balearics , further neglected , were beset with poverty and outbreaks of disease . The Balearics had been well treated and the people all had a high standard of living . contradictory +that 's okay too That also is fine with me . entailment +On the other hand , the Enron situation involved complex transactions with a number of parties and a now apparent weakness in current generally accepted accounting principles . Enron involved a lot of different executives . neutral +Cheaper options include a floating observatory and glass-bottomed boats ( all of them departing from the North Beach marina ) . Less expensive options are glass-bottomed boats and a floating observatory . entailment +Parisians like it most for the flower market at its base and the grand view from the top of the steps down the Rue Royale to the Place de la Concorde . The flower market is enjoyed for the grand view from the top of the steps . entailment +yeah and to me Yellowstone was just too uh commercialized i mean it it 's it 's got some areas that are really nice but i mean you get up there and everything is just you know you know souvenirs and all this kind of junk There are many products around at Yellowstone . entailment +Participants have been asked , for instance , to develop mission statements for their home organizations and to develop strategic goals and performance measures . The only task participants were asked to do is to create mission statements for their home organizations . contradictory +Save us the trouble later . ' We want to do it later . contradictory +Can I , should I , even , expect her to change ? Can I expect Hillary to change her dress ? neutral +oh yeah yeah so so you watch a lot of videos Do you like scuba diving ? contradictory +Save The Diaries of Dawn Powell ( 1995 ) for last . The diaries of dawn Powell is a wonderful work neutral +The total construction labor for an SCR system of 500 MWe is in the range of 333,000 to 350,000 man-hours . The range of man-hours for constructing a 500 MWe SCR system is never more than 100,000 . contradictory +yeah it 's kind of neat not to mention the fact that it 's got four thousand ninety six colors and you can 't get more than two fifty six out of a PC or a Mac either one You can see the colors much better on this one . neutral +now they now they have an internal problem themselves right now and i think that has to do with them having problems with food and and and and prices and all of that stuff They have problems currently because of high prices . entailment +You 'll see solicitors ( lawyers ) walking the alleyways and streets around the building , carrying briefs in hand and adorned by wigs and capes . You will see lawyers carrying briefs and wearing wigs and capes walking around the building . entailment +Susan smiled back , the smile of a child , not a being who read the thoughts of everyone around her but the child she used to be ; the child she should be . She was so excited . neutral +The critical instance case study examines one , or very few , sites for one of two purposes . Very few sites are examined . entailment +After Cook 's voyage , a small but steady flow of American and European vessels , already engaged in the China trade , started to use Hawaii as a convenient , much-needed stopover . American traders praised Cook for introducing Hawaii to their routes . neutral +The Duddon Valley and the rolling hillsides around the village of Ulpha were much favored by Wordsworth . Wordsworth frequently lambasted the Duddon Valley because of its hillsides . contradictory +right well i mean it 's so uh TI 's uh been the pioneer on a little advertising for TI not that i know that much about the uh voice synthesis but they 've been working on it for years and years you know they have the Speak and Spell and all of that of course but they 're TI has been working on voice synthesis for years . entailment +I missed the era of free love while in grade school and am wondering if we are now in the era of free looks . We are now in the era of free looks . neutral +I fell in with her views . He agreed with her views . neutral +If only Tuppence could have been at his side to share in the triumphant conclusion of their joint venture ! The results of their joint venture was sure to bring in more money than we 'd ever dreamed . neutral +yeah that 's you know just minor It is minor because it is unimportant . neutral +Indeed , as this article was being written , Lucas--under intense pressure from theater owners--gave in to the dark side of market forces . Lucas gave in to the dark side of market . entailment +The constriction came from an arm around his neck , but he couldn 't see to whom it belonged , and there was no place to move aside in the corner of the egg . Someone put an arm around his neck . entailment +These were first found accidentally by a Bedouin goatherder in 1947 , in caves at Qumran , 2 km ( 1 mile ) from the northern shore of the sea . A Bedouin goatherder stumbled upon these in caves at Qumran . entailment +Their bodies lay bloated and black in the rising sun . The bodies were laid out flat on the ground . neutral +It took 19 years to bring Napoleon 's remains back to France , compared to 30 years for Che . Che 's remains were finally returned . neutral +So if the stock market is overvalued , what should the Fed do ? Fred is confused and frightened as to what to do neutral +Surely young Rivas had better and closer friends at the Stronghold . Young Rivas must have had better friends at the Stronghold . entailment +Along the Estoril Coast and just off Sesimbra , south of Lisbon , the extraordinarily clear , calm waters are good for snorkeling and scuba diving . Sesimbra is a place to the north of Lisbon . contradictory +Scattered so they had more 'n one trail to follow . They had more 'n one trail to follow , because of the scattering . entailment +Henry Morgan was offered the post of Lieutenant Governor of the island and charged with driving out his former cohorts . Henry Morgan was offered rank and told to turn on his allies . entailment +As discussed in the previous section on risk analysis , the central security groups served primarily as advisers or consultants to the business units , and , thus , they generally did not have the ability to independently dictate information security practices . There are many industry experts who have talked about eliminating central security groups in the future . neutral +yeah the i i find that i i haven 't seen any cases where that 's been very effective and that seems to be what people want to do is just you know put more money into it and i just don 't have a whole lot of confidence in that I 'm in favor of putting money into the issue . contradictory +Nothing of importance remained , though they searched the other rooms as well . They found many important story related plot points in all the rooms . contradictory +Thus , saving now and making meaningful Social Security and Medicare reform sooner rather than later are important . Saving now for social security isn 't helpful contradictory +If you opt for a coach tour , make sure a stop at Eira do Serrado is included ( there 's also great shopping and a newly built estalagem , or inn , here ) . Eira do Serrado is not to be missed . neutral +Virginia oh that 's neat i talked to somebody from Ohio the other night I spoke with someone who is from Ohio . entailment +twice a week I exercise twice a week . neutral +Gross national saving is a good indicator of resources available both to You can 't trust gross national saving to tell you if a country has ample resources . contradictory +Try the parlors of the red lotus . Do not try the parlors of the red lotus . contradictory +Or we could use it ourselves , said Jon . He really wanted it just for himself . neutral +Jealousy ? I queried . I asked whether jealousy was the answer . entailment +Hanson had thought the man dead in the ruins of the pyramid , but somehow he had survived . Somehow the man survived despite the collapse of the pyramid , surprising Hanson . neutral +Using the average bargaining labor cost , city delivery is 8 percent lower . Average bargaining for the costs of labor was the most effective way to evaluate city delivery in the circumstances . neutral +But , let 's face it , a disproportionate number of visitors just want to see Archie Bunker 's chair . A lot of visitors want to see Archie Bunker 's chair . entailment +This was where the disciples were confronted by the Holy Ghost , and St. Paul was imprisoned in the city for as long as two years . St. Paul was not imprisoned , he was the Holy Ghost . contradictory +Thorn grabbed the horse 's mane and mounted in a single fluid motion . Thorn mounted in a single fluid motion to prepare for battle . neutral +and i don 't know about your part of the country but uh down here in the last year oh year plus i it was last beginning with last year 's Earth Day I 've never been to your part of the country . neutral +It is now one of the places in the world for relaxed , bohemian vacations . Bohemian vacations are usually enjoyable . neutral +It 's surrounded by the Parque de las Torres , a beautifully landscaped vantage point . Parque de las Torres has beautiful landscaping and a view . entailment +The city has a long-standing international reputation for research and development , which began in 1681 with the founding of the Royal College of Physicians . Research and development is a long tradition in the city , going back to 1681 . entailment +It 's just what she picks to drink . This is her choice of her drink . entailment +He had relapsed into his own thoughts and was frowning . He had sunk into his own mind and had a scowl on his face . entailment +I decided to go for a walk- a harmless poke around town . They jogged around the country side . contradictory +These 11 organizations included among their membership representatives from federal , state , and local governments ; private companies of varying sizes ; and the academic community . There are 11 organizations with members . entailment +for right now i 'm trying to get out Right now my focus is on finding a way to stay . contradictory +Is it only chance ? " These things cannot be planned , they are only chance . neutral +uh because my my husband is a good camper and so they he manages the troops and they do the work and i have fun My husband wrestled a grizzly bear before . neutral +Healey told This has to be apocrypha . Healey insisted that it has to be apocrypha , it was important . neutral +At 1,818 m ( 5,900 ft ) , Pico do Arieiro is the second-highest peak on Madeira , but the highest point reachable by car . Pico do Arieiro is the highest point that you can reach by car . entailment +In addition , presentations on TIG funding availability and the application process took place at the National Equal Justice Conference , the Southeastern Project Directors Association meeting , the Indiana Access to Justice Conference and Virginia 's technology planning meeting . Presentations on TIG funding availability did not occur as scheduled . contradictory +Today , Bailey says , world food prices are back below the 1990 price . Bailey believes that food prices have never been higher . contradictory +i can 't think of what his name is right right off the bat though but uh they they they were fun they were real just books for fun His character 's name in the books ... I can 't remember at all . neutral +um so we didn 't have that problem um That wasn 't a problem we have . entailment +well uh the hobbies that i pursue in my spare time are crafts and uh i 've been involved in making uh hat stand and uh rag dolls and uh different type hats with um flowers and roses you know and uh that kind of thing straw hats and all that kind of stuff When I work on my crafts , I enjoy making baby blankets the most . contradictory +You 'd think this sort of thing would show up in more educational reform plans . You would think that would be in reform plans . entailment +These included guards , and craftsmen and boat crews with their boats . Guards were included in the tombs . neutral +and then maybe somehow turn what ever negatives around into a positive Then you might make a positive out of a negative . entailment +Organized bus tours start at the Tuileries Gardens , on the Rue de Rivoli side . Bus tours begin on the side of the Rue de Rivoli to better facilitate tourists . neutral +okay they suggested that we uh discuss what we think of when we say camping We need to discuss what we think of when we say astronaut . contradictory +no he 's a defensive end No , he isn 't a FB , he 's a defensive end you pleb . neutral +uh films and now the kids and i were going to put them on video The kids are really excited about putting them on video . neutral +right oh yeah that 's true that 's true That 's always true . neutral +surpluses and reduces debt held by the public ( as in 1998 through 2000 ) , Ricardian consumers would save less in anticipation of future tax cuts . The debt help by the public is growing larger . neutral +Italians didn 't take easily to national government . Italian 's didn 't like the new government . entailment +um-hum so yours is a class an aerobics class that you go to Your one hour aerobics doesn 't sound like it 's enough . neutral +Rather than depend on the personal interest of individual senior managers , two of the organizations we studied had established senior-level committees to ensure that information technology issues , including information security , received appropriate attention . Senior-level committees were created by two organizations that we studied . entailment +While this guide discusses each of these control areas separately , actions to manage improper payments would typically require a continual interaction between these areas . The guide covers other aspects of managing payments . neutral +yeah yeah but then that was back when um you know the high impact and High impact always hurt my knees . neutral +Another horse roared by and she fell under a flash of steel . The horse she was riding had been spooked . neutral +Despite a climate of increased scrutiny , most improper payments associated with federal programs continue to go unidentified as they drain taxpayer resources away from the missions and goals of our government . With increased security most , if not all , of the improper payments have been caught . contradictory +These steps include the deletion of the requirement in the Notice of Proposed Rulemaking that a broadcast station utilize an icon for the identification of core programming . The broadcasters are still required to use icons . contradictory +yeah i don 't i don 't know how the Peace Corps works i guess i was of age when the Peace Corps came in and all that I don 't have a good sense of how the Peach Corps works . entailment +yeah you know that would be grounds for uh if it 's their second positive it would be grounds for termination if it 's their first positive then they 're setup with E A P counseling EAP counseling is provided for those with a first positive result . entailment +In this category belong manzanillas and amontillados . Amontillados and manzanillas belong in this category . entailment +She spends more time with her girlfriends , most of whom are from high school , than she does with me . She has girlfriends from high school with whom she spends time . entailment +i 'm sure i didn 't i was ready to turn on the air conditioning it no it really was extremely warm it only got down to about sixty five in the evening I was about to turn on the air conditioning because it was still sixty-five in the evening . entailment +The latter two districts are newer residential and shopping barrios that extend west and south of the old city . The latter two districts are older residential and shopping barrios that extend east and north of the old city . contradictory +And maybe the old man did understand some of it . The old man was generally assumed to be incompetent . neutral +Nevertheless , outraged viewers complained to the Christian television network that had been airing his show , causing its cancellation . Viewers complained to the network , saying the show had been very crass . neutral +Rather than dwell on differences , it is more useful to focus on the considerable common ground between public and private CIO organizations to build efforts for improvement . You should just look at how you are different from other groups . contradictory +when they 're drive and that 's why why i guess the car insurance has no nonsmoker rates or whatever as well Car insurance companies don 't have non smoker rates . contradictory +see i tape Murder She Wrote I have never watched Murder She Wrote . contradictory +If patients rated themselves on the low end of the scale , researchers then asked them what would bring them to a higher score . Patients who rated themselves on the low end of the scale saw better improvements in the following months . neutral +If we didn 't have this kind of upsetting move occasionally , we would not get the risk premium at all , because then everyone would only want to hold stocks . Achieving the risk premium involves being willing to make sketchy investments . neutral +On the other hand , EPA 's Office of Water docket site contained a narrative description of the docket , an email address , and other written descriptions ; no electronic rulemaking materials were available . The EPA keeps very thorough documentation of everything . neutral +Yes , Sex , Please--We 're Scientists ! No sex , said scientists . contradictory +One of them is my oldest friend , who is now going to college several states away . My oldest friend is going to college near me . contradictory +Churning or serene , deep blue or aquamarine , the water is clear and clean . The water is sheltered by a large bay so it stays very clean and clear . neutral +These walks are a little more off the beaten track and require advance planning in terms of parking the car and obtaining refreshment , but they 're rewarding because of the rich variety of landscapes they cover . Parking is hard to come by in this area . neutral +how old are they They are how old ? entailment +and uh they try to tend to try to do outdo each other with raciness i think and They never try to outdo each other . contradictory +Naturally enough , a visit to the theater requires a good knowledge of Italian . You need a good knowledge of Italian to visit the theater . entailment +What makes you think that ? The person stating this line wants further information from the person they are speaking to . entailment +uh-huh really and then i also had a friend who was uh just around some people that were smoking cocaine and he tested positive on cocaine now then you always wonder well is he just saying that you know He tested negative for cocaine . contradictory +Only members of the imperial family and high-ranking priests are allowed past the second of the four fences . There are only very few people who have seen the beauty that hides beneath the fourth fence . neutral +The Explorer probed gently . The Explorer probed . entailment +In a year dominated by generic acts and studio creations ( Robert Hilburn , the Los Angeles Times ) , critics declare Bob Dylan 's comeback album Time Out of Mind and diva Erykah Badu 's debut Baduizm the best of the bunch . Bob Dylan 's comeback album included two songs featuring guest artists . neutral +don 't you You do not so don 't even bother . contradictory +The Associated Press notes she 's leaving two months after The New Yorker brought in a new publisher and began to merge operations with other Conde Nast publications to save money . The New Yorker is finally shutting down after Conde Nast decided they weren 't making enough money . contradictory +She was about to speak when a warning glance from Sir James made her hold her tongue . Sir James looked at her and she decided to stay quiet . entailment +Overwhelmed with relief , I turned to disappear . I left once I felt better . entailment +The 2001 Retirement Confidence Summary of Findings . A retirement confidence summary of findings was published in 2001 entailment +In the upstairs picture galleries , the dukes ' close links with the Flemish masters of their day are illustrated by works such as the fine Nativit ? ? of the anonymous Ma ? ® tre de Fl ? ? malle and Dierick Bouts 's Tate de Christ . The dukes had no close links with painters . contradictory +I would prefer to have my son alive and to be with him , but he did help open a lot of doors for me . My son did not open a lot of doors for me . entailment +Echoes of the scandal 1 ) China replied to U.S. criticism of its human-rights abuses by accusing the United States of corruption for letting its political parties sell face time with their leaders . Both China and the US think they are morally in the right . neutral +That was when I decided to go into the practice of law . And that was when I realized I would never practice law . contradictory +V The knife had pierced Dave 's chest until the hilt pressed against his rib cage . The knife pierced Dave 's chest . entailment +i mean i have so many chores and so many obligations every day for to add another obligation would make me feel stressed I have a lot of things to do every day , and adding another thing would stress me . entailment +If women are disproportionately pro big government , for whatever reason , how does that disqualify the big-government philosophy , or explain away its apparent triumph ? Women are more likely to be pro big government because of their gender . neutral +Adjoining the church but with a separate outdoor entrance in the back are the Medici Chapels ( Cappelle Medicee ) , monuments to the splendor and decadence of the family dynasty . The Medici Chapels are connected to the church , despite not having the same entrance . entailment +That may have been done some time ago , I interrupted . It was done quite a long while ago . neutral +and i i it was uh really odd but we went home to Missouri at at at Christmas and i we had well we ran into town and in the ice The town was very cold . neutral +However , at the organizations we studied , as at federal agencies , security is often a collateral duty , rather than a full-time job , and the individuals assigned frequently have limited technical expertise . Security is a collateral duty . entailment +These three now famous pharaohs were not the only ones laid to rest here however . There are more than three famous pharaohs buried here though . entailment +i think they could uh save money by not doing that you know every time say if you change jobs that you you wouldn 't have to do it if you 'd just been tested at your other work place It would cost them a ton of money . contradictory +If the review includes work at separate agency field locations , or if requested by the agency , GAO will consider holding additional entrance conferences when work is begun at field locations . The GAO will also hold conferences if there is only one field location . neutral +More traumatic to the hard-bitten Israelis was the launching of Scud missiles at Tel Aviv and Haifa during the Gulf War of 1990 91 . The launching of Scud missiles at Tel Aviv and Haifa during the Gulf War of 1990 91 , was more traumatic to the hard-bitten Israelis . entailment +On the crowded pavement there was little chance of his attracting their notice , and he was anxious if possible to catch a word or two of their conversation . He tried to avoid large crowds , not caring to hear or see them . contradictory +but they love to crappie fish my brother likes to bass fish so um My brother is into bass fishing . entailment +Economic logic suggests that in the long run such countries , if they can put their inflationary histories behind them , have no business adopting the currency of a faraway country which will not take their interests into account . Economic logic is not always correct . neutral +The townsfolk won 't like hiding in some mine while demontouched bandits burn their houses and slaughter their animals . The people will stay and proect their village . contradictory +He pulls off this trick by presenting bombing as the default course with a momentum of its own . He can not pull off the trick of making people think he is going to bomb . contradictory +Evaluation and A Synthesis of Experience . Ignorance and avoiding experience . contradictory +The Star has an account from Clinton 's former chief White House steward Mike McGrath--who has testified before the grand jury investigating the current White House scandal--about the Saturday that Schiff locked him in the pantry off the Oval Office and reportedly said , We don 't want to be disturbed for 20 minutes . The incident Mike mentioned wasn 't the only time he had been locked in the pantry . neutral +Exhibit 17 Key Sensitivity Analyses for the Clear Skies Act in 2010A Exhibit 17 holds no aspects regarding clear skies . contradictory +They were driven out of Lower Egypt by Ahmose I who founded the 18th Dynasty , ruling over a united Egypt from a capital at Thebes . Ahmose I ruled Egypt with an iron fist , driving them out of Lower Egypt . neutral +His hands on the other 's shoulders pulled him forward into a rough half embrace . His hands pushed the other away from him . contradictory +Federal Food , Drug and Cosmetic Act providing the FDA with the authority to add preproduction design controls to the Current Good Manufacturing Practices regulation . The FDA has the authority to add preproduction design controls to the regulation for cancer drugs . neutral +yeah i uh yeah i uh started back to school in fact i was going to school while i was working fifty one hours a week and that 's why i you know if you 're working if you 're taking twelve credits at night and you 're working fifty one hours a week there 's not much time left to spend with I was attending school and working over 40 hours a week . entailment +Today , I 'm speaking what I believe to be the truth about how to restore confidence in American business and our profession to each of you . The speaker is speaking on what they believe to be the truth on restoring American business . entailment +A short drive or a hefty hike north of Ibiza Town is the village of J ? ? sus , with a particularly moody 15th-century church . There is a village called Jésus to the north of Ibiza town . entailment +you mean make oh i suppose he he has to protect himself too so that somebody can 't say you know when he 's selling them that somebody else made it i mean it 's so that he gets his own profits If somebody else made it , then he doesn 't get paid . neutral +He adopted campaign finance reform only after he was tarred in the Keating Five scandal several years ago . The Keating Five scandal is the cause of him fighting for campaign finance reform . entailment +It then used the photos in promotional literature to con 15,000 investors . They might have conned 15000 people with the photos . neutral +The interest is therefore an exchange revenue of the financing account . The interest is not an exchange revenue . contradictory +Participants commented that traditional financial statements , in terms of their form and content , have not really changed over the years . Participants said that financial statements have remained largely unchanged over the years . entailment +Nowadays , it 's considered more chic to use its French name , the Cete d 'Azur . The name Cete d 'Azur is considered to be chic . entailment +A man in love is a sorry spectacle . A man in love is a burden . neutral +But it 's like trying to tell a stranger about rock ' n ' roll . Explaining the principles of rocket mechanics to an uneducated individual was difficult . neutral +I haven 't read the question yet , but my answer is Talk magazine . Not having read the question , my answer is Talk Magazine . entailment +but that 's readily available and we can usually have that at home or we usually throw a steak on our on the grill or something We can easily make good steaks on our grill at home . neutral +Tunku Abdul Rahman , the first prime minister , reversed his party 's anti-Chinese policy by offering Singapore a place in the Federation . Singapore offered the first prime minister a spot in its federation . contradictory +For all resources needed for installation , it is assumed that these resources are required over a 31-month period prior to 2005 and a three-year period prior to 2010 , 2015 , and 2020 . We assume that the resources are required for elimination . contradictory +Despite the strength of the BJP , the emergence of Rajiv Gandhi 's Italian-born widow , Sonia Gandhi , as Congress Party President suggests that the legacy of the Nehru-Gandhi dynasty is fa r from forgotten . The Nehru-Gandhi dynasty will be remembered if the Congress President is correct . entailment +Woodward does recount the decision-making process of those Republicans who decided not to run . Woodward gives an account of how the Republicans who decided not to run made their decisions . entailment +( Inglis , by contrast , all but jams his head into the lens . ) Inglis agressively jams his head into the lens . contradictory +oh really oh you really rough it then They often trekked off the beaten path into harsh territory . neutral +If he is all that you say it would amuse me to try ! I would be entertained to try based on what you say about him . entailment +But Pat Buchanan opined on Face the Nation that the Republican establishment is doing its best right now to almost force a fracture in the GOP . Pat Buchanan has never been a guest on Face the Nation . contradictory +This is a special style of Shinto architecture that is prohibited from being used at other shrines . This style of architecture is common throughout Japan . contradictory +It uses the moral and historical grandeur of a world war to promote its cranky local obsessions to a level of universality and interest that they do not deserve . They are totally deserving of the interest . contradictory +and i keep thinking you know it 's not it 's really not too late at any point to do you know some i keep thinking to myself that we could still change our course if we wanted to neutral +i guess that 's it I suppose that will do . entailment +If he was sometimes a naive political activist , Spock was always a resourceful pragmatist when it came to child rearing wisdom . Spock was not a pragmatist when it came to music . neutral +Direct costs are assigned to activities by direct tracing of units of resources consumed by individual activities . Activities are assigned direct costs . entailment +it did yeah it was like you know that what was it two steps forward one step back Yes , it was going well , but then ended up worse in the end , so we gave up . neutral +A stop consists of one or more possible deliveries . Less than zero deliveries can occur at a stop . contradictory +you can 't take a whole bunch of people who just aren 't the same people and don 't want to be together and put them together forcibly You can 't force Arabs and Jews to be together . neutral +It makes everything altogether foreign . It makes everything seem impossible to understand . neutral +For graphic scenes of Horus ' fight with his evil uncle Seth to avenge his father Osiris , walk around the exterior of the temple to the west side , where the whole event is re-created . According to legend , Seth killed countless people in his conquest for land and riches . neutral +Precious metals are sold by weight , with very little added to the price for workmanship . Precious metals are fairly cheap and aren 't marked up excessively . neutral +The door swung open with the same promptness as before . The door swiftly opened just like before . entailment +Don 't expect much in the way of facilities ; these simple establishments are intended to be dismantled at the end of every season , when the area returns to its unadulterated form . There are lots of luxurious facilities in the area . contradictory +i told my husband well is this weird because see what people don 't understand is even the people that work in the nursing home they will get old one day I told my husband it was totally normal . contradictory +On the fifth day Ca 'daan reached Heaven 's Highway . Ca 'daan reached Heaven 's Highway on the fifth day . entailment +oh yeah i 've i knew people who did it years ago but they they were very apologetic about it because you could tell they were used to people kind of going what are you doing that for you know I knew people years ago that were very apologetic about doing that sort of thing . entailment +It means ' we don 't even want to have an argument with you . It wouldn 't make sense to argue with you . neutral +However , in HCFA 's view , its publication of the full text of the analysis with the proposed rule satisfied the The publication of the text satisfies the rules in HCFA 's view . entailment +For more information on how depreciation is measured in NIPA , see Arnold Katz and Shelby Herman , Improved Estimates of Fixed Reproducible Tangible Wealth , 1929-95 , Survey of Current Business , Bureau of Economic Analysis The 1929-95 Survey of Current Business discusses how NIPA measures depreciation . entailment +Therefore , he supported including community hospitals in research efforts . He supported including community hospitals in research entailment +uh probably about first grade Definitely not regarding grade 1 . contradictory +And what if Bain were advising Starr ? And what if Bain were suggesting possible courses of action to Starr ? entailment +She wrote She said . neutral +for different people for you know other places Different people for other places . entailment +the uh yeah the only thing how to play on the piano is that two handed thing or the two person thing You can learn to play piano . neutral +The most common service consideration would involve the number of days to delivery , but mailers can also be interested in achieving delivery on a certain date or even in reducing the risk that the piece is lost in the mail . Mailers can only deliver on certain days , no matter when the mail was sent . contradictory +He has the cachet of being a long-standing family court judge , and lots of people like him , she said . He then went on to say that people like him because he 's fair but humane in his role as judge . neutral +Venice at Christmas has become fashionable and the late-winter Carnival ( generally falling in February or March ) , very commercial . Venice 's carnival is a time to celebrate the city and be patriotic . neutral +well that 's great that Hey , that 's really good . entailment +Despite this looming financial problem , pressure is mounting to update Medicare 's outdated benefit design . Looming financial problems are due to increasing outlays . neutral +Even if you don 't land a bargain , there is real aesthetic pleasure in seeing , at the end of the verbal combat , the disarray of silks thrown acrosea counter or a mound of carpets on the floor . You will always land a bargain if you try to negociate . contradictory +Dave stopped as the door closed behind him . As soon as the door closed , everything got dark . neutral +He remains the kid in the candy store , without control over his appetites for sex and food . He overindulges in sex and in food . entailment +With some exceptions , we are all democrats now . We are all republicans . contradictory +Although the research to date supports the efficacy of these interventions , clinical trials are needed to confirm these findings and to set the stage for the next logical step of effectiveness studies . Research to date does not support efficacy of the interventions . contradictory +oh so yeah um up here some of the state parks are really nice and some of them aren 't some of them are pretty rough The state over has better parks and accommodations . neutral +I 'm so pleased that I was recognized for my efforts , I just can 't take all of the credit . I 'm not the only one put forth effort . neutral +What matters is how to make a bad situation better , how to widen the cracks in the Communist concrete . what matters is making a terrible situation better and widening the cracks in communism . entailment +The magnitude of overpayments , and the Social Security Administration 's ( SSA ) inability to recover outstanding SSI debt , led to the program 's inclusion on GAO 's highrisk list . There were many factors other than overpayments and SSI debt that resulted in the program landing on GEO 's list . neutral +The Twelfth Night is the greatest of Shakespeare 's romantic comedies ( Ben Brantley , the New York Times ) . Ben Brantley of the NY Times said that The Twelfth Night is one of Shakespeare 's worst romantic comedies . contradictory +Emerging market nations , terrified of capital flight , dare not reflate their economies ; on the contrary , we find the front-line economy of the moment , Brazil , compelled by fear of speculators to act in a precisely anti-Keynesian increasing interest rates , raising taxes , and cutting spending even as the economy slides into a nasty recession . Emerging market nations have absolutely nothing to fear from capital flight . contradictory +There is no place for people like us in a town like that . The town is very welcoming of us . contradictory +In 1954 , some experimental psychologists randomly divided 24 sixth-grade boys into two groups and took them to Robbers Cave State Park , Okla . , for summer camp . The psychologists made two groups with 12 boys in each group . entailment +While a cost-per-case analysis is limited in that it only addresses quantity , and not quality of services , it does provide some useful quantitative information . An analysis looks only at quality . contradictory +In addition , the Sarbanes-Oxley Act of 2002 defines a number of audit committee responsibilities for the hiring , compensation , and oversight of auditors . The audit committee has little focus on the compensation of auditors . neutral +Please keep trying , either in The Fray or by e-mail to letters @ msn.com. Whatever you do , do not send an email . contradictory +" I don 't mean that . " Drew waved Anse 's retort aside . Drew was talking to Anse and clarifying himself . neutral +You don 't attract ferocious soldiers by promising above average pay and , some day , a fine pension . Above average pay and a fine pension attracts ferocious soldiers . contradictory +Unemployment has dropped to 2.6 percent between February and April 1997 from 3.3 percent in the same period a year ago . Unemployment has risen 2.6 percent between February and April 1997 . contradictory +You see , the rational expectations challenge to Keynesian economics was half- It did not build a workable new structure for macroeconomic theory and policy , but it did seriously damage the old structure . Keynesian economic theory was established in the 1880s . neutral +oh i 'm sure i i think you would probably You probably wouldn 't . contradictory +No one would help me but you and he . I would have died if you two hand 't helped me . neutral +In a way , what the other had said was true . What he said may be true . entailment +Poirot seemed to follow my thoughts . Poirot and I were engaged in a deep conversation . neutral +The question whether regulation of commerce is a state or national affair was supposed to have been settled in 1789 . No one knows if commerce regulation should have been settled in 1789 . entailment +From behind an incredulous cry broke out . A whisper was heard behind . contradictory +What did you say ? she asked , her fingers playing nervously with a brooch on her breast . She mulled over what they had said , then settled on an answer . contradictory +The northernmost point in Macau is the frontier between two contrasting worlds . There is a stark cultural change just north of Macau 's border . entailment +That was when dinosaurs attacked . The dinosaurs were totally peaceful . contradictory +Peat swamp , found in the southern half of the peninsula and in Sarawak on Borneo , is less fertile but rich in hardwood timber . Peat swamp cannot be found in the southern half of the peninsula . contradictory +However , a total ban on vending machines and direct mail order sales have been deleted from the final rule because of their impact on small entities . Vending machines and direct mail order sales will be banned . contradictory +Osakans pride themselves on being warmer , friendlier , and more spontaneous than their Tokyo cousins , whom they love to dismiss as formal and uptight . Osakans pride themselves on being friendlier and kinder than Tokyo citizens . entailment +yes it was absolutely horrible they took her immediately out of there and they just threw everything away that that she had from there i mean they wouldn 't even take the uh the uh the dresser that she had that was her own dresser because it was just you know full of bugs they just left everything and uh bought her all brand new stuff and they they had called a home where they you know where they were on a waiting list to get into there and explained to the uh person that was in charge you know what had happened and that they had taking they had to take her out of the home because of the conditions and amazingly enough the very next day they had an opening and they they put her into that opening They kept the dresser because it was not full of bugs . contradictory +of course that 's probably a lot easier on TV to figure it out than it is in other things because TV they have a tendency to do a lot of things uh that aren 't you know what i mean um predictable exactly but i mean you know the the dinner a dinner theater like this ought to be just wild i don 't know Television isn 't predictable at all , you never know what to expect . contradictory +Most West Jerusalem hotels ( with the exception of Christian hospices and guest houses ) provide only kosher food services . Kosher food can be found in many Jerusalem hotels . entailment +If you visit with a partner , plan for one person to stay outside and guard valuables . If you go with someone , be ready for one individual to stay outside and look over the valuable items . entailment +The mournful lament of the single pipe is a sound that is always associated with Scotland , and you will certainly hear it as you travel around the city . You hear bagpipes wherever you travel in the city . neutral +Wells and Sidney and Beatrice Webb , until in 1989 , the mantra stopped . The mantra stopped in 1989 . entailment +That doesn 't make it a bad thing . There are worse things out there . neutral +It came quite as a surprise to Wells , and to John Cavendish also . Wells wasn 't surprised at all . contradictory +During excavations , a cache of 17,000 items dating from the Roman era was found . The discovered items were analysed for a long time before making official statements on their origin . neutral +The one frequently mentioned disappointment of French trains is the relatively uninspired dining-car service . The dining-service on French Trains is magnificent and very inspired . contradictory +95 per year for wry political and cultural commentary . The wry commentary encompasses both politics and culture . entailment +As a Canadian , this clearly is not a matter of my political affiliation but , as a Canadian , it is also clear that the concerns of This matter revolves around my political affiliation . contradictory +i used to smoke a long time ago i used to burn my clothes talking about getting back to clothes i used to burn my clothes with cigarettes that 's one of the reason that i stopped I only quit smoking to improve my health . contradictory +The sky shell and world supports were blown into shape around the world model inside the outer tracks in one continuous operation . It took one continuous operation to blow the sky shell and world shapes into shape . entailment +i still haven 't checked out to see if they do make the eighteen i i 'm sure they do I haven 't checked to see if they make the size 18 . neutral +Strengthening Information GAO has evaluated the security of critical Weakening the information that had been evaluated by GAO contradictory +The Petit Palais , at the northern end of the Place du Palais , displays , together with interesting Gothic sculpture and frescoes of the Avignon school , a fine collection of Italian painting from the 13th to 16th centuries , including major works by Taddeo Gaddi , Veneziano , Botticelli , and Carpaccio 's Holy Conversation . Artists ' works , such as Taddeo Gaddi 's and Botticelli 's , are displayed at The Petit Palais . entailment +That 's Dr. Bauerstein , " said John shortly . John said that it was Dr. Bauerstein . entailment +Now that thar I ain 't cottonin ' to none . I ain 't cottonin to none . entailment +Tuppence eyed her thoughtfully for a minute . While looking at her , Tuppence noted that her makeup was smudged . neutral +FASAB promulgates accounting principles and financial reporting standards for the federal government . The federal government sets the standards and approves them . neutral +In retaliation , the US government launched a trade embargo in 1960 against Cuba that continues to this day . The trade embargo from the US government is still in effect . entailment +so i hadn 't hadn 't really thought about that I haven 't really put much thought into that . entailment +Specialty walks Writers ' Edinburgh , Ghostly Wynds , or a pub tour enable you to tailor your strolling to your interests ( see guides and tours , page 118 ) . There is a put tour that you can customize . entailment +His emotional balance was also erratic--though that was natural , since the stars were completely berserk in what was left of the sky . He was kept calm , despite all the commotion above him . contradictory +Is he or ain 't he gonna sign me on ? " Drew , lying flat , stared up at the muslin-covered ceiling which years of dust had turned to yellow-brown . Is he going to sign me on or not ? entailment +I was vexed to think that my diplomacy had been in vain . I hated to think my work had been for nothing . entailment +They settled in what is now known as the Western District . The new name is the Western District , and this is where they settled . entailment +A downtown shop called El Oaxaqueo offers a place where Mixteco speakers can find Oaxacan newspapers and beaded jewelry made by indigenous people . El Oaxaqueo sells newspapers from Oaxaca that arrive daily . neutral +Coulter claims to lay out the facts against Clinton , but it 's hard to trust In I happen to know something about , she grossly misrepresents evidence to make Clinton look worse . Coulter has an ax to grind with Clinton because of their sharply contrasting political beliefs . neutral +we have um you know we 're at Aetna with uh an we have like the medical the dental insurance is separate is that what you mean and i don 't think it 's the basic i think it 's the other one Our medical and dental insurance are separate . entailment +Board member qualifications are more than a matter of education and experience , they are also a matter of personal attributes of which integrity is number one . The qualifications don 't matter because board members are supposed to be ignorant . contradictory +Too bad no one 's watching them . They have much more freedom when there is nobody available to supervise them . neutral +i though that was a really cute movie i enjoyed that I liked that movie . entailment +" Had to draw a new name outta th ' deck ? " Anse 's grin faded ; his eyes narrowed . Anse 's face changed . His chirpy grin quickly turned south ; his eyes changed to a look of annoyance . entailment +The Minoans developed an alphabet and printing method , along with sophisticated plumbing and water delivery systems . The Minoans were solely an oral civilization . contradictory +A major part of the museum is devoted to Hashoah , the Holocaust . The museum has a section devoted to Auschwitz survivors . neutral +And it takes more than one man and a revolver to hold up Mr. Brown … . Tuppence paled a little . Tuppence used a revolver to hold up Mr. Brown . contradictory +Do you think I 'm afraid ? said Tuppence indignantly , valiantly repressing memories of the steely glitter in Mrs. Vandemeyer 's eyes . Tuppence repressed memories of Mrs. Vandemeyer 's steely eyes . entailment +Drew sat alone with Shannon , one hand on the boy 's shoulder to steady him . Shannon was a teenager . neutral +Put with admirable clearness . It was great that it was clear and very easy to understand . neutral +Today it marks the transition between Hapsburg Madrid and the city expansion of the Bourbon kings . A transition between Hapsburg Madrid and the Bourbon kings never happened . contradictory +Yet one of his dearest friends was a Jewish painter who greatly influenced him aesthetically . He had a friend that was a Jewish Painter . entailment +a lot of things to do huh uh-huh right It will take days to complete what there is to do . neutral +hereby announces its intention to mark the year 2000 by anointing a Person of the Millennium . Year 2000 is the first year to be marked by a Person of the Millennium . neutral +Intervention by an alcohol health worker in an accident and emergency department . Interventions in the emergency room are plentfiul neutral +Then the victims bank the cash and return to their flood plain or tornado alley . The victims were able to escape the flood plain after they banked their newly earned cash . contradictory +This guidance also helps you decide whether you should follow up the preliminary assessment with additional work . Whether you should abide by following the preceding assessment with additional labor is up to the advice you took . entailment +Ten restaurants , pub , and disco . There is also a beach . neutral +For two years , Bronx Legal Services has been warned that it would have to consolidate with the rest of the city 's Legal Services system . Bronx Legal Services has received this warning for two years . entailment +well it was nice talking to you i haven 't ever i need to i 've never initiated one of these phone calls do you call in do you get to pick the subject or do they kind of I have made dozens of phone calls like this before . contradictory +In 1803 there was yet another failed rebellion , led by the great Irish hero Robert Emmet . Robert Emmet 's 1803 uprising was yet another failure . entailment +It is a name most respectable most common . There are other names people respect . neutral +I don 't know where the ' Saint , ' part comes from . I don 't know where the Stark part comes from . contradictory +Selection of open and covered restaurants . There are restaurants available which are exposed to air . entailment +At the back of the cloister of Santa Croce 's Franciscan monastery adjoining the church , Brunelleschi 's Pazzi Chapel ( Cappella dei Pazzi ) is a little gem of Renaissance elegance designed in 1443 . Brunelleschi 's Pazzi Chapel is small but worth visiting . neutral +So that said , the passages that I quote do not reflect a non-academic view of liberty by guys on the street . The passages that I quote do not correspond to a non-academic naive view of liberty . entailment +and i was living such a stringent lifestyle that it was very beneficial to me it taught me not to be so self-centered and it you know to think of others I became a better person . neutral +Inaccessible except for a tunnel carved through 15 metres ( 50 feet ) of solid rock , Guadalest was never conquered , though James I of Aragon took it by siege during the 13th-century Reconquest . There was an ancient monastery there . neutral +The first houses built here did not adhere to any set design . The houses built initially were of homogenous design . contradictory +He followed up the slenderest clue . He picked the smallest clue to follow up on . entailment +But I don 't know if you know that Borys recommended a therapist to me , you know , in case I have heart problems . The therapist Borys told me about was nearby . neutral +Mr. Hastings ” you are always so kind , and you know such a lot . It struck me at this moment that Cynthia was really a very charming girl ! Cynthia was trying to wrap me around her little finger with cheap flattery , but I was having none of it . contradictory +But for what we are at last about to receive the Lord has made me truly thankful . I was waiting a long time for the Lord 's sign . neutral +Go in May or October , if you can the crowds at Easter and from June to September can be horrible ( May and October are hardly better , but are at least a bit cooler ) . It 's a very busy place to to visit at Easter . entailment +We discovered that reconfiguration , within the confines of state planning , did not diminish the percent of minorities and women in leadership positions in our programs . Reconfiguration , when done right is beneficial for women in leadership positions . neutral +uh-huh well that that and that 's the important thing i mean whether they win or lose why the fun is is in the supporting them There is no fun supporting a team if they lose . contradictory +If your company is too small to have an HR unit , then a designated representative must go to the man 's superior--he being senior to the woman--and lay out the situation . Every company must have some sort of HR representative . entailment +Social Security Supplemental Security Income Social Security Supplemental Security Income is an available benefit . entailment +Otherwise , why call them fixed stars ? Why call them suns ? contradictory +3 , Accounting for Inventory and Related Property , with respect to forfeitures related to satisfying tax liabilities . Forfeitures in relation to dealing with liabilities arising from tax must be factored when it comes to Accounting for Inventory and Related Property . entailment +members from other parts of the country . Citizens from other areas of the country entailment +Them soldiers .... Fowler appeared , the bar-side shotgun across his arm " they jumped th ' boys . Those aren 't the soldiers that jumped the boys . contradictory +Its roof affords a splendid panoramic view across the canals and La Petite France to the soaring silhouette of the cathedral . There is an amazing panoramic view that includes the cathedral . entailment +oh yeah sure now how many could you serve Could you serve 12 people with that ? neutral +No Rafcio , we can 't afford it , we still need to buy enough laundry detergent to last us three months , because at our local hypermarket it costs 25 groszy more per package . We need to buy six packages of laundry detergent to last us three months . neutral +It has a popular brasserie on the first platform , an elegant gourmet restaurant on the second , and a view from the top stretching for miles on a pollution-free day . The second platform boasts a fancy gourmet restaurant . entailment +Five thousand years of Chinese art , and you end up staring at a painting of a cluster of peasants grinning in front of Tiananmen Palace , below the visage of Mao . The art goes back 5000 years . entailment +Allowances are the currency with which compliance with the SO2 emissions requirements is achieved . SO2 emissions do not currently have any standards . contradictory +A Deficit of Tax Justice or a Deficiency of Tax Cuts ? Tax justice and tax cuts do not matter . contradictory +Perhaps he quit the Senate ( a fact that some viewers would know ) because he wanted a job in something that really mattered--like sports ? He stayed in the senate . contradictory +I admit it ; right now , I 'll admit anything you want me to , because you know what 's going on and I don 't . I am aware of what 's happening , so I can 't tell you that , even though I know it 's what you want to hear . contradictory +Piping for sorbent transport will typically be welded steel and can be erected in the field in many cases . Sorbent transport piping is expensive and made of welded steel . neutral +From St. Andre 's Square , it is only a short walk north to Queen Street , where you will find the Scottish National Portrait Gallery on the corner . The Scottish National Portrait is near St. Andre 's Square . entailment +uh-huh i think i 've actually seen a number of Star Treks one way or another over the years uh although i never watched it regularly i 'm certainly acquainted with the character the characters and then i 've seen some of the Star Trek movies I 'm familiar with some of the characters in Star Trek . entailment +and i haven 't quite figured that out if they figure they have got it won or if there 's no real hurry because the first three quarters or uh if uh if something happens that that adrenaline starts flowing they say hey we got to do something now and then start playing the game the way the game should be played toward the last few minutes I haven 't figured out if they think they 've won or not . entailment +The answers some GAO evaluators gave may illustrate the range of definitions surrounding case study methods . Some GAO evaluators did not answer the questions . neutral +As possessors of magical power associated with ritual sacrifice and sacred utterance , Brahmins were the sole interpreters of the Vedic scriptures . Brahmins never interpreted scriptures . contradictory +But to the San Gabriel-Pomona Valley legal aid program , the positives of merging with Dudovitz 's program , San Fernando Valley Neighborhood Legal Services , were never obvious . It was hard to see the benefits of merging the San Gabriel-Pomona Valley program with the San Fernando Valley one . entailment +Laid out like a chessboard ( nearly half the size of China 's similarly designed capital , Chang 'an ) , Nara had its imperial palace at the northern end , with court residences , Buddhist monasteries , and Shinto shrines stretching to the south . Court residences were unheard of in Nara 's southern end . contradictory +Also , new advisers would not have to register initially with a state or states , then deregister and register with the SEC if they had the expectation of being eligible for SEC registration within 120 days . Aspiring advisers are thrilled about being able to avoid doing all of this paperwork . neutral +The council helps homeless people get food and clothing , enter drug and alcohol treatment and employment programs and find housing . Homelessness has declined as an overall result of the council 's work . neutral +They may not challenge or engage in any activity to influence welfare reform . They 're not allowed to involve themselves in any activities that may have an influence on welfare reform . entailment +They are usually presented on a tray at your table , or in a glass-fronted display case , and you can choose as few or as many dishes as you like . The chef may be angry if you eat every single dish . neutral +He , Thorn , and the Kal went to the smithy . There was three of them that had gone to the smithy . entailment +sometimes it dips all the way down to you folks down in Texas and then it roars back up the east coast here by the time we get it it is hauling some cold weather It dips all the way down to people in Texas and comes back up to the east coast . entailment +In addition to administering These programs , HIC is charged with preventing and detecting fraud and abuse . HIC does not have to administer any programs . contradictory +Many border collie breeders , for example , take great exception to the dog industry 's emphasis on ideal appearance rather than behavior . Border collie breeders don 't like that the dog industry cares so much on how silky the fur is .. neutral +Constantine the Great declared Christianity the official state religion in a.d. 313 ; he later boldly transferred the capital to Byzantium ( Constantinople ) in 324 . The previous official state religion was Islam . neutral +it doesn 't always work that way " Sometimes it works that way , but not always . " entailment +But her Valley Girl airhead image is a cruel caricature . Her image is good . contradictory +Across the main concourse a 12-m ( 39-ft ) bronze thumb by Cesar sticks out like , well , a sore thumb . Cesar had huge power over this region and he received tons of praise for being a good leader . neutral +'Because I can assure you I am very much smarter than you . I think you are mentally retarded . neutral +The company 's CEO despaired to USA Today that he couldn 't purchase enough of them to meet demand , but that he was swimming in $ 25 canvas Christmas totes . The company had purchased far too many canvas Christmas totes . entailment +oh it was completely i mean it literally the two dissimilar floor level floor coverings were not level and at first after it happened i thought maybe that 's a handicap access and then i said no that 's just the way it 's constructed at first , i thought perhaps the uneven floor was a handicap access , but it 's not entailment +Either cutting acrosefrom Tonnerre ( home of a beautiful circular lavoir at the Fosse Dionne ) or starting out from the village of Chablis , follow the course of the little Serein river ( a tributary of the Yonne ) toward Avallon . It is the most direct route to Avallon . neutral +The 19th-century restorations of Viollet-le-Duc have maintained the church 's majestic harmony . Viollet-le-Duc is a church that also served as a homeless shelter . neutral +Let 's think about what can have happened to Tommy . Let us not ponder about what could have happened to Tommy . entailment +And yet you affirm so confidently that it came from Styles . Are you sure Styles really sent it , or could someone have framed him ? ! neutral +However , Clinton would risk legislative revenge if he tried to pursue the issue in the face of firm majorities against him in Congress . Clinton would pursue the issue anyway because he believed he would succeed . neutral +well nowadays you have to be It 's really necessary that you are . neutral +In its journal , Education Liberator , the Separation of School and State Alliance calls voucher supporters both fascists and socialists . There are no socialists specified in the journal , Education Liberator . contradictory +The images broke free and Jon vomited his dinner onto the rocks . The rocks were disgusting to begin with . neutral +The imposing bulk of the King David Hotel ( 1930 ) , Jerusalem 's grandest hotel , is across the street from the YMCA . The King David Hotel is a big hotel across from the YMCA . entailment +But his attempt to characterize the editorial board of the Wall Street Journal as ridiculously hostile to taxation forgets that the Journal people are in good company . He refrained from writing articles that talk about the Wall Street Journal 's editorial board . contradictory +The 10-month limit was added after one of the early cases , overseen by an administrative law judge , recruited from another agency , seemed to go on forever . The 10 month limit has not always been a rule . entailment +Factories in Kowloon and the New Territories , producing traditional and modern china , are geared to entertain and instruct visiting tourists ; prices are appealing . The factories in Kowloon and the New Territories produce things other than china . neutral +'Mr . Franklin- White- please-' Get Mr Franklin-White please . entailment +Then you will not object to answering a few questions . We already asked you many questions in the past . neutral +Boone County Legal Aid , which for 31 years has provided legal services to those who couldn 't afford them , will close in February if a $ 10,000 grant from Prairie Meadows Racetrack and Casino is not awarded . Even without the grant , Boone County Legal Aid will continue to serve the public . contradictory +Suicidal patients , whatever their age or condition , almost always suffer from addiction or mental disease . Most suicidal patients suffer from addiction or mental disease but can be cured . neutral +All possess alike liberty of conscience and immunities of citizenship . Everyone has the same liberty of conscience and immunity of citizenship . entailment +In the fireplace was a crumpled ball of orange and white . The was a colorful ball inside the fireplace . entailment +wow um-hum um-hum wow it 's true it 's true just just picking up the equipment that i have you know and and and i didn 't blink an eyelash that 's what got to me when the man you know said and that 'll be five hundred and something dollars you know with my my big new lawn mower and stuff i was just okay you know so yeah you 're right you 're right you can i think you can go through quite a bit of money i think it depends too where you buy it from if you buy it from a nursery or um we have like Home Depot here i don 't know if you have that there is I could not afford to buy the equipment , since my lawn mower had drained my wallet . contradictory +Well , we will find him , said Gabriel . Gabriel said we would find the bank robber . neutral +yeah the one thing i wish we could recycle is magazines but they claim that because of the way they 're bound they uh it 's too expensive to recycle them at my office we have Instead of recycling magazines , we used them as toilet paper . neutral +Laboratory and field experiments have shown reductions in yields for agronomic crops exposed to ozone , including vegetables . Experiments show reductions in crop yields by up to 40 % when they are in pollution neutral +No , I seed he was gentle-trained when you come in . He ran his hand down Shiloh 's shoulder , touched the brand . He touched the horse . neutral +It is well settled that a history of practice under a statute can aid in its interpretation , particularly when Congress has amended the statute without disapproving of the administrative practice . You cannot use a history of practice to interpret a statute . contradictory +uh-huh it seems like you 'd have a lot more conscientious conscientious objectors if they had that choice There would be more conscientious objectors if they had that choice . entailment +To receive facsimile copies of the daily list or any list from the past 30 days , please call ( 202 ) 512-6000 using a touchtone phone . Copies are available by fax . entailment +Democrats are matching Republicans big heart for big heart . Democrats and Republicans have been donating and showing good virtues . neutral +and then it it dead ends just dead ends up here where i live it runs uh it runs north and south from Chimney Hill north It comes to a dead end so then you have to turn around . neutral +so there wasn 't any way i was going to go in there and vote and it took me i mean it took such courage you wouldn 't believe to go vote the first time because i was waiting for somebody to laugh at me because i didn 't know how to work the machines It 's something most people don 't think about but going and voting is very stressful . neutral +Fernando glad to know you I am ashamed to know you , Fernando . contradictory +If by dinnertime you 're still in the mood to be entertained , you can join the crowds of families at Medieval Times Dinner and Tournament ( 7662 Beach Boulevard ) , where diners eat with their hands in a castle-like dining room while actors fight with swords , joust , and do all they can to amuse . You can join the families at Medieval Times to eat dinner . entailment +So Hollings embraces Inglis ' charges that he 's a pork- He calls it pork . Hollings is happy to be called pork . neutral +Apparently , they 're making the new Monopoly tokens more gay-friendly . This statement is based on hear-say or rumor - not factual knowledge - as indicated by the use of the word ' Apparently ' . entailment +, using IT to facilitate regulatory compliance or some nonregulatory area ) . IT should never be used in nonregulatory areas . neutral +Holding my Gauntlet in both hands . I only held the gauntlet in one hand . contradictory +yeah it is a tough question It 's a difficult query . entailment +I 'm going right back to London to put the case in the hands of your British police . I will travel to Paris and let the French deal with this . contradictory +So they 'll be gone by this winter--just as soon as the Christmas shopping season is over . They will come in greater numbers after the Christmas season . contradictory +Public Expenditure . Public expenditures include throwing bags of money onto the street . neutral +um-hum um-hum well i 've i 've lived both in the United States and and in a country where they do use the metric system and uh so i 've i 've lived with pounds and inches and found it really quite easy to convert over um the secret seeming to me is to be to not bother ever converting inches to centimeters and pounds to kilometers It is easy to make conversions . neutral +Barik roared in and the two smashed together . Barik yelled but the other two ran away . contradictory +Romney ( 1734 1802 ) was considered to be the third master of portraiture in the 18th century , alongside Thomas Gainsborough and Joshua Reynolds . Romney , along with Thomas Gainsborough and Joshua Reynolds were considered masters of portraiture in the 18th century . entailment +Each of the states described in this section provides insights and lessons that can be of benefit to others . None of the states described contains insights that others can benefit from . contradictory +Disappointingly , neither paper mentions the organization that broke the story-- Salon magazine . The story was broken by the New York Times . contradictory +You can either buy the cloth and have it tailored back home or buy a sarong useful at the beach over a bikini . You can only purchase teh fabric ans have it tailored at home . contradictory +Our approach would significantly reduce the state resources needed to conduct modeling , planning and regulatory activities to attain the standards . Our approach would reduce state resources that are needed to conduct modeling . entailment +Garland Texas all right i 'm in North i 'm in Raleigh North Carolina I have lived in North Carolina my whole life . neutral +Yours truly , JULIUS P. Julius P signature entailment +a little town called Tuckaho over by White Plains The town is very small . neutral +On a hardwood frame , silver and gold threads are woven into fine silk , usually of emerald green , dark red , purple , or royal blue . The hardwood frame is very important for the construction of this piece of art , otherwise everything would fall apart . neutral +These basic principles are timeless and can be applied to a broad range of professional , business , government and personal issues , including how to restore trust and confidence not only in the performance and accountability profession but also in the broader business community and our nation 's capital markets . Timeless basic principles should never be applied to many things within business and government . contradictory +This dense pine forest looks spectacular against a blue summer sky , and there are picnic sites and trails through the trees . Bus loads of tourists arrive each year to take in the sights of the forest . neutral +yeah do you let your cats outside I think they would like it . neutral +Not to imply that the Katz would threaten murder to get published in the Washington Post : To the best of my knowledge , he hasn 't maimed or killed anyone except the characters in his Suburban Detective Mystery series-- Death by Station Wagon , The Last Housewife , The Father 's Club , and The Family Stalker . But , like the Unabomber , Katz is driven frothy by a world that won 't conform to his expectations . Katz is the author of Death by Station Wagon , The Last Housewife , The Father 's Club , and The Family Stalker . entailment +Once all European prices are quoted in euros , it will be obvious to consumers when a German company is charging more than its French competitor or vice versa--whereas it wouldn 't be if the prices were quoted in francs and marks and had to be converted at the going exchange rate . Once all European prices were reflected in Euros , it showed that German companies charged less than other countries . contradictory +Videotape of her answers will be shown to the Arkansas Whitewater grand jury , which will disband May 7 . Pundits played up the tension between Starr and the first lady ( since she recently called him a politically motivated prosecutor who is allied with the right-wing opponents of my husband ) and debated whether he will indict her . The videotape was recorded on March 8 . neutral +The arcade ends at a two-story gate called the Hozomon . The arcade ends exactly at the Hozonom neutral +The Unified Agenda contains a wealth of information-so much , in fact , that locating information about specific rulemaking actions can prove daunting . The Unified Agenda has a lot of information . entailment +Risk Factors and Costs Associated with and Asthma Attack . Up to 20 % of young people suffer from asthma ; but , it can be outgrown . neutral +because by the play time is when the person when the pitcher pitches the ball and it goes to the catcher or when the when the pitcher pitches and it 's hit The play time elapses from the time the pitcher throws the baseball and it 's either caught by the catcher or hit by the batter . entailment +The crucial next step is to look at the features of each type and decide whether it will be possible to meet these methodological requirements in the specific situation . Decide whether it is possible to meet these methodological requirements . entailment +One of the grants includes the creation of a Web site with legal advice for the poor . Website creation is one of the activities included in one of the grants . entailment +The council is comprised of more than 30 local organizations that meet on a volunteer basis to learn about new programs and discuss the unmet needs of the homeless and how to address them . The organizations are opposed to offering help to the homeless . contradictory +The problem , Keynes wrote , was that people desire the moon--a perfectly safe place to store their wealth . Marx wrote that people desider a safe place they can be wealthy in . contradictory +you know messing with young children and i mean it was just one thing it seemed like right after the other There were too many scandals . neutral +Only three now , sir . 3 pm now , sir . neutral +that could be yeah Yes , you might be right about that . neutral +But MALS faces a funding crunch next year , brought on by a $ 200,000 shortfall from three revenue sources . Because of a 200,000 shortfall from three revenue sources , the MALS is facing a funding crisis next year . entailment +Few monuments have survived Kashmir 's troubled history , but the city 's beauty lies in its numerous tranquil lakes and gardens . Kashmir has had a serene and tranquil history . contradictory +Which he is . Which is he ? entailment +The most cherished treasure in the Santa Croce Museum is Cimabue 's 13th-century massive Crucifixion , rescued and painstakingly restored after the town 's catastrophic 1966 flood . The restored Crucifixion by Cimabue is the greatest treasure in the Santa Croce Museum . entailment +The chiefs governed their feudal domains by force , ritual , and taboo . Their feudal domains were governed by force , ritual and taboo , wrote the anthropologist . neutral +I also looked like Ben Franklin . I had a resemblance to Ben Franklin . entailment +i hope it 's not my you there I hope it 's not my car alarm . neutral +and um kids are i i suppose have been raised by single parents more than they ever used to I think more children are being raised in single-parent households these days . entailment +Our actions in the weeks ahead will decide history . Those future actions may involve war . neutral +But this is food , which means that it 's not easy for all irrepressible enthusiasts to sit still and listen . But this is food , which means that no one cares at all . contradictory +uh-huh well um i have an interest in art so i frequently purchase and read um books mainly on water color because that 's my big interest at the moment I really like to paint to relax . neutral +He wrote me in an e-mail , I believe that the evidence for the Torah Codes is now stronger than ever . The e-mail included details of the evidence . neutral +Thanks a bunch . Thanks a lot . entailment +Not seen you for simply centuries , continued the young man . The young man 's message was very important and should be listened to . neutral +A spear followed but San 'doro cut it out of the air easily . San 'doro stopped the spear . entailment +2 . Emission Reduction Programs . Emission reduction program failure . neutral +But its greatness was linked to its fine natural harbour , and when this silted up in the third century a.d. the city went into decline . Before the harbor silted up , the city was the greatest hub of trade in Greece . neutral +[ McCain 's campaign-finance ] proposal would single out six committees , the DNC , the national Democratic committees , the national Republican committees , and say , Only those six can 't engage in issue advocacy . The proposal includes everyone and singles out no one . contradictory +For more information , call Senior Partners for Justice at 617-523-5600 or e-mail Senior Lawyers @ aol.com. It is impossible to gain additional information . contradictory +is it different in different states do you know Its all the same no matter which state it is . contradictory +Innuendos 97 : Fox News ' Brit Hume claimed on Fox News Sunday that the word around town has it that the Department of Justice--which has failed to nail even one of the million Democrats guilty of campaign-finance violations--is aggressively pursuing its investigation of former Republican National Committee chief Haley Barbour . The Department of Justice seems to be going after the republicans with more intensity then the Democrats they have investigated . entailment +The titles alone--Mars Probe Finds Kittens and Schredinger 's Cat ( which covers Sacajawea 's Rain Bonnet and Wittgenstein 's Banana ) --display Martin 's knack for goofy parody . Martin has a knack for parody writing . entailment +More specifically , we recommend that the Secretary of To be specific we advise you that the Secretary entailment +The whipmasters eyed Ca 'daan as he passed and the caravan master laughed through the drape . The whipmasters never saw Ca 'daan walking . contradictory +A fashionable way to experience the desert is by visiting one of the resort communities in and around Palm Springs , about two hours ' drive east of L.A. Palm Springs is about a two-hour drive east of Los Angeles . People must have money to spend time there . neutral +Miss Howard , in particular , took no pains to conceal her feelings . Miss Howard is unashamed to hide her feelings . entailment +Go and make sure from over there . ' I pointed vaguely off-stage . I asked them to go off stage . entailment +DiClemente and Soderstrom have set the stage for us to think about what is needed in the future to provide best practices care to patients with problems related to alcohol use . DiClemente set the stage for us to think about alcohol abuse and best practices for patients , making intervention the clear choice . neutral +As noted earlier , total factor productivity growth reflects technological change and new and better ways of organizing production . Reflects economical change and still relies on the old ways of organizing production . contradictory +i 'm not either really I am but you 're not . contradictory +Even Moms Allen seems to be turning Californian . Didn 't expect it , but even Moms Allen is going Californian , which really came out of left field . neutral +well i guess the only thing to do is to hope that this is the worse that it gets this year I hope it 's always like this . contradictory +Newsweek covers the wine industry 's push to make Americans drink more wine . The wine industry believes that if Americans drink more wine , they will be healthier . neutral +He 's 5 got a great black beard , and wears patent leather boots in all weathers ! He liked wearing boots in all types of weather . neutral +little bitty everything here There 's nothing at all here . contradictory +well that may be our only option if we ever get one there may be no other choices entailment +Alexander can and will mold himself into anything . Alexander will mold himself into anything . entailment +This news was met with revulsion in Britain , and moves to liberate the slaves culminated in full freedom in 1838 . Britain was revolted by this news . entailment +For some easy hiking , stop off at the lower station of Plan de l 'Aiguille ( 2,310 m / 7,580 ft ) . One of the best parts of hiking at the lower station is the beautiful view . neutral +yeah i 've we 've seen that two or three times we waited and we rented it you know but but it was really good We 've seen that a few times . entailment +Upon completion of training , the employees each earn 75 percent of their salary during an initial performance evaluation period , and full salary at the end of that period . Immediately after the completion of training employees earn 100 percent of their salary . contradictory +I , for one , am glad that I was raised by parents who had a value system . I 'm glad that I was raised with my parents ' values . entailment +I want to talk to him . " Somebody wants to talk to him and ask him a question . neutral +they built lodges before too like at Caddo Lake They built lodges like those at Caddo Lake . entailment +so it work it would work either way There 's only one way it would work . contradictory +I can 't stand your coming here and talking about ' little Tuppence . ' I love it when you talk about Little Tuppence . contradictory +In recent years there have been unprecedented numbers of immigrants from the Balkans , Eastern Europe , and Africa . Immigrants come from the Balkans recently . entailment +ACI was presumed to be the technology that would be used to reduce mercury where dedicated mercury controls were needed because the hardware is representative of most sorbent injection technologies . ACI was presumed to be the technology that would lower mercury levels . entailment +It 's a hobby that doesn 't get too much time these days . This hobby does not receive much time anymore . entailment +The Greyfriars Church was closely linked with the Protestant Covenanters , and many of those hanged in the Grassmarket are buried here . Protestant Covenanters sometimes had connections to the Greyfriars Church . entailment +But the Post made a telling omission here . The Post has never made an omission . contradictory +In a trice the men were pushing each other up the rickety ladder and had disappeared into the darkness above . The men slowly climbed the ladder . contradictory +If you 've fallen in love with Italian coffee , why not buy a compact version of the espresso machine or packaged roasted beans ? Did you know that you can purchase an espresso machine if you love Italian coffee ? entailment +Number of cases in which the USPS was told by the Postal Rate Many years ago , when I was just starting my government career , one of my mentors gave me some advice , in the way of a quote purportedly from one Petronius Arbiter in 210 B.C. Years ago , when I was new to my government career , a mentor of mine gave me a quote from Petronius Arbiter . entailment +He smiled at her but she did not smile back . She smiled back at him . contradictory +A preliminary evaluation of Phase I , currently under way , has found that most users are happy with the overall implementation of the technology plan to date and believe that it has significantly improved their program 's capacity and their own individual capacity to serve clients . The initial evaluation shows that those using it are happy and have seen its value . entailment +but it makes it very hard especially if a husband and wife work at Texas Instruments If a husband and wife work at Texas Instruments , it makes it a lot easier . contradictory +Where is the society of Beforethewars ? Destroyed , Doctor ! What good were youth and new things ? We are better off now . The society of Beforethewars is being built up stronger than ever . contradictory +The Hittite Empire eventually collapsed following invasion from the west by the Achaeans , the Phrygians , and a mysterious force known only as the Sea People . The Hittite empire was finally defeated by the Chinese empire . contradictory +Joalle Toledano Joalle Toledano is a pro bono lawyer . neutral +you know with the you know the little suspenders or something on so we They did not ever wear suspenders . contradictory +With reference to the dramatic increase in pro bono after Sept . 11 , she added , The first thing I learned is that there is a great passion among lawyers and judges to focus on access to justice , no matter what problems we have to solve . There is reference to the dramatic increase in pro bono cases in the past 10 years . neutral +For example , H-2A employers must pay a special minimum wage , called the adverse effect wage rate , 20 C.F.R. H-2A employer consider the special minimum wage to be well worth it . neutral +I guess you 're lucky to be here at all . You 're fortunate to be here . entailment +My heart was straining in its chest . I noticed no physical effects . contradictory +yeah we 've got we 've got one that 's done that uh we 've been pretty fortunate most of our neighbors have had many more um None of them it 's done , so we 've been pretty unlucky contradictory +They would simplify background investigations and financial disclosures . The background investigations will become even more difficult because of them . contradictory +' People have financial difficulties . Some people have to get loans to pay bills . neutral +oh well then you could go either one the Spring Creek one is a lot more modern has a lot more The Spring Creek facility is old and outdated . contradictory +you don 't have to i mean is the something that you don 't have to see it as you it 's not like your You have to see it . contradictory +We fancied ourselves as sleuths . We imagined ourselves to be amateur detectives . entailment +To alleviate the problem , the government has become the city 's major landlord with the construction of massive apartment blocks that , though they have every modern facility , average only 9 square m ( 100 square ft ) in size . The citizens are happy to have the government be the landlord for the construction of huge apartment blocks . neutral +Yet , unlike Le Carre , Gallant does not believe in plot , or in speculating on the meaning of her stories . Unlike Le Carre , Gallant doesn 't believe in plot or a speculative meaning of her stories . entailment +'I can 't help noticing that you haven 't ... killed me on sight . ' I 'm surprised you didn 't kill me right when I came through the door . neutral +The western approach to Port Antonio is characterized by huge groves of banana plants , which in earlier times made the town one of the richest in the Caribbean . No banana has ever been grown or sold in Port Antonio . contradictory +The city was now under the more tolerant rule of the Persians , but rebuilding was slow work . The city was never ruled by the Persians . contradictory +Letter from John The letter was from Tom . contradictory +and we 've picked them up before but that was kind of scaring them pretty bad right now There were not scared at all when we held them . contradictory +There are over 156 species of animals on view here , with notable successes in the breeding of endangered rhinos and Rothschild giraffes . You can see the animals if you pay $ 45 . neutral +Unless the report is restricted by law or regulation , or contains privileged and confidential information , auditors should ensure that copies be made available for public inspection . The report should be released soon . neutral +The three groups that deliver most of the legal aid to the poor in Illinois will lose about $ 920,000 in congressional funding annually , said Eric Kleiman , a spokesman for Legal Services Corp. , the Washington-based agency that distributes federal money for legal aid . Eric Kleiman is a spokesman for Legal Services Corp. entailment +There are guided tours on Tuesday at 10 : 30am , 11 : 30am , and 1 : 45pm , and the chamber is open Monday Friday during banking hours . Guided tours occur three times throughout Tuesday and the chamber is open Monday and Friday . entailment +In 1544 the English invaded , set fire to the palace , and sacked the abbey . The place was once invaded , burned , and sacked . entailment +In the 16th-century Renaissance church of Madonna della Steccata ( Via Garibaldi ) , Parmigianino painted the frescoes of the Foolish and Wise Virgins on the arch above the high altar . The church of Madonna della Steccata dates from the 15th century . contradictory +Marcus took off his own tricorn hat and put it on the horn of his saddle . Marcus took of his hat and attached it to his saddle . entailment +this is the kid who who really you you know barely made it through high school The kid 's grades were atrocious . neutral +The Kapale Martak ( Covered Market ) of Istanbul is the world 's largest covered bazaar , with about 4,000 shops , as well as banks , cafe , restaurants , mosques , and a post office , crammed together in a grid of 66 narrow streets that total 8 km ( 5 miles ) in length all protected from summer sun and winter rain by a multitude of domed and vaulted roofs . The Kapale Martak has been a famous tourist destination for centuries . neutral +Some of the eminent citizens buried here are George Buchanan , tutor to Mary Queen of Scots ; James Craig , architect of Edinburgh 's New Town ; and Joseph Black , physicist and chemist . Each of these citizens has a plaque identifying their burial location . neutral +uh it 's fairly sheltered waters right there and uh you don 't need any fancy navigation equipment because you can see all your destinations from one spot There is no need for navigation equipment as you can see all destinations from one spot . entailment +Ibiza offers a healthy slice of the Mediterranean lifestyle infused with some of the spirit and architecture of North Africa . Ibiza has no relevance to North Africa whatsoever . contradictory +The place where Jesus grew up , Nazareth , is today a small , dusty Christian Arab town with sprawling modern developments swamping the old town and ancient sights . Jesus spent his youth in Nazareth . entailment +There 's something about [ Corgan 's ] whole grandiosity that is very four years ago . Corgan 's grandiosity is a key part of his personality . neutral +The weekend flea-market in Beyaz ? ? t Square is an interesting place to browse , and there are bargains to be found among the bric-a-brac . Prices are steep at the Beyaz market , and deals are hard to find . contradictory +well luckily he drives a big old tank It 's a lucky thing that he drives a big old tank . entailment +Much of our town 's prosperity comes from these mines . The mines brought a million dollars a month to our town . neutral +New Zealand has no written constitution but rather it has two documents of importance-the Treaty of Waitangi and the Bill of Rights Act . There are no documents of importance . contradictory +The smallest items , such as combs , were exquisitely worked . The smallest items were often left plain and undecorated . contradictory +Then came Lee Harvey Oswald , Squeaky Fromme , and John Hinckley . Lee Harvey Oswald did not come as many believe . contradictory +My fencing master left me bruised and scarred my early teenage life . It took a lot of injuries before I could become a good fencer . neutral +American scholars identify the level known as Troy VIIa as King Priam 's city , and place its destruction around 1260 b.c. ; certain eminent Turkish archaeologists disagree , instead opting for the preceding level , Troy VI . American and Turkish archaeologists disagree on which level is King Priam 's city . entailment +I 've never heard of a former governor going to work for a legal aid program , said Gottlieb . Gottlieb had written a book about ten former governors who went to work for legal aid programs in their home states . contradictory +'Stage Three is working out how to do it . We work out how it 's done in stage 3 . entailment +The crux of the strategic controversy is whether an imperfect homeland defense could eliminate the deterrent and coercive impact of small rogue missile forces . There 's a question of whether the deterrent effect of small missile forces could be mitigated by a flawed homeland defense . entailment +In Hong Kong , the South China Morning Post carried a report Monday saying that McDonald 's staff in the territory are the lowest paid of all business chain employees . They make the least amount of money in that region for the fast food chain . entailment +If the original requester agrees , the Member can become a co-requester any time before a product is submitted for printing . If the original requester agrees , the Member can become a side requester . entailment +The Analysis of Deviant Cases in Communications Research . There are deviant cases in communications research . entailment +If you ask , natives will probably concede that they always worry a little about that mountain up there , but since the minor eruption in 1929 there has been no smoke and only occasional earth rumblings . The 1929 eruption almost destroyed the entire island . neutral +oh and did he is he the one that got you connected with us He 's the one who got us together . neutral +Each dive center is registered by the Greek government , and qualified to offer training for novice divers and supervision for qualified divers . Every dive center has to register with the Greek government and is certified to give training . entailment +The Sons of the Egg seemed to have suffered less , since they greatly out-numbered the others , but they were obviously more shocked by the rising of the sun and the healing of the sky . The sons of Egg seemed to have not suffered as much . entailment +Russia goes in there well the main government in Moscow goes in there and they kick everybody 's ass and the United States doesn 't go in there and say listen they were uh you know named an independent you know state with a president and everything but we 're not going to go into your country The United States will not go into the country . entailment +She stooped . She stooped to look for something . neutral +uh-huh where do what what newspaper do you get uh there Yes , what newspaper is available there ? entailment +The value of land associated with the facilities included among Federal mission PP & amp The value of land is associated with the facilities among Federal mission . entailment +we 're discrete well are not discrete uh electronic devices We try to stay discreet but we do have electronics that aren 't . entailment +yeah uh-huh yeah yeah you have to be so careful when you buy at the stores You need to be very careful when you purchase at the stores because they will try to overcharge you . neutral +He saw his uncle 's face turn ashen . The man 's color remained rosy . contradictory +And now , thanks to Gene Sperling , we can bury the metaphors of the casino--a crapshoot , a spin of the wheel , a stacked deck--replacing them with the vibrant metaphors of the rec room , i.e. , Twister . Twister and others are replacing the stacked deck , the spin of the wheel and the crapshoot . entailment +If we do it the President 's way , it will be a win-win . We will lose out doing it the President 's way . contradictory +The key practices drawn from the organizations we examined can provide a useful framework for federal agencies working to improve their financial management . The practices of the companies we studied can be used elsewhere to improve financial management . neutral +About half of it , however , is out of bounds to all but the military , but that still leaves huge areas of sand and surf . The entire beach is open to the public . contradictory +This guidance , therefore , provides a flexible , risk-based framework for data reliability assessments that can be geared to the specific circumstances of each engagement . This guidance was created as part of oversight measures enacted by Congress . neutral +In The New Yorker , Gore Vidal defends Seymour Hersh 's Kennedy-bashing The fact that [ Hersh has ] found more muck in this particular Augean stable than most people want to acknowledge is hardly his fault . Gore Vidal came to Kennedy 's defence in The New Yorker . contradictory +We will not have time to coddle your ego . We have all the time in the world to listen to you and your ego . contradictory +Clinton 's campaign proclaims a new Age of Possibility for America . Clinton 's campaigns aspires to make a new Age of Possibility happen . entailment +The elegance and grace of this building have something to do with its human dimensions , for although it stands 114 m ( 375 ft ) high and 61 m ( 200 ft ) wide , its height does not in the least overwhelm . The building was deliberately constructed to have human dimensions . neutral +but i just yeah i just you know i ain 't got time to mess mess around with them It takes a very long time to figure them out . neutral +A 10-minute walk up the wooded hill to the castle tower gives a delightful view of the town and the surrounding valley of the Weiss river . The Castle Tower provides the best views of the town . neutral +did you know that they 're playing a game today Were you aware that they are playing a game today ? entailment +He belonged to men , who stubbornly pursued a goal , and could dedicate themselves to the quest wholly , regardless of the obstacles . The men give in easily contradictory +This represents an intermediate value from a range of estimates that appear in the economics literature , and it is a value the EPA uses in rulemaking support analyses and in the Section 812 Reports to Congress . There is a range of estimates in the economic literature . entailment +Versailles is as extravagant , formidable , and vainglorious as the man himself . Versailles is nothing like the man it 's named after . contradictory +so my ex decided we 're going to try camping and she went out one day on the spur of the moment and bought a tent My ex bought a tent to try camping . entailment +It is an English landscape that has enchanted many , from hardworking farmers and sheepherders to vacationing naturalists to resident poets . Hardworking farmers and sheepherders are amongst those who have been enchanted by this English landscape . entailment +Ninety percent of Clinton 's 1992 student donations , for example , were raised during the primary , when his need for hard money was greatest and his donor base was smallest . Clinton got 30 % of his donations from students . neutral +i understand uh my husband about once a weekend he 'll go uh to a couple of areas where he knows that the people just throw cans out My husband wears gloves when he rummages through people 's trash . neutral +I 'm just about desperate . " I 'm at the end of my rope entailment +I know , Malok . I 'm aware of that , Malok . entailment +We believe there is a better way , one that could cost American consumers and industry far less than under current law and ensure protection of the air we breathe in a far more certain , straightforward manner . many people would prefer the better way . neutral +Also called Non-Variable Cost or Constant Cost . These costs change constantly and can 't be captured . contradictory +How Negative Can U.S. Saving Get ? U.S. saving is negative . entailment +well that 's funny i didn 't expect to have any more calls I didn 't think I 'd get any more calls . entailment +King handed it over during a papal audience . The king refused to surrender it . contradictory +Should I , like Jerry and Elaine , make it clear that I am there for her ? Jerry and Elaine made it clear that I am here for her . entailment +Adrin smiled again . Adrin frowned again . contradictory +This obscures a more sophisticated skepticism about whether he has a substantive vision to begin with , much less a serious plan to achieve it . There is skepticism on whether he has a vision or a plan to achieve it . entailment +The Japan Times said Tuesday that the election had injected greater uncertainty into Japan 's political future , but at the same time the outcome has raised hopes for the realization of greater justice and fairness in the nation 's parliamentary democracy . Japan 's political future involves a lot of economic uncertainty . neutral +This brought forth a small number of articulate dissensions . This brought forward some dissent . entailment +to go to / / www.ushga.org / links.htm , and from that list , choose Northwest Voyaguers ( spelled wrong ) , which sends you to ... The website www.ushga.org / links.htm has no spelling error contradictory +Iknow that I could find myself on that transplant waiting list someday . Anyone could be on the transplant list . neutral +And a very liberal gentleman too ! He is very liberal politically . neutral +Said Ken Bode ( Washington Week in Review ) : We 're going to skip [ this week on WWIR ] the possibility of Monica Lewinsky testifying at Linda Tripp 's trial and--blah , blah , blah--for this week , and I think our viewers probably will be happy to hear that we are going to skip it . Ken Bode made WWIR skip Monica Lewinsky 's testification . entailment +In the preamble to the final rule , the FDA addresses the various issues raised by commenters in this area , including the preemption of State and local laws which are different from or in addition to the requirements under the final rule ; whether there is an infringement on the States ' right to regulate tobacco and businesses within the State and protect the health of its citizens ; the allocation of a State 's resources and the rule 's possible impact on the States ' economies . The FDA addresses the naughtiness of drugs in the workplace . neutral +The merchants headed for the banks , the sailors to the brothels . The sailors spent most of their wages at the brothels . neutral +LAST-IN , FIRST-OUT ( LIFO ) - A cost flow assumption ; the last goods purchased are assumed to be the first goods sold . The last items purchased are the first out in a LIFO model . entailment +It tells you that food stamps are respectable , that you 're a fool not to go down and claim what you 're entitled to . Food stamps are wrong and you 're a fool if you use them . contradictory +A combined effort of Tower Records and the Good Guys Electronics , WOW ! Tower Records and Good Guys works together . entailment +About 1.5 million kids are home schooled , and many parents insist it keeps their children engaged in hands-on learning . 1.5 million children are home schooled because parents insist its keeps them more hands on . entailment +you know living in a house is something you 're going to have to do whether you you 're doing it alone whether you 're doing it with a with a a partner or you 're going to have to you know YOu don 't have to live anywhere beside a tent . contradictory +He thought they bloomed for just the right length of time , smartly disappearing before you can tire of them . The thing that bloomed was a flower . neutral +Well , I have a fancy for having it analysed again , that is all . And not another word on the subject could I drag out of him . I want to go over it again , but he wouldn 't talk about it . entailment +Salinger wrote similar letters to other young female writers . Other young female writers received similar letters from Salinger as well . entailment +i seen how they were organized in in central and South America and uh it 's uh The way that they were divided in texas contradictory +They not only defined and communicated a need for improved program operations but , most important , they redefined the organizational culture . The redefining of the culture was less important than the increased efficiency from improving processes . contradictory +Since the 1920s it has been the stomping grounds for L.A. ' s partying celebrities . Celebs had the best time a that nightclub . neutral +i agree i i agree you know i I am aware , I concur . entailment +The Constitution requires only that a senator when elected , be an inhabitant of that state for which he shall be chosen . The Constitution requires senators to live in the state they are elected from . entailment +When I cited her and John Cavendish as being above suspicion ? " They gave money to the poor and rent their house out to hobos . neutral +According to the Maastricht Treaty , the currency will be put into circulation only after individual national economies have hit certain targets--such as a sufficiently low ratio of debt to gross domestic product . The currency will be the solution to the nation 's economic troubles . neutral +He had been surrounded by the decapitated , disemboweled , and dismembered bodies of a dozen Sticks . There were lots of dead Sticks . entailment +The City Council 's proposal for the 650-lawyer Corporation Counsel 's Office would slash its budget by 10 percent - or $ 10 . The budget also cut many other programs . neutral +Design is stable Product can be produced Product can be produced and the design is stable . entailment +it 's uh there 's a town called Glenrose i think it 's around two hours from here and uh it 's got it has like dinosaur tracks A town about 14 hours from here , Glenrose , doesn 't have anything interesting in it . contradictory +From here , a flight of stone steps leads to the first gate of the Omotemon , guarded by two fierce red-painted Deva kings . The Deva kings are carved out of cedar wood . neutral +was pretty good at it and then in the second grade they said uh oh the coach moved away uh call all the parents and say well who 's going to uh coach well no gee you know well we really don 't have enough time for that After the coach moved away , the parents had a hard time finding a replacement parent who had enough time to coach the team . entailment +No , he said musingly , " I don 't . He quickly said , I think so . contradictory +and you know of course there i don 't think they really cared about the answer they just wanted to try and catch him in something I would have preferred to have answers instead of just catching him . neutral +Stewardship investments are substantial investments made by the Federal Government for the benefit of the nation . The Federal Government does not invest substantially in the nation . contradictory +" Yeah , " he decided . Yes . It is decided . entailment +Oh , come in . " The clerk followed his discreet knock into the room , and laid a paper at his master 's elbow . The clerk entered the room and laid down a paper . entailment +To analyze the effect of fiscal policy on saving and growth , we modified the original model to include a set of relationships that describe the federal budget and its links to the economy , using the framework of the National Income and Product Accounts ( NIPA ) . Fiscal policy affects saving and growth more than anything . neutral +( Just remember to use sunscreen sunburn and possible dehydration are never too far away . ) Temperatures are freezing in that region even in summer , better take your winter jacket . contradictory +They knew that they could never show their new pets to their parents . They knew they could show their tattoos to their parents . contradictory +like that orthopedist said to me he said don 't worry Diane he says he said uh you 're at thirty something but you 're on the upper side he said that uh don 't worry he says even if you weren 't doing anything your body would start that would start to happen to you the orthopedist told me that it 's normal to start getting aches and pains at this age neutral +Soon the immortal titans tired of their wars and slept . The immortal titans , excited for their wars , continued fighting . contradictory +The project was not a simple one . The simplicity of the project could not be established . neutral +For example , GAO has taken significant steps to consolidate its field office structure . The GAO is working to implement a more decentralized office structure . contradictory +But Wall Street would be better off remembering that approximately 12,000 auto companies were around in the early part of this century . There were only 4 auto companies in the early century . contradictory +but uh that they uh are much more contentious so i i don 't i i guess we 'll have to see another generation to see what differences a child being brought up you know in in a uh kind of a uh community We 'll find out in the next few days if kids brought up in these communities turn out any different . contradictory +it 's not going to go up too high It 's going up far too high . contradictory +Jon continued to examine him instead . Jon examined him and mumbled under his breath as he did so . neutral +well it 's just uh been delightful talking with you I hated talking to you . contradictory +So the last hope of solving the mystery , by means of Mrs. Inglethorp 's correspondence on the fatal evening , had to be abandoned . There was now no hope of solving the mystery . entailment +There are Hindu motifs on the ceiling in the main hall , and in one on the west peacocks holding snakes in their beaks , for example . There are motifs of elephants on the ceiling . contradictory +well it 's basically you know it 's like i got like a leather jacket or a you know so i just put on a T-shirt and a leather jacket and i usually stay in class that way and if not i would wear a sweatshirt underneath it and then you know you 'd but what happens is uh what i 've seen here on campus it 's very strange because a lot of black people here they wear like dress pants and dress shirts to go everywhere Lots of black people on this campus choose to wear dress pants and dress shirts . entailment +In the middle of the dinner plate ( or is it a base drum ? ) The steak is directly in the middle of the plate . neutral +Wouldn 't you love to be a fly on the wall when these pieces get assigned ? Nobody wants to see the pieces get assigned . contradictory +When property is foreclosed , the property is recognized as an asset at the net present value of its estimated net cash flows . The property is considered an asset when it is foreclosed . entailment +I 'll get a working Franklin Sim up and running in a couple of weeks , I promise . I will make a Sim that looks like Ben Franklin . entailment +I drew him aside . I had drawn him aside . entailment +'If it happens , I 'll be the one they send . ' They 'll send me to the office if they need to . neutral +Then he withdrew it . He didn 't withdraw it . contradictory +Las Vegas Mini Gran Prix boasts the west 's only banked-oval stock car track . The Mini Gran Prix is a banked-oval slot car track . contradictory +But this new housing was grimly overcrowded , and even a frenzy of construction couldn 't keep pace with the demand for living space . The housing had too many people in it and they had only built 100 more houses . neutral +A matter of considerable discussion in the United States concerns whether the ( noshift ) own-price elasticity of workshared volume is greater than that of basic volume , as these two categories are now constituted . There is concern in the US whether the noshift own-price elasticty of workshared volume is greater than basic volume . entailment +The Supplementary Information accompanying the final rule states that the final rule was not analyzed under Executive Order No . The Supplementary Information accompanying the final rule was inferred from the public neutral +no no This guy 's smart and he 's suave and he 's all the characteristics all the characteristics yeah all the characteristics This guy is smart and suave . entailment +okay i 'm in Garland I am not in Garland . contradictory +you know a lot of the comedies are more like jokes and you know gags and stuff like that there 's not as much slapstick anymore Most comedies today are committed to slap stick type humor . contradictory +Gerth 's original piece in April said that the Pentagon believed Loral had significantly improved the reliability of China 's nuclear missiles . Gerth 's original piece in April didn 't say anything about the Pentagon . contradictory +oh it was extremely hot i thought i was going to die my car i thought it was going die last summer but Last summer was one of the hottest summers I have ever experienced . neutral +You can 't argue with that ; lives there the tourist with soul so dead that he does not wish that he could visit rural France , or Mexico City , or for that matter Kansas City the way they were , rather than the way they are ? He did not wish to visit any of the cities because he was bored . neutral +no right well i i have trouble right well i have trouble with one too in fact sometimes if i even just twist wrong my kneecap will pop off so you know um walking seems to be the one and it it really seems to be I guess walking would be the best exercise for me . neutral +Gossip columnists congratulated Bessette and consoled every other woman in America . Beaette was congratulated by gossip columnists . entailment +Other reviews echo the enthusiasm , comparing her tale of an aristocratic Indian family in decline to the work of Rushdie , Faulkner , and Dickens . The family is getting together . neutral +well what about random testing though I don 't think we should discuss random testing . contradictory +The danger-zone was passed . The danger-zone was long and treacherous . neutral +This is new country where it doesn 't , or shouldn 't , matter whether a man wore a blue coat or marched under the Stars and Bars . In this new country , you are judged for whether you fought for the Union or the Confederates . contradictory +However , the Ptolemies were responsible for building and refurbishing several important temples in Upper Egypt , including Denderah , Philae , and Edfu . The Ptolemies destroyed a lot of temples in Upper Egypt contradictory +... We 're recognizing that there are differences . We are beginning to notice the differences between the two . entailment +The rule would not have a significant economic impact on a substantial number of small entities and did not prepare an initial regulatory flexibility analysis . The substantial number of small entities are very excited . neutral +He and his three boxes have moved in and out of three offices in the past month and a half alone . He will move offices again before the week is out . neutral +right that 's right you know neither has mine as a matter of fact and uh that 's true they i think they look at it as well everybody the majority of the people think this way when that 's not necessarily true because you know that 's what the media says well the majority believes this way so uh they don 't even bother turning out to vote to express their uh opinions No people believe false facts on the basis of media reports . contradictory +Do it too late and you seem , actually it 's glib and insincere again . It 's sincere if you do it too late and it 's insincere if you do it on time . contradictory +incident response after an incident had exposed shortfalls in the company 's The company had an unfortunate incident occur . entailment +To understand a single case , the researcher must develop hunches about what is happening in the instance under study and systematically seek within it To understand a case , the researcher has to form ideas about what is happening . entailment +Strategic Directions 2000-2005 identifies technology as a primary strategy for enhancing client access to services . Technology is no longer a primary strategy for increasing client access . contradictory +um i guess the last book book i 've read um my oldest daughter I read to my children every day . neutral +He banned their activities in 1612 and two years later ordered the expulsion of all missionaries and unrepentant Japanese converts . He banned and expelled the missionaries in 1620 because they were annoying . contradictory +How terrible it is to reach the end of one 's life , Monet had written in 1899 , after the death of the landscapist Alfred Sisley . Monet did not ever write about how sad it was to reach the end of one 's own life . contradictory +Far from supporting the Court 's nondistortion analysis , League of Women Voters dooms the Court 's case . The League of Women Voters do not believe in the case . entailment +I never should have survived that fight . It 's a miracle I survived the stabbing . neutral +On the second floor , in 1588 , her son Henri III used not poison but a dozen men armed with swords and daggers to do away with his archrival , Duke Henri de Guise . Henri III and Duke Henri fought over having the same name . neutral +Snow has been falling regularly for several weeks , heartening those wishing for a traditional white Christmas . Those wishing for a white Christmas have been heartened . entailment +policies and procedures for executive agenciesAcquisition governmentwide . Guidelines are in place for executive leadership throughout agencies within the government in terms of purchasing and uptake . neutral +You will use force to defend some policy or principle . The policy must be defended at least somewhat by force . entailment +and not venture venture out their own front door than They stay safe inside their own home . neutral +VoiceType is IBM 's previous generation of voice-recognition software . VoiceType is the best voice-recognition software on the market . neutral +It was completed in 1248 by the sainted King Louis IX to house precious relics , such as Christ 's crown of thorns . It houses important historical relics of the Catholic Church . neutral +Still , as far as you are concerned , the door might equally well have been locked ? For all intents and purposes , the door was considered locked . entailment +Senior executives have primary responsibility for setting the business context for their CIOs and formulating strategies for integrating information technology and management into their business operations . Senior executives , aside from the CIO , are not normally responsible for IT management , nor are they responsible for its integration into operations . contradictory +hopefully they 'll promote good schools because i know the town that i come from the the uh the large IBM plant has something to do with the top rated high school because of their tax base for one and plus for for the type of student that 's going to that school it 's going to raise the level of the school There is a large IBM plant in the town that I come from . entailment +HCFA solicited and evaluated comments on its modification to the reporting requirement . HCFA did not evaluate any of the comments on its modification . contradictory +If [ the legal-aid organizations ] have a direction and a plan and goals , you have something you can work towards . You nee very specific plans and goals in order to work towards something . neutral +We requested comments from BEA , OMB , and several subject matter experts . We requested comments from experts entailment +well i uh we 've done quite a bit of camping we uh used to uh throw everything in we had some old Volkswagen buses in our years early days when we had kids and they uh we 'd uh you know go uh drive up into the hill country around uh oh New Braunfels and We used to camp in our VW buses when we were hippies . neutral +Civilization really depends on human beings caring about other human beings . Civilization depends , at minimum , on humans agreeing that its not appropriate to hurt one another . neutral +In addition , while these agencies address partnering with customers and other stakeholders , greater emphasis should be placed in fostering the collaboration within and across organizational boundaries to achieve results . The agencies have solved the issues with partnering customers and stakeholders . neutral +Finally he lifted his hand in faint greeting , sighed and dropped slowly to a seat . He did not greet them that day . contradictory +Using Scenario D as an example , the remaining allowances in 2015 are 100 million metric tons for carbon , 1.3 million tons for SO2 , 0.2 million tons for NOx and 25 tons for mercury . Scenario D is an example of allowances for certain elemental products or byproducts . neutral +Furthermore , there should be no interference with an investigator 's ability to obtain relevant information concerning an investigative matter . Anyone who interferes with an investigation will face legal charges . neutral +He prowled aimlessly about his prison . He was alone in the prison , nobody else around . neutral +yes uh maybe you 'll play around some and figure out how they can help you do different things i think that 's when you you start deciding that you really need greater assets than you already have when you start seeing what all they can do for you You need better things . contradictory +The Lusitania settled with a more decided list to starboard . The Lusitania had a thought out plan to starboard . entailment +In 20 years we won 't need any stinkin ' TV . In a couple decades , we won 't need TVs . entailment +Nature lovers can hike ( or rent a donkey ) up the extinct volcano of Mount Epomeo , 788 m ( 2,585 ft ) , starting from Fontana for unforgettable views of the island and the Bay of Naples . Donkey rentals produce a good amount of funds for the local economy . neutral +oh yeah i i think that the commute to to and from work has to be the worst horror show My commute is easy . contradictory +The dome of the palace church rises 92 meters ( 302 feet ) . The palace church has a dome which reaches 92 meters . entailment +Even so , Reege may be the ideal game show host for this ironic He allows the show to be both deadly serious and parody . Reece is a good game show host candidate . entailment +They mean it . They are sure of it . entailment +Weird Ted receives The New Yorker , New York Review of Books , and Los Angeles Times in prison and spends his rare recreation time with fellow bombers Timothy McVeigh and Ramzi Yousef . Weird Ted was nicknamed The Unabomber by the public . neutral +no not really not that much um we 've been well we 've been to Wyoming you know and Kentucky and Montana and you know places like that but usually if we 're with a group of people we really don 't stay any one place very long We generally migrate quite a bit whenever we 're in a group . entailment +It 's hard to imagine that this latest incident won 't have an impact on the court , which is currently reviewing another legal challenge to the chair . The court will find a guilty verdict in the incident . neutral +What third medium was there ” a medium so suitable for disguising the taste of strychnine that it is extraordinary no one has thought of it ? " Poirot looked round the room , and then answered himself impressively . Poirot was asking a question about what could cover up the taste of strychnine . entailment +In the Underworld ? In a place which we currently stand ? neutral +Perhaps she 's trying the same approach . She is trying the same approach to the situation . neutral +( Serbia also tried to ally with Israel over their shared enmity with Muslims . ) America and China tried to ally due to their love of McDonald 's contradictory +uh-huh oh yeah oh that sounds pretty neat OK , I 'd like to do that . neutral +Yes , sir , made with milk , with a teaspoonful of sugar , and two teaspoonfuls of rum in it . It is a drink made with milk , sugar and rum in it . neutral +yeah but you have to have a need i really have no need for it at all um i work for Digital Equipment and we have a powerful computer down at work All of our computers at Digital Equipment are of poor quality . neutral +selling drugs and they 've got a fifteen year old that 's their boss that is carrying a gun Their boss would never fire his gun at anyone . neutral +The Diaspora Museum and Museum of Art in Tel Aviv and the Israel Museum in Jerusalem all have youth sections with exhibits and activities . The Diaspora Museum has exhibits and activities set up specifically for young people . entailment +Alternatively , it is possible for inexperienced riders to join other tourists on horseback for a moonlight excursion , with a barbecue at the end of an easy it 's an excellent way to meet people . Pork is served at the barbecues . neutral +that 's for sure that is for sure You 're right about it being bad . neutral +Tommy 's heart sank at the sight of them . Tommy was not happy to see them . neutral +Hume follows by asking whether this means that Starr 's office is committed to eventually delivering a report ( thereby indicating that Starr has credible evidence of impeachable malfeasance ) . A report must be delivered by Starr . neutral +Wine ? " He gestured to a tray with waiting glasses . He offered the waiting tray of wine glasses . entailment +All right , Fowler , tell me what you saw ! " Fowler slid the shotgun out of sight , apparently sure that an armistice , at least , was assured . Fowler has a shotgun . entailment +Their issuing of short-term buy or short-term hold recommendations obviously intensifies pressure on companies to meet and beat earnings expectations at all costs . Short-term buy recommendations have no impact on companies ' earnings expectations . contradictory +The ultimate success of generousassociates or any other cause supported by the legal profession depends , in part , upon the financial success of the lawyers and law firms who support those causes . The success of the associates depends on how financial successful the plaintiffs . contradictory +Early and late in the season you 'll be able to buy good quality cotton sweaters to guard against the evening chills . It is not possible to buy low quality sweaters . neutral +they they just started trying to get them together like like like like that around here from for from the community because uh we had a big ice storm uh very very recently you don 't sound like you 're in the north you sound like you 're in the south somewhere We 're still recovering from the ice storm up here . neutral +In some textbooks on evaluation , case studies are synonymous with qualitative data-that is , data that are subjective or judgmental . In some textbooks cast studies are synonymous with data that is subjective or judgemental . entailment +and then the last Civil War battle was fought at Val Verde you know over there on the Texas border you had a lot of of groups heading for Mexico and they were cut off at the pass more or less at Eagle Pass and they didn 't get across the river there so they 're the last and that was actually after the war was over but it was the last There were tactical errors made by both sides during the battle . neutral +This last category has led some to accuse the straight nonfiction list of being a useful fiction , designed to give publicity to books that would otherwise fail . The last category never led to some accusing the straight nonfiction list of being a useful fiction which wasn 't designed to give publicity to books that wouldn 't succeed . contradictory +Under Ferdinand and Isabella , the unity of Spain as the country we know today was finally achieved , and it was carrying their flag that in 1492 Christopher Columbus sailed westwards and discovered America . Spain became divided . contradictory +LEETLE GIRLS . There are no girls . contradictory +Shopping in Israel is as exotic or as straightforward as you want to make it . There are many shops in Israel . neutral +Twenty minutes southwest of the city by car is the small town of Penicuik . Penicuik is the closest place for a getaway . neutral +For smaller cases , the judge suggested trying alternative dispute resolution , a service offered by the Coconino County Superior Court and most courts . The judge did not suggest trying alternative dispute resolution . contradictory +The Commission can and should do more in this area . The Commission has left this area to function largely on its own . neutral +Sedelmaier has rescued Japanimation from a generational memory hole to sell a German car to young consumers who may consider it the opposite of cool . Sedelmaier is selling a german car . entailment +I had an idea , but clearly I was mistaken . They had no idea . contradictory +The Oxbellows were known for their deep faith , which they changed frequently , because they were open to new things . The Oxbellows were known for their deep , yet ever-changing , faith . entailment +Sardis was once the wealthiest city in the world , under the famous King Croesus ( reigned 560 546 b.c. ) , hence the expression rich as Croesus . King Croesus made the city so wealthy by investing heavily in hedge funds . neutral +Vishnu , for example , can be Narayan , floating on the primeval ocean or lying on a bed of snakes . Vishnu can never be Narayan . contradictory +In Georgia , the organization channels funds to the Georgia Legal Services Program and the Atlanta Legal Aid Society . In Texas the organization channels funds to the Georgia Legal Services Program and the Atlanta Legal Aid Society . contradictory +yeah you know what too whenever they did that for me like you know we had to take they did it blood and urine They did urine but not blood . contradictory +No sign of battle . The signs of battle were everywhere . contradictory +wow sounds fun Skiing sounds fun . neutral +Then the Invalides came to symbolize the glory of Napoleon himself , when his remains were finally brought back from St. Helena in 1840 for burial in the chapel under the golden Deme . Napoleon remains buried in St. Helena and there have been no plans to change that . contradictory +especially like when they have special singers and things and La Cage au Faux that was excellent I didn 't like it there very much . contradictory +well i think that the trial in a sense is kind of a threat to hold over people to try to get them to reach an agreement out of court because it does cost so much money Trials are cheap so they can 't be used as leverage . contradictory +Both operational and structural aspects of the CIOas environment can vary significantly in the federal sector versus the private sector . Federal CIO environments operate under different laws than private CIO environments . neutral +So this ordinary woman--one like about 50 million others in America--has this great value to this man she is going to the theater with . This woman is very valuable to a man and he 's going to take her to the theater to show her how much she means to him . neutral +I 've always thought I was so much cleverer than Tommy but he 's undoubtedly scored over me handsomely . Julius agreed . I scored better than Tommy and proved once and for all that I am smarter . contradictory +it 's oh it added up big well you know we my parents were divorced and so the time we were like visiting our father in the summer time you know so he felt like he could splurge and let us do it you know i 'm sure we would not have been allowed to do that under normal situations you know My father spent more money on me after the divorce . entailment +but from what i heard the guy who got it was better so i you know i can see that but oh I wouldn 't have watched it if they had not gotten a better guy . neutral +Conclusions are presented in Chapter 7 and references in Chapter 8 . Appendix A is located at the end of this report . Conclusions are in chapter 7 , references in chapter 8 and appendix a at the end of the report entailment +Proper organization and presentation of those facts , then , is essential to representing yourself successfully . In order to improve your image , you need to present those facts in a proper way . entailment +then we 'll get a half hour break or so and then i 'll go and play another set with somebody else you know I 'll play another set with someone you know during the half hour break . entailment +That bald , fat 60 year old , Miss Aldonka replied spitefully and Czarek turned invisibly red , because he couldn 't show he was boiling on the inside . Miss Aldonka was beautiful and sweet . contradictory +I accept . I accept the payment as payment in full . neutral +This is a real challenge for policy , institutional systems , and professionals . The parties affected will now overcome the challenges placed upon them . neutral +yeah and spend a day doing that 's really neat i mean it 's not a lot because you 're just doing a house at a time but you know every little bit helps Your help is unnoticed since you are only doing only one house at a time . neutral +The wound was fatal . They were healed in no time . contradictory +but yeah that 's what always amazes me actually is that um is that you know my my wife and i always sort of bring this up about she her her being Syrian you know and my being Jewish and all we look alike we act alike we sound alike well not totally alike but you know My wife and I always talk about our backgrounds . entailment +Slate , the growth of labor-intensive exports from Third World countries , a development possible only because those countries are able to offset their disadvantages by competing on the basis of cheap labor , has brought about a huge improvement in the human condition , even if the wages look miserably low by our standards . High labor costs of Third World Countries has damaged the human condition . contradictory +The flats mostly have their own , miss . Some flats have their own . neutral +The uncertainties of schedules and frequency of strike action gradually disappeared in the 1990s , but the occasional wrinkle still needs to be ironed out . Before the 1990s , strikes were all but unheard of . contradictory +He tries to disarm the accusation that he was callous about executing Karla Fay Tucker by portraying his decision as an anguished crisis of conscience . He was accused of being callous concerning the execution of Karla Fay Tucker . entailment +In traditional Medicare , for example , the effect of cost-sharing provisions designed to curb the use of services is muted because many Medicare beneficiaries have some form of supplemental health care coverage-such as Medigap insurance-that pays these costs . Medicare has cost-sharing provisions to curb the use of services by the most unhealthy . neutral +Dead Dead Zone that 's one i liked I liked several other works aside from Dead Dead Zone . neutral +Still , better late than never . You 'd better stay at home than be tardy . contradictory +She made it no farther than a first-floor sofa to bring little Nabulio kicking and screaming into the world he was to conquer . His mother was trying to make it to the third floor . neutral +He rebuilt Krakew with magnificent architecture and established the country 's first university there . He left Krakew as it was and built universities elsewhere . contradictory +Nevertheless , in view of the world-wide notoriety which attended it , I have been asked , both by my friend Poirot and the family themselves , to write an account of the whole story . I asked Poirot and the family to write something . entailment +The Lawyers ' Assistance Program is designed to help lawyers with drug or alcohol abuse problems , or with mental health problems . The program is supposed to help lawyers with drug or alcohol abuse problems . entailment +By the time the first great king of Hawaii died , in 1819 , the underpinnings of native society were disintegrating . The first Hawaiian king died in 1819 in battle . neutral +2 ) By tracing the virus 's journey from chimps to humans , we can learn how to recognize dangerous viruses earlier and prevent another HIV-type epidemic . The HIV virus is difficult and complex to map . neutral +Why don 't we find out . Why don 't we find out what they did . neutral +Although Scotland was still a separate kingdom , the two countries would from that day be ruled by the same monarch . Scotland and England have always been united . contradictory +She was reviving before he could raise her from the ground . She did not need his help to get up from the ground . neutral +For example , we make adjustments to the mortality valuation estimates to account for the estimated lag between exposure and manifestation of the effect , reflecting the basic economic tenet that individuals prefer benefits that occur sooner to those that occur later . Adjustments are made to the mortality valuation estimates to account for the lag between exposure and onset of symptoms . entailment +Morris tries to take credit for both strategies . Both strategies were conceived entirely by Morris . neutral +Another celebrated victim of fire is Daitokuji . The fire claimed over 200 victims . neutral +But it was only for a moment . It lasted a long time . contradictory +6 million persons in the U.S. were living below poverty level in 1990 , compared to 31 . In comparison to 31 , 6 million people were below the poverty line . entailment +An audit cannot guarantee precision in an environment where estimates are made . Audits are bad neutral +yeah it 's been fun it 's been nice it 's uh you know neat to learn some what different people eat so I don 't like learning about different dishes . contradictory +but anyway yeah it 's been interesting though all these different people and some of them are real friendly you know and it 's like yeah man when i come to Dallas i 'll call you you know and then others of them are like they just wanna go but then some of them have babies crying in the background too so there may be other reason than you know that but well anyway are you in Dallas All the people there were extremely unfriendly . contradictory +And I feel that very much . I feel the burn very much . neutral +Her pride and her jealousy have ” " Her pride and her jealousy have not had any impact . contradictory +You can rent a taxi for the day not cheap , but negotiable . Taxi rent is negotiable but not inexpensive . entailment +Men Are From Mars , Women Are From Venus ( Gershwin Theater , New York ) . Gershwin Theater is actually situated in Boston , Massachusetts . contradictory +I don 't suppose that everyone is like that . I 'm sure not everyone is that way . entailment +no i 've seen what comes out of the ocean and i have no desire to share any space with anything like that What i 've seen goes out over the forest . contradictory +Crashed his car , and is banging Lora in Drojeda . He crashed his car while he was sleeping with Lora in Drojeda . contradictory +Although Zen had been present in Japan since the 12th century , its ascendancy began under the Kamakura regime , which found the mystic Chinese philosophy admirably suited to Japanese sensitivity , impressionism , and love of form and ritual . Although Zen was present in Japan early on , it was quickly eradicated by Buddhists seeking to destroy those who practiced it . contradictory +you 're right you 're sure right it 's it 's nice to look at but the last couple of storms we 've had the last couple of snowstorms we 've had have really been good because they snowed and and like within a day it 's warmed right back up and melted the roads and stuff so It was quite normal to have such warm weather after a snowstorm . neutral +Also , the fact that mail-order retailers run out of their most popular items shouldn 't be much of a surprise . Mail-order retailers sometimes struggle to keep their most popular items in stock . entailment +and the man said that you know if if it weren 't for the fact that he would go to jail that he would eliminate this person himself and then go to McDonald 's and have a hamburger and not thing a thing think a thing about it He would not kill the person , jail or not . contradictory +Nothing of importance remained , though they searched the other rooms as well . Despite finding nothing they quite enjoyed their time searching together . neutral +As Durga , she is fierce , riding a tiger and brandishing a sword . She is lazy as Durga , the goddess of the Stars . contradictory +What about Thorn and Vrenna ? asked Jon . Jon didnt care what had happened to the others . contradictory +Why , you could drop your planet into that large ocean and drown it . The planet was so large it would not fit into the ocean . contradictory +Jon stepped out and fired . Jon slid his gun into his holster without firing . contradictory +He twitched the lead rope , and Croaker paced sedately about in a wide circle , dragging the colt with him . After tugging on the lead rope , Croaker raced ahead . contradictory +Many of the famous vineyards are open to visitors , but tasting is strictly for serious customers who show a clear intention to buy . Tastings are only ever provided if the visitors verbally state that they intend to make a purchase . neutral +Without question , the primary allure of Las Vegas despite the resorts , restaurants , showrooms , and shopping malls is the fact that one can legally place bets on games of chance and sporting events . People come to vegas because they can bet on sporting events like NBA games or even college basketball . neutral +no we don 't really do anything formal um i kind of keep up with all the finances you know paying the bills and typically i do most of the spending too as well so uh you know i kind of have a handle on it and We have no need for doing a formal budget . neutral +yeah yeah that 's the good thing about them they do no advertising that 's it 's really nice just music They have too many advertisements and they don 't play enough music . contradictory +Environmental Protection Agency , February 22 , 2002 . The EPA had an event on February 22 , 2003 contradictory +and only and and and then they balanced it with the wonderfulness of it you know and and and you need to to to work with it uh you know certainly on on a daily basis but then again then again work with it toward a good end You must work with it every day . entailment +Nurse Janina wanted to call his family but a cell phone in the patient 's locker was turned off and nobody knew the code . The cellphone in a patients locker was turned on silent but still on . neutral +I believe the public wants solutions that work , not attacks that divide , says Bradley . Bradley represents the public and their frustration with politicians . neutral +Most of the resorts on the Strip have appeased family visitors by cleaning up their shows and covering up the showgirls . Families became outraged when visiting resorts that openly showed nudity during their shows . neutral +His face was pleasantly ugly nondescript , yet unmistakably the face of a gentleman and a sportsman . He was a strikingly handsome man . contradictory +We also see signs that Venus and Mars were once more hospitable to life and over many hundreds of millions of years became inhospitable . Venus and Mars can never have life again . neutral +well we usually go fishing at Toledo Bend Toledo Bend is a place that I enjoy fishing at . entailment +There was nothing to be done about that now . There are so many things that can be done about it now . contradictory +Critics seize upon the re-issue of 1968 's A Fan 's Notes and upon this biography of its eccentric , dipsomaniac author to sing his praises . Critics used the re-issue to write positively of the author . entailment +perhaps I truly love her . Owing to her stunning personality , I may love her . neutral +yeah and and when the when the United States was founded the people the people who founded the country all had the same value systems and beliefs and so immigrants coming in understood that and and it wasn 't as if it was forced upon them they chose to come to this country The people who founded the United States struggled to find common ground because they all had different value systems and beliefs . contradictory +they they never come to see they never came to see her They never came to visit her . entailment +Parts of this crenellated , picture-postcard castle date back to the 12th century . The castle is from the 12th century . entailment +To be sure , the Army 's program insists , though more vaguely than people admit , that affirmative-action beneficiaries must meet the same minimum qualifications as their white counterparts . They wanted to give those that are qualified an equal chance . neutral +Now they are claiming they have no money and can 't afford a wedding . They just received a large sum of money last month . neutral +Sai Routha , said Ca 'daan . " Sai Routha , " replied Ca 'daan . entailment +Two painted lions mark the entrance . The entrance leads to a crypt . neutral +16 Rather than forgo domestic investment opportunities that would enhance the nation 's future standard of living , the United States could increase national saving . the United States will choose this option to increase national saving . neutral +How you ever had the nerve to play your part as you did I can 't think . " She stamped her foot . She stamped her foot so hard the floorboard broke . neutral +I jabbed her with my Gauntlet again , retreating toward the cockpit . I hit her with my gauntlet and then ran away while she was writhing in pain . neutral +um i hadn 't heard that one i hadn 't uh got too heavy into law and order deal most of mine i 'm afraid i go either mysteries or uh action adventure stuff I 'm not familiar with Law and Order because I usually watch mysteries . entailment +It takes tremendous strength to throw aside a mask you wore most of your life and ask to get better . It isn 't easy to throw away the old you to become a new you . entailment +However , since they are imperial property , special reservations must be made with the Kyoto office of the Imperial Household Agency ( located on the grounds of the Imperial Palace , just south of Imadegawa-dori ; passports are required ) . The property requires a regular permit to access . contradictory +These ingredients swirled around each other in a dance of honest enjoyment and / or self-conscious shoulder-rubbing for an hour or so before the toasts from the stage . Many high-level corporate figures were present on the stage . neutral +yeah my my brother got stationed eventually at Oxbridge he he really enjoyed it there and well well his his wife was British so they had My brother had a British wife . entailment +These ratios can be used to provide Alternative age-adjusted estimates of the value of avoided premature mortalities . Ratios are not used to find estimates of avoided premature deaths . contradictory +Quota sampling assumes that the answers of a particular demographic group such as white , 18-to-25-year-old Internet users can be projected to describe the opinions of white 18-to-25-year-olds at large . 18-to-25-year-old internet users tend to be very easy to sample . neutral +yeah we get something on the door about every week We throw out everything that gets put on our door . neutral +Jon saw the shadow of the first horse and the white sharp teeth of the first rider shining in the night . It was midday . contradictory +All four victims are expected to survive . The people involved are expected to make it . entailment +Oh , no , sir ” of course not . Why , yes , of course , sir . contradictory +Until recently , there was little for ordinary mortals who lacked a yacht , but now there are sailing fleets waiting to be hired either bare ( for qualified sailors ) or with a crew to do the work for you . It is very inexpensive to hire a yacht with a crew . neutral +All that has changed , however , and today the university is one of the geographical and social hubs of the city , attracting students of all creeds and nationalities from around the world . The university has at least one student from every country in Europe . neutral +Victor Hugo used the town as a setting for Les Mis ? ? rables , and each summer ( usually at the end of July ) the residents stage a retrosective son et lumiyre performance in the Cityelle , parts of which date from the ninth century . Victor thought the town was great for Les Mis because it was so stark and depressing . neutral +If Paris is worth a mass , Washington is worth a . Paris is worth a mass . entailment +The Piazza delle Erbe along the ancient elongated Roman forum makes the prettiest of marketplaces . Along the recently built Roman forum , there is a pretty marketplace . contradictory +Sometimes they even improve on what he was . Occasionally they try to improve upon what he used to be . entailment +but if the if the option came up to where i could pack a side arm in the open i i don 't worry about carrying it concealed i want them to know i 'm packing it I couldn 't carry a gun . contradictory +Drug maker Eli Lilly saw its profits rise 15 percent in the most recent quarter , meeting estimates , but its shares fell nonetheless when it announced that Prozac sales were down significantly . Eli Lilly is a burger restaurant . contradictory +I have locked them and , in my opinion , they would be better kept locked for the present . " The doctors then departed . They should be kept locked . entailment +How do , Cousin Jane ? he said lightly . He greeted Jane when he saw her . neutral +oh yeah yes uh and then then that gets into a vicious circle It just goes round and round , It is hard to make it better . neutral +Today it is a favorite place for wealthy Jamaican families for very much the same reason . Wealthy Jamaican families wouldn 't be caught dead there . contradictory +yes well do you do you know do you do gardening at home Do you not do any gardening at home contradictory +The Licchavi kings founded the city as Kantipur in the eighth century and laid the foundations of the Hanuman Dhoka Durbar , the palace which gives this area its name . The Hanuman Dhoka Durbar 's foundations were laid in the eighth century . neutral +i see what team do you follow Which is your favorite team in the league ? neutral +The new Galata Bridge spans the mouth of the Golden Horn , linking Old Istanbul to the New City of Beyo lu . Galata Bridge replaced the old bridge that was no longer usable . neutral +Among the many attractions of this excursion is the Hakone Open Air Museum ( Chokoku no mori , or Forest of Sculptures ) at Miyanoshita . There are three other museums included in this excursion . neutral +Issues in Data Synthesis , eds . The data synthesis has problems . entailment +Most political activities are robust , a robust campaign , a robust fundraising program , a robust reponse to critics , a robust position on you-name-it . Political activities are easy in every sense of the word . contradictory +Gee whiz ! " And with a flourish he waved aloft a small discoloured packet . Golly ! He swung the tiny oddly colored packet . entailment +Timothy Noah 's image of the standard old public building ( ) seems to be derived from Mayan or Egyptian pyramids , Greek theaters , the Roman Coliseum , and Notre Dame cathedral . Timothy Noah is a well-known architect . neutral +What I mean is that I don 't think it 's their game to do her any harm , explained Tommy , puckering his brow with the strain of his mental processes . They never mean anyone harm when they do this . neutral +Though surrounded by murder , he saw patience in the eyes of the one they called Stark . Despite having murdered everyone , he saw patience in Stark 's eyes . neutral +Be careful with the heady Corsican wines ; the most enjoyable ones are the rose . The second most enjoyable wines are the merlots . neutral +" An analogue computer is a machine that ... I know how an analogue computer works . neutral +To an economist , it 's clear why people with limited sexual pasts choose to supply too little sex in the Their services are underpriced . It 's not clear why people who haven 't had a lot of sex don 't have much in the future . contradictory +Check out our newest feature , Ask Bill Barnes . You can check out our new feature , Ask Bill Barnes , on our website . neutral +I wasn 't really in the mood for conversation . I was feeling chatty . contradictory +However , most boilermakers ( 60 percent ) work in the electric power industry , so it should not be surprising that the percentage is high . None of the boiler makers work with electricity . contradictory +Failure to ratify the treaty by April 29 squanders U.S. influence . Only representatives from the member states can sit on the committee that finalizes the treaty 's logistics , and the United Nations won 't hire verification inspectors from nonmember countries . Verification inspectors from nonmember countries are often hired by the UN . contradictory +In a survey sponsored by the West Virginia Chapter of the American College of Emergency Physicians , a minority of emergency physicians reported routine screening and counseling of ED patients . The West Virginia Chapter of the American College of Emergency Physicians screened all patients for alcoholism . neutral +He 's bluffing you , Boris , he said quietly . He is trying to get the better of you , Boris , he said . neutral +Have you checked the interest rate your bank pays on your IOLTA account ? Banks pay interest on IOLTA accounts . entailment +LSC has made significant progress in this effort and continues to assist recipients in improving the quality of legal services nationwide . LSC made a lot of progress and now reaches 40 % of their target market . neutral +Shiva the Destroyer faces dangers at sea while Vishnu the Preserver watches over the town . Shiva the Destroyers fights attacks from the sea while Vishnu the Preserver protects the town . entailment +As a result , patients pay most dental costs--about 60 percent of them--out of their own pockets . patients also pay for other costs , but not all of them are dental . neutral +Observe the lamp , the chimney is broken in two places ; they lie there as they fell . The lamp and chimney were antique . neutral +These other costs include systemwide labor related costs ( e.g. This additional category of costs has been a source of confusion for many . neutral +It is merely a way of signaling status , even if we 've deluded ourselves into thinking it 's not . It is how to show your status , even if it 's not really true . entailment +From the king 's apartments you will enter the Great Gallery , a long room that is home to 89 portraits of Scottish rules dating back to antiquity . The Great Gallery is reachable from the king 's apartments . entailment +The likes of Nat King Cole performed here in pre-revolutionary times . Nat King Cole performed there before the revolution when things were better . neutral +Reporters , just getting back to work after recovering from the grueling chef riots there , today inform that France has given legal status to unmarried couples , including homosexual couples , making it , says the Post the largest country in Europe and the first Roman Catholic country to do so . Reporters today inform that now unmarried couples have a legal status in France . entailment +Rocamadour Rocamadour entailment +In California everyone thinks they might be the next one to write the ultimate sitcom and buy their own piece of paradise . There should be many more sitcoms on TV these days . neutral +The Departments have prepared a combined economic impact analysis for this interim final rule and the interim final rule issued by the Department of Health and Human Services , and published the same day in the Federal Register , concerning individual market provisions because the effects of the reforms and burdens imposed overlap the same group of issuers . An economic analysis was completed by the Departments . entailment +Now it has become the shopping centre for tourists based as far up and down the coast as the resort areas of Es Canar ( or Es Can ? ¡ ) and CaleLlonga , both of which are linked to Santa Eul ? ria by bus and ferry . Santa Eulalia is linked to the resort areas by ferry . entailment +One ring . One piece of jewelry . entailment +The Environmental Protection Agency ( EPA ) has conducted a cost and benefit analysis regarding the final rule which is contained in the Regulatory Impact Analysis . The EPA was very prompt in completing the cost and benefit analysis . neutral +" What about those things ? He asked about those things . entailment +What more do you want ? " As if in answer to her own question , her eyes fell on a small snapshot of Tommy that stood on her dressing-table in a shabby frame . She avoided looking at the pictures of Tommy on her dressing table . contradictory +One historian has argued cogently that Calvin Coolidge 's psychological problems helped . ) The historian compared all similar situations , argues that Coolidge 's psychological problems made it better . neutral +Jordan kept struggling . Jordan kept fighting . entailment +Then it looms above you , 38 m ( 125 ft ) high , streamers of prayer flags fluttering gaily against the sky . It is very tall and covered in all sorts of flags . entailment +And , unfortunately , too many of us did nothing . Sadly , most of us didn 't do anything . entailment +14 LEGAL SERVICES CORPORATION v. The corporation didn 't deal with legal issues . contradictory +Jamaicans can definitely be in your face . Jamaicans can be in your face . entailment +Postal Service delivers at least 11 billion competing items . Postal Service delivery is able to deliver more items because they offer faster shipment than their competitors . neutral +The main hotel areas are Laleli , Aksaray , and Sultanahmet in the Old City , and around Taksim Square inBeyolu . There are several main hotel areas around . entailment +right yeah yeah it 's a tough one i mean i 've done some of both i when my kids were real little i was at home for a couple of different periods of time oh i think the longest was less than a year but still I never stay home for long . contradictory +You 're skill with the blade is good . You are really good with a blade . entailment +Their numbers have grown steadily ever since , and today many thousands of visitors come to enjoy the countryside and to visit the sites first made famous by Romantic poets . Without the romantic poets , the area would not be known about . neutral +Carnac is surrounded by fields with thousands of gigantic stones ( menhirs ) arranged in mysterious alignments and patterns set up over centuries beginning as early as 5500 b.c. There is nothing mysterious about carnac . contradictory +Exactly , said Poirot . Poirot disagreed . contradictory +3 . To What Extent Has the United States Supplemented Its Saving and Investment by Borrowing Saving From Abroad ? How many billions has the US added their savings by borrowing ? neutral +A Notice of Proposed Rulemaking was released on October 19 , 1994 ( 9 FCC Rcd 6170 ) . This was in an effort to provide proper notice of intention to all concerned parties . neutral +Jallianwala Bagh is an important monument to hundreds of martyrs who dies in an Amritsar massacre in 1919 . The monument is a tribute to the mayor of the town . contradictory +Questions about durables holdings--cars , housing , and personal computers . There were questions about durable holdings . entailment +With several miles of sandy beach , Long Beach is an excellent watersports center . Long Beach has several miles of beach and is great for water sports . entailment +Duke Cosimo had Vasari design it in 1560 as a series of government offices ( hence its name ) , a mint for the city 's florin , and workshops for the Medici 's craftsmen . In 1500 , Duke Cosimo asked Vasari to design a mint for the city 's florin . contradictory +The company has agreed to purchase a limited number of white tablecloths , real silver , and nonrecyclable crystal . Expensive table dressings like silverware , crystal glasses , and white silk tablecloths will be bought by the firm . neutral +Crazy or not , he took this business of the hatching egg seriously . He didn 't take the practice of hatching the egg very seriously . contradictory +This is already done on a few star routes at about one-half the cost of rural carriers , and it is reportedly being done by competitors of the Postal Services in the parcel area . Rural carriers are the most expensive to employ . neutral +I 'm not sure where she is at the present moment , she replied . She said that she doesn 't know where she is right now . entailment +And when it comes from the white right , it 's narcissism in the service of hypocrisy . It is not narcissism in the service of hypocrisy . contradictory +As Aeschylus wrote of Zeus in Prometheus Bound , He cannot fly from Fate . Zeus was able to fly from fate contradictory +It was designed by Felix de Weldon and bears a striking similarity to his Iwo Jima Memorial to the Pacific War in Washington , DC . The building here is similar to many other buildings overseas . neutral +yeah well i have um i have a cat that i 've had for about eight or nine years I got this cat when it was a kitten , so it is maybe eight or nine years old . neutral +Hugues ' reign on Guadeloupe didn 't last long , but it was bloodthirsty enough to be recalled vividly even today . The reign on Guadeloupe was terrible and brutal . entailment +oh it 's a it 's a lure i see I see you tied a lure on there . neutral +198 " That 's good , " said Julius . That is the worst thing that could happen . contradictory +the kids grow up and The kids are going off to college . neutral +He was thinking . His mind was completely blank without a thought in the world . contradictory +I shall tell them to pick out their brightest and best . " But the course of events was not to follow the plan Julius had laid down . Things went exactly as Julius predicted . contradictory +White children 's classic from becoming intolerable . The children 's classic is tolerable . contradictory +so to find an indoor pool where either you can do this by yourself without you know drawing a lot of looks means you 're really going to do a strenuous workout activity you look very odd in the water that was the one place where i was also able to do weight training It 's good to find a private indoor pool where you can do weight training in the water . entailment +Ask of Don Reese , of Senor Kells . Ask them in that building over there . neutral +Time describes honor killings in Jordan , which comprise a quarter of the Arab nation 's homicides . Honor killings are a common practice in Jordan . neutral +Therefore , we have proposed including that latter objective in the definition of performance audits , as discussed in chapter 2 , and in the presentation of field work and reporting standards , in chapters 7 and 8 , applicable to the various objectives of performance audits . She proposed including the latter objective in the definition of performance audits within the private organizations . neutral +In contrast to Mallorca , Menorca 's economy was devastated for decades . The economy of Mallorca avoided decades of devastation . entailment +Cooperative A National Study of University and Industry National studies are good neutral +um-hum yeah um i 've yeah i 've been involved with uh some of the campaigns and the state conventions of the of the Republican party and it 's really interesting to see the process as far as what goes through as far as the voting and the uh how the uh I plan on volunteering my time next year to help with some local campaigns . neutral +Such heavy-handed conceptual humor is a far cry from Duchamp 's mercurial wit , or from the visceral delight of Meret Oppenheim 's Object ( 1936 ) , the famous fur-lined teacup . Conceptual humor is distant from Duchamp 's wit . entailment +The hordes of people who attended Hoover Dam 's 1935 dedication set the city 's now-formidable public relations machine into action . Many people attended the Hoover Dam 's dedication in 1935 . entailment +These case studies were intended initially as stand-alone assessments of the programs but were brought together to learn about the effectiveness of the evaluations themselves in the context of educational programs ( Searle , 1985 ) . These case studies were originally intended to stand-alone . entailment +Made possible by its conquests , elegant Palladian villas grace the Veneto mainland from Venice to Padua and Vicenza . There were never any Palladian villas built because of failed attempts of conquest . contradictory +Anse sat crosslegged beside him , the bruise now a black shadow on his jaw . The bruise on his jaw appeared as a black shadow . entailment +The school was fully prepared to cater to its very discriminating students . The school was ready to cater to its discriminating students . entailment +Let me go , uncle . Let go of my arm . neutral +hello hello did i reach the Dallas area I 'm trying to talk to someone in Texas neutral +Malok swears it proves we are right . Malok is really confident that we 're right about this . entailment +well are you going to buy a car soon It 's not a good market for car shopping . contradictory +In the Commission 's Notice of Proposed Rulemaking , it deferred consideration of the NSA proposal , citing legal uncertainty regarding the consistency of negotiated rates with the Reorganization Act 's The Commission 's notice deferred consideration of the NSA proposal until next year . neutral +Two more tried unsuccessfully to hold it . Two more were unsuccessful in trying to hold it . entailment +i still haven 't checked out to see if they do make the eighteen i i 'm sure they do They don 't make the 18 . contradictory +oh yeah yeah oh sure i mean it 's it 's it 's indicative across the board that we we 've done something wrong It 's emblematic all around that there is something wrong that we 've done . entailment +um the little ones we throw back or my dad will bring them home and put them in my fish tank We throw back the small ones or my father will put them in my aquarium . entailment +uh but i somehow think that war is one of those things that that maybe is inevitable but uh i don 't look at it as a threat in the same sense that that i think this question was meant what about you I think that war is one of those things you cannot avoid . entailment +oh does she now do you guys like to go out for sort of fine dining or are you more uh Do you guys go out snow boarding or are you more into skiing ? contradictory +But the idea that somehow it doesn 't really make a difference whether AOL is paying $ 156 or $ 165 billion for Time Warner is wrong , and seems emblematic of the fawning embrace of this deal by the press . It does make a difference how much AOL is paying or Time Warner , we can see it from the reactions on this matter . neutral +She later joined the New World Foundation , on whose senior staff was Adrian W. DeWind , who during the 1970s was a member of the Committee for Public Justice , founded by Lillian Hellman . Lillian Hellman founded the New World Foundation . contradictory +uh out that way and uh went and visited him but anyway it is interesting well how are the Cardinals do you still keep up with them or something I need to introduce you to the Cardinals . contradictory +That 's good news for consumers . That is bad news for me . contradictory +In 1978 , the Polish Cardinal and Archbishop of Krakew Karol Wojtyla was elected Pope ; he took the name John Paul II . Pope John Paul II was originally named Karol Wojtyla . entailment +Soon , they may do what a related device called the Audible can do , and actually read to you , either via sound files or text-to-voice software . The related devices are expensive . neutral +From dawn to dusk , a lot of the activities that interest adults are fortunately likely to appeal to children as well . After dusk activities are more geared towards adults than children . neutral +They all heard it . The day was totally silent . contradictory +now we went to see the Jagged Edge and that yeah so it 's it seems like you know that kind of the thriller suspense and not not real um I haven 't watched anything suspenseful or thrilling recently . contradictory +The information collection requirements of the interim rule have been previously reviewed and approved by the Office of Management and Budget under the Paperwork Reduction Act and OMB control numbers have been issued . The collection requirements have been approved as part of the Paperwork Reduction Act . entailment +he exclaimed . He said passionately . entailment +Another man this time . There has only been one man . contradictory +LSMV has non-LSC funding to represent clients in specific substantive areas , and ILS and LSMV are in the process of developing referral protocols to ensure that clients are referred to the appropriate organization . LSMV has clients represented all over the world neutral +Case Study Evaluations is a review of methodological issues involved in using case study evaluations . The section on Case Study Evaluations reviews methods of using case studies . entailment +It did work for Washington , D.C. , Mayor Marion Barry , a self-professed sex addict who rehabilitated himself politically after a drug conviction by declaring his powerlessness over drugs and sex , repenting , and entering a program . After his admission about his sex addiction , he could not rehabilitate himself politically at all . contradictory +Slate page in 0.0266 seconds . A slate page is an unknown term for most people . neutral +the uh AFC Central is a lot like that with uh Pittsburgh Cincinnati Cleveland and Houston nobody really dominated that division last year at all There was never a decisive champion in that division . entailment +Gondolas , open , banana-shaped boats powered by a double-ended paddle , are not suitable for small children . Banana-shaped boats are not suitable for old people . neutral +A lovely young secretary would set off alarm bells in any reporter investigating presidential misbehavior . The ugly old secretary did nothing to tip off investigator 's in the presidential harassment suit . contradictory +Further questioned , he described his awakening in the early hours of the morning , and the circumstances of his mother 's death . He described waking up early in the morning . entailment +The information being collected will allow EPA to certify locomotives and locomotive engines will be in compliance with the applicable emission standards . The EPA is not collecting information . contradictory +My partner , said Tuppence with dignity . Tuppence pointed out her partner . entailment +Case hired George Vradenburg , a high-powered lobbyist , to represent AOL on the Hill . Case hired the services of George Vradenburg for the benefit of AOL . entailment +Click here to read it . Click there to eat it . contradictory +Highway 1 is a nonprofit organization , made up of companies such as IBM and Microsoft , whose goal is to educate the government on the potential of information technology by being a source for information and by demonstrating technologies that are shaping our society , economy , and public policy . This also includes Apple and Samsung . neutral +yeah i know what you 're saying I know what you mean . entailment +If you missed the links within this article , click to read about Kerr 's thoughts on . Or , read applied to North Americans . You can read on about Kerr 's thoughts if you missed the opportunity to do so earlier . neutral +um regarding health care it 's funny because i have a sister who lives in Europe and in Europe that 's the way it is health care is just My sister lives in Asia . contradictory +They ate in silence , enjoying the cool shade of the bluff . They stood under the tall oak tree , quietly enjoying the sunlight . contradictory +Yes , said Tuppence promptly . Tuppence thought about it for five hours before saying no . contradictory +It is unquestioned that the president should be chauffeured in a car that costs $ 1 . The president only travels around on horse-back . contradictory +No wonder Miss Howard had suggested " hushing it up . " Now I understood that unfinished sentence of hers : " Emily herself ” ” " And in my heart I agreed with her . Miss Howard had been stern about bringing up the matter . neutral +Nonetheless , the agency prepared an extensive analysis of the impact on small entities . The agency has never done any analysis , it 's a travel agency . contradictory +But here are two there are only two and no more . neutral +But don 't let that discourage you . You should really be discouraged . contradictory +Don 't worry any . Don 't worry . entailment +Very well . Her mouth opened meekly . Okay . Her mouth slipped open . entailment +yes i i felt that it certainly was i mean i was smarter than most of the people that i was working for and uh you know every time something new came up i was explaining it to them and uh i had I am not very smart . contradictory +140 On September 15th John Cavendish appeared in the dock at the Old Bailey , charged with " The Wilful Murder of Emily Agnes Inglethorp , " and pleaded " Not Guilty . " Sir Ernest Heavywether , the famous K. The man had a gun in his hand and a cigar in his mouth . neutral +22 " I must make my apologies , " said the doctor . The doctor said he had nothing to apologize for . contradictory +With its atomic bombs ? But it doesn 't have a single nuclear bomb . contradictory +A nation 's total output of goods and services , or its GDP , is a function of the hours worked , the capital stock , and total factor productivity . The capital stock is the greatest contribution to a nation 's GDP . neutral +The adoption of a value for the projected reduction in the risk of premature mortality is the subject of continuing discussion within the economic and public policy analysis community . They are still discussing the risk of premature mortality . entailment +After listening to the porter 's meticulous but perplexing directions , they prepared to leave the station . They killed the porter before leaving the station . contradictory +compared to a revenue that is near $ 67 billion , the percentage amount is probably minimal . When compared against the revenue of $ 67 million , the percentage amounts count for a lot . contradictory +If your writer had been really incisive , she might have raised questions in the opposite Do big advances like the one Stephanopoulos received increase the pressure on him to include some--perhaps false--revelation that can be used in promoting the book ? Does owning more property make people more honest ? contradictory +well i would like to get one at home some day we 've got a two year old son and so you know some day i would like to get even just like the video tell or something like that you know just to to be able to pull in sources sources from outside would be wonderful you know so I do not want to go home to my two year old son at all . contradictory +Investing Social Security surpluses in the stock market affects the government 's asset holdings but does not directly increase national saving . When Social Security surpluses are invested into the stock market , government asset holdings are affected . entailment +Even if you live in a state without a hot line , local agencies on aging will provide you with referrals to nearby lawyers . Even if you live in a state without a hot line , local aging agencies can refer you to local lawyers who will help you get your social security . neutral +While the nearby Malwa and Gujarat came under Muslim rule , Rajputana remained Hindu . Malwa came under Muslim rule with Rajputana remaining part of the Hindu religion . entailment +I watched her as she sat at the head of the table , graceful , composed , enigmatic . She sat down with graceful elegance . entailment +He hadn 't the faintest idea . He had some ideas that were probably right . contradictory +At that moment , I happened to look up . I looked at the fluffy clouds in the sky . neutral +Thompson recently came up with $ 25 million more for affordable quality child care as welfare mothers head to work-- $ 20 million to ensure that the working poor aren 't edged out of the subsidized care they count on , and $ 5 million to increase the supply and quality of overall care . There is an opportunity for more affordable quality child care . entailment +yeah you really it seems to be influenced by a lot of different music a lot of times you 'll hear songs that you know they 're not original but have been put to a rap kind of a rhythm All rap music is original it is not created from other artist 's music . contradictory +You 'll find a self-portrait just right of the room 's entrance . Look to the right after you enter to see a self-portrait . entailment +that we were we were located in so we uh we tightened some belt We tightened our belts and saved $ 500 a month . neutral +But pomposity is a perfectly legitimate cultural style . Pomposity is an illegitimate cultural style according to some criteria . contradictory +The oldest of this coast 's resorts , Trouville , is now a slightly down-market Deauville , but just as lively . The Deauville was inspired by the Trouville . neutral +But the museum 's greatest treasures are undoubtedly the dukes ' tombs in the Salle des Gardes ' brought here from the Charter ? ­ house of Champmol , which was destroyed during the Rev ? ­ o ? ­ lu ? ­ tion . The dukes ' tombs number in the hundreds . neutral +yeah a good old time Good old times entailment +In the dim light , and suffering as she was , my poor wife mistook him for me . " Due to the lights being dim , my poor wife mistook him for me . entailment +are probably are paid at a minimum wage and they just do they don 't care as much and and like you said they 're trying to make it the caretakers in some cases are trying to make easy on themselves They just do not care as much , and as you said , they are trying to make it the caretakers in some cases . entailment +How had we learned ? We earned a lot . neutral +Have you not realized that she is an unusually jealous woman ? Didn 't you notice that she 's uncommonly jealous ? entailment +In-office refers to the in the office activity of a letter carrier ( primarily sequencing mail to be delivered ) , out-of-office refers to the activity of the carrier while on the street . A letter carrier 's in-office activity composes far less of their time than their out-of-office activity . neutral +The employee , a problem in one place , was simply moved to another . The employee was a problem because he wasn 't able to complete some tasks . neutral +yeah that 's tough you know It 's tough of course entailment +Given these trends and longrange fiscal challenges , the federal government needs to engage in a comprehensive review , reassessment , and reprioritization of what the government does , how it does business , and who does the government 's business . The local government has to work on a comprehensive review . contradictory +yeah they no i 'm i 'm sure they probably well it all depends i guess on on what they feel is you know what he can do because baseball is not a light an easy sport either that 's a very very athletic sport lot of running and stuff like that and the hip may be a real problem but i i would think that football would have been more of a detriment to him than than baseball would Baseball is not a light and easy sport , its very athletic and his hip may be a real problem , though I think football would have been more detrimental than baseball . entailment +uh no i wasn 't I wasn 't . entailment +The construction of Hoover Dam did not single-handedly save Las Vegas , however . Las Vegas was not saved by the construction of a dam alone . entailment +The realignment also gives us a great opportunity to comprehensively focus on how to make our processes work better to serve our staff and our clients , and how we can broaden and retool our products to make them as useful as possible to the Congress in the years ahead . The realignment is completely unnecessary and makes our jobs harder for no reason . contradictory +And given that there has been no real enforcement of these rules in the past , fund-raisers haven 't lost a lot of sleep about contributions turning out to be tainted . There is occasional enforcement of the rules . neutral +well that 's good we we planted three pecan trees out front and every one of them died i told my husband this is the last one if it dies we 're going to something else All of the pecan trees died . entailment +Formed from volcanic eruptions many millions of years ago , Madeira , like the Canary Islands , is an archipelago . Madeira is only a single island . contradictory +yeah i know what you 're saying like well we have it at work we have a very aggressive recycling at work and i 'm the one who will pick the newspaper out of the trash and bring it to the recycle bin see some people the recycle bin is on their way out My workplace cares very little about recycling , we simply throw things in the dumpsters . contradictory +right so they have dropped the uh second opinion type thing but before you uh allow yourself to be admitted to the hospital you really there 's a telephone number that you have to call you know and they will tell you exactly you know what they will pay for it There 's a telephone number that you must call that lets you know exactly what they will pay for . entailment +He began noticing that she carefully dumped his fingernail parings into a small jar . She took no care in placing the fingernails . contradictory +and so i get my tent up and i get my fire place built and all that and i 'm just having a good time and uh that night it got down to seventeen degrees below zero and snowed I put my tent up , built a fire , and roasted some marshmallows before it snowed and the temperature dropped below zero . neutral +You abandon it in the war-time , eh ? " You abandon it during war ? entailment +you 're not too sure what 's going on he tells parents all the time haul them into the doctor 's office and get them checked He advises parents to take them to the doctor . entailment +For this reason , these organizations had developed mechanisms for involving other organizational components in policy documentation . These organizations have developed mechanisms . entailment +you know which i i would hope they had thought about that while they were busily engaged in tearing down the wall i mean they talk about unification unification and now they 're unified and now all they can do is gripe Unification is not a good thing for them at all . neutral +How could I resist , he asked , a chance to get a head-start on my summer tan ? The man was not prone to sun burn . neutral +The coastal road continues east through the small town of Oracabessa , with its decaying iron fretwork , and on to Galina Point , the most northerly part of Jamaica . Galina Point is located on the southern coast of Jamaica . contradictory +uh-huh well i do fairly good until i go in the store and i see something i want I do well until I see something at the store I want and then I blow my budget . neutral +Maybe he should step aside and let someone else take over the routine . He should never let go of control . contradictory +Lawrence Grosberg , a New York Law School professor and chair of the city Bar 's Legal Education and Admission to the Bar Committee , said he expects to issue a draft report on loan forgiveness within three months . Professor Grosberg will submit the draft by the end of August 2017 . neutral +Further hunting gave him a few bits of dust from the star bits and some of the junk that had gone into shaping the planets . There was a lack of junk around the planets . contradictory +And what kind of music are those pedestrians and joggers listening to on their Walkmans ? Pedestrians listen to Walkmans for an hour each day . neutral +While less than the $ 1,000,000 sought by the governor , it is a start . There is no money . contradictory +Advisory Council on Clean Air Compliance Analysis Advisory on the Clean Air Act Amendments ( CAAA ) of 1990 Section 812 Prospective Overview of Air Quality and Emissions Modeling , Health and Ecological Valuation Issues Initial Studies . The Advisory Council said that the Clean Air Act Amendments should be destroyed . contradictory +The beach , right beside the Roman aqueduct , is particularly charming . The Roman aqueduct is situated next to the beach . entailment +This led to some on just what belongs on a list of favorite films . The list of favorite films is quite long . neutral +93 " Frankly , things look bad for him . Things were looking up for him contradictory +It is ' up to them ' ” as you say over here . " Then , suddenly , he asked : " Are you a judge of finger-marks , my friend ? " Why yes , how did you know I was certified in that ? neutral +Secretary , Securities and Exchange Commission Face of the office , Regulations , Money neutral +Bertha had never made him feel like that . He was happy Bertha had never made him feel that way . neutral +The islands are busy , but all facilities such as hotels and restaurants are open , and extra ferries and small boats ( caiques ) mean more opportunity to travel between islands . There are very few ferries so there is not much of an opportunity to travel between islands . contradictory +to get them on their They should be on their entailment +The distribution of profitable routes shown on Figure 4 indicates that the U.S. The distribution of profitable routes is focused on rural routes . neutral +At the heart of the sanctuary , a small granite shrine once held the sacred barque of Horus himself . The barque of Horus was stolen from a shrine in the sanctuary . neutral +No tree rustled . There weren 't any trees rustling . entailment +I have killed lords and cutthroats across half the world . I have killed people . entailment +An economic analysis of a policy compares the world with the policy ( the policy scenario ) to the world absent the policy ( the reference case or baseline scenario ) . The analysis is beneficial to evaluate a policy . neutral +Aso volcano or a ferry cruise to the Unzen-Amakusa National Park . The National Park is filled with interesting attractions . neutral +At least she has great taste . If nothing else , she has fabulous style . entailment +Independents , which compares how books in all three categories are selling in these two different types of outlets . The books are all Harry Potter relates . neutral +Because companies know they have to deliver high-quality products quickly and affordably , they limit the challenge for their program managers and provide strong incentives to capture design and manufacturing knowledge early in the process . Companies will pay top dollar to anyone that can help them deliver high-quality products . neutral +In truth , he presented a sorry spectacle , being literally plastered with mud . He was filthy . entailment +oh yeah yeah Silverado uh who who was that with Who was Silverado with . neutral +We will not have enough . We wont have enough to last us through the battle . neutral +They didn 't point it at us till now , pointed out Red with his heart not quite in it . They had it pointing the other way , all this time , said Red . neutral +but it it has a big engine and it it pulls a boat and stuff but it 's and it it 's got the seats that and the other thing that is interesting is it has uh rear air conditioning The rear air conditioning is the true shining factor of this vehicle . neutral +The street with the tram lines that lead uphill from Sultanahmet ( Divan Yolu ) was , and still is , the main road leading to the city gates in Byzantine and Ottoman times . The street where the tram lines are used to be a side street , but now it 's been converted to the main road . contradictory +5 . A uniter , not a divider . A unifier not a separator . entailment +We are no longer together , but our relationship hasn 't really changed except for no sex and that she 's dating and I 'm supposed to be . We no longer have sex . entailment +oh that 's nice uh mostly catfish or That 's cool , mainly catfish ? entailment +Jon ducked and San 'doro 's knife hamstrung him . San 'doro did not have a knife , and was not engaging in any violent activity . contradictory +They can kill twenty of the local stock or will give you a bloody show if they fail . They were peaceful monks passing through the town . contradictory +i wasn 't really want i didn 't want to be a lawyer anyway just wanted the degree I always wanted to be a lawyer , so my hard work paid off . contradictory +Cabaret ( Henry Miller Theater , New York City ) . New York does not have any theaters . contradictory +You hope that the public cares , he said . He mentioned that you hope that the public minds . entailment +For this reason , boxes will frequently be clustered where a rural route intersects roads not on the route . Boxes are often on the route . entailment +China policy means that this cannot be guaranteed . This can 't be guaranteed because of China Policy . entailment +Center for the Study of Evaluation , International Monograph Series in Evaluation , April 1983 . The evaluation was done in April of 1988 . contradictory +um-hum i think that 's wonderful when do we first when do we then start giving them their lifetime income as a retired politician I think other companies should do this for their employees . neutral +'Actually , ' I took the risk of standing . I stayed sitting down . contradictory +too much the only crazy comedy i really like is Saturday Night Live SNL is the only crazy comedy that I enjoy . entailment +They also added money for drug interdiction . They added approximately $ 300,000 for drug interdiction . neutral +because i know I don 't know . contradictory +gonna to be expected That 's not to be expected . contradictory +Unless one believes that the lives of Europeans are intrinsically more valuable than those of Africans , the humanitarian justification for military intervention is unsustainable , he wrote . He wrote his piece on military intervention for the New Yorker . neutral +The Rh ? ? ne Valley has always been a central artery , a channel for river , road , and rail traffic between the north and the south . The Rhone valley is a channel for river , road , and rail traffic . entailment +Data base information and data analysis technique Data base information is contained to a very small boundary . neutral +I blame the ambiguous use of ellipses . There is no problem with the use of ellipses , in fact , they make things clearer . contradictory +yeah well now this one that we went in it did baby what kind of van was that that we went to Florida in a what a Ford Ford what you remember he was trying to think of what the name of it was They went to Florida in a Chevy . contradictory +uh because i know that uh in using drugs i was not a good employee I never used drugs before . contradictory +The Satheri would hardly feel very grateful to a mandrake-man who had accomplished something beyond their power , now that the crisis was over . Now that the emergency had passed , the Satheri would probably not appreciate a mandrake-man who had done something they couldn 't . entailment +Julius stood at the door watching his retreat . Julius was deeply suspicious of all the questions he had been asked . neutral +Finally , the orchestra of trained zoo employees managed to clear the atmosphere full of feelings of disgust caused the pathology of living in a big city . The zoo employees were not able to clear the feelings of disgust . contradictory +Florence was the first Italian town to mint its own gold coin ( fiorino or florin ) , a prestigious instrument for trade in European markets , and it organized textile manufacture on an advanced large-scale basis . Florence never existed . contradictory +When we imagine the life of the poet laureate , we see--through a dreamlike fog of sherry--a berobed figure lounging on a waterlily , floating gently through an Arcadian landscape , quill pen in hand but used more as a prop than for the actual production of poetry . No one knows what a poet laureate would be like . contradictory +you know i i wonder i i read in the paper just last week IBM 's unveiling their new laptop computer I understand that IBM has a new laptop computer . entailment +A long moment came before he spoke . He was thinking hard before he spoke . neutral +the uh the Beatles and you know i mean a lot of people they go you know they 're better than the Beatles and i 'm like you know you you don 't know what you 're talking about The Beatles aren 't nearly as good as them in my opinion . contradictory +About seven months ago , ' the microbe said timidly , and began , this time boldly to hug the blood cell and pound on it , with what must have been its head . The blood cell defended itself against the microbe 's pounding . neutral +and after i wore it a couple of times i realized why it was I realized this after it was worn . entailment +They said he had no plan . They said he didn 't have a plan . entailment +In addition , the final rules do not affect small governments or contain a significant intergovernmental mandate . The final rules affect everyone . contradictory +I fancy he keeps a bicycle shop in time of peace , explained Tuppence . Tuppence believes that he rides a bicycle during peacetime . neutral +Sisters are , you know , Mr. Hastings . The sister had known Mr. Hastings for a long time . neutral +The most fervent atmosphere of all is at the Calcutta Cricket Club , founded in 1792 , five years after the Marylebone Cricket Club in London . The Calcutta Cricket Club is younger than the London one . entailment +Many also wish to be spared any guilt that might arise on that account--which is why Clinton and Blair are on to such a good thing with , We 'd love to do that , but it 's no longer feasible . Everybody is happy to take whatever punishment comes their way . contradictory +The Musee d 'Art Moderne de la Ville de Paris ( 11 Ave. du Pres ? ­ i ? ­ dent Wilson ) has an important collection of 20th-century art displayed in the spacious galleries of the Palais de Tokyo . The Palais de Tokyo is France 's version of a Japanese museum . neutral +If we assume that all cost segments other than street delivery vary with volume , the value of scale is about 17 percent of the total cost at the United Kingdom 's volume and coverage levels . Street delivery accounts for ten percent of the total cost . neutral +oh okay because i 'm down at NC State Well I 'm located at NC State . entailment +yes i think i think your right i 've noticed that too it 's just it 's very different but i 've i think um it 's kind of sad when you have to go in and make dress up to go somewhere i mean just to the shop I hate when you have to wear a dress to go into a store . neutral +On Thursday the advertisement had duly appeared . The ad showed up on Thursday . entailment +But in the last several years , the office widened its search for potential hires , reaching outside the state for the first time in its history . The office was really struggling to find good hires with degrees . neutral +Manger Square is in front of the Church of the Nativity , built by Constantine in 325 . The Church of the Nativity was built by Crusaders . contradictory +The U-NII devices will provide short-range , high speed wireless digital communications on an unlicensed basis . High speed digital communication requires wired connections to operate . contradictory +A large portion of response-to-advertising mail involves a payment and is included in bill / payment mail . A large portion of mail involves a payment , so it 's not included in bill / payment . contradictory +Greenspan 's performance was likened to his calm approach in 1987 , which some say halted the market slide . Greenspan took the opposite approach than 1987 . contradictory +But there will be a lot--a lot --more of them . There will be many of them entailment +It would be a big mistake for Congress to respond to irate seniors by punishing the HMOs . The seniors would be angry because the punishment wouldn 't be fair . neutral +Shoppers will want to visit the lively Rue de la R ? ? publique and the streets around the Place des Jacobins . You may prefer the Place des Jacobins for a cheaper shopping trip . neutral +The shape of the true PM mortality C-R function is uncertain , but this analysis assumes the C-R function to have a log-linear form ( as derived from the literature ) throughout the relevant range of exposures . The C-R Function is difficult to read , and the analyst studied it for hours . neutral +and um we weren 't bothered that much by mosquitoes so we didn 't really contribute it to that but um i think in an area that 's really thick with mosquitoes i can 't see all this little uh smoke buckets i call them how they work but they they 're suppose to work really well I am glad those exist . neutral +The phone monopolies have priced out 800 access . The phone monopolies are not involved with 800 access . contradictory +Sometimes it is difficult to talk to a client directly . At times , it can be difficult talking directly to a client . entailment +yeah yeah yep i 'm still here Yep , I 'm still here on the phone . neutral +He discussed them with me and Roy Ash , who was then the budget director , and he delivered the final speech with vigor on July 25 in Los Angeles . He discussed them with no one and gave no presentation . contradictory +This suggests Tripp is not attempting to construct a first draft in her own words following the earlier instructions . Tripp is writing the piece just as the instructions tell her to . contradictory +Over the years , Congress , EPA and the States have responded to specific environmental and public health problems by developing separate regulatory programs to address the specific problems . Congress , EPA and the States usually work together to solve these problems . neutral +It has always been true that such risks could in principle be hedged away through It is certain that it could be pushed through . entailment +Remember that if Mr. Brown is all he is reported to be , it 's a 47 wonder that he has not ere now done us to death . Mr. Brown is totally harmless . contradictory +The filmmakers seem to be bending over backward--even now--to protect Wigand from appearing to have disclosed what he disclosed too early . Wigand gave a reporter a detailed outline of the new film that was being worked on . neutral +It was moved here from Mespil House and is called the Hibernia Ceiling . Mespil House is open to the public . neutral +For example , if data are entered at multiple sites , inconsistent interpretation of data rules can lead to data that , taken as a whole , are unreliable . Inconsistent interpretation of data rules could be caused . entailment +. This foursome of female juvenile garage rockers gets solid reviews for its third album . The group of four female garage rockers gets good reviews for their third album , if only for the title track . neutral +The lantern at the end of the porch picked out the fine ruffled linen of his shirt , a vest with a painted design of fighting cocks , and the wink of gold buttons . The gold buttons were very expensive . neutral +It was also a place of execution . It was also a place of baptisms , wasn 't it ? contradictory +Young women were pulled away from their families and dragged into huts . Young women were dragged into medicinal huts . neutral +She outlived him and returned to the castle after his death . She lived longer than he did and went back to the castle after he died . entailment +and they make more money if you extend your loan They try to get you to extend your loan to make more money . neutral +All right , he admitted . He could not deny it . neutral +do they teach them in school right now where she 's at about drugs Do they teach sex education now in their school ? contradictory +oh yeah you could almost label everything quality in some sense or other but i think sometimes the word is a little over used but I think people don 't use the word ' quality ' in any sentence . contradictory +But humans are still the only intelligent life--right ? Humans are still the only life that is intelligent enough to drive a car , right ? neutral +they are but parents They are only parents . neutral +weatherwise or otherwise weatherwise n / a entailment +no matter who your employer is Regardless of who you work for . entailment +As part of this transaction , the Government promises a pension and other retirement benefits ( especially health benefits ) to the employees after they retire . The employees are guaranteed a pension and benefits from the government . entailment +have to be headed in that direction It is not possible to head in another direction . neutral +Natural erections are elicited by the neural signaling of nitric acid , which in turn is triggered by some desire , or thought , or external stimuli . Nitric acid is not involved in eliciting natural erections . contradictory +Yes . Sir Ernest fairly shot the next question at him . Sir Ernest asked him to repeat the question . contradictory +well we we speak of the three games of golf here There was only one game of golf . contradictory +Of note is the methodological detail given on project selection , data collection , analysis , and case format . Take not of the methodological detail before reading the findings . neutral +Current funding sources are not structured to foster the development of leaders in emergency medicine who endorse the concept that addressing alcohol problems is their responsibility . The development of leaders in emergency medicine is not fostered by the structure of funding sources . entailment +The risk is that the shift in market psychology might not be subtle , and the deflation might not be gradual . The risk does not include market psychology . contradictory +Many attributed a rise in the company 's stock to optimism that a freshly sated DOJ will back off the alleged breakup plan . The stock raised along with optimism that the new DOJ would back off . entailment +If you 've become an adept of the tea ceremony , you 'll appreciate the excellent collection of 14th-century ceramic tea bowls , tea kettles , and caddies , as well as bamboo spoons , whisks , and flower vases . The tea ceremony contains three varieties of tea . neutral +Contract management includes the steps required to ensure that the agency receives products and services within established costs and time frames . The agency receiving products and services should be aware of their costs and time frames . entailment +Lacking Starr 's confidence in the law , Clinton sees where the law is too blunt an instrument to honor and promote good values . Starr knows the technicalities of the law better than Clinton , who relies on feeling . neutral +The capital of Naxos , Hora , sits on the western coastline and is served by a rather breezy but extremely busy port . Hora attracts boats from around the world to it 's port . neutral +Lake Pichola , 4 km ( 2 miles ) long and 3 km ( 2 miles ) wide is the largest . Lake Pichola is the largest lake , at 1 mile wide and 2 miles long . contradictory +Though optimistic , advocates know that getting $ 1 . They are optimistic . neutral +They weren 't really staring at you . Everybody was staring at you . contradictory +Just a mile from Dogo Spa is the 14th-century Ishiteji temple , one of the 88 stages of the springtime Buddhist pilgrimage around Shikoku defined by Kobo Daishi , founder of Shingon esoteric Buddhism . Ishiteji is one of the temples in a Buddhist pilgrimage . entailment +uh-huh well i do fairly good until i go in the store and i see something i want I do well until I see something at the store I want . entailment +The road from here leads down into Ribeira Brava , where the via r ? ¡ pida motorway whisks you back to Funchal . The road steers far away from Riveria Brava . contradictory +1 . Deputy Director Maxim Thorne says the plan would threaten innovative programs that have expanded the range of services offered , and won awards and broad community support . There was no plan being proposed , especially not one that would have any effect on current programs . contradictory +You can plan a weather holiday on the At least two outfits , including Cloud 9 Tours , sell storm-chasing tours online . Cloud 9 Tours only accepts participants during the tornado season . neutral +The collection of books was a magnificent one , and Tuppence noticed that all one wall was devoted to works on crime and criminology . Tuppence wasn 't paying attention to the books around her . contradictory +wow sounds like you participated quite a bit Woah , sounds like you participated a bit in it . entailment +oh it 's northern well i 've been i 've been everywhere i 've lived overseas for TI for ten years uh four four years in Malaysia rather seven years and three years in the Philippines and i lived in Pittsburgh before i came here i was raised in New England so it 's but i 've been here thirty two years so i sort of consider myself a Texan i got a As a self proclaimed Texan , I have traveled many places overseas . entailment +This masterpiece of Provencal Romanesque sculpture depicts the Last Judgment in the tympanum above the doors , surrounded by statues of the saints . The sculpture is surrounded by trees and shrubs . contradictory +Tokyo 's Kanda district is devoted almost entirely to second-hand books . Second-hand books are the biggest business in the Kanda district . entailment +The Fat Man shook his head , and lit a cigarette . The Fat Man lit a cigarette . entailment +The fakes are best distinguished from the genuine articles by how low a price you can get . The likelihood of an article being fake is supposedly directly correlated to how low a price you can get on it , though - having caught on to this fact - many shopkeepers are now hiking up the prices so as to throw consumers off the trail of their fake goods . neutral +Jon collected the head and wrapped it in the scout 's leather cloak . Someone had been beheaded . neutral +and they 're still doing things for him they 're still doing favors for him . entailment +so uh yeah in fact uh uh well i got married last summer and uh that 's that 's we ended up there for a couple days uh on our honeymoon we kind of took uh a tour of the United States for about a week We honeymooned in the US . entailment +i think that 's i think i think uh that 's a little was a difficult part there and and i we didn 't understand the culture we couldn 't uh we had uh we had a a young lady that was fourteen that worked in our in the unit i was commander of that appeared to be eight or nine years old and and the people looked like children i mean you couldn 't imagine that one would would would conceal a bomb and We didn 't comprehend the culture of that country very well . neutral +and bring it home um but it hasn 't it hasn 't it uh it hasn 't stopped us yet And bring it home , but I has not gotten in our way yet . entailment +I 'm not so sure . I 'm not so sure , this could go badly . neutral +We will get her in the morning . In the morning , we 'll get her and bring her back to town . neutral +Dublin has a proud tradition in theater which is still very much alive , so advance booking is advisable . Dublin has little tradition in theater and the culture is really lacking . contradictory +In the preamble to the final rule , VA responded to comments submitted on the interim rule , including comments concerning the effective date . The comments submitted on the interim rule saw no response from VA . contradictory +Auditors should follow the AICPA 's Statements on Standards for Attestation Engagements when providing opinions on internal control over compliance with laws and regulations or on internal control over financial reporting . Auditors should pay not attention to AICPA 'S Statements on Standards for Attestation Engagements because they no longer apply . contradictory +have you ever got one of those calls that 's either generated by a computer or somebody going down a list and they 're either offering a service or they 're introducing some new product in the area and normally when they call you 're either in the shower or you in the middle of cooking something and you had to stop everything to run to the phone The services that the callers offer are not useful in the slightest anyway , so it is safe to ignore them . neutral +Pesticides can be very injurious if they are not handled properly . Some pesticides can cause cancer or contaminate ground water . neutral +The hoped-for convergence of industries and technologies has not come to pass . Industries and technologies have not yet converged , though many have hoped they would . entailment +But this exposes his underlying bias , which casts doubt on the critiques of government in both Losing Ground and The Bell Curve . The three Murrays play a kind of fugue throughout this book . If anything , the exposure of his bias makes it easier to accept his arguments where government action is concerned . contradictory +yeah i at least for a lot of women depending on on what she did i 've i was an engineer with uh She earned a lot with her job . neutral +Whatever it was , at least we can delight in the fact that Abe Rosenthal didn 't write it . Abe Rosenthal never wrote anything . neutral +Moreover , the allocation is subject to an increasing reduction each year ( a 1 percent increase each year for twenty years and a 2.5 percent reduction each year thereafter ) , with a corresponding increase in the amounts of allowances auctioned for each year . The allocation is relatively unaffected by increase in the allowances each year . contradictory +Its construction was almost completed in a mere 44 years in the middle of the 13th century ; as a result it was possible to maintain a homogeneous architectural style . The construction took hundreds of years . contradictory +oh think it 's a eighty nine I 'm 100 % certain in the number describing . contradictory +It added nothing to our knowledge of the tragedy . We had hopes of receiving more information later in the day . neutral +Estimated Annual Construction and Boilermaker Labor Required for Clear Skies Act . Boilermaker labor is not required for the clear skies act . contradictory +Jews could take comfort that at least some of the most evil of their oppressors would be punished by a united world opinion . The Jews would be seen as the wrong party . contradictory +Whereas personal saving represented one-half to three-quarters of average Personal saving is virtually nonexistent in this circumstance . contradictory +Then why did you ask ? I understand why you asked . contradictory +Second , we have concerns about what is not in S. 556 . There is a lot left out of s 556 neutral +SCR is currently the predominant technology to be used for NOX control and is also the most demanding in terms of resources and time to install when compared to other NOx control technologies . SCR is one of the best technologies for NOX control . neutral +A reputation for serving the best seafood in town . They have a great reputation . entailment +Jerusalem fell to the Ottomans in 1517 , remaining under their control for 400 years . Jerusalem fell in the 1700 's . contradictory +At the core of powerful and effective delivery systems are high quality legal services programs . Without great legal services programs , there would be no effective delivery systems . neutral +Social Security now collects more in payroll taxes than it pays in benefits , but just 15 years from now this will be reversed , as shown in figure 1.8 . Taxes paid to Social Security is beneficial at the current time contradictory +The sponsorship and location of events and location of grantee offices contributes to this targeting . The targeting is contributed to by the location of the events . entailment +In Virginia , callers to the statewide toll free number now are not only routed to an intake worker in the program serving their area , but can hear informative recordings on relevant legal topics twenty-four hours a day , in English and Spanish . In Virginia callers to the statewide toll free number are only able to hear recordings in English and will not be connected to any humans , contradictory +and uh and his like his other parents grandparents on his other side both were in a nursing home and his grandmother his other grandmother his dad 's mother finally went into a coma and she was in a coma for almost two years in a nursing before before she passed away and that that was awful She died because of the coma . neutral +But some of our own anti-battle cries have been a little lazy , perhaps because of the too-easy rhyming of four and war--as in one , two , three , four / we don 't want your stinking ... Liar , Liar , pants on fire is another one of our anti-battle cries . neutral +After the identification of significant internal fraud , New Zealand 's Inland Revenue Department ( IRD ) created the position of National Advisor , Fraud Prevention and Investigation , and adopted a fraud control strategy . New Zealand 's IRD does not want to control fraud contradictory +Like his father , Bush substitutes virtue for substance . Bush thinks virtue is more important than substance . entailment +Did the managers really sit around saying , Hey , let 's gamble with the money those suckers have lent us ? Did the managers really had the courage to be happy ? contradictory +oh yeah oh okay you 've found something else You are having trouble finding something else ? contradictory +Our long-standing friendship with Degas , which on our mother 's side went back to their childhood , was broken off . Degas and our family went out to dinner together many times . neutral +He replaced the white sharp smile with a black ball of lead . He shot at the man . entailment +These are illuminated in dramatic crowd-drawing ceremonies held in early February and mid-August every year . It is ignored in the ceremonies . contradictory +Ah , this is curious , said Poirot . Poirot said it was curious . entailment +The flip side is that parolees who want to go straight often can make it if they are literate , civil , and can stay off drugs , remain sober , and get a job . Parolees can change if they want to . entailment +Edinburgh and Its People Boston and Its People . contradictory +that was a good coincidence That was the best coincidence . neutral +Don 't be put off by the less-than-salubrious location . The location isn 't great . entailment +In part due to GAO 's work and leadership , the Congress passed a series of laws designed to improve the management and performance of government , Congress passed laws to improve management and performance of government . entailment +is it still there Was it demolished ? neutral +Heart 's ease and only I , like parallels , run on , Whose equal length keep equal breadth and never meet in one ; Yet for not wronging him , my thoughts , my sorrow 's cell , Shall not run out , though leak they will for liking him so well . Heart 's ease and I never meet in one . entailment +When I returned with her , however , the boudoir was empty . The budoir was full . contradictory +And in my head , I started to swear . I began to swear in my head . entailment +The Federal Communications Commission initiated this proceeding with a Notice of Proposed Rulemaking and Notice of Inquiry that addressed a number of commercial mobile radio services regulatory issues . The Federal Communications Commission ended the proceeding with a Notice of Proposed Rulemaking for radio services regulatory issues . contradictory +Apart from some pre-Ice Age hominids , the first settlers to arrive in India were Negritos and Proto-Australoids . Proto-Australoids decided not to settle in India and followed the Negritos elsewhere . contradictory +Yes , I fear even the dear old Government will not support us at the Ritz in idleness for ever . We must make a move soon , if we want to see victory . neutral +The Venetians fortified their main towns Naxos Town and Antiparos Town are wonderful examples of this creating labyrinths of narrow alleys and cul-de-sacs that were designed to confuse and to demoralize invaders . Naxos was made more accessible to outsiders . contradictory +Her father kept bringing her various medical treatments and nothing had ever worked . Her father wants her to get better . neutral +Lalaria Beach is among the most beautiful , with cliffs and natural arches flanking the pebbled bay . One of the most beautiful beaches is Lalaria Beach . entailment +To determine the best sequence for screening , the approach recommended by NIAAA for primary care should be compared with other sequences . The approach recommended by NIAAA is not always reliable . neutral +Of the original buildings , only the To-to ( East Pagoda ) remains , considered by many to be Japan 's most beautiful pagoda . THere are lots of new buildings in the area . neutral +The first hand transplant in the United States was performed . The United States has already seen one hand transplant executed . entailment +The director of an international airport was hanging from the ropes and checking their color in the sun , which graciously shone from between fiercely looking storm clouds . The director of an international airport was hanging from ropes , tightening them , and checking their color . neutral +Two weeks later my wife , my son , and I were in the East Room of the White House , tears streaming down our cheeks as Richard Nixon said farewell to his staff . My family and I were in the White House on Nixon 's last day . neutral +And , Santayana asked me to add that Those who cannot remember the past are condemned to repeat it . Santayana requested that I add that those who forget the past are doomed to repeat it . entailment +Just allow him to believe that there would be one . Let him believe that there would be a frog . neutral +It 's why he 's a great story and a great troublemaker . His mischievous character also makes him an interesting character . entailment +In this First Report and Order , the Commission adopts a transitional rule requiring all cellular and broadband personal communications services and certain specialized mobile radio providers to permit unlimited resale of their services . All mobile radio providers are required to permit their services to be resold . contradictory +On that question , they have failed to reconcile themselves to the polls . They were reconciled to the polls on the question . contradictory +Several nature trails are also marked out through the nearby forests , and the wealth of wildlife makes jungle rambles particularly enjoyable . Jungle rambles are enjoyable , but dangerous . neutral +Second , the coastal swells here are extremely dangerous , preventing the swimming activities and water sports so beloved by visitors . The waves here are gentle and it is a popular swimming spot . contradictory +It forms the resting places of many lesser members of the house of Mohammed Ali , and is where the last Shah of Iran was interred following his death in 1980 . No one is interred at the ancestral home of Mohammed Ali . contradictory +Enter Old Cairo by the old Roman Gate the Romans established a fort here following their annexation of the country where you will find a concentration of Coptic churches and monasteries . Old Cairo is reached through the old Roman Gate . entailment +right um-hum yeah i find it 's usually pretty useful to cook you know some number of recipes out of a book to get a flavor of the style It 's useful if you want to get a flavor of the style of cookbook you have , to cook a few recipes in there . entailment +The answer , as pointed out in the same Newsweek article Mastio mentions , is for consumers to rely more on locally produced food , and to be willing to support farmers and pay more for high quality , safe food . The answer is for consumers to promote local production . entailment +The Long-Term Budget Outlook . Opposite of short-term budget outlook . entailment +the that type of technology just wasn 't at people 's disposal The technology was available to a few people . neutral +and that 's another problem with day care because you 're not there so you don 't what they 're doing The problem with day care is that you don 't know what they 're doing . entailment +Behind the cathedral , the 16th-century Renaissance church of San Giovanni Evangelista also has in its dome a fine Correggio fresco of the Vision of St. John on Patmos . Correggio spent over 18 months painting the fresco . neutral +So , do we vote for virtuosity in imitation or virtuosity in itself ? I am not asking you if we should vote for virtue in imitation or virtue itself . contradictory +Electronically submitted data will alleviate many of the current Submitting the data electronically will help alleviate many of the current problems . neutral +I felt very ill and sick . I wanted to throw up . neutral +Here , luxurious homes and landscaped lawns sit on some of the most expensive real estate in the world . Elegant homes and well-groomed lawns sit on expensive real estate . entailment +I 've come close to death four times in my life , really close . Four times in my life , I 've seen my life flash before my eyes . Four times . entailment +really that bad huh is it is it typically this rainy i don 't think it 's typically this rainy by you down there is it This much rain isn 't normal . entailment +it 's like a fifth like fifths of whiskey i thought was always kind of strange I thought the shape of whiskey bottles was always strange . neutral +Drinking patterns and problems and drinking in the an analysis of injury by cause among casualty . There is no analysis of injury by cause among casualty . contradictory +This led her to seek out older men to replace the father she felt had abandoned her , and to do it by mimicking the femme fatale style of her mother . She was not seeking older men to replace her father . contradictory +yeah i have one card I have only one card entailment +Ca 'daan told his tale and watched A 'deem 's expression . Ca 'daan told A 'deem a story that got a big reaction . neutral +just one of the things that that happens when someone when you 're dealing with a large company A very rare occurrence with large companies . contradictory +Somehow I 'm confident they can work it out . I 'm of the belief that they will not work this out . contradictory +Raised in housing projects , she took the job after graduating from the University of Alabama School of Law because she wanted to give back to her community . Her community was extremely happy that she decided to give back to them . neutral +Although things have changed a little today , there are still nude beaches on some of the islands , notably Paradise and Super-Paradise on Mykonos and Banana Beach on Skiathos . Circumstances may be different , but one can still find nude beaches on islands such as Mykonos and Skiathos . entailment +On a microscope slide they etched a hockey rink with laser , agreed on the rules , connected the microscope 's camera to the big screen display and played until the morning . They were unable to etch a hockey rink onto such a small surface as a microscope slide . contradictory +If you get close enough to the set , it 's almost as good as going out and buying a multi-thousand-dollar home theater . The set is one of the best on the market . entailment +He was sobbing with fatigue at every step . Every step he made he wept . entailment +The final rule adopts a new standard for foreign participation in the United States telecommunications market in light of the World Trade Organization ( WTO ) agreement concluded on February 1 , 1997 . Foreign participation is not allowed in the US telecommunications market . contradictory +If you ran , you starved and died . Running results in starvation and death . entailment +go back that 's exactly right Keep going ahead . contradictory +He went through it , to find a larger yard with more men idling . He went through it , and found no one in the yard . contradictory +But massive growth during the 20th century saw Edinburgh absorb many of these formerly independent communities into its ever-enlarging limits . Edinburgh continued to shrink until there were only a few remaining communities . contradictory +The most widely used method is random-digit dialing , in which the first six digits of a telephone number are selected to allow for every region to be well represented , while the remaining four digits are dialed at random . All numbers are randomly chosen contradictory +There didn 't seem to be a peep-hole of any kind nevertheless I felt kind of sure there must be . There was no sign of a peep-hole , though I thought there was one . entailment +As Baudelaire put it in his essay The Painter of Modern Life : All the complicated material conditions to which [ dandies ] submit , from an impeccable toilette at every hour ... Baudelair accuses dandies of being degenerate slobs prone to living with a thick layer of filth upon their living quarters . contradictory +Houston is not at all Houston is not at all dangerous . neutral +But this here Bayliss he 's been like a mule with a burr under his tail ever since he hit th ' territory . He has been like a chicken smelling flowers ever since he hit territory . contradictory +Usually , a separate amount for administrative expenses is also appropriated to the program account . The program account never accepts funds for administrative expenses . contradictory +Some separations of the CEO and chairman functions are successful and others are not . The CEO and chairman have the same birthday . neutral +and religiously it 's just it was very strange it was very interesting Religiously , it was just like any other practices I have encountered before . contradictory +and uh Circuit City came along and that was the place to go to get your TVs and washer and dryers and refrigerators and all that and then after the years went by they just sort of kept creeping up on price and actually Service Merchandise is cheaper than them now so so so much for Circuit City Nobody ever bought anything from Circuit City . contradictory +American Pie strives to out-gross-out its predecessors and does so handily . There is nothing gross in the movie American Pie . contradictory +Justice , said the scout . And justice was soon served . neutral +On the next hilltop to the west is the Givat Ram campus of the Hebrew University ( 1954 ) , a sprawling collection of contemporary buildings constructed after the original campus on Mount Scopus became inaccessible in 1948 . The Hebrew University used to have a campus on Mount Scopus . entailment +Most tabloid cliches in a single The Enquirer ' s October piece about convicted murderer Susan Smith , who is said to have 1 ) taken a lesbian lover in prison ; 2 ) lost 60 pounds from bulimia ; and 3 ) become desperate to have a baby . Nobody in the news world seemed to care about Susan Smith wanting to have a baby . contradictory +Both Grand Rapids attorneys also were well known in the local and state legal circle for their heart and hard work for the poor . There are two Grand Rapids attorneys who work hard for the poor . entailment +To my mind , though , Jewish toughness of the sort that was in evidence in Entebbe , Uganda , 22 years ago , when armed Jews flew thousands of miles to rescue Jewish innocents from death , was one of the great moments in post-Holocaust Jewish history--a statement to the world that Jews will no longer sit idly by and watch themselves being oppressed . What happened in Entebbe , Uganda had no significance in post-Holocaust Jewish history . contradictory +yeah i think you know the lottery could have helped so i mean it wouldn 't have been as painful as what we would 've paid in state income tax i mean probably would have paid the same amount but you know it 's not the idea of your paying uh income tax They would have paid a different amount . contradictory +yeah twenty one yeah shoot man it 's what midnight almost twenty one is the number of days since i quit my job neutral +A board composed of technical , contract , information A board made of technical contract information . entailment +They videotape anything that moves and much that doesn 't . Anything that moves and as well as anything that does not move are ignored . contradictory +That 's one problem with our current approach to sexual harassment . There is a problem with the approach to dealing with sexual harassment entailment +and i think you all were about a mile and a half deep in ice You were not at all out on the ice . contradictory +A good internal control environment requires that the agency 's organizational structure clearly define key areas of authority and responsibility and establish appropriate lines of reporting . The Agency needs to clearly define the areas of authority within its organizational structure . entailment +, Lucas dramatizes the interrogation so ineptly that you either have to take Yoda 's word that there 's something wrong with the boy ( Clouded this boy 's future is ) or to conclude that Yoda , like us , is moving backward through time and has already seen Episodes 4 through 6 . Anakin , he says smugly , has fear in him , and fear leads to anger and anger to the dark side--which would mean , as I interpret it , that only people without fear ( i.e. In my opinion , Lucas failed to dramatize the interrogation , which leads to unanswered questions from the public . entailment +( You do have copies on disk , right ? ) You have copies on the desk ? entailment +wow must be nice I 'm really jealous of you right now . neutral +What should we have to do ? she breathed . They were totally lost in this new city . neutral +and schedule are just a few of the variables that can drive aspects of the design review approach such as frequency , intensity , and reliance on outsourced experts and consultants . The design review approach considers a number of aspects . neutral +He paid special attention to Adrin . Adrin had special attention paid to him . entailment +um-hum and i wanna play on the beach area too that 's what i would do you know i 'm just sitting here listening listening to your accent and thinking what a good time the computer 's going to have with that I think the computer is going to have a good time with your accent because it will be hard for the computer to figure out . neutral +Aberdeen 's theatrical floating restaurants have been a tourist attraction for many years . Tourists have visited Aberdeen 's theatrical floating restaurants for years . entailment +Sir James tapped the table rather impatiently . Sir James was impatient . entailment +uh-huh yeah so it it 's basically a bunch of small towns anyway kind of quaint little towns but they don 't have a whole lot there it 's a series of large cities that are very busy and filled with services contradictory +The shrine has a prominent role in the Tale of Genji and in a famous noh play ( titled simply Nonomiya ) , and thus attracts people with especial interest in classical Japanese literature . This was very unattractive to any classical Japanese literature enthusiasts . contradictory +they can ask questions If they have questions , they can ask the judge . neutral +Government and various other federal entities . The Government and various federal task forces . contradictory +Both the House and the Senate have worked diligently on these issues and this Select Committee is now deliberating on a variety of proposals and issues raised by House committees and subcommittees . The House and Senate avoided discussion on the issues and did not present them to the Select Committee . contradictory +Ah ! I cried . I remained silent . contradictory +and they didn 't really know it it was a real nice late model car real pretty on the outside but they couldn 't keep tires on it it kept eating the tires The car was rather nice looking from the outside . entailment +The third member of the Hindu trinity is Brahma , whose only task was to create the world . Brahma is the most important of the three trinities . neutral +This is a monument for its own sake . Besides being a monument for its own sake , it 's also a testament to individualism . neutral +" They were lost in moving this , " Ser Perth told him . " They were lost in moving this , " Ser Perth thought to himself . contradictory +( 3 ) Any agreement or result designated and fixed at a given time from which changes require justification and approval . Some changes require justification and approval . entailment +Spain flourished during a Golden Age , a century of Spanish economic and political supremacy in international affairs , accompanied by marvels of art and literature . Spain was thriving in the Golden Age . entailment +Researchers can choose relatively freely which instance to study on any one of several bases , depending on the questions to be examined . Researchers can pick which they want to study . entailment +Jerusalem is the undisputed star attraction of Israel . Jerusalem is the worst attraction in all of Israel . contradictory +right right did you see Sixty Minutes tonight by any chance Did you happen to catch Sixty Minutes ? entailment +Many of those exploited in the workplace are undocumented residents who believe they have no rights , while others are threatened with termination if they complain , she said . Many employers hire illegal immigrants since they know they can treat them any way they want . neutral +Saint-Bertrand-de-Comminges The place is called Saint-Bertrand-de-Comminges . entailment +But he dared not hesitate . There was no hesitation and he jumped in the pool . neutral +Now , even with 2 years of production experience , the supplier continues to have difficulty producing the seeker with acceptable quality . The supplier is having troubles with making acceptable products . entailment +An expectation gap between what an audit is and is not continues to exist , especially with regard to the auditor 's responsibility for detecting fraud . The audit has no issues of uncertainty . contradictory +Now imagine being at my Web site , reading my promotional materials , and deciding you 'd like to read the book . The promotional materials aren 't available on my web site as of yet . contradictory +Jesse Ventura to obstruct Pat Buchanan 's run for the Reform Party nomination . Jesse Ventura has stepped aside and given Pat Buchanan the go ahead . contradictory +well no and it 's it 's just not um it 's not as stable for the kids and they everybody decided to come over and talk to me right now but uh it 's yeah No one has ever talked to me since we moved here . contradictory +E-mail is making the workplace more egalitarian by enabling minions to send suggestions to higher-ups . It is easy for workers to contact their bosses through e-mail . entailment +the man toppled over backward and rolled down the rocky slope . The man laid quietly in the grass . contradictory +Not in the least . Quite a lot . contradictory +The Western Wall is one side of the Herodian retaining walls that support the vast ceremonial plaza built by Herod around the Second Temple to accommodate hundreds of thousands of Jewish pilgrims who visited the Temple in ancient times . Herod constructed a plaza in order to host the pilgrims who came to the Temple . entailment +no no it 's um it 's an odd film and it 's really interesting that i like the director a lot um a guy named Tim Burton The movies name is the Nightmare Before Christmas . neutral +Rennie on his way to Johnny Shannon ... What had Fenner said- " li 'l cub ... warn 't more ' n four . " Drew Rennie at four hard to sort out one very early memory from another . Rennie doesn 't know Johnny Shannon . contradictory +On the last day of sixth grade in June of 1958 , Miss Barnett ( one of the greatest teachers the world has seen ) let us have a party . Barnett was kind . neutral +Agencies must report in their annual performance reports on the use and effectiveness of any GPRA managerial flexibility waivers that they receive . GPRA waivers should not be reported on a company 's annual performance . contradictory +They obtained skills , knowledge , awards , academic titles and scientific degrees . They would continue to obtain degrees . neutral +yeah well yeah uh we ours is actually very detailed um we we 've got categories for everything and uh we we figure out how much income the both of us are going to have in a month and we take every penny of that and we allocate it under all these different categories unfortunately there 's a big category called miscellaneous The category called ' miscellaneous ' is much too small . contradictory +Its Carrera marble facade is incised with intricate carvings of traditional Islamic themes . The carvings on the marble are of Jewish nature . contradictory +The words Body Amour suddenly exploded in my head in massive letters . I could not form any thoughts . contradictory +It shows that a small group of committed individuals , the fourteen lawyers and five non-lawyers professionals working in OPP and on the State Planning Team ( Michael Genz , Robert Gross , Anh Tu , Tim Watson , Cyndy Schneider , Reginald Haley , Melissa Pershing , Althea Hayward , Willie Abrams , John Eidleman , Barb Donnelly , Monica Holmen , Joyce Raby , Glenn Rawdon , Jennifer Bateman , Lou Castro , Lisa Thomas , Gloria Wood ) and Pat Hanrahan and Wendy Burnette in the Executive Office ( aided and abetted by John Meyer and his wonderful staff in OIM ) -terrific , hard-working , experienced , conscientious individuals-are the heart and soul of LSC . The team at State Planning is only filled with professional lawyers . contradictory +that nursing home life would not have been you know anything of her choosing of course she would she would not have been happy there at all but uh as it turned out the stroke took care of that concern for us Before the stroke she was excited to go to the nursing home . contradictory +All tartan patterns must be registered , and one of the most recent is the new Britannia tartan , commissioned especially for the Royal Yacht Britannia in its new Scottish home . Tartan patterns are usually registered near London . contradictory +four weeks yeah no , only two weeks contradictory +Effective Improving the Usefulness of Results Results are only as useful as you make them . neutral +However , we did not devote any particular emphasis to the popular idea that case studies are inexpensive to conduct ( issues of research management common to all Case studies are very inexpensive to conduct , and we devoted a lot of emphasis onto that . contradictory +And you never told me ? Why didn 't you tell me ? neutral +Head back into the chaos and noise of the souqs and turn right off David Street , either into the El Wad Road or along the more colourful Souq el Attarin into the long Souq Khan es Zeit , where butchers and food vendors make for fascinating window shopping . There 's nowhere to buy food along the Souq Khan es Zeit . contradictory +A decisive factor was the presence in Palma of Italian air squadrons , used to bomb republican Barcelona . Barcelona was controlled by Republicans and was bombed by their opponents . entailment +Excuse me , but who is going to raise such an army ( raise in the sense used by parents ) ? There aren 't any organizations capable of raising an army in the current day . neutral +i think that uh it does goes a lot toward uh you know like you say it gives people a kind of a makes them insensitive to it and I think it makes people insensitive if they act like war is a fun game . neutral +I dare say I couldn 't have deceived the specialist for a minute a man who has made a lifelong study of a thing is unique but I managed once again to hold my own with them . It 's not the first time that I 've been able to stand against someone who 's studied something for his whole life . entailment +yeah peer group is the other way now instead of The peer group is not how it used to be . neutral +Whereas IRAs are for retirement , IDAs can be used to buy a first home , to pay for college or other job training , or to start a small business . An IDA can be used to pay for your own well-being . neutral +well how do you feel how do you feel about uh companies drug testing prior to hiring How do you feel about employment aptitude tests ? contradictory +The analysis also discusses the projected reporting , recordkeeping and other compliance requirements of the Report and Order . The analysis includes discussion of the record keeping requirements . entailment +But even as a multiracial category blurs the color line , it can reaffirm the primacy of whiteness . The primacy of whiteness is reaffirmed by multiracial category because it separates people in groups . neutral +SCR is the technology that will primarily be used for NOX control . NOX Control would primarily use SCR technology because they have built a partnership for the last 20 years . neutral +On January 1 , 2000 Bay Area Legal Aid ( Bay Legal ) became the only LSC-funded program for all seven counties in the San Francisco area . They were the only LSC funded program in San Francisco . entailment +right oh they 're getting another one later in the week there there was another one that was another storm um that was supposed to hit them like on Wednesday or something so i suspect it 'll it 'll wind it 's way to you afterward it 's not a pleasant thought so The storm hit reached them on Monday , but it won 't be reaching you . contradictory +Walls of openwork stone tracery support a canopy of 18 folds fanning out in a circle . Open work stone tracery are magnificent pieces of work . neutral +And some insiders even claimed that kids at PEES had surfed adult websites during classes . Kids were surfing adult websites during classes . entailment +But I am in her black books , since I cleared Mr. Inglethorp . I let Mr. Inglethorp go but that 's not why she has me in her books . contradictory +Pack lightly and buy a warm sweater when you arrive in town to keep off the summer chills or winter winds . The town only rarely experiences summer chills or rain . neutral +The press will reveal things about candidates that otherwise would not be revealed , says Carole Sergent , a college classmate of Alexander 's and godmother to one of his children . Carole Sergent does not know who Alexander is . contradictory +It will probably have no effect on future elections or public policy . They wanted to make sure there were no policy issues . neutral +But he was abrupt with her--not rude , just abrupt . He behaved abruptly and rudely , and both he and she admitted it . contradictory +Look for the Galerie des Rois across the top of the three doorways . The Galerie des Rois spans three doorways . entailment +Sí , but not a real fight . Yes , but not a real fight . entailment +Not much cattle here , Rivas returned . Rivas answered , " There isn 't much cattle here . " entailment +Remember that . Don 't forget . entailment +I understand the depths of their pain . I don 't understand their mirth . contradictory +not that i like reading but i do do a lot of reading while i 'm here at school I like to read but I do not do it much at school . entailment +The Congress faces a challenging and complex job in its consideration of DHS . The construction of DHS will be simple . contradictory +i guess i have the most trouble with chipping how about you I am a very talented chipper . contradictory +What will eventually arise is a confrontation of her own availability for intimacy , which she never has to examine as long as these men are unavailable . She is in a long term committed relationship . contradictory +Shields notes that the Democrats are in a win-win situation--if the bill dies , the Republicans can be attacked as pro-teen smoking ; if it passes , the Democrats can claim credit . The democrats are in a win win situation with this bill . entailment +and tell yeah well tell him that Bill Mayhood sell hi said hi Tell him Bill Mayhood said hi and I am looking forward to seeing him again . neutral +oh great what kind of lawn do you have Tell me about your lawn . entailment +The gap between the earnings of men and women . Men and women are paid the same . contradictory +Their sandstone facades reflect the sunlight , rosecolored in the morning , golden in the heat of the day , and smoky purple as night falls . The sandstone never reflects the sunlight . contradictory +Be warned that the pubs around O 'Connell Street can be rough , and at times Temple Bar pubs can be rowdy . Pubs that can be rough are found around O 'Connell Street . entailment +Providing resources in the emergency setting has implications for the primary care setting . The primary care setting will suffer implications when provided resources . entailment +Down the road , we anticipate even more advanced push features . There are no plans for new features . contradictory +Red said , " Well , I was sort of-- " Red thought he was doing the right thing . neutral +because actually when you when you do uh service overseas you end up learning something usually that 's that 's really useful plumbing or farming or or something like that so you 're really learning a skill When you do service overseas , you usually end up learning a useful skill like plumbing or farming . entailment +CHAPTER 5 : NONFEDERAL PHYSICAL PROPERTY STANDARD The fifth chapter is the most vital chapter of the document . neutral +i sure was Two years ago i spent some Fourth of July to Labor Day on a jury that was uh a change of venue from Columbus Ohio for aggravated uh murder and kidnapping The trial was not held during the month of July . contradictory +oh got a little sunburn yeah Never got sunburned . contradictory +Leading commercial companies do not make significant investments to continue a product development or its production until they have knowledge that the product 's design works and it can be manufactured efficiently within cost and schedule expectations . The policy of not investing in products until they are profitable is why some companies are leading in the industry . neutral +when our children were all three at home our oldest daughter uh is still a very giving caring wonderful person she 's making a career of uh well she 's a director at a care center close to here in fact my mother 's a resident there anyhow was uh she got us involved in the Christian Children 's Fund and we were sponsoring a young boy in Chattanooga Tennessee in a home then and that went on for oh four or five years and finally we had a letter from the Christian Children 's Fund that they were no longer going to uh sponsor children within the continental United States that all of the money would be going to children overseas because for however much money we were sending a month they could buy so much more milk and bread and rice and so on and so forth for children overseas well at The Christian Children 's Fund has decided to only sponsor children in the US because the children there deserve it more . contradictory +This tiny desert railway croseng was the scene of one of the pivotal battles of WWII , where Allied soldiers defeated Rommel 's German and Italian forces in 1942 . The German and Italians faced a defeat during WWII at a tiny desert railway crossing . entailment +Her proudest achievement , though , was the Green Revolution that modernized wheat and rice farming to give India , for the first time in its history , self-sufficiency in food production . The failed Green Revolution left India starving for food imports . contradictory +They are equally direct in their dealings with visitors , too , so don 't expect a shy Jamaican smile as you walk by . You can expect a shy Jamaican smile at you . contradictory +Both Seleyman and Sinan ( the latter lived to be almost 100 ) are buried nearby . Seleyman and Sinan are buried only a mile apart from each other . neutral +Avoid putting your mettle to the peddle on the city 's busier streets ; bike paths are few and courteous drivers even fewer . The risk of hitting a biker is higher in this city than in the rest of the country . neutral +In general , arts and cultural articles are posted early in the week , and newsier and political stuff is posted Thursday and Friday . Political stories get posted on Monday . contradictory +Dinner only , daily 7 10pm . They only serve dinner and you must make reservations . neutral +But when the economy is actually growing at 3 percent , the statistics will say that it is growing at 2 percent--and yet it cannot grow any faster . When statistics say the economy is growing at 2 percent people will want it to grow faster . neutral +These evenings must have been great fun , said Poirot genially . All of the events are what make the evenings so much fun . neutral +you know it 's uh it 's one of these uh more i don 't know melodramatic and and i don 't know uh not satirical wasn 't funny at all but it was It 's melodramatic and not funny . entailment +Farmworkers commonly are dependent upon their employer for both their income and housing . Farmworkers are never reliant on their employers for a place to live . contradictory +For the folks at Public Citizen , this last criterion really sticks in their craws . The Public Citizen is a liberal newspaper . neutral +They had shadow gods devoted to it . There were shadow gods that are devoted to taking over the world . neutral +but then what movie isn 't anymore No movies are like that now . contradictory +Bridges link Macau with its two islands . Macau stays in touch with its islands , vital sources of agriculture and exotic resources . neutral +If receiving water is to be used as the dilution water , caution must be exercised in exposing the test organisms to it , because of the possibility that it might be toxic . Water never has possibility of being toxic . contradictory +yes vociferously not really , but maybe vociferously neutral +The moment seemed to freeze . The moment was frozen by the entrance of the demon . neutral +Ca 'daan would have been run through but Adrin parried easily . Ca 'daan was almost hurt . entailment +LSC has never taken action against a recipient which continued to represent alien clients after the client had left the United States . The LSC has never taken actin because it would be too costly and time consuming . neutral +Pregnancy aside , what Madonna has that Evita didn 't is visible muscles and strong shoulders . Madonna is pregnant . entailment +The rapid spread of inquiry from an examination of the technology to an investigation of decisionmaking on that flight , to inquiry about NASA management as it affected the Challenger disaster generally , is what taking the context into account means . The causes of the Challenger disaster really don 't require a higher level of investigating and inquiry . contradictory +Caterpillar has learned from experience that it will achieve the full reliability goal by full production if it meets the interim goal by the time it produces pilot production units . Experience has taught Caterpillar that no interim goals are necessary on the path to full reliability . contradictory +but uh he he was he does quite involved mysteries John D McDonald John D McDonald was involved with mysteries . entailment +The Accademia 's uncontested star , the great David ( which once stood in the Piazza della Signoria , now substituted by a life-size copy ) , provides the perfect object lesson of the finished product , a hero infused with all the contained energy needed to hurl that stone at Goliath . In the Piazza della Signoria , the original statue of David still stands where it was first erected . contradictory +--Monica lacked the maturity to balk at the magazine 's tasteless choice of props . Monica well mature enough to balk at the magazine 's choice of props . contradictory +Could he really expect to find valiant warriors in Fena Kef ? He had never seen warriors in Fena Kef . neutral +yeah that 's how it works Yes , it works like this . entailment +Since Hong Kong is a duty-free port and charges no sales tax , goods are cheaper here than in the country where they were made . Some people outside of Hong Kong are frustrated that goods are more expensive for them to buy . neutral +Perhaps because we are nearing the end of a millennium , there seems to be a renewal of interest in theories of history . Looking back at history is not as important as looking forward at the turn of a millennium . neutral +This spin-and-win ( or more often lose ) game looks strangely like the prize games offered in carnivals of old . The game looks like an old carnival game . entailment +I strapped on my guns and went to the crone 's shack . I had my guns and was going to the crone 's shack . entailment +You suppose wrong , said the lawyer . The lawyer had some evidence unbeknownst to the court . neutral +These incentives actually work against the timely capture of knowledge , pushing it off until late in the process to avoid problems that might keep a program from being funded . The incentives included a bag full of jelly beans for every agent . neutral +When a system involving software is being developed , one or more cost models may be useful . There is a system being developed but there only exists one cost model . contradictory +Virtually all the fans with whom I have spoken over the years ( quite a friendly bunch , actually ) consider the absence of big wrecks , injuries , etc . , a key component of a good race . The fans think big crashes are the best ! contradictory +In the end , Mayakovsky is stuck in a kind of zoo , where curious people come to watch him do unhealthy things . The things Mayakovsky does will ultimately affect his lifespan . neutral +First , Congress adopted a number of new accountability requirements governing what services LSC-funded programs may provide , what they may do with non-LSC funds , and whom they may represent . LSC-funded programs are able to provide some services . entailment +Sampling Kyoto is definitely a case of less is more . Kyoto showcases a philosophy of quality over quantity . entailment +well it was really it was really sad heartbreaking i guess The death of her mother was really sad . neutral +But time-and timing-will be crucial . Time is the most important element . neutral +For more on that , click . ) The link will provide all the information needed and more . neutral +On occasion , OSI works jointly with other GAO units or independently on compliance or evaluation issues . OSI never works with GAO units contradictory +oh i 'm telling you i just cried and cried and cried and cried it was so sweet it was sweet but it was sad because you know you just really miss Gary It didn 't make me emotional at all . contradictory +However , the storage and unloading system must be located near rail or truck access to permit delivery of reagent . The storage and unloading system need to be far apart . contradictory +Adrin 's own sword moved just as fast , parrying and dodging every attack . Adrin and Jon were participating in a fencing tournament . neutral +there has that 's right No that is way off . contradictory +Come on down ! We would appreciate it if you did not come . contradictory +Sorry , Tuppence . Sorry , Tuppence . entailment +Do the tabloids offer any hope for the male of the species ? Do females have hope in tabloids ? contradictory +Betraying everybody equally- the one thing Benjamin Franklin certainly wouldn 't have done . Benjamin Franklin would never have betrayed everyone in the same way . entailment +An Instance of the Fingerpost , by Iain Pears ( Riverhead Books ) . Iain Pears wrote An Instance of the Fingerpost . entailment +4 billion is spent on medication and doctor visits . There is plenty of room for growth--only an estimated 12 percent of hay fever sufferers seek medical treatment . 8 billion could be spent if 24 % of hay fever sufferers seek medical attention . neutral +Even the most cursory look at back issues of Hustler confirms that the filmmakers seriously misrepresent its content . Looking back at Hustler 's past issues confirm that filmmakers were so wrong about it . entailment +Auditors should make arrangements to make audit documentation available , upon request , in a timely manner to other auditors or reviewers . Auditors should make every effort to make sure that documents can be retrieved by other auditors in a 24-48 hour time period . neutral +Saint-Martin and Saint-Barthelemy , though also volcanic in formation but without erupting peaks , have only light sand beaches . All of the beaches at Saint-Martin and Saint-Barthelemy are light sand beaches . entailment +Some of the deviation for Italy and Portugal may be due to the fact that they have proportionally much larger retail operations involving collection and acceptance than the U.S. and other posts . The U.S. actually has larger retail operations involving collection . neutral +so have you started exercising at home or Have you begun your home workouts ? entailment +no i 'm not in Cape Cod i 'm uh oh about a you know five minute ride from Rhode Island I am about five minutes from Rhode Island , not in Cape Cod . entailment +It 's easy to pick up to 15 numbers on the 80-number slip , then hand it and your money ( usually a dollar per game ) to the keno runner , and she 'll return a computerized ticket . YOu can only pick 5 numbers . contradictory +Below Jesus ' feet is a Latin in ? ­ scription that suggests that the tympanum was the work of one man , Gislebertus ( Gilbert ) . Gisleburtus destroyed the tympanum of Jesus . contradictory +This is a job for the women , who work in lines to space the young plants in neat rows . Some men also work with the women doing the planting . neutral +The scen-ery is more spectacular towards the southwest corner of the island , where the hamlet of Es Cubells , reached by road from Sant Josep , occupies a land 's-end position overlooking rocks and the blue sea . The scenery in the southwest corner of the island is less spectacular . contradictory +The cover story explains the Supreme Court 's new rulings on sexual harassment . The cover story explains nothing . contradictory +They shouldn 't worry , he pats her down . They do not need to be concerned , he pats her down . entailment +oh i well i have and they 're very noisy and uh then of course i 've been up to uh Cleveland Ohio where the Cleveland Browns play and that 's just a wide open stadium and that cold wind comes off the lakes and it is miserable oh but um now go down to Cincinnati and they have a nice stadium down there but it 's it 's all open also The Browns stadium is closed . contradictory +Branch interprets the Malcolm-Martin choice not , as the press did , as a simple contrast between violence and gentleness , but as a contest between democracy and its critics . A contrast between democracy and its critics is better . neutral +In fact , I was at peace with the world . I was suffering inner torment . contradictory +If ISDN or ADSL haven 't come to your block and you want to punish the phone companies for their intransigence , try the DirecPC satellite service from Hughes Electronics . Hughes Electronics provide a satellite service called DirecPC . entailment +Deputy Attorney General Eric Holder , who suggested that the Justice Department , rather than a biased independent counsel , should investigate Baitgate . Holder felt that the Justice Department should stay out of the investigation . contradictory +I haven 't given it much thought , said Adrin . Adrin had dwelled on it for weeks . contradictory +because of uh the uh businesses that have their money tied up Several businesses have capital ready and available . contradictory +These organizations invest the time and effort to understand their processes and how those processes contribute to or hamper mission accomplishment . Most of these organizations do not invest any time or effort in their processes . contradictory +yeah it 's it 's it 's applicable to those degrees and and and those are strong degrees all of them in in the school that she 's going Those are the strongest degrees at the school she 's attending . neutral +Several palaces were built and a water system installed . The palaces were built without water systems . contradictory +Newt Gingrich said that if the evidence holds up , the United States should consider a military strike against Iran . Newt Gingrich will order the US military to strike Iran neutral +With so little in the way of industrial development elsewhere on the island , this zone is particularly startling . The island has a lot of industrial development with the exception of this zone . contradictory +Let me go , then , cried the other . The other was being held for doing something wrong . neutral +Waters seems to be trapped in an ironic loop , making movies that look more and more like love-ins , in which name actors go slumming and people like Patty Hearst show up for nudge-nudge-wink-wink cameos . Waters does not make movies any longer . contradictory +She was frail and couldn 't move her left side . She was strong and in excellent shape . contradictory +Thursday marks the official beginning of sweeps month , and so there are some rich pickings . Sweeps month starts on Thursday and continues through the end of March . neutral +The country loved him . The country loved him because of his braveness . neutral +For example , EPA made an index of public comments and the text of the comments electronically available for selected regulatory documents as part of a pilot program . The EPA is the environmental protection agency . neutral +It is famous as a place of tolerance where Arabs and Jews can meet without enmity . This has been a place of peace and understanding for the last millennium . neutral +I heard the whisper of bare feet on the stone . I could hear someone sneaking up on me . neutral +and it 's only a couple of hours away or a hour away to a you know to a large city The city is close enough for a day trip . neutral +People discriminate even when it 's against their own self-interest . There is never a time when people ever discriminate others . contradictory +At the back of the exhibit is an area set aside for activities such as drawing , brass rubbing , and finger painting . The activities are mostly for children . neutral +A fourth ad , reportedly set to begin airing Friday , drives home the point . The second ad will begin airing on Friday . contradictory +yeah so but i think we 're getting better at it i think there 's quite a bit more we could do We have been improving at it . entailment +If Posner tells Microsoft that , on this occasion , the government has a point , Microsoft will be hard put to disagree . Microsoft will have trouble disagreeing . entailment +The oldest of this coast 's resorts , Trouville , is now a slightly down-market Deauville , but just as lively . The Deauville is older than the Trouville . contradictory +Something to make you sleep soundly . Tuppence paled a little . It will make you sleep easily . entailment +Then we would open the crates and remove the birds and begin the flingando . Then we would open the crates and throw the birds . entailment +A woman of my acquaintance recently announced that she has a boyfriend and wants everyone to introduce the fellow by that title . A woman I know wants her sister to be called by that title . contradictory +Then show it to me . Then prove it to me . neutral +For example , to encourage accurate income reporting , the employers distribute payslips envelopes to employees for their use in storing their wage records . We want the companies to have accurate income reports . entailment +Oh my God ! I am shocked and appalled ! neutral +yeah do you think my daughter would like it Do you think it 's the kind of movie my daughter would watch ? neutral +you 're twenty nine okay so we 're we 're we 're both uh children of the very early sixties We were both children in the early sixties . entailment +I think I can work the basic details of this out . ' I think I can figure the basics of the deal out . neutral +This environment of reform is conducive to agencies rethinking their security programs , as part of broader information management changes , and considering the implementation of the practices that have been adopted by nonfederal organizations . Some agencies are considering broader information management changes . entailment +Finally , the analysis reports , as required by paragraph 603 ( c ) , that the Commission has reduced burdens where possible and that the regulatory burdens retained are necessary to ensure the public receives the benefits of the new services in a prompt and efficient manner . The commission said the burdens were not their responsibility . contradictory +He offers his philosophical view . He talked at length about his philosophy . neutral +so my immediate reaction was one of that sense of invasion but after that i realized no i i really wanted this and it was sort of exciting and so that was almost an example of a situation an invasion that turns out to be not invasive The situation was not exciting and I had always felt this way . contradictory +It was none other than Morris who played a pivotal role in the Dayton Peace Accords . Morris played no role in the Dayton Peace Accords . contradictory +GAO conducts its investigations-which involve allegations of serious wrongdoing that may involve potential violations of criminal law-and its testing of the security of agencies ' systems , controls , and property in accordance with standards established by the President 's Council on Integrity and Efficiency as adapted for GAO 's work . The GAO follows its own rules and guidelines . contradictory +Imagine seizing these creatures , feeding them or trying to , and keeping them hidden . Imagine exposing these creatures and starving them . contradictory +i mean you can ask and you can wheel and deal but it 's not as open as it it should be it 's a great idea hell i 'd love to cut ours in half but uh man " It 's very accessible , but I oppose the idea of wheeling and dealing . " contradictory +well a lot of times it 's you know a lot of times it 's not the money that keeps people that keeps people Money doesn 't always make athletes stay with their current team . neutral +Each topical section will be identified by an alpha-numeric code ( for example , P10 for Pensions ) , with numbers selected to allow addition of future topics . The codes will be ordered to match the manual . neutral +They are still responsible for making sure that they can rely on the quality of the automated systems to ensure that invoices authorized for payment are legal , proper , valid , and correct . They are still responsible for making sure that they can rely on the quality of the automated systems to ensure that invoices authorized for payment are legal , proper , valid , and correct . entailment +but but you 'd think that uh garages could do that Most garages can hold two cars . neutral +For those who look into the future and are concerned , there are some fundamental What can be done ? The future has already been decided and no one cares . contradictory +In order to better support the Congress and maximize the value of our strategic plan , in April I announced a realignment of GAO . I announced a realignment of GAO in May . contradictory +On the other hand , this druggy , undulating succession of ostinatos is as difficult , as dissonant and woolly , as anything the quintet recorded , suggesting both the psychedelia of King Crimson and the minimalism of Steven Reich . King Crimson is the group that recorded this music . contradictory +At my Victorian grandmama 's knee I was taught that one uses the abbreviation messrs ( plural of mister ) only when addressing two men with the same surname residing at the same address--an admittedly Victorian situation . The convention for how to use messrs has evolved over time . neutral +Ca 'daan saw the dark-skinned man dive and turn under the swings of his shield-bearing opponent . In the depending darkness , the man 's opponent could barely see him because of his dark skin . neutral +uh huh sometimes it might be the candlelight and sometimes it might be the picnic out back or something well that 's you know that 's fun Sometime 's we 'll eat by candlelight or outside somewhere . neutral +but it 's like three fairways over It is right here ! contradictory +To my eye , this is the essential de not a slatherer but a destabilizer . The new president will be a destabilizer . neutral +Currently , the installed maximum single absorber capacity in the U.S. is 890 MWe being fed by 2 boilers at Tampa Electric 's Big Bend Station . the installed maximum single absorber capacity in the U.S. isn 't that much in comparison to other countries neutral +i guess i don 't don 't really have a problem with capital punishment i 'm not really sure what the exact uh specifications are for Texas i know that they uh have capital punishment for certain crimes and that 's probably the way i feel about it is is uh it kind of depends on the crime that 's committed my belief all my life i guess has been that that if you take someone else 's life then you automatically are giving up uh yours in place of it but i don 't seems to be a lot of controversy about that My issue is how ineffective we are in administering it . neutral +The best thing about this play , apparently , is Irish actor Donal McCann ( The Dead , Stealing Beauty ) . McCann plays a 70-year-old ex-superintendent of the British-run Dublin police force who is now committed to an insane asylum and brooding over his past . Donal McCann is a film and stage actor . neutral +Our crack development team ( that is , our development team that is crack , not our team developing crack ) is hard at work on Slate Search 3.0 . Slate Search 3.0 is in development . entailment +The concept of la dolce vita easily outlived its introduction in the early ' 60s , given today 's widening proserity that has sustained and expanded the Italians ' enviable propensity for the sweet life . The idea of la dolce vita was introduced in the early ' 60s . entailment +The center of Lisbon is small , compact , and easy to get around in just a few days . It is easy to get around the center of Lisbon . entailment +The Eskdale Corn Mill sits at the very top of the village , over Pack Horse Bridge . Pack Horse Bridge is near to the Eskdale Corn Mill . entailment +Charles Stewart Parnell , an Irish member of parliament , took up the cause , and the Land Acts , which enabled hard-pressed tenants to buy their land , were passed . The Land Acts failed to pass because Charles Parnell was against them . contradictory +He stays on the streets unless I catch him red-handed--and I won 't . He is guilty and he knows it . neutral +There are indeed invocations of the Holocaust to which I 'd apply this description . I could describe the HOlocaust in lots of sad terms . neutral +I probably could still pass the ( state ) bar exam , he says , somewhat in jest , because of all the different areas of the law still very familiar to him . He said , quite seriously , that there was no way he 'd be able to pass the current bar exam . contradictory +Well , let 's do some abstruse statistical research--by , say , buying a copy of the Economist and opening it to the last page , which each week conveniently offers tables summarizing economic data for a number of emerging economies . The Economist offers some of the best summaries of economic data . neutral +This upset Jolanta enough to ask her Third Husband , who still loved her , to pay for a monthly stay at La Berg . Jolanta was sure that her Third Husband would grant her anything she asked for . neutral +It also conceals a Gothic masterpiece , the Sainte-Chapelle . The Sainte-Chapelle is a masterpiece that is Gothic in origin . entailment +AH ! Annette appeared to stumble over something . Annette 's trek was completed unimpeded and with grace and poise . contradictory +That 's quite all right . It was not alright . contradictory +And they can 't undo whatever quick-tongued network-TV guests like Bill Kristol say in 10 seconds . Bill Kristol has the ability to speak on television .. entailment +If you think you recognize the feet of the user in the stall next door and you have a question or a comment , should you start talking ? None of the users can see the feet of the users in the other stalls . contradictory +Finally , I would also note that , in the past , we have suggested that a central focal point such as OHS be established statutorily in order to coordinate and oversee homeland security policy within a national framework . We have suggested previously that the central focal point of OHS be established to coordinate homeland security policy . entailment +four that 's good very good yes yeah i don 't Four is good . entailment +Reese Topham , the Spaniard Don Lorenzo who had been in the cantina last night , the stout Mexican Bartolomé , and Don Cazar himself were all there before him . There were men at the cantina last night . entailment +The Kosovo story details a massacre in which local nationalist Serbs and paramilitaries murdered at least 21 members of one family . Serbs are fueled by hate but are well trained and well armed . neutral +Both men crashed to the ground dead . Both of the men died when they crashed in to the ground . entailment +Now that I 've said my piece on behalf of the New Deal , I can admit to having found Cook 's prose clear and readable but not especially memorable . Cook 's writing was good but failed to mention the benefits of the New Deal . neutral +well i don 't know about North Carolina but well actually North Carolina i think North Carolina 's gonna to do pretty good i think they 'll go to the finals Despite their performance , North Carolina might have a shot at the finals . neutral +uh one of them has made big banners to put on the oh we have one of those isn 't that awful shelter a covered shelter and they 've had big banners to display across the front of that They made some big banners . entailment +9 State-wide civil legal services ' percentages of total funding received from Alabama , 91 % ; Arkansas , 80 % ; Mississippi , 95 % ; New Mexico , 83 % ; South Dakota , 89 % ; Wyoming , 84 % . The percentage of funding received from Alabama is ninety one percent . entailment +Superior Court Judge Los Angeles Career Appointed by Gov. Superior Court Judge of Los Angeles . entailment +In the crypt , you 'll find the tomb of Andrea Doria , great 16th-century admiral who took Genoa into the Spanish camp against the French and became the city 's virtual dictator . Andrea Doria was a 16th-century admiral who basically became Genoa 's dictator . entailment +How much of the world would Milosevic sacrifice for the sake of his power ? There was a question of how much of the world Milosevic would sacrifice for the sake of his power . entailment +well it 's just uh been delightful talking with you Let us talk again some other time . neutral +Grill room ? inquired Tommy , as they reached the opposite pavement in safety . They crossed the street safely and Tommy asked about the Grill room . entailment +it 's on eleven ninety It is only seventeen thirty-eight . contradictory +to represent you and so i really don 't i don 't agree that you have too many choices that you know it 's it 's too hard and i think that people are just lazy i think they don 't want to get out I 've even offered to give rides to friends , and they won 't bother voting . neutral +well i see that we both share the same belief here that it 's important that we spend time with our kids and and in spite of We both believe that it is vital to spend time with our kids . entailment +She seemed living in the memory of those old glad days . She was reliving some horrible experiences she had had . contradictory +Cowed by his intensity , I was afraid to open my mouth . He was intense because of his affiliation with the gangs . neutral +" Is that not so , amigo ? " His speech was oddly formal , as if he were using a language other than his own , but there was a warmth to the tone which matched that sudden and surprising smile . He through me off with his slangy speech . contradictory +The Web site , which will be created with a $ 50,000 grant , is intended to offer legal advice to poor people across Arizona , said Paul Julian , chief executive officer of Southern Arizona Legal Aid . A website offering legal advice was made for $ 50,000 . entailment +Unlawful lock-outs or evictions are often timed to coincide with brief absences , and may ripen while an alien is out of the country visiting relatives . They were locked out because they lost their key . contradictory +As I was sworn in as a licensed attorney in the state of Iowa-which is a small rural farming state located in the midwestern part of our country-I optimistically and mistakenly believed that my life in legal services would be a short one . I am a licensed attorney in iowa and I have worked in legal services for ten years . neutral +The luxury hotel is still a favorite of celebrities and visiting royalty , some of whom have been known to rent entire floors for their stay . It 's always a flurry of activity at the hotel when a famous celebrity or person comes to stay . neutral +uh generally the most of my information i 'll get in the morning with my newspaper I get the majority of my information from the morning newspaper . entailment +If you want us to leave , we will be gone tomorrow . Your wish is our command . We must respect your wish if it is for us to leave . neutral +But the Clinton camp 's message was less nuanced and therefore more effective . The Clinton camp 's message was less effective , and more nuanced . contradictory +Perhaps you have seen this , seeor ? We spin the birds around and around , then release them . You must have seen this before , seeor . We spin birds around and around and then hold them for a while prior to releasing them . neutral +Because information technology changes rapidly , controls must evolve to remain effective . Controls on information technology must evolve in response to rapid changes . entailment +Mr. Hubbock also designed the Masjid Jamek . The Masjid Jamek was designed by Mr. Hubbock . entailment +Right now , I 'm giving back to the community I grew up in , said Luu , 24 , who lives in Alhambra . Luu is giving back to the community she grew up in . entailment +Clearly something must be done . We don 't have to do anything . contradictory +it 's all the did you ever read the uh uh oh it 's one of his first books The Stand The book I 'm reading right now is The Stand . neutral +uh-huh yeah they do they think it 's a paycheck For them it 's more than just a paycheck . contradictory +yeah that 's right there goes his battery Correct , his battery has gone . entailment +alrighty uh i guess our topic today is air pollution and we are to just discuss what substances do you think contribute most to air pollution as well as what society can do to improve the air quality of the atmosphere around us Do you feel that you 've ever been affected negatively by polluted air ? contradictory +If she had any doubts , clarification came in the form of a $ 250,000 deposit to her bank account . This woman has no money . contradictory +Try Loughrigg and Loughrigg Terrace , easily reached from Grasmere village , for superb views of Windermere and Grasmere lakes . The terrace is impossible to get to . contradictory +The north and south arms of the square , the 16th-century Procuratie Vecchie and Procuratie Nuove , were the residences of the republic 's most senior officials . Procuratie Nuove was the cathedral 's name during the 14h century . contradictory +It meant explanations , and general awkwardness . it doesn 't mean awkwardness . contradictory +it 's suspenseful i don 't think it 's very terror i mean there 's not really any uh blood and guts in it or anything like that it 's it 's more suspense um the other one Silence of the Lambs is kind of a a gory movie if if somebody 's not into that kind of stuff it 's it 's pretty graphic at points but uh i think they 're both excellent movies I also like comedies . contradictory +The bleakest lesson of After the Madness is perhaps that prison has lost its capacity to shock . The lesson learned from After the Madness is that no one wants to go to prison . contradictory +yeah i definitely want to see that have you seen uh The Doors I heard they are making a movie called The Doors . contradictory +hi this is Norma Smith Hey , this is Fred Richards . contradictory +and i uh i don 't block off my my uh chute but i don 't pick up my grass either i leave it on the lawn and uh i try to go over it again i do pick up or i rake up uh I pick up my grass so that I don 't have to rake it . contradictory +A little Musee du Vin ( Rue d 'Enfer ) tells the history of wine-making , with all its paraphernalia , from Roman times to the present day . The Rue d 'Enfer shows how wine was produced in the 1400s . neutral +One participant emphasized that once the group lost trust in a member , trust could not be easily restored . A participant said trust is not easily restored , so if an employee skipped work without calling into coworkers , they would notify the manager and the person may be laid off soon after . neutral +Among modern occupations , only cult leaders and TV weathermen rival the technological visionary 's ability to retain credibility despite all evidence to the contrary . In the modern world , TV weathermen have the chance to retain their credibility even when they deliver a false forecast . entailment +yeah i um i think that they will be more in the work place because uh the door 's open I 'm glad to see that the way is open for these people to enter the workforce . neutral +Nor does Soccer Guy seem like an appellation that 's likely to go down in the annals of crime alongside Sammy the Bull--or even Paulie Walnuts , that hit man on the Sopranos . Soccer guy committed many crimes . neutral +that 's right yeah well i i know exactly how you feel I know exactly how you feel . entailment +Since the business case in DOD places very little premium on meeting cost and schedule targets , but a very high premium on performance , programs succeed at the point where sunk costs make it difficult-if not prohibitive-for decision makers to cancel them . Meeting schedule targets is something the DOD places a high premium on . contradictory +Mosaics inside a small chapel are of the finest quality and show scenes of the life of Christ . A small chapel does not display mosaics the depict the life of Christ . contradictory +Shocking [ A ] s many as 20 percent of schoolchildren may have a neurological deficit , ranging from mild to severe , that makes it hard for them to read and write . Up to 20 % of school-aged kids may have mild to severe neurological problems that make literacy difficult . entailment +Though hampered by the peninsula 's division into the States and the Straits Settlements , relatively conservative Muslim intellectuals and community leaders came together at the Pan-Malayan Malay Congress in Kuala Lumpur in 1939 . Educated Muslims and community leaders were among those at the Pan-Malayan Malay Congress , despite the division of the peninsula into States and Straits Settlements . entailment +The case study was useful for readers interested in what a particular program was like or what happened to a typical beneficiary . The case study helped readers who wanted to know what a program was like for new students . neutral +Reduced levels of ground-level ozone resulting from the final Clear Skies Act will have generally beneficial results on agricultural crop yields and commercial forest growth . The Clear Skies act has been very detrimental to farming . contradictory +It was the home of Chu Cheng Bok , a legendary rags-to-riches entrepreneur who gave up the old iron of his bicycle repair shop for a fortune in tin and other business . Bok created a profitable business , using underhanded schemes , outside of his bike repair shop . neutral +Visits are by guided tour only ; car or bus tour ( summer only ) . The visits cost $ 50 per bus ticket . neutral +I still have a friendly ( like best-friendly , soul mate , love of my life so far ) relationship with a woman who is somewhat capricious with her address and my heart . My ex-wife won 't tell me where she lives , but I still love her . neutral +Designing Evaluations . The evaluations were impromptu , with little thought given to them . contradictory +um-hum um-hum oh yeah i i think it 's a wonderful thing to do and there 's a lot there 's a lot more i guess another possible solution is since taxpayers aren 't going to start paying more money for this and and other budgets aren 't going to be cut to pay for it I think it 's great to do that . entailment +These zephyr-borne estimates went way up after the Grucci fireworks barge floated between Liberty Island and the skyline with an electric sign on it that said Talk ( did I forget to say that this was Tina Brown 's party for her new magazine , Talk ? ) and hurled into the black sky a literally earth-shaking barrage of pyrotechnics . The fire work display was not as big as expected , but still impressive . neutral +Word repetition ? Words are repeating ? neutral +La Villette ' in the northeast corner of the city ( metro Porte de la Villette ) ' has been converted from the world 's biggest slaughterhouse into a futuristic complex of cultural and scientific activities . La Villette is in the southwest corner of the city ( metro Porte de la Vignette ) . contradictory +This would not be a case study . This is one of the best case studies you have presented . contradictory +The choir and chancel do not stand on the island 's granite core but on a platform formed by three crypts , with the massive columns of the Crypte des Groseiliers doing most of the work . There are three crypts that form a platform , upon which the choir and chancel are set . entailment +How was I to know ? " There 's no way I could have known about the storm . neutral +But a closer look at Bush 's comments suggests the He is concerned that the party looks mean because of its economic policies , and he is using cultural issues to soften that image by projecting Republican compassion . Bush 's comments suggest that he is using cultural issues to soften that image . entailment +because it becomes so cold out here that uh and sometimes the weather gets to you so you don 't want to go outside and drive around It never gets cold and that just makes you so excited to jump outside and drive around . contradictory +5 percent of the routes operating at a loss . 5 percent of routes are operating at a massive profit . contradictory +The old water ferry no longer runs , but Queensferry remains the croseng point for modern-day travelers in their motorized machines . The old ferries were not motorized and were very slow . neutral +People put me up on a pedestal that I don 't belong in my personal life . People are uninterested in my life . contradictory +21 An extreme , but possibly realistic , situation should not be overlooked . 21 is of no significance and can be ignored . contradictory +The truth of the matter was that it was Lawrence who had murdered Alfred Inglethorp with a croquet 114 mallet . Nobody knows who murdered Mr. Inglethorp . contradictory +These things are in such short supply in North Korea that they have to be smuggled in in the stomachs of South Korean cows . These things have to be smuggled in the stomachs of South Korean cows , but it will change soon . neutral +Denis Diderot has much to say about dress in the theater , and Honore de Balzac wrote an incisive treatise on neckties , among his many essays on elegance . Diderot had a lot to say about how people dress in the theater . entailment +The eastern side of the square once housed Oliver Goldsmith 's rooms ( renovated in Victorian times , little of the 18th-century building remains ) . Oliver Goldsmith once lived in the square , although his rooms have since been renovated . entailment +Other attractions of Picardy 's capital include the canalside Saint-Leu quarter , the Hortillonages ' an area of water gardens east of the cathedral that is only accessible by punt or on foot , and the Mus ? ? e de Picardie ( 48 Rue de la R ? ? publique ) with its good collection of paintings , most notably a couple of Van Goyen landscapes , El Greco 's Portrait of a Man , a witty self-portrait of Quentin de La Tour , and Francois Boucher 's erotic pink nymphs . Francois Boucher 's erotic pink nymphs are the most popular art pieces in Picardy . neutral +The cover story chronicles a 46-year-old woman 's heart transplant , from her diagnosis to the harvesting of her new heart to the operation itself . It chronicles the process of a 20-year-old man 's brain transplant . contradictory +Abbaye de Fontenay Abbaye de Fontenay . entailment +In other words , you can get it free . There are numerous fees included with it . contradictory +Look in the local press ( see page 119 ) for details of upcoming matches . The matches will be tense and exciting . neutral +All golf courses on the Costa Blanca are open to visitors , and clubs , caddies , and occasionally , electric trolleys can be hired . Visitors are welcome at all golf courses on the Costa Blanca . entailment +have a nice day bye-bye Enjoy the rest of your day . entailment +Anyway , they can 't get away from there . They could get away from there . contradictory +In commemoration of the 600 th anniversary of the great battle , in 1989 Lazar 's bones were taken for a tour around Serbia and Bosnia , from monastery to monastery . Lazar 's bones were presented to monasteries of Serbia in 1989 . entailment +Outwardly the room was unchanged . The room was not different on the outside entailment +Abundant saving alone does not always generate robust growth because the saving must also be invested well . Abundant saving will only provide for half of what is required to generate growth . neutral +The question is , said Alice , whether you CAN make words mean so many different things . Alice was wondering yesterday if what you say can mean so many different things . neutral +well this machine does it all in one step it 's It saves a lot of time because it does it all in one step neutral +Drew began to think about that . Drew started to consider his words . neutral +At the height of the panic , thousands of Chinese were deported from Hong Kong . The Chinese have generally always stayed out of Hong Kong . contradictory +In addition , under certain circumstances , GAO has the authority to access information from other entities receiving federal funds , such as the District of Columbia , state and local governments , and private sector contractors . GAO can always access the information they want , without proper documentation . contradictory +no not many people could i go paycheck to paycheck barely Paycheck to paycheck living is not easy . entailment +It might work . It is possible that it will work . entailment +, the Globe and Mail lamented the state of Canada 's road system . The Globe and Mail spoke recently about the current state of Canada 's road system . entailment +This belief is based primarily on the perception of a cost differential between rural and city delivery . They believe it because they think rural and city delivery have similar costs . contradictory +Coptic Christians founded an expansive community for prayer and contemplation here in the fourth century a.d. when many monks chose to live their lives as hermits . The majority of Coptic monks lived their lives as hermits . neutral +Good places to buy include the Azulejo Museum in Lisbon ( see page 31 ) and the shops along route EN-125 along the Algarve coast , which sell more ceramics and pottery than anywhere else in Portugal . The pottery is very cheap in this region . neutral +NIAAA is a small institution with more priorities than money . NIAAA has a huge operating budget . contradictory +there , choose Washington Post ( under News Agency ) . Post your job ad in the Washington Post . neutral +In 1904 , the narrow , double-decker trams ran along the waterfront , but land reclamation has placed them far inland . There used to be double-decker trams along the waterfront . entailment +In its June 1998 report , the Inspector General noted that the staff had a strong commitment to protecting public health and safety but expressed high levels of uncertainty and confusion about the new directions in regulatory practices and challenges facing the agency . The Inspector General said the staff was not committed enough to protecting the public . contradictory +No Longer Sleeping took out his cell phone and entered the code . No Longer Sleeping would never forget his code , because it was his home address . neutral +i mean you have to set an example you have to start somewhere You have to be the one to set an example . entailment +The use of these procedures regarding rules pertaining to the promulgation or revision of regulations and test procedures for new motor vehicles or engines is mandated by section 307 ( d ) ( 1 ) ( K ) of the Clean Air Act . The Clean Dust Act prohibits newer vehicles from being vacuumed . contradictory +uh-huh yeah because i think we 're given more now whereas you had to work for everything and kids nowadays are just given so much that they really don 't have to work and you know and they they don 't have any intent to go working until they have to We are a bunch of spoilt children who have grown into adults . neutral +Get as many into the caves as will go . Put as many into the caves as will go . entailment +'And it seems to me , ' the Fat Man smiled , ' that we might as well begin at once . ' The Fat Man frowned . contradictory +really sometimes when my dad has like that 's the one thing no one is allowed to touch except my dad he takes care of all the cucumbers because he said the vines are just so at our house as soon as you touch a vine it 's like it completely dies My dad takes care of all the plants . neutral +Tourist information offices ( see page 121 ) have details . since the information offices do not have details , refer to page 121 . contradictory +Donald B. Hilliker has his work cut out for him -- as much as $ 1 million worth . Donald Hilliker enjoys the challenging , million dollar tasks he 's given . neutral +The exhibits powerfully document the build-up to the dropping of the atomic bomb on Nagasaki and the appalling effects of the blast itself and its aftermath . The exhibits documented the build-up to the dropping of the atomic bomb on Nagasaki . entailment +Alas , the text could have done with more Shrum , who , let 's hope , did not pen the line , Home is about freedom . There is no way Shrum would have helped the text . contradictory +Burnt corks they use 105 mostly ” though ' tis messy getting it off again . Most of what they use are burnt corks . entailment +yeah i took them up here to Collectors Rector Records and was able to get a little money for them I took them up to Rector Collector Records and didn 't get paid at all . contradictory +and we 're now finding out like we have peach trees in the middle of our garden now because we took peach seeds and dump them there whenever the garden like in the fall We have peach trees . entailment +well i guess then i will go but i made me stop and think a minute about You really made me think before I jumped into it . entailment +I asked for $ 300 per lawyer to make up for the shortfall . I had to increase the cost per lawyer due to the shortfall . neutral +But I can 't . Fortunately , I can . contradictory +, the government--borrowing a lot of money ) . The government never has to borrow money . contradictory +It may be fun to say , as Frank put it in the Baffler , that William S. Burroughs ' inspirational writings are boardroom favorites , his dark nihilistic burpings the happy homilies of the new corporate faith . Burroughs wrote inspirational writings . entailment +She looked very tired and ill , I thought . I think she looked very sickly and tired . entailment +On the peninsula , the oldest human-related relics ( 10,000 b.c. ) are Stone Age tools of the Negritos . The Stone Age tools of the Negritos are now classified as a national treasure in the museum . neutral +if i take her to the vet i used to put her in her in a cage and take her down but now i just carry her out to the car and she crawls up in my uh up on my shoulder i still can 't get her to the vet without putting her in a cage contradictory +The Hellshire Hills , south of Spanish Town , come as a surprise to those who think that the tropics can only be lush and green . The Hellshire Hills is a location located south of the Spanish Town . entailment +Newsweek ' s a satellite photo of the test site . Newsweek ' picture of the dog . contradictory +The futuristic Kaiyukan Aquarium has at its core one of the world 's largest indoor tanks , containing a dramatic collection of sharks and other large deep-sea fish . Kaiyukan Aquarium is very modern because of it 's large indoor tanks which is home to a collection of sharks and other larger deep sea fish . entailment +In October 1999 they refinanced again with New Century Mortgage , another subprime lender . They refinanced with another lender that charged them 10 % interest . neutral +How did Adaptec or Skadden get on the list ? Adaptec and Skadden are on the list . entailment +( The discovery of organic matter in a meteorite , reported in early August , represents at best an extremely circumstantial piece of evidence for life on Mars . ) There was organic matter found in a meteorite . entailment +Keeping summary records of actual security incidents is one way that an organization can measure the frequency of various types of violations as well as the damage suffered from these incidents . An organization has the ability to measure the frequency of various types of violations . entailment +on insight and recognition or on quantitative Insight and recognition can be used . entailment +This document contains the protocols governing the General Accounting Office 's ( GAO ) work for the Congress . There are currently no protocols in place to govern the GAO 's work . contradictory +The CIO Council , or other organizations of federal CIOs , can create an opportunity for sharing these experiences , using the principles described in this guide as an organizing framework . An opportunity can be created by the CIO Council . entailment +Of course , I don 't know that they killed you first--but those are their methods . Sure , I 'm unaware of whether they killed you beforehand , but that 's what they usually do . entailment +Three of the new sets of rules prescribe expedited procedures for particular categories of Postal Service requests . Three of the new sets of rules give the procedure for some postal service requests for urban routes . neutral +There was a breathless hush , and every eye was fixed on the famous London specialist , who was known to be one of the greatest authorities of the day on the subject of toxicology . Everyone stared intently at the specialist of toxicology . entailment +hey how do you like it out there How do you like it out there ? entailment +all of our so called garages are now a convenience stores that sell gasoline and they really don 't do any repairs anymore so you know you 're you 're you 're you 're almost tied to the dealer to go back to them and The dealer has the corner on the market . neutral +Its vast cavea provided seating for 25,000 people , and still accommodates the crowds who gather for performances during the annual Ephesus International Festival . Its vast cavea provided seating for five hundred people . contradictory +looks like we 'll reach a point of uh parity there where the Cowboys may start being a little more competitive with the rest of those teams We have come to a point where the Cowboys may start to become a bit more competitive . entailment +No racin ' on the Range . Racing is allowed on the Range at any time . contradictory +We do not know . We are fully informed . contradictory +It 's true that if a company lets a potential merger candidate look too closely , and the deal then falls through , it may have given away its secrets for nothing . Once a merger candidate is identified , the process always completes . contradictory +On the right , nationalist forces were motivated by a desire to hit back at Germany , seeing all contact with foreigners or any form of cosmopolitanism as a threat to national honor and integrity . Nationalist forces saw Germany as a natural ally and wanted to make the country more open to foreigners . contradictory +Further , several participants cautioned that the auditor rotation rules currently being developed by the regulators could further reduce audit quality by resulting in a loss of continuity , experience , and technical knowledge on an audit . Constantly shifting auditors to new jobs would have an impact on quality . entailment +and that it 's mostly sales tax so it 's really the people that have the money to buy things that are paying the more because they 're paying the sales tax on the larger items that they buy and stuff i 've lived in Texas most of my life we um lived in Kansas City for a couple of years and I feel that Texas has changed a bit since my childhood , in good and bad ways . neutral +The Jewelry District is also situated on nearby Hill Street , between West Fifth and West Sixth streets . The Jewelry District is on hill street . entailment +Columbus first arrived in Jamaica on 5 May 1494 at Discovery Bay , where there is now a small park in his honor . Jamaica was discovered by Columbus by pure accident , as it was not his intended destination . neutral +oh what what what one is that Which food is that ? The green one ? neutral +The movie made me remember why I like Holly Hunter . I like Holly Hunter . entailment +A piece questions a new approach to cracking down on school In California , Florida , and Michigan , prosecutors are imprisoning the parents of chronic truants for up to 90 days . The parents of chronic truants are being imprisoned . entailment +They don 't have to make large stockholders known until the company files with the SEC to go public . As long as the company isn 't public , they don 't have to make the large stockholders known . entailment +But to my knowledge he never held a commission from the South , and he is nothing but an outlaw trading on the unsettled state of the territory . He was like an outlaw . entailment +It protects one of the largest swathes of Royal Palm Jamaica 's national plant left on the island . It fails to protect one of the largest swathes of Jamaican national plant . contradictory +Illustrations of the Christian triumph at Granada in 1492 , on the lower choir stalls , were created by Rodrigo Alem ? ¡ n only three years after the great event itself . The illustration was created just three years after the event it depicts . entailment +From the safety of a TV studio , Donaldson 's ready to have ( someone else ) pay any price , face any foe . Brave as ever , Donaldson went out to the public to face the music . contradictory +They 've been telling me things dreadful things that my memory went , and that there are years I shall never know about years lost out of my life . 168 " You didn 't realize that yourself ? " The girl 's eyes opened wide . The girl was told that she had lost years of memory . entailment +The grounds , with lovely Romanesque-style Royce Hall dating from 1929 , Powell Library , Franklin Murphy Sculpture Garden ( with works by Matisse , Rodin , and Miro ) , and the Mathias Botanical Gardens , offer a welcome respite from the motor metropolis . The grounds are right in the middle of the city and so loud and polluted . contradictory +You 'll also see reliefs of Sobek and Horus flanking the entrance . There are depictions of Sobek and Horus on each side of the entrance . entailment +I don 't mind , therefore , that your two gentlemen are interested , or that they aren 't making much headway . I don 't mind that your two gentlemen aren 't making much headway . entailment +This last contradiction is central , because it goes to the heart of Morris ' claim to have got Clinton re-elected . The claim had a lot of value . neutral +( Here is Time ' s shorter version . ) Time has a longer version available . contradictory +The bandit with the sword swung but Vrenna parried . As the bandit swung his sword and it landed in Vrenna 's neck . contradictory +The Turkish national drink is tea ( cay ) . Tea , called cay , is the national drink of Turkey . neutral +And what about what we might call the Rauch-Reich test ( so named for Jonathan Rauch 's The Rauch-Reich test is named after Jonathan Rauch . entailment +yeah and i i really now now now i i have gone on one little vacation just the girls and i we drove down to Port Aransas and rented a little efficiency you know and and had a marvelous like two nights and The girls and I drove down to Port Aransas for a little vacation . entailment +On the evening of May 1 , British political Web sites will be flooded by enthusiastic users . British political Web sites will have many visitors in May . entailment +However , the agencies made the staffing reductions before much of the new automation was in place , and automation efforts had not been fully implemented as of The agency should have waited before firing any of its staff . neutral +This was 1971 , not 1917 ! This was 1917 , and 1971 wouldn 't come around for another fifty years . contradictory +The Society for the Protection of Nature in Israel ( SPNI ) offers environmental hiking tours nationwide in dramatic settings such as the Samaria Desert , Wadi Qelt , the Dead Sea , Galilee and the Golan , and around Eilat . The Dead Sea is closed to all visitors due to toxic emissions . contradictory +The Pyramid of Kephren is smaller than the Great Pyramid , though its location on slightly higher ground makes it seem taller . The Pyramid of Kephren appears to be taller than the Great Pyramid . neutral +and he uh i don 't think he didn 't apply i don 't think he 'd get admitted there but he 's starting to get enough motivated he wants to go there that i think he 'll go to Richland and take what he needs to have to take to qualify in Tech and then try to go to Tech the next year He just needs to apply himself , and he can get into the school he wants . neutral +The national museums have free admission , but the SuperSaver Card , available at any Tourism Centre or participating attraction , will admit you to a number of others at a reduced price with priority entry . The SuperSaver card is helpful when you want to visit a lot of museums without waiting . neutral +I saw White . White - I saw him . entailment +But I am instinctively skeptical that many customers are as fanatically loyal as my colleague 's wife . Naturally , I 'm skeptical that many others are as loyal as my colleague 's wife is . entailment +There is no doubt that Stalin was a brute . Stalin was surely a brute . entailment +Time to Go We can leave in a year or two . contradictory +Eva 's mechanic friend inspected the car and found several large sticks lodged underneath the car to prevent it from rattling . Eva 's friend , a mechanic , inspected the car , finding several large sticks stuck underneath the car to stop it from rattling . entailment +Standing up to them , and doing what she evidently feels is right , means being taken for a Clinton hack . She thinks it 's right to stand up to Starr . neutral +His visits to the stable must have familiarized him with the Gray Eagle-Ariel strain bred there . He learned a lot about the Gray Eagle-Ariel strain during his visits . neutral +yeah but uh i can 't get too enthused about it yet it seems to me i have to feel that the fall weather to really do something uh with regard to football The weather is the determining factor to my play in football . neutral +Pat Buchanan is courting his support , and the Donald consults with him regularly . Whenever Donald runs into tricky policy issues , he turns to him . neutral +Take the funicular railway from the Place Saint-Jean up to the top of the hill and walk down the Chemin du Rosaire , which gives spectacular views of the town below . The walk along the Chemin du Rosaire is very relaxing . neutral +Their tomb can be viewed through the gate of a nearby crypt . There is no tomb . contradictory +Before plunging into TV 2000 , let 's take a moment to look back at TV 1999 , Friday night , around midnight . Lets revisit television from the late 90s . entailment +Jon smiled and bowed to the boy . Jon bowed o the boy and smiled at him . entailment +yeah okay by the way you don 't sound like you 're from Dallas that 's why i didn 't think you don 't sound you sound like you 're from the north that 's why i didn 't think you were from You sound like you 're from the Dallas area . contradictory +She appears to be an apolitical soccer mom , but she 's actually a liberal do-gooder and her advocacy of mental-health issues threatens to increase health-care costs for most Americans . She is a liberal who supports mental health issues . entailment +and it 's it was so pretty that if you got way up at the top it looked like you could just dive off and and and bounce on a bunch of pillows you know it was good it was fun i had fun I have been diving before and enjoyed it . neutral +When there are significant differences between the population affected by a particular health risk and the populations used in the labor market studies , as is the case here , some economists prefer to adjust the VSL estimate to reflect those differences . Economists never adjust the VSL estimates to reflect differences in populations . contradictory +The Honorable Thomas J. Bliley , Jr . , Chairman The Honorable John D. Dingell Ranking Minority Member Committee on Commerce House of Representatives Dingell is no longer a member of the committee . contradictory +Human activity has greatly altered the terrestrial and atmospheric nitrogen cycle , doubling the annual amount of nitrogen available in forms that are useful to living organisms . Human activity has been decreasing the amount of nitrogen on Earth . contradictory +It 's the center of the industry , and practically all the great wines are represented here . You can find pretty good wines represented in the center of the industry . neutral +And watching jealously , Drew had realized that Shiloh was one of those mounts that a man discovers only once in his life-time , though he may breed and love their kind all his years . Drew thought that Shiloh was a once in a lifetime find . entailment +The British invaded Nepal from India in 1814 but were repulsed by the king 's soldiers from Gorkha thus earning all subsequent Nepali fighting men the name Gurkhas ( see page 61 ) . Gurkhas is an ode to the place called Gorkha whence the king 's soldiers repulsed the British . entailment +Although technology is being used to help bring teams that are geographically dispersed together in a virtual environment , to the extent that team members are already located nearby , moving team members to a shared location improved communication and enhanced efficiency . Teams can be anywhere but be together in a virtual environment . entailment +He 's been accused of , among other things . He 's been accused of nothing because he did nothing . contradictory +The program stated that it would assess the processes status as the program moves forward . The program stated that it would assess the processes status as the program moves forward . entailment +They 've since been joined by Mongols , Aryans , Greeks , Arabs , Turks , Persians , and Afghans , while Dutch , British , Portuguese , and French have also left their traces . They have only been joined and influenced by a couple differing groups . contradictory +If I receive $ 5 million , I 'm rich . 5 million dollars will last a long time . neutral +yeah i 've got uh three cats uh yeah me and my roommate have a little business on the side and we we breed uh cats yeah it 's it 's My roommate does not breed pets on the side . contradictory +um for food that doesn 't apply to water they don 't consider water a food and uh the basics premise is that if water was a food it would be you know they wouldn 't be able to sell it to you Food isn 't considered a basic right in the same way that water is . entailment +The final rule is considered to be an economically significant regulatory action under Executive Order The final rule was not economically significant . contradictory +Take the A9 autoroute southwest from Orange to the Fournys-Remoulins exit , then follow the D981 to this gigantic 2,000-year-old aqueduct , without doubt the most impressive of all the Roman mon ? ­ u ? ­ ments preserved from an ? ­ cient Gaul . The A9 autoroute goes from Orange to Fournys-Remoulins . entailment +The database accounted for the number of information security incidents that had been reported , the types of incidents , and actions taken to resolve each incident , including disciplinary actions . The database also automatically collects information as the users access information and logs it for further reference . neutral +The author is Special Assistant to the Postal Rate Commission , an independent U. S. Government Agency , separate from the United States Postal Service . The Postal Rate Commission was created separately so that the USPS could not create raises for itself . neutral +As projected in the AEO2001 assessment , the nation 's economy is projected to grow at 2.9 percent per year in the period 2000 through 2020 . As the aeo20001 assessment projected , the nation 's economy will grow by 2 % per year between 2000-2020 . entailment +yes so i i you know think that there are very few men who still feel that way and very few women who will tolerate a man who feels that way Everyone feels the same way about this . contradictory +When she had finished he ; nodded gravely . He nodded gravely , when she finished . entailment +She tilted her head , considering him , and smiled back . SHe frowned . contradictory +The mob , reportedly acting on Cohn 's behalf , threatened Davis with violence to force him into a sham marriage with a fellow African-American . The mob wanted Davis to marry an African American as they had bet a lot of money on them getting married . neutral +This bustling capital deserves the necessary effort to get into its colorful past . It was originally established by the Spanish . neutral +uh not lately but uh yeah there was a little bit of rain couple days ago and they had tornados up in uh Oklahoma and i guess in Wichita Falls too We 've had beautiful , sunny weather . contradictory +well that 's funny i didn 't expect to have any more calls I was expecting lots more calls . contradictory +They no longer require him to strike any references that show alcohol treatment is effective . They don 't require him to remove references about alcohol treatment being effective . entailment +The judge agreed there were extenuating circumstances because both songwriters had been inspired by old blues music . 75 % of songwriters get inspiration from old music . neutral +Furthermore , for any system to function effectively , there must be incentives for parties to do the right thing , adequate transparency to provide reasonable assurance that people will do the right thing , and appropriate accountability when people do not do the right thing . Incentives help fuel parties to do the right thing , and is vital for any system to function effectively . entailment +If a salamander could destroy even such a body as his , then the fragments of sun that were still roiling across the landscape would be fatal . Both the salamanders and the sun were certainly harmless to him . contradictory +The guide does not address all of the responsibilities which fall to federal agency CIOs - only those which have parallels in the private sector . The guide does not cover all of the duties . entailment +The U.S. cost elasticities in Table 1 , when applied to the accrued costs of each function , determine the coefficients in the cost function , which in turn generate the unique shape of the unit cost function ( Figure 1 ) . The curve of unit cost function is not on Figure 1 . contradictory +He did make sure , I assume ? ' I know he made sure . contradictory +Payroll tax increases are easy to implement and directly improve the trust fund 's finances . Payroll taxes are difficult to implement and lower the trust fund 's finances . contradictory +Thus , 660 b.c. is still the official date celebrated nationwide . The officially celebrated date is 665 b.c. contradictory +North of them , a glacier stream flowed past and into the heart of the mountains to the east . The stream was colored red by blood of demons . neutral +The HMOs contend the government doesn 't contribute enough to allow them to provide adequate care . The HMOs think the government gives them too much money and wants them to bring down their budget . contradictory +A small garden to the west of the Scott Monument has a memorial to David Livingstone , the explorer and missionary . To the west of the Scott Monument there is a small garden containing a memorial to David Livingstone . entailment +The Robert W. Carey Quality Award is VA 's most prestigious award for quality achievement . Robert W. Cary was known for being very high quality in the field of excellence . neutral +These days , though , the polls show that people pretty clearly don 't want President Clinton impeached . Clinton was the best president ever in history . neutral +Senate race in New York ) several times a week . There was a Senate race in Canada . contradictory +oh that 's probably what i was going to say Yeah , maybe I would say that in your position , specially after what happened yesterday . neutral +What the hell ? What the hell is he doing here ? neutral +Couldn 't it have been about half-past three ? " It couldn 't have possibly been half-past three , could it ? contradictory +yeah i don 't i don 't well because because they 're the ones who make the laws so who 's going to yell at them you know it 'd be nice if we sort of as one band together and and uh and an performed a citizens arrest i guess If they are the lawmakers , who chastises them ? entailment +When it was victorious at the ballot box , among the new government 's first tasks was to organize a referendum on Scottish devolution . When it achieved victory at the ballot box , the governments first and only task was to organize a referendum on the devolution of Scotts . neutral +God , what do you think of me ? How do you see me ? entailment +The Coalition programs have identified their goal as raising the level of integration and cooperation among programs to that of a virtual statewide law firm . The programs want to increase integration . entailment +I was a hit . I was a success . entailment +In 1516 , the Turkish Ottoman dynasty conquered the whole of Jerusalem and the Holy Land , extending their Middle-Eastern empire . Jerusalem fell to the Ottomans without much opposition . neutral +that was pretty good but the weather here in New England like like they say if you don 't like it too well well just stick around a little bit and and it it will change up and give you something that you may like worse or like more it all depends on on Mother Nature 's kind of fickle up this way i guess Mother nature is very consistent with weather patterns in New England . contradictory +you know you make clothes for them and everything like that Make clothing for them , you see . entailment +However , several conceptual and practical issues need to be clarified so they can be resolved in a future research and implementation agenda . The agenda has many vestigial details . neutral +As a jazz composer , Sun Ra never fulfilled the bright promise of his early recordings like Jazz in Silhouette . But by founding a cult , he earned a lasting place in the larger culture , which otherwise might have eluded him . Sun Ra was a composer and a cult leader . entailment +because i just watched it on TV one night on one of them um Twenty Twenty Forty Eight Hours one of them shows where this boy had been stealing cars I watch a lot of TV at night neutral +we didn 't have to struggle at all with that it was now what 's fitting and and we 'd gone through you know all that so i i don 't know i thought that was easier than than trying to decide his guilt or innocence yeah We really struggled with the whole process it was hard . contradictory +Huge crowds would gather for the gory events as they did for the markets and a series of hostelries and pubs set up business to cater to them . There was no violence allowed at these popular events . contradictory +Newt Gingrich messed with Medicare and went down in flames . Newt Gingrich had no idea messing with Medicare would adversely affect him . neutral +I happened to notice that it was bolted . I saw it the night of the murder . neutral +There are still bars and clubs here , but the area has become almost mainstream , and office towers are replacing many of the sinful old premises . The bars and clubs that still exist there are for the rich . neutral +As part of its funding agreement , the LSC requires property purchased with government funds be returned to the nonprofit corporation if a local agency loses its grant , Kleiman said . Losing a grant means that a ton of property will have to be returned . neutral +I 've often noticed that once coincidences start happening they go on happening in the most extraordinary way . I don 't believe in coincidences in life . contradictory +Now , to commemorate our first anniversary , in an act of incredible corporate generosity that is every bit as good as providing health insurance ( I 'm sure that Mr. Gates will make this sort of thing more available should Microsoft prove profitable ) , Slate In an act of incredible corporate generosity , that is every bit as good as providing health insurance , to commemorate our first anniversary ... entailment +it is uh-huh that 's right yeah i enjoy excuse me go ahead I enjoy gardening . neutral +Hush ! John Cavendish had turned to Poirot . Louder ! John Cavendish turned away from Poirot . contradictory +Occasionally , you will see a notice of sales rebajas in shop windows . Notices of sales and rebajas can be seen in windows sometimes . entailment +The red sun had set and the huge red moon had risen . The huge red moon came up after the blue run had set . contradictory +The organization supports requiring judges to undergo psychological testing and holding them personally liable for reckless rulings . The organization wants judges to be tested for psychological problems and be held responsible for reckless rulings . entailment +Right of the triumphant Baroque high altar is a beautifully carved 15th-century lavabo ( ritual basin ) and a charming Madonna and Child by Bernardino Luini . Bernardino 's Madonna and Child lies left of the high altar . contradictory +This healthy co-existence between greed and generosity has at times been lost on associates . This healthy co-existence between greed and generosity has at times been lost on associates . entailment +VARIANCE - ( 1 ) The amount , rate , extent , or degree of change , or the divergence from a desired characteristic or state . Variance is never used to measure divergence . contradictory +Tommy continued to sing , addressing the butler affectionately as " dear old whiskers . " The footman took him by one arm , the butler by the other . Tommy called the butler " dear old whiskers . " entailment +Ca 'daan had given his horse , Gray Cloud , to Susan to ride . Susan was given Gray Cloud by Ca 'daan . entailment +Some of These reforms may be self-initiated , others may have been mandated by legislation , still others may be the result of administration initiatives such as the National Performance Review . Some of the reforms are required due to legislation . entailment +In July and August there is a wonderful color combination of purple heather and yellow gorse . The yellow gorse tends to bloom in early June but grows to maturity in August . neutral +Tuppence gave her familiar shake of the shoulders . Tuppence stood perfectly still and didn 't move a muscle . contradictory +People aren 't going to be impressed by a harmonica and a light-bulb anymore . People will no longer find a harmonica and a light-bulb entertaining . entailment +OMB assigned control number 3060-0687 to the collection and approved several of the proposals while filing comment on one of the proposed requirements . The OMB assigned 3060-0687 as a control number for the collection and approved numerous proposals . entailment +Prices in town are low , while those at the airport duty-free shop are lower still . Prices are exorbitantly high both in town and at the airport . contradictory +Evaluation . Neglect contradictory +HHS , in conjunction with the Departments of Labor and Treasury , has prepared a combined economic impact analysis for this interim final rule and the interim final rule issued jointly by the three Departments , and published the same day in the Federal Register , concerning group market provisions because the effects of the reforms and burdens imposed overlap the same group of issuers . The three Departments usually collaborate in issuing interim rules . neutral +what about the miniskirt What about your miniskirt ? entailment +i didn 't read see the the movie i read the book but i I watched the movie , but I have not read the book . contradictory +and she hasn 't had any problems out of it see She 's had it for over a year , so we 'll see how long it lasts . neutral +Auditors should determine what steps the agency has taken to get feedback on its requirements , how the agency has handled comments or questions on a proposed RFP , and whether the agency has acted to ensure that contractor proposals are competitive . Auditors will meet in June to discuss how the agency should handle questions on a proposed RFP . neutral +They cite as objectionable three times as many words as any other dictionary , damning every word that any small political group anywhere has ever criticized . It was in their best interest to not cite ' objectionable ' three times . contradictory +if you know if it was Cuba If it wasn 't Turkey contradictory +That the people with whom Brandon feels most at home would kill him if they knew his true gender is the movie 's most tragic irony--and the one that lifts it out of the realm of gay-martyr hagiography and into something more complex and a meditation on the irrelevance of gender . They were not afraid to tell the world who they truly were . contradictory +uh i saw it on the news uh i saw it on the news yes the bulk of immigrants legal immigrants to this country are successful you know they pay to end up as tax paying citizens I read this same information about legal immigrants in the newspaper . neutral +for what to do it well the parts or the machines depending on what well you can get a two thousand which is uh a bare essential machine to do this with for about twenty three hundred dollars The machine won 't work at all at two thousand dollars , but it will work for twenty three thousand . contradictory +A gun is still useful , worth money , if he who picks it up from beside the dead does not want it for himself . A gun is useless if it is not in the hands of the dead man . contradictory +loves that 's right loves the little dog loves to travel of course she 's dead asleep before we get to the end of the block and she never you know she sleeps the whole time but she loves to travel The dog enjoys travelling and falls asleeps on trips . entailment +And diamonds and pearls rolling about in the gutter for anyone to pick up ! " Tommy heard a chair shifted . The diamonds and pearls were well protected in a place where no one could pick them up . contradictory +We supplemented these findings , to a very limited extent , with information obtained from others . Information that was obtained from other people , helped supplement the findings . entailment +Indeed , as recently as November , I refrained from this course only at the eleventh hour . I refrained from this course at the last moment , just as recently as November . entailment +It has overcome its penchant for overblown , chest-beating angst , according to Rob Sheffield of Rolling Stone , with its most mature album to date , which features clever , self-mocking lyrics and bears the influence of ' 70s supergroup Led Zeppelin . It 's still as melodramatic and angsty as ever . contradictory +An acclaimed dining in the restaurant next to the yacht marina provides excellent evening views . In the evening , excellent views can be found next to the yacht marina in an acclaimed restaurant . entailment +Las Vegas with a Vision Austin with a vision . contradictory +Half of them die within five years of diagnosis . Fifty percent of them die within five years after they receive a diagnosis . entailment +He was wrong and likely saved Adrin 's life . Adrin was killed . contradictory +He brought Dayak leaders onto his ruling council but favored the time-honored colonial practice of divide-and-rule by pitting one tribe against another to keep the peace . The Dayak leaders were invited to his ruling council . entailment +V. RECONFIGURATION REVIEW PROCESS There is no process for reconfiguration review . contradictory +The Vikings also introduced coinage and better ship-building techniques . The Vikings introduced better techniques for ship-building but not coinage . contradictory +yeah yeah they 're scattered all over really you got them in Iran and Turkey and they sort of just meander around but they they hold true that Northern Iraq is theirs and uh i don 't know it it was certainly foreseeable right after the war i mean it should have been obvious if it it was obvious to me it should have been obvious to the people in Washington there should have been some plans to They 're scattered all over Iran and Turkey , but they hold north Iraq . entailment +Miss Murdoch too , I continued , " there 's nothing untruthful about her . " Miss Murdoch seems to be a shady character . contradictory +But much remains to be done to create what Jefferson wrongly perceived as an America with blacks and whites--and others as well--living in a state of equal freedom under the same government . Jefferson lived in a nation where everyone was equal in practice and under the law . contradictory +And I , for one , was grateful . I am always a grateful person . neutral +Tradition dictates a toss of a coin over your shoulder to ensure a return trip . Tradition says you need to do a flip and the splits to make sure you get back . contradictory +What Meier 's work lacks is heat , an organic flow . Meier 's work is overflowing with heat . contradictory +Prices that recognize costs send signals to mailers concerning the work that needs to be done . SIgnals are sent to mailers to ensure they are eating . contradictory +For undubbed versions with French subtitles , look out for the letters VO ( version originale ) in listings or posters . Those who understand French like to search for these kinds of posters . neutral +Small pine-panelled caf ? ? serving excellent cakes , salads , and soups to foot-weary tourists . They serve great cakes for dessert . neutral +Safaris and desert Over 90 % of Egypt 's land is desert , making it only a matter of time before it became a tourist resource . Only a small portion of Egypt 's land is not desert . entailment +No sooner was the magnificent project completed than the king , jealous of his palace , had its owner arrested for embezzlement and jailed for life . The owner of the project was jailed for embezzlement . neutral +No , I said , rather surprised , " I know that there are no two finger-marks alike , but that 's as far as my science goes . " I was not surprised at what someone else said . contradictory +um we usually go pitch a tent and we stay out there for the weekend or um for the week matter of fact i think we 're going to go again in in May We never really go out . contradictory +so there 's people that marry GIs Korean Americans German Americans uh a few Japanese There are many people that marry Gis Korean Americans . entailment +Emerging technologies , such as the use of holographic projection techniques to create threeand fourdimensional models of project designs , guarantee a continuing stream of future enhancements . Emerging technologies mean that there is definitely going to be a continuous stream of enhancements in the future . entailment +( Just joking ! ) Not joking . contradictory +Yours , etc . , THOMAS BERESFORD . " The Prime Minister looked up . The Prime Minister glanced upward . entailment +Therefore , the impact of ACI hardware on resource demand is much less than that of FGD or SCR technologies for SO2 or NOX control , respectively . ACI stands for Area Control Initiative . neutral +It provides implementation schedules for single and multiple control technology installations . There is an implementation schedule for single and multiple control technology installations at power plants . neutral +The next you heard of her was when a Newsweek reporter ( I wouldn 't name him specifically ) showed up in your office saying she was naming you as someone who would corroborate that she was sexually harassed . A Newsweek reporter came to your office . entailment +There are many cheap imitations on the market , with fake stones and silver plating , so beware of rip-offs , especially in the coastal resorts . Beware of the many cheap imitations in the market , notably in coastal resorts . entailment +And the audience for cable television seems to have plateaued at around 70 percent of all U.S. households , while viewership of the major networks has , of course , continued to drop . People are no longer interested in cable television . neutral +What do we do ? The Kal shrugged . Kal didn 't know what to do . entailment +Its construction was almost completed in a mere 44 years in the middle of the 13th century ; as a result it was possible to maintain a homogeneous architectural style . It was built in no more than 44 years . contradictory diff --git a/examples/models/xlmr_pawsx/README.md b/examples/models/xlmr_pawsx/README.md new file mode 100644 index 0000000..9b2c41e --- /dev/null +++ b/examples/models/xlmr_pawsx/README.md @@ -0,0 +1 @@ +Put `pytorch_model.bin`, `config.json` and `sentencepiece.bpe.model` here. diff --git a/examples/pipeline_pruning/README.md b/examples/pipeline_pruning/README.md new file mode 100644 index 0000000..32f14a1 --- /dev/null +++ b/examples/pipeline_pruning/README.md @@ -0,0 +1,31 @@ +# Pruning the Classification model + +These scripts perform pipeline pruning on the classification model (`XLMRobertaForSequenceClassification`) and evaluate the performance. + +We use a subset of XNLI English training set as the vocabulary file. + +Download the fine-tuned model or train your own model on PAWS-X dataset, and save the files to `../models/xlmr_pawsx`. + +Download link: + * [Google Drive](https://drive.google.com/drive/folders/1TXuIvcYJ0aje7WC-LyrxstzeJn4_383r?usp=sharing) + * [Hugging Face Models](https://huggingface.co/ziqingyang/XLMRobertaBaseForPAWSX-en/tree/main) + +* Pruning with the textpruner-CLI tool: +```bash +bash pipeline_pruning.sh +``` + +* Pruning with the python script: +```bash +MODEL_PATH=../models/xlmr_pawsx +VOCABULARY_FILE=../datasets/xnli/en.tsv +python pipeline_pruning.py $MODEL_PATH $VOCABULARY_FILE +``` + +* Evaluate the model: + +Set `$PRUNED_MODEL_PATH` to the directory where the pruned model is stored. + +```bash +python measure_performance.py $PRUNED_MODEL_PATH +``` \ No newline at end of file diff --git a/examples/pipeline_pruning/measure_performance.py b/examples/pipeline_pruning/measure_performance.py new file mode 100644 index 0000000..91056b1 --- /dev/null +++ b/examples/pipeline_pruning/measure_performance.py @@ -0,0 +1,29 @@ +import logging +logging.basicConfig(level = logging.INFO,format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s') +logger = logging.getLogger(__name__) + +from transformers import XLMRobertaForSequenceClassification,XLMRobertaTokenizer +import sys, os + +sys.path.insert(0, os.path.abspath('..')) + +from classification_utils.my_dataset import MultilingualNLIDataset +from classification_utils.predict_function import predict + +model_path = sys.argv[1] +taskname = 'pawsx' +data_dir = '../datasets/pawsx' +split = 'test' +max_seq_length=128 +eval_langs = ['en'] +batch_size=32 +device = 'cuda' + +# Re-initialze the tokenizer +model = XLMRobertaForSequenceClassification.from_pretrained(model_path).to(device) +tokenizer = XLMRobertaTokenizer.from_pretrained(model_path) +eval_dataset = MultilingualNLIDataset( + task=taskname, data_dir=data_dir, split=split, prefix='xlmr', + max_seq_length=max_seq_length, langs=eval_langs, tokenizer=tokenizer) +eval_datasets = [eval_dataset.lang_datasets[lang] for lang in eval_langs] +predict(model, eval_datasets, eval_langs, device, batch_size) \ No newline at end of file diff --git a/examples/pipeline_pruning/pipeline_pruning.py b/examples/pipeline_pruning/pipeline_pruning.py new file mode 100644 index 0000000..c2c86fa --- /dev/null +++ b/examples/pipeline_pruning/pipeline_pruning.py @@ -0,0 +1,56 @@ +import logging + +logging.basicConfig(level = logging.INFO,format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s') +logger = logging.getLogger(__name__) + +from transformers import XLMRobertaForSequenceClassification,XLMRobertaTokenizer +from textpruner import summary, PipelinePruner, TransformerPruningConfig +from textpruner.commands.utils import read_file_line_by_line +import sys, os + +sys.path.insert(0, os.path.abspath('..')) +from classification_utils.dataloader_script import dataloader, MultilingualNLIDataset +from classification_utils.predict_function import predict + +# Initialize your model and load data +model_path = sys.argv[1] +vocabulary = sys.argv[2] +model = XLMRobertaForSequenceClassification.from_pretrained(model_path) +tokenizer = XLMRobertaTokenizer.from_pretrained(model_path) +texts, _ = read_file_line_by_line(vocabulary) + +print("Before pruning:") +print(summary(model)) + +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size=2048, target_num_of_heads=8, + pruning_method='iterative',n_iters=1) +pruner = PipelinePruner(model, tokenizer, transformer_pruning_config=transformer_pruning_config) +pruner.prune(dataloader=dataloader, dataiter=texts, save_model=True) + +print("After pruning:") +print(summary(model)) +for i in range(12): + print ((model.base_model.encoder.layer[i].intermediate.dense.weight.shape, + model.base_model.encoder.layer[i].intermediate.dense.bias.shape, + model.base_model.encoder.layer[i].attention.self.key.weight.shape)) + + +print("Measure performance") + +taskname = 'pawsx' +data_dir = '../datasets/pawsx' +split = 'test' +max_seq_length=128 +eval_langs = ['en'] +batch_size=32 +device= model.device + +# Re-initialze the tokenizer +tokenizer = XLMRobertaTokenizer.from_pretrained(pruner.save_dir) +eval_dataset = MultilingualNLIDataset( + task=taskname, data_dir=data_dir, split=split, prefix='xlmr', + max_seq_length=max_seq_length, langs=eval_langs, tokenizer=tokenizer) +eval_datasets = [eval_dataset.lang_datasets[lang] for lang in eval_langs] + +predict(model, eval_datasets, eval_langs, device, batch_size) \ No newline at end of file diff --git a/examples/pipeline_pruning/pipeline_pruning.sh b/examples/pipeline_pruning/pipeline_pruning.sh new file mode 100644 index 0000000..07cc350 --- /dev/null +++ b/examples/pipeline_pruning/pipeline_pruning.sh @@ -0,0 +1,8 @@ +textpruner-cli \ + --pruning_mode pipeline \ + --configurations ../configurations/tc-iterative.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path ../models/xlmr_pawsx \ + --vocabulary ../datasets/xnli/en.tsv \ + --dataloader_and_adaptor ../classification_utils/dataloader_script.py \ No newline at end of file diff --git a/examples/transformer_pruning/README.md b/examples/transformer_pruning/README.md new file mode 100644 index 0000000..e20e2ab --- /dev/null +++ b/examples/transformer_pruning/README.md @@ -0,0 +1,39 @@ +# Pruning the Classification model + +These scripts perform transformer pruning on the classification model (`XLMRobertaForSequenceClassification`) and evaluate the performance. + +Download the fine-tuned model or train your own model on PAWS-X dataset, and save the files to `../models/xlmr_pawsx`. + +Download link: + * [Google Drive](https://drive.google.com/drive/folders/1TXuIvcYJ0aje7WC-LyrxstzeJn4_383r?usp=sharing) + * [Hugging Face Models](https://huggingface.co/ziqingyang/XLMRobertaBaseForPAWSX-en/tree/main) + +* Pruning with the textpruner-CLI tool: +```bash +bash transformer_pruning.sh +``` + +* Pruning with the python script: +```bash +MODEL_PATH=../models/xlmr_pawsx +python transformer_pruning.py $MODEL_PATH +``` + +* Evaluate the model: + +Set `$PRUNED_MODEL_PATH` to the directory where the pruned model is stored. + +```bash +cp $MODEL_PATH/sentencepiece.bpe.model $PRUNED_MODEL_PATH +python measure_performance.py $PRUNED_MODEL_PATH +``` + + +# Pruning the Classification model with masks + +This scripts perform transformer pruning on the classification model with the given (random) masks + +```bash +MODEL_PATH=../models/xlmr_pawsx +python transformer_pruning_with_masks.py $MODEL_PATH +``` \ No newline at end of file diff --git a/examples/transformer_pruning/measure_performance.py b/examples/transformer_pruning/measure_performance.py new file mode 100644 index 0000000..91056b1 --- /dev/null +++ b/examples/transformer_pruning/measure_performance.py @@ -0,0 +1,29 @@ +import logging +logging.basicConfig(level = logging.INFO,format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s') +logger = logging.getLogger(__name__) + +from transformers import XLMRobertaForSequenceClassification,XLMRobertaTokenizer +import sys, os + +sys.path.insert(0, os.path.abspath('..')) + +from classification_utils.my_dataset import MultilingualNLIDataset +from classification_utils.predict_function import predict + +model_path = sys.argv[1] +taskname = 'pawsx' +data_dir = '../datasets/pawsx' +split = 'test' +max_seq_length=128 +eval_langs = ['en'] +batch_size=32 +device = 'cuda' + +# Re-initialze the tokenizer +model = XLMRobertaForSequenceClassification.from_pretrained(model_path).to(device) +tokenizer = XLMRobertaTokenizer.from_pretrained(model_path) +eval_dataset = MultilingualNLIDataset( + task=taskname, data_dir=data_dir, split=split, prefix='xlmr', + max_seq_length=max_seq_length, langs=eval_langs, tokenizer=tokenizer) +eval_datasets = [eval_dataset.lang_datasets[lang] for lang in eval_langs] +predict(model, eval_datasets, eval_langs, device, batch_size) \ No newline at end of file diff --git a/examples/transformer_pruning/transformer_pruning.py b/examples/transformer_pruning/transformer_pruning.py new file mode 100644 index 0000000..7fc3567 --- /dev/null +++ b/examples/transformer_pruning/transformer_pruning.py @@ -0,0 +1,43 @@ +import logging +logging.basicConfig(level = logging.INFO,format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s') +logger = logging.getLogger(__name__) + +from transformers import XLMRobertaForSequenceClassification,XLMRobertaTokenizer +from textpruner import summary, TransformerPruner, TransformerPruningConfig +import sys, os + +sys.path.insert(0, os.path.abspath('..')) + +from classification_utils.dataloader_script import eval_dataset, dataloader, eval_langs, batch_size +from classification_utils.predict_function import predict + +model_path = sys.argv[1] +model = XLMRobertaForSequenceClassification.from_pretrained(model_path) +tokenizer = XLMRobertaTokenizer.from_pretrained(model_path) + +print("Before pruning:") +print(summary(model)) + +transformer_pruning_config = TransformerPruningConfig( + target_ffn_size=2048, target_num_of_heads=8, + pruning_method='iterative',n_iters=4) +pruner = TransformerPruner(model,transformer_pruning_config=transformer_pruning_config) +pruner.prune(dataloader=dataloader, save_model=True) + +# save the tokenizer to the same place +tokenizer.save_pretrained(pruner.save_dir) + +print("After pruning:") +print(summary(model)) + +for i in range(12): + print ((model.base_model.encoder.layer[i].intermediate.dense.weight.shape, + model.base_model.encoder.layer[i].intermediate.dense.bias.shape, + model.base_model.encoder.layer[i].attention.self.key.weight.shape)) + + +print("Measure performance") +device= model.device +eval_datasets = [eval_dataset.lang_datasets[lang] for lang in eval_langs] + +predict(model, eval_datasets, eval_langs, device, batch_size) \ No newline at end of file diff --git a/examples/transformer_pruning/transformer_pruning.sh b/examples/transformer_pruning/transformer_pruning.sh new file mode 100644 index 0000000..f921c61 --- /dev/null +++ b/examples/transformer_pruning/transformer_pruning.sh @@ -0,0 +1,8 @@ +textpruner-cli \ + --pruning_mode transformer \ + --configurations ../configurations/tc-iterative.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path ../models/xlmr_pawsx \ + --dataloader_and_adaptor ../classification_utils/dataloader_script.py + diff --git a/examples/transformer_pruning/transformer_pruning_with_masks.py b/examples/transformer_pruning/transformer_pruning_with_masks.py new file mode 100644 index 0000000..3c06e5b --- /dev/null +++ b/examples/transformer_pruning/transformer_pruning_with_masks.py @@ -0,0 +1,28 @@ +import textpruner +from transformers import XLMRobertaForSequenceClassification,XLMRobertaTokenizer +import datasets +from textpruner import summary, TransformerPruner +import sys + +# Initialize your model and load your data +model_path = sys.argv[1] +model = XLMRobertaForSequenceClassification.from_pretrained(model_path) +tokenizer = XLMRobertaTokenizer.from_pretrained(model_path) + +print("Before pruning:") +print(summary(model)) + +pruner = TransformerPruner(model) + +ffn_mask = textpruner.pruners.utils.random_mask_tensor((12,3072)) +head_mask = textpruner.pruners.utils.random_mask_tensor((12,12), even_masks=False) + +pruner.prune(head_mask=head_mask, ffn_mask=ffn_mask,save_model=True) + +print("After pruning:") +print(summary(model)) + +for i in range(12): + print ((model.base_model.encoder.layer[i].intermediate.dense.weight.shape, + model.base_model.encoder.layer[i].intermediate.dense.bias.shape, + model.base_model.encoder.layer[i].attention.self.key.weight.shape)) \ No newline at end of file diff --git a/examples/vocabulary_pruning/MaskedLM_vocabulary_pruning.py b/examples/vocabulary_pruning/MaskedLM_vocabulary_pruning.py new file mode 100644 index 0000000..1a16c71 --- /dev/null +++ b/examples/vocabulary_pruning/MaskedLM_vocabulary_pruning.py @@ -0,0 +1,45 @@ +from transformers import AutoModelForMaskedLM, AutoTokenizer +import datasets +import torch +from textpruner import summary, VocabularyPruner +import sys + +# Initialize your model and load your data +model_path = sys.argv[1] +model = AutoModelForMaskedLM.from_pretrained(model_path) +tokenizer = AutoTokenizer.from_pretrained(model_path, use_fast=False) +texts = datasets.load_dataset('glue','sst2')['train']['sentence'] + +print("Before pruning:") +print(summary(model)) + +pruner = VocabularyPruner(model, tokenizer) +save_dir = pruner.prune(dataiter=texts, save_model=True) + + +print("After pruning:") +print(summary(model)) + + + +# Check consistency + +print ("Testing consistency") + +samples = texts[:10] + +old_model = AutoModelForMaskedLM.from_pretrained(model_path,output_hidden_states=True).eval() +new_model = AutoModelForMaskedLM.from_pretrained(save_dir,output_hidden_states=True).eval() + +old_tokenizer=AutoTokenizer.from_pretrained(model_path, use_fast=False) +new_tokenizer=AutoTokenizer.from_pretrained(save_dir, use_fast=False) + +old_inputs = old_tokenizer(samples,padding=True,return_tensors='pt') +new_inputs = new_tokenizer(samples,padding=True,return_tensors='pt') + +with torch.no_grad(): + old_outputs = old_model(**old_inputs) + new_outputs = new_model(**new_inputs) + +max_deviation = torch.abs(old_outputs.hidden_states[-1] - new_outputs.hidden_states[-1]).max() +print (f"Max deviation between two models: {max_deviation}") \ No newline at end of file diff --git a/examples/vocabulary_pruning/README.md b/examples/vocabulary_pruning/README.md new file mode 100644 index 0000000..6f26d0b --- /dev/null +++ b/examples/vocabulary_pruning/README.md @@ -0,0 +1,43 @@ +# Pruning the Classification model + +These scripts perform vocabulary pruning on the classification model (`XLMRobertaForSequenceClassification`) and evaluate the performance. + +We use a subset of XNLI English training set as the vocabulary file. + +Download the fine-tuned model or train your own model on PAWS-X dataset, and save the files to `../models/xlmr_pawsx`. + +Download link: + * [Google Drive](https://drive.google.com/drive/folders/1TXuIvcYJ0aje7WC-LyrxstzeJn4_383r?usp=sharing) + * [Hugging Face Models](https://huggingface.co/ziqingyang/XLMRobertaBaseForPAWSX-en/tree/main) + +* Pruning with the textpruner-CLI tool: +```bash +bash vocabulary_pruning.sh +``` + +* Pruning with the python script: +```bash +VOCABULARY_FILE=../datasets/xnli/en.tsv +MODEL_PATH=../models/xlmr_pawsx +python vocabulary_pruning.py $MODEL_PATH $VOCABULARY_FILE +``` + +* Evaluate the model: + +Set `$PRUNED_MODEL_PATH` to the directory where the pruned model is stored. + +```bash +python measure_performance.py $PRUNED_MODEL_PATH +``` + +# Pruning the Pre-Trained models for MLM + +This script prunes the pre-trained models for MLM with a vocabulary limited to the SST-2 training set. + +Set `$MODEL_PATH` to the directory where the pre-trained model (BERT, RoBERTa, etc.) is stored. + +```bash +python MaskedLM_vocabulary_pruning.py $MODEL_PATH +``` + + diff --git a/examples/vocabulary_pruning/measure_performance.py b/examples/vocabulary_pruning/measure_performance.py new file mode 100644 index 0000000..91056b1 --- /dev/null +++ b/examples/vocabulary_pruning/measure_performance.py @@ -0,0 +1,29 @@ +import logging +logging.basicConfig(level = logging.INFO,format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s') +logger = logging.getLogger(__name__) + +from transformers import XLMRobertaForSequenceClassification,XLMRobertaTokenizer +import sys, os + +sys.path.insert(0, os.path.abspath('..')) + +from classification_utils.my_dataset import MultilingualNLIDataset +from classification_utils.predict_function import predict + +model_path = sys.argv[1] +taskname = 'pawsx' +data_dir = '../datasets/pawsx' +split = 'test' +max_seq_length=128 +eval_langs = ['en'] +batch_size=32 +device = 'cuda' + +# Re-initialze the tokenizer +model = XLMRobertaForSequenceClassification.from_pretrained(model_path).to(device) +tokenizer = XLMRobertaTokenizer.from_pretrained(model_path) +eval_dataset = MultilingualNLIDataset( + task=taskname, data_dir=data_dir, split=split, prefix='xlmr', + max_seq_length=max_seq_length, langs=eval_langs, tokenizer=tokenizer) +eval_datasets = [eval_dataset.lang_datasets[lang] for lang in eval_langs] +predict(model, eval_datasets, eval_langs, device, batch_size) \ No newline at end of file diff --git a/examples/vocabulary_pruning/vocabulary_pruning.py b/examples/vocabulary_pruning/vocabulary_pruning.py new file mode 100644 index 0000000..c2dabf2 --- /dev/null +++ b/examples/vocabulary_pruning/vocabulary_pruning.py @@ -0,0 +1,47 @@ +import logging +logging.basicConfig(level = logging.INFO,format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s') +logger = logging.getLogger(__name__) +from transformers import XLMRobertaForSequenceClassification,XLMRobertaTokenizer +from textpruner import summary, VocabularyPruner +from textpruner.commands.utils import read_file_line_by_line +import sys, os + +sys.path.insert(0, os.path.abspath('..')) +from classification_utils.my_dataset import MultilingualNLIDataset +from classification_utils.predict_function import predict + +# Initialize your model and load data +model_path = sys.argv[1] +vocabulary = sys.argv[2] +model = XLMRobertaForSequenceClassification.from_pretrained(model_path) +tokenizer = XLMRobertaTokenizer.from_pretrained(model_path) +texts, _ = read_file_line_by_line(vocabulary) + +print("Before pruning:") +print(summary(model)) + +pruner = VocabularyPruner(model, tokenizer) +pruner.prune(dataiter=texts, save_model=True) + +print("After pruning:") +print(summary(model)) + + +print("Measure performance") + +taskname = 'pawsx' +data_dir = '../datasets/pawsx' +split = 'test' +max_seq_length=128 +eval_langs = ['en'] +batch_size=32 +device= model.device + +# Re-initialze the tokenizer +tokenizer = XLMRobertaTokenizer.from_pretrained(pruner.save_dir) +eval_dataset = MultilingualNLIDataset( + task=taskname, data_dir=data_dir, split=split, prefix='xlmr', + max_seq_length=max_seq_length, langs=eval_langs, tokenizer=tokenizer) +eval_datasets = [eval_dataset.lang_datasets[lang] for lang in eval_langs] + +predict(model, eval_datasets, eval_langs, device, batch_size) \ No newline at end of file diff --git a/examples/vocabulary_pruning/vocabulary_pruning.sh b/examples/vocabulary_pruning/vocabulary_pruning.sh new file mode 100644 index 0000000..6cf7dfd --- /dev/null +++ b/examples/vocabulary_pruning/vocabulary_pruning.sh @@ -0,0 +1,7 @@ +textpruner-cli \ + --pruning_mode vocabulary \ + --configurations ../configurations/vc.json ../configurations/gc.json \ + --model_class XLMRobertaForSequenceClassification \ + --tokenizer_class XLMRobertaTokenizer \ + --model_path ../models/xlmr_pawsx \ + --vocabulary ../datasets/xnli/en.tsv \ No newline at end of file diff --git a/pics/.gitignore b/pics/.gitignore new file mode 100644 index 0000000..e69de29 diff --git a/pics/PruningModes.png b/pics/PruningModes.png new file mode 100644 index 0000000000000000000000000000000000000000..382c006dfdd47457de55964fece6adda138bb4be GIT binary patch literal 48920 zcmZU4cRZEv|8SzHlo8ovg)$Bf$06%%^VoaugX7@XBV_N4mYE1m6xorPjI59?*?X_> z+~@Q8eqX=e^E`i?``qKYuj_j6dB&{1OsKS9@D8Pl6k83f#vN>~Ib^ zd%J(1Nq{88MZ_gU#KC$XNq$LXaT(Gk!2{>@>igU3C{?PWeE(FpmcAnP0qBsIDTwF?2MidO(f;)K<@W3DxR9qA! z3I;)}l(?j*v?vKmU26wxPu%}njdat;-jj#}@bC{-{yQ(}fxVZt>x5HUGdRpUwX>k8R zs*|P@Tn2{Lauu=mF@XCRIx5>Z{yQ9E;AdwGQ30d0z~V+k4{beQhj4!{J4rhnRKg^{ zO~*}A!W&7@@K^U!mNb^|krYS!>pH5U-8>Dka4)#C0~~JR>kSqhq9^<%D%`(UP|2 zmw zp9TmeF2)+b zR5mJbKXoH%Lp5DH4-Z2%2YK%U}yQp);1a8Ix|R@cBC>uu|f0`}`=NI1b(6`2tsHf)f_(W8h$`<6}c` zanQxX)zD}!qMH-&Ow$JBg_c1{K)?hYO$~yRr?ID>rmhbXFX@MJ(1-g14Cbn@p<@sr zErWp?Ym3_$8M@#-rExG@0?yS@($f*Du7Z}>Pc;;@&>Wo_5MOEv%cK z4%R~l1Oqq`=B^>5r;XQv+PWfCU8Q{u)d@Hq8!1;AePfu9goHBG1g+`r2naFC5s8G_ z;%r?daMJ#|YW^N3AY&5aINDf)jqy-rgru(u6rv21wsrv&4a&|vnnP5^5W^u3{m_WDRT z%)tp|;0}gL5Ws$FDvn4JoCsf6KxLt{O`s?zydTus!59NZsjF)`8)|A`bO}f&dkJqp zFGn?^wVNBxA0zJLp=<~9^7pfG*TZ?b8Tujpp>_s-`f8v68D|}|AzD)(hE`XF6SQ=U ze55qJKu}${9aI}<1O=nv{u0(U${2`?E0MHu7YssA-`&Xp=0;RS=n>tG@#0ub9W`Ym zxF6EqP*v5@*4|hP!;_egVS||sk@-G9K8(Oe6bo369Wl-u(!CY8_q-7(AL#M z#@YaiFhofjNFya7GS((wccQDI9azoH-W3Z+AdRsgcTYVxeGQZ^3a*X^6Fk61UO2SB z8WE;$0y0pwGxiHWgN*$obzr(i`i^e;7#Fmy6ZiXBK--QU|Gz}Z6=simrF2vXN} zg&{n2L8^FZZ%sodH>k8D9s`oX6TDS0KHAE*x=1%H0;_ExV~m#oWJMC;=86GhJ?w0a z2=2!EzF220Lfh5J(;wud;h_xClyGoy!XwbuwnkDQUw17#2}c!dfRsPp*IN>80+#l7 zK!AuaTOF7*!USyS5dbj)j1SD%76Kgoqztum#XY4YG!6XxaZp<=YoeXFuO!+<9WXL5 zw4;o%wv39pKgpDz!k{G+S3^9kFp1O`xyu51ej<7H*Me$V-q)bFJE=2tF8u8ndpEeLa;u1 zfH8$h!)&lPKM2;-lk~c)kBcN;(%TcTohVyxk}*g5x#Nhy6WstwXGaGO9|La*J#YX_ zN?RWdFc!*FLP`RS@Q3=?`A8#uz{4ijgPhA#%>tm0rI z4Tej*yJ%^m^zh13coXLUw6V7>%u&Z37^Z@N`Dox_cw1{k3gOjDoeqT!~YsUZV}xZ-X6{J_#sgm!?op0++j)ycyoKu^ya0s^6-t}sBE z!>sM}B!RW9wIQB%9x4vN9Vb^u0tQ3yBRXmM!))!)HhO9VPjSxxz|5hve6UDYLp6PS zsH&8ws}2O}gaR}s-c=p!pX4701-Sl?S15^`vT?4yaN+g^6@;>$pT(;AB|ip3CV2)yt?^go zP98!!@2YC$C{)}ZQotUz+g8gMYQf2c2LROxcJHOhfh{! zA5ox-^39U-7wwyLS~t0#QPJhLQ59bf;}h=J9~chGPYC@t9VC>h3xU| z+p%7c$3>^^@LDlkbS8d(PLm)(qhMrDRh&qpH&h=~n-JPZRf>VIN+^T@z)>SZvpgNA z&Mv(Af=P`CVWIp?p1oidcCP*t+5ep88Rbzh?fHooKFF$=>ubCCMQ3Cvvc@DZXCsrY z^x{RnesfI0PJvfW`VW;WUO6(|1%Hn2GAwmb+Fiaclr8Wo1S(_>yn2Z#LhLKmh}1>l z{bpbSV{8%DP-=w9JlHh{2sL!8HG~e-`YD?uy>p&I7P%&B66W9Hn#z zz-A`}pJ6i<=%OW$5>I_)?n+VKWbP+cmnhlo&*^i|wzP`myY?~*YcR4qVc@~+qvRuO z+MN0Ckcus`6ZM1(ypLpn4gZ2Mlc5@Is4zU)fIzITe(JUL5Z=35C?vU&1+?%A89rBDEID(N9HN-0@HUJkG0C&zsuQIJP)S39Q*4) zT`CTMi2pw88&~q3u)DR{gbcb;QxaR_hdr8E$mV#Jc!HH0Y4M&QA(dx34;Dm18dJRH zGE+K4_=@Tb7hK~i8dwx`^_Wx~6+pkTju4V`Rtlh-N($K|$l?IV-ZphJ*-{KfhN22+ zPJ;$=$>%c~e)$DXZl93A;*-+!_h}uSqRw?^B<+Oq!5@ZT0I0ZiPB(TEP|5&Mng0Qb zeu)-1S=*E5o`OSXg@MtpH47xUM$W3WT&_K%864dSno0-_ z<^jY^;Uv+tn`-3J#Z*kCN8|mkq4n<($Kin?vn9p%EO)Ixj8Dy;)LpV$8@uL+<;K_S zeoHHP@osMvZl9|ALGMKOEymC}1jIGctcwp|drqU?p7g_xf|+cE7nu6^*$yKM+0WYm zmb7|7ttbgcvD5ZDDZ7edIjuPynUNd_^=Kp(bS%x&AEZ*AS(`(wLG zTLtK1g3|qe7;Sn)wP5A9wjf%9U6y$B7xBThxKhf1>&Q2HQ!ljo=mkx`T)jh?+?Ji$ z=QLO+f;z&s<*c!7jpYSbx$pC>p9V8=D$Mqk>!Tm#D{?p946(Q$EzJ@5LO1!#;^4c> zIf@~19Rp0fE}z+%CF^L`$Kz0M_a{JiZc{|xSZ&HXt##k}i<3EEi_%wHh%G*;mK5lH z|MXtc-x|t=bD1lZ+F?#pt(VRNx7f+@qo=38aQqI3O&2`(JDJybC%w?M$KilXXzx5f zrCGQ5>NNQ7eRqwe=XdAkj~G&dP) z8hHebsR_6eW*cSG+D0xDvd_Td7->EBb%(jXmUmgoE!LAUBxjl2o1YZ*2HFT5g`)|9SY4lEwXMX@DC_g#mPk#ET90 zP!+S1sT8C=%int`HJ4B8t2&ZXvHRgSB48jx@%Nv{(U=UdP|p1aG5P2l)2Knlu51Ms z>rYQ+w(^;?Zk zRG!{s`EOQvIWQvcCI1$D#)c=Z;lWQEVT)Qeoy>;g<$L9LJ!8b0Y57Xras}&c?~HQk zz{`9^W(K)pHm;G?)be1XFI_xMPXMsm^da=WQNaHn+Z*%bN2Px< zNOonLWLNID1zkcZRs19F7rL}cF#;YMeXGR2A6vT}wtDx{D2Y$pRJ95Q-1j>MZgHC? znK2K(m1nJVN)F*tr01FNuBt3{nVS!XSq=0a-q5Vy`uj^aA936gn)2=OiJX@=XH2~u z#CG9H1@rHv62>L3_jDg7#0kG{ZD|(<%?OY9AHH--6N&qiKK6Sw%1qMi70(2%tE&g~ z4%tqa$f{;dAz;3r80}O54v-SyX2|c-SEkUF>QZ0|YA*!}O4si1wpKE-sT7F{lm(wI z+xMOLZ=Z)2ohzWmH05U#3rfuHqxq8VnY;u~);&mkwX$#1y!;AQFu=Zj{q2+6URjXI z`oQ>&?LW;;`f_ECfMVtAxhL550&~3Q64GR=MRPyoj9UEQT=|cf+#{*LB%>5B`lV=^ z)ypCRhVSfHQp|b`A`!=pZc{=-XH6)qo;hFk(e14w?mUwJa3tImWTg;gMozMrGyp>l zHD{ExP!-<*gz28QxgCFuS1?N1Mn?CEt4-4Jry}el(cm@;?9o97Zwg*M@7rE&C1GoG zCiu^{=cej%po;N&jzr;Ko-q`}Ek;#8r19^8SDjYN{B}^R=l93XA)gtR*2XH)@wY^J zU#T$}mr57V&y&NoRR1#1lMjg7DS$ZS6w*jWGnwQL*!CFOQRszVfX+3y`RkbYu4Q@Q z+-m3_6p7T>?_g@26TV)CsA^Wb9BeSUgyiMl84*s+x$p1!=lkPp@`3vixw*Oe0ntZ| zcR@QydZo~#P>pb4>eVX%l>39G;|8e49@^VQL4KtIw<9H_R!W5&0+($7k#f*MNj=Tl zR-X7`m{1>l2I9X3Rr=;M7Pq^&=(M{uKsgn(bN!aEQD`|%Br`Vms8MidF5Dg!dZgr_ zR4q$VN`fS%bXCj{P)clMp5G_h69?bvYOLfB$SxHOFn;7H6U^XUy5airPdd$d4qBWf z<^svAj-N2H8o7Q4>)GGxHfCnRL`*+ZTWF&B3o0HX22qeEI?5iM$9 z5yk<=aavU47VV=fPYprcyR5MvBJj7Ck{pROzI=eURR+-*Qy6OyLDo3D_jHag6gI1( z?dj=x1|j4eRv-YQO7X_5D31!n#T>`L)ed-^swDoU4+tA;q>>T5_$NJ?S<$47_^?R0 zZsx_e9lQz^^->BJaKCVNrGSw+KRw`b(mal);j&@*9(z+DLaD^EK>-GX*+F>b$$xRr zT}?y)JH|8~x|7ht0_+%nS>Ey)oqG_)H=%>uDV+Bn6ju}GS_Z1+$GJY2p-p3V4>qQF z_21~(R0WQ2Z_lZvsIM;#6xkfg@jp#_3*rhwr5<5l&zia(D3mgCecKBn$^#DXZ82cx zxz;onTfigXAWfYGLY1xPxy)0k5$BGcZk2wJSKnlJNy8jxLI{r(f&=OvoXRSHxk^Pv z3!hr}k((T_x7^VLcw9pjVh?iGt`SVP!h~rchD`uUJ^~(&xeulq27vI0mR9rVP@G*t zyNw}eEHdWsZ1#E{>vFnc;6C-_}Jc?R8bL1I~9~B)ePlZmx!*2b_iM1g_-y zT~RFU42P*^&`OQU*!g^?vBl4+5LMj5N$vezKr<@_oy=+76mdnGH_W0wAdEupdWe`= zRjJCFm4elo?!XRSIG61^|Sy}erEhzg~!i-Ja_ zR_~@=2qZxZp>P#nDML4giDIl0wM|9}Y+s9fmn9oRa3HZF`bYwI~0} z{CtnoV{Zf!i3`D5yx|+4jq|I1YQ`$r@$^$I@s@wjORgVxFWRCH+4%a&$;n$iaSW{n zuxjE$67BMHNyl5--X=ZWk6@%o*)V1L-OiR{HYA;f+JESfnMA1&5~V`8wmCo-w|J(1 z|9+SSCAMX<$IVx!x+mY8#GSOpGnKtuui;U^=G;f+i9qN2Rr<|rCx>n~`Z@h}cCMg= zXM2W(gly$?{`m2uc;QDsrEb*Wd(%prqwP6C%P)14o#I@@W0TJ}=r=;(M@k#vZImRI zgp*j3yC#M3knWH^%(T+&N?GtyKmXs&W}3@zM5p``YQnoUNL`)!qg}_tL^jAvvue+P z6~3Zz7y2vlKT^n5GE`N(ola6aFVuT)k$s0x2QHL69u|x&7sUT`=YBW)$#==0%IiQ< zFjaHF(CM`l7Z+FLcy=KRaiIs9s}Nl3{PS+P%djS4jCzhdILNyD^r_k9<$5s%rRP)( znTqm#3)rb0+}df>c9=xpyn#5d<8go;p0a6wNT$=Gy$Dv{|Ni)%QH|GY;rB27%YMGm zzv&`f>H15Dko_k;Fby+YxH9yd{zDpK{blEcL3aH3UxRw41#;n}M$3acFP-#h;w{@J zMct1!5e27EvyutQB#?T6no9wj9OZaw)pd3m+J@8pOxoorMBi%>U=s>oO6Skwd%859 zl=G_n48AQx)ymX$c>j{cLa?pINnfFo`1CO_>=kG>fQ1aDWDM-p&>+O!g_-OZ-3!5E zKti-iEaX3}CZ)_AW(y)`Uh)nkIrDWplky`@r!LY;xDYu9>CjSJW!ia*}4N#P6$ zd4$0ldaFL%7nP?WTmNzy+25YP5BoILNrLSEY)&R?2BL$ETr#*ir zgwoR*eYA_Ey$C3M>00QYtcA{}H2J7RiDJjE}PM3SC)W-_3I||Zky9zQI)M)3cb;pQU{jq>+M{$iR-wrTp;7o^3ZsT zWtoj$#SFEADA#3$nBo)>>uT1DaBwd@pmJ;ymtRQ-QQ3gAA5nR ziH?r;+ealZTT5PZ_w{XmB4Ucztpg0gor-2)d(?EA&&1wUpWl!7N;@7M5=g;_sqo0> z93)DuwLe<{l-=jHCnY}sJ23y<5&<5jSJx8uR(IIlR967yPv zAoi2xwYFJ(}5pxQ)|t9W3&aUD++i4P>~6l0?9uYmJp7=~<6wQ_CfCLyr0k>Hgsk{^7SEw4bp@c*(#w;i zD@3HD7d##yNICI;7PrsaSQ8g2%_iX} z%pA9JK+&U|HCzTJWOGsc<@p&Kqv{jdwVH!XZnv`?n!8Vgg+9-&L&~?#6#}Cg)+dp_ zULvo{^M9Rn8?V2&KXOj^u3>##xxeHKY)JjN``M_}T0N_IHMKw~ zCYcMN%Ko%$6kPAKAvX?65rrGJzIph>$aS!o?t^*l6RV%Q9?7U~t=&51@XH^;U$qpp z`qQm-6>m#Gem%*=6g;(%Y5(xCb}Wv@&cCXfp5&!)03Pl~_?y310l`lKqO$OzhC&$3 z4Y1o)fd`_VbKmWUu9v$_u+nhe2g#`X0@Nci{a}A>>|3^6rSb3+%@4XoH-O9NkM^B$ zpL^MtzkS01ilq77@%hmLSGiLk4DsUISACP`P+}qNB7ng~C~-dheQfz<&xsoER(jPo z23dvMUhjN*OBlG*?hD{fk~!-&;tJ9*r?24xbuu2*9jSLB4O{foEvl%*qi^uwmkA&t zPi|2Z(t2j(wrxhD?ZOXR&p)ttH?E5>*B#!-`RMgL#;?YkC{gnv-M({nZz-*;=bCvr zvyg6qQtj~`DCG2Vf|rMMjYYMl6-mf{=mpnEr*aNYzQX5P+fv6BbpEu|kuMjv-I?!h z-A?ehh8z|O&`d#_SagrmRMzYPVti%hF>Q#^w%>md3&h7+ysIOr``nJFpMR5AA4RT^ zyi0#TYD8(0eDtr`&%at74>>z3GD1b4r6}bn1j`;DY$WRzX@*7Izm6|lJWdn9BJNnm zHJ<<7`2oA|MAV#>uT;oI=E@AGZjY)k##W$)t#~++@ zKMRi@rN_irxTj)@1Qjc+TjLmczGM5WMyCoj*k-guEx(vitx35IO*e*-^K5HgNpMp9 z`RZPOM_<9Khs8iO;R1_<9W7DTd&Q*TfqYh07A-yf!we~xmySPjc)}%qB3(ia-b2&9KrIA`%kE+fOlK^Rnad%y^XgEI${L`IjSe`~v{wfZzebmj;<5SVxhm(QKB&e&XdB^VI{4m{nHGF&m@tJZLM2W^+(T)- zIl1#jyrwT?3>Am{dTVek<-zVMl=>>CfC9p<%7RTtBM}< z*=&%e2x~XLgERU2@a9sF^9SXxO_>Z|=9hUmQy8p`N2*-o+4?=FMsb}pLV9nR^=DBH zZ>$Sr64;0XGF!$)l$k?vwY&qXsJSRoD51RgTq$#sB3;l-u4mkUJ zROP*LD~g)sB7MW-yZTK4UHK{QUw_XRrfAi8q3pC9GId)c1N_p0)kiGWD`N+<7Z?~A zAA#a~u{3+3;_=m=OLKGl5fb(+J*oWhhitKWH8kcanmdr!91y}J!^H;uw+74*H?wy& z7@2|g3$jTRkXTdIB*eq42zh?Y@??GOp^-Az?Zruqmza5t9y{BVIA5xYue zSVb~n@fSI{oHqrsIQM=?61RD6W3Wz4Ov?(YUr1sIKgcYc3E~V)=0qO$zpDD|eQkS? z5M$u&oNt&pRNPx8nPpnpRO+T#JYIcI^ZnVSm4o%0eWx0_ynx2nj}WnllXNl28=#`m z6V_LycI2XEjyU6xy=|TWrpl3Ik_@gZvl)}tV#om~{&}sh$lNqt#DD=m5oN0<#sogB zjypWhD5Yf}^r@EL!+yvrULNGAJXmcya?xg13{h|h2(&(qdu;R(C+W5}k+`ukcyq1h ze6j3MP#G^?0XRMY|GgH6mrMj!Cw^Ap%T}=RS?nca5;g0cys*W~A6<}~&=UPb5bz-| zaV5<(pT`vj!mB$tt5taW7lhi9sLLFIpqM|$`vWOI(}f0@?udER{yGE8tC?OtE6N+} zF@UG~QY#N;Ga@H)0DqaybC&`6s`zU6+GIKIW>2=9Kollb@J^mOkyRy>3+joW78jVo zHsvI7hnbaHDbGZtJ{lJ2$HkTa5y|hf(-T;uZh1C4ihhajfzU@lZ?kb12zg>J=Dr*i z7Z)#^&r)lic$LKcRULMpINw#aEE{rmU-j|b$1gBNE(6|zFEx$RaP?bNJo4+}5$2y9 zx+yN}L9Y1AqBQ}g?7@8tMj#^I?eyG~uw%6^!;eXOD7M{7)Kyp?z}5J_U&7{AVtswZ zjSIvk%dZ4JP>hp(e0OHFJCk{|`wF9+ciU(wsN93tytg(MVP(N^|5oJoJRRMdXbx|g z^nHf8QSZk3aLN{TLR?cx7Whi*wOh1(^FQT$+vt}VkmskX#(;V<9miUpUqIle;=Y?_ zmHLnB;rSFL1Zn5unb0DROzQ5$n+u4k`gjnQ#$(dgdu4X|C58b%bWs>y?>i=4MLbuyD((Dm(OgdJqrJDePWb^bu01EEo@mCxjvNiTc)@;5_Dj+Dz2OcbgC&`=ar!6*AN z!N=va+vy|tt>3LSi*isRUjc40us&d~#oa$nT8$^0LKf+~$V}hQH=f3?b|YrK}E)kpGY!~RC<%Az7@m_HH5(4PQ z)^f5YCD9bO4#57g>;S$|OYi{5NcZZm{*leC+@W~QZU3b8qTXlV_FX-QV;WNSI#bE7 zflK+T|2Uk_z3}VJPgAvdjXzA#SN5hB&~Cf$ar7Ppk|KQ zSs9Ma+W@(QF43*GUNY|<~x!!J9TSKbix zH&4o_@c8|dadCA=C^F$O;)hE_-=d+Z%=mjS!3lsOB9MYdbJXg=a*tDXrjNfWxW;m-pQy^;-h`H zox1)Fe_{TlP7|U55T-_sv{Q57(lD~YhyraG_*INd{I-#LmQ3I8U~54x%%Ri5i}smo zF6$6O;jHhzd$L)@!YIo9{|P$U7W1wxZo2$ZCr+SF90;z3y-W0R!L2>Ny{M z3d39>j3ubnd*#l2Zdz#J(O_6un9UcSSZ6~+L+-&vnYc+E)IQ)!$A<8=2`y_r%#09> z^`;*I|IOZ4adA;=?!jUBPjeM6FUEPX-o+BDa6Qm&>mu&MUAoZaJWLIkFMCw2&xdte zGxFsLL-mjdU%&T4f!YaQis(-y7n@*>CKs=ho7{xJPx~ay`P@@W#J2qLp)wq`Wbuc2 z-EGN#;fgVsKb}`02PE-|s_4FJ9kZt(BX04{`u^+n!g#MY(GeRHCp4Rj-?$4jA751% zD2zXv1yf|ro5=;9ywGfovzdgRo&rhBzLH?M_n0Ettok6W`XHzmp^qIdpx!b?!`VW= zG7$5gnV(td$ndx~DCxaX)WyV%MaHGfeXhp!>Q5frcU2KvD(<>Xwbf@2Y!m_; zyNtg*mwFrXhU;jSMjR1*I$7_|3S||;ax%e}54tkLH;D6yJvaH@Px@;0Ji*-`%>DkZ zvJ@tAMm`?%wfa`IRaNCd9uN>1U%m84c)r-;=E6`38S^=o2S!0q^zyq5MC z^CNIT#`jiIrkg0@OcaPx^K~|0KvY|Jb3gb5L=fe z^MK2TM3K{P^z#A(VR$AvQB#IHieZ2Wh5XRv+i*V&|FYKpb= z;k%v~e^T1M3XgfED19#2S?Rl#I?VDTcaDB4j{B}ZMLh4S%)D zM|+h5f&Iy{LJpSx8-N>AkrVRe29Tg;jt0t1vzwlW`M5-)$;X73Up z^M6!Z&4{uHM^W@{2CA~64>Wgv;Vk451wn;I0h7>RzC8am@Soh&g}#`Gsz}tW-g1g# z87t?MEYG#0erK6}E(Lt%z5eU?srMmgbnsRowSb_x(`XtS89$qpIUtPYMsEMH@v9Y| zTZ(70Sr25*PFD4*A3Ip*#`a{DMP=z0jh{3`i|-gm}(QBysC z!=|fu%DKd;qIYrqw}VH^+r}U6kLW%Xomu!W0V+qUL?971k4_NknV+s!iV@)Jgip`) zig>g60JR%1<*{l$s+XzjCdjoo3n*sA8M{eJ1bi){T4g8frU_JMz2c$)7?ao?s8Vx(zm$QEbo#(3N0n#9^66SE@)#(p%=f{?f|u zzA(ZA9Afc0GU|9h@%xM1-r}$-{L}gDfkATmUe6L=&FagT7rLTkZ*nE}b@PJA)5CHV z0x*%D*LoQ)n|zwg;sFx)T8ghfRE-JucPm3@h>Cv?xZK98!^eLSZ`)s;9jY20=D|%i zxa98h#3^{EQktD)JgHThs#wK0@b%yP=-YAj^KSp%R#@u3B*b`r=@TDBJ692C<7Y05C z>Iqts#ReSLLVWJUTm44TG%(h*zQSLYs4CAstEsCkB zt(6lbFRw<@FC8yir+lE{wqGw9sV3_=JEFpy47O$PKe235doCFC>uw@uI9IIMwzT#x zvZj8Qw<4{&BPU>mXsS|RXyR-+KmdB;_HoAJ&Zx!!fN?81hl2P~O7Wo;3)yTJ<@u}f zT~E@xvn4hMO8tn}Vs};OxHE)@br9;`w?BM34Kx%WinT6`T?i8qDzP5zkKg1n<6L8% zuT;L49@s%x=^9SB9os(nYQehY#mt+VOHrHu)C(TaFPW|01iJ2G<^Q#5hCr7`k-o=U z7P1wRYZG9!^O%_|1(6h$V@jgVk6BUdQzNGFFTtk5_s}e@LY)fsb&yJ+*Dq?nzgJJl zRFoihnNx!e+_q*~sa@vD-(?JXdU7z}d?{-5Am-~b!&21m<{+|^?5r(M>Mw(iKb&XD ziKo{Ta_QW?00x!|pxHSUx=1$RzmQ&@81vpv)Fi zfX!jOtD!LLm-Xj0W(n^<=C*ZsFjcfTF>vYL@CR7F?DbOoj~jeys1Ek(kn0tM1Lfv_ zn&hSzntK=E_>F57TVd5_mvVnl$;blveUAF*qchjI&{qrD=VvDyJhmsK6k6MU%Y63O zMJoCwZod9%8S0AyNgQZ*D^L!QbzPQv(=66Y6Py(|JKvp&$yFf#8~#_j+(~-CB`g`}E<1$mnpMcVJhJBGXtUo}8cGi(~a_Ns6u3 zTTT35t>W8lmlImw`4bhc_dWKc!@zy~O)Ep9t7~49+S!zTEg$*!QqMRlXi0K?TXJzX zPYC5DCA;YYA8&LNQVIG`R#$`p8F7b?AN2}4mg?RsH-6b%9Qt*|;){jRX{YnxdqXD1 zdxkAh-fWxGXXJm4K2tw1E~Dq3smT{uT{(OAi>uiz`i&0I0tn*TKAG-3Aob~vo>5sQ z)0ILw9jBaksZw7yHO@=hpUe{&)B=sx8sk!p!3%_nq^{(SV3=J5IPHOV4P^j0eW z^kDauj#Pp6w@<~yeS7ZTuL|KJr>y32>|q~oxIFS{tdSew;Vw#9BG9z+T)@i@1~koT zSVokzQjPGEO21{pRo!tgr8OYXUZJL6n&InT6SH#d4!t{@uXDn@{6--KXz_~`_Yb{7 zQye4t0(kv}AUcVynM#lrNMT=HWpGP9z1;}By>X9zNw*N~G^BD~ZsFB+$_%i+S}mvP zSFQ(2HM>g+C64#r-xJx{$Q&lnGBQR2Rqqz(WFHQ5@(%~AN0NVu2V4wybujz;IkFz~ za}Vxv5$b8U6exnJkJnE&>>56ZAC!zG2U*aktznuxzBPV*6AxgJ*#Xi;88!0@lA;oMj|0Q^hmtqAU9 z*?X`%(|MxEZS}H#u^EfkgzkjR?6(9xlF4Q3EZKLj8$DD~`Es=~l1_^UpvvQsd*gRn zd8~j?Y3CcGW;GrWJ)>$(p zA_Dt0&ypt3x#Epcr4L6EyZl2SC2ke8={H_aWZGjJMCYCbm-!xWn$`JTachpUS#1@)fVU9mdyRl!_Tf34;2{@=V9dT^Ia@vGQJiuqsWx_2+4)HwO8FyXEO~nzc)4}zeK8S zSU8Qnx$d+WbRKqE>ayS#1eDL@vjc7BcUcbi#|YXLD5(UmgO-nvJ9`VPZw?YhF074K zHa|`ri$6hHb|HIWZ$XNlWI&DXB5R?7-J(@F{^zZ*uVH?t%M~&{Yf;|6SyOgy zSq(nZ{$0n|X*gYJ+hDu0 z_uBYnB(D{arU^Met&GXK7hF%&m5V_fmp>m+xTNV6Je_H4eA7+i#H_%c!f zi0_xc_;vY!7xtfSQC+8jhdn&nn(sEvQt)O4Dzl9rvgNjPBd>P^jkLpGsW=sHT)KLzaoxPO z)bW5bAy-DZJbT@7Z0Nm=*XExzBF){^YG{-c9#5< zT_gH^!**=%RJQ2nT2PslIfY)a6xEEpDo9=6hTK{2j4V}O_`Q*>@ zYJdrU{oqn=J5})|KsP!s;l5z=>8AY`Q1JcMD*#(-%+@;WIh!Td-1wo*tH^NV86AkvK685U;qC31vrw{a8A-ExiObEUWXi4qO2inm$nS|pI z^IgwD!K2gw$X63H!EN1(P6euuuXfMI>{<@JgN>Hs029S-_w5l`ALJ$SPp$fMiP00M z!E$jE2q9A6#gG?B6Z6P^!8N1kRGwZ%_7lcqqE>Djvj5#P{2MTB=y!5F{U`P&tibTC z#dScvv^~m$w+MZiR46ttN{WdXerrin;XK^5vmmC`pegS9>mII0+<;7Ez3)upf zZ$Re;9D8COUkY4Xu84`NiAu>w1*dS-`VTn7n3dB$$2eiLqkvwBd~+b9>bH4&e`8F5 zXQ}2_&{Gl9C_^#JSnjP<%#T#)wb4p^w01r^Z!r1Q%y@oLOhKhq=q_8YZJ=C^BDBx-4sY_CPoO{(aedt&~QQ65;PhXEN4255vQycX6TP;7NgfSC$_xfO15TBDZRXx?=Hv3^Ag6;qVg3$_(^KFpC|8rs)U9lQUsFEJ7e zyoVa3tWG8s4;~4r-6=SfZ7qThmHj9ZUIx5Mcz=nL+y26Fu3}&kP>GDsTmNBsADuCX zL+I|A0|kzD%$c`mfm)`f>C_3$hO%0feMc&Ckfj#hB0jz)KiYXt^^7LmvCZ>$+aHTo^fX(qojo;qJu;o9B zEU_NM1v+n;vjkxK)x&5A2qWq1DUQ1EqkVPw^sr?J5>N*2KwBSogt`dOZ+SCzW|d@6 zHgb6!|D+Rv?x-*^I;~9Io}fl78Sf*|MIe;=d=T zW;zJoFtg+f9$Gc76Beae`;+&6i+XKsxH9+OZ^&9Qqifm~2Q2|V`kiHKyW~Y@I1u}e z24rmvTTuY*HLdhkfYZa+5S2dl;6x)P0ByQ4{wOecgE=lMMc1v{&MYhao3u(Vv+t~j zA!$!9B&9C4ja}O*ww*1KRsj7hnciV0s{k7M%thq84{-Ds(-#w?>clMSWcqeq`7f|R z+!$EKP7XE*{d??de4gK{NnhDCQFZ0Wn@VkhxQYwk9-%Z4N*X~{JcuAx-WRMuO!4-g zo64c|wOS0p>*LkMKnp~jK4zyUnwo`&;uta&Wc&TqAv=H)E1-emfB!Y|WG9Bw^@cY# zMP8$0VY#Aur^wWA5}HX$%>fHv_@BRTi9n*Rnr`lxojwd`@%h@(aV1?nX(3zAj%h~& zX!-kJLqQkgNKMQFD1M#}#O4e4VAQBq{dG|`es`Znr+gZj^v z7U|=ipS_(y$^ZAH|GDxB1NKq7c*l*8*D9Cl@Z@C7vAO!^e}{%5V=D-Ym1gOj5p&|7*#^gbVe7#s!~{po{yY!6$2SZcyGAeiSmP9}Y!- zU;YnZK$kbb?d7&dpY=$q>w8H~@%<0l|Az>n@}w?M&VbmlZ~qTz{u%S)Dv1$ZW**%E zdK&+KLa&kmvasK)_J5dr%eX4L^<7j-K#=b4PU-FvDM2KpRX{+xVbWa^0@5jAT*w*Lu(YoU=df-~2{A^BH5@V~jhl>$+#;|A$`^!M%VPB>rrVz_0)5 z*~XZ#G)#!$68}FJgj*?8Ne^gllPKNuPRG(WH=lK3ce0AJp(@M4A;4BVIo z#**bfd?sFEJKuy34`zbS-#6tV=+c)GNuJ6caik5|8V!6cpjb-hogeI>(ZOZ0j=QHG z8hbYXY@S?5`n<{e6vSU>$wrsnIQ!SKHa7sX9HxBfZhX%|asL$T>pJrm^C$3Il9Hh( zfGK-$xU4{@^lt(y)e~ca2q&H&0MEZhxb^}9ZM%oOAcb;KmS?s@-u~Q20LK(@DN<%P z3K({Y;>-5gBb6uc@-)qyDztDBjz3lsQeUEF_M!+ffOCj&4WYBrtclefOP!RmD}ZGD zCyF2kcyE#GGh}fHVjSI~QHS5I0FD{16jyV~L2{ zp1^rzaHjFRLKFXpt&Rl#zy5>by3(d7b7nlwhUiI(QUD-Trpg7bB=A770!2|jGG;@B zP+!1CPBq935Y&JrquYm+*@IH}08lbLFCQ;RBKs_?Va^HUD$SQHtl}&9)d2$MU#P1*M+jan7OsbdivH*L{c-k;Lr@F2Equ zh{V3CcX{k{bBMe(`V|~PPr3}DY50!{(k_E8KVI?~LihrWR=g-|3IV3i?`bp-K%y-{B zmG^OFF68#ihZ0Y@DckmZAQVKHe1J++8~PW+PcK&WeSj9PLu3sx=41GG)geL;L!Ex9 zO3TP_dtKPwoQ@kwi^hjyprgxfkCoVim@qIf(D>?PQ>VfdsXKu=fLZf1m0UQU#pE~o zFWM#H0PwR^zuzR|<|Y`9$LtRZ?IufYVL#jsX+WUD)>mRs&yPVa90(EsCcPQIQceH5)iwDCZe)Y25-7VuQtOb3H=I~P3e;Pg~(uEAZ- zbAwFS72Lica3G$UnHeZElDN3ISQsnO2dozIr%4=-F)=Z7-BcX9KdB|FeNuz2XqsKL z7b2@=BlA!eUVDFW@sXat1%(5=rF#9Bqbfz}td1~kG6I{R0)euQe zlY9a*!xVek%{WCy6T<>k@>f6X-~d*?9b_`G2?&DUjeap%{23&j2e!*g6p!%2ctwzX zk^opx`rv-xn-GJQ$CbVYybC71N+z)4{xDz#oSJD$@TlwN5E3wTJPl`@ON!qza6xxOu@4n-@?>|n9# zI%I=>XGZ9&>8@>}THs`?Q+QT9*JtW&fLJHcuuo}K^@*3gf^l)m-AF#)0TLZ`wOX1W zbLw zVxcGFZ@kI;jdp%go$x;2^rEVPw%$d!YkzgRmwfLDTW?HV@l>$h;NAo$9%XTSkNi{V zYj<)rl_9HX>wfdt_n0oP9Z1`ie`so_P7?Boa$jdK2PhU;2)=PIKyip2ZOiKSJ5kvS~JOVdL^2(E*Ljg2kcplMK`mPv5Dq{93YoNC-i!u5ik9I_t7 zlpza*^;{@2vUUEKlJnQi6Sq6iWb>-0=a`XI$ljf#%eKiOY~XGJ4vDWX)+Pdcutj`; zlG4wFBN5w6gy_8K0Qyf8@*b$?TWKnQV%BON{wwwb35}q+y&VZazNDYUZ{(Y-@Iq79 z;v~E-)am?kW#1pl4Owmo(L3Zy6E9n4xNVITRnasm#WT=UkkS|AO8=U7*_ohj6O-Gt zyr?f#ERb~pfc6WTI911)B8(I?wVbrIZ}oL`;X-?K-+J*kdpH@y$z1GGzyj60@djIT zr+(k-z{ZB2ph3Jb(9`u-HqdX_BWL)kSVNT%UYr8+G2~pL z*rL86$KI8uNgPM8HQGSv!RD*|?)?4UG^3YkR^r37;lw;wzu|?oeDfgIK)4erau4ne zmF3r@nZLvXIOE@}cHfFM_3KM&ivUJF-q2^|7}3i|-FjtWS`3YWfc1GZ#M>VZ2+c*e zR!qQ`X|qK>qZtA}2QEtfvES=ehe@>K2={%=zh)LxEJU{#z7xZBDgYlzN~#r))H1p8 zgfdlj=)S>?z|+N=fB=j87pB;CEw#l-s&sc{f5-^P++{?s?$6DYmW@0sDZVA_tE=rzl z-uca({k#iKvu<_fhChpeow=vrV)&)|?Ka4Pt~HxSAXaR>CM#4gYg|3=>FMJ~`0Re) zR=*lM99YcM5=Y7RPMap&zuuW_!iJJhg#bN;rMY?6#YG+p6@6#K#!yB?x267w^?}c3 zm`+=Rgy|`x&ByC%-0oMVuX_^_%!1Eb()9-|Mw>`G5Cazm{0syueF!-+Bp$CrTFc*U ziefuUxUM1AojSC~8l5lPP%EljIc1O)I%9yfAka<%W zE7sL$@^Wu)W)@lvw^UCHPW}mIE>o&9L{T`*DW9PBQm*Knxk?#WqX49blioNQn*GNd zL0!2kigLUYMUVuzi&El$-BDBcL0EDP?PJNe)NC2NWsa#|A$CH zc9I>mv=-0I)_zyQ^jTT)t>>#oj~B%%s@sXF`Y8go(U0(1nt%WP zJ@e(YNM@RY0?awT#@W38h^h4$+I6;|S4aah!n+veJGA59=F6IOK2$Z0UAwkA8{BK} zKv32E6a`#LVM2PGdYa;o>!Pj&YAVEcd$pSxe*(k9{#||3*9Ger>0{In1hU0sPoY{D`;9COzKN7o^(k ze)F6+>>kFw;fk^bjghAGkhZ4uRBUl`r1x{7(!V_<7FRO4-HukUza-ocB<(kJ)SvIG zv)Jm{M**FI9QDDti)=e?>~F5x_Rf~7cw6wRk z7Y!I%Il!NpsC6vp+MuAIh^CPX4|P<^6A=+%bnBU^b>xQJxOo9`a#yMV=kw3cn13Vt z2cjzi0{Rs6^MUd!M!jAyV@w!J{%Ms&?PdF0+4l=UAN!CUt|fXn*DguHjkQuu2qFT% z%9apr_%Cwc7|J$N2t~OnP`_dfktd$!Nt)3}Q{11-#&#jErQ@=i&4NE#VGrGMCV6Bs z+c_!|dQ!-m)XsH2US^o1)#M~C3H82yD8gTcpW`|Gc~sC%nB>~k7N4e3YIuxjsvw^K zOXIsqFIj`yK%D&Fs4e?q{I5ctUM9IrH0($IkdG(H4=VJzz51w~H(sQJ;!MgGz`N5G?t$ljsrLc?RC8q?dKYZUpclFBe9 zP;fe+R1R~Pf&U+QPGn?c1hVW>USwIPLm(Ly1zf3sDbpfp)!N)c z%WJuaaW)y>6DqXUeT-$dVo?4R`|H$DTon7lviRLa`|GS?r<|cnUmDyLOyQ#oiO(0D z@79ujye<6uN-G~S>rMJYKcvpW-z4}lzw^$VNhdG<$7hSP+KqL$s}=4qAAbc1DGSgu z4Ot3auUJNWU{~Nk-x{Te(y#1<#!#Zh?g`K6k5oAvOHr3wT6iHB%(>m|6lu_Sn>H)1 zbl;NK31ha+rKeUn{?ZJqP9qQsbXOr!;5j z&X`l)KaPEmGFC0vfd^6Q3e!fQ>_H)AmB(N={I2gbUay%x_^wOCt?tzKd%XM))*_&y zq+~N>6EOqa;_HMddT{90XqKLFLzCBSVOR5S)jSV?R&iMFJmrRu4h9$h`xc7uUWkbI zp-sE|&@UoIYa^(K?u1;%jl{wxG-j|`v)_$&la;U^J8U^Tkts@`%*brBu5qH=qX=u0 zH^i&;3q1z`c zv5mWy{ku?sgt>2u@DZ5g%h)HU>U7l~~ZVY{x08 zJ*U>;yUF>15jso-w)`5*yGdPw7Jf2XnkpN*MX24Cd+#H&>D9ao2wr||*uclB9Ygxa z!T8eqbHhsU>?U0>&zoNiYlRY?SBRTK=FiGe@5SBezLhZI)k4nC*eS#t0LRra!o>A+ zVtq|+EWJKPtT9KEH0makvR9oG@w3K2wsj>=liD4*_t){)`OE+px|XNB`%$)zx8WA# zxx3PYc&2J>V?ef|b#(NFY)dcpCiLbA4Hld|=^n=Ncxr4OwYayEz*^k5Mc^?pvS+}aWEz0q9o%>3KkMQG~N?}YEQRI)8jdMRbKwwuav8? zrckOuIeJwj>1+72bQb!u_%1;CdhhVMf2c06kEHW?ssSa)cap27pVW&jsL3SCC$?<3SN!RQpkD-4`EE>67>2li#WNC8?lLjc zt5j6TYY0oxMv`(A>#0%yK`iy?NxdclK*xR+%($edP|n`e1qVNF7$bAh z3bfej;|LDAdoX&m|n=(Rk*PP%OWV0d$se5L~Fpe%^azU!~8aJ+sv z%u?}FH%{^8m)prWqe|r{@2wDUI{ciRBnJE+TxcTG)AfKKH@18HAX?D=*L(#)O)`)U zCL?|8uz}sST?~e&e;0VO_}KaU!=pWjVvHBiW>caKAZLhskETfja)9jwUHWG!j4tdQ z738sh!}E69dy2)}^TT>L?YZ(a_;_b-TSG7_&e8C%HMhGrb~{ClT@V6k4OM_-1RckrTji0Rpp`^HF~ zn6|ZUP+1(Ly}=Z|Y%1IcS&5K*1pUUxZ?d@%C3xKsp)maZJ zLf>$er2ph#+o>;3d%}1^i712D`!lkiSFzZgANqPq2+Y(vBX15Bw4xZP-Kgh%@W%L5 zfo(+G%?TXBfSMYC=Xr|MIE|ZkxrlajUQ2gk6*eSmduwaKHMa8%-AI)qw2yrl=ZK!X z4xMah@iJcefJQpWh#6b)-Uo;syp;%j1qWUisNYHF{Vl1o_Meg}=dn(VjEuY%0}ph+ zz4imOcZZcOzvgDi3i-NxG+1sry5+04aINuBkNVDZ1tGWq;MeaOx%yn$zKj(Hdr7Qx zCfH{u3(^K&4x`-hCKxfOWw3oK12_;O-pp6$lu-}EuWQ<>m9pXm3ru#Tq@+BU7y2dc z@ubtW{gQdiqvw`!MSwujE!!CnE`*W@ys=oI*Av(qKZXa{V9IyxWXzUb6hOn#8q+Q? z=`-CBV8ye9GPAKglU;pfU?3N`14_HqL?%kGWAyg;>(}E4KcYyYRjl}PJkm)_#jm1O zrm>Ex9?~l(wFQroE=Vw|^EijkQ$B2zKwnJ)+C57kHId9^;@_U}!W;j5YZQ%c!t%ls zqzq5VDfS_20ctYomzP`{m+Gk!@0ci)PYw>1V7U)hkfMc2xg1cnUu`_+$DMmCIzfT8 zgT28O>!g&2t2{X1in9gY6-OF)pnC+=oFMmW#7j}zc)Z<9IvAQ(^*}D1P^!LfH;lUeGx3YcI(7+4m;R8%1!N%CvVk0<2CMkg%L4a(kZuV78%NzkxjxVC+w4dsw-yRG z4CW#FYH;sn62WJJbjzaG%R+T2Z5rA?b%MxCHi$S+f>B2_Ia+s}Dzuv8#3UvddcHl5 zX=rFD&lds~i}Y+C=g(rvi#d65!4``hW?r9GeoxL?hJHq!bU%HAyncHYwLO7-_b}`P z?1C`aXMmcmPDTv0TjXUIoM<=gNrk+xoT$f`b5u>!W$VfQ+Ns@peWJ`pJ|x|o2{QhP z%DLv6sH=cNDP3sZm!>N_YAGZj^XS;m8;UuZSz&z-EIe4$$_pL#3KGCxIA+6nlRnh& zp>R>8?9ai3UyM@j?(TkgoU#bJ>=Y_$!(7ri7cs~U2q(HXo|$F=kI$oj(A9S(;p-?Q zSz@G@^6F}y2tw_*vc6uhANzd^a>WHML2WjpCNhws8uzqWLx50>?5K6MBYRNtio;5N zWbmMJ(#S9vaequG4MbnCai^MAo-|XxPX@{{AF!C3jDv}!a55W}`(?7~Go@hhmzI~e z_b$Z(h$})bx3m6+&&8oj_z` z&C)`|Kt#^IxFPn~6}Jn#lC2vtU-6A+%5ol4DjputHv6;HJ90WYr$yi$jw34N>na?Z z*~69r&;D@Q7V78r^8=G`RnTQ~oY+riR(!bHOUa`1U%RHj&fLNMGi&}0+Lz|Uj8=iC zJ8lhBP5NmJ40mezNogcGdvVa-hL582>gt(I*H@A+?0v0Mtb1S6;C3jDatd@oP_tE| zYq|d{zZurD895wy_?w<&ZpCzAKKU358%H zrV^kO#Nzd0g;gd|fB}?p=5^7e?{>vveK1V9+A-XvG1xi=aIaA61G*`t;_*_0X(~rh zWAql}ff6AyQod$H>FVVK%OKkkNxTS?YC!~-KZC=IfjB!LaKvB7-h(VJ)4?eC0L+RX zg5=K{Sb_c_6_sqAtzvV*3vO}t$P)6aJNIj^eh8V8zyo#hHgT-1q_@AiCh?@l2V;z; zp!asRFBFEB&(;!{HQT-^Gpc3a#qxUp8Lv0fAw)q&@;&76;6M^&ow!ZgP*SBgrfccUM-8Ir;1vLGH96`EX$ zIjX8DvW_rpprVa(qt;mMJy~n z7>)fQ6?2E^(R*RA0g3!T7v3q3c7@*nTLf*p+L!4a5FScofYNg%~eBP>h;eBsP9%GKV1S$-!x~R(;)w2b%+{M4 zHQ7S>>Po#kqjO!_A64{SZ}*YY-EOhI?oB{lFEbdP`#ShhWCC?5pIAttZ1x)CWtk$> z{rGcen&v}uob_~J=ObWq?57zEAdZ!-kt_ehWmnJtg)%BFv&USP z6oPI_vsd$7FkA3z^N&pFm^S)Ll0ZdF6!Nd+C#-L(?s%09NG)%26>RHc{!f)e za?uwiE{~JRYO%h`$V3WrHU$*088GC~zMoBtEM0U&bq;x9%0IsapQouLJDmP9)&B=GpHM`FM@)3Kqn}Iqp+=hj(>MF5HZGtgclbae3 zx5MI-SH#IIAzwlxNXN}qt9O5R-;0YHq+ts>@;_St9ibXUnynuHmT2%h@QmNDl#^|SoKP1RQv{RTX90CX+DrYO|;l0eiaPQ`_CE8-+s z$7_itYR>WY%FV33+9r!hH0eKnJQG1FAtW z|75B$Y1#tdHR#^OGpKwKbORM|n0k!U?i623^61W;Q|;I zL%sx~*X~5lEZJ3kB2F8=XoMUV_rmXI1l1iB!!uxFY(!5K`}!7oF= z)=-EO|0@UV*qWIC&^cc|A=8ZyOAeXBl0()PZo36yK#a8l;)JuCHmfY8+J;Sc=h=!V4$6oljCf4Bj&AyqQ_I7RJ%yi#jC1>x?na-h3N*8mr_YY!XDCPEIB!bUp+)eKV+2IPr z#&0`4bLD31Oy`02fDbAv(M)5iUf!_Cm8W~IefreKc(zzt0pj95GUoHJ69a`98m~^( z;$$)^h}AwXJmYv^?kiILC>rnS?AFj%4Jd@mOM!%$hyq9r`aA2aXWy?mbwZcq!coeu z4jtFqa87%XF`6NfjD~6A^ob+;MmYZc;e-myO&E4NBO1AiF%vbIhy58QrRzGyvyI5K zjL0-D+XRBql$>XuhbexVMx`#@tVJzNCuS(-jq6rC!=r6H<2XfDW5wI79Ql}7J$%_o z*SEW~6RDm4lj*M;M9I~Qj}V$B=BbSsO}l>yKtA7`9AvZ=11^1cALDFV+veHYrbb|X z8%nw)2F?|iI0*C9GK7%!4=^Yf0?_ZH_O>nXGo1XLCfXig``Yy9Aidmg;>QZLlD!gWx3<#J_Nizc0>?tW!AfUwLktl6&p5n)H&rsgQ0ybqvQ zN6d5FawNv|pV)OSP|UU;okogoN^x+Q)?P1#qBMA?GG*v*?K3i~H>XDtBuEN_5V6_df( zqeNeA4n2wCtp0dNlf!YM;m@(ynZI}*orZ~fPsYDzuj*R`eL6h8{*2R(Y?z;W!K(P+ z9Q!@NzLJ2sbG!yfc=nMj*rp=DttFjkfVLP4Rx7qCq@Z7jdi&*Mk(YmT}{;LD4r<-6GJ;@JT{MeqRazfiZTN3 zPll=IljTE6ORuaD%a)iY0Lc#g(@nY|A&}W<_C)#dO>z9|iw|IOa|i=(%JFHlcwuX{ z)X^h1ObVBO=r`wkh(-j*3d7A1I|lG&#Agf&4Gjrx-FRND8$J;)>PM>P6@8T^U%_aA zi9-j*5~K<+FzW1wRo3EMPIn(W0KQ}9?nOmRGUo8I40s^LXC#Sk6ef7MD#e#J@=0-( zLg{5MKw9ak4JC(aAKTDrmh>;Cm+!7k?u_qxtZ&pw0KCV}$Jmp_%=7twk7B|7d)#>* zqnbT~f?+Hf2q-MSi~sqiV_8XfxnKyOuBqfk1gi@s zGM@5KFhyaWaIs%#$V+0wQjYPm!fFRch@6~6ZvBhfJ8d)ulnk%|(W6T388u|l^!oGV zAEF(@aq6rfr4q*=KV3%fwnl>_!Z?Be1eqeB@2u)EPC5#APGVF(1{HZFoK zy^rCRK481i^K1zSi=4ZEG=osWUYY!(MhArzG%0f zl}xJxfrAURgI2~`N3+!<{D}rjp704gzpvL8TE*&cG0V%?TqZd0=NgzB4mgdPWR2Cc zgef&N6zp#{xMv#daqk;0kY_!eI8WR9%{Pw$06OqRxcc+`J$CYR7pUr1&>wCUrZh^`2 z-_{-?>k*#6LP|>$$hAB6UBm+Qs*hacgT#FS(Y^>p`joRQV3(S8m1hfjp0ROcK&fPH zbS#pw+6|W*M+OIQ@0Ias+?r!CJnaFy5Ia4Qp$Y6+Clo^LIbi0D`}~ z)ZUpwKv8ZNjstr17&;^5}01VHyMg26LDb|sHXo+IpCXUa7J6} z$%qOJL_FD;#r^)ar;Rbw%b!^@U_?2c`97ZE+0VFve5(GtVCU@$UMJ#cN(l_T&*DSw zh~Oo{QQ>e8wpLl~_dD2A+XSSO*jgv-&DtHUw98sJ8GVA*lPe0fOGvi7^c6x+OK0nr zS~0&<^Yasw=+)rhKBQJAG~3S*`{A(4GBcx4@bl%=4F`MCn$_rA1EHmsfX@)ozfRYP zSJwjULi~*Pe{6SRj?3JK$JJ;2#2XxKkTE2QUKAY(nDrWP3H%zAT7TJu5O(s>gcU~I z9Qc$t@1+l0RB0ewKhRPt=5LO)9P#bVqNphy05HJBahL7_kS73DyusVM-0a%LZ>B#0 z*&X#-3 zzJn2_f4>aQ1`Pysei*|&BINK-;xwdUSQ7=Rtt{FM$j{OOd#9_7^M+9n5mn`Dk5;j2 zZ7I(b_7sc<@M2wA`T^P4o_DM8Vmdn@ByikoE7DTX@rqYFq)a~Py#e@J2|$Byzs0?| z83fW4vYEm`{m={e^m?bCpei$1;o%s_w z+@A(Y9A8dMP3G9gcNA)TXZU8`pZI8gCG7Q!y9>P(okU6sRheMeokH>FPPvq;`XCRv zou0Y*3cH_-Jp*>rBX`OF`#Mo0b`dabefTP@9zLeREKX7pL-`qvx9-FfJQgh-w+>Q1 z%g7vl{-q{>KhE~(B@w*bMzyz@?!y3@8=a{FWs3_NOo(^i%GJT2V;!&cb$%K)9~i4< zfBy;^9V2l^v^yMn;*7l=3qn~o4Ad5&b{f7tUW(T53UKbDABQ_i*@bKN15Zf>vH*eO zr%02{Z|y~;Bpml4nCd~nqH3tH1EK;3Ws4i7ZCZ3R0ZpUEviuMCV*+{M7`&K^$aDE) z0`@@0n~+3_EZyU`ii&Okl?G|9PM;o}t4_Z%tb_Kfzd6{^g*W9i4E$~J5)e}GkT2n1Op_eiOfuN%dw4KYt`4*QistBQ=+-2PB>r*-<`&GHo~%jy!&vpX zBwpa{M3M5-aO^$lh$O!@blN#{*~KEMCPPxP=>HUvBNveaJmk>u@SoWM$U%%^Z$^ed zmZrh$@HtyplB~y~bkJaFGD!VE-QO_uV)0I*41K8h@;`~@o(7xx3eiIxTBJ#L#VEl~i<4s~Lt ztasUI8?_qe0#p?;AqOIjklck;9*Tn8U-1+egfCw%wis25;`QIVN5f&{WD;3?YEuo@FC13TS92{+FoeSAATDauz z_a=V0$IoeW2)(O6)3E20>m6M^H<1bc_P-4==#tg@?m5gUDR0dFeesodP93;uCVB^; z%^?kzdc;XWg(wZb?84ETkBVxf%K@@iNBAZ`Nmb`8eT*bPTb);KKg|2n1Aq(gIUF00 z-1`y5dkT~k0z@AppTH7y89#WWiubd6fo14~%I&P$Ujl(#4VA@HEO>Z$Et*DWtK#`` zxXYthM(>J)yy+^d5Y)T7i{*0(yY)WuNEb($nmq&i#h-Gqn2$uwHAf!uqH?|2!gCgP zv1U}e;uCyKS$dY|33_~t6j>A-e1AA>-qYLz@TL1{{xg$PlO~m^tV_$8&7ISvN%wVZ zbDrC4>}0|YD4>R8qJ8jeP|{(oCoG6M!fvUpEVR)LRVEliUg8?kb*Z6B*Q6p#c`d%= zO~%^(#BBXAtB4Zw=^t-2BB&#p_g#<3AJ=J`vJk#!{rWL|mO;?Da=+p&T!A|2~I9{0zA>om#aDkz2KcJqy` zxgjyKm(SNSn_TbbyzyAI(I>yXQFfO2c(_)Q%A}h^2Tr1l)tgXabM}MrK*IY{eNWY} z@eeIB6Y-_Um@pS6=baCrw3%C8zWU4Mx(9S$N>F0>w=Y=;sG?7Q2fapgl9jZSuZ%vh zXfObw$6S{H$dP~_!JPbN`98TZ5}1QM)_edOuSvt8CW|>i@&-el%8l%fMFQibTy6u# zz|)h8hV5g!`*r%#O-}n4Fw=Y8F!HHWe@*GX&%bqJ3g$%FR#B<$1OmEtobKPSTZ@Sp zM!@4t9GF*`RsG`-^dR&g5Kkxl_X^b9nL3~n`xVmy5_?XuMDYRRFQ)Z25Ly${X3>EY zcOj!0<#n`g+=cHnjKcUjx*2(&$pMM+eSrwe-%Z3&$izJGFfcGIW`1x3 zqFYIU@hg~?{eN>dxnL?$Q5f7ll1eBubZA76p1vy?LGB_-`Vs4l%sA zxVW}94F?8o78xMPvKExq=E=+Ywrzkm16ahwpY~p2P>6<#dtVuk6l&NxI`WvRuAIL6 z**-r0((u#L%)e(&JNiLXBim3(LtL$!HjEDawbYO!jTs9C4Xw2;3^z!T6Ttj}GXaKz zWoLI+qtU~;CsSe`PnYLfU?Tqg8Os9tzaGVe2MDu|O58ZAVZ7T}mM^hrCLD-By~Uq^ zT@S_2u*^^_Y7*9l3Tul@U6oeL3)UO#->(7YBTErBj&D=71HqCDKz55J&Jz?>JUD_vE_(FT&xofOICaxbm1c@VHNcMTr)gh zFhV4)Cxn9sC@?lBkPipNjp;Ur^J0elhY7z~3~ykaG5_ek<7sE*U+J-H!M3-sou1+keN9uvbF-?OxpS@&lF->Rx zKh0qbwiUL&sBuIQW4Ya2RA6lZf?+f82M-rRDBlVZlBsk29ykp6=lK6U)6~d_!5HM> zFqw>z--+z0t8Czl*kn2}|H*A8fOSBND3j*!O~XnSc4h(k5kczfz7EYjX5EXbp{vV zM35Zmi;cD5>%gK8Q1%{}50N^q7XmOZ0DX8`Djb5f1y#5ItG{n&z)7df8bUShgsLed z;Ue||>~CyD5@;MY72@-U3Hnv*yLuYqpT@$S ze*gSpvCSuV&S~`9GLl7btBQG;RIz=jL++a5$n{ZWNr(^<6pT_USRPOhXC%l7ex_n^$`IZ6Jj+V zY!bu=#+faPTpdPKN1t;vCFZz2q3E{8jPPD(>5K34qGDft0~-5k%JC#!WL{G7QOt-F z#U$LySnm44R)X)V6h~??wz{;WkWyYjq*Ym**{`rNV$A&N5UikZr~EO23W{U$V*~l! z%uC;E6fHurFWVWF&<7F)LNRsnw&&koJdX4=MA31Cz2Y{~2W-mEQjW6w^71$S&d{q}+eVGr?0Rdo z%j*iN4~j`v&%bDJj9+m%H6EMKozmeDOsEbO7G451PLcA$jC=CTNTvobt+u20fIf>?ma>!U ze|#ki{2KVm3RAfXg}Wpp$gk%@^syY{Ak0MWMLxgl82uqJ-FyVd{Qa zXkC6zvMrZLHH5o;@w@uA_b??}P^~WQvUwmwV~y}OIYjme|U zsfl1rzwj0N+pvh?Kch3P@9)PH7BcP3Ln+;l*V+LpI7q=@9OwZXWb%yOPGO`lA8Tgo zxR8l?BFIG~A-Yd6x(O{W$4E#8b-&Q~s*3Oo?VxR!bbRo$_shuB)Zp9tnx&*%WP9#4 zUeI(Id2i0I9Q3H5yD7NvT!@)C-WVE&Yb1M^{j#0`gwx@c$J$w;D%_Edx5PEJh6)9H z-rRjY!qF6SA-N%E)Mr0!HzX#IwqLSi8=fDV=MJ7TGLlJrqa^H0?YTikFcvvfMt|P zfV=1IHQBN9i;Y&!I7I<{q?C)+9%P1xGi{k>V8ajO|Ef?NM`CYE!u|jUkEi|~sFE#( z@|z(6u9Yd0VjgHEhz`2-v;u)YOdvR4X*n!!4)j@Kk~hADk3H>_Y4QxgJn*wFB`m$s zXI1l%r@8IhCAH8lAba@u9E--?4ysDDu@d|+N`Ija{L1*I-JBsCyCIcVI5Dtl) zF@aO=4)+HQ3_Xb6wkPFHC@JLOETiw5OLbKc`}D$N#Jhtu0({!qEYUQIWtrV-G2}-k zw{`G^Da~_z+7AZjbhsS933gljNUag>7u)fXu3xJvUp^2Lg_cw$={za(R{a`cC=wVXfNUnP2uc zte_=Hc%1|@!iU);5Kz4lMvNp@-`g0>wV0|b!rB1#M;LT;bR>PYGr72(O7pZjvHjyi zlTjSXO=?S})XOr$(z@Il#TqL;go1moK!ChjRJx%BGI&JeOLuKc?!#COTx5qalr(EK zng^**)ZD7A5;=XLdyVZU4>-x@ptz0KkL8aOU4HUF8LY7>#2PpeeYS&N9B#Kmkrc75 zq_NM(_Y0p_J;d0Xjs8S!Ww)$HCVY4BSoQu83)XNk;2r(p_3q1y^Iho0)p5fTX|$ML zuJr1=i*Kg*i|z9b5F~Bu$iRekOoN_%G@5#O-$nEnX3 zESg-{J^|QVT<{$zOoT*4p`e2oEfp0|0Xo-S2TGW`$)HILh?GhknJutfGFBKwH~zjC2oV>Q;zGGi|u z&8(%QfVG61wpVMlk~8&|QKLr@!6y5bcJq13G}^u}ymj!3wYJpDQ+W)L=+ zSbGG|>>|jFbHXYc9Ls1h7ch7DgM&C|<&6ttffyKvqZ?LR>)Na29DzO~!knJ~?u;IT zQalo{ww6IxI{f|YH{-n9siT#kf!AmjW)=v|3w6JL=IS|70W<(E#kHSAQx&C;VdmLSM{b`iCbcgT}t7Kan1YEq_^?8fA2R^YaV7iw9xvF zF0F0z8#K6fIJ0zYHP$Rf489*Bw-IsbykDY3i``ohHf*rkJ!1kaM@uivYd=M|GcCqg ziWP~6^iMy^XWq5i8SlI7%vNC2irtLRq&KaujbJMObPZKX5XMI{+po}xEjSsvSx_>~ zZw?PtJUoV)d*lvx;T{mJ`re(fEOHcpQ(tJ6`HkUQ7A;_;;^^s|YlO2G^z3)wjC5-3 zI`v*#LC|AA2WlGDQ6plYl0oMVJ#% zpE`&I$OILc+_-s~n)v z@i+}%6`U&yFfuTN=TGCI@BZe5wgFiB;bA9bK%hvNvp0@=%4x5Wc9U(PufwNZrCih` z5D;p8)mABB8=?|rX*Q@HbYCy|@rFxH7*59Yy4whf7TKL}i=%c=7*pCvHhc=`iP$vo zoi9rD$jgixe|}LxE`QU?LOo=Od6{_1%58S!c5}T?3Ir>W63gZzZau5RsO$}K1FDYl zjB0O?XF^1%s27PT=AaP+&YtRd78P0<0Pfz2q2M1K|MhvvXB3Vk4Lyn{XmE3-f=*YD zo+h#c%#T${_iG@R^YcCstE(I-vPoWgi?d1TMM^b&Mz}+q_pdvAuIKMqitP zAf=Mh-AE%ycjo~CMOqL6k?!tp>F$v3k`f7#?iOhdaOlq2$Nx9K`Q~P>X9ljg;*I^T zz4o)7NHL(KN2uROI+ePvYA^WDK0erwQs)-7M`Nd@+u|UPdPdCi*$`+qWb!^YFQ5cf z7{G1(^m4!Bg6Gdme8+gu1A^sJX2Em*022GQ=W2_vpa4nJ3_k_*p&SsS)MT^bcNj9E zzXftI;cl=-o9CdMYy(N~r@>@j_lx}k9B7?r>Yv7s{W#s--ITIXq^oUk|0TFy0w-1K zc5H0yax=|Z?9WQPpFR#0gifPAe~y1Kk?$8AjAGV2GnB>~*q14EvCiM_1WRQ^DaRsw z{e^IQn+vBD>X|0hQh2N8YIZ0H(j7@jNu^F5UWT{hA_bu{CaIOeW-7CieW=nM<;N*m zX6zxgTxOqNiiWQE1zL8KpP53kC=KoriA0V&7^0=?0C8sKq21MAHhMo#>*$SJ`FWH5 zt^oQ19xlS>xFTLmRBrdyz=e5XPu{CV!NwAdcO#*M+(u7tpS+d0Jm*`y_9Re9s2f9y z?DtNRYSCTD;*Ye8d-sI0DFytsE7{epdS&dTMpeSv@sW1?nI;8z)RG+|x*lRi@x7(M z!<=37MNGLwRD{VuB3e;U4(^HXeTa5#+Yk8p?t#3^T9t+}6bv{EbAV@w1X87b8!-rz zB>~~$l;_-Wra}ho9&&PWVt~zMbNE*rNN14%$r!sUxpfhI9z6i{;WYV;ce*pB$T}`> zcmbV|B}I`L>ofmbRbP+HdP9%x`Ec)vgp3T=&s$kpb-6=UlUmo`e3cS_H9I*w6Sz{_ ziUI?p?%rN>Y!!VcHx%X9qs!YstA3sX@D?L}LD-1O!9r|oEb$4i#WYLxRvJC0*&Dya zuM=vfv_5Cb@b{rFQas2#CJ{&8LQ5Q=NAIqx<$RXuU|v~7dY?h!q;3jnVcTeIaPJSf z+24J0N$X4wB-PK)O7Wx;e!sBUIYfVt54zo8M+SJON+{U#CDS2nU5S%1BuzPCeHbNZ zlL@q}+W4%_&N~+=|4uC7&6hrVxzQrmsKBDlv$CrYlEwA~f4=BXwXy8oOYWhGL6j$f z6FUZlQX+j1-n@|Xl7N^Kw z{{gz3KrMz?74lQy7mRA{B||OTW(|n@%ipBj+%95JvOeYalXL*WJ15!)##j{-E)B8f zy7C~Qhp4D1BMg7G&?g^e9$^;inU>hkezX@hMGkk++lkvRC_WAUgc9btUz#}dGyU7X z4e_Mj%uMn+$O@Qi&tOSAPZZ*$^9wOD@bnb0N!5jbGXe+W zizDiP9fdTvh|m_v2&bnMB`YgLC}^uWTeSU1CcTle&yY z^s$uU7BnM%dtqxh19zqlGxJj{9mH+kdICvYJ2vx=Fn8!EfND9JS=%OJs56c&fBD!k z={$e7S||K>0`kfLC*zoiI6xLco+q%CI4nyr78fWI+jF*8wYw)j6HCta;EL9u-2PV7 zk==?SZ2lK}ji5=4l-qfWZ;iRN`NBh8b==UVd=jGc*l&h;ZQAnZQXb`q^6kW1abQvT>vQmB(8DhDg4MxR1ix*RPPxxU}Iy03-7eJ zmg_Cvl}ihtZGf&IeB>)ZTEN3Z5hSotU%~t$zi5yq)Zw@_?jn60bj0F{ZH#7QtQkf9 zk36LXTrU79O>@2ycaeEMOro8y2w!9TP)|@~31sU=Y5g1Ii32n%u$aElwvblLg-kcl zt1r(ioeQQ5+T*ZxFbB4MZ~O?Oqjyojf!di{mrye_dh12lN&ZaWQpM}JqJ$9Hl3PCJ zdizz7BEOu%vl7T=EableQU&zAq{`RqW znJ7}GFZg!clYqB60ZX|DmZSt8VeVR?@Cs-%`=q-28$Bn+uIr3DPlLZ6F0A2Q_NkxKV8v`+<{FkP^@U< z_LMwzF`MzSS1#x&qwE3#BTjo`W8?Ju0`XbaQS}CQbW_%jLdW-)y&sWsFUmXng>w!` z)KHeROQYV$Tl`jImurAo?<7B}bs3+)z?1e+%H+~+mdfNpr#0E8bq1gpxiP3;I-_#I z>>vLfxa&3^6VE{9bZTPrAuo?XuK~!Cw8& zN{3gcpUH+a^kZ1DN|51i6Ls$5(ab~OySJMlivCLm_t7;ydj9e4m3>B{i|M)Y@s9c* zGsC<&8{#j}RC?Bk1hXDQW%AK;M6RydRN(4HP5;KsPkcejze+IlRO4Q9YU22)$llAL zJep$RqIy~Vb@=Eh|^*yevY#=OEW*Z0$JSgQWi=jM?NleCpeCp}@_@=!iX{)i80 zDHKzy(+){&k1LAs(;C9j4|5J*)klC-Ctj`d_s9bvoiN;(qi&aUfU9<+acp(yDQ1n z@s@vDG)jA!hHsMG_FtUQX~vntN~j$sa>j4a=`tE>$UqNQej05&>p{yQqzaN7M0u}k z_W}7f$4XS-6!R#;Z+|8claY|^?1SW)qUTLRQc@CMc@X^>V`5ALs6X#vI_7upmyZEu zFj4+eM5faZI~xsQ{zT4 z3q3>$69;x>JpCpc@$QFTEMx8Oj^owJFpuM*b~Tc22LLc7=av<%jklH65y?&#T5n67 z_$(DhBBd){?FEu&b0b|J!5h_0{|K1TDnKzUr0G0xX$+fDM+cpN<4OmF9~llZtmyQL~<{TZI4o`Rze9f_OK~5?g1iNgB7B!gHiS&*kzjRf%S05GzST zr}Ylf)K}*UgYunsI(g|v??%;PKvT41Hr(xjg-JxhQB^ zE!XdJG#^ywU2<3{Mxh)5kUf2SAN5Fj2-rU|FcOzi;bhQ29`DZ8n%29KEeXChYgOG|^>8qUQXA-ylJi#R$!>R< z6rXC+IqWWx&DnqK8%V0G`aFj&v#o5iT z1Yz$e_-wM@-igAL!OW%zV)rmw;>~E;I+}>N9q>YXNrIv07v0#p@R0<-q^d!$Uak@h zU*CrARL1V1aHz%Z1K%(TjiDiu851el0X`9t`6%y1wM*U8*C4)wcv;cEiXqe?B|W_2 zca`63emhqay=8>`d+kt%W~8uO8b)(@3*ZpSVZW&qc_%6i(p)-kf3AsNi$4KXVg9j- zttUV$itH)4dmjTB8Ii13F)kDsE6iNuexaxm?mE}%T|6!O)*;b(D1 z!}w-gWl{QZG;4?rC+P^6qfjk4Oh}Bv$L9 zDYr;so^hz-f0SV*Rs>%<5p!Ic27!!Q=1BiZ7tIgc^R`Q~-U%i-848&|-?sd@|9SZ{>os6kKm-x`W}f zg`pmsTRoZ1ZdBF3jPg~$l2YRCq2(S{*>R7fs0XIjdDTeVsP4*VFBGE+h}7j%3tQW{ z4U2o7kH9R2j_Po#=E~?R3tR;ejF#sKj;I4Xs(8w?cb99?MiQgL!z#vS928~&zjCcF z%e+;>hdVf5Wi_rS`5*b#*4FYdv?(UB5oMl>t(CGdh>zaAc&Rap?gzrc(R@|nkgt{S z%mz?W_fXXDz05l~$~jik)`P_o3QoAlqIn``3hy)az_{YrLN=X7rt>pawz!K>sDoqE z0iI5PI#O&n83&%Sa9dg7qAr#RjSZh6b-T8Jf${gOzl9lcNygcXsf&4@#oXqy?r(r0 zj$&j2Xdket!`oMO+9)-w%tQ_Xc>) zdSkiLM*tr%3y5iGQNxm-SD69bWaNdZlYfIpcE1R6 z-ZgUzApQea^T4L2rl$s;7yEjgOu&lvb#-e-V)JfV-G+a}r8;g0@!G{K!k5x*or6sm zeIDC(%88>{LKt1`k-@~pFZga1HQlxR5ed)Fha1(xjtX=Sa{j7voOH1j-<7Z$#L&$HJf0z#dRY(!BiO47#Tln`BX}3-4B~=f@?I7E$W0TqW`7ljRXu;BV zXAEBzS&s2(5=lDCD=}QF!rMEehaY>Y92$=~R@^m=kGoEj?0!!s3{x)!JPQ!*L1n~7 zAP(>>ykTJFR1jd)YdaOby7r^N^icRhF|GXxJf=W4Y63U(o1?q)gDnAlFyBb#G*-

l}208~cU%>Qr%%}z2n^zz4&mM)JMo7Ee%h*5dMG3OPgF8C|9|P2DUQ2XT zRIE~y;t}WV(I44a(}|cGiUA-iSLx~o86Wz@@^PVC3Sk_WbsBr8*4%9$d)8nAE<_1_ z*YXD>ybzzySee;J@uwJ3{w_}1zObL#;Yv?_%+QYWq>t~H7RVKesX6R)f&Ad9AKBc< zLBF>z$_!Py(vjQ%8daaF@oSp|?8)NGc9|byGppqu;-y-AFFQwBSAi;Wd%B#&$k=$Q z((C&4+wAyp$HN^2^_0uxH{o?HD9+=en)(SD5s;ME!v|Y)Z#i8AIeIV(IOir|(pd+w zo`98sSMJ~O0~Js;hy(6EDNVYFI7R#%VHtlhFH=@M`w>gSfIPQ)>88oWoX*W0a~pt( z0jdxp)R(oLszi76p%-vu2lycquK)z0nPVDYJCVSm*Q`~vmLwVT)DLowSt~c9l}}(M zG-C*VN%MmT|%4+b4X=PZt-3qIf`5@P- z{`0B;3?Rl455n$2rOx}=Z#RC=i+o-2oY`N*?(kHr$saxta5=_How<8GW&h54S*8I~ zR4UdF*>>gF#PPkOS95|eaPv0{>2*3-E6I@Kr4^z*W)jl?qF*tDJTArcAEGvYeGc=d zfMLzS7s52mCd|}E%o@27seIm4W<`-~QXo%-3+h5bL$MVXm{jS`Tyge$mFACq(;J?e zPUUnie$==6NW`wcbzV=SqUYZn$h2K-YC&Tsq_-e*l8yEzzp;{(WB)Xm|88a7`;!oD^J|Zj}W*} zKeHH=ou?OA9*oyF4)B2{AgEVPJ)04oQu>d*_Ns#ZEg;Gg(PH#&KHm4=g!!|Kzru$i zlZ?cHzQqY21qB6=izJm6W5p^pzI_$H_V~m;mWauvg4K221(a^QxlkT&a$bB^{Wx7scCu|&G@uy z-7y7TTL;Y<_Zd1}ekK)iebbsW{?wT_wy`OVm(yXDR=3#^qiw#<_n<1LE877i0xmqK z2-1tA*Q)dK$AU5#4I8_3e&obfYZ5~^^0@h=yuxpfPajE|^RiEtVny}T{M2gUiMp=L z%5tOi3MUPr4knpI(m_XG)=Z`GZu*=S$QUVP!{|97VCS&ywsE*xaWCCw`G_^C+s^kB zzQY~?(AN9@st6S^K|j0Lad$ejpaL+!Y;0{g%{>3xk^~>$XCX*~2cUp4UHarUj-=$x z3tETevr?GV!0Xo>ivV77+Teilcyd{ocyhDw%cSLgc$G(|U$q9*L}{NVE1^FSn1+Lu zvGX<2r>_wXbvm+Gz>3t|;~2&`D}6`MRUcl9(ff=zgl4RW)3J{E*h8J5T8GydR1LBZ}Xw=N8N&yF)tC#Aze8lq?Kg;iKY*y?@5tG<@ z{EqaK8$YqWwOWWuL!mx;A5J0FzAqX@5Qh^_U?B(I54sL0nC_9s+~EuWn)8-TV$%aP z;|;yQYUKI1xC<~+-+WSuu6~GcA%1cujt?aYKkZW98~{hG8Ta!&ad7;2_Gjyrdk(0D z9+?i;=l)FIqPsDUI)Tmo9*g-nP{ps9XmTIm+e|Sg)98Qo4NP=LeS`=mRN2G<3=A&> z*7%Y-&PWVjP3O#?fM$IX)aDLI8OON~#JK)Z@)Dn8vP4&% z4y5iVVAY=cr1cD<4y#C$S3AtyyP}WOWg>A#bUW-(evt3yswj9b>GbFX8^EGAo>7aCr z?o}tDr(T-#=K+)wXDBYig3ZXTaVZCHN^}}%LdKQ)jFs;uCOc~7W`d+I$pM$}7Z<46 zkW`{%2a!FLe)r?Ag=_`FCZ^Ztjp(r|13hU1&&7VG@^DmHyjw}3SG!jRTh(6O`eLCP zE|rn_H$K*zeg1heovlGX*yx9*D%UuzYn6dbcB`d`To6ZfF=njQ;A;OeR>a7Ta$m$F zM5f-Nbhpr2P*7uc@dd$a>Aw>mR{?!#LJJ!TNh);X25nxft(Wn?>&?TTO%&ycQ@A5F z)3aMvTwZNywVPnHfbMU2x$zNlCG&J0f9_1VxV1B8EJUI1pgkZ`8C1rNoSV0zQZ|ns z;aSN`iEA*9t&3HC7o=y=MGB508?7+M6;hVN@_SgRW)zBu?hEpaoh59hz+9!E`D7e` z^^lnPi?X=Q=zS1O&+c2KJ-IPHL_pg19*oPRJBtCjjp4h$zD|oML-guD51k<0=(mVm zvO$a83j1FuZ(}?=Gac-!alMnURUaV&W$tr4#fW@b zR#pYq|4#(yVwz>P>gmg^Y90&YxI{>fZ&`4AN|<*YV&Fok^z%2=xj zhnz20ow}Fi|MSqL4FP-i#0_pp?|NZ8bw=;{V6U*lp$OEE7BZzVq@GQTnOFut?TP%=*7b_qlk@G~O_cXJ zp7p(Fcw0C=^#}t+5e^h@?2f^jqSfV00V#<2Z4<||a#o2I=jjCqF}{S29~fO-Dq%W5 z-5=9qF&Oz3N4~yFo%o$SDx`CvF?6-L;NHuq#_(o^hFXr4E^NBp8)|f$l#Gf}dBpcH zV-jCejs0We*Nw8`xvqa-Zu+g@v+LsLK<()64l%uNb<%4M zr>CKYq+@xP>R01zy1HshS5n5_4~3~l!o13AgWn55;h`1o<0RZ>l;>GVgI%#6@4qps zA0b@)xOn!#`1}X|O6kgL&nM^XjgsNR?R>7+)H^)Ro%5rQPPfOon3a1!8%| z72XNX7Tj}~g|~VJvBQfWwXFbL{i;?{c`mB1A7$>}8C?aO(Zvu@<@~E!ipQY@;}l;j z%H{Jdbjo=T{=87^VN!5&gIXHpYCX?PF}=E9>$_x>eO}$Fmvnl1WnXvB!_ZqMw`DO-XvZ)$f1n zdb0Bd>HRWusKXh5srmeO2XnUAdtfg}$-?qfGWaSeXt zI28x|oy#E<5kR$e8g925U_%fj=2xSu0$(*LwkR{#(A zx2mR@|5LEa{!?yw30@sJ6CngriUI7iEE`YFayhhMsDF%GbEasItgJV#BBo^OTQcb8 zdodq-j4>EhT*TWG&iKXHWx( zusVjuYb>u26a4`E&a(mR(&z&&ofY9eAUy16juf2Qu|Scp$3psl)Wv&<@m7)7yuP_6vfN}GKH{LcR`z3q;Gc?p364LzOwB8cY zTxzt!oBO<_p3R~Sc}SvPp+W1nN6ZsmOW0#&c*n&MJKWEOogI4ezZE%?2A*La8bfUG z>2a{a3JT2LI4HG$5^55DWJMFtG~WE6WBSl&F$F?{|41xdpJCN};XLsihtkbAIBz}< z*G_0ua|+f>lVF|KVTnDZ3uc? z!I~(Gd$_;oC?eeEdt|{|A)AI@US;t>{&7U5Pf^>{HSjC<;bjj1g%K_YHZl4|=;5t< z%6zarkenhRg23N6xqphC1FF9zV(@36M@DtM&V;0d+Bso5GTJ0>e5rESGjfNr3J}y^ zSr6)$%BPYWFB8g3M`d0UqQOM=&0lslUYl>Q&SC6Fq=FNFRk@%iy@vk;9WQ3)&IN#pe+`He17R` z1_k-~^x=OPXh8!e0fVVDoKN1!bAHj@23y%!3w*Zw`tJ=zyX?}nW3|ZyzEIP{Bc9Jw z-7P#8oSvV4PiYJ~6V-cfJ|@SUBRBMlx%|ghM@FakpZA5C$;<4D=~jcm#4iwmM;G*9 zl8!emBJ+&o8+--D7>yLXsJmc(S84Pk-Sx6WTXXiJUiO@n|M0j61E{e5P%aLPXKfe& zaVX+SKl~{2pR)k#p+Yrn-~z##iQ_pg{5dMB38q72IuWrc|6?!^bArSViRsu9vv+!v zDQ7AoM{T!{2{#u&d<8iFHhmb+Qz+=%Q{b!Szg=n;k9EUN`f2`2F2x`35Rk!CGGfg9 zu#p5(g$<6c62_aypWI)ZmCl5Ohf7YCXsU0>dRi6Y1CsXPQ|E(4=|B(~o4NdItVr!9 zO#s?{0eo3O1`)D?_uKiu%ToonOuMmJH!4HdY;xelAFjw7zY{Lq=zq$tcQSHe`saT9r|dVNF%*Bp7^ZX? zb|rRk{}JlZ3qBBWw>8ltx)Wb6_^kZDKSp71m6A3I;AP#FFkov#u}gJN?heHUJ4xqgZnQ_c}EbwCNCp6Vvlv8CfG)Qr#{F9fhBsm}UdH7YaN^hh`e1RO_Hy|}S_I%?6SEH%t0mKm1phb-3Doa~92+F|#e9&oJ>Pq;E95O6GG8^yK^4~4>;5e- zhv7bn@&5iGjhB$)kih{qiCpL4^{eW~Y$GpDC@>(}I|uv#tkgTBv-$ya3l^}Vvd2nzVQp4$fJS!GeuDkeyDZ(UZXlUDG-x)p) zC5J*pu8`CVpL|OaP`_tTP7a{UQ54U-d$v1mY`)D!D(XdAr{tM`f(kC;1ui1}->HFj ztA8SOUWZx-u)PneUh56pnl97#H&D4pAK^4sE7#_kylRNT+SU8+*aOsBl3%{CXxCfO z(La?)Wb6GS>~6F1TeGP-S|zZu?n+Pl&CpEAP={T&WGGm-V2Z7KL&KWE%V5Ao;qeGA zjRM9gbIdH`tg5Fri9`sB5f*B`==@`021T&JngHuo$OY>hHW$wO&@L{D zg5vOH2I1AGCwaP8HDEnI^8%P!h2HldPxp(}H0us&Ko9#XGXJb}rd(#>t!1@`2_Zb@ zFAxJi+h&EDn%Y)r(3RU_TBA(qc`_ebTBGF;xgy}9k{)5VF+gRvEV3897~Pr8M17!< z2{hiTW|L}1jglysXq8u!L=!ffr{-nP4I!fqHYukzlXY=($9qGx#@ zAqzM|0{|m1PyHr}56_Wsh?qApEm+WQ^Ox`Tw%Ph{28qGD$|%L^Y9p>3ovn(h`daBV z`bf3BPs$)Vj`c-*zqr2U)tZHQj_>WE4KbIJZ6*+AZ9djib-y~3wLhUdL0CZfLh;MF z^)-(u7DW}q(pNmptpw~U4kX&xOs)v)?x1H)IL^rA#(lI2^!$S$T-@ZtfNHVohZQ30 z$$ZYR`Pq;gxc}7-kHz2hN`~%wOF_Xe%MD~;z8U17mxpyZ&?TV;oSz5N1Sw2avcz>3 z8k%hH1VrvHjq4yZ<1^A_vVba8%}0xr<#o+eVep+zXc>gjXyh&aUt=PW$4d95?oA|+ zEN%L)=R{m7>|hR}Jc2(qt>2gBs~l@b1fWU46-oy~#BnUJxmo|X)ljSAwVDlSY8oJX z<+SHMR=u!LFKISwhew+uY|0jf&l+a6^quDAOZ4F9Dz1~Rl62S?eE2oqaOmrJL;Ew2_adVIV-jYa242`1)4jngyJa%|pZ_C9xyB|%K=-~oC=f1jc>PLqwk{~|ZV{g71_g$slPe6dM zUH|n#iY&@6X~ZQxiXP&|r>m$e6_NuuOsd5W&zGBV&S z)8|HeQXI9{@g3KjbdRf-sQr@=X&+k=-A!s-eH1ag@qs3lEXJ3sHy*o8R16fR9_@ z<&q$f4#>r`o7_X)FTg6OHtLB1R?-?5>O|ImT0+0lDNqAY_x*76A)$qD2Yu_M^U}P% zLTk`d@?1WMz=?0kzf|!24Zxd*SNdPqE}t#WpB^E&kF%;>*<=zSV2F$1K=Hro4b#&Y zzCi-=uQa@m_k=WtRHz&jT5{61uZa+F;o@o}$`b}c1UeeAe|`beZV_}z;YnpX^&g!N zvw!^S-41cA^>;Gwzv_dIa_37)`HNeSbi)DvR|#d=O?weOvDh(EElmElwxif5NaDte zj(vLn8mTb4jM26w4zKA@iW6VQY37S}6*FbCvOpitqI!82;WG}p*x^thpy!e?1T*k3 z-{31TPR$|YA!lqmikDu^FSMog)PP<_*7)r=yXHjhQQnv6+RHy#V06<12u~%2WWL!J)vc z;3#HhX(jFLY^Lh12r}`uG2t-<2nizbd-6gM*qON+k$BqK+Pm<23IP7X%M1Da=W8Ya z$zNSuZ3Fb6%jhY?_9TDeG%|K@ za}@vpAaIiZLhfp1{u{f!%YSVjLI|cmAxtcc%uN68ZsuwA|LFcFBpv$ujw&iWgq`5Oko#=*?Q@*Af0zr+3{H?Ojlru15cV{r{9}5`M@C1qEJdD;HM>XRp6r{YThU&7A)8^q)sttG}e2gyb(?^BS4_ zNqGT)qqBpln~9m}U)zG9`w!H`!Q9ou$k|N90>WkifQY%d6@*7#B+7rvF9{1H3o|48 ze;?stX$Hae|K1zZf31w^PrdtlY5Yw8WAXfdb@-Q}LdN~)9mD`YED6&;rUdfvk1;Z{ zhgcwIh^divx|4qM1}e}B!j}KRjyG?pixv^3>K%RWS@U=o;- zCl<1d8nRuFqjCu8pHGml(5}+R+P-LC;MS@w%A(V((AXG%$-X`)OEaB3Tf1)C^qD%^ zaOuGrq1Ni!KwZ%lc^4DPe?0>ivzunV#{FXeTh-Og)Z9Eg{mw}$>w|-@dDZvBUrh)5 zLDj-~1sApX)^OX1+hq%Z)>qB7axz27!Aikh>AK1fi}SlUUsE&dAI3}>Fo@uEGHR*R z1}{?>t#4;P~wbr!u#-$OsT@+xS?SAYEApX z1rNRs50QM55Tt+#eE4F-9m|S{lQXExbEbECn|bJ!qw#ai@9gWv#vjOUB%sic#9S*}UP_I(7| zetF5x&+iu_&Lvb5-XT^?yto={`I$0ED$So$o;9{oHpY2%<#bw)6{jN@X~HCg%~#%F zGkc@O(kgt%-5mvGvgUJG-}X)?@fr=t??XzMUJ7kF zRN017LkZ|!!uBP1fpgEt*%Jm19XBURIU9A@SIJGYNHd(g}Kk8hzUrgb>uS7VBhm|PgU_M0kD?yds%7B@%Twb7A9Y|UA>XZtm!3x7J+-u4r$ zpdalJ(vVUc?hScHMRZVzV(n}M0^;Tu$2Da<)(*%pnjhNY8e*p+TDiNG8zc^X}f&GE?-9lYmv~fZKA^a(#(Q=(P-w967fW)xrJo5 z>jNl(9+kBFD$s!mC{BLrX`&bKvY3jtYxtv0;?6cqbC)(?IwzwZaDN>Z#XDpYl$3q3 z7+{$-dGIW#sdwXaQVs||BV9;N=j857K|U)@?$>__OjJ^#DG*d2`(_DhCtYZiNyKgt zRo`oQQUm}_?|njyTFrj_-lD(fjUuc;SKOIxr@VnR!=5Gq&0@PXQ=3B3%nrMpID&** zWtdvkfpj5Lu=;+Vl)mwy+rl9>W~V}Fcrt&-XnxR3MPj43kT|N^$42gRG{PA`$^i=| zDR`;!pmUye^D*59;L7}Kv?aBrI_*4eGzdM_Ri)f&$-OSW9F2^O4Vyu{ zIl~@$Kb>QqOfWy{_BAma%{to%n?@|qB%LlbYv8ppn*tYJ(A{EX%ZUrGG$ZG- zE&k&Plvw7Z?d0ixu36 z*Mi(&?^38u9cp^=V=oc&BYNEv_fX-fIu?oAbRy*N~Y}6 ze2VTbmA7u_VoB&?kCEYkNs-aa+yqb%jqhE$5sx>@3dXE;L!AA8wZ0)q2RRi3oIlcW zW=LRVSwKam!tunzV;dSDT^DwJC!tOs&_( zYtmEq?`}(DNaITPYD28wuN32|6*aah1t}w`K0qz`-hhb=l8l=t#MG3n35*qwsfXME zLE(jj8Vf3M-^OLY)#3xg$!~M%f>dE>QSusC&;cy(LSsZbSFC>dPjhJS0daS%$la4` z@+=Ydm4RKQc1cX=)vFvWjr&k5yayJ@|FoPpU5KRk!MTlVl~|}{>RVcN?Pe6^q3`zU zN2mXu9Zi;02Fu?wOyL6)_siUv9 z%N4oKo{lyk6qa7bP5UFJ99iU5@>Z=OA~;?J!<3!qM0%luvS9WWu&J=(kE5@`$WEdc zvxOj1FbnE91}6HcRi!X^xo?kjOQGb&a)*MYll>ZjCyfA)qgU~2=N~eD!RgU1>{AQs zq4#Hw7EyNa7hqdL4QZq%GTAo<&X@8@76#SojSF;svjE3WJ2rwFD4I>Kllk4E zr9ygB35pxo9(_mc-dq1zH8jj;C8&>BEWIiY^hA4B@q3wVRyI(|<8rS3!Z7LZPM({n zlBg?Z7V(U~h*BCMKaQLd!)GkDOs)7>AZh0*0jqzTrYx4kKF|e4asb`|R+La$LoegN zn{njw8q@@2y#Fbiuv-|hl(-?cbPA{gYb#3}Sl6psIL^;&p*T#>L?&OSc&P=3EOX{^ zN>~f(6M6GG5XsLh-B3{cM1VJ~{oBjrZO`R}HflBvcDG%bQn~rS>bH{WT<;LGPeR0; z!(2cTMw+VhP?Ra91>>Ok*R(J~v;%&d;fy+TYE=oCJm zJStW)O_ZSb#n#XUTP#-x%nL;v4{Pboiix_(cf}A;TG&*C)Jw(Pp;#rMJzG=o8FdPR zr?j)FCcbKPIFpza4UW?;945&wPXFC55N8gH+Moc!XA~h z`YRfu8bzs(op!n_epOXPoCqy9(xK4NwGGekVH>zC-UcOeO$6XM&E)u+!&__eOIDva z5i+(VeG#GLp!Z%vY4~;At$&mdPo(((3Y%L{!A$>dljb>;hmj~)39m{Y5KuR6+Raa< z&ciBL7NXW`3iOv{&;?YE1RjnYVadEgDd)5ZsXtn)RY+#bF09^H%D6Bve~hyNh%CT} z>P{)}zJb3#y}++%D4C9f0p0=OwEngZVt<-tLRtyiAvkmGvq9 zX;;I$SuRWMpv#knzg9RSFN*9K34fVrp-x&riC@2p?f$O7m~W`kam<4>(oMC$UfEOR zS1+q!d=LZ9vRogbi$089SiPh+QCefcq%V_Rn}Pi!H*)+R;S3=T`gO5ny0Ys?O6y%p z4qE;0{;?IMKW{gzo(rH#MQFXA75*T5#S_HXZ4xeDwg4W}car=uk2^rNx?vnc6E|zC zA=c!p2+Lx6m0T^yaYs@C`~w47+WI{?oE*YKIY(ODc>G$)!V&qo2YE@q0~Nx`%vzZ+IJX z>Lk8bwD}$WJp6D-LEgfFS?ckL$D)!E$d+VJEms@0;4iNR=Gg0eBPz$cQwJ#TXW~pU zW9`$&Gt3lPTkVMrXeXD+Ezp%`Hc|3_1k5cLSTXO1hzH7kWhBEup+K9L3Wf)Yw`-lV z(<$!3eL{83HEH}wVXYY^bA-F^$l@vfB77l6D5p`xLfQM_JObJ?5H;-P@;eon(*lsN zx%6gd_myUs=2{I-Z~mIv`y!1DE`d;xPT~=R-n5^XR_9T$@DV-JHLSsoZDq_yO#}dM z(ctB%GF5M~T9U@Tp5LjZV32-(rMx%F=fu6FHSYhLnI*!J!H3Geqif<7iQgKzqr_n= zlvv}FaE4~StHtHzhL+3o`qy0)am7>EzG?DTOFzlMnt9W0?Ob`3T9jO&C@g=#qF^#x z*j+f#VON6jEHj|#TERp>hREh@+}tTX6KUzblaI3_Ou1)>0^}Auwp%1)h5LwD=RX=& zj?87ClkG%ikS{r{Okug8L02DIh?=G_g(X4OL^i$Mju<379fy`AT6TPDTNxl6R>-2gIHf%Y$jLZnTPU=CDjiRQs)x-ed=lR2QfGhQ-W;;FwDTE9RZe4Lpp=(( z(+eJ?GPWQk!8VdVENT=*b8?-Xk&~ioxi$V5-?wM}$VGOR4nmlY^A_A6aBcSgh>@M* zWT_VcFVN^t@oW_7NJT?Ez?3Rr(yUPBrU_#@QFG#CMKN9E6kaA`Z!D{X_iZB99v!SG zjj4<*gwZ0+jhV-~VAl^V&bYw0VwFNW)u?4yWjVlE#WQ`6@*Wtr74MQ2bUR zkn-`{5G?b+hz%kfI+-v&mZG()UE_(wJxC)!TFfhb5AsDO3!Chh_&X%r3fZ2~q% zOsfq4A9xb&rB|ju9kF`zz-y^R%p=C->8dbQS`K#KIDAg+%qt=Il5SA%f&johVE3<)WUm1Ce=jp_itLxo%$lXx zQMUCpw>c&2ktJ`up_Ehau&r>(Qt2ptNlfe!&yJ^HSPTo&CB&v03;$y7wS(mtZRq&HOkYIuMXRJdfsQ>0- zclVcLT1hgWAsc~5laIk59rwJI%6NH1sm zf1W1-iM>z?Z8yJY^>dut!HwI;E^R(J>m+NS#Ew%THS3X7ecnEs6_|I*RRKFfrUol} zD(RwI8l4Qr5_QRMRLZ%5b*U|4@g9N46tlbsD=BC{vV|&coZkPVbM!9R%l+>tt90 zY{3t1YNo!VWaUKjQmZ;z|_^06qLg|Z+Zx?D6xxJ#*Y!6T7ZO=Syrg>BwQxaN+N4GqynQd$t z-R~tRvC?*Sat!eYPy=v2#ikm0#yKsCjw3D2ldNMP$PF4V!_&+qN4R&G@BR`xn+K_83 zq{;62e~_Utj*CYZ!%rcPVqC#4J6M!94|96>CwWHBdF!VTEccB-$WmNo&O>nT?(qw<-4m-S50VPZN5@%NCz$*4fmka2iM{xG&&+-Aj+2o zS&@TF=UKK{JjGrZb}PQHb(WbOM~5)hozlm(hLe~ZD<5#iaAZr(ZL%~m1^3ADbYhpaGY%snkBm21$En6d)sKEkVw> z|2hv}0gM8)jj>lE!P7JuSuG2eTQ*s{a8ng$N5L=A&=wB%6d9xy5u~5g&BqpbF~D-% zK7=>qOD1DLjW?8oe^9tF3>2nN`}qh((I=ivaTrPJivl~HzgA1fE__%aCtOofh&zAO zqDCs5kji{V>X0a^3CeZRBiB~Zio7*TPOf>>iUr{&e_G@^L<=-EPJgiF^`MHbK0(08 ztHXQ6Kq^4P=qX3^D@y*Co{HYU_rQNJ#!u^#BwBE18MjBJHZ*J?ZQ_66IHM zBS{Fr>{lRNosH)$4wD}~&LbC1h|Y<}Il*sb*NY1~Xr~?#Lu!kT5cNhq_3igbK(GV0 z$@;0`ivgSIL4Et*OEF}(^M#Y<>*pKF*$p|zHuK7lFdkLW(zbM!AVH+BJg5>MP0F|k zAMcfjcu+KRj)m1pepENRxK#nWRR#S?7L~8FVI?qiJgR!2m+Nn{2oG8(~7ARUQqoO0jBKCQ$Ln4saYtw8u+Ev_@UXB&3W7dXe@@&+|`fGY{7lrt5sX z_aaPmCnZJHVN5>e7zJr36jetT79i(*2IeViJ(5J5N#KnSz6NjysFy;SEb%hzw!g9M^JYU0yZ6kWK;0Ji_}jrw@gE_@o;yw&oxiX)4s0dPgCqu7m*yWh(Bu| z7fB!mQoHl@=S4pHx>psAxPJUhS~lZcuS8iS7s2W#om*ArqO#S_eTp|5Cn|*DH>z@0 zcb~2xpBbb5`u=ttgh@OUC(|0oyf7o3_!B)xI!Sy(6F~_@InFmhrYvj-{SvrNj4p*s zpp)W&L|-&BWMV2>oVx6#ha`McaeA6qZJ7wGU-6Re zrIVI~U&MoD#J}BYiLeEiiuoN=;M`+{wh33w)Ro@?#+rNO?Z^BQ_))Fi$IrdiI~QAv z5MqzG>M2ou6pZw&s*D0wlj-2lNnC85f^UW#-e+nOe2xXusAj+bcTC-0uukLVd*z$C zxs`rfsS=Stu6nOxQ5Ix8F0<~zd$0YtR|G582X`a z3d`9<54rRw>D_3(A!1o#VJY*-%$gXH2G1v!hYw#7EKeoOm(2Z|Me$gSamsfGPSnvd zXN+YEClM63ZEhcD{VH?FI+hr9-idKk$n46+ggLL(YHm3Sa_lp!o6?|bggYakITN#v z-h#*(iSyf4fjk@zU77!i3B!IhbGhWK>L@P`vRIsd3sLjJBzpu3k%*vccxdqgr!n%v zyV6i_2C-MhA}l-0nA^0j^0eJOZ%mSol}Tyu8d&dU4=dEaBgxEHb|%>{SZmZZEHoK{ zW6jm^2bXtw{G*L8uTj9Vx>kmSBU;r-5yu*UrgF^~Ch$QUxen6gZCHlpgpNGSe5#`+ zR_U9vP+W?Nng>qIyqQXJEn2hp&?6dp31+M^aw3F`w*(QlI+6%;*ebIyF+Xh-y2*=; zibKZDYuNEt!o}r*e%fBiqnIk_0}qyjw2qhWJ{JuAE6Cs7QSXH#bWRLw*FSLV6W5Q= zS3dg^7;PE$S|lEA-7xE}Qbp_EC9N55oiLR$cNuB9XWBEbB&*xVYb|JxxLle<5|!Lw zQm%gFAPTZ97mi68Bo8LBMEdkOem13-O1@6kO%KejiL3@7OZ1ChU><0-h?jT~_&9mo zMJRJC7sOJh{;qe}6tIeuV5W2(nZZi!gp%NW$lB)2xcJ#foSp(}5PjdL_^8wAr(RY! zH4X>yyoNWf8psD6%T!r{Munb->EmjLBIYJlr8u!ro-BGuNGpm!Bno5zFP%su6F_WH-KEb+<*ZChWlv|=+}`-3*}OGriXMdoJzWf#$c{)Q zFgp=7AEZZ)-Xo10`($Jm3|qHpXS`nnk`3rj1h~pt*cD( za$6BVnf_R40Gcm(K~op2z&xi#SxfhO1LIHeza4qNSt8%HI ziMX>{YKA`oa+qrn?L|H%lSB^*9cXA5or`0E{Jqvk08_pgIi?d!7J{l@btR5l^TpKV z6O1i)U9;IN90#;<|VE#?;^p zEjQdA^2Sm^$RyfgN^VKF% zmoAlOo|3)7$wF!RgWUn@&5qHxlCtFZS?HKfIOuU_K1Zfz_$d7G3pFe8lqiQdajD3O znr?C=u3&Mq{VITX{IEEH(M>v7ohqEOOebf{|@;^G}54XV)^pJviZQcYMN*=<%LX&lYD%wnsfUw_O7_9f6Ny#9Ex@8asO8` z3lgWKECbwUttO@DuoTPf3fwBI4>rgl6pNQw@whg@^~S})x|X`)1?nY9*z6V&K3w1$ zg#ky_fNCyQEa*^NvVn3O#E@a~rB6l55zcxjapjvJiEiD-LDIn1v?#uXxB)xW^_0Hh zs1wS%OGc9L2+|Ld-jX2f!{X0qt|UQ><$g3qDr76l;*?I^cdpf91Nfqc?aigy#ScC* z92#+@%bb#}o%eSgCki}#t=%Yxgd%m1^JrsZ@y^r(S$HF=OKw5ZpCxuPBL=^hKWWYQ zMuR@#7=PuY+G?lq;}V1I+|;;}@A!fNt}kP93F`VKr4Tj&7hoc8}afh?l zU7S76$?6Q|G{!V}^P4$}SJMy|s3o5EYB60Y+#1y&%Q2TALxHhO7kSEe#SLsv{^3a< z;6TA>Sm*biLVKWYv`Aa6kLvO#?;!UxL_Q1&bgZ+z_>cV%@L%2<66hJiZ?%WkJZD0e zW5RNRCB7&-WR*pO%ff3DJJT+dl0vAbT9Bat=u)?o$z)~ViClNss>;)*wwB(|Xd%*5 z3PuK5vjQbW7((2Guw+GR$}no%BbWc0}AYtij@u zF@{=wUVNte!I@nHtCU(WHFNY{wFQ=(gr%?-E0@+3noMc#2(e+{!`w=yKd%{U+U^r# zR>riOYNm_I{_(gZ9=Iq3{aosW8?E)~({2y7R6!s0xJY4@F2p9!F)v#cyEWfn z9z~7jtT)f1=?vVZO(e@xvEB7W8?6lvi6WK}(Z>~Gy;i%;lJH#YZmERdb4GDFv7yhs zIjghA_#XG2@3v{h8AJNR+nRUl=f{};=W1#%CQ7U5(x4{qLG#j-s2^1 zs7gbM!`S0>R3ROcO$mJ9=2VR#FS&@qxkEDmN#dFFE}ZR!+hywQ$_aj{e@ef1(ma7QTVJJ$e#RkET?WBog@rAb&P(ZoQ=k7Ifw#wq9k(3M>*=rl!mzwc zQW3dvwKJ%&3wR=%0U8bXlDC*p#3AzDwzKOqyO1Qq{3sw++6Ay7=?`}d^F=Cw7A&+XIDvXpkIb_02glCB-y(WpH6ymIXpSu(A#W3#k&jMZ zqkTdW+S)MhFpwKgC~5c_BW&`d+vODICXQj}bF`dJlM^*D&@#8PEN{u+9abEyqzf$u<@ENLV(d%lP>RZ`wsKv8oW?}9;$uH z3B}=eo^jESSD6V7bmkGNPvDi4d3g1usg>%S`qfTD!lBNmdr~|tRbsM51&HqyHV+%0 z-a_0(t`%VsH91cGya`Qoq~y37mvI>5bnN7(#FfUJkyERwU#pqTW{}>_nZcl$nVE<5 zypFu;HnlQ%lq7xEfnv|P8jR=Zw_;4{T+|3jJAdmR4=odr7$$Rd2n{D>zPFn)f-IW;AQ9z6dny&g3kn8|O z%3~V0>bDQwEtuN85(6U-%XkiTh0%@~+S}_e7?zPuBs5jfNs3@U3-~4X5zOYd0V%J% z@+aOqa0u^IhLpLW-8m&p(#Ni25lZ8s*KuFD`soQ72?{|3FEF8jk6!6~R;l=nr%?T- zUc-8&mK{;Usy-VEAA68|ps%tk;WYDd{MxNKRpjWXE$89hOZff~_T0(`z-X;OgZJg< z+X=Q8=6pli#n!%1yv11S9mgLofJ9OUiVXBo^3AwgtsPsvpvL_wSFL z{J)*GoVM^Sa&d+E;vSO6SGg!oGNz5=h^WkIPv zNt;yE%+_T!&}Yt?NS!>OSFF*bXLLjvG@5Yt`9ch@oO;7%YJcSacgE)#TXJ%Ty}NN%)M$XTWmBInsHa5 zv35QZ>HEc6O)wO`4*?lU>dq?yFGjwAk~jQK=}!b}8ZhH`nyeEN%0GCPc0&WAz8Wpt zwfWzn>sd4p4IE)#Q;>+Bd*5{sguI$i&QVyT6E*xaphWK6u{ zJi$G^*AbO2&!W+o)S3>B=%J#qVwKpl7%RnDDF5lD_vwQpf@-$)z&N7HD|^1VHMZ85 zaiyBUPRY6&%=p%Wau#$%Bku1lzX`pYKUJ|BnNH|7V}vKhCavIEfnRm{14vGzJ~L@n zp(Vh}SQo0=m^gsX1dcFkV3Dj(9>&$KjOr<1+$t<_QO)$sgmDUVVNRRW%-%S>c~L8F zm`immiR=rxy~V7q$rY9Ptk- zRmI73XXi`&h5;UY=+z0AK_jUpB_5s*=(gTAK{{S5^|Nve#7i@OP~~7{P5@WYD8c|* z3!9tL0yK}jA3j>ko3oYkY&I0GASVkq_19j6O@FZ^g&$9t2x1^Ssoq*j&!~PaME|Lg zM><`7zhpE?_YB;d1fJ@Q+HS9LX4_@E>JN85?f$(-`*fL^2HUU0wVU_(MwcOYtUy1OBoe*ZOyo6m0P=ym$KLhnN_75f*XIwtU$U z;&gDVU~bVXE!j1?R;#enZAyki}JG8f;i}bN8Y8R2%T`KhDA1E>0PrEl7uT zRR`gfZl78l7KgEQm~2j^P9Bcq;*O_i$Xj?os3^81(=4V~4AEzUq7z(OF1qH567Jk{ zs$yeOSY#Gwzl<*&xe-QaDg#I+jgueH9bY5uoso_a{c(q62yHBAwYVVHsjE-yHrB8X z4<2gCgFXhK>nbf}v7+dNtiRiW)!Z7w?j>5H@!Ooa7bv4j<%T%ON{4JC4()(y)F8v; zFC%8&04oi{#O2<%175=cw zq25vNuIw7OdX{g4YQG`gyb>D(0Kf;qd`UCiHAn-IlIB8o$alUg|au3LhJ2FaQ*sxo27rsc`in1?qLejK`kbX2V=G>E#@k6;u#u{#(Pr)Omlcw#4ZTuErbuNDt zczE7yui7py1;t8dRa6?^rEjSqwpN#%nBOEIUhgAD>_Z~u!0L=?B}#eol5r)*v@@VUPdOtSD2hoeVZcc2Q7XL{cGr#K~ z#%K#K=Sg3$$;TI>l0yv$>FukD>$KLH-|KX6eOH11Y-wwod5pl2Su`JP)trMA?_-=| zG0`Sl2F<64T^;uoEo>?{!VXDP8b`B&O@8(7IyyVMFaC|%zPxyyOVlrR!`9)0d>Y>?zSCo>OUbCci9?=^DbDcy;EmMtrbU?hDU!iEN3$#>~m z&{6CUP9(PW%jfQKp4!vFvl&;1F#gLdkv1=_13ttF@CDz+!mNVb^&4EgV+~mzKD$O& zXKVuk-0U&DWW#VK_Qp?tJW(WAeRG>zre8sS$u{~5g?K5DQL=wT7Y4Jm(!h-3bGM4! zF%iE06YhDPBLRGSmCmH7m6>_HvjT6c&V(R{2AbJgaj5y=4)IEd@)lH?nd@d=-aWSd zy({|y)j5J&2LqUcMlpTcyriY6JFdB1#ouY=3hBd(M2ul}V~?A58fe=X>Co++zcMV8 zexsD&z+gAd(jPX!`j;-Sn)a%#BF@axjl?2=-cyD3yp>Kl(`{pCae|;%6M|Ue!V2bGL)YHKSh)L)3FgQHD5?q=hx_Bt? zz#DpFFM1(q4+*5Lc(dxbc`TfqCtZ0S8wM3$uK%~tu8(4< z=RvfP%MyZjE60(I+fK7XkJ#egurWJ!L|J3E3VU82uCMXcKIR-6>+h*>paGuZ^VSRA zs<*l|+$9jp2&oFZno4q|x$x@M<4rA}FL?@)KsW5ul;C=_wYE>qg`QvT97&yetj_w# zB{Bb8iH7iufRpRb%(afcYi#7`qkXo}&QSs?M3%@NSV9bg2)DDXp*Sp?ZHXueW%)HK z5kc=}r%N3v<#zH6E8LZwvGS+Q_yCYUL;an7PG5}7EXm1L8Q4S)OmbGu!$ zevFtc=Zt4{o54xN={AnA5QP-8#*GV%(IHXyWLCuz58u~!)J)mF{SbY`5oU?b)LYw4 z;_B|V_vkA?-89E*Ch^lv^thRWgP4A*LyhqRHeL$__t4kqgo0LZ_on?QaO2iBVG?1*b<&iV#ilp|4VqqWXkeX-o2O&vX$6L? z0^+spCu%pDQTRj=9%e9Kh7X=ToMe>zx!0?oeu|S!UQa(d`2Aj>p4TBZv@$Eh`j-i+ zexz%RlEU~JBkD4f?=i!~6#$3nSdrbK3BEz5WmJ+9 zZ{S9X}XgM)ogyxjI(2! zLx}n>EOih2di5m4Y?yUXs^nSE!THlgAi(FB=QXmisg)AkCDY^bXfuWw~-6 z8C%MndL(~E`sdQC<-^_&xi0KNZF+D3X8#i|IGG*%+BlmJYJw$9jgL>PgZW}C!_Tkz zExFVKckZCL0nS6;FM&_P0d4;JqR-)a=LlwS{cV3BK=eX)?UnG*}G5mT( zZk>_N;GIUZ0n5r7q^nRhcvi$enZ*4N`En*z>s?$ZSU!u+;LZb87jdtNesuH<=Q;Jm z0l~Hq5DTXC5Ikf`?pNa{)ZemV=lgU zi2jBh-R6+bR~@#^>{@*RlNPUK@KyYw|sp{C|+>>uCOFy~AmK8Mow*-=ASRRR29&wc)D>SA!$ z9S|?C2Rt`iNNKaYh{?wcJmlG0INl&H5R^hwJvfbo6=pr}6kxJma09u>Qiy)^`IvHv zc>qBWTCn(R=z)!_S>={W^OG$>+sbD>0P#&x%HY|5+g(c>sZ}_B_*U?Dy?24x}YkDIMSW=^*wj7qWbxMKVT0Vp(i2d z&QgFMW&dA#LH^^~n|<-UL`cF?nFN&FYdo|x&=Q!#D8;Rrsht~w+3-cnI)@?5MOre_ z2lr4jb8Y+2l}+OCd;YQ7>G=e;dWKxe&?qsR8WhoSpEilBE9CbLlGW?#cLlicsZVte zT@Rf%Y_5IAgcKqbr_R~3ass(28`u;l^`V^jA1?H=`5!pBn273h93YGd-)YC5)=`#N zPAR>BF=905q0A`4z-EjIUy#_&Nev7Nb+o%4tl;K>=_37sf?S}NlCkqd6N$-QiGD~E zRgmX`Lt=DKqWKY*z`3_zPF@yV9xd^WKxX0|#$hL=(1aVUK^T9e*56Q%tK_C5a5C%j zID!%RkJ0KFL{jQ6n|bYT*S~zeAN5~`A`)4))#&uRi>+7^oPq>Kw+*2WMngM$@sOym zVFklH+Q_HRw%N3snond+%?ZIGWA~N0(92HjsSIjiz_dy`i}toZ*I{?uA_}P zTkKoBLpBcn!PjHYL0ei5?!G56-8~(jt`zQ`8T5p9Pk)|d>TQ_t3K_AcIXQLj?bwc7 z-7r=gT)d1($#*%{c_J??t(*&FtS4_NL}4st)MHBW2KZwq-jl@;S9v~I z4*0jg1z$&~>VG;5-+#1-`vv`x7_%2=X;UHjMuZH=M6yBPNdRB8@=%sj3``TsvZ8#dzp-}eb@Kz}ZdI>Q zOtPaiT6d#uZ-VRV_`m=`SVr9n#GlGsUu-n2+Sz75F-FT3=%E+SWk1@6W2Q3V ztbN**qfZtZNQmj4fW$JMLbV$;xjC#^IgZya=ot%alyh*``*41nE>2!KD;i3VKleO5 zuPy{aj4T>e6G@h9|;Ybo_bYf}A;yBW((1=IWMEswrSno@uVIO6_u?AUvo#2)&-giEFvxWS>tsK$(u{iZY{^`u3dvfRh&~(jjk^gTu+ii9`VcRrq zwr$&O_Ga6)*>1D3+1hF|H`{hiHP3v$*Y*4`|G?Zj=iKLgzxE+yYTCbdIHE7I=pI7r zzu$c^pwlQ7jYZU&_U_*Oj>qI9YZrZfOlr6M)&GG4Obfna0kiP`t3Ba8m@s>~Q z6?(3J)ltvW5I-jVMS@mhA+xkB`%BPN-l2VG`lBxac5S0?(#GE0mD8+uqkiiG+H$}Y zppurpBdqY{oGyO2+7ft?sbtx965GwNw<(3AE**wzv2ytw7jR4R_TCE?x}Iv?r1Olc z2rpo}U99uVGw{i7%JXc5dC?i_>ZBZ`DyJ*&Vipwp=Tw+5*$@@F6$8XxBw-l+ga z3+?=b8gIksadt0=<;4-44UYHt*!NlYd1snpHZpT|>EBD}8B9jJV#}OrYxBwPeA?PY zH3IS0_1xeqk^3iDCJ33k-sQ|p6g@{%+#9rt4+=-N@DzNnkh6wq zv--+@F!(80ypny%0$Z~nJ2R>A~<@yN8 zKOF73rrlLV$tCk4MfAUG^^XBRqz7c4Wee1Gzc@NMACXT}1f(Zyz6(Ht?p|EKOk?zX zy6jwQ+2r3J^3*%*(7Jnjs*slc^pflN1|9H*2u}EgDtTt6Y;up`eDpRd1fsZY0*_5Q zfm8W}fmb}+gAobOh~RCCTU+q+G7@mgV39EZqaW1g(fgFMIF9Xf+_tyjvAL5TaH7TC z`FxS_cwE#yvlD?=*X^8O^fv7u)O)KI&|k|*i$`6rS4eHXv-6W1qzn@TUpXOQNxTc* zI`o;;Mp^O~dm)CTa_)};&EB+Aj3}8HG8OpwK&^y?hwy-K%0&vT?x!Po-S_6A+253Q z&&#;8(*Zx-AIjbxUl8B*W+|>;L4KQ%&T)N&;CC(7Ts;g1r!A;WNa$&BKle&2M1{#$ zU(&@&cC5pho9IagWoO0b?QWs%Yzn`KcYgy>8mL9&O4L%d=k=rMm$QHemYupSeR@>Q=A!!`2t1v?=*(G=Y!(eAn6L;0B9&Xk=L6?j_de>GEb? z=zadJObG1i`+f$-fT&Ex9op#13)1h3T3c&tx#kTr?-0VItNz;BaVyBCh{4LVOn0&{M-%$IMxM$h9$hi|7$ zc>-RaKzZGeKj5Xe{chaS>!Hc$yR&x$=GHqc1m#}u_yhz}2<+8cwCXs!xDRIwJ*w$% z@bC3MZ5|FcMR12Hdc))eCO|WNce}7K<@j!6V?=O~we*cC@XU0)FsajHlm+1fO*pU@ z^^KpkZWDBefcd7?#}x$qRnjh|H(ZE`v{dok>Y4%?%u~M)&JGyVeZN`h&AfNCggp=B zaDvr`oeq-f6WfN}{&KLTvwgtAx7yna5q*WYjycX}jQtweAG~D?39)P=BLP)kE#!#_ z&W6G&aA4VZV@uGjutsKgx^{Dl&&t-jpLh)YHqK4536`Io{}{BZ-(oxOLNb7tz~l0! zM(BesHXB~6&M&I7&Nu#G0ec|)C}H#H-{4ilS}kOS^m0xRkQAdOI5=rD8Q~a^d{#z* z0~5*`Ln9y{B2a|2P>d#NrG6KHT%9th%Tsk9YtrwqHCR%dZ&)~(#%lM|!Gu$;SE_^D z`CDv>BC?6_yK=QdhX}98;%OBr8T4m8K^*3xsRSe{PtLWPUnFxn^itLTL|?TnQ@=C8 z3$I+oCmv0=@_XOsJZ<{qZ@p}6?Hz$Hw{{#qYI=vemyJHp46_SLEl)a4{V6g&a+^}c z%GG1l^T%H#J3G6=dRzKLm07^7dRrR3chLpNKqY!JCl0eZ?Dk@ zvAjPoznrHBL_dA(8|^;%I0Z#q^-i9?BG(06+WH>G1SCp98pTn9;J)__wuj+6o#h2NE)U7pYY&+)HO9}3%LJAYsKv>$VsamqDg4He<$ zplVzxjGr$}(9r%c&pIeOuXjlBA3oaxc0n2ViT1P0*Ttf;5vL7cKBej9gn{hyz}EVJ z(FuzFn~&zgmEI;tSV$`IUXu`FubB)nJ+fMZ5g@lZKF*5?mi1H=q>aqUSU3${m|W|V z{4K{d(?e*JkV2Y_qni6JXa$}&J!5ykmNJKv9tZK|N z#wnXMV6iL=IuR&2irTiaI{uH4F_>zoL?}DaU(n3kEB!sjHhiP+{65y7%~HRPkaL={ z6n2+%H?4szZS;&;fppiqq{;t#i!nZ~R5fz*4}1=md1;sQa=Y337=;+ia*U-E?hhp* zMl_fP;`T9kzV5**|2?uiK~SAejl=V>(VN6&_f7ai1sh$FwWdkJ(^7(*IW&wxKy>Bj zP~k0>m9xlKs-Kp zzC4zbi^aOCat??*lFQm4Otp(QjUB0s+#k?S2jY`6T!{myu? z#5VYzt)7hil}_^O0QSy*)lU55xTTlWWEb=NrJlsMZ>gltpSJGHsX&yfOccfz&kTm#CqThQDGZe>NwCM2;r zed&3(O4Cpen6WQ_F=YS9SVv_o*uDzCI+;FOeOr?e*cRTu1v0dTwta9dwzBAjw2|=} zBPEsm;lkH(VN*lIzwno8mH9j`7UkXsrr)osYijS_g|7YXwKP*=v5>TB+zRtH5UHRz z4xVvp$wvgWXjic;O>h)Me!5uD=&A5WgH21{n@+u9;HoD%RA!KTxaypEtnY@Jj6!^F zKX<*HQYfe5jg+QXjJ0qXjx2Iym*rC{=&2_I>6rQD=#-wv(*x2&LSP>q4Zqh1B)8xm zX|M4sS$gHxe64e-_e-s;EM^#GvPTWZ%!+oLS?&4bDR48L$Q~|b?d|HpZ-d(s5#{i< zYI(Wjr}bnNBt?d=4by}1jI18?igK+q`#m=9!Qpq27uZuDUy(EL3SJQX4R_nIaOjNK zJDxN~;wL=5_BK!=_|CbJ8OW)RyjUX^LJ4q|)m4fL!bu;&+ol$ZabqdE*)~P5qEl@2 zI{XrjxTf#_KB2Br;l|Edby0-v^#fHBZR5bryQ+-v6_$25a3fob5bY6pv#Ggb?6u-9 zqj|DLj-}Dy&NN77u|5=Yd~y_iN$WT@=Z zKVf<^)q)P+FPOvcv`B*%F6JROB9hlzKN>3o++01xjLthD7xq0LN`nR>eWBG zn!qsxPEwrU&!Jg?qsyO(*Loav>n08KOpk|tjPs5vn(KlA@+3$x;dO+`fy>@sY+cMW<#2lhsU2j<)%6xENdi+2GS1SCN^9kol=8|_k5VjTE&vRE2nl5jBl?|hD2P6K zIou$2%ltR2_e};Z=H9>N?84R1b^A857<;?HBZCo;FTn7JO8Xzoz7Yg0(AkWJ0sJSu zN+D$%L`h%hOk7uS?hIvJ1JSRsRqc~S^IxUN93AWy%D857%#)jFGUBC-_0Ggg~*7bp{5Cr1o#&AS&-8rsfYNJH5_6|4Y2R241% zseIxr*}1=f#jt9=3W};!69!g14-k9=8i5~-j$kP~WlG)LSxs3 zFfcN6ar+emgbA*xy7$yOS$>D>GQ~iX=vDIJpVAoAgfd9|YMr`c=^XlJ(@)X|MNS|HFK(0P>IdR>FOJsS4#S=tM7j& zfdE=-NGI-KrbGylugPI+-BP$c9N4+lHWl2l4}vF$gE8-$?`wq?LhyaJ7n&~txXtjE zhGltM{s^Lg$%FksxVA07s8{JE@9ZJ{FK{4&F?L2Vb!U`$Ud`{(m?pXbuu;0_qLiTw zQx7z&+iDL(ov2?^>YPI##L5m)=;Zd z<>s*T0evj)y*PF@i{2ieZ1kD%n-UZSTrfGR$fzp?v5yr%G>LNP!)CLwmv6rn{L;If zoc|2Bbz9*``y7mg!AdJUHxiByS1-eb;45GMJM0e6%OmPz6(xdindovOGEFrzDb>2b zNKC&JgIMGIUKeR<+0)2$NO@Uyq>H8faU`b1dg?HNT6*Puqcz?AtbMj>U zlqS=JUuyk3_9tPDT3vK7q)30|#B%%X@JtE3o7C$6uQZV`_7sYDB;9_iv^4irH4sci z75=Y^3WiSjuNC_8rPN@XI^S|?V<%Tx8J#?QNfof(9fOR7Z97q#ms~_T@U@MDMq$Q& zbaS;Gqs${$yD%vXXESjUm3~uchdWQA)Lr2+L z*JuS+FIrgak-i_qtq6OCTVvQ8?B6w9ik77?3$Ux!;muyX5Qbj&Mma)~x|3Tz0*TzwRlaC{mf-X4BXM_2vik7P8{>5LvqV}Zw4X@a#efOU-+xBZ zjuso2#Tz;affPgAzHtk|Ey%;-b!WKKeoSRkf?_=6tiQhHv?PnoNB*Yp0R0g?5xjI?3^c4h%+N#xVQF&dd9%{T16H{?a$5}hkm2( z?1Mq=nx?W^8K;2$z-yiyI9+>t6IJLI%7Oo2@b2-)*XW>SlwO8GWxURy%p^MMDsAL2 zm$d`v@lwIVa!OQJ>TyfWP%}~TKFN#yfgzz|srTL`UE`{)Z*s$vujFi3PHyq3w#)g| z+3YM=RV=AzD@jk$SIV?1ldsu1csZrupzod8eNol6`Z;Oa3|$Q=oc3KbIIb zsqI>Ghac~REx?OJhOb12Bsk6f-$|ZTkwMns50LFW*VOzesWJg578BD{b&GJF<0rGE zEF*>)j46i+t7Bb~M|hi!xQ_fnyBBO@wOG=3BypEH?XQKL;hG*%m#1Imma?S{=8QH9 z7WGC}QaTtas)B9U20Ddx)YXRxgGYUwdNe_1*8uAnO~S<-Lvav#RhInuO)1O8R&Hs|wO=I?yDY+ywNmNXoKUJJ_X-<*^ zUF2-LboQYLUx~s-KiMIYmGs={ZdF1tHy{nSEPwxYn4tU=g@nIfkdBQNR9E>8= zy>n1;SYns}2EE^lgO5|Y6F~p2kcD5R$2&#nQ-O6S%r(xp>)&FfAQM45i|ELigEu5X`DSyYI# z$Sh%T!+FstrOH1x8Pw0BX_gR3sbP<-+q$?f^tW`GtdU58c3&)Qng-KntCHNNAfWkCLXCQ?zkb!8XK5q!KtsILEIw*WwZkr{rj# ztLcG^9r6_wMmZH1Cdib#g!wCN2$h6NB4LCFuD(VUO(GRlY!H=>ZDw)AaY_AVQMr>C@N*?)=Yx~0u6wG&b-K~{mQ*VSS;Jr|WtA|4nwqe|W-+Dx(CU8? z#YT9>x+W{HeE5R@*yjP0O@Gn>{r35L$RBEHvmkhU&yqx|6l2^!SRsJYaLz&l!udxvkgiYdU ztt~=0uaddU=+QGL%uS8{X*&+XJC8qQPLM^e0Si3?i!I?&;;6Y9>^O`u(!nxpcBT!S z{i~n)lUsH7b7{J&3W-hPM*om)?m?rs{!C%NFlM?>(*)u)V^rj9=YAerHNU{9agUF( z?}_zfHy@y+lBgDorLuoIuF0cxwA~tC8_z4XN#_W62nchhqmxmqj(Sk7KuKEKk8IfY zQbY=eb%p(wGoxcznt?`ic|qO3GwxU8bILTUr}JyWh}M`89o5kD1U=86m+CCX*y8RB zU_lC`o-=#NFKb$RQ}o=Y zmT)ynV4zr?2U2)tPQBkATlWVsosy6Q2a%dQ?L51@?YGlLW6yfA0P9>+`#)1lcs7=Q z?85Kjm2J1aea27hn~M8-pSGmE!9Cf(so>sPH(Cy2?Ov`XtZujwj1_1f7#M>T-<8;X z&@|K*tS?>t+vVjH2;(TI7p4oPD_Bu7i!u&EL5zc>aH4(=g||4ne3=y_1X-UvEf^k8 zAX~hLkEE`Bij9LCHHPo1(%Il2yj`{aU1ww(@Knm6w*cUT*!~!+NGzM_lCjQ`*4c+B zHKP=E^b0a#iAXWNOb}neACXQi5+5)H!-Yr-7j3A-_LmY_FG0?bCAZe7N|-e)C3(C8 ztYsDYylc2Rv*W2u>whaGHM6QFd4Tq7(2fLpYMnKL6kHqKwWbSMu!Bo+WNTzd0qpM$ zNkgW|=DJPppd%ZD^rik^I!>M|f{-zF6eBY1d~6iYv2=JYYKq-5>l z8r=wt9Ug++3+gn2*ePdDe@NrjIHG#S%GA@EfSvwq_7l>}Flw*S85tJYSrZo(h~qW@ ztTCoUR_ApY=m0X&8D6-D_l?#a#>uAi`1LA4lzATpI3Wegg{(GO1R-H8$q=#1%7P8O z0qyG^>V_}YnlJ zs6Wy*Gh(G;BVZwPw}|FUHgETAo|OPVHDhz6{S^(&UOv%e3#tu}i!*M_-T(F1 z(S$f^_Uh8#4Wzull~39G+Q~!nwke+wu2ZGtBLL_?@2ydPedXnW({Z-^*ZpPZms5PB z*THn8k)N&Kf~!&%;9`J90744f&u1A)NHR&-z63zL&`-9mqUG0@P`IjdKZug|Q!FIr zg)T563M^?EBB+6XKYLcoWFE3{`ZXUCdm`h*>0jGzc;ez{>*`41D7gJyBfHg%aA7OT ziY*^8(_B_;Xm0G^yhN|`=C0xUA+kYNVIJ9#G8|f&1DP0!fK1Ne_{ofHb-AycAHREl zVXm454#P>z4%IMEjly^g7J1%vhbT1rUp~za4MY#${f9#Ni=@9_u^1c>+^E3}rI-(m z{8m6I1j0d10p(-&C0Pn+E-9(SN|ByBP!+jm16p#p?*Jrp`2`Gg=U4iBuLm))7#=J9 z4LHTe95h(7G!iW(M60=iSQ+x+B~=9VVRD=(gxMxF#<4ND50Vp6D2h&@D`?uq$03|c_8$VAVN2mN zUs}b#O?@tpnFsL5Y!1@u@|5LctE)8QE7i#AmJm=^zUJy0?M8j0TiM)%w~0OWLYY6~ zwk@xYN`$7U&J(K$BDTfBN^phc4rO<+cHt z7(>pAh-xBP=Ud;1Cl_j!fp&4gI#x*OW zqGEcO^q?(--#j0w=YbIEb)=}`6vi=OH1!8hGxI4|=5Wo{2~UQS4*RidZqcs}p4Tpq z8TEeLJ{fYwf=Fn=D9%jsqNuP%vFDus4Xudy5-KePVRs}2=!x}=&q0*4-WIr`N!VGT zk>Vh+2Q8(UOD5;L@iQR3m{YB}*&X9i{wtQLDzlMqkga3Skd+f5h!z>nI+QI-AT#T7 zNLevl-9mv7t-PkV_N!@(5iovCS1WqC&UreqX*&nTNo9W05SD zz?xC6SwWA3ixV<`()FY=SyZU!TttB!DPsyXmOJVKt+78ebK*F6@jC;}y}Sy01gU}} zYy3E-oYBV4$6$Fs^ZGt4IcHsa)|RMCm+|JN&8$21Pf7_D0&bG$h1|6mTp8V$p-3iQhqDZR9cwEEi+ls76P+ZrhkeHmmPsrT>zw~JKUHBPrK5OUXTRNT#?GIy zbi7}Kag_H;dGWzk=lk;1{`NZYX^+akL#D>wX7ey^LVoynpEN?)1r{E z5@R#JTui@bFHOyK>%*khh>K}rd5{$mhZ>%uC}kV6bTBY;sbh!zVzwLw-=N2QTw zOmAIR1rIMo8bJh)){L!s@tu{npT{0R)}?jJxazMh-WO8EF!xIXqHcbc`R4w+j*a+y z@3RR7CPu}0ux43=0*;NA2^@^1eO#i&llRwVUV(7L&IOC0f+dM7QtBY_b9s2%+JAba z8=pgIcWe=JjW3FlOZW5>m(){>`wPvjP&Y=uvw4zQ(OS8!I~2PxAuYpP(G8_?JkC7z z3)(Dp65LX^`VIeJVwCNIjJK~=u^;&e-lNUaJlFPp)5Gufo2YS<<`7l@nRmi$G@pg< zn9<`teFD)?Wl0iN!zY_cbNhXK$@BjZgJ|&+c3U%>GJ}H#V(-2kOY5M;q^;LXK>=k5R|vD zc+Sf7jP);WOI-XEIh$lf-d#{FgQoPz@EL&tX#7q(+1FbvURlsG-7R&*#z_^2^N7 zU$Oft!U|^;;^~W4oq2YGlQ*xYV|Fw`^VnLqr%#6L zV9Z9OqD7PIK#>hl7M>d#j7fM3D{F0*%xi7)ZyPNkRU&|=v@O|B=YIg_l5` zMa~J&t3m|S>legO{4$j0BDEg>s5+x@zVQrxCHy_H&Y6W5$yamA0)dmz(0&A@1tqpa z-H<-}G1X@9(1D>3X9(AW_C~Y)7kFMLqS18c9DwKyCV(&kc=9g*-T9(Q&G}2M^muu7 z)}qGGQ8*+QmoXlR6ALqEOv#o+KE=?r?r>U7&0PayO-hY!?>H<0FHafrBf`NRfvv`G zOlKBBPI9=$fsHxkVakjmF2Oh3D1a1M?<9QF&O}x~s4^68^w`ghnu%r~fm{B5GvFpp z7gYvaqGt1Zs(g&+B~;XrFaXhP@ku*@qgs>!Z%@7%_^P8+hDC~gmibtWf=89owZX3h z&njhr@nyt~F&o#Hqm&#IDgv%9R}pintleHqtivPwv(!n9N4L`< zm^r{ccjr3reIr|KfDsGiNb~B&?Hj3(0w2qRA$XhD=X*D^$6tQP9-mq%D^{P6Q|gi{(crTR;?) z&HB~#9LDmEe;qM-`!pI0O<{|M>GY;yU25y-F7;LcPxZRUe4Jx4WAXPaSFdA#J-k>WS5oOsX-qE|2HZ%_BvmAzpeb{2S40&#Uq(WDSko z$}Dz;Keu)rM+kC1VSJkb#NW`VkbC0yuP>G53YR0k7&7&`X4i(|U^t%je_?^CDQ4<$OjZJe;P6I7Xf)6`v8`Y8XI79j?(@=TkE7#Pkk+Tq?v) znrR0WTW3`ZRD4ffJ-qOmsAgTA>tZR^-77->3)7DCQ+a4(u^y8}VWVfy*fM{opGszl z>de778JPR_Gqpw156ElXYs(#sLqS2Rnt*Mjs)fg=r^U0rCMGYL1Tfc;4X_APY+cI{ zzvh@1RHqWhDe^12^p6t-xZzD{gciibh1B)iB$*;@2X99wg@lMP>vK8)5cY^V$A7-UyM^=1-b$3}wzz_h7PAf%YhZkue^lbGLiF$*J zTU0|-67k=K4ni(GsSE8Ed}6`F-G{j>wr)-I3NBgNS?_8_YZKgP=kO(4q-4Ww%LB4dgj)KOdBz4!No?jOHjP>ro)z0V$7nl<$Zd)`)P z>5VgG)M>_W4-=2!cHy2%50povaW~naQ9#0N1IxANp5oK@0>c;8QP?m{T4 zDNYuDKh;Va__XFHd#O$7F_kjrok`(7y^;r{)HSW|OgnNJhVi|=$}6dGY?mEr4#`h9+4{Bj8*F5ucIihk4+s za{o1lyonXrvd~Sg!#A3df)!fHh~(Pccc|15xxE3Wbs31qpEv8&XXW(AihHP3aV(`u zW-i6OwJbChYnU%?TFXN2Nh%q9=_>%UZJ@wIq!x>)4Q$LU37q3o$=_KPs!D1gy2^|&99!3F>m5Id3t4fr z5diTlbFhM{T@q#gyiE&_&yEfR6j?sKYIN1r%SdMJ$G&G^!7S14Ta#R=iNm-Fhy*j3 zQ*W0X4jt;``F_~)taOk4(&`m8&;rcHA9p{Rext4gaN5IPmza*>%B3;B<}o`NS)KmN zszYmo;twmWahuh6ElqQX3=i$XSQoc9d|20NyErpBcf11^>na=}X78;pzZ8TQZ!4NV zDy}&&x{L;`F?o29R8yoQ%egXg*l4|>Tw?|aMO7MLqQnRaeQ9OTe+owI9^E?icgVX# zvrl?gx#uyGi0Bu%_wq+>3t|YEZ1Q87zE`pjh4_and3UmY(5PiYe2_eH2d1?nL^S2g5FC<9 z?sYJvBnj}CI_0UA<07i7bGP?1>F7sbA$!_>Pj-aa6;Bu>T|_+JFd4|gE2p@(vCvKV z1`9q)un3BF=E?)2Z}&?C7leMT{FF3WoSD049aDXRV3yOJNohKkm+eyDIz3tCxZ90W*5TqUFLK=zFXMv+DF1UHu%OY*k5bER-qtIoW3@7Lp=1h$ zV|&t~=5p4rb-z44cfq6*k6Ate+;GVDZymgw78)!Qd~p_hlfzK${ ze0@Sv+1-Xxi0vy8hAu& z`Utv1Sza^2%cZ1S-xBYZk>4mP>*9_1?edJjojtQRb!9>V zEs$@7;E&o}7m)w2dm|L@xjjEXTU&H&$JcSzr=5<;X-K>yq++vcD9YIeD#xFSw+ zGS%2oc}X+L!G@#|tOXZ*vpa)}3I-`t^eBy_!`#t`XkY7OfJ|oBqeX4^3mamm&%8z7 z;R%6oV~S;dK-RSXBj{g;KP+ptL*B36E_vYkAl&HdD@xVZiF=UW>jpFJbU8Ip9*O{_ z1=Ew_y0&50>$IbUL9Wu}uW>-c<}HJpfoofM zm-^n}oey-{;=;!|nA33en4yUZ0yWzv9IOyb8fJOn8FHPQIUTb0nZ=+DVw{BF!hRoJuk2sABoLnjS_Fu%>t;9INkXJ` zanzFvh<_v-?NXwYMo42qZNv2mY2k+4o283_z!S4LOtDl5+82`-nXmsn8Ac>(m~MBu zH%M^+47`@>14rmKhySI$lxpXJH)sHn&;$8T$3>w&xVC%6LFIUV5wa0CdhhxIklw;R zUm6J`4uOfEt-o963ZcD~9Y63o@FTx<-ke=rBOVVq3^Dp$IeXr)i>=daXYz$5 zRb5HtkHsObFA+EGJ@nyigQ5NL1Rk00{p~J$BYw4g5WeOKxaIfqLHlEq*^d5|HbpdG zfB$;iwAmA3pBrbCFEV;!BwY9Yl^!{lxX<+SufXj?+HtneU;n&>9LcstWLujB`FCFRu&%-Uq!~Zw$|l*qw(nO0UW7s@*}fF*U&MIE$m$|bG-vtPUq~L|8u=x z(xhsD1B{#?=G5KP4)`b;SRaQ2k(s&I+e$LfxVcx<*!0h)txXG}PE8^!i|ODZfL}re zvC|EG!p58eMQ{OCl|#ighHZm;fWSmFvsENR+npifSYw)gLJ`LMbj^SKu0dV%hsGW; z*~_)c@pR_a5t=<{I4cxg{l-6#u`jF-#U?%3zI(al0w#$_&rRk-=Lzz@d%eSP)fw#G z4yV)8;o?-)pjBh*8>lR|R64*cA!&-I<4R=FAgF#WNl=pAff6+)qHg9c@ z7`kFn$nH~7l_mIVhxa2fueCKJDJHLH0QNIc$_jt~ETd0w(qwvIZ_H|W7V=Zbxe+E! z{np^@*fyaCS^&C6OBV9<`^p?SE%C58s(~A|Q>V(diny!eWkFhY@j%h?mEl6F*Vm(v zzJjN1;!0JtS>%VKzj z!)Lkj|NhSSJn98fND%ysFWTP12q{hcpudKt?|;`(zvvu@^&~6ncKIL*_z9XTFt79) zftCH;LqPKvQ}i4iqFb@O#)7$yJ-MUTo}x+@By35cfJ7|hYF465q8VrN`y5%MB3+O* zTsYj$IONsG%LnyIqBzQ>;FlG~6+)4r`ICp^ADw8J?nLMq3(-=(C`BCcm4`9;V3+_< z85p0X_a0};V+JINoR+soY##iWj3Tc?qM)|>y?QxCBnpH{L^~!u-}m&s?csX6pD?3$ zx|cN_uSbN2+3tRT0%1XLR}C_8oY!ul?c!4Pv7_*Nvl+h*$h{`mh)LPV@jglPn?F-0 zk42hxq0(ulqQWrKi=c>T^cK-S&k^(vZM|gnP7G@qMZtMGtYfwGw5*cl`8^W#>~;3U zID+FHkD|)*2Y$Qwy83R4(cb{u2Bk|Y{Hd}y#L(TwQnV4-e*$_!#M$I$)Fo;3k&|yC zXPqee%l&{Oe-RyM^k^@O9sU{HhhxV)okq|3YZ>DfZd^2UG>pxi^15j_owN|FY_-c= zugXpMB*@?ndDBKjEVzX=(CQipNEUQ9i)UFh^BF+=2|r7S(hdC*ZPQs)7xC~5>1nwu zWUAq>76j?>`)xbzf))VgwBco5sCX+d>ji0RV>Eawr(F{^@tK@5gq zTpN{+XvGEclm(>g04O8OH=Z94AN1NHh*dGi`@0Tl6|G{?ib#SJAvHZygM~|ZMy8tS zCWk$nsG+u-F5JCyuiTUcqwKul_C()Nmb(o*K@Hs-A3pZ?IxNaz=dOJTuJ@a!_Xb4vL>I+Au;SsIKA(jH#vnTz!l0XLO8@Y6Q{x0$DcU`to}Qk5yD#j~ z>*`CuV%AQL4OlNUzeWy&FJfxgDRVyDbjbarM2n6$~yp`LTT8%AU6QolHEmgHYmt zE%UQc)8QyJzC1pU9v&zPerVOI}=rn32+K~^!F+;LQA*@e{VG&zeE$&>$6Ey5^AyAAE9c2o!gV0$2Wh*MSXtmLtC!+#yI9C;%bne z2l+u06K~;^3j7(n4FO0d1&b`A@;ZS+(zY$Ae5L6(!hj zJsl^C%>z-!^5jwdk=FixZw67PaUGwtpEQM~sh#acv}n+S5wT-iksKtMq2nCWPl(h+ zOF$ICxu4l?(AekVzd9Gq?t(gfNZDoetgd+McDnX6!I(ehl)BnZ~XUK%xJtH z#-8}k6v{1CU(|aj*k<8Kx`J!F^28Eu%F{}PqHy}xwAil>Oms!)Xt(@^-l51=0$>eP z$P01TN;4mQPWl}XKAs@&Qm-F7fjQJYM1`-)e1=t~EyO~Ff+}l9IZVi49gA=qBb>WQ zKpQ?c{@$&RRVsK8)dPg~${bK8^Cu#xH@pWI4E?HTgI^M#{DbJn&DrQ|Sa9)UKOah- zxl>~6v|Ssiq)Jg`#gT;;siE?RDJ#29>4J^RnM-%>m2QzFb8{WkqSR?z z8R@34lY)^d(*^(*>1M=T2ZK8lW9fTKk^wv$4eg<+_>dRE=RooFqJ&tHLs79$7%&^W~cdv`vyC$mTi~{kM+?OT z$7fq|ns4FP~&3M#^<7YJ|J#}BU7W9!nmzi-tpFQ4tBQt401aq#{fl&SSDw@I)ao3lG``JIx`6okpi-CWkg?!y{1x}3k7RKGSWjgL zT61MUNZx8cn&-l5@z{@QXz`us(E zzw;tlB!tiZlR#-PWdX_nI4YduyfDNES8)bS9+lr0iMOAh!36m)EsM$JnTaWE90J%o z-f`|!g>OfW{w3gNa}PZE{{hlKEx!yK%q-6jBboGm@F6sP^*>`~bH00n)_aGb7RkSc zItAWK@3|ECF7#RY?|5%jsG(2*03ZNKL_t)Lt{xhA^~X8BXS}f!Hg^9eE!0CZu+F#< zvuiX9bD9Ne=mgz}V2#l2^>J0fBsh{ZCD;_i5}eoCt;QH98ZMFLIeA-yhSFA#c5ih` zbUfgE(CF{!zH9T`Fb&DbKqiDxMT=ge!^G6YMlK4T5K2{RBB4;W7^CE;tg2D+!t_)H z4`Ob&JkOEP;3JtaQNf$N`$KHJte;;qOH7u54BnqB_)Jf zRkw!5%3L+Gh}sARiph{+IiV^_oO3u=W3U(#Fh<=E66?W&C_&6yZBCxKz|z_}qr(IG zE9j$T5JVdqJ2xZ2@%nnF7Q!F~BLRyNNbe0UcwF#| z%7QCbuCg~cV1Ms`+I!?(c?T@;9)X~VLqCoxTMwhC`lt|e67f?gY5L9h{R#Izh^0=P`A%tc(V{nFz3Y~{g;KPJjl3`F4W2$DLKPzhe zyM@mXg_>K|KqF}i0SVgJ7@MgL&R4`jECL=O0TP1fxE|@|^vpGci@DmMTa>)prW*6- zeR?d@sCzs0AqHo8{k4m{^4hC>;*WlU%*Oh=X|PB<7frpMi6nMZ;`C)vJ`_QhSbhhjT6}t8=F_N`zhlGCg-n zf?WtPMH6-o5BU5Szl5>Eq%3K#EYb4EnVh=7BZf7!>EUO2Z<4JB23^(sOX#HZOXvfC zuLPr6O)5|u#9v1XyN_z?TL*p+B|h`k!rKSd#!C1XIeN5y0RAEHPnlT>54m+>`(9f0 zeVk!YrSsEh;rLNdqxBH;4P+nY2@rm zW6N)$@28^%`mCaEhfg2N-aR}dDCycl$C}rfE&9Ea&w)k9sN;UdN5Jo*&v=uFIlZoG zDQs$zLJZ20`ANQs6ZJ+M5_}Nyc8{#pVX(hTD|fVeJqSa!ut|uVMknM(v~N|KwdpUf zU=z#X-VJQsqAH7NEmLS-qh_iZp$b_WAtiVvTaEountcnRHa?m-ipI*lo= z>l~5w5D~^;bA?<~%k_xpwId_IGba?y9W^yjOdo6|3r5xJ3h{ zIq3}%4H&B68Pz4Ft2mqt_2&%GZ9%;tT<=q~fIo(+Tbu9lzT68^v{~byN6FH>5^yhe zrN&w~M(dtFjK^ScsL_5tHOHH9b~nt~NsbLQy6W8|wKbFMg`M!><3XB8KWsGizYn7IrDGmk?KEh^ z=Fjr*6BmyIIa=rYGVpUecnguE;<(9{M~UPgG9z5KJmbmC!`4ij8)c}m;l)%sw3k*x zcJg+YBuObI6Y9#*Sz02^bHs>dMi?b$ns(^P@|^V(CrQ(cD{sEa&1+ZaJ#j%Th|Epa z=Ph-?5vT~E(6EN!=13GuQle6$v+MBxv-hS?b{*%L=PxtQIrrYWwV(;R_V!ssQ7&hw2*V{sfgbeJ>mo<+8XuEiWvgjN-tD~KXPsa(Rk zjJT9gtqzcsVxl-EDVG@BFoM#C$usYA{_JVev?X#wYblk>jEs#@sSa@V-Q!G8oTJEk zWRU*W8*LtT4{)3h+J#$a7RGfPPoL|PGPBTs=s+gGEuY)vhDM&7e}gQlR-?8?isU`zT$|SZml6wf zWv)R^*jtlmoq4@BB1guO^T>U22s5@B$pc%>MS35SKlC~>RxPLKxk3~I{}Zd5W4wSc zvOytGM&_w)tWGVjP)PhBi>>0X^|AV5ks>n587?3v1Q1(zTlj^)&w~m~P)F}3QmmlS z(n?V(_u+s%OKCM4Wa%aU_1rAu_^Pn4$pw@P-*Z08viQc1N(z5Eh;h0h-Fhpd}ydB04^QfEXx=3{6*X zDk5t)p=inX2e9XgPWy<1qJTj$(gQ!bC8R8ABZl>0;yuaxUtZycAX^bOFgHJP3~$K3fzau0SK zmP)nC#<4Bv*zoT0!%Ut%O`c{L6?a65S}ShbcL#la6^`+NP>3G=Yjhow!eDoO$1!=@#^#xqebpEm9>%$XI5Lzo8w#&RJi!GX1+bt*3aenN4 zv%h$6xY7GJ=j&6cU>MSoJ1Ueaar*QW-}&|vv|25!6DB8oT503Y)#7X_b|_kR6qX{h z6V@xRehQ@4nahYHgGu_tfzs9}icA1Yr`3C&b_LpKqPRr4uS&JAOca%|wn>q_x%jTFLy9vmm6xr>z_WDNUe01Id|o4qr{6;u&0VZKZ!1KO0O>lblk2jYks%M{5~Imu!<;q?X@Z^W1beuUKPJBd7xz4s_Am^H%4{{$JQf0LCnN*Wpe z#u1Pg(S4>awO@Pz0Y58coz5Y33tvDa;OBYoe5L$3J_q~|F-Cff%wbkidJ=Lphn7p(ax6>ybCIooliQ$#pr5I{j!!RM{CO=O57 zMV2plRk25*|>Rx@onQY>opeU=0GJBPIZ^*O4Ip@z>auV zLr@*45o%%Ka+H&?N`*Wo)#IqBlsA?LP(bS4DP8t}E5+rKM&Oh;N9kEuyB;!0SRen) zIdC>bX(zHet$hBF_29@eMLJ%@9J$WD2>%u4sw{*+c8aQSof zU{EPdqu%1VXP@)Vg-&FE!cX~62jJ(>Mo}tPaW<#jTEJP*%7|UQ6P8PRkgbhDn<_Zt zL6+?>kwNIVh^-^sJ4=?5O0bLXmMB<{4^31N`}dVf32VUDk;&@}GMOwOi^ed4h2Eu+$?hal zpXV6xJBUsCa$+O!2x1-)Cd`6Mcjya@SPl3`#If-Amw7HBBE*I8Ie%UX_}>sVWTo*o zlDBn^u9Wa%d0SyJf7O3x1X(zhkX>Ab)LpxkfFIl_!s=mtuIf!CI z6l+?|7Fm{~w5C2kOMRivhLPcj{dA{JvLm*g09_ z*(<3p)oxpqR%n&@b5?RrHp99$N<}2e0DXfaD5XhT3uvvpEYL~;WF_BgU4hXFs1k)O zz&52Fm9NVd+E#(>sv8BY6a`t@re2$o?~EH%%7gUvS1I+CDRM`nUZ*zOq{tja(L|w$ z;+Uc8FoPq*^z{wXsMnY{bB2YvS)6r%kz6z9&yj-EH5uA8$l%Zb$Bws2)09xC+h~K) z5zgi0d4Z!VN-a8l+M$*6;LK;rIkoN~{o#thZ2SwBFY5ytZ2w=nlUHv((R(!Abm(&; zWWo;%xZh`aa=r+WCVrBxHSOh2Vxca~Ip9wb3C+iraW1_vgxJ@=20V-`R#uwey#V|* zQtxZ21^mUX*COEe4ASNmx{Do!?AWd(fwS<(eU~l(ybze`Wfa$9u@NEQ=>PEF`F@hi zUgk)g{sYavD%;Z^i?%7ZOh7tPu``NT*3(6IoK6#3E>M(H$Tcp^$jhI%j7*Kd5;W|J0 zoTH9}PI)Fsb!B=!9l#OtrMh+%4v~`K927Zd$tx4bK%dV=SITG>NxU>L z63Jtc`eRDnDWj{P3??e0(6pO1(pCfKjI@E0+^(clM&W3;<|%S9)UdWKV9OO!qYK1R z9RX`WerJ?7|8T+_YNJV#5|zFx1N?(;$ ztInxoZ_=nWuz7(|WpY}cX$&$-1J0rh?7H=4HjWNUEjQ~h$`D5-e?A4d6L_V)Bc}sU zVhN9OSOs{QY{`Fsx zN%*%}9%HZ>$qD-&-O1u|Wmo|Syo1OJ{{&%!RucOW_rs5~Iu`JMi!8{4E8$XE%Edk# zt}jO>$gpVA{#Ywn)H~!p*6A)_-jA6H=du?03!1J)cKGfO3Uz_kT1AGqX4dFR3a?h( zDvQXdzDXBs&GX*pD=;A^kwyJe2=jN8#jcs_?AFzbvk0T}A~H^&XEAv0?PE*F>I`|d z4+BpkW7*v+IG12g9{HccICL?<5uU?eV`c2tEbue}w$35IGi+KdmG>BNivjvI>rDCk|te1D)Lm3a!tmL4X z1f1mlX`2)3O?80IQfZ$GOLK3p?%M>Px22R41CG#MN{ktTxrK5bU?~rdif+#pNgf?z zkFeree22Qy%HS@dyy=6p;?O7HD#tk^fYUjg^3H=DAm}Ld4Nx5%Bg-t!+B^%h(>Rx- zl_rYI=qSP2HbtIOt_)MDR+%|}jON0O2W&CU7>c|Fu8p-8_dc7k3ds+Xx>|iCNg14? zUawK48EM+aS%;258BL`cF}PtPQKHGRHdE&&n4g)Z)tCjXh)h}fh*KT6N^y>~SeG$6 zx}A^ScOPS$H)FhWVq_v>9g*9dyzoq>md_Nf=z!r4C?_yx0@*F$`qtw^5+$VW)=G9O z4jP)e&7K@q8^8j9io3|GYhk4 zNLzL43zJxzp>-7#HF3GfMzu=7D6I9*qmvvz9opad5u*c`9eJ8jv~#j70}Dy1gwl?v z6jQBMsrC@ztQ48`x`WzaCd7-b6OWCg_eGALMAdG%Rv2rxEAL6D&XPS0SLu(CsH5w5g?# zI*}`3x6UHxewM|~uDzRs7Yo<(zB-bl_-!OFcR8DKcOy)2FZf-{Xd_a>pCf%D0MIb6 ze9$uDmS)U^$e&xg8Mi&S;~FCjXaO;)5>+6Ay;nVFiP)u`hf%uc>b+M2^e zhCEjkMMfN#(8hS?DAa)p2k!Zn4&BwYzUbWw^s9Uz@uYIs*gK!|6h5}7$9YiXLeXXGKd11_mjz0MtSM9nANABP3-_qoma^y%!ax5P zk7ASy&tD;44oU|K(z7yh+~6(<4s=9Z8YC)J$lDF_b_0i|)ojzOAIG^Ar7R{Y5ygEJ zMMk?d53Zoys^MHg+Nx7z1yNE#n=*OPpeWjC?dx7CBTSo8oqGdxQs%646h%Rir=+bG zMkQz+5m!o-$|a&CB2J`^SF_QiQJbLEY~idz8;vpEj$Uc+KVrL#t1>7TxTu`XV_SIm zGmmi7O*@GqL!_j=t#ud``c3F>pjAYq!CKSpLcVt^Ew|Yzhm=TI2V5VLFo+(0C0h8m z=*osd^7ZBJ$S(z5-$GoRmIJtg-FzRyc)ed9(Fa9fYK{T_4q@GHUB>yWRy2{^i+AWQ z6jsW9ER_visRjKyu)4I!5D9BAGPs|BN zePQjxBKPtzGCt4KT~J@{*bz3P&LFOS%LQB-$$<>J@|Oa(G?E{<62p$82;i!*SQ>k| z8yaClX&P~Qd>vu@E;qt89Y*G1vy5|DNt{3c*8<&nB}hy!_Kb(?PwCDb?_0J)?CV@$ zz_n)*LdZBFc|pCu@obMjgvh%TI7PXyigOl4L8)8@C5z>v$go*K6eXBQgG=!?fBq5# zom{we1&S!Y39zWXmUjqLp4}0tpD;|K*^5EN!tA8;Vjht-$Qx6*d`TTH)x9DJ@Kadc z04#=@ zEmQI}wYu%7O+pk`5WD|O%pi1(HpUmG)(j4BWy{XHs1A;kXHZ+1r^qw8hA6?gl(c!C zqG%B%B}|lHUFK_Wfg<*8BP3exI)0A+R0Is_$Y7F)%D?~v8%9aW6|9B&e2vL7XPG#2 zn)*Tw=M>sRa&0OB1fW|Fw6xM5WJ;SU6;Y`U@zAFq;r@?)gn_{Ulu{HO(@Bf983hij z#84!+DOu6N;fPF((FsOHlGo)VpUd`aV64xGADYmJq+uoTI30>9MOay zVR^fKWkgp$iU6+QMt8Xpb~0PYg!F&Ywa8uT$PugkgLLyQmP$6)1Sc* zeL0Kb)rcHPo2kQ~EvtbD$LF5`Csab{g^+(XxZXEkK!ml_3f?r+d#)O!tjF6S99 zF7}y7Y|MQdyP}7Q38oUB(Q-YDP$ytOn;4@F4nqD7~8gkMy)}k zQIi#fwU{U-PLhs9tam%n1v_*Tz=+S`A^{z&{vEiGqvTL7m!r5vl#+j^rOUwtZ#v^a zjza9@<(;l`BCaQmD=fZCpc1sHh%2Hu^T1{(C(=Dvc&1AMh0ilmg|A&EtXs%0>s+zw z@>;$8VfT;nnUHHH+Bn240x>tihI^fLKHqLk(r!$4oEe>UI4yuW$S$+Y(x}zQ+by&a zz-Eig14Aj8Y$+hiP}X8}38x}*C+?U*a%Ve`(zmo{^prLjosh&80oghxYp1lD3#9FK zhoy^5BE8l*Y?0%vLvr#;XsvxaBIm9g){6918^xa8d-&3qA7}TTTZke z-&kB49m1gi03ZNKL_t(jEwEcxBhDd<^kDaVv62Jt7wZ7)+K356Lf2$vU@L^9%X%(1 z!u+FpULO?uSQ)!Di`d(TBHSz8unM5#9Kr+#C%?;$0|?+s=+0Mb!3NLLWj%Xc1}|r> zyrlO<3XKYmfdOm<6OCXhfS0rRp9?ErQr`j@p>NobPxP@qXb2X{pW&Kn-M zUUo0YBm*dupPhHp!x2g_dEDjvDHu?Fpv%5C8B)wR6ha37bM7tEjhDaq<9B3#B12T3 zO<8o8935F>_qR^KkLtaTo?mnYxU6H1E|&0~S5jI4ld}Z$A;1i@PEfiJC}`GZY1X>t zS%H!B$kEsP5?Cv&kn$2joqu8x$4j?QC#ULeIY5~6<*LT#B{E7dBJWIXKaaXf8PpG>T7N>z} zTkmt%U(6!?DwIUHoTBjW7Y$^5UP&wkTo(gf3MuCYR z`unS7S(8S6fvJfp^0dv4UAHhYx&^Haw#cy7QmT~EQOE((9dNQJ9CTPZn}Ka%Z5xX> zg}{gbg^TF85qc#~ue+Q8k;1bYvY?k79WR&cewlBPE<+;6ErYN1lcH0A*4^)L4skII;7!Zl{nz%o(09+IYltCI#Yn(XhuQMLL|K$_{uo~FsC5Ty zbfk+OC^~1maz8SxZD4JR))7(M-+7}STO4>XvdcEQ678ji#+z&7Z}?z zj?-F-6gxWLIoxlhJ=j&6NXHlzqmgS0xYjvG;c|a2bbh}+rG6+vA)51*m^t)X*)DY~ zTgl5IyRxlio>vtCYN2M*rAk&V6afIX5$*rik)8jwh#JDIz0BgeW>?d-Zar2f9I^=h zK2nS4G>csTuV(I+Lku#`(Osmkv#Hl_%p;6x7^_z*VR3YwCsz`eIwpsCVHYa{TrFhI z3iDO(7`oiKDnyOtGkywDWb`szYXQ3EkUYGl#no4R%!w31iWgeWvoalrz_2(L0HSn6 zo;hspNRkAjHEH1}Rmzkr6&kfVd79B`H939a2>b8;7`NSVH@|%4Me?*k-fq!X>7!h! zcr%HmK+Cf-s>^POBVOX!oB{%%aMl9=1uh5YC4}CjLRhYlmjlYlqFz`izx3~6?gH7O zdj6rYV4I){oEC!$WlFfBg|lsNp0zTP#}!uVVePM!M(Gmh63VtZpdgTKU08LY=qbtU z#1&8)M>g0xnP4Hu&J|cE01aZ4zJRmlB9oHBgHUfE(m5#)o}8~Gri{niL6R9jOcyG5 z#H>yXR8SF0$3$_3IO@aMg1nFx#hYG8FYD&NbxIN|gVqsUmq{^X(Z;fM`#7Kfl}Gu_ zfBrT0+_nc3M{=ZaiCW~Fxs@EoNXODvR;>Arig3zMxD@5OtZJzB*14_=_09FTQDg54 zKc6C#!~nu7DOQJh3A+B}4*XT5#!D~5wUSOPJ6bZSK8@JU{~;@rw|r2fzzcM1#RQpI zFacR#{9eD&LfE4pAXeSMIWE+{x!SpT8H?+?T`iZy^;mgWWZbH;7-X#UUZyO6LoCFl zFk8Lv-G+?q%MFLj2Ls61ZMZy#*Y}H1n`*i3p@5w%23%JeHn?lXSH#+*pY<_uf5PqKB#O=Ru8 z9DV1Pw3-d7g9G#r40ua!4{aPBsa=Qkan9G3(l~8Uo`sP7AMI-&i-b^F=b5iw*=HAY zDHZJ49oS5yZ7RqPgKRQtA!_{dXEQnP4rAum7#>(Ew8-w1ky=xT-JWxy4U5ishWji4N}-&^=1mV; zT-OjpX`DB$kgt+Liquto>sUM z;zWqp&udF$G=oEBcJ1EDqmTXyzxu0RVc&thL`lgPEEWl*bQx)5qa$?31V-+cb<$p1 z8MKN8&bi!!%3$m7Gt!jm9CJNx=uoV@*zo}H2qLpvP3A=*(u~n%em+J3U_Yz3V;J(e zLh;Z&z^`&;^0^$6fA%yY`3PXES7x>z*I#4^czzwJZS@vii|%049cuAhO>ono%ZOYp z(~k96oyh2#o%9-*tTaLb{c`h`mc|E-&tXhYR`4C0ki6h~cz-9p<%9-q^5?glP>2LR zV(l2NHZtafg4S2GMqZ?dQL6B{OvnOWC!k}`;E04T6ee~+p68_PHbcY1#Bq$n5yuIU ziAd9wEX|2aF^yW2qi?@WrP|Nfwym_Q2kk@I7px8xVbP|mediP$i_fodAcz2MB<)n-{kpH*AEv zzHNoa83i6&;W4gMRDeOcg*AKSipz~)gZoS1FA<5$eXRbD+i3;~{H8*R5L)}V1(51!@!fveu zh-_o!bKaE*h0LWfivib4=c|iFii|tGHS(_5MqZ>)-l5MkMarR~1av6h(#u2li5_l%XiZbI<2qDF=O(GPmD(C!hP`B+fQb#5fF! z9Hqn%;>7VY96xrNcABE-V{Ci}x7;*Hwd(tel5tvOnHi&_+Zf$6BE^JVPmfYylwy2* zoCiMf3AXLn(PbV9CLEgC*#?K+Il=VwoPcCyP(+{&N*kO_aTMsNj5aa0Xyft%<&8y@ zGM*6&U@Q_=M`@AuIg4{`HfHHQRUW z;FF*JBAL;Bg#h&l zx)#i#uyHQ~5k7x4qlNUtUa<9HjZ2lhU8@lo4BPWst^O6PqSqn@kum*7427^`p$PO^ zND5O#GQ4y{<;pNz*1OFG(!o)HZHQx?_4%q!H+rc-%J0%AmvJ#JkMyiTI5B6%X3PlGOxY*CTN9q7NrujE>jdK zDk|~GhaaKUYIWEeQPnA81t(9OqSp8}6K5wuR}dR{pWEdM`uYdB^WOV-=u;mhNn-LP zO{f%X9^J^vlkal+-7_NFbA_-h+K@ZNuHAbW93BDJErp{H7OLH7@}p;-V{-C5t@a$s zIdFTD7RkXhEbzs@;S6!GB0kI-s0{oh2Ir<6il z$I)YFn4A9&GqZKi7Db*-i&3iVnMs9-D#Yb}verCVz96}0D)Mr^tOK$HTuL^TQXUw& zHe0uC;n7Dw&(8>vQZv zaqW{~TEm ztVSFGeuP-S2livR#hce-btA}1!z)9;Nt3RLz`TFWAYkhxQY3cXzc1APsne}_vl^~( zs~K(NTEc?*S~|D2j_Vz8g?_peY^}!qT+4n@VPytS*Ln=G7;s(bK9?b5Q13H-#UgSY z=DzER?(&d37D95J90m&*rD-;r)N6G{Mu+L^@2B0)D2kkNxk40|$@84)nFS6We36r< zj?mvf!pNqrn8=W&8Co0K?KbC5pJIODJk}PnAlGHI?kBe`jLAuo7;OUE;N@{H!r+*m zo?&{rCK5=%XY+Jqk?quR?C=pvx{ZmVZcBzoLn#U`k1PuR9NGeW-7gbGBqc)}`JAmz zi2ZqtVWKj#XjCXVv*i!BBRVgV@~`JA_au#R@CNtR{)Pr>j(OdaB+M3N*v zf2fl0DckD0Ga?dpCK!+|CN! z7DZ*OwM?I%;o!>$Idt?CEW2JyEG4u!^ZaqE}aii`Sg2-Gdto{TR(l;}Nx%fWt0C3kT9Y04FyLGxXkUpr` z?0Q^03dD`;AeWxU67F;FfAb};AlC|jE8Md=x{PFaPk3LjUtS8duBCh1D?|IR_dD5@ zy?&#&`1F;yk89C46f&N#Wl`X@429%F2f(!!3$QTHTyb^_yrfV$#Kzo(s#`Hi$0FZz zsZWyWaq@Exn`g|PpJL;tjSP>BaOTvzw3|)(2L>or%CuT7CZ-nn;nU9(M^LH^Ft+Vx zHjZwh$a8E_ptYu6n`3I?6mzq)wA*RmIXvr@qqUL6a;K=Vq#`IBg*7x&1E${>`Sq-a zl0v@CdY#u^`2}yk`T7zOXqY<`&S@#Q>jE31QM!s#6_m4RRY$9=%bs7t#ldLXl>%fK2Oi z?-VF3);4_oGy$(R_l#Z01M_mffO-C0(l%76He9OSj=&Q`hBtF6_|zaT3SBgTFBLU zzvz{rU90D~G_KSlRdanW^n3f-YTwVb>>FV$zfogpuJM%yT?H}@uC~ndf)R;9LVV;dlh06kXm1fv1R?96!<=H?g~9cA|X6blP;Y#$zBuz!%bnK=rl$XW`ea&%*! z!kxkxLw|oiMUi2m5(7iS6otc5rkI_lR;!U`ZTU_o@-ao>3j>D*zaPtWj57V8+kQdr znUDa8R6;A$G}}4Bh8+JsXA2Rx>BzG-;d4sz*p$WDHqN%?`*lRu&ONk^UCclgIcZ^O zw`>QXIahcS4G)R}c-6+UR6b|O1&2J>xk~7Qlde_0fHJhmKb`3qH|kIU>^T8W zE)+Ub);l>$3tJDuLQa>MZTR-?As5%BcXxz3GHfJ@_FK2;g#*c4!^$J+ff$eZE31Fo$PNq^%@Zs;9n}5(y##%fNxs zzMhxu$*FR_u&_4aon8(Xc}6YsOqrGY1-{U+!&-4a6#1TK;}jh!o;D(vE3yVQFMLi{ zSie}$cBM2HCOY?ATn_{L<^ikH;BpF=or&p)jV5Q&xbV680$MaB0s}YHd7Y zCm^S=ZLBNMI+6EuTN0x}!ExpPXMEEuibB9(q+^s;Sc?bN-Vmh6X|MyNq=DofsIa*p zEL~zs#5y5&QVd$F>v?`zkIRUKt9=4jFv3FVN=#r1u>t-qL{7Nc56lkWaU`GXIl7X< zbhY1ipHIf1%g)5P_Y$Ue5hW$o>L|GYGqKJ;&01dp$)M zy8|nIqlQTA)|TOFvqsN$)Dej(|9!3l6X<<@wJ%oda9F3kRLn3vJ;GHpLjjz|a6%Tbj+3EE8Fq)fy{q z5CXEaLpg^w3C2X&yiJj(sK{H3=ed`z1sQP2oyu^;Xp^9o!WPz(W!`c<0M23*zCZH3dC_-z4^+k@A z5~Bzc#q{?j7z6cMlQe6gwHR(VYq3R!v$^yLWjeh;D+L|k<4DRCHjaw1+xe*l^2{4i zxI*fddACcPqp(eB1EDIhuD}*KNz^CcSwUZ^L}3eB&2YX7R|tR&62C6f7XTcTstFG3 z`-sD6acs0b`F0`COYXGpfSd zto{Vn2YeY}w^mY!^ZgvZG0%91#j>FFxcqQ*ZT*{cjYux{7$5YzrHt717*{&) zXSHMLB6T&N^&m~YUgKH^%O4a$_7rkiZ{)a=ij1WZ@{rerb&nv(2z$QA0cZg*p}=tG zd{pO@w9?q3;PlC3RI6o1$F_0$)Cp#$CfT-Q2lZN$g}DVj@yU;J^G)Nt_S&1g_WGMl zoIQ~c~($Z&$2kcYATgJtW9aP z&!XcPZOT$R%(tV>n^Y_PeDcAMap&!Oc;}s?Jpa=dn4FrE!n{gkgw|Tm?rD@N*t2^l zJGO7(T3Q$<8N~O$0pSq8`@7~AB6Q_9o`GXug zeu^yjb-QdN#GEUTx?9>aP`TK(n+WS1<#Nn}4}O9J2M+M!3orBh^Di(r+YloWn~Gf2 zM4eZl^|VryDlw(R(5$D_>rMIw26+6jN7=D+2hacX=e+dNL7I&w+UTDAtx#_a2>n!B zwr<_R-FM%`d~KdrUwNIG={ax?;{^EH!U+SY{k`=P&j832p$?odd}-0bxfGw+d+@;Zn0ItIbBNGn&BG0JiK{#*F1-~0+cf8k}09X-PN*(SD7C|aN+ z%GJ$KN_}~NV-@k|X`SU#U%uj&?qa&i&V6AK#43CU5 zFwjrC-NG1n=-~(1b;~ZE_{Z<@{PRC$)94Ui{?*6$#3vqL%a%<{OrGKGw-3p8N5n6fOsANpwQ2O2S9l%;$P3 zg7Jp)rY4r0v?xeOJS%r4AHDUsM#8ajhU;bE$No6i+KzY)0V{1*&v-%sdx8HRxSK1# z6S*1q?|`Gg({$T-9Vo0k*4yv><9h33y~Y-+`AjMVY~3i5kL%@rE)9o_=PLnR1@H>+ zB;A^K*UDysL*}U|)~>jHkgctaq|o`CppLl!nogZq=Ri5{zo5ZM&XU5Rl*1NnhBs{H z%U}8;+Ei$^Q|`O(cIFor`2Lem(QMYa@1yr{=Uw}0Hrr%b!S)?nnVg!W*{Cx$agL%W z7#!L_oW$(hxs6-*>}2lz4E1^)r8P;VO0{o*Br&vFEf(r6TD2zo5A5YDkAH?rS&A-C zp8pOrGqWh;o$)kM2pCI|XBcD1a%i_fsWMS4xmqfY85}=A(MqYEJ4o7|;l#;FN~JQ7 zKlTXcr>8l5-8G*zJbU)+jvI?R^wt&DHmh9+X`_!jo=yM?Lq6a3)9h@FsA={~RO=S34YC+uH?JPpduzdT%_ug|iNgVUk51%D% zHJP5ABF}Qlm2EiZFeYN-rj1nk`k0xXrCKiW*cTq;*4;Pr-6x;n=P&+}{=t40YBPNM zAAblqPP}`DxRemZ-Z4`_WE2jKHZj&|^1NVXc7cV4SiI}Fg3%F0+Msd%BvDi*ib}Z3 z2F}m4cTOb z?z{F=u9W%fzy1z?|IP1netLm8PB2E=q9`&pZyMtM`|n}P*d~7b+>89xUw@NLn}+$y zS03Y^e()4;zx}ocQ*lSem*!2z$G7s^zw;Yd08Bx%zFY9*lTR@-GmCSIMzhV2pL?E4 zxymED{@tJaDKEZokl+5D-{ST=4)FD_{~2$*{uWs~B~A?c58TS%d=IN)NWqM|gJ-hd^Wpka`*%?0Z$p?7su`h7?^cnucpZGPB1k6Me6S7p zr9^~C3IB*IlehJLVGsk2UjmbK4K%JLHgP>}thip>340@=YhJTj0I9_4mV8)`<%dPa zzc$OOAE}W3ks}iAS!BMt7RJ#4dO{)f;2wA-BY?a$39-LZk>t0i2-k7m74vLix`GwB z>O8`t+%s4!xoyp6gA*rCFg-Iv+G8xUsO8mewMny#!W9^&z#4|C1H@{EdaaFh2__k)C{n)tou_&3 zx#yXmuaOmoQh5}us~8iLBxRDMA7lE6q8P2qC^G=6g)wDxq$zT79@I(`X^0|&O{*B) zhgO<%6SI^mgZ##C{2HHr=s_l@<~V-hED+IZwmEy|4D<8z)ap&<=NdE{ZEE!fljqK1 z^Cok%)4cr38%$14bI0v_ICpk}x86R)M?P{Vqnpn0)|*G9_gYBeh>zTNJ0JV#T^v4g zg1`IwCwcjmUvkHR-8}NhC)v4koWJ_ZzvZ>p-k{xXh`bTU=*E72?W>RR_~W1FCqMZa z^Yimmt9@+TIKtt>M>u%!7uO^bOhl5zWNAvCx4G@sTlvU+AK{&Mj_}jxf6D8xzs246-ox+y&Tq1H>o`w5@gy(4 za1gEGE5G_B9(m+pzW2TFapuekvRv}Y4jp=nJkK$arcy35v|)sSp?<2>Dy?>#Qn|$F z=q4(CRT>KoG@8g%C{#}2M4}i3wMs`6&PoApM3%Z9H+(qYr4=4y1G00~K=Q$AtQ^>^ zR)k4xHNZ)b68;fz^NP>x@}ms=9&iZwA?wn@^|-RJrn}#(6d~7YHC;(7!0;*^YduyL z4smUrXL*1Nq<@qVHO4Gm-$N+9cX$Y~DP|u3fjWVZ&ye zb5zTUTlZ|`{PY~Jzy1#Q-n)-dxx~Sj-(YBXggXx0#&ggAg5$@}Qm;#{)or)#=Chx9 zm}V>I8-MXle)hA2{xM<+f`LXRm7Yf&sv~aB) zw$|gy#?@GWu2e>qAdBhM?0@}89_4ym{cy;J(>%++C&R!vGJXcf($$pjU8wIZXTDm_ z=dS69guxOprMx)?PUAXE)?#L>V*;TJkb_pf7OsFWfIQC`9@@ZAe}xxcc!^hDd6l7o zKKAdwhi%)&skc-1@4c0O{jdKQe)!an`R2ENz`J=WXo0?G|baEly9gD3vP=^l2XX)LlIC$o>4_sh{y*zVRIv=H?j~7^0NK zY}hc!?mag#Ha3dUno^=jjJHMy9EsEhQ!SBZYJ)N*X)9B~n1s=dWyZ%wdGoEKJpcSb zjvPHrZX-&iDySS|$|xh>_8a{NoePa`50A^j9kk4Gl0dJVdEf;;lCi^O29<#UK2^ z?{VnRao&FWC~v&+2B+RV!#{lM`#k;hPk80kUlJ!3PMw}WX~m17cw~g3p<(vz zyOl=0&QG5E8I4ArciukC)YLTp^!=x4wpyGyJ;g1z>}7oG7`NWKhm9j6%+D|I)|>Bu z((FHQJN?x@-Z=jz2M-?PBq~ziD4fMujqz6X)>#U7y{Spo zV;K=746hw#VEUDd1IUhA>ExEjn>%F6n2332x9EeElZPzZy6(<&TmJysq8aIM5ycLdl; zw?1R9lkG|(LgopLY=m9NK_;F@~>Hq`a&UgXBk9obvakr|N^X zg~;ffrBq57**L=6hmZ5-+egXsg3(Q*lwwUOi8+04idH*g*G=2WtzmAyA^9~bqTN6dwR>s^ygKV~rN>l!S_TD_mvg11Q`(@_6_pP;Wy`a0X zH5v zgA^q$ASn_gKmZMZXn+73=!Ly6)wS2#@4cDnKhDj1ubWu9tGa;(PzQMNs$Rdk@4mcw zGxN*uJKwqew(A+67-4L5l(EqXwr<(Nu4{KNGBQLdN%-i)A7Oa7N~Kb!T8b&fF-ny{ zCuoN7s>mhxJ)nfr6_oL4UBP2GeP)T{rxw}0`+D~5xt_hxzQ)sgUuAKr3A%)iN_Z5@ zD@~4_m}gd(=yo&4$40pC{(G33 z+RBff*vG+x$JnuB2T^R$T5;R0H*(vpH?n{KLB9Ic$9VXmdwBHGhxp_tKgOT_>DTzf zfBR>A{p;VwXt?+OyZPl`et zeqY$aD~vK|rNqt9JDdW1F8%(z!rzBDdR<81fP%$RUdnWYqQ`3t7onDs{8z1% znVuY@UaL~AR#{$NW$)g7jEsy@E=8O^eU?{WeT{0Z&d|sRW8>r0>vawvI>BlyXKZpC zS?0*B!@G=TV-@hUn&afT1qJ0wiP5ofdOc5Lb(Jj7B;!kayw}VxG?|-QMjI{8fZma& zIqi0jbMs52SHYsQW`?3Ca9#yLbKo#l&PR}QnXx$V7=dHw0Uj+VTNl7fA^O^ z$(^^~LZwpWZ@%?3jb;~=NFwX?Att7#sMczDuc+5YxbC`Z>2`ZePfwD>F_Ys{T)Xo+ z9(w4*Jn+DWdHnI8@SX2I#mtuNjEqk5X$pgJ-jl~klXTj|%F@$kAG@9U4xEb&J2y(P% zfd8EJFO=^AZbU%QDguOxA{FZj1$-2#b9K|e>&wVQb{GL+KP#RW5lw!ZenHzV=jWiT z=Ufz0XX`%!9$3fU4~9eBv2H|m%{LOG#W@{E!17=|*GA)VFq4-HbZ^E7E5hcBHt0xi-;Hk%%#FJ-@!Fi0-$oxn-NX*L*CtarYOkvZ_6 z(KlGJ$h;Khsqi?4Y?OuhDm(_y;oVq#U3r&672uPX@2CnN4UYpKmZ?hWGWkB+r5MO? zQHqJladzLdo8jRR<`))ewmaN@`>j;U6<&M&AbBo1H`Q95o!hstveM*j2E2TOcXbsZ~p)^&a!{t1K=p^RbWK$FA#ka`?z`cJAEH z*w_f|b`Py1Mn^{(9;$QeZF?9S8{)+m_t9)NdG5IvP)LF4r+)ktwQ9m=Kl@3#-5y{0 z%dc?q#2NP7d^6ssy!z@Z?AdcOk3RYd4jw$p%Rk*uyWL`Fq|O5m+{>^3#;>qr$97g% zS6NM`Ru^CTxzGTAccp2`x5`|jp8KmWn^Oh`)s_f&z-<;BCOx# zoUAvRL>-*sHgmZ)<5I#SV@JAyV+6Tag+Az7Zy$^i=Kf0?IG@e9yb;E?#}U`o^#CrA zKJozYEV4lufc|>ttF6GtIN#0EAV7TzxPRdF446gcs4!<8LDV77(l_zA8k`d^Yecf| z8SY6Z`CMM13Q4C&aMJXwK@-Kdt)2C-Sbm$mAJA9aNS7K`H22yM2^fI(pBuRo&5tUkv zD2l-=tW~6`#b`0esMYEyozUy$WLZY;K&c3=CFP-1O4xJbwQSuo#gk9J#7nOn=GXr2 zCwcUfAK}!Q7B9YZgv=W-5z1+lvTG(6N@*mey&NY)x&5_o_mg;Sft%)(@h=ic9$fHh?6pZ`-4|#w4MVLCN8nk zhOE8BCmywoK zkBxEd&KYX;GR|9O&o1-qvo8T~?>%>L^Ub?4+TfgJ+qM~|r^cC?nc(4v?_+vq3T-ss zdF=aq?W^BpbaaHIlyL0WBD;3&;I6yxVsvbj2OfBkgNJ^`t+(FHhd+EX-~Ha-a{KKc z;)`GW0$=~DZ}R$qgQUwTopy(lCr@+Wz#*2FmT5E^EHACF`=;G&-7>@8z0Y&@%svht zI>edNXX$lPs`ZMndBz}4Fw)1ZOV{@M!K&yAXl-SpxnV_)j-* ztd9XNAOL63`RP&tfCBCX9^&FAR1M4&kHLxU72tmczKO72;ao0u5;MSEz&}S8a2tsx z@RtavJ&v$kAKlkCXNsw%Z_% z9Hk_}S;zS35LuSvoTu69vAEPCj#z=y~eo+?{aV*wr!o}jyrF`IoSXD zNnZNtQ9g9*34ZbO5A*B4_DQ^doL65zMYCr`!WUJ=_`_IG(ua+S*fKqd){5cbI(RMC z@5va=o@TXax$Tw_?!0q1DyebwrB^Qos_<(X$*BDWoGx#b2%Mus^zx4_cUD)pfu zvb4wQ>MB2Y{6`oaGdH)y)@@svo}OUGHQN~)s`1LpuTm~o@y^j~HhJjb``Ni`2YK$; zbMqd0X~yvI5bbuGW@DGrQ;~VsM>EPl)mqLKkud}hdi5vkpXOTr%V7M;jJhmeek&WhW zIN%9jFCvLt2L2_Ih`(cl$1Wq%!b8B5obOt=-pP8Sc{DX-r?)5!`KCHg5V_gwNWt@vGjk~$Ejxk#7%4Ws8COq)O@Ia9hX~8R-n`nKz%L>I=Wpqc zotI(}uaPnQKR`hKMnc#EnSU?W=Gj#hkuW;8kP8;>glY{^t-a9?f-NtG2-+AL%{JeD z?1xfh*ITkYr`c#yuhlU|)9aJUc;@4)&PgGL#Rjv}Jipdv$_c}9judHA6_*>&wUo__W==5y?Q@g(z$T`>#S26T=mLMhEnH(tXRKKCG}PA`+^ zp4=+5sbWggEHCvqcB;e2K9cb1Pv6DJ#5Cu=eh?q^h~hFX&!w2NHkfjmB+<0nOFa49 zGI!s#%5AsoCrz^5ToHa^~~`N=1C(3y<2!J|akWq(#v17+hwr<_R z{rBC={{07d{PB63jV6gnqz4DXO|3EK^=kQ9LBVW>p8meM&o|?(BRCblg5(%Iw1H!7 zL+Vr+;H${Q*rPv*y;Y}Dh$QGY5bO2z+SG$+n{nkLjBSr0lIl^`&!XRsTx$pX z00I1PabQOwa>3t3lm;7#E>c^uhHMhNFI54N6g390pu`^j?Y^t`Mb4LVq*+ccZ4gBf zWFT8?<-e#Vo~Pgi~{cyBr=( zj&eCJQ+Ss#JvG9OH(bwhqszg=XXvCkaqJiys`8NsKg35KxQpY*7x>=eFR`@Jqg1JL z@W>p0^X(Uzo|@#N58cMDom;qX-*KLN<}lB`aEgVM9E`=QgeZ#m&~3Xow_w@({L56z z!h)GNAuewt^<7>$Y&dc<<-R+o$y|jWJZDH2Qk;s5^VVo1j*D?@F||n!pL2ZY=~bqt zhxzzN_n_kuo_cPciO~wfV`Yw>Y%@MRN;fwgKH1{Hkri&a9pMii}z5(j|wR@@6WZs7ABvTOPB!0(qL6;Z&afPccq9R-(xzd^vzG6J+# zi*xx4B%kZ^8~hA_UqJH0{!cb$74MM=e^NNnJJ zAsy^zv`7pJ2?s;royTKw-l4R?J4KdxoR7r)4UhAldcDfFZQE%!x|GUQrl+=2DVI?S zwDx$P6GevU@d-wTYA8t-L#YVxY}-Cfxgr2<`_?IL*>fGv#VB$feDDq)dE_Bx=T`WO zzkGsy`wlWQF~ma;-p1Yc+{&>NOML6QKjFaPMNCx1L@`-v85EJByUJ5jfo)EIkCx!lM%38_Mh(Z{h!S9$bFN1{NWvZ=++rPF}K`f zp)bUAW-mBr-_Tc#@96h~~`Hp(NTLu}hQ&I<>YXj(&5ue1M1i@WdI$}fNE zLzvPCk3D{hx%n1J!yd*aS|kxTo8eu`)bv)8Qi&v~5XB?tD8)pY zJkM}81@Ea<72CHDbI(1ydE}9MaZdBKul z_`)anrC<6i&cdJn`3f(;a*)|`3v}8o#wY50=ChA**PVBA`t(^29X!VTxg{#q3a`F; zfGkV7{`y@QZKzf&eD3p~;?RNP96E3e=MC*v#))I61gPVQlbA-ML6&7KFE4Za*h!X` zmvJs-=gw_>;*pPY=FC~1f9`pf7nh~yDyhfiy_Nnx(7D%sR9?(8Hf`ZQNa2x5=5G~4p+0r(%- zc(GFp{0MOoTtom@gFb_F68L|S#o_fE{49e2u2+!-=0+qb!7*zUvDUcsrnrxU-HMu2F!8#8wwH9 z_jVNTy&nNw8@(4d3TWjKQ}ccfmo5x51wO}njVtUn za%)*wT*f;%b@B{nX3vo%RYpcm@Y2isIdf)~W~&WKScsXKX?E<`hE^J7Voa%y&oe3| z#cKyna`N;dUYEJ)=9_U|?8k>jr#XFgl};yRa%zI@+gG{i#w|?EY~_U)PxIVQj&St! zB1%_*63)ixD5jkzeD8@83TMjV|R=NnI?oSEyg???qR zb{)Px%xp8E(S_3ZBoij1Qij*gS;{|IrBX3aS6qK<2@@NPF+@fYM-UrF5;@{1CnCmX zJ?2_netL9~4_`OJ&g~VnRuJdx+?6o9*rt)@439@lOb;_Uk&t`KO*ai;9jvr_EVR2^ zzk8VNJL>eb<>1K`W+tjcHN&=Db?W0W2G7`36||;0RAblm+ZbC-rT$cAv3X8?cpB>> zysA^KUPGx`6}QHy%h;G_YO>7r*N$=9t=F)1+XSaht?=|yFR|~%{d9YZa;eVj*%iM1 zt*5BfYCQVrgIst0PR7P3ICSU;%gYVwwK9)9`VgP_%%h}P&J#~OM{BhM9@?D_lamwF z>s7pi*|T$8bIne+Y?&s~PjTk-JVqxB4Oak**5H*ViVRtraq`3|Y;M^yGex~t#k-t) z?!Jppf9BJiI(3?}XV0>7>bz<9&ZTQ zDZU4pynY6pK^EU#WC1>buvxbv3!RP1>$2jro}|Bs?{I!T*_%bs&;PfaZ@#hKcny)M z%pt%ceD9D9-9}ug{s{O3HvZkm5Yv;N0WTuoIZWP{62ZRw#fTZWKN-U zh10Vc$4(t&cD_Tih&Qg2{@(*9|Y8&QaPkwKHK_$CMLK5<$y5tb^;XkGQQIQ7%U$k)aeDO0gm~ zo=7_)WzjyzrOr5NkgU{HurNYh~Lk!mqr_N-&@ZtfE9zDUibLVh2B94Z^XL#LZ_FRL< z9^1?EQj12jgLid?>eF<4E2O=gLkCXs*tehH%-LC9c>ZOyR`jxLt@J>%(PnOTkvz{S zRU%5|n6qc*aMohXU?E~9z#PLfPd~^0S6-*pY+!RsWDH&_jvYP8SHJpIdYvAv)i%aN zSYNQY#W7Ty1Tr3l4Z8%{AiA7m;t51{ze0b5@KQ})-ZK&5 z72Z3PvMA*X&{gd3J745=X_VLaHEZo)m+p()7>{y+BXDSAXtsJh{medjF9vi4=QRt< zUFH{$f{O6E45~zy=giG7GdCxNgNYU~rL$<~!CSnuc%P$88Kug2@4y?pk8xh?+f7^| zE>)RZ>XBs%ugjRE3Z{Zn70`85R7b}{kW`72giISwG-9H1iONigxEzs`6y=H{P9RP) zhH9RXAw{(Ul?3V)#ZXmob19*cKqXd`V~CBW94l&NO|@)DqKG)sL|S9C!e{}dlBZ^| zHYd+=vMk41i^hWUjFuG>wQ6B)FX6q%I*0R;X9Nm0UBOG?F|n1gj$UfXEpV;ET1T2o zj$NL6(#$e3Ria#*px3o@x;d>*N~fJ+Q_G=~OElUkTX)nMpRCYs<~RqHO3d7%=jib^ zjg=;i)h1b5LPs;0C7q>sXS*Cdy2#nHPl0zhYlw7-NG0UJPk(xd!v{~$OS|NS zHU0d2VP@ey-dn7-IG2;Vbj`j!;H;J9MFCn`VT?u_!--=jur@;*RpbPMbCx4Vj^S*I zx8R&Zd$q>hLa===epagZe7`omdHklN@Pik@p=lQQ3c^g>dl`?f5Ef^nOwOA{0E<6C zz}6~#kaIB!&<_Crl=atk2@#}(FCqYNnK$0KbjalTGvJRA`{^4u_}KGXLuTBF0 zHzF(Cs0@5CG_oPMQKt3Hq6>T-vA16-9s%6F@4yy7B*kF+8)^Y;DHEfrV<<|v-ZJ=9 z7O85maJgDz4CK#(U3*0CHCbxKWZP&|v3B)YfopfuPXu9Kp5f-z-O zR1pcI2StoG27DsmOliR2bcxheK$W3XL75uf)bY^>DjrA2!$hSDQK>{!jwzL)RQ8l= zP_03wrl{97^%@M<6vI`|a5ZAA3d2=JJ%MThwM0=XDN3;>F^FW)fKdvg6_J+Llrn|e zos4Y?3UI2hPT{S_Mw%=(SnF_3*h6D9kuikpvL^H_fUQ|<}_O=tBsUSH>20HwA&etm6UGRl4q8M`4-kI;<(1p zNSSUsqu0&I(v&>Qu(pS@Ev#x`^EN9hZM?S_orBA8HbSB3b#l7xHcC5;R#HnXu0&b!kk3bRNf)^S5C}WTw%BpJ_i;0tnOzhDj!<8 zxGls`!*2qv4_bspc@KCA_}7T!Z=-g%??j|X4X|(0m+)PzJVPNm{QsVf10E2!$0rf_ z(lP@4-bmIMWHBuSDE=u@^J}Aw-w^Qkfc;25!k}y6#Z2TLY0EC>7xKJPF+<pk z7QzHzVoYTWR1I%akqU~ZcCinW6|Q!r!r9FW+oBB)v2CXS3@*=*d88-;jKTX{9s$JZ z7^O?doFnB+oY#1#P$~gk8pt9`P`ZlJiJY-2ff>S^AyhPmibqlLC_1U5OI6}(m86=G zR5X>UqFVFRhaDqBj?rNlABM3yj1OtX>x$6|jFh2XQdDA3Vibvn*g&MfXeCTj;b>RX zg2sv7lFX^K-^HLIyvGaZaSG=Y)*75u0=9y#&4acD7*HbdRBP7z z#d(=RE@uoFqbS7@s#09OB45vWVSaKefGo`%z08qjb`6BJ+8M2O%EDrcrNuU#c1F9E zva;BtvC^Z{%ILIndRip@O6Mr=LFMGO3(gf_(iLuq zg|roqbHbu}ucR-z04}w#Sb`n_iwf)%t}t^643;Z^sI2nD_FbX0USqhNFN|NLD8K;d z3Y!m`@d1lqpS%Km2eG~Vr))ei_)3OF7@5C7b_)Z@8I!K&Ac+*wK$n$8yDaRjhtw)^ z57zY`x%W7)$O}t+=M>I+tP^I*6)e=+vlH+YrqzJC)Eev32U9xytP~21#-p{u=l}pg z2f(Eu(x5dMt%(c;BLu8p&8oa^CTCQgv4 z7r-zt827 z5D0S;(E2NAa_Bz5rqYScy%(b3(T`4^DZ!^M%tR#d0J7E#Jqd#qUAPX|(V&T6s*Q zNQ}r2wPFoy#YV3&T(J?Uqfv!qQT2hEF(QQ&nWD#N0b!+B%QB-NlJb0rG_!Pj8J(`B z(dx3i(qVC_&C+6%#rYP?3vE`Gx-^!0G*(kut(;D~PNy?MFYS@xR&)4-n;KmQ)$D0j7lM|PgSjIcNh#p7ak3l$<+`hDbk zZFGm>W#B1f*D|nd-HSMn(B4f1u>A$_->`9M%n^RyTLpHU48nns}up zRByy^ZN>*TLjOC4NW}gP;xzb9_lp$C2mKR-DZY+Pz;!joptSH5@UM`u^!E{?i>oCv z;JXOeI)bPg7CC>OcwaBNq9VDd*!ee7>^5lRFl!(zNZf#e{hCD-i5@UGpNY(_V5z(k zfF`myQ*bmfUPYh{N<|_S^l}=W7^M@?l>%hNpc0fSqfAX$EHi?Nr_trDn93-oTq7!1 zN$Lre5yj9bjEyU%COumxVf#32AA_yKFi}&Cl%SqK#R%Ylz&t5Zhk&R6w5&Y37Si04 zTSuBhYQ6kh?ny0V)|2HT&9hei)>>ZxEqV67$So@JiNx74;45DkYEaZKD{{S@7Y3(b zyL17(wDKg8B92sOUMbj%m*UDs*ej*H04W2>8t9VmEmrkfUXK(}Y>2d${4*`gR~*Uv zb&;Ev#D*j`4Ao)*V75jtwRC$qt#*%<)eegbEfyAs8X&>W+m zwxzUyD_0!bVGDqz3Z^y0K*Hf>d{84yVqFA4{28)?_*eH?#AXSPCNg{wNjtsHZ7^6sHMJdtpUag4>a3+kIF4!Iw|%j( zprxa4#s@t@K34|;0^dS*=Kc{P!yA5=&T9?8K zo}&-8-cCw*VGJ%ZUq+;yx3Y1=5>p)K9|Qk_^VzmH16_kM$A68uC;mOI91seU!tmIP z%?M*p3t^4_A@DB|C%P*c9@$v>_Xyh@#+N0eUe_kzx_V=9zB-HK03JdB`)7G~#ukrA z#lMEIrGeG@z~pTWMx+Ah5rnX2s(_M3sA#f;1@OUfPbriZ=Q(dPRBX`EFxVV#yM?r{ zkONY%RXRoy7rz_OvAj+Msx072#h|O`Xjt;IqEU1*g)VKuR3=F3LzIR~R7VuU6EHOc z+h*X}8P9c7uxkvq)M2!&sK+9$vko$=Xy#&O(R0FB^(=IA=;YALJiWYNv@%CGgEUj( z=4aiSOfbzodG4{9r7ro$i~uShWQtI@9iDGeBJx4x*h*oP#;6FRHr;RE;qU{Gt0e{} zF^7PGe}Uxp{5Db~vaqDNqT!2k_!jV2^bIMNi=TrN;Kf?N-^t~ZNWRSZu7sh$@ug0r zfmQ4vyXzkU{s|jrm#T;%$gd(hzo9q?qtTy6K) zdm-Mf_HsyHZ6Np9uOW-)e~9#%%Q@zRJfQCZ{~xlcvr2y>ClpZMXj{BnZFx2KdH*Iq zuO~vE32e!Wh>GE_kWHt%d1qMk0NlTcC?7%r735Ek;Yl&*m(i_2g# z1MvhVnINi;5f2Yh9geAwE5@c^>lV0n3tT_rxqb?+8HLFT)MH_PG7IetQm5z@psJfI zx>mqdw_vb3nWvXK(p-^eo?hB8daDrAcC8z$!^ZrL2h)jX`9Efe8~ZCN;+5NRvcH z{w_9Bcg$$CR@5p9wMxSHSdFbSqqMJ`VR@y++_`1WonGSHsb%KQuCO@QW@$cQWwlJR zHA1V?rkAyVHo0A;-B}^ayLgv_&%s-q&T%fs`CM8~3lLLUp`9*RFfW@1Udj%rVpE}? zmlY(L91T+ca$V~0G!7w7}!w~Fxo z0QxTVvokI}kL|r4p&#`S>Fj#0Q_lHg(mUN=VGIE2gAOr(`7Q#wK89@ethby%=z|@k zZ+{EP8*3utN*G^SNZ&~Z9&l-Gy3z4Hu;1$)uR`Cy64JGhKee87vsd7}!u=gK33J2| z@I|E7;ujEE{17shTn+$sVIJ92$T)iv=}!#=aE1O9)DIg4TN`P6`1yW$Mep%Q`8*`J z6ky9h$m1%u{*{g;$Hf;5(?O}ZDoi$PjyDO))Qi(DEZ}uguw@#r3quTDSu@8_ri#)- zg&D>qrZj`D%n((FN$M3UV-X`0is>28j%{$=R?qG&aNRh})D@#;j{$lXR(sI3o=zqp ztCK5v&I+KFLpOtN>geUdU^!P54bC7hU3O7QJ z%Z1re__Z2NioQFZvz|PYno&xLt$CWt@dKkJ%1$o;){9gyi9s9DLE2nEQz=m-2_&&3 zCrK?cC-&&J0B^cr!+dZv^lKbt6hjhA&Q_2f#<8YaiKx|Lx^YIkBMg>Ss;D)l3YJV$ zjt!;6kR+1VRZ0YeB?SYP#KMjlBW4`6YKdAkVQjR@mYETn*Uhjv-{9QY1!hk#aqiR- z^JkkZ&2?B>ifJ@!M6oAxZO+ck(P%B=TnA@+IG2J;i@vFa{UR@lV|%m#X9bMmEec)a z7D~Ga4`vHVVqxy$oy=CnYYvCSV*Q(~#Wv%DXaN5UQnRRz)KR*W1%O8e=2`j+;dgu2 z>%s^VN|-1z`b^AT#E$ntWC!sUU>tGE3jpjw_97f}5XgneF++9%4r&cGA-Nb&AO%)y2m_RG=@YL<@&sO_FFU$aDd8I(Gl1F`k=&IR5&7nN&T;UV zt4QCJoxrzel0tiSisv69!15Om5O_P%mf<=Fm%$6KZ@4yLan(emsXs;f&N-y*28(`P zcupR89{AspzEv$g_hL;p0suLLfb)x$oxYdjTS&W3AiyLPmVUeT3hlq2K5P7LjYor^ zt6BW~3?kFogGj~hMe@56&ff?a?B9bRKP*yzhTL0EA&gd={^B@{F`=(`q|bi2cz+E6 zvKMnddirD6ddG$(B%g8@GRIu(XNS*UMEZWH^K?0{=d;LtIl-mfm*JY6=JMZ@q2F}r zU+)f*H}xZ=9Unk|*KTC9F!Y_bo3Gr!@xz?BfaJ+Oi}cOFV1@ZA%wOSqUJiiik&Oa_ zI0#>A+k0dVY}21ZujqKFO6Bcew$}YeJ~#=Y*NPvnnF%Nvr<9l6mo>J_7yqW^Iw>uH zOX*6nv@ae?0}<#_-^yKAQAU84PA1XuG`ccLR3D{0Ql&O(7@dSITRqorhnu#;?rFvL z5zk~D%35-%+Sb#_6wS=j$`tJsI+-fuf}T#Q=w)6EFLF<21rX&qbW_MP$;;}co-`{A zFRZ*z@~cGpC-OdNl{|NAHMhKYykm1mo;d-fUJ4;oFi=_Q$$Ij+s>me*0anhs!XU2z zYtEy*!$e>rIX2D}Ibe<`rm%T;h0L%3O+^7P>a~bcAs37jjVT-tV3s$npkx-p0Bv*7oo| z7vqaHYk6C+gBI_z;`PF6p5ofz3m_%=TCT987ef+_^A1PO^p>f)p`oGQ-1qWNzIP>W z!1qCfx(zjC&>p3~>w2*f7K1JNQn@fuT#XCD@SUZGg)HJL$bcW7uSJrTw*b?~WE>Xz z0XX!KNhwTB3kdK$fh-WZ$VAXB-qRjYPFZ7oS+v?o{Ug5r#8adJrYe;_>LB^Xs^v9e!{re?s4y_`x-;)T~3S&$d zUs?l?F!qG;MHR=YBK_}D?#D2`x9N}XmtvGK_}L@K^}N)vAjralFrPxB2P>H{SnU*ADRg?0o0VEmmiskZcFDOC3wD4`2byi@ zb_@G*WfyQZ3KyUDigCcDYDCQWutw%yK{G+A%weShaX=llMJ z#cN&by6?4bp=}&hjcgyHFcu|7ie{y#;@W3G?<{TsoW`1>@4Wpi%F+4dqTzR92IYTL zq;h2&^lc6@h5=+~%l(Bzc0h;Z4>lQV--EW1100*Mp=d<9lGd=0JQV7;{?8laBsFyV z;p7aA=|m+-c($H4U+q^^_pO-EH7VQl30S-gB?}O)sOH4wlm6vZrAAs)0lyV;Emf&R zSEPWOx06@UMiRB=2?vg)V|NP>l9MU)8cma){wq0H9RCgyStu|%|5Xc7fo@JRF3~Ps zteBP0DsB<8*VSV9Jm91_s;|?Ox3F+yfT(+X8w`;GIr8YsR44z%v2V^B@HIY`9S=#; z?y$~K0*PIu>dzPV27%EKw%>>z&6nK~E{HK|sF`X6e*z6b)J3?7@Wu%z-V|q-JSJkn zp=BO@6lSLEkyr0TnRp?eYU`Wdy^?pwEOX2w&4hZze8q;)=GI*!h)3QPID@uK5V{Kfq`4 zqG+q>%aEeJvBZ44Y%z2D?H&SFNPjoECfe)Q1`TIr@R;jCF`y5pGao(l)w7~pA_l^Llxrm!@WU$QI_63T^30VY{AOdyoFQuinS| za`l9eA|`9K8JweHQwNtWR&wyuvp6?R8jdPL76I=EI3E;sR!}P{7!+4VMle8$nX$$> zIs-^e#2CPg9>xECPq5NB-)O;bPM|5bDAa)CwUbHB=waM^bW&VB3X>(I*jRO3x+j>S zn+T)BAQykrZ*IoNTXyVTuz3H^+vv8RU<<+0d2ck3A%pqSPsC3?3T&u?p?AvU%AebG z=G3-t4zt`>3@r>{Cy`4REvJ}kQQSqc6z)6|G&I(0Hm4fXcbN3UtVxGq?<|#Q-K-5O zL$aWANIQNGwpyG{iYSUI;13-X+q4qaAwH~k1^M5{=4G(-ev%bx;@~ zS2(!udD;!_d&JP!AMbnIf?EJb5FTZ&x5I;H%&c!kdF*wo|sqFzZ!o!KF{JzBp+>)jg5m@Xqj1NsM7g z9&zCEknerikz>hl#obnV$lH0pOUH&2@CqU8y92jjS7OsuKNxAs4>!&#Wcxs7Q(%{f zd+vTlWSL>{-Uhv*pFkG`Uv+?OPytcDn2ti9vy<4a6J1XGJv)$DRw0c(>U#n}F*r`D z#6Jz6+1m1xR*?J_eyS!l9-}~K-a=oy{&%$z>fSai2h6I1!)?)aW>p%!m|Hd*B8j_J zLDOgwIcqr}Bjwzfo%*%WE#V-#=@VCnHIoykSR|qz@_90#1Sgf1T($5@DmSeNT*3U4 zz)t&%zOPY`I#PAtGbhg(zql|{r9FCk~tq+_EjiB!Q*tr|`l zAN@HiS%HNqg|7VlQ>kd~`FnVOf_B|Q!Rfx8Z;FU-WEFgyEzmXgs@LDI(l65})3IET z&V5oLy#e1PewMNU$t;DPni$rG>|sO+Q}8^Q!TfGb7ETX8T>#7FAM#Ko^AAsS-);MbKt_mN$LuZA z2$A5u_q0XA>b%2Mp#MA4>+79w(V2j!zr+2Lv2wkE&tC?&n%Wk;?`F@4*>}W8);3j$ zFUCfDTjit%8D+c~0pQ1{cYwpYKHQ5?wZpt=m+8tuhH0(Zc8?>6c~_R$rG$u2V>bt{ zl>SP<&fZ~FpSx$-->ldcq0W#8Ppn@NwApaWlp2)@n6-;z(MuaJiv(B5L(#J2_-a%s z6<{}HHF&%5nQP8UU*yuxuyTHoN|h?UEMCr>?K%R_`M-_M0hf8472(qgiJ3_(8ciZZ zVz&N2(V+fKB>swp8SA^(kLj%}k8ke!n*Kd5mwqhd&eafM{i1jw8Xr|#oPmeEk6I0#((Xy^{VA9BGWQ+|n5Iy#%=5ZwLbJuZY4A2&q9Y;g=Yh&o!7?a5Oj*gm_-*w`zrIPCuz9ACH-@6w&j;n&3R>L zz)4Vo9LeAE`5E_Wddt2Esdf4wFW`}zE+{~ik!t5o=%l|>8%!USm_?RAkV z_gS99*88|ay1s=4hYWtuvUusbnMjJrq7=w}p+fi#>7V}k#Tqqt)>Hs#0CYCT@PZ;Xx%KZsTI&yxI%C-TdEmFr9)h>M?QsA3 zm&f!{!&kz_ub1yZR3E)Z0oN@bE2P~$l|4XC|2C0g|7(B$RPP79S8Ad&5p(FUfLG)( z5!ZFY!;E*nsiB_zmmHpNALOTw zc-}sC>u%a!KW;l;*`Fig9(vrK{@Q)`FbC*A_<^e8+FuPyiUw6x{Hc@w;Qsdh; zs+4C@1yMubcY+>qt!O1JAf z$>x?6Zw05lFn+9BT4IbLbQm!5eH|mG#BOV?>)12Vi!oNPF0S3mSr6U4uK5!Vv)5du zFbtS!Qi=d^5SJ>Q|NFHQuUG_-#(AObVmTGRKfDVHdW2)Akd#ssrG-UJBZ1i6= z-;p&PO846W>44NAY5TR{{Gr*$c}D08EiM&ylMq+e(c_}oubnRpqBTb970uj&o%6^K z=+9{;cCAs9+zp%VF#~bqKalm)rGay9HGy8qD|S4#9zt32BTr9pjg3r-x%#)eG}Di# zjdhPV5iE~S+kTUphFdpxno-NG#1A7Jakssnt7h-YxDLKZ#WMxMvJ3qFp#k$S!z?eXaMOdg%$ zZXds^O11TzJiNJ`@w~OY%8PUxF0j1Z-u`I)ke_jwYj_PvNuwOv{@r8R(hnP@`{Cx3 zeER3HHWt-hXca*KAP`|RXjAM1I?hFJAw{3gn>RFYzV{qxbb#?c^4ReZ4&L_Le*7D8 z^WV0tLB2r-XegQ;dN{HHYx)KNyjh-RZ3BcJNu9z}A-CZy|eLxrZ39ONum!;JCQtk$TBpJ(41wg0##M zIBhl%LzQqUMV-#wWYas@+r5onoaS4p<(szNoqW^#>uYq%h7msMqdSi}Mpym{X3&l~ zgR6bh9?akm4U=VcG%mjryo?^HUfC(uo8>!LjUP+YPMWj#ddlH z#Y)YRM*g~7D)z+2asDK2CLv3K(F9pD6$Q+=R1=BN1-q6z>}F?>hso1h=(!VT<#0V7!{9BK^s0G`$nt8MsuOqFP zx9$!&1oRd?)Ox*-e){PivHP`e`ZEW+_789$eBb!5Pnn%u&iST@+mQCxlurY7B%4hj zf}f^z)WyWVHX*aMb~Ar?ynRens#j^$=rmg|Ryvd}+!RIlF|Cy}Z!)V8GMp=(q!lAl z>Io202vZk7Buv5$ZjQL7UpDyo4lg$Tf!hw={vdk4IJ$x(?QfKQpfV)g9TM_&Lv@Hp z{(S!gK9{5m!@;ZY>2>0?w-0>@aU?Rr3uPy4W=s)FYo=DDT3E|4@}uec*}xyvyr-9? zcxcIHv;|g6SUL;Eq9nkeKMp*kFsb3>k*M}Q-G?1hekvV8)+0vGsV9QpguQ`a@~{+o zgldc~iJiX!krn5nVO9BeTDub{bJl2OvN1^m)c9yzqtGx-AkYU+1GVjn3OJ2IMMme| zO{qAqhS|B7y&Ei{c3NU+U_a#`8ah?Kagh>r$f+bu0NvBrk? zw(X+P{&Ene1ndLG``z)`c@Dfi8_w=ajqC1ZzYZKx{qlJKa@+rQ7s|4`qzK2=eZB}s z?S2EsZ~IKVYG zka9%+-ajG>l_dPPQ$D@phe?&V0*Ry8B3I~P&6Jaih(=+%*1g0o{0RN+68$+osv|xU zcY4LZ(D}L={1y+j{j%}su^lGzjN|JH6Mc2FLwzBb zm=~X?wf{nBVlp9h^-rVHjY++)=D3<}aC5PyeXX2@gj6|&Iex?IRClVXOxUxdE)WEwBJ-Ca8297%B>YA9$Em;z0$%R<n)K9ahxuynrbCXG^jR_6Hz}DFUG4j#`NHZ(aHaiYP?kV zmlPeea@+&O0}q_Lh0u`&amVH`VtP@6$^HuI>R)eW=BdxC8}~du?ni`EEYqtw4txUZ zSF=Z?*ZWVVxdAuXEboUjujdXu`$r<)lbRxzo=+{{$?hWqj1Wp{bZ6pDpGm>h*re<) zbz6O~$UhrY5H$Z^;{2D7#Ho^N+3bA3D;?`3HH&>;U0eeRiudDVumDcz=KSPV{6YL5 z3GdJ7N0)Y<&&E3f+d%;jLXV9O0~U%wUkopIEj)&Q2<$F)UEgo<#wZaqkw?a(R)XlZ zGP$OQc>x|C{hWQgUdE1SRMSCT!Ijvv(UyHbjoICjsklSrCmGEYn-^l!m`lfs)8Gh97e z8V|ZL6y~~k;%a1;_10Y0EvyJ^!)J6?4Lri0glj^o>@upfE@S0XDJkZOSWB$n3LtcsC@NjrTkd#^#hZg^!yeDKd+Ah3`OE6$Nu9xcAsc>8I4phU66%1O9wNiH(0S@>e(4U&e&nSPkao zG8}4qN)f7tY8)zVlCt)H9^+;n;`-UCBnp-?1uuv>>h2cS)z21U)EPdIh5ts8jm)tHk=wHBz&nCs) z9#cb4u*$|ne(@K!6qXg|sF}upvK=V=FydZ%SG7l0SHo-LkzOc9I-t@uk3K=+Jg?L5 z^~Rnqi-3-!=TR0=Wc)!B`NO z)>YJ4f(Jh>iZmz`hwJN#cfbJy-AXqb81&oC>vT=o^}InEmYRs1y?d0W53m4*`~&WEy}s*aGpP%T^rPWO43lZ>m{d zL=hjh+hc2~?K`3enbH0`v%PDx{Ozy9Aq}Jp^0;H1W=*{64YK_O0*=3hoZbAU%$F0B zSkF<3F5`**-V@o^dA^>br^nZMKJRiclNjFoD|+yJzWx|U{a5Wu5-pP1cJJMMKL z(rn&CZgy77?of2k%*sq**WJ#)8AMB$GEaC_OOYnZry_-7Fk~h(6f&BHYFhHlkb`%@ zo);=e@VS=Xj*3BnGluAMu&$O=eW}hb9AodPp9gzPZXpo+Dnj^QwzNoQ=k$u9Nsk7k zAk=BLfdf&2O53g(0N$R+QrAEBeO8i2bTXp z0v|2O_KxNj>Pw8Y2gg&L$nzHWB&)t^2BGXNWnrDk(WPeao2;Qp%)qKGup4t>g1&-= z3Mo!;H@d^WSV36>BwJTmQ8`!)QU2+Vlx`ch?4D^-y!ib79hv9_p)?h#n5GaUS+2NM=L`UcAAv0PNF!X^(}9(DoTP z8j1A8e)IP7?y3V<1W=D#BNg2D+&5v61e6vI=eB@cf6CLntgA3uYdR|lotd?1KzE*5 z^Mz*SvvjURwSofD;HWPKWKz2Zz#JL(@(VmqF7Y4=r|LL#Y$z=oy2|!_J9jr$X_$_r z90O3YeG(gJx4EyR`>m1FGMpTmM;{g_?Nj?U`T*a~z4lF%vXH;fg*tpe63xQ)-jDsH z<;xaoT4B6;T9hqzEGCfpLl^@M5sN;{{>&E!cFk?C48ff;j*ICXsH6YDRbGro?E_7jO&y$lp76dn&j@Ar(Vk>zYd z!`8p@Z3v>sGz@3r)RlG=mKZ17x8GRjEH76M#i?6NV6j|5XUHXrpYq z92jzeyO8}b7^LX!7Jm+P2X8ND4E=haI24=xFMX~=-hr<}M+&4wh_6?${{J){Z(^_a zYMgvfNBYqJf_KcTCIWio<*V|WvC-gcb^sLd91-hKV1G+I*CK^f{wbyS$T(q8xvFea zC5-@gNF3e)@w3r=D59IH*`jKL3LAVRlKoaYvN=V2j}xWOq%;Liw0!qF=Vsx-@q@hO zp#?tJ1{^>MXvXh^L^Kg{m%cJFnh7^@VDw>_?8V2)U(fa$(TE9M!E9%uv!C%TK7=qK z593IqYN*5?XKFwUH%1QYL4&8Do)abNRy~YK2oFU?4kOu+o^||J;<;zmjI9PQY8N(% z@&KU2FzHotCP_d7dPh0Wd?CnaBCFvQ7?M86Vj5%JN>-6tqg25-6}*1F8{~BtY+tM2 zguXnGNz^eGQEUH_g_QtsVKzz?lqb4GksERGbe|krgy9%I%j?;HKa8Wf6gm7%C_Uk} zy%QQzr|ZY)k?FjfrOre za8z^rIOlY^iCO#-`TGUsdQX)*p492icR(r+{^K4s=Hp+)aGo#YAbV{Fc4pi^Mw6qo4xnfVJpN@%W|MGT&Dj5mKo;L=!zxPVF-=ndac z$KEDZ(Bd?dv9_gds|C7yw}hNrZ6fA?WBvW0e7Q)ENK4VQSs@zPfX{n3SWC}$IeWg0 zTtRbpRIXu7Qa%sCMd41I<_oRR896@BrTk!SKIy3rXB&xT+K*L9k7e_91f5Os0U9QF z9+wHT2q+OvpiI7F&Mr;4j6R-OyKaI}0bv-4m#&s0%l5~sP|Dz*rd9Hz_)pkDIZsWDx zF#bP-mH&7Oqn?Q^-~=7mrMTh?TJclxxI?$N)W3NI|GD&Ee$0E1y(SG08hY&D zxhh(|0&Dh9Z}nbm1>ucQ5Z(9l0-8PdRDLP_n6WPKEi0=V+>$1Y9L;#3xZMr+;w|J8 zM{B}6@KnsP-}If~uT?nFu%d8vS)abyr2BBQGK$8z$Y(;XQo^2%`Gc>4=)GbJ$xS@F zk;HYDxIi&ie+@zT)ewS0c*EgKvG+sjPD12QwmzvF8Oh#}c}kiu3a>LTK5QEi{OcK=ttO{RbzpnsFOPDiazM;`Tve;nhdPxJU*WnPU0 z7`>KV4&?bkuA>;7?~d?X4e5Rs#H-t7N1sd65HMgQgq7$zm+=8A!>gbgM_g8n(sX_8 zYCq~H;;mzTnoP5~EIQv!ZGZppdJyxS3M+=Sji8>%K2 zf4tz`c=)+R+;Ft@VYy?1$+=u7GPoOzGLHd?s%#5xfe8O$=x+}Y=*&@D)*z?tO2R@Q z+sA;Gp_({HUj;KSvy7eTUEEi~2#HuYa+N11Q@*=9OT23`+Gii~t*gTs9!R8_CcQoGl3J+z%sMybi5IAWi`)@X!GoIk;Yw&r_kRqiPe$jvYA;SKC z<8#$9olpC^gZ#Ql_;|zQ>xanWF?`WgFVf5FseJ9od9yEB6(*E&PONU(=L-6M-@loV z5eLOZD%4Ps$xkxtC2=I++HTdQ(VU8{*{f5QmQLWqud2&eZ@SPBk;7y$)wavuM`8;q zqu>XFUHDZ;C@@0t+?i_TRHMJ2(rE%9lEd|J$vmGWn6z9sI;{B2zJ)i30v0-p@zHyl z;xexEnM&}vZKS;vyQ|Zk_AiO>^EGL z2Q@(JWf)Pt*r7@N`f=%zDbXaCl0CaG;5_FL#n#*)O#$79HT=dDLSJ#2GhsaJD#-dz zpxysd6su89+pN*DUPEY7an9^BGscS)N)XlX$z@-x%Vct-;|g`yMN~KuS;$1?qYVKn z&s!2FnN2D;x;r7%r%3f@958ec%yKir6R-WJukUlErnkXem%jb0MGUpM!h5IBJj5eL$F2)_6u*-sl(Z|1 z#eV1D(=%Y`e(;w8qZldPjgFJCRq=wQ$IzdJUXtTGMu=Gn`=g_-0g9P%k&gx%#P?eG zGyDZlJ7`EYo7$(GqPIRUYrF;Rv+VOddDhK_h}f8RV(BJc!>14o9KXI$H1TTJKfihB zrGTto)VL^W6cI#qjoH)-_|pt3@(Y4E0~gQ-RmtHCi09_+4tfy=d|w@{z6ldQutQoR z(^}?gHBZkX#8U0R(!pM?swnz(%B>RFqZ6VC!(L|0%_&_E$t%h(6~8*f}qRV%q3wgHb;{NW%)N zJv(kC9Qi{E7ycroDB?eLFhAmZPx_v*S%f%6`tf-c;Rc!N!`jgIe|4po)b^^&b(6-Tx=XVdF4S z72k(lhBzl3oS!17TISO<1%Mg%VI*bE@l{hAhd-N2GHE!s@~Q-zI?4X}+M(C|J`)BL zu1P0D`yD}U*2*(f~GUuVC?1&m0VZ^mPhB3ngR>ymm+g1686~ArQ?X)Clm(AGiVT% z??$@t#qxVgH4x6id=G{uII740YBh3|u=2#mrN-fQL-Gqxz(nTq+>h%qTr?7dl(<5p zlJ_UsBiE{CKYLaOKSDGzD5Vy@plDr!`zSGqMy4V|a->Oi-;;4aJBlqBR^>Qjcx**# z$|GtM)}V)kw#2c4!`-i#@TZe(;uiIt)h9{5wEn9DlH8AveI*h*gv1I9dWU2kPQY3KZPPe_A zCRAFExZ~CZ6k}OYobu;Zjt&!CZ_z3MwT>3tut{CIg@?*vj^4Oel&ewkIpY?~>JL16 zOz^Q!M(LA&gYdQwToQTD2q3!dlIBvu!2LvYURoqY?`pAS4y4rgC{YhgTGS z!@*U|Yf8HKkI}3Ay-HAfvL4S>!7LvukEFs856nC6!K6K0{{Pk{m&OTsbVp1HfkZ>G zOMntQvm05aRCakwe6q_1-vF8FnZDVJ!tMZd8VRItfoj&mpd82fJ#dJ9<%a8Ol3tGE zfg?G_PeKIDfHG1XQCI}!K5EA8q8c?kf=0!wZhEE~28P`7AYp&cK^$<N61;eO?ic^hi61-b0^i8Bi(TH+pNagLr6e`?8T)AD zKrAvg`9vLztQ0^a>-6xo*6#~g_Z-I-c)|A5RXYs2ucdE)?iy{lJ962lQ@p6-F*Pqm z4$e=LHo?u0p8w%*cvPR`15g6)`Cgwa>Z67=eI8GkUjH$@o^y42LbZD2T28LMG#!p+ z&;X~E%!?*cb?9{@8A-(~rMoJA|=C(^_!-uV60F`ZWA|1CWUiEWZ!~l9jkANCb1;6yslzgjVZVtn6m!oOmsSy zXSv*7qgUh{mzM|yu_x+MU@oC956WD60q= zeioJDKa84z;BW1R@>i-M+|m_I`?Ij*j~RzaM7LB^job zN`nv4t0)#AT*)#DGu7ggmY)1>hrOQDS(-9DwYTb7c1m zHsn8DlUAshr>k)5=2@hJ?||mCc|0S_haM~t3q_nxv|(K)Gkmx1f#;*Q3|x&6O5#q3 z+GJ-*?d?b*%41}iMTM9k{r(9+XT^3ZlFmfUdK4)_2<+s@!qg{)CQi;IV0>tV*7$7n zoALSBOd1eW8**VkKICQeGo>S|pEJa&Hz{x2(J;dsxYRFbVa+TT5!5(NyndU@j6bXI&m`P$Z$; zMndQ@%t#Y4Ltny*4~80tjs={|;J#~rc=j^CX*0%r8lHze?WwQKG^_a8`HLnSy6&h` zq!0#AvHg1cASAHKwIcRj`wT$A@}7rzYQr>D32VU&t_@b9*3r;*U5({F{VQJ$8k zrdiUIZuXv(03CWS_dU}ZWP1~oy#zGfk0t4z)g*5g4eq{j&plc|FB<=xJAt1TQ=xHZOD3c^Kkul9IxO= zyP%H@nl^)^!5fZW=v?>2L=8vc`TS4;(ge}0?&53aGusl(QbFhf6Er*$Pmqqq7$+Hq z^t#R5U-&@@p{;x`PwA?k_*j-jiMeWFEh42g4>oM7-ARX%gQuYjdl4icu=eBecgvN# z3~mMX>eNaou6Ro)@bk>cfsS;P?6QWX5!!9(ck9eQUXp;&jE#w=JxgVg7xHfZ;r{UI zwW*xK#YvOMM6}oU&jxDmF|>HcaUs77se1S8W`oC~Xchp=~S3KIMv1LoJ`nGqSc>xhZxsGN!b!q9i0#;Wf^H8iW z5h(9%{1n{A+{XMsH+M2gEXw-@L8E!&3Q2RZYTfm9XTcW`tgXYl_IVnad9Kdt7xyb! z;;f*k8UaMX-F~MNH~R<8*`)P9dEC_k(&q%{MP&L%7E;9bqLX$#61@V z!kmNN3=Al_tX4JB8NP-LkG$DStCNZRC0C&ZhA|2?crZYtCHH0mvl-QzosuCyGjFLr zLGU|tKj0D1kVBoOzi5Uwnp5>40ZG+{PCXD!xALyO&dl82N!)IEdHx7O<@8&{z?ErC zL)lrYkxVX}b0$37+z8Vxr-}`57=^=(Abz9MYjkLct0LajulW1OW!95D5F+^VUKKBX z-6v>)RIB{dcEa$Ok2K_BG~e1qK$lp4U0@|I-2&e|#AvGX=v&)P#l>Q^{ZBMoFS6AA z;}MCd+k(Vq=B_6-4hVcBCW0&9iajf`<_;#&{al+pl5EwO-36u+vf$WD2sNx?vW!bR zrg%+0XiXxkc4t&RPth7PY^e*y<^kVvd{zZPNKvP-ETkKO-z+;65O8$nnqvr;hIAZH zORe)p7RJ3ztxd!22XTIG2Y)lg`AlO;)PyLoaiYDr-gT3Iu=9q zDekWLW&$-XvgZgYIBU!Nn$dy_Cx>{BdlWb4|3JV>L&=kIO-CXi{>B!-!G6b)(>ZN^ zNv%d^6m$PGuvG$sS61AA-)nW>#`6Q`kfP0L;TU1}{<3MHEW8mfz~=1qIrfQ1u^^w> z+oenq=`WkF2V!soiSG~{l(Ul zhn8SWIY1MQ-9YyMg{kM3m#=k0=brCJdf}_j^Leh0%RHG z7~2t4IgkxlD(sExOF0Q`a;`Xh2ob3aU*oDRF{48}ADDK-dPoaGqq$|O_^C}c`~})N zN2y9$CQ^%#Vj^_m=|MM%Mw@>i`xUqUkQ3n;UQ5ufhUthh^f6%yzPMIgmTbDnP?eCi zc#?tnU;-F=Xh-})VrsqY^aTJ^YQBj3#_K1dba}-dfHGK29PuTWAhmKb9%tCR*hHX? zjS5=vs#2r9zF^%xvLq2rT(p0<^;)K2>D1hEmE)F)T~XW)pUze_dGQZ^sg?P>NAZ*s ziF!?t2vV?$Tm#0e(zjS!X=$|VCd>N-cV!r?Df5ALw_?ZtSe8eXfCeva*a?las-MNC zuiHr$c#e7!g+s=1X64{hp~m zr&5@ zKy|?mWz$f=k}6IvI+(Jx z%ntNAseI?s`wtD(T`=buYUPbrrV^%-zaO0Tskh7bkw8k6nQT4w4M~Ma1T8y6zEM>M z=~O8$mW0alEDUHKU#Dg<=CI}XJ;>?=gZYvOGdvLD(yw{f?9&(z<*>#`Ze}S^?0gg< zq<-SUsY&;K3l-bw+~1g3U?(}Ii06y9KdyF@!QWz2M^v}D{pub3O{->->}e`#$YbO( zO^6Q2ID_m0WpsKlE>nycocXv?Fa}?bj?){a@zDiv3bNv4Y~O_$9AD+AS@`+(FDjmj zxhQxJA*nB!ytyTB$ujJRaTE}w=iFqjH4)i2sUO+Lc57}o$bv?dScuEAEGW=9;2>{# zq$PW2z&sGEL}>BPq4C_?Ya6>XW`v?7h1;A~YjXdffw@#wl<^C;xblV?>Ok+sCb4p8 zAx!dNAE6}4Z7!EmH0P-qSIc_u-6Aa8uA|bSUImv57rVUVX~59`k6!|lrC684H-ku0 z1t$#($M=17(z@WrO2Y$tBKYU>43piLE%E7I@2U2cl6?U4U5hxWJ{}B_j7>pwmjNLu*ajR}s9F#6hltE54GC32h>mo6l4#O(;KG1TtAJAWw0ER5ocX=yoAq zlv%U=wuy3;Ly4mVmo16tcWL?UfPk#)(O(UaE6J2-+#CT0*lo=DG!HvEJK&O8uG#g#vl4W%8fs)TM#-Tsn_z*ny#9HR_fFczKS&_T$W92S_O z%-5-?oVb;X4BA{xV`l&x3y0;<{E6~jZEgzi9aJqxXl-pRGmVPXUWD8YwEt-v6dZ|eLSFjUxOGBMtneb+YSQwe zGp6k#mT68y>s)eVk7{tIgm2A2}C@g#wQ|PK6kGFp!eM$~=wdEl^^vcg@ z*t|GykHZq+oCu|qwi+DMP^}mAGz}^Wb??Sn42%?kEejn?E3UjW9|h6;dy$iHW;5vG za}+es73tnNS&Xxb{>Mg^W8_3kr}sZng}ccVXYNw;8{0_Q0;s5*tmNyzDdt`U*U;Wq zkl+kjFtWz|ljgTV&awhA6TM7gRHjyGIy>GZ&?h2U8eO0E*L(eRR5!Gz0iK zw@7}pJ&13A1@!IWYD<(PBR^F<4K_ZCd+}jm%v$yAFYii(*m7CKZ0-v!BQEr?IAU`+ zti@BDx%o5<$|UWL)?WvbsGCWcgV5T|=*B$SComiE1XzUaZOl;)cpuq*H0hVmh+<|x z*M7HR)wpXA3v?XwRv1mnY=dYFOk0~u%cr71Z0}++$@IR|1b~)RXzk4U5#5QooSg=+ zi}L#lKE;o0^(j#o_c0fLv%LsNdMSWPH7#$vC9sh|*5(HX5FpTxoNWwo1lZ9gFxk>I})GyK$`Sjo28%gSIZKUvo zz&o4k>;F(k4y7qHm( zC1TL{w|V+ifjuvQ#Uu^U=6B@!NFcI%LeTNdDOFpzw`VF%c}N*;A7)AzYq{O*_Xaea=W8>jITr`sB z=BRTt26L!wj$I#H#_wdwx%*2x=ErgWi0!4K$t)wRquw{ zit0~+p8*<+B+dXQZ_MCCfC6W}$(D_Kp?Evn-L7&(mYkPKwnh5|4#1VJezo(*q2d1o zbMt9l?RUI}ht^+i1hXffH9!MZ8iS@oJ)day38la!t>GzB30}G0nbNi;6q-M__%EG# znD2)vCn=j1g%5_W#dy;!LUSgzqNe3G?zo+6U7^?DxpB(mn%$bN#ivk`(vGwu@m`G( zSl@DX1|Nvdt!r{lII8p}?}J9W<~|I9@>4s0c0aebmFWH1hfv{x2_VZMWtj6WnvmCX zyD79yDq~(mjPUDh@E*Nphg{hsI)MT{`QtTTNClON0Sga{g{>+G8I!3}=dizgAtd=G zA*L4h<0%GpC&rxJBnH`Xm%_t;%ke7Q%UOa86yy4aQj?lgmbM?H{&j&=wP*F$rhdIZ z$KLrXdg-w7$485Yy}YxYru+MpFbzjlWk--?2$@)Pac`n$A|st`1Tjh22>Sb`|F5^w z$f$avG)df~1OOyutzT8Gta)x@E9w2H^`jdvI3iOI9nca8tE7G$S6SeN#(6#Uhjmb2okh1?{^p*k%}En8f__N>y8jfRkyXW@;#!mAB2i)%t3f>Vig z$Y!3ONQYwOF$w9hBuG(%F|yp zp$|mz!Igxcwf94k(JH&>aXLKe&|iNJiy?}k9C=Gqx=TS@(JL!$ZWu=_Op{ij(YI{Y zLuC~1qa*L(xxz!cn5KO1vlO@tP=EYN@d$4+uOb6XpB3Sez~a$lJy1(^1i+cv@Y~6) zLR1!<9>u*MJ-g6?l?3eV+t*fR+!?}+6-PtF`Ou1Oa%y=|>>oi!tzEl^&%uKCF#{-p z_6?M!gC@-&${FUgn77=?$)98(=CST=_OuCWHwkNj%h4yll4NF>HD+b!g3IxX)%?sd z-Jla~(kX5(xd~Ys%+rO2f$KX3vy`=+pTkY5WcCIlv%j?*q~$3$F?s4f^19(I{@dQ> zZ{zCx`NOv;)ilz5;mF*2zn`Mu|M+WAt0ku6Oaq3qnYC5`Y(4=KrJ9W|bL!n>rk-LXf zMWQj-BLAnWt8i<=|JHzj8zte88r=pCoYbg+bO{Jb2n?kKQ3PqJ5#p#xH;gV3C8a}3 zI+PA!qr10Vo_l}yd%w^9{0ZlC&UxR{6`+0V3_^rT&Q)EXT!l;8`0a8MqImaHRQOOe z^-ivXwa?p#qESG)IPO}n7Y7Rh&L8(j;AC4)r4Qh{X7^dCXE|fmB{(5AcUjh@R-0ju z|ChEBw_u=u4io1lI@4`Jaf76~2DdUa$fUgcK<~%pnq{*R{s^cmYeYR-E>3Qvz_OO; z6o$}5)Nv8(nu-4?w=JI9Wd9^r6;S8#fjbf0g)Ka;s`YBmPb-YLrlYAI70%yf&Jva}RvopxP@$|%7ztCnSqvEo#vKuo z6jp22od~zXj5Hyxb`UV9?g9gYB$_!2E7j?3j8%1Rm^Z9Kh`2rYh5T>7@jo)YVc6Sn zdmmfi9TzSrmdF{Bqqg9|N zz0fei28~i^L0=wC!uQ9z#fyJr(ji!`wRWYTpTr9+l3;fKT8bLXjV9yNXy(G;IVORn z9Qqp=K?xaJE+$1}@0j{&!=6k6%x!N>C&eUNRD3QfYpz@T9Z5I(LGo(5{O5#N>i}hK zovl}(ek#a~j{Ku)k%vcjMk4%d*2G4sn2N* z=T~K_n?$$g0=_O^-4ms;(Tgvb{FiJ?1JVqBXXbk8RWgi{f+uU_M8K7cl;HB=MXK9A zmE;pVvkdmfbCd6bKZ7CQ(OF_zmQOE%Y^iPj!&OWx+DQwju@HLg?h_-x4BLZ%V-fU} zcU&v2siB=g4kf*gR8J%@n;$4NXd&tp%2L7z%~afv zt#vnV3S3n}^xwi7CUh$F(|ilpRTPOEd5Ae1yzD1&nIecLHH)cu3RN6q(H4w{1KIww z($RLt6=>TrcE64)RXE6qkuOW;lob<5F)x^UfA=9Pbt(z_C@xola=rEW_DK{TiI_Xm zgdnn&zQt(ezX{b5cDcjK|VgPf{xx z#^0jKeh>Zc{tv^0qzq%Aclnwp&&z1kiNy+~R?%H^76-t+F4w5YNApY#}7q1+_9da^x;K&vqc6m_H?HA`7~wRtMUia z8q@JBIJOmFta7f31T>4354u7y$n5#t zZ+(B)eB0JfqdND)@!KhX5j{OU7Wc&FDyK__mxPKL*%cNIL$RNW44A|j=5=K2F6jEk zA(JMqPZPBeGW83|MSz57k!b zb$_o@u!k+>d$tze_Us?xp`h)sZckAr6e44_+!c>;3r;8_vYgz}n_Jsl9+dVzVfeUg zQ=ZAzJ}!q$l_U?DdH|3c;fSr5UFoB~bMmw5QGG+mRL(MLs5GXUJCA~={PLzt<37sd z9yIoKTlQztuQZ`l^7b6aER1n}W06F9Dk)t;OPbMBA5+043-P1u72H7W6Di~s1AP3h zR#j2>XvVFr?IS?75G`M_(!St2@^NCc{q;xZ8;f_ZabHiXBMKk61tlnQdOqM)cMku^ zXV8EMc#E5@h-@8{HZhbwN+g4PQ(s^AvMI__6&0S32Lt0Z_5<9ZdbOo(;;2cqj zxY=l85QT!nyBYOD+k?A(#xO65J^4hQuul~^$%up9y(`xDAB5z}zu7-{+)HTVVV%fr zr%gx~FKlNMuI}U8{z2q9;lih_o|2Yr*2cm)y%jXR_OFghMm-Dvc)jDVh&cf?AeVB2 z#tRr9hm6IcIC-}$wAI{aWL{M^1k+8@-?R?gt`PmJ?=)B}bscURLy3@UNX_UW4*>X2 z*qQ1NaD1;^6@ zVl@VcXN|ws$skyq8TU1{pM_o14eeJvXvv=gnw>*r6n>5!9raWPK5xE6Z4H0|Ti$r} zzwwGHe&frC`;(AwkuC7{YZD3DjRSjemp3*(-f%nfNB6)H=#i6{J~a-E~JBI7{sh9#ls!NBDBxn9t=vUImFMsYmPHXhL z_A)pe;T4t;6{0=*Eu@q6OGDpqaI}<+ET*{*QS&=kWOD5m&Ge)dpHhhbMT*aRAc6fl%4hdm$n>4DUMZg3`jWQfeycMT>l-&JVxix0@_;Dw5Qz8_d7mDU5O zYZuz<=r~UH+b|P-UWo(8PqAqCy5B%vdl9raV`MuUzpBBgj76+|gK>sqvN5+>56$## zxHA@|t1$p+A6k~RdpDIVb1M7D{97gxh?!eH!!45kE4DHl3 z`V#I+N;>K44Yp9NtyQobC~Dq?d?SzecJOG+S83FpBRwtd0v|Z`{@vBo&j6Gw;1GB+ zc(sAx#N483_3T7%YUiQ7T#R|SsR3gb9;^82{2XlV3GH=UH?uR!0zyHh?#hrNTw=j{ zVmSus;YbYyvnU0`vI2wFW`in4cY`Iz0?A-1lZqj#`(0z$jQ&`Vqh-6{QfSpN5rfSiIGirQN zR_CWg@|cX|vezde1}b2g3---(^Rh5s4V;(F>X6W}eNTxuV4EIo@8_Cvd95~Fx` zZ+Cu4^doy_HB@*s81m=}qiCj`B$4ASI>;f(LbjXN?K{v(%t0*NUB{N`ThEzFm~WPP_sl+6{k#yP zzrR4Ps92hjHXg66JZvyX0wLS8Qq@L4#WH+>z~sWPm#`rQ8&mpJIz#1=IPT7f=;aSO z4G2&-iX46ju?`BjgEXXhQrGl8(4z5$&smULv*1H8S)K>Z_6rTm`kMDb4E=Zw{0C0E z%A?cK(^+$!>}m{fwg%@bF}612K|SX~qT1nT%dT>bJwX?K9RPB)p)f#iCUZic)RbClIW`7KNY4G zVqOQUpo-^mYiE5sQzvqa>_SS8azI*LeeF*%YS}m6GI5dFoopYp`f%+ZUI;b*x>oWi zjC|4Yhnu>3XVYY3MU(zfCQM3~Z|v}OSKHt}toA%xb8XOacO7@KG7Ej_8L|BV@Nm1* z{PEtYqMK4gpMcwM-t54kvAhm$vYXCRLu={H*=0#?eb@5OJQSQ{+La;fPBmShOtiHM zm49@&lbECNPdeLt;JLOT^#Xr)kuk=8ysJ$!L- zCgnlgBb;#$^<>sXQq?K6waxVD29pf#j?!2Ms%JI(FGk-Gn8cU$^h>{$ul1s)bJ9PE z|0zyKVCztcp_8yr@C+Xy8~72dmV$y6-ngfwl5eP9gxucZdx^@u{`9qe*gh@*@dZEmlZkd`6Wp$_vt49|BsTdjzWXtgY8hWSSojhy%p zx&w%=Pg(67d>RiHX0#MsY##l!<1Wkz!%f^c@_5Cc8QO|GAxnVc zk=%CVu=t4k5pBiUsoNIkV;u%YuuPzkeYPx*N^2K5PR8hKFfUwSYq7n984i{Dq(EIl z67eCm?EGz~pnp0T=~2L>sG&8oUhUz-agEc-@lkk4k|MR&)a2nk1RzLARi2*)g)dpI zAA5E8UA142oXqj(dh6@@sxcAIp8}X{g6s93P+?w_-mIsWlJN`syJu0K>$CD@?ee!m zjHk)e)I?r)QIwKPAlI9gfsI$qr70@iT^GCVub)~AT#O(5;_g_fM9m%}y8|vQXMEPK z`Jew5laiNNz1Ydv-NadX?e6mVAMFGT6l4<63#yX)*cWn<%QdHLM#sTi^4 zH?HAw(~gJ|lgCSzCTL|epQ8Mm*TkmTyGO!47~rB?g*$)REDoIA=5HxBV-y%Vk;7N2 zeM7y_>x2m|AkQ6mYTT8}-je3KTCe^e3JsjA35U9=RkrF~lrDsaUm91%XCvm7hOM=j zvl%KqG+EajOz*=Tfehwl)62nBg5m zxcZerhNwH6bZ}!=p$R^BWMXpKR%Y$(LtVK;gtIcdKV3jy&e)_x6zw%D)Oy8vli{pn zd7i9uzHX`GTDW!es=nw})cMxS*^V|QdBcEmrFCv`riIxH1cv^>HM$l0qLoKa5Rs+2 zzog{-T2|LViC?nk%dV1ZH`x)6u;hs0L6O#?sK<2imaQ`y_C-C`0F|Y?oB_Nr$^awj zX!?-cWuLiAG#eakh<)162X?2m$!Tmw%#`RU#exudj*jzJet{=goZZG8cRUWo9sBezfZHz zHTt)HOq^%JEN;$Sn~=QaqB&0Y6CX$I12wp6KlSdc+PK_^onAX)b{!#Q9rbKI3?K_B zGQ4$}r~m)LN1!UdQ7$O$`K{`>8GVIU)Gxg&)@^NO;4T1*;-`n<$$Vp&R~%f=#f@R0 zujhgj+H`<-)cX_D^KjwZ_S4e!a#paUf0})Al8iw^-cygNY@D?x zwFH9RVA?w5Ty>Uc3-%#Xjfz0CsW4*bc=QU7zi$;6l&U!^h4aMR*3plnw^7uRvYIN8 zpBy87bEnQKp=Wuaz}Yql$OCmjzR7nmHJDZ`6iOuZNM%Pp#{EHha`~$_H!Pi5`t(*R z^Q9=Yo#wb#t(jvD*}3&maN6JKhc9olBxydXyt z4;)`({6sUuv-V$k*!!5jqIeOzi%d>3BfceyOvlEwg0N?_RIt11ua;d8MKY=$fPQiN zd#t^tDkE>{%BEZgf}k2yhQ(RSugF4klqwm4kcsC;p>IOyNWdOXcVDQ%qt#!yozUF& z{E7dT`b`Gr3?hP+vyu#YAH3eEZbj%GY844AIK*F5%43t46n@r6dYg-W5N+!C@7<5Z*(iNG+^Um&vquILLxH}SjcKrJH z(j^eWrQ5It!bN74G!cdGYA}O9=bpeFhw_`mklYaNVcMr6tlysMQAt}Z*+i*mKpohB zk{UqJfo`6m-+`q=9W9PtDm72tJcy)fC8z_FL9gS1MA&)i;OUhYwBr!(R--PTGq0N7 zv~TEWKT#08hdSGGC1$vC5;M?@si{smfa2thlF78RnMEu%scGJAXO2~YxHNy|Ad|KR z5+>Iwo|Q7E&ER9k9XtJ}M)Qz=*I91MB8JQ)w4u9QhYYrXNg;x>Da9Hf_BXY-n={T4 uD#mIheYwlaeE}%f`hT(l&xqcK0i@C!??8k`NvHF literal 0 HcmV?d00001 diff --git a/pics/hfl_qrcode.jpg b/pics/hfl_qrcode.jpg new file mode 100644 index 0000000000000000000000000000000000000000..6882c09e1ee4a785ae819ffc0ad3e9ba5681b89b GIT binary patch literal 26503 zcmd6Qdq7Ni|NlvnON2^Nj7x;j5(;gHb;*4eOYVa(5{DSdJv|K5ga2UKLToao-=+=vFZ|UO{%g?Qz@TkggN}xV?b;i4G&1Vcu~VncUAlMe z+@)KWPMx~;=-SQ1)XdDx$k@DR57VCAP0dWv57E37r9KEhaVod$Z$Us&^B@EvUp+8MU*(6JMILrhn!jh?=Ko3{Gs zs^Po+;QzVy_{meIPIH+)W9EY27A|sKykx1{+I8!>8{9W~|GsUzkMEA10e|e> zxBt(;14l!Tg&hz7>%__P7cO499C799wW#PjF?VC{-G7jr@+dVe{c%R-ikeNQCs(^UfDo3Hlh2{!}N8x1^=tNv2X6H8{Ai$wr%y>8lwBsYvTi7 z`rXtG!J6kJ{bd^p}voZzpvaU_W1Owr1<|jyLBKK z=1nv(g|B{Z=fCK4Os`Q-wNp?`^cHlaUptSN^8%c_HHS(cI#l87qUguBgjsdNhL;m( z7h7bnbaA?!w#5;1^(RuElkSqHA;QLqFSJ-=uW-6!uokn)S2)n6!X}S9q9XhN$5cI1 zzAW*iFerZARW0U5@#fSfyxOJQ!L3zi%(rgrzsNg0#IU2+>9cyH^(a>@W;{(3LA<|A zl=mKK2F!=+AlBneL-uR2 zw#@JRYFO^7{@GG_MvI+4p~a4Mw$oxEku_S38fYVPQA|)C!%c}&H|iAK-L8sLMcyLL zEiGtt_9;+H>bni9YMiI3lJa_Hh$D%ld2kVr=s{ZSjlC9|dpxW*Lfthhm|7uhXsg8v zn=s8nQKB)m(?K>ti%o@Z8QhBlm*h&)#llzv{``3m12-{!UdQ2J2&pu_FQd@`2JP|Z`1)ZB4yOPwl_B#|aWvYTSSBXS*``J9NZ zzAkvF+;!#VWlep~ykAbOjt!%IEDCoY@7onFWX}RY4#$LaXH!dY`EB(aE!M$YX{Y4m z;m?L|<_jmt1l*=SL$~v<&`Ph^ptThhaP2RZb<{_>tMaxYH-K*;6;|;&e;`+@hKDPs z{y}q2tmfIOYZJ4#){ZMbY`;6P%>!}Xaw6p}`w&@rfha2y_VU}WGNjiCH>qq2oL_3O zKF&Vj(X#DY?Bm#KNo|FP+oy<9UMg8)Nfh?6%!!vo6>H8eb`pwc~H2Y*mXX^R$)ratEcuzE6@^ziSPumC1zNlUw%! zou@}|$L;94CBh=3#AF3WZSD{vXVX$bwR$4!T1=f5lYLaUJknwYT5N5N6_u6rK&W&G z94)@3IoeRAV3#+BD;0Rg&?u{mhsP}ldb?FmRI!pgA6%GQ>Jvzh7GxBUgXsTVEE9I$ zNUT;33@_*(@T9gz2Eo7Rx1Q7A)TTHlzTG{Mg=?{-A^1kSK*=4Udbpm#@{vRy(%D>P zSH*hY<8A``jFPn1Oqmhq{2Q^$u`q3vcat6`jC1S07Tdo`izRO&Hb|&gLVohQ$4Gqr z7%NF?r(IP#MAuJRtR&z!bSSV&lE*pVY(v?pY4C(P1fonoEbR3>;M{y)Bs zOVkC`PJTzqPI`l#lrTz>^c?Q2k+Tuf5D96h|BM9{2ii?O7GiAVb=s=y)U87KZ$#rr zJdkWK(qb{9wh z)T*;oaD>B_beZpBbv144I4t+Aq55ZY4Q55etweCPBomo zdp5M>nPKHw+uCTlryJe-widIngnSvR9>$@5(PHnG(wTIYid&$?p5fAp>{D6!=p--m z%#S@(xWDoeFVzh=D#7Q>wqaVVGB)AOjyQoL`;FqXaiZOBGR6k7Tz;I2N1KV^J@uvw zY6b9~JhoNraOQ^72{whnW7%;*)fJ9CH7_-L5(ZO3sY}(F5}t)`)&e?TF(^V=69d_J zFl1x83`+6BNq-zN>}Vf!cE)Hu1xJlL&{u@?3PO|WqQ1PJzEY#M<){u58?@L4qQoJr zToa&qSj>~l8Xu5_xk@9-OukGxSCJbOZ&BiX!8de{uGrO7G@q2?+u_ir5A`~Ic;c8$ zBFQM5DBVuHG0|eY_xdHq1;Hg;wLK@DW5Rc&3$@rE2UX@(q+*oHCZAt3{`C+o_KN3s zuWq|Wdgi{=k@X_njDiGj;G)GstEf|2Y>QYkrofdHBoVPfUD@5ux0K@WFqyjRQ*fP( z8phP!K*%2kP?S3O@!;`o2)=V;S#H zEhfK1lv>dRDhKr}yp*MK4SidXYS<)+fi`Ga!uzx;?;xQqd^>au`$M%@nj>5vJf@Bx zX%lwi2_lAwaZXpVKS67ytX*B_pb3QvusF`Ay2A4%v`XLgV2Oer>iG&hiP!tX*->)O z2+g6gISx-%!)roJp`@5VKwDpXy!EJK`CR*u$L;*_nTBe2B0{~=j#`2@=+oJ>Sc@eJ z9iFHNl_g(PR#bacvkxzQTS51lK%4L=SC0H7@gznQrn#!bqlj}vy7-Lo39{-ew<)HO zi^=Gm%t!uE{lp zFPS3v;cRC)_i#H@1mS|4yCmC8E#`E~{&f7|9d1D-t1u`VTI`>46X(C=CO8b_ySpuC zp`1qzbzsGEbh$C=MZ&_Teo#fe4fV`BdQB1VE=RQri7@ipB-#`~w_m5l#zfO4LKVTW z)ity#=jMiX&h}$^D$P{WU-i(}^qtHo@J|P;65ge`(hd6QzXrg^s?rTrwc_%|qZen?PPtxT*T0LYbevNg z4|z1*@sL=StFTA&(xyA2Z_A?p&kIU?WHaRH$`F(j_j;G{sOiLQzA*M(a%FBt9basx z;iDE)=;K(JJ<2|dKTq?}*?@1ZcpXt9vG6T8Q$45PAl(55ug*4#+((jbTC5b(J(HSv)NvviN0}++ zfN?#!5i(P(-}6Ix6&8J2C!r*+A`g=W@lX=8(gcRRP}goNb0rIuCXIr%SG)5==E5k^ zw{)(3sDB4h3>0g^PCep{BDiWcG_)E&Ee5lX5tEk8%6R)(g&g@|sDpmt^dMp_N=ijj z@unLe;+z*r;z!0gNexS^h?H=$@-~s20X3ba^idLY+r|VgJf^(Da-v7gF?|{503I8W zDB44h&rw@S?W}r3`^F1XM%q;!Y*dq@tizmr&#fIdqpLjKA}Oh@>pM|ZtZD>*uI3;; z!IvwwNn^tWCHIy~QaBswSFaN!9)3#RouyeG#?_nG9p@H}c{HQ8Us~1a!PfjpxO#86 z`lHNAkmLzlu704NzJynr$n#o^Tg34@B{QF2G+Fg=@uj^Dlf6vThrQwqjoSBtqt|wH1#RxR zLyH}Owkh`-ox_pON=x$<}D4KW_O+&E6>~NlQ{a50KYQCp9EUr4p zGu<%*tA~6By`J!q1oe6^UL>Ht&VqOfIRN!yfE=X2ZKc3%Nv#NUXM49nI~JjSLKct( zLN}F76QSO<<0o`ivSocX+_5k84D-mF!RtQ`X1r zt;%76@ayK)-}&o1%FUFZk;ECAGG-)Mamf!oNqZ@6t{XQVx+>wp@0kyGJ(Isp;qZt+ zWBXwOh5JBK9;}JXsNK9KK*KA5k^P3`cem~1(xw|meh)^-4b|PlmFMB@j)6#h4v#Jv zGK33pmyDv5pks$l5cjAfa;B)f-laF(KJ$ia$ht(f!}0k=-v09r=Jj?78uj* z$FS*XA{c7YIQ7f$+8ixbU4Xa#2dpWQ?gJpsS;I%sLKU`A2)ND>R;(zMWyIg0xz6|g z3>VNT%2|@=EW;D!dCQpI0Q%~C<r!vO)9kTbyz^>$%`YDtf-Yb1SPrHrg7lH&j`|J zy;m^weFew`e-BLAstow^pT$dzr-Jp~@+`QLt_=B(>Hxsvg=I z^sWx$rRz>ZZqy{?VO4w$fY)I}2oCt0#L!G?M%eQ2MQ(D@~Pmp|j`4su;o zT^YR1GAR9FVePs*INi$rX zlDUuIuw*oNoq1EC-v_eAH+W<%c^Hq9=mswnx`)F)qO=cPP?wN&P=z|~TD7>oJIraf zHC0?6i=_00@;GHD>Z2ke@c|bNMqbwe1*{Wf?b3)=LsVx15;d$+YHWGvEdf8wDD%7G+Z_VV*O~ZzSJSq(Cs@|fpWlW zXz1d<#S9m!cGAT}n}pGHMlplRZ`lU8Bu59+s{3%m2?nOU@>9tD@_k;rGuk8&sIowv zHX_zXD_rOv0E{7M03Z#+CWBXSM;g%+EjG_YmVSy=oaO@<8s?{`GJv$G`xFC3c#yga z^C_MT*2jE`7wX{PQ_hu6^9s!vlt5FL_-8dT@-UYW~tm(E4XILP<#)D|xX zcyVS+&zLyK-}#m1fw6kRD$1J9<|sVHhn$Nv54G4x_FccwDlN8Niv`!n94DhNJI#IRCW`O&Jb{Ata}2~PgA5jP<>Wqn=9F)LA( z83T0p!q?X5`(~vr6)MGnWAIqNn}Bn}>GEmlW|PtVnvwMe$9bpM*3J-}vsElpUets; z+XxC+z2oO7LQ5o&zeZBLGES5hTj#;y#oSi0^JQydPBl2pPaU=SWbto}&$yn`e%nLL z{NbaCAZLSR4CD+YFETv^J?!ygM7oE)v}i{$n|at@0E+ZyEEE+c>J9K@bx~31Y@I_h zQIU$0*&7rUt>SQ~W-s)O%WTp}`EybMs7>i;m9er5UgoY8NBLcl;R6R%aWv8A^miATIovB!wiZ_X(TETTK`0^Jh)3#RhA3)L1jj}(EO-eWxgosQm@iLX1oXR zmDbccqYRh&Im5p>$$Zy`)kMyzOVqR2=+jxOv2->-62&!#h! zoC(B;y0jl#MJ94O35NIzOJWay z5;L7r8ldCvG{+krqh&}S^mGeh(6ibaVe$B_{zTR#mVCLm@w~4VyCR|UTwihIvxJQ! z+52{U)M6&MW?WHjCV7igZ~Du(knZI`kFZhqBUaN%fC+N)=v-y+9W9m~9{P@_8b~%h zE!@t(_a?uVEC_`;>kQ0U+Z7H;WPpH~vr5T*30a!3^O`-cRaKG=F$XGnk`+^ji63|b zaw@zJ<@Nj(!x~+olY%;rX6_WcOP9NRG=2c~>lez5AHxv#dl}$3fjq6ME{L^IbDvx- zq}J3>zp&MVByz~B$+MI-jeBAJBjKuWjYGJg1~0VSRS}#EBZ1@=hnaz2I;|^_=$}C| z@Tt!w+XmJ|+?Gd^gyp8<^5xHisrjpZXB9FVHK?yiBX(%^I>QCNVZ#d4XInkntQKCH z6!7)ZaOS0b@PXBq{1dOhhd#iie?==7m=eg6`+td(W)nF)0AUeOwoXC~%>|Gb#f2lQ zlkU_&U^Jha6|=rMHDS;R>9D$y=ZWNWNQl;)Jk$#5mYPgL{L%_JFNB5DH}MVA+|=f= zMf7UsV0}1rR&W{?w)~#0<_cMIjFdkm+CVyF(LI9I); zdjO+XH4aM9Vw!LQiVyQy_VN-w0+@nT<}!|A6#OdSGt8fm2@R-Bl|I2cZHqBHu&RfE z|9Ie?#3{i>@TSLaLkaX9&5R6aA{K?g%n({Fop3+9-OpM~*^z0|+#!Q@g1SmseS{2} zP^656CXH%A`p-ZMH7PkrYIAgsu7$cUReq$nOr99KBKH+U0X!mWHmlweV4;rnFo`nV zK7a@chctG80JWtIhycNjx_t&in78z)>eSVB2tydkfA1AHz(}vpLRBXrwPU0rRy~@h zUOu^myrsofX|X4ERfLDirGSv8X8>w^RH9igi*sJ?xe2ldX&5-2@;wl^uVS=8|!$iGl?kX-IE#)v!EPY!T{E3eb!J`JjcR z0FZdBD7i-0OL><_+IUTPT{0j_`9<@@93Pcn=VhBfl@U_B3*@0Fb( zaK@|6pdn)d$5LgPvXfT`WDS^AS~{}N3txE$(K*+s9K9?;Y#J)z2hL8_D`9u<3(TTRjx3XQK#@gLXKS)hSpP z;joovT7-xK#K}M{LM_~FOF#AuzXh1QuKDT=Ag8;KX}+LEu)BlWZO)sSLZ{iVL+Dp} z*goKK|NA%qy6;$bgVlrX%h~FF68Ry&gY+7Sr;1(R{9KF8?w=o9MK=}|T4@#y)^E&Z z7G-WFq|B{(Q3eq13EiS>3CuXjXi@fsvohwBq1uecKrl1laKhWwfwbgpSd26;O(kn< zwOH;W$W${Lybr}o2cT6>7dZ6S^0gR)Rpi3^iFK%gh%n+XF}0{At4kXHfawQNy5_Wg zXO|m~FW0NRL`((11U(1TD(PN2(<(79ed_1A@A{X?fE+_Y0v>3i9u1hNk=g|=^#XiY zg)+B*EL#G<(qaYi!axmtyQXJ}4Lo8Q^~Z{FGChV1IR3V3iR2*ql9Alty|5N>J(KnE

4nEzsG4*jOsBe8s4 z+mxR3|7fFUIEXZ<_Pq4)-pL*1J1WAS9Gzv`!)MLb#i1G2wHq&39;m2f%Ld3@lpI(j zjP^ZPHt28FtPkVI6h|xllw-whL(<=`{vMoZRrbiVi)YYOG8Cz6~R);YDfI;Gt4&92|>80G<4i^ty0F;H(q z!{$oI@j&N+?E);^&Ff&hFas^zTMqo5_JBO{IECU8*EC`Ng!GkYY1bvXYz_kX5QPLX zIz#4JZ1x!!a)sX32xc>5XxV}eL0Xp3X1VG?MBQ*=9kJ0bxQcksQq)yUf`-rL1buaT zO<{IXx-Rkt+Ck)@s^o$gWx6SV*`vY~uwp9Oqr!9(m+&F`jo0ZwJ-pcnOnb;bVsXVW)BP%#S-%=n^JC8xRijPzO;EE3g4U z4;98|-3o+xtY`(Y0G?`G^=VnU#bd0VL-jk7L_xY|HutY)s@tF($3s2*9I_0a^dFC? z@G88n2f$PbVr6iX+XziDad&Kkm=(i{sz}EXUJq|ESOedScKndCmnlgGufIjy$b;JA zsk&f!JA2f`pBH^*-vsS3o;+*%Ts@m}=ZsO4W1#LxJqK1*+R9P#ajy|j%Gn6GH#!n! z(?j1L*w)PdIDK>uG5(dtRQ*HSL=q=gk$Lv8E9U^V48$$rZt`}#!(~le%N~#cm#0pE z)+=DIV>TN*iBZudT!xUjxmO;Awwq8(-ujUMh5;bXY&Y4leKrYwEQ+$Xj8sJ+>{@}R z1?Nv_#;)O9vvt_@uRG4J&>-ykT0nx0<1OUSJBH;*!v4WvL*da6_90b8%=`49v zHc_RAw&&O`I4M8Sq|&PpeU<6L&j98QBW6n%o?c1@3Q!mBm+(4WhI3;Myym?rnq``C z*JHm!sKv^HtIQR-u$bNki)nG9bXxObT1Tr4>(4$qBtLuQ6ssX=Tekoc zR|z!N$7}hU3?tMt5JB$skA}~qRY!IrqSggzc$Gx{QMpxfC}EsC^gZec5W)4AFa6E_ z`3>QD|3O`Ex1kaC)8DQ#N$l%dN(S%;?vMs|`_MG#?DOIEpA>~j72U6`c+-DRqSe}4 z7LI0`4s@ZU)*Uw|t5)0x*xpvrN$DLkUA;@*^v-e5@>ylG919j%6!v=Z$1U;XS1vgX zW)B_f22GI+IZ-CsQ_CNz*eu@XG{bw{<{SAd9>!$a-^n~`yLs@~HXW?p@Skc@e=iz7eM1gZ5gVR*q$r`Ud^F+d zw0E_Y3l+l@J&EWG+k)VT?hQ)0JicVx&$e%XXhQUMzsr)(mqyIFye}+~{Uvr@ZC2=2p&#pm7j+DJRT9JOOb zVuoYIjpZ-sjw|^SgVSX07ngn@<$F`Co2tkSZ3|tj_V!Nf_;=$1{}VqeIMW0l`k4EJctjKq<8hEJw;@0>DJA$5+_D-08Fv+d(v^YOF&5M$hNMz$; z=l00$?mKhIrN7QRwY5Ke+%aR#R(Acxs#34Z)%+zleWzB1RouR3uAFr1<_RPFqodjz z9vS7>AbMFtSxfxy02?-nOeH!}C(~84Cgs#W+Ee>7`>5SWr#}xnq-CZY8Q0deqV0A& zw^CTxK3U@R;FoUpcA1kqU$}yKS_>CYG&Ctm!<{ytkL`i;w_k*Atk@&S!5J1*9x06o6m(Ww0#MKo#xu2pl2diV zT;&YV3p799V=tJVN>4GXl)KM)G-a|t&I`IDmIZgNTmHSeO!Kr~3u@z)wnk z3`{3~r`ypv1nijXWVhuNh`HR`{IQCF1py#>JI->NDA+t-b*}b`J-v3V{_!6>{DPrO z;b7K2h=xLyFl!%%hO!uKeJ%nGrA;$F(q&Tr2PE333%NRiz|9xrLY$#7t%3dsaX}+y z&BQ3f&oi-Q^Vl){@IlS-O~!@HS_~1~0~dTDxYsw7@{+|y{2o9)|2z@%B~kf)=g}1B ziq=S{%inruS#kCK4Fn#*3Hr9&umd3nnXlQ4KR`J9fi^HGxA~` z%E^ww04wztypbwl5dFi39xS9Llcl{>Jawv|NGZJIC#3&Mjpl{aoGH33zD7eo2d#%Y z8+8JQod-j7AkLtO(sf;kGstvZUzj;K=33M64N^CeH553EWDAAy4k?#9^>H5COlbV4 zoe2~kYM`A?H=!FEJF!s65NiM+YuQ{Sac=jhH3{~?Iff}X3<@Rl#b7rrHRz>`62*!jSXc8eVnG$Legi#c3~LtE$2-I z)gEm*deW&{tPQ_q&C!JlDHTDV25XK2b63fF)zq9t(SmoCOIG_m1I%E&mFMFWY@*>Y zU}Xd)!3*A--#neeyZL5XC*_|w1zQwon-i>p1P}ZLkrw;0)rJ2EL16$M#YvT@%sq)u z9o6eKr{e8>3pTB^^O*AB`|9LB}$W+gzOyqbvJwf%`$#ycE>0w3=Cl9?jJN0JTe2Y#F#RF$px>^Ukco-jR z=-Ts*yPfNEE8mkj?{B(CbIQhsdMg%4x5r8?e*f!}>c;AuYL~IcA4J_X;hnuSu=Xdj z-35AW-}X-3nH#}p(-JB~HQ#qaS$WO=;hXIEQzP9+E&ZUVtbYBjv|n_s*(KGWU(7n) z^Uu%fx@DA~VM?F2)I#~5W$yeXWe;6bAC#X=>;7}^X6hBx?wkC{!l?l%p&w6PH6PE9edld@qhIizTQ_qItj@eC zHNG{0r9WJ~L>`w&cE2N}rtG`s+U(zqKBU&nv-3i#PXG1cavl!oD$sTPEIpcEX{M-=8i^43BQ#u;RT# z{;$t(=KYo4cU&G;xTj-%+ddwtqT@M#Y;Iga&#oU_wtAk-?Oh}b6PNV1OWz(sP1+_~ zDxJJ*dVOGhz3=b!Az{`-%=3>lUf6UseCS2%Q?u5ZRD$vVy2rFA+#Tn{i0IwCB|>wY z%VxbCpDr0}uip8ZAB&IMA(GSp;S|61nT#K=-wH!UTe$xdL*~QE zW;hfS6LPch;bIHQK@kcG;xDy>!mfaf`JHoXX&$galu-=F?EHzbPXY2dY#(blbh^_N zK!`gFQdnp*JjG3u=&)2fSY|L-s*A?qGnQJ&@Lz=T7azp>kI!Up+AN${?%K5-U^yI?nU4U$SH8@hzZmq3D` zOx`sLd9d;4g{hY%aKgTot1T2HYcWL>0b^e21+uIRa<;jWRmE!Ds|l778&qtyZ(|== zH$)WzwXGzcII$0GXqxHAQ%(0@!iEbxeteXVVEA-5 zU~!Hpd{&=Pb_fD!xOBS}4^vp9wcf4ZW{souDoK4}9SI%#op7ZD=m4;DK*|d=gE}*W z46&_-fAtH)w&^Mp=tija?RIX7^!@zlau~@W(yLUFHPL?OE0Ixb)qL#?094irE%jpW?YoI)KcG!>(2iYin9@hU){^iw)2grgk( ziP#Q>@C&m&O%pHm!ZbsuOA2-h%OD;&84Mc$Zzkb#kHZoajd%mU2!mXXwS^0ojLDkgSOe&N}5H`V~Xy8-rXyy9_% zXYF^_b3QZ8Jt$xY|5;I{ThpzBH68Cit?7>FHC+Pv;6-Y+YKHD!?l&(G8M@a9M5bcs zUSDu|{3ID0QDvdXmAV4uPGsS0pC~B=#u6~U5yh!JY|j|Z-I?W|WsBPg`D6&OfnO1* zJ4QpxlaC10T^MBt!p3;b$_|8$G0KiFViv5AIgAXCf@eR_93wVNAG2#3`Lf%&C%{}a zE}(0aGpRtrXV>aM_e*Zgd{{pVd?n5$3tuwC~?oRXAV+ZwK#{&-!}%SVE4nu7@g zH+H`9fn#N-w&8jQn!9XR(&Od0%%NHBpv!?*?z2@T|I8$&?EC2E=3m?0oo@v zVfp($2s!g29gsP97T5aZxR@m)Jex zbt#|%QY7YMp1MwdIAZm~*nRzvZr(mEZB12Xid-~;$j?&RA9JI7IoDhsHGoaquiS1s z`bOZXV{h{x4(oOKdWhlyXS&&RYwt8;*36UQWjVty4P0@=&Z&no^=H2I z>)wl}pBv^sBld}2{u^8S{{Cj>oy~6dc|CS#LIrV0Bk9*P4sHmsJ4~Cmw!m2c&GYyQ zM)M3gKTKl>bEikWE8W2x=xRgcVnkQ-juTz;y*Xe&;|;1pHC)ZsoWgJ8AcW>JB?hlz zeNe`(^a(9*Br69(fV!#jva9U_f`Rc2sPJFHW>ok^^(lnr4rrcQKqCQDizQ4g$t_dM zsn1hOq##SEPn4cQ+?CRF$g!}(CpW^u4bMjl!rb{{I&xPl0Gi(J+(SJaKt3TTgcw#L z!tRmaMraBXxk)D4WVTvraR5_?9qXf-{9F8acsE2GZU6o?iDqRXQo;fM83>bK_|JV@ zby$CwJiz)7Gnu%D9nd=%tbd&*TBgJL=ag3=F#bmDrouE?B9NQk>7}cO;OYm^=^XGM z$Ntf!R=hsl+nbS~!Ubj`oFik5Y60+Mwn9M&rOZl&e*(F-SvC*}EO16PP&CW1sg-QN z8WJbG_mr{xjzAjcRZS|hYet@B#Al|$ZP;=ZHO$>E4SI|5BOyvI>$Y_u`bCm=-J3>| z_lN?-z+#rktq7~oRsC=d6w1{J68XjZu>2JPsXwx&Cf{57m*ygk_(~4SzH%L4z2rXt z)=R$utbI-ON?@C^irmfVeg#v?`;)@T#C#EeHP4jLw_Xc>>zf7AeI}Xe zsZ_x91>8J|fPI*Ai|WoEn7+XIUI3hL4bX6BUf(}tz~SGdhga} z#WN*Q5{AERN6AWsK|%{BbPRn`h|YeIDp$ncZpcq~?lJs2em~~;65;Q;-E1E3w~X3y zE~F^}7}-dkf@*Z|exyr7)Q(nIl8r^&Irb$;p*nqny1%q{{j{bfzDGb3PX=u3x~oIt!I6!1rXNw z8zNQ_>)}C-hRR){#TEdu{v@SOcZ`O#FcMa~NE38Vo{K2zoB|>5spctS?}kDK`^n-WUC}y*o=a z%Oj5$S|!S}OC2vt6XoNH#rBFrFDhvr z*(r&Kss({)%h%2&PYdw32UYVJKy1|J6X*@CHbQR_tObRfUd|(Y?dHja2c1@(6z#7! zwv&wwn10)z4DX*Qbo$jcX#5Z)=1%G#@8DH*wjO5kAEjmAXSdz}o-;m>U@j;IAxbA- z^V!I3Wy@%A-$>xKaMUwax;B>YZUHDUJ;+x-Dr`1W>2VJHujlfJ9t_)NT;R2wVWdTf z*W%SIEn;{rOlj5eTE567SlG7$l!wbuIM0J{zQlCGNO6H000?Jz>kndT`882Hh>v9e zSzc7#Pb>Bc5uU?WiO}{wi3eN0gw6`#;VwucjKWQ40AW|%+UsCP+g}YKU!}5;N*6f2 zl>+of+96dBSXCgEZZnP#Z_#Ok@9NX5-gdW5?2wW1kwZ!V#>)?;53Gix*bdV7<5!i? zt88TN!|w={c@(-~m`wP=u`S&26Xk>mL7bu06_z{FrcHDb(O-)JME>|XvLINuvQNR= z(W5}+qg&a#DsLWCcG9ivb<-hQ*_RO^Y1>Q6XBcLFC*8$M!dc*lU_>Gk+~v3j7&1iI zze4cD7aBXJ!-I@*)B~jR|0D4f;OmYtsu57EE~Y0-@($GCZY%NPX^I9SQ0)^iC^%D920Fpe@EklL<^U25De%YA30t;a+@n`c z+!7=9o)O{+-Q}C0Kc}`9!aV<%C{OTIN!%e`TKH6}T+sHt&jKjsx)x2RmTzg%kWi0l z(U4faRf`77PGBQd#UaWjoEi9xj#7B8&}eQ3CJBHF|47?(_SftoSBatDA=cKkVHC7X z!=v-Pp^@-~@x1~6nP*!rIA**Joyc+ryiFf3y_jI&d#Y3njWsG0Xd)KoJ0nW?JYe4K z1XgxzjghC=F{xGrQ&KNTt#(Y$`yX`81wY@8P4KM*Plg|~m(f7#26dZY5d9*c>`w~G z5JA_XIX=uVui1cz*V=&St$qoxwjA&;D))!WbQlf+l1S)oQv&31jIr{M6SCxS6NtwU zD!h-c2*fv&wBnlqV~^pRfr1i#_0N1W!6H6#RRPl6g=MTRd^RqDfpBM2q|!ojpC}E&OUE)K zn`Ae*9J@U7ovo4;?I)D6J|(YEB|JyUb!cUn<`v}p>j^mlgoHV;U)!b{3CN8-nom$K zJ6f++^j|S3Fjo+MWv*aCv(B_yhYi(S#W&)ClG{W&&xCJDIY3ZMPOzjrs>uAMc6q~j z2~U*=7c+)d^Pi|L-vdJ{$D-YPF=KylQDD;xrozwiq0M47>G&Pu4lcLMtc9trxW<9n zu1;?S%({S+Pl!V2aIic=_Cd7+h(pLh>SI!ZkwVNkNZryL2d5myK?+I8Rsj%ZRhw>+ zSfV%4iu_;TrI1R5{D2YI{s{GM#E^hd>l?QkP}}@agV|!wVXzdB{vkHwP8dyk5@{Xz zvtjz;(x+v%ndCY$-@7ze_P5+71-Eb><%^hOfqe$5pbW)m{@&)M6h;@#VwCI$Oba{5 zL2{pR#-Yt7XkS%~}Noru+N1CYD%4|kT0)d(dM z;@pHonnAy@NbvkGK);3t*-HfQL$Ip=Cr>-WZZ{?SsYSm-mxw*-L(Kfn_O z0w5ALw*sqmlj9pf5n+NeCRDKEkNiq7f>bU4PWlcaC*r?I-&=j^!v#QzMjjubEn_J1 z?$eq0L^8uanE133B$o63=X~Yd%5n+W%(P}*gnkE5jV8abF#t|c4gre+2F*K#kR1hF zDOd*pveUwQ%!3zPt%{i7m9`ag#x#48IuAB`M2ZWM3gFovFRSo8yv|g`&3AsT6jF*h z^+VxCXt0;WZr5Vr6PB?+{_(AyqiZ=wCRRZk*6h)QDBKQR)EjUcgL1k{!)Zpu!i)kYEvsOvhDgXqX0C(m&p+1xTobPmRmf?!=DeEI1+G&-bs69}8Hk*kBL z*GWjbx=kkMQl_kaiS%Sg{>Mlql#`i;kjbstJz`l++wqFAK=Vi)r)N0+q zOFN|RAxgVITzkk!VDI{Xq(n(Hx%GHTa*;mat$qU_b^qQ4(-+hvt$piU)ZO0#0iYuv zy0Uvh`gHaC@45`|#A|l|n!lc!eJ-*K5Vo;uP>(Q*Bs&m~#L1ZCJ{GpUGlLY!wS+LExgJ(`nB{t!Rr2q`bpTl+2i8G+syO1(w!Z z4LR0)5jbML`+C$zW2@z73mp6|Bo+{=BN=T%MvDX5vX|h1Li)OG-;rh3dX>Uh7xkuaL}udJQTK#$AU3FW(W?nJkgm~BwHT|I4F+Z5 ztjdPX`E_nvD`X6m4d5=FQLKZq5xOg6pzQwOf62ffgIa8h-ge`d0eWF{AGd6_K5U8r zhu{C((CcHv58I?ZW_?{T{)wljzQ!2AybRc_XrV^^gPUdf#{XpD_}^^O(0zU;>4BE{ z+w!y%`8Of#{f;yEH|v0M8=q9W}iLS=)?jZmc=5wr~uf-j3OCtgiN@ zb8<_J5lxOA-7IL$^3zTgQ9Ul42mv>I~twV94w0K3NBfw`vDyNX@{R5PJD7}lej zg6SIq${dhKXD>S;D6l%AWdX7v=?48mi##xF-b5BaU0-_`2%yX+jlkckoGl0>>z(7X z4Ot_7BN%`Foo~ZL)^CT8#gyavAWZ?7?8NKzlwf$u&6J5Y$doJ|Q6@l(-eO8tnWNWu z<45Oi#>Qd+C|H1_+H7hJDX_)VSZ9Uu9p_V37LHOaa6ThGJ4%528QA3@&gXC792^Fa z>ZIh;TpRy6z8xTyo)LA|g_dI%pJ9$|lrT!X=12<>l?Yj6lc}&{t|idC7rEpaN=j0$_JevM> zyEo*V)4Y4*!w~R|KNMCAzzbN}js_1Ra5)&STiVQpTvnx`t=8l3TMT8D zvB@=gcCh^b(FnMc@OEdn7^Ld(NyZ^Hy2ZPE73^wjKtL@+t6KPsy~~}gVByd$=>`Kf zGb$=U23lHtffh06Yru_0{41al$iY;gnSb@_Gym%5rLXx{jZ2VO?GUng>|+c_rX!(u z7C4ZI!GQ$vIOa_P2NDo#dDcAej|Fw zoUuQng_khe>d!J{q^*YO7j(l5O6W}3;S|{)or|Ia0m$gA^188l+y_0?XsA* zfO!Iz;K)k;Lj!7@m864a3R=YItmL=q$qmOKe;0#k(pGyENCjO$cmjLi6GAnsQm77f z`Ffg|$ntl5D$rsCI&7)V@G;Gf9>_;9RJj7J;e`iS^4syK)^=kQCkIssgJ6WIzk%;J z{_yl>sl_;rfLez9pMYz4*|(($k~mb|-O2T=l<~|AH(apxxFJ2`e842E(0QBLJoLDeCVnMWB?zX8=NuVT1fRrX2uU*s1 zOGDiz16J5Il1?NtF$c$1^a9U1GLEh21?KlK0ZldX$oTv(fAGi78Na{W!qWNw2fl7i32M33tATO;62Zvw;`#psG{P&$I%@sH} zBuQIsJ$F47Wg!b^M>aD{XLBnyZ$}px91c!c%-hAx!rscA%G}Dv)=30#+TIPIvb7We zyyjKmP;rs6dTT51>uROttEz3`Yi}WF2@n%S74{Z_P2gzdZbs$p=-}igkfZ#m(mIYQxScC@9Fz!NtzS#R|h8S&aPT8)36c&aQ<^!-PYU6K~LJ&(aOmU zCUg;i03XNy0oDH(6sE#Ipnr?)&v{jxEn(Ag{~sU)DJgYVXKPyr7|cymPLfJNMv9M9 zkdKd*i|tPmeoInF!O_gdO4-WE#{DgfwEryd59GD2yMTH0O|b$gU!av!Tzt6^#3~yraB=Nn2lSSxtmFwxx=XC;^5+B<>X@J;Me995aQ$z z;^JoJ5D?<{Q#60zJ6qaX`}}`l|F&x?VHm!Oijcgmo4d2C&mXt`GYx;b0BdzrafN!Y;DECP_Qwzh>y!iP%z zx4BbsvT<^-@%+yxyxv;DX8V&fPF5}+ZB9NR4t^mX{{L{s{$FYN!|wjCwEPME|3k~4 zPyCyf|0d=C&?3zKI|lqECSmsfCCEP!{uMM}Jp6eN7K~s~js5Si2D|t>Fj_gmqM<7+ z>`k>Y%fi9Izqf@M>i;rOI5>s`kAx{^X$`y~G48khZ}HI3qS9(J6DWavqw);4Bt__a z&g+kwm)qCt^7T4RkvOE?1dm7#DUF)aik_pH%lZ3j#Jq`u&2Cfs0jDBm@1~HvXe}&% zK%9p6P<6do$|q#^d8Tkpgy%JslAMp#=+n?jw^%o=X+8~ws0BZz8mZsO9@gQAF{`HBY1QGQ#C>Sj&{KNaT4v{))z#HA zQGLhPVEMQv*V&&nJfW=Qfa^R!H%=tMLq}v49NjwpQh1rw`A%K)4SD{t zCsg%JrXDD-+NT-!{n0kg7Hw)nesBX1zZK7+w6O!$3Y(JS0#_9ZSsi5K{^_hMqrH04N z$~)t|Ondxy0S^y@{5zB1mVPRoK5ZbXq#_T$32!8$M-ZQWU;| zA3aB;{iz{?!tU&M6ktmh*ne5^wKY4Z&4GrUa)?a{yLGou;O0WBu1KhzP9-nJtqg=z z=Yy+ap&p2fD53pwUu_{YwUoihX8-&5N7QfuGPcQwo*c=AG*HB{M@1n?JmiVzouY?n z|KLjlN2xCQFn)C`(D@4T?)?YhG>OZBq5T4~*V35IVGTC2Qo~bkRyZkJvqeOc4o&vu zIHtnhAA)e6HjS)~c3`m;_e zn${;h@EOH5NQbJ3q!Sz1o8y7$poChXR-m& zOD!#i0BPzIRt6je$BF0^_aR47fLT-?sUX^YM|jjW8vZ@)hSx%*aLIo0V~AxbtpJFR zum^XGTW@M^lZE12xpE@vVFL|Wq9=Aw#TftBK|-h2s2gFYrPZ*`BX(10OTk}b6E}b3 z^!6f!>~2NkYP*0tP(ft!IGF95M6{VgRFN&XV5K zSj$GkriOt|iVEHrMg?D=;?t25xh|hvzN7(ihF>Ib87o9!BgR}N;jxjv1$YdBH7S5p z0*6>jHYtpV@AG*!`v*T27%9;<-*Az4r?%h_5@gGhDQVPC!)>|fi(WCLfMqoqRCJh+ zCr&zOJ+NY=73*@lv=T7LDl9vL&RNDp}I{oXnOo0hOn;fZl*^ z8=_Fdz3#s_EZB^TU61%)$zPunlXj@|DTK_PX29U}4`6czk3qI|1ad)nEPfq$fh^*x zWE$*uH>`BrQ4Q@d4{S!!nMt&Ht)CqKJ||K4H0+=N97M2B9!O)bGb?NjpgqrA$WAlZ zdu8gT5{x-$dQWh<$a^WGnZfZaiA|CB2MMOLMu|CoRv|?|F0#3$Woco^u;-jgzEMM{ zZ@=8OlZ z;ckoJd6S|MKEFG zrwd@ONBdrClQ5Ox&|}p+vX0y7n5>_CkG3KD&p!w+NZB|~|P>u-& z1D`&8q=iC2ho4#{-q7kExE{gU%?!XNBwdexTl2$PLgV}}$Pm+@<tXO5%~ZzhB=-Fz+jf7;{rJF*SlMK4$>fz+?Q-b$?t2Z_ z#E{c3bY9HxuXy|OBVeJ{;8F~X9<(5@@LjOfZZp|wXI!1?WgZQAUVMa2M*UVh)9$r# zWPJ_zx*j;iCcJVxOpS-L&w)KsAE#@Vqr1b_nK!J1DN<3RJ_m~3YyAp2>mom?s{0`h zNR^P}`>adMvRj^!G}wOkWPn%vwM9|a!M*Y?9c(rfs-d}J%P9^gSw?9+9DCv)J}|<` zDK5=W45;eybzc+t&`%68_u$!P$)mnB7X!zcekFh$FE+}mo|4M=58F-?kv+ZdY>35APmIE=~r=?>?yzd9wQ!(a0s@aGnxVl2IPWu zM|anaZC$h7&ogJ=9cCKS@@b%fhmBM`A?UH0LSvg4LYXtJKe=iYr?FO_&zH(i42?;t z?N06%soFuO?K1!_9GVe~pSqLnJ>{3M(Un$IfLd{k}WXYkTa@Sa4;=CoH zxriBFNl6wIDX!HB9^I}vm6$ozEZiJZB$P8G?9~njeZ5`WS1cE;$UC%<-c>FHd(H>_ z%PHmx)z}?a4URpV!LLcuCZ4?oNY}|Sj-t+9%P$qI7g2|>7R!Jf4=Z(m6Km9lH|D*@ zzBQ$anc6jL;mxWe%!soAN~wM71bYUo<;DpUnmg?|#Sj{Nc2OXJLaujTuw1@GdJk_F zM3XU+5mmS1Ob2+;PfMYM%Ib4ZQG8$ffHg>slL&sVpV?-YORayci2L2Q3-?Ir(zc&t zr&4i~xXGUCda6*!RX6P_UY%U)bUSop!s4DFi$<|3WIvNqZl7KQ+=ix3(=@l(- zy{gHXJDt~-yezO=)*T@r%-Y&pR|a+13Z(3+xKYU(UD4;Qd?X==OE~f+3sZ91eG{*M z5w+gfSJmBC^BP)Q{DMFff6LutKDhM8fNmXBj#%>Ys0UB!%^Mc(4ECvTo!DqKuvrR6 zMsl7eS{kx_{dXT%AsNm0aP#{=;&i$U7QhK*n%6fX_OnK4%5s*O^6J+gu$J7CFu(MO zyy_T)95cG_d`RxpmROwrYn(;QkcKH@uYx{i=(cmtcCy4fzWPLP>|@4+qYzAksIC&J zE4}xYZ85y(V*(4a(vU9ONWTO~9`da?1Wz6yD}FqRhaw?#=ZN{_Q8aVYxf}G?g z!5dL4-24~VD99t;n`rvYC99%UV~}ODaB+=iQWS&Ue6??^Wc{gv55K*OZC=%EO8UKp zIlY0`MdY@i<+Z2q=rXR?IHD30ju%gl7z0hiU*V!)^F@K!Bd`9AfKhlP1ry3bQ3nA34aOyzUkN{psF)vC`ha}GUJB8q0YpaOw54|C3PE|5^8eyvqCzg;kd#G`wOuZhTz2VVVt(gLE7sMc5_@~q}%ojI((5O)1)1l6} zzw2=lQ9vQoEE3;y7^SeAy~NZ5UH%X9}{mU|9$^x{P3y zr4mnt0m;33U8)sC^E#5r<`arq*f7t{TN33~>V*8+nz8U;DHOzOjm?jE2~LZzCL(ct zdNvTq4~Ra!iy$E|*M!Ol8lh8Qi(x%t4bAG`en$ZKciboxPGk)4-12_7 z^L{_-J?f_;L3k}3N#VCA-$NTVrKr(`h(>%KHmck8(l!8*o_xz;Rr%(^L??c@XT^cS zXujci`Noz`rJ2E5cP?$OT^O(RLX~XNgP>vKA7v6_S!@d8<#F-PFabGORcWw$AW6}d zB?F+(o;sEc2L((?v8F73hcT8Yq~f1UQ}&?rGCUt@GRf?PtSffGxL8R(%5&*F73{X> zPOBCD0h*iy-ymay^1ad7>8$J;JT#d(E#)Bs@hF1nL3oq#zFF7d$`W#tRe4;6c6}2| zsWxlFY30~F+9(Fs3z5gvhf>ya+%hxrKaky9oSso*xzkFQsDp)Gk=j#X0VNMVZ{JKd|)BRfxuW*WhD_PTtm$7_3rUB53a^N1@J^$ZA~`9}(a3cqWCElIJ}Jw?4RI{>$=9}i;Si860=o>icH{mRO@8#EUR z@U#tkP7@0*BIo53=ey9s#Q`Su*%{$9^A9jCe%#eax8abfY0rLEzF^ZB^Er4sjlMv7 z3N5pb)sCh_yT27{R{l$+_7Id9HDfxZvSA2vmf^k?ZOOc-EGSCD=0q@C_Ybe42+*(J zQa~Nk%4iV0lla85SS!wQNMs_D=c;W|9&=|kew3zLQZf&|()}1UvOxkSwpI{8BFXQ& z#k2ISoyOq6aBM0JRB9^k0|NPOX?HbbQe@B!J2ewk1zn{32YK&EMXPX>pb^vvxi#9{ z_t5}jZ67W#0o2WDX{T|`bW2X1iHeVlRn2_gOR%Eq0BRMYOapyk<+S%LVGI5hx|Xkj z&adSyTIE!;E7CF#v{CsPxAQe|fyU2E78NfW%X}*`6Uo5_jU~0Srj^}VQr2Kc%)BXq ziwo80zNt%snqK=aFXCS6%vwqPHTufL^A?L=kTJ7He>9I#k{+^Hl<*#bmMp+uOsO&8 zl2s+(QiqR0ill(oL-HZ|Sl3j@h0CZf?MeVMXgxG$c|%~c7l_iTG%H#CZPoKUf?P;= zMsjv0$Hj8wrHQ*JEZaEz@IOWnIf{LvCgS7tDm3L)0W6sd(&j(3>kVYhfs?9-I3NZ- z(FWd|gf~DO1K%WIrE$|j>twmHc7WpO8-UtKV)}`y$3`M*#`d?7RXQE;Xf=-}Y&5Oi+ zIOGYmo9v&d?*uxlRPc0m;v)ODEqBVjyj+g^M6~)_rOr}F5P0i2kVpK#D< zhL~ywP|lZHms85S&2mN zlwZ$={yo&9x=PtfR2fRK_JHNhF6fe&BDHHlEqWy^ZH}yu3dtW0keC-6eJhytRnWxK zZkZEK4ja-3319z|NdU(I^`>e*RCpY|r3UNgo6+)j>d+7$>ZKl+rOKAWgCf4%bI~70 zUVsBW`=EZzM;HnA3MbMl04CJLXS<6HH+4$_UeV|$JPOq5`C~B3)JdHOb7Vd%%hcLx zsHd~~0uCHX8qXn+*Syw_8VQm$!NC^R6fD7M!WmL@OPJS+fSPEME>NDtJ9lXJU!84l z|8&VHOMUf*o7AiEo#`O6z`U)-I5?`@e(_)a%8Dt;t@%B;-@OSBPUG0tN+OFTKoCkQ zvlFNI83HByw9X2N={&l8*XWr#&$Lh+*}pBXVL2OTDK%y@i{p`dn8`$tWWp%iLkJwe zuTPmzeiW*Z>;Y`Nq&Z2+M_{}1tcvdynB^US!giz@snEBNNeg+!(}%46k{2zro&~78 z$N}LV7Mv``S|TL*5&lSlgYSq?s-;V~8KXgVTi5iyWK)LMOw6F4KU43U=k&wnWR@?& zt}hb`?@El$uwO78hHE1}Vkx5ZaV!;==3HI^HRaQAl}3b>XC409Jifi#2@kGh5&Bf4 zW1#w)^SGIc)krHdJJG?#YUUFnCdpS>%dOO-cbYlr@sgaQ`@9jL^8UY6AJ{i5|WZE#1x&t3%(uSik)QuS1rmIFaIkW ztf)%%<_0X91{<6yA3W~3bSApp0PQr=X0R4Y2_ThBN$(y7Zp#QXW`lG3LiVK4oKXWF zAJHh|U06Ku%ip#eIu)+mqPW5I{lnV@a9^Fs>Dim!bIC@Na>~VFaczT(BgwhKKIX)h z&uZjU317da8qiK4M55iu3q%hGla&@|Ui*y7SnzdWMKVc$#`x-RS9OfHnpI&~Q9YW7 z-mWMEpvS~{9_UUWmFHgY7JmF8B8Y57HFY1yQ6^-3#jYMlj8JEO;B8#7ldVdoR*~I9 zhibbT_G2kl$$iCS(&NWgwxcsq0zBResztGH?TLkE+q2S%w7+VMy89^^iMf}J7v-zL z+$qCPT#1VP03b~$51RssaXqu<#HWODtnD+>zwK5O4VsCXB9v-TZv|1PuOP?y)RL|n zfmsFi(lwB_*T>tJx&KI}QDM;Pd2Gd7M(1qhuv=!$TT(rj5JaPgYQ{=uyNO4Oldg#} zCy%31VbN=G7J6qm`1*y7x7OG^Ifk+Miar2@FEQSqKki6jFC16eZDD7M8kPozcWYIp z$@CD>=0mXiz(JIuNmHwu7*7a>R!CiFY; z;D!rz>OHtEro`H9UIv|48mVmqq40iO366=xUa}7`$wH>QR{fr zTDq};EzHs)-_z;gGi1WmR}pyMr{2^!S`Jw0J#R(8ft}}$xmW%JV$$u`aCpsEqVKu#MpsHYF`BmjSNsTzt&vU-wexgcdyoAle zVa^E!;>l9e2I}BK60C6Yeq z9>xer(}ibAHkAN9l(9477o-$|>Bz-^tc$!Zwrv3H2@j3LFg#as!jLP9<@@kkI_$5- zt|?G3PiV1&etGCvqXsa!SLP#Ag;j-(j_ntR)NU!AIp9SZ6<1GdZaxk5U3$45FI8;6 zA}G_Xu>#%X1_my`_VHmAyWqz&KXF0_d=EM=D*-11Zx_m{M>$vMepvln7j zvT!oC?x(0%Mtd533fHfnDQV*~KdmUXTc}88g`%j|e``mO$`U#7KAB6Rq%=8_-8x0!<*tmYy$=ghpr;d+`>jfn(v zkHDB?^_&@j=Mkt$;UA6~00qnd?;p#Xv-d~ zc9jr>Nv%!2S<}pLBlMus5MNu+V!XT8Fv8o^m5dA^#s%*gu}d_MH?0; zK2Zr24J69vU}yF&K`u)k^u**mYmA!+V3l9eU>XJXZi`vnmrXyrQM0OHO+Yo?E*8~} zsAcj|g}jldv`1O7tKGV<;NLGUF!FGo9G&+>o162iVk{=tKVno~(8*qu1c(O$s!!_O zi}Qh!`0u#MS)!Ti(+Fq0wai=_cBC4Q&klx|778S_k8P}uOQv3b`i!4guJ6OVWH4WC zZc}OBgF`)0#S>jO;m z{dqa(W-Ws{yyi=GMP1W#M>@$OeT91MQ6j{|nl`#I%f!?`0V4=M!BKNGRw;8~@e7J? zOPPKO%6-Zh851V99QF7S>BZ2`7c43Cg@DNO83FC@TZC|Oaj>`M{~3Ms1D}G?1a=s( zJvzrXLnAt9WeUE&Kq8;PdQgfWTd*$qQD~s^=$lZBw?LQ2Ubam_%|;wDv~|_80|JiD|r_aKIAw5Vdsk6i6G6Z7m5{T9)B~w$dyT zG({VA_f9B#;hkV2Bn{cZ{1ZWN!iaPeE8SS`9x=a_`W6}8^`w>Su2B_yU$~wkLp06k zt@51D_FB7;zXpq)XnD;Q8@T)ihuTz6jan5TNq=+jl`IqzYmk#!slysFDX1NcB^+FA zfK#)SfTz4LuloItg8y%)^>bYY>tHfGmzBQj+Bi!?^6fNI-N_eKUDN&I;9)!CIN`#a zr%xsh;0Y^cu*FgJEzTmXKxvl;1SYUiUH6TmqUaeD?BurdZenEvA9wZKs1_dKfPqiy z-4!uGI96n@yvV%jeMH&#s_?_DZ0%W@qY41nN6^S^IZZzU7XSnn6~SBQ`3KXCKL`GAN;+jsMcK zR9~6gOG`8}N9Y4h!A%VI$by*@l$wWX790E}DzgI*DX2=FJWg(HUOS1y(j&Yh95X?= zf507}eBD}aFu&3(HZ(>L&<|TuGCH7SqVSNkAokZk*w2r1h*GjFTYlLnY?bdwNj=)wxP5+pSt-1>&IyzPD)C1B$fgIH=<>p8s8v?;p+|;XI(KY@Z-~p zhX>0h)-P`sPr;LTM)K5XB)A&8OZtA#=rJzURy4O(JAKv{{*uu%YlLo$`R6St6d zc9e909J2Tr>h|Hs=B&ENxj0D9`*rs}xMn1Su{7UvROFUvqRF*q579%0l{t? z89=AIBGRw*ZHyEm2)5M((?qS7wy}pLkS?j1ZySr_5lV4IUqzQQO{&0CABZCxYd>iA z7RuHage!0P{WvrVi{uTS^l;Q@R6f5=w5tYa)Hz1G_?-UmTFP?ubnz#j6bv-Kte{R! z1MaFvzT!+Qt3EJ*CX-Cc8>;rRlHW2Low zY+@fiCD#>3E!KdeU_abw8lkP5v*x5_^RJx*67;k8WNIyPjHN^(FB(H}csa+)yC!j! zMfQt_u(sDcwn+94*$$w$jcq!NH%;Yddgi7=>a?gtW?Ygp9}RHdF!#e7g}I^epd;!Q z$48pGUFKWR;lsz!G8kYOQ(82w%?bs+%X0TJa_XQ%treJ3UcbF$QaTSObHs_$dKJ!!H(Q0XWtPC&^g9k55)>U*lG5qecu56hS)og}iu0N2!j{EA z=89PLnD z8Iu!qY1+V$?=K!}EyNtQMd8JK?RS*KJCTB0oI>4jwVT~B>5|;qoMHuDLPLQlZH)Qe zVqBQ^o(~v(o@2GE9LG!1+u<*917CA3$cCwAR>d*lND2GZKOXy zl~nJi%wyOYJ}MuHsz!~ZP!VsmZ_&i7MXecV^n#7aQvXmBi*m>slCXoOKdnyA$uXk_RrL?=O<)qL@qPkc`EsgTDm0_4!^$|FDjt z#20f~J~gd15ix7-vhFr)*mxN(z7Kti&4a@S{g_WebMWfSPPeZ-0PwvpULj7U?UgT? zWWXSc2o{d5YX9nR&G$|lGB0cTXv5UuTk{~5eZER_D#BaP*;`HExy@?XJ+*NYbt$x4 zw&R}`0kbc|+DKKPZGtU^s}@h-j*dO~4whFc^b?VGLLYL~FYLFPW9-l zm((1`URAH-RveemAMm$p>F^B`JqH{>iejAaa-d%zP{Gw}Ezc~% z=>(EYZ51Y4&xX+xh)IOaI^g*jWZx>2g9H85O%`cW7QWdj@gN4d zqFkIljR>IhSt4Y-Fml%@%+9uojE4*>m+dQyj+QAG6XPg}!09dXjYgg3=)Qrofry{% zS7Tu>%^s701E9zm2t9BNqHou~wt0XFE&SVFdHh_j?hOMN>fi-YPFn~ytcb@a94nDn zJc@nlJv{~(%FVmWrd++H40v9TN{gy}&e;6)Tt0h&!vnKd)M+*YsXi+Z0fh!YAeUQR zb3{MB4>LRy7gx`)-9uyO2p-(2+)cZEQx0B{S54KayPUuB9uQpW9$Avd?CbbWb41@dm#XLO=gOa6wJCHojvg!DK zv=hw3qG*5b%cF232p*bXp#TF1kDKTXqzY>(I6xb z<>U#P4{ip}jK;FbB%0&@Flx$NDB8w(Cm^GwUv-|?qQ^&SL2Do3S1|CENEq@=)mMmr zAYw=mi(cSG(qZ)Op}*>ssg=;H7!2j{#h}JCAJigf*Oo*+tZ~--K<*Jl&s?lNy-gnX``?3X`lC zs+kh7O!wpl?8c$Q-df;jb#%}xty^u@_`dlvco5oj?$e3jwu=;zm#)nMd-T~4e)n&| z)nXqxq(eZo==On2^4TfhZ?m(zdv_Q1QOqoxeI&#(w%bsSvWC$6Lci^0nst{Q(Px`< z^^V-*ug9T3u&z#^EmoEtH(7V$nfL9yrD=2@%*6>hEed4val*k?(|)j;Od?UHZ-1lB zMdMRxaa!UlN{!v-O~5$RwB0KISuiQ-zZL|rF zV#|y+iOcY+^bH~yT2-H}qluF{7WKn5(wvgnNkiBOe~o4kJ=tv;MFC|g%0i+9l|LRwQ!a~cxdd-p}V zB4lN5Ya zrl=B{s8d~NE*LJ77CEMI@oY^HO#qAD-G9oVZs+(BKb4*^J3H46bc@key+6`-dU00d z)e>-?{Ny=ta9d2F-U^X}^C(|xq1uo|qlh+ELq^LM-ehrslc0*f0|3nnML-Q1hP#|)3 z-mF^bc$y7M>VCFy$LPgXB51kcn^8lX&uBn<{ZD=PaY+b^vXq5@4BaZ5X@maHXoirg zHz{RPtrQYxX5$a3r3?2x)sRjc4Y$@hx5#hJBIeu>OZI=gWkNqtN{QMzy;MTY)(vJr zGDlW?z3|mrOHO`ESK&mdsYAP6N>mGkW+0-c%`R=>s8!D{G$2flvU9@PUj;d0zIBwzx(0Od_y0Jp9{o1XG;V6sV9V9%Kr(=<1{N$+T?K z_3h&={L(q%zJNZ@>*VUA8L?>xiv{U%W7;3};8#thJ*ONp1YF7pWgofZOt*^OA|KIlL#vzb ze8#H}hA?{KyiYYK0UvW_RoGBwaeFb%ls2X^CMPpkRcmvtCo|bkoruCP)=!B&NnvHv z&5=DU+3H8ncDMNE42%Hzrzq>&0>*1MaCkTzUZbz#uP$)69cHiijT~kmMUAJG9ea^h z=ZRT*JSCfTj~#x52uWfoPQ1}9mVCs?_f@2!M(u%oQBF{NX{OR-RGnEFB#0NIaUC&D zk5(ncBQvvvlJl=dDVdIL=_iyNgC{=Dr!&;J`-_qGw%Pp~IC?iy74O)-He!oS3z>p6=T@hwg zGnF7~namA=1(l8JWk=m(Pxj^0>I~(ov?V{#=+;g);gqOlgRjKd$Nb3WQvvTLY7Og* zMQns#ZSEYijm@FKD*Q>dQ_#~DJU@Fb2j)96%q0|w0lYGVAG`~?`T#2p77QFxqA=|m z{5+iz5B&(2qzA_eStLG2a6&%z(Us)S!u)@HVU8NN`m1Vqs)<6VbiTQO1UjF1o5TL7 zhX&|D)5Zc#A2?!7Rre7@=NgEl3n$4@nJxew2~L_rV>|5{eB5~^cI?+HB_@S-gwTJ2S(M-fT{MPqcrz# z+?A~mYk@i}tR9*|-O9x*@V@VWU`d{G`h?mcJ$Ktk_S|9OfcN0<)B}&5&Z;KZ*)le; z;GZk%7e}ZjX5GD-x^4FXcHEgWcwhHcEZAHTNA*!mUE|-tkYI%Ocu&mw_$B9U@ zgM6!vRxZ(Cb;+@*zSU~3l5Y?nDjUMBkMk1Au<>1D5mpG>Dt1Ng)4%$Saa|?`c25Qt zES^oaB~8OX6RCRgx)Z%*-NuCEim0Y9pU?0Og>k_&(&hxD_)!cnL7o_OPOjV=i~F4K zSit=8Gh8HS=Xi^vrsEvnvz?T}|BA1#7U^)iu%jrCO^;`(S^Q= z;rPbdT7H&A6vgyF*1|=#v0IS^TXgQ#FUUdFWqB+rAFh}KP2s0i2(PNkvfO2dOWo+^BJ{bx1!KKA z6kKR$VUz(yI(*IUXT}U%@V#d_e;E^?4HS<=y#I1j!<^a$RzNOK1O8 z-@g+o!E$X0T2y!NLG)L76^Bej#(`oaMH9?wmqcR zQk|-4dG{-dCDo=XS8Qu#`{i<#^YmNpqletecX>mCL)&p1R?U^6H&R&gr&2AP)6#(lt^nWt_J0caaU+c!()zLmz#X2&jHJGKnnNy6?T)=U8 zqo}Akh>0EvJU@E_Z&><$Hyq;{W2El#{pN_jVU6zDJT>r>l!0qS)52b_;4#4wi#fVI>}U-ypG=f z(g)Mu^)dBQ+=fMamo?dKFo;8kPX2h4x8FYYHC5*Xf(VC95H`~q7Y@_F;j;wd(Nrwm z1!2-w$#B)sVX27qra_e&iK|RMM#`X;R}o=${t8YBD7pl?(_04Vn5ru zg-mhTDdBgKqHgNoh!rZWQJRXyY8nREzcAnw!zjI|NVS`V-$Ubf56M%@_Oo+0c2kzR z$M18NU_O0rMtk@12Q(A*d2*WYd)EtVpMCQj*nY7A%Z?QLX*C>KtUh-$uhxX$hrgtz zBaYi6favt9BQ{jpIlVE;ZPGkV8FsNV#c~dz17c@Sm+Suh3V;&Lw=xkW!Dzrl zdMny}K~~~W<&%c<$a{^EdUe!F8ZHlD!spLrQ2=Q>SLW9AK?5a5taMgYpX=*pf$okW z$bbcfhwOJ&#AEKY~YQt@i9UYE|$dIk+r@$DwCJ8 zerFnPRQziyM74mgMb~En$wmLl)cI3KGkV;3#HuD`1V}8`N~lx{1q%LcWSeh5b{|Pp z$1$xd{F|sIsfjsHjI%93u3?oArj|m6XWxTP&$bT3U_G7urfC8N3mmqSbsN|g6IMW! zrPa9jTtA=up(pY{F-7?v)`dk-h3QdHqXRsNEvWq)Qm`-W(N&qPKB^v}S7u{VFv76;HIM zu~Xzx8Heh0t!#D~Pi*L<{)gaiL2o>a9EMTiRJj>}U?Bo{XIkEkmmLwNiLsmFzQ zFCx@A>#9#6vMiX|`pLTG(TD(o=F@_YQ3FYMa`0-#U022J-VN8aa=u5*;E!6^_SJ zBs`?xeTdA6D!jL38lz2t6Cws?48$i z?|<36Ppt{~QF$CBJ1{y=NZ&hRKC+P0&Z4TieB$~4&~(*bQGQ>S7`j2ayJIM6q=b-XESn;92*cbN1PL-*X&2Ih!E#q4+Cj z9*)bLWQwKFp(8t?<8CAoH1|DQ57ac>(CqsH;|*}kb(hnO>i%ilTL~~MuxVcVB{v@i zd|6cw2pJh?f7-}<4v4`EB2YNWoKF9}uidFusS-wpSDSb1Gcw6xc$d2J=FhC?O06Dj zPWnOUCEe`a%)8NK-u;(e-wW}})YgNM-w~&oVyUv=DPtx9Ql6>U)RbB#?4oipUd7n%F-m)VQBj7m8{GlG+kqVdQdFNiFJ~h1*-kFuT{b z^_SfL=tiBxuCGzyLHG`??nEZg#<7uQv(p z-L7b~{h|X=fg);%^a+Pi&H_V)Y(uCx0lXkq8C z4oAVWk7PPzJ#y=!ujA^^im(OnW6C;s4_D*2FYf)}Hsi~-G)xipPx`?|Hr7>7Xd++k zQtI*rn%86~iiAt;+5I#n4jY_)W%x|mM=(!g(o8A_tKVsPdw%8m`Y`=ZF9627vN&2I z3lKiR>ARYKW$wF)>H9fPDh}t-w;#u$`aND$;{|e8_?USuBPBKDd`(I zvu#E2jiUF-f}z)OFEo-|a~^mWb*@^};>@p8H52kY57czlqPdflVl zg-ubylVnU+U6V0`pg8c_BYfE=&3&FWP7CIuVh#3MI?|+B%udqLi#-A}G5uP2# zM>eK`CQ>`%Ti)r@J^Z_h;Ct?MYXZ_=A6SF$lN4#Cce4AgY4B+3GGAZhc+6fc@}yva z30p6HaGh>wWbpvri&ZVk<@w#1w5}18dTv2t%$`uEFlc+BU4AFK7mZtW%H@CpF&Xy( zH%znp9Z~RZ-3v2pkrGL}v*>k|a9a{2If3*rQectxze_~T6$g29#B50TvRg_;CB>jh+9z_!=QZ|+?p z!c8R9Y9wf6Ls#0{KTGAiTx?1P?63v|zn*>$$a3=A-Lh&GvCttsX^aH_k!&lSf8W}@ zMUP7(<@LKx`dOL)ZQw%bUp}F8?XH8_6T!=|I_yd50DX=ict_V6_kA7w8h63W;33uh zd?w9zV%n_O`E_t4*KAwa>}ev$tY@T&HNkSLiL@IU@rvhZ`XEsk@KVL4c5yk|wY9VV zfGp*6;duq;kXuiMIn}0Wy{;nya;maFOWbd+b$i|6m(76G`-v`r1tZn9Ju20sDynBE zMJDq;r6|rODxx~ypy&4^{rQOKm(aj`#QjBI@FpbamExX+&wM2E%hmEFYuM02g)|Lp ztRIZX_3(PIRsRtzap%PHy!Hn{+#F{eVY%NGLU4(HkMH&2!IQ-6VIuzSqOP!Tdm6_F zM_f?fj7zmAPm2w8n1X>}{P+WT%IJugi$&#dU@R`99Wq6zijI9Jum!&^vvG+ zuI!Hp1yFs{)ExfoyQ}^Pz3tlmLPR?jRZEpEn5fy#UjiMiPNU(;}nOam45vi zl<(-UOz*Is8Jn`iC}VQ&BB@q!9hy{e8IRPN0!I=z&T>-hxls9y0r&o)1RgCnwj7 z+hue&VBGYqyFiXWBio91Zqpn21Crlq`HJpikB?n|J|P7qmhza??vovGl+cS_Gt5(G zad#{U;>$IziQZ{Jg+?QJkNW|_Dg6&e>UEL!php^}cmGUd4B19=f^+zTCua8+QqaA= zpT&56aPUCu(sQ37UKfyedp*{D?fV)#^2g-7`;o;Ac5G(tew~xh2mK;EO}kBXGq>B5 z(BdF0Ed^H)j()!{U;4YEBiHD^6vc@46ZR(%K^hbGCd~QSI~3^^`I4sfol4Bl)eI`#5pVw>I$6BNr-QM_o>IasU#EJJVI-HF{dJb|ju8ZHD?=sElyD8; zzA3@f*hxW%-apB`d&O<9?f1Zk$6R(J6WlB%2JER|<~gLc?3;DpUGDRqE8;w{QwtBygrfb5tqGb zY0_UF%|AsJq}e3X8r0S7F0g!leKLTh(69;O&5`@^#o80Lr=M$YPSgIeCU*sMo1w={d(f<))BU^)64x`2lSK2 zC*4oI>AK$yJaxOvf2UvM`tJ8Eo1Pfa1{o5UF%34eN9!NT}aE$0)zD8%`K;;HNHA$Pv{^8!lV1LSQz z_?lz6&cvFZB5@QS@4_GZH+s^IcMBO|@n5;fzv90ioij^mHyEYy+BbY|0>(J%2OWQG z_S`1$*7r*?DqPe#p-ExD{8Oz3p(~o8<>EUktQj;ZlD+_dZr=+Kp2N0~YKuQ)TFG>i z=$i+PQGxI+<1|y=qqpe~m4O{Cn{;1iDaeTyYxIo(+CL_gqFXA2gIJxO8_eQ!Yog93^yT9knCZd|A8{7QDIP3g^X3g^}Ya8rhCYz?4 zx?h+gp5C?x9HE4xb%~TAVoCvEg4V#m1>lHUv*{$-Wx%RH^$~RaG~#`r7a#cyi?Vus z_XF3iTXv7KnY?k>xFLRcNk?MoiOvZ61t3{lDVYd{Prg-9iyEl?WSSDV+`cpzi)Qbh zA(Nugy%dOHznn@TtBOzE6$jGw#two|V&z5&ec-M(DfGBptxCTS%YWK3FfuuK0z;k- z>#Etv>GA779Lq{};mIP{|GHu}mW=hURcWT58f3}}rrZ1Vp|!~C&FhHD)91xo0J?s* zLs0?2-B;7?Z*%)mpZidue-*v17o`h0IAc}WCz2hUx?`&xgw>@LvRcbotkjIX($w-U zzw^HGprN6iZgu}Qe`RrCooZieyt0SCL*CYFxvgq21Ss4_}Bsm*zW$jm%( zoc#&`Bqyfwy8|N>AJucLuYYS}^#W0BD!(kZx*ya;)&nl1xrgE5{RfN12u3%goax##0hsso}Ul zrOWcWhQxJ%;Zvr4}sH2EV5dw_w=S@Kxqy5Pb%5%f{XsUk&RN2%`dxj&m< zKpDdLBsgY37R0(+t)>0b&Gz?co+2*iNM*l(>84QsoOh{%UY+?E_ zUQYC@Bj+og^k=!=u5|m6!UGotAz9y69zP^BGx|p)nABEDc7C`$$|)U^>ZZVqD46;# z7GGAu>4>RpN=n%vw&UBC!mn{M2UVhF{I=y8!A#!?)Ew7X+^>9ME36Gc<6e;sRv(Ei-%dde$&(y{SM}Nr?dE-V7rd6)+*yX-C9-hJ_h<2m8)tzr0cJA( z?<70qO=uWK&F6$=(g;8e9%0q4K}@_ytcJ7Ao@ZhyS7Z(5!&b>}%+duh=iEj~K@+hm zBj~PnvdZs*b5XLDa7#ip=nLm|V?D+z=yjUMo1sLyWr3DjS7E#`#J(4J8-*ryNyYkh zDM`cXa-}51yu6aSCm?xS4h4{0LOHG-2BbOQXgO3E6ngsIk@DVZ@J)+kG<_14JYOx^xLp#{~f=bx367~*VH|IpTc>rTcKUXOt>tol%k?VAjer?YK=I#|jHWScrBe6sj zl)P2BE+2|dhUY;}{Z+1BM?ogJRm6Q;bajKK%Sf*yV6W)zXfRM;HWopV0x5%E9G}@t zl`T|XF1ds$O88*09wn0z8_|K=E-k4fD*S!>7g;jGoB<|L&{GZ})?3*@1V$2&w!DM^ zs=FqEEL{Ue@_uSSQBSQ(@y?{`2_^g?oFaL#kmf3vSo{_6Qyzj8IzW;nIQ~FN@NPya zlu0J?d9m9D?D^B_^%^|DDt(2~yQjUSa*0AuWv&uf5{JW$Zl3ZL`#!_`3)TVWzjMOp z7Ghk_T7mU00`4FD%$)P@`oh~)s0Axmj#}_@>aKc+BMWQ4$9kK6JBuR)&F4%CsB4l~ z-L=-)%ORx@bRTZj6wY7FpL3^t;#Qe=B&P=&mYEWxz=QOID7nkyplgorfq-W!q~D4kG>`pNS_)Py{{#X=u)elLY+JJz?8aT+kCcFteB|TgJWE_kq`zmF75&!8kzeI=ktM-}`!PpRiZ3IX6_A0< zLDc`nV714lw)+Y*Bm|joZO*U`!Jum5*Qn^@1Z6|eKkRv`)y`qjh!qlps9 zzp&gBJ+@yAQ#VB2=$rB}RyxuP@dp@%OZa%%$)#UnRmWFNl06~>%@l&ei=H|#T5)EM z-3&G*6hH618G#^Jq0lxz@NQas2?vsIn&=f-s;NXdIGq9Px)e=f*<*mU)mOdmR7!`j znT<&XisK4u(CxC4_Do_yd<-Q9@eS;wEM9f)Uj`Nd`9yqPW{R3xeDjCCIQ{i@>R*Zq zWn~LIka>FVQ1f457uSV&QVCFIv07Dp!fMsaUY2`|(fthh@nYWhf6s(`99S!&>30Ws z?3Nf+4aw*ToZo}ezBneuaZgv-)J0i(0xhK?2OcOYP#lP&qfD1s^PUXVa{a@t z^e5v7Hgc@|@k#Nh8yl@)J-X2&JHIFlO|`SK=Y$wfPA%C~+7EV=Ne}*Em5wyVraJu^ zgmFcJaX*7EM>JksIE(RF-XjQw#4BHJrvAG$5{%O}J8ZG-;UO%`2P}dG)4lO~=Bjj4 z)laNNA<>5bW%vcAyj5)+ex|M{wYte-qB=(F>$W+^7bqCMb34xrPec(`Gc~^*7HxGh zw)lL)k)iYDTOo@BRR52NvZvi{+DFB>)}>etsX$eu<`k(KkBE)j?Dh5=e&01cmlj2) zfia3wd~DUnFh1?@=2SL#j4id=xj(t3Ei3&KPWDi05(aRuHO@=U%6AD)9^EY;I^~ot ziWczPk<-!)m-GVL9q3GAQ}wAv0mJr#=9{L>7uYU~k&PMUuGgs61`$k?_>q508a~Q? z!LB(c+*s5usd<~!S<=@jQ`HvR!0xWArH8U;9qJj>SY93t1SCKqel>Sv5YQY+%_io+ zvQ7%7!?)q3H&d5$Bb?pd4-~?naYO1v3M=fFo%VgdvQcLR{w|-rU+gdP%S=D;Lej;XlL2Lw-8y`-fxM?5qsrgRg)gyi{aH+ zBo@{merKY4y3zgXc$9oeE$_hGDf{XLaY?_jvVY`8MJDR*<(%Z-D($!J%!F@`FxLfz z0o!`KkIkb_l|$ZKhD1y9YwEkZ|Ai`)6QElu6<=wPuW;rB{pX9-=>DpY_@e4Ye0i`7 z9i`%SwuYa+K14DIuy3y)EFbU#k%B&)MoFjDu`1#$cO=~k=7m8#=#k?bvC94 z1sf;xCs6V;86k4EhHG4+J78)Cwxgv`k|vU+5tALBY?vyN@FZ}FKl2S&u82a{vbIg6 z0e=y~4`7LRZHdDk03&a6RSbU445)e}fC3Iy0MdxFlF3IERJrIP1|aSQOMB%;KWwy|}0div@Sy@E=*s#D=k*0I8-1Ek~7`1$J z!Z{C0poPy=Fgg$6;yv}(3l}@4fww@ICHm&JaS#-hsP50yB&VB?a&>jCwR8K#Qp;PN z9>&>F&_zX6vMD(3cCyJhU!@%Ltfpe8s?bA7iLQZt==sZ6Q{P@7e(1$jQp#Y%S9$=Ux^LPqRMdWg7&?uj-@mE|GuNH}wW3p`d zcw=bXWXest9vL1U@KY3*lLMIPCQi(R;!WYa$tRmlFIig?)sN6rS$^j=K zl0*z>$D~h^1W2)78Mgcq+`=Br>eTX6T-i%cPH2!KAxXS@44L99J-glNfZ-u`jU|&U zwU+3BxMFh4_$syG85Pl*ANiH-&rliJX#EH>xz+PoBT1RfrQYvt-z8NSc^t4eUNFzp z)RIf}iB5iK5i`|{6IhL3=ipy5NrVzVuz$trYi4b9Wfsd^#YVkB`YPrsTaXhJP~>I{JT zR=fUWzTd*aQfz`yHX{y^^AUT|?$yj6Ha2ph)Kkb{6fa^gl-yWB8H)c}5TpbqLi#8i zhuyzgMgDwu^K%y!Ju~S>_2V39|<~-T}!4M5wgVgf_9JM02Wyei;EUP?G}XyNby|R0Za$ z)vM-Nos51&k6P9+U%+SmrDg@*8ajErrIs5u|B}sQXHmj*aW`&6KIQ9YvRjFiy>ES1 zn=X$PZ3_Wr zAlTz9#Szee+1d{WxXDU_Y(px#=y5I?6eC3nDnmfo%gCw$TXml9r7z^!gy_v;Cc^uOLy{~pC^)Di?^2yR9bODZbOP34#bZw7l6sB-DF7**M)I!h-eLS??IYLw|ZrLeNxSlW=DCaW5cS{lVC+<0XgU*sUC z0>re4(zWvyE}k)hKy7Q=l)W#E*l3IaP|v=8YyQH;qeK?NEs{&J6m!+Vm+i!!5THh~ zetoNYZ@2uPIYD`uC>Bf5992$8b6Jayno{x`;5EzdBb#}*0hSRBF7sl`H>FS=^nk3X zav>L0?0`VJSkwp|U74=7&<2RVf~EFccN|)Hh@`OzT;l{8ZqN*E(|mWmhY%oMP?=Ii zF)^{gOQ)3t#mpIZN?T`aIGSM-@poa_ew3P%Xg!*y0uy*D3* zD&dH=Y+CE(SNXEG;V1#pL!KHw@&qzGGEKz04Z0y(&&V&qH5QXJUZ^CnX zL2cOLcN?kO@w(lAi`>085xfMk^iH1vdh8V#Bv$euJ}H*>OF(9VWG2RY9!m~%_NDz$ zjqMFYmXeYqewK0eiRe=BDmAXmw2BU{f@Ox{rG5(kq>baF?WE8pAs2c(GN9z%%1h%SmUGRa9mIS*I3+V@4vwtZf|D2@svjydrB4~5Dn z{oXX|{KdOd28d)IkBs}0{YKUb9X<|7iZPIR+NZiYzmzONWMxBE{y-RHFY2-n5>}Iv z(N$a7>KMJ9ASI_hulKfOen0E*fv!k7+8!j(EbdRomx&G1<26qquADF{5f%!6V}^&( zyYw8%?m9|V4b(60sg_ODM;6L2I3Tc3B+20UnQK@fSoV%jc*t;ojFj~_E{%vd2ZG)} zUjKd;?Mw9<%-0dK2B%Q_Yt*M4MGew2(6{972-W6qYSN75MYh~|hTof&c;$6&#anuZ zi9V~<_w-;bkj-AdDP4A1(l8)mM3&N*jL`d+G1H{w}d_9i}VTq01p(rD`l|irk$??d;Lr(XAf*UuVy165GU2*V|PL zR4!YroZIEVHX+@M7W_2Z2f7>$6y-TV`=X#Cm^Cm(BIg|evLE3Weo1*Etg47h(f<`KJZg|!ZC2nZeil+% z2T&17rs(z;ODGegAO=CyUBq!+UcrXZ&i?mhD~)i7@%ZSz!IbnZ{cwqK?>*A;reD-7 zgzrw35Pc5aM$ngEXd|jH2fN}|79W|0k)nxSDA{WbPO4-ggFJ&kjX06+-{3fmXg=wP zGz}scne2ekR8KI=6$sm$PqRi#lZk~1wQSz|qBu)Iu5CwNnh-x_7$I3aVGpVDXH?<* zR>|5IAo;0=9%C$lmV@B;SyD}dg_XO`+HryHBP>?Yj)tOTeyCpkQ_D( z)75G^Bm!McT`Q8{+SbP`kwWjHN&#+@P7ctiKKI!vows3JeHBo7GR0WhFKI;qaJ-EI zeV0n+3xcq-qUajH53atsSqAKle1RMiB6(cN0GNiDr@#CX^R5a3qLLbSM@*_TU)v3JjEQnT%^vWxMXWS z#^wJ1UVvv}bDVo3Hccu7<`~2Ob$tZ#MJX<-uOXi-c?9N|U9lz^04WTh2#+%5vRv)O z_{N+Wv$cNTFM6-vnbl_-(}#Z-t`E2A?4xopw-m#*h3-kp^vvilLF2al zUiEU9LMc6zUKcLC3|{J&M9&tWcU<(PY?Vru@VLu(bMZ^`JCEVd$fThl17rV%BYsJ)E?@5;dirl=nqN7|$j3%WCO zi68TQz7<@Z5iTmArGN%TAH`@NFR!bsdFFpJJK?S63uWBR^4phk{6)~|Z9PziQjRTA^6`)knrTpt;Trl(t? zTm@%06_Y=mI-1!Cu8b)TO3_eheMhNL!^>t`s2xNH#I8~>PMqI2O+j5#qm4>B;+7;p`4ia=t{MT zQYADtaoxGm=BmltnXBTxd{j0o$Vm0F+m<8d_D9XkhKAvn>RL&8g`=&OVVMP4|03{n z)Z+|JdIS8zl+2^yV0KxQ;+GOqH4w8(AF`BfK{#CTLk;=eIUh6@MXAz}d49aDQn8_; zZg^Pc0;4eg)@aq~7gLAYzGjPpN_1q*n}hS+Z2W#=Z0J|ITl!7njPjBW`*QZMLM^1- zmY3QL9SP|AJp2;?cGUm*7;KK-i+XiWrVnH`ZI}X)J9nQWh6*n=%N$o^v5i*l?CQ{0 zZXjH+dWr;(PL=I8m}3;OOpCkuR;4P8Sa+-ICX|~9Nq$OL`WJ8@ zG=sxQWTZzPk$0fwNMCrKea?01I(DaSNAE`WBfnSf&$L=G3#t5cu=|3$^8%;7;rLQZ zsku}^x2ANXj)yw4++5y9k&sz9``!yb$lO6Y|MEN@ci zyNuH9pgw=SgU2kpnZ4xrFc@lVpExr~uGSF=r-PJmM=LKHXdLvzbT~#cZLMya^3>=> zD3%1y6p1-x*}S{F^DxchJE^o{PxOUZ@9kA2X%KKROxq5qcV{EHTKr&Ew2;A$dF=_) z%i(v);Ytr=>0hlg+45#eHDS*QWs-PVVjYv+6XY&I-1S1P~1l0gsqg=5|t zlXg_J^LJDqI$3@n3&r~q`&uX(LY`ww^BS!0ayDXCeaoPuXZCvGl^Sd1hR;sO2k{p9 zM*Y|QScg0DHnS-X|6!ZqM8Tyxy0{6Y4B?_Lr%v>NPzXoO0e|>JUEfbQcEJGTdF`-Y z#&?o!8_Se!>{sCVr3xy0UtyVj@@mIp8CWEyC(G(pHeA@X>PYCFKH%KT<|u(EjHfze z0js`Dqs8dR2?a+flng74Upl9cdkz0v#$nWb{%okTI`_7;BCXkONex=vtdrO?V&je@FrXKz9>f1#p!MqK1 zhof#!2+O@aVG0hi<+tFfTdkwQY2oiAlvG$Byanqb7x)PVt-p&?}5x4WNx%~a1a z->YDgfa{nCszK{zNR^`RZ#iuz5Bow;9jQ>rFR?##XFbkCD}Ok@tap<_oq~#Y@19;= zdZ#YRta|h$E(P+)vPZ^C1LPd6+{6p%(TeQD?23kQyf79D8Po*~D+;r)T}CpvKwkeI z6284eeSY{w3XXW*$R^7kt4C6t7c}tInq+C2T)R#)uxS3_ZT7xpRDm)Bf zL`EzV=x1Z<%P-8_uWh1H5QkF#a@j~G`6u~}XNoYTV~(6EbQwxYG_#OJrV;#plmTL9 zG_(lgcIP}=Sg-o^Hl8HfJKeNX$Bn=HaVB@I(0;vC8#t|2HgC7vlf1;9en-fip`kLm zpc_UOQ>6@V&sx}p%Pseg39X2jg)%DKfnPb|R~ziP1^s@Hocs{7@u{KEa!OSxy45$B z8)P9lP;RUqsesG*-gkDg=-G$-@jt?k1YPW0~{njoyz) zM$4P#&`}$%dHGm7i9QU~-Q9PDi@+Fvqi@~)a%07Qi09S=KH|UoUTF5L%pg~zx#yEC z4^8yWdO@#P_iPkr0dGp!wtr=?8^?9teU)atF3o8(R56fPPGC8|m3(0{``j^?iX*zyx=Ht&KQp@V#9Z+@Re-zhzGLMqw5;r@B0Kz=35dBbYax4BXW94 z6mJL4LK0`4BUN*g+4WLN*w4PIV{p<(ds5`r{YpDeV0qnm@B#F9Wqso>CBv&nTC$&s z0Dges7jk_tM$cI_-kW}&DSJroy*4_6rk*akPi{`R<9dF@mxVa$ z9UvC-(!T!u;8XPK_eio>kYJGsAiHFRNhY{#(cblLun7)|rq6Gyyv!_8Vg<*^pMdm$ zYSo|f!kcB0fMcIvfbLKEe$ZspWRt`LZ24QgZ;EnVKv-w3QW5p6@7c&Fc^#1BDkcOp zlFXXMWpE>D0_mMuXc96bcSiKWR5dy&s=86--oVGf@TP8$TJ1jWsB>Oh9$MMje^qSB zn!*zv>!`by!BHH@{dt<(x}pC!9=Xlv{9IUHnujQDU*CSA_MR9*iv%Xr?V@=@;vb;( zRk!^d18be8wKp0!#P{$TM(B*J`;ztf$u#e%c>NmhL^QOxhd17# zkLK_CIxji@?_?2y=Cgt8L&^5gRt2_MpTTU~vmK#NK|I&0om*9Q?emqGHzL}Chx-yf zymiBU2Zs&9yNg0MUM0KXZR z;~p~wE_jJ3f^FnZ3U=r*3H{{}Rp7gu8hcxVV*oN3dOGY(35o*ZWAh{i^Ejg-z5+7C z$;=z&j`EFv9R@ef~_Klg{hUYj3E^f*>iII*hOa6UlaK5F4CBH}k2bLfc zvxNi|qgM{^9|_mINr8hu9WJ?Nl*=M5vw0jJRaa%K?z^8ebb{S&_GHc-$JG6_$_$K}@)NG<{>Lj}3emyw{M*e$9x$XnQc znD@o~Xghs9)JPPTm&6dyKybXUZ%;h#w`<_tm`%g)-5259tqaAdY(;@`>=~JIZ(=HU zX&kXkll>)~Nwmz+rNf7f&mJ^ghX7Fv57^|gfm?yU29wL$q{mXbtEA<-x-<7r$1}U; zg}Lg0XE_L7pmad!8TqGYVlhxvUMT@RL{l*vkvOf+nLS19^qe9sC)#eAgPILrcX8MqKxTUo{arXt0U) z9sztjzctxHDK0{LQo&TZ_priiKV?t=V+;Q%=({EOD1^wF_OVK_ZHtv)fNTgY&o}tT zqD^QylR`4rmZ{)}p_zagOv_Rh3ykHCn(y(Rvrmv#hw zy6G}e$6w6^@2M{H%(_RW8ek1XHWOIbKlu1yDUvqHG&@-jVd$}_+lm(m$lBjfT-qNK{%yg)({wJ)=Dh&5Y zkmEu>@^2XFln&*<{Jyxy?80ntI zjnE_bi4`T7Fh+g24vd@|`f3G94}8UIvBk+$T~GMtirHxieXC*VweUR*0p`>Xj=Iz2 z%)k-G>jWPJz2e_vDX#Yg;zqs-UC#fW69bdotIwXeuX_>Rd+si;ZR5>EZA2P8Zth<0 z*oC(%_j6LkIS*7{Eca9zq4t0Suya#4@Nk3rqBdz&-_$8a&9oI;(1AnS%v3-#rIYH& z(xG>RPX=z5cNCrIeCpkR`??w5Yg3lqHY+mdlXTRR$v24-<(csVGsW+DXaiD@Q{*H5 zU0Wq90_6&~LwJ{e`cUAmWhXx07Yh$lu|r>Ys|_Y*rh`6B8OV^XN}<4v`Y#Zr@n96k z=C)d%TiiR$<@}zQ%z9f1QYn;p?KMK5#!iAb`(Ke^96qN;htDhPU_51)XW)&b@39ov z6A8v3wiKV4G>qG6`=~ebxyK)GO^mWnDkOfsFVOT!PlHfQC~)Nc2gHF%)l{4JA2Y7a zROEP?6Nq~UmFQY9DB*@3YFu(En#8tm(c4nGnhY%TGYdEdvF|qR=g;c2)WYE&fbDE& z%pfrURaW)#39rlJsrTx}j|?7LE5H-%_8MP;A*ev=U8zZrtfLfHAW-aKjBz0Gvq__% zg|`h#whcU0@2lp8zSB&jqM@pH-Nl51^I= zSte_1$(PqsQ<9%IzO0T@*ywI1t5f4q>xp}`wt4UFRGprkTgF;^eiB=vsB9c2lLJ?b z?eBx8@iJ0x0ghBH<=VoxM2#uZFT|hu`XXpAd>-MGm`Qdj& zi$nOjit6aNR$8bLj66Mem?_%`AuLKCb)ys)yPYG(KnRTFqs;`}OM_7ZWCI_9fx-HR zyfuy9`$*nplLO}@Z|h77snmbY;nw((Gu2Cbg$x`LGOW)3j>x*Q{{8P*43s4xvNBYP zQN}AV`R@_qt7+FTT&>qsV`2JeM6S=+-dR-Zpt}L6Ca8|&VT~44#x8lUM4O*Fh!RiA z-nsh74sku~cQ^KrpvaL&8@W)>n|{%AyFC?ho14=Yp>ex>VYn1vYw!*(Hn;;YXY(S0 zNn139h|bae^wE4U?~5o-830z2y--xz3lZf#HT;lN5sZ!^={%N)cog>+NA7Q~%W%I{ z3{$Av>M7^E{y2peBy%w!r1OKUi0F74Q94RW02%{e=6sd9v`f{0#%vSzcB(GJ!yHoS z*svulEH8)i%Qi;d2tPt|@A^xAtX zlqb)h;67h-@kHoT^s;znV`d@rv<*Qznx~OkVW5v1Rh98s6N07@{M1yw>KR6UC8p-P z2NQUqgZ_{i*SU^GOLg?;{g6Q$xrHTsIih1A`;W=1*piJjiKI`6;N%i4*SM z$U9K!PLfK$qP*OxzjB)f95Lry6hPw$xg^Jgege)|i8C67vr302_3PL}2%)t6D#=Nu zK^IR07yEz5X$#vH#)R^z+xW?7zMcIdhIc{mQ9&sbUmz#wu2J#k4q-xb1qyS@$;5WgQ0ScOzKX?P8`mP1Q=`nS^gcz6W?ezBk z4lUvmPp1NYW1jw`TQAgGQ$*_0VPE#{_wTzSGbFGx63xw5qHtZZr<8Vl$FlEE4~CuI*=$?OL;Pw@Uf3 z=zd%YnRDQ+?{iIow4|p&X;N4sZ&h&dDo!x1RGT|}V&8e%MF~#WdUnG733MOfNQ@W(q`+D;K~a`FAr z(2V?ZBjjo%`-ZD|hJO3^kfJYl?>PtjxOI8=F2T+XdyW71n_Ax<52%%I*E4kWu*tLl z^Upyb?ZIKs2-jnEPV`zXFF0W4`3v1)NyDFu_aHG`sOo7z(9xv7 z2bw?h8L(RZRDRJXE)!UX_~NRQ`;=Y&TzkX}tv~4k^en?2-wLUK^_Y=ow!g3Qg9ZCl z@RUu$cuFtrBx8YT8Z*`I+2QVPv34aR zmNFD!O7vG{|Dx1OJYUSd!`&PNm|;%Wzj;oRa+NqRK(9-DSv$HMw&XuT=Cg(W{a$oH zuHGj+=bDNJx82({|D70omp8j%zRvar{K>fSK^Up&-|y*Wdy21v2ltR=KLBX{sP@Ro zj;m)5V{OZdx%1lpL%JXm#L<@yQR|i(y$a)8KREz%c49sWl!sj?uiH;|EX!1TKgR~X60|(} zMHkok1ORfojjccOx;$0g*3gwxUql2sN$m6jbnKpVQ*(qRH{+XX_e5qEScNR`FTL1| zapE1mEvmdfcTaXt9nUD3mZfBV24mhYi{!nZLhPaCEnfByG==USC#{@%HnsCrb$B`d zUj9mDLuv9!NFVxiF7fNLk(+F8G3Jup0?%Cv8@(8=?nzBzf%O6Tg2!`Jd9It35_}Fi z+{A;XF|s!(cOTm(i$~2V9UZR=#%oy-I*;9D$W}Da0nL1_r~e^6K08iw=yFyNpTJXj z8HWfGOtzYf>uyl*do7mtF6(nF6m7w#qHkFck%ZgR zzGcnri4$I-itpoBb@EFLP z2-ahbktnu!<^@Vam7vl9aYgGLa@!JWy&d`D5vV6r#5T2cMo@-C*0H|&hnj#5TWEQu z5M~mP%&K%$ZRdeCREd8vTJL+%M0)K%Ea_KQH(!$gOaI)mJdrX={z|Q*Kh3KvB064X zhu*+(mBnb_?FYA2`(;--zjA~D^Hf1C#u7ozXUlJ~C2gB${NMuz|7@jx!x&X9I1|&e zM{IZ|EG2U1@%3AKm#T?a@Y}$V-InKf=$akJkg6<839T?ZxvT>w?_ZA<+SN{Z7H;j+ zx5}g)-e+(zzvx%iIC`zdAlnBnNyKja*m?0`Lov{MPLS;n_A@5tDF69brPxa|b40=$ z1z2%8g&WnRG3^`9!~RRIOX&i8J?(NoY3m{kVJ{RDZ^;OnT}^IPFd=hrTb=FZ#87jv zno93eUyyHd7r2zDS&#S+ zca{^1u}~DxLOkC{#Kr582KL1*RSR2RmzSKBLz4>RVU#mZ+aZeUrXiRn8XZ$#cJ+&T ziYTf!R2K7CNsz>V=@qjYti#?hKNf}NxJDM^nRLSna$+kS5+XHEa%WdOlHPS~6mFb3 z*ZYPrjsI*Uk%up!O-}rzm*tONoY$pfnrMqRywSN&+@E+jEgZ_ZP+1?DOO197yhM!R zQJ^Ic`5hL{Mg_Q}=b;$MQ`P>?X~mB zEa@(wTpu(WZ8&`AmcpZdaR0ut-$x^QB$U4^I@ z{hH9+sY$>JUQ)?Le8Fng?`Wu4KY?su!*A6y9wOX4L>C{do66^pf>SyI|Xr+7jm zHD<&ryMaXozdam=O$`ya|Kcd_O|v6=m+uZl8V0VoG`wz1C3!|p&&+2qR`3d@M_nwi zS~`RW`0?y9dWquYqI@#E-a_jt1Rm8OPa5A(Hu}9GTXI9zy}wU;rPM|atop%$cYVIB zCS;yNgcKA_xG<XKBbY!y zm0vy-LY@0H-J=Y7z$!NJhvBu>vcjq24=$zQL%=%4KQ&UsZmep@oYKC=c(Tk&BOVoL z@AHOgjAot8D>Y>PR7rwJOf3O$qOfJ>hh~_3i&(=Iw`7^=hHT}h5}Chu-W~`XHD*L~ z=sV9jKZ&QmGbz!XtK-y;5`CA<`rB)?SiSZ_*5~4&^n7~Ilf0Y(pFk;G+U;^B6mYf- z4sn8wI+=U>3%zt14#_!d^DjGUmLBNWRTT&;%POD~hmXpVl?p3aIX3_MPS=83F8J%S z1n=aLAcM6*x`$`TkHu&~pokv-swCX48OKRYNXTSO$7A@KGYsv@7b@3D@!bI(M(t+# z&_lIhd94YVE=XFrZusfB#u|d^31jn7QIvT{9QsOx*TcjH8V&yS9N(nXqjtiVQ1bsEX?+Vk7&e$$o*zas>HXkCX!`1Z z#?0n?_Xe%^4nZxFe+_jCyqDf{DeztBnCt0e001BWNklpDTpOFueDo^F-|mG zBFl5~wgwHQtsd>(>Xhhs!1cm$xm5TqvVC@sR|y%+-`ZEBcZ`ZGGn5GH+%Po*mzk#zh;)0IJdA9JmIbGt$ADC zExR$dFeD*f7bUY*HRiW}>$iFF#h3Zyw|p~6VxulO3&qgwnuamQqiPg6Vx5(N5YM^P zQ(|IGqQ@UmbHU7QTVdvmFJ2!7oRV5*aHZ*o_MuOw@^-e8> zK@3I$7A2708(i?X;2D(#SFT)TZ*ai=-T}4u$h-0mSl~SZK@*35996a+Mp5-qA?PIH zr%=-LoALV-?tKvR=wN>h9SEOCNzYLRYl{x9UqJhu+}`x{cC4VQv48rAp9^{(ei3*9 zC0o0w`q$VS7kKBe1bmzaj}mX-(EI4Plg{pj1f3K&wLiy&0czphLKh+$!u3w6cJEj8 z(1gCHdH2aygFl15um5lE-39P=xB&b|sAclK2#eOvIW(p7i!ikcztg14py%rp$7{JP z&}aNAU)=&BB-06aBkM$a;Z*;*CAqKp&yeM9I^90QgMG5BMc(RAmleTBIuX=%W{g2> zqQBE>(_dPlx3of0mK^Nfy_X523(^ z39}@_pen{x%|L%v)cSV|pCJl0x2%Ci(i8#`w6QTZQyZMGh=o`LJVF8_1krIl(#`3a zYX}!}wL!NidACh9=Fj`|Sf)|;cIrb6&hq+e7kTBiSNX&r{REkf^>@=?k$5hedOZ_K z?DRV8pG6E}QdAk!y*IXl5vc1S7{S^^$!vT+1h7$Uv{B6?c*=6fXt>3}?sb9_j7cL| zw^4C)++tj{g0U%iyTyr;x5s#RND$A)sk78o$<3=*DaWPu9P?vw<(5MqiZ>>M8O`7eG6V}(gs(q37j<&QHtb%93=YiQHM&+^_R zTMZ1ls`;1DN$Ho+2mW3OMzfk!pf-rVjuv(w)z-HT{2)qv=Bvl1S1>%{iGwCejf!=g&(r_sXkqo79XA?6#%KFrBk(`5I!?N~Qa8(EXwcwBw5 z7Iho*Rkk96XU?R!!ar?2BECA$8#v@*N^<{Q$-i&%=^Rv-@*(jA} z+R{0a#O9huf`+Cj3fio=u@Z`C4>IQ_h}1E>!!}ppmZg~xh>e!D8L>#Fzb~SRfuTl> zkftd%NwC(CW-0xZ6_(dG$g&oPd%FzwcNq@{OhzMIRnzOQaN^8)Y?gBE(i`mW-i+K; zTMu}z_CzaI)w6Jm21;|%8zLGoRKYW4nT9tU!?&i7^D=XmfIB1gq>lP!-D$vnBc ze3hHmuF!kpf?5!no2<`U>VhLs5kjG14Z+QkD3qi`rABAh|37GKP(Y!uksv@~;Z8}UBuXSDQI;r5wrusd9k!=u+-=V|JmKh$nE5yn^9S^YiHZ3z z?wEG>bjxkIZMPR$k||NLNQ$CFi6lsI5f|(Lu~Zdmz3W*r=fj(M@2w&T0#${=!g@nj zEL7cl?m2n#Wag94^FFWZoO@Vk3!3skDzI1`aOq`ZJq%MvP3Yy7&VwhM?lM?b`MOo% zyL6|$TnFq0b}f)#B11HBKiZTR6KG1fqW9*Gd63uvOu>cGOBS8y8)4VwVX?IC$^wHue5lDLZ50bU=5q0{&?Rsgr~;)7Q4|Xpqw5RloUmPs zIi?7$DmYgVMTSzjgmoElDWO^&ASuN}aZFM!F}Ps_r45s3-sSw+)1+xj3Pk;Ox7{nVvXDk@d(R{jE3JNWK=zvz6Av@W7{OVP1{Fx`Jkwk}8O_BGN{l0;?$H z89L8cj}Ki0slgusyH@eIZA7-WfDFVjBDvbc>M&?kBst^F@07U;@cgPgFpCeb?cdTm6Gj3wuh`{WR2Y%`JvwwjCdJ|utWb!4ns zPSJCPCh;nHZ&GY~e6b#OAHzjPKk| znzordbCy=KEf(oL@JR<@$m5D)1 zKG;QceEtA2P!buMuHaNe)^0-4lJ5^-&lR2a5eG#9gJPr+&d6c&2Chgi_*JTV(V&Do z>U>rO>aPPOyGKw05{@4^!Rv3lMWfj!GBK&kJaeV|c}V`5LV0U==Zhpu+qeLolty_Y z6>CNMr%jBBDkxY^LlyYL$&+ThOuL-Q$OuJbRiv%`htNh!V9{+_vuy`uZvyIs6W@ z({mkm(sh8a5lN$#+%0PhumwgzVHLTuo$gRAauU0~`S>A>0mQ}XAy#J*bQ+P396~0r zASD9X=^I9jIUYcA49o?NaVen?J^I(^IwXa`{&J*+DPlVDZxNParPj$C5m5CSl3x`7 zkU{b)exH@+$z;HPL*!bsbfttBGZ48}CiT$nYrVU>TG9KAl#u#q|1*-0w^GMTkhVFG z^vRUf%XeApm_eS)UOC~Fs=>4#mmjBrR}gmMJd4MV2$>glB1(e0S$WMu=oWeZ&&U{9 z=kf|wD+ILt8>FPiO6RKrnWtU`j?e`TZDhPoknwy!QnzuXb?J5^`Ozoof|Ki6jnD#q z?*AL)go~c>DC9ng1EClT$X(O&?_ejcy`46ojUkR>^0bZ3GcWt9F*H1ka|Ll^D3$ui zbI_4vbbJeATeni=DYf}|@=S^*TW7mDH{N}(gL9OeUbpU3)iX>jZ}8A7m6J>IpYF=X zI>1rtM&T^ZHqmhfbQx9561X3?=os>k4!MM9xl{xy0o(SBRnY}S9XX=pFgYc1KILqe zc~cf!G_kf@PNd`f*!gCE@!oKw_ixVEr&7T%q$77!C{^P0=_$VR?I&opT39DcPWZIa z#-FRj*;MRMwC*S@MP?_gS77}VNUbxM5l04-^oawdtx*)20G3Xx_dM+iw9!OyiE>|+ zYG0WsDr0SvB5#o-6|}On(>ifd!VyuQYqKyjOKo9}Joo)kYx;)<8QHvPU0`B^ zr9NcVQLNj-f7l`vi~N_Yd}qFe*scEIGew%5oL{+z%r1#DB}mB{_E>a+m*;t}E3T@V~P<_RRl;)FYdtD9D<=#aj5hMix)MhcKGESb5%7 zh#UdZbyg?WWi=y1?(qWB4ueR)UfPx^lB;r(#d5;y4K&_}F$eqzsn>TBc^-T3QCKi* zgpvOVGEV;{D`%86GX9MtATOf(OkHZf_yPicR?0e^L+Td3fJng4^WOPN`Ez^@_#tA9 z^cc(EFw=;6$TtyLW$y;rweno#NL$SLfA=G7=ThmWMf%SXq}?u9^HD0`Dvffs<4UK9 zaLOQng06zkTWOof5JieCZIb61MV?Ww&10RTRO+K#sS+oBV; zN+_J_F4L8!^A&*|@verTI#46j!ouY!Cu5Zgc}%LuQBf&xED@l9)Vou<>;YGb%O#D# zDQ}L_v#@qOWRkEx{+V;&Y>LuOWOZ8k{2}YXk!Ol@yofn+oqG}fE6i0_HtE0K^^DOz zf2&)Dx%>PntvulJ=jy?rQkq7+#dFU-=ba0k$N+_(@}CaC&!LT?RIcJ|PP?^$v!Im` zyL=}sm-ZlA8-q4gaK?iy+hHPu&~Xu4N4R&EEUi<^Q?%&=8a=*I5y1O{CTp} z(OPIzU#L-J7Ho{tIi;k+(8f^)HVl!b4Njjp%KY>U)>;9M){;3XY+Q~j+`MBK_uX?Z zr_Y|2d*cDKRtBv!#&0a7R+u@{>0co;F5H!17vC*WupS?ps3P|7E0q$~fUhHy*BN9o zSwI$zVFC-iOCyurNu)l{G2nL)oAl+xM&J>|JR(e(1()v77Z|Y`@Q;XN;qNc=TtY;M z3*mGAycF=iA#BJ><835w>l|Gv;l=W{!esuc|I7%oa4I3YxC*Jeb}P#VTr&vJeuc#o z@6z*e$il7{Ag;xz6ZV=6-9_HTzPA@ZR1iQqhHOsk0q#Ni$yQc})#{BF;^r1Cmam1p zr+0y$BCPE+T~|G8W7s_h>252$IhT zVZu)O_x+Eo++3)H%s1~Kj917T`Jhn9;{RW=a_7Zkz&{}D%mm%}DzroIxTO7ijw5W? zQDlBtF8JI4d=-(~hH?8^kQGiK^Y_biT}34?NUn7+qJjwyteJm*XtxVGkVc*Rt9lmq zN}-*_k%v`%mj`kX#fB)>w3;olEJtZgeSVhuLY)mG+ZouffI4-Wq2Wzz-?fM4{1oR- zoo2)6W=yOp3hmjVFz(BtJ0PheH59Px$e>ujEwWe_0O(ZW?aBT8>H@*30zSp_}qZ3di3R{3}N;@iFmo2od0^3zL3Ro!$vb0UTHY48|H>i{c>Fcjj>MK*^ zjz+ysZMI2~If|l*LJ`F=L)BphM~3O^8>UgOF>&S$3v;tL>i{FUX3n1@1*vN?v}usR zp#hE^ZXu9dp=S0Ya9~N-G&+_Da5h6|eBwcIT%bmnRU6^ygpCS^Pk1gX|dSeK& zuYV1A7+I{WG{JiT_-mxz*HR1ki(Rip!0#EP%`0>lI||vcT}c9G;g9<+T>y9?FxAT_ zuEk;_Lcr1g;lK0!B$vI+m1ydvP5S+RjsJc4TZJoQOkfcv@+jRT^iEBis}KbOq`!+S zQfGMYCW=9x{cj<~RR0-r&Oi6>?R6(ykE<7lkg?+>MCu*t^@RfR7kU=M^H2xAfo#b9 z0V~VvG6=&}V(}PsDPzEA5OBW|dE+tQZ;=gzFkj8l?bq)&U&RP8oA&ShUs?VJ)t3-i zWsU9z)#b2!s~HvnS>Hi6^QL)kpU}wj{B2}z{9Od}{)olT_!}f6z$Yu;u5w< zv3VOYtza>r@JPaSe)2g-9SNQCOpxlz^n5yiBjihU?J681CBr!=a?p}jCXRtVpNp=P z(I~u(EJzZ=|K%M()iIvvSj$`aZU7Y{b){1Ie&yLH*X^rr>0HsH!*jj=^gnl{o=QNR z!nc9-=YY4#S7?)XX<#Ih$0GH|l)6(!S3wy}R7Rm`H*2J=2F@9210}g#NvVv&(QeIC z$XQ^($)oWRwP+MH$$2>&d)?t(( zj!OP~3UVj#N_$662cX0f9_6qO6b0HzpUJExvsdGJUyrL431SkleTB#QJ7f}{Kz7Ea z>E;7mNZ!}GxJ~`*zao?HZ?incU^9{v_C30j#pTMd0uXoykrn<4!UnA*_9O0xA7^ze z;Qtm`kOx=7rLvTZeKuTQj!ckY(WL#cR+$$kklyXWSuu;;)c-Z<_8izO=N6K|u0R zM7gmKdEUbYTdx~$CnE4R?maR!ajf&^3IKk=AO3DkgwY0Dp)Wk>>?xP9A4ru12L=!P&xprX@xlP8cCji(Sw=!@8&*oHF3^ak}?Y3j<~g6cI|r zSmjwS@4AOF9;8{xK{E+B$^FwdC)Atj0G*}MJ{6Yc-d^3e2|jO2DJ2FRp}mwCGX!%B zsJh#kKejb)}WTT|{})2WQ2hPry}$Z7G|e$E=Ma(6qnIag0pRkJf~b4rc$jkbN(33g&7anVw^D)c?(<{Yc1}5 zHe(f%A0~CR`bd&8I7Pi)qewH-w2iY49f2~MN;P6|!$zV+lVxqD&P^~sGfk^83tADG zvh)$BI&PKX9BHvGV{~*oAHDBB#x`%pc<02(M8rBGw>f#?nM^I8DO}M3!yQmgV9W%v zTf+6N$A=_JNZqZK>{cE`1(v^Yuv+m30=SMK&vkgVm*#4OJ`@=1N#HFOGnwnf zj;~(iNUqY0$QV7vVix0KIYfRj*je~Ik8B9s!SctnAVcj1T$jS`>}6$nrWV;4e46fD z)w?ieHZ2iiz(k1YypQHZgE(KPE#P8~VQT@Q@2 zdFwWQ@xqHtPfnw?!WM0cA{F0trEz#i#NKmSGL&eWxt~g0_9XpF&cpiJSwRS?bc`bM1}C|kqxMCNtrIrUgE5=8De?xk z$ONcqO{F?S|IlU@X3vne>eLq|u{J~NDkf^;a*>T{m4H!L>z_v_Iet2{zw;wT2QWMG zG^1$eWLX9ll2Qq!9Z@N!TCGy;AH>8Z+F6b1={Xi=XDKp^F)=3U!#PV{c8_v*m$_rrYQgU;`-$OmDBgo*tpXJp88$%|**SWmhfZnjkL~|b5#k>#M zRb5G}#$x{rvO|4>F1vLxP;;SJx@#LEEFxAT!m$F7e!p{DUwFSa77*Fi0$srMK~m8x z6%Aw;`wgVO1twrATh%L4QOM$}K{q$B*VcYLu1>s(Y>Z9N9XmeA(R688il0qbTXT)NU^jFV8t>s zH9@OU$2pjte3!H}hlvb%t|*F(I4+@$@yt=E0~HS3^DP~^t80DHyA|kH`9S20*g9}h zke7}vd(V7oQ*7H}^ETQRQry?q((15xKIbWXY*CN%pvZ-y%hrER;h8TBln7ZNf;LcAQ54iuzkW#qWQT@W1Th`2OJRH~4-8|3W<4o$1s zrddCZb16z$OjII@`zVTxc55D7LAzDMxq`G+r^pJTq=GhO@}faew9(qvy;4S)Hl;fE z2I!>BS?4H zb{SV?P%dy$Ih)6}@bG6I;ij8*5=DkcNqbxCFe>z$(BD9-h)9FArrU*l?^arFvr`T! zk+2T9J|tlfJ^V_v@NdzT4Ta?E%iWP*3c9|9xHv5ba0R>hK7{dlzdWK3ionzy1O6St zy4|{r^I5HEBDoju&|N63l>JyL8@f^p`gLG+X^|lk)?j3CIU5&OBHl!v?|HhpKD{Ll zde5mB#D|4fnDl$??AQCk+J{B%X{{xHOUj8Fu9_1#D>~ zKX4_69Y+zsRb#O<_Hs8g!iLf`;`I1B!uVZogljsC%)@3G=dzMGfdH-ry7Nkqm|pA| z57(d4ojcyQY=zj@xxj#H&m@G9aYFKfdVk~D9)AdtcPVg+a$gnaEQ*3sxeQ7c%SDl4 zvw|o}Fp&nA;%)x?B?vmXaO(;bQGOF(QGG4%5U4!6BT_$Mm_)M|gNlXON$15pB5RO0 zrf~U^I$WxIMG)Ypu)G0UDCGfO06!>{iaYJ3z3G#47HsZ;7+?!rXJe~trH)$4s`Wf~ zUP`HSj5bO4XI(<+k}zAQde zg99j~C_1K-7HcyK99D^;NN!WIqJ_f|nHZxJjEW?$%Sk?$?b*OspAkPap%F>LO5$~7 zS1jb4EZ2!F4AeQI2|vQ}cKgbRu6`5&T)~a*awF_ywvY+w|E6n^yVj8-R{IC(=3Ok6 zY_7-k9T~FG@I2Db!p{407R9R(Ig&hogzmyL$Ou1(wG7Wr$kDr4iGcOE@-d0H>xE64 z-f{YJ?@3r#pGVlTl|+e42V5Xy`aYH~Cu|@&hUZxMd<9*`?*!t^y4<*jt^v<#$j&b{ z3gq11pv$QD8uVPwGhSTmGm+Ss`!;q(4-*qiB|M|$dKRHhz<@R}MjIT8qHy$82N>P5 zlj+GR;zTjFZ3m57gGQq!D+p^bQB0g99f?@)cA^V*=q7*>pTk80I#~TXa3M#@pJ=|4vJng9+Yr#)BM%*vZQ~UFSqxPa0QPe3w8aXj2haL~rJS%}`FHd#>WyG&TOkYCohV%6ofdilfdALTP4*G#l=h*<<;Zh{T>I_rGC-I%1^nCv(+I_q#+ z0CkXEW|^f?tC6=`Xd{5l7MTZzQZU(4K$fAb#pn`FMdVK0F@xmJb|9s1Y0u~>Z7@0^ zi7NuKbxhVyX*Cx}+wBfZ7nwwQt#jBS$61Hu8m!1J-hetr7u6u z?mf2W6qm{uS1|Q<8XhlZp^Rt}Ki!<7YQ)7{1U5?U*!WCX(yB;@qC}eP7 ziAA|Z7@(l{Ua5U`7|1h3s_{9NCm$IBZbo)917*9M1z(s@XA#-t0i@>Am2jrJ*g3q8 z-!IDYsYzn}(V45g&f12KGFmU3O@Dj*)w4uXzwE|T;wYq65h zB<-O%lT6)p;W1015@Y( zh-(!IGi#;owNh9QqMUOSHn5>uuG5JvzQy^PbnnNuuEz}+8(3NGts1g>8l2Qt!@4?5 zV!uQtg5?0N4Tvs2FkCCq$OZ|`3B<)|A5v>*t#%^MA+C!-O1RVlem$=5s3Z9k{|R}P zdY$90W^JBOcPT7R1JkzN=dQn)Mfz1JiEueZ;omPB$oRaHSPHl<2D%hd_G4fL-?xAO z&o+zOVWlyT%nu7J&s}#5!rq-@`HGC?#54l9Lg|SsX3nFX&v{WDw#6@oz3sW{EM&vN zT1$RTVTs}dlO&)u#zge@SIM#_jrsyp6I0}An;pAuVPtd*S{ZDSVXdW9DWjv11Ef3P zWKlTiuyi&9+rrv57H@imcRS2?RBB=o=MjbL!^q4fTa$z z<$;N^DCPVyyxdXi4%p~O7d=pP&UWQ~WLVq4+7zuLqPV~FKCw%e^ViCtP*|Hu(PJgW zrn^p-1hHjzq;OE!0&6qUtVNz>1o$dF%=vS19sqe05FMd)EIC+C+Vw zE#sp+_ShGB?6EH}wq+crwG=6Kbii}C-%5M1t2B|0F)BtQ*A#HAbB@C0{#@w%etk;) zP=rD>=PNOD=(Vz4>R7gtmqT`CTgyDJDgx9(&7@0}tXwDp0Bj@L|F0uE|7#I7gjsu; z#dXcDrfc1LtWG#&5&V6m7SCxGy8vFz+%1O~WSpbBNMC1DuiuzQ7}GFTuT;X~=sHiX zBrbJK4)ek;RtC6Q$eb1CtKKnmxpP&B8p~(=6r#xJWw_P?bj=}ocuR|`ulkr1DS{L) zw47&UIu3zhaV!8t>4-dY*xZpM2}Wzu!cnS}DOV~qYIX87qt$A1`ot0T-~BOeyW?(t z`O1srX@k7oqOa0Nxl-|F5=()WXJu5E-4I8-#IrdC1VG`e2LK9O4$eymy-9_zTp=$9 zl#@lhuuy*K-^1JmvPJd$Lu0`O#>|lG%wXpfrwbuyr!QLXMp)uucFP#3+3MXU#<>C4~o}-aw>tQXV`x zUrS6GkGF#)Gk};bRPKmbofxQ~B9xAa;tFxphqDEFAuWnGy^vnk&425ZBvuBkBf2h= zV#uP6W$X5FKL0C^@|*wsYwWpg4v5yT-W7g6MJ9;>gjG_k4)YRp{mUKrt4NKPUWRKWomzIZWKw+^v7P@z zRwi%xph$ri=+=q}GP7U;vcCAeexrr3M?XNUx`T6EsDE>{bMrD5*LS;GE{W^0^03Ib zRbw&8Sn0h?S^kDth)ZF%df&SZ8QYf|4w(-Ikg?lvc@D4d7oj%Qa@#`zJ6R04u5<*c z{0!Y^{ECe^k>o!~;ahqZ(A{fwvPkxYe-)Z6O-a)>m1>nJGPokATplEf4Ym1M(sm1+ zW#Y^kwrrnd>yDeq+Iu-8&n4e=pPvHmfRlNI66|h4(a2ZuPdc-+MqlOA^AVr z*FF{rp|Z|1U%j%=F6dG!*s(jXnMm7IkR1luWcX;XpSRvcG3~HXN;#Yj61*T&bSRgA zNpM#3yF!~ORRWy|Ahb*F;{|SMfNMh3_~*}Na^4-r%&###uvBP~-6If?g#;`Fs0S%FnxW)%*~#q zXy*cK!nuX=14uosa3{ox5V4=vmdI!Zhsx~Qy^}{D{S|)oSHHr(1AB>*k}p^+5=iMX z(#A$d=#B}D+%M~-y|glD6$_kmxd)ZO*57BODb+dVdfd>VSb4GI0pJltX1AKmi$bIs zqs#n!i~zuXR&U2J#;hK(KS2iH85FegarEK<}EFa4;r7tn4YZQJ2oMC!T0d~ zPJGJ=4cz36T{6Cx9lrYTvP6PIEdwI)a3ew#|QpRsLQX|-F-%}iqpOQq6>)_4~> z76G0>ELiK%MiWOGZ5;~h^R)cJ9YYZc9S5chfB+~gMi*#Zbl4clf3i4biDQE{T_!_y zoHK%q5{z-gi7z6oJ(zQKP%VhSTJ3>Nfl>)d3tJ?BD*{!3TL71$W2q-)?c(QLE$LH6 zYvNdUz=WfayfGDFoyJ+u&~*T&MrmP%z{>Rn=F2maQsCNy86AOj-f6KA_D6SR#2wIT zEQSEMggtc5cAO4F>YMYjJQbKp=ddnE>jLLmp7q}Kv|eervJMhgL2hmpdwFC+JOuICl(fsD-jBrOJf!Tu9ePL7mE}bcY15&U9pY4NTIw#pJ$4c zLq!Sbeq5S^OZ|d9uq$FP&}=qQN>i@%VIr~C7C<8Q+IgNcvS9-|w~euVY$Kb-#@MrK zJ99JBH0yO*&6_C4nk}0*p`1k(ImRJuLm}rgzIB}YKmKvH?bwNPM&yKE24|FFe!j`u zhfXmuF^5>w3(!#B{G(iox%rkI?A$Sm(b~6SH=8Jm3@@8(MbXFD_zrHlX^?8w_ZKDOw8%0uMn|_X zx@km;3A>&irNAh~`1m*veBu*q+p(j|JQ7SeG_$h}4!v`N>FGHE$;zOJKpT`cIGf@q z&`}v}Vr(;IG_4T2(p(wo3i+>EQg`y}hI+8kGE*EwYP_A3VJLC;&?Q`LDD81x0 zwLXb27=*0H4Ihf-)w#M}qRe83Yc(R|b2SlHxxYdRE$>*RJxM=m_uRXUIrq3{%S@G>4&{w>%$tCDtWtBBQO}Y=e1h>D_BLZ zMGPWi`i&S0VaGxd=(Ug(rif&C>4wUcVYsY!n+v3aqX63w$2#ltRh`K5EK-bDX+y2n zBuz8=2M0+?6^g=w)0nt~(wa1FvT4&WpZ?SX?AyPW{((Wtl`?sr(QdWKivpMDluBh@ zd-YAw3hOLNC1_oyC{k2Z;*$?QLaWv4ur;EpQ^X2Ro;XFV@ogr~PJ*r=Hu65V%N6wX z4{+zb_wmrDK1!0rzbEqid z!G|BA)oS{`i8N0sg|?2P$IdV}{~cy#>z*x&JewAyRM|6=3KLa`%l%}nd9r*#a?e!c z<$PHOWC^&GY$~NZFmi3SZrj46kA9x5JGO}-g?CE~*8QbYLR#b;JopQ5a^cSt`8lan zc<3{qC2h4kc~REq*oETSA>Yng$s^N1WTbXiDJcWqvI)7RfmyPZ)KIpuPN zC@z!dIny%>96b0UCr=%rzkh_0OBu76spHt;Bb0O-6Gh#Y43CCV6kZ-#6#hB1 z1^BvOCW=T(hB)#$Tb&U5^E}NscH{)DROEin6--SW<>eP!3=YHsQabWEZvkN)?N*a4 z%lw~$;e(hu#7T)HNqqiLCvl8mHZe6-V}7pYjWLvW7L>J*BNs@b7!e??J{rfqCtJ0L3{Or;N8FxWK3D!CCEF(`d@wfkN|^Bp$Fye^e;4BIDT6lg!W7 zFiNDZVwMr?`0)tXVQtsVQhCQp0bgS15kTB}d??~Z-7y4_xl~yF2`r>=t-Q zp>l|gxeHadVw8?WzUNY(B-7*M=NvZAm_0wm#!VX;9vR`xsds5NoAeJ1P^y$^wOUL} zE%3vqpC^u>R2g7w+s$ko-9(Y+*rGsdO}#e9)Wj*~W@l-))4+3h)-6YCBa7uuQDaF( zP&f)}Xr=~Czc2FZSq~+Je4F(;uf6gM-hT7-B_hx;cPO0GQgGJ=HbkRz6{jjFXVI#T zR#}%l>i|D+){(X??bLxzuwF+;{jsiUgA-Amqii*PHLCGI;IBX&JL2EJa(7jSc3J=`7#|!sC{-r#VCcw(t zLTYyfa0T6S=@jU8Jz&_8XF0A2w4y(h2d&NA14$`?tE}PZv0RPAh}UP zEK3*b;a5u&9|lqoN#Sy8ue@K}0(=CKpRG%}Rwpb1j{lZ!!PAQ|hOXyxVIk5B(k}G- zV#zBo3*oi2e8RPmtMz`-D?__h&v9v7sYR;h`d;Yw_O;c%pKIAS!dQNz#?oBlD-F5| zWE@;=ndt>15`%;S<&-zZ&>hD%Ko|jftl|kq1CH65^DNBGF)}*J?D;7c7UtMKJi=iA zAagTw6i$(~6iVgj#yo{Pg)xTy{(g!g!$c(phK4B$howw0J5Q}vBhT9MolfLqiozEL z4hw!img^X0`a!q-g4{D90T8K#R;FpTbAk;y{(a6CB5u=>XKljgl;p7~i?eNx?J8 z`pB+RqE?DH_IB)9?sK(rP!?lKXcR?}Q&``xyABl|OaV@JZRUObFXsvhoB8`>JmDwn zgHFw`a3pWkp#s=*0-RhZbf&C#a+DUf9)yLQE-~Bi?cGBzuEz}>p(C!9{{Cu2SSVeo z$;$!v0$*iy6S0SYhY`Sak}gAcBj2kl9S#8zvvjT3FV&&UE%~{3k=e_DEtO9!{qNG9 za{ zH8DYwBqT|UbB2+eJ>>vLC&h0>Lnz!YKw{9A~e zaJ3(p9l+yAKG$<}C57vtYx!Z39o>1v%%aKV%jK5lzg!4>_5S`suj?TKJ9oXD`<0OW z1rTQtcIA4GrTzALiZFHuR{BN_k=U&*!_{Vup6#e35>x*BTn8r5`}}HOtk&VMPJ5}C zVS0L&b7vcI-D)#6IYk_m*tBH~Z8Wsn zBuNRaVv4LuwZEUFRHn92r%`W^wo@s0)ky|&vgUU{-oWJvDjp=%k5XQ4r~qt=F@}Mm z0kpO>n<-f)vNo$VR@@*2WNC+T4s8;QiLiN_B2Q6~w-(QHFI@{V;E+3&;fT>DK`VtV ztS8I7<$B0}QVO)`02XHpj0SBquFyDN&{><3*tJ`+mRCAL>lmdVD{^t-izV00DTj#+ zA;V2TCqz+%)&}c~94jS85hjZ1?@KTS>a`|m)5(~ zlq+l;6=S#aQw!voH==Nb)GhOFmpDgZo6-hCRbpL%Epn2mPr$Q+zEX+87POk-d=;(` z02?HJU8XMpI4D&U9M<;{htcBLXnXSQLY|l0Y25{V{#ts(jA&&rCP6txqDv%ZEnHsL z<0?iNU}vxDSzOr&T4-4P39JwJGQw`Hq!8!(MFe~l_!45C@eYe+LF;k(;pp1>H|ZLY zT<$SG=yyvQvFkCebl%Tu$I?aWYCh{hntZ*+wGNg)D1z)Mh@lgFr5%Z!d~tl8l@D&qod?mL7Wuy^;ejiouM{gBTi!asukkI(5yFUwNvt} zps=20ae&oSDt%a+(rTYY$1&QJrFNKaN1HdPR{HtmgCFD0+xPI!J4bo`r!O!$H7A96 zmB>!wnTI}g zA9vrqkCP`(@%-}#Id=RMS?=q0*+_^vS0Ht_v}d4lv1>OG);Y@Mm7|1- z8%?y)J^5Rq-WU-2skUt0x`n&%zKi+VJg>g;Iy2LA;2g#Y@U?{#22lHZ>m{B6kSRhP zIAQqGqJ?#Z0JlytaC~A8>uv^e&qL%({H6r556gOYX=)H&6`n`O=_%HyjwR8mSolCCx zGajKV%DIjV&3Wmb3k7oVax4N1({;vkwxGYi%Er+lvNU7+&aG_SI>yNpCvgtOw{K-= zaE32D`YFEng@^gh6aU1-#959WImYCq!8*%^;SusIB~BtXZy9CcOisPFfJqX{NH2^vq8=eC!-nX*$J|Ju70AKCYZ~p!nzWc;K(r)Hx9Sif8x2cq4`bWknB?(F;6gDD?6d(D>?cBP12NRPMY~8wv ziL+;U;=4cQ)ae;M|G7`{_~Q@p#CM3akkxm*htH5ePA!4H=vOJ@(Z5%l`O}pK|7pkMW65JiwMM zo0yn9!`p8klJAa;ug@hwuP8DK>(xXy#k!P7KKl^cw{7PyzVVlQ@5v{botc+>IBO|f z4%U+Bgjkh?kF=T3^-=`m4d+cwEIDaWkdSy*?n*v->v4^QW91Cj%fOHQajvx;@freF z+N_@OgaY;g|2=RwSAHjQGw|O5M}ep5w(&YpSb40s-}}e)*2j8{EmrfHR0!C*Q6wMN z%l%v$4jIo^0=Np`72rv_HSeyK%>;+cQ&X&6ar+=!TN_EC^Ep8sa{)A+I#gHF^2jGRd*&SPyz>@uJjNY&?59?5 z@$8SDN9zoyVixKxn$48LiW{Jg63~jQIm@2i+c2tjH`dbY2Z{WU<+{;~e-b&VP@y?;++_Gy2kA3k|G+QZ8{@{7`?AgN?e&r$N7gC;m z?jQ#a>|t#4DD9T8fyNk&F`x_%D3xLk?BC7px9_FZN;!P^1WGGLM>lZ#-80}aU!O{& zi~!dn&xw+VJMKC_QM8zxoI<@Q|Bl6 z#VfC3v|-=Az4TQpoH%ie2R?p3AOHCMyz=s^I9G7n-relnv4g{hk5Q{N`1GegjW&ii z-guK(CB#t)hoe$X*f=^aPh?Y`#W*gJWhuLM-^|_j+{N36-ej_Gh9b||uwesRw{7L@ z+0z_3e3Z1^CQ{N@tP|rGt+ZI>qdLr&RspJ8+`4M%!xAe6Ty@}0;DrAJzM5~Nn)T1dRs z5d8^R{mREWn4Rgra04@k71qxIw?s+aJ)aP=p zTdEenP<1Nzi&RS-8ScDeFXeKDZ+-g-Vs7P2UwnikM~`vz*a`OU+s)0l+{|~r^#m{c z`~~j4=WdcX=BXb(OWJBOJvl|5<&-PiaL!>&#Kuh>Q92#w6tkdLq!OZLe3k|V&*Kq}- zBZ{;^BHHa1r{1keE*IjiXH0@NimZ8_T{mqdO;gTIOmO1(A;vZj@w>nMH6H!k zVj^MP001BWNkl-Je6{p*_k@qwr-tFvf-gx~j zvUW%Vj`3jMOIRKOQXnx;f4b1ESb&8+>M-@x*k3p0+dz~WdzJj z`&XzvbS*@XOtkr68}Lhs2$2&05mzQ}>;1wY1{%KvCg~bzTuW@?dfZrXy|@$hMnu=V zX0-rPiPbInupY|~i;RD5mRCPgA^jsqB-*pce0431qXG1ULh8Xi@JdDid2144f2ShJ zZ&4Ah@4kuK_ub0W)HE-@ z_9n+poZ|L74)D)@{VTK^ZGQH`3pDEINz)n*OS9Sbh8GT$W_oId(a{Z5`$}xwIKBo(sMA})H}ywOn0tKDjoW*LPmFiwFr3{?k+)eQAo z8|xBGGE7mVeEU03^W1aKGe2J=D-5ObC|XxBCMHSBBuPKU^btidT9;8~08|TO%IHW_ zJ28(ox|o$=4PjP`IR@AoSf#4+xKwp>;!MUeTa{I@Zc}F@7}xFyKfJ#zWO@#TAjXXA2YLa zy!G}W<`x#H^i{Zd*G-I#ZNiv{B#Ft=lss>9+pV|qk^4TvJMSFfr_cYC*I$2&yYIb+ z-~FB6Wb4*(o_OL(UVPyoTEka<^-DbR$isZ^d*9>CnGRXWystSlVj+B(nj02fIAC?jf&S-QqKSG$k*=GU!NG4$SN{EA1^F(*_G zM+R2;GD+SF(1|6uoRdPMr7*A7D5rg1l}Hhjl9)xz&(3n@#1VGwyotdLgM9DFXE=5G zJOd+}IX5}Y10TDOKmOz2=kNY*GrxHCHO@^eFgLqEt5vXJ!vLjni73+a4GhpfI7AdD zwA(G(X$xm_vb2pYAdbsG1hz$L@PJX9vl1$E&X$X84I`_}$%g!{KYr^l5^)KIB?(q^?IE{hYmA6eV)9?QA(2} zC6Xi}OLLmdHlO&!UiR(Z$GNi;{D(jNkG%EPJ4{VZV{?l(hQjBTg>nO#ZKIty6sn$r z)6nbIxgIxYghBRgWC9yp=5e+I1O8`=NIrt>W2Nzao$zvxy&4nODDa!WV=Fw)N@5%E zFMu<^FX%25t|e*VS~+a3$CZt%u>f7Ej4DAE)2rG4`jI@!^|<=skPWAKmVZx%fpKK~ z434F%Dc`$L-&@XnwVcmg(-8@SC16T(Tsio7NE?HYy#``NsCL}oiJwWl@=4YFl? zGktv(wr(BcmfbfqH`gS~9Ggdnx%1B3*n8V8)D~Kto@h}jR~YEiJo2f#c;u1$`N2~^ zZena~6r(kzM3ES8jSe^xsST!DBF)qWWlGXkrh+jE zqZ`YNkB#!?TSs~R`GXuedYaruluA`lImVPxT8u>s>upPv#yZE;)I3KHpJwM*9_9;Q ze3)$;8M@E>RU*N4b-vOoBf8cidt9`t2{!I=ZJjltD?-H2^q`*-) zi?JHxt?I3_6z+OcldQ)wB1jlsMWk}ei4w32S(x|SG&E|V|j5kn5~qR_2Uxa?AcomVkMyv2LGm2 zIM#ZsJObcaiL>qqu#;|m#$G4el|+Qh6B^kFyO4p@wFsovOimefzNM3bS9oI#U#UoW zSs@0=kFq%B?@dqD2WtzF(K$=0lrXY!gtreL=gqf|lII1Zn?@-)a#jd zDAXvOlf((u3P>E=Jj(F!1|}wJWEo7Jukm+({|rg;a~iFTxrGMVY#o)R|37e}n=_ukC(ALnMh*G)9gUDXXV zfI7g7SM~bUefQw{1JwS zt5hmws->7x9HUeTbb@9GuZmo9-vdf0T|pU-))hR4Q>T|Wc5;#3yRYZwo3H2D=U(UO zXJ2D+sR_D-j!JkG%PUQe9-n7nsf9L%wC6Z{WR~V?8!(hh3A3|H95`^Csfkgx%#6@( zcj$IA#>Ymu@BVw3n%c^bp4iKQ14r4hV+T=e&|0zQwj0@V+l}nocYv>c^)ViP=pG(@ z^dUa^$&c};fBH54@ZbI!U;p}dF&gf@|89QymmlEt=`;M``%kfL+ZMEf-ARd~N00Ny z8;4k3ZBj}SsT+nA$QFzISWHk5tMw?3DOYMd`^*a{rP#W4JCl<$Y}qo+z4zWln)djs zzxoCT_8;Qx*|X$%#*xFvu+CDe*0}b%o$TIyBX`|-2a8Kfy#B`P>_50q`mD-Hk}}7R z9>Y6Bty0H1OP=P1MZYg>;T1+1v{K?`=p9Z0K9_!fPT}v(c%O$wWQFSmTmZKt&QHhb z*AdxhOaQ-wFmHzux52ZB=Dtf`=icS#^4q9%tv5NVA+R(^I^-_aLXwtYUM8%`Fh)wI)s!#u$3-lxEwJ zXO2$C(&>4UL>K4hX|_5XKYo(2v0--Kcs->`m83L;QcX}vk%eZ#Cn!@v>7;164#9fA z(P;DfzC#Sx68`Qlf08?Izm-a*%HMqJX&TKgD3L_g>qAUTO;N4Y@Lo}`k8s^}*V66w zn4X>_iDM?mr?__Kbv*RYhk4+E5A*orKjAyyeTtba+Zh?1Or1PR?_Bc8)h*Kfr6R9b)$EB4eW?Jo)5LSY7Q>t&Pxacfe~t{i%mZl9)gI zH-E-skNt=*e({rxj0|)9_$ii`TPP$~uAEc=N4M9ZS}S9W!8^~;@F>k@i=8{KVfXGE z_}+JaKrd}msZ{Y!bM)v@PMtc5_b_{Ama}IU#pO}OIP17($2Ht?%T3&V`)%BM+bx_p zagy(U|A!nsc9=X*vDT7iDWCYn$9d@C2N?hM7~lKO_n4nsSd#~O&l-y*lFx$MRbmL^ zaA-8asct86}1Kfy!qE!S46-6r66$TxMSUj?3!;RMvHSghJfY4e6EegX^Hq2Zp2NGb_`32gg(|=&FW*rWJ{lee zJ}gs})MfI0wo5UP;i421ljH2ZX*a{eBg`)>(rkCQ{r20alqUCyN2r24YV6QmQNiZ?JeM)r_)Y_&9Y8dHxF?fkt8B9R3@g`>OyX% zmXZdgV&W*qm>BJHW~QbX9UbNM{YN={W}bWQ-oxTTgYW)eFRiX4s+91mg7+5fduV0R zaT%|xpdxgXu(+IZ?ASb`qhma@(&og;Iez%WUbak6aQlZpOtoC2QW+*rn)oOow+iKQ zlvW}oG!b59;59aveza@n3@FXF9($f^uf3LsKC*}V?%l()&mCZS`6Nn3C}k)milKUq za!G1K4Udd)+OF?R0U&e+%p?RF2XBSuF@86K*0+n$>l8yn)Km-f8F1D z6t!x?XFvN%y4@aM`OB|x;`nK9zU3CYPkHUNSGoD-TX^)*PjKMC5nlP}KHBXTLnCz_ zc;H@s{WpGv9XqzOy1L5p@-p||e-95o{2-lfhtsD|GdH)u+}u2mJn{)9CdN6ie?O;B zo~9I+i(j3}?kp(@1>@E++C^AvrIq+I=t~!coB4Y zd5*q`$JOARcv&Noea~=DI?3nq3ROrtJ(8oPyl`6-1!1Lbm&aO5v)N+q>;gxR9HrOm z5=9BCjRwE;rOz=lHN_wO@n3NC*hxxBiJN!dz%T#eXE}9hmV*b6^0PyS7_B zhE6X-dqt8YC>2qu)rg`Pyuw;Vnp%t&gN$0Oj?xLeUQU)}6dx=)kFN+-~A+ye)1!nJl*1@mk*P9113T_jZ${ad=`(Sas8qw~ z2osg@YK%s^LO1nHO%5|LKEcF9533@U8&-O)D*CXBQ7XYCo|U$y(aQPoZQHnY&xiQR zSDxZKfBOpMYK^&tF3MDilVMP0tkbkw9p>knv|2rk*5tY8*zrZ$oi^Rn(QbE1l887d z^S3{El}77%Kw;t%D{aWyOMK#?8~N<#?&IZ`5Ay7@uaadMCNenZh-1aWAGw1YZrI5) z&%VN6|Md@8SX?5G6UN8JxOV3ZwR#!nEwg8qdG5KF0l4>`JGkYR-570f&a!RW4AWEN z%*;&i@Wb~pJu`(in(sXJeZKb9Z!$VMLQ+aNdUTOpyLNEb-FGoMHp&AJJjj8AKjXIB zZsEfpzJ>38?{B&N_7CyJFMffq|J65nWB&ot<&;jl!-*58*uVcEOH0c%8V#10R@i;h zZnkcj;n`!eic6=Cy?L7ZTuk6V|n?e~W*BazUCnsWr-!gu&~ z+>Cc20`s#3{59~OZs1rS171V`&Y<(tr2+s2+zUL!#Z9Ohm?<8E6Wgo6{|tN+VZFk+ zT4PQ5m0*!VYxoK!DE8d0(%YFNzJ)Du5ueSJc$u7DQ;4m1Ic?e z-VK@49J2UbZ`2X_?{&yH6y#!;x_C8+MC`YKTQ_h%n{oNW0Z$`9We4k%XeS8ZdKIyU z4;zH*0XYGff9?|Ae@*cioC8i2$2f`1S654Yu*(*a#})<|2IY+aF141>C54X(j&1VY zLklP!(QLMP`swFUz)xP>OZKcK%^c(7V~h+BQ>j*1U0LDCk)u?rRd(*!it`XB33$k} zoaM8#EH6J!+H=@$gE(@Ok_cxVEl3)uv_7ts~rd=WbL|Ry!RG2});@6BI?5B%zW_ zab`)eZ~p>!-*Fuu`^X)<_UZyZd3m1sl^4izi&dk{Y^yObxs{=zA%=%4+1DP`ER=SJG?l*b?6%Sxk%Qi?3obbAI93FGX=#=E&=6VLV|8_vA3XjejEh&s(#wx8= zi!XlZ?=U?*#cHF$8~fitYsJnTJ9zE2*ZJuyFLU(hQA$Y(XZtB0)@C?W6h20QcWXUc zm|KI<5s`i;YPxR5RS+JTaQ+%`z^ktFIA!1;AQQ(o=y75o)R3Lt zqA=tInXdC+dtWUsHsg}R(`Rcp5;q}ovp0}}=OJh2QZ`z40{<~mYT&dBhmUKI#$0Wn7+1 zF=uTsK zE*Yk0W*8f-;?OiYB~m}Zhxbgfb?XdIK6{kIhnM-KFYEzbVWsf`^NX#ug2zV3pvpL> z==MDG3mFRwJ(5z6vl&|D%r7*^vK*xhs2Hshj8SyjDR1mQ4&)f)&>Eagsn;Uzy7M+l zrI>yD4lzH!#I?Jw!F$J{g9mu&rPnxpY5}DpzVL-d`ITS&I}Fupyzs)yEG;kMyu~_4 z6d9(brr5S^8~gU{XK`_fEn8+Nm&-i=+)sGwsb}eQdL(hV$ft6&+bx`v@nCpln30hY zhKA~lkBzZo$4<6x-NOC%-OIjx`+5BFd76zTiAkgf2g6ORG3WGZ`B_21Y=)lxzPZmg zF zNdDLtH*gLi4k9eu68+-POTfQH0NqB}vt7XNBFx#~;&Q$DTpP`!sRFkk3z1o52inlT z{;K$WJF-}Mh0Es@wi)m3IDxR^8;LRClZagF8}v62E@ljhfjx+X_#d(U&8N+{auLS1 z#}G;NDC=j@Z%3}R1Ac%2ez-WWqY$~^Zz4*AjYJoztyn`g3Er2gfJllO16WXE5C3-G z)%zmn%Q@04r-TXSvbkz@gK0(wsPUj15)!$b%o^BM;og zv11E-@9~#eTIo@$)H!f?j=%Z#OH5Bq^3jL(uxsZQ?%R8eC!aaQb1$A`VI>D+@hTyT zB0jWd7iSkN&%W>qm9ns4CQgXU+em$vR}UEupGdjy&S^4N;Rnwfl7$qf;^MqD+KA&~ z99v9nl0#=5-+6kKsp(-p{?VJ!@d!^nKhMNyh2gO>M^3aEpB|-~8xEalvH$Q2w_Xp| z?WnWTDKRp+i-$gP16GyUcR1(uH!Kf7tohWVcapn0-~GW6PMvL%rzw%nG4VJ`B}DNM zNp&lwZk1A^aCr(o!%ld5O>}EA-2rS@Y2gKGe5V8F{ProHe^{wr`y5W9Pd0)9Fe9O z&Usp`7Aq@FmY3e(+>7@41ixi^1}X4Hf9y?kqLhz<{JvQ1Nc>>{q`bm zT`|%pb^tG|QwZ(2o&DM|$~NBTBmY%wT_f3tbRARAr(A@F-_Y;zFg zyBy`*ji>kBu6HCh@V<}^_A^=}28D!!q43V*u{iHg+Tfic%RJ6U;{Jxmc~8AwW!tvx zG#gz?pQc<9fVO?>6t~`d9nQrl zavpr}4jy^rA!g@R_=~@Mg1vhWFf%d4Ll5rZ?t52^06BC-7!U!3=vm6 zrIB4k&5V;PC4T%$&eTkfN~(-*-OAWfic^v|q?E=)5bK=S?y=CB<%4KDNr@a)&Kb6>f?nwr(5ck^jVyRKmYR;UU~HZvu79Rv|Ef%)cMS3AK|V$@8r~} zGaNi{l=-tuRH_wTdu=~imU8{|yD-{NtycKl=Rd{4{l_@C|0vEI+O3S^M^6e+#}g+p zjYfkk%UE7s=Gf5_EH5wPT*}U!+xWyIALsPxGraKp3oI`#OV3qOkIQ>2{e7Twul=aJ zm}hL-!hev$Ba_VEB2tadZ18wHf&U5tZ{I@}-LE5nV^H1`ArswQz^4&rYbP7q;ae>} z?*x78_>0-y4siqUKd|v)rxy4T;v%?+0Imjo2I&Ow|00XS>o@pW1_4~JAq&inNK%4h z)_}JDl4BIPme(On;|j8XokkWa*CFh|G6KRHNS>SLeYnurjEjyYVs>*svfIDjPzY1? zJ4n9dkC6?SWArx^BBbx_DBgQN0=PDMFK)(_503!oFC)2Fx3GSIu95j?3nEc`9GO4% z^Yfce8kwK&2R@68ag*!(+z>5f%pNRtvQgurt1==V>S-0w$|I)c{Twb`7-qdY#gPRiue1lzZ-a?_1l zn3~zji!Ytx`JWu-$f-q?t^y^TjnPp|J5BiB6DR3r36K6lMzf>&!LvPAEn2bspUO#Io|74X)#Xwzg{cR;oY%s8D<1 z?@RmW_7vq(o!K)heEVBZQLEK>^w9^o?)sgKjZbj!;9-`R8`NuM9(nX3KJ%GJNwb_M zo_LDI~^t`C#ct}cn7m*=D6mXoov}MO{AaV^r?A_P8b@l02ZymD^C;|vNYqw z@srrxvSnt9daa6gIrrRs7oYyjr#X4@6lczyVQF!xxP4XO`%?6075aT&E~}KGaEeK5VBKz4>EcE3^TPn-j@==&NwVe z*BdqD+TZgQ?-@oGyeANrD*(mK_~1p@-G2^opxX%G0$Cj2h?o=n0^$UBhW;YDgxoV* zi}!8c;OA||I~RfFdI?cw`~e#W=-Uv5#r+8A{~01NTtUXsGBPLbLfH8mxIFa+pFrGw zo5kaO47k?vRW#l!VVHoxXnXHjvu+E^R4=luf*8Xq0cl2ow+?hfquJvd-~0huXD7iD7Jheb$B@-+5$_Vjrgzv24x=TFw{C+$RZ6Y8p z>d_ird1bc9`%+|1p>%~)vl&NE9$#vX4 zQ;sN?Ba+BaiVdY$5gSjW9g(tVpX2h3EK4ysn$0#V#*!q4Qf#^X#wy*k6e>rdfT60U zoAuZ}Q=*$X$|cWGZ5$IBtb=wZ!(lnS*rGOUxa-bQ(kv&>9HWylCl{J5G&_`r40V%` zXO3RillKhAXWKme!YPg%U8Pi=U~;BT*2}?XY}-;{=Z+zU>xPr3GhTdYKSz!n=j_?D zI2#d1!{9T#?lOC}!DEj-%kol-Mze!=b%yHGbbBkLy_|#lPw?2cpWyVFSzdhM6|`3L zvTUvNK(o_QWMkdLP$QRF#1q9?AN0_cA=N6iLyZ9|6his#!_%Xj)x$r5+@0nHXLunMCB5d znG$h1A}J}#6-AstoMa5uJR?JjY6U6@)GLais^XSXLM4GptSHA28%;S@)XJJ_*^opL zaioc~#%P7n0!k%M&0=j%p5F2&PDn-0!)IdWu?GiROx?{L--=@OAj z$bp~!^dN^09H*Cd$qQ@x`T4@k!h5{8SZi@ECwJ+ZeS5%JE6a-lw6ww)jW&kkM~`D| zhBm6m2?XaXhYugc*%WWVIfwRYjk|?l`(FI4RPp(KZF=+gO-bPgFM>nUEbtYCnYi~d z9$z6W&PJJ>3q=5nKS99ODt(Z1F$vHQ0RNQr*LDdJq=YXa0C1T%-??tQTm7 zd-qCjLTtvxMVPNn0RJ~4E8M6Id@wY!A-GYd^+M4FzK+=2uN02}?%sD`3m}qWu>B3S z0JfBgQPnXNC0uVAd@74nHCVV@tuY4jXTh#LBKMjswPLbuG^$v;dcZq{#{ylvbHzfq zFl|s8Y!BB-(K^AHGAgQwgwcZ{#v21Z5pbq7U~sxb>MEehP^zFz4R7lBXap6HqvK(s zQiZ5gA}Ys}%1|nMN;Rm~pi)!R>zaBEhHHx9s%N+wF;<1)s-m7iHGx{9sFf6@Sd$n; zGHAdkh0%&g%WF!R!tGARHU$MZRamF+R%0Vg78|T}I4A6(F`CF2!gW~_dKSP|D2!0Nt(4V9N~fFA>si|EjK)ez zw`<8W%ffsM>lJZaV`!vIx1G`JW@Kqfo@H3u!`T*AwXk`cm6bN$Ta3=ZWjGt5Q1m)E z-F6$L9Y!mxwE~_&oCgazpLGuFEY2aOD$e1YE&MKu?{BnRdR$>nB5Nw|ko+qrW-P8S zTnV3p3Vl}hGZd8%tz6s|VyNLa0oMmD!lJwfybSznMDn*$yW4jnQltjhH|b0GE>@nQ z5FP%1&&B}{h}+|nhomeDq z>lylT^Y=Bo1?TKk6hI4M0x&VAG6t%Kx2Z@4#Z$Z3hsg?8yHero=7nw128Yx#fP%kMeu_rN# zL_=&KQed&ME<0LD%L%+X4(Ik$9@L z>jS#5HP=d7O05;@^{C>!Od*#u28>aZ;s{kKE?<$a=e#gKxfMW`W{zIwNHe3vBlD2n@&5U-AY+m?9o{1(P?FL+Bv0Ca`Tht2qaMX*m^0ltIS-u_cIo)~;3!y=5#Um&}M0ptuy_}*#) z(}=;x$Jn?eWdX7GJ;;Tngo6=wY3C8Jcn4A&W+R~yNzCsclEy<^npM0*Z)d` zpedx?4Sm+~|K}tR+`D6iMkXcKXIeM9; z-N|S)yEK|9E2~|W7TYW@wOLtiv%1`6b-71tHKpAw({2sX?WA;jDOuJd%UWdFD%Q1e zwvBT=yvxMN(&ge7=<@=Y1^@;G382?v%7T-;Djng;u`We#R5axitM0N~+myMffT#4|Ao$epe2RTc~ zj&zT=2U`lMwe|P8JW|3Z5U?`nO88bRTaZ!p=!3@F*f`S`BY9!J4g7Chyj6T)IaiS! zv>UndvcgIF?A9j3^}&w8T+;ss>BA4Q@r{u6MvC0eU!h-+b~CQ72=mohq|a#jwIHvy z@Q7pPH;_Ep1!TTza^X$6_f158jR{Z#ZiQN;VBNwQS4Hv~UOWhOg076=tj6bE$*&5` zSYfo`*Niq00H-u~Qxwt*(ibo{JQ}UWpRlKUBqES>l47vtp6kVD` zC&QRZm84doR8Oc5Ylg-YqhpHkQJ5O@%#3-qjKK7WV!EanD~mj^8birItozGri;yRo zgUo}qp4=%i3%P^Ld0~be@|uO*d3h8+JLd}^7J!x5N;LBT_&vC9-0Q;ivcwPJ+u1Y~AqNL0E0$2rx%liUg$-2t<0(|+k zR>eDqQ{a4#QJ|GZ6CswH;KTi{z^k`fr*6jkIKnP-4>$$$U*+67 zXm53Mhh5`8Mx=>XT0-?^4A*9Sa3l1;qliT8-ylwd?{vRNk$liUL73v}*aTcxV+=|Q zPXhl68B2d3F}k=~A_KmQfUU!bs$r3H=ZW|AqAMzri;A6pBgJlmMh>$E!h*yNDA=!A zM3LwLgY%il>P#IASjl$TtVrtT}brQCZ!}c-QIt&vv#YhS22~>;#4hYPX zB6SFe3P8)sqiZ3}J-KzHIi%LhzvZ6PLS{W#F48<}`e|EA3%GK{u^qMmSgK%JLkuJwZpH^S!X(y30K}gmJBYuB)GWCg zn27Hp=XC~|xaJX{Gg!3pLZJ{q^WP!6=o?LhUqI@Yy{Z?^aFH`KN@%GX}kAT>Jh2*wf$%V@V=jL#205ik1Z5KNB_!EK@^H|mSmm0vye$Dy#YUcr3t(kH zC1_m|fThcLT`uynDkw9IipJ3KBs!VFR3?ck!<0tKRL2yxVa4zmOisZy)1DoZuxkQ# zj4Gz8p5ZdoVo0>iVXlw?rn!KlG*_e+dR72bH}~``^fGy**3->AsTEc$w~*xmxU$>{ zo8>)u@mg*j&icYFuW%Q%0#YT<%3}<~k$@y;J!>|6UL5wElh?htM&P{wt|+2lrXVuK zpE-{)0YiG3;?N8WJnSLTybQGwZ<4l5-UoHmiKB+T!1rS%yhwq zDPm(ts)nIz!sKX$Y^ zwDb6)0J7w7g}&{JjRh?oeKS7j5%Re@2oU%dvNQLO5EGkz*{jIR6;<7o5wsT?ljy${hbS z;-2{TxN<-!ND9MaGd3fPJuQSa{)fQ7M4afZWO!s_>E9!4a~NNika}I4fa~gw!TIV8 zk^^`U0qmdU-5FavA{GA{!j=YB>jRUwH5ic!phpnGnyCUx7NMfa5*EM*$33M`TAb&+ z%}}vHN5f!qyzLg!!a@#6!B*)QMO^%DK*#br5va0&D;0yTqN8ES&x%IT$rQS@1yh+I zsSi;aE>Rs(3{Sw+3~ZZ$YiB&yO~I})*iwhlvZ5Y~w9Y!ntfHBVnMKbDW7V_J&7qS+ zFZ1;Bg3-zx-3-!9iJPBwYcjz!_vE?9W}aT=$uht@j25uf?K!M8SR84RxWsV1 z#MDHM-u6-2?H((uZ59?9%+0PacY1~S(<>~@Hd$Kev9g@8+N{!QkI?BhNV68XZIb6L zvb;@B2d$7?L7$_2;cDoFnet&x>4L$96Q+xT^)mvfe2^(Z;dXegNr}h@kz*@`Q5vHn zjM{X+eTTyjJg$})oWvXg2L1(--}Bo@k;uZ5=8A?d&f#0YU(q+DST24JPJkC{0e>f# zPa^pW=eiPx0>_s+kp@<=gY2$<2>2&#oL#CSh9JL+?EHrMTyF(R2W5_bfVA=Na%C*B z6GZ+P*sUvRnsK$=U+;x@x7y1geYJtyW50$hp8p}zXD;WM6Y_w*2mF7?rp_w;jhs+G zeWPvhZnfpr+~@rTeqK+6J`>oImk<@hUm=@Lck|A$=mEHY6Hz{d0?J{&3jOJ709)_a zm>A&;JcW`)r!wN;=3SvClm#rhZwIfGF3bu5bW!X$6Q)ZA>P3r0urS8(D#oi4N|gjy z6(B6+XDM9+Qx=!OWCr31Ofo@K9U~qdqByd`OebKFYbdI2(zu;I~L!u;-A1#wU;kSc7xj2nRLrZ`Xcx1jyWkFiLFTd>4_L zTd%S{DdG7Mq%rfzuIQ~uU9F9rBZzG8^N2+2Y2k{>St$Md>-3-JwiX~A=26PT&J9K$E0_{)L)fzSs#NZw2;1&4m{w}+H|AidtkrUJ6?speBsY!c>(Bj8I&t;H`OviKonEV?EE~kr;u^>1k#@x2;d6+DX1Sd3br=V z_VDxl@`~Q$k@9&+a4Eo+fsn^lZ2c=8OOA^#7N&zzb5)pZ*c@*Xl&Ke|U0A^Dq+rW5 zUKfTKy0T`Dp-dH}hYB-{Nla-5U6~=O4wKX?RK_AkCKS^%o*moZx~-nwTj08Jn5ip9 z%N_&tEUfmRYdxJzKvpML@|+bwD~E0d-PF;`g~4*JC>oqWnilz5&XZ-HJTDk13%yKO zs5laE)$Mt*%oT2g9+wNVrSNMtoD_X`JZC+5CN-m!5?k{$mE#9SOO%~n0IV0OU=o8i zqJy-#fTmKSND@e5NlublW=`zUZ2{hN!G`(ZX6V;A$|!~;mYl61J&a>bwGvUQ#dPD0 zc1IX2tyEEKOcgAdrW_kei6KcOud9>@2ulhEEQy63Ge*ofYSj|8YQorPl`S(PG_RXs zalXOXGYia~TH@@J7xg2 zFCn=rFCp^H^_=72F;|hkDLa90&m@KR>=e&GM1bWlARzE|q%FgB4laY|U*B+T!s4ol zNK=1`^qsRv+YJ`|JpY_L@B;9^BYmq{eD1}XYy<#u5CP{GD?5EJ$G4Dnoj`y|C@lSU z?G@U8AAQ#N-5QSuL07Z*`58o}bu%IryBEptN;r2TV6cA=g8Z;Z{TXs^J%un@ZTgGj zFvf(w;*mc4<>LJ{1jt^@{pjhBUF#himXLhPUC11Bv7a42e-Y{Xq0ZCgyq?b?_vHka zc3*~Ta*E4;PlkTerGLFUNZ!TPf7x31ANk-Uh+Zpxyk;h#WSml7 za$nZiE?@kcmg}Un04}8~#nQfbC=EoQOMNSMT}2rIS~{6T$J6M_BvE~o@<^51s9|&x zwrurWza4Jc4!frn+ebW;btr4erD|JGCsQ;tPb*WjQ|M%>kPCV`siK#8F}%n_d&m=FamwM8yFubtxKFO~V>7U5^q*e0Vt<~J};_;5n9eL&ilzJ(IOu;~9sVD2n z=c*!?2n1L;>k5Os0<1ZY@(vS$iR9QgSLA>>qL{+w-4!y!0yGr`fL&oCp}favCng)Q zB8mk3DICVI#%KxHb7(wqqN&#+N`+i7PBf-)JdBNu+i`5xKv%gWU@HKwaw#H7B1*BL zoJ5q8h$Jy0JuH|nRoE`3X)cn((!8`&^7K)~w}i!46uy&x+Rzt9goRgD-%TtSZrH&LAaJ9Tm$)oRzZyosd{{KEC&CVSvpCNN z7vIN<35*hQZR^PH@Hnss0oYT;IS#Yt?@F(DtRmNT4!OQ3kn0)#JuFJXdA-@>fBrQa zroZUC*a+v;;9PM0eq+1BR9!;aX$-kumm=ER8 zUg}s7WZ^;b99Z~`_IpiV5*+&3rQDaE{RL%#?c0#_s=aSbe7^1KIS z5mSpoTB!P}39ke26>E2NQKVQ!NG@1Z$hQ)-8Ns9RJ{8MzRfcF7ZHB=Nq4Y2+nZcB2 zFx3g->QudDTV2tzEF65{9^5?yC%7&M5Zv7f?(XjH?!n#NbptR;HoC_>~qfcj6Kf}_b zbMi>YOxBc3dHJE`GSY^D=;9{}mtlSAg81U1wQH(j5MGIF6DT_xE=+=EE~n_!r~A!8 z#FT6bYw}y?jc6TBL|&;-$eplm>0d?h9H}}T%e}N=04dsH|DPdiGTX!t7D)@Qy*AL^ zSIgj`2t>M~mf*l#6zaGBdgl(}D!Sbea{BM7ghdIsR&JI*ZI(V){4<`aQMT#eGr8-D zVnibc!Rhj54MvFP9x!fpc2;&3S%SIu*-MCblgB_yRPfjUa`AFrWr<1 z6M^<;Cqoa~#G(s?c;Hd?b#RL(^nkH`Q(cU3Ehi7P5d68lq*c8C;NTXACV#zu2j~sP z`B*5P!VP*kH8i@^^`_@I>muHI36dcU{a(&k6dU@EGhFDpTF;~1(Pv*GKXLUCT)u61I&MAH`^=cq^W zT{>Z=bkwfgI4Lgd22A9XEUP#v*%Oaf{e`T;E*5t;Xs9R5QgZ5;w(#`euXQ&-wuNEm zzWUvZEuH$%o!ebJc*R5q&v^Hhhe&Sau2tKiA>c$`5i-}0gM13>XEDtb+l(%%r3m+7 zuc7fK>k-|szT?Oct7aAU)tzL_S-m!bbb*Q%85Ot!$>3Cyo0Esq9w-QcU7os5qlAKO^+~^;PF~Qg$iorQJAr0(Ilx5NveE8 z@&2G>^3l&1q1@ClQD15#l&YweE8vZcM6A{Y`nH?cvbedYjtUyGxZ8Wz%BXK{(50k| zRW+S8bs%)pt&MafZM5QW+-(>`1KJdSrbE_LHfFY{*F+eC5<2$KQu`qTusL2dR~#|z zbfkkIzMY1+wB2e~+eHcY+Bf||n2PQDdHaN^;p8vAl<(63Z)L}VMO|9UHTCrL%aS7T zdNY7wPaDm#4Dr#f)9yS~2?J9-WV&X-GiS@K_T7;PdfCAK-=CgVAP@9|WYm>@538!n2 zcnZ9k&-{frB{;dc=K7w-@u*Wh*M&K0Kw*vg=GdiZ-Saj6TV)+pQmv-$Rxm`)+Fd&x+`G8~G=fmNux8 zfZNm94RlA@hzQKvHK*%jh*7{|xJU7V;8zGP@`V1BZtvBZi`8TsC`C>n!gU20*YW@S zO6NrTsInBd+8BM(Was{kM71`uk6-TSiyw?=89B~)&08i^CXRDKl2^*N4Xs`JHp0#^ z`vrei(Rkq@g)4pr_x;1W!69ZWp|9zGzSP<*E0$pm{8U8ZUKPX=Y7*ml%`bGCAX>hKbWzV7Bq*3A9(4c}S7T%|2G9Ga?3pd;7eYR3o zn@!AY=#<0$5}&DD6{}!sZEaHROy$hE^I?&U$2SaD;Kei#Rg2%4!cXJh1~vmkxWD?$ zsaQp@CGoJ3Qqyex)Q9wti&8c)?cZY-JuvOyXoepoJC{)m#q=Nx!Mg{D5Y>GyP6uxS ztwL>tiE8S-+TSprOjz7>Q$67vYpppwa<hp=`tta=0z$ea_+>2PdtqY!|3j^;= z;uE3)Mi8N6(ewLLCdk_XN6a`5xyCZV&>hks;d4eaVxcDpUd%KatE#*V^Y;y-r8 z+KK9AK-pGRdU{Pq9A(R1PAq!H@Za*u^2ITWKjf(z@qnP&((4~-*I)k}1AbM>8h9G)pK3!5K*GoXku&~Ej0y}x+LM_U6*JRrr;XI% z6o5nNfPkIk-xkV*cqi`4lxG+Oq&k~2dBFTJu1~HwWl$Keh+GX{p0c6z;GD1omWlZiqy zp7&LP-uo^Llh1QRO?T_w-dGH$E$14s$Gs7Vumvmo@7^ZVm?HB;>7=!b5P*yvc9PkN zJ;XfoJDTN-u8>q)z^hSb&x>h+-rMT5tp~}++--%gQS;%tVC`z8zeWunK%I#NK7Tzj`O$Jjs0cK4y9`ethsT^~AhOfnM}FydIiA7*cx} z-V(VVMksSOZYeH=7=Is49cPYMP=rv2QOea9+LA^wWKEyrOqlTtx1$19AAaGG)OtEh z6g*%q$^|{-z=J=a-yfA8-{CG_M?q`n;#*@{Zf%@4Vk9_~D;rCh>^oG1G&?wY17j^H z1M)CR`Csh|lFtm-Yootf5J1d*D}A!Q{KeK7|1R&m86bfBy^=Jg4=X&Ncyrz8E{5l9 z^$fvm$YPj1kedfwI^n6O&m+Iza`=cp8;}e?RzMR(mY-3ECHV2kl|?EMC2?rCo%3hA z3`dn9q(_J8v^HT?&lADSB@C9$c@nUUSszltsdTN~n}mi*M#*U{JiTr9YW_7qxe}ia zuTGe!{rBy^L-LI`>^#-l@;OZc;*Fz_7l5}^UGwMB$Xv4F9X0^%4TV%o6`~!rtM+#O zI&CIs?#P)a-g)%`Eib3gOjSQ!CYpNPEvtDw?cls#Uv%$RFxfsmR}7x4#=Pv{f!y`u zL=pH^#3hONN33e-Lb0FqR?G?YET`<8lmdp~EiFE|e|i&urIdXQogJPR<0V^9|! z3rj{fABhYjEfc3in}wy!Z)%Kh-5gPaE|7PGC4lb(ofn=tYuv@RTc9JtSHyp_;S7Kl zv#-|&#HX#RQ|V!gK#gw)PwGZ|FIC+iFKe+Bo{B}EF>uoMB4Eo3O~0x&=r}u6BB$m) zbFyyX?`Vj=@U`Z&YT;j9PeB#%o-8O??EJW56L`Ia>3O_j%DigdIjP~@*syNpx8ah0 zh;qN6ND&Q)iAe<2ifw5V7ii|Eq{FP(RRlFZrya_+AFFq62JU5%YX=vZc zG`_#Sh9s@&;lwWS zFJB#cZxzUG#tMWAeylzAy=nnm=~E9{Pxey z8>$A3u(P>ej>UbZ^K_n^C7n_RPA#KYs#;LZTa`}69$!1mo1jf6V9M7YCvBplfEg2S zB<4S3Rd<11@AP*ye0mFN9T;=v#0^NM-~b!!O^ZQz^GyQ@wnY8D4he53?68#xR6-b`7K5~D@T(gW_GQC%%1jCyJR{5qNT6^^yF+r&i~pxh$^j0+qzk{! zML`%wkO<&*HRh~($EwBHwb@`5Y00EzYv97Cx8R}L{e9#Ur*p*a*MCfpd*H6!J)8%x zH=e6wMtjFo?n$CHq}>&TV?Rx?CPRpTr%6o}VUeGW$Sf`0j32IVACu)O6{=O5O&0Uz zw#9ST1)<&yD@9G~jEV&Gr*cOrg@}~eyo3}2)P)am6L5p;Ag9!eI!~|R`G&u6V1L0^ z!uP#{OL3C^2B`-sJ(8^6sO6~UR?_snX}U7%c>J5TwKL`R%~Vaxm@QQHmxrFnbsE+AvjvkXCbKFFJ!S`&+!+q`y?FrEr99$<}*TqYTRzgukTJ` zIA0hZcKpdm(i{vK#Uqf@V3dKL-NCp#zH4V!1Rj!PYX3hb{{zl5wIq2R%=a9tbkU1B zO&)$6Qn95*?=-E9rf3kjUhW!qIvH>&S7(c>Wk*4AF1 z%t9ouo3rhycv^!(xqRapL|H7#{`QwBdsZ8p;8oAGOfve0c+>pdA^oT7l(J@M%U?BX z+Ub*FG4kT$tcFk7-t;9&2zOh}%F&U_7X*8)s@zH@VZQ~x~A#5QoEmlUv z3f87D|Jn{06rO0^yj#UKwA-oVjw?#Rf^q8FDap{Q0VH77D`dcSh zzka8!o%LzFacX;iI?0)(m(#!tc5rFlDwq=79=QSWee81Uy-rL$4uO3}n0&7@YJ8Tj zuB}0t-cwzau)n0qcX`|%GTiG4sJJ0?y8@B%*^P>@s{hZu`9BziNK)$xxp7Uc9!_I5`x30}Rt9q4`NhWj{%yTkzpPvt;DbZ-nW zok!ug_E&iBoORjb=ChmqL?a{_cG7qr7?%yPp%z?UrR-ylc{V(9h z!0%&fDJ$5_42{toi!uTR9qH7)6cZJ>U`0~sK%TtchLB@y&fP!9mhv$9$*2X*gwlj1 zp$xD%9jd(4pes!zv)5kJJRD3Au8=CY;+X*^@QB;L(zjv@4E85djuFH`iw?cV8X}YQ z8K`DN%=H&#*v@I8Zi{LFh^9@?UrppDW`HnCpdD}jA3!@g(=M z;p62%`{R~DuM4ZY`>Yj@V@;08sN0AUP83oF+8XdgiqOX#C`4HezxZE)u9R}-1&Amh zKs^&^Mc`hG4jACZV2Zy@o9>cZ@(Q)PFN;ML;6L~W7k}Z6`hNOyY5SRe+-z=%ItBWt zHu_UrE-g?wJ$KH(fGBqBDdB-g#8ssTRESC;_E_f^2E_c!86lE!l2yS+v`LEajq$u% zGv#GE`yr;bJ!+i7kz1^+^{1BM=zq9q3K4Z3ti&kMIeBXxN4<*)sqx=bnoyARKP zJQ@+dO)#~-U-yo2hO4;}*@9wrveHKVrSn)7kTo;esprRH7lSP4|AP~!GC5bUJU*mu z|L4BT7Y&2e`^IX3wHNbgw^aLM*x8OHW6qt|CEe@g%cYtxwC^i^a$P?ZgU#xTQMdN82y={j#mU&C<{kQ(I;fe z9xE`jNb4VFF#phIg=een@|n?CR<5R$csaaWX{r0oL4PrEFsTZwV#zIpPkQ+}?FqeC zZ?4}e4r^nmt_Fnml#{-v1+rj$7Y+DHLN|Ac+T-kVvAg(RYy?qoq)#~OoG8?A6L`qU?k;Ecq zE>t!B?4P6yy21!wjBy8hN%Fl!oj>Cp$W6Ij*BNbmT*q#Ly*}9`lE&7B&E|n^Fw+LU z9=LD)-x4Y_VYESSWLTst`OqQuVpEaMDstgrhiDVl@XP2{^_O%_)8ZZJbXMj99*TQr zN!lMqJO&H*jVnGWKL8=IJ55q7lx}~hvJ(*?fWAK^2&VIsq18sum}p$QFf#C_$vQ?~PD^fN* z4l@@)6DE*X7z>)024KTuN5+)u*}dRH79y9D;jWtu@QrtRaZi7SIiJwwkQ%+{(~GTb za)%8#L-yf6yT`%vbgH7!GFbb7PYO72=HGCGY$E8Xi8Nx$A3+3O_*6T`cQ zACt|NsqN;F*3KEx8qp?mFMB^1Fz4zY!_7bTzS%fUg9et8brs_trnN3Su8p>EmLz-H z-7NqIxpHYD#kxWX#xam23r$B1A@k_Zb9Krr9pG(YB84!{{r&}jj;yaS?RCKnue86) z^zTV%O}F2zFsUs1?a3!)zFE)sn8F>Sj)$8CjppVTK;l@FEbWJOCluwHn+qE6v@`=I zJI0?uQ3>zWla)usw67L;ELB0cM;vNFjn0W8)>IQSd3X_MYfgAUq-SmSG+>&;6*C%$ z_^{)!$#h&r0^v_a@Gw%i3h5@O9wDImX{n;ZE*q5g`XV9pUB1++y{g2ZSVDQhb zU^<#d<(Nx^pPc6zkT1*duRP~;35mxr$@MUB8Iy5NCRs&pNOFjhl(p6Ugd;8b@O?P` z^an+>IxWZ3^Q=>3N&%QNKRwqtswVm)o^;OS65)H;-4a<}q`xphKv&&q6+4uvx}S~X zK9Lp+hN0YHb78CSO?(DiSUA?CddgtA$@i8)M%<7eSnoi}s5A*E`$ySyHXuHR06Uh4 z9mUUqf2rHysq?DxR9~8~Ie6D73MIlIL`K|&Sc49!Munlw^k)JZw@XaI32i)W& ziOdrvewE$~o-AVSEL|O147gx+rqchk2!4}4g0xZ;A|G$_Q@Lih@8o4Bn%Y|afun{q zj$7mVl<<uVaF&?{6do zzV~%#6rFs%Q#P9=HCvIK!za8;7r_Jh(WsMg4K&*B`$6okLLumbOHRo)6s34CtKnDo zFZH8g zJAT9$ouPEjK`Elahg5^zqr0%dE5q1E7M^N#2JrJQ1@P>qvo7O=y_*~2U1}BI^P;9* zN+8LGO*ZE+JIZ%E#T)cE3v=dj3pC5z^JL-XqL!T1uhF@#$Qk7pMb|Uaf9$9b)sg|D z;FU_tShqN-^-3v-QrRCYNjXiJ08SDQcV71$wN2TmSsWeJ=OMYHC&w zn(mr&XG)BBn{g(G)y{s)n}_y)BH#gqfNUtQn+=xW~)y zO?5A}A|yTBNs^ArIX-|sfftZBL<{mfb~@P)T(EbRY>_0$&s_CMxsZLTk%CfcG=sA? zR}U@^GZCGv)tnw6#;iRG+fS*~h%F?J4~a%4rF%xez1s4DBAxH3fesa&i-H$OP-BG@ z$f1Tn+^+;)Z7>$<1o;8x`10CaZ@r$PfKUHd3vgPh@lO*_N8_T^XmafqYhnIN^=B37 zPjo{ztE0K9B27*Fg@_n`TnZC0x;DJ&V0Cijgsr?Nw1kVyaJS=Rao{Qb<3LA$qbzi| z*+`Q6aAiGj4|z~f*hR&i4yj8f>;ZGAjdHMjS;hzmJzlgY*g%jqhRygK7u7#gX7|-< z;7LO~!r#2QlMegG&h__yLlV9zv^(SLC%pSRgLaOa&&${yHw;v!=Xzkp{qb57+@CVxaHs+Gcr6Hke7aHz3e}`s{)0^s_SjB}=t4eQljRCBlr{|o`Qw~gQr)F7 z<>bdrFac^o^wLkVLIe-dl7-A4V5OVg5TjMkGF!SsFYx|lIgKp45f)^^^ZwP>mAur$ zXX1tF1P)slmER)CqE5mq~KUeT}pgAp$Y*?{E3rv3N$cWa=WEdb`Ib%tczv-`mH!Z_n(d`Yn3RzVtHllf?8dXA4mSGx?C`6Y zD61GE1)U8GQy3SXaOn5jaWQ}CXs~qYkTS%f!vgy8p+*frRE<78ac4#%yQ>Zl0P0FC z$Ww*V5tmXxYFdUg(jt2kRTSqf-i4V#`eLQ~p59H&vC?`h%}{C`x9mq^MS4K_${ zZ65gEH|bL4NUqieKge)mYuY^S!y-T4Y`H)F5lnWY?COZGRfhaGl~+o5hca{%Tl10a ze2rS41@S#IUoBq@=)H$usR{alePMrYiQ8^oZ1kquZk=egwz1h<1iwKH_eDm87R1wV zYBHSW|Gp>%A{JwkH{hIy3_1~(J{^Y3Ow3({O;YfH^JisFn#!vxTOk*CnmXr}X46+j z{fP=<_)o349Vd|&;qUb^d5Heuk>t*%^AN|A4%S+lC+8?qD#^700cq@~?O*z4X)OBw z>}<%4(MhpZQijAN=o5tEIQe@Ml?5{kqLMnv}8Ya-iz40qLAX6j1}V4On$F ztF7~J*_u~6dWTC%5;~YxOy0O9+R6o8Y43gyxzyqPFu*5qT9Ni@FbCOuc{_YlCZSf;Kvge)3m0N!Tt>!Fu)k1e?ba+8~Pq_4XSUiMH-pU4o9L{TARS;6nA)PbL*hATq%8)5Gxd(JATgpNG3eQ`9mWC^B0RRg;zWc$vE})}Xq_5vL%}I}m_QhY5h0Fr}bO^`}jk1Utg3@Z zQ6^>zil>Ji5>?5#-`1N&mRP4S-9N3R3e(c&UlyUi)XeF;#W}sFjiF9GKC(UD2y(n1ko4zzpQhdCuJ^|3z5uo|JzG~j{jUuC z-iTww4fxuRGH6OrGc-JnbiI+Pxpd;hFrbTe(|OhloW*F>H;kVAj&=(IG-cIYQ?Me9 z<;IkVNFuco7*_VK??M^BGj}SQ5065O0#yE`c(f_}O{2>o!B10ig(oBDXjDf23f)Oi z&A}FK(4_D-C*>auP3Denf4r`5Zt)vPAtBThEf_K#5rbUOK#+z-L}VLL%I!dWal~p} z>b~-5EY;TdSQm=*W~o`XErcwdHD*5dk2hjHjFA+Ra+)i2f>x3@By@0cs_b*DmG}@h zw1lqYVR})~#|aI@G7K9Oh<_H%>AaD)q&kRN80CTnA{9Ex0EpJ9>$zi-_!K0E*m;U| z$U#PA2hvgK>~TO4yXvrjL$}l^$K~^#5M6L&cHIfZ`gD|5#9Vh?+q5lDBbG%D-HvEB zqS{pM^%kmc@A+{+jqj~v@!Msl_uYT>T(i}9J~p{=kn2zLD&IAOP07XMjfZ`Up|6Qw zXv0$~ux&cSm#c(oZWJIpGCk{-eWBY#F**z7UE988U$AR(mekk8e3xVm;o|n!qy#m-x5GRm7Q#dskxbN=QMqi0 zsmVmJd0{9Rh~!@lp1I>E6E!?u%Fe|!6qTYX63sD{Over7?^wrM3PFoH<6yZPc1vT4 zOv5I*Ym}@?MJ$;tIXkCrfK7~xhAyNa4+F&jheilPU9cN2co|839 z@Z^LWkB0^f>0_pHpDR^eTiu=uldb-rSVZsr_%>*oi|>0^GW>DL-RTO^g86z|b(Oei z)2zGEy39ko3fQ8xX%wR!qD|DZC`&R2j(u^D-Fs0o3`U8u!MS^@;2|@VfGkwJK|c=4 z{7ORNq_kH&ma=;sL?4P7KfNZO_Q?BI`-N3L41vSoiP*ZRe>%-O;6cUQTu0+d6#4dQ zfT9@}bv(8rWG}?#T9mjuChI=;_t8K-2dp`KyeJmh6}kR^X9Zy~`bv!YmQY;G-xCqY0#G8hd$|4X=e#9YEsp=esLJ4Xzt-zR0U zu1>@9U6On8IGcM`tH%eOsaonOam^6u|4w~WD!S8WdR`VUadHQG-jO)|JzAg&_5|nl z1nYH%;Mi{7PhwVad*&|i;oVT~;*DA*wJA#d91Gi{IE*@isAzfD`ChO`-1}0VqAczO z2Z*x3Jlv($&qvL{sDK^lJ@Smyh~qGPsPNRvaZ!m2kna_%l+7Co_s;icQdXd6pi`{; z2L%(#SZb1TZRlz^65B=f6VZBomYNAq_xJvr4p}2h*Rh$qBC7SruYeLujKV6HpPzx6Nkm$yyqo{Pg|S`ZBv(#~e+l^nlcXHa1`IE$Oo3sZJ~3^XT+2R`Mb371XG zv5=@$xjLb`!4pGSdpo0r%p&HoDVQ}Rc?Pm9APvBEzeJ2;1NT85cyf|&FM zDzw0}JcNW#DCgen9sfqzlFIVj2af^HUx)xEw3y}M(rkt{9&7TyD^UP!7_2G?ii`Mz{Mh|qwu}F*pezPFf074ubYKgala~0@0sMIByb=>UFswV(xXB}8b{IKZ z`S8&lN?yEQiKbt%oAA$tPw9Meall#k6ZdeoZ zRC)&Dtik4~1L(f91PRJHt5$JYJL_#&&+mUvxlc>7&jtU|)Uce*CXMYTj%^T*?YdR8 z5t}-Ug}s<=&dTR|%iT7`1M~{d0HXEH-GWs3lP|^>V&!C;WfU2cy-!fmogm{Bl8G^A2xKDXw47b}j2V*LAPOd|<|rLzqTP^;L+^ZkbE&-b zIJRQ=>%&hkg)gAM0hY#bl#WtyWmNeXb%8wR-s3OM7POC>LER3a$poU`$n(>i(uX?v zPWib{16)A}U^*7v_A=QkR9!bI{zl3wjz78tAC{gf#mk8en+2Y#jyI0~b8ywO|G8gu zDC(g0xfXWf(6?M0lt71^N42)yW>-G>O?rai5bONEA$>YJ=aR8_tl&^!P?Tf;yOwvW z^dN`$EFt7=Se%6b>I%8U+M9TFG{wl8h_hD=NvgjIDaKq>>92SUw!LGeSnkdktCGvH zt6&(~sKjgr%keZLNwhB6$F8oBr)#iL2ghX!xw%=2B_#NDdI}bR446e+@zW$Vtg&#S zW}Z5W+S+<7auhf0=z;9ydxp3ZGWlr)M(9y~lGfpB*8;T~?svs@gw(`(*^chrTgN;O zzG`VD@Uub1hhmH#E!tILRS~MzbNvwulEIj3TvvHs)^c<9V*=yaUJwSc zp!W0OsYZVi#;y__&0x(&VU&F_(luVR0>Zj_&>RS%YygV6z=V@P5ne}hyq1-lvLOC3 zk8B19sq@vl^MzIH&|TGx832J$EMB?cFN^x3+K!tH6ED!wmgu(xT(wz=MbH!e1Pnh-6uGEHpu(xz;M+)51Vd*8R9DYQviXanx!;?u!xmG)EkL=YqmBw9;>k{M>6pRko7g~wMr)7muetE}L zTMOIXsxuauhomc%Y*ggBjnRle8fi^>3~KNqf&fa1vx{S)EFGW0Ax?o3y_hf{tx2a! z4DVK%-p!l^$PigI&kQLryeK^%eo4z7K|Z0(O*t^9DTz%wm}0?yYMGv{wI;uM zcX#XVm*k;%%>0ULbb9p6kd|=ZuWbU1y0stUi=NXAs~eC`AEw~6)pfA9mpP`;A)#Bo zdNJwNlJL`)D#Vi=rVo+``;u${tMaQadfC3RMD)ySl}wmU6a7b2SlNTy8~={Vyi6*7 zW`hyM&;LEmpG7MD=j?E+qD3e;68ThoiA3KQ4g^u|y7OF`5uFE00Zs^Xhq_v7@ayjl zM+Orp$XVSFj&RxT?tQn1=NX>2k!PiTr8r8-wH2$5^RO z3 z6{%XJdqdYcvi?bl;%ICqV2}$T^gfT}ln??E7&WdS#Js`JX5^3SmVdYDp8Mu6kt87r zk6Dn?4`1+CWViV=sOG9CcfCT+`JhiB1U4#eq%2*+q_Cu!cP(Enl#I`?co0GajR1h zhk={K%Bk&nT{xkMswx#RJu{vrLJ2$t)II2MIR54?PI4D@TWSj6=nth)g|O6*8-i}; zFTzwO=NM>}&}33wy|bVcCrdE2n1&Zj4G9et4r(qARtpcmNGiibR3Tt4jE8-DDyNwi zo6%K&eaB|hR0FLKw zRd2Y2_zSOCNpTYJED{gq3(<_8;@IIYwQM59DZ>E#S3`*3S#}qVqUF(D46yK2g@BZQ zJJGRSFmhdlg}rp)4&zT>EF`4E%3?QQNPe;T*~No(sid4kGg_ z5i7E|DG08^D_fehl!oua>?}`av^s1iFf^weM2oAvvhGwYZEDBUydU?99G{if5<^&> z`~AZq#5`m9mZ;1zOI*cr6E!doOQ}+nU0IQW00RS>h9QH$P)8XexM8{0hKTNePww4B z(lC5Tfj!|MsQhwF)9&=eX|R|V&Oic&b(M5u z@v0w26+-Bevhp#F1X`AGLQfAQS z1Y}(Ws^Ack5Lt+103CwraS4(B0LVPr3-|p(-3h%(q?`WXt}c6-g1$kM^k@x#O$GC6 z73L6k4E(T=LV#j%mcW*KPg!rgzkS@n-ZzI#C+c9b$(XY^IlwRk#6&TP{R*Gq9vpnw zdTom!6I#qKSEdWv4U(RxTC@lrXE0CXz`#dyP(=xa>Np!d3eo&mZsRm0v^o{KaGxbA zcrfz03`@!JZdErr@`PlufsoUD*BXfE{DLnC48XNN&vF z`cSXiFp<>_rQZ1cAqZ>?I}8IfP9|`EQ8qnI1Udt3e9p}XN4Ot*6-L01%whoH*l?p_&rgoTDEG$fD3 zIX}Q`=jkerm2cKp=zbXz59%~UP9l%?(1xIwT`P z6Ep+)n&>xmz*jY5x*0L0+tRot z=Td-imQd1?b?Jq+cvAw0mSPK(7fm?K97M@KAedKEu?<#&shb2lphQ9HxBA%@7m%Rk zmbmJW`rlem`ICTloZSl5jU!rSxScID{3R z%o#WCCMu=hq~R)t4Zc*h{M!v5rlG!TbJ6&yTbi7~0ldQ>T^EKk5|S&d^8T~4vmb^)%B0Isa-s?f3skh{{!Zx)safK3`DE z?@OkeTHv9jqtgShF><7TK;}aWkBJI&7b4Y^KKboI9bMy@wCrY*D1_F)uTMTyjRI8R z*YOM-&o0Ax^o>zd>;Z691r~Jt_XhQ7Snx0v4`$h#+e&hc{IkpA&x1$K!a-;qCbd{) zV=*dh+{o_Tq+23rz!vAgCL}x;-XIBvf(wPRd>+9sA9H*fiLl3Jfwp0p)LMC@hCyjz zWu8k6Y;tjCyr!CLn!HR#Hl9Y2jo4p1{#~&MXnB+oQ`5yS38$!<~TFmjDp0PK3A<)0$Yh^0rq~451*ik-;nC*VWHseMj9;-=xjYX8QSqbUU_>j;xNV z?6^atej5Hw05e`YO3fC9FgE=lmdVYd$taWD8%csj{naG~tNVqm{y&58kB8k(rtSHwK_A$h0n(06sT#zW9ZEd}+360VT@jfuyRvjTq2KraFCv9dKh{;Yf zHxR#*gdXkLF-(gxR)V|vRx++yWX>NARl)&$WZ~$<5X=fhk|m1LS@p#5{r=slFCcmO zA#|lwf8{i+uArGeM~S5tkkIT$=3IOQ&94!DJ)NyWkDtO`c4r44G|eET&^>FM6E?Ku zer2!4=12?bi`6JR0|vupY|gn-Nd?xG$09=pDJ?ikri_n&YH}OrT$-U7@HD2+tkK8j zJbQp>?I}QWdQ9EglhXJ|f@)kCWRzq;U$}pfv{j3#mFvOy?By3?cz=tgGZ5VmA*ApG zQwzo*0Y!^oB~WT6Ak^d$cRPwESioWVdNRd_aa9MAaCaAYHg~>{nIjy=Uhmc0V>g7i;VqWMX)zp5uZD!!rJ3`?7UDmLdr$n1_e*vp5GBP z$7ciK%wPyt-UA3Wx(g%LZM5$sKAEcH@q-2)uMN)SpRqm3Ml4NI9+KsVbKfWS|jnbdnneO+R&`=O8?-!%^Oasjyez92ufP)`8K0p{h(HKjsE1 z_=Ji0e!}PEeGd}0j7vY|@+eZ?&my`1XIH+P!1;?_80G9Hz>TFIx46%M(&XLo4+Qp&ZUZLKOmrD)EYI5S zQOq5_S?d;|JSqQ)eI53X{|X=dQuVew6n0S}>#N*%xTvOz=LX zQ^{yB^y2*{QWANy6301)s(&8@f8L-ca@5oGxi(7^RLN&*TsZ~bd)KXrJ$%a$A14-D zu3Rtfa=u^n6q~t^$2XU2LWi{M=+60qYtTS7+#QcJ4{n6>|6^_Xoqbw7xY`zUJ}d@Z ziB}ot!Rh~H=BbXnigR>rP=$tRl-m7RvCD1=L{O1R$VB1CFc~lKIl>QBSoNWESMmGu zg@FE-sIW4Y8$K4fh3s)+N_!vcQES@NfegP!fOdr#BdVg0Fac`-WAnSCOHi)B=;j0kIq~>q3PP_fM!2f zd6mPM(xRrtmZ*sd?wvIA4jAj%TCmOG1A%gKmbfoNxdO6~k)&ie8oqL4h7?6=RC>Ik zlVsts7GJ{3RVHnG=g+z<1hu|IPE27d9!%sgeEe_n8^xcSX?Omb^z6+41fC;;#ED8C zc)pIE=f3mWEL3VVm`r5+uw3Z*MisxkUS%&D+C;$ML8~=443#ZE_H}fjLrj(LtRAAW zb&H3G?E6&Qon=5{@}+KVy$B+-rr<|GYkXN57MY=Oto2DqD)&EINsYW>aavW6Y40Du z-(6OP0d+wBS8XJv3o&F~aCZ5DuW%49f#U3Z_mYIdH@<#_lj4XxiCHc)vcFr}sNsX> zVWcut2<4f)r*Y3uM%ciiW&)QlN=bZwgb4!~{q=34629YFAH3Bd^q4^l3R`JP((ST7 zAB2Q$?;{jvm1Cf6>08N^MAPvK{ZM{e`}d*ki(*V@0h*9eBOq9@8Dc)AbGM^~3vjBM z#Rl~u>j6%iIoGuH;y^j}OAylxDT7Jsm8xOTD?6U8yLJ&CxSs<3DMuRNsS!XzMHj>cM z2SNybJHxHSc->XeXc?c_2FSckeG~biwVe1ZA(NTtBs~-INxv~JgcP3BoPT&DT4qF` zhiU{a7Rtts{X?)rO;Zphd6$MIe&uJ;@!l$dUsRY0XKpji6a7*d0QGz>>6l0!m3a&+^I6bV661}F{?BqT&B5d=m#93dhd(xYS4$Mb&g`#taP zyZ?mizRx+=Irll|3KUYCnSTA0KOmA!9EE&%@n9V@`#5W`RacQ1_`CHnOJd!^pGJuK zAP$_Nmz9{E6um0g>+Z#EX2jZ_!N`~&I3FP|<>@UA4B#v=6N%8cn?|B#l&B4BS(<4} zaN~%dq6V=oZ345nul*+>;yTbOS^mDHd`QLf{mr zm5Q9J^9@jWhkECe1b4?@7V!?7iOOBOqZQwHQ_`)lPAfG-WiZcu1` z<7cy^P|R4Rl682C;vA1CGc`+$4yrIR{5EN|&&YhMB3_J8ZGO`tYcp|g&1OVmTMgMH zBKnq7D%Ve_A^oh8+*)`7F#sL|IJ8A*mFWYadC3JT6-7>@2AK93R_-s11*x)|Vj&0q zeXlqMO>aK27HUN4Sul&6?V(XWPqf|xs@;VsiA8Y2ki^UI(JWI5BB9@x>OxEfH;tz{ ziL$NzFiWaTJN|=wNieF#+AawOA+$CN$iQ0F*>ftp1pg^`pDBr1!M9kSGKn#xJC}M9 zo0*^O%Y7b@h_NRyBtjH)LS@@#c=vnH6|25CUxa=s*?Fm7emICTE=c4upw>aWf~!d) z1e>Pu;t%VxlsH|xuD!;;5#C4;U!GU2$DrHjJdi?Qoe9?{Z3n2+a=UVLB{0{^V{*ZMij4)n*V$=d1kO-jrMK54tPf zDg;c3=zv>UgMee>5Cz*3uT0~b_zG`-fVDkq5WZv5_bNg$zOD>|+xQ1tk8!X`#pd^s zR?(k{YtgA2Q>ZMupFV%lO|1IFy;OT}V8|B!><%$6-B@T0ng0TlP9^v2~xY*#|8!JVha*O0es`(kFj<3#Tyu zp+J8vj2aHb#y<{R)4(kI&^yHN=VqhK8{~P)K^@a)j1}-XMkHB2on%v@E&f5F8 z0M)-epFlmWVN*W}XIw+BdQ&z)o~Yx4E>@3$ZeV=YF@G?*mpLy$s1k$Gnw+cJTH(2#Dl38K{Tybza42lq95rPC%F?? z;K~Or5Q^^6lWlWxJ$Z7eTt;Dl@cn$Y;ryJ%Q z{{2ff63!zZzg3Bq`0D9IQ`MIzjpuS0@Hal);`=n>BgZ5W2zGErDBCM&GHZ9CUs&ya z2T78@;8mE%!DR14jJ)D~NI0Fo!n&~dk?V#Re|5)z@E&+bcVy6zU)|Eul5`H6_s^%} zZoAADNzaRRDj)~_<`tBAiFkD3?}&uu_1uk0P}P7ikPOCT*-M?Tn9&QV?uHZ$>u#{^ z5O*g=VYroTaW(fr1MBk@9X>Pj5D@`qii{kx{cCR%J&l11w0w_U1abMp0+=CS?J591*>dFAP}urNupnbExAAtG`^2NQ`Z zH7Vv@={$nz-hs<+32v>|eDBJYZ3OwULbsJ1=kJjUni~{Z>^bg$*6wYrIX2&GO4!LJ zPA3`u9hF5;(lq2tQ{iM3QtbZ5SYcb&@#$dO>f79(SCtj72!=7a)1Sz?CjRHqmVv+Z`03k?*2xyu*V{OmAt|;6xM&qBpC*A*Vm=bIFd#SDti?w{+!lK@SsSp)i}0#=~v$9 zYVnGMUrLXp4mEB3{c$Xq6ucoPRqjIf$W|bsyYILRO;gT9BMdRpwg5qN)O1r6#yZUu zA;Lriq7S4oxu*Wtv!Kyk+BBqI3GrpUt5*tX*l372vG}6Y2LS&jDS$Nti9E5K(DS-# zUc*Yu%MX~v+Ppb?`aHN)M9oju9f?W7#4J!Sk3lh$#x5zeZR8-WPeMF3#8qQoe0pe4)UQN$aB(Z64}%du{ywv~ zLP&ny$W|Vgjzm90jLTj(?AAQV^G&StvOlCm0o%GeeXkOVX^;7!sa@BqWvBx|uUUUxNclOvyxOVDU0C>I)~0T1vomXB zpE`caqc(#N(h)JFy?0tDdtTvwE7sW6@#au!KK%$S?m&n0l}lMCl;R$waPsqX<%iE! z!c2KCMd-^+^T(|#yV0*iNrgnr8_*(+9xK3SS8a-UNcV7r!ROzbq>K$L1{{>%9BG*Z zE1ncq>y_I|LK}@F)89Of-(uxgMCg{4uH-td?iSW7ZyEv43k9lwLA#JJ{O{&+RWB#MU70t;I`eq^V9m0eJvP*&#Z5VyZ?l@h}DHapikw)@xV>%jKnC(5ZN zCYXy$4fod1;aw{$`DtJR^2`-4n-W$nZNGnhCb}8K)xe`CZ6zg6xfqEk)`_^Ft8U?R zRycewCxJ!gQ(1m4$sIiyFjKAU3#M-Gh-3eD=iVRW|52E~jexVd-LWxxY?88|K&{2s zN<~-dSs4AQ$@UvzCadFz-hrNWmyCd8_88xNCPae#jFum^Cvjb)<-rJG)(K=6mLnO= ztJ6yi05M1)_!U=!Y1z@BpUp>Y(&dHKR5pq2uB;Gk*fS)vk*>%>2}i1#6$m6iJeJh0 zdv9W_USn*E#h?_z!BQ6*=-Pf^eo=sj8~1wP@K$)1kWiuaOlS4akNjmJJIvh-T%yfs z5nKFYSqAI5GFWXq<646UtAJ<_FT<4Z*;f9=;i(k&Yltj&cZT@4Gf%W2Fd)(^Nr3f2pE`B_2Ph(26r(K>SzhI_=em(^qw9tmglTFI4q+Hj1ZxJ2B23pen4_GqvCZs04yn_h`9_qnYPLT(1c>Rxu z0W+;3_h@LLsPnvnAz?D@q|zRKAtsWpbjh_5T3e&K6{`&Pw!c6Jla3M#9WcmNz?hj< zrD*Z!Fp5;L@_yBzXxzV((rXimto`vpQZ@7-eKhd=^jsmI9KPuN^?1Xhzc}R#(8mm+ zNtv2(i&~y~V97Ub)>hIhhTP6=_zd+_*;~1%AkL^?SimjSD7xfxBLSLn`DU~3jydiP z-4ASvydgX&hmUb63~RJ*f+c#}(dh?GHxIM88OwaSL}Z4gN~b92ygT8qopeb1k=w{J z5fyK=7H{q+VBNZJv2Kd^;>c=5ndh|Zgd6J>kbfqq+ufU*D{vj7;ePv{t#y zX_HCh;Rd(UzPqKFaFBy6yy%x|70A3uBX}hpLVA@vWffq1_t&}{YB}IKvb&j>Cs&5y zr6<^U*u4Qg9$kas(oz08=aI(Nt4`f=37K28U6H!()`2awQ$xRWvz%T(s%{R$t82{) zcAhNPL}IRoJkn}9&Xd7WrwSL5c(HR9pdroTm(U3PS?^DF_P*ia2?_Xi-6?53R;4?s zZ^|rz_sbUao_@LggRP7YE%HNTei#EtO*3hpte(UN$ph=Ak66Z%vBz{d>~0jOS>5pNxV@gWgDqN%4V}fM`Me6d|pzTPc z(P-Blp4CL4RHAW01^*NM^o8zT-!Ev}x@0Ha8~lV^*-r4SF7fzxHukMwr0qVmg?BdF zGZ)Yi!&(sa56EZ^{ndQ*64xJ<%pgP_w!j-z6oms~#2xpyrx5KN>;7IXH}P#(jJmx+ zlhrb-XMm!}BY*X)h3j=MWmjDTe`cBAU;_;Oq}@35f%khL6H*~Na}mQPcnyw+HK5HV zwR>_=`xwFO0pYZcOS!26E`v$UEvxqvIjtf4$yPO}{qyCZ%`={)=b3zsC?uJv7+RI^8u;bIYHu@041+(3sn6cMdu|AD6N;0(l6ik_?c z!?Re+!RBRRTzE^7Lg9Q#?(@b+i#?KP;n5O1xH6G+|K&UQyjsb9Imq-2zhJF+2R#bY z-CbruY$gz|8}f00NVrkA+v{6x8+wURA0ug{$?$|;zd#glm}OjgLj)})mf&hsk^LmT zRznDD-?7u1@M7a~{PD`GyS%?!Zzd>|pXxv6AdjMj3+N?q$PcJ=yTq)_bP5{l@{E$_ z2n*oEOU<>81JiCJ4YUtPJ>IFWIf~L;HM;k}43=`)dr?D#*eqq9%T?x7OKJn@22n$k z?>ulJ9<@+yTtoQ&L~r+84bGki++)6WrgpX1aRsWPX_!`<3EAOsbv-^^sQ-R3TT5Z= z9&)tlp$G!m1m%Puj`1piqmoD+8nw!& z4`Ei4S-zRIa|*KnfdffQ=kfda zSbAC&m*4In>H#3v&au zkm0q%BAq_q-J~XC$%~^MM>ur}=c}HgIE!fQFGH3WpWw_L!*p6LILhKu;U@vsEo!O6 zX$p-3+7P4SIMq#$P&OcGC$k_g6It)&n6K@6Q?~N2_9Y&`nZa}|iI`xYw#;p0Qk~{> znM54yjwO{X1$SY4*WQWr^oZKtPyfqJ-o6$|Pfw2@i{?FiAHUGwom)9|X>ygO3hsRD(|#I|#=eD>!IW zzkA(MSy5!C%SAr;V*Z#LAa%NwSycOAdj8BcYPtUV-@7LcdGCHYi^g|^VS=DVz?3}t z$OGnE&u)6#sV#;_3>_ZcwX*UKKF^7o+dQz1JgSfCy%wS5vK$cpZXd4OF}t6$_1tMq zOQYhT*C7kORJXHo&dTI4CY8jrdWMSp`NmrJLm8Zh*+=W5A^p+klJQSOxR0{?|3o2| z3&E_f&4NGY$|5X%w6!B8Co!gV_~O-C;b&Ni2P$uA4&|lT`5Te!F|jMZ6kbq%+v0kF zT>XQZ`>dY75gP0_c_Ie$($fBPdRfQtMnCeei5Erp94gs9|(TmQ-N(RvMU*=P&TPSGp8mM|RZ+)3h!<-%dTe#&c-Sq&7CFXIcrV z_X?UrccMY33TM-(Ui-+Qft;F?sjGAQlaod0$q|Mcws~?`bCoI+c}d-VdUV$wd?^Sm zQq_zt64*Z8$cM~$RpxO<%*xTJO>NP7+jY!+8^9<1@Cn2dZxm32-nx@7MPlOGI4dY* z?AqXy0hfn;Tl=BUKx@${Yb_20F!9&X3hGE$`Tt8FNd=kSjZm4?P+RMJl@~R|-D$H5 zs0VuSgOJh|w?n%J8P|U(rqauBNTQM-MlgGbkRw0e4B6Q7=Fb|LXC;RCGP9&86Ff*2 zvXUJqQc}6VCJjbLfC^jKZIwyvL2XMM2auv-OBNFGW;?1rRgGA%N85l_APJU`E@~cj zE!1i@F4)A^&CvH!L`**sSS-vfyJ=SBu}*Y1+eUU^$#=(0QEm{K&I!`Gi<6hCc*-}L zIY87hMB7!4c-qxM4=$ax-94{SbN*TEjPM^bQUg_X_sx9=8fnmWvY3xD^ZW&qXsbyD zk?%^QR&0U>vld&*TF)+ZHx)flk^92aewYN_sQwl_c;RrsRW*!&%xrPpJXWc$8K?Pc zm-iAEwLB4Z{PFz4JF<)SYDYzgs^fI%YNbH5=42WlHDKR<$t;i&?Gtbs+w`dRf%JpT zoLrYw%VVXGFIV}FA%F^YpA!`6nQ}R_Rzp0V9GiP(aF9)C~;q55X zP6H-}4@O(Wl~uJI{gR%-k3d(q#{O|4H<3XDylbfar%8OCtiYI!Od)z zO)H%}eU+>#E5*7>G>%(#7pU{PG{1p%iKv3T|4VZVWQx?%4erpW`ub6oQp;8J8;jo4 z%0H@SD~8u=KwQtSy`UUj-r}2^R^HN+PXill7v|4+nb~^Jk3L3y2c<S9V_uWrngGVj{8~YQtEvZemBm3MN;o!|Dur9xVl$QYD z>U$0}XRs52qF%!YlIdkUR+>zE_cwydt4Uj+^3B-t$nNekxED12uX@= 4.0", + "torch >= 1.7", + "tqdm", + "sentencepiece", + "protobuf" + ], + entry_points = { + 'console_scripts': ['textpruner-cli=textpruner.commands.textpruner_cli:main'], + }, + python_requires=">=3.7", + classifiers=[ + #"Development Status :: 5 - Production/Stable", + "Intended Audience :: Developers", + "Intended Audience :: Education", + "Intended Audience :: Science/Research", + "License :: OSI Approved :: Apache Software License", + "Operating System :: OS Independent", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Topic :: Scientific/Engineering :: Artificial Intelligence", + ], +) diff --git a/src/textpruner/__init__.py b/src/textpruner/__init__.py new file mode 100644 index 0000000..545d6b0 --- /dev/null +++ b/src/textpruner/__init__.py @@ -0,0 +1,5 @@ +__version__= "1.0" + +from .pruners import VocabularyPruner, TransformerPruner, PipelinePruner +from .configurations import GeneralConfig, VocabularyPruningConfig, TransformerPruningConfig +from .utils import summary, inference_time diff --git a/src/textpruner/commands/__init__.py b/src/textpruner/commands/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/src/textpruner/commands/functions.py b/src/textpruner/commands/functions.py new file mode 100644 index 0000000..54539e1 --- /dev/null +++ b/src/textpruner/commands/functions.py @@ -0,0 +1,61 @@ +from torch.utils import data +from ..pruners import VocabularyPruner, TransformerPruner, PipelinePruner +from ..utils import summary +from .utils import read_file_line_by_line +import logging +logger = logging.getLogger(__name__) + +def call_vocabulary_pruning(configurations, model, tokenizer, vocabulary_file): + general_config = configurations["GeneralConfig"] + vocabulary_pruning_config = configurations["VocabularyPruningConfig"] + pruner = VocabularyPruner(model, tokenizer, vocabulary_pruning_config, general_config) + texts,is_token_ids = read_file_line_by_line(vocabulary_file) + if is_token_ids is False: + output_dir = pruner.prune(dataiter=texts, save_model=True) + else: + output_dir = pruner.prune(additional_token_ids=texts, save_model=True) + + print("After pruning:") + print(summary(model)) + + +def call_transformer_pruning(configurations, model, dataloader, adaptor): + general_config = configurations["GeneralConfig"] + transformer_pruning_config = configurations["TransformerPruningConfig"] + pruner = TransformerPruner(model, transformer_pruning_config, general_config) + + keep_shape = False + if transformer_pruning_config.ffn_even_masking is False: + logger.warning("ffn_even_masking is False. Cannot save pruned model with different ffn size. \ +A full model with the relevant weights set to zero will be saved. \ +You can save a pruned TorchScript model, \ +use the textpruner.TransformerPruner.save_jit_model in your python script.") + keep_shape = True + output_dir = pruner.prune(dataloader=dataloader, adaptor=adaptor, keep_shape=keep_shape, save_model=True) + print("After pruning:") + print(summary(model)) + + +def call_pipeling_pruning(configurations, model, tokenizer, vocabulary_file, dataloader, adaptor): + general_config = configurations["GeneralConfig"] + vocabulary_pruning_config = configurations["VocabularyPruningConfig"] + transformer_pruning_config = configurations["TransformerPruningConfig"] + pruner = PipelinePruner(model, tokenizer, + transformer_pruning_config, + vocabulary_pruning_config, + general_config) + texts,is_token_ids = read_file_line_by_line(vocabulary_file) + keep_shape = False + if transformer_pruning_config.ffn_even_masking is False: + logger.warning("ffn_even_masking is False. Cannot save pruned model with different ffn size. \ +A full model with the relevant weights set to zero will be saved. \ +You can save a pruned TorchScript model, \ +use the textpruner.TransformerPruner.save_jit_model in your python script.") + keep_shape = True + if is_token_ids is False: + output_dir = pruner.prune(dataloader=dataloader, adaptor=adaptor, dataiter=texts, keep_shape=keep_shape, save_model=True) + else: + output_dir = pruner.prune(dataloader=dataloader, adaptor=adaptor, additional_token_ids=texts, keep_shape=keep_shape, save_model=True) + + print("After pruning:") + print(summary(model)) \ No newline at end of file diff --git a/src/textpruner/commands/textpruner_cli.py b/src/textpruner/commands/textpruner_cli.py new file mode 100644 index 0000000..d9ea7a0 --- /dev/null +++ b/src/textpruner/commands/textpruner_cli.py @@ -0,0 +1,50 @@ +from argparse import ArgumentParser +from ..configurations import Config +from .functions import call_vocabulary_pruning, call_transformer_pruning, call_pipeling_pruning +from .utils import create_configurations, create_model_and_tokenizer +from .utils import create_dataloader_and_adaptor +import logging +logging.basicConfig(level = logging.INFO,format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s') +logger = logging.getLogger(__name__) + + +def main(): + parser = ArgumentParser("TextPruner CLI tool") + + parser.add_argument("--configurations", type=str, nargs='*', help="The configurations (json files) passed to the pruner. Seperate the filenames by space. \ +TextPruner uses the default configurations if omitted") + parser.add_argument("--pruning_mode", choices=['vocabulary','transformer','pipeline'], required=True, help="One of the three pruning modes.") + parser.add_argument("--model_class", type=str,required=True, help="The class of your model. It must be accessible from the current directory.") + parser.add_argument("--tokenizer_class", type=str,required=True, help="The class of your tokenizer. It must be accessible from the current directory.") + parser.add_argument("--model_path", type=str, required=True, help="The directory where the weights and the configs of the pretrained model and the tokenizer locate.") + parser.add_argument("--vocabulary", type=str, help="A text file that is used to count tokens for vocabulay pruning.") + parser.add_argument("--dataloader_and_adaptor",type=str, help="The script that contains the dataloader and the adaptor. \ +For example: foo/bar/dataloader_script.py or foo/bar/Processing.dataloader_script (in the latter case dataloader_script is in the package Processing.") + args = parser.parse_args() + + + # initialize model and tokenizer + model, tokenizer = create_model_and_tokenizer(model_class_name=args.model_class, + tokenizer_class_name=args.tokenizer_class, + model_path = args.model_path) + + + # initialize configurations + configurations = create_configurations(args.configurations) + + + # import functions + dataloader, adaptor = create_dataloader_and_adaptor(args.dataloader_and_adaptor) + + + + if args.pruning_mode == 'vocabulary': + call_vocabulary_pruning(configurations, model, tokenizer, args.vocabulary) + elif args.pruning_mode == 'transformer': + call_transformer_pruning(configurations, model, dataloader, adaptor) + elif args.pruning_mode == 'pipeline': + call_pipeling_pruning(configurations, model, tokenizer, args.vocabulary, dataloader, adaptor) + + +if __name__ == '__main__': + main() \ No newline at end of file diff --git a/src/textpruner/commands/utils.py b/src/textpruner/commands/utils.py new file mode 100644 index 0000000..a4fabb7 --- /dev/null +++ b/src/textpruner/commands/utils.py @@ -0,0 +1,94 @@ +import logging +from ..configurations import Config +import importlib +import importlib.machinery +import sys,os +sys.path.append(os.getcwd()) +logger = logging.getLogger(__name__) + + +def import_factory(model_class_name: str): + module_name, class_name = model_class_name.rsplit(".", 1) + module = importlib.import_module(module_name,package=None) + try: + cls = getattr(module, class_name) + except AttributeError: + logger.info(f"Cannot get {class_name} for {module}, return None") + cls = None + return cls + + +def get_class(class_name: str): + if len(class_name.split('.'))==1: + class_name = 'transformers.' + class_name + return import_factory(class_name) + + +def create_from_class(model_class_name: str, model_path: str): + model_class = get_class(model_class_name) + model = model_class.from_pretrained(model_path) + return model + + +def read_file_line_by_line(texts_file: str): + ''' + Read the file line by line. if the file contains only digits, treat the digits as the token_ids. + + Args: + text_file : a text file that contains texts or ids. + + Returns: + (List[str], False) if the file contains normal texts; (List[int], True) if the file contains only digits. + ''' + lines = [] + is_token_ids = False + with open(texts_file,'r') as f: + for line in f: + sline = line.strip() + if len(sline)>0: + lines.append(sline) + try: + token_ids = [int(token) for token in lines] + except ValueError: + is_token_ids = False + return lines, is_token_ids + logger.info("All contexts are digits. Treat them as the token ids.") + is_token_ids = True + return token_ids, is_token_ids + + +def create_configurations(configurations_list): + configurations_dict = {"GeneralConfig": None, "VocabularyPruningConfig": None, "TransformerPruningConfig": None} + + if configurations_list is not None: + for configuration_file in configurations_list: + configuration = Config.from_json(configuration_file) + configurations_dict[configuration.config_class] = configuration + return configurations_dict + + +def create_model_and_tokenizer(model_class_name: str, tokenizer_class_name: str, model_path: str): + model = create_from_class(model_class_name, model_path) + tokenizer = create_from_class(tokenizer_class_name, model_path) + return model, tokenizer + + +def create_dataloader_and_adaptor(dataloader_and_adaptor_script: str): + if dataloader_and_adaptor_script is None: + return None, None + if os.path.sep in dataloader_and_adaptor_script: + dirname = os.path.dirname(dataloader_and_adaptor_script) + filename = os.path.basename(dataloader_and_adaptor_script) + if filename.endswith('.py'): + filename = filename[:-3] + sys.path.insert(0, os.path.abspath(dirname)) + dataloader_name = filename + '.dataloader' + adaptor_name = filename + '.adaptor' + else: + dataloader_name = dataloader_and_adaptor_script + '.dataloader' + adaptor_name = dataloader_and_adaptor_script + '.adaptor' + + dataloader = import_factory(dataloader_name) + adaptor = import_factory(adaptor_name) + + return dataloader, adaptor \ No newline at end of file diff --git a/src/textpruner/configurations.py b/src/textpruner/configurations.py new file mode 100644 index 0000000..00c7ccb --- /dev/null +++ b/src/textpruner/configurations.py @@ -0,0 +1,127 @@ +from dataclasses import asdict +import torch +import json +import logging +from typing import Union, Optional +from dataclasses import dataclass, asdict +logger = logging.getLogger(__name__) + + + +@dataclass +class Config: + """Base class for :class:`~textpruner.configurations.GeneralConfig`, + :class:`~textpruner.configurations.VocabularyPruningConfig` and :class:`~textpruner.configurations.TransformerPruningConfig`.""" + + @classmethod + def from_json(cls, json_filename: str): + """Construct the configuration from a json file.""" + with open(json_filename,'r') as f: + config_map = json.load(f) + config = CONFIG_CLASS[config_map['config_class']].from_dict(config_map) + return config + + @classmethod + def from_dict(cls, config_map: dict): + """Construct the configuration from a dict.""" + config = CONFIG_CLASS[config_map['config_class']](**config_map) + return config + + + def save_to_json(self, json_filename: str): + """Save the configuration the a json file.""" + config_map = asdict(self) + with open(json_filename,'w') as f: + json.dump(config_map, f, indent = 2) + + +@dataclass +class GeneralConfig(Config): + + ''' + Configurations for the device and the output directory. + + Args: + device: ``'cpu'`` or ``'cuda'`` or ``'cuda:0'`` etc. Specify which device to use. If it is set to ``'auto'``, + TextPruner will try to use the CUDA device if there is one; otherwise uses CPU. + output_dir: The diretory to save the pruned models. + config_class: Type of the configurations. Users should not change its value. + ''' + use_device: str = 'auto' + output_dir: str = './pruned_models' + config_class : str = "GeneralConfig" + def __post_init__(self): + if self.use_device == 'auto': + if torch.cuda.is_available(): + logger.info(f"Using current cuda device") + self.device = ('cuda') + else: + logger.info(f"Using cpu device") + self.device = ('cpu') + else: + self.device = self.use_device + +@dataclass +class VocabularyPruningConfig(Config): + ''' + Configurations for vocabulary pruning. + + Args: + min_count: The threshold to decide if the token should be removed. + The token will be removed from the vocabulary if it appears less than ``min_count`` times in the corpus. + prune_lm_head: whether pruning the lm_head if the model has one. If ``prune_lm_head==False``, TextPruner will not prune the lm_head; + if ``prune_lm_head==True``, TextPruner will prune the lm_head and raise a error if the model does not have an lm_head; + if ``prune_lm_head=='auto'``, TextPruner will try to prune the lm_head and will continue if the model does not have an lm_head. + config_class: Type of the configurations. Users should not change its value. + ''' + min_count: int = 1 + prune_lm_head : Union[bool,str] = 'auto' + config_class: str = "VocabularyPruningConfig" + + +@dataclass +class TransformerPruningConfig(Config): + """ + Configurations for transformer pruning. + + Args: + target_ffn_size : the target average FFN size per layer. + target_num_of_heads : the target average number of heads per layer. + pruning_method : ``'masks'`` or ``'iterative'``. If set to ``'masks'``, the pruner prunes the model with the given masks (``head_mask`` and ``ffn_mask``). + If set to ``'iterative'``. the pruner calculates the importance scores of the neurons based on the data provided by the ``dataloader`` and then prunes the model based on the scores. + ffn_even_masking : Whether the FFN size of each layer should be the same. + head_even_masking : Whether the number of attention heads of each layer should be the same. + n_iters : if ``pruning_method`` is set to ``'iterative'``, ``n_iters`` is number of pruning iterations to prune the model progressively. + multiple_of : if ``ffn_even_masking`` is ``False``, restrict the target FFN size of each layer to be a multiple of ``multiple_if``. + pruning_order: ``None`` or ``'head-first'`` or ``'ffn-first'``. ``None``: prune the attention heads and ffn layer simultaneously; if set to ``'head-first'`` or ``'ffn-first'``, the actual number of iterations is ``2*n_iters``. + config_class: Type of the configurations. Users should not change its value. + + Warning: + if ``ffn_even_masking`` is ``False``, the pruned model can not be save normally (we cannot load the model with the transformers libarary with the saved weights). + So make sure to set ``save_model=False`` when calling ``TransformerPruner.prune()`` or ``PipelinePruner.prune()``. + There are two way to workaround this: + + * Save the model in TorchScript format manually; + * Set ``keep_shape=False`` when calling ``TransformerPruner.prune()`` or ``PipelinePruner.prune()``, so the full model can be saved. Then save the ``ffn_masks`` and ``head_masks``. When loading the model, load the full model and then prune it with the masks. + """ + + target_ffn_size : Optional[int] = None + target_num_of_heads: Optional[int] = None + pruning_method : str = 'masks' + ffn_even_masking : Optional[bool] = True + head_even_masking : Optional[bool] = True + n_iters : Optional[int] = 1 + multiple_of : int = 1 + pruning_order : Optional[str] = None + config_class: str = "TransformerPruningConfig" + def __post_init__(self): + assert self.pruning_method in ('masks','iterative'), "Unrecgonized pruning method" + assert (self.pruning_order is None) or (self.pruning_order in ('head-first','ffn-first')), "Unrecgonized pruning order" + if self.ffn_even_masking is False: + logger.warning("ffn_even_masking is False. Pruned model can only be save in TorchScript format manually.") + +CONFIG_CLASS = { + 'GeneralConfig': GeneralConfig, + 'VocabularyPruningConfig': VocabularyPruningConfig, + 'TransformerPruningConfig': TransformerPruningConfig +} \ No newline at end of file diff --git a/src/textpruner/model_map.py b/src/textpruner/model_map.py new file mode 100644 index 0000000..764a1d7 --- /dev/null +++ b/src/textpruner/model_map.py @@ -0,0 +1,25 @@ +from . import model_utils +from . import tokenizer_utils + +MODEL_MAP = { + 'albert': + {'resizer': model_utils.AlbertVocabResizer, + 'tokenizer_helper': tokenizer_utils.SentencepieceTokenizer, + 'structure': model_utils.AlbertStructure}, + 'bert': + {'resizer': model_utils.BertVocabResizer, + 'tokenizer_helper': tokenizer_utils.SubwordTokenizer, + 'structure': model_utils.BertStructure}, + 'electra': + {'resizer': model_utils.ElectraVocabResizer, + 'tokenizer_helper': tokenizer_utils.SubwordTokenizer, + 'structure': model_utils.ElectraStructure}, + 'roberta': + {'resizer': model_utils.RobertaVocabResizer, + 'tokenizer_helper' : tokenizer_utils.RobertaGPT2Tokenizer, + 'structure': model_utils.RobertaStructure}, + 'xlm-roberta': + {'resizer':model_utils.XLMRobertaVocabResizer, + 'tokenizer_helper': tokenizer_utils.XLMRSentencepieceTokenizer, + 'structure': model_utils.XLMRobertaStructure} +} \ No newline at end of file diff --git a/src/textpruner/model_utils/__init__.py b/src/textpruner/model_utils/__init__.py new file mode 100644 index 0000000..aec4193 --- /dev/null +++ b/src/textpruner/model_utils/__init__.py @@ -0,0 +1,5 @@ +from .albert import AlbertVocabResizer, AlbertStructure +from .bert import BertVocabResizer, BertStructure +from .electra import ElectraVocabResizer, ElectraStructure +from .roberta import RobertaVocabResizer, RobertaStructure +from .xlm_roberta import XLMRobertaVocabResizer, XLMRobertaStructure \ No newline at end of file diff --git a/src/textpruner/model_utils/albert.py b/src/textpruner/model_utils/albert.py new file mode 100644 index 0000000..3eaafb2 --- /dev/null +++ b/src/textpruner/model_utils/albert.py @@ -0,0 +1,27 @@ +from .utils import DefaultModelVocabResizer +from .model_structure import ModelStructure + +class AlbertVocabResizer(DefaultModelVocabResizer): + model_name : str = 'albert' + +class AlbertStructure(ModelStructure): + MODEL_PREFIX: str = "albert." + ENCODER_PREFIX: str = r"encoder.albert_layer_groups.0.albert_layers.0." + LAYER_PATTERNS = dict( + query="attention.query", + key="attention.key", + value="attention.value", + att_dense="attention.dense", + interm_dense=r"ffn$", + output_dense="ffn_output", + ) + ATTENTION_PREFIX = ("attention",) + ATTENTION_LAYERS = ("query", "key", "value") + MHA_LAYERS = ATTENTION_LAYERS + ("att_dense",) + NAME_CONFIG = dict( + hidden_size="hidden_size", + intermediate_size="intermediate_size", + num_hidden_layers="num_hidden_layers", + num_attention_heads="num_attention_heads", + attention_head_size="attention_head_size", + ) \ No newline at end of file diff --git a/src/textpruner/model_utils/bert.py b/src/textpruner/model_utils/bert.py new file mode 100644 index 0000000..bffa809 --- /dev/null +++ b/src/textpruner/model_utils/bert.py @@ -0,0 +1,27 @@ +from .utils import DefaultModelVocabResizer +from .model_structure import ModelStructure + +class BertVocabResizer(DefaultModelVocabResizer): + model_name : str = 'bert' + +class BertStructure(ModelStructure): + MODEL_PREFIX: str = "bert." + ENCODER_PREFIX: str = r"encoder.layer.[0-9]+\." + LAYER_PATTERNS = dict( + query="attention.self.query", + key="attention.self.key", + value="attention.self.value", + att_dense="attention.output.dense", + interm_dense="intermediate.dense", + output_dense="output.dense", + ) + ATTENTION_PREFIX = ("attention.self",) + ATTENTION_LAYERS = ("query", "key", "value") + MHA_LAYERS = ATTENTION_LAYERS + ("att_dense",) + NAME_CONFIG = dict( + hidden_size="hidden_size", + intermediate_size="intermediate_size", + num_hidden_layers="num_hidden_layers", + num_attention_heads="num_attention_heads", + attention_head_size="attention_head_size", + ) \ No newline at end of file diff --git a/src/textpruner/model_utils/electra.py b/src/textpruner/model_utils/electra.py new file mode 100644 index 0000000..42ef850 --- /dev/null +++ b/src/textpruner/model_utils/electra.py @@ -0,0 +1,27 @@ +from .utils import DefaultModelVocabResizer +from .model_structure import ModelStructure + +class ElectraVocabResizer(DefaultModelVocabResizer): + model_name : str = 'electra' + +class ElectraStructure(ModelStructure): + MODEL_PREFIX: str = "electra." + ENCODER_PREFIX: str = r"encoder.layer.[0-9]+\." + LAYER_PATTERNS = dict( + query="attention.self.query", + key="attention.self.key", + value="attention.self.value", + att_dense="attention.output.dense", + interm_dense="intermediate.dense", + output_dense="output.dense", + ) + ATTENTION_PREFIX = ("attention.self",) + ATTENTION_LAYERS = ("query", "key", "value") + MHA_LAYERS = ATTENTION_LAYERS + ("att_dense",) + NAME_CONFIG = dict( + hidden_size="hidden_size", + intermediate_size="intermediate_size", + num_hidden_layers="num_hidden_layers", + num_attention_heads="num_attention_heads", + attention_head_size="attention_head_size", + ) \ No newline at end of file diff --git a/src/textpruner/model_utils/model_structure.py b/src/textpruner/model_utils/model_structure.py new file mode 100644 index 0000000..11cec7c --- /dev/null +++ b/src/textpruner/model_utils/model_structure.py @@ -0,0 +1,185 @@ +import re +import torch +from torch import nn +import logging +from typing import Dict, List +logger = logging.getLogger(__name__) + +# adapted from huggingface/nn_pruning/model_structure.py +class ModelStructure: + MODEL_PREFIX: str = "" + ENCODER_PREFIX: str = "" + ATTENTION_LAYERS = ("query", "key", "value") + FFN_LAYERS = ("interm_dense", "output_dense") + + @classmethod + def get_att_query(cls, model, ignore_model_prefix=False): + pattern = cls.ENCODER_PREFIX + cls.LAYER_PATTERNS['query'] + if ignore_model_prefix is False: + pattern = cls.MODEL_PREFIX + pattern + rs = [] + for k in model.named_modules(): + name = k[0] + r = re.search(pattern, name) + if r is not None: + rs.append(get_submodule(model,r.group())) + return rs + + + @classmethod + def get_att_key(cls, model, ignore_model_prefix=False): + pattern = cls.ENCODER_PREFIX + cls.LAYER_PATTERNS['key'] + if ignore_model_prefix is False: + pattern = cls.MODEL_PREFIX + pattern + rs = [] + for k in model.named_modules(): + name = k[0] + r = re.search(pattern, name) + if r is not None: + rs.append(get_submodule(model,r.group())) + return rs + + + @classmethod + def get_att_value(cls, model, ignore_model_prefix=False): + pattern = cls.ENCODER_PREFIX + cls.LAYER_PATTERNS['value'] + if ignore_model_prefix is False: + pattern = cls.MODEL_PREFIX + pattern + rs = [] + for k in model.named_modules(): + name = k[0] + r = re.search(pattern, name) + if r is not None: + rs.append(get_submodule(model,r.group())) + return rs + + + @classmethod + def get_att_output(cls, model, ignore_model_prefix=False): + pattern = cls.ENCODER_PREFIX + cls.LAYER_PATTERNS['att_dense'] + if ignore_model_prefix is False: + pattern = cls.MODEL_PREFIX + pattern + rs = [] + for k in model.named_modules(): + name = k[0] + r = re.search(pattern, name) + if r is not None: + rs.append(get_submodule(model,r.group())) + return rs + + + @classmethod + def get_ffn_interm(cls, model, ignore_model_prefix=False): + pattern = cls.ENCODER_PREFIX + cls.LAYER_PATTERNS['interm_dense'] + if ignore_model_prefix is False: + pattern = cls.MODEL_PREFIX + pattern + rs = [] + for k in model.named_modules(): + name = k[0] + r = re.search(pattern, name) + if r is not None: + rs.append(get_submodule(model,r.group())) + return rs + + + @classmethod + def get_ffn_output(cls, model, ignore_model_prefix=False): + pattern = cls.ENCODER_PREFIX + cls.LAYER_PATTERNS['output_dense'] + if ignore_model_prefix is False: + pattern = cls.MODEL_PREFIX + pattern + rs = [] + for k in model.named_modules(): + name = k[0] + r = re.search(pattern, name) + if r is not None: + rs.append(get_submodule(model,r.group())) + return rs + + @classmethod + def get_num_layers(cls, model, ignore_model_prefix=False): + pattern = cls.ENCODER_PREFIX + if ignore_model_prefix is False: + pattern = cls.MODEL_PREFIX + pattern + rs = [] + for k in model.named_modules(): + name = k[0] + r = re.search(pattern, name) + if r is not None: + rs.append(r.group()) + return len(set(rs)) + + @classmethod + def layer_index(cls, child_module_name): + extracts = re.findall(r"[0-9]+", child_module_name) + return int(extracts[0]) + + + +# from PyTorch 1.9.0 +def get_submodule(model: nn.Module, target: str) -> nn.Module: + """ + Returns the submodule given by ``target`` if it exists, + otherwise throws an error. + + For example, let's say you have an ``nn.Module`` ``A`` that + looks like this: + + .. code-block::text + + A( + (net_b): Module( + (net_c): Module( + (conv): Conv2d(16, 33, kernel_size=(3, 3), stride=(2, 2)) + ) + (linear): Linear(in_features=100, out_features=200, bias=True) + ) + ) + + (The diagram shows an ``nn.Module`` ``A``. ``A`` has a nested + submodule ``net_b``, which itself has two submodules ``net_c`` + and ``linear``. ``net_c`` then has a submodule ``conv``.) + + To check whether or not we have the ``linear`` submodule, we + would call ``get_submodule("net_b.linear")``. To check whether + we have the ``conv`` submodule, we would call + ``get_submodule("net_b.net_c.conv")``. + + The runtime of ``get_submodule`` is bounded by the degree + of module nesting in ``target``. A query against + ``named_modules`` achieves the same result, but it is O(N) in + the number of transitive modules. So, for a simple check to see + if some submodule exists, ``get_submodule`` should always be + used. + + Args: + target: The fully-qualified string name of the submodule + to look for. (See above example for how to specify a + fully-qualified string.) + + Returns: + torch.nn.Module: The submodule referenced by ``target`` + + Raises: + AttributeError: If the target string references an invalid + path or resolves to something that is not an + ``nn.Module`` + """ + if target == "": + return model + + atoms: List[str] = target.split(".") + mod: torch.nn.Module = model + + for item in atoms: + + if not hasattr(mod, item): + raise AttributeError(mod._get_name() + " has no " + "attribute `" + item + "`") + + mod = getattr(mod, item) + + if not isinstance(mod, torch.nn.Module): + raise AttributeError("`" + item + "` is not " + "an nn.Module") + + return mod \ No newline at end of file diff --git a/src/textpruner/model_utils/roberta.py b/src/textpruner/model_utils/roberta.py new file mode 100644 index 0000000..0d3ceaa --- /dev/null +++ b/src/textpruner/model_utils/roberta.py @@ -0,0 +1,27 @@ +from .utils import DefaultModelVocabResizer +from .model_structure import ModelStructure + +class RobertaVocabResizer(DefaultModelVocabResizer): + model_name : str = 'roberta' + +class RobertaStructure(ModelStructure): + MODEL_PREFIX: str = "roberta." + ENCODER_PREFIX: str = r"encoder.layer.[0-9]+\." + LAYER_PATTERNS = dict( + query="attention.self.query", + key="attention.self.key", + value="attention.self.value", + att_dense="attention.output.dense", + interm_dense="intermediate.dense", + output_dense="output.dense", + ) + ATTENTION_PREFIX = ("attention.self",) + ATTENTION_LAYERS = ("query", "key", "value") + MHA_LAYERS = ATTENTION_LAYERS + ("att_dense",) + NAME_CONFIG = dict( + hidden_size="hidden_size", + intermediate_size="intermediate_size", + num_hidden_layers="num_hidden_layers", + num_attention_heads="num_attention_heads", + attention_head_size="attention_head_size", + ) \ No newline at end of file diff --git a/src/textpruner/model_utils/utils.py b/src/textpruner/model_utils/utils.py new file mode 100644 index 0000000..384c33d --- /dev/null +++ b/src/textpruner/model_utils/utils.py @@ -0,0 +1,75 @@ +import re +import torch +from torch import nn +import logging +from typing import Dict +logger = logging.getLogger(__name__) + +class DefaultModelVocabResizer: + @classmethod + def set_embeddings(cls, model, token_ids): + # self.model.get_input_embeddings() + old_word_embeddings = model.embeddings.word_embeddings + old_word_embeddings_weight = old_word_embeddings.weight + + pruned_word_embeddings_weight = torch.index_select( + old_word_embeddings_weight, 0, index=torch.LongTensor(token_ids).to(old_word_embeddings_weight.device)) + pruned_num_tokens, embedding_dim = pruned_word_embeddings_weight.shape + + pruned_word_embeddings = nn.Embedding( + pruned_num_tokens, embedding_dim).to(old_word_embeddings_weight.device) + pruned_word_embeddings.weight.data[:] = pruned_word_embeddings_weight[:] + + model.embeddings.word_embeddings = pruned_word_embeddings + + @classmethod + def set_lm_head(cls, model, token_ids) -> bool: + try: + output_embedding_layer = model.get_output_embeddings() + except AttributeError: + return False + if output_embedding_layer is None: + return False + output_embedding_layer.weight = model.get_input_embeddings().weight + output_embedding_layer.bias.data = torch.index_select( + output_embedding_layer.bias.data, 0, index=torch.LongTensor(token_ids).to(output_embedding_layer.weight.device)) + return True + + +#bert, roberta, xlmr, ... +def get_word_embeddings(model): + state_dict = model.state_dict() + layer_template = "embeddings.word_embeddings" + layer_names = [] + for key in state_dict: + if layer_template in key: + layer_names.append(key) + assert len( + layer_names) == 1, f"Invalid model structure with ambiguous word embeddings: {layer_names}" + word_embedding_weight = state_dict[layer_names[0]] + return word_embedding_weight + + +#bert, roberta, xlmr, ... +def get_num_of_trms(model): + layer_template_regex = "encoder.layer\.(\d+)\." + layer_template = "encoder.layer.LAYER_INDEX." + layer_indices = set() + layer_names = set() + state_dict = model.state_dict() + for key in state_dict: + matched = re.findall(layer_template_regex, key) + if len(matched) > 0: + assert len( + matched) == 1, f"Invalid model structure. Cannot parse {key}" + layer_index = int(matched[0]) + layer_indices.add(layer_index) + + layer_name = layer_template.replace("LAYER_INDEX", matched[0]) + layer_name = key[:key.find(layer_name)]+layer_name + layer_names.add(layer_name) + + print("Found transfomr layers:", layer_indices) + print("Layer name prefixes:", layer_names) + + return len(layer_indices), layer_names diff --git a/src/textpruner/model_utils/xlm_roberta.py b/src/textpruner/model_utils/xlm_roberta.py new file mode 100644 index 0000000..9556224 --- /dev/null +++ b/src/textpruner/model_utils/xlm_roberta.py @@ -0,0 +1,27 @@ +from .utils import DefaultModelVocabResizer +from .model_structure import ModelStructure + +class XLMRobertaVocabResizer(DefaultModelVocabResizer): + model_name : str = 'xlm-roberta' + +class XLMRobertaStructure(ModelStructure): + MODEL_PREFIX: str = "roberta." + ENCODER_PREFIX: str = r"encoder.layer.[0-9]+\." + LAYER_PATTERNS = dict( + query="attention.self.query", + key="attention.self.key", + value="attention.self.value", + att_dense="attention.output.dense", + interm_dense="intermediate.dense", + output_dense="output.dense", + ) + ATTENTION_PREFIX = ("attention.self",) + ATTENTION_LAYERS = ("query", "key", "value") + MHA_LAYERS = ATTENTION_LAYERS + ("att_dense",) + NAME_CONFIG = dict( + hidden_size="hidden_size", + intermediate_size="intermediate_size", + num_hidden_layers="num_hidden_layers", + num_attention_heads="num_attention_heads", + attention_head_size="attention_head_size", + ) \ No newline at end of file diff --git a/src/textpruner/pruners/__init__.py b/src/textpruner/pruners/__init__.py new file mode 100644 index 0000000..1488b2d --- /dev/null +++ b/src/textpruner/pruners/__init__.py @@ -0,0 +1,3 @@ +from .transformer_pruner import TransformerPruner +from .vocabulary_pruner import VocabularyPruner +from .pipeline_pruner import PipelinePruner \ No newline at end of file diff --git a/src/textpruner/pruners/pipeline_pruner.py b/src/textpruner/pruners/pipeline_pruner.py new file mode 100644 index 0000000..15cb3cf --- /dev/null +++ b/src/textpruner/pruners/pipeline_pruner.py @@ -0,0 +1,140 @@ +from .transformer_pruner import TransformerPruner +from .vocabulary_pruner import VocabularyPruner +from typing import Optional +from ..configurations import GeneralConfig,VocabularyPruningConfig,TransformerPruningConfig +import torch +from torch import nn +import os +import logging +logger = logging.getLogger(__name__) +from .utils import infer_model_type +from ..model_map import MODEL_MAP + +class PipelinePruner: + ''' + Args: + model : The model to be pruned. + tokenizer : The tokenizer for the model. + vocabulary_pruning_config : a :class:`~textpruner.configurations.VocabularyPruningConfig` object. + transformer_pruning_config : a :class:`~textpruner.configurations.TransformerPruningConfig` object. + general_config : a :class:`~textpruner.configurations.GeneralConfig` object. + base_model_prefix : The prefix of the base model, i.e., the name of the base model as a member in the model. \ +For example, if ``model.bert_encoder = BertModel(...)``, then the ``base_model_prefix`` is ``bert_encoder``. \ +TextPruner will infer the ``base_model_prefix`` so we can leave its value as ``None``. But if it fails, users have to set its value explicitly. + ''' + def __init__(self, + model: nn.Module, + tokenizer, + transformer_pruning_config: Optional[TransformerPruningConfig] = None, + vocabulary_pruning_config : Optional[VocabularyPruningConfig] = None, + general_config: Optional[GeneralConfig] = None, + base_model_prefix : Optional[str] = None): + self.model = model + self.tokenizer = tokenizer + + self.general_config = GeneralConfig() if general_config is None else general_config + self.transformer_pruning_config = TransformerPruningConfig() if transformer_pruning_config is None else transformer_pruning_config + self.vocabulary_pruning_config = VocabularyPruningConfig() if vocabulary_pruning_config is None else vocabulary_pruning_config + + + self.output_dir = self.general_config.output_dir + base_model, model_type = infer_model_type(model, base_model_prefix) + assert model_type in MODEL_MAP, \ + f"Model type {self.model_type} is not supported, or not understood. Model type must be one of {list(MODEL_MAP.keys())}" + self.base_model = base_model + self.model_type = model_type + + self.vocabulary_pruner = VocabularyPruner(model, tokenizer, vocabulary_pruning_config, general_config, base_model_prefix=base_model_prefix) + self.transformer_pruner = TransformerPruner(model, transformer_pruning_config, general_config, base_model_prefix=base_model_prefix) + self.save_dir = None + + def prune(self, + dataloader=None, + adaptor=None, + batch_postprocessor=None, + head_mask: Optional[torch.Tensor] =None, + ffn_mask: Optional[torch.Tensor]=None, + keep_shape=False, + dataiter=None, + additional_tokens=None, + additional_token_ids=None, + save_model=True) -> Optional[str]: + ''' + Prunes the transformers, then prunes the vocabulary. + + Args: + dataloader : a dataloader that generates batches. Each batch should contains both the inputs and the labels. + adaptor : a function that takes the model output and return the loss. + batch_postprocessor : a function that takes the batch produced by the dataloader and return a batch. It is used for post-processing the batches if needed. + head_mask : a tensor of shape ``(num_layers, num_attention_heads)``. `1` means to keep, `0` means to prune. + ffn_mask : a tensor of shape ``(num_layers, intermediate_hidden_size)``. `1` means to keep, `0` means to prune. + keep_shape : if ``True``, the model is no actually pruned and the model stucture is not changed, but the weights that *should be pruned* are set to zero. + dataiter : a list of pre-tokenized strings. These strings will be tokenized by the tokenizer to generate a set of tokens. + additional_tokens : a list of tokens. These tokens must be existed in the original vocabulary. + additional_token_ids : a list of ints representing the token ids. + save_model : whether to save the model when the pruning is finished. + ''' + + logger.info("Transfomer pruning...") + self.transformer_pruner.prune(dataloader, + adaptor, + batch_postprocessor=batch_postprocessor, + keep_shape=keep_shape, + head_mask=head_mask, + ffn_mask=ffn_mask, + save_model=False) + logger.info("Vocabulary pruning...") + self.vocabulary_pruner.prune(dataiter=dataiter, + additional_tokens=additional_tokens, + additional_token_ids=additional_token_ids, + save_model=False) + + if save_model is True: + self.save_dir = self.save_model() + return self.save_dir + + def save_model(self, dir_name=None) -> str: + ffn_sizes = self.transformer_pruner.ffn_mask.to(int).sum(-1).tolist() + if self.transformer_pruner.keep_shape is False: + ffn_size = ffn_sizes[0] + num_of_heads = self.transformer_pruner.head_mask.sum().item() / self.transformer_pruner.head_mask.size(0) + if len(set(ffn_sizes)) != 1: + raise NotImplementedError("Cannot save pruned model with different ffn size per layer with keep_shape=False. \ +Call PipelinePruner.save_masks or PipelinePruner.save_jit_model manually instead.") + else: + self.base_model.config.intermediate_size = ffn_size + else: + ffn_size = self.transformer_pruner.ffn_mask.size(1) #base_model.config.intermediate_size + num_of_heads = self.transformer_pruner.head_mask.size(1) #self.transformer_pruning_config.target_num_of_heads + + vocab_size = len(self.vocabulary_pruner.pruned_token_ids) + self.base_model.config.vocab_size = vocab_size + + + if dir_name is None: + save_dir = os.path.join(self.general_config.output_dir,f'pruned_V{vocab_size}H{num_of_heads}F{ffn_size}') + else: + save_dir = os.path.join(self.general_config.output_dir,dir_name) + os.makedirs(save_dir, exist_ok=True) + torch.save(self.model.state_dict(),os.path.join(save_dir,'pytorch_model.bin')) + # save config + self.base_model.config.save_pretrained(save_dir) + # save tokenizer + self.vocabulary_pruner.tokenizer_helper.save_vocab(self.tokenizer, self.vocabulary_pruner.pruned_token_ids, save_dir) + + logger.info(f"Model and configuration have been saved to {save_dir}") + + return save_dir + + def save_jit_model(self, example_inputs, dir_name=None) -> str: + self.model.eval() + with torch.no_grad(): + traced_model = torch.jit.trace(self.model, example_inputs=example_inputs, strict=False) + if dir_name is None: + save_dir = os.path.join(self.general_config.output_dir,'pruned_H{num_of_heads}F{ffn_size}_traced') + else: + save_dir = os.path.join(self.general_config.output_dir,dir_name) + os.makedirs(save_dir, exist_ok=True) + torch.jit.save(traced_model, os.path.join(save_dir,'pytorch_model.ts')) + + return save_dir \ No newline at end of file diff --git a/src/textpruner/pruners/transformer_pruner.py b/src/textpruner/pruners/transformer_pruner.py new file mode 100644 index 0000000..2569a53 --- /dev/null +++ b/src/textpruner/pruners/transformer_pruner.py @@ -0,0 +1,446 @@ +import torch +from torch import nn +import os + +from torch.functional import Tensor + +from .utils import move_to_device, generate_mask, infer_model_type +from ..configurations import TransformerPruningConfig, GeneralConfig + +from ..model_map import MODEL_MAP +import logging +from tqdm import tqdm +from collections import abc +from typing import Mapping, Optional + +logger = logging.getLogger(__name__) + +class TransformerPruner: + ''' + Args: + model : The model to be pruned. + transformer_pruning_config : a :class:`~textpruner.configurations.TransformerPruningConfig` object. + general_config : a :class:`~textpruner.configurations.GeneralConfig` object. + base_model_prefix : The prefix of the base model, i.e., the name of the base model as a member in the model. \ +For example, if ``model.bert_encoder = BertModel(...)``, then the ``base_model_prefix`` is ``bert_encoder``. \ +TextPruner will infer the ``base_model_prefix`` so we can leave its value as ``None``. But if it fails, users have to set its value explicitly. + ''' + def __init__(self, model : nn.Module, + transformer_pruning_config : Optional[TransformerPruningConfig] = None, + general_config : Optional[GeneralConfig] = None, + base_model_prefix : Optional[str] = None): + self.model = model + base_model, model_type = infer_model_type(model, base_model_prefix) + assert model_type in MODEL_MAP, \ + f"Model type {self.model_type} is not supported, or not understood. Model type must be one of {list(MODEL_MAP.keys())}" + self.base_model = base_model + self.model_type = model_type + self.model_structure = MODEL_MAP[self.model_type]['structure'] + + self.general_config = GeneralConfig() if general_config is None else general_config + self.transformer_pruning_config = TransformerPruningConfig() if transformer_pruning_config is None else transformer_pruning_config + + self.model.to(self.general_config.device) + + self.output_dir : str = self.general_config.output_dir + + # None before pruning + self.head_mask : Optional[torch.Tensor] = None + self.ffn_mask : Optional[torch.Tensor] = None + self.keep_shape : Optional[bool] = None + os.makedirs(self.output_dir, exist_ok=True) + self.save_dir = None + + def prune(self, dataloader=None, adaptor=None, batch_postprocessor=None, + head_mask: Optional[torch.Tensor] =None, ffn_mask: Optional[torch.Tensor]=None, + keep_shape=False, save_model=True, rewrite_cache=True): + ''' + Prunes the transformers. If ``self.transformer_pruning_config.pruning_method=='masks'``, the pruner prune the attention heads and the FFN neurons based on the + ``head_masks`` and ``ffn_masks``; if ``self.transformer_pruning_config.pruning_method=='iterative'``, the pruner prune the attention heads and the FFN neurons + based on the importance scores calculated on the batches from the ``dataloader``. + + Args: + dataloader : a dataloader that generates batches. Each batch should contains both the inputs and the labels. + adaptor : a function that takes the model output and return the loss. + batch_postprocessor : a function that takes the batch produced by the dataloader and return a batch. It is used for post-processing the batches if needed. + head_mask : a tensor of shape ``(num_layers, num_attention_heads)``. `1` means to keep, `0` means to prune. + ffn_mask : a tensor of shape ``(num_layers, intermediate_hidden_size)``. `1` means to keep, `0` means to prune. + keep_shape : if ``True``, the model is no actually pruned and the model stucture is not changed, but the weights that *should be pruned* are set to zero. + save_model : whether to save the model when the pruning is finished. + ''' + + pruning_method = self.transformer_pruning_config.pruning_method + if pruning_method == 'masks': + if head_mask is not None or ffn_mask is not None: + save_dir = self.prune_with_masks(head_mask=head_mask, ffn_mask=ffn_mask, set_masks=True, save_model=save_model) + else: + raise TypeError("Pruning method is 'masks', but no masks are given.") + elif pruning_method == 'iterative': + assert (dataloader is not None ), "Pruning method is 'iterative', but dataloader is not given." + save_dir = self.iterative_pruning(dataloader, adaptor, batch_postprocessor, keep_shape, save_model=save_model, rewrite_cache=rewrite_cache) + else: + raise NotImplementedError(f"Unknow pruning method {pruning_method}.") + self.save_dir = save_dir + return save_dir + + def prune_with_masks(self,head_mask: Optional[torch.Tensor] = None, + ffn_mask: Optional[torch.Tensor] = None, + keep_shape : bool = False, + set_masks = False, + save_model = False) -> Optional[str]: + if head_mask is None: + head_mask = self.head_mask + if ffn_mask is None: + ffn_mask = self.ffn_mask + if set_masks is True: + if head_mask is not None: + self.head_mask = head_mask + if ffn_mask is not None: + self.ffn_mask = ffn_mask + + if ffn_mask is not None: + ffn_mask_tensor = ffn_mask.clone().detach().to(dtype=torch.float32, device=self.general_config.device) + self.reorder_ffn_weights(ffn_mask_tensor, keep_shape) + if head_mask is not None: + if keep_shape: + head_mask_tensor = head_mask.clone().detach().to(dtype=torch.float32, device=self.general_config.device) + self.reorder_attention_heads(head_mask_tensor, keep_shape) + else: + heads_to_prune_dict = {} + for layer_num, layer_head in enumerate(head_mask.tolist()): + heads_to_prune_dict[layer_num] = [] + for head_idx, v in enumerate(layer_head): + if v==0: + heads_to_prune_dict[layer_num].append(head_idx) + self.base_model.prune_heads(heads_to_prune_dict) + self.keep_shape = keep_shape + if save_model is True: + return self.save_model() + + def iterative_pruning(self, dataloader, adaptor, batch_postprocessor=None, keep_shape=False, save_model=True, rewrite_cache=False) -> Optional[str]: + + target_ffn_size = self.transformer_pruning_config.target_ffn_size + target_num_of_heads = self.transformer_pruning_config.target_num_of_heads + n_iters = self.transformer_pruning_config.n_iters + multiple_of = self.transformer_pruning_config.multiple_of + head_even_masking = self.transformer_pruning_config.head_even_masking + ffn_even_masking = self.transformer_pruning_config.ffn_even_masking + pruning_order = self.transformer_pruning_config.pruning_order + + head_importance_fn = os.path.join(self.output_dir, f'head_importance.pt') + ffn_importance_fn = os.path.join(self.output_dir,f'ffn_importance.pt') + + if os.path.exists(head_importance_fn) and os.path.exists(ffn_importance_fn) and rewrite_cache is False: + logger.info(f"Loading pre-cached head importance score {head_importance_fn}") + head_importance = torch.load(head_importance_fn) + logger.info(f"Loading pre-cached ffn importance score {ffn_importance_fn}") + ffn_importance = torch.load(ffn_importance_fn) + else: + logger.info("Calculating head importance and ffn importance") + head_importance, ffn_importance = self.get_importance_score(dataloader, adaptor, batch_postprocessor) + head_importance = head_importance.cpu() # (num_layers, num_heads) + ffn_importance = ffn_importance.cpu() # (num_layers, intermediate_size) + # Save importance score + logger.info("Save...") + torch.save(head_importance, head_importance_fn) + torch.save(ffn_importance, ffn_importance_fn) + + total_num_of_heads = head_importance.size(0)*head_importance.size(1) + total_ffn_size = ffn_importance.size(0)*ffn_importance.size(1) + + total_target_ffn_size = target_ffn_size * ffn_importance.size(0) + total_target_num_of_heads = target_num_of_heads *head_importance.size(0) + + + ffn_size_per_iter = (total_ffn_size - total_target_ffn_size) // n_iters + num_of_heads_per_iter = (total_num_of_heads - total_target_num_of_heads) // n_iters + ffn_size_res = (total_ffn_size - total_target_ffn_size) % n_iters + num_of_heads_res = (total_num_of_heads - total_target_num_of_heads) % n_iters + + dffn_size = total_ffn_size + dnum_of_heads = total_num_of_heads + + if pruning_order is None: + for i in range(n_iters): + logger.info(f'Number of pruning iterations: {i+1}/{n_iters}') + if i > 0: + logger.info("Calculating head importance and ffn importance") + head_importance, ffn_importance = self.get_importance_score(dataloader, adaptor, batch_postprocessor) + head_importance = head_importance.cpu() # (num_layers, num_heads) + ffn_importance = ffn_importance.cpu() # (num_layers, intermediate_size) + + assert torch.all(head_importance==head_importance*self.head_mask) + assert torch.all(ffn_importance==ffn_importance*self.ffn_mask) + #head_importance *= self.head_mask + #ffn_importance *= self.ffn_mask + + dffn_size -= ffn_size_per_iter + 1 if i < ffn_size_res else ffn_size_per_iter + dnum_of_heads -= num_of_heads_per_iter + 1 if i < num_of_heads_res else num_of_heads_per_iter + + self.head_mask = generate_mask(head_importance, dnum_of_heads, head_even_masking) + self.ffn_mask = generate_mask(ffn_importance, dffn_size, ffn_even_masking, multiple_of=multiple_of) + + logger.info(f"New ffn size:{self.ffn_mask.sum(-1).tolist()}") + logger.info(f"New num heads:{self.head_mask.sum(-1).tolist()}") + + if i==n_iters-1: + self.prune_with_masks(keep_shape=keep_shape, save_model=False) + else: + self.prune_with_masks(keep_shape=True, save_model=False) + else: + for i in range(n_iters * 2): # n_iters for head, n_iters for ffn + logger.info(f'Number of pruning iterations: {i+1}/{n_iters * 2}') + if pruning_order=='head-first': + current_is_head = (i%2==0) + current_is_ffn = (i%2==1) + else: + current_is_ffn = (i%2==0) + current_is_head = (i%2==1) + if i > 0: + logger.info("Calculating head importance and ffn importance") + head_importance, ffn_importance = self.get_importance_score(dataloader, adaptor, batch_postprocessor) + head_importance = head_importance.cpu() # (num_layers, num_heads) + ffn_importance = ffn_importance.cpu() # (num_layers, intermediate_size) + + + if current_is_ffn: + dffn_size -= ffn_size_per_iter + 1 if i//2 < ffn_size_res else ffn_size_per_iter + self.ffn_mask = generate_mask(ffn_importance, dffn_size, ffn_even_masking, multiple_of=multiple_of) + logger.info(f"New ffn size:{self.ffn_mask.sum(-1).tolist()}") + if current_is_head: + dnum_of_heads -= num_of_heads_per_iter + 1 if i//2 < num_of_heads_res else num_of_heads_per_iter + self.head_mask = generate_mask(head_importance, dnum_of_heads, head_even_masking) + logger.info(f"New num heads:{self.head_mask.sum(-1).tolist()}") + + if i==2 * n_iters-1: + self.prune_with_masks(keep_shape=keep_shape, save_model=False) + else: + self.prune_with_masks(keep_shape=True, save_model=False) + + logger.info("Head and ffn masks have been generated, can be accessed via self.head_mask and self.ffn_mask") + if save_model is True: + return self.save_model() + + + def save_masks(self,name='mask.pt') -> str: + save_dir = os.path.join(self.general_config.output_dir,f'head_ffn_masks') + os.makedirs(save_dir, exist_ok=True) + torch.save((self.head_mask,self.ffn_mask),os.path.join(save_dir,f'{name}')) + # save config + logger.info(f"Masks have been saved to {save_dir}") + + return save_dir + + + def save_model(self, dir_name=None) -> str: + ffn_sizes = self.ffn_mask.to(int).sum(-1).tolist() + if self.keep_shape is False: + ffn_size = ffn_sizes[0] + num_of_heads = self.head_mask.sum().item() / self.head_mask.size(0) # self.head_mask.to(int).sum().item() + if len(set(ffn_sizes)) != 1: + raise NotImplementedError("Cannot save pruned model with different ffn size per layer with keep_shape=False. \ +Call TransformerPruner.save_masks or TransformerPruner.save_jit_model manually instead.") + else: + self.base_model.config.intermediate_size = ffn_size + else: + ffn_size = self.ffn_mask.size(1) #base_model.config.intermediate_size + num_of_heads = self.head_mask.size(1) #self.transformer_pruning_config.target_num_of_heads + + if dir_name is None: + save_dir = os.path.join(self.general_config.output_dir,f'pruned_H{num_of_heads}F{ffn_size}') + else: + save_dir = os.path.join(self.general_config.output_dir,dir_name) + os.makedirs(save_dir, exist_ok=True) + torch.save(self.model.state_dict(),os.path.join(save_dir,'pytorch_model.bin')) + # save config + self.base_model.config.save_pretrained(save_dir) + logger.info(f"Model and configuration have been saved to {save_dir}") + + return save_dir + + + def save_jit_model(self, example_inputs, dir_name=None) -> str: + self.model.eval() + with torch.no_grad(): + traced_model = torch.jit.trace(self.model, example_inputs=example_inputs, strict=False) + if dir_name is None: + save_dir = os.path.join(self.general_config.output_dir,'pruned_H{num_of_heads}F{ffn_size}_traced') + else: + save_dir = os.path.join(self.general_config.output_dir,dir_name) + os.makedirs(save_dir, exist_ok=True) + torch.jit.save(traced_model, os.path.join(save_dir,'pytorch_model.ts')) + + return save_dir + + def reorder_attention_heads(self, head_mask, keep_shape = False): + + n_layers = head_mask.size(0) + head_size = int(self.base_model.config.hidden_size / self.base_model.config.num_attention_heads) + + #assert torch.all(new_num_heads_vec==new_num_heads_vec[0]), "Numbers of heads in each layer must be equal" + + att_queries = self.model_structure.get_att_query(self.base_model, ignore_model_prefix=True) + att_keys = self.model_structure.get_att_key(self.base_model, ignore_model_prefix=True) + att_values = self.model_structure.get_att_value(self.base_model, ignore_model_prefix=True) + att_outputs = self.model_structure.get_att_output(self.base_model, ignore_model_prefix=True) + + for layer_num in range(n_layers): + query_weight = att_queries[layer_num].weight + query_bias = att_queries[layer_num].bias + key_weight = att_keys[layer_num].weight + key_bias = att_keys[layer_num].bias + value_weight = att_values[layer_num].weight + value_bias = att_values[layer_num].bias + output_weight = att_outputs[layer_num].weight + + # sort query, key, value based on the scores + query_weight, query_bias = rearange_weights(query_weight,query_bias,head_mask[layer_num],head_size,keep_shape) + att_queries[layer_num].weight = torch.nn.Parameter(query_weight) + att_queries[layer_num].bias = torch.nn.Parameter(query_bias) + key_weight, key_bias = rearange_weights(key_weight,key_bias,head_mask[layer_num],head_size,keep_shape) + att_keys[layer_num].weight = torch.nn.Parameter(key_weight) + att_keys[layer_num].bias = torch.nn.Parameter(key_bias) + value_weight, value_bias = rearange_weights(value_weight,value_bias,head_mask[layer_num],head_size,keep_shape) + att_values[layer_num].weight = torch.nn.Parameter(value_weight) + att_values[layer_num].bias = torch.nn.Parameter(value_bias) + + output_weight, _ = rearange_weights(output_weight.transpose(0,1), None, head_mask[layer_num],head_size,keep_shape) + output_weight = output_weight.transpose(0,1) + att_outputs[layer_num].weight = torch.nn.Parameter(output_weight) + + + def reorder_ffn_weights(self, ffn_mask, keep_shape = False): + + head_size = 1 #int(base_model.config.hidden_size / base_model.config.num_attention_heads) + + n_layers = ffn_mask.size(0) + ffn_interm = self.model_structure.get_ffn_interm(self.base_model, ignore_model_prefix=True) + ffn_output = self.model_structure.get_ffn_output(self.base_model, ignore_model_prefix=True) + + for layer_num in range(n_layers): + + inter_weight = ffn_interm[layer_num].weight + inter_bias = ffn_interm[layer_num].bias + output_weight = ffn_output[layer_num].weight + + # sort query, key, value based on the confidence scores + inter_weight, inter_bias = rearange_weights(inter_weight, inter_bias, ffn_mask[layer_num], head_size, keep_shape) + ffn_interm[layer_num].weight = torch.nn.Parameter(inter_weight) + ffn_interm[layer_num].bias = torch.nn.Parameter(inter_bias) + + output_weight, _ = rearange_weights(output_weight.transpose(0,1), None, ffn_mask[layer_num], head_size, keep_shape) + output_weight = output_weight.transpose(0,1) + ffn_output[layer_num].weight = torch.nn.Parameter(output_weight) + + + def get_importance_score(self, dataloader, + adaptor=None, batch_postprocessor=None) -> torch.Tensor : + model = self.model + + n_layers = self.model_structure.get_num_layers(self.base_model, ignore_model_prefix=True) + n_heads = self.base_model.config.num_attention_heads + intermediate_size = self.base_model.config.intermediate_size + + device = self.general_config.device + + logger.info("***** Running Forward and Backward to calcuate importance score*****") + logger.info(" Length of dataloader = %d", len(dataloader)) + model.eval() + + head_importance = torch.zeros(n_layers, n_heads).to(device) + + #get ffn weights and bias + ffn_inter_weights = [] + ffn_inter_biases = [] + ffn_output_weights = [] + att_output_weights = [] + + ffn_interm = self.model_structure.get_ffn_interm(self.base_model, ignore_model_prefix=True) + ffn_output = self.model_structure.get_ffn_output(self.base_model, ignore_model_prefix=True) + att_output = self.model_structure.get_att_output(self.base_model, ignore_model_prefix=True) + for layer_num in range(n_layers): + ffn_inter_weights.append(ffn_interm[layer_num].weight) #.detach().to(device) + ffn_inter_biases.append(ffn_interm[layer_num].bias) #.detach().to(device) + ffn_output_weights.append(ffn_output[layer_num].weight) #.detach().to(device) + att_output_weights.append(att_output[layer_num].weight) + + ffn_importance = torch.zeros(n_layers, intermediate_size).to(device) #ex. (12,3072) + num_examples = 0.0 + + for batch in tqdm(dataloader, desc="Evaluating"): + if batch_postprocessor is not None: + batch = batch_postprocessor(batch) + batch = move_to_device(batch, device) + if isinstance(batch,abc.Mapping): + outputs = model(**batch) + else: + outputs = model(*batch) + + if adaptor is None: + try: + if isinstance(outputs, torch.Tensor): + tmp_eval_loss = outputs + assert len(tmp_eval_loss.size())==0 + elif isinstance(outputs, (list,tuple)): + tmp_eval_loss = outputs[0] + assert len(tmp_eval_loss.size())==0 + elif isinstance(outputs, abc.Mapping): + tmp_eval_loss = outputs['loss'] + else: + tmp_eval_loss = outputs.loss + except (KeyError, AttributeError, AssertionError) as e: + logger.error("Cannot get loss from the outputs automatically! Adaptor is needed") + raise e + else: + tmp_eval_loss = adaptor(outputs) + + tmp_eval_loss.backward() + + for layer_num in range(n_layers): + weight = att_output_weights[layer_num] + head_importance[layer_num] += (weight.grad * weight).view(weight.size(0),n_heads, -1).sum(dim=(0,2)).abs().detach() # (num_heads, ) + + for layer_num in range(n_layers): + weight1 = ffn_inter_weights[layer_num] + bias1 = ffn_inter_biases[layer_num] + weight2 = ffn_output_weights[layer_num] + #ffn_importance[layer_num] += ((weight1.grad * weight1).sum(dim=1)+ bias1.grad * bias1 +(weight2.grad * weight2).sum(dim=0)).abs().detach() + if self.transformer_pruning_config.ffn_even_masking: + ffn_importance[layer_num] += ((weight1.grad * weight1).sum(dim=1)+ bias1.grad * bias1).abs().detach() + ffn_importance[layer_num] += ((weight2.grad * weight2).sum(dim=0)).abs().detach() + + model.zero_grad() + num_examples += len(batch["attention_mask"]) + + head_importance /= num_examples + ffn_importance /= num_examples + + return head_importance, ffn_importance + + +def rearange_weights(weight, bias, mask, head_size, keep_shape = False): + num_heads = mask.size(0) + mask_dim3 = mask.view(num_heads,1,1).to(torch.bool) # 12,1,1 ? + weight_dim3 = weight.view(num_heads,head_size,weight.size(1)) # 12,64,768 + if keep_shape is False: + selected_weight = weight_dim3.masked_select(mask_dim3) + new_num_heads = int(mask.sum().item()) + else: + selected_weight = torch.mul(weight_dim3, mask_dim3) + new_num_heads = num_heads + + ##reshape back + selected_weight = selected_weight.view(new_num_heads*head_size, weight.size(1)) + + selected_bias = None + if bias is not None: + mask_dim2 = mask.view(num_heads,1).to(torch.bool) # 12,1 ? + bias_dim2 = bias.view(num_heads,head_size) #12,64 + if keep_shape == False: + selected_bias = bias_dim2.masked_select(mask_dim2) + else: + selected_bias = torch.mul(bias_dim2, mask_dim2) + selected_bias = selected_bias.view(new_num_heads*head_size) + + return selected_weight, selected_bias + diff --git a/src/textpruner/pruners/utils.py b/src/textpruner/pruners/utils.py new file mode 100644 index 0000000..91f2313 --- /dev/null +++ b/src/textpruner/pruners/utils.py @@ -0,0 +1,100 @@ +import torch +from torch import nn +from collections import abc +from typing import Tuple,Optional + + +def move_to_device(batch, device): + r"""Puts each data field to the device""" + if isinstance(batch, torch.Tensor): + return batch.to(device) + elif isinstance(batch,(list,tuple)): + return tuple(move_to_device(item,device) for item in batch) + elif isinstance(batch, abc.Mapping): + return {key: move_to_device(value,device) for key, value in batch.items()} + else: + return batch + + +def infer_model_type(model, base_model_prefix) -> Tuple[nn.Module,str]: + if base_model_prefix is not None: + base_model = getattr(model, base_model_prefix, model) + model_type = base_model.config.model_type + else: + if hasattr(model, 'base_model_prefix'): + base_model = getattr(model, model.base_model_prefix, model) + if hasattr(base_model, 'config'): + model_type = base_model.config.model_type + else: + raise ValueError("Cannot get model_type! You should provide base_model_prefix") + else: + raise ValueError("Cannot get model_type! You should provide base_model_prefix") + return base_model, model_type + + +def random_mask_tensor(shape: Tuple[int,int], p : float = 0.5, dtype=None, even_masks=True): + tensor = torch.zeros(shape) + if even_masks is False: + tensor = tensor.bernoulli_(p=0.5) + else: + num_masks_per_row = int(shape[1] * p) + for i in range(shape[0]): + tensor[i][:num_masks_per_row] = 1 + randindex = torch.randperm(shape[1]) + tensor[i] = tensor[i][randindex] + if dtype is not None: + return tensor.to(dtype) + else: + return tensor + + +def generate_mask(importance : torch.Tensor, total_target_size : int, even_masking : bool = False, + layer_start : Optional[int] = None, layer_end: Optional[int] = None, multiple_of : int = 1 ) -> torch.Tensor: + if layer_start is not None and layer_end is not None: + target_size_per_layer = total_target_size // importance.size(0) + mask = torch.ones_like(importance) + for i in range(layer_start,layer_end): + layer = importance[i] + importance_layer_order = torch.argsort(layer) + mask[i][importance_layer_order[:-target_size_per_layer]] = 0 + elif even_masking is True: + target_size_per_layer = total_target_size // importance.size(0) + mask = torch.ones_like(importance) + for i,layer in enumerate(importance): + importance_layer_order = torch.argsort(layer) + mask[i][importance_layer_order[:-target_size_per_layer]] = 0 + elif multiple_of == 1: + importance_flat = importance.reshape(-1) + importance_order = torch.argsort(importance_flat) # ascending + mask_flat = torch.ones_like(importance_flat) + for pos in importance_order[:-total_target_size]: + mask_flat[pos] = 0 + mask = mask_flat.reshape(importance.shape) + else: + num_layers = importance.size(0) + num_groups = importance.size(1) // multiple_of + importance_order_2d = torch.argsort(importance,dim=-1) + importance_3d = torch.zeros(num_layers, num_groups, multiple_of).to(importance) + for i, layer_order in enumerate(importance_order_2d): + layer_sorted_by_importance = importance[i][layer_order].view(-1,multiple_of) # (num_head // multiple_of, multiple_of) + importance_3d[i] = layer_sorted_by_importance + importance_2d_order_2d = importance_order_2d.view(num_layers * num_groups, multiple_of) + + importance_3d_s_flat = importance_3d.sum(-1).view(-1) # num_layers * num_groups + importance_3d_s_flat_order_flat = torch.argsort(importance_3d_s_flat) # ascending + + total_group_target_size = total_target_size // multiple_of + mask = torch.ones_like(importance) + + for pos in importance_3d_s_flat_order_flat[:-total_group_target_size]: + x = int(pos) // num_groups + mask[x,importance_2d_order_2d[pos]] = 0 + + # check for disconnected graph + mask_sum = mask.sum(-1) + for i in range(len(mask_sum)): + if mask_sum[i]==0: + print("Warning") + most_imp = torch.argmax(importance[i]) + mask[i][most_imp] = 1 + return mask \ No newline at end of file diff --git a/src/textpruner/pruners/vocabulary_pruner.py b/src/textpruner/pruners/vocabulary_pruner.py new file mode 100644 index 0000000..6d19d9c --- /dev/null +++ b/src/textpruner/pruners/vocabulary_pruner.py @@ -0,0 +1,113 @@ +import torch +from torch import nn +import os +from ..model_map import MODEL_MAP +from ..configurations import VocabularyPruningConfig, GeneralConfig +from .utils import infer_model_type +import logging +from tqdm import tqdm +from collections import abc +from typing import Optional +logger = logging.getLogger(__name__) + +class VocabularyPruner: + """ + Args: + model : The model to be pruned. + tokenizer : The tokenizer for the model. + vocabulary_pruning_config : a :class:`~textpruner.configurations.VocabularyPruningConfig` object. + general_config : a :class:`~textpruner.configurations.GeneralConfig` object. + base_model_prefix : The prefix of the base model, i.e., the name of the base model as a member in the model. \ +For example, if ``model.bert_encoder = BertModel(...)``, then the ``base_model_prefix`` is ``bert_encoder``. \ +TextPruner will infer the ``base_model_prefix`` so we can leave its value as ``None``. But if it fails, users have to set its value explicitly. + + """ + def __init__(self, + model : nn.Module, + tokenizer, + vocabulary_pruning_config : Optional[VocabularyPruningConfig] = None, + general_config : Optional[GeneralConfig] = None, + base_model_prefix : Optional[str] = None): + + self.model = model + self.tokenizer = tokenizer + + #infer model type + base_model, model_type = infer_model_type(model, base_model_prefix) + assert model_type in MODEL_MAP, \ + f"Model type {self.model_type} is not supported, or not understood. Model type must be one of {list(MODEL_MAP.keys())}" + self.base_model = base_model + self.model_type = model_type + + + self.general_config = GeneralConfig() if general_config is None else general_config + self.vocabulary_pruning_config = VocabularyPruningConfig() if vocabulary_pruning_config is None else vocabulary_pruning_config + + self.model.to(self.general_config.device) + + self.model_vocab_resizer = MODEL_MAP[self.model_type]['resizer'] + self.tokenizer_helper = MODEL_MAP[self.model_type]['tokenizer_helper'] + self.pruned_token_ids = [] + os.makedirs(self.general_config.output_dir, exist_ok=True) + self.save_dir = None + + def prune(self, dataiter=None, additional_tokens=None, + additional_token_ids=None, save_model=True) -> Optional[str]: + ''' + Prunes the vocabulay of the model and the tokenizer. The pruner will only keep the tokens in ``dataiter``, ``additional_tokens`` and ``additional_token_ids``. + + * Use ``dataiter`` to generate a set of tokens from the raw texts. + * Use ``additional_tokens`` or ``additional_token_ids`` to specify the tokens or token_ids directly without running the tokenization. + + Args: + dataiter : a list of pre-tokenized strings. These strings will be tokenized by the tokenizer to generate a set of tokens. + additional_tokens : a list of tokens. These tokens must be existed in the original vocabulary. + additional_token_ids : a list of ints representing the token ids. + save_model : whether to save the model when the pruning is finished. + ''' + min_count = self.vocabulary_pruning_config.min_count + lm_head_pruning= self.vocabulary_pruning_config.prune_lm_head + pruned_token_ids = self.tokenizer_helper.get_token_ids(tokenizer=self.tokenizer, + dataiter=dataiter, + additional_tokens=additional_tokens, + additional_token_ids=additional_token_ids, + min_count=min_count) + self.model_vocab_resizer.set_embeddings(model=self.base_model, token_ids=pruned_token_ids) + + if lm_head_pruning == 'auto' or lm_head_pruning is True: + is_success = self.model_vocab_resizer.set_lm_head(self.model, pruned_token_ids) + if is_success is False: + if lm_head_pruning is True: + logger.info("Cannot get output embeddings! Is your model has a MLM prediction head?") + else: + logger.info("Cannot get output embeddings. No LM head pruning.") + self.pruned_token_ids = pruned_token_ids + + if save_model is True: + self.save_dir = self.save_model() + return self.save_dir + + + def save_model(self, dir_name = None) -> str: + + vocab_size = len(self.pruned_token_ids) + self.base_model.config.vocab_size = vocab_size + + if dir_name is None: + save_dir = os.path.join(self.general_config.output_dir, f'pruned_V{vocab_size}') + else: + save_dir = os.path.join(self.general_config.output_dir, dir_name) + os.makedirs(save_dir, exist_ok=True) + + # save tokenizer + self.tokenizer_helper.save_vocab(self.tokenizer, self.pruned_token_ids, save_dir) + + # save weights + torch.save(self.model.state_dict(),os.path.join(save_dir,f'pytorch_model.bin')) + + # save config + config_dir = os.path.join(save_dir) + self.base_model.config.save_pretrained(config_dir) + logger.info(f"Model and configuration have been saved to {save_dir}") + + return save_dir diff --git a/src/textpruner/tokenizer_utils/__init__.py b/src/textpruner/tokenizer_utils/__init__.py new file mode 100644 index 0000000..7129bc7 --- /dev/null +++ b/src/textpruner/tokenizer_utils/__init__.py @@ -0,0 +1,4 @@ +from .roberta_gpt2_tokenizer import RobertaGPT2Tokenizer +from .subword_tokenizer import SubwordTokenizer +from .sp_tokenizer import SentencepieceTokenizer +from .xlmr_sp_tokenizer import XLMRSentencepieceTokenizer diff --git a/src/textpruner/tokenizer_utils/roberta_gpt2_tokenizer.py b/src/textpruner/tokenizer_utils/roberta_gpt2_tokenizer.py new file mode 100644 index 0000000..7c5a953 --- /dev/null +++ b/src/textpruner/tokenizer_utils/roberta_gpt2_tokenizer.py @@ -0,0 +1,54 @@ + +import os +import logging +import json +logger = logging.getLogger(__name__) +from .utils import count_unique_tokens + + +class RobertaGPT2Tokenizer: + + @staticmethod + def get_token_ids(tokenizer, dataiter=None, additional_tokens=None, additional_token_ids=None, min_count=1): + token_ids = [] + # add special tokens + special_token_ids = [0, 1, 2, 3] + special_token_ids += [len(tokenizer)-4+i for i in range(4)] # ["unusedword0000","unusedword0001","unusedword0002",""] + # remove special tokens, special tokens + normal tokens + + normal_token_ids = [] + if dataiter is not None: + token_ids_counter = count_unique_tokens(dataiter, tokenizer) + normal_token_ids += [k for k,v in token_ids_counter.items() if v >= min_count] + if additional_tokens is not None and len(additional_tokens) > 0: + normal_token_ids += list( + tokenizer.convert_tokens_to_ids(additional_tokens)) + if additional_token_ids is not None and len(additional_token_ids) > 0: + normal_token_ids += list(additional_token_ids) + normal_token_ids = list(set(normal_token_ids)-set(special_token_ids)) + token_ids = sorted(special_token_ids + normal_token_ids) # to make sure [0,1,2,3, ...., ] + return token_ids + + @staticmethod + def save_vocab(tokenizer, token_ids, outdir): + + assert len(token_ids) == len(set(token_ids)) + + tokens = tokenizer.convert_ids_to_tokens(token_ids) + + token_dict = {} + for i in range(len(tokens)): + token_dict[tokens[i]] = i + + pruned_vocab_file = os.path.join(outdir, 'vocab.json') + with open(pruned_vocab_file, 'w', encoding='utf-8') as f: + json.dump(token_dict, f) + print(f"New embedding size {len(token_ids)} pruned vocab file has been saved to {pruned_vocab_file}. Reintialize the tokenizer!") + + index = 0 + bpe_ranks = sorted(tokenizer.bpe_ranks.items(), key = lambda k: k[1]) + pruned_merges_file = os.path.join(outdir, 'merges.txt') + with open(pruned_merges_file, "w", encoding="utf-8") as writer: + writer.write("#version: 0.2\n") + for bpe_tokens, _ in bpe_ranks: + writer.write(bpe_tokens[0] + " " + bpe_tokens[1] + "\n") diff --git a/src/textpruner/tokenizer_utils/sp_tokenizer.py b/src/textpruner/tokenizer_utils/sp_tokenizer.py new file mode 100644 index 0000000..0f73031 --- /dev/null +++ b/src/textpruner/tokenizer_utils/sp_tokenizer.py @@ -0,0 +1,64 @@ + +import os +from .utils import count_unique_tokens +import logging +logger = logging.getLogger(__name__) +try: + from sentencepiece import sentencepiece_model_pb2 as sp_pb2_model +except ImportError: + logger.warning("Could not import sentencepiece. Pruning embeddings of sentencepiece-based model is not available.") + + +class SentencepieceTokenizer: + + @staticmethod + def get_token_ids(tokenizer, dataiter=None, additional_tokens=None, additional_token_ids=None, min_count=1): + token_ids = [] + special_token_ids = list(tokenizer.all_special_ids) + + normal_token_ids = [] + if dataiter is not None: + token_ids_counter = count_unique_tokens(dataiter, tokenizer) + normal_token_ids += [k for k,v in token_ids_counter.items() if v >= min_count] + if additional_tokens is not None and len(additional_tokens) > 0: + normal_token_ids += list( + tokenizer.convert_tokens_to_ids(additional_tokens)) + if additional_token_ids is not None and len(additional_token_ids) > 0: + normal_token_ids += list(additional_token_ids) + normal_token_ids = list(set(normal_token_ids)-set(special_token_ids)) + token_ids = sorted(special_token_ids + normal_token_ids) + return token_ids + + @staticmethod + def save_vocab(tokenizer, token_ids, outdir): + ''' + fairseq_offset = 1 + # {"": 0, "": 1, "": 2, "": 3} + fairseq_special_tokens_ids = [0, 1, 2, 3] + fairseq_special_tokens_ids.append( + len(tokenizer.sp_model) + fairseq_offset) # [""] + # remove special tokens + token_ids = [ + t for t in token_ids if t not in fairseq_special_tokens_ids] + + # special tokens + normal tokens + spm_token_ids = [0, 1, 2] + \ + [t-fairseq_offset for t in token_ids] + assert len(spm_token_ids) == len(set(spm_token_ids)) + ''' + + spm_token_ids = token_ids + m = sp_pb2_model.ModelProto() + m.ParseFromString(tokenizer.sp_model.serialized_model_proto()) + + spm_tokens = set([m.pieces[i].piece for i in spm_token_ids]) + new_pieces = [p for p in m.pieces if p.piece in spm_tokens] + + # delete all + del m.pieces[:] + m.pieces.extend(new_pieces) + + pruned_vocab_file = os.path.join(outdir, 'spiece.model') + with open(pruned_vocab_file, 'wb') as f: + f.write(m.SerializeToString()) + print(f"New embedding size {len(new_pieces)+2} pruned vocab file has been saved to {pruned_vocab_file}. Reintialize the tokenizer!") diff --git a/src/textpruner/tokenizer_utils/subword_tokenizer.py b/src/textpruner/tokenizer_utils/subword_tokenizer.py new file mode 100644 index 0000000..03fa7db --- /dev/null +++ b/src/textpruner/tokenizer_utils/subword_tokenizer.py @@ -0,0 +1,31 @@ +import os +from .utils import count_unique_tokens + +class SubwordTokenizer: + @staticmethod + def get_token_ids(tokenizer, dataiter=None, additional_tokens=None, additional_token_ids=None, min_count=1): + token_ids = [] + # add special tokens + special_token_ids = list(tokenizer.all_special_ids) + + normal_token_ids = [] + if dataiter is not None: + token_ids_counter = count_unique_tokens(dataiter, tokenizer) + normal_token_ids += [k for k,v in token_ids_counter.items() if v >= min_count] + if additional_tokens is not None and len(additional_tokens) > 0: + normal_token_ids += list( + tokenizer.convert_tokens_to_ids(additional_tokens)) + if additional_token_ids is not None and len(additional_token_ids) > 0: + normal_token_ids += list(additional_token_ids) + normal_token_ids = list(set(normal_token_ids)-set(special_token_ids)) + token_ids = sorted(special_token_ids + normal_token_ids) + return token_ids + + @staticmethod + def save_vocab(tokenizer, token_ids, outdir): + tokens = tokenizer.convert_ids_to_tokens(token_ids) + pruned_vocab_file = os.path.join(outdir, 'vocab.txt') + with open(pruned_vocab_file, 'w', encoding='utf-8') as f: + for token in tokens: + f.write(token+'\n') + print(f"New embedding size {len(token_ids)} pruned vocab file has been saved to {pruned_vocab_file}. Reintialize the tokenizer!") \ No newline at end of file diff --git a/src/textpruner/tokenizer_utils/utils.py b/src/textpruner/tokenizer_utils/utils.py new file mode 100644 index 0000000..718a2dc --- /dev/null +++ b/src/textpruner/tokenizer_utils/utils.py @@ -0,0 +1,33 @@ +from itertools import chain +from collections import Counter +from collections.abc import Iterable +from typing import Callable, Optional +from tqdm import tqdm +import logging +import json +logger = logging.getLogger(__name__) + +def count_frequency(self, texts : Iterable): + token_counter = Counter() + + for text in texts: + tokens = self.tokenizer.tokenize(text) + token_counter.update(tokens) + all_tokens = [k for (k, v) in token_counter.most_common()] + all_token_indices = self.tokenizer.convert_tokens_to_ids(all_tokens) + return all_tokens, all_token_indices + + + +def count_unique_tokens(dataiter, tokenizer, fn : Optional[Callable] =None) -> Counter : + assert not isinstance(dataiter,str), "dataiter is assumed to be a collection (list, tuple, ...) of strings, not a single string" + token_ids = Counter() + for item in tqdm(dataiter): + if fn is not None: + item = fn(item) # pre-transform + if isinstance(item, str): + token_ids.update(tokenizer.encode(item, add_special_tokens=True)) + else: + assert isinstance(item[0],str) # list of string + token_ids.update(list(chain(*(tokenizer.encode(i, add_special_tokens=True) for i in item)))) + return token_ids \ No newline at end of file diff --git a/src/textpruner/tokenizer_utils/xlmr_sp_tokenizer.py b/src/textpruner/tokenizer_utils/xlmr_sp_tokenizer.py new file mode 100644 index 0000000..f3fc1a6 --- /dev/null +++ b/src/textpruner/tokenizer_utils/xlmr_sp_tokenizer.py @@ -0,0 +1,70 @@ + +import os +from .utils import count_unique_tokens +import logging +logger = logging.getLogger(__name__) +try: + from sentencepiece import sentencepiece_model_pb2 as sp_pb2_model +except ImportError: + logger.warning("Could not import sentencepiece. Pruning embeddings of sentencepiece-based model is not available.") + + +class XLMRSentencepieceTokenizer: + + @staticmethod + def get_token_ids(tokenizer, dataiter=None, additional_tokens=None, additional_token_ids=None, min_count=1): + token_ids = [] + # add special tokens + # should equal to [0,1,2,3,size +1] + special_token_ids = list(tokenizer.all_special_ids) + + normal_token_ids = [] + if dataiter is not None: + token_ids_counter = count_unique_tokens(dataiter, tokenizer) + normal_token_ids += [k for k,v in token_ids_counter.items() if v >= min_count] + if additional_tokens is not None and len(additional_tokens) > 0: + normal_token_ids += list( + tokenizer.convert_tokens_to_ids(additional_tokens)) + if additional_token_ids is not None and len(additional_token_ids) > 0: + normal_token_ids += list(additional_token_ids) + normal_token_ids = list(set(normal_token_ids)-set(special_token_ids)) + token_ids = sorted(special_token_ids + normal_token_ids) # to make sure [0,1,2,3, ...., ] + return token_ids + + @staticmethod + def save_vocab(tokenizer, token_ids, outdir): + fairseq_offset = 1 + # {"": 0, "": 1, "": 2, "": 3} + fairseq_special_tokens_ids = [0, 1, 2, 3] + fairseq_special_tokens_ids.append( + len(tokenizer.sp_model) + fairseq_offset) # [""] + # remove special tokens + token_ids = [ + t for t in token_ids if t not in fairseq_special_tokens_ids] + + # special tokens + normal tokens + spm_token_ids = [0, 1, 2] + \ + [t-fairseq_offset for t in token_ids] + assert len(spm_token_ids) == len(set(spm_token_ids)) + + + m = sp_pb2_model.ModelProto() + m.ParseFromString(tokenizer.sp_model.serialized_model_proto()) + + spm_tokens = set([m.pieces[i].piece for i in spm_token_ids]) + new_pieces = [p for p in m.pieces if p.piece in spm_tokens] + + # delete all + del m.pieces[:] + m.pieces.extend(new_pieces) + + # #debug + # #debug + # print ("spm_token_ids:",spm_token_ids) + # print ("spm_tokens:",spm_tokens) + # print ('new pieces:',[p.piece for p in m.pieces]) + + pruned_vocab_file = os.path.join(outdir, 'sentencepiece.bpe.model') + with open(pruned_vocab_file, 'wb') as f: + f.write(m.SerializeToString()) + print(f"New embedding size {len(new_pieces)+2} pruned vocab file has been saved to {pruned_vocab_file}. Reintialize the tokenizer!") diff --git a/src/textpruner/utils.py b/src/textpruner/utils.py new file mode 100644 index 0000000..0a802a7 --- /dev/null +++ b/src/textpruner/utils.py @@ -0,0 +1,216 @@ +import torch +from collections.abc import Mapping +from tqdm import tqdm +import time +from typing import Tuple, Union,Dict,Optional,List + +class LayerNode: + def __init__(self,name,parent=None,value=None,fullname=None): + self.name = name + self.fullname = fullname + self.value = None + self.children_name = {} + self.parent = parent + def __contains__(self, key): + return key in self.children_name + def __getitem__(self,key): + return self.children_name[key] + def __setitem__(self,key,value): + self.children_name[key]=value + def update(self,value): + if self.parent: + if self.parent.value is None: + self.parent.value = value + else: + if isinstance(value,(tuple,list)): + old_value = self.parent.value + new_value = [old_value[i]+value[i] for i in range(len(value))] + self.parent.value = new_value + else: + self.parent.value += value + if self.name.endswith('(shared)'): + if self.parent.name.endswith('shared)'): + pass + elif self.parent.value[0] == 0: + self.parent.name += '(shared)' + else: + self.parent.name += '(partially shared)' + + self.parent.update(value) + + def format(self, level=0, total=None ,indent='--',max_level=None,max_length=None): + string ='' + if total is None: + total = self.value[0] + if level ==0: + max_length = self._max_name_length(indent,' ',max_level=max_level) + 1 + string += '\n' + string +=f"{'LAYER NAME':<{max_length}}\t{'#PARAMS':>15}\t{'RATIO':>10}\t{'MEM(MB)':>8}\n" + + if max_level is not None and level==max_level: + string += f"{indent+self.name+':':<{max_length}}\t{self.value[0]:15,d}\t{self.value[0]/total:>10.2%}\t{self.value[1]:>8.2f}\n" + else: + if len(self.children_name)==1: + string += f"{indent+self.name:{max_length}}\n" + else: + string += f"{indent+self.name+':':<{max_length}}\t{self.value[0]:15,d}\t{self.value[0]/total:>10.2%}\t{self.value[1]:>8.2f}\n" + for child_name, child in self.children_name.items(): + string += child.format(level+1, total, + indent=' '+indent, max_level=max_level,max_length=max_length) + return string + + def _max_name_length(self,indent1='--', indent2=' ',level=0,max_level=None): + length = len(self.name) + len(indent1) + level *len(indent2) + if max_level is not None and level >= max_level: + child_lengths = [] + else: + child_lengths = [child._max_name_length(indent1,indent2,level=level+1,max_level=max_level) + for child in self.children_name.values()] + max_length = max(child_lengths+[length]) + return max_length + + +def summary(model : Union[torch.nn.Module,Dict], max_level : Optional[int] = 2): + """ + Show the summary of model parameters. + + Args: + model: the model to be inspected, can be a torch module or a state_dict. + max_level: The max level to display. If ``max_level==None``, show all the levels. + Returns: + A formatted string. + + Example:: + + print(textpruner.summay(model)) + + """ + if isinstance(model,torch.nn.Module): + state_dict = model.state_dict() + elif isinstance(model,dict): + state_dict = model + else: + raise TypeError("model should be either torch.nn.Module or a dict") + hash_set = set() + model_node = LayerNode('model',fullname='model') + current = model_node + for key,value in state_dict.items(): + names = key.split('.') + for i,name in enumerate(names): + if name not in current: + current[name] = LayerNode(name,parent=current,fullname='.'.join(names[:i+1])) + current = current[name] + + if (value.data_ptr()) in hash_set: + current.value = [0,0] + current.name += "(shared)" + current.fullname += "(shared)" + current.update(current.value) + else: + hash_set.add(value.data_ptr()) + current.value = [value.numel(),value.numel() * value.element_size() / 1024 / 1024] + current.update(current.value) + + current = model_node + + result = model_node.format(max_level=max_level) + + return result + + +def inference_time(model : torch.nn.Module, dummy_inputs : Union[List,Tuple,Dict], warm_up : int = 5, repetitions : int = 10): + """ + Measure and print the inference time of the model. + + Args: + model: the torch module to be measured. + dummpy_inputs: the inputs to be fed into the model, can be a list ,tuple or dict. + warm_up: Number of steps to warm up the device. + repetitions: Number of steps to perform forward propagation. More repetitions result in more accurate measurements. + + Example:: + + input_ids = torch.randint(low=0,high=10000,size=(32,256)) + textpruner.inference_time(model,dummy_inputs=[input_ids]) + + """ + device = model.device + is_train = model.training + model.eval() + + if device.type == 'cpu': + mean, std = cpu_inference_time(model, dummy_inputs, warm_up, repetitions) + elif device.type == 'cuda': + mean, std = cuda_inference_time(model, dummy_inputs, warm_up, repetitions) + else: + raise ValueError(f"Unknown device {device}") + + model.train(is_train) + print(f"Device: {device}") + print(f"Mean inference time: {mean:.2f}ms") + print(f"Standard deviation: {std:.2f}ms") + + return mean, std + + +def cuda_inference_time(model : torch.nn.Module, dummy_inputs, warm_up, repetitions): + device = model.device + starter = torch.cuda.Event(enable_timing=True) + ender = torch.cuda.Event(enable_timing=True) + timings=torch.zeros(repetitions) + with torch.no_grad(): + for _ in tqdm(range(warm_up),desc='cuda-warm-up'): + if isinstance(dummy_inputs, Mapping): + inputs = {k: v.to(device) for k,v in dummy_inputs.items()} + _ = model(**inputs) + else: + inputs = [t.to(device) for t in dummy_inputs] + _ = model(*inputs) + for rep in tqdm(range(repetitions),desc='cuda-repetitions'): + if isinstance(dummy_inputs, Mapping): + inputs = {k: v.to(device) for k,v in dummy_inputs.items()} + starter.record() + _ = model(**inputs) + ender.record() + else: + inputs = [t.to(device) for t in dummy_inputs] + starter.record() + _ = model(*inputs) + ender.record() + torch.cuda.synchronize() + elapsed_time_ms = starter.elapsed_time(ender) + timings[rep] = elapsed_time_ms + mean = timings.sum().item() / repetitions + std = timings.std().item() + + return mean, std + + +def cpu_inference_time(model : torch.nn.Module, dummy_inputs, warm_up, repetitions): + device = model.device + timings=torch.zeros(repetitions) + with torch.no_grad(): + for _ in tqdm(range(warm_up),desc='cpu-warm-up'): + if isinstance(dummy_inputs, Mapping): + inputs = {k: v.to(device) for k,v in dummy_inputs.items()} + _ = model(**inputs) + else: + inputs = [t.to(device) for t in dummy_inputs] + _ = model(*inputs) + for rep in tqdm(range(repetitions),desc='cpu-repetitions'): + if isinstance(dummy_inputs, Mapping): + inputs = {k: v.to(device) for k,v in dummy_inputs.items()} + start = time.time() + _ = model(**inputs) + end = time.time() + else: + inputs = [t.to(device) for t in dummy_inputs] + start = time.time() + _ = model(*inputs) + end = time.time() + elapsed_time_ms = (end - start) * 1000 + timings[rep] = elapsed_time_ms + mean = timings.sum().item() / repetitions + std = timings.std().item() + + return mean, std \ No newline at end of file